diff --git a/.github/workflows/perf-ci.yml b/.github/workflows/perf-ci.yml new file mode 100644 index 00000000..53ca227b --- /dev/null +++ b/.github/workflows/perf-ci.yml @@ -0,0 +1,50 @@ +# CI for performance benchmarking +# Domains of interest: +# * startup speed (== to parse and load all rules) +# * network filter matching (== the avg time to check a request) +# * first request matching delay (== time to check the first request) +# * memory usage after loading rules and after a few requests +name: Performance CI + +on: + push: + branches: [ master ] + pull_request: + +permissions: + contents: write + pages: write + pull-requests: write + +jobs: + benchmark: + name: Performance benchmarking + runs-on: ubuntu-latest + + steps: + - name: Checkout + uses: actions/checkout@11bd71901bbe5b1630ceea73d27597364c9af683 # v4 + + - name: Bench network filter matching + run: cargo bench --bench bench_matching rule-match-browserlike/brave-list -- --output-format bencher | tee -a output.txt + + - name: Bench first request matching delay + run: cargo bench --bench bench_matching rule-match-first-request -- --output-format bencher | tee -a output.txt + + - name: Bench startup speed + run: cargo bench --bench bench_rules blocker_new/brave-list -- --output-format bencher | tee -a output.txt + + - name: Bench memory usage + run: cargo bench --bench bench_memory -- --output-format bencher | tee -a output.txt + + - name: Store benchmark result + uses: benchmark-action/github-action-benchmark@d48d326b4ca9ba73ca0cd0d59f108f9e02a381c7 # v1.20.4 + with: + name: Rust Benchmark + tool: 'cargo' + output-file-path: output.txt + github-token: ${{ secrets.GITHUB_TOKEN }} + alert-threshold: '130%' # fails on +30% regression + comment-on-alert: true + fail-on-alert: true + comment-always: true diff --git a/Cargo.toml b/Cargo.toml index 065f210c..3f3f7adf 100644 --- a/Cargo.toml +++ b/Cargo.toml @@ -75,6 +75,11 @@ harness = false name = "bench_redirect_performance" harness = false + +[[bench]] +name = "bench_memory" +harness = false + # Currently disabled, as cosmetic filter internals # are no longer part of the crate's public API #[[bench]] diff --git a/benches/bench_matching.rs b/benches/bench_matching.rs index 155b5e4e..29ba112e 100644 --- a/benches/bench_matching.rs +++ b/benches/bench_matching.rs @@ -76,9 +76,11 @@ fn bench_matching_only(blocker: &Blocker, resources: &ResourceStorage, requests: (matches, passes) } +type ParsedRequest = (String, String, String, String, bool); + fn bench_rule_matching_browserlike( blocker: &Engine, - requests: &Vec<(String, String, String, String, bool)>, + requests: &Vec, ) -> (u32, u32) { let mut matches = 0; let mut passes = 0; @@ -331,27 +333,64 @@ fn rule_match_browserlike_comparable(c: &mut Criterion) { .collect::>() } - let elep_req = requests_parsed(&requests); - let el_req = elep_req.clone(); - let slim = elep_req.clone(); + let requests = requests_parsed(&requests); - group.bench_function("el+ep", move |b| { + group.bench_function("el+ep", |b| { let rules = rules_from_lists(&[ "data/easylist.to/easylist/easylist.txt", "data/easylist.to/easylist/easyprivacy.txt", ]); let engine = Engine::from_rules_parametrised(rules, Default::default(), false, true); - b.iter(|| bench_rule_matching_browserlike(&engine, &elep_req)) + b.iter(|| bench_rule_matching_browserlike(&engine, &requests)) }); - group.bench_function("el", move |b| { + group.bench_function("el", |b| { let rules = rules_from_lists(&["data/easylist.to/easylist/easylist.txt"]); let engine = Engine::from_rules_parametrised(rules, Default::default(), false, true); - b.iter(|| bench_rule_matching_browserlike(&engine, &el_req)) + b.iter(|| bench_rule_matching_browserlike(&engine, &requests)) }); - group.bench_function("slimlist", move |b| { + group.bench_function("slimlist", |b| { let rules = rules_from_lists(&["data/slim-list.txt"]); let engine = Engine::from_rules_parametrised(rules, Default::default(), false, true); - b.iter(|| bench_rule_matching_browserlike(&engine, &slim)) + b.iter(|| bench_rule_matching_browserlike(&engine, &requests)) + }); + group.bench_function("brave-list", |b| { + let rules = rules_from_lists(&["data/brave/brave-main-list.txt"]); + let engine = Engine::from_rules_parametrised(rules, Default::default(), false, true); + b.iter(|| bench_rule_matching_browserlike(&engine, &requests)) + }); + + group.finish(); +} + +fn rule_match_first_request(c: &mut Criterion) { + let mut group = c.benchmark_group("rule-match-first-request"); + + group.sample_size(10); + + let requests: Vec = vec![( + "https://example.com".to_string(), + "example.com".to_string(), + "example.com".to_string(), + "document".to_string(), + false, + )]; + + group.bench_function("brave-list", |b| { + b.iter_custom( + |iters| { + let mut total_time = std::time::Duration::ZERO; + for _ in 0..iters { + let rules = rules_from_lists(&["data/brave/brave-main-list.txt"]); + let engine = Engine::from_rules_parametrised(rules, Default::default(), false, true); + + // Measure only the matching time, skip setup and destruction + let start_time = std::time::Instant::now(); + bench_rule_matching_browserlike(&engine, &requests); + total_time += start_time.elapsed(); + } + total_time + } + ) }); group.finish(); @@ -363,6 +402,7 @@ criterion_group!( rule_match_parsed_el, rule_match_parsed_elep_slimlist, rule_match_browserlike_comparable, + rule_match_first_request, serialization, deserialization ); diff --git a/benches/bench_memory.rs b/benches/bench_memory.rs new file mode 100644 index 00000000..83ddc825 --- /dev/null +++ b/benches/bench_memory.rs @@ -0,0 +1,157 @@ +/* Copyright (c) 2025 The Brave Authors. All rights reserved. + * This Source Code Form is subject to the terms of the Mozilla Public + * License, v. 2.0. If a copy of the MPL was not distributed with this file, + * You can obtain one at https://mozilla.org/MPL/2.0/. */ + +use criterion::*; +use std::alloc::{GlobalAlloc, Layout, System}; +use std::sync::atomic::{AtomicUsize, Ordering}; +use serde::{Deserialize, Serialize}; + +use adblock::Engine; +use adblock::request::Request; + +#[path = "../tests/test_utils.rs"] +mod test_utils; +use test_utils::rules_from_lists; + +// Custom allocator to track memory usage +#[global_allocator] +static ALLOCATOR: MemoryTracker = MemoryTracker::new(); + +struct MemoryTracker { + allocated: AtomicUsize, + internal: System, +} + +impl MemoryTracker { + const fn new() -> Self { + Self { + allocated: AtomicUsize::new(0), + internal: System, + } + } + + fn current_usage(&self) -> usize { + self.allocated.load(Ordering::SeqCst) + } + + fn reset(&self) { + self.allocated.store(0, Ordering::SeqCst); + } +} + +unsafe impl GlobalAlloc for MemoryTracker { + unsafe fn alloc(&self, layout: Layout) -> *mut u8 { + let ret = self.internal.alloc(layout); + if !ret.is_null() { + self.allocated.fetch_add(layout.size(), Ordering::SeqCst); + } + ret + } + + unsafe fn dealloc(&self, ptr: *mut u8, layout: Layout) { + self.internal.dealloc(ptr, layout); + self.allocated.fetch_sub(layout.size(), Ordering::SeqCst); + } + + unsafe fn realloc(&self, ptr: *mut u8, layout: Layout, new_size: usize) -> *mut u8 { + let ret = self.internal.realloc(ptr, layout, new_size); + if !ret.is_null() { + self.allocated.fetch_sub(layout.size(), Ordering::SeqCst); + self.allocated.fetch_add(new_size, Ordering::SeqCst); + } + ret + } + + unsafe fn alloc_zeroed(&self, layout: Layout) -> *mut u8 { + let ret = self.internal.alloc_zeroed(layout); + if !ret.is_null() { + self.allocated.fetch_add(layout.size(), Ordering::SeqCst); + } + ret + } +} + +#[allow(non_snake_case)] +#[derive(Serialize, Deserialize, Clone)] +struct TestRequest { + frameUrl: String, + url: String, + cpt: String, +} + +impl From<&TestRequest> for Request { + fn from(v: &TestRequest) -> Self { + Request::new(&v.url, &v.frameUrl, &v.cpt).unwrap() + } +} + +fn load_requests() -> Vec { + let requests_str = rules_from_lists(&["data/requests.json"]); + let reqs: Vec = requests_str + .into_iter() + .map(|r| serde_json::from_str(&r)) + .filter_map(Result::ok) + .collect(); + reqs +} + +fn bench_memory_usage(c: &mut Criterion) { + let mut group = c.benchmark_group("memory-usage"); + group.sample_size(10); + group.measurement_time(std::time::Duration::from_secs(1)); + + let mut noise = 0; + let all_requests = load_requests(); + let first_1000_requests: Vec<_> = all_requests.iter().take(1000).collect(); + + group.bench_function("brave-list-initial", |b| { + let mut result = 0; + b.iter_custom(|iters| { + for _ in 0..iters { + ALLOCATOR.reset(); + let rules = rules_from_lists(&["data/brave/brave-main-list.txt"]); + let engine = Engine::from_rules(rules, Default::default()); + + noise += 1; // add some noise to make criterion happy + result += ALLOCATOR.current_usage() + noise; + + // Prevent engine from being optimized + criterion::black_box(&engine); + } + + // Return the memory usage as a Duration + std::time::Duration::from_nanos(result as u64) + }); + }); + + group.bench_function("brave-list-after-1000-requests", |b| { + b.iter_custom(|iters| { + let mut result = 0; + for _ in 0..iters { + ALLOCATOR.reset(); + let rules = rules_from_lists(&["data/brave/brave-main-list.txt"]); + let engine = Engine::from_rules(rules, Default::default()); + + for request in first_1000_requests.clone() { + criterion::black_box(engine.check_network_request(&request.into())); + } + + noise += 1; // add some noise to make criterion happy + result += ALLOCATOR.current_usage() + noise; + + // Prevent engine from being optimized + criterion::black_box(&engine); + } + + // Return the memory usage as a Duration + std::time::Duration::from_nanos(result as u64) + }) + }); + + group.finish(); +} + +criterion_group!(benches, bench_memory_usage); +criterion_main!(benches); diff --git a/benches/bench_rules.rs b/benches/bench_rules.rs index 82436002..0bc106f8 100644 --- a/benches/bench_rules.rs +++ b/benches/bench_rules.rs @@ -84,8 +84,6 @@ fn list_parse(c: &mut Criterion) { fn get_blocker(rules: impl IntoIterator>) -> Blocker { let (network_filters, _) = adblock::lists::parse_filters(rules, false, Default::default()); - println!("Got {} network filters", network_filters.len()); - let blocker_options = BlockerOptions { enable_optimizations: true, }; @@ -99,12 +97,16 @@ fn blocker_new(c: &mut Criterion) { group.throughput(Throughput::Elements(1)); group.sample_size(10); - let rules: Vec<_> = rules_from_lists(&[ + let easylist_rules: Vec<_> = rules_from_lists(&[ "data/easylist.to/easylist/easylist.txt", "data/easylist.to/easylist/easyprivacy.txt", ]).collect(); + let brave_list_rules: Vec<_> = rules_from_lists(&[ + "data/brave/brave-main-list.txt", + ]).collect(); - group.bench_function("el+ep", move |b| b.iter(|| get_blocker(&rules))); + group.bench_function("el+ep", move |b| b.iter(|| get_blocker(&easylist_rules))); + group.bench_function("brave-list", move |b| b.iter(|| get_blocker(&brave_list_rules))); group.finish(); } diff --git a/data/brave/brave-main-list.txt b/data/brave/brave-main-list.txt new file mode 100644 index 00000000..6d5b5d30 --- /dev/null +++ b/data/brave/brave-main-list.txt @@ -0,0 +1,179208 @@ +! Title: uBlock filters +! Last modified: %timestamp% +! Expires: 5 days +! Description: Filters optimized for uBlock, to be used along EasyList +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! https://github.com/uBlockOrigin/uAssets/issues/1408 +*_ad_$media,domain=youtube.com,3p +! https://github.com/easylist/easylist/issues/5112 +! @@||youtube.com/get_video_info?*timedtext_editor$xhr,1p +! https://redd.it/ggcmkp https://redd.it/gx03e0 +! https://github.com/uBlockOrigin/uAssets/pull/18106/ +! https://www.reddit.com/r/uBlockOrigin/comments/1atwzem/comment/l06ayn9/ +tv.youtube.com##+js(trusted-replace-xhr-response, '"adPlacements"', '"no_ads"', /playlist\?list=|\/player(?:\?.+)?$|watch\?[tv]=/) +www.youtube.com##+js(trusted-replace-xhr-response, /"adPlacements.*?([A-Z]"\}|"\}{2\,4})\}\]\,/, , /playlist\?list=|\/player(?:\?.+)?$|watch\?[tv]=/) +www.youtube.com##+js(trusted-replace-xhr-response, /"adPlacements.*?("adSlots"|"adBreakHeartbeatParams")/gms, $1, /\/player(?:\?.+)?$/) +www.youtube.com##+js(trusted-replace-fetch-response, '"adPlacements"', '"no_ads"', player?) +www.youtube.com##+js(trusted-replace-fetch-response, '"adSlots"', '"no_ads"', player?) +! https://www.reddit.com/r/uBlockOrigin/comments/154vtwy/getting_ads_on_youtube/jsu299l/ +! https://github.com/uBlockOrigin/uBlock-issues/issues/3083#issuecomment-1899349892 +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/831#discussioncomment-8271839 +m.youtube.com,music.youtube.com,tv.youtube.com,www.youtube.com,youtubekids.com,youtube-nocookie.com##+js(set, ytInitialPlayerResponse.playerAds, undefined) +m.youtube.com,music.youtube.com,tv.youtube.com,www.youtube.com,youtubekids.com,youtube-nocookie.com##+js(set, ytInitialPlayerResponse.adPlacements, undefined) +m.youtube.com,music.youtube.com,tv.youtube.com,www.youtube.com,youtubekids.com,youtube-nocookie.com##+js(set, ytInitialPlayerResponse.adSlots, undefined) +m.youtube.com,music.youtube.com,tv.youtube.com,www.youtube.com,youtubekids.com,youtube-nocookie.com##+js(set, playerResponse.adPlacements, undefined) +! https://github.com/uBlockOrigin/uAssets/issues/7636#issuecomment-1674303331 +m.youtube.com,music.youtube.com,youtubekids.com,youtube-nocookie.com##+js(json-prune, playerResponse.adPlacements playerResponse.playerAds playerResponse.adSlots adPlacements playerAds adSlots important) +! https://github.com/uBlockOrigin/uAssets/issues/15632 +youtube.com##.ytlr-horizontal-list-renderer__items > .yt-virtual-list__container > .yt-virtual-list__item--visible.yt-virtual-list__item--selected.yt-virtual-list__item:has-text(Ad) +! https://www.reddit.com/r/uBlockOrigin/comments/163cy47/youtube_antiadblock_and_ads_weekly_thread_august/jyemgzo/ +||googlevideo.com/initplayback?source=youtube*&c=TVHTML5&oad=$xhr,domain=youtube.com +! Shorts Ad +m.youtube.com,music.youtube.com,tv.youtube.com,www.youtube.com,youtubekids.com,youtube-nocookie.com##+js(json-prune-fetch-response, reelWatchSequenceResponse.entries.[-].command.reelWatchEndpoint.adClientParams.isAd entries.[-].command.reelWatchEndpoint.adClientParams.isAd, , propsToMatch, url:/reel_watch_sequence?) +! +||youtube.com/youtubei/v1/get_watch?$xhr,1p,replace=/"adPlacements"/"no_ads"/ +||youtube.com/youtubei/v1/get_watch?$xhr,1p,replace=/"adSlots"/"no_ads"/ + +! AdDefend +lablue.*##+js(nostif, push, 500) +||doubleclick.net^$script,important,domain=auto-motor-und-sport.de +4-liga.com,4fansites.de,4players.de,9monate.de##+js(nostif, .call(null), 10) +aachener-nachrichten.de,aachener-zeitung.de,abendblatt.de,abendzeitung-muenchen.de,about-drinks.com,abseits-ka.de,airliners.de,ajaxshowtime.com,allgemeine-zeitung.de,alpin.de,antenne.de,arcor.de,areadvd.de,areamobile.de,ariva.de,astronews.com,aussenwirtschaftslupe.de,auszeit.bio,auto-motor-und-sport.de,auto-service.de,autobild.de,autoextrem.de,autopixx.de,autorevue.at,autotrader.nl,az-online.de##+js(nostif, .call(null), 10) +baby-vornamen.de,babyclub.de,bafoeg-aktuell.de,berliner-kurier.de,berliner-zeitung.de,bigfm.de,bikerszene.de,bildderfrau.de,blackd.de,blick.de,boerse-online.de,boerse.de,boersennews.de,braunschweiger-zeitung.de,brieffreunde.de,brigitte.de,buerstaedter-zeitung.de,buffed.de,businessinsider.de,buzzfeed.at,buzzfeed.de##+js(nostif, .call(null), 10) +caravaning.de,cavallo.de,chefkoch.de,cinema.de,clever-tanken.de,computerbild.de,computerhilfen.de,comunio-cl.com,comunio.*,connect.de,chip.de##+js(nostif, .call(null), 10) +da-imnetz.de,dasgelbeblatt.de,dbna.com,dbna.de,deichstube.de,deine-tierwelt.de,der-betze-brennt.de,derwesten.de,desired.de,dhd24.com,dieblaue24.com,digitalfernsehen.de,dnn.de,donnerwetter.de##+js(nostif, .call(null), 10) +e-hausaufgaben.de,e-mountainbike.com,eatsmarter.de,echo-online.de,ecomento.de,einfachschoen.me,elektrobike-online.com,eltern.de,epochtimes.de,essen-und-trinken.de,express.de,extratipp.com##+js(nostif, .call(null), 10) +familie.de,fanfiktion.de,fehmarn24.de,fettspielen.de,fid-gesundheitswissen.de,finanzen.*,finanznachrichten.de,finanztreff.de,finya.de,firmenwissen.de,fitforfun.de,fnp.de,football365.fr,formel1.de,fr.de,frankfurter-wochenblatt.de,freenet.de,fremdwort.de,froheweihnachten.info,frustfrei-lernen.de,fuldaerzeitung.de,funandnews.de,fussballdaten.de,futurezone.de##+js(nostif, .call(null), 10) +gala.de,gamepro.de,gamersglobal.de,gamesaktuell.de,gamestar.de,gameswelt.*,gamezone.de,gartendialog.de,gartenlexikon.de,gedichte.ws,geissblog.koeln,gelnhaeuser-tageblatt.de,general-anzeiger-bonn.de,geniale-tricks.com,genialetricks.de,gesund-vital.de,gesundheit.de,gevestor.de,gewinnspiele.tv,giessener-allgemeine.de,giessener-anzeiger.de,gifhorner-rundschau.de,giga.de,gipfelbuch.ch,gmuender-tagespost.de,golem.de,gruenderlexikon.de,gusto.at,gut-erklaert.de,gutfuerdich.co##+js(nostif, .call(null), 10) +hallo-muenchen.de,hamburg.de,hanauer.de,hardwareluxx.de,hartziv.org,harzkurier.de,haus-garten-test.de,hausgarten.net,haustec.de,haz.de,heftig.*,heidelberg24.de,heilpraxisnet.de,heise.de,helmstedter-nachrichten.de,hersfelder-zeitung.de,hftg.co,hifi-forum.de,hna.de,hochheimer-zeitung.de,hoerzu.de,hofheimer-zeitung.de##+js(nostif, .call(null), 10) +iban-rechner.de,ikz-online.de,immobilienscout24.de,ingame.de,inside-digital.de,inside-handy.de,investor-verlag.de##+js(nostif, .call(null), 10) +jappy.com,jpgames.de##+js(nostif, .call(null), 10) +kabeleins.de,kachelmannwetter.com,kamelle.de,kicker.de,kindergeld.org,klettern-magazin.de,klettern.de,kochbar.de,kreis-anzeiger.de,kreisbote.de,kreiszeitung.de,ksta.de,kurierverlag.de##+js(nostif, .call(null), 10) +lachainemeteo.com,lampertheimer-zeitung.de,landwirt.com,laut.de,lauterbacher-anzeiger.de,leckerschmecker.me,leinetal24.de,lesfoodies.com,levif.be,lifeline.de,liga3-online.de,likemag.com,linux-community.de,linux-magazin.de,live.vodafone.de,ln-online.de,lokalo24.de,lustaufsleben.at,lustich.de,lvz.de,lz.de##+js(nostif, .call(null), 10) +mactechnews.de,macwelt.de,macworld.co.uk,mail.de,main-spitze.de,manager-magazin.de,manga-tube.me,mathebibel.de,mathepower.com,maz-online.de,medisite.fr,mehr-tanken.de,mein-kummerkasten.de,mein-mmo.de,mein-wahres-ich.de,meine-anzeigenzeitung.de,meinestadt.de,menshealth.de,mercato365.com,merkur.de,messen.de,metal-hammer.de,metalflirt.de,meteologix.com,minecraft-serverlist.net,mittelbayerische.de,modhoster.de,moin.de,mopo.de,morgenpost.de,motor-talk.de,motorbasar.de,motorradonline.de,motorsport-total.com,motortests.de,mountainbike-magazin.de,moviejones.de,moviepilot.de,mt.de,mtb-news.de,musiker-board.de,musikexpress.de,musikradar.de,mz-web.de##+js(nostif, .call(null), 10) +n-tv.de,naumburger-tageblatt.de,netzwelt.de,neuepresse.de,neueroeffnung.info,news.at,news.de,news38.de,newsbreak24.de,nickles.de,nicknight.de,nl.hardware.info,nn.de,nnn.de,nordbayern.de,notebookchat.com,notebookcheck-ru.com,notebookcheck-tr.com,notebookcheck.*,noz-cdn.de,noz.de,nrz.de,nw.de,nwzonline.de##+js(nostif, .call(null), 10) +oberhessische-zeitung.de,och.to,oeffentlicher-dienst.info,onlinekosten.de,onvista.de,op-marburg.de,op-online.de,outdoor-magazin.com,outdoorchannel.de##+js(nostif, .call(null), 10) +paradisi.de,pc-magazin.de,pcgames.de,pcgameshardware.de,pcwelt.de,pcworld.es,peiner-nachrichten.de,pferde.de,pietsmiet.de,pixelio.de,pkw-forum.de,playboy.de,playfront.de,pnn.de,pons.com,prad.de,prignitzer.de,profil.at,promipool.de,promobil.de,prosiebenmaxx.de,psychic.de##+js(nostif, .call(null), 10) +quoka.de##+js(nostif, .call(null), 10) +radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se,ran.de,readmore.de,rechtslupe.de,recording.de,rennrad-news.de,reuters.com,reviersport.de,rhein-main-presse.de,rheinische-anzeigenblaetter.de,rimondo.com,roadbike.de,roemische-zahlen.net,rollingstone.de,rot-blau.com,rp-online.de,rtl.de,rtv.de,rugby365.fr,ruhr24.de,rundschau-online.de,runnersworld.de##+js(nostif, .call(null), 10) +safelist.eu,salzgitter-zeitung.de,sat1.de,sat1gold.de,schoener-wohnen.de,schwaebische-post.de,schwarzwaelder-bote.de,serienjunkies.de,shz.de,sixx.de,skodacommunity.de,smart-wohnen.net,sn.at,sozialversicherung-kompetent.de,spiegel.de,spielen.de,spieletipps.de,spielfilm.de,sport.de,sport1.de,sport365.fr,sportal.de,spox.com,stern.de,stuttgarter-nachrichten.de,stuttgarter-zeitung.de,sueddeutsche.de,svz.de,szene1.at,szene38.de##+js(nostif, .call(null), 10) +t-online.de,tagesspiegel.de,taschenhirn.de,techadvisor.co.uk,techstage.de,tele5.de,teltarif.de,testedich.*,the-voice-of-germany.de,thueringen24.de,tichyseinblick.de,tierfreund.co,tiervermittlung.de,torgranate.de,transfermarkt.*,trend.at,truckscout24.*,tv-media.at,tvdigital.de,tvinfo.de,tvspielfilm.de,tvtoday.de,tvtv.*,tz.de##+js(nostif, .call(null), 10) +unicum.de,unnuetzes.com,unsere-helden.com,unterhalt.net,usinger-anzeiger.de,usp-forum.de##+js(nostif, .call(null), 10) +videogameszone.de,vienna.at,vip.de,virtualnights.com,vox.de##+js(nostif, .call(null), 10) +wa.de,wallstreet-online.de,waz.de,weather.us,webfail.com,weihnachten.me,weihnachts-bilder.org,weihnachts-filme.com,welt.de,weltfussball.at,weristdeinfreund.de,werkzeug-news.de,werra-rundschau.de,wetterauer-zeitung.de,wetteronline.*,wieistmeineip.*,wiesbadener-kurier.de,wiesbadener-tagblatt.de,winboard.org,windows-7-forum.net,winfuture.de,wintotal.de,wlz-online.de,wn.de,wohngeld.org,wolfenbuetteler-zeitung.de,wolfsburger-nachrichten.de,woman.at,womenshealth.de,wormser-zeitung.de,woxikon.de,wp.de,wr.de##+js(nostif, .call(null), 10) +yachtrevue.at##+js(nostif, .call(null), 10) +ze.tt,zeit.de##+js(nostif, .call(null), 10) +meineorte.com,osthessen-news.de,techadvisor.com,focus.de##+js(nostif, .call(null)) +kicker.de##+js(set, ov.advertising.tisoomi.loadScript, noopFunc) +! https://github.com/uBlockOrigin/uAssets/issues/22096 +alpin.de,boersennews.de,chefkoch.de,chip.de,clever-tanken.de,desired.de,donnerwetter.de,fanfiktion.de,focus.de,formel1.de,frustfrei-lernen.de,gewinnspiele.tv,giga.de,gut-erklaert.de,kino.de,messen.de,nickles.de,nordbayern.de,spielfilm.de,teltarif.de,unsere-helden.com,weltfussball.at,watson.de,moviepilot.de,mactechnews.de,sport1.de,welt.de,sport.de##+js(rmnt, script, DisplayAcceptableAdIfAdblocked) +teltarif.de##+js(rmnt, script, adslotFilledByCriteo) +||giga.de/special/gutscheine/*.png$script,1p +||kino.de/mages/*.png$script,1p +||teltarif.de/img/$script,1p +.de/bilder/*.jpg|$script,1p,domain=de +.at/bilder/*.jpg|$script,1p,domain=at +.com/bilder/*.jpg|$script,1p,domain=com +.de/image/*.gif|$script,1p,domain=de +teltarif.de,kino.de,desired.de,giga.de##img[referrerpolicy="unsafe-url"][src^="/img/"][src$=".jpg"] +wetter.*##+js(nostif, (null), 10) +tagesspiegel.de##+js(aopr, Notification) +newsbreak24.de##^script:has-text(===):has-text(/[\w\W]{14000}/) +t-online.de##+js(set, abp, false) +businessinsider.de##.slideshow__mobile-ad +businessinsider.de##.slideshow__middle-ad-container +businessinsider.de##.slideshow__desktop-ad:style(max-height:20px) +businessinsider.de##.bi-superbanner +businessinsider.de##.slideshow__ad +businessinsider.de##.bi-injected-ad +businessinsider.de##.adup-wrap +desired.de##.sad_banner +frustfrei-lernen.de##.noContentBannerArea +macworld.co.uk##.leaderBoardHolder +! https://www.reddit.com/r/uBlockOrigin/comments/a5g4uu/wallstreetonline_likewise_for_many_german_pages/ +wallstreet-online.de##+js(nostif, userHasAdblocker) +bonedo.de##.banner +mtb-news.de##.mtbnews-forum__banner +newsbreak24.de##.aw-track-click +newsbreak24.de###adup1 +transfermarkt.*##.noscript +! https://github.com/uBlockOrigin/uAssets/issues/10975 +n-tv.de##+js(aopr, embedAddefend) +! To counter unnecessary exception filters +||adnxs.com^$important,domain=bz-berlin.de|metal-hammer.de|musikexpress.de|rollingstone.de|stylebook.de +||googlesyndication.com^$script,important,domain=autobild.de|metal-hammer.de|musikexpress.de|rollingstone.de +||sascdn.com^$script,important,domain=autobild.de|metal-hammer.de|musikexpress.de|rollingstone.de +||smartadserver.com^$script,important,domain=metal-hammer.de|musikexpress.de|rollingstone.de|welt.de +@@||11freunde.de/sites/all/themes/elf/gujAd/gujAd.js$domain=11freunde.de,badfilter +@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=11freunde.de|auto-motor-und-sport.de|brigitte.de|gala.de|geo.de|hardwareluxx.de|hbf-info.de|kochbar.de|n-tv.de|notebooksbilliger.de|rakuten.at|rakuten.de|rtl.de|stern.de|welt.de|zalando.de,badfilter +abendzeitung-muenchen.de##.wtc-wg-plugilo-connector +boerse-online.de##.center_top_bar +wetter.de##.outbrain-ad-slot +||iframe.chefkoch.de/amp/online-food-trade/rewe/$frame +mathebibel.de###banner-bottom +/\.de\/[a-z]{10,18}\.js$/$script,1p,strict1p,match-case,domain=capital.de|essen-und-trinken.de|geo.de|eltern.de +! https://github.com/uBlockOrigin/uAssets/issues/12360 VRM anti adblock +! https://github.com/uBlockOrigin/uAssets/issues/6541#issuecomment-1093665401 +! https://github.com/uBlockOrigin/uAssets/issues/12962 +@@*$ghide,domain=allgemeine-zeitung.de|buffed.de|buerstaedter-zeitung.de|echo-online.de|gamezone.de|lampertheimer-zeitung.de|lauterbacher-anzeiger.de|main-spitze.de|oberhessische-zeitung.de|wiesbadener-kurier.de|wormser-zeitung.de +! https://github.com/uBlockOrigin/uAssets/issues/11915#issuecomment-1407167951 +echo-online.de##.mainFooter__ccePosition +echo-online.de##.recommendations__cceWidget +echo-online.de##.storyElementWrapper__container:has(> [data-testid="storyElementWrapper-cceWidget-element"]) +echo-online.de##.swiper-slide [data-testid="topStories-cardSlider-ad"]:upward(.swiper-slide) +echo-online.de##.teaserGrid > div:has(.nativeAd) +echo-online.de##div.frontpageOverview__child +allgemeine-zeitung.de,buerstaedter-zeitung.de,echo-online.de,lampertheimer-zeitung.de,lauterbacher-anzeiger.de,main-spitze.de,oberhessische-zeitung.de,wiesbadener-kurier.de,wormser-zeitung.de##.adSlot, .loadingBanner +berliner-zeitung.de##[class^="ad-slot"] +berliner-zeitung.de##[class^="outbrain"] +! breakage +@@||scdn.cxense.com/cx.cce.js$script,domain=allgemeine-zeitung.de|buerstaedter-zeitung.de|echo-online.de|lampertheimer-zeitung.de|lauterbacher-anzeiger.de|main-spitze.de|oberhessische-zeitung.de|wiesbadener-kurier.de|wormser-zeitung.de +@@||api.cxense.com/public/widget/data$xhr,domain=allgemeine-zeitung.de|buerstaedter-zeitung.de|echo-online.de|lampertheimer-zeitung.de|lauterbacher-anzeiger.de|main-spitze.de|oberhessische-zeitung.de|wiesbadener-kurier.de|wormser-zeitung.de + +! Yavli ads +*.jpg$script,domain=allthingsvegas.com|clashdaily.com|madworldnews.com|politicalcowboy.com|reviveusa.com|sonsoflibertymedia.com|teltarif.de|themattwalshblog.com|videogamesblogger.com +! https://www.reddit.com/r/uBlockOrigin/comments/12hq3us/ +*$script,3p,denyallow=aghtag.tech|agorahtag.tech|brid.tv|cloudflare.com|cloudflare.net|consensu.org|enetscores.com|etop.ro|facebook.net|fastly.net|fastlylb.net|fbcdn.net|fontawesome.com|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|instagram.com|jquery.com|jsdelivr.net|jwpcdn.com|mrf.io|onnetwork.tv|pahtzh.tech|quantcast.com|recaptcha.net|wall-street.ro|ziareromania.ro,domain=ziare.com|cancan.ro|ciao.ro|gandul.ro|prosport.ro|descopera.ro|csid.ro|raziculacrimi.ro|go4games.ro|wall-street.ro|9am.ro +*$script,3p,denyallow=anycast.me|cloudflare.com|cloudflare.net|consensu.org|consentframework.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|jsdelivr.net|mrf.io|priice.net|sirdata.fr|twitter.com|recaptcha.net|x.com,domain=lebigdata.fr|montjeuturf.net +*$script,3p,denyallow=cloudflare.com|cloudflare.net|consensu.org|facebook.net|fastly.net|fastlylb.net|fbcdn.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|jsdelivr.net|jwpcdn.com|recaptcha.net|sharethis.com|tradingview.com|twitter.com|x.com,domain=beforeitsnews.com +! https://github.com/uBlockOrigin/uAssets/issues/18430 +*$script,domain=amgreatness.com,3p,denyallow=spreaker.com|starfield.ai +/^https?:\/\/.*\/easylist\/[0-9]{5}/ +*banner$domain=beforeitsnews.com,image +||jeengweb.com^$3p +! https://github.com/uBlockOrigin/uBlock-issues/issues/2858 +dcdirtylaundry.com,ipatriot.com,newser.com,politicalcowboy.com##+js(aost, Math, onerror) +! aupetitparieur.com,allthingsvegas.com,beforeitsnews.com,concomber.com,conservativebrief.com,conservativefiringline.com,dailylol.com,funnyand.com,letocard.fr,mamieastuce.com,meilleurpronostic.fr,patriotnationpress.com,toptenz.net,vitamiiin.com,writerscafe.org,populist.press,dailytruthreport.com,livinggospeldaily.com,first-names-meanings.com,welovetrump.com,thehayride.com,thelibertydaily.com,thepoke.co.uk,thepolitistick.com,theblacksphere.net,shark-tank.com,naturalblaze.com,greatamericanrepublic.com,dailysurge.com,truthlion.com,flagandcross.com,westword.com,republicbrief.com,freedomfirstnetwork.com,phoenixnewtimes.com,clashdaily.com,madworldnews.com,reviveusa.com,sonsoflibertymedia.com,videogamesblogger.com,topminceur.fr,lovezin.fr,protrumpnews.com,thepalmierireport.com,kresy.pl,thepatriotjournal.com,gellerreport.com,wltreport.com,miaminewtimes.com,politicalsignal.com,rightwingnews.com,bigleaguepolitics.com,comicallyincorrect.com##+js(aost, Math.random, injectedScript) +telexplorer.com.ar##+js(aost, Math.random, /injectedScript.*inlineScript/) +designbump.com,thedesigninspiration.com##+js(aost, Math.random, /(?=.*onerror)(?=^(?!.*(https)))/) +! https://github.com/uBlockOrigin/uAssets/issues/19808 +aupetitparieur.com,allthingsvegas.com,100percentfedup.com,beforeitsnews.com,concomber.com,conservativebrief.com,conservativefiringline.com,dailylol.com,funnyand.com,letocard.fr,mamieastuce.com,meilleurpronostic.fr,patriotnationpress.com,toptenz.net,vitamiiin.com,writerscafe.org,populist.press,dailytruthreport.com,livinggospeldaily.com,first-names-meanings.com,welovetrump.com,thehayride.com,thelibertydaily.com,thepoke.co.uk,thepolitistick.com,theblacksphere.net,shark-tank.com,naturalblaze.com,greatamericanrepublic.com,dailysurge.com,truthlion.com,flagandcross.com,westword.com,republicbrief.com,freedomfirstnetwork.com,phoenixnewtimes.com,designbump.com,clashdaily.com,madworldnews.com,reviveusa.com,sonsoflibertymedia.com,thedesigninspiration.com,videogamesblogger.com,protrumpnews.com,thepalmierireport.com,kresy.pl,thepatriotjournal.com,gellerreport.com,thegatewaypundit.com,wltreport.com,miaminewtimes.com,politicalsignal.com,rightwingnews.com,bigleaguepolitics.com,comicallyincorrect.com##+js(rmnt, script, /==undefined.*body/) +appteka.store##+js(aost, Math.random, /injectedScript|blob/) + +||rddywd.com^$image,redirect=1x1.gif +@@||rddywd.com/advertising.js$script +@@||wltreport.com^$image,1p + +! https://github.com/NanoMeow/QuickReports/issues/2493 +newser.com##+js(aeld, load, Object) +funnyand.com##.ad-unit-desktop +conservativebrief.com###main-box-3 +conservativebrief.com###main-box-5 +conservativebrief.com###main-box-7 +conservativebrief.com##.ai-attributes +conservativebrief.com##[id^="vuukle-ad-"] +conservativebrief.com##.ai_widget +conservativebrief.com###vuukle-powerbar +beforeitsnews.com##[src*="/banner"] +politicalcowboy.com##.dsk-box-ad-e +politicalcowboy.com##.dsk-box-ad-a +truthlion.com##.ad-banner-revcontent +westword.com##.AirBillboardInlineContentresponsive +gellerreport.com##.__hinit + +! https://adblockplus.org/forum/viewtopic.php?f=2&t=43192 +! Users should not have to punch holes in their blockers if it can be avoided. +*/fuckadblock-$script,redirect=fuckadblock.js-3.2.0:5 +*/fuckadblock.$script,redirect=fuckadblock.js-3.2.0:5 +! https://github.com/gorhill/uBlock/issues/1271 +! https://forums.lanik.us/viewtopic.php?f=62&t=40409 +*/blockadblock.$script,redirect=fuckadblock.js-3.2.0:5 +*/blockadblock-$script,redirect=fuckadblock.js-3.2.0:5 + +! https://github.com/uBlockOrigin/uAssets/issues/1551 +! https://github.com/uBlockOrigin/uAssets/issues/1554 +*/wp-adblock-$script,redirect=fuckadblock.js-3.2.0:5 + +! https://github.com/gorhill/uBlock/issues/949 +! https://github.com/uBlockOrigin/uAssets/issues/6541#issuecomment-1012435405 +tvspielfilm.de##.promo-box +tvtoday.de##+js(nosiif, fireEvent, 500) +@@||tvtoday.de^$ghide +! https://forums.lanik.us/viewtopic.php?p=129561#p129561 +@@||a.bf-ad.net/makabo/ads_fol_init.js$script,domain=chip.de +! https://github.com/uBlockOrigin/uAssets/issues/6587 +||chip.de/*&$script,1p +chip.de##.js_download_button:has(> a.Download-Button--Free[href*="withinstaller"][href*="lastchanged"]) +! https://github.com/uBlockOrigin/uAssets/issues/7589 +chip.de##+js(json-prune, enabled, force_disabled) + +##[href*="/afu.php"] + +! https://github.com/gorhill/uBlock/issues/1428 +onrpg.com##a[href*="mmo-it.com/"] +onrpg.com##[href^="http://server.cpmstar.com/click.aspx"] +onrpg.com###onrpg-hotbox-widget + +! https://github.com/uBlockOrigin/uAssets/issues/5156 +||adnxs.com/*/sport1.js$script,redirect=noopjs,domain=sport1.de +||acdn.adnxs.com/as/1h/pages/sport1_mediathek.js$script,redirect=noopjs,domain=sport1.de +||asadcdn.com/adlib/*$script,redirect=noopjs,domain=sport1.de +@@||tag.aticdn.net^$script,domain=sport1.de +@@||asadcdn.com/adlib/pages/sport1.js$script,domain=sport1.de +sport1.de##+js(aeld, load, hard_block) +sport1.de##.s1-ad +sport1.de##strong:has-text(/anzeige/i) + +! https://adblockplus.org/forum/viewtopic.php?f=10&t=44887 +vaughn.live##+js(nosiif, header_menu_abvs, 10000) +vaughn.live##.vs_v9_stream_content_abvs +vaughn.live##.vs_v9_header_menu_abvs +vaughn.live##div[id$="-ad"][id^="vs_v9_"] + +! Computers seizing thanks to these moronic scripts leading to system-wide out +! of memory condition +! https://github.com/gorhill/uBlock/issues/1449 +||twnmm.com/js/*/adobe_audience_manager$script,redirect=noopjs +! https://forums.informaction.com/viewtopic.php?f=10&t=21675 +! https://github.com/uBlockOrigin/uAssets/issues/6221 +||twnmm.com/js/*/dfpad/*$script,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/362 +! https://github.com/uBlockOrigin/uAssets/issues/15820 +allmusic.com##+js(no-fetch-if, adsbygoogle) +allmusic.com##.advertising + +! https://github.com/NanoMeow/QuickReports/issues/144 +redtube.*###paid_tabs_list +! https://github.com/uBlockOrigin/uAssets/issues/7164 +pornhub.*##div[id^="customSkin"] +pornhub.*##div.container:style(margin-top: 0px !important) +! https://github.com/uBlockOrigin/uAssets/issues/356 +! https://forums.lanik.us/viewtopic.php?p=120148#p120148 +youjizz.com##+js(noeval) +youjizz.com###desktopFooterPr +youjizz.com##.top_pr + +! https://forums.lanik.us/viewtopic.php?f=62&t=31285&start=30 +||indiatimes.com/detector$script +||static.clmbtech.com^$script,important,domain=indiatimes.com +||chartbeat.com/js/chartbeat.js$script,important,domain=indiatimes.com +||tags.crwdcntrl.net^$script,important,domain=indiatimes.com +! https://github.com/uBlockOrigin/uAssets/issues/149 +economictimes.indiatimes.com##.active > ul > li:has-text(Ad:) +indiatimes.com##[onclick] .btxt:has-text(/Ad/):xpath(../../..) +indiatimes.com#@#a[onclick*="/click.htm?"] +indiatimes.com##[onclick] p:has-text(/Ad/):xpath(../../..) +indiatimes.com,samayam.com##[onclick] p:matches-css-before(content:/Ad /):xpath(../..):not(p:has-text(/MAHA/i)):not(p:has-text(/Times/i)) +samayam.com##:xpath(//span[(text()='Ad')]/../../..) +m.economictimes.com##H2:has-text(/Promoted/) + DIV +m.economictimes.com##h2:has-text(/Promoted/) +||m.economictimes.com/mpetat/commons/images/rbc-red.png$image +economictimes.indiatimes.com##div h2:has(span:matches-css-before(content: /Sponsored/)) +economictimes.indiatimes.com##div h2:has(span:matches-css-before(content: /Sponsored/)) + div +indiatimes.com##h2:has-text(/Promoted/) + div +indiatimes.com##h2:has-text(/Promoted/) +indiatimes.com##.wzrk-overlay +||media.indiatimes.in/idthat/commons/images/rbc-gray.png$image +indiatimes.com##[onclick] h5:has-text(/Ad/):xpath(../../..) +m.timesofindia.com##.brand_ctn:has-text(/Ad:/):xpath(../..) +m.timesofindia.com##span:has-text(/Ad:/):xpath(../..) +m.timesofindia.com##p:has-text(/Ad:/):xpath(../../..) +indiatimes.com##p:matches-css(background-image: /colombia-icon/):xpath(../..) +indiatimes.com##div:matches-css(background-image: /colombia_/):xpath(../..) +m.timesofindia.com##.asAffiliate +seithy.com##.slick-track +indiatimes.com##.PPD_ADS_JS +timesofindia.indiatimes.com##+js(set, nsShowMaxCount, 0) +||assets.toiimg.com/affiliates/sdk/v2.js$script,domain=indiatimes.com|timesofindia.com +||assets.toiimg.com/affiliates/sdk/v1.js$script,domain=indiatimes.com|timesofindia.com +timesofindia.indiatimes.com##.nonAppView > .mPws3 +timesofindia.indiatimes.com##div[class*="personaliseWidgetLoader"] +! https://github.com/uBlockOrigin/uAssets/issues/22603 +timesofindia.indiatimes.com##.sidebar_ad_fix .imageBanner +timesofindia.indiatimes.com###header-masthead +! antiadb +timesofindia.indiatimes.com##+js(no-fetch-if, toiads) + +! punemirror .com banner ads +||punemirror.com/api/v1$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4056 +||malayalam.samayam.com/*/amazon_widget.cms?type=amazondeal$frame +! interstitial page +economictimes.indiatimes.com##+js(set, objVc.interstitial_web,'') +! https://github.com/uBlockOrigin/uAssets/issues/19766 +economictimes.indiatimes.com##+js(nosiif, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/168#issuecomment-726134068 +maharashtratimes.com##.ad1 +maharashtratimes.com##.colombia +*/pwafeeds/amazon_$frame +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=indiatimes.com|iamgujarat.com|vijaykarnataka.com|tamil.samayam.com|telugu.samayam.com|malayalam.samayam.com,redirect=google-ima.js +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=m.economictimes.com +||dealspakki.com^$frame,domain=eisamay.com|iamgujarat.com|indiatimes.com|maharashtratimes.com|samayam.com|vijaykarnataka.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=maharashtratimes.com,important +! ads placeholders +eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##.wdt-taboola +eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##.pwa-deals.wdt_amz +eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##div[class="news-card col4"] +eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##.advertorialwrapper +eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##.atf-wrapper +eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##.top-atf-enabled-wrapper +health.economictimes.indiatimes.com##.layer-overlay +health.economictimes.indiatimes.com##.article-detail-ad-slot +economictimes.com,eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##.fbnad +economictimes.com,eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##.ad1 +economictimes.com,eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##div > .ad-wrapper-625 +economictimes.com,eisamay.com,indiatimes.com,samayam.com,vijaykarnataka.com##.ads-between-story.story-content +! https://github.com/AdguardTeam/AdguardFilters/issues/180466 +educationtimes.com##div[class]:has(> div[class] > div[id^="div-gpt-ad"]) + +! https://github.com/uBlockOrigin/uAssets/issues/88 +! https://github.com/uBlockOrigin/uAssets/issues/211 +! https://github.com/uBlockOrigin/uAssets/issues/223 +! https://github.com/uBlockOrigin/uAssets/issues/622 +! https://github.com/uBlockOrigin/uAssets/issues/753 +! https://github.com/uBlockOrigin/uAssets/issues/1404 +||svonm.com/hd-main.js$script,redirect=hd-main.js,domain=kicker.de|myspass.de|spielaffe.de|tele5.de + +! https://github.com/uBlockOrigin/uAssets/issues/70 +! https://github.com/uBlockOrigin/uAssets/issues/16999 +aranzulla.it##+js(aopr, navigator.userAgent) +*$script,domain=aranzulla.it,redirect-rule=noopjs +aranzulla.it##.banner:remove() +aranzulla.it##[id^="ad"]:remove() + +! https://github.com/uBlockOrigin/uAssets/issues/66 +||paywall.folha.uol.com.br/wall.jsonp?callback=paywall.inicio$domain=blogfolha.uol.com.br|educacao.uol.com.br|folha.uol.com.br +! https://github.com/uBlockOrigin/uAssets/issues/124 +||jsuol.com.br/*/detectadblock/$script,important,domain=uol.com.br +! https://github.com/uBlockOrigin/uAssets/issues/765 +www.uol##.content-lightbox +www.uol##.overlay-lightbox +uol.com.br##.bg-banner +uol.com.br##[id^="banner-300x250"]:remove() + +! https://github.com/gorhill/uBlock/issues/1879 +||popads.net/pop.js$script,redirect=popads.net.js + +! https://forums.lanik.us/viewtopic.php?f=62&t=31357&p=100144 +@@||indiatoday.intoday.in/video/$ghide + +! https://github.com/reek/anti-adblock-killer/issues/1698 +! https://github.com/uBlockOrigin/uAssets/issues/102 +businesstoday.in###zedoads1:style(height: 1px !important) +businesstoday.in###zedoads2:style(height: 1px !important) +businesstoday.in###zedotopnavads:style(height: 1px !important) +businesstoday.in###zedotopnavads1:style(height: 1px !important) +businesstoday.in###adbocker_alt +! https://github.com/uBlockOrigin/uAssets/issues/102#issuecomment-241239514 +businesstoday.in##.adblocker-container +businesstoday.in###story-maincontent:style(display: block !important) + +! https://adblockplus.org/forum/viewtopic.php?f=10&t=46010 +! https://github.com/uBlockOrigin/uAssets/issues/102 +indiatoday.in,indiatoday.intoday.in##.ad_bn.row +indiatoday.in,intoday.in###adbocker_alt +indiatoday.in,intoday.in###zedoads1:style(height: 1px !important) +indiatoday.in,intoday.in###zedoads2:style(height: 1px !important) +indiatoday.in,intoday.in##.adblockcontainer:style(display: block !important) +! https://github.com/uBlockOrigin/uAssets/issues/102#issuecomment-239625264 +||zedo.com^$script,important,domain=indiatoday.in|intoday.in +||googlesyndication.com^$script,important,domain=indiatoday.in|intoday.in + +! https://github.com/uBlockOrigin/uAssets/issues/98 +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion###stream_pagelet div[id^="hyperfeed_story_id_"]:has(a.uiStreamSponsoredLink) +! "People You May Know": EasyList tries to block these, might as well block them fully +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion###stream_pagelet div[id^="hyperfeed_story_id_"]:if(h6:has-text(People You May Know)) +touch.facebook.com,mtouch.facebook.com,x.facebook.com,iphone.facebook.com,m.beta.facebook.com,touch.beta.facebook.com,mtouch.beta.facebook.com,x.beta.facebook.com,iphone.beta.facebook.com,m.facebook.com,b-m.facebook.com,mobile.facebook.com,touch.facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion,mtouch.facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion,x.facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion,iphone.facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion,touch.beta.facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion,m.facebook.com,m.facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion,b-m.facebook.com,b-m.facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion,mobile.facebook.com,mobile.facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##article:has(footer > div > div > a[href^="/friends/center/?fb_ref="]) +! https://www.reddit.com/r/uBlockOrigin/comments/58o3k6/facebook_ads_solution/ +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##.ego_section:has(a.adsCategoryTitleLink) +! https://github.com/uBlockOrigin/uAssets/issues/507 +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion###stream_pagelet [id^="hyperfeed_story_id_"]:has(span._4dcu) +! https://github.com/uBlockOrigin/uAssets/issues/722 +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##.ego_column:if(a[href^="/campaign/landing"]) +! https://forums.lanik.us/viewtopic.php?p=128997#p128997 +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##.ego_section:if(a[href^="/ad_campaign"]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##.userContentWrapper:has(a[href*="/ads/"]):not(:has(a[href*="/ads/preferences"])) +! https://github.com/uBlockOrigin/uAssets/issues/3367 +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#@#div[id^="hyperfeed_story_id_"]:has(a[href*="utm_campaign"]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##.userContentWrapper>div div>span>span:has-text(/^Suggested Post$/) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[id^="hyperfeed_story_id_"]:has(div > span:has(abbr .timestampContent):matches-css(display: none)) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##.ego_section:has(a[href*="campaign_id"]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[id^=hyperfeed_story_id_]:has(span[data-ft="{\"tn\":\"j\"}"]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion#?#.pagelet-group .pagelet:has(a:has-text(/Sponsored|Create ad|Crear un anuncio|Publicidad/)) +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-1367973454 +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[role="complementary"] div:not([class]):not([id]) > span:not([class]):not([id]):not([aria-labelledby]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[role="region"] + div[role="main"] div[role="article"] div[style="border-radius: max(0px, min(8px, ((100vw - 4px) - 100%) * 9999)) / 8px;"] > div[class]:not([class*=" "]) +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-1416733062 +! !#if env_chromium +! facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##html[lang="en"] div[aria-posinset] svg[style$="width: 56.8906px;"] use:upward(div[aria-posinset]) +! facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##html[lang="pl"] div[aria-posinset] svg[style$="width: 78.5465px;"] use:upward(div[aria-posinset]) +! facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##html[lang="vi"] div[aria-posinset] svg[style$="width: 65.0684px;"] use:upward(div[aria-posinset]) +! !#endif +! !#if env_firefox +! facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##html[lang="en"] div[aria-posinset] svg[style$="width: 59px;"] use:upward(div[aria-posinset]) +! facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##html[lang="pl"] div[aria-posinset] svg[style$="width: 80.8px;"] use:upward(div[aria-posinset]) +! facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##html[lang="vi"] div[aria-posinset] svg[style$="width: 65px;"] use:upward(div[aria-posinset]) +! !#endif +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[aria-posinset]:has(a[aria-label="広告"]):style(height: 0 !important; overflow: hidden !important;) +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-2094725581 +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##:matches-path(/^\/(\?[a-z]+=\w+)?$/) div[aria-posinset] :is(h3, h4) span > a[href]:not([href^="/groups/"]):not([href*="section_header_type"]):matches-attr(href="/__cft__\[0\]=[-\w]{290,}/"):upward(div[aria-posinset]):style(height: 0 !important; overflow: hidden !important;) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[aria-describedby]:not([aria-posinset]) :is(h3, h4) span > a[href]:not([href^="/groups/"]):not([href*="section_header_type"]):matches-attr(href="/__cft__\[0\]=[-\w]{290,}/"):upward(div[aria-describedby]):style(height: 0 !important; overflow: hidden !important;) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion###watch_feed div:not([class]) > div:not([class]) div[class] span[class] > a span[aria-labelledby]:has(> span[style="display: flex;"] > span[class]:has-text(/^S$/)):has(> span[style="display: flex;"] > span[class]:has-text(/^p$/)):has(> span[style="display: flex;"] > span[class]:has-text(/^d$/)):upward(div:not([class]) > div:not([class])):style(height: 0 !important; overflow: hidden !important;) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion###watch_feed div:not([class]) > div:not([class]) div[class] span[class] > a[aria-label="広告"]:upward(div:not([class]) > div:not([class])):style(height: 0 !important; overflow: hidden !important;) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion###watch_feed div:not([class]) > div:not([class]) div[class] [class] > a[href*="utm_source=facebook"] span[class] > span[class][style*="-webkit-line-clamp"]:has-text(広告):upward(div:not([class]) > div:not([class])):style(height: 0 !important; overflow: hidden !important;) +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-2094875891 +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##:matches-path(/search/) div[role="article"] span > a[href]:not([href^="/groups/"]):not([href*="section_header_type"]):matches-attr(href="/__cft__\[0\]=[-\w]{265,}/"):upward([role="article"]):style(height: 0 !important; overflow: hidden !important;) +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-1993620105 +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-1999029976 +! https://www.reddit.com/r/uBlockOrigin/comments/1bjfs9x/facebook_loading_slow/kvraphx/ +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-2048528598 +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-2054573634 +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-2232038379 +web.facebook.com,www.facebook.com##+js(json-prune, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.node, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.node.sponsored_data.ad_id) +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-2095001151 +web.facebook.com,www.facebook.com##+js(json-prune, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.serpResponse.results.edges.[-].relay_rendering_strategy.view_model.story.sponsored_data.ad_id) +! https://www.facebook.com/marketplace/ +! https://www.facebook.com/watch/ +web.facebook.com,www.facebook.com##+js(trusted-replace-xhr-response, /\{"node":\{"role":"SEARCH_ADS"[^\n]+?cursor":[^}]+\}/g, {}, /api/graphql) +web.facebook.com,www.facebook.com##+js(trusted-replace-xhr-response, /\{"node":\{"__typename":"MarketplaceFeedAdStory"[^\n]+?"cursor":(?:null|"\{[^\n]+?\}"|[^\n]+?MarketplaceSearchFeedStoriesEdge")\}/g, {}, /api/graphql) +web.facebook.com,www.facebook.com##+js(trusted-replace-xhr-response, /\{"node":\{"__typename":"VideoHomeFeedUnitSectionComponent"[^\n]+?"sponsored_data":\{"ad_id"[^\n]+?"cursor":null\}/, {}, /api/graphql) +web.facebook.com,www.facebook.com##+js(json-prune, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.node, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.node.story.sponsored_data.ad_id) +! https://www.facebook.com/marketplace/category/home/ +web.facebook.com,www.facebook.com##+js(json-prune, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.marketplace_search.feed_units.edges.[-].node.story.sponsored_data.ad_id) +! https://www.facebook.com/marketplace/category/vehicles +web.facebook.com,www.facebook.com##+js(json-prune, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.viewer.marketplace_feed_stories.edges.[-].node.story.sponsored_data.ad_id) +web.facebook.com,www.facebook.com###seo_pivots ~ div > div[style^="max-width"] > div[class] > div[style^="max-width"]:has(a[href^="/ads/about/?"]) +! https://www.reddit.com/r/uBlockOrigin/comments/1e4e9c1/fb_video_ads_is_getting_way_out_of_hand/ldel4vi/ +web.facebook.com,www.facebook.com##+js(json-prune-xhr-response, data.viewer.instream_video_ads data.scrubber, , propsToMatch, /api/graphql) + +!facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[role="feed"] > div[class]:has([data-ad-preview]) + +! https://forums.lanik.us/viewtopic.php?f=62&t=31322&start=30 +ndtv.com###ndtv-myModal +ndtv.com##body:style(overflow: auto !important) + +! https://github.com/uBlockOrigin/uAssets/issues/108 +wetteronline.*##+js(aopr, __eiPb) +wetteronline.*##^script:has-text(runCount) +wetteronline.*###topcontainer +wetteronline.de###woRect +wetteronline.de###woCsiAdContent + +! https://github.com/uBlockOrigin/uAssets/issues/104 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=m.timesofindia.com,redirect=google-ima.js +! https://github.com/uBlockOrigin/uAssets/issues/176 +! https://github.com/NanoAdblocker/NanoFilters/issues/57 +@@||m.photos.timesofindia.com^$ghide +||static.toiimg.com/ad-banner*/photo/*$image,redirect=2x2.png,domain=m.timesofindia.com +m.timesofindia.com##.adsinview +timesofindia.com##+js(aopr, detector) +timesofindia.indiatimes.com##+js(aeld, , adb) +m.timesofindia.com,timesofindia.indiatimes.com##+js(nostif, adb) +! https://github.com/NanoMeow/QuickReports/issues/1905 +||indiatimes.com^$image,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/104 +m.aajtak.in##body > #adbocker_alt.adblocker-page +m.aajtak.in##body > .secArticleTitle:style(display: block !important) +m.aajtak.in##body > .pubTime:style(display: block !important) +m.aajtak.in##body > .secArticleImage:style(display: block !important) +m.aajtak.in##body > .storyBody:style(display: block !important) +/amazon_products_prod.js$script,domain=aajtak.in + +! https://forums.lanik.us/viewtopic.php?p=102620#p102620 +amazon.*###s-results-list-atf > .s-result-item:has(> .s-item-container h5.s-sponsored-list-header) +! https://github.com/uBlockOrigin/uAssets/issues/1278 +amazon.*###s-results-list-atf > .s-result-item:has(.s-item-container h5.s-sponsored-header) +! https://github.com/uBlockOrigin/uAssets/issues/399 +amazon.*##.s-result-item:has(> .s-item-container > h5 .s-sponsored-info-icon) +! https://github.com/AdguardTeam/AdguardFilters/issues/83145 +amazon.*##.s-widget:has(> [data-cel-widget^="MAIN"] > [data-cel-widget^="tetris"] > div[id^="CardInstance"][class^="_tetris-"]) +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1618326670/80 blank slide on top page +amazon.*##.a-carousel-card:has(> div > div[cel_widget_id^="adplacements:"]):remove() +! https://github.com/uBlockOrigin/uAssets/issues/12268 +amazon.*##.AdHolder +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1598352715/851 +amazon.*###similarities_feature_div:has(span[id^="ad-feedback-text"]) +! https://github.com/easylist/easylist/commit/73701244b11d5d916bef99627dbfb409e7e14e44 +amazon.*##div[cel_widget_id="sims-consolidated-5_csm_instrumentation_wrapper"] + +! https://github.com/uBlockOrigin/uAssets/issues/1347 +motherless.com##+js(set, _ml_ads_ns, null) +motherless.com##+js(acs, jQuery, cookie) + +! https://news.ycombinator.com/item?id=12677179 +||x.shopsavvy.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/161 +||uim.tifbs.net/js/*.js$script,redirect=noopjs,domain=gmx.*|web.de +! https://github.com/uBlockOrigin/uAssets/issues/6834 +web.de##.main [data-ac]:empty +gmx.*##.main [data-ac]:empty +! https://github.com/uBlockOrigin/uAssets/issues/9083 +web.de##.iba-acceptable:has-text(/Anzeige|Info/) +! https://github.com/uBlockOrigin/uAssets/issues/15422 +*$image,redirect-rule=1x1.gif,domain=web.de +@@*$ghide,domain=web.de|gmx.* +web.de#@#.ad +web.de##.ad:style(position:absolute !important; left:-10000px !important; display:block !important; pointer-events: none !important;) +! https://github.com/uBlockOrigin/uAssets/issues/22834 +||web.de/*/nonfriendlyiframe.html$frame,1p +web.de##+js(rmnt, script, '"Anzeige"') +web.de##div[data-service-slot-initialized] + +! https://github.com/uBlockOrigin/uAssets/issues/8047 +! https://github.com/uBlockOrigin/uAssets/issues/5532 +! https://github.com/uBlockOrigin/uAssets/issues/5575 +! https://github.com/uBlockOrigin/uBlock-issues/issues/630 +! https://github.com/uBlockOrigin/uAssets/issues/6002 +golem.de##+js(acs, showAds) +golem.de##+js(nostif, adBlockerDetected) +golem.de##+js(nostif, show) +||video.golem.de/*/scripts/radiant/homad$xhr,redirect=nooptext,domain=golem.de +golem.de##[href^="https://ads.golem.de/"] +golem.de##.sp-article:has(span:matches-css-before(content:/Anzeige/i)) +golem.de##.list-articles>li:has(.icon-addy:matches-css-before(content: "Anzeige")) +golem.de##[data-article-id]:has([class]:matches-css-before(content:/ANZEIGE/)) + +! https://github.com/uBlockOrigin/uAssets/issues/7753 +@@||bild.de^$ghide +bild.de#@##fullBanner +bild.de#@##powerplace +bild.de#@##subchannelBanner1_1 +bild.de#@##subchannelBanner2_2 +bild.de#@#.cbErotikContentbar15 +bild.de#@#.contentbar +bild.de#@#.eyecatcher +bild.de#@#.footerbar +bild.de#@#.jetzt_aufnehmen +bild.de#@#.servicelinks +bild.de#@#.tea-rectangle +bild.de#@#.txe +bild.de#@#.yield +bild.de#@#.rectangle +bild.de#@#.fullbanner +bild.de#@#.ads +bild.de##div:matches-css-before(content:/Anzeige/i) +bild.de##.ad-wrapper +bild.de##aside[data-type="ad"] +! https://github.com/uBlockOrigin/uAssets/issues/8257 +! https://www.reddit.com/r/uBlockOrigin/comments/jxrzda/ +||tagger.opecloud.com^$xhr,redirect=noop.txt,domain=bild.de +bild.de##+js(aopr, SmartAdServerASMI) +! https://www.reddit.com/r/uBlockOrigin/comments/1gldn2v/bildde_adblockwall/ +bild.de##+js(rpnt, script, "adBlockWallEnabled":true, "adBlockWallEnabled":false) +sport.bild.de#@#.ad-wrapper +! https://github.com/uBlockOrigin/uAssets/issues/8360 +spiele.bild.de##+js(nano-stb, , 10000) +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,xhr,domain=spiele.bild.de +spiele.bild.de##div[id^="ad-landingpage-"] +spiele.bild.de##div[id^="ad-gamepage-"] +spiele.bild.de##.ad-vertical-box +||servedby.adbility-media.com^$3p +! https://github.com/uBlockOrigin/uAssets/issues/9615 +bild.de##.main-nav .utilities > li:style(margin-left:-0.5px !important) + +! https://github.com/uBlockOrigin/uAssets/issues/174 +! https://github.com/uBlockOrigin/uAssets/issues/4106 +sueddeutsche.de##+js(aopr, _sp_._networkListenerData) +sueddeutsche.de##+js(aopw, SZAdBlockDetection) +sueddeutsche.de##+js(set, _sp_.config, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/238 +8muses.com##.a-image +8muses.com###content > div > .gallery > a.t-hover.c-tile:has(iframe[src^="/banner/"]) +8muses.com##[href^="https://bit.ly/"] + +! Popups triggered by webrtc +2ddl.*,allitebooks.*,bonstreams.net,convertinmp4.com,crictime.com,ddlvalley.me,dramamate.*,eztv.*,fluvore.com,kiss-anime.*,letmewatchthis.*,mac-torrents.com,mkvcage.*,nflstream.io,oceanoffgames.com,sawlive.tv,skidrowcrack.com,toros.co,uptobox.com,yts.*,zooqle.*##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/245 +gamer.com.tw##img[onload="AntiAd.check(this)"] +gamer.com.tw##+js(aopr, AntiAd.check) + +! https://github.com/uBlockOrigin/uAssets/issues/244 +skidrowreloaded.com##+js(acs, open) +skidrowreloaded.com##+js(no-fetch-if, /^/) +! https://www.reddit.com/r/uBlockOrigin/comments/1eh8gsw/bypassing_ad_block_detected/ +skidrowreloaded.com##+js(rmnt, script, adserverDomain) + +! skidrowcodexgames.com ads +skidrowcodexgames.com##+js(aopr, _pop) +skidrowcodexgames.com##[class^="aligncenter wp-image-"] +*$script,3p,denyallow=googleapis.com,domain=skidrowcodexgames.com + +! Sourcepoint +! https://forums.lanik.us/viewtopic.php?f=62&t=34570 +! https://github.com/uBlockOrigin/uAssets/issues/266 +autobytel.com,cesoirtv.com,huffingtonpost.co.uk,huffingtonpost.com,moviefone.com,playboy.de##+js(aopw, _sp_) +faz.net##+js(acs, $, _sp_._networkListenerData) +eltern.de,essen-und-trinken.de,focus.de##+js(aopr, _sp_.mms.startMsg) +! https://github.com/jspenguin2017/uBlockProtector/issues/367 +! https://github.com/uBlockOrigin/uAssets/issues/701 +! https://github.com/uBlockOrigin/uAssets/issues/848 +! https://forums.lanik.us/viewtopic.php?p=127088#p127088 +! https://github.com/uBlockOrigin/uAssets/issues/1008 +! https://github.com/NanoAdblocker/NanoFilters/issues/12 +! https://github.com/uBlockOrigin/uAssets/issues/1442 +! https://forums.lanik.us/viewtopic.php?f=62&t=40162 +! https://github.com/uBlockOrigin/uAssets/issues/461 +! https://github.com/uBlockOrigin/uAssets/issues/4076 +! https://github.com/uBlockOrigin/uAssets/issues/5864 +20min.ch,al.com,alphr.com,autoexpress.co.uk,bikeradar.com,blick.ch,chefkoch.de,cyclingnews.com,digitalspy.com,democratandchronicle.com,denofgeek.com,esgentside.com,evo.co.uk,exclusivomen.com,ft.com,gala.de,gala.fr,heatworld.com,itpro.co.uk,livingathome.de,masslive.com,maxisciences.com,metabomb.net,mlive.com,motherandbaby.co.uk,motorcyclenews.com,muthead.com,neonmag.fr,newyorkupstate.com,ngin-mobility.com,nj.com,nola.com,ohmirevista.com,ohmymag.*,oregonlive.com,pennlive.com,programme.tv,programme-tv.net,radiotimes.com,silive.com,simplyvoyage.com,stern.de,syracuse.com,theweek.co.uk,ydr.com##+js(aopr, _sp_._networkListenerData) +! https://github.com/uBlockOrigin/uAssets/issues/271 +! https://forums.lanik.us/viewtopic.php?p=112285#p112285 +car.com,codeproject.com,familyhandyman.com,goldderby.com,headlinepolitics.com,html.net,indiewire.com,marmiton.org,mymotherlode.com,nypost.com,realgm.com,tvline.com,wwd.com##+js(aopw, _sp_) +codeproject.com##+js(aopr, retrievalService) +! https://github.com/NanoMeow/QuickReports/issues/928 +usatoday.com##+js(aopr, _sp_._networkListenerData) +usatoday.com##[aria-label="advertisement"] +usatoday.com##[data-gl-method="initTaboola"] +usatoday.com##.gnt_n:style(top: 0 !important; margin-top: 0 !important;) +familyhandyman.com##.ad +familyhandyman.com##.advertisement +familyhandyman.com##.cm-ad-unit-section + +! https://github.com/uBlockOrigin/uAssets/issues/273 +cwseed.com##+js(aopr, admrlWpJsonP) + +! https://github.com/uBlockOrigin/uAssets/issues/278 +pocketnow.com##+js(aopr, InstallTrigger) + +! https://github.com/el1t/uBlock-Safari/issues/24 +! https://github.com/uBlockOrigin/uAssets/commit/495baa68abad94e80bb3e21dbfbe6636f08cb10a#comments +! https://forums.lanik.us/viewtopic.php?p=145520#p145520 +! https://github.com/NanoMeow/QuickReports/issues/3028 +||adition.com^$important,domain=spiegel.de +@@||ad.yieldlab.net^$script,domain=spiegel.de,badfilter +||cdn.prod.www.spiegel.de/public/spon/generated/web/js/header*.js$script,1p +spiele.spiegel.de###ad-gamepage-top +spiele.spiegel.de##.ad +spiele.spiegel.de##div#ad-gamepage-bottom +spiegel.de##[data-area="affiliatebox"] +spiegel.de##[data-area="vouchers"] + +! https://github.com/uBlockOrigin/uAssets/issues/289 +! https://github.com/uBlockOrigin/uAssets/issues/2114 +! https://github.com/uBlockOrigin/uAssets/issues/2262 +! https://github.com/uBlockOrigin/uAssets/issues/2404 +! https://github.com/uBlockOrigin/uAssets/issues/3640 +quora.com##.PromptsList +quora.com##.AdBundle +quora.com##.AdStory +quora.com##.top_slot +quora.com##div[id$="_content_box"] +quora.com##.lower_slot +quora.com##[disable_auto_login*="True"] +quora.com##.FeedStory.feed_item > div > div:has-text(/by Quora for Business/i) +quora.com##.Toggle.SimpleToggle.ToggleAnswerFooterWrapper > div:has-text(/Promoted/i) +! from abp cv list for https://github.com/uBlockOrigin/uAssets/issues/8032 +quora.com##.u-margin-top--lg+div[class="UnifiedAnswerPagedList PagedListFoo unified"][id$="_paged_list"] +quora.com##.pagedlist_item > div[id$="_paged_list"] +quora.com##.answer_auto_expanded_comments + div > div.feed_expand +quora.com##.feedback_wrapper.hidden:not(.negative_action) + .FeedStory.HyperLinkFeedStory.feed_item +quora.com##div[class="question_main_col"] > div:nth-child(3) > div[class="UnifiedAnswerPagedList PagedListFoo unified"] +quora.com##div[class="pagedlist_item"] div[id*="paged_list"] +quora.com##.q-box.qu-borderAll>.q-box>div>div[class^="Box-sc-"]>div:not([class]) +quora.com##.q-box.qu-borderTop>[class^="Box-sc-"]>div:not([class]) +quora.com##div > [class^="Box-"] > div > .q-box.qu-pb--tiny.qu-pt--medium.qu-px--medium +quora.com##.qu-bg--white>[class^="Box-"] .qu-pt--medium +quora.com##.q-box.qu-borderTop>[class^="Box-"] .q-box.qu-pt--medium.qu-pb--tiny +quora.com##.q-box.qu-borderAll>.q-box>div:not([class="q-box"])>[class^="Box-"] +quora.com##.q-box.qu-borderAll.qu-bg--white>.q-box>div>[class="q-box "]>[class="q-box"] +quora.com##[class="q-box qu-borderTop"]>[class="q-box "] +quora.com##[class="q-box qu-bg--white"]>[class="q-box "]>[class="q-box"] +quora.com##.dom_annotate_multifeed_bundle_AdBundle +!www.quora.com##.q-box.qu-bg--white > span[data-nosnippet="true"] > .q-box +!www.quora.com##.qu-mb--small.qu-bg--white > .q-box > div > span[data-nosnippet="true"] > .q-box +!www.quora.com##.q-box.qu-borderTop > span[data-nosnippet="true"] > .q-box +!www.quora.com##span[data-nosnippet="true"] .q-box.qu-pb--tiny.qu-pt--medium +quora.com##div[class^="q-box dom_annotate_question_answer_item_"] .q-box.qu-borderTop:has(.dom_annotate_google_ad) + +! https://www.reddit.com/r/uBlockOrigin/comments/8stv3y +! https://github.com/uBlockOrigin/uAssets/issues/2667 +! https://github.com/uBlockOrigin/uAssets/issues/7220 +eurogamer.net,rockpapershotgun.com,vg247.com##+js(aopw, yafaIt) +eurogamer.de,eurogamer.es,eurogamer.it,eurogamer.net,eurogamer.pt,rockpapershotgun.com,vg247.com##+js(aopr, _sp_.mms.startMsg) +||bit.ly^$popup,domain=eurogamer.net +eurogamer.net,rockpapershotgun.com##.leaderboards +eurogamer.*##.advert + +! https://forums.lanik.us/viewtopic.php?p=101913#p101913 +auto-motor-und-sport.de,caravaning.de,womenshealth.de##+js(aopw, adblockActive) + +! https://github.com/uBlockOrigin/uAssets/issues/299 +! https://github.com/uBlockOrigin/uAssets/issues/846 +gamestorrents.*,gogoanimes.*,limetorrents.*,piratebayz.*##+js(aopr, LieDetector) +mediafire.com##+js(aeld, click, ClickHandler) +mediafire.com##+js(aeld, load, IsAdblockRequest) +mediafire.com##+js(nostif, InfMediafireMobileFunc, 1000) +gamestorrents.*,gogoanimes.*,limetorrents.*,piratebayz.*##^script:has-text(AaDetector) +mediafire.com##.errorExtraContent +mediafire.com##.center:style(margin-top:50px !important) + +! https://github.com/uBlockOrigin/uAssets/issues/3826 +||rule34.us/ad.html$frame + +! https://github.com/uBlockOrigin/uAssets/issues/1081 +! https://www.reddit.com/r/uBlockOrigin/comments/8sbjjk +! https://github.com/uBlockOrigin/uAssets/issues/8307 +rule34.xxx##+js(aopr, newcontent) +rule34.xxx##[src^="https://rule34.xxx/aa/"] +rule34.xxx###right-col > div > #lbot1.a_list +rule34.xxx##body > a > div[id]:style(background: var(--c-bg, #aae5a3) !important) +rule34.xxx###halloween +! https://github.com/uBlockOrigin/uAssets/issues/16970#issuecomment-1803126533 +rule34.xxx##.dp +||rule34.xxx/static/fp/$image,1p +||rule34.xxx/images/clicker.png +realbooru.com##+js(aopr, ExoLoader.serve) +realbooru.com##.adzoneTest +realbooru.com##.flex_content_main > div[style$="min-height: 125px;"] +! https://github.com/uBlockOrigin/uAssets/issues/16970 +||rule34.xxx/*/nutaku/ + +! rule34.top etc. popups +||topxxxlist.net/eroclick.js +/pop.js$domain=booru.*|erotic-beauties.com|hardsex.cc|rule34.top|sex-movies.biz|tube18.sexy|xvideos.name +||rule34.top^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +||rule34.top/eroclick.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/1080 +xbooru.com##a[href^="https://xbooru.com/c.html"] +||xbooru.com^$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17987 +@@||kbb.com^$ghide +kbb.com##[id^="kbbAds"], [id^="kbbAds"] + p + +! Fingerprint2 popups +dfiles.eu,downsub.com,j.gs,macserial.com,microify.com,minecraft-forum.net,onmovies.*,pirateproxy.*,psarips.*,solidfiles.com,thepiratebay.org,uptobox.com##+js(aopw, Fingerprint2) +solidfiles.com##.remove +thepiratebay.org##[href^="http://www.coiwqe.site/"] + +! https://github.com/uBlockOrigin/uAssets/issues/4086 +! https://github.com/uBlockOrigin/uAssets/issues/12524 +! https://github.com/uBlockOrigin/uAssets/issues/12740 +watchcartoononline.*,wcostream.*##+js(nofab) +watchcartoononline.*,wcostream.*##+js(noeval) +watchcartoononline.*,watchcartoonsonline.*,wcostream.*##+js(acs, document.createElement, jsc.mgid.com) +wcostream.*##+js(nowoif) +watchcartoononline.bz##.BorderColorChangeElement +! https://www.reddit.com/r/uBlockOrigin/comments/eslovb/seriously_well_now_watchcartoononline_has_their/ +@@||wcoanimedub.tv^$ghide +@@||wcoanimesub.tv^$ghide +@@||wco.tv^$ghide +wco.tv##iframe.hide-ads:upward(div[style]) +watchanimesub.net,wco.tv,wcoanimesub.tv,wcoforever.net##+js(set, isAdBlockActive, false) +wcoanimedub.tv,wcoforever.net##+js(nostif, google_jobrunner) +m.wcostream.org##center +||bloxplay.com^ +wcoforever.net##.anti-ad +wcoforever.net###sidebar_r1 +@@||embed.watchanimesub.net^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/331 +! https://github.com/uBlockOrigin/uAssets/issues/10133 +handelsblatt.com##+js(no-xhr-if, request=adb) +@@||handelsblatt.com^$ghide +||handelsblatt.com/*/empty.js$script,1p +||wiwo.de/preparesite/empty.js$script,1p +wiwo.de##+js(set, AdController, noopFunc) +@@||wiwo.de^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/347 +transfermarkt.*##+js(acs, document.querySelector, popupBlocked) +transfermarkt.*##+js(acs, Math, /\}\s*\(.*?\b(self|this|window)\b.*?\)/) +transfermarkt.*##body > div[id]:has(a[href^="/intern/adblock"]) +||s0.2mdn.net/instream/video/client.js$script,redirect=noopjs,domain=player.performgroup.com +||sascdn.com^$important,script,domain=transfermarkt.de +transfermarkt.*###werbung_superbanner +transfermarkt.*##.werbung +transfermarkt.*##[id^="home-rectangle-"] + +! kissasian .sh, .li, .sk +! https://www.reddit.com/r/uBlockOrigin/comments/u8f1c6/blocked_video/ +kissasian.*##+js(aeld, /^(?:click|mousedown)$/, _0x) +keephealth.info,kissasian.*##+js(aopr, mm) +keephealth.info,kissasian.*##+js(nostif, (), 45000) +kissasian.*##+js(set, check_adblock, true) +kissasian.*##+js(nowoif) +@@||kissasian.*^$ghide +kissasian.*##.ksAds +kissasian.*##[id*="ScriptRoot"] +kissasian.*###videoAd +kissasian.*###hideAds +kissasian.*##div[style$="width: 610px;"]:has(.adsbyvli) +kissasian.*##div[style$="height: 90px;"]:has(.adsbyvli) +kissasian.*###overplay +||kissasian.*/Ads/$frame + +! https://github.com/uBlockOrigin/uAssets/issues/4864 +*expires$media,redirect=noopmp3-0.1s,domain=sat1.de|wetter.com +||vidapi.expepp.de/files/*$media,domain=moviepilot.de +! https://github.com/uBlockOrigin/uAssets/issues/14619 +moviepilot.de##+js(nano-stb, _0x, *) +moviepilot.de##+js(no-xhr-if, doubleclick) +! https://github.com/uBlockOrigin/uAssets/issues/20985 +moviepilot.de##+js(rmnt, script, Promise) + +! https://forums.lanik.us/viewtopic.php?f=64&t=29322 +mma-core.*##+js(nostif, displayAdBlockedVideo) +mma-core.*##+js(acs, $, undefined) +mma-core.*###tlbrd +mma-core.*##.rsky +mma-core.*##.outVidAd +mma-core.*##.banr +||webpartners.co^$3p + +! https://forums.lanik.us/viewtopic.php?f=62&t=36750 +! https://github.com/uBlockOrigin/uAssets/issues/406 +! https://github.com/NanoAdblocker/NanoFilters/issues/100 +! https://github.com/uBlockOrigin/uAssets/issues/2509 +! https://github.com/NanoMeow/QuickReports/issues/253 +@@||poststar.com^$ghide +poststar.com##.dfp-ad +grubstreet.com,twitchy.com##+js(aopr, stop) +||em0n.com^$domain=grubstreet.com|twitchy.com +popculture.com##div.modernInContent +! https://github.com/uBlockOrigin/uAssets/issues/2904 +||static.tvtropes.org/design/js/google-adblock.js$script +! https://popculture.com/celebrity/news/austin-butler-tears-up-remembering-lisa-marie-presley/ video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=popculture.com,important +! https://www.reddit.com/r/uBlockOrigin/comments/17w81gw/remove_whitespace_at_the_top_and_move_everything/ +popculture.com##body:not(.skybox-loaded) > header:style(top: 0 !important;) +popculture.com##body.pcm-public:not(.skybox-loaded):style(margin-top: 90px !important;) + +! Prevent popunders + redirections on multiple websites +||go.oclasrv.com/apu.php$script,redirect=noopjs +||go.onclasrv.com/apu.php$script,redirect=noopjs +||onclkds.com/apu.php$script,redirect=noopjs +||xxlargepop.com/apu.php$script,redirect=noopjs + +! https://github.com/gorhill/uBlock/issues/3176 +rule34hentai.net##+js(aopr, open) +||rule34hentai.net/*.php$script,1p +rule34hentai.net##[href^="https://syndication.dynsrvtbg.com/splash.php"] +rule34hentai.net###commentlistimage ~ section[id$="main"] +rule34hentai.net###imagelist ~ section[id$="main"] +rule34hentai.net##section[id$="left"]:has(> .blockbody > script[type]) +rule34hentai.net##section[id$="main"]:has(> .blockbody > .adsbyexoclick) + +! https://github.com/uBlockOrigin/uAssets/issues/444 +kingofdown.com##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/446 +mind42.com###sidebar +mind42.com###content.sidebar2:style(margin-right: 0 !important;) + +! https://twitter.com/v_josel/status/877137961615273985 +elmundo.es##.Bloque-anuncios-shadow +elmundo.es##.Bloque-anuncios +elmundo.es##.disabled-vscroll:style(overflow: auto !important; position: initial !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/492 +||andreas-unterberger.at/includes/js/helperFunctions.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/498 +receive-sms-online.info##+js(aopr, ga.length) + +! https://github.com/uBlockOrigin/uAssets/issues/500 +! https://github.com/uBlockOrigin/uAssets/issues/828 +||gainskins.com^$frame,domain=hltv.org +||hltv.org/img/newwidgets/$image +||hltv.org/img/static/featured_bet_bg.png$image +||hltv.org/*.gif?ixlib=$image +hltv.org##+js(nowoif) +hltv.org##.leftCol > aside:first-child:has(> .ggbe-firstcol-box > a[href] > img[src*="/ggbet/"]) +hltv.org##body, body::before:style(background-image: unset !important;) +hltv.org##:is(div, aside):has(> a[href^="/"][data-link-tracking-page="Widget"]) +hltv.org##.leftCol > div [data-link-tracking-page="Widget"]:upward(.leftCol > div) +hltv.org##.presented-by +hltv.org##.thunderpick-firstcol-box +hltv.org##a:matches-attr(href=/[a-zA-Z0-9]{100,}/) + +! https://github.com/uBlockOrigin/uAssets/issues/7802 +! primewire.mn ads +primewire.*##+js(set, console.clear, noopFunc) +primewire.*##:xpath('//*[contains(text(),"Sponsored")]'):upward(2) +||primewire.*/sw$script,1p +||primewire.*/addons/*.gif$image +primewire.*##.ico.close + +! https://github.com/uBlockOrigin/uAssets/issues/7113 +! https://github.com/uBlockOrigin/uAssets/issues/9118 +!broken video ign.com##+js(aopr, __eiPb) +ign.com##^script:has-text(iframeTestTimeMS) +ign.com##.preShell:style(height: 0 !important;) +ign.com###king +ignboards.com,ign.com##^script:has-text(g02.) +||au.ign.com^$inline-script +! https://github.com/abp-filters/abp-filters-anti-cv/pull/455 +ignboards.com##+js(acs, JSON.stringify) +*$xhr,redirect-rule=1x1.gif,domain=ign.com +*$script,redirect-rule=noopjs,domain=ignboards.com + +! https://github.com/uBlockOrigin/uAssets/issues/905 +||fux.com/*banner$image +fux.com##.autonextAd +.com/external/*?width=300&height=250$frame,1p +.com/nativeexternal/$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/549 +! https://forums.lanik.us/viewtopic.php?f=64&t=40089 +steamplay.*##+js(aopr, btoa) +steamplay.*,streamp1ay.*##+js(aopw, Fingerprint2) +streamp1ay.*##+js(aopw, Fingerprent2) +steamplay.*,streamp1ay.*##+js(aopr, console.clear) +steamplay.*,streamp1ay.*##+js(aopw, adcashMacros) +slreamplay.*##+js(nano-stb, grecaptcha.ready, *) +@@player*.html$frame,1p,domain=slreamplay.* +*$frame,denyallow=google.com,domain=slreamplay.*|streampiay.* +ext=$script,1p,domain=slreamplay.* +||*ontent.steamplay.*^$all +||steamplay.*^$csp=worker-src 'none'; +@@||streamp1ay.*^$ghide +*$xhr,frame,3p,domain=streamp1ay.cc,denyallow=spcdn.cc +! https://github.com/uBlockOrigin/uAssets/issues/8244 +slreamplay.*,steamplay.*,steanplay.*,stemplay.*,streamp1ay.*,streanplay.*,streampiay.*##+js(nowoif) +streanplay.*##+js(set, console.log, noopFunc) +streanplay.*##+js(set, console.clear, noopFunc) +streanplay.*,steanplay.*##+js(aeld, , BACK) +streanplay.*##+js(nowebrtc) +steamplay.*,steanplay.*,stemplay.*,streamp1ay.*,streanplay.*##+js(aopr, jwplayer.utils.Timer) +steamplay.*,steanplay.*,streamp1ay.*,streanplay.*##.ad +slreamplay.*,steamplay.*,steanplay.*,stemplay.*,streamp1ay.*,streampiay.*,streanplay.*###uverlay +steanplay.*,streanplay.*##div[style*="z-index: 2147483647;"][style*="position: fixed;"] +*$xhr,frame,3p,domain=steanplay.*|streanplay.cc,denyallow=spcdn.cc +stre4mplay.*##.ad +stre4mplay.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/3895 +torrentfunk.com##+js(nowebrtc) +||torrentfunk.com/s1w.js$script,1p +torrentfunk.com##[href*=".premium"] +torrentfunk.com##:xpath(//strong[contains(text(),"VPN")]/../../..) +torrentfunk.com##.extneed + +! https://github.com/uBlockOrigin/uAssets/issues/558 +! https://github.com/uBlockOrigin/uAssets/issues/578 +! https://github.com/uBlockOrigin/uAssets/issues/4272 +! https://github.com/NanoAdblocker/NanoCore/issues/234#issuecomment-450343022 +torrentz2.*##[class]:not(body):not(html):has-text(/Protect your privacy/i) +torrentz2.*##[class]:not(body):not(html):has-text(Sponsored) +torrentz2.*##.xpressa + +! https://github.com/uBlockOrigin/uAssets/issues/571 +informer.com##+js(aopr, adblock_added) +informer.com##.screen_ad + +! https://github.com/uBlockOrigin/uAssets/issues/1286 +torlock.*,torlock2.*##+js(acs, setTimeout, admc) +||torlock.*/sww.js$script,1p +torlock.*##:xpath(//strong[contains(text(),"VPN")]/../../..) +torlock.*,torlock2.*##+js(nowebrtc) +torlock2.*##:xpath(//strong[contains(text(),"VPN")]/../../..) +torlock.*,torlock2.*##.extneed +/script/bootstrap.js$script,3p,domain=torlock.*|torlock2.* + +! https://github.com/uBlockOrigin/uAssets/issues/590 +! https://www.reddit.com/r/uBlockOrigin/comments/76srms/local_news_sites_in_the_uk_now_attempting_to/ +bordertelegraph.com,bournemouthecho.co.uk,dailyecho.co.uk,dorsetecho.co.uk,eveningtimes.co.uk,guardian-series.co.uk,heraldscotland.com,iwcp.co.uk,lancashiretelegraph.co.uk,oxfordmail.co.uk,salisburyjournal.co.uk,theargus.co.uk,thetelegraphandargus.co.uk,yorkpress.co.uk##+js(aopw, _sp_) + +! https://github.com/uBlockOrigin/uAssets/issues/598 +! https://github.com/uBlockOrigin/uAssets/issues/7124 +9to5google.com,9to5mac.com,9to5toys.com,dronedj.com,electrek.co,marketrealist.com##.ad-disclaimer-container, .inlinead, .ad-container +||googlesyndication.com^$xhr,redirect=noopjs,domain=9to5google.com|9to5mac.com|9to5toys.com|dronedj.com|electrek.co|marketrealist.com +*$script,redirect-rule=noopjs,domain=9to5google.com|9to5mac.com|9to5toys.com|dronedj.com|electrek.co|marketrealist.com +dronedj.com##.adsense, a[target="_blank"][rel="noopener noreferrer"] +9to5toys.com,dronedj.com##.slot-leaderboard +marketrealist.com###Track\.End + div[class] +marketrealist.com##.gXgoom > div + +! https://github.com/uBlockOrigin/uAssets/issues/611 +||dslr-forum.de/ads/$image +*/plugin/advertisement/$image + +! https://github.com/uBlockOrigin/uAssets/issues/12823 +@@||myreadingmanga.disqus.com^$script +myreadingmanga.info##.imgtop +myreadingmanga.info##center + +! https://github.com/uBlockOrigin/uAssets/issues/506 +! https://github.com/uBlockOrigin/uAssets/issues/6568 +||msn.com/advertisement.ad.js$script,1p,important +||aolcdn.com/ads/adswrappermsni.js$script,domain=msn.com,important +! https://github.com/uBlockOrigin/uAssets/issues/3703#issuecomment-435044782 +msn.com##.extnativeaditem, .serversidenativead > h3 +msn.com##.colombiaintraarticleads +! https://github.com/NanoMeow/QuickReports/issues/2332 +msn.com##[data-aop="stripe.sponsored.navigation_stripenavigation"]:upward(2) +msn.com##[data-aop="stripe.store.navigation_stripenavigation"]:upward(2) +msn.com##.stripenav:has(.adslabel):upward(2) +msn.com##.todayshowcasead +! https://github.com/NanoMeow/QuickReports/issues/1486#issuecomment-557161527 +msn.com##.stripecontainer:has(.adslabel) +! https://www.msn.com/ja-jp/news placeholder +msn.com##msft-article-card:not([class]) +! https://github.com/uBlockOrigin/uAssets/issues/19845 +msn.com##msft-article-card:not(.contentCard) +! https://github.com/AdguardTeam/AdguardFilters/issues/173054 +www.msn.com##+js(json-prune-fetch-response, properties.componentConfigs.slideshowConfigs.slideshowSettings.interstitialNativeAds, , propsToMatch, url:consumptionpage/gallery_windows/config.json) +! https://github.com/AdguardTeam/AdguardFilters/issues/146823 +www.msn.com##+js(json-prune-fetch-response, *, list.*.link.ad list.*.link.kicker, propsToMatch, url:content/v1/cms/api/amp) +msn.com##.vd-ad + +! https://github.com/uBlockOrigin/uAssets/issues/12058 +! https://www.reddit.com/r/uBlockOrigin/comments/1dnyvz4/fmovies24to_bypass/ +vid2faf.*##+js(nowoif) +bflix.*,mcloud.*,vizcloud.*,vizcloud2.*##+js(aopr, AaDetector) +bflix.*##+js(aopr, mm) +vizcloud.*,vizcloud2.*##.xad-wrapper +vidplay.*,vizcloud.*##+js(ra, data-id|data-p, '[data-id],[data-p]', stay) +vid2faf.*,vidplay.*##[src^="assets/bn"]:upward([style]) +||i.imgur.com^$image,domain=vizcloud.*|vizcloud2.* +/mellowpresence.com^$script +/\/[A-Z]{1,2}\/[-0-9a-z]{5,}\.com\/(?:[0-9a-f]{2}\/){3}[0-9a-f]{32}\.js$/$script,1p,match-case,to=com +! https://github.com/uBlockOrigin/uAssets/issues/19260 +/lazymolecule/*.js$script + +youtubedownloader.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/829 +iptvbin.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/688 +spaste.com##+js(nofab) +spaste.com##[href^="http://bit.ly/"] +spaste.com##[href="javascript:showhide('deals')"] +spaste.com##b +spaste.com##h5:has(> a[href^="javascript:"]) +spaste.com##h5 > a[href^="http://amzn.to/"] + +! https://forums.lanik.us/viewtopic.php?p=124271#p124271 +dailyuploads.net##+js(acs, $, window.open) +dailyuploads.net##+js(nowoif) +*$script,3p,denyallow=google.com|gstatic.com,domain=dailyuploads.net +||coertiest.click^ + +! sports streams vipleague +@@*$ghide,domain=f1stream.*|fbstream.*|mlbstream.*|motogpstream.*|nbastream.*|nflstream.*|nhlstream.*|plylive.*|plyvdo.*|rugbystreams.*|socceronline.*|tennisstreams.*|tvply.*|ufcstream.*|vipleague.* +plylive.*,plyvdo.*##+js(nowoif) +tennisstreams.*,vipleague.*##+js(acs, setTimeout, admc) +||mw19c3mi5a.com^$3p +||ryllae.com^$3p,important +##[data-uri^="https://s3.amazonaws.com"] +##[data-lnguri^="https://s3.amazonaws.com"] +fbstream.*##.position-absolute +vipleague.*##.bg-dark.ratio > .position-absolute +*/script/formula.js|$script +nolive.me##+js(set, attachEvent, trueFunc) +nolive.me##+js(nosiif, debug) +vipleague.*##.m-1.btn-danger.btn + +! https://github.com/uBlockOrigin/uAssets/issues/723 +xmoviesforyou.*##+js(aopr, popjs.init) +xmoviesforyou.*##+js(aopr, decodeURI) + +! https://github.com/jspenguin2017/uBlockProtector/issues/624 +kisshentai.net##+js(aopr, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/739 +||zergnet.com/zerg-inf-multi$3p,script + +! https://github.com/gorhill/uBlock/issues/3114 +wunderground.com##+js(aopw, _sp_) +wunderground.com##[class*="-ad-box-"] +! https://github.com/uBlockOrigin/uAssets/issues/22408 +wunderground.com##.content-wrap #inner-wrap:style(height: 100vh !important;) +wunderground.com##body wu-header:style(margin-top: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/841 +putlockerc.*##+js(nowoif) +putlocker.*##[id*="ScriptRoot"] +putlocker.*##.ep_buttons +! https://github.com/AdguardTeam/AdguardFilters/issues/184115 +||putlocker.*/sab_*.html$frame +||earn-bitcoins.net^$frame,3p +fstream365.com###overlay-ads +fstream365.com###ol-ads + +! https://github.com/uBlockOrigin/uAssets/issues/4674 +! https://forums.lanik.us/viewtopic.php?f=62&t=40397 +! https://www.reddit.com/r/uBlockOrigin/comments/aqcoi3/annoying_ads_on_putlockertv/ +putlocker-website.com,putlockertv.*##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/9vmhj2 +||greedseed.world/vpaid/YtVpaid.php +putlocker.*##+js(aopw, open) +putlocker.*##+js(aopw, adcashMacros) +||putlocker.*/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/757 +@@||ultrahorny.com^$ghide +@@||ajax.googleapis.com^$script,domain=ultrahorny.com +ultrahorny.com##.afs_ads +ultrahorny.com###hideads + +! https://www.reddit.com/r/uBlockOrigin/comments/75zmyk/ublock_not_blocking_grammarly_ads_on_citation/ +! https://github.com/uBlockOrigin/uAssets/issues/806 +bibme.org,citationmachine.net##+js(aopr, SBMGlobal.run.pcCallback) +citationmachine.net,citethisforme.com,easybib.com##+js(aopr, SBMGlobal.run.gramCallback) +citethisforme.com##.sbm-ad +! https://github.com/uBlockOrigin/uAssets/issues/2155 +bibme.org,citationmachine.net##+js(aeld, load, (!o)) +easybib.com##+js(aeld, load, (!i)) +citethisforme.com##.ads_top_middle +||contributor.google.com/scripts/*/loader.js$script,domain=citationmachine.net + +! https://forums.lanik.us/viewtopic.php?f=62&t=38653 +radio.*##.topAdSpacer + +! https://www.reddit.com/r/uBlockOrigin/comments/772sm4/help_me_figure_out_how_to_block_these/ +! https://github.com/NanoMeow/QuickReports/issues/2485 +mmorpg.com##[onclick^="trackClick"] +mmorpg.com##a[href^="http://v2.g.99.com/"] +mmorpg.com##.vhadb + +! https://github.com/uBlockOrigin/uAssets/issues/4163 +mylink.*,my1ink.*,myl1nk.*,myli3k.*##+js(acs, decodeURIComponent, 'shift') +mylink.*,my1ink.*,myl1nk.*,myli3k.*##+js(nosiif, /0x|google|ecoded|==/) +mylink.*,my1ink.*,myl1nk.*,myli3k.*##+js(nowoif) +mylink.*,my1ink.*,myl1nk.*,myli3k.*##a[href^="https://go.nordvpn.net/"], [src^="/nordcode.php"] +mylink.*,my1ink.*,myl1nk.*,myli3k.*##div[id][style^="width: 970px; height: 250px;"] +mylink.*,my1ink.*,myl1nk.*,myli3k.*##div[id][style="width: 300px; height: 250px;"] +mylink.*,my1ink.*,myl1nk.*,myli3k.*##div[id][style="width: 728px; height: 90px;"]:upward(#pub1) +mylink.*,my1ink.*,myl1nk.*,myli3k.*##html > iframe +@@*$script,1p,domain=mylink.*|my1ink.*|myl1nk.*|myli3k.* +@@||in-page-push.com^$script,domain=mylink.*|my1ink.*|myl1nk.*|myli3k.* +@@||googleads.g.doubleclick.net/pagead/test_domain.js$script,domain=mylink.*|my1ink.*|myl1nk.*|myli3k.* +*$script,redirect-rule=noopjs,domain=mylink.*|my1ink.*|myl1nk.*|myli3k.* +*$script,3p,denyallow=cloudflare.com|cloudflare.net|consensu.org|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|recaptcha.net|twitter.com|x.com,domain=mylink.*|my1ink.*|myl1nk.*|myli3k.*|~mylink.tel +freebeacon.com##.uppercase:has-text(/advertisement/i) + +! https://github.com/uBlockOrigin/uAssets/issues/19806 +sankakucomplex.com##.vce-ad-container +sankakucomplex.com#@#.scad +sankaku.app##+js(no-xhr-if, googlesyndication) +chan.sankakucomplex.com##body.no-scroll:style(overflow: auto !important; position: static !important; width: unset !important;) +! https://github.com/uBlockOrigin/uAssets/issues/25266 +sankakucomplex.com##+js(set, Object.prototype.hideAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/778 +! https://github.com/jspenguin2017/uBlockProtector/issues/853 +@@||anghami.com^$ghide +@@||anghamiwebcdn.akamaized.net/ads.$script,domain=play.anghami.com +@@||d24n15hnbwhuhn.cloudfront.net/libs/amplitude-$script,domain=play.anghami.com +play.anghami.com##.sideBox:has(.adsbox) +anghami.com##anghami-ads +anghami.com##+js(nostif, isDesktopApp, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/5952 +player.glomex.com,merkur.de,tz.de##+js(set, Object.prototype._getSalesHouseConfigurations, noopFunc) +player.glomex.com##+js(no-fetch-if, player-feedback) +||player-feedback*.glomex.*^ + +! https://github.com/uBlockOrigin/uAssets/issues/767 +theoutline.com##.stack-embed + +! https://github.com/uBlockOrigin/uAssets/issues/25 +wired.com##[class^="OutbrainGridColumn-"] +wired.com##[class^="StickyHeroAdWrapper-"] +wired.com###around-the-web +! https://github.com/uBlockOrigin/uAssets/issues/28 +||googlesyndication.com/pagead/*$script,important,domain=wired.com +||wired.com/ams/page-ads.js$important,script +wired.com##+js(nostif, Bait) +! "Sponsored stories" section spotted 1st-hand at: +! https://www.wired.com/2011/08/google-studying-re-ranking-search-results-using-1-button-data-but-its-touchy/ +wired.com##.sponsored-stories-component +! wired.com: more EasyList's exception filters to counter +||doubleclick.net^$important,script,domain=wired.com +wired.com##[id^="cns_ads_"] +wired.com##[class^="adv"] +wired.com##.failsafe-desktop +! https://github.com/NanoMeow/QuickReports/issues/1751#issuecomment-591741616 +wired.com##.consumer-marketing-unit + +! https://github.com/uBlockOrigin/uAssets/issues/790 +androidrepublic.org##+js(acs, $, samInitDetection) + +! https://github.com/uBlockOrigin/uAssets/issues/796 +! https://github.com/uBlockOrigin/uAssets/issues/6880 +biqle.*##+js(acs, decodeURI, decodeURIComponent) +biqle.*##+js(aopr, Date.prototype.toUTCString) +||biqle.ru/swp.js$script,1p +dxb.to##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/10545 +nytimes.com,nytimes3xbfgragh.onion###site-content > div[class^="css"]:has(> [data-testid="StandardAd"]) +nytimes.com,nytimes3xbfgragh.onion##article.story:style(opacity: 1.0 !important;) +nytimes.com,nytimes3xbfgragh.onion##:xpath(//div[starts-with(@id, "dfp-ad")]/../..) +nytimes.com,nytimes3xbfgragh.onion##section[aria-labelledby="new-york-section"] > div > div[class^="css"]:has(> #pp_morein-wrapper) +! https://github.com/uBlockOrigin/uAssets/issues/816 +! https://github.com/uBlockOrigin/uAssets/issues/3708 +cooking.nytimes.com#?#.nytc---modal-window---isShown:not(:has(.nytc---largepicturemodal---contentBody > .nytc---x---x.nytc---largepicturemodal---xBtn[role="button"], .nytc---grocerylistmodal---groceryListContentContainer)) +cooking.nytimes.com##body:style(height: auto !important; overflow: auto !important) +cooking.nytimes.com##html:style(height: auto !important; overflow: auto !important) +! https://github.com/easylist/easylist/commit/1509d85840e1245394ed7fb6cbbbedc9c0cda103 +@@||nytimes.com^*/adslot-$script,xhr,badfilter +! https://github.com/uBlockOrigin/uAssets/issues/16519 +nytimes.com##[id^="story-ad"][id$="wrapper"] + +! https://forums.lanik.us/viewtopic.php?f=62&t=32450 +! https://github.com/uBlockOrigin/uAssets/issues/2973 +mp4upload.com##+js(aopw, adcashMacros) +mp4upload.com##+js(aopr, Adcash) +mp4upload.com###lay.lay +*$script,redirect-rule=noopjs,domain=mp4upload.com +*$script,3p,denyallow=cloudflare.com|cloudflare.net|fontawesome.com|gstatic.com|hwcdn.net|jquery.com|jsdelivr.net,domain=mp4upload.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/133530 +userupload.*##+js(rmnt, script, /adbl/i) +@@||userupload.*^$ghide +userupload.*##.btn-danger:has-text(/download/i) +userupload.*##a[href*="hotstar"] +userupload.*##ins.adsbygoogle +userupload.*##.ads +||tgwidget.com^$3p + +! https://github.com/reek/anti-adblock-killer/issues/3723 +wetter.com##+js(acs, $, lobster) +at.wetter.com##+js(aopw, openLity) + +! https://www.camp-firefox.de/forum/viewtopic.php?p=1057609#p1057609 +! https://forums.lanik.us/viewtopic.php?p=127880#p127880 +motorradonline.de,zentralplus.ch##+js(nofab) + +! https://github.com/uBlockOrigin/uAssets/issues/843 +business-standard.com##+js(acs, $, blockThisUrl) + +! https://forums.lanik.us/viewtopic.php?f=62&t=39052 +powerthesaurus.org##+js(aopw, ad_abblock_ad) + +! https://github.com/uBlockOrigin/uAssets/issues/846 +! https://github.com/jspenguin2017/uBlockProtector/issues/816 +! https://github.com/uBlockOrigin/uAssets/issues/16180 +! Popups triggered by popads +animepahe.*,kwik.*##^script:has-text('shift') +animepahe.*,kwik.*##^script:has-text(\'shift\') +animepahe.*,kwik.*##+js(acs, String.fromCharCode, 'shift') +animepahe.*,kwik.*##+js(aopr, open) +animepahe.*,kwik.*##+js(aopr, PopAds) +pahe.*##+js(rmnt, script, Reflect) +pahe.*##+js(nowoif) +@@||kwik.*^$script,1p +! https://forums.lanik.us/viewtopic.php?f=62&t=44940 pahe .in / .ph +! https://github.com/uBlockOrigin/uAssets/issues/8398 +pahe.*##+js(aeld, , _0x) +@@||pahe.*^$ghide + +! https://forums.lanik.us/viewtopic.php?f=64&t=39161 +zonebourse.com##+js(acs, $, AdBlocker) + +! bad*.it network sites +! https://github.com/NanoMeow/QuickReports/issues/3260 +badtaste.it##+js(aeld, , Adblock) + +! https://github.com/reek/anti-adblock-killer/issues/3760 +aofsoru.com##+js(acs, addEventListener, displayMessage) + +! https://github.com/uBlockOrigin/uAssets/issues/5397 +! https://github.com/uBlockOrigin/uAssets/issues/8295 +! https://github.com/uBlockOrigin/uAssets/pull/12748 +yts.*##+js(aeld, , _0x) +yts.*##+js(aopr, runAdblock) +yts.*##+js(nowoif) +yts.*##+js(nostif, "admc") +yts.*##+js(acs, document.createElement, admc) +yts.*##+js(aopw, Adcash) +yts.*##^script:has-text(admc) +*/script/clock.js$script,domain=yts.* +yts.*##[id*="container"][id^="id"] +yts.*##html:style(overflow: auto !important;) +yts.*##.cborz-bordered +yts.*##.madikf +! https://github.com/uBlockOrigin/uAssets/issues/19405 +yts.mx##.title ~ a[href] .button:upward(.container > div) +yts.mx##^script:has-text(document.write) +yts.mx##+js(rmnt, script, document.write) +yts.mx##.container > [class]:has-text(VPN) + +! https://www.reddit.com/r/uBlockOrigin/comments/7fr9jc/help_with_disabling_the_antiadbock_message_on/ +sarugbymag.co.za##+js(aopr, showAds) + +! https://forums.lanik.us/viewtopic.php?f=62&t=39202 +! https://github.com/AdguardTeam/AdguardFilters/issues/78153 +! https://github.com/AdguardTeam/AdguardFilters/issues/116391 +imgdrive.net,imgwallet.com##+js(acs, jQuery, TestAdBlock) +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##+js(aopr, ExoLoader) +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##+js(aopr, loadTool) +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##+js(aopw, cticodes) +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##+js(aopw, imgadbpops) +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##+js(acs, document.getElementById, document.write) +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##+js(nano-stb, redirect, 4000) +/(?:com|net)\/[a-z-]{3,10}\.html$/$frame,1p,domain=imgadult.com|imgdrive.net|imgtaxi.com|imgwallet.com +/(?:com|net)\/[0-9a-f]{12}\.js$/$script,1p,domain=imgadult.com|imgdrive.net|imgtaxi.com|imgwallet.com +/ea/fl.js +/ea2/fl.js +/altiframe.php$domain=imgadult.com|imgdrive.net|imgtaxi.com|imgwallet.com +/altiframe2.php$domain=imgadult.com|imgdrive.net|imgtaxi.com|imgwallet.com +/frame.php$domain=imgadult.com|imgdrive.net|imgtaxi.com|imgwallet.com +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##.blink +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##.sidebar > div:first-of-type +imgadult.com,imgdrive.net,imgtaxi.com,imgwallet.com##.sidebar > h3:first-child +imgadult.com,imgdrive.net,imgwallet.com##.bottom_abs +imgadult.com,imgdrive.net,imgwallet.com##.centered +imgtaxi.com###image_details:style(margin-top: 30px !important) + +! https://github.com/uBlockOrigin/uAssets/issues/870 +! https://www.reddit.com/r/uBlockOrigin/comments/hbxqip/sxyprnnet_video_ads/ +! https://www.reddit.com/r/uBlockOrigin/comments/1966h80/ublock_filters_blocking_website_element/ +sxyprn.*##+js(acs, decodeURI, decodeURIComponent) +sxyprn.*##+js(set, vast_urls, {}) +sxyprn.*##+js(aopr, popns) +sxyprn.*##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +sxyprn.*##+js(aopw, __aaZoneid) +sxyprn.*##.tbd +sxyprn.*##.cbd +*$frame,script,3p,denyallow=google.com|googleapis.com|gstatic.com|hcaptcha.com|recaptcha.net,domain=sxyprn.* + +! https://github.com/uBlockOrigin/uAssets/issues/1197 +lacuevadeguns.com##+js(aost, onload, inlineScript) +||cdn.jsdelivr.net/npm/@rimiti/abm@latest/dist/$script,css,3p +magesypro.com##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/6223 +hqq.*##+js(aopr, adBlockDetected) +hqq.*##+js(set, sadbl, false) +hqq.*##+js(nowoif) +||hqq.*/cdn-cgi/trace$xhr,1p,important +||googletagmanager.com/ns.html$redirect=noop.js +@@||hqq.*^$ghide +@@||hqq.*^$script,xhr,1p +@@||cdn.jsdelivr.net/npm/videojs-contrib-ads/$domain=hqq.* +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=hqq.* +hqq.*##[href="https://t.me/Russia_Vs_Ukraine_War3"] +hqq.*##a[onclick="openAuc();"] +||vkcdnservice.com^$script,redirect-rule=noopjs,3p +! https://github.com/uBlockOrigin/uAssets/issues/10039 +||ebd.cda-hd.cc^ +! https://www.reddit.com/r/uBlockOrigin/comments/14r6074/ +! https://www.reddit.com/r/uBlockOrigin/comments/14r6074/adblock_blocked_netutvhqqto_site/jqv92vj/ +hqq.*,waaw.*##+js(set, adblockcheck, false) +! Redirecting +hqq.*,waaw.*##^script:has-text(self == top) +hqq.*,waaw.*##+js(rmnt, script, self == top) +! https://github.com/uBlockOrigin/uAssets/issues/14001 +*$script,3p,denyallow=google.com|gstatic.com|polyfill.io,domain=playdede.us +waaw.*##+js(aopr, doSecondPop) +! https://github.com/uBlockOrigin/uAssets/issues/20599 +waaw.*##+js(nowoif) +waaw.*##+js(set, arrvast, []) + +! https://forums.lanik.us/viewtopic.php?f=62&t=39244 +filescdn.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/3099 +! palimas tv => palimas org +@@||palimas.*^$ghide +*$script,3p,denyallow=cloudflare.com|cloudflare.net|fluidplayer.com|fontawesome.com|google.com|gstatic.com|hwcdn.net|jquery.com,domain=palimas.* + +! URL Shortener +! https://github.com/uBlockOrigin/uAssets/issues/2768 +adbull.org##+js(set, blurred, false) +*$script,3p,domain=adbull.org +@@||static.adbull.me^$script,domain=adbull.org +*$script,redirect-rule=noopjs,domain=adbull.org +adbull.*##+js(ra, onclick) +adbull.*##[src^="https://i.imgur.com/"] +deportealdia.live##+js(nano-sib, , 1200, 0) +deportealdia.live##+js(nowoif) +deportealdia.live###overlay +adyou.me,srt.am##+js(nowebrtc) +! https://github.com/uBlockOrigin/uAssets/issues/6299 +srt.am##+js(aopr, RunAds) +||srt.am/sw.js$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/3091 +adyou.*##+js(aeld, /^(?:click|mousedown)$/, bypassEventsInProxies) +adyou.me#@#.adscontainer + +! https://github.com/uBlockOrigin/uAssets/issues/883 +||fbs.com^$3p +! https://github.com/uBlockOrigin/uAssets/issues/1009#issuecomment-352160776 +! https://github.com/jspenguin2017/uBlockProtector/issues/791 +! https://github.com/jspenguin2017/uBlockProtector/issues/792 +! https://github.com/NanoMeow/QuickReports/issues/354 +123link.*##+js(aopr, jQuery.adblock) +123link.*##+js(acs, $, test-block) +123link.*##+js(acs, $, adi) +123link.*##+js(acs, $, undefined) +||123link.*/push/ +123link.*##.ads-block-warning +! https://github.com/uBlockOrigin/uAssets/issues/3374 +123link.*##+js(aopr, ads_block) +123link.*##+js(aopr, blockAdBlock) +123link.*##+js(nano-sib) +123link.*##+js(set, blurred, false) + +! https://forums.lanik.us/viewtopic.php?f=62&t=39252&p=128960#p128838 +||player.ooyala.com/static/*ad$script,redirect=noopjs,domain=dugout.com + +! https://github.com/uBlockOrigin/uAssets/issues/891 +sheshaft.com##+js(aopr, decodeURI) +sheshaft.com##[class*="banner"] +sheshaft.com##.adv-aside + +! https://github.com/uBlockOrigin/uAssets/issues/892 +alrincon.com##+js(aopr, loadTool) +alrincon.com##+js(aopr, ExoLoader.serve) +alrincon.com##+js(aopr, open) +alrincon.com##+js(acs, onload, open) +||trcklks.com^$3p +! ##[href^="https://sex.cam/"] +alrincon.com##center:has-text(deal) +||alrincon.com/2022/varios/crazyshit.jpg +||alrincon.com/imagenes/stasyq/ +/nbk/frnd_ld.js + +! https://github.com/uBlockOrigin/uAssets/issues/893 +@@||playview.io/*/showads.js$xhr,1p +playview.io##.ads_player + +! https://github.com/uBlockOrigin/uAssets/issues/896 +hdporn.net##+js(aopr, exoOpts) +hdporn.net##+js(aopr, doOpen) +hdporn.net##[href^="http://www.hdporn.net/site.php"] +||grandfuckauto.xxx^$3p +||long.xxx^$3p +||amateurporn.net/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/897 +watch-my-gf.com,watchmyexgf.net##+js(aopr, prPuShown) +watchmyexgf.net##+js(nowoif) +watchmygf.me##+js(set, flashvars.adv_pre_src, '') +watchmyexgf.net##.adv +watchmyexgf.net##[href^="http://wct.link/click"] +watch-my-gf.com##.table +||watch-my-gf.com/images/bear.png +||watchmyexgf.net/z/gf.jpg + +! https://github.com/uBlockOrigin/uAssets/issues/907 +*$frame,domain=clik.pw +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=clik.pw +@@||api-secure.solvemedia.com^$frame +clik.pw##a[href^="https://href.li/"] +clik.pw##body > div[style]:has(input[type="button"]) +clik.pw##div[style*="z-index:99999"] > div[style*="width:300px"] +##a[href^="https://syndication.exdynsrv.com/splash.php"] +*$popup,domain=clik.pw,3p +clik.pw##+js(aopr, open) + +@@||api.solvemedia.com^$script,frame + +! https://github.com/uBlockOrigin/uAssets/issues/911 +adshort.*##+js(aopw, Fingerprint2) +adshort.*,adsrt.*##+js(nowoif) +adshort.*##+js(set, blurred, false) +adshort.*##A[href$=".html"][rel="nofollow norefferer noopener"] +adshort.*,adsrt.*##[id*="frme"] +! https://github.com/uBlockOrigin/uAssets/issues/911#issuecomment-417348509 +adsrt.*#@#div[id*="ScriptRoot"] +! https://github.com/uBlockOrigin/uAssets/issues/911#issuecomment-423769642 +||adsrt.*/sw.js$script,1p +adsrt.*##div[id^="SC_TBlock"] +@@||adshort.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/906 +! https://github.com/AdguardTeam/AdguardFilters/issues/117551 +upload-4ever.com##+js(nowoif) +*$script,domain=upload-4ever.com,3p,denyallow=gstatic.com +##[onclick*="postlnk.com"] +##[href*="postlnk.com"] + +! https://github.com/uBlockOrigin/uAssets/issues/2482 +tube8.*##+js(set, showPopunder, false) +tube8.*##+js(aeld, , _0x) +tube8.*##+js(aopw, IS_ADBLOCK) +tube8.*##+js(nowoif) +tube8.*##+js(set, page_params.holiday_promo, true) +tube8.*##.adsbytrafficjunky +tube8.*##.js-remove-ads-premium-link +tube8.*##main.row > aside.col-4 > div[class] +tube8.*##input + div:has(.adsbytrafficjunky) +tube8.*##.gridList > [class]:has(.adsbytrafficjunky) +tube8.*##[href^="https://ads.trafficjunky.net/ads"] +tube8.*##[style="background-color: rgb(255, 255, 255); display: block;"] +tube8.*###flvplayer > [style]:has(.js-remove-ads-premium-link) +tube8.*###result_container_wrapper > [style]:has(.js-remove-ads-premium-link) +tube8.*###result_container > [class]:not(.video_box) + +! https://github.com/uBlockOrigin/uAssets/issues/915 +hdpornt.com##+js(aopr, ExoLoader) +hdpornt.com##+js(aopw, __NA) + +! https://github.com/uBlockOrigin/uAssets/issues/922 +@@||simply-hentai.com^$ghide +*$script,redirect-rule=noopjs,domain=simply-hentai.com +simply-hentai.com##.page-leave +simply-hentai.com##.native + div + +! https://github.com/uBlockOrigin/uAssets/issues/916 +||daporn.com/*banner$image +||daporn.com/frames/$frame +daporn.com##.ntv-media +daporn.com##.bottom-promo +daporn.com###mediaOverlay +daporn.com###close-aff +*.gif$domain=daporn.com,image +daporn.com##[href*="offer"] +daporn.com##[href*="&aff"] +daporn.com##.sponsor + +! https://github.com/uBlockOrigin/uAssets/issues/918 +4tube.com##+js(aopr, ExoLoader) +4tube.com##+js(aopw, ads_priv) +||4tube.com/*banner$image + +! https://adblockplus.org/forum/viewtopic.php?f=10&t=54673 +mp3cut.net##+js(aopw, ab_detected) + +! https://github.com/uBlockOrigin/uAssets/issues/925 +pornerbros.com##+js(aopr, ExoLoader) +pornerbros.com##+js(aopw, ads_priv) +pornerbros.com##+js(set, adsEnabled, true) +pornerbros.com##+js(aopr, document.dispatchEvent) +||pornerbros.com/*banner$image +||pornerbros.com/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/927 +@@||media.oadts.com/www/delivery/afv.php$domain=serienjunkies.de +@@||media.oadts.com/www/delivery/video.php$domain=serienjunkies.de +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=media.oadts.com +serienjunkies.de###sj-ad-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/930 +pichaloca.com##+js(aopr, ExoLoader) +pichaloca.com##.publis-bottom + +! https://github.com/uBlockOrigin/uAssets/issues/931 +pornodoido.com##+js(aopr, ExoLoader) + +! https://github.com/uBlockOrigin/uAssets/issues/941#issuecomment-405022292 +@@||ucoz.com^$ghide +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=shidurlive.com + +! https://github.com/uBlockOrigin/uAssets/issues/945 +vortez.net##+js(nowoif) +vortez.net##+js(acs, $, Adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/948 +! https://forums.lanik.us/viewtopic.php?p=140858#p140858 +platinmods.com##+js(aopr, adBlockDetected) +platinmods.*##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/949 +||whentai.com/*.gif$image + +! Common rules for TXXX network +/\/[a-z]{4,}\/(?!holly7|siksik7)[0-9a-z]{3,}\d\.\d{1,2}\.\d{1,2}\.[0-9a-f]{32}\.js$/$script,domain=555.porn|abjav.com|abxxx.com|aniporn.com|bigdick.tube|gaytxxx.com|hclips.com|hdzog.*|hotmovs.*|imzog.com|in-porn.com|inporn.com|javdaddy.com|manysex.*|porn555.com|pornclassic.tube|pornforrelax.com|porngo.tube|pornj.com|pornl.com|pornq.com|porntop.com|privatehomeclips.com|puporn.com|see.xxx|shemalez.com|sss.xxx|thegay.*|transtxxx.com|tubepornclassic.com|tuberel.com|txxx.*|txxxporn.tube|upornia.*|vjav.*|voyeurhit.*|vxxx.com|xjav.tube +/\.[a-z]{3,5}\/[0-9a-z]{8,12}\/[0-9a-z]{8,12}\.js$/$script,domain=555.porn|abxxx.com|abjav.com|aniporn.com|asiantv.fun|blackporn.tube|bdsmx.tube|bigdick.tube|gaytxxx.com|hclips.com|hdzog.*|hotmovs.*|imzog.com|in-porn.com|inporn.com|javdaddy.com|manysex.*|mrgay.tube|onlyporn.tube|porn555.com|pornclassic.tube|pornforrelax.com|porngo.tube|pornhits.com|pornj.com|pornl.com|pornq.com|porntop.com|pornzog.com|privatehomeclips.com|puporn.com|see.xxx|senzuri.tube|sextu.com|shemalez.com|sss.xxx|teenorgy.video|thegay.*|transtxxx.com|tubepornclassic.com|tuberel.com|txxx.*|txxxporn.tube|upornia.*|vjav.*|voyeurhit.*|vxxx.com|xjav.tube|xmilf.com +/afon7.$script,1p +/barbar7.$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/10064 +/huyass7.$script,1p +/lemon7.$script,1p +/rass7.$script,1p +/teo7.$script,1p +/nofa7.$script,1p +/ytrek7.$script,1p +/kzdh7.$script,1p +/klesd7.$script,1p +/leo7.$script,1p +/howone7.$script,1p +/duayn7.$script,1p +/exort7.$script,1p +/assets/jwplayer-*/vast.js$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/953 +txxx.*##+js(acs, setTimeout, hommy.mutation.mutation) +txxx.*##+js(aopr, jwplayer.utils.Timer) +txxx.*##.content.page.page-video .video-content > div[class] > div > div[class] > div[class][style^="background-image:"]:style(background-image: none !important;) +txxx.*##div[style="display:flex !important"] > div +txxx.*##.page-video > div.video-videos-slider ~ div[class]:matches-css(justify-content: center) +txxx.*##.video-videos-slider +txxx.*##.video-content > div + div:last-child +txxx.*##.video-content > div:first-child > div[class]:has(> div > a[href="#"]) +txxx.*##.videos-tube-friends +txxx.*##span:only-child:has-text(/^AD$/):upward(2) +txxx.*##.suggestion +txxx.*##.index-page > .wrapper > .row + div[class] +txxx.*##.pwa-ad +txxx.*##.jw-atitle.nopop:has(> [href*="g2fame.com"][href*="&campaign"]) +*$frame,3p,denyallow=google.com|gstatic.com,domain=txxx.* +*$popunder,3p,domain=txxx.* +! https://github.com/uBlockOrigin/uAssets/issues/956 +voyeurhit.*##+js(acs, adver) +voyeurhit.*##.content > div > .container + div +voyeurhit.*##.video-page__content > div.left + div[class]:last-child +voyeurhit.*##.video-page__underplayer > div[class]:first-child > div[class] +voyeurhit.*##.video-related + div[class] > div[class]:only-child +voyeurhit.*##div[style="display:flex !important"] > div +voyeurhit.*##.video-tube-friends + div[class] +! https://github.com/uBlockOrigin/uAssets/issues/957 +! https://github.com/uBlockOrigin/uAssets/issues/20968#issuecomment-1833320642 +upornia.*##+js(acs, adver) +upornia.com##+js(rmnt, script, /popunder|isAdBlock|admvn.src/i) +upornia.com##h5:has-text(Advertisement) +upornia.com##section:not(:empty) +upornia.com##.underplayer:style(min-height: initial !important;) +upornia.com##.video-page__content > .right +upornia.*##.intwo__img +upornia.*##.video-videos-slider +upornia.*##span[style="display:flex !important"] > div:first-child +! https://www.reddit.com/r/uBlockOrigin/comments/1anqltk/video_wont_play/ +upornia.*##+js(set, hommy, {}) +upornia.*##+js(set, hommy.waitUntil, noopFunc) +upornia.*##.jw-title-secondary +pornzog.com###ntv_a +pornzog.com##.video-ntv-list +! https://github.com/uBlockOrigin/uAssets/issues/2074 +hotmovs.*##+js(acs, adver) +hotmovs.com##.partners-wrap +hotmovs.*##.block_label--last + div[class] +hotmovs.*##.pagination + div.block_label--last +hotmovs.*##.underplayer__info > div[class]:first-child +hotmovs.*##.video-page__content > div.left + div[class]:last-child +hotmovs.*##div[style="display:flex !important"] > div +hotmovs.*##.video-page > div.block_label.mt-15 + div[class] +hotmovs.*##.videos-tube-friends +! https://github.com/uBlockOrigin/uAssets/issues/959 +*$script,3p,denyallow=gstatic.com,domain=vjav.* +vjav.*##.hv-block +vjav.*##div[style="display:flex !important"] > div +vjav.*##.album-page > div.video-page__wrapper + div[class] +vjav.*##.content > div:not([class]) > div.video-page + div[class] +vjav.*##.video-page__content > div.left + div[class]:last-child +vjav.*##.video-page__player + div[class] > div[class] +vjav.*##.video-tube-friends +vjav.*##.video-tube-friends + div[class]:not(.pagination) +vjav.*##.index-page > div.container + div[class] +vjav.*##.jw-reset.jw-atitle.nopop +vjav.*##.partners-wrap + div[class] +vjav.*##div[class] > div[class] > section[style="padding: 10px;"] +! pornq .com popups +||bitupsss.com^$all +! pornj .com popups +pornj.com##+js(aopr, open) +pornj.com##.vda-item +! pornl.com +pornl.com##+js(aopr, open) +pornl.com##.adv-list--footer +pornl.com##.vda-item +! porn555 .com popups +porn555.com##.vda-x2 +! see .xxx +||see.xxx/nr.js +see.xxx##.vda-item +! https://github.com/easylist/easylist/pull/6720 +porntop.com###inv_pause +porntop.com##.ip > .btn-close +! https://github.com/easylist/easylist/issues/7918 +! https://github.com/AdguardTeam/AdguardFilters/issues/131194 +thegay.*##+js(acs, adver) +thegay.*##.content > div:not([class]) > .wrapper ~ div[class]:not(.wrapper) +thegay.*##.underplayer__info > div[class]:first-child +thegay.*##.video-page__content > div.left + div[class]:last-child +thegay.*##div[style="display:flex !important"] > div +||thegay.com^$csp=default-src 'self' *.ahcdn.com fonts.gstatic.com fonts.googleapis.com https://thegay.com https://tn.thegay.com 'unsafe-inline' 'unsafe-eval' data: blob:,badfilter +! privatehomeclips.com +privatehomeclips.com##span[style="display:flex !important"] > div:first-child +privatehomeclips.com##.partners-wrap +privatehomeclips.com##.video-page__content > .right +privatehomeclips.com##.video-page__item +privatehomeclips.com##.content > div > .wrapper + div[class]:not(.wrapper) +privatehomeclips.com##.underplayer > div[class]:not([class*="_"]) > div[class] +privatehomeclips.com##.partners-wrap + div[class] +privatehomeclips.com##.undp--karp +privatehomeclips.com##section[style="padding: 20px;"] +privatehomeclips.com##.left + div:not([class]):last-child +! vxxx.com +vxxx.com##+js(acs, ACtMan) +vxxx.com###player-1 > div[style="display:flex !important"] +vxxx.com##.video-page-content + div[class] +vxxx.com##.video-page-content-left + div[class]:last-child +vxxx.com##.videoplayer + div > div[class] +vxxx.com##.wrapper-margin + div[class]:last-child +! pornhits.com popup/under +pornhits.com##+js(acs, ACtMan) +pornhits.com###s-suggesters +pornhits.com##.ft +pornhits.com##.index-ntv +pornhits.com##.jwplayer > span +pornhits.com##.sponsor +pornhits.com##.right +||pornhits.com/magic/ +||red12flyw2.site^$3p +! inporn.com ads/PH +in-porn.com,inporn.com##.video-page__content > div.right +in-porn.com,inporn.com##.video-info > section +in-porn.com,inporn.com##.video__wrapper > div.wrapper.headline +in-porn.com,inporn.com##.wrapper > article +in-porn.com,inporn.com##section[is-footer-banners] +in-porn.com,inporn.com###in_v +in-porn.com,inporn.com##.btn-close +in-porn.com,inporn.com##[style="display:flex !important"] > div > div:not(:last-child) +in-porn.com,inporn.com##.jw-channel-btn.nopop +in-porn.com,inporn.com##.wrapper[style="min-width: 0px;"] > section[style="padding: 12px;"] +! senzuri.tube redirect, ad +senzuri.tube##+js(acs, adver) +senzuri.tube##.video-page + div[class]:not(.container) +senzuri.tube##.video-page__content > div.left + div[class]:last-child +senzuri.tube##.index-page > div.container + div[class] +senzuri.tube##.content-block + .video-tube-friends + div[class] +senzuri.tube##div[style="display:flex !important"] > div +! https://github.com/AdguardTeam/AdguardFilters/issues/130607 +txxxporn.tube##+js(acs, adver) +txxxporn.tube##div[style="display:flex !important"] > div +txxxporn.tube##.video-content > div:not(:has(.pplayer)) +txxxporn.tube##.video-content > div[class]:first-child > div[class]:has(> div > a[href="#"]) +txxxporn.tube##span:only-child:has-text(/^AD$/):upward(2) +! https://www.reddit.com/r/uBlockOrigin/comments/14zn1mz/filter_blocking_related_videos_on_txxxporntube/ +txxxporn.tube##.suggestion +txxxporn.tube##.video-videos-slider +txxxporn.tube##.page-video > div[class]:has(> div[class]:not(.video-related) > div[id][class]:empty) +! https://github.com/uBlockOrigin/uAssets/issues/4234 +hclips.com##+js(acs, adver) +hclips.com##.wrapper + .partners-wrap + div[class] +hclips.com##.underplayer > section +hclips.com##.video__wrapper > section[style] +hclips.com##span[style="display:flex !important"] > div:first-child +hclips.com##.video-page__content > div.left + div:not([class]) +*$frame,3p,denyallow=google.com|gstatic.com,domain=hclips.com +! https://github.com/uBlockOrigin/uAssets/issues/8391 +! https://github.com/uBlockOrigin/uAssets/issues/1114 +hdzog.*##+js(acs, adver) +hdzog.*##.content > div:not([class]) > div.content-block ~ div[class]:not(.content-block) +hdzog.*##.suggestions +hdzog.*##.partners-wrap +hdzog.*##.pagination + div[class]:last-of-type +hdzog.*##.video-page__left > div[class]:last-of-type +hdzog.*##div[style="display:flex !important"] > div +! https://www.reddit.com/r/uBlockOrigin/comments/10abahw/ +hdzog.*##.video-page__content > div:not([class*="video"]) +hdzog.*##.video-page__row > div:not([class*="video"]) +! https://tuberel.com/ +tuberel.com##+js(acs, adver) +! https://github.com/AdguardTeam/AdguardFilters/issues/156409 +sextu.com##.afs_ads + span[style] > div > div:not(:last-child) +sextu.com##.right +sextu.com##.thumbs__banner +sextu.com##.wrapper > article +sextu.com##.wrapper > section +sextu.com##div[id^="underplayer_"] +! https://github.com/AdguardTeam/AdguardFilters/issues/159495 +manysex.com,manysex.tube##.suggestion-wrapper +manysex.com,manysex.tube##.right +manysex.com,manysex.tube##.video-page__related + .headline +manysex.com,manysex.tube##.videoplayer + section +manysex.com,manysex.tube##section[style="padding: 12px;"] +manysex.com,manysex.tube##span[style="display:flex !important"] > div > div:not(:last-child) +manysex.com,manysex.tube##.jw-reset.jw-atitle.nopop +! https://github.com/AdguardTeam/AdguardFilters/issues/169195 +abxxx.com##.video-page__content > div.left > section +abxxx.com##.video__wrapper > div.wrapper > section +abxxx.com##.video__wrapper > div.wrapper.headline +! https://github.com/AdguardTeam/AdguardFilters/issues/169177 +gaytxxx.com##.index-page > div.wrapper > div.row + div[class] +gaytxxx.com##.jw-reset.jw-atitle.nopop +gaytxxx.com##.suggestion + div[class]:has(> .video-related) + div[class] +gaytxxx.com##.undp +gaytxxx.com##.video-content > div[class]:first-child > div[class]:has(> div[class] > div[class] > div[id]) +gaytxxx.com##.video-content > div[class] + div[class]:last-child +gaytxxx.com##.wrapper + div[style="margin-top: 0px;"] +gaytxxx.com##div[style="display:flex !important"] > div +! https://github.com/uBlockOrigin/uAssets/issues/1798 +shemalez.com##+js(acs, adver) +shemalez.com##+js(aeld, , window.open) +shemalez.com##+js(nosiif, document.readyState) +shemalez.com##.video-page__content > .left + div[class] +shemalez.com##.video-tube-friends + div[class] +shemalez.com##.content > div > .wrapper + div[class] +shemalez.com##div[style="display:flex !important"] > div +! xjav.tube +xjav.tube##.left > section +xjav.tube##.right +xjav.tube##.video-tube-friends + article +xjav.tube##.wrapper > section[style="padding: 12px;"] +xjav.tube##.wrapper.headline:has(+ .wrapper > section[style="padding: 12px;"]) +xjav.tube##span[style="display:flex !important"] > div > div:not(:last-child) +xjav.tube##.jw-channel-btn.nopop +! transtxxx.com +transtxxx.com##.index-page > .wrapper > div[class]:has(> div[class] > div[id][class]:empty + div[id][class]:empty) +transtxxx.com##.suggestion +transtxxx.com##.suggestion ~ div[class]:has(> div[class] > div[id][class]:empty + div[id][class]:empty) +transtxxx.com##.video-content div[class]:has(> div[class] > div[id][class] > noscript) +transtxxx.com##div[style="display:flex !important"] > div + +! https://github.com/uBlockOrigin/uAssets/issues/966 +mcfucker.com##+js(aopw, t4PP) +sponsor=$domain=mcfucker.com +mcfucker.com##.vadv +mcfucker.com##.c2p + +! https://github.com/uBlockOrigin/uAssets/issues/704 +! https://github.com/uBlockOrigin/uAssets/issues/10283 +imgprime.com##+js(aopr, document.createElement) +imgprime.com##+js(ra, href|target, a[href="https://imgprime.com/view.php"][target="_blank"], complete) +||imgprime.com/*.php$script +imgprime.com##.overlayBg + +! https://github.com/uBlockOrigin/uAssets/issues/969 +imgshots.com##+js(popads.net) +imgshots.com###introOverlayBg + +! https://github.com/uBlockOrigin/uAssets/issues/1005 +porn.com##+js(nowoif) +porn.com##+js(set, String.prototype.charAt, trueFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/2042 +bdupload.*##+js(nano-stb) +bdupload.*##[href*="/dloadbutton.php"] +||bdupload.*/sw.js$script,1p +||socialbars-web5.com/*/notifications/$script + +! https://github.com/uBlockOrigin/uAssets/issues/976 +taroot-rangi.com##+js(aopw, sc_adv_out) + +! https://github.com/uBlockOrigin/uAssets/issues/980 +! https://github.com/AdguardTeam/AdguardFilters/issues/78763 +pornwatchers.com##+js(aopr, ExoLoader) +pornwatchers.com##+js(aopr, document.dispatchEvent) +pornwatchers.com##.aside-block +pornwatchers.com##.fluid_nonLinear_bottom +pornwatchers.com##.stage-promo +##.aff-content-col +##.aff-inner-col +##.aff-item-list +||pornwatchers.com/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/983 +sotemnovinhas.com##+js(nofab) +||sotemnovinhas.com/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/5421 +ondemandkorea.com##+js(aopr, pbjs.libLoaded) +ondemandkorea.com##.banner_728x90 +ondemandkorea.com##.floatBanner +ondemandkorea.com##.player_overlay.banner +@@||ondemandkorea.com^$ghide +||ondemandkorea.com/*/*sponsor*300x250.jpg$image,redirect=32x32.png +||google-analytics.com/collect$image,redirect=1x1.gif,domain=ondemandkorea.com + +! https://github.com/uBlockOrigin/uAssets/issues/978 +katestube.com##+js(nostif, '0x) +katestube.com##+js(nowoif) +katestube.com##.bottom-banners +katestube.com##.advertising +katestube.com###under-video + +! https://github.com/uBlockOrigin/uAssets/issues/979 +gotporn.com##+js(aeld, , open) +gotporn.com##+js(aopr, ExoLoader) + +! https://github.com/easylist/easylist/issues/11901 +! https://github.com/AdguardTeam/AdguardFilters/issues/129925 +! https://github.com/AdguardTeam/AdguardFilters/issues/130267 +! https://github.com/AdguardTeam/AdguardFilters/issues/131192 +bdsmx.tube##+js(aopr, mz) +bdsmx.tube##.btn-close +bdsmx.tube##article +blackporn.tube,xmilf.com##.right +blackporn.tube,mrgay.tube##.video-info > section +blackporn.tube,mrgay.tube,xmilf.com##.wrapper > section +blackporn.tube,mrgay.tube,xmilf.com##article > section +bdsmx.tube,blackporn.tube,mrgay.tube,xmilf.com##[is-footer-banners] +bdsmx.tube,blackporn.tube,mrgay.tube,xmilf.com##.headline.wrapper +bdsmx.tube,blackporn.tube,mrgay.tube,xmilf.com##[style="display:flex !important"] > div > div:not(:last-child) +mrgay.*##.right + +! https://github.com/uBlockOrigin/uAssets/issues/992 +||googlesyndication.com^$script,important,domain=mypapercraft.net +mypapercraft.net##+js(nofab) +mypapercraft.net##.ezoic-ad + +! https://github.com/uBlockOrigin/uAssets/issues/993 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=supergames.com +||adservice.google.com.*/adsid/integrator.js?domain=player.tubia.com$xhr,redirect=nooptext + +! https://github.com/uBlockOrigin/uAssets/issues/801 +! https://github.com/uBlockOrigin/uAssets/issues/4084 +tune.pk###tpk-revenue-sharing-program +tune.pk##+js(set, ad_blocker, false) + +! https://github.com/uBlockOrigin/uAssets/issues/5339 +europixhd.*,hdeuropix.*,topeuropix.*##+js(aopr, AaDetector) +europixhd.*,hdeuropix.*,topeuropix.*##+js(aopr, LieDetector) +europixhd.*,hdeuropix.*,topeuropix.*##+js(popads-dummy) +europixhd.*,hdeuropix.*,hindipix.*,topeuropix.*##+js(disable-newtab-links) +europixhd.*,topeuropix.*##+js(nowoif) +topeuropix.*##+js(aeld, , _0x) +||europixhd.net/js/propadbl_epxhd.js$script,1p +europixhd.*,hdeuropix.*,topeuropix.*###MyImageId +@@|blob:$domain=hdeuropix.cc +europixhd.*,topeuropix.*##[id^="MyAdsId"] + +! https://forums.lanik.us/viewtopic.php?p=129417#p129417 +$script,domain=zdnet.fr,3p +@@||ajax.googleapis.com^$script,domain=zdnet.fr + +! https://github.com/uBlockOrigin/uAssets/issues/1010 +pornxs.com##+js(acs, ExoLoader) +pornxs.com##+js(aopr, _abb) +||pornxs.com/*.php +pornxs.com##[id^="div_theAd"] +pornxs.com##[data-ad-index-parent] + +! https://github.com/uBlockOrigin/uAssets/issues/1013 +||megayoungsex.com/func.js +megayoungsex.com##.SAbnsBotBl +megayoungsex.com##.SHVidBlockUndBn +megayoungsex.com##.SHVidBlockR + +! https://github.com/uBlockOrigin/uAssets/issues/1014 +mangoporn.net##+js(acs, puShown, /doOpen|popundr/) +mangoporn.net##+js(aopr, document.dispatchEvent) +mangoporn.net##+js(aopw, pURL) +mangoporn.net##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/1020 +frprn.com##+js(nosiif, readyState) +frprn.com##.spot +frprn.com##.footer-spot + +! watchseries.unblocked.* popups +watchseries.unblocked.*##+js(nowebrtc) +vidlox.*##A[href$=".html"][rel="nofollow norefferer noopener"] + +! https://www.reddit.com/r/uBlockOrigin/comments/7kg792/need_help_blocking_this_persistent_ad/ +nwanime.tv##+js(nowoif) +nwanime.tv##.adf-float + +! https://github.com/uBlockOrigin/uAssets/commit/91f936dbaeaa681fab4d9259a818458db2200e74#commitcomment-26342002 +/all-for-adsense/* + +! https://github.com/uBlockOrigin/uAssets/issues/1045 +ah-me.com##+js(acs, $, serve) +ah-me.com##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/1046 +! https://github.com/uBlockOrigin/uAssets/issues/1052 +||hprofits.com^$domain=gogaytube.tv|shemaleporntube.tv +gogaytube.tv,shemaleporntube.tv##.videojs-hero +/iframe.php?spotID= + +! https://forums.lanik.us/viewtopic.php?p=129648#p129648 +@@||mdsrwdassets-a.akamaihd.net^$xhr,script,other,domain=telecinco.es|cuatro.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=telecinco.es|cuatro.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=telecinco.es|cuatro.com +@@||cuatro.com^$ghide +@@||telecinco.es^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/1051 +! https://github.com/uBlockOrigin/uAssets/issues/2752 +! https://github.com/uBlockOrigin/uAssets/issues/1235 +! https://github.com/uBlockOrigin/uAssets/issues/2754 +! https://github.com/uBlockOrigin/uAssets/issues/3055 +ouo.*##+js(aopr, AaDetector) +ouo.*##+js(nowebrtc) +ouo.*##+js(nano-sib, stop()) +ouo.*##^script:has-text('shift') +ouo.*##^script:has-text(\'shift\') +ouo.*##[style*="width:300px"] > a[href][target="_blank"] > img +||ouo.*/js/jbitly.js$script,1p +||ouo.*/js/webpush.ma.js$script,1p +||ouo.*/sw$script,1p +*$script,redirect-rule=noopjs,domain=ouo.* +||egnatius-ear.com^$script,domain=ouo.* +ouo.*##[href^="https://dynamicadx.com/"] +ouo.*##iframe:not([src]) +ouo.*##[id*="ScriptRoot"] +ouo.*##.dlbtns +ouo.press##.skip-container > .text-center > span[style="display: block;color: #aaa;font-size: 13px;padding-bottom: 2px;"] + +! https://github.com/uBlockOrigin/uAssets/issues/1057 +chooyomi.com##+js(nowoif) +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=chooyomi.com + +! https://github.com/uBlockOrigin/uAssets/issues/4225#issuecomment-449619422 +! https://github.com/NanoMeow/QuickReports/issues/1048 +x1337x.*##[href*=".php"] +1337x.*,x1337x.*,1337x.unblock2.xyz,1337x.unblocked.*,1337x.unblockit.*##ul > li:has-text(/‌/i) +1337x.*,x1337x.*,1337x.unblock2.xyz,1337x.unblocked.*,1337x.unblockit.*##:xpath('//*[contains(text(),"Hide your IP")]/..') +1337x.unblock2.xyz,1337x.unblockit.*##+js(aopr, btoa) +1337x.unblock2.xyz,1337x.unblocked.*,1337x.unblockit.*##+js(aopr, open) +1337x.unblock2.xyz##+js(aopr, Math.floor) +1337x.unblocked.*###lb-banner +1337x.*,1337x.unblockit.*##a[href$="Promo.php"] > img +||topblockchainsolutions.*^$all + +! https://github.com/uBlockOrigin/uAssets/issues/1063 +xiaopan.co##+js(aopw, AdBlockDetectorWorkaround) + +! https://github.com/uBlockOrigin/uAssets/issues/1064 +shooshtime.com##+js(nowoif) +||monad.network^$script,domain=shooshtime.com + +! https://github.com/uBlockOrigin/uAssets/issues/1663 +seattletimes.com##+js(nostif, apstagLOADED) + +! https://github.com/uBlockOrigin/uAssets/issues/1068 +noticias.gospelmais.com.br##+js(set, blockAdBlock, true) + +! https://github.com/uBlockOrigin/uAssets/issues/1070 +songs.*##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/1076 +mel.fm##+js(nofab) + +! https://github.com/uBlockOrigin/uAssets/issues/1083 +@@||spiele.heise.de^$ghide +heise.de###topBannerContainer +heise.de##.keygameBannerContainer +heise.de##.ad-microsites +heise.de##.tipps-content-ad +heise.de##.hbs-ad +heise.de##.stage-advertising +heise.de##.ad + +! https://github.com/uBlockOrigin/uAssets/issues/1101 +dailygeekshow.com##+js(aopr, jQuery.hello) + +! https://github.com/uBlockOrigin/uAssets/issues/1093 +! https://www.reddit.com/r/uBlockOrigin/comments/otw7nq/adblock_detected/ +@@||seirsanduk.*^$ghide +@@||seirsanduk.*/$script,1p +seirsanduk.*##+js(popads.net) +seirsanduk.*##[href^="https://www.bybit.com/"] +seirsanduk.*##ins.adsbygoogle +seirsanduk.*##[href^="//bgtop.net/"] + +! https://github.com/uBlockOrigin/uAssets/issues/1099 +! https://github.com/uBlockOrigin/uAssets/issues/21880 +! https://github.com/uBlockOrigin/uAssets/issues/23845 +bestgames.com,yiv.com##+js(nostif, /Adb|moneyDetect/) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=bestgames.com|yiv.com,redirect=google-ima.js +bestgames.com,yiv.com#@##adsContainer +bestgames.com,yiv.com###LeftAdDiv +bestgames.com,yiv.com###game_middle_ad +bestgames.com,yiv.com###RightAdTopDiv +bestgames.com,yiv.com###RightAdMiddleDiv + +! https://github.com/uBlockOrigin/uAssets/issues/1087 +gotgayporn.com##+js(aopr, decodeURI) +||gotgayporn.com/sw.js$script,1p + +! https://github.com/jspenguin2017/uBlockProtector/issues/771 +rue89lyon.fr##+js(aopr, isShowingAd) + +! https://forums.lanik.us/viewtopic.php?f=62&t=38298 +kitguru.net##body:style(background-image:none !important) + +! https://github.com/uBlockOrigin/uAssets/issues/7062 +! https://github.com/uBlockOrigin/uAssets/issues/16657 +viki.com##+js(set, VikiPlayer.prototype.pingAbFactor, noopFunc) +viki.com##+js(set, player.options.disableAds, true) +*expire=$media,redirect=noopmp3-0.1s,domain=viki.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=viki.com + +! https://github.com/uBlockOrigin/uAssets/issues/1115 +realgfporn.com##+js(aopr, ExoLoader) +realgfporn.com##+js(aopw, __htapop) +realgfporn.com##+js(popads-dummy) +realgfporn.com##+js(aopr, ExoLoader.serve) +realgfporn.com##+js(aeld, click, exopop) +realgfporn.com##+js(aeld, /^(?:load|click)$/, popMagic) +realgfporn.com##+js(acs, document.createElement, 'script') +realgfporn.com###fixedBanner +realgfporn.com##.overlay-banner +realgfporn.com##.video-overlay +realgfporn.com##.banner-video-right +||realgfporn.com/sw.js$script,1p +*$popunder,domain=realgfporn.com + +! https://github.com/uBlockOrigin/uAssets/issues/1122 +picturelol.com###rang2 +picturelol.com##+js(aopr, ExoLoader) +picturelol.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/1123 +imgspice.com##+js(nowoif) +imgspice.com##+js(aopr, ExoLoader) +imgspice.com##+js(aeld, mousedown, popundrInit) +imgspice.com###widepage +imgspice.com###interdiv + +! https://github.com/uBlockOrigin/uAssets/issues/1128 +mitly.us##+js(aopr, adBlockDetected) +mitly.us##+js(aopr, open) +mitly.us##+js(aopw, adcashMacros) +mitly.us##+js(aopw, atOptions) +mitly.us##+js(set, blurred, false) +@@||mitly.us^$ghide +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=mitly.us +||googlesyndication.com/pagead/$script,redirect=noopjs,domain=mitly.us +mitly.us##ins.adsbygoogle +mitly.us##[href^="http://deloplen.com/"] + +! https://forums.lanik.us/viewtopic.php?p=138269#p138269 +! https://github.com/AdguardTeam/AdguardFilters/issues/80460 +watch-series.*,watchseries.*##+js(acs, Math, XMLHttpRequest) +watch-series.*,watchseries.*##+js(nowebrtc) +watch-series.*,watchseries.*##+js(nowoif) +watch-series.*,watchseries.*##+js(set, console.clear, trueFunc) +watchseries.*##+js(aopr, Adcash) +watch-series.*,watchseries.*##.freeEpisode +watch-series.*,watchseries.*##.sp-leader +watch-series.*,watchseries.*##.shd_button +watch-series.*,watchseries.*##.sp-leader-bottom +watch-series.*,watchseries.*##.category-item-ad +watch-series.*,watchseries.*###related +watch-series.*,watchseries.*###rotating-item-wrapper +watch-series.*,watchseries.*##div.block-left-home-inside[style^="height:252"] +@@||watchseries.*^$ghide +||watch-series.*/sw.js$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/5723 +||watchseries.*/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/1132 +fetishshrine.com##+js(aopr, decodeURI) +fetishshrine.com##.adv-aside + +! https://github.com/uBlockOrigin/uAssets/issues/1133 +sleazyneasy.com##+js(aopr, decodeURI) +sleazyneasy.com##+js(set, flashvars.adv_pre_vast, '') +sleazyneasy.com##+js(set, flashvars.adv_pre_vast_alt, '') +sleazyneasy.com##+js(set, x_width, 1) +/contents/images-banners/* +sleazyneasy.com##.container-aside > .item +sleazyneasy.com##.remove-spots + +! https://github.com/uBlockOrigin/uAssets/issues/1131 +vikiporn.com##+js(aeld, getexoloader) +vikiporn.com##+js(aopr, decodeURI) + +! https://github.com/NanoMeow/QuickReports/issues/2426 +@@||anime-loads.org^$ghide +anime-loads.org###leaderwidget +anime-loads.org##.skycontent +/static/js/amvn.js + +! https://github.com/reek/anti-adblock-killer/issues/3825 +! https://www.reddit.com/r/uBlockOrigin/comments/l0vsp6/globalrph_blurs_the_webpage_upon_detecting_adblock/ +globalrph.com##+js(nostif, disableDeveloper) + +! https://github.com/jspenguin2017/uBlockProtector/issues/755 +onlinemschool.com##+js(aopr, oms.ads_detect) +onlinemschool.com###oms_left_block + +! https://github.com/uBlockOrigin/uAssets/issues/1144 +e-glossa.it##+js(nostif, Blocco, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/1151 +pornsocket.com##+js(set, _site_ads_ns, true) +||adspaces.ero-advertising.com/adspace/*$script,redirect=noopjs,domain=pornsocket.com + +! http://forum.chip.de/rund-um-online/werbeterror-spendenaufruf-pic-upload-de-microsoft-alarm-u-google-benachr-1879678.html +pic-upload.de##+js(aopw, Fingerprint2) + +! https://twitter.com/tj_fogarty/status/948169965546430464 +limerickleader.ie###abr_purchase_div + +! https://github.com/uBlockOrigin/uAssets/issues/3761 +pornhd.com##+js(aopr, hasAdBlock) +pornhd.com,pornhdin.com##+js(aopr, ExoLoader.serve) +pornhd.com##+js(popads-dummy) +pornhd.com##+js(nowoif) +pornhd.com##+js(aeld, , pop) +pornhdin.com##+js(aopr, open) +||syndication.exoclick.com/ads-iframe-display.php$script,redirect=noopjs,domain=pornhd.com +pornhd.com##.phdZone +pornhd.com##.overlay-content +pornhd.com##.video-list-corner-ad +##.inplayer-ad + +! https://github.com/uBlockOrigin/uAssets/issues/2375 +! https://github.com/uBlockOrigin/uAssets/issues/18091 +luxuretv.com##+js(acs, $, ltvModal) +luxuretv.com##iframe[data-src^="https://networkmanag.com/"] +luxuretv.com##+js(set, luxuretv.config, '') +luxuretv.com##+js(aopr, popns) + +! https://github.com/uBlockOrigin/uAssets/issues/1161 +! https://github.com/uBlockOrigin/uAssets/issues/19368 +*$script,3p,denyallow=gstatic.com|polyfill.io,domain=sexu.com +||sexu.com^$frame,1p +sexu.com##.footerBanners +sexu.com###jw_video_popup +sexu.com##.container > .info +sexu.com##.player-related +sexu.com##.player-block__line +sexu.com##.title--sm +sexu.com##.player-block__square + +! https://github.com/uBlockOrigin/uAssets/issues/3616 +pussyspace.*##+js(aopr, open) +pussyspace.com,pussyspace.net##+js(aost, navigator.userAgent, exopop.browser.is) +pussyspace.com,pussyspace.net##+js(aeld, load, exoJsPop101) +pussyspace.com,pussyspace.net##+js(norafif, exoframe) +pussyspace.com,pussyspace.net##+js(aeld, /^loadex/) +pussyspace.com,pussyspace.net##a[href$="/live/meet-and-fuck/"] +pussyspace.com,pussyspace.net##a:matches-attr(/^on/=/event/) +pussyspace.com,pussyspace.net##a:matches-attr(/-h?ref/) +pussyspace.com,pussyspace.net###alphabet, #channels, #divx-container, #hmenu, #inform, #nowlooking, #playerCamBox, #playerMenu, #qcat, #showPlayer, #tabel_tagslist, #video_content, #web_cam, .BaseRoomContents, .buttons, .carouselTopScroll, .carusel-keys-box-ps, .footerdesc, .in_top, .load_more_rel, .mainBoxTitle, .pagIno, .playerContent100pr, .relatedVideo, .right-160px, .videos-related, footer, header, [href^="/webcams.php"]:others() +||pussyspace.*/live/meet-and-fuck/$all +||pussyspace.*/js/all.js?v=gitcache_gulp_ +||pussyspace.*/lazyload.im +/click.php?$popup,3p,domain=pussyspace.com|pussyspace.net +*$image,3p,denyallow=cdn77.org|fpbns.net|globalcdn.co|others-cdn.com|rncdn7.com|sb-cd.com|stream.highwebmedia.com|upsiloncdn.net|xvideos-cdn.com|youjizz.com|ypncdn.com|thumb.live.mmcdn.com,from=pussyspace.com|pussyspace.net + +! https://github.com/uBlockOrigin/uAssets/commit/fd983e43ba12355945f0f0bc836006df299d1106#commitcomment-32736940 +||propbigo.com/*.xml$xhr,redirect=nooptext +||doathair.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/1179 +bigtitsxxxsex.com##+js(aopr, ALoader) +bigtitsxxxsex.com##+js(nowoif) +bigtitsxxxsex.com##+js(noeval) +bigtitsxxxsex.com##.bano1 + +! https://github.com/uBlockOrigin/uAssets/issues/3768 +||adn.porndig.com^ +||videos.porndig.com/js/videojs.logobrand.js +porndig.com##+js(set, Object.prototype.AdOverlay, noopFunc) +porndig.com##+js(set, tkn_popunder, null) +videos.porndig.com##+js(aost, document.querySelector, detect) +||porndig.com/sw$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/1181 +! https://github.com/uBlockOrigin/uAssets/issues/4654 +@@||mamahd.*^$ghide +||mamahd.*/hd.php$frame + +! https://github.com/uBlockOrigin/uAssets/issues/1185 +perfectgirls.*,perfektdamen.*##+js(acs, ExoLoader) +perfectgirls.*,perfektdamen.*##+js(aopw, ads_priv) +perfectgirls.*,perfektdamen.*##+js(noeval) +perfectgirls.*,perfektdamen.*##.advertisement +perfectgirls.*,perfektdamen.*##.promo + +! https://github.com/uBlockOrigin/uAssets/issues/1182 +area51.porn##+js(aopr, document.dispatchEvent) +area51.porn##.under-video-banner + +! https://github.com/uBlockOrigin/uAssets/issues/1186 +hentaipulse.com##+js(acs, ExoLoader) + +! https://github.com/uBlockOrigin/uAssets/issues/1189 +1fichier.com##+js(nowebrtc) +1fichier.com##+js(nano-stb, dlw, 40000) + +! https://github.com/uBlockOrigin/uAssets/issues/1191 +vivud.com##+js(aopr, ALoader) +vivud.com##+js(acs, ExoLoader) +vivud.com##+js(nowoif) +vivud.com##+js(aopr, LieDetector) +||vivud.com/sw$script,1p +vivud.com##+js(aopr, decodeURI) +vivud.com##+js(aopr, Notification) +*.mp4$media,redirect=noopmp3-0.1s,domain=vivud.com +@@/key=$media,domain=vivud.com +||utubeworkers.com/Campaigns/$script,xhr,domain=vivud.com +vivud.com##.adv +##.inplayer_banners +##.in_stream_banner + +! https://github.com/uBlockOrigin/uAssets/issues/1202 +||googlesyndication.com^$script,important,domain=incredibox.com +@@||incredibox.com/ad/*$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/1196 +webcheats.com.br##+js(set, can_run_ads, true) +webcheats.com.br##+js(nostif, test, 0) + +! https://github.com/uBlockOrigin/uAssets/issues/1167 +! https://github.com/uBlockOrigin/uAssets/issues/1199 +! https://github.com/uBlockOrigin/uAssets/issues/1200 +! https://github.com/uBlockOrigin/uAssets/issues/1201 +ceesty.com,gestyy.com##+js(set, adsBlockerDetector, noopFunc) +@@||ceesty.com^$ghide +@@||corneey.com^$ghide +@@||destyy.com^$ghide +@@||festyy.com^$ghide +@@||gestyy.com^$ghide +@@||sh.st^$ghide +ceesty.com,corneey.com,destyy.com,festyy.com,gestyy.com,sh.st##.skip-advert +ceesty.com,corneey.com,destyy.com,festyy.com,gestyy.com,sh.st##+js(set, globalThis, null) +*$3p,xhr,domain=ceesty.com|corneey.com|destyy.com|festyy.com|gestyy.com +ceesty.com,corneey.com,destyy.com,festyy.com,gestyy.com##+js(aopr, NREUM) + +! https://github.com/uBlockOrigin/uAssets/issues/1209 +imgcloud.pw##+js(popads-dummy) +*$script,3p,denyallow=fastly.net|google.com|googleapis.com|gstatic.com|jsdelivr.net|jwpcdn.com,domain=imgcloud.pw + +! https://forums.lanik.us/viewtopic.php?f=62&t=39613 +angrybirdsnest.com##+js(set, adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/1211 +nitroflare.com##+js(acs, $, window.open) +nitroflare.com##+js(acs, pop3, window.open) + +! https://github.com/uBlockOrigin/uAssets/issues/1223 +sexytrunk.com,teensark.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/1224 +planetsuzy.org##+js(set, __ads, true) +planetsuzy.org##+js(acs, jQuery, ready) +planetsuzy.org##div[style]:has(> script[src*="ads.exoclick.com/"]) + +! https://github.com/uBlockOrigin/uAssets/issues/1227 +zrozz.com##+js(set, adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/7021 +empflix.com##+js(aopw, popzone) +empflix.com##+js(nowoif) +empflix.com##+js(set, FlixPop.isPopGloballyEnabled, falseFunc) +empflix.com##+js(aeld, , /exo) +tnaflix.com##+js(aopr, ads.pop_url) +tnaflix.com##+js(aeld, getexoloader) +||tnaflix.com/*.php$script,1p +empflix.com,tnaflix.com##.lastLiAvx +tnaflix.com###vidPlayer span:has-text(Advertisement) +tnaflix.com###vidPlayer > div:last-child +tnaflix.com###zoneInPlayer +tnaflix.com##.improveADS +empflix.com##.mewDv +empflix.com##.padAdvx +empflix.com#@##hideAd +empflix.com##.col-xs-6:not([data-vid]) +! https://github.com/uBlockOrigin/uAssets/issues/22389 +tnaflix.com##+js(set-cookie, popunder_stop, 1) +tnaflix.com##.pause-overlay +||adsession.com^$popup + +! https://github.com/uBlockOrigin/uAssets/issues/1233 +pornomovies.com##+js(aopr, ExoLoader.serve) +pornomovies.com##+js(aopr, decodeURI) +pornomovies.com##.twocolumns > .viewlist + .aside + +! https://github.com/uBlockOrigin/uAssets/issues/1238 +urlcero.*##+js(aopr, open) +urlcero.*##+js(nostif, checkAdblockUser, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/1244 +onlinetv.planetfools.com##+js(acs, setTimeout, 1000) +planetfools.com##+js(nowebrtc) + +! https://forums.lanik.us/viewtopic.php?f=91&t=39633 +! https://github.com/uBlockOrigin/uAssets/pull/1248 +gala.fr,gentside.com,geo.fr,hbrfrance.fr,nationalgeographic.fr,ohmymag.com,serengo.net,vsd.fr##+js(nostif, checkPub, 6000) + +! https://github.com/uBlockOrigin/uAssets/issues/1247 +! https://github.com/NanoMeow/QuickReports/issues/1618#issuecomment-517955406 +@@||startimez.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/1225 +newsextv.com##+js(acs, ExoLoader) +anyporn.com##+js(nowoif) +anyporn.com##+js(acs, ExoLoader) +||anyporn.com/if2/ + +! https://github.com/reek/anti-adblock-killer/issues/3841 +||img.stomp.com.sg/sites/all/themes/stompst/images/placeholder.jpg$image +stomp.straitstimes.com##.content:has(> div:has-text(Branded Content)) + +! https://github.com/NanoAdblocker/NanoFilters/issues/13 +linkrex.net##+js(aopr, open) +linkrex.net##+js(aopw, __htapop) +linkrex.net,linx.cc##+js(set, blurred, false) +*$script,3p,denyallow=cloudflare.com|cloudflare.net|google.com|gstatic.com|recaptcha.net,domain=linkrex.net|linx.cc + +! https://github.com/uBlockOrigin/uAssets/issues/1274 +shrtfly.*##+js(aopr, open) +shrtfly.*##+js(aopr, tabUnder) +@@||shrtfly.*^$ghide +shrtfly.*##ins.adsbygoogle +shrtfly.*##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/1273 +oke.io##+js(aopr, open) +oke.io##+js(aopw, Fingerprint2) +oke.io##+js(set, blurred, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/7pyzt3/lots_of_ads_on_gogoanime/ +! https://github.com/uBlockOrigin/uAssets/issues/2256 +! https://www.reddit.com/r/uBlockOrigin/comments/94alm0/gogoanimesh_prevalent_ads_bypasses_older/ +! https://github.com/uBlockOrigin/uAssets/issues/3710 +! https://www.reddit.com/r/uBlockOrigin/comments/aiv8xl/ublock_origin_not_blocking_ads_on_gogoanime/ +! https://github.com/uBlockOrigin/uAssets/issues/4991 +! https://github.com/uBlockOrigin/uAssets/issues/6953 +gogoanime.*##+js(acs, atob, decodeURIComponent) +gogoanime.*,gogoanimes.*##+js(nowoif) +gogoanime.*##+js(set, console.clear, undefined) +gogoanime.*##+js(set, check_adblock, true) +gogoanime.*##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +gogoanime.*##.banner_center +gogoanime.*##.anime_video_body_cate > div[style]:has(> div[id] + script[src]) +gogoanime.*##.adx +gogoanimetv.*##+js(aopr, AaDetector) +gogoanimetv.*##+js(nosiif, _0x) +||gogoanime.*/api/pop.php$xhr,1p +gogoanimetv.*##+js(nowoif) +||gogoanime.me/*.gif$image +/get/*?zoneid=$script + +! https://github.com/uBlockOrigin/uAssets/issues/1277 +cpmlink.net##+js(acs, decodeURI, decodeURIComponent) +cpmlink.net##+js(nowebrtc) +cpmlink.net##.__web-inspector-hide-shortcut__ +*$script,3p,denyallow=cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|fastly.net|fastlylb.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jsdelivr.net|jquery.com|jwpcdn.com|recaptcha.net|tawk.to,domain=cpmlink.net +cpmlink.net##+js(aeld, , _blank) +*$frame,3p,domain=cpmlink.net +cpmlink.net##[href^="https://bit.ly"] +cpmlink.net##iframe[src="about:blank"] + +! https://github.com/uBlockOrigin/uAssets/issues/1282 +sunporno.com##+js(aopr, ExoLoader.addZone) +sunporno.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +sunporno.com##.flirt +sunporno.com##.flirt-footer +sunporno.com##.flirt-block +sunporno.com##.thumbs-container > .th-ba +||sunporno.com/*.php$script,1p +sunporno.com##.safelink +/api/model/feed?siteId=$xhr,3p + +! https://github.com/uBlockOrigin/uAssets/issues/1285 +namethatporn.com##+js(popads-dummy) +namethatporn.com##[data-flba^="https://landing.brazzersnetwork.com"] +||namethatporn.com/assets/imgs/1x1.gif$badfilter +||namethatporn.com/assets/imgs/1x1.gif$frame,redirect=noopframe + +! https://github.com/uBlockOrigin/uAssets/issues/1286 +magnetdl.com,magnetdl.org##+js(nowoif) +magnetdl.com,magnetdl.org##a[href="/site/vpn/"] +magnetdl.com,magnetdl.org##+js(ra, href, a[href="https://vpn-choice.com"]) +magnetdl.com,magnetdl.org##a[href^="https://usenetbay.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/1299 +! https://forums.lanik.us/viewtopic.php?t=48326-nsfw-freeviewmovies-com +freeviewmovies.com##+js(aopw, encodeURIComponent) +freeviewmovies.com##+js(set, isAdBlockActive, false) +freeviewmovies.com###pause-container + +! https://github.com/uBlockOrigin/uAssets/issues/1298 +badjojo.com##+js(aopw, encodeURIComponent) +pornhost.com##+js(aopr, raConf) +badjojo.com##.embed-overlay + +! https://github.com/uBlockOrigin/uAssets/issues/1300 +eroprofile.com##+js(acs, ExoLoader) +||eroprofile.com/js/nvbla.js +eroprofile.com##.center-block +eroprofile.com###divVideoListAd2 + +! https://github.com/uBlockOrigin/uAssets/issues/1301 +feet9.com##[data-vid^="live-"]:remove() +feet9.com##[href^="https://go.cam.feet9.com/"]:upward(3) +||feet9.com/t/newbuttonyellow.png$image +feet9.com##.pup +feet9.com##.video:has(span:has-text(Live)) +! https://github.com/uBlockOrigin/uAssets/issues/1301#issuecomment-1364615843 +feet9.com##+js(acs, __ADX_URL_U) +feet9.com##[onclick*="banner"]:upward(.video) +feet9.com##.hvr-pulse +feet9.com##[class^="ig"] +||feet9.com^$csp=worker-src 'none'; + +! https://github.com/uBlockOrigin/uAssets/issues/1304 +locopelis.com##+js(aopr, popTimes) +locopelis.com##+js(aopr, smrtSB) +locopelis.com##+js(aopr, smrtSP) + +! https://github.com/uBlockOrigin/uAssets/issues/1297 +absoluporn.*##+js(acs, ExoLoader) +@@||chaturbate.com/*embed$frame,domain=absoluporn.com +/code/script/back.php| + +! https://github.com/uBlockOrigin/uAssets/issues/4069 +short.pe##+js(acs, atob, tabunder) +short.pe##+js(acs, RegExp, POSTBACK_PIXEL) +short.pe##+js(aopr, AaDetector) +short.pe##+js(aopr, console.clear) +short.pe##+js(aeld, mousedown, preventDefault) +short.pe##+js(nowebrtc) +short.pe##+js(nowoif) +short.pe##+js(nostif, '0x) +*$frame,denyallow=google.com|hcaptcha.com,domain=short.pe +short.pe##a[href^="https://href.li/"] +short.pe##body > div[style]:has(input[type="button"]) +short.pe##div[style*="z-index:99999"] > div[style*="width:300px"] + +! https://github.com/uBlockOrigin/uAssets/issues/1329#issuecomment-627532234 +185.153.231.222##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/1332 +orgyxxxhub.com##+js(aopr, ExoLoader) +orgyxxxhub.com##+js(aopr, Aloader) +orgyxxxhub.com##+js(aopr, advobj) +orgyxxxhub.com##+js(noeval-if, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/1324 +repelis.net##+js(aopr, popTimes) + +! https://github.com/uBlockOrigin/uAssets/issues/1355 +pornomico.com##+js(aopr, addElementToBody) +pornomico.com##+js(popads-dummy) +pornomico.com##+js(aopr, decodeURI) +pornomico.com##.vjs-overlay + +! https://github.com/uBlockOrigin/uAssets/issues/1356 +donkparty.com##+js(aopr, phantomPopunders) +donkparty.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/1357 +watchmygf.me##+js(noeval) +||watchmygf.me/js/popupimage.js +watchmygf.me##+js(aopr, open) +watchmygf.me##+js(set, $.magnificPopup.open, noopFunc) +watchmygf.me##[href^="https://wct.link/click"] + +! https://github.com/uBlockOrigin/uAssets/issues/1358 +mylust.com##+js(aopr, document.dispatchEvent) +mylust.com##+js(aopr, console.clear) +mylust.com##.no_pop.centeredbox +mylust.com##iframe.clear_both +mylust.com##div[class^="span"] > div.box:has(> .title > div:has-text(Advertisement)) +mylust.com###wrapper > div[style*="height:18px"] +mylust.com##.list_videos_ad +mylust.com###main_video_fluid_html_on_pause +||mylust.com/*.jsx + +! https://forums.lanik.us/viewtopic.php?f=62&t=39765 +! https://github.com/uBlockOrigin/uAssets/issues/4806 +deepbrid.com##+js(acs, document.getElementById, undefined) +deepbrid.com##+js(set, adsenseadBlock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/1361 +! https://github.com/uBlockOrigin/uAssets/issues/12576 +pinsystem.co.uk##+js(aeld, /^(?:click|mousedown)$/, _0x) +@@||pinsystem.co.uk^$ghide +pinsystem.co.uk##ins.adsbygoogle +pinsystem.co.uk##+js(no-xhr-if, /adsbygoogle|doubleclick/) +pinsystem.co.uk##+js(acs, eval, replace) +pinsystem.co.uk##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/1374 +boysfood.com##+js(aopw, encodeURIComponent) +boysfood.com###pause-container + +! https://github.com/uBlockOrigin/uAssets/issues/1381 +sextingforum.net##+js(aopw, stagedPopUnder) + +! https://github.com/uBlockOrigin/uAssets/issues/1394 +! https://github.com/AdguardTeam/AdguardFilters/issues/77244 +linkshorts.*##+js(aopr, open) +linkshorts.*##+js(set, blurred, false) +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=linkshorts.* + +! https://github.com/uBlockOrigin/uAssets/issues/1392 +dz4link.com##+js(aopw, Fingerprint2) +dz4link.com##+js(set, blurred, false) +dz4link.com##+js(nowoif) +dz4link.com##.banner +dz4up.com##.container + div[style] > [title="Download Now"] > img +*$frame,denyallow=google.com,domain=dz4link.com +*$script,3p,denyallow=facebook.net|google.com|gstatic.com|recaptcha.net,domain=dz4link.com + +! https://github.com/uBlockOrigin/uAssets/issues/18480 +! pixhost. to +pixhost.*###js +pixhost.*###web:style(display: block !important;) +pixhost.*##^script:has-text(exdynsrv) +pixhost.*##+js(rmnt, script, exdynsrv) + +! https://adblockplus.org/forum/viewtopic.php?f=1&t=54957 +readmng.com##.desk +readmng.com##.sideways +||readmng.com/dist/img/banner*$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10665 +! https://www.reddit.com/r/uBlockOrigin/comments/171bmjh/ +@@||next-episode.net^$ghide +@@||next-episode.net^$script,1p +*$script,redirect-rule=noopjs,domain=next-episode.net +!next-episode.net##+js(rmnt, script, /<.*>.*\x40/) +!next-episode.net##.adsbygoogle +next-episode.net##[id=""] + +! https://forums.lanik.us/viewtopic.php?f=62&t=39824 +||beinsports.com/*/adbw/ + +! https://github.com/uBlockOrigin/uAssets/issues/1406 +! https://github.com/uBlockOrigin/uAssets/pull/9827 +indi-share.com##+js(nano-stb, seconds) +indi-share.com##+js(nano-sib, clearInterval) +techmyntra.net##+js(nano-stb) +||dwf6crl4raal7.cloudfront.net^$script,3p +||techmyntra.net^$3p + +! https://forums.lanik.us/viewtopic.php?f=62&p=131716#p94691 +@@||fwmrm.net/ad/$script,domain=dplay.dk +||dniadops-a.akamaihd.net/video-assets/*.mp4$media,domain=dplay.dk + +! https://github.com/uBlockOrigin/uAssets/issues/1687 +updato.com##+js(nostif, document.querySelector, 5000) + +! https://github.com/easylist/easylist/commit/8b6e6544f04b3ded98fbd70bd832dfcc4e61db52#commitcomment-27222476 +! https://github.com/uBlockOrigin/uAssets/issues/3126 +! https://github.com/NanoMeow/QuickReports/issues/1258 +! https://github.com/NanoMeow/QuickReports/issues/1270 +! https://github.com/uBlockOrigin/uAssets/issues/8847 +imgdew.*,imgoutlet.*,imgsen.*,imgsto.*,imgtown.*,imgview.*##+js(aopr, CustomEvent) +imgdew.*,imgmaze.*,imgoutlet.*,imgtown.*,imgview.*##+js(aopr, exoJsPop101) +imgdew.*,imgmaze.*,imgtown.*,imgview.*##+js(aopr, ExoLoader.addZone) +imgmaze.*,imgtown.*##+js(aopr, popjs.init) +imgdew.*,imgmaze.*,imgoutlet.*,imgtown.*,imgview.*##+js(aopw, Fingerprint2) +imgdew.*,imgmaze.*,imgoutlet.*,imgtown.*,imgview.*##+js(nowoif) +dewimg.*,imgrock.*,imgviu.*,mazpic.*,outletpic.*,picrok.*##+js(nowoif) +*$script,frame,xhr,3p,domain=mazpic.*,denyallow=imgmaze.com +*$script,frame,xhr,3p,domain=picrok.*,denyallow=imgrock.net +*$script,frame,xhr,3p,domain=imgviu.*,denyallow=imgview.net +*$script,frame,xhr,3p,domain=outletpic.*,denyallow=imgoutlet.com +*$script,frame,xhr,3p,domain=dewimg.*,denyallow=imgdew.com +*$script,frame,xhr,3p,domain=imgtown.*,denyallow=imgtown.net +*$script,3p,domain=imgsen.com +@@||imgtown.*^$ghide +@@||imgmaze.*^$ghide +@@||imgoutlet.*^$ghide +@@||imgview.*^$ghide +/\/[0-9a-z]{5,9}\.js(\?[a-z]{3})?$/$script,domain=dewimg.*|imgtown.*|imgviu.*|mazpic.*|outletpic.*|picrok.* +dewimg.*,imgtown.*,imgviu.*,mazpic.*,outletpic.*,picrok.*##+js(acs, addEventListener, -0x) +dewimg.*,imgtown.*,imgviu.*,mazpic.*,outletpic.*,picrok.*##div[style^="z-index: 999999; background-image: url(\"data:image/gif;base64,"][style$="position: absolute;"] +dewimg.*,imgtown.*,imgviu.*,mazpic.*,outletpic.*,picrok.*##[href^="//"][rel="nofollow norefferer noopener"] + +! https://github.com/easylist/easylist/commit/8b6e6544f04b3ded98fbd70bd832dfcc4e61db52#commitcomment-27222476 +imgclick.net##+js(aopw, Fingerprint2) +imgclick.net##+js(noeval) + +! https://github.com/uBlockOrigin/uAssets/issues/1417 +behindwoods.com###cboxOverlay +behindwoods.com###cboxWrapper +behindwoods.com###colorbox +behindwoods.com##.vedio-block + +! https://github.com/uBlockOrigin/uAssets/issues/1423 +rojadirecta.*,tarjetarojatvonline.*##+js(aopw, closeMyAd) +rojadirecta.*,rojadirectatv.*,tarjetarojatvonline.*##+js(aopw, smrtSP) +capshd.*,rojadirectatvlive.*##+js(nowoif) +||adblockenterpriseedition.com^ + +! https://www.reddit.com/r/uBlockOrigin/comments/7uncmj/help_remove_dynamic_antiadblocker_overlay/ +@@||ekstrabladet.dk^$ghide +@@||adtech.de/dt/common/DAC.js$domain=ekstrabladet.dk +ekstrabladet.dk##.eb-placement + +! https://github.com/uBlockOrigin/uAssets/issues/1458 +webnovel.com##+js(set, adblockSuspected, false) +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=webnovel.com + +! https://github.com/uBlockOrigin/uAssets/issues/1463 +@@||totaldebrid.org^$ghide +*.gif#$image,redirect=1x1.gif,domain=totaldebrid.org +! https://github.com/uBlockOrigin/uAssets/issues/1463#issuecomment-534039208 +totaldebrid.*##+js(nostif, nextFunction, 250) +totaldebrid.org##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/1464 +streamwish.*##+js(set, xRds, true) +streamwish.*##+js(set, cRAds, false) + +! https://github.com/jspenguin2017/uBlockProtector/issues/835#issuecomment-362782205 +! Add filters to boost timers, for the reasoning read the link above +! Copied from https://github.com/NanoAdblocker/NanoFilters/blob/a57366bd7b42a31d25af47eefc031218826bcae0/NanoFiltersSource/NanoTimer.txt +! https://github.com/uBlockOrigin/uAssets/issues/1497 +! https://github.com/uBlockOrigin/uAssets/issues/1521 +! https://github.com/uBlockOrigin/uAssets/issues/1731 +al.ly,bbf.lt,cpmlink.net,cut-urls.com,eg4link.*,idlelivelink.*,igram.*,iiv.pl,shink.me,ur.ly,url.gem-flash.com,zeiz.me##+js(nano-sib) +globalbesthosting.com,srt.am##+js(nano-stb) +! https://github.com/uBlockOrigin/uAssets/issues/1481 +1ink.cc##+js(nano-sib) +1ink.cc##[id^="Ad"] +*$frame,domain=1ink.cc +! https://github.com/jspenguin2017/uBlockProtector/issues/173 +freepdf-books.com##+js(nano-sib, myTimer, 1500) +@@||met.bz^$ghide +*.gif$domain=met.bz,image +met.bz##+js(noeval) +met.bz##+js(aopr, AaDetector) + +! https://github.com/jspenguin2017/uBlockProtector/issues/840 +hideout.*##+js(acs, stop, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/1475 +@@||pastpapers.papacambridge.com^$ghide +pastpapers.papacambridge.com##[id^="aswift"] + +! https://github.com/uBlockOrigin/uAssets/issues/1480 +mimaletadepeliculas.*##+js(aeld, load, advertising) + +! https://github.com/jspenguin2017/uBlockProtector/issues/228#issuecomment-311761121 +themeslide.com##+js(nano-sib, countdown, 2000) +themeslide.com##+js(nano-stb) + +! https://github.com/NanoAdblocker/NanoFilters/issues/272 +! https://github.com/NanoMeow/QuickReports/issues/25 +! https://github.com/uBlockOrigin/uAssets/pull/6696 +@@||aternos.org^$ghide +*$script,redirect-rule=noopjs,domain=aternos.org +@@||hb.vntsm.com/v2/live/$xhr,domain=aternos.org +@@||tlx.3lift.com/header/auction?$xhr,domain=aternos.org +@@||fastlane.rubiconproject.com/a/api/fastlane.json?$xhr,domain=aternos.org +@@||bidder.criteo.com/cdb?$xhr,domain=aternos.org +@@||hbopenbid.pubmatic.com/translator?source=prebid-client$xhr,domain=aternos.org +@@||mp.4dex.io/prebid$xhr,domain=aternos.org +@@||prg.smartadserver.com/prebid/v1$xhr,domain=aternos.org +@@||venatusmedia-d.openx.net/w/1.0/arj$xhr,domain=aternos.org +@@||adx.adform.net/adx/openrtb$xhr,domain=aternos.org +@@||htlb.casalemedia.com/cygnus?s=$xhr,domain=aternos.org +@@||prebid.a-mo.net/a/c$xhr,domain=aternos.org +@@||vntsm.com/*/ad-manager.min.js$script,domain=aternos.org +@@||hb.vntsm.io/content.html$xhr,domain=aternos.org +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=aternos.org +||aternos.org/panel/ajax/reportDetection.php?$xhr,1p +||aternos.org/ajax/account/report-detection$xhr,1p +||tech426.com^$3p +||ultra-rv.com^$3p +||atom-ds.com^$3p +||fastlane.rubiconproject.com^$removeparam,domain=aternos.org +||htlb.casalemedia.com^$removeparam=r,domain=aternos.org + +! https://github.com/uBlockOrigin/uAssets/issues/1027 +@@||imasdk.googleapis.com/js/sdkloader/*$script,domain=video.gjirafa.com +gjirafa.com##[id^="gjc"] +gjirafa.com##[id^="an-holder"] +!video.gjirafa.com##+js(json-prune, 0) + +||s3.amazonaws.com/dmas-public/revcontent/bundle.js + +! https://github.com/uBlockOrigin/uAssets/pull/1506 +pcworld.com###amazon-bottom-widget + +! https://github.com/uBlockOrigin/uAssets/pull/1507 +thedailywtf.com##.article-body > div:has(a[href*="utm_medium"]) + +! https://github.com/uBlockOrigin/uAssets/issues/1522 +befap.com##+js(aopr, ExoLoader) +befap.com##+js(aopw, tiPopAction) +befap.com##.row-middle + +! https://github.com/uBlockOrigin/uAssets/issues/1523 +tubemania.org##+js(nowoif) +||tubemania.org^$frame,1p + +! https://github.com/NanoAdblocker/NanoDefender/issues/24#issuecomment-364821024 +wp-time.com##a[href^="https://goo.gl/"]:has(img) +wp-time.com###pop-ad-wrap + +! https://github.com/uBlockOrigin/uAssets/issues/1531 +#@#.reklama +##.reklama:not(.ads) +offmoto.com#@#.reklama:not(.ads) + +! https://github.com/uBlockOrigin/uAssets/issues/1538 +cumlouder.com##+js(aopw, ExoLoader) + +! https://forums.lanik.us/viewtopic.php?f=62&t=39983 +nme.com##.advert:style(z-index: -999999 !important;) +nme.com###wrapper:style(padding-top: 0 !important;) +idealhome.co.uk,look.co.uk##body > div#wrapper:style(padding-top: 0px !important;) +goodtoknow.co.uk,marieclaire.co.uk,womanandhome.com##.header-advert-wrapper + +! mejortorrent.com popups +mejortorrent.*,mejortorrento.*,mejortorrents.*,mejortorrents1.*,mejortorrentt.*##+js(nowebrtc) +mejortorrento.*,mejortorrents.*,mejortorrents1.*,mejortorrentt.*##iframe[src^="publi"] +||mejortorrent.*/bannner + +! https://github.com/uBlockOrigin/uAssets/issues/1550 +! https://forums.lanik.us/viewtopic.php?f=62&t=42535 +||downloadfullfree.com^$xhr,redirect=nooptext + +! https://github.com/uBlockOrigin/uAssets/issues/911#issuecomment-366335870 +! https://github.com/NanoMeow/QuickReports/issues/3664 +adsrt.*##+js(acs, atob, decodeURIComponent) +adsrt.*##+js(aopw, Fingerprint2) +adsrt.*##+js(aopr, rmVideoPlay) +adsrt.*##+js(set, blurred, false) +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=adsrt.* + +! https://github.com/uBlockOrigin/uAssets/issues/1555 +linclik.com##+js(set, blurred, false) +||kogaqmlci.com^ + +! https://forums.lanik.us/viewtopic.php?f=62&t=39985 +rd.com##+js(acs, btoa, Adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/2938#issuecomment-445134813 +||uptostream.com/assets/ads.xml$xhr,domain=imasdk.googleapis.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=uptostream.com + +! https://www.reddit.com/r/uBlockOrigin/comments/81am26 +! https://www.reddit.com/r/uBlockOrigin/comments/9byeux +1movies.*##+js(set, String.prototype.charCodeAt, trueFunc) +! https://github.com/uBlockOrigin/uAssets/issues/1718 +1movies.*##+js(set, check_adblock, true) +1movies.*##^script:has-text(3f87b0eaddd) +||1movies.*/sw.js$script,1p +||amgload.net^$xhr,redirect=nooptext,domain=1movies.* +||piguiqproxy.com^$xhr,redirect=nooptext,domain=1movies.* +1movies.*##a[href^="https://vpn-stream.com"] +1movies.*##+js(aopw, decodeURIComponent) +1movies.*##+js(nowoif) +@@||1movies.*/*.html$csp,1p +1movies.life##div[id^="___"][style="display: block;"] + +! https://github.com/uBlockOrigin/uAssets/issues/6447 +bs.to,burningseries.*##+js(aeld, click, preventDefault) +*$popunder,3p,domain=bs.to|burningseries.* +bs.to,burningseries.*##+js(ra, onclick) + +! https://www.reddit.com/r/uBlockOrigin/comments/7ys9hz/nsfw_how_do_you_get_rid_of_those_dancing_girls/ +hentaigo.com##+js(aopr, loadTool) +hentaigo.com##+js(aopr, r3H4) +hentaigo.com##a[href*="//www.nutaku.net/signup/"] + +! https://github.com/uBlockOrigin/uAssets/issues/1584 +lin-ks.*##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/1591 +streamfare.com##[id^="wb_AdText"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/83544 +||thebookee.net^$image,redirect-rule=1x1.gif,1p +@@||thebookee.net^$ghide +thebookee.net##ins.adsbygoogle + +! https://github.com/gorhill/uBlock/issues/3539 +webdesigndev.com##+js(nowoif) + +! https://forums.lanik.us/viewtopic.php?f=90&t=40053 +! https://forums.lanik.us/viewtopic.php?p=145117#p145117 +@@||schwaebische.de/*/ad$script,1p +schwaebische.de##+js(set, disasterpingu, false) +@@||schwaebische.de^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/1608 +dz4soft.*##+js(noeval) +dz4soft.*##+js(aeld, load, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/1607 +imageweb.ws##+js(nowoif) +||imageweb.ws/*.gif$image +imageweb.ws##a[href^="http://refer.ccbill.com/"] +hardcoreluv.com,imageweb.ws,pezporn.com,wildpictures.net##.box1[style^="height"] + +! https://github.com/uBlockOrigin/uAssets/issues/1614 +stream2watch.*##+js(acs, atob) +stream2watch.*##+js(aopr, AdservingModule) +stream2watch.*##p[style="color:white;"] +stream2watch.*##.min-test +hindimean.com,streamcdn.*##+js(aopr, AaDetector) +hindimean.com##+js(nowebrtc) +streamcdn.*##+js(aopr, open) +wizhdsports.fi##+js(nowebrtc) +||stream2watch.*/sw.js$script,1p +! daddylive.live (.club .me .eu) popups +! https://github.com/NanoMeow/QuickReports/issues/1306 +daddylive.*##+js(aopr, AaDetector) +daddylive.*##+js(aopr, require) +daddylive.*##+js(nowebrtc) +daddylive.*##+js(aopw, afStorage) +daddylive.*##^script:has-text(decodeURIComponent) +dlhd.sx##+js(aopw, u_cfg) +/adblock.php$script,domain=dlhd.sx +dlhd.sx##+js(nostif, (), 150) +||gocast2.com/z-$script,1p +||daddylive.*/*ads$frame,1p +||daddylive.*/sw.js$script,1p +gooals.*###mo-ads-close +daddylive.*###floatLayer1 +daddylive.*###html1 +daddylive.*##div > a.btn-outline-primary.btn +! https://github.com/AdguardTeam/AdguardFilters/issues/150430 +daddylive.link#@#+js(aopr, require) + +! https://github.com/uBlockOrigin/uAssets/issues/1618 +cnnamador.com##+js(nostif, backRedirect) +cnnamador.com##+js(aeld, , pop) +cnnamador.com##+js(noeval) +cnnamador.com##.banner +||cnnamador.com/player/float.php +cnnamador.com##.is-ad-visible +cnnamador.com##+js(aopw, adv_pre_duration) +cnnamador.com##+js(aopw, adv_post_duration) +cnnamador.com##+js(aeld, /^(click|mousedown|mousemove|touchstart|touchend|touchmove)/, system.popunder) +cnnamador.com##.cards__item:has([href*="loboclick"]) +||cnnamador.com/sw.js$script,1p +||adsloboclick.com^ + +! https://github.com/uBlockOrigin/uAssets/pull/1623 +dirpy.com##a[href*="bit.ly"] +dirpy.com##a[href*="out.dirpy.com"] +dirpy.com###dirpy-news + +! https://github.com/jspenguin2017/uBlockProtector/issues/865 +clix4btc.com##+js(set, adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/1629 +mp3guild.*,mp3clan.*##+js(aopw, Fingerprint2) + +! https://github.com/uBlockOrigin/uAssets/issues/1632 +vidoza.net##+js(noeval) +vidoza.net##+js(nowoif) +vidoza.net##.in-block +vidoza.net###plo_0 +vidoza.net##[id*="ScriptRoot"] +vidoza.net##.simpleToast +vidoza.net##.download-green + +! https://github.com/uBlockOrigin/uAssets/issues/2695 +*$image,redirect-rule=1x1.gif,domain=freeopenvpn.org +freeopenvpn.org##.ipspeed +freeopenvpn.org#@##advert_top +freeopenvpn.org##div[style^="display: block"][style*="width: 336px"] + +! https://github.com/uBlockOrigin/uAssets/issues/1639 +! https://forums.lanik.us/viewtopic.php?f=103&t=32877 +@@||diariosur.es^$ghide +@@||diariovasco.com^$ghide +@@||elcomercio.es^$ghide +@@||elcorreo.com^$ghide +@@||eldiariomontanes.es^$ghide +@@||elnortedecastilla.es^$ghide +@@||hoy.es^$ghide +@@||ideal.es^$ghide +@@||larioja.com^$ghide +@@||lasprovincias.es^$ghide +@@||leonoticias.com^$ghide +||static.vocento.com/dab/*.js +diariovasco.com,eldiariomontanes.es,elnortedecastilla.es,hoy.es,ideal.es,larioja.com,lasprovincias.es,leonoticias.com##.voc-advertising + +! https://github.com/uBlockOrigin/uAssets/issues/7298 +*$script,redirect-rule=noopjs,domain=spiegel.de +*$xhr,redirect-rule=noopjs,domain=spiegel.de +||doubleclick.net^$script,important,domain=spiegel.de +spiegel.de#@#.asset-affiliatebox +spiegel.de#@#.nativead +spiegel.de#@#.nativead + .headline-date +spiegel.de#@#a[href^="http://paid.outbrain.com/network/redir?"] +spiegel.de#@#a[href^="https://paid.outbrain.com/network/redir?"] +spiegel.de#@#a[data-nvp*="'trafficUrl':'https://paid.outbrain.com/network/redir?"] +spiegel.de#@#a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"] +spiegel.de#@#a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"] + +! https://github.com/uBlockOrigin/uAssets/issues/1642 +||focus.de/src/js/spmsg$script,redirect=noopjs,1p +focus.de##.clearfix.branding > .surftipp:has-text(Anzeige) +focus.de##[href^="https://www.cyberport.de"] + +! https://github.com/uBlockOrigin/uAssets/issues/1644 +! https://github.com/uBlockOrigin/uAssets/issues/25812 +@@||ariva.de^$ghide +*$script,domain=ariva.de,redirect-rule=noopjs +||ariva.de/js/fcm-sw.js$script,1p +ariva.de##.werb_textlink +ariva.de###iqd_mainAd + +! https://github.com/uBlockOrigin/uAssets/issues/1649 +haxmaps.com##+js(acs, ab1, ab2) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40124 +vsco.co##.page-wrap > section:has-text(Download the free) + +! https://github.com/jspenguin2017/uBlockProtector/issues/873 +@@||bittube.me/*/js/ads2.js$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/1669 +generacionretro.net##+js(aeld, load, 2000) + +! https://github.com/NanoAdblocker/NanoFilters/issues/39 +arlinadzgn.com,idntheme.com##+js(aopw, hidekeep) + +! https://github.com/uBlockOrigin/uAssets/issues/3441 +ma-x.org##+js(aeld, load, adb) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40167 +||waybig.com/*.gif$image +waybig.com##.aff-list +waybig.com##.content-aff +waybig.com##.aside-adds-col + +! https://github.com/uBlockOrigin/uAssets/issues/1953 +! animeflv.net | animeflvnet.com | animeflv.ac | animeflv.cc | animeflv.la | animeflv.ru ads/popup +animeflv.*##+js(acs, jQuery, 'pp12') +*$script,3p,denyallow=cloudflare.com|cloudflare.net|cloudfront.net|disqus.com|disquscdn.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|jsdelivr.net|mega.nz|recaptcha.net,domain=animeflv.* +@@||animeflv.*/assets/vast/videojs$script,1p +||animeflv.*/api/pop.php + +! https://github.com/uBlockOrigin/uAssets/issues/1690 +! https://github.com/uBlockOrigin/uAssets/issues/21463 +jkanime.*##+js(nowoif) +sfastwish.com##+js(aopr, __Y) +||ad.responsad1.space^ + +! https://github.com/uBlockOrigin/uAssets/issues/1686 +8tracks.com##+js(set, App.views.adsView.adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/1692 +nudecelebforum.com##+js(aopr, __ads) +nudecelebforum.com##+js(noeval) +nudecelebforum.com##+js(nostif, document.querySelectorAll, 1000) +nudecelebforum.com###floatingbar + +! https://github.com/uBlockOrigin/uAssets/issues/1697 +! https://github.com/NanoAdblocker/NanoFilters/issues/103 +@@||hyperdebrid.*^$ghide +hyperdebrid.*##+js(acs, decodeURI, atob) + +! https://www.reddit.com/r/uBlockOrigin/comments/83f3nn/please_verify_this_antiadblock_filter_for/ +pronpic.org##+js(aopr, document.createEvent) +pronpic.org##+js(aopw, ShowAdbblock) +pronpic.org##+js(nostif, style) +@@||visitweb.com^$script,domain=pronpic.org + +! https://www.reddit.com/r/uBlockOrigin/comments/83l1l7/how_can_i_bypass_this_adblock_detenction/ +! https://github.com/NanoMeow/QuickReports/issues/3304 +||player.ooyala.com/*/ad-plugin/google_ima.min.js$script,important,redirect=noopjs,domain=nrl.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=nrl.com +@@||nrl.com^$ghide +nrl.com##[id^="publift-ad-"] + +! https://github.com/jspenguin2017/uBlockProtector/issues/883 +! https://github.com/jspenguin2017/uBlockProtector/issues/940 +! https://github.com/jspenguin2017/uBlockProtector/issues/959 +! https://github.com/NanoMeow/QuickReports/issues/524 +@@||ccbluex.net^$ghide +*/adsid/integrator.js$script,redirect=noopjs,domain=dl.ccbluex.net +||googlesyndication.com^$script,redirect=noopjs,domain=dl.ccbluex.net + +! https://github.com/uBlockOrigin/uAssets/issues/1708 +thewebflash.com##+js(nostif, clientHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/1709 +! https://github.com/uBlockOrigin/uAssets/issues/3172 +chyoa.com##+js(aopr, __NA) +chyoa.com##+js(aopw, ExoLoader) +chyoa.com##.chyoa-banner +chyoa.com##.chyoa-adzone + +! https://github.com/uBlockOrigin/uAssets/issues/1711 +3movs.com##+js(popads-dummy) +3movs.com##+js(noeval-if, ExoLoader) +3movs.com##+js(set, flashvars.adv_pause_html, '') +3movs.com##[src*="aid="] +3movs.com###player-pop-layer +||3movs.com/su4unbl-ssu.js + +! https://github.com/uBlockOrigin/uAssets/issues/1705 +@@||seekingalpha.com^$ghide +||seekingalpha.com/boot_data.js$important +seekingalpha.com##[id^="ad-slot-"] + +! https://github.com/uBlockOrigin/uAssets/issues/1714 +! https://github.com/uBlockOrigin/uAssets/issues/4687 +! https://github.com/uBlockOrigin/uAssets/issues/4711 +! https://github.com/uBlockOrigin/uAssets/issues/5919 +twitter.com,twitter3e4tixl4xyajtrzo62zg5vztmjuricljdp2c5kshju4avyoid.onion,x.com##[data-testid="trend"]:has-text(/Promoted|Gesponsert|Promocionado|Patrocinat|Sponsorisé|Sponsorizzato|Promowane|Promovido|Реклама|Uitgelicht|Sponsorlu|Promotert|Promoveret|Sponsrad|Mainostettu|Sponzorováno|Promovat|Ajánlott|Προωθημένο|Dipromosikan|Được quảng bá|推廣|推广|推薦|推荐|プロモーション|프로모션|ประชาสัมพันธ์|प्रचारित|বিজ্ঞাপিত|تشہیر شدہ|مُروَّج|تبلیغی|מקודם/):upward(1) +twitter.com,twitter3e4tixl4xyajtrzo62zg5vztmjuricljdp2c5kshju4avyoid.onion,x.com##div[style^="transform"] h2 > div[style^="-webkit-line-clamp"] > span:has-text(/^(?:Promoted Post|Promowany Post|Post promovat|プロモポスト)$/):upward(3) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40228#p133884 +popularmechanics.com##+js(nostif, addEventListener, 0) + +! https://github.com/uBlockOrigin/uAssets/issues/4458 +xmovies8.*##+js(nowoif) +xmovies8.*##+js(aeld, /^(?:click|mousedown|mousemove|touchstart|touchend|touchmove)$/, system.popunder) +xmovies8.*##+js(set, check_adblock, true) +xmovies08.org##+js(aeld, , '0x) +xmovies8.*###upgrade_pop + +||hipercontas.com.br^$3p + +! https://forums.lanik.us/viewtopic.php?f=90&t=30966 +main-echo.de##div[id^="traffective-ad"] + +! https://github.com/uBlockOrigin/uAssets/issues/1739 +divxtotal.*,divxtotal1.*##+js(acs, jQuery, btoa) +divxtotal.*,divxtotal1.*###banner_publi + +! https://github.com/uBlockOrigin/uAssets/issues/1740 +broadwayworld.com##a[href^="https://ad.doubleclick.net/ddm/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/85m6fp/ublock_origin_is_showing_adds_on_a_website_for_me/ +op.gg##+js(aopw, lifeOnwer) +op.gg##+js(nostif, adblock, 2000) +! https://github.com/uBlockOrigin/uAssets/issues/13033 +op.gg##div[class^="css-"]:has(> div:not([class], [id]) > .vm-placement:not([style])) +op.gg##div[class^="css-"]:has(> div:not([class], [id]) > .vm-placement[data-display-type="hybrid-banner"]) +! https://github.com/uBlockOrigin/uAssets/issues/13023 +op.gg##[id^="div-gpt-ad"]:not([class]):upward(div[class]) +@@||doubleclick.net^$xhr,domain=op.gg +@@||vntsm.com^$xhr,domain=op.gg +@@||pagead2.googlesyndication.com^$xhr,domain=op.gg + +! https://www.reddit.com/r/uBlockOrigin/comments/85mgro/%C2%B5block_doesnt_block_ads_on_this_site/ +birdsandblooms.com,bombshellbling.com,dorkly.com,dryscalpgone.com,eclypsia.com,familyhandyman.com,gala.fr,gentlemansgazette.com,homeschoolgiveaways.com,hotbeautyhealth.com,ketoconnect.net,mom4real.com,mynaturalfamily.com,oneessentialcommunity.com,pageflutter.com,printablecrush.com,psychologyjunkie.com,skinnyms.com,skintagsgone.com,stayglam.com,tasteandtellblog.com,thecelticblog.com,thecozyapron.com,theendlessmeal.com,thehappierhomemaker.com,thelovenerds.com,yellowblissroad.com##+js(acs, btoa, BOOTLOADER_LOADED) +thisisfutbol.com##+js(aopr, PerformanceLongTaskTiming) +pcwelt.de##+js(aopr, proxyLocation) +sixsistersstuff.com##+js(aopr, Int32Array) + +! https://github.com/NanoAdblocker/NanoFilters/commit/f711954f407c43329b5d242a7516a5a38c3bee4e#commitcomment-28218753 +revealname.com##+js(set, $.fx.off, true) + +! https://github.com/uBlockOrigin/uAssets/issues/1768 +alphaporno.com##+js(aopr, ExoLoader) +alphaporno.com##+js(set, console.clear, noopFunc) +alphaporno.com,zedporn.com##.bnnrs-player +alphaporno.com,zedporn.com##.bottom-banners +alphaporno.com,zedporn.com##.block-banner +alphaporno.com##.movies-block > div[style*="text-align:center;"] +alphaporno.com,zedporn.com##.sponsor +||alphaporno.com/bravoplayer/custom/alphapornocom/scripts/inplaybn- + +! https://github.com/uBlockOrigin/uAssets/issues/1775 +lequipe.fr##+js(nostif, start, 0) +@@||lequipe.fr/js/thirdparty/smarttag.js$script,1p +@@||lequipe.fr/js/thirdparty/prebid.js$script,1p +@@||lequipe.fr^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/1767 +?zoneId=*&sponsor$frame + +! https://github.com/uBlockOrigin/uAssets/issues/1774 +porntube.com##.relatedContainer +porntube.com##.col-md-3:has(> iframe[src^="/external"]) +||porntube.com/external/ +||porntube.com/nativeexternal/ + +! https://forums.lanik.us/viewtopic.php?f=103&t=40300 +! https://github.com/AdguardTeam/AdguardFilters/issues/51448 +! https://www.reddit.com/r/uBlockOrigin/comments/1aicy6g/ublock_detected_in_this_page_elrellanocom/ +elrellano.com##+js(rmnt, script, deblocker) +elrellano.com##.widget_media_image + +! https://bugzilla.mozilla.org/show_bug.cgi?id=1404468#c44 +jeuxvideo.com##^script:has-text(wadsBlocking) + +! https://github.com/uBlockOrigin/uAssets/issues/1796 +comunidadgzone.es##+js(nostif, nextFunction, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/1797 +tubous.com##+js(aopr, popMagic.init) +tubous.com##+js(aopr, document.dispatchEvent) +||fuckandcdn.com/*/ads/ +||fuckandcdn.com/*/frms/ +tubous.com##.allIM +tubous.com###good_money +tubous.com##a.DarkBg + +||ichlnk.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/1804 +! freecoursesonline. me +freecoursesonline.*##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/1814 +globaldjmix.com##+js(aeld, /DOMContentLoaded|load/, y.readyState) +@@||globaldjmix.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/2393 +pelisplus2.*##+js(acs, document.getElementsByTagName, onclick) +pelisplus.*##+js(aopr, AaDetector) +pelisplus.*,pelisplushd.*##+js(aopw, adcashMacros) +pelisplus.*##+js(aopw, smrtSP) +pelisplus.*##+js(aopw, smrtSB) +pelisplus.*,pelisplushd.*##+js(nowoif) +pelisplus.*##+js(ra, href, #opfk) +pelisplus.*##[class^="smartadtags"] +pelisplus.*##.links > a.btn[class*="fa-"] +pelisplus2.*##[style^="margin:-30px"] > [href][target="_blank"] + +! https://github.com/uBlockOrigin/uAssets/issues/1816 +||gotprofits.com^$3p + +! https://github.com/jspenguin2017/uBlockProtector/issues/894 +@@||whiskypreisvergleich.de^$ghide +@@||whiskyprices.co.uk^$ghide +@@||whiskyprijzen.*^$ghide +@@||whiskyprix.*^$ghide +whiskypreisvergleich.de,whiskyprices.co.uk,whiskyprijzen.be,whiskyprijzen.nl,whiskyprix.be,whiskyprix.fr##.blocker + +! https://github.com/uBlockOrigin/uAssets/issues/1823 +jellynote.com##+js(nostif, byepopup, 5000) + +! https://github.com/uBlockOrigin/uAssets/issues/1826 +||go.pub2srv.com/apu.php$script,redirect=noopjs +! https://github.com/uBlockOrigin/uAssets/issues/1826#issuecomment-478300989 +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##+js(aopr, jwplayer.vast) +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##+js(aopw, adcashMacros) +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##+js(aopw, Fingerprent2) +pouvideo.*,povvideo.*,povvldeo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##+js(aopw, Fingerprint2) +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##+js(nano-stb, grecaptcha.ready, *) +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##+js(nostif, test.remove, 100) +pouvideo.*,povvideo.*,povvldeo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##+js(nowoif) +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##+js(set, isAdb, false) +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##[src^="/ben/mgnat.html?"] +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*###embed +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*###keepFloatin +pouvideo.*,povvideo.*,povw1deo.*,povwideo.*,powv1deo.*,powvibeo.*,powvideo.*,powvldeo.*##iframe:not([src*="recaptcha"]) +/jquery.notify.js$script,1p,domain=pouvideo.*|povvideo.*|povw1deo.*|povwideo.*|powv1deo.*|powvibeo.*|powvideo.*|powvldeo.* +ext=$script,1p,domain=pouvideo.*|povvideo.*|povw1deo.*|povwideo.*|powv1deo.*|powvibeo.*|powvideo.*|powvldeo.* +*$frame,3p,denyallow=google.com,domain=pouvideo.*|povvideo.*|povw1deo.*|powvibeo.*|povwideo.*|powv1deo.*|powvideo.*|powvldeo.*|povvldeo.* +*$script,3p,denyallow=googleapis.com|google.com|gstatic.com,domain=povvldeo.*|povvldeo.lol +@@player*.html$frame,1p,domain=pouvideo.*|povvideo.*|povw1deo.*|powvibeo.*|povwideo.*|powv1deo.*|powvideo.*|powvldeo.* +||wontent.powvideo.net^ +||zontent.powvideo.net^ +/js/fpu3/pu4.min.js + +! https://github.com/uBlockOrigin/uAssets/issues/1827 +pcbolsa.com###ContenidoPubliCotiza +pcbolsa.com##.InfoPcBolsaAdBlock:xpath(..) +pcbolsa.com###ContenidoPubliCotizax1 + +! https://github.com/uBlockOrigin/uAssets/issues/1828 +minecraftraffle.com##+js(acs, awm, location) + +! https://github.com/jspenguin2017/uBlockProtector/issues/885 +! https://github.com/NanoMeow/QuickReports/issues/1531 +golfchannel.com##+js(set, adBlockEnabled, false) +@@||v.fwmrm.net^$xhr,domain=stream.golfchannel.com + +! https://github.com/uBlockOrigin/uAssets/issues/1830 +downloadpirate.com##+js(aopw, Fingerprint2) +||downloadpirate.com/sw.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/1833 +! https://github.com/uBlockOrigin/uAssets/issues/2253 +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##.size-compact.Post:has([class*="promoted"]) +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##div[id*="sidebar"][data-before-content="advertisement"]:upward(3) +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##div[class][data-before-content="advertisement"]:not([id]) +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##div[class][data-before-content="Werbung"]:not([id]) +! https://github.com/uBlockOrigin/uAssets/issues/13072 +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##[id^="t3"].promotedlink:upward(.rpBJOHq2PR60pnwJlUyP0 > div) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40330 +toyoheadquarters.com##+js(aopr, document.dispatchEvent) + +! https://github.com/NanoAdblocker/NanoFilters/issues/52 +insidemarketing.it##+js(aopr, adblock) +insidemarketing.it##.homeBannerMax + +! https://github.com/uBlockOrigin/uAssets/issues/1835 +9xupload.*##+js(nano-stb) +desiupload.*##+js(acs, getCookie) +desiupload.*###container > center > a[href][target="_blank"] > img +||a2ztechworld.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/1839 +vermangasporno.com##+js(aeld, , _0x) +vermangasporno.com##+js(aopr, dataPopUnder) +vermangasporno.com##[href^="https://bit.ly"] +vermangasporno.com##[href*="http://www.ciberhentai.net"] +*$script,3p,denyallow=cloudflare.net|cloudfront.net|disqus.com|disquscdn.com|fastlylb.net,domain=vermangasporno.com + +! https://github.com/uBlockOrigin/uAssets/issues/1842 +bdsmstreak.com##+js(aopr, ExoLoader.serve) +bdsmstreak.com##+js(aeld, , _blank) +*$script,3p,denyallow=cloudflare.com|cloudflare.net|fastly.net|fastlylb.net|fluidplayer.com|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|jsdelivr.net|recaptcha.net|twitter.com|x.com,domain=bdsmstreak.com + +! https://github.com/uBlockOrigin/uAssets/issues/1843 +! https://github.com/uBlockOrigin/uAssets/issues/991 +! https://github.com/uBlockOrigin/uAssets/issues/17736 +gamcore.com,porcore.com,69games.xxx##+js(nowoif) +gamcore.com,porcore.com,69games.xxx##+js(set, puShown, true) +gamcore.com,69games.xxx##[href*="/ads/"] +classic.gamcore.com##[id]:has(> .warningbox) +classic.gamcore.com###center > .flashes > .wide:has(> a[href][rel]) +gamcore.com##.item:has([href^="/games/"][class=""]) +gamcore.com##.item:has(> a[href] > img[src*="//cdn.69games.xxx/"]) +gamcore.com##.menuArea [rel] +gamcore.com##.row > .d-md-block +gamcore.com##.row > .d-lg-block.d-none +gamcore.com##.mycontainer > .d-lg-block.d-none > iframe +gamcore.com##.row > .game_view > .add_game iframe +gamcore.com###preloader_2 +gamcore.com##.side_flashes +gamcore.com##.wide.alphadelta_block +gamcore.com###ad_unter_spiel +gamcore.com###tvnotice +porcore.com##.adscolumn +porcore.com##[style^="width:728px;height:90px"] +porcore.com###videoitems.videoitems > .onevideothumb:has(> .clip-link > img[src^="/uploads/"][src$="gif"]) +porcore.com##[target="_blank"]:has([src*=".gif"]) +porcore.com##li > a[href*="/loader?"] +69games.xxx###footer +69games.xxx###right +69games.xxx###tvnotice +69games.xxx##[class^="leaderboard"] +69games.xxx##[id*="tvadbody"] +69games.xxx##[id^="center"] .I:has(> [class=""][href]) +69games.xxx##.side_flash +zazzybabes.com##+js(aeld, /error|canplay/, (t)) +*$frame,script,3p,denyallow=bootstrapcdn.com|cloudflare.com|cloudflare.net|fastly.net|fastlylb.net|getbootstrap.com|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|recaptcha.net|serverable.com|zencdn.net,domain=porcore.com|zazzybabes.com +@@||tm-offers.gamingadult.com/?offer=$frame,domain=gamcore.com|69games.xxx +://a.*/ipp?id=$script,3p +://a.*/loader?a=$frame,3p +/strip_ngn_2020_august$script,domain=porcore.com +||serverable.com/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/1993 +cinedetodo.*##.alignnone +cinedetodo.*##.bnr +cinedetodo.*##[id*="yellow"] +||cda-online.pl/wp-content/uploads/*.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/1850 +aquipelis.*##+js(aopw, smrtSB) +aquipelis.*##+js(aopw, smrtSP) +aquipelis.net##[class^="adsbutt"] + +! https://github.com/uBlockOrigin/uAssets/issues/2081 +! https://github.com/easylist/easylist/issues/7486 +! https://www.reddit.com/r/uBlockOrigin/comments/177nvxn/popup/ +eporner.com##+js(set-cookie, ADBp, yes) +eporner.com##+js(set-cookie, ADBpcount, 1) +eporner.com##+js(aopw, EPeventFire) +eporner.com##+js(nostif, additional_src, 300) +*.xml$xhr,3p,domain=eporner.com +||eporner.com/js/bowser.php +||eporner.com/cppb/ +||eporner.com/dotm/ +eporner.com##.mb:has(> .adnative-1x1) + +! https://github.com/uBlockOrigin/uAssets/issues/1855 +! https://forums.lanik.us/viewtopic.php?p=134829#p134829 +@@||arenavision.*^$ghide +arenavision.*##+js(nowoif) +||imgpfx.arenavision. + +! https://github.com/uBlockOrigin/uAssets/issues/1857 +vintage-erotica-forum.com##+js(acs, __ads) +vintage-erotica-forum.com##+js(acs, setTimeout, ____POP) +vintage-erotica-forum.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/1862 +htmlgames.com##+js(no-fetch-if, openx) +||yollamedia.com^ +||htmlgames.com/js/yolla.php +@@||yolla-d.openx.net/|$script,domain=cdn.htmlgames.com +cdn.htmlgames.com###afgContainer + +! https://github.com/uBlockOrigin/uAssets/issues/1864 +siamfishing.com##+js(acs, is_noadblock, window.location) + +! https://github.com/uBlockOrigin/uAssets/issues/1884 +! https://github.com/NanoMeow/QuickReports/issues/2960 +tecknity.com##+js(set, ads_b_test, true) +@@||tecknity.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/1885 +! https://github.com/NanoMeow/QuickReports/issues/564 +pornbimbo.com##+js(nostif, (), 2000) +@@||pornbimbo.com^$ghide +pornbimbo.com##[href^="https://ca.clcknads.pro"] +pornbimbo.com##.bottom-adv +pornbimbo.com##[src^="http://pornbimbo.com/player/html.php"] + +! https://github.com/uBlockOrigin/uAssets/issues/1883 +/pu-placer.js + +! https://www.reddit.com/r/Buffalo/comments/89dzra/buffalo_news_paywall_x2/dwqze26/ +! https://github.com/uBlockOrigin/uAssets/issues/2330 +! https://github.com/uBlockOrigin/uAssets/issues/3870 +@@||bntech.io^$script,domain=buffalonews.com + +! https://github.com/uBlockOrigin/uAssets/issues/1890 +! https://github.com/uBlockOrigin/uAssets/issues/18832 +momondo.com##+js(nowoif) +momondo.com##[onclick*="inline.ad"] +momondo.*##div[id$=-list] div[role=tab] + +! https://github.com/uBlockOrigin/uAssets/issues/1891 +! https://github.com/NanoMeow/QuickReports/issues/1019 +! https://github.com/uBlockOrigin/uAssets/issues/7447 +! https://www.reddit.com/r/uBlockOrigin/comments/17pwuvh/ublock_detected_firefox_haaretzcoil/ +haaretz.co.il,haaretz.com##+js(aeld, load, hblocked) +haaretz.co.il,haaretz.com##+js(acs, $, AdBlockUtil) +haaretz.co.il,haaretz.com##+js(set, showAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/1892 +avoiderrors.com##+js(nostif, css_class.show) +avoiderrors.com##.ai-viewport-1.code-block-3.code-block +avoiderrors.com##[href^="https://www.avoiderrors.com/robinhood"] + +! https://github.com/uBlockOrigin/uAssets/issues/1895 +slate.com##+js(aeld, error, Adblocker) +slate.com##.slate-ad + +! https://github.com/uBlockOrigin/uAssets/issues/1907 +4tests.com##+js(set, adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/1914 +@@||farmeramania.de^$ghide +farmeramania.de##+js(acs, $, show) + +||sersh.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/5587 +guidedhacking.com##[href="https://guidedhacking.com/advertise"] +||guidedhacking.com/*banner$image +||guidedhacking.com/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/1741 +theralphretort.com##+js(aopw, adBlockDetected) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40436 +||ads.puhutv.com/i.jpg$image,redirect=2x2.png + +! https://forums.lanik.us/viewtopic.php?f=96&t=40440 +@@||hdblog.it^$ghide +hdblog.it#@#.item_compra +hdblog.it#@#.box_flame +hdblog.it#@#.box_grampa_shadow +hdblog.it##[id^="google_ads_iframe"] +hdblog.it##.ads_container_top +hdblog.it##.ads_block + +! https://forums.lanik.us/viewtopic.php?f=96&t=40447 +@@||hdmotori.it^$ghide +hdmotori.it##body:style(background: none !important; overflow: auto !important;) +hdmotori.it##+js(nostif, CANG, 3000) +hdmotori.it##.ads_block + +! https://github.com/uBlockOrigin/uAssets/issues/7348 +hentai2read.com##+js(nowoif) +hentai2read.com##[target="_blank"]:has([src^="//"]) +hentai2read.com##[src^="data: ;base64,"] +||hentaicdn.com^*/NATORI.$script,3p +/\.com\/\d+/[0-9a-z]+\.js$/$script,1p,domain=hentai2w.com +||hentai2w.com/templates/default/js/ab.functions.js +||hentai2w.com/templates/default/js/arf- +hentai2w.com##+js(acs, Math.random, ExoLoader) +hentai2w.com##+js(aeld, getexoloader) +hentai2w.com##.arf-sec +hentai2w.com##.ark-noAB + +! https://github.com/uBlockOrigin/uAssets/issues/1938 +megalinks.info##+js(aeld, DOMContentLoaded, adlinkfly) +megapaste.xyz###newlayercontent + +! https://github.com/uBlockOrigin/uAssets/issues/1945 +||highstream.tv/twos.js + +! https://github.com/jspenguin2017/uBlockProtector/issues/905 +updato.com##+js(nostif, updato-overlay, 500) + +! https://github.com/uBlockOrigin/uAssets/issues/1946 +lolhentai.net##+js(nowoif) +lolhentai.net##+js(aopr, loadTool) +lolhentai.net##.sponsor +||lolhentai.net/cornergirls.js +! ! adding sites using the same script +! https://www.reddit.com/r/uBlockOrigin/comments/a6bbib/this_website_seems_to_be_able_to_bypass_ublock/ +mangafreak.me##+js(nowoif) +mangafreak.me##+js(acs, setTimeout, document.querySelector) +||cdn.siteswithcontent.com/js/push/subscribe.js$script,important +||cdn.contentsitesrv.com/js/push/subscribe.js$script,important +! https://github.com/uBlockOrigin/uAssets/issues/13147 +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.net|cloudfront.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastlylb.net|fbcdn.net|fontawesome.com|google.com|googleapis.com|gstatic.com|hwcdn.net|jquery.com|kisscartoon.info|sharethis.com|unpkg.com|watchcartoonsonline.info|wp.com,domain=kiss-anime.* +kiss-anime.*###rightside > .clear2 ~ .rightBox +kiss-anime.*##.episodeList > div > div[style*="text-align: center"] + +! https://github.com/uBlockOrigin/uAssets/issues/1965 +freepornvideo.sex,teenpornvideo.xxx##+js(aopr, ExoLoader.serve) +freepornvideo.sex##noindex +teenpornvideo.xxx##.aside-spots + +! https://github.com/uBlockOrigin/uAssets/issues/10266 +tubsexer.*##.sponsored_top +tubsexer.*##.table +tubsexer.*##.desktop_link +tubsexer.*##+js(nostif, innerText, 2000) +tubsexer.*##.advertising + +! https://github.com/uBlockOrigin/uAssets/issues/1969 +yourlust.com##+js(aopr, ExoLoader.serve) +yourlust.com##+js(aeld, getexoloader) + +! https://github.com/uBlockOrigin/uAssets/issues/719 +twitch.tv##+js(nowoif, amazon-adsystem) +||amazon-adsystem.com/aax2/apstag.js$script,domain=twitch.tv,important +||ddacn6pr5v0tl.cloudfront.net^ +! https://github.com/uBlockOrigin/uAssets/issues/5184#issuecomment-1960744541 +twitch.tv##.stream-display-ad__wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/1977 +imx.to##+js(aopr, ExoLoader.serve) + +! https://github.com/uBlockOrigin/uAssets/issues/1980 +crazyshit.com##+js(acs, jQuery, document.cookie) +||crazyshit.com/aff/$frame + +! https://github.com/uBlockOrigin/uAssets/issues/1982 +strikeout.*##+js(nowoif, |) +strikeout.*##+js(acs, setTimeout, admc) +strikeout.*##.position-absolute:style(opacity: 0 !important;) +strikeout.*##.d-none.d-lg-block.col-lg-3 +strikeout.*##+js(acs, String.fromCharCode, 'shift') +strikeout.*##.m-1.btn-danger.btn +strikeout.*##.w-100.position-absolute.h-100 +*$image,redirect-rule=1x1.gif,domain=strikeout.* +! https://github.com/uBlockOrigin/uAssets/issues/14879 +plyjam.*##+js(set, attr, {}) +plyjam.*##+js(set, scriptSrc, '') + +! https://github.com/NanoAdblocker/NanoDefender/issues/38 +lejdd.fr##+js(aopr, SmartWallSDK) + +! https://github.com/uBlockOrigin/uAssets/issues/1994 +peliculasmx.net###pbar_outerdiv +peliculasmx.net##.selected:has-text(Ads) +peliculasmx.net##+js(nowebrtc) +peliculasmx.net##+js(aopw, segs_pop) +##[href^="https://www.onclickperformance.com/"] +peliculasmx.net###pills-ads +peliculasmx.net###pills-ads-tab + +! https://github.com/uBlockOrigin/uAssets/issues/1995 +ciberdvd.*##+js(nowoif) +ciberdvd.*##+js(aopw, smrtSB) + +! https://github.com/uBlockOrigin/uAssets/issues/2001 +@@||windows10gadgets.pro^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/2009 +elfqrin.com##+js(nostif, alert, 8000) + +! https://github.com/uBlockOrigin/uAssets/issues/2018 +anonymousemail.me##+js(acs, document.getElementById, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/2019 +porngem.com##+js(set, console.clear, noopFunc) +porngem.com##.video-right +porngem.com###player-pop-layer +porngem.com##.adv-in-video +porngem.com##.bottom-b-s + +! https://forums.lanik.us/viewtopic.php?f=104&t=40485&p=135354#p135178 +@@||e-komplet.dk^$ghide + +! https://forums.lanik.us/viewtopic.php?p=135477#p135477 +@@||btc-echo.de^$ghide +btc-echo.de##.elementor-row:has-text([Anzeige]) + +! https://forums.lanik.us/viewtopic.php?f=62&t=41254 +foxsports.com.au##+js(set, cxStartDetectionProcess, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/2064 +thememypc.net##+js(aopr, Abd_Detector) +thememypc.net##+js(nano-sib, counter, 2000) +kinoger.*##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/2068 +cityam.com##+js(aopr, paywallWrapper) + +! https://github.com/uBlockOrigin/uAssets/issues/2061 +! https://www.reddit.com/r/uBlockOrigin/comments/13dz3wp/ +thesimsresource.com##+js(set, isAdBlocked, false) +thesimsresource.com##+js(no-xhr-if, /enthusiastgaming|googleoptimize|googletagmanager/) +thesimsresource.com##.crtv-bottom-wrapper +thesimsresource.com##.pleasewaitad + +! https://github.com/uBlockOrigin/uAssets/issues/2075 +xbabe.com##.bnnr +xbabe.com##.bnnrs-bottom +*$script,3p,denyallow=googleapis.com|hwcdn.net|fastly.net|jwpcdn.com,domain=xbabe.com + +! https://www.camp-firefox.de/forum/viewtopic.php?p=1081244#p1081244 +||akamaihd.net/vod/*$media,redirect=noopmp3-0.1s,domain=7tv.de + +! https://github.com/uBlockOrigin/uAssets/issues/2082 +satcesc.com##+js(nostif, css_class) +||wpfc.ml/b.gif$image,redirect=1x1.gif,domain=satcesc.com + +! https://github.com/uBlockOrigin/uAssets/issues/2085 +pornoreino.com##+js(aopr, ExoLoader) +pornoreino.com##+js(aopr, open) +pornoreino.com##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/2097 +! https://github.com/uBlockOrigin/uAssets/issues/19474 +@@||dogefaucet.com^$ghide +dogefaucet.com##.loader +||a-ads.com^$frame,redirect=noopframe,domain=dogefaucet.com + +! https://github.com/uBlockOrigin/uAssets/issues/2095 +playretrogames.com##+js(nano-stb, ez, *, 0.02) +playretrogames.com##.adblock + +! https://github.com/uBlockOrigin/uAssets/issues/2092 +shrt10.com##+js(aopr, open) +shrt10.com##+js(aopw, adcashMacros) +shrt10.com##+js(set, blurred, false) +*$script,3p,denyallow=cloudflare.com|google.com|gstatic.com|recaptcha.net,domain=shrt10.com +||dx-tv.com^$3p +@@||shrt10.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/2093 +fxporn69.*##+js(aeld, click, exopop) +fxporn69.*##+js(set, adblock, noopFunc) +fxporn69.*##+js(nostif, nextFunction, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/4546 +*$popup,domain=vipbox.*,3p +@@|about:blank|$popup,domain=vipbox.* +vipbox.*##a[href^="https://s3.amazonaws.com/"] +vipbox.*##button[data-open="_blank"] +vipbox.*##.btn-lg.btn +~vipbox.pl,vipbox.*,vipboxtv.*##.position-absolute +##[data-lnguri*="vipbox"] +*$image,redirect-rule=1x1.gif,domain=vipbox.* +@@||vipbox.*^$ghide +vipbox.*##.btn-success.btn +vipbox.*,viprow.*##+js(set, path, '') +vipbox.*,vipboxtv.*##+js(json-prune, *, *.adserverDomain) +vipbox.*,viprow.*##^script:has-text("admc") +vipbox.*,viprow.*##^script:has-text(\"admc\") +vipbox.*##+js(nowoif, , 10) +vipbox.*##+js(acs, JSON.parse, atob) +reliabletv.me##+js(nowoif) +cricstream.me##+js(aopr, Adcash) +cricstream.me##+js(acs, navigator, FingerprintJS) +cricstream.me##^script:has-text(FingerprintJS) +||hologydeno.info^ +||hologydeno.info^$popup + +! https://github.com/uBlockOrigin/uAssets/issues/2104 +wkyc.com##+js(acs, btoa) +wkyc.com##.grid__sticky-column_side_left + +! https://github.com/jspenguin2017/uBlockProtector/issues/915 +crackllc.com##.onp-sl-content:style(display: block !important;) +crackllc.com##.onp-sl-social-locker + +! https://forums.lanik.us/viewtopic.php?f=62&t=40607 +animeid.tv##+js(nowebrtc) +animeid.tv##[href^="http://play.leadzupc.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/2111 +geo.fr##+js(aopw, $getWin) + +! https://github.com/uBlockOrigin/uAssets/issues/2115 +! https://github.com/uBlockOrigin/uAssets/issues/15909 +gnomio.com##+js(no-xhr-if, /doubleclick|googlesyndication/) + +! https://forums.lanik.us/viewtopic.php?f=64&t=40616 +@@||nba.com^$ghide +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=nba.com +! https://www.reddit.com/r/uBlockOrigin/comments/jz12a7/cant_watch_videos_without_turning_off_ubo/ +@@||neulionms-a.akamaihd.net^$script,domain=nba.com +! https://github.com/AdguardTeam/AdguardFilters/issues/118188 +||ugdturner.com/xd.sjs$script,redirect=noopjs,domain=nba.com +||clips-manifests-aka.warnermediacdn.com^$xhr,removeparam=caid,domain=nba.com +! https://github.com/uBlockOrigin/uAssets/issues/21165 +||akamaized.net/*.m3u8$xhr,3p,removeparam=csid,domain=nba.com +||akamaized.net/*.m3u8$xhr,3p,removeparam=pcaid,domain=nba.com + +! https://github.com/uBlockOrigin/uAssets/issues/2122 +hotcopper.com.au##+js(acs, $, blockAds) + +! https://github.com/uBlockOrigin/uAssets/issues/2140 +trekbbs.com##div[style^="width:970px"] + +! https://github.com/uBlockOrigin/uAssets/issues/2142 +hdbox.ws##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/2130 +@@||benkhouya.com^$script,domain=anonymousemail.me + +! https://github.com/jspenguin2017/uBlockProtector/issues/919 +designmodo.com##.onp-sl-content:style(display: block !important;) +designmodo.com##.onp-sl-social-locker + +! https://github.com/uBlockOrigin/uAssets/issues/2145 +! https://github.com/uBlockOrigin/uAssets/issues/4787 +||ctrl.blog/ac/rba$frame,1p +ctrl.blog##+js(set, _ctrl_vt.blocked.ad_script, false) +ctrl.blog##.boxa + +! https://github.com/uBlockOrigin/uAssets/issues/2153 +! https://github.com/uBlockOrigin/uAssets/commit/de1a12fbfcc5bf8942173a395e3746cc45575166#commitcomment-28816238 +*/wp-content/plugins/adunblocker/*$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2173 +sportlife.es##+js(set, blockAdBlock, noopFunc) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40676 +inhabitat.com##+js(aopr, registerSlideshowAd) + +! https://github.com/uBlockOrigin/uAssets/issues/2194 +*$frame,domain=lusthero.com,3p +lusthero.com##+js(nostif, (), 50) + +! https://github.com/uBlockOrigin/uAssets/issues/1849 +! https://forums.lanik.us/viewtopic.php?p=136255#p136255 +m4ufree.*##+js(nostif, debugger) +m4ufree.*,streamm4u.*##+js(nowebrtc) +m4ufree.*##+js(aopr, mm) +streamm4u.*##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/2198 +! https://github.com/uBlockOrigin/uAssets/issues/2198#issuecomment-478436892 +mega-dvdrip.*,peliculas-dvdrip.*##+js(aeld, DOMContentLoaded, shortener) +peliculas-dvdrip.*##+js(aopr, AdservingModule) +peliculas-dvdrip.*##[class*="col-"] > p > [href] > img.alignnone +megapastes.com##+js(aeld, DOMContentLoaded, adlinkfly) +megapastes.com##.content > center + +! https://www.reddit.com/r/uBlockOrigin/comments/bv37t2/animedao_blocking_ublock_origins/ +! https://github.com/NanoMeow/QuickReports/issues/1325 +@@||anime-update*.*^$ghide +@@||animedao*.*^$ghide +animedao.*##.gads +*$script,redirect-rule=noopjs,domain=animedao.* +@@||animedao*.stream^$script,1p +animedao.*##.ab +animedao.*##hr + +! https://www.reddit.com/r/uBlockOrigin/comments/8hgrg9/blocking_deals_on_kinja_sites_gizmodo_kotaku/ +! https://github.com/uBlockOrigin/uAssets/issues/2836 +! https://www.reddit.com/r/uBlockOrigin/comments/b3co9c/ublock_origin_doesnt_work_properly_on_some/ +avclub.com,clickhole.com,deadspin.com,earther.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,lifehacker.com,splinternews.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##article.postlist__item:has(.meta__network) + +! https://github.com/uBlockOrigin/uAssets/issues/2204 +worldfreeware.com##+js(aopr, require) +@@||worldfreeware.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/2207 +||tibiabr.com/$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/11351 +einthusan.*##+js(no-xhr-if, /^(?!.*(einthusan\.io|yahoo|rtnotif|ajax|quantcast|bugsnag))/) +@@||einthusan.*/prebid.js$script,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=einthusan.* +@@||googletagmanager.com/gtm.js$xhr,domain=einthusan.tv +einthusan.*##.adspace-lb +einthusan.*##.adspace-lr + +! https://github.com/uBlockOrigin/uAssets/issues/2236 +nuevos-mu.ucoz.com##+js(aeld, load, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/5710 +@@||esradio.libertaddigital.com/ad/*$xhr,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=esradio.libertaddigital.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=storage.oraclecloud.com +@@||storage.oraclecloud.com/*/smartclip-services/sc_player/$script,1p +esradio.libertaddigital.com###mega-atf + +! Fix navbar being stuck in the middle of the page +dailydot.com##.dd-nav-global:style(top: 0 !important; transform: none !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/2242 +pornfay.*##+js(nowoif) +*$frame,domain=pornfay.* +pornfay.*##.rmedia +pornfay.*##.zone +||pvrtx.net^ +pornfay.*##.bottom-adv + +! https://github.com/uBlockOrigin/uAssets/issues/2247 +finofilipino.org##+js(set, caca, noopFunc) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40733 +mypornstarbook.net##+js(aopr, ExoLoader.serve) +mypornstarbook.net##table > tbody > tr:has-text(Advertisement) + +! https://github.com/uBlockOrigin/uAssets/issues/2260 +grantorrent.*,grantorrent1.*##+js(aopr, getUrlParameter) +grantorrent.*##+js(acs, onload, btoa) +grantorrent.*##+js(aopr, LieDetector) +grantorrent.*,grantorrents.*##+js(nano-stb) +grantorrent.*,grantorrent1.*##+js(aopw, Fingerprint2) +grantorrent.*,grantorrent1.*##+js(acs, decodeURI, decodeURIComponent) +grantorrents.*##.myButton +grantorrents.*##.custom-html-widget.textwidget > [style*="width:300px; height:600px"] +##[href*="passtechusa.com"] +! https://github.com/uBlockOrigin/uAssets/issues/2260#issuecomment-488532216 +desbloqueador.*##+js(aeld, mousedown, trigger) +desbloqueador.*##+js(set, Ok, true) +desbloqueador.*##+js(nowoif, given) + +! https://forums.lanik.us/viewtopic.php?f=62&t=16610 +ddlvalley.*##+js(acs, decodeURI, getScriptFromCss) +ddlvalley.*##+js(aopw, Fingerprint2) + +! https://github.com/uBlockOrigin/uAssets/issues/2263 +! https://github.com/uBlockOrigin/uAssets/issues/11416 +speedtest.net##+js(aopr, _sp_) +speedtest.net#@#.pure-u-custom-ad-skyscraper + +! https://forums.lanik.us/viewtopic.php?p=136580#p136580 +! https://github.com/uBlockOrigin/uAssets/issues/4483 +seehd.*##+js(acs, String.fromCharCode, 'shift') +||bokarsolutions.co.uk^$3p + +! https://forums.lanik.us/viewtopic.php?f=62&t=29217 +mac2sell.net##+js(no-fetch-if, method:HEAD) + +! https://github.com/uBlockOrigin/uAssets/issues/2267 +xberuang.*##+js(set, safelink.adblock, false) +xberuang.*##+js(nano-sib) + +! https://forums.lanik.us/viewtopic.php?f=91&t=40756 +@@||v.fwmrm.net/ad/g/$xhr,domain=mycanal.fr + +! https://forums.lanik.us/viewtopic.php?f=62&t=40758 +goafricaonline.com##+js(aopr, goafricaSplashScreenAd) + +! https://github.com/uBlockOrigin/uAssets/issues/11337 +@@||youmath.it/$script,1p +*$script,redirect-rule=noopjs,domain=youmath.it +youmath.it##+js(acs, document.getElementById, try) +youmath.it##+js(nostif, adb) +youmath.it##+js(no-xhr-if, /adnxs.com|onetag-sys.com|teads.tv|google-analytics.com|rubiconproject.com|casalemedia.com/) +youmath.it###D_1 +youmath.it###C_1 + +! https://github.com/uBlockOrigin/uAssets/issues/2282 +ashemaletube.com##+js(aopr, open) +ashemaletube.com##.ads-block-rightside +@@||ashemaletube.com^$ghide +||cc.ashemaletube.com/*/black-header.jpg$image +||cc.ashemaletube.com/*/header-black.jpg$image +ashemaletube.com##.video-end-overlay +!*.mp4$media,redirect=noopmp3-0.1s,domain=ashemaletube.com +||cc.ashemaletube.com/*/black-main.jpg$image,1p +ashemaletube.com###site-wrapper:style(padding-top: 0 !important;) +ashemaletube.com##.header-ads-wrapper +@@/key=$media,domain=ashemaletube.com +ashemaletube.com##.no-popup:has(> a[href^="https://shemale.show/"]) +ashemaletube.com##.js-toggle-content-wrapper a[href^="https://shemale.show/"]:upward(.js-toggle-content-wrapper) +ashemaletube.com##.ads-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/2286 +hotscope.tv##+js(nowoif) +hotscope.tv##[style^="transform"]:has(#videoHolder) +hotscope.tv##ul[style^="padding-top:"] +||hotscope.tv^$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: https://disqus.com *.disqus.com *.google-analytics.com *.disquscdn.com +||hotscope.tv/_next/static/chunks/pages/go-$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2287 +japanesefuck.com##+js(aopr, ExoLoader.serve) + +! https://github.com/uBlockOrigin/uAssets/issues/2292 +*/wp-content/plugins/deadblocker/*$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2294 +todopolicia.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/4351 +poedb.tw##+js(aopr, importFAB) +@@||poedb.tw^$ghide +poedb.tw###bottombanner970 +poedb.tw###topbanner970 +! https://github.com/uBlockOrigin/uAssets/issues/14680 +poedb.tw##[target="_blank"]:has([src*="webp"]) +poedb.tw##.text-center:has([src*="webp"]):has([style]) + +! https://github.com/NanoAdblocker/NanoCore/issues/166 +cine.to##+js(aeld, , 0x) + +! https://github.com/uBlockOrigin/uAssets/issues/2306 +micloudfiles.com##+js(aeld, load, 2000) +micloudfiles.com##+js(acs, atob, tabunder) +micloudfiles.com##+js(nowoif) +micloudfiles.com##[href*="medbooksvn.org/"] +micloudfiles.com##[href*="usmlematerials.net/"] +||media.giphy.com^$image,domain=micloudfiles.com +||imgur.com^$image,domain=micloudfiles.com +||usmlematerials.net^$image,domain=micloudfiles.com + +! https://forums.lanik.us/viewtopic.php?f=62&t=40787 +coinfaucet.io##+js(acs, atob, tabunder) +coinfaucet.io,freecardano.com,freenem.com##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/2310 +@@||cloudstorageoptions.com^$ghide +cloudstorageoptions.com##ins.adsbygoogle +cloudstorageoptions.com##.adslot_left + +! https://github.com/uBlockOrigin/uAssets/issues/2300 +cbc.ca##+js(aopw, xhr.prototype.realSend) +cbc.ca##.ad-risingstar-container +cbc.ca##.ad-container + +! popups http://assia.tv/live/betsport/?lang=rs +! https://github.com/AdguardTeam/AdguardFilters/issues/116307 +assia.tv,assia4.com,assia24.com##+js(set, ClickUnder, noopFunc) +/css/*$frame,domain=assia.tv|assia4.com|assia24.com +/css/jquerymin*$script,1p,domain=assia.tv|assia4.com|assia24.com +assia.tv,assia4.com,assia24.com##[class*="ban"] +assia.tv,assia4.com,assia24.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/2327 +dallasnews.com##+js(nostif, initializeCourier, 3000) +@@||courier-js.dallasnews.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2329 +nulledteam.com##+js(acs, $, userAgent) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40812 +turbobit.net##+js(acs, decodeURI, decodeURIComponent) +turbobit.net##+js(aopr, open) +turbobit.net##+js(popads-dummy) + +! https://forums.lanik.us/viewtopic.php?p=136716#p136716 +link.tl##+js(aopr, _0xbeb9) +link.tl##+js(nano-sib, , 1800) +||link.tl/interstitial/*$frame,1p +||link.tl/splash/*$script,1p +||lnk.news^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +||lnk.parts^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +lnk.news,lnk.parts##+js(aopr, popAdsClickCount) +lnk.news,lnk.parts##+js(nano-sib, , , 0) +lnk.news,lnk.parts##+js(nostif, redirectPage) +lnk.news,lnk.parts##.child-centered.display-300x250 + +! https://github.com/uBlockOrigin/uAssets/issues/2335 +! https://www.reddit.com/r/uBlockOrigin/comments/bn9n4o/nzbstarscom/ +nzbstars.com##+js(acs, document.getElementById, adblocker) +nzbstars.com##[href="usenetbucket.php"] +||nzbstars.com/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/9814 +@@||frkn64modding.com^$ghide +frkn64modding.com##+js(no-xhr-if, ad_) +frkn64modding.com##.ezoic-ad + +! https://forums.lanik.us/viewtopic.php?f=96&t=40712 +accordo.it###bglink +||accordo.it/cloud-assets/x/sfondi/ + +! https://forums.lanik.us/viewtopic.php?f=62&t=40852 +seatguru.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/2359 +vixenless.com##+js(acs, azar, redirect) + +! https://github.com/uBlockOrigin/uAssets/issues/2362 +! https://github.com/uBlockOrigin/uAssets/issues/3781 +! https://github.com/uBlockOrigin/uAssets/issues/13164 +! https://github.com/AdguardTeam/AdguardFilters/issues/116483 +camslib.com,camwhores.*,camwhorestv.*##+js(acs, onload) +camwhores.*,camwhorestv.*##+js(aeld, , Pop) +camwhores.*,camwhorestv.*##+js(aopr, _wm) +camwhores.*,camwhorestv.*##+js(aopr, loadTool) +camwhores.*,camwhorestv.*##+js(nowoif) +camwhores.*,camwhorez.tv##+js(set, flashvars.adv_pre_src, '') +camwhores.*,camwhorez.tv##+js(set, flashvars.adv_pre_url, '') +camwhores.*,camwhorez.tv##+js(set, flashvars.adv_pre_vast, '') +camwhores.*,camwhorez.tv##+js(set, flashvars.protect_block, '') +camwhores.*##+js(set, flashvars.video_click_url, '') +||camwhores.tv/contents/*/preroll$media,important,1p +||h-cdn.com/loader.js$script,domain=camwhores.tv +||lexozfldkklgvc.com^$3p +||virtwishmodels.com^$frame,3p +||cemiocw.com^$3p +||enjoyx.com^$frame,3p +camwhores.*,camwhorestv.*##.place +camwhores.*,camwhorestv.*##[href^="https://go.schjmp.com"] +camwhores.*,camwhorestv.*##.row-models +camwhores.*,camwhorestv.*##.topad +camwhores.*,camwhorestv.*###list_videos_friends +*pre-roll$media,redirect=noopmp4-1s,domain=camwhores.tv,important +/\/[0-9a-f]{12}\.js$/$script,1p,domain=camvideos.org|camwhores.* + +! https://github.com/uBlockOrigin/uAssets/issues/2364 +! https://github.com/uBlockOrigin/uAssets/issues/2376 +bestialitytaboo.tv,bestialitysextaboo.com,mujeresdesnudas.club##+js(acs, $, azar) +bestialitysexanimals.com,bestialporn.com,mujeresdesnudas.club,mynakedwife.video##+js(aopr, open) +zootube1.com##+js(aopr, popunderSetup) +zootube1.com##+js(cookie-remover, da325) +zootube1.com##+js(aost, document.cookie, https) +videoszoofiliahd.com##+js(aopr, open) +videoszoofiliahd.com##+js(aeld, /^(?:click|mousedown)$/, popunder) +asiananimaltube.org,zoosex.pink##+js(nowoif) +videoszoofiliahd.com##[href^="https://redirect.ero-advertising.com/"] +allbestiality.com,beastwomans.com,beastzoo.org,bestialitysexvideos.com,bestialitytaboo.tv,bestialityworld.org,bestialporn.net,bestialzoo.*,fakingszoo.com,hispajotes.com,portalzoo.com,videosbizarre.com,zoofiliak9.com,zoofilianet.com,zoofiliataboo.com,zookings.com,zoosexnet.com,zoosexsite.com,zootubex.tv,zootubex.us##[href^="https://www.skypeis"] +! https://github.com/uBlockOrigin/uAssets/issues/2364#issuecomment-393353226 +porntopic.com##+js(aopr, loadTool) +||grtyb.com^$3p +! https://github.com/uBlockOrigin/uAssets/issues/2364#issuecomment-406739691 +xxxtubezoo.com,zooredtube.com##+js(aopr, popunderSetup) +xxxtubezoo.com,zooredtube.com##+js(aeld, DOMContentLoaded, preventExit) + +! https://github.com/uBlockOrigin/uAssets/issues/2364 +hdbraze.com##+js(acs, Math.floor, hilltop) +||hdbraze.com/sw.js$script,1p +hdbraze.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/2365 +fapdig.com##+js(acs, document.createElement, 'script') +||fapdig.com/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2370 +videos1002.com##+js(acs, $, azar) +videos1002.com##+js(aopr, jsPopunder) + +! https://github.com/uBlockOrigin/uAssets/issues/2377 +ancensored.com,ganool.*##+js(aeld, /^(?:click|mousedown)$/, _0x) +ganool.*##+js(nowebrtc) + +! https://forums.lanik.us/viewtopic.php?f=62&t=40357 +! https://github.com/uBlockOrigin/uAssets/issues/661 +@@||boards.net^$ghide +@@||freeforums.net^$ghide +@@||proboards.com^$ghide +/tortoise.min.js$domain=boards.net|freeforums.net|proboards.com +boards.net,freeforums.net,proboards.com##+js(acs, $, vglnk) +boards.net,freeforums.net,proboards.com##[id^="ad-"], #remove_ads_link +proboards.com###ad1 + +! https://github.com/uBlockOrigin/uAssets/issues/2415 +inkapelis.*##+js(acs, setTimeout, aadblock) +inkapelis.*##+js(aopr, AaDetector) +inkapelis.*##+js(aopw, smrtSB) +inkapelis.*##+js(aopw, smrtSP) +inkapelis.*##+js(aopw, Fingerprint2) +inkapelis.*##+js(acs, decodeURI, decodeURIComponent) +||inkapelis.*/sw.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/2416 +cuevana3.*##+js(aopr, S9tt) +cuevana3.*##+js(aopr, decodeURI) +cuevana3.*##+js(aopw, popUpUrl) +player.cuevana.ac##+js(nowoif, , 10) +||player.cuevana.ac/cdn-cgi/trace$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2423 +yoututosjeff.*##+js(aopw, adBlockDetected) +yoututosjeff.*##+js(aeld, load, 2000) +||googlesyndication.com/pagead/$script,redirect=noopjs,domain=yoututosjeff.es + +! https://github.com/uBlockOrigin/uAssets/issues/2426 +efukt.com##+js(aeld, click, preventDefault) +efukt.com##+js(nostif, _0x, 2000) +efukt.com##+js(aopr, open) +||syndication.twitter.com/i/jot$frame,domain=efukt.com,important +efukt.com##[href^="https://efukt.com/videos/naughty/"] +efukt.com##.hide_before:has([href*="?utm_source=efukt"]) +efukt.com##div.tile:has(a[href^="https://efukt.com/out.php"]) +efukt.com##.efukt-widget-slider-nice-try-adblockers +efukt.com##.plugs-nice-try-adblockers + +! https://github.com/uBlockOrigin/uAssets/issues/2428 +gtaall.com##+js(nowebrtc) +gtaall.com##+js(aopr, Notification) + +! https://github.com/uBlockOrigin/uAssets/issues/2434 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=arlinadzgn.com|idntheme.com + +! https://github.com/uBlockOrigin/uAssets/issues/2444 +fotbolltransfers.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/2445 +androidaba.*##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/2446 +! https://github.com/NanoAdblocker/NanoFilters/issues/229 +ilpuntotecnico.com##[style^="text-align:center; height:"][style$="px;"] +@@||ilpuntotecnico.com^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/phaeom/gaming_adult_ads_not_blocked/ +! https://github.com/uBlockOrigin/uAssets/issues/12966 +! https://github.com/uBlockOrigin/uAssets/issues/16178 +! https://github.com/uBlockOrigin/uAssets/issues/18232 +! https://github.com/uBlockOrigin/uAssets/issues/18317 +igg-games.com##+js(acs, addEventListener, document.createElement) +*$script,3p,domain=igg-games.com|bluemediafile.sbs,denyallow=cloudflare.com|fastcomments.com|googleapis.com|addtoany.com +igg-games.com##+js(aopw, btoa) +igg-games.com##+js(ra, srcdoc, iframe) +||igg-games.com/sw.js$script,1p +igg-games.com##[href^="https://tm-offers"] +@@||igg-games.com^$ghide +igg-games.com#@#.uk-panel.widget-text +igg-games.com##.uk-panel.widget-text:style(height: 0px !important; visibility: collapse;) +igg-games.com##.widget_advads_ad_widget +igg-games.com##a[href^="https://igg-games.com/c1flix"], a[aria-label="faadgg"], a[aria-label="fdgg"], a[aria-label="aswd"] +igg-games.com##.uk-margin-medium-top > *:first-child:has(img[src^="https://igg-games.com/wp-content/uploads/"]) +igg-games.com##.uk-margin-medium-top > *:first-child + a:has(img[src^="https://igg-games.com/wp-content/uploads/"]) +igg-games.com##article > a:has(img[loading="lazy"][width][height]) +igg-games.com###tm-sidebar > div:not([class], [id]):has(a[rel] > img[src^="https://igg-games.com/wp-content/uploads/"]) +igg-games.com##aside > :not(:first-child) a[href] img +igg-games.com##a[href$=".php"] +igg-games.com##a[href^="https://igg-games.com/"][href*="flix"] > img +||igg-games.com/wp-content/uploads/2024/02/hhh3.png$image +||igg-games.com/wp-content/uploads/2021/02/hh1.gif$image +||igg-games.com/wp-content/uploads/2024/02/naa1.jpg$image +||igg-games.com/wp-content/uploads/2024/02/aaa.jpg$image +||igg-games.com/wp-content/uploads/2024/02/sss.jpg$image +pcgamestorrents.com##[href*="banner"] +pcgamestorrents.org##[href*="/gameadult/"][href$=".php"] +||pcgamestorrents.com/*.gif$image +pcgamestorrents.com,pcgamestorrents.org##a[href^="https://pcgamestorrents."][href*="/cuskilo"] +pcgamestorrents.com,pcgamestorrents.org##a[href][aria-label="awed"] + +! https://github.com/uBlockOrigin/uAssets/issues/2458 +pornrabbit.com##+js(nowoif) +||pornrabbit.com/sw.js$script,1p +pornrabbit.com##.stage-promo +pornrabbit.com##.footer-margin +pornrabbit.com##.table + +! https://github.com/uBlockOrigin/uAssets/issues/2457 +camwhoresbay.com##+js(acs, readCookieDelit) +camwhoresbay.com##div.opt +camwhoresbay.com##.fake-player +camwhoresbay.com##.content > center:has([style="width:300px;height:250px"]) + +! https://github.com/jspenguin2017/uBlockProtector/issues/942 +@@||my5.tv^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/2468 +gamepedia.com###bodyContent:style(width:100%!important) +gamepedia.com##[id^="siderail_"] + +! https://github.com/uBlockOrigin/uAssets/issues/2461 +anon-v.com##+js(acs, atob, decodeURI) +anon-v.com##+js(acs, onload) +anon-v.com##.embed-container +anon-v.com##.place +anon-v.com##.sponsor +anon-v.com##.table +||cum-shows.net^$frame,3p +||cfgr2.com^ +||hrtya.com^ +||nudespree.com/a/av/live.php$frame + +! https://github.com/uBlockOrigin/uAssets/issues/2480 +cartoonporno.xxx##+js(aopr, prPuShown) +cartoonporno.xxx##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/2481 +@@||solvettube.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2482 +! https://github.com/uBlockOrigin/uAssets/issues/4779 +! https://github.com/uBlockOrigin/uAssets/issues/10052 +you-porn.com,youporn.*,youporngay.com,youpornru.com##+js(set, page_params.holiday_promo, true) +youpornru.com##+js(nowoif) +you-porn.com,youporn.*,youporngay.com,youpornru.com##.ad-bottom-text +you-porn.com,youporn.*,youporngay.com##.adLinkText +you-porn.com,youporn.*,youporngay.com,youpornru.com##.adsbytrafficjunky +you-porn.com,youporn.*,youpornru.com##.e8-column +you-porn.com,youporn.*##[data-removelink="removeLink"] +you-porn.com,youporngay.com,youpornru.com###pb_template +you-porn.com##[id^="adblock"] +youpornru.com##.adLinkText +youpornru.com##[data-tracking="track-close-btn-ad"] +##.trafficjunky-float-right +! https://github.com/uBlockOrigin/uAssets/issues/2482#issuecomment-395244585 +redtube.*##+js(acs, Object.defineProperty, trafficjunky) +redtube.*##+js(nowoif) +redtube.*##+js(set, page_params.holiday_promo, true) +redtube.*##.abovePlayer +redtube.*##.adsbytrafficjunky +redtube.*##li:has(.adsbytrafficjunky) +redtube.*##.remove_ads +! mirror +9908ww.com,adelaidepawnbroker.com,bztube.com,hotovs.com,insuredhome.org,nudegista.com,pornluck.com,vidd.se##+js(set, page_params.holiday_promo, true) + +! anti adb https://www.tvserial.it/the-generi-serie-tv-sky-maccio-capatonda-video/ +@@||tvserial.it^$ghide +@@||exmarketplace.com^$domain=tvserial.it +tvserial.it##.gptslot + +! https://github.com/uBlockOrigin/uAssets/issues/2484#issuecomment-395174594 +foumovies.*##+js(aopw, decodeURIComponent) +fullywatchonline.com,myvidmate.*##+js(acs, atob, decodeURIComponent) +hubfiles.ws##+js(nowoif) +hubfiles.ws##+js(nano-stb) +moviescounter.*##+js(aopr, LieDetector) +moviescounter.*##+js(aeld, , _0x) +/watchbutton11.png$image +/download11.png$image +mydownloadtube.*##.movie-box > .vert-add +||vuwomoby.pro^ + +! https://github.com/uBlockOrigin/uAssets/issues/4349 +douploads.*##+js(acs, $, show) +douploads.*##+js(ra, checked, input#chkIsAdd) +douploads.*##[href^="https://href.li/"] +||douploads.*/*sw$script,1p +@@||douploads.*^$ghide +douploads.*##a[rel="nofollow"] + +! https://www.reddit.com/r/uBlockOrigin/comments/8p8sin/is_there_a_way_to_block_those_ads_without/ +autobild.de##+js(aopr, adSSetup) + +! https://github.com/uBlockOrigin/uAssets/issues/2498 +alimaniac.com##+js(aopr, document.cookie) + +! https://github.com/uBlockOrigin/uAssets/issues/2503 +hulkshare.com##+js(nosiif, adblockerModal, 1000) + +! https://www.reddit.com/r/uBlockOrigin/comments/8prah0/ads_script_ublock_cant_block_since_months +springfieldspringfield.co.uk##+js(nostif, ads, 750) + +! https://github.com/uBlockOrigin/uAssets/issues/2513 +mcoc-guide.com#@#ins.adsbygoogle[data-ad-slot] +mcoc-guide.com#@#ins.adsbygoogle[data-ad-client] + +! https://github.com/uBlockOrigin/uAssets/issues/2515 +porngun.net##.video:not([id]) + +! https://github.com/uBlockOrigin/uAssets/issues/2527 +mp3fy.com##+js(nostif, nextFunction, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/2529 +ebookmed.*##+js(aeld, load, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/2533 +@@||appvn.com^$ghide +appvn.com##.ads +appvn.com##.downloadtitle +appvn.com###info:style(display: block !important) + +! https://github.com/uBlockOrigin/uAssets/issues/2537 +@@||worldofbitco.in^$ghide +worldofbitco.in,weatherx.co.in##+js(set, adBlock, false) +worldofbitco.in,weatherx.co.in##+js(set, spoof, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/2540 +dailyfreebits.com##+js(acs, $, html) + +! https://github.com/uBlockOrigin/uAssets/issues/2538 +@@||getyourbitco.in^$ghide +getyourbitco.in##+js(set, adBlock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/2547 +neko-miku.com##+js(aeld, load, nextFunction) +||player.neko-miku.com/*slot$media,redirect=noopmp4-1s,domain=neko-miku.com + +! https://github.com/uBlockOrigin/uAssets/issues/1322 +! http://www.subtorrents.io/series/the-durrells/ popups +subtorrents.*,subtorrents1.*##+js(aopr, capapubli) +subtorrents.*,subtorrents1.*##+js(aopr, getUrlParameter) +subtorrents.*,subtorrents1.*##+js(nowebrtc) +subtorrents.*,subtorrents1.*##+js(noeval) +subtorrents.*,subtorrents1.*##+js(popads-dummy) +subtorrents.*,subtorrents1.*##+js(set, btoa, null) + +! https://github.com/uBlockOrigin/uAssets/issues/2557 +lordpremium.*##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/2559 +tranny.one##+js(popads-dummy) +tranny.one##+js(aopr, open) +tranny.one##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +tranny.one##.adsFirst +tranny.one##.adsSecond +tranny.one##.squarecont + +! https://github.com/uBlockOrigin/uAssets/issues/2562 +pornhost.com##+js(aopw, encodeURIComponent) + +! https://www.reddit.com/r/uBlockOrigin/comments/8rer61 +loveroms.*##+js(acs, decodeURI, decodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/2535 +! https://github.com/uBlockOrigin/uAssets/issues/2536 +! https://github.com/uBlockOrigin/uAssets/issues/2555 +! https://github.com/uBlockOrigin/uAssets/issues/2564 +! https://github.com/uBlockOrigin/uAssets/issues/2565 +! https://github.com/uBlockOrigin/uAssets/issues/2566 +! https://github.com/uBlockOrigin/uAssets/issues/2567 +! https://github.com/uBlockOrigin/uAssets/issues/2568 +! https://github.com/uBlockOrigin/uAssets/issues/2569 +! https://github.com/uBlockOrigin/uAssets/issues/2570 +! https://github.com/uBlockOrigin/uAssets/issues/2571 +! https://github.com/uBlockOrigin/uAssets/issues/2572 +! https://github.com/uBlockOrigin/uAssets/issues/2573 +! https://github.com/uBlockOrigin/uAssets/issues/2574 +! https://github.com/uBlockOrigin/uAssets/issues/2575 +! https://github.com/uBlockOrigin/uAssets/issues/2576 +! https://github.com/uBlockOrigin/uAssets/issues/2577 +! https://github.com/uBlockOrigin/uAssets/issues/2584 +! https://github.com/uBlockOrigin/uAssets/issues/2585 +! https://github.com/uBlockOrigin/uAssets/issues/2586 +! https://github.com/uBlockOrigin/uAssets/issues/2587 +! https://github.com/uBlockOrigin/uAssets/issues/2588 +! https://github.com/uBlockOrigin/uAssets/issues/2589 +! https://github.com/uBlockOrigin/uAssets/issues/2590 +! https://github.com/uBlockOrigin/uAssets/issues/2591 +1xxx-tube.com,asssex-hd.com,bigcockfreetube.com,bigdickwishes.com,enjoyfuck.com,freemomstube.com,fuckmonstercock.com,gobigtitsporn.com,gofetishsex.com,hard-tubesex.com,hd-analporn.com,hiddencamstube.com,kissmaturestube.com,lesbianfantasyxxx.com,modporntube.com,pornexpanse.com,pornokeep.com,pussytubeebony.com,tubesex.me,vintagesexpass.com,voyeur-pornvideos.com,voyeurspyporn.com,voyeurxxxfree.com,xxxtubenote.com,yummysextubes.com##+js(aopr, Aloader.serve) +1xxx-tube.com,asssex-hd.com,bigcockfreetube.com,bigdickwishes.com,enjoyfuck.com,freemomstube.com,fuckmonstercock.com,gobigtitsporn.com,gofetishsex.com,hard-tubesex.com,hd-analporn.com,hiddencamstube.com,kissmaturestube.com,lesbianfantasyxxx.com,modporntube.com,pornexpanse.com,pornokeep.com,pussytubeebony.com,tubesex.me,vintagesexpass.com,voyeur-pornvideos.com,voyeurspyporn.com,voyeurxxxfree.com,xxxtubenote.com,yummysextubes.com##+js(noeval) +1xxx-tube.com###invideo_3 +enjoyfuck.com,pornokeep.com##.advin +fuckmonstercock.com##.znaipn +fuckmonstercock.com##.ztkady +kissmaturestube.com,yummysextubes.com##.block-a +pornexpanse.com##.banners_pl +pussytubeebony.com##div.banner-area +tubesex.me##.adban1 + +! https://github.com/uBlockOrigin/uAssets/issues/2582 +||uii.io^$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: *.gstatic.com *.google.com *.googletagmanager.com *.recaptcha.net +uii.io##+js(noeval) +uii.io##+js(nowebrtc) +uii.io##+js(nowoif) +@@||uii.io^$ghide +*$frame,denyallow=google.com|hcaptcha.com,domain=uii.io +uii.io##.banner +uii.io##a[href^="https://href.li/"] +uii.io##a[href^="http://mob1ledev1ces.com/"] +uii.io##body > div[style]:has(input[type="button"]) +uii.io##div[style*="z-index:99999"] > div[style*="width:300px"] +! https://github.com/uBlockOrigin/uAssets/issues/2582#issuecomment-490780661 +uii.io##+js(aeld, mouseup, _blank) +uii.io#@#+js(noeval) + +! https://forums.lanik.us/viewtopic.php?p=137876#p137876 +lebensmittelpraxis.de##+js(nostif, nextFunction, 2000) + +! https://www.reddit.com/r/uBlockOrigin/comments/8rnrsa +telemundodeportes.com##+js(set, adBlockEnabled, false) +@@||v.fwmrm.net/ad/$xhr,domain=telemundodeportes.com + +! https://github.com/uBlockOrigin/uAssets/issues/2606 +ojogos.com.br##+js(set, sp_ad, true) +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=witchhut.com + +! https://github.com/uBlockOrigin/uAssets/issues/2605 +studopedia.org##+js(aopw, detectAdblk) + +! https://github.com/uBlockOrigin/uAssets/issues/2614 +sheamateur.com##+js(aopr, __htapop) + +! https://github.com/uBlockOrigin/uAssets/issues/2618 +ccn.com##.widget:has-text(/advert|sponsor/i) +ccn.com##.row.divider:has-text(/sponsor|press releases/i) + +! https://github.com/uBlockOrigin/uAssets/issues/7334 +! https://vinaurl.net/PTOK4d +vinaurl.*##+js(aopr, app_vars.force_disable_adblock) +vinaurl.*##+js(aopr, open) +vinaurl.*##+js(aopw, adsHeight) +vinaurl.*##+js(ra, onmousemove, button) +vinaurl.*##+js(set, blurred, false) +||dembuon.vn/lib/flies/flier.js$script,domain=vinaurl.* +||i.imgur.com^$image,domain=vinaurl.* +vinaurl.*###ads-notice +vinaurl.*##[href^="https://dembuon.vn"] +vinaurl.*##.alert-danger +vinaurl.*##[href^="https://kttm.club/"] +||vinaurl.*/*png +! https://loptelink.com/oLpaN +gamelopte.com##+js(nano-sib, yuidea-, *) +loptelink.com##+js(set, blurred, false) +loptelink.com##center > a[href^="https://loptelink.com/ref/"] > img +||googleusercontent.com/*/s320/download-button-gif-$domain=loptelink.com + +! https://github.com/uBlockOrigin/uAssets/issues/2628 +! https://github.com/NanoMeow/QuickReports/issues/680 +powforums.com##+js(set, adsBlocked, false) +powforums.com##+js(nowoif) +@@||powforums.com/js/*$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2637 +usgamer.net##+js(set, _sp_.msg.displayMessage, noopFunc) + +! https://github.com/NanoAdblocker/NanoFilters/issues/112 +wallpapersmania.com##.js_disabled +wallpapersmania.com###cpa_wrap + +! https://github.com/uBlockOrigin/uAssets/issues/2645 +megacams.me##+js(aeld, load) +@@||chaturbate.com/affiliates/$frame,domain=megacams.me +megacams.me#@#a[href^="https://chaturbate.com/affiliates/"] +@@||chaturbate.com^$popup,domain=megacams.me + +! https://github.com/uBlockOrigin/uAssets/issues/2647 +sexviacam.com#@#a[href^="https://chaturbate.com/affiliates/"] +@@||chaturbate.com^$frame,domain=sexviacam.com + +! https://github.com/uBlockOrigin/uAssets/issues/3568 +porndoe.com##+js(aopr, open) +porndoe.com##+js(aeld, click, pop_under) +porndoe.com##+js(nostif, location.href, 500) +||porndoe.com/movie/preroll/$media,1p +||porndoe.com/wp-contents/video?id=$frame +porndoe.com##.player-right +porndoe.com##.-h-ticker +##[href^="https://t.mobtyb.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/2649 +naughtymachinima.com##+js(acs, __htapop) +naughtymachinima.com##.col-md-8 > a[href][target="_blank"] +||chaturbate.com^$frame,domain=naughtymachinima.com + +! https://github.com/uBlockOrigin/uAssets/issues/2655 +! https://github.com/uBlockOrigin/uAssets/issues/3262 +! https://github.com/uBlockOrigin/uAssets/issues/11241 +||pornblade.com/*.php +||twincdn.com^$3p,script,image +||pornblade.com^$xhr,1p +||pornfelix.com^$xhr,1p +hd-easyporn.com,pornblade.com,pornfelix.com##.vjs-overlayed +hd-easyporn.com,pornblade.com,pornfelix.com###wrapper_content > aside[id] +pornblade.com###e_v + aside[id] +*$xhr,3p,domain=hd-easyporn.com +hd-easyporn.com##[rel*="sponsored"] +||pornojenny.com/api/widget/$3p +/static/exnb/froload.js?v=$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2658 +webs.com.gt##+js(acs, jQuery, Adblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/2659 +filehorse.com##+js(set, isAdBlockActive, false) +@@||mygoroot.com^$ghide +@@||unlockvungtau.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/6572 +gsm-solution.com##+js(aopr, _0x32d5) +gsm-solution.com###adblock-blocker-overlay + +! https://github.com/uBlockOrigin/uAssets/issues/2661 +ettv.*##+js(nowoif) +ettv.*##+js(aopr, AaDetector) +ettv.*##:xpath('//*[contains(text(),"VPN")]'):upward(2) + +! https://github.com/uBlockOrigin/uAssets/issues/2668 +pelisgratis.*##+js(aopw, smrtSB) +pelisgratis.*##a[href*="look.kfiopkln.com"] +pelisgratis.*##a[href*="look.opskln.com"] + +! https://github.com/uBlockOrigin/uAssets/issues/2670 +! https://github.com/uBlockOrigin/uAssets/issues/5279 +ver-pelis.*##+js(nowoif) +ver-pelis.*##+js(acs, decodeURI, decodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/2671 +newpelis.*,pelix.*##+js(aeld, , 0x) +newpelis.*,pelix.*##+js(set, btoa, null) +newpelis.*,pelix.*##+js(nowoif) +newpelis.*,pelix.*##+js(aeld, load, url) +newpelis.*,pelix.*##+js(aopw, smrtSB) +newpelis.*,pelix.*##+js(aopw, smrtSP) +pelix.*##+js(aopr, AaDetector) +pelix.*##+js(aopw, adcashMacros) + +! https://github.com/uBlockOrigin/uAssets/issues/2672 +peliculas24.*##+js(acs, blur) +peliculas24.*##+js(aopw, smrtSB) +peliculas24.*##[href^="http://refpadsm.host/"] + +! https://github.com/uBlockOrigin/uAssets/issues/2679 +topvideosgay.com##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/2681 +kissjav.*##.column:has(> .card > .adv) +kissjav.*##.is-12-touch.is-narrow-desktop.has-text-centered +kissjav.*##+js(aost, atob, _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/2694 +ihackedgames.com##+js(aopr, decodeURIComponent) + +! https://forums.lanik.us/viewtopic.php?p=155287&sid=9a160e54c765d0ee355eaf9be7ed45e8#p155287 +! https://github.com/uBlockOrigin/uAssets/issues/9831 +onlinevideoconverter.*##+js(nowoif) +@@||onlinevideoconverter.*^$ghide +onlinevideoconverter.*##.music-container > div[style] > a[href][target] > img + +! https://github.com/uBlockOrigin/uAssets/issues/2697 +elsfile.org##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/2706 +pnd.*##+js(aopr, AaDetector) +pnd.*##+js(aopw, Fingerprint2) +pnd.*##A[href$=".html"][rel="nofollow norefferer noopener"] +pnd.*##.banner-captcha + +! https://github.com/uBlockOrigin/uAssets/issues/2709 +! https://github.com/uBlockOrigin/uAssets/issues/5750 +freebitcoin.win##+js(aopr, adBlockDetected) +freebitcoin.win##+js(set, CaptchmeState.adb, undefined) +@@||freebitcoin.win^$ghide +freebitcoin.win##.wrapper > .section > .container > .row > div.d-md-block.d-none.col-md-3 +freebitcoin.win##.col-md-12 +||clprr.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/2709#issuecomment-401538448 +e-monsite.com##+js(set, CaptchmeState.adb, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/2709#issuecomment-402537225 +coindice.win##+js(set, CaptchmeState.adb, undefined) +coindice.win##+js(aopr, adBlockDetected) +@@||coindice.win^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/2712 +camvideos.tv##.thumbs-items +||bblivecams.com^$frame,3p +||gldrdr.com^$frame,3p + +! https://github.com/uBlockOrigin/uAssets/issues/2715 +lanjutkeun.*##+js(aeld, load, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/2713 +xrares.com##+js(acs, decodeURI, decodeURIComponent) +xrares.com##+js(disable-newtab-links) +xrares.com###linkedblok +xrares.com##.absd-body:not(.row + .well) +xrares.com##[href^="/plugout.php"]:upward([class^="col-sm"]) +||xrares.com/sw.js$script,1p + +! https://github.com/jspenguin2017/uBlockProtector/issues/958 +||shidurlive.com/adz*.html$frame + +! https://github.com/uBlockOrigin/uAssets/issues/2722 +adfloz.*##+js(nowoif) +adfloz.*##+js(set, blurred, false) +adfloz.*##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/2729 +aliancapes.*##+js(nostif, nextFunction, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/2748 +radiotormentamx.com##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/324 +! https://github.com/uBlockOrigin/uAssets/issues/2762 +! https://github.com/uBlockOrigin/uAssets/issues/2763 +! https://github.com/uBlockOrigin/uAssets/commit/6732af10e9174c868938d10e944a8bd4cb2a50ca#commitcomment-29589001 +*/rellect/AdblockDetector/handler.min.js$script,important,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/4734 +torrentz2eu.*##+js(aopr, glxopen) +torrentz2eu.*##+js(acs, decodeURI, decodeURIComponent) +torrentz2eu.*##+js(acs, $, open) + +! https://github.com/uBlockOrigin/uAssets/issues/2773 +acienciasgalilei.com##+js(aeld, load, adverts-top-container) + +! https://github.com/uBlockOrigin/uAssets/issues/2774 +22pixx.xyz##+js(ra, onclick, button[name="imgContinue"][onclick]) +22pixx.xyz##^script:has-text('shift') +22pixx.xyz##^script:has-text(\'shift\') +22pixx.xyz##+js(aopr, AdservingModule) +22pixx.xyz##+js(aopr, ExoLoader.addZone) +22pixx.xyz##+js(aopr, _pop) +22pixx.xyz##+js(ra, target, #continuetoimage > [href]) +22pixx.xyz##+js(ra, href|target, #continuetoimage > [href][onclick]\, #overlayera > #ajax_load_indicator > #page_effect > [href][onclick]) +22pixx.xyz##[class^="resp-container"] +*$frame,3p,domain=22pixx.xyz + +! https://github.com/uBlockOrigin/uAssets/issues/2787 +smsget.net##+js(nostif, Adblock, 5000) +smsget.net##+js(nostif, disable, 200) + +! https://github.com/uBlockOrigin/uAssets/issues/2788 +! https://github.com/uBlockOrigin/uAssets/issues/8458 +temp-mails.com##+js(acs, document.getElementById, AdBlock) +temp-mails.com##+js(set, indexedDB.open, trueFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/2791 +zigforums.com##+js(no-xhr-if, googlesyndication) +zigforums.com##+js(aopw, adsBlocked) +@@||zigforums.com/js/*$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/8whmpf/any_idea_how_bypass_this_block_detection/ +kjanime.net##+js(nostif, CekAab, 0) + +! https://github.com/uBlockOrigin/uAssets/issues/2801 +soft112.com##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/2800 +popmatters.com##+js(aopr, CatapultTools) + +! https://github.com/uBlockOrigin/uAssets/issues/2806 +goto.com.np##+js(aopr, open) +goto.com.np##+js(nano-sib, timeLeft) +link.goto.com.np##.wpsafe-top > div > center:has-text(Advertisements) +*$frame,3p,domain=goto.com.np + +! https://www.reddit.com/r/uBlockOrigin/comments/8xhann/getting_around_antiadblock_on_a_wiki_site/ +undeniable.info##+js(acs, document.getElementById, testadblock) + +! https://github.com/uBlockOrigin/uAssets/issues/2831 +transparentcalifornia.com##+js(set, $.magnificPopup.open, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/2832 +klartext-ne.de##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/1121 +zmovs.com##+js(nowoif) +zmovs.com##+js(aopr, ALoader) +||zmovs.com/js/pns.min.js +||zmovs.com/nb/ + +! https://github.com/uBlockOrigin/uAssets/issues/2813 +spycock.com##+js(aopr, document.dispatchEvent) +spycock.com##+js(aopw, Fingerprint2) +spycock.com##+js(nowoif) +||spycock.com/coco/$script +spycock.com##.footer-banner-wrapper +spycock.com###advertising +jizz.us,spycock.com###alfa_promo_parent +jizz.us,spycock.com##.aside-itempage-col +||jizz.us/loco/$script + +! https://github.com/uBlockOrigin/uAssets/issues/2848 +sandrives.*##+js(nostif, nextFunction, 250) + +! https://github.com/uBlockOrigin/uAssets/issues/4885 +! https://github.com/uBlockOrigin/uAssets/issues/12829 +movies123.*##+js(nowoif) +0123movie.*,movies123.*##+js(aopr, AaDetector) +movies123.*##[href^="//himekingrow.com/"] +movies123.*###list-eps:style(display:block!important) +movies123.*##.les-title:has-text(HD) +movies123.*##.vip.server-item.le-server:first-child + +! https://github.com/uBlockOrigin/uAssets/issues/2877 +freiepresse.de##+js(set, UhasAB, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/8yn0ss +icy-veins.com##+js(aopr, adbackDebug) + +! https://github.com/uBlockOrigin/uAssets/issues/2889 +hiddenobjectgames.com##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/2873 +@@||v.fwmrm.net/ad/$script,domain=fxnetworks.com +@@||media.truex.com/release/*TrueXRenderer.js$script,domain=fxnetworks.com + +! https://github.com/uBlockOrigin/uAssets/issues/2897 +files-save.com##+js(popads-dummy) +@@||files-save.com/Assets/Addon/Css/ads.css$css,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2901 +@@||fordclub.eu^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/2908 +girlsgogames.co.uk##+js(aopr, googletag) + +! https://github.com/uBlockOrigin/uAssets/issues/2905 +! https://github.com/uBlockOrigin/uAssets/issues/2909 +||cdn.witchhut.com^$script,domain=ejocuri.ro|gamesheep.com|girlg.com|girlsplay.com|jocurifete.ro|playpod.com + +! https://www.reddit.com/r/uBlockOrigin/comments/8z405v/ublock_origin_not_catching_google_ads_in_firefox/ +! https://github.com/uBlockOrigin/uAssets/issues/3092 +! https://github.com/uBlockOrigin/uAssets/issues/3994 +! https://github.com/uBlockOrigin/uAssets/issues/4070 +! https://www.reddit.com/r/uBlockOrigin/comments/auik40/first_time_getting_ads_while_using_ublock/ +! https://github.com/NanoMeow/QuickReports/issues/2171 +! added sites using the same ad-reinsertion script +anallievent.com,au-di-tions.com,badgehungry.com,beingmelody.com,bloggingawaydebt.com,casutalaurei.ro,cornerstoneconfessions.com,culture-informatique.net,dearcreatives.com,disneyfashionista.com,divinelifestyle.com,dna.fr,eslauthority.com,estrepublicain.fr,fitting-it-all-in.com,heresyoursavings.com,irresistiblepets.net,julieseatsandtreats.com,justjared.com,lecturisiarome.ro,lemonsqueezyhome.com,libramemoria.com,lovegrowswild.com,magicseaweed.com,measuringflower.com,mjsbigblog.com,mommybunch.com,mustardseedmoney.com,myfunkytravel.com,onetimethrough.com,panlasangpinoymeatrecipes.com,silverpetticoatreview.com,the-military-guide.com,therelaxedhomeschool.com,the2seasons.com,zeroto60times.com##+js(aopr, __eiPb) +adivineencounter.com,alcasthq.com,au-di-tions.com,badgehungry.com,bloggingawaydebt.com,chipandco.com,cornerstoneconfessions.com,dearcreatives.com,divinelifestyle.com,eslauthority.com,heresyoursavings.com,investingchannel.com,irresistiblepets.net,justjared.com,kompas.com,lovegrowswild.com,mjsbigblog.com,mommybunch.com,mustardseedmoney.com,myfunkytravel.com,mywomenstuff.com,onetimethrough.com,panlasangpinoymeatrecipes.com,peru21.pe,savespendsplurge.com,savvyhoney.com,silverpetticoatreview.com,tamaratattles.com,the-military-guide.com,the2seasons.com,therelaxedhomeschool.com,thetechieguy.com,truesteamachievements.com,truetrophies.com,waterheaterleakinginfo.com,zeroto60times.com##^script:has-text(axtd) +justjared.com,truetrophies.com##+js(acs, setTimeout, isIframeNetworking) +truetrophies.com##+js(aopr, $pxy822) +truetrophies.com##^script:has-text(isIframeNetworking) +alcasthq.com##+js(aopr, performance) +alcasthq.com##+js(acs, Math.floor, axtd) + +! https://github.com/uBlockOrigin/uAssets/issues/2920 +cut-fly.com##+js(nowoif) +cut-fly.com##+js(set, blurred, false) +cut-fly.com##.banner-inner +cut-fly.com##form#go-popup:remove() + +! https://github.com/NanoAdblocker/NanoFilters/issues/136 +gioialive.it##+js(nostif, rbm_block_active, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/18577 +investing.com##+js(no-fetch-if, ads) +investing.com##[class^="outbrain_outbrain-wrapper"] +! https://github.com/uBlockOrigin/uAssets/issues/12831 +investing.com##[class*="adBlock"] +investing.com##[class*="overlay_overlay"] +investing.com##body:style(overflow: auto !important) +! https://github.com/uBlockOrigin/uAssets/issues/18310 +investing.com###__next > .fixed +! https://github.com/uBlockOrigin/uAssets/issues/18731#issuecomment-1613121145 +||investing.com/*/ad-notification-popup +! https://www.reddit.com/r/uBlockOrigin/comments/14djjud/just_to_let_developers_know_that_investingcom/jqdzkm7/ +investing.com##[class^="ad-notification"] +! https://www.reddit.com/r/uBlockOrigin/comments/14r9m8a/ +investing.com##[id^="adNotification"] +! https://github.com/uBlockOrigin/uAssets/issues/18917 +! https://github.com/uBlockOrigin/uAssets/issues/18966 +investing.com##+js(set, adNotificationDetected, false) +investing.com##[class*="notification_notification"] +investing.com##div[class]:has(> :is(.ad-blockers-section, [class*="adNotification"])) +! https://github.com/uBlockOrigin/uAssets/issues/19085#issuecomment-1643681900 +investing.com##.border-b:has(> .box-content[data-test="ad-slot-visible"]) + +! https://github.com/uBlockOrigin/uAssets/issues/2926 +ausfile.com##+js(aopw, Fingerprint2) +ausfile.com##+js(aopw, SubmitDownload1) +ausfile.com##+js(nano-stb) +@@||ausfile.com^$ghide +ausfile.com##ins.adsbygoogle + +! https://www.reddit.com/r/uBlockOrigin/comments/8zm7bx +femdomtb.com##+js(nostif, innerText, 2000) +femdomtb.com##+js(aopr, open) +femdomtb.com##.bannerImage +femdomtb.com##div.opt +femdomtb.com##.place + +! https://github.com/uBlockOrigin/uAssets/issues/2938 +! https://www.reddit.com/r/uBlockOrigin/comments/ap353j/help_needed_for_voirfilms/ +@@||voirfilms.*^$ghide +voirfilms.*##+js(aopw, smrtSB) +voirfilms.*##+js(nowoif) +voirfilms.*##.lefermeur +voirfilms.*##+js(acs, atob, decodeURIComponent) +||voirfilms.*/sw.js + +! https://github.com/uBlockOrigin/uAssets/issues/2946 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=coolgames.com +@@||g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=games.coolgames.com + +! https://github.com/uBlockOrigin/uAssets/issues/2965 +classicreload.com##.ad-wrapper:upward(div.region-sidebar-first-wrapper) +classicreload.com##+js(nostif, show()) +classicreload.com##.content-top-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/2969 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=stickgames.com + +! https://github.com/uBlockOrigin/uAssets/issues/2971 +senmanga.com##+js(aopr, AaDetector) +senmanga.com##[class*="banner"] +*$script,3p,domain=senmanga.com + +! https://github.com/uBlockOrigin/uAssets/issues/2972 +mimaletamusical.blogspot.com##+js(nowebrtc) +mimaletamusical.blogspot.com##+js(aeld, load, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/2974 +||cdn.rawgit.com^*/arlinablock.js$script +||cdn.rawgit.com^*/AdblockRampok.js$script + +! https://www.reddit.com/r/uBlockOrigin/comments/90x6vn +! https://github.com/uBlockOrigin/uAssets/issues/16449 +@@||faucetcrypto.com^$ghide +||faucetcrypto.com/ads/$frame +faucetcrypto.com##+js(no-fetch-if, googlesyndication) +faucetcrypto.com##+js(nosiif, user=null, 1000) +faucetcrypto.com##.vs-dialog-danger.con-vs-dialog.vs-component +*$frame,redirect-rule=noopframe,domain=faucetcrypto.com + +! https://github.com/uBlockOrigin/uAssets/issues/2983 +linkfinal.com##+js(set, blurred, false) +linkfinal.com##.banner +linkfinal.com##.blog-content + +! https://github.com/uBlockOrigin/uAssets/issues/13864 +hotpornfile.org##+js(aopw, getIfc) +hotpornfile.org##+js(aeld, getexoloader) +*$popunder,domain=hotpornfile.org +hotpornfile.org##+js(nostif, _0x) +! https://github.com/uBlockOrigin/uAssets/issues/16197 +! https://github.com/uBlockOrigin/uAssets/commit/20f1238c39ff45e17315af334af799feff505ce8#commitcomment-94788494 +search.crowdsearch.net#@##adslot1 +! https://github.com/uBlockOrigin/uAssets/issues/18803 +hotpornfile.org##+js(set, adblockcheck, false) +hotpornfile.org##+js(nowoif, !bergblock, 10) +@@||searchwithme.net/redirect?tid=$frame,domain=hotpornfile.org +||hotpornfile.org/wp-content/themes/hpf-theme/assets/img/search-ash.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/2996 +moviejones.de##+js(acs, document.getElementById, overlayBtn) + +! https://github.com/uBlockOrigin/uAssets/issues/3004 +! https://github.com/uBlockOrigin/uAssets/issues/7487 +hackyouriphone.org##.labeladv + +! https://github.com/uBlockOrigin/uAssets/issues/3005 +donnaglamour.it##+js(aopw, adBlockRunning) +donnaglamour.it##.banner_contest + +! https://www.reddit.com/r/uBlockOrigin/comments/91jf4m +@@||globaltv.com^$ghide +globaltv.com##.adChoices_overlayContainer +globaltv.com##.adTile +globaltv.com##.dynamic-ad-wrapper +globaltv.com##.footerAd-wrapper +globaltv.com###_evidon_banner + +! https://github.com/uBlockOrigin/uAssets/issues/3019 +repelisgoo.*,repelisgooo.*,repelisgt.*,repelisxd.*,pelisplusgo.*,pelisplusxd.*###ads +repelisgoo.*,repelisgooo.*,repelisgt.*,repelisxd.*,pelisplusgo.*,pelisplusxd.*##div[class]:has(> div[class] > iframe[src*="/srv-pv/tag-"]) + +! https://github.com/uBlockOrigin/uAssets/issues/3021 +cine24.online##+js(nowoif) +cine24.online###publicidad-video +@@||cine24.online^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/2963 +tornadomovies.*##+js(set, atob, noopFunc) +||tornadomovies.*/sw.js$script +tornadomovies.*##[href="/user/premiumregistration"] + +! https://github.com/uBlockOrigin/uAssets/issues/3031 +! https://github.com/uBlockOrigin/uAssets/issues/1409 +javher.com###popunderLink +javher.com##.affiliate-card-container + +! https://github.com/uBlockOrigin/uAssets/issues/3038 +novelasesp.*##+js(aeld, load, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/3043 +playrust.io##+js(aeld, , Date) + +! https://github.com/uBlockOrigin/uAssets/issues/3065 +supforums.com##+js(set, adsBlocked, false) +supforums.com##+js(aopr, htaUrl) + +! https://github.com/uBlockOrigin/uAssets/issues/3079 +! https://github.com/uBlockOrigin/uAssets/issues/3287 +||booking.com^$popunder,domain=viamichelin.* + +! https://github.com/uBlockOrigin/uAssets/issues/3086 +mp3fiber.com##+js(aeld, /^(?:click|mousedown)$/, _0x) +mp3fiber.com##+js(aeld, load, nextFunction) +mp3fiber.com##+js(set, _pop, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/3098 +chicoer.com##+js(nostif, n.trigger, 1) +chicoer.com##+js(set, CnnXt.Event.fire, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/3096 +visionias.net##+js(aeld, load, 2000) +*.gif$domain=visionias.net,image + +! https://github.com/uBlockOrigin/uAssets/issues/3102 +tennisactu.net##+js(acs, document.getElementById, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/3114 +xrivonet.info##+js(aopw, Fingerprint2) +xrivonet.info##+js(aeld, /^(?:click|mousedown)$/, _0x) +xrivonet.info##+js(nowebrtc) +xrivonet.info##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/3116 +! https://github.com/NanoMeow/QuickReports/issues/185 +suedkurier.de##+js(set, _ti_update_user, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/3118 +gounlimited.to##+js(acs, $, adb) +gounlimited.to##+js(nowoif) +gounlimited.to##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/3121 +animeheaven.*##+js(no-xhr-if, method:HEAD) +||animeheaven.*/api/pop.php$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3125 +payskip.org##+js(aeld, DOMContentLoaded,  ) +payskip.org##+js(aopw, atOptions) +payskip.org##+js(set, blurred, false) +payskip.org##+js(ra, onclick) +||payskip.org/sw.js$script,1p +||payskip.org/VLC.php$frame,1p +payskip.org##.box-main center > a[href][target="_blank"] > img +payskip.org##center > center +payskip.org###link-view > p +payskip.org###link-view a[href] > img +*$script,3p,denyallow=cloudflare.com|cloudflare.net|google.com|gstatic.com|jsdelivr.net|recaptcha.net|tawk.to,domain=payskip.org + +! https://github.com/uBlockOrigin/uAssets/issues/3130 +@@||shortit.pw^$ghide +shortit.pw##+js(nowoif) +shortit.pw##+js(set, console.clear, noopFunc) +shortit.pw##+js(set, valid, 1) +||allcoins.pw/js/ref.js +||shortit.pw/js/adbb.js + +! https://github.com/uBlockOrigin/uAssets/issues/3134 +pirateproxy.*##+js(nowebrtc) +pirateproxy.*,thehiddenbay.com##+js(acs, String.fromCharCode, decodeURIComponent) +pirate.*,piratebay.*,pirateproxy.*,proxytpb.*,thepiratebay.*##+js(aeld, /^(?:click|mousedown)$/, _0x) +piratebay.*##+js(aopr, AaDetector) +pirateproxy.*##+js(acs, Object.defineProperty, document.body.appendChild) +piratebay.*,pirateproxy.*##[href]:has-text(PLAY) +pirateproxy.*,thehiddenbay.com###content > div > iframe + +! https://github.com/uBlockOrigin/uAssets/issues/3143 +vidcloud.*##+js(nowoif) +vidcloud.*##+js(aopr, BetterJsPop) +vidcloud.*##+js(aopr, decodeURI) +vidcloud.*##+js(aopw, adBlockDetected) +vidcloud.*##+js(aopr, __Y) +vidcloud.*###overlay-center + +! https://github.com/uBlockOrigin/uAssets/issues/3147 +@@||adinplay.com/libs/aiptag/assets/adsbygoogle.js^$xhr,domain=devast.io +devast.io###advert + +! https://github.com/uBlockOrigin/uAssets/issues/1220 +! https://github.com/uBlockOrigin/uAssets/issues/3149 +imgrock.*##+js(aopr, CustomEvent) +imgrock.*##+js(aopr, popjs.init) +imgrock.*##+js(aopw, Fingerprint2) +imgrock.*##+js(nano-stb, /.?/, 4000) +imgrock.*##+js(popads-dummy) +imgrock.*##+js(popads.net) +@@||imgrock.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3152 +imgtorrnt.in##+js(aopr, ExoLoader.serve) +imgtorrnt.in##+js(aopr, document.dispatchEvent) +imgtorrnt.in##+js(aeld, , _0x) +imgtorrnt.in##[id*="Banner"] +||ddns.net/*.php$frame +*$frame,3p,domain=imgtorrnt.in +*$popunder,3p,domain=imgtorrnt.in +imgtorrnt.in##.bannerImage +*.gif$domain=imgtorrnt.in,image + +! https://github.com/uBlockOrigin/uAssets/issues/3158 +! https://github.com/uBlockOrigin/uAssets/issues/5357 +! https://github.com/NanoMeow/QuickReports/issues/1218 +webbro.*##+js(aopr, AaDetector) +@@||webbro.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3159 +javhay.net##.title-most-views:first-child +javhay.net###logoplayer +iframejav.*##+js(nowoif) +iframejav.*##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/3160 +anysex.com##+js(set, vastAds, []) +anysex.com##+js(aopr, ExoLoader) +anysex.com##+js(aopr, document.dispatchEvent) +anysex.com##+js(aopr, console.clear) +anysex.com##+js(aopr, decodeURI) +anysex.com##[class^="content"] > .no_pop +anysex.com###content > .naf_dd +anysex.com##+js(aopr, setExoCookie) + +! https://github.com/uBlockOrigin/uAssets/issues/3162 +||nwch.az-cdn.ch^$script,domain=solothurnerzeitung.ch + +! https://www.reddit.com/r/Adblock/comments/95ipg0 +gocurrycracker.com##+js(aopr, encodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/3399 +! https://github.com/uBlockOrigin/uAssets/issues/14692 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=gentside.*|maxisciences.com|ohmymag.* +!*$script,redirect-rule=noopjs,domain=gentside.*|gentside.com|gentside.de|gentside.co.uk|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.co.uk,3p +@@||maxisciences.com/js/amazon/$script,domain=maxisciences.com +@@||googletagservices.com/tag/js/gpt.js$script,domain=gentside.*|maxisciences.com|ohmymag.* +@@*/assets/prebid/$script,xhr,1p,domain=gentside.*|maxisciences.com|ohmymag.* +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=gentside.*|ohmymag.* +@@||securepubads.g.doubleclick.net/*/pubads_impl.js$script,domain=gentside.*|ohmymag.* +@@||cdn.adsafeprotected.com^$script,domain=gentside.*|ohmymag.*|maxisciences.com +@@||pixel.adsafeprotected.com/services/pub$xhr,domain=gentside.*|ohmymag.*|maxisciences.com +@@||btloader.com/tag?h=prismamedia-com&upapi=true$script,domain=maxisciences.com|gentside.*|ohmymag.* +@@||js-sec.indexww.com/$script,domain=maxisciences.com|gentside.*|ohmymag.* +@@||prismamedia-com.videoplayerhub.com/galleryplayer.js$script,domain=maxisciences.com|gentside.*|ohmymag.* +@@||tra.scds.pmdstatic.net/advertising-core/$script,domain=gentside.*|gentside.com|gentside.de|gentside.co.uk|maxisciences.com|ohmymag.com|ohmymag.de|ohmymag.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/3176 +thurrott.com##+js(acs, $, adblockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/3180 +! https://github.com/NanoMeow/QuickReports/issues/3313 +icdrama.*,vlist.se##+js(set, adblock, 1) +icdrama.*###closeADV + +! https://github.com/uBlockOrigin/uAssets/issues/7216 +streamdreams.org##+js(aopr, exoJsPop101) + +! https://github.com/uBlockOrigin/uAssets/issues/3200 +wowescape.com,games2rule.com,bigescapegames.com##.col-12:has(> .adsbyvli) +wowescape.com,games2rule.com,bigescapegames.com##.col-12:has(> .adsbygoogle) +wowescape.com,games2rule.com,bigescapegames.com##div.border_radius:has-text(Advertisement) +wowescape.com##+js(no-fetch-if, adsbygoogle) +wowescape.com###gameplay > iframe:style(display: block !important;) +wowescape.com###preroll + +! https://github.com/uBlockOrigin/uAssets/issues/4476 +! https://github.com/uBlockOrigin/uAssets/issues/14708 +duellinksmeta.com##+js(noeval) +*$script,redirect-rule=noopjs,domain=duellinksmeta.com +@@||cdn.intergi.com/hera/*$xhr,domain=duellinksmeta.com +@@||cdn.intergient.com^$script,xhr,domain=duellinksmeta.com +@@||duellinksmeta.com^$1p +@@||duellinksmeta.com^$ghide +duellinksmeta.com##.advertisement-box +duellinksmeta.com##div.ad-slot + +! https://github.com/uBlockOrigin/uAssets/issues/3205 +pornve.com##+js(set, frg, 1) +pornve.com##+js(nowoif) +pornve.com###blockblockB:style(display: block!important;) +pornve.com###blockblockA +pornve.com###close-teaser + +! https://github.com/uBlockOrigin/uAssets/issues/3214 +seselah.com##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/3212 +venstrike.jimdofree.com##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/3211 +@@||programasve.blogspot.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3208 +maxcheaters.com##.esPopupWrapper +maxcheaters.com##.b-modal +@@||maxcheaters.com/uploads2/country/*.gif$image +maxcheaters.com##.ipsContained.ipsImage +maxcheaters.com##+js(nostif, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/3206 +mivo.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/3222 +sportsplays.com##+js(nostif, abDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/3223 +! https://github.com/NanoAdblocker/NanoFilters/issues/186 +! https://github.com/NanoMeow/QuickReports/issues/196 +rmdown.com##+js(aopw, open) +rmdown.com##.container td[bgcolor="white"] > a[target="_blank"] +*$image,3p,redirect=1x1.gif,domain=rmdown.com + +! https://github.com/NanoMeow/QuickReports/issues/442 +! https://github.com/uBlockOrigin/uAssets/issues/4353 +! https://github.com/NanoMeow/QuickReports/issues/534 +! https://github.com/NanoMeow/QuickReports/issues/667 +dailybreeze.com,dailybulletin.com,dailynews.com,delcotimes.com,eastbaytimes.com,macombdaily.com,ocregister.com,pasadenastarnews.com,pe.com,presstelegram.com,redlandsdailyfacts.com,reviewjournal.com,santacruzsentinel.com,saratogian.com,sentinelandenterprise.com,sgvtribune.com,tampabay.com,times-standard.com,theoaklandpress.com,trentonian.com,twincities.com,whittierdailynews.com##+js(set, CnnXt.Event.fire, noopFunc) +*$script,domain=delcotimes.com|macombdaily.com|santacruzsentinel.com|saratogian.com|theoaklandpress.com|trentonian.com,redirect-rule=noopjs +*$image,domain=delcotimes.com|macombdaily.com|santacruzsentinel.com|saratogian.com|theoaklandpress.com|trentonian.com,redirect-rule=2x2.png +ocregister.com##a[href^="http://www.webpublished.com"] + +! https://github.com/uBlockOrigin/uAssets/commit/d3da1a8ea7ca2065f4616aacc4d542e2ac4f8e72#commitcomment-30109151 +@@||mobinozer.com^$ghide +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=mobinozer.com + +! https://github.com/uBlockOrigin/uAssets/issues/16420 +pixlr.com###workspace:style(right: 0px !important;) +! https://github.com/uBlockOrigin/uAssets/issues/18373 +pixlr.com###right-space + +! https://github.com/uBlockOrigin/uAssets/issues/3254 +schoener-wohnen.de##+js(aopr, _sp_._networkListenerData) + +! http://www.gamesgames.com/game/mahjong-quest anti adb +@@||gamesgames.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3257 +! https://github.com/uBlockOrigin/uAssets/issues/7931 +savemedia.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/3263#issuecomment-414133567 +watchhouseonline.net##+js(aopr, decodeURI) +watchhouseonline.net###custom_html-2 + +! https://github.com/uBlockOrigin/uAssets/issues/3268 +! https://github.com/uBlockOrigin/uAssets/issues/14634 +linkedin.com##.ad-banner-container + +! https://github.com/NanoMeow/QuickReports/issues/4 +||2mdn.net^$media,redirect=noopmp4-1s,domain=games2rule.com +||youtube.com/get_video$media,redirect=noopmp4-1s,domain=games2rule.com +@@||googleads.g.doubleclick.net/pagead/*games2rule$xhr,domain=imasdk.googleapis.com +games2rule.com##embed:style(display:inherit!important) +games2rule.com##[id^="gdsdk_"] +games2rule.com##div:has(> div:has(> .adsbygoogle)) +games2rule.com##div.border_radius:has-text(Advertisement) +games2rule.com##.col-sm-4:has-text(Advertisement) +games2rule.com##+js(ra, target) + +! https://github.com/uBlockOrigin/uAssets/issues/3276 +! https://github.com/uBlockOrigin/uAssets/issues/11143 +elixx.*##+js(aopr, AdservingModule) +elixx.*##+js(aopr, LieDetector) +elixx.*##+js(aopw, I833) +elixx.*##+js(json-prune, urls, urls.0) +elixx.*##^script:has-text(0x3) +||elixx.*/popcash.js^ + +! ads, popups https://www.limetorrents .info/search/all/duck/ +! https://github.com/AdguardTeam/AdguardFilters/issues/115648 +! https://github.com/uBlockOrigin/uAssets/issues/561#issuecomment-1833524685 +! => limetorrents. lol +limetorrents.*##+js(aeld, , _0x) +limetorrents.*##+js(aeld, load, onload) +limetorrents.*##+js(acs, Object.assign, popunder) +limetorrents.*##+js(acs, Math, XMLHttpRequest) +limetorrents.*##+js(nowoif) +limetorrents.*##[href^="/fast.php"] +limetorrents.*##div:has(> div > a[href^="/leet/?"]) +limetorrents.*##tr:has-text(VPN) +||limetorrents.*/sw.js +! https://github.com/uBlockOrigin/uAssets/issues/7592 +@@||limetorrents.*^$ghide +limetorrents.*##[href^="https://affiliate.rusvpn.com/"] +limetorrents.*##.head:has-text(Adv) + +! https://github.com/uBlockOrigin/uAssets/issues/3288 +ebookdz.com##+js(aopr, AaDetector) +ebookdz.com##+js(nowebrtc) +ebookdz.com##+js(nostif, nextFunction, 2000) +@@||ebookdz.com^$ghide +*$script,domain=ebookdz.com,redirect-rule=noopjs +ebookdz.com##[href*="offer"] + +! https://github.com/uBlockOrigin/uAssets/issues/3289 +telerium.*##+js(nostif, KeepOpeningPops, 1000) +telerium.*##+js(nowoif) +telerium.*##+js(aopr, LieDetector) +@@||telerium.*^$ghide +telerium.*###overlay +onhockey.tv,web.livecricket.is##+js(nowebrtc) +||onhockey.tv/stopadblock*.jpg$image + +! https://github.com/NanoMeow/QuickReports/issues/23 +! https://github.com/uBlockOrigin/uAssets/issues/4337 +@@||amc.com^$ghide +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=amc.com +! https://github.com/uBlockOrigin/uAssets/issues/13065 +||ssaimanifest.prod.boltdns.net^$xhr,removeparam=prof,domain=amc.com + +! https://github.com/uBlockOrigin/uAssets/issues/3298 +pornvideospass.com##+js(aopw, Aloader) +pornvideospass.com##+js(aopw, bindall) + +! https://github.com/uBlockOrigin/uAssets/issues/3300 +barfuck.com##+js(aopr, document.dispatchEvent) +barfuck.com###im-layer +||curvyfemales.com/*.php$script,1p +curvyfemales.com##.im-show + +! https://github.com/uBlockOrigin/uAssets/issues/3301 +pornvideotop.com##+js(aopr, open) +pornvideotop.com##+js(nostif, location.href) +pornvideotop.com###user18div +||aa.pornvideotop.com^ +||pornvideotop.com/ads300x250.php +||pornvideotop.com/e/fp.js +||pornvideotop.com/js/popec.js +||spermyporn.com/js/my.js +||young-porn-movie.com/adv.js + +! https://github.com/uBlockOrigin/uAssets/issues/1886#issuecomment-415991715 +! https://forums.lanik.us/viewtopic.php?f=103&t=35451 +/mod_ablockdetector/* +@@||trecetv.es^$ghide +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=shares.enetres.net +@@||player.enetres.net/js/videojs-plugins/videojs-ads-contrib/videojs.ads.js$script,domain=shares.enetres.net + +! https://github.com/uBlockOrigin/uAssets/issues/13250 +file4go.*##+js(acs, document.getElementById, ad_block) +file4go.*##+js(set, time, 0) +@@||file4go.*/ads.js$script,1p +file4go.*##div.banner300b, .lateral + +! https://github.com/uBlockOrigin/uAssets/issues/1603 +! https://github.com/uBlockOrigin/uAssets/issues/4860 +! https://github.com/AdguardTeam/AdguardFilters/issues/50834 +! jav688.com popups +javwide.*##+js(aopr, AaDetector) +##a[href^="http://www.poweredbyliquidfire.mobi/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/9argxo +holavid.com##+js(aopw, decodeURIComponent) +||hawaktv.com/sw.js$script + +! Similar group of german porn sites +! https://github.com/uBlockOrigin/uAssets/issues/3349 +pornohirsch.net##+js(set, vpPrerollVideo, undefined) +deinesexfilme.com,einfachtitten.com,halloporno.com,herzporno.com,lesbenhd.com,milffabrik.com,porn-monkey.com,porndrake.com,pornhubdeutsch.net,pornoaffe.com,pornodavid.com,pornoente.tv,pornofisch.com,pornofelix.com,pornohammer.com,pornohelm.com,pornoklinge.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,xhamsterdeutsch.xyz,xnxx-sexfilme.com##+js(nostif, appendChild) +@@*$ghide,domain=deinesexfilme.com|einfachtitten.com|halloporno.com|herzporno.com|lesbenhd.com|milffabrik.com|porn-monkey.com|porndrake.com|pornhubdeutsch.net|pornoaffe.com|pornodavid.com|pornoente.tv|pornofisch.com|pornofelix.com|pornohammer.com|pornohelm.com|pornoklinge.com|pornotom.com|pornotommy.com|pornovideos-hd.com|pornozebra.com|xhamsterdeutsch.xyz|xnxx-sexfilme.com +deinesexfilme.com,einfachtitten.com,halloporno.com,herzporno.com,pornohirsch.net,lesbenhd.com,milffabrik.com,porndrake.com,pornoaffe.com,pornodavid.com,pornoente.tv,pornofisch.com,pornofelix.com,pornohammer.com,pornohelm.com,pornoklinge.com,pornovideos-hd.com,pornotom.com,pornotommy.com,pornozebra.com,xnxx-sexfilme.com##.vjs-overlay +deinesexfilme.com,herzporno.com,lesbenhd.com,milffabrik.com,pornoaffe.com,pornoente.tv,pornohelm.com,pornoklinge.com,xnxx-sexfilme.com###wa_join_btn +einfachtitten.com,halloporno.com,pornodavid.com,pornofisch.com,pornofelix.com,pornohammer.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com##.send_event.widget_btn.cf +deinesexfilme.com,einfachtitten.com,halloporno.com,herzporno.com,lesbenhd.com,milffabrik.com,porn-monkey.com,porndrake.com,pornhubdeutsch.net,pornoaffe.com,pornodavid.com,pornoente.tv,pornofisch.com,pornofelix.com,pornohammer.com,pornohelm.com,pornoklinge.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,xhamsterdeutsch.xyz,xnxx-sexfilme.com##+js(aopr, open) +||static.twincdn.com^$media,redirect=noopmp3-0.1s +##.preroll-blocker +! https://github.com/uBlockOrigin/uAssets/issues/3341 +xnxx-sexfilme.com##+js(aopw, SpecialUp) +||pushpad.xyz^$script,domain=xnxx-sexfilme.com +xnxx-sexfilme.com##.img_box:has-text(Anzeige) +xnxx-sexfilme.com###wa-banner +xnxx-sexfilme.com##aside ins:upward(aside) +||xnxx.com/cams/ +xnxx-sexfilme.com##.grid_box:has(a[target="_blank"]) +xnxx-sexfilme.com##.preroll-blocker +xnxx-sexfilme.com##.preroll-skip-button +xnxx-sexfilme.com##.vjs-overlayed +||twincdn.com/video/susilive/$media,redirect=noopmp4-1s,domain=xnxx-sexfilme.com + +! https://github.com/NanoMeow/QuickReports/issues/39 +marie-claire.es##+js(set, ads, true) +*$xhr,redirect-rule=nooptext,domain=marie-claire.es + +! https://github.com/NanoMeow/QuickReports/issues/41 +||starbits.io/libs/check.js$script,1p + +! sawlive.tv popups +! https://github.com/NanoMeow/QuickReports/issues/1793 +sawlive.tv##+js(aopw, Fingerprint2) +sawlive.tv##+js(nowoif) +@@||sawlive.tv^$script,1p +sawlive.tv##body[onclick^="closeMyAd"] > div[id][style^="position"][style*="background-color"] + +! https://www.reddit.com/r/uBlockOrigin/comments/9bk0es +converto.io##+js(acs, atob, decodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/3368 +player.xxxbestsites.com##+js(aopr, BetterJsPop) + +! https://github.com/uBlockOrigin/uAssets/issues/3371 +svipvids.com##+js(aopw, KillAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/3372 +gaypornmasters.com##+js(aost, String.prototype.charCodeAt, ai_) +||hexupload.net/images/Premium_Banners/$3p + +! https://github.com/uBlockOrigin/uAssets/issues/3385 +short-url.link##+js(aeld, click, read_cookie) +short-url.link##+js(nano-sib) +short-url.link##center > [src$=".html"] + +! https://github.com/NanoMeow/QuickReports/issues/56 +salamanca24horas.com##+js(aopr, ReviveBannerInterstitial) + +! https://github.com/uBlockOrigin/uAssets/issues/3688 +scrapywar.com##+js(acs, eval, replace) +scrapywar.com##.stream-item-widget + +! Videos disabled by anti-blocker: +! https://globalnews.ca/news/4332734/quebec-farmers-hoping-for-rain-after-drought-heat-wave-threaten-crops/ +globalnews.ca##+js(set, GNCA_Ad_Support, true) +globalnews.ca##.c-ad__unit +globalnews.ca##.c-ad__label + +! https://github.com/uBlockOrigin/uAssets/issues/3410 +king-pes.*##+js(aeld, load, onload) + +! https://github.com/NanoMeow/QuickReports/issues/2911 +@@||rp-online.de^$ghide +@@||saarbruecker-zeitung.de^$ghide +@@||volksfreund.de^$ghide +@@||rp-online.de/assets/adsbygoogle.js$script,1p +@@||saarbruecker-zeitung.de/assets/adsbygoogle.js$script,1p +@@||volksfreund.de/assets/adsbygoogle.js$script,1p +rp-online.de,saarbruecker-zeitung.de,volksfreund.de##.park-portal + +! https://github.com/AdguardTeam/AdguardFilters/issues/71150 +@@||mylivesignature.com^$ghide +@@||mylivesignature.com/$script,1p +mylivesignature.com##.topadscontainer + +! https://github.com/uBlockOrigin/uAssets/issues/3422 +@@||googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl$domain=searchftps.net +@@||googlesyndication.com/pagead/show_ads.js$script,domain=searchftps.net + +! https://github.com/NanoMeow/QuickReports/issues/62 +hungama.com##+js(set, showAds, true) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=hungama.com + +! https://github.com/NanoAdblocker/NanoFilters/issues/176 +! https://github.com/NanoMeow/QuickReports/issues/2500 +@@||crazyhd.com^$ghide +@@||chd4.com^$ghide +! https://github.com/bogachenko/fuckfuckadblock/issues/223 +chd4.com##+js(aopw, checkAdBlocker) +||adblockanalytics.com^$xhr,redirect=noop.txt + +! https://github.com/NanoMeow/QuickReports/issues/66 +@@||goalad.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3431 +canberratimes.com.au##+js(set, cxStartDetectionProcess, noopFunc) + +! https://github.com/NanoMeow/QuickReports/issues/67 +letribunaldunet.fr##+js(nostif, adb, 0) + +! https://github.com/uBlockOrigin/uAssets/issues/3432 +tryboobs.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +tryboobs.com##+js(aopr, open) +tryboobs.com##.bottomspots +tryboobs.com##.flirt.spot +tryboobs.com###sr + +! https://github.com/uBlockOrigin/uAssets/issues/3433 +tubedupe.com##+js(aopr, ExoLoader) +tubedupe.com##+js(aeld, , midRoll) +||tubedupe.com/player/html.php$frame,1p + +! https://github.com/NanoMeow/QuickReports/issues/71 +veekyforums.com##+js(nowoif) +@@||veekyforums.com/js/adcash.js$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2364 +||yespornclips.com/sw.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/9f9u6t/block_ads_from_mlbcom_mlb_gameday_mlbtv/ +@@||mlbstatic.com/mlb.com/video/*/advertise$xhr,domain=mlb.com + +! https://github.com/gorhill/uBO-Extra/issues/104 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=ipla.tv + +! https://forums.lanik.us/viewtopic.php?f=62&t=41669#p140881 +cutpaid.com##+js(aeld, , _blank) +cutpaid.com##+js(aopr, app_vars.force_disable_adblock) +cutpaid.com##+js(nowoif) +cutpaid.com##+js(set, blurred, false) +cutpaid.com##center +*$frame,denyallow=google.com,domain=cutpaid.com +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=cutpaid.com + +! https://github.com/uBlockOrigin/uAssets/issues/3448 +germancarforum.com##+js(rmnt, script, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/3462 +televisionlibre.net##+js(aopw, smrtSB) +televisionlibre.net##+js(nowoif) +televisionlibre.net##[class^="fkdaop"] +todovieneok.*##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/3471 +findwords.info##div[itemtype="http://schema.org/WPAdBlock"] +findwords.info##.ads-block-horizontal +||forwardrb.bid^ + +! https://github.com/uBlockOrigin/uAssets/issues/3476 +thewestmorlandgazette.co.uk##+js(aopr, _sp_._networkListenerData) + +! https://github.com/NanoMeow/QuickReports/issues/94 +live-tv-channels.org##+js(aopr, adBlockDetected) +live-tv-channels.org##+js(nostif, adBlocked) +live-tv-channels.org##.adsense-player +live-tv-channels.org##.adsense-player-2 +live-tv-channels.org##[class^="_ads-"] + +! https://github.com/NanoMeow/QuickReports/issues/95 +drinksmixer.com,leitesculinaria.com##+js(set, Date.now, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/3506 +andiim3.com##+js(acs, jQuery, AdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/3508 +twatis.com##+js(aopr, ExoLoader.addZone) + +! https://github.com/uBlockOrigin/uAssets/issues/11515 +hitomi.la##+js(noeval) +*$script,3p,domain=hitomi.la +hitomi.la##+js(aopr, open) +hitomi.la##.container > div[class$="content"] > div[class]:has(> script) +||ltn.hitomi.la^*?yuo1=$script,1p + +! https://forums.lanik.us/viewtopic.php?p=141036#p141036 +fupa.net##+js(set, jQuery.adblock, 1) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=fupa.net +@@||ad.71i.de/*/loader.js$script,domain=fupa.net + +! https://forums.lanik.us/viewtopic.php?p=141091#p141091 +! sites with the same ad-reinsertion script +kompas.com##+js(acs, setTimeout, iframeTestTimeMS) +namemc.com##+js(acs, setTimeout, runInIframe) +namemc.com##+js(aopw, deployads) +namemc.com##.ad-container +pockettactics.com##+js(acs, Math.floor, iframeTestTimeMS) +tribunnews.com##+js(acs, Math, ='\x) + +! https://github.com/NanoMeow/QuickReports/issues/108 +descarga-animex.*##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/3536 +bollywoodshaadis.com##+js(aopr, Debugger) +bollywoodshaadis.com##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/3542 +hdvid.*##+js(aopw, atOptions) +hdvid.*##+js(aost, String.fromCharCode, stackDepth:3) +hdvid.*,onvid.*,ovid.*,vidhd.*##+js(aopw, Fingerprint2) +hdvid.*,onvid.*,ovid.*,vidhd.*##+js(aopw, smrtSB) +hdvid.*,onvid.*,ovid.*,vidhd.*##+js(nowebrtc) +vidhd.*##+js(aopr, AaDetector) +hdvid.*,onvid.*,ovid.*,vidhd.*##.video_batman +||hdvid.tv/sw.js$script +||onvid.*/sw.js$script +||ovid.*/sw.js$script,1p +||vidhd.*/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3546 +hardmob.com.br#?#.postcontainer:has(.usertitle:has-text(Publicidade)) + +! https://github.com/NanoMeow/QuickReports/issues/111 +@@||ugdturner.com^$script,domain=live.bleacherreport.com +@@||v.fwmrm.net/crossdomain.xml$xhr,domain=live.bleacherreport.com + +! https://forums.lanik.us/viewtopic.php?f=62&t=41761#p141302 +downloadming.*##+js(aopw, decodeURIComponent) + +! https://github.com/NanoMeow/QuickReports/issues/125 +nfl.com##[class$="adblock"] + +! https://github.com/uBlockOrigin/uAssets/issues/3565 +guidetnt.com##+js(set, isAdBlockActive, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/9j5bxk +eslfast.com##+js(nostif, warning, 100) + +! https://github.com/uBlockOrigin/uAssets/issues/3593 +quelleestladifference.fr##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/3594 +iwin.com##.modals +iwin.com#@##sponsorText + +! https://forums.lanik.us/viewtopic.php?f=62&t=41791 +giveawayoftheday.com##+js(nosiif, _checkBait) + +! https://github.com/uBlockOrigin/uAssets/issues/3597 +sexykittenporn.com##+js(aopr, loadTool) +sexykittenporn.com##+js(aopr, ExoLoader) +sexykittenporn.com##+js(ra, href, [href*="ccbill"]) +sexykittenporn.com##.hr.babes + +! https://github.com/uBlockOrigin/uAssets/issues/3608 +@@||i8086.de^$ghide +i8086.de##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/3604 +starmusiq.*##+js(nowebrtc) +starmusiq.*##+js(set, isAdBlockActive, false) + +! https://forums.lanik.us/viewtopic.php?f=62&t=41809 +! https://github.com/NanoMeow/QuickReports/issues/145 +@@||gameguardian.net^$ghide +||googlesyndication.com/pagead/$script,redirect=noopjs,domain=gameguardian.net +gameguardian.net##.adsbygoogle:style(height: 1px !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/9jzdwf/detected_by_hawtcelebs/ +hawtcelebs.com##+js(aopw, close_screen) + +! https://github.com/uBlockOrigin/uAssets/issues/3629 +camgirlfap.com##+js(acs, document.createElement, onerror) +##.happy-inside-player + +! https://github.com/uBlockOrigin/uAssets/issues/3630 +cda-hd.cc##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/3632 +ge-map-overlays.appspot.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/3635 +vinylcollective.com##+js(acs, jQuery, dismissAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/3644 +sp-today.com##+js(set, isAdBlockActive, false) + +! https://github.com/uBlockOrigin/uAssets/issues/3646 +! https://github.com/NanoMeow/QuickReports/issues/2351 +! https://github.com/NanoMeow/QuickReports/issues/4527 +mirrorace.*##+js(aopr, AaDetector) +mirrorace.*##+js(aeld, click, _0x) +mirrorace.*##+js(popads-dummy) +/invoke.js$script,domain=mirrorace.* +@@||mirrorace.*^$ghide +mirrorace.*##.uk-card-secondary:has-text(VPN) +mirrorace.*##[href*="search/"] +||mirrorace.org/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/3651 +! https://github.com/uBlockOrigin/uAssets/issues/5046 +tamilmv.*##+js(nowebrtc) +tamilmv.*##+js(acs, atob, decodeURIComponent) +||tamilmv.*/sw.js$script,xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3652 +||xxxwebdlxxx.org^$csp=script-src 'self' data: + +! https://github.com/uBlockOrigin/uAssets/issues/3654 +! https://www.reddit.com/r/uBlockOrigin/comments/89tfkf/how_do_i_stop_we_see_youre_using_an_ad_blocker/ +! https://github.com/uBlockOrigin/uAssets/issues/2188 +! https://github.com/uBlockOrigin/uAssets/issues/2636 +! https://github.com/uBlockOrigin/uAssets/issues/3656 +browardpalmbeach.com,dallasobserver.com,houstonpress.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##+js(set, VMG.Components.Adblock, false) + +! https://forums.lanik.us/viewtopic.php?p=141849#p141849 +prostoporno.*##+js(aopr, ExoLoader.serve) +prostoporno.*##.spot + +! https://forums.lanik.us/viewtopic.php?f=103&t=41858 +! https://www.reddit.com/r/uBlockOrigin/comments/mpffxo/ +muyinteresante.es##+js(no-fetch-if, googlesyndication, method:HEAD) +*$xhr,redirect-rule=nooptext,domain=muyinteresante.es + +! https://github.com/uBlockOrigin/uAssets/issues/311 +9xbuddy.*##+js(nowoif) +@@||offmp3.*^$ghide +*$script,3p,denyallow=9xbud.com|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|fastly.net|fastlylb.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|jsdelivr.net|jwpsrv.com|plyr.io|twimg.com|twitter.com|recaptcha.net|x.com,domain=9xbuddy.* + +! https://github.com/NanoMeow/QuickReports/issues/175 +durtypass.com##+js(nowoif) +durtypass.com##+js(aopr, _pop) +@@||durtypass.com^$ghide + +! https://forums.lanik.us/viewtopic.php?f=62&t=41882 +||pornid.*$csp=frame-src +pornid.*##.rsidebar-spots-holder, .spots-bottom +pornid.*##.cs-under-player-link +pornid.*##+js(aopr, decodeURI) +||pornid.*/azone/ +||pornid.*/pid/dev.js +pornid.*##.cs +pornid.*##.spots-title +pornid.*###fltd +pornid.*###native_code +||pornid.*/xdman2/$frame,1p + +! https://github.com/NanoMeow/QuickReports/issues/179 +practicequiz.com,wapkiz.com##+js(aopw, adBlockDetected) +freegamescasual.com##+js(nostif, adblock_popup, 500) + +! https://github.com/NanoMeow/QuickReports/issues/183 +opjav.com##+js(nowoif) +||clipbongda.info^ + +! https://github.com/uBlockOrigin/uAssets/issues/3678 +123moviesjr.cc##+js(aopr, mm) +||123movie.*/sw.js$script + +! https://forums.lanik.us/viewtopic.php?f=90&t=41915 +schrauben-normen.de##+js(aeld, load, nextFunction) + +! https://github.com/NanoMeow/QuickReports/issues/191 +ngelag.com##+js(aopr, FuckAdBlock) + +! https://github.com/NanoMeow/QuickReports/issues/17 +! https://github.com/uBlockOrigin/uAssets/issues/3687 +@@||homegrownfreaks.net/player/player_ads.html$frame,1p +@@||homegrownfreaks.net^$ghide +homegrownfreaks.net##.fp-brand + +! https://github.com/NanoMeow/QuickReports/issues/195 +depedlps.*##+js(aeld, load, onload) +depedlps.*##+js(aopr, encodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/3693 +pianokafe.com##+js(aopw, adBlockDetected) + +! https://github.com/NanoMeow/QuickReports/issues/197 +huim.com##+js(aopr, isAdEnabled) + +! https://github.com/uBlockOrigin/uAssets/issues/3700 +! https://github.com/uBlockOrigin/uAssets/issues/5004 +||zbporn.*/tri/zp.js +zbporn.*##+js(aopr, decodeURI) +zbporn.*##+js(aopr, promo) +zbporn.*##.desktop-nat-spot +*$popunder,domain=zbporn.com +||zbporn.*/ttt/ +zbporn.*##.view-right + +! https://github.com/uBlockOrigin/uAssets/issues/3701 +fapality.com##+js(aopr, document.dispatchEvent) +fapality.com##+js(aopr, open) +||yourlustmedia.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/3702 +worldsex.com##+js(aopr, Notification) +worldsex.com##+js(aopr, document.dispatchEvent) +worldsex.com###video_banner +worldsex.com##div.da-by +worldsex.com##.overlay + +! https://github.com/uBlockOrigin/uAssets/issues/3706 +babesxworld.com,cocogals.com##+js(aopr, loadTool) +babesxworld.com##+js(aopr, open) +babesxworld.com##+js(aopr, document.dispatchEvent) +babesxworld.com##.g-link +babesxworld.com##a[href^="http://refer.ccbill.com/"] +*$3p,popup,domain=babesxworld.com +*$script,3p,denyallow=cloudflare.com|bootstrapcdn.com|fastly.net|fluidplayer.com|hwcdn.net|twitter.com|x.com,domain=babesxworld.com +babesxworld.com##[onclick*="spons"] + +! https://github.com/NanoMeow/QuickReports/issues/202 +masteranime.tv##+js(set, check_adblock, true) +||masteranime.tv/api/pop.php$xhr,1p +*$script,3p,denyallow=anmedm.com|cloudflare.net|cloudfront.net|disqus.com|disquscdn.com|facebook.net|fastlylb.net|fbcdn.net|google.com,domain=masteranime.tv +||ad.masteranime.tv^$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/9o5lin/cant_browse_httpswwwtcpvpncom_without_disabling/ +tcpvpn.com##+js(nostif, Adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/3715 +otakuworldsite.blogspot.com##+js(aeld, load, onload) + +! https://github.com/NanoAdblocker/NanoFilters/issues/192 +pornoman.pl##+js(aopr, decodeURI) +pornoman.pl##+js(aopr, _0x311a) +pornoman.pl##[src*="bannery"] +pornoman.pl###porno_accept +@@||pornoman.pl^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10405 +nhentai.net##+js(nowoif) +nhentai.net##+js(set, _n_app.popunder, null) +nhentai.net##+js(rpnt, script, popunder, p) + +! https://adblockplus.org/forum/viewtopic.php?f=10&t=60372&start=0 +*.mp4$media,redirect=noopmp4-1s,domain=abc.go.com + +! https://github.com/uBlockOrigin/uAssets/issues/3737 +canadianunderwriter.ca##+js(aopw, mockingbird) + +! https://github.com/uBlockOrigin/uAssets/issues/3749 +! https://github.com/uBlockOrigin/uAssets/issues/5549 +! https://www.reddit.com/r/uBlockOrigin/comments/brwyhb/ad_filled_redirect_site_detects_ublock_origin/ +! https://github.com/AdguardTeam/AdguardFilters/issues/128679 +! https://github.com/uBlockOrigin/uAssets/issues/16601 +forexmab.com,linkjust.com,linkszia.co##+js(set, blurred, false) +forexlap.com,forexmab.com,forexwaw.club,forex-articles.com,fx4vip.com,forexrw7.com,3rabsports.com,fx-22.com,gold-24.net##+js(nano-sib, , , 0.001) +forexlap.com##+js(nowoif) +linkjust.com##.banner-inner +linkszia.co##.banner +@@||linkjust.com^$ghide +||forexrw7.com^$frame,3p + +! https://github.com/uBlockOrigin/uAssets/issues/3748 +business-standard.com##+js(set, adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/3741 +*$popunder,domain=camsexvideo.net +camsexvideo.net##.list-spots + +! https://forums.lanik.us/viewtopic.php?f=62&t=42004 +! https://github.com/uBlockOrigin/uAssets/issues/22466 +nowtv.com.tr##+js(set, adblockDetector, trueFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/3767 +oemdtc.com##.easyazon-block +oemdtc.com##.blocker-notice, .blocker-overlay +oemdtc.com##[src^="https://cdn.flowdee.de/"], [href^="https://www.amazon.com/b"] + +! https://github.com/NanoMeow/QuickReports/issues/234 +! https://github.com/uBlockOrigin/uAssets/issues/4345 +! https://github.com/uBlockOrigin/uAssets/issues/7271 +! https://github.com/uBlockOrigin/uAssets/issues/13164 +cambay.tv,caminspector.net,camporn.tube,camwhorescloud.com,camwhorespy.com,camwhoria.com,camvideos.org##+js(acs, crakPopInParams) +cambay.tv,caminspector.net,camporn.tube,camwhorescloud.com,camwhoreshd.com,camwhorespy.com,camvideos.org##+js(acs, onload, onclick) +cambay.tv,caminspector.net,camwhorespy.com,camwhoria.com,camgoddess.tv##+js(aopr, console.log) +cambay.tv,camwhoreshd.com,camwhorespy.com,cwtvembeds.com##+js(nowoif) +cambay.tv,caminspector.net,camwhoreshd.com,camgoddess.tv##+js(set, hasPoped, true) +camwhorescloud.com##+js(aost, Math.round, inlineScript) +camwhoreshd.com,cwtvembeds.com##.hola_top_element +cwtvembeds.com##+js(set, flashvars.protect_block, '') +cwtvembeds.com##+js(set, flashvars.video_click_url, undefined) +camwhoreshd.com##+js(aopr, loadTool) +cambay.tv,camporn.tube,camwhorescloud.com,camwhoreshd.com,camgoddess.tv##.table +caminspector.net,camvideos.org##.place +@@*$media,domain=camvideos.org +@@||video$xhr,media,domain=camvideos.org +camseek.tv##+js(aopr, decodeURI) +||camseek.tv/live/live.php$frame,1p +camseek.tv##div[style$="height: 240px; background: white"] +cambay.tv##.rltdsldr +cambay.tv##+js(set, flashvars.adv_pause_html, '') +cambay.tv##+js(set, flashvars.adv_start_html, '') +cambay.tv##+js(set, flashvars.popunder_url, '') +||cfgr3.com/popin/$script,3p +##[href^="https://go.smljmp.com/"] +caminspector.net##.top +cambay.tv##.fp-logo +cambay.tv##+js(set, flashvars.adv_post_src, '') +cambay.tv##+js(set, flashvars.adv_post_url, '') +cambay.tv##+js(set, flashvars.adv_pre_src, '') +cambay.tv##+js(set, flashvars.adv_pre_url, '') + +! https://github.com/jspenguin2017/uBlockProtector/issues/999 +! https://github.com/uBlockOrigin/uAssets/issues/4176 +@@||open.http.mp.streamamg.com/html5/$script,domain=mediapason.it +@@||pubads.g.doubleclick.net/gampad/live/*.mediapason.it$xhr,domain=imasdk.googleapis.com +mediapason.it##+js(set, jQuery.adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/3777 +! https://github.com/uBlockOrigin/uAssets/issues/14133 +leechpremium.link##+js(set, blurred, false) +*$image,1p,redirect-rule=1x1.gif,domain=leechpremium.link +leechpremium.link###myModal +leechpremium.link##ins.adsbygoogle +leechpremium.link##.fade.modal-backdrop +leechpremium.link##[id*="ScriptRoot"] +leechpremium.link##body:style(overflow: auto !important;) +leechpremium.link##.row > .col-md-2:first-child > .pricingTable +! https://github.com/uBlockOrigin/uAssets/issues/3777#issuecomment-586671449 +leechpremium.link##+js(no-fetch-if, adsbygoogle) +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.net|google.com|googleapis.com|gstatic.com|recaptcha.net|tawk.to|jsdelivr.net,domain=leechpremium.link +! https://github.com/AdguardTeam/AdguardFilters/issues/123870 +@@||leechpremium.net^$ghide +leechpremium.net##.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/236 +! https://github.com/uBlockOrigin/uAssets/issues/24087 +@@||tsubasa.im^$ghide +tsubasa.im##+js(nostif, location.href, 10000) + +! https://github.com/uBlockOrigin/uAssets/issues/3778 +zemporn.com##+js(aopr, h1mm.w3) +zemporn.com##.player-aside-banners + +! https://github.com/NanoMeow/QuickReports/issues/241 +guitarnick.com##+js(acs, document.getElementById, banner) + +! https://github.com/uBlockOrigin/uAssets/issues/3793 +jeshoots.com##+js(set, google_jobrunner, true) + +! https://github.com/uBlockOrigin/uAssets/issues/3799 +apritos.com,bsierad.com,diminimalis.com,eksporimpor.com,jadijuara.com,kicaunews.com,palapanews.com,ridvanmau.com##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/3815 +homebooster.de,newhome.de##+js(acs, document.getElementById, blocker_div) + +! https://github.com/uBlockOrigin/uAssets/issues/3818 +ellibrepensador.com##+js(aopr, require) + +! https://github.com/uBlockOrigin/uAssets/issues/3825 +porconocer.com##+js(acs, document.getElementById, onscroll) + +! https://github.com/uBlockOrigin/uAssets/issues/3828 +0123movies.*##+js(set, check_adblock, true) +0123movies.*##+js(aopr, mm) +0123movies.*##.fake_player, #tab-ad +0123movies.*##[href="#tab-ad"] +0123movies.*##.les-title:has-text(HD) +0123movies.*##.mvic-btn + +! https://github.com/uBlockOrigin/uAssets/issues/3829 +sholah.net,2rdroid.com##+js(nostif, keep-ads, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/3830 +tinyppt.com##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/3833 +internetretailing.com.au##.textwidget:has(> div > div[id^="IRN_Homepage_300x250"]) + +! https://github.com/NanoMeow/QuickReports/issues/676 +@@||mygoodstream.pw^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3849 +bisceglielive.it##+js(nostif, #rbm_block_active, 1000) +bisceglielive.it##.mkt-300x250 +bisceglielive.it##.mkt-728x90 + +! https://github.com/uBlockOrigin/uAssets/issues/3858 +worldaide.fr##+js(aopr, adblock) +@@||worldaide.fr^$ghide +worldaide.fr##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/3860 +wpgdadatong.com##+js(aopr, checkAdblock) + +! https://github.com/uBlockOrigin/uAssets/issues/3861 +creativebusybee.com##+js(aopw, checkAds) + +! https://github.com/uBlockOrigin/uAssets/issues/3867 +scamalot.com##+js(acs, $, #DontBloxMyAdZ) + +! https://github.com/uBlockOrigin/uAssets/issues/3869 +beautypackaging.com,coatingsworld.com,contractpharma.com,happi.com,inkworldmagazine.com,labelandnarrowweb.com,mpo-mag.com,nutraceuticalsworld.com,odtmag.com,printedelectronicsnow.com##+js(acs, $, #pageWrapper) +beautypackaging.com,coatingsworld.com,contractpharma.com,happi.com,inkworldmagazine.com,labelandnarrowweb.com,mpo-mag.com,nutraceuticalsworld.com,odtmag.com,printedelectronicsnow.com##.modal-backdrop +beautypackaging.com,coatingsworld.com,contractpharma.com,happi.com,inkworldmagazine.com,labelandnarrowweb.com,mpo-mag.com,nutraceuticalsworld.com,odtmag.com,printedelectronicsnow.com##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/3874 +savevideo.me##+js(acs, $, banner) + +! https://github.com/uBlockOrigin/uAssets/issues/3876 +yeutienganh.com##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/3871 +openspeedtest.com##+js(nostif, google_jobrunner) + +! https://github.com/uBlockOrigin/uAssets/issues/3882 +situsberita2terbaru.blogspot.com##+js(acs, document.getElementById, adpbtest) + +! https://github.com/uBlockOrigin/uAssets/issues/3872 +telecharger-igli4.*##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/3880 +addtobucketlist.com##+js(nostif, google_jobrunner) + +! https://github.com/uBlockOrigin/uAssets/issues/3885 +syracusefan.com##+js(acs, $, initDetection) + +! https://github.com/uBlockOrigin/uAssets/issues/3897 +@@||promods.net^$ghide +@@||promods.net/kampyle.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3917 +argio-logic.net##+js(acs, document.getElementById, alert) + +! https://github.com/uBlockOrigin/uAssets/issues/3933 +appstore-discounts.com##+js(acs, document.getElementById, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/3927 +ohorse.com##+js(aopw, check) + +! https://github.com/uBlockOrigin/uAssets/issues/13096 +@@||tabooporns.com^$ghide +player.tabooporns.com##+js(aopr, BetterJsPop) +player.tabooporns.com,x69.ovh##+js(nowoif, , 10) +player.tabooporns.com,x69.ovh##+js(set, adblockcheck, false) +||unpkg.com/videojs-vast-vpaid@2.0.2/bin/videojs_5.vast.vpaid.min.js$script,domain=player.tabooporns.com|x69.ovh +player.tabooporns.com##[href="https://t.me/Russia_Vs_Ukraine_War3"] +player.tabooporns.com##a[onclick="openAuc();"] +x08.ovh##+js(nowoif) +x08.ovh##+js(acs, JSON.parse, showTrkURL) +x08.ovh##+js(acs, Math, /window\['(?:\\x\d{2}){1}/) +||findmyheadache.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/3949 +photos-public-domain.com##+js(aopr, blockAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/3911 +@@/wp-content/themes/mts_ad_sense/*$1p +##.blocker-notice +##.blocker-overlay + +! https://github.com/NanoMeow/QuickReports/issues/262 +popcorntv.it##.box-adv + +! Generic BlockAdBlock and other sites +! https://github.com/uBlockOrigin/uAssets/issues/3401 +heidibemvindaacasabrasil.blogspot.com###popup +l2network.eu##.ubm_banner +mylivewallpapers.com,softfully.com##+js(no-fetch-if, ads) +mylivewallpapers.com##.group.posts > div.post + +aalah.me,academiadelmotor.es,aiailah.com,almursi.com,altebwsneno.blogspot.com,ambonkita.com,androidspill.com,aplus.my.id,arrisalah-jakarta.com,babyjimaditya.com,bbyhaber.com,beritabangka.com,beritasulteng.com,bestsellerforaday.com,bintangplus.com,bitco.world,br.nacaodamusica.com,bracontece.com.br,dicariguru.com,fairforexbrokers.com,foguinhogames.net,formasyonhaber.net,fullvoyeur.com,healbot.dpm15.net,igli4.com,indofirmware.site,hagalil.com,javjack.com,latribunadelpaisvasco.com,line-stickers.com,luxurydreamhomes.net,m5g.it,miltonfriedmancores.org,minutolivre.com,oportaln10.com.br,pedroinnecco.com,philippinenmagazin.de,piazzagallura.org,pornflixhd.com,safehomefarm.com,synoniemboek.com,techacrobat.com##+js(aopw, adBlockDetected) + +elizabeth-mitchell.org##+js(aopw, adBlockDetected) +elizabeth-mitchell.org##.widget-title:has-text(AD) +ad-itech.blogspot.com##+js(aeld, load, onload) +avengerinator.blogspot.com##+js(aeld, load, nextFunction) +best4hack.blogspot.com##+js(acs, atob, decodeURI) +||myfreecopyright.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/16889 +3dzip.org##+js(nostif, google_jobrunner) +3dzip.org##+js(nostif, null, 4000) +||googlesyndication.com^$script,redirect=googlesyndication_adsbygoogle.js,domain=3dzip.org +3dzip.org##.adcontainer +3dzip.org##div.better-ads-listitemad +3dzip.org##div[id][itemtype="https://schema.org/WPAdBlock"] + +technisches-zeichnen.net##[id^="banner-"] +technisches-zeichnen.net###ad-unten-01 +technisches-zeichnen.net##.bild-rechts-01 + +mi-globe.com##.td-is-sticky + +||googlesyndication.com^$script,redirect=googlesyndication_adsbygoogle.js,domain=fatgirlskinny.net +fatgirlskinny.net##+js(aeld, load, isBlanketFound) +fatgirlskinny.net##[href^="https://www.topcashback.co.uk/"] + +canaltdt.es##+js(aeld, load, showModal) +*$script,redirect-rule=noopjs,domain=canaltdt.es + +! https://github.com/AdguardTeam/AdguardFilters/issues/57790 +4download.net##+js(acs, addEventListener, nextFunction) +4download.net##+js(nano-sib) + +! https://github.com/AdguardTeam/AdguardFilters/issues/57320 +! https://github.com/AdguardTeam/AdguardFilters/issues/94971 +! https://github.com/uBlockOrigin/uAssets/issues/13860 +scat.gold##+js(nostif, show) +scat.gold##+js(acs, document.createElement, onerror) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55748 +globalssh.net##+js(acs, addEventListener, nextFunction) + +! https://www.reddit.com/r/uBlockOrigin/comments/pqthf7/anti_adblocker_script_on_sysnettechsolutionscom/ +sysnettechsolutions.com##a[href^="https://bit.ly/"] + +! https://github.com/uBlockOrigin/uAssets/issues/3965 +pandajogosgratis.com.br##+js(nostif, (), 2500) + +! https://github.com/uBlockOrigin/uAssets/issues/3972 +5278.cc##+js(nostif, myaabpfun, 3000) + +! https://github.com/uBlockOrigin/uAssets/issues/3979 +! https://github.com/AdguardTeam/AdguardFilters/issues/46874 +icutlink.com##+js(aopr, open) +icutlink.com##+js(set, blurred, false) +icutlink.com##+js(nano-sib, time) +icutlink.com##+js(set, sec, 0) +icutlink.com##.banner-inner +zegtrends.com##+js(nowoif) +zegtrends.com##+js(nano-sib, time, 2500) +@@/ad.min.js$script,domain=icutlink.com|zegtrends.com +zegtrends.com##+js(noeval-if, /chp_?ad/) + +! https://forums.lanik.us/viewtopic.php?f=62&t=42076 +hotbabes.tv##+js(aopr, loadTool) +candid.tube,filesamba.*,hotbabes.tv,purelyceleb.com##+js(aopr, _wm) +cambabe.*,camgirlbay.net##+js(acs, onload) +cambabe.*##+js(acs, crakPopInParams) +cambabe.*##.topad +cambabe.*##.place +purelyceleb.com##.embed-container +##.exo-horizontal + +! https://forums.lanik.us/viewtopic.php?f=62&t=22759 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=cookinggames.com +@@||witchhut.com^$script,1p + +! https://forums.lanik.us/viewtopic.php?p=70300#p70300 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=girlgames.com + +! https://github.com/uBlockOrigin/uAssets/issues/4009 +@@||audiotools.*^$ghide +audiotools.*##ins.adsbygoogle +*$image,redirect-rule=1x1.gif,domain=audiotools.blog + +! https://github.com/uBlockOrigin/uAssets/issues/4033 +pandafreegames.*##+js(nostif, adFilled, 2500) + +! https://github.com/uBlockOrigin/uAssets/issues/4037 +multporn.net##+js(aopr, document.dispatchEvent) + +! https://github.com/NanoAdblocker/NanoCore/issues/227 +tonspion.de##+js(nostif, (), 15000) + +! https://github.com/uBlockOrigin/uAssets/issues/4054 +oncehelp.com##+js(aeld, click, trigger) +oncehelp.com##+js(aopr, open) +oncehelp.com##+js(set, blurred, false) +oncehelp.com##.banner-inner +oncehelp.com##[href*="?token"] + +! https://github.com/uBlockOrigin/uAssets/issues/4057 +@@||consensu.org/*/cmp2.js$script,domain=novagente.pt + +! https://github.com/uBlockOrigin/uAssets/issues/4059 +viprow.*##+js(acs, setTimeout, admc) +viprow.*##+js(nowoif, //) +viprow.*##+js(rmnt, script, FingerprintJS) +viprow.*##+js(json-prune, *, *.adserverDomain) +viprow.*##.position-absolute + +! https://www.reddit.com/r/uBlockOrigin/comments/9uq4cl/myegycc/ +! https://github.com/uBlockOrigin/uAssets/issues/9908 +myegy.*##+js(aopw, decodeURI) + +! https://github.com/uBlockOrigin/uAssets/issues/4068 +gamezhero.com##+js(set, ads, true) +||gamezhero.com/promo$frame,1p +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=gamezhero.com + +! https://www.reddit.com/r/uBlockOrigin/comments/9utd8b/wikifeet_adverts/ +wikifeet.com##+js(aopr, NativeAd) + +! https://github.com/NanoMeow/QuickReports/issues/295 +flashplayer.fullstacks.net##+js(set, gadb, false) + +! https://github.com/NanoAdblocker/NanoFilters/issues/286 +@@||encoretvb.com^$ghide +encoretvb.com###square-ad-1 + +! https://github.com/NanoMeow/QuickReports/issues/304 +sms-receive.net##+js(acs, $, adblock) + +! https://github.com/NanoMeow/QuickReports/issues/305 +@@||wordgames.com^$ghide +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=wordgames.com +wordgames.com###ad-gamepage-leaderboard +wordgames.com###skyscrapper-container +wordgames.com###skyscraper-container + +! https://github.com/NanoMeow/QuickReports/issues/311 +ani-stream.com##+js(no-fetch-if, damoh.ani-stream.com) +||amazonaws.com/homad-global-configs.schneevonmorgen.com/global_config.json$xhr,redirect=nooptext,domain=ani-stream.com +||fairytail-tube.org/templates/caprica/amz$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/9449 +||grammarly.com/*utm_source=$popup,domain=duplichecker.com|plagiarismchecker.co|plagiarismdetector.net|searchenginereports.net|smallseotools.com +duplichecker.com,plagiarismchecker.co,plagiarismdetector.net,searchenginereports.net,smallseotools.com##[href*="grammarly.com"] +duplichecker.com,plagiarismchecker.co,plagiarismdetector.net,searchenginereports.net##+js(nostif, showPopup) +plagiarismdetector.net##a[rel*="nofollow"][rel*="noopener"]:has(> img.img-fluid[src^="https://plagiarismdetector.net/pd-imgs/"]) +plagiarismdetector.net##a[onclick*="PC_Home_gra"][rel="nofollow noopener"][target="_blank"] +searchenginereports.net##div[class^="theMSsy"], div[id^="theMSsy"], a[onclick*="PushClickTag"][rel], a[href^="https://searchenginereports.net/gmdasads"] +||searchenginereports.net/thAdoGMA/$image +smallseotools.com##+js(aeld, mouseout, clientWidth) +smallseotools.com##span[onclick*="https://smallseotools.com/deep_grammar.html"] +smallseotools.com##span[onclick*="https://smallseotools.com/deep_pcgrammar.html"] +plagiarismchecker.co##body *:matches-css(margin: /auto/):matches-css(width: /^[2-3]{1}[0-9]{2}(\.[0-9]+)?px$/):matches-css(height: /^[2-3]{1}[0-9]{2}(\.[0-9]+)?px$/):matches-css(display: /block|table/):remove() +duplichecker.com##vvv, ccc, spavn, .qwert, .dfdfdf, .nhnhnhn, [class^="alkjhg"], #btnbtnn2, a[href="https://www.duplichecker.com/gcl"], [mv*="grmly"] +||duplichecker.com/asets/img/logo.svg$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4104 +jagran.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/5695 +picbaron.com##+js(aeld, , _0x) +picbaron.com##+js(aopr, loadTool) +picbaron.com##+js(aopr, open) +picbaron.com##+js(noeval) +picbaron.com##.newsbar_blue +picbaron.com###fadeinbox +*$frame,domain=picbaron.com +||picbaron.com/*.gif$image +picbaron.com##[href*="/redirect?tid="] + +! https://github.com/uBlockOrigin/uAssets/issues/4098 +! https://github.com/uBlockOrigin/uAssets/issues/7122 +temp-mail.org##+js(set, checkadBlock, noopFunc) +temp-mail.org#?#li:has(.viewLink:has-text(AD |)) + +! http://forums.mozillazine.org/viewtopic.php?f=38&t=3043519 +3dprintersforum.co.uk##+js(acs, $, gandalfads) + +! https://github.com/uBlockOrigin/uAssets/issues/4127 +javstream.com##+js(aopr, AaDetector) +javstream.com##+js(aopw, __aaZoneid) + +! https://github.com/uBlockOrigin/uAssets/pull/4124 +linkspaid.com##+js(set, jQuery.adblock, false) +linkspaid.com##+js(nostif, (), 1000) + +! https://github.com/NanoMeow/QuickReports/issues/329 +kurazone.net##+js(aopr, AaDetector) +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=kurazone.net + +! agar.* +agar.pro##+js(aeld, load, onload) +@@||ip-api.com/json/$script,domain=agar.pro +@@||agar.pro^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/4136 +@@||methbox.com^$ghide +methbox.com##+js(nostif, nextFunction, 250) +||popcent.org^$3p + +! https://forums.lanik.us/viewtopic.php?f=62&t=42181 +! https://github.com/uBlockOrigin/uAssets/issues/4202 +gamecopyworld.*##+js(acs, document.createElement, Tool) +dl.gamecopyworld.*##.t2 > tbody > tr:nth-of-type(1) > td +dl.gamecopyworld.*##td:nth-of-type(2) +dl.gamecopyworld.*##tr:nth-of-type(6) > td +consoletarget.com##+js(aopr, loadTool) +||gamecopyworld.com/!_$frame + +! https://github.com/NanoAdblocker/NanoFilters/issues/220 +! https://github.com/AdguardTeam/AdguardFilters/issues/114751 +@@||asianclub.*^$ghide +asianclub.*##+js(set, clientSide.adbDetect, noopFunc) +asianclub.*##+js(aopr, AaDetector) +asianclub.*##+js(aopr, jwplayer.utils.Timer) +asianclub.*##+js(nowoif) +asianclub.*##+js(aopr, __Y) +javmost.*##center > div[style^="width:100%; height: 100px"] + +! https://github.com/uBlockOrigin/uAssets/issues/13833 +! vidmoly . me | .to popups +vidmoly.*##+js(nowoif) +||apptospace.com^ +||disproveknob.com^ +vidmoly.*###mg_vd +vidmoly.*###voc_block +vidmoly.*###dos_vlock +||cdn.staticmoly.me/*.php$domain=vidmoly.* + +! nsfw xcums . com popups +xcums.com##+js(aopr, encodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/6354 +xpaja.net##+js(acs, String.fromCharCode, atob) + +! https://github.com/NanoMeow/QuickReports/issues/351 +comnuan.com##+js(set, cmnnrunads, true) + +! https://github.com/uBlockOrigin/uAssets/issues/3960 +mega-p2p.net##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/4156 +audioz.download,peeplink.in##+js(acs, String.fromCharCode, 'shift') + +! https://github.com/uBlockOrigin/uAssets/issues/22511 +@@||savelinks.*^$ghide +savelinks.*##+js(aopr, LieDetector) +savelinks.*##+js(nowoif) + +! uppit. com ads +||uppit.com^$document,csp=script-src 'self' 'unsafe-eval' 'unsafe-inline' data: *.cloudflare.com +@@||uppit.com^$ghide + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/18 +xianzhenyuan.cn##+js(acs, document.getElementById, undefined) + +! https://forums.lanik.us/viewtopic.php?f=96&t=42204 +novablogitalia.*##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/4164 +||shrinkearn.com/sw.js$script,1p +*$frame,domain=shrinkearn.com,3p,denyallow=cloudflare.com +shrinkearn.com##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/4171 +gsm1x.xyz##+js(aopw, downloadJSAtOnload) +gsm1x.xyz##+js(nano-stb, run) +||romgoc.net^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/4184 +a-o.ninja,anime-odcinki.pl##+js(set, showAds, true) +! https://github.com/uBlockOrigin/uAssets/issues/4338 +anime-odcinki.pl##+js(aopr, _pop) +anime-odcinki.pl##.size-full + +! https://github.com/uBlockOrigin/uAssets/issues/4187 +singingdalong.*##+js(aeld, load, 2000) + +! https://forums.lanik.us/viewtopic.php?f=62&t=42217 +mrdeepfakes.com##+js(aopw, ReactAds) +mrdeepfakes.com##+js(acs, document.getElementsByTagName, script) +mrdeepfakes.com##+js(aopw, phtData) +mrdeepfakes.com##[href*="offer"] + +! https://github.com/NanoMeow/QuickReports/issues/370 +! https://www.reddit.com/r/uBlockOrigin/comments/a4ms6i/ublock_for_firefoxchrome_not_blocking_video_on/ +*&expires$media,redirect=noopmp3-0.1s,domain=prosieben.at|prosieben.de|prosiebenmaxx.de|ran.de +||zomap.de/*&expires=$script,domain=prosieben.at|prosieben.de|prosiebenmaxx.de|ran.de + +! popunder / (nsfw) sites - phtData +donk69.com,hotdreamsxxx.com##+js(aopw, phtData) + +! https://github.com/NanoMeow/QuickReports/issues/340 +! https://forums.lanik.us/viewtopic.php?p=143447#p143447 +veedi.com##+js(set, adBlocker, false) +4j.com##+js(nostif, (), 2000) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=4j.com|veedi.com,redirect=google-ima.js +4j.com###bio_ep, #bio_ep_bg +4j.com##body:style(overflow: auto !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/a09q3o/anti_adblock_uonano_defender/ +! https://github.com/uBlockOrigin/uAssets/issues/20572 +anitube.*##+js(aopr, exoJsPop101) +anitube.*##+js(set, adBlockDetected, noopFunc) +anitube.*###iframeCore____ +||anitube.*/sw.js$script,1p +anitube.*##div[style^="pointer-events: none; position: absolute; "] + +! https://github.com/uBlockOrigin/uAssets/issues/4193 +goltelevision.com##+js(set, adblock, false) +@@||nqs.nice264.com/data?system=golt&plugin$xhr,domain=goltelevision.com + +! https://github.com/uBlockOrigin/uAssets/issues/4198 +||code.jquery.com/jquery-$script,domain=mega-mkv.com +mega-mkv.com,mkv-pastes.com##+js(aeld, DOMContentLoaded, adlinkfly) +mega-mkv.com##+js(aeld, DOMContentLoaded, shortener) +mega-mkv.com##center > p:has(> a[href] > img.alignnone) + +! https://github.com/NanoMeow/QuickReports/issues/382 +medievalists.net##.widget-title:has-text(Adv) + +! celebritymovieblog . com popups / ads +celebritymovieblog.com##+js(acs, puShown, /doOpen|popundr/) +celebritymovieblog.com##.banner_top + +! https://github.com/NanoMeow/QuickReports/issues/385 +stiletv.it##+js(set, StileApp.somecontrols.adBlockDetected, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/4212 +beeimg.com##+js(nostif, document.cookie, 2500) +beeimg.com##+js(nostif, window.open) +beeimg.com##.offer + +! https://github.com/uBlockOrigin/uAssets/issues/4215 +fileone.tv##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/4216 +mywatchseries.*##+js(nowebrtc) +||d19f0dp1dh77jq.cloudfront.net^ +||mywatchseries.*/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4219 +yomovies.*##+js(aopr, decodeURI) +mixdrp.*##+js(aeld, load, download-wrapper) +mixdrop.*##+js(set, MDCore.adblock, 0) +mixdrop.*,mixdrp.*##+js(acs, $, String.fromCharCode) +mixdrop.*,mixdrp.*##+js(nano-stb, disabled) +mdbekjwqa.pw##+js(noeval-if, setInterval) +mdbekjwqa.pw##+js(acs, document.createElement, onerror) +mdfx9dc8n.net,mdzsmutpcvykb.net,mixdrop21.net,mixdropjmk.pw##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +mdbekjwqa.pw,mdfx9dc8n.net,mdzsmutpcvykb.net,mixdroop.*,mixdrop.*,mixdrop21.net,mixdropjmk.pw,mixdrp.*##+js(nowoif) +||mixdrop.*/sw.js$script,1p +mixdrop.*##div[onclick^="$(this).remove"] +mdbekjwqa.pw,mdfx9dc8n.net,mixdroop.*,mixdrop.*,mixdrop21.net,mixdropjmk.pw,mixdrp.*##body > div[style^="position: absolute;"][style*="z-index"] +*$script,3p,denyallow=dotblocking.dummy|google.com|gstatic.com|hwcdn.net|jquery.com,domain=mixdrop.*|mixdrp.*|~mixdrop.one|mixdroop.* +||brightadnetwork.com^ +||cviezjsg.com^ +||gtbtnrpzz.com^ +||jwgigawtq.com^ +||zwuucugezzjhhi.com^ + +! https://github.com/NanoMeow/QuickReports/issues/389 +||d81idz8m5qll8.cloudfront.net/app.min.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/4221 +m.hellporno.com###fltd-inner +hellporno.*##.bnnrs-player + +||share.notizie.it^ +||areyouabot.net^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/a2bkso/ublock_not_blocking/ +! https://github.com/uBlockOrigin/uAssets/issues/7790 +u.gg###af-header-link +u.gg###af-all:style(margin-top: 4em;) + +! https://github.com/uBlockOrigin/uAssets/issues/4241 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=actiongame.com|brain-games.co.uk|classicgame.com|games-site.co.uk|hiddenobjectgames.com|mahjong.co.uk|mahjong.com|match3.co.uk|match3games.com|mindgames.com|neongames.co.uk|solitaireonline.com|timemanagementgame.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=neongames.com + +! anti adb puzzlefry . com +puzzlefry.com##+js(aopw, killAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/4246 +hentaisd.*##+js(aopr, LieDetector) +||n1g459ky7y.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/6177 +ftlauderdalebeachcam.com,ftlauderdalewebcam.com,juneauharborwebcam.com,keywestharborwebcam.com,kittycatcam.com,mahobeachcam.com,miamiairportcam.com,morganhillwebcam.com,njwildlifecam.com,nyharborwebcam.com,paradiseislandcam.com,pompanobeachcam.com,portbermudawebcam.com,portcanaveralwebcam.com,portevergladeswebcam.com,portmiamiwebcam.com,portnywebcam.com,portnassauwebcam.com,portstmaartenwebcam.com,portstthomaswebcam.com,porttampawebcam.com,sxmislandcam.com##+js(nostif, innerHTML) +ftlauderdalebeachcam.com,ftlauderdalewebcam.com,juneauharborwebcam.com,keywestharborwebcam.com,kittycatcam.com,mahobeachcam.com,miamiairportcam.com,morganhillwebcam.com,njwildlifecam.com,nyharborwebcam.com,paradiseislandcam.com,pompanobeachcam.com,portbermudawebcam.com,portcanaveralwebcam.com,portevergladeswebcam.com,portmiamiwebcam.com,portnywebcam.com,portnassauwebcam.com,portstmaartenwebcam.com,portstthomaswebcam.com,porttampawebcam.com,sxmislandcam.com##.horiz-banner-box-1, .info-left, .info-right +||cdn.ptztv.live/*/ads/$image +portevergladeswebcam.com###partnerad1div + +! https://github.com/NanoMeow/QuickReports/issues/400 +hqtv.biz##+js(set, google_tag_data, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/a31vbm/some_help_needed_in_finding_out_the_antiadblock/ +thoptv.*##+js(aopr, AaDetector) +thoptv.*##+js(nostif, readyplayer, 2000) + +! https://github.com/NanoMeow/QuickReports/issues/403 +liveuamap.com##+js(set, noAdBlock, true) + +! https://github.com/uBlockOrigin/uAssets/issues/4255 +||smrmembers-smr.smartmediarep.com/*/video/*.mp4$media,domain=tv.naver.com,redirect=noopmp4-1s + +! https://github.com/uBlockOrigin/uAssets/issues/4260 +forum-pokemon-go.fr##+js(nostif, nextFunction, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/4263 +||short.es/adv/*$frame,1p + +! https://forums.lanik.us/viewtopic.php?f=62&t=42285 +! https://github.com/uBlockOrigin/uAssets/issues/4577 +! https://github.com/uBlockOrigin/uAssets/issues/6416 +@@||rte.ie^$ghide +@@||v.fwmrm.net/ad/g/*_HTML5_Live$script,domain=rte.ie +@@||src.litix.io/videojs/$script,domain=rte.ie +@@||rte.ie/player/$script,xhr,1p +@@||googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=rte.ie +||rte.ie/ads/*$media,redirect=noopmp4-1s,domain=rte.ie +@@||doubleclick.net/gampad/live/ads*rte.ie$xhr,domain=imasdk.googleapis.com +@@||doubleclick.net/gampad/ads*rte.ie$xhr,domain=imasdk.googleapis.com +||securecdn.videologygroup.com/Prod/DSPMedia/$media,redirect=noopmp3-0.1s,domain=rte.ie +*/media/*.mp4|$media,domain=rte.ie,redirect=noopmp3-0.1s +! https://www.reddit.com/r/uBlockOrigin/comments/l65lnp/ +*$1p,image,redirect-rule=1x1.gif,domain=rte.ie +rte.ie##.vjs-close-button +rte.ie##.adCue + +! crohasit . com popups +crohasit.*##+js(aopw, Fingerprint2) + +! https://github.com/uBlockOrigin/uAssets/issues/4266 +theglobeandmail.com##+js(aopw, adBlocker) + +! https://github.com/NanoMeow/QuickReports/issues/411 +macwelt.de,pcwelt.de##+js(aeld, load, autoRecov) + +||adslop.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/417 +@@||genvideos.*/js/showads.js$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4276 +||googlesyndication.com/pagead/$script,redirect=noopjs,domain=uploadbox.io +uploadbox.io##+js(nosiif, (), 5000) + +! https://github.com/uBlockOrigin/uAssets/issues/4268 +gaypornwave.com##+js(aost, String.prototype.charCodeAt, ai_) +gaypornwave.com##+js(aopr, ExoLoader) +gaypornwave.com##+js(aopr, _pop) +##[href^="https://popcash.net/"] +##[href^="https://adult.xyz/"] + +! https://github.com/uBlockOrigin/uAssets/issues/4268#issuecomment-445406636 +onlineclassnotes.com###turnOffAdBlockerContainer + +! https://forums.lanik.us/viewtopic.php?p=143974#p143974 +dualpaste.net##+js(nowebrtc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/26605 +urbia.de##+js(aopr, _sp_.mms.startMsg) + +! https://github.com/AdguardTeam/AdguardFilters/issues/26600 +! https://github.com/uBlockOrigin/uAssets/issues/13747 +! https://github.com/uBlockOrigin/uAssets/issues/19127 +freecoursesite.com,livsavr.co##+js(acs, eval, replace) +freecoursesite.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/4279 +scubidu.eu##+js(aost, String.prototype.charCodeAt, ai_) +scubidu.eu###custom_html-15 +scubidu.eu###custom_html-16 + +! https://github.com/uBlockOrigin/uAssets/issues/4281 +root-top.com##+js(aopr, adblockblock) + +! https://github.com/uBlockOrigin/uAssets/issues/6205 +! https://github.com/uBlockOrigin/uAssets/issues/20954 +||cibntv.net/youku/*$media,redirect=noopmp3-0.1s,domain=youku.com +||valipl.cp31.ott.cibntv.net^$media,redirect=noopmp3-0.1s,domain=youku.com +youku.com##+js(nano-stb, , ,0) +@@||valipl.cp31.ott.cibntv.net^$xhr,domain=youku.com +*$image,redirect-rule=1x1.gif,domain=youku.com + +! popunder celebjihad . com nsfw +celebjihad.com##+js(aopr, dataPopUnder) +||celebjihad.live^$3p +celebjihad.com##.theme_article.sidebar_increase:style(height:0px !important) + +! https://github.com/uBlockOrigin/uAssets/issues/4303 +! https://github.com/easylist/easylist/issues/6200 +! https://github.com/easylist/easylist/issues/6543 +! https://github.com/easylist/easylist/issues/6553 +allmomsex.com,allnewindianporn.com,analxxxvideo.com,animalextremesex.com,anime3d.xyz,animefuckmovies.com,animepornfilm.com,animesexbar.com,animesexclip.com,animexxxsex.com,animexxxfilms.com,anysex.club,apetube.asia,asianfuckmovies.com,asianfucktube.com,asianporn.sexy,asiansex.*,asiansexcilps.com,beeg.fund,beegvideoz.com,bestasiansex.pro,bravotube.asia,brutalanimalsfuck.com,candyteenporn.com,daddyfuckmovies.com,desifuckonline.com,exclusiveasianporn.com,exteenporn.com,fantasticporn.net,fantasticyoungporn.com,fineasiansex.com,firstasianpussy.com,freeindiansextube.com,freepornasians.com,freerealvideo.com,fuck-beeg.com,fuck-xnxx.com,fuckasian.pro,fuckfuq.com,fuckundies.com,gojapaneseporn.com,golderotica.com,goodyoungsex.com,goyoungporn.com,hardxxxmoms.com,hdvintagetube.com,hentaiporn.me,hentaisexfilms.com,hentaisexuality.com,hot-teens-movies.mobi,hotanimepornvideos.com,hotanimevideos.com,hotasianpussysex.com,hotjapaneseshows.com,hotmaturetube.com,hotmilfs.pro,hotorientalporn.com,hotpornyoung.com,hotxxxjapanese.com,hotxxxpussy.com,indiafree.net,indianpornvideo.online,japanfuck.*,japanporn.*,japanpornclip.com,japanesetube.video,japansex.me,japanesexxxporn.com,japansporno.com,japanxxx.asia,japanxxxworld.com,keezmovies.surf,lingeriefuckvideo.com,liveanimalporn.zooo.club,madhentaitube.com,megahentaitube.com,megajapanesesex.com,megajapantube.com,milfxxxpussy.com,momsextube.pro,momxxxass.com,monkeyanimalporn.com,moviexxx.mobi,newanimeporn.com,newjapanesexxx.com,nicematureporn.com,nudeplayboygirls.com,openxxxporn.com,originalindianporn.com,originalteentube.com,pig-fuck.com,plainasianporn.com,popularasianxxx.com,pornanimetube.com,pornasians.pro,pornhat.asia,pornjapanesesex.com,pornomovies.asia,pornvintage.tv,primeanimesex.com,realjapansex.com,realmomsex.com,redsexhub.com,retroporn.world,retrosexfilms.com,sex-free-movies.com,sexanimesex.com,sexanimetube.com,sexjapantube.com,sexmomvideos.com,sexteenxxxtube.com,sexxxanimal.com,sexyoungtube.com,sexyvintageporn.com,sopornmovies.com,spicyvintageporn.com,sunporno.club,tabooanime.club,teenextrem.com,teenfucksex.com,teenhost.net,teensex.*,teensexass.com,tnaflix.asia,totalfuckmovies.com,totalmaturefuck.com,txxx.asia,vintagetube.*,voyeurpornsex.com,warmteensex.com,wetasiancreampie.com,wildhentaitube.com,wowyoungsex.com,xhamster-art.com,xmovie.pro,xnudevideos.com,xnxxjapon.com,xpics.me,xvide.me,xxxanimefuck.com,xxxanimevideos.com,xxxanimemovies.com,xxxhentaimovies.com,xxxhothub.com,xxxjapaneseporntube.com,xxxlargeporn.com,xxxmomz.com,xxxmovies.*,xxxpornmilf.com,xxxpussyclips.com,xxxpussysextube.com,xxxretrofuck.com,xxxsex.pro,xxxsexyjapanese.com,xxxteenyporn.com,xxxvideo.asia,xxxvideos.ink,xxxyoungtv.com,youjizzz.club,youngpussyfuck.com##+js(aopr, popit) +allmomsex.com,allnewindianporn.com,analxxxvideo.com,animalextremesex.com,anime3d.xyz,animefuckmovies.com,animepornfilm.com,animesexbar.com,animesexclip.com,animexxxsex.com,animexxxfilms.com,anysex.club,apetube.asia,asianfuckmovies.com,asianfucktube.com,asianporn.sexy,asiansex.*,asiansexcilps.com,beeg.fund,beegvideoz.com,bestasiansex.pro,bravotube.asia,brutalanimalsfuck.com,candyteenporn.com,daddyfuckmovies.com,desifuckonline.com,exclusiveasianporn.com,exteenporn.com,fantasticporn.net,fantasticyoungporn.com,fineasiansex.com,firstasianpussy.com,freeindiansextube.com,freepornasians.com,freerealvideo.com,fuck-beeg.com,fuck-xnxx.com,fuckasian.pro,fuckfuq.com,fuckundies.com,gojapaneseporn.com,golderotica.com,goodyoungsex.com,goyoungporn.com,hardxxxmoms.com,hdvintagetube.com,hentaiporn.me,hentaisexfilms.com,hentaisexuality.com,hot-teens-movies.mobi,hotanimepornvideos.com,hotanimevideos.com,hotasianpussysex.com,hotjapaneseshows.com,hotmaturetube.com,hotmilfs.pro,hotorientalporn.com,hotpornyoung.com,hotxxxjapanese.com,hotxxxpussy.com,indiafree.net,indianpornvideo.online,japanfuck.*,japanporn.*,japanpornclip.com,japanesetube.video,japansex.me,japanesexxxporn.com,japansporno.com,japanxxx.asia,japanxxxworld.com,keezmovies.surf,lingeriefuckvideo.com,liveanimalporn.zooo.club,madhentaitube.com,megahentaitube.com,megajapanesesex.com,megajapantube.com,milfxxxpussy.com,momsextube.pro,momxxxass.com,monkeyanimalporn.com,moviexxx.mobi,newanimeporn.com,newjapanesexxx.com,nicematureporn.com,nudeplayboygirls.com,openxxxporn.com,originalindianporn.com,originalteentube.com,pig-fuck.com,plainasianporn.com,popularasianxxx.com,pornanimetube.com,pornasians.pro,pornhat.asia,pornjapanesesex.com,pornomovies.asia,pornvintage.tv,primeanimesex.com,realjapansex.com,realmomsex.com,redsexhub.com,retroporn.world,retrosexfilms.com,sex-free-movies.com,sexanimesex.com,sexanimetube.com,sexjapantube.com,sexmomvideos.com,sexteenxxxtube.com,sexxxanimal.com,sexyoungtube.com,sexyvintageporn.com,sopornmovies.com,spicyvintageporn.com,sunporno.club,tabooanime.club,teenextrem.com,teenfucksex.com,teenhost.net,teensex.*,teensexass.com,tnaflix.asia,totalfuckmovies.com,totalmaturefuck.com,txxx.asia,vintagetube.*,voyeurpornsex.com,warmteensex.com,wetasiancreampie.com,wildhentaitube.com,wowyoungsex.com,xhamster-art.com,xmovie.pro,xnudevideos.com,xnxxjapon.com,xpics.me,xvide.me,xxxanimefuck.com,xxxanimevideos.com,xxxanimemovies.com,xxxhentaimovies.com,xxxhothub.com,xxxjapaneseporntube.com,xxxlargeporn.com,xxxmomz.com,xxxmovies.*,xxxpornmilf.com,xxxpussyclips.com,xxxpussysextube.com,xxxretrofuck.com,xxxsex.pro,xxxsexyjapanese.com,xxxteenyporn.com,xxxvideo.asia,xxxvideos.ink,xxxyoungtv.com,youjizzz.club,youngpussyfuck.com##+js(aeld, popstate, noPop) +twister.porn##+js(aopr, open) +xpics.me##+js(nowoif) +fuckundies.com##+js(acs, puShown, /doOpen|popundr/) +hotxxxpussy.com,openxxxporn.com,xxxlargeporn.com,xxxpussyclips.com,xxxpussysextube.com##.imbar +##.ave-pl +##.bottom-hor-block +##.brs-block +finevids.xxx##.spot3-holder +hentaisexuality.com###popwindow +livejapaneseporn.com##body > div > div > aside[class] +pornjapanese.me##.bottom-spot-area +pornjapanese.me##[class$="spots-area"] +teencumpot.com###spot-holder +xnxxjapon.com###asg-inplayer-block:upward(4) +xxmovz.com##+js(aopr, decodeURI) +xxmovz.com##.ad +xxxvideos.ink###hidme +xxxvideos.ink##li.plate:has(iframe[width="300"]) +xxxvideos.ink##.curiosity +/quwet.js$script,1p +||all-usanomination.com^$3p +||willalland.info^ +! https://github.com/easylist/easylist/issues/8709 +##.advboxemb +freeporn.works##.show +freeporn.works##.past +||freeporn.works/seven.aspx? +||clivads.com^ +! https://github.com/easylist/easylist/issues/8710 +||sexxx.kim/literature.xhtml? +! https://github.com/easylist/easylist/issues/8718 +||granny.asia/partner.xhtml? +! https://github.com/easylist/easylist/issues/8729 +xvideo.party##.pride.dump +||xvideo.party/shop.aspx? + +! https://github.com/gorhill/uBO-Extra/issues/111 +mtlblog.com,narcity.com##+js(aopw, Ha) + +! https://github.com/uBlockOrigin/uAssets/issues/4311 +komikcast.*##+js(aeld, load, onload) +komikcast.*##+js(aopr, open) +@@||komikcast.*^$ghide +||blogspot.*/*.gif$image,domain=komikcast.* + +! https://github.com/uBlockOrigin/uAssets/issues/4316 +! https://github.com/uBlockOrigin/uAssets/issues/4457 +! https://github.com/uBlockOrigin/uAssets/issues/4456 +vidcloud.*##+js(acs, atob, decodeURIComponent) +vidcloud.*##+js(acs, Math, XMLHttpRequest) +@@||vidcloud.*^$ghide +streamingworld.*##+js(acs, atob, decodeURIComponent) +streamingworld.*##+js(aopr, AaDetector) +streamingworld.*##+js(aopw, Fingerprint2) +*$script,3p,denyallow=googleapis.com,domain=streamingworld.club +l23movies.*,123moviess.*,123movieshub.*##+js(acs, JSON.parse, atob) +0l23movies.*##+js(aopr, rid) +123moviess.*##+js(aost, document.createElement, inlineScript) +||d1b0fk9ns6n0w9.cloudfront.net^ +||mousheen.net^ +123moviesfree.*##+js(nowoif) +123moviesd.com,123moviesjr.cc,123moviess.se##+js(aopr, mm) + +! yesmovies .vc/. ws/. org/ .mn +yesmovies.*##+js(nowoif) +yesmovies.*##+js(aopr, AaDetector) +yesmovies.*##+js(nowebrtc) +/sw-vodlocker.to.js$script +yesmovies.*##a.btn-successful + +! https://github.com/uBlockOrigin/uAssets/issues/2031 +solarmovie.*##+js(aopr, AaDetector) +solarmovie.*##+js(nowoif) +solarmovie.*##.close +solarmovie.*##[href*="/4k"] +solarmovie.*##table.movie_version:has-text(Promo) +solarmovie.*##div.row:has-text(in HD) +solarmovie.*##.jw-reset.jw-logo-top-left.jw-logo +||solarmovie.vip/js/dab.min.js + +! https://github.com/uBlockOrigin/uAssets/issues/4326 +! https://github.com/NanoAdblocker/NanoFilters/issues/503 +mega4up.*,zeefiles.*##+js(ra, onclick, [onclick^="window.open"]) +zeefiles.*##+js(nano-stb, tick) +zeefiles.*##+js(nowoif) +mycoolmoviez.*##[href="javascript:void(0);"] +mycoolmoviez.*##+js(nowebrtc) +||mycoolmoviez.*/sw.js +! https://github.com/uBlockOrigin/uAssets/issues/8607 +mega4up.*##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/a6r2qx/ublock_filters_for_putlocker9ru/ +! https://github.com/uBlockOrigin/uAssets/issues/6090 +putlocker9.*##+js(aopw, Fingerprint2) +putlocker9.*##.pframe:has([href^="javascript: void(0);"]) + +! https://github.com/jspenguin2017/uBlockProtector/issues/1011 +k511.me##+js(acs, document.getElementById, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/4333 +thepiratebay.*,thepiratebay10.org##+js(aopw, spot) +thepiratebay.*##+js(aopr, popjs.init) + +! https://github.com/NanoMeow/QuickReports/issues/463 +audycje.tokfm.pl##+js(set, adsOk, true) +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=audycje.tokfm.pl + +! https://github.com/uBlockOrigin/uAssets/issues/4335 +news-leader.com##+js(aopr, _sp_._networkListenerData) + +! https://github.com/NanoAdblocker/NanoFilters/issues/228 +ihub.live,naturalbd.com##+js(aopr, encodeURIComponent) +||ihub.live/sw.js$script,1p +||naturalbd.com/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/1916 +bdiptv.*##+js(aopr, AaDetector) +bdiptv.*##+js(nowoif) +@@||bdiptv.*^$ghide +bdlive.*###AdDiv + +! https://github.com/uBlockOrigin/uAssets/commit/8e1f6da09188c35695f3b21eaeda055e1c15248e#commitcomment-31744488 +milfzr.com##+js(nowoif) +milfzr.com##+js(acs, String.prototype.charCodeAt, tabunder) +milfzr.com##.wpfp_custom_ad_content +milfzr.com###post-0 +||milfzr.com/*.gif$image + +! https://forums.lanik.us/viewtopic.php?f=62&t=42364 +wemakesites.net##+js(acs, $, adBlockChecker) + +! https://github.com/uBlockOrigin/uAssets/issues/8269 +! https://www.reddit.com/r/uBlockOrigin/comments/9lom6n/help_blocking_ads_on_hulu/ +! https://www.reddit.com/r/uBlockOrigin/comments/eexi26/ +hulu.com##+js(set, Object.prototype._parseVAST, noopFunc) +hulu.com##+js(set, Object.prototype.createAdBlocker, noopFunc) +hulu.com##+js(set, Object.prototype.isAdPeriod, falseFunc) +||assetshuluimcom-a.akamaihd.net/*.mp3$media,redirect=noopmp3-0.1s,domain=hulu.com +@@||hulu.com^$ghide +hulu.com###banner-ad-container +hulu.com##.ad-choices +! https://github.com/uBlockOrigin/uAssets/issues/17382 +! https://www.reddit.com/r/uBlockOrigin/comments/14b5lbw/ +! https://www.reddit.com/r/uBlockOrigin/comments/158nvca/not_blocking_hulu_ads/jti29qk/ +! https://www.reddit.com/r/uBlockOrigin/comments/16hr6pk/hulu_subtitles_getting_delayed_again/ +hulu.com##+js(json-prune-fetch-response, breaks pause_ads video_metadata.end_credits_time, pause_ads, propsToMatch, /playlist) +hulu.com##+js(json-prune-fetch-response, breaks pause_ads video_metadata.end_credits_time, breaks, propsToMatch, /playlist) +hulu.com##+js(json-prune, breaks pause_ads video_metadata.end_credits_time, pause_ads) +hulu.com##+js(json-prune, breaks pause_ads video_metadata.end_credits_time, breaks) +hulu.com##+js(xml-prune, xpath(//*[name()="MPD"]/@mediaPresentationDuration | //*[name()="Period"][.//*[name()="BaseURL" and contains(text()\,'/ads-')]] | //*[name()="Period"]/@start), Period[id^="Ad"i], .mpd) + +! https://github.com/NanoAdblocker/NanoCore/issues/235 +myjest.com##+js(nosiif, _$, 12345) + +! https://github.com/uBlockOrigin/uAssets/issues/4268#issuecomment-449131154 +*$frame,domain=9ig.de,3p + +! https://github.com/uBlockOrigin/uAssets/issues/4268#issuecomment-449134469 +rgl.vn##+js(set, blurred, false) +s.sseluxx.com##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/4377 +! https://github.com/NanoMeow/QuickReports/issues/2059 +unlockapk.com##+js(aeld, load, onload) +@@||unlockapk.com^$ghide +@@||unlockapk.com^$script,1p +||googlesyndication.com/simgad/*$image,domain=unlockapk.com,redirect=1x1.gif +@@||googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=unlockapk.com +unlockapk.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-449780120 +reqlinks.net##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/4396 +mangovideo.*,pandamovies.pw##+js(acs, document.createElement, 'script') +pandamovies.pw##+js(acs, puShown, /doOpen|popundr/) +pandamovies.pw##+js(aopr, ExoLoader.serve) +pandamovies.pw##+js(nowoif) +mangovideo.*##+js(set, flashvars.popunder_url, '') +mangovideo.*##.sponsor +mangovideo.*##.top +mangovideo.*##.table +mangovideo.*##[target="_blank"] +@@||pandamovies.pw^$ghide +pandamovies.pw##.btn-lg.btn-block.btn +||mangovideo.*/sw.js$script,1p +||mangovideo.*/player/html.php?aid +*$script,3p,domain=mangovideo.* +||freepopnews.skin/advert + +! https://github.com/uBlockOrigin/uAssets/issues/4397 +||pradjadj.com^$csp=child-src *.google.com *.gstatic.com *.arc.io +pradjadj.com##[href="/advertise"] +pradjadj.com##.ABD_display +||pradjadj.com/*banner$image + +! https://github.com/uBlockOrigin/uAssets/issues/4402 +siriusfiles.com##+js(nano-stb) +||siriusfiles.com/adframe.js$frame,redirect=noop.html + +! https://github.com/uBlockOrigin/uAssets/issues/4401 +@@||dvdporngay.com^$ghide +||dvdporngay.com/wp-content/themes/*/images/loading.gif$image +dvdporngay.com##+js(aopr, decodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-449787995 +alimaniacky.cz##+js(acs, $, urlForPopup) + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-449866993 +dozarte.com##+js(acs, document.getElementById, undefined) +dozarte.com##+js(ra, onclick) +dozarte.com###banana + +! https://github.com/uBlockOrigin/uAssets/issues/4415 +shush.se##+js(set, check, true) +||shush.se/loader/load.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/4399 +! https://www.reddit.com/r/uBlockOrigin/comments/u72fym/dailymotion_adblock_detected/ +||s3.amazonaws.com/dmas-public/rubicon/bundle.js$script,domain=dailymotion.com +@@||dailymotion.com^$ghide + +! cinemalibero .best popups/ ads +cinemalibero.*##+js(nowoif) +cinemalibero.*##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/4435 +allkpop.com##+js(set, isal, true) + +! https://github.com/uBlockOrigin/uAssets/issues/4449 +gearingcommander.com##+js(nostif, /innerHTML|AdBlock/) +gearingcommander.com##+js(no-xhr-if, ads) + +! https://github.com/NanoMeow/QuickReports/issues/508 +generate.plus##+js(nostif, checkStopBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/4455 +za.gl##+js(acs, document.addEventListener, click) +za.gl##+js(acs, document.getElementById, overlay) +za.gl##+js(acs, setInterval, location) +za.gl##+js(aopr, popad) +za.gl##+js(nowoif, !za.gl, 0) +za.gl##+js(set, document.hidden, true) +za.gl###ww +*$script,3p,denyallow=cloudflare.com|google.com|googleapis.com|gstatic.com,domain=za.gl + +! https://github.com/uBlockOrigin/uAssets/issues/4469 +||earn-bitcoins.*/banner_ +||bmovies.*/bassets/js/jquery.watch.js$script,1p +bmovies.*###upgrade_pop +||bmovies.*/sw.js$script,1p +||doo6pwib3qngu.cloudfront.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/4472 +watchfree.*###vpnvpn +||filesenzu.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/512 +rockit.it##.articolo-body-text-banner +@@||rockitecn.nohup.it/webnew/js/adv$script,domain=rockit.it + +! https://github.com/uBlockOrigin/uAssets/issues/4478 +watchtvseries.*##+js(nowebrtc) +||watchtvseries.*/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4481 +gazetedamga.com.tr##+js(aopw, importFAB) + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-450665976 +bitlk.com##+js(aopr, open) +bitlk.com##+js(set, blurred, false) + +! anti-adb wakanim.tv +@@||wakanim.tv^$script,xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4488 +pickcrackpasswords.blogspot.com##+js(set, awm, true) + +! https://github.com/uBlockOrigin/uAssets/issues/4491 +*$script,redirect-rule=noopjs,domain=debilizator.tv +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=debilizator.tv + +! https://forums.lanik.us/viewtopic.php?p=144605#p144605 +! https://github.com/uBlockOrigin/uAssets/issues/4541#issuecomment-478325073 +||cdn.provesrc.com/provesrc.js + +! https://github.com/uBlockOrigin/uAssets/issues/4512 +dramacool.*##h2.widget-title:has-text(Advertisement) +dramacool.*##[class$="_ads"] +*$script,3p,denyallow=cloudflare.com|facebook.net|fbcdn.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|recaptcha.net,domain=dramacool9.* + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-450945393 +! http://fwd.ovh/J4NMS => http://qlinks.eu/J4NMS +qlinks.eu##+js(set, blurred, false) +||d.wedosas.net/i/$domain=qlinks.eu + +! https://github.com/uBlockOrigin/uAssets/issues/10486 +simsdom.com##+js(nowoif) +simsdom.com##._ad +simsdom.com###ad860 +simsdom.com###adv840 +simsdom.com##._pubR +simsdom.com##._pubL +simsdom.com##div[id^="elm"][style="opacity: 1; display: block;"] +simsdom.com##+js(nano-sib, clearInterval, *) + +! https://github.com/NanoMeow/QuickReports/issues/520 +@@||c.amazon-adsystem.com/aax2/apstag.js$script,domain=mylifetime.com +@@||mylifetime.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/4533 +gomovies.*,gomoviesc.*##+js(nowoif) +gostream.*,gomovies.*##+js(set, check_adblock, true) +gomovies.*##+js(aopr, mm) +||gomovies.*/sw.js$script,1p + +! https://forums.lanik.us/viewtopic.php?f=62&t=40809 +getfreesmsnumber.com##+js(acs, document.getElementById, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-451280061 +link.3dmili.com##+js(set, blurred, false) + +! https://github.com/NanoMeow/QuickReports/issues/519 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=zattoo.com + +! https://github.com/NanoMeow/QuickReports/issues/529 +kfrfansub.com##+js(set, adblockEnabled, false) + +! https://github.com/NanoMeow/QuickReports/issues/535 +! https://github.com/NanoMeow/QuickReports/issues/4754 +movisubmalay.*##+js(aopr, glxopen) +movisubmalay.*##+js(aopr, exoJsPop101) + +! bayimg.com popups +bayimg.com##+js(aeld, /^(?:click|mousedown)$/, ppu) + +! https://github.com/uBlockOrigin/uAssets/issues/4543 +avcesar.com##+js(nostif, adspot_top, 1500) + +! https://github.com/NanoMeow/QuickReports/issues/538 +proxydocker.com##+js(nostif, (), 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/4547 +illicoporno.com##+js(set, is_adblocked, false) +*$popunder,domain=illicoporno.com + +! https://github.com/uBlockOrigin/uAssets/issues/4549 +mobdi3ips.com##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-451670210 +short-fly.com##+js(set, blurred, false) +||ecotrackings.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/4552 +@@||audiotag.info^$script,1p +*$image,domain=audiotag.info,redirect-rule=1x1.gif +audiotag.info##+js(nostif, /offsetHeight|google|Global/) + +! https://github.com/uBlockOrigin/uAssets/issues/4557 +legionpeliculas.org##+js(aopw, smrtSB) +legionpeliculas.org##+js(aopw, smrtSP) + +! https://github.com/uBlockOrigin/uAssets/issues/4378#issuecomment-451783706 +latribunadelpaisvasco.com##+js(noeval) + +! https://github.com/uBlockOrigin/uAssets/issues/4080 +hanime.tv##+js(set, ABLK, false) +@@||hanime.tv^$ghide +hanime.tv##a[href^="https://a.adtng.com/"] +hanime.tv##div:has(> a[href^="https://track.aftrk1.com/"]) +||members.hanime.tv/*/preroll_ad_event$xhr +@@||adtng.com/get/$frame,domain=hanime.tv,badfilter +! https://www.reddit.com/r/uBlockOrigin/comments/mgu1v7/banner_ads_on_hanimetv_videos_on_firefox_mobile/ +hanime.tv##.htvad[style^="width: 300px; display: block"] +hanime.tv##.htvnad1 +hanime.tv##.htvnad + +! https://www.reddit.com/r/uBlockOrigin/comments/adwlvz/is_there_a_way_to_skip_countdown_timer_on_this/ +dokumen.tips##+js(nano-stb, , , 0.02) + +! https://github.com/uBlockOrigin/uAssets/issues/4580 +tudigitale.it##+js(nostif, an_message, 500) + +! https://github.com/uBlockOrigin/uAssets/issues/4613 +ibcomputing.com##+js(nostif, Adblocker, 10000) + +! https://github.com/uBlockOrigin/uAssets/issues/4616 +footballstream.tv,mlbstream.tv,nbastream.tv,nflstream.tv##+js(acs, decodeURI, decodeURIComponent) +mlbstream.tv,nbastream.tv,nflstream.tv,nhlstream.tv##[href*="allsports4free.online/"] +mlbstream.tv,nbastream.tv,nhlstream.tv##[href^="https://pl.allsports4free.club/"] +||sports-streams-online.club^$3p +||givememmastreams.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/4617 +celeb.gate.cc##+js(aeld, click, native code) +celeb.gate.cc##[href^="https://goo.gl/"] +||strpjmp.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/4619 +bolly4u.*##+js(aopr, open) +bolly4u.*##+js(aopr, XMLHttpRequest) +bolly4u.*##.code-block + +||d1pozdfelzfhyt.cloudfront.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/4623 +@@||f4links.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/4625 +androidweblog.com##.stream-item +androidweblog.com##[class^="andro-random-paragraph"] + +! https://www.reddit.com/r/uBlockOrigin/comments/aezw21/pogo/ +pogo.com##+js(set, pogo.intermission.staticAdIntermissionPeriod, 0) +@@||cdn.pogo.com/*/blockadblock$script,1p +@@||cdn.pogo.com/*/imasdk/application.js$script,1p +@@||cdn.pogo.com/*/imasdk/imasdk-pogo-1.0.js$script,1p +@@||cdn.pogo.com/*/imasdk/video_player.js$script,1p +@@||cdn.pogo.com/*prebid.js$script,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=pogo.com +@@||pogo.com^$ghide +pogo.com##.hideableAd +pogo.com###leaderboard-ad +pogo.com##[class*="gameSkyscraperAd"] +pogo.com##[class*="gameTopAd"] + +! https://github.com/uBlockOrigin/uAssets/pull/4626 +@@||torrent9.*^$ghide +torrent9.*##+js(aeld, , _0x) +torrent9.*###vpnvpn + +! https://github.com/uBlockOrigin/uAssets/issues/4632 +||retdaz.fun^$all + +! https://github.com/uBlockOrigin/uAssets/issues/4636 +! https://github.com/uBlockOrigin/uAssets/issues/13168 +||cloudvideo.tv/sw.js$script,1p +cloudvideo.tv##+js(set, SubmitDownload1, noopFunc) +cloudvideotv.*,cloudvideo.tv##+js(nowoif) +cloudvideotv.*##+js(aopr, localStorage) +cloudvideo.tv##+js(aopr, mm) + +! https://github.com/uBlockOrigin/uAssets/issues/4646 +bdsmporn.cc,cocoporn.net,dirtyporn.cc,faperplace.com,freeadultvideos.cc,freepornstream.cc,generalpornmovies.com,kinkyporn.cc,moviesxxx.cc,movstube.net,onlinefetishporn.cc,peetube.cc,pornonline.cc,porntube18.cc,streamextreme.cc,streamporn.cc,videoxxx.cc,watchporn.cc,x24.video,xxxonline.cc,xxxonlinefree.com,xxxopenload.com##+js(acs, decodeURI, decodeURIComponent) +bdsmporn.cc,cocoporn.net,dirtyporn.cc,faperplace.com,freeadultvideos.cc,freepornstream.cc,generalpornmovies.com,kinkyporn.cc,moviesxxx.cc,movstube.net,onlinefetishporn.cc,peetube.cc,pornonline.cc,porntube18.cc,streamextreme.cc,streamporn.cc,videoxxx.cc,watchporn.cc,x24.video,xxx24.vip,xxxonline.cc,xxxonlinefree.com,xxxopenload.com##+js(aopr, exoJsPop101) + +! https://www.reddit.com/r/uBlockOrigin/comments/agpu7r/ +startseite.to##+js(nowebrtc) +@@||startseite.to^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/4665 +@@||getfreebit.xyz^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/4666 +fautsy.com##+js(nano-sib, seconds) +@@||fautsy.com^$ghide +||fautsy.com/adblock.php$xhr,redirect=nooptext,1p +fautsy.com##.coinzilla +fautsy.com##ins[class][style^="display:inline-block;width:"] + +! https://github.com/NanoMeow/QuickReports/issues/523 +legia.net##+js(nostif, timeoutChecker) + +! https://github.com/uBlockOrigin/uAssets/issues/4677 +legionprogramas.org##+js(aopw, smrtSB) +legionprogramas.org##+js(aopw, smrtSP) +legionjuegos.org,legionpeliculas.org,legionprogramas.org##+js(nano-sib, , ,0.02) +legionjuegos.org,legionpeliculas.org,legionprogramas.org##+js(set, t, 0) +||ouo.*^$popup,domain=legionjuegos.org|legionpeliculas.org|legionprogramas.org + +! https://github.com/uBlockOrigin/uAssets/issues/4681 +! https://github.com/uBlockOrigin/uAssets/issues/20330 +||adxxx.com^$3p +wiztube.xyz##+js(aopr, BetterJsPop) +wiztube.xyz##+js(acs, Math.floor, vpn) +wiztube.xyz##+js(set, adblockcheck, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/aho1fs/help_with_ads_and_overlays_on_a_website/ +! https://github.com/uBlockOrigin/uAssets/issues/15466 +! https://github.com/AdguardTeam/AdguardFilters/issues/192564 +kinoger.to##+js(nowebrtc) +kinoger.*##+js(nowoif) +kinoger.re##+js(aeld, click, _blank) +*$script,3p,redirect-rule=noopjs,domain=kinoger.pw +*$other,3p,denyallow=veevcdn.co,domain=kinoger.pw +kinoger.ru##+js(aopr, my_pop) +kinoger.to##a[href^="//fbmedia-ckl.com/get"] +||notifyvideo.info/p/creative-video/*$media,3p,redirect=noopmp4-1s +||ronnoble.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/4683 +xxxbunker.com##+js(nowoif) +||static.xxxbunker.com/preroll/*$media,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4684 +clasicotas.org##+js(aopr, nombre_dominio) +clasicotas.org##+js(nowoif) +||clasicotas.org/themes/*/js/links.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/588 +! https://github.com/AdguardTeam/AdguardFilters/issues/52587 +moretvtime.*##+js(acs, adBlockDetected) +moretvtime.*##.sc-banner + +! https://www.reddit.com/r/uBlockOrigin/comments/ai01d9/first_state_update_ad_blocker_blocker/ +||pandanetwork.club^$3p,script +/?r=dir&zoneid=$all + +! https://www.reddit.com/r/uBlockOrigin/comments/aidnkv/invisible_full_page_ad_breaks_the_search_bar/ +watchjavonline.com##+js(acs, atob, decodeURIComponent) +||artofxxx.net^$image,domain=watchjavonline.com + +! https://forums.lanik.us/viewtopic.php?f=103&t=42491 +tvguia.es##+js(acs, $, .height) + +! https://github.com/uBlockOrigin/uAssets/issues/4697 +foxseotools.com##+js(nowoif, !?safelink_redirect=) +foxseotools.com##+js(set, blurred, false) +foxseotools.com##form#go-popup:remove() +@@||foxseotools.com^$ghide +foxseotools.com##.iframe-overlay +*$frame,denyallow=facebook.com|google.com|youtube.com,domain=foxseotools.com +*$script,3p,denyallow=akamaiedge.net|cloudflare.com|facebook.net|fbcdn.net|google.com|googleapis.com|gstatic.com|pinterest.com|recaptcha.net,domain=foxseotools.com + +! https://github.com/uBlockOrigin/uAssets/issues/4698 / movierulz group +123movierulz.*,7movierulz1.*,7moviesrulz.*,5movierulz2.*,movieruls.*,movierulz.*,movierulzfree.*,movierulz2free.*,movierulzs.*,movierulzwatch.*,movierulzz.*,moviesrulz.*,moviesrulzfree.*,watchmoviesrulz.com##+js(nowoif) +movierulzlink.*,newmovierulz.*##+js(aopr, String.fromCharCode) +4movierulz.*,4movierulz1.*,7movierulzfree.*,movieruls.*,movierulz4k.*,movierulzfree.*,movierulz2free.*,movierulzwatch.*,movierulzs.*##.ad_btn-white +123movierulz.*,4movierulz.*,4movierulz1.*,7movierulzfree.*,7moviesrulz.*,movieruls.*,movierulz4k.*,movierulzfree.*,movierulz2free.*,movierulzs.*,movierulzwatch.*,movierulzz.*,moviesrulz.*,moviesrulzfree.*,watchmovierulz.*,watchmoviesrulz.com##.ad_watch_now +7moviesrulz.com,movierulzfree.*,movierulzs.*##.hd-buttons +123movierulz.*,4movierulz.*,4movierulz1.*,5movierulz2.*,7moviesrulz.*,movieruls.*,movierulz4k.*,moviesrulz.*,moviesrulzfree.*,movierulz2free.*##.btn1 +7movierulzfree.*##.display\:none\;\"hd-buttons\" +||hellrider.live^$3p +! https://github.com/uBlockOrigin/uAssets/issues/24147 +6hiidude.gold##+js(acs, document.documentElement, break;case $.) +6hiidude.gold##+js(href-sanitizer, a[href^="https://cdns.6hiidude.gold/file.php?link=http"], ?link) +6hiidude.gold##p > a[href*="/4/"][target="_blank"] + +! https://github.com/uBlockOrigin/uAssets/issues/4700 +||9xmovies.*/sw.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/aj27ua/redirect_on_couchtuner/ +! https://github.com/uBlockOrigin/uAssets/issues/16528 +couchtuner.*##+js(acs, RegExp, 0x) +||couchtuner.*/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10701 +dutchycorp.*##+js(acs, eval, replace) +dutchycorp.*##center > .hide-on-med-and-down +dutchycorp.*##[class^="bmadblock"] +dutchycorp.*##div[class][style="width:468px;height:60px;display: inline-block;margin: 0 auto"] +dutchycorp.*##+js(nano-sib, time.html, 1000) +dutchycorp.*##+js(set, blurred, false) +@@||dutchycorp.*^$ghide +dutchycorp.*##ins.adsbygoogle +dutchycorp.*##[class$="-page"] .box-main center center +dutchycorp.*##[class$="-page"] > .hide-on-small-only +dutchycorp.*##[class$="-page"] > .container > .row > .col-md-offset-1 .text-left > *:not(.box-main) +dutchycorp.*##[class$="-page"] center > p +dutchycorp.*##.box-main > .row > center +dutchycorp.*##.box-main > center > div +dutchycorp.*##.nav-ad +dutchycorp.*##.row [style*="width:728px;height:90px"] +dutchycorp.*##.sidenav_left +dutchycorp.*##.sidenav_right +dutchycorp.*##[id*="ScriptRoot"] +dutchycorp.*##[style*="width:300px;height:250px"] +dutchycorp.*###link-view [style^="width:468px"] +dutchycorp.*###boxes +dutchycorp.*###link-view > center > br +*$frame,denyallow=cloudflare.com|facebook.com|google.com|hcaptcha.com|youtube.com|jungleofferwall.com,domain=dutchycorp.* +! https://github.com/uBlockOrigin/uAssets/issues/17166#issuecomment-1477414313 +*$script,redirect-rule=noopjs,from=dutchycorp.*,to=~sentry-cdn.com +autofaucet.dutchycorp.space##.show-on-medium +@@||googletagmanager.com/gtag/js$script,domain=autofaucet.dutchycorp.* +@@||cdnjs.cloudflare.com^$script,domain=autofaucet.dutchycorp.* +@@||imasdk.googleapis.com^$script,domain=autofaucet.dutchycorp.* +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8262172 +dutchycorp.*##+js(rmnt, script, /adblock.php) + +! https://forums.lanik.us/viewtopic.php?p=145148#p145148 +sexgalaxy.net##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/4732 +||watchserieshd.watch/ajax/banner/$xhr,1p + +! https://github.com/NanoMeow/QuickReports/issues/616 +mtsproducoes.*##+js(aopw, block_detected) + +! https://github.com/uBlockOrigin/uAssets/issues/4742 +zooqle.*##+js(aeld, /^(?:mousedown|mouseup)$/, 0x) + +! https://forums.lanik.us/viewtopic.php?f=62&t=42524#p145173 +16honeys.com##+js(set, ckaduMobilePop, noopFunc) + +! https://github.com/NanoMeow/QuickReports/issues/619 +socks24.org##+js(aeld, load, onload) +socks24.org##[href^="http://www.linkev.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/28893 +tugaflix.*##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/4750 +mongri.net##+js(aopw, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/28936 +@@||nonsensediamond.*^$ghide +nonsensediamond.*##+js(aopr, decodeURI) + +! https://github.com/NanoMeow/QuickReports/issues/623 +planetf1.com##+js(aopr, CatapultTools) + +! https://github.com/jspenguin2017/uBlockProtector/issues/1034 +easy-coin.*##+js(acs, Math.random, banner) + +! https://github.com/uBlockOrigin/uAssets/issues/4760 +@@||eestatic.com/*/adsbygoogle.js$script,domain=elespanol.com +elespanol.com##+js(set, tieneAdblock, 0) + +! https://github.com/NanoAdblocker/NanoFilters/issues/263 +! https://github.com/NanoMeow/QuickReports/issues/1642 +masterplayer.xyz##+js(aeld, click, popundr) +onifile.com,topflix.*##+js(nano-sib) +topflix.*##+js(nowoif) +@@||topflix.*^$ghide +topflix.*##+js(aopr, console.clear) + +! https://forums.lanik.us/viewtopic.php?p=145288#p145288 +||ads.exoclick.com^$script,redirect=noopjs,domain=uflash.tv +@@||uflash.tv^$ghide +uflash.tv#@#.ad +@@||exosrv.com/popunder1000.js$script,domain=uflash.tv +uflash.tv##+js(aopw, ads_priv) +uflash.tv##.advertisement +uflash.tv##[id^="ad-float"] +! https://github.com/uBlockOrigin/uAssets/issues/24103 +uflash.tv##+js(nowoif, adblock, 1, obj) +uflash.tv##+js(no-fetch-if, ujsmediatags method:HEAD) + +! https://github.com/uBlockOrigin/uAssets/issues/4776 +! https://github.com/uBlockOrigin/uAssets/issues/24241 +jizzbunker.com##+js(rpnt, script, /\$.*embed.*.appendTo.*;/, , condition, appendTo) +jizzbunker.com,xxxdan.com##+js(aopw, spot) +jizzbunker.com##+js(aopr, XMLHttpRequest) +jizzbunker.com##+js(aopr, Notification) +jizzbunker.com##.banner-popup +jizzbunker.com##.panel-rklcontent-wide +jizzbunker.com##.panel-body + +! https://github.com/uBlockOrigin/uAssets/issues/4774 +porndex.com##+js(aeld, click) + +! https://www.reddit.com/r/uBlockOrigin/comments/am512n/antiadblocker_on_remodelistacom/ +remodelista.com##+js(set, adsAreBlocked, false) +remodelista.com##[data-advert] + +! https://github.com/uBlockOrigin/uAssets/issues/4792 +club-flank.com##+js(aopr, ExoLoader.serve) + +! https://github.com/uBlockOrigin/uAssets/issues/4794 +idedroidsafelink.*,links-url.*##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/4798 +hackstore.*##.onp-sl-content:style(display: block !important;) +hackstore.*##.onp-sl-social-locker +! https://github.com/uBlockOrigin/uAssets/issues/4798#issuecomment-464387517 +! https://github.com/uBlockOrigin/uAssets/issues/6112 +hackstore.me##+js(acs, spr) +##[href^="//look.utndln.com/offer"] +! https://github.com/uBlockOrigin/uAssets/issues/7964 +@@*$ghide,domain=drivelinks.me|hackshort.me|pelislinks.me +*$popunder,domain=drivelinks.me|hackshort.me|pelislinks.me +drivelinks.me,hackshort.me,pelislinks.me##+js(acs, document.oncontextmenu) +drivelinks.me,hackshort.me,pelislinks.me##+js(acs, document.onmousedown) +@@*$ghide,domain=freeserverhostingweb.club|me-encantas.com|tanfacil.net|tecnoaldia.net +freeserverhostingweb.club,me-encantas.com,mexicogob.com,noticiascripto.site,tanfacil.net,tecnoaldia.net,todoandroid.live##+js(acs, document.oncontextmenu) +freeserverhostingweb.club,me-encantas.com,mexicogob.com,noticiascripto.site,tanfacil.net,tecnoaldia.net,todoandroid.live##+js(acs, document.onkeydown) +freeserverhostingweb.club,me-encantas.com,mexicogob.com,noticiascripto.site,tanfacil.net,tecnoaldia.net,todoandroid.live##+js(acs, document.onmousedown) +! https://github.com/uBlockOrigin/uAssets/issues/11378 +||ads-twitter.com/uwt.js$xhr,3p,redirect=noop.txt +noticiascripto.site##.pb + +! https://github.com/uBlockOrigin/uAssets/issues/4799 +compucalitv.com##.onp-sl-content:style(display: block !important;) +compucalitv.com##.onp-sl-social-locker +compucalitv.com##+js(aeld, DOMContentLoaded, compupaste) +compucalitv.com##+js(aopr, redirectURL) +compucalitv.com##.botondescarga +*$script,3p,denyallow=chatango.com,domain=compucalitv.com + +! https://github.com/uBlockOrigin/uAssets/issues/4807 +||gigaleecher.com/templates/plugmod/giga.js$script,1p + +! https://github.com/jspenguin2017/uBlockProtector/issues/1035 +teknorizen.*##+js(set, safelink.adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/4818 +hdfriday.*##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/4834 +||pub-3d10bad2840341eaa1c7e39b09958b46.r2.dev^$3p +extramovies.*##.textwidget > a[target="_blank"] > img +extramovies.*##.stickyzone +extramovies.*##.gridshow-header-img +extramovies.*##a.ad_butn1 +hubcloud.*##.ads-btns +hubcloud.*##.img-fluid +||r2.dev^$image,domain=hubcloud.* + +! https://github.com/uBlockOrigin/uAssets/issues/4835 +@@||googletagmanager.com/gtm.js$script,domain=ciudad.com.ar + +! https://github.com/uBlockOrigin/uAssets/issues/4836 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=gameswf.com + +! https://github.com/uBlockOrigin/uAssets/issues/4837 +mangasail.*##+js(set, adblock, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/4842 +daizurin.com##+js(nostif, nextFunction, 250) + +! https://github.com/uBlockOrigin/uAssets/issues/4854 +animekb.*##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/4861 +@@||webtvhd.com^$ghide +@@||webserver.one^$ghide +webtvhd.com##[id*="ScriptRoot"] +webtvhd.com##ins.adsbygoogle +webserver.one##ins.adsbygoogle +webserver.one##div[id^="imCell_"][class=""]:has-text(/Advertisement/i) +webserver.one##[id*="ScriptRoot"] + +! https://github.com/uBlockOrigin/uAssets/issues/4863#issuecomment-462169290 +! https://github.com/AdguardTeam/AdguardFilters/issues/49897 +coolmathgames.com##+js(nano-sib) +coolmathgames.com##+js(set, cmgpbjs, false) +coolmathgames.com##+js(set, displayAdblockOverlay, false) +coolmathgames.com##+js(set, google, false) +coolmathgames.com###block-adstop-otherpage-728x90 +coolmathgames.com##[class*="-ads"] + +! https://github.com/NanoMeow/QuickReports/issues/661 +||poweredbyliquidfire.mobi^ + +! news-und-nachrichten.de anti adb +news-und-nachrichten.de##+js(set, adblock, false) +news-und-nachrichten.de##.adverts_billboard +news-und-nachrichten.de##.adverts_top + +! https://github.com/uBlockOrigin/uAssets/issues/4875 +acapellas4u.co.uk##+js(nostif, bait, 1) + +! https://github.com/NanoMeow/QuickReports/issues/663 +austin.culturemap.com##+js(aopr, CatapultTools) + +! https://github.com/uBlockOrigin/uAssets/issues/4892 +! https://github.com/uBlockOrigin/uAssets/issues/5144 +t-online.de##^script:has-text(}(window);) +t-online.de##^script:has-text(,window\);) +t-online.de##^script:has-text(toscr\') +email.t-online.de#@#^script:has-text((window);) +email.t-online.de#@#^script:has-text(,window\);) +@@||t-online.de^$ghide +t-online.de##[href^="http://pubads.g.doubleclick.net"] +! https://www.reddit.com/r/uBlockOrigin/comments/m1zwji/ +pcgames.de,t-online.de#@#+js(set, CustomEvent, noopFunc) +! https://github.com/uBlockOrigin/uAssets/issues/8892 +t-online.de##[href^="https://ad1.adfarm1.adition.com"] +t-online.de###Tasfeed1 +t-online.de###T-Shopping + +! https://github.com/uBlockOrigin/uAssets/issues/4894 +! https://github.com/uBlockOrigin/uAssets/issues/5273 +kstreaming.*##+js(aopw, Fingerprint2) +kstreaming.*##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/10420 +atomohd.*##+js(nowoif, !atomtt) +atomohd.*##+js(acs, setTimeout, admc) +pctfenix.*,pctnew.*##+js(acs, I833) +pctfenix.*,pctnew.*##+js(aopr, AaDetector) +pctfenix.*,pctnew.*##+js(aopr, TID) +atomixhq.*,pctfenix.*,pctnew.*##+js(aopw, adcashMacros) +atomixhq.*,pctfenix.*,pctnew.*##+js(nowoif, !/download\/|link/) +atomixhq.*,pctfenix.*,pctnew.*##.ads +*$script,3p,denyallow=cloudflare.net|fontawesome.com|googleapis.com|hwcdn.net|jquery.com,domain=atomixhq.*|pctfenix.* +atomtt.com##+js(acs, setTimeout, admc) +@@||acorta-enlace.com^$ghide +||pctnew.*/sw.js$script +atomohd.*##.ads +||atomohd.*/*/banners$image +*/script/pattern.js|$script + +! https://github.com/uBlockOrigin/uAssets/issues/4903 +audiofanzine.com##+js(set, Math.pow, noopFunc) + +! https://github.com/NanoMeow/QuickReports/issues/677 +hubzter.com##+js(aopr, adsanity_ad_block_vars) + +! sport stuff +/adu.php$frame,3p +allfeeds.*,daddylive.*,sporting77.*,teleriumtv.*##+js(nowoif) +allfeeds.*,teleriumtv.*###overlay + +! lewdzone. com popups +lewdzone.com##+js(aopr, decodeURI) +lewdzone.com##+js(nano-sib, circle_animation) +lewdzone.com##+js(nano-stb, CountBack, 990) +@@||lewdzone.com^$ghide +||lewdzone.com/wp-content/themes/lz/assets/affiliate/$image +lewdzone.com##.ad_overlay, .ad, [href^="https://theporndude.com"] +lewdzone.com##.affiliate-block +lewdzone.com##.alzd +lewdzone.com##.Leaderboard +lewdzone.com##.item.widget_text +lewdzone.com##.site-margin > .container-block div:has(> .item.widget_text) +lewdzone.com###ad_vid + +! https://github.com/uBlockOrigin/uAssets/issues/4927 +problogbooster.com##+js(aopw, hidekeep) + +! https://github.com/uBlockOrigin/uAssets/issues/4926 +ispunlock.*,tpb.*##+js(aopr, pace) +||d3t9nyds4ufoqz.cloudfront.net^ + +! https://github.com/NanoMeow/QuickReports/issues/686 +robloxscripts.com##+js(nostif, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/4943 +! https://github.com/NanoMeow/QuickReports/issues/1967 +megafile.io##+js(nosiif, (), 5000) +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=megafile.io + +||padsims.com^ + +! https://www.reddit.com/r/uBlockOrigin/comments/asidoc/antiantiadblocker_not_working_on_geoguessr/ +@@||geoguessr.com/_ads/*$script,1p +@@||geoguessr.com^$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/asmddi/i_have_no_clue_how_this_ad_works/ +skpb.live##+js(acs, atob, decodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/4956 +link-to.net##+js(aeld, load, nextFunction) +link-to.net##+js(nano-sib) +@@||link-to.net^$ghide +||link-to.net^$image,redirect-rule=1x1.gif,1p +link-to.net##.ad-block-1 + +! https://github.com/uBlockOrigin/uAssets/issues/4962 +123movies.*##+js(aopr, open) +||d13jhr4vol1304.cloudfront.net^ +||oppfiles.com/common/scriptjs.php +/jquery.watch.js|$script,1p,important,domain=~dekrantvantoen.nl + +! https://forums.lanik.us/viewtopic.php?p=145787#p145787 +! https://github.com/uBlockOrigin/uAssets/issues/7644 +@@||static.sunmedia.tv^$script,xhr,domain=ivoox.com +@@||services.sunmedia.tv/geotarget/geocity.php$xhr,domain=ivoox.com +@@||ivoox.com^$ghide +ivoox.com###adLayout +||static.addevweb.com/integrations$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/4965 +*$script,3p,domain=7starhd.*,denyallow=googleapis.com +7starhd.*##+js(nowoif) +||r-q-e.com^$3p + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/58 +! https://github.com/abp-filters/abp-filters-anti-cv/issues/59 +! https://github.com/abp-filters/abp-filters-anti-cv/issues/60 +autojournal.fr,autoplus.fr,sportauto.fr##+js(nostif, (), 1) + +! https://github.com/NanoAdblocker/NanoFilters/issues/274 +! https://github.com/NanoAdblocker/NanoFilters/issues/314 +uploadev.*##+js(nowoif) +uploadev.*##+js(set, openInNewTab, noopFunc) + +! https://forums.lanik.us/viewtopic.php?p=145808#p145808 +volksstimme.de##+js(aopr, TRM) + +! https://github.com/uBlockOrigin/uAssets/issues/4972 +! https://github.com/AdguardTeam/AdguardFilters/issues/59901 +! https://github.com/AdguardTeam/AdguardFilters/issues/79755 +@@||shortearn.*^$ghide +shortearn.*##.banner +shortearn.*##+js(aopr, AaDetector) +shortearn.*##+js(aopr, open) +shortearn.*##+js(set, blurred, false) +shortearn.*##.box-main > .blog-item +beta.shortearn.eu##+js(acs, fetch, detectAdblockWithInvalidURL) +beta.shortearn.eu##^script:has-text(detectAdblockWithInvalidURL) +*$frame,denyallow=google.com,domain=shortearn.in +*$script,3p,denyallow=cloudflare.com|google.com|gstatic.com|recaptcha.net,domain=shortearn.* + +! https://github.com/uBlockOrigin/uAssets/issues/4978 +4shared.com##+js(nosiif, .append, 1000) +||4shared.com/empty.js$script,1p,important +||4shared.com/sw.js$script,important + +! https://github.com/uBlockOrigin/uAssets/issues/4980 +pingit.*,~pingit.com,~pingit.me,pngit.live##+js(aopr, AaDetector) +pingit.*,~pingit.com,~pingit.me,pngit.live##+js(aopr, open) +pingit.*,~pingit.com,~pingit.me,pngit.live##+js(aopr, rmVideoPlay) +pingit.*,~pingit.com,~pingit.me,pngit.live##+js(aopr, _pop) +pingit.*,~pingit.com,~pingit.me,pngit.live##+js(aopw, Fingerprint2) +pingit.*,~pingit.com,~pingit.me,pngit.live##+js(set, blurred, false) +||pingit.*/sw.js$script,1p,domain=~pingit.com|~pingit.me +*$frame,3p,domain=pingit.im|pngit.live +*$script,3p,denyallow=cdn77.org|google.com|gstatic.com|pingit.im|recaptcha.net|smartsuppcdn.com|smartsuppchat.com,domain=pingit.*|pngit.live|~pingit.com|~pingit.me +noticiasesports.live##+js(nano-sib, , 1200, 0) +noticiasesports.live##+js(nowoif) +noticiasesports.live###overlay + +! https://forums.lanik.us/viewtopic.php?p=145842#p145842 +@@||chichester.co.uk^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/4988 +hdfull.*##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +hdfull.*##+js(aeld, mousedown, !!{});) +hdfull.*##+js(nano-stb) +! https://github.com/uBlockOrigin/uAssets/issues/4988#issuecomment-480530699 +gamovideo.com##+js(acs, onload) +gamovideo.com##+js(aopr, open) +gamovideo.com##+js(acs, document.createElement, onerror) +gamovideo.com###po-pimp +||gamovideo.com^$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4990 +hitokin.net##+js(set, loadingAds, true) + +||swarm.video/telerium_dev.js + +! developerinsider.co anti adb +developerinsider.co##+js(set, runAdBlocker, false) + +! https://github.com/uBlockOrigin/uAssets/issues/5001 +phonenumber-lookup.info##+js(aopr, pa) + +! loadTool +abellalist.com,didilist.com,erotichdworld.com,sharkyporn.com##+js(acs, loadTool, popping) + +! nextorrent . site popups +nextorrent.*##+js(acs, jQuery, popunder) +nextorrent.*##+js(ra, onclick) + +! https://github.com/NanoMeow/QuickReports/issues/718 +closeronline.co.uk##+js(aopr, _sp_._networkListenerData) + +! https://github.com/NanoMeow/QuickReports/issues/721 +calculate.plus##+js(nostif, checkStopBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/5019 +turkdown.com##+js(aopr, AaDetector) +link.turkdown.com##+js(set, blurred, false) +@@||turkdown.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/726 +@@||hilly.io/adBlockDetector.js$script,1p +@@||hilly.io^$ghide +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=hilly.io + +! https://github.com/NanoMeow/QuickReports/issues/722 +ilprimatonazionale.it#@#.td-ad-background-link +ilprimatonazionale.it##+js(set, td_ad_background_click_link, undefined) +ilprimatonazionale.it##body:style(background-image: none !important;) + +! https://github.com/NanoMeow/QuickReports/issues/733 +urlgalleries.net##+js(aopr, AaDetector) +urlgalleries.net##+js(acs, document.cookie, setOCookie) + +! https://github.com/uBlockOrigin/uAssets/issues/5032 +moonquill.com##+js(aopw, document.getElementsByClassName) + +! https://github.com/uBlockOrigin/uAssets/issues/5044 +googlvideo.com##+js(aopr, mm) +googlvideo.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/170 +@@||finobe.com^$ghide +@@||googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=finobe.com +*$script,redirect-rule=noopjs,domain=finobe.com + +! https://github.com/uBlockOrigin/uAssets/issues/5047 +@@||convallariaslibrary.com^$ghide +convallariaslibrary.com##.code-block +convallariaslibrary.com##.widget_custom_html ins:upward(.widget_custom_html) + +! https://github.com/uBlockOrigin/uAssets/issues/6773 +! https://github.com/uBlockOrigin/uAssets/issues/5052#issuecomment-1407771485 +frag-mutti.de##.intext-ad +frag-mutti.de##.ad-loading:remove() +frag-mutti.de###campaign-popup +frag-mutti.de###fm-shadow + +! https://github.com/NanoMeow/QuickReports/issues/751 +! https://github.com/uBlockOrigin/uAssets/issues/18626 +thehindu.com##+js(set, Adblock, false) +thehindu.com###gsi_overlay + +! https://github.com/uBlockOrigin/uBlock-issues/issues/416#issuecomment-467794333 +maniac.de##+js(aopr, td_ad_background_click_link) +maniac.de##[href^="https://www.maniac.de/linkout/"] + +! https://github.com/uBlockOrigin/uAssets/issues/6825 +! https://github.com/uBlockOrigin/uAssets/issues/11096 +cambro.tv##+js(acs, document.addEventListener, initBCPopunder) +cambro.tv##+js(acs, crakPopInParams) +cambro.tv##+js(aopr, onload) +cambro.tv##.box.rltdsldr +cambro.tv##.bttsptt.box +cambro.tv##[href^="https://go.strpjmp.com"] +||cambro.tv/contents/*/player/*$media,1p +||cambro.tv/player/html.php$frame,1p +*$popunder,domain=cambro.tv +||liveflirt.net^$frame,domain=cambro.tv +cambro.tv###kt_player > [href^="https://www.cambro.tv/"] +cambro.tv##.crak_cams_ctn +cambro.tv##.fp-brand +cambro.tv##[href^="https://t.grtya.com/"] +||widgets.skyprivate.com/promo/$frame +cambro.tv##+js(set, flashvars.logo_url, '') +cambro.tv##+js(set, flashvars.logo_text, '') +cambro.tv##+js(acs, document.querySelectorAll, popMagic) + +! https://github.com/uBlockOrigin/uAssets/issues/5061 +! https://github.com/uBlockOrigin/uAssets/issues/7043 +nibelungen-kurier.de##+js(set, nlf.custom.userCapabilities, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/61829 +coolsoft.altervista.org##+js(nostif, _0x) +coolsoft.altervista.org###block-block-30 +coolsoft.altervista.org###content-right-floatbox + +! https://github.com/NanoMeow/QuickReports/issues/755 +@@||hanimesubth.com/assets/js/ads.core.js$script,1p +hanimesubth.com##+js(aeld, load, nextFunction) +hanimesubth.com##[href="https://slotgame66.co/"] +*.gif$domain=hanimesubth.com,image +*.webp$domain=hanimesubth.com,image,3p + +! https://github.com/uBlockOrigin/uAssets/issues/20727 +watchkobestreams.info##+js(aost, atob, inlineScript) +*$script,3p,domain=fromwatch.com,denyallow=cloudflare.com|googleapis.com + +! https://github.com/NanoMeow/QuickReports/issues/781 +tcheats.com##+js(aopr, checkAds) + +! https://github.com/NanoMeow/QuickReports/issues/735 +gamekult.com##+js(aopr, SmartWallSDK) + +! https://github.com/uBlockOrigin/uAssets/issues/5093 +gsmturkey.net##+js(aeld, load, nextFunction) +*$script,3p,domain=gsmturkey.net,redirect-rule=noopjs + +! https://github.com/easylist/easylist/issues/2929 +@@||cdnjs.cloudflare.com/ajax/libs/*$script,domain=warda.at + +! https://github.com/uBlockOrigin/uAssets/issues/5101 +dz4up1.com##+js(acs, document.getElementById, adblockinfo) + +! https://github.com/uBlockOrigin/uAssets/issues/5102 +readmng.com#@#.scroll_target_top + +! https://github.com/uBlockOrigin/uAssets/issues/5105 +ciudadgamer.com##+js(acs, atob, encodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/pull/8730 +ovagames.com##+js(acs, JSON, _0x) +ovagames.com###adter:upward(3) +ovagames.com##.single-entry-titles:has-text(Sponsor) +@@||ovagames.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/797 +! https://github.com/NanoMeow/QuickReports/issues/830 +mmacore.tv##+js(acs, $, importFAB) +@@||mmacore.tv^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7192 +symbolab.com##.googleLeftSkyScrapper + +! https://github.com/NanoMeow/QuickReports/issues/811 +@@||googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=safelinkunited.blogspot.com +@@||pagead2.googlesyndication.com/pagead/$script,domain=safelinkunited.blogspot.com +safelinkunited.blogspot.com##.ADS +safelinkunited.blogspot.com##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/812 +||ipla.pluscdn.pl/p/*$media,redirect=noopmp4-1s,domain=polsatsport.pl +@@||redefineadpl.hit.gemius.pl^$xhr,domain=polsatsport.pl + +! https://github.com/uBlockOrigin/uAssets/issues/5291 +! https://github.com/AdguardTeam/AdguardFilters/issues/34440 +@@||gemius.pl^$script,xhr,domain=polsatnews.pl +@@||hit.stat24.com/$xhr,domain=polsatnews.pl +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=polsatnews.pl + +! https://github.com/uBlockOrigin/uAssets/issues/8642 +! https://github.com/uBlockOrigin/uAssets/issues/8287 +lookmovie.*##+js(aopr, adBlockDetected) +@@||lookmovie.*^$ghide +||metrika.lookmovie.io^$important +lookmovie.*##.view-top-ab +lookmovie.*##.notifyjs-corner +lookmovie.*##.nord-vpn.home-banner +lookmovie.*###single.dtsingle > .content > center > a[href] > img +lookmovie.*###single.dtsingle > .content > .sheader > .poster > .extra > center > a[href] > img +lookmovie.*##+js(aopr, mm) +lookmovie.ag.w3snoop.com##.ezoic-ad + +! https://github.com/NanoMeow/QuickReports/issues/822 +streamhentaimovies.com##+js(nostif, pum-open) + +! https://github.com/uBlockOrigin/uAssets/issues/4918#issuecomment-473450129 +! https://github.com/uBlockOrigin/uAssets/issues/6423 +||p-cdn.us/public/*$media,redirect=noopmp3-0.1s,domain=soundcloud.com +||sndcdn.com/audio/*$media,redirect=noopmp3-0.1s,domain=soundcloud.com +||soundcloud.com/audio-ad$1p,xhr +||soundcloud.com/promoted$1p,xhr +soundcloud.com##.soundList__item:has(.sc-promoted-icon-medium) + +! as suggested https://github.com/uBlockOrigin/uAssets/issues/5153 +! https://github.com/uBlockOrigin/uAssets/issues/5157 +*expires$media,redirect=noopmp3-0.1s,domain=kabeleins.de +*expires$media,redirect=noopmp3-0.1s,domain=kabeleinsdoku.de +*expires$media,redirect=noopmp3-0.1s,domain=sat1gold.de +*expires$media,redirect=noopmp3-0.1s,domain=sixx.de +||zomap.de/*&expires=$script,domain=kabeleins.de|kabeleinsdoku.de|sat1gold.de|sixx.de +vox.de##+js(no-xhr-if, svonm) + +! https://github.com/NanoMeow/QuickReports/issues/834 +bharian.com.my##+js(aopr, SmartWallSDK) + +! amyscans.com popups +amyscans.com##+js(aost, String.prototype.charCodeAt, ai_) +amyscans.com##+js(ra, href, #clickfakeplayer) + +! https://github.com/NanoMeow/QuickReports/issues/850 +laradiobbs.net##+js(set, adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/5186 +! https://www.reddit.com/r/uBlockOrigin/comments/ygkeqa/ +nationalgeographic.fr##+js(no-xhr-if, /\/VisitorAPI\.js|\/AppMeasurement\.js/) +nationalgeographic.*##.ng-ad-banner +nationalgeographic.*##.ngart__footer-ad + +! https://forums.lanik.us/viewtopic.php?p=146528#p146528 +mstream.*##+js(aopr, open) +ver-pelis-online.*##+js(set, decodeURIComponent, trueFunc) +ver-pelis-online.*##a.lav_btn +ver-pelis-online.*##[href$="player.html"] +ver-pelis-online.*##.holder >li:has([href="/pelis/descargar.html"]) +ver-pelis-online.*##a.eli_lav_btn, .mobile_btn + +! https://github.com/NanoMeow/QuickReports/issues/855 +konten.co.id##+js(nostif, overlay, 2000) + +! https://github.com/NanoMeow/QuickReports/issues/856 +@@||farsondigitalwatercams.com^$ghide +farsondigitalwatercams.com##.advert + +! thefmovies . me popups +! https://github.com/uBlockOrigin/uAssets/issues/5926 +thefmovies.*##+js(aost, Math, inlineScript) +thefmovies.*##+js(nostif, '0x) +thefmovies.*##+js(nowoif) +thefmovies.*##.mobile-btn + +! https://github.com/uBlockOrigin/uAssets/issues/5198 +sembunyi.in##+js(aopr, popjs) + +! https://adblockplus.org/forum/viewtopic.php?f=10&t=65201&p=187268#p187268 +! https://www.reddit.com/r/uBlockOrigin/comments/tzla0l/ad_showing_up_on_series9_dot_me/ +series9.*##div[style="padding:15px 0;text-align:right;"] + +! https://github.com/uBlockOrigin/uAssets/issues/15548 +! https://github.com/uBlockOrigin/uAssets/issues/22127 +@@||diariodenavarra.es^$ghide +diariodenavarra.es##+js(aeld, DOMContentLoaded, /adblock/i) +diariodenavarra.es##+js(nostif, /adblock/i) +diariodenavarra.es###AdSlot_megabanner +diariodenavarra.es##.sticky_roba + +! https://github.com/uBlockOrigin/uAssets/pull/9494 +urlty.com##+js(set, blurred, false) +urlty.com##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/5222 +keepvid.*##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/880 +||player.ooyala.com/static/*/ad-plugin/*$script,redirect=noopjs,domain=dragons.com.au + +! https://github.com/uBlockOrigin/uAssets/issues/5225 +xiaomifans.pl##+js(nostif, test, 100) + +! https://github.com/uBlockOrigin/uAssets/issues/5226 +@@||rangdhanu.live^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5228 +streamporn.pw##+js(aopr, ExoLoader.serve) +streamporn.pw##+js(nowoif) +streamporn.pw##.btn-lg.btn-block.btn +streamporn.pw###overlays + +! https://github.com/uBlockOrigin/uAssets/issues/5190 +@@||cdn.taboola.com/libtrc/$script,domain=ndtv.com +@@||trc.taboola.com/ndtv$script,domain=ndtv.com +@@||trc.taboola.com/ndtv-ndtvmobile/$frame,domain=ndtv.com +@@||trc.taboola.com/ndtv*/log/*$domain=trc.taboola.com +ndtv.com##.trc-content-sponsored +ndtv.com##.composite-branding.branding:has-text(/sponsored/i):xpath(..) +@@||cdn.ampproject.org/*amp-ad$script,domain=ndtv.com +@@||cdn.taboola.com/libtrc/ndtv-ndtvmobile/loader.js$script,domain=ampproject.net +@@||cdn.taboola.com/libtrc/impl.$script,domain=ampproject.net +@@||trc.taboola.com/ndtv-ndtvmobile/$script,domain=ampproject.net +ndtv.com#@#amp-embed[type="taboola"] +ndtv.com##[id^="adslot"] +ndtv.com##:xpath(//div[contains(text(),"Advert")]) +ampproject.net##.trc-content-sponsored +food.ndtv.com##.ads +food.ndtv.com###jeocontainer > span:has-text(Promoted) +||hotdeals360.com^$3p +ndtv.com#@##taboola-below-article-thumbnails +ndtv.com##.tbl-feed-card:has(.trc-content-sponsored) +@@||trc.taboola.com/ndtv*/trc/*/json$xhr,domain=ndtv.com +ndtv.com##.inline.ads +ndtv.com##.tbl-wrp:has(.i-amphtml-fill-content) + +/pup.php?$script + +! https://www.reddit.com/r/uBlockOrigin/comments/b67qlj/ustreamyxcom_popups_block/ +ustream.*##+js(nowoif) +ustream.*##^script:has-text(btoa) +ustream.*##+js(aopr, console.clear) +/zone?pub +ustream.to##.popup +ustream.to##.overlay +@@||ustream.*^$script,1p +*$script,redirect-rule=noopjs,domain=ustream.to + +! https://github.com/uBlockOrigin/uAssets/issues/5237 +! canalesportivo. live +fr.streamon-sport.ru,hoca4u.com##+js(acs, document.createElement, onerror) + +! https://github.com/uBlockOrigin/uAssets/issues/5242 +sound-park.*,soundpark.*,soundpark-club.*##+js(acs, $, open) +sound-park.*,soundpark.*,soundpark-club.*##+js(acs, document.createElement, script) + +! paladinsdecks.com anti adb +||paladinsdecks.com/fileadmin/*/fab.min.js$script,1p,redirect=fuckadblock.js-3.2.0 +@@||paladinsdecks.com/ad/banner/*$xhr,1p + +! https://github.com/NanoMeow/QuickReports/issues/891 +! https://github.com/NanoMeow/QuickReports/issues/1458#issuecomment-508324990 +! https://github.com/uBlockOrigin/uAssets/issues/6001 +@@||ratemyprofessors.com/assets/libs/oas.js$script,1p +ratemyprofessors.com##.slide.sticky-wrapper + +! https://github.com/NanoMeow/QuickReports/issues/894 +go.bucketforms.com##+js(acs, $, adblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/5248 +hopto.org##+js(acs, document.getElementById, undefined) +@@||grahaflasher.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/897 +bidouillesikea.com##+js(aopr, adbackDebug) + +! https://github.com/NanoMeow/QuickReports/issues/898 +@@||dausel.co^$ghide +@@||googlesyndication.com/pagead/$script,domain=dausel.co +dausel.co##.adsbygoogle:style(max-height: 1px !important;) +dausel.co##[id^="aswift"] + +! https://github.com/uBlockOrigin/uAssets/issues/5250 +blizzboygames.net##+js(nowebrtc) +blizzboygames.net##[href*="bit.ly"] +blizzboygames.net##.gp-entry-text > div > div[style] > .vc_row.wpb_row.vc_row-fluid +||blizzboygames.net/sw.js$script,1p +##[href^="https://track.wg-aff.com/click"] + +! https://github.com/NanoMeow/QuickReports/issues/900 +optifine.net##+js(nostif, Math.round, 1000) +! http://adfoc.us/serve/?id=47525085215776 timer +adfoc.us##+js(set, count, 0) + +! https://github.com/NanoMeow/QuickReports/issues/905 +pianetamountainbike.it##+js(set, LoadThisScript, true) +||pianetamountainbike.it/*Banner$image + +! https://github.com/NanoMeow/QuickReports/issues/906 +lavoixdux.com##+js(set, is_adblocked, false) + +! https://github.com/NanoMeow/QuickReports/issues/2784 +barchart.com##+js(set, showPremLite, true) +barchart.com##[id^=customAd] + +! closeBlockerModal anti adb +modelisme.com,parasportontario.ca,prescottenews.com##+js(set, closeBlockerModal, false) + +! https://github.com/uBlockOrigin/uAssets/issues/5269 +juegoviejo.com##+js(nano-stb) + +! https://github.com/uBlockOrigin/uAssets/issues/5271 +anime-jl.net##+js(aopr, detector_launch) +zona-leros.net##+js(aeld, DOMContentLoaded, shortener) +zona-leros.net##.content_store +player.zona-leros.net,zlplayer.net###dvr-vid +zona-leros.net##.Body > .Container > ul.Rows > li:first-child:has(> article > a[href][target="_blank"]) +zpaste.net,zlpaste.net##+js(aeld, DOMContentLoaded, adlinkfly) +zplayer.live##+js(aopr, I833) +zplayer.live##+js(nowoif) +zplayer.live##.user +zpaste.net,pixeldrain.com###sponsors +zplayer.live##.banner +||zshorte.net/*.html$frame,3p +*$script,3p,denyallow=cloudflare.com|cloudflare.net|fastly.net|fastlylb.net|google.com|googleapis.com|gstatic.com|hwcdn.net|jquery.com|jsdelivr.net|jwplatform.com|jwpcdn.com|recaptcha.net|arc.io,domain=zpaste.net|zplayer.live +@@||zplayer.live^$cname +||anime-jl.net^$3p,script +||i.imgur.com/YmmGPK1.png^$3p + +! https://forums.lanik.us/viewtopic.php?f=62&t=42841 +luzernerzeitung.ch,tagblatt.ch##+js(nostif, adblock, 5) + +! anti adb superhumanradio .net +@@||superhumanradio.net^$ghide + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/138 +! egydead .com => .live +@@||egydead.*^$ghide +egydead.*##.adHolder +egydead.*##.FooterAds +||herdethi.net^ + +! mangamanga. ml popups +mangamanga.*##+js(aeld, keydown) + +! fuckdy .com popups +fuckdy.com##+js(aopr, Popunder) +fuckdy.com##.fkd-inban + +! spellchecker.net ad-reinsertion +spellchecker.net##+js(aopr, gPartners) +spellcheck.net,spellchecker.net,spellweb.com##+js(nostif, bioEp) + +! https://github.com/NanoAdblocker/NanoFilters/issues/297 +! https://github.com/NanoMeow/QuickReports/issues/912 +@@||express.de^$ghide +@@||mopo.de^$ghide +express.de,mopo.de##.dm_ad +express.de,mopo.de##.dm_ad-container +express.de,mopo.de###nativendo-marginal +mopo.de##.dm_ta300x300_html + +! https://github.com/uBlockOrigin/uAssets/issues/5278 +@@||berryboot.alexgoldcheidt.com^$ghide + +! ableitungsrechner.net ad-reinsertion +ableitungsrechner.net##+js(nostif, ag_adBlockerDetected) +ableitungsrechner.net##a.extern[href^="//www.amazon.de/"]:upward(2) + +! https://github.com/NanoMeow/QuickReports/issues/916 +@@||gatevidyalay.com^$ghide +gatevidyalay.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/9273 +urlaubspartner.net##+js(set, adblock, false) +urlaubspartner.net##.ad +urlaubspartner.net##.text-center.col-lg-4.visible-lg-block > span + +! https://github.com/uBlockOrigin/uAssets/issues/5292 +bostonherald.com##+js(nostif, n.trigger, 1) +bostonherald.com##+js(set, CnnXt.Event.fire, noopFunc) + +! https://github.com/NanoMeow/QuickReports/issues/1132 +alternet.org##+js(nostif, null) + +! https://github.com/uBlockOrigin/uAssets/issues/5293 +mz-web.de##+js(acs, document.createElement, document.head.appendChild) + +! https://github.com/uBlockOrigin/uAssets/issues/5296 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=freeiptv.life + +! praxis-jugendarbeit.de anti adb +praxis-jugendarbeit.de##+js(nostif, nextFunction, 2000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/82870 +m.kuku.lu##+js(acs, setTimeout, bait.css) +@@||m.kuku.lu^$ghide +m.kuku.lu##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/5297 +watchfreexxx.net##+js(acs, document.createElement, 'script') +watchfreexxx.net##+js(aopr, Date.prototype.toGMTString) +watchfreexxx.net##+js(aopr, ExoLoader) +watchfreexxx.net##+js(aopr, ExoLoader.serve) +watchfreexxx.net##+js(aopr, initPu) +watchfreexxx.net##+js(aopr, jsUnda) +watchfreexxx.net##+js(aeld, getexoloader) +watchfreexxx.net##.order-1:has(.video-block-happy-absolute) +watchfreexxx.net##.happy-player-beside, .happy-section, .widget_execphp:has-text(/Advertisement|ExoLoader/) +watchfreexxx.net###tracking-url +||watchfreexxx.net/*.php$script,1p +*$script,3p,denyallow=cloudflare.net|fastly.net|google.com|googleapis.com|gstatic.com|jwpcdn.com|jsdelivr.net|eastream.net|youtube.com|ytimg.com,domain=vidfast.co +okstream.*##[id^="click"] +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.net|google.com|gstatic.com|hwcdn.net|jquery.com|jsdelivr.net|tawk.to,domain=okstream.* + +! https://github.com/NanoMeow/QuickReports/issues/931 +macrotrends.net##+js(acs, RegExp, '0x) +macrotrends.net##+js(aopw, ABD) +macrotrends.net##.adx_top_ad + +! https://github.com/NanoMeow/QuickReports/issues/934 +! https://github.com/uBlockOrigin/uAssets/issues/6224 +nrj-play.fr##+js(set, adBlockDetector.isEnabled, falseFunc) + +! https://github.com/NanoMeow/QuickReports/issues/935 +thegatewaypundit.com##+js(aopr, adtoniq) + +! https://github.com/NanoMeow/QuickReports/issues/1225 +@@||muzlan.top^$ghide +@@||muzlan.top^$xhr,image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5310 +lippycorn.com##+js(acs, document.createElement, __esModule) +@@||catracalivre.com.br^$ghide + +! https://github.com/jspenguin2017/uBlockProtector/issues/1051 +pendekarsubs.us##+js(nostif, nextFunction, 250) + +! https://github.com/uBlockOrigin/uAssets/issues/8336 +@@||telepisodes.org^$ghide +telepisodes.org##+js(nowebrtc) +telepisodes.org##+js(nano-sib) +*$script,3p,denyallow=cdn77.org|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|fluidplayer.com|hcaptcha.com|hwcdn.net|jwpcdn.com|wp.com|google.com|googleapis.com|gstatic.com|instagram.com|jquery.com|jsdelivr.net|jwpsrv.com|sharethis.com|stackpathcdn.com|recaptcha.net|twitter.com|x.com,domain=telepisodes.org +telepisodes.org###play_button:style(display:block!important;) +telepisodes.org###loading_button +telepisodes.org##a.button-link.mybutton:has-text(Play) +||d3d52lhoy0sh2w.cloudfront.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/5315 +7r6.com##+js(aopr, app_vars.force_disable_adblock) +7r6.com##+js(aopr, LieDetector) +7r6.com##+js(aopr, console.clear) +7r6.com##+js(set, blurred, false) +7r6.com##.banner +@@||7r6.com^$ghide +*$script,3p,denyallow=cloudfront.net|google.com|gstatic.com|recaptcha.net,domain=7r6.com + +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-480661667 +b3infoarena.in##+js(aeld, load, 2000) + +! https://www.reddit.com/r/uBlockOrigin/comments/n6xsjo/ablock_detected/ +faucethero.com##+js(aopr, adBlockDetected) +faucethero.com##+js(nowoif) +faucethero.com##+js(acs, atob, decodeURIComponent) +faucethero.com##+js(aopr, decodeURI) +faucethero.com###middle-adspace +faucethero.com##[href^="https://freebitco.in/"] +faucethero.com##[href^="https://qik.cc/"] +faucethero.com##[href^="https://www.office.jocial.com/Affiliate/"] +||aruble.net^$3p +||qik.cc^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/5338 +! https://github.com/easylist/easylist/pull/10399 +@@||upvid.*^$ghide +upvid.*##+js(nowoif) +||upvid.*/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5340 +upload.ac##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/5341 +@@||capital.fr^$ghide +capital.fr##.cap-ads +! https://github.com/uBlockOrigin/uAssets/issues/9524#issuecomment-1404848268 +capital.fr##.pmd-ads + +! https://github.com/NanoMeow/QuickReports/issues/990 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=kharisma-adzana.blogspot.com + +! https://forums.lanik.us/viewtopic.php?f=62&t=42881 +@@||sunderlandecho.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5346 +@@||googlesyndication.com/pagead/$script,domain=ebb.io + +! https://github.com/uBlockOrigin/uAssets/issues/5347 +720pxmovies.blogspot.com##+js(acs, Math, break) +720pxmovies.blogspot.com##+js(aopr, myFunction_ads) +720pxmovies.blogspot.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/994 +hackingwithreact.com##+js(set, areAdsDisplayed, true) + +! https://github.com/uBlockOrigin/uAssets/issues/5349 +@@||gamesfree.ca^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1004 +onle.co##+js(nano-sib) +@@||onle.co^$ghide +@@||googlesyndication.com/pagead/$script,domain=onle.co +onle.co##[id^="aswift"] +onle.co##.adsbygoogle:style(max-height: 1px !important;) + +! gutekueche.at anti adb +gutekueche.at##+js(set, gkAdsWerbung, true) + +! https://github.com/uBlockOrigin/uAssets/issues/5355 +software-on.com##+js(aopr, decodeURIComponent) +software-on.com##+js(nowebrtc) +software-on.com##+js(nowoif) +@@||software-on.com^$ghide +@@||software-on.com/*/advertising.js$script,1p +software-on.com##ins.adsbygoogle +software-on.com##.widget_oxnepzimd +software-on.com##.oxnepzimd + +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-483097491 +gamershit.altervista.org##+js(nobab) +gamershit.altervista.org##[src="float.htm"] + +! https://github.com/NanoAdblocker/NanoFilters/issues/308 +@@||elbotola.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1020 +@@||berliner-kurier.de^$ghide +@@||berliner-zeitung.de^$ghide +berliner-kurier.de,berliner-zeitung.de##.dm_ad-container +berliner-kurier.de##div[class^="traffective_"] +berliner-kurier.de##div[class^="outbrain_outbrain-outer-container"] + +! https://github.com/NanoMeow/QuickReports/issues/1021 +eplfootballmatch.com##+js(set, document.bridCanRunAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/14827 + +! https://github.com/uBlockOrigin/uAssets/issues/5364 +allacronyms.com##+js(nobab) + +! https://github.com/uBlockOrigin/uAssets/issues/5369 +@@||smscodeonline.com^$ghide +smscodeonline.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/5371 +peekvids.com,playvids.com,pornflip.com,pornoeggs.com##+js(aopr, open) +*&token$media,redirect=noopmp3-0.1s,domain=peekvids.com|playvids.com|pornflip.com|pornoeggs.com +peekvids.com,playvids.com,pornflip.com##+js(set, pop_target, null) +pornoeggs.com##.card-deck-promotion +pornoeggs.com##.mediaPlayerBanner + +! https://github.com/uBlockOrigin/uAssets/issues/5372 +@@||thuglink.com^$ghide +thuglink.com##+js(set, adblockEnabled, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/beo8ec/block_adblock_at_it_again/ +@@||watchmalcolminthemiddle.com^$ghide + +! https://github.com/NanoAdblocker/NanoFilters/issues/313 +@@||onlinecoursebay.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/11543 +gametop.com##+js(aost, document.getElementById, onLoadEvent) +gametop.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/5378 +! https://github.com/uBlockOrigin/uAssets/issues/16740 +redensarten-index.de##+js(set, is_banner, true) +redensarten-index.de##+js(nostif, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/5305 +interviewgig.com##+js(aeld, load, onload) + +! https://forums.lanik.us/viewtopic.php?f=62&t=42917 +extratorrent.*##:xpath(//a[contains(text(),"VPN")]/../../..) + +! https://github.com/NanoMeow/QuickReports/issues/1040 +typinggames.zone##+js(acs, document.getElementById, alert) +@@||typinggames.zone^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5385 +cdna.tv##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/17603 +oko.sh##+js(rmnt, script, /document\.createElement|\.banner-in/) +oko.sh##+js(aopr, AaDetector) +oko.sh##+js(aopr, open) +oko.sh##+js(set, blurred, false) +oko.sh##+js(nostif, Adblock) +oko.sh##+js(no-fetch-if, /googlesyndication|inklinkor|ads\/load/) +oko.sh##+js(acs, XMLHttpRequest, adb) +oko.sh##+js(no-xhr-if, inklinkor.com) +oko.sh##.banner-inner:style(width: 0 !important;) +oko.sh##^script:has-text(adb_detected) +*$image,redirect-rule=1x1.gif,domain=oko.sh +*$script,redirect-rule=noopjs,domain=oko.sh +@@||oko.sh^$ghide +oko.sh##a[href^="https://href.li/"] +oko.sh##a[href^="https://taghaugh.com/"] +oko.sh##[href="https://tipsalert.xyz"] +oko.sh##[src^="https://i.imgur.com/"] +oko.sh##[href^="https://monetag.com/"] +oko.sh##[id^="div-gpt-"] +||inklinkor.com/tag.min.js$script,xhr,redirect=noop.js,domain=oko.sh +||oko.sh/webroot/img$image,1p + +! https://github.com/NanoMeow/QuickReports/issues/1050 +@@||anhdep24.net^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/719 +cam4.com##+js(nowoif) +cam4.com###Cam4DialogContainer + +! https://github.com/NanoMeow/QuickReports/issues/965 +footystreams.net##+js(nostif, '0x) +##[href^="https://pl.allsports4free.club/"] +##[href^="https://pl.allsports4u.club/"] + +! https://github.com/uBlockOrigin/uAssets/issues/5391 +@@||1warie.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5398 +produktion.de##+js(set, adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/5400 +vw-page.com##+js(set, $easyadvtblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/5399 +@@||mediaite.com^$script,1p +mediaite.com##.adthrive-ad +mediaite.com##.o-jw-sub-promo + +! https://github.com/uBlockOrigin/uAssets/issues/5405 +dump.xxx##+js(aopr, ExoLoader.serve) +dump.xxx##+js(popads-dummy) +dump.xxx##+js(aopr, open) +||dump.xxx/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5406 +fuqer.com##+js(aopr, ExoLoader.serve) +fuqer.com##+js(aopr, open) +fuqer.com##+js(popads-dummy) +||fuqer.com/sw.js$script,1p +fuqer.com##.spot-thumbs > .right:style(height:1px !important) +fuqer.com##.right > .text +fuqer.com#@#.spot-thumbs > .right + +! https://github.com/NanoMeow/QuickReports/issues/1056 +@@||villatalk.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-485317006 +lurdchinexgist.blogspot.com##+js(aeld, load, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/5407 +sharemods.com##+js(nowebrtc) +sharemods.com##iframe[data-id$="_DFP"] +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.com|cloudflare.net|cookieinfoscript.com|fastly.net|fastlylb.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|recaptcha.net,domain=sharemods.com + +! https://github.com/uBlockOrigin/uAssets/issues/5408 +modsbase.com##+js(nowebrtc) + +! https://github.com/NanoMeow/QuickReports/issues/1064 +@@||65creedmoor.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1074 +myfreeblack.com##+js(aopw, mfbDetect) +||myfreeblack.com/sw.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/1075 +auto-data.net##+js(acs, document.getElementById, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-486486252 +! https://github.com/uBlockOrigin/uAssets/issues/5687 +otakuindo.*##+js(aopr, Date.prototype.toUTCString) +otakuindo.*##+js(nobab) + +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-486487471 +penis-bilder.com##+js(aopr, popunder) +penis-bilder.com##+js(nobab) + +! https://github.com/uBlockOrigin/uAssets/issues/5438 +filerio.in##+js(nowoif) +filerio.in##+js(ra, onclick, , stay) +filerio.in##+js(aopr, onload) +filerio.in###player_img:upward(2) + +! https://github.com/uBlockOrigin/uAssets/issues/5439 +ckk.ai##+js(set, blurred, false) +ckk.ai##+js(nowoif) +@@||ckk.ai^$ghide +ckk.ai##a[href][target="_blank"] > img +||35.224.227.218^$all + +! https://github.com/uBlockOrigin/uAssets/issues/5441 +sendvid.com##+js(nowoif, !/^https:\/\/sendvid\.com\/[0-9a-z]+$/) +sendvid.com##[href*=".php"] +sendvid.com###video-js-video > [href^="javascript:"] +sendvid.com###vjs-logo-top-bar +sendvid.com###ftr + +! https://github.com/uBlockOrigin/uAssets/issues/5448 +imgdawgknuttz.com##+js(aopw, atOptions) +imgdawgknuttz.com##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +imgdawgknuttz.com##+js(aost, atob, inlineScript) +imgdawgknuttz.com##+js(aopr, Pub2a) +||imgdawgknuttz.com/*.php$script,1p +||xxxwebdlxxx.org^$image,domain=imgdawgknuttz.com +*$frame,3p,domain=imgdawgknuttz.com +*$script,3p,domain=imgdawgknuttz.com +||trifms.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/5454 +@@||iphonetweak.fr^$ghide +iphonetweak.fr##ins.adsbygoogle +iphonetweak.fr##.bigPub + +! https://github.com/uBlockOrigin/uAssets/issues/15586 +! https://github.com/uBlockOrigin/uAssets/issues/16307 +duden.de##[id*="billboard"] +duden.de##.tabloid__side-column +! https://github.com/uBlockOrigin/uAssets/issues/17950 +duden.de##body:style(margin-top: 0px !important;) +! https://github.com/uBlockOrigin/uAssets/issues/25788 +@@||duden.de^$ghide +duden.de##+js(no-fetch-if, googlesyndication, length:2001) +||www.duden.de/utilities/includes/$script,css,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/bhr1sj/adblocker_detected/ +faresgame.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-487240463 +shemalepower.xyz##+js(nobab) +shemalepower.xyz##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/5457 +ssrmovies.*##+js(nowoif) +||get-link.xyz^ +||hitcashtag.com^$3p +||techbumper.info^$3p +||techcdn.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/1090 +shrib.com##+js(nostif, adb, 6000) + +! https://github.com/NanoMeow/QuickReports/issues/1093 +ratemyteachers.com##+js(acs, document.getElementById, 'block') + +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-487342789 +thefreedommatrix.blogspot.com##+js(aeld, load, 2000) +thefreedommatrix.blogspot.com##+js(nobab) + +! https://github.com/uBlockOrigin/uAssets/issues/5466 +desiremovies.*##+js(acs, document.createElement, console) +desiremovies.*##+js(aeld, , _0x) +||desiremovies.*/sw.js$script,1p +desiremovies.*##.code-block-2.code-block + +! https://github.com/uBlockOrigin/uAssets/issues/5467 +uploadbox.cc##.soundy +uploadbox.cc##+js(disable-newtab-links) +uploadbox.cc##.hopa +||gstatic.com/firebasejs/*/firebase.js$script,domain=uploadbox.cc + +! https://github.com/uBlockOrigin/uAssets/issues/5468 +pandafiles.com##+js(nostif, pop) +||grumft.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/5469 +##[href="//xxxrevpushclcdu.com/app.webp"] + +! https://www.reddit.com/r/uBlockOrigin/comments/bi3nw6/ublock_detected_on_some_tv_channel_website/ +@@||proxy.ads.canalplus-bo.net^$xhr,domain=mycanal.fr +||static.canal-plus.net/pub/$media,redirect=noopmp3-0.1s,domain=mycanal.fr + +! https://github.com/uBlockOrigin/uAssets/issues/5472 +@@||damnripped.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5648 +notebookcheck-ru.com##+js(acs, document.getElementById, send) +@@||notebookcheck.com^$script,1p +@@||notebookcheck.net^$script,1p +@@||notebookcheck-ru.com^$script,1p +@@||notebook-check.com^$script,domain=notebookcheck.com|notebookcheck.net|notebookcheck-ru.com +@@||notebookcheck-ru.com^$script,domain=notebookcheck.com|notebookcheck.net|notebookcheck-ru.com +notebookcheck.*##+js(aopw, ab_cl) + +! https://github.com/NanoMeow/QuickReports/issues/601 +@@||www-league.nhlstatic.com/nhl.com/builds/site-core/*/scripts/*$script,domain=nhl.com +@@||www-league.nhlstatic.com^$xhr,domain=nhl.com +@@||nhl.com^$ghide +*&expire$media,3p,redirect=noopmp3-0.1s,domain=nhl.com +nhl.com##.ad +nhl.com##.ad-centered +nhl.com##.ad-responsive-slot +nhl.com##.native-ad-slot + +! https://github.com/uBlockOrigin/uAssets/issues/5474 +@@||thuthuatjb.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1105 +dfiles.*##+js(acs, decodeURI, decodeURIComponent) +@@||cloudflare.com/ajax/libs/*/fuckadblock.js$script,domain=depositfiles.org|dfiles.eu +||dfiles.*/sw.js$script,1p + +! https://github.com/NanoAdblocker/NanoFilters/issues/318 +m4maths.com##+js(aopr, alert) + +! https://github.com/NanoMeow/QuickReports/issues/1112 +dailycamera.com##+js(nostif, n.trigger, 1) +dailycamera.com##+js(set, CnnXt.Event.fire, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/5495 +! https://github.com/uBlockOrigin/uAssets/issues/12710 +fc.lc,fc-lc.com##+js(acs, document.addEventListener, nextFunction) +fc.lc##+js(aopr, adBlockDetected) +fc.lc##+js(aopr, app_vars.force_disable_adblock) +fc.lc##+js(noeval) +fc.lc##+js(set, blurred, false) +||fc.lc/*.html$frame,1p +||fc.lc/sw.js$script,1p +*$image,3p,domain=fc-lc.com +fc.lc##.banner-inner +fc.lc###ad +fc-lc.com###iframe_id +fc-lc.com##.captcha-page .box-main > a[href][target="_blank"] > img +*$frame,denyallow=facebook.com|google.com|hcaptcha.com|youtube.com,domain=fc.lc|fc-lc.com +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.com|cloudflare.net|google.com|gstatic.com|jsdelivr.net|recaptcha.net|tawk.to|wp.com,domain=fc.lc|fc-lc.com +fc.lc##+js(nowoif, /^/, 1) +! https://github.com/AdguardTeam/AdguardFilters/issues/139812 +! vocalley.com anti-adb +#@#.ad-area +#@#.ads_container +##.ad-area:not(.text-ad) +job.inshokuten.com,kurukura.jp,netmile.co.jp#@#.ad-area:not(.text-ad) +##.ads_container:not(.text-ad) + +! https://github.com/uBlockOrigin/uAssets/issues/5496 +movie4u.live##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/5489#issuecomment-488537713 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=abdoutech.com + +! https://github.com/uBlockOrigin/uAssets/issues/5498 +pastepvp.org,programasvirtualespc.net##+js(aopw, smrtSB) +@@||pastepvp.org^$ghide +pastepvp.org##.content > center +@@||programasvirtualespc.net^$ghide +||descargaloaca.com^$3p +||fc.lc^$3p,script + +! https://github.com/uBlockOrigin/uAssets/issues/5500 +@@||online-courses.club^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1130 +turbogvideos.com##+js(aopr, open) +@@||turbogvideos.com^$ghide +@@||syndication.exosrv.com/instream-tag.php$script,domain=turbogvideos.com + +! https://github.com/NanoMeow/QuickReports/issues/1131 +megapornfreehd.com##+js(aopr, V4ss) + +! https://github.com/uBlockOrigin/uAssets/issues/5507 +cinetux.*##+js(aopw, smrtSB) +cinetux.*##+js(ra, href, #clickfakeplayer) +cinetux.*##span.button +cinetux.*##.links_table > .fix-table > table > tbody > tr:has-text(Patrocinador) + +! https://github.com/NanoAdblocker/NanoFilters/issues/321 +@@||ad.71i.de/somtag/loader/loader.js$script,domain=puls4.com + +! https://github.com/uBlockOrigin/uBlock-issues/issues/556 +@@||putlockerhd.co/js/showads.js$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5509 +tonpornodujour.com##+js(aopr, popunders) +tonpornodujour.com##+js(set, is_adblocked, false) +tonpornodujour.com###disclaimerId + +! https://github.com/uBlockOrigin/uAssets/issues/5510 +cyfostreams.com##+js(nowebrtc) +cyfostreams.com###blockblockA + +! https://github.com/uBlockOrigin/uAssets/issues/5511 +444.coffee##+js(noeval) +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=firm-ware27.blogspot.com|flash-reset.blogspot.com +@@||magiclen.org^$ghide +magiclen.org##ins.adsbygoogle +file.magiclen.org##+js(nano-stb, , ,0.02) + +! https://github.com/uBlockOrigin/uAssets/issues/5527 +! https://github.com/uBlockOrigin/uAssets/issues/9710 +streameast.*,thestreameast.*##+js(aeld, /^/, 0x) +streameast.*,thestreameast.*##+js(nosiif, visibility, 1000) +streameast.*,thestreameast.*##+js(nowebrtc) +streameast.*,thestreameast.*##+js(nostif, sadbl) +streameast.*##+js(acs, Object.defineProperty, break;case) +streameast.*##^script:has-text(/aclib|runPop/) +thestreameast.*##+js(aopr, aclib) +*$xhr,redirect-rule=nooptext,domain=streameast.*|thestreameast.* +sportlive.*##+js(ra, onclick) +*$image,redirect-rule=32x32.png,domain=streameast.*|thestreameast.* +||streameast.*/*.gif$image +||thestreameast.*/*.gif$image +||eagamerz.com^$popup +||supertracker200.com^$popup + +! https://github.com/NanoMeow/QuickReports/issues/1152 +viz.com##+js(set, show_dfp_preroll, false) +viz.com##+js(set, show_youtube_preroll, false) +@@||viz.com^$ghide +viz.com##+js(nano-sib, , ,0) +viz.com###metamodal-dfp-preroll +viz.com###overlay +@@||doubleclick.net^$script,xhr,domain=viz.com +@@||googletagservices.com/tag/js/gpt.js$script,domain=viz.com +||assetshuluimcom-a.akamaihd.net/prerolls/$media,3p + +! https://github.com/uBlockOrigin/uAssets/issues/5494 +@@||cdn.playwire.com^$image,domain=krunker.io +@@||cdn.playwire.com/bolt4/js/zeus/frame/admgr$script,1p +*$image,domain=krunker.io,redirect-rule=1x1.gif +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=krunker.io +@@||cdn.frvr.com/fran/pubads_$script,domain=krunker.io +@@||pagead2.googlesyndication.com^$xhr,domain=krunker.io +@@||securepubads.g.doubleclick.net^$xhr,domain=krunker.io + +! https://github.com/NanoMeow/QuickReports/issues/1154 +||googlesyndication.com/pagead/js/$script,redirect=noopjs,domain=eazycheat.com + +! https://github.com/NanoMeow/QuickReports/issues/1155 +pussytorrents.org##+js(aopr, loadTool) + +! https://github.com/NanoMeow/QuickReports/issues/1157 +||assets.moat.com/*/ad$image,redirect=2x2.png,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5534 +@@||rmdan.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5538 +! https://github.com/NanoMeow/QuickReports/issues/3478 +tunovelaligera.com##+js(aopr, mdpDeBlocker) +tunovelaligera.com##+js(nostif, mdp) +@@||tunovelaligera.com^$ghide +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=tunovelaligera.com + +! https://github.com/uBlockOrigin/uAssets/issues/5540 +@@||player.ooyala.com/static/*/ad-plugin/google_ima.min.js$script,domain=ccmbg.com + +! https://github.com/uBlockOrigin/uAssets/issues/5543 +@@||1000ps.de^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5542 +@@||desirecourse.net^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5544 +@@||nfhost.me^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1162 +@@||hastingsobserver.co.uk^$ghide +hastingsobserver.co.uk##.leaderboard-ad + +! https://github.com/NanoMeow/QuickReports/issues/1028 +dlkoo.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/1169 +||wp.com*/banner$image,domain=komikmama.net + +! https://github.com/uBlockOrigin/uAssets/issues/5553 +freecourseweb.com##+js(nostif, brave_load_popup) +@@||freecourseweb.com^$ghide +freecourseweb.com##ins.adsbygoogle +*$script,3p,redirect-rule=noopjs,domain=freecourseweb.com + +! https://github.com/uBlockOrigin/uAssets/issues/5561 +svapo.it##+js(aopw, adBlockDetected) + +! https://github.com/NanoAdblocker/NanoFilters/issues/328 +sataniabatch.blogspot.com##+js(nofab) + +! https://github.com/uBlockOrigin/uAssets/issues/5568 +@@||csm.dev^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5572 +papalah.com##+js(aopw, adBlockDetected) + +! solarmovie.id popup +solarmovie.id##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/5489#issuecomment-491483476 +bezpolitickekorektnosti.cz##+js(aopr, sc_adv_out) +bezpolitickekorektnosti.cz##.SC_TBlock + +! https://github.com/uBlockOrigin/uAssets/issues/5579 +glodls.*##+js(nowebrtc) + +! https://www.reddit.com/r/uBlockOrigin/comments/bnscg6/ublocknano_adblocker_detected_any_way_to_bypass/ +starcoins.ws##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/5583 +anitube.site###protetorVideo + +! https://github.com/uBlockOrigin/uAssets/issues/5489#issuecomment-491564073 +bitcoinminingforex.blogspot.com##+js(nofab) +bitcoinminingforex.blogspot.com##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/aqiblx/please_help_to_get_rid_of_protopage_ads/ +protopage.com##+js(aopr, pageParams.dispAds) + +! https://github.com/NanoMeow/QuickReports/issues/1211 +@@||cyclismactu.net/adserver.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5588 +letmejerk.com,letmejerk2.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com##+js(aopr, ExoLoader) +letmejerk.com,letmejerk2.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com##+js(aeld, , _0x) +letmejerk.com,letmejerk2.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com##.cams-widget +letmejerk.com,letmejerk2.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com##[class^="lmj"] +letmejerk.com,letmejerk2.com,letmejerk3.com,letmejerk4.com,letmejerk5.com,letmejerk6.com,letmejerk7.com##.th:has(> span.th-ad) +||letmejerk.com/*.php$script,1p + +||mn-shop.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/1221 +@@||dailythanthi.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1222 +windowcleaningforums.co.uk##+js(nostif, show) +windowcleaningforums.co.uk##[href="https://thrivewp.com/"] +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=windowcleaningforums.co.uk +windowcleaningforums.co.uk##a[href^="https://windowcleaningforums.co.uk/index.php?"][target="_blank"] +windowcleaningforums.co.uk##.ipsAdvertisement_large + +! https://github.com/uBlockOrigin/uAssets/issues/5601 +pennlive.com##+js(aeld, load, PrivateMode) + +! https://github.com/uBlockOrigin/uAssets/issues/5604 +! https://github.com/uBlockOrigin/uAssets/issues/5585 +! https://github.com/uBlockOrigin/uAssets/issues/5620 +! https://github.com/uBlockOrigin/uAssets/issues/9009 +! https://github.com/uBlockOrigin/uAssets/issues/17672 +freeupload.info,fstore.biz,uploadfree.info##+js(acs, document.getElementById, undefined) +fstore.biz##+js(set, blurred, false) +freeupload.info,fstore.biz,uploadfree.info##+js(nano-sib) +uploadfree.info###at-btn-download + +! https://github.com/NanoMeow/QuickReports/issues/1227 +@@||beatricedailysun.com^$ghide +beatricedailysun.com##.tnt-ads-container + +! https://github.com/NanoMeow/QuickReports/issues/1236 +beautypageants.indiatimes.com##+js(aeld, scroll, _0x) + +! https://github.com/NanoMeow/QuickReports/issues/1235 +@@||googletagmanager.com/gtm.js$script,domain=raiplayradio.it + +! https://github.com/AdguardTeam/AdguardFilters/issues/51758 +freebcc.org##+js(aopr, app_vars.force_disable_adblock) +freebcc.org##+js(aopr, adBlockDetected) +@@||freebcc.org^$ghide +freebcc.org##.mb-0.mt-3.text-center.text-small +freebcc.org###Layer_1 + +! https://forums.lanik.us/viewtopic.php?f=62&t=43033 +cda.pl##.pb-video-click +cda.pl##.pb-ad-video-player +||redcdn.pl/file/*/vstatic/*.mp4$media,redirect=noopmp3-0.1s,domain=cda.pl + +! https://github.com/NanoMeow/QuickReports/issues/1250 +@@||maalaimalar.com^$ghide +cinema.maalaimalar.com##.in.fade.modal-backdrop +cinema.maalaimalar.com##body:style(overflow: auto !important;) + +! https://forums.lanik.us/viewtopic.php?f=91&t=43035 +topito.com##+js(aopr, document.bridCanRunAds) + +! https://github.com/NanoMeow/QuickReports/issues/1254 +@@||neko-sama.fr^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1253 +0rechner.de##+js(set, doads, true) + +! https://github.com/uBlockOrigin/uAssets/issues/5618 +@@||galt.hit.gemius.pl/gplayer.js$script,domain=lrt.lt + +! https://github.com/uBlockOrigin/uAssets/issues/5628 +@@||pasty.*^$ghide +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=pasty.* +@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl$script,domain=pasty.* + +! https://github.com/uBlockOrigin/uAssets/issues/5635 +! https://github.com/uBlockOrigin/uAssets/issues/5640 +@@||qctimes.com^$ghide +@@||wcfcourier.com^$ghide +qctimes.com,wcfcourier.com##.tnt-ads-container + +! https://github.com/NanoMeow/QuickReports/issues/1263 +@@||roya.tv^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5639 +sexvid.*,hdtube.porn##+js(acs, document.write, iframe) +sexvid.*,hdtube.porn##+js(aopr, ExoLoader) +sexvid.*##+js(aopr, pu) +sexvid.*###banner_video +sexvid.*##.sponsor.shown +sexvid.*##.spots_field.spots_thumbs +sexvid.*##.box_site +sexvid.*##.download_link +sexvid.*##.spot-content, .spot-title +*$xhr,frame,domain=sexvid.* +hdtube.porn##.banners +sexvid.*,hdtube.porn###fltd-inner +sexvid.*##.wrapper > .spot-holder +sexvid.*##.cs +sexvid.*##.thumb-adv +sexvid.*##.container > .headline, .intro +sexvid.*##.under-player.spot-holder > .spot +hdtube.porn##.cards__item--adv.cards__item--big.cards__item.item +hdtube.porn##.page__main > .container + +! https://github.com/NanoMeow/QuickReports/issues/1268 +livesport.ws##+js(aopr, MessageChannel) + +! configspc .com popups +configspc.com##+js(set, jsUnda, noopFunc) + +! https://github.com/NanoAdblocker/NanoFilters/issues/336 +sbsun.com##+js(set, CnnXt.Event.fire, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/5645 +citynow.it##+js(aopr, advads_passive_ads) +||citynow.it/wp-content/uploads/*/banner$image,1p +citynow.it##.advads-close-button + +! https://github.com/uBlockOrigin/uAssets/issues/5647 +@@||myshorturls.blogspot.com^$ghide +myshorturls.blogspot.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/5842 +tmohentai.com##+js(aopr, ExoLoader.serve) +@@||tmohentai.com^$ghide +tmohentai.com##.advert +||tmohentai.com/nb/ +||tmohentai.com/*.php +tmohentai.com##+js(noeval-if, tmohentai) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43053 +variety.com##+js(rmnt, script, admbenefits) +variety.com##+js(aopr, pmc_admanager.show_interrupt_ads) + +! https://github.com/NanoMeow/QuickReports/issues/1276 +@@||sme.sk^$ghide + +! anti adb http://arembed .com/live.php?ch=Bein_Sports1 +@@||janjua.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5651 +xopenload.me##+js(set, jsUnda, noopFunc) +xopenload.me##+js(aopw, open) +xopenload.me##+js(aopr, ExoLoader.serve) +xopenload.me##.btn-lg.btn-block.btn + +! https://github.com/NanoAdblocker/NanoFilters/issues/338 +@@||jbzdy.com.pl^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5666 +@@||senpa.io^$ghide +senpa.io##+js(nobab) +senpa.io###ad-slot-left-panel +senpa.io###ad-slot-center-panel +senpa.io###banner_ad_bottom +senpa.io##.adsPanel +senpa.io##.advertisement-informer + +! https://github.com/uBlockOrigin/uAssets/issues/5667 +! https://github.com/uBlockOrigin/uAssets/issues/6727 +getfreecourses.*##+js(nosiif, visibility, 1000) +@@||getfreecourses.*^$ghide +getfreecourses.*##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/1287 +tuotromedico.com##+js(set, jQuery.adblock, false) + +! https://github.com/NanoMeow/QuickReports/issues/1288 +lesoir.be##+js(nostif, adb) + +! https://github.com/NanoMeow/QuickReports/issues/1298 +mysostech.com##+js(aopw, ai_adb_overlay) + +! https://github.com/NanoMeow/QuickReports/issues/1299 +gleanster.com###overlay + +! Postmedia featured video ads +! https://github.com/uBlockOrigin/uAssets/issues/10499 +airdrieecho.com,brantfordexpositor.ca,calgaryherald.com,calgarysun.com,canoe.com,chathamdailynews.ca,chathamthisweek.com,clintonnewsrecord.com,cochranetimes.com,cochranetimespost.ca,coldlakesun.com,communitypress.ca,countymarket.ca,countyweeklynews.ca,devondispatch.ca,draytonvalleywesternreview.com,edmontonjournal.com,edmontonsun.com,elliotlakestandard.ca,fairviewpost.com,fortmcmurraytoday.com,fortsaskatchewanrecord.com,gananoquereporter.com,goderichsignalstar.com,greybrucethisweek.ca,hannaherald.com,intelligencer.ca,kenoraminerandnews.com,kincardinenews.com,kingstonthisweek.com,lakeshoreadvance.com,leaderpost.com,leducrep.com,lfpress.com,lucknowsentinel.com,mayerthorpefreelancer.com,melfortjournal.com,midnorthmonitor.com,mitchelladvocate.com,montrealgazette.com,nantonnews.com,nationalpost.com,norfolkandtillsonburgnews.com,northernnews.ca,nugget.ca,ontariofarmer.com,ottawacitizen.com,ottawasun.com,owensoundsuntimes.com,parisstaronline.com,peacecountrysun.com,pembrokeobserver.com,pinchercreekecho.com,prrecordgazette.com,recorder.ca,sarniathisweek.com,saultstar.com,saultthisweek.com,seaforthhuronexpositor.com,sherwoodparknews.com,shorelinebeacon.com,simcoereformer.ca,sprucegroveexaminer.com,standard-freeholder.com,stonyplainreporter.com,stratfordbeaconherald.com,strathroyagedispatch.com,stthomastimesjournal.com,thebeaumontnews.ca,thechronicle-online.com,thecragandcanyon.ca,thegraphicleader.com,thelondoner.ca,thepost.on.ca,theprovince.com,thestarphoenix.com,thesudburystar.com,thewhig.com,timminspress.com,timminstimes.com,todaysfarmer.ca,trentonian.ca,vancouversun.com,vermilionstandard.com,vulcanadvocate.com,wallaceburgcourierpress.com,wetaskiwintimes.com,whitecourtstar.com,wiartonecho.com,windsorstar.com,winnipegsun.com,woodstocksentinelreview.com##.featured-video + +! https://github.com/NanoMeow/QuickReports/issues/1296#issuecomment-496916241 +@@||canoe.com^$ghide +canoe.com###postmedia_layouts_ad-top +canoe.com##.ad__container + +! https://github.com/uBlockOrigin/uAssets/issues/5697 +moviflex.*##+js(acs, Math, XMLHttpRequest) +moviflex.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/5698 +! https://github.com/NanoMeow/QuickReports/issues/3261 +! https://github.com/uBlockOrigin/uAssets/issues/19463 +||welect.de^$3p +||wlct-three.de^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/80254 +vladan.fr##+js(nostif, adb, 0) +vladan.fr##body:style(background-image:none !important) +vladan.fr###text-414857080 > .widget-wrap > .widgettitle.widget-title +vladan.fr##[href^="https://www.nakivo.com/"] +vladan.fr##[href^="https://www.starwindsoftware.com/"] +vladan.fr##[href^="https://lpar2rrd.com/"] +vladan.fr##+js(nowoif) +||vladan.fr/*skin$image + +! https://github.com/NanoMeow/QuickReports/issues/1313 +losporn.org##+js(aopr, ExoLoader.serve) +losporn.org##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/1315 +@@||british-birdsongs.uk^$ghide +british-birdsongs.uk##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/5713 +japgay.com##+js(set, AlobaidiDetectAdBlock, true) + +! https://github.com/uBlockOrigin/uAssets/issues/5718 +hentai-vl.blogspot.com##+js(aeld, load, 2000) + +! https://github.com/NanoMeow/QuickReports/issues/1316 +@@||helenair.com^$ghide +helenair.com##.tnt-ads-container + +! https://github.com/adsbypasser/adsbypasser/issues/2081 +! https://github.com/uBlockOrigin/uAssets/issues/18448 +deltabit.co##+js(nano-sib) +*$script,3p,domain=deltabit.co +||ipultcbpgbs.com^ + +! https://github.com/NanoMeow/QuickReports/issues/1322 +@@||loskatchorros.com.br^$ghide +loskatchorros.com.br##.adsbygoogle:style(max-height: 1px !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/cmxap7/embedded_youtubeads_inside_streaming_videos/ew6h7h8/ +! https://github.com/AdguardTeam/AdguardFilters/issues/47342 +! https://github.com/AdguardTeam/AdguardFilters/issues/87631 +! https://github.com/AdguardTeam/AdguardFilters/issues/89759 +! https://github.com/AdguardTeam/AdguardFilters/issues/92220 +! https://github.com/AdguardTeam/AdguardFilters/issues/93328 +! https://github.com/AdguardTeam/AdguardFilters/issues/94244 +javideo.pw,mavplay.*,ujav.me,videobb.*##+js(aopr, jwplayer.utils.Timer) +fembed.*,films5k.com,javideo.pw,mavplay.*,ujav.me,videobb.*##+js(aopr, __Y) +fembed.*,mavplay.*,videobb.*##+js(aopw, adcashMacros) +fembed.*,mavplay.*,videobb.*##+js(aopr, mm) +videobb.*##+js(aopr, glxopen) +fembed.*,mavplay.*,ujav.me,videobb.*##+js(nowoif) +||4gay.fans/fans.js + +! https://github.com/NanoMeow/QuickReports/issues/1337 +@@||siouxcityjournal.com^$ghide +siouxcityjournal.com##.tnt-ads-container + +||wicket.pw/embeds/icc-cwc.png$image + +! filesharing.io anti adb +filesharing.io##+js(aopw, showMsgAb) +@@||filesharing.io^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1340 +@@||loveawake.com^$ghide +loveawake.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/5767 +softwarecrackguru.com##+js(aopw, downloadJSAtOnload) + +! https://github.com/uBlockOrigin/uAssets/issues/5770 +@@||kickedface.com^$ghide + +! https://github.com/NanoAdblocker/NanoFilters/issues/351 +mega-debrid.eu##+js(set, Advertisement, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/5772 +projetomotog.blogspot.com##+js(aeld, load, 2000) + +! https://github.com/NanoAdblocker/NanoFilters/issues/350 +solvetube.*##+js(nostif, 0x, 3000) +||googlesyndication.com/pagead/$script,redirect=noopjs,domain=solvetube.site,important +||google-analytics.com/analytics.js$script,redirect=google-analytics.com/analytics.js,important,domain=solvetube.site +@@*$script,1p,domain=solvetube.* + +! https://github.com/uBlockOrigin/uAssets/issues/5776 +! https://www.reddit.com//r/uBlockOrigin/comments/u3l605/mlwbdhost/ +mlwbd.*##+js(noeval-if, ads) +@@/home.php$popup,domain=mlwbd.* +@@/blog.php$popup,domain=mlwbd.* +mlwbd.*##+js(ra, type, input[value^="http"]) +mlwbd.*##input[value^="http"]:style(width: 70% !important) + +! https://github.com/uBlockOrigin/uAssets/issues/5779 +123mkv.*##+js(nowoif) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43117 +||goodnewsnetwork.org^$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' *.googletagservices.com *.wp.com *.air.tv *.addthis.com *.cloudflare.com *.facebook.net *.facebook.com *.gstatic.com *.youtube.com *.ytimg.com *.google.com *.googletagmanager.com *.instagram.com +! https://github.com/uBlockOrigin/uAssets/issues/5792 +barefeetonthedashboard.com,bargainbriana.com,betterbuttchallenge.com,bike-urious.com,blwideas.com,eartheclipse.com,entertainment-focus.com,fanatik.com.tr,foreverconscious.com,foreversparkly.com,getdatgadget.com,goodnewsnetwork.org,greenarrowtv.com,hbculifestyle.com,heysigmund.com,hodgepodgehippie.com,homestratosphere.com,indesignskills.com,katiescucina.com,knowyourphrase.com,letsworkremotely.com,lizs-early-learning-spot.com,ledauphine.com,leprogres.fr,milliyet.com.tr,mjsbigblog.com,pinoyrecipe.net,prepared-housewives.com,recipesforourdailybread.com,redcarpet-fashionawards.com,republicain-lorrain.fr,savespendsplurge.com,savingadvice.com,shutupandgo.travel,spring.org.uk,stevivor.com,tamaratattles.com,tastefullyeclectic.com,theavtimes.com,thechroniclesofhome.com,thisisourbliss.com,tinyqualityhomes.org,turtleboysports.com,ultimateninjablazingx.com,universfreebox.com,utahsweetsavings.com,vgamerz.com,wheatbellyblog.com,yummytummyaarthi.com##+js(acs, Date, ='\x) +barefeetonthedashboard.com,bargainbriana.com,betterbuttchallenge.com,bike-urious.com,blwideas.com,eartheclipse.com,entertainment-focus.com,fanatik.com.tr,foreverconscious.com,foreversparkly.com,getdatgadget.com,goodnewsnetwork.org,greenarrowtv.com,hbculifestyle.com,heysigmund.com,hodgepodgehippie.com,homestratosphere.com,indesignskills.com,katiescucina.com,knowyourphrase.com,letsworkremotely.com,lizs-early-learning-spot.com,ledauphine.com,leprogres.fr,milliyet.com.tr,mjsbigblog.com,pinoyrecipe.net,prepared-housewives.com,recipesforourdailybread.com,redcarpet-fashionawards.com,republicain-lorrain.fr,savespendsplurge.com,savingadvice.com,shutupandgo.travel,spring.org.uk,stevivor.com,tamaratattles.com,tastefullyeclectic.com,theavtimes.com,thechroniclesofhome.com,thisisourbliss.com,tinyqualityhomes.org,turtleboysports.com,ultimateninjablazingx.com,universfreebox.com,utahsweetsavings.com,vgamerz.com,wheatbellyblog.com,yummytummyaarthi.com##+js(acs, document.head.appendChild, ='\x) +barefeetonthedashboard.com,bargainbriana.com,betterbuttchallenge.com,bike-urious.com,blwideas.com,eartheclipse.com,entertainment-focus.com,fanatik.com.tr,foreverconscious.com,foreversparkly.com,getdatgadget.com,goodnewsnetwork.org,greenarrowtv.com,hbculifestyle.com,heysigmund.com,hodgepodgehippie.com,homestratosphere.com,indesignskills.com,katiescucina.com,knowyourphrase.com,letsworkremotely.com,lizs-early-learning-spot.com,ledauphine.com,leprogres.fr,milliyet.com.tr,mjsbigblog.com,pinoyrecipe.net,prepared-housewives.com,recipesforourdailybread.com,redcarpet-fashionawards.com,republicain-lorrain.fr,savespendsplurge.com,savingadvice.com,shutupandgo.travel,spring.org.uk,stevivor.com,tamaratattles.com,tastefullyeclectic.com,theavtimes.com,thechroniclesofhome.com,thisisourbliss.com,tinyqualityhomes.org,turtleboysports.com,ultimateninjablazingx.com,universfreebox.com,utahsweetsavings.com,vgamerz.com,wheatbellyblog.com,yummytummyaarthi.com##+js(aopr, __eiPb) + +! https://github.com/uBlockOrigin/uAssets/issues/5795 +@@||fapxl.com/skins/blank/js/blockadblock.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5797 +dreamfancy.org##+js(nostif, nextFunction, 250) +dreamfancy.org##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/byxkl0/please_help_me_bypass_the_adblock_detection_on/ +dreamdth.com##+js(aopw, wutimeBotPattern) +! https://www.reddit.com/r/uBlockOrigin/comments/8lmjam/please_help_me_bypass_the_adblock_detection_on/ +dreamdth.com##+js(set, adBlockDetected, false) +dreamdth.com##+js(acs, $, show) + +! https://github.com/uBlockOrigin/uAssets/issues/5799 +! https://github.com/uBlockOrigin/uAssets/issues/18375 +pornhub.*##+js(nostif, adsbytrafficjunkycontext) +pornhub.*##+js(acs, Object.defineProperty, trafficjunky) +pornhub.*##+js(nowoif) +pornhub.*##.uploadBtnContentSpicevids +pornhub.*##.js-becomeUviuFanBtn +pornhub.*##a[href^="https://www.uviu.com"] +pornhub.*##.livesex +pornhub.*##a[href^="https://landing.spicevids.com"] +pornhub.*##.topAdContainter +pornhub.*##[data-event="header_paid_tabs"] +pornhub.*##.joinNowCPPBtn +pornhub.*##.js_joinNowCPPBtn +pornhub.*##.floatLeft.leftSide > div[class]:nth-of-type(2) +pornhub.*##.mgp_overlayContainer +! https://github.com/uBlockOrigin/uAssets/issues/5799#issuecomment-599266182 +pornhub.*##.video-wrapper > #player ~ .hd.clear +pornhub.*##.sniperModeEngaged +pornhub.*##a[href^="http://ads.trafficjunky.net/"] +pornhub.*##.realsex +pornhub.*###pb_block +pornhub.*##.menuLinkDiv:has(a[href^="https://www.spicevids.com/"]) +! https://github.com/uBlockOrigin/uAssets/issues/11753 +pornhub.*##+js(set, page_params.holiday_promo, true) +! https://github.com/AdguardTeam/AdguardFilters/issues/132379 +pornhub.*###relatedVideosCenter > .wrapVideoBlock +! https://github.com/AdguardTeam/AdguardFilters/issues/146564 +pornhub.*##+js(set, abp1, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/5804 +ranker.com##+js(aopr, __eiPb) + +! https://github.com/NanoMeow/QuickReports/issues/1368 +@@||stltoday.com^$ghide +stltoday.com##.dfp-ad +stltoday.com##.tnt-ads-container + +! https://www.reddit.com/r/uBlockOrigin/comments/brisbv/help_with_this_site/ +subdivx.com##+js(cookie-remover, ref_cookie) +subdivx.com###taboola-below-article-thumbnails +||karconsulting.us^$3p + +! thevidhd popups +thevidhd.*##+js(aopw, smrtSB) +thevidhd.*##+js(nowebrtc) +||thevidhd.*/sw.js$script,1p +thevidhd.*##.video_batman +thevidhd.*##h1 + +! https://github.com/uBlockOrigin/uAssets/issues/2290 +! https://github.com/uBlockOrigin/uAssets/issues/21414 +! https://www.reddit.com/r/uBlockOrigin/comments/d7nk0c/ads_getting_through_on_vuducom_and_tubitvcom/ +@@||tubitv.com^$ghide +||ads.adrise.tv^$3p +.mp4$media,redirect=noopmp3-0.1s,domain=tubitv.com +/cdn.*/ads.$badfilter + +! https://forums.lanik.us/viewtopic.php?p=148205#p148205 +cuatro.com,mitele.es,telecinco.es##+js(aopr, $REACTBASE_STATE.serverModules.push) + +! https://github.com/uBlockOrigin/uAssets/issues/5816 +@@||wupfile.com^$ghide +wupfile.com##[id*=ScriptRoot] + +! techperiod.com anti adb +@@||techperiod.com^$ghide +techperiod.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/5828 +acefile.co##+js(aopw, popup_ads) +acefile.co##.textwidget +! https://github.com/realodix/AdBlockID/issues/1746 +acefile.co###btmx + +! https://forums.lanik.us/viewtopic.php?f=103&t=43167 +lne.es##+js(nostif, ipod) +! https://github.com/uBlockOrigin/uAssets/issues/5624 +! https://github.com/uBlockOrigin/uAssets/issues/5891 +diaridegirona.cat,diariodeibiza.es,diariodemallorca.es,diarioinformacion.com,eldia.es,emporda.info,farodevigo.es,laopinioncoruna.es,laopiniondemalaga.es,laopiniondemurcia.es,laopiniondezamora.es,laprovincia.es,levante-emv.com,mallorcazeitung.es,regio7.cat,superdeporte.es##+js(set, pr_okvalida, true) + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/193 +voiranime.com##.ad + +! https://github.com/uBlockOrigin/uAssets/issues/5835 +@@||wikitrik.com^$ghide +@@||wikitrik.com/favicon.ico$image,1p + +! fix seireshd.com anti adb +seireshd.com##+js(acs, btoa, href) +serieslandia.com##+js(aopr, scriptwz_url) +@@||seireshd.com^$ghide +||adsrt.com^$3p + +! fix pivigames.blog ads & popup +pivigames.blog##+js(acs, enlace) +playpaste.com##+js(acs, document.addEventListener, Popup) +playpaste.com##+js(set, $.ajax, trueFunc) +||playpaste.com/sw.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/35411 +ktmx.pro##+js(aeld, load, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/5850 +@@||darkw.pl^$ghide + +! thecrazytourist .com popunder +thecrazytourist.com##+js(acs, document.getElementsByTagName, appendChild) +||sp.booking.com^$domain=thecrazytourist.com + +! https://github.com/uBlockOrigin/uAssets/issues/5855 +megatube.xxx##+js(aopr, BetterJsPop) +||megatube.xxx^$frame,1p +||megatube.xxx/atrm/*$script,1p +@@||megatube.xxx/atrm/s/s/js/m/pr-before.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/1399 +dailydemocrat.com,montereyherald.com,orovillemr.com,record-bee.com,redbluffdailynews.com,reporterherald.com,thereporter.com,timescall.com,timesheraldonline.com,ukiahdailyjournal.com##+js(set, CnnXt.Event.fire, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/c38j3y/block_antiblocker_on_maggotdrowningcom/ +@@||maggotdrowning.com/forums/js/siropu/am/ads.min.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5863 +pornult.com##+js(acs, Math.random, Exoloader) +pornult.com##+js(nowoif) +pornult.com##+js(nostif, offsetWidth) +pornult.com##+js(aopr, exoJsPop101) +pornult.com##+js(aopr, btoa) +||pornult.com/sw.js$script,1p +pornult.com##.sexshp +||pornult.com/*/custom_vast/$media,1p + +! https://github.com/NanoMeow/QuickReports/issues/1406 +! https://github.com/NanoMeow/QuickReports/issues/3929 +! https://github.com/uBlockOrigin/uAssets/issues/23986 +joyn.de,joyn.at##+js(no-fetch-if, zomap.de) +@@||ad.71i.de/global_js/AppConfig/Joyn/desktop.json$xhr,domain=joyn.de +@@||adition.com/1x1.gif$xhr,domain=joyn.de +@@||aws.route71.net/ad-$script,domain=joyn.de +@@||research.de.com/bb-mx/prime$xhr,domain=joyn.de +@@||script.ioam.de/iam.js$script,domain=joyn.de +@@||securepubads.g.doubleclick.net/pcs/view/*$xhr,domain=joyn.de + +! https://github.com/AdguardTeam/AdguardFilters/issues/35676 +dictionnaire-medical.net##+js(nostif, nextFunction, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/9158 +@@||money.it^$ghide +money.it##.gptslot + +! https://github.com/uBlockOrigin/uAssets/issues/5877 +nonktube.com##+js(nowoif) +nonktube.com##+js(aopr, decodeURI) + +! https://github.com/NanoMeow/QuickReports/issues/1424 +@@||kenkenpuzzle.com/assets/*$xhr,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/35801 +izzylaif.com##+js(acs, jQuery, undefined) + +! https://github.com/AdguardTeam/AdguardFilters/issues/35816 +@@||gelbeseiten.de^$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/35459 +movs4u.*##+js(aeld, , _0x) +||i.imgur.com/*.gif$image,domain=movs4u.* + +! https://github.com/NanoMeow/QuickReports/issues/1427 +collater.al##+js(aopr, adsanity_ad_block_vars) + +! https://github.com/NanoMeow/QuickReports/issues/1429 +@@||get-click2.blogspot.com^$ghide +get-click2.blogspot.com##[href^="http://bit.ly"] + +! https://github.com/NanoMeow/QuickReports/issues/1433 +mousecity.com##.banner-box-squareb +mousecity.com##.banner-box + +! https://github.com/uBlockOrigin/uAssets/issues/13918 +proplanta.de##+js(nostif, /$|adBlock/) + +! https://github.com/NanoMeow/QuickReports/issues/1435 +@@||hydrogenassociation.org^$ghide +hydrogenassociation.org##+js(nostif, ads) + +! https://github.com/NanoMeow/QuickReports/issues/1436 +@@||paraphrasing-tool.com^$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/1438 +beautypackaging.com##+js(aopw, adblockerpopup) + +! https://github.com/uBlockOrigin/uAssets/issues/5893 +uptomega.*##+js(nano-stb, seconds) +*$3p,denyallow=bootstrapcdn.com|cloudflare.net|fontawesome.com|hwcdn.net|jquery.com|uptomega.com,domain=uptomega.* +uptomega.*##.ads + +! https://forums.lanik.us/viewtopic.php?f=62&t=43212 +@@||vtpii.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/36007 +*$image,domain=grafixfather.com,redirect-rule=1x1.gif +@@||grafixfather.com^$ghide +grafixfather.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/35953 +@@||league-funny.com^$ghide +league-funny.com##[id^="div-gpt-ad-"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/35930 +@@||vacation-et.work^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5901 +hotgameplus.com##+js(aopw, downloadJSAtOnload) + +! https://github.com/NanoMeow/QuickReports/issues/1450 +puhutv.com##+js(aopw, adblockCheck) + +! https://github.com/uBlockOrigin/uAssets/issues/5917 +megavideo.*##+js(nowoif) +*$script,3p,denyallow=cloudflare.com|disqus.com|fastlylb.net|google.com|googleapis.com|gstatic.com|hwcdn.net|jquery.com|unpkg.com,domain=megavideo.* +uwatchfree.*,hydrax.*##+js(aeld, , _0x) +uwatchfree.*##[href*="deceittoured.com"] +uwatchfree.*##.hd-links +uwatchfree.*##center + +! https://github.com/uBlockOrigin/uAssets/issues/5918 +! watch4hd. net (ex .com) +watch4hd.*##+js(aopr, open) +watch4hd.*##.btn-block.btn + +! altadefinizione .cloud anti adb +||altadefinizone.*^$popup,3p + +! https://www.camp-firefox.de/forum/thema/111753-%C2%B5block-origin-ad-blocker-diskussionsthread/?postID=1118918#post1118918 +*$popunder,3p,domain=alemannia-aachen.de +alemannia-aachen.de###grid-image-head +alemannia-aachen.de##.b-error +||hitadsmedia.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/5926 +5movies.*##+js(aopr, mm) +5movies.*###cookiedata +5movies.*##.btn-lg +5movies.*###content-embed:style(display: block!important) +5movies.*##.streamaly +5movies.*##.les-title:has-text(HD) +1movietv.com##li.uk-active:remove() +||affforce.com^$doc,popup + +! https://github.com/uBlockOrigin/uAssets/issues/5926 +01fmovies.com##+js(aopr, AaDetector) +01fmovies.com##+js(aeld, DOMContentLoaded, checkVPN) +||01fmovies.com/mmmasdfl-asd$xhr,1p +01fmovies.com##[src^="/addons/"] +01fmovies.com##.jw-logo +01fmovies.com##.ico.close + +! https://github.com/uBlockOrigin/uAssets/issues/5928 +! https://github.com/uBlockOrigin/uAssets/issues/5932 +||autotracer.org/cnc/?*=rightcol$xhr,1p +||vectorization.org/cnc/?*=rightcol$xhr,1p + +! https://github.com/NanoMeow/QuickReports/issues/1474 +oranhightech.com##+js(aopw, cancelAdBlocker) + +! https://github.com/NanoMeow/QuickReports/issues/1480 +@@||nosey.com^$ghide +nosey.com##.unreel-player-overlay + +! https://github.com/uBlockOrigin/uAssets/issues/5937 +! https://github.com/uBlockOrigin/uAssets/issues/5938 +tusfiles.com##+js(aopw, Fingerprint2) +tusfiles.com##+js(nowoif) +||tusfiles.com/sw.js$script,1p +gdtot.*,tusfiles.com##+js(acs, document.createElement, 'script') +*$3p,denyallow=cloudflare.com|fastly.net|support.send.cm|tusfiles.net|zencdn.net,domain=tusfiles.com +gdtot.*##+js(aopr, open) + +! https://github.com/NanoMeow/QuickReports/issues/1481 +@@||lapresse.ca^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5945 +lirik3satu.blogspot.com##+js(aeld, load, 2000) + +! mangovideo's sites +adultdvdparadise.com,freeomovie.info,fullxxxmovies.me,mangoparody.com,mangoporn.co,netflixporno.net,pandamovie.*,pandamovies.me,pornkino.cc,pornwatch.ws,speedporn.*,watchfreexxx.pw,watchpornfree.*,watchxxxfree.pw,xopenload.pw,xtapes.me,xxxparodyhd.net,xxxscenes.net,xxxstream.me,youwatchporn.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +adultdvdparadise.com,freeomovie.info,fullxxxmovies.me,mangoparody.com,mangoporn.co,netflixporno.net,pandamovie.*,pandamovies.me,pornkino.cc,pornwatch.ws,speedporn.*,watchfreexxx.pw,watchpornfree.*,watchxxxfree.pw,xopenload.pw,xtapes.me,xxxparodyhd.net,xxxscenes.net,xxxstream.me,youwatchporn.com##+js(nowoif) +pandamovie.*,pandamovies.me,pornkino.cc,speedporn.*,youwatchporn.com###tracking-url +pornwatch.ws,xopenload.pw,xxxparodyhd.net,xxxstream.me##.btn-lg.btn-block.btn +pandamovie.*,pandamovies.me,pornkino.cc,speedporn.*,xxxscenes.net,youwatchporn.com##.video-block-happy-absolute:upward(.order-1) +pandamovie.*,pandamovies.me,pornkino.cc,speedporn.*,xxxscenes.net,youwatchporn.com##.happy-player-beside, .happy-section, .widget_execphp:has-text(/Advertisement|ExoLoader/) + +! https://github.com/uBlockOrigin/uAssets/issues/5946 +gamefront.com##+js(acs, $, AdBlock) +gamefront.com##+js(nano-stb, , 10000) + +! https://github.com/uBlockOrigin/uAssets/issues/6339 +! https://github.com/uBlockOrigin/uAssets/issues/8700 +! https://github.com/uBlockOrigin/uAssets/issues/19428 +washingtonpost.com##+js(acs, Promise, 'overlay') +washingtonpost.com##+js(acs, document.createElement, 'overlay') +washingtonpost.com##+js(rmnt, script, /\badblock\b/) +washingtonpost.com##.remainder-content .db-ns.dn +washingtonpost.com##html[style="overflow: hidden;"]:style(overflow: auto !important;) +washingtonpost.com##.outbrain-wrapper +washingtonpost.com##.bb.pt-0 +washingtonpost.com##div.grey-bg +washingtonpost.com##section > div:has-text(/^AD$/) +washingtonpost.com##:xpath('//*[(text()="AD")]/..') +washingtonpost.com##.w-100:has-text(Advertisement) +! https://github.com/uBlockOrigin/uAssets/issues/23379 +washingtonpost.com##[data-testid="article-body-card"]:has(> [data-qa="article-body-ad"]) +! https://github.com/uBlockOrigin/uAssets/issues/9185#issuecomment-847835587 +washingtonpost.com##div.mb-lg.mt-lg.pb-lg.pt-lg.bc-gray-lighter.bh.b.justify-center.items-center.flex.dn-hp-sm-to-mx +washingtonpost.com###mobile-footer-ad-wrapper + +! https://www.reddit.com/r/uBlockOrigin/comments/ccbpn2/ +! https://github.com/uBlockOrigin/uAssets/issues/15427 +rawstory.com##+js(aopr, setNptTechAdblockerCookie) +@@||rawstory.com^$ghide +rawstory.com##.rs_ad_block +rawstory.com##.amp-unresolved +rawstory.com##.proper-ad-unit +rawstory.com##.alt_ad_block +rawstory.com##.connatix-holder +rawstory.com##ins.adsbygoogle +rawstory.com##[class^="mgid_"] +rawstory.com###rc-widget-d9572e +rawstory.com##[id^="spink_appeal_box"] + +! https://github.com/uBlockOrigin/uAssets/issues/5951 +gonzoporn.cc,onlinexxx.cc,tvporn.cc##+js(acs, decodeURI, decodeURIComponent) +gonzoporn.cc,onlinexxx.cc,tvporn.cc##+js(aopr, exoJsPop101) + +! https://github.com/NanoMeow/QuickReports/issues/1492 +kimochi.info##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/1495 +! https://github.com/NanoMeow/QuickReports/issues/2510 +*$script,redirect-rule=noopjs,domain=linternaute.com +@@||googletagmanager.com/gtm.js$script,domain=linternaute.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/36733 +samash.com##+js(acs, document.getElementById, for-variations) + +! https://github.com/NanoMeow/QuickReports/issues/1511 +@@||blindhypnosis.com/adsbygoogle.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/1515 +godtube.com##+js(aopr, googletag) + +! https://github.com/NanoMeow/QuickReports/issues/1518 +||googlesyndication.com/pagead/js/adsbygoogle.js$xhr,redirect=noopjs,domain=rollingstone.it + +! https://github.com/uBlockOrigin/uAssets/issues/5971 +ftopx.com##+js(aopr, exoJsPop101) +ftopx.com##+js(aopr, ExoLoader.addZone) +ftopx.com##+js(aopr, loadTool) + +! https://github.com/NanoMeow/QuickReports/issues/1522 +@@||ifc.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1529 +techhx.com##+js(set, google_jobrunner, true) + +! https://www.reddit.com/r/uBlockOrigin/comments/cf1y5b/unable_to_block_these_adverts_myselfredirect_to/ +1movietv.com##+js(refresh-defuser) +1movietv.com##[target="_blank"][href$=".html"] +||ekdj30.com^ + +! https://github.com/NanoAdblocker/NanoFilters/issues/373 +vidstream.*##+js(nowoif, !api?call=, 10, obj) +||psaiceex.net^ + +! https://github.com/NanoMeow/QuickReports/issues/1538 +watchgameofthrones.*##+js(aopr, AaDetector) +watchgameofthrones.*##+js(nobab) +watchgameofthrones.*###keeper2 + +! https://github.com/uBlockOrigin/uAssets/issues/5987 +! https://github.com/uBlockOrigin/uAssets/issues/17477 +mad4wheels.com##+js(nostif, adsbygoogle) +mad4wheels.com##+js(aopw, adblock) + +! https://github.com/NanoMeow/QuickReports/issues/1543 +dailylocal.com##+js(set, CnnXt.Event.fire, noopFunc) + +! marketmovers.it anti adb +marketmovers.it##+js(aeld, load, 2000) +marketmovers.it##^script:has-text(google_ad_client) + +! https://github.com/NanoMeow/QuickReports/issues/1545 +gsurl.*##+js(aeld, mousedown, preventDefault) +||iz682noju02ye5.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/5994 +northern-scot.co.uk##+js(aopr, CatapultTools) +northern-scot.co.uk##.MPU +northern-scot.co.uk##.TaboolaSide + +! https://github.com/NanoAdblocker/NanoFilters/issues/378 +cnbc.com##+js(set, cnbc.canShowAds, true) +cnbc.com##[class^="CreditCardCalloutWildcard-styles-select"]:has([href*="/?lid="]) + +! https://github.com/uBlockOrigin/uAssets/issues/12328 +||js.allporncomic.com^ +allporncomic.com##+js(aopw, ExoSupport) +allporncomic.com##+js(aopr, exoJsPop101) +allporncomic.com##.ad +allporncomic.com##iframe +*$script,3p,domain=allporncomic.com,denyallow=cloudflare.com + +! https://github.com/uBlockOrigin/uAssets/issues/5995 +! https://github.com/uBlockOrigin/uAssets/issues/6054 +! https://github.com/uBlockOrigin/uAssets/issues/6349 +||pmdipads-a.akamaihd.net^$media,redirect=noopmp3-0.1s + +! https://github.com/NanoMeow/QuickReports/issues/1557 +@@||reactgo.com^$ghide +reactgo.com##ins.adsbygoogle + +! pharmaguideline.com anti adb +pharmaguideline.com##+js(aeld, load, 2000) + +! https://github.com/NanoMeow/QuickReports/issues/1565 +puzzles.msn.com##+js(set, Adv_ab, false) +puzzles.msn.com##+js(nano-sib) +@@||puzzles.msn.com^$ghide +@@||cdn.arkadiumhosted.com/advertisement/*/video-ads.js$script,domain=puzzles.msn.com +@@||cdn.arkadiumhosted.com/advertisement/*/display-ads.js$script,domain=puzzles.msn.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,domain=puzzles.msn.com +puzzles.msn.com##[class*="displayAd"], .ark-ad-message + +! https://github.com/uBlockOrigin/uAssets/issues/5988 +||videorolls.row.aiv-cdn.net/*.mp4$media,redirect=noopmp3-0.1s,domain=amazon.com +! https://github.com/uBlockOrigin/uAssets/issues/14512 +! https://www.reddit.com/r/uBlockOrigin/comments/14ftp7a/ +! https://www.reddit.com/r/uBlockOrigin/comments/1ahd08o/amazon_prime_freevee_with_ads_showing_ads_never/ +www.amazon.co.jp,www.amazon.co.uk,www.amazon.com,www.amazon.de,www.primevideo.com##+js(json-prune, cuepointPlaylist vodPlaybackUrls.result.playbackUrls.cuepoints) +www.amazon.co.jp,www.amazon.co.uk,www.amazon.com,www.amazon.de,www.primevideo.com##+js(xml-prune, xpath(//*[name()="Period"][.//*[@value="Ad"]] | //*[name()="Period"]/@start), [value="Ad"], .mpd) + +! https://github.com/NanoMeow/QuickReports/issues/1570 +@@||novelgo.id^$ghide +novelgo.id##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/1576 +lyricsongation.com##+js(nobab) + +! https://github.com/NanoMeow/QuickReports/issues/1578 +@@||finalboss.io^$ghide +finalboss.io##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/5140#issuecomment-515653809 +vev.*,vidop.*##+js(aeld, /^(?:click|mousedown|mouseup)$/, di()) +vev.*,vidop.*,vidup.*##+js(set, console.clear, trueFunc) +vev.*,vidup.*##+js(nowoif, /^/, 1) +@@||vev.*^$ghide +@@||vidop.*^$ghide +@@||vidup.*^$ghide +*$frame,3p,domain=vev.red|vidop.icu|vidup.io +||vev.*/sw.js$script,1p +||vidop.*/sw.js$script,1p +||vidup.*/sw.js$script,1p +*$script,domain=vidup.io,redirect-rule=noopjs +vidup.*##.sponsored-container +vev.*##.vjs-overlay +vev.*##body > div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"] + +! https://github.com/uBlockOrigin/uAssets/issues/6007 +okanime.*##+js(acs, $, getElementById) +okanime.*##+js(nowebrtc) +okanime.*##+js(nowoif) +okanime.*###calque + +! https://github.com/uBlockOrigin/uAssets/issues/6009 +besthugecocks.com##+js(aopr, document.dispatchEvent) + +! https://github.com/NanoMeow/QuickReports/issues/1582 +pipocamoderna.com.br##+js(aopw, adBlockDetected) + +! https://github.com/jspenguin2017/uBlockProtector/issues/1073 +textograto.com##+js(nostif, ()) + +! https://forums.lanik.us/viewtopic.php?p=153254#p153254 +rainanime.*##+js(aopr, loadRunative) +rainanime.*##.fake_player + +! https://github.com/uBlockOrigin/uAssets/issues/6022 +! https://github.com/AdguardTeam/AdguardFilters/issues/117880 +shrink.*##+js(aopr, app_vars.force_disable_adblock) +shrink.*##+js(aopr, adBlockDetected) +shrink.*##+js(nowebrtc) +shrink.*##+js(set, blurred, false) +shrink.*##+js(aopr, open) +shrink.*##+js(noeval-if, replace) +shrink.*##center +shrink.*##.banner +@@||shrink.*^$ghide +bigbtc.win##div[style^="width:300px;height:250px"] +@@||onceagain.mooo.com/prebid.js$script,domain=bigbtc.win +bigbtc.win,cryptofun.space##^script:has-text(/block-adb|-0x|ad block|alert/) +bigbtc.win,cryptofun.space##+js(rmnt, script, /block-adb|-0x|ad block|alert/) +@@||bigbtc.win^$ghide +bigbtc.win,cryptofun.space###block-adb-enabled, #block-add-enabled +bigbtc.win,cryptofun.space###main, #ielement:style(display: block !important;) +bigbtc.win##div:has(> div[style] > div[id] > script[src^="//ads.themoneytizer.com"]) +@@||dlvid.*/prebid.js$domain=bigbtc.win|shrink.icu + +! https://github.com/uBlockOrigin/uAssets/issues/6021 +! https://github.com/uBlockOrigin/uAssets/issues/17901 +||watson.de/js/tisoomi.js$script,1p +watson.de##[data-ad] + +! https://github.com/uBlockOrigin/uAssets/issues/6024 +activistpost.com##+js(aopr, XMLHttpRequest) +activistpost.com##+js(aopr, String.fromCharCode) +||activistpost.com^$script,1p +@@||activistpost.com/wp-$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/1599 +hackedonlinegames.com##+js(nostif, _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/1279#issuecomment-517348623 +! https://github.com/uBlockOrigin/uAssets/issues/7512 +crunchyroll.com##+js(json-prune, value.media.ad_breaks) +crunchyroll.com##+js(nosiif, onAdVideoStart) +crunchyroll.com###template_skin_leaderboard +! https://www.reddit.com/r/uBlockOrigin/comments/15vf9oj/problems_with_crunchyroll/ +! https://github.com/easylist/easylist/issues/17104 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=crunchyroll.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/6029 +! https://github.com/uBlockOrigin/uAssets/issues/16049 +!*$popunder,3p,domain=spankbang.com +||ersties.com^$3p +||spankbang.*/official/serve_ +spankbang.*##+js(nowoif) +spankbang.*##+js(set, chrome, undefined) +spankbang.*##.ttaa2v3 +spankbang.*##[id^="interstitial_div"] +spankbang.*##.video-list-with-ads > .video-item[data-id="0"] +spankbang.*##.lv_cm_int_come_on +spankbang.*##.download-promo +spankbang.*##.ptgncdn_holder +spankbang.*##.ad_button +spankbang.*###shorts-frame + +! https://github.com/uBlockOrigin/uAssets/issues/6040 +@@||g-status.com^$ghide +g-status.com##ins.adsbygoogle +g-status.com##.topadv_placeholder + +! https://github.com/NanoMeow/QuickReports/issues/1443 +arcadeprehacks.com##+js(acs, Math.random, zonefile) + +! https://github.com/NanoMeow/QuickReports/issues/1608 +bilasport.net##+js(aopr, pwparams) + +! starachowice .eu anti adb +@@||starachowice.eu^$ghide + +! iporntv .net popups +iporntv.net##+js(acs, document.createElement, pop) + +! https://github.com/NanoMeow/QuickReports/issues/1203#issuecomment-517941828 +skeimg.com##+js(nowoif) +||d1k3dpebxhgqjc.cloudfront.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/6045 +readcomicsonline.ru##+js(acs, document.createElement, "script") +@@||readcomicsonline.ru^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/clzwbg/ +yogitimes.com##+js(aopr, fuckAdBlock) + +! games4king https://github.com/NanoMeow/QuickReports/issues/19 +games4king.com###wrapped-content:style(display:inherit!important) +games4king.com###ava-game_container:style(display:inherit!important) +games4king.com##[id^="leaderboard"] +games4king.com##[class^="ads"] +games4king.com##[href^="https://play.google.com/"] +games4king.com##+js(ra, target) + +! other https://github.com/NanoMeow/QuickReports/issues/19 +##.wgAdBlockMessage +||cdn.pushcrew.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/1624 +4share.vn##+js(nano-stb) +4share.vn##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/121 +firefaucet.win##+js(nofab) +firefaucet.win##+js(set, firefaucet, true) +@@||firefaucet.win^$ghide +firefaucet.win##[class^="sticky-ad"] +||cpx-research.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/1627 +||adservice.google.*/adsid/integrator.js$xhr,redirect=nooptext,domain=tubia.com + +! https://github.com/NanoMeow/QuickReports/issues/1630 +odkrywamyzakryte.com##+js(nofab) + +! https://github.com/uBlockOrigin/uAssets/issues/26716 +xtapes.to##+js(acs, document.write, unescape) +74k.io##+js(set, cRAds, true) +74k.io##+js(set, uas, []) +88z.io##body > iframe[style^="left: 0px; bottom:"] +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=88z.io + +! https://github.com/uBlockOrigin/uAssets/commit/5b3b660a548cc01973ea5fbf6a1a492a20d936e2#commitcomment-34599062 +! https://github.com/NanoMeow/QuickReports/issues/1885 +0xxx.ws##+js(acs, decodeURI, decodeURIComponent) +0xxx.ws##+js(nowoif) + +! gocolumbialions.com anti adb +@@||gocolumbialions.com^$ghide +||gocolumbialions.com/components/js/analytics.js$script,1p,redirect=noopjs + +! cle0desktop.blogspot.com anti adb +cle0desktop.blogspot.com##+js(nostif, nextFunction, 2000) +cle0desktop.blogspot.com##+js(aeld, , pop) + +! voyageforum.com anti adb +voyageforum.com##+js(nostif, AdBlock) + +! wuxiaworld.com anti adb +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=wuxiaworld.com +@@||pubads.g.doubleclick.net/gampad/ads*wuxiaworld.com$xhr,domain=imasdk.googleapis.com + +! https://forums.lanik.us/viewtopic.php?f=62&t=34830 +g5u.pw##A[href$=".html"][rel="nofollow norefferer noopener"] +! https://github.com/abp-filters/abp-filters-anti-cv/issues/247 +g5u.pw##+js(acs, Object.defineProperty, XMLHttpRequest) +||g5u.pw/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6056 +artribune.com##+js(aost, Object, mark) +artribune.com##^script:has-text(window.adsbygoogle) + +! https://github.com/NanoMeow/QuickReports/issues/1637 +interfans.org##+js(acs, $, AdBlock) +interfans.org##+js(nobab) + +! https://github.com/uBlockOrigin/uAssets/issues/470 +xclusivejams.*##+js(aopr, decodeURI) +||xclusivejams.*/sw.js$script + +! https://www.reddit.com/r/uBlockOrigin/comments/cnj0ex/admiral_adblock_blocker/ +! https://github.com/uBlockOrigin/uAssets/issues/13322 +prad.de##+js(nostif, stop-scrolling) + +! https://github.com/uBlockOrigin/uAssets/issues/6062 +juba-get.com##+js(aopr, detectAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/6060 +chatta.it##+js(nostif, Adv) + +! https://github.com/uBlockOrigin/uAssets/issues/6063 +up-load.io##+js(noeval) +up-load.io##+js(nostif, nextFunction, 2000) +||up-load.io/sw.js$xhr,1p +*$3p,denyallow=cloudflare.net|fontawesome.com|google.com|googleapis.com|gstatic.com|hwcdn.net|jquery.com|up-load.download,domain=up-load.io +up-load.io##.ads + +! ketubanjiwa.com anti adb +ketubanjiwa.com##+js(nostif, blockUI, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/6065 +direct-link.net,link-to.net,direkt-wissen.com##+js(nano-sib, countdown) +direct-link.net,direkt-wissen.com,link-to.net##+js(nano-sib, web_counter) +direct-link.net,direkt-wissen.com,link-to.net##+js(nano-sib, video_counter) +direct-link.net,link-to.net##+js(nano-stb, notification_state, 12000) +direct-link.net,direkt-wissen.com,link-to.net##+js(set, app.addonIsInstalled, trueFunc) +direct-link.net,direkt-wissen.com##+js(nostif, nextFunction, 2000) +||direct-link.net^$xhr,1p +@@||direct-link.net/*/click$xhr,1p +@@||link-to.net/*/click$xhr,1p +direct-link.net,link-to.net##.redirect-overlay + +! https://github.com/uBlockOrigin/uAssets/issues/6067 +rlslog.net##+js(aeld, load) +rlslog.net##+js(nowebrtc) + +! https://github.com/NanoAdblocker/NanoFilters/issues/388 +@@||jwpcdn.com/player/plugins/googima/v/*/googima.js$script,domain=viu.tv + +! tf1 .fr +! https://www.reddit.com/r/uBlockOrigin/comments/me8x4e/ublock_detected_again_for_mytf1fr/ +@@||tf1.fr^$ghide +||delivery.tf1.fr/pub$media,redirect=noopmp3-0.1s,domain=tf1.fr +||dnl-adv-ssl.tf1.fr/$media,redirect=noopmp3-0.1s,domain=tf1.fr +*$xhr,redirect-rule=nooptext,domain=tf1.fr +tf1.fr##+js(no-fetch-if, adsafeprotected) +@@||footprint.net^$xhr,domain=prod-player.tf1.fr +@@||vendorlist.consensu.org/vendorlist.json$xhr,domain=tf1.fr +@@||cdn.tagcommander.com/cmp-api/cmp.js$script,domain=tf1.fr +||slpubmedias.tf1.fr^$media,1p,redirect=noopmp3-0.1s + +! https://github.com/NanoMeow/QuickReports/issues/1653 +f1livegp.net##+js(nowebrtc) +f1livegp.net###blockblockA + +! safemaru.blogspot.com anti adb +safemaru.blogspot.com##+js(aeld, load, 2000) + +! https://github.com/NanoMeow/QuickReports/issues/1661 +reverso.net##+js(acs, $, adblock) +reverso.net##.vdahead +reverso.net##.bottom-rca +reverso.net##.wrapperW + .sticky + +! https://github.com/uBlockOrigin/uAssets/issues/2285 +smutr.com##+js(popads-dummy) +smutr.com##+js(set, flashvars.adv_pre_vast, '') +smutr.com##+js(set, flashvars.popunder_url, undefined) +*$popunder,domain=smutr.com,3p + +! yuvutu .com popunder +yuvutu.com##+js(acs, String.prototype.charAt) + +! https://github.com/NanoMeow/QuickReports/issues/1664 +@@||lnk2.cc^$script,1p +lnk2.cc##+js(aeld, , \) +lnk2.cc##+js(nano-stb) + +! https://github.com/uBlockOrigin/uAssets/issues/6075 +ucptt.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/4885#issuecomment-521199974 +||loadshare.org/custom/*$media,redirect=noopmp4-1s,important + +! https://github.com/uBlockOrigin/uAssets/issues/6092 +! https://github.com/uBlockOrigin/uAssets/issues/14928 +! https://github.com/uBlockOrigin/uAssets/issues/17916 +kachelmannwetter.com,meteologix.com##.dkpw-billboard-margin +kachelmannwetter.com,meteologix.com,weather.us##.dkpw-billboard-margin-fixed +kachelmannwetter.com##[href="https://pflotsh.com"] +kachelmannwetter.com###meteosafe +meteologix.com##.md-billboard-sp +meteologix.com,weather.us##.mdcss-desktop +kachelmannwetter.com,meteologix.com,weather.us##.kw-ad-right +meteologix.com,weather.us##.gad-billboard-pos +weather.us##.dkpw-abp +@@||meteologix.com^$ghide +@@||weather.us^$ghide +||mairdumont.com^$script,redirect-rule=noopjs,domain=kachelmannwetter.com +||md-nx.com^$script,redirect-rule=noopjs,domain=meteologix.com|weather.us + +! https://github.com/uBlockOrigin/uAssets/issues/6081 +techperiod.com##+js(set, blockAdBlock, true) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43387 +4movierulz.*##+js(aeld, , _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/6083 +losmovies.*##.aPlaceHolder + +! sportlemons. net / org popups / ads +sportlemon.*,sportlemons.*,sportlemonx.*##+js(aopr, decodeURI) +sportlemons.*###happyDog +sportlemons.*###lazyCat +sportlemonx.com##.tallstreambanner +||bitcoinsports.org^$3p + +! https://github.com/NanoAdblocker/NanoFilters/issues/391 +xxx-image.com##+js(aopr, adsBlocked) +xxx-image.com##+js(aopr, open) +xxx-image.com##+js(noeval) +xxx-image.com##+js(aopr, XMLHttpRequest) +xxx-image.com##+js(aopr, Date.prototype.toUTCString) +xxx-image.com##+js(ra, oncontextmenu) +xxx-image.com##.footer-container + +! https://www.reddit.com/r/uBlockOrigin/comments/cr5owd/doesnt_work_in_oscobocom_after_searching/ +oscobo.com##.banotset:upward(3) + +! https://github.com/uBlockOrigin/uAssets/issues/6096 +! hulkpop.com -> kpopjjang.com +kpopjjang.com##+js(aopr, decodeURIComponent) +kpopjjang.com##+js(aopr, Base64) + +! exe.io shorteners +! https://github.com/uBlockOrigin/uAssets/issues/7574 +cuts-url.com,eio.io,exe.io,exe.app,exee.io##+js(aopr, app_vars.force_disable_adblock) +exe.io,exe.app##+js(nowoif) +cuts-url.com,eio.io,exe.app,exee.io##+js(set, blurred, false) +/sw.js$script,1p,domain=eio.io|exe.app|exee.io +exey.io##+js(acs, encodeURIComponent, XMLHttpRequest) +exey.io##+js(set, blurred, false) +eio.io,exee.io,exe.app##+js(aopr, adBlockDetected) +exey.io##+js(acs, disableItToContinue) +@@||exe.app^$ghide +exe.app,eio.io,ufacw.com##+js(no-fetch-if, google) +exe.io##+js(aopr, parcelRequire) +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=exey.io +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/$script,domain=exey.io +/ad-m.js$script,1p +||lengejoberdak.pro^ +||measur-d.com^$3p +exee.io,exe.app##.banner-page > .short +! https://github.com/AdguardTeam/AdguardFilters/issues/111672 +skincarie.com##+js(nowoif) +skincarie.com##+js(set, blurred, false) +! https://github.com/uBlockOrigin/uAssets/issues/14725 +ufacw.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +ufacw.com###wpsafe-generate, #wpsafe-link:others() +! https://github.com/AdguardTeam/AdguardFilters/issues/162749 +exeo.app##+js(set, blurred, false) + +! https://github.com/NanoMeow/QuickReports/issues/3168 +nsfw247.to##+js(nostif, mdpDeBlocker) + +! https://github.com/uBlockOrigin/uAssets/issues/6102 +mzee.com##+js(aopr, performance) + +! https://github.com/NanoMeow/QuickReports/issues/1687 +@@||idalponse.blogspot.com^$ghide +idalponse.blogspot.com##ins.adsbygoogle + +! automobiledimension.com anti adb +automobiledimension.com##.avisdiv + +! https://github.com/jspenguin2017/uBlockProtector/issues/1080 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=mysterious-dev.com + +! https://github.com/uBlockOrigin/uAssets/issues/6104 +daftporn.com##+js(aopr, document.dispatchEvent) +daftporn.com##+js(disable-newtab-links) + +! https://github.com/uBlockOrigin/uAssets/issues/6107 +bravoerotica.com##+js(aopr, ExoLoader.serve) +bravoerotica.net##+js(set, flashvars.adv_pause_html, '') +bravoerotica.net##+js(set, flashvars.adv_start_html, '') +bravoerotica.net##.place +bravoerotica.net##.table + +! https://github.com/uBlockOrigin/uAssets/issues/6111 +@@||emu-games.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6106 +fullhdxxx.com##+js(aeld, popstate) +fullhdxxx.com##+js(aopr, ExoLoader) +fullhdxxx.com##+js(set, adv, true) +fullhdxxx.com##+js(aopr, btoa) +fullhdxxx.com,viptube.com##+js(nowoif) +fullhdxxx.com###video-slider +! https://github.com/uBlockOrigin/uAssets/issues/6106#issuecomment-528640975 +m.viptube.com##+js(aopw, mobilePop) + +! https://github.com/uBlockOrigin/uAssets/issues/6113 +madchensex.com##+js(aopr, ExoLoader) +madchensex.com###side-spot + +! https://github.com/uBlockOrigin/uAssets/issues/1854 +xasiat.com##+js(aopr, exoJsPop101) +xasiat.com##+js(aopr, ExoLoader.serve) + +! https://github.com/uBlockOrigin/uAssets/issues/6115 +||rusexclips.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/6116 +redporno.cz##+js(aopr, ExoLoader.serve) +redporno.cz##.right + +! https://github.com/uBlockOrigin/uAssets/issues/6117 +vintageporntubes.com##+js(aopr, ExoLoader.serve) +vintageporntubes.com##+js(aeld, getexoloader) +vintageporntubes.com##.VPT_player_ads + +! https://github.com/uBlockOrigin/uAssets/issues/6118 +italianoxxx.com##+js(aopr, document.dispatchEvent) +||scopateitaliane.it^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/6120 +collegehdsex.com,lustylist.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6121 +yumstories.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6122 +18-teen-porn.com,69teentube.com,girlshd.xxx,home-xxx-videos.com,orgasmlist.com,teensextube.xxx##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6123 +xxxvideos247.com##+js(aopr, ExoLoader.serve) + +! https://github.com/uBlockOrigin/uAssets/issues/6124 +pornyfap.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6125 +young-pussy.com##+js(aopr, ExoLoader.serve) +young-pussy.com###playerOverlay + +! https://forums.lanik.us/viewtopic.php?f=62&t=43398 +! https://github.com/NanoMeow/QuickReports/issues/3629 +! https://github.com/NanoMeow/QuickReports/issues/4367 +extremereportbot.com##+js(nostif, /_0x|debug/) +extremereportbot.com##+js(nosiif, /_0x|debug/) +@@||extremereportbot.com^$ghide +*$script,redirect-rule=noopjs,domain=extremereportbot.com +||googleapis.com/discovery/$xhr,domain=extremereportbot.com +@@||pagead2.googlesyndication.com^*/show_ads_impl.js$script,domain=extremereportbot.com +@@||doubleclick.net/pagead/*$frame,domain=extremereportbot.com +@@||googlesyndication.com^$xhr,domain=extremereportbot.com + +! https://github.com/NanoMeow/QuickReports/issues/1693 +tatsumi-crew.net##+js(nobab) +tatsumi-crew.net###HTML2 + +! https://github.com/uBlockOrigin/uAssets/issues/6127 +your-daily-girl.com##+js(aopr, adtoniq) + +! https://github.com/uBlockOrigin/uAssets/issues/6128 +nudistube.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6129 +uporno.xxx##+js(aopr, document.dispatchEvent) +uporno.xxx##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/6130 +ultrateenporn.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6132 +! https://github.com/uBlockOrigin/uAssets/issues/18402 +gosexpod.com##+js(aeld, click, my_inter_listen) +gosexpod.com##+js(aopr, document.dispatchEvent) +gosexpod.com##.zzz-ddnotice +gosexpod.com##.content__block[style^="direction"] +gosexpod.com##.video-headline +gosexpod.com##center +gosexpod.com##.natsc +gosexpod.com##.im_outer_x:upward(2) +gosexpod.com##^script:has-text(myreadCookie/) +gosexpod.com##+js(rmnt, script, myreadCookie) + +! https://github.com/uBlockOrigin/uAssets/issues/6133 +al4a.com,grannysex.name,porntb.com,scopateitaliane.it,sexbox.online,teenpornvideo.sex,twatis.com##+js(aopr, document.dispatchEvent) +/dao/dao-fel.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6137 +lonely-mature.com##+js(aopr, EviPopunder) + +! https://github.com/uBlockOrigin/uAssets/issues/6143 +pornclassic.tube,tubepornclassic.com##+js(acs, adver) +tubepornclassic.com##+js(acs, document.createElement, tcpusher) +tubepornclassic.com##+js(aeld, , window.open) +tubepornclassic.com##+js(aopr, preadvercb) +tubepornclassic.com##+js(nosiif, complete, 50) +tubepornclassic.com##+js(nosiif, document.readyState) +pornclassic.tube,tubepornclassic.com##+js(set, prerollMain, undefined) +*$frame,3p,domain=pornclassic.tube|tubepornclassic.com +*$popunder,3p,domain=pornclassic.tube|tubepornclassic.com +pornclassic.tube,tubepornclassic.com##.content > div > .container + div +pornclassic.tube,tubepornclassic.com##div:has(> a[href^="http://www.theclassicporn.com/"]) +pornclassic.tube,tubepornclassic.com##span[style="display:flex !important"] > div:first-child +pornclassic.tube,tubepornclassic.com##.video-page__content > div.left + div[class]:last-child +pornclassic.tube,tubepornclassic.com##div[style="display:flex !important"] > div +pornclassic.tube,tubepornclassic.com##.video-page__player + div[class] > div[class] +pornclassic.tube,tubepornclassic.com##.partners-wrap + div[class] +pornclassic.tube,tubepornclassic.com##section[style="padding: 20px;"] +pornclassic.tube,tubepornclassic.com##div[style="width: 300px; height: 250px;"] + +! https://github.com/uBlockOrigin/uAssets/issues/6144 +flashingjungle.com##+js(aeld, /^(click|mousedown|mousemove|touchstart|touchend|touchmove)/, system.popunder) +flashingjungle.com##+js(aopr, document.dispatchEvent) +flashingjungle.com##.advertising:upward(2) + +! https://github.com/uBlockOrigin/uAssets/issues/6145 +pussyspot.net,wildpictures.net##+js(aopr, decodeURI) +pussyspot.net,wildpictures.net##[href^="http://ucam.xxx/"] +pussyspot.net,wildpictures.net##[href^="https://easygamepromo.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/6149 +! https://github.com/uBlockOrigin/uAssets/issues/6151 +! https://github.com/uBlockOrigin/uAssets/issues/6153 +! https://github.com/AdguardTeam/AdguardFilters/issues/70031 +! https://github.com/easylist/easylist/issues/6726 +! https://github.com/AdguardTeam/AdguardFilters/issues/69868 +! https://github.com/AdguardTeam/AdguardFilters/issues/70891 +8boobs.com,babesinporn.com,hotstunners.com,mainbabes.com,mysexybabes.com,pleasuregirl.net,rabbitsfun.com,sexybabesz.com,silkengirl.*##+js(aopr, ExoLoader.addZone) +8boobs.com,babesinporn.com,boobgirlz.com,fooxybabes.com,hotstunners.com,jennylist.xyz,jumboporn.xyz,mainbabes.com,mysexybabes.com,nakedbabes.club,pleasuregirl.net,rabbitsfun.com,sexybabesz.com,silkengirl.*,vibraporn.com,zazzybabes.com,zehnporn.com##+js(aopr, loadTool) +8boobs.com,babesinporn.com,bustybloom.com,hotstunners.com,nudebabes.sexy,pleasuregirl.net,rabbitsfun.com,silkengirl.*##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +babesaround.com,dirtyyoungbitches.com,grabpussy.com,join2babes.com,nightdreambabe.com,novoglam.com,novohot.com,novojoy.com,novoporn.com,novostrong.com,pbabes.com,pussystate.com,redpornblog.com,rossoporn.com,sexynakeds.com,thousandbabes.com##+js(aopr, AaDetector) +babesinporn.com##.topbanner +boobgirlz.com##.widget-column:has(> center > [href="https://boobgirlz.com/istripper"]) +nakedneighbour.com##.banner:upward(.block) +/sex.gif$domain=epikporn.com|erotichdworld.com|guruofporn.com|jesseporn.xyz|jumboporn.xyz|kendralist.com|steezylist.com +/yep.gif$domain=abellalist.com|doseofporn.com|freyalist.com|lizardporn.com|moozporn.com|zehnporn.com +/flr.js$domain=8boobs.com|angelgals.com|babesexy.com|babesinporn.com|fooxybabes.com|hotbabeswanted.com|hotstunners.com|mainbabes.com|nakedbabes.club|nakedgirlsroom.com|nudebabes.sexy|pleasuregirl.net|rabbitsfun.com|sexybabes.club|sexybabesart.com|silkengirl.*|wantedbabes.com +/images/*/b/*$image,redirect=2x2.png,domain=babesandbitches.net|babesaround.com|babesbang.com|babeuniversum.com|grabpussy.com|join2babes.com|nightdreambabe.com|novojoy.com|novoporn.com|novostrong.com|pbabes.com|pussystate.com|redpornblog.com|rossoporn.com|sexynakeds.com +/images/*/banners/*$image,redirect=2x2.png,domain=100bucksbabes.com|8boobs.com|babeimpact.com|babesandgirls.com|babesaround.com|babesinporn.com|babesmachine.com|bustybloom.com|chickteases.com|decorativemodels.com|dirtyyoungbitches.com|exgirlfriendmarket.com|fooxybabes.com|girlsofdesire.org|glam0ur.com|hotstunners.com|livejasminbabes.net|morazzia.com|nakedneighbour.com|novoglam.com|pleasuregirl.net|rabbitsfun.com|sexyaporno.com|sexykittenporn.com|silkengirl.*|slutsandangels.com|theomegaproject.org|thousandbabes.com|vibraporn.com|wantedbabes.com|wildfanny.com +/istripper/istripper_$image,domain=8boobs.com|babesinporn.com|fooxybabes.com|hotstunners.com|mainbabes.com|pleasuregirl.net|rabbitsfun.com|silkengirl.*|wantedbabes.com +/smallfr/*$frame,domain=babeimpact.com|decorativemodels.com|sexykittenporn.com +/smallfr2/*$frame,domain=babeimpact.com|decorativemodels.com +/\.com\/[_0-9a-zA-Z]+\.jpg$/$image,1p,domain=hottystop.com +||zehnporn.com/img/12221.gif +/gofd_fl.js +babeuniversum.com##.aw +babeuniversum.com##.galleryad +redpornblog.com###ads +nightdreambabe.com##.banner_place +girlsofdesire.org##a[href^="/out"] +silkengirl.com##.spots +hotbabeswanted.com,nakedbabes.club##.deskbanner +100bucksbabes.com,babesandgirls.com,morazzia.com##.vda +babesaround.com,nightdreambabe.com##.section-bustyMedinaq > a[href^="/click/o/"] +novojoy.com##.ownerbanner +pussystate.com##li[style="clear:both;float:none;width:600px;margin:0;overflow:hidden;margin-left:-5px;"] +rabbitsfun.com##.gallery-banner +rabbitsfun.com##.picture-banner +vibraporn.com##.topad +fresh-babes.com###XXXGirls +girlsofdesire.org##div[data-width="600"] +novoporn.com##a[href^="/click/o/"] +sensualgirls.org##a[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] +nudevista.link##.sidebar-bn +nudevista.link##.bnblog + +! https://github.com/uBlockOrigin/uAssets/issues/6150 +! https://github.com/uBlockOrigin/uAssets/issues/6152 +angelgals.com,nakedbabes.club##+js(acs, loadTool, popping) +angelgals.com,nakedbabes.club##+js(aopr, ExoLoader.addZone) +angelgals.com##+js(aeld, getexoloader) + +! https://github.com/uBlockOrigin/uAssets/issues/6154 +babesexy.com,hotbabeswanted.com,nakedgirlsroom.com,nudebabes.sexy,sexybabes.club,sexybabesart.com##+js(aopr, ExoLoader.addZone) +babesexy.com##+js(aeld, getexoloader) +sexybabes.club##+js(acs, loadTool, popping) +/backend_loader$script + +! https://github.com/uBlockOrigin/uAssets/issues/6155 +cherrynudes.com##+js(acs, loadTool, popping) +cherrynudes.com##[href^="http://links.verotel.com/"] +cherrynudes.com##[href^="http://www.g4mz.com/"] +hegreartnudes.com##+js(acs, loadTool, popping) +cherrynudes.com##[href^="http://wcrgl.freeadult.games/hit.php"] + +! https://github.com/uBlockOrigin/uAssets/issues/6157 +fetishburg.com##+js(aopr, document.dispatchEvent) +fetishburg.com##div.spot + +! https://github.com/uBlockOrigin/uAssets/issues/6159 +privateindianmovies.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6161 +homemature.net##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/6162 +soyoungteens.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6163 +kingsofteens.com##+js(aopr, ExoLoader.serve) +kingsofteens.com##+js(aopw, base64_decode) +kingsofteens.com##+js(nowoif) +doseofporn.com##+js(acs, loadTool, popping) +kingsofteens.com##.spot + +! https://github.com/uBlockOrigin/uAssets/issues/6168 +@@||receivetxt.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6170 +@@||properhacks.weebly.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1702 +space.tribuntekno.com##+js(aopw, adBlockDetected) + +! https://github.com/NanoMeow/QuickReports/issues/1712 +flashgirlgames.com,onlinesudoku.games##+js(set, ads, true) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=flashgirlgames.com|onlinesudoku.games + +! https://github.com/NanoMeow/QuickReports/issues/1716 +otakukan.com##+js(aeld, load, appendChild) +||otakukan.com/sw.js$script,1p +||cdn.jsdelivr.net^*/arlinablock.js$script +@@||otakukan.com^$ghide +otakukan.com##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/1718 +devdrive.cloud##+js(acs, document.getElementById, undefined) + +! https://github.com/NanoMeow/QuickReports/issues/1717 +gpxgenerator.com###adBlockDiv +gpxgenerator.com##[href="link.php"] + +! https://www.reddit.com/r/uBlockOrigin/comments/cv9ake/can_i_block_a_specific_javascript_function/ +@@||aston-martin-club.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6186 +linkshub.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/6189 +@@||javaguides.net^$ghide +javaguides.net##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/6193 +hentaihere.com##+js(nowoif) +hentaihere.com##[href^="https://goo.gl"] +hentaihere.com##.js-adzone + +! https://github.com/NanoAdblocker/NanoFilters/issues/395 +@@||zavislak.to^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1731 +||adservice.google.com/adsid/integrator.js$script,redirect=noopjs,domain=973espn.com + +! https://github.com/NanoMeow/QuickReports/issues/1736 +secretsdujeu.com##+js(acs, document.getElementById, adsrefresh) + +! https://github.com/NanoMeow/QuickReports/issues/1392 +||googlesyndication.com/pagead/$script,redirect=noopjs,domain=iptvdroid1.blogspot.com + +! https://github.com/NanoMeow/QuickReports/issues/3098 +cruisingearth.com##+js(nostif, show) + +! https://github.com/NanoMeow/QuickReports/issues/1738 +@@||roanoke.com^$ghide +roanoke.com##.dfp-ad + +! https://github.com/uBlockOrigin/uAssets/issues/6207 +afilmywap.*,okhatrimaza.*##+js(popads-dummy) +afilmywap.*,okhatrimaza.*##+js(aopr, glxopen) +/1clkn/*$script,3p + +! https://github.com/NanoMeow/QuickReports/issues/1232 +getintopc.com##+js(nostif, /ai_adb|_0x/) + +! https://www.reddit.com/r/uBlockOrigin/comments/o9qoo8/videos_wont_play_on_etonlinecom/ +etonline.com##+js(aopr, _sp_._networkListenerData) +etonline.com##+js(set, canRunAds, true) + +! metager .org ads on search +metager.org##.result:has(.partnershop-info) + +! https://github.com/uBlockOrigin/uAssets/issues/6226 +@@||aradramatv.co^$ghide +aradramatv.co##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/6228 +@@||teenserie.com/wp-content/plugins/$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6231 +/apu.php?*&zoneid=$important + +! https://github.com/AdguardTeam/AdguardFilters/issues/71294 +gulf-up.com##+js(aopr, AaDetector) +@@||gulf-up.com^$ghide +gulf-up.com##ins.adsbygoogle +||googlesyndication.com/$script,redirect=noopjs,domain=gulf-up.com + +! https://forums.lanik.us/viewtopic.php?f=62&t=43449 +keysbrasil.blogspot.com##+js(nostif, nextFunction, 2000) + +! https://github.com/NanoAdblocker/NanoFilters/issues/397 +@@||fiatclub.eu^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2111 +vidia.tv##+js(acs, $, undefined) +vidia.tv##+js(aopr, AaDetector) +@@||vidia.tv^$script,1p +vidia.tv##+js(nostif, iframe) +vidia.tv##+js(nostif, pop) +||vidia.tv^$csp=frame-src + +! https://github.com/uBlockOrigin/uAssets/issues/6236 +@@||liveadexchanger.com/a/display.php$script,domain=prem.link + +! https://github.com/uBlockOrigin/uAssets/issues/9542 +! https://github.com/uBlockOrigin/uAssets/issues/19903#issuecomment-1837748723 +multiup.io,multiup.org,multiup.eu##+js(acs, decodeURI, decodeURIComponent) +multiup.io,multiup.org,multiup.eu##+js(nosiif, .submit) +multiup.io##+js(rpnt, script, setInterval) +multiup.io,multiup.org,multiup.eu##.text-center.bg-info +multiup.io,multiup.org,multiup.eu##div.col-md-4:has(> .panel > .panel-footer > a[href^="/download-fast/"]) +multiup.io,multiup.org,multiup.eu##a[href^="/download-fast/"] +multiup.io,multiup.org,multiup.eu##.mfp-ready +multiup.io,multiup.org,multiup.eu##div.text-center:has(a[class="btn btn-success"][href^="abp:subscribe"]) +*$popunder,3p,domain=multiup.io|multiup.org|multiup.eu +||multinews.me^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/2015 +! https://github.com/uBlockOrigin/uAssets/issues/6242 +tmearn.*##+js(aopr, app_vars.force_disable_adblock) +tmearn.*##+js(nowoif) +tmearn.*##+js(set, blurred, false) +cutpaid.com,tmearn.*##+js(aopr, AaDetector) +*$script,3p,denyallow=cloudflare.com|google.com|gstatic.com|recaptcha.net,domain=tmearn.* +||tmearn.com/*sw.js$script,1p +tmearn.*##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/6247 +godmods.com##+js(aopw, mdp_deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/6249 +bilan.ch##+js(aopr, _sp_._networkListenerData) + +! https://github.com/NanoMeow/QuickReports/issues/1782 +filedown.*##+js(nowoif) +@@||filedown.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3419 +! https://www.reddit.com/r/uBlockOrigin/comments/1gknarm/mexashare_opening_tabs_with_ads_when_clicking_in/ +mexa.*##+js(acs, document.getElementById, adblockinfo) +mexa.*##+js(nowoif) +||p23hxejm1.com^ +||thirdads.me^ +*$script,3p,denyallow=google.com|gstatic.com|hcaptcha.com|recaptcha.net,domain=mexa.sh + +! https://github.com/NanoMeow/QuickReports/issues/1792 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=spieleklassiker.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=spieleklassiker.com +spieleklassiker.com##.banner + +! https://github.com/NanoMeow/QuickReports/issues/1802 +@@||valueyourmusic.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6269 +qoshe.com##+js(nostif, adBlock) +yandexcdn.com##+js(nowoif) +@@||yandexcdn.com^$ghide +@@||yandexcdn.com^$script,1p +yandexcdn.com##a[onclick="openAuc();"] +yandexcdn.com##[href="https://t.me/Russia_Vs_Ukraine_War3"] + +! https://github.com/uBlockOrigin/uAssets/issues/6277 +*.mp4$media,redirect=noopmp3-0.1s,domain=theweedtube.com + +! https://github.com/uBlockOrigin/uAssets/issues/6281 +iguarras.com,peliculaspornomega.net##+js(nowoif) +iguarras.com###dimmed +peliculaspornomega.net##.dimmed +! https://github.com/uBlockOrigin/uAssets/issues/6281 + +! https://github.com/NanoMeow/QuickReports/issues/1814 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=tsforum.pl + +! https://github.com/AdguardTeam/AdguardFilters/issues/40255 +uploadas.com##+js(aopw, Fingerprint2) + +! https://github.com/NanoMeow/QuickReports/issues/1815 +@@||video.bestjavporn.com^$ghide +bestjavporn.com,mm9841.cc###flash +bestjavporn.com###player_3x2_container_inner +bestjavporn.com###player-container:has-text(Close ad) +! https://github.com/uBlockOrigin/uAssets/issues/6348 +javporn.best##+js(aopr, AaDetector) +javporn.best##+js(aopr, glxopen) +@@||javporn.*^$ghide +@@||av-th.info^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3608 +lowellsun.com##+js(nostif, , 1) + +! https://github.com/AdguardTeam/AdguardFilters/issues/80902 +multifaucet.org##+js(nano-sib, seconds) +multifaucet.org##+js(aopr, adBlockDetected) +@@||multifaucet.org^$ghide +multifaucet.org##.flexbannergroup +multifaucet.org##ins[class][style^="display:inline-block;width:"] + +! popups , ads torrentproject .io / cc +||torrentproject.*^$script,frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6296 +nudogram.com##+js(acs, decodeURI, decodeURIComponent) +nudogram.com##+js(aopr, decodeURI) +||leadnote.me^ +nudogram.com##.sponsor + +! https://github.com/uBlockOrigin/uAssets/issues/6300 +gottanut.com##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/6301 +uiporn.com##+js(aopr, document.dispatchEvent) +||uiporn.com/ai/*$script,1p +||uiporn.com/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6302 +xcafe.com##+js(aopr, document.dispatchEvent) +xcafe.com##+js(popads-dummy) +xcafe.com##+js(aeld, , bi()) +||xcafe.com/js/initsite.js + +! https://www.reddit.com/r/uBlockOrigin/comments/mghv7b/no_solution_for_coinlyhub/ +@@||coinlyhub.com^$ghide +coinlyhub.com##+js(aopr, open) +coinlyhub.com##+js(set, Fingerprint2, true) +coinlyhub.com##+js(nano-sib, seconds) +coinlyhub.com##+js(aopr, app_vars.force_disable_adblock) +coinlyhub.com##+js(set, blurred, false) +@@||coinlyhub.com^$script,1p +coinlyhub.com##[class^="bmadblock"] +coinlyhub.com##div.highlight +coinlyhub.com##.banner +*$script,redirect-rule=noopjs,domain=coinlyhub.com|cryptotinker.com + +! https://github.com/uBlockOrigin/uAssets/issues/6305 +zimabdko.com##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/6306 +pornoxo.com##+js(popads-dummy) +*$popunder,3p,domain=m.pornoxo.com +||pushpad.xyz^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/6789 +! https://github.com/uBlockOrigin/uAssets/issues/6981 +leechall.*###adBanner:style(height:25px !important;left:-3000px !important;position:absolute !important) +leechall.*##+js(nano-sib) +leechall.com##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +leechall.*##.text-center.alert-info.alert +@@||leechall.download^$ghide +@@||leechall.download^$script,1p +||digiseller.ru^$3p,domain=leechall.com +*$script,3p,redirect-rule=noopjs,domain=leechall.download|leechall.com +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.com|cloudflare.net|googleapis.com|jsdelivr.net|tawk.to,domain=leechall.* + +! https://github.com/NanoMeow/QuickReports/issues/1850 +||newtoki*.net/*banner$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6309 +kinoz.*##+js(nowebrtc) +kinoz.*##+js(aopr, AaDetector) +kinox.*,kinoz.*##+js(aopr, decodeURI) + +! https://github.com/NanoMeow/QuickReports/issues/1854 +majalahpendidikan.com##+js(aopr, adBlockDetected) + +! sombex.com anti adb +sombex.com##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/2745 +ultimate-catch.eu##+js(nostif, undefined) + +! lampungway .com anti adb +lampungway.com##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/6322 +movie4me.*##+js(aopr, Math.floor) +||movie4me.*/image/ad-$image +##[href^="//producebreed.com/"] +##[href*="uselnk.com/"] + +! https://github.com/NanoMeow/QuickReports/issues/1339 +! https://github.com/NanoAdblocker/NanoFilters/issues/546 +*$script,3p,denyallow=recaptcha.net|gstatic.com,domain=dglinker.com + +! cpopchanelofficial.com anti adb +cpopchanelofficial.com##+js(nostif, check, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/8356 +! https://www.reddit.com/r/uBlockOrigin/comments/lwtwx8/whitelisting_sites_does_not_work/gpj8cbl/ +@@||teemo.gg^$ghide +teemo.gg##.bg-gray-200:style(background: none !important; height: 1px !important; min-height: 1px !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/d6vxzj/the_problem_is_on_the_page/ +sochi.camera#@##cams_top_block + +! https://github.com/NanoMeow/QuickReports/issues/1970 +adsafelink.com##+js(aopr, app_vars.force_disable_adblock) +adsafelink.com##+js(nowoif) +adsafelink.com##+js(set, blurred, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/d758gi/blockadblock_detects_ubo_but_only_when_tab_is_in/ +@@||ustv247.tv^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2436 +avseesee.com##+js(acs, document.getElementById, _banner) +avseesee.com##.textwidget:has(ins) +! https://github.com/NanoMeow/QuickReports/issues/3508 +juicywest.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/6329 +@@||aii.sh^$ghide +aii.sh##+js(nowoif) +aii.sh##+js(nowebrtc) +aii.sh##+js(set, blurred, false) +aii.sh###link-view > center +||aii.sh/sw$script,1p +aii.sh##[src^="https://i.imgur.com/"] +##.glx-watermark-container + +! https://www.reddit.com/r/uBlockOrigin/comments/novm3h/httpkisstvshowto_ublock_stopped_working_today_ad/ +! https://www.reddit.com/r/uBlockOrigin/comments/u8iofi/help_with_site_detects_ad_blocker/ +kisstvshow.*##+js(acs, $, #divDownload) +kisstvshow.*###hideAds +kisstvshow.*##.ksAds +kisstvshow.*##div[style="width: 620px; margin: 0px auto; overflow: hidden;"] +||kisstvshow.*/api/pop.php$xhr,1p +||ad.kisstvshow.*^ +! https://www.reddit.com/r/uBlockOrigin/comments/xa95i0/ +||bebi.com^$script,redirect=noopjs,domain=lifestylehack.info + +! winit.heatworld.com anti adb +winit.heatworld.com##+js(aopw, showModal) +winit.heatworld.com##.sticky-ad-unit-default +winit.heatworld.com##.sticky-ad-unit-spacer-default + +! https://github.com/uBlockOrigin/uAssets/issues/6332 +@@||ryuukoi.web.id^$ghide +||i1.wp.com/ryuukoi.web.id/wp-content/uploads/*/ANTIADBLOCK$image + +||bitcoinadvertise.net^$3p + +! https://github.com/NanoMeow/QuickReports/issues/1896 +checkz.net##+js(aopw, console.log) +@@||checkz.net^$ghide +checkz.net##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/10076 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=ff14angler.com +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/$script,domain=ff14angler.com +@@||g.doubleclick.net/pagead/ads?$frame,domain=ff14angler.com +@@||ff14angler.com^$ghide +ff14angler.com###main > ins.adsbygoogle:style(position: absolute !important; left: -4000px !important;) +ff14angler.com##.side_banner:style(position: absolute !important; left: -4000px !important;) + +! https://github.com/NanoMeow/QuickReports/issues/1901 +jaiefra.com##+js(aopr, adBlockDetected) + +! hotpress.info anti adb +hotpress.info##+js(nostif, nextFunction, 2000) +@@||hotpress.info^$ghide + +! mixloads.com anti adb popups +mixloads.com##+js(aopr, AaDetector) +mixloads.com##+js(aeld, load, 2000) +||mixloads.com/sw.js$script,1p + +! mangaromance.eu anti adb +mangaromance.eu##+js(aeld, load, 2000) + +! onlineproxy. eu popups +||onlineproxy.eu^$csp=default-src 'self' 'unsafe-inline' *.googleapis.com *.google.com *.gstatic.com *.google-analytics.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/41057 +@@||coachmag.co.uk^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1915 +||doubleclick.net/pagead/id$xhr,redirect=nooptext,domain=windowsreport.com + +! https://github.com/NanoMeow/QuickReports/issues/1925 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=collegestash.com +||googlesyndication.com/pagead/js/adsbygoogle.js$xhr,redirect=noopjs,domain=collegestash.com + +! https://github.com/NanoMeow/QuickReports/issues/1926 +buffstream.to,buffstreamz.com##+js(acs, $, modal) +buffstreamz.com##+js(nowebrtc) +buffstream.to,buffstreamz.com##.btn +buffstreamz.com##a[href*="//my-sports.club"] + +##[href^="http://referrer.website/"] + +! https://github.com/NanoMeow/QuickReports/issues/1929 +@@||thisismoney.co.uk^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6351 +! https://github.com/uBlockOrigin/uAssets/issues/8367 +megagames.com##+js(acs, jQuery, fuckAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/6355 +@@||chiaseapk.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6356 +@@||csrevo.com^$ghide +@@||phoenixkiller.com/assets/js/ad-provider.js|$script +csrevo.com###HTML3 +||i.imgur.com/FYROU5n.gif$image,3p + +! https://github.com/uBlockOrigin/uAssets/issues/6357 +@@||designoptimal.com^$ghide +designoptimal.com##ins.adsbygoogle + +! almohtarif-tech .net anti adb +almohtarif-tech.net##+js(aeld, load, onload) + +! https://www.reddit.com/r/uBlockOrigin/comments/dagme6/video_ads_are_showing_up_on_pietsmietde/ +*$media,redirect=noopmp3-0.1s,domain=pietsmiet.de +@@||pietcdn.de/pietcast/*$media,domain=pietsmiet.de + +! https://github.com/uBlockOrigin/uAssets/issues/6360 +vidbom.com,zimabdko.com##+js(aopr, open) + +! https://www.reddit.com/r/uBlockOrigin/comments/dahz6b/nsfw_czechvideoorg_owner_of_this_video_doesnot/ +czxxx.org##+js(aopr, adBlockDetected) +czechvideo.org##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/3038 +creditcardgenerator.com##+js(nostif, adsBlocked) + +! interssh.com anti adb +interssh.com##+js(aeld, load, 2000) + +! https://forums.lanik.us/viewtopic.php?p=150115#p150115 +ancensored.com##+js(aopr, AaDetector) + +! https://www.reddit.com/r/uBlockOrigin/comments/d99did/blue_banner_on_the_washington_post/f1uyoin/ +elpasotimes.com##+js(aopr, _sp_.mms.startMsg) + +! https://github.com/jspenguin2017/uBlockProtector/issues/1084 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=ktab3ndna.com + +! sexo5k .com exo ads +sexo5k.com##+js(rmnt, script, ExoLoader) + +! gfsvideos .com exo + popups +gfsvideos.com##+js(aopr, document.dispatchEvent) +gfsvideos.com##+js(nowoif) + +! home-made-videos .com exo +home-made-videos.com##+js(aopr, document.dispatchEvent) +home-made-videos.com##+js(set, dclm_ajax_var.disclaimer_redirect_url, '') +home-made-videos.com###dclm_modal_content +home-made-videos.com###dclm_modal_screen + +! https://github.com/uBlockOrigin/uAssets/issues/6827 +shameless.com##+js(aopr, ExoLoader.addZone) +shameless.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +shameless.com##+js(aopr, jwplayer.utils.Timer) +shameless.com##.active.pause-gift + +! https://github.com/NanoMeow/QuickReports/issues/1952 +electriciansforums.net##+js(nostif, adb) + +! https://github.com/NanoMeow/QuickReports/issues/1954 +nmn900.net##+js(acs, document.getElementById, undefined) + +! https://github.com/NanoMeow/QuickReports/issues/1957 +@@||realmadryt.pl^$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6377 +@@||speakingtree.in^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6380 +coinhub.pw##+js(aopw, adBlockDetected) +coinhub.pw##body > center + +! https://github.com/uBlockOrigin/uAssets/issues/6374 +the-voice-of-germany.de##+js(aopr, $ADP) +||zomap.de/*&expires=$script,domain=the-voice-of-germany.* +||cdn.zomap.de^$media,redirect=noopmp3-0.1s,domain=the-voice-of-germany.* + +! dpstream .bz popups +dpstream.*##+js(set, load_pop_power, noopFunc) +dpstream.*##+js(ra, href, #clickfakeplayer) +dpstream.*##.movie-aye + +! https://github.com/NanoMeow/QuickReports/issues/3228 +unfriend-app.com##+js(nobab) +@@||unfriend-app.com^$ghide +*$script,redirect-rule=noopjs,domain=unfriend-app.com + +! https://github.com/NanoMeow/QuickReports/issues/1964 +adn.com##+js(aopr, MG2Loader) + +! https://github.com/uBlockOrigin/uAssets/issues/6385 +technews.tw##+js(acs, jQuery, adblock) +technews.tw##.AD_wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/6393 +turkleech.com##+js(nostif, nextFunction, 2000) + +! https://github.com/NanoMeow/QuickReports/issues/1962#issuecomment-538591750 +gamearter.com##+js(nano-sib,/SplashScreen|BannerAd/) +gamearter.com##+js(nano-stb,/SplashScreen|BannerAd/) +gamearter.com##div[id^="ga_sp_"] + +! https://github.com/NanoMeow/QuickReports/issues/1961 +mpg.football##+js(set, ads, true) + +! https://github.com/NanoMeow/QuickReports/issues/1984 +@@||animevietsub.tv^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6402 +spokesman.com##+js(aopr, Connext) + +! https://github.com/uBlockOrigin/uAssets/issues/6404 +medihelp.life##+js(aopw, ai_adb_overlay) + +! https://github.com/uBlockOrigin/uAssets/issues/6406 +@@||guiamuriae.com.br^$ghide +||guiamuriae.com.br/*.gif$image +guiamuriae.com.br##.theiaStickySidebar +guiamuriae.com.br##ins.adsbygoogle +guiamuriae.com.br##.e3lan-top + +! https://github.com/uBlockOrigin/uAssets/issues/6409 +verprogramasonline.com##+js(acs, atob, decodeURI) +verprogramasonline.com##+js(aopr, mdp_deblocker) +verprogramasonline.com##.td-ss-main-sidebar + +! https://github.com/NanoMeow/QuickReports/issues/1991 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=viu.tv +@@||entitlements.jwplayer.com/$xhr,domain=viu.tv + +||d2wpknqle9nuv8.cloudfront.net^ + +! https://forums.lanik.us/viewtopic.php?p=150260#p150260 +ffmovies.*##+js(acs, String.fromCharCode, break;) +ffmovies.*##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/1993 +thisvid.com##+js(aeld, /^(?:load|click)$/, popMagic) + +! https://github.com/uBlockOrigin/uAssets/issues/21821 +hl-live.de##+js(nostif, nextFunction) +hl-live.de###swlad + +! flsaudio.com anti adb +flsaudio.com##.adsbygoogle:upward(.widget) +flsaudio.com##.altumcode-coupon-content +||flsaudio.com^$image,redirect-rule=1x1.gif,1p + +! https://github.com/NanoMeow/QuickReports/issues/1997 +@@||aargauerzeitung.ch^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6414 +cloudapps.herokuapp.com##+js(set, gadb, false) + +! imagetwist .com popunders +imagetwist.com##+js(acs, document.getElementsByTagName, "script") +imagehaha.com,imagenpic.com,imageshimage.com,imagetwist.com##+js(aeld, , checkTarget) +imagehaha.com,imagenpic.com,imageshimage.com,imagetwist.com,picshick.com###rang2 +imagehaha.com,imagenpic.com,imageshimage.com,imagetwist.com##video +imagehaha.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/2011 +@@||watchsuitsonline.net^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2012 +produsat.com##+js(set, adBlockDetected, true) + +! https://www.reddit.com/r/uBlockOrigin/comments/dg2exo/jw_player_doesnt_load_with_ublock_origin_on/ +*/gfp_video_ads/*$media,redirect=noopmp3-0.1s,domain=digisport.ro +||gvt1.com^$media,redirect=noopmp3-0.1s,domain=digisport.ro +@@||scdn.cxense.com/cx.js$script,domain=digisport.ro +@@||entitlements.jwplayer.com^$xhr,domain=digisport.ro +@@||doubleclick.net/gampad/live/ads*digisport.ro$xhr,domain=imasdk.googleapis.com +@@||jwpcdn.com/player/$script,domain=digisport.ro + +! https://github.com/NanoMeow/QuickReports/issues/2020 +@@||how2electronics.com^$ghide +how2electronics.com##.adsbygoogle:style(max-height: 1px !important;) + +! freesoftpdfdownload.blogspot.com anti adb popups +freesoftpdfdownload.blogspot.com##+js(acs, decodeURI, decodeURIComponent) +freesoftpdfdownload.blogspot.com##+js(aeld, load, 2000) +||wap4dollar.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/6024#issuecomment-541228625 +||mediapass.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/2027 +officegamespot.com##+js(acs, Math.round, zonefile) + +! tamilyogi. cool popups vidorg.net anti adb +tamilyogi.*##+js(acs, String.fromCharCode, 'shift') +@@||vidorg.net^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2029 +@@||tvpc.us^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/57396 +parzibyte.me##+js(acs, jQuery, ai_adb) + +! https://github.com/NanoMeow/QuickReports/issues/2032 +livingstondaily.com##+js(aopr, _sp_) + +! https://www.reddit.com/r/uBlockOrigin/comments/m7n8wj/not_working_on_bluemediafilescom/ +! https://github.com/AdguardTeam/AdguardFilters/issues/129409 +! https://github.com/uBlockOrigin/uAssets/issues/13085 +bluemediafiles.*##+js(aopr, open) +bluemediafiles.*##+js(nano-sib, i--) +bluemediafiles.*##+js(set, Time_Start, 0) +@@||bluemediafiles.*^$ghide +*$image,redirect-rule=32x32.png,domain=bluemediafiles.* +/script/su.js$script,3p + +! https://github.com/NanoMeow/QuickReports/issues/2036 +nilopolisonline.com.br##+js(nostif, blocker) + +! https://github.com/NanoMeow/QuickReports/issues/2037 +mesquitaonline.com##+js(nostif, blocker) + +! https://github.com/NanoMeow/QuickReports/issues/2039 +@@||nohat.*^$script,domain=nohat.cc + +! https://www.reddit.com/r/uBlockOrigin/comments/didrrg/you_can_add_filters/ +tbib.org##+js(aopr, document.dispatchEvent) + +greensboro.com##body:style(overflow: auto !important) +greensboro.com##.modal, .modal-backdrop + +! https://github.com/uBlockOrigin/uAssets/issues/6439 +@@||shirainime.com^$ghide + +! espn1420.com/listen-live anti adb +||adservice.google.com/adsid/integrator.js$script,redirect=noopjs,domain=espn1420.com + +! https://github.com/NanoMeow/QuickReports/issues/2054 +@@||dias-uteis.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6446 +fullxxxmovies.net##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/10130 +socialgirls.im##+js(nostif, aswift_) +@@||socialgirls.im^$ghide + +! https://github.com/gorhill/uBO-Extra/issues/123 +closermag.fr##+js(acs, document.head.appendChild, ='\x) +@@||closermag.fr^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2067 +@@||watchcalifornicationonline.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6450 +! https://www.reddit.com/r/uBlockOrigin/comments/d91jgm/need_help_with_a_specific_anti_adblocker_message/ +@@||kupujemprodajem.com^$ghide +kupujemprodajem.com##.bnrBox + +! https://www.reddit.com/r/uBlockOrigin/comments/djxvm8/i_need_a_filter_for_realclearpolitics/ +||evolok.net/acd/api/*/authorize/*adblock$xhr,3p + +! https://github.com/NanoMeow/QuickReports/issues/2076 +@@||gagetmatome.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2077 +@@||animetake*.*^$script,1p +@@||animetake*.*^$ghide +animetake27.*##.gads + +! https://github.com/NanoMeow/QuickReports/issues/2080 +@@||s0ft4pc.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2081 +lavozdegalicia.es##+js(aeld, load, adb) + +! https://www.reddit.com/r/uBlockOrigin/comments/dk7weu/ptc_site/ +@@||neobux.com^$script,css,1p + +! https://github.com/NanoMeow/QuickReports/issues/2173 +mamadu.pl##+js(nostif, , 1) + +! https://github.com/NanoMeow/QuickReports/issues/2085 +neoteo.com##+js(set, jQuery.adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/6459 +elitegoltv.org,extremotvplay.com,tarjetarojatv.org,pirlotvonline.org,rojadirectaonlinetv.com##+js(aopr, open) + +! https://forums.lanik.us/viewtopic.php?f=103&t=43734 +! https://github.com/uBlockOrigin/uAssets/issues/7455 +elmundo.es,expansion.com,marca.com##+js(aopr, adUnits) +marca.com##.ad-item-bt-cont +marca.com##.banner-sticky + +! https://github.com/NanoMeow/QuickReports/issues/2092 +yaoiotaku.com##+js(nostif, afs_ads, 2000) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43697 +||slacker.com^*/getspot/?spotid=$media,redirect=noopmp3-0.1s + +! https://github.com/NanoMeow/QuickReports/issues/2095 +||googlesyndication.com/pagead/js/adsbygoogle.js$xhr,redirect=noopjs,domain=gazetadopovo.com.br +gazetadopovo.com.br##.ads-desktop + +! https://www.reddit.com/r/uBlockOrigin/comments/dlljyn/ublock_is_not_working_on_this_website/ +beinmatch.*##+js(nowoif) +beinmatch.*##+js(rmnt, script, /?key.*open/, condition, key) + +! cirokun.blogspot.com anti adb +cirokun.blogspot.com##+js(aeld, load, 2000) + +! anisubindo.video anti adb +anisubindo.*##+js(aeld, load, nextFunction) + +! anibatch.me anti adb +anibatch.me##+js(nostif, nextFunction, 2000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/82509 +mangalist.org##+js(nosiif, 0x) +@@||cdnjs.cloudflare.com/ajax/libs/blockadblock/$script,3p +@@||mangalist.org^$script,1p + +! nsfw camchickscaps. com ads +camchickscaps.com##+js(aopw, ai_adb_overlay) +||nvxcvyfedg.com^ +||okean-qoj.com^ + +! romanialivewebcam .blogspot.com anti adb +@@||romanialivewebcam.blogspot.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6468 +! https://github.com/NanoMeow/QuickReports/issues/4677 +techmuzz.com##+js(nosiif, adblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/6470 +@@||minecraftpocket-servers.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2120 +allusione.org##+js(aopr, b2a) + +! https://www.reddit.com/r/uBlockOrigin/comments/dmjr41/photobucket_adblock_blocker_help/ +! https://github.com/NanoMeow/QuickReports/issues/2491 +photobucket.com##.swal2-container +photobucket.com##body.swal2-shown > [aria-hidden="true"]:style(filter: none !important) +photobucket.com##body:style(overflow: auto !important) +@@||photobucket.com/resources/common/*$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/k3xfke/ublock_gets_detected_on_vvvvid/ +vvvvid.it##+js(json-prune, data.[].vast_url) +! @@||imasdk.googleapis.com/js/core/$frame,domain=vvvvid.it +! @@*ads.mperience.net/vast$xhr,domain=imasdk.googleapis.com +! preroll;$xhr,domain=imasdk.googleapis.com,important +! ||akamaized.net/Roll/$media,redirect=noopmp3-0.1s +! *$media,redirect=noopmp3-0.1s,domain=vvvvid.it +! @@||bs.serving-sys.com/*&gdpr_consent$xhr,domain=imasdk.googleapis.com + +! https://github.com/NanoMeow/QuickReports/issues/1674 +! https://github.com/uBlockOrigin/uAssets/issues/7086 +semawur.com##+js(aopr, open) +ayobelajarbareng.com,semawur.com##+js(nano-sib, , *, 0) +semawur.com###main > .text-center > a[href] > img +||semawur.com/download$image + +! https://github.com/uBlockOrigin/uAssets/issues/6486 +kumpulmanga.org##+js(set, showAds, true) + +! https://github.com/NanoMeow/QuickReports/issues/2146 +msguides.com##+js(aopw, ai_adb_overlay) + +! https://github.com/uBlockOrigin/uAssets/issues/7646 +||cloudfront.net/assets.sidearmsports.com/*/bettor_detector.$script,3p +*/assets.sidearmsports.com/$script,redirect-rule=noopjs +@@/templates/dfp/dfp-component-template.html$xhr,1p +@@/components/js/analytics.js|$xhr,1p +###sidearm-adblock-modal +12thman.com##.c-sticky-leaderboard +bceagles.com##.s-sticky-dfp +bceagles.com##.article-aside__sponsor +bceagles.com##.article-aside__sponsor2 +12thman.com,acusports.com,atlantic10.com,auburntigers.com,baylorbears.com,bceagles.com,bgsufalcons.com,big12sports.com,bigten.org,bradleybraves.com,butlersports.com,cmumavericks.com,conferenceusa.com,cyclones.com,dartmouthsports.com,daytonflyers.com,dbupatriots.com,dbusports.com,denverpioneers.com,fduknights.com,fgcuathletics.com,fightinghawks.com,fightingillini.com,floridagators.com,friars.com,friscofighters.com,gamecocksonline.com,goarmywestpoint.com,gobison.com,goblueraiders.com,gobobcats.com,gocards.com,gocreighton.com,godeacs.com,goexplorers.com,goetbutigers.com,gofrogs.com,gogriffs.com,gogriz.com,golobos.com,gomarquette.com,gopack.com,gophersports.com,goprincetontigers.com,gopsusports.com,goracers.com,goshockers.com,goterriers.com,gotigersgo.com,gousfbulls.com,govandals.com,gowyo.com,goxavier.com,gozags.com,gozips.com,griffinathletics.com,guhoyas.com,gwusports.com,hailstate.com,hamptonpirates.com,hawaiiathletics.com,hokiesports.com,huskers.com,icgaels.com,iuhoosiers.com,jsugamecocksports.com,longbeachstate.com,loyolaramblers.com,lrtrojans.com,lsusports.net,morrisvillemustangs.com,msuspartans.com,muleriderathletics.com,mutigers.com,navysports.com,nevadawolfpack.com,niuhuskies.com,nkunorse.com,nuhuskies.com,nusports.com,okstate.com,olemisssports.com,omavs.com,ovcsports.com,owlsports.com,purduesports.com,redstormsports.com,richmondspiders.com,sfajacks.com,shupirates.com,siusalukis.com,smcgaels.com,smumustangs.com,soconsports.com,soonersports.com,themw.com,tulsahurricane.com,txst.com,txstatebobcats.com,ubbulls.com,ucfknights.com,ucirvinesports.com,uconnhuskies.com,uhcougars.com,uicflames.com,umterps.com,uncwsports.com,unipanthers.com,unlvrebels.com,uoflsports.com,usdtoreros.com,utahstateaggies.com,utepathletics.com,utrockets.com,uvmathletics.com,uwbadgers.com,villanova.com,wkusports.com,wmubroncos.com,woffordterriers.com,1pack1goal.com,bcuathletics.com,bubraves.com,goblackbears.com,golightsgo.com,gomcpanthers.com,goutsa.com,mercerbears.com,pirateblue.com,pirateblue.net,pirateblue.org,quinnipiacbobcats.com,towsontigers.com,tribeathletics.com,tribeclub.com,utepminermaniacs.com,utepminers.com,wkutickets.com,aopathletics.org,atlantichockeyonline.com,bigsouthnetwork.com,bigsouthsports.com,chawomenshockey.com,dbupatriots.org,drakerelays.org,ecac.org,ecacsports.com,emueagles.com,emugameday.com,gculopes.com,godrakebulldog.com,godrakebulldogs.com,godrakebulldogs.net,goeags.com,goislander.com,goislanders.com,gojacks.com,gomacsports.com,gseagles.com,hubison.com,iowaconference.com,ksuowls.com,lonestarconference.org,mascac.org,midwestconference.org,mountaineast.org,niu-pack.com,niuhuskies.com,nulakers.ca,oswegolakers.com,ovcdigitalnetwork.com,pacersports.com,rmacsports.org,rollrivers.com,samfordsports.com,uncpbraves.com,usfdons.com,wiacsports.com,alaskananooks.com,broncathleticfund.com,cameronaggies.com,columbiacougars.com,etownbluejays.com,gobadgers.ca,golancers.ca,gometrostate.com,gothunderbirds.ca,kentstatesports.com,lehighsports.com,lopers.com,lycoathletics.com,lycomingathletics.com,maraudersports.com,mauiinvitational.com,msumavericks.com,nauathletics.com,nueagles.com,nwusports.com,oceanbreezenyc.org,patriotathleticfund.com,pittband.com,principiaathletics.com,roadrunnersathletics.com,sidearmsocial.com,snhupenmen.com,stablerarena.com,stoutbluedevils.com,uwlathletics.com,yumacs.com,collegefootballplayoff.com,csurams.com,cubuffs.com,gobearcats.com,gohuskies.com,mgoblue.com,osubeavers.com,pittsburghpanthers.com,rolltide.com,texassports.com,thesundevils.com,uclabruins.com,wvuathletics.com,wvusports.com,arizonawildcats.com,calbears.com,cuse.com,georgiadogs.com,goducks.com,goheels.com,gostanford.com,insidekstatesports.com,insidekstatesports.info,insidekstatesports.net,insidekstatesports.org,k-stateathletics.com,k-statefootball.net,k-statefootball.org,k-statesports.com,k-statesports.net,k-statesports.org,k-statewomenshoops.com,k-statewomenshoops.net,k-statewomenshoops.org,kstateathletics.com,kstatefootball.net,kstatefootball.org,kstatesports.com,kstatewomenshoops.com,kstatewomenshoops.net,kstatewomenshoops.org,ksuathletics.com,ksusports.com,scarletknights.com,showdownforrelief.com,syracusecrunch.com,texastech.com,theacc.com,ukathletics.com,usctrojans.com,utahutes.com,utsports.com,wsucougars.com##+js(set, blockAdBlock, trueFunc) +*$script,redirect-rule=noopjs,domain=acusports.com|atlantic10.com|big12sports.com|bigten.org|cmumavericks.com|conferenceusa.com|dartmouthsports.com|daytonflyers.com|dbupatriots.com|dbusports.com|fduknights.com|floridagators.com|friscofighters.com|gamecocksonline.com|gobobcats.com|gocreighton.com|goetbutigers.com|golobos.com|gophersports.com|gopsusports.com|goracers.com|goshockers.com|goterriers.com|gotigersgo.com|gousfbulls.com|govandals.com|gowyo.com|goxavier.com|gozags.com|gozips.com|griffinathletics.com|guhoyas.com|gwusports.com|hailstate.com|hamptonpirates.com|hawaiiathletics.com|hokiesports.com|huskers.com|icgaels.com|iuhoosiers.com|jsugamecocksports.com|longbeachstate.com|loyolaramblers.com|lrtrojans.com|lsusports.net|morrisvillemustangs.com|msuspartans.com|muleriderathletics.com|mutigers.com|navysports.com|nevadawolfpack.com|niuhuskies.com|nulakers.ca|nkunorse.com|nuhuskies.com|nusports.com|oceanbreezenyc.org|okstate.com|olemisssports.com|omavs.com|ovcsports.com|owlsports.com|purduesports.com|redstormsports.com|richmondspiders.com|sfajacks.com|shupirates.com|siusalukis.com|smcgaels.com|smumustangs.com|soconsports.com|soonersports.com|themw.com|tulsahurricane.com|txst.com|txstatebobcats.com|ubbulls.com|ucfknights.com|ucirvinesports.com|uconnhuskies.com|uhcougars.com|uicflames.com|umterps.com|uncwsports.com|unipanthers.com|unlvrebels.com|uoflsports.com|usdtoreros.com|utahstateaggies.com|utepathletics.com|utrockets.com|uvmathletics.com|uwbadgers.com|villanova.com|wkusports.com|wmubroncos.com|woffordterriers.com|1pack1goal.com|bcuathletics.com|bubraves.com|goblackbears.com|golightsgo.com|gomcpanthers.com|goutsa.com|mercerbears.com|pirateblue.com|pirateblue.net|pirateblue.org|quinnipiacbobcats.com|towsontigers.com|tribeathletics.com|tribeclub.com|utepminermaniacs.com|utepminers.com|wkutickets.com|aopathletics.org|atlantichockeyonline.com|bigsouthnetwork.com|bigsouthsports.com|chawomenshockey.com|dbupatriots.org|drakerelays.org|ecac.org|ecacsports.com|emueagles.com|emugameday.com|gculopes.com|godrakebulldog.com|godrakebulldogs.com|godrakebulldogs.net|goeags.com|goislander.com|goislanders.com|gojacks.com|gomacsports.com|gseagles.com|hubison.com|iowaconference.com|ksuowls.com|lonestarconference.org|mascac.org|midwestconference.org|mountaineast.org|niu-pack.com|niuhuskies.com|oswegolakers.com|ovcdigitalnetwork.com|pacersports.com|rmacsports.org|rollrivers.com|samfordsports.com|uncpbraves.com|usfdons.com|wiacsports.com|alaskananooks.com|broncathleticfund.com|cameronaggies.com|columbiacougars.com|etownbluejays.com|gobadgers.ca|golancers.ca|gometrostate.com|gothunderbirds.ca|kentstatesports.com|lehighsports.com|lopers.com|lycoathletics.com|lycomingathletics.com|maraudersports.com|mauiinvitational.com|msumavericks.com|nauathletics.com|nueagles.com|nwusports.com|patriotathleticfund.com|pittband.com|principiaathletics.com|roadrunnersathletics.com|sidearmsocial.com|snhupenmen.com|stablerarena.com|stoutbluedevils.com|uwlathletics.com|yumacs.com|collegefootballplayoff.com|csurams.com|cubuffs.com|gobearcats.com|gohuskies.com|mgoblue.com|osubeavers.com|pittsburghpanthers.com|rolltide.com|texassports.com|thesundevils.com|uclabruins.com|wvuathletics.com|wvusports.com|arizonawildcats.com|calbears.com|cuse.com|georgiadogs.com|goducks.com|goheels.com|insidekstatesports.com|insidekstatesports.info|insidekstatesports.net|insidekstatesports.org|k-stateathletics.com|k-statefootball.net|k-statefootball.org|k-statesports.com|k-statesports.net|k-statesports.org|k-statewomenshoops.com|k-statewomenshoops.net|k-statewomenshoops.org|kstateathletics.com|kstatefootball.net|kstatefootball.org|kstatesports.com|kstatewomenshoops.com|kstatewomenshoops.net|kstatewomenshoops.org|ksuathletics.com|ksusports.com|scarletknights.com|showdownforrelief.com|syracusecrunch.com|texastech.com|theacc.com|ukathletics.com|usctrojans.com|utahutes.com|utsports.com|wsucougars.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=acusports.com|atlantic10.com|big12sports.com|bigten.org|cmumavericks.com|conferenceusa.com|dartmouthsports.com|daytonflyers.com|dbupatriots.com|dbusports.com|fduknights.com|floridagators.com|friscofighters.com|gamecocksonline.com|gobobcats.com|gocreighton.com|goetbutigers.com|golobos.com|gophersports.com|gopsusports.com|goracers.com|goshockers.com|goterriers.com|gotigersgo.com|gousfbulls.com|govandals.com|gowyo.com|goxavier.com|gozags.com|gozips.com|griffinathletics.com|guhoyas.com|gwusports.com|hailstate.com|hamptonpirates.com|hawaiiathletics.com|hokiesports.com|huskers.com|icgaels.com|iuhoosiers.com|jsugamecocksports.com|longbeachstate.com|loyolaramblers.com|lrtrojans.com|lsusports.net|morrisvillemustangs.com|msuspartans.com|muleriderathletics.com|mutigers.com|navysports.com|nevadawolfpack.com|niuhuskies.com|nulakers.ca|nkunorse.com|nuhuskies.com|nusports.com|oceanbreezenyc.org|okstate.com|olemisssports.com|omavs.com|ovcsports.com|owlsports.com|purduesports.com|redstormsports.com|richmondspiders.com|sfajacks.com|shupirates.com|siusalukis.com|smcgaels.com|smumustangs.com|soconsports.com|soonersports.com|themw.com|tulsahurricane.com|txst.com|txstatebobcats.com|ubbulls.com|ucfknights.com|ucirvinesports.com|uconnhuskies.com|uhcougars.com|uicflames.com|umterps.com|uncwsports.com|unipanthers.com|unlvrebels.com|uoflsports.com|usdtoreros.com|utahstateaggies.com|utepathletics.com|utrockets.com|uvmathletics.com|uwbadgers.com|villanova.com|wkusports.com|wmubroncos.com|woffordterriers.com|1pack1goal.com|bcuathletics.com|bubraves.com|goblackbears.com|golightsgo.com|gomcpanthers.com|goutsa.com|mercerbears.com|pirateblue.com|pirateblue.net|pirateblue.org|quinnipiacbobcats.com|towsontigers.com|tribeathletics.com|tribeclub.com|utepminermaniacs.com|utepminers.com|wkutickets.com|aopathletics.org|atlantichockeyonline.com|bigsouthnetwork.com|bigsouthsports.com|chawomenshockey.com|dbupatriots.org|drakerelays.org|ecac.org|ecacsports.com|emueagles.com|emugameday.com|gculopes.com|godrakebulldog.com|godrakebulldogs.com|godrakebulldogs.net|goeags.com|goislander.com|goislanders.com|gojacks.com|gomacsports.com|gseagles.com|hubison.com|iowaconference.com|ksuowls.com|lonestarconference.org|mascac.org|midwestconference.org|mountaineast.org|niu-pack.com|niuhuskies.com|oswegolakers.com|ovcdigitalnetwork.com|pacersports.com|rmacsports.org|rollrivers.com|samfordsports.com|uncpbraves.com|usfdons.com|wiacsports.com|alaskananooks.com|broncathleticfund.com|cameronaggies.com|columbiacougars.com|etownbluejays.com|gobadgers.ca|golancers.ca|gometrostate.com|gothunderbirds.ca|kentstatesports.com|lehighsports.com|lopers.com|lycoathletics.com|lycomingathletics.com|maraudersports.com|mauiinvitational.com|msumavericks.com|nauathletics.com|nueagles.com|nwusports.com|patriotathleticfund.com|pittband.com|principiaathletics.com|roadrunnersathletics.com|sidearmsocial.com|snhupenmen.com|stablerarena.com|stoutbluedevils.com|uwlathletics.com|yumacs.com|collegefootballplayoff.com|csurams.com|cubuffs.com|gobearcats.com|gohuskies.com|mgoblue.com|osubeavers.com|pittsburghpanthers.com|rolltide.com|texassports.com|thesundevils.com|uclabruins.com|wvuathletics.com|wvusports.com|arizonawildcats.com|calbears.com|cuse.com|georgiadogs.com|goducks.com|goheels.com|gostanford.com|insidekstatesports.com|insidekstatesports.info|insidekstatesports.net|insidekstatesports.org|k-stateathletics.com|k-statefootball.net|k-statefootball.org|k-statesports.com|k-statesports.net|k-statesports.org|k-statewomenshoops.com|k-statewomenshoops.net|k-statewomenshoops.org|kstateathletics.com|kstatefootball.net|kstatefootball.org|kstatesports.com|kstatewomenshoops.com|kstatewomenshoops.net|kstatewomenshoops.org|ksuathletics.com|ksusports.com|scarletknights.com|showdownforrelief.com|syracusecrunch.com|texastech.com|theacc.com|ukathletics.com|usctrojans.com|utahutes.com|utsports.com|wsucougars.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js:5,domain=12thman.com|auburntigers.com|baylorbears.com|bceagles.com|bgsufalcons.com|bradleybraves.com|butlersports.com|cyclones.com|denverpioneers.com|fgcuathletics.com|fightinghawks.com|fightingillini.com|friars.com|goarmywestpoint.com|gobison.com|goblueraiders.com|gocards.com|godeacs.com|goexplorers.com|gofrogs.com|gogriffs.com|gogriz.com|gomarquette.com|gopack.com|goprincetontigers.com +||sidearm-syndication.s3.amazonaws.com^$script,redirect=noopjs,3p + +! https://github.com/NanoMeow/QuickReports/issues/2155 +@@||brid.tv/player/build/plugins/adunit.js$script,domain=pluralist.com + +! https://github.com/uBlockOrigin/uAssets/issues/4582 +vupload.com##+js(nowebrtc) +vupload.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/6493 +@@||savetolink.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2158 +@@||blogshinobijawi.blogspot.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2159 +karanapk.com##+js(set, google_jobrunner, true) + +! https://github.com/uBlockOrigin/uAssets/issues/5940 +camhub.world##+js(nostif, visibility, 2000) +||camhub.world/player/player_ads.html$frame,1p,redirect=noopframe +! camhub.cc anti-adb/popunder +camhub.cc##.table +camhub.cc##+js(nostif, innerText, 2000) +camhub.cc##+js(set, flashvars.popunder_url, '') +! https://github.com/uBlockOrigin/uAssets/issues/10011 +camhub.*##.popunder-opener + +! moneyhouse.ch anti adb +moneyhouse.ch##+js(nostif, bait) + +! megalink.pro anti adb +megalink.*##+js(aopr, app_vars.force_disable_adblock) +megalink.*##+js(set, blurred, false) +megalink.*##+js(aeld, click, popunder) +megalink.*##[href^="https://mob1ledev1ces.com/r/"] +megalink.*###__bgd_link +||i.imgur.com^$domain=megalink.* + +! theshedend.com anti adb +theshedend.com##+js(rmnt, script, adblock) + +! https://github.com/NanoMeow/QuickReports/issues/2181 +sfile.mobi##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/6504 +softwaresblue.com##+js(acs, $, setTimeout) + +! https://github.com/NanoMeow/QuickReports/issues/2185 +mrpiracy.*##+js(acs, document.getElementById, deleted) +mrpiracy.*##+js(aopr, LieDetector) +mrpiracy.*##+js(nowoif) +||mrpiracy.*/images/*.gif$image + +! canalplus.com anti adb + ads +! https://github.com/uBlockOrigin/uAssets/issues/7575 +@@||fwmrm.net/ad/*$xhr,domain=canalplus.com +*$media,redirect=noopmp3-0.1s,domain=canalplus.com +@@||bran-media.canalplus.pro^$media,domain=canalplus.com + +! https://github.com/uBlockOrigin/uAssets/issues/6508 +||vidads.gr^$3p + +! https://github.com/NanoMeow/QuickReports/issues/2188 +kino-zeit.de##+js(acs, getCookie) + +! https://github.com/NanoMeow/QuickReports/issues/2189 +! https://www.reddit.com/r/uBlockOrigin/comments/10lifv2/ +topstreams.*##+js(nowebrtc) +topstreams.*##+js(acs, $, ads) +topstreams.*##+js(acs, setTimeout, admc) +topstreams.*##^script:has-text(admc) + +! https://www.reddit.com/r/uBlockOrigin/comments/dq53hc/anti_adblock_on_jotapov/ +jotapov.com##+js(acs, jQuery, adblocker) +jotapov.com##.jconfirm + +! https://github.com/uBlockOrigin/uAssets/issues/6511 +oload.*##+js(aopr, AaDetector) +oload.*,streamhoe.*##+js(aopr, open) +oload.*,streamhoe.*##+js(aopr, _pop) +oload.*##+js(aopr, decodeURI) +##[href^="https://klsdee.com/"] + +! https://github.com/NanoMeow/QuickReports/issues/2190 +@@||animex.*^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2197 +@@||moonline.*^$ghide +moonline.*###clickfakeplayer + +! https://github.com/NanoMeow/QuickReports/issues/3060 +shorten.*##+js(aopr, AaDetector) +shorten.*##+js(aopr, app_vars.force_disable_adblock) +shorten.*##+js(aopr, parcelRequire) +shorten.*##+js(nowoif) +shorten.*###chromepop +||shorten.*/sw.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/dr1eoe/how_do_i_block_this_antiadblock_ligainsiderde/ +ligainsider.de##+js(acs, $, MutationObserver) +@@||ligainsider.de^$ghide + +! https://github.com/NanoAdblocker/NanoFilters/issues/417 +drrtyr.mx##+js(aeld,, adb) +dirrty.remix.es##.ad_target +dirrty.remix.es##.adsbygoogle +dirrty.remix.es##.AdZone300 + +! https://github.com/NanoMeow/QuickReports/issues/2205 +@@||globaltvapp.net^$ghide + +! indaily.com.au anti adb +indaily.com.au##.advertisement + +! https://www.reddit.com/r/uBlockOrigin/comments/drmhuh/how_to_remove_ads_from_bitcointalkorg/ +bitcointalk.org##:xpath(//span[contains(text(),"Advert")]/../..) +bitcointalk.org##td:has(> span[class]:has-text(Advert)) +bitcointalk.org##.fpcontainer + +! https://github.com/NanoMeow/QuickReports/issues/2226 +fluentu.com##+js(aopr, __eiPb) + +! https://github.com/NanoMeow/QuickReports/issues/2231 +@@||naruto-arena.net^$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2233 +investmentwatchblog.com##+js(acs, Math, '0x) +investmentwatchblog.com##+js(aopw, ABD) + +! https://github.com/NanoMeow/QuickReports/issues/2238 +! https://github.com/uBlockOrigin/uAssets/issues/11371 +fangraphs.com##+js(acs, $, Math.random) +fangraphs.com##+js(set, ezstandalone.enabled, true) +fangraphs.com##.catchall728 +fangraphs.com##.fg-ra-desktop +fangraphs.com##.fg-ra-mobile + +! https://github.com/uBlockOrigin/uAssets/issues/6527 +phoneswiki.com##+js(set, jQuery.adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/6528 +myadslink.com##+js(aeld, load, 2000) + +! 943thex.com live player anti adb +||adservice.google.com/adsid/integrator.js$script,redirect=noopjs,domain=943thex.com + +! https://github.com/NanoMeow/QuickReports/issues/2254 +@@||vidcrt.net^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6536 +@@||sabervivirtv.com^$ghide +sabervivirtv.com##.ad-item +sabervivirtv.com##.ad-sidebar + +! https://github.com/NanoMeow/QuickReports/issues/2224 +aol.com##.maas-item:has-text(our Partners) + +! https://github.com/NanoMeow/QuickReports/issues/2261 +@@||debridup.com^$script,xhr,1p + +! homad +! https://github.com/uBlockOrigin/uAssets/issues/6541 +! https://github.com/uBlockOrigin/uAssets/issues/15698 +! https://github.com/uBlockOrigin/uAssets/issues/19453 +player.buffed.de,player.gamezone.de,player.gamesaktuell.de,player.pcgames.de,player.videogameszone.de,player.pcgameshardware.de##+js(rpnt, script, /'globalConfig':.*?"\,\s};var exportz/s, };var exportz) +golem.de##+js(no-xhr-if, damoh) +vip.de,rtl.de,cinema.de##+js(no-xhr-if, svonm) +||computer-bild.de/_static-assets/homad/homad.js +||auto-bild.de/_static-assets/homad/homad.js +! web.de and gmx.net +||uicdn.com/uimag/*/assets/_sn_/vendor/homad.min.js +giga.de,kino.de,spieletipps.de,desired.de##+js(rpnt, script, /\"homad\"\,/) +t-online.de##+js(rpnt, script, /\"homad\":\{\"state\":\"enabled\"\}/, "homad":{"state":"disabled"}) +sport.de##+js(rpnt, script, useAdBlockDefend: true, useAdBlockDefend: false) +stern.de,geo.de,brigitte.de##+js(set, foundation.adPlayer.bitmovin, {}) +wetter.de##+js(no-xhr-if, homad-global-configs) +welt.de,~dutyfarm.welt.de##div[id][style^="z-index: 2"][style*="margin"][style*="auto"][style*="top"][style$="px; position: absolute;"]:remove() +spiegel.de##+js(rmnt, script, homad) +plus.rtl.de##+js(json-prune, adReinsertion) +tvspielfilm.de,tvtoday.de,chip.de,focus.de,fitforfun.de##+js(set, DL8_GLOBALS.enableAdSupport, false) +tvspielfilm.de,tvtoday.de,chip.de,focus.de,fitforfun.de##+js(set, DL8_GLOBALS.useHomad, false) +tvspielfilm.de,tvtoday.de,chip.de,focus.de,fitforfun.de##+js(set, DL8_GLOBALS.enableHomadDesktop, false) +tvspielfilm.de,tvtoday.de,chip.de,focus.de,fitforfun.de##+js(set, DL8_GLOBALS.enableHomadMobile, false) +||amazonaws.com/homad-global-configs.schneevonmorgen.com/global_config.json$xhr,redirect=nooptext,domain=n-tv.de|golem.de +! https://github.com/uBlockOrigin/uAssets/issues/19951 +n-tv.de##+js(set, Object.prototype.adReinsertion, noopFunc) +! https://github.com/uBlockOrigin/uAssets/issues/5847 +player.rtl2.de##+js(set, getHomadConfig, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/7508#issuecomment-659267224 +||united-infos.net^$domain=gmx.*|web.de +! https://github.com/uBlockOrigin/uAssets/issues/6541#issuecomment-559272733 +focus.de,kicker.de##+js(json-prune, enabled, force_disabled) + +! https://github.com/uBlockOrigin/uAssets/issues/7508#issuecomment-659267224 +||damoh.gmx.*/*$media,redirect=noop-0.1s.mp3,1p +||united-infos.net^$domain=gmx.*|web.de +! https://github.com/uBlockOrigin/uAssets/issues/6541#issuecomment-559272733 +focus.de##+js(json-prune, enabled, force_disabled) +gmx.*,web.de##+js(aeld, timeupdate) +*$media,redirect-rule=noop-0.1s.mp3,3p,domain=gmx.*|web.de +! https://github.com/uBlockOrigin/uAssets/issues/7508#issuecomment-665541485 + +! https://github.com/uBlockOrigin/uAssets/issues/6545 +tv2.no##+js(json-prune, enabled, testhide) + +! https://forums.lanik.us/viewtopic.php?p=151059#p151059 +@@||player.clevercast.com/players/video-js/video-js-plugins/videojs.ads.min.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6548 +camcam.cc##+js(no-fetch-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/6549 +ihow.info##+js(nostif, getComputedStyle, 250) + +! https://github.com/uBlockOrigin/uAssets/issues/6552 +@@||eldia.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6560 +adshrink.it##+js(aeld, load, nextFunction) +adshrink.it##+js(aopr, open) +@@||googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=adshrink.it +@@||googlesyndication.com/pagead/js/*/show_ads_impl$script,domain=adshrink.it +||googlesyndication.com/pagead/js/adsbygoogle.js$xhr,redirect=noopjs,domain=adshrink.it +@@||shrink-service.it^$frame,domain=adshrink.it +@@||cdn.trackjs.com/agent/v*/latest/t.js$script,domain=adshrink.it +||shrink-service.it^$csp=frame-src +shrink-service.it##+js(aopr, open) +adshrink.it##.active.dimmer.ui:has-text(/Wait|Skip/i) +||offer.alibaba.com^$frame,domain=adshrink.it + +! https://www.reddit.com/r/uBlockOrigin/comments/dvubaa/failed_to_load_content_please_disable_adblocker/ +vipstand.*##+js(nowoif, //) + +! https://github.com/uBlockOrigin/uAssets/issues/2824 +turkanime.co##+js(aeld, , pop) +turkanime.*##+js(nostif, blocked) +*$script,redirect-rule=noopjs,domain=turkanime.* +@@||turkanime.*^$ghide +@@||turkanime.*/ad/$xhr,1p +turkanime.*##div.col-xs-12:has-text(MMPORG OYUNLAR) +turkanime.*###sponsored +turkanime.*##.panel-title:has-text(REKLAM) +turkanime.*##.AltkisimMenu +video.sibnet.ru###vjs-overlayclip-box +video.sibnet.ru##.vjs-overlayclip-box-close + +! allcalidad.net anti adb and popup +allcalidad.*##+js(acs, doOnce) +allcalidad.*##+js(aeld, , 0x) +allcalidad.*##+js(aopw, smrtSB) +allcalidad.*##+js(set, btoa, null) +allcalidad.*##+js(ra, href, #clickfakeplayer) +allcalidad.*##.table-hover.table > tbody > tr:has-text(Descargar Premium) +*$script,3p,denyallow=cloudflare.com|cloudfront.net|facebook.net|fbcdn.net|googleapis.com|gstatic.com|heyoya.com,domain=allcalidad.* + +! https://github.com/uBlockOrigin/uAssets/issues/6561 +*.gif$image,domain=stream1688.com +*$media,domain=stream1688.com,redirect=noopmp3-0.1s + +! https://www.reddit.com/r/uBlockOrigin/comments/dmcm6b/how_to_disable_ublock_strict_blocking_popup/f4zfjji/ +! https://github.com/uBlockOrigin/uAssets/issues/17195 +123anime.*,123animes.*##+js(aopr, glxopen) +123anime.*##+js(acs, setTimeout, popi) +123anime.*##+js(nowoif) +! 123animes.mobi/ru popup +123animes.*##+js(aopr, AaDetector) +123animes.*##div[id][style^="position: fixed; inset: 0px; z-index: 2147483647;"] + +! https://github.com/uBlockOrigin/uAssets/issues/6562 +upfile.us##+js(nano-sib) + +! https://github.com/NanoMeow/QuickReports/issues/2283 +metro.us##+js(set, Adv_ab, false) +games.metro.us##+js(rpnt, script, "isAdBlockerEnabled":true, "isAdBlockerEnabled":false) + +! oltnertagblatt .ch anti adb +@@||nwch.az-cdn.ch^$script,domain=oltnertagblatt.ch + +! https://www.reddit.com/r/uBlockOrigin/comments/dwnkgn/listenonrepeatcom_has_an_antiadblock/ +listenonrepeat.com##+js(acs, googlefc) + +! https://github.com/uBlockOrigin/uAssets/issues/6571 +news18.com##+js(aeld, scroll, getElementById) +news18.com##+js(aeld, scroll, Mgid) +news18.com##+js(aopr, getAdsScripts) +news18.com##.ad-container +news18.com##[class^="adv_placeholder_"] + +! https://github.com/NanoMeow/QuickReports/issues/2290 +spinbot.com##+js(aopr, angular) + +! https://github.com/uBlockOrigin/uAssets/issues/6572 +xiaomi-miui.gr##+js(acs, $, detected) + +! https://github.com/NanoMeow/QuickReports/issues/2134 +@@||calciomercato.com^$ghide +calciomercato.com##.adv + +! https://github.com/uBlockOrigin/uAssets/issues/8347 +! https://www.reddit.com/r/uBlockOrigin/comments/zeasej/ +forum.release-apk.com###page-header:has(+ .phpbb-ads-center:matches-css(height: 280px)):style(margin-bottom: -265px !important) +forum.release-apk.com##.phpbb-ads-center:style(pointer-events: none !important) +!forum.release-apk.com##^script:has-text(/\'load\'|document.onload/) +forum.release-apk.com##+js(aeld, load, onload) +forum.release-apk.com##+js(nobab) +@@||forum.release-apk.com^$ghide +@@||pagead2.googlesyndication.com/pagead/$script,domain=forum.release-apk.com +*$frame,domain=forum.release-apk.com,redirect-rule=noopframe +@@||googleads.g.doubleclick.net/pagead/*forum.release-apk.com$frame,domain=forum.release-apk.com +forum.release-apk.com##ins:style(opacity: 0 !important; pointer-events: none !important) +*$xhr,redirect-rule=nooptext,domain=forum.release-apk.com +forum.release-apk.com##+js(acs, eval, replace) + +! https://github.com/NanoMeow/QuickReports/issues/2294 +adonisfansub.com##+js(nobab) + +! https://github.com/NanoMeow/QuickReports/issues/2295 +agefi.fr##+js(nostif, {r(), 0) + +! https://forums.lanik.us/viewtopic.php?p=151106#p151085 +horriblesubs.info##[class*="sponsor"] + +! https://forums.lanik.us/viewtopic.php?f=91&t=43802 +ladepeche.fr##+js(aopr, localStorage) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43872 +projectfreetv.*##+js(aeld, , _0x) +##.overlay-advertising-new + +! https://github.com/AdguardTeam/AdguardFilters/issues/63019 +*$xhr,redirect-rule=nooptext,domain=freevocabulary.com + +! https://github.com/NanoMeow/QuickReports/issues/2305 +cinemaxxl.de##+js(set, adblock, false) +cinemaxxl.de##noscript:has-text(Adblocker):remove() +||cinemaxxl.de/js/adblock.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/6584 +anime-i.com##+js(nostif, nextFunction, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/6588 +cartoonth12.com##.header-ad +*.gif$domain=cartoonth12.com,image +@@||jwpcdn.com/player/$script,domain=player.cartoonth12.com +*.mp4$media,redirect=noopmp3-0.1s,domain=cartoonth12.com +@@||cartoonth12.com^$ghide +cartoonth12.com##.dessert-frame +cartoonth12.com##[href="https://www.sagame350.bet/"] +cartoonth12.com##.video-player.responsive-player + +! https://github.com/NanoAdblocker/NanoFilters/issues/424 +upzone.cc##+js(acs, document.getElementById, undefined) + +##.header-menu-bottom-ads +##.rkads +###bt-ads + +! https://github.com/NanoMeow/QuickReports/issues/2309 +@@||lutontoday.co.uk^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2453 +! https://github.com/olegwukr/polish-privacy-filters/issues/67 +@@||cdntvn.pl^$script,domain=player.pl +@@||player.pl^$cname +@@||player.pl^$ehide +/ad.xml$xhr,badfilter +! https://github.com/uBlockOrigin/uAssets/issues/15609 +player.pl#@#+js(json-prune, movie.advertising.ad_server) +! https://github.com/uBlockOrigin/uAssets/issues/17801 +$xhr,redirect-rule=noopjs,domain=player.pl +player.pl##div.adsbygoogle.prebid.adocean.ado.ad.ads.advert.banner.reklama.linkSponsorowany.adsense.advertisments.reklama-top.adv_container:style(display: block !important) +*$media,domain=player.pl,redirect=noopmp3-0.1s +@@||tvn.hit.gemius.pl^$xhr,domain=player.pl + +! https://github.com/NanoMeow/QuickReports/issues/2318 +@@||jbzd.com.pl^$ghide + +! irisbuddies.ml (dead) anti adb +||rawgit.com/fahimraza/FK/master/ad-unblocker.js^$script +||cdn.jsdelivr.net/gh/Akshat-h/propeller/btagantiadb.js^$script + +! https://forums.lanik.us/viewtopic.php?f=62&t=43891#p151254 +news-herald.com##+js(aopr, Connext) + +! https://github.com/uBlockOrigin/uAssets/issues/6600 +*.gif$domain=037-hd.com,image +*$media,domain=037-hd.com,redirect=noopmp3-0.1s + +! https://github.com/uBlockOrigin/uAssets/issues/6602 +*$script,3p,denyallow=bootstrapcdn.com|disqus.com|jsdelivr.net|jwpcdn.com|fastly.net|fastlylb.net|jquery.com|hwcdn.net|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com,domain=movieshub.* + +! https://github.com/NanoMeow/QuickReports/issues/2321 +@@||kwik.*^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2325 +@@||sadeempc.com^$ghide +sadeempc.com##[class^="buttonPress"] + +! https://github.com/NanoMeow/QuickReports/issues/2330 +@@||game-kentang.blogspot.com^$ghide +game-kentang.blogspot.com##+js(nano-sib) + +! https://github.com/NanoMeow/QuickReports/issues/2338 +shortgoo.blogspot.com##+js(set, showAds, true) +shortgoo.blogspot.com##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/6612 +@@||downloader.la^$ghide + +! ytmp3. plus ad and popup +ytmp3.*##+js(nowoif) +ytmp3.cc#@#+js(nowoif) +ytmp3.cc##+js(nowoif, !/ytmp3|dropbox/) +||ytmp3.*/ad/$frame +! https://github.com/uBlockOrigin/uAssets/issues/11212 +||ytmp3.cc/js/ad*$script,1p + +! cariskuy.com anti adb +cariskuy.com##+js(nostif, nextFunction, 450) + +||domnovrek.com^$3p + +! blackavelic.com anti adb +blackavelic.com##+js(aeld, load, 2000) + +! https://github.com/NanoMeow/QuickReports/issues/2349 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=felanovia.com + +! https://github.com/NanoMeow/QuickReports/issues/2350 +thelanb.com##+js(aeld, load, undefined) + +! https://github.com/NanoMeow/QuickReports/issues/2355 +planetaminecraft.com##+js(set, ab, false) + +! https://github.com/uBlockOrigin/uAssets/issues/6620 +@@||aasarchitecture.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6618 +softwaredescargas.com##+js(aeld, DOMContentLoaded, scriptwz_url) +softwaredescargas.com##+js(aopr, scriptwz_url) + +! https://www.reddit.com/r/uBlockOrigin/comments/e0uvbc/justlightnovelscom_stuck_on_browser_checking/ +@@||justlightnovels.com^$ghide +justlightnovels.com##.adsbyvli +jnovels.com##+js(aopw, KillAdBlock) +! https://charexempire.com/DWsil focus detection and popup +codesnse.com###paras-devgenerate ~ * +codesnse.com##[href^="https://play.google.com/"] +cybertechng.com##+js(set, blurred, false) +cybertechng.com##+js(set, go_popup, {}) + +! https://github.com/NanoMeow/QuickReports/issues/2357 +cracking-dz.com##+js(aeld, load, 0x) + +! https://github.com/NanoMeow/QuickReports/issues/2363 +voipreview.org##+js(set, adblockEnabled, false) + +! https://github.com/NanoMeow/QuickReports/issues/2367 +@@||safelink-jozz.blogspot.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6621 +yusepjaelani.blogspot.com###showadblock, .modal-backdrop +yusepjaelani.blogspot.com##body:style(overflow: auto !important) +|about:$popup,domain=yusepjaelani.blogspot.com +||yusepjaelani.blogspot.com^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +yusepjaelani.blogspot.com##+js(nostif, Debug) + +! https://github.com/uBlockOrigin/uAssets/issues/6624 +mega1080p.*##+js(aeld, DOMContentLoaded, btoa) +mega1080p.*##.bnr +@@||easyreaders.site^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/dyhwim/how_to_block_ads_in_imdb_tv/ +! https://www.reddit.com/r/uBlockOrigin/comments/e2nc95/imdb_issue/ +! https://www.reddit.com/r/uBlockOrigin/comments/ox0gco/any_way_to_block_ads_on_imdb_tv/ +! /interstitial/*$xhr,redirect=noop-1s.mp4,domain=imdb.com +||imdb.com/tr/*pageHit$xhr,redirect=noopjs,domain=imdb.com +||fls-na.amazon.com/$xhr,redirect=noopjs,domain=imdb.com +*$media,redirect=noopmp3-0.1s,domain=imdb.com,3p +@@||media-imdb.com^$media,domain=imdb.com + +! https://forums.lanik.us/viewtopic.php?f=98&t=43932&p=151462#p151449 +presentation-ppt.com##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/6634 +*$frame,xhr,script,3p,domain=bolly4umovies.* + +! https://forums.lanik.us/viewtopic.php?f=91&t=43936 +femina.ch##+js(aopr, _sp_.mms.startMsg) + +! https://www.reddit.com/r/uBlockOrigin/comments/mxeds6/adblocker_detectet_only_first_post_available/ +photovoltaikforum.com##+js(acs, $, offsetHeight) +photovoltaikforum.com##.wcfAdLocation:upward(li) + +! fix mangahere.onl ads & anti adb +mangahere.onl##+js(aopr, AdservingModule) +mangahere.onl##+js(aopr, loadRunative) +mangahere.onl##.container.ads-container +||mangahere.onl/adsbygoogle.js$script,redirect=noopjs,1p + +! https://github.com/NanoAdblocker/NanoFilters/issues/430 +soy502.com##+js(acs, document.getElementById, length) + +! https://github.com/NanoMeow/QuickReports/issues/2386 +*$script,3p,denyallow=101placeonline.com|bootstrapcdn.com|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|fastly.net|fastlylb.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|jsdelivr.net|jwpcdn.com|recaptcha.net|sportscentral.io,domain=mlbstreams.to|nbastreams.to|nflbite.com|nflstreams.to|nhlstreams.to|soccerstreams.net + +! https://github.com/AdguardTeam/AdguardFilters/issues/43599#issuecomment-559967206 +openloadmovies.*##+js(aopr, AaDetector) +streamango.*###ad_buts + +! https://www.reddit.com/r/uBlockOrigin/comments/e3wccl/naughtymachinima_ads_before_video_not_blocked/ +naughtymachinima.com##+js(aopr, loadTool) +naughtymachinima.com##+js(nowoif) +||naughtymachinima.com/*banner +||naughtymachinima.com/*preroll + +! https://github.com/NanoMeow/QuickReports/issues/2399 +@@||bonjourdefrance.com^$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2400 +@@||remix.es^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/9907 +arabseed.*##+js(aeld, , _0x) +||arabseed.*/sw.js$script,1p +arabseed.*##.ads-aa + +! https://github.com/uBlockOrigin/uAssets/issues/6640 +! https://github.com/brave/brave-browser/issues/8453 +lapresse.ca##+js(set, noBlocker, true) +lapresse.ca##+js(aopw, _sp_) + +! https://github.com/uBlockOrigin/uAssets/issues/6641 +||nxbrew.com/sw.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2413 +@@||tele-gratuit.net/analytics/adiframe.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2414 +sportsnaut.com###dsk-banner-ad-a +sportsnaut.com###dsk-box-ad-c + +! https://github.com/uBlockOrigin/uAssets/issues/6644 +doodle.com##+js(aopr, _sp_._networkListenerData) + +! https://github.com/uBlockOrigin/uAssets/issues/6645 +seeitworks.com##+js(acs, document.getElementById, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/6647 +televisiongratishd.com##+js(acs, adBlockDetected) +televisiongratishd.com###ventana-flotante + +! https://github.com/uBlockOrigin/uAssets/issues/2180 +@@||hacknetfl1x.net^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/1699 +||googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=jmusic.me,redirect=noopjs +##.mdp-deblocker-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/6652 +@@||classic-retro-games.com^$ghide +classic-retro-games.com##ins.adsbygoogle, #ad, .game-ad +/bab.min.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2432 +kolyoom.com##+js(nobab) +kolyoom.com##+js(set, adsbygoogle, null) + +! https://github.com/NanoAdblocker/NanoFilters/issues/432 +! https://github.com/AdguardTeam/AdguardFilters/issues/67191 +bde4.*#@#a[href*=".yabo816."] +bde4.*##a[href*=".yabo816."]:remove() +bde4.*##+js(nofab) +bde4.*##+js(nano-sib) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43979&p=151701#p151701 +dailysport.*##+js(acs, String.fromCharCode, atob) +dailysport.*,eplsite.uk##+js(aopr, AaDetector) +dailysport.*,eplsite.uk##+js(aopr, open) +eplsite.uk##[href="https://www.eplsite.uk/vm.html"] +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.com|cloudflare.net|googleapis.com|hwcdn.net|jsdelivr.net,domain=dailysport.* + +! https://github.com/NanoMeow/QuickReports/issues/2441 +@@||lesmoutonsrebelles.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6656 +@@||vietgamemod.net^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/148#issuecomment-562936063 +##.amp-ad-inner +###placeAds +@@||cdn.ampproject.org/*/amp-ad-*.js$script,domain=aajtak.intoday.in +@@||taboola.com/*indiatoday$domain=ampproject.net +@@||trc.taboola.com/indiatoday + +! dirtyship .com tabunder +dirtyship.com##+js(aopr, dataPopUnder) + +! https://www.reddit.com/r/uBlockOrigin/comments/e7v537/fluid_player_doesnt_work_when_ublock_is_on/ +porn00.org##+js(nowoif) +porn00.org##.table +porn00.org##div.headline[style] +||ang-content.com/*.mp4$media,redirect=noopmp3-0.1s,domain=porn00.org + +! https://github.com/uBlockOrigin/uAssets/pull/10286 +@@||sonyliv.com^$ghide +@@||sonyliv.com^$xhr,1p +!sonyliv.com##+js(json-prune, adProvider) + +! https://github.com/uBlockOrigin/uAssets/issues/6662 +@@||realmofdarkness.net^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2465 +@@||magyarhang.org^$shide +||magyarhang.org/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/6675 +savevideo.tube##+js(aopr, AaDetector) +savevideo.tube##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/2474 +files.cx##+js(aopr, AaDetector) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43994 +devoloperxda.blogspot.com##+js(aeld, load, onload) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43996&p=151781#p151781 +celebmix.com##+js(set, jQuery.adblock, false) + +! https://github.com/NanoMeow/QuickReports/issues/2477 +vttpi.com##+js(acs, document.createElement, adblock) + +! https://www.reddit.com/r/uBlockOrigin/comments/e9d8dz/adblockdetector_on_rakutentv/ +! https://github.com/uBlockOrigin/uAssets/issues/15819 +@@||rakuten.tv^$ghide +@@||cdnjs.cloudflare.com/ajax/libs/rollbar.js/$script,domain=rakuten.tv +@@||search.spotxchange.com/vast/$xhr,domain=rakuten.tv +rakuten.tv##+js(no-xhr-if, /youboranqs01|spotx|springserve/) + +! https://github.com/NanoMeow/QuickReports/issues/2483 +@@||projectkorra.com/*/siropu/*/ads$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6681 +doofree88.com##+js(nano-sib, js-btn-skip, 1000) +||doofree88.com/storage/go/banner*.gif$image,1p +doofree88.com##.go-hard +doofree88.com##.placeholder + +! https://github.com/NanoMeow/QuickReports/issues/2490 +insidermonkey.com##+js(acs, Math, '0x) + +! https://github.com/NanoMeow/QuickReports/issues/2501 +@@||meucdn.*^$script,xhr,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=meucdn.vip +@@||cdn.jsdelivr.net/npm/videojs-contrib-ads/$domain=meucdn.vip +@@||meucdn.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6686 +##a[href*="/go.php?a_aid="] + +! https://github.com/NanoMeow/QuickReports/issues/2516 +letras.mus.br##+js(nostif, r(), 0) +letras.mus.br##[id^="pub"] + +! https://github.com/NanoMeow/QuickReports/issues/2513 +@@||batch.id^$ghide + +! https://forums.lanik.us/viewtopic.php?f=114&t=44101#p151985 +pakkotoisto.com##+js(acs, $, undefined) + +! https://github.com/NanoMeow/QuickReports/issues/2517 +androidonepro.com##+js(aopr, downloadJSAtOnload) + +! https://old.reddit.com/r/uBlockOrigin/comments/ecd6id/removing_scrollblock_on_tagesanzeigerch/ +! https://github.com/uBlockOrigin/uAssets/issues/6755 +! https://www.reddit.com/r/uBlockOrigin/comments/e6lash/cant_log_in_on_digital_news_website/fkrke3j/ +@@||tda.io^$xhr,domain=tagesanzeiger.ch +@@||tagesanzeiger.ch^$ghide +tagesanzeiger.ch,berneroberlaender.ch,derbund.ch##div[class^="TopAds"] + +! https://github.com/NanoMeow/QuickReports/issues/2518 +rmcmv.*##+js(nosiif, visibility) +rmcmv.*##[class*="ads"] + +! https://github.com/NanoMeow/QuickReports/issues/2521 +lecourrier-du-soir.com##+js(nosiif, iframe) + +! https://github.com/uBlockOrigin/uAssets/issues/6694 +9gag.com##[id^="sidebar-stream-"] > h4:has-text(Advertisement) + +! https://github.com/NanoMeow/QuickReports/issues/2298 +! https://github.com/NanoMeow/QuickReports/issues/2525 +gazzetta.it##+js(aeld, adblockActivated) + +! https://github.com/uBlockOrigin/uAssets/issues/6702 +upstream.to##+js(aopr, open) +upstream.to##+js(acs, globalThis, break;case) + +! https://github.com/NanoMeow/QuickReports/issues/2529 +! https://github.com/NanoMeow/QuickReports/issues/4789 +! https://github.com/uBlockOrigin/uAssets/issues/16316 +! https://github.com/uBlockOrigin/uAssets/issues/24240 +arcadepunks.com##+js(aopr, penci_adlbock) +arcadepunks.com##[class*="ads"]:not(#jetblocker-detect) +@@||arcadepunks.com^$ghide +arcadepunks.com##.header-banner +arcadepunks.com##[href^="https://www.arcadepunks.com/go/"] +arcadepunks.com##.left-ad +arcadepunks.com##.right-ad +arcadepunks.com##.spMessageFailure +arcadepunks.com##[href^="https://gameroomsolutions.com/"] +arcadepunks.com##.custom-html-widget:not(.custom-html-widget:has([href*="arcadepunks.com"])) + +! https://github.com/NanoMeow/QuickReports/issues/2534 +osxinfo.net##+js(acs, $, btoa) + +! https://www.reddit.com/r/uBlockOrigin/comments/edtpll/another_website_detecting_ublock/ +myneobuxportal.com##+js(set, jQuery.adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/6720 +wohnungsboerse.net##+js(aopr, Number.isNaN) +@@||wohnungsboerse.net^$xhr,1p +wohnungsboerse.net##[href*=".php"] + +! https://github.com/NanoMeow/QuickReports/issues/2548 +@@||football-lineups.com/dfp.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2554 +negumo.com##+js(set, fabActive, false) + +! https://github.com/NanoMeow/QuickReports/issues/2557 +rysafe.blogspot.com##+js(nostif, nextFunction, 250) + +! impotsurlerevenu.org anti adb +@@||impotsurlerevenu.org^$ghide + +! eletronicabr.com anti adb +eletronicabr.com##+js(nostif, test, 100) + +! inkagames.com anti adb +@@||inkagames.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2564 +@@||filmytoday.com^$ghide +filmytoday.com##.advertisement, .adsbygoogle +filmytoday.com##.i-am-centered +filmytoday.com##.title-section:has-text(/adv/i) + +! https://github.com/uBlockOrigin/uAssets/issues/6732 +@@||safetxt.*^$ghide +safetxt.*##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/2573 +cyberstumble.com##+js(aopr, b2a) + +! https://github.com/uBlockOrigin/uAssets/issues/6736 +games.wkb.jp##+js(set, gWkbAdVert, true) +games.wkb.jp##+js(set, noblock, true) +@@||games.wkb.jp/ykg/assets/pc/ad_adsense_for_games$css,script,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=games.wkb.jp + +! https://github.com/NanoMeow/QuickReports/issues/2570 +asmwall.com##+js(aopr, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/6761 +! https://github.com/uBlockOrigin/uAssets/issues/7190 +! https://github.com/uBlockOrigin/uAssets/issues/8842 +fandom.com##+js(set, wgAffiliateEnabled, false) +kenshi.fandom.com##+js(set, ads, null) +fandom.com##[id^="siderail_"][id*="_gamepedia"] +fandom.com###bodyContent:style(width:100% !important) +fandom.com##.instant-suggestion +fandom.com##.top-ads-container +||45tu1c0.com^ +fandom.com##.ad-slot-wrapper +! https://github.com/uBlockOrigin/uAssets/issues/18777 +fandom.com##li.top-results__item span:has-text(Sponsored):upward(li) + +! https://www.reddit.com/r/uBlockOrigin/comments/p721xg/no_more_popup_after_recent_update/ +139.99.33.192##.adpop +gdriveplayer.*##+js(aopr, AaDetector) +gdriveplayer.*##+js(nowoif, !gdrivedownload) +! https://75.119.159.228/yuusha-yamemasu-episode-9/ + +! https://github.com/realodix/AdBlockID/issues/163 +! https://github.com/realodix/AdBlockID/issues/182 +kordramass.com,kshowsubindo.org,senimovie.co##+js(acs, document.onclick, popunder) + +! https://github.com/uBlockOrigin/uAssets/issues/6765 +uptobox.com,uptostream.com##+js(set, jsUnda, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/6767 +earnload.*##+js(aopr, app_vars.force_disable_adblock) +earnload.*##+js(disable-newtab-links) +||earnload.*/sw.js$script,1p +*$image,3p,denyallow=earnload.com,domain=earnload.* + +! https://github.com/uBlockOrigin/uAssets/issues/6768 +shop123.com.tw##+js(aopw, daCheckManager) +orirom.com,romfirmware.com##+js(acs, eval, AdBlock) + +! https://github.com/NanoMeow/QuickReports/issues/2624 +evileaks.*##+js(acs, $, prompt) +@@||evileaks.*^$ghide +evileaks.*##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/2631 +||adservice.google.com/adsid/integrator.js$xhr,redirect=noopjs,domain=maxedtech.com +maxedtech.com##.widget_custom_html + +! https://github.com/NanoMeow/QuickReports/issues/2633 +*$xhr,redirect-rule=nooptext,domain=btik.com + +! popups drivefire .co/file/ FGZUI0DAGsHKdfW9NI2I +drivefire.co##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/6776 +@@||yoursavegames.com^$ghide +yoursavegames.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/19174 +hexupload.net##+js(aopw, Fingerprint2) +hexupload.net##+js(acs, document.createElement, rAb) + +! https://github.com/uBlockOrigin/uAssets/issues/6781 +@@||the-man.gr^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2645 +||firefaucet.win/*.gif$image + +||35.238.205.163^$all +||releinemaoff.pro^ + +! https://www.reddit.com/r/uBlockOrigin/comments/eknsyf/popups_ads_etc_on_these_sites/ +xanimeporn.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/5038#issuecomment-571271555 +||300mbmovies4u.*/sw.js$script,1p + +! sensualgirls .org exo stuff +sensualgirls.org##+js(aopr, document.dispatchEvent) +sensualgirls.org##.wide_boxcontent:has-text(/adb/i) +sensualgirls.org##.cbox_cont > div[style="text-align: center;"] +sensualgirls.org##div[data-width][style*="background-image: url"]:style(background: none !important) + +! https://github.com/NanoMeow/QuickReports/issues/2674 +call2friends.com##+js(aopr, onload) +call2friends.com#@#.adWrapper + +! https://github.com/NanoMeow/QuickReports/issues/2676 +bladesalvador.com##+js(set, adblock, false) + +! https://github.com/NanoMeow/QuickReports/issues/2679 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=folhabv.com.br +folhabv.com.br##.publicidade-asynchronous + +! https://github.com/NanoMeow/QuickReports/issues/2682 +jacquieetmichel.net##+js(set, is_adblocked, false) +jacquieetmichel.net##+js(rmnt, script, popUnderUrl) +jacquieetmichel.net##+js(ra, data-popunder-url) + +! https://github.com/NanoMeow/QuickReports/issues/2686 +@@||keneono.site^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6796 +fruitlab.com##+js(set, adBlockDetected, noopFunc) +@@||fruitlab.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6799 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=babygames.com +@@||babygames.com^$ghide +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=babygames.com +babygames.com###RightAdMiddleDiv +babygames.com###RightAdTopDiv + +! https://github.com/uBlockOrigin/uAssets/issues/6798 +@@||audio-sound-premium.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-572308826 +! https://github.com/AdguardTeam/AdguardFilters/issues/115682 +@@||wallpaperwaifu.com^$ghide +wallpaperwaifu.com##.ads-between-post:upward(.post-item) +wallpaperwaifu.com##ins.adsbygoogle + +||padspms.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/6802 +sh0rt.cc##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/6804 +aeonax.com##+js(noeval-if, debugger) +@@||aeonax.com^$ghide +*$frame,redirect-rule=noopframe,domain=camera.aeonax.com + +! https://github.com/NanoMeow/QuickReports/issues/2696 +@@||omekon.blogspot.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2698 +dobrapogoda24.pl##+js(nostif, , 1) + +! 9hentai onclick popup/under +9hentai.*##+js(aeld, click, saveLastEvent) +9hentai.*###ads + +! https://github.com/uBlockOrigin/uAssets/issues/6807 +@@||chuppito.fr^$ghide +||chuppito.fr/ext/*/privacypolicy/styles/all/template/remove_url.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2701 +@@||rtl.it^$script,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=rtl.it + +! https://github.com/uBlockOrigin/uAssets/issues/6814 +web2.0calc.*##+js(aopr, doads) +||web2.0rechner.de/*/$frame +||web2.0calc.*/*/$frame +web2.0rechner.de,web2.0calc.*###abmodal, body > .in.modal-backdrop +web2.0rechner.de,web2.0calc.*##body:style(overflow: auto !important) +web2.0rechner.de,web2.0calc.*###nocreditsmodal +web2.0rechner.de,web2.0calc.*##.first + +! https://github.com/uBlockOrigin/uAssets/issues/811 +@@||bzbasel.ch^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2722 +bacakomik.co##+js(nowoif) +*.gif$domain=bacakomik.co,image + +! https://github.com/NanoMeow/QuickReports/issues/2740 +@@||mastercoria.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10363 +keralatelecom.info##+js(nostif, adb) +keralatelecom.info##.ai-viewports + +! https://github.com/uBlockOrigin/uAssets/issues/6823 +extreme-down.*##+js(acs, $, friendlyduck) +extreme-down.*##+js(acs, Math, decodeURIComponent) + +! https://github.com/NanoMeow/QuickReports/issues/2748 +nzpocketguide.com##+js(aopr, adsanity_ad_block_vars) + +! https://github.com/uBlockOrigin/uAssets/issues/6828 +webcamsdolls.com##+js(nostif, offsetWidth) +*.php$script,domain=webcamsdolls.com +webcamsdolls.com##.sponsor + +! https://github.com/uBlockOrigin/uAssets/issues/6829 +fussball.news##+js(aopr, adBlockDetected) + +! https://forums.lanik.us/viewtopic.php?f=64&t=44188 +tvchoicemagazine.co.uk##+js(acs, $, onload) + +! nensaysubs.net anti adb +@@||nensaysubs.net^$ghide +||nensaysubs.net/images/logonensay.ico$image,1p,redirect=1x1.gif +nensaysubs.net###outerdiv + +! https://github.com/uBlockOrigin/uAssets/issues/22781 +gnula.*##+js(nowoif) +||gnula.*/player/vast*xml|$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/840 +stream.nbcsports.com##+js(set, adBlockEnabled, false) +@@||v.fwmrm.net/ad/g/1$xhr,domain=stream.nbcsports.com + +! https://github.com/NanoMeow/QuickReports/issues/2774 +@@||redsoccer.info^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2776 +porngo.com##+js(aopr, AaDetector) +||porngo.com^$csp=child-src * +porngo.com##+js(nowoif) +*preRoll$xhr,domain=porngo.com + +! https://github.com/uBlockOrigin/uAssets/issues/6847 +*$xhr,redirect-rule=noopjs,domain=audioblog.com + +! https://github.com/uBlockOrigin/uAssets/issues/6850 +@@||easy-firmware.com/templates/default/html/en/assets/js/fingerprint2.min.js$script,1p + +! https://forums.lanik.us/viewtopic.php?f=62&t=44210 +@@||freetempsms.com^$ghide +||s3.amazonaws.com/callloop/banners/$3p,image +||perfotrack.com^ + +! https://github.com/NanoMeow/QuickReports/issues/2788 +||fundingchoicesmessages.google.com^$3p +! https://github.com/orgs/uBlockOrigin/teams/ublock-filters-volunteers/discussions/289 +! google contributor anti adblock +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/911 +#@#[class^="div-gpt-ad"] +#@#[id^="div-gpt-ad"] +#@#div[id^="div-gpt-"] +##[class^="div-gpt-ad"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]) +##div[id^="div-gpt-"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]):not([style="pointer-events: none; height: 1px; width: 0px; opacity: 0; visibility: hidden; position: fixed; bottom: 0px;"]) +##[id^="div-gpt-ad"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]):not([style="pointer-events: none; height: 1px; width: 0px; opacity: 0; visibility: hidden; position: fixed; bottom: 0px;"]) + +! https://github.com/uBlockOrigin/uAssets/issues/6862 +@@||demokrasistyle.blogspot.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6864 +dloady.com##+js(acs, $, show) + +! https://github.com/NanoMeow/QuickReports/issues/2805 +sobatkeren.*##+js(nowoif) +||sobatkeren.*/img/banner/$image + +! https://github.com/NanoMeow/QuickReports/issues/2806 +movieon21.*##+js(nowoif) +*.gif$domain=movieon21.*,image + +! https://github.com/uBlockOrigin/uAssets/issues/6865 +pornfactors.com##+js(acs, jQuery, popunder) + +! https://www.reddit.com/r/uBlockOrigin/comments/esrkxo/help_adblocker_detected/ +@@||javplayer.com^$ghide +javplayer.com###player-advertising + +! https://forums.lanik.us/viewtopic.php?p=152241#p152241 +||doubleclick.net^$domain=pccomponentes.com,important +||googlesyndication.com^$domain=pccomponentes.com,important +||googletagservices.com^$domain=pccomponentes.com,important +||omtrdc.net^$xhr,domain=pccomponentes.com,important +pccomponentes.com##div[id^="div-gpt-ad-"] + +! https://github.com/uBlockOrigin/uAssets/issues/2475 +! https://www.reddit.com/r/uBlockOrigin/comments/17sd1co/request_fix_for_spacecom/ +techradar.com##+js(aopr, _sp_._networkListenerData) +gamesradar.com,techradar.com,tomsguide.com,tomshardware.com,whathifi.com##.mobile-leaderboard-320-50:upward([style]) +androidcentral.com,gamesradar.com,livescience.com,pcgamer.com,space.com,techradar.com,tomsguide.com,tomshardware.com,whathifi.com,windowscentral.com##.van_taboola +whathifi.com##.dfp-leaderboard-container +whathifi.com###ultimedia_wrapper +whathifi.com##.slot-leaderboard +whathifi.com##.adunit + +! https://github.com/NanoMeow/QuickReports/issues/2836 +modebaca.com##+js(aopr, app_vars.force_disable_adblock) +modebaca.com##+js(acs, $, click) +modebaca.com##[href="https://www.tautan.pro/"] + +! crichd .sc / .com / .cx / to / .tv popups +crichd.*##+js(aopr, AaDetector) + +! https://github.com/NanoMeow/QuickReports/issues/2846 +ticonsiglio.com##+js(aopr, jQuery.adblock) + +! https://github.com/NanoMeow/QuickReports/issues/1835 +mtlurb.com##+js(nostif, purple_box) + +! https://github.com/uBlockOrigin/uAssets/issues/4737 +! 123moviesc. cyou +123moviesc.*##+js(aopr, mm) + +! https://github.com/uBlockOrigin/uAssets/issues/6890 +debgen.fr##+js(acs, addEventListener, nextFunction) + +! https://github.com/NanoMeow/QuickReports/issues/2866 +@@||mabzicle.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6894 +*$popunder,domain=convert2mp3.tv,3p + +! https://github.com/uBlockOrigin/uAssets/issues/6895 +daily-times.com##+js(aopr, _sp_._networkListenerData) + +! https://github.com/NanoMeow/QuickReports/issues/2868 +@@||googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=lexigram.gr + +! https://github.com/NanoMeow/QuickReports/issues/2869 +||vidazoo.com^$domain=readonepiece.com +readonepiece.com###vidazoo-player-div + +! https://github.com/NanoMeow/QuickReports/issues/2870 +! https://github.com/uBlockOrigin/uAssets/issues/8411#issuecomment-752413056 +imgbaron.com##+js(aopr, loadTool) +imgbaron.com##[src="https://imgbaron.com/chrome.ads.png"] +imgbaron.com##p.newsbar_b +imgbaron.com##div[style^="display: block; position: fixed; z-index"] +imgbaron.com###fadeinbox + +! https://github.com/uBlockOrigin/uAssets/issues/15329 +! https://github.com/uBlockOrigin/uAssets/issues/16372 +! https://github.com/uBlockOrigin/uAssets/issues/16427 +! https://github.com/uBlockOrigin/uAssets/issues/20520 +##.samBannerUnit +##.samCodeUnit +@@||ads.hausbau-forum.de/openad.js$script,1p +hausbau-forum.de##+js(no-xhr-if, adsbygoogle) +hausbau-forum.de##+js(set, detectAdblock, noopFunc) +*$script,redirect-rule=noopjs,domain=hausbau-forum.de +hausbau-forum.de##+js(rmnt, script, Adblock) + +! https://github.com/NanoMeow/QuickReports/issues/2878 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=adnan-tech.com + +! nbareplayhd.com anti adb +nbareplayhd.com##+js(aopr, adblockDetector) + +! heavy-r .com nsfw ads (srcdoc) +||heavy-r.com^$csp=child-src * +heavy-r.com##.mob-ban +heavy-r.com##.nopop.hd-bar + +! showbiz .cz ads (srcdoc) +||showbiz.cz^$csp=child-src * + +! https://www.her.ie/celeb/what-ever-happened-to-enrique-iglesias-mole-269224 (scroll issue) +her.ie##html:style(overflow: auto !important) + +! https://github.com/NanoMeow/QuickReports/issues/2889 +warps.club##+js(aopr, adblockDetect) + +! https://github.com/NanoMeow/QuickReports/issues/2890 +*$script,redirect-rule=noopjs,domain=texviewer.herokuapp.com + +! https://github.com/NanoMeow/QuickReports/issues/2897 +fake-it.ws##+js(set, adsLoadable, true) + +! https://www.reddit.com/r/uBlockOrigin/comments/ew9p5z/anti_adblocker_on_881903com/ +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,domain=881903.com + +! https://github.com/NanoMeow/QuickReports/issues/2901 +cuatrolatastv.blogspot.com##+js(nobab) +cuatrolatastv.blogspot.com##+js(acs, _pop) +||sites.google.com/site/rvdmarcrailcatrain/home/tomber.js$script + +! https://github.com/NanoMeow/QuickReports/issues/2902 +dramakrsubindo.blogspot.com##+js(aopr, open) +||protectsurf-a.akamaihd.net^ +||akamaihd.net/*&affid + +! pelispedia. one popup +pelispedia.*##+js(acs, allclick_Public) +pelispedia.*##+js(nano-stb) +pelispedia24.*##+js(nowoif) +pelispedia.*,pelispedia24.*##+js(ra, href, a#clickfakeplayer) +pelispedia.*##+js(ra, href, #opfk) +pelispedia.*##+js(ra, href, .fake_player > [href][target]) +premiumstream.live##+js(ra, href, .link) +pelispedia.*##a.btns +pelispedia.*##div.mb-5.text-center +pelispedia.*##.cont.principal > .site-main > .links +pelispedia.*##.img-responsive +pelispedia.*##.mvic-btn +pelispedia.*##[class^="page_speed_"][href] > img[src$="app.png"] +pelispedia24.*##.button +pelispedia24.*##.asgdc +pelispedia24.*##.preplayer +pelispedia24.*##[href^="/acceso-total-sin-limite"] +||pelispedia.*/*sw.js$script,1p +*$script,3p,denyallow=cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com|jsdelivr.net,domain=pelispedia.* +pelispedia.*##[href^="https://settledchagrinpass.com/"] + +! pelis28.co ads +pelis28.*##+js(nowoif) +pelis28.*##+js(ra, href, #clickfakeplayer) +pelis28.*##.buttons-p +pelis28.*###options-0 + +! https://github.com/NanoMeow/QuickReports/issues/2903 +grid.id##+js(acs, Math, '\x) + +! https://github.com/NanoMeow/QuickReports/issues/2737 +kompasiana.com##+js(aopr, initAdserver) +||asset.kompas.com/data/*/kgmedia/js/*notif$script + +! https://github.com/NanoMeow/QuickReports/issues/2912 +publish0x.com###registerModal, .show.fade.modal-backdrop +publish0x.com##body:style(overflow: auto !important;) + +! https://github.com/jspenguin2017/uBlockProtector/issues/1102 +*$script,redirect-rule=noopjs,domain=myschool-eng.com + +! https://github.com/uBlockOrigin/uAssets/issues/6907 +*$script,redirect-rule=noopjs,domain=ehubsoft.herokuapp.com + +! https://www.reddit.com/r/uBlockOrigin/comments/exo1ye/ieeeorg_interstitial/ +spectrum.ieee.org##+js(aopr, splashpage.init) + +! https://github.com/NanoMeow/QuickReports/issues/2925 doujindesu .ch, .site +doujindesu.*##+js(aeld, load, 2000) +doujindesu.*##+js(aost, Math.random, inlineScript) +doujindesu.*##+js(acs, String.fromCharCode, window[_0x) + +! https://github.com/NanoMeow/QuickReports/issues/2930 +port.hu##+js(aeld, DOMContentLoaded, offsetHeight) +port.hu##+js(nostif, offsetHeight) +indavideo.hu##+js(nano-sib) +indavideo.hu###ad +indavideo.hu###preroll +@@||port.hu/js/ads.min.js$script,1p +@@||port.hu^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6911 +cutdl.xyz##+js(aopr, app_vars.force_disable_adblock) +cutdl.xyz##+js(set, blurred, false) +cutdl.xyz##.banner + +! https://github.com/NanoMeow/QuickReports/issues/2923 +dziennikbaltycki.pl,dzienniklodzki.pl,dziennikpolski24.pl,dziennikzachodni.pl,echodnia.eu,expressbydgoski.pl,expressilustrowany.pl,gazetakrakowska.pl,gazetalubuska.pl,gazetawroclawska.pl,gk24.pl,gloswielkopolski.pl,gol24.pl,gp24.pl,gra.pl,gs24.pl,kurierlubelski.pl,motofakty.pl,naszemiasto.pl,nowiny24.pl,nowosci.com.pl,nto.pl,polskatimes.pl,pomorska.pl,poranny.pl,sportowy24.pl,strefaagro.pl,strefabiznesu.pl,stronakobiet.pl,telemagazyn.pl,to.com.pl,wspolczesna.pl##+js(aeld, , show) +||ppstatic.pl/*/reklama.js$script,domain=dziennikbaltycki.pl|dzienniklodzki.pl|dziennikpolski24.pl|dziennikzachodni.pl|echodnia.eu|expressbydgoski.pl|expressilustrowany.pl|gazetakrakowska.pl|gazetalubuska.pl|gazetawroclawska.pl|gk24.pl|gloswielkopolski.pl|gol24.pl|gp24.pl|gra.pl|gs24.pl|kurierlubelski.pl|motofakty.pl|naszemiasto.pl|nowiny24.pl|nowosci.com.pl|nto.pl|polskatimes.pl|pomorska.pl|poranny.pl|sportowy24.pl|strefaagro.pl|strefabiznesu.pl|stronakobiet.pl|telemagazyn.pl|to.com.pl|wspolczesna.pl,important + +! https://www.reddit.com/r/uBlockOrigin/comments/ey5bd4/adblock/ +*$script,redirect-rule=noopjs,domain=onemanhua.com +onemanhua.com##+js(aeld, /.?/, popMagic) +onemanhua.com##+js(nostif, checkSiteNormalLoad) +||onemanhua.com/js/ad/$image +@@||onemanhua.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6920 +@@||euconfesso.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6919 +@@||rndnovels.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/49109 +! https://github.com/NanoMeow/QuickReports/issues/4327 +laksa19.github.io##+js(aost, console.log, /blob|injectedScript/) +laksa19.github.io##+js(set, ASSetCookieAds, null) +laksa19.github.io##+js(nostif, 0x) +*$script,redirect-rule=noopjs,domain=laksa19.github.io + +! https://github.com/AdguardTeam/AdguardFilters/issues/49181 +@@||guncelakademi.com^$ghide +guncelakademi.com##ins.adsbygoogle + +! mangacanblog .com anti adb +mangacanblog.com##+js(aeld, load, nextFunction) + +! javnew.net popups +javnew.net##+js(acs, document.querySelectorAll, adConfig) + +! https://forums.lanik.us/viewtopic.php?f=62&t=44269 +@@||sololeveling.net^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2941 +motohigh.pl##+js(nostif, , 1) + +! https://forums.lanik.us/viewtopic.php?f=62&t=44272 +orangespotlight.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/6925 +thenation.com##+js(aopr, ___tp) + +! https://github.com/AdguardTeam/AdguardFilters/issues/49232 +@@||remixsearch.co^$ghide + +! https://www.camp-firefox.de/forum/thema/111753-%C2%B5block-origin-ad-blocker-diskussionsthread/?postID=1136485#post1136485 +! https://github.com/easylist/easylistgermany/issues/345 +t3n.de##+js(nostif, adBlockOverlay) +t3n.de##.outbrain-wrapper-outer + +! https://github.com/AdguardTeam/AdguardFilters/issues/49248 +@@||erovoice.us^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2947 +ar-atech.blogspot.com##+js(aopr, adBlockDetected) + +! https://github.com/NanoMeow/QuickReports/issues/2949 +*$script,redirect-rule=noopjs,domain=kurnasional.blogspot.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/49255 +newsonthegotoday.com##+js(aopr, STREAM_CONFIGS) +newsonthegotoday.com##+js(ra, target, .clickbutton) +newsonthegotoday.com##.clickbutton:not([data-href]) +newsonthegotoday.com##.viewtable:has(> center:has-text(▼ Scroll down to Continue ▼)) > a[href][target="_blank"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/49273 +okulsoru.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/6926 +ex-foary.com##+js(aopr, app_vars.force_disable_adblock) +ex-foary.com##+js(aopr, open) +ex-foary.com##+js(nowebrtc) +ex-foary.com##.banner-inner +forex-trnd.com##+js(nosiif, visibility, 1000) +||gkxyifeulfpb.com^ + +! https://github.com/NanoMeow/QuickReports/issues/2951 +clixwarez.blogspot.com##+js(aopr, adBlockDetected) + +! https://github.com/NanoMeow/QuickReports/issues/2952 +allindiaroundup.com##+js(nostif, Detected, 500) + +! thewizardsmanse .com anti adb +@@||thewizardsmanse.com^$script,1p + +! fellowsfilm .com anti adb +fellowsfilm.com##+js(acs, document.querySelector, XF) +fellowsfilm.com##[data-author="Advertisement"] + +! zwergenstadt .com anti adb +zwergenstadt.com##+js(aeld, load, onload) + +! netaffiliation .com anti adb +netaffiliation.com##+js(acs, $, hide) + +! https://github.com/uBlockOrigin/uAssets/issues/6929 +gigaho.com##+js(aopr, onload) + +! https://github.com/NanoMeow/QuickReports/issues/2962 +@@||geekdrop.com^$ghide + +! https://forums.lanik.us/viewtopic.php?f=62&t=44281 +@@||erepublik.tools^$ghide + +! ebook300.com/longfiles.com popups +ebook3000.com,longfiles.com##+js(aopw, adcashMacros) + +! https://github.com/uBlockOrigin/uAssets/issues/6932 +tapchipi.com##+js(nostif, mdp) + +! https://github.com/NanoMeow/QuickReports/issues/2963 popups +oceanof-games.com##+js(aopr, open) + +! https://github.com/NanoMeow/QuickReports/issues/2968 +||poptival.com^ + +! https://github.com/NanoMeow/QuickReports/issues/2973 +@@||insideedition.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2974 +hobby-machinist.com##+js(nostif, show) +hobby-machinist.com##.samCodeUnit + +! https://github.com/NanoMeow/QuickReports/issues/2975 +jacquieetmichelelite.com##+js(acs, $, show) +*$popunder,domain=jacquieetmichelelite.com + +! https://github.com/NanoMeow/QuickReports/issues/2980 +*$script,redirect-rule=noopjs,domain=puregym.com + +! https://github.com/NanoMeow/QuickReports/issues/2982 +@@||filegrade.com^$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2988 +arenabg.com##+js(aopr, AaDetector) +arenabg.com##[href^="http://bit.ly"] + +! https://www.reddit.com/r/uBlockOrigin/comments/f14wsh/antiadblock_on_honeyhunterworldcom/ +! https://github.com/NanoMeow/QuickReports/issues/1243 +@@||honeyhunterworld.com/*/js/blockadblock.js$script,1p +@@||honeyhunterworld.com^$ghide +honeyhunterworld.com##div[class*="ad_"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/49492 +@@||speed-down.org^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/49505 +dr-farfar.com##+js(aeld, , ads) +dr-farfar.com##+js(aopr, mdpDeBlocker) +dr-farfar.com##+js(nowoif) +dr-farfar.com##.essb-sharebooster +dr-farfar.com##.essb-sharebooster-overlay +||mrfog.com^$domain=dr-farfar.net + +! https://forums.lanik.us/viewtopic.php?p=153496#p153496 +pornhat.*##+js(aopr, document.dispatchEvent) +vr.pornhat.*#@#+js(aopr, document.dispatchEvent) +pornhat.*##.bns-bl-new.bns-bl +pornhat.*##div.player-bn +pornhat.*##.video-block > .show.before-player +pornhat.*##b +pornhat.*##.top_spot +||doublepimpads.com^$3p +||pornhat.*/static/js/300x250. + +! https://forums.lanik.us/viewtopic.php?f=62&t=44297 +bccondos.net###exampleModal +bccondos.net##.in.fade.modal-backdrop +bccondos.net##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/6940 +yepi.com##+js(acs, $, modal) + +! https://github.com/NanoMeow/QuickReports/issues/2991 +@@||ponselharian.com^$ghide +ponselharian.com##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/2992 +napi.hu##+js(acs, $, show) + +! https://github.com/NanoMeow/QuickReports/issues/2996 +@@||gamepccrack.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/2997 +*$xhr,frame,3p,domain=pcgamez-download.com +pcgamez-download.com##+js(aost, Math, inlineScript) + +! https://github.com/AdguardTeam/AdguardFilters/issues/49560 +spaziogames.it##+js(acs, $, .test) + +! https://github.com/AdguardTeam/AdguardFilters/issues/147745 +boyfriendtv.com##+js(aopw, backgroundBanner) +boyfriendtv.com##+js(aeld, click, interstitial) +boyfriendtv.com##+js(aopr, popunder) +boyfriendtv.com##li[class]:has(a[href^="https://boyfriend.show/"][rel="sponsored"]) +boyfriendtv.com##.js-toggle-content-wrapper a[href^="https://boyfriend.show/"][rel="sponsored"]:upward(.js-toggle-content-wrapper) +boyfriendtv.com##.ads-block-rightside +||cdn.nsimg.net/cache/landing^ +||catsnbootsncats2020.com^ +||boyfriendlive.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/3009 +! https://github.com/NanoMeow/QuickReports/issues/3281 +1shortlink.com##+js(set, letShowAds, true) +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noop.js:10,domain=1shortlink.com +||youtube.com/embed/*$domain=1shortlink.com +@@||1shortlink.com^$ghide +1shortlink.com##[id*="ScriptRoot"] + +! numbeo .com anti adb +@@||numbeo.com^$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/3010 +||googlesyndication.com/pagead/js/adsbygoogle.j$xhr,redirect=noopjs,domain=botayit.com + +! https://github.com/NanoMeow/QuickReports/issues/466 +vectorizer.io##+js(nostif, modal) +vectorizer.io##[href^="https://track.fiverr.com/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/f25295/ublocked_get_detected_in_this_site/ +||jsdelivr.net/*/levelmaxblock.js$script,3p + +! https://github.com/NanoMeow/QuickReports/issues/3016 +porndaa.com##+js(aeld, getexoloader) + +! https://github.com/uBlockOrigin/uAssets/issues/6945 +@@||sfirmware.com^$ghide +||jsdelivr.net/*/adb-analytics$script,3p +sfirmware.com##+js(nano-sib) +sfirmware.com##.cc-window +sfirmware.com##.post-ads +sfirmware.com##.buy_on_amazon + +! https://github.com/uBlockOrigin/uAssets/issues/6946 +hostingunlock.com##+js(acs, $, show) + +! https://github.com/NanoMeow/QuickReports/issues/3029 +*$script,redirect-rule=noopjs,domain=tgbeautymedia.blogspot.com + +! https://github.com/NanoMeow/QuickReports/issues/3030 +wickedspot.org##+js(aopr, b2a) + +! https://github.com/NanoMeow/QuickReports/issues/3031 +*$script,redirect-rule=noopjs,domain=sportif.id + +! https://github.com/uBlockOrigin/uAssets/issues/6951 +@@||erai-raws.info^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10829 +##[href*="//agacelebir.com"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/49747 +@@||smashresume.com^$ghide + +! NSFW popups exo ads +18-teen-sex.com,18-teen-tube.com,18girlssex.com,18teen-tube.com,18tubehd.com,2017tube.com,3prn.com,sexmoza.com,yogranny.com,youfreepornotube.com,youngleak.com,zhlednito.cz##+js(acs, document.dispatchEvent, myEl) +24pornvideos.com,2japaneseporn.com,xxxvideor.com,youngleak.com,zhlednito.cz##+js(aopr, ExoLoader.serve) +zhlednito.cz##+js(nosiif, /^/) +nakedarab-tube.com,xxxtubepass.com,yestubemature.com,yourhomemadetube.com,yourtranny-sex.com##+js(aopr, Aloader.serve) +yeswegays.com,youramateurtube.com##+js(nowoif) +ganstamovies.com,youngleak.com##+js(aeld, getexoloader) +18girlssex.com##+js(aopr, decodeURI) +||youramateurtube.com/sw.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/3035 +ringsidenews.com##+js(aopr, googletag) + +! https://github.com/NanoMeow/QuickReports/issues/3036 +watchmonkonline.com##+js(aopr, open) + +! https://github.com/NanoMeow/QuickReports/issues/3039 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=motorsport.tv,redirect=google-ima.js +||static.adsafeprotected.com/vans-adapter-google-ima.js$script,domain=motorsport.tv,redirect=google-ima.js + +! https://github.com/NanoMeow/QuickReports/issues/3041 +convert-case.softbaba.com##+js(aopr, adblockDetector) + +! https://www.reddit.com/r/uBlockOrigin/comments/f3qlxr/antiadblock/ +fotografareindigitale.com##+js(acs, jQuery, ai_adb) + +! https://github.com/NanoMeow/QuickReports/issues/3044 +nesia.my.id##+js(set, tidakAdaPenghalangAds, true) + +! https://github.com/uBlockOrigin/uAssets/pull/9791 +*$script,redirect-rule=noopjs,domain=allkaicerteam.com +@@||allkaicerteam.com^$ghide +allkaicerteam.com##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/3048 +@@||meutimao.com.br^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3050 +rbxoffers.com##+js(nostif, adblock) + +! https://www.reddit.com/r/uBlockOrigin/comments/f45bvt/stop_ublock_from_creating_new_tabs/ +gomoviesfree.*##+js(aopr, glxopen) + +! https://github.com/AdguardTeam/AdguardFilters/issues/49873 +@@||uragongaming.blogspot.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/49879 +brandstofprijzen.info##+js(aeld, load, antiblock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/49892 +theandroidpro.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/89560 +netfuck.net##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/6964 +webtor.io##+js(nowoif) +webtor.io##.alerts +webtor.io##.me-ad-container + +! https://github.com/NanoMeow/QuickReports/issues/3067 +phimgi.tv##+js(acs, jQuery, popup) +@@||player.phimnhe.net^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/6965 +nirjonmela.com##+js(acs, $, AdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/78722 +thgss.com##+js(nosiif, adsbygoogle) +@@||thgss.com^$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/50016 +u-s-news.com##+js(set, ulp_noadb, true) + +! https://forums.lanik.us/viewtopic.php?f=62&t=44320 +redbox.com##.rb-ad-leaderboard-container +*$image,redirect-rule=2x2.png,domain=redbox.com + +! https://forums.lanik.us/viewtopic.php?p=153011#p153011 +yggtorrent.*##+js(aopw, Fingerprint2) + +! https://www.reddit.com/r/uBlockOrigin/comments/f5nksl/antiadblock/ +thefastlaneforum.com##+js(nostif, .show, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/3077 +zeeebatch.blogspot.com##+js(aopr, adBlockDetected) + +! https://github.com/NanoMeow/QuickReports/issues/3092 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noopjs:10,domain=infolokerserang.com + +! https://github.com/uBlockOrigin/uAssets/issues/13751 +! https://github.com/uBlockOrigin/uAssets/issues/18299 +@@||luscious.net^$ghide +luscious.net##.ad_lead +*$script,redirect-rule=noopjs,domain=luscious.net +luscious.net##+js(aopr, console.clear) +luscious.net##+js(aeld, popstate) +luscious.net##+js(nowoif) +luscious.net##a[rel$="sponsored"] +luscious.net##div[class^="adDisplay-module"] +luscious.net##.ad_section +*$script,3p,denyallow=cdn77.org|cloudflare.net|googleapis.com|jsdelivr.net|jsdelivr.map.fastly.net,from=luscious.net +luscious.net##+js(no-fetch-if, url:!luscious.net) +luscious.net##+js(set, Object.prototype.adblock_detected, false) +||luscious.net/advertisement/iframe/ + +! downsub .com anti adb +@@||downsub.com^$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/f7drk2/antiadblock_on_tizcyclingliveio/ +tiz-cycling-live.io##+js(acs, $, blocker) +tiz-cycling-live.io###msg +tiz-cycling.io##+js(acs, jQuery, blocker) + +! azarplus.com ads +||azarplus.com/wp-content/uploads/*.gif$image,1p +@@||azarplus.com/wp-content/uploads/*Publicidad*.jpg$image,1p +@@||azarplus.com/wp-content/uploads/*Publicidad*.png$image,1p +azarplus.com##.public-banner-3 +azarplus.com##.td-all-devices > [href][target="_blank"] +azarplus.com###overbox3 + +! https://github.com/NanoMeow/QuickReports/issues/3108 +! https://github.com/NanoMeow/QuickReports/issues/3232 +||cloudgallery.net^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +||cloudgallery.net^$csp=script-src * 'unsafe-inline' +||imgzong.*^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +||imgzong.*^$csp=script-src * 'unsafe-inline' +cloudgallery.net##+js(aopr, AaDetector) +cloudgallery.net##+js(aopr, console.clear) + +! https://github.com/uBlockOrigin/uAssets/issues/11375 +/webroot/modern_theme/img/dwndbnr*$image,1p +makemoneywithurl.com##+js(nowoif) +makemoneywithurl.com##+js(set, timeSec, 0) +makemoneywithurl.com###scroll.hidden, .footerLink.hidden:style(display: block!important) +makemoneywithurl.com###next.getmylink +makemoneywithurl.com##.box-main > div:not([class]) + +! https://github.com/uBlockOrigin/uAssets/issues/9613 +dvdgayonline.com##+js(ra, href, #clickfakeplayer) +dvdgayonline.com##+js(nano-stb, countdown, 1000, 0.02) +dflix.top##+js(nowoif) +dflix.top##body > div[class]:last-child +||acacdn.com^$script,redirect-rule=noop.js,domain=dflix.top + +! wutime_adblock +trade2win.com##+js(nostif, .show) + +! https://github.com/uBlockOrigin/uAssets/issues/6984 +gomo.to##+js(aopr, glxopen) +gomo.to##+js(nowoif) +*$script,3p,denyallow=googleapis.com,domain=gomo.to + +! https://github.com/uBlockOrigin/uAssets/issues/6986 +! https://github.com/NanoMeow/QuickReports/issues/3690 +! https://github.com/NanoMeow/QuickReports/issues/4294#issuecomment-659086334 +iir.ai##+js(acs, Math, XMLHttpRequest) +iir.ai##+js(aeld, load, .appendChild) +iir.ai##+js(aopr, app_vars.force_disable_adblock) +iir.ai##+js(aopr, open) +iir.ai##+js(aopw, Fingerprint2) +iir.ai##+js(set, blurred, false) +iir.ai###link-view > div[style] + p[style] + center > [href][target] +iir.ai##form > a[href][target] +iir.ai##.box-main > a[href][target] +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=iir.ai +||iir.ai/sw$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6988 +trendsderzukunft.de##+js(aopr, onload) + +! https://github.com/NanoMeow/QuickReports/issues/3117 +||vidlii.com/js/main.js^$script,1p +vidlii.com##+js(nosiif, visibility, 1000) +vidlii.com##+js(set, blockAdBlock, trueFunc) +vidlii.com##+js(set, adsbygoogle.loaded, true) +*$xhr,redirect-rule=noopjs,domain=vidlii.com +@@||vidlii.com^$ghide +vidlii.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/50316 +! https://github.com/uBlockOrigin/uAssets/issues/11851 +docer.*##+js(set, ads_unblocked, true) + +! https://github.com/NanoMeow/QuickReports/issues/3120 +download.htdrive.com##+js(acs, document.getElementById, bannerad) + +! https://github.com/uBlockOrigin/uAssets/issues/6992 +onlinetutorium.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/20878 +fontyukle.net##+js(aost, setTimeout, onload) +fontyukle.net##div.sponsor + +! https://www.reddit.com/r/uBlockOrigin/comments/f8fpya/cryptonetosruscripthastextad_nodes_isnt_hiding/ +@@||cryptonetos.ru^$ghide +cryptonetos.ru##+js(acs, onload, adblock) +cryptonetos.ru##.carousel-inner +cryptonetos.ru##.ads +cryptonetos.ru##.popup + +! https://github.com/NanoMeow/QuickReports/issues/3131 +northwalespioneer.co.uk##+js(aopr, _sp_.mms.startMsg) + +! https://github.com/NanoMeow/QuickReports/issues/3133 +@@||indcit.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3135 +||google.com/adsense/domains/caf.js$script,redirect=noopjs,domain=jestrudo.pl + +! https://github.com/AdguardTeam/AdguardFilters/issues/50426 +! https://github.com/uBlockOrigin/uAssets/issues/11872 +modagamers.com##+js(acs, JSON.parse, atob) +modagamers.com##+js(nostif, showModal) +modagamers.com##+js(nano-stb) +animetemaefiore.club##+js(nowoif) +modagamers.com##+js(aopr, decodeURI) + +! https://github.com/uBlockOrigin/uAssets/issues/7024 +@@*$ghide,domain=pomponik.pl|iplsc.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/50444 +ogrenciyegelir.com##+js(acs, document.getElementById, nextFunction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/50483 +cdn77.org##+js(set, xxSetting.adBlockerDetection, false) +cdn77.org###layerName_preroll, #layerName_postroll + +! nsfw batporno .com popunder +batporno.com##+js(aopr, decodeURI) + +! https://github.com/AdguardTeam/AdguardFilters/issues/50482 +howtofixwindows.com##+js(set, better_ads_adblock, null) + +! https://github.com/uBlockOrigin/uAssets/issues/7006 +||grammarist.com/*/*.jpg$script,1p +grammarist.com###custom_html-3, #custom_html-5 +grammarist.com##small + +! https://github.com/uBlockOrigin/uAssets/issues/7007 +vidload.net##+js(aopr, AaDetector) + +! https://github.com/AdguardTeam/AdguardFilters/issues/50524 +sandiegouniontribune.com##+js(aopr, googlefc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/50548 +almezoryae.com##+js(acs, document.createElement, adblock) + +! https://github.com/NanoMeow/QuickReports/issues/3152 +femalefirst.co.uk##+js(aopr, ppload) + +! https://github.com/NanoAdblocker/NanoFilters/issues/457 +@@||shana.pe.kr^$ghide +shana.pe.kr##ins.adsbygoogle + +! perfectmomsporn .com ads + popunder +perfectmomsporn.com##+js(aopr, Aloader) +perfectmomsporn.com##+js(noeval) + +! tubexxxone .com ads + popunder +tubexxxone.com##+js(noeval) +tubexxxone.com##+js(aopr, Aloader.serve) + +! theregister.co.uk +theregister.co.uk##+js(aopr, RegAdBlocking) +theregister.co.uk##+js(acs, document.createElement, a.adm) + +! https://github.com/uBlockOrigin/uAssets/issues/7025 +remaxhd.*##+js(aopr, decodeURI) +remaxhd.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/11406 +shorteet.com##+js(set, blurred, false) +shorteet.com##+js(set, open, undefined) +shorteet.com##.banner +*$script,3p,denyallow=gstatic.com|recaptcha.net,domain=shorteet.com + +! https://github.com/uBlockOrigin/uAssets/issues/7031 +mobilelegends.shop##+js(nano-sib) +*$image,redirect-rule=2x2.png,domain=mobilelegends.shop + +! https://github.com/AdguardTeam/AdguardFilters/issues/50731 +gogodl.com##+js(acs, document.getElementById, adblock) + +! https://www.reddit.com/r/uBlockOrigin/comments/fbgjtx/how_to_block_adsbanners_on_cdiscountcom/ +cdiscount.com##+js(aopr, __eiPb) + +! https://forums.lanik.us/viewtopic.php?f=62&t=44368 +@@||toyota-club.eu^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/50758 +@@||9docu.*^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/50761 +@@||k258059.net^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7040 +! https://github.com/NanoMeow/QuickReports/issues/715 +vipracing.*##+js(acs, $, show) +vipracing.*##+js(aopr, AaDetector) +vipracing.*##[href="https://www.tvbarata.club/"] +vipracing.*###vpp + +! https://github.com/uBlockOrigin/uAssets/issues/7041 +primedeportes.es##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/7042 +sportstream.live##+js(aopr, checkABlockP) + +! https://github.com/NanoMeow/QuickReports/issues/3177 +@@||poring.world^$ghide +poring.world##[data-ad-slot] + +! https://github.com/uBlockOrigin/uAssets/issues/4782 +||survivalservers.com^$frame,domain=ads.bdcraft.net +@@||ads.bdcraft.net/js/interstitial.js$script,1p + +! https://forums.lanik.us/viewtopic.php?p=153233#p153233 +! https://www.reddit.com/r/uBlockOrigin/comments/fcaa0w/ads_come_back_after_refreshing/ +ddaynormandy.forumgaming.fr,neogeo-system.com##a[onclick][target]:upward(2) + +! btdb .eu popunder +btdb.*##+js(aeld, , _0x) +btdb.*##+js(aopr, console.clear) +btdb.*##+js(aeld, , Date) +btdb.*##+js(aopr, open) +*$frame,script,xhr,3p,denyallow=bootstrapcdn.com|cdn77.org|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|instagram.com|jquery.com|jsdelivr.net|jwpcdn.com|jwpsrv.com|plyr.io|twimg.com|twitter.com|recaptcha.net|wp.com|x.com,domain=btdb.* +btdb.*##.alert-dismissible +btdb.*##.alert + +! https://github.com/AdguardTeam/AdguardFilters/issues/50811 +ujszo.com##+js(set, Drupal.behaviors.adBlockerPopup, null) + +! https://github.com/NanoMeow/QuickReports/issues/3185 +naniplay.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/3186 +@@||3amid-url.blogspot.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3187 +librospreuniversitariospdf.blogspot.com##+js(nostif, getComputedStyle) +*$script,3p,denyallow=disqus.com|disquscdn.com|jsdelivr.net|jwpcdn.com|fastly.net|fastlylb.net|jquery.com|hwcdn.net|hcaptcha.com|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com|googleusercontent.com|blogger.com|plyr.io,domain=librospreuniversitariospdf.blogspot.com + +! wojtekczytawh40k.blogspot.com anti-adb +wojtekczytawh40k.blogspot.com##+js(acs, addEventListener, ADBLOCK) + +! atdhe .cc / sx popups, ads +atdhe.*##+js(popads-dummy) +atdhe.*##[href^="https://horti.brovada.eu/"] +atdhe.*###bannerInCenter +||bitcoines.com^$3p + +! 5299 .tv anti adb +5299.tv##+js(acs, jQuery, setTimeout) + +! https://github.com/AdguardTeam/AdguardFilters/issues/50855 +@@||scaleya.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10166 +files.im##+js(acs, decodeURI, decodeURIComponent) +files.im##+js(nano-stb, tick) +||files.im/ppa + +! https://github.com/NanoMeow/QuickReports/issues/3193 +pharmaceutical-technology.com##+js(acs, jQuery, click) +||pharmaceutical-technology.com/wp-content/*skin.jpg$image + +! https://github.com/NanoMeow/QuickReports/issues/3202 +*$xhr,redirect-rule=nooptext,domain=savesubs.com +savesubs.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/3200 +lebahmovie.com##+js(aopr, decodeURI) +||lebahmovie.com/sw.js$script,1p +lebahmovie.com##.idmuvi-topbanner-aftermenu +*.gif$domain=lebahmovie.com,image +||ohbayersbur.pro^ + +! https://github.com/uBlockOrigin/uAssets/issues/7053 +||global.proper.io/salon.min.js$script,redirect=noopjs,domain=salon.com +salon.com##.ad-topper + +! https://github.com/NanoMeow/QuickReports/issues/3203 +creditcardrush.com##+js(nostif, adsBlocked) +||doubleclick.net/pagead/id$xhr,redirect=nooptext,domain=creditcardrush.com + +! https://github.com/NanoMeow/QuickReports/issues/3191 +! https://github.com/uBlockOrigin/uAssets/issues/16523 +@@||dynamicpapers.com^$ghide +dynamicpapers.com##ins.adsbygoogle +dynamicpapers.com##.ezoic-ad + +! https://github.com/NanoMeow/QuickReports/issues/3219 +newsmax.com##+js(set, fake_ad, true) + +! https://github.com/AdguardTeam/AdguardFilters/issues/50951 +@@||mintik.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7061 +ockles.com##+js(nano-sib) +duit.cc##+js(aopr, decodeURI) +duit.cc##+js(acs, eval, ignielAdBlock) +@@||duit.cc^$ghide +*$image,redirect-rule=1x1.gif,domain=duit.cc|ockles.com +duit.cc##[id*="ScriptRoot"], .adsbygoogle, .amp-unresolved + +! https://github.com/NanoMeow/QuickReports/issues/3226 +theouterhaven.net,watchallchannels.com,wikipekes.com##+js(acs, jQuery, ai_adb) +semuanyabola.com##+js(acs, decodeURIComponent, ai_) +watchallchannels.com##[href^="https://www.xvinlink.com/"] +watchallchannels.com##.widget-title + +! https://github.com/AdguardTeam/AdguardFilters/issues/51069 +interracial.com##+js(nowoif) +interracial.com##[src^="https://www.interracial.com/player/html.php"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/51099 +@@||memexcomputer.it^$ghide +memexcomputer.it##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/3237 +layarkaca21indo.com##+js(aopr, adBlockDetected) + +! https://github.com/NanoMeow/QuickReports/issues/2109 +! https://github.com/uBlockOrigin/uAssets/issues/14433 +@@||forbes.com^$ghide +forbes.com##fbs-ad +forbes.com##.ad-unit:not(.text-ad):not(.textads) +forbes.com##.footer-ad-labeling +forbes.com##.ad-rail +! https://www.reddit.com/r/uBlockOrigin/comments/14d7npb/ +forbes.com##.ed-wrap.rafeed__block +! https://github.com/easylist/easylist/issues/15513 +forbes.com##.amp-ad-container + +! https://github.com/uBlockOrigin/uAssets/issues/10165 +*$3p,denyallow=google.com|googleapis.com|gstatic.com,domain=uplinkto.* + +! https://github.com/AdguardTeam/AdguardFilters/issues/51125 +! https://github.com/AdguardTeam/AdguardFilters/issues/51218 +porno-tour.*##+js(aopr, document.dispatchEvent) +porno-tour.*##+js(nostif, innerText, 2000) + +! https://github.com/NanoAdblocker/NanoFilters/issues/459 +popcornstream.*##+js(nostif, blur) +popcornstream.*##+js(aeld, , btoa) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51152 +oyungibi.com##+js(set, jQuery.adblock, false) + +! https://github.com/NanoMeow/QuickReports/issues/3251 +! https://github.com/NanoMeow/QuickReports/issues/4020 +turkmmo.com##+js(acs, $, AdBlock) +turkmmo.com##+js(nostif, samOverlay) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51157 +@@||firefiles.org^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/51160 +animealtadefinizione.it##+js(acs, addEventListener, adb) +animealtadefinizione.it##+js(aopr, AaDetector) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51168 +jumpmanclubbrasil.com.br##+js(acs, addEventListener, nextFunction) +jumpmanclubbrasil.com.br##.home-ad-con + +! rentbyowner .com popunder +rentbyowner.com##+js(nowoif, !refine?search) + +! https://github.com/uBlockOrigin/uAssets/issues/5189#issuecomment-596677601 +@@||psprices.com^$ghide +psprices.com##[href*=".smartadserver.com"] +psprices.com##body:style(background-color: white !important) + +! https://github.com/NanoMeow/QuickReports/issues/3257 +ikaza.net##+js(aopr, showAds) + +! anti adb zerozero .pt +@@||zerozero.pt^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3263 +tatangga.com##+js(acs, eval, AdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51244 +||fegortius.com^$3p +||weblion777.github.io^$3p +||corported.com^$3p +||kataprius.com^ + +! https://github.com/NanoMeow/QuickReports/issues/3268 +itechfever.com##+js(nobab) + +! exoclick ads, popunder +airsextube.com,asianbabestube.com,bigtitsxxxfree.com,blowjobpornset.com,entertubeporn.com,finexxxvideos.com,freesexvideos24.com,fuckhairygirls.com,gopornindian.com,grandmatube.pro,grannyfucko.com,grannyfuckxxx.com,hd-analporn.com,hiddencamhd.com,hindiporno.pro,indianbestporn.com,japanesemomsex.com,japanxxxass.com,massagefreetube.com,maturepussies.pro,megajapansex.com,new-xxxvideos.com,xxxblowjob.pro,xxxtubegain.com,xxxvideostrue.com,onlinegrannyporn.com,agedtubeporn.com,agedvideos.com,freebigboobsporn.com,tubeinterracial-porn.com,best-xxxvideos.com,bestanime-xxx.com,blowxxxtube.com,callfuck.com,teenhubxxx.com,tubepornasian.com,xxxtubedot.com,blowjobfucks.com,dirtyasiantube.com,maturewomenfucks.com,pornmaturetube.com,setfucktube.com,tourporno.com,do-xxx.com,dotfreesex.com,dotfreexxx.com,easymilftube.net,electsex.com,erospots.info,fineretroporn.com,freehqtube.com,freshmaturespussy.com,freshsexxvideos.com,fuckedporno.com,gallant-matures.com,hqhardcoreporno.com,getitinside.com,girlssexxxx.com,glamourxxx-online.com,vintagepornnew.com,tubevintageporn.com,goxxxvideos.com,grouppornotube.com,hqxxxmovies.com,hqsex-xxx.com,hqamateurtubes.com,hotpussyhubs.com,hdpornteen.com,indecentvideos.com,ifreefuck.com,kittyfuckstube.com,lightxxxtube.com,momstube-porn.com,modelsxxxtube.com,milfpussy-sex.com,nudistube.com,nudisteens.com,nudismteens.com,nude-beach-tube.com,nicexxxtube.com,neatpornodot.com,neatfreeporn.com,bigtitsporn-tube.com,tubehqxxx.com,nakedbbw-sex.com,onlineteenhub.com,online-xxxmovies.com,pussyhothub.com,pornxxxplace.com,pornoteensex.com,pornonote.pro,pornoaid.com,pornclipshub.com,whitexxxtube.com,sweetadult-tube.com,sweet-maturewomen.com,sexyoungclips.com,sexymilfsearch.com,sextubedot.com,hqmaxporn.com,sexlargetube.com,sexhardtubes.com,tubepornstock.com,xfuckonline.com##+js(noeval) +airsextube.com,asianbabestube.com,bigtitsxxxfree.com,blowjobpornset.com,entertubeporn.com,finexxxvideos.com,freesexvideos24.com,fuckhairygirls.com,gopornindian.com,grandmatube.pro,grannyfucko.com,grannyfuckxxx.com,hd-analporn.com,hiddencamhd.com,hindiporno.pro,indianbestporn.com,japanesemomsex.com,japanxxxass.com,massagefreetube.com,maturepussies.pro,megajapansex.com,new-xxxvideos.com,xxxblowjob.pro,xxxtubegain.com,xxxvideostrue.com,acutetube.net,agedtubeporn.com,agedvideos.com,onlinegrannyporn.com,freebigboobsporn.com,tubeinterracial-porn.com,best-xxxvideos.com,bestanime-xxx.com,blowxxxtube.com,callfuck.com,teenhubxxx.com,tubepornasian.com,xxxtubedot.com,blowjobfucks.com,dirtyasiantube.com,maturewomenfucks.com,pornmaturetube.com,setfucktube.com,tourporno.com,do-xxx.com,dotfreesex.com,dotfreexxx.com,easymilftube.net,electsex.com,fineretroporn.com,freehqtube.com,freshmaturespussy.com,freshsexxvideos.com,fuckedporno.com,gallant-matures.com,hqhardcoreporno.com,getitinside.com,girlssexxxx.com,glamourxxx-online.com,vintagepornnew.com,tubevintageporn.com,goxxxvideos.com,grouppornotube.com,hqxxxmovies.com,hqsex-xxx.com,hqamateurtubes.com,hotpussyhubs.com,hdpornteen.com,indecentvideos.com,ifreefuck.com,kittyfuckstube.com,lightxxxtube.com,momstube-porn.com,modelsxxxtube.com,milfpussy-sex.com,nicexxxtube.com,neatpornodot.com,neatfreeporn.com,bigtitsporn-tube.com,tubehqxxx.com,nakedbbw-sex.com,onlineteenhub.com,online-xxxmovies.com,pussyhothub.com,pornxxxplace.com,pornoteensex.com,pornonote.pro,pornoaid.com,pornclipshub.com,whitexxxtube.com,sweetadult-tube.com,sweet-maturewomen.com,sexyoungclips.com,sexymilfsearch.com,sextubedot.com,hqmaxporn.com,sexlargetube.com,sexhardtubes.com,tubepornstock.com,xfuckonline.com##+js(aopr, Aloader.serve) +activevoyeur.com,allbbwtube.com,alltstube.com,cockmeter.com##+js(acs, document.dispatchEvent, myEl) +ariestube.com,asian-teen-sex.com,18asiantube.com,wholevideos.com,asianporntube69.com,babeswp.com,bangyourwife.com,bdsmslavemovie.com,bdsmwaytube.com,bestmaturewomen.com,classicpornvids.com,cockmeter.com,cocogals.com,pornpaw.com,dawntube.com,desihoes.com,desimmshd.com,dirtytubemix.com,plumperstube.com,enormousbabes.net,erowall.com,exclusiveindianporn.com,figtube.com,amateur-twink.com,freeboytwinks.com,freegrannyvids.com,freexmovs.com,freshbbw.com,frostytube.com,fuckhottwink.com,fuckslutsonline.com,gameofporn.com,gayboyshd.com,getitinside.com,giantshemalecocks.com,erofus.com,hd-tube-porn.com,hardcorehd.xxx,hairytwat.org,iwantmature.com,justababes.com,juicyflaps.com,jenpornuj.cz,javteentube.com,hard-tube-porn.com,klaustube.com,kaboomtube.com,lustyspot.com,lushdiaries.com,lovelynudez.com,dailyangels.com,ljcam.net,myfreemoms.com,mybestxtube.com,nakenprat.com,oosex.net,oldgrannylovers.com,ohueli.net,pornuploaded.net,pornstarsadvice.com,alotporn.com,bobs-tube.com,pornohaha.com,pornmam.com,pornhegemon.com,pornabcd.com,porn-hd-tube.com,pandamovies.pw,teensporn.tv,thehentaiworld.com,pantyhosepink.com,queenofmature.com,realvoyeursex.com,realbbwsex.com,rawindianporn.com,onlygoldmovies.com,rainytube.com,stileproject.com,slutdump.com,nastybulb.com,babesinporn.com,wantedbabes.com,sextube-6.com,porntubegf.com,sassytube.com,smplace.com,maturell.com,nudemilfwomen.com,pornoplum.com,widewifes.com,wowpornlist.xyz,vulgarmilf.com,oldgirlsporn.com,freepornrocks.com,desivideos.*##+js(aopr, document.dispatchEvent) +8teenxxx.com,activevoyeur.com,allschoolboysecrets.com,boobsforfun.com,breedingmoms.com,cockmeter.com,collegeteentube.com,cumshotlist.com,porn0.tv,ritzysex.com,ritzyporn.com,sexato.com,javbobo.com,sokobj.com##+js(aopr, ExoLoader.serve) +bdsmporntub.com,femdomporntubes.com##+js(aopr, Popunder) +comicxxx.eu##^meta[http-equiv="refresh"] +comicxxx.eu###dclm_modal_content +comicxxx.eu##*:style(filter: none !important) +comicxxx.eu###dclm_modal_screen +blowjobgif.net##+js(aopr, ExoDetector) +favefreeporn.com,onlygayvideo.com,peachytube.com,stepsisterfuck.me##+js(aopr, ExoLoader.addZone) +decorativemodels.com,erowall.com,freyalist.com,guruofporn.com,jesseporn.xyz,kendralist.com,vipergirls.to,lizardporn.com,wantedbabes.com,bustybloom.com,exgirlfriendmarket.com,nakedneighbour.com##+js(aopr, loadTool) +comicxxx.eu,mybestxtube.com,pornobengala.com,pornicom.com,xecce.com,teensporn.tv,pornlift.com,reddflix.com,superbgays.com##+js(aopr, open) +classicpornbest.com,desihoes.com,indianpornvideo.org,porn18sex.com,slaughtergays.com,sexiestpicture.com##+js(aopr, decodeURI) +classicpornbest.com##+js(aeld, popstate) +classicpornbest.com##+js(aopr, localStorage) +embedy.me##+js(nowoif, !embedy) +reddflix.com##+js(aopr, LieDetector) +erospots.info##+js(aopr, Pub2) +gameofporn.com##+js(aeld, , exopop) +jemontremonminou.com,jemontremasextape.com,jemontremabite.com##+js(aopr, localStorage) +porndollz.com,xnxxvideo.pro,xvideosxporn.com,filmpornofrancais.fr,pictoa.com##+js(aeld, getexoloader) +nackte.com##+js(aopr, jsUnda) +older-mature.net##+js(aopr, doOpen) +canalporno.com,dreamamateurs.com,eroxia.com,porndoe.com,pornozot.com##+js(aopr, ExoLoader) +alotporn.com##+js(aopw, __htapop) +alotporn.com##+js(aopr, console.clear) +bobs-tube.com##+js(nostif, innerText, 2000) +bobs-tube.com##+js(set, flashvars.mlogo, '') +bobs-tube.com##.adv_nad_player +bobs-tube.com##.sponsored_top +dreamamateurs.com##+js(popads-dummy) +pornforrelax.com##+js(aopr, adver.abFucker.serve) +pornforrelax.com##+js(aeld, , _blank) +fatwhitebutt.com,smplace.com,slaughtergays.com,sexiestpicture.com,sassytube.com,vipergirls.to,xh.video##+js(nowoif) +fatwhitebutt.com##+js(aeld, , _blank) +freepornrocks.com##+js(aeld, , open) +tubev.sex##+js(aopw, displayCache) +tubev.sex##[class^="sp_block"] +pictoa.com##+js(aeld, , 0x) +lovelynudez.com##+js(aopr, popit) +javbobo.com,nudismteens.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +*$script,3p,denyallow=cdn77.org|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|fluidplayer.com|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|instagram.com|jquery.com|jsdelivr.net|jwpcdn.com|jwpsrv.com|plyr.io|twimg.com|twitter.com|recaptcha.net|wp.com|x.com,domain=filmpornofrancais.fr + +||classicpornbest.com^$csp=script-src * +*$script,xhr,3p,domain=lovelynudez.com +||teenhooker.net^$frame,1p +*$script,3p,domain=classicpornbest.com +classicpornbest.com##.h-bns-bl +||youvideoporno.mobi^$3p +||nudismteens.com/tensnuddy.js +||javbobo.com/little-hall-f39d/ +||pornpaw.com/never.js + +comicxxx.eu###tracking-url +dirtytubemix.com##.on-video-dark +boobsforfun.com##.adcontainer +breedingmoms.com##.embaners +breedingmoms.com##.h-bn +pornpaw.com##.ipprtcnt +pornpaw.com##div[style="height:250px;display:block;"] +erospots.info##.custom-html-widget.textwidget +amateur-twink.com##.banner +amateur-twink.com##.pl_adv +freyalist.com##.stripper +ftopx.com##.advert +fuckedporno.com##.bannersinner +fuckhardporn.com##.player_ad_block +fuckhardporn.com###player_adv_start +fuckhardporn.com###skim +gameofporn.com###container +gameofporn.com##.block-pub-side +cockmeter.com###alfa_promo_parent +||girlscanner.online/ph_co.js$script +||girlscanner.cc/check.php +girlscanner.cc##[href*="/check.php"] +girlscanner.cc##div.side-box +vipergirls.to##[src="files/se.gif"] +vipergirls.to##.body_wrapper > [id^="ad_global"], #notices.notices +mrsexe.com###disclaimer +mrsexe.com##.reveal-modal-bg +mrsexe.com###exovid +mrsexe.com##.vjs-poster +xnxxvideo.pro##.video-archive-ad +xvideosxporn.com##[href*="bawafx.com/"] +pornstarsadvice.com##.banners +bobs-tube.com##.advertising +bobs-tube.com##.player-related-videos +bobs-tube.com##.adv +pornforrelax.com##.vda-item +porn613.net##[src="about:blank"] +superbgays.com###block +superbgays.com###CloseAd +@@||bobs-tube.com/player/player_ads.html$1p +dreamamateurs.com##[href^="http://ezofferz.com/"] +pictoa.com###tab-gallery +pictoa.com###tab-footer +||bobs-tube.com/sw$script,1p +||checking-your-browser.com^ +||crentgate.com^ +||obitube.com^$frame,1p +||redtub3xxx.com^$frame,1p + +##.bloc-pub +##.bloc-pub2 +###invideo_data +*/api/spots/$frame,script +/api/spots/*^fill=$xhr +/api/spots/*&kw=$xhr +###invideo_2 +##.hor_banner +###invid_call +###invideo_new +##.aan_fake +##.aan_fake__video-units +##.rps_player_ads +##[src^="//dombnrs.com/"] +*.gif$domain=javbobo.com,image +/frtd_ldr_$script,1p +/bknd_ldr_$script,1p +pornoplum.com,vulgarmilf.com,oldgirlsporn.com,maturell.com,nakedolders.com,nudemilfwomen.com,widewifes.com##iframe:upward(2) +besttwinkass.com##[class*="_Bns"] +nylonbabez.net,nylonpornpictures.net,stockingspornpics.com##.preview:has(.nat-block) +*$frame,1p,domain=sexrura.pl|sexrura.com + +! https://github.com/NanoMeow/QuickReports/issues/3280 +acdriftingpro.com##+js(nostif, offsetHeight) +acdriftingpro.com##+js(nano-sib, countdown, *, 0.001) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51340 +urlpay.net##+js(nano-sib) +urlpay.net##^script:has-text('shift') +urlpay.net##^script:has-text(\'shift\') +urlpay.net##+js(acs, String.fromCharCode, 'shift') + +! https://github.com/AdguardTeam/AdguardFilters/issues/51332 +olinevid.com###layerName_preroll, #layerName_postroll +*$script,redirect-rule=noopjs,domain=olinevid.com +@@||olinevid.com^$ghide +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=olinevid.com + +! https://www.reddit.com/r/uBlockOrigin/comments/fhkx7s/theracecom_detecting_adblock/ +@@||the-race.com^$ghide +the-race.com##.ad_container_default + +! https://github.com/NanoMeow/QuickReports/issues/3282 +savealoonie.com##+js(aopr, mdp_deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/7097 +tempr.email##+js(set, adblock, false) +tempr.email###HeaderBanner + +! https://github.com/uBlockOrigin/uAssets/issues/9779 +teenager365.com##+js(acs, document.addEventListener, adsbygoogle) +teenager365.com##.video-archive-ad + +! https://github.com/NanoMeow/QuickReports/issues/3290 +lkc21.net##+js(aopr, AaDetector) +lkc21.net##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51446 +@@||musicpremieres.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/51555 +iptvspor.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51556 +plugincim.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51557 +fivemturk.com##+js(aopr, adBlockDetected) +fivemturk.com##[src^="https://i.hizliresim.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/51558 +sosyalbilgiler.net##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51563 +nadidetarifler.com##+js(set, koddostu_com_adblock_yok, null) +nadidetarifler.com##.advert-side + +! https://github.com/NanoMeow/QuickReports/issues/3312 +hwreload.it##+js(acs, $, show) + +! https://github.com/NanoMeow/QuickReports/issues/3314 +suzylu.co.uk##+js(set, adsbygoogle, trueFunc) +suzylu.co.uk##+js(set, player.ads.cuePoints, undefined) +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=suzylu.co.uk + +! https://github.com/AdguardTeam/AdguardFilters/issues/51615 +@@||alfaloji.org^$ghide +alfaloji.org##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/51629 +lenkino.*##+js(nostif, innerText, 2000) + +! https://www.reddit.com/r/uBlockOrigin/comments/fjsj2c/block_ads_on_mailde_debug_to_find_a_filter/ +mail.de###euccBanner + +! https://www.reddit.com/r/uBlockOrigin/comments/fjud23/adblock_detector_on_positivefeedback/ +positive-feedback.com##.ad-row-horizontal +positive-feedback.com##.banner-right +positive-feedback.com##.right-ad-wrapper +positive-feedback.com##.archive_ad_block +positive-feedback.com##.load-screen + +! https://github.com/NanoMeow/QuickReports/issues/3318 +medicalnewstoday.com##div[id="__next"] > div[class^="css-"] > div > section > div:matches-css-before(content: /ADVERTISEMENT/) +medicalnewstoday.com##div[id="__next"] > div[class^="css-"] > aside:has(> div:matches-css-before(content: /ADVERTISEMENT/)) +medicalnewstoday.com##div[data-dynamic-ads] +medicalnewstoday.com##div[class^="css-"]:matches-css-before(content: /ADVERTISEMENT/) +medicalnewstoday.com##hl-adsense +medicalnewstoday.com##.css-rp3d6 + +! https://github.com/AdguardTeam/AdguardFilters/issues/51656 +pekalongan-cits.blogspot.com##+js(aeld, load, nextFunction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51665 +cheatglobal.com##+js(acs, addEventListener, nextFunction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51674 +mega-hentai2.blogspot.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/7110 +macrumors.com##+js(aopr, adthrive) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51673 +underhentai.net##+js(nano-sib) +underhentai.net##+js(nowoif, !t.me) +underhentai.net##.hidden-sm +underhentai.net##.visible-xs +underhentai.net##[onclick^="window.open('https://landing."] +underhentai.net##.sidebar > div[class] > .loading +||adf.underhentai.net^$frame,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/51683 +palermotoday.it##+js(nostif, bADBlock) + +! https://github.com/NanoMeow/QuickReports/issues/3321 +discordfastfood.com##+js(nostif, clientHeight) + +! https://github.com/NanoMeow/QuickReports/issues/3324 +||googlesyndication.com/pagead/js/adsbygoogle.js$xhr,redirect=noopjs,domain=btgyama.blogspot.com +*$script,domain=btgyama.blogspot.com,redirect-rule=noopjs + +! https://github.com/NanoMeow/QuickReports/issues/2649 +thumpertalk.com##+js(nostif, location) +*$xhr,redirect-rule=nooptext,domain=thumpertalk.com +@@||thumpertalk.com^$ghide +thumpertalk.com##.focus-ad + +! https://forums.lanik.us/viewtopic.php?f=96&t=44455 +facciabuco.com##+js(nostif, , 4000) + +! https://github.com/NanoMeow/QuickReports/issues/3323 +@@||customercareal.com^$ghide +customercareal.com##a[id^="actionlinkid_"] +customercareal.com###locked_action_link.disabled:style(cursor:pointer !important; opacity:1 !important; pointer-events:auto !important) +customercareal.com##+js(nano-sib) + +! https://github.com/NanoMeow/QuickReports/issues/3332 +miniurl.*##+js(aopr, app_vars.force_disable_adblock) +miniurl.*##+js(set, blurred, false) +miniurl.*##.banner +miniurl.*##div[style="width:970px;height:90px;display: inline-block;margin: 0 auto"] +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=miniurl.* +||miniurl.*/sw.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/51713 +arabic-robot.blogspot.com##+js(acs, document.createElement, adblock) +arabic-robot.blogspot.com###preloader + +! https://github.com/NanoMeow/QuickReports/issues/3334 +@@||nsfwmega.com^$ghide + +! popups https://forums.lanik.us/viewtopic.php?f=64&t=44458 +mavanimes.co##+js(aopr, AaDetector) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51785 +freegogpcgames.com##+js(nowoif) +freegogpcgames.com##+js(no-xhr-if, googlesyndication) +freegogpcgames.com##+js(nostif, show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51787 +@@||nxmac.com^$ghide +nxmac.com##.alert-errors.in.fade.alert +nxmac.com##ins.adsbygoogle + +! rizaldi.web.id anti-adb +@@||rizaldi.web.id^$ghide + +! smiechawatv.pl anti-adb +smiechawatv.pl##+js(nowoif) +smiechawatv.pl##[href^="http://smiechawatv.cupsell.pl/"] +smiechawatv.pl##[href^="https://www.cda.pl/smiechawaTV/"] + +! digitalrev4u.com anti-adb +digitalrev4u.com##.header_banner +digitalrev4u.com##[href^="https://shop.olympus.eu/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/51807 +gun-otaku.blogspot.com##+js(aopr, adBlockDetected) +gun-otaku.blogspot.com###HTML16 + +! https://github.com/AdguardTeam/AdguardFilters/issues/51819 +@@||get-digital-help.com^$ghide +get-digital-help.com##.ezoic-ad +get-digital-help.com##.adthrive-ad + +! nefree .com anti adb +@@||nefree.com^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/ffss3e/detected_by_blockadblock/fkxdi7k/ +onworks.net##+js(set, adBlockDetected, null) +onworks.net###ja-container-prev-b + +! dlapk4all .com popups +dlapk4all.com##+js(aopr, glxopen) +dlapk4all.com##+js(aeld, , _0x) +apk4all.com##.control.field > .is-danger.button + +! 4tymode. win anti adb +4tymode.win##+js(aeld, load, nextFunction) + +! https://github.com/NanoMeow/QuickReports/issues/3347 +@@||watchonlyfoolsandhorses.com^$ghide +watchonlyfoolsandhorses.com##[id*="ScriptRoot"] +watchonlyfoolsandhorses.com##.module_single_ads + +! https://github.com/NanoAdblocker/NanoFilters/issues/462 +@@||brownsboys.com^$ghide +@@||mrsbrownsb.blogspot.com^$ghide +mrsbrownsb.blogspot.com##.section.featured-post + +! https://github.com/AdguardTeam/AdguardFilters/issues/51905 +qpython.club##+js(aeld, DOMContentLoaded, AdBlock) + +! https://forums.lanik.us/viewtopic.php?f=62&t=44471 +galvinconanstuart.blogspot.com##+js(acs, $, open) + +! https://forums.lanik.us/viewtopic.php?p=153698#p153698 +! https://github.com/uBlockOrigin/uAssets/issues/23120 +freep.com##+js(set, adsEnabled, true) +freep.com##.teal-video-wrap +freep.com##.gnt_em_vp__tavp.gnt_em +freep.com##a.gnt_cw_sl +freep.com##.gnt_ar_xb + +! https://github.com/NanoMeow/QuickReports/issues/3358 +downloadsoft.net##+js(acs, document.createElement, adblock) +downloadsoft.net##+js(set, better_ads_adblock, 1) + +! https://github.com/AdguardTeam/AdguardFilters/issues/51961 +@@||teledyski.info^$ghide +teledyski.info###r-s1 + +! https://github.com/AdguardTeam/AdguardFilters/issues/51973 +@@||tudogamesbr.com^$ghide +tudogamesbr.com##+js(nowoif) +tudogamesbr.com##+js(nano-stb, /.?/, , 0.02) + +! songsio. com popup +*$script,3p,domain=songsio.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/51985 +faupto.com##+js(aopr, show_ads_gr8_lite) +dogemate.com##+js(nowoif) +dogemate.com##+js(acs, $, .filter) +faupto.com,dogemate.com##+js(aopr, disableButtonTimer) +faupto.com##+js(nano-sib) +*$frame,script,3p,denyallow=bootstrapcdn.com|consensu.org|google.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|recaptcha.net|wp.com,domain=faupto.com +*$3p,script,frame,denyallow=bootstrapcdn.com|cloudflare.com|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|recaptcha.net,domain=dogemate.com +faupto.com##[href^="https://brave.com"] +faupto.com##.shadow.bg-dark +dogemate.com##div[class][style="width:300px;height:250px;display: inline-block;margin: 0 auto"] +@@||dogemate.com/banner/$image,1p +dogemate.com##img[id^="ads-"]:style(visibility: hidden !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/7139 +@@||sledujserialy.*^$script,1p +||sledujserialy.*/theme/json/episode.ad.php^$frame +sledujserialy.*##div[id][style="position: absolute; top: 0; left: 0; width: 100%; height: 380px; text-align: center;"] +sledujserialy.*###super_secret_ad + +! https://github.com/NanoMeow/QuickReports/issues/3369 +@@||taiba-dz.blogspot.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3370 +onnime.net##+js(aopr, AaDetector) + +! https://github.com/NanoMeow/QuickReports/issues/3372 +softx64.com##+js(nostif, blocker, 100) + +! nysainfo.pl anti-adb +nysainfo.pl##+js(aopr, mdpDeBlocker) +nysainfo.pl###mdp-deblocker-js-disabled + +! napolipiu.com anti-adb +napolipiu.com##+js(aopr, tie) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52076 +manpeace.org##+js(aopr, document.write) + +! https://github.com/NanoAdblocker/NanoFilters/issues/463 +@@||judicialcaselaw.com^$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/52152 +@@||boardgamesonline.net^$ghide +boardgamesonline.net##ins.adsbygoogle + +! anti adb games.newsobserver .com +newsobserver.com##+js(set, Adv_ab, false) + +! https://github.com/NanoAdblocker/NanoFilters/issues/488 +! https://www.reddit.com/r/uBlockOrigin/comments/y5nbir +png.is##+js(aopr, adb_checker) +nohat.cc,png.is##+js(aopr, ignore_adblock) +png.is,nohat.cc##+js(aopr, $.prototype.offset) +png.is,nohat.cc##+js(no-fetch-if, adsbygoogle) +||nohat.me^$3p +@@||nohat.me/s?*k=$xhr,domain=png.is|nohat.cc + +! line25 .com popunder +line25.com##+js(aopr, decodeURI) + +! https://github.com/NanoMeow/QuickReports/issues/3395 +! https://github.com/NanoMeow/QuickReports/issues/3404 +hmc-id.blogspot.com##+js(nostif, AdBlock) + +! https://www.reddit.com/r/uBlockOrigin/comments/foskpy/visual_of_videos_blocked/ +noxx.to##+js(aopr, AaDetector) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52225 +thelayoff.com##+js(nostif, alert) +thelayoff.com##.epp-bf + +! https://github.com/uBlockOrigin/uAssets/issues/7153 +fuskator.com##+js(aopr, ea.add) +fuskator.com##+js(noeval) + +! https://github.com/NanoMeow/QuickReports/issues/3401 +bostoncommons.net##+js(aopr, LieDetector) +bostoncommons.net##+js(nostif, adsBlocked) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52266 +e9china.net##+js(aeld, load, blocker) + +! https://github.com/NanoMeow/QuickReports/issues/3403 +isminiunuttum.com##+js(acs, document.getElementById, block) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52305 +@@||bigbrothercanada.ca^$ghide +*$script,redirect-rule=noopjs,domain=bigbrothercanada.ca +bigbrothercanada.ca##.video-adTile +bigbrothercanada.ca##.adWrapper + +! https://github.com/NanoAdblocker/NanoFilters/issues/468 +@@||bolognatoday.it^$ghide + +! newtorrentgame .com popups +||d2klx87bgzngce.cloudfront.net^$script,redirect=noopjs +newtorrentgame.com##^script:has-text('shift') +newtorrentgame.com##^script:has-text(\'shift\') + +||allbloggingtips.com^$3p + +! sunbtc.space anti-adb +@@||sunbtc.space^$ghide +sunbtc.space##+js(set, adBlock, false) + +! ero18.cc anti-adb/popups/ads +@@||ero18.cc^$ghide +ero18.cc##[href^="https://rapidgator.net/"] + +! https://github.com/uBlockOrigin/uAssets/issues/7163 +suanoticia.online##+js(nano-sib) +bibliotechsuper.com##[href="https://bibliotechsuper.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/52409 +shurt.pw##+js(aopr, app_vars.force_disable_adblock) +shurt.pw##+js(aopw, adcashMacros) +shurt.pw##+js(nowoif) +shurt.pw##body > div[style]:has(input[type="button"]) +shurt.pw##div[style*="z-index:99999"] > div[style*="width:300px"] +*$frame,denyallow=google.com|hcaptcha.com,domain=shurt.pw +*$script,3p,denyallow=google.com|gstatic.com|hcaptcha.com|jsdelivr.net|recaptcha.net,domain=shurt.pw +||vdo.ai^$3p +||short.pe^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/fqjltj/podcast_advert/ +art19.com##+js(json-prune, ad_pods.0.ads.0.segments.0.media ad_pods.1.ads.1.segments.1.media ad_pods.2.ads.2.segments.2.media ad_pods.3.ads.3.segments.3.media ad_pods.4.ads.4.segments.4.media ad_pods.5.ads.5.segments.5.media ad_pods.6.ads.6.segments.6.media ad_pods.7.ads.7.segments.7.media ad_pods.8.ads.8.segments.8.media) +art19.com##.art19-notifications-list + +! https://github.com/NanoMeow/QuickReports/issues/3409 +||marketbeat.com/scripts/modal/* +marketbeat.com##+js(aeld, mouseleave, NativeDisplayAdID) +marketbeat.com###mb-bar +marketbeat.com##[id*="pnlAd"] +marketbeat.com##a[href*="NativeDisplayAdID"] + +! https://github.com/NanoMeow/QuickReports/issues/3422 +linkconfig.com##+js(nano-sib) + +! https://github.com/NanoMeow/QuickReports/issues/3426 +*$script,redirect-rule=noopjs,domain=onbatch.my.id +@@||onbatch.my.id^$ghide +onbatch.my.id##[id*="ScriptRoot"] + +! https://github.com/NanoAdblocker/NanoFilters/issues/470 +@@||controlc.com^$ghide +||twitch.tv^$xhr,3p,domain=controlc.com +controlc.com##[href^="http://redact.dev"] + +! https://github.com/uBlockOrigin/uAssets/issues/10788 +legendas.dev##+js(refresh-defuser) +investnewsbrazil.com##+js(nano-stb, contador, *, 0.001) +investnewsbrazil.com##+js(acs, Light.Popup.create) +||oyesrhweyma.com^ + +! https://github.com/NanoMeow/QuickReports/issues/3432 +libreriamo.it##+js(nostif, ai_adb) + +! boost.ink link-hijack // boost.ink/ia7o +boost.ink##+js(disable-newtab-links) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52499 +! https://github.com/AdguardTeam/AdguardFilters/issues/116034 +@@||easyexploits.com^$ghide +easyexploits.com##+js(aopr, mm) + +! https://github.com/NanoMeow/QuickReports/issues/3439 +dailymaverick.co.za##+js(nostif, t(), 0) + +! https://github.com/NanoMeow/QuickReports/issues/3446 +notiziemusica.it##+js(aopw, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/7175 +androgamer.org##+js(acs, jQuery, ai_adb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52613 +@@||fiches-auto.fr^$ghide +fiches-auto.fr###bulle_avvis +fiches-auto.fr##.adsbygoogle:style(visibility: collapse !important) + +! https://github.com/NanoMeow/QuickReports/issues/3451 +ludigames.com##+js(nostif, ads) + +! pixsera +! https://github.com/uBlockOrigin/uAssets/issues/7180 +! https://github.com/uBlockOrigin/uAssets/issues/9123 +pixsera.net##+js(nano-sib, timer) +pixsera.net##+js(nowoif, !/prcf.fiyar|themes|pixsense|.jpg/) +pixsera.net##+js(set, hold_click, false) +pixsera.net##div[id][style^="position: fixed; display: block; width: 100%;"] +||imgair.net/vip/splitest.html +@@||imgair.net^$script +nemenlake.*##+js(nowoif) +||hottracker.biz^ +||explorads.xml-v4.ak-is2.net^ +||vehavings.biz^ +||kooolboomin.com^ +||shyvanas.top^$all +||linksprf.com^$3p +||searchwithme.net^ +||shacsda.name^$3p +||genishury.pro^$popup +imgair.net,imgblaze.net,imgfrost.net,vestimage.site,pixlev.*,imgyer.store,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgqklw.shop,pixqkhgrt.shop,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgcssd.shop,imguwjsd.sbs,pictbbf.shop,pixbryexa.sbs,picbqqa.sbs,pixbkghxa.sbs,imgmgf.sbs,picbcxvxa.sbs,imguee.sbs,imgmffmv.sbs,imgbqb.sbs,imgbyrev.sbs,imgbncvnv.sbs,pixtryab.shop,imggune.shop,pictryhab.shop,pixbnab.shop,imgbnwe.shop,imgbbnhi.shop,imgnbii.shop,imghqqbg.shop,imgyhq.shop,pixnbrqwg.sbs,pixnbrqw.sbs,picmsh.sbs,imgpke.sbs,picuenr.sbs,imgolemn.sbs,imgoebn.sbs,picnwqez.sbs,imgjajhe.sbs,pixjnwe.sbs,pixkfjtrkf.shop,pixkfkf.shop,pixdfdjkkr.shop,pixdfdj.shop,picnft.shop,pixrqqz.shop,picngt.shop,picjgfjet.shop,picjbet.shop,imgkkabm.shop,imgxabm.shop,imgthbm.shop,imgmyqbm.shop,imgwwqbm.shop,imgjvmbbm.shop,imgjbxzjv.shop,imgjmgfgm.shop,picxnkjkhdf.sbs,imgxxbdf.sbs,imgnngr.sbs,imgjjtr.sbs,imgqbbds.sbs,imgbvdf.sbs,imgqnnnebrf.sbs,imgnnnvbrf.sbs##+js(aopr, console.clear) +imgair.net,imgblaze.net,imgfrost.net,vestimage.site,pixlev.*,imgyer.store,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgqklw.shop,pixqkhgrt.shop,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgcssd.shop,imguwjsd.sbs,pictbbf.shop,pixbryexa.sbs,picbqqa.sbs,pixbkghxa.sbs,imgmgf.sbs,picbcxvxa.sbs,imguee.sbs,imgmffmv.sbs,imgbqb.sbs,imgbyrev.sbs,imgbncvnv.sbs,pixtryab.shop,imggune.shop,pictryhab.shop,pixbnab.shop,imgbnwe.shop,imgbbnhi.shop,imgnbii.shop,imghqqbg.shop,imgyhq.shop,pixnbrqwg.sbs,pixnbrqw.sbs,picmsh.sbs,imgpke.sbs,picuenr.sbs,imgolemn.sbs,imgoebn.sbs,picnwqez.sbs,imgjajhe.sbs,pixjnwe.sbs,pixkfjtrkf.shop,pixkfkf.shop,pixdfdjkkr.shop,pixdfdj.shop,picnft.shop,pixrqqz.shop,picngt.shop,picjgfjet.shop,picjbet.shop,imgkkabm.shop,imgxabm.shop,imgthbm.shop,imgmyqbm.shop,imgwwqbm.shop,imgjvmbbm.shop,imgjbxzjv.shop,imgjmgfgm.shop,picxnkjkhdf.sbs,imgxxbdf.sbs,imgnngr.sbs,imgjjtr.sbs,imgqbbds.sbs,imgbvdf.sbs,imgqnnnebrf.sbs,imgnnnvbrf.sbs##+js(nano-sib, timer) +imgair.net,imgblaze.net,imgfrost.net,vestimage.site,pixlev.*,imgyer.store,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgqklw.shop,pixqkhgrt.shop,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgcssd.shop,imguwjsd.sbs,pictbbf.shop,pixbryexa.sbs,picbqqa.sbs,pixbkghxa.sbs,imgmgf.sbs,picbcxvxa.sbs,imguee.sbs,imgmffmv.sbs,imgbqb.sbs,imgbyrev.sbs,imgbncvnv.sbs,pixtryab.shop,imggune.shop,pictryhab.shop,pixbnab.shop,imgbnwe.shop,imgbbnhi.shop,imgnbii.shop,imghqqbg.shop,imgyhq.shop,pixnbrqwg.sbs,pixnbrqw.sbs,picmsh.sbs,imgpke.sbs,picuenr.sbs,imgolemn.sbs,imgoebn.sbs,picnwqez.sbs,imgjajhe.sbs,pixjnwe.sbs,pixkfjtrkf.shop,pixkfkf.shop,pixdfdjkkr.shop,pixdfdj.shop,picnft.shop,pixrqqz.shop,picngt.shop,picjgfjet.shop,picjbet.shop,imgkkabm.shop,imgxabm.shop,imgthbm.shop,imgmyqbm.shop,imgwwqbm.shop,imgjvmbbm.shop,imgjbxzjv.shop,imgjmgfgm.shop,picxnkjkhdf.sbs,imgxxbdf.sbs,imgnngr.sbs,imgjjtr.sbs,imgqbbds.sbs,imgbvdf.sbs,imgqnnnebrf.sbs,imgnnnvbrf.sbs##div[id][style^="position: fixed; display: block; width: 100%;"] +imgair.net,imgblaze.net,imgfrost.net,vestimage.site,pixlev.*,imgyer.store,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgqklw.shop,pixqkhgrt.shop,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgcssd.shop,imguwjsd.sbs,pictbbf.shop,pixbryexa.sbs,picbqqa.sbs,pixbkghxa.sbs,imgmgf.sbs,picbcxvxa.sbs,imguee.sbs,imgmffmv.sbs,imgbqb.sbs,imgbyrev.sbs,imgbncvnv.sbs,pixtryab.shop,imggune.shop,pictryhab.shop,pixbnab.shop,imgbnwe.shop,imgbbnhi.shop,imgnbii.shop,imghqqbg.shop,imgyhq.shop,pixnbrqwg.sbs,pixnbrqw.sbs,picmsh.sbs,imgpke.sbs,picuenr.sbs,imgolemn.sbs,imgoebn.sbs,picnwqez.sbs,imgjajhe.sbs,pixjnwe.sbs,pixkfjtrkf.shop,pixkfkf.shop,pixdfdjkkr.shop,pixdfdj.shop,picnft.shop,pixrqqz.shop,picngt.shop,picjgfjet.shop,picjbet.shop,imgkkabm.shop,imgxabm.shop,imgthbm.shop,imgmyqbm.shop,imgwwqbm.shop,imgjvmbbm.shop,imgjbxzjv.shop,imgjmgfgm.shop,picxnkjkhdf.sbs,imgxxbdf.sbs,imgnngr.sbs,imgjjtr.sbs,imgqbbds.sbs,imgbvdf.sbs,imgqnnnebrf.sbs,imgnnnvbrf.sbs##div[style="width:100%;height:110px"] +imgair.net,imgblaze.net,imgfrost.net,vestimage.site,pixlev.*,imgyer.store,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgqklw.shop,pixqkhgrt.shop,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgcssd.shop,imguwjsd.sbs,pictbbf.shop,pixbryexa.sbs,picbqqa.sbs,pixbkghxa.sbs,imgmgf.sbs,picbcxvxa.sbs,imguee.sbs,imgmffmv.sbs,imgbqb.sbs,imgbyrev.sbs,imgbncvnv.sbs,pixtryab.shop,imggune.shop,pictryhab.shop,pixbnab.shop,imgbnwe.shop,imgbbnhi.shop,imgnbii.shop,imghqqbg.shop,imgyhq.shop,pixnbrqwg.sbs,pixnbrqw.sbs,picmsh.sbs,imgpke.sbs,picuenr.sbs,imgolemn.sbs,imgoebn.sbs,picnwqez.sbs,imgjajhe.sbs,pixjnwe.sbs,pixkfjtrkf.shop,pixkfkf.shop,pixdfdjkkr.shop,pixdfdj.shop,picnft.shop,pixrqqz.shop,picngt.shop,picjgfjet.shop,picjbet.shop,imgkkabm.shop,imgxabm.shop,imgthbm.shop,imgmyqbm.shop,imgwwqbm.shop,imgjvmbbm.shop,imgjbxzjv.shop,imgjmgfgm.shop,picxnkjkhdf.sbs,imgxxbdf.sbs,imgnngr.sbs,imgjjtr.sbs,imgqbbds.sbs,imgbvdf.sbs,imgqnnnebrf.sbs,imgnnnvbrf.sbs##+js(nowoif, !/prcf.fiyar|themes|pixsense|.jpg/) +imgair.net,imgblaze.net,imgfrost.net,vestimage.site,pixlev.*,imgyer.store,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgqklw.shop,pixqkhgrt.shop,pixqbngg.shop,pixqwet.shop,pixmos.shop,imgtgd.shop,imgcsxx.shop,imgcssd.shop,imguwjsd.sbs,pictbbf.shop,pixbryexa.sbs,picbqqa.sbs,pixbkghxa.sbs,imgmgf.sbs,picbcxvxa.sbs,imguee.sbs,imgmffmv.sbs,imgbqb.sbs,imgbyrev.sbs,imgbncvnv.sbs,pixtryab.shop,imggune.shop,pictryhab.shop,pixbnab.shop,imgbnwe.shop,imgbbnhi.shop,imgnbii.shop,imghqqbg.shop,imgyhq.shop,pixnbrqwg.sbs,pixnbrqw.sbs,picmsh.sbs,imgpke.sbs,picuenr.sbs,imgolemn.sbs,imgoebn.sbs,picnwqez.sbs,imgjajhe.sbs,pixjnwe.sbs,pixkfjtrkf.shop,pixkfkf.shop,pixdfdjkkr.shop,pixdfdj.shop,picnft.shop,pixrqqz.shop,picngt.shop,picjgfjet.shop,picjbet.shop,imgkkabm.shop,imgxabm.shop,imgthbm.shop,imgmyqbm.shop,imgwwqbm.shop,imgjvmbbm.shop,imgjbxzjv.shop,imgjmgfgm.shop,picxnkjkhdf.sbs,imgxxbdf.sbs,imgnngr.sbs,imgjjtr.sbs,imgqbbds.sbs,imgbvdf.sbs,imgqnnnebrf.sbs,imgnnnvbrf.sbs##div[class][style="display: block;"] + +! https://www.reddit.com/r/uBlockOrigin/comments/fqjo82/pandora_just_started_detecting_ad_blocker_wont/ +! https://github.com/uBlockOrigin/uAssets/issues/12733 +@@||pandora.com/web-version/*.json$xhr,1p +*$script,redirect-rule=noopjs,domain=pandora.com +||pandora.com/static/ads/omsdk-$script,redirect=noop.js +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=pandora.com,redirect=google-ima.js:10 + +! https://github.com/AdguardTeam/AdguardFilters/issues/52633 +||clk.sh^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/52643 +hentaipornpics.net##+js(acs, $, zendplace) +hentaipornpics.net##+js(aeld, mouseover, event.triggered) + +! https://github.com/NanoMeow/QuickReports/issues/3457 +@@||templateshub.net^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/89752 +! https://github.com/AdguardTeam/AdguardFilters/issues/89758 +gaypornhdfree.*##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52702 +*$xhr,3p,redirect-rule=nooptext,domain=podu.me +*/ads$media,redirect-rule=noopmp3-0.1s,domain=podu.me +||podu.me/*/advertisement^$xhr,1p +podu.me##.adv-contanier + +! https://github.com/AdguardTeam/AdguardFilters/issues/62436 +programmiedovetrovarli.it##+js(aost, encodeURIComponent, inlineScript) + +! https://forums.lanik.us/viewtopic.php?f=103&t=44512 +@@||bolsanow.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3460 +funzen.net##+js(nostif, mdpDeBlocker) + +! https://github.com/uBlockOrigin/uAssets/issues/7186 +subsvip.com##+js(nano-stb, , 10000, 0) +subsvip.com###botaoBloqueio +subsvip.com###botaoLink:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/9520 +smoner.com##+js(aopr, app_vars.force_disable_adblock) +smoner.com##+js(set, blurred, false) +smoner.com##.form-group:has(> div#box[style="display: inline-block;"]) +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=smoner.com + +! https://github.com/uBlockOrigin/uAssets/issues/9841 +javcl.com##+js(nostif, 0x) +javcl.com##+js(nosiif, 0x) +javcl.com###wrapfabtest:style(height:1px !important;width:1px !important) + +! https://github.com/NanoMeow/QuickReports/issues/3470 +c1ne.co##+js(aopr, mdpDeBlocker) + +! https://github.com/NanoMeow/QuickReports/issues/3471 +thesukan.net##+js(aost, String.prototype.charCodeAt, ai_) + +! https://www.reddit.com/r/uBlockOrigin/comments/mk2kad/ublock_detected_again/ +! https://fp.apps2app.com/2022/01/1.html#?o=c67546ceabdca453b44c4fa796138c912c1e49e9cedb1fb97d2d578f218318534aa79e99a895a230 +*$script,redirect-rule=noopjs,domain=apps2app.com +apps2app.com##.adsbygoogle:style(width:1px!important;height:1px!important;min-width:1px!important;min-height:1px) +apps2app.com##+js(aeld, load, removeChild) +apps2app.com##+js(nostif, $) +apps2app.com##+js(nano-sib, gotolink) +apps2app.com##+js(ra, disabled, button) +apps2app.com##+js(rc, hidden, button) +apps2app.com##button:style(display: inline-block !important) +apps2app.com###timer +! https://github.com/uBlockOrigin/uAssets/issues/12391 +toolss.net##+js(acs, eval, replace) +toolss.net##+js(no-fetch-if, googlesyndication) +@@||toolss.net^$ghide +toolss.net##.sidebar_adds +toolss.net##ins.adsbygoogle +||toolss.net^$3p +toolss.net###wpsafe-generate, #wpsafe-link:style(display: block !important;) +toolss.net##div[id^="wpsafe-wait"] + +! scrubson. blogspot.com anti adb + popups +scrubson.blogspot.com##+js(aopr, adcashMacros) + +! nsfw aquariumgays .com anti adb + popups +aquariumgays.com##+js(aopr, _cpp) +aquariumgays.com##+js(acs, eval, replace) + +! redecanais.bz ads +redecanais.*###guerejo +redecanais.*###guerejoback +redecanais.*###iframeCore____ +allgamesejogos.*,bemestarglobal.*,gamesgo.*,lojadebicicleta.com.br,redecanais.*##[id="colunas"]:style(display: block !important;) + +! https://github.com/NanoMeow/QuickReports/issues/3477 +vz.lt##+js(acs, $, adblock) +vz.lt##.banners + +! https://github.com/AdguardTeam/AdguardFilters/issues/52866 +javxxx.me###player_3x2_container_inner +*/player/plugins/vast-*.js$script + +! https://github.com/NanoMeow/QuickReports/issues/3487 +testlanguages.com##+js(set, sgpbCanRunAds, true) + +! nsfw porncomics .me popups +porncomics.me##+js(aopr, open) + +! https://github.com/NanoMeow/QuickReports/issues/3494 +paginadanoticia.com.br##+js(aopr, pareAdblock) +paginadanoticia.com.br##.banner-img + +! https://github.com/uBlockOrigin/uAssets/issues/7198 +watchtvseries.video##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52934 +! https://github.com/NanoMeow/QuickReports/issues/4083 +tr.link##+js(nowoif, ppcnt) +tr.link##+js(ra, data-ppcnt_ads, main[onclick]) +||tr.link/js/sweets.js$script,1p +||tr.link/*/sweet.js$script,1p +||tr.link/push/push.js$script,1p +tr.link##.sweet-alert +tr.link##.sweet-overlay + +! celebmasta.com video ad/banner +||celebmasta.com/vast/$1p +celebmasta.com##img.size-medium +celebmasta.com##+js(aopr, dataPopUnder) + +! https://github.com/NanoMeow/QuickReports/issues/3500 +faucetdump.com##+js(acs, $, ads) + +! https://github.com/NanoMeow/QuickReports/issues/3504 +@@||beti.club^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7200 +@@||superuser.cz^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/fvpk26/can_someone_help_me_block_a_popup/ +orsm.net##+js(aopr, open) + +! https://www.reddit.com/r/uBlockOrigin/comments/fvvmal/trying_to_hide_scriptblock_warning_on/ +fernsehserien.de##+js(aopr, googlefc) + +! https://forums.lanik.us/viewtopic.php?p=153975#p153975 +@@||precitaj.si^$ghide +precitaj.si##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/3512 +lg-firmwares.com##+js(nano-sib) +@@||lg-firmwares.com^$ghide +lg-firmwares.com##.cc-window, .buy_on_amazon, .post-ads + +! https://github.com/uBlockOrigin/uAssets/issues/7202 +! https://github.com/uBlockOrigin/uAssets/issues/12571 +animeblix.*##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53052 +hd-tch.com##+js(acs, addEventListener, nextFunction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53080 +2kspecialist.net##+js(acs, addEventListener, blocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53084 +digit77.com##+js(acs, addEventListener, Blocker) + +! pcmag.com whitespace caused by a necessary exception in EasyList +pcmag.com###adkit_billboard:style(padding-top: 0px!important;) + +! kutubistan.blogspot.com/softdroid4u.blogspot.com anti-adb +! https://github.com/AdguardTeam/AdguardFilters/issues/53098 +kutubistan.blogspot.com,softdroid4u.blogspot.com,cosmomaker3.blogspot.com##+js(acs, addEventListener, blocker) + +! khmer7.org anti-adb +khmer7.org##+js(acs, addEventListener, blocker) +khmer7.org##+js(aopr, adcashMacros) + +! proxyserverlist24.top anti-adb +proxyserverlist24.top##+js(acs, addEventListener, blocker) +proxyserverlist24.top###HTML1, #HTML5, .Feed.widget, [href^="http://www.linkev.com/"], [href^="https://brave.com/"] + +! gudangfirmwere.com anti-adb +gudangfirmwere.com##+js(acs, addEventListener, AdBlocker) + +! kamerabudaya.com anti-adb +kamerabudaya.com##+js(acs, addEventListener, adblock) +kamerabudaya.com##.ads, div.adsadsense, #HTML1 + +! https://github.com/AdguardTeam/AdguardFilters/issues/53099 +gbadamud.blogspot.com##+js(acs, addEventListener, blocker) +gbadamud.blogspot.com##.pinterestjo, .googlejo + +! https://github.com/AdguardTeam/AdguardFilters/issues/81005 +javtiful.com##+js(rmnt, script, /adb/i) +javtiful.com##+js(acs, document.addEventListener, adsBlocked) +javtiful.com##+js(acs, String.fromCharCode, 'shift') +javtiful.com##+js(acs, addEventListener, -0x) +javtiful.com##+js(aopr, decodeURI) +javtiful.com##body > div[style*="z-index:"] +javtiful.com##[href^="//"][rel="nofollow norefferer noopener"] +fakyutube.com##+js(nowoif) +fakyutube.com##+js(aopr, __Y) +supervideo.*##+js(aopr, AaDetector) +/tag*.js$script,domain=supervideo.tv|supervideo.one|supervideo.cc + +! nsfw thisav .com popups +||intellipopup.com^$script,redirect=noopjs + +! https://github.com/AdguardTeam/AdguardFilters/issues/53153 +@@||enterinit.com^$ghide +enterinit.com##.bs-wrap-gdpr-law +enterinit.com##*::selection:style(background-color:#338FFF!important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53214 +buzz50.com##+js(acs, jQuery, blocker) +buzz50.com##[href^="http://buzz50.co.uk/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/78143 +||cdn.jsdelivr.net/*/dist/js/wgd-core.min.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/11113 +premid.app##+js(nosiif, innerHTML) +premid.app##+js(nano-sib, clearInterval) +@@||premid.app/ads/ads$xhr,1p +@@||premid.app^$ghide +premid.app##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/3527 +thejobsmovie.com##+js(nostif, adsBlocked) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53238 +@@||techdracula.com^$ghide +techdracula.com##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/98 +||bwtsrv.com^$3p + +! thememazing .com broken page + other anti adb +! fix mdpDeBlocker + some other anti-adb +||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,xhr,redirect=googlesyndication_adsbygoogle.js:5,domain=~zipextractor.app +||pagead2.googlesyndication.com^$xhr,redirect=noop.js + +! regex +/^https?:\/\/(?:www\.|[0-9a-z]{7,10}\.)?[-0-9a-z]{5,}\.com\/\/?(?:[0-9a-z]{2}\/){2,3}[0-9a-f]{32}\.js/$script,xhr,3p,redirect=noop.js,to=com +! https://github.com/easylist/easylist/issues/6476 +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790#discussioncomment-10759144 +/^https?:\/\/(?:[a-z]{2}\.)?[0-9a-z]{5,16}\.[a-z]{3,7}\/[a-z](?=[a-z]{0,25}[0-9A-Z])[0-9a-zA-Z]{3,26}\/\d{4,6}(?:\?[_a-z]=[-0-9a-z]+)?$/$script,3p,match-case,redirect=noop.js +/^https?:\/\/(?:[a-z]{2}\.)?[0-9a-z]{7,16}\.com\/[a-z](?=[a-z]{0,25}[0-9A-Z])[0-9a-zA-Z]{3,26}\/\d{4,6}(?:\?[_a-z]=[-0-9a-z]+)?$/$frame,xhr,popup,3p,match-case,to=com +/^https?:\/\/(?:[a-z]{2}\.)?[0-9a-z]{7,16}\.website\/[a-z](?=[a-z]{0,25}[0-9A-Z])[0-9a-zA-Z]{3,26}\/\d{4,6}(?:\?[_a-z]=[-0-9a-z]+)?$/$frame,xhr,popup,3p,match-case +! https://github.com/easylist/easylist/issues/6471 +/\/t\/[0-9]{3}\/[0-9]{3}\/a[0-9]{4,9}\.js$/$script +/^https?:\/\/[0-9a-z]{13,14}\.cloudfront\.net\/\?[a-z]{3,5}=\d{6,7}$/$script,xhr,3p +! https://github.com/easylist/easylist/pull/9330 +/^https:\/\/[0-9a-f]{10}\.[0-9a-f]{10}\.com\/[0-9a-f]{32}\.js$/$script,3p,to=com +! https://github.com/uBlockOrigin/uAssets/issues/26815 - superembed server +/^https:\/\/[0-9a-f]{10}\.[0-9a-f]{10}\.com\/[0-9a-f]{32}\/\d{6}\b/$xhr,3p,match-case,to=com +! globalThis +/^https?:\/\/[0-9a-f]{50,}\.s3\.amazonaws\.com\/[0-9a-f]{10}$/$xhr,3p +/^https?:\/\/s3\.us-east-1\.amazonaws\.com\/[0-9a-f]{50,}\/[0-9a-f]{10}$/$xhr,3p +! propeller new variants +/^https?:\/\/[a-z]{8,15}\.top(\/(?:\d{1,5}|0NaN|articles?|browse|index|movie|news|pages?|static|view|web|wiki)){1,4}(?:\.html|\/)$/$frame,3p,match-case +/^https?:\/\/[a-z]{8,15}\.top\/(?!api|available|team)[a-z]{4,}\.json$/$xhr,3p,match-case +/^https?:\/\/[a-z]{8,15}\.top\/[-a-z]{4,}\.css\?aHR0c[\/0-9a-zA-Z]{33,}=?=?$/$css,3p,match-case +/^https?:\/\/[a-z]{8,15}\.top\/[a-z]{4,}\.png\?aHR0c[\/0-9a-zA-Z]{33,}=?=?$/$image,3p,match-case +/^https?:\/\/[a-z]{8,15}\.xyz(\/(?:\d{1,5}|0NaN|articles?|browse|index|movie|news|pages?|static|view|web|wiki)){1,4}(?:\.html|\/)$/$frame,3p,match-case +/^https?:\/\/[a-z]{8,15}\.xyz\/(?!api|available|team)[a-z]{4,}\.json$/$xhr,3p,match-case +/^https?:\/\/[a-z]{8,15}\.xyz\/[-a-z]{4,}\.css\?aHR0c[\/0-9a-zA-Z]{33,}=?=?$/$css,3p,match-case +/^https?:\/\/[a-z]{8,15}\.xyz\/[a-z]{4,}\.png\?aHR0c[\/0-9a-zA-Z]{33,}=?=?$/$image,3p,match-case +.top/event|$xhr,3p +.xyz/event|$xhr,3p +! hilltopads +/^https?:\/\/[-a-z]{6,}\.com?\/[a-d][-\.\/_A-Za-z][DHWXm][-\.\/_A-Za-z][59FVZ][-\.\/_A-Za-z][6swyz][-\.\/_A-Za-z][-\/_0-9a-zA-Z][-\.\/_A-Za-z][-\/_0-9a-zA-Z]{22,162}$/$script,xhr,3p,match-case,to=co|com +/^https?:\/\/[-a-z]{6,}\.info\/[a-d][-\.\/_A-Za-z][DHWXm][-\.\/_A-Za-z][59FVZ][-\.\/_A-Za-z][6swyz][-\.\/_A-Za-z][-\/_0-9a-zA-Z][-\.\/_A-Za-z][-\/_0-9a-zA-Z]{22,162}$/$script,xhr,3p,match-case,to=info +/^https?:\/\/[-a-z]{6,}\.pro\/[a-d][-\.\/_A-Za-z][DHWXm][-\.\/_A-Za-z][59FVZ][-\.\/_A-Za-z][6swyz][-\.\/_A-Za-z][-\/_0-9a-zA-Z][-\.\/_A-Za-z][-\/_0-9a-zA-Z]{22,162}$/$script,xhr,3p,match-case,to=pro +/^https?:\/\/[-a-z]{6,}\.xyz\/[a-d][-\.\/_A-Za-z][DHWXm][-\.\/_A-Za-z][59FVZ][-\.\/_A-Za-z][6swyz][-\.\/_A-Za-z][-\/_0-9a-zA-Z][-\.\/_A-Za-z][-\/_0-9a-zA-Z]{22,162}$/$script,xhr,3p,match-case,to=xyz + +! As of 2020-04-09, new filters will be added to year-based sublists + +!#include filters-2020.txt +!#include filters-2021.txt +!#include filters-2022.txt +!#include filters-2023.txt +!#include filters-2024.txt +!#include filters-2025.txt + +! Link shortener filters go into their own dedicated list +!#include ubo-link-shorteners.txt + +!#include filters-mobile.txt + +! Title: uBlock filters (2020) +! Last modified: %timestamp% +! Description: Filters optimized for uBlock, to be used along EasyList +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! new filters from april 2020 to -> +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! https://github.com/AdguardTeam/AdguardFilters/issues/53254 +*$script,redirect-rule=noopjs,domain=arcai.com +! https://github.com/uBlockOrigin/uAssets/issues/23307 +arcai.com##+js(set, pubAdsService, trueFunc) +@@||doubleclick.net^$script,xhr,domain=arcai.com +@@||fundingchoicesmessages.google.com^$script,domain=arcai.com +@@||googletagservices.com/tag/js/gpt.js$script,domain=arcai.com +@@*$ghide,domain=arcai.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/53287 +de-baystars.doorblog.jp##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53288 +azm.to##+js(aopr, mm) +*$script,3p,denyallow=jquery.com|hwcdn.net|plyr.io|fastly.net|jwpcdn.com|googleapis.com|zencdn.net|hcaptcha.com,domain=azm.to + +! https://github.com/NanoMeow/QuickReports/issues/3528 +mysflink.blogspot.com##+js(set, safelink.adblock, false) +mysflink.blogspot.com##+js(nano-sib) + +! https://github.com/NanoMeow/QuickReports/issues/3531 +sofwaremania.blogspot.com##+js(nano-stb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53313 +jav1080.com##div.boxzilla, .boxzilla-overlay, [href^="https://adsxyz.com/"] +jav1080.com###custom_html-3 +jav1080.com###custom_html-4 +/300x250.html|$frame,3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/53366 +l2db.info##+js(nowoif) +||l2db.info/uploads/banners/$image +l2db.info##.branding +l2db.info##[href^="https://overworld.pro/"] +l2db.info###wrapper-content:style(margin-top:0px !important) +l2db.info##[href*="adv"] +l2db.info##[href^="https://castle-town.net/ru"] + +! https://github.com/NanoMeow/QuickReports/issues/3538 +psychic.de##+js(nostif, offsetHeight) + +! https://github.com/NanoMeow/QuickReports/issues/3540 +10convert.com##+js(aopr, HTMLIFrameElement) + +! https://github.com/NanoMeow/QuickReports/issues/3542 +my-code4you.blogspot.com##+js(nostif, offsetLeft) +my-code4you.blogspot.com##+js(set, config.pauseInspect, false) +*$script,redirect-rule=noopjs,domain=my-code4you.blogspot.com + +! https://github.com/NanoAdblocker/NanoFilters/issues/476 +! https://github.com/uBlockOrigin/uAssets/issues/7393 +made-by.org##+js(nostif, ads) +*$xhr,redirect-rule=nooptext,domain=made-by.org +made-by.org###overlay + +! https://github.com/AdguardTeam/AdguardFilters/issues/53430 +ilovephd.com##+js(set, adsbygoogle, null) + +! https://github.com/uBlockOrigin/uAssets/issues/7218 +@@||notepad.pw^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3553 +gosemut.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/7221 +rexdlfile.com##+js(aopr, require) + +! art sites redirections, ads +opisanie-kartin.com,painting-planet.com##+js(aopr, LieDetector) +||edugrampromo.com^$3p +||terrout9.biz^ +*/?pu=$script + +! https://github.com/NanoMeow/QuickReports/issues/3556 +1plus1plus1equals1.net,cooksinfo.com,heatherdisarro.com,thesassyslowcooker.com##+js(aopr, Date.prototype.toUTCString) + +! https://github.com/NanoMeow/QuickReports/issues/3563 +25yearslatersite.com##+js(set, jQuery.adblock, false) + +! https://github.com/uBlockOrigin/uAssets/issues/7229 +helpnetsecurity.com##+js(acs, jQuery, Object) + +! https://github.com/NanoMeow/QuickReports/issues/3575 +thepiratebay.org##+js(aopr, exoJsPop101) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53580 +kollhong.com##+js(aopr, adBlockDetected) + +||cointiply.com^$3p +||reingod.com^ + +! rppk13baru.blogspot.com anti-adb +rppk13baru.blogspot.com##+js(acs, addEventListener, blocker) + +! arabamob.blogspot.com anti-adb +arabamob.blogspot.com##+js(acs, addEventListener, blocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53600 +*$script,redirect-rule=noopjs,domain=akunssh.net + +! https://github.com/NanoMeow/QuickReports/issues/3577 +videosection.com##+js(aopr, exoJsPop101) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53667 +techieway.blogspot.com##+js(acs, addEventListener, AdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/53717 +pornfd.com##+js(nostif, innerText, 2000) +pornfd.com##+js(aopr, console.clear) +pornfd.com##+js(aeld, , bi()) +pornfd.com##.bannerImage +pornfd.com##.sponsor +||pornfd.com/*.php + +! https://github.com/NanoMeow/QuickReports/issues/2410 +! https://www.reddit.com/r/uBlockOrigin/comments/12vna68/flickr_ads/ +flickr.com##+js(set, appContext.adManager.context.current.adFriendly, false) +flickr.com##.sub-photo-submoola-view +flickr.com##section:has([href*="istockphoto.com"]) +! https://github.com/uBlockOrigin/uAssets/issues/25678 +! flickr.com##.sub-photo-right-view [href^="/account/upgrade"]:upward(.sub-photo-right-view > div) + +! fastpeoplesearch.com popups +fastpeoplesearch.com##+js(nowoif) +fastpeoplesearch.com##.sponsored, .ad-widget-container + +! https://github.com/NanoMeow/QuickReports/issues/3590 +*$media,3p,domain=hdd.moviefun24.com,redirect=noopmp3-0.1s + +! https://github.com/uBlockOrigin/uAssets/issues/7251 +pornky.com##+js(aopr, exoJsPop101) +rexporn.*##+js(aeld, , pop) + +! https://github.com/uBlockOrigin/uAssets/issues/7258 +pleated-jeans.com##+js(aopr, HTMLIFrameElement) + +! https://github.com/NanoAdblocker/NanoFilters/issues/481 +flash-firmware.blogspot.com##+js(noeval-if, replace) + +! https://github.com/NanoMeow/QuickReports/issues/3602 +getmega.net##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/7259 +desktophut.com##+js(acs, document.getElementById, .style) +blademaster666.com,hot2k.com,luchoedu.org,lupaste.com,pornovenezolano.com.ve,romnation.net,venezporn.com##+js(aopr, TID) +/sw.js$script,domain=desktophut.com|luchoedu.org|lupaste.com|pornovenezolano.com.ve|qeylo.net|seriale-po-polsku.pl|blademaster666.com|venezporn.com|culonas.com.ve +||cdnstaticpr.com^$3p +##[href^="https://fireads.online/"] +desktophut.com###loading-ad +*$frame,redirect-rule=noopframe,domain=desktophut.com +*$xhr,redirect-rule=nooptext,domain=desktophut.com + +!!! +a-ads.com##.size300x250 +googlesyndication.com##.GoogleActiveViewElement:not(:has(> #reward_close_button_widget)) +googlesyndication.com##.GoogleActiveViewElement > div:not(#reward_close_button_widget) +googlesyndication.com###abgb + +! https://github.com/AdguardTeam/AdguardFilters/issues/53896 +memoriadatv.com##+js(nano-stb) +@@||memoriadatv.com^$ghide +memoriadatv.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/53935 +@@||myzyia.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/53969 +! https://github.com/uBlockOrigin/uAssets/issues/16109 +zone-annuaire.*##+js(aopr, mdpDeBlocker) +zone-annuaire.*##[style^="font-weight"]:has-text(PREMIUM) +||zone-annuaire.bond/main.js?v=$script,1p +zone-annuaire.*##+js(nowoif) +||zone-annuaire.hair/main.js?v=$script + +! https://github.com/uBlockOrigin/uAssets/issues/7268 +! https://github.com/uBlockOrigin/uAssets/issues/24099 +notube.*,~notube.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/3620 +*$script,redirect-rule=noopjs,domain=runmods.com +runmods.com##+js(nano-sib) + +! https://github.com/NanoMeow/QuickReports/issues/3621 +gal-dem.com##+js(aopr, dsanity_ad_block_vars) + +! https://github.com/NanoMeow/QuickReports/issues/3595 +*$xhr,3p,domain=gayforit.eu +||bestcontenttechnology.top^$3p + +! https://forums.lanik.us/viewtopic.php?p=154057#p154057 +forumconstruire.com#?#.post_simple:has(.postsimple_pseudo:has-text(/promo/i)) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54079 +bleachmx.fr##+js(aopr, mdpDeBlocker) + +! https://github.com/NanoMeow/QuickReports/issues/3634 +latitude.to##+js(nostif, show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54096 +reifenrechner.at,tire-size-calculator.info##+js(aeld, load, nextFunction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54186 +apkmb.com##+js(nano-sib, show_download_links) +uploadking.net##+js(nano-stb, downloadbtn) + +! https://github.com/uBlockOrigin/uAssets/issues/12739 +||pub.network^$script,redirect=noopjs,domain=vrcmods.com +vrcmods.com##+js(nano-sib, timeLeft) +vrcmods.com##+js(nostif, height) +vrcmods.com##+js(nosiif, height) +vrcmods.com###download-form:style(display: initial !important;) +vrcmods.com###app:style(display: none !important;) +vrcmods.com###app_msg:style(display: none !important;) +vrcmods.com##.show.fade.modal +vrcmods.com##.show.fade.modal-backdrop + +! https://www.reddit.com/r/uBlockOrigin/comments/g6rcce/seeing_reverse_popups/ +leolist.cc##+js(nowoif) + +! teachersguidetn.blogspot.com/bayaningfilipino.blogspot.com/fileandsharing.com anti-adb +teachersguidetn.blogspot.com,bayaningfilipino.blogspot.com##+js(acs, addEventListener, blocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54309 +firefile.cc##+js(set, blockAdBlock._options.baitClass, null) + +! https://github.com/NanoMeow/QuickReports/issues/2388 +@@||manhwa18.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7283 +uploadhub.*##+js(nowoif) +uploadhub.to##center +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.com,domain=uploadhub.* + +! https://github.com/AdguardTeam/AdguardFilters/issues/54403 +verteleseriesonline.com##+js(aopr, adBlockDetected) +verteleseriesonline.com##+js(nosiif, visibility, 1000) + +! flight-report .com anti adb +! https://github.com/uBlockOrigin/uAssets/issues/16548 +flight-report.com##+js(nostif, offsetHeight) + +! ievaphone .com anti adb +ievaphone.com##+js(acs, onload) + +! https://github.com/NanoMeow/QuickReports/issues/3669 +obsev.com##+js(aopr, HTMLIFrameElement) + +! https://github.com/NanoMeow/QuickReports/issues/3671 +pentruea.com##+js(nostif, mdp_deblocker) +pentruea.com##+js(nostif, charAt) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54427 +akbardwi.my.id##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/7287 +@@||heypikachu.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3674 +mchacks.net##+js(nostif, checkAds) + +! https://github.com/NanoMeow/QuickReports/issues/3680 +uplink.my.id##+js(acs, document.getElementById, alert) + +! https://github.com/uBlockOrigin/uAssets/issues/7290 +! https://github.com/uBlockOrigin/uAssets/issues/19862 +smutty.com##+js(nowoif) +smutty.com##+js(rmnt, script, window.open) +smutty.com##+js(ra, href, [href^="https://aj2218.online/"], stay) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54524 +! https://github.com/uBlockOrigin/uAssets/issues/9865 +why-tech.it##+js(nostif, fadeIn, 0) +@@||why-tech.it^$ghide +why-tech.it##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/54532 +techably.com##+js(acs, document.getElementById, adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54565 +imintweb.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54581 +@@||minorpatch.com^$ghide +*$image,redirect-rule=1x1.gif,domain=minorpatch.com +minorpatch.com##ins.adsbygoogle +minorpatch.com##+js(acs, decodeURIComponent, checkAD) + +! https://github.com/NanoAdblocker/NanoFilters/issues/489 +kropic.com##+js(aopr, decodeURI) +kropic.com##+js(aopr, LieDetector) +kropic.com##+js(aeld, , _0x) +kropic.com##^script:has-text('shift') +kropic.com##^script:has-text(\'shift\') +kropic.com##+js(acs, String.fromCharCode, 'shift') +kropic.com##+js(nowoif) +kropic.com##.newsbar_blue + +! https://github.com/NanoAdblocker/NanoFilters/issues/491 +kvador.com##+js(aeld, , _0x) +kvador.com##+js(aopr, open) +kvador.com##.newsbar_blue +||kvador.com/images/*.gif$image +kvador.com###fadeinbox +! https://github.com/uBlockOrigin/uAssets/issues/8411 +kvador.com##+js(aopr, loadTool) +##[src^="https://forum.picbaron.com/Banner"] + +! https://github.com/uBlockOrigin/uAssets/issues/7296 +@@||debrid-file.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/54629 +||nexusbytes.com^$3p +servedez.com##[id^="ad_"] + +! https://github.com/uBlockOrigin/uAssets/issues/14049 +maccanismi.it##+js(noeval-if, show) + +! https://github.com/NanoMeow/QuickReports/issues/3711 +manytoon.com##+js(aopr, decodeURI) +*$script,3p,denyallow=cloudflare.net|disqus.com|disquscdn.com|fastlylb.net,domain=manytoon.com +||fzj3v7sch2xg5gosh60vpkrth5c6cngvj5ivd9kg5ajcdl2vlp2ocj5fjbto.me^ +manytoon.com##.ad +! https://www.reddit.com/r/uBlockOrigin/comments/1h66tq3/how_to_get_rid_of_stripchat_popup_on_manytoonme/ +||freecomiconline.me/*.gif^$image + +! https://github.com/NanoMeow/QuickReports/issues/3713 +compsmag.com##+js(nostif, jQuery) + +! https://github.com/NanoMeow/QuickReports/issues/3714 +vulture.com##+js(aeld, /^(?:click|mousedown)$/, latest!==) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54668 +ilmeteo.it##+js(nostif, google_jobrunner) +ilmeteo.it###banner-mnz-topleft:style(height: 80px !important) + +! https://www.reddit.com/r/uBlockOrigin/comments/gb5683/antiadblock_notice_on_rangerboard/ +rangerboard.com##+js(acs, $, btoa) +! https://www.reddit.com/r/uBlockOrigin/comments/1eoxgxw/rangerboard_blocks_pretty_much_all_functionality/ +@@||rangerboard.com^$ghide +rangerboard.com##.adsbygoogle +! https://www.reddit.com/r/uBlockOrigin/comments/1fd6tv0/more_elegant_solution_to_antiadblocker_checks_for/ +rangerboard.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54274 +beermoneyforum.com##+js(acs, $, Adblock) +beermoneyforum.com##.is-active.overlay-container:has(div[data-position] > center > a) +beermoneyforum.com##.samBackground:style(background-image:none !important) +beermoneyforum.com##.samBackgroundItem.samItem +beermoneyforum.com##body:style(overflow: auto !important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54703 +bg-gledai.*##+js(nosiif, visibility, 1000) +! https://www.reddit.com/r/uBlockOrigin/comments/11vtqib/ +bg-gledai.*##+js(aopr, chp_adblock_browser) +@@||bg-gledai.*^$ghide +/binance-banner.jpg$domain=bg-gledai.* +bg-gledai.*##+js(acs, document.getElementById, adblock) +bg-gledai.*###casing > center +! https://www.reddit.com/r/uBlockOrigin/comments/197760n/adblock_detected_httpswwwbggledailive/ +bg-gledai.*##+js(no-fetch-if, googlesyndication) + +! https://github.com/NanoMeow/QuickReports/issues/3718 +@@||lesechos.fr^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/3721 +@@||ploudos.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7301 +beegsexxx.com##+js(aopr, document.dispatchEvent) +beegsexxx.com##.preview:has(> .prev > script[data-ad_sub]) + +! https://github.com/uBlockOrigin/uAssets/issues/7301 +beeg.party##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/7301 +spank-and-bang.com##+js(acs, decodeURI, decodeURIComponent) + +! https://github.com/uBlockOrigin/uAssets/issues/7301 +tubxporn.com##+js(aopr, exoJsPop101) + +! https://github.com/uBlockOrigin/uAssets/issues/7301 +pornone.com##+js(acs, $, adblock) +pornone.com##.vjs-paused > .warp +pornone.com##a[href*="//prtord.com/"] +pornone.com##.vjs-info-top + +! sythe.org anti adb +sythe.org##+js(acs, $, adblocker) +sythe.org##+js(acs, document.getElementsByTagName, adblocker) +/?referral=sythe$all +||sythe.org/*.php$3p +/sytheb$all +/^https:\/\/([a-z]+\.)?sythe\.org\/[\w\W]{30,}/$image +*$image,redirect-rule=1x1.gif,domain=sythe.org +@@||sythe.org/*.png|$image,1p +@@||sythe.org/*.jpg?$image,1p +||i.imgur.com/*.mp4$media,domain=sythe.org +sythe.org##div[style="width: 100%; display: block; text-align: center;"] +sythe.org###topadplaceholder + +! https://forums.lanik.us/viewtopic.php?f=90&t=44637 +wg-gesucht.de##+js(acs, $, detectAdBlocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54800 +mp4mania1.net##+js(aopr, LieDetector) +mp4mania1.net##.advert +mp4mania1.net##.prop_native1 +! https://github.com/NanoMeow/QuickReports/issues/3751 +||undefined^$script,redirect=noopjs +||d3g5ovfngjw9bw.cloudfront.net^$script,redirect=noopjs + +! https://github.com/AdguardTeam/AdguardFilters/issues/76465 +! https://mm9844.cc/e/c3e55sp79uz6.html popup +! https://github.com/AdguardTeam/AdguardFilters/issues/131568 Streamsb => Download +mm9842.com,mm9844.*##+js(nowoif) +mm9842.com,mm9844.*,mm9846.com##+js(aopr, __Y) + +! https://github.com/NanoMeow/QuickReports/issues/3738 +khatrimaza.*##+js(aeld, , 0x) +khatrimaza.*##+js(acs, puShown, /doOpen|popundr/) +khatrimaza.*##+js(no-xhr-if, ads) +okhatrimaza.*##+js(acs, Object.defineProperty, XMLHttpRequest) +khatrimaza.*##+js(nostif, showModal) + +! https://github.com/AdguardTeam/AdguardFilters/issues/80222 +tapetus.pl##+js(nostif, /^/) +*$script,redirect-rule=noopjs,domain=tapetus.pl +tapetus.pl##+js(acs, $, setTimeout) +tapetus.pl##div[style="box-sizing: border-box; padding:0px 5px 0px 0px; text-align:center;"] + +! https://github.com/uBlockOrigin/uAssets/issues/7308 +! https://github.com/uBlockOrigin/uAssets/issues/12468 +adblockeronstape.*,adblockplustape.*,adblockstreamtape.*,adblockstrtape.*,adblockstrtech.*,adblocktape.*,advertisertape.com,antiadtape.*,gettapeads.com,noblocktape.*,stapadblockuser.*,stape.*,strcloud.*,streamadblocker.*,streamadblockplus.*,streamnoads.com,streamta.*,streamtape.*,streamtapeadblockuser.*,strtape.*,strtapeadblock.*,strtapeadblocker.*,strtpe.*,tapeadsenjoyer.com,tapeadvertisement.com,tapeantiads.com,tapeblocker.com,tapelovesads.org,tapenoads.com,tapewithadblock.org,watchadsontape.com##+js(rmnt, script, /WebAssembly|forceunder/) +adblockeronstape.*,adblockplustape.*,adblockstreamtape.*,adblockstrtape.*,adblockstrtech.*,adblocktape.*,advertisertape.com,antiadtape.*,gettapeads.com,noblocktape.*,stapadblockuser.*,stape.*,strcloud.*,streamadblocker.*,streamadblockplus.*,streamnoads.com,streamta.*,streamtape.*,streamtapeadblockuser.*,strtape.*,strtapeadblock.*,strtapeadblocker.*,strtpe.*,tapeadsenjoyer.com,tapeadvertisement.com,tapeantiads.com,tapeblocker.com,tapelovesads.org,tapenoads.com,tapewithadblock.org,watchadsontape.com##+js(nosiif, adblock) +adblockeronstape.*,adblockplustape.*,adblockstreamtape.*,adblockstrtape.*,adblockstrtech.*,advertisertape.com,antiadtape.*,gettapeads.com,noblocktape.*,shavetape.*,stapadblockuser.*,stape.*,strcloud.*,streamadblocker.*,streamadblockplus.*,streamnoads.com,streamta.*,streamtape.*,streamtapeadblock.*,streamtapeadblockuser.*,strtape.*,strtapeadblock.*,strtapeadblocker.*,strtapewithadblock.*,strtpe.*,tapeadsenjoyer.com,tapeadvertisement.com,tapeantiads.com,tapeblocker.com,tapelovesads.org,tapenoads.com,tapewithadblock.org,watchadsontape.com##+js(nowoif) +strcloud.*,streamtape.*,streamta.*,strtape.*,strtapeadblock.*##+js(ra, target, #downloadvideo) +adblockeronstape.*,adblockplustape.*,adblocktape.*,advertisertape.com,antiadtape.*,gettapeads.com,noblocktape.*,shavetape.*,stapadblockuser.*,strcloud.*,streamadblockplus.*,streamnoads.com,streamta.*,streamtape.*,streamtapeadblockuser.*,strtape.*,strtapeadblock.*,tapeadsenjoyer.com,tapeadvertisement.com,tapeantiads.com,tapeblocker.com,tapelovesads.org,tapenoads.com,tapewithadblock.org,watchadsontape.com##+js(nano-stb, counter) +adblockstreamtape.*,adblockstrtape.*,adblockstrtech.*,antiadtape.*,stape.*,strcloud.*,streamtape.*,streamta.*,strtape.*,strtpe.*,strtapeadblock.*#@#.google-ad +adblockstreamtape.*,adblockstrtape.*,adblockstrtech.*,antiadtape.*,shavetape.*,stape.*,strcloud.*,streamtape.*,streamta.*,strtape.*,strtpe.*,strtapeadblock.*##[class*="bn-container"], div[style*="z-index: 300000;"] +@@*$ghide,domain=adblockstreamtape.*|adblockstrtape.*|adblockstrtech.*|antiadtape.*|shavetape.cash|stape.*|strcloud.*|streamta.*|streamtape.*|streamtapeadblock.*|strtape.*|strtpe.* +strcloud.*,streamtape.*,streamta.*,strtape.*,strtpe.*,strtapeadblock.*##iframe[src^="data:"] +/sw.js$script,1p,domain=strcloud.*|streamtape.*|streamta.*|strtape.*|strtpe.*|strtapeadblock.* +streamadblocker.*##+js(acs, setTimeout, admc) +streamnoads.com##+js(rmnt, script, FingerprintJS) +||dzhzp0zlnyoe8.cloudfront.net^ +! https://github.com/uBlockOrigin/uAssets/issues/20336 +advertisertape.com,tapeadsenjoyer.com,tapeadvertisement.com,tapeantiads.com,tapelovesads.org,tapenoads.com,watchadsontape.com#@#.skyscraper.ad +*$script,3p,denyallow=google.com|gstatic.com,domain=streamtape.*|watchadsontape.com +streamtape.*,watchadsontape.com##+js(aopr, Adcash) +||pndax.love^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/54846 +yabiladi.com##+js(set, adBlockDetected, null) + +! https://github.com/uBlockOrigin/uAssets/issues/7309 +livegore.com##+js(acs, atob, decodeURIComponent) +livegore.com##+js(aopr, LieDetector) + +! https://www.reddit.com/r/uBlockOrigin/comments/gd3aba/any_way_to_block_a_script_and_a_div_inside_of_a/ +megaplayer.bokracdn.run##+js(aeld, DOMContentLoaded, .ready) +megaplayer.bokracdn.run##.blockingAd, .popBannerTeaser + +! https://github.com/AdguardTeam/AdguardFilters/issues/54876 +pestleanalysis.com##+js(set, blockAdBlock._options.baitClass, null) + +! https://github.com/uBlockOrigin/uAssets/commit/ea0f038f5bf9c80c4840f03317a10269e850a143#commitcomment-38932408 +ouo.*,mirrorace.com,7starhd.*##+js(acs, String.fromCharCode, /'shift'|break;/) + +! https://github.com/uBlockOrigin/uAssets/issues/8354 +shortenlinks.top##[href="javascript:void(0);"] + +! https://github.com/NanoMeow/QuickReports/issues/3759 +*$media,redirect-rule=noopmp3-0.1s,domain=eroasmr.com +eroasmr.com##.elite_vp_videoPlayerAD +! https://www.reddit.com/r/uBlockOrigin/comments/1axshxo/help_with_ads_on_eroasmrcom/ +||eroasmr.com/preroll$xhr,1p +||eroasmr.com/postroll$xhr,1p +eroasmr.com##+js(trusted-rpnt, script, vastTag, v) + +! https://github.com/AdguardTeam/AdguardFilters/issues/166506 +gaystream.pw##+js(aopr, adsbyjuicy) +gaystream.pw##.a-block + +! twistedporn .com popup +twistedporn.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/3770 +@@||paypou.com^$ghide +||paypou.com/newbanner + +! https://github.com/NanoMeow/QuickReports/issues/3773 +||oklivetv.com^$xhr,1p,redirect-rule=nooptext +*$script,redirect-rule=noopjs,domain=oklivetv.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/54964 +arabnaar.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54961 +! https://github.com/uBlockOrigin/uAssets/issues/26788 +@@||althub.club^$ghide +althub.club##+js(rmnt, script, Adblock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/54970 +sukidesuost.info##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/3780 +@@||extremeoverclocking.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/55013 +@@||burzowo.info^$1p,script + +! https://github.com/AdguardTeam/AdguardFilters/issues/55038 +globes.co.il##+js(set, document.blocked_var, 1) +globes.co.il##+js(set, ____ads_js_blocked, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55068 +jardiner-malin.fr##+js(set, wIsAdBlocked, false) + +! ricettafitness.com popads +ricettafitness.com##+js(acs, String.fromCharCode, 'shift') +ricettafitness.com##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/10724 +*$script,3p,denyallow=google.com|gstatic.com,domain=skidrowcodex.net + +! https://github.com/uBlockOrigin/uAssets/issues/7328 +ymp4.download##+js(nowoif) +ymp4.download###mp3button + +! https://github.com/AdguardTeam/AdguardFilters/issues/55126 +eoreuni.com##+js(aopr, adBlockDetected) +eoreuni.com##a[href^="https://iherb.co/"] + +! webcreator-journal.com anti adb +webcreator-journal.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/NanoMeow/QuickReports/issues/1398 +! https://github.com/uBlockOrigin/uAssets/issues/19953 +shinden.pl##+js(acs, document.createElement, shift) +@@||reklama.shinden.eu^$frame,domain=shinden.pl + +! freenote .biz anti adb +freenote.biz##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/3801 +tw-calc.net##+js(set, WebSite.plsDisableAdBlock, null) +tw-calc.net##.horizontal_large.container +tw-calc.net##.vertical.container +tw-calc.net##.vertical_large.container +tw-calc.net##.vertical_large_2.container + +! https://github.com/AdguardTeam/AdguardFilters/issues/55150 +pornomoll.*##+js(nostif, innerText, 2000) +pornomoll.*##+js(aeld, , _blank) +/clc?aid=$all + +! https://forums.lanik.us/viewtopic.php?f=96&t=44658 +hentaisaturn.com,italydownload.com,leggenditalia.com,oasidownload.com,semprehawk.com##+js(nowebrtc) + +! https://github.com/NanoMeow/QuickReports/issues/3812 popups +xxxonlinegames.com##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/3814 +supermarches.ca##+js(acs, $, css) + +! https://www.reddit.com/r/uBlockOrigin/comments/ggyl0i/help_with_blocking_remaining_ads_on_porn_site/ +watchpornx.com##+js(aopr, document.dispatchEvent) +watchpornx.com##+js(aopr, jsUnda) +watchpornx.com##+js(nowoif) +watchpornx.com##+js(acs, puShown, /doOpen|popundr/) +watchpornx.com###execphp-2 +watchpornx.com###overlays +||wiztube.xyz/cdn-cgi/trace^$xhr +vidop.*,wiztube.xyz##+js(nowoif) + +! lagacetadesalamanca.es video ads +lagacetadesalamanca.es##+js(aopr, videootv) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55254 +sakaiplus.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/7346 +seriemega.*##+js(nowoif) +seriemega.*##.bnr + +! https://github.com/NanoMeow/QuickReports/issues/3833 +swame.com##+js(set, is_adblocked, false) + +! https://github.com/NanoMeow/QuickReports/issues/3836 +settlersonlinemaps.com##+js(nostif, _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/7355 +ohmybrush.com##+js(set, ads_blocked, false) + +! https://github.com/uBlockOrigin/uAssets/issues/7354 +@@||pigy.cz^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7357 +thatav.net##+js(aopr, decodeURI) +digjav.com##+js(aeld, , Pop) +digjav.com##+js(nowoif) +||thatav.net/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/7358 +se-ed.com##+js(aopr, adBlockDetected) +se-ed.com##[id^="banner"] + +! https://github.com/uBlockOrigin/uAssets/issues/7375 +phpscripttr.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/7374 +pugam.com##+js(acs, jQuery, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/7364 +@@||top10newgames.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7360 +@@||25cineframes.com^$ghide +25cineframes.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/7370 +televisiongratishd.com,rojadirecta-tv-en-vivo.blogspot.com##+js(acs, String.fromCharCode, atob) + +! https://github.com/uBlockOrigin/uAssets/issues/7361 +legendaoficial.net##+js(acs, String.fromCharCode, 'shift') +legendaoficial.net##^script:has-text('shift') +legendaoficial.net##^script:has-text(\'shift\') + +! https://github.com/uBlockOrigin/uAssets/issues/7369 +talkceltic.net##+js(set, samDetected, false) + +! https://github.com/uBlockOrigin/uAssets/issues/7365 +@@||splitshire.com^$ghide +splitshire.com##.adsbygoogle:upward(.row-container) +splitshire.com##.ezoic-ad + +! https://github.com/uBlockOrigin/uAssets/issues/7366 +@@||kwamkidhen.com^$ghide +kwamkidhen.com##[id*="ScriptRoot"] +kwamkidhen.com##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/3838 +pdfindir.net##+js(aeld, , _0x) + +! https://github.com/NanoMeow/QuickReports/issues/3839 +autoroad.cz##+js(nostif, check) + +! 1stcollegescholarship .net anti adb +@@||1stcollegescholarship.net^$ghide + +! 3dmonitortips .com anti adb +@@||3dmonitortips.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7385 +womenreality.com##+js(nosiif, visibility, 1000) +@@||starbits.io^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7387 +comousarzararadio.blogspot.com##+js(aopr, adBlockDetected) +comousarzararadio.blogspot.com###HTML10, #HTML9 + +! https://github.com/uBlockOrigin/uAssets/issues/7389 +infocorp.io##+js(aopr, detectAdBlocker) + +! https://github.com/uBlockOrigin/uAssets/issues/7394 +popsplit.us##+js(aopr, adBlockDetected) + +! https://github.com/NanoMeow/QuickReports/issues/3843 +cuitandokter.com##+js(nostif, mdp) + +! isohunt2 .net / isohunt. nz popups ads +isohunt.*##+js(nowoif) +||isohunt*.*/nordvpn/$frame + +! https://github.com/AdguardTeam/AdguardFilters/issues/55436 +guncelkaynak.com##+js(acs, jQuery, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/7409 +addictinggames.com##+js(aopr, Drupal.behaviors.agBlockAdBlock) +! https://github.com/uBlockOrigin/uAssets/issues/14356#issuecomment-1213519577 +addictinggames.com#@#.ad_container +addictinggames.com#@#.add-bx +addictinggames.com##.add-bx:style(height: 0px !important; min-height: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-628873080 +@@*$ghide,domain=4bigv.com|5278cc.co|5278.cool|accountingplus786.blogspot.com|aetools.blogspot.com|antenadosnaskyecia.com|apprendrelekabyle.com|aramosalsal.tv|asianexpress.co.uk|awomanafoot.com|bookmarksway.com|buxearn.com|coinrotation.com|comparatif-logiciels.fr|cours-de-droit.net|dicionarioconceitos.blogspot.com|edukalife.blogspot.com|engquimicasantossp.com.br|firefiles.us|football-highlight.com|gastroepato.it|gozd-les.com|granadaesnoticia.com|hayastantv.me|hunter.fm|info-desk.co.za|l2top.co|letras2.com|logaritmo.org|lootdb.com|metalymetal.com|mtabrasil.com.br|mysavenshare.com|nekomeowmeow.com|nonude.site|numbersinwords.net|overwatch-teamup.com|oztoml.com|pelispedia.net|porngayonline.com|printerprojects.com|promipool.com|rcbinfo.com|redheadpassions.com|remixsear.ch|remixsearch.es|rendaclix.com|sandalwoodking.rocks|seriesonline.one|simplybox.net|tamilfunda.com|teknolojiprojeleri.com|tercihiniyap.net|theinnews.com|top100golfcourses.com|transpassions.com|tripolicastle.com|viewster.co|vww.yggtorrent.fr|walkingenglishman.com|wikihandbk.com|zikloud.com +letras2.com##+js(nostif, nextFunction, 450) +bookmarksway.com,cours-de-droit.net,football-highlight.com,gastroepato.it,granadaesnoticia.com,hayastantv.me,hunter.fm,info-desk.co.za,logaritmo.org,lootdb.com,mtabrasil.com.br,mysavenshare.com,nekomeowmeow.com,numbersinwords.net,oztoml.com,printerprojects.com,redheadpassions.com,sandalwoodking.rocks,teknolojiprojeleri.com,tercihiniyap.net,theinnews.com,tripolicastle.com,vww.yggtorrent.fr,walkingenglishman.com,wikihandbk.com,zikloud.com##ins.adsbygoogle +nekomeowmeow.com###text-6 +nekomeowmeow.com###text-5 +hunter.fm##.pwby_hiper +l2top.co##.main-top-ads +l2top.co##.rightBarAd +l2top.co##div.leftBarAd +l2top.co###bannerads-background +mtabrasil.com.br##.banner +redheadpassions.com,transpassions.com###header_ad_banner +viewster.co##.ads + +! https://github.com/NanoMeow/QuickReports/issues/3859 +xda-developers.com##+js(rc, twig-body) + +! https://forums.lanik.us/viewtopic.php?f=62&t=44685 +@@||hiphopa.net^$ghide +||d10ydmitx7crxz.cloudfront.net^ +||extra69.net^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/7416 +@@||imedikament.de^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7418 +vosfemmes.com,voyeurfrance.net##+js(set, is_adblocked, false) + +! https://github.com/uBlockOrigin/uAssets/issues/7419 +sms-anonyme.net##+js(nowebrtc) +@@||sms-anonyme.net^$ghide +sms-anonyme.net##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/55582 +portable4pc.com##+js(nosiif, visibility, 1000) +portable4pc.com##+js(aost, document.getElementById, adsBlocked) + +! other exoclick crap https://github.com/uBlockOrigin/uAssets/issues/6151#issuecomment-629804631 +*.php$script,1p,domain=18teenporno.tv|3teentube.com|4gaycocks.com|50yearoldsluts.com|adult-home-videos.com|amateur-cougar.com|amateur-nude.com|amateurmaturewives.com|babeswp.com|bannedbdsm.com|bdsmaz.com|bdsmsecrets.net|bigtitsgallery.net|bizarre-club.com|bondage-club.net|bondagevideo.org|bondagewaytube.com|celebritytubeporn.com|celebxvideo.com|cidertube.com|crazygayporn.com|dailygayvideo.com|desimms.co|digisesso.com|dusktube.com|elmtube.com|enterfreegaysex.com|etitz.com|experiences-gay.com|femdomdaily.com|fieldstube.com|footfetish-slave.com|freebesttwinks.com|freegranny6.com|freematurelovers.com|freematureswomen.com|gay-place.com|gayfuckingtube.com|gaypornxxxtube.com|goodtgp.net|grannysfucking.net|hdbbwmovies.com|helloshemale.com|hiddencamsluts.com|homevoyeurvideo.net|hornygrannytube.net|hqvintagetube.net|hugeboobswomen.com|indiancunts.net|indianporndaily.com|indiansexfree.net|javbobo.com|kuboys.net|latinaxxxvideos.com|matures-loving-sex.com|maturesandnylon.com|meporno.com|momsfuckboys.com|moreasiansex.com|mybbwtube.com|mygrannyporn.com|myowntits.com|nakedolders.com|naughtyjapaneseteens.com|nicegrannys.com|nudemilfwomen.com|nudeteenshub.com|nylonbabez.net|nyloncunts.com|nylonglamourlegs.com|nylonpornpictures.net|older-wives.com|pantyhoseminx.com|porncore.net|porngoeshd.com|pornoplum.com|pornvideoh.com|pornvideos.host|raventube.com|retropornzone.com|ritzyamateursex.com|sexrura.com|sexytwinkcock.com|stockingspornpics.com|teen18tube.com|teen-tube-18.com|teen-tube-19.com|teen-tube-21.com|teen-tube-porn.com|teenporn.ws|teenpornvideo.me|teensexvideos.xxx|teensonporn.com|teentube-18.com|thevintagemovies.com|timetoteens.com|tube-teen-18.com|tubebikini.com|tubehd.xxx|ultragranny.com|uniformcunts.com|videosexyteen.com|videosmadeathome.com|vintagesextapes.com|vipoldies.net|wildfemdom.com|wildretroporn.com|wowpornlist.xyz|xxx-hd-teens.com|xxx-hd-tube.com|xxxmegaboobs.com|yatranny.com|yourbdsmmovie.com|yourfreepantyhosegalleries.com|girlsfucking.net|hairy-amateurs.com|maturevideos.site|milfera.com|onlylesbianvids.com|teen-porn-tube.com +thumbnails.porncore.net##div[id][style$="height:200px;width:800px;"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/55617 +kochamjp.pl##+js(set, blockAdBlock._options.baitClass, null) + +! https://github.com/uBlockOrigin/uAssets/issues/15039 +! https://github.com/uBlockOrigin/uAssets/issues/16499 +||doubleclick.net^$frame,redirect=noopframe,domain=cpu-world.com +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl$script,domain=cpu-world.com +@@||cpu-world.com^$ghide +cpu-world.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/55352 +comparteunclic.com##+js(aopr, NoAdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55659 +localizaagencia.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/3885 +tech-blogs.com##+js(nostif, mdp) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55676 +sexcamfreeporn.com##+js(nostif, Adblocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55696 +themes-dl.com##+js(nosiif, visibility, 1000) +themes-dl.com##+js(nostif, innerHTML) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55705 +pghk.blogspot.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/NanoMeow/QuickReports/issues/3889 +upnewsinfo.com##+js(aopr, mMCheckAgainBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55614 +punisoku.blogo.jp##+js(acs, url, Math.random) + +! https://github.com/NanoMeow/QuickReports/issues/3852 +@@||eska.pl^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/55791 +resetoff.pl##+js(set, ads_unblocked, true) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55822 +logi.im##+js(nostif, adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/131099 +yourporngod.com##+js(acs, String.fromCharCode, 'shift') +yourporngod.com##+js(set, flashvars.adv_pre_vast, '') +yourporngod.com##+js(set, flashvars.adv_pre_vast_alt, '') +@@||yourporngod.com^$ghide +*$script,3p,denyallow=gstatic.com,domain=yourporngod.com +bussyhunter.com##+js(rpnt, script, /protect_block.*?\,/) + +! smdailyjournal.com anti adb +smdailyjournal.com##+js(aopr, __tnt) + +! https://github.com/NanoMeow/QuickReports/issues/3900 +mentalfloss.com##+js(set, countClicks, 0) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55911 +/wp-content/plugins/eazy-ad-unblocker/*$script,css +adala-news.fr###eazy_ad_unblocker_dialog-message + +! https://www.reddit.com/r/uBlockOrigin/comments/got6r7/thehillcom_antiadblock_message/ +! https://github.com/NanoMeow/QuickReports/issues/3917 +! https://github.com/NanoMeow/QuickReports/issues/4442 +thehill.com##+js(acs, atob) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55954 +anomize.xyz##+js(nano-sib) +anomize.xyz##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/3921 +medebooks.xyz##+js(nostif, ai_adb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/55992 +anonymousceviri.com##+js(acs, addEventListener, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/1639#issuecomment-633315654 +lavozdigital.es##+js(aopr, NREUM) + +! https://github.com/AdguardTeam/AdguardFilters/issues/56059 +bedavapdf.com##+js(acs, addEventListener, google_ad_client) +bedavapdf.com##.Image.widget, #footer-sec1, #footer-sec3 + +! https://github.com/AdguardTeam/AdguardFilters/issues/56097 +digitalstudiome.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/7462 +bollyflix.*##+js(rmnt, script, popundersPerIP) + +! https://github.com/NanoMeow/QuickReports/issues/1860#issuecomment-634076433 +freepornhdonlinegay.com##+js(aopw, decodeURI) + +! https://github.com/AdguardTeam/AdguardFilters/issues/56090 +minemods.com.br##+js(acs, addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/56142 +tutorialforlinux.com##+js(set, blockAdBlock._options.baitClass, null) + +! https://github.com/NanoMeow/QuickReports/issues/3957 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noop.js:10,domain=nsspot.herokuapp.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/56182 +uprafa.com##+js(set, settings.adBlockerDetection, false) +uprafa.com###stickyFooterBoxColseBtn + +! https://github.com/AdguardTeam/AdguardFilters/issues/56220 +choq.fm##+js(aopr, mdpDeBlocker) + +! https://github.com/NanoMeow/QuickReports/issues/3958 +@@||gratisvps.net^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/56233 +breatheheavy.com##+js(nostif, eabdModal) + +! https://github.com/NanoMeow/QuickReports/issues/3959 +megaflix.*##+js(nowoif) +||sexoland.net^ + +! https://github.com/NanoMeow/QuickReports/issues/3961 +wenxuecity.com##+js(acs, onload, adsbygoogle) +wenxuecity.com##+js(nostif, ab_root.show) +wenxuecity.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/56313 +casos-aislados.com##+js(nosiif, visibility, 1000) + +! supergoku.com popup +supergoku.com##+js(aopw, atOptions) +supergoku.com##+js(ra, href, #clickfakeplayer) +supergoku.com###link:style(display: block !important;) + +! https://github.com/NanoMeow/QuickReports/issues/633 +2conv.com,flvto.biz##.content-right-bar +2conv.com,flvto.biz##.horizontal-area +flvto.biz,flv2mp3.by##.push-offer +||2conv.com^$csp=script-src * +||flvto.biz^$csp=script-src * +2conv.com,flvto.biz,flv2mp3.by##+js(nowoif) + +! docker.events.cube365.net +cube365.net##+js(set, mixpanel.get_distinct_id, true) + +! https://github.com/AdguardTeam/AdguardFilters/issues/56352 +zipi.com##.ad + +! https://github.com/uBlockOrigin/uAssets/issues/7475 +toolforge.org##+js(aopr, noAdBlockers) + +! brstej .com ads + popups +brstej.com##+js(aeld, , _0x) + +! ads, popups +topwwnews.com##+js(aeld, , _0x) +*$script,3p,domain=topwwnews.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/56436 +smartwebsolutions.org##+js(acs, $, .show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/56457 +jootc.com##+js(aost, String.prototype.charCodeAt, ai_) +jootc.com##.ai_widget + +! https://github.com/AdguardTeam/AdguardFilters/issues/56480 +freeomovie.to##+js(nosiif, visibility, 1000) +freeomovie.to##+js(acs, String.fromCharCode, 'shift') + +! https://github.com/uBlockOrigin/uAssets/issues/7482 +pasteit.*##+js(noeval-if, AdBlock) + +! https://github.com/NanoMeow/QuickReports/issues/3987 +*$xhr,redirect-rule=nooptext,domain=freebinchecker.com + +! https://github.com/NanoMeow/QuickReports/issues/3988 +@@||geekprank.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/56504 +freshstuff4u.info##+js(acs, addEventListener, google_ad_client) +freshstuff4u.info##div.widget_list_mag_wp_300px, .img-200 + +! https://github.com/AdguardTeam/AdguardFilters/issues/56515 +! https://github.com/uBlockOrigin/uAssets/issues/12142 +anoboy.*##+js(acs, addEventListener, google_ad_client) +anoboy.*##div#judi2, #coloma, [href^="//kokipoker.net"] +anoboy.*##[href^="https://bit.ly/"] +anoboy.*##[href^="http://click2go.me/"] +anoboy.*###popup_box +anoboy.*###popup_bawah + +! https://github.com/AdguardTeam/AdguardFilters/issues/56429 +turkrock.com##+js(acs, $, .show) + +! https://github.com/uBlockOrigin/uAssets/issues/7485 +||c.amazon-adsystem.com/aax2/apstag.js$script,domain=foxnews.com,important +||googletagmanager.com^$script,domain=foxnews.com,important +||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$domain=foxnews.com,important +foxnews.com##.site-header:style(min-height: 90px !important) + +! https://github.com/NanoMeow/QuickReports/issues/3995 +@@||85videos.com^$ghide +85videos.com##.sponsor +85videos.com###pop +85videos.com##.haha-body + +! https://github.com/AdguardTeam/AdguardFilters/issues/56460 +hamakei.com###topBnr, #recBanner, .partner + +! https://github.com/AdguardTeam/AdguardFilters/issues/56572 +myviptuto.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/3999 +youlikeboys.com##+js(aopr, ExoLoader.serve) +youlikeboys.com##+js(aopr, AdservingModule) + +! https://github.com/uBlockOrigin/uAssets/issues/7494 +uploadroot.com##+js(aopr, open) +uploadroot.com##.buttonDownload + +! https://www.reddit.com/r/uBlockOrigin/comments/phbq9n/can_someone_help_removing_adblock_warning_from/ +! https://github.com/uBlockOrigin/uAssets/issues/15964 +key-hub.eu##+js(no-fetch-if, ads) +key-hub.eu##+js(nostif, gaData) +@@||key-hub.eu^$ghide +key-hub.eu##ins.adsbygoogle +@@||key-hub.eu/$1p,script + +! https://github.com/NanoMeow/QuickReports/issues/4005 +*$script,redirect-rule=noopjs,domain=bandab.com.br +bandab.com.br##.widget_publicidade + +! https://github.com/AdguardTeam/AdguardFilters/issues/56686 +gtamaxprofit.com##+js(acs, $, wrapfabtest) + +! https://www.reddit.com/r/uBlockOrigin/comments/ml8swm/how_to_block_adblock_detection_on_similar_site/ +@@||myuploadedpremium.de^$ghide +myuploadedpremium.de##+js(aost, $, /(?=^(?!.*(https)))/) +myuploadedpremium.de##ins.adsbygoogle +myuploadedpremium.de###babasbmsgx +myuploadedpremium.de##.copyright > .card + +! https://github.com/uBlockOrigin/uAssets/issues/7499 +@@||souqsky.net^$ghide +file4.net,souqsky.net##+js(aopw, Fingerprint2) + +! https://github.com/NanoMeow/QuickReports/issues/4018 +@@||ubeat.tv^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/gw3nfw/blocking_hidden_full_page_popups/ +123europix.*##+js(aopr, AaDetector) +123europix.*##+js(aopr, InstallTrigger) +123europix.*##+js(aopr, LieDetector) +123europix.*##[target="_blank"][onclick] + +! https://github.com/uBlockOrigin/uAssets/issues/10538 +nightfallnews.com##+js(set, bannersLoaded, 4) +nightfallnews.com##+js(set, notEmptyBanners, 4) +nightfallnews.com##+js(nano-sib, timer) +nightfallnews.com##.top_banner_container +nightfallnews.com##+js(aopr, adBlockDetected) +nightfallnews.com##.bottom_sticky_banner_container + +! https://github.com/AdguardTeam/AdguardFilters/issues/117871 +@@||animesanka.*^$ghide +*$image,redirect-rule=1x1.gif,domain=animesanka.* +animesanka.*##[id*="-ads-"] + +! https://github.com/NanoMeow/QuickReports/issues/4030 +@@||napolitoday.it^$ghide + +! jetanimes .com popups +jetanimes.*##+js(ra, href, #clickfakeplayer) +down-paradise.com##+js(aopr, LieDetector) +down-paradise.com##+js(nowoif) +down-paradise.com##+js(aopr, __Y) + +! https://www.reddit.com/r/uBlockOrigin/comments/gxe9o4/help_with_ublock/ +novelasligera.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4036 +ephoto360.com##+js(acs, $, Adblock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/56844 +hightqualityshop.com##+js(nosiif, visibility, 1000) + +! movies07. art / .live anti adb +movies07.*##+js(aeld, , pop) + +! https://www.reddit.com/r/uBlockOrigin/comments/gxud33/getting_pop_up_adds_on_this_website/ +hpaudiobooks.*##+js(acs, String.fromCharCode, 'shift') +hpaudiobooks.*##^script:has-text('shift') +hpaudiobooks.*##^script:has-text(\'shift\') + +! https://github.com/uBlockOrigin/uAssets/issues/7524 +gaydelicious.com##+js(aost, String.prototype.charCodeAt, ai_) + +##[href^="//mellowads.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/56924 +wwwfotografgotlin.blogspot.com##+js(set, fuckAdBlock._options.baitClass, null) +*$script,3p,denyallow=blogger.com|bootstrapcdn.com|cloudflare.com|cloudflare.net|gitcdn.link|githack.com|google.com|googleapis.com|gstatic.com|recaptcha.net,domain=wwwfotografgotlin.blogspot.com +||cpmlink.net^$3p +||unbrick.id^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/87245 +@@||viralfeed.*^$ghide +viralfeed.*##.admania-widgettit + +! pornhail .com ads +*$script,3p,denyallow=cloudflare.com,domain=pornhail.com +pornhail.com##.bottom-blocks + +! 3naked .com ads +*$script,3p,denyallow=cloudflare.net|googleapis.com|jsdelivr.net|cloudflare.com,domain=3naked.com +*.php$script,frame,domain=3naked.com +3naked.com###bnclose +3naked.com##.bns-block + +! sonorousporn .com ads +*$script,3p,denyallow=cloudflare.com|cloudflare.net|googleapis.com|hwcdn.net|jquery.com|jsdelivr.net|rawgit.com,domain=sonorousporn.com +*.php$script,frame,domain=sonorousporn.com +sonorousporn.com###bnclose +sonorousporn.com##.vid-ave-pl +sonorousporn.com##.on-player-pl + +! reamporn .com ads +*$script,3p,denyallow=cloudflare.com|cloudflare.net|googleapis.com|jquery.com|jsdelivr.net|netdna-cdn.com|rawgit.com,domain=reamporn.com +*.php$script,frame,domain=reamporn.com +reamporn.com##.vid-ave-ins +reamporn.com###bnclose + +! https://github.com/uBlockOrigin/uAssets/issues/7533 +xxxmax.net##^script:has-text('shift') +xxxmax.net##^script:has-text(\'shift\') +xxxmax.net##+js(acs, String.fromCharCode, 'shift') + +! https://github.com/uBlockOrigin/uAssets/issues/5674 +get.getpczone.com,rahim-soft.com,uploadrar.*###commonId > a[target="_blank"] +||pixeltrey.com^ +! https://github.com/AdguardTeam/AdguardFilters/issues/57027 +rahim-soft.com##+js(nosiif, visibility, 1000) +rahim-soft.com##+js(rmnt, script, wpadmngr.com) + +! https://github.com/uBlockOrigin/uAssets/issues/7242 +! https://github.com/uBlockOrigin/uAssets/issues/7534 +damndelicious.net,simplywhisked.com##+js(aopr, __eiPb) + +! https://github.com/NanoMeow/QuickReports/issues/4069 +@@||weibomiaopai.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7540 +linksly.co##+js(aopr, app_vars.force_disable_adblock) +@@||linksly.co^$ghide +linksly.co##.fixed-rightSd +linksly.co##.fixed-leftSd +linksly.co##[id*="ScriptRoot"] +linksly.co##+js(nowoif) +linksly.co##+js(set, blurred, false) +*$script,3p,denyallow=cloudflare.com|google.com|gstatic.com|hwcdn.net|jquery.com|recaptcha.net,domain=linksly.co +||linksly.co/sw.js$script,1p + +! https://linfoweb .com ads +linfoweb.com##+js(acs, Math.floor, document.write) +linfoweb.com##ins.adsbygoogle-wrapper + +||texto.click^$3p +||contextbar.ru^$3p + +! https://forums.lanik.us/viewtopic.php?p=155071#p155071 +*$script,3p,denyallow=cloudflare.com,domain=storieswatch.com + +! https://www.reddit.com/r/uBlockOrigin/comments/h7cm2s/sexodi_blocking_ublock_origin/ +sexodi.com##+js(set, ads_unblocked, true) +sexodi.com##.background-cloud:style(display: none !important;) +sexodi.com###video_reklamy + +! https://forums.lanik.us/viewtopic.php?p=155095#p155095 +upxin.net##+js(aeld, load, onload) + +! https://github.com/AdguardTeam/AdguardFilters/issues/57278 +dayoftheweek.org##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/57292 +geeksweb.net##+js(aopr, mdpDeBlocker) +geeksweb.net###mdp-deblocker-js-disabled + +! https://github.com/AdguardTeam/AdguardFilters/issues/57302 +@@||world-sms.org/get-ad/$xhr,1p +world-sms.org##.promoBlock + +! https://github.com/AdguardTeam/AdguardFilters/issues/57325 +mypussydischarge.com##+js(aopr, adBlockDetected) +mypussydischarge.com##+js(aopr, decodeURI) + +! https://github.com/NanoMeow/QuickReports/issues/4099 +@@||arab4load.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/9950 +sms24.*##body > div[style^="position: fixed; z-index: 1000"] +sms24.*##+js(aost, $ado, /ado/i) +sms24.*##+js(aost, document.createElement, app.js) +sms24.*##.ado-header +sms24.*##.ado-content +sms24.*##.placeholder:remove-class(placeholder) +*$script,redirect-rule=noopjs,domain=sms24.* +@@||sms24.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7551 +hentaistream.com##+js(aeld, load, script) +hentaistream.com##+js(noeval-if, popUnderStage) + +! https://github.com/uBlockOrigin/uAssets/issues/7552 +whatsaero.com##+js(set, blockAdBlock._options.baitClass, null) + +! https://github.com/AdguardTeam/AdguardFilters/issues/57256 +hhkungfu.tv##+js(acs, addEventListener, google_ad_client) +*$script,redirect-rule=noopjs,domain=hhkungfu.tv + +! https://github.com/uBlockOrigin/uAssets/issues/7554 +*$xhr,redirect-rule=nooptext,domain=pricez.co.il + +! https://www.reddit.com/r/uBlockOrigin/comments/haekcc/farkcom_blocking_all_ad_blockers/ +@@||fark.com/js/$1p,script + +! https://github.com/uBlockOrigin/uAssets/issues/7565 +||sexy-egirls.com/sexy-egirls.com.mp4$media,1p,redirect=noopmp3-0.1s + +! https://github.com/NanoMeow/QuickReports/issues/3652#issuecomment-645090389 +@@||metro.co.uk^$ghide +metro.co.uk###we-need-monies +metro.co.uk##.ad-slot-container +metro.co.uk###connatix_placeholder_desktop +metro.co.uk##.metro__ad_area_left +metro.co.uk##.metro__ad_area_right +metro.co.uk###taboola-feed-container +metro.co.uk###taboola-below-article-thumbnails + +! https://github.com/NanoMeow/QuickReports/issues/4134 +javmvp.com##+js(aopr, __Y) + +! https://www.reddit.com/r/uBlockOrigin/comments/haekcc/farkcom_blocking_all_ad_blockers/fv4qlso/ +cracking.org##+js(acs, $, samAdBlockAction) +cracking.org##+js(acs, RegExp, googlebot) + +! https://github.com/AdguardTeam/AdguardFilters/issues/57565 +labelotaku.com##+js(acs, eval, ignielAdBlock) + +! https://github.com/NanoMeow/QuickReports/issues/4140 +softwaresde.com##+js(acs, $, advert) + +! Amazon Music ads +||cloudfront.net^*.mp3|$media,redirect=noopmp3-0.1s,domain=music.amazon.com|music.amazon.ca|music.amazon.co.uk|music.amazon.fr|music.amazon.de|music.amazon.it|music.amazon.es|music.amazon.co.jp|music.amazon.com.au|music.amazon.com.mx + +! https://www.reddit.com/r/uBlockOrigin/comments/hb7zju/antiablock_help/ +badassdownloader.com##+js(set, bscheck.adblocker, noopFunc) +badassdownloader.com,badasshardcore.com,badassoftcore.com##+js(nostif, innerHTML) +quickporn.net##+js(set, qpcheck.ads, noopFunc) +badassoftcore.com,badassdownloader.com,badasshardcore.com,quickporn.net###ban-cont + +! https://github.com/AdguardTeam/AdguardFilters/issues/57561 +camarchive.tv##+js(no-fetch-if, popunder) + +! https://github.com/NanoMeow/QuickReports/issues/4147 +@@||pikwizard.com^$ghide +pikwizard.com##.sponsor-text +pikwizard.com##[href*="tradedoubler"] + +! As of 2016-12-02, found site uses WebRTC to deliver ads +tomshardware.*##+js(aopw, tmnramp) + +! https://github.com/NanoMeow/QuickReports/issues/4157 +@@||teleboy.ch/assets/js/*$xhr,1p +teleboy.ch##a[href*="BrandingDay"] + +! https://github.com/NanoMeow/QuickReports/issues/4162 +ddownr.com##+js(nowoif) +||curioushingefast.com^ + +! https://github.com/NanoMeow/QuickReports/issues/4166 +keepv.id##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/4167 +savethevideo.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/26005 +savefrom.net##+js(nowoif, !sf-converter.com) +savefrom.net##+js(trusted-set, clickAds.banner.urls, 'json:[{"url":{"limit":0,"url":""}}]') + +! https://github.com/AdguardTeam/AdguardFilters/issues/57758 +audiostereo.pl##div[style="margin-bottom: 10px;"] > a[href][target="_blank"], [href^="https://salony.nautilus.net.pl/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/57801 +freelistenonline.com##+js(set, fuckAdBlock._options.baitClass, null) + +! https://github.com/NanoAdblocker/NanoFilters/issues/522 +fabioambrosi.it##+js(nostif, ad) + +! https://github.com/NanoMeow/QuickReports/issues/4178 +@@||fulltip.net^$ghide +fulltip.net##ins.adsbygoogle +fulltip.net##.penci-adsense-below-slider +fulltip.net##.penci-google-adsense +fulltip.net##.penci-google-adsense-2 +fulltip.net###ad-slot + +! https://github.com/uBlockOrigin/uAssets/issues/7585 +iseekgirls.com##+js(nowoif) +iseekgirls.com##+js(ra, data-item, a[href='']) +iseekgirls.com##.fv-cva-time +iseekgirls.com##.elementor-swiper +iseekgirls.com##.elementor-widget-html.elementor-widget.elementor-element-8fe21fe.elementor-element > .elementor-widget-container > div +iseekgirls.com##[href="https://www.iseekgirls.com/af/webcam"], [href^="https://www.iseekgirls.com/adultfriendfinder/"] +iseekgirls.com##.flowplayer.is-cva .fp-controls:style(display: flex !important) +iseekgirls.com##.flowplayer.is-cva .fp-fullscreen:style(display: flex !important) +iseekgirls.com##[href^="https://www.iseekgirls.com/"][target="_blank"] +iseekgirls.com##[href="https://www.iseekgirls.com/isg/header-ads"] + +! https://github.com/NanoMeow/QuickReports/issues/3223 +cshort.org##+js(nowoif, onclickmega) +||cshort.org/themes/cshort_theme/assets/js/vanta.birds.min.js$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/7587 +cshort.org##+js(set, adblock, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/57894 +text2voice.org##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/pull/10271 +! fullcinema. xyz +fullcinema.*,fullreal.*##.mobile-btn +fullcinema.*,fullreal.*##.mvic-btn +fullcinema.*,fullreal.*##div.content-kuss + +! https://github.com/uBlockOrigin/uAssets/issues/7591 +bondibeachau.com##+js(nano-sib) + +! https://rbt.asia/g/thread/61009719 +! Appears related to uponit.com +! Somehow, websocket requests are behind-the-scene with Firefox. Pending +! further investigation, this fixes the issue. +||4chan.org^$csp=connect-src https: http: +! https://www.reddit.com/r/uBlockOrigin/comments/heiw4s/ublock_help/ +*$script,3p,denyallow=4cdn.org|4chan.org|cloudflare.com|google.com|gstatic.com|hcaptcha.com|mathjax.org,domain=boards.4channel.org +*$script,3p,denyallow=4cdn.org|4channel.org|cloudflare.com|google.com|gstatic.com|hcaptcha.com|mathjax.org,domain=4chan.org + +! https://github.com/uBlockOrigin/uAssets/issues/7596 +milapercia.com##+js(nowoif) +@@||brazzers3x.org^$ghide +brazzers3x.org##.ads +artesacro.org##+js(acs, onload, adb) + +! windows-1 .com popups +windows-1.com##+js(nowoif) + +! https://forums.lanik.us/viewtopic.php?p=155265#p155265 +curto.win##+js(aopr, app_vars.force_disable_adblock) +curto.win##+js(aeld, click, trigger) +*$frame,3p,domain=curto.win +||avantajados.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/4198 +kontrolkalemi.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/58059 +@@||chinapost-track.com/$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/7600 +@@||gamebrew.org^$ghide +gamebrew.org##ins.adsbygoogle +gamebrew.org##+js(no-fetch-if, method:HEAD) + +! https://github.com/uBlockOrigin/uAssets/issues/7601 +drtuber.*##+js(nowoif) +drtuber.*###video_list_banner +drtuber.*##.abtext +drtuber.*##.drt-spot-box +drtuber.*##.f_width.footer > .item_box +drtuber.*##.fh.heading +drtuber.*##.item_spots +drtuber.*##.livecams_main +drtuber.*##.puFloatLine +drtuber.*##.title-sponsored +||drtuber.*/footer_tiz.php +||drtst.com/promo/banners/ +drtuber.*###spot_video_partner_banner +m.drtuber.com###banner_overlay-postitial-video:remove() + +! https://www.reddit.com/r/uBlockOrigin/comments/hglf4p/whitelisted_websites_insist_im_running_an_ad/ +takimag.com##+js(acs, document.getElementById, show_ads) + +! https://github.com/NanoMeow/QuickReports/issues/4200 +xsanime.com##+js(nosiif, _0x) +xsanime.com##+js(aeld, , _0x) +xsanime.com##+js(aopr, console.clear) +*$script,domain=xsanime.com,3p,denyallow=chatango.com|cloudflare.com|disqus.com|disquscdn.com|onesignal.com + +! https://www.reddit.com/r/uBlockOrigin/comments/hhardf/ytboobcom_ads_bypass_ublockorigin/ +ytboob.com##+js(aopr, document.dispatchEvent) + +! https://github.com/AdguardTeam/AdguardFilters/issues/58232 +gsmfirmware.net##+js(acs, eval, ignielAdBlock) + +! uploadraja .com ads +uploadraja.com##+js(acs, getCookie) +||uploadraja.com/sw.js$script,1p +||gamezop.com^$domain=uploadraja.com +||postimg.cc^$image,domain=uploadraja.com +||eriegentsfse.info^ +uploadraja.com##a[href^="https://so-gr3at3.com/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/himl0y/ +@@||f1countdown.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/4223 +@@||stgeorgeutah.com^$ghide +stgeorgeutah.com##.main-top-ad + +! https://www.reddit.com/r/uBlockOrigin/comments/hj4bjp/httpswwwdistrotvlive/ +@@||distro.tv^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/58394 +lookimg.com##+js(nosiif, visibility, 1000) + +! https://www.reddit.com/r/uBlockOrigin/comments/hjfcnf/yellowbridgecom_chineseenglish_dictionary_detects/ +yellowbridge.com##+js(nostif, blocker) +yellowbridge.com##+js(set, isContentBlocked, falseFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/58426 +usb-antivirus.com##+js(aopr, mdpDeBlocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/58446 +graphicdesignresources.net##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/14231 +! https://github.com/uBlockOrigin/uAssets/issues/18148 +! https://github.com/uBlockOrigin/uAssets/issues/22198 +! https://www.reddit.com/r/uBlockOrigin/comments/1gdc7mh/spotify/ +! ||spotify.com/storage-resolve/files/audio/interactive/*$xhr,domain=open.spotify.com +||adxcel.com^ +||akamaized.net/audio/$media,redirect=noop-1s.mp4:10,from=open.spotify.com +||scdn.co/audio/$media,redirect=noop-1s.mp4:10,domain=open.spotify.com +||scdn.co/mp3-ad/$media,redirect=noop-1s.mp4:10,domain=open.spotify.com +||spotifycdn.com/audio/$media,redirect=noop-1s.mp4:10,domain=open.spotify.com +||amillionads.com^$media,redirect=noop-1s.mp4:10,from=open.spotify.com +||2mdn.net^$media,redirect=noop-1s.mp4:10,domain=open.spotify.com +||adxcel.com^$media,redirect=noop-1s.mp4:10,domain=open.spotify.com +*$media,3p,redirect-rule=noop-1s.mp4:10,domain=open.spotify.com +! https://www.reddit.com/r/uBlockOrigin/comments/1eiyb2h/spotify_web_player_skipping_through_entire/ +@@||podscribe.com/rss/$media,domain=open.spotify.com + +! https://github.com/NanoMeow/QuickReports/issues/4239 +ilgeniodellostreaming.*##+js(aopr, AaDetector) +ilgeniodellostreaming.*##+js(nowoif) +ilgeniodellostreaming.*##.opbtn.bnnr1 +ilgeniodellostreaming.*##.opbtn.bnnr2 +ilgeniodellostreaming.*##.opbtn.wp-content +ilgeniodellostreaming.*##[href*=".php"] +ilgeniodellostreaming.*##.alert-warning +safevideo.click##[meta-link="/video.html"] +v1.safevideo.click##.butt +v1.safevideo.click##.hov +v1.safevideo.click###register-overlay +v1.safevideo.click###custom-video +v1.safevideo.click###video-container + +! https://github.com/AdguardTeam/AdguardFilters/issues/58505 +arabianbusiness.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/7631 +! https://github.com/uBlockOrigin/uAssets/issues/18102 +||intergient.com^$script,domain=emoji.gg,redirect=noopjs +emoji.gg##+js(no-xhr-if, adsbygoogle) + +! https://github.com/NanoMeow/QuickReports/issues/4243 +tattle.life##+js(nostif, prompt, 1000) +tattle.life##.visitorAdPost + +! https://github.com/AdguardTeam/AdguardFilters/issues/58602 +veryfiles.com##+js(nosiif, visibility, 1000) +||dezf3o8j9jdt6.cloudfront.net^$3p + +! https://github.com/NanoMeow/QuickReports/issues/4250 +eskiceviri.blogspot.com##+js(aopr, adBlockDetected) +eskiceviri.blogspot.com##+js(acs, puShown, /doOpen|popundr/) + +! https://github.com/uBlockOrigin/uAssets/issues/7635 +siteunblocked.info,theproxy.app##+js(nowoif) +/app14.js$domain=siteunblocked.info|theproxy.app +/g12.js$domain=siteunblocked.info|theproxy.app +siteunblocked.info,theproxy.app##.all-linked +siteunblocked.info##+js(aopr, GetWindowHeight) +siteunblocked.info##+js(aopr, decodeURIComponent) +/hy.js$script,domain=siteunblocked.info +||siteunblocked.info/zpp/*$script,domain=siteunblocked.info +siteunblocked.info##+js(aeld, , /pop|wm|forceClick/) +siteunblocked.info##.antoic +siteunblocked.info##[id^="cookieConsent"] +||declk.com^$all +||outwhirlipedeer.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/58627 +animeblkom.net##+js(set, blockAdBlock._options.baitClass, null) +animeblkom.net##+js(set, CloudflareApps.installs.Ik7rmQ4t95Qk.options.measureDomain, undefined) +vid4up.*###aoverlay +vid4up.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/7640 +convert2mp3.tv##[href="/banner.html"] + +! https://forums.lanik.us/viewtopic.php?f=62&t=44865 +cardiagn.com##+js(nostif, mdp) + +! https://github.com/NanoMeow/QuickReports/issues/4258 +@@||aosmark.com^$ghide +aosmark.com##+js(set, detectAB1, noopFunc) + +! https://github.com/NanoMeow/QuickReports/issues/4180#issuecomment-654285263 +@@||legrandrex.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/4260 +@@||trueid.net^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/4262 +@@||konstantinova.net^$ghide +konstantinova.net##+js(nano-sib) +konstantinova.net##[href^="//mellowads.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/58771 +baritoday.it##+js(nostif, bADBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/7645 +earncash.*##+js(aopr, app_vars.force_disable_adblock) + +! https://github.com/NanoMeow/QuickReports/issues/4270 +mashtips.com##+js(nostif, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/7648 +ministryofsolutions.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/58634 +dj-figo.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/58844 +xiaomitools.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/92140 +! https://github.com/uBlockOrigin/uAssets/issues/20475 +link1s.*##+js(aopr, app_vars.force_disable_adblock) +link1s.*##+js(aopr, open) +link1s.*##.banner-inner +kiemlua.com,link1s.*###baolink1s +anhdep24.com,asideway.com##+js(acs, eval, replace) +anhdep24.com,asideway.com##.popup-container, .text-center h2~*, .text-center h2, .site-logo +anhdep24.com#@##link1s-wait1 +aemenstore.com,byboe.com,cazzette.com,dreamcheeky.com,fidlarmusic.com,hookeaudio.com,jncojeans.com,kiemlua.com,kingsleynyc.com,lucidcam.com,nguyenvanbao.com,nousdecor.com,pennbookcenter.com,publicananker.com,restorbio.com,rezence.com,staaker.com##+js(nano-sib, counter, *) +aemenstore.com,byboe.com,cazzette.com,dataf.pro,hookeaudio.com,jncojeans.com,kiemlua.com,kingsleynyc.com,link1s.*,lucidcam.com,marharo.com,medcpu.com,nguyenvanbao.com,nousdecor.com,pennbookcenter.com,restorbio.com,staaker.com##+js(nosiif, visibility, 1000) +link1s.*##+js(set, blurred, false) +aemenstore.com,byboe.com,cazzette.com,dreamcheeky.com,fidlarmusic.com,hookeaudio.com,jncojeans.com,kiemlua.com,kingsleynyc.com,lucidcam.com,nguyenvanbao.com,nousdecor.com,pennbookcenter.com,publicananker.com,restorbio.com,rezence.com,staaker.com###link1s-link +aemenstore.com,byboe.com,cazzette.com,dreamcheeky.com,fidlarmusic.com,hookeaudio.com,jncojeans.com,kiemlua.com,kingsleynyc.com,lucidcam.com,nguyenvanbao.com,nousdecor.com,pennbookcenter.com,publicananker.com,restorbio.com,rezence.com,staaker.com###link1s-wait1 +aemenstore.com,byboe.com,cazzette.com,dreamcheeky.com,fidlarmusic.com,hookeaudio.com,jncojeans.com,kiemlua.com,kingsleynyc.com,lucidcam.com,nguyenvanbao.com,nousdecor.com,pennbookcenter.com,publicananker.com,restorbio.com,rezence.com,staaker.com###link1s-generate +aemenstore.com,byboe.com,cazzette.com,dreamcheeky.com,fidlarmusic.com,hookeaudio.com,jncojeans.com,kiemlua.com,kingsleynyc.com,lucidcam.com,nguyenvanbao.com,nousdecor.com,pennbookcenter.com,publicananker.com,restorbio.com,rezence.com,staaker.com###link1s-snp:style(display:block!important) +*$3p,denyallow=bootstrapcdn.com|cloudflare.com|consensu.org|google.com|googleapis.com|gstatic.com|hcaptcha.com|jquery.com|jsdelivr.net|recaptcha.net,domain=link1s.* +||i.imgur.com^$image,domain=anhdep24.com|dreamcheeky.com|fidlarmusic.com|kiemlua.com|lucidcam.com|nousdecor.com|publicananker.com|rezence.com +! https://github.com/uBlockOrigin/uAssets/issues/18642 +kiemlua.com,link1s.com##+js(noeval-if, /chp_?ad/) +kiemlua.com##^script:has-text(Adblock) +kiemlua.com##+js(rmnt, script, Adblock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/58968 +mynet.com##+js(nostif, googlefc) + +! https://github.com/NanoMeow/QuickReports/issues/4286 +dropshipin.id##+js(acs, $, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59026 +haddoz.net##+js(set, adBlockDetected, noopFunc) + +! https://github.com/NanoMeow/QuickReports/issues/4291 +||static.adsafeprotected.com/vans-adapter-google-ima.js$script,redirect=noopjs,domain=motortrend.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/59066 +necksdesign.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4298 +hollywoodpq.com##+js(acs, document.querySelector, adb) +hollywoodpq.com##div.oboxads + +! https://github.com/AdguardTeam/AdguardFilters/issues/59106 +@@||vanis.io/$xhr,1p +vanis.io###player-data > div:nth-of-type(1) + +! mdpDeBlocker +dcleakers.com,esgeeks.com,pugliain.net,uplod.net,worldfreeware.com##+js(nostif, mdp) +*$script,redirect-rule=noopjs,domain=siamblockchain.com +||pugliain.net/wp-content/uploads/*.gif$image +siamblockchain.com##.headerad-desk + +! vidlo .us popups +vidlo.us##+js(aeld, , _0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59176 +brofist.io##.menuOverlay + +! https://github.com/AdguardTeam/AdguardFilters/issues/59201 +! https://github.com/uBlockOrigin/uAssets/issues/20938 +larvelfaucet.com##+js(acs, addEventListener, nextFunction) +larvelfaucet.com##+js(nosiif, visibility, 1000) +larvelfaucet.com##+js(aeld, load, block) +larvelfaucet.com##[class^="bmadblock"] +larvelfaucet.com###bottomRightFloatingAd +larvelfaucet.com##ins[style] +larvelfaucet.com##.col-12 > div[style="display: inline-block"] +larvelfaucet.com###ptcAdIframe +larvelfaucet.com##[href^="https://larvelfaucet.com/ads-"] +*$object,redirect-rule=noopframe,domain=larvelfaucet.com +@@||larvelfaucet.com/images/ad_$image,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/59206 +getdogecoins.com##+js(aopr, show_ads) +getdogecoins.com##[class^="bmadblock"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/59264 +youranshare.com##+js(acs, $, .init) + +! https://github.com/NanoMeow/QuickReports/issues/4318 +forumdz.com##+js(nostif, offsetHeight) + +! https://momzr.com popups/ads +! https://www.reddit.com/r/uBlockOrigin/comments/1466pw5/ +momzr.com##.item:has(> iframe) +*$script,3p,denyallow=fluidplayer.com|google.com|gstatic.com|googleapis.com|recaptcha.net|hcaptcha.com|hwcdn.net,domain=momzr.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/59292 +depo-program.blogspot.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/7667 +gototub.*##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59307 +quicasting.it##+js(nosiif, visibility, 1000) + +! https://forums.lanik.us/viewtopic.php?f=62&t=44910 +blasianluvforever.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59360 +wcoforever.com##+js(nostif, google_jobrunner) +wcoforever.com###sidebar_r1 +wcoforever.com##.anti-ad + +! https://forums.lanik.us/viewtopic.php?p=155699#p155699 +freewatchserialonline.com##+js(acs, XMLHttpRequest, ActiveXObject) +@@||freewatchserialonline.com^$ghide +freewatchserialonline.com##[data-zone] +*$script,3p,domain=freewatchserialonline.com,denyallow=tvlogy.to|bootstrapcdn.com|disquscdn.com|disqus.com|fbcdn.net|facebook.net|fastly.net|fastlylb.net|jquery.com|hwcdn.net|hcaptcha.com|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com|jwpcdn.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/59404 +creatur.io##+js(set, canRunAds, true) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59405 +@@||robofight.io/*/ads.js$script,1p +robofight.io##div.side-loadout-item:nth-of-type(3) +robofight.io##.home-banner + +! put-locker .com popups +put-locker.com##+js(aeld, , _0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59417 +captureflag.io###dAB + +! https://github.com/uBlockOrigin/uAssets/commit/330289c7d234e7d48f1640a67b4d8bc28dc3b2b0#commitcomment-40652348 +*$script,redirect-rule=noopjs,domain=booogle.net + +! https://github.com/NanoMeow/QuickReports/issues/4332 +ihaxk.com##+js(nosiif, visibility, 1000) +ihaxk.com##+js(acs, document.write) + +! https://github.com/NanoMeow/QuickReports/issues/4337 +watch-jav-english.live##+js(nowoif) +watch-jav-english.live##+js(aopr, __Y) +@@||watch-jav-english.live^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/59468 +tricksplit.io##+js(set, blockAdBlock, trueFunc) +tricksplit.io##p:has-text(Advertisement) +tricksplit.io##div:has(> .adsbygoogle) +tricksplit.io##div[class^="ads_longAd_"] + +! https://forums.lanik.us/viewtopic.php?f=62&t=44925 +! https://github.com/uBlockOrigin/uAssets/issues/12288 +*$script,redirect-rule=noopjs,domain=dcode.fr +@@||dcode.fr^$ghide +dcode.fr##ins.adsbygoogle +dcode.fr##div[id^="div-gpt-ad"] +@@||dcode.fr^$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/ht6fl5/popmagicpopunder_inline_script/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/59552 +*$xhr,redirect-rule=nooptext,domain=ctrlv.* +ctrlv.*##a.download[target="_blank"]:not(a[href*="ctrlv."]):remove() +! https://github.com/uBlockOrigin/uAssets/issues/20292 +ctrlv.*##+js(set, uBlockOriginDetected, false) +! https://github.com/uBlockOrigin/uAssets/issues/26657 +||protagcdn.com/s/ctrlv.cz/site.js$script,redirect=noopjs,domain=ctrlv.* +ctrlv.*##+js(no-fetch-if, doubleclick) + +! https://github.com/NanoMeow/QuickReports/issues/4346 +fikiri.net##+js(nostif, mdp) + +! https://github.com/NanoMeow/QuickReports/issues/4347 +@@||librevpn.org^$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/4348 +@@||mhktricks.org^$ghide +||mhktricks.org/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/commit/274103138906e4f6e1ca089aa8f215a1c1956a17#commitcomment-40720717 +racaty.*##+js(aopw, Fingerprint2) +racaty.*##+js(nowebrtc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59669 +iptunnels.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59678 +dramahd.me##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59683 +planet-streaming1.com##+js(nowoif) + +! imgcredit.xyz popunder +imgcredit.xyz##+js(aopr, exoJsPop101) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59697 +appsfullversion.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59703 +davidgalaxia.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59717 +anonymous-links.com##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/commit/5890988abfac492ee84c1f17d0d5d6b3a357a872#commitcomment-40749464 +! https://github.com/uBlockOrigin/uAssets/issues/20546 +pagalmovies.*,7starhd.*,jalshamoviez.*,moviesyug.net,9xupload.*,bdupload.*,desiupload.*,rdxhd1.*,w4files.ws##+js(aeld, , /_0x|localStorage\.getItem/) + +! https://github.com/NanoMeow/QuickReports/issues/2472 +@@||couponcabin.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/8532 +||video-ads-module.ad-tech.nbcuni.com/$xhr,redirect=nooptext,domain=peacocktv.com +peacocktv.com##.adsbox:remove() + +! https://github.com/AdguardTeam/AdguardFilters/issues/59772 +malaysiastock.biz##+js(aopr, google_ad_status) +malaysiastock.biz##.RightPanel_Rectangle1 + +! https://github.com/AdguardTeam/AdguardFilters/issues/59779 +*$xhr,redirect-rule=nooptext,domain=katholisches.info + +! https://github.com/AdguardTeam/AdguardFilters/issues/59797 +biopills.net##+js(aost, encodeURIComponent, inlineScript) + +! https://github.com/uBlockOrigin/uAssets/issues/10815 +! https://www.reddit.com//r/uBlockOrigin/comments/u3ob50/this_might_be_hard_to_fix/ +@@||atozmath.com^$ghide +@@||atozmath.com/Scripts/advertisement.js$xhr,1p +atozmath.com##.videoDiscovery +@@||services.bilsyndication.com/adv1/*$script,domain=atozmath.com +@@||biltag.bilsyndication.com^$script,domain=atozmath.com +@@||assets.bilsyndication.com/prebid/default/*$script,domain=atozmath.com +||assets.bilsyndication.com/plugins/*$script,redirect=noopjs,domain=atozmath.com +||a-mx.com^ +@@||ssl.google-analytics.com/ga.js$script,domain=atozmath.com +*$image,redirect-rule=2x2.png,domain=atozmath.com +*$script,redirect-rule=noopjs,domain=atozmath.com +@@||assets.bilsyndication.com/plugins/cmptcf2/cmp-v2.0.1.js$script,domain=atozmath.com +@@||services.bilsyndication.com/passback/?t=$script,domain=atozmath.com +@@||services.bilsyndication.com^$xhr,domain=atozmath.com +@@||amazon-adsystem.com/aax2/apstag.js$script,domain=atozmath.com +atozmath.com###vi-smartbanner +atozmath.com##.adsbyvli:style(opacity: 0 !important; pointer-events: none !important;) +! https://github.com/uBlockOrigin/uAssets/issues/15338 +atozmath.com##+js(set, googletag._vars_, {}) +atozmath.com##+js(set, googletag._loadStarted_, true) +atozmath.com##+js(set, googletag._loaded_, true) +atozmath.com##+js(set, google_unique_id, 1) +atozmath.com##+js(set, google.javascript, {}) +atozmath.com##+js(set, google.javascript.ads, {}) +atozmath.com##+js(set, google_global_correlator, 1) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js:5,domain=atozmath.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/59828 +planet-streaming1.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4255 +@@||translatoruser-int.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/59869 +kangkimin.com##+js(nofab) +kangkimin.com##+js(nano-sib) + +! fix anti adb +domoplus.pl,kuchniaplus.pl,miniminiplus.pl,teletoonplus.pl##+js(json-prune, ads.servers.[].apiAddress) + +! https://github.com/NanoMeow/QuickReports/issues/4375 +loadsamusicsarchives.blogspot.com##+js(aopr, AaDetector) +||weatherforecastmap.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/4371 +xxxfiles.com##+js(aopr, AaDetector) + +! https://github.com/NanoAdblocker/NanoFilters/issues/536 +toppng.com##+js(nostif, nextFunction, 250) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59924 +panjiachen.gitee.io##+js(nofab) + +! https://github.com/AdguardTeam/AdguardFilters/issues/59932 +@@||ninja.io^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/9234 +battleboats.io##+js(nofab) +battleboats.io##+js(set, adBlocker, false) +||battleboats.io/menu-overlay.html^$frame + +! Foil blocker-sniffer code on Condé Nast sites. +architecturaldigest.com,arstechnica.com,bonappetit.com,brides.com,cntraveler.com,epicurious.com,golfdigest.com,newyorker.com,pitchfork.com,self.com,teenvogue.com,vanityfair.com,vogue.com,wmagazine.com##+js(nofab) +! https://www.reddit.com/r/uBlockOrigin/comments/jvh77m/ad_blocker_detection_on_newyorkercom/ +! https://github.com/uBlockOrigin/uAssets/issues/8350 +newyorker.com##+js(set, paywallGateway.truncateContent, noopFunc) +newyorker.com##.journey-unit +newyorker.com##.paywall-registration-gate +! https://www.reddit.com/r/uBlockOrigin/comments/hwrk5l/getting_popup_when_click_on_vid_kavglecom/ +kavgle.com##[href^="https://go.vrbangers.com/"], [href^="https://asiafriendfinder.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/60012 +@@||chelseafc.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/60017 +rumahit.id##+js(acs, eval, ignielAdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60027 +@@||hexagame.io^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/60077 +! https://www.reddit.com/r/uBlockOrigin/comments/ukz7wr/need_help_with_some_popups/ +1bitspace.com##+js(acs, setTimeout, Constant) +1bit.space,1bitspace.com##+js(aopr, u_cfg) +@@||1bit.space/default/public/assets/*$script,1p +1bit.space##.active.bnsLayers.is-block-touch.is-grid +1bit.space##.bounceIn.animated.bnsLayers.is-block-touch.is-grid + +! https://github.com/NanoAdblocker/NanoFilters/issues/537#issuecomment-663771940 +friendproject.net##+js(set, adblock, false) + +! https://github.com/NanoMeow/QuickReports/issues/4384 +parispi.net##+js(aeld, DOMContentLoaded, adblock) + +! https://www.wilderssecurity.com/threads/ublock-a-lean-and-fast-blocker.365273/page-190#post-2933871 +wirralglobe.co.uk##+js(aopr, _sp_._networkListenerData) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60168 +pervertgirlsvideos.com##+js(aopr, mdp_deblocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60169 +texte.work##+js(acs, addEventListener, google_ad_client) + +! https://github.com/NanoMeow/QuickReports/issues/4391 +kioven.com##+js(aopr, LieDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/7621 +cointelegraph.com##[href^="javascript:void(0)"] +cointelegraph.com##div[class*="componentAdbutler_"] +||mercurial.cointelegraph.com^$xhr + +! https://www.t-rocforum.de/threads/fahrersitz-austauschen.2792/ anti adb +t-rocforum.de##+js(acs, $, prompt) + +! https://github.com/NanoMeow/QuickReports/issues/4398 +hyundaitucson.info##+js(rmnt, script, /adb|offsetWidth/i) +hyundaitucson.info##.display_ads + +! https://github.com/AdguardTeam/AdguardFilters/issues/60310 +*$script,redirect-rule=noopjs,domain=puressh.net + +! https://github.com/uBlockOrigin/uAssets/issues/7705 +ciudadblogger.com##+js(aeld, load, onload) + +! https://github.com/NanoMeow/QuickReports/issues/4405 +cidade.iol.pt##+js(nostif, adblock detection) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60365 +@@||tel-emporio10.blogspot.com^$ghide +*$image,redirect-rule=2x2.png,domain=tel-emporio10.blogspot.com + +! exambd. net redirection +exambd.net##+js(set-local-storage-item, lastRedirect, true) +exambd.net##+js(rmnt, script, contextmenu) +||adsux.com^ + +! quizglobal.com anti-adblock +@@||quizglobal.com^$ghide +quizglobal.com##div[ng-if="vm.showAds"] +quizglobal.com##ins.adsbygoogle + +! ke-1 .com anti adb +ke-1.com##+js(aeld, load, onload) + +! husseinezzat .com anti adb +@@||husseinezzat.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/60408 +abukabir.fawrye.com##+js(acs, addEventListener, nextFunction) + +! https://forums.lanik.us/viewtopic.php?p=155964#p155964 +@@||indianwebseries.*^$ghide +*$xhr,domain=indianwebseries.*,redirect-rule=nooptext +indianwebseries.*##^script:has-text(detect) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60388 +@@||inews.co.uk^$ghide +inews.co.uk##.thanks-3xsWr + +! https://github.com/AdguardTeam/AdguardFilters/issues/60443 +dosya.co##+js(nano-stb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60492 +*$xhr,redirect-rule=nooptext,domain=dynast.io + +! https://github.com/uBlockOrigin/uAssets/issues/7713 +deepfakeporn.net##+js(aopr, open) +deepfakeporn.net##.highlight ~ li > a[target="_blank"] +||deepfakeporn.net/contents/rest/player/deepswap_japanese + +! https://github.com/AdguardTeam/AdguardFilters/issues/60575 +brighteon.com##+js(set, adBlockDisabled, true) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60612 +iklandb.com##+js(nano-sib) +iklandb.com##.black-overlay +iklandb.com##.whitecontent + +! https://github.com/AdguardTeam/AdguardFilters/issues/60627 +@@||simply-debrid.com^$ghide +simply-debrid.com##.adsbygoogle:remove() + +! https://github.com/AdguardTeam/AdguardFilters/issues/60636 +fantacalcio.it##+js(nostif, .offsetHeight, 100) + +! https://www.reddit.com/r/uBlockOrigin/comments/i22abg/ublock_inline_tag_filtering_rule_stopped_working/ +wgzimmer.ch##+js(aopr, adBlockDetected) + +! eroticmv.com anti-adblock +eroticmv.com##+js(aopr, mdpDeBlocker) +eroticmv.com###mdp-deblocker-js-disabled + +! https://github.com/uBlockOrigin/uAssets/issues/12688 +w3schools.com###tryitLeaderboard +w3schools.com###breadcrumb + .trytopnav:style(top: 36px!important;) +w3schools.com###tryitLeaderboard + .trytopnav:style(top: 0!important;) +w3schools.com###tryitLeaderboard + #breadcrumb ~ #container:style(top: 84px!important;) +w3schools.com###tryitLeaderboard + .trytopnav ~ #dragbar + #container:style(top: 48px!important;) +w3schools.com##.trytopnav:style(top: 0!important;) +w3schools.com###tryitLeaderboard ~ #container:style(top: 48px!important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60693 +unionmanga.xyz##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60713 +vviruslove.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60734 +linksaya.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/60768 +more.tv##+js(set, blockedElement, noopFunc) +more.tv##[class^=Banner_] + +! onlinetvrecorder .com anti adb +@@||onlinetvrecorder.com^$xhr,1p + +! https://forums.lanik.us/viewtopic.php?p=156019#p156019 +*$xhr,3p,domain=movieston.com + +! https://github.com/uBlockOrigin/uAssets/issues/7731 +@@||gamejop.com/ads.js$xhr,domain=gamezop.com +gamezop.com##+js(nosiif, debugger) +gamezop.com##[data-native-ad] + +! youx .xxx popups ads +youx.xxx##+js(aeld, , _0x) +youx.xxx##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +youx.xxx##+js(set, flashvars.adv_pause_html, '') +youx.xxx##.thumb_banner +||youx.xxx/*.php| + +! https://github.com/NanoMeow/QuickReports/issues/4448 +*$script,domain=outerspace.com.br,redirect-rule=noopjs + +! awdescargas.com fake button +awdescargas.com##+js(aopw, smrtSB) + +! https://github.com/easylist/easylist/issues/5903 +deseneledublate.com##+js(acs, Math, XMLHttpRequest) +deseneledublate.com##+js(aopr, AaDetector) +deseneledublate.com##+js(nowoif) +||i.imgur.com^$domain=deseneledublate.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/60995 +unity3diy.blogspot.com##+js(nosiif, visibility, 1000) + +! sportbar .biz popups +sportbar.*##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/61065 +politico.com##.gallery-carousel-ad + +! heavy-r .com popunder / ads +heavy-r.com##+js(acs, document.createElement, insertBefore) +heavy-r.com##[class^="adzone"] + +! https://github.com/NanoMeow/QuickReports/issues/4469 +youtubetomp3.*##+js(nowoif) +youtubetomp3.*##a[href="/button.php"] + +! https://github.com/NanoMeow/QuickReports/issues/4471 +*$script,3p,denyallow=cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.net|fastlylb.net|fbcdn.net|fluidplayer.com|google.com|googleapis.com|gravatar.com|gstatic.com|hwcdn.net|jsdelivr.net|wp.com,domain=veranime.*|verhentai.* + +! https://github.com/NanoMeow/QuickReports/issues/4477 +marriedgames.com.br##+js(nostif, ai_adb) +marriedgames.com.br##.show-prompt +marriedgames.com.br##._ning_cont:has(.adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/4964 +! https://github.com/uBlockOrigin/uAssets/issues/7750 +healthline.com##aside:has(div:matches-css-before(content:/ADVERTISEMENT/)) +healthline.com##div[data-empty^="true"]:matches-css-before(content:/ADVERTISEMENT/) +healthline.com##[class*="css"]:matches-css-before(content:/ADVERTISEMENT/) +healthline.com##[href*="redirect"]:upward(section) +healthline.com##hl-adsense + +! https://community.brave.com/t/website-kept-asking-leave-site-if-i-click-cancel-it-opened-new-window-i-couldnt-even-close-brave-without-end-process/ +video1tube.com##+js(set, popit, false) +video1tube.com##+js(acs, btoa) + +! https://github.com/AdguardTeam/AdguardFilters/issues/61263 +@@||mercedesclub.cz^$ghide +mercedesclub.cz##ins.adsbygoogle, [class^="side_ad_"] + +! reddit adb tracking +@@||redditstatic.com^*/xads.js$script,domain=reddit.com + +! https://github.com/NanoMeow/QuickReports/issues/4494 +@@||overtakefans.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/4495 +brawlhalla.fr##+js(nostif, check) + +! https://github.com/uBlockOrigin/uAssets/issues/10524 +informaxonline.com##+js(no-xhr-if, googlesyndication) +informaxonline.com##+js(no-xhr-if, /ad) +informaxonline.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +informaxonline.com###wpsafe-generate, #wpsafe-link:others() + +! https://github.com/NanoMeow/QuickReports/issues/4500 +familyrenders.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/7763 +hentaifreak.org##+js(aopr, decodeURI) +hentaifreak.org##+js(aopw, onpopstate) +hentaifreak.org##+js(nostif, popState) +*.gif$image,domain=hentaifreak.org + +! https://github.com/NanoMeow/QuickReports/issues/4503 +@@||orangeobserver.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/7766 +pimylifeup.com##+js(aopr, adthrive.config) + +! https://github.com/uBlockOrigin/uAssets/issues/14883 +@@||chronicle.com/dg/default/rest/$xhr,1p +chronicle.com##.GoogleDfpAd-container + +! https://github.com/NanoMeow/QuickReports/issues/4510 +@@||vix.com^$ghide +! https://www.reddit.com/r/uBlockOrigin/comments/16309vm/doesnt_work_for_vixcom/ +! https://github.com/uBlockOrigin/uAssets/issues/21920 +vix.com##+js(json-prune, breaks interstitials info, interstitials) +vix.com##+js(xml-prune, xpath(//*[name()="Period"][.//*[name()="AdaptationSet"][@contentType="video"][not(@bitstreamSwitching="true")]]), , .mpd) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=vix.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,3p,domain=vix.com +! https://www.reddit.com/r/uBlockOrigin/comments/1fr0qa5/ublock_nukes_all_subtitles_on_vixcom/ +vix.com##+js(json-prune, ad_slots) +vix.com##+js(json-prune, plugins.dfp) +vix.com##+js(m3u-prune, lura.live/prod/, /prog.m3u8) +vix.com###video-player-track[style*="display: block"]:style(visibility: visible !important;) + +! https://github.com/NanoMeow/QuickReports/issues/4512 +animepahe.*##+js(aopw, __C) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62210 +wordcounter.icu##+js(nowoif) +@@||wordcounter.icu^$ghide +wordcounter.icu##center +wordcounter.icu##div[style*="z-index:99999"] > div[style*="width:300px"] +*$script,3p,denyallow=google.com|gstatic.com|hcaptcha.com|jsdelivr.net|recaptcha.net|googleapis.com,domain=wordcounter.icu +||uii.io^$3p + +! https://github.com/NanoMeow/QuickReports/issues/4519 +tecnotutoshd.net##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/61580 +@@||chiasenhac.vn/test_ads.html^$frame,1p + +! https://github.com/NanoMeow/QuickReports/issues/4525 +daburosubs.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/61653 +moneywar2.blogspot.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/7774 +*$script,redirect-rule=noop.js,domain=flowsoft7.com + +! https://github.com/uBlockOrigin/uAssets/issues/7775 +checkfiletype.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4415 +@@||scrapbox.io^$xhr,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/61721 +santoinferninho.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4257 +hypebeast.com##+js(nostif, ad-block-popup) + +! https://github.com/AdguardTeam/AdguardFilters/issues/61740 +izismile.com###banner_code_rotator +izismile.com##.js-banner-top + +! https://github.com/AdguardTeam/AdguardFilters/issues/61759 +dafideff.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/NanoMeow/QuickReports/issues/4530 +4players.de##+js(set, adBlockerDetected, false) + +! https://github.com/uBlockOrigin/uAssets/issues/7789 +@@||visitmama.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/4536 +! world4ufree. plus antiadblock +world4ufree.*##+js(aeld, , _0x) +world4ufree.*##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/7796 +krankheiten-simulieren.de##+js(nostif, exitTimer) + +! venusarchives .com popups + anti adb +venusarchives.com##+js(aeld, , bi()) +venusarchives.com##+js(aopr, b2a) +errotica-archives.com##+js(ra, href, [href*="ccbill"]) + +! https://forums.lanik.us/viewtopic.php?p=156214#p156214 +! https://github.com/NanoMeow/QuickReports/issues/4673 +*$script,3p,denyallow=aechannel.com|ahacdn.me|rncdn7.com|disqus.com|jsdelivr.net|jwpcdn.com|fastly.net|fastlylb.net|jquery.com|hwcdn.net|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com,domain=gayporno.fm + +! https://github.com/AdguardTeam/AdguardFilters/issues/61964 +catholic.com##+js(nostif, innerHTML.replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62098 +trentotoday.it##+js(nostif, bADBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62100 +sociadrive.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4561 +@@||prinxy.app^$ghide +prinxy.app##.native-ads-wrapper +prinxy.app##.sticky-banner + +! https://github.com/AdguardTeam/AdguardFilters/issues/62284 +angeloyeo.github.io##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4588 +annabelle.ch##+js(aopr, _sp_._networkListenerData) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62450 +csgo-ranks.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62483 +androidgreek.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/12712 +*$script,domain=ad-doge.com,redirect-rule=noopjs +ad-doge.com##+js(nostif, _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/8665 +fshost.me##+js(acs, onload, ajax) +! https://github.com/uBlockOrigin/uAssets/issues/22380 +fshost.me##+js(set, abu, falseFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62616 +tutoganga.blogspot.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62622 +pkr.pw##+js(aopr, app_vars.force_disable_adblock) +pkr.pw##+js(aopr, open) +pkr.pw##+js(set, blurred, false) +pkr.pw##.banner +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.net|fontawesome.com|google.com|gstatic.com|hwcdn.net|jquery.com|jsdelivr.net|recaptcha.net,domain=pkr.pw + +! https://github.com/AdguardTeam/AdguardFilters/issues/62636 +royalkom.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62645 +super-ethanol.com##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/18365 +dl.3dmodelshare.org##+js(acs, document.addEventListener, google_ad_client) +3dmodelshare.org##+js(nostif, data?, 4000) +3dmodelshare.org##+js(rmnt, script, deblocker) +3dmodelshare.org##div[class=""][data-locker-id]:style(display:block !important) +3dmodelshare.org##.mts-cl-wrapper +3dmodelshare.org##div.widget_anthemes_300px +3dmodelshare.org##.single-box +3dmodelshare.org##.single-728 + +! https://github.com/NanoMeow/QuickReports/issues/4598 +thingiverse.com##+js(nano-sib) +thingiverse.com##[class*="ThingPage__topAd"] +! https://github.com/uBlockOrigin/uAssets/issues/21961 +thingiverse.com##[class^="ItemCardContainer__itemCard"]:has(> [title="Advertisement"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62686 +surf-trx.com##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/7848 +responsivevoice.org##.cp-modal-popup-container:remove() + +! https://github.com/AdguardTeam/AdguardFilters/issues/62793 +samapkstore.com##+js(nosiif, visibility, 1000) +samapkstore.com##+js(nano-sib, countDown) + +! https://github.com/NanoMeow/QuickReports/issues/4604 +th-cam.com##+js(aopw, HTMLElement.prototype.insertAdjacentHTML) +th-cam.com##pp + +! https://github.com/NanoMeow/QuickReports/issues/4608 +jacksorrell.tv##+js(acs, jQuery, adblocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62833 +||tinypass.com^$domain=thechive.com + +! https://github.com/uBlockOrigin/uAssets/issues/12296 +9xmovies.*##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62854 +cgtips.org##+js(rmnt, script, /adblock|var Data.*];/) +link.cgtips.org##+js(acs, addEventListener, google_ad_client) +link.cgtips.org##+js(set, countdown, 0) +cgtips.org##div[class*="better-ads-listitemad"]:remove() + +! https://github.com/uBlockOrigin/uAssets/issues/7860 +saradahentai.com,hentaiarena.com##+js(aopr, document.dispatchEvent) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62802 +eddiekidiw.com##+js(acs, $, _ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62803 +blkom.com##+js(set, blockAdBlock._options.baitClass, null) + +! gratispaste.com popup +gratispaste.com##+js(aopr, AdservingModule) +gratispaste.com##+js(aopr, _pop) +gratispaste.com##.content > center +9xlinks.site##+js(aeld, DOMContentLoaded, adlinkfly) +||za.gl^$script,3p +*$script,3p,denyallow=googleapis.com,domain=gratispaste.com + +! https://github.com/NanoMeow/QuickReports/issues/4612 +clipartmax.com##+js(nano-stb) + +! https://github.com/uBlockOrigin/uAssets/issues/7850 +imagenesderopaparaperros.com##+js(acs, String.fromCharCode, 'shift') +imagenesderopaparaperros.com##+js(aopr, app_vars.force_disable_adblock) +imagenesderopaparaperros.com##+js(set, blurred, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/62910 +shortenbuddy.com##+js(nosiif, visibility, 1000) +shortenbuddy.com##+js(nano-sib, downloadTimer) +shortenbuddy.com##+js(aopr, app_vars.force_disable_adblock) +shortenbuddy.com##+js(nowoif) +shortenbuddy.com##+js(set, blurred, false) +shortenbuddy.com##.banner +shortenbuddy.com##.cus-dalert +shortenbuddy.com##.custom-adbox +shortenbuddy.com##.custom-shadow.custom-border-color.alert-danger.alert +shortenbuddy.com###noNeed,#noNeedTwo +shortenbuddy.com###nextBTNH:style(display: block !important;) +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.net|fontawesome.com|google.com|gstatic.com|hwcdn.net|jquery.com|jsdelivr.net|recaptcha.net,domain=shortenbuddy.com +@@||shortenbuddy.com^$script,1p +||mylead.global^$3p,domain=shortenbuddy.com + +! https://www.reddit.com/r/uBlockOrigin/comments/owl9hp/antiadblock_in_freewebcourses/ +freewebcart.com##+js(aost, Math, showModal) +freewebcart.com##+js(rmnt, script, var Data) + +! https://www.reddit.com/r/uBlockOrigin/comments/il64iy/cant_get_rid_of_popups_on_a_couple_different_sites/ +wootly.ch##+js(disable-newtab-links) + +! https://github.com/uBlockOrigin/uAssets/issues/15840 +javhdporn.net###player_3x2_container_inner +javhdporn.net##+js(set, clientSide.adbDetect, noopFunc) +javhdporn.net##iframe[title="offer"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/62959 +techinferno.com##+js(nostif, eabpDialog) + +! https://github.com/AdguardTeam/AdguardFilters/issues/63011 +xup.in##+js(nostif, clientHeight) +xup.in##div[style="width:728px; overflow:hidden; height:90px;"] +xup.in##div[style="width:300px;height:250px;position:relative;overflow:hidden;"] +xup.in##fieldset#option:nth-of-type(1) > [href^="https://www.xup.in/blog/"] +||sexei.net^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/63027 +adeth.cc##+js(nosiif, visibility, 1000) + +! comicbook.com header-banner +! https://github.com/uBlockOrigin/uAssets/issues/14131 +comicbook.com##body > header:style(top:0 !important) +comicbook.com##body.pcm-public:style(margin-top: 84px !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/63074 +submitclimb.com##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/15495 +nulleb.com##+js(rmnt, script, deblocker) +*$xhr,redirect-rule=nooptext,domain=nulleb.com + +! voe.sx +! https://github.com/uBlockOrigin/uAssets/issues/20207 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=alleneconomicmatter.com|bethshouldercan.com|bradleyviewdoctor.com|brittneystandardwestern.com|brookethoughi.com|brucevotewithin.com|cindyeyefinal.com|donaldlineelse.com|edwardarriveoften.com|erikcoldperson.com|evelynthankregion.com|graceaddresscommunity.com|heatherdiscussionwhen.com|housecardsummerbutton.com|jamessoundcost.com|jamesstartstudent.com|jamiesamewalk.com|jasminetesttry.com|jasonresponsemeasure.com|jayservicestuff.com|jessicaglassauthor.com|johntryopen.com|josephseveralconcern.com|kathleenmemberhistory.com|kennethofficialitem.com|lisatrialidea.com|lorimuchbenefit.com|loriwithinfamily.com|lukecomparetwo.com|markstyleall.com|michaelapplysome.com|morganoperationface.com|nonesnanking.com|paulkitchendark.com|phenomenalityuniform.com|prefulfilloverdoor.com|rebeccaneverbase.com|roberteachfinal.com|robertordercharacter.com|robertplacespace.com|ryanagoinvolve.com|sandratableother.com|sandrataxeight.com|seanshowcould.com|sethniceletter.com|shannonpersonalcost.com|sharonwhiledemocratic.com|susanhavekeep.com|toddpartneranimal.com|vincentincludesuccessful.com|voe.sx,important +alleneconomicmatter.com,bethshouldercan.com,bradleyviewdoctor.com,brittneystandardwestern.com,brookethoughi.com,brucevotewithin.com,cindyeyefinal.com,donaldlineelse.com,edwardarriveoften.com,erikcoldperson.com,evelynthankregion.com,graceaddresscommunity.com,heatherdiscussionwhen.com,housecardsummerbutton.com,jamessoundcost.com,jamesstartstudent.com,jamiesamewalk.com,jasminetesttry.com,jasonresponsemeasure.com,jayservicestuff.com,jessicaglassauthor.com,johntryopen.com,josephseveralconcern.com,kathleenmemberhistory.com,kennethofficialitem.com,lisatrialidea.com,lorimuchbenefit.com,loriwithinfamily.com,lukecomparetwo.com,markstyleall.com,michaelapplysome.com,morganoperationface.com,nonesnanking.com,paulkitchendark.com,phenomenalityuniform.com,prefulfilloverdoor.com,rebeccaneverbase.com,roberteachfinal.com,robertordercharacter.com,robertplacespace.com,ryanagoinvolve.com,sandratableother.com,sandrataxeight.com,seanshowcould.com,sethniceletter.com,shannonpersonalcost.com,sharonwhiledemocratic.com,susanhavekeep.com,toddpartneranimal.com,vincentincludesuccessful.com,voe.sx##+js(nowoif) +alleneconomicmatter.com,apinchcaseation.com,bethshouldercan.com,bigclatterhomesguideservice.com,bradleyviewdoctor.com,brittneystandardwestern.com,brookethoughi.com,brucevotewithin.com,cindyeyefinal.com,denisegrowthwide.com,donaldlineelse.com,edwardarriveoften.com,erikcoldperson.com,evelynthankregion.com,graceaddresscommunity.com,heatherdiscussionwhen.com,housecardsummerbutton.com,jamessoundcost.com,jamesstartstudent.com,jamiesamewalk.com,jasminetesttry.com,jasonresponsemeasure.com,jayservicestuff.com,jessicaglassauthor.com,johntryopen.com,josephseveralconcern.com,kennethofficialitem.com,lisatrialidea.com,lorimuchbenefit.com,loriwithinfamily.com,lukecomparetwo.com,markstyleall.com,michaelapplysome.com,morganoperationface.com,nectareousoverelate.com,paulkitchendark.com,paulkitchendark.com,rebeccaneverbase.com,roberteachfinal.com,robertordercharacter.com,robertplacespace.com,ryanagoinvolve.com,sandratableother.com,sandrataxeight.com,seanshowcould.com,sethniceletter.com,shannonpersonalcost.com,sharonwhiledemocratic.com,stevenimaginelittle.com,strawberriesporail.com,susanhavekeep.com,timberwoodanotia.com,tinycat-voe-fashion.com,toddpartneranimal.com,troyyourlead.com,uptodatefinishconference.com,uptodatefinishconferenceroom.com,vincentincludesuccessful.com,voe.sx##+js(set, console.clear, undefined) +||rochestertrend.com^$all +||badshores.com^$all +||facesnotebook.com^$all +||highrevenuecpm.com^$all + +! https://github.com/NanoMeow/QuickReports/issues/4640 +*$script,3p,redirect-rule=noopjs,domain=staples.ca + +! ohentai.org popup ads +ohentai.org##[class^="detail"][class*="iframecontainer"] +ohentai.org##[class^="listleaderboardcontainer"] +ohentai.org##.videobrick:has(> .videoadintro) +ohentai.org##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/8988 +hentaicloud.com##+js(aeld, click, open) +hentaicloud.com##+js(set, decodeURI, noopFunc) +hentaicloud.com##+js(aopr, TotemToolsObject) +hentaicloud.com##+js(aopr, AaDetector) +hentaicloud.com##.vertical-ads-content +hentaicloud.com##.ad:upward(.horizontal-ads-content) +hentaicloud.com##section.videos-content:has(.thumbnail > a[href^="https://www.nutaku.net/signup/landing/"]) + +! javdoe.to/javtc.fun popup ads +player.javtc.*###preroll +javfree.la,javfree.sh,javtc.*,javthe.com##[style^="height: 250px;overflow"] +*$script,3p,denyallow=cdndoe.xyz|cloudflare.com|doecdn.me|googleapis.com,domain=javthe.com|javfree.* +*$script,3p,domain=javdoe.to|javtc.* +||pub.javwide.com^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/128820 +javbangers.com##+js(acs, document.addEventListener, initBCPopunder) +javbangers.com##+js(acs, readCookieDelit) +javbangers.com##+js(acs, onload, puHref) +javbangers.com##+js(set, flashvars.adv_pre_vast, '') +javbangers.com##+js(set, flashvars.adv_postpause_vast, '') +javbangers.com##div.opt +*$script,3p,denyallow=fastly.net|google.com|googleapis.com|gstatic.com|h-cdn.com,domain=javbangers.com + +! https://netfapx.com popup +netfapx.com##+js(set, univresalP, noopFunc) +netfapx.com##[id^="ads-position"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/63198 +bikemania.org##[id^="blocker-modal-"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/63208 +apksvip.com##+js(aopr, app_vars.force_disable_adblock) +apksvip.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/10280 +linuxsecurity.com##+js(aeld, load, nextFunction) +linuxsecurity.com##.ad_prev_main + +! https://github.com/NanoMeow/QuickReports/issues/4644 +loader.to##+js(aopr, open) + +! https://github.com/AdguardTeam/AdguardFilters/issues/63362 +lookcam.*##+js(set, canRunAds, true) +lookcam.*##div.prefix-adlabel + +! https://www.reddit.com/r/uBlockOrigin/comments/ioi83o/how_to_block_this_add/ +*$script,3p,denyallow=cloudflare.com|cloudflare.net|fastly.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|jsdelivr.net|recaptcha.net,domain=manga4life.com +*$frame,script,3p,denyallow=cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|jsdelivr.net|fastly.net|recaptcha.net,domain=mangasee123.com + +! https://github.com/NanoMeow/QuickReports/issues/4657 +realityblurb.com##+js(aopr, HTMLIFrameElement) + +! https://github.com/AdguardTeam/AdguardFilters/issues/63447 +drphil.com##+js(set, canRunAds, true) +drphil.com##.adBanner:style(height:1px !important) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=drphil.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/63517 +iade.com##+js(aopr, adBlockDetected) + +! https://github.com/NanoMeow/QuickReports/issues/4670 +masihbelajar.com##[id*="ScriptRoot"] + +! https://github.com/NanoMeow/QuickReports/issues/4672 +||unknowncheats.me/forum/images/*ban$image +unknowncheats.me##center:has-text(sponsored) + +! https://github.com/uBlockOrigin/uAssets/issues/7895 +*$script,3p,denyallow=bootstrapcdn.com|disqus.com|jsdelivr.net|jwpcdn.com|fastly.net|fastlylb.net|jquery.com|hwcdn.net|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com|facebook.net,domain=pendujatt.net + +! https://github.com/NanoMeow/QuickReports/issues/4676 +4allprograms.me##+js(nostif, ai_adb) + +||bitfun.co^$3p +||bitsroll.com^$3p +||btcclicks.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/10215 +swift4claim.com##+js(nosiif, visibility, 1000) +swift4claim.com##.overlay2 +swift4claim.com##.overlay +swift4claim.com##ins[class][style="display:inline-block;width:728px;height:90px;"] +swift4claim.com##ins[class][style="display:inline-block;width:300px;height:250px;"] +swift4claim.com##div[style="width:300px; height: 250px;"] +swift4claim.com##.overflow + +! https://github.com/AdguardTeam/AdguardFilters/issues/63599 +best-shopme.com##+js(nosiif, visibility, 1000) +best-shopme.com##+js(aopr, noAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/7898 +newsbomb.gr##.banner-area + +! https://www.reddit.com/r/uBlockOrigin/comments/iqot5a/unable_to_fully_remove_disable_adblocker_message/ +ibeconomist.com##+js(nostif, adsense) + +! https://github.com/AdguardTeam/AdguardFilters/issues/63631 +getitfree.cn##+js(acs, document.getElementById, .style) + +! https://github.com/uBlockOrigin/uAssets/issues/7900 +*$script,3p,domain=webmusic.* +/^https:\/\/(?:cdn77\.)?aj[0-9a-z]{2}\d{2}\.online\/[0-9a-z]{8}\.js$/$script,3p,to=online +/^https:\/\/(?:cdn77\.)?aj[0-9a-z]{2}\d{2}\.bid\/[0-9a-z]{8}\.js$/$script,3p,to=bid +/^https:\/\/(?:cdn77\.)?aj[0-9a-z]{2}\d{2}\.online\/[-_0-9A-Za-z]{70,}$/$frame,3p,to=online +/^https:\/\/(?:cdn77\.)?aj\d{4}\.bid\/[-_0-9A-Za-z]{80,}\?/$xhr,3p,to=bid + +! https://github.com/uBlockOrigin/uAssets/pull/7901 +smallpocketlibrary.com##+js(aopr, adBlockDetected) + +! iinbinlist.com/osqa.net/vanhawks.com anti-adb +*$xhr,redirect-rule=nooptext,domain=iinbinlist.com|osqa.net|vanhawks.com + +! https://github.com/NanoMeow/QuickReports/issues/4688 +@@||pixel.adsafeprotected.com^$xhr,domain=teleboy.ch + +! https://github.com/uBlockOrigin/uAssets/issues/7904 +texture-packs.com##+js(no-xhr-if, adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/63772 +allywebsite.com##+js(aopr, mdpDeBlocker) + +! https://bookriot.com/agatha-christie-movies/ ad-reinsertion +bookriot.com##+js(nostif, /Adblock|_ad_/) +bookriot.com###top_fold[style="display:flex !important;"]:style(min-height: 0px !important; transition: all 0s ease 0s !important;) +bookriot.com##.inside-content-promo-container + +! https://github.com/NanoMeow/QuickReports/issues/4693 +@@||databaseitalia.it^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/63878 +||cdn.rawgit.com^*/wdbloogablock.js$script + +! https://github.com/NanoMeow/QuickReports/issues/4700 +! https://github.com/uBlockOrigin/uAssets/issues/16784 +@@||ufreegames.com^$ghide +||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ufreegames.com,redirect=google-ima.js +ufreegames.com##.spo +ufreegames.com##+js(nano-sib) + +! https://github.com/NanoMeow/QuickReports/issues/4702 +pngio.com##+js(aopr, LieDetector) +*$script,3p,denyallow=cleanpng.com|kisspng.com|disqus.com|disquscdn.com|jsdelivr.net|jwpcdn.com|fastly.net|fastlylb.net|jquery.com|hwcdn.net|hcaptcha.com|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com|facebook.net,domain=pngio.com + +! https://github.com/NanoMeow/QuickReports/issues/4706 +cpomagazine.com##+js(aopr, advads_passive_groups) + +! https://forums.lanik.us/viewtopic.php?f=62&t=45101 +! https://github.com/uBlockOrigin/uAssets/issues/22342 +pholder.com##.AdSenseAboveFoldResponsive +pholder.com##section:has(.OUTBRAIN) +pholder.com##div[style$="margin-bottom:10px"]:has(.OUTBRAIN) +pholder.com##div[class]:has(div[class] > iframe[src^="https://chaturbate.com/in/"]) +pholder.com##section:has(div[href^="https://chaturbate.com/in/"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/63977 +tw-hkt.blogspot.com##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/7792#issuecomment-693598611 +! https://github.com/uBlockOrigin/uAssets/issues/9087 +*$script,redirect-rule=noopjs,domain=speedtesting.herokuapp.com|excelviewer.herokuapp.com|exifviewer.herokuapp.com|pdfrecover.herokuapp.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/64013 +hugo3c.tw##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/64027 +4cash.me##+js(aopr, app_vars.force_disable_adblock) +4cash.me##+js(set, blurred, false) +4cash.me##.banner +*$frame,denyallow=google.com|recaptcha.net,domain=4cash.me +*$script,3p,denyallow=google.com|googleapis.com|gstatic.com|recaptcha.net,domain=4cash.me + +! https://github.com/uBlockOrigin/uAssets/issues/7923 +cookpad.com###modals +cookpad.com##body:style(overflow:auto !important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/64099 +namaidani.com##+js(aopr, app_vars.force_disable_adblock) +namaidani.com##+js(aopr, open) +namaidani.com##+js(set, blurred, false) +namaidani.com##.blog-item +*$3p,frame,script,denyallow=google.com|gstatic.com|recaptcha.net|hcaptcha.com,domain=namaidani.com + +! https://www.reddit.com/r/uBlockOrigin/comments/iutig2/is_it_possible_to_remove_this_paywall_blocking/ +recordonline.com##+js(set, _sp_.msg.displayMessage, noopFunc) + +! doramasyt.com monoschinos.com ads +doramasyt.com,monoschinos.com##+js(aopr, GLX_GLOBAL_UUID_RESULT) +*$script,3p,denyallow=cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|gstatic.com|jwpcdn.com|jwplatform.com,domain=doramasyt.com|monoschinos.com + +! https://www.reddit.com/r/uBlockOrigin/comments/iv4tk5/what_to_do_when_site_doesnt_allow_us_to_view_the/ +ktm2day.com##+js(aopr, mdpDeBlocker) + +! https://github.com/NanoMeow/QuickReports/issues/4724 +xxxdan.com##+js(aopr, document.head.appendChild) +xxxdan.com##*:matches-css-after(content:/Advertisement/i) + +! https://www.reddit.com/r/uBlockOrigin/comments/ivh48g/ads_passing_through_from_a_weird_domain/ +linuxhint.com,thekitchenmagpie.com##+js(acs, Math, adthrive) + +! https://github.com/AdguardTeam/AdguardFilters/issues/64220 +bonobono.com##.custom-html-widget + +! https://github.com/uBlockOrigin/uAssets/pull/7930 +makefreecallsonline.com##+js(rmnt, script, onerror) + +! https://github.com/NanoMeow/QuickReports/issues/4729 +businesstimes.com.sg##.overlayWhite +businesstimes.com.sg##html:style(overflow-y: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/7933 +camclips.tv##+js(acs, onload) +camclips.tv##+js(aopr, console.clear) +camclips.tv##+js(aeld, , pop) +camclips.tv##+js(aeld, , Pop) +camclips.tv##+js(set, flashvars.adv_pause_html, '') +camclips.tv##+js(set, flashvars.popunder_url, undefined) +camclips.tv##[href^="https://go.strpjmp.com"] +camclips.tv##[src^="https://camclips.tv/player/html.php?aid"] +camclips.tv##div.cbchat +camclips.tv##.box.rltd +camclips.tv##.table + +! https://github.com/AdguardTeam/AdguardFilters/issues/64318 +! https://github.com/uBlockOrigin/uAssets/issues/8386 +shortzzy.*##+js(aopr, app_vars.force_disable_adblock) +shortzzy.*##+js(nowoif) +shortzzy.*##+js(nostif, ai_adb) +shortzzy.*##+js(nosiif, visibility, 1000) +shortzzy.*##+js(set, blurred, false) +shortzzy.*##.banner +shortzzy.*##.box-main > center > a[href][target="_blank"] +shortzzy.*##.navbar-right.navbar-nav.nav +shortzzy.*##.btnlink +*$script,3p,denyallow=cloudflare.com|codepen.io|consensu.org|google.com|googleapis.com|gstatic.com|hcaptcha.com|recaptcha.net,domain=shortzzy.* + +! https://forums.lanik.us/viewtopic.php?p=156621#p156621 +rojadirecta.*##+js(nowoif) +shazysport.pro,streamhd247.info##+js(json-prune, *, *.adserverDomain) +neymartv.net,streamhd247.info##+js(rmnt, script, popundersPerIP) +forgepattern.net,sportsonline.si##+js(acs, JSON.parse, atob) + +! https://www.reddit.com/r/uBlockOrigin/comments/iwwxxq/prevent_popups/ +dosya.tc##+js(nowoif, !dosya, 1) + +! jocooks .com nasty ads +jocooks.com##+js(aopw, HTMLElement.prototype.insertAdjacentHTML) + +! https://github.com/NanoMeow/QuickReports/issues/4735 +@@||cartoonbrew.com^$ghide +cartoonbrew.com##.ad-inner + +! https://github.com/uBlockOrigin/uAssets/issues/10155 +purposegames.com##+js(nostif, googletag) +*$script,redirect-rule=noopjs,domain=purposegames.com +purposegames.com##.adlabel + +##[href^="//cadsecs.com/"] +##[href^="//clk.afftracks.online/"] +##[href^="https://wap4dollar.com/ad/nonadult/serve.php"] +##[href^="//ad.jetx.info/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/iv6z4j/want_to_learn_how_to_stop_redirects_example/ +*$script,3p,denyallow=fbcdn.net|facebook.net|fastly.net|fastlylb.net|jquery.com|hwcdn.net|hcaptcha.com|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com|wp.com|chatango.com,domain=fullmatchtv.com +fullmatchtv.com##.belowpost + +! https://github.com/uBlockOrigin/uAssets/issues/7944 +highporn.net##+js(acs, addEventListener, -0x) +highporn.net##+js(aopr, jsUnda) +*$script,3p,denyallow=chatango.com|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|jquery.com|jsdelivr.net|jwpcdn.com|recaptcha.net|wp.com,domain=highporn.net +highporn.net##.in-video-1 +highporn.net##.fel-playclose +||highporn.net/js/aapp.js + +! megadede. mobi, movidy. net popups, ads +megadede.*##.fake_player, #tab-ad +megadede.*##.les-title:has-text(HD) +megadede.*##[href="#tab-ad"] +movidy.*##+js(nowoif) + +! https://github.com/NanoMeow/QuickReports/issues/4746 +conservativeus.com##+js(aopw, gothamBatAdblock) + +! asiansex.life ads +asiansex.life##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +asiansex.life###spot-holder + +! https://www.reddit.com/r/uBlockOrigin/comments/j0dy4q/ +sinfoniarossini.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/88037 +thepoorcoder.com##+js(aopr, adblockDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/7962 +! https://www.reddit.com/r/uBlockOrigin/comments/15uh8g0/city_tv_being_blocked_again/ +@@||citytv.com^$ghide +citytv.com##+js(no-xhr-if, wp-json/rsm-adutil, true) + +! brave issue google funding +globo.com,latimes.com##+js(nostif, f.parentNode.removeChild(f), 100) +! https://github.com/uBlockOrigin/uAssets/issues/23957 +@@||googletagmanager.com/gtm.js$script,domain=globo.com +globo.com##+js(trusted-set-cookie, _ga, GA1.1.000000000.1900000000, , , domain, globo.com) + +! https://github.com/uBlockOrigin/uAssets/issues/7972 +*$script,3p,denyallow=fastly.net|fastlylb.net|jquery.com|hwcdn.net|hcaptcha.com|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com,domain=13x4.com + +! https://github.com/uBlockOrigin/uAssets/issues/7973 +camsclips.*##+js(nostif, innerText, 2000) +camsclips.*##.place + +! https://github.com/AdguardTeam/AdguardFilters/issues/64800 +claimrbx.gg##+js(nostif, swal, 500) + +! https://github.com/AdguardTeam/AdguardFilters/issues/64893 +perelki.net##+js(nostif, keepChecking, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/64906 +gomaainfo.com##+js(acs, addEventListener, google_ad_client) +||exe.io^$3p + +! https://github.com/NanoMeow/QuickReports/issues/4776 +robot-forum.com##+js(acs, $, offsetHeight) + +! https://www.reddit.com/r/uBlockOrigin/comments/j4cn9h/antiad_blocker_for_homedecorationecom/ +@@||homedecoratione.com^$ghide +homedecoratione.com##ins.adsbygoogle + +! https://github.com/NanoMeow/QuickReports/issues/4787 +androidtunado.com.br##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/64978 +wristreview.com##+js(aopw, ai_front) + +! https://github.com/uBlockOrigin/uAssets/issues/7998 +standardmedia.co.ke##+js(aopr, canRunAds) + +! https://github.com/AdguardTeam/AdguardFilters/issues/65006 +*$script,redirect-rule=noopjs,domain=downloadrepack.com +downloadrepack.com###footer-widgets > .container-inner > .group.hu-pad + +! https://github.com/uBlockOrigin/uAssets/issues/8001 +vpn-anbieter-vergleich-test.de##+js(nowoif) +||vpn-anbieter-vergleich-test.de/link/$frame,1p +vpn-anbieter-vergleich-test.de##+js(nostif, openPopup) + +! https://github.com/AdguardTeam/AdguardFilters/issues/65058 +midiextreme.com##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4792 +@@||thedelimagazine.com^$ghide + +! https://github.com/NanoMeow/QuickReports/issues/4793 +tecnobillo.com##+js(nostif, check) +tecnobillo.com##.tecnobillo-ad-wrapper-wrapper + +! xtits.com/xxx pre-roll ads +xtits.*##+js(set, flashvars.adv_start_html, '') +xtits.*##+js(set, flashvars.adv_pause_html, '') +xtits.*##.adv-title +xtits.*##.table +xtits.*##.spot-holder +*$frame,script,3p,denyallow=ahacdn.me|bimbolive.com|cloudflare.net,domain=xtits.* +||xtits.*^$csp=script-src * 'unsafe-inline' +||xtits.*/static/js/custom.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/65120 +acapellas.eu##+js(acs, addEventListener, google_ad_client) + +! descarga.xyz popup ads +descarga.xyz##+js(aopr, AaDetector) +descarga.xyz##+js(aopw, atOptions) +descarga.xyz##+js(aopw, smrtSB) +descarga.xyz##.code-block-1.code-block +*$script,3p,domain=descarga.xyz,denyallow=arc.io + +! https://github.com/AdguardTeam/AdguardFilters/issues/65163 +file-converter-online.com##.lead-responsive +file-converter-online.com##.clearfix.entry > small +file-converter-online.com##div[style^="margin-top:10px;min-height:250px"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/65205 +urbanmilwaukee.com##+js(set, canRunAds, true) +urbanmilwaukee.com###fancybox-container-1 +urbanmilwaukee.com##body:style(overflow:auto !important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/65211 +tellygossips.net##+js(nosiif, visibility, 1000) + +! https://github.com/NanoMeow/QuickReports/issues/4794 +ilclubdellericette.it##+js(nostif, mdpDeBlocker) + +! https://github.com/uBlockOrigin/uAssets/issues/24515 +emuenzen.de##+js(rmnt, script, replace) +emuenzen.de##+js(nostif, prompt, 1000) +emuenzen.de##a[href*="sjv.io"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/65335 +epidemia-koronawirus.pl###sgpb-popup-dialog-main-div-wrapper +epidemia-koronawirus.pl##.sgpb-popup-overlay + +! https://github.com/NanoMeow/QuickReports/issues/4812 +*$script,redirect-rule=noopjs,domain=seotechman.com + +! https://github.com/NanoMeow/QuickReports/issues/4816 +nurgsm.com##+js(nostif, ai_adb) + +! https://forums.lanik.us/viewtopic.php?p=156945#p156945 +newsiqra.com##+js(nosiif, visibility, 1000) +newsiqra.com##+js(acs, XMLHttpRequest, null) + +! https://github.com/uBlockOrigin/uAssets/issues/8020 +teknomuda.com##+js(aopr, app_vars.force_disable_adblock) +teknomuda.com##+js(set, blurred, false) +teknomuda.com##+js(acs, addEventListener, google_ad_client) +teknomuda.com##p > a[href][target="_blank"] +teknomuda.com###wpsafe-snp:style(display: block !important;) +teknomuda.com###wpsafe-generate:style(display: block !important;) +teknomuda.com##*:has(#wpsafe-wait1):not(:has(#wpsafe-snp)) +teknomuda.com##*:has(+ div[align="center"] button.btn) + +! nsfw popups gayvidsclub .com +gayvidsclub.com##+js(nowoif) +||facilitategovernor.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/65452 +*$script,redirect-rule=noopjs,domain=markiza.sk + +! https://github.com/uBlockOrigin/uAssets/issues/5486 +infomaniakos.*##+js(set, btoa, null) + +! https://github.com/AdguardTeam/AdguardFilters/issues/65459 +shorttey.*##+js(aopr, app_vars.force_disable_adblock) +shorttey.*##+js(aopr, open) +shorttey.*##+js(aopw, adcashMacros) +shorttey.*##+js(aost, Math.random, t.pt) +shorttey.*##+js(json-prune, clickAnywhere urls) +shorttey.*##+js(set, blurred, false) +shorttey.*##+js(set, canRunAds, true) +shorttey.*##.short +shorttey.*###link-view > center > [href] +*$script,3p,denyallow=cloudflare.com|cloudflare.net|google.com|gstatic.com|jsdelivr.net|hcaptcha.com|recaptcha.net,domain=shorttey.* +||shorttey.*/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/8026 +*$script,3p,denyallow=cdn77.org|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|google.com|googleapis.com|gstatic.com|hcaptcha.com|hwcdn.net|instagram.com|jquery.com|jsdelivr.net|jwpsrv.com|plyr.io|twimg.com|twitter.com|recaptcha.net|wp.com|x.com,domain=hdmovieplus.* + +! https://github.com/NanoMeow/QuickReports/issues/4834 +*$script,redirect-rule=noopjs,domain=linuxgizmos.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/65438 +grab.tc##+js(aopr, NoAdBlock) +grab.tc##[href^="https://youhodler.g2afse.com/"] +grab.tc##.brave + +! https://github.com/AdguardTeam/AdguardFilters/issues/65511 +dota2freaks.com##+js(nosiif, visibility, 1000) + +! https://www.reddit.com/r/uBlockOrigin/comments/jbzc6g/ublock_not_getting_through_blockadblock/ +how2pc.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/65671 +livingincebuforums.com##+js(nostif, .offsetHeight) +livingincebuforums.com##[id^="nbAdWidget"] +livingincebuforums.com##[data-blockid*="AdsWidget"] + +! https://github.com/uBlockOrigin/uAssets/issues/8068 +tio.ch##+js(aeld, error) +tio.ch##+js(ra, href, a[href*="/ads.php"][target="_blank"]) +@@||tio.ch^$ghide +tio.ch##.ad + +! https://github.com/uBlockOrigin/uAssets/issues/8042 +javfull.net##+js(nosiif, _0x) +javfull.net###wrapfabtest:style(height:1px !important;width:1px !important) + +! nsfw xxgasm .com popups ads +xxgasm.com##+js(aopr, decodeURI) +*$script,3p,denyallow=cdn77.org|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|fluidplayer.com|google.com|googleapis.com|gstatic.com|hwcdn.net|hcaptcha.com|instagram.com|jquery.com|jsdelivr.net|jwpcdn.com|jwpsrv.com|plyr.io|twimg.com|twitter.com|recaptcha.net|wankgod.com|wp.com|x.com,domain=xxgasm.com + +! nsfw kfapfakes .com popups ads +kfapfakes.com##+js(aopr, decodeURI) +kfapfakes.com##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) + +! nsfw xsober .com ads popups +xsober.com##+js(aopr, decodeURI) +*$script,3p,denyallow=bootstrapcdn.com|cdn77.org|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|fluidplayer.com|google.com|googleapis.com|gstatic.com|hwcdn.net|hcaptcha.com|instagram.com|jquery.com|jsdelivr.net|jwpcdn.com|jwpsrv.com|plyr.io|twimg.com|twitter.com|recaptcha.net|wp.com|x.com,domain=xsober.com + +! nsfw sexsaoy .com ads popups +sexsaoy.com##+js(aopr, decodeURI) +*$script,3p,denyallow=cdn77.org|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|fluidplayer.com|google.com|googleapis.com|gstatic.com|hwcdn.net|hcaptcha.com|instagram.com|jquery.com|jsdelivr.net|jwpcdn.com|jwpsrv.com|plyr.io|twimg.com|twitter.com|recaptcha.net|wp.com|x.com,domain=sexsaoy.com +##[href^="https://go.rdrjmp.com/"] + +! img4fap. club popups ads +img4fap.*##+js(aopr, decodeURI) +*$script,3p,denyallow=cdn77.org|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|fluidplayer.com|google.com|googleapis.com|gstatic.com|hwcdn.net|hcaptcha.com|instagram.com|jquery.com|jsdelivr.net|jwpcdn.com|jwpsrv.com|plyr.io|twimg.com|twitter.com|recaptcha.net|wp.com|x.com,domain=img4fap.* +/tghr.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/6628 +abandonmail.com##+js(nostif, offsetHeight) +abandonmail.com##+js(aopr, indexedDB.open) + +! kissanime. nz scammy 3p scripts +kissanime.*###upgrade_pop +embed.streamx.me##+js(noeval-if, debugger) +||kissanime.*/api/pop*$xhr,1p +||kissasian.*/api/pop.php$xhr,1p +||ad.kissasian.*^$script,1p +||kisscartoon.*/api/pop.php$xhr,1p +||ad.kisscartoon.*^$script,1p + +##[href^="https://www.safestcontentgate.com/"] + +! https://github.com/uBlockOrigin/uAssets/commit/ebc17ccb4d31c16f64ee9fb85e526babb9533d98#commitcomment-43341473 +filmyzilla.*##[href^="https://ak.hetadinh.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/65864 +weviral.org##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/20980 +! https://www.reddit.com/r/uBlockOrigin/comments/1504iyi/paperzonevncom_how_to_bypass_adblockblocker/ +paperzonevn.com##+js(set, xv_ad_block, 0) +paperzonevn.com##+js(aeld, visibilitychange) +paperzonevn.com##+js(nostif, ()=>{) + +! popups tits-guru .com +tits-guru.com##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/jebak1/lomcn_detects_ublock/ +lomcn.org##+js(acs, $, samAdBlockAction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/66008 +popno-tour.net##+js(nostif, innerText, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/10366 +@@||asianbookie.com^$script,1p +forums.asianbookie.com##.topics > table > tbody > tr > td > table > tbody > tr > .topicrowdate +||asianbookie.com/displaytable.cfm?tablename=cslodds$frame +asianbookie.com##a[href^="/cgi-bin/to.cgi"] + +! elitetorrent.com popup +elitetorrent.*##+js(aopw, adcashMacros) +*$script,3p,denyallow=cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|fastlylb.net|google.com|googleapis.com|gstatic.com|fontawesome.com|jsdelivr.net,domain=elitetorrent.* + +! https://github.com/AdguardTeam/AdguardFilters/issues/66096 +siz.tv##+js(set, koddostu_com_adblock_yok, null) + +! https://github.com/AdguardTeam/AdguardFilters/issues/66170 +molll.mobi##+js(nostif, innerText, 2000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/66177 +motorantik.store##+js(acs, addEventListener, google_ad_client) +motorantik.store###wpsafe-snp:style(display: block !important;) +motorantik.store###wpsafe-generate:style(display: block !important;) +motorantik.store##*:has(#wpsafe-wait1):not(:has(#wpsafe-snp)) + +! e-wok.tv anti-adb +@@||e-wok.tv/js/new/advertisment.js$script,1p + +! several sites using the same popunder script +ashemaletv.com,beurettekeh.com,celibook.com,gourmandix.com,sexetag.com##+js(aopr, decodeURI) +ashemaletv.com###playerOverlay +||str.sexetag.com/voir.php$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/8072 +alltechnerd.com##+js(nosiif, visibility, 1000) +alltechnerd.com##+js(nostif, nitroAds) +alltechnerd.com##.ai_widget +alltechnerd.com##.code-block:has-text(ADV) + +! https://github.com/uBlockOrigin/uAssets/issues/8074 +iobit.com##+js(aopr, LieDetector) + +! hentaisea. com popunder +hentaisea.com##+js(aost, Math.random, stackDepth:4) + +! https://www.reddit.com/r/uBlockOrigin/comments/jh1fxe/adblock_detected/ +malaysianwireless.com##+js(nostif, class.scroll, 1000) +||malaysianwireless.com/wp-content/banners/*$image,1p + +! iammagnus.com/dailyvideoreports.net anti-adb +dailyvideoreports.net##+js(aeld, load, /showModal|isBlanketFound/) +iammagnus.com,dailyvideoreports.net##+js(set, adsbygoogle.loaded, true) +*$script,redirect-rule=noopjs,domain=iammagnus.com|dailyvideoreports.net + +! https://github.com/AdguardTeam/AdguardFilters/issues/66280 +*$script,redirect-rule=noopjs,domain=youneed.win + +! estrenosgo.site yadixv.com popup +estrenosflux.*##+js(acs, JSON.parse, atob) +estrenosflix.*,estrenosflux.*,estrenosgo.*##+js(aopw, adcashMacros) + +! https://github.com/uBlockOrigin/uAssets/issues/8081 +||adservice.google.com/adsid/integrator.js$script,redirect=noopjs,domain=ultimateclassicrock.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/66372 +comprovendolibri.it##+js(nostif, google_jobrunner) + +! https://www.reddit.com/r/uBlockOrigin/comments/ji295t/i_found_an_antiadblock/ +universegunz.net##+js(nostif, adb) + +! https://www.reddit.com/r/uBlockOrigin/comments/ji8yhy/citynewsca_anti_adblock/ +citynews.ca##body:style(padding-top:0px !important) + +! https://www.reddit.com/r/uBlockOrigin/comments/jidhpq/i_found_an_antiadblock/ +miuiku.com##+js(acs, eval, ignielAdBlock) +miuiku.com##+js(nowoif) +miuiku.com##+js(set, blurred, false) +miuiku.com##[style="text-align: center;"] > a[href] +miuiku.com##.content:has(#invisibleCaptchaShortlink) > p +miuiku.com##a[href^="https://poptival.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/8085 +forum.lolesporte.com##+js(aopr, onload) + +! https://github.com/AdguardTeam/AdguardFilters/issues/66420 +shoppinglys.blogspot.com##+js(nosiif, visibility, 1000) +shoppinglys.blogspot.com##iframe[src^="data:"] + +! https://github.com/uBlockOrigin/uAssets/issues/8089 +erinsakura.com##+js(nostif, disableDeveloperTools) +erinsakura.com##.herald-fa-grid + +! https://github.com/uBlockOrigin/uAssets/issues/8091 +! https://github.com/uBlockOrigin/uAssets/issues/26278#issuecomment-2516429304 +@@||fzmovies.*^$ghide +@@||fzm.*^$ghide +fzm.*,fzmovies.*,fztvseries.live,mobiletvshows.site,tvseries.in##+js(ra, onclick, [onclick*="window.open"], stay) +fzm.*,fzmovies.*##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/8094 +*$image,redirect-rule=1x1.gif,domain=freesslvpn.us|robotvpn.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/66474 +fritidsmarkedet.dk,maskinbladet.dk##+js(nostif, Check) +*$image,redirect-rule=1x1.gif,domain=maskinbladet.dk|fritidsmarkedet.dk +fritidsmarkedet.dk,maskinbladet.dk##.skybanner, .megaboard-inner + +! https://github.com/uBlockOrigin/uAssets/issues/8100 +bdlink.pw##+js(nano-sib) + +! https://github.com/AdguardTeam/AdguardFilters/issues/66542 +savelink.site##+js(aopr, app_vars.force_disable_adblock) +savelink.site##+js(nowoif) +savelink.site##+js(set, blurred, false) +*$frame,script,3p,denyallow=google.com|googleapis.com|gstatic.com|hcaptcha.com|recaptcha.net,domain=savelink.site + +! https://github.com/uBlockOrigin/uAssets/issues/8103 +komiktap.in##+js(nosiif, visibility, 1000) + +! https://www.reddit.com/r/uBlockOrigin/comments/jjz5fv/a_website_detects_ubo/ +torresette.news##+js(acs, document.addEventListener, adsBlocked) +||torresette.news/img/banner/$image,1p +torresette.news##.content-banner-right +torresette.news###skinlink + +! https://github.com/uBlockOrigin/uAssets/issues/8112 +downloadhub.*,hubstream.*##+js(nowoif) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=hubstream.* + +! https://github.com/uBlockOrigin/uAssets/issues/8117 +ultimasnoticias.com.ve##pp + +! https://github.com/easylist/easylist/issues/6331 +adultasianporn.com##+js(aeld, getexoloader) +adultasianporn.com##+js(cookie-remover, /^/) +adultasianporn.com##[class^="abra"] +adultasianporn.com##[href^="http://adultasianporn.com/out.php"] +adultasianporn.com##.banner +adultasianporn.com##[src*=".php"] +||adultasianporn.com^$frame + +! gamesrepacks.com anti-adb +gamesrepacks.com##+js(noeval-if, show) + +! https://forums.lanik.us/viewtopic.php?p=157292#p157292 +@@||firenzetoday.it^$ghide + +! SSAI Video ads on ABC Owned TV station sites https://github.com/uBlockOrigin/uBlock-issues/issues/760#issuecomment-715702997 +||content.uplynk.com/api/*&ad=$xhr,removeparam=/^ad/,domain=abc7ny.com|abc7.com|abc7chicago.com|6abc.com|abc7news.com|abc13.com|abc11.com|abc30.com|abcnews.go.com +! https://github.com/uBlockOrigin/uAssets/issues/25756 +6abc.com,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abc7ny.com,abcotvs.net##.nav.sticky:style(top: 0px !important;) + +! SSAI Video ads on Discovery TV sites https://github.com/uBlockOrigin/uBlock-issues/issues/760#issuecomment-715926907 +||api.discovery.com/v1/streaming/video/*&adNetworkId=$xhr,removeparam=/^ad/,domain=ahctv.com|animalplanet.com|cookingchanneltv.com|destinationamerica.com|discovery.com|discoverylife.com|diynetwork.com|foodnetwork.com|hgtv.com|investigationdiscovery.com|motortrend.com|sciencechannel.com|tlc.com|travelchannel.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/66787 +adobezii.com##+js(nosiif, visibility, 1000) + +! https://www.reddit.com/r/uBlockOrigin/comments/jmyeka/adblock_detected_on_walkthroughindoblogspotcom/ +walkthrough-indo.blogspot.com##+js(acs, addEventListener, google_ad_client) + +! https://forums.lanik.us/viewtopic.php?p=157303#p157303 +@@||letmeread.net^$ghide +letmeread.net##ins.adsbygoogle + +! polska-ie.com anti-adb +polska-ie.com##+js(aeld, load, isBlanketFound) +*$script,redirect-rule=noopjs,domain=polska-ie.com + +! https://forum.videohelp.com/ ad-reinsertion +videohelp.com##div[id] :has(> a[href]:has-text(/^Try (?:D.?V.?D.?F.?a.?b|StreamFab)/) + a[href]) + +! hentaitube ads +hentais.tube,hentaitube.online##+js(aopr, checkCookieClick) +hentais.tube,hentaitube.online##[href^="https://tm-offers.gamingadult.com/"] + +! https://fairyanime.com/watch/m2Z9hptHZO/ pre-roll ad +fairyanime.com##+js(nano-sib) +fairyanime.com##.overlay +fairyanime.com###kosana.bounce.animated.kosana.concise +*$media,redirect=noopmp3-0.1s,domain=fairyanime.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/66937 +pg-wuming.com##+js(acs, $, .test) + +! https://github.com/uBlockOrigin/uAssets/issues/8161 +proxybit.*##+js(acs, adcashMacros) +proxybit.*##+js(nowoif) +proxybit.*##+js(aopr, mm) +proxybit.*##[id*="banner"] + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/482 +! https://github.com/uBlockOrigin/uAssets/issues/16935 +hdss.*##.pplayer +hdss.*##.btnsa +hdss.*##.homi +hdss.*##.widget_media_image +hdss.plus###pub +hdss.plus##center +opvid.net##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/8162 +@@||top.gg/js/$script,1p +top.gg###vote-root:style(display:block !important) +top.gg###video-root +! https://www.reddit.com/r/uBlockOrigin/comments/uiiidq/issue_with_topgg_discord_bots_voting_ads/ +top.gg##+js(nano-stb, readyToVote, 12000) +! https://github.com/uBlockOrigin/uAssets/issues/14791 +top.gg##article[data-testid="promoted-product"] +top.gg##.chakra-popover__content .chakra-link[href*="/click?targetUrl="] +top.gg###rewarded-video +! https://github.com/uBlockOrigin/uAssets/issues/18878 +top.gg###parent_nn_player +top.gg##.chakra-stack[data-testid="p-p"] +top.gg##div[class^="css-"]:not(.chakra-stack):has(> #parent_nn_player) +! https://github.com/AdguardTeam/AdguardFilters/issues/170083 +top.gg##body:style(overflow: auto !important;) +top.gg##div[class^="chakra-modal__overlay"][style="opacity: 1;"]:style(display: none !important;) +top.gg##div[class^="chakra-modal__overlay"][style="opacity: 1;"] ~ div[data-focus-lock-disabled]:style(display: none !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/8163 +@@||arrowos.net/js/*$script,1p +arrowos.net##body:style(visibility:visible !important) +@@||arrowos.net^$ghide +arrowos.net##.card-content:has(> .adsbygoogle) +arrowos.net##ins.adsbygoogle +arrowos.net###babasbmsgx + +! https://github.com/uBlockOrigin/uAssets/issues/8167 +3hiidude.*##+js(aopr, String.fromCharCode) + +! https://github.com/AdguardTeam/AdguardFilters/issues/66996 +! https://github.com/uBlockOrigin/uAssets/issues/17289 +*$script,redirect-rule=noopjs,domain=vidmoly.me|vidmoly.net|vidmoly.to +||vidmoly.to/static/vastAD.js$script +||vastz.b-cdn.net/*.mp4$media,domain=vidmoly.to,redirect=noopmp3-0.1s +vidmoly.*###adsblock + +! https://github.com/AdguardTeam/AdguardFilters/issues/67094 +lite-link.*##+js(aopr, app_vars.force_disable_adblock) +lite-link.*##+js(ra, target|href, a[href^="//"]) +lite-link.*##+js(set, blurred, false) +lite-link.*##.banner +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=lite-link.* + +! https://github.com/uBlockOrigin/uAssets/commit/6bc0de4a260c4653d1c1d91a1ae118d87a88f89e#commitcomment-43943548 +openloadmov.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/8173 +! https://github.com/uBlockOrigin/uAssets/issues/23615 +! wawacity. work | moe | tokyo +wawacity.*##+js(aost, String.prototype.charCodeAt, _0x) +wawacity.*##+js(nowoif) +wawacity.*##+js(rmnt, script, adserverDomain) +##[href^="https://dl-protect.net/get-premium-url"] + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/485 +aegeanews.gr,batterypoweronline.com,brezovycukr.cz,centrocommercialevulcano.com,cieonline.co.uk,commsbusiness.co.uk,dailygrindonline.net,delo.bg,dynastyseries.com,fabmx1.com,fat-bike.com,fmj.co.uk,localemagazine.com,loveourweddingmag.com,metaforespress.gr,myvalley.it,niestatystyczny.pl,primapaginamarsala.it,ringelnatz.net,schoolsweek.co.uk,sikkenscolore.it,sportbet.gr,stadtstudenten.de,stagemilk.com,tautasdziesmas.lv,thetoneking.com,toplickevesti.com,zeroradio.co.uk##+js(aopr, wpsite_clickable_data) +*/wp-content/plugins/wpsite-background-takeover*/js/wpsite_clickable.js$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/67165 +8tm.net##+js(nosiif, visibility, 1000) +8tm.net##+js(acs, addEventListener, google_ad_client) +@@||8tm.net/stylesheets/$css,1p + +! https://github.com/uBlockOrigin/uAssets/issues/8179 +certbyte.com##+js(nostif, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/8181 +||ads.exoclick.com/ads.js$script,redirect=noop.js +/teo4.$script + +! https://github.com/uBlockOrigin/uAssets/issues/8189 +myhackingworld.com##+js(nostif, mdp) + +! https://github.com/adsbypasser/adsbypasser/issues/3632 +vipr.im##+js(acs, document.addEventListener, initBCPopunder) +vipr.im###rang2 + +! https://www.reddit.com/r/uBlockOrigin/comments/jrvajh/the_return_of_welcome_it_looks_like_youre_using/ +afasiaarchzine.com##+js(nosiif, visibility, 1000) +afasiaarchzine.com##.afasia_sidebar_ad_group + +! https://www.reddit.com/r/uBlockOrigin/comments/jsec46/this_website_detects_my_adblock/ +hidefninja.com##+js(aopr, adBlockDetected) + +! egao.in popunder +egao.in##+js(ra, target, #SafelinkGenerate) + +! https://github.com/AdguardTeam/AdguardFilters/issues/67445 +exbulletin.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://www.reddit.com/r/uBlockOrigin/comments/jsvatw/request_anti_adblocker_detection_fix_please/ +hindisub.com##+js(nofab) + +! https://www.reddit.com/r/uBlockOrigin/comments/jsvl14/news_site_bypassing_adblock_cant_block_it_by/ +15min.lt##+js(nostif, insertBefore) + +! https://github.com/uBlockOrigin/uAssets/issues/8203 +br0wsers.com##+js(acs, document.getElementsByClassName, offsetParent) +br0wsers.com###show_ag:style(display:block !important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/67517 +unityassets4free.com##+js(set, adsbygoogle.loaded, true) +*$script,redirect-rule=noopjs,domain=unityassets4free.com +unityassets4free.com##.AdWidget_HTMLWidget +unityassets4free.com##img[src^="https://unityassets4free.com/wp-content/uploads/"][src$="/best-url-shortner-for-unityassets4free.jpg"] + +! vlive.tv pre-roll ads +vlive.tv##+js(json-prune, meta.advertise) + +! https://github.com/uBlockOrigin/uAssets/issues/18965 +! https://www.reddit.com/r/uBlockOrigin/comments/17h40sk/ +! https://github.com/uBlockOrigin/uAssets/issues/23033 +*$xhr,redirect-rule=nooptext,domain=lewdninja.com|new.lewd.ninja +lewdninja.com,new.lewd.ninja##a.navbar-item.is-hidden-desktop-only +@@||a.trk-imps.com/oauth2$script,domain=lewdninja.com|new.lewd.ninja +@@||a.trk-imps.com/loader?$frame,domain=lewdninja.com|new.lewd.ninja +@@||trk-imps.com^$frame,csp,domain=new.lewd.ninja +||advertserve.com/servlet/view/banner/$frame,redirect=noop.html,domain=trk-imps.com +@@*$document,csp=worker-src 'none',domain=new.lewd.ninja +*$popunder,domain=new.lewd.ninja +lewd.ninja##+js(aeld, click, shouldShow) +@@||recaptcha.net^$frame,csp=worker-src 'none',domain=lewd.ninja +*$script,3p,denyallow=google.com|gstatic.com,domain=lewdninja.com|new.lewd.ninja + +! https://github.com/AdguardTeam/AdguardFilters/issues/67519 +hentaienglish.com,hentaiporno.xxx##+js(set, vidorev_jav_plugin_video_ads_object.vid_ads_m_video_ads, '') + +! https://github.com/AdguardTeam/AdguardFilters/issues/67621 +progameguides.com##[id^="sideAd-"] +progameguides.com##[id^="content_dynamicAd-"] + +! https://www.reddit.com/r/uBlockOrigin/comments/jthanh/new_tv_site_with_ads_uk/ +! https://forums.lanik.us/viewtopic.php?p=158772#p158772 +discoveryplus.*##.bmpui-seekbar-markers +discoveryplus.*##.bmpui-ui-ads-status +discoveryplus.*##+js(json-prune, data.attributes.config.freewheel data.attributes.config.featureFlags.dPlayer) +@@||identity.mparticle.com/v1/login$xhr,domain=discoveryplus.* +*$media,redirect=noopmp3-0.1s,domain=discoveryplus.* +||doubleclick.net^$xhr,domain=discoveryplus.*,important +! https://github.com/uBlockOrigin/uAssets/issues/14987 +||h264.io/a/x-goog-token=Expires$xhr,redirect=nooptext,domain=discoveryplus.*,important +! https://github.com/uBlockOrigin/uAssets/issues/18875 +! https://github.com/uBlockOrigin/uAssets/issues/21007 +discoveryplus.*,go.discovery.com,investigationdiscovery.com##+js(json-prune, data.attributes.ssaiInfo.forecastTimeline data.attributes.ssaiInfo.vendorAttributes.nonLinearAds data.attributes.ssaiInfo.vendorAttributes.videoView data.attributes.ssaiInfo.vendorAttributes.breaks.[].ads.[].adMetadata data.attributes.ssaiInfo.vendorAttributes.breaks.[].ads.[].adParameters data.attributes.ssaiInfo.vendorAttributes.breaks.[].timeOffset) +discoveryplus.*,go.discovery.com,investigationdiscovery.com,go.tlc.com,sciencechannel.com##+js(xml-prune, xpath(//*[name()="MPD"][.//*[name()="BaseURL" and contains(text()\,'dash_clear_fmp4') and contains(text()\,'/a/')]]/@mediaPresentationDuration | //*[name()="Period"][./*[name()="BaseURL" and contains(text()\,'dash_clear_fmp4') and contains(text()\,'/a/')]]), , .mpd) + +! https://github.com/AdguardTeam/AdguardFilters/issues/67651 +venge.io##+js(nofab) +venge.io##+js(set, adsProvider.init, noopFunc) +venge.io##+js(set, SDKLoaded, true) + +! https://github.com/uBlockOrigin/uAssets/issues/8220 +@@||akwams.*^$ghide +akwams.*##ins.adsbygoogle +akwams.*##.ads + +! https://www.reddit.com/r/uBlockOrigin/comments/jum0s5/blockthrough/ +orangeptc.com##+js(aopr, adBlockDetected) +@@||orangeptc.com^$ghide +btcbux.io##+js(set, blockAdBlock._creatBait, null) +starbux.io##+js(aopr, NoAdBlock) +starbux.io###wcfloatDiv4 +starbux.io##ins[style="display:inline-block;width:728px;height:90px;"] + +! tvmd .info ads +##.fints-block__row +@@||cdn.trafficdok.com/libs/e.js$script,domain=tvmd.info +tvmd.info###crosscol-overflow + +! https://github.com/AdguardTeam/AdguardFilters/issues/67691 +mytoolz.net##+js(aopr, onload) + +! pngtosvg.com anti-adb +||googlesyndication.com^$script,redirect=googlesyndication_adsbygoogle.js,domain=pngtosvg.com + +! https://github.com/uBlockOrigin/uAssets/issues/8237 +moozpussy.com,zoompussy.com##+js(aopr, loadTool) +moozpussy.com,zoompussy.com##[href^="/go/desire"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/67853 +videa.hu##.top-video-container-banner + +! https://github.com/uBlockOrigin/uAssets/issues/8242 +systemnews24.com##+js(aeld, , /ads|Modal/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/74747 +sitarchive.com##+js(nostif, css_class.show) +||googlesyndication.com^$script,redirect=googlesyndication_adsbygoogle.js,domain=sitarchive.com +sitarchive.com##[id^="aswift_"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/67914 +share1223.com##+js(aopr, adBlockDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/67983 +*$script,redirect-rule=noopjs,domain=telek.top + +! https://github.com/AdguardTeam/AdguardFilters/issues/68005 +baddiehub.com##+js(nostif, css_class.scroll) + +! chochox.com popup +chochox.com##+js(acs, String.fromCharCode, atob) + +! miohentai.com popup ads +miohentai.com##+js(aopr, mnpwclone) +miohentai.com###idtop +miohentai.com##.in.paused-ad-container +*$script,3p,denyallow=cloudflare.com|google.com|gstatic.com,domain=miohentai.com + +! familyporn.tv popup +familyporn.tv##+js(set, console.clear, noopFunc) +familyporn.tv##+js(aopr, AaDetector) +familyporn.tv##.media_spot +familyporn.tv##.textlink +familyporn.tv###player_adv +familyporn.tv##.adv +! https://github.com/uBlockOrigin/uAssets/issues/23862 +familyporn.tv##.col-last:has(> :is(.player-adverts, .place)) +familyporn.tv##.sponsor + +! tabooporn.tv popup +tabooporn.tv##.table +tabooporn.tv##.textlink + +! kaplog.com popup +kaplog.com##+js(nowoif) +*$script,3p,denyallow=google.com|gstatic.com,domain=iyotvideos.com|kaplog.com + +! sluttyrat.com popup +sluttyrat.com##+js(aopr, SluttyPops) +sluttyrat.com##.ad-container +sluttyrat.com##.topRightSquare +sluttyrat.com###under_player_button + +! morritastube.xxx popop +morritastube.xxx##+js(aopr, scriptwz_url) +morritastube.xxx##+js(aopr, sites_urls_pops) + +! emulatorgames.net boost countdown timer +emulatorgames.net##+js(nano-sib, , , 0.3) +emulatorgames.net##+js(nano-stb, , 7000, 0) +emulatorgames.net##[class*="-label"] + +! nightlifeporn.com popup +nightlifeporn.com##.wps-player__happy-inside--pause.wps-player__happy-inside + +! incestvidz.com ads +incestvidz.com##+js(aeld, DOMContentLoaded, init) + +! https://github.com/AdguardTeam/AdguardFilters/issues/68035 +getpczone.com##+js(nosiif, visibility, 1000) +getpczone.com###breadcrumb-ads-links + +! kissmanga. nl popups +kissmanga.*###myModal + +! https://github.com/AdguardTeam/AdguardFilters/issues/68071 +secretsdeepweb.blogspot.com##+js(nosiif, visibility, 1000) +secretsdeepweb.blogspot.com##+js(aeld, load, onload) + +! https://github.com/AdguardTeam/AdguardFilters/issues/68177 +sssam.com##+js(set, ads, true) + +! https://www.reddit.com/r/uBlockOrigin/comments/jyq4ls/how_to_tell_users_not_to_use_your_site/gd6in04/ +*$script,redirect-rule=noopjs,domain=codimth.com + +! fiyaplatform.com anti-adb +*$script,redirect-rule=noopjs,domain=fiyaplatform.com + +! downloadtwittervideo.com popup +downloadtwittervideo.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/9424 +kiwiexploits.com##+js(nowoif) +kiwiexploits.com##+js(nosiif, visibility, 1000) +kiwiexploits.com##+js(no-fetch-if, googlesyndication) +*$xhr,3p,domain=kiwiexploits.com +*$script,3p,domain=kiwiexploits.com +||eadvertisingd.biz^ +/nab.js$script,domain=kiwiexploits.com|shortearn.net + +! https://github.com/AdguardTeam/AdguardFilters/issues/68343 +*$script,redirect-rule=noopjs,domain=taufiqhdyt.com +taufiqhdyt.com###big-ads + +! https://github.com/uBlockOrigin/uAssets/issues/8268 +@@||gdrivelinks.me^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/68438 +! https://github.com/uBlockOrigin/uAssets/issues/16498 +! https://github.com/uBlockOrigin/uAssets/issues/21742 +beverfood.com##+js(nosiif, adblock) +beverfood.com###backy +beverfood.com##.switchabig +||beverfood.com/immagini/*1920$image + +! camthots.tv pre-roll ads +! https://github.com/AdguardTeam/AdguardFilters/issues/77216 +camfox.com,camthots.tv##+js(set, flashvars.adv_pre_vast, '') +camthots.tv##+js(set, hasPoped, true) +camfox.com,camthots.tv##.table + +! https://github.com/AdguardTeam/AdguardFilters/issues/68282 +javtrailers.com###cta +javtrailers.com###popunderLink + +! Foxella Blockadblock +@@||foxella.com^$ghide +foxella.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/67798 +crockotube.com##div[class*="vision"] +crockotube.com##div[class^="vis-"] + +! wetpussy.sexy popunder, ads +wetpussy.sexy##.mansonry-item +||wetpussy.sexy/js/index-nb.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/68575 +! https://github.com/uBlockOrigin/uAssets/issues/10428 +lootlinks.*##+js(set, canRunAds, true) +lootlinks.*##+js(nano-sib) +||htagpa.tech^ +||aghtag.tech^ +! https://github.com/uBlockOrigin/uAssets/issues/24548 +/^https:\/\/[a-z0-9]{4,10}\.tech\/c\/(?:[-a-z0-9]+\.){1,3}js$/$script,3p,strict3p,to=tech + +! jaysndees.com anti-adb +jaysndees.com##+js(nosiif, visibility, 1000) +jaysndees.com##+js(nofab) +jaysndees.com##div[class][style^="width: 728px; height: 90px;"] +jaysndees.com###topshow +jaysndees.com##center:nth-of-type(3) +jaysndees.com###cust_btn2_random +jaysndees.com###block2 +jaysndees.com###block1 + +! https://github.com/AdguardTeam/AdguardFilters/issues/68616 +mr9soft.com##+js(nostif, /null|Error/, 10000) +||googlesyndication.com^$script,redirect=googlesyndication_adsbygoogle.js,domain=mr9soft.com + +! https://www.reddit.com/r/uBlockOrigin/comments/k2d7q8/i_have_a_blockadblock_annoyance_it_looks_like/ +@@||famfonts.com^$ghide +famfonts.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/8283 +nifteam.info##+js(acs, document.getElementById, undefined) +nifteam.info###wtf:style(visibility:visible!important;display:block!important;) + +! babeporn .net popunder => .org +babeporn.*##+js(aopr, decodeURI) + +! livemint anti-adblock +! livemint.com##+js(aeld, DOMContentLoaded, nrWrapper) +livemint.com###adfreeDeskSpace +livemint.com###dekBudgetAd + +! https://forums.lanik.us/viewtopic.php?p=157713#p157713 +||adconfigproxy.azurewebsites.net/Adurl$xhr + +! https://github.com/AdguardTeam/AdguardFilters/issues/80941 +livenewsof.com##+js(nostif, css_class.show) + +! rapbhe.com popups +rapbhe.com##+js(acs, String.fromCharCode, atob) + +! https://github.com/uBlockOrigin/uAssets/pull/8294 +niusdiario.es##+js(aeld, load, Adblock) + +! https://www.reddit.com/r/uBlockOrigin/comments/k3v0z9/adblocker_detected_on_multicseu/ +multics.eu##+js(acs, $, .test) + +! https://www.reddit.com/r/uBlockOrigin/comments/k3x8ta/antiadblock_popup_on_proboards/ +forums.lostmediawiki.com###ad1 +forums.lostmediawiki.com###remove_ads_link +forums.lostmediawiki.com##[id^="ad-"] + +! https://github.com/uBlockOrigin/uAssets/issues/8298 +thejournal.ie##+js(nowoif) +thejournal.ie##html:style(background-image:none !important) + +! https://github.com/AdguardTeam/AdguardFilters/pull/67549 +nandetribune.com##+js(acs, document.addEventListener, google_ad_client) + +! iulive .blogspot.com popups +iulive.blogspot.com##+js(nowebrtc) + +! livehere. one popups +livehere.*##+js(nowebrtc) + +! https://mailocal2 .xyz/lv/la-5-hd-diretta-streaming/ anti adb +mailocal2.xyz##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/4553#issuecomment-736651781 +toonvideos.net.in##+js(acs, document.addEventListener, nextFunction) + +! wonporn .com popunder +wonporn.com##td[style][width="360"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/69030 +adcorto.*##+js(aopr, app_vars.force_disable_adblock) +adcorto.*##+js(aopw, atOptions) +adcorto.*##+js(set, blurred, false) +adcorto.*##.banner +adcorto.*##.box-main > table +*$3p,script,denyallow=facebook.net|fbcdn.net|googleapis.com|google.com|gstatic.com|recaptcha.net|hcaptcha.com,domain=adcorto.* + +! https://github.com/AdguardTeam/AdguardFilters/issues/69040 +! https://github.com/AdguardTeam/AdguardFilters/issues/72191 +camflow.tv,camhoes.tv##+js(acs, onload, onclick) +camflow.tv,camhoes.tv##+js(set, flashvars.adv_pause_html, '') +camflow.tv,camhoes.tv##+js(set, flashvars.adv_start_html, '') +camflow.tv,camhoes.tv##+js(set, flashvars.logo_text, '') +camflow.tv,camhoes.tv##+js(set, flashvars.mlogo, '') +camflow.tv,camhoes.tv##+js(set, flashvars.popunder_url, '') +camhoes.tv##+js(set, hasPoped, true) +camflow.tv,camhoes.tv##.box.rltd +camflow.tv,camhoes.tv##.table + +! https://github.com/easylist/easylist/issues/6507 +! https://github.com/AdguardTeam/AdguardFilters/issues/70890 +playporngames.com##+js(aeld, DOMContentLoaded, window.open) +playsexgames.xxx##+js(acs, bannersRequest) +||saddlegirls.com/saddlegirls/ph/v/*_video.mp4$1p +saddlegirls.com##.image-link[href^="//www.zagvee.com"] +||playporngames.com/*.gif| +||playporngames.com/fuck_dolls_online.jpg +playporngames.com##.sidebarcont > .widget_text:not(#text-2) +/xxx\/(?:[a-z]+[_-]){1,2}[a-z]+\.(?:gif|jpg)$/$image,1p,domain=playsexgames.xxx +playsexgames.xxx##.widget:not(#text-2) +||lifeselector.com/banners/js/banner-controller. + +! https://github.com/uBlockOrigin/uAssets/pull/8314 +||static.zhihu.com/heifetz/main.signflow.*.js$script,domain=zhihu.com + +! https://github.com/uBlockOrigin/uAssets/issues/8318 +needgayporn.com#@#.is-ad-visible +needgayporn.com##+js(aopr, ExoLoader.serve) +needgayporn.com##[href="https://www.onlyhentaistuff.com/"] +needgayporn.com##.table +needgayporn.com##[src^="https://www.needgayporn.com/player/html.php"] +needgayporn.com##.fp-brand +needgayporn.com##^script:has-text('script') +||needgayporn.com/ohs-180x800.gif + +! https://github.com/AdguardTeam/AdguardFilters/issues/69221 +forexforum.co##+js(acs, $, .test) + +! https://github.com/AdguardTeam/AdguardFilters/issues/69039 +||21pron.com/21porno.com/$frame +21porno.com###s-container +21porno.com###s-title +21porno.com##+js(nostif, window.location.href, 50) + +! rule34.paheal.net PH +rule34.paheal.net##script[src$="ads.js"]:upward(section[id]) + +! palcomix.com ads +palcomix.com##center > font[size="3"][face="ARIAL"]:has-text(ADVERTISING):upward(td) +palcomix.com##table[width="800"]:has(img[src^="../ads/"]) +/\.com\/(full)?ad[0-9a-z]+\.(?:gif|jpg)$/$image,1p,domain=palcomix.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/69378 +freemagazines.top##+js(aopr, b2a) +freemagazines.top##+js(nostif, showModal) +freemagazines.top##+js(acs, eval, replace) +*$xhr,redirect-rule=nooptext,domain=freemagazines.top + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/506 +! https://github.com/uBlockOrigin/uAssets/issues/15695 +dl-protect.*##+js(nowoif) +||dl-protect.net/main.js?v=$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/k8crri/cryptowin/ +cryptowin.io##+js(acs, document.getElementById, 'body') +@@||cryptowin.io^$ghide +cryptowin.io##.panel-body > p[style=" color:#818181; background-color: #fffdc4; text-align: center; font-size: 14px; border-radius: 2px; width: 320px; max-width: 100%; margin: auto; margin-top: 15px; "] +cryptowin.io##.hidden-xs + +! https://github.com/uBlockOrigin/uAssets/issues/7702 +cdnqq.net,cdn1.fastvid.co,movi.pk,netu.ac,player.msmini.*,player.sbnmp.*,netuplayer.*,vapley.*##+js(nowoif) +0gogle.com##+js(aopr, __Y) +movi.pk##+js(aeld, , vads) +movi.pk##+js(acs, eval, replace) +netu.ac,vapley.*##+js(aopr, doSecondPop) +movi.pk###vads +/cdn-cgi/trace$xhr,1p,domain=0gomovies.*|cdnqq.net|cdn1.fastvid.co|movi.pk|netu.ac|player.msmini.*|player.sbnmp.*|vapley.* + +! https://www.reddit.com/r/uBlockOrigin/comments/k8m63f/adblock_detected/ +plugincrack.com##+js(nostif, ai_adb) + +! https://www.reddit.com/r/uBlockOrigin/comments/k8oq0j/adblock_detected/ +pikkado.com###googletop:remove() +pikkado.com###dest_rev + +! https://github.com/uBlockOrigin/uAssets/issues/8337 +||gartic.io/videos/*$media,1p,redirect=noopmp4-1s + +! https://github.com/uBlockOrigin/uAssets/issues/8340 +hindustantimes.com##+js(no-fetch-if, adsbygoogle.js) +hindustantimes.com##+js(ra, onclick, a[href][onclick^="getFullStory"]) +hindustantimes.com##.adBlocker +hindustantimes.com##.blackOverlay +hindustantimes.com##.desktopAd +hindustantimes.com##.epaper-ad +hindustantimes.com##.ht-ad-v1 +hindustantimes.com##.ht_outbrain +hindustantimes.com##.m_ads_unit +hindustantimes.com##.storyAd +hindustantimes.com##.topAd +hindustantimes.com##.widget-ad +hindustantimes.com##[class^="adHeight"] +hindustantimes.com##[class^="adMinHeight"] +hindustantimes.com##body:style(overflow: auto !important;) +hindustantimes.com##div[id^="div-gpt-ad"] +! https://github.com/uBlockOrigin/uAssets/issues/9805 +tech.hindustantimes.com##.header-ad +tech.hindustantimes.com##div.mobileNone +tech.hindustantimes.com##.centerAd768 +hindustantimes.com##.new_ads_unit +hindustantimes.com##.i-amphtml-unresolved +hindustantimes.com##.top250Ad +hindustantimes.com##[amp-access^="NOT"] +hindustantimes.com##.headerAds250 +hindustantimes.com##.FirstAd +hindustantimes.com##[class*="adsHeight"] +!https://github.com/uBlockOrigin/uAssets/issues/22748 +hindustantimes.com##[class^="TopStoriesAd_storyAd__"] +hindustantimes.com##[class^="QuizComponent_smallAds300__"] + +! popups https://elitegoltv. es/canal-1.php +newdmn.*##+js(nowoif, !newdmn, 1) +newdmn.*###overlay + +! https://www.reddit.com/r/uBlockOrigin/comments/k9kmyw/adblock_detected_httpswwwkitchennovelcom/ +kitchennovel.com##+js(nostif, show) + +! mp4hentai.com ads +||mp4hentai.com/holy-cell-feb3/ +mp4hentai.com###custom_html-5 + +! hentaihd.net player overlay +hentaihd.net##.active-item + +! nypost.com PH +nypost.com##img[src$="/knewz_300x250.png"]:upward(.widget_text) + +! https://github.com/AdguardTeam/AdguardFilters/issues/69639 +fappee.com##+js(acs, doMyStuff) +||googletagmanager.com/gtag/$script,redirect=googletagmanager_gtm.js,domain=fappee.com + +! xmegadrive.com popup +xmegadrive.com##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +xmegadrive.com##+js(set, flashvars.adv_pause_html, '') +xmegadrive.com##.table +xmegadrive.com##^script:has-text(l.parentNode.insertBefore(s, l);) + +! nsfwmonster.com popup +nsfwmonster.com##+js(aeld, getexoloader) + +! https://github.com/uBlockOrigin/uAssets/issues/8355 +moviehdf.*##+js(aopr, popUp) +moviehdf.*##+js(nowoif) + +! popups, devtools detection https://moviessources .cf/embed/38700 +moviessources.*##+js(aeld, devtoolschange) +moviessources.*##+js(aopr, console.clear) + +! citynews sites .it anti adb in video +agrigentonotizie.it,anconatoday.it,arezzonotizie.it,avellinotoday.it,bresciatoday.it,brindisireport.it,casertanews.it,cataniatoday.it,cesenatoday.it,chietitoday.it,forlitoday.it,frosinonetoday.it,genovatoday.it,ilpescara.it,ilpiacenza.it,latinatoday.it,lecceprima.it,leccotoday.it,livornotoday.it,messinatoday.it,milanotoday.it,modenatoday.it,monzatoday.it,novaratoday.it,padovaoggi.it,parmatoday.it,perugiatoday.it,pisatoday.it,quicomo.it,ravennatoday.it,reggiotoday.it,riminitoday.it,romatoday.it,salernotoday.it,sondriotoday.it,sportpiacenza.it,ternitoday.it,today.it,torinotoday.it,trevisotoday.it,triesteprima.it,udinetoday.it,veneziatoday.it,vicenzatoday.it##+js(nostif, bADBlock) + +! https://www.reddit.com/r/uBlockOrigin/comments/kc1qh6/antiadblock_warning/ +flmods.com##+js(nostif, offsetHeight) +flmods.com##[href^="https://www.flmods.com/index.php"][target="_blank"] + +! https://www.reddit.com/r/uBlockOrigin/comments/kc6jpe/how_to_bypass_adblock_detection_on_these_sites/ +booksrack.net##+js(noeval-if, adsbygoogle) +*$script,redirect-rule=noopjs,domain=examsnet.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/69827 +javfun.me###invideo_wrapper + +! https://github.com/AdguardTeam/AdguardFilters/issues/69870 +tophentaicomics.com##+js(acs, pop_init) +tophentaicomics.com##.sidebar-wrapper.widget_text +tophentaicomics.com##.thumb-ad +||tophentaicomics.com/istrippers.jpg +||tophentaicomics.com/pop.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/67023 +k12reader.com##+js(aopr, rccbase_styles) + +! https://github.com/uBlockOrigin/uAssets/issues/8349 +cachevalleydaily.com##+js(aopr, rccbase_styles) +cachevalleydaily.com##.main-top-ad + +! https://www.reddit.com/r/uBlockOrigin/comments/kcty39/nsfw_multiple_issues_on_site/ +girlsofdesire.org##+js(aeld, getexoloader) +girlsofdesire.org##[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi"] > div +girlsofdesire.org##a[class="pink"][href*="refer.ccbill.com"] +girlsofdesire.org##div[id$="_frame_content"][class="wide_boxcontent"]:has-text(Adblock) +girlsofdesire.org###box_896 +girlsofdesire.org###box_897 +girlsofdesire.org##+js(nosiif, /^/) +girlsofdesire.org##[href^="/click"]:remove-attr(href) + +! https://github.com/AdguardTeam/AdguardFilters/issues/69836 +tqanime.com##+js(nosiif, visibility, 1000) + +! popups animeindo .asia +animeindo.asia##+js(aeld, , _0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/69951 +family-fuck.net##.plink + +! https://github.com/uBlockOrigin/uAssets/issues/11058 +adultfun.net##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70080 +*$xhr,redirect-rule=nooptext,domain=hitbits.io + +! https://github.com/AdguardTeam/AdguardFilters/issues/69944 +kayfanet.com##+js(acs, addEventListener, google_ad_client) + +! kaomoji-cafe.web.app -> akuu-sflin.blogspot.com anti-adb & PH +akuu-sflin.blogspot.com##+js(acs, matchMedia, Adblocker) +akuu-sflin.blogspot.com##.text-center:has-text(Adv) + +! https://github.com/uBlockOrigin/uAssets/issues/8377 +@@||videakid.hu^$ghide +videakid.hu##.ad-container +videakid.hu##.single-video-right-sidebar-ads + +! https://github.com/AdguardTeam/AdguardFilters/issues/70152 +filezip.cc##style:has-text(#blockblock):remove() +filezip.cc###blockblockA + +! https://github.com/uBlockOrigin/uAssets/issues/8379 +phoenixfansub.com##+js(nostif, mdp) + +! https://github.com/AdguardTeam/AdguardFilters/issues/69949 +jzzo.com###embed:style(position: static!important; margin-top: 0!important;) +jzzo.com###embed-overlay +jzzo.com###parrot +jzzo.com##.ios_img + +! https://github.com/easylist/easylist/issues/6710 +@@||unilad.co.uk^$ghide +unilad.co.uk##div:has(> .dfp-ad-unit) +||adsafeprotected.com/vans-adapter-google-ima.js^$redirect=noopjs,script,domain=unilad.co.uk +! https://github.com/AdguardTeam/AdguardFilters/issues/110352 +@@||micro.rubiconproject.com/prebid/dynamic/*$script,domain=unilad.co.uk +unilad.co.uk#@#div[class*="margin-Advert"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/70305 +topnewsshow.com##+js(nostif, css_class.show) +*$script,redirect-rule=noopjs,domain=topnewsshow.com + +! https://github.com/LiCybora/NanoDefenderFirefox/issues/192 +panel.skynode.pro##+js(aopr, adBlockerDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/10788 +telesintese.com.br##+js(refresh-defuser) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70387 +devcourseweb.com##+js(nosiif, visibility, 1000) +devcourseweb.com##+js(nostif, brave_load_popup) +devcourseweb.com##.ovzeacm-float-center +devcourseweb.com##div.ovzeacm-loc-block-ad + +! its.porn popunder pre-roll ads +its.porn##+js(set, POPUNDER_ENABLED, false) +its.porn##+js(set, plugins.preroll, noopFunc) +its.porn##aside +its.porn##.spot_large +its.porn##.desk-banners +its.porn###rock-widget-host +*$frame,denyallow=google.com,domain=its.porn + +! verdragonball.online anti adb +@@||verdragonball.online^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/8385 +*$popunder,domain=r18hub.com,3p +||r18hub.com/assets/vast/videos/*$xhr,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/70455, 101236 +samaa-pro.com##+js(aopr, app_vars.force_disable_adblock) +7misr4day.com,sama-pro.com##+js(nano-sib) +7misr4day.com##+js(aopr, adBlockDetected) +samaa-pro.com##+js(set, blurred, false) +7misr4day.com##+js(nowoif) +7misr4day.com##+js(noeval-if, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70457 +miklpro.com##+js(aopr, app_vars.force_disable_adblock) +miklpro.com##+js(set, blurred, false) +miklpro.com##.box-main > .blog-item +miklpro.com##.banner +*$script,3p,denyallow=google.com|gstatic.com|recaptcha.net,domain=miklpro.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/70460 +sshconect.com.br##+js(acs, addEventListener, nextFunction) + +! hd21 group sites +! hd21.com/net +hd21.*##+js(nowoif) +hd21.com##.ID-bottom-banner +hd21.com##.adv_middle +hd21.*##.aside_video +hd21.com##.drt-sponsor-block +||hd21.*/templates/base_master/js/jquery.shows.min.js +! iceporn.com/net +iceporn.*##+js(nowoif) +iceporn.com##.puFloatLine +iceporn.com###abmessage +iceporn.*###spot_video_livecams +iceporn.*##.furtherance +iceporn.*##.take_place + .take_place +iceporn.*###spot_video_partner_banner +iceporn.*###spot_video_partner_banner + span[style] +! https://github.com/uBlockOrigin/uAssets/issues/8462 +! https://github.com/AdguardTeam/AdguardFilters/issues/102670 +nuvid.*##+js(aeld, click, open) +nuvid.*##+js(nowoif) +nuvid.*##div[style^="height:477px"] +nuvid.*##footer > .rfix +nuvid.*##.aside > h2 +nuvid.*##.download_adv_text_photo +nuvid.*##.video-options +nuvid.*##.advertisement +||nuvid.*/player_right_$frame +! pornlib.com +pornlib.*##+js(nowoif) +! tubeon.com/net +tubeon.*##+js(nowoif) +tubeon.*##.spots +tubeon.*##.thr-rcol +! vivatube.com/net +vivatube.*##+js(nowoif) +vivatube.*##.livecams +vivatube.*##.clear + .mt15.container[style="margin-top:15px; border-bottom:0;"] +! winporn.com/net +winporn.*##+js(nowoif) +! yeptube.com/net +yeptube.*##+js(nowoif) +yeptube.com##.puFloatLine +yeptube.*##.spots +yeptube.*##.thr-rcol + +! https://github.com/AdguardTeam/AdguardFilters/issues/70482 +gasngogeneralstores.com##[href="https://gasngogeneralstores.com/sexdating.php"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/70529 +gaytail.com##+js(aeld, getexoloader) +gaytail.com##+js(acs, onload, onclick) +gaytail.com##.happy-footer +||gaytail.com/fancy-mode-7abe/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/70416 +||datawav.club/*.php + +! https://github.com/uBlockOrigin/uAssets/issues/9057 +game-owl.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://www.reddit.com/r/uBlockOrigin/comments/khqk0a/adblock_detected_on_atvat/ +! https://github.com/uBlockOrigin/uAssets/issues/11665 +atv.at##+js(set, errcode, 0) +*&expires$media,redirect=noopmp3-0.1s,domain=atv.at +||zomap.de/*&expires=$script,domain=atv.at +atv.at##[data-oasis-id="midroll-marker"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/70563 +anime-saikou.com##+js(nosiif, visibility, 1000) + +! https://forums.lanik.us/viewtopic.php?p=157965#p157965 +arkadiumhosted.com##+js(set, Adv_ab, false) +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=arkadiumhosted.com + +! https://www.reddit.com/r/uBlockOrigin/comments/kicmhf/adblock_detected/ +streamsport.*##+js(aeld, , _0x) +streamsport.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/17210 +@@||micro.rubiconproject.com/prebid/dynamic$script,domain=ladbible.com +ladbible.com#@#div[class*="margin-Advert"] +ladbible.com##span:has-text(Advert) +ladbible.com##[data-cypress="sticky-ads"] +@@||pub.doubleverify.com/signals/pub.js$xhr,script,domain=ladbible.com|gamingbible.*|tyla.com|unilad.com +@@||rubiconproject.com/prebid/$xhr,script,domain=ladbible.com|gamingbible.*|tyla.com|unilad.com +@@||static.adsafeprotected.com/vans-adapter-google-ima.js$xhr,domain=ladbible.com|gamingbible.*|tyla.com|unilad.com +@@||c.amazon-adsystem.com/aax2/apstag.js$xhr,domain=ladbible.com|gamingbible.*|tyla.com|unilad.com +! https://github.com/uBlockOrigin/uAssets/issues/19022 +ladbible.com##[data-cypress="sticky-header"] + +! https://www.reddit.com/r/uBlockOrigin/comments/kilzmv/adblock_detected/ +*$image,redirect-rule=1x1.gif,domain=rollercoin.com + +! windowmatters.com anti-adb +windowsmatters.com##+js(aeld, load, isBlanketFound) +*$script,redirect-rule=noopjs,domain=windowsmatters.com +windowsmatters.com##div[class$="-quick-adsense"] + +! masbrooo.com/2ndrun.tv anti-adb +! https://github.com/uBlockOrigin/uAssets/issues/16543 +masbrooo.com,2ndrun.tv##+js(aeld, load, showModal) +*$script,redirect-rule=noopjs,domain=masbrooo.com|2ndrun.tv +2ndrun.tv##+js(set, DHAntiAdBlocker, true) + +! https://github.com/uBlockOrigin/uAssets/issues/9130 +*$xhr,redirect-rule=nooptext,domain=fr.de +@@||fr.de^$ghide +fr.de##div[data-id-advertdfpconf] + +! https://github.com/AdguardTeam/AdguardFilters/issues/70723 +hdpicsx.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/3995#issuecomment-750903553 +timesnownews.com##.ad-section-one +timesnownews.com##.ad-section-three +timesnownews.com##.ad-panel-wrap +timesnownews.com##.add-wrap +timesnownews.com##.gutterAdContainer +timesnownews.com##.right-block > .section-six +timesnownews.com##.right-block > .section-one +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,redirect=google-ima.js,domain=timesnownews.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js^$script,domain=timesnownews.com +@@*$ghide,domain=timesnownews.com|timesnowhindi.com|timesnowmarathi.com|zoomtventertainment.com +timesnownews.com,timesnowhindi.com,timesnowmarathi.com,zoomtventertainment.com##.adunit +timesnownews.com,timesnowhindi.com,timesnowmarathi.com,zoomtventertainment.com##+js(nostif, Adblock) +@@||onelinksmartscript.appsflyer.com/onelink-smart-script-latest.js$script,domain=timesnownews.com + +! https://github.com/uBlockOrigin/uAssets/issues/8402 +tormalayalam.*##+js(aopw, adcashMacros) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70787 +blograffo.net##+js(acs, addEventListener, nextFunction) +blograffo.net##[href^="https://amzn.to/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/kjsro9/ublock_detected/ +aquiyahorajuegos.net##+js(aopr, adBlockDetected) +aquiyahorajuegos.net##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/kjvva0/ublock_detected/ +imag-r.com##+js(aopr, adBlockerDetected) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70763 +/block-adblock.js$script + +! https://www.spielaffe.de/Spiel/Festliche-Mode-designen anti adb +@@||bitent.com/lock_html5/adPlayer/*/adPlayer.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/kkdltv/adblocker_detected_eropastecom/ +eropaste.net##+js(set, isAdBlockActive, false) +eropaste.net###banner-dl + +! https://github.com/AdguardTeam/AdguardFilters/issues/70487 +! https://github.com/AdguardTeam/AdguardFilters/issues/70888 +! https://github.com/AdguardTeam/AdguardFilters/issues/71223 +adult-sex-gamess.com,hentaigames.app,mobilesexgamesx.com,mysexgamer.com,porngameshd.com,sexgamescc.com##+js(nostif, /out.php) +adult-sex-gamess.com,hentaigames.app,mobilesexgamesx.com,mysexgamer.com,porngameshd.com,sexgamescc.com##.a-th:first-child:has(iframe) +adult-sex-gamess.com,hentaigames.app,mobilesexgamesx.com,mysexgamer.com,porngameshd.com,sexgamescc.com##.alert-danger > .row +adult-sex-gamess.com,hentaigames.app,mobilesexgamesx.com,mysexgamer.com,porngameshd.com,sexgamescc.com##.ntkSides +adult-sex-gamess.com,hentaigames.app,mobilesexgamesx.com,mysexgamer.com,porngameshd.com,sexgamescc.com###modalegames + +! d.pornxp.com/pornxp.org popup +! https://github.com/uBlockOrigin/uAssets/issues/9830 +pornxp.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +pornxp.com,pornxp.org##+js(aopr, AaDetector) +*$script,3p,domain=pornxp.com +||pornxp.*/sp/$subdocument +! generic AaDetector mitigation +##div[id][style^="position: fixed; inset: 0px; z-index: 2147483647; background: black"][style*="opacity: 0.01"] +/heyboy/com/*.js$script +/loadme/com/*.js$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/70850 +sexflashgame.org##+js(acs, ishop_codes) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70849 +||porngames.com/*.gif$image,1p +porngames.com##div[style^="display: block; position: fixed; z-index:"] + +! https://www.reddit.com/r/uBlockOrigin/comments/kkg3sw/ +! https://github.com/uBlockOrigin/uAssets/issues/18709 +f2movies.to##+js(nostif, /0x|devtools/) +f2movies.to##+js(nosiif, _0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70843 +//images\/(?:Banner\d{1,2}\.|[a-z]{3}\/)/$image,1p,domain=thesquarshers.com +thesquarshers.com##a:has(img[src*="/Banner"]) +thesquarshers.com##.table +thesquarshers.com##.video-holder + +! cutesexyteengirls.com exit prevention +cutesexyteengirls.com##+js(aeld, beforeunload) + +! https://github.com/uBlockOrigin/uAssets/issues/8406 +@@||fssquad.com^$ghide +fssquad.com##+js(acs, $, /adbl/i) +fssquad.com##+js(nano-sib, , , 0) +fssquad.com##.banner-end.center-it > [href] + +! https://github.com/uBlockOrigin/uAssets/issues/8407 +@@||cdnjs.cloudflare.com/ajax/libs/fuckadblock$script + +! wmoviesfree. com (.online) popups +wmoviesfree.*##.orange.big-color-btn +||wmoviesfree.*/themes/movies/img/banner_leaderboard$image + +! dulu. to popups +hotflix.cc##+js(nowoif) +videobot.stream##+js(aopr, __Y) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70904 +ehotpics.com,upicsz.com##figure[style^="width: 310px;"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/70939 +@@||down.mdiaload.com^$ghide +down.mdiaload.com##div[style$="background-color:#ffffff; text-align:center"] +down.mdiaload.com##div[style="width:336px; height:280px"] +down.mdiaload.com##.btn-dow.btn[href$=".html"] +down.mdiaload.com##div.download-option-btn:nth-of-type(4) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70949 +ontiva.com##+js(set, canRunAds, true) +ontiva.com##+js(nowoif) + +! https://forums.lanik.us/viewtopic.php?f=62&t=45510 +slideplayer.com##.bottom_comment_banners +slideplayer.com##.top_comment_banners + +! https://github.com/AdguardTeam/AdguardFilters/issues/71052 +@@||securepubads.g.doubleclick.net^$script,domain=mope.io +@@||securepubads.g.doubleclick.net/gampad/ads$xhr,domain=mope.io +mope.io##[id^="google_ads_iframe"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/71143 +gaysearch.com##+js(nowoif) +gaysearch.com##.twocolumns > .aside + +! https://github.com/AdguardTeam/AdguardFilters/issues/71203 +*$script,redirect-rule=noopjs,domain=kursors.lv + +! https://github.com/AdguardTeam/AdguardFilters/issues/71167 +javbel.com##+js(acs, decodeURI, decodeURIComponent) + +! https://github.com/AdguardTeam/AdguardFilters/issues/71177 +javbix.com##.adsvideo +javbix.com##.content_movie > div[style="padding:10px; margin-top:15px; text-align:center"] +javbix.com##.letterLi:last-of-type + +! https://github.com/easylist/easylist/issues/6476#issuecomment-751258895 +rawmanga.top##+js(aopr, AaDetector) + +! https://github.com/AdguardTeam/AdguardFilters/issues/71232 +2adultflashgames.com##+js(aopr, loadTool) +||2adultflashgames.com/img/$1p +||sexsim2.com^$domain=2adultflashgames.com + +! https://www.reddit.com/r/uBlockOrigin/comments/knara8/need_help_with_anti_adblock/ +javnow.net##+js(aost, String.prototype.charCodeAt, ai_) +javnow.net##div[style$="width:300px;height:250px;"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/71233 +||highwebmedia.com/ri/$domain=clubsarajay.com +clubsarajay.com###mgb +clubsarajay.com###mpc-container + +! https://github.com/AdguardTeam/AdguardFilters/issues/71300 +gatcha.org##+js(nostif, css_class.show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/71301 +zilinak.sk##+js(nostif, offsetHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/22856 +loadout.tf##body > div:shadow(div):shadow(div):has(:shadow(div:not([class])):has(:shadow(ins.adsbygoogle[data-ad-client]))) + +! https://github.com/AdguardTeam/AdguardFilters/issues/71225 +||raw.githack.com/Raqmedia/adblock/$script,3p +raqmedia.com##[href^="https://www.englezz.com"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/71316 +filtercams.com##+js(acs, $, #advVid) +filtercams.com##.table + +! cryptofun .space anti adb +/adex.js$badfilter +@@||cryptofun.space^$script,1p +@@||shrink.icu/prebid.js$script + +! anime47 .com popups +anime47.com##+js(aopr, open) + +! various filters +/ajax/banner/list?page=$xhr,1p +hd44.net##+js(aopr, decodeURI) +javhd.today##+js(acs, document.createElement, 'script') +aniwatch.pro,ytc.*##+js(nowoif) +||cdn.ay.gy/js/$script,3p +hianime.to,shahid4u.*,watchonlinemoviespk.*,moviekids.tv##+js(nowoif) +megaupto.com##+js(nano-stb, seconds) +hihihaha1.xyz,rufiguta.com##+js(nowoif, /^/, 1) +projectfreetv.*,hdss.*,moviesflix.*,10starhd.*##^script:has-text(break;case) +||cdn.abysscdn.com/players/playhydraxb.min.js$script,domain=hihihaha1.xyz +www-y2mate.com##+js(nowoif) +||apimate.net/ad.js +filmyzilla.*##[href^="//"][rel="nofollow"] +streamhub.*##center > a[href][target="_blank"] +streamhub.*##+js(aopw, __aaZoneid) +streamhub.*##+js(nowoif) +streamingcommunity.*##+js(acs, decodeURI, decodeURIComponent) +*$script,3p,denyallow=streamhub.to,domain=streamhub.* +hdhub4u.*##.watch-hd +hdhub4u.*##.hd-links +superstream.*##+js(aopr, AaDetector) +$script,3p,denyallow=bootstrapcdn.com,domain=uploadflix.* +$script,3p,denyallow=translate.google.com|googleapis.com,domain=lrepacks.net +moviezwap.*##+js(nowoif) +moviezwap.*##[style^=" width: 305px;"][type^="button"][onclick^="window.location.href"] +! https://s3.xfile.sbs/file/rczaGIkXGE +! https://xcloud.pics/c5a83cce79ebbe3 +! https://app.xcloud.host/login - breakage +~xcloud.host,xcloud.*##+js(rpnt, script, /window.open.*/gms, window.open(url\, "_self");}) +xfile.*##+js(rpnt, script, /window\.location\.href.*?;/) +~xcloud.host,xcloud.*##+js(noeval-if, window.open) +~xcloud.host,xcloud.*##+js(aost, EventTarget.prototype.addEventListener, /(?=^(?!.*(challenge-platform|jquery|challenges\.cloudflare\.com|jwplayer)))/) +~xcloud.host,xcloud.*##^script:has-text(/eval\(.+?RegExp/) +*$script,3p,denyallow=accounts.google.com|cloudflare.net|fastly.net|jsdelivr.net,from=xfile.* +xfile.*##.ads-btns +xfile.*##[href^="https://is.gd/"] +xfile.*##.downloads-btns-div +~xcloud.host,xcloud.*##.ads-btns +/^https:\/\/[0-9a-z]{8,}\.[a-z0-9]{7,}\.[a-z]{4,}\/[0-9a-f]{32}\/a4\/[0-9a-f]{13}\.js$/$script,3p,match-case +/^https:\/\/[0-9a-z]{8,}\.[a-z0-9]{7,}\.[a-z]{4,}\/[0-9a-f]{32}\/b4\/[0-9a-f]{13}\.js$/$script,3p,match-case +||43478y.online^ +||addi809.buzz^ +||chubbyfailure.com^ +||cleanupharm.com^ +||diligentcloset.com^ +||impliednauseous.com^ +||impressexaltsculptor.com^ +||tomarnamki.shop^ +||worthyboxersympathy.com^ + +! pp_issues +! firefox html filtering +! ##^script:has-text(;}}};break;case $.) +! ##+js(rmnt, script, ;}}};break;case $.) +123movies.*,123moviesla.*,123movieweb.*,2embed.*,720pstream.*,9xmovies.*,aagmaal.*,adsh.cc,adshort.*,afilmyhouse.blogspot.com,ak.sv,allmovieshub.*,animesultra.com,api.webs.moe,apkmody.io,asianplay.*,atishmkv.*,atomixhq.*,attvideo.com,backfirstwo.site,bdnewszh.com,bflix.*,buffsports.me,ccurl.net,cloudvideo.tv,cloudvideotv.*,crazyblog.in,cricstream.*,crictime.*,cuervotv.me,daddylive.*,daddylivehd.*,divicast.com,dlhd.so,dood.*,dooood.*,dvdplay.*,embed.meomeo.pw,embedstream.me,extramovies.*,faselhd.*,faselhds.*,filemoon.*,filmeserialeonline.org,filmesonlinexhd.biz,filmy.*,filmyhit.*,filmywap.*,filmyzilla.*,flexyhit.com,fmovies.*,foreverwallpapers.com,french-streams.cc,fslinks.org,gdplayer.*,goku.*,gomovies.*,gowatchseries.*,hdfungamezz.*,hdmoviesfair.*,hdtoday.to,hinatasoul.com,hindilinks4u.*,hindimovies.to,hurawatch.*,hwnaturkya.com,hxfile.co,igg-games.com,infinityscans.net,jalshamoviezhd.*,livecricket.*,mangareader.to,membed.net,mgnetu.com,mhdsport.*,mkvcinemas.*,movies2watch.*,moviespapa.*,mp3juice.info,mp3juices.cc,mp4moviez.*,mydownloadtube.*,myflixerz.to,niaomea.me,nolive.me,novelssites.com,nowmetv.net,nowsportstv.com,nuroflix.*,nxbrew.com,o2tvseries.*,o2tvseriesz.*,oii.io,olympicstreams.co,paidshitforfree.com,pctfenix.*,pctnew.*,pepperlive.info,pirlotv.*,playertv.net,poscitech.*,poscitesch.com,primewire.*,putlocker68.com,redecanais.*,roystream.com,rssing.com,s.to,serienstream.*,sflix.*,shahed4u.*,shaheed4u.*,share.filesh.site,sharkfish.xyz,skidrowcodex.net,smartermuver.com,soccerinhd.com,socceronline.*,speedostream.*,sportcast.*,sports-stream.site,sportskart.*,stream4free.live,streamadblocker.*,streamingcommunity.*,streamnoads.com,tamilarasan.*,tamilfreemp3songs.*,tamilmobilemovies.in,tamilprinthd.*,tapeadsenjoyer.com,tgo-tv.co,thewatchseries.live,tnmusic.in,torrentdosfilmes.*,travelplanspro.com,tubemate.*,tusfiles.com,tutlehd4.com,twstalker.com,uploadrar.*,uqload.*,userscloud.com,vid-guard.com,vidcloud9.*,vidco.pro,vido.*,vidoo.*,vidsaver.net,vidspeeds.com,vidsrc.*,vipbox.*,vipboxtv.*,viprow.*,viralitytoday.com,voiranime.stream,vudeo.*,vumoo.*,watchdoctorwhoonline.com,watchomovies.*,watchserie.online,webhostingpost.com,woxikon.in,www-y2mate.com,yesmovies.*,ylink.bid##+js(rmnt, script, ;}}};break;case $.) + +! ##+js(acs, Math, zfgloaded) +01fmovies.com,1movietv.com,33sk.*,3sk.*,4shared.com,allcalidad.*,anime-odcinki.pl,animesvision.*,bdcraft.net,best4hack.blogspot.com,biqle.com,bmovie.*,cinedetodo.*,cinetux.*,converto.io,descargas2020.*,extrafreetv.com,exyi.net,filmeonlinehd.biz,fmovie.*,hindilinks4u.*,hitokin.net,ipaste.pw,iptvdroid1.blogspot.com,ironysub.*,janjua.*,kstreaming.*,kwik.*,langitmovie.com,libertyvf.*,movieloversworld.com,nensaysubs.net,nflbite.com,onlinework4all.com,onlystream.tv,popcornstream.*,protect-mylinks.com,putlocker.*,saveshared.com,short.pe,shorten.*,solarmovie.*,storieswatch.com,streamango.*,streaming-one.com,streamloverx.com,televisiongratishd.com,turkanime.*,uploadev.*,upzone.cc,ur-files.com,vidoza.net,vidshare.tv,watchtrailerparkboys.com,xmovies08.*##+js(acs, Math, zfgloaded) +! ##+js(acs, JSON.parse, break;case $.) +1111fullwise.*,111watcho.*,123-movies.*,123moviesc.*,123moviesla.*,1kmovies.*,2gomovies.*,4filmyzilla.*,69hoshudaana.*,a123movies.net,acervofilmes.com,adshort.*,airportseirosafar.com,ajkalerbarta.com,akmcloud.*,allmovieshub.*,altadefinizione01.*,animepahe.*,animesonline22.com,animetak.*,animeworld.tv,api.webs.moe,appsfree4u.com,appvn.com,arenavision.*,askim-bg.com,attvideo.com,b-bmovies.com,baixedetudo.net.br,baramjak.com,batmanstream.*,bclikeqt.com,beastlyprints.com,bengalisite.com,bestfullmoviesinhd.org,birdurls.com,bmovies.*,bollymovies.*,bollywoodfilma.*,buffstream.*,ch-play.com,charexempire.com,clampschoolholic.*,comandotorrenthd.org,comofuncionaque.com,crackevil.com,crichd.*,crictime.*,cryptoforu.org,deportealdia.live,dflinks.*,downloadming.*,dramacool.*,e123movies.com,eio.io,essaysharkwriting.club,europix.*,exe.app,exee.io,extreme-down.*,f1stream.*,fbstream.*,fffmovies.*,filme-bune.biz,filmisongs.*,filmovi.ws,flixhq.ru,flixtor.video,foumovies.*,fullcinema.*,fullreal.*,fulltube.*,fzmoviesnet.com,getmega.net,givemenbastreams.com,givemeredditstreams.com,gnula.*,gogoplay.*,gomo.to,gyonlineng.com,hd44.net,hdmoviehubs.*,hdmovies23.com,hdonline.co,hdpopcorns.*,hdss-to.*,hdzone.org,healthnewsreel.com,i123movies.net,iegybest.co,ikindlebooks.com,illink.net,imagetot.com,imgdawgknuttz.com,isaimini.ca,iv-soft.com,jalshamoviezhd.*,janjua.tv,jewelry.com.my,jkanime.*,johnwardflighttraining.com,kabarportal.com,katflys.com,keepv.id,keepvid.*,kiss-anime.*,kissanime.*,kissasians.org,kissmanga.*,kora-online.tv,kshow123.net,kstorymedia.com,kumascans.com,la123movies.org,leet365.cc,lespassionsdechinouk.com,libertestreamvf.*,linkshere.*,linksmore.*,live7v.com,livestreamtv.pk,lodynet.*,lookmovie.*,lookmovie186.*,lookmoviess.com,losmovies.*,manga4life.com,mangadna.com,mangahub.io,mangasco.com,mangceh.cc,masengwa.com,mcdlpit.com,mega-mkv.com,mega-p2p.net,megafilmeshd20.*,megashare-website.com,mettablog.com,mlbstream.*,momomesh.tv,motive213link.blogspot.com,motogpstream.*,moviebb.net,movierulzhd.*,movies7.to,moviesbaba.*,moviescounter.*,mp3-gratis.it,mp3juice.info,mp3spy.cc,my1ink.*,myegy.*,myfernweh.com,myl1nk.*,myli3k.*,mylink.*,naasongs.*,naasongsfree.*,nbastream.*,needrombd.com,nflstream.*,ngomik.net,nhlstream.*,novamovie.net,novelssites.com,oceanofmovies.*,onlinesubtitrat.com,onlinevideoconverter.*,oploverz.*,orangeink.pk,ostreaming.tv,pagalworld.*,peliculontube.net,pelismart.com,pelisstar.com,pirlotv.mx,playerfs.com,playlist-youtu.be,playtamil.*,plylive.*,primewire.*,projectfreetv.*,projectfreetv2.com,putlocker9.*,putlockers.*,querofilmehd.*,romfast.com,rugbystreams.*,sdmoviespoint.*,serijehaha.com,sharkfish.xyz,shortlinkto.*,simsdom.com,skidrow-games.com,soap2day.*,sportstreamtv.*,ssoap2day.*,stream.pkayprek.com,talaba.su,tamilyogi.best,tamilyogis.*,tatabrada.tv,tenies-online.*,tennisstreams.*,tgo-tv.co,thelinkbox.*,thesuperdownload.*,thingstomen.com,thripy.com,tlin.me,turcasmania.com,tvply.*,u123movies.com,ufcstream.*,ukmagazinesfree.com,uppit.com,urdubolo.pk,usagoals.*,vedbom.*,veryfastdownload.pw,vevioz.com,vidbeem.com,vidbm.com,vidcorn.to,vidembed.*,vidlo.us,vidsrc.*,vkmp3.*,wat32.tv,watchmovieshd.*,watchserieshd.*,watchseriesstream.com,wawacity.*,webhostingpost.com,wifi4games.com,wildwap.*,wmoviesfree.*,xmovies8.*,xn--mlaregvle-02af.nu,xxxwebdlxxx.top,yeshd.net,yesmovies.*,yodbox.com,yt1s.com,ytsaver.*,zeidgh.com,ziperto.com##+js(acs, JSON.parse, break;case $.) +! ##+js(acs, parseInt, break;case $.) +123movies-official.net,123movies-official.site,123movies.net,123movies4up.*,123moviesfree.*,123moviesme.*,123moviesready.org,123moviesto.club,4stream.*,5xmovies.*,720pstream.*,7hitmovies.*,9kmovies.*,9tsu.*,9xmovie.*,9xupload.*,ajkalerbarta.com,allosoccer.com,altadefinizione01.*,anavidz.com,anidl.org,animasu.club,anime-sanka.com,anime4up.*,animefreak.*,animehditalia.it,animes.vision,animesanka.*,animesultra.com,animesup.*,apkmody.io,apkshrt.com,appsfree4u.com,asianhdplay.net,asianplay.*,asianwatch.net,atdhe.pro,atomohd.*,bakotv.com,bbb.fm,bdmusic23.*,beastlyprints.com,bengalisite.com,bestfullmoviesinhd.org,bhplay.me,bx-zone.com,canonprintersdrivers.com,cat-a-cat.net,ccnworldtech.com,ch-play.com,cheat.hax4you.net,cima100fm.com,clipconverter.cc,crystal-launcher.pl,distanta.net,dtmaga.com,elevationmap.net,eplayvid.*,exey.io,f1stream.*,fakazagods.com,fastilinks.*,fboxtv.com,fbstream.*,fightforthealliance.com,fileguru.net,files.im,filma1.*,filma24.*,filmy.*,filmyhit.*,flixtor.*,freemoviesfull.com,freeromsdownload.com,g3g.*,gameslay.net,gdplayer.*,gentlewasher.com,gofilmes.*,gogoplay1.com,gogoplay2.com,gogoplay4.com,gomoviz.*,govid.*,gum-gum-stream.com,hds-streaming-hd.com,hds-streaming.*,healthnewsreel.com,hentaizm.fun,hhdmovies.*,hikarinoakari.com,hilaryhahn.com,hindimovies.*,hothit.me,hotmasti.*,ilgeniodellostreaming.*,ilinks.in,imgspark.com,insurancebillpayment.net,intereseducation.com,iv-soft.com,jetanimes.*,jewelry.com.my,jockantv.com,johnwardflighttraining.com,joolinks.*,jpscan-vf.com,kabarportal.com,katlinks.*,katmoviehd4.com,kimoitv.com,kingdomfiles.com,kstorymedia.com,leet365.cc,lespassionsdechinouk.com,libertestreamvf.*,liflix.site,linkotes.com,linksfire.*,linksly.co,livestreamtv.pk,lustholic.com,mangahere.today,manganatos.com,manhuascan.*,manhwa68.com,mcubd.host,megafilmeseseriesonline.com,melodelaa.*,messitv.net,mkvcage.*,mkvpapa.*,mlbstream.*,mobdropro.com,modsfire.com,moonblinkwifi.com,moshahda.net,motive213.com,motogpstream.*,moviedekho.in,moviefreak.*,movies2k.*,moviescounnter.com,moviesdaweb.*,moviesland.*,moviesverse.*,moviewr.com,mp3-now.com,mp3fromyou.tube,mp3fusion.net,mp3juices.su,mp3yeni.org,mycima.*,myfernweh.com,myoplay.club,nbastream.*,networklovers.com,neymartv.net,nflstream.*,ngomik.net,nhlstream.*,nkiri.com,novelroom.net,nullpk.com,ogario.*,okamimiost.com,okanime.*,orangeink.pk,ovamusic.com,paidnaija.com,pelismarthd.com,pelismartv.com,pelisplus.uproxy.page,pelispoptv.com,pirate4all.com,plylive.*,plyvdo.*,poscitech.*,put-locker.com,putingfilm.com,putlockers.*,quiltfusion.com,rawkuma.com,redowlanalytics.com,roms-download.com,roms-hub.com,roms-telecharger.com,rugbystreams.*,s.to,serien.cam,serienstream.to,series9.*,serijehaha.com,sflix.pro,shadowrangers.*,shahed4u.*,shorterall.com,showbizbites.com,shrink.*,shrugemojis.com,southfreak.*,ssrmovies.*,stardima.*,stickerdeals.net,stopstreamtv.net,streambee.to,streamsport.*,strikeout.*,t7meel.*,talaba.su,tamilarasan.*,tamilfreemp3songs.*,tamilprint.*,tamilprinthd.*,tatabrada.tv,tcpermaculture.com,techmyntra.net,techsslash.com,tennisstreams.*,thelosmovies.com,thememypc.net,thevideome.com,thewatchseries.live,thripy.com,topflix.*,totallyfuzzy.net,traveldesearch.com,tubidy.*,tudotecno.com,tuktukcinema.co,turcasmania.com,turkish123.com,tvhay.top,tvply.*,uctnew.com,ufcstream.*,up-load.io,up-load.one,upload-4ever.com,uploadmx.com,uploadrar.*,uploads.mobi,uptobhai.*,uptoimage.com,upvid.*,urdubolo.pk,uwatchfree.*,vanime.*,vbox7-mp3.info,vf-film.net,vibehubs.com,vikistream.com,vipstand.se,viralitytoday.com,voiranime.stream,waploaded.com,warefree01.com,watch4hd.*,watchdoctorwhoonline.com,watchimpracticaljokers.com,watchmovie.*,watchomovies.*,watchopm.net,watchseriess.net,watchtheofficetv.com,watchtvch.club,web.livecricket.is,webloadedmovie.com,whatshowto.com,wifimovies.net,wintub.com,world4ufree.*,world4ufree1.*,worldgreynews.com,wupfile.com,y-2mate.com,yomoviesnow.com,yoyofilmeys.*,yseries.tv,yt-convert.com,ytconverter.app,ytmp3cc.net,ytmp4.live,ytmp4converter.com,yts.*,yugen.to##+js(acs, parseInt, break;case $.) +! ##+js(aeld, , break;case $.) +0dramacool.net,0gomovie.*,0gomovies.*,185.53.88.104,185.53.88.204,185.53.88.15,123moviefree.*,123movies4k.net,1kmovies.*,1madrasdub.*,1primewire.*,1rowsports.com,2embed.*,2madrasdub.*,2umovies.*,4anime.*,4share-mp3.net,9animetv.to,720pstream.me,aagmaal.com,abysscdn.com,adblockplustape.*,ajkalerbarta.com,altadefinizione01.*,androidapks.biz,androidsite.net,animeonlinefree.org,animesite.net,animespank.com,aniworld.to,apkmody.io,appsfree4u.com,atomixhq.*,audioz.download,awafim.tv,bdnewszh.com,beastlyprints.com,beinmatch.*,bengalisite.com,bestfullmoviesinhd.org,betteranime.net,blacktiesports.live,brmovies.*,buffsports.stream,ch-play.com,cima4u.*,clickforhire.com,clicknupload.*,cloudy.pk,cmovies.*,computercrack.com,coolcast2.com,crackedsoftware.biz,crackfree.org,cracksite.info,cricfree.*,crichd.*,cryptoblog24.info,cuatrolatastv.blogspot.com,cydiasources.net,decmelfot.xyz,dirproxy.com,dood.*,dopebox.to,downloadapk.info,downloadapps.info,downloadgames.info,downloadmusic.info,downloadsite.org,downloadwella.com,ebooksite.org,educationtips213.blogspot.com,egyup.live,elgoles.pro,embed.meomeo.pw,embed.scdn.to,emulatorsite.com,essaysharkwriting.club,exploreera.net,extrafreetv.com,f1stream.*,fakedetail.com,faselhd.*,fbstream.*,fclecteur.com,filemoon.*,filepress.*,files.im,filmlinks4u.*,filmpertutti.*,filmyzilla.*,flexyhit.com,fmoviefree.net,fmovies24.com,fmovies.*,freeflix.info,freemoviesu4.com,freeplayervideo.com,freesoccer.net,french-stream.*,fseries.org,fzlink.*,gamefast.org,gamesite.info,gettapeads.com,gmanga.me,gocast123.me,gofilms4u.*,gogoanime.*,gogohd.net,gogoplay5.com,gomoviz.*,gooplay.net,gostreamon.net,happy2hub.org,harimanga.com,hdmoviefair.*,hdmovies4u.*,hdmovies50.*,hdmoviesfair.*,healthnewsreel.com,hexupload.net,hh3dhay.*,hinatasoul.com,hindilinks4u.*,hindisite.net,holymanga.net,hotmasti.*,hurawatch.*,hxfile.co,isosite.org,iv-soft.com,januflix.expert,jewelry.com.my,johnwardflighttraining.com,kabarportal.com,klmanga.*,klubsports.*,kstorymedia.com,la123movies.org,lespassionsdechinouk.com,libertestreamvf.*,lilymanga.net,linksdegrupos.com.br,linkz.wiki,livetvon.*,livestreamtv.pk,macsite.info,manga1000.*,manga1001.*,mangaraw.*,mangarawjp.*,mangasite.org,manhuascan.com,megamovies.org,membed.net,mlbstream.*,moddroid.com,motogpstream.*,movi.pk,moviefree2.com,movierulz.*,movies123.*,movies-watch.com.pk,movies2watch.*,moviesden.*,moviesite.app,moviesonline.fm,moviesx.org,moviezaddiction.*,msmoviesbd.com,musicsite.biz,myfernweh.com,myviid.com,nazarickol.com,nbastream.*,netcine.*,nflstream.*,nhlstream.*,noob4cast.com,nsw2u.com,oko.sh,olympicstreams.me,onlinewatchmoviespk.*,orangeink.pk,pahaplayers.click,patchsite.net,pctfenix.*,pctnew.*,pdfsite.net,pksmovies.*,play1002.com,player-cdn.com,plyjam.*,plylive.*,pogolinks.*,popcorntime.*,poscitech.*,productkeysite.com,projectfreetv.one,romsite.org,rufiguta.com,rugbystreams.*,rytmp3.io,send.cm,seriesite.net,seriezloaded.com.ng,serijehaha.com,shahed4u.*,sflix.*,shrugemojis.com,siteapk.net,siteflix.org,sitegames.net,sitekeys.net,sitepdf.com,sitesunblocked.*,sitetorrent.com,softwaresite.net,solarmovies.*,sportbar.live,sportcast.*,sportskart.*,sports-stream.*,ssyoutube.com,stardima.com,stream4free.live,streaming-french.*,streamers.*,streamingcommunity.*,strikeout.*,superapk.org,supermovies.org,t20cup.*,tainio-mania.online,talaba.su,tamilguns.org,tatabrada.tv,techtrendmakers.com,tennisstreams.*,thememypc.net,thripy.com,torrentdosfilmes.*,toonanime.*,travelplanspro.com,turcasmania.com,tusfiles.com,tvonlinesports.com,tvply.*,ufcstream.*,ultramovies.org,uploadbank.com,uptomega.*,uqload.*,urdubolo.pk,vudeo.*,vidoo.*,vidspeeds.com,vipbox.*,vipboxtv.*,vipleague.*,viprow.*,warezsite.net,watchmovies2.com,watchmoviesforfree.org,watchofree.com,watchsite.net,watchsouthpark.tv,watchtvch.club,web.livecricket.is,webseries.club,worldcupstream.pm,y2mate.com,yesmovies.*,yomovies.*,yomovies1.*,youapk.net,youtube4kdownloader.com,yt2mp3s.*,yts-subs.com##+js(aeld, , break;case $.) +! ##+js(acs, Math, break;case $.) +01234movies.*,1234movies.*,123gostream.*,123moviesgo.*,123moviestoday.net,1link.club,1primewire.com,1stkissmanga.*,1tamilmv.*,8-ball-magic.com,adcorto.*,adsh.cc,afilmyhouse.blogspot.com,aii.sh,akwam.*,animehay.tv,animeheaven.ru,arnaqueinternet.com,asianload.*,ate9ni.com,bdiptv.*,beammeup.com.au,bitlinks.pw,bollyshare.*,ccurl.net,ceesty.com,cinen9.*,citpekalongan.com,claimcrypto.cc,clkmein.com,cllkme.com,comandotorrentshds.org,corneey.com,crazyblog.in,cuevana3.*,destyy.com,dogecoin.*,dramanice.*,earnload.*,eastream.net,ed-protect.org,f1stream.*,fakaza.com,fbstream.*,festyy.com,filmesonlinex.*,filmy4wap1.*,filmyone.com,freelitecoin.vip,freeload.*,fzmovies.*,game3rb.com,gdirect.*,gestyy.com,gogoanimes.*,gulf-up.com,hd44.com,hdfilme.*,hdstreamss.club,hindimean.com,hindimoviesonline.*,hostxy.com,iiyoutube.com,imagenesderopaparaperros.com,inextmovies.*,japscan.ws,linkflash.techipe.info,linkskat.*,liveonscore.tv,livesport24.net,mailnesia.com,mangaindo.web.id,mangastream.mobi,mega4up.*,megaup.net,mkvhub.*,mlbstream.*,mlsbd.*,motogpstream.*,movies4me.*,moviesmon.*,moviesshub.*,moviessquad.com,movieston.com,moviesub.is,movizland.*,mozkra.com,mp3cristianos.net,mp3songsdownloadf.blogspot.com,naijahits.com,naijal.com,nbastream.*,nbch.com.ar,nflstream.*,nhlstream.*,nowmovies.*,ocnpj.com,octanime.net,openload.*,otomi-games.com,pctfenix.*,pctnew.*,phc.web.id,plusupload.*,pregledaj.net,primeflix.website,py.md,r2sa.net,racaty.*,readingbd.com,receitasoncaseiras.online,recetas.arrozconleche.info,revivelink.com,rojadirecta.*,rojadirectatv.*,romfast.com,rugbystreams.*,s2dfree.*,seriesflv.*,seriesly.*,seuseriado.*,sh.st,shavetape.*,shortpaid.com,stalkface.com,stream2watch.*,streamingworld.*,strtapeadblock.*,summarynetworks.com,supervideo.tv,tajpoint.com,techrecur.com,tennisstreams.*,theismailiusa.org,thekingavatar.com,thenetnaija.co,tny.so,torrentfilmes4k.org,try2link.com,ufcstream.*,uhdstreams.club,upfiles.*,vdtgr.com,vedshar.com,vidcloud9.*,vidcloudpng.com,vidomo.xyz,vidsaver.net,wildwap.com,worldgirlsportal.com,xmovies.*,xsanime.com,ymovies.*,ymp4.download,youtubeai.com,youtubetoany.com,youwatch.*,ytanime.tv,zone-annuaire.*,zpaste.net,zplayer.live##+js(acs, Math, break;case $.) +! ##+js(acs, String.fromCharCode, /btoa|break/) +0123movies.*,2conv.com,anonymous-links.com,bdupload.*,dl-protect.*,dl-protect1.*,doctor-groups.com,dubhappy.net,egyanime.com,filmesonlinehd1.org,firstonetv.*,flvto.biz,goalup.live,gomovieshub.io,gplinks.co,hdmovieplus.*,hdss.*,hydracdn.*,kissanime.*,linkshorts.*,manga-raw.club,mangamanga.*,modapkfile.com,movieshub.*,movs4u.*,multifaucet.org,nbaup.live,o2tvseries.website,pewgame.com,q1-tdsge.com,readm.org,shortearn.*,shrlink.top,shugraithou.com,sports24.*,ustream.*,vexfile.com,vexmovies.*,vidlox.*,voe.sx,watchtvseries.video,yesmovies123.me,yifysubtitles.*##+js(acs, String.fromCharCode, /btoa|break/) +! ##+js(aost, Math.random, /\st\.[a-zA-Z]*\s/) +filmypur.*,kmo.to,nuroflix.*,onifile.com,oxanime.com,pelis28.*,pelisplusgo.*,pelisplusxd.*,pewgame.com,piraproxy.app,repelisgoo.*,repelisgooo.*,repelisgt.*,repelisxd.*,severeporn.com,sexphimhd.net,theproxy.*,tvply.*,vidlox.*,voirseries.io,watchfree.*##+js(aost, Math.random, /\st\.[a-zA-Z]*\s/) +! ##+js(acs, globalThis, break;case) +10starhd.*,1337xx.to,alphagames4u.com,anysex.com,asianclub.*,cheatermad.com,downloadpirate.com,embed.casa,exee.app,f2movies.to,fapeza.com,fileone.tv,films5k.com,gcloud.live,hdss.*,imx.to,javideo.pw,javstream.top,just-upload.com,mavplay.*,moviesflix.*,ouo.*,projectfreetv.*,qdembed.com,streamvid.net,ujav.me,videobb.*,voirseries.*##+js(acs, globalThis, break;case) +! ##+js(rmnt, script, globalThis;break;case) +kickassanime.*##+js(rmnt, script, globalThis;break;case) +! ##+js(acs, JSON.parse, Promise) +adblockstreamtape.*,adblockstrtape.*,adblockstrtech.*,komikcast.*,mavanimes.*,stape.*,streamadblockplus.*,streamta.*,streamtape.*,streamtapeadblock.*,strtape.*,strtapeadblock.*,strtpe.*,vanime.*##+js(acs, JSON.parse, Promise) +! ##+js(acs, navigator, break;case $.) +123moviesonline.*,2embed.*,adblockeronstape.*,brbushare.*,cuatrolatastv.blogspot.com,cue-vana.com,direct-cloud.me,driveup.in,filmeseries.*,goved.org,hdmovies2.org,hdmovies50.*,seriezloaded.com.ng,skymovieshd.*,slink.bid,stapewithadblock.*,streamers.watch,upbam.org,uplinkto.*,uppit.com,vadbam.com,vadbom.com,vedbam.*,vidbam.org,vidshar.org##+js(acs, navigator, break;case $.) +! ##+js(aost, Object, /(?=^(?!.*(https)))/) +songspk.*##+js(aost, Object, /(?=^(?!.*(https)))/) +! ##+js(acs, document.documentElement, break;case $.) including FingerprintJS variant +0123movie.*,10starhub.com,11xmovies.*,123chill.*,123mkv.*,123movies-free.*,123movies-org.*,123movies.*,123moviesfree.*,123movieshub.*,123movieweb.*,190.115.18.20,1cloudfile.com,1direct-cloud.*,1hd.to,1movieshd.*,1qwebplay.xyz,1stream.*,1todaypk.*,1vid1shar.space,2kmovie.*,3kmovies.*,4movierulz.*,4movierulz1.*,5movies.*,5moviess.com,6hiidude.art,720pflix.*,7moviesrulz.*,7starhd.*,7starmv.com,9anime.pe,9goals.live,9kmovies.*,9xflix.*,a8ix.*,acn.vin,adblocktape.*,adslink.pw,aflizmovies.com,ak4eg.*,algodaodocescan.com.br,aliezstream.pro,amsmotoresllc.com,andyday.tv,anihdplay.com,animeonline.ninja,animesultra.net,animeunity.*,animixplay.*,aniwatch.*,aniwatchtv.to,antenasports.ru,antennasports.ru,arbsd.*,asianhdplay.*,atishmkv.*,b4ucast.com,backfirstwo.site,bdmusic28.*,blogesque.net,bolly2tolly.*,bollyflix.*,bowfile.com,buffsports.me,buffstreams.*,cinemabaz.com,claplivehdplay.ru,clickndownload.*,comedyshow.to,cool-etv.net,couchtuner.*,crackstreamshd.click,crvsport.ru,d0000d.com,d000d.com,d0o0d.com,daddylive1.*,daddylivehd.*,darkibox.com,defienietlynotme.com,direct-cloud.*,divicast.com,divxfilmeonline.net,dlhd.*,do0od.com,dood.*,doods.pro,dooood.*,downloadhub.*,ds2play.com,ds2video.com,dwlinks.buzz,egybest.*,embedme.*,embedpk.net,embedplayer.*,embedstream.me,embtaku.*,emovies.*,encurtandourl.com,engvideo.net,esportivos.*,exee.app,explorosity.net,extremosports.club,f123movies.com,faselhd-watch.*,faselhd.*,faselhdwatch.*,file-upload.com,filemooon.*,film4e.com,filmeserialeonline.org,filmy-hit.*,filmygod.*,filmyhitt.com.in,finfang.*,fiveyardlab.com,flashsports.org,flixhq.*,flostreams.xyz,flybid.net,fmembed.cc,fmoonembed.*,fmoonembed.pro,fmoviesfree.*,fmovieszfree.com,focus4ca.com,foot2live.cc,footballandress.club,footybite.to,footyhunter.lol,forex-trnd.com,fr.streamon-sport.ru,freemovies.*,freetvsports.com,french-streams.cc,fsl-stream.lu,fslinks.org,fullfreeimage.com,futemax.zip,game-2u.com,gamovideo.com,gdrivelatino.net,gdrivelatinohd.net,gdtot.*,gembedhd.com,globalstreams.xyz,gocast.pro,gocast2.com,godzcast.com,gogohd.*,gokutv.*,gomovies.*,goone.pro,gotaku1.com,hamburgerinsult.com,harimanga.com,hdfriday.*,hdhub4u.*,hdmoviehub.*,hdmovies23.*,hdtoday.tv,hellnaw.*,hexload.com,hianime.*,hihihaha1.xyz,hitsports.pro,hollymoviehd.*,huboflink.in,hurawatchz.to,iflixmovies.*,imagelovers.com,isaidub6.net,itopmusic.com,itopmusics.com,japscan.lol,jockantv.com,jpopsingles.eu,kaido.to,kerapoxy.*,kickassanime.*,kinoger.*,klubsports.*,koora.vip,kunmanga.com,kuttymovies1.com,lewblivehdplay.ru,ligaset.com,likemanga.io,ling-online.*,linkedmoviehub.top,livestreames.us,locatedinfain.com,lrepacks.net,mangaraw.*,mangareader.to,maxstream.*,mcrypto.club,medeberiyas.com,mega4upload.com,megadb.net,megafilmeshd50.com,megaupto.com,mhdsports.*,mhdsportstv.*,mhdtvsports.*,mkvcinemas.*,mkvmoviespoint.autos,mlwbd.*,mmastreams.me,moonembed.*,movembed.cc,moviebaaz.*,moviekids.tv,movielinkhub.xyz,movieplay.*,movies2k.*,movies4u.*,movies4u3.*,moviesda4.*,movieshd.watch,movieshdwatch.to,moviesjoy.*,moviesrulz.*,moviestowatch.tv,moviesverse.*,movieuniverse.*,moviezwap.*,mp3fusion.net,mp4upload.com,mreader.co,multicanais.*,mydownloadtube.*,myflixertv.to,myflixerz.*,mylivestream.pro,mywatchseries.*,naijachoice.com.ng,naijanowell.com,netfilmes.org,netizensbuzz.com,nflstreams.me,niadd.com,niaomea.me,nizarstream.com,noblocktape.*,nohost.one,nolive.me,nowmaxtv.com,nowsports.me,nowsportv.nl,odiasia.sbs,ogomovies.*,oii.io,olalivehdplay.ru,olympicstreams.me,onepiecepower.com,optimizepics.com,pahe.plus,pesktop.com,pkspeed.net,pladrac.net,playgo1.cc,poclivetv.com,poophq.com,poscitechs.*,project-free-tv.*,projectfreetv.*,putlocker.*,qqwebplay.xyz,radamel.icu,rahim-soft.com,reddit-soccerstreams.com,repack-games.com,rgeyyddl.*,ronaldo7.pro,roystream.com,s.to,s3taku.com,sbnmp.bar,send.cm,serienstream.*,series2watch.*,seriesonline.*,seriestv.org,shadowrangers.live,shahed4u.*,shaheed4u.*,share.filesh.site,sharedisk.*,shavetape.*,shinden.pl,shoot-yalla.live,shortenlinks.top,sinvida.me,smoner.com,soap2day-online.com,soaper.tv,soccer100.shop,soccerstream100.to,sportsbuff.stream,sportshub.*,ssoap2day.*,stfly.*,strcloud.*,streamadblocker.*,streamcloud.*,streamhd247.*,streamhub.*,streamnoads.com,streamonsport99.*,streamtape.*,streamvid.net,strtapewithadblock.*,sulleiman.com,swatchseries.*,swiftload.io,tamilprint30.*,tapeadsenjoyer.com,tapeadvertisement.com,tapeantiads.com,tapeblocker.com,tapelovesads.org,tapenoads.com,tapewithadblock.org,techgeek.digital,temp.modpro.co,tennisonline.me,theflixertv.to,thenextplanet1.*,tii.la,tnhitsda.net,todaypk.*,topcartoons.tv,torovalley.net,totalsportek.*,trendytalker.com,turcasmania.com,tvfutbol.info,tvpclive.com,up-4ever.net,upbaam.com,uploadhub.*,uproxy.*,uptomega.net,usgate.xyz,uupbom.com,vadbam.net,vavada5com.com,vdbtm.shop,veev.to,vegamovie.*,vid-guard.com,vidcloud9.*,videoplayer.*,vido.*,vidspeed.cc,vidsrc.*,vidstreams.net,vidtube.one,viidshar.com,vikistream.com,vipbox.*,vipleague.*,vixcloud.co,volokit2.com,watchcartoononline.*,watchmovierulz.*,watchmovies.*,watchomovies.*,watchonlinemoviespk.*,watchop.live,watchseries.*,watchseries1.*,wecast.to,worldstreams.click,xsportbox.com,yesmovies4u.*,yu2be.com,z12z0vla.*,zamundatv.com,zvision.link##+js(acs, document.documentElement, break;case $.) +! ##+js(acs, document.createElement, ;}}};break;case $.) +moviesnation.*##+js(acs, document.createElement, ;}}};break;case $.) +! ##+js(acs, EventTarget.prototype.addEventListener, delete window) +10hitmovies.com,11xmovies.*,1flix.to,1tamilprint.art,2tamilprint.pro,2024tv.ru,720pflix.*,7hitmovies.*,9animetv.to,9xmoovies.com,advertisertape.com,alphatron.tv,andyday.tv,animeflv.*,animeunity.to,animeyabu.org,anitube.*,apkship.shop,arc018.to,ask4movie.*,ate60vs7zcjhsjo5qgv8.com,avjosa.com,buffshub.stream,capo4play.com,checklinks.online,cinedokan.top,clickndownload.*,cookiewebplay.xyz,crackstreamsfree.com,daddylive1.ru,databasegdriveplayer.*,dlolcast.pro,dooodster.com,dudefilms.*,edgedeliverynetwork.com,embasic.pro,embdproxy.xyz,engstreams.shop,enorme.tv,fastdokan.*,fastdownload.top,file4go.*,filecrypt.co,filmyworlds.*,flostreams.xyz,footballstreams.lol,footybite.to,foreverquote.xyz,freetvsports.com,frembed.*,freshwaterdell.com,fsportshd.net,gdflix.*,gdriveplayer.*,gdtot.*,hdfilme.*,hdhub4u.*,hdstream.one,hdstream.one,hexload.com,hoca2.com,hoca4u.xyz,joyousplay.xyz,jpopsingles.eu,kingstreamz.site,lato.sx,linkmake.in,lulu.st,lulustream.com,luluvdo.com,messitv.org,movi.pk,movies4u.*,movieshubweb.com,moviezwap.*,nbabite.to,nexdrive.*,neymartv.net,nflbite.to,pkembed.*,player.smashy.stream,pahe.*,poscitechs.lol,putlocker.*,reddit-streams.online,ripplestream4u.*,rojadirectaenhd.net,rojadirectaenvivo.la,rubyvid.com,s2watch.link,sflix.*,shazysport.pro,shopr.tv,showflix.*,soap2day.*,soccerstreams.best,sportsgames.today,sportshub.stream,sportsloverz.xyz,sportsurge.best,sportzlive.shop,storynavigation.com,streamblasters.*,streambtw.com,streameast.*,streamed.su,streamlivetv.site,streamruby.com,streamtape.*,subtitlecat.com,swfr.tv,swiftload.io,tamilprint29.*,tamilprint30.*,tamilprint31.*,tamilprint33.art,tarjetarojaenvivo.lat,thedaddy.to,thehesgoal.com,toonstream.*,topembed.pw,totalsportek.*,tvsportslive.fr,updown.cam,usgate.xyz,uqload.*,vegamovies4u.*,vidsrc.*,vinovo.to,viprow.*,vixcloud.co,vodkapr3mium.com,volokit2.com,watch32.sx,watchadsontape.com,wdpglobal.com,weakstreams.online,worldstreamz.shop,xcloud.*,ythd.org##+js(acs, EventTarget.prototype.addEventListener, delete window) +! ##^script:has-text('{delete window[') +11xmovies.*,buffshub.stream,cinego.tv,ev01.to,fstream365.com,fzmovies.*,linkz.*,lulustream.com,minoplres.xyz,mostream.us,myflixer.*,oii.la,pahe.*,prmovies.*,s3embtaku.pro,sflix2.to,sportshub.stream,streamblasters.*,streamingcommunity.*,topcinema.cam,topembed.pw,zonatmo.com##+js(rmnt, script, '{delete window[') +pahe.*##html > iframe[style^="display:"]:not([src]):remove() +atlaq.com,bolly4umovies.*,douploads.net,moalm-qudwa.blogspot.com,shurt.pw##+js(aopr, zfgformats) +123movieshub.*,animeunity.*,bflix.*,cima-club.*,flixhq.*,hindilinks4u.*,mcloud.bz,t7meel.*,vidstream.pro##+js(aopr, zfgstorage) +01fmovies.com,123moviesfun.is,bmovies.*,bolly4umovies.*,putlocker.*##+js(acs, Math, XMLHttpRequest) +egydead.*##+js(acs, Promise, JSON.parse) +arabseed.*,liiivideo.com,seeeed.*##+js(acs, Promise, break;case $.) +adblockeronstreamtape.*,bowfile.com,cloudvideo.tv,cloudvideotv.*,embedstream.me,hiphopa.net,niaomea.me,noblocktape.*,nolive.me,send.cm,torrentmac.net,tusfiles.com,vipleague.*,ziperto.com##+js(acs, JSON, break;case) +isaimini.*##+js(aost, Object, inlineScript) +pepperlive.info##+js(acs, Object, break;case $.) +filmywap.*##+js(acs, Object, XMLHttpRequest) +coinfaucet.io##+js(acs, decodeURI, zfgloadedpopup) +bitfly.io,pelisplus.*,pelisplus2.*##+js(aost, Math.random, /\st\.[a-zA-Z]*\sinlineScript/) +shahiid-anime.net##+js(aost, Object, /(?=^(?!.*(https)))/) +||flixhq.*/loadme/ +! https://www.reddit.com/r/uBlockOrigin/comments/1feyh47/wwwanitubeus_detected/ +file4go.net##+js(no-xhr-if, outbrain) +! https://github.com/uBlockOrigin/uAssets/pull/26211 +||omegatoki.com^$all +! https://github.com/uBlockOrigin/uAssets/issues/26238 +vidsrc.cc#@#+js(acs, EventTarget.prototype.addEventListener, delete window) +||vidsrc.cc/saas/js/script.all.js +! https://github.com/uBlockOrigin/uAssets/issues/26250 +@@||fastlycdn.com/ajax/libs/react/*/cjs/react.production.min.js^$script,3p +||mostream.us/popuv.js^ +/assets/jquery/css.js^$script,1p,strict1p + +! pp_blob +||filmovi.ws^$csp=script-src * 'unsafe-inline' + +! pp server +! https://github.com/uBlockOrigin/uAssets/issues/24547 +||xyz/|$xhr,3p,method=head,ipaddress=/^139\.45\.19[5-7]\.\d{1,3}/ +||com/|$xhr,3p,method=head,ipaddress=/^139\.45\.19[5-7]\.\d{1,3}/ +/^https?:\/\/[a-z]{8,15}\.xyz\/$/$xhr,3p,to=xyz,method=head,header=access-control-expose-headers:/X-DirectionPartner-Id/ +/^https?:\/\/[a-z]{8,15}\.com\/$/$xhr,3p,to=com,method=head,header=access-control-expose-headers:/X-DirectionPartner-Id/ +/^https?:\/\/[a-z]{6,15}\.[a-z]{2,3}\/5\/\d{6,7}(?:\?_=\d+|\/\??)?$/$script,xhr,3p +/^https?:\/\/[-a-z]{8,15}\.(?:com|net)\/400\/\d{7}(?:\?v=\d+)?$/$script,3p +/^https?:\/\/[-a-z]{8,15}\.(?:com|net)\/401\/\d{7}(?:\?v=\d+)?$/$script,3p +/^https?:\/\/[-a-z]{8,15}\.(?:com|net)\/500\/\d{7}\?/$xhr,3p +/^https?:\/\/[a-z]{8,15}\.(?:com|net)\/tag\.min\.js$/$script,3p +||dauhunecoag.net^ +||go.bundlebyte.net^ +||leewibaijoa.com^$doc,popup +||ostupsaury.net^ +||higouckoavuck.net^$popup +||raiphafimept.net^ +||souhoazapee.net^ +||zaisofohow.net^ +?oo=1^$xhr,3p + +!!! other filters for pp +*$3p,xhr,script,denyallow=arc.io|cdnjs.cloudflare.com|cloudflare.net|fastly.net|fontawesome.com|jwpcdn.com,domain=files.im +filmpertutti.*##.ads +filmpertutti.*##.no_pop +*$script,3p,denyallow=google.com|youtube.com,domain=nkiri.com +moviespapa.*##+js(aost, XMLHttpRequest, /inlineScript|stackDepth:1/) +/popunder.js$domain=linkbox.to +*$3p,denyallow=bootstrapcdn.com|cloudflare.com|faselhd.club|fastly.net|gstatic.com|jwpcdn.com,domain=embed.scdn.to +kuttymovies.*##+js(aost, XMLHttpRequest, inlineScript) +videoplayer.*##+js(aopr, open) +*$xhr,3p,domain=dropload.io +||pnd.tl/*.gif$image +french-stream.*###banning +aagmaal.*##+js(rpnt, script, break;case $.) +||linkspop.xyz^$csp=script-src 'self' +goku.sx##+js(aost, Object, inlineScript) +*$xhr,3p,domain=nxbrew.com + +! https://github.com/uBlockOrigin/uAssets/issues/5761 +nsw2u.*##[href^="https://bit.ly/"] +! https://www.reddit.com/r/uBlockOrigin/comments/126iwtj/ +nsw2u.*##+js(no-xhr-if, googlesyndication) +! https://github.com/uBlockOrigin/uAssets/issues/25434 +||com/|$xhr,3p,method=head,domain=nsw2u.com +||xyz/|$xhr,3p,method=head,domain=nsw2u.com + +! Title: uBlock filters (2021) +! Last modified: %timestamp% +! Description: Filters optimized for uBlock, to be used along EasyList +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! New filters from January 2021 to -> +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! https://github.com/AdguardTeam/AdguardFilters/issues/71392 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=ottwow.com,redirect=google-ima.js + +! https://www.backlinkping .com anti adb +@@||backlinkping.com^$ghide + +! https://www.deine-tierwelt.de anti-adb +! https://github.com/uBlockOrigin/uAssets/issues/16505 +@@||deine-tierwelt.de^$ghide +deine-tierwelt.de##.OUTBRAIN +deine-tierwelt.de##.header-leaderboard +deine-tierwelt.de##.js-sticky-ad + +! https://github.com/AdguardTeam/AdguardFilters/issues/127698 +haho.moe##+js(aeld, mouseup, decodeURIComponent) +haho.moe##div:has(> div[title="Click to Close the Ad"]) +haho.moe##[href^="//"][style*="position: fixed;"] +*$script,3p,denyallow=fluidplayer.com|cdn77.org|gstatic.com|hwcdn.net|recaptcha.net,domain=haho.moe + +! freeporncave.com auto-redirect +freeporncave.com##+js(nostif, location.replace, 300) + +! empregoestagios.com/everydayonsales.com anti-adb +empregoestagios.com,everydayonsales.com##+js(nostif, css_class.show) + +! https://www.reddit.com/r/uBlockOrigin/comments/kq6vu7/ublock_detected_on_this_page/ +vectogravic.com##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/71596 +pornorips.com##+js(acs, puShown, /doOpen|popundr/) + +! https://www.reddit.com/r/uBlockOrigin/comments/kq7enz/adblock_detected_on_httpskusonimecom/ +! https://github.com/uBlockOrigin/uAssets/issues/22390 +kusonime.com##+js(rpnt, script, /\(window\.show[^\)]+\)/, (true), condition, classList.add) +kusonime.com##+js(nostif, css_class.show) +kusonime.com##+js(set, showada, true) +kusonime.com##+js(set, showax, true) +kusonime.com##+js(aopw, app_advert) +kusonime.com##.iklanads +! https://github.com/uBlockOrigin/uAssets/issues/18533 +@@||kusonime.com^$script,1p +@@||nyaa-tan.my.id/js/$script,3p,domain=kusonime.com +! https://github.com/AdguardTeam/AdguardFilters/issues/104839 +cararegistrasi.com##+js(nano-sib, timer) +cararegistrasi.com##+js(nowoif) +cararegistrasi.com##a[href="https://bahasteknologi.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/71593 +pornhd8k.*###invideo_wrapper + +! https://github.com/AdguardTeam/AdguardFilters/issues/71592 +xxvideoss.org##+js(acs, String.fromCharCode, 'shift') +||xxvideoss.org/wp-content/uploads/*/bannerrtx.jpg$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/11886 +! https://github.com/AdguardTeam/AdguardFilters/commit/4342119e811260244f512191727489a62994083f#commitcomment-101212779 +/player/html.php?aid=post_roll_html^$redirect=noopframe,frame,1p +/player/html.php?aid=start_html&*&referer=$frame,1p +/player/html.php?aid=pause_html&*&referer=$frame,1p +/player/html.php?aid=pre_roll_html&*&referer=$frame,1p +xgirls.webcam###kt_player > div[style="position: absolute; inset: 0px; z-index: 170;"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/71616 +donghuanosekai.com##+js(nosiif, visibility, 1000) + +! bitsfree.net/getdoge.io/qashbits.com anti-adb +qashbits.com##+js(aopr, NoAdBlock) +qashbits.com##.mx-auto + +! https://github.com/AdguardTeam/AdguardFilters/issues/71680 +modapk.link##+js(aopr, app_vars.force_disable_adblock) +modapk.link##+js(set, blurred, false) + +! e-sushi .fr popup +e-sushi.fr##+js(rmnt, script, window.open) + +! https://github.com/uBlockOrigin/uAssets/issues/8430 +freeindianporn.mobi##+js(aeld, /.?/, popMagic) +||xedo.me^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/71707 +radionylive.com,radioitalylive.com,radiolovelive.com,radiocountrylive.com,radiosymphony.com,miamibeachradio.com,radiorockon.com,radioitaliacanada.com,radioitalianmusic.com,radioamericalatina.com,radiosantaclaus.com,radionorthpole.com,radionatale.com##+js(aopr, adp) +radionylive.com,radioitalylive.com,radiolovelive.com,radiocountrylive.com,radiosymphony.com,miamibeachradio.com,radiorockon.com,radioitaliacanada.com,radioitalianmusic.com,radioamericalatina.com,radiosantaclaus.com,radionorthpole.com,radionatale.com##[id^="ads-"] + +! absolugirl .com ads +absolugirl.com,absolutube.com##+js(aopr, document.dispatchEvent) +@@||chaturbate.com/*embed$frame,domain=absolugirl.com + +! allafricangirls .net ads + popups +allafricangirls.net##+js(aopr, document.dispatchEvent) +allafricangirls.net##[id^="exo_"] +allafricangirls.net##[src*="/banner"] + +! https://www.reddit.com/r/uBlockOrigin/comments/krikeu/ublock_detected_on_this_page/ +elvocero.com##+js(acs, __tnt, compatibility) + +! popups, popunders, ads +dirtyfox.net##+js(aopr, decodeURI) +booru.eu,borwap.xxx,centralboyssp.com.br,czxxx.org,filmdelisi.co,filmovitica.com,foxtube.com,hd-xxx.me,ipornxxx.net,itsfuck.com,javembed.*,javideo.pw,kissanime.*,lametrofitness.net,longporn.xyz,matureworld.ws,mp3-convert.org,sexy-games.*,stilltube.com,streamm4u.club,teenage-nudists.net,xvideos.name,xxx-videos.org,xxxputas.net,youpornfm.com,maxtubeporn.net,vidsvidsvids.com##+js(nowoif) +1youngteenporn.com##+js(aeld, popstate) +asianpornphoto.net,freexxxvideos.pro,videosxxxporno.gratis,nude-teen-18.com##+js(aopr, document.dispatchEvent) +123strippoker.com,babepedia.com,boobieblog.com,borwap.xxx,chicpussy.net,gamesofdesire.com,hd-xxx.me,hentaipins.com,longporn.xyz,picmoney.org,pornhd720p.com,sikwap.xyz,super-games.cz,xxx-videos.org,xxxputas.net##+js(aopr, loadTool) +blackpornhq.com,xsexpics.com,ulsex.net,wannafreeporn.com##+js(aeld, , pop) +camgirlbang.com,casting-porno-tube.com##+js(aopr, ExoLoader) +fetish-bb.com,rumporn.com,soyoungteens.com,zubby.com##+js(aeld, getexoloader) +hentaipins.com##+js(acs, pop_init) +hentaipins.com##+js(aopr, popundrCheck) +ekasiwap.com,pornbox.cc##+js(acs, decodeURI, decodeURIComponent) +pornvideoq.com##+js(aopr, history.replaceState) +rexxx.org##+js(aopr, rexxx.swp) +stvid.com##+js(noeval) +hypnohub.net,oldies.name,xnxxporn.video,xxxdessert.com,xxxshake.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +freepornxxxhd.com##+js(acs, String.fromCharCode, constructor) +hot-cartoon.com,richhioon.eu,wowstream.top##+js(aopr, BetterJsPop) +123movieshd.*##+js(aopr, mm) +123movieshd.*##+js(set, p18, undefined) +cfake.com###over +theyarehuge.com##+js(acs, Object.defineProperty, clickHandler) +*$script,3p,denyallow=bootstrapcdn.com,from=youdbox.* + +! 123movies4u. site => player eplayvid. net popups +porntry.com##.js-mob-popup + +erotic-beauties.com,hardsex.cc,sex-movies.biz,sikwap.xyz,tube18.sexy##+js(acs, pop_init) +itsfuck.com,stilltube.com##+js(ra, onclick, .previewhd > a) +nicy-spicy.pw##+js(aeld, /(?:click|touchend)/, _0x) +blackcunts.org,finderporn.com##+js(acs, onbeforeunload) +dansmovies.com##+js(aopr, popunder) +hentaianimedownloads.com##+js(acs, puShown, /doOpen|popundr/) +grosnews.com##+js(acs, adcashMacros) +xxxymovies.com##+js(set, flashvars.adv_pause_html, '') +dirtyship.com##+js(acs, onload) +hotscopes.*##+js(aopw, puShown) +hotscopes.*##+js(nowoif) +hotscopes.*##.ml-auto.navbar-nav +afrodity.sk,brato.bg,cinema21fullmovie.com,cotannualconference.org.uk,couponsuniverse.com,cycraracing.com,dahh.net,dlhe-videa.sk,elmalajeno.com,extreme-board.com,free-famous-toons.com,istanbulescortnetworks.com,ok-th.com,payt.com,pcparsi.com,podkontrola.pl,redtubemov.com,shtab.su,spiritword.net##+js(acs, document.createElement, 'script') +elmalajeno.com##^script:has-text(d.createElement('script')) +elmalajeno.com##^script:has-text(d.createElement(\'script\')) +@@||onlinefetishporn.cc^$ghide +@@||streamextreme.cc^$ghide +shegotass.info##+js(aopr, popunder) +shegotass.info##+js(set, flashvars.adv_pre_vast, '') +xxxshake.com##+js(set, flashvars.adv_pause_html, '') +tubsxxx.com##+js(nostif, window.location.href) +animeplanet.cc##+js(aopw, __C) +camlovers.tv##+js(acs, crakPopInParams) +camlovers.tv##+js(set, flashvars.protect_block, '') + +anybunny.com##td[width="360"] +babepedia.com##.sidebar_block > a[rel="nofollow noopener"] +borwap.xxx##.embedright +cartoonvideos247.com##.adv +cartoonvideos247.com##.sponsor +cartoonvideos247.com##.topad +cuckold-videos.org###v-ad +erotic-beauties.com##.sidebar > .widget_text +ezjav.com###preroll +ezjav.com##center +ezjav.com##div[style="overflow: hidden !important;margin-bottom:8px;"] +freexxxvideos.pro##.sidban +hd-xxx.me##.videoOverAdBig +hdjavonline.com##.happy-inside-player +hentaipins.com##.sidebar-wrapper.widget_text +hentaipins.com##.thumb-ad +hotntubes.com##td[width="360"] +instapornvideos.com##.container-sts-bl +javbest.xyz##.adsvideo +javrave.club,javraveclub.com##.leader_banner +kingcomix.com##[href^="//"][rel="nofollow norefferer noopener"] +longporn.xyz##[href="http://toplivesexcams.net"] +movies18.net##[href*="/go/"] +nude-teen-18.com##.cht6 +nude-teen-18.com##.rtrrtrlight-in-2 +pornteens.mobi##.fixx.chtrb +pornvideoq.com###playerOverlay +pornvideoq.com##.h250 +rumporn.com,stilltube.com###floaterRight +sexpuss.org##.bn1 +sexpuss.org##.tu-sexc3 +sexroom.xxx##.table +sissytube.net##a[href^="http://refer.ccbill.com/"] +thecartoonporntube.com##[href="/go/tube.php"] +thecartoonporntube.com###advertising [href] +vidsvidsvids.com##.zone +womennaked.net##.hrcht6 +pt.potwm.com##.pausedView +pt.potwm.com##.shown.visible.onlineIndicator +||protoawegw.com^$3p +tubsxxx.com##.aBlock +tubsxxx.com##.videoAd +pornez.net###cb00 +pornez.net###cb01 +cutscenes.net##.item:has(> div[id^="ts_ad_native"]) +cutscenes.net##.item:has(> iframe[src^="https://go."]) +gotocam.net,pornxday.com,twinkybf.com##.happy-sidebar +###playerOverlay[style="position:absolute; z-index:3"] +roshy.tv##.roshy-widget +roshy.tv##.beeteam368-player-sub-element + +*$script,3p,denyallow=cloudflare.com|cloudflare.net|fastly.net|jsdelivr.net|unpkg.com|zencdn.net,domain=xxxfiles.com +*$script,domain=hoporno.net,3p,denyallow=googleapis.com +/istripper*$image,domain=hentaipins.com +/popup/exo-ads.$frame,1p +/xxx.js|$script,1p +||brazz-girls.com/chaturbate/ +||brazz-girls.com/scripts/yall.*.js +||camgirlbang.com/sparkling-$script,1p +||camgirlbang.com/crimson-$script,1p +||casting-porno-tube.com/old-frog-d67e/ +||elitepaysites.com/photos/*.gif$image +||ezjav.com/p.js +||fapfappy.com/*.php$script,1p +||freepornxxxhd.com^*/exopop.js +||hentaipins.com/*.php$script,1p +||hentaipins.com/pop.js +||i.imgur.com^$domain=anime-hentai.jp.net|ezjav.com +||ibradome.com/ba/chargi.js +||imgbox.com/ae/$domain=matureworld.ws +||instapornvideos.com/back.js +||jav-xx.com/wp-content/uploads/*.gif$image +||jorpetz.com/kahitano/banner.gif +||katestube.com/jsb/js_script.js +||mixxporn.com/b1.php +||pornhex.com/nb/ +||pornofaps.com/frosty-bread-04ce/ +||seed69.com/wp-content/uploads/*.gif$image +||sexyaporno.com/chat_$script +||tb.fuckandcdn.com/tbstatic*/tryboobs/compiled/script. +||thecartoonporntube.com/*.gif$image +||vidsvidsvids.com/go/ +||xszav.club/nb/ +||xxxdessert.com/*_fe.js +||camlovers.tv^$script,1p +@@||camlovers.tv/player/kt_player.js +/flo.js| + +||goryachie-foto.net^$3p +||pub.contexthub.net^ +||ptwmstc.com/npt/banner/ +||tabooporn.tv^$3p +||xmorex.com^$3p +||adbetnetwork.com^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/71758 +##.full-ave-pl +##.full-bns-block +##.vertbars +##.video-brs +/safu/safu.js + +! exit prevention, redirect, popups +/tp/filter.php?pro= +/myvids/rek/*$frame,script,1p +/myvids/show.php$frame,1p +/myvids/click/*$script,1p +###plban +##div[class$="player-promo-col"] +##.player-bns-block +/zlk/zlk.js +/pop1.js|$script,1p +||easyads28.*^ +! adultsclips.com,cutewifes.com,sexenvelope.com,sexpun.com +.com/fr.js|$1p +.com/v.js?v=3|$1p +! www.xxxvideor.com +/static/js/abb.js|$script,1p +! sextubexxl.com +/common-js/exit/om2.min.js +||sextubexxl.com/includes/scripts/ +! wikiporn.tv etc. +/nb/thejsfile.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/71734 +m-hentai.net##div.leaderboardcontainer +m-hentai.net##div[class^="landingpageadcontainer_iframe"] +||m-hentai.net/JS/exoclick%20popunder.js + +! https://www.reddit.com/r/uBlockOrigin/comments/kse3ke/using_element_zapper_while_ubo_is_disabled_to/ +! https://github.com/uBlockOrigin/uAssets/issues/21314 +jetpunk.com##+js(no-xhr-if, prebid) +jetpunk.com##+js(cookie-remover, PageCount) +jetpunk.com##+js(set-local-storage-item, PageCount, $remove$) +! https://github.com/uBlockOrigin/uAssets/issues/25387 +jetpunk.com##+js(trusted-set, asc, 'json:{"cmd": [null], "que": [null], "wrapperVersion": "6.19.0", "refreshQue": {"waitDelay": 3000, "que": []}, "isLoaded": true, "bidderSettings": {}, "libLoaded": true, "version": "v9.20.0", "installedModules": [], "adUnits": [], "aliasRegistry": {}, "medianetGlobals": {}}') +jetpunk.com##+js(trusted-set, google_tag_manager, 'json:{ "G-Z8CH48V654": { "_spx": false, "bootstrap": 1704067200000, "dataLayer": { "name": "dataLayer" } }, "SANDBOXED_JS_SEMAPHORE": 0, "dataLayer": { "gtmDom": true, "gtmLoad": true, "subscribers": 1 }, "sequence": 1 }') +@@||jetpunk.com^$script,1p +@@||jetpunk.com^$ghide +||jetpunk.com/resources/asc.js^$script,1p,important +jetpunk.com##.banner-ad-outer +jetpunk.com##.box-ad-inner +jetpunk.com##.box-ad-outer +jetpunk.com##.banner-x-outer +jetpunk.com##.support-beg + +! https://www.reddit.com/r/uBlockOrigin/comments/ksla7v/imgur_blocking_uploads_again_unless_whitelisted/ +imgur.com##+js(set, ADBLOCKED, false) +! https://www.reddit.com/r/uBlockOrigin/comments/m1iib6/imgur_ads_still_making_it_through/ +! reported +imgur.com,imgur-com.translate.goog##+js(set-cookie, WHITELISTED_CLOSED, 1) +! https://github.com/uBlockOrigin/uAssets/issues/22684#issuecomment-2362676257 +||sascdn.com/diff/$script,redirect=noopjs,domain=imgur.com +imgur.com##a[href].Post-item:has(.Post-item-external-ad):style(opacity: 0 !important; cursor: unset !important; pointer-events: none !important;) +imgur.com##+js(set, Object.prototype.adsEnabled, false) + +! thodkyaat.com ad-reinsertion +thodkyaat.com##pp + +! https://github.com/uBlockOrigin/uAssets/issues/12933 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=comidoc.net +comidoc.net#@#.googlead +@@||doubleclick.net^$xhr,domain=comidoc.net +comidoc.net##div[style="text-align: center; margin-left: auto; margin-right: auto; min-height: 266px; max-width: 100vw;"] +comidoc.net##div:has(> .adsbygoogle) +comidoc.net##div[style="text-align:center;margin-left:auto;margin-right:auto;min-height:266px;max-width:90vw"] + +! https://www.reddit.com/r/uBlockOrigin/comments/ktkw6p/proboards_based_forums_deploying_antiadblock/ +forum.gigabyte.us###ad1 +forum.gigabyte.us##[id^="ad-desktop-bottom"] +forum.gigabyte.us###remove_ads_link + +! 1primewire .com popups ads +||1primewire.com/addons/$image +1primewire.com##[id]:has(> [class="close ico"]) + +! https://github.com/uBlockOrigin/uAssets/issues/7322 +*$script,domain=novelmultiverse.com,redirect-rule=noopjs +@@||novelmultiverse.com^$ghide +novelmultiverse.com##+js(no-xhr-if, ads) +novelmultiverse.com##+js(aeld, , removeChild) +novelmultiverse.com##.adace-slideup-slot-wrap + +! cyberdefensemagazine.com anti-adb +cyberdefensemagazine.com##[href^="https://www.coresecurity.com/"] +cyberdefensemagazine.com###bsaIframe + +! kisahdunia.com anti-adb +kisahdunia.com##+js(aeld, DOMContentLoaded, adsBlocked) +kisahdunia.com##+js(aost, setTimeout, adsBlocked) +kisahdunia.com##.textwidget +kisahdunia.com##[href^="https://mawaddahcinta.com/"] +kisahdunia.com##[href^="https://www.samsung.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/71919 +hentai-party.com,hentaicomics.pro,xxx-comics.pro##+js(set, adb, 0) +hentaicomics.pro##+js(nowoif) +hentai-party.com,xxx-comics.pro##figure.mix > .tac +||hentai-party.com/*?view=$doc,other,removeparam=view +||hentaicomics.pro/*?code=$doc,other,removeparam=code +||xxx-comics.pro/*?view=$doc,other,removeparam=view + +! https://github.com/AdguardTeam/AdguardFilters/issues/71968 +withukor.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/126247 +taming.io##+js(no-xhr-if, ads) +||api.adinplay.com^$redirect=noopjs,script,domain=taming.io +taming.io###preroll +taming.io###main-box > #middle-wrap ~ div[id$="-left"] +taming.io###main-box > #middle-wrap ~ div[id$="-bottom"] + +! y2mate.guru popups +y2mate.guru##+js(nowoif) + +! https://github.com/easylist/easylist/issues/6476#issuecomment-758054579 +! todaypk related +todaypk.*,todaypktv.*,1todaypk.*,watchtodaypk.com##+js(nowoif) +1todaypk.*,todaypk.*,watchtodaypk.com##[href="/watchnow.php"] +todaypk.*##[href="/watchfree.php"] +todaypktv.*##.ad_watch_now +todaypktv.*##.hd-buttons1 +||multipledrawers.com^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/72021 +faptitans.com,pussysaga.com##.cross-promo-bnr +||faptitans.com^*/rc/logo.jpg +||pussysaga.com^*/footer/logo_ps.jpg +||theonlygames.com/ps_banner/ + +! https://github.com/uBlockOrigin/uAssets/issues/8451 +world4.eu##+js(aost, String.prototype.charCodeAt, ai_) +world4.eu##+js(aopr, ai_run_scripts) +||doubleclick.net/tag/js/gpt.js$object,redirect=noop.js,domain=world4.eu +*$image,3p,redirect-rule=1x1.gif,domain=world4.eu + +! https://github.com/AdguardTeam/AdguardFilters/issues/72129 +laptrinhx.com##+js(nosiif, clearInterval(i), 1000) +laptrinhx.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/8454 +healthtune.site##+js(nostif, nextFunction, 2000) + +! https://www.reddit.com/r/uBlockOrigin/comments/kw77ar/bbc_america_adblock_detector/ +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=bbcamerica.com + +! https://github.com/uBlockOrigin/uAssets/issues/8459 +babestube.com,momvids.com,porndr.com##+js(aopr, decodeURI) +babestube.com,momvids.com,porndr.com##div[style="position: absolute; inset: 0px; overflow: hidden; z-index: 160; background: transparent none repeat scroll 0% 0%; display: block;"] +babestube.com##[src^="https://www.babestube.com/player/html.php"] +babestube.com,momvids.com##.aside +babestube.com,momvids.com##.spot > div +momvids.com##[src^="https://www.momvids.com/player/html.php"] +porndr.com##div.opt +porndr.com##.we_are_sorry +||porndr.com/*/*.php^ +||babestube.com/bt*/bt.js +||momvids.com/mm*/mv.js + +! Mostly taken from AG and seen on various NSFW sites +/_a_ta/s/s/* +/a/ipn/js/* +/a/pop/js/* +/local_p.js^ +/local_ssu.js| +/s/js/ssu.v2.js?v= +/s/s/sui.php +/s/s/suo.php +/s/s/supc.php +/s/s/supv.php +/s/su.php?t= +/javascript/fropo.js +/s/s/js/m/custom.js? +/s/s/js/m/custom_advanced.js? +/s/s/js/m/im.js? +/s/s/js/ssu.v2. +/s/s/js/m/push.js? +/a/na/js/*$3p + +! https://github.com/uBlockOrigin/uAssets/issues/8460 +deviants.com##+js(aopr, decodeURI) +deviants.com##div[style="position: absolute; inset: 0px; overflow: hidden; z-index: 160; background: transparent none repeat scroll 0% 0%; display: block;"] +deviants.com##.aside +deviants.com##.spot > div +||deviants.com/player/html.php^ +||deviants.com/dv*/dv.js + +! https://github.com/uBlockOrigin/uAssets/issues/8461 +totv.org###ad + +! https://github.com/AdguardTeam/AdguardFilters/issues/72108 +! https://github.com/AdguardTeam/AdguardFilters/issues/85891 +manhwa18.cc##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +||a.realsrv.com/nativeads-v2.js$xhr,redirect=noop.txt + +! healthelia .com anti adb +healthelia.com##+js(nostif, google_jobrunner) + +! happypenguin.altervista .org anti adb +happypenguin.altervista.org##+js(nostif, adb) + +! dudestream .com anti adb +dudestream.com#@#.adsBanner +dudestream.com##+js(norafif, style.opacity) +dudestream.com##body > div[id^="\30"][class^="popup0"][class$="wrap"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/72221 +elektrikmen.com##+js(aopr, b2a) + +! https://github.com/AdguardTeam/AdguardFilters/issues/71877 +||wheelwheel.space^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/17102 +cybermania.ws##+js(acs, document.getElementById, showModal, /^data:text\/javascript/) +cybermania.ws##+js(no-xhr-if, /doubleclick|googlesyndication/) +cybermania.ws##+js(no-fetch-if, doubleclick.net/instream/ad_status.js, war:doubleclick_instream_ad_status.js) +cybermania.ws##+js(aost, document.getElementsByTagName, adsBlocked) +cybermania.ws##+js(aost, Math.random, /(?=^(?!.*(/akismet-frontend\.js|gstatic|jquery/)))/) +*$script,redirect-rule=noopjs,domain=cybermania.ws + +! https://github.com/uBlockOrigin/uAssets/issues/8468 +love4porn.com##+js(set, flashvars.popunder_url, '') +love4porn.com##div[style="position: absolute; inset: 0px; overflow: hidden; z-index: 160; background: transparent none repeat scroll 0% 0%; display: block;"] +love4porn.com##.sponsor +love4porn.com##.table + +! https://github.com/uBlockOrigin/uAssets/issues/8469 +crazyporn.xxx##div[style="position: absolute; inset: 0px; overflow: hidden; z-index: 160; background: transparent none repeat scroll 0% 0%; display: block;"] +crazyporn.xxx##.table +crazyporn.xxx##.sponsor +crazyporn.xxx##.item:has(> script[src^="/ai/"]) +freehardcore.com##+js(aopr, decodeURI) +||freehardcore.com/player/html.php^ +freehardcore.com##div[style="position: absolute; inset: 0px; overflow: hidden; z-index: 160; background: transparent none repeat scroll 0% 0%; display: block;"] +freehardcore.com##.aside +freehardcore.com##.spot + +! https://github.com/AdguardTeam/AdguardFilters/issues/72266 +suicidepics.com##+js(nostif, css_class.show) +*$script,3p,domain=suicidepics.com +||adshort.tech^$3p + +! down.fast-down.com anti adb +@@||down.fast-down.com^$ghide +down.fast-down.com##div[style="width:336px; height:280px; background-color:#ffffff; text-align:center"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/72257 +! Remove if fixed in VIE list +jav720.net,phimsexkhongche.net##.float-ck +phimsexkhongche.net##.under-video-block > center +jav720.net##.video-player-area > center +||i.pinimg.com/564x/$domain=jav720.net|phimsexkhongche.net + +! https://www.reddit.com/r/uBlockOrigin/comments/kyg7zo/annoying_popups_everywhere/ +usagoals.*##+js(nowoif) +||cdn777.net/site/binance-banner.jpg$image + +! https://www.reddit.com/r/uBlockOrigin/comments/kyjq3u/adblock_detectionmessage_shows_up_after_you_solve/ +@@||foxgreat.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/72413 +haoweichi.com##+js(aopr, onload) +haoweichi.com##.ad2 + +! https://github.com/AdguardTeam/AdguardFilters/issues/72454 +okteve.com##+js(acs, String.fromCharCode, marginheight) + +! https://github.com/uBlockOrigin/uAssets/issues/7702#issuecomment-762678996 +msubplix.com##+js(nowoif) +||msubplix.com/cdn-cgi/trace$xhr,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/72669 +arab4media.com##+js(acs, addEventListener, nextFunction) + +! myyouporn .com popups +myyouporn.com##+js(nowoif) + +! pinoyalbums. com anti adb +*$script,redirect-rule=noopjs,domain=pinoyalbums.com +pinoyalbums.com##+js(aeld, , adb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/52487 +easylinkref.com##+js(nano-sib, , , 0) +easylinkref.com##center > a[href][target=_blank] > img + +! https://www.reddit.com/r/uBlockOrigin/comments/l1sn4x/adblock_detected_on_w3layout/ +w3layouts.com##+js(nostif, show) + +! https://github.com/easylist/easylist/issues/6982 +||getsexgames.com/templates/sexgames/$image,1p +getsexgames.com##.center > table[cellspacing="5"] > tbody > tr:last-child:has(> td > h1) +getsexgames.com##.center > table[cellspacing="0"]:last-child > tbody > tr:last-child +getsexgames.com##.leftMenu .menuHeadline:has-text(3D) +getsexgames.com##.menuAff +getsexgames.com##.menuPointPic + +! https://github.com/easylist/easylist/issues/6983 +adultgamestop.bigtopsites.com##img[width="558"][height="149"]:upward(td[style]) + +! https://github.com/easylist/easylist/issues/6985 +pornachi.com##.table +pornachi.com##.sponsor +##.wps-player__happy-inside + +! https://github.com/AdguardTeam/AdguardFilters/issues/72825 +rezence.com##+js(nano-sib, counter, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/8492 +! hd-pornos. com => info +hd-pornos.*##.vjs-overlayed +hd-pornos.*###spezial_column +hd-pornos.*##div[id="wrapper_content"] > aside + +! https://github.com/uBlockOrigin/uAssets/issues/8493 +pornojenny.net,pornolisa.com##.adsbyexoclick:upward(1) + +! kickass sites +! https://github.com/uBlockOrigin/uAssets/issues/8497 +! https://github.com/uBlockOrigin/uAssets/issues/24264 +! https://github.com/uBlockOrigin/uAssets/issues/24281 +*$script,1p,domain=~kat.pink|~kat.computer|~kat.am|~kat.at|~kat.directory|~kat.rip|~kat.studio|~kickass.codes|~kickass.website|kat.*|katbay.*|kickass.*|kickasshydra.*|kickasskat.*|kickass2.*|kickasstorrents.*|kat2.*|kattracker.*|thekat.*|thekickass.*|kickassz.*|kickasstorrents2.*|topkickass.*|kickassgo.*|kkickass.*|kkat.*|kickasst.*|kick4ss.*|kickassbay.*|torrentkat.*|kickassuk.*|torrentskickass.*|kickasspk.*|kickasstrusty.*|katkickass.*|kickassindia.*|kickass-usa.*|kickassaustralia.*|kickassdb.*|kathydra.*|kickassminds.*|katkickass.*|kickassunlocked.*|kickassmovies.*|kickassfull.*|bigkickass.*|kickasstracker.*|katfreak.* +kat.*,kickass.*,kickass2.*,kickasstorrents.*,kat2.*,kattracker.*,thekat.*,thekickass.*,kickassz.*,kickasstorrents2.*,topkickass.*,kickassgo.*,kkickass.*,kkat.*,kickasst.*,kick4ss.*,katbay.*,kickasshydra.*,kickasskat.*,kickassbay.*,torrentkat.*,kickassuk.*,torrentskickass.*,kickasspk.*,kickasstrusty.*,katkickass.*,kickassindia.*,kickass-usa.*,kickassaustralia.*,kickassdb.*,kathydra.*,kickassminds.*,katkickass.*,kickassunlocked.*,kickassmovies.*,kickassfull.*,bigkickass.*,kickasstracker.*,katfreak.*##[style*="decoration"]:not([style^="width"]) +kat.*,katbay.*,kickass.*,kickasshydra.*,kickasskat.*,kickass2.*,kickasstorrents.*,kat2.*,kattracker.*,thekat.*,thekickass.*,kickassz.*,kickasstorrents2.*,topkickass.*,kickassgo.*,kkickass.*,kkat.*,kickasst.*,kick4ss.*##[href="/k.php?q=q"] +@@||kickasstorrents.*/static/js/all.js$script,1p +kickass.*###notification-bar +kickass.*##.alert +kickass.*##+js(rmnt, style, text-decoration) +kickass.*##[id]:matches-attr(id=/[a-zA-Z]{40,}/) +! https://github.com/uBlockOrigin/uAssets/issues/19826 +kat.*,katbay.*,kickass.*,kickasshydra.*,kickasskat.*,kickass2.*,kickasstorrents.*,kat2.*,kattracker.*,thekat.*,thekickass.*,kickassz.*,kickasstorrents2.*,topkickass.*,kickassgo.*,kkickass.*,kkat.*,kickasst.*,kick4ss.*##+js(aeld, , break;case $.) +kat.*,katbay.*,kickass.*,kickasshydra.*,kickasskat.*,kickass2.*,kickasstorrents.*,kat2.*,kattracker.*,thekat.*,thekickass.*,kickassz.*,kickasstorrents2.*,topkickass.*,kickassgo.*,kkickass.*,kkat.*,kickasst.*,kick4ss.*##+js(aopw, ospen) + +! https://github.com/uBlockOrigin/uAssets/issues/8519 +*.js|$script,1p,domain=isohuntz.*|isohunt.*|isohunts.*|isohuntx.*|isohunthydra.*|isohunters.*|isohunting.*|myisohunt.* +*$csp=script-src *,domain=isohuntz.*|isohunt.*|isohunts.*|isohuntx.*|isohunthydra.*|isohunters.*|isohunting.*|myisohunt.* +*$frame,domain=isohuntz.*|isohunt.*|isohunts.*|isohuntx.*|isohunthydra.*|isohunters.*|isohunting.*|myisohunt.* + +! https://github.com/uBlockOrigin/uAssets/issues/8520 +*$script,1p,domain=torrentproject2.* +*$csp=script-src *,domain=torrentproject2.* +*$frame,domain=torrentproject2.* + +! https://github.com/uBlockOrigin/uAssets/issues/8498 +uproxy.*##+js(aeld, , Pop) +uproxy.*##+js(set, String.fromCharCode, trueFunc) +uproxy.*##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/72849 +/istripper.js + +! https://github.com/uBlockOrigin/uAssets/issues/8507 +convert2mp3.club##+js(nowoif) +convert2mp3.club###idIframe + +! mylegalporno.com popup, ads +mylegalporno.com##+js(aeld, click, pu_count) +mylegalporno.com##.rmedia +mylegalporno.com##.zone +||mylegalporno.com^$frame,1p + +! server.satunivers. tv anti adb +server.satunivers.tv##+js(aeld, load, 2000) + +! https://www.reddit.com/r/uBlockOrigin/comments/l5rxxk/fix_for_winaerocom_blocking_content_if_ublock/ +winaero.com#@#.entry-content > div > div +winaero.com##[href^="/idx.php"] + +! taxidrivermovie.com PH +taxidrivermovie.com###scroll-div +taxidrivermovie.com##.adboard-top +taxidrivermovie.com##[href="/category/taxi-fares/"]:upward(.thumb) + +! https://github.com/uBlockOrigin/uAssets/issues/15622 +embedstream.me##+js(nowebrtc) +embedstream.me,nolive.me##+js(nowoif) +embedstream.me##+js(nostif, (), 150) +embedstream.me##^script:has-text(FingerprintJS) +embedstream.me##^script:has-text("admc") +embedstream.me##^script:has-text(\"admc\") +*$script,3p,denyallow=cloudflare.net|fastly.net|gstatic.com|jsdelivr.net,domain=nolive.me +embedstream.me##body > .position-absolute +embedstream.me###aff-click +@@||embedstream.me/cash.min.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/73376 +javporn18.com##+js(acs, document.querySelectorAll, popMagic) +javporn18.com##+js(acs, mypop) +javporn18.com###contentDiv +javporn18.com##.player_box + +! https://github.com/AdguardTeam/AdguardFilters/issues/73388 +vrporngalaxy.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/8516 +123unblock.*##+js(acs, atob, decodeURIComponent) +123unblock.*##+js(acs, adcashMacros) +123unblock.*##.alert-dismissible +||binomo.com/en/promo/*$doc + +! https://github.com/AdguardTeam/AdguardFilters/issues/73523 +simply-hentai.com##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +simply-hentai.com##.cam-container +simply-hentai.com##.reader > div.mb-3 > div.mt-3 + +! https://www.reddit.com/r/uBlockOrigin/comments/l821y4/adblock_detection/ +animesa.*##+js(set, adblock_use, false) +*$frame,3p,denyallow=cbox.ws,domain=animesa.* + +! stem-cells-news. com popups +stem-cells-news.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/73637 +ccurl.net##+js(aopr, app_vars.force_disable_adblock) +ccurl.net##+js(set, blurred, false) +ccurl.net##.banner +ccurl.net##.box-main > .blog-item +ccurl.net##[style*="width: 300px; height:250px"] +ccurl.net##.col-md-2 +*$script,3p,denyallow=bootstrapcdn.com|google.com|gstatic.com|hwcdn.net|jquery.com|recaptcha.net,domain=ccurl.net +||cryptocreed.com^$3p +||powr.io^$3p,script + +! https://www.reddit.com/r/uBlockOrigin/comments/l8uu90/adblock_detected/ +subtitle.one##+js(nostif, _0x, 3000) + +! https://www.reddit.com/r/uBlockOrigin/comments/l8tcfn/having_trouble_blocking_ads_on_a_sitecan_i_tweak/ +||wixstatic.com/media/*~mv2.gif$domain=taxi-point.co.uk +taxi-point.co.uk##div[id^="comp-"]:has(> a[data-testid="linkElement"] > wix-image[data-src$="~mv2.gif"]) +taxi-point.co.uk##div[id^="comp-"][class^="_"] > div[class^="_"][style^="padding-left"] + +! https://www.reddit.com/r/uBlockOrigin/comments/l94wfy/httpsgenshinimpactcalculatorcom_forcing_adblock/ +genshinimpactcalculator.com##+js(set, nitroAds.loaded, true) +genshinimpactcalculator.com##.damageGroup.artifactsContainer > .optimizerRow > .hasToolTip.gbutton > div.tooltip[style^="top: "] +genshinimpactcalculator.com###BannerBottom + +! javynow.com popup +javynow.com##+js(nowoif) +javynow.com##.videos-ad__wrap:style(background-color: transparent !important) + +! https://www.reddit.com/r/uBlockOrigin/comments/l9u38p/inline_script_blocking_syntax_wrong/ +@@||escapegames24.com^$ghide +escapegames24.com##ins.adsbygoogle +escapegames24.com###HTML13 +escapegames24.com###HTML3 +escapegames24.com###HTML2 +escapegames24.com###HTML11 +escapegames24.com###HTML6 > .widget-content b +escapegames24.com##div[id^="post-"] b + +! https://github.com/AdguardTeam/AdguardFilters/issues/73553 +*$script,redirect-rule=noopjs,domain=jnckmedia.com + +! zdravenportal. eu anti adb +zdravenportal.eu##+js(acs, jQuery, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/73764 +best18porn.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +best18porn.com##.banner +best18porn.com##.in-player-spot +||best18porn.com/best18.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/73924 +shooshtime.com##+js(acs, document.getElementsByTagName, adn) + +! th-world. com anti adb +th-world.com##+js(nostif, nextFunction, 250) + +! https://www.reddit.com/r/uBlockOrigin/comments/lcfxjo/noodlemagazine_ads/ +actionviewphotography.com,exporntoons.net,mat6tube.*,noodlemagazine.com,exporntoons.net,whatisareverseauction.com,sibtok.com,ukdevilz.com,tyler-brown.com##div[style]:has(> ins) +actionviewphotography.com,exporntoons.net,mat6tube.*,noodlemagazine.com,exporntoons.net,whatisareverseauction.com,sibtok.com,ukdevilz.com,tyler-brown.com##div[style]:has(> [id*="_ad_native_"]) +actionviewphotography.com,exporntoons.net,mat6tube.*,noodlemagazine.com,exporntoons.net,whatisareverseauction.com,sibtok.com,ukdevilz.com,tyler-brown.com##noindex +actionviewphotography.com,exporntoons.net,mat6tube.*,noodlemagazine.com,exporntoons.net,whatisareverseauction.com,sibtok.com,ukdevilz.com,tyler-brown.com##+js(nano-stb, download, 1100) +! https://github.com/uBlockOrigin/uAssets/issues/22477 +||ipvertnet.com/clickunder/ + +! https://github.com/uBlockOrigin/uAssets/issues/8535 +||binpartner.com^$3p +||olymptrade.com^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/74022 +mysexgames.com##+js(aopr, loadTool) +mysexgames.com##+js(set, createCanvas, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/lcud5z/ublock_failing_on_ebookbbcom/ +ebookbb.com##^script:has-text('shift') +ebookbb.com##^script:has-text(\'shift\') +*$3p,script,denyallow=google.com|gstatic.com|recaptcha.net|hcaptcha.com,domain=ebookbb.com + +! https://www.reddit.com/r/uBlockOrigin/comments/ld2kat/a_website_has_a_popup_or_whatever_with_ads/ +! https://github.com/uBlockOrigin/uAssets/issues/9039 +romaniataramea.com##.sgpb-popup-dialog-main-div-wrapper +romaniataramea.com##.sgpb-popup-overlay +romaniataramea.com##html:style(overflow: auto !important;) +romaniataramea.com##+js(aopr, bizpanda) +*/wp-content/plugins/sociallocker-next-premium/$script,css + +! https://github.com/easylist/easylist/issues/7117 +techjunkie.com##.home-page.main-section, html > body:style(margin-top: 0px !important;) +! https://github.com/uBlockOrigin/uAssets/issues/14690 +techjunkie.com##.slideMenu:style(top: -7px !important;) +techjunkie.com##body:style(padding-top: 0px !important;) +techjunkie.com##header:style(top: 0px !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/74018 +celebritynakeds.com##.show-over-1000.async-reklam-placeholder + +! https://github.com/uBlockOrigin/uAssets/issues/7702#issuecomment-774409825 +oyohd.*##+js(nowoif) +vidohd.com##+js(aopr, __Y) +||oyohd.*/cdn-cgi/trace$xhr,1p + +! https://github.com/easylist/easylist/issues/6998 +! https://www.reddit.com/r/uBlockOrigin/comments/lds98p/alot_of_ads_on_this_pornsite_are_not_blocked_by/ +! https://github.com/AdguardTeam/AdguardFilters/issues/83786 +bigtitslust.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +lesbian8.com##+js(aeld, getexoloader) +lesbian8.com##+js(aopr, decodeURI) +amateur8.com,bigtitslust.com,freeporn8.com,lesbian8.com,maturetubehere.com,sortporn.com##+js(aopr, Q433) +amateur8.com,bigtitslust.com,ebony8.com,freeporn8.com,lesbian8.com,maturetubehere.com,sortporn.com##+js(set, flashvars.adv_pre_vast, '') +amateur8.com,amateur8.com,bigtitslust.com,ebony8.com,lesbian8.com,sortporn.com###lotal +amateur8.com,bigtitslust.com,ebony8.com,maturetubehere.com,shemalesin.com,sortporn.com###player_add +amateur8.com,bigtitslust.com,freeporn8.com,lesbian8.com,maturetubehere.com,sortporn.com##.footer-margin +amateur8.com,ebony8.com,lesbian8.com,maturetubehere.com,shemalesin.com##.table +ebony8.com,lesbian8.com,maturetubehere.com,shemalesin.com##.sponsor +bigtitslust.com##[href^="https://www.bigtitslust.com/link/"] +lesbian8.com##[href^="https://www.lesbian8.com/link/"] +sortporn.com##[href^="https://www.sortporn.com/link/"] +||lesbian8.com/nb/ +amateur8.com###intt-layer +amateur8.com,bigtitslust.com,freeporn8.com,lesbian8.com,sortporn.com###int-over +bigtitslust.com,freeporn8.com,lesbian8.com,sortporn.com##.mitaru +amateur8.com,bigtitslust.com,freeporn8.com,lesbian8.com,sortporn.com##.calibro +amateur8.com,ebony8.com,maturetubehere.com,shemalesin.com##.top2.pignr +ebony8.com,freeporn8.com,maturetubehere.com,shemalesin.com##.item.pignr +amateur8.com,ebony8.com##li.pignr +/s/s/js/i-top.js?v= +/sum.js?i=*&v= + +! https://github.com/uBlockOrigin/uAssets/issues/8541 +@@||services.brid.tv/player/$script,domain=babylonbee.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/74216 +boobsrealm.com##+js(acs, puShown, /doOpen|popundr/) +||boobsrealm.com/wp-content/uploads/*-banner$image,1p +||bustyporn.com/*.php?src=$frame,3p +boobsrealm.com##iframe[style$="height: 250px;"] + +! https://www.reddit.com/r/uBlockOrigin/comments/le4owy/cant_figure_out_how_to_block_this_new_tab_from/ +! https://github.com/uBlockOrigin/uAssets/issues/12824 +720pstream.*##+js(nowoif) +720pstream.*##+js(nostif, "admc") +*$script,3p,denyallow=chatango.com|cloudfront.net|sharethis.com,domain=720pstream.* +! https://github.com/uBlockOrigin/uAssets/issues/25822 +720pstream.*,embedsports.me,embedstream.me,jumbtv.com,reliabletv.me##.bg-dark.position-absolute +720pstream.*,embedsports.me,embedstream.me,jumbtv.com,reliabletv.me##+js(rmnt, script, adserverDomain) +embedsports.me,embedstream.me,jumbtv.com,reliabletv.me##+js(rmnt, script, /break;case|FingerprintJS/) +embedsports.me,embedstream.me,jumbtv.com,reliabletv.me##+js(aeld, message) +||veepteecejoushe.net^ +||gliraimsofu.net^ + +! ytanime.tv ads +ytanime.tv##^script:has-text(u_cfg) +ytanime.tv##+js(aopr, u_cfg) +ytanime.tv##+js(aopw, adcashMacros) +*$script,3p,denyallow=arc.io|bootstrapcdn.com|chatango.com|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|facebook.net|fastly.net|fastlylb.net|fbcdn.net|google.com|googleapis.com|gstatic.com|hwcdn.net|jquery.com|jsdelivr.net|jwplatform.com|jwpcdn.com|recaptcha.net,domain=ytanime.tv + +! guardaserie. name popunder +||googletagmanager.com/gtag/js^$redirect=google-analytics_analytics.js,domain=guardaserie.* +guardaserie.*##+js(aeld, , /pop|_blank/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/70829 +||doubleclick.net/gampad/ads?*&output=xml_vmap$xhr,redirect=noopvmap-1.0,important,domain=tver.jp + +! https://github.com/uBlockOrigin/uAssets/issues/8544 +unblocked.name##+js(aopr, GetWindowHeight) +unblocked.name##+js(aopr, decodeURIComponent) +unblocked.name##+js(acs, adcashMacros) +unblocked.name##[style*="decoration"]:not([style^="width"]) +unblocked.name##.cborz-bordered +unblocked.name##.durs-bordered +unblocked.name##+js(aost, Math.random, ) +unblocked.name##[id^="cookie"] +||unblocked.name/zpp/*$script,domain=unblocked.name +/hy.js$script,domain=unblocked.name + +! https://github.com/AdguardTeam/AdguardFilters/issues/74299 +||icyporno.com/jss/external_pop.js +||icyporno.com/_ad +icyporno.com###parrot +icyporno.com###embed-overlay + +! https://www.reddit.com/r/uBlockOrigin/comments/lfwhnj/adblock_detected_on_this_site/ +tucsitupdate.blogspot.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/78608 +*$script,3p,denyallow=cloudflare.com|cloudfront.net|fastly.net|googleapis.com|gstatic.com|jwpcdn.com|sharethis.com|sharethis.net,domain=toonanime.* + +! https://github.com/uBlockOrigin/uAssets/pull/8556 +garrysmods.org##.blocker.jquery-modal +garrysmods.org##body[style="overflow: hidden;"]:style(overflow: auto!important;) + +! https://github.com/uBlockOrigin/uAssets/issues/8564 +@@||gaming-style.com^$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/pull/74668 +! https://www.reddit.com/r/uBlockOrigin/comments/x21m3v/ +cryptojunkie.net##+js(nobab) +*$script,redirect-rule=noopjs,domain=cryptojunkie.net + +! https://www.reddit.com/r/uBlockOrigin/comments/lig00v/blockadblock_always_a_pain/ +jagoanssh.com##+js(nosiif, visibility, 1000) +*$image,redirect-rule=1x1.gif,domain=vpnstunnel.com + +! https://www.reddit.com/r/uBlockOrigin/comments/lijud0/another_site_blocking_videos/ +tyla.com#@#div[class*="margin-Advert"] +tyla.com##div[class$="-margin-Advert"]:style(height:1px !important;width:1px !important;position:absolute !important;left:-3000px !important) + +! scnlog.me popups/ads +*$script,3p,denyallow=cloudflare.com|google.com|gstatic.com|recaptcha.net|hcaptcha.com,from=scnlog.me + +! https://github.com/AdguardTeam/AdguardFilters/issues/74823 +youtubemp3.us##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/8573 +ancient-origins.*##+js(set, document.bridCanRunAds, true) + +! dekki.com ads +dekki.com##div[pb-serve-label*="advert"]:upward(2) + +! https://github.com/uBlockOrigin/uAssets/issues/8575 +pcso-lottoresults.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/74931 +bittools.net##+js(acs, onload, fetch) + +! https://github.com/AdguardTeam/AdguardFilters/issues/74715 +otomi-games.com##+js(nano-sib) +! https://github.com/AdguardTeam/AdguardFilters/issues/177553 +otomi-games.com##+js(aopr, popns) + +! https://github.com/AdguardTeam/AdguardFilters/issues/75101 +@@*$ghide,domain=fastcoin.ga|dropcoins.xyz|faucetbr.tk|is2btc.com +fastcoin.ga##div[style="height: 90px;"] +fastcoin.ga##div[style="width:728px;height:90px;display: inline-block;margin: 0 auto"] +fastcoin.ga##.justify-content-center.col-sm-12.row > .overflow > center > .slide.carousel +fastcoin.ga##center > .justify-content-center.row +is2btc.com##.text-center.col-sm-3 +is2btc.com##div.col-sm-3:first-child +is2btc.com##ins[class][style="display:inline-block;width:728px;height:90px;"] +is2btc.com##div[class][style="width:300px;height:600px;display: inline-block;margin: 0 auto"] +is2btc.com##div[class][style="width:300px;height:250px;display: inline-block;margin: 0 auto"] +is2btc.com##.overlay +is2btc.com##div.col-sm-3:nth-of-type(3) +is2btc.com##.text-center.col-sm-12 +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.net|consensu.org|fontawesome.com|google.com|gstatic.com|hwcdn.net|jquery.com|jsdelivr.net,domain=dropcoins.xyz|fastcoin.ga|faucetbr.tk|is2btc.com|quickclaims.*|swift4claim.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/75129 +sunhope.it##+js(nosiif, document.getElementById, 10000) + +! propeller crap +||shortlinkto.*^$csp=default-src 'self' *.favicon.cc *.google.com *.gstatic.com *.googleapis.com +fulltube.*##.mvic-btn +||wifi4games.com/sw.js$script,1p + +! vibehubs. com antiadb and ads +vibehubs.com##+js(aost, jQuery, ai_adb) +vibehubs.com##[href^="https://www.star-clicks.com/"] +vibehubs.com##.code-block-4.code-block > [href] + +! convertitoremp3 .download ads +||expensivesurvey.online^$popup,3p + +afilmyhouse.blogspot.com##+js(nowoif) +crackevil.com##.pop-ad-wrap + +! https://github.com/uBlockOrigin/uAssets/issues/8589 +pcgamer.com##+js(aopr, _sp_._networkListenerData) +pcgamer.com##.onesignal-customlink-container +pcgamer.com##div[style="position: fixed; bottom: 0px; left: 0px; width: 100%; min-height: 90px; background-color: rgba(245, 245, 245, 0.8); z-index: 9995;"] +pcgamer.com##.listingResult:has(> div.sponsored-post) + +! https://github.com/uBlockOrigin/uAssets/issues/8592 +gaminggorilla.com##+js(aopr, history.replaceState) + +! https://github.com/uBlockOrigin/uAssets/issues/8594 +pagalworld.us##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/8598 +@@||freecoursewebsite.com^$ghide +freecoursewebsite.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/75264 +codesnail.com##+js(nostif, css_class.show) +codesnail.com##.widget_custom_html + +! babytorrent. ms popups +babytorrent.*,eztv-torrent.net##+js(aopr, decodeURI) + +! https://github.com/uBlockOrigin/uAssets/issues/8602 +! pirlotvonlinehd. me +rojadirectatvhd.*##+js(aeld, , _0x) + +! anti adb + popups +*$script,3p,domain=tanix.net + +! https://github.com/AdguardTeam/AdguardFilters/issues/75358 +tvn.pl##+js(json-prune, movie.advertising.ad_server playlist.movie.advertising.ad_server) +@@||cdntvn.pl/*/advert.js$xhr,domain=tvn.pl +tvn.pl##.on-top.ad-ph + +! https://github.com/AdguardTeam/AdguardFilters/issues/75541 +@@||hcdn.online^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/8615 +! https://github.com/AdguardTeam/AdguardFilters/issues/74176 +imginn.com,finchtechs.com##+js(acs, document.createElement, unblocker) +||copyrightcontent.org/unblocker/ +! https://www.reddit.com/r/uBlockOrigin/comments/1f8lfa8/mdiaload_catching_ubo/ +||copyrightcontent.org/ub/ub.js + +! https://github.com/uBlockOrigin/uAssets/issues/8618 +||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect=noop.js,domain=anidraw.net + +! https://github.com/easylist/easylist/pull/7248 +fpo.xxx##+js(set, flashvars.adv_pause_html, '') +fpo.xxx##+js(set, flashvars.adv_pre_src, '') + +! https://github.com/AdguardTeam/AdguardFilters/issues/75838 +rscripts.net##+js(nobab) + +! https://www.reddit.com/r/uBlockOrigin/comments/lt4xqd/please_fix_those_annoying/ +dogecoin.*##+js(aopr, app_vars.force_disable_adblock) +||coinad.*^$3p + +! https://forums.lanik.us/viewtopic.php?f=62&t=45805&p=158848#p158848 +gayforfans.com##+js(aeld, getexoloader) + +! cinecalidad popups +cinecalidad.*##+js(set, playerAdSettings.adLink, '') +cinecalidad.*##+js(set, playerAdSettings.waitTime, 0) +cine-calidad.*##+js(aeld, click, allclick_Public) +cine-calidad.*##+js(aopw, adcashMacros) +cine-calidad.*##+js(ra, href, #opfk) +cine-calidad.*##.links + +! https://github.com/easylist/easylist/pull/6896#pullrequestreview-599945327 +cambb.xxx##.thumb div.ad:upward(.thumb) +! https://github.com/AdguardTeam/AdguardFilters/issues/154443 +! https://github.com/uBlockOrigin/uAssets/issues/25105#issuecomment-2321474107 +cambb.xxx,nudecams.xxx##+js(no-xhr-if, googlesyndication) +cambb.xxx,nudecams.xxx###adb + +! https://github.com/uBlockOrigin/uAssets/issues/8628 +embed.indavideo.hu##+js(set, AdHandler.adblocked, 0) + +! https://github.com/AdguardTeam/AdguardFilters/issues/75996 +sexgames.xxx##+js(aopr, loadTool) + +! https://github.com/uBlockOrigin/uAssets/issues/8631 +||vexfile.com/sw.js$script,1p +||vexfile.com/img/cofksar.png +vexfile.com##.title-box > [href] > [src] + +! https://github.com/AdguardTeam/AdguardFilters/issues/152086 +manga18fx.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +manga18fx.com##+js(nostif, fetch) +manga18fx.com##.kadx +||manga18fx.com/nmme2023/nmme_frend.js + +! https://github.com/uBlockOrigin/uAssets/issues/8640 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js^$script,domain=sudoku-aktuell.de +sudoku-aktuell.de###ajax +sudoku-aktuell.de###billboard +sudoku-aktuell.de###blockdiv + +! jexmovie. com => vidlink. org popup +vidlink.org##[target="_blank"] + +! host2.jptorrent.org timer +jptorrent.org##+js(nano-stb) + +! https://github.com/uBlockOrigin/uAssets/issues/8658 + +! xtube.com PH +xtube.com##.pageBanner +xtube.com##.panelBottomSpace > li.pull-right +xtube.com##.removeAds +xtube.com##body.desktopView.hasFooterAd .mainSection:style(margin-bottom: 0!important;padding-bottom: 0!important;) + +##[href^="https://exi8ef83z9.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/8671 +hideandseek.world##+js(set, canRunAds, true) + +! https://github.com/easylist/easylist/issues/7331#issuecomment-791886559 +speedostream.*##+js(aost, JSON.parse, computed) +||s.speedostream.*^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/8674 +discovermagazine.com##a > img + div[class]:last-of-type:has-text(Sponsored):upward(div[sizes]) +discovermagazine.com##div[sizes] > span[class]:has-text(Sponsored):upward(div[sizes]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/76858 +sportbible.com#@#div[class*="margin-Advert"] +sportbible.com##div[class$="-margin-Advert"]:style(height:1px !important;width:1px !important;position:absolute !important;left:-3000px !important) +||static.adsafeprotected.com/vans-adapter-google-ima.js^$script,redirect=noopjs,domain=sportbible.com +! https://github.com/AdguardTeam/AdguardFilters/issues/133283 +@@||aniview.com/api/adserver/spt?$script,domain=sportbible.com +@@||player.avplayer.com/script/*/avcplayer.js$domain=sportbible.com + +! https://github.com/uBlockOrigin/uAssets/issues/8683 +spicyandventures.com##+js(aopr, decodeURI) +spicyandventures.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/76921 +infofuge.com##+js(nostif, disableDeveloperTools) + +! codingshiksha.com anti adb +codingshiksha.com##+js(nostif, css_class.show) + +! graphicux.com anti adb +graphicux.com##+js(nostif, css_class.show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/76914 +pengantartidurkuh.blogspot.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/9133 +*$script,redirect-rule=noopjs,domain=telegraf.rs|telegraf.tv + +! https://www.reddit.com/r/uBlockOrigin/comments/m15ihi/site_detecting_ublock_origin/ +traveldesearch.com##+js(aost, XMLHttpRequest, onreadystatechange) +vkspeed.com##div.jw-cue-type-ads + +! https://github.com/AdguardTeam/AdguardFilters/issues/77040 +@@||acilissaati.com^$ghide +acilissaati.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/76815 +whowantstuffs.blogspot.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/8695 +linkpoi.me##+js(acs, Math, replace) +linkpoi.me##+js(aopr, app_vars.force_disable_adblock) +linkpoi.me##+js(set, blurred, false) +linkpoi.me##+js(no-fetch-if, manager) + +! https://github.com/uBlockOrigin/uAssets/issues/8697 +alohatube.xyz##+js(set, popit, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/77079 +solotrend.net##+js(aopr, b2a) +solotrend.net##[href^="https://www.hoster.co.id/"] +solotrend.net###text-9 > .textwidget > p + +! https://github.com/AdguardTeam/AdguardFilters/issues/77077 +freevstplugins.net##+js(acs, document.getElementById, adsBlocked) +@@||freevstplugins.net^$ghide +freevstplugins.net##ins.adsbygoogle +freevstplugins.net##.advert-wrap + +! https://github.com/uBlockOrigin/uAssets/issues/8699 +@@||genelpara.com^$ghide +genelpara.com##ins.adsbygoogle +genelpara.com##[class^="rklm"] + +! https://github.com/easylist/easylist/issues/7395#issuecomment-796787384 +! https://github.com/uBlockOrigin/uAssets/issues/24423 +freeuseporn.com##+js(aopr, encodeURIComponent) +*$script,3p,from=freeuseporn.com,to=~cloudflare.com +||freeuseporn.com/backdrop.js +||freeuseporn.com/*.php^$frame +freeuseporn.com##.homed li:has(iframe) +freeuseporn.com##canvas + +||adsyou.pro^$3p +||bestcripto.xyz^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/9768 +elitepvpers.com##p > [href^="https://playorigin.com/"] +elitepvpers.com##[href="https://skyredirect1.com/"] +elitepvpers.com##a[href*="utm_medium=banner&utm_campaign=epvp"] +elitepvpers.com##div > .page > div > div[style]:has-text(/^Advertise/i) + a +elitepvpers.com##[href="https://www.skycheats.com/"] +elitepvpers.com##[href^="https://funpay.com/"] +||playorigin.com^$3p +||elitepvpers.com/123/oddeven_btc_de_4x.png$image,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/77375 +@@||gats.io^$ghide +gats.io##+js(nosiif, 0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/77363 +||foxhq.com/gabtab.webm$media,redirect=noop-1s.mp4 + +! https://github.com/AdguardTeam/AdguardFilters/issues/77453 +*$script,redirect-rule=noopjs,domain=cozinha.minhasdelicias.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/77429 +decomaniacos.es##+js(acs, addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/77424 +todoseriales1.blogspot.com##+js(nosiif, visibility, 1000) + +! https://www.reddit.com/r/uBlockOrigin/comments/lq141w/help_to_blocking_ad_spaces/gqbcft9/ +dbsmanga.com,read7deadlysins.com,readdrstone.com,readfairytail.com,readhxh.com,readkaguyasama.com,readkingdom.com,readmha.com,readnaruto.com,readnoblesse.com,readonepiece.com,readopm.com,readsnk.com,readtowerofgod.com,readvinlandsaga.com,watchgoblinslayer.com,watchoverlord2.com,watchsao.tv##.js-a-container +dbsmanga.com,demonslayermanga.com,read7deadlysins.com,readdrstone.com,readfairytail.com,readhxh.com,readjujutsukaisen.com,readkaguyasama.com,readkingdom.com,readmha.com,readnaruto.com,readnoblesse.com,readonepiece.com,readopm.com,readsnk.com,readtowerofgod.com,readvinlandsaga.com,watchgoblinslayer.com,watchoverlord2.com,watchsao.tv##.justify-center > div > b:first-child, .justify-center > div > br:nth-of-type(-n+5), .justify-center > div > center + +! https://github.com/uBlockOrigin/uAssets/issues/8666 +eturbonews.com##^responseheader(location) + +! https://github.com/LiCybora/NanoDefenderFirefox/issues/201 +@@||renault-club.cz^$ghide +renault-club.cz##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/8725 +||googleads.g.doubleclick.net/pagead/$xhr,redirect=nooptext,domain=danshort.com + +! https://www.reddit.com/r/uBlockOrigin/comments/m6ns66/adblock_detected/ +||evolok.net/*/authorize/*$xhr,redirect=nooptext,domain=nation.africa +||bohubrihi.com^$3p + +! https://github.com/easylist/easylist/issues/7400 +bhaskar.com##[id^="Ad"]:upward([style]) +divyabhaskar.co.in##[id^="Ad"]:upward([style]) + +! propeller crap/ads +livesport24.net##+js(acs, setTimeout, admc) +livesport24.net##+js(aopr, Adcash) +livesport24.net##[href^="https://b-partner.xyz/"] +123moviesme.*##+js(aopr, decodeURI) +saveshared.com,simpledownload.net##+js(aopr, String.fromCharCode) +inextmovies.*##+js(nowoif) +||livesport24.net/*.gif$image +emb.apl305.me##+js(nowoif, _blank) + +hd44.com##+js(nowoif) +*$script,3p,domain=hwnaturkya.com,denyallow=gstatic.com|recaptcha.net +hindilinks4u.*##.mvic-btn +##[href^="//taghaugh.com/"] +||bhplay.me/player/assets/devtools-detector/*$script,1p +||aragontrack.com^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/77746 +copydev.com##+js(acs, addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/8734 +otakudesu.*##.box_item_ads_popup +*.gif$domain=otakudesu.*,image + +! https://github.com/AdguardTeam/AdguardFilters/issues/77887 +insidertracking.com##+js(acs, jQuery, length) + +! https://github.com/easylist/easylist/issues/7438 +! https://github.com/uBlockOrigin/uAssets/issues/13649 +*$popunder,3p,domain=mp4porn.space +mp4-porn.space##.href_ + +! https://github.com/uBlockOrigin/uAssets/issues/5530 +playonlinux.com##h1:has-text(Ads) + +! https://github.com/uBlockOrigin/uAssets/issues/9813 +latesthdmovies.*##+js(acs, eval, replace) +latesthdmovies.*##+js(acs, document.createElement, 'script') +latesthdmovies.*##[href^="https://bit.ly/"] + +! news18. com ad leftovers ,video unblockade +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,domain=news18.com +-contrib-ads.$script,redirect=noopjs,domain=news18.com +/videojs.ads.$script,redirect=noopjs,domain=news18.com +news18.com##[class="Article_article_mad__1sOil"] +news18.com##[style^="min-height:"]:has(.OUTBRAIN) +news18.com##[style^="min-height :90px"] + +! popups +mp4moviez.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/8751 +sextvx.com##+js(nostif, window.location.href=link) +m.sextvx.com###home_hor_top_ads +m.sextvx.com###home_hor_bot_ads + +! https://github.com/uBlockOrigin/uAssets/issues/8754 +@@||menjelajahi.com^$ghide +menjelajahi.com##+js(nano-sib, time, , 0) +menjelajahi.com##+js(set, blurred, false) +menjelajahi.com##ins.adsbygoogle +menjelajahi.com##.alert-danger.alert-dismissable.alert + +! ukrainesmodels. com popups +ukrainesmodels.com##+js(aopw, atOptions) +*$script,3p,domain=ukrainesmodels.com + +! onlinepornhub. net popups +onlinepornhub.net##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +*$script,3p,domain=onlinepornhub.net,denyallow=k2s.cc +onlinepornhub.net##.header-area +onlinepornhub.net###footer-widget + +! nepaliputi. net popups +nepaliputi.net##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) + +! https://www.reddit.com/r/uBlockOrigin/comments/ma5dih/how_can_i_bypass_this_horrid_red_thing/ +downloadcursos.top##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/78136 +platform.adex.network##+js(no-fetch-if, moonicorn.network) + +! https://github.com/AdguardTeam/AdguardFilters/issues/78225 +@@||uploadshare.net^$ghide +uploadshare.net##ins.adsbygoogle +uploadshare.net##.advert-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/14822 +/js/static/header/sda/ppsuma*.js$script +xnxx.com##.videoad-title +! https://github.com/uBlockOrigin/uAssets/issues/26374 +xnxx.com,xvideos.*##+js(aeld, DOMContentLoaded, /dyn\.ads|loadAdsDelayed/) +xnxx.com,xvideos.*##+js(set, xv.sda.pp.init, noopFunc) + +! https://forums.lanik.us/viewtopic.php?p=159178#p159178 +@@||cache.marieclaire.fr/media/videojs/videojs.ads.min.js$script,domain=marieclaire.fr +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=marieclaire.fr + +! https://github.com/AdguardTeam/AdguardFilters/issues/78240 +*$script,3p,denyallow=arc.io|cloudflare.com|cloudflare.net|disqus.com|disquscdn.com|fastlylb.net|unpkg.com,domain=hatsukimanga.com +hatsukimanga.com##.cookies + +! https://github.com/AdguardTeam/AdguardFilters/issues/78265 +masfrandy.com##+js(acs, addEventListener, google_ad_client) + +! android-apk.org -> aapks.com countdown +android-apk.org##+js(nano-sib, time) +aapks.com##+js(nano-stb, countDown) + +! https://github.com/AdguardTeam/AdguardFilters/issues/78305 +forobasketcatala.com##+js(acs, XMLHttpRequest, onreadystatechange) + +! https://github.com/uBlockOrigin/uAssets/issues/8777 +itsecuritynews.info##+js(aopr, b2a) +itsecuritynews.info###secondary > .widget_custom_html.widget.widget_text + +! https://github.com/uBlockOrigin/uAssets/issues/8783 +||pagead2.googlesyndication.com/pagead/$redirect=noopjs,script,domain=overbits.herokuapp.com + +! https://www.reddit.com/r/uBlockOrigin/comments/mclt11/ +cimanow.*,cnvids.com###ad + +! https://github.com/uBlockOrigin/uAssets/issues/8785 +uvnc.com##+js(acs, addEventListener, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/8788 +thothub.*,thethothub.com##+js(aost, localStorage, inlineScript) +thothub.*,thethothub.com##.sponsor +thothub.*,thethothub.com##.table +thothub.*,thethothub.com##.prm-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/8789 +textovisia.com##+js(aopr, isAdBlockActive) + +! https://github.com/AdguardTeam/AdguardFilters/issues/78550 +cryptslice.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/78545 +pewgame.com##+js(aopr, app_vars.force_disable_adblock) +pewgame.com##+js(set, blurred, false) +pewgame.com##section.short .content +pewgame.com##body.captcha-page > .short +||pewgame.com/sw.js^ +||pewgame.com/js/hre.js^ +*$script,redirect-rule=noopjs,domain=pewgame.com + +! https://github.com/uBlockOrigin/uAssets/issues/8798 +dndsearch.in##+js(acs, $, height) + +! https://github.com/easylist/easylist/issues/7516 +redhdtube.xxx##+js(aopr, popns) +||redhdtube.xxx/tmp/ + +! nudeof.com anti-adb +nudeof.com##div[class^="d-none"] +nudeof.com##.col-xl-4.col-lg-6.col-md-8.col-12.order-xl-1.order-lg-1.order-md-1.order-sm-1.order-1 +nudeof.com##div.happy-section + +||rawcdn.githack.com/*/adbdetect.packed.js^$script + +! https://github.com/uBlockOrigin/uAssets/issues/8802 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=skmedix.pl +@@||pagead2.googlesyndication.com/getconfig/sodar$xhr,domain=skmedix.pl +@@||pagead2.googlesyndication.com/pagead/$script,domain=skmedix.pl +@@||tpc.googlesyndication.com/sodar/sodar2.js$script,domain=skmedix.pl +@@||googleads.g.doubleclick.net/pagead/ads?*skmedix.pl&$frame,domain=skmedix.pl +@@||fundingchoicesmessages.google.com^$script,xhr,domain=skmedix.pl +@@||googleads.g.doubleclick.net/pagead/ads?$frame,domain=skmedix.pl +@@||skmedix.pl^$ghide,script,1p +||skmedix.pl/cdn-cgi/zaraz/$script,1p,important +*$frame,redirect-rule=noopframe,domain=skmedix.pl +skmedix.pl##+js(cookie-remover) +skmedix.pl##+js(trusted-click-element, button.fc-button) +skmedix.pl##.adsbygoogle:style(height: 3px !important; display: block !important;) +skmedix.pl###aswift_4_host + +! https://github.com/uBlockOrigin/uAssets/issues/8813 +kaotic.com##+js(nowoif) +kaotic.com##.video-image > .track_outbound_post:upward(2) +kaotic.com##div.hard-5.col-xs-12.col-sm-3:has(.track_outbound_post) +kaotic.com##.track_outbound_post.grid-item + +! https://www.reddit.com/r/uBlockOrigin/comments/mf5rd0/help_blocking_sponsored_classified_on_cargurus/ +cargurus.com##[data-cg-ft="sponsored-listing-badge"]:upward(3) +cargurus.com##div:has(> [id^="bannerAdLEADERBOARD_INLINE_"]) + +! Anti-adblock https://community.brave.com/t/metro-style-anti-adblock/224281 +@@||metro.style^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/78704 +! https://github.com/AdguardTeam/AdguardFilters/issues/78915 +haonguyen.top##+js(set, blurred, false) +haonguyen.top###tp-wait +haonguyen.top##[id^="tp-snp"]:style(display: block !important) +sitecuatui.xyz###gtelinkbtn, #wpsafe-generate, #wpsafe-link:style(display: block !important;) +sitecuatui.xyz##[id^="wpsafe-wait"] + +! https://github.com/uBlockOrigin/uAssets/issues/8812 +@@||tekfiz.com^$ghide +tekfiz.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/78873 +files.fm##+js(aopr, canRunAds) + +! https://forums.lanik.us/viewtopic.php?f=64&t=45963 +||cdn.flashtalking.com^$media,redirect=noopmp3-0.1s,domain=app.plex.tv +! https://github.com/uBlockOrigin/uAssets/issues/20357 +app.plex.tv##+js(json-prune, MediaContainer.Metadata.[].Ad) +! https://www.reddit.com/r/uBlockOrigin/comments/1fwizi0/plex_free_tvmovies_ad_block/ +||vod.provider.plex.tv/ad?$xhr,redirect=noopvast-3.0 + +! https://github.com/AdguardTeam/AdguardFilters/issues/78973 +||neonime.*/wp-content/themes/grifus/images/donate/yunita/ + +! https://github.com/uBlockOrigin/uAssets/issues/8823 +discoveryplus.in##+js(no-fetch-if, ads) + +! androidhexzone.blogspot.com anti-adb +||appnext.hs.llnwd.net^ + +! vipboxtv .se | .sk and sister sites popups +! https://www.reddit.com/r/uBlockOrigin/comments/17d17hb/i_use_a_site_called_olympicstreams_for_football/ +vipboxtv.*##+js(nowoif, //) +vipboxtv.*##+js(aopr, Adcash) +/vppdzdrw.js + +! https://github.com/uBlockOrigin/uAssets/issues/9136 +nsfwyoutube.com##pp +*$xhr,3p,domain=nsfwyoutube.com +/t.js?i=*&cb=$script,3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/79312 +i-bits.io##+js(nano-sib, seconds) +i-bits.io##ins[class][style^="display:inline-block;width:"] + +! seriesflv popup +seriesflv.*##.adx > a[href] + +! https://github.com/AdguardTeam/AdguardFilters/issues/79335 +mcrypto.club###id-custom_banner +! https://github.com/uBlockOrigin/uAssets/issues/14051 +mcrypto.club##+js(nano-stb, countdown, 10000) +luckydice.net##+js(nano-sib, sec--) +mcrypto.club###wpsafe-generate:style(display: block !important) +mcrypto.club##div[id^="promo"] +mcrypto.club###wpsafelink-countdown +@@||cryptocoinsad.com/ads/js/slider.js$script,domain=mcrypto.club +mcrypto.club##+js(no-xhr-if, wpadmngr) +mcrypto.club,coinsparty.com##+js(no-fetch-if, ad) +mcrypto.club##table +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8046361 +mcrypto.club##+js(rpnt, script, redirectToErrorPage) +mcrypto.club##+js(aeld, click, _0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/79350 +omgexploits.com##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/79377 +secondlifetranslations.com##.ai-attributes +secondlifetranslations.com##.code-block-17 + +! https://github.com/AdguardTeam/AdguardFilters/issues/79383 +! https://github.com/uBlockOrigin/uAssets/issues/11720 +freesoft.id,zcteam.id##+js(nostif, nextFunction) +freesoft.id,zcteam.id###btn-keren +freesoft.id,zcteam.id##.affiliate_download_imagebutton_container +freesoft.id,zcteam.id##button[id][class^="custom-btn"][onclick^="window.open"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/79387 +studydhaba.com##+js(nostif, ai_) +studydhaba.com##.widget_custom_html + +! https://github.com/AdguardTeam/AdguardFilters/issues/79310 +claimbits.io##+js(nano-sib, seconds) +@@||claimbits.io^$ghide +claimbits.io##ins[class][style^="display:inline-block;width:"] + +! https://github.com/uBlockOrigin/uBlock-issues/issues/1531 +anonymz.com##+js(aost, _pop, _init) + +! https://github.com/AdguardTeam/AdguardFilters/issues/79484 +ac24.cz##pp + +! https://github.com/AdguardTeam/AdguardFilters/issues/79485 +garaveli.de##+js(acs, addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/79486 +@@||yilmaztv.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/79530 +||linkvertise.net^$3p +! linkvertise URL manipulation +! https://publicwww.com/websites/%22%2Fcdn%2Flinkvertise.js%22/ +||publisher.linkvertise.com^$3p,domain=~linkvertise.* +! https://www.leakite.com/xiaomi-redmi-note-12s-fastboot-and-recovery-rom/ +/cdn/linkvertise.js$script,1p +@@||linkvertise.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/8848 +thumpertalk.com##+js(ra, href|target|data-ipshover-target|data-ipshover|data-autolink|rel, a[href^="https://thumpertalk.com/link/click/"][target="_blank"]) +thumpertalk.com##.ipsType_richText a:style(color:currentcolor !important) + +! https://github.com/uBlockOrigin/uAssets/issues/8849 +zshort.*##+js(set, blurred, false) +zshort.*###fafsf2:style(display:block !important) +zshort.*###showContainer,.textfk + +! https://github.com/uBlockOrigin/uAssets/issues/8852 +chapteria.com##+js(acs, document.createElement, ignielAdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/79625 +*$script,3p,denyallow=cloudflare.net|gstatic.com|jsdelivr.net,domain=wolfstream.tv +wolfstream.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/1549 +eschenker.dbschenker.com##[style*="pointer-events"]:style(pointer-events:auto !important) + +! https://github.com/uBlockOrigin/uAssets/issues/8861 +highstream.tv##+js(nowoif) +highstream.tv##.tabs > button +highstream.tv###container > div > .hidden-xs +highstream.tv##.cover +highstream.tv###customAnnouncement + +! https://github.com/AdguardTeam/AdguardFilters/issues/79482 +*$script,3p,denyallow=cloudflare.com,domain=myadultanimes.com + +||chandrabindu.net^$3p + +! cekip. site detection +cekip.site##+js(no-xhr-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/11115 +blog.receivefreesms.co.uk##+js(nostif, show) +||receivefreesms.co.uk^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/mmp1lc/is_it_possible_to_block_rewrites_that_happen_on/ +thecut.com##+js(aeld, /touchstart|mousedown|click/, latest) + +! https://github.com/AdguardTeam/AdguardFilters/issues/79999 +unityassetcollection.com##+js(nano-sib, secs) + +! freeadultcomix.com ads popups +*$frame,script,3p,domain=freeadultcomix.com +freeadultcomix.com##+js(rmnt, script, window.open) +freeadultcomix.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/80152 +ipa-apps.me##+js(nano-sib, timer) +ipa-apps.me##[src="https://ipa-apps.me/Download.GIF"] + +! https://www.reddit.com/r/uBlockOrigin/comments/mowltd/detected/ +coursewikia.com##+js(nostif, brave_load_popup) + +! https://github.com/uBlockOrigin/uAssets/issues/8871 +novelism.jp##+js(aeld, blur, native code) + +! https://github.com/uBlockOrigin/uAssets/issues/7325 +alphapolis.co.jp##+js(aeld, blur, event.simulate) + +! https://github.com/AdguardTeam/AdguardFilters/issues/80289 +||tinypass.com^$domain=crosswalk.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/80290 +||tinypass.com^$domain=christianity.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/102868 +manyakan.com##+js(no-xhr-if, adsbygoogle) + +! https://www.reddit.com/r/uBlockOrigin/comments/o1tqvu/adblock_detected/ +nusantaraproject.my.id##+js(nosiif, visibility, 1000) + +! https://www.reddit.com/r/uBlockOrigin/comments/mpz3rs/ +crazyblog.in##+js(nosiif, visibility, 1000) +crazyblog.in##+js(aopr, app_vars.force_disable_adblock) +crazyblog.in##+js(nowoif) +crazyblog.in##+js(set, blurred, false) +cblink.crazyblog.in##.banner +crazyblog.in##.floating-banner +crazyblog.in##.box-main > div > p +crazyblog.in,studyuo.com##iframe[width="300"] +crazyblog.in,studyuo.com##div[id*="_"][style^="min-width"] +*$script,3p,denyallow=ampproject.org|google.com|gstatic.com|recaptcha.net,domain=crazyblog.in + +! https://www.reddit.com/r/uBlockOrigin/comments/mpz3rs/ +gtlink.co##+js(aopr, app_vars.force_disable_adblock) +gtlink.co##+js(set, blurred, false) +gtlink.co##.banner-inner +*$frame,denyallow=google.com,domain=gtlink.co +*$script,3p,denyallow=cloudflare.net|google.com|gstatic.com|jsdelivr.net|recaptcha.net,domain=gtlink.co + +! https://github.com/uBlockOrigin/uAssets/issues/8879 +cutearn.net##+js(aopr, app_vars.force_disable_adblock) +cutearn.net##+js(aopr, open) +cutearn.net##+js(set, blurred, false) +cutearn.net##section.short +cutearn.net##[src^="https://i.ibb.co/"] + +! https://github.com/uBlockOrigin/uAssets/issues/17027 +porntn.com##+js(set, flashvars.protect_block, '') +porntn.com#@#.banner_ad +porntn.com##^script[data-cfasync]:has-text(0x) +porntn.com##+js(acs, decodeURIComponent, 0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/80436 +gdr-online.com##+js(set, isAdsLoaded, true) +gdr-online.com##.adv_barra_alto + +! https://www.reddit.com/r/uBlockOrigin/comments/mrmtgb/new_antiadblocker_stuff/ +gadgetguideonline.com##+js(aost, String.prototype.charCodeAt, ai_) +gadgetguideonline.com##.ai-track + +! https://forums.lanik.us/viewtopic.php?p=159578#p159578 +@@||imsolo.pro^$ghide +imsolo.pro##.ads-main +imsolo.pro##.center.spacing.text + +! https://www.reddit.com/r/uBlockOrigin/comments/msloft/alright_ubo_do_your_thing_danish_website_link_in/ +mmm.dk##+js(set, adblockerAlert, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/8907 +rshrt.com##+js(aopr, app_vars.force_disable_adblock) +rshrt.com##+js(set, blurred, false) +rshrt.com###headlineatas + +! https://github.com/AdguardTeam/AdguardFilters/issues/80714 +samfw.com##[href^="https://samfw.com/clicks/"] +samfw.com##[href^="https://samfw.com/link/"] +||i.imgur.com^$domain=samfw.com +samfw.com##+js(acs, jQuery, banner) + +! https://github.com/uBlockOrigin/uAssets/issues/8908 +lewdstars.com##.ads-muted-control +lewdstars.com##.widget_custom_html + +! https://github.com/uBlockOrigin/uAssets/issues/8915 +||biguz.net/vast$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/m1gkn7/how_can_i_block_ads_on_this_site/gv49pxs/ +therootdroid.com##+js(aost, String.prototype.charCodeAt, ai_) +therootdroid.com###wpsafe-generate:style(display: block !important) +therootdroid.com###wpsafe-link:style(display: block !important) +therootdroid.com###wpsafe-wait1 +therootdroid.com###wpsafe-wait2 + +! extratorrents. it popups +extratorrents.*##+js(aopw, adcashMacros) + +! https://github.com/AdguardTeam/AdguardFilters/issues/80917 +pythonmatplotlibtips.blogspot.com##+js(acs, addEventListener, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/8929 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=10play.com.au +10play.com.au##.content__ad__content +! https://github.com/uBlockOrigin/uAssets/issues/14142 +! https://github.com/uBlockOrigin/uAssets/issues/22964 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=10play.com.au +@@||global.ssl.fastly.net^$domain=10play.com.au +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=10play.com.au +@@||pubads.g.doubleclick.net/ondemand/hls/content/*/streams$xhr,domain=10play.com.au +10play.com.au##+js(m3u-prune, /^https?:\/\/redirector\.googlevideo\.com.*/, /.*m3u8/) +10play.com.au##+js(json-prune, cuepoints, cuepoints.[].start cuepoints.[].end cuepoints.[].start_float cuepoints.[].end_float) +@@||pubads.g.doubleclick.net/ondemand/dash/content/*/streams$xhr,domain=10play.com.au +10play.com.au##+js(xml-prune, Period[id*="-roll-"][id*="-ad-"], , pubads.g.doubleclick.net/ondemand) + +! https://github.com/AdguardTeam/AdguardFilters/issues/80945 +||sered.net^$3p +||grab.tc^$3p +||ad-doge.com^$3p +||addoge.cc^$3p +||clicksgenie.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/10378 +||webmonetiser.com^$3p + +! sabishare. com ads +##[href^="luvaihoo.com"] +||hallway.netnaija.app/deliver.1.5.js$script,3p +sabishare.com##.cmp-roll + +! https://github.com/uBlockOrigin/uAssets/issues/10397 +freeiphone.fr,mobiletrip.net,safemodapk.com,threezly.com,truyenbanquyen.com,veganinja.hu##+js(acs, decodeURIComponent, ai_) +ibooks.to##+js(acs, String.fromCharCode, ai_) + +! muztext.com auto redirect +muztext.com##+js(nostif, reachGoal) + +! https://github.com/uBlockOrigin/uAssets/issues/8932 +naijaray.com.ng##+js(aost, Math.floor, ) +naijaray.com.ng##[href^="//ashoupsu.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/8555 +hotcleaner.com##+js(aopr, Element.prototype.attachShadow) +hotcleaner.com##div[class]:matches-css-before(content:/Advertisements/) + +! https://github.com/uBlockOrigin/uAssets/issues/8940 +pornohans.com###wrapper_content > aside[id] +pornohans.com##.spc_height_60 +pornohans.com##.vjs-overlay +pornohans.com###wa_10 +pornohans.com,pornoente.tv,nursexfilme.com,milffabrik.com,pornohirsch.net,pornozebra.com,xhamster-sexvideos.com,pornoschlange.com,xhamsterdeutsch.*,hdpornos.net,gutesexfilme.com,pornotom.com##+js(nostif, Adb) +@@*$ghide,domain=pornohans.com|pornoente.tv|nursexfilme.com|milffabrik.com|pornohirsch.net|pornozebra.com|xhamster-sexvideos.com|pornoschlange.com|xhamsterdeutsch.*|hdpornos.net|gutesexfilme.com|pornotom.com|beeg-pornos.com|hd-sexfilme.com|meinyouporn.com|tube8-pornos.com|momo-net.com +||xhamsterdeutsch.*^*.mp4|$media,1p +xhamster-sexvideos.com##.vjs-overlay +reifporn.de##+js(aeld, getexoloader) +||german-porno-deutsch.info/*.gif$image +german-porno-deutsch.info##[href="/acamateure.html"] +@@||trafficfabrik.com/mine.js$script,domain=movie.momo-net.com +momo-net.com##+js(aeld, contextmenu) +momo-net.com##+js(aopr, document.body.appendChild) +movie.momo-net.com##iframe:upward([style*="visibility"]) +deutschsex.mobi,1milf.com##+js(aost, Math.floor, randStr) +1milf.com##.desktop.aside_media.aside +1milf.com##.desctop.spot +deutschsex.mobi##.default__interest-block + +! https://www.reddit.com/r/uBlockOrigin/comments/mv65dq/cant_see_entire_website_with_ubo_on/ +hardwarezone.com.sg##+js(aopr, SPHMoverlay) +hardwarezone.com.sg##.ad +hardwarezone.com.sg###sponsored-links-alt +hardwarezone.com.sg##.hwz-ad-outstream + +! https://github.com/AdguardTeam/AdguardFilters/issues/81105 +imagecolorpicker.com##[class^="leftAds-"] +imagecolorpicker.com##[class^="rightAds-"] + +! redwap.me,redwap2.com,redwap3.com occasional popup +/realize.js$domain=redwap.me|redwap2.com|redwap3.com + +! sextgem.com ads +sextgem.com##div[id][style*="z-index: 999999999;"] +desitab69.sextgem.com##+js(nowoif) +xxxtime.sextgem.com##^script[language="javascript"]:has-text(open) +||xtgem.com/images/influenza/ +||xtgem.com/images/xtvid/ +||sextgem.com^$removeparam=id +*$popup,domain=sextgem.com + +! https://github.com/uBlockOrigin/uAssets/issues/8945 +rethmic.com##+js(nano-sib, _0x) + +! bollyholic. icu antiadblock & dev tools detection +bollyholic.*##+js(nostif, mdpDeBlocker) +bollyholic.*##+js(aopr, disableDeveloperTools) + +! influencersgonewild.com popunder +influencersgonewild.com##+js(aost, Math.round, onload) +influencersgonewild.com##.g1-advertisement-inside-grid:upward(li) + +! xxxwebdlxxx.top anti-adb, popup +xxxwebdlxxx.top##a[href^="https://hotdating-near1.com/"] +*$frame,script,3p,domain=xxxwebdlxxx.top + +! https://github.com/AdguardTeam/AdguardFilters/issues/81174 +krypto-trend.de###top_adspace +krypto-trend.de###captcha-adspace +krypto-trend.de###middle-adspace + +! https://github.com/uBlockOrigin/uAssets/issues/8954 +courseboat.com,coursehulu.com##+js(nostif, brave_load_popup) + +! https://github.com/uBlockOrigin/uAssets/issues/8955 +fantasyfootballgeek.co.uk##+js(acs, String.fromCharCode, ai_) + +! https://github.com/AdguardTeam/AdguardFilters/issues/81294 +gledajcrtace.xyz###header-wrap-reklama +gledajcrtace.xyz###HTML8 + +! https://www.reddit.com/r/uBlockOrigin/comments/mxt57v/javquickcom_adblock_detection/ +javquick.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/9823 +lazytranslations.com##+js(aost, String.prototype.charCodeAt, ai_) +lazytranslations.com##.ad-after-postend +lazytranslations.com##.lazyt-adlabel +||interserver.net^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/81497 +game3rb.com##+js(aeld, DOMContentLoaded, 0x) +game3rb.com##+js(no-fetch-if, method:HEAD) +||game3rb.com/sw.js^$script,1p +game3rb.com##[href^="http://pityhostngco2.xyz/"] +game3rb.com###post-footer:has([href*="vpnatlas.com"]) +##a[href*=".click/?z="][href*="&n"] +*$all,domain=rarvinzp.click|ytrqcxat.click +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.com|cloudfront.net|disqus.com|disquscdn.com|fastlylb.net|googleapis.com|wp.com,domain=game3rb.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/81533 +||googletagmanager.com/gtag/js$script,redirect=noopjs,domain=rotana.net + +! https://github.com/uBlockOrigin/uAssets/issues/8969 +getpaste.link##+js(set, isAdBlockActive, false) + +! popups 4movierulz1. me / .co +4movierulz1.*,filmygod6.*##+js(nowoif) +4movierulz1.*##[href^="https://api.whatsapp.com/send"] +kitabmarkaz.xyz##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/8981 +@@||flipboard.com/webu/*-contrib-ads*.bundle.js$script,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=flipboard.com + +! short-zero.com bab +short-zero.com##+js(nosiif, visibility, 1000) + +! adz7short.space,croclix.me anti-adb +@@/viewad.$css,script,domain=adz7short.space|short.croclix.me +adz7short.space##+js(ra, href, #continue) +@@||adz7short.space^$ghide +adz7short.space###banner_slider_right +adz7short.space,short.croclix.me##.leaderboard +short.croclix.me##.banner-container +||offers4all.net^$frame,3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/81856 +gay4porn.com##+js(set, flashvars.adv_start_html, '') +gay4porn.com##.exbanner +gay4porn.com###int-over:remove() +gay4porn.com###intt-layer:remove() +/s/s/sum.php + +! https://github.com/AdguardTeam/AdguardFilters/issues/81867 +charbelnemnom.com##+js(nostif, ai) +@@||charbelnemnom.com^$ghide +charbelnemnom.com##ins.adsbygoogle +charbelnemnom.com##.ezoic-ad +charbelnemnom.com###custom_html-16 + +! thotvids.com popups/ads +thotvids.com##+js(acs, onload) +thotvids.com##+js(set, flashvars.popunder_url, '') +thotvids.com##.fade.top.text.fp-logo +thotvids.com##.fp-brand +thotvids.com##[href^="https://go.mshago.com"] +thotvids.com##+js(aeld, click, overlay) +||thotvids.com/player/html.php$frame + +! mizugigurabia.com anti-adb +mizugigurabia.com##+js(acs, document.addEventListener, google_ad_client) + +||joinads.me^$3p +||affilixxl.de^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/82216 +lcpdfr.com##div.ipsMargin_bottom.ipsAreaBackground.ipsPadding\:half +lcpdfr.com##.adSpacing + +! https://github.com/AdguardTeam/AdguardFilters/issues/82331 +rodude.com##+js(acs, onload) + +! hds-streaming. tv / site popups +hds-streaming.*###fakeplayer +hds-streaming.*##.asgdc + +#@#.display_ad + +! https://github.com/uBlockOrigin/uAssets/issues/9017 +bleepingcomputer.com###bc-home-news-main-wrap > li:has(> a[href$="/deals/"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/82339 +! https://github.com/uBlockOrigin/uAssets/issues/15501 +@@||getpaidstock.com^$ghide +getpaidstock.com##ins.adsbygoogle +||antiblock.b-cdn.net/banner_ad.png$image,redirect=1x1.gif,domain=getpaidstock.com +*$frame,redirect-rule=noopframe,domain=getpaidstock.com + +! https://github.com/uBlockOrigin/uAssets/issues/10083 +! https://github.com/uBlockOrigin/uAssets/issues/17209 +myabandonware.com##+js(set, canRunAds, true) +myabandonware.com##+js(nostif, AdBlock) +myabandonware.com##[href^="/visual/r-"] +myabandonware.com##.items > .item[id]:not(.itemListGame) +myabandonware.com##div[id*="myabandonware_leaderboard_btf_"]:upward(div[id]) +myabandonware.com##div[id*="myabandonware_medrec_right_"]:upward(div[id]) +myabandonware.com##[id*="myabandonware_"][id$="tf"] +myabandonware.com##a[href^="/visual/"]:upward(.menu > div[id]) +myabandonware.com##div:matches-css-after(content:/Ads/) +myabandonware.com##[onclick*="aff"] +myabandonware.com##style:has-text(justify-content):remove() +myabandonware.com##[src*="banner"] +myabandonware.com##a[target="_top"]:has(img) +myabandonware.com##a[href*="jeroud.com"]:has(img) + +! https://github.com/AdguardTeam/AdguardFilters/issues/81859 +gayck.com##+js(set, flashvars.adv_pause_html, '') + +! romhustler.org timer +romhustler.org##+js(nano-sib, timer.remove) +romhustler.org##.tower_ad_desktop + +! https://github.com/uBlockOrigin/uAssets/issues/9024 +github.com##[src^="https://spotlights-feed.github.com/spotlights/octoprint/"]:upward(article[class]) + +! https://github.com/uBlockOrigin/uAssets/issues/9029 +ergasiakanea.eu##+js(noeval-if, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/9038 +@@||filezipa.com^$ghide +filezipa.com##ins.adsbygoogle +filezipa.com##+js(aopr, app_vars.force_disable_adblock) +filezipa.com##+js(set, blurred, false) +filezipa.com##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/issues/9043 +mrunblock.*##+js(acs, decodeURIComponent, atob) +mrunblock.*###lb-banner +mrunblock.*##[id^="cookieConsent"]:upward(1) +mrunblock.*##.alert-dismissible + +! https://github.com/uBlockOrigin/uAssets/pull/9044 +addonbiz.com##+js(acs, addEventListener, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/pull/9050 +b2bhint.com##+js(aopr, google_jobrunner) +b2bhint.com##+js(aopr, popupBlocker) +b2bhint.com##[id^="ad--"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/82841 +@@||alrakoba.net^$ghide +alrakoba.net##.adsbygoogle:style(position:absolute !important;left:-3000px !important) +alrakoba.net##.stream-item-widget + +! https://github.com/uBlockOrigin/uAssets/issues/16828 +akwam.*##+js(acs, addEventListener, blocker) +akwam.*,eg-akw.com,khsm.io,xn--mgba7fjn.cc##+js(aopw, afScript) +akwam.*##+js(nosiif, visibility, 1000) +akwam.*##.ads +eg-akw.com,xn--mgba7fjn.cc##+js(aeld, load, 2000) + +! https://www.reddit.com/r/uBlockOrigin/comments/n99vzj/anyway_to_evade_adblock_detected_on_netpornix/ +netpornix.*##div#responseads:style(display:block !important) +netpornix.*###videoadsid +netpornix.*##[href^="https://bit.ly/"] +netpornix.*##.videoads +netxwatch.*##+js(aopr, __Y) + +! https://github.com/AdguardTeam/AdguardFilters/issues/82888 +dz-linkk.com##+js(aopr, app_vars.force_disable_adblock) +dz-linkk.com##+js(set, blurred, false) +dz-linkk.com##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/7136 +iqiyi.com##+js(set, Object.prototype.parseXML, noopFunc) +iqiyi.com##+js(set, Object.prototype.blackscreenDuration, 1) +iqiyi.com##.black-screen[data-cupid="adblock-blackscreen"] +m.iqiyi.com##+js(set, Object.prototype.adPlayerId, '') +iqiyi.com##.iqp-player > iqpdiv[data-cupid="container"] > div[data-adzone][templatetype="common_pause"] + +! https://www.reddit.com/r/uBlockOrigin/comments/nbf953/please_fix_this_site_to_use_it_with_ubo/ +! https://github.com/uBlockOrigin/uAssets/issues/16678 +! https://github.com/uBlockOrigin/uAssets/issues/22376 +@@||simplebits.io^$ghide +@@||simplebits.io/$script,1p +*$script,redirect-rule=noopjs,domain=simplebits.io +*$xhr,redirect-rule=nooptext,domain=simplebits.io +simplebits.io##.placeholder +simplebits.io##div[class][style="min-height: 250px; height: 250px;"] +simplebits.io##div[class][style="min-height: 90px;"] +simplebits.io##div[class][style="min-height: 60px;"] +@@||satoshilabs.net^$ghide +@@||satoshilabs.net/$script,1p +||satoshilabs.net/sh/ads/$frame +||simplebits.io/sh/ads/ +||simplebits.io/ads/ +simplebits.io##+js(no-xhr-if, /ads) +simplebits.io##+js(no-fetch-if, /ads) +simplebits.io##+js(nostif, , 3000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/66742 +hayamimi-gunpla.com##+js(acs, document.addEventListener, google_ad_client) + +! https://www.reddit.com/r/uBlockOrigin/comments/ncbk72/ublock_detected_at_greeleytribunecom/ +||prairiemountainmedia.com^$3p +||dailycamera.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/22157 +! https://www.reddit.com/r/uBlockOrigin/comments/mih3ss/adblock_detection/ +watchmdh.to##+js(set, flashvars.popunder_url, '') +watchmdh.to##+js(nostif, innerText, 2000) +watchmdh.to##+js(acs, addEventListener, -0x) +watchmdh.to##+js(aopr, decodeURI) +watchmdh.to##a[style^="position: absolute; inset: 0px;"][target="_blank"] +watchmdh.to##.sponsor +watchmdh.to##.block-video > .table +watchmdh.to##.top + +! https://github.com/easylist/easylist/pull/7875#issuecomment-841782152 +neos-easygames.com,synk-casualgames.com#@##ad_block + +! https://github.com/uBlockOrigin/uAssets/issues/9095 +@@||animedevil.com^$ghide +||tny.so^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/ndv0kb/antiright_click_on_hitproversioncom/ +hitproversion.com##.onp-sl-content:style(display:block !important) +hitproversion.com##.onp-sl-social-locker + +! https://github.com/AdguardTeam/AdguardFilters/issues/83483 +@@||allsmo.com^$ghide +allsmo.com##[id^="ezoic-pub-ad-placeholder"] + +! https://github.com/uBlockOrigin/uAssets/issues/9125 +*$xhr,redirect-rule=nooptext,domain=costumbresmexico.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/83540 +shemalestube.com##+js(nowoif) +shemalestube.com##.cover:style(background-image: none!important;) +||shemalestube.com/templates/dark/ads/ +||shemalestube.com/templates/dark/js/pop/ + +! https://www.reddit.com/r/uBlockOrigin/comments/sz4cn0/gamingbible_detects_the_adblock_little_help/ +gamingbible.co.uk#@#div[class*="margin-Advert"] +gamingbible.co.uk##div[class$="-margin-Advert"]:style(height:1px !important;width:1px !important;position:absolute !important;left:-3000px !important) +gamingbible.co.uk##.css-1dgm0zi-Advert +||adsafeprotected.com/$script,redirect=noopjs,domain=gamingbible.co.uk + +! hxfile. co popups +hxfile.co##+js(nowoif) +hxfile.co##a.btn-block + +! https://github.com/AdguardTeam/AdguardFilters/issues/83658 +||storage.de.cloud.ovh.net^*/sarsor/avikingdynamic.js$script,3p +go4kora.com###id-custom_banner + +! https://github.com/uBlockOrigin/uAssets/issues/9139 +povaddict.com##.adv-square +/\.com\/[a-zA-Z]{10}\.js$/$script,1p,domain=povaddict.com + +! blog.40ch.net anti-adb +blog.40ch.net##+js(acs, document.addEventListener, nextFunction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/83740 +pornissimo.org##+js(set, flashvars.protect_block, '') +pornissimo.org##.table +pornissimo.org##.fp-brand + +! https://github.com/uBlockOrigin/uAssets/issues/10308 +upfiles.*##+js(aopr, app_vars.force_disable_adblock) +upfiles.*##+js(set, blurred, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/ni5isp/edncom_uses_admiral_adblock_not_blocked_by_ubo/ +edn.com###custom_html-3 +edn.com###custom_html-5 +edn.com###footerAdWrap +||omeda.com^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/83758 +sexywomeninlingerie.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +||wafflegirl.com/galleries/banner/$3p +sexywomeninlingerie.com##[href^="http://join.wearehairy.com/track/"] + +! https://github.com/uBlockOrigin/uAssets/issues/9146 +baikin.net##+js(aopr, google_jobrunner) +/wp-content/plugins/simple-adblock-notice-pro/*$script,css + +! https://github.com/AdguardTeam/AdguardFilters/issues/83705 +comixzilla.com##+js(acs, document.createElement, 'script') + +! https://github.com/AdguardTeam/AdguardFilters/issues/83793 +unsurcoenlasombra.com##+js(aopr, google_jobrunner) + +! https://github.com/easylist/easylist/issues/6476#issuecomment-846458414 +watchmovierulz.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/9155 +! streamsb_galaxy +anigogo.net,fbgo.*,javplaya.com,sbbrisk.com,sbchill.com,sbchip.*,sbflix.*,sbplay.*,sbplay2.*,sbplay3.*,sbrity.com,sbrulz.*,streamsb.*,viewsb.com##+js(aopr, __Y) +anigogo.net,fbgo.*,kinoking.cc,lvturbo.com,sbbrisk.com,sbchill.com,sbchip.*,sbflix.*,sbplay.*,sbplay2.*,sbplay3.*,sbrity.com,sbrulz.*,streamsb.*,viewsb.com##+js(aopr, mm) +streamsb.*##+js(nowoif) +streamsb.*##+js(aopr, DoodPop) +streamsb.*##body > div[style*="z-index:"] +sbplay.*##+js(set, console.clear, noopFunc) +sbplay.*##^script:has-text(debugger) +! https://github.com/uBlockOrigin/uAssets/issues/17141 +||weakermumrespect.com^ +! https://github.com/uBlockOrigin/uAssets/issues/18860 +sbot.cf##[id^="parentframe"] +sbot.cf##+js(window.open-defuser) + +! https://github.com/AdguardTeam/AdguardFilters/issues/83844 +sharetext.me##+js(set, isAdBlockActive, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/83930 +theblissempire.com##+js(aopr, app_vars.force_disable_adblock) +theblissempire.com##+js(set, blurred, false) +theblissempire.com##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/pull/9192#issuecomment-848097239 +||max-adserv.com^$3p + +! newsinlevels.com/videosinlevels.com anti-adb +newsinlevels.com,videosinlevels.com##+js(set, sgpbCanRunAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/14901 +! https://github.com/uBlockOrigin/uAssets/issues/17991 +knightnoscanlation.com##+js(acs, eval, replace) +knightnoscanlation.com##.c-sidebar + +! https://www.reddit.com/r/uBlockOrigin/comments/nlllo9/popups_getting_through_now/ +m2list.com##+js(nostif, debugger) +! https://www.reddit.com/r/uBlockOrigin/s/Eg5TXEMaIH +*$script,3p,domain=m2list.com,denyallow=ajax.googleapis.com|cdnjs.cloudflare.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/84088 +@@||posttrack.com/$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/9231 +freejav.guru##+js(nostif, disableDeveloperTools) +freejav.guru##+js(acs, eval, replace) + +! sexuhot.com popup, redirect on back, ads +sexuhot.com##+js(aopw, atOptions) +sexuhot.com##+js(aopr, history.replaceState) +sexuhot.com###overlay > a +sexuhot.com###abox +||sexufly.com^$frame,domain=sexuhot.com + +! pussy.org popup +pussy.org##+js(nowoif) +||pussy.org^$frame,1p + +! analsexstars.com popup +analsexstars.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/9237 +! https://github.com/uBlockOrigin/uAssets/issues/17085 +*$xhr,redirect-rule=nooptext,domain=chiemgau24.de|ovb-online.de|rosenheim24.de|bgland24.de|innsalzach24.de|mangfall24.de|wasserburg24.de +@@*$ghide,domain=chiemgau24.de|ovb-online.de|rosenheim24.de|bgland24.de|innsalzach24.de|mangfall24.de|wasserburg24.de +!pc-offer$script,domain=bgland24.de|chiemgau24.de|innsalzach24.de|mangfall24.de|rosenheim24.de|wasserburg24.de +bgland24.de,chiemgau24.de,innsalzach24.de,mangfall24.de,rosenheim24.de,wasserburg24.de##.wv_story_el_cleverPushWidget +bgland24.de,chiemgau24.de,innsalzach24.de,mangfall24.de,rosenheim24.de,wasserburg24.de##.id-Recommendation +bgland24.de,chiemgau24.de,innsalzach24.de,mangfall24.de,rosenheim24.de,wasserburg24.de##.wv_story_el_pinpoll + +! https://www.reddit.com/r/uBlockOrigin/comments/nnesag/some_anime_popup_window_on_this_website/ +||2target.net^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/84282 +*$script,3p,denyallow=facebook.net|fbcdn.net,domain=sukidesuost.info +sukidesuost.info###custom_html-23 + +! https://github.com/AdguardTeam/AdguardFilters/issues/84306 +||iclickcdn.com^$script,redirect=noopjs,domain=gifans.com +gifans.com##+js(nosiif, visibility, 1000) +gifans.com##+js(acs, document.cookie, :visible) +gifans.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +gifans.com##div[id^="wpsafe-wait"] + +! https://www.reddit.com/r/uBlockOrigin/comments/no3oxq/berkleeedu_stop_the_interstitial_ad_hustlepopup/ +berklee.edu##+js(aeld, scroll, undefined) + +! https://github.com/AdguardTeam/AdguardFilters/issues/84412 +electricaltechnology.org###stream-item-widget-7 +electricaltechnology.org###stream-item-widget-2 + +! uniquetutorialsnew.blogspot.com anti-adb +@@||uniquetutorialsnew.blogspot.com^$ghide +uniquetutorialsnew.blogspot.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/9333 +foreca.com##main > div > div > div[class]:matches-css(width:350px) +foreca.com##main > div > div > div > div[class]:matches-css(min-height:326px) +foreca.com##main > div > div > div > div > div[class]:matches-css(min-height:326px) + +! https://github.com/AdguardTeam/AdguardFilters/issues/84446 +/wp-content/plugins/noti-blocker/*$script + +! https://github.com/uBlockOrigin/uAssets/issues/9338 +filmyhitlink.xyz##+js(acs, mMcreateCookie) +filmyhitlink.xyz##+js(nano-sib, downloadButton) +filmyhitlink.xyz###sidebar-primary > .widget_custom_html +filmyhitlink.xyz###sidebar-secondary > .widget_custom_html + +! https://github.com/uBlockOrigin/uAssets/issues/9340 +id45.cyou##+js(set, console.clear, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/129120 +cloudrls.com##+js(nowoif) +javtsunami.com##+js(aeld, getexoloader) +||javtsunami.com/crimson-unit-$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/84615 +descargaspcpro.net##+js(noeval-if, ads) +descargaspcpro.net###AdSense1 +descargaspcpro.net###HTML90 +descargaspcpro.net##.stickywrap + +! https://www.reddit.com/r/uBlockOrigin/comments/nr8yn4/websitesshortners_getting_detected/ +finanzas-vida.com##[href="https://zplayer.live/"] +finanzas-vida.com##+js(set, blurred, false) + +! mettablog.com anti-adb + popups +mettablog.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://adurly. cc/JQQisi anti adb +adurly.cc##+js(aopr, app_vars.force_disable_adblock) +adurly.cc##+js(set, blurred, false) + +! ofilmywap. uno / kannadamasti. cc, buyjiocoin. club, filmygod13.in popup +filmywap.*,ofilmywap.*,kannadamasti.*,buyjiocoin.*,filmygod13.*##+js(nowoif) + +! verfastdownload .pw popups +veryfastdownload.pw##+js(aopr, SmartPopunder.make) + +! ucanwatch. me ads +ucanwatch.*##+js(nowoif) + +! sharegdrive.co popups +sharegdrive.com##+js(acs, adcashMacros) + +! torrentdownloads.uproxy2.biz popups +uproxy2.biz##+js(aopr, GetWindowHeight) +||uproxy2.biz/zpp/*$script,domain=uproxy2.biz +||uproxy2.biz/helper-js/*$script,1p +uproxy2.biz##+js(aopr, decodeURIComponent) +/hy.js$script,domain=uproxy2.biz +uproxy2.biz##+js(acs, adcashMacros) +uproxy2.*##+js(aost, Math.floor, ) +*$script,3p,domain=uproxy2.biz + +! 18tube. sex ads +18tube.sex##+js(aeld, getexoloader) +18tube.sex##.opt + +! https://www.reddit.com/r/uBlockOrigin/comments/ntpfum/streaming_site_is_detecting_adblocker/ +liveschauen.com##.banner +liveschauen.com###werbung + +! https://www.reddit.com/r/uBlockOrigin/comments/ntq1av/antiadblocker_therokuchannel/ +@@||therokuchannel.roku.com/$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/nu8tr3/adbloker_enable_and_website_not_accessible/ +nulljungle.com##+js(nostif, innerHTML) + +! https://github.com/uBlockOrigin/uAssets/issues/9437 +naturalnews.com##.Header +||naturalnews.com^$script +@@||naturalnews.com/*=$script,1p +@@||naturalnews.com/wp-content/themes/$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/85184 +civilenggforall.com##+js(aopr, blockAdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/152396 +*$script,3p,denyallow=chatango.com|cloudflare.net|cloudfront.net|disqus.com|disquscdn.com|fastlylb.net,domain=rawkuma.com +rawkuma.com##+js(aeld, readystatechange, document.removeEventListener) +rawkuma.com##+js(aeld, mousedown, shown_at) +.com/btag.min.js|$3p + +! https://github.com/uBlockOrigin/uAssets/issues/9414 +youwatch.*##[href^="https://minilink.id/"] +youwatch.*##.sgpb-popup-dialog-main-div-wrapper +youwatch.*##.sgpb-popup-overlay +youwatch.*###custom_html-65 +@@||vidomo.xyz^$script,1p +||vidomo.xyz/assets/js/devtools-detector.js$important + +! fxstreet. com/jp/etc. PH +fxstreet.*##.fxs_leaderboard + +! https://www.reddit.com/r/uBlockOrigin/comments/nx6bnc/antiadblock_forogore/ +forogore.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/9419 +waploaded.com,meetdownload.com##.advert +waploaded.com,meetdownload.com##a[href*="got-to-be.net"] +waploaded.com,meetdownload.com##a[href^="https://aeroplaneversion.com/"] +waploaded.com,meetdownload.com##a[href^="https://suftanzine.com/"] +waploaded.com##.ad +waploaded.*##+js(aopr, exoJsPop101) +waploaded.*##+js(ra, href, .button[href^="javascript"]) +ybm.pw##+js(nowoif) +! https://github.com/AdguardTeam/AdguardFilters/issues/159869 +meetdownload.com#@#.ad-slot:not(.adsbox):not(.adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/85507 +@@||motoroids.com^$ghide +motoroids.com##ins.adsbygoogle +motoroids.com##div.AM_SINGLE_STORY_BETWEEN_CONTENT_SECOND_PARAGRAPH_RESPONSIVE + +! https://github.com/AdguardTeam/AdguardFilters/issues/85564 +nudeselfiespics.com##+js(noeval-if, popUnderStage) + +! zlut.com ads, popup +||zlut.com/_ad$frame +||zlut.com/jss/external_pop.js +zlut.com##.add-bottom + +! https://www.reddit.com/r/uBlockOrigin/comments/ny1kds/anti_adblock_xproxxx/ +xproxxx.org###custom_html-3 +xproxxx.org###custom_html-5 + +! nyaa.unblocked.id + unblocked.id ad +unblocked.id##+js(rmnt, script, push) +unblocked.id,uproxy2.*,unblock2.*##[href^="https://vpnk.net/"] +unblocked.id,uproxy2.*,unblock2.*##[onclick*="vpnk.net/?vpn"] +||searchtv.net/vpn-$doc +||vpnk.net/?vpn$doc + +! https://github.com/AdguardTeam/AdguardFilters/issues/85695 +codingnepalweb.com##+js(rpnt, script, (isAdblock), (false)) +codingnepalweb.com##+js(nano-stb, animation) + +! https://github.com/AdguardTeam/AdguardFilters/issues/85708 +cozumpark.com##.adv-link + +! lordhd. com popups +lordhd.com##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/nys4ha/ublock_detected/ +embed-channel.stream##+js(acs, document.addEventListener, nextFunction) + +! https://www.reddit.com/r/uBlockOrigin/comments/nyzxsh/anti_adblock_trivela/ +||juicebarads.com^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/nzdy60/request_antiadblock_dropdownload_aka_dropapk/ +drop.download##+js(acs, document.addEventListener, google_ad_client) +drop.download##.row > .col-md-8 + +! https://github.com/AdguardTeam/AdguardFilters/issues/85794 +! https://github.com/uBlockOrigin/uAssets/issues/12709 +! https://github.com/uBlockOrigin/uAssets/issues/18053 +! https://github.com/uBlockOrigin/uAssets/issues/21816 +flightsim.to##+js(acs, fetch, status) +flightsim.to##+js(acs, document.getElementById, adsblock) +flightsim.to##+js(nano-sib, timer, 1000, 0.001) +flightsim.to##+js(no-xhr-if, pub.network) +@@||flightsim.to^$script,1p +@@||pub.network/flightsim-to/pubfig.min.js$script,xhr,domain=flightsim.to +@@||flightsim.to^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/85820 +moviemakeronline.com##+js(nosiif, adsbygoogle) +moviemakeronline.com##.bbbOwner + +! https://github.com/uBlockOrigin/uAssets/pull/10492 +! https://github.com/uBlockOrigin/uAssets/issues/16331 +cinemakottaga.*##+js(no-xhr-if, googlesyndication) +cinemakottaga.*##+js(aeld, DOMContentLoaded, adsBlocked) +cinemakottaga.*##+js(acs, document.addEventListener, adsbygoogle) +*$image,redirect-rule=1x1.gif,domain=cinemakottaga.* +cinemakottaga.*##+js(nano-sib, timePassed) +*$3p,script,denyallow=arc.io|cloudflare.com|hcaptcha.com|google.com|gstatic.com|recaptcha.net,domain=cinemakottaga.* + +! https://forums.lanik.us/viewtopic.php?p=160319#p160319 +mysql2dumpcrypt.de,xn--stream-oe64e.*###abm + +! https://github.com/AdguardTeam/AdguardFilters/issues/85882 +webdeyazilim.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/AdguardTeam/AdguardFilters/issues/85889 +||api.vuukle.com/api/v1/getModal$xhr,3p +livescore.deccanchronicle.com##.cnitem_add_area_outer + +! https://github.com/AdguardTeam/AdguardFilters/issues/85901 +devotag.com##+js(acs, document.addEventListener, nextFunction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/85182 +paid4.link##+js(nowoif) +paid4.link##+js(rc, get-link, .ybtn.get-link[target="_blank"], stay) +paid4.link##+js(set, blurred, false) +paid4.link##.banner-inner +paid4.link##.blog-content +paid4.link##.box > div[align="center"] > .card + +! openloading.com popup fakeplayer +openloading.com##+js(ra, href, #clickfakeplayer) +openloading.com###clickfakeplayer + +! https://github.com/AdguardTeam/AdguardFilters/issues/86069 +codare.fun##+js(acs, document.addEventListener, google_ad_client) + +! https://www.reddit.com/r/uBlockOrigin/comments/o1vy94/httpsexplosivemenucom_anti_adb/ +@@||explosivemenu.com^$ghide +explosivemenu.com##ins.adsbygoogle +||explosivemenu.com^$image,redirect-rule=1x1.gif,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/o20dd8/code2careorg/ +@@||code2care.org^$ghide +code2care.org##ins.adsbygoogle +code2care.org##.right-content + +! https://www.reddit.com/r/uBlockOrigin/comments/o23c1m/allwpworldcom_adblock_detected/ +allwpworld.com##+js(nano-sib, timeleft) +allwpworld.com##+js(ra, disabled, input[id="button1"][class="btn btn-primary"][disabled]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/86171 +wgod.co##+js(acs, $, test) + +! https://www.reddit.com/r/uBlockOrigin/comments/o3h3u4/ublock_does_not_prevent_popups_in_new_window/ +pajalusta.club##+js(nowoif) +pajalusta.club##div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"] +||pajalusta.club/cdn-cgi/trace^$xhr +serialeonlinesubtitrate.ro###text-6 +||filmeserialehd.biz^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/9443 +@@/wp-content/plugins/dh-new-anti-adblocker$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/86270 +||javhd.icu/ads/ + +! https://www.reddit.com/r/uBlockOrigin/comments/o44xwg/adblock_detected/ +lavanguardia.com##+js(aeld, error) + +! https://github.com/AdguardTeam/AdguardFilters/issues/86360 +imeteo.sk##+js(aeld, scroll, detect) +imeteo.sk##.page-container__ad-container + +! https://github.com/AdguardTeam/AdguardFilters/issues/86371 +sixsave.com##+js(no-fetch-if, method:HEAD) + +! https://github.com/AdguardTeam/AdguardFilters/issues/86458 +freebulksmsonline.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://forums.lanik.us/viewtopic.php?p=160442#p160442 +@@||univers-simu.com^$ghide +univers-simu.com##.adsbygoogle:style(max-height: 1px !important;) +univers-simu.com###tie-block_702 +univers-simu.com##.\35 f283c41912bf.widget.container-wrapper +univers-simu.com###stream-item-widget-6 +univers-simu.com###stream-item-widget-3 + +! https://github.com/uBlockOrigin/uAssets/issues/9455 +kelasexcel.id##div.secret:style(display:block !important) +kelasexcel.id##.secret-share + +! https://github.com/uBlockOrigin/uAssets/issues/9456 +tutflix.org##+js(acs, $, test) +@@||tutflix.org^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/86555 +pussy-hub.com##+js(aeld, click, popundr) +||pussy-hub.com/*/stat1_$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/o6d0vs/how_to_stop_websites_from_detecting_ublock/ +@@||themosvagas.com.br^$ghide +themosvagas.com.br##ins.adsbygoogle +themosvagas.com.br##.ads300x600 + +! https://github.com/AdguardTeam/AdguardFilters/issues/86632 +youtubemp3donusturucu.net##+js(aeld, click, t(a)) + +! https://www.reddit.com/r/uBlockOrigin/comments/o6r1af/frustrating_adblock_detection_on_novelmultiverse/ +novelmultiverse.com##+js(nostif, disableDeveloperTools) + +! https://github.com/uBlockOrigin/uAssets/issues/10216 +! https://github.com/uBlockOrigin/uAssets/issues/14292 +! https://github.com/uBlockOrigin/uAssets/issues/14392 +! https://github.com/uBlockOrigin/uAssets/issues/18115 +! https://github.com/uBlockOrigin/uAssets/issues/19268 +! https://www.reddit.com/r/uBlockOrigin/comments/1fbun7c/adblock_detected_ubo_lite/ +maxstream.video##+js(nostif, alert) +maxstream.video##+js(nano-stb, .fadeIn(), 3000) +maxstream.video##+js(nowoif) +@@*$script,1p,domain=maxstream.video +@@||linkonclick.com/*/display.php$script,frame,domain=maxstream.video +@@||ads.host-cdn.net/*.js|$script,domain=maxstream.video|uprot.net +@@/^https:\/\/ads\.host-cdn\.net\/\w+\.js\?\w+$/$script,3p,to=ads.host-cdn.net,from=maxstream.video|uprot.net +host-cdn.net^$image,redirect-rule=32x32.png,domain=maxstream.video +maxstream.video###adsads:style(height: 9px !important;) +maxstream.video##h1:has-text(/adblock|supporter/) +! https://www.reddit.com/r/uBlockOrigin/comments/12q3g7l/ +/*.php$doc,domain=maxstream.video +! https://github.com/uBlockOrigin/uAssets/issues/15556 +! https://forums.lanik.us/viewtopic.php?t=48097-uprot-net +@@||uprot.net^$ghide +uprot.net##*[style="display:none;"]:style(display:block !important) +! https://www.reddit.com/r/uBlockOrigin/comments/142t4fx/ +@@||ads.host-cdn.net/ads2.js$script,domain=maxstream.video|uprot.net +! https://github.com/uBlockOrigin/uAssets/issues/25955 + +! https://github.com/AdguardTeam/AdguardFilters/issues/86746 +videoseyred.in##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/13556 +! https://github.com/AdguardTeam/AdguardFilters/issues/86812 +listendata.com##+js(rmnt, script, AdBlocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/86837 +spleaks.org##+js(acs, $, test) + +! antiblock.org sites +ads-ti9ni4.blogspot.com,bouamra.blogspot.com,cintateknologi.com,este-walks.net,funnymadworld.blogspot.com,gfilex.blogspot.com,intest.tv,irasutoya.blogspot.com,laurasia.info,pramejarab.blogspot.com,thelibrarydigital.blogspot.com,tienganhedu.com,tienichdienthoai.net,xbox360torrent.com,xn--k9ja7fb0161b5jtgfm.jp##+js(acs, document.addEventListener, google_ad_client) +www-daftarharga.blogspot.com##+js(nostif, nextFunction) +www-daftarharga.blogspot.com##+js(nowoif) +www-daftarharga.blogspot.com##+js(aeld, popstate) +www-daftarharga.blogspot.com##+js(aeld, , focus) +xbox360torrent.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/86910 +aimasummd.blog.fc2.com,dokuo666.blog98.fc2.com,metamani.blog15.fc2.com,newssokuhou666.blog.fc2.com,touhoudougamatome.blog.fc2.com,xn--k9ja7fb0161b5jtgfm.jp,youkaiwatch2345.blog.fc2.com##+js(acs, document.addEventListener, google_ad_client) +newssokuhou666.blog.fc2.com,youkaiwatch2345.blog.fc2.com##^script:has-text(google_ad_client) + +! https://www.reddit.com/r/uBlockOrigin/comments/o8wr0g/antiadblock_ygoprodeckcom/ +ygoprodeck.com###deck-content-ad +ygoprodeck.com##[id^="frontpage-ad-"] +ygoprodeck.com##[id^="front-ad-"] + +! kabegamipuloh.web.app/kabegamisiji.web.app/urakamiblogjp.blogspot.com => mysafe.stisda.ac.id/link.technics-goods.info fake buttons, anti adb +*$script,3p,denyallow=bootstrapcdn.com|google.com|hwcdn.net|jquery.com,domain=kabegamipuloh.web.app +blogspot.com,web.app##img[onclick="kemana()"] +link.technics-goods.info,mysafe.stisda.ac.id##+js(acs, document.addEventListener, google_ad_client) +link.technics-goods.info,mysafe.stisda.ac.id##.text-center > h3 +ngprame.blogspot.com###AdsRyanAH +ngprame.blogspot.com###tombol + +! https://github.com/AdguardTeam/AdguardFilters/issues/86998 +archpaper.com##+js(acs, fetch, result) + +! tripadvisor.jp, tripadvisor.com etc. placeholder +tripadvisor.*###component_2 > div[class^="_"]:has(> div > div[class^="iab_"][style="min-height:90px"]) +tripadvisor.*##.ui_container > div[class] > div[class^="_"]:has(> .iab_medRec:only-child) + +! https://github.com/AdguardTeam/AdguardFilters/issues/87032 +javfull.pro##.happy-sidebar +javfull.pro##.SC_TBlock + +! https://github.com/uBlockOrigin/uAssets/issues/4902#issuecomment-869970764 +nation.africa##+js(aopr, evolokParams.adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/721 +techpowerup.com##body:not([data-template]) a[rel="nofollow"][href^="/reviyuu/b784/"]:style(pointer-events: none !important;) +techpowerup.com##body:not([data-template]) a[rel*="nofollow"][target="_blank"][href$="er/images/gmchjhj.png"] +||www.techpowerup.com/reviyuu/$image,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/87127 +||delivery.sexyxxx.biz^ + +! https://github.com/uBlockOrigin/uAssets/issues/9621 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,redirect-rule,domain=carousell.* + +! https://github.com/uBlockOrigin/uAssets/issues/9515 +unblocknow.*##.adstg +unblocknow.*##.alert +unblocknow.*###cookieConsentVPN666 + +! https://github.com/uBlockOrigin/uAssets/issues/9528 +veoplanet.com##+js(ra, type, [src*="SPOT"], asap stay) +veoplanet.com##^source[src*="SPOT"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/87411 +link.asiaon.top##+js(aopr, app_vars.force_disable_adblock) +link.asiaon.top##+js(set, blurred, false) +asiaon.top##+js(rmnt, script, deblocker) +! https://github.com/uBlockOrigin/uAssets/issues/10410 +! https://github.com/AdguardTeam/AdguardFilters/issues/104768 +asiaon.*,asiaontop.com##+js(no-xhr-if, googlesyndication, length:10) +asiaon.*,asiaontop.com##+js(no-xhr-if, doubleclick) +/aot-content/assets/*/cb-ads/*$domain=asiaon.top|asiaontop.com +/\/aot-content\/modules\/[^\.]{40,}\.js\b/$script,1p,domain=asiaon.*|asiaontop.com +@@/aot-content/modules/*/assests$script,1p,domain=asiaon.*|asiaontop.com +||avsakrcapna.com^ +||blacksaltys.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/9534 +bestgamehack.top,hackofgame.com##+js(aopr, open) + +! https://www.reddit.com/r/uBlockOrigin/comments/odfs9m/is_there_a_way_to_whitelist_a_site_from_specific/ +193.124.191.200##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/87538 +go.gets4link.com##+js(rc, get-link, .btn-success.get-link[target="_blank"], stay) +go.gets4link.com##+js(nowoif) +go.gets4link.com##+js(set, blurred, false) +go.gets4link.com##.blog-item +go.gets4link.com##.banner +go.gets4link.com##.mx-auto > center + +! https://github.com/AdguardTeam/AdguardFilters/issues/87660 +mangalek.com##+js(acs, String.fromCharCode, decodeURIComponent) +*$script,3p,denyallow=cloudflare.com|mangarc.com,domain=mangalek.com + +! https://github.com/uBlockOrigin/uAssets/issues/9546 +trzpro.com##+js(nano-sib, counter--) + +! https://github.com/AdguardTeam/AdguardFilters/issues/87638 +download.sharenulled.net##+js(aopr, app_vars.force_disable_adblock) +download.sharenulled.net##+js(set, blurred, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/of8b31/golinuxcloudcom_has_big_rectangles_where_ads/ +golinuxcloud.com##.golin-adlabel:upward([class^="golin-content"]) +golinuxcloud.com##.adtag_250 +golinuxcloud.com##.adtag_600 + +! silenthub. net anti adb +@@||silenthub.net^$ghide + +! https://github.com/uBlockOrigin/uAssets/pull/9556 +justin.mp3quack.lol##+js(aeld, click, open) + +! https://www.reddit.com/r/uBlockOrigin/comments/ofkeym/how_do_i_disable_block_detection_in_this_site/ +||sentry-cdn.com^$script,redirect=noopjs,domain=proinfinity.fun +||proinfinity.fun/*.html$frame,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/87862 +lightnovelpdf.com##+js(aopr, adsBlocked) +lightnovelpdf.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/87855 +comandotorrentshds.org##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/87904 +*$script,3p,denyallow=cloudflare.net|jsdelivr.net|sc.gl|unpkg.com,domain=hitprn.com + +! https://github.com/uBlockOrigin/uAssets/issues/9585 +openculture.com##+js(nosiif, daadb) +openculture.com##.no-framearound_ad_in_post + +! celebwhore.com,sexcams-24.com,webcamvau.com ads,popunder +celebwhore.com,sexcams-24.com##+js(set, flashvars.popunder_url, '') +sexcams-24.com##+js(set, flashvars.protect_block, '') +webcamvau.com##+js(set, flashvars.adv_pre_vast, '') +celebwhore.com,sexcams-24.com##.table +||wmpics.pics^$domain=sexcams-24.com|webcamvau.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/58354 +zedge.net##+js(nano-sib, (i-1)) + +! https://github.com/AdguardTeam/AdguardFilters/issues/88067 +zetporn.com##+js(aopr, ExoLoader.serve) +zetporn.com##+js(acs, addEventListener, -0x) +zetporn.com##.aside-itempage-col +/\.com\/[A-Za-z]{9,}\/[A-Za-z]{9,}\.js$/$script,1p,domain=zetporn.com +||zetporn.com/*/custom_vast/$xhr +*$script,3p,denyallow=googleapis.com,domain=zetporn.com + +! https://www.reddit.com/r/uBlockOrigin/comments/ohvw2n/adblock_detected_on_blackenterprisecom/ +blackenterprise.com##.penci-sidebar-widgets.penci-sticky-sidebar.widget-area-1.widget-area > .theiaStickySidebar +blackenterprise.com##.hdrbanart + +! https://github.com/AdguardTeam/AdguardFilters/issues/88018 +! https://github.com/AdguardTeam/AdguardFilters/issues/97742 +hog.*##.content__info--vis +hog.*##.content__top +hog.*##.player-block__line +hog.*##.player-block__square +hog.*##.player__line +hog.*##.player__side +hog.*##.related-view > div.title--sm +*$script,3p,denyallow=cloudflare.com|gcdn.co|google.com|gstatic.com|videocdn.name,domain=hog.* + +! https://www.reddit.com/r/uBlockOrigin/comments/ohygvs/ +||m.youtube.com/*/ad.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/9590 +keepvid.pw##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/85982 +! https://www.reddit.com/r/uBlockOrigin/comments/oiyor7/help_with_animes_website_anti_adblock/ +@@||blogdatecnologia.net^$ghide +@@||diariodecasamento.com^$ghide +@@||modaestiloeafins.com^$ghide +@@||portalmundocurioso.com^$ghide +@@||receitasabores.com^$ghide +@@||turismoeviagem.com^$ghide +blogdatecnologia.net,diariodecasamento.com,eusaudavel.net,modaestiloeafins.com,portalmundocurioso.com,receitasabores.com,turismoeviagem.com##+js(ra, class, div#player) + +! https://www.reddit.com/r/uBlockOrigin/comments/oivtpz/nsfw_fuqercom_has_placeholder_banner_ads/h4y0k00/ +justcastingporn.com,justfamilyporn.com##+js(acs, document.createElement, _htas) + +! https://github.com/uBlockOrigin/uAssets/issues/9596 +@@||smallseo.tools^$ghide +smallseo.tools##.category_box > .col-md-6 > p +smallseo.tools##.category_box > p +smallseo.tools##.sidebar_adds +smallseo.tools##ins.adsbygoogle +smallseo.tools##.text-center.col-md-8 > p +smallseo.tools##[href^="https://grammarchecker.io/grammarly"] +smallseo.tools##.border.p25.tracktool_banner .text-center > p + +! https://github.com/uBlockOrigin/uAssets/issues/9598 +itsguider.com##+js(aeld, load, nextFunction) +@@||itsguider.com^$ghide +*$script,3p,denyallow=cloudflare.com|google.com|gstatic.com,domain=itsguider.com + +! https://www.reddit.com/r/uBlockOrigin/comments/om7dl0/how_to_get_around_adblock_detection_on_this_site/ +surfsees.com##+js(noeval-if, deblocker) +surfsees.com##+js(aeld, DOMContentLoaded, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/9601 +viserve.com##^responseheader(location) + +! https://github.com/uBlockOrigin/uAssets/issues/9606 +@@||leaklinks.com^$script,1p +*.gif$domain=leaklinks.com,image + +! https://www.reddit.com/r/uBlockOrigin/comments/on98rw/dynamic_adblocking_on_lowendtalkcom/ +||lowendbox.com^$3p +||lowendbox.com/media/banner/$frame +lowendbox.com##a[href][rel=noreferrer] > img[height="250"][width="300"] +lowendbox.com##[href="https://vpsdime.com/"] +lowendbox.com##iframe +lowendbox.com##div.block:has([id^="bsa"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/88394 +*$script,3p,denyallow=cloudflare.com,domain=reddit.tube + +! https://www.reddit.com/r/uBlockOrigin/comments/oovdng/anti_adblocker_on_nbc_olympics_streaming_website/ +nbcolympics.com##+js(set, adblockDetect, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/opnzoj/quartz_needs_cosmetic_filters_qzcom/ +qz.com##.e76xF.bJlt-:style(padding-top:0px !important) +qz.com##.article-content-ad +qz.com###engage-1 + +! https://github.com/AdguardTeam/AdguardFilters/issues/88962 +xanimehub.com##+js(nosiif, visibility, 1000) + +! crackevil.com anti adb +crackevil.com##+js(acs, mMcreateCookie) + +! https://github.com/uBlockOrigin/uAssets/issues/9633 +online-fix.me##+js(nostif, /width|innerHTML/) + +! https://github.com/bogachenko/fuckfuckadblock/issues/213 +buydekhke.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/9638 +mylinkconverter.com##a[href^="https://go.nordvpn.net/aff"] > img + +! https://github.com/orgs/uBlockOrigin/teams/ublock-filters-volunteers/discussions/356 +asyadrama.com,bitcoinegypt.news,citychilli.com,talkjarvis.com##+js(nostif, css_class.show) +cardiagn.com,routech.ro##+js(acs, eval, replace) +@@||cardiagn.com^$script,1p +privatemoviez.*##+js(aeld, DOMContentLoaded, adsBlocked) +privatemoviez.*##+js(nostif, magnificPopup) +routech.ro##+js(nostif, blur) +! https://github.com/uBlockOrigin/uAssets/issues/10944 +routech.ro##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/9650 +msn.cn##msft-article[id^="native_ad_nativead"] +msn.cn##.eastday-post-article-container + +! https://www.reddit.com/r/uBlockOrigin/comments/oso9hl/adblock_detected/ +@@||club-opel.com^$ghide +club-opel.com##.side_ad_left_160 +club-opel.com##.side_ad_right_160 +club-opel.com##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/89242 +||nothingtoxic.com/aff/chaturbate/ +||painaltube.com/min/747b35c9/painaltube/p/ +||painaltube.com/widget/chaturbate_cam.php? +painaltube.com##.widget > div.widget + +! https://github.com/AdguardTeam/AdguardFilters/issues/89471 +javsex.to##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://www.reddit.com/r/uBlockOrigin/comments/otw7nq/adblock_detected/h6zftgn/ +@@||seir-sanduk.com/$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10128 +trueachievements.com,truesteamachievements.com,truetrophies.com##body:style(padding-top:0px !important) + +! https://github.com/uBlockOrigin/uAssets/issues/9674 +techilife.com##+js(acs, jQuery, adblocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/89554 +picdollar.com##+js(aopr, loadTool) + +! https://github.com/uBlockOrigin/uAssets/issues/9685 +tyfloswiat.pl##^responseheader(location) + +! https://www.reddit.com/r/uBlockOrigin/comments/ounv20/an_ad_that_keeps_changing_a_number_evades_element/ +/demonoid\.is\/[a-z0-9]{24}\.jpg$/$image,1p,match-case,domain=demonoid.is +demonoid.is##+js(rpnt, style, visibility: visible !important;, display: none !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/9686 +send-anywhere.com##+js(nano-sib, skipOptions) +send-anywhere.com###transfer-reward-ad + +! https://www.reddit.com/r/uBlockOrigin/comments/owcag5/previously_blocked_ads_suddenly_showing_on/ +||brightcove.com/playback/*/*?ad_config_id$removeparam=ad_config_id,xhr,domain=tvnz.co.nz +||brightcovecdn.com/playback/*/*?ad_config_id$removeparam=ad_config_id,xhr,domain=tvnz.co.nz +! https://github.com/easylist/easylist/commit/458ff20983414424f5170fee13f18cccb17f337d - anti-adb +tvnz.co.nz##+js(no-fetch-if, method:HEAD url:doubleclick.net) + +! https://www.reddit.com/r/uBlockOrigin/comments/owh9eq/please_help_me_disable_this_anti_adblock/ +@@||pharmacyreviewer.com^$ghide +@@||pharmacyreviewer.com/forum/js/$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/ownid8/cant_block_admiral_ads/ +247sports.com##body:not(.skybox-loaded) .topnav:style(margin-top:0px !important) +247sports.com##.nav-bar:style(top:0px !important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/89901 +sextubefun.com###playerOverlay +sextubefun.com##.promo-sec + +! https://github.com/AdguardTeam/AdguardFilters/issues/89898 +samehadaku.*###playVideo:style(display: block !important; visibility: visible !important;) +samehadaku.*###player_embed:style(display: block !important; visibility: visible !important;) +samehadaku.*###skipbtn +samehadaku.*##.box_item_berlangganan_popup +! https://github.com/uBlockOrigin/uAssets/issues/26168 +*$script,3p,denyallow=cloudflare.com|cloudfront.net|disqus.com|disquscdn.com|fastlylb.net,from=samehadaku.* + +! https://github.com/easylist/easylist/commit/620e7215ca86b6356efeb3cfddbd5021c9c59333#commitcomment-53724188 +||yimg.com/nn/lib/metro/g/sda/$domain=yahoo.com + +! https://www.reddit.com/r/uBlockOrigin/comments/oz31hz/adblock_detected/ +mediapemersatubangsa.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/90217 +*$script,3p,denyallow=gstatic.com,domain=la123movies.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/89900 +! https://github.com/MajkiIT/polish-ads-filter/pull/20116 +pornofan.pl###inplayerADS +pornofan.pl##.PublicitaDestra + +! https://www.reddit.com/r/uBlockOrigin/comments/p0a2m2/anti_adblock_gigacourse/ +gigacourse.com##+js(acs, eval, replace) + +! https://www.reddit.com/r/uBlockOrigin/comments/p0ina2/blocked_video_on_howstuffworkscom/ +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,redirect=noopjs,domain=howstuffworks.com + +! https://github.com/uBlockOrigin/uAssets/issues/8156 +userload.*##+js(aeld, , _0x) +userload.*##+js(nowoif) +userload.*##+js(acs, document.getElementById, style.display) +||userload.*/maroc.js$script,1p +@@||userload.*/ad-banner.js +*$image,redirect-rule=1x1.gif,domain=userload.* +userload.*##div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"] +userload.*##.adp-underlay +||zetadeo.com^$all +||civadsoo.net^$all +||binomo.com^$3p +||0x01n2ptpuz3.com^$all + +! https://www.timesnowhindi.com/india/article/kapil-sibbal-dinner-part-is-set-back-for-rahul-gandhi/357896 +! https://github.com/uBlockOrigin/uAssets/issues/3995 +||imasdk.googleapis.com/js/sdkloader/$script,redirect=noopjs,domain=timesnowhindi.com|timesnowmarathi.com|tvid.in +timesnowhindi.com##.ad-section-three +timesnowhindi.com##.ad-section-one +timesnowhindi.com##.right-block > .section-one +timesnowhindi.com##.add-wrap +timesnowhindi.com##div.square-adv +timesnowhindi.com##.right-block > .section-four +timesnowhindi.com##.ad-panel-wrap +timesnowhindi.com##.bggrayAd +timesnowhindi.com##div:not([class]) > div:has(> .atfAdContainer) +timesnowhindi.com##div:not([class]) > div:empty +timesnowhindi.com,timesnowmarathi.com,timesofindia.com##+js(no-fetch-if, tvid.in/log) +timesnowmarathi.com##[class^="section"]:has(> .ad-div) + +! https://github.com/uBlockOrigin/uAssets/issues/9746 +isekaisubs.web.id##+js(aost, String.prototype.charCodeAt, ai_) + +! blasensex.com popunder and ads +blasensex.com##+js(aopr, jsUnda) +blasensex.com##.w300 + +! https://github.com/uBlockOrigin/uAssets/issues/9749 +@@||cheat.hax4you.net^$ghide + +! manganelo. tv popups +manganelo.tv##+js(aopr, JSON.parse) + +! movizland. top + players => popups +movizland.*##+js(aopr, open) + +! https://github.com/AdguardTeam/AdguardFilters/issues/90816 +upstore.net##+js(nano-sib, countDown, 1150, 0.5) + +! https://www.reddit.com/r/uBlockOrigin/comments/p3towt/stv_player_ads/ +player.stv.tv##+js(json-prune, testadtags ad) +player.stv.tv##div.vjs-cue-point +||sumologic.stv.tv^ +! https://www.reddit.com/r/uBlockOrigin/comments/10mxa4l/ +||brightcove.com^$removeparam=ad_config_id,domain=player.stv.tv + +! https://www.reddit.com/r/uBlockOrigin/comments/p4ciia/anti_adblocker_on_tvnationme/ +@@||tvnation.me^$ghide +tvnation.me##.adsbyvli +tvnation.me##div[style="float:left;text-align:center; width:300px; height:300px"] +tvnation.me##td[style="width:165px;"] +tvnation.me##td[style="width:160px;"] +tvlogy.to##+js(nostif, 0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/90990 +javhoho.com##+js(aost, String.prototype.charCodeAt, ai_) +javhoho.com###text-2 +javhoho.com###text-3 +javhoho.com###text-4 +javhoho.com###text-5 +javhoho.com###text-6 +javhoho.com###text-7 +javhoho.com##a[href="https://50per-cent.com/"] + +! udoyoshi.com anti adb +udoyoshi.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/9759 +vermoegen.org##+js(aopr, document.referrer) + +! https://github.com/uBlockOrigin/uAssets/issues/9762 +mobile.de##.sticky-billboard +m.mobile.de##[data-label="Anzeige"] +m.mobile.de##div.He1bX + +! https://github.com/AdguardTeam/AdguardFilters/issues/91100 +pornsai.com##.table + +! ai_front sites +adrianoluis.net,altevolkstrachten.de,animecast.net,armyranger.com,articletz.com,boxylucha.com,chibchat.com,duniailkom.com,enciclopediaonline.com,entano.jp,eyalo.com,fosslovers.com,fotopixel.es,hairstylesthatwork.com,hello-e1.com,ichberlin.com,ireez.com,keepkoding.com,latribunadeautomocion.es,linemarlin.com,lumpiastudio.com,miaandme.org,mobility.com.ng,mygardening411.com,newstvonline.com,organismes.org,papagiovannipaoloii.altervista.org,playlists.rocks,relatosdesexo.xxx,rencah.com,riverdesdelatribuna.com.ar,sarkarinaukry.com,seamanmemories.com,socialmediaverve.com,theorie-musik.de,topperpoint.com,travel-the-states.com,vozz.vn##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/AdguardTeam/AdguardFilters/issues/91105 +@@||user.pnetlab.com/store/advs/check + +! https://github.com/AdguardTeam/AdguardFilters/issues/91142 +! https://github.com/AdguardTeam/AdguardFilters/issues/91144 +! https://github.com/AdguardTeam/AdguardFilters/issues/91145 +! https://github.com/AdguardTeam/AdguardFilters/issues/99051 +oosex.net,theteensexy.com,xteensex.net##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +##div#spot-holder.spot-holder[style="display: block;"] +##.gallery-bns-bl +/askdrej/*$script,1p +/askrej/*$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/p54deb/countdown_timer_on_imslporg_for_any_file_download/ +imslp.org##+js(nano-sib, timer) + +! https://github.com/uBlockOrigin/uAssets/issues/9771 +cover-addict.com##[href^="https://www.winxdvd.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/9780 +nudes7.com##+js(acs, document.addEventListener, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/9783 +||d1q4kshf6f0axi.cloudfront.net/main/prebid-$script + +! https://github.com/uBlockOrigin/uAssets/issues/9787 +apkdoze.com##+js(acs, $, samAdBlockAction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/91636 +! https://github.com/AdguardTeam/AdguardFilters/issues/116735 +fapnado.*##+js(acs, Math.floor, ExoLoader) +fapnado.*##.pause-ad-pullup +fapnado.*##[class^="zpot"] +||fapnado.*/bump/ +||oi.fapnado.xxx^ + +! https://github.com/uBlockOrigin/uAssets/issues/9800 +pogolinks.*##+js(nostif, showModal) +pogolinks.*##+js(acs, setTimeout, admc) +!||cdn.applixir.com^$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/9808 +ilifehacks.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/9809 +pclicious.net##+js(acs, quadsOptions) +pclicious.net###text-3 + +! https://github.com/AdguardTeam/AdguardFilters/issues/91926 +85tube.com##+js(set, flashvars.protect_block, '') +85tube.com##+js(set, console.clear, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/93533 +pastebin.com##div[style]:not([class]):not([id]):has(> .adsbyvli:first-child) + +! https://github.com/uBlockOrigin/uAssets/issues/9815 +@@||feyorra.top^$ghide +! https://www.reddit.com/r/uBlockOrigin/comments/xif3tf/ +feyorra.top##.ads +! https://www.reddit.com/r/uBlockOrigin/comments/120aajw/ +feyorra.top##+js(aeld, load, 'block') + +! https://github.com/AdguardTeam/AdguardFilters/issues/91911 +@@||temporarymail.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/9817 +gamingsym.in##+js(aost, String.prototype.charCodeAt, ai_) + +! https://www.reddit.com/r/uBlockOrigin/comments/p8ta6i/site_https123moviescanet/ +toolsolutions.top,wowstream.top##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/92128 +motherporno.com##+js(set, flashvars.adv_start_html, '') +motherporno.com##+js(set, flashvars.adv_pause_html, '') +motherporno.com##+js(set, flashvars.adv_pre_vast, '') +motherporno.com##+js(set, flashvars.adv_pre_vast_alt, '') +motherporno.com##.aside +motherporno.com##.spot + +! https://github.com/uBlockOrigin/uAssets/issues/9821 +! https://github.com/uBlockOrigin/uAssets/issues/12665 +@@||v.fwmrm.net/ad/$script,xhr,domain=viafree.* + +! watchhouseonline/watchtheofficeonline ads +watchhouseonline.net,watchtheofficeonline.net##.h_content +watchhouseonline.net###custom_html-6 +watchtheofficeonline.net###custom_html-7 +watchhouseonline.net,watchtheofficeonline.net##.module_single_ads + +! https://github.com/uBlockOrigin/uAssets/issues/9826 +! https://github.com/uBlockOrigin/uAssets/issues/14109 +apkhex.com##+js(set, style, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/92222 +love-stoorey210.net##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/AdguardTeam/AdguardFilters/issues/92239 +indiansexstories2.net,issstories.xyz##+js(set, history.pushState, noopFunc) +indiansexstories2.net##[href^="https://a.videobaba.xyz/geoip/link.php"] +indiansexstories2.net##[href="https://www.theporndude.com/"] +||dsccams.com^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/67667 +mypornhere.com##+js(acs, document.createElement, loadjscssfile) +mypornhere.com##.item > [href^="https://www.mrporngeek.com/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/paugeo/this_website_is_able_to_detect_ublock_origin_and/ +*$xhr,redirect-rule=nooptext,domain=shaalaa.com +shaalaa.com##div.zxc_wrap + +! https://www.reddit.com/r/uBlockOrigin/comments/pbhrqj/antiadblock_on_a_few_sites/ +@@||cyberbunkers.com^$ghide +cyberbunkers.com##ins.adsbygoogle +freeiphone.fr##+js(aost, Math, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/9837 +eductin.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/1905 +*$xhr,removeparam=ad_config_id,domain=telequebec.tv + +! https://github.com/AdguardTeam/AdguardFilters/issues/92620 +ear-phone-review.com##+js(nostif, nextFunction) +@@||ear-phone-review.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/9844 +switch520.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/9843 +||4u2movie.com^$3p,media,redirect=noopmp3-0.1s +embed.nana2play.com##.click_block +embed.nana2play.com##+js(nostif, debugger) +embed.nana2play.com##+js(nano-stb, load_ads) +||googles.video^ +||ad.mail.ru^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/10454 +! https://github.com/AdguardTeam/AdguardFilters/issues/117364 +ask4movie.*##+js(aopr, AaDetector) +ask4movie.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/9847 +riotbits.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://www.reddit.com/r/uBlockOrigin/comments/pdt0ju/site_opens_ad_in_new_tab_when_clicking_anywhere/ +easymp3converter.com##+js(nowoif, !yt2api) +easymp3converter.com##body > div[style$="z-index: 300000;"] +easymp3converter.com##div[id^="waldo-tag"] + +! https://github.com/uBlockOrigin/uAssets/issues/5818#issuecomment-907777420 +semprot.com##.semprotnenenmontok_adalah_pujaan_hatiku +semprot.com##a[href^="/yum.php"] + +! https://github.com/uBlockOrigin/uAssets/issues/9845 +||img.topddl.net^$image,domain=nanimex.com +||nanime.biz^$3p +nanimex.com##.iklan-tengah + +! https://github.com/uBlockOrigin/uAssets/issues/9855 +elahmad.com##+js(nostif, debugger) +*$image,redirect-rule=1x1.gif,domain=elahmad.com +*$redirect-rule=noopjs,script,domain=elahmad.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=elahmad.com +elahmad.com###ad_asd + +! https://github.com/uBlockOrigin/uAssets/issues/9860 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,domain=newgames.com + +! https://github.com/uBlockOrigin/uAssets/issues/9862 +kendam.com##+js(set, canRunAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/9861 +1340kbbr.com,gorgeradio.com,kduk.com,kedoam.com,kejoam.com,kelaam.com,khsn1230.com,kjmx.rocks,kloo.com,klooam.com,klykradio.com,kmed.com,kmnt.com,kool991.com,kpnw.com,kppk983.com,krktcountry.com,ktee.com,kwro.com,kxbxfm.com,thevalley.fm##+js(set, google_unique_id, 6) + +! https://github.com/uBlockOrigin/uAssets/issues/9863 +convert2mp3.cx##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/9867 +isgfrm.com##+js(acs, $, test) + +! https://github.com/uBlockOrigin/uAssets/issues/9870 +megawypas.com##+js(acs, document.addEventListener, google_ad_client) + +! https://www.reddit.com/r/uBlockOrigin/comments/pf3idx/123movies_detects_ad_blocking/hb4a5hk/ +123moviesto.to###bar-player +123moviesto.to##.mvic-bmt + +! https://github.com/uBlockOrigin/uAssets/issues/9885 +mp3dl.cc##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/9892 +tryvaga.com##+js(acs, document.addEventListener, adsBlocked) +||tryvaga.com/wp-content/themes/retrotube/assets/img/banners$image +/images/ads.$image,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/9893 +wttw.com##+js(set, canRunAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/9896 +@@||adsuite.io^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/9897 +worldofbin.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/9898 +tamilbrahmins.com##+js(acs, $, test) + +! https://github.com/uBlockOrigin/uAssets/issues/9899 +@@||panelist.cint.com/assets/embed.min.js^$script,domain=surveyrewardz.com +@@||panelist.cint.com/$frame,domain=surveyrewardz.com + +! https://github.com/uBlockOrigin/uAssets/issues/9887 +! https://github.com/uBlockOrigin/uAssets/issues/12695 +gab.com##div[class] > span[class]:has-text(Sponsored):upward(5) +gab.com#?#:matches-path(/\/posts/) div[data-comment*="gab-ad"]:has(span[class]:has-text(Sponsored)) + +! https://github.com/uBlockOrigin/uAssets/pull/9886 +quizlet.com##.SetPageTerms-embeddedDesktopAdWrapper +quizlet.com##.StickyAdz +quizlet.com##+js(rc, has-sidebar-adz|DashboardPage-inner, div[class^="DashboardPage-inner"], stay) +quizlet.com##+js(rc, hasStickyAd, div.hasStickyAd[class^="SetPage"], stay) +quizlet.com##+js(nano-stb) +! https://github.com/uBlockOrigin/uAssets/issues/23882 +quizlet.com##+js(set, __NEXT_DATA__.props.pageProps.adsConfig, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/9911 +vivo.st##+js(aeld, , preventDefault) +vivo.st##+js(aeld, click, tabunder) +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=vivo.st + +! https://github.com/uBlockOrigin/uAssets/issues/9915 +oneotv.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/pull/9919 +@@/wp-content/plugins/dh-anti-adblocker/*$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/93639 +goldenmanga.top##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/92587 +linkfly.*##+js(set, blurred, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/pi9yw0/how_do_i_block_antiblock_on_this_site/ +@@||dinamalar.com^$ghide +dinamalar.com###taboola-below-article-thumbnails +dinamalar.com##.topadtxt300 +dinamalar.com##div[style=" color: #999999;font-family: arial;font-size:10px;padding-right: 5px;text-align: right;width:640px;"] +dinamalar.com##div[style^="width:728px; margin-right:2px; height:90px;"] +dinamalar.com##.topadtxt728 +dinamalar.com###rladvt + +! https://github.com/AdguardTeam/AdguardFilters/issues/93501 +gagaltotal666.my.id##+js(acs, addEventListener, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/9929 +owlzo.com##+js(nostif, adblockEnabled) + +! https://www.reddit.com/r/uBlockOrigin/comments/pifkxt/kumparancom/ +kumparan.com##.adunitContainer:upward([data-qa-id]) + +! DeBlocker sites +nulljungle.com,oyuncusoruyor.com,pbarecap.ph,sourds.net,teknobalta.com,tvinternetowa.info##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/10493 +celebjared.net##[href^="https://minepi.com/"] +celebjared.net###text-10 + +! https://www.reddit.com/r/uBlockOrigin/comments/pjq4ez/ +! https://github.com/uBlockOrigin/uAssets/issues/11859 +1tamilmv.*##+js(acs, document.createElement, cookie) +1tamilmv.*##+js(aopr, mm) + +! https://github.com/AdguardTeam/AdguardFilters/issues/94160 +beingtek.com##+js(aopr, app_vars.force_disable_adblock) +beingtek.com##+js(set, blurred, false) +*$script,3p,denyallow=gstatic.com|recaptcha.net,domain=beingtek.com + +! https://github.com/uBlockOrigin/uAssets/issues/10833 +pcbeta.com##+js(aost, document.createElement, make_rand_div) + +! https://github.com/AdguardTeam/AdguardFilters/issues/94246 +sqlserveregitimleri.com##+js(aeld, DOMContentLoaded, adsBlocked) +sqlserveregitimleri.com##.ai_widget + +! https://www.reddit.com/r/uBlockOrigin/comments/pm5bml/ +*$3p,script,denyallow=cloudflare.com|cloudflare.net|hwcdn.net|jquery.com|fontawesome.com,domain=dekhobd.com + +! https://github.com/uBlockOrigin/uAssets/issues/9956 +dsocker1234.blogspot.com##+js(acs, String.prototype.charCodeAt, 'replace') +dsocker1234.blogspot.com##+js(set, new_config.timedown, 0) +dsocker1234.blogspot.com##.mb-3.order-last.col-md-3.col-12 + +! https://www.reddit.com/r/uBlockOrigin/comments/pmm2t4/ad_server_not_blacklisted_in_ubo/ +dottech.org###Azadify + +! https://github.com/uBlockOrigin/uAssets/issues/9959 +ttsfree.com##div[id^="ezoic-pub-ad-"] + +! https://github.com/uBlockOrigin/uAssets/issues/9961 +stiflersmoms.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +||stiflersmoms.com/yes/ +stiflersmoms.com##.line3 + +! https://github.com/AdguardTeam/AdguardFilters/issues/94492 +@@||wallpapers.ispazio.net^$ghide +wallpapers.ispazio.net##.box-apples_single_reclame +ispazio.net##.stream-item +ispazio.net##.stream-item-widget + +! https://github.com/uBlockOrigin/uAssets/issues/9962 +/nb/f_ls.js +! https://github.com/uBlockOrigin/uAssets/issues/9964 +||bluffyporn.com^$3p +||quinporn.com^$3p +###stop_ad +###stop_ad2 + +! https://github.com/uBlockOrigin/uAssets/pull/9969 +tutcourse.com##+js(aeld, DOMContentLoaded, adsBlocked) +tutcourse.com##.text-html +tutcourse.com##.ai-attributes + +! https://github.com/uBlockOrigin/uAssets/issues/9970 +! https://www.reddit.com/r/uBlockOrigin/comments/uf2etv/fmovies_popup_cant_get_rid_of/ +@@||videovard.*^$xhr,1p +videovard.*##+js(nowoif) +videovard.*##+js(aeld, mouseup, catch) +videovard.*##+js(nosiif, 0x) +videovard.*##.jw-reset.jw-wrapper:style(z-index:2147483647 !important) +videovard.*###nux > div > div > div[id] +videovard.*##+js(aopr, FuckAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/9971 +burakgoc.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/9973 +tvshows4mobile.*##+js(acs, String.prototype.charCodeAt, 'replace') +tvshows4mobile.*##body:style(visibility:visible !important) +tvshows4mobile.*###babasbmsgx +tvshows4mobile.*##[href="http://bit.ly/indianwebseriesv2"] +tvshows4mobile.*##.prop_native1 + +! https://github.com/uBlockOrigin/uAssets/issues/9975 +alvinreports.com##.stream-item-above-post-content +||i.imgur.com/D6RfMoV.png^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/pnjty1/ +! https://github.com/uBlockOrigin/uAssets/issues/13019 +! https://www.reddit.com/r/uBlockOrigin/comments/x6uri3/ +wcofun.*##+js(nostif, AdBlock) +wcofun.*##+js(set, isAdBlockActive, false) +wcofun.*##.anti-ad +wcofun.*##.reklam_kapat + +! https://github.com/uBlockOrigin/uAssets/issues/9996 +q1003.com##+js(nostif, google_ad) + +! https://github.com/uBlockOrigin/uAssets/issues/9997 +||adbox.lv^$script,redirect=noop.js,domain=mail.ee + +! https://github.com/uBlockOrigin/uAssets/issues/9999 +@@||automodeler.com^$ghide +automodeler.com##ins.adsbygoogle +automodeler.com##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/10000 +@@||armorama.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10002 +xemales.com##+js(aopr, document.dispatchEvent) +xemales.com##[href="https://myteenwebcam.com/"] + +! cluset.com ads, popunder +cluset.com##+js(set, flashvars.popunder_url, '') +cluset.com##.item:has(> div.spot) +cluset.com##.table + +! https://github.com/easylist/easylist/issues/9095 +tumblr.com##header[role="banner"] > div > a[href="/docs/en/relevantads"]:upward(3) +tumblr.com##a[href^="https://www.bonecoin.com/"] +tumblr.com##.Yc2Sp h1, .Yc2Sp a:style(font-size: 0 !important;) +tumblr.com##+js(json-prune-fetch-response, response.timeline.elements.[-].advertiserId, , propsToMatch, url:/api/v2/tabs/for_you) + +! https://www.reddit.com/r/uBlockOrigin/comments/poglfc/fcinternewsit_now_has_an_antiadblock/ +||gazzettaobjects.it/rcs_anti-adblocker/$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/pokdbp/antiadblock_update_list/hcx4tp3/ +rincondelsazon.com##+js(nano-sib, timercounter) +tattoosbeauty.com##+js(nano-sib, timercounter) + +! https://github.com/uBlockOrigin/uAssets/issues/11621 +! https://github.com/AdguardTeam/AdguardFilters/issues/115524 +||i.imgur.com^$image,domain=myflixer.* +myflixer.*###gift-middle +myflixer.*##.premodal.modal +myflixer.*##.show.modal-backdrop +myflixer.*##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/10014 +apfelpatient.de##+js(nostif, css_class) + +! https://github.com/uBlockOrigin/uAssets/pull/10015 +myfirstname.rocks##.xcontent.container + +! https://www.reddit.com/r/uBlockOrigin/comments/ppj5hz/adblock_detected_shorturlunityassets4freecom/ +shorturl.unityassets4free.com##+js(aopr, app_vars.force_disable_adblock) +shorturl.unityassets4free.com##+js(aopr, open) +shorturl.unityassets4free.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/10022 +go-mp3.com##+js(nowoif, !clickmp3) + +! https://github.com/uBlockOrigin/uAssets/issues/10026 +szexkepek.net##+js(aopr, document.dispatchEvent) +szexkepek.net##div[style="display:inline;float:left;width:300px;height:250px;margin-left:15px;"] +szexkepek.net##div[style="width:728px;height:90px;"] + +! https://github.com/uBlockOrigin/uAssets/issues/10027 +teensexvideos.me##+js(aopr, ExoLoader) + +! https://github.com/uBlockOrigin/uAssets/issues/10028 +wife-home-videos.com##+js(aopr, document.dispatchEvent) +wife-home-videos.com##.happy-footer + +! https://github.com/uBlockOrigin/uAssets/issues/10025 +pornicom.com##+js(aopr, document.dispatchEvent) +pornicom.com##.thumbs-holder > .thumb_aside +pornicom.com##.bottom.thumb_aside +pornicom.com##a[href^="https://s.zlinkm.com/"] +pornicom.com##a[href^="https://s.zlinkv.com/"] +pornicom.com##a[href^="https://claring-loccelkin.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/10033 +sexmadeathome.com##+js(aopr, document.dispatchEvent) +sexmadeathome.com###dclm_modal_content +sexmadeathome.com##*:style(filter: none !important) +sexmadeathome.com###dclm_modal_screen + +! https://github.com/uBlockOrigin/uAssets/issues/10034 +nylondolls.com##+js(aopr, document.dispatchEvent) + +! https://www.sidereel.com/tv-shows/stargate-sg-1/season-6/episode-20 +sidereel.com###netaktion_ad + +! https://github.com/AdguardTeam/AdguardFilters/issues/95235 +! https://github.com/uBlockOrigin/uAssets/issues/16617 +techymedies.com##+js(acs, eval, replace) +techymedies.com###wpsafe-generate,#wpsafe-link,.bt-success:style(display: block !important;) +techymedies.com###wpsafe-time:upward([id^="wpsafe-wait"]) +disheye.com##+js(no-fetch-if, googlesyndication) +disheye.com##+js(nano-sib, count, *) +disheye.com,techymedies.com,techysuccess.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/10040 +blogpascher.com##+js(nostif, document.location) + +! https://github.com/AdguardTeam/AdguardFilters/issues/95247 +za.gl##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/10041 +readytechflip.com##+js(aeld, DOMContentLoaded, adsBlocked) +readytechflip.com##+js(aost, Math.round, inlineScript) +readytechflip.com##^script:has-text(/eval[\s\S]*?decodeURIComponent/) +readytechflip.com##.widget_custom_html + +! https://github.com/uBlockOrigin/uAssets/issues/10043 +! https://github.com/uBlockOrigin/uAssets/issues/10044 +! https://github.com/uBlockOrigin/uAssets/issues/10045 +milforia.com,teensfuck.me##+js(aopr, document.dispatchEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/10048 +notformembersonly.com##+js(aost, _pop) +notformembersonly.com###post-separate > p > .local-link + +! https://www.reddit.com/r/uBlockOrigin/comments/psdqgu/applying_for/ +@@||cdn.jsdelivr.net/npm/*/fuckadblock.min.js$script,3p + +! https://www.reddit.com/r/uBlockOrigin/comments/psgq8c/unsplash_ads/ +! https://www.reddit.com/r/uBlockOrigin/comments/pufp7v/unsplashcom_sponsored_ads/ +unsplash.com##div[style^="--row-gutter"] > div a[href="/brands"]:upward(div[style^="--row-gutter"] > div) +unsplash.com##div[data-test="SearchInFeedAd-AffiliateFallback-Container"] +unsplash.com##div:has(> div[data-affiliates-grid-container]) +! https://www.reddit.com/r/uBlockOrigin/comments/1acckcx/unsplashcom/ +unsplash.com##div[data-test^="masonry-grid"] > div[style^="--row"] > div:not([itemprop="image"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/95275 +! https://github.com/uBlockOrigin/uAssets/issues/12954 +@@||samuraiscan.com^$ghide +samuraiscan.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/10055 +milanworld.net##+js(acs, $, test) + +! https://www.reddit.com/r/uBlockOrigin/comments/pudoz3/incorrect_cosmetic_filtering_on_chesscom/ +chess.com##.board-layout-ad +chess.com##body.board-layout.with-und:style(margin-right:0px!important) +! https://github.com/uBlockOrigin/uAssets/issues/19376 +chess.com##.game-over-ad-legacy-component:style(height: 0 !important) + +! https://www.reddit.com/r/uBlockOrigin/comments/pulpsp/connatix_player_main_content_being_blocked_again/ +funker530.com##+js(rc, cnx-ad-container|cnx-ad-bid-slot) +||funker530-ads.azurewebsites.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/10065 +! https://www.reddit.com/r/uBlockOrigin/comments/1ax9teb/adblock_detection_on_resetscansxyz/ +reset-scans.*##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/pull/10067 +uyduportal.net##+js(acs, document.addEventListener, nextFunction) + +! https://www.reddit.com/r/uBlockOrigin/comments/purjil/ubo_prevent_video_from_loading_on/ +businessinsider.fr##[id^="bin-ads"] + +! https://github.com/uBlockOrigin/uAssets/pull/10073 +@@||cdnqq.net^$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/95766 +testserver.pro##+js(nostif, google) + +! https://www.reddit.com/r/uBlockOrigin/comments/pw9d5z/submit_solution_to_filter_list/ +! https://github.com/uBlockOrigin/uAssets/issues/26841 +warddogs.com##+js(aeld, DOMContentLoaded, adsBlocked) +warddogs.com##.main-money-01 +warddogs.com##.single-aside > div.flex + +! https://github.com/uBlockOrigin/uAssets/issues/3462#issuecomment-927450275 +telefullenvivo.com##+js(nostif, nextFunction) + +! https://www.reddit.com/r/uBlockOrigin/comments/pwii80/ad_list_update/ +lineageos18.com##+js(nowoif, bitcoins-update.blogspot.com) +gomoviz.*##.mvic-btn +gomoviz.*##.mobile-btn +gomoviz.*##div.content-kuss +embedsb.com##+js(nosiif, 0x) + +! everyeye. it anti adb +everyeye.it##+js(nostif, adb) + +! https://www.reddit.com/r/uBlockOrigin/comments/px06je/ad_was_not_blocked/ +nodejs.libhunt.com##[data-ref="saashub"]:upward(div.feed-item) + +! https://github.com/uBlockOrigin/uAssets/pull/10087 +alueviesti.fi,kiuruvesilehti.fi,lempaala.ideapark.fi,olutposti.fi,urjalansanomat.fi##+js(aeld, scroll, innerHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/10089 +watashiwasugoidesu.com##.watas-adlabel +watashiwasugoidesu.com##.watas-bottom-vi + +! https://github.com/uBlockOrigin/uAssets/issues/17965 +@@||freereceivesms.com^$script,1p +freereceivesms.com##+js(nosiif, 0x) +freereceivesms.com##a[href^="https://www.18sex.org/"] +! non-bait wp-banners.js +/wp-content/plugins/wp-banners/js/wp-banners.js +pobre.*###messageModal +pobre.*##.generalModal +||pobre.*/wp-banners.js +||cloclo60.datacloudmail.ru/public/view/*.mp4|$media,domain=pobre.*,redirect=noopmp3-0.1s + +! https://github.com/AdguardTeam/AdguardFilters/issues/93513 +! https://github.com/uBlockOrigin/uAssets/issues/15588 +coinsparty.com##+js(nowoif) +coinsparty.com##+js(no-xhr-if, wpadmngr) +coinsparty.com###captchaShortlink:upward(form#coinsparty > div):style(display: block !important;) +coinsparty.com##form[action$="/links/popad"]:remove() +coinsparty.com##div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"] +||ad4point.nyc3.digitaloceanspaces.com^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/95993 +@@||windowsbulletin.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10095 +fifaultimateteam.it##+js(aost, Math, inlineScript) +fifaultimateteam.it##+js(nowoif) +||fifaultimateteam.it/*skin$image +fifaultimateteam.it##.ai_widget + +! https://github.com/FastForwardTeam/FastForward/issues/98 +bshopme.site##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/95727 +mikl4forex.com##+js(nano-sib, counter, 2000) +michaelemad.com##+js(nano-sib, timer) + +! https://github.com/uBlockOrigin/uAssets/issues/10102 +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##.adLinkBar:upward(article[style="z-index: 1;"]) + +! https://github.com/uBlockOrigin/uAssets/issues/10104 +@@||xtremestream.co^$ghide + +! https://www.blick.ch/schweiz/prozess-um-tote-britin-22-in-lugano-es-gab-keinen-sex-nur-einen-femizid-id16849768.html video ads +! https://github.com/uBlockOrigin/uAssets/issues/12446 +! https://github.com/uBlockOrigin/uAssets/issues/24977 +blick.ch##.fKZLNI:style(width:120% !important) +blick.ch##+js(cookie-remover, __adblocker) +blick.ch##[class*="_ad_"] +blick.ch##aside:has(> div[id^="ad-placement"]) + +! https://github.com/adsbypasser/adsbypasser/issues/3708 +bblink.com##+js(set, blurred, false) +bblink.com##.banner-img-promotion + +! donpelis.com popup popunder +donpelis.com##+js(aost, localStorage, stackDepth:1) +donpelis.com##+js(ra, onclick, [onclick^="pop"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/116299 +javhub.net##+js(aeld, DOMContentLoaded, 0x) +javhub.net##+js(aopr, cainPopUp) +javhub.net##+js(aopr, pURL) +javhub.net##.fel-playclose +javhub.net##[class^="banner-"] + +! https://github.com/uBlockOrigin/uAssets/issues/10788 +novsport.com##+js(refresh-defuser) + +! https://github.com/uBlockOrigin/uAssets/issues/10129 +yifysub.net##+js(nano-sib, #timer) + +! https://github.com/uBlockOrigin/uAssets/issues/10127 +theloadout.com###nn_bfa_wrapper +theloadout.com##.legion_primiswrapper +theloadout.com##header:style(top:0 !important) +theloadout.com###nn_astro_wrapper:has(.ad) +theloadout.com##.nn_mobile_mpu_wrapper + +! https://www.reddit.com/r/uBlockOrigin/comments/q0grjo/ceylonsshcom_adblock_detected/ +ceylonssh.com##+js(acs, $, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/10148 +bowfile.com##+js(nowoif) +*$script,redirect-rule=noopjs,domain=bowfile.com +*$frame,redirect-rule=noopframe,domain=bowfile.com +||d192r5l88wrng7.cloudfront.net^$frame,redirect=noopframe +bowfile.com##+js(no-fetch-if, cloudfront.net/?) +bowfile.com##+js(no-fetch-if, method:HEAD) +bowfile.com##+js(ra, href|target|data-onclick, a[id="dl"][data-onclick^="window.open"], stay) +bowfile.com##^script:has-text(FingerprintJS) +! antiadb/download button not showing +bowfile.com##+js(trusted-prevent-xhr, googlesyndication, 'a.getAttribute("data-ad-client")||""') +*$xhr,redirect-rule=nooptext,domain=bowfile.com + +! https://github.com/uBlockOrigin/uAssets/issues/10147 +javfor.tv##+js(acs, addEventListener, -0x) + +! adlinkweb.com,myad.biz,vklinks.com ads, anti-adb, focus detection +adlinkweb.com##+js(aopr, app_vars.force_disable_adblock) +myad.biz##+js(set, blurred, false) +adlinkweb.com,vklinks.com##.banner-inner +||i.ibb.co^$image,domain=adlinkweb.com +||ad.lomadee.com^ +||myezads.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/10156 +streamingsites.com##.OUTBRAIN:upward(2) + +! https://github.com/uBlockOrigin/uAssets/issues/25103 +schoolcheats.net##+js(set, truex, {}) +schoolcheats.net##+js(set, truex.client, noopFunc) +schoolcheats.net##.blur-sm:style(filter: none !important;) +! https://github.com/uBlockOrigin/uAssets/issues/26154 +schoolcheats.net##+js(nostif, blooket-answers) + +! https://github.com/AdguardTeam/AdguardFilters/issues/96575 +kisscos.net##+js(acs, addEventListener, -0x) +kisscos.net##span[id$="related"] > div[id^="container-"] +kisscos.net##[id$="-overlay"] + +! https://github.com/uBlockOrigin/uBlock-issues/discussions/3096#discussioncomment-8273443 +! https://1cloudfile.com/I7 +1cloudfile.com##+js(no-xhr-if, pagead2.googlesyndication.com) +1cloudfile.com##+js(trusted-prevent-xhr, googlesyndication, 'a.getAttribute("data-ad-client")||""') +1cloudfile.com##+js(nosiif, !display) +! https://github.com/uBlockOrigin/uAssets/issues/22329 +1cloudfile.com##+js(nowoif) +1cloudfile.com##+js(no-fetch-if, /nerveheels/) +1cloudfile.com##+js(acs, navigator, FingerprintJS) +||1cloudfile.com/sw.js$script +1cloudfile.com#@#.advert-wrapper +1cloudfile.com##.advert-wrapper:style(clip-path: circle(0) !important;) +1cloudfile.com##.preview-download-wrapper +1cloudfile.com##.content-preview-wrapper +||browsingcontredir.com^ + +! https://github.com/LiCybora/NanoDefenderFirefox/issues/209 +straatosphere.com##+js(nostif, showModal) +straatosphere.com##html:style(overflow: auto !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/q515et/anti_ad_block_message_on/ +animotvslashz.blogspot.com##+js(aopr, _pop) + +! https://github.com/uBlockOrigin/uAssets/issues/10170 +liveonsat.com##+js(acs, document.getElementById, 'No') +liveonsat.com##td[width="100%"][height="50"] + +! https://github.com/uBlockOrigin/uAssets/issues/10174 +4everproxy.com##+js(aost, foreverJQ, /document.createElement|stackDepth:2/) + +! https://www.reddit.com/r/uBlockOrigin/comments/q6i6sa/please_fix_this_shortener/ +1bitspace.com,mgnet.xyz##+js(acs, addEventListener, -0x) +mgnet.xyz##+js(acs, document.addEventListener, container.innerHTML) +mgnet.xyz##+js(nostif, top-right, 2000) +mgnet.xyz##+js(set, hiddenProxyDetected, false) +mgnet.xyz##+js(nano-stb, _0x, 15000) +1bitspace.com##+js(nano-stb, location.href, 8000) +1bitspace.com,mgnet.xyz##.modal__overlay +mgnet.xyz##.active.bnsLayers.is-block-touch.is-grid > .col_12.article-center +mgnet.xyz##.bounceIn.animated.bnsLayers.is-block-touch.is-grid + +! https://www.reddit.com/r/uBlockOrigin/comments/q6n83l/anti_adblock_message_on/ +! https://github.com/uBlockOrigin/uAssets/issues/12858 +dealsfinders.blog##+js(no-fetch-if, method:HEAD) +dealsfinders.blog##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/10192 +dirproxy.com##+js(aost, Math, ) +*$3p,script,denyallow=cloudflare.com|jquery.com,domain=dirproxy.com +torrentdownloads.dirproxy.com##.left_shadow:has-text(Fast) +torrentdownload.info##.thleft:has-text(Fast):upward(2) +dirproxy.com##[src="/logo_d.jpg"] +dirproxy.com##[src="/logo_d3.jpg"] + +! https://www.reddit.com/r/uBlockOrigin/comments/q6seyw/adblock_detected_in_wwwelectomaniaes/ +electomania.es##+js(acs, eval, replace) +electomania.es##.td-pb-row.wpb_row.tdi_73.vc_row + +! https://github.com/uBlockOrigin/uAssets/issues/10203 +5dwallpaper.com##.__fdw__adspot-title-container +5dwallpaper.com##.__fdw__adv-block + +! https://github.com/AdguardTeam/AdguardFilters/issues/96891 +swzz.xyz##+js(aopr, app_vars.force_disable_adblock) +swzz.xyz##+js(set, blurred, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/144071 +japopav.tv##+js(aopr, __Y) +japopav.tv##+js(set, isadb, false) + +! https://github.com/uBlockOrigin/uAssets/issues/10227 +@@||c.adsco.re/|$script,domain=hotfrog.* + +! pirate4all.com popup +pirate4all.com##.e3lan-top.e3lan +pirate4all.com##.pirat-before-content + +! https://github.com/AdguardTeam/AdguardFilters/issues/97286 +animenhentai.com##.post.has-post-thumbnail video#gump:upward(.post):remove() +animenhentai.com###custom_html-3 + +! https://github.com/uBlockOrigin/uAssets/issues/1905#issuecomment-394129540 +! https://www.reddit.com/r/Adblock/comments/qns11n/ +||edge.api.brightcove.com^$xhr,removeparam=ad_config_id,domain=9now.com.au|mech-plus.com|threenow.co.nz +threenow.co.nz##.EpisodeAdBlockerWarning +9now.com.au##.vjs-cuepoint + +! https://github.com/AdguardTeam/AdguardFilters/issues/97464 +egyshare.cc##.fakeplayer + +! https://www.reddit.com/r/uBlockOrigin/comments/qaqmg8/how_can_i_block_this_type_of_ads/ +kshow123.net###ads-top-player +kshow123.net###closeads + +! https://github.com/uBlockOrigin/uAssets/issues/10249 +designtagebuch.de##+js(set, SteadyWidgetSettings.adblockActive, false) +@@*$xhr,domain=designtagebuch.de +designtagebuch.de##[id^="desig-"]:has-text(ANZEIGE) +designtagebuch.de##.zwischen-posts-wrapper +designtagebuch.de###desig-widget-59 +designtagebuch.de##.seitenende-wrapper + +! https://www.reddit.com/r/uBlockOrigin/comments/qb81wt/adblock_detector_issue/ +vfxdownload.net##+js(acs, eval, replace) +vfxdownload.net##[href^="https://aejuice.com"] +vfxdownload.net###custom_html-35 +vfxdownload.net###custom_html-40 + +! https://github.com/uBlockOrigin/uAssets/issues/10253 +gatexplore.com###tie-block_640 +gatexplore.com###tie-block_669 + +! https://github.com/uBlockOrigin/uAssets/issues/10254 +covrhub.com##+js(set, adblock, false) +covrhub.com##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/qbcvtc/nbc_sports_anti_ad_block_workaround/ +nbcsportsedge.com##.edge-max-marketing-banner + +! https://github.com/uBlockOrigin/uAssets/issues/10264 +audiobooks4soul.com##+js(nostif, show) +audiobooks4soul.com##[href^="https://ezaudiobooks.com/"] +! https://github.com/uBlockOrigin/uAssets/issues/24343 +||audiobooks4soul.com/*.custom-ads-block-detector. + +! https://github.com/uBlockOrigin/uAssets/issues/10274 +azhar-c.info,concienciaradio.com,kontasas.gr##.stream-item +juazeiro.ba.gov.br###tie-block_1735 +juazeiro.ba.gov.br###tie-block_3287 + +! https://www.reddit.com/r/uBlockOrigin/comments/pokdbp/antiadblock_update_list/hhgzjmk/ +rtilinks.com##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/97605 +! https://github.com/uBlockOrigin/uAssets/issues/17329 +mp3juices.*##+js(aost, Math.random, computed) +mp3juices.*##+js(nowoif) +mp3juices.*##[class^="result_two__"][target="_blank"] +||mp3juices.cc^$csp=default-src 'self' 'unsafe-inline' *.dropbox.com *.dropbox-dns.com *.gstatic.com *.googleapis.com *.google.com ytpp3.com *.youtube.com +mp3juices.icu##+js(nano-sib, temp) + +! https://github.com/AdguardTeam/AdguardFilters/issues/97744 +fapguru.com##+js(aost, $, inlineScript) +##[href="https://clickaine.com"] +fapguru.com##.underplayer_banner + +! https://www.reddit.com/r/uBlockOrigin/comments/qcw6c2/adblock_detected_on_this/ +iphonechecker.herokuapp.com##+js(no-fetch-if, method:HEAD) +iphonechecker.herokuapp.com##.iad + +! https://github.com/uBlockOrigin/uAssets/issues/10278 +systopedia.com##+js(aost, String.prototype.charCodeAt, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/10277 +dofusports.xyz##+js(nostif, debugger) + +! https://www.reddit.com/r/uBlockOrigin/comments/qdmg9y/muvibg_dot_com_blocking_my_ublock/ +muvibg.com##+js(set, noAdBlock, true) + +! https://github.com/uBlockOrigin/uAssets/issues/10292 +inhumanity.com##+js(aopr, inhumanity_pop_var_name) + +! https://github.com/uBlockOrigin/uAssets/issues/10293 +fapcat.com##+js(nowoif) +fapcat.com##.fade.top +fapcat.com##.spot-horizontal +fapcat.com##.spot-list +||a.fapcat.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/10296 +||gamefz.com/c.asp$frame + +! https://github.com/uBlockOrigin/uAssets/issues/10297 +rp5.*##+js(nostif, 0x) +rp5.*##.adsbygoogle:upward(1) + +! https://github.com/uBlockOrigin/uAssets/issues/10299 +bangsaku.web.id##+js(acs, document.addEventListener, google_ad_client) +||cdn.rawgit.com/nikoarisandi/newbangsaku/$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/10307 +5ggyan.com##+js(acs, document.addEventListener, google_ad_client) +5ggyan.com##^script:has-text(google_ad_client) +5ggyan.com###sidebar1 > .HTML:has(> .widget-content > .adsbygoogle) +5ggyan.com##+js(nano-sib, countDown) +5ggyan.com##.progress +5ggyan.com##button:style(display: inline-block !important) + +! https://github.com/uBlockOrigin/uAssets/issues/10305 +freetutorialsudemy.com##.freeu-sidebar +freetutorialsudemy.com##.freeu-widget + +! https://github.com/uBlockOrigin/uAssets/issues/10304 +coursesghar.com##+js(rmnt, script, deblocker) +coursesghar.com###custom_html-6 + +! https://github.com/uBlockOrigin/uAssets/issues/10301 +! https://github.com/uBlockOrigin/uAssets/issues/20028 +mydramalist.com##.is-desktop-ads +mydramalist.com##.ad-removal-info:has-text(ads):upward([class]) + +! https://www.reddit.com/r/uBlockOrigin/comments/qeo409/antiadblock_stardeos/ +stardeos.com##+js(no-xhr-if, url:googlesyndication) + +! https://www.reddit.com/r/uBlockOrigin/comments/qeo32a/stooqpl_stooqcom_stopped_working_yesterday/ +stooq.*##div[style="position:relative;width:970px;height:250px"] +stooq.*##div[style="position:relative;width:300px;height:250px"] +stooq.*###f13 > table > tbody > tr > td > .f13 +stooq.*###f13 > b:has-text(Sponsor):upward(4) +stooq.*##td#f13:nth-of-type(3) > table:nth-of-type(4):has(> tbody > tr > td) + +! https://github.com/uBlockOrigin/uAssets/issues/10312 +myshopify.com##+js(acs, document.addEventListener, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/10313 +pcwarehub.com,taregna.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/10314 +moddedguru.com##+js(acs, eval, replace) +moddedguru.com##div.banner + +! https://github.com/uBlockOrigin/uAssets/issues/10316 +crazytechgo.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/10321 +*$image,redirect-rule=1x1.gif,domain=freevpn4you.net +freevpn4you.net##*:has(> .adsbygoogle) +@@||freevpn4you.net^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10320 +vevioz.com##+js(aopr, app_vars.force_disable_adblock) +vevioz.com##+js(aopr, open) +vevioz.com##+js(set, blurred, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/98102 +pelis-online.net##.adv + +! https://github.com/uBlockOrigin/uAssets/issues/10330 +advertiserandtimes.co.uk##+js(nostif, enforceAdStatus) +advertiserandtimes.co.uk###nagBG +advertiserandtimes.co.uk##body:style(overflow: auto !important;) +advertiserandtimes.co.uk##.advert +advertiserandtimes.co.uk##.MPU +advertiserandtimes.co.uk##.TaboolaSide + +! projectfreetv. stream anti adb +projectfreetv.stream##+js(nostif, offsetHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/10333 +milfnut.*##+js(set, console.clear, noopFunc) +milfnut.*##+js(aeld, contextmenu) +milfnut.*##+js(aopr, __Y) +milfnut.*##+js(acs, onload, onclick) +milfnut.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/10338 +streamm4u.club##+js(aopr, __Y) + +! https://www.reddit.com/r/uBlockOrigin/comments/qhd2fi/zshort_detecting_adblocker_not_allowing_downloads/ +charexempire.com##+js(aopr, app_vars.please_disable_adblock) +charexempire.com##+js(aopr, open) +charexempire.com##+js(set, blurred, false) +! https://www.reddit.com/r/uBlockOrigin/comments/xmjm98/ +||i.imgur.com/*.gif$image,domain=charexempire.com +charexempire.com##.banner + +! https://github.com/AdguardTeam/AdguardFilters/issues/98288 +xn--swqq1zt9i.net##+js(acs, document.addEventListener, nextFunction) + +! xvideos2020.me popup +xvideos2020.me##+js(nostif, loadScripts) + +! https://github.com/uBlockOrigin/uAssets/issues/10347 +mejoresmodsminecraft.site##+js(acs, decodeURIComponent, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/10346 +watchdoctorwhoonline.com##+js(aopr, mm) +watchdoctorwhoonline.com##.custom-html-widget.textwidget > .close +watchdoctorwhoonline.com##.sidebar_episodes2 + +! https://github.com/uBlockOrigin/uAssets/issues/10344 +synonyms.com##+js(set, canRunAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/10343 +pcgamesn.com##header:style(top:0 !important) +pcgamesn.com##.legion_primiswrapper + +! https://www.reddit.com/r/uBlockOrigin/comments/qhyho7/leftfield_media_ads_getting_through_in_ann/ +animenewsnetwork.com##[href^="/advertorial/"]:upward(2) + +! anxcinema. com / website popups +anxcinema.*##+js(ra, href, #clickfakeplayer) +anxcinema.*##+js(aopr, __Y) + +! https://www.reddit.com/r/uBlockOrigin/comments/qimfkp/adblock_detected/ +definitions.net##+js(set, canRunAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/10355 +pixroute.com##+js(nowoif) +pixroute.com##+js(set, proclayer, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/20557 +uploady.io##+js(set, timeleft, 0) +uploady.io##+js(nowoif) +uploady.io##+js(noeval-if, replace) +uploady.io###downloadbtn[style$="z-index: 99999;"] +uploady.io###dlnk +uploady.io###iframe_id + +! https://www.reddit.com/r/uBlockOrigin/comments/qijzz7/usagoals_live7vcom/ +||cdn777.net/site/usagoals/sitelinks/xpopme_in.js^ + +! https://github.com/uBlockOrigin/uAssets/issues/10356 +toxicwap.us##+js(aost, Math, https) +toxicwap.us##+js(aopr, mm) +||babup.com^$3p +||toxicwap.us/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/20614 +dvdgayonline.com##+js(aost, setTimeout, ads) +! https://github.com/uBlockOrigin/uAssets/issues/10367 +dotadostube.com,taradinhos.com##+js(noeval-if, ads) +dvdgayporn.com##+js(aeld, DOMContentLoaded, adsBlocked) +dvdgayporn.com##+js(ra, href, #clickfakeplayer) +dotadostube.com,taradinhos.com##div:has(> .video-block-happy) +dotadostube.com##.happy-player-beside +dvdgayporn.com,taradinhos.com##.widget_custom_html +taradinhos.com##.under-player-ad +||dvdgayonline.com^$3p +||taradinhos.com^$3p + +! buffstream. io/fun popups +buffstream.*##+js(aopr, mm) + +! https://github.com/AdguardTeam/AdguardFilters/issues/98479 +! https://github.com/uBlockOrigin/uAssets/issues/13749 +*$script,3p,denyallow=cloudflare.com,domain=ytmp3eu.net + +! https://www.reddit.com/r/uBlockOrigin/comments/qjxtzk/antiadblock_subedlc/ +subedlc.com##+js(acs, document.addEventListener, nextFunction) + +! https://github.com/AdguardTeam/AdguardFilters/issues/98602 +! https://github.com/AdguardTeam/AdguardFilters/issues/103871 +avjamack.com,avjamak.net##+js(nostif, nextFunction, 250) +avjamack.com,avjamak.net##.widget-img +||avjamack.com/data/by_banner/ +||avjamak.net/data/by_banner/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/98703 +iimanga.com##+js(aeld, DOMContentLoaded, adsBlocked) +iimanga.com##div[id^="teaser"] + +! https://github.com/uBlockOrigin/uAssets/issues/10372 +@@||thevideome.com^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/pokdbp/antiadblock_update_list/hix5f5o/ +rontechtips.com##+js(acs, eval, replace, /^data:/) +rontechtips.com##+js(no-xhr-if, googlesyndication) + +! sites anti adb "interfering with this page" +chicksonright.com,moneyversed.com##+js(aost, Math.random, inlineScript) + +! https://github.com/uBlockOrigin/uAssets/issues/8606#issuecomment-957843113 +curseforge.com##+js(nano-sib) + +! https://www.reddit.com/r/uBlockOrigin/comments/ql6wik/block_redirect/ +deckbandit.com##+js(refresh-defuser) +deckbandit.com##^meta[http-equiv="refresh"] + +! https://github.com/uBlockOrigin/uAssets/issues/10383 +! https://github.com/uBlockOrigin/uAssets/issues/14284 +! https://github.com/uBlockOrigin/uAssets/issues/16500 +1stream.*##+js(acs, setTimeout, admc) +1stream.*##+js(acs, document.createElement, "script") +1stream.*##+js(nostif, "admc") +1stream.*##^script[type]:has-text(c=document.createElement) + +! https://www.reddit.com/r/uBlockOrigin/comments/qlir5v/annoying_ad_on_stocktwits_no_longer_being_blocked/ +stocktwits.com##div[class*="AdBanner_"] +stocktwits.com##.LazyLoad.is-visible:has([data-aa-adunit]) +stocktwits.com##p[class^="Disclosure_disclosure"]:has([class^="Disclosure_removeAdsLink"]) +stocktwits.com##[class^="FooterAd_container"] +! https://github.com/uBlockOrigin/uAssets/issues/26128 +stocktwits.com##[class^="Primis_container"] +stocktwits.com###ad_sidebar_top_offset + +! genius.com PH +genius.com##div:has(> div[class^="TopContentdesktop__PromoContainer-"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/98990 +xxxdl.net##.banners +||xxxdl.net/nothing.aspx? + +! https://github.com/uBlockOrigin/uAssets/issues/10399 +thienhatruyen.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/10406 +shuajota.com##+js(acs, document.addEventListener, nextFunction) +shuajota.com###HTML8 +shuajota.com###HTML10 +shuajota.com###HTML9 +shuajota.com###HTML14 +shuajota.com###HTML16 + +! https://github.com/uBlockOrigin/uAssets/issues/10407 +witanime.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/10411 +@@||thetruedefender.com^$ghide +thetruedefender.com##.adsbyvli +thetruedefender.com###text-4 + +! https://www.reddit.com/r/uBlockOrigin/comments/qnzkph/adblock_blocker/ +m4news.com##.demand-supply +m4news.com###id-custom_banner + +! https://www.reddit.com/r/uBlockOrigin/comments/qoqiid/ +@@||tv247.us^$ghide +tv247.us##.afc_popup + +! https://github.com/uBlockOrigin/uAssets/issues/14002 +! https://github.com/uBlockOrigin/uAssets/issues/14919 +calculator-online.net##+js(no-fetch-if, ads) +calculator-online.net##+js(set, load_ads, trueFunc) +calculator-online.net##.sticky_ad +calculator-online.net##.related_box:has(.adds):style(height: 1px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/10421 +onionplay.*###clickfkplayer[href]:remove-attr(href) + +! afScript popups +iguarras.com,iputitas.net##+js(aopr, afScript) + +! https://github.com/easylist/easylist/pull/11459 +messitv.net##+js(aopw, atOptions) + +! https://github.com/uBlockOrigin/uAssets/issues/10439 +||clk.asia/sw.js$script,1p +clk.asia,imperialstudy.com,skincarie.com##+js(nosiif, visibility, 1000) +clk.asia##+js(nowoif) +clk.asia##+js(set, blurred, false) +||clk.asia/ads/*$frame +||clicksfly.com/img/ref/clicksglygifbanner2.gif + +! https://github.com/uBlockOrigin/uAssets/issues/10443 +yifysubtitles.vip##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/99624 +bigwank.com###mobile_pop +bigwank.com##.underplayer_banner +||bigwank.com/extension/aine/ +||bigwank.com/sw.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10451 +*$frame,script,3p,domain=crownimg.com + +! https://github.com/uBlockOrigin/uAssets/issues/10158#issuecomment-966734989 +coloringpage.eu,conocimientoshackers.com,juegosdetiempolibre.org,karaokegratis.com.ar,mammaebambini.it,riazor.org,rinconpsicologia.com,sempredirebanzai.it,vectogravic.com##+js(no-fetch-if, method:HEAD) + +! https://github.com/AdguardTeam/AdguardFilters/issues/99695 +tutorial.siberuang.com##+js(no-fetch-if, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/99919 +googledrivelinks.com##+js(aost, String.prototype.charCodeAt, ai_) +googledrivelinks.com##+js(aopr, adBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/10459 +! https://github.com/uBlockOrigin/uAssets/issues/16219 +luckydice.net##+js(acs, Math.imul, charCodeAt) +luckydice.net##+js(nosiif, afStorage) +luckydice.net##+js(nowoif, !coinsearns.com) +luckydice.net##div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"] +luckydice.net##div[style="width:300px;height:250px;display: inline-block;margin: 0 auto"] +luckydice.net##ins[class] +luckydice.net,adarima.org##+js(set, detectAdBlock, noopFunc) +! https://www.reddit.com/r/uBlockOrigin/comments/xbjszd/ +mcrypto.club,luckydice.net,adarima.org###wpsafe-generate, #wpsafe-link:style(display: block !important;) +mcrypto.club##.safelink-recatpcha:upward(div):style(display: block !important;) +mcrypto.club##div[style="display: none;"]:style(display: block !important;) +shinchu.*##.g-recaptcha:upward(form > div):style(display: block !important;) +linka.click##+js(set, blurred, false) +linka.click##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/10460 +! https://github.com/uBlockOrigin/uAssets/issues/10939 +*$script,domain=miraculous.to,redirect-rule=noopjs +@@||miraculous.to/global_data/gtag/js$xhr,1p +miraculous.to##+js(aeld, hashchange) +miraculous.to##+js(aeld, popstate) +miraculous.to##+js(aopw, Fingerprint2) +miraculous.to##+js(aopr, history.back) +miraculous.to##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/10461 +porngames.club,sexgames.xxx##+js(set, starPop, 1) + +! https://forums.lanik.us/viewtopic.php?t=46949 +bit-shares.com##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/10465 +mytoolz.net##+js(acs, document.createElement, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/10466 +gamingdeputy.com##+js(nostif, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/10472 +alphagames4u.com##+js(acs, addEventListener, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/10397#issuecomment-968184591 +wikirise.com##+js(acs, decodeURIComponent, ai_) + +! https://github.com/AdguardTeam/AdguardFilters/issues/100103 +filesus.com,gotxx.*,sturls.com##+js(nostif, getComputedStyle, 250) +gotxx.*##+js(aost, Element.prototype.matches, litespeed) +sturls.com##+js(acs, decodeURI, decodeURIComponent) +gotxx.*##div[class][style^="position: absolute; cursor: pointer; z-index: 2147483646"] +! https://github.com/uBlockOrigin/uAssets/issues/15580 timer and focus detection +sturls.com##+js(set, blurred, false) +sturls.com###cc:style(display: block !important;) +sturls.com###timer + +! https://www.reddit.com/r/uBlockOrigin/comments/qtvlfk/adblock_detected_on_edealinfocom/ +edealinfo.com##+js(acs, $, offsetHeight) +! https://github.com/uBlockOrigin/uAssets/issues/22375 +edealinfo.com##+js(no-xhr-if, googlesyndication) + +! popups https://forums.lanik.us/viewtopic.php?t=46951 +mlsbd.shop##+js(aost, Math, inlineScript) +mlsbd.*##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/qu7gto/blockadblock_bypassing_ublockorigin/ +tinytranslation.xyz###HTML5 + +! https://github.com/uBlockOrigin/uAssets/issues/10488 +! https://github.com/uBlockOrigin/uAssets/issues/22400 +*$xhr,redirect-rule=nooptext,domain=paraphrasetool.com +paraphraser.io##body > .justify-content-center +@@||paraphraser.io^$ghide +paraphraser.io##.adsenbox:not(#detect) +! https://github.com/AdguardTeam/AdguardFilters/issues/133102 +rephrase.info##.text-center:not([id]) [id^="adngin-"]:upward(.text-center:not([id])) + +! https://github.com/uBlockOrigin/uAssets/issues/10495 +wouterplanet.com##+js(rmnt, script, clicky) + +! https://github.com/uBlockOrigin/uAssets/issues/10494 +freexcafe.com##+js(acs, __PoSettings) +freexcafe.com##.left-col-gal-br +freexcafe.com###rightcolumn +freexcafe.com###banner +freexcafe.com###join +freexcafe.com##.hotdeal +freexcafe.com##div.bottom-300x250 +freexcafe.com###txtbanner + +! paramountnetwork video ads +||mtvnservices.com/aria/bentojs.js +*$media,redirect=noopmp3-0.1s,domain=paramountnetwork.com + +! https://github.com/uBlockOrigin/uAssets/issues/10501 +pcworld.es##.stickyAdWrapper + +! https://github.com/AdguardTeam/AdguardFilters/issues/100352 +*$popunder,domain=ouo.io + +! https://github.com/easylist/easylist/issues/9742 +nowtolove.com.au##.page__content-header:style(height: 50px !important) + +! https://github.com/uBlockOrigin/uAssets/pull/10507 +! https://github.com/uBlockOrigin/uAssets/pull/13468#issuecomment-1141255930 +@@||anime-king.com^$ghide +! cdnondemand.org variants +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790 +/^https?:\/\/[a-z]{5,7}\.com\/script\/[-_0-9A-Za-z]+(\.min)?\.js$/$script,3p,match-case,from=~edu|~gov,header=x-guploader-uploadid +.php?*&sadbl=1&$xhr,3p +##a[dontfo=""][style$="position: absolute; z-index: 2147483647;"] + +! https://github.com/uBlockOrigin/uAssets/issues/10506 +sexlist.tv##+js(disable-newtab-links) +sexlist.tv##.link-premium +sexlist.tv##.camitems +||sexlist.tv/player/html.php$frame + +! https://www.reddit.com/r/uBlockOrigin/comments/qw7hct/ +readgraphicnovels.blogspot.com##+js(nobab) + +! https://github.com/uBlockOrigin/uAssets/issues/10508 +@@||washingtoninformer.com^$ghide +washingtoninformer.com##.widget a.gofollow:upward(.widget) +washingtoninformer.com##.a-772 + +! https://github.com/uBlockOrigin/uAssets/issues/10509 +xozilla.xxx##+js(aost, HTMLSelectElement, Object) +||xozilla.xxx/player/html.php$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10510 +||xxxbule.com^$csp=script-src + +! https://github.com/uBlockOrigin/uAssets/issues/10397#issuecomment-973893280 +mobitool.net##+js(acs, decodeURIComponent, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/10512 +letsmakeiteasy.tech###quads-myModal + +! https://github.com/FastForwardTeam/FastForward/issues/208 +||ytsubme.com/assets/adblock/ +ytsubme.com##+js(nowoif, youtube) +ytsubme.com##+js(nano-stb, aTagChange, 12000) + +! https://forums.lanik.us/viewtopic.php?t=46966 +@@||filmpertutti.*^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/100671 +dragontranslation.com##+js(aost, String.prototype.charCodeAt, https) +dragontranslation.com###teaser2 +dragontranslation.com##div[style$="position: fixed;"][style*="z-index: 2147483647;"] + +! https://github.com/uBlockOrigin/uAssets/issues/10716 +thecustomrom.com##+js(acs, eval, replace) +thecustomrom.com##.ai_widget +thecustomrom.com##+js(acs, decodeURIComponent, ai_) +thecustomrom.com##+js(rmnt, script, deblocker) +thecustomrom.com##+js(nano-stb, window.location.href, *) + +! https://github.com/uBlockOrigin/uAssets/issues/10517 +111.90.159.132##+js(nostif, mfp) +111.90.159.132##+js(set, Object.prototype.ads, noopFunc) +/wp-content/plugins/catfish-advert-banner/*$script +111.90.159.132##[href="http://buaksib.in/"] +111.90.159.132###catfish +111.90.159.132##.mfp-ready +||111.90.159.132/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/10518 +phsensei.com##+js(acs, String.fromCharCode, decodeURIComponent) +! https://github.com/AdguardTeam/AdguardFilters/issues/134204 +homeairquality.org,techtrim.tech##+js(no-fetch-if, googlesyndication) +homeairquality.org,techtrim.tech##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/10519 +techsolveprac.com##+js(nostif, display, 5000) + +! https://github.com/uBlockOrigin/uAssets/issues/10518#issuecomment-974645159 +fileborder.com##+js(acs, String.fromCharCode, decodeURIComponent) + +! insider.com PH +insider.com##.in-post-sticky:has(> .ad-wrapper) + +! https://github.com/uBlockOrigin/uAssets/issues/7158 +myshrinker.com##+js(set, blurred, false) +myshrinker.com##.banner-inner + +! https://github.com/uBlockOrigin/uAssets/issues/10533 +cricstream.*##.w-100.position-absolute.h-100 +watch.cricstream.*##button:has-text(/Watch|🎟|👉/) + +! wishanimes.com popup +wishanimes.com##+js(acs, JSON.parse) + +! https://github.com/uBlockOrigin/uAssets/issues/10535 +onlineporno.cc##.spot-box +onlineporno.cc##.w-spots + +! https://www.reddit.com/r/uBlockOrigin/comments/qzmgb6/ +downloadfreecourse.com##+js(aost, fetch, inlineScript) +@@||downloadfreecourse.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10544 +phanmemmaytinh.net##+js(acs, eval, replace) +phanmemmaytinh.net###custom_html-10 +phanmemmaytinh.net###custom_html-2 +phanmemmaytinh.net###custom_html-3 + +! https://github.com/uBlockOrigin/uAssets/issues/10505#issuecomment-976101815 +! https://github.com/uBlockOrigin/uAssets/issues/13289 +tinhocdongthap.com##+js(aeld, DOMContentLoaded, adsBlocked) +tinhocdongthap.com##+js(nostif, show) + +! popmagic crap (classic popmagic filter does not work => blocking videos) +pornpapa.com,videojav.com##+js(aost, $, inlineScript) +pornpapa.com##.underplayer_banner + +! https://www.reddit.com/r/uBlockOrigin/comments/r06yju/sur_in_english_website_recognises_ad_blocker/ +||surinenglish.com/adbd^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/107015 +av01.tv##+js(nowoif) +av01.tv##+js(ra, onclick, a[onclick^="setTimeout"]) +av01.tv##.row > div:has(> #tile-ad) +av01.tv##div[style="width: 100%; height: 100%; top: 0px; position: fixed; z-index: 1; background-color: rgba(0, 0, 0, 0.8); overflow-x: hidden; transition: all 0.2s ease 0s; padding: 5%;"] +av01.tv##+js(rc, vjs-hidden, .vjs-control-bar, stay) +av01.tv##iframe[width="728"] + +! https://github.com/uBlockOrigin/uAssets/issues/10544#issuecomment-977523973 +freewp.io##+js(no-xhr-if, /^/) + +! https://www.reddit.com/r/uBlockOrigin/comments/pokdbp/antiadblock_update_list/hliq80p/ +universalfreecourse.com##+js(acs, addEventListener, "No") + +! https://github.com/AdguardTeam/AdguardFilters/issues/100808 +strdef.world###stream-banner +strdef.world##div[style^="z-index: 999999; background-image: url(\"data:image/gif;base64,"][style$="position: absolute;"] +||strdef.world/js/acheck.js + +! https://www.reddit.com/r/uBlockOrigin/comments/r0yr1f/filter_not_work/ +||gospeljingle.com^$csp=default-src 'unsafe-inline' 'self' data: *.ytimg.com *.facebook.com *.google.com *.gstatic.com *.youtube.com *.googleapis.com *.wp.com *.gospeljingle.com *.googletagmanager.com + +! https://github.com/uBlockOrigin/uAssets/issues/10584 +studybullet.com##+js(set, adsBlocked, false) +studybullet.com##+js(acs, b2a) + +! bigyshare .com popups +bigyshare.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/pull/10589 +@@||dlink.mobilejsr.com^$ghide +dlink.mobilejsr.com##[src*="png"] + +! https://github.com/uBlockOrigin/uAssets/issues/10597 +@@||driveup.in^$ghide +driveup.in##+js(nowoif, /^/, 0) + +! https://github.com/AdguardTeam/AdguardFilters/issues/101170 +@@||scatfap.com/scat-porn/modules/vids/misc_static/adverts.js + +! https://github.com/uBlockOrigin/uAssets/issues/10604 +freecourse.tech##+js(nostif, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/10607 +latest-files.com##+js(acs, document.addEventListener, offsetParent) + +! https://github.com/uBlockOrigin/uAssets/issues/10613 +@@||onuploads.com^$ghide +onuploads.com##ins.adsbygoogle +onuploads.com##+js(nano-stb, seconds) + +! https://github.com/uBlockOrigin/uAssets/issues/10614 +weszlo.com##+js(no-fetch-if, ad) +@@||weszlo.com^$ghide +weszlo.com##.ad-placeholder-bg + +! moviemad. vip popups +moviemad.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/10366#issuecomment-980497850 +cotravinh.blogspot.com##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/10625 +chicagobearshq.com,chicagobullshq.com,chicagosportshq.com,cubshq.com,tigernet.com##+js(acs, document.getElementById, JSON) + +! ytube2dl. com popups +ytube2dl.com##+js(aeld, , pop) + +! https://github.com/uBlockOrigin/uAssets/issues/10642 +xenvn.com##+js(nostif, ads) +@@||xenvn.com^$ghide +xenvn.com##.ad_block:style(visibility: hidden !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/10640 +tvhai.org##+js(aeld, , open) + +! glotorrents.* ads, popups +glotorrents.fr-proxy.com##+js(aopw, decodeURI) +glotorrents.fr-proxy.com##+js(aopw, adcashMacros) +glotorrents.fr-proxy.com,glotorrents.theproxy.ws##+js(nowoif) +glotorrents.fr-proxy.com,glotorrents.theproxy.ws##+js(aopr, String.prototype.charCodeAt) + +! https://github.com/uBlockOrigin/uAssets/issues/12971 +tutele.sx##+js(aopr, Overlayer) +tutele.sx##+js(nostif, "admc") +/script/ncsu.js$3p +/script/nbsu.js$3p +/script/ndsu.js$3p +/^https?:\/\/[a-z]{6,12}\.com\/script\/n[a-z]su\.js$/$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/10651 +luotphimzz.com##.fakeplayer +luotphim.net##.fakeplayer +luotphim.cc##.fakeplayer +luotphim.cc##.adsphim-popup-center + +! https://github.com/AdguardTeam/AdguardFilters/issues/101419 +arabincest.com##+js(acs, $, test) + +! https://github.com/uBlockOrigin/uAssets/issues/10657 +||krunkercentral.com^$csp=default-src 'unsafe-inline' 'self' *.google.com *.gstatic.com *.googleapis.com *.wp.com *.googletagmanager.com *.jquery.com + +! https://www.reddit.com/r/uBlockOrigin/comments/r43gcd/how_do_i_prevent_the_adblock_detector_and_the/ +isi7.net##+js(no-fetch-if, adsbygoogle) +isi7.net###wpsafe-wait1 +isi7.net###wpsafe-generate:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/10664 +camwhores.tv##+js(nostif, innerText, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/10668 +wapsing.com##+js(nowoif) +wapsing.com##a[href*="panchaxumbilic.com"],a[href*="trustedcpmrevenue.com"] + +! https://github.com/uBlockOrigin/uAssets/issues/10673 +||d1t4ekjh9ps4ob.cloudfront.net^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/101253 +hotdesimms.com##+js(nostif, offsetHeight) + +! https://www.reddit.com/r/uBlockOrigin/comments/r65c51/ublock_detected/ +@@||animesaria.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10679 +@@||coinpayz.xyz^$ghide +coinpayz.xyz##.ads +||coinpayz.xyz/*.php$frame + +! https://github.com/uBlockOrigin/uAssets/pull/10684 +apiyt.com,masstamilans.com,mymp3song.*,okmusi.com##+js(nowoif) + +! https://github.com/abpvn/abpvn/issues/306 +xnxx-sex-videos.com##+js(nostif, /out.php) + +! https://github.com/uBlockOrigin/uAssets/issues/10685 +wpking.in##+js(acs, eval, replace) + +! https://www.reddit.com/r/uBlockOrigin/comments/r71n9g/ifonca_adblock_popup/ +#@#.Ad-Container +#@#.sidebar-ad +##.Ad-Container:not(.adsbygoogle) +##.sidebar-ad:not(.adsbygoogle) +ekitan.com,kissanadu.com#@#.sidebar-ad:not(.adsbygoogle) +##.stream-item-widget + +! https://github.com/uBlockOrigin/uAssets/issues/10707 +@@||printablebricks.com^$ghide + +! orgasmatrix. com popmagic +orgasmatrix.com##.card.post:has([href*="landing."]) + +! https://github.com/uBlockOrigin/uAssets/issues/10931 +@@||loot.tv^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/101921 +gifhq.com##+js(acs, document.dispatchEvent, myEl) +gifhq.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +gifhq.com##+js(acs, $, open) +||gifhq.com/d2.js + +! https://github.com/uBlockOrigin/uAssets/pull/10721 +ibomma.*##[style="display:none"]:style(display: block !important;) +ibomma.*###abEnabled-note + +! torpedogratis.org +torpedogratis.org###ads + +! https://github.com/uBlockOrigin/uAssets/issues/10722 +teevee.asia##+js(nostif, innerHTML) + +! https://forums.lanik.us/viewtopic.php?t=47015 +itdmusics.com##+js(aeld, load, onload) +itdmusics.com##+js(acs, eval, replace) + +! https://forums.lanik.us/viewtopic.php?t=47016 +@@||itopmusic.org^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/10746 +bullfrag.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/10745 +pdfaid.com##+js(nostif, offsetHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/10740 +persianhive.com##+js(no-xhr-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/10741 +lootup.me##+js(acs, document.getElementById, stop) + +! https://github.com/uBlockOrigin/uAssets/issues/10748 +||mobile-tracker-free.com/dashboard/scripts/detectBlockAds/isPremiumDemo.php +mobile-tracker-free.com##+js(set, detectBlockAds, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/10736 +motphimtv.com##+js(set, console.clear, undefined) + +! https://www.wyze. com combined anti adb / forced breakage +wyze.com##+js(no-fetch-if, analytics) +*$script,domain=wyze.com,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/10756 +studyflix.de##.huge-notification + +! https://github.com/uBlockOrigin/uAssets/issues/10758 +camstreams.tv##div[style="position: absolute; inset: 0px; overflow: hidden; z-index: 160; background: transparent none repeat scroll 0% 0%; display: block;"] +! https://github.com/uBlockOrigin/uAssets/issues/20409 +||camplethora.com^ +camstreams.tv###sliderBox + +! https://github.com/AdguardTeam/AdguardFilters/issues/102018 +burnbutt.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/10761 +||filma24.*/*.gif$image +filma24.*###vidad +filma24.*##[href^="https://bit.ly/"] +filma24.*##[href="https://codeit.al/services/"] + +! https://github.com/uBlockOrigin/uAssets/issues/12705 +/reclama/ads.js$script,redirect=prebid-ads.js + +! casamireasa. biz anti adb +casamireasa.biz##+js(acs, document.write, Adb) + +! fembed-hd. com popups +fembed-hd.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/10793 +joomlabeginner.com##+js(nostif, eb) +joomlabeginner.com##.bannergroup + +! https://github.com/uBlockOrigin/uAssets/issues/10792 +learnclax.com##+js(acs, $, fetch) + +! https://github.com/uBlockOrigin/uAssets/issues/10798 +ytmp3x.com##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/rb2a2x/how_to_fix_adblock_detection_on_this_website/ +newsmondo.it##+js(acs, document.getElementById, "detect") + +! https://www.reddit.com/r/uBlockOrigin/comments/rb0kqa/adblock_detection_by_questpass/ +*$xhr,redirect-rule=nooptext,domain=zwielkopolski24.pl + +! https://github.com/uBlockOrigin/uAssets/issues/10809 +goduke.com##+js(no-xhr-if, /analytics|livestats/) + +! https://github.com/uBlockOrigin/uAssets/issues/10810 +hyipstats.net##+js(no-fetch-if, adsbygoogle) +hyipstats.net##.w-125px + +! https://github.com/AdguardTeam/AdguardFilters/issues/101509 +! https://github.com/uBlockOrigin/uAssets/issues/15790 +cutp.in##+js(aopr, app_vars.force_disable_adblock) +mobitaak.com##+js(nano-sib) +@@*$script,1p,domain=mobitaak.com + +! https://github.com/uBlockOrigin/uAssets/issues/10819 +itudong.com##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/10820 +tainhanhvn.com##+js(aeld, load, /nextFunction|2000/) + +! https://github.com/uBlockOrigin/uAssets/issues/10824 +pfps.gg##+js(set, ga, trueFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/102362 +arhplyrics.in##+js(nano-sib) + +! https://github.com/AdguardTeam/AdguardFilters/issues/98082 +! https://www.reddit.com/r/uBlockOrigin/comments/11ckgph/ +claimtrx.com##+js(aeld, load, 'block') +claimtrx.com##.ads + +! 4kporn. xxx popunder +! https://github.com/uBlockOrigin/uAssets/issues/24138 +4kporn.xxx##+js(set, flashvars.popunder_url, '') + +! https://github.com/uBlockOrigin/uAssets/issues/10845 +arhplyrics.in##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/10850 +! https://github.com/uBlockOrigin/uAssets/issues/10851 +scrolller.com##.ad-block-popup:upward(2) +scrolller.com##.native-ad-item-panel:upward(.vertical-view__item) +||photon.scrolller.com/categories/$image,media +||photon.scrolller.com/scrolller/$media +! https://github.com/uBlockOrigin/uAssets/issues/23157 +scrolller.com##+js(no-fetch-if, doubleclick) + +! https://github.com/uBlockOrigin/uAssets/issues/10855 +||dirp.me^$csp=default-src 'unsafe-inline' 'self' https://extraimage.net *.extraimage.info *.imgur.com *.wikimedia.org *.dyncdn.cc *.picturedent.org https://checkmy.pictures *.dirp.me *.googleapis.com *.gstatic.com +dirp.me##+js(aopr, puShown) +dirp.me##[data-href^="/vpn"] +dirp.me##[id]:has-text(Provider) + +! https://github.com/AdguardTeam/AdguardFilters/issues/102749 +boainformacao.com.br##+js(no-xhr-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/18612 +! https://github.com/uBlockOrigin/uAssets/issues/22727 +pinterest.*##a[href*="&epik="]:upward([data-grid-item]) +!pinterest.*##[data-grid-item]:has([aria-label]:not([aria-label*="pinterest"])[href^="http"]) +! pinterest.*##[data-grid-item]:has([data-test-pin-id] [data-test-id^="one-tap-desktop"] > a[href^="http"][rel="nofollow"]) +pinterest.*##[data-grid-item]:has([data-test-pin-id] a[href^="http"][rel] [data-test-id="pincard-oneTap-with-link"]) +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/887 +pinterest.*##+js(json-prune, resource_response.data.[-].pin_promotion_id resource_response.data.results.[-].pin_promotion_id) +pinterest.*##+js(json-prune, initialReduxState.pins.{-}.pin_promotion_id initialReduxState.resources.UserHomefeedResource.*.data.[-].pin_promotion_id) +! https://www.reddit.com/r/uBlockOrigin/comments/1cnhfyd/ublock_detected_on_pinterest_today_firefox/ +@@*$ghide,domain=pinterest.* + +! https://github.com/uBlockOrigin/uAssets/issues/10848 +distrowatch.org##[href*="3cx"]:upward(tbody) +distrowatch.org##[href^="https://pbxinaflash.com/"] + +! ubuntudde.com anti-adb +ubuntudde.com##+js(aopw, b2a) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/1874 +@@||elwood.io^$ehide + +! https://github.com/uBlockOrigin/uAssets/issues/10885 +pigeonburger.xyz##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/10886 +dl.apkmb.com##.btnDownload:has-text(SHARE) + +! https://github.com/uBlockOrigin/uAssets/issues/10729 +! https://github.com/uBlockOrigin/uAssets/issues/17285 +autofaucet.dutchycorp.space##[href^="https://enicyvys.xyz/"] +autofaucet.dutchycorp.space##[href*="banner"] +autofaucet.dutchycorp.space##[src^="blob:https://autofaucet.dutchycorp.space/"]:remove() +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=coin-free.com|chinhnhacoban.com|tremamnon.com|95news.com|vnpttelle.com +*$script,3p,domain=coin-free.com|chinhnhacoban.com|95news.com|vnpttelle.com,denyallow=iconify.design|cloudflare.com +coin-free.com##[id^="wpsafe-wait"] +coin-free.com###wpsafe-generate, #wpsafe-link:style(display: block !important) +*$script,redirect-rule=noopjs,domain=coin-free.com|chinhnhacoban.com|95news.com|vnpttelle.com +! https://github.com/uBlockOrigin/uAssets/issues/17166#issuecomment-1480653096 +snowurl.com##+js(nowoif) +snowurl.com##+js(set, blurred, false) +snowurl.com##+js(set, go_popup, {}) +tremamnon.com##+js(aeld, DOMContentLoaded, adsBlocked) +chinhnhacoban.com,tremamnon.com,vnpttelle.com##[id^="wpsafe-generate"], #continue:style(display: block !important;) +coin-free.com,tremamnon.com##^script:has-text(htmls) +coin-free.com,tremamnon.com##+js(rmnt, script, htmls) + +! https://github.com/uBlockOrigin/uAssets/issues/10894 +actresstoday.com##+js(acs, eval, replace) + +! fastream. to popups + anti adb +fastream.to##+js(aopr, afScript) +@@||fastream.to^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10896 +sakarnewz.com##+js(nostif, show) +sakarnewz.com###custom_html-2 + +! telenord. it videos +telenord.it##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/10901 +snlookup.com##+js(no-xhr-if, ads) +snlookup.com##+js(rmnt, script, deblocker) + +! https://forums.lanik.us/viewtopic.php?t=47031 +mundotec.pro##+js(nano-sib, seconds) + +! https://github.com/uBlockOrigin/uAssets/issues/10912 +epainfo.pl##+js(acs, document.addEventListener, adsBlocked) + +! https://www.reddit.com/r/uBlockOrigin/comments/ucsg1g/adblock_detected_wont_allow_use/ +! https://github.com/uBlockOrigin/uAssets/issues/12980 +freedownloadvideo.net##+js(aost, setTimeout, adsBlocked) + +! raky. in antiadb +raky.in##+js(no-fetch-if, googlesyndication) +raky.in##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/13595 +! https://github.com/uBlockOrigin/uAssets/issues/14688 +titantv.com##+js(aeld, load, player) +@@||ntv.io/serve/load.js$script,domain=titantv.com +titantv.com###sidebox + +! https://www.reddit.com/r/uBlockOrigin/comments/rgs3zt/ublock_origin_detected/ +1apple.xyz##+js(no-xhr-if, mahimeta) + +! https://www.reddit.com/r/uBlockOrigin/comments/rgxlda/adblock_detected/ +helpdice.com##+js(acs, onload, "iframe") + +! https://github.com/uBlockOrigin/uAssets/issues/10929 +forum.admiregirls.com##+js(acs, $, test) + +! https://github.com/uBlockOrigin/uAssets/issues/10937 +gomoviefree.*##.mobile-btn +vidoo.org##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/10941 +3cinfo.net##+js(aeld, , document.oncontextmenu) + +! https://github.com/uBlockOrigin/uAssets/issues/10954 +otakukan.com##+js(nostif, innerHTML) +otakukan.com##.ai-attributes + +! https://github.com/AdguardTeam/AdguardFilters/issues/103480 +latinohentai.com##+js(ra, href, #clickfakeplayer) +latinohentai.com##+js(acs, document.createElement, __htas) + +! mangastream.mobi popup +mangastream.mobi###myModal + +! https://github.com/orgs/uBlockOrigin/teams/ublock-filters-volunteers/discussions/377 +! https://github.com/uBlockOrigin/uAssets/issues/25186 +||adclixx.net^$script,3p,redirect=nobab2.js:10 +||adnetasia.com^$script,3p,redirect=nobab2.js:10 +||adtrackers.net^$script,3p,redirect=nobab2.js:10 +||bannertrack.net^$script,3p,redirect=nobab2.js:10 +||ads.twitter.com/favicon.ico$image,3p,redirect=32x32.png +||advertising.yahoo.com/favicon.ico$image,3p,redirect=32x32.png +||doubleclickbygoogle.com/favicon.ico$image,3p,redirect=32x32.png +||google.com/adsense/start/images/favicon.ico$image,3p,redirect=32x32.png +||gstatic.com/adx/doubleclick.ico$image,3p,redirect=32x32.png +#@##ad_300 +#@##ad_728 +#@##ad_area +#@##ad_big +#@##ad_box +#@##ad_footer +#@##ad_slot +#@##ad_space +#@##adframe:not(frameset) +#@##adheader +#@##ads-1 +#@##ads-banner +#@##ads-footer +#@##adspace +#@##adsquare +#@##banner468 +#@##banner728x90 +###ad_300:not([style^="position: absolute; left: -5000px"]) +###ad_728:not([style^="position: absolute; left: -5000px"]) +###ad_area:not([style^="position: absolute; left: -5000px"]) +###ad_big:not([style^="position: absolute; left: -5000px"]) +###ad_box:not([style^="position: absolute; left: -5000px"]) +zunda.site#@##ad_box:not([style^="position: absolute; left: -5000px"]) +###ad_footer:not([style^="position: absolute; left: -5000px"]) +###ad_slot:not([style^="position: absolute; left: -5000px"]) +###ad_space:not([style^="position: absolute; left: -5000px"]) +musmus.main.jp,streetinsider.com#@##ad_space:not([style^="position: absolute; left: -5000px"]) +###adframe:not(frameset):not([style^="position: absolute; left: -5000px"]) +freehostbox.net,hatenablog.com,puzzle-ch.com#@##adframe:not(frameset):not([style^="position: absolute; left: -5000px"]) +###adheader:not([style^="position: absolute; left: -5000px"]) +###ads-1:not([style^="position: absolute; left: -5000px"]) +###ads-banner:not([style^="position: absolute; left: -5000px"]) +###ads-footer:not([style^="position: absolute; left: -5000px"]) +###adspace:not([style^="position: absolute; left: -5000px"]) +ma-bank.net,rxlife.net,video.tv-tokyo.co.jp#@##adspace:not([style^="position: absolute; left: -5000px"]) +###adsquare:not([style^="position: absolute; left: -5000px"]) +###banner468:not([style^="position: absolute; left: -5000px"]) +###banner728x90:not([style^="position: absolute; left: -5000px"]) +! temp specific rules +xnxx.com,xvideos.*###ad-footer +! https://github.com/uBlockOrigin/uAssets/issues/18782 +live.cricket.com.au##.ad-placement, .yes + +! https://github.com/AdguardTeam/AdguardFilters/issues/116868 +! https://github.com/AdguardTeam/AdguardFilters/issues/116826 +! https://github.com/uBlockOrigin/uAssets/issues/14191 +#@#.google-ad +##.google-ad:not(.testAd) +mmiyue.com#@#.google-ad:not(.testAd) +! https://github.com/AdguardTeam/Scriptlets/issues/190 +/ads-prebid.js$script,redirect=prebid-ads.js +/prebid-ads.js$script,redirect=prebid-ads.js,domain=~exey.io +! www.gamedeveloper.com +/prebid-ads/adsensebase.js$script,redirect=prebid-ads.js +! www.hero-wars.com +/prebid-article-ad-ad-300x250.js$script,redirect=prebid-ads.js +! https://github.com/uBlockOrigin/uAssets/commit/036e13101ea60a14b4a416f47609793da7434b16 +@@/js/prebid-ads.js$script,1p +! CHP Ads Block Detector +#@#.ad-link +##.ad-link:not(.adsbox) +#@#.ad-unit +#@#.ad_unit +##.ad-unit:not(.text-ad):not(.textads) +lamire.jp#@#.ad-unit:not(.text-ad):not(.textads) +##.ad_unit:not(.text-ad) +#@#[data-ad-module] +#@#[data-ad-width] +#@#[data-adblockkey] +#@#[data-advadstrackid] +#@#[data-ad-manager-id] +##[data-ad-module]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-ad-width]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-adblockkey]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(html):not(.adsbygoogle) +##[data-advadstrackid]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-ad-manager-id]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +#@#.ad-slot +##.ad-slot:not(.adsbox):not(.adsbygoogle) +#@#.ad-300x250 +##.ad-300x250:not(.ads) +||doubleclick.net^$xhr,redirect=noop.txt +||media.fastclick.net/|$xhr,3p,redirect=noop.txt +||ads.facebook.com/|$xhr,3p,redirect=noop.txt +||advice-ads.s3.amazonaws.com/|$xhr,3p,redirect=noop.txt +||ads.youtube.com/|$xhr,3p,redirect=noop.txt +||ads.reddit.com/|$xhr,3p,redirect=noop.txt +||ads-api.twitter.com/|$xhr,3p,redirect=nooptext +||ads.pinterest.com/|$xhr,3p,redirect=noop.txt +||adversal.com/|$xhr,3p,redirect=noop.txt +||sovrn.com/|$xhr,3p,redirect=noop.txt +||ads.tiktok.com/|$xhr,3p,redirect=noop.txt +||propellerads.com/|$xhr,3p,redirect=noop.txt +||infolinks.com/|$xhr,3p,redirect=noop.txt +||realsrv.com/popunder1000.js$xhr,3p,redirect=noop.txt +||exdynsrv.com/video-slider.js$xhr,3p,redirect=noop.txt +mymusicreviews.com,thechat.cafe##+js(aopr, chp_adblock_browser) +! https://www.nj.com/ .ad-unit +nj.com##.ad-unit[id] +kiplinger.com##.ad-unit, .fake +! https://twitter.com/SeriousHoax/status/1670684212859400192 +livescience.com##.widget-ads + +! https://github.com/uBlockOrigin/uAssets/issues/10964 +globfone.com##+js(no-xhr-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/10965 +donugdee.com##.ad-overlay-click +donugdee.com##.moviePlayer +donugdee.com###second-rowiframe + +! https://github.com/uBlockOrigin/uAssets/issues/10966 +fztvseries.mobi##+js(nosiif, visibility, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/10969 +desiflixindia.com##+js(no-fetch-if, ads) +desiflixindia.com##+js(nano-sib) + +! tv-sport-hd. com ads popups +tv-sport-hd.com##[src="/rcl/reclama.php"] +tv-sport-hd.com###reklama1 +||tvs-widget.com/sticker.jpg$image +||tvs-widget.com/rcl/ + +! https://github.com/uBlockOrigin/uAssets/issues/10983 +! https://www.reddit.com/r/uBlockOrigin/comments/15yv6zd/ad_blocker_detected_please_disable_your_ad/ +androidacy.com##+js(no-fetch-if, method:HEAD) +@@||pagead2.googlesyndication.com/pagead/$script,xhr,domain=androidacy.com +! https://github.com/uBlockOrigin/uAssets/issues/21606 +@@||androidacy.com^$ghide +androidacy.com##+js(rmnt, script, charCodeAt) +@@||fundingchoicesmessages.google.com^$domain=androidacy.com +@@||production-api.androidacy.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10981 +m4ufree.*##+js(aopr, BetterJsPop) + +! https://github.com/uBlockOrigin/uAssets/issues/10977 +glosbe.com###topBannerContainer + +! https://github.com/uBlockOrigin/uAssets/issues/10990 +||www.sfr.fr^$script,redirect-rule=noop.js,domain=red-by-sfr.fr + +! https://github.com/uBlockOrigin/uAssets/issues/10992 +t18cv.com##+js(aopr, remove_adblock_html) + +! https://github.com/uBlockOrigin/uAssets/issues/11002 +publicflashing.me##+js(aost, console, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/11005 +@@||cdn.dqst.pl/assets/ads.js$xhr,domain=tko.pl + +! https://github.com/uBlockOrigin/uAssets/issues/11003 +plotaroute.com###RightPanelAds +plotaroute.com###AdPanelRight +plotaroute.com###Page:style(right: 0px !important;) + +! javgg.net streamsb popup +javside.com##+js(aopr, __Y) +javside.com##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/11024 +! https://github.com/uBlockOrigin/uAssets/issues/17375 +katmoviefix.*##+js(aopr, Request) +katmoviefix.*##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/11029 +g3g.*##.text-center.alert-danger.alert-dismissible.alert + +! https://github.com/uBlockOrigin/uAssets/issues/11033 +webpornblog.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/11044 +freetohell.com##+js(no-fetch-if, method:HEAD) + +! https://github.com/uBlockOrigin/uAssets/issues/11043 +sanet.st##+js(aost, document.createElement, onerror) +sanet.st##.lsB + +! https://github.com/uBlockOrigin/uAssets/issues/11050 +sportsdark.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/11048 +pornstargold.com##+js(aopr, loadTool) +pornstargold.com##canvas + +! https://github.com/uBlockOrigin/uAssets/issues/11059 +askpaccosi.com##+js(no-fetch-if, googlesyndication) +askpaccosi.com##+js(no-xhr-if, googlesyndication) +askpaccosi.com##+js(no-xhr-if, ad) +askpaccosi.com##[id^="wpsafe-wait"] +askpaccosi.com###wpsafe-generate, #wpsafe-link:style(display: block !important) +askpaccosi.com###wcfloatDiv4 +askpaccosi.com##.av_pop_modals_1 + +! https://github.com/uBlockOrigin/uAssets/issues/11060 +techsignin.com##+js(acs, document.getElementsByTagName, tdBlock) +techsignin.com###td-outer-wrap:style(cursor: default !important) + +! https://github.com/uBlockOrigin/uAssets/issues/11069 +cam-video.xxx##+js(nowoif) +cam-video.xxx###float-video + +! ads +##[href^="https://buycheaprdp.com/"] +##[href^="https://bestbuyrdp.com/"] +##[href^="https://buycheaphost.net/"] + +! https://github.com/uBlockOrigin/uAssets/issues/11075 +codecap.org##+js(aopr, Request) + +! https://github.com/uBlockOrigin/uAssets/issues/11076 +fusedgt.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/11082 +firstpost.com##+js(ra, href, .t-out-span [href*="utm_source"], stay) +firstpost.com##+js(ra, src, .t-out-span [src*=".gif"], stay) + +! https://github.com/uBlockOrigin/uAssets/issues/11093 +/apis-2.js^$1p +/pub/js_min.js| + +! https://github.com/uBlockOrigin/uAssets/issues/11098 +@@||daihatsu-club.net^$ghide +daihatsu-club.net##[class^="side_ad_left_"] +daihatsu-club.net##[class^="side_ad_right_"] + +! https://github.com/uBlockOrigin/uAssets/issues/11118 +vaa.jp,yonelabo.com###nankafix + +! https://github.com/uBlockOrigin/uAssets/issues/11125 +svetserialu.to##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/11145 +onlytech.com##+js(acs, $, test) + +! https://github.com/easylist/easylist/pull/10341/ +/fret/meow4/*$script,3p + +! Title: uBlock filters (2022) +! Last modified: %timestamp% +! Description: Filters optimized for uBlock, to be used along EasyList +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! New filters from January 2022 to -> +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! https://www.reddit.com/r/uBlockOrigin/comments/rr818d/ +akoam.*##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/105224 +! https://github.com/uBlockOrigin/uAssets/issues/21075 +porner.tv##.sources +porner.tv##.show.mobileSources +porner.tv##[href^="https://a.medfoodsafety.com/loader"] +porner.tv##.container > .HeaderLinks +porner.tv##.HeaderBanner +porner.tv##.defaultAd + +! https://pornocomics. online/net popups forced overlay +pornocomics.*###dclm_modal_screen +pornocomics.*###dclm_modal_content +pornocomics.*##*:style(filter: none !important) +pornocomics.*##+js(aeld, , pop) + +! https://github.com/uBlockOrigin/uAssets/issues/11174 +@@||dosgamezone.com^$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/11187 +423down.com##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://www.reddit.com/r/uBlockOrigin/comments/rvomws/bluraycom_ubo_v1402/ +blu-ray.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/11198 +rosefile.net##+js(acs, document.addEventListener, nextFunction) + +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1598352715/430 +ac-illust.com,photo-ac.com##+js(set, enable_dl_after_countdown, true) +ac-illust.com,photo-ac.com##+js(set, isGGSurvey, true) +ac-illust.com,photo-ac.com###eachDownloadedModal:has(.ac-btn[href^="https://premium."]) +ac-illust.com,photo-ac.com##.modal-backdrop +ac-illust.com,photo-ac.com##body.modal-open *:style(filter: none!important;) + +! PopAds-sites +! https://github.com/uBlockOrigin/uAssets/issues/23397 +123-movies.*,123movieshd.*,123movieshub.*,123moviesme.*,1337x.*,141jav.com,1bit.space,1bitspace.com,1stream.*,1tamilmv.*,2ddl.*,2umovies.*,345movies.com,3dporndude.com,3hiidude.*,4archive.org,4horlover.com,4stream.*,560pmovie.com,5movies.*,7hitmovies.*,85tube.com,85videos.com,9xmovie.*##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +aagmaal.*,acefile.co,actusports.eu,adblockeronstape.*,adblockeronstreamtape.*,adblockplustape.*,adblockstreamtape.*,adblockstrtape.*,adblockstrtech.*,adblocktape.*,adclickersbot.com,adcorto.*,adricami.com,adslink.pw,adultstvlive.com,adz7short.space,aeblender.com,ahdafnews.blogspot.com,ak47sports.com,akuma.moe,alexsports.*,alexsports.*,alexsportss.*,alexsportz.*,allplayer.tk,amateurblog.tv,amateurblog.tv,androidadult.com,anhsexjav.xyz,anidl.org,anime-loads.org,animeblkom.net,animefire.plus,animelek.me,animepahe.*,animesanka.*,animespire.net,animestotais.xyz,animeyt.es,animixplay.*,aniplay.*,anroll.net,antiadtape.*,anymoviess.xyz,aotonline.org,asenshu.com,asialiveaction.com,asianclipdedhd.net,asianclub.*,ask4movie.*,askim-bg.com,asumsikedaishop.com,atomixhq.*,atomohd.*,avcrempie.com,avseesee.com,gettapeads.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +backfirstwo.com,bajarjuegospcgratis.com,balkanportal.net,balkanteka.net,bdnewszh.com,beinmatch.*,belowporn.com,bestgirlsexy.com,bestnhl.com,bestporn4free.com,bestporncomix.com,bet36.es,bhaai.*,bikinitryon.net,birdurls.com,bitsearch.to,blackcockadventure.com,blackcockchurch.org,blackporncrazy.com,blizzboygames.net,blizzpaste.com,blkom.com,blog-peliculas.com,blogtrabalhista.com,blurayufr.*,bobsvagene.club,bolly4umovies.click,bonusharian.pro,brilian-news.id,brupload.net,bucitana.com,buffstreams.*##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +camchickscaps.com,camgirlcum.com,camgirls.casa,canalesportivo.*,cashurl.in,castingx.net,ccurl.net,celebrity-leaks.net,cgpelis.net,charexempire.com,choosingnothing.com,clasico.tv,clickndownload.*,clicknupload.*,clik.pw,coin-free.com,coins100s.fun,comicsmanics.com,compucalitv.com,coolcast2.com,cosplaytab.com,countylocalnews.com,cpmlink.net,crackstreamshd.click,crespomods.com,crisanimex.com,crunchyscan.fr,cuevana3.fan,cuevana3hd.com,cumception.com,cutpaid.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +daddylive.*,daddylivehd.*,dailyuploads.net,datawav.club,daughtertraining.com,ddrmovies.*,deepgoretube.site,deltabit.co,deporte-libre.top,depvailon.com,derleta.com,desiremovies.*,desivdo.com,desixx.net,detikkebumen.com,deutschepornos.me,devlib.*,diasoft.xyz,directupload.net,diskusscan.com,divxtotal.*,divxtotal1.*,dixva.com,dlhd.*,doctormalay.com,dofusports.xyz,dogemate.com,doods.cam,doodskin.lat,downloadrips.com,downvod.com,dphunters.mom,dragontranslation.com,dvdfullestrenos.com,dvdplay.*##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +ebookbb.com,ebookhunter.net,egyanime.com,egygost.com,egyshare.cc,ekasiwap.com,electro-torrent.pl,elil.cc,elixx.*,embedstream.me,enjoy4k.*,eplayer.click,erovoice.us,eroxxx.us,estrenosdoramas.net,estrenosflix.*,estrenosflux.*,estrenosgo.*,everia.club,everythinginherenet.blogspot.com,extrafreetv.com,extremotvplay.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +f1stream.*,fapinporn.com,fapptime.com,fashionblog.tv,fashionblog.tv,fastreams.live,faucethero.com,fbstream.*,fembed.com,femdom-joi.com,file4go.*,fileone.tv,film1k.com,filmeonline2023.net,filmesonlinex.org,filmesonlinexhd.biz,filmovitica.com,filmymaza.blogspot.com,filmyzilla.*,filthy.family,findav.*,findporn.*,fixfinder.click,flixmaza.*,flizmovies.*,flostreams.xyz,flyfaucet.com,footyhunter.lol,forex-trnd.com,forumchat.club,forumlovers.club,freemoviesonline.biz,freeomovie.co.in,freeomovie.co.in,freeomovie.to,freeporncomic.net,freepornhdonlinegay.com,freeproxy.io,freetvsports.*,freeuse.me,freeusexporn.com,fsicomics.com,fullymaza.*##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +g3g.*,gamepcfull.com,gameronix.com,gamesfullx.com,gameshdlive.net,gamesmountain.com,gamesrepacks.com,gamingguru.fr,gamovideo.com,garota.cf,gaydelicious.com,gaypornmasters.com,gaysex69.net,gemstreams.com,get-to.link,girlscanner.org,giurgiuveanul.ro,gledajcrtace.xyz,gocast2.com,gomo.to,gostosa.cf,gotxx.*,grantorrent.*,gtlink.co,gwiazdypornosow.pl##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +haho.moe,hatsukimanga.com,hayhd.net,hdmoviesfair.*,hdmoviesflix.*,hdsaprevodom.com,hdstreamss.club,hentais.tube,hentaistream.co,hentaitk.net,hentaitube.online,hentaiworld.tv,hesgoal.tv,hexupload.net,hhkungfu.tv,highlanderhelp.com,hiidudemoviez.*,hindimean.com,hindimovies.to,hiperdex.com,hiphopa.net,hispasexy.org,hitprn.com,hoca4u.com,hollymoviehd.cc,hoodsite.com,hopepaste.download,hornylips.com,hotgranny.live,hotmama.live,hqcelebcorner.net,huren.best,hwnaturkya.com,hxfile.co##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +igfap.com,iklandb.com,illink.net,imgkings.com,imgsen.*,imgsex.xyz,imgsto.*,imx.to,incest.*,incestflix.*,influencersgonewild.org,infosgj.free.fr,investnewsbrazil.com,itdmusics.com,itopmusic.*,itsuseful.site,itunesfre.com,iwatchfriendsonline.net##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +jackstreams.com,jatimupdate24.com,jav-fun.cc,jav-noni.cc,jav-scvp.com,javcl.com,javf.net,javhay.net,javhoho.com,javhun.com,javleak.com,javmost.*,javporn.best,javsek.net,javsex.to,javtiful.com,jimdofree.com,jiofiles.org,jorpetz.com,jp-films.com,jpop80ss3.blogspot.com,jpopsingles.eu##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +kantotflix.net,kantotinyo.com,kaoskrew.org,kaplog.com,keeplinks.*,keepvid.*,keralahd.*,keralatvbox.com,khatrimazaful.*,khatrimazafull.*,kickassanimes.io,kimochi.info,kimochi.tv,kinemania.tv,konstantinova.net,koora-online.live,kunmanga.com,kutmoney.com,kwithsub.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +lat69.me,latinblog.tv,latinblog.tv,latinomegahd.net,lazyfaucet.com,leechall.*,leechpremium.link,legendas.dev,legendei.net,legendei.net,lightdlmovies.blogspot.com,lighterlegend.com,linclik.com,linkebr.com,linkrex.net,linkshorts.*,lulu.st,lulustream.com,luluvdo.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +manga-oni.com,mangaboat.com,mangagenki.me,mangahere.onl,mangaweb.xyz,mangoporn.net,mangovideo.*,manhwahentai.me,masahub.com,masahub.net,masaporn.*,maturegrannyfuck.com,mdfx9dc8n.net,mdy48tn97.com,mediapemersatubangsa.com,mega-mkv.com,megapastes.com,megapornpics.com,messitv.net,meusanimes.net,milfmoza.com,milfzr.com,millionscast.com,mimaletamusical.blogspot.com,miniurl.*,mirrorace.*,mitly.us,mixdroop.*,mixdrop.*,mkv-pastes.com,mkvcage.*,mlbstream.*,mlsbd.*,mmsbee.*,monaskuliner.ac.id,moredesi.com,motogpstream.*,movgotv.net,movi.pk,movieplex.*,movierulzlink.*,movies123.*,moviesflix.*,moviesmeta.*,moviessources.*,moviesverse.*,movieswbb.com,moviewatch.com.pk,moviezwaphd.*,mp4upload.com,mrskin.live,mrunblock.*,multicanaistv.com,mundowuxia.com,myeasymusic.ir,myonvideo.com,myyouporn.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +narutoget.info,naughtypiss.com,nbastream.*,nerdiess.com,new-fs.eu,newmovierulz.*,newtorrentgame.com,nflstream.*,nflstreams.me,nhlstream.*,niaomea.me,nicekkk.com,nicesss.com,nlegs.com,noblocktape.*,nocensor.*,nolive.me,notformembersonly.com,novamovie.net,novelpdf.xyz,novelssites.com,novelup.top,nsfwr34.com,nu6i-bg-net.com,nudebabesin3d.com,nukedfans.com,nuoga.eu,nzbstars.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +ohjav.com,ojearnovelas.com,okanime.xyz,olarixas.xyz,oldbox.cloud,olweb.tv,olympicstreams.me,on9.stream,onepiece-mangaonline.com,onifile.com,onionstream.live,onlinesaprevodom.net,onlyfams.*,onlyfullporn.video,onplustv.live,originporn.com,ouo.*,ovagames.com,ovamusic.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +packsporn.com,pahaplayers.click,pahe.*,palimas.org,pandafiles.com,password69.com,pastemytxt.com,payskip.org,pctfenix.*,pctnew.*,peeplink.in,peliculas24.*,peliculasmx.net,pelisplus.*,pervertgirlsvideos.com,pervyvideos.com,phim12h.com,picdollar.com,pickteenz.com,pics4you.net,picsxxxporn.com,pinayscandalz.com,pinkueiga.net,piratebay.*,piratefast.xyz,piratehaven.xyz,pirateiro.com,pirlotvonline.org,playtube.co.za,plugintorrent.com,plyjam.*,plylive.*,plyvdo.*,pmvzone.com,porndish.com,pornez.net,pornfetishbdsm.com,pornfits.com,pornhd720p.com,pornhoarder.*,pornobr.club,pornobr.ninja,pornodominicano.net,pornofaps.com,pornoflux.com,pornotorrent.com.br,pornredit.com,pornstarsyfamosas.es,pornstreams.co,porntn.com,pornxbit.com,pornxday.com,portaldasnovinhas.shop,portugues-fcr.blogspot.com,poscitesch.com,poseyoung.com,pover.org,prbay.*,projectfreetv.*,proxybit.*,proxyninja.org,psarips.*,pubfilmz.com,publicsexamateurs.com,punanihub.com,putlocker5movies.org,pxxbay.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +r18.best,racaty.*,ragnaru.net,rapbeh.net,rapelust.com,rapload.org,read-onepiece.net,remaxhd.*,retro-fucking.com,retrotv.org,rintor.*,rnbxclusive.*,rnbxclusive0.*,rnbxclusive1.*,robaldowns.com,rockdilla.com,rojadirecta.*,rojadirectaenvivo.*,rojadirectatvenvivo.com,rojitadirecta.blogspot.com,romancetv.site,rsoccerlink.site,rugbystreams.*,rule34.club,rule34hentai.net,rumahbokep-id.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +sadisflix.*,safego.cc,safetxt.*,sakurafile.com,satoshi-win.xyz,scat.gold,scatfap.com,scatkings.com,scnlog.me,scripts-webmasters.net,serie-turche.com,serijefilmovi.com,sexcomics.me,sexdicted.com,sexgay18.com,sexofilm.co,sextgem.com,sextgem.com,sextubebbw.com,sgpics.net,shadowrangers.*,shadowrangers.live,shahee4u.cam,shahi4u.*,shahid4u1.*,shahid4uu.*,shahiid-anime.net,shavetape.*,shemale6.com,shinden.pl,short.es,shortearn.*,shorten.*,shorttey.*,shortzzy.*,showmanga.blog.fc2.com,shrt10.com,shurt.pw,sideplusleaks.net,silverblog.tv,silverblog.tv,silverpic.com,sinhalasub.life,sinsitio.site,sinvida.me,skidrowcpy.com,skidrowfull.com,skidrowreloaded.com,skymovieshd.*,slut.mom,smallencode.me,smoner.com,smplace.com,soccerinhd.com,socceron.name,socceronline.*,softairbay.com,softarchive.*,sokobj.com,songsio.com,souexatasmais.com,sportbar.live,sports-stream.*,sportstream1.cfd,sporttuna.*,srt.am,srts.me,sshhaa.*,stapadblockuser.*,stape.*,stapewithadblock.*,starmusiq.*,stbemuiptv.com,stockingfetishvideo.com,strcloud.*,stream.crichd.vip,stream.lc,stream25.xyz,streamadblocker.*,streamadblockplus.*,streambee.to,streamcdn.*,streamcenter.pro,streamers.watch,streamgo.to,streamhub.*,streamkiste.tv,streamnoads.com,streamoupload.xyz,streamservicehd.click,streamsport.*,streamta.*,streamtape.*,streamtapeadblockuser.*,streamvid.net,strikeout.*,strtape.*,strtapeadblock.*,strtapeadblocker.*,strtapewithadblock.*,strtpe.*,subtitleporn.com,subtitles.cam,suicidepics.com,supertelevisionhd.com,supexfeeds.com,swatchseries.*,swiftload.io,swzz.xyz,sxnaar.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +tabooflix.*,tabooporns.com,taboosex.club,tapeantiads.com,tapeblocker.com,tapenoads.com,tapewithadblock.org,teamos.xyz,teen-wave.com,teenporncrazy.com,telegramgroups.xyz,telenovelasweb.com,tennisstreams.*,tensei-shitara-slime-datta-ken.com,tfp.is,tgo-tv.co,thaihotmodels.com,theblueclit.com,thebussybandit.com,thedaddy.to,theicongenerator.com,thelastdisaster.vip,themoviesflix.*,thepiratebay.*,thepiratebay.*,thepiratebay0.org,thepiratebay0.org,thepiratebay10.info,thesexcloud.com,thothub.today,tightsexteens.com,tmearn.*,tojav.net,tokyoblog.tv,tokyoblog.tv,toonanime.*,top16.net,topvideosgay.com,torlock.*,tormalayalam.*,torrage.info,torrents.vip,torrentz2eu.*,torrsexvid.com,tpb-proxy.xyz,trannyteca.com,trendytalker.com,tumanga.net,turbogvideos.com,turbovid.me,turkishseriestv.org,turksub24.net,tutele.sx,tutelehd.*,tv247.us,tvglobe.me,tvpclive.com,tvply.*,tvs-widget.com,tvseries.video##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +u4m.*,ucptt.com,ufaucet.online,ufcfight.online,ufcstream.*,ultrahorny.com,ultraten.net,unblocknow.*,unblockweb.me,underhentai.net,uniqueten.net,upbaam.com,uploadbuzz.*,upstream.to,usagoals.*##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +valeriabelen.com,verdragonball.online,vexmoviex.*,vfxmed.com,vidclouds.*,video.az,videostreaming.rocks,videowood.tv,vidlox.*,vidorg.net,vidtapes.com,vidz7.com,vikistream.com,vikv.net,vipbox.*,vipboxtv.*,vipleague.*,viprow.*,virpe.cc,visifilmai.org,viveseries.com,vladrustov.sx,volokit2.com,volokit2.com,vstorrent.org##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +w-hentai.com,watch-series.*,watchbrooklynnine-nine.com,watchelementaryonline.com,watchjavidol.com,watchkobestreams.info,watchlostonline.net,watchmonkonline.com,watchrulesofengagementonline.com,watchseries.*,watchthekingofqueens.com,webcamrips.com,wincest.xyz,wolverdon.fun,wordcounter.icu,worldmovies.store,worldstreams.click,wpdeployit.com,wqstreams.tk,wwwsct.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +xanimeporn.com,xblog.tv,xblog.tv,xclusivejams.*,xmoviesforyou.*,xn--verseriesespaollatino-obc.online,xn--xvideos-espaol-1nb.com,xpornium.net,xsober.com,xvip.lat,xxgasm.com,xxvideoss.org,xxx18.uno,xxxdominicana.com,xxxfree.watch,xxxmax.net,xxxwebdlxxx.top,xxxxvideo.uno,xxxxvideo.uno##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +y2b.wiki,yabai.si,yadixv.com,yayanimes.net,yeshd.net,yodbox.com,youdbox.*,youjax.com,yourdailypornvideos.ws,yourupload.com,ytmp3eu.*,yts-subs.*,yts.*,ytstv.me##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +zerion.cc,zerocoin.top,zitss.xyz,zooqle.*,zpaste.net,zplayer.live##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +pillowcase.su##+js(remove-node-text, script, /h=decodeURIComponent|"popundersPerIP"/) +*$script,domain=gamesmountain.com,3p,denyallow=fbcdn.net|facebook.net +*$script,domain=megapornpics.com,3p,denyallow=wankgod.com +*$script,domain=onlyfullporn.video,3p,denyallow=facebook.net|fastly.net|fbcdn.net|twitter.com|unpkg.com|vk.com|x.com|zencdn.net +*$script,3p,domain=moredesi.com,denyallow=disqus.com|google.com|fastly.net|fastlylb.net|pinterest.com|wp.com +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790 +! https://github.com/uBlockOrigin/uAssets/issues/21669 +! https://github.com/uBlockOrigin/uAssets/issues/24363 +/^https:\/\/www\.[a-z]{8,14}\.com\/[a-z]{1,4}\.js$/$script,3p,match-case,header=x-powered-by:Express,from=~edu|~gov,to=com|~exploretock.com|~photopea.com +! https://github.com/uBlockOrigin/uAssets/issues/19539 new variants +! https://github.com/uBlockOrigin/uAssets/issues/19848 +! https://github.com/uBlockOrigin/uAssets/issues/25121 +! https://github.com/uBlockOrigin/uAssets/issues/25279 +/^https:\/\/www\.[a-z]{8,16}\.com\/(?:[A-Za-z]+\/)*(?:[_0-9A-Za-z]{1,20}[-.])*[_0-9A-Za-z]{1,20}\.js$/$script,xhr,3p,match-case,to=com,header=popads-node +/^https:\/\/www\.[a-z]{8,16}\.com\/(?:[A-Za-z]+\/)*(?:[_0-9A-Za-z]{1,20}[-.])*[_0-9A-Za-z]{1,20}\.js$/$script,xhr,3p,match-case,to=com,header=link:/adsco\.re\/>;rel=preconnect/ +://www.*.css|$script,xhr,3p,to=com,header=link:/\/>;rel=preconnect/ +://www.*/images/*.min.js|$script,xhr,3p,to=com +://www.*.com/css/$script,xhr,3p,to=com|~principalcdn.com,header=link:/\/>;rel=preconnect/ +://www.*.com/js/css/$script,xhr,3p +=e3&*,0|$script,3p,to=com +=e3&*,1|$script,3p,to=com +=3&*,0|$script,3p,to=com +=3&*,1|$script,3p,to=com +/^https:\/\/www\.[a-z]{8,16}\.com\/(?:[A-Za-z]+\/)*(?:[_0-9A-Za-z]{1,20}[-.])*[_0-9A-Za-z]{1,20}\.js$/$script,3p,match-case,to=com,ipaddress=/^([78]9\.1[28]7\.[12]\d{2}\.\d{1,3}|84\.17\.57\.\d{1,2}|207\.211\.208\.184|2a02:6ea0:d[16]0[0c]::\d{1,2})$/ +://www.*.css|$script,3p,to=com,ipaddress=/^(84\.17\.57\.\d{1,2}|2a02:6ea0:d600::(2|3|10))$/ +||nsfwr34.com/ad_schedule/ +mdy48tn97.com##+js(nowoif) +mdy48tn97.com##div[style="position: absolute; top: 0px; left: 0px; width: 100%; height: 100%; z-index: 2147483646;"] +*$script,xhr,3p,denyallow=b-cdn.net,domain=everia.club +! ##+js(acs, atob, /popundersPerIP[\s\S]*?Date[\s\S]*?getElementsByTagName[\s\S]*?insertBefore/) +roshy.tv##+js(acs, atob, /popundersPerIP[\s\S]*?Date[\s\S]*?getElementsByTagName[\s\S]*?insertBefore/) +roshy.tv##+js(acs, document.querySelectorAll, popMagic) + +! popMagic-sites +141tube.com,18porncomic.com,19-days-manga.com,1piecemanga.com,1punchman-manga.com,1teentubeporn.com,1youngteenporn.com,3dhentai.club,3gaytube.com,3prn.com,3xamatorszex.hu,3xfaktor.hu,4archive.org,4fans.gay,4porn4.com,560pmovie.com,6indianporn.com,7mmtv.sx,85tube.com,8muses.xxx##+js(acs, document.querySelectorAll, popMagic) +a-hentai.tv,aagmaal.com,aav.digital,ablefast.com,adltc.cc,adslink.pw,adultoffline.com,adultporn.com.es,aflamsexnek.com,ahri8.*,akatsuki-no-yona.com,akutsu-san.com,al4a.com,algodaodocescan.com.br,allafricangirls.net,allcelebs.club,allporncartoons.com,allpussynow.com,allteensnude.net,allureamateurs.net,alotporn.com,amateur-mature.net,amateurandreal.com,amateurbeachspy.com,amateurfapper.com,amateurfun.net,amateurporn.co,amazingtrannies.com,animecast.net,animeidhentai.com,animekage.net,animesex.me,animetoast.cc,annoncesescorts.com,anusling.info,anybunny.com,anynude.net,aoashimanga.com,arabxd.com,arabxforum.com,arabxnx.com,archivebate.com,arcjav.com,asianpornfilms.com,asianpornphoto.net,asianstubefuck.com,asianteenagefucking.com,asiaon.*,asiaontop.com,assesphoto.com,axporn.com##+js(acs, document.querySelectorAll, popMagic) +b4watch.com,babesexpress.com,babesvagina.com,babesxworld.com,banglachoti-story.com,bangx.org,bbw.com.es,bbw6.com,bbwfest.com,bbwfuckpic.com,bcmanga.com,bdsm-fuck.com,bdsm-photos.com,bdsmporn.cc,bdsmstreak.com,beegsexxx.com,beemtube.com,beginningmanga.com,belloporno.com,best18teens.com,bestblackgay.com,bestcam.tv,bestgrannies.com,besthdgayporn.com,bestlist.top,bestpornflix.com,bestpussypics.net,bestsextoons.com,bestshemaleclips.com,bigboobs.com.es,bigwank.com,birdurls.com,bjhub.me,black-matures.com,black-porn-pics.org,blackamateursnaked.com,blackchubbymovies.com,blackcunts.org,blackedtube.com,blackmaturevideos.com,blackpornhq.com,blacksexmix.com,blackteen.link,blowjobamateur.net,bobolike.com,bokepxv.com,bolly-tube.com,bollywoodx.org,boobs-mania.com,boolwowgirls.com,booru.eu,bootyexpo.net,borwap.xxx,boxporn.net,boystube.link,brazzersbabes.com,bucetaspeludas.com.br,bunkr.*,bunkrr.*,buondua.com,bustmonkey.com,bustyfats.com,bustyshemaleporn.com##+js(acs, document.querySelectorAll, popMagic) +caitlin.top,callofnight.com,camcam.cc,camgirlfap.com,camgreat.com,cartoonporncomics.info,cartoonvideos247.com,cat3movie.org,cbt-tube.net,cdimg.blog.2nt.com,celebjared.net,celebrityleakednudes.com,celebritynakeds.com,celebsnudeworld.com,celebwhore.com,centralboyssp.com.br,cerdas.com,cervezaporno.com,cfake.com,chicasdesnudas.xxx,chopris.com,chubbyelders.com,chubbypornmpegs.com,cine-calidad.*,classicxmovies.com,clicporn.com,clothing-mania.com,comicsarmy.com,comicsporno.xxx,comicspornos.com,comicspornoxxx.com,comicsvalley.com,comicsxxxgratis.com,comicxxx.eu,crazyporn.xxx,crockotube.com,crossdresserhub.com,csrevo.com,cuckold-videos.org,cuckold.it,cutiecomics.com,czechsex.net,czechvideo.org##+js(acs, document.querySelectorAll, popMagic) +daftporn.com,daftsex.net,daftsex.org,dailyjav.co,danmachimanga.com,darknessporn.com,dataporn.pro,debridup.com,deepfucks.com,deepthroat-porn.com,depvailon.com,descargaranimes.com,desihoes.com,desijugar.net,desimms.co,digitalbeautybabes.com,dikgames.com,dirtybadger.com,dirtyfox.net,dirtygangbangs.com,dirtyporn.cc,dirtytamil.com,dirtytamil.com,dlgal.com,dlouha-videa.cz,domahatv.com,domahi.net,donna-cerca-uomo.com,dorohedoro.online,doujindesu.*,douxporno.com,drsnysvet.cz,dumpz.net##+js(acs, document.querySelectorAll, popMagic) +eahentai.com,ebonyamateurphoto.com,ebonyassclips.com,ebuxxx.net,ehotpics.com,epornstore.com,ero18.cc,eroasmr.com,eroclips.org,erogarga.com,erotichun.com,erotichunter.com,eroticmv.com,eroticteensphoto.net,eroxxx.us,escort-in-italia.com,escortconrecensione.com,eshentai.tv,everia.club,everysextube.com,ex-foary.com,eztvtorrent.co##+js(acs, document.querySelectorAll, popMagic) +familyporner.com,famosas-desnudas.org,famousnipple.com,fap16.net,fapcat.com,fapdrop.com,faperplace.com,fapset.com,faptube.com,fapxl.com,fatblackmatures.com,fattubevideos.net,fatwhitebutt.com,fatxxxtube.com,felizporno.com,femdomworld.com,femjoybabes.com,fetish-bb.com,fetish-tv.com,fetishburg.com,ffjav.com,fileone.tv,film1k.com,filmpertutti.*,filmpornoitaliano.org,filmyporno.tv,finderporn.com,finding-camellia.com,findtranny.com,finevids.xxx,folgenporno.com,footfetishvid.com,free-gay-clips.com,free-trannyporn.com,freeadultvideos.cc,freefatpornmovies.com,freegayporn.me,freegrannypornmovies.com,freehdvideos.xxx,freeomovie.to,freepdfcomic.com,freepornhdonlinegay.com,freepornjpg.com,freepublicporn.com,freesex-1.com,freexxxvideos.pro,freshscat.com,freshshemaleporn.com,frprn.com,ftopx.com,fuckingsession.com,fuckmilf.net,fucktube4k.com,fuxnxx.com##+js(acs, document.querySelectorAll, popMagic) +gatasdatv.com,gay-streaming.com,gay-tubes.cc,gay4porn.com,gayboyshd.com,gayboystube.top,gayfor.us,gayforfans.com,gaypornhdfree.com,gaypornlove.net,gaystream.pw,gayteam.club,gayvideo.me,gayxxxtube.net,gekkouscans.com.br,generalpornmovies.com,ggbases.com,ghettopearls.com,gifcandy.net,girlfriendsexphoto.com,girlfuckgalleries.com,girlnude.link,glavmatures.com,gonewild.co,gonzoporn.cc,good-babes.com,goodporn.to,goshow.tv,gotporn.com,gotxx.*,grannyxxxtube.net,gravuregirlz.com,greatestshemales.com,greatnass.com,greensmut.com,grigtube.com##+js(acs, document.querySelectorAll, popMagic) +hachiraw.net,haho.moe,hanime.space,hanimesubth.com,hardfacefuck.com,hcbdsm.com,hd-xxx.me,hdgayporn.net,hdjavonline.com,hdpicsx.com,hdporn-movies.com,hdpornzap.com,hdtubesex.net,hentai-cosplays.com,hentai-for.net,hentai-hot.com,hentai-senpai.*,hentai.tv,hentai20.com,hentai20.io,hentai3z.com,hentaiarena.com,hentaiasmr.moe,hentaibrasil.info,hentaibros.com,hentaicity.com,hentaicore.org,hentaidays.com,hentaienglish.com,hentaihaven.com,hentaihaven.red,hentaihd.xyz,hentaila.com,hentaila.tv,hentaipins.com,hentaiporno.xxx,hentaisenpai.*,hentaiteca.net,hentaitk.net,hentaitube1.lol,hentaiworld.tv,hentaiyes.com,herexxx.com,heroine-xxx.com,highporn.net,hindilinks4u.*,hiperdex.com,hit-erotic.com,hitprn.com,hmanga.asia,ho6ho.com,holaporno.xxx,hoporno.net,hornbunny.com,hornyfanz.com,hotgirl.biz,hotgirlhub.com,hotleak.vip,hotleaks.tv,hotmarathistories.com,hotmaturegirlfriends.com,hotmirrorpics.com,hotntubes.com,hotsexstory.xyz,hotshag.com,house.porn,hqpornero.com,hqpornstream.com,huyamba.*##+js(acs, document.querySelectorAll, popMagic) +ibecamethewifeofthemalelead.com,ibradome.com,iceporn.tv,ideal-teens.com,ilikecomix.com,imagetwist.netlify.app,imgflare.com,in91vip.win,incontri-in-italia.com,indiansexbazar.com,indianxxx.us,influencersgonewild.com,ingyenszexvideok.hu,iporntoo.com,iusedtobeaboss.com##+js(acs, document.querySelectorAll, popMagic) +j-pussy.com,j91.asia,japaneseasmr.com,japanfuck.com.es,japantaboo.com,japanxxxmovie.com,japteenx.com,jasmr.net,jav-torrent.org,jav-xx.com,jav.one,jav101.online,jav380.com,javbake.com,javbest.xyz,javbix.com,javbob.co,javbull.tv,javcensored.net,javcl.com,javdoge.com,javenspanish.com,javfav.com,javfullmovie.com,javfun.me,javgrab.com,javhd.*,javheroine.com,javhoho.com,javhun.com,javjavhd.com,javmelon.com,javmilf.xyz,javmobile.net,javmoviexxx.com,javneon.tv,javnew.net,javopen.co,javpan.net,javpool.com,javporn.tv,javpornfull.com,javprime.net,javpro.cc,javrave.club,javraveclub.com,javrip.net,javroi.com,javsaga.ninja,javsex.guru,javsexfree.com,javstor.com,javstream.com,javsub-english.top,javtsunami.com,javtv.to,javuncensored.watch,javxxxporn.com,jizz.us,jotea.cl,jojolandsmanga.com,jpeg.pet,jpg.fishing,jpg2.su,jpvhub.com,juicy3dsex.com,jujmanga.com,jujustu-kaisen.com,justsexpictures.com##+js(acs, document.querySelectorAll, popMagic) +kaoskrew.org,kenzato.uk,kiaporn.com,kill-the-hero.com,kinkyporn.cc,kissjav.*,klikmanga.com,klmanga.*,komikstation.com,komisanwamanga.com,kropic.com,krx18.com,kubo-san.com,kvador.com##+js(acs, document.querySelectorAll, popMagic) +latino69.fun,latinohentai.com,ldkmanga.com,leakedzone.com,leaktube.net,lesbiansex.best,lesbiantube.club,lesboluvin.com,lewdstars.com,lewdweb.net,likuoo.video,ljcam.net,lnk2.cc,longporn.xyz,lovelynudez.com,lulu.st,luscious.net,lustteens.net##+js(acs, document.querySelectorAll, popMagic) +m.sextvx.com,madouqu.com,mainporno.com,mamochki.info,manga-dbs.com,manga-scantrad.*,manga18.club,manga18fx.com,mangadass.com,mangadna.com,mangahatachi.com,mangahub.io,mangakio.com,mangaonline.fun,mangarawjp.asia,mangarussia.com,manhwa18.cc,manhwas.*,manhwaus.net,manyakan.com,mature-tube.sexy,mature4.net,maturepornjungle.com,maturepornphoto.com,maturexxxclips.com,maxjizztube.com,maxtubeporn.net,mdtaiwan.com,meetdownload.com,meetimgz.com,megadede.*,megapornfreehd.com,mespornogratis.com,micmicidol.*,migliori-escort.com,milf300.com,milftoon.xxx,milkporntube.com,mlookalporno.com,mobifuq.com,mobileporn.cam,mom-pussy.com,mommy-pussy.com,mommyporntube.com,momspost.com,momtubeporn.xxx,momxxx.video,momzr.com,moregirls.org,movies18.net,moviesxxx.cc,mp4-porn.net,mrjav.net,mrpeepers.net,muchfap.com,multporn.net,musvozimbabwenews.com,mydesibaba.com,mydesiboobs.com,myfreevintageporn.com,mygalls.com,mypornhere.com,mypornstarbook.net,mypussydischarge.com,myvintageporntube.com,mywatchseries.*,myxclip.com,myyoungbabe.com,myyouporn.com##+js(acs, document.querySelectorAll, popMagic) +nakedamateurs.link,nakedmature.sexy,nangiphotos.com,nanime.us,napiszar.com,naughtyza.co.za,needgayporn.com,nhentai.*,nicheporno.com,nightlifeporn.com,nocfsb.com,novinhassafadinhas.com,novojoy.com,novoporn.com,nsfw247.to,nsfwalbum.com,nude-beach-tube.com,nude-teen-18.com,nudebeachpussy.com,nudeblackgirlfriend.com,nudedxxx.com,nudemomshots.com,nudevista.*,nudismteens.com,nudistic.com,nukedfans.com,nuoga.eu,nyaatorrent.com##+js(acs, document.querySelectorAll, popMagic) +ok.xxx,onepiece-manga-online.net,onepiecemangafree.com,onepunch-manga.com,onepunch.*,onlinefetishporn.cc,onlineporn24.com,onlineporno.cc,onlinepornushka.com,onlinesextube.com,onlinexxx.cc,onlygangbang.com,onlygayvideo.com,onlyhotleaks.com,onscreens.me,oosex.net,opomanga.com,orgasmatrix.com,otakuraw.net,otomi-games.com,overhentai.net##+js(acs, document.querySelectorAll, popMagic) +palimas.*,parnuhahome.com,pasend.*,pbangels.com,peetube.cc,peliculasmx.net,pelisandseries.net,pelispedia.net,penis-milking.com,penisbuyutucum.net,perfectgirls.*,perfektdamen.co,pervertium.com,petitegirlsnude.com,phim85.com,phonerotica.com,pianmanga.*,picmoney.org,picsfuck.org,picspornamateur.com,pictoa.com,pinayviralsexx.com,pinkporno.*,pinsexygirls.com,pisshamster.com,pissingporn.com,pixhost.*,plumpxxxtube.com,plusone8.com,porn-image.net,porn-sexypics.com,porn0.tv,porn00.org,porn0video.com,porn3dx.com,porn720.*,porn77.info,porn78.info,pornabcd.com,pornachi.com,pornbimbo.com,pornbox.cc,pornchaos.org,pornchimp.com,porncomics.to,porndaa.com,pornditt.com,porndollz.com,porner.tv,pornfuzzy.com,porngayclips.com,porngirlstube.com,porngq.com,porngun.net,pornhat.*,pornhd8k.*,pornhdin.com,pornhegemon.com,pornhex.com,pornhub-teen.com,porninblack.com,pornissimo.org,pornken.com,pornktube.*,pornloupe.com,pornmam.com,pornmom.net,pornmoms.org,pornmonde.com,porno-japones.top,porno-porno.net,porno-rolik.com,pornocolegialas.org,pornocolombiano.net,pornoman.pl,pornomanoir.com,pornone.com,pornonline.cc,pornoperra.com,pornopics.site,pornoreino.com,pornotrack.net,pornpaw.com,pornrabbit.com,pornrewind.com,pornrusskoe.com,pornsai.com,pornsearchengine.com,pornsex-pics.com,pornstargold.com,pornstarsadvice.com,pornteens.mobi,porntin.com,porntrex.pro,porntry.com,porntube18.cc,pornuj.cz,pornvibe.org,pornwatchers.com,pornxp.com,pornxp.org,pornxxxvideos.net,pornyeah.com,pornyeah.com,pornzone.com,povaddict.com,prothots.com,pulpo69.com,punishworld.com,pussy3dporn.com,pussymaturephoto.com,pussymaturephoto.com,pvip.gratis,pygodblog.com##+js(acs, document.querySelectorAll, popMagic) +qcock.com,queerdiary.com##+js(acs, document.querySelectorAll, popMagic) +raccontivietati.com,ragnarokmanga.com,randomarchive.com,rapidzona.tv,rawofficethumbs.com,readfireforce.com,realitybrazzers.com,recordbate.com,redamateurtube.com,reddflix.com,redgay.net,rednowtube.com,redpornnow.com,reifporn.de,repicsx.com,risefromrubble.com,rphangx.net,rranime.com,rubias19.com,rule34.art,rule34.paheal.net,rule34porn.net,rushporn.xxx,russkoevideoonline.com,rusteensex.com##+js(acs, document.querySelectorAll, popMagic) +saint.to,sankakucomplex.com,santoinferninho.com,saradahentai.com,savelink.site,scallyguy.com,scat.gold,scatkings.com,scatnetwork.com,screenhumor.com,secondcomingofgluttony.com,see-xxx.com,seed69.com,sekaikomik.live,seksrura.net,seksualios.com,seneporno.com,seoul-station-druid.com,seriesyonkis.*,serverxfans.com,sesso-escort.com,severeporn.com,sex-babki.com,sex-pic.info,sex-torrent.net,sexbixbox.com,sexgay18.com,sexkbj.com,sexmutant.com,sexmv.com,sexoverdose.com,sexpornasian.com,sexpox.com,sexpuss.org,sexrura.com,sexrura.pl,sextor.org,sextubefun.com,sextubeset.com,sexvideos.host,sexvideos.host,sexy-games.*,sexy-parade.com,sexy-youtubers.com,sexyaporno.com,sexyasianteenspics.com,sexybabespictures.com,sexyebonyteen.com,sexyerotica.net,sexyfreepussy.com,sexyhive.com,sexyteengirlfriends.net,shelovesporn.com,shemalemovies.us,shemaletoonsex.com,shlink.net,short.croclix.me,simply-hentai.com,sissytube.net,sitarchive.com,skinnyhq.com,sleazedepot.com,smotret-porno-onlain.com,solomax-levelnewbie.*,solomaxlevelnewbie.*,solopornoitaliani.xxx,somulhergostosa.com,sousou-no-frieren.*,spy-x-family.*,spycock.com,spyvoyeur.net,stileproject.com,str8ongay.com,stream-69.com,streamextreme.cc,streamhub.*,streamporn.cc,subdivx.com,submissive-wife.net,supremebabes.com,sweetgirl.org,sxyprn.*,szexvideok.hu##+js(acs, document.querySelectorAll, popMagic) +tabooporn.tv,tabooporns.com,tabootube.xxx,tamilsexstory.net,taxi69.com,teenage-nudists.net,teenamateurphoto.com,teenbabe.link,teencamx.com,teenpornjpg.com,teenxxxporn.pro,telugusexkathalu.com,tenseishitaraslimedattaken-manga.com,thaihotmodels.com,thatav.net,thebarchive.com,thebeginningaftertheend.*,thecartoonporntube.com,theeminenceinshadowmanga.com,thehentaiworld.com,thelesbianporn.com,thematurexxx.com,theyarehuge.com,thothd.com,thotporn.tv,thotsbay.tv,thotslife.com,tioanime.com,titsintops.com,tittykings.com,tmohentai.com,tojav.net,tok-thots.com,tokyo-ghoul.online,tokyomotion.com,tokyomotion.net,tokyorevengersmanga.com,tomatespodres.com,tomb-raider-king.com,toon69.com,toonanime.*,topwebgirls.eu,torrent-pirat.com,torture1.net,tpornstars.com,trahino.net,trahodom.com,tranny6.com,trannylibrary.com,trannyline.com,trannysexmpegs.com,trannyxxxtube.net,transexuales.gratis,truyenhentai18.net,ts-mpegs.com,tsmovies.com,tubegaytube.com,tubepornnow.com,tuberzporn.com,tubexo.tv,tuhentaionline.com,turbogvideos.com,turboimagehost.com,tvporn.cc,twink-hub.com##+js(acs, document.querySelectorAll, popMagic) +ulsex.net,ultraten.net,uncensoredleak.com,uniqueten.net,up-load.io,upicsz.com,uporn.icu,upskirt.tv,urgayporn.com,usaxtube.com##+js(acs, document.querySelectorAll, popMagic) +vcp.xxx,ver-mangas-porno.com,verhentai.top,vermangasporno.com,verpeliculasporno.gratis,videodotados.com,videos-xxx.*,videosputas.xxx,videosxxxporno.gratis,videosxxxputas.com,videoxxx.cc,viewmature.com,vintageporntubes.com,vipporns.com,viralxvideos.es,vkrovatku.com,voyeurblog.net,voyeurxxxsex.com,vzrosliedamy.com##+js(acs, document.querySelectorAll, popMagic) +wannafreeporn.com,wantmature.com,waploaded.com,watchfreejavonline.co,watchfreekav.com,watchhentai.net,watchporn.cc,watchporninpublic.com,watchseries1.*,webcams.casa,webtoonscan.com,westmanga.info,wetpussy.sexy,wetsins.com,womennaked.net,wonporn.com,worldsex.com,wow-mature.com,wowxxxtube.com##+js(acs, document.querySelectorAll, popMagic) +x-movie7.com,x-videos.name,x18.xxx,x24.video,xanimehub.com,xanimu.com,xasiat.com,xculitos.com,xemales.com,xexle.com,xfantazy.org,xforum.live,xfreehd.com,xfreepornsite.com,xhamsterteen.com,xkeezmovies.com,xn--algododoce-j5a.com,xnxx-downloader.net,xnxx.party,xnxxhamster.net,xnxxvideo.pro,xpicse.com,xpornzo.com,xsexpics.com,xsexpics.com,xspiel.com,xsportshd.com,xszav.club,xvideis.cc,xvideos.name,xvideosxporn.com,xxf.mobi,xxr.mobi,xxu.mobi,xxx-videos.org,xxxcomics.org,xxxfiles.*,xxxhub.cc,xxxonline.cc,xxxopenload.com,xxxputas.net,xxxrip.net,xxxtor.com,xxxxselfie.com##+js(acs, document.querySelectorAll, popMagic) +y-porn.com,yaoiscan.com,yona-yethu.co.za,yongfucknaked.com,youngbelle.net,youngerasiangirl.net,youngerporn.mobi,youngleak.com,youngsexygfs.com,youpornfm.com,youramateurporn.com,yporn.tv,ytanime.tv,yy1024.net##+js(acs, document.querySelectorAll, popMagic) +zonavideosx.com,zthots.com##+js(acs, document.querySelectorAll, popMagic) +6indianporn.com,aiimgvlog.fun,amateurebonypics.com,amateuryoungpics.com,cinemabg.net,coomer.su,desimmshd.com,frauporno.com,givemeaporn.com,hitomi.la,jav-asia.top,javf.net,javfull.net,javideo.net,kemono.su,kr18plus.com,luscious.net,picbaron.com,pilibook.com,pornborne.com,porngrey.com,pornktube.*,qqxnxx.com,sexvideos.host,submilf.com,subtaboo.com,tktube.com,watchseries.*,xfrenchies.com##+js(aeld, , popMagic) +allcalidad.*,camarchive.tv,crownimg.com,freejav.guru,gntai.*,grantorrent.*,hentai2read.com,hentai2w.com,icyporno.com,illink.net,javtiful.com,m-hentai.net,mejortorrent.*,mejortorrento.*,mejortorrents.*,mejortorrents1.*,mejortorrentt.*,pornblade.com,pornfelix.com,pornxxxxtube.net,redwap.me,redwap2.com,redwap3.com,sunporno.com,tubxporn.xxx,ver-comics-porno.com,ver-mangas-porno.com,xanimeporn.com,xxxvideohd.net,zetporn.com##+js(aeld, click, popMagic) +gaygo.tv##+js(acs, $, popMagic) +cine-calidad.*,veryfreeporn.com##+js(rmnt, script, popMagic) +||xsportshd.com/bet.gif$image +familyporner.com##.inside-list-boxes:upward(1) +sexoverdose.com##.table +3sexporn.com,momxxxsex.com,myfreevintageporn.com,penisbuyutucum.net##+js(set, open, undefined) +porntrex.pro##.happy-footer +||javideo.net/js/popup.js +||javf.net/js/popup.js +||watchfreejavonline.co/*.gif$image,1p +||wp.com/*.gif$image,domain=watchfreejavonline.co +watchfreejavonline.co##[href*="affpa.top"] +javbull.tv,javsaga.ninja##.pb-3.text-center +xxxfiles.*##.underplayer_banner +javbake.com,javcensored.net,javdoge.com,javsexfree.com,javuncensored.watch##.adstrick > .video-item:style(clear: none !important;) +javbake.com,javcensored.net,javdoge.com,javsexfree.com,javuncensored.watch##.itemads +cat3movie.org###ads-preload +cat3movie.org##.float-ck-center-lt +asianpornfilms.com##.underplayer_banner +pussymaturephoto.com##div[class^="mikex"]:upward(1) +hentaiasmr.moe###inPlayerGGzone +hentaiasmr.moe##.happy-header +||clenchedyouthmatching.com^ +||porngrey.com/js/KVShare.js +! https://github.com/uBlockOrigin/uAssets/issues/16679 +jpvhub.com##div[style="position: relative; display: flex; flex: 1 1 0%;"] > div[class^="jss"]:has(.exoclick-popunder-trigger) +jpvhub.com##iframe ~ .MuiBox-root +jpvhub.com##.MuiGrid-item div[style^="position"] > div:has-text(Skip Ad) +jpvhub.com##+js(rpnt, script, /.*adConfig.*frequency_period.*/, (async () => {const a=location.href;if(!a.includes("/download?link="))return;const b=new URL(a)\,c=b.searchParams.get("link");try{location.assign(`${location.protocol}//${c}`)}catch(a){}} )();) +otomi-games.com##.otomi-widget +||kaguraserver.com/wp-content/uploads/*-Ad-300- +||kaguraserver.com/wp-content/uploads/*-Ad-728- +givemeaporn.com,pornborne.com##.sources +givemeaporn.com,pornborne.com##.JoinChannel +a-hentai.tv###text-2 +a-hentai.tv##.support-frame +daftsex.net##.videos > div:not([id]) +||pilixiaoshuo.com^ +||kinkbook.com/ad_media/ +fap16.net##.adsplx300 +tktube.com##+js(set, flashvars.adv_pre_vast, '') +! TODO: change to ##+js(aeld, { "type": "click", "pattern": "popMagic", "runAt": "idle" }) +fitnakedgirls.com##+js(nowoif) +javporn.tv##.floating-banner +javporn.tv###text-6 +! https://github.com/uBlockOrigin/uAssets/issues/18408 +! https://www.reddit.com/r/uBlockOrigin/comments/1adfj0a/can_these_site_pop_ups_be_blocked_on_bunkrrsu/ +bunkr.*##+js(aopr, popMagic.init) +bunkr.*,bunkr-albums.io##+js(acs, WebAssembly, Promise) +bunkr.*##^script:has-text(WebAssembly) +||bunkr-cache.se/js/script.js$script,domain=bunkr.* +! https://www.reddit.com/r/uBlockOrigin/comments/1edhikz/need_help_in_blocking_popup_and_ads_on/ +manhwaus.net##.my2023 +! https://github.com/uBlockOrigin/uAssets/issues/25203 +simpcity.su##+js(aeld, , shouldShow) +simpcity.su##.prm-wrapper +simpcity.su##[src="https://simpcity.su/custom/catto.png"] +simpcity.su##.nav-dfake +simpcity.su##.nav-bonga +simpcity.su##.nav-faze +simpcity.su##.nav-tpd +! https://github.com/uBlockOrigin/uAssets/issues/26194 +saint2.cr##+js(acs, WebAssembly, Promise) + +! D4zz-sites +alluretube.com,anyxvideos.com,fetishtube.cc,fucktheporn.com,italianporn.com.es,japanporn.tv,lovefap.com,mommysucks.com,mzansinudes.com,napiszar.com,of-model.com,onlineporn24.com,onlyfansleaks.tv,porntube15.com,pornvdoxxx.com,sexavgo.com,sexdiaryz.*,store-of-beats.ru##+js(acs, decodeURI, decodeURIComponent) +japanporn.tv##+js(acs, Math.floor, ExoLoader) +##div[style^="z-index: 999999; background-image: url(\"data:image/gif;base64,"][style$="position: absolute;"] +.com/f_lo.js|$script,1p +||a.b.napiszar.com^ +||japanporn.tv/rg3y/*$script + +! from pp moved to filters 2020 +yodbox.com##+js(aopr, mm) +9xmovie.*##+js(nowoif) +roms-download.com,roms-hub.com###ads +kingdomfiles.com##.col-sm-12 > li + +! hilltopads-sites +! https://github.com/easylist/easylist/pull/10996/ +10convert.com,besthdgayporn.com,bigojav.com,drivenime.com,fucksporn.com,fullxcinema1.com,gigmature.com,homemoviestube.com,javchill.com,javup.org,kisscos.net,kmansin09.com,leermanga.net,mangamovil.net,naijauncut.com,nudeslegion.com,porn00.org,pornohubonline.com,pornxp.com,sexdiaryz.*,shemaleup.net,tatli.biz,teenager365.com,weloma.*##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +besthdgayporn.com,drivenime.com,javup.org,shemaleup.net##+js(rmnt, script, /popMagic|pop1stp/) +fucksporn.com###FloatingLayer +fucksporn.com##.adv_banners +fucksporn.com##.prefix-player-out +drivenime.com###stickyb + +! AaDetector-sites +123movies-org.*,aniwave.to,gayteam.club,sflix.*##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/11202 +lavanguardia.com##+js(no-xhr-if, notifier) + +! https://github.com/uBlockOrigin/uAssets/issues/11199 +apkowner.org,appsmodz.com##+js(no-xhr-if, googlesyndication) +appsmodz.com##.sticky-ads +appsmodz.com##+js(rc, hidden, button) +appsmodz.com##+js(ra, disabled, button) +appsmodz.com###timer + +! https://github.com/uBlockOrigin/uAssets/issues/11218 +bingotingo.com##+js(rmnt, script, deblocker) +bingotingo.com##+js(no-xhr-if, googlesyndication) +bingotingo.com##+js(nano-sib, counter, , 0.02) +bingotingo.com###please-wait + +! https://github.com/uBlockOrigin/uAssets/issues/11223 +@@||kuronime.tv^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/132871 +||watchporn.to/banners.php +watchporn.to##.table +! https://github.com/uBlockOrigin/uAssets/issues/15390#issuecomment-1293077428 +! https://github.com/AdguardTeam/AdguardFilters/issues/157349 +watchporn.to##+js(set, flashvars.protect_block, '') +watchporn.to##+js(set, flashvars.popunder_url, '') +watchporn.to##[href^="https://go.gkrtmc.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/9448#issuecomment-1006821975 +dotabuff.com##+js(no-fetch-if, ads) +dotabuff.com##.retaliate.mana-void + +! https://github.com/uBlockOrigin/uAssets/issues/11245 +social-unlock.com##+js(set, ad_link, '') + +! mrgay. com popunder, popups, ads +mrgay.com##+js(aopr, mz) +mrgay.com##+js(nowoif) +mrgay.com##.headline.wrapper:has-text(Advertisement) +mrgay.com##.headline.wrapper:has-text(Advertisement) + div +mrgay.com###und_ban +mrgay.com##.video-info > section:has-text(Adv) +mrgay.com##article > .headline:has-text(Suggested) +mrgay.com##article > .headline:has-text(Suggested) + section + +! https://github.com/AdguardTeam/AdguardFilters/issues/106296 +nekolink.site##+js(aopr, __Y) + +! https://github.com/bogachenko/fuckfuckadblock/issues/262 +@@||crackturkey.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/11280 +||revive.3wayint.com^ +cdn.gamemonetize.com###imaContainer + +! https://github.com/uBlockOrigin/uAssets/issues/11279 +! https://github.com/uBlockOrigin/uAssets/issues/25716 +superpsx.com##+js(no-xhr-if, googlesyndication) +superpsx.com##+js(aost, document.getElementById, adsBlocked) +superpsx.com##+js(no-fetch-if, /googlesyndication|doubleclick/, length:10, {"type": "cors"}) +superpsx.com##+js(set, penciBlocksArray, []) +superpsx.com##+js(acs, b2a) +||unactkiosk.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/11282 +so1.asia##+js(nano-stb, , , 0.02) +so1.asia##+js(nano-sib, , , 0.02) +so1.asia##+js(rc, hidden, .panel-body > .text-center > button) +so1.asia##+js(ra, disabled, .panel-body > .text-center > button) +so1.asia##.pietimer + +! https://github.com/uBlockOrigin/uAssets/issues/11288 +*$image,redirect-rule=2x2.png,domain=searchenginereports.net +searchenginereports.net##[id^="adboxx"] + +! https://github.com/uBlockOrigin/uAssets/issues/11294 +osmanonline.co.uk##.is-sticky +osmanonline.co.uk##.adfoxly-wrapper +osmanonline.co.uk##+js(acs, $, modal-window) + +! https://github.com/uBlockOrigin/uAssets/issues/11296 +quizack.com##+js(no-fetch-if, googlesyndication) +quizack.com##+js(nano-stb, isScrexed, 5000) +quizack.com##[class*="_mosori"] + +! https://github.com/uBlockOrigin/uAssets/issues/11297 +netfile.cc##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/11298 +ninja.io##+js(set, App.AdblockDetected, false) + +! https://github.com/uBlockOrigin/uAssets/issues/11301 +@@||niftyfutures.org^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/11307 +goshow.tv##+js(aopr, ExoLoader) + +! https://github.com/uBlockOrigin/uAssets/issues/11322 +! https://github.com/uBlockOrigin/uAssets/issues/12229 +cocomanga.com##+js(aeld, load, popMagic) +@@||cocomanga.com^$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/11320 +primeos.in##.elementor-popup-modal +primeos.in##body:style(overflow: auto !important;) +||primeos.in/wp-content/uploads/*/Sidebar-Ad*$image + +! https://github.com/AdguardTeam/AdguardFilters/issues/53692 +! https://github.com/uBlockOrigin/uAssets/issues/11324 +sarapbabe.com##+js(acs, document.querySelector, _0x) +sarapbabe.com##+js(aopr, decodeURI) +@@||sarapbabe.com^$ghide +sarapbabe.com##.has-text-danger +sarapbabe.com##.navbar-start > a.navbar-item:nth-of-type(4) +sarapbabe.com##.porn_sites_list +sarapbabe.com##.is-3.column + +! https://github.com/uBlockOrigin/uAssets/issues/11328 +integral-calculator.com##+js(aopr, fallbackAds) + +! https://github.com/uBlockOrigin/uAssets/issues/11333 +victor-mochere.com##+js(nostif, ai_) + +! buondua.com leftover +buondua.com##.main-body > div > div[class]:not([class^="item"]):not([class^="article"]):has-text(/^Sponsored ads$/) +buondua.com##.main-body div[class]:has(> .adsbyexoclick) +buondua.com##.pagination + br + div[class] +buondua.com##div[class*="article"] > div:not([class]) > div[class]:has-text(/^Sponsored ads$/) + +! https://github.com/uBlockOrigin/uAssets/issues/11352 +! https://github.com/AdguardTeam/AdguardFilters/issues/113148 +! https://github.com/AdguardTeam/AdguardFilters/issues/132014 +1apple.xyz###wpsafe-generate, #wpsafe-link:style(display: block !important;) +1apple.xyz##div[id^="wpsafe-wait"] +@@||webhostingpost.com^$ghide +webhostingpost.com###overlay +best-cpm.com,webhostingpost.com##+js(nowoif) +webhostingpost.com##+js(acs, $, modal) +webhostingpost.com##iframe[src="about:blank"] + +! https://github.com/uBlockOrigin/uAssets/issues/11353 +||rat.xxx/xdman/* +rat.xxx##+js(aopr, popns) +rat.xxx##+js(acs, document.write, iframe) + +! https://github.com/uBlockOrigin/uAssets/issues/11366 +@@||lablue.de^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/8359 +! https://github.com/uBlockOrigin/uAssets/issues/11373 +! https://github.com/uBlockOrigin/uAssets/issues/14461 +sourceforge.net##+js(set, SF.adblock, true) +sourceforge.net##+js(nano-stb) +sourceforge.net##.can-truncate +sourceforge.net###mirror +sourceforge.net###nels +||a.slashdotmedia.com^ + +! https://www.reddit.com/r/uBlockOrigin/comments/s7cjut/antiad_block_on_this_website/ +brizzynovel.com##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/11357 +nova.cz##div.vjs-marker-ad +! https://github.com/AdguardTeam/AdguardFilters/issues/159445 +||ads-twitter.com^$frame,redirect-rule=noopframe,domain=media.cms.nova.cz +! Slow starting +media.cms.nova.cz##+js(nano-stb, () => n(t), *) + +! https://github.com/uBlockOrigin/uAssets/issues/11387 +! https://github.com/AdguardTeam/AdguardFilters/issues/113426 +wplink.*##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/11390 +samfirms.com##+js(set, startfrom, 0) + +! https://www.reddit.com/r/uBlockOrigin/comments/s8dxnp/adshares_is_using_blockchain_to_bypass_adblockers/ +lbprate.com##^script:has-text(Math.imul) +lbprate.com##+js(acs, Math.imul) +lbprate.com##[id^="Ad"] + +! https://github.com/uBlockOrigin/uAssets/issues/9932 +cefirates.com##.most-top-bar + +! https://twitter.com/CyderChillin/status/1484217787098669057 +||geoplugin.net^$xhr,redirect-rule=noop.txt,domain=taotronics.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/107600 +||raw.githack.com/*/SpiderBlogging/main/antiadblock/$3p + +! https://github.com/uBlockOrigin/uAssets/issues/11413 +virpe.cc##+js(acs, document.write) + +! https://github.com/uBlockOrigin/uAssets/issues/11424 +suzihaza.com##+js(aopr, __Y) + +! https://forums.lanik.us/viewtopic.php?p=162925#p162925 +||static.sunmedia.tv/AdBlockDetection/$script + +! https://www.reddit.com/r/uBlockOrigin/comments/sa1487/create_filter_to_run_across_all_pages_of_a_domain/ +freecoursesites.com##+js(acs, eval, replace) +freecoursesites.com##.herald_adsense_widget + +! https://github.com/uBlockOrigin/uAssets/issues/11437 +derivative-calculator.net##+js(aopr, fallbackAds) + +! https://github.com/uBlockOrigin/uAssets/issues/11443 +! https://github.com/AdguardTeam/AdguardFilters/issues/108210 +! https://github.com/AdguardTeam/AdguardFilters/issues/108330 +! https://github.com/AdguardTeam/AdguardFilters/issues/108435 +apkandroidhub.in,babymodz.com,deezloaded.com,mad.gplpalace.one,studyis.xyz##+js(no-fetch-if, googlesyndication) +apkandroidhub.in,babymodz.com##.g-recaptcha:style(margin-top:60px !important) +babymodz.com###footer #wpsafe-link:style(display: block !important;) +apkandroidhub.in,babymodz.com,deezloaded.com,mad.gplpalace.one,studyis.xyz###wpsafe-generate:style(display: block !important;) +apkandroidhub.in,babymodz.com,deezloaded.com,mad.gplpalace.one,studyis.xyz##div[id^="wpsafe-wait"] +apkandroidhub.in,deezloaded.com,mad.gplpalace.one,studyis.xyz###wpsafe-link:style(display: block !important;) +rocklink.in##+js(set, blurred, false) +techyreviewx.com##+js(nano-sib, timer, 1800) +! https://github.com/uBlockOrigin/uAssets/issues/16237 +techyreviewx.com##.get-link:remove-attr(disabled) +techyreviewx.com##.get-link:remove-class(disabled) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/1943 +! https://github.com/uBlockOrigin/uAssets/issues/14003 +@@||noviny.sk^$xhr,1p +*$frame,domain=noviny.sk,redirect-rule=noopframe + +! piracy.moe ads +piracy.moe##main > h2:nth-of-type(1):has-text(Sponsored) +piracy.moe##[class*="Card_sponsored__"] +piracy.moe##[class^="SupportBanner_banner__"] + +! https://github.com/uBlockOrigin/uAssets/issues/15392 +digminecraft.com##div > [id$="_slot"]:upward(div) + +! https://forums.lanik.us/viewtopic.php?t=47826-himovies-to +rabbitstream.net##+js(set, console.clear, undefined) +himovies.*##+js(nowoif) +||i.imgur.com/*.gif$image,domain=rabbitstream.net + +! pastemytxt.com popup, ad +||pastemytxt.com/downloadad.jpg +||imgbox.com^$domain=pastemytxt.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/108235 +hispasexy.org##+js(acs, decodeURI, decodeURIComponent) +hispasexy.org##+js(aopr, _cpp) +hispasexy.org##+js(aopr, popns) + +! https://github.com/AdguardTeam/AdguardFilters/issues/108205 +mp3juices.yt##+js(nowoif, !ytcutter.net) + +! https://github.com/uBlockOrigin/uAssets/issues/11473 +@@||plg.ovakode.com^$ghide +plg.ovakode.com##ins.adsbygoogle +plg.ovakode.com##.x300bnx + +! https://github.com/uBlockOrigin/uAssets/issues/11480 +javplaya.com##+js(aopr, __Y) + +! https://github.com/AdguardTeam/AdguardFilters/commit/f73e930289cf09ceff902f7c71f42781551dfaaa +javfindx.com###previewBox +mycloudzz.com##+js(aopr, __Y) +||javfindx.com/sw.js + +! https://www.reddit.com/r/uBlockOrigin/comments/sdowvy/masterduelmeta_and_duelinksmeta_adblock_popups/ +masterduelmeta.com##:xpath('//*[contains(text(),"allow ads")]'):upward(3) +masterduelmeta.com##html,body:style(overflow: auto !important;) +*$xhr,redirect-rule=nooptext,domain=masterduelmeta.com + +! https://github.com/uBlockOrigin/uAssets/issues/11493 +! https://github.com/uBlockOrigin/uAssets/issues/16027 +@@||delfi.lv^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/11500 +gcertificationcourse.com##+js(acs, eval, replace) +gcertificationcourse.com##[id*="PAds_"] +gcertificationcourse.com##[id*="PAds-"] +gcertificationcourse.com##+js(no-xhr-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/11503 +@@||getfree.co.in^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/11505 +sampledrive.in##+js(acs, eval, replace) +sampledrive.in###block-4 +sampledrive.in###block-6 +*$script,3p,redirect=noop.js,domain=sampledrive.in|shorttrick.in +! https://www.reddit.com/r/uBlockOrigin/comments/17ux6t3/ublock_is_not_able_to_block_ads_on_this_website/ +sampledrive.in##+js(acs, document.createElement, onerror) +shorttrick.in###wpsafe-generate, #wpsafe-link:style(display: block !important;) +@@||shorttrick.in^$ghide +||sampledrive.in/wp-content/uploads/*.js?ver=$script,1p +sampledrive.in##+js(aeld, DOMContentLoaded, adsSrc) +sampledrive.in##+js(aost, document.getElementById, adsBlocked) +shorttrick.in##+js(aost, fetch, https) +shorttrick.in##+js(aopr, checkAdsStatus) + +! https://github.com/uBlockOrigin/uAssets/issues/11511 +projectfreetv.one##+js(set, console.clear, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/11509 +diglink.blogspot.com##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/11513 +re.two.re##+js(nostif, getComputedStyle, 250) +re.two.re##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/11516 +gamingvital.com##+js(acs, decodeURIComponent, ai_) +gamingvital.com###tdi_132 + +! https://github.com/AdguardTeam/AdguardFilters/issues/108686 +blindhypnosis.com##.abcd +blindhypnosis.com##.asdf:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/11528 +javpoll.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/11527 +vivercomsaude.online##.demand-supply + +! https://github.com/uBlockOrigin/uAssets/issues/11522 +pornoborshch.com##+js(ra, onclick) +pornoborshch.com##.on-player-wrap3 + +! https://github.com/uBlockOrigin/uAssets/issues/11551 +btcadspace.com##+js(acs, document.getElementById, AdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/11558 +@@||seopolarity.com^$ghide +seopolarity.com##ins.adsbygoogle +seopolarity.com##.sidebar_adds + +! https://www.reddit.com/r/uBlockOrigin/comments/sjeu10/adblock_detected/ +mmorpg.org.pl##+js(no-fetch-if, wtg-ads) +mmorpg.org.pl##div.bABcMb.sc-5odcub-0 + +! https://github.com/uBlockOrigin/uAssets/issues/11566 +hostmath.com##+js(set, canRunAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/11570 +playmyopinion.com##+js(acs, $, modal) + +! https://github.com/uBlockOrigin/uAssets/issues/11581 +foodsdictionary.co.il##+js(no-xhr-if, /ad-) + +! https://github.com/uBlockOrigin/uAssets/issues/11591 +mcleaks.net##+js(aeld, np.detect) +mcleaks.net##div.col-lg-12[style="margin-bottom: 30px;"] + +! https://www.reddit.com/r/uBlockOrigin/comments/skm8da/httpspherotruthcom_anti_adblocker_enabled/ +pherotruth.com##+js(acs, setTimeout, void 0) + +! https://github.com/uBlockOrigin/uAssets/issues/11605 +exey.app##+js(aost, document.getElementById, disable) + +! https://github.com/AdguardTeam/AdguardFilters/issues/109367 +*$xhr,redirect-rule=nooptext,domain=stol.it + +! https://github.com/uBlockOrigin/uAssets/issues/11613 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=yhocdata.com +yhocdata.com##+js(nano-stb, /__ez|window.location.href/, *) + +! https://github.com/AdguardTeam/AdguardFilters/issues/109397 +@@||base64.online/ads.txt + +! https://www.reddit.com/r/uBlockOrigin/comments/sk2blw/how_to_not_open_some_warns_because_a_filter/ +rapelust.com##+js(set, D4zz, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/11625 +logikfx.com##.wix-blog-print-in-full-width[data-testid="mesh-container-content"] > div[class^="_"] > div[style="padding-left: 30px;"] +logikfx.com##p[style="font-size:12px; text-align:center;"] > span:has-text(Advertisement) +logikfx.com##section.wix-blog-hide-in-print p[style="font-size:12px; text-align:center;"] > span:has-text(Advertisement):upward(section) +logikfx.com##div[style="width:740px"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/109615 +javplay.me##+js(aopr, popns) + +! note.sieuthuthuat.com anti-adb +note.sieuthuthuat.com##+js(set, isAdBlockActive, false) + +! https://github.com/uBlockOrigin/uAssets/issues/11637 +tutorialspots.com##+js(nowoif) + +! https://forums.lanik.us/viewtopic.php?t=47286 +myflixertv.to##.modal +myflixertv.to##.modal-backdrop + +! https://github.com/uBlockOrigin/uAssets/issues/11646 +! https://github.com/uBlockOrigin/uAssets/issues/13928 +! https://github.com/uBlockOrigin/uAssets/issues/15413 +etsy.com##body.no-touch li.wt-list-unstyled div.v2-listing-card__info > div.wt-text-caption.wt-text-grey > span:not(.wt-icon):not([aria-role]):matches-css(display:inline-block):has-text(/^Ad/i):upward(li):remove() +etsy.com##li:not(#ad-ubo) .listing-link[href*="ref=sc_gallery"]:upward(li) +! https://github.com/uBlockOrigin/uAssets/issues/24545 +www.etsy.com##[data-results-grid-container] > li > div:not([data-appears-event-data*="listing_ids"]):not([data-appears-component-name="search2_organic_listings_group"]) + +! https://github.com/uBlockOrigin/uAssets/issues/11648 +techhelpbd.com##+js(nano-sib, counter--) +techhelpbd.com##.THBD-Ads +techhelpbd.com##.pum-overlay +techhelpbd.com##html:style(overflow: auto !important) +! https://github.com/AdguardTeam/AdguardFilters/issues/145843 +techhelpbd.com##+js(no-xhr-if, /doubleclick|googlesyndication/) +techhelpbd.com##+js(noeval-if, show) + +! https://github.com/uBlockOrigin/uAssets/issues/11650 +hackingfather.com##+js(acs, $, test) + +! https://github.com/uBlockOrigin/uAssets/issues/11651 +*$script,redirect-rule=noopjs,domain=pinoyfaucet.com +pinoyfaucet.com##+js(no-fetch-if, /^/) +pinoyfaucet.com###wcfloatDiv4 + +! https://github.com/uBlockOrigin/uAssets/issues/11652 +phica.net##.overlay +phica.net##.overlay-container +phica.net##body:style(overflow:auto !important) +phica.net##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/109767 +javleaked.com,pornhole.club##+js(aopr, __Y) + +! https://github.com/AdguardTeam/AdguardFilters/issues/109826 +jvembed.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/11657 +drydenwire.com##.modal +drydenwire.com##.modal-backdrop +drydenwire.com##[data-track-category="Sponsors"] +drydenwire.com##.promogrid + +! https://github.com/uBlockOrigin/uAssets/issues/11667 +chillx.top##+js(nowoif, !/d/) +chillx.top,playerx.stream##+js(aeld, click, Popup) +chillx.top###theotherads +chillx.top##[style][href][target="_blank"] +! https://www.reddit.com/r/uBlockOrigin/comments/12vtfx7/ +chillx.top##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/1905#issuecomment-1033865488 +! https://github.com/uBlockOrigin/uAssets/issues/12687 +! https://github.com/uBlockOrigin/uAssets/issues/18953 +! https://www.reddit.com/r/uBlockOrigin/comments/1508u8i/ublockorigin_isnt_blocking_adds_on_bannedvideo/ +banned.video,madmaxworld.tv##+js(set, Object.prototype.ads.nopreroll_, true) + +! https://github.com/uBlockOrigin/uAssets/issues/12968 +! https://github.com/uBlockOrigin/uAssets/issues/13806 +faselhd.*##.alert-danger.alert +faselhd.*###popup + +! https://github.com/uBlockOrigin/uAssets/issues/11677 +@@||mittelhessen.de^$ghide +mittelhessen.de##[class*="banner"] +mittelhessen.de##[class*="Banner"] +mittelhessen.de##.adSlot + +! https://www.reddit.com/r/uBlockOrigin/comments/spykj6/getcopynet_adblock_detected_and_ads/ +getcopy.link##+js(aopr, lck) +getcopy.link##+js(refresh-defuser) + +! https://github.com/AdguardTeam/AdguardFilters/issues/110128 +rule34porn.net##+js(acs, Math.random, ExoLoader) +rule34porn.net##+js(aopr, decodeURI) +rule34porn.net##+js(nostif, showModal) +! https://github.com/uBlockOrigin/uAssets/issues/24688 +rule34porn.net##+js(no-fetch-if, /ad-provider) + +! https://github.com/uBlockOrigin/uAssets/issues/11697 +largescaleforums.com##+js(nostif, ).show()) + +! https://github.com/uBlockOrigin/uAssets/issues/11698 +crunchyscan.fr##.col-sm-8.col-md-8.main-col > .c-sidebar +crunchyscan.fr##.widget_custom_html +*$script,redirect-rule=noopjs,domain=crunchyscan.fr +crunchyscan.fr##+js(aopr, open) + +! 4stream.*, streambee. to popups +4stream.*,streambee.to,streamers.watch##+js(nowoif) +emb.x179759.apl123.me,emb.x187106.apl152.me##+js(nowoif) +emb.x179759.apl123.me,emb.x187106.apl152.me###ads + +! https://www.reddit.com/r/uBlockOrigin/comments/sqymqh/please_fix_those_if_possible/ +! https://github.com/uBlockOrigin/uAssets/issues/16770 +techgeek.digital##+js(aopr, adblockDetector) +techgeek.digital##+js(nowoif) +techgeek.digital##+js(set, blurred, false) +techgeek.digital##.espaciodos +*$script,redirect-rule=noopjs,domain=gainbtc.click|multiclaim.net|proinfinity.fun +multiclaim.net###wcfloatDiv4 +multiclaim.net##.home_banner +gainbtc.click##ins[class][style="display:inline-block;width:728px;height:90px;"] +||raw.githubusercontent.com/expertad^$3p +||firebasestorage.googleapis.com/v0/b/gosyndication.appspot.com^ +||gainbtc.click^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/110300 +! https://github.com/AdguardTeam/AdguardFilters/issues/110301 +bestpornflix.com,4porn4.com##.table + +! megafilmeseseriesonline. com + player megafilmeshdonline. org popups +megafilmeshdonline.org##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/12476 +beastx.top,playerx.stream###theotherads +beastx.top,playerx.stream##+js(nowoif, !/d/) +playerx.stream##[style][href]:upward([style]) + +! https://github.com/uBlockOrigin/uAssets/issues/11730 +supersextube.pro##+js(nowoif) +supersextube.pro##.ad + +! https://github.com/uBlockOrigin/uAssets/issues/11733 +! https://github.com/uBlockOrigin/uAssets/issues/12249 +h-flash.com##+js(nowoif) +@@||h-flash.com^$ghide +h-flash.com##[href^="https://chaturbate.com/in/"] +h-flash.com###topzone +*$popunder,domain=h-flash.com +*$frame,redirect-rule=noopframe,domain=h-flash.com +h-flash.com##[href^="https://t.aagm.link/"] +h-flash.com#@#.google-ads +||imobileporn.com/premium/ +||h-flash.com/data/image/mcs/chat*$image,1p +||h-flash.com/data/image/mcs/*.gif$image,1p +||h-flash.com/data/image/candyai/$frame,1p +||mediacandy.ai^$3p +h-flash.com##div[style$="overflow:hidden"]:has(> a[alt="CandyAI"]) +h-flash.com##a[style*="/data/image/mcs/chat"] +h-flash.com##.pagebody:style(height: auto !important;) +! https://github.com/uBlockOrigin/uAssets/commit/dcd5fcf830d0f2e5603b3eea77bf229d68086974#commitcomment-138758513 +h-flash.com##div[id^="randomzone"] + +! https://www.reddit.com/r/uBlockOrigin/comments/ssvdg9/adblock_diagnosis/ +||gratisbitcoin.my.id^$3p +clickscoin.com##.d-sm-block.d-none +clickscoin.com##a[href^="https://albeitinflame.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/11743 +milf300.com##.bottom_space +milf300.com##.container > .text-center[style="height: 100px;"] +milf300.com##div[style="width: 300px;height: 250px;"] +milf300.com##div[style="width: 300px; height: 250px;"] + +! https://github.com/bogachenko/fuckfuckadblock/issues/269 +safe.elektroupdate.com#@#ins.adsbygoogle[data-ad-slot] +safe.elektroupdate.com#@#ins.adsbygoogle[data-ad-client] +safe.elektroupdate.com##.adsbygoogle:style(height: 1px !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/110510 +eroticity.net##+js(aopr, loadTool) +||eroticity.net/clientscript/popcode_ +||eroticity.net/clientscript/poptrigger_ + +! https://github.com/uBlockOrigin/uAssets/issues/11746 +live.dragaoconnect.net###yx-sli1 +live.dragaoconnect.net###yx-sli2 +live.dragaoconnect.net##a[href^="ad/link.php"] +live.dragaoconnect.net##+js(nostif, 0x) +live.dragaoconnect.net##+js(nosiif, 0x) + +! https://github.com/uBlockOrigin/uAssets/issues/11754 +dev2qa.com##+js(acs, decodeURIComponent, ai_) + +! https://github.com/FastForwardTeam/FastForward/issues/354 +ponselharian.com##+js(nowoif) +||ponselharian.com/img/download_ + +! nsfw fullxxxporn. net popups +fullxxxporn.net##+js(aopr, decodeURI) + +! https://www.reddit.com/r/uBlockOrigin/comments/sufkbi/ad_blocker_detected_on_plagiarism_detector/ +check-plagiarism.com##[id^="topads_"] + +! cine. to popups +cine.to##+js(aeld, , /open.*_blank/) + +! https://github.com/uBlockOrigin/uAssets/issues/11779 +thebharatexpressnews.com##+js(aopr, b2a) + +! https://www.reddit.com/r/uBlockOrigin/comments/suuxzs/hakienet/ +hakie.net##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/110867 +jav247.top##+js(aopr, __Y) + +! vtube .to/vtplay .net ads +vtube.to##+js(nowoif) +vtube.to##+js(acs, RegExp, debugger) +vtube.to##+js(aeld, popstate) +vtube.to,vtplay.net##+js(set, D4zz, noopFunc) +/vtu_*.js$script,domain=vtbe.*|vtube.to|vtube.network|vtplay.net|vtplayer.net +||flirtmeet.life^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/svkkgn/anti_adblock_on_website_98zerocom_how_can_i_solve/ +98zero.com##+js(aopr, adBlockDetected) + +! ninjashare. to ads/popups +ninjashare.to##+js(aopr, console.clear) + +! vumoo.cc fake player +vumoo.cc##+js(ra, href, #clickfakeplayer) +vumoo.cc###fakeplayer +vumoo.cc##a.btn-adv.btn + +! https://github.com/AdguardTeam/AdguardFilters/issues/110896 +fashionunited.*##.adunitContainer:upward(3) + +! https://github.com/uBlockOrigin/uAssets/issues/11807 +jugomobile.com##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/11813 +m.liputan6.com##+js(aeld, scroll) + +! papunika. com anti adb +papunika.com##+js(nostif, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/11819 +basic-tutorials.de##+js(aopr, advanced_ads_ready) + +! xxxvideohd.net popup +||xxxvideohd.net/js/main.course.js +||xxxvideohd.net/js/sellito.js + +! https://ca123movies.com/spider-man-2021/ popup +vidplaystream.top##+js(nowoif) +vidplaystream.top##div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"] +nashstream.top##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/11830 +*$xhr,redirect-rule=noop.txt,domain=thingiverse.com + +! https://github.com/uBlockOrigin/uAssets/issues/11841 +! https://github.com/uBlockOrigin/uAssets/issues/12720 +coverapi.store,tenies-online.*##+js(aopr, mm) +tubeload.co##+js(nowoif) +coverapi.store##.close00 +! https://github.com/uBlockOrigin/uAssets/issues/25220 +@@||coverapi.store^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/11847 +*$script,redirect-rule=noopjs,domain=mrlabtest.com + +! https://github.com/bogachenko/fuckfuckadblock/issues/273 +infinityblogger.in##+js(acs, eval, replace) + +! health-and.me anti-adb, timer https://foofly.xyz/EYwC +! https://github.com/uBlockOrigin/uAssets/issues/12331 +health-and.me##+js(acs, document.addEventListener, google_ad_client) +health-and.me##^script:has-text(google_ad_client) +forexeen.us,health-and.me##+js(nano-sib, counter) +forexeen.us##+js(nostif, getComputedStyle) + +! https://github.com/uBlockOrigin/uAssets/issues/11861 +magdownload.org##+js(nostif, _0x) +magdownload.org##.home-jumbotron + +! https://github.com/uBlockOrigin/uAssets/issues/11866 +*$script,domain=multiclaim.net,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/11868 +prepostseo.com##+js(acs, loadAdBlocker) +prepostseo.com##+js(no-fetch-if, googlesyndication) +prepostseo.com###top-head-ad +prepostseo.com###after_button_ad_desktop_2 +prepostseo.com###after_title_ad +prepostseo.com###after_title_ad_2 +prepostseo.com###above_button_ad +prepostseo.com###sidebar_ad_big +prepostseo.com###floorad-wrapper +prepostseo.com##div[id^="bsa-zone_"] +prepostseo.com##span:has-text(ADVERTISEMENT) + +! https://github.com/uBlockOrigin/uAssets/issues/11882 +bluemoon-mcfc.co.uk##div.stickyContainer +bluemoon-mcfc.co.uk##[id^="snack_"] + +! https://github.com/uBlockOrigin/uAssets/issues/11889 +worldtravelling.com##+js(nostif, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/11896 +order-order.com##+js(acs, Math.random, bait) +order-order.com###stickyfooterad + +! https://github.com/uBlockOrigin/uAssets/issues/11905 +cacfutures.org,comexlive.org,daxfutures.org,dollarindex.org,dowfutures.org,ftsefutures.org,mcxlive.org,nasdaqfutures.org,ncdexlive.org,niftyfutures.org,nikkeifutures.org,sgxnifty.org,spfutures.org##+js(acs, jQuery, "No") +cacfutures.org,comexlive.org,daxfutures.org,dollarindex.org,dowfutures.org,ftsefutures.org,mcxlive.org,nasdaqfutures.org,ncdexlive.org,niftyfutures.org,nikkeifutures.org,sgxnifty.org,spfutures.org##.ads + +! https://github.com/AdguardTeam/AdguardFilters/issues/111313 +huffpost.com##+js(set, HP_Scout.adBlocked, false) + +! https://github.com/uBlockOrigin/uAssets/issues/11920 +! https://github.com/uBlockOrigin/uAssets/issues/19744 +ingles.com,spanishdict.com##+js(set, SD_IS_BLOCKING, false) +ingles.com,spanishdict.com##+js(aeld, , isBlocking) +ingles.com,spanishdict.com###adTopLarge-container +ingles.com,spanishdict.com##[id^="adSide"] +@@||d1q4kshf6f0axi.cloudfront.net/main/prebid-min-2022.js$script,domain=spanishdict.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/111499 +ikuhentai.net##div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/160924 +zeroupload.com##+js(rmnt, script, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/11941 +*$script,redirect-rule=noopjs,domain=vimm.net + +! https://github.com/uBlockOrigin/uAssets/issues/10053 +surfline.com##+js(nano-stb, adFreePopup, 15000, 0.02) +surfline.com##+js(set, Object.prototype.isPremium, true) +! https://github.com/uBlockOrigin/uAssets/issues/11965 +! https://github.com/uBlockOrigin/uAssets/issues/19787 +*$script,domain=surfline.com,redirect-rule=noopjs +surfline.com##+js(set, __BACKPLANE_API__.renderOptions.showAdBlock, '') +surfline.com#@#.ad-box:not(#ad-banner):not(:empty) +! https://www.reddit.com/r/uBlockOrigin/comments/1b7o7gi/im_seeing_ads_on_surflinecom/ +surfline.com##+js(aeld, timeupdate, , elements, .quiver-cam-player--ad-not-running.quiver-cam-player--free video) +||cdn-surfline.com/*/preroll_$image,3p,domain=surfline.com +||cdn-surfline.com/*/preroll_$media,3p,redirect=noopmp3-0.1s,domain=surfline.com + +! NSFW faps. club - popunder +faps.club##+js(acs, onload, open) + +! https://github.com/uBlockOrigin/uAssets/commit/a6701616d4eb736af311a991f8676fb2fdebe6fd#commitcomment-67733282 +aspdotnet-suresh.com,tudo-para-android.com,urdulibrarypk.blogspot.com##+js(aeld, load, onload) +*.png#$image,redirect-rule=1x1.gif +*.gif#$image,redirect-rule=1x1.gif +*.jpg#$image,redirect-rule=1x1.gif +*.svg#$image,redirect-rule=1x1.gif + +! thedigitalfix .com PH +! https://github.com/uBlockOrigin/uAssets/issues/16826 +thedigitalfix.com###nn_bfa_wrapper:remove() +thedigitalfix.com##+js(nosiif, debug) +thedigitalfix.com##.sticky_rail600:remove() + +! moviewatchonline. com.pk ads +moviewatchonline.com.pk##+js(aopw, atOptions) +moviewatchonline.com.pk##[href^="https://angularconstitution.com/"] +moviewatchonline.com.pk##[href*="?key="] + +! https://github.com/uBlockOrigin/uAssets/issues/12005 +||bigpixel.cn/libs/plugins/blocker.js^ +bigpixel.cn##.portal_ad + +! nsfw hdvideosporn. com popups +hdvideosporn.com##+js(aopr, decodeURI) + +! uptobhai. com/info ads +||uptobhai.*^$csp=default-src 'self' *.favicon.cc *.google.com *.gstatic.com *.googleapis.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/115182 +masahub.net##+js(aopr, decodeURI) +masahub.net##+js(aopr, mm) +masahub.net##+js(aeld, , _0x) +||gifyu.com/*.gif$image,domain=masahub.net + +! https://github.com/easylist/easylist/pull/11128/ +striptube.net##+js(aopr, loadTool) + +! https://github.com/AdguardTeam/AdguardFilters/issues/111673 +dulichkhanhhoa.net,noithatmyphu.vn##+js(no-fetch-if, googlesyndication) +dulichkhanhhoa.net,noithatmyphu.vn###wpsafe-generate:style(display: block !important;) +dulichkhanhhoa.net,noithatmyphu.vn###wpsafe-link:style(display: block !important;) +dulichkhanhhoa.net,noithatmyphu.vn##div[id^="wpsafe-wait"] + +! https://github.com/uBlockOrigin/uAssets/issues/12037 +chiangraitimes.com##+js(acs, eval, replace) + +! exo ads +desixxxtube.org,dirtyindianporn.*,freeindianporn2.com,indianpornvideos.*,kashtanka.*,kashtanka2.com,kompoz2.com,onlyindianporn.*,pakistaniporn2.com,porno18.*,xxnx.*,xxxindianporn.*##+js(aopr, exoJsPop101) +xxxhdvideo.*##+js(aopr, decodeURI) +indianporn365.net##+js(acs, document.createElement, 'script') +||dirtyindianporn.info/js/friends.sv.js +||pakistaniporn2.com/js/friends.minz.js + +! amateur-couples.com,slutdump.com popunder, ads +amateur-couples.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +amateur-couples.com,slutdump.com##+js(set, dclm_ajax_var.disclaimer_redirect_url, '') + +! https://github.com/uBlockOrigin/uAssets/issues/12057 +learnmania.org##+js(acs, $, RegExp) +@@||learnmania.org^$ghide +@@||learnmania.org/js/*.js?_v=$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/12063 +boombj.com##+js(aost, Math, _0x) +||easyads29.*^ + +! xxxextreme.org popup +xxxextreme.org##+js(aeld, getexoloader) + +! anti adb uploadmx. com +! https://github.com/uBlockOrigin/uAssets/issues/13605 +@@||uploadmx.com^$ghide +uploadmx.com##ins.adsbygoogle + +! https://github.com/easylist/easylist/pull/11177 +whcp4.com##+js(nowoif) + +! download3s.net focus detection +download3s.net##+js(set, blurred, false) + +! desitelugusex. com ads +desitelugusex.com##+js(set, D4zz, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/112293 +! https://github.com/uBlockOrigin/uAssets/issues/14527 +aresmanga.com##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/112280 +||doubleclick.net^$xhr,redirect-rule=nooptext,domain=soccerstreams-100.* + +! https://github.com/AdguardTeam/AdguardFilters/issues/112322 +mobilanyheter.net##+js(nostif, ai_) + +! https://github.com/uBlockOrigin/uAssets/issues/4574#issuecomment-1062577877 +! a8ix .live/atishmkv aliases +||rotf.lol^ +a8ix.*,atishmkv.*,mkv.*##.idmuvi-bannerplayer +a8ix.*,atishmkv.*,mkv.*##.idmuvi-center-ads +a8ix.*,atishmkv.*##.idmuvi-topbanner-aftermenu +a8ix.*,atishmkv.*##.inner-floatbanner-bottom +a8ix.*,atishmkv.*##.idmuvi-footerbanner +a8ix.*,atishmkv.*###custom_html-21 + +! flixtor. stream ads +flixtor.stream##+js(nowoif) + +! https://github.com/easylist/easylist/pull/11213 +xcity.org##+js(aopr, loadTool) +xcity.org##+js(set-cookie, popunder, 1) + +! https://github.com/AdguardTeam/AdguardFilters/issues/111775 +portaliz.site##+js(no-xhr-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/11577 +! https://github.com/uBlockOrigin/uAssets/issues/12163 +! Counter ads and requests inside doubleclick. net iFrames (general fix) +googleads.g.doubleclick.net###google-center-div +googleads.g.doubleclick.net###abgc +googleads.g.doubleclick.net##html[i-amphtml-no-boilerplate][amp4ads][class="i-amphtml-inabox"] +googleads.g.doubleclick.net###mys-wrapper +googleads.g.doubleclick.net##.jar +*$domain=googleads.g.doubleclick.net + +! https://github.com/AdguardTeam/AdguardFilters/issues/108660 +stringreveals.com##+js(no-xhr-if, googlesyndication) + +! mavavid. com popups +mavavid.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/2041 +porn-images-xxx.com###display_image_detail > span + +! dvdplay. guru|sbs popups +*$script,3p,domain=dvdplay.* +dvdplay.*##+js(set, D4zz, noopFunc) +dvdplay.*##^script[data-cfasync]:has-text(decodeURIComponent) + +! https://github.com/AdguardTeam/AdguardFilters/issues/109246 +flinsetyadi.com##+js(aopr, ai_run_scripts) + +! xnxx-downloader - qqxnxx popups +qqxnxx.com,xnxx-downloader.net##+js(aopr, decodeURI) + +! https://github.com/uBlockOrigin/uAssets/issues/12191 +@@||dubznetwork.com^$ghide +dubznetwork.com##+js(acs, $, adb-btn) +dubznetwork.com##+js(nostif, , 1000) +dubznetwork.com##+js(acs, eval, replace) +dubznetwork.com##.aoa_overlay:style(height: 0px !important) +dubznetwork.com##[class^="clpr-emre"] +dubznetwork.com###id-custom_banner +@@||cricketgames.club^$ghide +@@||dubznetwork.com^$css,1p +@@||dubsmovies.cc^$ghide +! https://github.com/AdguardTeam/AdguardFilters/issues/181781 +@@||tapisa.online^$ghide +tapisa.online##.aoa_overlay + +! https://github.com/AdguardTeam/AdguardFilters/issues/112631 +acervodaputaria.com.br##+js(acs, decodeURI, decodeURIComponent) + +! NSFW comicspornow. com popup +comicspornow.com##+js(aopr, decodeURI) +||comicspornow.com/*.php$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/12208 +diampokusy.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/12210 +@@||shortx.net^$ghide +shortx.net##+js(aeld, load, nextFunction) +shortx.net##+js(set, blurred, false) + +! mmopeon.ru popup +mmopeon.ru##+js(acs, decodeURI, decodeURIComponent) + +! needrombd.com +needrombd.com##+js(acs, eval, replace) + +! teluguonlinemovies. me popups +teluguonlinemovies.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/pull/12232 +! https://galaxyfirmware.org/model/SM-T517/TUR/T517JXU8CVB1 +galaxyfirmware.*#@#.textad + +! https://www.reddit.com/r/uBlockOrigin/comments/tcf6ei/is_there_a_way_to_block_the_norton_browser/ +norton.com##+js(window-close-if, /protect?) + +! https://www.reddit.com/r/uBlockOrigin/comments/te2pme/playtv3lv_detects_adblock/ +! https://github.com/uBlockOrigin/uAssets/issues/22407 +@@||play.tv3.lv^$script,1p +*$image,domain=play.tv3.lv,redirect-rule=1x1.gif +*$script,domain=play.tv3.lv,redirect-rule=noopjs +@@||play.tv3.lt^$script,1p +*$image,domain=play.tv3.lt,redirect-rule=1x1.gif +*$media,domain=play.tv3.lt,redirect=noopmp3-0.1s +*$script,domain=play.tv3.lt,redirect-rule=noopjs +*$image,domain=play.tv3.ee,redirect-rule=1x1.gif +*$script,domain=play.tv3.ee,redirect-rule=noopjs +! https://github.com/uBlockOrigin/uAssets/issues/17994 +! https://github.com/uBlockOrigin/uAssets/issues/19019 +play.tv3.ee,play.tv3.lt,play.tv3.lv,tv3play.skaties.lv##+js(set, Object.prototype.isNoAds, {}) +@@||play.tv3.ee^$script,1p +@@*$ghide,domain=play.tv3.* + +! jalshamoviezhd. beauty ads +jalshamoviezhd.*##[href^="https://usounoul.com/"] + +! dafontvn.com timer +redirect.dafontvn.com##.progress +redirect.dafontvn.com###btngetlink:style(display: inline-block !important) +redirect.dafontvn.com##+js(nano-sib, distance) + +! https://github.com/uBlockOrigin/uAssets/issues/12250 +@@||gsmware.com^$ghide +gsmware.com##.adtester-container +gsmware.com##.HTML.widget .adsbygoogle:upward(.widget) +gsmware.com##.kabaradd +gsmware.com##+js(noeval-if, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/12258 +gamingforecast.com##+js(acs, addEventListener, popunder) + +! https://github.com/uBlockOrigin/uAssets/issues/11370 +! https://poki.jp/g/repuls-io / https://repuls.io/ FREE CRADITS +@@||a.poki.com/prebid/$script,domain=poki-gdn.com|repuls.io +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=poki-gdn.com|repuls.io +@@||g.doubleclick.net/gampad/ads?*&url=https%3A%2F%2Fgames.poki.com$xhr,domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?*&url=https%3A%2F%2Frepuls.io$xhr,domain=imasdk.googleapis.com +||redirector.gvt1.com/videoplayback/id/*/source/gfp_video_ads/$media,redirect=noop-1s.mp4,domain=poki-gdn.com|repuls.io +poki.*##div[class*="_AdvertisementContainer"] +repuls.io###partnerAd_letter +poki.*##div[width="300"][height="250"]:upward(1) +poki.*##div[width="728"][height="90"]:upward(1) +! https://github.com/uBlockOrigin/uAssets/issues/26249 +||ay.delivery/client-v2.js^$script,3p,redirect=noopjs + +! https://github.com/AdguardTeam/AdguardFilters/issues/112991 +prajwaldesai.com##+js(nostif, ai_) +prajwaldesai.com##+js(nostif, site-access) + +! https://github.com/uBlockOrigin/uAssets/issues/12275 +@@||sub-short.link^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/111267 +||vlitag.com^$script,redirect-rule=noopjs,domain=mangasco.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/108552 +downloadr.in##+js(nostif, show) +downloadr.in##+js(nano-stb, countdown) + +! https://github.com/AdguardTeam/AdguardFilters/issues/112977 +@@||urdutimesdaily.com^$ghide + +! https://forums.lanik.us/viewtopic.php?t=47393 +topcomicporno.com##+js(nostif, show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/109878 +! https://github.com/AdguardTeam/AdguardFilters/issues/111629 +bithub.win,freeshib.biz##+js(acs, eval, replace) +bithub.win###wcfloatDiv4 +bithub.win##ins + +! https://github.com/uBlockOrigin/uAssets/issues/12308 +dzeko11.net##+js(nostif, offsetHeight) + +! https://github.com/AdguardTeam/AdguardFilters/issues/110335 +drawize.com##+js(acs, chAdblock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/113195 +@@||mycinema.pro^$ghide +mycinema.pro##[fdo] + +! xvideos-downloader.net popup +xvideos-downloader.net##+js(set, D4zz, noopFunc) +xvideos-downloader.net##+js(aeld, /^(?:load|click)$/, popMagic) + +! https://forum.adguard.com/index.php?threads/resolved-battleplan-news.47051/ +battleplan.news##+js(set, Object.prototype.ads, noopFunc) + +! fotodovana.com timer +model-tas-terbaru.com###wpsafe-generate:style(display: block !important) +model-tas-terbaru.com###wpsafe-link:style(display: block !important) +model-tas-terbaru.com###wpsafe-wait1 +model-tas-terbaru.com###wpsafe-wait2 + +! benzin-preis.ch +@@||benzin-preis.ch^$ghide + +! vidmedia.top popup +vidmedia.top##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/12346 +methodspoint.com##+js(ra, href, [onclick], stay) +saveearning.com##.e3lan +saveearning.com##.theiaStickySidebar + +! cricfree. io / live popups +cricfree.*,cricplay2.*,primetubsub.*,yourtehzeeb.com##+js(nowoif) +primetubsub.*##+js(aopr, AaDetector) +! https://www.reddit.com/r/uBlockOrigin/comments/1ehkxbg/filter_to_block_redirects_on_this_page/ +topembed.pw##+js(rmnt, script, adserverDomain) +*.gif$image,domain=cricfree.* + +! https://github.com/uBlockOrigin/uAssets/issues/12352 +! https://github.com/uBlockOrigin/uAssets/issues/24119 +onlymp3.to##+js(nowoif) +||onlymp3.to/ad_request.js$script,1p,redirect-rule=noopjs +||ublockpop.com^$all +||drectsearch.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/12353 +figurehunter.net##+js(no-fetch-if, google) + +! https://github.com/AdguardTeam/AdguardFilters/issues/105091 +||sumfaucet.com/adblock.php$xhr,redirect-rule=nooptext,1p + +! hindimovies. to propeller ads +hindimovies.to##+js(acs, Math, String.fromCharCode) +hindimovies.to##+js(nowoif) + +! https://github.com/easylist/easylist/pull/11385 /hdmovie2. band etc +hdmovie5.*,hdmovie2.*###clickfakeplayer[href]:remove-attr(href) + +! https://github.com/AdguardTeam/AdguardFilters/issues/108367 +@@||bootdey.com^$ghide +bootdey.com##+js(nostif, offsetHeight) + +! clickyfly.com timer +audiencepool.com,techysnap.com###interstetial-container +audiencepool.com,techysnap.com###wpsafe-time +audiencepool.com,techysnap.com###wpsafe-wait1 +audiencepool.com,techysnap.com###wpsafe-generate:style(display: block !important) +audiencepool.com,techysnap.com###wpsafe-snp:style(display: block !important) +techysnap.com##body:style(overflow: auto !important) + +! mult34. com popunder +mult34.com##+js(aopr, decodeURI) + +! https://github.com/AdguardTeam/AdguardFilters/issues/113478 +valuable.hatenablog.com##+js(acs, document.addEventListener, google_ad_client) + +! www.visflakes.com timer +visflakes.com###wpsafe-generate:style(display: block !important;) +visflakes.com###wpsafe-link:style(display: block !important;) +visflakes.com##div[id^="wpsafe-wait"] + +! cutw.in timer +chooyomi.com##+js(nano-sib, timer) + +! https://github.com/uBlockOrigin/uAssets/issues/12390 +kissasians.org##.btn-success[href*="?key="] +||berangkasilmu.com^$3p + +! https://github.com/easylist/easylist/pull/11409 +! https://github.com/uBlockOrigin/uAssets/issues/14047 +hentaispark.com##+js(aost, Math.random, inlineScript) + +! https://github.com/uBlockOrigin/uAssets/issues/12393 +! https://github.com/uBlockOrigin/uAssets/issues/20408 +journaldemontreal.com,tvanouvelles.ca##+js(no-fetch-if, doubleclick) +journaldemontreal.com##+js(no-xhr-if, doubleclick) +||quebecormedia.com/infojdem/lib/cheezwhiz/$script +||rubiconproject.com^$xhr,3p,redirect-rule=nooptext,domain=journaldemontreal.com +@@||ads.rubiconproject.com/prebid/*_JournalDeMontreal.js$script,3p,domain=journaldemontreal.com +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,3p,domain=journaldemontreal.com +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$script,3p,domain=journaldemontreal.com +journaldemontreal.com###banner +journaldemontreal.com##.bigbox-container + +! jardima.com timer +jardima.com###wpsafe-generate:style(display: block !important;) +jardima.com###wpsafe-link:style(display: block !important;) +jardima.com##div[id^="wpsafe-wait"] +jardima.com##.g1-slideup-wrap + +! https://github.com/uBlockOrigin/uAssets/issues/12396 +! for-ad-inserter-sites +||media.net^$object,redirect-rule=noopjs +||google-analytics.com^$object,redirect-rule=noopjs +||doubleclick.net^$object,redirect-rule=noopjs +||secure.quantserve.com^$object,redirect-rule=noopjs +||amazon-adsystem.com^$object,redirect-rule=noopjs +||ezodn.com^$object,redirect-rule=noopjs + +! https://www.reddit.com/r/uBlockOrigin/comments/tkvtro/foxcom_has_adblock_detector/ +fox.com##+js(no-xhr-if, googlesyndication) +! https://www.reddit.com/r/uBlockOrigin/comments/14cbznu/ +fox.com,foxsports.com##+js(json-prune, ads) +fox.com,foxsports.com##+js(m3u-prune, /\,ad\n.+?(?=#UPLYNK-SEGMENT)/gm, /uplynk\.com\/.*?\.m3u8/) +! https://github.com/uBlockOrigin/uAssets/issues/16990 +||link.theplatform.com/s/*/media/*=m3u&*_webdesktop_vod*$xhr,domain=foxsports.com,removeparam=/^((?!formats|profile).)*$/ +! https://www.reddit.com/r/uBlockOrigin/comments/19bsssp/foxsports_video_interrupted_by_ads +://foxvideo-sports$xhr,3p,removeparam=ad.prof,domain=foxsports.com + +! movieswatch24.pk,watchonlinemovies15.pk popup +movieswatch24.pk,watchonlinemovies15.pk##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/12428 +cue-vana.com##+js(nano-sib, count) + +! https://github.com/uBlockOrigin/uAssets/issues/12430 +@@||wintub.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/12431 +poki-gdn.com##+js(aopr, alert) + +! https://github.com/easylist/easylist/issues/11449 +! uploadingsite. com intermediate ads skip +uploadever.in,uploadingsite.com##+js(acs, getCookie, onload) +||gamezop.com^$frame,3p +||static.gamezop.com/creatives^$image,3p +||uploadingsite.info/sw.js$script,1p +||postimg.cc^$image,domain=uploadingsite.info +uploadever.in##.adownload-button + +! https://www.reddit.com/r/uBlockOrigin/comments/tnow27/adblock_detected_at_chimicamoorg/ +chimicamo.org##+js(no-xhr-if, ads) +chimicamo.org##.widget:has-text(Adv) + +! https://www.reddit.com/r/uBlockOrigin/comments/tns7t8/please_disable_adblocker_message/ +hentaidexy.com##+js(nostif, atob) + +! https://github.com/uBlockOrigin/uAssets/issues/12443 +filmy-hit.stream##.dwn-btn +fiilmy-hit.stream##.btn-dwn:not([href*="Hd?d"]) + +! https://github.com/uBlockOrigin/uAssets/issues/12453 +xhand.com##+js(set, flashvars.adv_start_html, '') +xhand.com##+js(set, flashvars.adv_pause_html, '') +/js/ppndr. + +! rureka. com anti adb +rureka.com##+js(aeld, , $) + +! https://github.com/uBlockOrigin/uAssets/issues/12459 +inwepo.co##+js(aopr, b2a) + +! anti adb initBlocked +! forfun.ist,mayclub.com.tw,sheikhjee.com,hauswirt.com,houseofcharizma.com +||ssl.geoplugin.net/javascript.gp$xhr,redirect-rule=noopjs + +! https://tnlink.in/ZJrz8W timer +earnme.club,jrlinks.in,usanewstoday.club##[id^="tp-wait"] +earnme.club,jrlinks.in,usanewstoday.club###tp-generate,[id^="tp-snp"]:style(display: block !important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/113932 +xxvideoss.net##+js(aopr, BetterJsPop) + +! https://github.com/AdguardTeam/AdguardFilters/issues/113959 +@@||trendyoum.com^$ghide +trendyoum.com###countdown +trendyoum.com###download_link:style(display: inline-block !important) +trendyoum.com##+js(set, countDownDate, 0) +shortawy.com##+js(set, blurred, false) +*#*/ad/$image,redirect-rule=1x1.gif + +! https://www.reddit.com/r/uBlockOrigin/comments/tq5g59/site_detects_adblock_zapped_for_temporary_fix/ +webforefront.com##+js(no-xhr-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/12478 +xubster.com##+js(nano-stb, remaining, 1000, 0.001) +xubster.com###countdown + +! ghior. com anti adblock +ghior.com##+js(rmnt, script, deblocker) + +! sexlivesex. net popups +sexlivesex.net##+js(acs, onload, open) + +! https://github.com/uBlockOrigin/uAssets/issues/12482 +obutecodanet.ig.com.br##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/12484 +! https://github.com/uBlockOrigin/uAssets/issues/17276 +eztv.*##+js(nowoif) +eztv.*##+js(nostif, adb) +eztv.*##table:has-text(VPN) +eztv.*##^script:has-text(admc) +||wherat.com^ + +! viet69. org popunder +viet69.org##+js(aopr, decodeURI) + +! https://github.com/AdguardTeam/AdguardFilters/issues/113982 +firmwarex.net##+js(no-xhr-if, googlesyndication) +firmwarex.net##+js(aost, setTimeout, adsBlocked) + +! https://github.com/easylist/easylist/pull/11492 +loadx.ws##+js(nowoif) + +! https://github.com/easylist/easylist/pull/11484 +*$script,3p,denyallow=cloudflare.com|cloudflare.net|hwcdn.net|jquery.com|jsdelivr.net,domain=wuxiarealm.com + +! https://github.com/easylist/easylist/issues/11483 +ricettafitness.com,yts-subs.dev##+js(refresh-defuser) +ricettafitness.com###colunas:style(display: block !important;) +ricettafitness.com###saudacao +ricettafitness.com##body > p > span:has-text(adblock) + +! proxy torrent sites popups +! https://github.com/uBlockOrigin/uAssets/issues/10162 +piraproxy.app,theproxy.*##+js(nowoif) +piraproxy.app,theproxy.*##+js(aopr, _wm) +unblocksite.pw##+js(aopr, XMLHttpRequest) +unblocksite.pw##+js(aopr, open) +unblocksite.pw##div[id][onclick^="window.open('https://vpn-offers.com/"] +unblocksite.pw##.antoic +unblocksite.pw##.all-linked +*$script,denyallow=cloudflare.com|hwcdn.net|jquery.com,domain=piraproxy.app|theproxy.*|unblocksite.pw +||adblockultra.com^$all +/j/m/qqqq.js? +.com/1?z=$script,3p +.com/2?z=$script,3p +.net/1?z=$script,3p +.net/2?z=$script,3p +/app/apx14.js +/app/x12.js +/hy.js?q22q2q2 +/zpp/zpp4.js + +! xxxvideotube. net popunder +xxxvideotube.net##+js(aopr, decodeURI) +xxxvideotube.net##+js(set, D4zz, noopFunc) + +! whats-on-netflix.com anti adb +whats-on-netflix.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/12500 +dongknows.com##+js(no-fetch-if, /ads|doubleclick/) +dongknows.com##+js(nostif, show) +dongknows.com##+js(acs, document.getElementById, adsRequest) +dongknows.com###amz-deals +@@||dongknows.com^$ghide + +! https://tlin.me/h88 focus detection +tlin.me##+js(set, blurred, false) +tlin.me##[href*="mauchopt.net"] + +! https://www.reddit.com/r/uBlockOrigin/comments/trmrp9/removing_clickjacking_elements/ +! beststremo.com##+js(aost, Math, /(?=^(?!.*(https)))/) +beststremo.com##+js(nostif, 0x) + +! mypornhere.com popup, ads +mypornhere.com##+js(set, flashvars.adv_start_html, '') +mypornhere.com##.item[style="text-align:center !important;"] + +! https://github.com/uBlockOrigin/uAssets/issues/12503 +! https://github.com/uBlockOrigin/uAssets/issues/24650 +welt.de##[id^="outbrain_widget_"].OUTBRAIN[data-src]:has(> .ob-widget > .ob-widget-header > span.ob-grid-header-text:has-text(/^MEHR AUS DEM WEB|MEHR AUS DEM NETZ|AUCH INTERESSANT$/)) +welt.de##[id^="outbrain_widget_"].OUTBRAIN[data-src]:has(> .ob-widget > .ob-widget-items-container > .ob-dynamic-rec-container > a[data-adv-id][rel*="sponsored"]) +welt.de##.c-ad-container +welt.de##+js(ra, onmousedown, .ob-dynamic-rec-link, stay) +! https://github.com/uBlockOrigin/uAssets/issues/23205 +welt.de##.q-advertisement-banner + +! https://github.com/uBlockOrigin/uAssets/issues/12510#issuecomment-1083552244 +driveplayer.net##+js(nowoif) + +! https://apprepack.com/2022/03/08/techsmith-camtasia-studio/ focus detection +apprepack.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/12534 +bunkr.is##+js(aeld, , exoJsPop101) + +! https://www.reddit.com/r/uBlockOrigin/comments/ttmpb2/why_isnt_this_ad_being_blocked/ +bulbagarden.net##+js(set, setupSkin, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/12547 +filmeserialegratis.*,fsplayer.*##+js(nowoif) + +! https://www.worldsrc.net/films/detalis?Ty=41878 timer +filessrc.com,srcimdb.com##+js(nano-sib, counter) + +! jav.re popup +jav.re##+js(aost, onload, /app.js) + +! https://github.com/uBlockOrigin/uAssets/issues/10054 +! https://github.com/uBlockOrigin/uAssets/issues/12566 +##.adsbyrunactive +mangahub.io###adblock-notice +mangahub.io##.ads-container +*$script,3p,denyallow=cloudfront.net|disqus.com|disquscdn.com|facebook.net|fastlylb.net|fbcdn.net|google.com,domain=mangahub.io +||blocksly.org^$all + +! https://github.com/uBlockOrigin/uAssets/issues/12569 +forsal.pl##+js(no-fetch-if, dqst.pl) + +! https://note1s.com/notes/LZ9U4J timer +! https://github.com/AdguardTeam/AdguardFilters/issues/118010 +note1s.com,paste1s.com##.countdown +note1s.com,paste1s.com##+js(ra, disabled, button) + +! https://github.com/AdguardTeam/AdguardFilters/issues/114471 +! https://github.com/AdguardTeam/AdguardFilters/issues/115164 +rintor.*##+js(aopr, loadTool) + +! https://github.com/uBlockOrigin/uAssets/issues/12594 +alycia-debnam-carey.com,christinaricci.net,emmy-rossum.com,natalie-portman.org,rachel-brosnahan.org##+js(acs, setTimeout, .click()) + +! nsfw watchomovies. life ads +! https://github.com/uBlockOrigin/uAssets/issues/20589 +watchomovies.*##+js(rmnt, script, popunder) +||a.streamoupload.$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/114494 +###tabVideo > .rmedia +/go/*?ident=$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/12570 +/api/popv2.php$xhr,1p + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/903 +pornwhite.com##.bottom-banners +pornwhite.com##.player-spots +||pornwhite.com/js/customscript.js + +! hindimoviestv. com ads +hindimoviestv.com##+js(rmnt, script, popundersPerIP) +hindimoviestv.com##[href^="https://accounts.binance.com/en/register"] + +! https://www.thuthuatmoi.xyz/2021/07/bitdefender-total-security-2501458-64.html timer +top1iq.com##+js(nano-stb, run) +top1iq.com##+js(ra, disabled, a#redirect-btn) +top1iq.com##+js(rc, disabled, a#redirect-btn) +top1iq.com###post-body > p + +! playtamil. tube ads +||playtamil.*^$csp=script-src 'self' + +! antiadb iptvjournal. com +iptvjournal.com##+js(no-fetch-if, googlesyndication) +iptvjournal.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +iptvjournal.com##div[id^="wpsafe-wait"] + +! https://www.reddit.com/r/uBlockOrigin/comments/txnoqu/ads_breakthrough_on_coloredmangacom/ +coloredmanga.com##+js(aost, Math.random, inlineScript) + +! https://www.reddit.com/r/uBlockOrigin/comments/ty0glu/web_page_using_a_antiublock_script/ +softwaretotal.net##+js(no-xhr-if, googlesyndication) + +! https://www.uploadcloud.pro/hzug6vgx4fsk/Awesome_Bundles_35_Best_Seller_Font_Collection-sanet.st.rar.html 3p frame and timer +||desirefx.com^$frame,redirect=noopframe,domain=uploadcloud.pro +uploadcloud.pro##+js(nano-stb, show, 4000) + +! https://github.com/uBlockOrigin/uAssets/issues/12652#issuecomment-1092876793 +moviepl.xyz##+js(aopr, __Y) + +! coolmoviez. skin ads +||coolmoviez.*^$csp=default-src 'self' + +! https://github.com/AdguardTeam/AdguardFilters/issues/115062 +akumanimes.com##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/115045 +m4uhd.*##+js(aopr, mm) +superplayxyz.club##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/12676 +depvailon.com##+js(aopr, PvVideoSlider) +depvailon.com##+js(aopw, _chjeuHenj) +depvailon.com##.spots +depvailon.com##.c-normdenomination-output + +! https://github.com/uBlockOrigin/uAssets/issues/12680 +*$script,redirect-rule=noopjs,domain=elkjop.no + +! https://www.goflix.io/10540-aquaman.html younetu.com popup +younetu.*##+js(nowoif) +younetu.*##+js(aopr, doSecondPop) +younetu.*##+js(set, adblockcheck, false) +||younetu.co/cdn-cgi/trace$xhr,1p + +! animehub.ac,animeflv.ac popup +||animehub.ac/api/pop.php + +! https://github.com/uBlockOrigin/uAssets/issues/12700 +! https://www.reddit.com/r/uBlockOrigin/comments/11oykud/ +autotrader.co.uk##.search-page__products > [data-is-promoted-listing] +autotrader.co.uk##.search-page__result .listings-standout:upward(.search-page__result) +autotrader.co.uk##.searchResults .product-card__ad-copy:upward(li) + +! https://7apple.net/?go=CBn2gh8qacq timer +7apple.net###wpsafe-generate, #wpsafe-link:style(display: block !important;) +7apple.net##div[id^="wpsafe-wait"] + +! tiki.vn search ads +tiki.vn##div[class^="SearchAutocomplete"] > div[class^="style__StyledSuggestion"] > div:has(> a.brand-ad) + +! https://github.com/uBlockOrigin/uAssets/issues/12713 +||111.90.150.10/wp-content/uploads/*.gif$image,1p +111.90.150.10##+js(acs, $, noConflict) +111.90.150.10##+js(aopr, preroll_helper.advs) +111.90.150.10###secondary > .widget_custom_html + +! https://github.com/AdguardTeam/AdguardFilters/issues/115337 +@@||pikafile.com^$ghide + +! repelishd. cx popups +repelishd.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/12738 +hdhub4u.*,hblinks.pro##+js(aopr, mm) +hdhub4u.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/12744 +sushi-scan.*##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/12746 +traderepublic.community##+js(nostif, /show|innerHTML/) + +! emovies.si popup +||emovies.si/api/pop.php + +! watchseries9. cc popups +watchseries9.*##+js(aopr, mm) + +! https://www.reddit.com//r/uBlockOrigin/comments/u3myey/unremoved_ads_on_a_wiki/ +coromon.wiki.gg##+js(aost, document.createElement, create_ad) + +! https://github.com/AdguardTeam/AdguardFilters/issues/115595 +#@##adContext +#@##ad_img +#@##downloadAd +#@##topBannerAd +#@##topbannerad +#@##weatherad +###adContext:not(:empty) +###ad_img:not(:empty) +###downloadAd:not(:empty) +###topBannerAd:not(:empty) +###topbannerad:not(:empty) +###weatherad:not(:empty) +||bitfly.io/js/nt.js +||i.imgur.com^$image,domain=up-load.one +up-load.one##+js(set, blurred, false) +up-load.one###overlay +up-load.one##.iframe_id + +! https://github.com/AdguardTeam/AdguardFilters/issues/115590 +k1nk.co##+js(aeld, click, popunder) +k1nk.co##+js(nowoif) +k1nk.co##+js(set, console.clear, noopFunc) +||k1nk.co/videos/*/_.pagespeed.$script,1p + +! mangaraw.org ads,popup +mangaraw.org##+js(acs, decodeURI, decodeURIComponent) +mangaraw.org##+js(aopr, AaDetector) +mangaraw.org##^script[data-cfasync]:has-text(D4zz.) +mangaraw.org,rawmanga.top##.banner-block +mangaraw.org,rawmanga.top##.banner-landscape +*$script,3p,domain=mangaraw.org +*$script,3p,denyallow=cloudflare.com,domain=rawmanga.top + +! https://github.com/uBlockOrigin/uAssets/issues/23650 +y2mate.com##+js(aopr, open) +||y2mate.com/themes/js/pn.js + +! ad overlay + broken scroll +theblockcrypto.com##.modal-bg +theblockcrypto.com##body,html:style(height: auto !important; overflow: auto !important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/115688 +@@||anonigviewer.com/assets/js/peelad.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/115641 +claimfey.com###tp-generate,#getlinkbtn:style(display: block !important;) +claimfey.com##div[id^="wpsafe-wait"] +zuba.link##+js(set, blurred, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/115626 +@@||cutt.net^$ghide +cutt.net##.aspace + +! https://github.com/uBlockOrigin/uAssets/issues/12793 +khsm.io##+js(nostif, getComputedStyle) + +! https://github.com/uBlockOrigin/uAssets/issues/12809 +dramaworldhd.co##+js(no-fetch-if, googlesyndication) +dramaworldhd.co##+js(nano-sib, timeLeft) + +! https://github.com/easylist/easylist/commit/a1709ce2b8da92b2dcb338c8cd84f1afdffa1018 +||amazon-adsystem.com/aax2/apstag.js$domain=tasteofhome.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/12765 +descargatepelis.com##+js(nano-sib, contador) + +! https://github.com/abp-filters/abp-filters-anti-cv/pull/937 +teen-hd-sex.com,tube-teen-18.com,xxx-asian-tube.com##+js(aopr, exoNoExternalUI38djdkjDDJsio96) +/\.com\/[0-9a-z]{12,}\/[0-9a-z]{12,}\.js$/$script,1p,domain=tube-teen-18.com|teen-hd-sex.com|xxx-asian-tube.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/115796 +viplayer.cc##+js(aopr, __Y) +streamempire.cc###custom_html-4 + +! watchonlinehd123. sbs ads +watchonlinehd123.sbs##+js(nowoif) +||watchonlinehd123.sbs/cdn-cgi/trace$xhr,1p +||refpamjeql.top^$all + +! videofilms /prosongs .link popups +videofilms.*,prosongs.*##+js(aopr, __Y) + +! https://hollywoodlife.com/pics/saturday-night-live-season-46-photos/saturday-night-live-season-46-11/ ads +hollywoodlife.com##+js(set, Object.prototype.enableInterstitial, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/115781 +entireweb.com##+js(acs, setInterval, addAds) + +! https://github.com/AdguardTeam/AdguardFilters/issues/115727 +tudaydeals.com##+js(no-fetch-if, googlesyndication) +tudaydeals.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +tudaydeals.com##div[id^="wpsafe-wait"] + +! acrackstreams. com popups +acrackstreams.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/12834 +||mathwarehouse.com/sitefiles/*/js/fixblock.js?$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/12842 +! https://github.com/uBlockOrigin/uAssets/issues/16989 +! https://github.com/uBlockOrigin/uAssets/issues/24881 +babia.to##+js(acs, $, adsBlocked) +babia.to##+js(nostif, /show|document\.createElement/) +babia.to##body > div[id][style="display: block;"] + +! amateurs-fuck. com / sex-amateur-clips.com => exo ads + popups +amateurs-fuck.com,sex-amateur-clips.com##+js(acs, document.querySelectorAll, popMagic) +amateurs-fuck.com,sex-amateur-clips.com##+js(aeld, getexoloader) +amateurs-fuck.com,sex-amateur-clips.com###dclm_modal_content +amateurs-fuck.com,sex-amateur-clips.com##*:style(filter: none !important) +amateurs-fuck.com,sex-amateur-clips.com###dclm_modal_screen + +! https://github.com/uBlockOrigin/uAssets/issues/12844 +dropmms.com##+js(aost, document.createElement, /^(?!.*(jquery|setDocument|inlineScript|gstatic|google|root|cgi).*)/) + +! javqis. com popunder +javqis.com##+js(aopr, decodeURI) + +! https://github.com/uBlockOrigin/uAssets/issues/12846 +/vast-new/src/videojs-preroll.js$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/115974 +nsfwzone.xyz##+js(aopr, __Y) +sdefx.cloud##+js(set, D4zz, noopFunc) + +! https://javbest. cc/video/cc5f52c98723a2349c97bfe4c00fd799 vast +||p.jwpcdn.com/*/vast.js$script + +! https://www.intereseducation.com/resources/cambridge-primary-progression-tests-past-papers/ timer +edufileshare.com##+js(nano-sib, display) + +! https://github.com/AdguardTeam/AdguardFilters/issues/115967 +xhomealone.com##+js(set, flashvars.popunder_url, '') + +! https://github.com/easylist/easylist/pull/11698 +watchasians.cc##+js(aeld, click, popunder) +watchasians.cc##+js(set, console.clear, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/12868 +@@||3dpchip.com^$ghide + +! afdah2. com ads +afdah2.com##+js(aopr, mm) + +! https://github.com/AdguardTeam/AdguardFilters/issues/116138 +@@||thinktibits.blogspot.com^$ghide + +! proxy site ads +androidapks.biz,androidsite.net,animeonlinefree.org,animesite.net,computercrack.com,crackedsoftware.biz,crackfree.org,cracksite.info,downloadapk.info,downloadapps.info,downloadgames.info,downloadmusic.info,downloadsite.org,ebooksite.org,emulatorsite.com,fmovies24.com,freeflix.info,freemoviesu4.com,freesoccer.net,fseries.org,gamefast.org,gamesite.info,gostreamon.net,hindisite.net,isosite.org,macsite.info,mangasite.org,megamovies.org,moviefree2.com,moviesite.app,moviesx.org,musicsite.biz,patchsite.net,pdfsite.net,play1002.com,productkeysite.com,romsite.org,seriesite.net,siteapk.net,siteflix.org,sitegames.net,sitekeys.net,sitepdf.com,sitesunblocked.*,sitetorrent.com,softwaresite.net,superapk.org,supermovies.org,tvonlinesports.com,ultramovies.org,warezsite.net,watchmovies2.com,watchmoviesforfree.org,watchsite.net,youapk.net##+js(aopr, open) +/sw.js$script,domain=androidapks.biz|androidsite.net|animeonlinefree.org|animesite.net|computercrack.com|crackedsoftware.biz|crackfree.org|cracksite.info|downloadapk.info|downloadapps.info|downloadgames.info|downloadmusic.info|downloadsite.org|ebooksite.org|emulatorsite.com|fmovies24.com|freeflix.info|freemoviesu4.com|freesoccer.net|fseries.org|gamefast.org|gamesite.info|gostreamon.net|hindisite.net|isosite.org|macsite.info|mangasite.org|megamovies.org|moviefree2.com|moviesite.app|moviesx.org|musicsite.biz|patchsite.net|pdfsite.net|play1002.com|productkeysite.com|romsite.org|seriesite.net|siteapk.net|siteflix.org|sitegames.net|sitekeys.net|sitepdf.com|sitesunblocked.*|sitetorrent.com|softwaresite.net|superapk.org|supermovies.org|tvonlinesports.com|ultramovies.org|warezsite.net|watchmovies2.com|watchmoviesforfree.org|watchsite.net|youapk.net +/oho.js$script,domain=androidapks.biz|androidsite.net|animeonlinefree.org|animesite.net|computercrack.com|crackedsoftware.biz|crackfree.org|cracksite.info|downloadapk.info|downloadapps.info|downloadgames.info|downloadmusic.info|downloadsite.org|ebooksite.org|emulatorsite.com|fmovies24.com|freeflix.info|freemoviesu4.com|freesoccer.net|fseries.org|gamefast.org|gamesite.info|gostreamon.net|hindisite.net|isosite.org|macsite.info|mangasite.org|megamovies.org|moviefree2.com|moviesite.app|moviesx.org|musicsite.biz|patchsite.net|pdfsite.net|play1002.com|productkeysite.com|romsite.org|seriesite.net|siteapk.net|siteflix.org|sitegames.net|sitekeys.net|sitepdf.com|sitesunblocked.*|sitetorrent.com|softwaresite.net|superapk.org|supermovies.org|tvonlinesports.com|ultramovies.org|warezsite.net|watchmovies2.com|watchmoviesforfree.org|watchsite.net|youapk.net + +! https://github.com/uBlockOrigin/uAssets/issues/12880 +mat6tube.com##+js(set, ads, undefined) + +! multiup. us popups +multiup.us##+js(aeld, , pop) +multiup.us##+js(set, adblockcheck, false) +||unpkg.com/videojs-vast-vpaid@2.0.2/bin/videojs_5.vast.vpaid.min.js$script,domain=multiup.us +||multiup.us/cdn-cgi/trace$xhr,1p +multiup.us##[href="https://t.me/Russia_Vs_Ukraine_War3"] + +! https://www.reddit.com/r/uBlockOrigin/comments/u922hn/video_ads_showing_on_veblr_dot_com/ +||vbcdn.com/cdn/video_advt/*$media,redirect=noopmp3-0.1s +veblr.com###advt_click_href_link_upper +veblr.com##.advt-content + +! https://hotabis. com clickable background + ads +hotabis.com##+js(set, td_ad_background_click_link, undefined) +hotabis.com##[href^="https://axiadata.co.id"] +||hotabis.com/*/ads$image + +! https://www.fifa.com/fifaplus/en video ads +||cxm-api.fifa.com/fifaplusweb/api/video/*$xhr,removeparam=adConfig +fifa.com##.theoplayer-ad-overlay-component +fifa.com##[href^="https://pubads.g.doubleclick.net/"] +! https://github.com/uBlockOrigin/uAssets/issues/18164 +||imasdk.googleapis.com/js/sdkloader/ima3.js$redirect-rule=google-ima.js,domain=fifa.com +||fifa.com/api/v*/ad-manager/$redirect=nooptext + +! https://github.com/AdguardTeam/AdguardFilters/issues/116108 +66ccff.work##+js(alert-buster) + +! popunder-sites +phimmoiaz.cc##+js(aopr, popunder) + +! https://github.com/AdguardTeam/AdguardFilters/issues/116394 +mangahentai.xyz##+js(aopr, loadXMLDoc) + +! https://github.com/uBlockOrigin/uAssets/issues/12948 +antifake-funko.fr##+js(aeld, DOMContentLoaded, AdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/116465 +javenspanish.com##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +player.subespanolvip.com##+js(aopr, BetterJsPop) + +! https://github.com/uBlockOrigin/uAssets/issues/12956 +racedepartment.com##+js(acs, $, adsBlocked) + +! freeporncomics.me popup +freeporncomics.me##+js(acs, Date, 'shift') + +! https://github.com/AdguardTeam/AdguardFilters/issues/116615 +||images.outbrainimg.com^$image +||theswagsports.com/can/*.htm$script,1p +theswagsports.com##.colombiaoneinvalid +theswagsports.com##a[rel*="sponsored"] +theswagsports.com###btm-widget img[onload]:upward(#btm-widget > .colombiaonesuccess > div) + +! https://github.com/AdguardTeam/AdguardFilters/issues/116606 +pkpics.club###countdown +pkpics.club##img[onclick]:upward(.wait):style(display: block !important) + +! hentaimoe.me popup +hentaimoe.me##+js(acs, Date, 'shift') + +! uploadbaz. me ads +uploadbaz.*##+js(acs, onload) +uploadbaz.*##+js(acs, Math.imul) + +! https://github.com/AdguardTeam/AdguardFilters/issues/116807 +freecodezilla.net##+js(aeld, DOMContentLoaded, adsBlocked) +freecodezilla.net##+js(no-xhr-if, googlesyndication) + +! hdmoviesmaza. pw popups +hdmoviesmaza.*##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/uezggb/adblock_detected_textstudioco/ +@@||textstudio.co^$ghide +textstudio.co##+js(set, ADBLOCK, false) + +! https://github.com/uBlockOrigin/uAssets/issues/13030 +||111.90.150.149/wp-content/uploads/*.gif$image,1p +111.90.150.149##+js(acs, jQuery, magnificPopup) +111.90.150.149##+js(aopr, preroll_helper.advs) +111.90.150.149##.idmuvi-topbanner-aftermenu +111.90.150.149##[href*="buaksib.in"] + +! https://github.com/uBlockOrigin/uAssets/issues/13029 +inbbotlist.com##+js(no-fetch-if, googlesyndication) +inbbotlist.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +inbbotlist.com##div[id^="wpsafe-wait"] + +! https://www.reddit.com/r/uBlockOrigin/comments/uebhzv/apkmagiccomar_detecting_adblock/ +apkmagic.com.ar##+js(no-xhr-if, ads) + +! https://forums.lanik.us/viewtopic.php?t=47501-gamaniak-com +@@||gamaniak.com^$script,1p +@@||gamaniak.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/13035 +! moviesjoy. pw/.best/.plus/ .to /. is popunders +moviesjoy.*##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +moviesjoy.*##+js(aopr, mm) +moviesjoy.*##+js(nowoif) +moviesjoy.*###fcnbox +moviesjoy.*##[href*="moviesflix4k"] +moviesjoy.*##.premodal.modal +moviesjoy.*##.show.modal-backdrop +moviesjoy.*##body:style(overflow: auto !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/117062 +currencyconverterx.com##+js(acs, document.createElement, register) +currencyconverterx.com##.block-after-head +currencyconverterx.com##.block-inside-blocks + +! https://frivcomfriv.com/friv-car-games/hill-climb-racing-friv/ ads +||imasdk.googleapis.com/js/core/bridge*.html$frame,domain=html5.gamemonetize.co,important + +! https://github.com/AdguardTeam/AdguardFilters/issues/117128 +/\/img\/(?!new).+\.gif/$image,1p,domain=jennylist.xyz + +! https://github.com/AdguardTeam/AdguardFilters/issues/116991 +xxxxvideo.uno##.sticky-elem +xxxxvideo.uno##.place-wink + +! https://github.com/uBlockOrigin/uAssets/issues/13042 +boxingstreams100.com,mlbstreams100.com,mmastreams-100.tv,nbastreams-100.tv,soccerstreams-100.tv##+js(no-fetch-if, doubleclick) + +! https://github.com/AdguardTeam/AdguardFilters/issues/117176 +r3owners.net##+js(acs, $, adsBlocked) + +! https://github.com/AdguardTeam/AdguardFilters/issues/117139 +apkmodhub.in##+js(acs, String.fromCharCode, ai_adb) +apkmodhub.in##.sdl_text +apkmodhub.in##.show_download_links:style(display: block !important) + +! https://github.com/uBlockOrigin/uAssets/issues/13049 +@@||digilibraries.com^$ghide +digilibraries.com##.adsbygoogle:style(height: 0px !important; visibility: collapse;) + +! https://github.com/uBlockOrigin/uAssets/issues/13050 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=hidive.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/117240 +3hentai.net##+js(nowoif) +3hentai.net###header-ban-agsy + +! vidcdn. co ads +vidcdn.co##+js(aopr, BetterJsPop) +vidcdn.co##+js(aopr, arrvast) +||vidcdn.co/cdn-cgi/trace$xhr,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/117234 +newtumbl.com##+js(set, POSTPART_prototype.ADKEY, noopFunc) +newtumbl.com##.broughtby +newtumbl.com##.nt_holder_of_promoish_content + +! https://github.com/AdguardTeam/AdguardFilters/issues/117186 +gaget.hatenablog.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/13066 +celtadigital.com##+js(nostif, show) + +! https://www.droidmirror.com/download/7tsp-gui-v0-6-zip timer +droidmirror.com##+js(nano-sib, counter) + +! https://github.com/uBlockOrigin/uAssets/issues/12273 +slidesgo.com##.ssm_adunit_container:upward([id^="list_ads"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/117701 +! https://github.com/uBlockOrigin/uAssets/issues/13856 +! https://github.com/AdguardTeam/AdguardFilters/issues/131668 +apkmaven.*##+js(no-xhr-if, googlesyndication) +apkmaven.*##+js(aeld, DOMContentLoaded, adsBlocked) +apkmaven.*##+js(set, adBlockDetected, falseFunc) +apkmaven.*###wpsafe-generate, #wpsafe-link:style(display: block !important;) +apkmaven.*##div[id^="wpsafe-wait"] +apkmaven.*###countdown +apkmaven.*###download_link:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/13094 +photopea.com##div[style]:has(> a[href*="photopea.com"][href*="ads"]) +! https://github.com/jared-schwalbe/remove-ads-from-photopea/blob/main/app.js +! https://github.com/uBlockOrigin/uAssets/issues/19697 +photopea.com##+js(trusted-rpnt, script, added=false;, "added=false;if (typeof localStorage !== 'undefined' && typeof JSON.parse(localStorage._ppp)['0_uid'] === 'undefined') {const originalvisualViewport=window.visualViewport; Object.defineProperty(window, 'visualViewport', {value: new Proxy(originalvisualViewport, {get(target,property) {if (property === 'width') {return document.documentElement.offsetWidth+320} return target[property]}}), configurable:true});}") +!photopea.com##+js(rpnt, script, /^.*?(function gtag).*$/, document.documentElement.setAttribute('onreset'\,(function addCustomEvent(){document.addEventListener('resizecanvas'\,()=>{window.innerWidth=document.documentElement.clientWidth+(window.screen.width<1600?180:320)})})());document.documentElement.dispatchEvent(new CustomEvent('reset'));document.documentElement.removeAttribute('onreset');function resize(event={}){if(!event.skip){document.dispatchEvent(new CustomEvent('resizecanvas'));const resizeEvent=new Event('resize');resizeEvent.skip=true;window.dispatchEvent(resizeEvent)}}let debounce;window.addEventListener('resize'\,event=>{clearTimeout(debounce);debounce=setTimeout(()=>resize(event)\,100)});resize();) +! https://github.com/uBlockOrigin/uAssets/issues/20232 +photopea.com##+js(no-fetch-if, uniconsent.com, length:2300) +||pagead2.googlesyndication.com^$3p,xhr,method=head,redirect-rule=noop.js,domain=photopea.com + +! https://github.com/uBlockOrigin/uAssets/issues/13104 +vods.tv##+js(no-fetch-if, doubleclick) + +! freesolana. top anti adb +! https://github.com/uBlockOrigin/uAssets/issues/14955 +freesolana.top##+js(no-xhr-if, /coinzillatag|czilladx/) +*$script,domain=freesolana.top,redirect-rule=noopjs + +! https://github.com/AdguardTeam/AdguardFilters/issues/117873 +! https://github.com/uBlockOrigin/uAssets/issues/25213 +aruble.net###middle-adspace +aruble.net###top-ads +aruble.net##+js(set, divWidth, 1) + +! https://github.com/AdguardTeam/AdguardFilters/issues/117803 +justswallows.net##+js(aopr, BetterJsPop) +justswallows.net##[href="https://t.me/Russia_Vs_Ukraine_War3"] +justswallows.net##a[onclick="openAuc();"] + +! https://github.com/uBlockOrigin/uAssets/issues/15821 +1377x.*##+js(aopr, open) +1377x.*###chatme-box +1377x.*##[href*="register"] +||fflink.net^$3p +||you2ubeconverter.com^ + +! camvideoshub.com anti-adb +camvideoshub.com##+js(set, canRunAds, true) + +! analdin.com ads +analdin.com##+js(set, flashvars.adv_start_html, '') +analdin.com##+js(set, flashvars.adv_pause_html, '') + +! https://github.com/AdguardTeam/AdguardFilters/issues/117983 +nhentai.io##+js(aopr, Script_Manager) +nhentai.io##+js(aopr, Script_Manager_Time) + +! https://github.com/uBlockOrigin/uAssets/issues/13105 +*$script,3p,domain=hdhub4u.*,denyallow=fastlylb.net|googleapis.com|disqus.com|disquscdn.com|cloudfront.net + +! https://github.com/uBlockOrigin/uAssets/issues/13123 +gload.to##+js(aopw, bullads) +gload.to##+js(aopr, open) +/get/*.js#$script,domain=gload.to + +! romfast. com anti adblock +@@||romfast.com^$ghide + +! player.tormalayalamhd. xyz ads +player.tormalayalamhd.*##+js(aopr, BetterJsPop) +player.tormalayalamhd.*##[href="https://t.me/Russia_Vs_Ukraine_War3"] +player.tormalayalamhd.*##a[onclick="openAuc();"] +||player.tormalayalamhd.*/cdn-cgi/trace + +! https://github.com/uBlockOrigin/uAssets/pull/13127#issuecomment-1120431229 +##a[onclick="openAuc();"] +##[href="https://t.me/Russia_Vs_Ukraine_War3"] + +! https://github.com/uBlockOrigin/uAssets/issues/13128 +yt5s.com##+js(aost, String.prototype.charCodeAt, https) + +! porncoven.com ad. popunder +porncoven.com##+js(aopr, loadTool) +||porncoven.com/clientscript/popcode_ + +! https://github.com/uBlockOrigin/uAssets/issues/13134 +code2care.org##+js(nostif, Msg) + +! https://github.com/AdguardTeam/AdguardFilters/issues/118073 +nevcoins.club##+js(set, noAdBlock, noopFunc) +nevcoins.club##.justify-content-center.box-shadow + +! https://github.com/AdguardTeam/AdguardFilters/issues/118055 +||surfe.pro/js/net.js$script,xhr,redirect-rule=noop.js +faucetcrypto.net##+js(acs, eval, decodeURIComponent) + +! https://github.com/AdguardTeam/AdguardFilters/issues/118042 +freepreset.net##+js(aeld, DOMContentLoaded, atob) + +! movie123. in/club ads +movie123.*##+js(acs, Math, XMLHttpRequest) +movie123.*##+js(aopw, Fingerprint2) + +! https://github.com/uBlockOrigin/uAssets/issues/13142 +@@||filmzie.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/13138 +formulapassion.it##.yobee-adv +formulapassion.it##.brid:has(.brid-advert-container) + +! https://www.reddit.com/r/uBlockOrigin/comments/ulsnpv/bestmp3convertercom_ads/ +1ytmp3.com,bestmp3converter.com##+js(nowoif, !download) + +! https://forums.lanik.us/viewtopic.php?t=47536-nsfw-multiple-websites +amateur8.com,freeporn8.com,maturetubehere.com##+js(aeld, /click|mousedown/, catch) +freeporn8.com###lotal +freeporn8.com##.toble +freeporn8.com##.top2 +freeporn8.com##li.pignr + +! https://github.com/uBlockOrigin/uAssets/issues/13162 +onlyhotleaks.com##+js(aopr, decodeURI) + +! anti adb reaperscans. id +reaperscans.id##+js(no-xhr-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/13168 +*$media,redirect-rule=noopmp3-0.1s,domain=149.56.24.226 +layarkacaxxi.icu##+js(aopr, __Y) +layarkacaxxi.icu##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/14053 +valeronevijao.com,cigarlessarefy.com,figeterpiazine.com,yodelswartlike.com,generatesnitrosate.com,crownmakermacaronicism.com,chromotypic.com,gamoneinterrupted.com,metagnathtuggers.com,wolfdyslectic.com,rationalityaloelike.com,sizyreelingly.com,simpulumlamerop.com,urochsunloath.com,monorhinouscassaba.com,counterclockwisejacky.com,35volitantplimsoles5.com,scatch176duplicities.com,antecoxalbobbing1010.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,449unceremoniousnasoseptal.com,19turanosephantasia.com,30sensualizeexpression.com,321naturelikefurfuroid.com,745mingiestblissfully.com,greaseball6eventual20.com,toxitabellaeatrebates306.com,20demidistance9elongations.com,audaciousdefaulthouse.com,availedsmallest.com,fittingcentermondaysunday.com,fraudclatterflyingcar.com,launchreliantcleaverriver.com,matriculant401merited.com,realfinanceblogcenter.com,reputationsheriffkennethsand.com,telyn610zoanthropy.com,tubelessceliolymph.com,tummulerviolableness.com,un-block-voe.net,v-o-e-unblock.com,voe-un-block.com,voe-unblock.*,voeun-block.net,voeunbl0ck.com,voeunblck.com,voeunblk.com,voeunblock.com,voeunblock1.com,voeunblock2.com,voeunblock3.com##+js(acs, $, /\.fadeIn|\.show\(.?\)/) +valeronevijao.com,cigarlessarefy.com,figeterpiazine.com,yodelswartlike.com,generatesnitrosate.com,crownmakermacaronicism.com,chromotypic.com,gamoneinterrupted.com,metagnathtuggers.com,wolfdyslectic.com,rationalityaloelike.com,sizyreelingly.com,simpulumlamerop.com,urochsunloath.com,monorhinouscassaba.com,counterclockwisejacky.com,35volitantplimsoles5.com,scatch176duplicities.com,antecoxalbobbing1010.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,449unceremoniousnasoseptal.com,19turanosephantasia.com,30sensualizeexpression.com,321naturelikefurfuroid.com,745mingiestblissfully.com,availedsmallest.com,greaseball6eventual20.com,toxitabellaeatrebates306.com,20demidistance9elongations.com,audaciousdefaulthouse.com,fittingcentermondaysunday.com,fraudclatterflyingcar.com,launchreliantcleaverriver.com,matriculant401merited.com,realfinanceblogcenter.com,reputationsheriffkennethsand.com,telyn610zoanthropy.com,tubelessceliolymph.com,tummulerviolableness.com,un-block-voe.net,v-o-e-unblock.com,voe-un-block.com,voe-unblock.*,voeun-block.net,voe.*,voeunbl0ck.com,voeunblck.com,voeunblk.com,voeunblock.com,voeunblock1.com,voeunblock2.com,voeunblock3.com##+js(nowoif) +valeronevijao.com,cigarlessarefy.com,figeterpiazine.com,yodelswartlike.com,generatesnitrosate.com,crownmakermacaronicism.com,chromotypic.com,gamoneinterrupted.com,metagnathtuggers.com,wolfdyslectic.com,rationalityaloelike.com,sizyreelingly.com,simpulumlamerop.com,urochsunloath.com,monorhinouscassaba.com,counterclockwisejacky.com,35volitantplimsoles5.com,scatch176duplicities.com,antecoxalbobbing1010.com,boonlessbestselling244.com,cyamidpulverulence530.com,guidon40hyporadius9.com,449unceremoniousnasoseptal.com,19turanosephantasia.com,30sensualizeexpression.com,321naturelikefurfuroid.com,745mingiestblissfully.com,availedsmallest.com,greaseball6eventual20.com,toxitabellaeatrebates306.com,20demidistance9elongations.com,audaciousdefaulthouse.com,fittingcentermondaysunday.com,fraudclatterflyingcar.com,launchreliantcleaverriver.com,matriculant401merited.com,realfinanceblogcenter.com,reputationsheriffkennethsand.com,telyn610zoanthropy.com,tubelessceliolymph.com,tummulerviolableness.com,un-block-voe.net,v-o-e-unblock.com,voe-un-block.com,voe-unblock.*,voeun-block.net,voeunbl0ck.com,voeunblck.com,voeunblk.com,voeunblock.com,voeunblock1.com,voeunblock2.com,voeunblock3.com##+js(nostif, blocked) +35volitantplimsoles5.com##+js(aopr, decodeURI) +||renewalsuspiciousrattle.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/118331 +givee.club##+js(acs, document.addEventListener, adjsData) +givee.club##.definetelynotanad +givee.club##.definetelynotanad:upward([class^="col-md-"]) + +! webloadedmovie.com ads +webloadedmovie.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/118456 +tojav.net##+js(acs, onload, puHref) +://media.*/js/code.min.js|$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/13195 +watchimpracticaljokers.com##+js(aopr, popns) + +! https://www.reddit.com/r/uBlockOrigin/comments/uo7w9g/clicking_on_the_play_button_of_the_video/ +||fucktube4k.com/wp-content/uploads/*porn4k-banner.png$image,1p +fucktube4k.com##.partner-banner:upward(div[style]) + +! https://github.com/uBlockOrigin/uAssets/issues/12772#issuecomment-1125434557 +@@||s0.2mdn.net/instream/html5/ima3.js$script,domain=cadenaser.com + +! https://github.com/uBlockOrigin/uAssets/issues/13204 +||googlesyndication.com^$script,redirect-rule=noopjs,domain=youfiles.herokuapp.com +youfiles.herokuapp.com##+js(set, gadb, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/118524 +/prebid-add.js$script,redirect-rule=prebid-ads.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/118513 +||cxense.com/cx.$script,redirect-rule=noop.js,domain=japannews.yomiuri.co.jp +japannews.yomiuri.co.jp##.pr_custom2 +japannews.yomiuri.co.jp##div[class^="ad_background"] + +! https://github.com/uBlockOrigin/uAssets/issues/13211 +mail.com##+js(nostif, offsetHeight) +mail.com##.mod-container:has-text(/sponsor/i) +mail.com##+js(set, AdService.info.abd, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/13213 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=tiodonghua.com + +! https://github.com/uBlockOrigin/uAssets/issues/13216 +@@||ioselite.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/13218 +gmx.*##+js(nostif, UABP) +gmx.*###adservice-top +gmx.*##^script:has-text(adslotFilledByCriteo) +! https://github.com/uBlockOrigin/uAssets/issues/15000 +gmx.*##+js(set, adBlockDetectionResult, undefined) +gmx.*##.ad-content +gmx.*##html.can-have-sky .page-body > .section-content:style(margin-right: 0 !important;) +gmx.*###container:style(width:100%!important) + +! https://github.com/AdguardTeam/AdguardFilters/issues/122322 +kuncomic.com##+js(aopr, detectAdBlock) +kuncomic.com##+js(nano-sib, countdownTime, 1500) +*$script,3p,denyallow=cloudflare.com|st-hatena.com|unpkg.com,domain=kuncomic.com + +! https://github.com/uBlockOrigin/uAssets/issues/13223 +*$script,domain=discuss.com.hk,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/13220 +open3dmodel.com##+js(aopr, mdp_deblocker) +open3dmodel.com##[style]:has(.adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/118779 +lusttaboo.com##+js(set, popped, true) +lusttaboo.com##+js(set, flashvars.popunder_url, '') + +! https://github.com/AdguardTeam/AdguardFilters/issues/119426 +! https://github.com/AdguardTeam/AdguardFilters/issues/119669 +! https://github.com/AdguardTeam/AdguardFilters/issues/120142 +imgsen.*,imgstar.eu,imgsto.*,pics4upload.com##+js(aopr, loadTool) +*$script,3p,domain=imgsen.com|imgstar.eu|imgsto.*|picdollar.com|pics4upload.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/82559 +@@||zuketcreation.net^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/13236 +embedo.co##+js(aeld, , init) +embedo.co##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/10796#issuecomment-1127484297 +postimees.ee##+js(nostif, adblock) + +! fakazagods.com ads +fakazagods.com##[href^="https://www.northxclusive.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/13249 +nintendolife.com##+js(aopr, _sp_._networkListenerData) + +! https://github.com/uBlockOrigin/uAssets/issues/13271 +||japantimes.co.jp/wp-content/themes/jt_theme/library/css/piano.css + +! latinblog. tv sister sites popunders +amateurblog.tv,fashionblog.tv,latinblog.tv,silverblog.tv,tokyoblog.tv,xblog.tv##+js(aopr, decodeURI) +*$script,3p,domain=amateurblog.tv|fashionblog.tv|latinblog.tv|silverblog.tv|tokyoblog.tv|xblog.tv + +! https://github.com/uBlockOrigin/uAssets/issues/13286 +@@||igirls.in^$ghide +igirls.in##+js(nostif, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/13295 +! https://github.com/uBlockOrigin/uAssets/issues/13304 +scrambled.world,shellshock.io##.box_relative.chw-progress-wrapper +scrambled.world,shellshock.io##.respawn-container > .pauseFiller > .house-wrap +scrambled.world,shellshock.io##.house-small +scrambled.world,shellshock.io##.overlay_dark.overlay +scrambled.world,shellshock.io###spinnerOverlay +scrambled.world###big-house-ad + +! https://github.com/AdguardTeam/AdguardFilters/issues/136546 +hentaiworld.tv##+js(aeld, getexoloader) +hentaiworld.tv##+js(nowoif, /xlirdr|hotplay\-games|hyenadata/) +hentaiworld.tv###imagelink +hentaiworld.tv##.red-dot +hentaiworld.tv##article > .entry-content.clear > div[style] +hentaiworld.tv##article > .entry-content.clear > p +hentaiworld.tv##.section-slider + p +hentaiworld.tv##.section-slider.full-width-cont:last-of-type:has([href^="https://landing."]) +||hentaiworld.tv/footer-banners.html +hentaiworld.tv##.swiper-slide-visible:has(> a[target="_blank"]) +hentaiworld.tv##a[href^="https://hotplay-games.life/"] +hentaiworld.tv##.buton-main-link +hentaiworld.tv##.card-container:not([href^="https://hentaiworld.tv"]) + +! https://github.com/uBlockOrigin/uAssets/issues/13303 +erofound.com##+js(nosiif, ads) +erofound.com##+js(aopr, document.body.insertAdjacentHTML) +embed-player.space##+js(nowoif) +erome.com##+js(acs, $, exo) +erome.com##+js(aopr, tic) +erome.com##+js(aopw, tiPopAction) +erome.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/13314 +@@||g.doubleclick.net/tag/js/gpt.js$script,redirect-rule,domain=pomponik.pl + +! https://github.com/AdguardTeam/AdguardFilters/issues/118844 +trytutorial.com##+js(aopr, ai_run_scripts) + +! https://github.com/uBlockOrigin/uAssets/issues/13317 +@@||liveindex.org/wp-content/plugins/imedia-basic/*$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/119387 +! https://github.com/uBlockOrigin/uAssets/issues/18891 +apkmody.*##+js(nano-stb, download_loading, *) +apkmody.*##+js(nowoif) +apkmody.*##.download-ads +apkmody.*##.body-fixed-footer + +! https://golink.xaydungplus.com/5jv8H69 focus detection +golink.xaydungplus.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/13358 +agrarwetter.net##+js(aopw, detector_launch) + +! https://github.com/uBlockOrigin/uAssets/issues/13365 +flaticon.com##+js(aopr, pu_url) + +! https://github.com/uBlockOrigin/uAssets/issues/13369 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=tamrieltradecentre.com +tamrieltradecentre.com##[href*="sjv.io"]:remove() +tamrieltradecentre.com#@#ins.adsbygoogle[data-ad-slot] +tamrieltradecentre.com#@#ins.adsbygoogle[data-ad-client] +tamrieltradecentre.com##.glass-panel > ins.adsbygoogle:style(height: 10px !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/119613 +1l1l.to,cdn1.link,vikistream.com##+js(acs, setTimeout, admc) +! in case generic cosmetic filter is disabled ex. on mobile +cdn1.link###adholder + +! fastconverter. net popups +fastconverter.net##+js(nosiif, Click) +fastconverter.net##+js(ra, onclick, , stay) + +! https://github.com/uBlockOrigin/uAssets/issues/13374 +||enbdev.com/_main.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/13391 +extratorrent.*,torrentstatus.*,yts2.*,y2mate.*##+js(aopw, afStorage) +extratorrent.*,torrentstatus.*,yts2.*,y2mate.*##+js(nowoif) +torrentstatus.*,yts2.*,y2mate.*##+js(aopr, mm) + +! https://github.com/uBlockOrigin/uAssets/issues/13336 +! https://github.com/uBlockOrigin/uAssets/issues/13393 +corriere.it,oggi.it##+js(aeld, adb) +||rcsobjects.it/rcs_anti-adblocker +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=oggi.it,redirect-rule=google-ima.js +oggi.it##+js(set, google.ima.OmidVerificationVendor, {}) +oggi.it##+js(set, Object.prototype.omidAccessModeRules, {}) +corriere.it###rcsad_TopLeft_wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/13396 +forum.cstalking.tv##+js(aopw, checkAdBlocker) +forum.cstalking.tv##+js(no-fetch-if, ads) +cstalking.tv##.blockhead + +! javhat.tv popup, ad +embed-media.com##+js(aopr, __Y) + +! mangakita.net popup +mangakita.id,mangakita.net##+js(set, puShown1, true) + +! https://github.com/uBlockOrigin/uAssets/issues/13403 +@@||bbcamerica.com^$ghide + +! cdn.camsstream. com popunder +camsstream.com##+js(acs, onload, open) + +! https://www.reddit.com/r/uBlockOrigin/comments/uy6zl8/ads_started_show_up_on_top_of_video/ +||iamcdn.net/players/playhydraxs.min.js + +! https://github.com/uBlockOrigin/uAssets/issues/13417 +@@||amcplus.com^$ghide + +! gratflix.org popup +gratflix.org##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/120205 +||matystudios.github.io/banner_ad.png$image,redirect-rule=2x2.png + +! https://github.com/AdguardTeam/AdguardFilters/issues/120118 +! https://github.com/uBlockOrigin/uAssets/issues/16776 +@@||top-faucet.com^$ghide +top-faucet.com###ads2 +top-faucet.com##div[style]:has(> span[id^="ezoic"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/130155 +zertalious.xyz##+js(aopr, onAdblockerDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/16556 +sushiscan.*##+js(nosiif, daadb) + +! https://github.com/reek/anti-adblock-killer/issues/4530 +tech-story.net##+js(no-xhr-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/13463 +@@||videa.hu^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/8577 +iconmonstr.com##.container-content-ad +! https://github.com/uBlockOrigin/uAssets/issues/13461 +iconmonstr.com##+js(acs, document.getElementById, nextFunction) +iconmonstr.com##+js(aeld, DOMContentLoaded, adsBlocked) +iconmonstr.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/119883 +ta2deem7arbya.com##+js(aopr, adsBlocked) +ta2deem7arbya.com###mdtimer +ta2deem7arbya.com###makingdifferenttimer:style(display: block!important) +bestcash2020.com##+js(set, blurred, false) +bestcash2020.com##+js(nowoif) +bestcash2020.com#@#.banner-468x60 +bestcash2020.com#@#.banner-728x90 +bestcash2020.com##.banner-inner +||youtube.com/embed/$frame,domain=bestcash2020.com + +! https://www.elektronikpraxis.vogel.de ad reinsertion +*$xhr,redirect-rule=nooptext,domain=vogel.de|elektronikpraxis.de + +! https://github.com/uBlockOrigin/uAssets/issues/13801 +! https://github.com/uBlockOrigin/uAssets/issues/19266 +magicgameworld.com##+js(aost, document.getElementById, adsBlocked) + +! https://github.com/AdguardTeam/AdguardFilters/issues/120124 +@@||up-cripto.com^$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/120307 +netflav.com##.video_iframe_overlay_absolute_background_container +missav.*,missav123.com,missav888.com##div[x-show="showBanner"] +! https://github.com/uBlockOrigin/uAssets/issues/16375 +! https://github.com/AdguardTeam/AdguardFilters/issues/182426 +missav.*,missav123.com,missav888.com##+js(acs, document.createElement, htmlAds) +missav.*,missav123.com,missav888.com##+js(nowoif) +missav.*,missav123.com,missav888.com##^script:has-text(htmlAds) + +! wilifilm.net popup +wilifilm.net##+js(aopr, BetterJsPop) +wilifilm.net##^script:has-text(BetterJsPop.add) + +! wowroms.com timer, PH +wowroms.com##+js(nano-sib, second) +wowroms.com##.ulromlist > .element:has(> ul > li > .adsbygoogle) + +! 'undefined' leftover e.g. chintpurni.angelfire.com +! doesn't work on Fireofx e.g. zhra.angelfire.com but no big matter +angelfire.com##+js(acs, document.write, lycos_ad) +! https://github.com/uBlockOrigin/uAssets/issues/25264 +! angelfire.com##^script[type]:has-text(lycos_ad) + +! Paramount ad popup overlay +discussingfilm.net##.mfp-wrap +discussingfilm.net##.mfp-bg +discussingfilm.net##html:style(overflow: auto !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/v1s4c4/please_fix_antiadblocker_detection/ +! https://github.com/uBlockOrigin/uAssets/issues/14214 +*$script,domain=tieutietkiem.com,redirect-rule=noopjs +tieutietkiem.com##+js(set, detectAdBlock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/13504 +@@||mcqmall.com^$ghide +mcqmall.com##+js(no-fetch-if, ads) + +! anti adb iptvrun. com +iptvrun.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/13506 +@@||mathportal.org^$ghide +mathportal.org##ins.adsbygoogle +mathportal.org##.googleOglasVrhCalculatorResp +||mathportal.org/log/ + +! https://www.reddit.com/r/uBlockOrigin/comments/v2b6l4/asking_to_unblock_the_adblocker/ +! https://github.com/uBlockOrigin/uAssets/commit/8e9f9f843a337445a8fd71825470eb455e7c0ad0#commitcomment-75070676 +! https://github.com/uBlockOrigin/uAssets/issues/13808 +#@#.ad-placeholder +##.ad-placeholder:not(#filter_ads_by_classname):not(#detect_ad_empire):not(#detect):not(.adsbox) + +! https://github.com/uBlockOrigin/uAssets/issues/13516 +course9x.com##+js(aeld, , show) + +! 111.90.151.26 ads +111.90.151.26##+js(aopr, preroll_helper.advs) +111.90.151.26##+js(acs, jQuery, magnificPopup) +111.90.151.26##[href^="http://buaksib.in/"] + +! ifenpaidy. com overlay, popup +ifenpaidy.com##+js(aopr, Math.floor) +ifenpaidy.com##.in.fade.modal +ifenpaidy.com##.in.fade.modal-backdrop +ifenpaidy.com##body:style(overflow: auto !important;) + +! adsterra popups / frames +/\/[0-9a-z]{8,10}\?shu=[0-9a-z]{150,}/$doc +?key=*&submetric=$popup,3p +&key=*&adb=y$popup,3p +?campaign-key=*&key=*&publisherKey=*&placementIdentifier=$popup,3p +/watchnew?key=$frame,3p +/watchnew?shu=$frame,3p +/^https?:\/\/[-0-9a-z]{5,}\.com\/[0-9a-z]{8,10}\?key=[0-9a-f]{32}$/$frame,3p +?key=*&psid=https://$popup,3p +! https://github.com/uBlockOrigin/uAssets/issues/25495 +^psid=*&adb=$popup,3p + +! https://github.com/uBlockOrigin/uAssets/issues/13539 +@@||operationharshdoorstop.com^$ghide + +! exo ads, popups +dads-banging-teens.com,home-xxx-videos.com,mature-chicks.com,teens-fucking-matures.com##+js(aeld, getexoloader) +dads-banging-teens.com,home-xxx-videos.com,mature-chicks.com,teens-fucking-matures.com###dclm_modal_screen +dads-banging-teens.com,home-xxx-videos.com,mature-chicks.com,teens-fucking-matures.com###dclm_modal_content +dads-banging-teens.com,home-xxx-videos.com,mature-chicks.com,teens-fucking-matures.com###dclm-blur:style(filter: none !important) + +! counter https://github.com/easylist/easylist/commit/159996e82c77485d9c6a205e6792d3d5dd833962 +||amazon-adsystem.com/aax2/apstag.js$script,redirect=amazon_apstag.js,important,domain=time.com + +! yt-subs .com +/propeller-ads +yts-subs.*,subtitles.cam##+js(acs, setTimeout, admc) +yts-subs.net##+js(nostif, (), 150) + +! https://github.com/uBlockOrigin/uAssets/issues/18382 +! https://github.com/uBlockOrigin/uAssets/issues/25750 +distrowatch.com##body > h2 +distrowatch.com##.TablesTitle > div[style*="padding"] +distrowatch.com##.TablesTitle > div:not([style="padding"]):style(width: 100% !important;) +! distrowatch.com##table .Invert:has-text(/3cx|sponsor|tuxedo|star lab|free tech guides|malibal|advertisement|shells|purism/i):upward(table) +! distrowatch.com##table .Invert:has-text(/3cx|sponsor|tuxedo|star lab|free tech guides|malibal|advertisement|shells|purism/i):upward(table):upward([style="width: 20%; border: 0; margin: 0; padding: 0; vertical-align: top"]) +/^https:\/\/distrowatch\.com\/images\/[a-z]+\/[a-z]+$/$image,1p,domain=distrowatch.com + +! https://github.com/uBlockOrigin/uAssets/issues/13569 +turbo1.co##+js(nostif, getComputedStyle, 250) + +! https://forums.lanik.us/viewtopic.php?p=164278-adsup-lk#p164278 +adsup.lk##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/13577 +cryptomonitor.in##+js(nostif, show) + +! consoleroms.com,romspedia.com,romsgames.net,romsget.io timer, PH +consoleroms.com,romspedia.com##+js(nano-sib, timeLeft) +! the rule below works only occasionary +romsgames.net,romsget.io##+js(nano-stb, submit, 5000) +romspedia.com###ad1 +romspedia.com###ad2 + +! https://github.com/uBlockOrigin/uAssets/issues/13583 +2the.space##+js(aeld, scroll, modal) +2the.space##+js(no-fetch-if, googlesyndication.com) +2the.space##[id^="wcfloatDiv"] + +! https://github.com/uBlockOrigin/uAssets/issues/13587 +poscitech.*##+js(nowoif) +poscitech.*##+js(acs, setTimeout, admc) +poscitech.*##^script:has-text("admc") + +! https://github.com/AdguardTeam/AdguardFilters/issues/120976 +gay-tubes.cc##+js(aeld, DOMContentLoaded, adsBlocked) + +! komikav. com popups +komikav.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/13607 +@@*$xhr,domain=adclickersbot.com +@@||static.surfe.pro/js/net.js$script,domain=adclickersbot.com +adclickersbot.com##+js(aeld, , _0x) +adclickersbot.com##+js(nowoif, /^/, 1) +*$frame,domain=adclickersbot.com,redirect-rule=noopframe +*$image,domain=adclickersbot.com,redirect-rule=1x1.gif +||surfe.be^$important + +! 111.90.159.159 ads +111.90.159.159##+js(aopr, preroll_helper.advs) +111.90.159.159##+js(acs, jQuery, magnificPopup) +111.90.159.159##[href^="http://buaksib.in/"] +111.90.159.159###custom_html-3 + +! https://github.com/uBlockOrigin/uAssets/issues/13629 +weatherwx.com##+js(set, detectAdBlock, noopFunc) + +! Anti Adblock +sattaguess.com,winshell.de,rosasidan.ws##+js(set, detectAdBlock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/13635 +unblockit.*###ni-overlay +unblockit.*##+js(acs, setTimeout, admc) +unblockit.*##center + +! https://www.reddit.com/r/uBlockOrigin/comments/v87ylw/please_remove_anti_adblocker/ +moviegan.*##+js(no-xhr-if, ads) +moviegan.*##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) + +! https://github.com/uBlockOrigin/uAssets/issues/13639 +! bc.vc / bcvc. xyz (ex .live) +bcvc.*##+js(aopr, open) +bc.vc##+js(nowoif) +*$frame,3p,domain=bc.vc +||bc.vc/mload.gif$image +||punosy.top^$3p +@@||google.com^$frame,domain=bc.vc +||track.bcvc.mobi^$all +||skiptheadz.com^$all +||doaipomer.com^$all +/lp/?lID=*&zone=$doc + +! erotom.com ad +erotom.com##+js(acs, String.fromCharCode, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/13652 +@@||avpgalaxy.net^$xhr,1p +avpgalaxy.net##+js(set, passthetest, true) +avpgalaxy.net##.ab-all + +! https://www.reddit.com/r/uBlockOrigin/comments/v961kc/unwanted_tabs_httpsf1livegpmef1live3html_opens_a/ +! f1livegp. me +f1livegp.*##+js(acs, setTimeout, admc) + +! https://github.com/uBlockOrigin/uAssets/issues/13663 +beatsnoop.com,fetchpik.com##^script:has-text(googlesyndication) +beatsnoop.com,fetchpik.com##+js(rmnt, script, googlesyndication) + +! https://sub1s.com/LK7035487683H1 timer +sub1s.com##+js(ra, href, .unlock-step-link) +sub1s.com##+js(nano-stb, fa-unlock, 3000) + +! pelishouse.me/online fake player +pelishouse.*##+js(ra, href, #clickfakeplayer) + +! https://github.com/uBlockOrigin/uAssets/issues/13673 +tweakcentral.net##+js(aopr, checkBlock) + +! https://www.reddit.com/r/uBlockOrigin/comments/vadpyu/how_to_block_click_to_scroll_on_this_site/ +utopiascans.com##+js(ra, href, [href*="discord"]) + +! https://github.com/uBlockOrigin/uAssets/issues/13677 +! https://github.com/uBlockOrigin/uAssets/issues/13738 +! https://github.com/uBlockOrigin/uAssets/issues/14988 +! streamingcommunity .computer +@@||d2y8ttytgze7qt.cloudfront.net^$xhr,domain=streamingcommunity.* +@@||streamingcommunity.*/$xhr,1p +@@/popup*$script,1p,domain=streamingcommunity.* +streamingcommunity.*##+js(no-xhr-if, /thaudray\.com|putchumt\.com/) +streamingcommunity.*##+js(set, adBlockDetected, noopFunc) +streamingcommunity.*##body:style(overflow: auto !important) +streamingcommunity.*##^script:has-text(/adblock/i) +||googletagmanager.com^$xhr,domain=streamingcommunity.*,redirect-rule=noop.js +||streamingcommunity.$doc,csp=worker-src blob: +||streamingcommunity.*/sw.js^ +streamingcommunity.*##+js(rpnt, script, /^.+/s, navigator.serviceWorker.getRegistrations().then((registrations=>{for(const registration of registrations){if(registration.scope.includes("streamingcommunity.computer")){registration.unregister()}}}));, condition, swDidInit) +! https://github.com/uBlockOrigin/uAssets/issues/26177 +streamingcommunity.*##.slide-banner:has(> .slide-banner__container) +streamingcommunity.*##+js(aeld, click, popName) +streamingcommunity.*##+js(nowoif, _blank) +||streamingcommunity.*/slide-banner/$all +streamingcommunity.*##+js(rmnt, script, blockAdBlock) + +! tennistream. com => players => popups +larsenik.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/13680 +/main.js$script,3p,domain=criptologico.com +@@||criptologico.com^$script,1p +criptologico.com##[src^="blob"] +criptologico.com##[href^="https://dobywale.xyz"] +/^https:\/\/[a-z]{8}\.xyz\/main\.js$/$script,3p + +! sportbible anti adb on video +sportbible.com#@#div[class*="Advert"] +sportbible.com##.dfp-ad-unit:upward(1) + +! https://github.com/uBlockOrigin/uAssets/issues/13707 +rbxscripts.net##+js(aeld, DOMContentLoaded, adsBlocked) +rbxscripts.net##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/13711 +farescd.com##+js(no-xhr-if, php) + +! yout.pw popup +yout.pw##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/13720 +@@||elektrotanya.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/13721 +! https://github.com/uBlockOrigin/uAssets/issues/13857 +modmakers.xyz,gamepure.in,warrenrahul.in##+js(set, detectAdBlock, noopFunc) +modmakers.xyz,gamepure.in,warrenrahul.in###wpsafe-generate:style(display: block !important;) +modmakers.xyz,gamepure.in,warrenrahul.in###wpsafe-link:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/13726 +||cloud.hentai-moon.com/moonads/*$media,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/vd02rc/anti_adblock/ +areatopik.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/13746 +nokiahacking.pl##+js(aopr, adsbygoogle.loaded) + +! https://github.com/uBlockOrigin/uAssets/issues/13755 +freeshib.biz##+js(acs, document.createElement, onerror) +freeshib.biz##+js(no-fetch-if, vlitag) +||vlitag.com^$domain=freeshib.biz,redirect-rule=noopjs + +! https://github.com/AdguardTeam/AdguardFilters/issues/122005 +! https://github.com/uBlockOrigin/uAssets/issues/16192 +javct.net##+js(aopr, asgPopScript) +*$script,3p,denyallow=cloudflare.com|cloudflare.net|jsdelivr.net|jsdelivr.map.fastly.net,domain=javct.net + +! https://github.com/easylist/easylist/pull/12322 +anisearch.com###rightA +anisearch.com###content > #start + .pagewidth[style^="margin-left: 11px;"] +! https://github.com/uBlockOrigin/uAssets/issues/24764 +! https://github.com/uBlockOrigin/uAssets/issues/24981 +@@||anisearch.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/13762 +veryfreeporn.com##+js(aopr, Object) +veryfreeporn.com##+js(nowoif) +veryfreeporn.com##^script:has-text(popMagic) +veryfreeporn.com##.js-mob-popup + +! https://github.com/AdguardTeam/AdguardFilters/issues/122167 +uporn.icu##+js(acs, decodeURI, decodeURIComponent) + +! https://forums.lanik.us/viewtopic.php?t=47623-goodstream-uno +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=goodstream.* + +! moviewatch .com.pk ads +moviewatch.com.pk##+js(aopw, atOptions) +moviewatch.com.pk##+js(acs, document.createElement, appendChild) +moviewatch.com.pk##[href*="?key="] + +! https://github.com/uBlockOrigin/uAssets/issues/13795 +r10.net##img[width="728"][height="90"] + +! https://github.com/uBlockOrigin/uAssets/issues/13803 +austiblox.net##+js(aopr, document.body.innerHTML) +austiblox.net##+js(set, detectAdBlock, noopFunc) +austiblox.net##+js(rmnt, script, /adblock|location\.replace/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/122258 +javrank.com##.text-center:has(> div.koukoku_1) +||adspy.javrank.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/13809 +palixi.net##+js(no-fetch-if, adsbygoogle) + +! https://forums.lanik.us/viewtopic.php?p=164429-nsfw-xxxxsx-com#p164429 +xxxxsx.com##^responseheader(location) +xxxxsx.com##+js(cookie-remover) +xxxxsx.com##+js(nostif, href) +xxxxsx.com##.ps + +! https://file.gocmod.com/1jar3X72m2dD/file - focus detection +file.gocmod.com##+js(aeld, blur) + +! https://github.com/AdguardTeam/AdguardFilters/issues/122543 +zojav.com##+js(aopr, __Y) +jav68.net#@#.ads-header + +! voirseries. rip popups +voirseries.*##.salidor_inner +voirseries.*###playerOver +netu.*###qdiv +.com/add.php^$xhr,3p +voirseries.*##.report-pub + +! https://github.com/uBlockOrigin/uAssets/issues/13827 +*$script,redirect-rule=noopjs,domain=feyorra.site + +! hh3dhay.xyz/com popup +hh3dhay.com##.float-ck-center-lt + +! moviesland. eu/ .xyz +moviesland.*##+js(aopr, __Y) +moviesland.*##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/13837 +*$script,domain=doge25.in,redirect-rule=noopjs +doge25.in##+js(no-fetch-if, /ads|track/) + +! https://github.com/uBlockOrigin/uAssets/issues/13843 +rimworldbase.com##+js(aopr, ai_run_scripts) +rimworldbase.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/13848 +@@||ads.reddit.com/ads.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/13854 +@@||geolocation-db.com/json/$xhr,domain=filepress.* + +! https://github.com/uBlockOrigin/uAssets/issues/13855 +! https://github.com/uBlockOrigin/uAssets/issues/19404 +nullpk.com##+js(acs, eval, replace) +nullpk.com##+js(nostif, showModal) + +! https://github.com/easylist/easylist/commit/fe4dc3fe7623d70db6cb9c3b22e8a614f67fa011 +||doubleclick.net/tag/js/gpt.js$script,important,domain=webmd.com + +! https://github.com/uBlockOrigin/uAssets/issues/13868 +@@||tusachxinhxinh.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/13871 +apksafe.in##+js(no-fetch-if, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/123015 +||xxx18.uno/*-code.js + +! https://github.com/uBlockOrigin/uAssets/issues/13870 +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##.XPromoBlockingModal +!reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##xpromo-nsfw-blocking-modal +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##.m-blurred:style(filter: none !important;) +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##xpromo-new-nsfw-blocking-modal +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##[style^="filter:"]:style(filter: none !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/13879 +@@*$ghide,domain=bishopsstortfordindependent.co.uk|cambridgeindependent.co.uk|dissexpress.co.uk|fenlandcitizen.co.uk|granthamjournal.co.uk|kentonline.co.uk|lynnnews.co.uk|newarkadvertiser.co.uk|rutland-times.co.uk|spaldingtoday.co.uk|stamfordmercury.co.uk|suffolknews.co.uk|velvetmag.co.uk +bishopsstortfordindependent.co.uk,cambridgeindependent.co.uk,dissexpress.co.uk,fenlandcitizen.co.uk,granthamjournal.co.uk,lynnnews.co.uk,kentonline.co.uk,newarkadvertiser.co.uk,rutland-times.co.uk,spaldingtoday.co.uk,stamfordmercury.co.uk,suffolknews.co.uk,velvetmag.co.uk##[id*="mpu"]:style(height: 1px !important) +bishopsstortfordindependent.co.uk,cambridgeindependent.co.uk,dissexpress.co.uk,fenlandcitizen.co.uk,granthamjournal.co.uk,lynnnews.co.uk,kentonline.co.uk,newarkadvertiser.co.uk,rutland-times.co.uk,spaldingtoday.co.uk,stamfordmercury.co.uk,suffolknews.co.uk,velvetmag.co.uk##[class*="MPU"]:style(height: 1px !important) +stamfordmercury.co.uk#@#.MPU +kentonline.co.uk#@#.mpu + +! https://github.com/FastForwardTeam/FastForward/issues/565 +mhma12.tech##+js(nano-sib, timer, 1500) +mhma12.tech##+js(set, timeset, 0) +hoxiin.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/14041 +wpking.in##.adbox > center > .adbox +wpking.in##section > center > .adbox + +! https://github.com/AdguardTeam/AdguardFilters/issues/123094 +linkbin.me##+js(aopr, Object.prototype.loadCosplay) +linkbin.me##+js(aopr, Object.prototype.loadImages) + +! btcbunch. com detection +*$script,redirect-rule=noopjs,domain=btcbunch.com +btcbunch.com##+js(rmnt, script, /downloadJSAtOnload|Object.prototype.toString.call/) + +! https://github.com/uBlockOrigin/uAssets/issues/13891 +! https://github.com/uBlockOrigin/uAssets/issues/15308 +! https://github.com/uBlockOrigin/uAssets/issues/21402 +! https://github.com/uBlockOrigin/uAssets/issues/22829 +! https://github.com/uBlockOrigin/uAssets/issues/22839 +embedmoon.*,filemoon.*,kerapoxy.*,moonmov.pro##+js(nowoif) +filemoon.*##+js(acs, navigator, popunder) +filemoon.*##+js(nano-sib, seconds) +filemoon.*##+js(aopr, FMPoopS) +filemooon.top##+js(noeval-if, popunder) +embedmoon.*,filemoon.*,kerapoxy.*##+js(acs, document.querySelectorAll, popMagic) +embedmoon.*,filemoon.*,kerapoxy.*##+js(acs, Math, /window\['(?:\\x[0-9a-f]{2}){2}/) +filemoon-59t9ep5j.xyz,filemoon-nv2xl8an.xyz##+js(acs, Math.floor, urls.length) +*$script,3p,denyallow=gstatic.com,domain=filemoon-59t9ep5j.xyz|filemoon-nv2xl8an.xyz +||filemoon.nl/ad/imp?$xhr,redirect-rule=nooptext +||filemoon.in/dl +||filemoon.in/js/custom_pop.js +||filemoon.*/player/jw8/vast.js$script,1p +||moonmov.pro/js/baf.js$script,1p +||kerapoxy.*/js/baf.js$script +||embedmoon.*/js/baf.js$script +##div[style="position: fixed; display: block; width: 100%; height: 100%; inset: 0px; background-color: rgba(0, 0, 0, 0); z-index: 300000;"] +||8q7tvj34.xyz^ +||markedoneofth.com^ +||oppoteammate.com^ +||selfservesenpai.*^$all + +! nosteam popup +nosteam.ro,nosteamgames.ro,nosteam.com.ro##+js(nowoif) +nosteam.ro##+js(acs, jQuery, click) +@@||nosteam.ro/notcaptcha/adheader.js$domain=nosteamgames.ro +nosteamgames.ro##+js(aopr, _wm) + +! https://github.com/AdguardTeam/AdguardFilters/issues/123311 +javenglish.me##+js(aopr, __Y) + +! https://github.com/easylist/easylist/issues/12450 +trustexploration.com,sportsembed.*,sportsonline.*##+js(acs, setTimeout, admc) +sportsonline.*##+js(acs, Object.defineProperty, break) +*$script,3p,denyallow=cloudflare.net|jsdelivr.net|fastly.net|swarm.video,domain=sportsonline.* +*$script,3p,domain=maxsport.one|sportz.football +||terribledeliberate.com^$all +sportsonline.*##^script:has-text("admc") +sportsonline.*##^script:has-text(\"admc\") +/deb.html$frame,1p +sportsonline.*###html1 + +! https://github.com/AdguardTeam/AdguardFilters/issues/123342 +speedynews.xyz##+js(nano-sib, updatePercentage, 100, 0.02) +speedynews.xyz##div[id^="speedynews_"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/123438 +ps2-bios.com##+js(acs, document.getElementById, innerHTML) + +! sports stuff rojadirecta. asia /nstream. to +*$script,3p,denyallow=cloudflare.com|gstatic.com|jsdelivr.net|fastly.net|swarm.video|zencdn.net,domain=nstream.to + +! actusports. eu +*$script,3p,denyallow=jsdelivr.net|fastly.net|swarm.video,domain=warnforlese.net +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.net|jquery.com|hwcdn.net|jsdelivr.net|fastly.net|googleapis.com,domain=fclecteur.com + +! https://github.com/uBlockOrigin/uAssets/issues/13914 +flixtormovies.co##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/13915 +||flixtor.movie/ajax/script.php$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/13917 +! https://github.com/uBlockOrigin/uAssets/issues/15700 +! https://github.com/uBlockOrigin/uAssets/issues/22252 +softonic.*##+js(set-cookie, softonic-r2d2-view-state, 1) +softonic.*##.sam-slot +||filehippo.*/revamp.js$script,1p + +! sexemix. com popMagic (classic filter fails), preRoll +sexemix.com##+js(aost, document.createElement, /(?=^(?!.*(https)))/) +sexemix.com##+js(set, flashvars.adv_pre_src, '') + +! https://www.reddit.com/r/uBlockOrigin/comments/vrljrz/block_popup_overlay_cant_scroll_now/ +*$script,xhr,domain=intibia.com,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/13930 +mangaprotm.com##+js(acs, eval, replace) + +! https://github.com/easylist/easylist/issues/12454 +*$3p,domain=direct-cloud.* + +! https://github.com/uBlockOrigin/uAssets/issues/13940 +bluedrake42.com##+js(nostif, adb) + +! calidadcine. net popups +calidadcine.net##+js(aopw, afStorage) + +! teachoo. com anti adb +teachoo.com##+js(aopr, importantFunc) +! https://github.com/uBlockOrigin/uAssets/issues/19236 +teachoo.com##^script:has-text(numberPages) +teachoo.com##+js(rmnt, script, numberPages) + +! https://github.com/AdguardTeam/AdguardFilters/issues/123560 +go.linkbnao.com,link-yz.com##+js(set, blurred, false) +tecnicalboy.com##fixedbanner + +! pianoweb. fr anti adb +*$script,domain=pianoweb.fr,redirect-rule=noopjs + +! links4u. co popups +links4u.co##+js(aost, document.createElement, /(?=^(?!.*(http)))/) +links4u.co##+js(aost, Object, webpack) + +! https://github.com/uBlockOrigin/uAssets/issues/13948 +apkmagic.com.ar##+js(acs, eval, replace) + +! https://rpdrlatino.com/episodio/big-boys-1x4/ popup +! https://github.com/uBlockOrigin/uAssets/issues/21870 +rpdrlatino.live##+js(aopr, BetterJsPop) +rpdrlatino.live##+js(set, adblockcheck, false) +rpdrlatino.live##+js(nowoif, , 10) + +! edoujin.net popunder/redirect +edoujin.net##+js(aost, String.prototype.charCodeAt, /(?=^(?!.*(https|Object)))/) +edoujin.net##+js(refresh-defuser) +edoujin.net##^meta[http-equiv="refresh"] + +! https://forums.lanik.us/viewtopic.php?t=47686-maisonbrico-com +maisonbrico.com##+js(aopr, console.warn) +maisonbrico.com##[id^="pub"] + +! https://github.com/uBlockOrigin/uAssets/issues/13955 +odum.cl##+js(acs, $, sam) + +! pornobae.com popup +pbtube.co##+js(aopr, BetterJsPop) + +! https://github.com/uBlockOrigin/uAssets/issues/13966 +pl#@#.advert +elektroda.pl#@#+js(set, loadElement, noopFunc) +elektroda.pl##*:has(> .top-box-caption:has-text(/REKLAMA|WERBUNG/) + a) + +! https://github.com/uBlockOrigin/uAssets/issues/13961 +*$media,domain=link.paid4file.com +link.paid4file.com##+js(set, go_popup, {}) +link.paid4file.com##+js(nowoif) +link.paid4file.com##.blog-content +link.paid4file.com##.banner-inner +link.paid4file.com##.page-header +link.paid4file.com##.card-body +link.paid4file.com##.card-img-top + +! helmiau. com anti adb +helmiau.com##+js(acs, document.createElement, open) + +! https://www.reddit.com/r/uBlockOrigin/comments/veh6rr/ai_dungeon_2_now_has_ads/icxvo7f/ anti adb +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=play.aidungeon.io +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl$script,domain=play.aidungeon.io +||doubleclick.net^$frame,redirect-rule=noopframe,domain=play.aidungeon.io +play.aidungeon.io#@#ins.adsbygoogle[data-ad-slot] +play.aidungeon.io#@#ins.adsbygoogle[data-ad-client] +play.aidungeon.io##+js(nano-sib, current()) + +! https://github.com/AdguardTeam/AdguardFilters/issues/123928 +bitssurf.com##+js(acs, document.getElementById, ads) + +! https://ex-foary.com/McXedugT timer, popup +gawbne.com,forex-trnd.com##+js(nano-sib, counter, 2000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/123875 +||bmfads.com^$script,redirect-rule=noopjs +||gosixs.com/adss/$frame +||gosixs.com/bbc/$frame + +! https://github.com/adsbypasser/adsbypasser/issues/3750 +paylinnk.com##+js(set, blurred, false) + +! hentaivideos.net pounder, ad +hentaivideos.net##+js(noeval-if, popUnderStage) +hentaivideos.net##.aside-banner +||hentaivideos.net/imp/ + +! https://github.com/uBlockOrigin/uAssets/issues/3026 +! https://github.com/uBlockOrigin/uAssets/issues/18815 +coolrom.com.au##+js(set, time, 0) +! https://github.com/uBlockOrigin/uAssets/issues/13986 +coolrom.com.au##+js(acs, confirm, location) +coolrom.com.au###td-top-leaderboard-1 +coolrom.com.au###td-top-mpu-1 +coolrom.com.au###td-bottom-mpu-1 +! https://github.com/uBlockOrigin/uAssets/issues/22396 +coolrom.com.au##font > table:has([href*="/offers/"]) +coolrom.com.au##+js(set-cookie, modal_cookie, yes) + +! https://news.ycombinator.com/item?id=32031880#32033154 +thephoblographer.com##.mrf-adv__wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/14007 +! https://www.reddit.com/r/uBlockOrigin/comments/y0bjug +! https://www.reddit.com/r/uBlockOrigin/comments/z0m8no +panda-novel.com,zebranovel.com##+js(set, pandaAdviewValidate, true) +panda-novel.com,zebranovel.com##[class^="novel-ins"] + +! https://github.com/uBlockOrigin/uAssets/issues/14012 +! https://github.com/uBlockOrigin/uAssets/issues/14197 +ksl.com##+js(acs, showAdBlock) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect-rule=noopjs,domain=ksl.com +@@||cloudfront.net/videojs/videojs-contrib-ads.js$script,domain=ksl.com + +! https://github.com/uBlockOrigin/uAssets/issues/14011 +mlb66.ir##+js(nowoif) +mlb66.ir##.overlay-wrapper +||mlb66.ir/*.php$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/14014 +technichero.com##+js(nostif, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/14018 +/hillpop.php|$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/14024 +3dmili.com##+js(rmnt, script, deblocker) +||3dmili.com^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +3dmili.com##.homeadv +||3dmili.com/*.gif$image +3dmili.com###abm + +! https://github.com/AdguardTeam/AdguardFilters/issues/124348 +claim.fun##input[type="submit"]:style(display: block !important;) +enit.in##+js(set, timeSec, 0) +@@||claim.fun^$ghide +||crypto-fire.website/mine/partner/$3p +||datacheap.io/vue.min.js +||quiziizz.github.io/cdnjs.js +! https://github.com/uBlockOrigin/uAssets/issues/16504 +claim.fun##+js(no-xhr-if, czilladx) + +! https://github.com/uBlockOrigin/uAssets/issues/14029 +@@||thizissam.in^$ghide +thizissam.in##.ezoic-ad +thizissam.in##.ad-container +thizissam.in##ins.adsbygoogle +thizissam.in###Dbtn +thizissam.in##[id^="AT-Download"]:style(display: block !important;) +thizissam.in##+js(nano-sib, counter, , 0.02) +thizissam.in##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/14037 +||grow.gab.com/get/status?video=tv$xhr,domain=tv.gab.com,redirect=nooptext +||grow.gab.com/galahad/$media +tv.gab.com###ad-clicks-overlay + +! https://phimdacap.com/xem-phim-thanh-pho-mat-tich-the-lost-city-thuyet-minh-118607.html ads and popup +phimdacap.com##[data-id="catfish"] +phimdacap.com##[data-id="popup"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/124326 +cardscanner.co##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/14042 +itstillworks.com##.logo,.blinker:style(animation: none !important;) + +! https://github.com/uBlockOrigin/uAssets/pull/14057 +whatsappmods.net##+js(nano-sib, l, , 0) +whatsappmods.net##.fa-clock-o + +! https://github.com/uBlockOrigin/uAssets/issues/14058 +ifreemagazines.com##+js(aopr, ai_run_scripts) + +! https://www.reddit.com/r/uBlockOrigin/comments/w1cgvj/antiblock_warning/ +! https://github.com/uBlockOrigin/uAssets/issues/19544 +ngontinh24.com##+js(nostif, aaaaa-modal) + +! https://www.reddit.com/r/uBlockOrigin/comments/vzu2fw/stop_adblock_detection_here/ +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect-rule=google-ima.js,domain=s4c.cymru + +! peladas69. com popunder +peladas69.com##+js(aopr, decodeURI) + +! theporngod.com ad +theporngod.com##+js(set, flashvars.adv_pre_vast, '') +theporngod.com##+js(set, flashvars.adv_pre_vast_alt, '') +theporngod.com##.banners +theporngod.com##.table +theporngod.com##[id^="cw-"] +theporngod.com##.closebox +theporngod.com##+js(rmnt, script, popMagic) + +! leaknud.com popup +leaknud.com##+js(aopw, afStorage) +leaknud.com##^script:has-text(afScript) + +! box-manga. com ads +box-manga.com###ads728x90top + +! https://github.com/uBlockOrigin/uAssets/issues/14065 +! https://github.com/uBlockOrigin/uAssets/issues/14658 +! https://github.com/uBlockOrigin/uAssets/issues/17224 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=colonist.io +@@||services.vlitag.com/adv1/?q=$script,domain=colonist.io +@@||tag.vlitag.com/v1/$script,domain=colonist.io +@@||assets.vlitag.com/plugins/cmptcf2/cmp-v$script,domain=colonist.io +@@||assets.vlitag.com/prebid/default/prebid-$script,domain=colonist.io +@@||assets.vlitag.com/plugins/safeframe/src/js/sf_host.min.js$script,domain=colonist.io +@@||services.vlitag.com/obj/$xhr,domain=colonist.io +@@||services.vlitag.com/cli/$xhr,domain=colonist.io +colonist.io#@#.adsbyvli +colonist.io##.adsbyvli:style(height: 1px !important; opacity: 0 !important; pointer-events: none !important;) +@@||colonist.io^$ghide +@@||colonist.io^$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/124861 +nullforums.net##+js(nostif, show) + +! adblockeronstreamtape. xyz/me popups +adblockeronstreamtape.*##+js(nowoif) +adblockeronstreamtape.*##+js(nano-stb, counter) + +! vostanimez. tv => player ddl-francais. com popups +ddl-francais.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/14077 +course-downloader.com##+js(acs, addEventListener, blocker) + +! arkcod. org anti adb +arkcod.org##+js(nostif, location) + +! https://github.com/AdguardTeam/AdguardFilters/issues/124919 +getintoway.com##+js(no-fetch-if, googlesyndication) +getintoway.com###wpsafe-generate,div[id^="wpsafe-wait"] +getintoway.com###wpsafe-link:style(display: block !important;) +! https://github.com/uBlockOrigin/uAssets/issues/18675 +getintoway.com##+js(noeval-if, adsBlocked) +getintoway.com##+js(no-xhr-if, /googlesyndication|doubleclick/) + +! bang14.com popup +bang14.com##+js(acs, $, setCookie) + +! movierulzhd. one (chp adb det) +movierulzhd.*##+js(acs, document.getElementById, adsBlocked) +movierulzhd.*##+js(aost, document.createElement, /(?=^(?!.*(http)))/) + +! https://www.reddit.com/r/uBlockOrigin/comments/w5hu7x/ +||messaging.sourcepoint.com^$script,domain=autocar.co.uk + +! Ads (Indonesian) +animasu.club###lmd-iklan + +! https://github.com/uBlockOrigin/uAssets/issues/14104 +roshiyatech.my.id##+js(nostif, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/14115 +@@||documaniatv.com^$script,xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/14134 +@@||delicious-audio.com^$ghide +delicious-audio.com##.big-ads-show + +! streaming-french.net popup +streaming-french.net##+js(aopr, BetterJsPop) +streaming-french.net##^script:has-text(BetterJsPop.add) + +! secretstash.in adserver call +secretstash.in##+js(noeval) + +! https://www.liveone.com/ anti adb +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect-rule=noopjs,domain=liveone.com + +! https://orbispatches. com/CUSA06560 anti adb +@@||orbispatches.com^$ghide +orbispatches.com##.adsbyvli:style(max-height: 1px !important;) +@@||vlitag.com^$script,xhr,domain=orbispatches.com +||assets.vlitag.com/plugins/*$important,script,domain=orbispatches.com +||assets.vlitag.com/prebid/*$important,script,domain=orbispatches.com + +! https://github.com/uBlockOrigin/uAssets/issues/14176 +idevicecentral.com##+js(nostif, ()=>) + +! https://github.com/AdguardTeam/AdguardFilters/issues/125763 +lib.hatenablog.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/14198 +komputerswiat.pl##+js(acs, $onet, adblock) + +! https://vebo1.com popup +vebo1.com##+js(aopr, adsRedirectPopups) + +! https://github.com/uBlockOrigin/uAssets/issues/14209 +zadfaucet.com##+js(set, verifica_adblock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/14226 +ewrc-results.com##+js(set, canGetAds, true) +ewrc-results.com##+js(no-xhr-if, googlesyndication) + +! https://www.reddit.com/r/uBlockOrigin/comments/wephc1/ +@@||yt2save.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/14237 +theappstore.org##+js(no-fetch-if, adsbygoogle, length:11000) + +! https://github.com/uBlockOrigin/uAssets/issues/14238 +dzeko11.net##+js(nostif, keepChecking) + +! https://github.com/uBlockOrigin/uAssets/issues/14248 +*$script,redirect-rule=noopjs,domain=sprawdzwegiel.pl + +! https://ier.ai/cWf9T98 popup, fake button, focus +ier.ai##+js(nowoif) +ier.ai##+js(set, blurred, false) +ier.ai##a[href][target="_blank"] > img + +! https://www.reddit.com/r/uBlockOrigin/comments/wflozi/ +imhentai.xxx###slider + +! https://github.com/AdguardTeam/AdguardFilters/issues/126350 +tokuvn.com##+js(acs, goToURL) + +! https://www.reddit.com/r/uBlockOrigin/comments/wjev66/received_an_admiral_antiadblock_popup_despite/ +worldpopulationreview.com##.video-container + +! 7movierulz. sh => ncdnstm. com/xyz player popups +ncdnstm.*##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/14338 +kizi.com##+js(set, ad_blocker_active, false) + +! https://github.com/uBlockOrigin/uAssets/issues/14341 +wa.de##.id-Page-layoutWrap, .id-SiteWrap, .id-SiteHeader-wrap:style(width: 100% !important; max-width: 100% !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/14345 +! https://github.com/uBlockOrigin/uAssets/issues/25240 +||nitropay.com/*.gif?$image,3p,redirect=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/14366 +cyberscoop.com##+js(set, init_welcome_ad, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/126957 +mboost.me##+js(nano-stb, setinteracted, 2000) +mboost.me##+js(ra, href, .MediaStep, stay) +mboost.me##.MediaStep:style(cursor: pointer !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/14353#issuecomment-1212844691 +! https://github.com/uBlockOrigin/uAssets/issues/16730 +! https://github.com/uBlockOrigin/uAssets/issues/23940 +||api.*.com/v1/videos?channel_handle=$xhr,1p +utreon.com##.ad-banner-static + +! https://github.com/uBlockOrigin/uAssets/issues/14383 +||petri.com/wp-content/plugins/bww-wp-advertising^ +||petri.com/wp-json/bww-advertising^ + +! https://github.com/uBlockOrigin/uAssets/issues/14346 +||stream.cz/*/v2/vast$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/14386 +sumikai.com##.td-pb-span8:style(width: 100% !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/14388 +! https://github.com/uBlockOrigin/uAssets/issues/17158 +adslink.pw##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +adslink.pw##+js(no-xhr-if, googlesyndication) +adslink.pw##+js(set, blurred, false) +adslink.pw##+js(nostif, showModal) +*$image,redirect-rule=2x2.png,domain=adslink.pw|jpopsingles.eu +||adslink.pw/*.php +||jpopsingles.eu/*.php +*$script,xhr,3p,denyallow=cloudflare.com|gravatar.com,domain=adslink.pw|jpopsingles.eu +adslink.pw##^script:has-text(chp_ads_blocker_detector) +! https://www.reddit.com/r/uBlockOrigin/comments/y91yer/ +jpopsingles.eu##style[id$="-css"]:remove() + +! https://www.reddit.com/r/uBlockOrigin/comments/wndk5f/how_do_you_bypass_deblocker/ik575ml/ +freedwnlds.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/13931#issuecomment-1186193894 +apkcombo.com##+js(aeld, DOMContentLoaded, clientHeight) +apkcombo.com##div[class*=-ad] +apkcombo.com##p:has-text(Advertisement) + +! canale. live anti adb +canale.live##+js(set, moneyAbovePrivacyByvCDN, true) +canale.live##+js(nosiif, href) +*$popunder,domain=canale.live + +! Ad-Shield +! https://github.com/uBlockOrigin/uAssets/issues/21385 +! https://github.com/uBlockOrigin/uAssets/issues/25178 +! https://missyusa.com/mainpage/content/index.asp - HTML filtering issue +*$doc,csp=script-src-attr 'none',to=badmouth1.com|freemcserver.net +||html-load.com/loader.min.js$domain=badmouth1.com|freemcserver.net +||content-loader.com/loader.min.js$redirect=noopjs,domain=mlbpark.donga.com +dogdrip.net##+js(no-fetch-if, /ad\.doubleclick\.net|static\.dable\.io/) +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js|$script,xhr,domain=etoday.co.kr|dogdrip.net|infinityfree.com|smsonline.cloud|slashdot.org +@@||static.criteo.net/js/ld/publishertag.prebid.js|$xhr,domain=dogdrip.net|infinityfree.com|smsonline.cloud|slashdot.org +@@||securepubads.g.doubleclick.net/tag/js/gpt.js|$script,domain=dogdrip.net|infinityfree.com|smsonline.cloud|slashdot.org +@@*$ghide,domain=dogdrip.net|infinityfree.com|smsonline.cloud|slashdot.org +||html-load.com^$redirect=noopjs,domain=carscoops.com|dziennik.pl|eurointegration.com.ua|flatpanelshd.com|fourfourtwo.co.kr|hoyme.jp|issuya.com|iusm.co.kr|logicieleducatif.fr|mydaily.co.kr|mynet.com|onlinegdb.com|pravda.com.ua|reportera.co.kr|sportsrec.com|sportsseoul.com|taxguru.in|text-compare.com|thesaurus.net|tweaksforgeeks.com|videogamemods.com|wfmz.com|winfuture.de|worldhistory.org|automobile-catalog.com|motorbikecatalog.com|maketecheasier.com|etnews.com|palabr.as|motscroises.fr|cruciverba.it|oradesibiu.ro|w.grapps.me|gazetaprawna.pl|pressian.com +||07c225f3.online^$redirect=noopjs,domain=jjang0u.com +blog.esuteru.com,blog.livedoor.jp,carscoops.com,dziennik.pl,eurointegration.com.ua,flatpanelshd.com,fourfourtwo.co.kr,hoyme.jp,issuya.com,itainews.com,iusm.co.kr,logicieleducatif.fr,mydaily.co.kr,mynet.com,onlinegdb.com,picrew.me,pravda.com.ua,reportera.co.kr,sportsrec.com,sportsseoul.com,taxguru.in,text-compare.com,tweaksforgeeks.com,videogamemods.com,wfmz.com,winfuture.de,worldhistory.org,etnews.com,palabr.as,motscroises.fr,cruciverba.it,oradesibiu.ro,w.grapps.me,gazetaprawna.pl,pressian.com##+js(nostif, error-report.com) +thesaurus.net,automobile-catalog.com,motorbikecatalog.com,maketecheasier.com##+js(nostif, loader.min.js) +mlbpark.donga.com##+js(nostif, content-loader.com) +jjang0u.com##+js(nostif, ()=>, 5000) +cboard.net###left-ba +ygosu.com,bamgosu.site##iframe[src^="https://tab2.clickmon.co.kr/"] +ygosu.com,bamgosu.site##iframe[src^="https://cdn.nhnace.com/"] +ygosu.com,bamgosu.site##div[style="text-align:center"]:has(> iframe[src]) +*$doc,csp=script-src-attr 'none',to=m.economictimes.com|ondemandkorea.com +dogdrip.net,infinityfree.com##ins.adsbygoogle:style(height: 1px !important; visibility: hidden !important;) +||ad-shield.cc^ +||html-load.cc^ +||07c225f3.online^$font,ping +||content-loader.com^$font,ping +||css-load.com^$font,ping +||img-load.com^$font,ping +||html-load.com^$font,ping +||html-load.com^$script,xhr,domain=blog.esuteru.com|blog.livedoor.jp|itainews.com|jin115.com|lamire.jp|picrew.me|ndtvprofit.com|autoby.jp|bg-mania.jp|crosswordsolver.com|cruciverba.it|daily.co.jp|dailydot.com|demotywatory.pl|dziennik.pl|dnevno.hr|forsal.pl|game8.jp|gazetaprawna.pl|gloria.hr|heureka.cz|j-cast.com|j-town.net|jablickar.cz|javatpoint.com|jmty.jp|joemonster.org|kompasiana.com|kurashiru.com|lacuarta.com|laleggepertutti.it|mamastar.jp|mariowiki.com|m.economictimes.com|meeco.kr|mirrored.to|mistrzowie.org|motscroises.fr|oeffnungszeitenbuch.de|ondemandkorea.com|oraridiapertura24.it|palabr.as|persoenlich.com|petitfute.com|powerpyx.com|quefaire.be|rabitsokuhou.2chblog.jp|rostercon.com|sourceforge.net|suzusoku.blog.jp|the-crossword-solver.com|thestockmarketwatch.com|trilltrill.jp|tvtv.ca|tvtv.us|watchdocumentaries.com|webdesignledger.com|wfmz.com|word-grabber.com|wort-suchen.de|woxikon.*|yutura.net|zagreb.info|golf-live.at|motherlyvisions.com|kreuzwortraetsel.de|raetsel-hilfe.de|verkaufsoffener-sonntag.com|horairesdouverture24.fr|nyitvatartas24.hu|modhub.us|ff14net.2chblog.jp|news4vip.livedoor.biz|onecall2ch.com|yugioh-starlight.com|winfuture.de|automobile-catalog.com|motorbikecatalog.com|talkwithstranger.com|apkmirror.com|wetteronline.de|syosetu.com +||css-load.com^$domain=ygosu.com|loawa.com|bamgosu.site|thestockmarketwatch.com +||css-load.com^$redirect=noopjs,domain=honkailab.com +||07c225f3.online^$domain=economist.co.kr|hometownstation.com|sportalkorea.com|edaily.co.kr|isplus.com|tenasia.hankyung.com|etoday.co.kr +||html-load.com^$redirect=noopjs,domain=raenonx.cc|indiatimes.com|freemcserver.net|missyusa.com +raenonx.cc,indiatimes.com,missyusa.com##+js(nostif, error-report.com) +indiatimes.com##+js(set, objAd.loadAdShield, noopFunc) +netzwelt.de##+js(set, window.myAd.runAd, noopFunc) +etoday.co.kr##+js(rpnt, script, window.dataLayer =, '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/common/css/m_default.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/window.dataLayer =') +isplus.com##+js(rpnt, script, $(document).ready, '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/css_renew/m/m_common.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/$(document).ready', sedCount, 1) +etoday.co.kr##+js(rpnt, script, window.dataLayer =, '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/common/css/etoday.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/window.dataLayer =') +isplus.com##+js(rpnt, script, window.dataLayer =, '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/css_renew/pc/common.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/window.dataLayer =') +ygosu.com,bamgosu.site##+js(trusted-replace-argument, HTMLScriptElement.prototype.setAttribute, 1, {"value": "(function(){let link=document.createElement('link');link.rel='stylesheet';link.href='//image.ygosu.com/style/main.css';document.head.appendChild(link)})()"}, condition, error-report) +loawa.com##+js(trusted-replace-argument, HTMLScriptElement.prototype.setAttribute, 1, {"value": "(function(){let link=document.createElement('link');link.rel='stylesheet';link.href='https://loawa.com/assets/css/loawa.min.css';document.head.appendChild(link)})()"}, condition, error-report) +economist.co.kr##+js(rpnt, script, _paq.push, '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/css/pc/ecn_common.min.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/_paq.push') +hometownstation.com##+js(rpnt, script, window.dataLayer =, '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/wp-content/themes/hts_v2/style.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/window.dataLayer =') +sportalkorea.com##+js(rpnt, script, window.dataLayer =, '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/_css/css.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/window.dataLayer =') +thestockmarketwatch.com##+js(rpnt, script, document.getElementById("divRecentQuotes"), '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/css/so-clean.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/document.getElementById("divRecentQuotes")') +m.edaily.co.kr##+js(rpnt, script, var _paq =, '/*start*/(function(){let link=document.createElement("link");link.rel="stylesheet";link.href="/Content/css/style.css";document.head.appendChild(link)})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/var _paq =', sedCount, 1) +honkailab.com##+js(rpnt, script, var localize =, '/*start*/(function(){document.querySelectorAll("script[wp-data]").forEach(element=>{const html=new DOMParser().parseFromString(atob(element.getAttribute("wp-data")),"text/html");html.querySelectorAll("link:not([as])").forEach(linkEl=>{element.after(linkEl)});element.parentElement.removeChild(element);})})();document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/var localize =', sedCount, 1) +honkailab.com##body:style(background-color: #2D2D2D;) +a-ha.io,cboard.net,joongdo.co.kr,viva100.com,gamingdeputy.com,alle-tests.nl##+js(noeval-if, /07c225f3\.online|content-loader\.com|css-load\.com|html-load\.com/) +automobile-catalog.com,motorbikecatalog.com##+js(rmnt, script, error-report.com) +interfootball.co.kr,a-ha.io,cboard.net,jjang0u.com,joongdo.co.kr,viva100.com,gamingdeputy.com,thesaurus.net,alle-tests.nl,maketecheasier.com,automobile-catalog.com,allthekingz.com,motorbikecatalog.com,tweaksforgeeks.com,m.inven.co.kr,mlbpark.donga.com##+js(rmnt, script, KCgpPT57bGV0IGU) +worldhistory.org##+js(rmnt, script, adShield) +lovelive-petitsoku.com,pravda.com.ua##+js(rmnt, script, Ad-Shield) +mariowiki.com##+js(rmnt, script, .xyz/script/) +ap7am.com,cinema.com.my,dolldivine.com,giornalone.it,iplocation.net,jutarnji.hr,kompasiana.com,mediaindonesia.com,nmplus.hk,slobodnadalmacija.hr##+js(rmnt, script, adrecover.com) +cinema.com.my##+js(trusted-suppress-native-method, HTMLScriptElement.prototype.setAttribute, '"data-sdk"', abort) +winfuture.de##+js(aeld, load, error-report.com) +picrew.me,winfuture.de##+js(trusted-replace-argument, HTMLScriptElement.prototype.setAttribute, 1, noopFunc, condition, error-report.com) +allthetests.com,apkmirror.com,autoby.jp,automobile-catalog.com,blog.esuteru.com,blog.livedoor.jp,carscoops.com,crosswordsolver.com,cruciverba.it,daily.co.jp,dailydot.com,dnevno.hr,dziennik.pl,dziennik.pl,ff14net.2chblog.jp,forsal.pl,freemcserver.net,game8.jp,gazetaprawna.pl,globalrph.com,golf-live.at,heureka.cz,horairesdouverture24.fr,indiatimes.com,itainews.com,j-cast.com,j-town.net,jablickar.cz,javatpoint.com,jin115.com,jmty.jp,kreuzwortraetsel.de,kurashiru.com,lacuarta.com,lacuarta.com,laleggepertutti.it,mamastar.jp,meeco.kr,mirrored.to,modhub.us,motorbikecatalog.com,motscroises.fr,news4vip.livedoor.biz,nyitvatartas24.hu,oeffnungszeitenbuch.de,onecall2ch.com,oraridiapertura24.it,palabr.as,persoenlich.com,petitfute.com,powerpyx.com,quefaire.be,rabitsokuhou.2chblog.jp,raetsel-hilfe.de,rostercon.com,slashdot.org,sourceforge.net,suzusoku.blog.jp,syosetu.com,talkwithstranger.com,the-crossword-solver.com,thestockmarketwatch.com,trilltrill.jp,tvtv.ca,tvtv.us,verkaufsoffener-sonntag.com,watchdocumentaries.com,webdesignledger.com,wetteronline.de,wfmz.com,winfuture.de,winfuture.de,word-grabber.com,wort-suchen.de,woxikon.*,yugioh-starlight.com,yutura.net,zagreb.info##+js(rmnt, script, html-load.com) +||bg-mania.jp/assets/js/anymanagerrecover.js^ +||cdn.jsdelivr.net/npm/as-essential^ +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/357#discussioncomment-10468169 +||asset.ad-shield.cc/images$image,3p,redirect=32x32.png +! https://github.com/uBlockOrigin/uAssets/issues/26681 +||xyz/script/www.dolldivine.com.js + +! https://github.com/uBlockOrigin/uAssets/issues/21346 +||thesaurus.net/public/desktop/images/*grammarly$image,1p +thesaurus.net##.grammarly-bnr, #grammarly_link, #clickable-area-left, #clickable-area-right, a[href^="https://grammarly.go2cloud.org/"], a[href*="aff_"] + +! https://github.com/uBlockOrigin/uAssets/issues/14370 +! https://github.com/uBlockOrigin/uAssets/issues/19731 +! https://github.com/uBlockOrigin/uAssets/issues/23027 +instagram.com##main > div div[style*="flex-direction: column;"] > article > div:has(> div:first-child span:has-text(/Anzeige|Gesponsert|Sponsored|Geborg|Maksettu kumppanuus|Sponzorováno|Sponsoreret|Χορηγούμενη|Publicidad|Sponsoroitu|Sponsorisé|Bersponsor|Sponsorizzato|広告|광고|Ditaja|Sponset|Gesponsord|Sponsorowane|Patrocinado|Реклама|Sponsrad|ได้รับการสนับสนุน|May Sponsor|Sponsorlu|赞助内容|贊助|প্রযোজিত|પ્રાયોજિત|स्पॉन्सर्ड|Sponzorirano|ಪ್ರಾಯೋಜಿತ|സ്‌പോൺസർ ചെയ്‌തത്|पुरस्‍कृत|प्रायोजित|ਪ੍ਰਾਯੋਜਿਤ|මුදල් ගෙවා ප්‍රචාරය කරන ලදි|Sponzorované|விளம்பரதாரர்கள்|స్పాన్సర్ చేసింది|Được tài trợ|Спонсорирано|Commandité|Sponsorizat|Спонзорисано/)) +instagram.com##article:has(a[href^="https://www.facebook.com/ads/"]):style(height: 0 !important; overflow: hidden !important;) +! https://github.com/uBlockOrigin/uAssets/issues/24097 +instagram.com##+js(json-prune, data.xdt_injected_story_units.ad_media_items) + +! https://github.com/uBlockOrigin/uAssets/issues/14431 +gewinde-normen.de##+js(nostif, nextFunction, 2000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/127611 +rakuten.com#@#.google-ads + +! https://www.reddit.com/r/uBlockOrigin/comments/wty11m/adblocker_detected_on_hentaiseasoncom/ +hentaiseason.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/14489 +courseclub.me##+js(nostif, show) +courseclub.me##+js(aeld, , show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/127233 +descargasok.*##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/14500 +brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##._2gSkZ:style(height: 150px !important;) +brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##header:style(top: 0 !important) + +! https://github.com/uBlockOrigin/uAssets/issues/14515 +! https://github.com/uBlockOrigin/uAssets/issues/20372 +! https://thenightwithoutthedawn.blogspot.com/ anti adblock +||cdn.wendycode.com/blogger/antiAdb$script +||cdn.wendycode.com/blogger/globalAdb.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/14510 +#@#.ad-content +##.ad-content:not(:empty) +backcar.fr,flat-ads.com,job.inshokuten.com,kontol.in#@#.ad-content:not(:empty) +comic.pixiv.net##iframe.ad-content + +! https://github.com/uBlockOrigin/uAssets/issues/14518 +! https://github.com/uBlockOrigin/uAssets/issues/15111 +minhaconexao.com.br##+js(set, canRunAds, true) +minhaconexao.com.br##+js(no-xhr-if, doubleclick) + +! https://github.com/uBlockOrigin/uAssets/issues/14529 +lover92.net##+js(acs, history) + +! https://github.com/uBlockOrigin/uAssets/issues/14545 +kpopjams.com##+js(acs, dataLayer, detectAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/19069 +@@||emailnator.com^$ghide +emailnator.com##+js(nostif, adsbygoogle) +emailnator.com##.position-relative tr:has(a[href="https://tools-ai.online"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/127824 +bluedollar.net##+js(acs, jQuery, adblock) +bluedollar.net##div[id^="aub"] +bluedollar.net##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/14567 +downloadudemy.com##+js(nostif, showModal) +downloadudemy.com##+js(nano-stb, countdown) + +! javmix .tv popup +pornhubed.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/14566 +allpremium.net##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/127346 +komiklokal.me##+js(aopr, JuicyPop) +komiklokal.me##+js(nowoif) +||komiklokal.me/wp-content/uploads/*-1024x512.png + +! https://github.com/uBlockOrigin/uAssets/issues/14565 +! https://github.com/uBlockOrigin/uAssets/issues/19326 +flipkart.com##span:has-text(/^Ad$/):upward(div[style]) +flipkart.com##div[data-id] > div[data-tkid] > div[class]:has-text(Sponsored):upward(div[data-id]) +flipkart.com##div[data-id]:has(rect[width="62"][height="18"][fill="white"] + path[d^="M5.82955"][fill="#9E9E9E"]) +flipkart.com##div[dir]:has-text(/^(?:Sponsored|AD)$/):upward(div[id^="_parentCtr_"] > div[style^="transform: translate"]) +flipkart.com##div[style*="width:24px;height:20px;"]:has(img[src*="/promos/"]):upward(div[style]) + +! https://github.com/uBlockOrigin/uAssets/issues/14602 +tamarindoyam.com##+js(nostif, show) + +! https://www.reddit.com/r/uBlockOrigin/comments/x2exom/ +! https://github.com/uBlockOrigin/uAssets/issues/26003 +thothd.com##.table +/player/player_ads.html?advertising_id=$frame,1p,redirect=noop.html +/player/stats.php?$image,redirect=1x1.gif +#@#.ads-iframe +##.ads-iframe:not([style="position: absolute; left: -10px; top: -10px;"]) + +! https://github.com/uBlockOrigin/uAssets/issues/14610 +mafiatown.pl##+js(rmnt, script, AreLoaded) + +! https://github.com/uBlockOrigin/uAssets/issues/14617 +rtl.de##+js(nostif, null, 10) +@@||iocnt.net^$script,domain=rtl.de +@@||googletagmanager.com/gtm.js$script,domain=rtl.de +||ais-akamai.rtl.de/autoimg/*$frame,1p +rtl.de##[class*="superbanner"]:upward(article > div:not(#main)) +rtl.de##[class^="AdSlot_"] + +! https://www.reddit.com/r/uBlockOrigin/comments/wzwgpa/how_would_one_go_about_removing_this_countdown_so/ +! https://www.reddit.com/r/uBlockOrigin/comments/13twgku/ +crdroid.net##+js(no-fetch-if, googlesyndication) +crdroid.net##+js(nano-sib, count) +crdroid.net##.blocker-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/14622 +police.community##+js(nostif, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/14623 +archpaper.com##+js(aopw, adBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/14624 +gisarea.com##+js(nostif, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/14626 +jeep-cj.com##+js(set, document.body.contains, trueFunc) +jeep-cj.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/14629 +comentariodetexto.com,wordpredia.com##+js(aeld, DOMContentLoaded, adsBlocked) +comentariodetexto.com,wordpredia.com##+js(no-xhr-if, googlesyndication) + +! https://thiepmung.com/ anti adb +thiepmung.com##+js(acs, nothingCanStopMeShowThisMessage) + +! https://www.reddit.com/r/uBlockOrigin/comments/x4bypz/ +sponsorhunter.com##+js(aeld, click, window.focus) +sponsorhunter.com##+js(set, popunder, undefined) + +! https://www.rlxtech.tech/p/redirect.html?&&url=_https://cdn.iobit.com/dl/asc-ultimate-setup.exe timer +rlxtech.tech##+js(nano-sib, count) +! https://www.reddit.com/r/uBlockOrigin/comments/1dhoaoe/adblock_detected_at/ +rlxtech24h.com##+js(acs, document.createElement, AdBlock) + +! moddroid.co => .com ads and popups +moddroid.com##+js(nowoif) +||moddroid.com/static/js/pa-$script + +! https://github.com/uBlockOrigin/uAssets/issues/14621 +@@||api.adinplay.com/libs/aiptag/assets/adsbygoogle.js$xhr,domain=lordz.io + +! https://github.com/uBlockOrigin/uAssets/issues/14654 +choiceofmods.com##+js(nostif, show) + +! https://www.reddit.com/r/uBlockOrigin/comments/x4bypz/how_to_block_scam_site_redirects_on_each_click/imwetod/ +sab.bz##+js(aopr, jsPopunder) + +! https://github.com/uBlockOrigin/uAssets/issues/14664 +schaken-mods.com##+js(nostif, adblock) + +! https://www.reddit.com/r/uBlockOrigin/comments/x5w2kt/adblock_detected_help/ +truyenaudiocv.net##+js(aopr, adblockDetect) + +! https://www.reddit.com/r/uBlockOrigin/comments/x5y9k0/how_do_i_put_a_stop_to_an_elusive_popupredirect/ +kissasia.cc##+js(aeld, , 0x) +kissasia.cc##[href*="&refer"][target="_blank"] +! https://www.reddit.com/r/uBlockOrigin/comments/y7gv2z/ +kissasia.cc##+js(aopr, mm) + +! tennistream. com => streamservicehd +streamservicehd.click##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/14716 +||officepoolstop.com/images/ads/*$image,1p,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/14720 +||nautiljon.com/static/js/adblock_detector.js$script,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/14722 +||popcashjs.b-cdn.net^ +||zerion.cc/assets/js/pcm.js +||zerion.cc/assets/js/pk.js +zerion.cc##+js(aopr, popns) +zerion.cc##+js(no-fetch-if, googlesyndication) +zerion.cc##+js(nostif, appendChild) + +! https://github.com/AdguardTeam/AdguardFilters/issues/129190 +playerjavseen.com##+js(aopr, __Y) + +! https://github.com/AdguardTeam/AdguardFilters/issues/129177 +koreanbj.club##+js(aopr, BetterJsPop) + +! https://github.com/uBlockOrigin/uAssets/issues/14729 +||googles.video/$media,redirect=noopmp3-0.1s +||cdend.com^$media,redirect=noopmp3-0.1s +||movie285.com/*.gif$image + +! https://github.com/AdguardTeam/AdguardFilters/issues/129221 +alexsports.*##^script:has-text('shift') +alexsports.*##^script:has-text(\'shift\') +alexsports.*##+js(aopr, mm) +/ts.php?$xhr,3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/129232 +myqqjd.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/14748 +listatv.pl##+js(nostif, nextFunction) +listatv.pl##ins.adsbygoogle + +! https://github.com/easylist/easylist/pull/13249/ +monstream.org##+js(aopr, BetterJsPop) + +! https://github.com/uBlockOrigin/uAssets/issues/14764 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect-rule=google-ima.js:5,domain=novelgames.com + +! https://github.com/uBlockOrigin/uAssets/issues/14766 +mangacrab.com##+js(nostif, , 500) + +! https://github.com/AdguardTeam/AdguardFilters/issues/129302 +||xbjav.com/*/adv/adv.js$script +||xbjav.com/asset/js/vast.js$script +xbjav.com##.place +xbjav.com##.poplayer +xbjav.com##.table + +! https://github.com/AdguardTeam/AdguardFilters/issues/129296 +/nativeads_v2/nativeads_v2_$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/129299 +javedit.com##.ads_video_overlay_mobile + +! https://github.com/uBlockOrigin/uAssets/issues/14775 +@@||uploadydl.com^$ghide +uploadydl.com##iframe[src="about:blank"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/128800 +ssdtop.com##+js(nostif, show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/128650 +visalist.io##+js(no-xhr-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/14788 +@@||endless-live.cz^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/14792 +@@||stokerpiller.dk^$ghide +stokerpiller.dk##.adsbygoogle:style(max-height: 1px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/14802 +sexgayplus.com##+js(acs, decodeURI, decodeURIComponent) +player.hdgay.net##+js(aopr, BetterJsPop) +gaydam.net,hdgay.net##+js(nowoif, , 10) +sexgayplus.com##.float-ck +||player.hdgay.net/cdn-cgi/trace + +! https://github.com/abp-filters/abp-filters-anti-cv/pull/1169 +hortonanderfarom.blogspot.com##+js(nostif, pop) + +! https://github.com/uBlockOrigin/uAssets/issues/14703 +multiplayer.it##+js(aeld, , adb) + +! https://github.com/uBlockOrigin/uAssets/issues/14809 +apkhex.com##+js(nostif, show) + +! liveru. sx popunder +liveru.sx##+js(aopr, decodeURI) + +! https://github.com/uBlockOrigin/uAssets/issues/14829 +yourdictionary.com##.header:style(top: 0 !important) + +! https://github.com/uBlockOrigin/uAssets/issues/14834 +supermarioemulator.com##+js(nostif, adb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/128185 +@@||supercloudsms.com^$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/124354 +! https://github.com/uBlockOrigin/uBlock-issues/issues/2045 +@@||metin2hub.com^$script,1p +@@||metin2hub.com^$ghide +metin2hub.com##.xgt-Banner-Kutusu + +! popups https://github.com/uBlockOrigin/uAssets/issues/14847 +vkprime.com##+js(nano-sib) + +! https://github.com/AdguardTeam/AdguardFilters/issues/106769 +gezegenforum.com##+js(nostif, show) + +! https://www.reddit.com/r/uBlockOrigin/comments/xf090u/ublock_being_detected_on_httpsbeelinkpro/ +beelink.pro##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/14797 +! https://github.com/uBlockOrigin/uAssets/issues/4931 +@@||adpass.atresmedia.com/*/adjs.js$xhr,domain=atresplayer.com +@@||atresplayer.com^$ghide +@@||assets.adobedtm.com^$xhr,domain=atresplayer.com +||mssl.fwmrm.net/libs/adm/*/AdManager.js$domain=atresplayer.com,important,badfilter +@@||imasdk.googleapis.com/js/sdkloader/vpaid_adapter.js$script,domain=lasexta.com +||publi.atresmediapublicidad.com^$media,domain=lasexta.com,redirect=noopmp3-0.1s +! https://github.com/uBlockOrigin/uAssets/issues/17272 +@@||atresmedia.com^$xhr,domain=atresplayer.com +@@||smetrics.atresplayer.com^$xhr,1p +||atresmediapublicidad.com^$media,domain=atresplayer.com,redirect=noopmp3-0.1s +! https://www.reddit.com/r/uBlockOrigin/comments/16m91qq/atresplayer_antiadblock/ +||v.fwmrm.net/ad/g/1?*_html5_live$domain=atresplayer.com,important +atresplayer.com##+js(nano-stb, [native code], 5000) +atresplayer.com##+js(no-fetch-if, doubleclick) +! https://www.reddit.com/r/uBlockOrigin/comments/1akp86c/i_cant_see_this_stream_site_need_help/ +@@||fwmrm.net^*/admanager.js$script,3p,domain=atresplayer.com + +! https://github.com/uBlockOrigin/uAssets/issues/14864 +bianity.net##.bn-lg.bn-p-b +bianity.net##.bn-lg-sidebar + +! https://www.reddit.com/r/uBlockOrigin/comments/xftqyc/need_help_with_anti_adblock_video_overlay/ +deutschekanale.com##+js(no-fetch-if, imasdk) +deutschekanale.com##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/14868 +@@||thenetnaija.net^$ghide +@@||sabishare.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/14870 +divxfilmeonline.net,vidscdns.com##+js(nowoif) +vidscdns.com##+js(aopr, doSecondPop) + +! https://github.com/AdguardTeam/AdguardFilters/issues/129745 +pahaplayers.click##^script:has-text(popunder) +pahaplayers.click##+js(aost, Date.now, afScript) + +! https://github.com/uBlockOrigin/uAssets/issues/14887 +||googlesyndication.com/favicon.ico$image,redirect-rule=1x1.gif + +! iptvapps. net anti-adb, elements +iptvapps.net##+js(nostif, show) +iptvapps.net##[id*=id]:has([src*="/ads/"]) + +! https://www.reddit.com/r/uBlockOrigin/comments/xh0iih/ +! https://github.com/uBlockOrigin/uAssets/issues/16980 +! https://github.com/uBlockOrigin/uAssets/issues/17319 +@@||static.yieldmo.com/ym.adv.min.js$script,domain=cloud-computing-central.com|cloudcomputingtopics.net +@@||ads.pubmatic.com/AdServer/js/pwt/*/pwt.js$script,domain=cloud-computing-central.com|cloudcomputingtopics.net +cloudcomputingtopics.net##+js(set, distance, 0) + +! https://www.reddit.com/r/uBlockOrigin/comments/xguj3m/ +||pururin.to/assets/js/pop.js$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/150990 +null-scripts.net,nullscripts.net##+js(nostif, show) +@@||nullscripts.net^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/130051 +video-to-mp3-converter.com##+js(nowoif, !/^\//) + +! seriesmetro. net popups +seriesmetro.net##+js(aopr, afStorage) + +! https://www.reddit.com/r/uBlockOrigin/comments/xil5y3/ +||desktopnexus.com/pb-ads/ +desktopnexus.com###rightcolumn > .rbox > .rboxInner img[alt="Advertisement"]:upward(.rbox) +desktopnexus.com##.wallpaperSidebarAds:upward(div) + +! sports stuff +crichd.*##+js(nowoif) +livetvon.*##+js(aopw, u_cfg) +*$3p,script,domain=streamgo.to|streamgoto.* +*$script,3p,denyallow=cloudflare.net|fastly.net|peer5.com|jsdelivr.net|cloudflare.com,domain=wecast.to +*$script,3p,denyallow=fastly.net|jsdelivr.net|cloudflare.net,domain=techclips.net +*$script,3p,denyallow=cloudflare.com|cloudflare.net|fontawesome.com|jsdelivr.net|fastly.net,domain=blacktiesports.net +*$3p,script,denyallow=bootstrapcdn.com|cloudflare.net|googleapis.com|jquery.com|hwcdn.net|jsdelivr.net|fastly.net,domain=vikistream.com|noob4cast.com +*$script,3p,denyallow=chatango.com,domain=livetvon.* +cricfree.*##+js(aopr, afScript) +###micast_ads + +! https://github.com/uBlockOrigin/uAssets/issues/14965 +dropmms.com##+js(aeld, load, undefined) +dropmms.com##+js(acs, document.onkeydown) + +! https://github.com/AdguardTeam/AdguardFilters/issues/130310 +bloground.ro##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/14977 +witcherhour.com##+js(nostif, show) +witcherhour.com##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/14994 +emsnow.com##+js(acs, document.getElementById, fakeElement) + +! https://github.com/uBlockOrigin/uAssets/issues/14990 +freebinance.top##+js(no-xhr-if, popunder) +*$script,redirect-rule=noopjs,domain=freebinance.top + +! https://github.com/AdguardTeam/AdguardFilters/issues/130241 +/\/static\/[0-9a-z]+/[0-9a-z]+\.js$/$script,1p,domain=fleshed.com + +! https://github.com/easylist/easylist/issues/13407 +||porno365.bingo^$image,1p,redirect-rule=1x1.gif + +! https://www.reddit.com/r/uBlockOrigin/comments/xl1sq6/crackle_is_detecting_ubo_again/ +@@||crackle.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/14981 +likecs.com##+js(set, document.onclick, '') +likecs.com##.contentbef + +! https://github.com/uBlockOrigin/uAssets/issues/15028 +clamor.pl##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/15034 +.php$frame,domain=watchfreekav.com + +! https://github.com/uBlockOrigin/uAssets/issues/14849 +cbs.com,paramountplus.com##+js(xml-prune, Period[id*="-roll-"][id*="-ad-"], , pubads.g.doubleclick.net/ondemand) + +! tok-thots. com popups + anti adb +||thothd.com^$image,1p,redirect-rule=1x1.gif + +! rankersadda. in anti adblock +rankersadda.in##+js(acs, addEventListener, google_ad_client) + +! tiscali. it ad reinsertion +tiscali.it##+js(set, adEnable, true) + +! protege-torrent. com popups +protege-torrent.com##+js(aeld, , pop) +protege-torrent.com##+js(aopr, decodeURI) + +! ottverse. com anti adb +ottverse.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/15058 +hokej.net##+js(nostif, blur) + +! https://github.com/uBlockOrigin/uAssets/issues/15062 +@@||shoop.de^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/14296 +soft98.ir,~forum.soft98.ir##+js(aeld, click, open) +soft98.ir,~forum.soft98.ir##+js(aeld, contextmenu, preventDefault) +||img.soft98.ir^$image,1p,redirect-rule=1x1.gif +@@||soft98.ir^$ghide +soft98.ir,~forum.soft98.ir##+js(window-close-if, /link-) +linkdoni.soft98.ir##html:remove() +sysban.ir##+js(window-close-if, /telephone-service) +smostafa.ir##+js(window-close-if, /^/) +coffeete.ir##+js(window-close-if, /soft98) +||cdn.hostdl.com/goto/soft98^$doc,csp=script-src +cdn.hostdl.com##^responseheader(location) +cdn.hostdl.com##:matches-path(soft98) html:remove() +||iranicard.ir^$doc,removeparam=utm_source +||iranicard.ir^$doc,removeparam=utm_campaign +||iranicard.ir/payments/shopping/amazon/?utm_medium=Banner^$doc,csp=script-src +iranicard.ir##:matches-path(/utm_medium=Banner/i) html:remove() +||faradars.org^$doc,removeparam=utm_source +||faradars.org^$doc,removeparam=utm_campaign +||faradars.org/explore?orderby=views&*&utm_medium=banner-kaprila^$doc,csp=script-src +faradars.org##:matches-path(/utm_medium=banner-kaprila/i) html:remove() +||cxchief.com^$doc,removeparam=utm_source +||cxchief.com^$doc,removeparam=utm_campaign +||cxchief.com^$doc,removeparam=utm_content +||cxchief.com/fa/?utm_medium=adv^$doc,csp=script-src +cxchief.com##:matches-path(/utm_medium=adv/i) html:remove() +||smostafa.ir/?utm_source=footer^$doc,csp=script-src +smostafa.ir##:matches-path(/utm_source=footer/i) html:remove() + +! https://github.com/uBlockOrigin/uAssets/issues/15073 +upiapi.in##+js(set, detectAdBlock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/18244 +! https://github.com/uBlockOrigin/uAssets/issues/19433 +! https://github.com/uBlockOrigin/uAssets/issues/22074 +*&caid=$xhr,removeparam=caid,domain=max.com +play.max.com##+js(json-prune, ssaiInfo fallback.ssaiInfo) +play.max.com##+js(xml-prune, xpath(//*[name()="MPD"]/@mediaPresentationDuration | //*[name()="Period"]/@start | //*[name()="Period"][not(.//*[name()="SegmentTimeline"])][not(.//*[name()="ContentProtection"])] | //*[name()="Period"][./*[name()="BaseURL"]][not(.//*[name()="ContentProtection"])]), , .mpd) +play.max.com##+js(json-prune, adtech-brightline adtech-google-pal adtech-iab-om) + +! https://github.com/AdguardTeam/AdguardFilters/issues/130913 +forexfactory.com##.adbit + +! https://github.com/easylist/easylist/commit/d3d87f8b48ae5380687742c0727a076b11394758#commitcomment-85272282 +.popup_im. + +! https://github.com/easylist/easylist/commit/41585eef7ac00181cbc1f52ecb031853a8c78928#commitcomment-85271038 +/vhdpoppingmodels/*$script + +! javsubbed.net popup +javsubbed.xyz##+js(aopr, __Y) + +! https://github.com/easylist/easylist/commit/bb94bacdb7765b503a4d22c8e9e4b096cff25e7b#commitcomment-85496285 +theblock.co##.modal-container[ga-event-label$="Prime Trust_Modal"] +theblock.co##.overflow-hidden:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/15112 +||imasdk.googleapis.com^$script,redirect=noopjs,domain=newschannelnebraska.com + +! sexjobs.es popunder +sexjobs.es##+js(acs, JSON.parse, htmlSectionsEncoded) +sexjobs.es##.topBanners + +! https://novelssites.com/yxWvM popup and focus detect +novelssites.com##+js(aeld, click, event.dispatch) +novelssites.com##+js(nowoif) +novelssites.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/15126 +||fundingchoicesmessages.google.com^$script,redirect=noop.js,domain=kledgeb.blogspot.com,important + +! nozomi.la popup +nozomi.la##+js(set, D4zz, noopFunc) +nozomi.la##+js(aopw, __aaZoneid) + +! https://github.com/uBlockOrigin/uAssets/issues/15131 +@@||quicksounds.com^$ghide +quicksounds.com##.ad-head + +! https://github.com/uBlockOrigin/uAssets/issues/12884 +links.medipost.org##+js(set, blurred, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/ynjx62/ +||thisiswaldo.com/static/js$script,redirect-rule=noop.js +||cloudfront.net/prebid_$script,redirect-rule=noop.js +! https://github.com/uBlockOrigin/uAssets/issues/15139 +haxina.com##+js(aeld, load, adblock) +*$script,redirect-rule=noopjs,domain=haxina.com +@@/libs/advertisement.js?ad_ids=*&show_ad=$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/15277 +! https://github.com/uBlockOrigin/uAssets/issues/15278 +||coinzillatag.com^$script,redirect-rule=noopjs +! https://github.com/uBlockOrigin/uAssets/issues/15428 +*$script,redirect-rule=noopjs,domain=bitcotasks.com +bitcotasks.com##[src^="https://cryptocoinsad.com/ads/"] +! https://github.com/uBlockOrigin/uAssets/issues/15428#issuecomment-1479046908 +bitcotasks.com##+js(aeld, load, htmls) +bitcotasks.com##^script:has-text(htmls) +/files/banners/*.gif$image,domain=bitcotasks.com +bitcotasks.com##+js(refresh-defuser) +bitcotasks.com##+js(no-xhr-if, bmcdn6) +bitcotasks.com##+js(no-fetch-if, bmcdn6) +bitcotasks.com##body > iframe#frame +bitcotasks.com##+js(rmnt, script, AdblockRegixFinder) +@@||static.ads-twitter.com/uwt.js$script,domain=bitcotasks.com +@@||coinzillatag.com/lib/fp.js$script,domain=bitcotasks.com +||bitcotasks.com/assets/ads.php$frame,1p +||bcgame.top/*&utm_source=$frame,domain=bitcotasks.com +! https://github.com/uBlockOrigin/uAssets/issues/16207 +hatecoin.me###wcfloatDiv4 +||hbagency.it^ + +! https://github.com/uBlockOrigin/uAssets/issues/15140 +||assets.maxroll.gg/wp-content/assets/img/adblock/$image +maxroll.gg##.adsmanager-ad-container + +! https://github.com/uBlockOrigin/uAssets/issues/15144 +! https://github.com/uBlockOrigin/uAssets/issues/15157 +*$script,redirect-rule=noopjs,domain=freetron.top +freetron.top##+js(no-xhr-if, adx) +freetron.top##.ads + +! https://www.reddit.com/r/uBlockOrigin/comments/xulvsp/ +@@||inforge.net^$ghide + +! root-nation. com clickable background +root-nation.com##+js(set, td_ad_background_click_link, undefined) +root-nation.com##body.td-background-link:style(cursor:default !important;) +||root-nation.com/*banner +||root-nation.com/wp-content/uploads/*background$image + +! https://github.com/uBlockOrigin/uAssets/issues/15154 +hilites.today#@#ins.adsbygoogle[data-ad-slot] +hilites.today#@#ins.adsbygoogle[data-ad-client] +hilites.today##div[style^="height:"]:has(> ins.adsbygoogle) +hilites.today##+js(acs, $, onload) +hilites.today##+js(rmnt, script, /adScript|adsBlocked/) +hilites.today##+js(no-xhr-if, googlesyndication) +||monu.delivery^$script,redirect=noopjs,domain=hilites.today + +! techydino. net popup +techydino.net##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15158 +ozulscans.com##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/15169 +! https://github.com/uBlockOrigin/uAssets/issues/16342 +torrentmac.net##+js(aeld, , Math) +torrentmac.net##+js(nostif, show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/131464 +bitporno.*##+js(aopr, _run) +bitporno.*##+js(aopw, atOptions) +||bitporno.to/popup18.js + +! https://github.com/uBlockOrigin/uAssets/issues/15174 +mazakony.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/15176 +@@||tumblr.com^$ghide +tumblr.com#@#.Yc2Sp +tumblr.com#@#.Qrht9 + +! udvl. com popups +! https://github.com/uBlockOrigin/uAssets/issues/22020 +udvl.com##+js(acs, $, open) +udvl.com##+js(rmnt, script, serve) +udvl.com###adv4-wrap +udvl.com##+js(aeld, DOMContentLoaded, popupurls) + +! https://www.reddit.com/r/uBlockOrigin/comments/xy8gak/ +laptechinfo.com##+js(nostif, show) + +! chp https://github.com/uBlockOrigin/uAssets/issues/15192 +imageupscaler.com##+js(aost, document.querySelectorAll, /(?=^(?!.*(https|Parse|Image)))/) + +! https://github.com/uBlockOrigin/uAssets/issues/15198 +*$script,domain=faucetcrypto.net,redirect-rule=noopjs +faucetcrypto.net##+js(set, blurred, false) +/display/items.php?$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/15206 +mc-at.org##+js(nostif, show) + +! popunder https://linkspy.cc/tr/aHR0cDovL2ZjLmxjL2Z1bGwvP2FwaT00ZjcyNTBhYmU4NmJhNTViNWI3OTM4OTYwY2M1ZjYwNzdjNWVhNzAxJnVybD1hSFIwY0RvdkwzTm9iM0owWlhKaGJHd3VZMjl0TDNCNE5GVS9WR2hoYm1zdGVXOTFNejlVYUdGdWF5MTViM1V6JnR5cGU9Mg== +linkspy.cc##+js(set, displayAds, 0) + +! movies2watch.ru popup +movies2watch.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15210 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=kanalsportowy.pl + +! https://github.com/AdguardTeam/AdguardFilters/issues/131743 +gametter.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/15220 +short.freeltc.top##+js(set, blurred, false) +||short.freeltc.top/news.html +||short.freeltc.top/info.html +*$script,domain=short.freeltc.top,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/15202 +||citi.com/cbol-pre-login-static-assets/cbol-core-assets/cedric/cedric.js$script,1p +citi.com##+js(no-xhr-if, cls_report?) + +! https://github.com/uBlockOrigin/uAssets/issues/15231 +playstationhaber.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/15224 +! https://www.reddit.com/r/uBlockOrigin/comments/y28jp5/ +i-polls.com,insurancevela.com##+js(no-fetch-if, ads) +i-polls.com##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/15244 +genshin.gg##[class]:matches-css-before(content: /ads/) + +! player.uwatchfree. cam popups +player.uwatchfree.*##+js(aopr, BetterJsPop) +player.uwatchfree.*##+js(aopr, arrvast) +player.uwatchfree.*##+js(aopr, doSecondPop) + +! https://github.com/uBlockOrigin/uAssets/issues/15253 +mathway.com###static-ad-right-alt +mathway.com##.container:style(width: 100% !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/y32ffl/adblocker_found_on_viefaucetcom/ +! https://github.com/uBlockOrigin/uAssets/issues/19103 +!viefaucet.com##+js(aopr, coinzilla_display) +@@||coinzillatag.com/lib/display.js$script,domain=viefaucet.com +@@||cointraffic.io/js/$script,domain=viefaucet.com +||coinzillatag.com^$script,redirect=noopjs,domain=viefaucet.com +@@||viefaucet.com/banners/$frame,1p +viefaucet.com##+js(nostif, /adbl/i) +! https://github.com/uBlockOrigin/uAssets/issues/16358 +viefaucet.com#@#.ad-description +viefaucet.com##.ads:style(height:1px !important) +! https://github.com/uBlockOrigin/uAssets/issues/25346 +! viefaucet.com##.is-guttered > .ads:upward(.is-guttered) +@@||googletagmanager.com/gtm.js$script,domain=videoslyrics.com|videolyrics.in +*$script,domain=videolyrics.in,redirect-rule=noopjs +||videolyrics.in^$csp=style-src * +videolyrics.in##+js(no-xhr-if, doubleclick) +videolyrics.in##+js(aeld, load, htmls) +videolyrics.in##^script:has-text(htmls) +trxking.xyz##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/15262 +||dcs-mcdn.mp.lura.live/prod/*$xhr,3p + +! https://github.com/uBlockOrigin/uAssets/issues/15259 +google.com##[data-profile-url-path^="/localservices"]:has-text(/google screened/i) + +! https://github.com/AdguardTeam/AdguardFilters/issues/132253 +@@||btvsports.lol^$ghide +! https://github.com/AdguardTeam/AdguardFilters/issues/141200 +btvsports.*##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/15282 +*$image,domain=my.optikservers.com,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/15288 +*$script,domain=criptoshark.com,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/15289 +! https://github.com/uBlockOrigin/uAssets/issues/15960 +*$script,xhr,domain=hatecoin.me,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/16039 +cloudcomputingtopics.com##+js(acs, showInstruction) +cloud-computing-central.com##+js(acs, atob, -0x1) +cloud-computing-central.com##+js(nostif, -0x) +! https://github.com/uBlockOrigin/uAssets/issues/17622 +! https://github.com/uBlockOrigin/uAssets/issues/19043 +@@*$ghide,domain=okdebrid.com|youdebrid.com +@@||static.yieldmo.com/ym.adv.min.js$script,domain=okdebrid.com|youdebrid.com +@@||partner.googleadservices.com/gampad/cookie.js?$script,domain=okdebrid.com|youdebrid.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/132270 +mvidoo.com##+js(aopr, popunder) + +! https://github.com/uBlockOrigin/uAssets/issues/15311 +expresskaszubski.pl##+js(nostif, offsetHeight) + +! nudostar.com,slutmesh.net ad script +nudostar.com,slutmesh.net##+js(aopw, __aaZoneid) +! https://www.reddit.com/r/uBlockOrigin/comments/1fpax7b/a_script_filter_to_block_top_banner_ai_ad/ +nudostar.com##+js(acs, $, wbar) + +! manhwadesu.me popup on clicking chapter +manhwadesu.me##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15333 +shesfreaky.com##+js(acs, document.createElement, appendChild) +://a.*/oauth2?id=$script,3p +://a.*/warp^$script,3p +://a.*/warpim?id=$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/15334 +*$image,redirect-rule=1x1.gif,domain=hacksnation.com + +! https://github.com/uBlockOrigin/uAssets/issues/15352 +watchanime.video##+js(nowoif) +watchanime.video##.video_box +watchanime.video##+js(ra, href, [href="/bestporn.html"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/132563 +xsub.cc##+js(aopr, __Y) +javbabe.net###a-player +javbabe.net##.clipxx +javbabe.net##.container[style$="text-align: center;"] +||javbabe.net/x1x/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/132567 +/?rb=*&zoneid=$xhr,popup,3p +&zoneid=*&rb=$xhr,3p + +! rechtschreibpruefung24.de anti adblock +@@||rechtschreibpruefung24.de^$ghide +rechtschreibpruefung24.de##.adsbygoogle:style(height: 1px !important) +rechtschreibpruefung24.de###rightadbar + +! www.repelishd.com.ar popup +repelishd.com.ar##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15366 +@@||vod.tvp.pl^$ghide +vod.tvp.pl#@#[class^="ad-"] + +! https://github.com/uBlockOrigin/uAssets/issues/15372 + +! infinitehentai.com ad, popup +infinitehentai.com##+js(nowoif) +||infinitehentai.com/uploads/banners/ + +! https://github.com/uBlockOrigin/uAssets/issues/15380 +afk.guide##+js(nostif, display) + +! https://domainwheel.com popup +/header-banner$image,domain=domainwheel.com +domainwheel.com##+js(nowoif) +domainwheel.com##.banner-advertising-section + +! https://github.com/uBlockOrigin/uAssets/issues/15386 +@@||hacoscripts.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/15387 +hax.co.id##+js(no-fetch-if, googlesyndication) +hax.co.id##.adsbygoogle +@@||hax.co.id^$ghide + +! https://sports.mynorthwest.com/ anti-adb and homepage live video breakage +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=sports.mynorthwest.com + +! https://github.com/uBlockOrigin/uAssets/issues/16087 +! https://github.com/uBlockOrigin/uAssets/issues/17005 +@@||googlesyndication.com^$xhr,script,domain=manofadan.com +@@||googletagmanager.com/gtm.js$script,xhr,domain=manofadan.com +@@||surfe.pro^$script,xhr,domain=manofadan.com +manofadan.com,cempakajaya.com##^script:has-text(htmls) +manofadan.com,cempakajaya.com##+js(aeld, load, htmls) +@@||g.adspeed.net/ad.php?do=detectadblocker|$script,xhr +*$xhr,redirect-rule=nooptext,domain=cempakajaya.com + +! https://github.com/uBlockOrigin/uAssets/issues/17529 +karanpc.com##+js(rmnt, script, deblocker) +karanpc.com##+js(aost, document.getElementsByTagName, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/15384 +@@||adshnk.com^$ghide +@@||fundingchoicesmessages.google.com/i/pub-$script,domain=adshnk.com +@@||fundingchoicesmessages.google.com/f/$script,domain=adshnk.com +*$script,domain=adshnk.com,redirect-rule=noopjs +! https://github.com/uBlockOrigin/uAssets/issues/15434#issuecomment-1295751387 +adshnk.com##+js(nowoif) +adshnk.com##+js(set, _adshrink.skiptime, 0) +adshnk.com##.custom-modal +adshnk.com##a.item[href^="https://plarium.com/"] +adshnk.com##+js(nano-sib, countdown, *, 0.02) + +! https://businessnamegenerator.com/ popup +businessnamegenerator.com##+js(nostif, gclid) + +! https://github.com/uBlockOrigin/uAssets/issues/15404 +@@*$ghide,domain=derstandard.at|derstandard.de +@@||npttech.com/advertising.js$script,domain=derstandard.at|derstandard.de +derstandard.at,derstandard.de##ad-container +! https://github.com/uBlockOrigin/uAssets/issues/21146 +derstandard.at,derstandard.de##+js(rpnt, script, "adsDisabled":false, "adsDisabled":true) +! https://github.com/uBlockOrigin/uAssets/issues/21534#issuecomment-1867470101 +derstandard.at,derstandard.de##+js(nostif, event, 3000) +! https://github.com/uBlockOrigin/uAssets/issues/23636 +@@||data-dda7d24eb2.derstandard.at/iomm/latest/manager/base/es6/bundle.js$script,domain=derstandard.at|derstandard.de +@@||imagesrv.adition.com/js/srp.js$script,domain=derstandard.at|derstandard.de +@@||imagesrv.adition.com/js/aut.js$script,domain=derstandard.at|derstandard.de +@@||px.staticfiles.at/dst-bi-px.js$script,domain=derstandard.at|derstandard.de +@@||relay-client-c03.iocnt.net^$script,domain=derstandard.at|derstandard.de + +! https://github.com/uBlockOrigin/uAssets/issues/15407 +! https://github.com/uBlockOrigin/uAssets/issues/15748 +||tirexo.*^$csp=default-src 'unsafe-inline' 'self' *.gstatic.com *.googleapis.com *.jquery.com +tirexo.*##+js(nowoif) +||tirexo.*/main.js?v=$script,1p +tirexo.*##[href^="https://dl-protect.link/req-direct-url"] +tirexo.*##[href^="https://dl-protect.net/get-premium-url"] +tirexo.*##[style]:has-text(PREMIUM) + +! https://github.com/AdguardTeam/AdguardFilters/issues/133135 +fembed9hd.com##+js(nowoif) +fembed9hd.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/15432 +woiden.id##+js(no-fetch-if, googlesyndication) +@@||woiden.id^$ghide + +! npttech antiadblock script https://github.com/uBlockOrigin/uAssets/issues/8528#issuecomment-1294606224 +! https://github.com/uBlockOrigin/uAssets/issues/25571 +||npttech.com/advertising.js^$script,3p,redirect=noop.js + +! https://github.com/uBlockOrigin/uAssets/issues/15452 +||content.sinpartycdn.com/*pre-roll-ads/*$media,redirect=noopmp4-1s,domain=sinparty.com +||content.sinpartycdn.com/videos-ads/*$media,redirect=noopmp4-1s,domain=sinparty.com + +! https://www.reddit.com/r/uBlockOrigin/comments/yg0w6z/ +*$3p,script,redirect-rule=noop.js,domain=toolxox.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/133489 +ssyoutube.com##+js(nowoif) +! https://github.com/uBlockOrigin/uAssets/issues/25341 +ssyou.tube,y2meta-uk.com##+js(acs, EventTarget.prototype.addEventListener, delete window) +y2meta-uk.com##+js(nowoif, !yt1d.com) +apimate.net##+js(aeld, click, window.open) +apimate.net##+js(nowoif) +mmnm.store##+js(nowoif, _blank) +||apimate.net/ads.js^ +||awkwardemergency.com^ +||embroiderynaturalistsfighter.com^ +||flatrelentlessperspective.com^$all +||litaudrootsa.net^$all + +! https://mdisklink.link/bdaM1Nu timer +adzz.in##+js(ra, disabled, button#getlink) +adzz.in##+js(ra, disabled, button#gotolink) +adzz.in##button#getlink, button#gotolink:style(display: block !important;) +adzz.in##.countdown + +! https://github.com/uBlockOrigin/uAssets/issues/15470 +mov18plus.cloud##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/133535 +hentaihaven.vip,nhentaihaven.org##+js(acs, Script_Manager) +hentaihaven.vip,nhentaihaven.org##.script_manager_video_master +/wp-content/plugins/script-manager/assets/js/script-manager.js? + +! https://github.com/uBlockOrigin/uAssets/issues/15475 +*$script,redirect-rule=noopjs,domain=nobitafc.com +nobitafc.com###wcfloatDiv4 + +! https://github.com/uBlockOrigin/uAssets/issues/15478 +chattanoogan.com##+js(set, AbleToRunAds, true) + +! https://github.com/uBlockOrigin/uAssets/issues/15479 +tpaste.io##+js(aopr, adBlockDetected) + +! https://www.reddit.com/r/uBlockOrigin/comments/yhmnzg/ +@@||model-viewer.com^$ghide +model-viewer.com##.adsbygoogle:style(width:11px;height:11px) +model-viewer.com##.adsbygoogle:upward(1):style(min-height:11px!important;height:11px!important;opacity:0) + +! https://github.com/uBlockOrigin/uAssets/issues/15487 +onscreensvideo.com##+js(aopr, __Y) + +! https://github.com/uBlockOrigin/uAssets/issues/15488 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=ketchuptv.com + +! https://github.com/uBlockOrigin/uAssets/issues/15490 +! https://www.reddit.com/r/uBlockOrigin/comments/16ng28e/ +@@||playstore.pw^$ghide +playstore.pw###page > center:has([href="#down"]) ~ #content .entry-content > :not(center) +playstore.pw###targetdiv:style(display: inline !important;) +! https://www.reddit.com/r/uBlockOrigin/comments/11xc8dl/ +*$script,redirect-rule=noopjs,domain=adsy.pw|playstore.pw +*$frame,redirect-rule=noopframe,domain=adsy.pw|playstore.pw +adsy.pw,playstore.pw##+js(nostif, offsetWidth) +adsy.pw,playstore.pw##+js(aopr, adsBlocked) +adsy.pw,playstore.pw###overlay +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6881356 +adsy.pw###targetdiv, #containerr:style(display: block !important;) +adsy.pw,playstore.pw##+js(set, PreRollAd.timeCounter, 0) +adsy.pw##div[id][style="display: none;"]:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/15492 +! https://github.com/uBlockOrigin/uAssets/issues/20646 +sportstiger.com##+js(json-prune, result.ads) +sportstiger.com##.headerFull_ads +sportstiger.com##.midd_ads +sportstiger.com##.fullads_banner +sportstiger.com##[class^="customHTML-ads"] +sportstiger.com##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/15497 +||js.wpadmngr.com/static/adManager.js$script,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/15500 +picgiraffe.com##+js(nostif, showModal) + +! picyield. com popups / anti adb +picyield.com##+js(aost, document.body.appendChild) +picyield.com##.adbwarning + +! https://github.com/uBlockOrigin/uAssets/pull/15515 +maxgaming.fi##+js(aeld, contextmenu) + +! https://github.com/AdguardTeam/AdguardFilters/issues/133902 +javseen.tv##+js(aopr, jsPopunder) +||javseen.tv/fire2/popup*$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15533 +@@||ad.71i.de/somtag/loader/loader.js$script,domain=video.sat1.de|wetter.com +||ad.71i.de/somtag/config/$script,redirect=noopjs,domain=sat1.de|wetter.com +||player-feedback.p7s1video.net/pf/$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/134107 +yourmomdoesporn.com#@#[data-revive-zoneid] + +! https://github.com/uBlockOrigin/uAssets/issues/15542 +freehdinterracialporn.in##+js(aopr, decodeURI) +freehdinterracialporn.in##.my-ad + +! https://www.reddit.com/r/uBlockOrigin/comments/odbviy/svg_images_doesnt_load_when_ublock_enabled/ +! https://github.com/uBlockOrigin/uAssets/issues/15234 +soranews24.com##+js(no-fetch-if, tpc.googlesyndication.com) +soranews24.com##+js(ra, id, #div-gpt-ad-footer) +soranews24.com##+js(ra, id, #div-gpt-ad-pagebottom) +soranews24.com##+js(ra, id, #div-gpt-ad-relatedbottom-1) +soranews24.com##+js(ra, id, #div-gpt-ad-sidebottom) +soranews24.com##.ads-relatedbottom:not(.ad300x250) +*$script,redirect-rule=noop.js,domain=soranews24.com +@@||googletagmanager.com/gtm.js$script,redirect-rule,domain=soranews24.com +@@||g.doubleclick.net/tag/js/gpt.js$script,domain=soranews24.com +@@||g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=soranews24.com +@@||g.doubleclick.net/gampad/ads$xhr,domain=soranews24.com +@@||fundingchoicesmessages.google.com/i/pub-*$script,domain=soranews24.com +@@||fundingchoicesmessages.google.com/f/$script,domain=soranews24.com +@@||tpc.googlesyndication.com/simgad/$xhr,domain=soranews24.com +||googlesyndication.com/safeframe/$frame,redirect=noop.html,domain=soranews24.com +||tpc.googlesyndication.com^$image,redirect=1x1.gif,domain=soranews24.com +soranews24.com#@#.ad +soranews24.com###aw0[on="tap:exit-api.exit(target='landingPage',_googClickLocation='2')"] +soranews24.com###aw0[onclick="ha('aw0')"] +soranews24.com##.misc > #div-gpt-ad-header +soranews24.com##.widget_custom_html:not(#custom_html-2) +soranews24.com##amp-ad-exit + div[class*="-banner"] +soranews24.com###div-gpt-ad-entrybottom +soranews24.com###custom_html-2 div.ad300x250 +||g.doubleclick.net/gampad/ads?$xhr,removeparam=/^(cookie|ga_|u_)/,domain=soranews24.com +@@||sst.soranews24.com/gtm.js$script,1p +! https://github.com/uBlockOrigin/uBlock-issues/issues/2347 +rocketnews24.com,soranews24.com,youpouch.com##+js(nostif, rejectWith) +rocketnews24.com,soranews24.com,youpouch.com##+js(set-attr, .lazy, src, [data-sco-src]) +rocketnews24.com,soranews24.com,youpouch.com##div[id$="content"] img.lazy:style(opacity: 1 !important;) +rocketnews24.com,soranews24.com,youpouch.com##div[id^="post-"]:remove-class(hidden_share) +youpouch.com##.post-content img.lazy:style(opacity: 1 !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/132814 +@@||amazon-adsystem.com/aax2/apstag.js$script,redirect-rule,domain=youpouch.com + +! italpress. com clickable background +italpress.com##+js(set, td_ad_background_click_link, undefined) +italpress.com##body.td-background-link:style(cursor:default !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/134216 +dlpanda.com##+js(aeld, load, XMLHttpRequest) + +! https://github.com/AdguardTeam/AdguardFilters/issues/134206 +socialmediagirls.com##+js(aeld, load, puURLstrpcht) +socialmediagirls.com##+js(set, TextEncoder, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/15550 +einrichtungsbeispiele.de##+js(aeld, load, AdBlocker) + +! https://github.com/uBlockOrigin/uAssets/issues/15549 +shareus.in##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15560 +weadown.com##+js(nostif, showModal) +weadown.com##+js(aeld, , showModal) +weadown.com##+js(set, blurred, false) +||weadown.com/urls/js/wp-api.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/134313 +kunststoffe.de#@#.adBox + +! airsoftmilsimnews. com clickable background +airsoftmilsimnews.com##+js(set, td_ad_background_click_link, undefined) +||airsoftmilsimnews.com/wp-content/uploads/*BANNER$image,1p + +! https://www.theusaposts .com anti-adblock +theusaposts.com##+js(no-fetch-if, googlesyndication) +theusaposts.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +theusaposts.com##div[id^="wpsafe-wait"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/133899 +videos.remilf.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15577 +@@*$xhr,domain=app.molotov.tv +molotov.tv##+js(nosiif, goog) +molotov.tv##+js(aeld, , goog) + +! https://infokik.com/grammarly-download-1 timer +infokik.com##+js(nano-sib, counter) + +! https://github.com/uBlockOrigin/uAssets/issues/15605 +freecoursesonline.me##+js(no-fetch-if, adsbygoogle) +freecoursesonline.me##+js(nano-sib) +freecoursesonline.me##+js(aeld, load, abDetectorPro) +freecoursesonline.me##+js(no-xhr-if, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/134564 +@@||hdwatched.me^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15619 +wepc.com##+js(aopr, HTMLIFrameElement) + +! https://github.com/uBlockOrigin/uAssets/issues/15615 +! https://github.com/uBlockOrigin/uAssets/issues/15696 +commands.gg,stardewids.com##body:style(background-image:none !important) +commands.gg,stardewids.com##+js(aeld, , document.body) +stardewids.com##+js(aeld, scroll) + +! https://github.com/uBlockOrigin/uAssets/pull/15021#issuecomment-1310798270 +datanodes.to##+js(ra, disabled, .downloadbtn) +datanodes.to###countdown + +! https://github.com/uBlockOrigin/uAssets/issues/15626 +! https://github.com/uBlockOrigin/uAssets/issues/16965 +windowspro.de#@##block-views-sponsoredpromo-block +windowspro.de##+js(set, abpblocked, undefined) + +! NSFW yesdownloader. com timer +yesdownloader.com##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/15655 +hackr.io##+js(no-fetch-if, googlesyndication) + +! termux. xyz anti adb +*$script,domain=termux.xyz,redirect-rule=noopjs + +! weloma.art popup +weloma.*##+js(nowoif) +weloma.*##+js(aopw, document.ready) +*$script,3p,denyallow=cloudfront.net|disqus.com|disquscdn.com|fastlylb.net,domain=weloma.* +weloma.*###welcome-bar + +! https://github.com/uBlockOrigin/uAssets/issues/15683 + +! https://github.com/uBlockOrigin/uAssets/issues/15688 +! https://github.com/uBlockOrigin/uAssets/issues/16056 +namasce.pl##+js(nostif, , 1) +@@||request.dqst.pl/*/reader$xhr,domain=namasce.pl + +! https://github.com/uBlockOrigin/uAssets/issues/8096 +! https://github.com/uBlockOrigin/uAssets/issues/14640 +afly.pro##.g-recaptcha, iframe[src*="google.com/recaptcha"], .btn-captcha, .btn-black-outline:others() +bloggingguidance.com,onroid.com###wpsafe-snp1:style(display: block !important) +bloggingguidance.com,onroid.com###wpsafe-snp1:others() +m.bloggingguidance.com,blog.onroid.com##+js(set, blurred, false) +blog.onroid.com##.countdown, .get-link:others() +bloggingguidance.com###id-custom_banner +bloggingguidance.com,onroid.com##+js(noeval-if, /chp_?ad/) +bloggingguidance.com##+js(aopr, open) +||spiderhannahresidential.com^ + +! https://www.duhoctrungquoc.vn/wiki/ja/%E3%83%A1%E3%82%A4%E3%83%B3%E3%83%9A%E3%83%BC%E3%82%B8 (wikipedia copy) +duhoctrungquoc.vn##div[style="width:100%; height: 90px !important;text-align: center;;padding:10px 0; "] + +! hdmoviesflix. run poups +hdmoviesflix.*##+js(aopw, p$00a) + +! https://forums.lanik.us/viewtopic.php?t=47897-meteo365-es +@@||api.ipstack.com^$xhr +@@||meteo365.es^$ghide +meteo365.es##ins.adsbygoogle + +! https://github.com/AdguardTeam/AdguardFilters/issues/135347 +uploadgig.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15732 +||adoto.net/dashboard/display/items.php$xhr,redirect=nooptext +soltoshindo.com##+js(aopr, Swal.fire) +soltoshindo.com##+js(set, console.clear, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/15737 +cutty.app##+js(set, blurred, false) +cutty.app##.demand-supply +cutty.app##.adsbygoogle:remove() + +! https://www.reddit.com/r/uBlockOrigin/comments/z10cbf/ +! https://github.com/AdguardTeam/AdguardFilters/issues/161688 +plc247.com##+js(acs, String.fromCharCode, decodeURIComponent) +plc247.com##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/2254#issuecomment-1322158000 +mazterize.com##+js(acs, $, open) +mazterize.com##.dl-but + +! https://www.protege-liens. com popups +protege-liens.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15754 +camwhorez.video##+js(aopr, TotemToolsObject) +camwhorez.video##+js(set, flashvars.protect_block, '') + +! anti adb + ads rmweb.co. uk +! https://github.com/uBlockOrigin/uAssets/commit/932aeeae55bb39cf99e73e986e57da1d3477ac68#commitcomment-91160703 +@@||rmweb.co.uk^$ghide +rmweb.co.uk##.esPopupWrapper +rmweb.co.uk##.b-modal +rmweb.co.uk##html:style(overflow: auto !important;) +||connatix.com^$script,domain=rmweb.co.uk +||invisioncic.com/*.gif$image,domain=rmweb.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/15779 +gourmetscans.net##+js(nostif, .data?) +gourmetscans.net##[class^="publift-widget"] +gourmetscans.net##.widget_custom_html ins:upward(.widget_custom_html) +gourmetscans.net##+js(set-cookie, __gads, OK, , reload, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/15780 +noor-book.com##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/19002 +theporndude.com##+js(trusted-set-cookie, wallpaper, click) +theporndude.com##body::before + +! https://github.com/uBlockOrigin/uAssets/issues/15802 +@@||planhub.ca^$ghide +planhub.ca##.banner_iframe +planhub.ca##.h-banner + +! https://github.com/uBlockOrigin/uAssets/issues/15803 +! https://github.com/uBlockOrigin/uAssets/issues/17583 +! https://github.com/uBlockOrigin/uAssets/issues/17714 +snapinsta.app###dlModal +snapinsta.app##body:style(overflow: auto !important;) +snapinsta.app###adOverlay +snapinsta.app##+js(set, app.showModalAd, noopFunc) +snaptik.app##[onclick^="showAd"]:remove-attr(onclick) +snaptik.app##+js(aost, $, openAdsModal) + +! https://github.com/uBlockOrigin/uAssets/issues/15809 +! https://github.com/easylist/easylist/issues/14215 +! https://github.com/uBlockOrigin/uAssets/issues/18149 +@@||jiocinema.com^$ghide +||collect.media.jio.com^ +/akamaized.net/ai/gcp/*$xhr,domain=jiocinema.com +/delivery/mapi.php$xhr,domain=jiocinema.com +||mercury.akamaized.net/cm/ +/jioads/*$script,domain=jiocinema.com +||apis-jiocinema.voot.com/location$xhr,domain=jiocinema.com +||adsmoloco.com^$xhr,domain=jiocinema.com +||adtracker.jiocinema.com^$xhr +jiocinema.com##ins[id^="jioads"] +||viacom18.moloco.com/adserver/v1$xhr,domain=jiocinema.com +||moloco-cr.jiocinema.com/creative/$xhr,1p +! https://github.com/uBlockOrigin/uAssets/issues/22431 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=jiocinema.com +! unsupported browser +jiocinema.com##+js(set, navigator.brave, undefined) + +! anti adb koamnewsnow. com +*$script,domain=koamnewsnow.com,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/15812 +kpkuang.org##+js(nostif, _0x) +kpkuang.org###sterra-ad-onmid + +! https://github.com/easylist/easylistgermany/issues/216 +www.chip.de###dlcharts-list + div[class]:has(> h2:has-text(/Gesponsert|Bezahlte Empfehlung/) + a[href^="https://www.chip.de/downloads/"]) +www.chip.de##.fb > .Listing > div:has(> h2:has-text(/Gesponsert|Bezahlte Empfehlung/) + a[href^="https://www.chip.de/downloads/"]) +chip.de###R1C3[role="complementary"] +chip.de###R1C2[role="complementary"]:not(:has(> .Hero)) +chip.de###R1C1[role="complementary"] +chip.de##.ButtonAuswahl + div > div[class]:has(> a[class][style="display:flex;"][href^="https://www.chip.de/downloads/"][href$=".html"]) +chip.de###aabhor +chip.de##.ob-ad-carousel-layout +chip.de##.Ad-hor-height +chip.de##tr:has(> td[style][colspan] > a.js-antivirusclick[href]) +chip.de##.FC__Container.min-height-250px-mu:style(max-height: 0.1px !important; height: 0.1px !important; min-height: 0px !important;) +chip.de##.app_nexus_banners_common +chip.de###banner_top_table +chip.de##.Ad +chip.de###contentad-top-adsense-1 +www.chip.de##+js(rpnt, style, ::after{content:" ";display:table;box-sizing:border-box}, {display: none !important;}, condition, text-decoration:none;vertical-align:middle) +www.chip.de###CR[class="download-charts"] > #G32 > #M1 > div:not([class], [id]):has(> [class] > section > ul.is-separated a img[src*="https://im.chip.de/ii/"]) +www.chip.de###CR[class="download-charts"] > #G32 > #M1 > .bg-white > [class="wrapper-safe mt-lg"] > .fb > aside[class="fb-col-md-4 fb-col-lg-4"] > *:has(img[src*="https://im.chip.de/ii/"]) +www.chip.de##body[class="l-DownloadListing"] > [class="Main Main--Skyscraper"] > .Main__Container > main[class="Downloads DownloadListing bg-white mt-xs"] > [class="mt-sm wrapper-bleed bg-blue"] + [class="wrapper-safe"]:has(a img[src*="https://im.chip.de/ii/"]) +www.chip.de##body[class="l-DownloadListing"] > [class="Main Main--Skyscraper"] > .Main__Container > [class]:not([class^="Downloads DownloadListing"]) > div > ul.List.is-separated:has(a img[src*="https://im.chip.de/ii/"]) +www.chip.de##body[class="l-DownloadListing"] > div:not([class], [id]):has(> [class] > section > ul.is-separated a img[src*="https://im.chip.de/ii/"]) +www.chip.de##body[class="l-DownloadListing"] .wrapper-safe.mt-sm > .fb > section:not(.Listing) > *:has(img[src*="https://im.chip.de/ii/"]) +www.chip.de###CR[class="Downloads-Select"] > #G32 > #M1 > [class="wrapper-safe"] > [class^="fb mt-"] > section[class="fb-col-12 fb-col-lg-8"] > [class]:not(.ButtonAuswahl):has(> a[href^="https://www.chip.de/downloads/"]) +www.chip.de###CR[class="Downloads-Select"] > #G32 > #M1 > [class="wrapper-safe"] > .mt-md > section [class]:has(> div > ul.is-separated a img[src^="data:image"]) +www.chip.de###CR[class="Downloads-Detail"] > #G32 > #M1 > [class="wrapper-safe"] > [class="fb mt-lg"] > [class="fb-col-lg-4 is-hidden-sm is-hidden-md"] > *:has(img[src*="https://im.chip.de/ii/"]):not(section[class="mt-md"]:has(> h3:first-child + table:last-child)) +www.chip.de###CR[class="Downloads-Detail"] > #G32 > #M1 > [class="wrapper-safe"] > [class="fb mt-lg"] > [class="fb-col-lg-4 is-hidden-sm is-hidden-md"] > section[class="mt-md"] > h3 + table:has(img[src*="https://im.chip.de/ii/"]) +www.chip.de###CR[class="Downloads-Detail"] > #G32 > #M1 > div[class] [class="ar-1-1 bg-gray-l"]:has(> a[href*="https://www.chip.de/downloads/"] > img[src*="https://im.chip.de/ii/"]) +www.chip.de###CR[class="Downloads-Detail"] > #G32 > #M1 > div:not([class], [id]):has(> [class] > [class] > .bg-gray-l a img[src*="https://im.chip.de/ii/"]) +www.chip.de###CR[class="Downloads-Detail"] > #G32 > #M1 > div[class]:has(> div[class][style="min-height: 250px;"] > ul.is-separated a img[src*="https://im.chip.de/ii/"]) +www.chip.de###CR[class="Downloads-Getfile"] > #G32 > #M1 > *:not(section[class="wrapper-safe mt-md ft-alts"]) a[href^="https://www.chip.de/downloads/"][title]:has(img[src*="https://im.chip.de/ii/"][alt][width][data-was-processed]) +www.chip.de###CR[class="Downloads-Select"] > #G32 > #M1 > div:not([class], [id]):has(> [class] > .bg-gray-l a img[src*="https://im.chip.de/ii/"]) +www.chip.de###CR[class="Downloads-Select"] > #G32 > #M1 > [class="wrapper-safe"] > [class="fb mt-md"] > [class="fb-col-lg-4 is-hidden-sm is-hidden-md"] > [class]:has(img[src*="https://im.chip.de/ii/"] + div > span[style^="width: "]) +www.chip.de###CR[class="Downloads-Getfile"] > #G32 > #M1 > [class="wrapper-safe"] > [class="fb mt-lg"] > [class="fb-col-lg-4 is-hidden-sm is-hidden-md"] > [class]:has(img[src*="https://im.chip.de/ii/"] + div > span[style^="width: "]) +www.chip.de###CR[class="Downloads-Select"] > #G32 > #M1 > div:not([class="wrapper-safe"]) [class="ar-1-1 bg-gray-l"]:has(> a[href*="https://www.chip.de/downloads/"] > img[src*="https://im.chip.de/ii/"]) +www.chip.de###CR[class="Downloads-Getfile"] > #G32 > #M1 > div:not([class="wrapper-safe"]) [class="ar-1-1 bg-gray-l"]:has(> a[href*="https://www.chip.de/downloads/"] > img[src*="https://im.chip.de/ii/"]) +! restore speed (the anti adblock script causing lag spikes) +www.chip.de##+js(rmnt, script, ?metric=transit.counter&key=fail_redirect&tags=) +www.chip.de##+js(rmnt, script, /pushAdTag|link_click|getAds/) +||nah-versorger.de^$3p +||stopundstart.de^$3p +||mein-organizer.de^$3p +||schneesommer.de^$3p +||free.webcompanion.com/*/index.php?*partner=*&campaign=$popup,doc +||free.webcompanion.com/*/index.php?*campaign=*&partner=$popup,doc +||bdu.bitdriverupdater.com/*&utm_source=$popup,doc +praxistipps.chip.de##div[data-bc-data-trackvars] +! https://github.com/orgs/uBlockOrigin/teams/ublock-filters-volunteers/discussions/448 +chip.de##:root:style(--topbanner-height-min:unset!important;--topbanner-height-max:unset!important;) +praxistipps.chip.de,praxistipps.focus.de,netmoms.de###G32:style(grid-template-rows: unset!important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/195082 +! https://github.com/uBlockOrigin/uAssets/issues/17579 +mega4upload.net##+js(nowoif) +mega4upload.net##+js(acs, EventTarget.prototype.addEventListener, delete window) + +! https://github.com/uBlockOrigin/uAssets/issues/15844 +seriesperu.com##+js(nostif, show) +peliculas8k.com##+js(nowoif) +peliculas8k.com##+js(set, adblockcheck, false) +peliculas8k.com##+js(set, arrvast, []) +||unpkg.com/videojs-vast-vpaid@2.0.2/bin/videojs_5.vast.vpaid.min.js$script,domain=peliculas8k.com + +! https://github.com/easylist/easylist/issues/14183 +! https://github.com/AdguardTeam/AdguardFilters/issues/159455 +tvtv.ca,tvtv.us##+js(set, paAddUnit, noopFunc) +tvtv.ca,tvtv.us##.css-hj4rcg +tvtv.ca,tvtv.us###app > .MuiBox-root + .MuiPaper-elevation +tvtv.ca,tvtv.us##.channels > div[class^="MuiBox-root"] +tvtv.ca,tvtv.us##.gridRowPad:style(margin-top: 0 !important;) +tvtv.ca,tvtv.us##.css-uc3mu7:style(margin-top: 0 !important; height: 2400px !important;) +tvtv.ca,tvtv.us##.MuiBox-root > div.MuiPaper-root.MuiPaper-elevation.mui-fixed:not([id]) +tvtv.ca,tvtv.us##.css-1352p5e:style(height: 2400px !important;) +tvtv.ca,tvtv.us##.css-1s6rfoz:style(height: 2400px !important;) +tvtv.ca,tvtv.us##.css-1wm768n:style(height: 1560px !important;) +tvtv.ca,tvtv.us##.MuiDialog-paperScrollPaper > .MuiDialogContent-root + .MuiBox-root +tvtv.ca,tvtv.us##.css-1wrjilj:style(margin-top: 0 !important; height: 2400px !important;) +tvtv.ca,tvtv.us##.css-laxwha:style(height: 2400px !important;) +tvtv.ca,tvtv.us##.css-3vwr5v:style(height: 2400px !important;) +tvtv.ca,tvtv.us##.css-1j9nufa:style(height: 1560px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/15856 +ipalibrary.me##+js(set, showBlackout, noopFunc) +ipalibrary.me##+js(nano-sib, countdown) + +! https://forums.lanik.us/viewtopic.php?t=47909-nsfw-igay69-com +igay69.com##+js(nosiif, show) + +! ads https://swisscows. com/en/web?query=running+shoes +swisscows.com##.a11t--product:remove() + +! https://github.com/AdguardTeam/AdguardFilters/issues/136408 +finchtechie.com###btnshow:style(display: block !important;) +finchtechie.com###btnhide +finchtechie.com###verify_button:style(display: block !important;) +finchtechie.com###verify_button2 + +! https://github.com/uBlockOrigin/uAssets/issues/15881 +@@||linkneverdie.net^$script,domain=techtnet.com + +! javopen.co Brave ad +javopen.co##.main-content > h4 > strong:has-text(Brave) +||javopen.co/wp-content/uploads/2020/05/brave.png + +! https://github.com/uBlockOrigin/uAssets/issues/15889 +derivative-calculator.net,integral-calculator.com##[class]:matches-css-before(content:/Advertisement/):upward(1) + +! https://www.reddit.com/r/uBlockOrigin/comments/zary4h/video_watching_site_which_prevents_me_watching_it/ antiadb +@@||tranimeci.com^$ghide + +! ilsole24ore. com remove autorefresh +ilsole24ore.com##+js(nostif, refresh) +! https://github.com/uBlockOrigin/uAssets/issues/23918 +@@||ilsole24ore.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/25130 +ilsole24ore.com#@#.adv + +! https://github.com/uBlockOrigin/uAssets/issues/15913 +zeperfs.com#@#.showAd + +! https://github.com/AdguardTeam/AdguardFilters/issues/136634 +mydaddy.cc##+js(set, adt, 0) +mydaddy.cc###ovrl_ad +mydaddy.cc###adc +hqporner.com##+js(acs, document.querySelectorAll, popMagic) +hqporner.com##.uvb_wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/15917 +javchill.com##+js(ra, href, [onclick^="pop"]) +javchill.com##.thumb:style(cursor:pointer !important) + +! FingerprintJS popups +arcjav.com,buffstreams.*,game3rb.com,igg-games.com,manhwalist.com,mc-hacks.net,miraculous.*,mycivillinks.com,nflstreams.me,s2dfree.to,soap2day.*,tennisstreams.*,tv247.us,vidsrc.*,vipbox.*,vipboxtv.*,woiden.com,wonderapk.com,worldcupstream.pm##+js(acs, navigator, FingerprintJS) +manhwalist.com##+js(aost, btoa, /https|stackDepth:3/) +mc-hacks.net##+js(aopw, ai_front) +bowfile.com,cloudvideo.tv,cloudvideotv.*,coloredmanga.com,cracksports.me,embedstream.me,exeo.app,hiphopa.net,kenitv.me,megaup.net,olympicstreams.co,qatarstreams.me,soccerworldcup.me,tv247.us,uploadhaven.com,userscloud.com,vidsrc.*##+js(rmnt, script, FingerprintJS) +soap2day.*##+js(rmnt, script, Reflect) + +! FingerprintJS servers +/^https?:\/\/[a-z]{7,}\.buzz\/[+\/0-9a-zA-Z]{140,400}$/$image,3p,match-case +/^https?:\/\/[a-z]{7,}\.buzz\/[+\/0-9a-zA-Z]{400,1000}$/$frame,3p,match-case +/^https?:\/\/[a-z]{7,}\.co\/(?=[\/a-zA-Z]*[+0-9])(?=[+\/0-9a-z]*[A-Z])[+\/0-9a-zA-Z]{140,400}$/$image,3p,match-case,from=~edu|~gov,to=co +/^https?:\/\/[a-z]{7,}\.co\/(?=[\/a-zA-Z]*[+0-9])(?=[+\/0-9a-z]*[A-Z])[+\/0-9a-zA-Z]{400,1000}$/$frame,3p,match-case,from=~edu|~gov,to=co,header=x-amz-cf-pop +/^https?:\/\/[a-z]{7,}\.com\/(?=[\/a-zA-Z]*[+0-9])(?=[+\/0-9a-z]*[A-Z])[+\/0-9a-zA-Z]{140,400}$/$image,3p,match-case,from=~edu|~gov,to=com +/^https?:\/\/[a-z]{7,}\.com\/(?=[\/a-zA-Z]*[+0-9])(?=[+\/0-9a-z]*[A-Z])[+\/0-9a-zA-Z]{400,1000}$/$frame,3p,match-case,from=~edu|~gov,to=com,header=x-amz-cf-pop +/^https?:\/\/[a-z]{7,}\.info\/[+\/0-9a-zA-Z]{140,400}$/$image,3p,match-case +/^https?:\/\/[a-z]{7,}\.info\/[+\/0-9a-zA-Z]{400,1000}$/$frame,3p,match-case +/^https?:\/\/[a-z]{7,}\.lol\/[+\/0-9a-zA-Z]{140,400}$/$image,3p,match-case +/^https?:\/\/[a-z]{7,}\.lol\/[+\/0-9a-zA-Z]{400,1000}$/$frame,3p,match-case +/^https?:\/\/[a-z]{7,}\.one\/[+\/0-9a-zA-Z]{140,400}$/$image,3p,match-case +/^https?:\/\/[a-z]{7,}\.one\/[+\/0-9a-zA-Z]{400,1000}$/$frame,3p,match-case +/^https?:\/\/[a-z]{7,}\.org\/(?=[\/a-zA-Z]*[+0-9])(?=[+\/0-9a-z]*[A-Z])[+\/0-9a-zA-Z]{140,400}$/$image,3p,match-case,domain=~edu|~gov +/^https?:\/\/[a-z]{7,}\.org\/(?=[\/a-zA-Z]*[+0-9])(?=[+\/0-9a-z]*[A-Z])[+\/0-9a-zA-Z]{400,1000}$/$frame,3p,match-case,domain=~edu|~gov +/^https?:\/\/[a-z]{7,}\.xyz\/[+\/0-9a-zA-Z]{140,400}$/$image,3p,match-case +/^https?:\/\/[a-z]{7,}\.xyz\/[+\/0-9a-zA-Z]{400,1000}$/$frame,3p,match-case +##body > div[style$="z-index: 2147483647; top: 0px; left: 0px; position: fixed; display: block;"] + +! https://github.com/uBlockOrigin/uAssets/issues/15943 +@@||nbk.io^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/15946 +xhvid1.com##+js(acs, Array.prototype.indexOf, popunder) +xhvid1.com##.player-add-overlay + +! woffxxx. com popups +woffxxx.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15958 +*$script,domain=manga-oni.com,redirect-rule=noopjs + +! sports-stream. click popups +sports-stream.*###reklama1 +coolcast2.com##+js(nostif, sadbl) +||coolcast2.com/z-$script +! https://github.com/uBlockOrigin/uAssets/issues/16675 +*$script,3p,denyallow=chatango.com|jquery.com|hwcdn.net,domain=sports-stream.* + +! watchsexandthecity. com popups +watchsexandthecity.com##+js(aopr, mm) + +! https://github.com/uBlockOrigin/uAssets/issues/15975 +||sitefilme.com/*.php$script,1p +sitefilme.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/15982 +smgplaza.com##+js(nostif, modal) +smgplaza.com##+js(aeld, , modal) +smgplaza.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/15986 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=dobreprogramy.pl,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/15987 +@@||reyada-365.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/15993 +uberhumor.com##+js(nowoif) + +! artribune. com lcickable background +artribune.com##+js(set, td_ad_background_click_link, undefined) +artribune.com##+js(rc, td-ad-background-link) + +! https://github.com/uBlockOrigin/uAssets/issues/15995 +||link.theplatform.com/s/*/media*=rotten_tomatoes_video$xhr,removeparam=/^((?!SMIL|formats).)*$/ + +! https://github.com/uBlockOrigin/uAssets/issues/16006 +*$script,domain=grabcrypto.co,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/16011 +! https://github.com/uBlockOrigin/uAssets/issues/16616 +! https://github.com/uBlockOrigin/uAssets/issues/18450 +! https://www.reddit.com/r/uBlockOrigin/comments/147qio5/issues_all_the_time_with_motorsportcom/ +! https://www.reddit.com/r/uBlockOrigin/comments/16fq6mu/adblock_detected_forces_to_disable/ +||mstm.motorsport.com^$script,xhr,redirect-rule=noopjs +! @@||mstm.motorsport.com/mstm.js^$script,xhr,1p +! autosport.com,motorsport.com#@#.ms-hapb +! autosport.com,motorsport.com##.ms-hapb:style(min-height: 1px !important; height: 1px !important;) +! autosport.com,motorsport.com##^.ms-hapb +autosport.com,motorsport.com##+js(noeval-if, interactionCount) +! https://github.com/uBlockOrigin/uAssets/issues/19063 +! https://github.com/uBlockOrigin/uAssets/issues/18825 +! autosport.com,motorsport.com##+js(cookie-remover, '/^\d{2,}/') +! autosport.com,motorsport.com##+js(acs, vardom, adblock) +autosport.com,motorsport.com,motorsport.uol.com.br##+js(trusted-replace-argument, document.querySelector, 0, noopFunc, condition, adblock) +autosport.com,motorsport.com,motorsport.uol.com.br##.ms-apb +autosport.com,motorsport.com,motorsport.uol.com.br##.ms-ap-native + +! https://github.com/uBlockOrigin/uAssets/issues/16010 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=tv8.com.tr + +! https://github.com/uBlockOrigin/uAssets/issues/16019 +*$script,domain=rendimentibtp.it,redirect-rule=noopjs +rendimentibtp.it##+js(no-fetch-if, googlesyndication) + +! nflstreams .me ads/popups +nflstreams.me##+js(acs, setTimeout, admc) +nflstreams.me##.position-absolute +nflstreams.me##.m-1.fw-bold.btn-danger.btn[data-openuri="|BTN_URL|"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/137602 +bootyexpo.net##+js(aopr, adsBlocked) +##.adde_modal_detector +##.adde_modal-overlay + +! https://github.com/uBlockOrigin/uAssets/issues/16034 +blog.nationapk.com,krishiloksewa.com,modzilla.in,itechmafiia.com,mb.feedale.com###wpsafe-link:style(display: block !important;) +blog.nationapk.com,krishiloksewa.com,modzilla.in,itechmafiia.com,mb.feedale.com###wpsafe-link:others() + +! https://github.com/uBlockOrigin/uAssets/issues/16043 +ipacrack.com##+js(nosiif, _0x) +ipacrack.com##+js(nostif, location.href, 3000) +ipacrack.com##+js(no-fetch-if, thaudray.com) + +! https://www.reddit.com/r/uBlockOrigin/comments/zp0ypl/ +roadtrippin.fr##+js(set, test_adblock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/16044 +||hubu.cloud/app/js/index.php +||hubu.cloud/app/js/in/ +hubu.cloud##.mn + +! https://github.com/uBlockOrigin/uAssets/issues/16062 +@@||tvnet.lv^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/25380 +tvnet.lv##+js(nostif, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/16063 +! https://github.com/uBlockOrigin/uAssets/issues/16179 +howifx.com,vavada5com.com##+js(set, adblockDetector, noopFunc) +howifx.com##.code-block + +! https://link.codevn.net/ew7xEf focus detection +link.codevn.net##+js(set, blurred, false) +! https://www.reddit.com/r/uBlockOrigin/comments/1ak1d17/detecting_ublock_origin_chrome/ +ios.codevn.net##+js(nosiif, offsetHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/16076 +@@||redketchup.io^$script,1p +redketchup.io##+js(rpnt, script, ?30:0, ?0:0) +redketchup.io##.potato_modal + +! https://en.bestfonts.pro/font/download/5ddec54abc00f605b3d2d2b1 timer +bestfonts.pro##+js(rc, download-font-button2, .download-font-button) +bestfonts.pro##.loader-wrap + +! https://audiotruyenfull.com/quy-dao-chi-chu/ popup +audiotruyenfull.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/137927 +hentaiporn.one##+js(nostif, window.location) +hentaiporn.one##.adv-square + +! https://github.com/AdguardTeam/AdguardFilters/issues/138053 +###video-id_fluid_html_on_pause +/uthnafrwy.js + +! fix emturbovid.com player (e.g. supjav.com) +! https://github.com/uBlockOrigin/uAssets/issues/22846 +! https://github.com/uBlockOrigin/uAssets/issues/24456 +! https://github.com/uBlockOrigin/uAssets/issues/4396 +emturbovid.com###pop +emturbovid.com,streamsilk.com##.div_pop +emturbovid.com,findjav.com,javggvideo.xyz,mmtv01.xyz,stbturbo.xyz,streamsilk.com##+js(aeld, click, pop) +emturbovid.com,findjav.com,javggvideo.xyz,mmtv01.xyz,stbturbo.xyz,streamsilk.com##+js(trusted-set, premium, "'1'") +emturbovid.com,findjav.com,javggvideo.xyz,mmtv01.xyz,stbturbo.xyz,streamsilk.com##+js(nowoif) +emturbovid.com,findjav.com,javggvideo.xyz,mmtv01.xyz,stbturbo.xyz,streamsilk.com##+js(nostif, window.open) +emturbovid.com,findjav.com,javggvideo.xyz,mmtv01.xyz,stbturbo.xyz,streamsilk.com##+js(trusted-rpnt, script, /openNewTab\(".*?"\)/g, null) +##.jw-wrapper > div[style="opacity: 0; visibility: hidden; overflow: hidden; display: block; position: absolute; top: 0px; left: 0px; width: 100%; height: 100%;"] +emturbovid.com,hihihehe01.xyz,playm4u.xyz#@#.jw-wrapper > div[style="opacity: 0; visibility: hidden; overflow: hidden; display: block; position: absolute; top: 0px; left: 0px; width: 100%; height: 100%;"] +! https://github.com/uBlockOrigin/uAssets/issues/25510 +streamsilk.com##+js(rpnt, script, window.dataLayer =, 'window.HTMLAnchorElement.prototype.click=new Proxy(window.HTMLAnchorElement.prototype.click,{apply:(target,thisArg,args)=>{if(thisArg&&!thisArg.href.includes("streamsilk.com"))return;return Reflect.apply(target,thisArg,args)}});window.dataLayer =', sedCount, 1) + +! https://github.com/AdguardTeam/AdguardFilters/issues/138059 +! https://github.com/AdguardTeam/AdguardFilters/issues/138060 +18pussy.porn,milf-porn.xxx##.footer-margin +18pussy.porn,milf-porn.xxx##.table +/ab/thejsfile.js + +! https://github.com/uBlockOrigin/uAssets/issues/16106 +! https://github.com/uBlockOrigin/uAssets/issues/15770 +*$3p,denyallow=b-cdn.net|cloudflare.com|dailymotion.com|dmcdn.net|facebook.com|facebook.net|fbcdn.net|fontawesome.com|google.com|gstatic.com|iconfinder.com|jquery.com|llnwi.net|tmdb.org,domain=zone-telechargement.* +zone-telechargement.*##+js(aeld, popstate) +zone-telechargement.*##+js(nowoif) +zone-telechargement.*##+js(no-fetch-if, /^/) +||zone-telechargement.*/main.js?v=$script,1p +zone-telechargement.*,wawacity.*##a[href^="https://dl-protect.link/req-direct-url"] + +! https://www.reddit.com/r/uBlockOrigin/comments/zso4pp/ +alphaporno.com,anyporn.com,bravoporn.com,bravoteens.com,crocotube.com,hellmoms.com,hellporno.com,sex3.com,tubewolf.com,xbabe.com,xcum.com,zedporn.com##+js(set, vastEnabled, false) +bravoporn.com##.box-left +bravoporn.com##.undrplban +bravoteens.com##.inplb3x2 +hellmoms.com##.bnnrs-player +/cb/cb.ta.js?v= +/cb/cb.xb.js?v= + +! https://github.com/AdguardTeam/AdguardFilters/issues/138220 +lovejav.net##div[style="text-align:center;min-height:100px;margin-top:10px"] +||discordapp.com/attachments/$domain=lovejav.net + +! https://github.com/uBlockOrigin/uAssets/issues/16115 +spigotunlocked.*##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/16118 +! https://github.com/uBlockOrigin/uAssets/issues/16377 +! https://github.com/uBlockOrigin/uAssets/issues/16833 +||tagecoin.com/ads/ +tagecoin.com##object +tagecoin.com##^script:has-text(htmls) +tagecoin.com##+js(acs, alert) +tagecoin.com##+js(acs, document.createElement, adsBlocked) +tagecoin.com##+js(aeld, load, htmls) +tagecoin.com##div > ins:upward(div) + +! https://www.reddit.com/r/uBlockOrigin/comments/zvzov8/ +faucetcrypto.net##+js(no-xhr-if, czilladx) +faucetcrypto.net##.justify-content-around +faucetcrypto.net##[id^="wcfloatDiv"] +faucetcrypto.net##ins + +! https://github.com/uBlockOrigin/uAssets/issues/16136 +stream.bunkr.ru##+js(aost, Math, _0x) + +! email libero. it anti adb +@@||libero.it^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/16140 +upfilesurls.com##+js(set, blurred, false) + +! anti adb adproceed. com +@@||adproceed.com^$ghide +adproceed.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/16144 +sptfy.be##+js(set, count, 0) + +! https://github.com/uBlockOrigin/uAssets/issues/16145 +fedscoop.com##+js(set, init_welcome_ad, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/138508 +gaymovies.top##+js(aopr, __Y) + +! https://github.com/AdguardTeam/AdguardFilters/issues/138321 +xxxshake.com##+js(nowoif) +xxxshake.com###headC +xxxshake.com##.fluid-b +||xxxshake.com/*pop/|$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/16154 +@@||emailn.de^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/16159 +bravedown.com##+js(no-fetch-if, adskeeper) +bravedown.com##+js(set-local-storage-item, a_render, true) + +! https://github.com/uBlockOrigin/uAssets/issues/16166 +adzz.in,proappapk.com##+js(ra, disabled, #gotolink) +adzz.in,proappapk.com###gotolink:style(display: block !important;) +proappapk.com##.blogContent:has(#verify) .postBody +*$popunder,domain=adzz.in|proappapk.com +||iili.io^$domain=adzz.in|proappapk.com +shareus.site##+js(nostif, _0x) +shareus.site##+js(set, blurred, false) +shareus.site##.box-main:has(#countdown) > .blog-item + +! https://github.com/uBlockOrigin/uAssets/issues/16169 +crypto4yu.com##+js(aopr, Swal.fire) +crypto4yu.com##+js(nostif, _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/16170 +faucetwork.space##+js(aopr, document.write) +faucetwork.space##+js(nostif, _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/16172 +imagetotext.info##+js(set, detectadsbocker, false) + +! https://github.com/uBlockOrigin/uAssets/issues/16176 +conghuongtu.net##+js(noeval-if, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/16184 +sportskart.*##+js(aopr, afScript) +sportskart.*##^script:has-text(u_cfg) + +! https://github.com/AdguardTeam/AdguardFilters/issues/170100 +cdnm4m.nl##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/23648#issuecomment-2208674437 +euro2024direct.ru##+js(acs, document.documentElement, break;case $.) + +! https://github.com/uBlockOrigin/uAssets/issues/24377 +||ss-mndsrv.b-cdn.net^ + +! Title: uBlock filters (2023) +! Last modified: %timestamp% +! Description: Filters optimized for uBlock, to be used along EasyList +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! New filters from January 2023 to -> +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! https://github.com/uBlockOrigin/uAssets/issues/16269 +! https://shahid4uu. cam => player guccihide. com popups +streamhide.to##+js(acs, setTimeout, checkADB) +guccihide.com##+js(nowoif) +filelions.*,guccihide.com,streamhide.to,streamwish.*,vidhidevip.com##+js(aopr, __Y) +/assets/jquery/adult100.js?v=$script,1p +/assets/jquery/main100.js?v=$script,1p +! javfas.com => player javb1.com +/assets/jquery/adult0.js?v=$script,1p +! https://github.com/AdguardTeam/AdguardFilters/issues/173313 +/assets/jquery/api100.js?type=$1p +! https://github.com/uBlockOrigin/uAssets/pull/22553 +/assets/jquery/api.js?type=adult$1p +/assets/jquery/api.js?type=mainstream$1p +/assets/jquery/app100.js?type=$1p +/assets/jquery/app0.js?type=$1p + +! https://www.parents. at anti adb +parents.at##+js(aopw, AdBlockDetectorWorkaround) + +! https://github.com/uBlockOrigin/uAssets/issues/16198 +*$script,3p,domain=chapmanganato.com,denyallow=facebook.net|fbcdn.net + +! https://github.com/uBlockOrigin/uAssets/issues/16206 +wrzesnia.info.pl##+js(no-fetch-if, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/138843 +pornkai.com,tubesafari.com##+js(aopw, c325) +.com/static/full_combined2.js|$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15596 +infokik.com##+js(nostif, ga) +infokik.com##^script:has-text(two_worker_data_js) +infokik.com##+js(set, two_worker_data_js.js, []) + +! https://www.reddit.com/r/uBlockOrigin/comments/102w6su/ +/\beropics\.to\/[a-zA-Z0-9]{8}\.js$/$script,1p,domain=eropics.to + +! https://github.com/uBlockOrigin/uAssets/issues/16228 +freepik.com##+js(aeld, click, adobeModalTestABenabled) +freepik.com##.main-spr +freepik.com##.spr > .container-fluid:not([data-autopromo-name="freepik"]):upward(.spr) +! https://github.com/uBlockOrigin/uAssets/issues/16393 +freepik.com##+js(set, FEATURE_DISABLE_ADOBE_POPUP_BY_COUNTRY, true) + +! https://github.com/uBlockOrigin/uAssets/issues/16240 +ddwloclawek.pl##+js(set, questpassGuard, noopFunc) +ddwloclawek.pl##+js(set, isAdBlockerEnabled, false) +/pl/js/detect-adblock/*$domain=pl,script,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/16253 +! https://github.com/uBlockOrigin/uAssets/issues/16305 +! https://github.com/uBlockOrigin/uAssets/issues/16270 +privatemoviez.*##+js(nano-sib, count) +writedroid.*##+js(nano-stb, shortConfig, 15000) +writedroid.*###shortGoToCont.hidden:remove-class(hidden) +writedroid.*###timerContainer > div:has(#timerPercentage) +writedroid.*###timerContainer > div:not(:has(#timerPercentage)):style(display: flex !important;) +writedroid.*##+js(aopw, akadb) +writedroid.*##+js(nostif, _0x) +@@||writedroid.*^$ghide +writedroid.*##+js(no-xhr-if, ads) +link4rev.site##+js(set, blurred, false) +filepress.*##+js(aeld, blur, console.log) + +! https://github.com/uBlockOrigin/uAssets/issues/14655 +! https://github.com/uBlockOrigin/uAssets/issues/15463 +@@||thetimes.co.uk/assets/optimizely/custom/tnl_custom_snippet.js$script,1p +thetimes.co.uk##[class*="responsive__NativeAd"] +thetimes.co.uk##article > [class^="tc-view"] #ad-header:upward(article > [class^="tc-view"]) + +! https://github.com/uBlockOrigin/uAssets/issues/16262 +thisisrussia.io##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/17832 +blog.textpage.xyz##+js(aopr, eazy_ad_unblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/16272 +additudemag.com##body:not(.home) #content:style(margin-top: 13px !important;) +additudemag.com##.primary-sidebar-ad + +! https://github.com/uBlockOrigin/uAssets/issues/18116 +welovemanga.one##+js(aopw, document.ready) +*$script,3p,denyallow=cloudfront.net|disqus.com|disquscdn.com|fastlylb.net,domain=welovemanga.one +*$frame,3p,denyallow=disqus.com,domain=welovemanga.one + +! https://github.com/uBlockOrigin/uAssets/issues/16281 +techpp.com##.tppAds +techpp.com##.side-inserter +techpp.com##.brxe-div > div[class="brxe-container"] .adsbygoogle:upward(.brxe-container) +techpp.com###customad:upward(.code-block) +techpp.com##section.brxe-section > div[class="brxe-container"] .adsbygoogle:upward(section) + +! https://github.com/easylist/easylist/issues/14573 +streamtb.me##+js(nowoif) + +! https://github.com/easylist/easylist/pull/14610 +moviesonlinefree.net##+js(acs, setTimeout, admc) +moviesonlinefree.net##+js(acs, RegExp, 0x) +moviesonlinefree.net##+js(aopw, p$00a) +moviesonlinefree.net##+js(set, D4zz, noopFunc) +moviesonlinefree.net###bread > div +moviesonlinefree.net##.overlays +moviesonlinefree.net##[href^="https://espionagegardenerthicket.com"] + +! https://github.com/uBlockOrigin/uAssets/issues/16453 +*$script,3p,denyallow=cloudflare.com|cloudflare.net|fastly.net|jsdelivr.net|stripst.com|strpst.com|datatables.net|jwpcdn.com,domain=javplayer.org|sextb.net|sextb.xyz + +! https://github.com/easylist/easylist/pull/14565 +jizzbunker2.com##.partner-site +||cdn3x.com/*/js/*.vast. + +! https://github.com/uBlockOrigin/uAssets/issues/16294 +pesprofessionals.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/16295 +*$script,domain=senda.pl,redirect-rule=noopjs +@@||senda.pl^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/16300 +wpsimplehacks.com##+js(nostif, show) + +! https://azrom.net/rom-oppo-a71-cph1717-cph1801-official-firmware-all-repair-file/ timer +azrom.net##.lm-hide:style(display: block !important;) +azrom.net##+js(href-sanitizer, a[href^="https://azrom.net/"][href*="?url="], ?url) + +! https://github.com/AdguardTeam/AdguardFilters/issues/139845 +blogmado.com##+js(nano-sib, time, , 0.02) +||ibb.co^$image,domain=blogmado.com + +! https://www.reddit.com/r/uBlockOrigin/comments/10a31f2/ +||secretflying.com^$1p,frame,redirect-rule=noopframe + +! https://github.com/uBlockOrigin/uAssets/issues/16329 +vrporn.com##+js(acs, navigator, popunder) + +! https://www.reddit.com/r/uBlockOrigin/comments/10bffwz/ +hotfm.audio##+js(no-xhr-if, adswizz.com) + +! https://github.com/uBlockOrigin/uAssets/issues/16327 +! https://github.com/uBlockOrigin/uAssets/issues/19935 +topsporter.net##+js(acs, eval, replace) +sportshub.to,topsporter.net##+js(nostif, keepChecking) +sportshub.to,topsporter.net##+js(nostif, show) +sportshub.to,topsporter.net##+js(acs, document.onkeypress) +sportshub.to,topsporter.net##+js(acs, document.oncontextmenu) +sportshub.to,topsporter.net##+js(no-xhr-if, doubleclick) +topsporter.net,sportshub.to##^script:has-text(/ConsoleBan|alert|AdBlocker/) +topsporter.net,sportshub.to##+js(rmnt, script, /ConsoleBan|alert|AdBlocker/) +@@*$ghide,domain=sportshub.to|topsporter.net +sportshub.to,sportnews.to##+js(no-fetch-if, googlesyndication) +sportshub.to,sportnews.to##+js(no-xhr-if, googlesyndication) +*$xhr,redirect-rule=nooptext,domain=sportshub.to|sportnews.to|werfgt.fun +/fox/plugins/aoa/js/aoa-functions.js^ +||sportshub.to/fox/plugins/block/js/$script +||sportnews.to/fox/plugins/block/js/$script +sportnews.to##+js(aopr, antiAdBlockerHandler) +topsporter.net##+js(no-fetch-if, /^/) +sportnews.to##.aoa_overlay +sportnews.to#@#.ads-by-google +@@||sportnews.to^$ghide +sportnews.to,soccershoes.blog##+js(aeld, DOMContentLoaded, adsSrc) +sportnews.to,sportshub.to##+js(aost, DOMTokenList.prototype.add, inlineScript) +*$script,redirect-rule=noopjs,domain=sportnews.to|sportshub.to +@@||static.doubleclick.net/instream/ad_status.js$xhr,domain=sportnews.to + +! seznam.cz +/cwl.js$domain=seznam.cz|seznamzpravy.cz|novinky.cz|super.cz|sport.cz|prozeny.cz|garaz.cz|nasezahrada.com|forum24.cz +seznam.cz##div[data-dot="gadgetCommercial"] +seznam.cz##.atm-ad-label +seznam.cz##.mol-ssp-advert-content--responsive +seznam.cz##div[data-dot^="reklama"] +@@||h.imedia.cz/js/cmp2/scmp.js$domain=seznam.cz +slovnik.seznam.cz##.TextSSP +slovnik.seznam.cz##.BannerSSP +seznam.cz##.ssp-advert +seznam.cz##li[data-analytics-entity-type="nativeSspAdvert"] +||seznam.cz/*/v2/vast? +||seznam.cz/*/static/js/ssp.js +www.seznam.cz##+js(set-constant, sssp, emptyObj) +seznam.cz##+js(remove-cookie, qusnyQusny) +seznam.cz#@#.adMiddle + +||sdn.cz/*/ad-*.mp4$media,domain=seznam.cz|seznamzpravy.cz,redirect=noopmp3-0.1s +! https://github.com/uBlockOrigin/uAssets/issues/18002#issuecomment-1627314064 +! https://github.com/uBlockOrigin/uAssets/issues/18890 +! https://github.com/uBlockOrigin/uAssets/issues/20112 +seznamzpravy.cz##.banner-wrapper:upward(2):remove() +seznamzpravy.cz##[data-draggable-target]:has-text(Rekl):not(*:has([href*="radio"])) +seznamzpravy.cz##.sticky-content:has-text(Reklama) +seznamzpravy.cz##.sticky-content:has-text(Rek) +seznamzpravy.cz##.sticky-content:has-text(klama) +seznamzpravy.cz##[class*="advert"] +||seznamzpravy.cz/$frame,1p +@@||diskuze.seznamzpravy.cz^$frame +@@||seznamzpravy.cz/html/cmp.html$frame,1p +seznamzpravy.cz##+js(nostif, 0x) +@@||seznamzpravy.cz^$ghide,badfilter +@@||seznamzpravy.cz/ui/ui.html$frame,domain=seznamzpravy.cz +seznamzpravy.cz##+js(ra, style, [style*="background-image: url"], stay) +seznamzpravy.cz##+js(ra, href, [href*="click?"], stay) + +! https://www.reddit.com/r/uBlockOrigin/comments/10c3euc/ +proxer.me###stream_message_overlay + +! https://github.com/uBlockOrigin/uAssets/issues/16343 +allotech-dz.com##+js(acs, eval, replace) + +||domain.com/ads.html$frame,3p,redirect=noopframe + +! https://github.com/uBlockOrigin/uAssets/issues/16347 +darkwanderer.net,truckingboards.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/20949 +||googlesyndication.com^$image,domain=smartkhabrinews.com|streama2z.com,redirect=1x1.gif +*$xhr,redirect-rule=nooptext,domain=smartkhabrinews.com +smartkhabrinews.com##+js(no-fetch-if, /freychang|passback|popunder|tag|banquetunarmedgrater/) +smartkhabrinews.com##+js(set-cookie, visits, 1) +smartkhabrinews.com###vipada +@@||popads.net/js/adblock.js$script,xhr,domain=smartkhabrinews.com +@@||tmp.a2zapk.com^$xhr,domain=smartkhabrinews.com + +! https://github.com/uBlockOrigin/uAssets/issues/16354 +guru3d.com##.content3 > div[style]:has-text(Advertisement) + +! https://github.com/uBlockOrigin/uAssets/issues/16366 +roblox-scripts.co##.ad-zone:remove() + +! https://www.reddit.com/r/uBlockOrigin/comments/10e2l0a/ +||hostingcloud.racing^$xhr,domain=bytecash.in,redirect=nooptext + +! https://www.reddit.com/r/uBlockOrigin/comments/10dzlaw/ +theodysseyonline.com###top_leaderboard +theodysseyonline.com##.rblad-content +theodysseyonline.com##.rblad-infinite +theodysseyonline.com##.rblad-sidebar_1 +theodysseyonline.com##.rblad-sidebar_2 +theodysseyonline.com##.rblad-under_image +theodysseyonline.com##.row > [id^="sPost"]:style(margin-top: 60px !important;) + +! onscreens.me ad script +onscreens.me##+js(aopr, asgPopScript) + +! placeholder by EasyPrivacy +! rcm.shinobi.jp and cnobi.jp +##.ninja-recommend-block +blogterest.net##.blockSide > div.blockWrapper:has(> div > div.ninja-recommend-block) +nukeruerodouga.com###main-right:has(> div.right_area > div.ninja-recommend-block) +doorblog.jp,pachinkopachisro.com,blog.livedoor.jp,blog.jp,vipstyle.tokyo##.plugin-memo:has(> div.side > div.ninja-recommend-block) +adseek.site###primary:style(display: block !important;) +mesyuu.com##div[class$="_outline"]:has(> div > div.plugin-freearea > div.ninja-recommend-block) +minnyuu.jp##div[class$="BlockBase"]:has(> div > div > div.plugin-freearea > div.ninja-recommend-block) +norisoku.com###random +samuraisoccer.doorblog.jp##.plugin-l-t:last-child +ero-anime.net###side_col #index_side_widget:has(.ninja-recommend-block) +ero-anime.net###top_area_under +dvdrev.com##.side_menu:has(> div > div.plugin-freearea > div.ninja-recommend-block) +xn--r8jwklh769h2mc880dk1o431a.com##.underbox +tousatu-ch.net##.widget_custom_html:has(> div.textwidget > div[style^="width: 100%;"] > div.ninja-recommend-block) +geinoukame.com##.ninja-recommend-block + br +geinoukame.com##.ninja-recommend-block + hr +! Cxense/Piano +jiji.com##.RecommendPianoWrapper +jiji.com##.RecommendUnderlayer +rbbtoday.com##.cx-top-news +president.jp##.recommend +kobe-np.co.jp##section.sec:has(> #piano_recs_inline_title) +vivi.tv##.section__inner:has(> #recommended-posts-result) +augsburger-allgemeine.de,nikkansports.com##div[id^="cx_"] +hochi.news###ohtani-pickup +! ziyu.net +jin115.com,livedoor.biz#?#.plugin-memo:has(> div.side > script[src*="ziyu.net/"]) +okutta.net##.article__footer > div[style="height:500px; overflow-y:scroll;"] +! Taboola +cartune.me##.contents-inner > div:has(> div#taboola-alternating-thumbnails-a) +gendai.media##.elementSectionHeadingsWithSuffix:has(+ div[id^="taboola-below-article-thumbnails-gendai_biz-desktop"]) +infoseek.co.jp##.co-Widget[style="min-height: 6000px;"]:style(min-height: auto !important;) +anime-drama.jp###block-11 +crank-in.net##.wrap_general:has(> #taboola-below-article-thumbnails-mg) +crank-in.net##article > section.block-area:has(> div#taboola-below-article-thumbnails-mg) +jbpress.ismedia.jp##div.--wid:has(> div#taboola-below-article-thumbnails-bottom) +mdpr.jp##.p-articleList__heading:has(+ div#taboola-below-article-thumbnails-desktop) +full-count.jp##.s-entry > section > div.c-heading:has(> div#taboola-below-article-thumbnails-desktop) +newsweekjapan.jp##.taboola-below-article-thumbnails-desktop-2-wrap +pashplus.jp##.content_right > div > span[style^="display: block; font-size: 30px"]:has(+ div#taboola-below-article-thumbnails) +! Rtoaster +nifty.com##div[class^="Setsuzoku_ourServicesDList"] > dl > dt:first-child +nifty.com##dd[class^="Setsuzoku_servicePromo"] +! Taxel +wanchan.jp##.recommend_header +wanchan.jp##.recommend_header + div[style^="aspect-ratio:"] +! other +blog.jp#?#.plugin-memo:has(> div.side > div > div[id^="blz_rss"]) +nukigazo.com###text-2 +comichara.com,movient.net###text-6 +okazuch.site###custom_html-30 +tousatu-club.com###text-9 +erostopics.net###custom_html-81 +erostopics.net###custom_html-137 +erostopics.net###related-box +idle-girl.com###custom_html-74 +! Outbrain +nekochan.jp###main > aside:has(> div.OUTBRAIN) +! aspservice.jp +petyado.com##center > div > table.font12 + table[width="1200"]:not([class]) +petyado.com##center > div > table[width="1200"]:has(> tbody > tr > td[height="310"] > script) +petyado.com##table[width="795"]:has(td > script[src^="https://s1.aspservice.jp"]) +petyado.com##td[width="800"][align="right"][valign="top"] +! k5a.io +tv2.no##.article-recommended + +! https://github.com/uBlockOrigin/uAssets/issues/16370 +@@||lecturel.com^$ghide +lecturel.com##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/16371 +! https://github.com/uBlockOrigin/uAssets/issues/13175 +||doubleclick.net/instream/ad_status.js^$script,xhr,redirect=doubleclick_instream_ad_status.js:5 + +! https://github.com/uBlockOrigin/uAssets/issues/16373 +! https://www.reddit.com/r/uBlockOrigin/comments/1h15ivu/unable_to_resolve_popup_ads_issue_on_pahe/ +pinloker.com,sekilastekno.com##+js(aeld, blur, counter) +pinloker.com,sekilastekno.com,netfilm.app##+js(nowoif, /\.(com|net)\/4\//) +pinloker.com,sekilastekno.com##+js(nano-sib, wait) +pinloker.com,sekilastekno.com###main:has(a[\@click="scroll"][target="_blank"]) .entry-content > figure, h3, h4, ol, p, ul +pinloker.com,sekilastekno.com##.separator > a[\@click="scroll"][target="_blank"] +||betzapdoson.com^$popup +/^https?:\/\/(?:ak\.)?[a-z]{6,15}\.(?:com|net)\/4\/\d{7}/$doc,frame,popup +pinloker.com##+js(no-fetch-if, adsbygoogle) +pinloker.com,sekilastekno.com###teaser2 +sekilastekno.com###content:has(#teaser2) .entry-content > figure, h3, h4, ol, p, ul + +! https://github.com/uBlockOrigin/uAssets/issues/16386 +@@||elahmad.com/tv/videojs/packages/blockadblock.min.js$script,1p +@@||elahmad.com/tv/videojs/packages/videojs-analytics/videojs-analytics.min.js$script,1p +elahmad.com##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/16389 +@@||a-ads.com/assets/common/ad_blocker-203c5bd097d317c7badf88cd5afdaf79091c5f0b9ab00763ae2a84ee4d2c218b.js|$script + +! https://github.com/uBlockOrigin/uAssets/issues/16392 +freepik-downloader.com##+js(no-fetch-if, google-analytics) + +! https://www.reddit.com/r/uBlockOrigin/comments/10fp3x4/ +financialjuice.com##+js(acs, jQuery, modal) + +! https://github.com/uBlockOrigin/uAssets/issues/16406 +*$script,xhr,redirect-rule=noopjs,domain=earnbtc.pw +@@||static.surfe.pro/js/net.js$script,domain=earnbtc.pw +@@||earnbtc.pw/jse/vld.ads?ad_ids=$script,domain=earnbtc.pw + +! https://github.com/uBlockOrigin/uAssets/issues/16411 +coldfrm.org##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/16413 +@@||onlinestudentseva.com^$ghide +onlinestudentseva.com##.adsbygoogle:style(max-height: 1px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/16415 +*/wp-content/plugins/best-ads-block-detector/ + +! https://github.com/uBlockOrigin/uAssets/issues/16416 +azrom.net##+js(nostif, show) +azrom.net##+js(aeld, , show) + +! https://github.com/uBlockOrigin/uAssets/issues/16417 +freepatternsarea.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/16426 +@@||scriptsoup.nx.tc/prebid.js$script + +! porhubvideo.com,pornktubes.net anti-adb, hilltopads +porhubvideo.com,pornktubes.net##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +porhubvideo.com,pornktubes.net##+js(acs, eval, replace) + +! daemonanime.net/daemon-hentai.com anti-adb +daemonanime.net##+js(acs, eval, replace) +daemonanime.net##+js(acs, document.addEventListener, google_ad_client) +daemon-hentai.com##+js(aopr, b2a) +daemonanime.net,daemon-hentai.com##+js(nostif, adbl) +daemon-hentai.com##+js(nostif, nextFunction) +daemonanime.net,daemon-hentai.com##+js(acs, document.querySelectorAll, popMagic) +daemonanime.net#@#div[id^="div-gpt-"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]) +daemonanime.net#@#[id^="div-gpt-ad"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]) + +||a.magsrv.com/video-slider.js$script,redirect=noop.js,domain=daemonanime.net|daemon-hentai.com +@@||daemon-hentai.com^$ghide + +! simulatormods.com anti-adb +simulatormods.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/16456 +gsmhamza.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/16457 +titsintops.com##+js(acs, Math.floor, Math.random) +titsintops.com##+js(aopr, decodeURI) + +! filmeonline2018. net popups +filmeonline2018.net##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/10ighk9/ +cpuid.com##.widget-block[class*="widget-advert"] + +! https://github.com/uBlockOrigin/uAssets/issues/16476 +zerotopay.com##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/16482 +pobre.*##+js(no-fetch-if, ads) +pobre.*##+js(nowoif) +pobre.*###bannerOverLay + +! https://github.com/uBlockOrigin/uAssets/issues/16477 +@@||519.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/16496 +alttyab.net##+js(nostif, show) +alttyab.net##+js(aeld, , show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/140807 +techclips.net##+js(nostif, sadbl) +||techclips.net/jqueri.php + +! AdSpyglass 0i0i0i0.com CNAME adserver +/^https?:\/\/a\.[-0-9a-z]{4,21}\.[a-z]{2,5}\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,match-case +/^https?:\/\/aa\.[-0-9a-z]{4,21}\.[a-z]{2,5}\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,match-case +/^https?:\/\/asg\.[-0-9a-z]{4,21}\.[a-z]{2,5}\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,match-case +/^https?:\/\/pre\.[0-9a-z]{6,12}\.[a-z]{3,4}\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,match-case +/^https?:\/\/oi\.[0-9a-z]{6,12}\.[a-z]{3,4}\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,match-case +/^https?:\/\/dl\.[0-9a-z]{6,12}\.[a-z]{3,4}\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,match-case +/^https?:\/\/[0-9a-z]{4,8}\.fun\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,3p,match-case +/^https?:\/\/[0-9a-z]{4,8}\.lol\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,3p,match-case +/^https?:\/\/[0-9a-z]{4,8}\.name\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,3p,match-case +/^https?:\/\/[0-9a-z]{4,8}\.pro\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,3p,match-case +/^https?:\/\/(?:q\.)?[0-9a-z]{4,8}\.xyz\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,3p,match-case +/^https?:\/\/(?=[a-z]{0,10}\d)[0-9a-z]{11}\.[-0-9a-z]{6,}\.com\/(?=[a-z]*[0-9A-Z])[0-9a-zA-Z]{5,7}\.js$/$script,1p,strict3p,match-case,to=com +/asg_embed.js +/vast-im.js$script +://a.*/click/$image +://a.*/splash/$xhr +://a.*/spots/$xhr +/api/users/*&ev=$script +://a.*/js/ep.js^ +://a.*/js/stream.js^ +/api/users/*^fill=$xhr +://cdn.*.com/vast2.js|$3p + +! PopCash popcashjs.b-cdn.net CNAME adserver +/^https?:\/\/cdn\.[a-z]{3,8}\.[a-z]{2,6}\/app\.js$/$script,3p,match-case,domain=~edu|~gov +://p.*/go/$popup,3p + +! NameSilo ab1n.net CNAME adserver +/fp-interstitial.js +/splash.php?idzone= +://a.*/pn.php +://a.*/iframe.php?idzone= + +! ads/popups +2umovies.*##+js(acs, atob, decodeURIComponent) +mmsbee.*##+js(aost, Element.prototype.matches, litespeed) +8xmovies.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/16510 +||cryptocoinsad.com/ads/$frame +claimsatoshi.xyz##+js(acs, document.createElement, adsBlocked) +claimsatoshi.xyz##.ads +claimsatoshi.xyz##form > div[style] + +! https://github.com/uBlockOrigin/uAssets/issues/16511 +harshfaucet.com##+js(acs, document.createElement, adsBlocked) +harshfaucet.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/16513 +compromath.com##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/13571 +/ads/autopromo/*$media,xhr,redirect=noopmp3-0.1s,domain=deezer.com +! https://github.com/uBlockOrigin/uAssets/issues/22379 +! https://github.com/easylist/easylist/issues/19183 +||live.streamtheworld.com/media/*.mp3$media,domain=deezer.com|~widget.deezer.com,redirect=noopmp3-0.1s +! https://github.com/uBlockOrigin/uAssets/issues/22189#issuecomment-2242768707 +! https://www.reddit.com/r/uBlockOrigin/comments/1gvli9n/deezer_no_longer_works_with_ublock_20112024/ +deezer.com##+js(trusted-replace-fetch-response, //, , deezer.getAudiobreak) +||cdn-files.dzcdn.net/cache/js/route-naboo-ads.$script,domain=deezer.com,replace=/this\.audioPlayer\.play/false/ +! https://github.com/uBlockOrigin/uAssets/issues/17392 +deezer.com##+js(nostif, Ads) +! https://github.com/uBlockOrigin/uAssets/issues/18932 +deezer.com##+js(set, smartLoaded, true) +! https://github.com/uBlockOrigin/uAssets/issues/22909 +@@||s0.2mdn.net/instream/video/client.js$script,domain=deezer.com +@@||cdn.hubvisor.io/wrapper/common/player.js$script,domain=deezer.com +@@||cdn.hubvisor.io/wrapper/*/hubvisor.js$script,domain=deezer.com +@@||cdns-preview-*.dzcdn.net/stream/*.mp3$media,domain=deezer.com + +! https://www.reddit.com/r/uBlockOrigin/comments/10n37i2/ +@@||wnacg.org/download$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/16525 +streamcheck.link##+js(rmnt, script, runPop) + +! https://github.com/uBlockOrigin/uAssets/issues/16508 +! https://github.com/uBlockOrigin/uAssets/issues/17383 +bestsolaris.com,daddylivehd.*,tutelehd.*,watchtvchh.*##+js(acs, setTimeout, admc) +daddylivehd.*,worldstreams.click##+js(aopw, u_cfg) +daddylivehd.*,footyhunter.lol,poscitech.click,wecast.to##+js(nostif, sadbl) +forgepattern.net##+js(acs, JSON.parse, atob) +volokit2.com##+js(json-prune, *, *.adserverDomain) +dlhd.sx##+js(aost, document.createElement, onerror) +/adblock.php$script,domain=daddylivehd.*|poscitech.click +! https://www.reddit.com/r/uBlockOrigin/comments/135yt7g/ +/adpup/*.js$script,3p +/t.salamus1.lol/*$script + +! https://github.com/uBlockOrigin/uAssets/issues/16545 +socialcounts.org##.container > .adsbygoogle:upward(.container) +socialcounts.org##.container > div > .adsbygoogle:upward(div) + +! https://github.com/uBlockOrigin/uAssets/issues/16547 +ahmedmode.*##+js(nostif, show) + +! https://www.reddit.com/r/uBlockOrigin/comments/10og35n/ +ennovelas.com##+js(set, scriptSrc, '') +ennovelas.com##+js(set, path, '') +ennovelas.com##^script[data-cfasync][data-adel] +/^https:\/\/www\.ennovelas\.com\/[a-z0-9]{10}$/$script,1p,domain=ennovelas.com + +! https://github.com/uBlockOrigin/uAssets/issues/16561 +arbweb.info##+js(aopr, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/16563 +fosslinux.com##+js(nostif, ShowAdBLockerNotice) + +! https://github.com/AdguardTeam/AdguardFilters/issues/141388 +freepornsex.net##+js(nostif, showModal) + +! https://github.com/AdguardTeam/AdguardFilters/issues/141273 +liveon.*##+js(acs, setTimeout, admc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/141197 +sportbar.live##+js(nostif, sadbl) + +! https://github.com/uBlockOrigin/uAssets/issues/16605 +nurparatodos.com.ar##+js(nostif, showModal) + +! https://github.com/AdguardTeam/AdguardFilters/issues/141714 +@@||fpnpmcdn.net/v3/*/loader_$script,domain=member.neofinancial.com + +! https://github.com/uBlockOrigin/uAssets/issues/16618 +shrdsk.me##+js(nostif, ad_listener) +shrdsk.me##+js(nowoif, !shrdsk) +shrdsk.me##+js(nowoif, _blank) +sharedisk.me##+js(nowoif, !/^\/download\//) +sharedisk.me,shrdsk.me##+js(set-cookie, ad_opened, true) +sharedisk.me,shrdsk.me##+js(aopr, checkAdsStatus) +sharedisk.me,shrdsk.me##.download-play-buttons +||injectshrslinkblog.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/16636 +nilesoft.org##+js(aost, document.createElement, notify) + +! https://github.com/uBlockOrigin/uAssets/issues/16633 +tlgrm.eu##.channel-feed__brick .cfeed-card-contents--banner-adsense:upward(.channel-feed__brick) + +! https://github.com/uBlockOrigin/uAssets/issues/16634 +telegramchannels.me##.is-full .climad-badge:upward(.is-full) + +! https://github.com/uBlockOrigin/uAssets/issues/16637 +*$script,3p,denyallow=static.addtoany.com,domain=nicesss.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/142004 +.com/promo.php?c=$frame,script,3p +/wcm/?sh=$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/16640 +@@||ajc.com^$ghide + +! wendycode.com anti adblock +wendycode.com##+js(nostif, _0x, 2000) + +! https://github.com/uBlockOrigin/uAssets/issues/16653 +fusevideo.net##a[href][target="_blank"] + +! https://github.com/uBlockOrigin/uAssets/issues/16664 +nn.de###ad-Billboard:upward([style]) + +! wareme24.com popup +wareme24.com##+js(noeval) + +! https://github.com/uBlockOrigin/uAssets/issues/16656 +moegirl.org.cn##+js(nostif, offsetHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/16669 +nhl66.ir##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/10wlagl/ +www.walmart.com##[data-stack-index] > section > div > div [data-item-id] > a[link-identifier][href^="https://wrd.walmart.com"]:upward(section > div > div) +www.walmart.com##[data-testid="flex-container"] > div > span:has(a[link-identifier][href^="https://wrd.walmart.com"]) +www.walmart.com##[data-testid="skyline-ad"] + +! globalThis crap +/sw.js?puid=$script,1p +/utx?tid=$xhr,3p +/^https?:\/\/[a-z]{8,15}\.club\/[%0-9a-zA-Z]{170,}$/$script,3p,match-case +/^https?:\/\/[a-z]{8,15}\.fun\/[%0-9a-zA-Z]{170,}$/$script,3p,match-case +/^https?:\/\/[a-z]{8,15}\.hair\/[%0-9a-zA-Z]{170,}$/$script,3p,match-case +/^https?:\/\/[a-z]{8,15}\.work\/[%0-9a-zA-Z]{170,}$/$script,3p +/^https?:\/\/[a-z]{8,15}\.xyz\/[%0-9a-zA-Z]{170,}$/$script,3p +/^https?:\/\/[a-z]{8,15}\.com?\/(?=[0-9a-zA-Z]*%)(?=[%a-zA-Z]*\d)(?=[%0-9a-z]*[A-Z])[%0-9a-zA-Z]{170,}$/$script,3p,match-case,from=~edu|~gov,to=co|com + +! generic adserver rules +/pw/waWQiOjEw*=eyJ.js^$script +/gb/zone?zid=$xhr,3p +.club/js/popunder.js$3p +.life/js/popunder.js$3p +.com/ipp.js?id=$3p +.top/ps/ps.js?id=$3p + +! https://github.com/uBlockOrigin/uAssets/issues/16698 +diyphotography.net##+js(aeld, , AdB) + +! https://github.com/uBlockOrigin/uAssets/issues/16692 +||tilersforums.com/js/xf/$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10703 +||uploadhaven.com/sw.js$script,1p + +arealgamer.org##+js(nano-sib, counter) +arealgamer.org##a[href="javascript:void(0)"][onclick^="window.open"] + +thefileslocker.net###countdown +thefileslocker.net##.downloadbtn:remove-attr(disabled) + +! https://github.com/uBlockOrigin/uAssets/issues/16707 +lightsnovel.com##+js(set, pandaAdviewValidate, true) + +! https://github.com/uBlockOrigin/uAssets/issues/16680 +! https://github.com/AdguardTeam/AdguardFilters/issues/132697 +! https://github.com/uBlockOrigin/uAssets/issues/26334 +n.fcd.su###submitbutton[disabled]:remove-attr(disabled) +n.fcd.su##a#gobutton[onclick]:remove-attr(onclick) +n.fcd.su##+js(acs, $, push-allow-modal) +oxy.*,~oxy.edu##+js(acs, $, window.open) +oxy.*,~oxy.edu##+js(nosiif, .hide) +oxy.*,~oxy.edu##+js(acs, $, localStorage) +oxy.*,~oxy.edu###divdownload > div[data-template][data-source_url] +oxy.*,~oxy.edu##[href*=".info"] +oxy.*,~oxy.edu##.group_viewport, .page__viewport:style(display: initial !important;) +oxy.*,~oxy.edu###izobrazhenie-1:style(padding-bottom: 0px !important;) +*$script,3p,denyallow=yastatic.net|jsdelivr.net,domain=oxy.*|~oxy.edu + +! https://github.com/uBlockOrigin/uAssets/issues/16718 +mobilkulup.com##+js(nostif, show) + +! https://www.reddit.com/r/uBlockOrigin/comments/1105dh1/ +wnynewsnow.com##.g + +! https://github.com/uBlockOrigin/uAssets/issues/16703 +eltiempo.es##.cls-publi-height-city +eltiempo.es##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/16719 +esopress.com##+js(nostif, show) +esopress.com##+js(aeld, , show) +esopress.com##+js(no-fetch-if, googlesyndication) +*$script,domain=esopress.com,redirect-rule=noopjs +! https://github.com/uBlockOrigin/uAssets/issues/17222#issuecomment-1487432148 +@@||cdn.jsdelivr.net/gh/*/detectIncognito$script,domain=esopress.com +@@||esopress.com^$ghide +esopress.com##.adsbyvli:style(height: 0px !important;) + +! __Y players +##div[style^="position:fixed;inset:0px;z-index:2147483647;background:black;opacity:0.01"] +##div[style^="position: fixed; inset: 0px; z-index: 2147483647; background: black; opacity: 0.01"] +/\/assets\/jquery\/jquery-\d\.\d\.(?:\d\.)?min\.js\?(?:v=2)?&?type=(?:adult|mainstream)$/$script,1p +/asset/angular.min.js?t=$xhr,1p +/asset/jquery/slim-3.2.min.js?*&t=$xhr,1p +cloudrls.com,embedwish.com,fc2stream.tv,javhahaha.us,javlion.xyz,javibe.net,jvideo.xyz,kissmovies.net##+js(aopr, __Y) + +! heavyfetish.com ads and pre-roll +heavyfetish.com##+js(set, flashvars.adv_pre_src, '') +heavyfetish.com##.banner +heavyfetish.com##.table +heavyfetish.com##.sponsor + +! ads.snapchat.com anti-adb +ads.snapchat.com#@#.banner_ad + +! https://github.com/uBlockOrigin/uAssets/issues/16738 +! https://github.com/uBlockOrigin/uAssets/issues/19842 +7xm.xyz##+js(acs, eval, replace) +7xm.xyz##+js(rmnt, script, AdBlocker) + +! https://github.com/uBlockOrigin/uAssets/issues/16768 +gochyu.com##+js(acs, $, open) + +! examword. com anti adb +examword.com##+js(nostif, open) + +! https://tribuna.com/en/ ads modal +! https://github.com/uBlockOrigin/uAssets/commit/f8075cd7d545d24adafa91e4fe305f6cc30983ec#commitcomment-100882736 +tribuna.com##+js(nostif, (!0)) +tribuna.com##body:style(overflow: auto !important;) +tribuna.com##.banner +tribuna.com##.footer-helper__min-height-after-header +tribuna.com##[class^="BannerAlternative_banner"] +tribuna.com##[class^="Main_main-layout__fixed-banners"] + +! NSFW sites popup/ads +||xxxadd.com/js/hrqst.js +||xxxtubedot.com/js/skvkl.js +||tubevintageporn.com/js/bkcwe.js +||tubesex.me/js/eribi.js +?adl=1&id=$frame,script,1p +/\/js\/\d{2,3}eka\d{2,3}\.js$/$script,1p,domain=com +||fapnow.xxx/bump/ +/lhzbsrfkjf/js/*$3p +/zbs.kek.js +||rapidgator.net/images/pics/36_300%D1%85250_$3p +||sexasia.net/wp-content/uploads/2022/03/subyshare.gif +teenpornvideo.fun##.fullave-pl +||teenpornvideo.fun/vcrtlrvw/cjdoweph.js +||av.ageverify.co^$frame,3p +||a1-multisite.aphex.me^$image,3p +||teenxx.org/fpc.js +||extmatrix.com/ad/ +||i.imgur.com/cSePTP2.jpg +||javrave.club/ads/ +doujinblog.org##.wppopups-whole +latestjav.com###block-15 +hentaiomg.com###custom_html-2 +hentai-sharing.net,hentaiomg.com,javrookies.com,sakuravrjav.com###custom_html-3 +sakurajav.com###custom_html-4 +javzh.com###custom_html-5 +javrookies.com,javzh.com,sakurajav.com,sakuravrjav.com###isLatest +sakurajav.com##.ce-banner +sakuravrjav.com###widget_advertising-2 +||boundhub.com/sab/$image +cosplayporntube.com##div[class*="Creative"] +||cosplayporntube.com/creatives/ +||fapix.porn/front/js/unwanted.js +hcbdsm.com##.-aff +hcbdsm.com##.aside +hcbdsm.com##.inline-aff-sec +||hcbdsm.com/exo1.html +||hcbdsm.com/frtl.js +||hcbdsm.com/rbtop.html +||orgasm.com/images/girl3.jpg +||atube.sex/*/js.php +||fullhdxxx.com/*/js.php +||hdpornup.com/*/js.php +||pornodom.top/fix/js.php +||pornvxxxcn.com/*/js.php +||sexfreehd.xxx/*/js.php +||bollywoodporn.name/js/PfV5GLKSF5S5md5LwPUPY.js +||forcedgayporn.com/js/odWRPsjXZqsqsSkW.js +||freepornvideo.name/js/JTJIV6szTz6sdA4.js +||gaypornrape.net/js/3LQkZfQVN7mWARVbozLgE.js +||goldporn.org/js/nc2nlpLCSuNoX5A.js +||pornegypt.com/js/UkxJS6eXaq4UYmNDr8iqYtA.js +||pornhamster.net/js/tnKe7I3IjCR17dbnPQpzX.js +||pornxvideos.org/js/QeCMJoCzLeIl3Pm.js +||rapeporn.xyz/js/WBaV00YD0JTBSypXSc.js +||rapetube.me/js/2oWLXMqWrBJLr5kGnC.js +||roughhardsex.com/js/YxklHzfRQPifk0utgjMI7a.js +||vintagenudes.pro/js/aQCeo5xWBGKc6Uv0xe.js +||youngasianporntube.net/js/cyc2Z5Gg0nwnQY2Gy.js +||comixporn.net/js/nvrblck.js +||manporn.xxx/agent.php +||tubecucumber.com/images/pr.js +||xxxpornanal.com/123iigttdj924/$script,1p +||javmenu.com/api/v1/get_rendered_ads^ +javmix.app##+js(set, puShown, true) +||gayxxxtube.net/img_bnnrs/ +||xxxgirlsphotos.com/girls.js +||cdn-static3.com/cdn/push.min.js +://creative.*/widgets/Spot/lib.js$3p +://creative.*/widgets/v4/Universal?$frame,3p + +! xtremetop100.com ads +xtremetop100.com###sidebanner +xtremetop100.com###sidebannerleft +xtremetop100.com###topbanner +||xtremetop100.com/horizontalBanner.jpg +||xtremetop100.com/images/UWSidebanner.gif +||xtremetop100.com/images/right_adspot2.jpg + +! https://www.reddit.com/r/uBlockOrigin/comments/11486ss/antiadblock_detecting_ublock/ +@@||saikai.com.br^$ghide +saikai.com.br##.comic-note + +! https://github.com/AdguardTeam/AdguardFilters/issues/130891 +karvitt.com#@#ins.adsbygoogle[data-ad-slot] +karvitt.com#@#ins.adsbygoogle[data-ad-client] +karvitt.com##ins.adsbygoogle:style(height: 1px!important;) + +! __aaZoneid sites +azel.info,clip-sex.biz,justpicsplease.com,klmanga.*,lucagrassetti.com,manga1001.*,mangaraw.*,mangarawjp.*,mangarow.org,mihand.ir,nudecelebsimages.com,overwatchporn.xxx,pornium.net,syosetu.me,xnxxw.net,xxxymovies.com,yurineko.net##+js(aopw, __aaZoneid) + +! https://github.com/uBlockOrigin/uAssets/issues/16798 +watchcalifornicationonline.com,watchmalcolminthemiddle.com,watchonlyfoolsandhorses.com,watchrulesofengagementonline.com,watchsuitsonline.net,watchlostonline.net##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/16808 +sumoweb.to##+js(no-fetch-if, ads) + +! sexypornpictures.org popup +sexypornpictures.org##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/16832 +*$script,domain=leaveadvice.com,redirect-rule=noopjs +@@||leaveadvice.com^$ghide +/wp-content/plugins/wp-hide-security-enhancer/assets/js/devtools-detect.js$script,1p +||cdn.jsdelivr.net/*/detectIncognito$script + +! Steady anti adblock +! https://github.com/uBlockOrigin/uAssets/issues/7228 +! https://github.com/uBlockOrigin/uAssets/issues/7826 +trendsderzukunft.de,gal-dem.com,lostineu.eu,oggitreviso.it,speisekarte.de,mixed.de##+js(nostif, Delay) + +! https://github.com/uBlockOrigin/uAssets/issues/16840 +haloursynow.pl##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/16841 +@@||eglos.pl^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/16846 +@@||darmowe-torenty.pl^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/16845 +@@||torrentcity.pl^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/16843 +archiwumalle.pl##+js(acs, jQuery, ga) + +! https://github.com/uBlockOrigin/uAssets/issues/16842 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=ortograf.pl,redirect=google-ima.js +ortograf.pl##+js(no-fetch-if, ima) +ortograf.pl##.top-billboard + +! https://github.com/AdguardTeam/AdguardFilters/issues/143371 +realpornclips.com##.main > div.container > h2:has-text(Advertisement) +realpornclips.com##.embed-aside +realpornclips.com##.main-aside +||sibergy.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/16872 +nesiaku.my.id##+js(nostif, show) +nesiaku.my.id##+js(aeld, , show) + +! https://github.com/uBlockOrigin/uAssets/issues/16875 +litecoin.host##+js(no-xhr-if, adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/143452 +bitchesgirls.com##+js(aeld, load, adSession) +bitchesgirls.com##.ADDED +bitchesgirls.com##.a-d-block +bitchesgirls.com##.also +bitchesgirls.com##.item:style(height: auto !important;) +bitchesgirls.com##.item > .post:style(height: auto !important;) +bitchesgirls.com##div[title="webcam sluts"] +||bitchesgirls.com/libs/adLoaders/ + +! https://github.com/uBlockOrigin/uAssets/issues/16880 +allfaucet.xyz##+js(aeld, DOMContentLoaded, adsBlocked) +allfaucet.xyz##+js(aeld, load, htmls) +allfaucet.xyz##^script:has-text(htmls) +allfaucet.xyz##[src^="https://cryptocoinsad.com/ads/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/118pxa1/ +my-subs.co##+js(set, timeLeft, 0) +my-subs.co###countdown + +! https://github.com/uBlockOrigin/uAssets/issues/16887 +tvepg.eu##+js(nostif, alert) + +! https://github.com/uBlockOrigin/uAssets/issues/16888 +||googletagmanager.com/gtm.js$important,domain=plaion.com +plaion.com##+js(set, Cookiebot, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/143619 +efukt.com##.efi_container +efukt.com##.efi_enabled:style(overflow: auto !important; height: auto !important; width: auto !important; position: static !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/143624 - not always +asianmilfhub.com###custom_html-2 +||asianmilfhub.com/wp-content/uploads/ad/ +/vast/?zid=$xhr,3p + +! deblocker sites +hayatarehber.com##+js(acs, eval, replace) +afronudes.com,allcelebspics.com,alttyab.net,an1me.*,androjungle.com,arkadmin.fr,azoranov.com,barranquillaestereo.com,brasilsimulatormods.com,cambrevenements.com,cartoonstvonline.com,comparili.net,diaobe.net,filegajah.com,filmestorrent.tv,franceprefecture.fr,freecricket.net,gcpainters.com,germanvibes.org,getmaths.co.uk,gewinnspiele-markt.com,hamzag.com,hannibalfm.net,hornyconfessions.com,ilcamminodiluce.it,joguinhosgratis.com,joziporn.com,justpaste.top,mctechsolutions.in,medibok.se,megafire.net,mirrorpoi.my.id,mockuphunts.com,mortaltech.com,multivideodownloader.com,nauci-engleski.com,nauci-njemacki.com,nekopoi.my.id,nuketree.com,pa1n.xyz,papafoot.*,playertv.net,programsolve.com,radio-deejay.com,ranaaclanhungary.com,rasoi.me,riprendiamocicatania.com,rsrlink.in,seriesperu.com,shmapp.ca,sub2unlocker.com,romviet.com,skillmineopportunities.com,teczpert.com,totalsportek.app,tromcap.com,tv0800.com,tv3monde.com,ustrendynews.com,watchnow.fun,weashare.com,webdexscans.com,yelitzonpc.com,ymknow.xyz##+js(noeval-if, adsBlocked) +jipinsoft.com,surfsees.com,truthnews.de##+js(nostif, show) +smgplaza.com##+js(aost, document.addEventListener, litespeed) +titbytz.tk##+js(aeld, DOMContentLoaded, adsBlocked) +||allcelebspics.com/assets/popunder.js +||smgplaza.com/wp-content/litespeed/js/e3dbdef0d73bbe66ccfb299d21f976dd.js +! https://github.com/AdguardTeam/AdguardFilters/issues/152764 +androjungle.com##.ads +! https://github.com/uBlockOrigin/uAssets/issues/15375 +! https://github.com/uBlockOrigin/uAssets/issues/18759 +@@||an1me.*^$ghide +an1me.*##+js(aost, document.getElementsByTagName, adsBlocked) +an1me.*##ins.adsbygoogle + +! https://www.rookieroad.com/baseball/what-is/ ads placeholders +! https://github.com/uBlockOrigin/uAssets/issues/19817 +rookieroad.com###main > div[class] > div div[class]:matches-css-before(content: "advertisement"):upward(#main > div[class] > div) +rookieroad.com###right-col + +! https://github.com/uBlockOrigin/uAssets/issues/16894 +@@||coinhub.wiki^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/16903 +*$image,redirect-rule=1x1.gif,domain=xpornium.net + +! https://github.com/uBlockOrigin/uAssets/issues/16906 +! https://github.com/uBlockOrigin/uAssets/issues/20158 +! https://github.com/uBlockOrigin/uAssets/issues/20164 +naijafav.top,ourcoincash.xyz##+js(aeld, load, htmls) +naijafav.top,ourcoincash.xyz##^script:has-text(/htmls|google_ad_client/) +naijafav.top,ourcoincash.xyz##+js(acs, addEventListener, google_ad_client) +||regie-cpc.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/16916 +farsinama.com##+js(nostif, show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/143849 +xnotx.com###sidebar > div.box:first-child +xnotx.com###sidebar > noindex + +! https://github.com/AdguardTeam/AdguardFilters/issues/143828 +ahegaoporn.net##+js(aopr, loadTool) +! abellalist.com,jennylist.xyz +/t63fd79f7055.js +! ahegaoporn.net,lolhentai.net +/tceb29242cf7.js +! hentaipins.com,super-games.cz +/ta22f6590aec.js + +! regenerator adservers ex. asian-sexy.com +://cdn.*.com/renderer/renderer.js|$script,3p +://loc.*.com/renderer/renderer.js|$script,3p + +! awe adservers ex. sexwebvideo.net,scrolller.com +&subAffId={SUBAFFID}^$frame,script,3p +&subAffId=tall^$frame,script,3p + +! japan-whores.com ad frame +||javhd.com/*/300x250.html? + +! https://github.com/uBlockOrigin/uAssets/issues/16948 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=danet.vn,redirect=google-ima.js +danet.vn###adsButton + +! https://github.com/uBlockOrigin/uAssets/issues/16945 +*$script,3p,denyallow=cloudflare.com,domain=putlockers.li + +! adblocktape.online popup +adblocktape.*##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/144160 +173.249.8.3,188.166.182.72##+js(nowoif) +173.249.8.3##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/16963 +novinky.cz##^script:has-text(Math) +novinky.cz##+js(aost, HTMLIFrameElement, inlineScript) + +! https://github.com/uBlockOrigin/uAssets/issues/16969 +worldofiptv.com##+js(nostif, show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/143965 +stratford-herald.com##.MPU + +! https://github.com/uBlockOrigin/uAssets/issues/16982 +tuxnews.it##+js(aost, parseInt, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/16986 +pokemundo.com##+js(noeval-if, show) + +! https://github.com/easylist/easylist/issues/15018 +accesousa.com,bellinghamherald.com,bnd.com,bradenton.com,centredaily.com,charlotteobserver.com,elnuevoherald.com,flkeysnews.com,fresnobee.com,heraldonline.com,heraldsun.com,idahostatesman.com,islandpacket.com,kansas.com,kansascity.com,kentucky.com,ledger-enquirer.com,macon.com,mahoningmatters.com,mcclatchydc.com,mercedsunstar.com,miamiherald.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sacbee.com,sanluisobispo.com,star-telegram.com,sunherald.com,thenewstribune.com,theolympian.com,thestate.com,tri-cityherald.com###mastheadVueContainer > .zone +accesousa.com,bellinghamherald.com,bnd.com,bradenton.com,centredaily.com,charlotteobserver.com,elnuevoherald.com,flkeysnews.com,fresnobee.com,heraldonline.com,heraldsun.com,idahostatesman.com,islandpacket.com,kansas.com,kansascity.com,kentucky.com,ledger-enquirer.com,macon.com,mahoningmatters.com,mcclatchydc.com,mercedsunstar.com,miamiherald.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sacbee.com,sanluisobispo.com,star-telegram.com,sunherald.com,thenewstribune.com,theolympian.com,thestate.com,tri-cityherald.com##article .combo.zone +accesousa.com,bellinghamherald.com,bnd.com,bradenton.com,centredaily.com,charlotteobserver.com,elnuevoherald.com,flkeysnews.com,fresnobee.com,heraldonline.com,heraldsun.com,idahostatesman.com,islandpacket.com,kansas.com,kansascity.com,kentucky.com,ledger-enquirer.com,macon.com,mahoningmatters.com,mcclatchydc.com,mercedsunstar.com,miamiherald.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sacbee.com,sanluisobispo.com,star-telegram.com,sunherald.com,thenewstribune.com,theolympian.com,thestate.com,tri-cityherald.com##article [id^="zone-el"] + +! https://github.com/uBlockOrigin/uAssets/issues/17001 popup +futbollibrehd.com##+js(nostif, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/13729 +! https://github.com/uBlockOrigin/uAssets/issues/14499 +! https://github.com/uBlockOrigin/uAssets/issues/14509 +! https://github.com/uBlockOrigin/uAssets/issues/14635 +! https://github.com/uBlockOrigin/uAssets/issues/16792 +! https://github.com/uBlockOrigin/uAssets/issues/17030 +! https://github.com/uBlockOrigin/uAssets/issues/17113 +! https://github.com/AdguardTeam/AdguardFilters/issues/50762 +! https://github.com/uBlockOrigin/uAssets/issues/18060 +! https://github.com/uBlockOrigin/uAssets/issues/18100 +lightnovelpub.*,lightnovelspot.com,lightnovelworld.com,novelpub.com,webnovelpub.com##+js(nostif, /appendChild|e\("/) +@@*$ghide,domain=lightnovelpub.*|lightnovelworld.com|novelpub.com|webnovelpub.com +lightnovelpub.com#@#.adsbox +lightnovelpub.com#@#.lnadcontainer +lightnovelpub.com##div[class] > div[id^="stpd_"] > script:has-text(/initAd|initGpt/):upward(div[class]) +lightnovelpub.com##div[class] > div[id^="gpt_"] > script:has-text(initGpt):upward(div[class]) +lightnovelpub.com##li[class] > div[id^="stpd_"] > script:has-text(stpd):upward(li[class]) +lightnovelpub.*##.sticky-body +lightnovelpub.*,webnovelpub.com##div[class] > ins.adsbygoogle:upward(div[class]) +lightnovelpub.*,webnovelpub.com##li[class] > ins.adsbygoogle:upward(li[class]) +lightnovelworld.com,novelpub.com##div[class][data-mobid] > div[class="vm-placement"][data-id]:upward(div[class]) +lightnovelpub.com##div[class]:has(> .cnx-player) +lightnovelpub.*,lightnovelspot.com,novelpub.com##*:matches-css-before(content: /Adv/) +! https://github.com/uBlockOrigin/uAssets/commit/12183be55140fe562ff1f74261dfb91060354b3f +lightnovelpub.*,lightnovelspot.com,lightnovelworld.com,novelpub.com,webnovelpub.com##+js(nostif, =>) + +! https://github.com/uBlockOrigin/uAssets/issues/13805 +! https://www.reddit.com/r/uBlockOrigin/comments/11dh4jm/ +! https://github.com/uBlockOrigin/uAssets/issues/17495 +! https://github.com/uBlockOrigin/uAssets/issues/18522 +! https://www.reddit.com/r/uBlockOrigin/comments/11dh4jm/ads_are_not_blocked_on_tidal_web_browser_details/jp0ed30/ +! listen.tidal.com##+js(json-prune, countryCode, tidalId) + +! https://github.com/uBlockOrigin/uAssets/issues/17012 +mail.yahoo.com##+js(nostif, ADB) + +! https://github.com/uBlockOrigin/uAssets/issues/17014 +taigoforum.de##+js(acs, $, .show) + +! https://github.com/uBlockOrigin/uAssets/issues/17018 +myanimelist.net##[data-koukoku-width]:remove() +myanimelist.net##+js(rmnt, style, body:not(.ownlist)) +! https://github.com/uBlockOrigin/uAssets/issues/25757 +myanimelist.net##[class*="-malside"] +myanimelist.net##[class*="-pdatla"] + +! winknews.com anti adblock +! homepage live video breakage +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=winknews.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=winknews.com + +! https://github.com/uBlockOrigin/uAssets/issues/17032 +claimcoins.site##+js(aeld, load, htmls) +claimcoins.site##^script:has-text(htmls) +claimcoins.site##div[style]:has(> [id^="adm-container"]) + +! https://github.com/uBlockOrigin/uAssets/issues/16998 +disneyplus.com##+js(json-prune, stream.insertion.adSession stream.insertion.points stream.insertion stream.sources.*.insertion pods.0.ads) +disneyplus.com##+js(json-prune, ads.metadata ads.document ads.dxc ads.live ads.vod) + +! https://github.com/uBlockOrigin/uAssets/issues/17042 +gloryshole.com##+js(acs, document.dispatchEvent) +gloryshole.com###cuerpo > div:has(> ins) +gloryshole.com##.contenedor_info > div:has(> script) +gloryshole.com##body > div iframe:upward(body > div) + +! https://www.reddit.com/r/uBlockOrigin/comments/11itygx/ +hwzone.co.il##+js(nostif, site-access-popup) + +! https://github.com/uBlockOrigin/uAssets/issues/17044 +colearn.id##+js(json-prune, *.tanya_video_ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/85826 +! https://github.com/AdguardTeam/AdguardFilters/issues/158583 +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=gbnews.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=gbnews.com +||dailymail.co.uk/static/mol-adverts/$domain=gbnews.com +||cmp.dmgprivacyint.co.uk/locationjson.html + +! https://github.com/easylist/easylist/pull/15121 +pornpics.app##main > .pics:first-child > li +erodouga.me##main > .vids:first-child > li + +! https://github.com/uBlockOrigin/uAssets/issues/17076 +xerifetech.com##+js(nostif, 0x) +! https://github.com/uBlockOrigin/uAssets/issues/23039 +xerifetech.com##+js(aost, document.getElementsByTagName, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/17079 +solarchaine.com##+js(aopr, adsBlocked) +solarchaine.com##.text-left +solarchaine.com##.banner-inner + +! https://github.com/AdguardTeam/AdguardBrowserExtension/issues/2290 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=puzzlegame.com + +! https://forums.lanik.us/viewtopic.php?p=165708-falatron-com#p165708 +falatron.com##.consent +falatron.com##+js(rc, unclickable, , stay) +falatron.com##*:style(filter: none !important) + +! https://github.com/uBlockOrigin/uAssets/issues/17090 +unofficialtwrp.com##+js(rmnt, script, mdpDeblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/17104 +! https://www.reddit.com/r/uBlockOrigin/comments/12psurq/ +downloadlyir.com,ipamod.com##+js(noeval-if, deblocker) + +! tokenmix.pro anti adblock +tokenmix.pro##+js(aopr, adsBlocked) +tokenmix.pro##^script:has-text(adsBlocked) +tokenmix.pro##.BannerMain + +! https://www.reddit.com/r/uBlockOrigin/comments/11nupxv/ +||cfw.dexscreener.com^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/138602 +/prebid7.$xhr,redirect=noop.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/145279 +||americass.net/interstice-ad + +! https://github.com/uBlockOrigin/uAssets/issues/17128 +@@||pagead2.googlesyndication.com^$xhr,domain=acorta-enlace.com|finanzasdomesticas.com +@@||googleadapis.l.google.com^$xhr,domain=acorta-enlace.com|finanzasdomesticas.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/145267 +hqbang.com##+js(aeld, getexoloader) +hqbang.com###list_videos_related_videos > center +hqbang.com##.table +||hqbang.com/n/ +||hqbang.com/neverb/ + +! tokyomotion.com ads, popup +tokyomotion.com##+js(aopw, __aaZoneid) +tokyomotion.com##.videos > .column:not([id]) + +! https://github.com/uBlockOrigin/uAssets/issues/17139 +@@||digworm.io^$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17152 +ak4eg.*##+js(aeld, load, onload) +ak4eg.*##+js(acs, u_cfg) +khsm.io##+js(nosiif, visibility, 1000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/145402 +link.idblog.eu.org##+js(ra, href, .atas > a[href*="/redirect"][onclick]) +link.idblog.eu.org##.link1:style(display: block !important;) +link.idblog.eu.org##.pembukalink1 +link.idblog.eu.org##.pesanlink1 +link.idblog.eu.org##.ngebut +! ABPindo +@@||jsdelivr.net/gh/niihen/niihen.github.io/niihen-com/safelink/$script,domain=link.idblog.eu.org|niihen.com + +! https://github.com/uBlockOrigin/uAssets/issues/7897 +multiup.eu,multiup.io,multiup.org##+js(multiup) + +! https://github.com/uBlockOrigin/uAssets/issues/17160 +coursedrive.org##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/17166 +zubatecno.com###link1s-snp:style(display: block !important;) + +! https://nammakalvi.com/ anti-adb +nammakalvi.com##+js(nostif, data?) + +! https://www.reddit.com/r/uBlockOrigin/comments/11qt6ii/ +hentaikai.com##+js(acs, document.createElement, script.src) +hentaikai.com##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/11r1ai7/ +! https://github.com/uBlockOrigin/uAssets/issues/18446 +! https://github.com/uBlockOrigin/uAssets/issues/18662 +! https://www.reddit.com/r/uBlockOrigin/comments/1615y46/ +! aliexpress.com##div[data-spm="main"] > a[class*="--container--"] span[class*="--ad--"]:upward(div[data-spm="main"] > a[class*="--container--"]) +! aliexpress.com##a.search-card-item[href*="&aem_p4p_detail="]:has-text(/^AD/) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/2508 +mephimtv.cc##+js(m3u-prune, /#EXT-X-DISCONTINUITY.{1\,100}#EXT-X-DISCONTINUITY/gm, mixed.m3u8) + +! dangerousminds.net antiadb +||htlbid.com/v3/dangerousminds.net/htlbid.js$script,redirect=noopjs,domain=dangerousminds.net + +! https://github.com/uBlockOrigin/uAssets/issues/17180 +telesrbija.com##+js(acs, Promise, Adb) + +! https://github.com/uBlockOrigin/uAssets/issues/17182 +||api.lhkmedia.in^$3p + +! javgg.net anti-adb on DL +! https://github.com/uBlockOrigin/uAssets/issues/22835 +! https://github.com/AdguardTeam/AdguardFilters/issues/184779 +javgg.co,javgg.net#@##AD_160 +*$script,3p,redirect-rule=noopjs,domain=javguard.xyz +*$script,3p,denyallow=cloudflare.com|fluidplayer.com|googleapis.com|strpst.com,domain=javgg.co|javgg.net +javguard.xyz##body > div[class]:empty + +! https://github.com/uBlockOrigin/uAssets/issues/17192 +paketmu.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/145653 Brave detected on Vidstreaming +rapid-cloud.co##+js(set, navigator.brave, undefined) + +! https://github.com/easylist/easylistgermany/issues/261 +praxistipps.focus.de###G32:style(grid-template-rows: unset !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17204 +*$3p,domain=subdl.com,denyallow=challenges.cloudflare.com|crisp.chat|gstatic.com + +! https://github.com/uBlockOrigin/uAssets/issues/22174 +vuinsider.com##+js(nostif, show) +vuinsider.com##.overlay-container +vuinsider.com##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17207 +slideshare.net##+js(set, feature_flags.interstitial_ads_flag, false) +slideshare.net##+js(set, feature_flags.interstitials_every_four_slides, false) +! https://github.com/AdguardTeam/AdguardFilters/issues/173247 +slideshare.net##[data-freestar-ad] +slideshare.net##[id^="between-recs-ad-"] +slideshare.net##[class^="AdContainer"] +slideshare.net##[class^="StickyVerticalInterstitialAd"] +! https://www.slideshare.net/aidanajoyce/adblocking-blocking-more-than-ads +slideshare.net##[data-testid="freestar-video-ad"] + +! https://www.reddit.com/r/uBlockOrigin/comments/11ucmvs/coinstown_adblock_detected/jcnnnd4/?context +nerdiess.com##+js(acs, document.createElement, fakeAd) + +! https://github.com/uBlockOrigin/uAssets/issues/17220 +c2g.at##+js(nostif, checkAdblockUser) +c2g.at##+js(set, blurred, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/145868 +fikper.com##+js(nowoif, ?key=) +fikper.com##+js(nano-sib, downloadToken) + +! https://github.com/uBlockOrigin/uAssets/issues/17229 +*$xhr,redirect-rule=nooptext,domain=coins-battle.com + +! https://www.reddit.com/r/uBlockOrigin/comments/11vtqib/ads_blocker_detected/ +cdn.gledaitv.live##+js(noeval-if, String.fromCharCode) + +! https://github.com/AdguardTeam/AdguardFilters/issues/145897 +pervclips.com##+js(aopr, decodeURI) +pervclips.com##.thumb_spots +pervclips.com##.spot-after +||pervclips.com/tube/js/customscript.js + +! https://github.com/uBlockOrigin/uAssets/issues/17245 +||watchx.top^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +watchx.top##div[style="position:fixed;inset:0px;z-index:100000;height:100%;width:100%"] +! https://watchx.top/v/etyoPYM0tw3x/ anti-adb +watchx.top##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/17249 +||tinypass.com^$script,domain=independent.co.uk +@@||independent.co.uk/js/third-party/prebid.js$script,1p +||tinypass.com^$script,domain=the-independent.com +the-independent.com###top-banner-wrapper +@@||pub.pixels.ai/wrap-independent-no-prebid-lib.js$script,domain=the-independent.com +@@||independent.co.uk/*prebid$script,domain=the-independent.com +@@||permutive.*^$domain=the-independent.com +@@||googletagmanager.com/gtm.js$script,domain=the-independent.com +@@||googletagmanager.com/gtag/js$script,domain=the-independent.com +@@||static.adsafeprotected.com/iasPET.1.js$script,domain=the-independent.com +@@||the-independent.com/_build/prebid$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/11xs9ek/ +ustreasuryyieldcurve.com##+js(set, waldoSlotIds, true) + +! xxxtik. com popunder +xxxtik.com##+js(acs, atob, Uint8Array) +*$script,domain=xxxtik.com,redirect-rule=noopjs + +! anti adb thenightwithoutthedawn.blogspot. com +thenightwithoutthedawn.blogspot.com##+js(nostif, _0x) + +! https://github.com/AdguardTeam/AdguardFilters/issues/144202 +||genoanime.tv/block-ads/ +||b9good.*/block-ads/ + +! https://github.com/uBlockOrigin/uAssets/issues/17263 +! https://github.com/uBlockOrigin/uAssets/issues/23002 +dktechnicalmate.com##+js(acs, eval, replace) +dktechnicalmate.com,indiakablog.com##+js(nano-stb, redirectpage, 13500, 0.001) +dktechnicalmate.com##+js(nostif, offsetHeight, 100) +dktechnicalmate.com##+js(aeld, DOMContentLoaded, AdBlock) +dktechnicalmate.com,indiakablog.com###countdown +dktechnicalmate.com,indiakablog.com###download_link:style(display: block !important;) +link.smallseostat.com###download1,#download3 +link.smallseostat.com###myBtn:style(display: block !important;) +*$script,redirect-rule=noopjs,domain=dktechnicalmate.com + +! https://github.com/uBlockOrigin/uAssets/issues/17166#issuecomment-1479613111 +! https://github.com/uBlockOrigin/uAssets/issues/19515 +businesssoftwarehere.com,goo.st,freevpshere.com,softwaresolutionshere.com##+js(set, adblockstatus, false) +freevpshere.com,softwaresolutionshere.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/17166#issuecomment-1479772375 +battleroyal.online###link1s-snp:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17166#issuecomment-1479792886 +bitcosite.com,bitzite.com##+js(no-fetch-if, googlesyndication) +bitcosite.com##+js(acs, eval, replace) +bitcosite.com##+js(set, blurred, false) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6595762 +@@||googletagmanager.com/gtm.js$domain=go.bitcosite.com +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8262350 +@@||bitcosite.com^$ghide +bitcosite.com##+js(set, adScriptLoaded, true) +bitcosite.com##^script:has-text(/eval[\s\S]*?decodeURIComponent/) +bitcosite.com,bitzite.com##+js(rmnt, script, alert, condition, adblock) +||adskeeper.com^$script,domain=bitcosite.com|bitzite.com,redirect=noopjs +||arc.io/arc-sw.js$script,domain=bitcosite.com|bitzite.com,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/17166#issuecomment-1480655452 +||clixtoyou.com/*.gif$image +cryptosh.pro##^script:has-text(htmls) +cryptosh.pro##+js(aeld, load, htmls) +cryptosh.pro##+js(nowoif) +cryptosh.pro##+js(set, blurred, false) +cryptosh.pro##.banner + +! https://github.com/uBlockOrigin/uAssets/issues/17166#issuecomment-1480664548 +flyad.vip##+js(set, go_popup, {}) + +! https://github.com/AdguardTeam/AdguardFilters/issues/152657 +mixrootmod.com##+js(no-fetch-if, /adoto|googlesyndication/) +||googleads.g.doubleclick.net/favicon.ico$image,domain=mixrootmod.com,redirect=32x32.png +mixrootmod.com##.custom-modal + +! https://github.com/uBlockOrigin/uAssets/issues/17166#issuecomment-1480666359 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8046361 +networkhint.com##+js(set, detectAdBlock, noopFunc) +networkhint.com##.g-recaptcha:upward(form > div):style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17267 +coinsrev.com##+js(no-fetch-if, googlesyndication) + +! cyberleaks. su popups +cyberleaks.*##+js(nowoif) + +! opvid. org popups +opvid.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/3787 +gamereactor.*##+js(set, adblockEnabled, noopFunc) + +! glosbe.com PH +glosbe.com###topTrufleContainer +glosbe.com##.right-sidebar-trufle-container +glosbe.com##.dictionary-grid:matches-media((min-width: 1280px)):style(grid-template-columns: minmax(180px,250px) minmax(400px,736px) 0 !important; grid-template-rows: 0 auto !important;) +glosbe.com##.dictionary-grid:matches-media((min-width: 1024px)):style(grid-template-columns: minmax(180px,200px) minmax(400px,736px) 0 !important; grid-template-rows: 0 auto !important;) +glosbe.com##.dictionary-grid:matches-media((min-width: 768px)):style(grid-template-rows: 0 auto !important;) + +! https://alternativeto.net/software/db-fiddle/ +! https://github.com/uBlockOrigin/uAssets/issues/20358 +alternativeto.net##div[style]:has(> div[class^="Adsense"]) +alternativeto.net##li[data-testid]:has([href^="/outgoing/"]) + +! helmiau. com anti adb +@@||helmiau.com^$script,1p + +! https://explorecams.com/photos/model/dmc-fh8 anti-adb +explorecams.com##+js(aeld, np.detect) +explorecams.com##+js(no-fetch-if, ad-delivery) + +! https://github.com/uBlockOrigin/uAssets/issues/17303 +*$media,3p,domain=hitbdsm.com,redirect=noopmp3-0.1s +hitbdsm.com##[href*="aff_ad"] + +! https://forums.lanik.us/viewtopic.php?t=48050-tv-lewebde-com +lewebde.com##+js(noeval-if, show) + +! https://github.com/uBlockOrigin/uAssets/issues/17327 +earncrypto.co.in##+js(no-xhr-if, adx) + +! https://github.com/uBlockOrigin/uAssets/issues/17335 +zona-leros.com##+js(nostif, Adb) +zona-leros.com##.store_fondo + +! https://www.reddit.com/r/uBlockOrigin/comments/126fnms/ +||swarmmanga.com/*/custom.js +swarmmanga.com##.c-sidebar + +! https://github.com/uBlockOrigin/uAssets/issues/17344 +*$script,domain=terafly.me,redirect-rule=noopjs +terafly.me##+js(aopr, adsBlocked) +||terafly.me^$csp=style-src * +terafly.me##.qc-cmp2-container +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6710297 +terafly.me##+js(nostif, checkAdblockUser) + +! https://github.com/uBlockOrigin/uAssets/issues/17351 +akw.to##+js(aeld, load, onload) +akw.to##+js(acs, eval, replace) + +! BetterJsPop-sites +! http://www.filmeserialeonline.org/episodul/the-invitation +cdngee.com,fshd3.club,hd-streaming.net,streaming-french.org##+js(aopr, BetterJsPop) +! https://www.reddit.com/r/uBlockOrigin/comments/174s805/ +zedporn.com##+js(aopw, BetterJsPop) + +! https://github.com/uBlockOrigin/uAssets/issues/21528 +! https://github.com/uBlockOrigin/uAssets/issues/24625 +hiraethtranslation.com##.c-sidebar +hiraethtranslation.com##+js(aeld, DOMContentLoaded, document.documentElement.lang) + +! https://www.reddit.com/r/uBlockOrigin/comments/126oozp/website_detected/ +sideplusleaks.com##+js(noeval-if, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/17365 +entutes.com##+js(nostif, _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/17377 +! https://github.com/uBlockOrigin/uAssets/issues/20970 +shineads.*##+js(aeld, DOMContentLoaded, adsSrc) +shineads.*##.entry-header +shineads.*##[href="https://www.shineads.in/hostarmada"] +shineads.*##[href="https://app.toolsmeen.com/signup/semrush"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/146997 +! https://github.com/uBlockOrigin/uAssets/issues/23937 +! https://github.com/uBlockOrigin/uBOL-home/issues/202 +globlenews.in##+js(no-fetch-if, googlesyndication) +#@#.ad-zone +#@#.ad-space +##.ad-zone:not(.textads) +##.ad-space:not(.textads):not(.adbox) +nieru.net#@#.ad-space:not(.textads):not(.adbox) + +! CHP v3.9.2+ +10-train.com,110tutorials.com,103.74.5.104,185.193.17.214,207hd.com,247beatz.ng,247footballnow.com,24pdd.*,27-sidefire-blog.com,2best.club,2the.space,30kaiteki.com,3dyasan.com,3fnews.com,3rabsports.com,4drumkits.com,4fans.gay,4fingermusic.com,4gousya.net,4horlover.com,4spaces.org,519.best,51sec.org,80-talet.se,9alami.info,9ketsuki.info##+js(noeval-if, /chp_?ad/) +a2zbookmark.com,aboedman.com,addtobucketlist.com,adisann.com,adminreboot.com,adsurfle.com,adsy.pw,advertafrica.net,adnan-tech.com,africue.com,aghasolution.com,aitoolsfree.org,aitohuman.org,akihabarahitorigurasiseikatu.com,alanyapower.com,albania.co.il,albinofamily.com,algodaodocescan.com.br,allcalidad.app,allcelebritywiki.com,allcivilstandard.com,allcivilstandard.com,alliptvlinks.com,alliptvs.com,almofed.com,altcryp.com,altselection.com,altyazitube22.lat,amaturehomeporn.com,amnaymag.com,amritadrino.com,amtil.com.au,andani.net,androidadult.com,androidfacil.org,angolopsicologia.com,anime4mega.net,anime4mega-descargas.net,anime7.download,anime-torrent.com,animecenterbr.com,animesonlineshd.com,animetwixtor.com,animexin.vip,anmup.com.np,anodee.com,anonyviet.com,anothergraphic.org,aoseugosto.com,aozoraapps.net,apenasmaisumyaoi.com,apkdink.com,apostoliclive.com,appdoze.com,applediagram.com,aprenderquechua.com,arabstd.com,articlebase.pk,articlesmania.me,ascalonscans.com,asiansexdiarys.com,askcerebrum.com,askushowto.com,aspirapolveremigliori.it,astroages.com,astrumscans.xyz,atgstudy.com,atlantisscan.com,atleticalive.it,audiobookexchangeplace.com,audiotools.*,audiotrip.org,autodime.com,autoindustry.ro,automat.systems,automothink.com,autosport.*,avitter.net,awpd24.com,ayatoon.com,ayuka.link,azamericasat.net,azdly.com,azores.co.il,azrom.net##+js(noeval-if, /chp_?ad/) +babehubonlyfansly.com,backyardpapa.com,baixedetudo.com.br,balkanteka.net,bandstand.ph,batman.city,bcanepaltu.com,bcanotesnepal.com,bcsnoticias.mx,bdix.app,bdokan.com,bdsomadhan.com,bdstarshop.com,beaddiagrams.com,bearchasingart.com,beatree.cn,bedavahesap.org,beisbolinvernal.com,bengalxpress.in,bettingexchange.it,bi-girl.net,bibliotecadecorte.com,bibliotecahermetica.com.br,bidersnotu.com,bif24.pl,biftutech.com,bigdata-social.com,bimshares.com,bishalghale.com.np,bitcotasks.com,bitlikutu.com,bittukitech.in,bitview.cloud,bitzite.com,blog.motionisland.com,blog24.me,blogk.com,bloooog.it,bloxyscripts.com,bluebuddies.com,bluecoreinside.com,blurayufr.cam,bogowieslowianscy.pl,bookpraiser.com,booksbybunny.com,boredgiant.com,botinnifit.com,boundlessnecromancer.com,boxaoffrir.com,boxingvideo.org,boxofficebusiness.in,boystube.link,braziliannr.com,brevi.eu,brian70.tw,bright-b.com,brightpets.org,broadbottomvillage.co.uk,brokensilenze.net,brulosophy.com,brushednickel.biz,bshifast.live,bsmaurya.com,bugswave.com,businesstrend.jp,byswiizen.fr##+js(noeval-if, /chp_?ad/) +cafenau.com,calculascendant.com,calmarkcovers.com,calvyn.com,camcam.cc,camnang24h.net,canadanouvelles.com,canaltdt.es,captionpost.com,carryflix.icu,cashkar.in,casperhd.com,catatanonline.com,cavalierstream.fr,celebritablog.com,celestialtributesonline.com,cembarut.com.tr,certificateland.com,cg-method.com,chachocool.com,chakrirkhabar247.in,championpeoples.com,change-ta-vie-coaching.com,charlottepilgrimagetour.com,charpatra.com,chart.services,chatgbt.one,chatgptfree.ai,cheatermad.com,check-imei.info,cheese-cake.net,chevalmag.com,chieflyoffer.com,chihouban.com,chineseanime.org,christiantrendy.com,cienagamagdalena.com,cimbusinessevents.com.au,cinema-sketch.com,cinepiroca.com,cizzyscripts.com,claimclicks.com,claydscap.com,clockskin.us,cloud9obits.com,cocorip.net,code-source.net,codeandkey.com,codeastro.com,codeitworld.com,codewebit.top,coin-profits.xyz,coinadpro.club,coinbaby8.com,coingraph.us,cola16.app,coleccionmovie.com,colliersnews.com,comeletspray.com,cometogliere.com,comoinstalar.me,compota-soft.work,conoscereilrischioclinico.it,consigliatodanoi.it,constructionplacement.org,correction-livre-scolaire.fr,coursesdaddy.com,cpscan.xyz,crackcodes.in,crackthemes.com,crackwatch.eu,craigretailers.co.uk,crazyashwin.com,crazydeals.live,creebhills.com,creepyscans.com,crn.pl,cronachesalerno.it,crunchytech.net,cryptonor.xyz,cryptonworld.space,cryptowidgets.net,crystalcomics.com,cta-fansite.com,culture-informatique.net,cyprus.co.il##+js(noeval-if, /chp_?ad/) +daemon-hentai.com,daij1n.info,dailykpop.net,dailytechupdates.in,dailyweb.pl,davidsonbuilders.com,dabangbastar.com,day4news.com,daybuy.tw,deathonnews.com,dejongeturken.com,delvein.tech,demonictl.com,demonyslowianskie.pl,depressionhurts.us,derusblog.com,descargaranimes.com,descargaseriestv.com,design4months.com,desirenovel.com,desktopsolution.org,destakenewsgospel.com,destinationsjourney.com,detikbangka.com,dev-dark-blog.pantheonsite.io,devopslanka.com,dewfuneralhomenews.com,dhankasamaj.com,diamondfansub.com,diencobacninh.com,digitalseoninja.com,dignityobituary.com,diplomaexamcorner.com,dipprofit.com,dir-tech.com,diskizone.com,diversanews.com,diyprojectslab.com,djqunjab.in,djsofchhattisgarh.in,dma-upd.org,dominican-republic.co.il,donghuaworld.com,donlego.com,doublemindtech.com,doumura.com,downloadbatch.me,downloader.is,downloads.sayrodigital.net,downloadtanku.org,dpscomputing.com,drake-scans.com,drakecomic.com,dramafren.com,drzna.com,dubaitime.net,dumovies.com,downloads.wegomovies.com,dvd-flix.com,dvdgayonline.com##+js(noeval-if, /chp_?ad/) +e-food.jp,e-kakoh.com,earlymemorials.com,earninginwork.com,easyjapanesee.com,easytodoit.com,ecommercewebsite.store,eczpastpapers.net,editions-actu.org,editorsadda.com,edivaldobrito.com.br,edjerba.com,edukamer.info,egram.com.ng,einewelteinezukunft.de,elcriticodelatele.com,elcultura.pl,elearning-cpge.com,eleceedmanhwa.me,embraceinnerchaos.com,emperorscan.com,empleo.com.uy,encuentratutarea.com,encurtareidog.top,eng-news.com,english-dubbed.com,english-topics.com,english101.co.za,enryumanga.com,ensenchat.com,entenpost.com,epicpdf.com,epsilonakdemy.com,eramuslim.com,erreguete.gal,ervik.as,esportsmonk.com,esportsnext.com,et-invest.de,eternalhonoring.com,ethiopia.co.il,everydayhomeandgarden.com,eventiavversinews.*,evlenmekisteyenbayanlar.net,ewybory.eu,exam-results.in,exeking.top,expertskeys.com,eymockup.com,ezmanga.net##+js(noeval-if, /chp_?ad/) +faaduindia.com,fapfapgames.com,fapkingsxxx.com,faqwiki.us,farolilloteam.es,fattelodasolo.it,fchopin.net,felicetommasino.com,femisoku.net,ferdroid.net,fessesdenfer.com,feyorra.top,fhedits.in,fhmemorial.com,fibwatch.store,filmypoints.in,finalnews24.com,financeandinsurance.xyz,financeyogi.net,financid.com,finclub.in,findheman.com,findnewjobz.com,fine-wings.com,firescans.xyz,fitnesshealtharticles.com,fitnessscenz.com,flashssh.net,flexamens.com,flixhub.*,flowsnet.com,folkmord.se,foodgustoso.it,foodiesjoy.com,footyload.com,footymercato.com,forex-yours.com,forexcracked.com,forexrw7.com,former-railroad-worker.com,foxaholic.com,francaisfacile.net,free.7hd.club,freebiesmockup.com,freecoursesonline.me,freedom3d.art,freefiremaxofficial.com,freefireupdate.com,freegetcoins.com,freelancerartistry.com,freemedicalbooks.org,freemovies-download.com,freeoseocheck.com,freepasses.org,freescorespiano.com,freetarotonline.com,freetubetv.net,freevstplugins.*,freewoodworking.ca,fresherbaba.com,freshersgold.com,frpgods.com,ftuapps.*,fumettologica.it,funeral-memorial.com,funeralmemorialnews.com,funeralobitsmemorial.com,fx-22.com##+js(noeval-if, /chp_?ad/) +gabrielcoding.com,gadgetspidy.com,gadgetxplore.com,gahag.net,galaxytranslations10.com,galaxytranslations97.com,gameblog.jp,gamefi-mag.com,gamenv.net,gamers-haven.org,gamerxyt.com,games-manuals.com,gamevcore.com,gaminglariat.com,gamingsearchjournal.com,ganzoscan.com,gatagata.net,gazetazachodnia.eu,gdrivemovies.xyz,geekering.com,gemiadamlari.org,gentiluomodigitale.it,gesund-vital.online,getsuicidegirlsfree.com,ghostsfreaks.com,girlydrop.com,gisvacancy.com,giuseppegravante.com,gkbooks.in,gkgsca.com,gksansar.com,glo-n.online,globelempire.com,gnusocial.jp,goegoe.net,gogetadoslinks.*,gogetapast.com.br,gogifox.com,gogueducation.com,gokerja.net,gokushiteki.com,gold-24.net,golf.rapidmice.com,gomov.bio,goodriviu.com,googlearth.selva.name,gorating.in,gotocam.net,grafikos.cz,grasta.net,grazymag.com,greasygaming.com,greattopten.com,grootnovels.com,groovyfreestuff.com,gsdn.live,gsmfreezone.com,gsmmessages.com,gtavi.pl,gvnvh.net,gwiazdatalkie.com##+js(noeval-if, /chp_?ad/) +habuteru.com,hackingwala.com,hackmodsapk.com,hadakanonude.com,hairjob.wpx.jp,happy-otalife.com,harbigol.com,harley.top,haryanaalert.*,haveyaseenjapan.com,haqem.com,hdhub4one.pics,healthbeautybee.com,healthfatal.com,heartofvicksburg.com,heartrainbowblog.com,hechos.net,helicomicro.com,hellenism.net,heutewelt.com,hhesse.de,highdefdiscnews.com,hilaw.vn,hindi.trade,hindimatrashabd.com,hindishri.com,hiphopa.net,hipsteralcolico.altervista.org,historichorizons.com,hivetoon.com,hobbykafe.com,hockeyfantasytools.com,hojii.net,hoofoot.net,hookupnovel.com,hopsion-consulting.com,hostingreviews24.com,hotspringsofbc.ca,howtoblogformoney.net,hub2tv.com,hungarianhardstyle.hu,hyderone.com,hyogo.ie-t.net,hypelifemagazine.com,hypesol.com##+js(noeval-if, /chp_?ad/) +ideatechy.com,idesign.wiki,idevfast.com,idevice.me,idpvn.com,iggtech.com,ignoustudhelp.in,ikarianews.gr,ilbassoadige.it,ilbolerodiravel.org,imperiofilmes.co,indiasmagazine.com,individualogist.com,inertz.org,infamous-scans.com,infocycles.com,infodani.net,infojabarloker.com,infrafandub.com,infulo.com,inlovingmemoriesnews.com,inprogrammer.com,inra.bg,insideeducation.co.za,insidememorial.com,insider-gaming.com,insurancepost.xyz,intelligence-console.com,interculturalita.it,inventionsdaily.com,iptvxtreamcodes.com,isabihowto.com.ng,italiadascoprire.net,itdmusic.*,itmaniatv.com,itopmusic.com,itopmusics.com,itopmusicx.com,itz-fast.com,iumkit.net,iwb.jp##+js(noeval-if, /chp_?ad/) +jackofalltradesmasterofsome.com,jaktsidan.se,japannihon.com,javboys.*,javcock.com,jcutrer.com,jk-market.com,jobsbd.xyz,jobsibe.com,jobslampung.net,josemo.com,jra.jpn.org,jrlinks.in,jungyun.net,juninhoscripts.com.br,juventusfc.hu##+js(noeval-if, /chp_?ad/) +kacikcelebrytow.com,kagohara.net,kakashiyt.com,kakiagune.com,kali.wiki,kana-mari-shokudo.com,kanaeblog.net,kandisvarlden.com,karaoke4download.com,kawaguchimaeda.com,kaystls.site,kenkou-maintenance.com,kenta2222.com,keroseed.*,kgs-invest.com,kh-pokemon-mc.com,khabarbyte.com,khabardinbhar.net,khohieu.com,kickcharm.com,kinisuru.com,kits4beats.com,kllproject.lv,knowstuff.in,know-how-tree.com,kobitacocktail.com,kodaika.com,kodewebsite.com,kokosovoulje.com,kolcars.shop,kompiko.pl,koreanbeauty.club,korogashi-san.org,korsrt.eu.org,kotanopan.com,koume-in-huistenbosch.net,krx18.com,kukni.to,kupiiline.com,kurosuen.live##+js(noeval-if, /chp_?ad/) +labstory.in,ladkibahin.com,ladypopularblog.com,lamorgues.com,lampungkerja.com,lapaginadealberto.com,lascelebrite.com,latinlucha.es,law101.org.za,lawweekcolorado.com,learnedclub.com,learnmany.in,learnchannel-tv.com,learnodo-newtonic.com,learnospot.com,lebois-racing.com,lectormh.com,leechyscripts.net,leeapk.com,legendaryrttextures.com,lendrive.web.id,letrasgratis.com.ar,levismodding.co.uk,lgcnews.com,lglbmm.com,lheritierblog.com,ligaset.com,limontorrent.com,limontorrents.com,linkskibe.com,linkvoom.com,linkz.*,linux-talks.com,linuxexplain.com,lionsfan.net,literarysomnia.com,littlepandatranslations.com,livefootballempire.com,lk21org.com,lmtos.com,loanpapa.in,locurainformaticadigital.com,logofootball.net,lookism.me,lotus-tours.com.hk,lovingsiren.com,ltpcalculator.in,luchaonline.com,luciferdonghua.in,luckymood777.com,lucrebem.com.br,lustesthd.cloud,lustesthd.lat,lycee-maroc.com##+js(noeval-if, /chp_?ad/) +m4u.*,macrocreator.com,madevarquitectos.com,magesypro.*,maisondeas.com,maketoss.com,makeupguide.net,makotoichikawa.net,malluporno.com,mamtamusic.in,mangcapquangvnpt.com,manhastro.com,mantrazscan.com,marketedgeofficial.com,marketing-business-revenus-internet.fr,marketrevolution.eu,masashi-blog418.com,mastakongo.info,masterpctutoriales.com,maths101.co.za,matomeiru.com,matshortener.xyz,mcrypto.*,mdn.lol,medeberiya1.com,mediascelebres.com,medytour.com,meilblog.com,memorialnotice.com,mentalhealthcoaching.org,meteoregioneabruzzo.it,mhscans.com,michiganrugcleaning.cleaning,midis.com.ar,minddesignclub.org,minecraftwild.com,minhasdelicias.com,mitaku.net,mitsmits.com,mixmods.com.br,mm-scans.org,mmfenix.com,mmorpgplay.com.br,mockupcity.com,mockupgratis.com,modele-facture.com,modyster.com,monaco.co.il,morinaga-office.net,mosttechs.com,moto-station.com,motofan-r.com,movieping.com,movies4u.*,moviesnipipay.me,mrfreemium.blogspot.com,mscdroidlabs.es,msonglyrics.com,mtech4you.com,multimovies.tech,mundovideoshd.com,murtonroofing.com,musicforchoir.com,musictip.net,mxcity.mx,mxpacgroup.com,my-ford-focus.de,myglamwish.com,myicloud.info,mylinkat.com,mylivewallpapers.com,mypace.sasapurin.com,myqqjd.com,mytectutor.com,myunity.dev,myviptuto.com##+js(noeval-if, /chp_?ad/) +nagpurupdates.com,naijagists.com,naijdate.com,najboljicajevi.com,nakiny.com,nameart.in,nartag.com,naturalmentesalute.org,naturomicsworld.com,naveedplace.com,navinsamachar.com,neet.wasa6.com,neifredomar.com,nekoscans.com,nemumemo.com,nepaljobvacancy.com,neservicee.com,netsentertainment.net,neuna.net,newbookmarkingsite.com,newfreelancespot.com,newlifefuneralhomes.com,news-geinou100.com,newscard24.com,newstechone.com,nghetruyenma.net,nhvnovels.com,nichetechy.com,nin10news.com,nicetube.one,ninjanovel.com,nishankhatri.*,niteshyadav.in,nknews.jp,nkreport.jp,noanyi.com,nobodycancool.com,noblessetranslations.com,nocfsb.com,nocsummer.com.br,nodenspace.com,noikiiki.info,notandor.cn,note1s.com,notesformsc.org,noteshacker.com,novel-gate.com,novelbob.com,novelread.co,nsfwr34.com,nsw2u.*,nswdownload.com,nswrom.com,ntucgm.com,nudeslegion.com,nukedfans.com,nukedpacks.site,nulledmug.com,nxbrew.net,nyangames.altervista.org,nylonstockingsex.net##+js(noeval-if, /chp_?ad/) +oatuu.org,oberschwaben-tipps.de,obituary-deathnews.com,obituaryupdates.com,odekake-spots.com,officialpanda.com,ofppt.net,ofwork.net,okblaz.me,olamovies.store,onehack.us,onestringlab.com,onlinetechsamadhan.com,onlinetntextbooks.com,onneddy.com,onyxfeed.com,openstartup.tm,opiniones-empresas.com,oracleerpappsguide.com,orenoraresne.com,oromedicine.com,orunk.com,osteusfilmestuga.online,otakuliah.com,oteknologi.com,otokukensaku.jp,ottrelease247.com,ovnihoje.com##+js(noeval-if, /chp_?ad/) +pabryyt.one,palofw-lab.com,paminy.com,pandaatlanta.com,pantube.top,paolo9785.com,papafoot.click,papahd.club,paris-tabi.com,parisporn.org,parking-map.info,pasokau.com,passionatecarbloggers.com,passportaction.com,pc-guru.it,pc-hobby.com,pc-spiele-wiese.de,pcgamedownload.net,pcgameszone.com,pdfstandards.net,pepar.net,personefamose.it,petitestef.com,pflege-info.net,phoenix-manga.com,phonefirmware.com,physics101.co.za,picgiraffe.com,pilsner.nu,piratemods.com,piximfix.com,plantatreenow.com,plc4free.com,pliroforiki-edu.gr,poapan.xyz,pogga.org,pondit.xyz,ponsel4g.com,poplinks.*,porlalibreportal.com,pornfeel.com,porninblack.com,portaldoaz.org,portaldosreceptores.org,postazap.com,posturecorrectorshop-online.com,practicalkida.com,prague-blog.co.il,praveeneditz.com,premierftp.com,prensa.click,pressemedie.dk,pressurewasherpumpdiagram.com,pricemint.in,primemovies.pl,prismmarketingco.com,proapkdown.com,projuktirkotha.com,promiblogs.de,promimedien.com,promisingapps.com,protestia.com,psicotestuned.info,psychology-spot.com,publicdomainq.net,publicdomainr.net,publicidadtulua.com,pupuweb.com,putlog.net,pynck.com##+js(noeval-if, /chp_?ad/) +quatvn.club,questionprimordiale.fr,quicktelecast.com##+js(noeval-if, /chp_?ad/) +radiantsong.com,rabo.no,ragnarokscanlation.*,rahim-soft.com,rail-log.net,raishin.xyz,ralli.ee,ranjeet.best,ranourano.xyz,raulmalea.ro,rbs.ta36.com,rbscripts.net,rctechsworld.in,readfast.in,realfreelancer.com,receptyonline.cz,recipenp.com,redbubbletools.com,redfaucet.site,reeell.com,renierassociatigroup.com,reportbangla.com,reprezentacija.rs,retire49.com,retrotv.org,revistaapolice.com.br,rgmovies.*,ribbelmonster.de,rightdark-scan.com,rinconpsicologia.com,ritacandida.com,rlshort.com,rocdacier.com,romaierioggi.it,romaniasoft.ro,roms4ever.com,romviet.com,roshy.tv,roznamasiasat.com,rubyskitchenrecipes.uk,ruyamanga.com,rv-ecommerce.com,ryanmoore.marketing,ryansharich.com##+js(noeval-if, /chp_?ad/) +s1os.icu,s4msecurity.com,s920221683.online.de,sabishiidesu.com,saekita.com,samanarthishabd.in,samovies.net,samrudhiglobal.com,sanmiguellive.com,sararun.net,sarkariresult.social,satcesc.com,savegame.pro,sawwiz.com,scansatlanticos.com,schadeck.eu,sezia.com,schildempire.com,scholarshiplist.org,sciencebe21.in,scontianastro.com,scrap-blog.com,scripcheck.great-site.net,scriptsomg.com,searchmovie.wp.xdomain.jp,seasons-dlove.net,seirsanduk.com,seogroup.bookmarking.info,seoworld.in,seriu.jp,setsuyakutoushi.com,serieshdpormega.com,server-tutorials.net,serverbd247.com,serverxfans.com,sezia.com,shadagetech.com,shanurdu.com,sheikhmovies.*,shimauma-log.com,shittokuadult.net,shlly.com,shogaisha-shuro.com,shogaisha-techo.com,shopkensaku.com,shorttrick.in,showflix.*,showrovblog.com,shrinklinker.com,shrinkus.tk,shrivardhantech.in,sieradmu.com,siimanga.cyou,siirtolayhaber.com,sim-kichi.monster,sivackidrum.net,sk8therapy.fr,skardu.pk,skidrowreloaded.com,slawoslaw.pl,slowianietworza.pl,smallseotools.ai,smartinhome.pl,snowman-information.com,socebd.com,sociallyindian.com,softcobra.com,softrop.com,sohohindi.com,sosuroda.pl,south-park-tv.biz,soziologie-politik.de,sp500-up.com,space-faucet.com,spacestation-online.com,spardhanews.com,speak-english.net,speculationis.com,spinoff.link,spiritparting.com,sport-97.com,sportsblend.net,stablediffusionxl.com,stadelahly.net,stahnivideo.cz,starsgtech.in,startupjobsportal.com,ster-blog.xyz,stireazilei.eu,stock-rom.com,streamseeds24.com,strefa.biz,studybullet.com,sufanblog.com,sukuyou.com,sundberg.ws,suneelkevat.com,super-ethanol.com,superpackpormega.com,surfsees.com,surgicaltechie.com,swietaslowianskie.pl,sysguides.com,swordalada.org,system32.ink##+js(noeval-if, /chp_?ad/) +ta3arof.net,taariikh.net,tabonitobrasil.tv,taisha-diet.com,talentstareducation.com,tamilanzone.com,tamilhit.tech,tamilnaadi.com,tamilultra.team,tamilultratv.co.in,tatsublog.com,tbazzar.com,teachersupdates.net,team-octavi.com,team-rcv.xyz,teamkong.tk,teamupinternational.com,techacrobat.com,techastuces.com,techbytesblog.com,techdriod.com,techedubyte.com,techforu.in,techiepirates.com,techiestalk.in,techkeshri.com,techlog.ta-yan.ai,technewslive.org,technewsrooms.com,technicalviral.com,technorj.com,technorozen.com,techoreview.com,techprakash.com,techsbucket.com,techstwo.com,techyhigher.com,techyrick.com,tecnomd.com,tecnoscann.com,tedenglish.site,tehnotone.com,telephone-soudan.com,teluguhitsandflops.com,temporeale.info,tenbaiquest.com,tespedia.com,testious.com,thangdangblog.com,thaript.com,thebigblogs.com,thedilyblog.com,thermoprzepisy.pl,theworldobits.com,theconomy.me,thegamearcade.com,theinternettaughtme.com,thejoblives.com,thelastgamestandingexp.com,theliveupdate.com,thenewsglobe.net,theprofoundreport.com,thesextube.net,thesleak.com,thesportsupa.com,thewambugu.com,thiagorossi.com.br,throwsmallstone.com,tiny-sparklies.com,titfuckvideos.com,tirumalatirupatiyatra.in,tnewsnetwork.com,today-obits.com,todays-obits.com,toeflgratis.com,tokoasrimotedanpayet.my.id,toorco.com,top10trends.net,topbiography.co.in,topfaucet.us,topsworldnews.com,toptenknowledge.com,torrentdofilmeshd.net,torrentgame.org,totally.top,towerofgod.top,tr3fit.xyz,trendflatt.com,trendohunts.com,trgtkls.org,trilog3.net,tukangsapu.net,tunabagel.net,turkeymenus.com,turkishseriestv.net,tutorialesdecalidad.com,tutorialsduniya.com,twobluescans.com,twodots.com.br,tw.xn--h9jepie9n6a5394exeq51z.com##+js(noeval-if, /chp_?ad/) +u-idol.com,uciteljica.net,udemyking.com,uiuxsource.com,ukigmoch.com,umabomber.com,unityassets4free.com,uozzart.com,uploadbank.com,uprwssp.org,uqozy.com,usahealthandlifestyle.com,userupload.*,ustimz.com,ustvgo.live,utaitebu.com,uur-tech.net##+js(noeval-if, /chp_?ad/) +vamsivfx.com,varnascan.com,vedetta.org,veganab.co,vegas411.com,venus-and-mars.com,veryfuntime.com,vibezhub.com.ng,viciante.com.br,villettt.kitchen,violablu.net,virabux.com,virtual-youtuber.jp,visorsmr.com,visortecno.com,vitadacelebrita.com,vivrebordeaux.fr,vmorecloud.com,vnuki.net,voiceloves.com,voidtruth.com,voiranime1.fr,vstplugin.net##+js(noeval-if, /chp_?ad/) +warungkomik.com,webacademix.com,webcamfuengirola.com,webcras.com,webhostingoffer.org,websiteglowgh.com,welcometojapan.jp,whats-new.cyou,wheelofgold.com,wholenotism.com,wikijankari.com,windbreaker.me,windowsaplicaciones.com,wirtualnelegionowo.pl,wirtualnynowydwor.pl,workxvacation.jp,worldgyan18.com,worldtop2.com,worldwidestandard.net,worthitorwoke.com,wp.solar,wpteq.org,writeprofit.org,wvt24.top##+js(noeval-if, /chp_?ad/) +xiaomitools.com,xn--algododoce-j5a.com,xn--kckzb2722b.com,xn--n8jwbyc5ezgnfpeyd3i0a3ow693bw65a.com,xn--nbkw38mlu2a.com,xprime4u.*##+js(noeval-if, /chp_?ad/) +yakisurume.com,yakyufan-asobiba.com,yaspage.com,yawm.online,yazilidayim.net,ycongnghe.com,yestech.xyz,ynk-blog.com,youlife24.com,youpit.xyz,your-local-pest-control.com,yourdesignmagazine.com,yuatools.com,yuki0918kw.com,yumekomik.com,yuramanga.my.id,yurudori.com##+js(noeval-if, /chp_?ad/) +zerogptai.org,zien.pl,ziminvestors.com,zippyshare.cloud,zippysharecue.com,znanemediablog.com##+js(noeval-if, /chp_?ad/) +||cdn.jsdelivr.net/npm/bulma@0.9.3/css/bulma.min.css$css,domain=nishankhatri.* +emperorscan.com,makotoichikawa.net,telephone-soudan.com##+js(aost, document.querySelectorAll, /(?=^(?!.*(https|injectedScript)))/) +addtobucketlist.com,alternativa104.net,asumesi.com,ayo24.id,barrier-free.net,berich8.com,bitzite.com,bloooog.it,blurayufr.*,branditechture.agency,chataigpt.org,coinsrev.com,eliobenedetto.it,iamflorianschulze.com,kyoto-kanko.net,limontorrents.com,livenewsof.com,medeberiya1.com,medeberiyax.com,oyundunyasi.net,parrocchiapalata.it,photoshopvideotutorial.com,samovies.net,sulocale.sulopachinews.com,tabering.net,xn--nbkw38mlu2a.com##+js(aopr, adsBlocked) +||partner.pcloud.com/media/banners/*300250.png +kodewebsite.com##+js(aopr, jQuery.popunder) +samaysawara.in##+js(acs, document.addEventListener, google_ad_client) +javcock.com##+js(aopr, popns) +orunk.com###scroll_up + div[id][class] +coveredgeekly.com###jeg_off_canvas + div[id][class*=" "] +seriu.jp##body > .site-footer + div[id][class*=" "] +##a[id][href="https://chpadblock.com/"][rel^="noopener noreferrer"] +##a[id][href="https://hamrocsit.com"][rel^="noopener noreferrer"] +##a[id][href="https://toolkitspro.com"][rel^="noopener noreferrer"] +###go-to-top + div[id][class*=" "] +###st-ami + div[id][class*=" "] +! https://github.com/uBlockOrigin/uAssets/issues/24923 +! ###page-top + div[id][class*=" "] +throwsmallstone.com###custom_html-10 +minecraftwild.com###jeg_off_canvas + div[id][class] +freshersgold.com###main-container + div[id][class] +webcras.com##body > b + br + div[id][class] +meilblog.com##.adblock_subtitle +meilblog.com##.adblock_title +9alami.info##.site-wrapper + div[id][class] +@@||hyogo.ie-t.net^$ghide +! https://www.reddit.com/r/uBlockOrigin/comments/1dn1ouq/enryumanga_detects_ubo/ +enryumanga.com,varnascan.com###close-teaser +enryumanga.com,varnascan.com###floatcenter +! https://github.com/uBlockOrigin/uAssets/issues/25249 +! https://www.reddit.com/r/uBlockOrigin/comments/1gr2oru/adblocker_detected_on_hentaiseasoncom/ +! https://showflix.shop/archives/8004 +! https://github.com/uBlockOrigin/uAssets/issues/26139 +! https://www.reddit.com/r/uBlockOrigin/comments/1gxri2v/adblock_detected_httpswwwtvappapkcom/ +! https://github.com/uBlockOrigin/uAssets/issues/26166 +! https://www.reddit.com/r/uBlockOrigin/comments/1h136yh/adblock_warning_on_httpsvarnascanxyz/ +! https://github.com/uBlockOrigin/uAssets/issues/26284 +! https://marcialhub.xyz/manga/me-hice-cargo-de-la-academia-con-un-solo-cuchillo-de-sashimi/capitulo-21/ +celebzcircle.com,bi-girl.net,ftuapps.*,hentaiseason.com,hoodtrendspredict.com,marcialhub.xyz,odiadance.com,osteusfilmestuga.online,ragnarokscanlation.opchapters.com,sampledrive.org,showflix.*,swordalada.org,tojimangas.com,tvappapk.com,twobluescans.com,varnascan.xyz##+js(rmnt, script, /decodeURIComponent\(escape|fairAdblock/) +hentaiseason.com,showflix.*##+js(aost, document.getElementById, fairAdblock) +ftuapps.*##body > div:has(.adblock_title) +twobluescans.com###ad-container +twobluescans.com##+js(rmnt, script, /ai_|googletag|adb/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/155801 +! https://www.reddit.com/r/uBlockOrigin/comments/15tedig/block_if_id_size_exceeds_a_limit/ +! https://idealfollow.in/download/switch/download-nintendo-switch-firmware-update-old-firmware/download-4/ +38.242.194.12,bi-girl.net,blurayufr.*,idealfollow.in,medeberiyaa.com,samuraiscan.org,shinobijawi.id,snbc13.com,teluguflix.*##+js(no-xhr-if, googlesyndication) +! https://github.com/uBlockOrigin/uAssets/issues/19867 +! https://github.com/uBlockOrigin/uAssets/issues/19868 +! https://github.com/uBlockOrigin/uAssets/issues/19958 +androjungle.com,bookszone.in,drakescans.com,shortix.co##^script:has-text(onerror) +androjungle.com,bookszone.in,drakescans.com,shortix.co##+js(rmnt, script, onerror) +! https://github.com/uBlockOrigin/uAssets/issues/19425 +iconmonstr.com##+js(aost, document.getElementsByTagName, adsBlocked) +! https://github.com/AdguardTeam/AdguardFilters/issues/157539 +bitview.cloud##.code-block +||zacknation.net/*/ads-$image +! https://github.com/uBlockOrigin/uAssets/issues/20067 +@@||kaystls.site^$ghide +kaystls.site##+js(nostif, AdDetect) +kaystls.site##.code-block + +! https://github.com/uBlockOrigin/uAssets/issues/20438 +luciferdonghua.in###overplay + +! https://1link.vip/siuphamm fake download and timer +||1link.vip/download.jpg$image +1link.vip##[href^="https://www.highrevenuegate.com/"] +20sfvn.com,hi888.today,oto5s.com,w88.limo##+js(nano-stb, countdown, , 0.02) +link68.net,traffic123.net##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/17386 +@@||assettoworld.com^$script,1p +assettoworld.com##.nitro-ad +! https://github.com/uBlockOrigin/uAssets/issues/17850 +@@||assettoworld.b-cdn.net^$script,domain=assettoworld.com +! https://github.com/uBlockOrigin/uAssets/issues/22734 +assettoworld.com##+js(no-fetch-if, doubleclick) +assettoworld.com##.nitro-ads + +! webcreator-journal.com anti-adb +webcreator-journal.com##+js(nostif, getComputedStyle) + +! https://github.com/uBlockOrigin/uAssets/issues/17393 +game-2u.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/17396 +||movie44.com/*.gif$image +movie44.com##.imgbanner +movie44.com##.white_content1 +movie44.com##.ad-overlay-click +movie44.com##.ad-player-skip +||postmovie.net/*.mp4$media,redirect=noopmp3-0.1s + +! https://github.com/uBlockOrigin/uAssets/issues/17398 +*.gif$image,3p,domain=madoohd.com +madoohd.com##+js(set, adSettings, []) +madoohd.com##.above-player-banana +madoohd.com##.above-player-banana-2 +madoohd.com##.floating-side-bnn +madoohd.com##.freespin_btn + +! https://github.com/uBlockOrigin/uAssets/issues/17410 +mawsueaa.com##+js(aeld, load, onload) + +! often seen leftover on Chromium e.g. english-topics.com +##iframe.lazyloaded[data-src^="https://rcm-fe.amazon-adsystem.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/17409 +||mangabuddy.com/static/js/detect.dev.js$script,1p +mangabuddy.com###chapter__content > div.container:nth-of-type(3) +mangabuddy.com###chapter-images div:style(padding: unset !important) + +! https://github.com/uBlockOrigin/uAssets/issues/17444 +minioppai.org##*:remove-class(/[a-z]{30,}/) +minioppai.org##^style:has-text(adbl) +*.gif$domain=minioppai.org,image +minioppai.org##.centered +minioppai.org###close-teaser + +! https://github.com/uBlockOrigin/uAssets/issues/17453 +||cdn.jsdelivr.net/gh/RockBlogger/Anti-AdBlocker$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/147556 +programmingeeksclub.com##+js(aeld, DOMContentLoaded, googlesyndication) +programmingeeksclub.com##+js(no-fetch-if, googlesyndication) +programmingeeksclub.com##[id^="media_image"] +programmingeeksclub.com##[href*="clickbank.net"] + +! https://github.com/uBlockOrigin/uAssets/issues/17466 +anyporn.com##+js(set, banner_is_blocked, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/12dug8e/ +! antiblock.org bait id +#@##advert-header +#@##adSpecial +#@##adzerk +#@##buy-sell-ads +#@##leader_ad +#@##midadd +###advert-header:not(:empty) +###adSpecial:not(:empty) +###adzerk:not(:empty) +###buy-sell-ads:not(:empty) +###leader_ad:not(:empty) +###midadd:not(:empty) +nu6i-bg-net.com##+js(nostif, getComputedStyle) +nu6i-bg-net.com##^script:has-text(antiblock) +aquarius-horoscopes.com,cancer-horoscopes.com,dubipc.blogspot.com,echoes.gr,engel-horoskop.de,freegames44.com,fuerzasarmadas.eu,gemini-horoscopes.com,jurukunci.net,krebs-horoskop.com,leo-horoscopes.com,maliekrani.com,nklinks.click,ourenseando.es,pisces-horoscopes.com,radio-en-direct.fr,sagittarius-horoscopes.com,scorpio-horoscopes.com,singlehoroskop-loewe.de,skat-karten.de,skorpion-horoskop.com,taurus-horoscopes.com,the1security.com,virgo-horoscopes.com,zonamarela.blogspot.com##+js(nostif, displayMessage, 2000) +officecoach24.de##+js(acs, document.addEventListener, google_ad_client) + +! https://www.reddit.com/r/uBlockOrigin/comments/12e9b7z/ +||pagead2.googlesyndication.com/pagead/imp.gif$image,redirect=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/17476 +||xgroovy.com/static/js/initsite.min.js +xgroovy.com##.fluid_html_on_pause + +! https://www.reddit.com/r/uBlockOrigin/comments/16ys5xe/ +claimlite.club##+js(nostif, _0x) +claimlite.club##+js(noeval-if, blocker) + +! https://www.reddit.com/r/uBlockOrigin/comments/12eadih/ +||accuradio.com/sweeper/json/fetch/$xhr +||accuradio.com/vast +||tritondigital.com^$domain=accuradio.com + +! https://github.com/uBlockOrigin/uAssets/issues/17483 +babelwuxia.com##+js(acs, eval, replace) +babelwuxia.com###close-teaser + +! tmh.io ads +||tmh.io/wp-content/KU.png +||i.imgur.com/LJBMhkQ.gif$3p +||i.imgur.com/vPU6ACq.gif$3p + +! elcriticodelatele.com,gadgets.es anti-adb +elcriticodelatele.com,gadgets.es##+js(set, DHAntiAdBlocker, true) +elcriticodelatele.com,gadgets.es##+js(set, isAdBlockActive, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/12g5jyb/ +rackusreads.com##+js(set, DHAntiAdBlocker, true) + +! https://github.com/uBlockOrigin/uAssets/issues/17522 +elamigos-games.com,elamigos-games.net##+js(nostif, checkAdblockUser) +elamigos-games.com,elamigos-games.net##.content_store +elamigos-games.com,elamigos-games.net##h3.my-4:has-text(/^Advertising/) +elamigos-games.com,elamigos-games.net##.iframeDiv + +! https://www.reddit.com/r/uBlockOrigin/comments/12gwf5q/ +imgbox.com##+js(acs, navigator, shouldPop) +imgbox.com##^script:has-text(shouldPop) + +! https://github.com/uBlockOrigin/uAssets/issues/12214 +*$script,domain=wp.pl|money.pl|o2.pl|parenting.pl|pudelek.pl|autokult.pl|gadzetomania.pl|fotoblogia.pl|komorkomania.pl|polygamia.pl|abczdrowie.pl|benchmark.pl|kafeteria.pl|pysznosci.pl|dobreprogramy.pl|genialne.pl|autocentrum.pl|jastrzabpost.pl|deliciousmagazine.pl,redirect-rule=noopjs +@@*$ghide,domain=wp.pl|money.pl|o2.pl|parenting.pl|pudelek.pl|autokult.pl|gadzetomania.pl|fotoblogia.pl|komorkomania.pl|polygamia.pl|abczdrowie.pl|benchmark.pl|kafeteria.pl|pysznosci.pl|dobreprogramy.pl|genialne.pl|autocentrum.pl|jastrzabpost.pl|deliciousmagazine.pl +o2.pl,parenting.pl,polygamia.pl,kafeteria.pl,autocentrum.pl#@#+js() +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl#@#.ads +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl#@#.ad +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl#@#[class^="advertisement"] +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl#@#[class^="ad-"] +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl##body > [id][class] > [class]:matches-css(z-index:/^2147483[0-9]{3}$/) +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl##body > [class]:style(filter: none !important;) +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl##body > [id]:style(filter: none !important;) +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl##body:style(overflow: auto !important;) +||v.wpimg.pl/*.html$frame +wp.pl#@#[class^="css-"] +wp.pl,money.pl,komorkomania.pl,autokult.pl,o2.pl,parenting.pl,abczdrowie.pl,pudelek.pl#@#body [class]:style(filter: none !important;) +money.pl#@##app > div[class^="sc-"] > div[class]:not([class*=" "]):has(:scope > div[class*=" "]:only-child > img[src^="https://v.wpimg.pl/"][src$="=="][alt]) +money.pl,wp.pl#@#div[class]:has(>div[class]:first-child:has-text(REKLAMA):not(:has(>*))) +money.pl,kobieta.wp.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,wiadomosci.wp.pl,tech.wp.pl,dom.wp.pl,facet.wp.pl,film.wp.pl,finanse.wp.pl,gry.wp.pl,gwiazdy.wp.pl,kobieta.wp.pl,ksiazki.wp.pl,kuchnia.wp.pl,moto.wp.pl,opinie.wp.pl,pogoda.wp.pl,teleshow.wp.pl,turystyka.wp.pl,wideo.wp.pl,wawalove.wp.pl,autokult.pl#@#+js(nostif, detected, 300) +money.pl,kobieta.wp.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,film.wp.pl,gry.wp.pl,horoskop.wp.pl,kobieta.wp.pl,pogoda.wp.pl,tech.wp.pl,tv.wp.pl,twojeip.wp.pl,wiadomosci.wp.pl,wideo.wp.pl,sportowefakty.wp.pl,fitness.wp.pl,wawalove.wp.pl,gwiazdy.wp.pl,teleshow.wp.pl,wp.pl,autokult.pl#@#+js(aost, WP.prebid, onLoad) +money.pl#@#+js(set, Object.prototype.rekids, undefined) +money.pl#@#+js(set, Object.prototype.gafSlot, undefined) +money.pl#@#+js(set, Object.prototype.advViewability, undefined) +wp.pl#@#+js(aopr, WP.inline) +wp.pl#@#+js(nostif, /getComputedStyle[\s\S]*?style\.display="none"[\s\S]*?styleBlocked[\s\S]*?detected/) +www.wp.pl#@#+js(aopr, __headpayload) +www.wp.pl#@#+js(aost, WP, r https) +www.wp.pl#@#+js(set, WP.gaf.loadBunch, noopFunc) +sportowefakty.wp.pl#@#+js(set, Object.prototype.loadBunch, noopFunc) +sportowefakty.wp.pl#@#+js(aopr, Object.prototype.bodyCode) +abczdrowie.pl#@#.article__textbox +abczdrowie.pl#@#[class^="content-aside__"], div[class^="article "], div[class^="article__textbox "] +~przegladsportowy.pl,~fakt.pl,~forbes.pl,~auto-swiat.pl,~noizz.pl,~plejada.pl,~businessinsider.com.pl,~komputerswiat.pl,~onet.pl,pl#@#[id^="crt-"] +wp.pl,money.pl,pysznosci.pl,pudelek.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,dobreprogramy.pl,autokult.pl,money.pl,genialne.pl,abczdrowie.pl##+js(trusted-set-cookie, WPdp, aa4GkNzNjEWWxoWAgoWW1MYQwJHBwhQQ1sWOjwWTUNXEhFdBUMOQzoFPEMYQwdEQ1sFTUNZE0MOUE0WDBUWW1IYQxVHQ1sFVlMDWVYEVlUGVFQBHE0WNTEWWxoWAgoWW1AYQwJHBwhQQ1sWOjwWTUNXEhFdBUMOQzppQ00WBxEWW1AYQwxGQ1sFTUNZFUMOUk0WFRIWW1ADU1YMVlEDVVMBVFRJTUNjMSwWWxoWAgoWW1MYQwJHBwhQQ1sWOjwWTUNXEhFdBUMOQzoFPEMYQwdEQ1sFTUNZE0MOUE0WDBUWW1IYQxVHQ1sFVlMDWVYEVlUGVFQBTUNBAEMOUBxJ) +wp.pl,money.pl,pysznosci.pl,pudelek.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,dobreprogramy.pl,autokult.pl,money.pl,genialne.pl,abczdrowie.pl##+js(trusted-set-cookie, WPtcs2, CQF3YIAQF3YIABIACDPLBJFgAAAAAAAAAB5YAAAU8gAAAAAA.YAAAAAAAAAAA) +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl,deliciousmagazine.pl,forum.kardiolo.pl##body > div[class]:has(> div:first-child:empty + div:last-child > svg[width="95"][height="95"]:only-child > path) +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,open.fm,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl##:xpath('//*[string-length(@href) > 1600]') +wp.pl,~www.wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,open.fm,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl##div[style="position: relative; top: 0px;"]:has(> a[target="_blank"]) +wp.pl,~www.wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,open.fm,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl##div[class] > div:not([class], [id]):only-child:has(> div[class]:only-child > div[class]:first-child > a > img[src^="https://v.wpimg.pl/"]) +wp.pl,~www.wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,open.fm,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,jastrzabpost.pl,forum.kardiolo.pl##div:has(> div > iframe[src^="https://v.wpimg.pl/"][frameborder="0"][scrolling="no"]:first-child) +wp.pl,money.pl,o2.pl,parenting.pl,pudelek.pl,autokult.pl,gadzetomania.pl,fotoblogia.pl,komorkomania.pl,polygamia.pl,abczdrowie.pl,open.fm,benchmark.pl,kafeteria.pl,pysznosci.pl,dobreprogramy.pl,genialne.pl,autocentrum.pl,jastrzabpost.pl##+js(trusted-set-cookie, WPcbadcp, $now$) +wp.pl,money.pl,o2.pl,pudelek.pl,gadzetomania.pl,polygamia.pl,dobreprogramy.pl,autokult.pl,fotoblogia.pl,komorkomania.pl,abczdrowie.pl,pysznosci.pl,money.pl,genialne.pl,deliciousmagazine.pl,jastrzabpost.pl,vibez.pl##div[class]:has(> img[src] + div > style:has-text(flex: 0 0 100%)) +pysznosci.pl,fotoblogia.pl,komorkomania.pl,dobreprogramy.pl,autokult.pl,genialne.pl,gadzetomania.pl,polygamia.pl,jastrzabpost.pl##div[class]:has(> style:first-child:has-text(flex: 0 0 100%) + div > div > style:first-child:has-text(flex: 0 0 100%) + div):not(:has([data-st-area^="czyt_dalej"])) +autokult.pl,komorkomania.pl,fotoblogia.pl,kafeteria.pl,smaczneblogi.pl##div[class]:has(> div[class]:empty + img[src^="https://i.wpimg.pl/"]) +sportowefakty.wp.pl,kafeteria.pl,fitness.wp.pl,o2.pl,abczdrowie.pl##div[class*=" "]:has(> div:first-child > div:first-child:empty):matches-css(z-index: 0):matches-css(position: relative) +pogoda.wp.pl,sportowefakty.wp.pl,kafeteria.pl,fitness.wp.pl,smaczneblogi.pl,o2.pl,forum.kardiolo.pl##div[class*=" "]:has(> div:empty):matches-css(z-index: 0):matches-css(position: relative) +o2.pl,horoskop.wp.pl,pysznosci.pl,www.wp.pl,genialne.pl,abczdrowie.pl,autocentrum.pl,jastrzabpost.pl##div[class]:has(> img[src] ~ div:empty):matches-css(z-index: 0):matches-css(position: relative) +o2.pl##div[data-testid="homePageView"] > div[style="box-shadow: none;"]:has(> div[data-testid^="ad-placeholder-"]) +o2.pl##section > h2:has-text(Oferty dla Ciebie:) +o2.pl##div > h6:has-text(Oferty dla Ciebie) +o2.pl,www.wp.pl##div:is([style="width:100%"], [style="width:100%;height:100%"]):has(> div[class] > img[src^="https://v.wpimg.pl/"][role="presentation"]) +o2.pl##.w-full:has(> div:not([class]) > div > div > a > img[src^="https://v.wpimg.pl/"]) +www.wp.pl###app-content > div > div:not([class]):not([id]):has(> div > div > img[src^="https://v.wpimg.pl/"][role="presentation"]) +www.wp.pl###app-content > div > div > div[class^="sc-"]:first-child:has(> div > div > img[src^="https://v.wpimg.pl/"][role="presentation"]) +www.wp.pl##div[data-cover="true"] > div > div[style="box-shadow: none;"] +www.wp.pl##div[data-cover="true"] + div > div:first-child > div:first-child:has(> div:first-child > img[src^="https://v.wpimg.pl/"][role="presentation"]) +www.wp.pl##div > div[class] > img[src^="https://v.wpimg.pl/"][role="presentation"] + div:has(> div + div:empty) +www.wp.pl##div[style="width: 100%;"]:has(> div > div > div:has-text(OFERTY DLA CIEBIE)) +www.wp.pl###glonews > div[data-st-area] > div > aside > div:first-child > div:has(a[href^="https://www.wp.pl/"] > img[src^="https://v.wpimg.pl/"]) +www.wp.pl###site-header:style(min-height: 0px !important;) +www.wp.pl##iframe[scrolling="no"][src^="https://v.wpimg.pl/"][frameborder="0"]:upward(1):remove() +www.wp.pl###undefined-0:not([data-testid="magazineTeaserGoTo"]) +www.wp.pl##.flex-auto > .grid > div:not([class], [id]):has(> div:only-child > div > :is(div[id^="div-gpt-ad-"], img[src^="https://v.wpimg.pl/"][role="presentation"])) +www.wp.pl##.flex-auto > .grid > div:not([class], [id]):has(> div:only-child > div > div > a#undefined-0) +www.wp.pl##.flex-auto + .flex-none > div:has(> img[src^="https://v.wpimg.pl/"][role="presentation"] + div:empty) +www.wp.pl##div[class]:is([style="margin-bottom: 20px;"], [style="margin-bottom:20px"]):has(img[src^="https://v.wpimg.pl/"][role="presentation"]) +www.wp.pl##div[class^="sc-"]:has(> div > div + div > div:empty + div > a#undefined-0) +www.wp.pl###glonews > [data-st-area] > [data-st-area]:has(> div:first-child:empty + a[id] + div img[src^="https://v.wpimg.pl/"]) +www.wp.pl##div[data-st-area] + div > div > div:has(> div > div > div[id^="div-gpt-ad-"]) +www.wp.pl##aside > div > div[data-st-area="Wiadomosci"] ~ div[class]:has(div[style^="transform:"] > a[style="text-decoration: none;"]) +www.wp.pl,pudelek.pl,o2.pl##body > div[class]:has(> div + div + div > .spinner) +www.wp.pl##.max-w-mobile > div[class]:has(> div > div > iframe) +www.wp.pl##.max-w-mobile > div:has(> div:first-child > div:only-child > div > span:has-text(Przewijaj w dół, by kontynuować)) +www.wp.pl##div[data-bdc="section-celebrities"] > .wp-inner-content > div:has(> div:first-child > a[href^="https://www.wp.pl/"]:only-child > img:only-child) +www.wp.pl##div[class*=" "]:has(> div > div:first-child > div:first-child > a[href^="https://www.wp.pl/"]:first-child):matches-css(max-width: 420px):remove() +www.wp.pl##.app-container > div:has(> div > div > div + img[src^="https://v.wpimg.pl/"] + div:empty) +www.wp.pl##div:has(> div:first-child:empty + div:empty) +money.pl##div:has(> style:first-child:has-text(flex: 0 0 100%) + div) +wiadomosci.wp.pl##div:has(> div[data-native-adv] > a[href*="utm_"]) +~www.wp.pl,wp.pl##header + div[data-reactid]:has(> div:only-child > div:first-child > div:only-child > a > div:only-child:empty) +pilot.wp.pl##div[class]:has(> img[src] + div + style:has-text(flex: 0 0 100%)) +benchmark.pl##style:has-text(right:0;top:0;bottom:0;left:0;margin:auto;position:absolute;):upward(1) +money.pl##section + div:has(> iframe[src*="promoted"]) +money.pl##main > div[class*="sc-"]:has(> div > a[href^="https://ad.doubleclick.net/"]) +money.pl##main + div aside + div:has(> div > div > div > div > a > img[src^="https://v.wpimg.pl/"]) +money.pl##div[data-breakpoint] > div > div:has(> div > div > div > div > div > a > img[src^="https://v.wpimg.pl/"]) +money.pl##div[data-breakpoint] > div > div > main > div:first-child:has(a[href="/sekcja/kongres-590/"]) +money.pl##div:not([class], [id]):has(> div:not([class], [id]) > div:first-child > div:first-child > iframe[scrolling="no"][frameborder="0"]) +money.pl###app > div:first-child > div:not([class], [id]):has(> div:not([class^="sc-"])) +money.pl##.adsize_content > div + div:has(> div > a img[loading="lazy"]) +money.pl###app > div:first-child > div:has(> div:only-child:empty) +genialne.pl,jastrzabpost.pl##div[style="background: #ddd9d9; margin-bottom: 10px; width: 100%;"] +wiadomosci.wp.pl##div:has(> div:first-child > img[src^="https://v.wpimg.pl/"][height="45"][width="56"]) +pysznosci.pl###bottom-sticky-container > div:matches-attr(class=/^[a-zA-Z]{2}$/):not([id]) +parenting.pl##div[data-element="wide-placeholder"][style] +deliciousmagazine.pl##div[style="min-height: 400px; height: auto;"]:has([class^="cdc-products"]) +abczdrowie.pl,domodi.pl,forum.kardiolo.pl##*:has(> div:first-child:has(> div:first-child > a > img[src^="https://v.wpimg.pl/"]):not([alt], [id], [width], [data-src]) + div:empty) +~www.wp.pl,wp.pl,komorkomania.pl,fotoblogia.pl,gadzetomania.pl##div:has(> div:not([class], [id]) > div > a[href*="utm_"]) +sportowefakty.wp.pl##.article > .article__top + div:has(> div:last-child > div > div > div[id^="div-gpt-ad-"]) +sportowefakty.wp.pl##.article-footer + div:has(> div:last-child > div > div > div > div[id^="div-gpt-ad-"]) +abczdrowie.pl##div[data-element="s3-placeholder"] +turystyka.wp.pl##div:has(> div:only-child > * > div > .border > .container > .labelCopy:has-text(REKLAMA)) +turystyka.wp.pl##div[class]:has(> div > div > span > div > .border > .container > [class] > a.w_contentLink[target="_blank"][rel="noreferrer noopener"] > img[width="100%"]) +wp.pl##body > [data-container] > div[class]:empty +wp.pl###comments > div > div > div:has(> div:first-child > div:only-child > div:only-child > div:last-child > div:first-child > div > a > img[src^="https://v.wpimg.pl/"][alt="null"]) +wp.pl##a[href="https://www.wp.pl"][data-st-area="goToSG"] + div:has(> div > div > div:has-text(REKLAMA)) +forum.parenting.pl##aside > div:has(> div:first-child + div:empty + script:last-child) +! against blinking ads +wp.pl#@#div:matches-css-after(content:/R.*E.*K.*L.*A.*M.*A/):upward(1) +wp.pl,money.pl##div:has(> a:first-child:has(> div:empty:only-child) + div:empty:last-child):remove() +wp.pl##div:has(> div:first-child:has(> div:only-child > a > div:empty:only-child) + div:last-child:empty) +wp.pl##div:has(> div:first-child:has(> iframe:only-child) + div:last-child:empty) +wp.pl,abczdrowie.pl,parenting.pl,o2.pl##div:has(> div:first-child:has(> a:first-child > img[src^="https://v.wpimg.pl/"]) + div:empty:last-child) +! https://github.com/uBlockOrigin/uAssets/issues/16909 +@@||googletagmanager.com/gtm.js$script,domain=abczdrowie.pl +! https://github.com/uBlockOrigin/uAssets/issues/12214#issuecomment-2299131571 +||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$script,redirect=google-ima.js,domain=vibez.pl +! https://github.com/MajkiIT/polish-ads-filter/issues/22589 +||ssp.wp.pl^ + +! https://github.com/uBlockOrigin/uAssets/issues/17527 +tralhasvarias.blogspot.com##+js(nano-stb, decodeURL, *) +tralhasvarias.blogspot.com##+js(nano-sib, updateProgress, *) +tralhasvarias.blogspot.com##.cellAd + +! https://github.com/uBlockOrigin/uAssets/issues/17534 +mag.shock2.info###tie-body:style(background-image: none !important;) +mag.shock2.info##a[href^="https://www.nintendo.at/"] + +! https://github.com/uBlockOrigin/uAssets/issues/17537 +theclashify.com##+js(nostif, adblock) + +! https://www.reddit.com/r/uBlockOrigin/comments/12j8gmj/ +! https://github.com/uBlockOrigin/uAssets/issues/17660 +! https://github.com/uBlockOrigin/uAssets/issues/17938 +! https://github.com/uBlockOrigin/uAssets/issues/22344 +pallabmobile.in,wooseotools.com##div[style^="position: fixed; width: 100vw;"][style$="z-index: 999999;"] +pallabmobile.in,wooseotools.com##a[class][href="#"] img + +! https://github.com/uBlockOrigin/uAssets/issues/17551 +review.firstround.com##.tp-modal +review.firstround.com##.tp-active.tp-backdrop +review.firstround.com##body:style(overflow: auto !important;) + +! https://forum.replica-watch.info/ anti-adb (chromium) +replica-watch.info##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/17196#issuecomment-1505234094 +||cdn.jsdelivr.net/npm/@goodgamestudios/cxf-banners^$script,3p,domain=goodgamestudios.com + +! https://github.com/uBlockOrigin/uAssets/issues/17552 +@@||exoclick.com^$xhr,domain=hostingsgratis.com|infomania.space + +! https://github.com/uBlockOrigin/uAssets/issues/17561 +aroratr.club##+js(acs, RegExp, googlebot) + +! https://github.com/easylist/easylist/issues/14103 +vpntester.org##+js(nostif, /salesPopup|mira-snackbar/) +||vpntester.org/wp-json/m5/getCoupons + +! hdsex.org ad +hdsex.org##.player__inline +||hdsex.org/agent.php + +! justjavhd.com ad +justjavhd.com###advads_ad_widget-2 +||justjavhd.com/wp-content/uploads/2017/05/300.gif +||justjavhd.com/wp-content/uploads/2017/05/728.gif + +! https://github.com/uBlockOrigin/uAssets/issues/17563 +haber.eskisehirde.net##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/17559 +@@||c.amazon-adsystem.com/aax2/apstag.js$script,domain=hints.littlealchemy2.com +@@||doubleclick.net^$script,xhr,domain=hints.littlealchemy2.com +@@||googlesyndication.com^$xhr,frame,script,domain=hints.littlealchemy2.com +@@||cdn.qwtag.com/*/qw.js$script,domain=hints.littlealchemy2.com +@@||hints.littlealchemy2.com^$ghide +hints.littlealchemy2.com###yb_anchor_wrapper +hints.littlealchemy2.com##[id^="div-gpt-ad"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]):style(height: 0px !important; min-height: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17577 +@@||eleconomista.es^$ghide +eleconomista.es##[class^="DisplayAd"] +||imasdk.googleapis.com/js/sdkloader/*$script,redirect=google-ima.js,domain=juegos.eleconomista.es +juegos.eleconomista.es##+js(nano-stb) + +! https://github.com/uBlockOrigin/uAssets/issues/17596 +! https://github.com/uBlockOrigin/uAssets/issues/18796 +layardrama21.*##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/17297 +! https://github.com/uBlockOrigin/uAssets/issues/17598 +! https://www.reddit.com/r/uBlockOrigin/comments/184br45/ad_block_detect_pop_up_shows/ +! https://www.reddit.com/#reddit/r/uBlockOrigin/comments/1eclgeo/ublock_origin_detected_librewolf/ +teluguflix.*##+js(remove-node-text, script, /deblocker|chp_ad/) + +! https://archivebate.com/watch/9213427 popup +! https://github.com/uBlockOrigin/uAssets/issues/20495 +archivebate.com##+js(acs, decodeURI, decodeURIComponent) +archivebate.com##+js(no-fetch-if, googlesyndication) +xpornium.net##+js(acs, document.createElement, window.open) + +! https://go.rocklinks.net/ZVedsxL anti-adb +||cdn.jsdelivr.net/gh/RockBlogger/SpiderAdBlocker + +! https://github.com/AdguardTeam/AdguardFilters/issues/145374 +staige.tv##+js(set, Object.prototype.adBlocked, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/145286 +traductionjeux.com##+js(acs, document.getElementById, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/17638 +! https://github.com/uBlockOrigin/uAssets/issues/17677 +hacoos.com##^script:has-text(await fetch) +hacoos.com##+js(rmnt, script, await fetch) + +! https://github.com/uBlockOrigin/uAssets/issues/17639 +@@||wotinspector.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17642 +@@||tbdailynews.com^$ghide +tbdailynews.com##[id^="custom_html"] + +! https://www.reddit.com/r/uBlockOrigin/comments/12rluor/ +taodung.com##+js(noeval-if, replace) + +! https://www.ketubanjiwa.com/2023/04/pes-2021-andri-patch-9-1-update-season-2023.html anti-adb and timer +garoetpos.com##+js(set, adBlockDetected, noopFunc) +garoetpos.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/143992 +@@||voidforum.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/148767 +thefastcode.com##div[id^="placeholder_"] +thefastcode.com##body[style="margin-top: 90px; margin-bottom: 90px;"]:style(margin-top: 0 !important; margin-bottom: 0 !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17674 +projectlive.info##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/17678 +mangaesp.co##+js(acs, akadb) +mangaesp.co##+js(noeval-if, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/17681 +comedyshow.to##+js(aost, document.querySelector, showModal) + +! https://www.reddit.com/r/uBlockOrigin/comments/12sr3ts/ +leviathanmanga.com##+js(aopr, popns) + +! https://ponselharian.com/R2qDIH popup +besargaji.com##button[onclick^="window.open"]:remove-attr(onclick) +besargaji.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/17689 +tabele-kalorii.pl##+js(noeval-if, AdBlock) +tabele-kalorii.pl##.adsense-750-200 + +! https://www.diendancauduong.com/2020/04/download-archicad-23-full-toc-o-cao.html ads and popup +diendancauduong.com##+js(aeld, load, popunder) +diendancauduong.com##+js(aopw, DOMAssistant) +diendancauduong.com##+js(aopw, rotator) +diendancauduong.com##+js(rmnt, script, antiAdBlockerHandler) + +! hanime.xxx ads and popup +hanime.xxx##+js(aopw, Script_Manager) +hanime.xxx##+js(nowoif) +hanime.xxx###main-sidebar + +! https://github.com/AdguardTeam/AdguardFilters/issues/143320 +watchhentai.net##.minlinks-links +watchhentai.net##+js(rmnt, script, AdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/142992 +chrysler-club.net###obalovydiv:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17707 +*$script,domain=herokuapp.com,redirect-rule=noopjs + +! https://github.com/AdguardTeam/AdguardFilters/issues/142843 +winscreener.live#@#.ad-block + +! https://github.com/AdguardTeam/AdguardFilters/issues/142554 +photooxy.com##+js(acs, $, blockAdBlock) +photooxy.com##.text-ads + +! https://www.reddit.com/r/uBlockOrigin/comments/12v5fmh/ +bakai.org##+js(aeld, load, nextFunction) +@@||bakai.org^$ghide +||bakai.org/uploads/fhentai.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17726 +japscan.lol##+js(nostif, detectImgLoad) + +! https://www.reddit.com/r/uBlockOrigin/comments/12v8kak/ +mgnetu.com##h4:has-text(VPN) +mgnetu.com##+js(noeval-if, fairAdblock) + +! https://github.com/uBlockOrigin/uAssets/issues/20849 +bondagevalley.cc##+js(rmnt, script, innerHTML) +||bondagevalley.cc/upload/photos/kcs.webp + +! https://github.com/uBlockOrigin/uAssets/issues/17744 +||aucdn.net/library/*.mp4|$media,domain=clgt.one + +! https://github.com/AdguardTeam/AdguardFilters/issues/177237 +||in-jpn.com^$script,redirect=noop.js +||xth.jp^$script,redirect=noop.js +||oninet.ne.jp^$script,redirect=noop.js +*$script,3p,domain=in-jpn.com|xth.jp +*$script,3p,denyallow=ampproject.org,domain=oninet.ne.jp +@@/^https:\/\/[a-z]*\.?in-jpn\.com\/wp-includes\/js\/jquery\/jquery(-migrate)?\.min\.js\?ver=\d\.\d\.\d{1,2}$/$script,1p,strict1p,match-case,domain=in-jpn.com +@@/^https:\/\/[a-z]*\.?in-jpn\.com\/wp-includes\/js\/wp-emoji-release\.min\.js\?(?:ver=\?)?ver=\d\.\d\.\d{1,2}$/$script,1p,strict1p,match-case,domain=in-jpn.com +@@/^https:\/\/[a-z]*\.?in-jpn\.com\/wp-content\/themes\/amphibious\/js\/(?:custom|enquire|fitvids|hover-intent|superfish)\.js\?ver=(?:\d\.\d(?:\.\d{1,2})?|r\d)$/$script,1p,strict1p,match-case,domain=in-jpn.com +@@/\.oninet\.ne\.jp\/sakigakesoft\/(?!sakigake)[a-z]{5,}-[a-z]{4,}-?[a-z]?\.js$/$script,1p,strict1p,domain=oninet.ne.jp +@@||oninet.ne.jp/sakigakesoft/s/holmes-geojson.js$1p,strict1p +@@||oninet.ne.jp/sakigakesoft/s/leaf_main.js$script,1p,strict1p +@@||in-jpn.com^$ghide +@@||oninet.ne.jp^$ghide +@@||xth.jp^$ghide +in-jpn.com,oninet.ne.jp,xth.jp##body:style(color: #000 !important;) +in-jpn.com,oninet.ne.jp,xth.jp##body div:matches-css(position: fixed):matches-css(background-color: /rgb/):matches-css(z-index: /\d+/) +in-jpn.com,oninet.ne.jp##img:style(visibility: visible !important;) +oninet.ne.jp##a[href^="https://hb.afl.rakuten.co.jp/hsc/"] +oninet.ne.jp##a[href^="https://hb.afl.rakuten.co.jp/hsc/"] ~ img[src="qr-rakuten-travel-logo.png"] +oninet.ne.jp##a[href^="https://www.amazon.co.jp/dp/"] +oninet.ne.jp##a[href^="https://www.amazon.co.jp/dp/"] ~ img[src="qr-amazon-logo.png"] +xth.jp##body:style(background: none !important;) +in-jpn.com##+js(trusted-replace-xhr-response, /.*/, , pagead2.googlesyndication.com/pagead/js/adsbygoogle.js?) +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=in-jpn.com +oninet.ne.jp,xth.jp##[id]:has(> ins.adsbygoogle):style(height: 100px !important; position: absolute !important; left: -4000px !important;) +oninet.ne.jp##table:style(visibility: visible !important;) +in-jpn.com,oninet.ne.jp,xth.jp##+js(set, myFunc, noopFunc) +it.in-jpn.com##body > a[rel*="sponsored"] + +! https://github.com/NanoMeow/QuickReports/issues/21 +! https://github.com/uBlockOrigin/uAssets/issues/9578 +azaleasdolls.com##td[height="279"] +azaleasdolls.com##td[width^="34"][height^="29"] +azaleasdolls.com##td[width="164"][bgcolor="#FCDCE4"] +azaleasdolls.com##td[width="154"][bgcolor="#FCDCE4"] +azaleasdolls.com##[class^="style"]:has-text(Advertisement) + +! https://github.com/uBlockOrigin/uAssets/issues/17756 +digitask.ru##+js(nostif, offsetHeight, 200) + +! https://github.com/AdguardTeam/AdguardFilters/issues/143461 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=railstream.net,redirect=google-ima.js + +! https://github.com/uBlockOrigin/uAssets/issues/17780 +momondo.*##div[data-resultid$="-sponsored"] + +! https://github.com/uBlockOrigin/uAssets/issues/17787 +lvturbo.com##+js(set, isadb, false) + +! now.gg domains +! https://github.com/AdguardTeam/AdguardFilters/issues/149355 +! https://github.com/uBlockOrigin/uAssets/issues/17797 +! https://github.com/uBlockOrigin/uAssets/issues/19902 +! https://github.com/uBlockOrigin/uAssets/issues/25705 +! https://github.com/uBlockOrigin/uAssets/issues/26200 +! https://github.com/uBlockOrigin/uAssets/issues/26869 +@@*$ghide,domain=now.gg|now.us +@@||dn0qt3r0xannq.cloudfront.net/nowgg-$script +doctoraux.com,educationbluesky.com,hotkitchenbag.com,maths.media,maths.news,mathsspot.com,mathstutor.life,now.gg,now.us,nowgg.lol,selfstudybrain.com,skibiditoilet.yourmom.eu.org,universityequality.com,websitesball.com,websitesbridge.com,xn--31byd1i.net##+js(no-fetch-if, googlesyndication) +||fundingchoicesmessages.google.com/i/pub$script,redirect=noopjs,domain=doctoraux.com|educationbluesky.com|hotkitchenbag.com|maths.media|maths.news|mathsspot.com|mathstutor.life|now.gg|now.us|nowgg.lol|selfstudybrain.com|skibiditoilet.yourmom.eu.org|universityequality.com|websitesball.com|websitesbridge.com|xn--31byd1i.net + +! https://github.com/uBlockOrigin/uAssets/issues/17775 +qcheng.cc##+js(aopr, killAdKiller) + +! https://github.com/uBlockOrigin/uAssets/issues/17805 +@@||busuu.com^$ghide +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=busuu.com +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl$script,domain=busuu.com +*$frame,redirect-rule=noopframe,domain=busuu.com +||busuu.com/*/busuu_ad$media +busuu.com##+js(nano-sib, current-=1, *, 0.001) +! https://www.reddit.com/r/uBlockOrigin/comments/1gyh3xz/cant_block_ads_on_busuucom/ +||busuu.com/*_ad_generic_$media +||api.busuu.com/ads/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/141071 +crazydl.net##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/17811 +darksoftware.net##+js(acs, XV) +darksoftware.net##+js(acs, $, XF) + +! https://github.com/uBlockOrigin/uAssets/issues/17823 +tempumail.com##+js(nostif, detector) + +! https://github.com/AdguardTeam/AdguardFilters/issues/149041 +/js/friendbuy.min.js$script,redirect=noopjs,domain=coursera.org + +! https://github.com/AdguardTeam/AdguardFilters/issues/149595 +zefoy.com##+js(aost, atob, /zefoy\.com\S+:3:1/) +zefoy.com##^script[onerror^="$('body')"] +/^https:\/\/zefoy\.com\/[^\/]+\?/$script,1p,domain=zefoy.com,redirect=noopjs +/^https:\/\/zefoy\.com(\/[^\/]+){1,}\.js\?/$script,1p,domain=zefoy.com,redirect=noopjs +@@||zefoy.com/assets/$script,1p +@@||zefoy.com/cdnjs$script,1p +zefoy.com##+js(rpnt, script, ({});, ({}); function showHideElements(t\,e){$(t).hide()\,$(e).show()}function disableBtnclc(){let t=document.querySelector(".submit-captcha");t.disabled=!0\,t.innerHTML="Loading..."}function refreshButton(){$(".refresh-capthca-btn").addClass("disabled")}function copyInput(){let t=document.querySelectorAll(".copy-input");t.forEach(t=>{navigator.clipboard.writeText(t.value)})\,Materialize.toast("Copied!"\,2e3)}function imgOnError(){$(".ua-check").html(window.atob("PGRpdiBjbGFzcz0idGV4dC1kYW5nZXIgZm9udC13ZWlnaHQtYm9sZCBoNSBtdC0xIj5DYXB0Y2hhIGltYWdlIGZhaWxlZCB0byBsb2FkLjxicj48YSBvbmNsaWNrPSJsb2NhdGlvbi5yZWxvYWQoKSIgc3R5bGU9ImNvbG9yOiM2MjcwZGE7Y3Vyc29yOnBvaW50ZXIiIGNsYXNzPSJ0ZXh0LWRlY29yYXRpb25lLW5vbmUiPlBsZWFzZSByZWZyZXNoIHRoZSBwYWdlLiA8aSBjbGFzcz0iZmEgZmEtcmVmcmVzaCI+PC9pPjwvYT48L2Rpdj4="))}$(window).on("load"\,function(){$("body").addClass("loaded")})\,window.history.replaceState&&window.history.replaceState(null\,null\,window.location.href)\,$(".remove-spaces").on("input"\,function(){this.value=this.value.replace(/\s/g\,"")})\,$(document).on("click"\,"#toast-container .toast"\,function(){$(this).fadeOut(function(){$(this).remove()})})\,$(".tktemizle").on("input propertychange"\,function(){let t=$(this).val().match("access_token=(.*?)&");t&&$(".tktemizle").val(t[1])})\,$(document).ready(function(){let t=[{button:$(".t-followers-button")\,menu:$(".t-followers-menu")}\,{button:$(".t-hearts-button")\,menu:$(".t-hearts-menu")}\,{button:$(".t-chearts-button")\,menu:$(".t-chearts-menu")}\,{button:$(".t-views-button")\,menu:$(".t-views-menu")}\,{button:$(".t-shares-button")\,menu:$(".t-shares-menu")}\,{button:$(".t-favorites-button")\,menu:$(".t-favorites-menu")}\,{button:$(".t-livestream-button")\,menu:$(".t-livestream-menu")}\,{button:$(".ig-followers-button")\,menu:$(".ig-followers-menu")}\,{button:$(".ig-likes-button")\,menu:$(".ig-likes-menu")}];$.each(t\,function(t\,e){e.button.click(function(){$(".colsmenu").addClass("nonec")\,e.menu.removeClass("nonec")})})});) +@@||zefoy.com/assets/$script,1p,badfilter +@@||zefoy.com/assets/accc8f0345e264385213ffe12890ef85.js?$script,1p +zefoy.com##.vfx-loader +zefoy.com##^script:has-text(/'.adsbygoogle'|text-danger|warning|Adblock|_0x/) +zefoy.com##+js(rmnt, script, /'.adsbygoogle'|text-danger|warning|Adblock|_0x/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/140616 +alludemycourses.com##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/17838 +unitystr.com##+js(no-fetch-if, googlesyndication) + +! linkshub. to ads +linkshub.to##[href*="ad setup "] +linkshub.to##[href="https://crack-status.com/"] +||critomiron.click^$all + +! https://github.com/uBlockOrigin/uAssets/issues/17842 +bellesa.co##[href*="preroll"]:upward(2) +||res.cloudinary.com/$image,domain=bellesa.co + +! https://github.com/uBlockOrigin/uAssets/issues/17859 +satkurier.pl##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/17872 +mailgen.biz##+js(rmnt, script, insertAdjacentHTML) + +! https://github.com/AdguardTeam/AdguardFilters/issues/139286 +bagpipe.news##+js(acs, document.getElementById, fakeElement) + +! https://www.reddit.com/r/uBlockOrigin/comments/133syiy/ +pepperlive.info##+js(noeval-if, fairAdblock) +pepperlive.info##^script:has-text(decodeURIComponent(escape(r))) +##.jwplayer ~ div[style="position:absolute;top:0;left:0;width: 100%;height: 100%;z-index:2147483647"] + +! https://github.com/uBlockOrigin/uAssets/issues/17636#issuecomment-1529158656 +bunkr.la##+js(acs, document.createElement, click) +*$script,3p,denyallow=cdn.plyr.io|b-cdn.net,domain=bunkr.la +||bunkr.la/build/lv.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17893 +androidadult.com##+js(set, chp_adblock_browser, noopFunc) +adultcomixxx.com##+js(noeval-if, chp_ad) +adultcomixxx.com##.adsnative +! https://github.com/uBlockOrigin/uAssets/issues/25394 +||cdnandroadu.b-cdn.net/wp-content/uploads/*_720x480_$media +||i.ibb.co/gSkSXGm/levi-2.png$image +androidadult.com###slidevideo +androidadult.com##[alt="ads"] +androidadult.com##+js(aeld, DOMContentLoaded, .clientHeight) +androidadult.com##+js(nostif, ads) + +! https://oneupload. to ads/antiadb +oneupload.to##+js(set, cRAds, false) +*$script,3p,denyallow=cloudflare.com|fastly.net|gstatic.com|jwpcdn.com,domain=oneupload.to + +! https://streamvid. net popups + antiadb +streamvid.net##+js(nowoif) +streamvid.net##+js(nano-stb, , , 0.02) +streamvid.net##+js(set, googleAd, true) +streamvid.net##+js(rmnt, script, adblock) +streamvid.net##^script:has-text(adblock) +*$script,3p,denyallow=cloudflare.com,domain=streamvid.net + +! https://github.com/AdguardTeam/AdguardFilters/issues/149877 +thichcode.net##+js(set, detectAdBlock, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/138643 +kayifamilytv.com##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://www.reddit.com/r/uBlockOrigin/comments/135zbt7/mp3_sites_badware/jindx0e/ +! https://github.com/uBlockOrigin/uAssets/commit/a2463e75852712cec7e7bfee6ed7b20f0f9c4fdb#commitcomment-112054291 +fakaza.*,fakaza2018.com,fakazavibes.com,hiphopde.com##a[data-wpel-link="external"] > * +fakaza.*,fakaza2018.com,fakazahouse.com,fakazamusic.co,samsonghiphop.org,zamusic.org##[href*="//bit.ly/"], [href*="//thaudray.com/"], [href*="//tinkerwidth.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/17909 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=rtl.be,redirect=google-ima.js + +! https://github.com/uBlockOrigin/uAssets/issues/21458 +reshare.pm#@#.showads +reshare.pm##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/149922 +||googlesyndication.com^$script,redirect=noopjs,domain=flysas.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/137898 +maxt.church##+js(no-xhr-if, googletagmanager) + +! https://github.com/uBlockOrigin/uAssets/issues/21553 +gamedrive.org##+js(aost, document.querySelector, /showModal|chooseAction|doAction|callbackAdsBlocked/) +gamedrive.org##+js(acs, eval, replace) + +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1618326670/151 +klz9.com##.float-ck +klz9.com##center > center > a[target="_blank"][rel="noopener noreferrer"] + +! https://github.com/uBlockOrigin/uAssets/issues/17915 +jockantv.com##+js(aopr, open) +jockantv.com##+js(ra, onload, [onload^="window.open"]) +jockantv.com###toasts +jockantv.com##.modal-content +jockantv.com##.modal.fade.show + +! https://www.reddit.com/r/uBlockOrigin/comments/136rbtd/ +aeroxplorer.com##+js(nostif, ads) +aeroxplorer.com##.iaad + +! https://github.com/uBlockOrigin/uAssets/issues/17922 +*$popup,3p,domain=sexvideos.host +sexvideos.host##+js(nostif, replace) +sexvideos.host##+js(aost, setTimeout, dontask) +sexvideos.host##+js(cookie-remover, /vs|to|vs_spon|tgpOut|current_click/) +sexvideos.host##+js(nowoif) +sexvideos.host##^script:has-text(/popstate|popMagic/) +sexvideos.host##.fluid-close[target="_blank"]:remove-attr(target) +sexvideos.host##.fluid-spots +sexvideos.host###fluid-onpause_spot +sexvideos.host###fluid-ontop_spots h3 +sexvideos.host###ontop_spots +||sexvideos.host/js/trade.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/150054 +*$image,1p,redirect-rule=1x1.gif,domain=viralpornhub.com + +! https://github.com/uBlockOrigin/uAssets/issues/17932 +hygiena.com##+js(aopr, aoAdBlockDetected) + +! https://github.com/uBlockOrigin/uAssets/issues/17940 +the-sun.com##.widget-height:style(height: unset !important) + +! https://www.reddit.com/r/uBlockOrigin/comments/137a2w5/ +*$script,1p,redirect-rule=noopjs,domain=fresources.tech + +! https://github.com/uBlockOrigin/uAssets/issues/17944 +gamemodsbase.com##+js(nostif, show) + +! https://github.com/AdguardTeam/AdguardFilters/issues/150149 +*$script,3p,redirect-rule=noopjs,domain=vgfplay.com + +! https://github.com/uBlockOrigin/uAssets/issues/17947 +stagatv.com,stagatvfiles.com##+js(acs, document.documentElement, break;case $.) +stagatvfiles.com##+js(ra, onclick, button[onclick^="window.open"]) +stagatvfiles.com##+js(nowoif) +stagatv.com##.ad-banner + +! https://github.com/uBlockOrigin/uAssets/issues/17955 +adweek.com##.widget-adweek-sticky-next:has(> .htl-ad-wrapper) + +! https://github.com/uBlockOrigin/uAssets/issues/17956 +i2clipart.com###content > div:has(> ins) + +! https://github.com/uBlockOrigin/uAssets/issues/17957 +lovetoknow.com##.below-ad-wrapper:style(margin-top: 51px !important;) +lovetoknow.com##.ad + +! https://github.com/uBlockOrigin/uAssets/issues/17958 +thedailybeast.com##[class^="HomepageSection"]:style(grid-template-rows: unset !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17939 +parentcircle.com##body:remove-class(top_ads_add) +parentcircle.com##+js(aeld, scroll, function(e)) + +! https://khohieu.com/download-game-the-medium/ link manipulation +||megaurl.win/js/full.js$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/150225 +vtbe.net##+js(nowoif) +! https://www.reddit.com/r/uBlockOrigin/comments/14mpxza/popups/ +camcaps.*,vidello.net##+js(window.open-defuser) +! https://www.reddit.com/r/uBlockOrigin/comments/15swkta/ublock_filtersads_blocking_the_playback_of_the/ +camcaps.*##+js(nostif, touchstart) +vidello.net##^script:has-text(popUnder) +vidello.net##+js(rmnt, script, popUnder) +||camcaps.*/vsx.js +camcaps.*##[src="https://camcaps.to/hadapt.php"] +camcaps.*##center:nth-of-type(1) > h5 +camcaps.*##a[href^="https://go.porn/"] +camcaps.*##a[href^="https://www.racyangel.com"] +camcaps.*##a[href^='https://xxxhindi.to'] +camcaps.*##a[href^="https://theporndude.com"] +##a[href^="https://go.awdeliverynet.com/"] +##a[href^="https://track.cam4tracking.com/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/150286 +*$xhr,3p,redirect-rule=nooptext,domain=uservideo.xyz + +! https://github.com/uBlockOrigin/uAssets/issues/17972 +moto.it##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/17977 popup +||supercast2.com/z-$script,1p +! z-popup scripts +! https://github.com/uBlockOrigin/uAssets/commit/8a92b32ef9b4367f5b908ad4d84a20095d7384e6 +! https://hoca4u.com/z-7115506 +/^https:\/\/[.\w]+\.[a-z]{2,3}\/z-[5-9]\d{6}$/$script,match-case,1p,strict1p +||hoca4u.com/z-$script,1p + +! https://littlebigsnake. com antiadb +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=littlebigsnake.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/150379 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=watchtv24.com,redirect=google-ima.js +watchtv24.com##+js(set, Brid.A9.prototype.backfillAdUnits, []) + +! https://h-game18. xyz/living-together-with-fox-demon-viet-hoa/ link manipulation +h-game18.xyz##+js(aeld, DOMContentLoaded, adlinkfly_url) + +! https://github.com/uBlockOrigin/uAssets/issues/17996 +manga4you.net##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/17999 +||weatherwx.com/*.php|$xhr,1p +weatherwx.com##.entry.card div:is(#sidead, .topad):upward(.entry.card) + +! https://www.reddit.com/r/uBlockOrigin/comments/13c9rw1/ +@@||canalnatelinhaonline.blogspot.com^$ghide +canalnatelinhaonline.blogspot.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/18001 +eaglesnovel.com##+js(set, pandaAdviewValidate, true) +eaglesnovel.com##div.novel-ins + +! https://github.com/uBlockOrigin/uAssets/issues/18004 +@@||gpucheck.com^$ghide +gpucheck.com###placeholder_top_middle + +! https://github.com/AdguardTeam/AdguardFilters/issues/134975 +10alert.com##+js(nostif, siteAccessFlag) + +! https://github.com/uBlockOrigin/uAssets/issues/17731 +! https://github.com/uBlockOrigin/uAssets/issues/17989 +@@||s0.2mdn.net/instream/html5/ima3.js$script,domain=hackedgames.com|jeux.com|jouer.fr|kissinggames.com|pintgames.com|playpink.com|prehackshub.com|playhub.com +grattez.fr##.ad-image-megaban +hackedgames.com,jeux.com,jouer.fr,kissinggames.com,pintgames.com,playhub.com,playpink.com,prehackshub.com##.ad-title-megaban +hackedgames.com,jouer.fr,prehackshub.com,pintgames.com##.ad-game-600 +hackedgames.com,jouer.fr,prehackshub.com,pintgames.com##.ad-megaban-game-300 +jeux.com,playhub.com,playpink.com##.ad-title-pave +playhub.com,playpink.com##.ad-title-sky +||play.turbommo.com^$3p +! https://github.com/uBlockOrigin/uAssets/issues/22255#issuecomment-1929354757 +||player.pepsia.com/sdk.js^$script,3p,domain=flibus.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/150544 +yna.co.kr##.sub-content > .aside-box01 + +! https://streamtape.com, netu.wiztube.xyz adframe +/^https:\/\/[a-z]{7}\.com\/sub\/(?=[a-z]{0,9}[0-9A-Z])[0-9A-Za-z]{10}$/$frame,3p,match-case + +! https://github.com/AdguardTeam/AdguardFilters/issues/149156 +player.gayfor.us##+js(nowoif) +gayfor.us##+js(aopr, popns) + +! https://github.com/easylist/easylist/issues/15816 +watchthat70show.net##+js(aopr, AaDetector) + +! https://github.com/uBlockOrigin/uAssets/discussions/17566#discussioncomment-5862931 +outlook.live.com##.Ogt7j +! https://github.com/uBlockOrigin/uAssets/issues/23933 +outlook.live.com##div[data-app-section="MessageList"] div[class][id*="-"]:has(> div:not([class]) > div[class] > div[class] > div[class] > div[class] > div[class] > div[class] > div[class] + .ms-Button--hasMenu.ms-Button--icon) + +! https://forums.lanik.us/viewtopic.php?t=48111-nydus-org +cryptstream.de,nydus.org##+js(nostif, ab) + +! https://github.com/uBlockOrigin/uAssets/issues/18029 +@@||allround-pc.com^$ghide +allround-pc.com#@#a[rel="noopener external"] > img[src^="/"] +allround-pc.com##.singlePostAd +allround-pc.com##.inlineAd + +! https://github.com/uBlockOrigin/uAssets/issues/18031 +trangchu.news##+js(noeval-if, chp_ad) + +! https://github.com/uBlockOrigin/uAssets/issues/18035 +techhelpbd.com##+js(nostif, /adblocker|alert/) + +! https://github.com/uBlockOrigin/uAssets/issues/18037 +ontools.net##+js(aeld, load, blocker) + +! https://github.com/uBlockOrigin/uAssets/issues/18042 +||tvonline123.com^$1p,frame,redirect-rule=noop.html + +! https://github.com/AdguardTeam/AdguardFilters/issues/150726 +wellness4live.com##+js(no-fetch-if, googlesyndication) + +! https://leeapk.com/youtube-revanced-mod-apk/download/ +! https://www.kindleku.com/2023/04/a-girl-called-samson-a-novel-amy-harmon-kindle-mobi.html +/wpsafelink.js|$script +/safelink.js|$script +! https://github.com/uBlockOrigin/uAssets/issues/18580 +@@||cdn.jsdelivr.net/gh/idnulleds/blog@main/Javascript/safelink.js$script,domain=tonanmedia.my.id + +! moviesflix. cx +moviesflix.*##[href^="https://multipledrawers.com/"] + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-5871745 +phineypet.com#@##adsiframe +@@||ad.a-ads.com/*?size=320x50$object,domain=phineypet.com +crewbase.net,phineypet.com###content > form[id]:has(> center > button):style(display: block !important;) +||phineypet.com/2x.png +||phineypet.com/300x600.png + +! https://github.com/AdguardTeam/AdguardFilters/issues/150736 +! https://www.reddit.com/r/uBlockOrigin/comments/1dgvlmw/blur_issue_on_fapdrop_nsfw/ +fapdrop.com##+js(no-fetch-if, doubleclick.net/instream/ad_status.js, war:doubleclick_instream_ad_status.js) +fapdrop.com##+js(nostif, redURL) +fapdrop.com##[href^="https://t.crdefault1.com/"] +fapdrop.com##.king-ads +fapdrop.com##.king-ad-widget +fapdrop.com###download-popup + +! https://embedgram.com popup +embedgram.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/150850 +@@||ay.delivery/client-v2.js$script,domain=diep.io + +! https://github.com/uBlockOrigin/uAssets/issues/18845 +cellmapper.net##+js(nostif, /children\('ins'\)|Adblock|adsbygoogle/) +cellmapper.net##+js(set, dct, 0) +cellmapper.net##.modal_dialog_base:has(> .modal_top_header:has-text(Marketing)) +cellmapper.net##table:has( > thead > .collapsableSection > td:has-text(Ads)) + +! https://github.com/AdguardTeam/AdguardFilters/issues/150907 +medscape.com##+js(set, slideShow.displayInterstitial, true) + +! https://github.com/AdguardTeam/AdguardFilters/issues/150910 +! https://github.com/uBlockOrigin/uAssets/pull/21420 +hdrez.com##+js(nostif, displayMessage) +hdrez.com##+js(acs, document.addEventListener, openPopup) + +! https://github.com/AdguardTeam/AdguardFilters/issues/132928 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=america.cgtn.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=america.cgtn.com + +! https://github.com/uBlockOrigin/uAssets/issues/18071 +toramemoblog.com##+js(aopr, b2a) +toramemoblog.com##+js(noeval-if, ads) +toramemoblog.com##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/18086 +projectlive.info##^script:has-text(decodeURIComponent) + +! ai_adb sites +! https://github.com/uBlockOrigin/uAssets/issues/17528 +! https://www.reddit.com/r/uBlockOrigin/comments/193ws7s/blocked_because_of_ad_blocker/ +7daystodiemods.com,7review.com,asupan.me,avitter.net,bi-girl.net,carryflix.icu,dark5k.com,fairyhorn.cc,gojo2.com,gorecenter.com,huitranslation.com,javhdvideo.org,nakiny.com,nemumemo.com,peppe8o.com,phodoi.vn,savingsomegreen.com,tutsnode.*##+js(aopr, b2a) +freewebcart.com##+js(nostif, ai_adb) +freewebcart.com##.pum-open-overlay:style(overflow: auto !important;) +freewebcart.com##.pum-overlay + +! https://www.reddit.com/r/uBlockOrigin/comments/13irw0i/ +duckduckgo.com##[data-layout="products"]:has(.badge--ad-wrap) + +! https://krotkoosporcie.pl/ popunder +krotkoosporcie.pl##+js(nostif, location.href) + +! sisterasian.com leftover +sisterasian.com###vid_overlay +sisterasian.com##.adblock + +! https://github.com/uBlockOrigin/uAssets/issues/18096 +@@||games.metv.com^$ghide +games.metv.com##[class*="DisplayAd__container"] +games.metv.com##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/18107 +apkdelisi.net##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/18112 +@@||ib.adnxs.com/favicon.ico$xhr,domain=dyktanda.pl + +! https://github.com/uBlockOrigin/uAssets/issues/18114 +corrector.app##+js(aost, Object.getPrototypeOf, plugins) + +! https://github.com/AdguardTeam/AdguardFilters/issues/151183 +dlupload.com##+js(nowoif) +||dlmonitize.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/18117 +@@||userstyles.org^$ghide +userstyles.org##ins.adsbygoogle +userstyles.org##[class^="GoogleAd"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/151192 +netchimp.co.uk##+js(aopr, ai_wait_for_jquery) + +! streamonsport99. top => player sharecast. ws => popups +||sharecast.ws^$script,1p +@@||sharecast.ws/player-bundle.min.js$script,1p +@@||sharecast.ws/clappr.min.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/18094 +thetimes.co.uk##+js(aopw, NREUM) + +! https://github.com/uBlockOrigin/uAssets/issues/18127 +vlr.gg##a[href^="/out/"]:upward(1) + +! https://github.com/uBlockOrigin/uAssets/issues/18129 +freebnbcoin.com##+js(nostif, fetch) +*$image,domain=freebnbcoin.com,redirect-rule=1x1.gif +*$script,redirect-rule=noopjs,domain=freebnbcoin.com +freebnbcoin.com##.adsflex + +! https://download.windowslite.net/uQZm popup +windowslite.net##+js(set, blurred, false) +windowslite.net##+js(set, go_popup, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/24368 +newscon.org##+js(set, googletag, true) +newscon.org##+js(aopw, pbjs) +newscon.org##+js(nosiif, ads) +newscon.org##+js(nostif, _0x) +newscon.org##+js(set, tOS2, 150) +newscon.org##+js(nano-sib, _0x, *, 0.001) +newscon.org##+js(rmnt, script, adb) +@@||newscon.org^$ghide +! https://www.reddit.com/r/uBlockOrigin/comments/1fklg1o/adblock_detected_in_newsconorgd3/ +||profitsence.com^$script,3p,redirect=noopjs,domain=newscon.org + +! https://github.com/uBlockOrigin/uAssets/issues/18144 +arkadium.com##+js(set, __INITIAL_STATE__.gameLists.gamesNoPrerollIds.indexOf, trueFunc) +arkadium.com##+js(nano-sib) +arkadium.com#@#div[class^="Ad-adContainer"] +arkadium.com##div[class^="Ad-adContainer"]:style(min-height:1px!important;min-width:1px!important;) +arkadium.com##span[class*=Ad-caption-] + +! dailytechinfo. me antiadb +dailytechinfo.me##+js(aost, document.createElement, adsBlocked) + +! game sites +friv5online.com##.bnr +kiz10.com##.box-advertisement-down +kiz10.com##[class*="-ads"] +kolagames.com##.slot +mousecity.com##.banner-box-square +mousecity.com##div[style*="border: 5px solid #fff"]:not(:has(a[href^="/games"])) +mousecity.com##div[style="float: right; width: 260px; height: 300px;"] +play-games.com##.website-ad-space-area + +! eroxxx.us ad, popup +eroxxx.us##.idmuvi-topbanner + +! commentpicker. com anti adb +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=commentpicker.com + +! https://github.com/uBlockOrigin/uAssets/issues/18165 +lgwebos.com##+js(acs, ips, adb) + +! babiato. tech anti-adb +babiato.tech##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/18168 +cgaa.org##+js(aost, Error, /stackDepth:1\s/) + +! https://github.com/uBlockOrigin/uAssets/issues/18171 +techtobo.com##+js(acs, $, ads) + +! Text-based ads (JPN, EN, CHN) +! https://github.com/uBlockOrigin/uAssets/discussions/18185#discussioncomment-6029214 +resizer.myct.jp##+js(rmnt, #text, /スポンサーリンク|Sponsored Link|广告/) +gametohkenranbu.sakuraweb.com##+js(rmnt, #text, スポンサーリンク) +jisakuhibi.jp,rank1-media.com##+js(rmnt, #text, スポンサードリンク) +lifematome.blog##+js(rmnt, #text, /\[vkExUnit_ad area=(after|before)\]/) +fm.sekkaku.net##+js(rmnt, #text, 【広告】) +free-avx.jp##+js(rmnt, #text, 【PR】) +dvdrev.com##+js(rmnt, #text, 関連動画) +betweenjpandkr.blog##+js(rmnt, #text, PR:) +! https://nft-media.net/ interstitail +nft-media.net##+js(rmnt, script, leave_recommend) + +! After article +ghacks.net##+js(rmnt, #text, /Advertisement/) + +! https://www.code-source.net ad +||images2.imgbox.com/67/0e/zUAgdBDk_o.gif$3p + +! https://wheelofgold.com/ anti-adb +wheelofgold.com##+js(aeld, load, document.getElementById) +wheelofgold.com##span[style*="z-index:"][onclick$="fadeOut();"] +||acceptable.a-ads.com/1^$xhr,redirect=noop.txt +wheelofgold.com##+js(nosiif, onerror) +wheelofgold.com##+js(set, checkAdBlocker, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/18183 +@@||screenflash.io^$ghide +screenflash.io##.ins-large.adsbygoogle +! https://screenflash.io/ - modal popup +screenflash.io##+js(aost, localStorage, tryShowVideoAdAsync) + +! https://www.reddit.com/r/uBlockOrigin/comments/13ot4az/ +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=pik.bg + +! https://github.com/uBlockOrigin/uBlock-issues/issues/2661 +idoitmyself.xyz##+js(rpnt, script, /devtoolsDetector\.launch\(\)\;/) + +! https://github.com/uBlockOrigin/uAssets/issues/18202 +! https://github.com/AdguardTeam/AdguardFilters/issues/159534 +! https://github.com/AdguardTeam/AdguardFilters/issues/162123 +! https://listeamed.net/v/kKJVORW4oAw53XD +! vidguard +||acacdn.com^$script,redirect-rule=noopjs +bembed.net,embedv.net,fslinks.org,listeamed.net,v6embed.xyz,vembed.*,vgplayer.xyz,vid-guard.com##+js(nostif, afterOpen) +bembed.net,embedv.net,fslinks.org,v6embed.xyz,vembed.*,vgplayer.xyz,vid-guard.com##+js(nowoif) +listeamed.net##+js(nowoif, !/d/) +listeamed.net##+js(json-prune, AffiliateAdBlock) +bembed.net,embedv.net,fslinks.org,listeamed.net,v6embed.xyz,vembed.*,vgplayer.xyz,vid-guard.com##+js(set, PlayerConfig.config.CustomAdSetting, []) +bembed.net,embedv.net,fslinks.org,listeamed.net,v6embed.xyz,vembed.*,vgplayer.xyz,vid-guard.com##body > div[class]:empty +*$script,3p,redirect-rule=noopjs,domain=bembed.net|embedv.net +*$xhr,3p,redirect-rule=nooptext,domain=listeamed.net +||oaphoace.net^$script,3p,redirect-rule=noopjs + +! https://www.jpvhub.com/ popunder on DL +||compassionatecheek.com^$popunder + +! https://github.com/uBlockOrigin/uAssets/issues/18218 +/adblock_detector.$badfilter +eska.pl,eskarock.pl,voxfm.pl##+js(nostif, adb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/151374 +printablecreative.com##+js(nostif, chkADB) +printablecreative.com##.gda-home-box +||printablecreative.com/wp-content/uploads/pixel.gif + +! https://morbidthought.com/ anti-adb on browser back +@@||morbidthought.com^$ghide + +! https://juegosgratisonline.com.ar/ popup +juegosgratisonline.com.ar##+js(aopr, popns) + +! https://www.reddit.com/r/uBlockOrigin/comments/13q93ea/ +||truthsocial.com/api/*/ads$xhr,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/151833 +webmatrices.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/145039 +||cpx-research.com/assets/js/script_tag_v2.0.js$script,redirect=noop.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/151360 +filerice.com##+js(acs, $, window.open) +filerice.com##.ads + +! https://github.com/uBlockOrigin/uAssets/issues/18237 +! https://github.com/uBlockOrigin/uAssets/issues/18574 +! https://github.com/uBlockOrigin/uAssets/issues/18620 +metager.org##.result:has(.result-open-metagerkey):remove() + +! https://github.com/uBlockOrigin/uAssets/pull/18240 +! https://www.reddit.com/r/uBlockOrigin/comments/13s7ug5/cant_figure_out_how_to_bypass_adblock_detection/jo2tpyp/ +*$xhr,redirect-rule=nooptext,domain=kbjfree.com|lnk111.xyz|lnk112.xyz +*$script,redirect-rule=noopjs,domain=kbjfree.com|lnk111.xyz|lnk112.xyz + +! https://github.com/uBlockOrigin/uAssets/issues/18241 +sociologicamente.it##+js(acs, addEventListener, MutationObserver) + +! https://github.com/uBlockOrigin/uAssets/issues/18247 +freepic-downloader.com##+js(no-fetch-if, google-analytics) + +! https://www.reddit.com/r/uBlockOrigin/comments/13shhep/ +||ctfassets.net^$media,redirect=noopmp3-0.1s,domain=app.idagio.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/129547 +comohoy.com##+js(aopr, checkAdBlock) +comohoy.com,leak.sx,paste.bin.sx,pornleaks.in##+js(nostif, onDetected) +! https://github.com/AdguardTeam/AdguardFilters/issues/152003 +/fag/js/lol.js$domain=comohoy.com|pornleaks.in|leak.sx|paste.bin.sx +leak.sx,paste.bin.sx##.tw_float_ads_main_Wrap_Both +comohoy.com##section h6:has-text(Advertising):upward(section) +! https://github.com/AdguardTeam/AdguardFilters/commit/7080a88ee7a960eb21b9cc2984684ef386f52cd4#commitcomment-115505723 +comohoy.com##+js(aopr, navigator.brave) +leak.sx,paste.bin.sx,pornleaks.in##+js(rmnt, script, navigator.brave) + +! https://yoima.hatenadiary.com/ anti-adb +yoima.hatenadiary.com##+js(nostif, displayMessage, 2000) + +! https://cdromance.com/ leftover +cdromance.com###custom_html-8 +cdromance.com##.adsbygoogle +! https://www.reddit.com/r/uBlockOrigin/comments/16ppe2q/farlight_84_promo_video_on_certain_site/ +||cdromance.com/wp-content/themes/cdromance/img/farlight$media,1p +cdromance.com##.widget_custom_html #myVideo:upward(.widget_custom_html) + +! https://procrackerz.org/windows-11-v2023-productkey-list-download/ link hiding +procrackerz.org##.onp-sl-content:style(display: block !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/152150 +secuhex.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/18277 +mapcrunch.com###bottom-box +mapcrunch.com###container:style(height: 100% !important;) + +! https://anime7.download/ leftover +anime7.download###sidebar > div.widget_custom_html +anime7.download##.code-block + +! https://github.com/uBlockOrigin/uAssets/issues/18293 +true-gaming.net##+js(aopw ,detectAdblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/18278 +m.nivod5.tv,m1.nivod.tv,m.nivod4.tv##+js(evaldata-prune, entity.commercial) + +! https://github.com/AdguardTeam/AdguardFilters/issues/125354 +manga1000.*##+js(aopw, document.ready) +||manga1000.top/app/manga/themes/*/ads/pop.js + +! https://www.reddit.com/r/uBlockOrigin/comments/13vtqnn/ +@@||commentsmodule.com/js/js.load.1.js$xhr,domain=reproductor.telenovelas-turcas.com.es +telenovelas-turcas.com.es##+js(aopr, BetterJsPop) +telenovelas-turcas.com.es##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/152410 +*$script,3p,domain=zinchanmanga.com +/cuid/?f=https%$xhr,3p + +! https://www.reddit.com/r/uBlockOrigin/comments/13wqip7/popups/ +! https://www.reddit.com/r/uBlockOrigin/comments/18cojq6/popup/ +! https://www.reddit.com/r/uBlockOrigin/comments/1be20gp/popups/ +domaha.tv,xxxrip.net,sextor.org,sex-torrent.net##+js(ra, href, a[href*="torrentico.top/sim/go.php"]) +domaha.tv,xxxrip.net,sextor.org,sex-torrent.net##a.dl-stub:not([href]):style(cursor: pointer !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/13wzw1e/ +! https://github.com/uBlockOrigin/uAssets/issues/24033 +hotstar.com##+js(json-prune, success.page.spaces.player.widget_wrappers.[].widget.data.intervention_data) +hotstar.com##div [data-testid^="bbtype-video"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/152471 +streamporn.co.uk##+js(aost, localStorage, window.onload) + +! https://github.com/AdguardTeam/AdguardFilters/issues/152222 +hentaipaw.com##div[id^="ts_ad_native_"] +hentaipaw.com##.min-h-\[250px\]:style(min-height: 0 !important;) +&height=250&width=300&format=iframe^$frame,3p +?width=728&height=90&format=iframe^$frame,3p + +! https://github.com/uBlockOrigin/uAssets/issues/18358 +crack-status.com##+js(nowoif) +crack-status.com##.bg-dark:has(> :is([href^="https://startgaming.net/"], ins)) + +! https://forums.lanik.us/viewtopic.php?f=62&t=45246 +@@||cc.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/18360 +! https://github.com/uBlockOrigin/uAssets/issues/18824 +||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,redirect=noopjs,domain=cc.com + +! https://github.com/uBlockOrigin/uAssets/issues/18364 +cashbux.work##+js(no-xhr-if, czilladx) + +! https://github.com/uBlockOrigin/uAssets/issues/18366 +! https://github.com/uBlockOrigin/uAssets/issues/18535 +up-4ever.net##+js(nowoif) +||up-4ever.net/detroitchicago/*$script,1p +*$script,3p,denyallow=cloudflare.com,domain=up-4ever.net +*$image,3p,domain=up-4ever.net + +! https://github.com/uBlockOrigin/uAssets/issues/18371 +*$script,3p,redirect-rule=noopjs,domain=linkebr.com + +! https://github.com/uBlockOrigin/uAssets/issues/18380 +! https://github.com/AdguardTeam/AdguardFilters/issues/181481 +||back.footybite.com^$csp=script-src 'self' *.googleapis.com *.bootstrapcdn.com +buzter.xyz,valhallas.click##+js(rmnt, script, popundersPerIP) +crackstreamer.net,methstreamer.com,rnbastreams.com##+js(rmnt, script, adserverDomain) + +! https://github.com/uBlockOrigin/uAssets/issues/18381 +xgroovy.com##+js(aopr, VAST) +*/vast-client-browser.min.js$1p + +! https://github.com/uBlockOrigin/uAssets/issues/18390 +||tmp.isavetube.com/js/vegamovies.js$script,domain=vegamovies.* + +! https://github.com/uBlockOrigin/uAssets/issues/18411 +! https://github.com/uBlockOrigin/uAssets/issues/18412 +peakpx.com,pxfuel.com##.list_ads:style(height: 0px !important;) +! https://github.com/uBlockOrigin/uAssets/issues/18411#issuecomment-1581550336 +pikist.com##.lst_ads:style(height: 0px !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/16d9c4a/help_how_to_block_seemingly_random_element_in/ +androidauthority.com##main > div:last-child > div:has(> .ad) +androidauthority.com##main > div > div:empty:matches-css(min-height: 250px):matches-css(min-width: 80%) +androidauthority.com##main > div:last-child > div:has(> div:only-child:empty) +androidauthority.com##main > script + div:has(> div:only-child:empty) +androidauthority.com##div:has(> div:only-child > .pw-incontent) +androidauthority.com##aside > div > div > div > div > div:has(> div:only-child:empty) +androidauthority.com##aside > div > div:empty + +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790#discussioncomment-6049753 +/^https?:\/\/(?:[a-z]{2}\.)?[a-z]{7,14}\.com\/r(?=[a-z]*[0-9A-Z])[0-9A-Za-z]{10,16}\/[A-Za-z]{5}(?:\?param=\w+)?$/$script,3p,match-case,to=com + +! https://github.com/uBlockOrigin/uAssets/issues/18422 +||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=paramountnetwork.com,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/18423 +freepublicporn.com##.before-list-boxes-mobile-singl +freepublicporn.com##.inside-video-boxes-mobile2 +freepublicporn.com##.inside-video-all-boxes-mobile +freepublicporn.com##.footer-video-boxes-mobile2 +freepublicporn.com##[href*="find-my-girl.com"] + +! ads /remove filters when fixed in EL +/sw.js$script,domain=lolabits.se|filechan.org|megaupload.nz|rapidshare.nu|share-online.is|openload.cc|hotfile.io + +! https://shaboysglobal.com/ anti-adb +@@||shaboysglobal.com^$ghide + +! PersianBlocker filters +! app.blubank.com, mobileweb.bankmellat.ir - These sites work fine on the desktop and Android but they only allow iPhone useragent +app.blubank.com,mobileweb.bankmellat.ir##+js(trusted-set, navigator.userAgent, '{"value": "Mozilla/5.0 (iPhone; CPU iPhone OS 15_0 like Mac OS X) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/15.0 Mobile/15E148 Safari/604.1"}') +app.blubank.com,mobileweb.bankmellat.ir##+js(set, navigator.standalone, true) +app.blubank.com##div.fixed[style^="z-index:"]:has-text(گوشی خود را بچرخانید) +mobileweb.bankmellat.ir##+js(trusted-set, navigator.platform, {"value": "iPhone"}) +! https://uploadboy.com/f64c93jcxy0a - Timer +uploadboy.com##+js(rpnt, script, self.location.href;, self.location.href; document.addEventListener('DOMContentLoaded'\,()=>{const button=document.querySelector('form > input#method_free');if(button){button.click()}});, sedCount, 1) +uploadboy.com##+js(rpnt, script, //$('#btn_download').click();, $('#btn_download').click();, sedCount, 1) +! https://dehlinks.ir/link_download.php?Mozojadid_Id=166517 - Timer +||dehlinks.ir/link_download.php?Mozojadid_Id=$doc,replace=/content="15;/content="0;/ +! https://github.com/MasterKia/PersianBlocker/issues/218 - Ads on hub.reymit.ir +reymit.ir##+js(trusted-rpnt, script, /reymit_ads_for_categories\.length>0|reymit_ads_for_streams\.length>0/g, false) +! "Download app" on my.irancell.ir +my.irancell.ir##+js(trusted-click-element, div[class^="css-"][style="transition-duration: 0s;"] > div[dir="auto"][data-testid="needDownloadPS"]) + +! https://github.com/uBlockOrigin/uAssets/pull/10059 +@@||sportdeutschland.tv/assets/*$script,1p +@@||71i.de/*/loader.js$script,domain=sportdeutschland.tv +! https://github.com/uBlockOrigin/uAssets/issues/14656 +sportdeutschland.tv##+js(set, google.ima.settings.setDisableFlashAds, noopFunc) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=sportdeutschland.tv +@@||relay-client-c03.iocnt.net^$script,domain=sportdeutschland.tv +! https://www.reddit.com/r/uBlockOrigin/comments/144r0f1/adblock_detected_site_sportdeutschlandtv/jnh4vvo/ +@@||data.sportdeutschland.tv/data.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/18442 +chat.nrj.fr##+js(nosiif, location) +chat.nrj.fr##+js(set, ShowAdvertising, {}) + +! sdmoviespoint. training popups + detection +! https://github.com/uBlockOrigin/uAssets/issues/4411#issuecomment-1804073748 +*$script,3p,domain=sdmoviespoint.*,denyallow=disqus.com|disquscdn.com|disqus.map.fastlylb.net|media-imdb.com|media-amazon.com|cloudfront.net +sdmoviespoint.*##+js(noeval-if, ads) + +! https://recipahi.com/ anti-adb, timer +recipahi.com##+js(nostif, offsetHeight, 100) +recipahi.com##+js(nano-stb, redirectpage, 13500, 0.001) +recipahi.com##+js(nano-sib, counter, 1000, 0.001) +recipahi.com##+js(aeld, DOMContentLoaded, AdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/153691 +truyentranhfull.net##^script:has-text(ai_adb) +truyentranhfull.net##+js(rmnt, script, ai_adb) +/adpia_click_popup_after.js + +! https://github.com/uBlockOrigin/uAssets/issues/14108 +! https://github.com/uBlockOrigin/uAssets/issues/16123 +! https://github.com/uBlockOrigin/uAssets/issues/18840 +! https://github.com/uBlockOrigin/uAssets/issues/24083 +! https://github.com/uBlockOrigin/uAssets/issues/24113 +! https://github.com/uBlockOrigin/uAssets/issues/24820 +! https://www.reddit.com/r/uBlockOrigin/comments/1drwhzu/detected_on_a_streaming_site/ +@@||endowmentoverhangutmost.com/*/code.js^$script,3p,domain=empire-anime.*|empire-stream.*|empire-streaming.*|empire-streamz.* +@@||brittlesturdyunlovable.com/*/code.js^$script,3p,domain=empire-anime.*|empire-stream.*|empire-streaming.*|empire-streamz.* +@@||brittlesturdyunlovable.com/get/$script,3p,domain=empire-anime.*|empire-stream.*|empire-streaming.*|empire-streamz.* +@@*$ghide,domain=empire-anime.*|empire-stream.*|empire-streaming.*|empire-streamz.* +empire-anime.*,empire-stream.*,empire-streaming.*,empire-streamz.*##.direct-lads +empire-anime.*,empire-stream.*,empire-streaming.*,empire-streamz.*##+js(set, empire.pop, undefined) +empire-anime.*,empire-stream.*,empire-streaming.*,empire-streamz.*##+js(set, empire.direct, undefined) +empire-anime.*,empire-stream.*,empire-streaming.*,empire-streamz.*##+js(set, empire.directHideAds, undefined) +empire-anime.*,empire-stream.*,empire-streaming.*,empire-streamz.*##+js(rpnt, script, /data: \[.*\]\,/, data: []\,, condition, ads_num) +empire-anime.*,empire-stream.*,empire-streaming.*,empire-streamz.*##+js(nano-stb, (!1), *) +empire-anime.*,empire-stream.*,empire-streaming.*,empire-streamz.*##+js(nowoif, , 0, blank) +empire-anime.*,empire-stream.*,empire-streaming.*,empire-streamz.*##+js(no-xhr-if, pagead2.googlesyndication.com) +/iframe_ad$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation,1p,domain=empire-anime.*|empire-stream.*|empire-streaming.*|empire-streamz.* +empire-anime.*##+js(set, empire.mediaData.advisorMovie, 1) +empire-anime.*##+js(set, empire.mediaData.advisorSerie, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/11022 +steamcrackedgames.com##[href^="https://startgaming.net/"] +steamcrackedgames.com##.blink +steamcrackedgames.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/18526 +app.covemarkets.com##+js(noeval-if, show) + +! https://github.com/uBlockOrigin/uAssets/issues/18528 +j91.asia##+js(nostif, fuckadb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/153796 +@@*$xhr,domain=rekidai-info.github.io +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=rekidai-info.github.io +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl_$script,domain=rekidai-info.github.io +@@||googletagmanager.com/gtag/js$script,domain=rekidai-info.github.io + +! https://github.com/AdguardTeam/AdguardFilters/issues/69447 +online2pdf.com##div[id*="horizontal_box"] +online2pdf.com##div[id*="title_vertical"] + +! https://github.com/uBlockOrigin/uAssets/issues/18534 +burbuja.info##+js(acs, RegExp, $) + +! https://github.com/uBlockOrigin/uAssets/issues/18552 +jeniusplay.com##+js(nostif, detect) +jeniusplay.com##+js(nowoif) +! https://github.com/uBlockOrigin/uAssets/issues/18841 +jeniusplay.com##+js(aost, document.createElement, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/18555 +hentaibatch.com##+js(acs, document.createElement, appendChild) +hentaibatch.com##.klands + +! https://github.com/uBlockOrigin/uAssets/issues/18557 +furher.in##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/18566 +vidpro.net##+js(nowoif) + +! doronime +-cpm-ads.$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/18575 +timestamp.fr##+js(ra, onclick, [type="submit"]) + +! https://javdragon.org/ ad, popup +javdragon.org###preroll +javdragon.org##+js(set, univresalP, noopFunc) +embedaio.cc##+js(nowoif) +||embedaio.cc/cdn-cgi/trace + +! tonanmedia.my.id skip countdown & adb +tonanmedia.my.id##+js(set, setTimer, 0) +tonanmedia.my.id##+js(nano-sib) +tonanmedia.my.id##+js(set, showAds, true) +@@||tonanmedia.my.id^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/18590 +@@||bt.dk^$script,1p +-advertisement_$badfilter + +! bypass auto safelink +batchkun.com##+js(aopw, auto_safelink) +lendrive.web.id,nimegami.id##+js(aopr, btoa) + +! adikanime anti-adb +@@prebid.js$script,domain=bisnis.adigenius.com|adikdrive.my.id +@@*$ghide,domain=bisnis.adigenius.com|adikdrive.my.id + +! skiplink.me skip countdown +||google.com/recaptcha/api.js$script,domain=skiplink.me,important +skiplink.me,~go.skiplink.me##+js(nano-sib) +skiplink.me##b +skiplink.me##center > a +skiplink.me##center > button +skiplink.me###alf_continue_captcha:remove-attr(disabled) +skiplink.me###alf_continue_captcha:style(cursor: pointer !important; opacity: 1 !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/5550 +! https://www.reddit.com/r/uBlockOrigin/comments/14f9277/ +kmo.to##+js(nowoif, !abyss.to, 1) + +! ytmates .com (parked) +||heyoya.com^$script,3p + +! https://www.reddit.com/r/uBlockOrigin/comments/14fz8gc/ +gamersdiscussionhub.com##+js(nostif, magnificPopup) + +! https://github.com/uBlockOrigin/uAssets/issues/18623 +@@||ad.admitad.com^$popup,domain=indiadesire.com + +! http://www.taisachonthi.com/2022/09/tieng-anh-cho-nguoi-bat-dau-trang-anh-minh-trang-pdf.html timer and sanitize link +taisachonthi.com##+js(href-sanitizer, a[href^="/p/download.html?ntlruby="], ?ntlruby) +taisachonthi.com###timed:style(display: block !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/154441 +youwatch-serie.com##+js(nostif, displayMessage) + +! https://github.com/AdguardTeam/AdguardFilters/issues/154383 +davescomputertips.com##+js(nosiif, show) +davescomputertips.com##+js(aeld, DOMContentLoaded, daadb_get_data_fetch) + +! https://github.com/AdguardTeam/AdguardFilters/issues/154369 +nar.k-ba.net##+js(aeld, load, nextFunction) + +! penci / soledad anti-adb sites +! https://github.com/uBlockOrigin/uAssets/pull/21024 +ccthesims.com,chromeready.com,coursedrive.org,dtbps3games.com,illustratemagazine.com,uknip.co.uk##+js(set, penci_adlbock.ad_blocker_detector, 0) +*/wp-content/themes/soledad/js/detector.js + +! https://erotikflix.com/movies/annemle-sirrimiz/ popup +! https://github.com/AdguardTeam/AdguardFilters/issues/157598 +forplayx.ink,mov18plus.cloud###video_player ~ div[id]:has(> div[style^="position:fixed;inset:0px;z-index"] > a[target="_blank"]) +forplayx.ink##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/18648 +! https://www.reddit.com/r/uBlockOrigin/comments/14w42ls/ +capital.de,geo.de##+js(aeld, load, autoRecov) + +! https://github.com/uBlockOrigin/uAssets/issues/18653 +indianyug.com##+js(nostif, siteAccessPopup) + +! https://github.com/uBlockOrigin/uAssets/pull/18661 +! yurasu.xyz skip countdown & anti adblock +yurasu.xyz##+js(set, showAds, true) +yurasu.xyz,isekaipalace.com##+js(nano-sib) +@@*$ghide,domain=blog.yurasu.xyz|isekaipalace.com +yurasu.xyz,isekaipalace.com###timer +yurasu.xyz,isekaipalace.com##button:remove-class(hidden) +yurasu.xyz,isekaipalace.com##button:remove-attr(disabled) + +! kazefuri.net sanitize url +kazefuri.net##+js(href-sanitizer, a[href^="https://www.adtival.network/"][href*="&url="], ?url) + +! https://github.com/uBlockOrigin/uAssets/issues/18663 +/ad_code.$badfilter + +! https://github.com/uBlockOrigin/uAssets/pull/18681 +! mitedrive.com skip countdown & popups +mitedrive.com,miteblog.com##+js(nano-sib) +mitedrive.com,miteblog.com##+js(window.open-defuser) + +! https://github.com/AdguardTeam/AdguardFilters/issues/154687 +! https://www.reddit.com/r/uBlockOrigin/comments/1grwlm2/adblock_detection_on_needromcom/ +needrom.com##+js(nostif, /adsbygoogle|adblock|innerHTML/) + +! abDetectorPro-sites +! https://www.reddit.com/r/uBlockOrigin/comments/14hm2v0/ +! https://github.com/AdguardTeam/AdguardFilters/issues/154666 +adelsfun.com,advantien.com,bailbondsfinder.com,bg-gledai.*,bigpiecreative.com,childrenslibrarylady.com,classifarms.com,comtasq.ca,crone.es,ctrmarketingsolutions.com,dropnudes.com,ftuapps.dev,genzsport.com,ghscanner.com,gledaitv.*,grsprotection.com,gruporafa.com.br,inmatefindcalifornia.com,inmatesearchidaho.com,itsonsitetv.com,mfmfinancials.com,myproplugins.com,onehack.us,ovester.com,paste.bin.sx,privatenudes.com,renoconcrete.ca,richieashbeck.com,sat.technology,short1ink.com,stpm.co.uk,wegotcookies.co##+js(aeld, load, abDetectorPro) +adelsfun.com,advantien.com,bailbondsfinder.com,bg-gledai.*,bigpiecreative.com,childrenslibrarylady.com,classifarms.com,comtasq.ca,crone.es,ctrmarketingsolutions.com,dropnudes.com,ftuapps.dev,genzsport.com,gledaitv.*,grsprotection.com,gruporafa.com.br,inmatefindcalifornia.com,inmatesearchidaho.com,itsonsitetv.com,mfmfinancials.com,myproplugins.com,onehack.us,ovester.com,paste.bin.sx,privatenudes.com,renoconcrete.ca,richieashbeck.com,short1ink.com,stpm.co.uk,wegotcookies.co##+js(no-xhr-if, googlesyndication) +ghscanner.com,sat.technology##+js(no-fetch-if, googlesyndication) +onehack.us##+js(nostif, modal) +ftuapps.dev##+js(nostif, ai_) + +! https://www.maps4heroes.com/forum/opinions.php?map_id=791&game=3 (can't dl maps) +maps4heroes.com#@#ins.adsbygoogle[data-ad-slot] +maps4heroes.com#@#ins.adsbygoogle[data-ad-client] + +! https://github.com/uBlockOrigin/uAssets/issues/18695 +cuevana8.com##+js(nowoif) +cuevana8.com##[href*="premium/"] +cuevana8.com##.advpl + +! https://github.com/uBlockOrigin/uAssets/issues/18697 +woowebtools.com##body > div[style]:has-text(Ads) +||woowebtools.com/*.png$image + +! https://github.com/uBlockOrigin/uAssets/issues/18705 +faucetbravo.fun##+js(aopr, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/18706 +! https://github.com/uBlockOrigin/uAssets/issues/18941 +bitsmagic.fun,ourcoincash.xyz##^script:has-text(htmls) +bitsmagic.fun,ourcoincash.xyz##+js(rmnt, script, htmls) + +! https://github.com/AdguardTeam/AdguardFilters/issues/154836 +apnews.com##.Page-header-leaderboardAd:remove() + +! https://github.com/uBlockOrigin/uAssets/issues/18716 +merlininkazani.com##+js(nostif, onDetected) + +! https://www.reddit.com/r/uBlockOrigin/comments/14l1nyq/ +actvid.*##.block_area iframe:upward(.block_area) +actvid.*,zoechip.com##+js(rmnt, script, HTMLAllCollection) +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790#discussioncomment-6303745 +! https://github.com/AdguardTeam/AdguardFilters/issues/161092 +/^https:\/\/[a-z]{3,5}\.[a-z]{10,14}\.top\/[a-z]{10,16}\/[a-z]{5,6}(?:\?d=\d)?$/$script,xhr,3p,match-case,to=top +/^https:\/\/[a-z]{3,5}\.[a-z]{10,14}\.top\/[A-Za-z]{10,16}\/[A-Za-z]{5,6}$/$popup,3p,to=top +! https://www.reddit.com/r/uBlockOrigin/comments/14l1nyq/redirects_popups_getting_through_ublock_on/jq2jenc/ +! https://github.com/AdguardTeam/AdguardFilters/issues/155031 +! https://bunkrr.su/v/tPXzp5TtVyKyP popup +! https://www.homemoviestube.com/ + +! https://forums.lanik.us/viewtopic.php?f=64&t=43732#p150600 +! https://www.reddit.com/r/uBlockOrigin/comments/14jms8c/ +! https://github.com/uBlockOrigin/uAssets/issues/21809 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=24ur.com +*$object,3p,redirect-rule=noopframe,domain=24ur.com +@@||cdn.jsdelivr.net/npm/videojs-contrib-ads$script,domain=24ur.com + +! https://github.com/uBlockOrigin/uAssets/issues/18727 +@@||criptologico.com^$ghide +criptologico.com##+js(nostif, akadb) + +! https://github.com/uBlockOrigin/uAssets/issues/18729 +medeberiyas.com##+js(acs, eval, replace) +medeberiyas.com##+js(aopw, adsBlocked) + +! https://iwatchfriendsonline.net/ popup +iwatchfriendsonline.net##.fixed-sidebar-blank +iwatchfriendsonline.net##^script:has-text(liedetector) +nectareousoverelate.com##^script:has-text(popWin) +iwatchfriendsonline.net##+js(rmnt, script, liedetector) +nectareousoverelate.com##+js(rmnt, script, popWin) + +! https://github.com/uBlockOrigin/uAssets/issues/18728 +mail.aol.com##[data-test-id="right-rail-ad"] +mail.aol.com##[rel="noreferrer"][data-test-id][href^="https://beap.gemini.yahoo.com/mbclk?"] +mail.aol.com##[data-test-id^="pencil-ad"] +mail.aol.com###slot_LREC + +! https://cryptonor.xyz/ anti-adb +cryptonor.xyz##+js(aost, document.createElement, inlineScript) + +! https://github.com/uBlockOrigin/uAssets/issues/18752 +creativebloq.com##.ad-unit:remove() +creativebloq.com##.listingResult:has(> .sponsored-post) + +! https://github.com/uBlockOrigin/uAssets/issues/18760 +isekaipalace.com##+js(set, showAds, true) + +! https://www.reddit.com/r/uBlockOrigin/comments/14nkfum/ +sofmag.com##.adsBelowHeaderBannerContainer +sofmag.com##.widget .adsSidebarContainer:upward(.widget) + +! https://github.com/uBlockOrigin/uAssets/issues/18756 +foodxor.com##+js(rpnt, script, /try.*finally.*?}/) + +! https://khoaiphim.com/ popup +khoaiphim.com##^script:has-text(end_click) +khoaiphim.com##+js(rmnt, script, end_click) + +! https://github.com/uBlockOrigin/uAssets/issues/18771 +sempreupdate.com.br##+js(nostif, open) + +! https://github.com/uBlockOrigin/uAssets/issues/18780 +kompas.id##.relative:has(> [id^="div-gpt-ad"]) + +! https://github.com/uBlockOrigin/uAssets/issues/18781 +mathaeser.de##+js(nostif, adb) + +! https://github.com/AdguardTeam/AdguardFilters/issues/155143 +myporntape.com##+js(aopr, loadTool) + +||cdn.jsdelivr.net/gh/ourtecads/AntiAdblock$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/155274 +haafedk2.com##+js(rmnt, script, ad blocker) + +! https://github.com/uBlockOrigin/uAssets/issues/11094 +! https://github.com/uBlockOrigin/uAssets/issues/18798 +eevblog.com##[src*="banner"] +||eevblog.com/images/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/18799 +jovemnerd.com.br##+js(rmnt, script, closeAd) +jovemnerd.com.br###ad-wallpaper + +! https://github.com/uBlockOrigin/uAssets/issues/18797 +nicomanga.com##+js(nowoif) +*key=$frame,3p,domain=nicomanga.com +nicomanga.com###welcome-bar + +! https://github.com/uBlockOrigin/uAssets/issues/18807 +@@||ak.sv^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/18809 +rgb.vn##+js(nostif, siteAccessPopup) + +! https://www.reddit.com/r/uBlockOrigin/comments/14pu01w/ +! https://www.reddit.com/r/uBlockOrigin/comments/14qeaz4/ +www.google.com##div[aria-label="Why this ad?"]:upward([data-pla="1"]) + +! https://github.com/uBlockOrigin/uAssets/issues/18816 +totalcsgo.com##+js(rmnt, script, /adconfig/i) +totalcsgo.com##.body-container:style(background-image: unset !important; cursor: auto !important;) +||totalcsgo.com/*/site-takeover/$image +! https://github.com/uBlockOrigin/uAssets/issues/20992 +totalcsgo.com##+js(nowoif, _blank) +totalcsgo.com##[style*="desktop-url"]:remove() +totalcsgo.com##[alt="Ad"] + +! https://github.com/uBlockOrigin/uAssets/issues/18823 +vod.pl##+js(set, Object.prototype.adblockDetector, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/18839 +vivamax.asia##+js(rmnt, script, AdblockDetector) + +! https://github.com/uBlockOrigin/uAssets/issues/18843 +dafontvn.com##+js(acs, document.createElement, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/18848 +gumtree.com.au###leaderboard-header-banner +gumtree.com.au###header-new:style(margin-top: 0px !important;) +! https://github.com/uBlockOrigin/uAssets/pull/19546 +gumtree.com##div > article[data-q="search-result"] > a[data-q="search-result-anchor"] > div > figure.listing-tile-thumbnail-image + div:has-text(Featured):upward(article[data-q="search-result"]) +! PH on https://www.gumtree.com/for-sale +gumtree.com##.css-1uhcmhp:matches-media((min-width: 80em)):style(grid-template-rows: 0 auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/18838 +deviantart.com###deviantartcom_desktop-devpage-sidebar-300x250-atf:upward(div[role="complementary"] > div) + +! https://github.com/AdguardTeam/AdguardFilters/issues/155482 +*$script,3p,denyallow=cloudflare.com|fastly.net|jsdelivr.net,domain=animeunity.cc +*$script,3p,denyallow=cloudflare.com|gstatic.com,domain=scws.work + +! https://github.com/AdguardTeam/AdguardFilters/issues/155544 +megadrive-emulator.com##+js(nostif, biteDisplay) +megadrive-emulator.com##+js(set, blext, true) +megadrive-emulator.com##.generalgames_box_home ul > div + +! https://github.com/AdguardTeam/AdguardFilters/issues/152221 +eromanga-show.com,hentai-one.com,hentaipaw.com##+js(nostif, /[a-z]\(!0\)/, 800) +*$script,3p,domain=eromanga-show.com|hentai-one.com|hentaipaw.com + +! https://www.reddit.com/r/uBlockOrigin/comments/14sxwl3/ +tvhay.*##+js(set, vidorev_jav_plugin_video_ads_object, {}) +tvhay.*##+js(set, vidorev_jav_plugin_video_ads_object_post, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/18869 +nasonga.co.ke##[id^="google_ads_iframe"]:remove() + +! https://github.com/uBlockOrigin/uAssets/issues/18821 +faucettronn.click##+js(set, detectAdblock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/18885 +||imasdk.googleapis.com/js/sdkloader/ima3$script,redirect=google-ima.js,domain=nick.com + +! https://live3.thapcam.net/ ads +! https://github.com/uBlockOrigin/uAssets/issues/19115 +.gif$from=thapcam.net,to=~thesports.com +thapcam.net##+js(nostif, modal) +thapcam.net##.mmo + +! https://github.com/AdguardTeam/AdguardFilters/issues/155918 +pandasnovel.com##+js(set, pandaAdviewValidate, true) +pandasnovel.com##a[href^="https://www.panda-novel.com/advertising"]:upward(.index-swiper) + +! https://github.com/AdguardTeam/AdguardFilters/issues/155887 +! https://github.com/AdguardTeam/AdguardFilters/issues/155883 +10minuteemails.com,luxusmail.org##+js(nostif, ad_block) +! https://www.reddit.com/r/uBlockOrigin/comments/1dp1nc6/how_do_i_block_sulvocom/ +||10minutemail.com/ub/ + +! https://www.motchill.icu/2023/05/danh-sach-en-phan-10-final-blacklist.html popup +motchill.*##+js(aeld, click, popactive) + +! https://docs.w3cub.com/http/headers/feature-policy/sync-xhr detection + popup +w3cub.com##+js(nostif, /detectAdBlocker|window.open/) + +! https://github.com/uBlockOrigin/uAssets/issues/18908 +ravenscans.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/18914 +fap-nation.org##+js(acs, eval, replace) +fap-nation.org##.td_spot_img_all + +! https://github.com/uBlockOrigin/uAssets/issues/18930 +@@||all3dp.com/gpt.min.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/18933 +@@||stpd.cloud^$script,domain=dgb.lol +||tagan.adlightning.com^$script,domain=dgb.lol,redirect-rule=noopjs +dgb.lol###addiv + +! https://github.com/uBlockOrigin/uAssets/issues/18940 +manysex.com##+js(rmnt, script, is_antiblock_refresh) +manysex.com##.afs_ads + span[style] + +! https://github.com/uBlockOrigin/uAssets/issues/18948 +bangpremier.com##+js(nostif, adBlockDetected) +bangpremier.com##.presentation-bb-wrapper +bangpremier.com##.panel-desktop-mdx +bangpremier.com###my-content:style(display: block !important;) + +! S_Popup sites +! https://erotikclub1.pw/movies/annemle-tatil-anilari/ popup +! https://www.reddit.com/r/uBlockOrigin/comments/14wpihr/ +! https://github.com/AdguardTeam/AdguardFilters/issues/183154 +! https://github.com/uBlockOrigin/uAssets/issues/19271 +moviesapi.club##+js(aopr, my_pop) +bestx.stream,boosterx.stream,moviesapi.club##+js(nowoif) +moviesapi.club,bestx.stream,boosterx.stream,watchx.top##+js(no-fetch-if, googlesyndication) +animesaga.in,moviesapi.club,bestx.stream,watchx.top##+js(set, S_Popup, 10) +bestx.stream,boosterx.stream,moviesapi.club,stream.anplay.in###video_player ~ div[id]:has(> div[style^="position:fixed;inset:0px;z-index"] > a[target="_blank"]) + +! Clickadu reinjection +asiaon.*,asiaontop.com,bunkrr.*,fapfappy.com,homemoviestube.com,jav.direct,javmix.tv,klmanga.*,komikmanhwa.me,lovingsiren.com,manga1001.*,mangaraw.*,mangarawjp.*,netfapx.com,syosetu.*,xanimeporn.com##+js(acs, WebAssembly, atob) +/aas/r45d/vki/*$script,redirect=noop.js +/^https:\/\/[a-z]{8,12}\.com\/en\/(?:[a-z]{2,5}\/){0,2}[a-z]{2,}\?(?:[a-z]+=(?:\d+|[a-z]+)&)*?id=[12]\d{6}/$script,3p,match-case,to=com +! https://nettruyenww.com/ - popunder +/public/assets/js/popunder.js^$script +/public/assets/js/popunderClickadu.js^$script + +! https://github.com/uBlockOrigin/uAssets/issues/18877 +gaminginfos.com##+js(rmnt, script, /userAgent|adb|htmls/) +gaminginfos.com##+js(aopr, document.write) + +! https://github.com/AdguardTeam/AdguardFilters/issues/156210 +tinxahoivn.com##+js(rmnt, script, myModal) + +! https://github.com/uBlockOrigin/uAssets/issues/17295 +! https://github.com/uBlockOrigin/uAssets/issues/23081 +cnx-software.com##div[class*="-single "]:has(img) + +! https://www.bankbazaar.com/ modal +bankbazaar.com###js-one-tap-login-modal +bankbazaar.com##.modal-backdrop +bankbazaar.com##.modal-open:style(overflow: auto !important; padding-right: 0 !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/156243 +ruyashoujo.com##+js(aopr, eazy_ad_unblocker_dialog_opener) + +! https://github.com/uBlockOrigin/uAssets/issues/19020 +45.86.86.235##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/156398 +/\/js\/[a-z]j\.js$/$script,~third-party,domain=joysporn.sex + +! https://github.com/AdguardTeam/AdguardFilters/issues/156396 +fullporner.com##+js(aopr, dataPopUnder) +fullporner.com##+js(aopr, adConfig) +fullporner.com###right1_ad + +! https://www.reddit.com/r/uBlockOrigin/comments/1502ou8/asurascanscom_is_it_to_remove_all_content_related/ +||img.alandal.com/promo/$image,domain=asura.gg|asurascans.com +asura.gg,asurascans.com##a[href][title^="(AD)"]:upward(.bs) +asura.gg,asurascans.com##.serieslist > ul > li:has-text((AD)) + +! https://github.com/uBlockOrigin/uAssets/issues/19033 +*$xhr,script,redirect-rule=empty,domain=4khd.com + +! https://github.com/uBlockOrigin/uAssets/issues/19034 +! https://github.com/AdguardTeam/AdguardFilters/issues/157695 +digimanie.cz,svethardware.cz##+js(set, rabLimit, -1) + +! https://github.com/uBlockOrigin/uAssets/issues/19036 +romsmania.games##body:style(padding-bottom: 0 !important;) +romsmania.games##span[data-ez-ph-id] +romsmania.games##.widget_block +romsmania.games##.relacionados .aawp:upward(.relacionados) + +! https://github.com/uBlockOrigin/uAssets/issues/430 +freeroms.com##a.download:style(visibility: hidden;) +! https://github.com/uBlockOrigin/uAssets/issues/19037 +freeroms.com##+js(rmnt, script, popunder) + +! dll-files.com ad leftover +dll-files.com##center[style]:has-text(advertisement) + +! https://github.com/AdguardTeam/AdguardFilters/issues/156440 +@@||promods.net/*.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/156602 +iporntoo.com##+js(set-cookie, customscript0, 1) + +! f2movies. ru popup +f2movies.*##+js(aopr, AaDetector) + +! http://top16.net popunder +top16.net##+js(set-cookie, popunder, 1) +top16.net##+js(set-cookie, visited, 1) + +! https://github.com/AdguardTeam/AdguardFilters/issues/156716 +||i.imgur.com/f0FSNTu.jpg + +! https://github.com/uBlockOrigin/uAssets/issues/19077 +@@||anisearch.de^$ghide + +! https://github.com/uBlockOrigin/uAssets/pull/19082 +tobys.dk##+js(aopr, checkAds) +tobys.dk#@#.abMessage + +! https://github.com/uBlockOrigin/uAssets/issues/19095 +automoto.it##+js(rmnt, script, app_checkext) +automoto.it##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/19098 +nyaa.iss.ink##+js(nostif, popUnder) +/?zone=$script,3p,domain=nyaa.iss.ink + +! DriveBot Popup(From Gdflix) +drivebot.*##+js(nostif, /GoToURL|delay/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/157022 +||srvy.ninja/assets/adb/js/detector.min.js +||srvy.ninja/assets/property/js/ads.js +srvy.ninja##+js(set, nudgeAdBlock, noopFunc) +srvy.ninja##+js(no-xhr-if, /googlesyndication|ads/) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43685 +@@||7plus.com.au^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/19076 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=7plus.com.au + +! https://github.com/uBlockOrigin/uAssets/issues/19121 +modrinth.com##a[rel*="sponsored"]:upward(.normal-page__content > div) + +! https://www.reddit.com/r/uBlockOrigin/comments/156mo1m/ +yify-subtitles.org##+js(aopw, counter) + +! https://github.com/uBlockOrigin/uAssets/issues/19126 +aliendictionary.com,proverbmeaning.com,tudongnghia.com,vietnamanswer.com##+js(acs, document.querySelector, adblock) + +! https://github.com/uBlockOrigin/uAssets/pull/19130 +fordownloader.com##+js(no-xhr-if, googlesyndication) +fordownloader.com##+js(rmnt, script, ad blocker) + +! https://www.reddit.com/r/uBlockOrigin/comments/156s1p1/how_to_enable_scrolling_on_t_exturecan/ +texturecan.com##+js(set, detectAdBlock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/16602 +katmoviehd.*##+js(acs, Math.imul) +katmoviehd.*###sidebar > #custom_html-6 + +! https://github.com/uBlockOrigin/uAssets/issues/19134 +||katerionews.com/hot-news/addon.php$frame +katerionews.com##div[style]:has(> iframe[src^="/hot-news/addon.php"]) + +! https://7mmtv.me/ssis-808/ popup +7mmtv.*,telorku.xyz##+js(aopr, doOpen) +telorku.xyz##+js(acs, WebAssembly, _0x) + +! https://github.com/uBlockOrigin/uAssets/issues/19139 +codelivly.com##^script:has-text(clientHeight) +codelivly.com##+js(rmnt, script, clientHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/19146 +! https://github.com/uBlockOrigin/uAssets/issues/24181 +autotrader.com##.sticky-container +autotrader.com##[data-cmp="alphaShowcase"][data-qaid="cntnr-alpha"] +autotrader.com##div[data-qaid="cntnr-listings"] > .row > .display-flex:has(> .bg-periwinkle) + +! https://www.reddit.com/r/uBlockOrigin/comments/157utus/articles_on_mindbodygreencom_wont_load/ +www.mindbodygreen.com##div:has(> section > .network-ad) +www.mindbodygreen.com##aside:style(background: transparent !important;) + +! https://studylib.net/doc/18775592/unbiased-estimation ads placeholders +studylib.net##div[class]:has(> ins) + +! https://www.reddit.com/r/uBlockOrigin/comments/1581mkc/nickjrcom_website_showing_antiadblock_notice/ +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=nickjr.com + +! https://github.com/uBlockOrigin/uAssets/issues/19038 +! https://github.com/uBlockOrigin/uAssets/issues/19125 +link.encrypted-encrypted-encrypted-encrypted-encrypted-encrypted.link###gpujs_link + +! https://www.reddit.com/r/uBlockOrigin/comments/8r6448/ +chat.tchatche.com##+js(acs, document.getElementById, /Content/_AdBlock/AdBlockDetected.html) +chat.tchatche.com##+js(aopw, adBlckActive) +! https://github.com/uBlockOrigin/uAssets/issues/19156 +chat.tchatche.com##+js(nosiif, AB.html) +chat.tchatche.com##+js(set, feedBack.showAffilaePromo, noopFunc) +chat.tchatche.com##+js(set, ShowAdvertising, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/19176 +skill4ltu.eu##+js(aeld, load, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/19181 +194.110.247.242##+js(acs, eval, replace) +194.110.247.242##.gmr-bannerpopup + +! https://www.reddit.com/r/uBlockOrigin/comments/15a5ta4/block_discreet_sotwe_ads/ +! https://github.com/uBlockOrigin/uAssets/issues/19354 +! sotwe.com##.tweet-card .v-responsive.media-carousel-image .v-responsive__content img[alt]:not([alt*="https://t.co/"]):upward(.tweet-card) +sotwe.com##.tweet-card .v-responsive.media-carousel-image .v-responsive__content img[alt]:not(:matches-attr(alt="/.*\shttps:\/\/t\.co\/[\w]{10}$/")):upward(.tweet-card) + +! https://github.com/uBlockOrigin/uAssets/issues/19188 +! https://github.com/uBlockOrigin/uAssets/issues/20505 +*$frame,redirect-rule=noopframe,domain=megaup.net +download.megaup.net##a img:not([src="images/main_logo_inverted.png"]):matches-css(height: /^([2-4]{1}[0-9]{2}(\.[0-9]+)?px|0px)$/):style(visibility: hidden !important;) +download.megaup.net##+js(spoof-css, a img:not([src="images/main_logo_inverted.png"]), visibility, visible) +download.megaup.net##+js(rpnt, script, /for\s*\(\s*(const|let|var).*?\)\;return\;\}_/g,_ , condition, attribute) +download.megaup.net##a:has(img[src*="/download"]):style(width: 300px !important; height: 300px !important; display: block !important;) +@@||megaup.net/imageads/$image,1p +@@||download.megaup.net^$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/hxzp5h/ublock_fails_to_block_ads_after_clicking_video/ +player.theplatform.com##+js(disable-newtab-links) +! breakage https://github.com/uBlockOrigin/uAssets/issues/16216 +!||player.theplatform.com^$frame,removeparam=params,domain=nbc.com +player.theplatform.com##+js(m3u-prune, tvessaiprod.nbcuni.com, /theplatform\.com\/.*?\.m3u8/) +! https://github.com/uBlockOrigin/uAssets/issues/19194 +@@||assets.adobedtm.com/extensions/*/AppMeasurement.min.js$script,domain=nbc.com +nbc.com##+js(json-prune, avails) +nbc.com##+js(json-prune-fetch-response, avails, , propsToMatch, amazonaws.com) + +! https://github.com/uBlockOrigin/uAssets/issues/19191 +! https://github.com/AdguardTeam/AdguardFilters/issues/168256 +designparty.sx##+js(nowoif) +||designparty.sx/player/jw8/vast.js$script,1p +||designparty.sx/js/baf.js$script,1p +||designparty.sx/advertises/ +||kukaj.io/ooo/ +kukaj.io###gldprr +kukaj.io##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/19167 +! https://github.com/uBlockOrigin/uAssets/issues/19207 +! https://github.com/easylist/easylist/commit/3279eb38679284daea90c485c4b9ad298a6f82f3 +||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$redirect=noopjs,domain=southparkstudios.*,important +||imasdk.googleapis.com/js/sdkloader/ima3.js$redirect=google-ima.js,domain=southpark.*|southparkstudios.*,important +||imasdk.googleapis.com/pal/sdkloader/pal.js$redirect=noop.js,domain=southpark.*|southparkstudios.* +@@||fwmrm.net^*/admanager.js$script,3p,domain=southpark.*|southparkstudios.* +! https://github.com/uBlockOrigin/uAssets/issues/20253 +southpark.de##+js(no-fetch-if, ima3_dai) +||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,redirect=noopjs,domain=southpark.de + +! https://github.com/uBlockOrigin/uAssets/issues/19210 +rain-alarm.com###main_canvas > div[id^="google"] +rain-alarm.com###main_canvas > div:not(div[id^="google"]):style(width: 100% !important;) + +! https://adultdeepfakes. com/videos/23935-maddie-ziegler-porn-deepfake/ fake player +adultdeepfakes.com##+js(set-local-storage-item, adf_plays, 2) +adultdeepfakes.com##+js(rpnt, script, adv_, , condition, flashvars) +##.fp-player > div[style="position: absolute; inset: 0px; overflow: hidden; z-index: 160; background: transparent; display: block;"] + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6582008 +||bmcdn5.com^$script,redirect=noop.js + +! https://github.com/NanoMeow/QuickReports/issues/3179 +money.cnn.com##section.column:has(> #moneySponsors) +! https://www.reddit.com/r/uBlockOrigin/comments/1fcg9dn/cnncom_ads/ +||ngtv.io/v2/media/live$xhr,3p,removeparam=ssaiProfile,domain=cnn.com +! https://github.com/uBlockOrigin/uAssets/issues/15024#issuecomment-1256726575 +||warnermediacdn.com/csm*&caid=$xhr,removeparam=caid,domain=cnn.com +! https://www.reddit.com/r/uBlockOrigin/comments/144h6i5/cnnespanolcnncom_videoad/jngep7z/ +||warnermediacdn.com/csm*afid=$xhr,removeparam=afid,domain=cnn.com +! https://www.reddit.com/r/uBlockOrigin/comments/15dcw8o/how_to_block_new_cnn_video_ads/ +||warnermediacdn.com/csm*app_csid=$xhr,removeparam=app_csid,domain=cnn.com +||warnermediacdn.com/csm*conf_csid=$xhr,removeparam=conf_csid,domain=cnn.com +||warnermediacdn.com/csm*prof=$xhr,removeparam=prof,domain=cnn.com +! https://github.com/uBlockOrigin/uAssets/issues/17071 +||medium.ngtv.io/v2/media/*&ssaiProfile=$xhr,removeparam=ssaiProfile,domain=~cnn.com +! https://github.com/uBlockOrigin/uBOL-home/issues/208 +cnn.com##+js(set, FAVE.settings.ads.ssai.prod.clips.enabled, false) +cnn.com##+js(set, FAVE.settings.ads.ssai.prod.liveAuth.enabled, false) +cnn.com##+js(set, FAVE.settings.ads.ssai.prod.liveUnauth.enabled, false) +! cnn top ads +cnn.com##.ad-slot-header__wrapper:style(display: none !important; top: 0 !important) + +! https://github.com/bogachenko/fuckfuckadblock/issues/446 +/adblocker.js$domain=gameophobias.com|hindimearticles.net|solution-hub.com +dinnerexa.com,dinneroga.com,gameophobias.com,hindimearticles.net,solution-hub.com,thenextplanet1.*,tnp98.xyz##+js(nowoif) +thenextplanet1.*,tnp98.xyz##+js(nostif, window.location.href, 300) +thenextplanet1.*###loading-timer + +! https://github.com/bogachenko/fuckfuckadblock/issues/440 +@@||advnetwork.net/advertising/*/advertising.js$xhr,domain=bsshotel.it + +! https://github.com/uBlockOrigin/uAssets/issues/19223 +stuff.tv##.wp-block-kelseymedia-blocks-block-squirrel-embed + +! https://github.com/AdguardTeam/AdguardFilters/issues/157742 +@@*$ghide,domain=tv.shoot-yalla.live|shoot-yalla.to|shoot-yalla.tv|yalla-shoots.tv|yalla-shoot-tv.io +tv.shoot-yalla.live,shoot-yalla.to,shoot-yalla.tv,yalla-shoots.tv,yalla-shoot-tv.io##.demand-supply + +! https://github.com/uBlockOrigin/uAssets/issues/19229 +*$script,redirect-rule=noopjs,domain=2the.space|paylinks.cloud +||ourtecads.com/assets/$script,redirect=noopjs +paylinks.cloud##div[id^="idc"][style] + +! 2embed. cc popup +2embed.*##+js(aopr, mm) +2embed.*##+js(nowoif) +2embed.*##^script:has-text(break;case) + +! https://apkhihe. com/gb-whatsapp/download/ download timer +apkhihe.com##+js(nano-sib, show_download_links) + +! https://github.com/uBlockOrigin/uAssets/issues/19237 +! https://forums.lanik.us/viewtopic.php?p=167568-lordchannel-com#p167568 +lordchannel.com##+js(rmnt, script, await) + +! https://github.com/uBlockOrigin/uAssets/issues/19245 +schools.snap.app##div.ant-modal-root:has(img[alt="Advertisement"]) +schools.snap.app##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/19250 +@@||audi-sport.net^$ghide +/siropu/am/core.min.js$script,important,from=~audi-sport.net|~hifiwigwam.com + +! https://github.com/uBlockOrigin/uAssets/issues/19231 +/ads/js/*$badfilter + +! https://www.reddit.com/r/uBlockOrigin/comments/15dfa2q/ +dvm360.com##+js(nosiif, analytics.initialized) +dvm360.com##.site-wrapper:style(opacity:1!important;visibility:visible!important) +dvm360.com##body:style(overflow:auto!important) +dvm360.com##.welcome-ad-wrapper +dvm360.com###welcome-ad-container + +! https://github.com/uBlockOrigin/uAssets/issues/19251 +! https://github.com/uBlockOrigin/uAssets/issues/19364 +teknisitv.com,paylaterin.com##+js(aost, decodeURIComponent, autoptimize) + +! https://www.reddit.com/r/uBlockOrigin/comments/15gtlgy/site_detecting_ubo_httpswwwinterestconz/ +||interest.co.nz/modules/custom/presspatron/js/pp-ablock-banner.js$script + +! https://www.reddit.com/r/uBlockOrigin/comments/dv0n5w/torrentgalaxy_ads/ +! https://github.com/uBlockOrigin/uAssets/issues/19729 +*$script,3p,denyallow=bootstrapcdn.com|disqus.com|disquscdn.com|jsdelivr.net|jwpcdn.com|fastly.net|fastlylb.net|jquery.com|hwcdn.net|recaptcha.net|cloudflare.com|cloudflare.net|google.com|googleapis.com|gstatic.com,domain=torrentgalaxy.*|tgx.rs +torrentgalaxy.*,tgx.rs##+js(aost, String.prototype.charCodeAt, $) +torrentgalaxy.*,tgx.rs##.alert +/\/common\/images\/[a-z0-9]{1,5}\-[a-z0-9]{1,5}\.png$/$match-case,image,1p,domain=torrentgalaxy.*|tgx.rs +torrentgalaxy.*,tgx.rs##a[href^="/hx?r0ff3r="][href$="&tfh"], #stopad, .kdguszftmyrvenilh, a[onmouseout="#"][href], img[src^="/common/images/"][alt="wide"][data-src="bin"] +torrentgalaxy.*,tgx.rs##body > [id] > div[class]:only-child > div[class]:first-child > div[class][style="padding: 0px 7px;max-width:445px;"] > div:first-child:not([class]):has(> div:only-child #stopad) +||startgaming.net/*&utm_source$doc,popup +||startgaming.net/*affil=Torrentgalaxy$doc,popup + +! https://forums.lanik.us/viewtopic.php?t=48204-gplastra-com +gplastra.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/19272 +eurosport.*##.ad + +! https://github.com/AdguardTeam/AdguardFilters/issues/158353 +kurakura21.space##+js(noeval-if, UserCustomPop) +/pub?id=$script,3p +/in/p/?spot_id=$frame,3p + +! https://github.com/uBlockOrigin/uAssets/issues/19291 +turkishaudiocenter.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/19714! https://www.reddit.com/r/uBlockOrigin/comments/16i9fco/blocking_a_specific_script_on_a_web_page/ +! lifestyle.bg,money.bg,news.bg,topsport.bg,webcafe.bg##+js(rmnt, script, /charAt|innerHTML/) +lifestyle.bg,money.bg,news.bg,topsport.bg,webcafe.bg##+js(no-fetch-if, method:GET) +lifestyle.bg,money.bg,news.bg,topsport.bg,webcafe.bg##+js(nostif, google) +lifestyle.bg,news.bg,topsport.bg,webcafe.bg##+js(aeld, DOMContentLoaded, location.replace) +lifestyle.bg,news.bg,topsport.bg,webcafe.bg##+js(no-fetch-if, method:HEAD) +@@/securepubads.$domain=lifestyle.bg|news.bg|topsport.bg,badfilter +lifestyle.bg,news.bg,topsport.bg,webcafe.bg##.mc-layout__bannerContent + +! https://github.com/uBlockOrigin/uAssets/issues/19308 +mtg-print.com##+js(no-fetch-if, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/15m7iew/disable_adblock_popup_on_thi_site/ +scripai.com##+js(nostif, /adblock/i) + +*$xhr,3p,method=head,redirect-rule=nooptext:-1,to=~adblockanalytics.com|~doubleclick.net|~pagead2.googlesyndication.com + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6702755 +exactpay.online##+js(nostif, offsetWidth) + +! https://github.com/uBlockOrigin/uAssets/issues/19339 +e-player-stream.app##+js(aost, document.getElementById, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/19340 +eftacrypto.com##+js(aeld, load, htmls) + +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1618326670/196 +bethaniebu.com##+js(aost, document.getElementById, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/8967 +play.history.com##+js(json-prune, data.reg) +@@||play.history.com^$ghide +||amazon-adsystem.com/*/apstag.js$script,redirect=noopjs,domain=aetv.com|aetnd.com|history.com +||mssl.fwmrm.net/*/AdManager.js$script,redirect=noopjs,domain=history.com +@@||mavencoalition.io^$xhr,domain=history.com +@@||aetnd.com^$ghide +||play.aetv.com/vendor/conviva-thePlatform-plugin.js$script +||play.aetv.com/vendor/conviva-core-sdk.js$script +||play.aetv.com/vendor/branch.js$script +||play.aetv.com/vendor/Samba.min.js$script +||play.aetv.com/vendor/amplitude.js$script +||play.aetv.com/vendor/at.js$script +||play.aetv.com/vendor/MediaSDK.min.js$script +history.com#@#.m-header-ad +history.com#@#.m-in-content-ad-row +history.com##aside:has([class*="-ad-"]) +history.com##+js(no-xhr-if, time-events) + +! https://www.reddit.com/r/uBlockOrigin/comments/15pq26a/receiving_video_advertisements_on_radio_stations/ +||ssiadnweb.securenetsystems.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/19742 +securenetsystems.net##+js(rmnt, script, adblock) + +! https://ads.remix.es/advertisement.js anti-adb +edmdls.com,freshremix.net,scenedl.org##+js(set, loadpagecheck, noopFunc) + +! https://hentaibooty.com/ popup +hentaibooty.com##+js(acs, jQuery, popupAt) + +! https://github.com/AdguardTeam/AdguardFilters/issues/158680 +@@||google-analytics.com/debug/collect?$xhr,domain=10bye.com + +! https://github.com/uBlockOrigin/uAssets/issues/19342 +txori.com##+js(nostif, adblock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/159211 +olarila.com##+js(no-fetch-if, googlesyndication) +olarila.com##+js(nostif, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/19360 +miniwebtool.com##^script:has-text(adblock) +miniwebtool.com##+js(rmnt, script, adblock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/159285 +freepikdownloader.com##+js(aeld, load, modal_blocker) + +! https://github.com/uBlockOrigin/uAssets/issues/19372 +*$script,redirect-rule=noopjs,domain=channel5.com + +! https://www.reddit.com/r/uBlockOrigin/comments/e8xapo/hide_ads_on_trakt/ +trakt.tv##:xpath("//*[(text()='Advertisement')]"):upward(1) +! https://github.com/uBlockOrigin/uAssets/issues/19373 +! https://github.com/uBlockOrigin/uAssets/issues/25134 +trakt.tv##+js(set, art3m1sItemNames.affiliate-wrapper, '""') +trakt.tv##.snigel +trakt.tv##a[target="_blank"][style]:has(img[src]) +! https://github.com/uBlockOrigin/uAssets/issues/26812 +trakt.tv##div[id*="-wrapper"]:has(a[href="/vip/advertising"]) + +! https://www.reddit.com/r/uBlockOrigin/comments/15tco62/adblock_detected_at/ +deletedspeedstreams.blogspot.com##+js(nostif, adblock) +||servedbyadbutler.com^$image,redirect=1x1.gif,domain=deletedspeedstreams.blogspot.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/159404 +video.q34r.org##+js(set, adblockcheck, false) +onscreens.me,video.q34r.org##+js(aopr, doSecondPop) +onscreens.me,video.q34r.org##+js(aopr, BetterJsPop) + +! https://github.com/uBlockOrigin/uAssets/issues/19396 +freepasses.org##+js(rmnt, script, deblocker) +freepasses.org##+js(aeld, click, isOpened) + +! https://www.startpage.com/ proxy ads +eu-proxy.startpage.com##+js(json-prune, playerResponse.adPlacements playerResponse.playerAds adPlacements playerAds) +eu-proxy.startpage.com##+js(set, ytInitialPlayerResponse.playerAds, undefined) +eu-proxy.startpage.com##+js(set, ytInitialPlayerResponse.adPlacements, undefined) +eu-proxy.startpage.com##+js(set, playerResponse.adPlacements, undefined) +! https://github.com/uBlockOrigin/uAssets/issues/26030 +startpage.com###main > div[style]:not([class]):has(path) +startpage.com##+js(trusted-replace-argument, Array.prototype.find, 0, undefined, condition, affinity-qi) + +! https://github.com/uBlockOrigin/uAssets/issues/19391 +gktech.uk##+js(no-fetch-if, ads) +gktech.uk##+js(aopr, onscroll) +gktech.uk###overlay-ad +gktech.uk##div[id^="wpsafe-wait"] +gktech.uk###wpsafe-link, #wpsafe-generate:style(display: block !important;) + +! https://x2download.com/ ad caller +x2download.com##+js(aopr, GeneratorAds) + +! https://github.com/AdguardTeam/AdguardFilters/issues/159335 +exego.app##+js(set, blurred, false) +exego.app##+js(set, document.hasFocus, trueFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/19403 +crictracker.com#@#.ads-box +crictracker.com##div[id^="div-ad-gpt-"] +crictracker.com##div[id^="div-ad-desk-"] +crictracker.com##article > div[style="height:270px"] + +! https://github.com/uBlockOrigin/uAssets/issues/18260 +*$script,redirect-rule=noopjs,domain=client.falixnodes.net +client.falixnodes.net##+js(rmnt, script, !window.adngin) +client.falixnodes.net##+js(rpnt, script, typeof window.loadtwo, typeof window.loadtwo === true) +client.falixnodes.net##+js(rpnt, script, (window.loadtwo, (window.loadtwo === undefined || true || window.googlescriptloaded) +client.falixnodes.net##+js(set, window.adngin, {}) +client.falixnodes.net##+js(no-fetch-if, adsbygoogle) +||pagead2.googlesyndication.com/|$xhr,redirect=none:5,domain=client.falixnodes.net + +! https://www.reddit.com/r/uBlockOrigin/comments/15wqphp/anti_ad_block_needed/ +||shroomers.app/static/modules/base/js/shr-ads-enforcer.js +shroomers.app##+js(set, isAdBlockerActive, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/19418 +||everyonerecipes.com/index.php?$xhr,3p +novelhall.com##+js(rmnt, script, axios) +||aitoolnet.com^$image,domain=novelhall.com + +! https://github.com/uBlockOrigin/uAssets/issues/19419 +myfxbook.com##+js(nostif, /adblock/i) + +! https://github.com/abp-filters/abp-filters-anti-cv/pull/1416 +iusedtobeaboss.com##+js(aeld, mousedown, pop.doEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/19422 +nicekkk.com##+js(acs, decodeURIComponent, "'shift'") +/$.min.js|$script,3p +/ng-device-detector.min.js|$script,3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/159736 +! https://www.reddit.com/r/uBlockOrigin/comments/1fm06vn/adblocker_detected_on_hesgoalstv/ +hes-goals.*##+js(acs, document.addEventListener, AdBlock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/159769 +freepdfcomic.com##+js(nostif, ad_display) +freepdfcomic.com#@##adframe:not(frameset):not([style^="position: absolute; left: -5000px"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/159520 +thestar.com##+js(aost, document.createElement, detect) +thestar.com##+js(nano-stb, bFired, *) +thestar.com##+js(nano-sib, scrollIncrement, *) +thestar.com##.viafoura-engagement-starter +thestar.com##.loadingLI:upward(.tncms-block) +thestar.com##.main-sidebar:has(> #sticky-side-secondary-spacer) +thestar.com###site-navbar-container, #site-top-nav-container:style(padding-top: 10px !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/ci5vky/antiadblocker_dailymailcouk/ +! https://github.com/uBlockOrigin/uAssets/issues/17713 +! https://github.com/uBlockOrigin/uAssets/issues/16632 +dailymail.co.uk##+js(aopr, Notification) +@@||cmp.dmgmediaprivacy.co.uk^$script,domain=dailymail.co.uk +! dailymail.co.uk##+js(set, atob, trueFunc) +||dailymail.co.uk/static/mol-adverts/demo/ +! https://github.com/NanoMeow/QuickReports/issues/1616 +dailymail.co.uk##.pufftext > .sponsored:upward(3) +dailymail.co.uk##.pufftext:has-text(/SPONSORED/):upward(2) +dailymail.co.uk##.mol-ads-label-container +! https://github.com/NanoMeow/QuickReports/issues/4042 +! https://github.com/uBlockOrigin/uAssets/issues/19857 +games.dailymail.co.uk##+js(nano-sib) +@@||cdn.arkadiumhosted.com/advertisement/*-ads.js$script,domain=games.dailymail.co.uk +arcade.dailygazette.com,games.dailymail.co.uk##+js(rpnt, script, "isAdBlockerEnabled":true, "isAdBlockerEnabled":false) +games.dailymail.co.uk##display-ad-component, [class^="DisplayAd"], .ark-ad-message:style(visibility: collapse !important) +games.dailymail.co.uk##div.RightRail__displayAdRight___1U1Q7llw +games.dailymail.co.uk##.GameTemplate__displayAdTop___3kN-G-hd +! https://www.reddit.com/r/uBlockOrigin/comments/135ix4x/ +||dailymail.co.uk/feeds/commercial/topVideos.json +||dailymail.co.uk/*/client/sync/fpc?$image + +! https://m.baomoi.com/the-gioi.epi - sponsored posts +m.baomoi.com###content-main a[title][href*="?staticParams="]:upward(span) + +! https://gtainside.com - Ad placeholder on main, mod and download pages +gtainside.com##div.col-sm-6:has(> div.ad) +gtainside.com##div[style]:has(> div#gtainside_com_sidebar) +gtainside.com##div.bar_container:has(> div.bar_headline:has-text(Advertising)) +gtainside.com##div[style]:has(> div.ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/159491 +amateurporn.co##+js(set, isAdBlockActive, false) +amateurporn.co##+js(set, flashvars.popunder_url, '') + +! https://github.com/uBlockOrigin/uAssets/issues/14766 +*/wp-content/plugins/uncopy/ + +! https://github.com/uBlockOrigin/uAssets/issues/19450 +filmisub.cc##+js(no-xhr-if, ads) +filmisub.cc##+js(aost, setTimeout, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/6454 +! https://github.com/uBlockOrigin/uAssets/issues/19455 +! https://www.reddit.com/r/uBlockOrigin/comments/1bjq73a/adblock_detection_in_jazzradiocom_difm_etc/ +! https://github.com/uBlockOrigin/uAssets/commit/559bef48dd5cde353c6f2d83e127593a0462bb1a#commitcomment-142849479 +classicalradio.com,di.fm,jazzradio.com,radiotunes.com,rockradio.com,zenradio.com##+js(set, di.app.WebplayerApp.Ads.Adblocks.app.AdBlockDetectApp.startWithParent, false) + +! https://github.com/uBlockOrigin/uAssets/issues/19430 +||cdn77.org^$3p,domain=pricebefore.com + +! admiral +! https://github.com/uBlockOrigin/uAssets/issues/20165! https://www.reddit.com/r/uBlockOrigin/comments/17vg12r/antiad_blocker_on_clutchpointscom/ +! https://github.com/uBlockOrigin/uAssets/issues/20516 +! https://github.com/uBlockOrigin/uAssets/issues/20777 +! https://github.com/uBlockOrigin/uAssets/issues/21369 +! https://www.cbssports.com/watch/live - video breakage +advocate.com,alternet.org,androidcure.com,arobasenet.com,attackofthefanboy.com,bodytr.com,clutchpoints.com,cultofmac.com,currentaffairs.gktoday.in,dailycaller.com,digitalmusicnews.com,dogtime.com,dotesports.com,epicstream.com,fallbrook247.com,feral-heart.com,gamesgames.com,gamerevolution.com,gazettenet.com,girlsgogames.co.uk,insidenova.com,jetztspielen.de,kasvekuvvet.net,leitesculinaria.com,nbcnews.com,notevibes.com,practicalpainmanagement.com,prad.de,progameguides.com,pwinsider.com,ranker.com,realityblurb.com,ruinmyweek.com,sanangelolive.com,sanfoundry.com,selfhacked.com,siliconera.com,simpleflying.com,son.co.za,sporcle.com,stealthoptional.com,thesportster.com,upi.com,viraliq.com,visualcapitalist.com,wegotthiscovered.com,primagames.com##+js(aopr, googletag) +onmsft.com##+js(acs, document.createElement, googletag) +audiotools.pro,audizine.com,blackenterprise.com,cheatsheet.com,cwtv.com,esportstales.com,forums.hfboards.com,fresnobee.com,hancinema.net,hemmings.com,informazionefiscale.it,magesy.*,magesypro.pro,money.it,motorbiscuit.com,movieweb.com,omg.blog,pastes.io,thegamer.com,thenerdstash.com,titantv.com,twinfinite.net,wnd.com,worldpopulationreview.com,wral.com##+js(acs, document.createElement, admiral) +familyminded.com,foxvalleyfoodie.com,merriam-webster.com,news.com.au,playstationlifestyle.net,sportsnaut.com,tempumail.com,toledoblade.com##+js(aopr, __cmpGdprAppliesGlobally) +pc-builds.com,qtoptens.com,reuters.com,today.com,videogamer.com,wrestlinginc.com##+js(set, admiral, noopFunc) +abc17news.com,bailiwickexpress.com,barnsleychronicle.com,chaptercheats.com,commercialobserver.com,competentedigitale.ro,freeconvert.com,imgur.com,kion546.com##+js(rmnt, script, '"v4ac1eiZr0"') +localnews8.com,lonestarlive.com##+js(rmnt, script, '"v4ac1eiZr0"') +madeeveryday.com,maidenhead-advertiser.co.uk,mardomreport.net,melangery.com,milestomemories.com,modernmom.com,momtastic.com,mostlymorgan.com,motherwellmag.com,muddybootsanddiamonds.com,musicfeeds.com.au,mylifefromhome.com##+js(rmnt, script, '"v4ac1eiZr0"') +nationalreview.com,neoskosmos.com,nordot.app,nothingbutnewcastle.com,nsjonline.com##+js(rmnt, script, '"v4ac1eiZr0"') +oakvillenews.org,observer.com,ourlittlesliceofheaven.com##+js(rmnt, script, '"v4ac1eiZr0"') +palachinkablog.com,patheos.com,pinkonthecheek.com,politicususa.com,predic.ro,puckermom.com##+js(rmnt, script, '"v4ac1eiZr0"') +qtoptens.com,realgm.com,reelmama.com,robbreport.com,royalmailchat.co.uk##+js(rmnt, script, '"v4ac1eiZr0"') +samchui.com,sandrarose.com,sherdog.com,sidereel.com,silive.com,simpleflying.com,sloughexpress.co.uk,spacenews.com,sportsgamblingpodcast.com,spotofteadesigns.com,stacysrandomthoughts.com,ssnewstelegram.com,superherohype.com##+js(rmnt, script, '"v4ac1eiZr0"') +tablelifeblog.com,thebeautysection.com,thecelticblog.com,thecurvyfashionista.com,thefashionspot.com,thegamescabin.com,thenerdyme.com,thenonconsumeradvocate.com,theprudentgarden.com,thethings.com,timesnews.net,topspeed.com,toyotaklub.org.pl,travelingformiles.com,tutsnode.org##+js(rmnt, script, '"v4ac1eiZr0"') +viralviralvideos.com##+js(rmnt, script, '"v4ac1eiZr0"') +wannacomewith.com,wimp.com,windsorexpress.co.uk,woojr.com,worldoftravelswithkids.com,worldsurfleague.com##+js(rmnt, script, '"v4ac1eiZr0"') +cheatsheet.com,pwinsider.com##+js(rmnt, script, admiral) +! https://github.com/uBlockOrigin/uAssets/issues/24679 +! https://www.reddit.com/r/uBlockOrigin/comments/1efsgku/can_i_get_around_this_adblock_detection_popup/ +! https://www.reddit.com/#reddit/r/uBlockOrigin/comments/1efcm93/247_sports_is_detecting_ubo/ +! https://github.com/uBlockOrigin/uAssets/issues/24721 +15min.lt,247sports.com,agrodigital.com,al.com,aliontherunblog.com,allaboutthetea.com,allmovie.com,allmusic.com,allthingsthrifty.com,amessagewithabottle.com,artforum.com,artnews.com,awkward.com,awkwardmom.com##+js(rmnt, script, '"").split(",")[4]') +bethcakes.com,betweenenglandandiowa.com,bgr.com,blazersedge.com,blogher.com,blu-ray.com,bluegraygal.com,briefeguru.de,brobible.com##+js(rmnt, script, '"").split(",")[4]') +cagesideseats.com,cbsnews.com,cbssports.com,celiacandthebeast.com,cleveland.com##+js(rmnt, script, '"").split(",")[4]') +dailykos.com,dailyvoice.com,decider.com,didyouknowfacts.com,dogtime.com##+js(rmnt, script, '"").split(",")[4]') +eater.com,eldiariony.com,femestella.com,footwearnews.com,free-power-point-templates.com,frogsandsnailsandpuppydogtail.com,funtasticlife.com,fwmadebycarli.com##+js(rmnt, script, '"").split(",")[4]') +golfdigest.com,gulflive.com,homeglowdesign.com,honeygirlsworld.com,ibtimes.co.in,inc.com,indiewire.com,inquisitr.com,intouchweekly.com,jasminemaria.com,kcrg.com,kentucky.com,knowyourmeme.com##+js(rmnt, script, '"").split(",")[4]') +last.fm,lehighvalleylive.com,lettyskitchen.com,lifeandstylemag.com,lifeinleggings.com,lizzieinlace.com,mandatory.com,masslive.com,mlive.com,nationalpost.com,nbcsports.com,news.com.au,ninersnation.com,nj.com,nypost.com,oregonlive.com,pagesix.com,pennlive.com,playstationlifestyle.net,rollingstone.com,sbnation.com,sheknows.com,sneakernews.com,sport-fm.gr,stylecaster.com,syracuse.com,tastingtable.com,thecw.com,thedailymeal.com,theflowspace.com,themarysue.com,torontosun.com,tvline.com,usmagazine.com,wallup.net,wimp.com,worldstar.com,worldstarhiphop.com,yourcountdown.to##+js(rmnt, script, '"").split(",")[4]') +||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=givemesport.com,important +superherohype.com##a.wp-block-button__link:is([href^="https://amzn.to/"], [href^="https://www.amazon.com/"]) +sanfoundry.com##.sf-desktop-ads +||succeedscene.com/ads_*/ads.load.js$script,redirect=noop.js +||qtoptens.com^$csp=worker-src 'none' +! https://github.com/uBlockOrigin/uAssets/issues/21552 +! https://github.com/uBlockOrigin/uAssets/issues/20059#issuecomment-1879665761 +! https://github.com/uBlockOrigin/uAssets/issues/19707#issuecomment-1888064204 +androidpolice.com,cbr.com,gamerant.com,howtogeek.com,thegamer.com##+js(aeld, error, blocker) +! https://www.reddit.com/r/uBlockOrigin/comments/196w11l/admiral_antiadblock_on_httpsswimsuitsicom/ +! https://github.com/uBlockOrigin/uAssets/issues/22128 +/htdocs/js/admiral/init.js$1p +! https://www.mtv.com/pluto/6sijm8 +! https://www.polygon.com/rift-herald +autonews.com,cnet.com,mtv.com,polygon.com,vox.com##+js(acs, admiral) +androidpolice.com,carbuzz.com,cbr.com,collider.com,dualshockers.com,gamerant.com,howtogeek.com,makeuseof.com,movieweb.com,screenrant.com,thegamer.com,xda-developers.com##+js(acs, admiral) +! https://github.com/uBlockOrigin/uAssets/issues/26386 +usatoday.com,ydr.com##+js(set, gnt.u.adfree, true) + +! https://github.com/uBlockOrigin/uAssets/issues/19468 +yt2conv.com##+js(ra, onclick, a#downloadbtn[onclick^="window.open"], stay) +yt2conv.com##+js(nowoif) + +! https://m.blogtruyenmoi.com/ - popup +blogtruyenmoi.com##+js(aeld, click, alink) + +! https://www.reddit.com/r/uBlockOrigin/comments/161te0y/ +levelupalone.com##+js(aopr, popns) + +! https://github.com/uBlockOrigin/uAssets/issues/21338 +bagi.co.in,keran.co##+js(rmnt, script, /charAt|XMLHttpRequest/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/160164 +getthit.com##+js(no-fetch-if, /ads|googletagmanager/) +getthit.com##+js(set, sharedController.adblockDetector, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/19484 +! https://github.com/uBlockOrigin/uAssets/issues/22321 +linkz.*,movies4u.*,movies4u3.*##+js(nowoif) +movies4u.*,movies4u3.*##.ads-btns +movies4u.*##[href^="https://cutt.ly/"] +linkz.*,movies4u.*,movies4u3.*##.onclick-input +linkz.*##a[target^="_blank"][rel^="nofollow sponsored"] +movies4u.*,movies4u3.*##+js(aopr, antiAdBlockerHandler) +movies4u.*##+js(aopw, app_advert) +movies4u.*,movies4u3.*##^script:has-text(antiAdBlockerHandler) +movies4u.*##+js(href-sanitizer, a[href^="https://linkshortify.com/"][href*="url=http"], ?url) +linkshortify.com##+js(trusted-rpnt, script, /if \(api && url\).+/s, window.location.href = url, condition, quick-link) +_ads.gif$image,domain=movies4u.* + +! https://github.com/uBlockOrigin/uAssets/issues/19477 +!anichin.top##+js(aost, Promise, https) +anichin.top,hlsplayer.top##+js(nowoif) +zuperdrive.my.id##+js(nowoif, !zuperdrive) +zuperdrive.my.id###iframeAds +zuperdrive.my.id###directAds +||vdhostplayer.my.id^$frame,domain=zuperdrive.my.id + +! https://github.com/uBlockOrigin/uAssets/issues/21569 +! https://github.com/uBlockOrigin/uAssets/issues/24337 +techedubyte.com##+js(aeld, load, [native code]) +techedubyte.com##+js(aeld, DOMContentLoaded, document.documentElement.lang.toLowerCase) +techedubyte.com##+js(set, checkAdsStatus, noopFunc) +techedubyte.com##+js(noeval-if, deblocker) +techedubyte.com##+js(no-fetch-if, googlesyndication) +techedubyte.com##+js(nostif, .redirect) +techedubyte.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +techedubyte.com##[id^="wpsafe-wait"] +techedubyte.com##.gmr-banner-insidecontent +techedubyte.com##.gmr-floatbanner +techedubyte.com##.in-article +techedubyte.com##[href^="https://betwinnerlive.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/19506 +fescrypto.com##+js(aeld, load, htmls) + +! https://github.com/uBlockOrigin/uAssets/issues/19510 +gtxgamer.fr###custom_html-5 + +! https://github.com/AdguardTeam/AdguardFilters/issues/160334 +mcafee-com.com##+js(acs, document.createElement, adsBlocked) +mcafee-com.com##+js(set, document.hasFocus, trueFunc) +mcafee-com.com##+js(set, count, 0) + +! https://www.reddit.com/r/uBlockOrigin/comments/1641tjs/ +hentai.tv##+js(set-cookie, inter, 1, , reload, 1) +hentai.tv##^responseheader(location) +hentai.tv##.fr-mb +hentai.tv##.max-w-screen + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6862552 +cdrab.com,offerinfo.net###wpsafe-generate, #wpsafe-link:style(display: block !important;) +viewfr.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/19541 +heavy.com##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/19547 +biblestudytools.com,christianheadlines.com,ibelieve.com##^script:has-text(AdBlockEnabled) +biblestudytools.com,christianheadlines.com,ibelieve.com##+js(rmnt, script, AdBlockEnabled) + +! https://github.com/uBlockOrigin/uAssets/issues/19540 +czxxx.org##+js(set, adblockcheck, false) + +! https://github.com/uBlockOrigin/uAssets/issues/19551 +@@||ads.pubmatic.com/AdServer/*/pwt.js$script,domain=ondemandkorea.com + +! https://github.com/uBlockOrigin/uAssets/issues/19571 +down.dataaps.com##+js(rmnt, script, window.open) + +! https://av01.media ad, popunder +av01.media##+js(acs, document.createElement, sliding) +av01.media##+js(ra, onclick, a[onclick]) +av01.media##.row > div.col-lg-4:has(> div#tile-ad) +av01.media##iframe[src="javascript:window.location.replace(this.frameElement.dataset.link)"] + +! https://github.com/AdguardTeam/AdguardFilters/commit/2f2d4522c3ab95be307ee56826067d338f6faef8 +/ld/ifk?zoneid= + +! https://github.com/uBlockOrigin/uAssets/issues/19586 +kuponigo.com##+js(rmnt, script, window.location.replace) + +! https://github.com/uBlockOrigin/uAssets/issues/19581 +kimcilonly.site##+js(rmnt, script, /$.*open/) + +! https://github.com/uBlockOrigin/uAssets/issues/19590 +okleak.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/19599 +cryptoearns.com##+js(rmnt, script, Brave) +cryptoearns.com##+js(aopw, infoey) + + +! https://github.com/uBlockOrigin/uAssets/issues/19596 +||ivg.it/wp-content/plugins/edinet_giornali_swg_plugin/js/ackdet.js + +! https://www.inxxx.com popunder +inxxx.com##+js(rmnt, script, egoTab) +/lvesnk.html?zoneid=$3p + +! https://github.com/uBlockOrigin/uAssets/issues/19602 +ipaspot.app##+js(rmnt, script, abDetectorPro) + +! https://github.com/uBlockOrigin/uAssets/issues/19601 +||fullhd4k.com/*.gif$image +fullhd4k.com##[src*="adv"] +||fullhd4k.com/backend/movie/Ads/$media,redirect=noopmp3-0.1s +||fullhd4k.com/images/nivo/close.png$image +fullhd4k.com##+js(nano-sib) +fullhd4k.com##[href="https://www.jumboslot.com/"] +fullhd4k.com##.jw-reset.jw-button-color.jw-icon-display.jw-icon + +! https://github.com/uBlockOrigin/uAssets/issues/19608 +galaxyos.net##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/19610 +@@||cloudnovel.net^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/160907 +embedwish.com,filelions.live##+js(rmnt, script, /$.*(css|oncontextmenu)/) + +! https://github.com/uBlockOrigin/uAssets/issues/19614 +msonglyrics.com##+js(rmnt, script, onerror) + +! https://www.vstdrive.in/2022/06/adobe-after-effects-2022-v225053-win-full-version.html - URL manipulation +vstdrive.in##+js(aopr, Base64) + +! https://github.com/uBlockOrigin/uAssets/issues/19623 +jenismac.com##+js(rmnt, script, /eval.*RegExp/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/160317 +yunjiema.top##+js(rmnt, script, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/19630 +movie-th.tv##+js(set, ads, []) +||movie-th.tv/*.gif$image + +! https://reddit.com/r/uBlockOrigin/s/Xtw1NzDUd8 +! https://github.com/uBlockOrigin/uAssets/issues/25651 +blackhatworld.com##+js(noeval-if, AdBlocker) +blackhatworld.com##+js(no-xhr-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/19631 +juegos.eleconomista.es##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/pull/19635 +leakslove.net##+js(rmnt, script, /$.*(css|oncontextmenu)/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/161014 +bchtechnologies.com##+js(rmnt, script, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/19644 +vxetable.cn##+js(rmnt, script, wwads) + +! https://www.reddit.com/r/uBlockOrigin/comments/16c2v56/ublock_team_add_this_type_of_rules/ +noticiasdehoje.biz##+js(set-cookie, Ads, 1) + +! https://github.com/AdguardTeam/AdguardFilters/issues/161034 +pureleaks.net##+js(aopw, popName) + +! https://github.com/uBlockOrigin/uAssets/issues/16588 +@@||pagead2.googlesyndication.com^$script,domain=chromeactions.com|mixesoft.com|mycinema.pro +||chromeactions.com^$csp=frame-src +||mixesoft.com^$csp=frame-src +||mycinema.pro^$csp=frame-src + +! https://github.com/AdguardTeam/AdguardFilters/issues/161092 +! https://github.com/AdguardTeam/AdguardFilters/issues/161091 +backfirstwo.site,jewelavid.com,nizarstream.com##+js(rmnt, script, /\[\'push\'\]/) +backfirstwo.site,jewelavid.com,nizarstream.com##^script:has-text(push) + +! https://github.com/uBlockOrigin/uAssets/issues/19659 +snapwordz.com,toolxox.com##+js(rmnt, script, /adblock/i) +snapwordz.com,toolxox.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/19660 +afly.pro##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/19667 +iwanttfc.com##+js(set, settings.adBlockDetectionEnabled, false) + +! https://github.com/uBlockOrigin/uAssets/issues/19668 +torrentdofilmeshd.net##+js(acs, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/19671 +filmesdostorrenthd.net##+js(no-xhr-if, ads) +*$script,3p,denyallow=storage.googleapis.com,domain=filmesdostorrenthd.net + +! https://github.com/uBlockOrigin/uAssets/issues/19670 +@@*$ghide,domain=usandoapp.com|fazercurriculo.online +obaianinho.com##+js(nano-sib, , *, 0.001) + +! nutraingredients-asia. com Interstitial +nutraingredients-asia.com,nutraingredients-latam.com,nutraingredients-usa.com,nutraingredients.com##+js(set, displayInterstitialAdConfig, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/161297 +*$script,3p,domain=gemstreams.com,denyallow=ajax.googleapis.com|fastly.net|jsdelivr.net + +! https://github.com/uBlockOrigin/uAssets/issues/19684 +ithinkilikeyou.net##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6926938 +otechno.net###devozon-snp, #submitBtn, #go_d:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/19687 +plumbersforums.net##+js(rmnt, script, /$.*adUnits/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/161334 +mavenarts.in##+js(nosiif, pop) +mavenarts.in##+js(set, confirm, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/19693 +jornaldigital.org##+js(set-cookie, Ads, 2) +||cdn.jsdelivr.net/npm/devtools-detector$script,domain=superembeds.com +||media.toxtren.com^$all +superembeds.com##+js(nowoif) +superembeds.com###adStop + +! https://github.com/uBlockOrigin/uAssets/pull/19704 +! https://github.com/uBlockOrigin/uAssets/pull/20040 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=player.pop.co.uk|player.popfun.co.uk +player.pop.co.uk,player.popfun.co.uk##+js(json-prune, response.ads) +player.pop.co.uk,player.popfun.co.uk##+js(json-prune-fetch-response, response.ads, , propsToMatch, /api) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6981059 +gulio.site##+js(rmnt, script, RegExp) + +! https://github.com/uBlockOrigin/uAssets/issues/19709 +filmoviplex.com##+js(aopr, BetterJsPop) +filmoviplex.com##+js(aopr, doSecondPop) + +! https://github.com/uBlockOrigin/uAssets/issues/19713 +thothd.to##+js(nostif, offsetWidth) + +! https://github.com/uBlockOrigin/uAssets/issues/19715 +mediaset.es##+js(rmnt, script, adbl) + +! https://github.com/uBlockOrigin/uAssets/issues/19724 +embedrise.com,lulustream.com,luluvdo.com,playfmovies.*,viralvideotube.*,vtlinks.*,vtplayer.online,vvtlinks.*,vvtplayer.*##+js(nowoif) +lulustream.com,luluvdo.com##+js(aeld, click, popunder) +lulu.st,lulustream.com,luluvdo.com##+js(acs, WebAssembly, Promise) +vtplayer.online,vvtplayer.*##+js(set, adblockcheck, false) +||unpkg.com/videojs-vast-vpaid@2.0.2/bin/videojs_5.vast.vpaid.min.js$script,domain=playfmovies.*|vtplayer.online|vvtplayer.*|wiztube.xyz +ottlatest.com##div#wpsafe-link:style(display: block !important;) +ottlatest.com##div#wpsafe-link:others() +||vvtplayer.*/cdn-cgi/trace +*$script,3p,denyallow=cloudflare.net|jquery.com|jsdelivr.net|lulucdn.com,domain=lulustream.com|luluvdo.com + +! meaww. com PH +meaww.com##script:has-text(adp):upward(._ap_apex_ad):upward([style]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/161625 +hentai-moon.com##+js(set, flashvars.popunder_url, '') + +! https://github.com/uBlockOrigin/uAssets/issues/19753 +go2share.net##+js(no-fetch-if, googlesyndication) + +! cryptofaucet. xyz detection +cryptofaucet.xyz##+js(acs, eval, replace) + +! https://www.reddit.com/r/uBlockOrigin/comments/16k8oje/first_click_pop_up_problem/ +izlekolik.net##^script:has-text(doOpen) +izlekolik.net##+js(rmnt, script, doOpen) + +! https://github.com/uBlockOrigin/uAssets/issues/1826#issuecomment-1722391472 +*$frame,script,3p,denyallow=google.com|googleapis.com,domain=powstream.*|powlideo.*|povvvideo.*|powvdeo.* +powstream.*,powlideo.*,povvvideo.*,powvdeo.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/19762 +milanreports.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/19763 +videosgay.me##+js(set, xRds, true) +videosgay.me##+js(set, cRAds, false) + +! https://github.com/AdguardTeam/AdguardFilters/issues/161851 +! https://github.com/AdguardTeam/AdguardFilters/issues/161906 +! https://github.com/uBlockOrigin/uAssets/issues/20015 +! https://github.com/uBlockOrigin/uAssets/issues/21875 +vidmoly.to###vope +donghuaworld.com###overplay +donghuaworld.com###close-teaser +donghuaworld.com##+js(rmnt, script, adsBlocked) +donghuaworld.com##+js(nowoif, _blank) +! https://github.com/uBlockOrigin/uAssets/issues/24441 +donghuaworld.com##+js(aost, document.getElementsByTagName, adsBlocked) + +! https://github.com/AdguardTeam/AdguardFilters/issues/161793 +flixscans.com##+js(no-fetch-if, googlesyndication) +flixscans.com##.teaser-buttom + +! https://github.com/uBlockOrigin/uAssets/issues/19770 +! https://github.com/uBlockOrigin/uAssets/issues/19864 +@@||alwingulla.com/88/tag.min.js$domain=darkino.* + +! https://github.com/easylist/easylist/commit/c03eb101d57fb9637905242b3b611028397eaabb +||doubleclick.net^$important,domain=repretel.com +repretel.com##+js(aeld, /adblock/i) + +! https://github.com/uBlockOrigin/uAssets/issues/19775 +letsdopuzzles.com##+js(rmnt, script, chkADB) + +! https://github.com/uBlockOrigin/uAssets/issues/19778 +app-sorteos.com##+js(rmnt, script, onerror) + +! https://github.com/uBlockOrigin/uAssets/issues/19791 +ozulscansen.com##+js(set, checkAdBlockeraz, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/19796 +||arc.io^$script,redirect-rule=noopjs,domain=hinatasoul.com + +! https://shellshock.io/ - Anti-adb +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=shellshock.io + +! https://github.com/uBlockOrigin/uAssets/issues/19810 +creators.nafezly.com##+js(no-fetch-if, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/162158 +newslive.com##+js(noeval) + +! https://github.com/uBlockOrigin/uAssets/issues/15776#issuecomment-1730042394 +poplinks.*##+js(rmnt, script, onerror) +poplinks.*##+js(rmnt, script, deblocker) + +! https://www.reddit.com/r/uBlockOrigin/comments/16ok9d5/help_me_to_block_some_annoying_ads_block_detect/k1q6xwz/ +wishfast.top##+js(set, cRAds, false) + +! https://github.com/uBlockOrigin/uAssets/issues/15365 +nexusmods.com##+js(trusted-rpnt, script, = getSetTimeout(), = function newTimeout(func\, timer) {func()}) +! https://github.com/uBlockOrigin/uAssets/issues/24279 +nexusmods.com##+js(set, blockingAds, false) +nexusmods.com##+js(remove-cookie, ab) + +! https://github.com/uBlockOrigin/uAssets/issues/19832 +blackmod.net##^meta[http-equiv="refresh"] +blackmod.net##+js(refresh-defuser) + +! https://github.com/uBlockOrigin/uAssets/issues/19838 +comidacaseira.me###colunas:style(display: block !important;) +comidacaseira.me##+js(rpnt, script, IFRAME, BODY) + +! https://github.com/uBlockOrigin/uAssets/issues/19834 +fitnessbr.click,minhareceita.xyz###banner +fitnessbr.click,minhareceita.xyz##+js(set, segundos, 0) + +! https://github.com/uBlockOrigin/uAssets/issues/19841 +! https://github.com/uBlockOrigin/uAssets/issues/20514 +hes-goals.io##+js(rmnt, script, AdBlock) +hesgoal-live.io##+js(aeld, load, onload) + +! https://github.com/uBlockOrigin/uAssets/issues/19839 +footstockings.com##+js(set, flashvars.video_click_url, '') +footstockings.com##+js(set, flashvars.popunder_url, '') +! https://github.com/uBlockOrigin/uAssets/issues/26003 +footstockings.com##+js(set, flashvars.protect_block, '') + +! google. com sponsored ad +google.com##.D1fz0e + +! https://00m.in/HSr7p timer +00m.in###url:style(display: block !important;) +00m.in###attention +00m.in###h4title + +! Fineshop Design anti-adb sites +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7098041 +! https://github.com/uBlockOrigin/uAssets/issues/24803 +answerpython.com,formyanime.com,gsm-solution.com,h-donghua.com,hindisubbedacademy.com,linksdramas2.blogspot.com,mydverse.*,pkgovjobz.com,ripexbooster.xyz,serial4.com,serial412.blogspot.com,sigmalinks.in,tutorgaming.com,everydaytechvams.com,dipsnp.com,cccam4sat.com##+js(rmnt, script, antiAdBlockerHandler) +! ##.popSc + +! https://github.com/easylist/easylist/issues/17377 +screenhub.com.au##header#masthead:style(top: -110px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/19888 +rediff.com##+js(rmnt, script, Symbol.iterator) + +! https://github.com/uBlockOrigin/uAssets/issues/19891 +@@||static.surfe.pro/js/net.js$script,domain=gainbtc.click + +! https://github.com/uBlockOrigin/uAssets/issues/19897 +towerofgod.me##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/19901 +downloadfilm.website##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/19889 +! https://github.com/uBlockOrigin/uAssets/issues/22705 +yhmgo.com##+js(m3u-prune, /^[a-z0-9]{13}o.*\.ts|adjump|^[a-z0-9]{12}1\d+\.ts/, .m3u8) + +! https://github.com/uBlockOrigin/uAssets/issues/19907 +||googletagmanager.com^$script,domain=netuplayer.top,redirect=noopjs +*$image,domain=netuplayer.top,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/19908 +decorisi.com##+js(acs, Swal.fire) + +! https://github.com/uBlockOrigin/uAssets/issues/19910 +cartoonsarea.xyz##+js(nostif, getComputedStyle, 250) +cartoonsarea.xyz##[href^="http://fkrt.it"] + +! https://forums.lanik.us/viewtopic.php?t=48306-nsfw-38-242-194-12-detection +! https://github.com/uBlockOrigin/uAssets/issues/21511 +crotpedia.net,158.220.106.212##+js(noeval-if, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/16x5jp9/ublock_dont_work_on_lookmovie/ +doomied.monster,lookmovie.*,lookmovie2.to,~lookmovie.studio##+js(set, Yii2App.playbackTimeout, 0) +flixtor2.to##+js(ra, onclick, a[onclick*="window.open"]) +alpha.vidzstore.com,streamtwo.vidzstore.com###myModal + +! https://github.com/uBlockOrigin/uAssets/issues/19920 +play.diziyou.co##+js(aopr, player.vroll) + +! https://present.rssing.com/transit.php?url=http%3A%2F%2Fggs7.c.blog.so-net.ne.jp%2F_images%2Fblog%2F_c18%2Fggs7%2FE7A8B2E5B79DE4BC9AE7A0B4E99680E78AB6.jpg%3Fc%3Da1 +present.rssing.com##+js(nano-stb, setC) + +! https://github.com/uBlockOrigin/uAssets/issues/19946 +igay69.com##+js(aeld, , daadb) +igay69.com##+js(nowoif, , 10) +igay69.com##[href^="https://www.gclub-casino.com/daily-reload-bonus5/"] + +! https://github.com/uBlockOrigin/uAssets/issues/19947 +fullassia.com,newassia.com##+js(nowoif) +/css/banr-adstera.html^$frame +/css/jquerymin-adstera.js^$script +fullassia.com,newassia.com##[class^="ban"] +bingsport.xyz##[href^="https://www.highrevenuegate.com/"] +bingsport.xyz##+js(acs, document.documentElement, break;case $.) + +! https://github.com/uBlockOrigin/uAssets/issues/19963 +pesktop.com##+js(nowoif) +pesktop.com##[href="javascript:void(0)"] + +! https://github.com/uBlockOrigin/uAssets/issues/17097 +! https://github.com/uBlockOrigin/uAssets/issues/19965 +! https://github.com/uBlockOrigin/uAssets/issues/21301 +/img/server-hunter*.jpg$image,1p,domain=arras.io|arras.netlify.app|arrax.io + +! https://github.com/uBlockOrigin/uAssets/issues/19990 +wolfstream.tv##+js(aopw, showADBOverlay) +wolfstream.tv###adlink +wolfstream.tv##[id^="ann_"] +||wolfstream.tv/images/ads/$image + +! https://github.com/uBlockOrigin/uAssets/issues/19991 +papa4k.co##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/19954 +tickzoo.tv##+js(nowoif, , 10) +tickzoo.tv##+js(nostif, popup) +tickzoo.tv##.splash + +! https://github.com/uBlockOrigin/uAssets/issues/19981 +manoramamax.com##+js(set, google.ima.OmidVerificationVendor, {}) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=manoramamax.com +@@||manoramamax.com/videojs/videojs-contrib-ads.min.js$script,domain=manoramamax.com + +! https://www.reddit.com/r/uBlockOrigin/comments/173j3i7/ +||content.uplynk.com/preplay/$xhr,3p,removeparam=/^ad\b/,domain=foxweather.com + +! https://github.com/uBlockOrigin/uAssets/issues/20016 +||boystube.link/ext/systm_fr.js +boystube.link##.table:has(> div > [data-zoneid]) + +! https://github.com/uBlockOrigin/uAssets/issues/20020 +insideevs.com##amp-iframe:has([src^="https://widget.sellwild.com"]):remove() + +! https://www.reddit.com/r/uBlockOrigin/comments/1742fzg/rl6mans_adblock_detection/ +rl6mans.com##+js(rmnt, script, /adblock/i) + +! https://github.com/uBlockOrigin/uAssets/issues/20031 +kimcilonly.link##+js(rmnt, script, /$.*open/) + +! https://www.reddit.com/r/uBlockOrigin/comments/174obux/memedroid_nag/ +memedroid.com##+js(nostif, /adScriptPath|MMDConfig/) + +! https://github.com/uBlockOrigin/uAssets/issues/20034 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=polsatboxgo.pl + +! https://github.com/uBlockOrigin/uAssets/issues/20042 +idol69.net##^script:has-text(/adblock/i) +idol69.net##+js(rmnt, script, /adblock/i) + +! https://community.pcgamingwiki.com/files/file/2781-london-racer-police-madness-widescreen-fix/?do=download&csrfKey=c0faa76786288bc1ab4bcaf3d0d81186 - Download timer +community.pcgamingwiki.com##div[data-controller="downloads.front.view.download"] a[data-action="download"][data-wait="true"]:remove-attr(data-wait) + +! https://github.com/uBlockOrigin/uAssets/issues/20058 +||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$3p,script,redirect=noop.js,domain=nickjr.com + +! https://github.com/uBlockOrigin/uAssets/issues/20062 +@@||smarthomebeginner.com^$ghide +smarthomebeginner.com##body > .fb-inst[data-type="popup"] + +! https://github.com/uBlockOrigin/uAssets/issues/20061 +@@||streamnoads.com^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/176cyms/dzapk_detect_ublock_origin/ +dzapk.com##^script:has-text(/innerHTML.*appendChild/) +dzapk.com##+js(rmnt, script, /innerHTML.*appendChild/) + +! https://github.com/uBlockOrigin/uAssets/issues/20068 +animesync.org##+js(nostif, 0x, 100) +animesync.org##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/20006 +! https://github.com/uBlockOrigin/uAssets/issues/21494 +foxtel.com.au##+js(xml-prune, xpath(//*[name()="MPD"]/@mediaPresentationDuration | //*[name()="Period"]/@start | //*[name()="Period"][.//*[name()="BaseURL" and contains(text()\,'adease')]]), [media^="A_D/"], .mpd) +foxtel.com.au##+js(json-prune, adease adeaseBlob vmap, adease) + +! https://github.com/uBlockOrigin/uAssets/issues/20076 +bokugents.com##^script:has-text(onerror) +bokugents.com##+js(rmnt, script, onerror) + +! https://www.reddit.com/r/uBlockOrigin/comments/1786yub/whatfontis_website_detect_ubo/ +whatfontis.com##+js(nostif, /adblock/i) + +! https://github.com/uBlockOrigin/uAssets/issues/26021 +*$script,redirect-rule=noopjs,domain=truyen-hentai.com +truyen-hentai.com##+js(nowoif) +truyen-hentai.com##+js(rmnt, script, ExoLoader) +||truyen-hentai.com/nb/ +truyen-hentai.com##.async-anyatok-placeholder +truyen-hentai.com##.async-reklam-placeholder +truyen-hentai.com##.bottom-reklam +truyen-hentai.com###aabnode +truyen-hentai.com##+js(aopr, aab) +truyen-hentai.com##.async-buzik-placeholder.bottom-buzik.show-over-1000 +truyen-hentai.com##.async-buzik-placeholder.content-centering.show-over-1000.top-buzik.categories-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/20093 +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##+js(rmnt, script, Exo) +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##+js(aeld, getexoloader) +xanimu.com##.alrt-ver2 +||xanimu.com/*.php + +! https://www.reddit.com/r/uBlockOrigin/comments/1790iq3/ +tvbanywherena.com##+js(rpnt, script, (hasBlocker), (false)) +! https://www.reddit.com/r/uBlockOrigin/comments/17mcq9g/bug_report_getting_video_ads_on_tvbanywherenacom/ +||brightcove.com^$xhr,3p,removeparam=ad_config_id,domain=tvbanywherena.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/163835 +y2down.cc##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/20131 +||fuseplatform.net^$redirect-rule=noopjs,domain=quackr.io +@@||cdn.fuseplatform.net/publift/$3p,script,xhr,domain=quackr.io +@@||googletagmanager.com/gtag/js$xhr,domain=quackr.io +@@||btloader.com/tag?$xhr,domain=quackr.io + +! https://github.com/uBlockOrigin/uAssets/pull/20138 +haveibeenpwned.com##+js(rpnt, P, /\.[^.]+(1Password password manager|download 1Password)[^.]+/) + +! https://github.com/uBlockOrigin/uAssets/issues/19890 +pig69.com##+js(rmnt, script, detectAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/20146 +@@||pagead2.googlesyndication.com^$3p,xhr,method=head,domain=smsonline.cloud +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/$script,domain=smsonline.cloud +@@||smsonline.cloud/gpt.js$script,1p +@@||stpd.cloud^$script,domain=smsonline.cloud + +! https://github.com/uBlockOrigin/uAssets/issues/20156 +||mathcrave.com/core/modules/*/assets/vendor/js/abdetector.script.min.js +||mathcrave.com/core/modules/*/assets/vendor/css/abdetector.style.css +mathcrave.com##+js(aeld, load, abDetectorPro) + +! https://github.com/uBlockOrigin/uAssets/issues/20711 +fastupload.io,azmath.info##+js(rmnt, script, AdBlocker) + +! https://www.reddit.com/r/uBlockOrigin/comments/17behe7/pleaseee_get_rid_of_ads_on_mtvcom/ +||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,3p,redirect=noopjs,domain=mtv.com + +! https://github.com/uBlockOrigin/uAssets/issues/20186 +tainio-mania.online##+js(rmnt, script, AaDetector) +tainio-mania.online##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/164231 +streambtw.com###overlay + +! https://github.com/uBlockOrigin/uAssets/issues/20197 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xhr,domain=guys01gaming.com + +! https://github.com/uBlockOrigin/uAssets/issues/20201 +clapway.com##+js(nosiif, daadb) + +! https://github.com/uBlockOrigin/uAssets/issues/20183 +punkrust.net##+js(nano-sib, saniye) + +! https://github.com/uBlockOrigin/uAssets/issues/20208 +papahd.co##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/20211 +expertplay.net##+js(acis, ips.controller.register) + +! https://github.com/uBlockOrigin/uAssets/issues/20216 +javhdo.net##+js(rmnt, script, popup) +javhdo.net##.preload +||media.discordapp.net/*.gif$image,3p,domain=javhdo.net + +! https://github.com/uBlockOrigin/uAssets/issues/20219 +! https://www.reddit.com/r/uBlockOrigin/comments/1b6g96i/royal_road_user_ads_arent_blocked/ +! https://www.reddit.com/r/uBlockOrigin/comments/1bfx7k8/how_do_i_allow_user_ads_on_rr/ +royalroad.com##+js(set, isPremium, true) +royalroad.com##.t-center:has(> .bold.uppercase, #Content_Top_Desktop) +royalroad.com##.portlet:has(> h6) +royalroad.com##.portlet[style]:has(> span.bold.uppercase) +||royalroad.com^$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/20220 +iprima.cz##+js(json-prune-fetch-response, plugins.adService) +iprima.cz##+js(json-prune, plugins.adService) +www.iprima.cz##.leader_box +www.iprima.cz##.appendix +||www.iprima.cz^$xhr,1p,strict1p + +! https://github.com/uBlockOrigin/uAssets/issues/20224 +freshplaza.com,hortidaily.com##+js(nosiif, banner) + +! https://github.com/uBlockOrigin/uAssets/issues/20229 +udemy-downloader.com##+js(acs, addEventListener, fetch) + +! https://github.com/uBlockOrigin/uAssets/issues/20170#issuecomment-1774177770 +drakescans.com##+js(noeval-if, ads) + +! eroticmoviesonline. me ads +eroticmoviesonline.me##+js(nowebrtc) +eroticmoviesonline.me##+js(rmnt, script, /window\[\'open\'\]/) +eroticmoviesonline.me##.mobile-btn +eroticmoviesonline.me##.overlays +eroticmoviesonline.me###server + +! https://github.com/uBlockOrigin/uAssets/issues/20239 +iqiyi.com##+js(set, QiyiPlayerProphetData.a.data, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/20259 +uploadsea.com##+js(no-fetch-if, ads) +uploadsea.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/20263 +tiroalpalo.org##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/20264 +@@*$ghide,domain=mojatv.eu|vidload.eu + +! https://github.com/uBlockOrigin/uAssets/issues/20265 +sport7s01.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/20266 +teleclub.xyz##+js(rmnt, script, Error) + +! https://github.com/uBlockOrigin/uAssets/issues/20281 +watchfacebook.com##+js(noeval-if, ads) + +! https://github.com/jspenguin2017/uBlockProtector/issues/1122 +! https://github.com/uBlockOrigin/uAssets/issues/20282 +@@||animefire.plus^$ghide +@@||animefire.plus^$script,1p +/clever_ads.js$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/17809 +@@||zive.cz^$ghide +zive.cz##.cnc-ads:style(min-height: 0px !important; height: 0px !important; visibility: hidden !important;) +zive.cz###cnc_branding_creative_wrapper:style(min-height: 0px !important; height: 0px !important; visibility: hidden !important;) +*$script,redirect-rule=noopjs,domain=zive.cz + +! https://github.com/uBlockOrigin/uAssets/issues/20286 +web1s.asia##+js(noeval-if, ads) +web1s.asia##+js(nano-sib, wait) + +! https://github.com/uBlockOrigin/uAssets/issues/20301 +! https://old.reddit.com/r/uBlockOrigin/comments/17dj6qb/how_to_block_this/ +sshkit.com,fastssh.com,howdy.id##+js(no-fetch-if, adsbygoogle) +@@*$ghide,domain=sshkit.com|fastssh.com|howdy.id + +! https://javideo.net/fc2ppv-3941012 VGT#01 server popup +av-cdn.xyz##+js(nowoif) +av-cdn.xyz##body > div ~ script + div[class]:last-child + +! https://github.com/uBlockOrigin/uAssets/issues/9764#issuecomment-1779676540 +pluto.tv##+js(json-prune-fetch-response, adBreaks.[].startingOffset adBreaks.[].adBreakDuration adBreaks.[].ads adBreaks.[].startTime adBreak adBreakLocations, , propsToMatch, /session.json) +! https://github.com/uBlockOrigin/uAssets/issues/9764#issuecomment-2398597866 +@@||a-fds.youborafds01.com/data?$xhr,domain=pluto.tv + +! https://github.com/uBlockOrigin/uAssets/issues/18592 +@@||imasdk.googleapis.com^$script,domain=oqee.tv + +! https://ymovies.vip/home/ - popup +ymovies.vip##+js(aopr, mm) +||ymovies.vip/sab_*.html$frame + +! https://www.trainerscity.com/en/pc/39288-Dark-Envoy-Trainer+25 - Timer +trainerscity.com##+js(rpnt, script, startTime: '5', startTime: '0') + +! https://github.com/uBlockOrigin/uAssets/issues/20321 +speedrun.com##+js(json-prune, session.showAds) +||speedrun.com/api/v2/PutSessionPing^$xhr,1p,method=post +||new-skip.speedrun.com/d?upapi=true^$1p,method=post +||new-skip.speedrun.com/v?upapi=true^$1p,method=post + +! https://github.com/uBlockOrigin/uAssets/issues/20322 +biletomat.pl##+js(set, toggleAdBlockInfo, falseFunc) +||biletomat.pl/en/api/process_order_lite^$xhr,1p,removeparam=http_referer + +! https://github.com/uBlockOrigin/uAssets/issues/20324 +@@||matchendirect.fr^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/20343 +||fusevideo.io^$xhr,1p,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/20347 +myvidster.com##+js(acs, document.write, cachebuster) + +! https://github.com/uBlockOrigin/uAssets/issues/20339 +niaomea.me##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/20361 +redd.tube##+js(aopr, config) + +! https://github.com/uBlockOrigin/uAssets/issues/20364 +! https://www.reddit.com/r/uBlockOrigin/comments/17ptimv/adblock_detection_pop_up_on_rbtv77com/ +! https://github.com/uBlockOrigin/uAssets/issues/20694 +announcedcatchix1t.shop,brotherfox91.shop,currentcolorq2dv.shop,customsfencei3.shop,fencethoughgdrt.shop,fencethroughout642.shop,foxwent6ot.shop,havingmovementu8x.shop,homebasis4d.shop,includingbreath5ku.shop,ironwinter6m.shop,leadmorning4ivn.shop,linelocatemfsn.shop,littlesound6c.shop,mindmotion93y8.shop,mightbadly4f.shop,monkeynecktj4w.shop,neighbormajorkex.shop,nervousdoctor9bx.shop,pantogether6jpi.shop,quietlywheat23.shop,saddletopg3tk.shop,soldrubber5xrp.shop,somehowrockyng.shop,strangernervousql.shop,superabbit.shop,supportrightufd.shop,studyinghuman6js.shop,wholecommonrrvp.shop,wintertold7nq.shop##+js(nano-sib, countDown) +@@*$xhr,script,3p,from=announcedcatchix1t.shop|brotherfox91.shop|currentcolorq2dv.shop|customsfencei3.shop|determinemousecshe.shop|fencethoughgdrt.shop|fencethroughout642.shop|foxwent6ot.shop|havingmovementu8x.shop|homebasis4d.shop|includingbreath5ku.shop|ironwinter6m.shop|leadmorning4ivn.shop|limiteddollqjc.shop|linelocatemfsn.shop|littlesound6c.shop|mindmotion93y8.shop|mightbadly4f.shop|monkeynecktj4w.shop|neighbormajorkex.shop|nervousdoctor9bx.shop|pantogether6jpi.shop|publicspeed5c.shop|quietlywheat23.shop|saddletopg3tk.shop|soldrubber5xrp.shop|somehowrockyng.shop|strangernervousql.shop|superabbit.shop|supportrightufd.shop|studyinghuman6js.shop|wholecommonrrvp.shop|wintertold7nq.shop,to=autos|sbs|shop + +! https://ggjav.com /.tv popunder +ggjav.com,ggjav.tv##+js(acs, $, popunder) + +! https://github.com/uBlockOrigin/uAssets/issues/20373 +ecamrips.com,showcamrips.com##+js(rmnt, script, /document\.head\.appendChild|window\.open/) +ecamrips.com,showcamrips.com##+js(acs, document.cookie, document.head.appendChild) +ecamrips.com,showcamrips.com##+js(acs, OpenInNewTab_Over) +ecamrips.com,showcamrips.com##[href*="ads"] + +! https://github.com/uBlockOrigin/uAssets/issues/20377 +bizdustry.com##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/pull/20378 +cl1ca.com,4br.me,fir3.net,seulink.*,encurtalink.*##+js(aopr, mm) +cl1ca.com,4br.me,fir3.net,seulink.*,encurtalink.*##+js(set, blurred, false) +cl1ca.com,4br.me,fir3.net,seulink.*,encurtalink.*##+js(refresh-defuser, 12) + +! https://github.com/uBlockOrigin/uAssets/issues/20379 +*$xhr,3p,domain=app.axenthost.com,redirect-rule=nooptext +*$image,3p,domain=app.axenthost.com,redirect-rule=1x1.gif +@@*$xhr,method=head|get,domain=app.axenthost.com,3p +@@||s.nitropay.com/ads-$script,3p,domain=app.axenthost.com +@@||axenthost.com^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/17lu2us/antiad_block_blocks_video_about_10_seconds_in/ +||pornkinky.com^$image,1p,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/20417 +bokugents.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/20418 +client.pylexnodes.net##+js(rmnt, script, onerror) +client.pylexnodes.net##.ad-banner-square +client.pylexnodes.net##a.box-title:has-text(Ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/165407 +freewsad.com##+js(no-fetch-if, googlesyndication) +freewsad.com##+js(set-local-storage-item, email, true) + +! https://github.com/uBlockOrigin/uAssets/issues/20444 +karaoketexty.cz##+js(nostif, /native|\{n\(\)/) +karaoketexty.cz##+js(ra, style, [style^="background"], stay) +karaoketexty.cz##+js(ra, href, [target^="_"], stay) + +! https://github.com/uBlockOrigin/uAssets/issues/20448 +tucinehd.com##+js(nostif, nextFunction, 2000) +tucinehd.com##+js(rmnt, script, pop1stp) + +! https://github.com/uBlockOrigin/uAssets/issues/20454 +senda.pl##+js(no-fetch-if, googletagmanager) + +! https://github.com/uBlockOrigin/uAssets/issues/20464 +newzjunky.com##+js(noeval-if, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/17orqrb/help_removing_advertisement_areas_on_wingg/ +win.gg###td-top-leaderboard-1 +win.gg###td-top-mpu-1 +win.gg###td-bottom-mpu-1 +win.gg###interstitial-ad +win.gg###inline-video-ad +win.gg##main:style(padding-top: 5em !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/20504 +earnhub.net##+js(aeld, load, htmls) +earnhub.net##+js(aost, onload, bodyElement.removeChild) + +! hextank.io anti adblock after clicking on "Play" +hextank.io##+js(set, aipAPItag.prerollSkipped, true) +hextank.io##+js(set, aipAPItag.setPreRollStatus, trueFunc) +hextank.io###preroll + +! https://github.com/uBlockOrigin/uAssets/issues/20508 +tomarnarede.pt##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/20513 +minecraft.buzz##+js(aeld, np.detect) + +! https://github.com/uBlockOrigin/uAssets/issues/20537 +terrylove.com##+js(nostif, prompt, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/20540 +yourlifeupdated.net##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/20539 +! https://github.com/uBlockOrigin/uAssets/issues/23163 +! https://github.com/uBlockOrigin/uAssets/issues/25070 +app.hellovaia.com,app.studysmarter.de,app.vaia.com##+js(trusted-replace-xhr-response, "ads_disabled":false, "ads_disabled":true, payments) +app.hellovaia.com,app.studysmarter.de,app.vaia.com##aside > .ng-star-inserted + +! https://github.com/uBlockOrigin/uAssets/issues/20559 +111.90.141.252##+js(acs, $, noConflict) +111.90.141.252##+js(aopr, preroll_helper.advs) +*/dyasds/$media,redirect=noopmp3-0.1s,domain=111.90.141.252 + +! wsj ads +! https://www.reddit.com/r/uBlockOrigin/comments/17rxlfr/block_randomlygenerated_class_with_specific/ +||cloudfront.net/o?*fqdn=$xhr,3p,domain=marketwatch.com|wsj.com +/\.cloudfront\.net\/[a-z]{9,12}\.js$/$script,3p,match-case,domain=marketwatch.com|wsj.com +||cdn.privacy-mgmt.com/unified/wrapperMessagingWithoutDetection.js^$script,domain=marketwatch.com|wsj.com + +! https://github.com/uBlockOrigin/uAssets/issues/20582 +! https://github.com/uBlockOrigin/uAssets/issues/23171 +*$media,redirect=noopmp3-0.1s,domain=filmizlehdfilm.com|filmizletv.*|fullfilmizle.cc|gofilmizle.net +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##+js(nano-sib) +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##+js(set, reklam_1_saniye, 0) +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##+js(set, reklam_1_gecsaniye, 0) +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##+js(set, reklamsayisi, 1) +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##+js(set, reklam_1, ) +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##+js(nostif, psresimler) +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##a[onclick^="tiklakapat"] +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net###rekgecyen +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##.r_header_0 +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##.r_header_2 +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##.r_filmbaslik-alti_0 +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##.footer_fad +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##a.play_ust_txt +filmizlehdfilm.com,filmizletv.*,fullfilmizle.cc,gofilmizle.net##body.pageskin:style(margin-top: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/20585 +gourmetsupremacy.com##+js(nostif, null) + +! https://github.com/uBlockOrigin/uAssets/issues/20593 +@@||click-me.today^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/20594 +cryptobr.biz###player:style(display:block !important) + +! https://github.com/uBlockOrigin/uAssets/issues/20602 +9animetv.to##+js(rmnt, script, Number) +9animetv.to##[href^="//keefeezo.net/"] + +! https://github.com/uBlockOrigin/uAssets/issues/20604 +lscomic.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/20608 +||teads.tv^$3p,script,redirect=noop.js,from=tf1info.fr + +! https://github.com/uBlockOrigin/uAssets/issues/20625 +tv.durbinlive.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/20626 +gplastra.com##+js(aost, setTimeout, data) + +! https://github.com/uBlockOrigin/uAssets/commit/652254f04c +@@||s.yimg.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/20651 +sendspace.com##+js(aopr, runad) + +! https://github.com/uBlockOrigin/uAssets/issues/20671 +hackerranksolution.in##+js(rmnt, script, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/20693 +mastaklomods.com##+js(acs, eval, replace) + +! https://javguard.xyz/e/mMq75LrdaNEXPBY popup +javguard.xyz##+js(nowoif) +javguard.xyz##body > div[class]:last-child:empty + +! https://github.com/uBlockOrigin/uAssets/issues/20700 +*$media,domain=dizipub.club,redirect=noopmp3-0.1s + +! https://github.com/uBlockOrigin/uAssets/issues/20717 +graphicget.com##+js(aeld, load, google-analytics) + +! https://github.com/uBlockOrigin/uAssets/issues/20716 +netu.ac##+js(set, adblockcheck, false) + +! https://github.com/uBlockOrigin/uAssets/issues/20728 +estudyme.com#@#ins.adsbygoogle[data-ad-slot] +estudyme.com#@#ins.adsbygoogle[data-ad-client] +estudyme.com##ins.adsbygoogle:style(height: 1px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/20724 +soap2day-online.com##+js(rmnt, script, popunder) + +! https://github.com/uBlockOrigin/uAssets/issues/20741 +cctvwiki.com##+js(aost, setTimeout, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/20750 +cimanow.cc##+js(aopr, navigator.brave) +! https://github.com/uBlockOrigin/uAssets/issues/23131 +@@||cimanow.cc^$script,1p +@@||deva.cnvids.com/dwcn/Assets/js/openads.js$script,domain=deva.cnvids.com +cimanow.cc###ad1 +! https://github.com/uBlockOrigin/uAssets/issues/26653 +cimanow.cc##section[aria-label="details"] a[id][target="_blank"] + +! https://github.com/uBlockOrigin/uAssets/issues/20516 +! https://github.com/uBlockOrigin/uAssets/issues/21046 +qiwi.gg##+js(aeld, , sessionStorage) +qiwi.gg##+js(nowoif, , 10) +qiwi.gg##+js(acs, globalThis, break;case) +qiwi.gg##+js(aost, document.createElement, createDecoy) +*$frame,3p,domain=qiwi.gg,to=~cloudflare.com +*$xhr,3p,domain=qiwi.gg,denyallow=cloudflarestorage.com +||qiwi.gg/sw.js$script,1p +||cloudfront.net/?$script,3p,domain=qiwi.gg +||rentry.co^frame,3p +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9913985 +qiwi.gg##+js(rmnt, script, NEXT_REDIRECT) +.pro/?u=*&m=$doc +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10621007 +! https://github.com/uBlockOrigin/uAssets/issues/25302 +/ads.js?api_key=*&header=$all +qiwi.gg##+js(aeld, click, /form\.submit|urlToOpen/) + +! https://javgg.net/jav/ebwh-044/ turboplay server popup +javturbo.xyz##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/20754 +@@||wavse.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/20753 +westmanga.org##+js(nowoif) +westmanga.org##[src*=".gif"] + +! https://github.com/uBlockOrigin/uAssets/issues/9876#issuecomment-1817667681 +kawarthanow.com##+js(nosiif, daadb) + +! https://github.com/uBlockOrigin/uAssets/issues/20764 +akw.cam##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/20788 +freeltc.online##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/20792 +! https://www.reddit.com/r/uBlockOrigin/comments/1crkyyz/ +! https://www.reddit.com/r/uBlockOrigin/comments/1c2eq9o/ads_are_appearing_again_on_twitter/ +! https://github.com/uBlockOrigin/uAssets/issues/20792#issuecomment-2399540237 +twitter.com,x.com##[data-testid="primaryColumn"] [data-testid="cellInnerDiv"] > div:has([data-testid$="-impression-pixel"]):remove() +twitter.com,x.com,~platform.twitter.com##+js(json-prune-xhr-response, data.home.home_timeline_urt.instructions.[].entries.[-].content.itemContent.promotedMetadata, , propsToMatch, url:/Home) +twitter.com,x.com,~platform.twitter.com##+js(json-prune-xhr-response, data.search_by_raw_query.search_timeline.timeline.instructions.[].entries.[-].content.itemContent.promotedMetadata, , propsToMatch, url:/SearchTimeline) +twitter.com,x.com,~platform.twitter.com##+js(json-prune-xhr-response, data.threaded_conversation_with_injections_v2.instructions.[].entries.[-].content.items.[].item.itemContent.promotedMetadata, , propsToMatch, url:/TweetDetail) +twitter.com,x.com,~platform.twitter.com##+js(json-prune-xhr-response, data.user.result.timeline_v2.timeline.instructions.[].entries.[-].content.itemContent.promotedMetadata, , propsToMatch, url:/UserTweets) +twitter.com,x.com,~platform.twitter.com##+js(json-prune-xhr-response, data.immersiveMedia.timeline.instructions.[].entries.[-].content.itemContent.promotedMetadata, , propsToMatch, url:/ImmersiveMedia) + +! https://github.com/AdguardTeam/AdguardFilters/issues/166746 +chartstream.net##+js(acs, document.addEventListener, google_ad_client) + +! https://github.com/uBlockOrigin/uAssets/issues/20800 +jornadaperfecta.com##+js(rmnt, script, ad-block-activated) + +! https://github.com/uBlockOrigin/uAssets/issues/20802 +greentumble.com##.cp-module +greentumble.com##html:style(overflow: auto !important) + +! https://github.com/uBlockOrigin/uAssets/issues/20804 +accuweather.com##body:remove-class(ads-not-loaded) + +! https://github.com/uBlockOrigin/uAssets/issues/20818 +@@||crutto.fun^$script,1p +@@||crutto.fun^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/20850 +gameshdlive.net##+js(aost, atob, inlineScript) + +! https://github.com/uBlockOrigin/uAssets/issues/20870 +pornleaks.in##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/20876 +loseart.com##+js(rmnt, script, insertBefore) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7667896 +kiddyshort.com##+js(acs, addEventListener, google_ad_client) +kiddyshort.com##+js(aeld, load, htmls) +kiddyshort.com##+js(set, blurred, false) +kiddyshort.com##div[style$="z-index:999999;"] + +! https://www.securityweek.com ad leftover +securityweek.com##.pum-overlay[data-popmake*="popup-ad"] +securityweek.com##.pum-open-overlay:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/20883 +freepornsex.net##+js(aost, setTimeout, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/183msm2/help_with_embeeded_player_from_netu_pop_ups_and/ +dirtyvideo.fun##+js(nowoif) +dirtyvideo.fun##+js(set, arrvast, []) + +! https://github.com/uBlockOrigin/uAssets/issues/20899 +tronxminer.com##+js(aeld, load, htmls) + +! https://sousou-no-frieren.com/ - popup +sousou-no-frieren.com##+js(rmnt, script, pop.doEvent) + +! https://github.com/uBlockOrigin/uAssets/issues/20909 +tikmate.app##+js(set, powerAPITag, emptyObj) +tikmate.app##+js(set, detectAdBlock, noopFunc) +tikmate.app##+js(rpnt, script, /(function downloadHD\(obj\) {)[\s\S]*?(datahref.*)[\s\S]*?(window.location.href = datahref;)[\s\S]*/, $1$2$3}) +tikmate.app##.dl-details +tikmate.app##div.ad-container + +! https://github.com/uBlockOrigin/uAssets/issues/20926 +tecnoyfoto.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/20934 +yt-downloaderz.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/20937 +hostmath.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/20950 +@@||games.forkids.education^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/20951 +freemagazinespdf.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/20952 +leechpremium.net##+js(aopr, atob) + +! https://github.com/uBlockOrigin/uAssets/issues/20953 +urlcut.ninja##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21507 +resortcams.com##+js(nostif, adblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/20958 +fplstatistics.co.uk#@#ins.adsbygoogle[data-ad-slot] +fplstatistics.co.uk#@#ins.adsbygoogle[data-ad-client] +fplstatistics.co.uk##ins.adsbygoogle:style(clip-path: circle(0) !important;) +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js^$script,3p,domain=fplstatistics.co.uk +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense^$script,3p,domain=fplstatistics.co.uk +@@||fundingchoicesmessages.google.com^$script,3p,domain=fplstatistics.co.uk +||googleads.g.doubleclick.net/pagead^$frame,3p,redirect=noopframe,domain=fplstatistics.co.uk +fplstatistics.co.uk##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/20971 +@@||mrfreemium.blogspot.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/20972 +alexsportz.online##+js(acs, fetch, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/20975 +! https://github.com/uBlockOrigin/uAssets/issues/26020 +btvplus.bg##+js(rmnt, script, onerror) +btvplus.bg##+js(set, playerEnhancedConfig.run, throwFunc) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=btvplus.bg + +! https://github.com/uBlockOrigin/uAssets/issues/20981 +sagewater.com##+js(set, aoAdBlockDetected, false) + +! https://github.com/uBlockOrigin/uAssets/issues/20982 +starzunion.com##+js(aopw, checkAdsStatus) + +! https://github.com/AdguardTeam/AdguardFilters/issues/167470 +! https://github.com/uBlockOrigin/uAssets/issues/15523#issuecomment-1926808973 +tourbobit.com,tourbobit.net,turbobeet.net,turbobi.pw,turbobif.com,turbobit.net,turbobita.net,turbobits.cc,turboobit.com##+js(trusted-click-element, #no-thanks-btn) +/js/analytics/fdUserFingerprintToken.js$domain=tourbobit.com|tourbobit.net|turbobeet.net|turbobi.pw|turbobif.com|turbobit.net|turbobita.net|turbobits.cc|turbobits.net|turboobit.com +/pus/script$script,domain=tourbobit.com|tourbobit.net|turbobeet.net|turbobi.pw|turbobif.com|turbobita.net|turbobits.cc|turbobits.net|turboobit.com +/files/news/image$image,domain=tourbobit.com|tourbobit.net|turbobeet.net|turbobi.pw|turbobif.com|turbobit.net|turbobita.net|turbobits.cc|turboobit.com +||gyazo.com^$image,domain=tourbobit.com|tourbobit.net|turbobeet.net|turbobi.pw|turbobif.com|turbobit.net|turbobita.net|turbobits.cc|turboobit.com +tourbobit.com,tourbobit.net,turbobeet.net,turbobi.pw,turbobif.com,turbobita.net,turboobit.com###__bgd_link + +! https://github.com/uBlockOrigin/uAssets/issues/20346 +irctc.co.in###dod +irctc.co.in###splash-scrollable +irctc.co.in###cube > .hidden-xs + +! https://github.com/uBlockOrigin/uAssets/issues/20999 +*$script,domain=baby-beamup.club,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/21018 +@@||supercomputingonline.com^$ghide +supercomputingonline.com##[class^="ad_prev"] + +! https://github.com/uBlockOrigin/uAssets/issues/21019 +dudestream.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/21023 +filmweb.pl##+js(rmnt, script, window.open) +filmweb.pl###mainSkyBanner-pl_PL +filmweb.pl##[href*="smartadserver.com/click"] +filmweb.pl##.HomePromotedSection +filmweb.pl##[style*="-ad-"] +filmweb.pl##.faScreening--clickable +filmweb.pl##.faDesktopBillboard__content +filmweb.pl##.faPremiumBanner +filmweb.pl##.faBannerPromo +fwcdn.pl###clickArea +fwcdn.pl###link-container-all +fwcdn.pl##[id*="banner"] + +! https://github.com/easylist/easylist/issues/17915 +thespruce.com##.mntl-leaderboard-spacer:style(min-height: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/21035 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=trojmiasto.pl,redirect=google-ima.js + +! hdmoviefair. buzz popups +hdmoviefair.*##+js(aost, document.createElement, onerror) + +! https://www.reddit.com/r/uBlockOrigin/comments/189z81i/redirection_to_wwwsatdlcom/ +satdl.com##+js(aopw, protection) +satdl.com##+js(set, xtime, 0) + +! https://github.com/uBlockOrigin/uAssets/issues/21025 +easybib.com##+js(trusted-click-element, button[data-test="watch-ad-button"]) +easybib.com##+js(nano-sib) + +! https://github.com/uBlockOrigin/uAssets/issues/21062 +realmadryt.pl##+js(no-fetch-if, method:GET) + +! https://github.com/uBlockOrigin/uAssets/issues/21063 +@@||mirroshu.top^$script,other,ghide,1p +mirroshu.top##[id^="div-gpt-ad-"] + +! filmydown .site/fast-dl .co/.biz popups +fast-dl.*,filmydown.*##+js(nowoif) +||aitradx.com/js/$script,3p +||toptdspup.com^ +||toptdspup.com^$popup +fast-dl.*##.code-block + +! https://github.com/uBlockOrigin/uAssets/issues/21077 +marinetraffic.live##+js(acs, document.addEventListener, google_ad_client) +marinetraffic.live##+js(no-fetch-if, googlesyndication) +marinetraffic.live##+js(aeld, load, abDetectorPro) + +! https://github.com/AdguardTeam/AdguardFilters/issues/167559 +99corporates.com##+js(no-fetch-if, googlesyndication) + +! bigwavedave .ca, windisgood .com anti-adb +@@*$ghide,domain=bigwavedave.ca|windisgood.com +bigwavedave.ca,windisgood.com##ins.adsbygoogle + +! https://www.reddit.com/r/uBlockOrigin/comments/18bl3e7/popupads/ +whoreshub.com##+js(acs, addEventListener, smartpop) + +! https://github.com/uBlockOrigin/uAssets/issues/21088 +vidstreaming.xyz##+js(set, Div_popup, '') +vidstreaming.xyz##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/21093 +intro-hd.net##+js(rmnt, script, /adbl/i) +intro-hd.net##+js(noeval-if, /chp_?ad/) +intro-hd.net##+js(no-fetch-if, /doubleclick|googlesyndication/, length:10, {"type":"cors"}) +intro-hd.net##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21095 +skai.gr##.banner-min-height:remove() +skai.gr##.fixed.social-bar:remove() +skai.gr##.mobile-banner-sticky-container:remove() +skai.gr###taboola-alternating-below-article:remove() + +! storefront. com.ng anti-adb +storefront.com.ng##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/21157 +unite-guide.com##+js(rmnt, script, detect) + +! https://github.com/uBlockOrigin/uAssets/issues/21179 +cinepiroca.com,dvd-flix.com##+js(aost, setTimeout, ads) +cinepiroca.com##.cover +cinepiroca.com,dvd-flix.com###clickfakeplayer +||dvd-flix.com/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/21182 +play-games.com##+js(no-xhr-if, ads) +@@||wgplayer.com^$script,domain=play-games.com + +! https://github.com/uBlockOrigin/uAssets/issues/21208 +vgmlinks.*##+js(aopr, initPu) + +! monacomatin. mc detection +monacomatin.mc##+js(rmnt, script, /adbl/i) + +! https://github.com/uBlockOrigin/uAssets/issues/21253 +cryptoclicks.net##+js(acs, fetch, adblock) + +! movie4night .com popups (https://serial4u.net/sakla-beni-episode-6-with-english-subtitle-free-episode-watch/) +movie4night.com##+js(aopr, BetterJsPop) +movie4night.com##+js(aopr, doSecondPop) +movie4night.com##+js(nowoif) +||movie4night.com/cdn-cgi/trace$xhr,1p + +! schooltravelorganiser .com anti-adb +schooltravelorganiser.com##+js(nostif, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/22648 +sonixgvn.net##+js(nano-sib, count) +sonixgvn.net##+js(rpnt, script, buton.setAttribute, location.href=urldes;buton.setAttribute) +sonixgvn.net##+js(nostif, EzoIvent) +sonixgvn.net##+js(aost, setTimeout, ads) +sonixgvn.net##+js(no-fetch-if, /doubleclick|googlesyndication|vlitag/, length:10, {"type": "cors"}) +sonixgvn.net##+js(aeld, DOMContentLoaded, overlays) +sonixgvn.net##+js(acs, checkAdsBlocked) +!sonixgvn.net##+js(acs, setTimeout) +sonixgvn.net##.su-note:style(display: block !important;) +@@||sonixgvn.net^$script,1p +@@*.js|$script,3p,domain=sonixgvn.net,denyallow=doubleclick.net|onesignal.com|vlitag.com|googletagmanager.com +@@||sonixgvn.net^$ghide +||sonixgvn.net/cdn-cgi/zaraz/s.js^$script,1p,important +||sonixgvn.net/wp-content/plugins/adrotate/$script,1p,important +||sonixgvn.net/cdn-cgi/apps/head/$script,1p,important +||vlitag.com^$script,xhr,domain=sonixgvn.net,redirect=noopjs + +! basketballbuzz .ca anti-adb +basketballbuzz.ca##+js(rmnt, script, deblocker) + +! dribbblegraphics .com anti-adb +dribbblegraphics.com##+js(rmnt, script, deblocker) + +! hscprojects .com anti-adb +hscprojects.com##+js(aost, setTimeout, adsBlocked) + +! graphicgoogle .com anti-adb +graphicgoogle.com##+js(aost, setTimeout, adsBlocked) + +! freemockupzone .com anti-adb +freemockupzone.com##+js(aost, setTimeout, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/21091 +@@||francoischarron.com^$ghide +francoischarron.com##.ads +francoischarron.com##.reward-message:style(display: none !important;) +francoischarron.com##.reward-btn:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/21281 +paste-drop.com##+js(acs, $, googleAdUrl) +paste-drop.com##+js(rpnt, script, clickCount === numberOfAdsBeforeCopy, numberOfAdsBeforeCopy >= clickCount) +paste-drop.com##+js(nowoif, _blank) + +! https://pelis24.gratis/pelicula/guardianes-de-la-galaxia-volumen-3/ popup +cine24.online##+js(disable-newtab-links) + +! https://github.com/uBlockOrigin/uAssets/issues/21289 +tips97tech.blogspot.com##+js(acs, document.createElement, adblock) + +! bmw-scooters .com anti-adb +bmw-scooters.com##+js(acs, $, btoa) + +! https://github.com/uBlockOrigin/uAssets/issues/21327 +*$media,domain=movingxh.world,redirect=noopmp3-0.1s + +! thebullspen .com anti-adb +thebullspen.com##+js(rmnt, script, fetch) + +! crazyvidup .com video player +crazyvidup.com##+js(ra, srcdoc, iframe) +crazyvidup.com##.footerStickyBox + +! https://github.com/easylist/easylist/issues/17968 +@@||cartometro.com^$ghide +cartometro.com##[class^="cmad"] + +! fivemdev .org anti-adb +fivemdev.org##+js(no-fetch-if, googlesyndication) + +! rpupdate .cc anti-adb +rpupdate.cc##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/21359 +animehub.ac##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21362 +! https://github.com/AdguardTeam/AdguardFilters/issues/168493 +kissanime.*##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21363 +winlator.com##+js(no-fetch-if, googlesyndication) +winlator.com##div[id^="wpsafe-wait"] +winlator.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7830802 +coin-profits.xyz##+js(nostif, nextFunction) +||bittrafficads.com^$3p + +! ckxsfm .com anti-adb +ckxsfm.com##+js(acs, document.getElementById, fakeElement) + +! yottachess .com anti-adb +yottachess.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/168023 +stmruby.com##+js(set, cRAds, true) + +! https://github.com/AdguardTeam/AdguardFilters/issues/167905 +cosplay18.pics##+js(rmnt, script, detectAdBlock) + +! NSFW pum-overlay sites +curs-germana.com,pervertgirlsvideos.com##.pum-overlay +curs-germana.com,pervertgirlsvideos.com##.pum-open-overlay:style(overflow: auto !important;) + +! rollstroll .com anti-adb +rollstroll.com##+js(nosiif, daadb) + +! butterpolish .com anti-adb +butterpolish.com##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/167727 +infidrive.net##+js(no-xhr-if, googlesyndication) +infidrive.net##+js(nano-stb, -1, *, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/21399 +anitube.*##+js(aeld, DOMContentLoaded, btoa) +sabornutritivo.com##+js(no-fetch-if, googlesyndication) +sabornutritivo.com###player:style(display: block !important;) +receitasdaora.online##+js(rmnt, script, /hasAdblock|detect/) + +! https://github.com/uBlockOrigin/uAssets/issues/21406 +nodo313.net##+js(rmnt, script, /adbl/i) + +! https://github.com/uBlockOrigin/uAssets/issues/21410 +relampagomovies.com##+js(nostif, nextFunction) + +! msmorristown .com anti-adb +msmorristown.com##+js(acs, document.getElementById, fakeElement) + +! https://github.com/uBlockOrigin/uAssets/issues/21419 +animefreak.to##+js(no-xhr-if, googlesyndication) + +! https://javgg.club/jav/pppe-177/ popup +javggvideo.xyz##+js(nowoif) + +! shemale6 .com anti-adb +*$image,domain=shemale6.com,redirect-rule=1x1.gif + +! 9animes .ru anti-adb +9animes.ru##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21440 +areascans.net##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/21441 +king-shoot.io##+js(aeld, load, onload) +king-shoot.io##+js(nosiif, _0x) + +! bettycrocker.com PH +bettycrocker.com##.adhesiveHeaderAdFixed header:matches-media((min-width: 1000px)):style(top: 0 !important;) +bettycrocker.com##.adhesiveAdSpacing + +! https://github.com/uBlockOrigin/uAssets/issues/21443 +dizipal730.com##+js(rpnt, script, video_urls.length != activeItem+1, video_urls.length === activeItem+1) + +! https://brutaljav.com/fsdss-536-female-teacher-gangrape-in-jav-video/ +player.bestrapeporn.com##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/168557 +zealtyro.com##+js(aost, document.getElementsByTagName, adsBlocked) + +! tinyzonetv .se popups +tinyzonetv.se##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/18jtgkj/how_i_block_hidden_links_from_opening_new_page/ +moviesjoyhd.to##+js(aeld, mousedown, shown_at) + +! https://community.brave.com/t/nsfw-poop-cx-pop-up/520215 +! https://github.com/uBlockOrigin/uAssets/issues/22411 +metrolagu.cam,poop.*##+js(nowoif) +metrolagu.cam##+js(no-fetch-if, googlesyndication) +/adus.js|$script,domain=metrolagu.cam|poop.* +||doood.cam^$popup,3p +! videos broken +||metrolagu.cam^$badfilter +||berlagu.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/21468 +redlion.net##+js(set, aoAdBlockDetected, false) + +! https://github.com/uBlockOrigin/uAssets/issues/13588 +! https://github.com/uBlockOrigin/uAssets/issues/21470 +@@*$ghide,domain=osuskinner.com|osuskins.net +osuskinner.com,osuskins.net##+js(no-xhr-if, /googlesyndication|nitropay/) +osuskinner.com,osuskins.net##+js(nostif, height) +osuskinner.com,osuskins.net##+js(aopw, uBlockActive) +osuskinner.com,osuskins.net##.ad-300-250, .ad-billboard + +! https://github.com/uBlockOrigin/uAssets/issues/21476 +filext.com##+js(rpnt, script, /if\(.&&.\.target\)/, if(false)) +filext.com###b3c:style(height: 0 !important;) +filext.com###c1c + +! https://github.com/AdguardTeam/AdguardFilters/issues/168823 +apkdrill.com##+js(noeval-if, deblocker) + +! https://www.reddit.com/r/uBlockOrigin/comments/18met07/website_asking_to_disable_adblocker_was_working/ +everand.com##+js(no-fetch-if, /api/v1/events) +! https://github.com/uBlockOrigin/uAssets/issues/24001 +everand.com##+js(set, Scribd.Blob.AdBlockerModal, noopFunc) + +! zona11 .com anti-adb +zona11.com##+js(nostif, keepChecking) + +! https://github.com/uBlockOrigin/uAssets/issues/21493 +kemiox.com##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/21501 +||baeldung.com/*recovery.min.js^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/21503 +||cdn.mxpnl.com/libs/mixpanel-2-latest.min.js$script,domain=obefitness.com,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/21518 +myradioonline.pl##+js(set, AddAdsV2I.addBlock, false) + +! couponscorpion .com anti-adb +couponscorpion.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21514 +dreamsnest.com##[href^="https://dreamingfordreams.com/contact/"] + +! https://github.com/uBlockOrigin/uAssets/issues/21532 +serially.it##+js(xml-prune, xpath(//*[name()="Period"][.//*[name()="BaseURL" and contains(text()\,'/ad/')]]), , .mpd) +serially.it##+js(json-prune, ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/169095 +pkbiosfix.com##+js(nostif, show) +pkbiosfix.com##+js(rmnt, script, AdBlock) + +! https://www.reddit.com/r/uBlockOrigin/comments/18ot1ak/unblockable_ads_on_this_site/ - Ad-reinsertion +! https://github.com/uBlockOrigin/uAssets/issues/21564 +autoscout24.*##+js(nostif, /Detect|adblock|style\.display|\[native code]|\.call\(null\)/) +autoscout24.*##div[class^="AdContentBanner"] + +! scsport .live anti-adb +scsport.live##+js(nostif, keepChecking) + +! https://github.com/uBlockOrigin/uAssets/issues/21551 +casi3.xyz##+js(nostif, show) +casi3.xyz##+js(rmnt, script, AdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/21546 +||garticphone.com/videos/gio.mp4$media,1p,redirect=noopmp3-0.1s + +! https://www.reddit.com/r/uBlockOrigin/comments/18ajxi1/tekkenmodscom_site_detecting_ubo_again_again/ +tekkenmods.com##+js(aopw, HTMLScriptElement.prototype.onerror) + +! https://github.com/uBlockOrigin/uAssets/issues/21566 +db-creation.net##+js(acs, document.addEventListener, /google_ad_client/) + +! https://github.com/uBlockOrigin/uAssets/issues/21560 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=biznesinfo.pl|domekiogrodek.pl|goniec.pl|lelum.pl|swiatgwiazd.pl + +! https://github.com/uBlockOrigin/uAssets/issues/21576 +@@||googletagmanager.com/gtag/js$script,domain=isthischannelmonetized.com +@@||isthischannelmonetized.com^$script,1p +@@||isthischannelmonetized.com^$ghide + +! https://baomoi.com/ - Ads recurrence +||api.baomoi.com/*/w/$script,xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/21583 +! https://github.com/uBlockOrigin/uAssets/pull/21584 +buxfaucet.com,faucetcaptcha.co.in,gameblog.in,needbux.com##+js(acs, eval, replace) + +! https://github.com/uBlockOrigin/uAssets/issues/5090#issuecomment-1863129767 +@@*$script,xhr,ghide,domain=uptoplay.net +@@||googlesyndication.com^$frame,domain=uptoplay.net + +! https://github.com/AdguardTeam/AdguardFilters/issues/169282 +chickenkarts.io##+js(aopw, blockedAds) + +! https://github.com/uBlockOrigin/uAssets/issues/26083 +||idlix.asia/wp-content/cache/wpfc-minified/$script,replace=/^.+?deblocker.+//s +idlix.asia##+js(no-xhr-if, method:GET url:!/idlix|jwpcdn/) + +! https://github.com/uBlockOrigin/uAssets/issues/21600 +@@||choralia.net/popu.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/21601 +pl#@#.ad +pl#@#[class$="-ads"] +radiosupernova.pl##.zpr_combo +radiosupernova.pl##[id^="placement"] +radiosupernova.pl##.zpr_inside_2 +mjakmama24.pl##+js(nostif, removeChild) +! https://github.com/uBlockOrigin/uAssets/issues/24988 +eurosport.tvn24.pl##.ad, .fake + +! teksnologi .com anti-adb +teksnologi.com##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/21638 +loot-link.com,loot-links.com,lootdest.com##+js(no-fetch-if, googlesyndication) + +! https://sethphat.com/download/?id=5497 timer +sethphat.com##+js(nano-stb, total, 1000, 0.001) + +! https://theapkfolder.com/dls-23-mod-apk/download/ timer +theapkfolder.com##+js(nano-stb, countdown, *, 0.001) + +! https://upapk.io/4hzklen07qof/ timer +upapk.io##+js(nano-stb, tick, 1000, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/21654 +kiddyearner.com##+js(aopw, canRunAds) +kiddyearner.com##iframe[src^="https://cryptocoinsad.com/ads/"] +kiddyearner.com###ads +kiddyearner.com##+js(set, document.hasFocus, trueFunc) +kiddyearner.com##+js(rpnt, script, (document.hasFocus()), (false)) + +! swisswebcams .ch anti-adb +||visx.net^$3p,script,redirect=noopjs,domain=swisswebcams.ch + +! https://apkprime.org/telegram/download/ timer +apkprime.org##+js(nano-sib, , 1000, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/21674 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,from=sport5.co.il + +! https://github.com/AdguardTeam/AdguardFilters/issues/169200 +player.euroxxx.net##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/21690 +xhardhempus.net##+js(nostif, adblock) + +! https://www.dfast.app/instagram/com-instagram-android/download.html ad overlay, timer +dfast.app##+js(nano-stb, countdown, *, 0.001) +||cdn.pubxmedia.com/library/dfast.app/script.js$script,domain=dfast.app + +! https://github.com/uBlockOrigin/uAssets/issues/25663 +||colorfullouderremnant.com^ + +! Title: uBlock filters (2024) +! Last modified: %timestamp% +! Description: Filters optimized for uBlock, to be used along EasyList +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! New filters from January 2024 to -> +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! START: Rules from filters.txt + +! https://github.com/reek/anti-adblock-killer/issues/2000 +! https://github.com/NanoMeow/QuickReports/issues/1068 +360haven.com###pageWrapper:style(display: initial !important;) +360haven.com###notices +360haven.com###ad_global_above_footer + +! https://forums.lanik.us/viewtopic.php?p=131942#p131942 +! https://github.com/uBlockOrigin/uAssets/pull/12960 +imagefap.com##+js(acs, $, popCookie) + +! https://www.reddit.com/r/uBlockOrigin/comments/ehhmg4/cant_stop_the_anti_adblock_notification_or_access/ +alliptvlinks.com##+js(aeld, load, ads) +alliptvlinks.com##+js(aopr, eazy_ad_unblocker) +alliptvlinks.com###arlinablock +alliptvlinks.com##body:style(overflow: auto !important) +! https://github.com/uBlockOrigin/uAssets/issues/22620 +alliptvlinks.com##+js(no-xhr-if, /doubleclick|googlesyndication/, length:10) +||alliptvlinks.com/tktk-content/plugins/$script,1p,replace=/\bconst now.+?, 100/clearInterval(timer);resolve();}, 100/gms + +! https://github.com/uBlockOrigin/uAssets/issues/11102 +apkmirror.com#@#.gooWidget +apkmirror.com#@#.google-ad-leaderboard +apkmirror.com##.gooWidget:style(opacity: 0 !important; visibility: collapse !important;) +apkmirror.com##.google-ad-leaderboard:style(opacity: 0 !important;) +apkmirror.com##[href^="https://bstk.me/"] +! https://github.com/uBlockOrigin/uAssets/issues/14719 +apkmirror.com##div.appRow[style] +apkmirror.com##.advertisement-text +apkmirror.com##.downloadCountdown +apkmirror.com##.OUTBRAIN +apkmirror.com##[id^="adtester-container"]:style(position: absolute !important;) +apkmirror.com##.ains +! https://github.com/uBlockOrigin/uAssets/issues/19720 +apkmirror.com##^script:has-text(document.createTextNode) +apkmirror.com##+js(rmnt, script, document.createTextNode) + +! https://forums.lanik.us/viewtopic.php?f=62&t=41466 +! https://github.com/uBlockOrigin/uAssets/issues/7884 +! https://github.com/uBlockOrigin/uAssets/issues/22769 +! https://github.com/uBlockOrigin/uAssets/issues/25495 +vidsrc.*##+js(acs, document.write) +vidsrc.*##+js(nosiif, /0x|sandCheck/) +vidsrc.*##+js(nowoif) +vidsrc.*##+js(aopr, __Y) +vidsrc.*##+js(aopr, AaDetector) +vidsrc.*##+js(rmnt, script, adserverDomain) +vidsrc.*##^script:has-text(/\{delete window\[/) +vidsrc.*###pop_asdf +||vidsrc.net/*.js?_=$script,1p +||vidsrc.pro/uwu-js^$script +||annotationsincereexistence.com^ +||reminderasking.com^$all +embed.smashystream.com###addiv +! https://github.com/uBlockOrigin/uAssets/issues/23610 +streambucket.net##+js(acs, EventTarget.prototype.addEventListener, /runPop|aclib|window\.open/) +streambucket.net##+js(acs, atob, /popundersPerIP[\s\S]*?Date[\s\S]*?getElementsByTagName[\s\S]*?insertBefore/) +streambucket.net##+js(aopr, Adcash) +streambucket.net##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP|adserverDomain/) +kokostream.net##+js(nowoif) +*$script,3p,denyallow=gstatic.com,domain=streambucket.net +! https://github.com/uBlockOrigin/uAssets/issues/22762#issuecomment-1977984428 +player.smashy.stream##.react-responsive-modal-root +! https://bingemaster.netlify.app/movie_details/movie_details.html?id=1034541 - SS server popups and anti-adb +player.smashy.stream,player.smashystream.com##+js(nowoif) +player.smashy.stream,player.smashystream.com##+js(rmnt, script, /shown_at|WebAssembly/) +player.smashy.stream,player.smashystream.com##+js(acs, globalThis, shown_at) +smashyplayer.top##+js(aeld, click, document.createElement) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=smashyplayer.top,redirect=google-ima.js +! EL badfilter +||ate60vs7zcjhsjo5qgv8.com^$badfilter +! https://github.com/uBlockOrigin/uAssets/issues/24041 +binged.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/22720 +*$script,domain=pch.com,redirect=noopjs,3p +@@||pchassets.com^$script,domain=pch.com +@@||ajax.googleapis.com/ajax/$script,domain=pch.com +@@||gstatic.com^$script,domain=pch.com +@@||imasdk.googleapis.com^$script,domain=pch.com +@@||pch.com^$ghide +@@||content.jwplatform.com^$script,domain=pch.com +@@||pch.com/vendor/googleanalytics/js/googleanalytics.js$script,1p +@@||code.jquery.com^$script,domain=pch.com +@@||cdnjs.cloudflare.com/ajax/$script,domain=pch.com +@@||sts.eccmp.com/sts/scripts/conversen-SDK.js$script,domain=pch.com +@@||static.topixcdn.com^$script,domain=pch.com +@@||tags.tiqcdn.com/utag/*/utag.js$script,domain=pch.com + +! https://github.com/uBlockOrigin/uAssets/issues/709 +! https://github.com/uBlockOrigin/uAssets/issues/4651 +! https://github.com/uBlockOrigin/uAssets/issues/4908 +||cloudfront.net/ads/*$script,redirect=noopjs,domain=cbs.com +||cloudfront.net/ads/img/*$image,redirect=1x1.gif,domain=cbs.com +cbs.com,paramountplus.com##+js(set, hasAdBlocker, false) +*$3p,script,redirect-rule=noopjs,domain=cbs.com|paramountplus.com +@@||s0.2mdn.net/instream/html5/ima3.js$script,domain=cbs.com|paramountplus.com +||ad.doubleclick.net^$image,redirect=1x1.gif,domain=cbs.com|paramountplus.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=cbs.com|paramountplus.com +@@||pubads.g.doubleclick.net/ondemand/*/content/*/streams$xhr,domain=cbs.com|paramountplus.com +||pubads.g.doubleclick.net/ondemand/*/content/*/vid/*/streams/*/time-events.json$important,domain=cbs.com|paramountplus.com + +! https://adblockplus.org/forum/viewtopic.php?f=10&t=53374 +! https://github.com/uBlockOrigin/uAssets/issues/22977 +xstory-fr.com##+js(aeld, popstate) +xstory-fr.com##+js(nostif, location.href) + +! https://github.com/uBlockOrigin/uAssets/issues/1183 +! https://github.com/uBlockOrigin/uAssets/issues/9611 +! https://github.com/uBlockOrigin/uAssets/issues/17157#issuecomment-2011196705 +xvideos.com,xvideos2.com##+js(nowoif) +xvideos.com,xvideos2.com##+js(aeld, click, ShouldShow) +! https://github.com/uBlockOrigin/uAssets/issues/24440 +||xvideos.com/lvcsm/abck-banners/ + +! https://github.com/uBlockOrigin/uAssets/issues/163 +! https://github.com/uBlockOrigin/uAssets/issues/534 +! https://github.com/uBlockOrigin/uAssets/issues/1286 +! https://github.com/uBlockOrigin/uAssets/commit/ebbef70dba69e38946329793dc00d988d1cbb85e#commitcomment-34299631 +1337x.*##+js(rmnt, script, style) +1337x.*##+js(aost, document.createElement, _0x) +1337x.*,x1337x.*##+js(nowoif, , 1) +1337x.*##+js(aopr, afScript) +1337x.*##+js(nostif, adb) +1337x.*##^script:has-text(admc) +x1337x.*##+js(acs, setTimeout, admc) +x1337x.*##+js(aopr, Adcash) +1337x.*,x1337x.*##.stream-torrent +1337x.*,x1337x.*##.link-info-stream +1337x.*##.download-links-dontblock > LI:has-text(Anon) +1337x.*##.download-links-dontblock > LI:has-text(Stream) +1337x.*##a[href^="/redirectmusic.php"] +1337x.*##a[href^="/spyoff"] +1337x.*##a[href*="//steepto.com/"] +1337x.*##[href*="vpn"] +1337x.*##[onclick*="vpn"] +1337x.*##[href^="/anoy"] +1337x.*,x1337x.*##.no-top-radius div > a[href]:has-text(VPN) +/^https:\/\/x?1337x\.(?:[0-9a-z]{3,9}\.)?[a-z]{2,4}\/(?:css\/)?(?:images\/)?[0-9a-zA-Z]+\.(?:gif|jpe?g|png)/$image,1p,domain=1337x.*|1337x.g3g.*|x1337x.*|unblockit.* +||1337x.*/sw.js^ +! https://github.com/uBlockOrigin/uAssets/issues/635 +! https://www.reddit.com/r/uBlockOrigin/comments/81hcu5/1337xto_annoying_popup/ +! https://www.reddit.com/r/uBlockOrigin/comments/bpm1l9/trying_to_download_something_from_13377x_and_keep/ +13377x.*##+js(acs, decodeURI, decodeURIComponent) +1337x.*,x1337x.*##+js(nowebrtc) +x1337x.eu##.mgbox +! https://github.com/uBlockOrigin/uAssets/issues/6606 +1337x.*##+js(aopr, AaDetector) +@@||torrage.info/torrent.php$popup,domain=1337x.to +! https://github.com/uBlockOrigin/uAssets/issues/23025 +1337x.*,x1337x.*##+js(aeld, popstate) +! https://github.com/uBlockOrigin/uAssets/issues/23093 +! https://github.com/uBlockOrigin/uAssets/issues/24117 +! https://www.reddit.com/r/uBlockOrigin/comments/1dz8i4c/irritating_as_hell_invisible_overlay_on_1337to/ +! https://github.com/uBlockOrigin/uAssets/issues/24485 +1337x.*,x1337x.*##+js(aost, navigator, FingerprintJS) +1337x.*,x1337x.*##+js(aost, localStorage, /https:\/\/x?1337x\.[a-z]+\/\S+\.js/) +1337x.*,x1337x.*##+js(aost, onload, /https:\/\/x?1337x\.[a-z]+\/\S+\.js/) +/ma.js^$script,domain=1337x.*|x1337x.* +/mm.js^$script,domain=1337x.*|x1337x.* +! https://github.com/AdguardTeam/AdguardFilters/issues/190816 +x1337x.*##+js(aopw, Adcash) +! https://www.reddit.com/r/uBlockOrigin/comments/1gmaf49/how_to_get_rid_of_this_vpn_ad_on/ +1337x.ninjaproxy1.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +1337x.ninjaproxy1.com##div[onclick^="location.href='https://1337x.onlyvpn.site/"] + +! https://github.com/uBlockOrigin/uAssets/issues/7273 +cheatcloud.cc,cheater.ninja,cheatermad.com,cheatsquad.gg##+js(nano-sib, clearInterval) +cheatsquad.gg##+js(nosiif, visibility, 1000) +cheatermad.com##+js(nostif, offset) +@@||cheatsquad.gg^$script,xhr,1p +cheatsquad.gg##.tooltip::before +cheatsquad.gg##.tooltip::after +updown.link##+js(nano-stb, startDownload, 8000) +! https://github.com/uBlockOrigin/uAssets/issues/7273#issuecomment-966551769 +@@||work.ink^$ghide +*$frame,redirect-rule=noopframe,domain=work.ink +! https://zodhacks.com/pet-simulator-x-saza-hub-easter/ timer +*$script,domain=work.ink,redirect-rule=noopjs +@@||work.ink^$xhr,1p +! https://www.reddit.com/r/uBlockOrigin/comments/zu2myx/ +workink.click##+js(no-fetch-if, cloudfront) +work.ink##.no-overlay +! https://github.com/uBlockOrigin/uAssets/issues/14676 +work.ink##+js(ra, href, [href*="jump"], stay) +@@||cdn.thisiswaldo.com/static/js/$script,domain=work.ink +@@||doubleverify.com^$xhr,domain=work.ink +workink.click##+js(nowoif, !direct) +work.ink##+js(nosiif, a0b) +work.ink##+js(no-fetch-if, /outbrain|criteo|thisiswaldo|media\.net|ohbayersbur|adligature|quantserve|srvtrck|\.css|\.js/) +work.ink##body > div:has(> a#link) +work.ink##.opera-container:style(visibility: collapse !important;) +work.ink##img[alt="Buff Banner"]:style(visibility: collapse !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/517 +! https://github.com/uBlockOrigin/uAssets/issues/2628 +! https://github.com/NanoMeow/QuickReports/issues/2035 +! https://github.com/uBlockOrigin/uAssets/issues/522 +hollaforums.com,powforums.com,supforums.com##+js(no-xhr-if, googlesyndication) + +! https://www.reuters.com/ +reuters.com##[class^="leaderboard-space"] +reuters.com##[class^="workspace-article-banner"] +reuters.com##div[data-testid="Leaderboard"] +reuters.com##div[class^="regular-article-layout__inner_"]:has(> div[data-testid="StickyRail"]) + +! https://github.com/uBlockOrigin/uAssets/issues/5724 +! https://github.com/uBlockOrigin/uBlock-issues/issues/661 +! https://www.reddit.com/r/uBlockOrigin/comments/doxgp8/bing_ads/ +! https://github.com/uBlockOrigin/uAssets/issues/6886#issuecomment-608605317 +! https://github.com/uBlockOrigin/uAssets/issues/12255 +! https://github.com/uBlockOrigin/uAssets/issues/12505 +bing.com#@#.b_ad +bing.com#@#.b_adLastChild +bing.com#@#.pa_sb +bing.com##.b_adLastChild:style(position: absolute !important; top: -9999px !important;) +bing.com##.b_ad:style(position: absolute !important; top: -9999px !important;) +bing.com##.pa_sb:style(position: absolute !important; top: -9999px !important;) +bing.com##.b_restorableLink:remove() +! https://github.com/AdguardTeam/AdguardFilters/issues/136118 +bing.com##.tob_calcontainer > .slide:has(.rtb_ad_caritem_mvtr) +! https://www.reddit.com/r/uBlockOrigin/comments/19324br/ad_in_bingcom_with_a_side_popup/ +bing.com##.b_ans:has([class^="xm_"][class*="_ansCont"]) +! https://github.com/uBlockOrigin/uAssets/issues/20867#issuecomment-2029823186 +||assets.msn.com/service/news/feed/pages/binghp?$xhr,3p,removeparam=wpopageid,domain=bing.com +! https://github.com/uBlockOrigin/uAssets/issues/25344 +bing.com##.b_algo:has(.rms_img[src*="=AdsPlus"]) +bing.com##.b_algo:has(.rms_img[src*="/th?id=OADD2."][src$="21.2"]) + +! https://github.com/uBlockOrigin/uAssets/issues/565 +ville-ideale.fr##+js(nostif, contrformpub) + +! https://github.com/uBlockOrigin/uAssets/issues/1025 +! https://github.com/NanoMeow/QuickReports/issues/2458 +@@||crackle.com^$cname +*.mp4$media,domain=crackle.com +||media.truex.com/integration/vpaid/com.truex.TrueXRenderer.js$script,domain=crackle.com,redirect=noopjs +crackle.com##.vjs-ad-break-marker-adjustment +! https://www.reddit.com/r/uBlockOrigin/comments/137arti/ +! https://github.com/uBlockOrigin/uAssets/issues/23390 +crackle.com##+js(json-prune-fetch-response, data.device.adsParams data.device.adSponsorshipTemplate, , propsToMatch, url:/appconfig) +||heartbeat.crackle.com/tp.png + +! https://github.com/uBlockOrigin/uAssets/issues/6738 +! https://github.com/uBlockOrigin/uAssets/issues/17145 +fmovies.*##+js(nowoif) +fmovies.*##+js(aopr, mm) +fmovies.*##+js(set, console.clear, undefined) +! fmovies.ps popup +fmovies.*,f2movies.to###modalshare +fmovies.*,f2movies.to##.modal-backdrop +fmovies.*,f2movies.to##body.modal-open:style(overflow: auto!important) +fmovies.*###gift-middle +fmovies.*###gift-top +! https://fmovies.to ads +fmovies.*##+js(acs, document.write, innerWidth) +! https://github.com/NanoMeow/QuickReports/issues/3311 +! https://github.com/uBlockOrigin/uAssets/issues/23678 +||iamcdn.net/players/player*.*mins.js$script,domain=freeplayervideo.com|nazarickol.com|player-cdn.com +! abysscdn.com,freeplayervideo.com,nazarickol.com,player-cdn.com##+js(set, detectAdBlockAll, noopFunc) +*$image,redirect-rule=32x32.png,domain=freeplayervideo.com|nazarickol.com|player-cdn.com +freeplayervideo.com,nazarickol.com,player-cdn.com,playhydrax.com##+js(set, console.clear, undefined) +freeplayervideo.com,nazarickol.com,player-cdn.com,playhydrax.com##+js(ra, style, #over) +fullfreeimage.com,freeplayervideo.com,imagelovers.com,nazarickol.com,player-cdn.com,playhydrax.com##+js(nowoif, /^/, 1) +jav.guru##.inside-right-sidebar > aside.widget_custom_html +jav.guru###text-76 +jav.guru###text-92 +jav.guru###text-93 +/cdn-cgi/trace$xhr,1p,domain=abysscdn.com|playhydrax.com +! https://github.com/uBlockOrigin/uAssets/issues/23424 +abysscdn.com##div[style*="z-index:100000"] +! https://www.reddit.com/r/uBlockOrigin/comments/1e5ndpo/video_player_quality_720p1080p_locked_unless_i/ +! https://fboxz.me/movies/deadpool/ +abysscdn.com##.playover +abysscdn.com,playhydrax.com##+js(set, document.ontouchend, null) +abysscdn.com,playhydrax.com##+js(set, document.onclick, null) +abysscdn.com,fullfreeimage.com,hihihaha1.xyz,imagelovers.com,player-cdn.com,playhydrax.com##+js(trusted-replace-outbound-text, Array.prototype.shift, /^.+$/s, '', condition, https) +/favicon.ico|$image,3p,domain=abysscdn.com|fullfreeimage.com|hihihaha1.xyz|hihihaha2.xyz|imagelovers.com|player-cdn.com|playhydrax.com +! popups when moving out of fullscreen +abysscdn.com,fullfreeimage.com,hihihaha1.xyz,hihihaha2.xyz,imagelovers.com,player-cdn.com,playhydrax.com##+js(aost, HTMLElement.prototype.click, _0x) +! https://github.com/uBlockOrigin/uAssets/issues/24918 +abysscdn.com,fullfreeimage.com,imagelovers.com,playhydrax.com###overlay +! https://www.reddit.com/r/uBlockOrigin/comments/1ef4r1f/kisscartoonnz_blocks_720p_quality_for_adblock/ +playhydrax.com##+js(rpnt, script, (isNoAds), (true)) +! breakage on mobile devices(maximise/minimise button hidden after exit screen on portrait mode) +abysscdn.com,hihihaha1.xyz,player-cdn.com,playhydrax.com#@#.jw-wrapper > div[style="opacity: 0; visibility: hidden; overflow: hidden; display: block; position: absolute; top: 0px; left: 0px; width: 100%; height: 100%;"] +||affluentarmyequator.com^$popup,doc +||boobausauhipsa.net^$popup,doc + +! https://github.com/uBlockOrigin/uAssets/issues/5352 +! https://github.com/uBlockOrigin/uAssets/issues/23538 +*$ping,domain=fullxh.com|galleryxh.site|hamsterix.*|megaxh.com|movingxh.world|seexh.com|unlockxh4.com|valuexh.life|xhaccess.com|xhadult2.com|xhadult3.com|xhadult4.com|xhadult5.com|xhamster.*|xhamster10.*|xhamster11.*|xhamster12.*|xhamster13.*|xhamster14.*|xhamster15.*|xhamster16.*|xhamster17.*|xhamster18.*|xhamster19.*|xhamster20.*|xhamster2.*|xhamster3.*|xhamster4.*|xhamster42.*|xhamster46.com|xhamster5.*|xhamster7.*|xhamster8.*|xhamsterporno.mx|xhbig.com|xhbranch5.com|xhchannel.com|xhchannel2.com|xhdate.world|xhday.com|xhday1.com|xhlease.world|xhmoon5.com|xhofficial.com|xhopen.com|xhplanet1.com|xhplanet2.com|xhreal2.com|xhreal3.com|xhspot.com|xhtab2.com|xhtab4.com|xhtotal.com|xhtree.com|xhvictory.com|xhwebsite.com|xhwebsite2.com|xhwebsite5.com|xhwide1.com|xhwide2.com|xhwide5.com +://collector.$domain=fullxh.com|galleryxh.site|hamsterix.*|megaxh.com|movingxh.world|seexh.com|unlockxh4.com|valuexh.life|xhaccess.com|xhadult2.com|xhadult3.com|xhadult4.com|xhadult5.com|xhamster.*|xhamster10.*|xhamster11.*|xhamster12.*|xhamster13.*|xhamster14.*|xhamster15.*|xhamster16.*|xhamster17.*|xhamster18.*|xhamster19.*|xhamster20.*|xhamster2.*|xhamster3.*|xhamster4.*|xhamster42.*|xhamster46.com|xhamster5.*|xhamster7.*|xhamster8.*|xhamsterporno.mx|xhbig.com|xhbranch5.com|xhchannel.com|xhchannel2.com|xhdate.world|xhday.com|xhday1.com|xhlease.world|xhmoon5.com|xhofficial.com|xhopen.com|xhplanet1.com|xhplanet2.com|xhreal2.com|xhreal3.com|xhspot.com|xhtab2.com|xhtab4.com|xhtotal.com|xhtree.com|xhvictory.com|xhwebsite.com|xhwebsite2.com|xhwebsite5.com|xhwide1.com|xhwide2.com|xhwide5.com +/api/models?userId=$xhr,domain=fullxh.com|galleryxh.site|hamsterix.*|megaxh.com|movingxh.world|seexh.com|unlockxh4.com|valuexh.life|xhaccess.com|xhadult2.com|xhadult3.com|xhadult4.com|xhadult5.com|xhamster.*|xhamster10.*|xhamster11.*|xhamster12.*|xhamster13.*|xhamster14.*|xhamster15.*|xhamster16.*|xhamster17.*|xhamster18.*|xhamster19.*|xhamster20.*|xhamster2.*|xhamster3.*|xhamster4.*|xhamster42.*|xhamster46.com|xhamster5.*|xhamster7.*|xhamster8.*|xhamsterporno.mx|xhbig.com|xhbranch5.com|xhchannel.com|xhchannel2.com|xhdate.world|xhday.com|xhday1.com|xhlease.world|xhmoon5.com|xhofficial.com|xhopen.com|xhplanet1.com|xhplanet2.com|xhreal2.com|xhreal3.com|xhspot.com|xhtab2.com|xhtab4.com|xhtotal.com|xhtree.com|xhvictory.com|xhwebsite.com|xhwebsite2.com|xhwebsite5.com|xhwide1.com|xhwide2.com|xhwide5.com +/api/models/vast$xhr,domain=fullxh.com|galleryxh.site|hamsterix.*|megaxh.com|movingxh.world|seexh.com|unlockxh4.com|valuexh.life|xhaccess.com|xhadult2.com|xhadult3.com|xhadult4.com|xhadult5.com|xhamster.*|xhamster10.*|xhamster11.*|xhamster12.*|xhamster13.*|xhamster14.*|xhamster15.*|xhamster16.*|xhamster17.*|xhamster18.*|xhamster19.*|xhamster20.*|xhamster2.*|xhamster3.*|xhamster4.*|xhamster42.*|xhamster46.com|xhamster5.*|xhamster7.*|xhamster8.*|xhamsterporno.mx|xhbig.com|xhbranch5.com|xhchannel.com|xhchannel2.com|xhdate.world|xhday.com|xhday1.com|xhlease.world|xhmoon5.com|xhofficial.com|xhopen.com|xhplanet1.com|xhplanet2.com|xhreal2.com|xhreal3.com|xhspot.com|xhtab2.com|xhtab4.com|xhtotal.com|xhtree.com|xhvictory.com|xhwebsite.com|xhwebsite2.com|xhwebsite5.com|xhwide1.com|xhwide2.com|xhwide5.com +||xhcdn.com/promo/$image,domain=fullxh.com|galleryxh.site|hamsterix.*|megaxh.com|movingxh.world|seexh.com|unlockxh4.com|valuexh.life|xhaccess.com|xhadult2.com|xhadult3.com|xhadult4.com|xhadult5.com|xhamster.*|xhamster10.*|xhamster11.*|xhamster12.*|xhamster13.*|xhamster14.*|xhamster15.*|xhamster16.*|xhamster17.*|xhamster18.*|xhamster19.*|xhamster20.*|xhamster2.*|xhamster3.*|xhamster4.*|xhamster42.*|xhamster46.com|xhamster5.*|xhamster7.*|xhamster8.*|xhamsterporno.mx|xhbig.com|xhbranch5.com|xhchannel.com|xhchannel2.com|xhdate.world|xhday.com|xhday1.com|xhlease.world|xhmoon5.com|xhofficial.com|xhopen.com|xhplanet1.com|xhplanet2.com|xhreal2.com|xhreal3.com|xhspot.com|xhtab2.com|xhtab4.com|xhtotal.com|xhtree.com|xhvictory.com|xhwebsite.com|xhwebsite2.com|xhwebsite5.com|xhwide1.com|xhwide2.com|xhwide5.com +! https://www.reddit.com/r/uBlockOrigin/comments/1hg0qx3/nsfw_opening_up_xhamster_tab_will_close_out_the/ +! https://github.com/uBlockOrigin/uAssets/issues/8124#issuecomment-2182073532 +! *$3p,popunder,domain=fullxh.com|galleryxh.site|hamsterix.*|megaxh.com|movingxh.world|seexh.com|unlockxh4.com|valuexh.life|xhaccess.com|xhadult2.com|xhadult3.com|xhadult4.com|xhadult5.com|xhamster.*|xhamster10.*|xhamster11.*|xhamster12.*|xhamster13.*|xhamster14.*|xhamster15.*|xhamster16.*|xhamster17.*|xhamster18.*|xhamster19.*|xhamster20.*|xhamster2.*|xhamster3.*|xhamster4.*|xhamster42.*|xhamster46.com|xhamster5.*|xhamster7.*|xhamster8.*|xhamsterporno.mx|xhbig.com|xhbranch5.com|xhchannel.com|xhchannel2.com|xhdate.world|xhday.com|xhday1.com|xhlease.world|xhmoon5.com|xhofficial.com|xhopen.com|xhplanet1.com|xhplanet2.com|xhreal2.com|xhreal3.com|xhspot.com|xhtab2.com|xhtab4.com|xhtotal.com|xhtree.com|xhvictory.com|xhwebsite.com|xhwebsite2.com|xhwebsite5.com|xhwide1.com|xhwide2.com|xhwide5.com +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.thumb-list > .video-thumb:style(margin-right: 0px !important;) +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.video-thumb[class*="__look-like-item"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##div[class*="sp-b"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##[class*="sp-l"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##[class*="containerBottomSpot"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.xp-banner-pause +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##div[class^="yld-"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.xp-banner-bottom + button +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##div[class$="-pauseSpotContainer"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##div[class*="cams-wgt"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##div[data-testid="right-banner-section"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##div[class*="widget-section"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##div[class$="premium-n-overlay"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##div[class*="clipstore-bottom"] +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##+js(set, initials.yld-pdpopunder, '') +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##+js(set-cookie, ts_popunder, true, , reload, 1) +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##+js(rpnt, script, popunder, , condition, popunder, stay, 1) +*$doc,csp=worker-src 'none',domain=fullxh.com|galleryxh.site|hamsterix.*|megaxh.com|movingxh.world|seexh.com|unlockxh4.com|valuexh.life|xhaccess.com|xhadult2.com|xhadult3.com|xhadult4.com|xhadult5.com|xhamster.*|xhamster10.*|xhamster11.*|xhamster12.*|xhamster13.*|xhamster14.*|xhamster15.*|xhamster16.*|xhamster17.*|xhamster18.*|xhamster19.*|xhamster2.*|xhamster20.*|xhamster3.*|xhamster4.*|xhamster42.*|xhamster46.com|xhamster5.*|xhamster7.*|xhamster8.*|xhamsterporno.mx|xhbig.com|xhbranch5.com|xhchannel.com|xhchannel2.com|xhdate.world|xhday.com|xhday1.com|xhlease.world|xhmoon5.com|xhofficial.com|xhopen.com|xhplanet1.com|xhplanet2.com|xhreal2.com|xhreal3.com|xhspot.com|xhtab2.com|xhtab4.com|xhtotal.com|xhtree.com|xhvictory.com|xhwebsite.com|xhwebsite2.com|xhwebsite5.com|xhwide1.com|xhwide2.com|xhwide5.com +! xh interstitial page +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##+js(cookie-remover, video_view_count) +||xhamsterpremium.com^$3p +||xhamsterlive.com^$3p +*$frame,3p,denyallow=google.com|xh.video,domain=fullxh.com|galleryxh.site|hamsterix.*|megaxh.com|movingxh.world|seexh.com|unlockxh4.com|valuexh.life|xhaccess.com|xhadult2.com|xhadult3.com|xhadult4.com|xhadult5.com|xhamster.*|xhamster10.*|xhamster11.*|xhamster12.*|xhamster13.*|xhamster14.*|xhamster15.*|xhamster16.*|xhamster17.*|xhamster18.*|xhamster19.*|xhamster20.*|xhamster2.*|xhamster3.*|xhamster4.*|xhamster42.*|xhamster46.com|xhamster5.*|xhamster7.*|xhamster8.*|xhamsterporno.mx|xhbig.com|xhbranch5.com|xhchannel.com|xhchannel2.com|xhdate.world|xhday.com|xhday1.com|xhlease.world|xhmoon5.com|xhofficial.com|xhopen.com|xhplanet1.com|xhplanet2.com|xhreal2.com|xhreal3.com|xhspot.com|xhtab2.com|xhtab4.com|xhtotal.com|xhtree.com|xhvictory.com|xhwebsite.com|xhwebsite2.com|xhwebsite5.com|xhwide1.com|xhwide2.com|xhwide5.com +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.thumb-list-mobile-item--widget +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.no-ts-initiailize +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.video-page__layout-ad +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.VDkO-px +fullxh.com,galleryxh.site,hamsterix.*,megaxh.com,movingxh.world,seexh.com,unlockxh4.com,valuexh.life,xhaccess.com,xhadult2.com,xhadult3.com,xhadult4.com,xhadult5.com,xhamster.*,xhamster1.*,xhamster10.*,xhamster11.*,xhamster12.*,xhamster13.*,xhamster14.*,xhamster15.*,xhamster16.*,xhamster17.*,xhamster18.*,xhamster19.*,xhamster20.*,xhamster2.*,xhamster3.*,xhamster4.*,xhamster42.*,xhamster46.com,xhamster5.*,xhamster7.*,xhamster8.*,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhday.com,xhday1.com,xhlease.world,xhmoon5.com,xhofficial.com,xhopen.com,xhplanet1.com,xhplanet2.com,xhreal2.com,xhreal3.com,xhspot.com,xhtab2.com,xhtab4.com,xhtotal.com,xhtree.com,xhvictory.com,xhwebsite.com,xhwebsite2.com,xhwebsite5.com,xhwide1.com,xhwide2.com,xhwide5.com##.VDkO-pxpremium-n-overlay +/api/models/vast?userId=*&adblocked=$xhr,1p +! https://github.com/uBlockOrigin/uAssets/issues/23538#issuecomment-2137202178 +&spotPageType=*&statsUID=$frame,xhr +/mlxhl/v*/for-page?$xhr +xhamster20.*##.yxd-jbanner +xhamster20.*##.player-add-overlay +! https://github.com/uBlockOrigin/uAssets/issues/17237 +||xhamster20.*/api/*/vast + +! https://github.com/uBlockOrigin/uAssets/issues/23749 +! https://github.com/uBlockOrigin/uAssets/issues/25611 +play.nova.bg##+js(no-xhr-if, googlesyndication) +play.nova.bg##+js(no-xhr-if, /googima.js) + +! https://github.com/NanoMeow/QuickReports/issues/3256 +@@||thehouseofportable.com^$ghide +@@||thehouseofportable.com^$script,1p +@@*$xhr,domain=thehouseofportable.com +*$script,redirect-rule=noopjs,domain=thehouseofportable.com +thehouseofportable.com##ins.adsbygoogle +thehouseofportable.com###mt > [onclick][data-user] +thehouseofportable.com##a[href*="/aff.php?aff="] +||thehouseofportable.com/wp-content/uploads/2020/06/purevpn.jpg$image +! https://github.com/uBlockOrigin/uAssets/issues/23773 +thehouseofportable.com##+js(nano-stb, 0x, *) + +! https://github.com/uBlockOrigin/uAssets/issues/23776 +@@||dancewave.online^$script,1p +||dancewave.online/js/dwab.js$script,1p,important + +! https://github.com/uBlockOrigin/uAssets/issues/7195 +! https://github.com/uBlockOrigin/uAssets/issues/23793 +brainly.*,eodev.com##+js(nostif, trigger, 0) +@@*$ghide,domain=brainly.*|eodev.com +brainly.*##[class^="BrainlyAdsPlaceholder"] +brainly.*,eodev.com##.brn-ads-box +brainly.*,eodev.com##.js-scroll-to-unlock-section.brn-kodiak-answer-redesigned__unlock +brainly.*,eodev.com##[data-testid="brainly_ads_placeholder"] +brainly.*##+js(aopr, __brn_private_mode) + +! https://github.com/uBlockOrigin/uAssets/issues/3142 +! https://github.com/uBlockOrigin/uAssets/issues/12845 +*$script,redirect-rule=noopjs,domain=linkneverdie.net +linkneverdie.net###adsqc +linkneverdie.net##.quangcao +! https://github.com/uBlockOrigin/uAssets/issues/18130 +linkneverdie.net##.show.fade.modal-backdrop +linkneverdie.net##body:style(overflow: auto !important;) +! https://github.com/uBlockOrigin/uAssets/commit/c68f9f2234733788cd04178dba2bd923ab77579a +linkneverdie.net#@#+js(nostif, t) +@@||quantumdex.io^$script,domain=linkneverdie.net + +! https://github.com/uBlockOrigin/uAssets/issues/869 +porntrex.com###index-link +*$script,3p,denyallow=blazingcdn.net|cdntrex.com|fastly.net|google.com|googleapis.com|gstatic.com|h-cdn.com|stackpathcdn.com,domain=porntrex.com +! https://github.com/uBlockOrigin/uAssets/commit/775ab4c3221128355764b828902e5d70468d6f4d#commitcomment-61301673 +porntrex.com##+js(disable-newtab-links) +! https://github.com/uBlockOrigin/uAssets/issues/15503 +||porndoe.com/movie/preroll/*$media,redirect=noopmp4-1s,domain=porntrex.com +||porndoe.com/sitePreRoll/ +! https://github.com/uBlockOrigin/uAssets/issues/22630#issuecomment-2136933880 +porndoe.com##.bunny-container:style(display: flex !important;) +porndoe.com##.bunny-button-resume:style(display: grid !important;) +porndoe.com##.bunny-icon[disabled]:remove-attr(disabled) + +! https://github.com/uBlockOrigin/uAssets/issues/1286 +torrentdownloads.*##+js(nowebrtc) +torrentdownload.*,torrentdownloads.*##+js(acs, adcashMacros) +torrentdownload.*,torrentdownloads.*##[href^="/td/?"] +torrentdownload.*##+js(rmnt, script, shown_at) +torrentdownload.*##+js(acs, JSON.parse, break;case) +torrentdownload.*##+js(nowoif) +torrentdownload.*##[href^="/bing."] +torrentdownload.*##[href^="/get.php"] +torrentdownload.*##[href^="https://goo.gl/"] +torrentdownload.*##TR:has-text(Stream:) +torrentdownload.*##.table2:has-text(Sponsored) +||torrentdownload.*/*.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/1634 +! https://github.com/uBlockOrigin/uAssets/issues/6749 +katfile.com##+js(acs, document.createElement, onerror) +katfile.com##+js(nano-stb) +katfile.com##+js(nowoif) +katfile.com##+js(set, adblock, false) +! https://github.com/uBlockOrigin/uAssets/issues/23909 +katfile.com###container > p > a[href*="?"]:has(> img) +||katfile.com/images/dlli.png$image + +! https://github.com/uBlockOrigin/uAssets/issues/1254 +homemoviestube.com##+js(aopr, decodeURI) +homemoviestube.com##.film-aside-ads +! https://github.com/uBlockOrigin/uAssets/issues/23917 +homemoviestube.com##+js(aeld, click, clickCount) +&vast=$xhr,domain=homemoviestube.com +||homemoviestube.com/b4b8.js + +! https://github.com/uBlockOrigin/uAssets/issues/6069 +! https://github.com/uBlockOrigin/uAssets/issues/13754#issuecomment-1158782085 +! https://github.com/AdguardTeam/AdguardFilters/issues/167090 +file-upload.*##+js(noeval-if, ppu) +file-upload.*##+js(nowoif) +file-upload.*##+js(acs, document.getElementById, undefined) +file-upload.*##+js(acs, document.documentElement, break;case $.) +3upload.com,file-up.org,file-upload.*##+js(acs, getCookie, setCookie) +file-upload.*##ins.adsbygoogle +! https://github.com/uBlockOrigin/uAssets/issues/13862 +||file-upload.com^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +file-upload.com##^meta[http-equiv="refresh"] +file-upload.*##+js(aopw, Fingerprint2) +! https://github.com/AdguardTeam/AdguardFilters/issues/196789 +file-upload.net##+js(set, advertisement3, true) +||file-upload.*^$frame +/werbebanner-$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/10319 +oploverz.*##+js(acs, $, popup) +oploverz.*##+js(nostif, popup) +oploverz.*###overplay +*.gif$domain=oploverz.*,image +*$script,3p,denyallow=cloudflare.com|disqus.com|disquscdn.com|facebook.com|fastlylb.net|fbcdn.net|facebook.net|googleapis.com|jsdelivr.net|statically.io|githack.com|gitcdn.xyz|gitcdn.link|gitcdn.herokuapp.com|arc.io|fluidplayer.com,domain=oploverz.* + +! https://github.com/AdguardTeam/AdguardFilters/issues/50179 +*$xhr,redirect-rule=noop.txt,domain=tunein.com +! https://github.com/uBlockOrigin/uAssets/issues/22351 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=tunein.com,important +||imasdk.googleapis.com/pal/sdkloader/pal.js$script,3p,redirect=noopjs,domain=tunein.com,important + +! https://www.reddit.com/r/uBlockOrigin/comments/7wpk97/cant_block_ad_at_the_bottom_of_readcomiconline/ +! https://www.reddit.com/r/uBlockOrigin/comments/1dkss3r/readcomiconline_detecting_adblock/ +! https://forums.lanik.us/viewtopic.php?p=136688#p136688 +readcomiconline.*##+js(no-xhr-if, /adskeeper|bidgear|googlesyndication|mgid/) +readcomiconline.*##+js(aopr, adblockDetector) +||vliplatform.com^$3p +readcomiconline.*##.adsbyvli:upward(div[style^="width: 300px; height: 250px"]) +readcomiconline.*##.divCloseBut +*$script,3p,denyallow=cloudfront.net|disqus.com|disquscdn.com|edgecastcdn.net|facebook.net|fastlylb.net|fbcdn.net|twitter.com|x.com,domain=readcomiconline.* +! https://www.reddit.com/r/uBlockOrigin/comments/18h450p/redirects_and_popups/ +readcomiconline.*##+js(aeld, mousedown, localStorage) + +! https://github.com/AdguardTeam/AdguardFilters/issues/50762 +@@||lightnovelworld.com^$ghide +lightnovelworld.com##+js(set, importFAB, undefined) +lightnovelworld.com##.adsbox +lightnovelworld.com##ins.adsbygoogle +lightnovelworld.com##.vl-ad +lightnovelworld.com##.vnad-in +lightnovelworld.com###vn-slot-top + +! https://www.lightnovelworld.co/home +lightnovelworld.*##.uaxcKxir +! https://www.reddit.com/r/uBlockOrigin/comments/1fg31wv/ad_window_not_being_blocked/ +lightnovelworld.*##div[data-mobid] +! https://www.reddit.com/r/uBlockOrigin/comments/1dp9el3/ad_window_keeps_appearing_even_when_i_use_the/ +lightnovelcave.com##[data-defid] + +! https://github.com/DandelionSprout/adfilt/issues/7#issuecomment-493395377 +! https://github.com/uBlockOrigin/uAssets/issues/6726 +! https://github.com/uBlockOrigin/uAssets/issues/24223 +pixiv.net###js-mount-point-header.with-ad:style(min-height: auto !important) +pixiv.net##._illust-upload + div[style*="968px;"][style*="170px;"] +pixiv.net##div[class^="sc-"] > div[class^="sc-"]:has(> div[style*="width: 728px;"]:only-child > iframe[name="footer"][width="728"][height="90"]):matches-css(padding-bottom: 56px) +pixiv.net##iframe[name="dashboard_home"]:upward(div[class^="sc-"][span="1"]) +pixiv.net##div[style="margin: 48px auto 8px; width: 728px; line-height: 0; font-size: 0px;"] +pixiv.net##div[style^="margin-left:"]:has(> iframe[name="header"][width="468"][height="60"]) +pixiv.net##div[style^="font-size:"]:has(> iframe[name="rectangle"][width="300"]) +pixiv.net##.gtm-toppage-thumbnail-illustration-recommend-works-zone li:has(> div > iframe[name="topbranding_rectangle"][width="300"][height="250"]) +pixiv.net##.gtm-toppage-thumbnail-manga-recommend-works-zone li:has(> iframe[name="comic"][width="184"][height="232"]) +pixiv.net##main > section > div > div:has(> iframe[name][width="500"][height="520"]) +pixiv.net##section > div[class^="sc-"]:last-child:has(> div[style*="width: 728px;"]:only-child > iframe[name="footer"][width="728"][height="90"]):matches-css(margin-bottom: -16px) +pixiv.net##div[data-overlay-container="true"] > div:not([class]) > div[class^="sc-"]:has(> div[id^="adsdk"]) +pixiv.net##div[style="position: static; z-index: auto;"] + div[style^="margin-left"]:empty +! https://github.com/uBlockOrigin/uAssets/issues/22418 +pixiv.net##section ul > li:has(> iframe[name="infeed"]) + +! https://github.com/uBlockOrigin/uAssets/issues/1627 +! https://github.com/uBlockOrigin/uAssets/issues/1650 +! https://github.com/uBlockOrigin/uAssets/issues/2732 +! https://github.com/uBlockOrigin/uAssets/issues/4523 +mercurynews.com##+js(set, CnnXt.Event.fire, noopFunc) +mercurynews.com##.dfp-ad +/wp-content/client-mu-plugins/src/Paywall/static/js/connext-paywall-analytics.min.js + +! https://github.com/easylist/easylist/issues/3796 +! https://github.com/uBlockOrigin/uAssets/issues/14168 +! https://github.com/uBlockOrigin/uAssets/issues/14239 +||cdn.http.anno.channel4.com/m/1/$media,domain=uktvplay.uktv.co.uk +! https://www.reddit.com/r/uBlockOrigin/comments/1du8pns/ad_blocker_detected_on_uktv_play/ +! https://github.com/uBlockOrigin/uAssets/issues/15582 +u.co.uk,uktvplay.co.uk,uktvplay.uktv.co.uk##+js(no-xhr-if, fwmrm.net) +! https://github.com/uBlockOrigin/uAssets/issues/22358 +u.co.uk,uktvplay.co.uk,uktvplay.uktv.co.uk##+js(no-fetch-if, fwmrm.net) + +! https://github.com/uBlockOrigin/uAssets/issues/2651 +! https://github.com/uBlockOrigin/uAssets/issues/14352 +channel4.com##+js(no-xhr-if, /\/ad\/g\/1/) +channel4.com##.advertsMpu +channel4.com##.block--mpu +! https://github.com/uBlockOrigin/uAssets/issues/24873 +channel4.com##+js(json-prune, adverts.breaks) + +! mail.yahoo.com stuff +mail.yahoo.com##[data-test-id="right-rail-ad"] +! https://github.com/uBlockOrigin/uAssets/issues/13439 +mail.yahoo.com##[data-test-id="video-container"] +! https://github.com/uBlockOrigin/uAssets/issues/19333 +mail.yahoo.com##[aria-labelledby^="bottom-sticky-pencil-ad-brand-name"] +! https://www.reddit.com/r/uBlockOrigin/comments/1atftuq/help_on_sportsyahoocom_ads/ +sports.yahoo.com##div[id^="mrt-node-"][id$="-Ad"] +! https://github.com/uBlockOrigin/uAssets/issues/2249 +in.search.yahoo.com##.reg:has([href*="aclick"]) +in.search.yahoo.com##.reg:has([href*="clk"]) +! https://github.com/NanoMeow/QuickReports/issues/2244 +yahoo.com##.ys-mobileFeaturedAd +||cdn.yahoomedia.net/creatives/*/BlackFriday +yahoo.com###HPSPON-ad +! https://github.com/uBlockOrigin/uAssets/issues/5699 +||edgecast-vod.yimg.com/$media,redirect=noopmp3-0.1s,domain=yahoo.com +! https://github.com/uBlockOrigin/uAssets/issues/24416 +www.yahoo.com##.sticky[class*="top-"]:has(style) +! https://github.com/uBlockOrigin/uAssets/issues/25532 +www.yahoo.com##div[id]:has(> div[id^="top_center-frontpage_"]) + +! https://github.com/uBlockOrigin/uAssets/issues/1802 +jpopsingles.eu##+js(nano-sib, downloadTimer) +jpopsingles.eu##+js(acs, document.createElement, /l\.parentNode\.insertBefore\(s/) +jpopsingles.eu##+js(noeval-if, adsBlocked) +@@||jpopsingles.eu^$ghide +@@||jpopsingles.eu^$image,1p +/ap-plugin-scripteo/frontend/img/728x90.png$image,redirect=1x1.gif +! https://www.reddit.com/r/uBlockOrigin/comments/1dyvn5w/ubo_getting_detected_on_jpopsingleseu/ +jpopsingles.eu##+js(acs, document.createElement, break;case) +jpopsingles.eu##+js(aeld, DOMContentLoaded, document.documentElement.lang.toLowerCase) +jpopsingles.eu##+js(rmnt, script, adsSrc) +jpopsingles.eu##+js(no-fetch-if, ads, length:10, {"type": "cors"}) +jpopsingles.eu##+js(aost, atob, injectedScript) + +! https://github.com/uBlockOrigin/uAssets/issues/1932 +megawarez.org##+js(aopw, smrtSB) +megawarez.org##[class^="ads"] +megawarez.org##[id^="text-"] > .textwidget > p > [href][target="_blank"] > .size-full.alignnone +! https://github.com/uBlockOrigin/uAssets/issues/1932#issuecomment-457093955 +megawarez.org##.onp-sl-content:style(display: block !important;) +megawarez.org##.onp-sl-social-locker +mwpaste.com##+js(nowoif, /^/, 15) +*$frame,3p,domain=mwpaste.com +! https://github.com/uBlockOrigin/uAssets/issues/1932#issuecomment-465748184 +acortalo.*,acortar.*,megadescarga.net##+js(nofab) +acortalo.*,acortar.*,megadescarga.net,megadescargas.net##+js(nano-sib, , , 0) +acortalo.*,acortar.*,megadescarga.net,megadescargas.net##+js(set, clicked, true) +acortalo.*,acortar.*,megadescarga.net,megadescargas.net##+js(set, eClicked, true) +acortalo.*,acortar.*,megadescarga.net,megadescargas.net##+js(set, number, 0) +acortalo.*,acortar.*,megadescarga.net,megadescargas.net##+js(set, sync, true) +||acortalo.*^$3p +@@*$css,1p,domain=acortalo.*|acortar.*|megadescarga.net +@@*$ghide,domain=acortalo.*|acortar.*|megadescarga.net +*$popunder,domain=acortalo.*|acortar.*|megadescarga.net|megadescargas.net +! https://github.com/uBlockOrigin/uAssets/issues/16645#issuecomment-2224260943 +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,3p,redirect=google-ima.js,domain=acortalink.* + +! https://www.reddit.com/r/uBlockOrigin/comments/pebw5s/not_able_to_watch_videos/ +hentaihaven.xxx##+js(noeval-if, debugger) +*$xhr,redirect-rule=nooptext,domain=hentaihaven.xxx +hentaihaven.xxx##+js(nowoif) +hentaihaven.xxx##+js(set, PlayerLogic.prototype.detectADB, noopFunc) +hentaihaven.xxx##+js(no-fetch-if, ads-twitter.com) +hentaihaven.xxx##+js(json-prune, *, all) +hentaihaven.xxx##.hhzt +hentaihaven.xxx##.code-block +hentaihaven.xxx##.popecrazy +||havenclick.com^ +@@||hentaihaven.xxx^$script,1p +@@||hentaihaven.xxx^$ghide +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=hentaihaven.xxx +! hentaihaven .com/icu ads, popup +||hentaihaven.icu/wp-content/plugins/sscript-manager/ +||mult-imgs.cyou/images/*.gif$image,domain=hentaihaven.xxx +! interstitial page +hentaihaven.xxx##+js(aopw, Script_Manager) + +! https://github.com/uBlockOrigin/uAssets/issues/5411 +! https://github.com/uBlockOrigin/uAssets/issues/7481 +! https://github.com/uBlockOrigin/uAssets/issues/24517 +itv.com##+js(xml-prune, VAST > Ad, , /tserver) +itv.com##+js(nowoif) +||toots-a.akamaihd.net/priority/*$media,redirect=noopmp3-0.1s,domain=itv.com +||toots-a.akamaihd.net/priority/*$media,redirect=noopmp4-1s,domain=itv.com +itv.com##.stage__upsell-button +itv.com##.seek-bar__ad + +! https://github.com/uBlockOrigin/uAssets/issues/4526 +wsj.com##[class*="sponsored"] +wsj.com##div[id^="wrapper-AD_"] +wsj.com##div[class^="style--column--"]:has(> div[class=""] > div[id^="wrapper-AD_NATIVE"]) +! https://www.wsj.com/livecoverage/tropical-storm-idalia-hurricane-florida?mod=hp_lead_pos7 +wsj.com##.css-1fl953o +! https://www.reddit.com/r/uBlockOrigin/comments/1e9f5xd/videos_not_working_on_marketwatchcom/ +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=marketwatch.com|wsj.com,important + +! https://www.cbssports.com/olympics/news/victor-wembanyama-olympic-debut-french-superstars-first-game-was-even-more-impressive-than-his-stats-show/ +cbssports.com##.Skybox--minHeight, .Skybox--minHeightBoth:style(--global-nav-v2-offset: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/5700 +supertelevisionhd.com##+js(aopr, AaDetector) +! https://github.com/uBlockOrigin/uAssets/issues/24822 +###anuncio +chavesnamao.com.br#@##anuncio +dip-badajoz.es#@##anuncio + +! https://github.com/uBlockOrigin/uAssets/issues/1090 +jacquieetmicheltv.net##+js(set, is_adblocked, false) +jacquieetmicheltv.net##+js(set, showPopunder, noopFunc) +jacquieetmicheltv.net##.espace-cam +||easysexe.com^$3p +||tawenda-tech.net^$frame,3p +||rencontres-coquines.jacquieetmichel.net^ +! https://www.reddit.com/r/uBlockOrigin/comments/1er2hbb/video_advertising_on_this_site/ +*$frame,3p,from=jacquieetmicheltv.net|jacquieetmicheltv2.net,to=~my18pass.com +||gankana.com/ins/$3p,media,redirect=noopmp3-0.1s +jacquieetmicheltv.net,jacquieetmicheltv2.net##+js(set, Object.prototype.prerollAds, []) +jacquieetmicheltv.net,jacquieetmicheltv2.net##html[data-orlock-url]:remove-attr(data-orlock-url) +jacquieetmicheltv.net,jacquieetmicheltv2.net##.main__section--swame +jacquieetmicheltv.net,jacquieetmicheltv2.net##.contents-list--zeder-home_top +jacquieetmicheltv.net,jacquieetmicheltv2.net##.contents-list--zeder-detail-middle-2 +jacquieetmicheltv.net,jacquieetmicheltv2.net##.contents-list--zeder-detail-bottom + +! https://forums.lanik.us/viewtopic.php?f=62&t=40741 +! https://github.com/uBlockOrigin/uAssets/issues/25005 +mangaku.*,~mangaku.win##+js(nowebrtc) +mangaku.*,~mangaku.win##+js(acs, $, onclick) +.gif^$image,domain=mangaku.*|~mangaku.win + +! https://github.com/uBlockOrigin/uAssets/issues/2484 +! https://mkvcinemas.cat/ +/\/data\/cache\/min\/1\/[a-f0-9]+\.js\b/$script,1p,domain=mkvcinemas.* +mkvcinemas.*##a[title="mkvAnime"] +mkvcinemas.*##+js(rmnt, script, shown_at) +mkvcinemas.*##+js(nowoif) +*$script,3p,denyallow=googleapis.com,domain=mkvcinemas.* +mkvcinemas.*###SH-Ads + +! https://github.com/uBlockOrigin/uAssets/issues/6114 +! https://github.com/uBlockOrigin/uAssets/issues/25026 +erogen.su##+js(aopr, document.dispatchEvent) + +! https://github.com/NanoMeow/QuickReports/issues/155 +! https://github.com/uBlockOrigin/uAssets/issues/16014 +@@||api.production.k8s.y3o.tv/*/video-ads$xhr,domain=yallo.tv +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=yallo.tv +||adservice.google.com^$script,redirect=noopjs,domain=yallo.tv +imasdk.googleapis.com##+js(no-fetch-if, secure.adnxs.com/ptv, war:noop-vast4.xml) + +! https://github.com/uBlockOrigin/uAssets/issues/2449 +! https://github.com/AdguardTeam/AdguardFilters/issues/147765 +! https://github.com/uBlockOrigin/uAssets/issues/13169 +a2zapk.*##+js(acs, atob, decodeURIComponent) +a2zapk.*##+js(aopr, AaDetector) +a2zapk.*##+js(set, notifyMe, noopFunc) +||a2zapk.*/js/notification.js +@@||a2zupload.com^$ghide +@@||googlesyndication.com/pagead/$script,domain=a2zupload.com +@@*$image,domain=a2zupload.com +a2zapk.*,a2zupload.com##ins.adsbygoogle +a2zapk.*##+js(acs, $, alertmsg) +@@||dl.a2zapk.*/getred.php$xhr,domain=a2zapk.* +@@||tmp.a2zapk.*/js/advertisement/$frame,domain=a2zapk.* +||googlesyndication.com^$image,redirect=1x1.gif,domain=a2zapk.* + +! https://github.com/uBlockOrigin/uAssets/issues/5141 +@@||virginmediatelevision.ie/player/$xhr,1p +@@||virginmediatelevision.ie/includes/js/cookienotice.js.pagespeed.$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/25164 +play.virginmediatelevision.ie##+js(json-prune, avails) +play.virginmediatelevision.ie##+js(json-prune-fetch-response, response.ads, , propsToMatch, /streams) + +! serialy.bombuj.tv | .si anti adb +! https://github.com/uBlockOrigin/uAssets/issues/22253 +@@||bombuj.*^$ghide +bombuj.*##.ad_banner +bombuj.*##[id*="ekla"] +bombuj.*##style:has-text(blink_me_ad):upward(2) +! https://github.com/uBlockOrigin/uAssets/issues/25239 +bombuj.*###players a[href][target="_blank"]:remove-attr(/href|target/) +bombuj.*##[id^="ad_banner"] ~ a +waaaw.*,waaw1.*##+js(aopr, doSecondPop) +waaaw.*,waaw.*,waaw1.*##+js(aopr, BetterJsPop) +/cdn-cgi/trace$xhr,domain=waaw.*|waaaw.* +bombuj.*##+js(no-fetch-if, ads) +bombuj.*##+js(nobab) + +! https://github.com/uBlockOrigin/uAssets/issues/4356 +@@||adserver.iprom.net/adserver7$xhr,domain=rtl.hr +! https://github.com/uBlockOrigin/uAssets/issues/25274 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=rtl.hr +@@||cdn.jsdelivr.net/npm/videojs-contrib-ads$script,domain=rtl.hr +*$object,redirect-rule=noopframe,domain=rtl.hr + +! https://github.com/uBlockOrigin/uAssets/issues/6585 +! https://github.com/uBlockOrigin/uAssets/issues/14423 +fcportables.com##+js(set, adsClasses, undefined) +fcportables.com##+js(set, gsecs, 0) +fcportables.com##+js(rmnt, script, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/7343 +! https://www.reddit.com/r/uBlockOrigin/comments/1glppet/how_to_block_invisible_ads_over_videos/ +dood.*,doods.pro,dooodster.com,dooood.*,ds2play.com##+js(aopw, DoodPop) +d0o0d.com,do0od.com,dood.*,dooodster.com,ds2video.com##+js(acs, decodeURI, decodeURIComponent) +dood.*##+js(aopr, __aaZoneid) +d0000d.com,d000d.com,d0o0d.com,do0od.com,dood.*,doods.pro,dooodster.com,dooood.*,ds2play.com,ds2video.com##+js(nowoif) +d0000d.com,d000d.com,d0o0d.com,do0od.com,dood.*,doods.pro,doodstream.*,dooodster.com,dooood.*,ds2play.com,ds2video.com##+js(rmnt, script, /adblock|popunder|openedPop|WebAssembly/) +/sw.js$script,domain=d0000d.com|d000d.com|d0o0d.com|do0od.com|dood.*|doods.pro|dooodster.com|dooood.*|ds2play.com|ds2video.com +*$script,3p,denyallow=cdnjs.cloudflare.com|doodcdn.co|fastlycdn.com|gstatic.com,domain=dooodster.com +$popup,3p,domain=ds2play.com,badfilter +! https://github.com/uBlockOrigin/uAssets/issues/23268 +! https://github.com/uBlockOrigin/uAssets/issues/25511 +! https://github.com/uBlockOrigin/uAssets/issues/25516 +! https://megacloud.tube/embed-1/e-1/jBK66v0MXBoa?z= / megacloud.tv +! https://www.reddit.com/r/Piracy/comments/1fwlxsq/anyone_knows_how_to_remove_this_pop_up_ad_on/ +hianime.to##[href="https://1flix.to/"] +###vidcloud-player > #overlay-container +/embed-1/ajax/e-1/banners|$xhr,1p,strict1p +/ajax/embed-4/banners|$xhr,1p,strict1p +/ajax/banner/vpn|$xhr,1p,strict1p +/ajax/banners?page=$xhr,1p,strict1p +||iili.io/JvfIu1a.gif$image +||i.ibb.co/wyDmK31/Banner.png^$image,3p + +! https://forums.lanik.us/viewtopic.php?f=90&t=40441 +! https://github.com/uBlockOrigin/uAssets/issues/5223 +winfuture.de##+js(json-prune, adtagparameter, enabled) +winfuture.de##[id$="_adContainer"] +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,from=winfuture.de +@@||widget.spoods.io/loader.js$script,domain=winfuture.de + +! https://github.com/uBlockOrigin/uAssets/issues/16693 +! https://github.com/uBlockOrigin/uAssets/issues/18099 +emurom.net##+js(set, dvsize, 52) +emurom.net##+js(aost, jQuery, removeDLElements) + +! https://github.com/uBlockOrigin/uAssets/issues/1549 +! https://www.reddit.com/r/uBlockOrigin/comments/x289uk +! https://github.com/uBlockOrigin/uAssets/issues/25809 +xfreehd.com##.nvheader > span:has-text(Advertisement) +*$frame,redirect-rule=noopframe,domain=xfreehd.com +xfreehd.com##.ad-body:remove() +xfreehd.com##+js(rmnt, script, /popMagic|nativeads|navigator\.brave|\.abk_msg|\.innerHTML|ad block|manipulation/) +xfreehd.com##+js(nostif, /\.append|\.innerHTML|undefined|\.css|blocker|flex|\$\('|obfuscatedMsg/) + +! https://github.com/uBlockOrigin/uAssets/issues/1024 +@@||arkadiumhosted.com^$script,domain=arkadiumarena.com|games.baltimoresun.com|games.chicagotribune.com|games.dailypress.com|games.express.co.uk|games.mcall.com|games.nydailynews.com|games.orlandosentinel.com|games.sun-sentinel.com|puzzles.bestforpuzzles.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=arkadiumarena.com|games.baltimoresun.com|games.chicagotribune.com|games.dailypress.com|games.express.co.uk|games.mcall.com|games.nydailynews.com|games.orlandosentinel.com|games.sun-sentinel.com|juegos.elpais.com|puzzles.bestforpuzzles.com|games.startribune.com +||arkadiumhosted.com/*/adsBlob/$xhr,domain=bestforpuzzles.com|charlotteobserver.com|independent.co.uk|miamiherald.com|standard.co.uk|word.tips +##.ark-ad-message +! https://www.reddit.com/r/uBlockOrigin/comments/pmutke/ +! https://www.reddit.com/r/uBlockOrigin/comments/tp3gtr/how_to_get_rid_of_antiadblock_on_site_could_you/ +arcade.buzzrtv.com,arcade.lemonde.fr,arena.gamesforthebrain.com,bestpuzzlesandgames.com,cointiply.arkadiumarena.com,gamelab.com,games.abqjournal.com,games.amny.com,games.bellinghamherald.com,games.besthealthmag.ca,games.bnd.com,games.boston.com,games.bostonglobe.com,games.bradenton.com,games.centredaily.com,games.charlotteobserver.com,games.cnhinews.com,games.crosswordgiant.com,games.dallasnews.com,games.daytondailynews.com,games.denverpost.com,games.everythingzoomer.com,games.fresnobee.com,games.gameshownetwork.com,games.get.tv,games.greatergood.com,games.heraldonline.com,games.heraldsun.com,games.idahostatesman.com,games.insp.com,games.islandpacket.com,games.journal-news.com,games.kansas.com,games.kansascity.com,games.kentucky.com,games.lancasteronline.com,games.ledger-enquirer.com,games.macon.com,games.mashable.com,games.mercedsunstar.com,games.miamiherald.com,games.modbee.com,games.moviestvnetwork.com,games.myrtlebeachonline.com,games.nationalreview.com,games.newsobserver.com,games.parade.com,games.pressdemocrat.com,games.puzzlebaron.com,games.puzzler.com,games.puzzles.ca,games.qns.com,games.readersdigest.ca,games.sacbee.com,games.sanluisobispo.com,games.sixtyandme.com,games.sltrib.com,games.springfieldnewssun.com,games.star-telegram.com,games.startribune.com,games.sunherald.com,games.theadvocate.com,games.thenewstribune.com,games.theolympian.com,games.theportugalnews.com,games.thestar.com,games.thestate.com,games.tri-cityherald.com,games.triviatoday.com,games.usnews.com,games.word.tips,games.wordgenius.com,games.wtop.com,jeux.meteocity.com,juegos.as.com,juegos.elnuevoherald.com,juegos.elpais.com,philly.arkadiumarena.com,play.dictionary.com,puzzles.bestforpuzzles.com,puzzles.centralmaine.com,puzzles.crosswordsolver.org,puzzles.independent.co.uk,puzzles.nola.com,puzzles.pressherald.com,puzzles.standard.co.uk,puzzles.sunjournal.com#@#display-ad-component +arcade.buzzrtv.com,arcade.lemonde.fr,arena.gamesforthebrain.com,bestpuzzlesandgames.com,cointiply.arkadiumarena.com,gamelab.com,games.abqjournal.com,games.amny.com,games.bellinghamherald.com,games.besthealthmag.ca,games.bnd.com,games.boston.com,games.bostonglobe.com,games.bradenton.com,games.centredaily.com,games.charlotteobserver.com,games.cnhinews.com,games.crosswordgiant.com,games.dallasnews.com,games.daytondailynews.com,games.denverpost.com,games.everythingzoomer.com,games.fresnobee.com,games.gameshownetwork.com,games.get.tv,games.greatergood.com,games.heraldonline.com,games.heraldsun.com,games.idahostatesman.com,games.insp.com,games.islandpacket.com,games.journal-news.com,games.kansas.com,games.kansascity.com,games.kentucky.com,games.lancasteronline.com,games.ledger-enquirer.com,games.macon.com,games.mashable.com,games.mercedsunstar.com,games.miamiherald.com,games.modbee.com,games.moviestvnetwork.com,games.myrtlebeachonline.com,games.nationalreview.com,games.newsobserver.com,games.parade.com,games.pressdemocrat.com,games.puzzlebaron.com,games.puzzler.com,games.puzzles.ca,games.qns.com,games.readersdigest.ca,games.sacbee.com,games.sanluisobispo.com,games.sixtyandme.com,games.sltrib.com,games.springfieldnewssun.com,games.star-telegram.com,games.startribune.com,games.sunherald.com,games.theadvocate.com,games.thenewstribune.com,games.theolympian.com,games.theportugalnews.com,games.thestar.com,games.thestate.com,games.tri-cityherald.com,games.triviatoday.com,games.usnews.com,games.word.tips,games.wordgenius.com,games.wtop.com,jeux.meteocity.com,juegos.as.com,juegos.elnuevoherald.com,juegos.elpais.com,philly.arkadiumarena.com,play.dictionary.com,puzzles.bestforpuzzles.com,puzzles.centralmaine.com,puzzles.crosswordsolver.org,puzzles.independent.co.uk,puzzles.nola.com,puzzles.pressherald.com,puzzles.standard.co.uk,puzzles.sunjournal.com##+js(nano-sib, generalTimeLeft, *, 0.001) +arcade.buzzrtv.com,arcade.lemonde.fr,arena.gamesforthebrain.com,bestpuzzlesandgames.com,cointiply.arkadiumarena.com,gamelab.com,games.abqjournal.com,games.amny.com,games.bellinghamherald.com,games.besthealthmag.ca,games.bnd.com,games.boston.com,games.bostonglobe.com,games.bradenton.com,games.centredaily.com,games.charlotteobserver.com,games.cnhinews.com,games.crosswordgiant.com,games.dallasnews.com,games.daytondailynews.com,games.denverpost.com,games.everythingzoomer.com,games.fresnobee.com,games.gameshownetwork.com,games.get.tv,games.greatergood.com,games.heraldonline.com,games.heraldsun.com,games.idahostatesman.com,games.insp.com,games.islandpacket.com,games.journal-news.com,games.kansas.com,games.kansascity.com,games.kentucky.com,games.lancasteronline.com,games.ledger-enquirer.com,games.macon.com,games.mashable.com,games.mercedsunstar.com,games.miamiherald.com,games.modbee.com,games.moviestvnetwork.com,games.myrtlebeachonline.com,games.nationalreview.com,games.newsobserver.com,games.parade.com,games.pressdemocrat.com,games.puzzlebaron.com,games.puzzler.com,games.puzzles.ca,games.qns.com,games.readersdigest.ca,games.sacbee.com,games.sanluisobispo.com,games.sixtyandme.com,games.sltrib.com,games.springfieldnewssun.com,games.star-telegram.com,games.startribune.com,games.sunherald.com,games.theadvocate.com,games.thenewstribune.com,games.theolympian.com,games.theportugalnews.com,games.thestar.com,games.thestate.com,games.tri-cityherald.com,games.triviatoday.com,games.usnews.com,games.word.tips,games.wordgenius.com,games.wtop.com,jeux.meteocity.com,juegos.as.com,juegos.elnuevoherald.com,juegos.elpais.com,philly.arkadiumarena.com,play.dictionary.com,puzzles.bestforpuzzles.com,puzzles.centralmaine.com,puzzles.crosswordsolver.org,puzzles.independent.co.uk,puzzles.nola.com,puzzles.pressherald.com,puzzles.standard.co.uk,puzzles.sunjournal.com##[class^="DisplayAd__container"] +*/advertisement/video/static/advantage.xml$xhr + +! https://forums.lanik.us/viewtopic.php?f=62&t=32878 +freethesaurus.com,thefreedictionary.com##div:has(> a:not([href*="/"]) > img:not([src*="/"])) +freethesaurus.com,thefreedictionary.com##+js(nostif, warn) +! https://github.com/uBlockOrigin/uAssets/issues/1896 +freethesaurus.com,thefreedictionary.com##+js(aopr, adc) +freethesaurus.com,thefreedictionary.com##div[class][id]:not(.logo):if-not(*):has-text(/^$/) +freethesaurus.com,thefreedictionary.com###sidebar > .widget:not([id]):has(> .holder > a[href]) +! To counter exception filters +||googlesyndication.com^$script,important,domain=thefreedictionary.com +! https://github.com/uBlockOrigin/uAssets/issues/25873 +! https://github.com/uBlockOrigin/uAssets/issues/25916 +freethesaurus.com,thefreedictionary.com##+js(set, majorse, true) +freethesaurus.com,thefreedictionary.com##+js(rmnt, script, window.warn) +freethesaurus.com,thefreedictionary.com##+js(set, completed, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/5308 +oeffentlicher-dienst.info##+js(set, testerli, false) +! https://github.com/uBlockOrigin/uAssets/issues/25942 +||oeffentlicher-dienst.info/_inc/fallback_ + +! https://github.com/uBlockOrigin/uAssets/issues/25992 +carbonite.co.za##+js(acs, $, /adblock/i) +carbonite.co.za##^script:has-text(adsBlocked) +carbonite.co.za##.samSupportUsOverlay +carbonite.co.za##body:style(overflow: auto !important;) + +! https://github.com/NanoMeow/QuickReports/issues/364 +dexterclearance.com#@#ins.adsbygoogle[data-ad-slot] +dexterclearance.com#@#ins.adsbygoogle[data-ad-client] +dexterclearance.com##.adsbygoogle:style(max-height: 1px !important;) +dexterclearance.com##+js(rmnt, script, adBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/3930 +onlineatlas.us#@#ins.adsbygoogle[data-ad-slot] +onlineatlas.us#@#ins.adsbygoogle[data-ad-client] +onlineatlas.us##+js(alert-buster) + +! https://github.com/uBlockOrigin/uAssets/issues/2615 +nekopoi.*##+js(acs, atob, tabunder) +nekopoi.*##+js(aeld, , adsense) +nekopoi.*##[href^="http://bit.ly/"] +.gif$domain=nekopoi.*,image +! https://github.com/uBlockOrigin/uAssets/issues/26213 +nekopoi.*##+js(rmnt, script, wpadmngr.com) +nekopoi.*##.leftarea + +! https://github.com/uBlockOrigin/uAssets/issues/35 +im9.eu##+js(aost, document.createElement, pda) +*$image,redirect-rule=1x1.gif,domain=im9.eu +/advert.$image,3p,redirect=1x1.gif,domain=im9.eu +||sprzedaz2.oczarjk.pl/img/ads/banner.gif$image,redirect=1x1.gif,domain=im9.eu +g9g.eu##+js(aopr, adBlockDetected) + +! https://forums.lanik.us/viewtopic.php?f=62&t=43843 +elamigosedition.com##+js(aost, document.addEventListener, blocker) +elamigosedition.com##+js(nowoif) +! https://github.com/uBlockOrigin/uAssets/issues/26428 +||elamigosedition.com/templates/games/js/blocker.js^ + +! END: Rules from filters.txt + +! START: Regional lists + +! <<<<< czech slovak filters >>>>> +! https://github.com/uBlockOrigin/uAssets/issues/23688 +||img.kurzy.cz/block/$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/23705 +||bydleni.com/dm/banner/$domain=bydleni.cz +bydleni.cz###rightClick +bydleni.cz###clickLeft + +! <<<<< Liste FR >>>>> +! https://github.com/uBlockOrigin/uAssets/issues/23602 +*$script,3p,domain=faselhd-watch.shop|kickassanime.mx,badfilter +*$xhr,3p,domain=faselhd-watch.shop|kickassanime.mx,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/24614 +wiflix-catalogue.*##.btnnew + +! https://github.com/uBlockOrigin/uAssets/issues/26187 +codepromo.ouest-france.fr##t1-ad-side-bars + +! <<<<< Oficjalne polskie filtry przeciwko alertom o Adblocku >>>>> +! https://www.reddit.com/r/uBlockOrigin/comments/1e6cknh/website_slow_my_down/ +dziennik.pl#@#+js(abort-current-script, parseInt, adblock) + +! <<<<< Oficjalne Polskie Filtry do uBlocka Origin >>>>> +! https://github.com/uBlockOrigin/uAssets/issues/24996 +fxmag.pl##+js(no-xhr-if, googlesyndication) +fxmag.pl##[class^="Ad_text"] +fxmag.pl##[class*="Container_header_ad"] > div[style^="min-height:90px"] + +! https://github.com/uBlockOrigin/uAssets/issues/25093 +okiemrolnika.pl##+js(no-fetch-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/25185 +megane.com.pl##+js(no-fetch-if, googlesyndication) + +! <<<<< RU AdList >>>>> +! https://github.com/uBlockOrigin/uAssets/issues/25014#issuecomment-2346541996 +||plrjs.org/*.xml^$3p,xhr,redirect=noopvast-3.0 + +! <<<<< AdGuard Turkish >>>>> +! https://github.com/uBlockOrigin/uAssets/issues/26183 +dcdlplayer8a06f4.xyz##+js(set, document.referrer, ) + +! <<<<< IndianList >>>>> +! https://github.com/mediumkreation/IndianList/issues/10051 +||nagpurtoday.in/wp-content/uploads/*-adv.$image +||nagpurtoday.in/wp-content/plugins/popup-builder/$script,1p +nagpurtoday.in##aside[id^="custom_html-"][class*="widget"]:has(img + .popup) +nagpurtoday.in##div[style^="text-align:"]:has(> video > source[src*="kukreja-video"]) +nagpurtoday.in##.middle-contbox + +! https://github.com/mediumkreation/IndianList/issues/10188 +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"]:is([alt^="Img "], [alt^="Fb img "]):not([width="1024"])) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="1024"][height="1024"]:is([alt^="Img "], [alt^="Fb img "])) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="1024"][height="682"]:not([alt^="Cm"])) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="720"][height="706"]) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="1024"][height="819"]) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="646"][height="1024"][alt^="Screenshot "]) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="1024"][height="785"][alt^="Screenshot "]) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="1024"][height="770"][alt^="Screenshot "]) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="1022"][height="1024"][alt^="Screenshot "]) +sinhasannews.com##.entry-content > figure.wp-block-image:has(> img[class^="wp-image-"][src^="https://www.sinhasannews.com/"][width="1024"][height="800"][alt^="Img "]) + +! https://github.com/uBlockOrigin/uAssets/issues/25806 +||hdfilmcehennemi1.net/rekla/$media +hdfilmcehennemi1.net##.money-child +hdfilmcehennemi1.net##.money-text + +! <<<<< AdGuard Spanish/Portuguese >>>>> +! https://github.com/AdguardTeam/AdguardFilters/issues/191898#issuecomment-2453544544 +*$script,3p,denyallow=cdn.jkdesu.com|disqus.com,from=jkanime.net,badfilter + +! https://richtoscan.com/manga/el-sueno-de-woo-hoo-young-robando-talentos/capitulo-81/ - Detection +richtoscan.com##+js(noeval-if, /chp_?ad/) + +! <<<<< List-KR >>>>> +! https://github.com/uBlockOrigin/uAssets/issues/26461 +x86.co.kr##+js(rmnt, script, adBlockDetected) + +! <<<<< AG-Chinese >>>>> +! https://github.com/uBlockOrigin/uAssets/issues/26618 +m.akkxs.net##+js(acs, eval, _0x) + +! END: Regional lists + +! https://github.com/AdguardTeam/AdguardFilters/issues/169660 +flixscans.org##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21706 +mhn.quest##+js(nostif, adblock) +@@||mhn.quest^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/21720 +bonsaiprolink.shop##+js(noeval-if, ads) + +! bharathwick .com anti-adb +bharathwick.com##+js(rmnt, script, deblocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/169319 +@@||easyupload.io/cdn-cgi/zaraz/s.js$1p + +! https://github.com/uBlockOrigin/uAssets/issues/21756 +||amazonaws.com/pubs/trib/aatribscriptcheck$script,3p +||amazonaws.com/pubs/trib/aa_adb_modal$script,3p +||amazonaws.com/pubs/trib/triblive_$script,3p + +! https://www.reddit.com/r/uBlockOrigin/comments/1dz686n/how_to_block_this_ad_prematurely_i_blocked_it/ +! https://www.reddit.com/r/uBlockOrigin/comments/1eti4cz/redirect_on_a_website/ +! https://github.com/uBlockOrigin/uAssets/issues/19779 +! https://github.com/uBlockOrigin/uAssets/issues/21769 +! https://github.com/uBlockOrigin/uAssets/issues/22851 +! https://github.com/uBlockOrigin/uAssets/issues/24468 +! https://github.com/uBlockOrigin/uAssets/commit/b8ec336f4f3ea793750d553129b58df543cc338d#commitcomment-139593195 +aniwave.*,mangafire.to##+js(nowoif, _blank) +aniwave.*,mangafire.to##+js(set-cookie, __pf, 1) +aniwave.*##+js(acs, document.write) +aniwave.*##.adx +aniwave.*##.text-center:has(script + a[target="_blank"]) +||aniwave.*/assets/_bnx/$image,1p +||platform.pubadx.one^$3p +||delivery.r2b2.cz^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/22865 +! filemoon ads +defienietlynotme.com,embedme.*,filemooon.top,finfang.*,fmembed.cc,fmoonembed.pro,hellnaw.*,moonembed.*,rgeyyddl.skin,sbnmp.bar,sulleiman.com,vpcxz19p.xyz,z12z0vla.*##+js(acs, JSON.parse, showTrkURL) +1azayf9w.xyz,c4qhk0je.xyz,defienietlynotme.com,embedme.*,filemooon.top,finfang.*,fmembed.cc,fmhd.bar,fmoonembed.pro,hellnaw.*,moonembed.*,rgeyyddl.skin,sbnmp.bar,sulleiman.com,vidsrc.click,vpcxz19p.xyz,z12z0vla.*##+js(acs, Math, /window\['(?:\\x[0-9a-f]{2}){2}/) +1azayf9w.xyz,c4qhk0je.xyz,defienietlynotme.com,embedme.*,filemooon.top,finfang.*,fmembed.cc,fmhd.bar,fmoonembed.pro,hellnaw.*,moonembed.*,rgeyyddl.skin,sbnmp.bar,sulleiman.com,vpcxz19p.xyz,z12z0vla.*##+js(nowoif) +defienietlynotme.com,embedme.*,filemooon.top,finfang.*,fmembed.cc,fmhd.bar,fmoonembed.pro,hellnaw.*,moonembed.*,rgeyyddl.skin,sbnmp.bar,sulleiman.com,vpcxz19p.xyz,z12z0vla.*##+js(noeval-if, /popunder/i) +rgeyyddl.skin##+js(acs, document.createElement, adblock) +! https://github.com/uBlockOrigin/uAssets/issues/22901 +*$script,3p,redirect-rule=noopjs,domain=defienietlynotme.com|embedme.*|filemoon.*|filemooon.top|fmembed.cc|fmoonembed.pro|finfang.*|hellnaw.*|moonembed.*|rgeyyddl.skin|sbnmp.bar|sulleiman.com|vpcxz19p.xyz|z12z0vla.* +||coinblocktyrusmiram.com/player8/JWui.js$script,redirect=noopjs +! https://github.com/AdguardTeam/AdguardFilters/issues/190044 +ghajini-jadxelkw.lol,ghajini-8nz2lav9.lol,ghajini-vf70yty6.lol,semprefi-8xp7vfr9.fun,morgan0928-t9xc5eet.fun,stephenking-vy5hgkgu.fun,ghajini-04bl9y7x.lol,semprefi-2tazedzl.fun,morgan0928-8ufkpqp8.fun,stephenking-c8bxyhnp.fun,ghajini-1flc3i96.lol,z9sayu0m.nl,fu-v79xn6ct.nl,fu-mqsng72r.nl,fu-e4nzgj78.nl,fu-1abozhcd.nl,ccyig2ub.nl,anqkdhcm.nl,fu-m03aenr9.nl,fu-pl1lqloj.nl,fu-p6pwkgig.nl,mee-s9o6p31p.com##+js(nowoif) +ghajini-jadxelkw.lol,ghajini-8nz2lav9.lol,ghajini-8nz2lav9.lol,semprefi-8xp7vfr9.fun,morgan0928-t9xc5eet.fun,stephenking-vy5hgkgu.fun,ghajini-04bl9y7x.lol,semprefi-2tazedzl.fun,morgan0928-8ufkpqp8.fun,stephenking-c8bxyhnp.fun,ghajini-1flc3i96.lol,z9sayu0m.nl,fu-v79xn6ct.nl,fu-mqsng72r.nl,fu-e4nzgj78.nl,fu-1abozhcd.nl,ccyig2ub.nl,anqkdhcm.nl,fu-m03aenr9.nl,fu-pl1lqloj.nl,fu-p6pwkgig.nl,mee-s9o6p31p.com##+js(acs, Math, localStorage['\x) + +! https://github.com/uBlockOrigin/uAssets/issues/21770 +*$image,domain=pmvhaven.com,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/21774 +@@||townnews.com^*/tncms/*/ads/*/tnt.ads.adverts.$script + +! https://www.reddit.com/r/uBlockOrigin/comments/18z7fex/adblock_detected/ +tubereader.me##+js(aeld, /adblock/i) +tubereader.me##+js(nostif, /adblock/i) + +! https://github.com/uBlockOrigin/uAssets/pull/21777 +!://ads.$~image,~xhr,domain=~ads.8designers.com|~ads.ac.uk|~ads.adstream.com.ro|~ads.allegro.pl|~ads.am|~ads.amazon|~ads.apple.com|~ads.atmosphere.copernicus.eu|~ads.band|~ads.bestprints.biz|~ads.bikepump.com|~ads.brave.com|~ads.buscaempresas.co|~ads.business.bell.ca|~ads.cafebazaar.ir|~ads.colombiaonline.com|~ads.comeon.com|~ads.cvut.cz|~ads.doordash.com|~ads.dosocial.ge|~ads.dosocial.me|~ads.elevateplatform.co.uk|~ads.finance|~ads.google.cn|~ads.google.com|~ads.gree.net|~ads.gurkerl.at|~ads.harvard.edu|~ads.instacart.com|~ads.jiosaavn.com|~ads.kaipoke.biz|~ads.kazakh-zerno.net|~ads.kifli.hu|~ads.knuspr.de|~ads.listonic.com|~ads.luarmor.net|~ads.magalu.com|~ads.mercadolivre.com.br|~ads.mgid.com|~ads.microsoft.com|~ads.midwayusa.com|~ads.mobilebet.com|~ads.mojagazetka.com|~ads.msstate.edu|~ads.mst.dk|~ads.mt|~ads.nc|~ads.nipr.ac.jp|~ads.olx.pl|~ads.pinterest.com|~ads.rohlik.cz|~ads.rohlik.group|~ads.route.cc|~ads.safi-gmbh.ch|~ads.scotiabank.com|~ads.selfip.com|~ads.shopee.cn|~ads.shopee.co.th|~ads.shopee.com.br|~ads.shopee.com.mx|~ads.shopee.com.my|~ads.shopee.kr|~ads.shopee.ph|~ads.shopee.pl|~ads.shopee.sg|~ads.shopee.tw|~ads.shopee.vn|~ads.smartnews.com|~ads.snapchat.com|~ads.socialtheater.com|~ads.spotify.com|~ads.studyplus.co.jp|~ads.taboola.com|~ads.tiktok.com|~ads.twitter.com|~ads.typepad.jp|~ads.us.tiktok.com|~ads.viksaffiliates.com|~ads.vk.com|~ads.watson.ch|~ads.x.com|~ads.yandex|~badassembly.com|~caravansforsale.co.uk|~fusac.fr|~memo2.nl|~reempresa.org|~satmetrix.com|~seriouswheels.com,badfilter +!://ads.$~image,~xhr,domain=~ads.8designers.com|~ads.ac.uk|~ads.adstream.com.ro|~ads.allegro.pl|~ads.am|~ads.amazon|~ads.apple.com|~ads.atmosphere.copernicus.eu|~ads.band|~ads.bestprints.biz|~ads.bikepump.com|~ads.brave.com|~ads.buscaempresas.co|~ads.business.bell.ca|~ads.cafebazaar.ir|~ads.colombiaonline.com|~ads.comeon.com|~ads.cvut.cz|~ads.doordash.com|~ads.dosocial.ge|~ads.dosocial.me|~ads.elevateplatform.co.uk|~ads.finance|~ads.google.cn|~ads.google.com|~ads.gree.net|~ads.gurkerl.at|~ads.harvard.edu|~ads.instacart.com|~ads.jiosaavn.com|~ads.kaipoke.biz|~ads.kazakh-zerno.net|~ads.kifli.hu|~ads.knuspr.de|~ads.listonic.com|~ads.luarmor.net|~ads.magalu.com|~ads.mercadolivre.com.br|~ads.mgid.com|~ads.microsoft.com|~ads.midwayusa.com|~ads.mobilebet.com|~ads.mojagazetka.com|~ads.msstate.edu|~ads.mst.dk|~ads.mt|~ads.nc|~ads.nipr.ac.jp|~ads.olx.pl|~ads.pinterest.com|~ads.rohlik.cz|~ads.rohlik.group|~ads.route.cc|~ads.safi-gmbh.ch|~ads.scotiabank.com|~ads.selfip.com|~ads.shopee.cn|~ads.shopee.co.th|~ads.shopee.com.br|~ads.shopee.com.mx|~ads.shopee.com.my|~ads.shopee.kr|~ads.shopee.ph|~ads.shopee.pl|~ads.shopee.sg|~ads.shopee.tw|~ads.shopee.vn|~ads.smartnews.com|~ads.snapchat.com|~ads.socialtheater.com|~ads.spotify.com|~ads.studyplus.co.jp|~ads.taboola.com|~ads.tiktok.com|~ads.tuver.ru|~ads.twitter.com|~ads.typepad.jp|~ads.us.tiktok.com|~ads.viksaffiliates.com|~ads.vk.com|~ads.watson.ch|~ads.x.com|~ads.yandex|~badassembly.com|~caravansforsale.co.uk|~fusac.fr|~memo2.nl|~reempresa.org|~satmetrix.com|~seriouswheels.com,to=~ads.remix.es + +! https://github.com/uBlockOrigin/uAssets/issues/21775 +counterstrike-hack.leforum.eu,ajt.xooit.org##+js(aopr, document.body.style.backgroundPosition) + +! ludwig-van .com anti-adb +ludwig-van.com##+js(aopr, canRunAds) + +! https://github.com/uBlockOrigin/uAssets/issues/21794 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=broncos.com.au|bulldogs.com.au|cowboys.com.au|dolphinsnrl.com.au|dragons.com.au|melbournestorm.com.au|newcastleknights.com.au|nswrl.com.au|parraeels.com.au|penrithpanthers.com.au|qrl.com.au|raiders.com.au|roosters.com.au|seaeagles.com.au|sharks.com.au|titans.com.au|warriors.kiwi|weststigers.com.au +@@*$ghide,domain=broncos.com.au|bulldogs.com.au|cowboys.com.au|dolphinsnrl.com.au|dragons.com.au|melbournestorm.com.au|newcastleknights.com.au|nswrl.com.au|parraeels.com.au|penrithpanthers.com.au|qrl.com.au|raiders.com.au|roosters.com.au|seaeagles.com.au|sharks.com.au|titans.com.au|warriors.kiwi|weststigers.com.au + +! zxi.mytechroad .com anti-adb +zxi.mytechroad.com##+js(aost, document.getElementsByTagName, adsBlocked) + +! https://descargaspcpro.net anti-adb +descargaspcpro.net##+js(rmnt, script, deblocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/170089 +dx-tv.com##+js(rmnt, script, deblocker) + +! postermockup .com anti-adb +postermockup.com##+js(aost, setTimeout, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/21832 +@@||sidearm-syndication.s3.amazonaws.com/prod/web-push.bundle.js$script,domain=hokiesports.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/165624 +! https://github.com/uBlockOrigin/uAssets/issues/13594 +||check-host.net/images/ympndguarg$image,1p +||check-host.net/images/ypndguarg$image,1p +||check-host.net/images/alexrhost.png$image,1p +||check-host.net/images/aezarlogo.svg$image,1p +||check-host.net/images/tpndguarg$image,1p +||check-host.net/images/baeza-$image,1p +check-host.net###hostabq, .hostavq, #antkeayvhaeaprivatealps, .specho, #antkeatvhaeaaeza-permnnt, #antkeayvhaeaalexhost, #antkeayvhaeapp-juiaryt, #antkeayvhaeapp-juiaryt2, .ry-elative, a.cursor-pointer, a[onclick^="window.location"], [id^="antkeayvhaeap"], [class*="-elative"], [href*="?utm_"], a[href*="privatealps.net"], [onclick*="https://privatealps.net/"], [onclick*="https://aeza.net/"], [onclick*="https://alexhost.com"], a[href^="https://aeza.net/"] + +! conceptartworld. com antiadb +@@||conceptartworld.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/21859 +pomofocus.io##+js(no-xhr-if, adsbygoogle, length:10) + +! https://github.com/uBlockOrigin/uAssets/issues/21862 +@@||restegourmet.de^$ghide +restegourmet.de##ion-col:has(> app-content-ad-grid) +restegourmet.de##+js(nano-sib, invoke, 1000) + +! https://github.com/uBlockOrigin/uAssets/issues/21868 +plex-guide.de##+js(nostif, nextFunction, 2000) + +! https://www.reddit.com/r/uBlockOrigin/comments/192iqc4/unable_to_play_games_on_yadcom_because_of_ublock/ +@@||yad.com^$ghide +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=yad.com + +! https://github.com/uBlockOrigin/uAssets/issues/20747 +pressplay.top##.btn-custom[target="_blank"] + +! an1.com +an1.com##+js(nano-stb, countdown, *) +an1.com##+js(nowoif) + +! https://flyfi.com/#/home - Video ads +||sponsoredaccess.viasat.com/video/$1p,media,redirect=noopmp4-1s + +! https://github.com/uBlockOrigin/uAssets/issues/21878 +forexwikitrading.com##+js(aost, setTimeout, adsBlocked) +forexwikitrading.com##+js(nowoif) +forexwikitrading.com##[href^="https://fbs.partners"] +forexwikitrading.com##[href^="https://forexwikitrading.com/go/"] + +! 007stockchat .com anti-adb +007stockchat.com##+js(nosiif, daadb) + +! stockhideout .com anti-adb +stockhideout.com##+js(nosiif, daadb) + +! https://github.com/uBlockOrigin/uAssets/issues/21887 +@@||fundingchoicesmessages.google.com^$script,domain=formulatv.com +@@||formulatv.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/170424 +fm-arena.com##+js(nostif, getComputedStyle, 2000) + +! westmanga.fun ads +westmanga.fun##+js(nowoif) +westmanga.fun##[src*=".gif"] + +! envato-downloader .com anti-adb +envato-downloader.com##+js(no-fetch-if, google-analytics) + +! https://github.com/uBlockOrigin/uAssets/issues/21947 +onlyfaucet.com##+js(rmnt, script, /fetch|adb/i) + +! https://github.com/uBlockOrigin/uAssets/issues/21956 +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$xhr,domain=mtv.it|mtv.de|mtv.co.uk|mtvema.com +||imasdk.googleapis.com/pal/sdkloader/pal.js$redirect=noop.js,domain=mtv.it|mtv.de|mtv.co.uk|mtvema.com +! https://github.com/uBlockOrigin/uAssets/issues/21981 +||imasdk.googleapis.com^$script,xhr,3p,redirect=noopjs,domain=mtv.nl + +! https://github.com/uBlockOrigin/uAssets/issues/21966 +timesnewsgroup.com.au##+js(acs, $, popup) + +! https://github.com/uBlockOrigin/uAssets/issues/21973 +! https://github.com/uBlockOrigin/uAssets/issues/24179 +||launcherleaks.net/*main_script.js$script,1p + +! romfree .net anti-adb +romfree.net##+js(aost, setTimeout, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/21985 +livecamrips.*##+js(rmnt, script, window.open) + +! exactlyhowlong. com detection +exactlyhowlong.com##+js(noeval-if, ads) + +! https://sportitalialive.com/video/viewlivestreaming?rel=9&cntr=0 anti-adb +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=sportitalialive.com +sportitalialive.com##+js(nostif, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/21992 +@@*$script,xhr,1p,domain=digikey.co.za|digikey.cn|digikey.ee|digikey.at|digikey.be|digikey.bg|digikey.cz|digikey.dk|digikey.fi|digikey.fr|digikey.de|digikey.gr|digikey.hu|digikey.ie|digikey.it|digikey.lv|digikey.lt|digikey.lu|digikey.nl|digikey.no|digikey.pl|digikey.pt|digikey.ro|digikey.sk|digikey.si|digikey.es|digikey.se|digikey.ch|digikey.co.uk|digikey.co.il|digikey.com.mx|digikey.ca|digikey.com.br|digikey.co.nz|digikey.com.au|digikey.co.th|digikey.tw|digikey.kr|digikey.sg|digikey.ph|digikey.my|digikey.jp|digikey.in|digikey.hk|digikey.com + +! https://github.com/uBlockOrigin/uAssets/issues/21972 +watch.sling.com##+js(json-prune, ssai_manifest ad_manifest playback_info.ad_info qvt.playback_info.ad_info) + +! https://github.com/AdguardTeam/AdguardFilters/issues/180468 +9goals.live##+js(aeld, load, onload) + +! digter8 .com anti-adb +digter8.com##+js(acs, eval, replace) + +! https://github.com/AdguardTeam/AdguardFilters/issues/170809 +@@||sultanovic.info^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/22016 +||jads.co^$script,3p,redirect=noopjs,domain=2th.me +||juicyads.com^$image,3p,redirect=1x1.gif,domain=2th.me +2th.me##.pc-container + +! https://github.com/AdguardTeam/AdguardFilters/issues/170718 +! https://www.reddit.com/r/uBlockOrigin/comments/198kyxx/is_there_a_fix_for_ultimate_guitar/ +ultimate-guitar.com##+js(set, Object.prototype.setNeedShowAdblockWarning, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/22032 +@@||meong.club^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/170487 +hdporn92.com##+js(acs, onload, puHref) + +! https://github.com/AdguardTeam/AdguardFilters/issues/170494 +tube.hentaistream.com##.vast-skip-button +||res.cloudinary.com/*/Ads%20Video/preroll_$media,redirect=noop-1s.mp4 + +! https://github.com/uBlockOrigin/uAssets/issues/22064 +getmodsapk.com##+js(nowoif) +getmodsapk.com##+js(nano-sib, download, *, 0.02) +getmodsapk.com##.downloadLink:style(max-height: initial !important; overflow: revert !important) +getmodsapk.com##center[style="position:relative; width:100%; min-height:280px;"] +getmodsapk.com##.ad-container + +! 5play.ru/org Timer +5play.*##+js(nano-sib, countdown, *) + +! modcombo.com timer +modcombo.com##+js(nano-sib) + +! soninow .com anti-adb +soninow.com##+js(nosiif, adsbygoogle) + +! https://www.bailiwickexpress.com/ - ads +bailiwickexpress.com##+js(acs, $, load_banner) + +! https://github.com/uBlockOrigin/uAssets/issues/22097 +@@||dotnet.guide^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/171126 +twitchmetrics.net##+js(set-cookie, npabp, 1) + +! https://github.com/uBlockOrigin/uAssets/pull/22131 +/nyaa\.land\/static\/[a-z0-9]{32}\.jpg$/$image,1p,domain=nyaa.land +nyaa.land##+js(nowoif) +nyaa.land##[href*="iptv.cat"] +nyaa.land##[href*="tiny.cc"] +nyaa.land##html > body > div:not([class="container"]) +nyaa.land##html > body > div:not([class="container"]) + br +nyaa.land##html > body > center +nyaa.land##.panel-body > .row:last-child > :is(div[style="padding:5px"],hr):last-of-type + +! https://www.reddit.com/r/uBlockOrigin/comments/19bfu0c/anti_ad_blocker_issue_on_a_website/ +||go4kora.tv/assets/js/script_antiAdBlock_*.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/22110 +msdos-games.com##+js(nostif, getComputedStyle) + +! https://github.com/uBlockOrigin/uAssets/issues/22101 +@@||webshark.pl^$script,domain=vider.* + +! https://github.com/uBlockOrigin/uAssets/pull/22115 +teachmemicro.com##+js(set, DHAntiAdBlocker, true) + +! https://github.com/uBlockOrigin/uAssets/pull/22118 +rt3dmodels.com##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/pull/22119 +plc4me.com##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/22120 +@@*$ghide,domain=tutoriales-virales.blogspot.com|tyvpaste.blogspot.com|preu-pdf-paste.blogspot.com + +! krx18.com +krx18.com##center > [src*="/ads/"] + +! https://github.com/uBlockOrigin/uAssets/issues/22126 +playerwatch.xyz##+js(nowoif, , 10) + +! https://old.reddit.com/r/uBlockOrigin/comments/19cwuo4/ +||ezodn.com^$redirect-rule=noopjs,domain=tv.bdix.app +! https://github.com/uBlockOrigin/uAssets/issues/22838 +tv.bdix.app##+js(acs, document.readyState, initializeChecks) +tv.bdix.app##+js(nowoif, _blank) + +! https://github.com/uBlockOrigin/uAssets/issues/22149 +dagensnytt.com##+js(aeld, load, doTest) + +! https://github.com/uBlockOrigin/uAssets/pull/22155 +blisseyhusbands.com##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/pull/22156 +@@*$ghide,domain=countrychord.com|wazzuptechph.com|bigbrothergisthub.com|news9.co.ke|techprice.pk|scopenew.com|rokuguru.com|guided.news|techfinancials.co.za|scholarshipexpo.com|dailyparliamenttimes.com|theexchange.africa|thedailyhoosier.com|subhashyadav.org|thenews-chronicle.com|diyprojectslab.com + +! https://github.com/uBlockOrigin/uAssets/issues/22169 +obf-io.deobfuscate.io##.self-center.overflow-hidden:has(> img[src="/nexus_banner.webp"]:only-child) + +! https://github.com/uBlockOrigin/uAssets/issues/22173 +hole-io.com###aip-sidebarads +hole-io.com##.webgl-content:style(width: 100% !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/22185 +/^https:\/\/www\.thesun\.co\.uk\/[0-9a-z]{32}\.js$/$script,1p,match-case,domain=thesun.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/22190 +@@||servedbyadbutler.com/vast.spark$xhr,3p,domain=freerideworldtour.com +||servedbyadbutler.com^$media,3p,redirect=noopmp3-0.1s,domain=freerideworldtour.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/171445 +x-x-x.tube##+js(aopr, popns) +x-x-x.tube##+js(rmnt, script, location) +x-x-x.tube##+js(set-cookie, aawsmackeroo0, 1) + +! Video ads on nsfw sites +/theme/002/js/application.js?2.0|$script,1p,replace=/video\.maxPop/0/ + +! https://github.com/uBlockOrigin/uAssets/issues/22197 +pornx.to##+js(nowoif) +pornx.to##[href="https://pornx.to/go/icegirlsai"] + +! https://github.com/uBlockOrigin/uAssets/issues/22175 +qwant.com##.result__ext:has([data-testid="adResult"]):style(max-height: 1px !important; opacity: 0 !important; pointer-events: none !important;) +qwant.com#@#div[data-testid="pam.container"] +qwant.com##div[data-testid="pam.container"]:style(max-height: 1px !important; opacity: 0 !important; pointer-events: none !important;) +@@||qwant.com/apm/intake/v2/rum/events$xhr,1p +@@||qwant.com^$ping,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/171502 +@@||spite.cz^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/22203 +civitai.com##+js(no-fetch-if, googlesyndication) +civitai.com##div:is(.shadow, .flex.w-full.justify-center[style=""]):has(a[href="/pricing"] img[alt="Please support civitai and creators by disabling adblock"]):remove() +civitai.com##div[id][class^="mantine-"].flex.relative.box-content:style(min-height: 0px !important; visibility: collapse !important; padding: 0px !important;) +||ads.civitai.com^$script,1p,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/22220 +! https://github.com/uBlockOrigin/uAssets/issues/22492 +@@/^https:\/\/www\.puzzle-[a-z]+\.com\//$script,from=puzzle-loop.com|puzzle-words.com|puzzle-chess.com|puzzle-thermometers.com|puzzle-norinori.com|puzzle-minesweeper.com|puzzle-slant.com|puzzle-lits.com|puzzle-galaxies.com|puzzle-tents.com|puzzle-battleships.com|puzzle-pipes.com|puzzle-hitori.com|puzzle-heyawake.com|puzzle-shingoki.com|puzzle-masyu.com|puzzle-stitches.com|puzzle-aquarium.com|puzzle-tapa.com|puzzle-star-battle.com|puzzle-kakurasu.com|puzzle-skyscrapers.com|puzzle-futoshiki.com|puzzle-shakashaka.com|puzzle-kakuro.com|puzzle-jigsaw-sudoku.com|puzzle-killer-sudoku.com|puzzle-binairo.com|puzzle-nonograms.com|puzzle-sudoku.com|puzzle-light-up.com|puzzle-bridges.com|puzzle-shikaku.com|puzzle-nurikabe.com|puzzle-dominosa.com +puzzle-loop.com,puzzle-words.com,puzzle-chess.com,puzzle-thermometers.com,puzzle-norinori.com,puzzle-minesweeper.com,puzzle-slant.com,puzzle-lits.com,puzzle-galaxies.com,puzzle-tents.com,puzzle-battleships.com,puzzle-pipes.com,puzzle-hitori.com,puzzle-heyawake.com,puzzle-shingoki.com,puzzle-masyu.com,puzzle-stitches.com,puzzle-aquarium.com,puzzle-tapa.com,puzzle-star-battle.com,puzzle-kakurasu.com,puzzle-skyscrapers.com,puzzle-futoshiki.com,puzzle-shakashaka.com,puzzle-kakuro.com,puzzle-jigsaw-sudoku.com,puzzle-killer-sudoku.com,puzzle-binairo.com,puzzle-nonograms.com,puzzle-sudoku.com,puzzle-light-up.com,puzzle-bridges.com,puzzle-shikaku.com,puzzle-nurikabe.com,puzzle-dominosa.com###MainContainer > [id^="bannerTopSpacer"] +puzzle-loop.com,puzzle-words.com,puzzle-chess.com,puzzle-thermometers.com,puzzle-norinori.com,puzzle-minesweeper.com,puzzle-slant.com,puzzle-lits.com,puzzle-galaxies.com,puzzle-tents.com,puzzle-battleships.com,puzzle-pipes.com,puzzle-hitori.com,puzzle-heyawake.com,puzzle-shingoki.com,puzzle-masyu.com,puzzle-stitches.com,puzzle-aquarium.com,puzzle-tapa.com,puzzle-star-battle.com,puzzle-kakurasu.com,puzzle-skyscrapers.com,puzzle-futoshiki.com,puzzle-shakashaka.com,puzzle-kakuro.com,puzzle-jigsaw-sudoku.com,puzzle-killer-sudoku.com,puzzle-binairo.com,puzzle-nonograms.com,puzzle-sudoku.com,puzzle-light-up.com,puzzle-bridges.com,puzzle-shikaku.com,puzzle-nurikabe.com,puzzle-dominosa.com###MainContainer + [id]:has(> #bannerSide) +puzzle-loop.com,puzzle-words.com,puzzle-chess.com,puzzle-thermometers.com,puzzle-norinori.com,puzzle-minesweeper.com,puzzle-slant.com,puzzle-lits.com,puzzle-galaxies.com,puzzle-tents.com,puzzle-battleships.com,puzzle-pipes.com,puzzle-hitori.com,puzzle-heyawake.com,puzzle-shingoki.com,puzzle-masyu.com,puzzle-stitches.com,puzzle-aquarium.com,puzzle-tapa.com,puzzle-star-battle.com,puzzle-kakurasu.com,puzzle-skyscrapers.com,puzzle-futoshiki.com,puzzle-shakashaka.com,puzzle-kakuro.com,puzzle-jigsaw-sudoku.com,puzzle-killer-sudoku.com,puzzle-binairo.com,puzzle-nonograms.com,puzzle-sudoku.com,puzzle-light-up.com,puzzle-bridges.com,puzzle-shikaku.com,puzzle-nurikabe.com,puzzle-dominosa.com###MainContainer > [id]:has(> [id^="btIn"] > #bannerTop) + +! https://github.com/uBlockOrigin/uAssets/issues/22221 +||delivery.twentythree.com/*/video_medium?revision$media,redirect=noopmp3-0.1s + +! https://github.com/AdguardTeam/AdguardFilters/issues/171597 +streamer4u.site##+js(no-fetch-if, googlesyndication) + +! radio .zone anti-adb +radio.zone##+js(nosiif, daadb) + +! https://github.com/uBlockOrigin/uAssets/issues/22994 +! https://github.com/uBlockOrigin/uAssets/issues/22232 +! https://github.com/uBlockOrigin/uAssets/issues/22394 +! https://github.com/uBlockOrigin/uAssets/issues/19725 +mhdsports.*,mhdsportstv.*,mhdtvsports.*,mhdtvworld.*,mhdtvmax.*,mhdstream.*,mhdtvmax.*##+js(rmnt, script, deblocker) +mhdsports.*,mhdtvmax.*##+js(aost, fetch, HTMLDocument) +*/|$xhr,domain=fakestream.co.in +/wp-content/uploads/adb$script,domain=mhdsports.*|mhdsportstv.*|mhdtvsports.*|mhdtvworld.*|mhdtvmax.*|mhdstream.*|mhdtvmax.* + +! durhamopenhouses .com anti-adb +durhamopenhouses.com##+js(acs, document.getElementById, fakeElement) + +! fullboys .com popups +fullboys.com##+js(nowoif, ?key=) + +! madaradex .org anti-adb +madaradex.org##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/22243 +vanillatweaks.net##.banner-spot +vanillatweaks.net##+js(nano-sib, downloadTimer) + +! linkos. info/photogen. hair/sharedrive. yachts popups +linkos.*,phois.pro,trrs.pro,sharedrive.*##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/171677 +pictoa.com##+js(aopw, tiPopAction) + +! https://www.reddit.com/r/uBlockOrigin/comments/1adtufm/ublock_detected/ +! https://www.reddit.com/r/uBlockOrigin/comments/1b37uid/upfiles_adblock_detected/ +sunci.net,yoykp.com##+js(aopr, app_vars.please_disable_adblock) +sunci.net,yoykp.com##+js(acs, navigator, FingerprintJS) + +! trigonevo .com anti-adb +trigonevo.com##+js(acs, eval, replace) +trigonevo.com##+js(rmnt, script, deblocker) + +! https://pastetot.com/view/tDFmzEQWEn popups +pastetot.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/22274 +xyzsports111.xyz,xyzsports112.xyz,xyzsports113.xyz,xyzsports114.xyz,xyzsprtsfrmr1.site,xyzsprtsfrmr2.site##+js(set, adsConfigs, {}) +xyzsports111.xyz,xyzsports112.xyz,xyzsports113.xyz,xyzsports114.xyz,xyzsprtsfrmr1.site,xyzsprtsfrmr2.site##+js(set, adsConfigs.0, {}) +xyzsports111.xyz,xyzsports112.xyz,xyzsports113.xyz,xyzsports114.xyz,xyzsprtsfrmr1.site,xyzsprtsfrmr2.site##+js(set, adsConfigs.0.enabled, 0) +xyzsports111.xyz,xyzsports112.xyz,xyzsports113.xyz,xyzsports114.xyz,xyzsprtsfrmr1.site,xyzsprtsfrmr2.site###sticky-footer +*/das/$image,domain=xyzsports111.xyz|xyzsports112.xyz|xyzsports113.xyz|xyzsports114.xyz|xyzsprtsfrmr1.site|xyzsprtsfrmr2.site +.gif$image,domain=xyzsports111.xyz|xyzsports112.xyz|xyzsports113.xyz|xyzsports114.xyz|xyzsprtsfrmr1.site|xyzsprtsfrmr2.site + +! https://github.com/AdguardTeam/AdguardFilters/issues/171870 +@@||vectr.com^$ghide + +! claimbits.net anti adblock after login +claimbits.net##+js(set, NoAdBlock, noopFunc) +||claimbits.net/promo/$image,1p +claimbits.net###wcfloatDiv4 + +! gfx-station .com anti-adb +gfx-station.com##+js(aeld, DOMContentLoaded, antiAdBlockerHandler) +gfx-station.com##.ad-container + +! https://github.com/uBlockOrigin/uAssets/issues/22312 +tradersunion.com##+js(nostif, video-popup) + +! https://github.com/AdguardTeam/AdguardFilters/issues/172020 +itopmusics.com##+js(acs, document.getElementById, adblock) +itopmusics.com##+js(acs, atob, /popundersPerIP[\s\S]*?Date[\s\S]*?getElementsByTagName[\s\S]*?insertBefore/) + +! https://github.com/uBlockOrigin/uAssets/issues/11765 +movies7.to##+js(nowoif) + +! toolkitspro .com anti-adb +toolkitspro.com##+js(no-xhr-if, googlesyndication) + +! historyofroyalwomen .com anti-adb +historyofroyalwomen.com##+js(aeld, DOMContentLoaded, daadb_get_data_fetch) + +! https://ukchat.co.uk/ - popup +ukchat.co.uk##+js(aeld, click, splashPage) +||ukchat.co.uk/js/popunder.js +/afr?*zoneid=$3p,frame,domain=ukchat.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/22354 +wohnmobilforum.de##+js(nostif, nextFunction) + +! gamerxyt. com antiadb +gamerxyt.com##+js(aopr, antiAdBlockerHandler) +gamerxyt.com##^script:has-text(antiAdBlockerHandler) + +! https://github.com/uBlockOrigin/uAssets/issues/22360 +@@||js.estat.com/js/$script,domain=rmcbfmplay.com +||fwmrm.net^$3p,domain=rmcbfmplay.com,important + +! https://github.com/AdguardTeam/AdguardFilters/issues/172234 +willcycle.com##+js(set, DHAntiAdBlocker, true) + +! https://github.com/AdguardTeam/AdguardFilters/issues/172282 +drivemoe.com##+js(aopr, showada) + +! https://github.com/uBlockOrigin/uAssets/issues/22365 +franceprefecture.fr##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/22370 +|http://video.telvi.de/videos/*.mp4$media,3p,redirect=noopmp3-0.1s,domain=meissen-fernsehen.de + +! https://github.com/AdguardTeam/AdguardFilters/issues/172359 +dsharer.com##+js(aopr, showada) + +! https://github.com/uBlockOrigin/uAssets/issues/22395 +trust.zone##+js(set, adblock, false) + +! faroutmagazine.co.uk placeholder at the top +faroutmagazine.co.uk##.header:style(margin-top: 0px !important;) + +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1618326670/220 +tandess.com##+js(nostif, detectAdblock) +||tandess.com/music/files/detectAdblock.js + +! https://github.com/uBlockOrigin/uAssets/issues/22410 +soft3arbi.com##.ts-modal-overlay +soft3arbi.com##body:style(overflow: auto !important;) +soft3arbi.com##.ar-bunyad-main + +! https://github.com/uBlockOrigin/uAssets/issues/22421 +leagueofgraphs.com##+js(nostif, adblock) +leagueofgraphs.com##.adbox + +! https://github.com/uBlockOrigin/uAssets/issues/22424 +gameszap.com##+js(no-xhr-if, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/1ani1dw/unblock_website/ +||lib.csscloud.live/lib.js?$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/22446 +@@||challenge.place^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/22451 +||cdn.mekobre.com/ads^$media,redirect=noop-0.1s.mp3,domain=mekobre.com +||cdn.mekobre.com/ads^$image,domain=mekobre.com + +! imagetranslator. io antiadb +imagetranslator.io##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/22455 +looptorrent.org##+js(aopr, checkAdsStatus) + +! https://github.com/uBlockOrigin/uAssets/issues/22462 +pornovka.cz##+js(acs, document.querySelectorAll, popMagic) +pornovka.cz##+js(no-fetch-if, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/1aop550/voxiomio_is_detecting_ublock_origin/ +||voxiom.io^$xhr,1p,redirect-rule=nooptext + +! https://sexyscope.net Preroll Ads +sexyscope.net##+js(set, adList, []) + +! https://www.hieunguyenphoto.com/2021/12/picture-style-canon-va-preset-trang-hong.html - anti-adb +hieunguyenphoto.com###detect-adblock-zone +hieunguyenphoto.com##+js(nostif, adblock) +hieunguyenphoto.com##+js(nano-sib, countdown) + +! https://github.com/uBlockOrigin/uAssets/issues/22498 +visnalize.com##+js(no-fetch-if, googlesyndication) + +! https://www.reddit.com/r/uBlockOrigin/comments/1art9g8/adblock_detection_on_copyseekernet/ +copyseeker.net##+js(trusted-replace-argument, document.getElementById, 0, null, condition, adsense-container) + +! https://github.com/uBlockOrigin/uAssets/issues/22514 +mmsmaza.com##+js(nowoif) + +! https://www.govtech.com/budget-finance/florida-could-claw-40m-for-cyber-grants-back-to-the-state - interstitial + placeholders +govtech.com##+js(trusted-set-cookie, adTakeOver, seen) +govtech.com##body[data-billboard="true"]:remove-attr(data-billboard) +govtech.com##.Enhancement:has(.GoogleDfpAd) + +! https://github.com/uBlockOrigin/uAssets/issues/22529 +visionpapers.org##+js(rmnt, script, adblockimg) +visionpapers.org##+js(nano-sib, disabled) + +! https://github.com/uBlockOrigin/uAssets/issues/22543 +||pubfuture-ad.com^$script,3p,redirect=noopjs,domain=faqwiki.us +faqwiki.us##+js(nostif, EzoIvent) +faqwiki.us##+js(aopr, antiAdBlockerHandler) + +! https://fdownloader.net/ leftover modal ad +fdownloader.net##+js(rmnt, script, showAd) + +! https://github.com/uBlockOrigin/uAssets/issues/22551 +||fussballtransfers.com^$script,1p,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8510501 +anime7.download##+js(aopw, app_advert) + +! https://github.com/AdguardTeam/AdguardFilters/issues/142720 +misskey.io,misskey.oga.ninja,mk.yopo.work,sushi.ski,trpger.us,warpday.net,zadankai.club##+js(json-prune-fetch-response, ads.[].imageUrl, , propsToMatch, url:api/meta) + +! https://github.com/uBlockOrigin/uAssets/issues/22560 +hivelr.com##+js(aeld, load, detect-modal) + +! zeroupload.com anti-adb +@@||zerodmca.com^$ghide + +! https://github.com/AdguardTeam/AdguardFilters/issues/173012 +! https://github.com/AdguardTeam/AdguardFilters/issues/173184 +dodz.*,doodss.*,doood.*,doooood.*,kakitengah.*,y2tube.pro##+js(nowoif) +y2tube.pro##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +||dooods.pro/download_popunder$popup +doodss.*###video-container ~ a[href="#"] +doooood.co###overlay + +! https://github.com/uBlockOrigin/uAssets/issues/22571 +nulledbear.com##+js(nostif, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/16083 +@@||dragontea.ink^$ghide +dragontea.ink##body > div[style]:not([id]):style(position: static !important; background-color: rgba(0, 0, 0, 0) !important) +dragontea.ink##html, body:style(overflow: visible !important;) +dragontea.ink##iframe[id^="google_ads_iframe"] +dragontea.ink##.dta +dragontea.ink##+js(nosiif, /_0x|dtaf/) +dragontea.ink##style:has-text(.reading-content img):remove() +dragontea.ink##+js(rpnt, script, "}};, "}}; jQuery(document).ready(function(t){let e=document.createElement("link");e.setAttribute("rel"\,"stylesheet")\,e.setAttribute("media"\,"all")\,e.setAttribute("href"\,"https://dragontea.ink/wp-content/cache/autoptimize/css/autoptimize_5bd1c33b717b78702e18c3923e8fa4f0.css")\,document.head.appendChild(e)\,t(".dmpvazRKNzBib1IxNjh0T0cwUUUxekEyY3F6Wm5QYzJDWGZqdXFnRzZ0TT0nuobc").parent().prev().prev().prev();var a=1\,n=16\,r=11\,i="08"\,g=""\,c=""\,d=0\,o=2\,p=3\,s=0\,h=100;s++\,s*=2\,h/=2\,h/=2;var $=3\,u=20;function b(){let e=t(".entry-header.header")\,a=parseInt(e.attr("data-id"));return a}function m(t\,e\,a\,n\,r){return CryptoJSAesJson.decrypt(t\,e+a+n+r)}function f(t\,e){return CryptoJSAesJson.decrypt(t\,e)}function l(t\,e){return parseInt(t.toString()+e.toString())}function k(t\,e\,a){return t.toString()+e.toString()+a.toString()}$*=2\,u=u-2-2\,i="03"\,o++\,r++\,n=n/4-2\,a++\,a*=4\,n++\,n++\,n++\,a-=5\,r++\,i="07"\,t(".reading-content .page-break img").each(function(){var e\,g=t(this)\,c=f(g.attr("id").toString()\,(e=parseInt((b()+l(r\,i))*a-t(".reading-content .page-break img").length)\,e=l(2*n+1\,e)).toString());g.attr("id"\,c)})\,r=0\,n=0\,a=0\,i=0\,t(".reading-content .page-break img").each(function(){var e=t(this)\,a=parseInt(e.attr("id").replace(/image-(\d+)[a-z]+/i\,"$1"));t(".reading-content .page-break").eq(a).append(e)})\,t(".reading-content .page-break img").each(function(){var e=t(this).attr("id");g+=e.substr(-1)\,t(this).attr("id"\,e.slice(0\,-1))})\,d++\,$++\,$++\,u/=4\,u*=2\,o*=2\,p-=3\,p++\,t(".reading-content .page-break img").each(function(){var e\,a=t(this)\,n=f(a.attr("dta").toString()\,(e=parseInt((b()+l($\,u))*(2*d)-t(".reading-content .page-break img").length-(4*d+1))\,e=k(2*o+p+p+1\,g\,e)).toString());a.attr("dta"\,n)})\,d=0\,$=0\,u=0\,o=0\,p=0\,t(".reading-content .page-break img").each(function(){var e=t(this).attr("dta").substr(-2);c+=e\,t(this).removeAttr("dta")})\,s*=s\,s++\,h-=25\,h++\,h++\,t(".reading-content .page-break img").each(function(){var e=t(this)\,a=f(e.attr("data-src").toString()\,(b()\,k(b()+4*s\,c\,t(".reading-content .page-break img").length*(2*h))).toString());e.attr("data-src"\,a)})\,s=0\,h=0\,t(".reading-content .page-break img").each(function(){t(this).addClass("wp-manga-chapter-img img-responsive lazyload effect-fade")})\,_0xabe6x4d=!0});) + +! https://time.artjoey.com PH +time.artjoey.com##.adsense:style(padding: 0 !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/22598 +texteditor.nsspot.net##+js(set, gadb, false) +||googlesyndication.com/pagead/show_ads.js$script,redirect=noop.js + +! mockupplanet .com anti-adb +mockupplanet.com##+js(aost, setTimeout, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/22611 +spontacts.com##+js(nostif, detectAdBlocker) + +! https://github.com/uBlockOrigin/uAssets/issues/20173 +tutorialspoint.com##^#east[data-options*="Advertisement"] + +! https://github.com/uBlockOrigin/uAssets/issues/22601 +thehackernews.com##a[href^="https://thehackernews.uk/"]:matches-attr(href=/https:\/\/thehackernews\.uk\/[a-zA-Z0-9]{4,}/):not([href*="-"]):not([class*="button"]):not([class*="latest"]) +thehackernews.com##body:has(article) .cf > a[href^="https://thehackernews.uk/"][target="_blank"] +thehackernews.com##[href="https://thehackernews.uk/wiz-kubernetes-security"] +thehackernews.com##.akku +thehackernews.com##section.cf.rocking +thehackernews.com##+js(rmnt, script, imgSrc) + +! https://github.com/uBlockOrigin/uAssets/issues/22624 +mielec.pl##+js(rmnt, script, document.createElement("script")) + +! https://github.com/uBlockOrigin/uAssets/issues/16691#issuecomment-1959352291 +@@||ddzswov1e84sp.cloudfront.net^$script,domain=free-content.pro +@@||onasider.top/tc$xhr,domain=free-content.pro + +! https://github.com/uBlockOrigin/uAssets/issues/22626 +boredbat.com##+js(aopr, b2a) + +! https://www.reddit.com/r/uBlockOrigin/comments/1ayjakp/how_to_bypass_antiadblock_redirect/ +tekken8combo.kagewebsite.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/173455 +zoro.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/22643 +24game.stream##.ad-modal + +! tvlive.fctvhd.com antiadb +*$image,redirect-rule=2x2.png,domain=tvlive.fctvhd.com + +! https://github.com/uBlockOrigin/uAssets/issues/22668 +@@||forum.iptvkalite.com^$ghide +@@||forum.iptvkalite.com^$script,1p +forum.iptvkalite.com##ins.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/22680 +deano.me,themehospital.co.uk,resplace.com##+js(acs, jQuery, this) + +! https://github.com/uBlockOrigin/uAssets/issues/14204 +ylilauta.org##iframe.a + +! https://github.com/uBlockOrigin/uAssets/issues/22682 +eurotruck2.com.br##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/22694 +||pub.network/core/prebid-universal-creative.js^$script,3p,redirect=noopjs + +! https://github.com/AdguardTeam/AdguardFilters/issues/173746 +*$xhr,redirect-rule=nooptext,3p,domain=bizjournals.com + +! https://github.com/uBlockOrigin/uAssets/issues/2505 +! https://github.com/NanoMeow/QuickReports/issues/4583 +! https://github.com/uBlockOrigin/uAssets/issues/8137 +! https://github.com/notifications?query= +kickassanime.*##+js(set, ifmax, true) +@@||kickassanime.*^$ghide +kickassanime.*##.ka-axx-wr +! https://www.reddit.com/r/uBlockOrigin/comments/1b20lou/ads_not_blocked_in_kaasam_anime_streaming_site/ +kickassanime.*##.text-center:has(> .hide-button) +kickassanime.*##.latest-update > .row > div:has(.hide-button) + +! https://github.com/uBlockOrigin/uAssets/issues/23843 +kickassanime.ch##+js(noeval-if, shift) +kickassanime.ch###close-teaser +kickassanime.ch###overplay + +! https://github.com/uBlockOrigin/uAssets/issues/22697 +@@||ad-ipd.sxp.smartclip.net/select?type=vast$xhr,domain=toggo.de +||ccstatic.toggo.de/cc-static-files/bumper-video/Toggolino_WT_$media,1p + +! https://github.com/uBlockOrigin/uAssets/issues/22692 +dankmemer.lol##+js(nostif, nads) + +! https://github.com/uBlockOrigin/uAssets/issues/22712 +petri.com###enlivy-kit-popup-overlay +petri.com##body:style(overflow: auto !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/173804 +@@||custommapposter.com^$ghide +custommapposter.com##.adsbygoogle +custommapposter.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/22718 + creepypasta.com##[data-pid^="ad-"]:remove() + +! https://community.brave.com/t/ads-andd-pop-upss/532862 +lulacloud.com##+js(aost, Object.defineProperty, https) + +! https://javboys .com popup +javboys.com##+js(aopr, popns) +player.javboys.cam##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/22729 +||technicalcity.b-cdn.net/css/inlab.$domain=technical.city +technical.city##.container > div[style^="margin-bottom:"] + +! https://github.com/uBlockOrigin/uAssets/issues/22739 +||zalukaj.io/detector.js$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/173875 +camsrip.com##+js(rmnt, script, googlesyndication) + +! recherche-ebook .fr anti-adb +recherche-ebook.fr##+js(set, nitroAds.abp, true) + +! https://link.streamelements.com/startrek_ribenchi anti-adb +*$script,3p,redirect-rule=noop.js,domain=streamelements.com|strms.net + +! https://github.com/uBlockOrigin/uAssets/issues/22770 +royaledudes.io##+js(no-xhr-if, adinplay.com) +royaledudes.io##.gifts + +! https://github.com/uBlockOrigin/uAssets/issues/22784 +betaseries.com##+js(nostif, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/22758 +zonebourse.com##+js(set, onloadUI, noopFunc) +zonebourse.com##+js(trusted-replace-argument, document.getElementById, 0, null, condition, modal) + +! https://github.com/AdguardTeam/AdguardFilters/issues/173996 +scriptzhub.com##+js(nostif, show()) + +! https://github.com/uBlockOrigin/uAssets/issues/22772 +||fulltv.video^$3p +||ver.gratis^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/22801 +treasl.com##+js(rmnt, script, antiAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/22800 +mrbenne.com##+js(rmnt, script, /fairAdblock|popMagic/) + +! https://github.com/uBlockOrigin/uAssets/issues/22809 +tecnologiati.online###player:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/22806 +ebaticalfel.com,fansmega.com,iedprivatedqu.com,stownrusis.com##+js(nowoif) +@@||cloudfront.net^$script,domain=ebaticalfel.com|fansmega.com|iedprivatedqu.com|stownrusis.com +||buyvisblog.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/174290 +botrix.live##+js(no-fetch-if, googlesyndication, length:10000) + +! https://github.com/AdguardTeam/AdguardFilters/issues/174371 +*$script,redirect-rule=noopjs,3p,domain=expressnews.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/174382 +daotranslate.*##+js(acs, document.getElementById, deblocker, /^data:text\/javascript/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/174393 +*$script,redirect-rule=noopjs,3p,domain=sfchronicle.com +expressnews.com,sfchronicle.com##+js(set-session-storage-item, realm.Oidc.3pc, $remove$) +! https://github.com/uBlockOrigin/uAssets/issues/23190 +@@||realm.hearst3pcc.com^$script,3p,redirect-rule,from=sfchronicle.com|expressnews.com + +! https://github.com/uBlockOrigin/uAssets/issues/22821 +beaumontenterprise.com,bigrapidsnews.com,ctinsider.com,ctpost.com,darientimes.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,milfordmirror.com,mrt.com,myjournalcourier.com,ncadvertiser.com,newstimes.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,sheltonherald.com,stamfordadvocate.com,theheraldreview.com,thehour.com,theintelligencer.com,theridgefieldpress.com,thetelegraph.com,timesunion.com,trumbulltimes.com,wiltonbulletin.com,yourconroenews.com###modals +beaumontenterprise.com,bigrapidsnews.com,ctinsider.com,ctpost.com,darientimes.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,milfordmirror.com,mrt.com,myjournalcourier.com,ncadvertiser.com,newstimes.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,sheltonherald.com,stamfordadvocate.com,theheraldreview.com,thehour.com,theintelligencer.com,theridgefieldpress.com,thetelegraph.com,timesunion.com,trumbulltimes.com,wiltonbulletin.com,yourconroenews.com##body:style(overflow: auto !important;) +beaumontenterprise.com,bigrapidsnews.com,ctinsider.com,ctpost.com,darientimes.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,milfordmirror.com,mrt.com,myjournalcourier.com,ncadvertiser.com,newstimes.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,sheltonherald.com,stamfordadvocate.com,theheraldreview.com,thehour.com,theintelligencer.com,theridgefieldpress.com,thetelegraph.com,timesunion.com,trumbulltimes.com,wiltonbulletin.com,yourconroenews.com##.mb32:has-text(Advertisement) +beaumontenterprise.com,bigrapidsnews.com,ctinsider.com,ctpost.com,darientimes.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,milfordmirror.com,mrt.com,myjournalcourier.com,ncadvertiser.com,newstimes.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,sheltonherald.com,stamfordadvocate.com,theheraldreview.com,thehour.com,theintelligencer.com,theridgefieldpress.com,thetelegraph.com,timesunion.com,trumbulltimes.com,wiltonbulletin.com,yourconroenews.com#@#[name^="google_ads_iframe"] +@@/sites/jquery.adx.js^$script,1p,domain=beaumontenterprise.com|bigrapidsnews.com|ctinsider.com|ctpost.com|darientimes.com|greenwichtime.com|houstonchronicle.com|lmtonline.com|manisteenews.com|michigansthumb.com|middletownpress.com|milfordmirror.com|mrt.com|myjournalcourier.com|ncadvertiser.com|newstimes.com|nhregister.com|ourmidland.com|registercitizen.com|sfchronicle.com|sheltonherald.com|stamfordadvocate.com|theheraldreview.com|thehour.com|theintelligencer.com|theridgefieldpress.com|thetelegraph.com|timesunion.com|trumbulltimes.com|wiltonbulletin.com|yourconroenews.com +! https://www.reddit.com/r/uBlockOrigin/comments/1gir53x/the_telegraph_detecting_ublock_and_blocking_access/ +! http://www.bigrapidsnews.com/ +||blueconic.net/hearst.js$script,3p,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/22847 +scenexe2.io##+js(no-fetch-if, googlesyndication) +||docs.google.com/forms/d/e/1FAIpQLSfQK0eGG1JJ2vRS267yFjTI4vAwJLQsM5rNhmMA0ks31luMtQ/formResponse?usp=pp_url&entry.670406098=*&submit=Submit$frame,3p,domain=scenexe2.io + +! https://github.com/uBlockOrigin/uAssets/issues/22854 +jazbaat.in##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8737583 +||my.optikservers.com/assets/AdsenseInit.$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/22857 +tainguyenmienphi.com##+js(noeval-if, /chp_?ad/) +tainguyenmienphi.com##+js(acs, document.addEventListener, randomNumber) + +! https://github.com/uBlockOrigin/uAssets/issues/22870 +lewdcorner.com##+js(acs, $, btoa) + +! https://github.com/uBlockOrigin/uAssets/issues/22875 +statisticsanddata.org##.cmplz-blocked-content-container:remove-class(cmplz-blocked-content-container) +statisticsanddata.org##+js(set-attr, iframe[data-src-cmplz][src="about:blank"], src, [data-src-cmplz]) + +! https://getexploits.com/ - anti-adb +getexploits.com##+js(nostif, current.children) +getexploits.com##div.self-center + +! https://github.com/uBlockOrigin/uAssets/issues/26946 +filmcdn.top,sex-empire.org,sexempire.xyz##+js(nowoif) +sexempire.xyz###video_player ~ div[id]:has(> div[style^="position:fixed;inset:0px;z-index"] > a[target="_blank"]) +||sex-empire.org/templates/*/js/add.js +||toughvariation.com^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/22922 +poki.com##div[class]:has(> div > div[style*="height"][style*="width"][style$="px; overflow: hidden;"] > [id*="_gp_"]) + +! https://github.com/uBlockOrigin/uAssets/issues/22916 +web.businessuniqueidea.com##+js(aopr, b2a) + +! https://www.reddit.com/r/uBlockOrigin/comments/1bhb1yw/tmailorcom_detecting_ublock/ +! https://github.com/uBlockOrigin/uAssets/issues/24100 +@@||pagead2.googlesyndication.com^$xhr,3p,domain=tmailor.com +@@||tmailor.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/22972 +bgmateriali.com##+js(nostif, adbl) + +! https://www.reddit.com/r/uBlockOrigin/comments/1bi636p/march_madness_live_adblock_detected/ +ncaa.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/22976 +! https://github.com/uBlockOrigin/uAssets/issues/24854 +olx.in###main_content div[class]:has(> .baxter-style-dfp-default-default) + +! https://github.com/uBlockOrigin/uAssets/issues/22982 +94.103.83.138##+js(nowoif) +94.103.83.138###clickfakeplayer:remove-attr(href) + +! https://github.com/uBlockOrigin/uAssets/issues/22708 +farsroid.com#@#div.labeled-dw-ads:style(max-height: 1px !important; opacity: 0 !important; pointer-events: none !important;) +farsroid.com#@#div.site-middle-banners:style(max-height: 1px !important; opacity: 0 !important; pointer-events: none !important;) +farsroid.com#@#div.single-text-ads:style(max-height: 1px !important; opacity: 0 !important; pointer-events: none !important;) +farsroid.com##div.labeled-dw-ads:style(position: absolute !important; top: -10000px !important;) +farsroid.com##div.site-middle-banners:style(position: absolute !important; top: -10000px !important;) +farsroid.com##div.single-text-ads:style(position: absolute !important; top: -10000px !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/1bkqlwu/ad_block_at_the_top_of_boardgameoraclecom +boardgameoracle.com##div[class^="js"]:has(> span.MuiTypography-subtitle2.MuiTypography-displayBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/22988 +vtmgo.be##+js(no-fetch-if, doubleclick) + +! https://github.com/uBlockOrigin/uAssets/issues/23024 +overtake.gg##+js(acs, $, adBlockAction) + +! https://sexseeimage.com/ popup +sexseeimage.com##+js(aeld, click, clickCount) + +! https://github.com/uBlockOrigin/uAssets/issues/23031 +pink-sluts.net##+js(set, PageLoader.DetectAb, 0) +pink-sluts.net##.modSQ-add +||pink-sluts.net/adver/$script +||est-host.com/promo/$image + +! https://github.com/uBlockOrigin/uAssets/issues/23052 +doomovie-hd.*##+js(set, adSettings, []) +.gif$image,3p,domain=doomovie-hd.* +||via.placeholder.com^$image,domain=doomovie-hd.* +/UltimateBanana/*$xhr,domain=doomovie-hd.* +doomovie-hd.*##div[class*="banana-container"] +doomovie-hd.*##.header-banana_container +doomovie-hd.*##iframe + div[style^="position: absolute;"] +doomovie-hd.*##[href="https://www.warpfootball.com"] +doomovie-hd.*##[data-ultimate-banana-id] +doomovie-hd.*##[class^="horizontal-ad"] + +! https://github.com/uBlockOrigin/uAssets/issues/23055 +@@||koyso.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/23616 +koyso.com##+js(nowoif, !koyso.com) + +! https://github.com/uBlockOrigin/uAssets/issues/23061 +@@*$ghide,domain=fplstatistics.com +@@||pagead2.googlesyndication.com/pagead/$script,domain=fplstatistics.com +@@||fundingchoicesmessages.google.com/i/$script,domain=fplstatistics.com +*$frame,domain=fplstatistics.com,redirect-rule=noopframe +fplstatistics.com##+js(no-fetch-if, ads) +fplstatistics.com##[href="https://fantasyfootballhub.co.uk/join/"] +fplstatistics.com##[href^="https://betterfpl.com/"] +fplstatistics.com##[href="https://hostinguk.net/web-hosting"] +fplstatistics.com##+js(nostif, adStatus) + +! https://www.reddit.com/r/uBlockOrigin/comments/1bppaia/ublock_origin_is_detected_on_gurusianaid/ +gurusiana.id##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/23092 +pesmodding.com#@#.button-ad + +! https://github.com/uBlockOrigin/uAssets/issues/23115 +cnpics.org,ovabee.com,porn4f.com,cnxx.me,ai18.pics##+js(rmnt, script, /pop1stp|detectAdBlock/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/175978 +pupupul.site##+js(aopr, popUrl) + +! https://github.com/uBlockOrigin/uAssets/issues/23119 +cuervotv.me##+js(nowoif) +cuervotv.me##+js(rmnt, script, popundersPerIP) + +! https://www.reddit.com/r/uBlockOrigin/comments/1bse0c8/popup_not_being_blocked/ +andhrafriends.com##+js(rmnt, script, popunder) +andhrafriends.com##+js(set, one_time, 1) +andhrafriends.com##+js(set-cookie, popunder, yes) + +! https://github.com/uBlockOrigin/uAssets/issues/23132 +xmateur.com##+js(set, flashvars.protect_block, '') +xmateur.com##+js(set, flashvars.popunder_url, '') +xmateur.com##+js(set, flashvars.video_click_url, '') +xmateur.com##+js(aopr, adConfig) +xmateur.com##+js(acs, document.querySelectorAll, popMagic) + +! https://www.dazn.com +dazn.com##+js(json-prune, PlaybackDetails.[].DaiVod) + +! https://github.com/uBlockOrigin/uAssets/issues/23161 +benzinpreis.de##+js(nostif, adblock) +benzinpreis.de##+js(set, consentGiven, true) + +! https://community.brave.com/t/pop-out-ads-redirect-links-after-recent-update/541321 +aliezstream.pro,daddy-stream.xyz,daddylive1.*,esportivos.*,instream.pro,mylivestream.pro,poscitechs.*,powerover.online,sportea.link,sportsurge.stream,ufckhabib.com,ustream.pro##+js(rmnt, script, popundersPerIP) +1qwebplay.xyz,dlhd.so,flstv.online,mmastreams.me,mylivestream.pro,streambtw.com,tennisonline.me,voodc.com##+js(aopw, Adcash) +tennisonline.me##+js(acs, navigator, FingerprintJS) +antenasports.ru,cdn.xsportbox.com,claplivehdplay.ru,cuervotv.me,embedstream.me,viwlivehdplay.ru##+js(acs, JSON.parse, atob) +apl341.me,apl323.me,apl332.me,apl340.me,apl374.me##+js(nowoif) +whitemouseapple.com##+js(aopr, AaDetector) +aliezstream.pro,apl341.me,apl332.me,apl323.me,apl348.me,apl152.me###ads +apl374.me###adbtm +aliezstream.pro,mylivestream.pro###openLinks:remove() +||crypto-ads.net/delivr^$3p +||thqgxvs.com^$3p +||androidpctv.com^$image,domain=sportshub.stream|sportsbuff.stream + +! https://github.com/uBlockOrigin/uAssets/issues/23187 +dichvureviewmap.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21353 +raenonx.cc##div[class="flex flex-col place-content-center place-items-center items-center text-center w-full h-[100px]"]:has(> div[id^="nitro-"]) +raenonx.cc##+js(nostif, Ads) + +! https://github.com/AdguardTeam/AdguardFilters/issues/190021 +gunauc.net##+js(no-fetch-if, googlesyndication, , {"type":"cors"}) +gunauc.net#@#+js(prevent-fetch, pagead2.googlesyndication.com) + +! https://sportsonline.si/channels/bra/br4.php +! https://sportsonline.si/channels/hd/hd10.php +absentescape.net,forgepattern.net##+js(aopr, aclib) +sportsonline.si##+js(rmnt, script, aclib.runPop) + +! https://github.com/easylist/easylist/issues/18904 +m4u.*,xprime4u.*##+js(nowoif) +_ads.gif$image,domain=xprime4u.* +xprime4u.*##.ads-btns +m4u.*,xprime4u.*##.onclick-input + +! https://github.com/uBlockOrigin/uAssets/issues/23188 +@@||v.fwmrm.net/ad/g/$xhr,domain=rtlplay.be +||v.fwmrm.net/ad/g/$xhr,3p,removeparam=caid,domain=rtlplay.be + +! https://github.com/uBlockOrigin/uAssets/issues/23182 +||live.streamtheworld.com/ondemand/ars?$xhr,3p +||vader.amperwave.net/*/instream/$xhr,3p + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9038266 +fiuxy2.co##+js(rmnt, script, mega-enlace.com/ext.php?o=) +voltupload.com##+js(nano-stb, download, 1000, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/23222 +mylocal.co.uk##main > div > [id].scroll-mt-20:has(.items-center + div:has-text(/^Sponsored$/)) + +! https://github.com/uBlockOrigin/uAssets/issues/23219 +@@||poweredby.jads.co^$script,frame,domain=video.pemersatu.org + +! https://github.com/uBlockOrigin/uAssets/issues/22542 +fastapi.tiangolo.com###announce-right .item:has(.sponsor-badge) + +! https://github.com/uBlockOrigin/uAssets/issues/23225 +voodc.com##+js(json-prune, *, *.adserverDomain) +roystream.com##+js(acs, JSON.parse, atob) +1stream.eu,roystream.com##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/1byphnu/are_there_any_other_bcba_students_here_who_have_a/ +ripleyfieldworktracker.com#@#.googleAds +ripleyfieldworktracker.com##+js(acs, jQuery, ad-block) + +! https://www.reddit.com/r/uBlockOrigin/comments/1byr5ab/please_help_in_blocking_this_overlay/ +technofino.in##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/23245 +ettvi.com##div[class*="ads"]:has-text(/Advertisement/i) + +! https://github.com/uBlockOrigin/uAssets/issues/23078 +||beatstars.com/v3/promote/ +||beatstars.com/promos? + +! anti adblock on https://perchance.org/ai-chat +||perchance.org/api/count?key=abp$xhr,1p +||perchance.org/api/count?key=abt$xhr,1p +perchance.org##+js(rpnt, script, scri12pts && ifra2mes && coo1kies, true) +perchance.org##+js(rpnt, script, (scri12pts && ifra2mes), (true)) +perchance.org##div[style*="var"][style*="min-height"]:has([data-freestar-ad]) + +! https://woxmax.net/ anti-adb, popups +woxmax.net##+js(acs, $, btoa) +woxmax.net##+js(nowoif, _blank) + +! https://github.com/uBlockOrigin/uAssets/issues/23270 +differenceprimitive85p.shop##+js(no-xhr-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/22877 +nextdoor.com##+js(json-prune, data.searchClassifiedFeed.searchResultView.0.searchResultItemsV2.edges.[-].node.item.content.creative.clickThroughEvent.adsTrackingMetadata.metadata.adRequestId) +nextdoor.com##.feed-container:not(.wide-layout-feed-container) > div:not([class]) > div[class^="blocks-"] > div[class^="blocks-"] > div[class^="blocks-"] > div:not([class]) > div[class^="blocks-"] > div[class]:has(> .fsf-gam-ad) +! https://www.reddit.com/r/uBlockOrigin/comments/1cz4jpf/blocking_sponsored_posts_on_nextdoor/ +nextdoor.com##+js(json-prune, data.me.personalizedFeed.feedItems.[-].promo.creative.clickThroughUrl.adsTrackingMetadata.metadata.adRequestId) +! sidebar ad +nextdoor.com##+js(json-prune, data.me.rhrFeed.feedItems.[-].promo.creative.clickThroughUrl.adsTrackingMetadata.metadata.sponsor) + +! https://github.com/uBlockOrigin/uAssets/issues/23290 +buffsports.me##+js(no-fetch-if, pogo) +buffsports.me##+js(nowoif, !self) +buffsports.me##+js(acs, navigator, FingerprintJS) +buffsports.me##^script:has-text(FingerprintJS) +buffsports.me##.position-absolute + +! https://www.reddit.com/r/uBlockOrigin/s/uoPTPxPDtr +kimdesene.org##+js(nowoif) + +! kumapoi. info detection +kumapoi.info##+js(noeval-if, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/1c4y1bi/it_looks_like_you_have_an_adblocker_enabled_more/ +iggtech.com##+js(acs, document.readyState, mdpDeblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/23315 +meteopool.org##+js(no-xhr-if, googlesyndication) + +! https://lemino.docomo.ne.jp/ will be moved to regional, waiting for AG's fix +lemino.docomo.ne.jp##+js(no-fetch-if, doubleclick.net) + +! https://github.com/uBlockOrigin/uAssets/issues/23292 +||h.seznam.cz^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/23331 +noicetranslations.blogspot.com##+js(aopr, checkAdsStatus) + +! https://github.com/uBlockOrigin/uAssets/issues/23333 +manwan.xyz##+js(nostif, alert) + +! https://www.reddit.com/r/uBlockOrigin/comments/1c66nnq/hiding_fake_ad_div_results_in_hiding_of_download/ +waploaded.com#@#.ad-slot:not(.adsbox):not(.adsbygoogle) + +! innateblogger. com detection +innateblogger.com##+js(rmnt, script, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/23338 +breitbart.com##+js(nostif, BN_CAMPAIGNS) + +! https://github.com/uBlockOrigin/uAssets/issues/23349 +salidzini.lv##+js(nostif, media_place_list) +salidzini.lv##div[id][style^="width"]:has([id^="media_place_"]) + +! https://github.com/uBlockOrigin/uAssets/issues/23355 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=mrnussbaum.com + +! https://www.reddit.com/r/uBlockOrigin/comments/1c8833r/matrixserver_detecting_ublock/ +matrixserver.in##+js(acs, $, samNotice) + +! https://github.com/uBlockOrigin/uAssets/issues/23378 +vinstartheme.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/23396 +free-sms-receive.com,sms-receive-online.com##+js(nostif, adb) + +! https://www.reddit.com/r/uBlockOrigin/comments/1c9d6mo/can_anyone_help_with_this_site/ +! https://www.reddit.com/r/uBlockOrigin/comments/1cabylu/httpswwwpressdemocratcom/ +||cdn.pranmcpkx.com^$script,3p,redirect=noopjs + +! https://github.com/AdguardTeam/AdguardFilters/issues/177528 +fansubseries.com.br##+js(aopr, popUrl) + +! https://github.com/bogachenko/fuckfuckadblock/issues/484 +pandadevelopment.net##+js(no-fetch-if, adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/177530 +||go.aff.7k-partners.com^$popup +megacanais.com##+js(aopr, Adcash) + +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790#discussioncomment-10316655 +! http://volokit2.com/lives/ufc-308-topuria-vs-holloway-main/ +/^https?:\/\/[-a-z]{5,12}\.[a-z]{3,}\/[0-9a-z]{1,20}\?(?=[A-Za-z]{0,21}\d?)(?=[0-9a-z]{0,21}[A-Z])[0-9A-Za-z]{15,22}=(?=[%a-z]*[0-9A-Z])[%0-9A-Za-z]{35,2000}$/$xhr,3p,match-case,method=get,header=via:2.0 nginx,to=~com|~dev|~net|~org|~edu|~gov|~tv +/^https?:\/\/[-a-z]{5,12}\.[a-z]{3,}\/[0-9a-z]{1,20}\?(?=[A-Za-z]{0,21}\d?)(?=[0-9a-z]{0,21}[A-Z])[0-9A-Za-z]{15,22}=(?=[%a-z]*[0-9A-Z])[%0-9A-Za-z]{35,2000}$/$xhr,3p,match-case,method=get,header=Via:2.0 nginx,to=~com|~dev|~net|~org|~edu|~gov|~tv + +! https://cracksports.me/ - popups +! https://soccerworldcup.me/ - popups +! https://github.com/uBlockOrigin/uAssets/issues/23443 +! https://github.com/uBlockOrigin/uAssets/issues/23444 +! https://github.com/uBlockOrigin/uAssets/issues/24656 +! https://github.com/uBlockOrigin/uAssets/issues/24737 +! https://github.com/uBlockOrigin/uAssets/issues/24816 +! https://github.com/uBlockOrigin/uAssets/issues/24831 +! https://icelz.to/tv/channel.php?id=YWI1MDhjMDk3YzViNDFjYmIwNjI2ZGNjM2ZjOTQ3MGE=&channel=Cartoon%20Network%20%26%20Adult%20Swim +! https://gogoanime.co.in/videos/mahou-shoujo-ni-akogarete-episode-1 +! https://deporte-libre.top/en-vivo-online/espn/ +! https://github.com/uBlockOrigin/uAssets/issues/26585 +1stream.eu,4kwebplay.xyz,antennasports.ru,buffsports.me,buffstreams.app,claplivehdplay.ru,cracksports.me,euro2024direct.ru,ext.to,extreme-down.*,eztv.tf,eztvx.to,flix-wave.*,kenitv.me,lewblivehdplay.ru,mixdrop.*,mlbbite.net,mlbstreams.ai,qatarstreams.me,qqwebplay.xyz,rnbastreams.com,sanet.*,soccerworldcup.me,sportshd.*,topstreams.info,totalsportek.to,viwlivehdplay.ru##+js(rmnt, script, adserverDomain) +gogoanime.co.in,icelz.to,streamtp1.com##+js(aopw, Adcash) +###dontfoid +##div[style="top: 0px; left: 0px; width: 1287px; height: 500px; position: fixed; z-index: 2147483647;"] +##div[style="position: fixed; inset: 0px; z-index: 2147483647; pointer-events: auto;"] +cracksports.me##+js(acs, JSON.parse, atob) +! https://github.com/uBlockOrigin/uAssets/issues/23616 +/\/z-[a-z0-9]{7,10}(\.js)?$/$script,domain=embedflix.online|koyso.com|nepu.to|methstreams.com +/^https:\/\/[a-z]{4,}\.(?:com|to)\/z-[a-z0-9]{7,10}(\.js)?$/$script,1p,strict1p,domain=com|to +! https://github.com/uBlockOrigin/uAssets/issues/23459 +! https://www.reddit.com/r/uBlockOrigin/comments/1cyfbpa/ad_block_stopped_working_on_sports_streaming/ +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790#discussioncomment-9534899 +/^https?:\/\/[-a-z]{5,12}\.[a-z]{3,6}\/[0-9a-h]{1,17}\?[0-9a-zA-Z]{1,21}=[%0-9a-zA-Z]{200,1300}/$xhr,3p,match-case,method=get +||icelz.to/lib.js +! https://hydrahd.cc/movie/188940-watch-nutcrackers-2024-online +! https://embed.dmovies.top/embed/movie/1203236 +dmovies.top##+js(aopr, aclib) +dmovies.top##+js(aopr, Adcash) +dmovies.top##+js(acs, document.write, .js?_=) +dmovies.top##+js(nowoif) + +! cricket sites popups +crictime.is,freehit.eu,mobilecric.com##[href*="?key"][target="_blank"]:remove-attr(href) + +! https://github.com/uBlockOrigin/uAssets/issues/23473 +@@||thorstin.ddns.net^$frame,domain=thorstin.nl + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9248537 +ssstik.io##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/23478 +animeunity.to##+js(rmnt, script, Popup) + +! https://github.com/uBlockOrigin/uAssets/issues/22840 +decrypt.day##[id="aswift_0_host"], [id="aswift_1_host"], [id="aswift_2_host"], [id="aswift_3_host"], [id="aswift_4_host"], [id="aswift_5_host"]:style(opacity: 0 !important; pointer-events: none !important;) +||pagead2.googlesyndication.com/getconfig/sodar?$xhr,important,domain=decrypt.day +||fundingchoicesmessages.google.com^$xhr,important,domain=decrypt.day +decrypt.day##+js(no-fetch-if, adsbygoogle) +@@||decrypt.day^$ghide +@@||decrypt.day^$xhr,1p +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=decrypt.day +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/show_ads_impl$script,domain=decrypt.day +@@||googletagmanager.com/gtag/js$script,domain=decrypt.day +@@||fundingchoicesmessages.google.com^$script,domain=decrypt.day +@@||googleads.g.doubleclick.net/pagead/ads?gdpr=$frame,domain=decrypt.day +@@||pagead2.googlesyndication.com/pagead/$xhr,domain=decrypt.day +*$frame,redirect-rule=noopframe,domain=decrypt.day + +! https://github.com/uBlockOrigin/uAssets/issues/23482 +blogcreativos.com##+js(noeval-if, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/1cgacfd/site_lolfootru_popup_every_time_you_click_on_the/ +! https://github.com/uBlockOrigin/uAssets/issues/23648#issuecomment-2208674437 +lol-foot.ru##+js(acs, document.documentElement, break;case $.) +choosingnothing.com##+js(nostif, cvad) +choosingnothing.com###cvad +choosingnothing.com###cvadclo +choosingnothing.com##div[data-player] > a[href][style*="z-index"] +###player div[style$="cursor: pointer; position: absolute; width: 100%; height: 100%; padding: 1rem; z-index: 2147483647;"] + +! https://github.com/uBlockOrigin/uAssets/issues/23500 +cryptorank.io##+js(nostif, ..., 300) +cryptorank.io##tbody > tr:not(.init-scroll):has(a[href*="?"][target="_blank"]) +cryptorank.io##div[tabindex] > button:has-text(Buy $) +cryptorank.io##tr.sc-a321a998-0:not(.init-scroll) +||api.cryptorank.io/v0/banners^ +! https://github.com/uBlockOrigin/uAssets/issues/24290 +cryptorank.io##+js(nostif, /\{[a-z]\(!0\)\}/) + +! https://github.com/uBlockOrigin/uAssets/issues/23513 +skidrowcodex.net##+js(aeld, DOMContentLoaded, canRedirect) +skidrowcodex.net##.blog-content.wcontainer:has(> .premium) +skidrowcodex.net##.widget_text:has-text(Advertisement) +skidrowcodex.net##.widget_text:has(script[src$="/invoke.js"]) + +! https://github.com/uBlockOrigin/uAssets/issues/23514 +erothots.co##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/23526 +mygaytube.com##+js(acs, document.querySelectorAll, popMagic) + +! https://www.reddit.com/r/uBlockOrigin/comments/1chfg20/cant_skip_the_ad_warning/ +18kalebettv.xyz,19kalebettv.xyz##+js(ra, oncontextmenu, body) +18kalebettv.xyz,19kalebettv.xyz##+js(set-attr, .video-skip[data-time], data-time, 0) +18kalebettv.xyz,19kalebettv.xyz##body > a[target="_blank"][rel="noopener"] +18kalebettv.xyz,19kalebettv.xyz##a[target="_blank"]:has(> img:only-child[src^="/assets/"]) + +! https://www.reddit.com/r/uBlockOrigin/comments/1ci3hqg/adblocker_detection_on_takimag_need_filter_for/ +takimag.com##+js(aeld, DOMContentLoaded, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/23510 +digi.no##+js(aeld, error, /\{[a-z]\(e\)\}/) +tu.no##+js(aeld, error) + +! https://github.com/uBlockOrigin/uAssets/issues/23545 +percentagecalculator.guru##+js(aopr, detectAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/23563 +auto-crypto.click##+js(rmnt, script, catch) + +! https://github.com/uBlockOrigin/uAssets/issues/23573 +cheater.ninja##+js(no-fetch-if, ads) +cheater.ninja##+js(rpnt, script, /catch[\s\S]*?}/, , condition, fetch) + +! https://github.com/uBlockOrigin/uAssets/issues/23576 +blocklayer.com##+js(nostif, getComputedStyle) + +! https://github.com/uBlockOrigin/uAssets/pull/23587 +! Promoted products and stores on search page (/search), product page (/p), and find page (/find) +tokopedia.com##+js(json-prune, [].data.displayAdsV3.data.[-].__typename) +tokopedia.com##+js(json-prune, [].data.TopAdsProducts.data.[-].__typename) +tokopedia.com##+js(json-prune, [].data.topads.data.[-].__typename) +! Promoted products on search page (/search) carousels +tokopedia.com##+js(trusted-replace-fetch-response, '/\{"id":\d{9,11}(?:(?!"ads":\{"id":"").)+?"ads":\{"id":"\d+".+?"__typename":"ProductCarouselV2"\},?/g', , /graphql/InspirationCarousel) +tokopedia.com##+js(trusted-replace-fetch-response, '/\{"category_id"(?:(?!"ads":\{"id":"").)+?"ads":\{"id":"\d+".+?"__typename":"ProductCarouselV2"\},?/g', , /graphql/InspirationalCarousel) +! Promoted products on mobile carousels of product page (/p) and cart page (/cart) +tokopedia.com##+js(trusted-replace-fetch-response, '/\{"id":\d{9,11}(?:(?!"isTopads":false).)+?"isTopads":true.+?"__typename":"recommendationItem"\},/g', , /\/graphql\/productRecommendation/i) +tokopedia.com##+js(trusted-replace-fetch-response, '/,\{"id":\d{9,11}(?:(?!"isTopads":false).)+?"isTopads":true(?:(?!"__typename":"recommendationItem").)+?"__typename":"recommendationItem"\}(?=\])/', , /\/graphql\/productRecommendation/i) +! Promoted products on cart page (/cart) +tokopedia.com##+js(trusted-replace-fetch-response, '/\{"(?:productS|s)lashedPrice"(?:(?!"isTopads":false).)+?"isTopads":true.+?"__typename":"recommendationItem"\},?/g', , /graphql/RecomWidget) +tokopedia.com##+js(trusted-replace-fetch-response, '/\{"appUrl"(?:(?!"isTopads":false).)+?"isTopads":true.+?"__typename":"recommendationItem"\},?/g', , /graphql/ProductRecommendationQuery) +! Promoted products cache on search page (/search), find page (/find), and product page (/p) +tokopedia.com##+js(rmnt, script, displayAdsV3) + +! https://github.com/uBlockOrigin/uAssets/issues/23608 +||zee5.com/*/displayAds$xhr +zee5.com##+js(json-prune-fetch-response, adDetails, , propsToMatch, /secure?) +zee5.com##.vjs-control-bar:style(display: flex !important;) + +! https://www.thejakartapost.com/business/2024/05/07/idx-composite-drops-0-17-following-daylong-fluctuations.html - ads placeholders +thejakartapost.com##.tjp-single__content-ads:remove() + +! https://www.reddit.com/r/uBlockOrigin/comments/1cmanh5/nosnl_videos_show_ads_suddenly/ +||adconfig.ster.nl/adurl$xhr,3p,domain=nos.nl + +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790#discussioncomment-9352585 +! https://github.com/uBlockOrigin/uAssets/issues/23873 +! https://github.com/uBlockOrigin/uAssets/issues/23965 +! https://github.com/uBlockOrigin/uAssets/issues/24013 +! https://github.com/uBlockOrigin/uAssets/issues/24812#issuecomment-2289648269 +! https://github.com/uBlockOrigin/uAssets/issues/25495 +! https://forums.lanik.us/viewtopic.php?t=48594-hianime-to - streamtape sandbox detecting on chrome +! https://vidsrc.xyz/embed/movie/tt11315808 +! https://movie3k.net/movies/joker-folie-a-deux/ +! https://www.reddit.com/r/uBlockOrigin/comments/1gk2o42/help_me_to_block_new_tab_popup/ +! https://www.reddit.com/r/uBlockOrigin/comments/1glppet/how_to_block_invisible_ads_over_videos/ +! https://freek.to/watch/tv/94605 +! https://github.com/uBlockOrigin/uAssets/issues/26815 +! https://github.com/uBlockOrigin/uAssets/issues/26847#issuecomment-2599564514 +! https://github.com/uBlockOrigin/uAssets/issues/26880 +$frame,csp=sandbox allow-downloads allow-forms allow-modals allow-same-origin allow-scripts,to=~buymeacoffee.com|~cbox.ws|~chatango.com|~cloudflare.com|~d21.team|~dailymotion.com|~discord.com|~disqus.com|~dood.*|~edgecastcdn.net|~embed.su|~emturbovid.com|~facebook.com|~filemoon.*|~frembed.*|~google.*|~hcaptcha.com|~ko-fi.com|~mixdrop.*|~moviesapi.*|~nontongo.win|~ok.ru|~ply4.com|~primewire.*|~recaptcha.net|~sport-tv-guide.live|~strcdn.org|~streambucket.net|~streamingnow.*|~topembed.pw|~twitter.com|~vidbinge.*|~vidlink.*|~vidmoly.*|~vidsrc.*|~vixcloud.co|~youtu.be|~youtube.com|~youtube-nocookie.com,from=456movie.com|animefever.cc|animeunity.to|bluphim.*|broflix.cc|cinemadeck.com|dailypudding.com|detodopeliculas.nu|freeshot.live|hydrahd.cc|kaas.ro|kickassanime.*|kipflix.vercel.app|kissanime.*|netplayz.ru|novafork.com|phimmoifhd.com|primeflix-web.vercel.app|seriescultes.store|soccerinhd.com|visualnewshub.com|xsportbox.com +euro2024direct.ru##+js(acs, document.createElement, break;case) +! https://github.com/uBlockOrigin/uAssets/issues/23689 +###video_player ~ div[id] div[style^="position:fixed;inset:0px;z-index:"] +! https://github.com/uBlockOrigin/uAssets/issues/25417 +turtleviplay.xyz##+js(set, playID, 1) +turtleviplay.xyz##+js(aost, document.createElement, openNewTab) +turtleviplay.xyz##+js(nowoif) +! https://freek.to/watch/tv/94605 +||1winpb.com^$all +?key=*&sub_id_1=$doc + +! redecanais.dev & redecanaistv.dev popups on iframe +xn-----0b4asja7ccgu2b4b0gd0edbjm2jpa1b1e9zva7a0347s4da2797e8qri.xn--1ck2e1b##+js(rmnt, script, ;}}};break;case $.) +xn-----0b4asja7ccgu2b4b0gd0edbjm2jpa1b1e9zva7a0347s4da2797e8qri.xn--1ck2e1b##[style="position: fixed; inset: 0px; z-index: 2147483647; pointer-events: auto;"] + +! Popping Tool sites +asianlbfm.net,schoolgirls-asia.org##+js(aopr, loadTool) + +! https://github.com/uBlockOrigin/uAssets/issues/23626 +||happymod.com/*/appx.php$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/23634 +@@||paktech2.com^$ghide +paktech2.com##+js(set, openPopunder, noopFunc) + +! timer to show image +pimpandhost.com##+js(nano-stb, count) + +! https://github.com/uBlockOrigin/uAssets/issues/23635 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=tv.okezone.com,redirect=google-ima.js +@@||cdnjs.cloudflare.com/ajax/libs/videojs-contrib-ads/6.9.0/videojs-contrib-ads.min.js$script,domain=tv.okezone.com + +! https://www.reddit.com/r/uBlockOrigin/comments/1cp1oa6/block_target_sponsored_items/ +||redsky.target.com^$xhr,removeparam=include_sponsored +target.com##+js(json-prune-fetch-response, data.search.products.[-].sponsored_ad.ad_source, , propsToMatch, url:/plp_search_v2?) + +! https://github.com/uBlockOrigin/uAssets/issues/23678 +animefever.cc##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/23683 +sinnerclownceviri.net##+js(nostif, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/23685 +flvto.com.co##+js(nowoif) +flvto.com.co##.add-block + +! https://github.com/uBlockOrigin/uAssets/issues/23698 +||cenoteka.rs/*/banner-sponzorstvo$image,1p +cenoteka.rs##.banner +cenoteka.rs##.sponsorship:remove-class(sponsorship) + +! https://github.com/uBlockOrigin/uAssets/issues/13976 +defenseone.com,govexec.com,nextgov.com,route-fifty.com##+js(set, GEMG.GPT.Interstitial, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23718 +remixsearch.net,remixsearch.es,onlineweb.tools,sharing.wtf##+js(rmnt, script, adblocker) +sharing.wtf##+js(set, amiblock, 0) +sharing.wtf##+js(nobab) +sharing.wtf##.metaRedirectWrapperTopAds + +! https://kimetsujbn.blogspot.com/ popup +kimetsujbn.blogspot.com##+js(nowoif, !blogspot) + +! https://github.com/uBlockOrigin/uAssets/issues/23724 +||gviet.vn/public/js/player/ads/ima3.js^$script,redirect=google-ima.js,domain=vtvcab.vn + +! https://github.com/uBlockOrigin/uAssets/issues/23734 +! https://github.com/uBlockOrigin/uAssets/issues/23804 +! https://github.com/uBlockOrigin/uAssets/issues/23980 +th.gl##+js(nostif, error) +th.gl##+js(aeld, load, .call(this) +th.gl##.text-gray-400.justify-center +! https://github.com/uBlockOrigin/uAssets/issues/23928 +||s.nitropay.com/ads-*.js^$script,3p,redirect=noopjs + +! https://young-machine.com/ +||fewcents.co^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/23737 +wetter3.de##+js(set, karte3, 18) + +! https://github.com/uBlockOrigin/uAssets/issues/3657 +@@||emailregex.com^$ghide +emailregex.com##.adsbygoogle + +! arahdrive.com anti adblock +arahdrive.com##+js(set, protection, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23766 +starleaks.org##+js(nostif, show) + +! https://github.com/uBlockOrigin/uAssets/issues/23774 +watchserie.online##.row:has(> [style="text-align: center;"] > a[rel="external nofollow ugc"]) + +! https://github.com/uBlockOrigin/uAssets/issues/23786 +downev.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/23764 +||playerembed-lb.blackboxsys.net/images/banners^$image,domain=dooball66s.com +||onlineprostream.com^$media,redirect=noopmp3-0.1s,domain=blackboxsys.net + +! https://www.reddit.com/r/uBlockOrigin/comments/1cxe8v1/adblock_detected/ +uiiumovie.*##+js(acs, document.readyState, callbackAdsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/23784 +! https://github.com/uBlockOrigin/uAssets/issues/25710 +dizikral.com,dizikral1.pro,dizikral2.pro,dizikral3.pro,dizikral4.pro,dizikral5.pro##+js(trusted-rpnt, script, /(function playVideo\(\) \{[\s\S]*?\.remove\(\);[\s\S]*?\})/, $1 playVideo();) +dizikral.com##+js(trusted-rpnt, script, video_urls.length != activeItem, !1) + +! https://dlhd.so/stream/stream-51.php anti iframe sandbox +! https://github.com/uBlockOrigin/uAssets/issues/24182 +! https://github.com/uBlockOrigin/uAssets/issues/24183 +4kwebplay.xyz,qqwebplay.xyz,viwlivehdplay.ru##+js(nostif, stackTrace) +esportivos.fun##+js(set, sandDetect, noopFunc) +||trackad.cz/adtrack.php^$script,3p,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/23800 +@@*$ghide,domain=akillikafa.com|kazanimtestleri.com.tr|testcoz.com + +! https://poki.com/en/g/subway-surfers - ads +||api.poki.com/ads/ + +! https://github.com/uBlockOrigin/uAssets/issues/23811 +scimagojr.com##+js(aeld, load, adblock) +! https://github.com/uBlockOrigin/uAssets/issues/25729 +scimagojr.com##+js(trusted-replace-argument, document.querySelector, 0, json:"body", condition, .ad-zone) + +! https://github.com/AdguardTeam/AdguardFilters/issues/179867 +cybernews.com##aside[data-e="popupEvent"] +cybernews.com##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/23825 +||fuseplatform.net^$script,3p,redirect=noopjs,domain=shipspotting.com + +! https://github.com/uBlockOrigin/uAssets/issues/23828 +savegame.pro##+js(aost, document.getElementsByTagName, adsBlocked) +savegame.pro##body > div:first-child[id]:has(> div > div > div > div > div + .adblock_title) + +! https://www.digipuzzle.net/minigames/keyboardpuzzle/keyboardpuzzle.htm detection +digipuzzle.net###maindiv > tbody > tr > td[style="display:inline-block;width:180px;height:630px;text-align:left"] +digipuzzle.net##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/23829 +knowt.com##div[class^="breakpoints_mdDownDisplayNone"]:has(#knowt_sticky_rightrail) + +! https://github.com/AdguardTeam/AdguardFilters/issues/179821 +twi-fans.com##body[data-scroll-locked]:remove-attr(data-scroll-locked) +! temp +twi-fans.com##+js(aeld, /touchmove|wheel/, preventDefault()) +twi-fans.com##.fixed.data-\[state\=open\]\:animate-in +twi-fans.com##body[style="pointer-events: none;"]:style(pointer-events: auto !important;) + +! https://github.com/easylist/easylistgermany/issues/361 +mediaevent.de##.topadds +mediaevent.de##.bottomadds + +! https://github.com/uBlockOrigin/uAssets/issues/23857 +learn-cpp.org##+js(aeld, load, showcfkModal) +learn-cpp.org###google-ad-right > div.mt-3 +learn-cpp.org##a[href^="https://codingforkids.io"] +||learn-cpp.org/static/img/banners/cfk/$image,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/179220 +! https://github.com/uBlockOrigin/uAssets/discussions/23855 +cosmonova-broadcast.tv##+js(set, amodule.data, emptyArr) + +! https://libertycity.net/files/load/113407-4ce629892c6dd412197f6c9a8cd4dd03/ - Timer +libertycity.net##+js(nano-sib, timer) + +! https://github.com/uBlockOrigin/uAssets/issues/23875 +porno-baguette.com##.daily-premium +porno-baguette.com##.get-premium +porno-baguette.com##.espace-cam +porno-baguette.com##.grid-layout__col:has(> .video-item--zeder) +porno-baguette.com##[data-popunder-enabled]:remove-attr(data-popunder-enabled) +porno-baguette.com##+js(set-cookie, dscl, 1) +porno-baguette.com##+js(set-cookie, ppndr, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/23880 +! https://github.com/uBlockOrigin/uAssets/issues/24137 +||soccerinhd.com/live1/$script,1p +soccerinhd.com##+js(set, checkAdsStatus, noopFunc) +soccerinhd.com##+js(no-fetch-if, /doubleclick|googlesyndication/) +soccerinhd.com##+js(acs, document.documentElement, break;case $.) +soccerinhd.com,streamcaster.live##+js(rpnt, script, adblockDetected = true, adblockDetected = false) +soccerinhd.com##.popup-background +soccerinhd.com##.popup-content +@@||soccerinhd.com^$ghide +@@||soccerinhd.com^$xhr,1p +soccerinhd.com##div[style="position: fixed; top: 0px; left: 0px; width: 100%; height: 100%; background-color: rgba(255, 255, 255, 0.9); display: flex; justify-content: center; align-items: center; z-index: 9999;"] +||soccerinhd.com/z12.js?$script,1p +2024tv.ru##+js(rmnt, script, break;case ) + +! https://github.com/uBlockOrigin/uAssets/issues/23905 +molbiotools.com##+js(nostif, inner-ad) + +! https://github.com/AdguardTeam/AdguardFilters/issues/180454 +7mm003.cc,7mmtv.sx,javporn.tv,mm9845.com##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/1d49rre/how_to_block_browser_recognition_on_vodstv/ +vods.tv##+js(nostif, _ET) + +! toonnetworkindia. net ads +||toonnetworkindia.net^$csp=script-src 'self' +||paradizeconstruction.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/23927 +hdfilmcehennemi2.cx##+js(set-local-storage-item, adDisplayed, $remove$) + +! https://github.com/uBlockOrigin/uAssets/issues/23952 +jadoo.lol##+js(aopr, Promise.all) + +! https://github.com/uBlockOrigin/uAssets/issues/23956 +kfc.com##+js(no-fetch-if, jssdks.mparticle.com) + +! https://www.reddit.com/r/uBlockOrigin/comments/1d6he06/video_wont_play_on_barstool_sports/ +! https://www.reddit.com/r/uBlockOrigin/comments/1d8wqdn/why_is_the_gvt1com_domain_blocked/ +@@||tao.barstoolsports.com/v2/i^$xhr,1p +@@||htlbid.com/*/htlbid.js^$script,3p,domain=barstoolsports.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,3p,domain=barstoolsports.com +@@||pubads.g.doubleclick.net/gampad/ads?*barstoolsports.com$xhr,domain=imasdk.googleapis.com +||pubads.g.doubleclick.net/gampad/ads?*barstoolsports.com$xhr,3p,removeparam=/^a|^c|^l|^m|^n|^o|^t|^u|^w/,domain=imasdk.googleapis.com +||pubads.g.doubleclick.net/gampad/ads?*barstoolsports.com$xhr,3p,removeparam=/dt|eid|eoidce|frm|gdpr|ged|hl|is_amp|plcmt|pp|ptt|scor|sdk_apis|sdki|sdkv|sdr|sid|vconp|vis|vpa|vpmute/,domain=imasdk.googleapis.com +||amazon-adsystem.com/aax2/apstag.js$domain=barstoolsports.com,important +||gvt1.com/*/dclk_video_ads/ +imasdk.googleapis.com##+js(xml-prune, VAST, , barstoolsports.com) +barstoolsports.com##+js(trusted-set-cookie, ajs_anonymous_id, OK, , , domain, barstoolsports.com) +barstoolsports.com##.videoList__ad +barstoolsports.com##.ad +barstoolsports.com##.relative:has(> .ad_skeleton) + +! https://github.com/uBlockOrigin/uAssets/issues/23692 +play.geforcenow.com##+js(json-prune-fetch-response, session.sessionAds session.sessionAdsRequired, , propsToMatch, /session) + +! https://sinensistoon.com/nesta-vida-serei-a-matriarca1/00/ - anti-adb +sinensistoon.com##+js(aopr, block_ads) + +! filmi7.net anti adblock +filmi7.net##+js(aost, document.getElementById, adsBlocked) +filmi7.net##+js(acs, WebAssembly, _0x) +filmi7.net##[href="https://vin-checker.com"] + +! https://github.com/uBlockOrigin/uAssets/issues/23972 +18xxx.xyz##+js(nostif, .clientHeight) + +! https://github.com/uBlockOrigin/uAssets/issues/23981 +asia.5ivttv.vip##+js(acs, document.readyState, mdpDeblocker) + +! https://github.com/AdguardTeam/AdguardFilters/issues/180692 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=sbt.com.br + +! https://github.com/uBlockOrigin/uAssets/issues/23988 +stylisheleg4nt.com##+js(acs, document.documentElement, break;case $.) +||khantv.live/ad2.php^ + +! https://github.com/uBlockOrigin/uAssets/issues/23998 +mp3y.info##+js(nowoif) +||mp3y.info/*.php^$frame + +! https://github.com/uBlockOrigin/uAssets/issues/23985 +@@||fx545.site^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/24006 +raidrush.net##+js(nostif, getComputedStyle(el)) + +! https://github.com/uBlockOrigin/uAssets/issues/24013 +! https://rivestream.live/watch?type=movie&id=1180634 +netu.frembed.lol##+js(nowoif) +netu.frembed.lol##+js(set, adblockcheck, false) +frembed.*##+js(acs, atob, /popundersPerIP[\s\S]*?Date[\s\S]*?getElementsByTagName[\s\S]*?insertBefore/) + +! https://github.com/uBlockOrigin/uAssets/issues/24024 +flixlatam.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/24027 +anakteknik.co.id##+js(no-fetch-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/24030 +pay4fans.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/24038 +||caravanmagazine.in/iframes/flipkart-ad-$frame,1p +caravanmagazine.in##.article_content > [class] > [class]:has(.iframe_embed_container):remove() + +! https://github.com/uBlockOrigin/uAssets/issues/24053 +limiteddollqjc.shop##+js(aost, document.getElementById, /(?=^(?!.*(orchestrate|cloudflare)))/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/181312 +! https://github.com/AdguardTeam/AdguardFilters/issues/181318 +! https://github.com/AdguardTeam/AdguardFilters/issues/181311 +! https://github.com/AdguardTeam/AdguardFilters/issues/181308 +! https://github.com/AdguardTeam/AdguardFilters/issues/181306 +closedjelly.net,sportsonline.so,onloop.pro##+js(aopw, Adcash) +/aclib.js|$script +/aclib.js?v=$script + +! https://github.com/uBlockOrigin/uAssets/issues/24079 +eloshapes.com##header.v-toolbar--flat:has([id^="promo-slider-"]) +eloshapes.com##header.elevation-3:style(top: 0px !important;) +eloshapes.com##main:style(--v-layout-top: 64px !important;) +eloshapes.com##div[id^="promo-slider-"] + +! https://github.com/uBlockOrigin/uAssets/issues/24070 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=zloteprzeboje.pl|radiopogoda.pl + +! https://github.com/uBlockOrigin/uAssets/issues/24093 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=animationdigitalnetwork.fr + +! filmyhub.one, anime4u.xyz, hublinks.xyz antiadb +||pagead2.googlesyndication.com/pagead/js/google_top_exp.js$script,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/24110 +@@||fundingchoicesmessages.google.com/f^$script,domain=teve2.com.tr + +! https://en.filerox.com/mac/utilities-tools, popup and scroll lock +filerox.com##body:style(overflow: auto !important; position: initial !important;) +filerox.com##.mhide + +! https://github.com/uBlockOrigin/uAssets/issues/24116 +lowcygier.pl##.content-wrapper > div[id]:has(> a[target="_blank"]) +lowcygier.pl##.tile-container-small:has(> a[href*="/?utm_term=index&utm_source=mainpage-tile-"] > img) +lowcygier.pl##header.intro:style(margin-bottom: 0px !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/1dglzes/any_solution_to_bypass_adblock_detection_on/ +! https://github.com/uBlockOrigin/uAssets/issues/25254 +hartvannederland.nl,shownieuws.nl,vandaaginside.nl##+js(set, Object.prototype.ADBLOCK_DETECTION, '') +||assets.prod.webx.talpa.digital/ad/banner.gif?$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/24128 +uhdmovies.*##+js(nowoif) +tech.unblockedgames.world##+js(nano-sib, /count|verify|isCompleted/, , 0.001) +! https://github.com/uBlockOrigin/uAssets/issues/25787 +||uhdmovies.*/onewinpop.js + +! https://www.reddit.com/r/uBlockOrigin/comments/1dhcmv9/close_ad_popup_on_site/ +||analdinporn.com/rock-widget.php^$3p,frame +rock.porn##+js(set, postroll, undefined) +rock.porn##+js(set, interstitial, undefined) +rock.porn###rock-widget-host +rock.porn##.banner-sasd +rock.porn##.banner-asd +rock.porn##.fp-brand +rock.porn##.maf +rock.porn##.watch-link +rock.porn##a[href^="https://wittered-mainging.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/23348 +www.tiktok.com##+js(json-prune-fetch-response, itemList.[-].ad_info.ad_id, , propsToMatch, url:api/recommend/item_list/) + +! https://github.com/uBlockOrigin/uAssets/issues/24142 +||video-ads-module.ad-tech.nbcuni.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/24148 +vectorx.top##+js(no-fetch-if, googlesyndication) + +! new.direct-dl.top popup +direct-dl.*##+js(nowoif) + +! filmy4web. site popup +filmy4web.*##+js(nowoif) +filmy4web.*##[href^="https://wapsing.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/24155 +trancehost.com##+js(aost, document.getElementById, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/24154 +@@||crazygames.com/prebid.js$script,1p +crazygames.com##+js(no-fetch-if, /adinplay|googlesyndication/) + +! https://github.com/uBlockOrigin/uAssets/issues/24156 +@@||blockingtv.xyz/adbdetect/$script +pererecadoida.life,newcdn.lol,bullrun2024.online###floatLayer1 +pererecadoida.life,newcdn.lol,bullrun2024.online###overover +pererecadoida.life,newcdn.lol,bullrun2024.online###obrazek +pererecadoida.life,newcdn.lol,bullrun2024.online###bannerInCenter +myp2p.*###reklama_sidebar +myp2p.*##a[rel="sponsored"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/181628 +game8.co##.js-side-ads-movie-container:remove() + +! https://github.com/uBlockOrigin/uAssets/discussions/24177#discussioncomment-9821526 +modrinth.com##section.normal-page__content a[href*="/redirect/"] img +! https://github.com/uBlockOrigin/uAssets/issues/24130 +modrinth.com##section.normal-page__content [href^="https://bisecthosting.com/"][href*="?r="] img +modrinth.com##section.normal-page__content :is([href^="https://ModdersAgainstBlockers.github.io"],[href*="/kinetic/"],[href*="/creeperhost"],[href^="https://fxco.ca/assets/"],[href^="https://rb.gy/"]) > img +curseforge.com##:is(.project-description,div.project-detail__content) [href^="/linkout?remoteUrl=http"]:is([href*="fxco.ca"]) > img +||i.imgur.com/h4556XW.gif$image,3p + +! https://arenascan.com/ anti-adb +arenascan.com##+js(aost, document.getElementById, adsBlocked) +arenascan.com###floatcenter + +! https://github.com/uBlockOrigin/uAssets/issues/23848 +datanodes.to##[href^="https://cinemaunlocked.com"] +datanodes.to##[href^="https://fmovies-hd.to"] +*$script,3p,denyallow=google.com|gstatic.com,domain=datanodes.to +datanodes.to##div[class] > center > a[href][rel="nofollow"][target="_blank"] +||loadingfreerar.top^$all + +! https://github.com/uBlockOrigin/uAssets/issues/24904 +hidan.sh##+js(nowoif, !hidan.sh) +hidan.sh##+js(rpnt, script, !seen, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/1djqetl/help_blocking_ad_audio/ +||players.radioonlinehd.net/ads/ +||players.radioonlinehd.net^$frame,3p,domain=mgeko.cc +||rnp.gt/radioplayer/$frame,3p,domain=rizzfables.com +rizzfables.com,mgeko.cc,flamecomics.me###radio_content.abierto + +! https://github.com/uBlockOrigin/uAssets/issues/24185 +xnxxcom.xyz##+js(rmnt, script, /interceptClickEvent|onbeforeunload|popMagic|location\.replace/) +xnxxcom.xyz##+js(acs, onbeforeunload, ask) +xnxxcom.xyz##+js(acs, document.querySelectorAll, popMagic) +xnxxcom.xyz##+js(acs, addEventListener, location.replace) +xnxxcom.xyz##+js(acs, navigator, interceptClickEvent) +xnxxcom.xyz##+js(nostif, location.replace) +xnxxcom.xyz##+js(set-cookie, clicked, 1, , reload, 1) +xnxxcom.xyz##.fluid-spots +xnxxcom.xyz##[id^="fluid-on"] > h3 + +! https://github.com/uBlockOrigin/uAssets/issues/24200 +||pobierzgrepc.com/templates/games/js/blocker.js +||pobierzgrepc.com/templates/games/js/p0per.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/181799 +videzz.net##+js(nostif, console.clear) +videzz.net##+js(set, isAdBlockDetected, false) +videzz.net##.prevent-first-click +videzz.net##.asg-vjs-overlay +videzz.net###__bgd_link +! https://github.com/uBlockOrigin/uAssets/issues/24736 +videzz.net##+js(set, pData.adblockOverlayEnabled, 0) + +! https://github.com/uBlockOrigin/uAssets/issues/24149 +spambox.xyz##+js(nostif, ad_block_detector) + +! https://www.reddit.com/r/uBlockOrigin/comments/1dl3r6g/httpswiflixdate_popup_each_time_you_click_on_the/ +filegram.to##+js(nowoif) +filegram.to##+js(acs, document.documentElement, break;case $.) +wiflix.*##center[style="padding: 20px;"] + +! https://github.com/uBlockOrigin/uAssets/issues/24204 +crn.com##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790#discussioncomment-9855720 +.cfd/?aD*Z1c2VyPT$doc,script,popup,to=cfd +.pro/?aD*Z1c2VyPT$doc,script,popup,to=pro +.xyz/?aD*Z1c2VyPT$doc,script,popup,to=xyz +/^https:\/\/[a-z]{8}\.(?:cfd|pro|xyz)\/\?params=aD[01][a-zA-Z0-9]{43}Z1c2VyPT[a-zA-Z0-9]{40}/$doc,script,popup,to=cfd|pro|xyz + +! https://github.com/uBlockOrigin/uAssets/issues/24233 +sport890.com.uy##+js(acs, gtag, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/24257 +terashare.co##+js(nowoif, _blank) +terashare.co##+js(aeld, click, attached, elements, div[class="share-embed-container"]) +||api.terashare.co/api/analytics$1p +*$script,3p,denyallow=teraboxcdn.app,domain=terashare.co + +! https://github.com/AdguardTeam/AdguardFilters/issues/182217 +freemp3.tube##+js(nowoif) + +! https://github.com/AdguardTeam/AdguardFilters/issues/182192 +sanet.lc##+js(aopr, Adcash) + +! aipebel .com anti-adb +aipebel.com##+js(rmnt, script, deblocker) +aipebel.com##+js(aeld, DOMContentLoaded, document.documentElement.lang.toLowerCase) + +! https://github.com/AdguardTeam/AdguardFilters/issues/115709 +! https://github.com/AdguardTeam/AdguardFilters/issues/156544 +ign.com##.zad.billboard:style(min-height: 1px !important;) + +! antiblock.org sites +mmo69.com,ysokuhou.blog.jp##+js(acs, document.addEventListener, google_ad_client) + +! moviehaxx.pro popups +moviehaxx.pro##+js(aopr, open) +*$script,3p,domain=moviehaxx.pro +||moviehaxx.pro^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation +||asjjlh.cfd^$all +moviehaxx.pro##a[href^="https://asjjlh.cfd/"] + +! https://github.com/uBlockOrigin/uAssets/issues/24270 +resetscan.com##+js(aost, document.getElementById, adsBlocked) + +! https://github.com/AdguardTeam/AdguardFilters/issues/182338 +ytmp3s.nu##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/24275 +npo.nl##+js(json-prune-fetch-response, assets.preroll assets.prerollDebug, , propsToMatch, /stream-link) + +! https://phim1080.in/sieu-anh-hung-pha-hoai-phan-4-au-my/tap-1 - video ads +phim1080.in##+js(m3u-prune, /^\w{11}[1-9]\d+\.ts/, .m3u8) +||phim1080.in/mmo/ + +! https://github.com/uBlockOrigin/uAssets/issues/24300 +ezaudiobookforsoul.com##+js(set, cabdSettings, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/24299 +! https://github.com/uBlockOrigin/uAssets/issues/24260 +||popcdn.day/magnitude.js^ +||popcdn.day/stream/floating.js^ +||freeshot.live/ads/ +||freeshot.live/manifest.js +||www.*.com^$script,3p,redirect-rule=noopjs,domain=freeshot.live +freeshot.live##+js(no-fetch-if, /outbrain|adligature|quantserve|adligature|srvtrck/) +freeshot.live##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +freeshot.live##+js(acs, document.querySelectorAll, popMagic) +popcdn.day##+js(aopw, detectedAdblock) + +! https://github.com/uBlockOrigin/uAssets/issues/24297#event-13341237136 +watch.shout-tv.com##+js(json-prune-fetch-response, adsConfiguration, , propsToMatch, /vod) + +! https://github.com/uBlockOrigin/uAssets/issues/24303 +@@||cdn.cxense.com/cx.js$script,domain=tvaplus.ca +@@||api.cxense.com^$script,domain=tvaplus.ca +@@||ads.rubiconproject.com/prebid/$script,domain=tvaplus.ca +! https://github.com/uBlockOrigin/uAssets/issues/24730 +||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$script,domain=tvaplus.ca,redirect=google-ima.js,important +||rubiconproject.com^$script,redirect=noopjs,domain=tvaplus.ca + +! https://github.com/uBlockOrigin/uAssets/issues/24310 +arldeemix.com##+js(noeval-if, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/26147 +authenticateme.xyz##+js(rpnt, script, /if.*Disable.*?;/g, , condition, blocker) + +! https://github.com/uBlockOrigin/uAssets/issues/24335 +club386.com##+js(set, td_ad_background_click_link) +club386.com##body:style(background-image: unset !important; cursor: auto !important;) + +! https://yourstory.com/ - empty space +yourstory.com###header-collapse-trigger:style(top: 0 !important; margin-top: 0 !important;) + +! https://questloops.com/ anti-adb +questloops.com##+js(noeval-if, /chp_?ad/) +questloops.com##+js(aopr, b2a) + +! https://github.com/uBlockOrigin/uAssets/issues/24355 +||instacart.ca/graphql?operationName=DisplayAdPlacement^$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/1dutw99/onlybabes_detects_ubo/ +onlybabes.site##+js(acs, $, btoa) + +! https://github.com/uBlockOrigin/uAssets/issues/24365 +coomer.su,kemono.su##+js(acs, String.fromCharCode, \x) +coomer.su,kemono.su##+js(trusted-replace-argument, Range.prototype.createContextualFragment, 0, , condition, WebAssembly) + +! https://github.com/uBlockOrigin/uAssets/issues/24381 +audiobookbay.lu##:matches-path(/^\/($|abss\/)/) .postContent a[href^="/"]:not([href*="/forum/"]):matches-attr(href=/^\/[-a-z]+\?[a-z]{2,}=/) +audiobookbay.lu##:matches-path(/^\/($|abss\/)/) a:is([href^="/"],[href*="audiobookbay.lu/"]):matches-attr(href=/(^|audiobookbay\.lu)\/[-a-z0-9]+$/) img + +! https://github.com/uBlockOrigin/uAssets/issues/24386 +bong.ink##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/24353#issuecomment-2211638625 +skyblock.bz##.card[style] + +! https://www.reddit.com/r/uBlockOrigin/comments/1dwreje/mathdf_detects_ubo_on_certain_functions/ +mathdf.com##+js(set, adBlockEnabled, false) + +! https://www.reddit.com/r/uBlockOrigin/comments/1dx67fa/adblock_detection_on_powernation_tv/ +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,3p,redirect=google-ima.js,domain=powernationtv.com + +! https://github.com/uBlockOrigin/uAssets/issues/16775#issuecomment-2212319154 +actionviewphotography.com,exporntoons.net,tyler-brown.com,ukdevilz.com##+js(acs, document.querySelectorAll, popMagic) + +! https://github.com/uBlockOrigin/uAssets/issues/24414 +realcanadiansuperstore.ca##+js(json-prune-fetch-response, layout.sections.mainContentCollection.components.[].data.productTiles.[-].sponsoredCreative.adGroupId, , propsToMatch, /search) + +! https://www.reddit.com/r/uBlockOrigin/comments/1dyipwv/site_redirects_when_i_click_on_play/ +pornwex.tv##+js(aeld, click, fp-screen) + +! https://github.com/AdguardTeam/AdguardFilters/issues/183250 +safestream.cc##+js(acs, atob, decodeURIComponent) +safestream.cc##+js(acs, WebAssembly, _0x) +safestream.cc##+js(acs, atob, /popundersPerIP[\s\S]*?Date[\s\S]*?getElementsByTagName[\s\S]*?insertBefore/) + +! pirate sites asg +! https://github.com/uBlockOrigin/uAssets/issues/25065 +*$script,xhr,3p,denyallow=bootstrapcdn.com|cloudflare.com|cloudflare.net|fastly.net|fontawesome.com|googleapis.com|htstreaming.com|jquery.com|jsdelivr.net|jwpcdn.com|rawgit.com|unpkg.com,domain=armoniscans.top|bentomanga.top|bigcomics.bid|brmangas.top|cmoa.pro|hachiraw.top|j8jp.com|janime.top|jpraw.xyz|kakuyomu.in|kkraw.com|komiku.win|lectormanga.top|lermanga.top|manga1000.top|manga1001.win|manga1001.xyz|mangajp.top|mangakl.su|mangaraw.bid|mangavy.com|mangaz.win|scanita.top|shinigami-id.top|sushiscan.top|syosetu.gs +*$script,1p,strict3p,domain=armoniscans.top|bentomanga.top|bigcomics.bid|brmangas.top|cmoa.pro|hachiraw.top|j8jp.com|janime.top|jpraw.xyz|kakuyomu.in|kkraw.com|komiku.win|lectormanga.top|lermanga.top|manga1000.top|manga1001.win|manga1001.xyz|mangajp.top|mangakl.su|mangaraw.bid|mangavy.com|mangaz.win|scanita.top|shinigami-id.top|sushiscan.top|syosetu.gs + +! https://tubator.com/ (NSFW) ads +||tubator.com/lookout/wantfood.js +tubator.com##+js(aeld, getexoloader) + +! https://github.com/uBlockOrigin/uAssets/issues/24457 +||wochenblitz.com^$xhr,1p,redirect-rule=nooptext + +! https://listen2.ai/news/en/politics/72de7ff0-fa46-4676-9b7d-e25ad20ae2bc - anti-adb +listen2.ai##.backdrop-blur-sm +listen2.ai##article > div:has(> ins.adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/24484 +zerioncc.pl##+js(no-fetch-if, doubleclick) + +! https://github.com/uBlockOrigin/uAssets/issues/24483 +||filehaus.*/ads/$image +filehaus.*##div:has(> a[href] > img[src^="ads/"]) + +! https://teraboxdownloader.in/ - anti-adb +||teraboxdownloader.in/assets/js/adblocker-detector.min.js^ + +! https://github.com/uBlockOrigin/uAssets/issues/24500 +zippyshare.day##+js(no-fetch-if, googlesyndication) +zippyshare.day##.vr-adv-unit +zippyshare.day##.fixed-leftSd +zippyshare.day##.fixed-rightSd + +! https://github.com/uBlockOrigin/uAssets/issues/24497 +vidhidepre.com##+js(nowoif, !vidhidepre.com) + +! https://github.com/uBlockOrigin/uAssets/issues/24510 +@@||f95zone.to.it^$script,1p +f95zone.to.it##.ad-download + +! https://github.com/uBlockOrigin/uAssets/issues/24516 +admiregirls.su##+js(acs, $, btoa) + +! https://github.com/uBlockOrigin/uAssets/issues/23212 +! https://x.com/_webgoto/status/1813808899180650790 +service.webgoto.net##:not(:matches-path(/amafav/)) .image_box[style*="amazon.co"]:style(background: none !important;) +service.webgoto.net##:not(:matches-path(/amafav/)) a[href^="https://www.amazon.co.jp"][target="_blank"] + +! https://github.com/uBlockOrigin/uAssets/issues/24536 +! https://github.com/uBlockOrigin/uAssets/issues/24538 +dreamdth.com,freemodsapp.in,onlytech.com##+js(acs, eval, replace) +dreamdth.com,freemodsapp.in,onlytech.com##+js(nostif, document.createElement) +freemodsapp.in##^script:has-text(/eval\(.+?decodeURIComponent/) + +! https://github.com/uBlockOrigin/uAssets/issues/26229 +tokuzilla.net##+js(ra, onclick, [onclick*="_blank"], stay) +tokuzilla.net##+js(nowoif, _blank) + +! https://github.com/AdguardTeam/AdguardFilters/issues/183713 +javball.com##+js(no-fetch-if, adsbygoogle) +javball.com##+js(aopr, popns) + +! https://github.com/uBlockOrigin/uAssets/issues/24561 +eurostreaming.casino##+js(acs, document.documentElement, break;case $.) + +! https://github.com/uBlockOrigin/uAssets/issues/24520 +lowfuelmotorsport.com##:is(elastic-toolbar-navigation, mat-card-content) div[style] > a[target="_blank"][href] > img +lowfuelmotorsport.com##.mat-card[style] a[target="_blank"][href] > img + +! https://www.smithsonianmag.com/smithsonian-institution/how-golden-peacocks-on-a-dining-room-wall-destroyed-a-longstanding-friendship-in-victorian-society-180984735/ - sticky ads timer +smithsonianmag.com##+js(aeld, DOMContentLoaded, leaderboardAd) +smithsonianmag.com##+js(acs, document.addEventListener, #leaderboardAd) + +! usersdrive .com popups +usersdrive.com##+js(aopr, popurl) +usersdrive.com##+js(nowoif, _blank) +||holputy.shop^$popup,doc +||pol.azureedge.net^$domain=usersdrive.com +||smartpc.click^$all +usersdrive.com##center > a[href][target="_blank"] > img + +! https://github.com/AdguardTeam/AdguardFilters/issues/183985 +||snigelweb.com^$script,3p,domain=editpad.org,redirect=noopjs +editpad.org##.top_ad_box +editpad.org##label[style="font-size: 12px;text-transform: uppercase;"] +editpad.org##.inlinADs + +! weirdwolf.net, linksshub.lol popups +weirdwolf.net,linksshub.lol##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/24594 +9xlinks.*,9xmovie.*,desiflix.*,girlmms.com,ottxmaza.com,sexmazahd.com,webxmaza.com##^script[data-cfasync]:has-text(popundersPerIP) +desiflix.*,girlmms.com,ottxmaza.com,sexmazahd.com,webxmaza.com##+js(nowoif) +$script,3p,denyallow=facebook.net|unpkg.com|vk.com|zencdn.net,domain=desiflix.*|girlmms.com|ottxmaza.com|sexmazahd.com|webxmaza.com +$script,3p,denyallow=fastlylb.net|googleapis.com|disqus.com|wp.com,domain=9xmovie.* +$script,3p,denyallow=google.com|googleapis.com|gstatic.com,domain=9xlinks.* + +! https://github.com/uBlockOrigin/uAssets/issues/24596 +gamingbeasts.com,uploadbeast.com##+js(nano-sib, counter) + +! https://github.com/uBlockOrigin/uAssets/issues/24581 +upscaler.stockphotos.com##+js(json-prune, placements.processingFile) + +! https://www.reddit.com/r/uBlockOrigin/comments/1e9z2am/removing_an_element_makes_the_scrollbar_max_size/ +app.scope.gg##a[href^="https://skinrave.gg/rewards?"]:style(height: 0px !important; margin-bottom: 0px !important;) + +! https://www.governing.com/ - interstitial and placeholders +governing.com##+js(trusted-set-cookie, adTakeOver, seen) +governing.com##.Page-body[data-header-hat="true"] .Page-header-hat +governing.com##.Page-body[data-header-hat="true"] .Page-header:style(top: 0px !important;) +governing.com##.Page-body[data-header-hat="true"]:style(padding-top: var(--headerHeight) !important;) + +! samurai.ragnarokscanlation. org detection +samurai.ragnarokscanlation.org##+js(noeval-if, ads) + +! https://www.reddit.com/r/uBlockOrigin/comments/1eajum3/block_link_ads_on_forums/ +thumpertalk.com##a[data-autolink]::after +thumpertalk.com##a[data-autolink]:style(text-decoration: none !important; color: inherit !important; pointer-events: none;) +thumpertalk.com##.ipsResponsive_block + +! https://rxlife.net/ anti-adb +||rxlife.net/src/adb.js + +! https://github.com/uBlockOrigin/uAssets/issues/15185#issuecomment-2249491908 +*$script,3p,denyallow=google.com|gstatic.com,domain=severeporn.com +##.fp-ui > a[href][target="_blank"][style^="position: absolute; inset: 0px;"] + +! https://github.com/uBlockOrigin/uAssets/issues/24618 +mitaku.net##+js(set, globalThis, null) +mitaku.net##+js(acs, WebAssembly, Promise) + +! https://therealdeal.com/ - placeholder +therealdeal.com###trd-header:style(top: 0 !important;) +therealdeal.com##body[data-pushdown-enabled="true"]:style(margin-top: 0px !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/184530 +olympics.com###header-adv-banner:remove() + +! https://github.com/uBlockOrigin/uAssets/issues/24611 +*$xhr,redirect-rule=nooptext:-1,to=~fundingchoicesmessages.google.com|~sentry.io,domain=hackerrank.com + +! https://github.com/uBlockOrigin/uAssets/issues/24633 +watchdirty.to##+js(set, flashvars.protect_block, '') +watchdirty.to##+js(set, flashvars.popunder_url, '') +watchdirty.to##+js(set, flashvars.video_click_url, '') +watchdirty.to##+js(set, flashvars.adv_pre_vast, '') +watchdirty.to##.block-video > .table + +! https://github.com/uBlockOrigin/uAssets/issues/24632 +cinemitas.org,cinelatino.net,cineplus123.org,paraveronline.org,pobreflix.vc,verpelis.gratis##+js(trusted-set, dtGonza.playeradstime, '"-1"') + +! https://github.com/uBlockOrigin/uAssets/issues/24682 +manoramaonline.com##+js(aopr, EV.Dab) + +! https://www.reddit.com/r/uBlockOrigin/comments/1efujok/ +||profitsence.com^$script,3p,redirect=noopjs,domain=gamezone.cam +gamezone.cam##.div-over + +! https://github.com/uBlockOrigin/uAssets/issues/24688 +||magsrv.com/ad-provider.js$xhr,redirect=noop.txt + +! https://github.com/uBlockOrigin/uAssets/issues/24702 +pianetalecce.it##+js(acs, document.getElementById, ablk) + +! https://github.com/uBlockOrigin/uAssets/issues/24693 +hiraethtranslation.com##+js(rmnt, script, adsSrc) + +! https://github.com/uBlockOrigin/uAssets/issues/24687 +chasingthedonkey.com##+js(nowoif) + +! https://www.taste.com.au/food-news/arnotts-told-us-secret-recipe-their-discontinued-honey-jumbles-biscuits/y036sar4 - top placeholder +taste.com.au##.main-header:style(top: 0 !important) + +! https://github.com/uBlockOrigin/uAssets/issues/24714 +@@/ads/prebid/ads/prebid/ads/prebid/ads-prebid/*$script,domain=decompiler.com + +! ytlarge detection +@@||ytlarge.com^$ghide +@@||googlesyndication.com^$script,xhr,domain=ytlarge.com +@@||fundingchoicesmessages.google.com^$script,xhr,domain=ytlarge.com +@@||g.doubleclick.net/pagead/ads?$frame,domain=ytlarge.com +||googleads.g.doubleclick.net/pagead/ads$frame,removeparam=/^(?:correlator|f[cr-w]|p[e-sv]|u_|ga_|url|dt|adk)/,domain=ytlarge.com +@@*$script,frame,xhr,1p,domain=ytlarge.com +.com/ad/$~image,third-party,domain=~mediaplex.com|~warpwire.com|~wsj.com,badfilter +.com/adz/$badfilter +@@*$script,domain=ytlarge.com,denyallow=googletagmanager.com|googlesyndication.com|topcreativeformat.com +ytlarge.com##ins.adsbygoogle[data-ad-slot] +*.gif$domain=ytlarge.com,image + +! https://www.reddit.com/r/uBlockOrigin/comments/1ej8gmq/help_with_popup_ad/ +seeklogo.com##+js(nowoif, shutterstock.com) + +! https://github.com/uBlockOrigin/uAssets/issues/24770 +filmizlehdizle.com,fullfilmizlesene.net##+js(rpnt, script,this.ads.length > this.ads_start, 1==2) + +! https://github.com/uBlockOrigin/uAssets/issues/24778 +sportsurge.net##+js(acs, document.documentElement, break;case $.) +sportsurge.net,volokit2.com,joyousplay.xyz,quest4play.xyz,generalpill.net,thedaddy.to##+js(rmnt, script, /adserverDomain|\);break;case /) +antenasport.online,apkship.shop,browncrossing.net,dudestream.com,elgolestv.pro,embedstreams.me,engstreams.shop,eyespeeled.click,flostreams.xyz,ilovetoplay.xyz,joyousplay.xyz,nativesurge.info,pawastreams.org,ripplestream4u.shop,rojadirectaenvivo.pl,sansat.link,smartermuver.com,sportsnest.co,sportsurge.net,sportzlive.shop,streameast.*,tarjetarojaenvivo.lat,techcabal.net,volokit2.com,worldstreamz.shop##+js(aopr, Adcash) +animeshqip.site,apkship.shop,buzter.pro,enjoysports.bond,filedot.to,foreverquote.xyz,hdstream.one,kingstreamz.site,live.fastsports.store,livesnow.me,livesports4u.pw,masterpro.click,nuxhallas.click,papahd.info,rgshows.me,sportmargin.live,sportmargin.online,sportsloverz.xyz,sportzlive.shop,supertipzz.online,totalfhdsport.xyz,ultrastreamlinks.xyz,usgate.xyz,webmaal.cfd,wizistreamz.xyz,worldstreamz.shop##+js(rmnt, script, popundersPerIP) +/adc-ads-lib|$script +||highperformanceformat.com^$popup + +! https://wuxia.click/chapter/alchemy-emperor-of-the-divine-dao-1 ads +||api.aieasypic.com/api/civit_model_version/ad_list/$xhr,3p +wuxia.click##.mantine-Center-root + br + div[class^="mantine-"]:has(> .adsbygoogle) +wuxia.click###chapterText + div.mantine-Container-root +wuxia.click##.mantine-Container-root + .mantine-Container-root + br + br + div[class^="mantine-"]:last-of-type:has([alt~="Ad"]) + +! moneycontrol. com interstitial ad +moneycontrol.com##+js(rmnt, script, initializeInterstitial) +moneycontrol.com##+js(set-session-storage-item, adViewed, true) + +! https://github.com/uBlockOrigin/uAssets/issues/24790 +olympicstreams.ru##+js(aost, Object, Pop) + +! https://github.com/uBlockOrigin/uAssets/issues/24793 +@@||ieltsolve.com/wp-content/plugins/wordpress-popup/assets/js/ad.min.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/24807 +@@||filespace.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/24344 +avxhm.se##[data-localize]:has(a[href^="https://icerbox.com/"]) +avxhm.se##center:has(a[href^="https://canv.ai/"]) +avxhm.se##center:has(a[href^="https://canv.ai/"]) ~ span:has(a[href^="https://canv.ai/"]) + +! https://github.com/uBlockOrigin/uAssets/issues/24835 +||heraldnet.com/wp-content/plugins/incognito_dectector/js/incognito-detector.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/24842 +repack-games.com##+js(rmnt, script, ai_adb) + +! hesgoal-*.io detection +hesgoal-tv.io,hesgoal-vip.io##+js(rmnt, script, /adbl/i) + +! hesgoal. watch popups +||hesgoal.watch^$csp=sandbox allow-forms allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation + +! https://github.com/uBlockOrigin/uAssets/issues/24812 +! https://www.reddit.com/r/uBlockOrigin/comments/1gkmdcp/usatvgolive_adblocker_detected_overlay/ +homesports.net##+js(aeld, DOMContentLoaded, fetch) +anarchy-stream.com,olalivehdplay.ru,pawastreams.info##+js(aopw, Adcash) +fastreams.com,redittsports.com,sky-sports.store,streamsoccer.site,tntsports.store,wowstreams.co##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +claplivehdplay.ru,cookiewebplay.xyz,ilovetoplay.xyz,lewblivehdplay.ru,qqwebplay.xyz,quest4play.xyz,streamcaster.live,topembed.pw,weblivehdplay.ru##+js(acs, EventTarget.prototype.addEventListener, delete window) +claplivehdplay.ru,cookiewebplay.xyz,ilovetoplay.xyz,lewblivehdplay.ru,qqwebplay.xyz,quest4play.xyz,streamcaster.live,topembed.pw,weblivehdplay.ru##+js(rmnt, script, popupBackground) +usgate.xyz##+js(nowoif) +! https://thedaddy.to/cast/stream-327.php - anti-adb +@@*$xhr,1p,domain=cookiewebplay.xyz|ilovetoplay.xyz|quest4play.xyz|streamcaster.live|topembed.pw + +! https://community.brave.com/t/video-streamer-doesnt-work-only-on-brave/562140 - ads +! https://github.com/AdguardTeam/AdguardFilters/issues/187395 +autoembed.cc,whisperingauroras.com##+js(aopr, AaDetector) +autoembed.cc,oaaxpgp3.xyz##+js(nowoif) +nontongo.win##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP|adserverDomain/) +oaaxpgp3.xyz##+js(acs, Math, localStorage['\x) +plustream.com##+js(no-fetch-if, youradexchange) +ythd.org##+js(aopr, Adcash) +||s0-greate.net^$3p +||track.torarymor.world^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/24851 +@@||dash3.cashvib.com^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/24871 +playmod24.com##div[download-process-box] +playmod24.com##a[download-button]:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/24877 +euronews.com###o-site-hr__leaderboard-wallpaper.u-show-for-xlarge:remove() + +! https://github.com/uBlockOrigin/uAssets/issues/24884 +roblox.com##+js(json-prune, sorts.[-].recommendationList.[].contentMetadata.EncryptedAdTrackingData) + +! https://github.com/uBlockOrigin/uAssets/issues/24883 +hartico.tv##+js(nostif, getComputedStyle, 250) + +! https://www.reddit.com/r/uBlockOrigin/comments/1es12m6/modescanlator_is_detecting_ubo/ +modescanlator.net##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uBOL-home/issues/180 +tubidi.buzz##+js(nowoif, !tubidi.buzz) + +! https://github.com/uBlockOrigin/uAssets/issues/24929 +gameskinny.com##+js(rmnt, script, admbenefits) +||infinity-api.gameskinny.com/campaign/$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/1etud7d/add_shown_on_mercatinomusicalecom/ +mercatinomusicale.com##[id^="skin"] +mercatinomusicale.com##html:style(background-image: none !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/24932 +audiotools.blog##+js(rmnt, script, deblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/24933 +cgcosplay.org##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/24937 +||sainsburys.co.uk/groceries-api/$xhr,1p,removeparam=include[PRODUCT_AD] +sainsburys.co.uk##+js(json-prune, ads.[-].ad_id) + +! https://tiroalpaloes.com/ - anti-adb +tiroalpaloes.com##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/24953 +crackshash.com##+js(acs, document.getElementsByClassName, wp-ad) +crackshash.com##[id^="crack"]:has(.wp-ad) + +! https://www.careersatcouncil.com.au/ - anti-adb +careersatcouncil.com.au##+js(acs, document.getElementById, fakeElement) + +! https://github.com/uBlockOrigin/uAssets/issues/24954 +tradingview.com##+js(no-fetch-if, doubleclick) +tradingview.com##+js(set-local-storage-item, forcefeaturetoggle.enable_ad_block_detect, false) + +! https://github.com/uBlockOrigin/uAssets/issues/24965 +estudyme.com##+js(no-fetch-if, doubleclick) + +! https://github.com/uBlockOrigin/uAssets/issues/24974 +||sexinsex.net/bbs/include/javascript/adblock.js^ + +! https://www.reddit.com/r/uBlockOrigin/comments/1excfeo/adblock_detection_on_codeckyivua/ +codec.kyiv.ua##+js(rmnt, script, mdpDeblocker) + +! https://github.com/uBlockOrigin/uAssets/issues/24980 +oaaxpgp3.xyz##+js(rmnt, script, Math.floor) + +! https://github.com/uBlockOrigin/uAssets/issues/24982 +online-filmek.ac##+js(no-fetch-if, adligature) + +! https://github.com/uBlockOrigin/uAssets/issues/25002 +livexscores.com##+js(no-fetch-if, googlesyndication) + +! https://www.m9.news/ - ad modal +m9.news##.m9-ad-modal +m9.news##+js(rmnt, script, m9-ad-modal) + +! https://honghotduongpho.com/2024/08/20/quan-ao-dau-het-roi/ (NSFW) - popup +! https://github.com/uBlockOrigin/uAssets/issues/25088 +/wp-content/uploads/pum/pum-site-scripts.js^$domain=honghotduongpho.com + +! https://github.com/uBlockOrigin/uAssets/issues/25015 +cineb.rs##+js(rmnt, script, shown_at) +cineb.rs##+js(aeld, mousedown, shown_at) +cineb.rs##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25023 +hancinema.net##+js(no-fetch-if, /clarity|googlesyndication/) +hancinema.net##.ad_300x600_300x250 + +! https://github.com/uBlockOrigin/uAssets/issues/24991 +webnovelworld.org##:is(#chapter-container, .comment-list, .container, .rank-novels) > div[class]:has(> [id^="pf-"]) + +! help.sakarnewz. com detection +help.sakarnewz.com##+js(rmnt, script, googlesyndication) + +! https://www.reddit.com/r/uBlockOrigin/comments/1f0p9wj/adblock_detected_site_btvbg/ +! https://github.com/uBlockOrigin/uAssets/issues/25137 +! https://github.com/uBlockOrigin/uAssets/commit/3e9788c0435562398c991a9c654d376c1697ba32#commitcomment-146060172 +! https://www.reddit.com/r/uBlockOrigin/comments/1h76o9v/adblock_detected_site_btvbg/ +btv.bg,btvnovinite.bg,btvsport.bg##div[id^="leading_video_player_autoplay_wrapper_"] +btv.bg,btvnovinite.bg,btvsport.bg##div[id^="leading_video_player_autoplay_"][id$="_main_wrapper"]:style(display: block !important;) +btv.bg,btvnovinite.bg,btvsport.bg##.vjs-continue-watching-bar +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=btv.bg|btvnovinite.bg|btvsport.bg + +! https://github.com/uBlockOrigin/uAssets/issues/25038 +sexwebvideo.com,sexwebvideo.net##+js(rmnt, script, detectAdBlock) +sexwebvideo.com,sexwebvideo.net##+js(set, flashvars.popunder_url, '') + +! https://github.com/uBlockOrigin/uAssets/issues/25050 +javsek.net##+js(nosiif, pop) +$script,3p,denyallow=facebook.net|fbcdn.net,domain=javsek.net + +! https://github.com/uBlockOrigin/uAssets/issues/25042 +player.jeansaispasplus.homes##+js(nostif, sandbox) +1jour1film.*##a[href]#clickfakeplayer:remove-attr(href) + +! https://github.com/uBlockOrigin/uAssets/issues/25054 +! https://github.com/uBlockOrigin/uAssets/issues/25143 +jokerscores.com,jokersportshd.org,tennis.stream##+js(nowoif, /aff|jump/) + +! https://github.com/uBlockOrigin/uAssets/issues/25059 +@@||101soundboards.com^$ghide +101soundboards.com##[id^="rewarded_ad_"]:not(#rewarded_ad_blocker):style(display: block !important; visibility: visible !important;) +101soundboards.com##+js(no-fetch-if, googlesyndication) +101soundboards.com##+js(nano-stb, , 10000, 0.001) + +! myhindigk. com detection +myhindigk.com##+js(noeval-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/23937 +! https://github.com/uBlockOrigin/uAssets/issues/24930 +! https://github.com/uBlockOrigin/uAssets/issues/24985 +! https://www.xda-developers.com/youtube-as-storage-data-to-video/ +! https://www.androidpolice.com/video/is-the-htc-one-m8-the-best-phone-ever-made/ +! https://screenrant.com/video/jennifer-lawrence-cast-why-dont-you-love-me-movie-update/ +! https://www.cbr.com/video/marvel-comics-agatha-harkness-facts-trivia/ +! https://collider.com/video/lord-of-the-rings-most-important-battles/ +! https://movieweb.com/video/the-line-trailer-2024-movie/ +! https://www.thegamer.com/video/our-favorite-moments-from-gamescom-2024/ +! https://github.com/uBlockOrigin/uAssets/issues/26933 +! https://github.com/uBlockOrigin/uAssets/issues/26939 +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,redirect=google-ima.js,domain=androidpolice.com|carbuzz.com|cbr.com|collider.com|dualshockers.com|gamerant.com|howtogeek.com|makeuseof.com|movieweb.com|screenrant.com|thegamer.com|xda-developers.com,important +@@||googletagservices.com/tag/js/gpt.js^$script,redirect-rule,domain=androidpolice.com|carbuzz.com|cbr.com|collider.com|dualshockers.com|gamerant.com|howtogeek.com|makeuseof.com|movieweb.com|screenrant.com|thegamer.com|xda-developers.com +@@||adsninja.ca^$css,script,xhr,domain=androidpolice.com|carbuzz.com|cbr.com|collider.com|dualshockers.com|gamerant.com|howtogeek.com|makeuseof.com|movieweb.com|screenrant.com|thegamer.com|xda-developers.com +||cdn.adsninja.ca/an_sn.js^$script,important,domain=androidpolice.com|carbuzz.com|cbr.com|collider.com|dualshockers.com|gamerant.com|howtogeek.com|makeuseof.com|movieweb.com|screenrant.com|thegamer.com|xda-developers.com +||cdn.adsninja.ca/adsninja_worker.js^$important,domain=androidpolice.com|carbuzz.com|cbr.com|collider.com|dualshockers.com|gamerant.com|howtogeek.com|makeuseof.com|movieweb.com|screenrant.com|thegamer.com|xda-developers.com +||cdn.adsninja.ca/biddertypelibrary/$script,important,domain=androidpolice.com|carbuzz.com|cbr.com|collider.com|dualshockers.com|gamerant.com|howtogeek.com|makeuseof.com|movieweb.com|screenrant.com|thegamer.com|xda-developers.com +@@*$ghide,domain=androidpolice.com|carbuzz.com|cbr.com|collider.com|dualshockers.com|gamerant.com|howtogeek.com|movieweb.com|makeuseof.com|screenrant.com|thegamer.com|xda-developers.com +androidpolice.com,carbuzz.com,cbr.com,collider.com,dualshockers.com,gamerant.com,howtogeek.com,makeuseof.com,movieweb.com,screenrant.com,thegamer.com,xda-developers.com##[id^="adsninja-ad-zone-adsninja-ad-unit-footer"] +androidpolice.com,carbuzz.com,cbr.com,collider.com,dualshockers.com,gamerant.com,howtogeek.com,makeuseof.com,movieweb.com,screenrant.com,thegamer.com,xda-developers.com##[class*="ad-zone-container-content-character-count-repeatable"] +androidpolice.com,carbuzz.com,cbr.com,collider.com,dualshockers.com,gamerant.com,howtogeek.com,makeuseof.com,movieweb.com,screenrant.com,thegamer.com,xda-developers.com##.adsninja-ad-zone-container-with-set-height +androidpolice.com,carbuzz.com,cbr.com,collider.com,dualshockers.com,gamerant.com,howtogeek.com,makeuseof.com,movieweb.com,screenrant.com,thegamer.com,xda-developers.com##+js(set, Object.prototype.ads.nopreroll_, true) +*$doc,csp=worker-src 'self',to=androidpolice.com|carbuzz.com|cbr.com|collider.com|dualshockers.com|gamerant.com|howtogeek.com|makeuseof.com|movieweb.com|screenrant.com|thegamer.com|xda-developers.com +! https://www.reddit.com/r/uBlockOrigin/comments/1fcbvum/what_would_cause_a_surge_in_ublock_origin_blocked/ +||adsninja.ca^$media,3p,redirect=noopmp3-0.1s +! https://github.com/uBlockOrigin/uAssets/issues/26472 +@@||video.adsninja.ca/*.mp4^$3p,media + +! https://github.com/uBlockOrigin/uAssets/issues/25071 +kaas.ro##+js(aopr, aclib) +kaas.ro##+js(aopr, Adcash) +vidco.pro##+js(rmnt, script, adserverDomain) + +! https://github.com/uBlockOrigin/uAssets/issues/25085 +mlbbox.me##.position-absolute +mlbbox.me,kenitv.me##+js(acs, EventTarget.prototype.addEventListener, delete window) +mlbbox.me,kenitv.me##+js(acs, document.documentElement, break;case $.) +mlbbox.me##+js(rmnt, script, FingerprintJS) +kenitv.me##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) + +! https://github.com/uBlockOrigin/uAssets/issues/25073 +||heraldnet.com/wp-content/plugins/incognito_dectector/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/187059 +zone-telechargement.ing##+js(acs, setTimeout, aclib.runPop) + +! paste.fo ads +paste.fo##.wrapper > [class] > a[href*="https://bit.ly/3vKxLhC"], a[href*="https://bit.ly/4aDbAcb"], a[href*="https://bit.ly/4cL4Jz2"], a[href*="https://bit.ly/3VEkIbL"], a[href*="https://goldenaccounts.cc/?r=pastefo"], a[href*="https://discord.gg/R5pN8ZvBVW"], a[href*="https://spadone.cc/"], a[href*="https://orion.hydrolmn.com/"], a[href*="https://anonsmm.com/?utm_source"], a[href*="https://cryptochanger.to/"], a[href*="https://sellsn.io/"], a[href*="https://astralproxies.sellpass.io/"], a[href*="https://discord.gg/GeDqHNzyEh"], a[href*="https://proxylist.to/?ref=pfo"], a[href*="https://themario.sellpass.io/"], a[href*="sigmaproxies.com"], a[href*="notokyc.com"], a[href="https://adultslayer.shop/"], a[href="https://proxyvolt.net"] +||paste.fo^$image,1p +@@||paste.fo/assets/svg/*.php$image,1p +@@||paste.fo/assets/svg/*.svg$image,1p +@@||paste.fo/favicon.ico|$image,1p +@@||paste.fo/assets/img/$image,1p +||paste.fo/*?as=*&tkn=$xhr +paste.fo##.lolimg +paste.fo##.wrapper > *:has(> a > * > * > * [class]) +paste.fo##.wrapper > [class]:has(> a[href^="https://paste.fo/"][id] > * > *) +paste.fo##style:has-text(background-image:):remove() +paste.fo##style:has-text(/background\: url\(https/):remove() +paste.fo##style:has-text(::before):remove() + +! https://www.reddit.com/r/uBlockOrigin/comments/1f3ui8r/adblock_detected/ +serviceemmc.com##+js(aopr, checkAdsStatus) + +! https://github.com/uBlockOrigin/uAssets/issues/25118 +! https://github.com/uBlockOrigin/uAssets/issues/25119 +cineplateforme.*,cpasfo.*##.g-buttons +cpasfo.*###cn-content +cineplateforme.cc###playerOver + +! https://github.com/uBlockOrigin/uAssets/issues/22145 +.gif$image,domain=sadisflix.* +sadisflix.*##a[href^="https://shorturl.at/"] + +! https://github.com/uBlockOrigin/uAssets/issues/25121 +g-porno.com,g-streaming.com##+js(rmnt, script, popundersPerIP) +g-porno.com,g-streaming.com##+js(nowoif) +g-porno.com,g-streaming.com##^script[data-cfasync]:has-text(popundersPerIP) +g-porno.com,g-streaming.com##.popup-overlay +g-porno.com,g-streaming.com##+js(acs, WebAssembly, Error) +giga-uqload.xyz##+js(nostif, afterOpen) +giga-uqload.xyz##+js(nowoif) +giga-uqload.xyz##body > div[class]:empty + +! https://github.com/uBlockOrigin/uAssets/issues/25122 +! https://github.com/uBlockOrigin/uAssets/commit/a7c3807f5e12d5a8882f5d645a206249fb8fe0cb#r146053763 +||player.kick.com^$frame,3p,domain=interactivemap.app +||interactivemap.app/admin/api/sidebarframeleft/$frame,1p +interactivemap.app###streamers +interactivemap.app##.footer +interactivemap.app##.sidebar-tabs-panels:style(max-height: 700px !important;) + +! https://www.plasticsnews.com/ - interstitial +! https://github.com/easylist/easylist/commit/020168e72b982ac2f9596bcc0a3a6686015d2218 +||adobedtm.com^*-source.min.js$script,domain=plasticsnews.com,important +plasticsnews.com##[class*="has-interstitial-ads"]:remove-class(/^has-interstitial-ads/) +plasticsnews.com##body.has-interstitial-ads .has-interstitial-ads-page, body.has-interstitial-ads .has-interstitial-ads-page *:style(visibility: visible !important;) + +! watchwrestlingup. org ads +educ4m.com,fromwatch.com,visualnewshub.com##+js(rmnt, script, popundersPerIP) +pak-mcqs.net##+js(aopw, _pop) + +! https://github.com/uBlockOrigin/uAssets/issues/25141 +visalist.io##+js(no-fetch-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/25147 +multimovies.*###clickfakeplayer:remove-attr(href) + +! https://github.com/uBlockOrigin/uAssets/issues/25165 +mlbstreaming.live##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25096 +idnes.cz#@#+js(acis, HTMLIFrameElement.prototype.contentWindow) +@@/site=*/viewid=*/size=$script,domain=idnes.cz +idnes.cz##.abchead +idnes.cz##.s_widesquare:has(> div > #widesquare > a[rel="sponsored"]) +idnes.cz##div[id].pla-net > div > span:empty +idnes.cz##body::before:style(background: none !important;) +idnes.cz##html:style(cursor: auto !important;) +idnes.cz##+js(acs, document.onclick, reklama-flash-body) + +! https://community.brave.com/t/boundingintocomics-com-ad-banner/565710 +boundingintocomics.com,themix.net##.tpd-banner-mobile +boundingintocomics.com,themix.net##.container.header-container__main +boundingintocomics.com,themix.net##.banner-spacer-top +boundingintocomics.com,themix.net##.header:style(top: 0px !important;) +boundingintocomics.com,themix.net##h1:style(margin-top:20px !important;) +boundingintocomics.com,themix.net##main[role="main"]:style(margin-top:30px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/25215 +zeemoontv-24.blogspot.com##+js(rmnt, script, antiAdBlockerHandler) +! https://github.com/uBlockOrigin/uAssets/issues/25216 +zeeplayer.pages.dev##+js(aopr, antiAdBlockerHandler) + +! https://github.com/uBlockOrigin/uAssets/issues/24360 +! https://github.com/uBlockOrigin/uAssets/issues/25218 +drakecomic.*##+js(set, checkAdBlocker, noopFunc) +||drakecomic.*/wp-content/themes/mangareader/script.js + +! https://github.com/uBlockOrigin/uAssets/issues/25229 +freedrivemovie.com##+js(no-fetch-if, googlesyndication) +||freedrivemovie.com/wp-content/themes/dooplay/js/anti-adblock.js + +! https://hentaitube.icu popup +lovetofu.cyou##+js(nowoif) +! https://udw88666.com popup +alldeepfake.ink##+js(nowoif) + +! https://www.reddit.com/r/uBlockOrigin/comments/1fbrkmy/ad_blocker_detected_on_the_following_website/ +@@||lolcalhost.ru^$script,1p +||lolcalhost.ru/aclib.js$important +crichdplays.ru,player102.top###floated +crichd-player.top,crichdplays.ru,lolcalhost.ru##+js(acs, EventTarget.prototype.addEventListener, delete window) +stitichsports.com##+js(rmnt, script, antiAdBlockerHandler) + +! https://github.com/uBlockOrigin/uAssets/issues/25250 +@@||api.adinplay.com/libs/aiptag/pub/LBS/littlebigsnake.com/tag.$script,domain=littlebigsnake.com +littlebigsnake.com##+js(set, ADS.isBannersEnabled, false) + +! https://*lobby.com anti-adb +@@||metin2lobby.com^$ghide +@@||knightlobby.com^$ghide +@@||metin2lobby.com/js/$script,1p +@@||knightlobby.com/js/$script,1p + +! https://github.com/easylist/easylist/issues/19978 +multi.xxx##+js(set, flashvars.video_click_url, '') + +! https://github.com/uBlockOrigin/uAssets/issues/25280 +animesaturn.cx##+js(rmnt, script, '{delete window[') +||usingageghoaft.net^ +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10610118 +streamtape.*,watchadsontape.com##.play-overlay +streamtape.*,watchadsontape.com##+js(rpnt, script, /\$\(['"]\.play-overlay['"]\)\.click.+/s, document.getElementById("mainvideo").src=srclink;player.currentTrack=0;})}), condition, srclink) + +! https://github.com/uBlockOrigin/uAssets/issues/25288 +ilforumdeibrutti.is##+js(nostif, AdBlock) + +! https://www.reddit.com/r/uBlockOrigin/comments/1fdrml9/ad_blocker_detected_on_the_following_website/ +ttsfree.com##+js(acs, document.getElementById, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/14480 + +! https://github.com/uBlockOrigin/uAssets/issues/25302 +swiftuploads.com##+js(ra, onclick, button[onclick*="open"]) +swiftuploads.com##+js(nowoif) + +! https://en-thunderscans.com/ detection +en-thunderscans.com##+js(nostif, getComputedStyle(testAd)) + +! https://github.com/uBlockOrigin/uAssets/issues/25297 +onlinesoccermanager.com##+js(set, adBlockerDetected, false) +onlinesoccermanager.com###advertisement-leaderboard-container + +! https://github.com/AdguardTeam/AdguardFilters/issues/188766 +njav.tv##+js(set, univresalP, noopFunc) +javplayer.me##+js(nowoif) + +! http://huzungozlum.de/index.php anti-adb +@@||huzungozlum.de^$ghide +@@||huzungozlum.de^$script,1p + +! https://www.scoreland.* popup +scoreland.biz,scoreland.name##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25321 +easyfun.gg##+js(set, EASYFUN_ADS_CAN_RUN, true) +easyfun.gg##.ads +easyfun.gg##.ads-h + +! https://github.com/uBlockOrigin/uAssets/issues/25323 +plutomovies.com#@#.ad-slot:not(.adsbox):not(.adsbygoogle) +plutomovies.com##+js(acs, document.querySelectorAll, popMagic) +plutomovies.com##a[href][onclick^="window.open"] +plutomovies.com##a[href^="https://go.wapdg.com/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/1fg7kwr/eracast_detecting_ubo/ +||cdn.jsdelivr.net/gh/magiclen/adblock-checker +eracast.cc##+js(rmnt, script, adblock) + +! https://www.metoffice.gov.uk/weather/maps-and-charts/rainfall-radar-forecast-map - placeholders +metoffice.gov.uk##.maps-header-advert +metoffice.gov.uk##.header, .leaflet-top.leaflet-left:style(top: 0 !important;) +metoffice.gov.uk##.map:style(top: 52px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/25326 +||ticketmaster.sg/js/adblock.js$script,1p +ticketmaster.sg##+js(nosiif, detector) + +! https://ovflixx.fun anti-adb, popup +ovflixx.fun##+js(acs, document.addEventListener, google_ad_client) +||ovflixx.fun/ancient-frog-abc7/ +||ovflixx.fun/rdLink + +! https://www.reddit.com/r/uBlockOrigin/comments/1flnq7h/realmoasiscom_opens_up_an_popup_window_when_i/ +realmoasis.com##+js(aeld, click, openPopupForChapter) +realmoasis.com##.rev-src +! https://github.com/uBlockOrigin/uAssets/issues/25644 +realmoasis.com##+js(aopr, Object.prototype.popupOpened) + +! https://www.reddit.com/r/uBlockOrigin/comments/1fls4mt/blocking_ads_on_boardgameoraclecom/ +boardgameoracle.com##main div.MuiBox-root > span.MuiTypography-subtitle2:has-text(Advertisement):upward(1) + +! https://www.reddit.com/r/uBlockOrigin/comments/1fm2vvu/ubo_detection_on_tritiniaorg/ +||tritinia.org/wp-content/plugins/from-grave-and-back-hidden/js/custom.js + +! https://github.com/uBlockOrigin/uAssets/issues/25396 +||inmanga.com/ads/$xhr,1p,redirect=nooptext + +! https://github.com/uBlockOrigin/uAssets/issues/25400 +x-video.tube##+js(acs, Math.floor, src_pop) +x-video.tube##+js(rmnt, script, wpadmngr.com) + +! https://github.com/AdguardTeam/AdguardFilters/issues/189357 +roselife.site##a[href][onclick="this.remove()"] + +! https://github.com/uBlockOrigin/uAssets/issues/25414 +||juneauempire.com/wp-content/plugins/incognito_dectector/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/189490 +uploadmall.com#@#.AdSense +uploadmall.com#@#.advblock +uploadmall.com##+js(set, navigator.brave, undefined) +uploadmall.com##+js(nowoif, zigi_tag_id, 10, obj) +@@||dcbbwymp1bhlf.cloudfront.net^$script,domain=uploadmall.com +@@||publisher.linkvertise.com/cdn/linkvertise.js$script,domain=uploadmall.com + +! https://github.com/uBlockOrigin/uAssets/issues/25435 +app.involve.asia#@#.ads-banner + +! https://www.reddit.com/r/uBlockOrigin/comments/1fott8f/block_ads_in_preview_feed_on_redgifs/ +redgifs.com##+js(json-prune, gifs.[-].cta) + +! https://www.reddit.com/r/uBlockOrigin/comments/1fpr48s/adblock_detected_on_smailpro/ +smailpro.com##+js(set, adsbygoogle_ama_fc_has_run, true) + +! https://www.reddit.com/r/uBlockOrigin/comments/1fr8hkq/httpswwwautoparericom_ubo_is_detected/ +autopareri.com##+js(acs, jQuery, adblock) + +! https://koramaup.com/Up5 +! https://github.com/AdguardTeam/AdguardFilters/commit/6d38642c12 +koramaup.com##+js(no-xhr-if, pagead2.googlesyndication.com) +koramaup.com##+js(trusted-prevent-xhr, googlesyndication, 'a.getAttribute("data-ad-client")||""') +koramaup.com##[href^="http://u87yuo9ojh.world/"] + +! https://github.com/uBlockOrigin/uAssets/issues/25464 +callofwar.com##+js(rmnt, script, Anzeige) + +! https://github.com/uBlockOrigin/uAssets/issues/25469 +4edtcixl.xyz##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25483 +picrew.me##.play-Imagemaker:style(height: 100% !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/58 +deadline.com##+js(rmnt, script, admbenefits) + +! https://webdexscans.com/ detection +||cdn.pubfuture-ad.com/v2/unit/pt.js$script,redirect=noopjs,domain=webdexscans.com + +! https://github.com/uBlockOrigin/uAssets/issues/25508 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=animationdigitalnetwork.com + +! yonder. fr detection +@@||yonder.fr^$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/1bbhc60/videos_from_the_site_httpsle10sportcom_do_not/ +! videos are ads, static playlist is played across different articles, real contents are in twitter embeds +||dailymotion.com^$domain=le10sport.com + +! https://github.com/uBlockOrigin/uAssets/issues/25520 +javfc2.xyz##+js(aeld, click, doThePop) +javfc2.xyz##+js(nowoif) +javfc2.xyz##+js(acs, globalThis, break;case) +javfc2.xyz##+js(no-fetch-if, thanksgivingdelights) +javfc2.xyz##+js(aost, document.createElement, yes.onclick) + +! https://github.com/uBlockOrigin/uAssets/issues/25536 +ruidrive.com##+js(no-fetch-if, method:GET) + +! xcinema. ro => embed.hideiframe. com player popups +embed.hideiframe.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25537 +/\bgamatotv\.info\/[a-z0-9]{32}\.js\b/$script,domain=gamatotv.info|gmtcloud.best +gamatotv.info,gmtcloud.best###ads5 +||zqvee2re50mr.com^$all + +! https://vidsrc.xyz/embed/movie/tt11315808 popup +ate60vs7zcjhsjo5qgv8.com##+js(nowoif, !vidsrc.) + +! https://github.com/AdguardTeam/AdguardFilters/issues/189518#issuecomment-2395510540 +blog.livedoor.jp##+js(acs, document.addEventListener, google_ad_client) + +! https://www.reddit.com/r/uBlockOrigin/comments/1fy1gjk/getting_ads_on_novelfull/ +||imagedelivery.net^$domain=novelfull.com +novelfull.com##a[rel="nofollow noopener sponsored"] + +! https://github.com/uBlockOrigin/uAssets/issues/25591 +playtube.tv##+js(acs, EventTarget.prototype.addEventListener, delete window) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=playtube.tv|upns.live + +! https://github.com/uBlockOrigin/uAssets/issues/25593 +||hentalk.pw/public/hentalk-loader.js + +! https://github.com/uBlockOrigin/uAssets/issues/25598 +||85po.com/player/stats.php?$1p,image,redirect=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/25602 +komikindo.lol##^script[data-cfasync][data-rocket-src]:not([data-rocket-src*="komikindo.lol"]) + +! https://github.com/uBlockOrigin/uAssets/issues/25603 +||vidlink.pro/api/*cash +vidlink.pro##+js(aopw, Adcash) +vidlink.pro##+js(aopr, aclib) +vidlink.pro##+js(acs, clearTimeout, popundersPerIP) +||eyewondermedia.com^$all +! https://www.walmart.com/ip/Apple-Watch-SE-2nd-Gen-GPS-40mm-Starlight-Aluminum-Case-Sport-Band-S-M-Fitness-Sleep-Tracker-Crash-Detection-Heart-Rate-Monitor/5033741510?classType=VARIANT&clickid=SkzWZTVCbxyPT7YTPl3ahWrPUkC1I02xuzdpWU0&irgwc=1&sourceid=imp_SkzWZTVCbxyPT7YTPl3ahWrPUkC1I02xuzdpWU0&veh=aff&wmlspartner=imp_159047&affiliates_ad_id=565706&campaign_id=9383&sharedid=cnet +! ^clickid=*&sourceid=$doc + +! https://www.ilgazzettino.it/nordest/rovigo/rissa_minorenni_bottiglia_faccia-8407348.html - waiting time for ads +! https://www.ilmessaggero.it/video/traforo_del_gran_sasso_con_il_semaforo_lunghe_code_e_proteste-8416680.html +ilgazzettino.it,ilmessaggero.it##+js(set, jwDefaults.advertising, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/25627 +secondhandsongs.com##+js(rmnt, script, blocking) +secondhandsongs.com##+js(aost, document.getElementById, inlineScript) + +! https://www.3bmeteo.com/meteo/italia/video/domani +3bmeteo.com##+js(set, elimina_profilazione, 1) +3bmeteo.com##+js(set, elimina_pubblicita, 1) + +! https://www.reddit.com/r/uBlockOrigin/comments/1g1uqng/adblock_detected_on_two_sites/ +@@||seirsanduk.*?loader.js^$script,domain=seirsanduk.* + +! https://github.com/uBlockOrigin/uAssets/issues/25640 +textreverse.com##+js(no-fetch-if, snigelweb.com) +textreverse.com##.clearfix +textreverse.com##.moretooladd + +! https://github.com/uBlockOrigin/uAssets/issues/25643 +sfmcompile.club##+js(acs, document.querySelectorAll, adConfig) + +! https://github.com/uBlockOrigin/uAssets/issues/25639 +mconverter.eu##+js(set, abd, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/25647 +nflscoop.xyz##+js(aopr, aclib) + +! https://github.com/uBlockOrigin/uAssets/issues/25649 +technewsworld.com##+js(aopr, pum_popups) + +! https://github.com/uBlockOrigin/uAssets/issues/25665 +adictox.com##+js(aopr, popns) + +! https://github.com/uBlockOrigin/uAssets/issues/25420 +nexdrive.*,vegamovies3.org##+js(nowoif) +nexdrive.*##.code-block + +! https://github.com/uBlockOrigin/uAssets/issues/25677 +||t.co^$frame,3p,domain=uqozy.com + +! https://github.com/uBlockOrigin/uAssets/issues/25679 +stream4free.*##+js(aeld, load, nextFunction) +stream4free.*###promo +||stream4free.tv/*.php^$frame,1p +! https://www.reddit.com/r/uBlockOrigin/comments/1gr7j6k/site_throwing_pop_ups/ +@@||stream4free.$ghide +stream4free.*##.vjs-poster-onscreen:style(visibility: hidden !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/25682 +nudezzers.org##+js(rmnt, script, adBlockNotice) + +! https://github.com/uBlockOrigin/uAssets/issues/25692 +funnywifiname.net###clickfakeplayer[href]:remove-attr(href) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=rumble.com,important + +! https://github.com/AdguardTeam/AdguardFilters/issues/190894 +lover937.net##+js(acs, document.write) +lover937.net##+js(set, checkerimg, noopFunc) +lover937.net##+js(acs, setTimeout, document.getElementById) +@@||tpc.googlesyndication.com/daca_images/simgad/$domain=lover937.net + +! Prefer specific to generic (benefits Optimal in uBOL) +arstechnica.com##.ad-wrapper + +! tamilprint etc antiadb +/(\d{0,1})?tamilprint(\d{1,2})?\.(?:pro|art)/##+js(no-fetch-if, googlesyndication) +/(\d{0,1})?tamilprint(\d{1,2})?\.(?:pro|art)/##+js(acs, EventTarget.prototype.addEventListener, delete window) +/(\d{0,1})?tamilprint(\d{1,2})?\.(?:pro|art)/##^script:has-text('{delete window[') + +! address popups +rajtamil.org,vik1ngfile.uk.to,vikingf1le.us.to##+js(nowoif, _blank) +luxmovies.*,nohost.one,southfreak.*##+js(nowoif) +nohost.one##+js(rmnt, script, HTMLAllCollection) + +! https://github.com/uBlockOrigin/uAssets/issues/19143 +ddwloclawek.pl,ki24.info##+js(aeld, load, adb) + +! https://deporte-libre.top/en-vivo-online/espn/ +! https://zzcointv.xyz/canales/espn/op5.php - popups +tutlehd5.com##+js(acs, EventTarget.prototype.addEventListener, delete window) +tutlehd5.com###overlay +||swarm.video/tutelehd.js + +! https://github.com/uBlockOrigin/uAssets/issues/25723 +animedb.in##+js(nosiif, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/25728 +sdna.gr###disqus_thread:style(display: block !important;) +||orangeclickmedia.com/api/adserver/ + +! https://github.com/uBlockOrigin/uAssets/issues/25725 +tempmail.ninja##+js(rpnt, script, const ad_slot_, '(()=>{window.addEventListener("load",(()=>{document.querySelectorAll("ins.adsbygoogle").forEach((element=>element.dataset.adsbygoogleStatus="done"))}))})();const ad_slot_', sedCount, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/25731 +pricearchive.org##+js(set-cookie, aalset, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/25734 +allosurf.net##+js(nostif, detectAdblock) + +! https://gobankingrates.com - anti-adb +gobankingrates.com##+js(aeld, DOMContentLoaded, blockAdBlock) + +! https://github.com/uBlockOrigin/uAssets/issues/25753 +tiroalpaloes.net##+js(aeld, load, nextFunction) + +! https://gitlab.com/eyeo/anti-cv/abp-filters-anti-cv/-/issues/170 +flashbang.sh##+js(nowoif, !/(flashbang\.sh|dl\.buzzheavier\.com)/) +trashbytes.net##+js(nowoif, !dl.buzzheavier.com) +buzzheavier.com,flashbang.sh,trashbytes.net##+js(aeld, DOMContentLoaded, location.href) + +! http://utakmice.net/tenis/ - ads, popups +utakmice.net##+js(nowoif, uzivo) +utakmice.net###rcorners2top +utakmice.net###rcorners2bottom +||utakmice.net/banner3.htm$frame,1p + +! https://thotcity.su/ - preroll ads +thotcity.su##+js(set, flashvars.adv_pre_src, '') + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10995520 +hiddenleaf.to##+js(aeld, click, openDirectLinkAd) + +! https://github.com/uBlockOrigin/uAssets/issues/25773 +! https://github.com/uBlockOrigin/uBOL-home/issues/250 +||donasi.lk21.de^ +###adyes +###donate > a[href][style][onclick="thank_you()"][target="_blank"][rel="nofollow"] +nikaplayer.com##+js(nowoif, !nikaplayer.com) +lk21official.my##[id^="btop-"] > [href^="https://kredit-mobil-dp-murah.pages.dev/"] + +! https://github.com/uBlockOrigin/uAssets/issues/25724 +play1.kirastream.my.id##[href="https://t.me/Crypto_Journey_WITH_DOGS"] + +! https://www.reddit.com/r/uBlockOrigin/comments/1gblu58/adblock_detection_on_ronorpnet/ +ronorp.net##+js(aeld, load, detect) + +! https://github.com/uBlockOrigin/uAssets/issues/10046 +||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=cnet.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/8706 +send.cm,send.now##+js(rmnt, script, LieDetector) +send.cm##+js(nowoif) +||freedom.send.cm/s.js$script,1p +||u.send.now/m.js$script,1p +||avatarthree.lol^ +||bonnetgoblet.com^ +||fbmediafor.com^ +||go.errpgrt.com^ +||trkabfbmedia.eu^ +||zoologyfibre.com^ + +! https://vinovo.to/d/kg2v0nqwbk0nn5 - popups +vinovo.to##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25421 +gecmisi.com.tr##+js(trusted-replace-argument, document.querySelector, 0, json:"div[align='center']", condition, .adsbygoogle.adsbygoogle-noablate) + +! https://github.com/uBlockOrigin/uAssets/issues/25807 +schnittberichte.com##.branding +schnittberichte.com##.section__adbanner +schnittberichte.com##[href^="/goto.php?ID="] +schnittberichte.com##body::after:style(background: unset !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/25797 +gdflix.*##+js(aeld, DOMContentLoaded, history.pushState) +gdflix.*##^script:has-text(/history\.pushState/) +gdflix.*##^script:has-text(/\{delete window\[/) + +! https://github.com/uBlockOrigin/uAssets/issues/25813 +10gb.vn##+js(set, detectedAdblock, noopFunc) + +! uupbom.com popups +uupbom.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25814 +3rooodnews.net##+js(rmnt, script, advads) + +! jattfilms. store popups +jattfilms.*###clickfakeplayer[href]:remove-attr(href) + +! https://github.com/uBlockOrigin/uAssets/issues/25818 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=aleklasa.pl + +! https://github.com/uBlockOrigin/uAssets/issues/6955 +tvn24.pl##+js(json-prune, playlist.movie.advertising.ad_server) +@@||cdntvn.pl/*/advert.js$xhr,domain=tvn24.pl +! https://github.com/uBlockOrigin/uAssets/issues/25820 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=tvn24.pl + +! https://github.com/uBlockOrigin/uAssets/issues/25824 +a1movies.*##+js(aeld, DOMContentLoaded, showPopup) +a1movies.*##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25825 +moviedokan.*##+js(acs, document.addEventListener, popunder) +moviedokan.*##+js(nowoif, _blank) +fastdokan.top,moviedokan.*##.resp +fastdokan.top,moviedokan.*##.resps +||moviedokan.*/wp-content/plugins/popup-builder/public/js/Popup.js +||jayabaji3.com/bn-bd?aff=$doc + +! https://github.com/uBlockOrigin/uAssets/issues/25826 +videovak.com##+js(aeld, click, PopUnder) + +! linkupload. pro ads +||linkupload.pro^$csp=script-src 'self' *.googleapis.com google.com gstatic.com + +! govtportal. org antiadb(file hosting) +govtportal.org##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/25020 +xxxbfvideo.net##+js(rmnt, script, document.cookie) +xxxbfvideo.net##+js(nowoif) +||xxxbfvideo.net/assetsv3/wa.js^ + +! https://github.com/uBlockOrigin/uAssets/issues/25851 +||headerbidding.ai^$script,domain=hegra.cam,redirect=noopjs +filespayout.com##[href="javascript:void(0);"] + +! https://github.com/uBlockOrigin/uAssets/issues/25859 +filmy4wap.co.in,filmy4waps.org##[href^="https://www.highcpmrevenuegate.com/"] +filmy4wap.co.in,filmy4waps.org##+js(nowoif) +filmy4wap.co.in,filmy4waps.org##+js(refresh-defuser) +filmy4wap.co.in,filmy4waps.org##+js(rpnt, script, window.dataLayer =, '(()=>{const time=parseInt(document.querySelector("meta[http-equiv=\"refresh\"]").content.split(";")[0])*1000+1000;setTimeout(()=>{document.body.innerHTML=document.body.innerHTML},time)})();window.dataLayer =', sedCount, 1) +filmy4wap.co.in,filmy4waps.org##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP|window\.open|\.createElement/) +||festivalcasketfrench.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/25866 +leakshaven.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/25871 +! https://www.reddit.com/r/uBlockOrigin/comments/1gstcwp/how_to_remove_ubo_webfont_filters/ +flaticon.com##.soul-p-nsba +flaticon.com##+js(json-prune-fetch-response, data.[].affiliate_url, , propsToMatch, cdnpk.net/v2/images/search?) +flaticon.com##+js(no-fetch-if, cdnpk.net/Rest/Media/, war:noop.json) +||cdnpk.net/sponsor/ +||api.gettyimages.com/v3/search/images/creative?*referral_destinations$xhr,domain=flaticon.com + +! https://github.com/uBlockOrigin/uAssets/issues/25893 +##.ads-btns +.gif^$image,domain=vcloud.lol +vcloud.lol##.img-fluid +gamerxyt.com##+js(aeld, DOMContentLoaded, history.go) + +! https://www.reddit.com/r/uBlockOrigin/comments/1gi6lcl/cheatographycom_detects_ubo/ +cheatography.com##+js(nostif, adblocker) + +! https://www.reddit.com/r/uBlockOrigin/comments/1gi648d/web_page_is_opening_trying_to_redirect/ +japonhentai.com##+js(acs, document.querySelectorAll, popMagic) + +! https://github.com/uBlockOrigin/uAssets/issues/25902 +fomo.id##+js(json-prune-fetch-response, data.[-].inner.ctaCopy, , propsToMatch, ?page=) + +! https://github.com/uBlockOrigin/uAssets/issues/25920 +||i.imgur.com/*.mp4^$media,redirect=noopmp3-0.1s,domain=filiser.eu +@@/^https:\/\/i\.imgur\.com\/(?:Nb8hauQ|qgn2xUN|asEQRCN|ppLF03C|gSh2lrT|zUniMdp|7gscsmm|vh8L243|MYyC34P)\.mp4/$media,domain=filiser.eu + +! https://vid.kimcilonlyofc.com/ - anti-adb +kimcilonlyofc.com##+js(rmnt, script, mdpDeblocker) +kimcilonlyofc.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/25922 +shahid.mbc.net##+js(no-fetch-if, /gampad/ads?) + +! https://www.reddit.com/r/uBlockOrigin/comments/1gk2o42/help_me_to_block_new_tab_popup/ +moflix-stream.*##+js(nostif, affiliate) +moflix-stream.*##+js(nostif, afterOpen) + +! https://github.com/uBlockOrigin/uAssets/issues/25929 +@@||cinemaclock.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/25932 +helicomicro.com##+js(noeval-if, adsbygoogle) +helicomicro.com##^script:has-text(/eval\(.+?decodeURIComponent/) + +! https://github.com/uBlockOrigin/uAssets/issues/25945 +moviesmod.*,topmovies.*##+js(nowoif) + +! https://community.brave.com/t/ads-on-toonstream/579083 +toonstream.*##+js(nowoif, _blank) +toonstream.*##.SH-Ads + +! https://github.com/uBlockOrigin/uAssets/issues/25953 +! https://github.com/uBlockOrigin/uAssets/issues/25981 +gameshop4u.com,regenzi.site##+js(rmnt, script, /_0x|brave|onerror/) +gameshop4u.com,regenzi.site##[href^="https://fulvideozrt.click/"] + +! https://github.com/uBlockOrigin/uAssets/issues/20401 +@@*$xhr,3p,domain=infinityscans.xyz|infinityscans.net|infinityscans.org +*$script,redirect-rule=noopjs,domain=infinityscans.xyz|infinityscans.net|infinityscans.org +||enigmaswhereas.com^$all +||highmanapts.com^$all +||ephokeerailoon.net^$all + +! https://github.com/uBlockOrigin/uAssets/issues/25957 +pcgeeks-games.com##+js(rmnt, script, adb) + +! https://github.com/uBlockOrigin/uAssets/issues/25960 +pes6.es##+js(set, Object.prototype.DetectByGoogleAd, noopFunc) + +! faanproj.com and pifansubs.club ads +faanproj.com##.gmr-bannerpopup +flyplayer.xyz,blsplayer.com##.pppx +flyplayer.xyz##+js(nowoif) +||blsplayer.com/player/assets/js/jquery.js + +! https://github.com/uBlockOrigin/uAssets/issues/25964 +klyker.com##+js(noeval-if, adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/192521 +a-lohas.jp##+js(aeld, load, puHref) + +! https://github.com/uBlockOrigin/uAssets/issues/25977 +kontenterabox.com##+js(noeval-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/25988 +ainonline.com##+js(no-xhr-if, adsbygoogle) + +! https://www.reddit.com/r/uBlockOrigin/comments/1glh1mf/adblocker_detection_on_httpskaristudiocom/ +/wp-content/themes/blogarise-child/check*.js^ +! https://github.com/uBlockOrigin/uAssets/issues/25990 +! https://github.com/uBlockOrigin/uAssets/issues/26748 +! @@||karistudio.com^$script,1p +||karistudio.com/wp-content/themes/blogarise-child/check2.js$important +karistudio.com,leafstudio.site##p.chapter_content:style(display: block !important; visibility: visible !important; opacity: 1 !important; transform: none !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/25995 +cambro.io##+js(acs, document.querySelectorAll, popMagic) + +! https://github.com/uBlockOrigin/uAssets/issues/25910 +##.infiniteads_placeholder +thetimes.com##.channel-header-ad +thetimes.com##.ad-container + +! https://github.com/easylist/easylist/issues/20264 +uploadhive.com##[href="javascript:void(0);"] + +! https://www.reddit.com/r/uBlockOrigin/comments/1gpdgm2/bypassing_adblock_detection_for_spotifydown/ +||vlitag.com^$script,redirect=noopjs,domain=spotifydown.com + +! https://github.com/uBlockOrigin/uAssets/issues/26008 +@@||totalsporteks.io^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/26011 +*$xhr,domain=streamblasters.pm,3p + +! https://github.com/uBlockOrigin/uAssets/issues/26024 +tactics.tools##+js(set, nitroAds, {}) +tactics.tools##+js(set, nitroAds.createAd, noopFunc) +tactics.tools##.afm-wrap + +! https://github.com/uBlockOrigin/uAssets/issues/26027 +boundhub.com##+js(set, NativeAd, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/26019 +||coincodex.com/*/position/ccx_pos-min2.php^$script + +! https://github.com/AdguardTeam/AdguardFilters/issues/192842 +rivestream.live##+js(aopr, Adcash) +rgshows.me##+js(rmnt, script, popundersPerIP) +brbeast.com##+js(nowoif) +brbeast.com##.pppx +superflixapi.dev##.sflix_space + +! goflix. sbs popups +||goflix.sbs^$csp=sandbox allow-same-origin allow-scripts allow-modals allow-orientation-lock allow-pointer-lock allow-presentation allow-top-navigation allow-popups +goflix.sbs##div.col-md-4:has(> .panel > .panel-footer > a[href^="/download-fast/"]) +goflix.sbs##.text-center.bg-info + +! https://github.com/uBlockOrigin/uAssets/issues/26047 +||google.com/adsense/domains/caf.js^$script,redirect=noopjs +! https://github.com/uBlockOrigin/uAssets/issues/26130 +##html[lang][style^="--main-bg-color"] > body:not([class]):not([id]) > div#container[style="visibility: visible;"] > div#banner[style="opacity:0"] ~ main:not([class]):not([id]) > div#message + +! filmeserialetv.org => player alocdnnetu.xyz => popups +alocdnnetu.xyz##+js(set, Blob, noopFunc) + +! flix-wave.lol antiadb +flix-wave.lol##+js(nostif, offsetHeight) +flix-wave.lol##+js(aopr, Adcash) + +! https://www.reddit.com/r/uBlockOrigin/comments/1gsowvk/adblock_detection_on_edumailicu_already_tried/ +@@||edumail.icu/storage/js/*.js^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/26068 +live-sport.duktek.pro##+js(nowoif) +live-sport.duktek.pro##+js(aopr, AaDetector) +live-sport.duktek.pro###banner +live-sport.duktek.pro###overlay +live-sport.duktek.pro###cloudUrl +live-sport.duktek.pro##[href*="?key"][target="_blank"]:remove-attr(href) + +! https://github.com/uBlockOrigin/uAssets/issues/25770 +! https://github.com/uBlockOrigin/uAssets/issues/25865 +! https://github.com/uBlockOrigin/uAssets/issues/25915 +! https://github.com/uBlockOrigin/uAssets/issues/25944 +! https://github.com/uBlockOrigin/uAssets/issues/26016 +! https://github.com/uBlockOrigin/uAssets/issues/26060 +! https://www.reddit.com/r/uBlockOrigin/comments/1grexck/adblock_detection_on_janitorai/ +! https://github.com/AdguardTeam/AdguardFilters/issues/193698 +*$doc,ipaddress=199.59.243.227,to=~parked.domain|animeseries.so|audiobookbay.li|hhdstreams.club|janitor.ai|kahoo.it|pix4link.com|sshagan.net + +! https://github.com/uBlockOrigin/uAssets/issues/26078 +akirabox.com##+js(aeld, click, Ads) +akirabox.com##+js(nowoif, _blank) +||shareease.link^$all +||fastfilehost.link^$all +||rapidsend.cfd^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/193137 +redvido.com##+js(acs, onload, open) +redvido.com##+js(aopr, Adcash) + +! https://github.com/AdguardTeam/AdguardFilters/issues/193130 +upns.*##+js(aeld, click, document.createElement) +upns.*##+js(trusted-override-element-method, HTMLAnchorElement.prototype.click, a[target="_blank"]) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=upns.*,redirect=google-ima.js +upns.ink,upns.one,upns.xyz##div[style^="position: fixed; inset: 0px; z-index: 2147483647; background: black; opacity: 0.01; cursor: pointer;"] +||restedpealimagine.com^$popup,doc + +! movielinkbd ads +1movielinkbd.com,filecloud.*,gdfile.org,movieliinkbd.com##+js(nowoif) +movielinkbd.*##+js(nowoif, _blank) +neodrive.xyz##+js(rmnt, script, FingerprintJS) +||jaya9.app/?af=$doc + +! https://www.reddit.com/r/uBlockOrigin/comments/1gucwsp/adblock_detection_on_historicaerialscom/ +historicaerials.com##+js(nosiif, data-google-query-id) +historicaerials.com##+js(nostif, data-google-query-id) +||historicaerials.com/js/checkuser.js^ + +! https://www.reddit.com/r/uBlockOrigin/comments/1guanqw/need_help_please/ +canela.tv##+js(json-prune-fetch-response, data.custom.bcAdMetadataUrl, , propsToMatch, /media/content) +canela.tv##+js(trusted-replace-fetch-response, /#EXT-X-KEY:METHOD=NONE\n#EXT(?:INF:[^\n]+|-X-DISCONTINUITY)\n.+?(?=#EXT-X-KEY)/gms, , /media.m3u8) + +! viprow.nu => reliabletv.me frame => allow brave browser +reliabletv.me##+js(set, window.navigator.brave, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/26123 +viralxxxporn.com##+js(set, flashvars.adv_pre_src, '') +viralxxxporn.com##+js(set, flashvars.mlogo, '') + +! https://www.reddit.com/r/uBlockOrigin/comments/1gvr4li/adblock_detection_on_zdsptvcom/ +@@*$ghide,to=activo.mx|dynamicsupply.net|foroactivo.com|zdsports.org|~www.activo.mx|~www.foroactivo.com +@@||blogspot.com^$ghide,to=zscnl.blogspot.com|zsnls.blogspot.com +zdsptv.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +tarjetarojaenvivo.lat##^script#aclib +||tarjetarojaenvivo.lat/lib.js^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/190811 +dailyrevs.com##+js(no-xhr-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/26105 +lista.mercadolivre.com.br##.brand-wrapper-desktop-new +lista.mercadolivre.com.br##.ui-search-layout__item:nth-child(-n+3):has(.poly-component__ads-promotions) + +! https://github.com/uBlockOrigin/uAssets/issues/26133 +jobfound.org##+js(no-fetch-if, doubleclick) + +! https://github.com/uBlockOrigin/uAssets/issues/26136 +jakondo.ru##+js(set, HTMLScriptElement.prototype.onerror, undefined) + +! https://github.com/uBlockOrigin/uAssets/issues/26132 +||fmovies.co/sw.js + +! https://www.reddit.com/r/uBlockOrigin/comments/1gwkbwx/ad_on_fileplanetcom/ +fileplanet.com##+js(acs, showTav) +fileplanet.com##.opera-banner +fileplanet.com##.trs-ader +fileplanet.com##a[href^="https://url.totaladblock.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/26145 +handirect.fr##body::before:style(background-image: unset !important;) +handirect.fr##+js(rmnt, script, kmtAdsData) + +! https://github.com/uBlockOrigin/uAssets/issues/26152 +animefenix.tv##+js(rmnt, script, wpadmngr) + +! https://github.com/uBlockOrigin/uAssets/issues/26158 +tempinbox.xyz##+js(rmnt, script, insertAdjacentHTML) + +! https://github.com/uBlockOrigin/uAssets/issues/26160 +fsiblog3.club,kamababa.desi##+js(rmnt, script, navigator.userAgent) + +! https://github.com/uBlockOrigin/uAssets/issues/26162 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=desi.upn.bio,redirect=google-ima.js +desi.upn.bio##+js(aeld, click, _blank) + +! https://osteusfilmestuga.online/filmes/carros-toons-contos-de-radiador-springs-o-soluco/ +||vidhidefast.com/assets/jquery/css.js +/player/jw8/vast.js|$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/1gy7p7v/request_for_a_filter_to_block_top_banner_area_on/ +giphy.com##div[class^="sc-"]:has(> div[class^="sc-"] > div[class^="htlad-"][class$="top_leaderboard_detail"]) +giphy.com##.cNDPHQ, .fKCJyZ:style(top: 0px !important; transform: unset !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/26169 +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=cricbuzz.com + +! https://github.com/uBlockOrigin/uAssets/issues/26171 +updatewallah.in##+js(rmnt, script, adbl) + +! https://drivers.plus/de/ +drivers.plus##+js(aost, document.getElementsByTagName, adsBlocked) + +! sssinstagram.com - popups +sssinstagram.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/26189 +ft.com##.o-ads +ft.com##.mod-header-ad +politico.com##.styles_container__zuzL0 +politico.com##div[class*="styles_withAd"]:style(padding-top: 0 !important;) +politico.com##div[class*="styles_ad"] +nanoreview.net###gtfloats-sb-right +nanoreview.net##.wisinad_only_desktop +weatherzone.com.au##.publift-ad-wrapper +weatherzone.com.au##.bswIsy +weatherzone.com.au##section[class^="sc-"]:has(> .publift-ad-wrapper) + +! https://voz.vn - ads placeholder +voz.vn##.p-pageWrapper:style(margin-bottom: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/26191 +||cdn.atf-tagmanager.de/config/$script,domain=yacht.de,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/26206 +lk21official.pics##+js(set-cookie, lk21-player-dona, 1) +lk21official.pics###top-b +iqksisgw.xyz##+js(nostif, "document['\x") +stream.hownetwork.xyz##+js(disable-newtab-links) +/assets/jquery/p2anime.js?v= + +! https://github.com/uBlockOrigin/uAssets/issues/26214 +! https://github.com/uBlockOrigin/uAssets/issues/26582 +rubystm.com,rubyvid.com,streamruby.com##+js(rmnt, script, wpadmngr.com) +rubystm.com,rubyvid.com##+js(set, cRAds, false) +||illinformed-imagination.com^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/193664 +! https://github.com/uBlockOrigin/uAssets/issues/26540 +||ads.the.tube^ +||the.tube/js/simpleblocker.js^ +videocdnal24.xyz##+js(nowoif) +filma24.band##.textwidget + +! https://github.com/uBlockOrigin/uAssets/issues/26218 +! https://github.com/uBlockOrigin/uAssets/issues/26038 +! thenation.com anti-adb +||site-config.com^$3p +||content-settings.com^$3p +||config-factory.com^$3p + +! popups +safetxt.net##+js(rmnt, script, window.open) + +! https://github.com/uBlockOrigin/uAssets/issues/26234 +@@||dfbplay.tv^$ghide +dfbplay.tv##+js(no-fetch-if, googlesyndication) +||api.app.dfbplay.tv/V1/Adverts/GetVast$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/26242 +animedao.com.ru##+js(no-xhr-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/26246 +abs-cbn.com##div[style*="999999"]:has(div[style^="background-color:#ECEDEF;"] > p) +abs-cbn.com##div[style*="2147483647"]:has(> div[style$="z-index: 999;"]) +abs-cbn.com##div[style*="2147483647"]:has(.imp-adSlot-0) +abs-cbn.com##div[id^="div-articleOOP"] ~ div:has(.imp-adSlot-0) +abs-cbn.com##:is(.css-168qn5i, .css-1slfery, .css-xcd31q, .css-4dbdht, .css-1d3bbye, .css-ob4cto):has(div[class^="imp-adSlot"]) +abs-cbn.com##.css-15j76c0:has(> div[style*="z-index: 99999"]) +abs-cbn.com##.MuiGrid-root.MuiGrid-item:not([data-testid="test-grid-item"]):has(> div.MuiBox-root > div[style] > div > div[style] > div[class^="imp-adSlot"]) + +! https://github.com/uBlockOrigin/uAssets/issues/26248 +gmanetwork.com###leaderboard +gmanetwork.com###mrect +gmanetwork.com###theater_mobile_mrec +gmanetwork.com##.grid_extras_holder +gmanetwork.com##.mrec_ad +gmanetwork.com##.mrec-add-container +gmanetwork.com##.latest_mrec_ad +gmanetwork.com##.cbox:has(> :is(ads, .skyscraper)) + +! https://github.com/uBlockOrigin/uAssets/issues/26254 +atlasstudiousa.com##+js(rmnt, script, WebAssembly) +atlasstudiousa.com##+js(acs, $, window.open) +atlasstudiousa.com##+js(nowoif, _blank) + +! https://github.com/uBlockOrigin/uAssets/issues/26257 +||cdn.jsdelivr.net/gh/lookatdons/gasak^ + +! worldfree4u. now popups +worldfree4u.*##+js(nowoif) + +! ranoz. gg popups +ranoz.gg##+js(nowoif, _blank) +||sgeiruehou.cfd^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26244 +aov-news.com,summonersky.com##.ads_horizontal_reader:remove() +aov-news.com,summonersky.com##[id^="ads_vertical_reader_"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/193917 +cdn.tiesraides.lv##+js(rpnt, script, vid.vast, //vid.vast) +||cdn.tiesraides.lv/app/viblast/*/videojs.vast. +||cdn.tiesraides.lv/app/viblast/*/lib/vast-client.js + +! https://456movie.com/movie/watch/933260 +111movies.com,456movie.com##+js(acs, clearTimeout, popundersPerIP) + +! https://github.com/AdguardTeam/AdguardFilters/issues/193884 +getfiles.co.uk##+js(rmnt, script, checkAdBlock) + +! https://www.reddit.com/r/uBlockOrigin/comments/1h5lvjw/tptv_brightcove_adverts/ +tptvencore.co.uk##+js(no-xhr-if, springserve.com) + +! https://github.com/uBlockOrigin/uAssets/issues/26287 +poophd.cc##+js(rmnt, script, wpadmngr.com) + +! https://community.brave.com/t/redirects-on-animelatinohd-com/584414 +animelatinohd.com##+js(aeld, load, popMagic) + +! https://github.com/uBlockOrigin/uAssets/issues/11152 +rjno1.com##+js(aopr, document.documentElement.clientWidth) +rjno1.com##body > style + div div[id][style] + +! https://github.com/uBlockOrigin/uAssets/issues/26322 +||bp.blogspot.com^$image,redirect=1x1.gif,domain=moappmovies.blogspot.com +moappmovies.blogspot.com##.sy-adblock + +! https://github.com/uBlockOrigin/uAssets/issues/26313 +||googlesyndication.com^$image,redirect=1x1.gif,domain=minenode.fr + +! https://github.com/uBlockOrigin/uAssets/issues/24575 +animefire.info,animesonlinecc.us,animesonliner4.com,animesup.info,animeyabu.net,animeyabu.org,anitube.us,anitube.vip,caroloportunidades.com.br,dattebayo-br.com,drstonebr.com,file4go.com,flyanimes.cloud,goanimes.vip,goyabu.us,hinatasoul.com,isekaibrasil.com,meuanime.info,otakuanimess.net,superanimes.in##+js(trusted-prevent-xhr, outbrain.com, outbrain) +animefire.info,animesonlinecc.us,animesonliner4.com,animesup.info,animeyabu.net,animeyabu.org,anitube.us,anitube.vip,caroloportunidades.com.br,dattebayo-br.com,drstonebr.com,file4go.com,flyanimes.cloud,goanimes.vip,goyabu.us,hinatasoul.com,isekaibrasil.com,meuanime.info,otakuanimess.net,superanimes.in##+js(trusted-prevent-xhr, s4.cdnpc.net/front/css/style.min.css, slider--features) +animefire.info,animesonlinecc.us,animesonliner4.com,animesup.info,animeyabu.net,animeyabu.org,anitube.us,anitube.vip,caroloportunidades.com.br,dattebayo-br.com,drstonebr.com,file4go.com,flyanimes.cloud,goanimes.vip,goyabu.us,hinatasoul.com,isekaibrasil.com,meuanime.info,otakuanimess.net,superanimes.in##+js(trusted-prevent-xhr, s4.cdnpc.net/vite-bundle/main.css, data-v-d23a26c8) +animefire.info,animesonlinecc.us,animesonliner4.com,animesup.info,animeyabu.net,animeyabu.org,anitube.us,anitube.vip,caroloportunidades.com.br,dattebayo-br.com,drstonebr.com,file4go.com,flyanimes.cloud,goanimes.vip,goyabu.us,hinatasoul.com,isekaibrasil.com,meuanime.info,otakuanimess.net,superanimes.in##+js(trusted-prevent-xhr, cdn.taboola.com/libtrc/san1go-network/loader.js, feOffset) +@@||widgets.outbrain.com/outbrain.js$xhr,domain=animefire.info|animesonlinecc.us|animesonliner4.com|animesup.info|animeyabu.net|animeyabu.org|anitube.us|anitube.vip|caroloportunidades.com.br|dattebayo-br.com|drstonebr.com|file4go.com|flyanimes.cloud|goanimes.vip|goyabu.us|hinatasoul.com|isekaibrasil.com|meuanime.info|otakuanimess.net|superanimes.in +@@||s4.cdnpc.net/*.css$xhr,domain=animefire.info|animesonlinecc.us|animesonliner4.com|animesup.info|animeyabu.net|animeyabu.org|anitube.us|anitube.vip|caroloportunidades.com.br|dattebayo-br.com|drstonebr.com|file4go.com|flyanimes.cloud|goanimes.vip|goyabu.us|hinatasoul.com|isekaibrasil.com|meuanime.info|otakuanimess.net|superanimes.in +@@||cdn.taboola.com/libtrc/san1go-network/loader.js$xhr,domain=animefire.info|animesonlinecc.us|animesonliner4.com|animesup.info|animeyabu.net|animeyabu.org|anitube.us|anitube.vip|caroloportunidades.com.br|dattebayo-br.com|drstonebr.com|file4go.com|flyanimes.cloud|goanimes.vip|goyabu.us|hinatasoul.com|isekaibrasil.com|meuanime.info|otakuanimess.net|superanimes.in +caroloportunidades.com.br,coempregos.com.br,foodiesgallery.com##+js(nostif, hasAdblock) + +! prmovies. im antiadb +embdproxy.xyz##+js(rmnt, script, deblocker) + +! https://www.reddit.com/r/uBlockOrigin/comments/1h84z3d/opscans_adblock_detection/ +ragnarokscanlation.opchapters.com##+js(aopw, adbEnableForPage) +ragnarokscanlation.opchapters.com###ad-container + +! https://github.com/uBlockOrigin/uAssets/issues/26331 +fapomania.com##+js(nowoif) +fapomania.com##.menuraduo2 + +! https://netplayz.ru/watch?type=movie&id=645757 +||www.*.com^$script,3p,redirect-rule=noopjs,domain=netplayz.ru +||premiumvertising.com^$script,redirect=noopjs +netplayz.ru##+js(set-cookie, pop, 1) +netplayz.ru##+js(nowoif, _blank) + +! https://github.com/uBlockOrigin/uAssets/issues/26354 +genelify.com##+js(rmnt, script, detectedAdblock) + +! https://embed.warezcdn.link/filme/tt16366836 warezcdn popup +basseqwevewcewcewecwcw.xyz##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/26362 +sheepesports.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/26369 +ebook-hell.to##+js(nowoif) +||ebook-hell.to/jquery/jspololife.js + +! https://github.com/uBlockOrigin/uAssets/issues/26371 +ibooks.to##+js(rmnt, script, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/26364 +||atf-tagmanager.de^$script,redirect=noopjs,domain=bike-magazin.de + +! https://www.gpldose.com/ anti-adb +gpldose.com##+js(aopr, Dataffcecd) + +! https://github.com/uBlockOrigin/uAssets/issues/26395 +##.sharethis-inline-share-buttons.st-hidden + +! https://github.com/AdguardTeam/AdguardFilters/issues/194399 +peachprintable.com##+js(nostif, chkADB) +peachprintable.com###popID + +! https://gputrends.net/troubleshooting-toolkit-essential-tips-and-tools-for-gpu-problem-solving/ - "Watch ad to continue" +gputrends.net##+js(set-local-storage-item, adWatched, true) + +! https://www.vikatan.com/lifestyle/toxic-communication +vikatan.com##+js(nostif, /adblock|isblock/i) + +! https://github.com/uBlockOrigin/uAssets/issues/26441 +||kryptografie.de/js/wb_dead.js + +! [NSFW] https://dhtpre.com/file/5qhvr18btje8 - detection +dhtpre.com##+js(rmnt, script, setADBFlag) + +! https://github.com/uBlockOrigin/uAssets/issues/26454 +anroll.net##+js(acs, EventTarget.prototype.addEventListener, delete window) + +! https://github.com/uBlockOrigin/uAssets/issues/26460 +dynamicminister.net##+js(aeld, click, window.open) +||redditsoccerstreams.watch/wp-content/uploads/2024/10/watch-live-stream.gif$image + +! https://github.com/uBlockOrigin/uAssets/issues/26459 +nunflix.org##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/issues/26470 +youtubetowav.net##+js(nowoif, _blank) +||comfortablepossibilitycarlos.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/190943 + +! https://github.com/uBlockOrigin/uAssets/issues/26475 +filmizleplus.cc##+js(rpnt, script, /(function reklamla\([^)]+\) {)/, $1rekgecyen(0);) + +! naruldonghua .com detection +naruldonghua.com##+js(noeval-if, adsbygoogle) + +! https://github.com/uBlockOrigin/uAssets/issues/26479 +feed2all.org##+js(aopr, popns) +feed2all.org##+js(set-cookie, BetterJsPop0, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/26493 +@@||titulky.com^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/26494 +xbaaz.com##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP|wpadmngr|popMagic/) +xbaaz.com##+js(aost, clearTimeout, /\b[a-z] inlineScript:/) + +! https://github.com/uBlockOrigin/uAssets/issues/2320 +@@||freemcserver.net^$ghide +@@||cdn.jsdelivr.net/gh/Levii22/$domain=freemcserver.net +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=panel.freemcserver.net +/cdn-cgi/challenge-platform/scripts/jsd/main.js$script,important,1p,domain=freemcserver.net +panel.freemcserver.net##+js(rpnt, script, 'G-1B4LC0KT6C');, 'G-1B4LC0KT6C'); window.setTimeout(function(){blockPing()}\,200);) +||panel.freemcserver.net/bs4/bs4$script,1p +||panel.freemcserver.net/*YouUblockAnd$script,1p +/panel\.freemcserver\.net\/.{90,}\?v=17/$script,1p,domain=panel.freemcserver.net +*$script,redirect-rule=noopjs,domain=panel.freemcserver.net +freemcserver.net##+js(nostif, 0x) +panel.freemcserver.net##body > #main-wrapper > .page-wrapper > .container-fluid > .row > .col-md-10 > [class] > .row > .col > ul:first-child + [class="row justify-content-center mb-3 billboard_responsive text-center"] +panel.freemcserver.net##body > #main-wrapper > .page-wrapper > .container-fluid > .row > .col-md-10 > [class] > .row > [class^="col-"] > [style*="min-height"][style*="flex"]:has(> [id^="stpd-"][style^="position:"]:first-child + div + div:last-child) + +! zinkmovies .in ads +zinkmovies.in##+js(aopr, app_advert) + +! https://github.com/uBlockOrigin/uAssets/issues/26512 +pornhoarder.*##+js(rmnt, script, /wpadmngr|adserverDomain/) + +! https://github.com/uBlockOrigin/uAssets/issues/26524 +studwiz.com###KySENPmBUJDe + +! https://github.com/uBlockOrigin/uAssets/issues/26530 +wooflix.tv##+js(aopw, Adcash) +wooflix.tv##+js(nowoif) +||wooflix.tv/api/block^ +||stash.adcat.moe/script.js$script +||collect.adcat.moe/js/pub.min.js$script +||getmagic.moe^ +||smellyredirect.click^ + +! https://github.com/uBlockOrigin/uAssets/issues/26533 +pngitem.com##+js(aopw, window.onload) + +! https://github.com/uBlockOrigin/uAssets/issues/26103 +lineupexperts.com##+js(rmnt, script, /account_ad_blocker|tmaAB/) + +! https://github.com/uBlockOrigin/uAssets/issues/26572 +javx.cc##+js(nowoif, _blank) +javx.cc##+js(aeld, DOMContentLoaded, window.open) +||javx.cc/terra.js^ + +! https://tab-maker.com/en/app +tab-maker.com##+js(no-fetch-if, googletagmanager, length:10) + +! https://github.com/easylist/listear/issues/37 +||arabs.alarbda.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/24914 +netflix.com##+js(json-prune, result.adverts) + +! https://www.reddit.com/r/uBlockOrigin/comments/1hk3x2p/123anime_misbehaving_while_using_ublock_origin/ +123animehub.cc##+js(rmnt, script, shown_at) + +! https://github.com/uBlockOrigin/uAssets/issues/26594 +worldpopulationreview.com###top_ad_container + div:style(padding-top: 4rem !important;) + +! https://gofirmware.com/ - popup +gofirmware.com##+js(aeld, click, window.open) +gofirmware.com##+js(nowoif, _blank) + +! https://wvt.free.nf - anti-adb + popup +wvt.free.nf##+js(noeval-if, /chp_?ad/) +wvt.free.nf##+js(nowoif) +wvt.free.nf##+js(acs, document.getElementById, window.open) +wvt.free.nf##.tracking-btn +||origincracknerves.com^ +||sweatypositive.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/26573 +||cdn.jwplayer.com/libraries/QSNV25sR.js^$script,domain=www.ratemyprofessors.com + +! https://github.com/uBlockOrigin/uAssets/issues/26599 +faceittracker.net##+js(no-fetch-if, fundingchoicesmessages) + +! https://github.com/uBlockOrigin/uAssets/issues/26602 +blog.tangwudi.com##+js(rmnt, script, ai_adb) + +! https://github.com/uBlockOrigin/uAssets/issues/26607 +||cdn.jsdelivr.net/gh/The-3Labs-Team/js-anti-adblock$script + +! https://www.hotgirlpix.com/ - anti-adb +hotgirlpix.com##+js(acs, document.addEventListener, Adblock) + +! https://github.com/AdguardTeam/AdguardFilters/issues/193952 +mt-soft.sakura.ne.jp##+js(trusted-set-attr, frameset[rows="95\,30\,*"], rows, 0\,30\,*) + +! https://blogx.almontsf.com/ anti adblock +blogx.almontsf.com##+js(acs, document.addEventListener, google_ad_client) +blogx.almontsf.com###adxbox +||almontsf.com/antiproxy.js + +! https://github.com/uBlockOrigin/uAssets/issues/26642 +fearmp4.ru##+js(rmnt, script, ads_block) + +! https://www.reddit.com/r/uBlockOrigin/comments/1ho2uce/fmovies_detects_adblock_prevents_interacting_with/ +fmovies0.cc##+js(nowoif) +fmovies0.cc##+js(nostif, offsetHeight) +fmovies0.cc##+js(no-fetch-if, /googlesyndication|googletagservices/) + +! https://github.com/uBlockOrigin/uAssets/issues/26669 +flatai.org##+js(aeld, DOMContentLoaded, adblock) + +! https://github.com/uBlockOrigin/uAssets/issues/26671 +windowsreport.com##+js(rmnt, script, wpadmngr.com) + +! Title: uBlock filters (2025) +! Last modified: %timestamp% +! Description: Filters optimized for uBlock, to be used along EasyList +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! New filters from January 2025 to -> +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! START: Rules from filters.txt + +! https://github.com/uBlockOrigin/uAssets/issues/2652 +! https://github.com/uBlockOrigin/uAssets/issues/2742 +! https://github.com/uBlockOrigin/uAssets/issues/14817 +filecrypt.*##+js(rmnt, script, '{delete window[') +filecrypt.*##+js(set, isAdblock, false) +! ||filecrypt.*^$popunder +@@||cutcaptcha.com/captcha/*$script,domain=filecrypt.cc|filecrypt.co +@@||filecrypt.co/captcha/captcha.php$image,1p +filecrypt.*##div:has(> [href*=".html"]) +filecrypt.*##+js(ra, onclick, button[id][onclick*=".html"]) +sharer.pw###overlay +filecrypt.co###jh34[onmousedown^="var lsj = this;loc.href="] +||filecrypt.co/*.php^$1p +||beakpee.com^ +||glocmaift.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/7836 +! https://github.com/uBlockOrigin/uAssets/issues/13508 +! https://github.com/uBlockOrigin/uAssets/issues/14372 +!sbs.com.au##+js(set, adBlockerDetected, undefined) +sbs.com.au##+js(m3u-prune, dclk_video_ads, .m3u8) +sbs.com.au##+js(no-xhr-if, /redirector\.googlevideo\.com\/videoplayback[\s\S]*?dclk_video_ads/) +sbs.com.au##+js(json-prune, ads breaks cuepoints times) +sbs.com.au##+js(rc, ad-controls, .bitmovinplayer-container.ad-controls) +||pubads.g.doubleclick.net/ondemand/hls/content/*/streams$xhr,redirect=noop.txt,domain=sbs.com.au +||redirector.googlevideo.com/*&source=dclk_video_ads&$redirect=noop.txt,domain=sbs.com.au,important,image,media,subdocument,stylesheet,script,xhr,other +@@||pubads.g.doubleclick.net/ondemand/hls/content/*/vid/*/streams$domain=sbs.com.au +@@||pubads.g.doubleclick.net/ssai/event/$xhr,domain=sbs.com.au +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=sbs.com.au +sbs.com.au##^script:has-text(NREUM) +@@||sbs.com.au^$ghide +@@/ad/banner/_adsense_/_adserver/_adview_.ad.json$1p +@@||sbs.com.au/ondemand/ad/peel1.js$script,domain=sbs.com.au +*$script,3p,redirect-rule=noopjs,domain=sbs.com.au +! https://github.com/uBlockOrigin/uAssets/issues/22753 +@@||sbs.com.au^$xhr,1p +@@||dpm.demdex.net^$xhr,domain=sbs.com.au +! https://github.com/uBlockOrigin/uAssets/issues/24045 +sbs.com.au##+js(aopr, odabd) +! https://www.reddit.com/r/uBlockOrigin/comments/1h4f5hp/sbs_on_demand_detects_ubo/ +sbs.com.au##+js(trusted-prevent-xhr, pagead2.googlesyndication.com/pagead/js/adsbygoogle.js?ord=, b.google_reactive_tag_first) +sbs.com.au##+js(trusted-prevent-xhr, sbs.demdex.net/dest5.html?d_nsid=0&ord=, Demdex.canSetThirdPartyCookies) +sbs.com.au##+js(trusted-prevent-xhr, securepubads.g.doubleclick.net/pagead/ima_ppub_config?ippd=https%3A%2F%2Fwww.sbs.com.au%2Fondemand%2F&ord=, ["4117"]) +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js?ord=$xhr,domain=sbs.com.au +@@||sbs.demdex.net/dest5.html?d_nsid=0&ord=$xhr,domain=sbs.com.au + +! https://github.com/uBlockOrigin/uAssets/issues/19534 +! https://github.com/uBlockOrigin/uAssets/issues/26856 +@@||appnee.com^$ghide +appnee.com##ins.adsbygoogle +appnee.com###babasbmsgx +appnee.com##[href^="https://appnee.com/advertising/"] > [src^="https://img.appnee.com/other/"][alt="Ads Place"] +appnee.com##+js(noeval-if, /chp_?ad/) +||filletfiguredconstrain.com^ + +! END: Rules from filters.txt + +! START: Regional lists + +! <<<<< ABPVN >>>>> +! https://github.com/uBlockOrigin/uAssets/issues/26860 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=vtvgo.vn + +! END: Regional lists + +! https://github.com/uBlockOrigin/uAssets/issues/26682 +opentunnel.net##+js(no-xhr-if, ad.plus) +@@||ad.plus/cdn-cgi/trace|$xhr,method=head,domain=opentunnel.net + +! video.genyt.net - Popup +video.genyt.net##+js(nowoif) + +! sussytoons detection +sussytoons.site##+js(no-fetch-if, doubleclick) + +! https://github.com/uBlockOrigin/uAssets/issues/26702 +@@||fiches-auto.fr^$script,1p + +! https://forums.lanik.us/viewtopic.php?t=48637-bitchute-com +! https://github.com/uBlockOrigin/uAssets/issues/26855 +||b-cdn.net/*.mp4$media,domain=bitchute.com,redirect=noopmp3-0.1s +! bitchute.com##.q-dialog__inner +! bitchute.com##.q-dialog__backdrop +bitchute.com##body:style(overflow: auto !important) +bitchute.com###advertisement-banner +bitchute.com##.fit.no-shadow.q-card--flat.q-card:has(iframe[id="spoSide"]) + +! https://anonymfile.com/KVlEn/newscon.7z - Timer +anonymfile.com,gofile.to##+js(set, countDown, 0) + +! https://virtualdinerbot.com/ - anti-adb +virtualdinerbot.com##+js(set, nitroAds.abp, true) + +! siamblockchain. com detection +siamblockchain.com##+js(rmnt, script, var Data) +siamblockchain.com##.ai-viewport-1 + +! dotycat.com anti adblock +dotycat.com##+js(set, runCheck, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/26714 +arcaxbydz.id##+js(set, detectAdBlock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/26718 +rateyourmusic.com##+js(set, adsSlotRenderEndSeen, true) + +! https://www.reddit.com/r/uBlockOrigin/comments/1htoydl/a_youtube_to_mp3_site_that_is_detecting_ad_block/ +ytapi.cc##+js(no-fetch-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/195589 +streamingnow.mov##+js(rmnt, script, popundersPerIP) +streamingnow.mov##+js(rmnt, script, adserverDomain) +vidbinge.com##+js(rmnt, script, HTMLAllCollection) +*$script,3p,denyallow=gstatic.com,domain=vidbinge.com + +! https://github.com/uBlockOrigin/uAssets/issues/26738 +thesciencetoday.com##+js(rmnt, script, =="]) + +! popups https://github.com/uBlockOrigin/uAssets/issues/26737 +sumax43.autos##+js(trusted-set-cookie, lastClicked, 9999999999999) + +! https://github.com/uBlockOrigin/uAssets/issues/26746 +###TapatalkFooterDesktopAds +slashgear.com##.before-ad +express.co.uk###web-strip-banner + +! https://github.com/uBlockOrigin/uAssets/issues/26752 +unlimitedfiles.xyz##+js(nowoif) +||tronkwintun.com^ +||conceivesaucerfalcon.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/26753 +||blearspellaea.shop^ +||condemnfundraiserjune.com^ +||frankerreedits.com^ +||pingergauss.com^ +||questioningcomplimentarypotato.com^ +||uncotorture.com^ + +! https://publicrecords.netronline.com/state/CA/county/fresno anti-adblock +||publicrecords.netronline.com/js/checkuser.js$script,1p + +! https://moviediskhd.cloud/ - anti-adb +moviediskhd.cloud##+js(acs, document.createElement, warning) + +! https://androidadult.com/latest-games/ - anti-adb (NSFW) +androidadult.com##+js(rmnt, script, ads-blocked) + +! https://www.reddit.com/r/uBlockOrigin/comments/1hvk9jx/captcha_not_working/ +hentaihere.com##+js(rmnt, script, /shown_at|WebAssembly/) + +! https://remotescout24.com/en/jobs/search?page=1&city=Berlin anti adblock +||remotescout24.com/static/plugins/publicSpace/detect-adblocker/ + +! onlyjerk .net (NSFW) - ads +*$script,3p,domain=onlyjerk.net +||partners-show.com^ +||hotbgapare.com^ + +! thotchicks .com (NSFW) - popups +thotchicks.com##+js(nowoif) +||difficultyanthonymode.com^ + +! https://www.reddit.com/r/uBlockOrigin/comments/1hwiwmr/cant_block_the_antiadblocker_for_this_site/ +rooter.gg##+js(trusted-set, __NEXT_DATA__.props.pageProps.broadcastData.remainingWatchDuration, json:9999999999) +rooter.gg##+js(trusted-replace-fetch-response, /"remainingWatchDuration":\d+/, "remainingWatchDuration":9999999999, /stream) +rooter.gg##+js(trusted-replace-fetch-response, '/"midTierRemainingAdWatchCount":\d+,"showAds":(false|true)/', '"midTierRemainingAdWatchCount":0,"showAds":false', /stream) + +! animeflix.ltd popups +animeflix.ltd##+js(nowoif) + +! https://community.brave.com/t/how-do-i-block-pop-ups-and-redirects/588486 +loader.fo##+js(ra, onclick, button[onclick^="window.open"], stay) +loader.fo##+js(ra, onclick, a[href][onclick^="openit"], stay) + +! https://github.com/uBlockOrigin/uAssets/issues/26786 +comdotgame.com##+js(acs, $, cdgPops) +comdotgame.com##+js(trusted-set, document.referrer, json:"1") +comdotgame.com##div[style]:has(> a[href^="https://tm-offers.gamingadult.com/"]) +comdotgame.com##[src^="https://a.adtng.com/"] +||comdotgame.com/static/ads/istripper/ + +! https://forums.lanik.us/viewtopic.php?t=48639-nsfw-premiumporn-org +premiumporn.org##+js(rmnt, script, window.open) + +! https://github.com/uBlockOrigin/uAssets/issues/26790 +@@||securepubads.g.doubleclick.net/pagead/ppub_config^$xhr,redirect-rule,domain=kumparan.com + +! https://hunterscomics.com/series/fazenda-apocaliptica/capitulo-2/ - anti-adb + ads +hunterscomics.com##+js(rmnt, script, '{delete window[') +hunterscomics.com##+js(no-fetch-if, /googlesyndication|doubleclick/, length:10, {"type": "cors"}) +hunterscomics.com##+js(no-xhr-if, pubfuture, length:10) +/^https:\/\/hunterscomics\.com\/wp-content\/themes(\/[a-f]{6}){2}\.js\?ver=/$script,1p,domain=hunterscomics.com + +! https://bigwarp.io/co01erpwrn1h - ads +||bigwarp.io/images/close.png$image +bigwarp.io###blk1:style(display: none !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/26815 +||visiblyhiemal.shop^ + +! detection https://kshow123.tv/show/running-man/episode-736.html +! https://github.com/uBlockOrigin/uAssets/issues/26907 +ghbrisk.com,iplayerhls.com##+js(rmnt, script, #adbd) +||ghbrisk.com/assets/jquery/style100.js +||abattuehagbuts.com^ + +! https://www.reporterpb.com.br/ deblocker +reporterpb.com.br##+js(set, showModal, noopFunc) + +! detection bacasitus.com,katoikos.world +bacasitus.com,katoikos.world##+js(rmnt, script, AdBl) + +! purplex. app popups +purplex.app##+js(aeld, mouseup, open) +||purplex.app/js/gqad.js$script + +! omeuemprego.online detection +omeuemprego.online##+js(rmnt, script, adsbygoogle) + +! flixsix. com antiadb +flixsix.com##+js(aeld, load, nextFunction) + +! https://github.com/uBlockOrigin/uAssets/issues/26844 +incgrepacks.com##+js(acs, document.querySelectorAll, popMagic) +incgrepacks.com##[href^="https://candy.ai"] +incgrepacks.com##.incgr-before-content_2 + +! jattfilms. cfd ad redirect +jattfilms.cfd###clickfakeplayer[href]:remove-attr(href) + +! https://www.reddit.com/r/uBlockOrigin/comments/1i23n0u/cant_figure_out_how_to_bypass_adblock_detection/ +@@||earnvids.com/ad?type=$script + +! https://www.reddit.com/r/uBlockOrigin/comments/1i2arg8/detected_on_bypasslink/ +bypass.link##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/26848 +tmail.sys64738.at##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/26867 +answers.com##.aunit +complex.com##.base__header-ad + +! fap .bar (NSFW) - popunder +fap.bar##+js(set-cookie, popunder, 1) +||fap.bar/p.js + +! tiktok18 .porn (NSFW) - ads, popunder +||tiktok18.porn/livewire/update + +! https://www.laser-pics.com/ - anti-adb, download timer +laser-pics.com##+js(no-fetch-if, googlesyndication) +laser-pics.com##a[id^="download-btn"]:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/26889 +indianporngirl10.com##+js(rpnt, script, preroll_timer_current == 0 && preroll_player_called == false, true) +indianporngirl10.com###preroll_placeholder +||creative.nangilive.com^ + +! https://rkd3.dev/post/ad-blocker-detector/ anti-adb +rkd3.dev##+js(no-fetch-if, adsbygoogle) +rkd3.dev##+js(set, navigator.brave, undefined) + +! https://github.com/AdguardTeam/AdguardFilters/issues/196673 +uptime4.com##+js(no-xhr-if, adsbygoogle) + +! https://github.com/AdguardTeam/AdguardFilters/issues/196674 +nikke.win##+js(no-fetch-if, /doubleclick|google-analytics/) + +! https://www.reddit.com/r/uBlockOrigin/comments/1i5th37/adblock_detected/ +interfans.org##+js(aeld, DOMContentLoaded, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/26905 +||immoweb.be/*/dpg/advertisements^ +immoweb.be##[id^="adims_"] + +! animez.org popups +animez.org##+js(nowoif) + +! https://abstream.to/7u23aksi148u antiadb +abstream.to##+js(rmnt, script, /adblock/i) + +! https://github.com/uBlockOrigin/uAssets/issues/26913 +@@||aktuality.sk^$ghide + +! earn.punjabworks.com detection +earn.punjabworks.com##+js(rmnt, script, /adbl/i) + +! boobsradar .com (NSFW) - ads +boobsradar.com##+js(set, flashvars.mlogo_link, '') +boobsradar.com##+js(set, flashvars.mlogo, '') +boobsradar.com##+js(set, flashvars.logo_text, '') + +! https://swdw.net/index.php - anti-adb +swdw.net##+js(no-xhr-if, adsbygoogle) + +! detection neverdims. com +neverdims.com##+js(aeld, load, htmls) + +! https://github.com/AdguardTeam/AdguardFilters/issues/196887 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=upn.one,redirect=google-ima.js +javboys.upn.one##body > iframe[style*=" position: absolute;"][style*="overflow: hidden;"]:not([src]) + +! https://www.reddit.com/r/uBlockOrigin/comments/1i83y7t/a_certain_website_detected_that_im_using_an/ +fsicomics.com##+js(no-fetch-if, googlesyndication) + +! Title: uBlock₀ filters – Badware risks +! Last modified: %timestamp% +! Expires: 5 days +! Description: For sites documented to put users at risk of installing adware/crapware/malware, having login credentials stolen, etc. +! The purpose is to at least ensure a user is warned of the risks ahead. +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! Homepage: https://github.com/uBlockOrigin/uAssets +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls +! +! Each entry has to be well enough sourced, see the comments above each entry for sources + +! Using request of type `document` will cause the whole site to be blocked through +! strict blocking, yet the site will render properly if a user still decides to +! go ahead. + +! 2014-10-22: https://assiste.com/01Net.html +! 2013-03-25: https://www.malekal.com/pctutotuto4pc-association-avec-01net/ +! 2012-10-31: https://www.journaldunet.com/solutions/dsi/des-malwares-sur-telecharger-com-01net-1012.shtml +! 2012-10-30: https://www.lesnumeriques.com/appli-logiciel/telecharger-depuis-01net-nuit-gravement-a-sante-pc-n26763.html +! 2012-06-17: https://www.malekal.com/01net-pc-optimizer-pour-ne-pas-optimiser-son-pc/ +! 2012-02-17: http://neosting.net/logiciels/01net-et-softonic-ajoutent-aussi-un-installeur-publicitaire.html (Dead page) +||01net.com/telecharger/$doc + +! 2015-03-11: https://blog.emsisoft.com/en/12678/mind-the-pup-top-download-portals-to-avoid/ +! 2015-01-21: https://www.howtogeek.com/207692/yes-every-freeware-download-site-is-serving-crapware-heres-the-proof/ +! 2015-01-11: https://www.howtogeek.com/198622/heres-what-happens-when-you-install-the-top-10-download.com-apps/ +! 2012-06-27: https://insecure.org/news/download-com-fiasco.html +! 2011-12-05: https://seclists.org/nmap-announce/2011/5 +! 2011-08-22: https://www.extremetech.com/computing/93504-download-com-wraps-downloads-in-bloatware-lies-about-motivations +! https://github.com/uBlockOrigin/uAssets/issues/926 +! ||download.cnet.com^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/79 +||flexytalk.net^ +||quickdomainfwd.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/1547 +||vlc.de^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/1738 +||audacity.de^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/1853 +||havenworks.com^$doc + +! https://github.com/gorhill/uBlock/wiki/Badware-risks#ublockorg +! ||ublock.org^$doc +~support.ublock.org,ublock.org##main::before:style(content: 'uBlock is unrelated to the well-known uBlock Origin.' !important; font-size: 32px !important; color: red !important; font-weight: bold !important;) +support.ublock.org##div.hero-unit > div.search-box--hero-unit::before:style(content: 'uBlock is unrelated to the well-known uBlock Origin.' !important; font-size: var(--font-size-h2) !important; color: red !important; font-weight: bold !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/3060 +! https://www.bleepingcomputer.com/news/security/fake-websites-for-keepass-7zip-audacity-others-found-pushing-adware/ +! https://www.virustotal.com/#/file/a5616985e92ca7c1df3b132d2da2ef33c64f38ba2dca40445017037473d7d014/detection +! https://twitter.com/certbund/status/1127864403276091393 +! https://github.com/uBlockOrigin/uAssets/issues/17880 +||7zip.es^$doc +||7zip.fr^$doc +||7zip.it^$doc +||adblock.fr^$doc +||aresgalaxy.es^$doc +||audacity.es^$doc +||audacity.fr^$doc +||audacity.it^$doc +||audacity.pl^$doc +||azureus.es^$doc +||bittorrent.es^$doc +||bleachbit.com^$doc +||blender3d.es^$doc +||blender3d.fr^$doc +||bluestacksdownloads.com^$doc +||calibre.it^$doc +||celestia.es^$doc +||celestia.fr^$doc +||clonezilla.es^$doc +||clonezilla.fr^$doc +||clonezilla.it^$doc +||cyberduck.de^$doc +||cyberduck.es^$doc +||cyberduck.fr^$doc +||cyberduck.it^$doc +||filezilla.es^$doc +||filezilla.fr^$doc +||filezilla.it^$doc +||filezilla.net^$doc +||filezilla.pl^$doc +||freefilesync.com^$doc +||freerapid.fr^$doc +||garagebandforpc.org^$doc +||gimp.es^$doc +||gparted.fr^$doc +||gparted.it^$doc +||greenshot.fr^$doc +||greenshot.org^$doc +||handbrake.es^$doc +||handbrake.it^$doc +||inkscape.es^$doc +||inkscape.fr^$doc +||inkscape.it^$doc +||izarc.fr^$doc +||jdownloader.fr^$doc +||keepass.com^$doc +||keepass.de^$doc +||keepass.es^$doc +||keepass.fr^$doc +||keepass.it^$doc +||keepassxc.com^$doc +||notepad2.com^$doc +||office.org^$doc +||open-office.fr^$doc +||openoffice.de^$doc +||paintnet.es^$doc +||paintnet.fr^$doc +||paintnet.it^$doc +||pdfsam.com^$doc +||peazip.com^$doc +||qbittorrent.com^$doc +||scribus.fr^$doc +||scribus.it^$doc +||senuti.org^$doc +||smplayer.org^$doc +||stellarium.es^$doc +||stellarium.fr^$doc +||truecrypt.fr^$doc +||truecrypt.it^$doc +||truecrypt.pl^$doc +||unetbootin.net^$doc +||unetbootin.org^$doc +||utorrent.it^$doc +||virtualbox.es^$doc +||virtualbox.pl^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/3730 +! https://blog.sucuri.net/2018/10/malicious-redirects-from-newsharecounts-com-tweet-counter.html +||newsharecounts.s3-us-west-2.amazonaws.com/nsc.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/4201#issuecomment-458340273 +||hentaiplaytime.com^$doc + +! foxload.com badware +||foxload.com^$doc + +! aksia.co badware +! Ref: https://www.bleepingcomputer.com/news/security/phisher-announces-more-attacks-against-hedge-funds-and-financial-firms/ +||aksia.co^$doc + +! ReImagePlus links +! https://github.com/uBlockOrigin/uAssets/issues/5136 +! Ref: https://forums.malwarebytes.com/topic/194200-removal-instructions-for-reimage-repair/ +! https://windowsreport.com/extend-windows-laptop-battery-life/ +windowsreport.com##.code-block +! https://appuals.com/fix-error-0x800701e3-on-windows-7-8-1-10/ +appuals.com##.appua-reimage-top +appuals.com##.info.box +! https://ugetfix.com/ask/how-to-fix-windows-store-error-0x8000ffff/ +pcseguro.es,sauguspc.lt,sichernpc.de,ugetfix.com,wyleczpc.pl##.download_button_info_texts +pcseguro.es,sauguspc.lt,sichernpc.de,ugetfix.com,wyleczpc.pl##.js-download_button_additional_links +pcseguro.es,sauguspc.lt,sichernpc.de,ugetfix.com,wyleczpc.pl##.primary_download +pcseguro.es,sauguspc.lt,sichernpc.de,ugetfix.com,wyleczpc.pl##.sidebar_download_inner +pcseguro.es,sauguspc.lt,sichernpc.de,ugetfix.com,wyleczpc.pl##div.attention-button-box-green +! https://www.thewindowsclub.com/fix-windows-update-error-0xc1900130-on-windows-10 +thewindowsclub.com##.entry-content > div > strong:has-text(find & fix Windows error) +! https://www.majorgeeks.com/files/details/patch_my_pc.html +majorgeeks.com##b:has(a[target^="reimage"]) +||majorgeeks.com/images/icons/red_icon_18x17px.png$image +! https://www.2-spyware.com/remove-redirector-gvt1-com.html +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.attention-button-wrap:has-text(Reimage) +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.ui-content > .win +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.sidebar_download_inner > :not(.voting-box):not(.colorbg-grey) +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##th:has-text(/^Detection$/) +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##th:has-text(/^Detection$/) + td +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.js-download_button_offer +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.primary_download +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.automatic_removal_list +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.quick-download-button-placeholder +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.nfc-bottom-right:has-text(Reimage) +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##a:has-text(Reimage) +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.quick-download-button-text +! https://windowsloop.com/network-adapters-shortcut/ +||reimageplus.com^$doc + +! Lapsed domains that once hosted adblock lists, several of whom are now used for bad purposes +! https://github.com/uBlockOrigin/uAssets/issues/5307 +||gjtech.net^$doc + +! Badware +||kuhoot.it^$doc + +! Fake cloudflare screen +! https://github.com/uBlockOrigin/uAssets/issues/5305#issuecomment-484754393 +! https://github.com/uBlockOrigin/uAssets/issues/5489#issuecomment-488207423 +||gmboxx.com^ +||mr.media-bucket.com^ + +! https://github.com/NanoMeow/QuickReports/issues/965#issuecomment-485274387 +||pl.allsports4free.club^ +||pl.allsports4u.club^ + +! https://github.com/uBlockOrigin/uAssets/issues/5409 +||discount.s3blog.org^ +||s3blog.org^$3p +||dataprovider.biz^ + +! https://github.com/uBlockOrigin/uAssets/issues/5442 +||tplinkextender.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/4862#issuecomment-486941006 +||upload4earn.org^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/5805 +||newsfile.club^$doc + +! https://forums.lanik.us/viewtopic.php?f=62&p=149407#p149406 +||buzzadnetwork.com^$all + +! https://arstechnica.com/information-technology/2019/08/google-play-app-with-100-million-downloads-executed-secret-payloads/ +||abcdserver.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/6381 +||americanoverlook.com^ +||embols.com^ +||endingthefed.com^ +||goneleft.com^ +||nephef.com^ +||newsbreakshere.com^ +||rilenews.com^ +||thecontroversialfiles.net^ +||voxtribune.com^ + +! https://blog.sucuri.net/2018/08/massive-wordpress-redirect-campaign-targets-vulnerable-tagdiv-themes-and-ultimate-member-plugins.html +||checkisreal.com^ +||mysecurify.com^ + +! https://www.wordfence.com/blog/2019/08/malicious-wordpress-redirect-campaign-attacking-several-plugins/ +||developsincelock.com^ +||gabriellalovecats.com^ +||jackielovedogs.com^ +||tomorrowwillbehotmaybe.com^ +||wiilberedmodels.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/6452 +||apple.com-*.live^ + +! redirects +||nextyourcontent.com^$all +||doctopdftech.com^$all +||best2019-games-web4.com^$all +||searchdimension.com^$all +||beqbox.com^ +||bblck.me^$all +||glinks.co^$all +/?track=*&key=$all +||getsecuritysuite.com^$all + +! SpyHunter links +! Ref: https://blog.malwarebytes.com/detections/pup-optional-spyhunter/ +! https://howtoremove.guide/redirector-gvt1-com-virus-malware-chrome-removal/ +howtoremove.guide##div[style^="border:2px"] +howtoremove.guide##.entry-content > div:has-text(Special Offer) +! https://howtoremove.guide/redirector-gvt1-com-virus-malware-chrome-removal/ (German version only) +howtoremove.guide###solution_v2_de +howtoremove.guide###alt_content_main_div > p:has-text(SpyHunter) +howtoremove.guide###gray_de +! https://www.2-spyware.com/remove-redirector-gvt1-com.html +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##.automatic_removal_list_w > .ar_block_description +2-spyware.com,novirus.uk,faravirus.ro,uirusu.jp,virusi.hr,wubingdu.cn,avirus.hu,ioys.gr,odstranitvirus.cz,tanpavirus.web.id,utanvirus.se,virukset.fi,losvirus.es,virusler.info.tr,semvirus.pt,lesvirus.fr,senzavirus.it,dieviren.de,viruset.no,usunwirusa.pl,zondervirus.nl,bedynet.ru,virusai.lt,virusi.bg,viirused.ee,udenvirus.dk##a:has-text(SpyHunter) + +! https://github.com/uBlockOrigin/uAssets/pull/6757 +||tncrun.net^$all + +! https://github.com/NanoMeow/QuickReports/issues/2772 +||d3125zvx5yi5sj.cloudfront.net^$all + +! thepiratebay3 .com bad +thepiratebay3.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/6544#issuecomment-586763083 +||procdnvids.net^ + +! https://github.com/NanoMeow/QuickReports/issues/2577 +! https://www.reddit.com/r/uBlockOrigin/comments/12nrzng/ +||mybestclick.net^$3p + +! https://github.com/NanoMeow/QuickReports/issues/3205 +||verified-extensions.com^ + +! https://github.com/NanoMeow/QuickReports/issues/3299 +! https://github.com/NanoMeow/QuickReports/issues/3300 +||smsiak.pl^$doc +||smsy24.pl^$doc + +! redirecting domains / fraud +||video-adblock.com^$all +||vid-adblocker.com^$all +||multiadblock.com^$all +||popsads.link^$all +||adverdirect.com^$all +||bestwinexperience.com^$all +||traffic-go.com^$all +||streamssitesearch.com^$all +||trackertrak.com^$all +||bingstyle.com^$all +||redirekted.com^$all +||blockskipad.com^$all +||adpopblocker.com^$all +||trafficjunction.com^$all +||arclk.net^$all +||btnativenav.com^$all +||1111sale.us^$all +||n06.biz^$all +||um-bredirect.com^$all +||glbltraffic.com^$all +||inspirationhistorical.com^$all +||maroohost.online^$all +||amigosdetuciudad.com^$all +||bb-delivery.icu^$all +||praterage-colled.com^$all +||pwrtds.com^$all +||trackbyfast.com^$all +||trfrc.com^$all +||1ts11.top^$all +||dating.hdxvideos.ru^$all +||elevisions.biz^$all +||harzfriends.de^$all +||moviesboys.com/*.shtml$doc +||sex-is-here.com/*.shtml$doc +||sexall.net/*.shtml$doc +||urtyert.com^$all +||hsrvu.com^$all +||adtr1.com^$all +||axdsz.pro^$all +||datingapp.live^$all +.com/c/*?s1=$doc,to=com +.net/c/*?s1=$doc,to=net +/tds/ae?tds_campaign=$doc +||adating.link^$all +||benaughty.com^$all +||bnewsblite.me^$all +||ckre.net^$all +||gotohouse2.cc^$all +||letmessagenow.com^$all +||x-soft.club^$all +||apilond.com^$all +||tracklyfast.com^$all +||pupok.link^$all +||ntvpevnts.com^$all +||aditserve.com^$all +/bdv_rd.dbm?ownid=$doc +?bid=0.*&search_referrer_domain=$doc +||fecebook.com^$all +/apop/redirect/zone/*$doc,popup +/?pl=*&sm=$doc +||fortuneadvert.com^$all +||lalielynaualish.com^$all +||casino-ice.fun^$all +.com/go/*?clickid=$doc + +! hacked and abused for redirect +tech4yougadgets.com##^meta[http-equiv="refresh"] +tech4yougadgets.com##^script[src^="data:text/javascript;base64,"] +tech4yougadgets.com##+js(aopr, Notification) +||clicks.affstrack.com^ +||weledying-jessed.com^$all +?zoneid=*&cost=0.$doc +/zcredirect?visitid=*&iframeDetected=false|$doc +*/zcvisitor/*?campaignid$doc +||tweitter.com^$all +||mqdownload.com^$all +/pop-click?sid=*&data=$doc +/click?a=*&aff_click_id=$doc +||trwl1.com^$all +||pushmeup.art^$all +||adserver*/?sdomain=$doc,popup +/click.php?data=$doc +&adspot_id=*&cost=0.$doc +||s4f.net^$all +||onlyfreetoonporn.com^$all +||cleardexchange.com^$all +||lone1y.com^$all +||tr1net.com^$all +||cpttrcklnk.com^$all +||neighborhoodsluts.com^$all +.xyz/video.php?=*&dating_xyz_0&&0$frame +/click?pid=*&sub1=$doc +! fraud => https://forums.lanik.us/viewtopic.php?f=90&t=45586 +||411medias.com^$all +||special-update.online^$all +||internetspeedtracker.com^$all +||system-update-new-2021.com^$all +||download-app.net^$all +||pu4.biz^$all +||privatesinglesmeet.com^$all +||readytosinglesmeet.com^$all +||cleanphonefast.com^$all +||reimageplusminus.me^$all +||luckywinner-web1.com^$all +||theshoparound.com^$all +||onlineplus.click^$all +||trafempire.com^$all +||iamnaughty.com^$all +||iwantu.com^$all +||myhotdates.com^$all +||onenightfriend.com^$doc +||buddygays.com^$all +||localsnapsext.com^$all +||heartmedia.biz^$all +.php?key=*cost=$doc,popup +||totaltopposts.com^$all +||djin.site^$all +||antivirus.landerhd.com^$all +/?clck=*&sid=$doc +||love7date.info^$all +||bestsecretflirt.com^$all +||toplov.com^$all +||gegenhartz.de^$all +||marootrack.co^$all +&dci=*&tds_campaign=$doc +||revpu.sh^$all +/smartlink/?a=$doc +||date.sexpartnercommunity.com/landing/*$doc +/ll/click.php?key=$doc +/?ip=*&uclickhash=$doc +||cheaterboss.com^$all +||cumshots.com^$all +||real-women-online.com^$all +/?camp=*&cost=0.$doc +||monglitch.monster^$all +||d13nu0oomnx5ti.cloudfront.net^ +||getmackeepersoftpro.xyz^$all +||familysimulator.$all +||adblockfast.com^$all +||bookofsex.com^$all +||mydirtytinders.com^$all +||fuckmore.com^$all +||greengoplatform.com^$all +||transportgoline.com^$all +||onlyfreelesbianporn.com^$all +||family-simulators.com^$all +||your-dates-tonight.com^$all +||familysimulatorgame.com^$all +||trackingboost.com^$all +||update-protection.com^$all +||asiaxdate.com^$all +||hotsimulator.com^$all +/aff.php?*&data2=$doc +/tds/ae?*&clickid=$doc +/?clickid=*&ptracker=$doc +||vehicle-insurance-quote.com^$all +^lpkey=*&uclickhash=$doc +||d135aysof2oufc.cloudfront.net^$all +/?banner=*&phone=$doc +||advidates.com^$all +||dvjqvdfujjvvkuyvhjqdvbjcmioljbhjmijq.s3.ap-northeast-1.amazonaws.com^$all +/?clickid=*&cost=0.$doc +/index.php?key=*&t1=$doc +/click?key=*&t1=$doc +||cmprotraf.club^$all +||prelandappslab.com^$all +/registration?theme=*&a_aid=$doc +.top/prize/*.php?c=$doc +||di02.biz^$all +||adultonlineplay.com^$all +||fastandslut.com^$all +&click_price=0.*&click_id=$doc +?brand=*&model=*&lptoken=$doc +?brand=*&fingerprint_=$doc +||familialsimulation.com^$all +/\/(?:[0-9a-z]{7,25}-){9,13}[0-9a-z]{10,15}\/(?:[0-9a-z]+\/)+index\.php/$doc +||imilroshoors.com^$all +||trackhere.pl^$all +||datingformeeting.com^$all +/_dating\d\/index\.html\?aref=/$doc +||familysimulators.$all +^apb=*&ata=mobilemdots^$doc +||uoutube.com^$all +! kkomj.ofchildr.buzz +||celxkpdir.com^$all +^cep=*&zoneid=$doc +^cep=*&s1=$doc +.top/robot4*&a=$doc,to=top +||androidnotice.com^$all +||wholenicefeed.com^$all +^s=*&ssk=*&svar=*&z=$doc +/?cid=*&dom=$doc +||totalrecaptcha.top^$all +/?type=*&button=2&clickid=$doc +||valrogrowth.com^$all +^device_model=*&p1=https$doc +||5.61.55.143^ +.biz/sw/w1s.js|$script,3p +/click.php?key=*&cpc=0&$doc +||37.1.213.100^ +/?p=*&sub1=$doc +.xyz/ddos/1tn.html?clickid=$doc +://e.*.top/video/?c=$doc +/?srv_id=*#$doc +||love88.club^$all +.html?cep=*&cost=0.$doc +||familysexsimulators.io^$all +||23.109.87.170^ +.live/1*.html?cep=$doc +||edfringe.com/*.php$all +||grakorte.com^$all +/click.php?key=*&zone_id=$doc +/domredirect?visitid=$doc +||smart-redirecting.com^ +?adTagId=*&extclickid=$doc +/antibot*/ab.php$xhr,1p +||androiddetection.com^$all +||elooksjustli.one^ +||keepsclean.com^$all +||magictrack1.com^ +||my-cleaner.info^$all +||news-zolehe.com^$all +||ready-for-download.com^ +||rcuacroossonec.com.ua^ +||taitlastwebegan.com^$all +||thbstvd.com^ +||vpn-connection-security.com^$all +||yourpcnotification.com^$all +/SRC/SRC.php?c=$doc +&tb=redirect&allb=redirect&ob=redirect&href=$doc +||go2click.online^$all +||datingmeetnet.com^$all +||bndl-trp.com^$all +||clean-2-clean.club^$all +||top-official-app.com^$all +||pornonenight.com^$all +||youfindadate.top^$all +?z=*&ymid=$doc +?z=*&cnv_id=*&sourceid=*&t1=$doc +||xypthe.com^ +||besluor.com^ +/jr.php?gz=$doc +/g?visitorid=*&extra_data2=|$doc +.com/play-2?h=*=eyJ&si1=$doc +/\.com\/proc\.php\?[0-9a-f]{40}$/$doc +||postyourlife.com^$all +||rplnd60.com^$all +||iwinprize.xyz^$all +||shosril.com^ +||meetamate.site^ +||dm09.biz^$all +/click.php?key=*&dj_placement=$doc +&srv_id=terra#$doc +||ultimate-clean.club^$all +||pcconelove.xyz^$all +||video.redwap.cam^$all +||cractica.xyz^$doc +||beyourxfriend.com^$all +||bybygnom.com^$all +||paderrer.com^$all +||best-site-online.com^ +/jump/next.php?r=$doc +||softronline.click^ +/?clickid=*&t2=.$doc +||skipalos.xyz^$all +||makenoads.com^$all +||dateclique.life^ +||family-simulators.io^$doc +||familyfornicate.com^$doc +||speedtestnow.site^$all +||lovedatee.net^$all +/dating_lp?keyword=$doc +/bonus/*.php?c=$doc,to=space|top +||club-gagnant.online^$all +/common-player-arrow/index.html?var=*&zoneid=$doc +/common-player/index.html?var=*&zoneid=$doc +/not-a-robot/index.html?$doc +||amazonaws.com/www.yournewlocalflingfinder7.com/$all +||dirtyfree.games^$all +||familycheaters.net^$all +||register.blissfulltimes.com^$doc +.com/pl?o=$doc +||geheimerseitensprung.com^$all +||matches4you.info^$all +||reifenachbarn.com^$all +/zclkredirect?visitid=$doc +||naughtymets.com^$all +||linkprotecttrck.com^$all +||www3secure.com^$all +||midnighthookup.today^$all +||padsthai.com^$all +||dirtyflirt9.com^$all +||bestvideo.cloud^$all +||bmtracks.com^$all +||bustymeets.com^$all +||aht42trk.com^$all +||jasnathvibes.com^$all +||lewdmilfh22y.com^$all +/mc-test/*/index.php?cid=$doc +||attractivecutiewcx.com^$all +||skollett.site^$all +||click-allow.top^ +||spiendidates.com^$all +||alone-here.online^$all +||meetsworldsm.link^$all +||newonlinedates.com^$all +||tusser.site^$all +/?l=*&ymid=$doc +.com/r2.php?e=$doc +/video_app/adult/*/index.html?*p1=$doc +||apphasten.com^$all +||shinqueen.com^$all +/downloadapp/*/index.html?*p1=$doc +.com/afu.php?zoneid=$doc +||altairaquilae.com^$doc +||himasearch.shop^$doc +||reddriko.site^$all +||mikkerst.com^$all +||trripwire.com^$all +/dating/adult/*/index.html?*p1=$doc +/video-app-default/adult/*/index.html?*p1=$doc +||meet-flirts.com^$all +||mltrck.com^$all +||meetshorny.link^$all +||trckoja.com^$all +||trckams.com^$all +||pecuniatrck.com^$all +||smart-tds.com^$all +||nicking-unding.com^$all +||164.132.74.156^$all +||icetraff.com^$all +||girlsml.com^$all +||pussycat1.online^$all +||hornydateclub.link^$all +||guardlnkcaptcha.com^$all +/gambling/main/default/*/index.html?*p1=$doc +/?p=*5gi3bp*$doc,to=biz|com +||landings.namapper.com^ +||hornysmart.link^$all +||bd4jn7dk9u.com^$all +||throb.fun^$all +||throww.fun^$all +||dattter.shop^$all +||imp2.com^$all +||love-places.ru^$all +/click.php?key=*&price=$doc +?click_id=*&tds_cid=$doc +.com/lp*.html?zoneid=$doc +/vpn/adult/*/index.html?*p1=$doc +||dunabear.com^$all +||mialifestyle.com^$all +||miafann.online^$all +||dating365.link^$all +||trckhoul.com^$all +/utility/adult/*/index.html?*p1=$doc +/1/index.html?c=$doc +/2/index.html?c=$doc +||1win-17545.com^ +||onlysexygirl.com^$all +||binomasia.com^$all +/protectme_new1/index.html?$doc +||nyeeiye2.click^$all +||privatedates.link^$all +||trckotang.com^$all +||ct01.biz^$all +||ehnax.sbs^$all +||mobilerefreshpro.xyz^$all +||rekosx.co.in^$all +||remor.xyz^$all +||github.io/health-records-x-ray$doc +||adultminglenight.click^$all +||miallafun.com^$all +||derriks.site^$all +||butya.top^$all +||datenaughtysingles.click^$all +||flirtyconnection.click^$all +/other/btn/*/index.html?*p1=$doc +||suitablepartner.life^$all +||ohmysweetromancespot.life^$all +||olosex.pics^$all +||painfont.cyou^$all +||builder.hufs.ac.kr/goLink.jsp?url=xn-$doc +||lamilagq.com^$all +/1/index.html?p1=$doc +/fb_video_googleplay/*/index.html?*p1=$doc +.sbs/c/*?s1=$doc +||lurk-online.com^$all +||datesmart.link^$all +||maxerotica.com^$all +||foxymilfspo.com^$all +||kissablepopsyv.click^$all +/click.php?key=*&type=push&$doc +.com/dating/*/index.html?lang=$doc +.info/?key=*&pixel=$doc +/?z=*&syncedCookie=true&rhd=false$doc,popup +||matcher.one^$all +||onlyhotdgirl.com^$all +||playfulmilfs.com^$all +||wooqi.win^$all +||chemiclk.com^$all +||techluki.com^$all +||lovestrive.org^$all +||vcnbbtrack.com^$all +||zodertracker.com^$all +||latenightlovers.com^$all +||clickrotate.net^$all +||date2night.b-cdn.net^ +||tinder-love.xyz^$all +||sweet-hot-lady.top^$all +||ntfck.com^$all +||malenirt.site^$all +||repostponing.cfd^$all +/post/FileRotator_ID*/download.php?subid=$xhr +/bonus/com-*.php?c=$doc +||flirtixxx.com^$all +||girlslusts.com^$all +||desirefygirls.com^$all +||arousalx.com^$all +||easyfinderke.com^$all +||lurefy.com^$all +||eroticher.com^$all +||lovenestx.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/24602 +! https://www.virustotal.com/gui/url/ce2b833adda2f862d77398203bbe33ea331097ba2a803d1a763492d2ac0d5a60 +! https://safeweb.norton.com/report/show?url=discordvip.createsocialcard.top +! https://safeweb.norton.com/report/show?url=discordvip.pages.dev +||mikkim.top^$all +||discordvip.createsocialcard.top^$all +! https://www.virustotal.com/gui/url/a75fa82a901bdbb46bb9f214d99374495332a876a6d953bbe5c5d1c4217a90f8 +||whatsapp-32w.pages.dev^$all +! https://www.virustotal.com/gui/url/e652bc90d72bcda74485e90218143fc41a630b979f72e1659df916e2eb08c28e +^s1=*&click_id=$doc +! https://www.virustotal.com/gui/url/16f860e9177badfbe960f2a9272d652ec0f57898763920b0e039b6292ac3053c +! https://www.virustotal.com/gui/url/16f860e9177badfbe960f2a9272d652ec0f57898763920b0e039b6292ac3053c +! https://github.com/uBlockOrigin/uAssets/issues/24731 +##html[lang] > body.ishome > div.adult + main.main +^mh=*&mmid=$doc,script +||onenightchicko.com^$all +||nudepopsy71c.com^$all +! https://www.virustotal.com/gui/url/4201efbf0201531662ea53efb9f3405a29d0a8a0142772463e347d0dc29cf843 +||mamielournes.buzz^$doc +||miahershberger.buzz^$doc +||sanjuanitaliscano.click^$doc +||viktoriadelenick.za.com^$doc +! https://www.virustotal.com/gui/url/8cf51404736d06441fdd527108bfb65cf97bd4801698e4a3ff91cfc605baded9 +||c0nt4ct-me.pages.dev^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/68588 +! https://github.com/uBlockOrigin/uAssets/issues/8869 +! https://github.com/AdguardTeam/AdguardFilters/issues/129112 +/^https:\/\/[0-9a-z]{3,}\.[-a-z]{10,}\.(?:li[fv]e|top|xyz)\/[a-z]{8}\/(?:article\d{4}\.doc)?\?utm_campaign=\w{40,}/$doc,match-case,to=life|live|top|xyz +/^https:\/\/[a-z]{2,3}\d\.biz\/go\/[0-9a-z]{15,18}$/$doc,to=biz +! fake dating/prize/video sites +! https://github.com/AdguardTeam/AdguardFilters/issues/183117 +/^https?:\/\/[0-9a-z]*\.?[-0-9a-z]{3,}\.[a-z]{2,11}\.?[a-z]{0,7}\/(?:[0-9a-z]{6,10}\/)?\/?(?:article\d{4}\.doc)?\?(?:cid=[0-9a-z]+&)?u=[0-9a-z]{7}(?:&t=\d+)?&o=[0-9a-z]{7}/$doc,frame,match-case +! https://github.com/uBlockOrigin/uAssets/commit/df17084b4815e87d420e8adf19bf4959e828e6e5#commitcomment-66510549 +/^https?:\/\/[0-9a-z]*\.?[-0-9a-z]{3,}\.[a-z]{2,11}\.?[a-z]{0,7}\/(?:[0-9a-z]{6,10}\/)?\/?(?:article\d{4}\.doc)?\?(?:cid=[0-9a-z]+&)?o=[0-9a-z]{7}(?:&t=\d+)?&u=[0-9a-z]{7}/$doc,frame,match-case +.live/web/?sid=t*~$doc +! https://urlscan.io/result/fb21aa1b-9c79-4ac4-8e82-386403964206/ +/?u1=*&o1=*&sid=t*~$doc +! push notification scam +/^https:\/\/(?:www\d\.)?[-a-z]{6,}\.(?:club|com|info|net|org)\/(?=[-_a-zA-Z]{0,42}\d)(?=[-_0-9a-z]{0,42}[A-Z])[-_0-9a-zA-Z]{43}\/\?cid=[-_0-9a-zA-Z]{10,36}(?:&qs\d=\S+)?&(?:s|pub)id=[-_0-9a-z{}]{1,32}(?:&s=0\.\d+)?(?:#\S+)?$/$doc,match-case,to=club|com|info|net|org +/^https:\/\/(?:www\d\.)?[-a-z]{6,}\.(?:club|com|info|net|org)\/(?=[-_a-zA-Z]{0,42}\d)(?=[-_0-9a-z]{0,42}[A-Z])[-_0-9a-zA-Z]{43}\/\?(?:pub|s)id=[-_0-9a-z{}]{1,32}(?:&qs\d=\S+)?&cid=[-_0-9a-zA-Z]{10,36}(?:&s=0\.\d+)?(?:#\S+)?$/$doc,match-case,to=club|com|info|net|org +/^https:\/\/(?:www\d\.)?[-a-z]{6,}\.(?:club|com|info|net|org)\/(?=[-_a-zA-Z]{0,42}\d)(?=[-_0-9a-z]{0,42}[A-Z])[-_0-9a-zA-Z]{43}\/\?clickID=[0-9a-f]{32}&sourceID=\d+$/$doc,match-case,to=club|com|info|net|org + +! https://github.com/uBlockOrigin/uAssets/issues/8378 +||ogtrk.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/8466 +||91.241.60.117^$all + +! https://github.com/uBlockOrigin/uAssets/issues/8630 +||mfilecloud.com^$all +||xsharenode.com^$all +||yuppdownload.com^$doc +||basesfiles.com^$all +||drop-cloud.com^$all +||sharpfiledownload.com^$all +||one-click.cc^$all +||descarga.pw^$doc +||clc-link.me^$all +||app.mediafire.com/36culjifmas7b$doc +||app.mediafire.com/v3txu5tkw7ln5$doc +||mediafire.com/folder/ofa1qju50ffaz/$doc +||mediafire.com/folder/u2is2eo3euyqd/$doc +||mediafire.com/folder/oljsfjvzr13f2/$doc +||mediafire.com/folder/3x67gs8tbyxdx/$doc +||mediafire.com/folder/stdkch6gwqrcl/$doc +||www.youtube.com/@pengwincheat/$doc +||www.youtube.com/@melonitysoft/$doc +||www.youtube.com/channel/UCS9ql1ylQmDx7o_6v15X7mw/$doc +||www.youtube.com/channel/UCEMJ0wTeQgvyyvQTil7tteQ/$doc +||www.youtube.com/channel/UCNLgP9j7dK6tvEiZC2wZp5Q/$doc +||www.youtube.com/channel/UCwmnsubfOCTN_xMhg4czo5A/$doc +||sites.google.com/view/hubgames|$doc +||sites.google.com/view/flechh|$doc +||sites.google.com/view/kostsoft|$doc +||sites.google.com/view/projectxx1|$doc +||sites.google.com/view/exlauncher11|$doc +||sites.google.com/view/ex1aucnh3r1/$doc +||sites.google.com/view/exlauncher69/$doc +||gamefree.vip^$doc +||gocrazy.gg^$doc +||murhack.com^$doc +||mi-hack.com^$doc +||wow-site.site^$doc +||cheatworld.site^$doc +||sssrust.com^$doc +||upload.advgroup.ru/mvWwiE4h$all +||fusionhacks.pro^$doc +||games-blacksoft.com^$doc +||freefiles-upload.com^$doc +||arcanecheat.com^$doc +||projectglbl.lol^$doc +||evilmods.com^$doc +||zencloud.life^$doc +||projecthygieia.com^$all +||pctopkey.com^$all +||zxcprogs.shop^$all +||loaderaura.com^$all +||loaderware.cc^$all +! https://cloud-folder.org/KRvjWueEcl/ +! https://cloud-pack.org/yE2Kn04/ +||cloud-folder.org^$doc +||cloud-pack.org^$doc +||cloud-deployments.org^$doc +||tech-cloud.org^$doc +||cloud-access.org^$doc + +! https://github.com/AdguardTeam/AdguardFilters/issues/69036 +.systems/signup?ad_domain=$doc,popup + +! fake software updaters /redirections +||atnpx.com^ +||best-winplace.life^$all +||checkup08.biz^ +||mfroute.com^ +||webpushcloud.top^ +||workerz1.com^ +/index.php?uid=*&code=ad^$doc +||koitushinterneinnehmen.s3.eu-central-1.amazonaws.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/84638 +||sinder8.com^$all +! https://github.com/AdguardTeam/AdguardFilters/issues/84640 +||bigosext69.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/9344 +||captcharesolving-universe.com^$all + +! scam +||trfcbooost.com^$all +||turboadblocker.com^$all +||youtuba.com^$all + +! Typosquatting: redirects to scam sites +! https://www.reddit.com/r/uBlockOrigin/comments/12ok014/ +! https://www.reddit.com/r/uBlockOrigin/comments/12nrio5/ +! https://www.reddit.com/r/uBlockOrigin/comments/1392c8f/ +||bestbut.com^$all +||girhub.com^$all +||gmkail.com^$all +||goglle.com^$all +||linkefdin.com^ +||twitterr.com^$all +||yautube.com^$all +||yourube.com^$all +||youtubee.com^$all +||youtunbe.com^$all +||youutube.com^$all +||youvetube.com^$all +! https://groups.google.com/a/mozilla.org/g/dev-security-policy/c/oxX69KFvsm4/m/WJXUELicBQAJ +! "looks like typo squatting" +||wanderlust.rocks^$all +||messagesafe.net^$all +||msgsafe.net^$all +||best4fuck.com^$all +||bamboairways.com.vn^$all,to=~bambooairways.com +! https://github.com/uBlockOrigin/uAssets/issues/26047 +||purplexity.ai^$doc,to=~perplexity.ai + +! https://www.huorong.cn/info/1531309921141.html +||kuaizip.com^$all + +! https://www.huorong.cn/info/1618397948649.html +! ||zhuangjizhuli.com^$all +! ||zhuangjizhuli.net^$all + +! https://github.com/uBlockOrigin/uAssets/pull/9656 +||geekotg.com^$all +! https://www.huorong.cn/info/1526627586130.html +||xiaobaixitong.com^$all +! https://www.huorong.cn/info/1577158839403.html +||daque.cn^$all +! https://www.huorong.cn/info/1598957552515.html +||dabaicai.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/9785 +||lubuntu.net^$doc + +! https://github.com/AdguardTeam/AdguardFilters/issues/92466 +/^https:\/\/serch\d{2}\.biz\/\?p=/$doc,to=biz + +! https://github.com/uBlockOrigin/uAssets/issues/4014 and https://github.com/uBlockOrigin/uAssets/issues/9840 +! ||driverfix.com^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/9848 +! https://github.com/uBlockOrigin/uAssets/issues/24729 +||gghacks.com^$all +||rewardsgiantusa.com^$doc +||promotionsonlineusa.com^$doc +||displayoptoffers.com^$doc +||qualityhealth.com^$doc +||consumerproductsusa.com^$doc +||get-cracked.com^$all +||mediafiire.com^$doc +! https://www.urbeef.de/windows-10-pro-aktivieren-ohne-key/ hacked site +||onlinepromotionsusa.com^$doc +||qsshc.xyz^$all +||ecoedgeinnovations.xyz^$all +||medlafire.co^$all +##.buttonautocl + +! https://github.com/uBlockOrigin/uAssets/issues/9933 +||greenadblocker.com^$doc + +! https://github.com/uBlockOrigin/uAssets/pull/10017 +||flash.cn^$all + +! https://github.com/uBlockOrigin/uAssets/commit/5832dfebb4021c639b90c2973946ff7638c2290f#commitcomment-57642161 +||foxmods.xyz^$doc + +! phishing /malicious +||gesas.it^$doc +||techinnsrl.com^$doc +||studiogiamberardino.it^$doc +||eniedu.com^$doc +||gamletaarnhuset.no^$doc +||possessedcrackinghart.com^$all +||reepratic.com^$all + +! phishing /scam /malware +! https://www.virustotal.com/gui/collection/4b1e307754c94e87e17a0c14102b873f17c5d2001f4afa2e58c3a6b98f391710 +||dogehype.com^$all +||rblx.land^$all + +! https://github.com/uBlockOrigin/uAssets/issues/10181 +||nbryb.com^$all +||realnetnews.com^$all +||rogueleader.org^$all +||suggestive.com/deals/?cid=$doc + +! https://github.com/uBlockOrigin/uAssets/issues/10442 +||discordap.$all +||discord*.gift^$all,domain=~discord.gift +||discord*.gifts^$all,domain=~discord.gifts +||discord-give.$all +||discord-nitro.$all +||discordgift.$all,domain=~discordgift.site +||dlscord*.$all +||dlscrod*.$all +||freediscordnitro.$all +||updatemobilee.com^$all +||supreme-ad-blocker.info^$all +||allprizesforme.com^$all + +! https://github.com/DandelionSprout/adfilt/issues/267 +||tekhacks.net^$all + +! https://github.com/uBlockOrigin/uAssets/pull/10503 +||freedownloadfiles.org^$all + +! https://github.com/uBlockOrigin/uAssets/issues/10536 +||tw-goldenwinner-57.com^$doc + +! https://github.com/iam-py-test/investigations/blob/main/2021/11/25/1.md +! https://github.com/uBlockOrigin/uAssets/pull/10599 +||fasterfiles.net^$all + +! https://github.com/uBlockOrigin/uAssets/pull/10774 +! https://bbs.kafan.cn/thread-2222478-1-1.html +||a1475.com^$all +! https://bbs.kafan.cn/thread-2220230-1-1.html +||ts-group.com^$all +! https://bbs.kafan.cn/thread-2221500-1-1.html +||88btbtt.com^$all + +! https://github.com/uBlockOrigin/uAssets/pull/10997 +! fake domain +||jinshanduba.org.cn^$all +! https://bbs.kafan.cn/thread-2170747-1-1.html – malicious script +||phpstat.cntcm.com.cn/phpstat/count/abceffgh/abceffgh.js^$script + +! https://github.com/uBlockOrigin/uAssets/pull/11041 +||cdn.discordapp.com/attachments/916391647955279943/*^$all + +! https://github.com/uBlockOrigin/uAssets/issues/11157 +||sideload.net^$doc +||stc.tools^$doc +||stcverify.com^$doc +||1980s.click^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/11310 +! https://github.com/uBlockOrigin/uAssets/issues/14009 +! https://github.com/uBlockOrigin/uAssets/issues/24842 +goharpc.com,pccrackbox.com,cracklabel.com,pcwarezbox.com,10crack.com,crackproductkey.com,crackpcsoft.net,crackwinz.com,genuineactivator.com,topcracked.com,fullcrackedpc.com,idmfullcrack.info,idmpatched.com,productkeyfree.org,patchcracks.com,cracksole.com,allsoftwarekeys.com,softwar2crack.com,productkeyforfree.com,wazusoft.com,rootscrack.com,activators4windows.com,procrackhere.com,proproductkey.com,freelicensekey.org,pcsoftz.net,freecrackdownload.com,f4file.com,serialkey360.com,zuketcreation.net,filedownloads.store##[onclick*="open"] +serialkey89.com,installcracks.com,crackserialkey.co,maliksofts.com,crackpropc.com,ayeshapc.com,crackhomes.com,crackspro.co,crackknow.com,4howcrack.com,trycracksoftware.com,getprocrack.co,activationkeys.co,organiccrack.com,softwarance.com,procrackkey.co,download4mac.com,freeactivationkeys.org,explorecrack.com,okproductkey.com,downloadpc.net,up4pc.com,hitproversion.com,cracktube.net,abbaspc.net,crackdownload.org,crackdownload.me,corecrack.com,windowsactivator.info,keygenstore.com,procrackpc.co,getmacos.org,latestproductkey.co,shanpc.com,crackpckey.com,torrentfilefree.com,patchcracks.com,idmfullversion.com,wareskey.com,crackbell.com,newproductkey.com,osproductkey.com,serialkeysfree.org,autocracking.com,crackzoom.com,greencracks.com,profullversion.com,crackswall.com,rootcracks.org,licensekeys.org,softserialkey.com,free4pc.org,productkeys.org,crackedfine.com,idmcrackeys.com,crackedhere.com,licensekeysfree.org,trycracksetup.com,crackedsoft.org,assadpc.com,thecrackbox.com,crackproductkey.com,cracklabel.com,keystool.com,crackedpcs.com,cracksmad.com,licensekeyup.com,chcracked.com,finalcracked.com,activatorpros.com,crackedmod.com,whitecracked.com,cracksoon.com,boxcracked.com,activationkey.org,serialkeypatch.org,crackedsoftpc.com,proapkcrack.com,softscracked.com,freeappstorepc.com,reallpccrack.com,crackfullkey.net,hmzapc.com,zcracked.com,usecracked.com,crackedversion.com,aryancrack.com,piratespc.net,reallcrack.com,fultech.org,crackpro.org,cracksray.com,pcwarezbox.com,cracksmat.com,crackxpoint.com,startcrack.co,crackbros.com,pcfullversion.com,sjcrack.com,repack-games.com,bypassapp.com,crackfury.com,9to5crack.com,zpaste.net##center > [class*="buttonPress-"] +repack-games.com,warezcrack.net,freeprosoftz.com,vcracks.com,crackthere.com,keygenfile.net,scracked.com,cyberspc.com,softzcrack.com,crackintopc.com,zslicensekey.com,procrackpc.com,crackshere.com,crackdj.com,cracktopc.com,serialsofts.com,prosoftlink.com,zscracked.com,crackvip.com,windowcrack.com,softsnew.com,licensecrack.net,vstpatch.net,newcrack.info,topkeygen.com,vsthomes.com,vstserial.com,procrackerz.com,pcfullcrack.org,keygenpc.com,bicfic.com,ikcrack.com,downloadcracker.com,karancrack.com,piratesfile.com,activatorwin.com,starcrack.net,crackproduct.com,dgkcrack.com,crackglobal.com,crackcan.com,keygendownloads.com,crackpatched.com,windowsactivators.org,serialsoft.org,crackit.org,productscrack.com,crackurl.info,crackroot.net,crackmak.com,seeratpc.com,crackmix.com,piratepc.me,activators4windows.com,letcracks.com,latestcracked.com,proproductkey.com,fullversionforever.com,vlsoft.net,topcracked.com,goharpc.com,crackeado.net,freecrackdownload.com,assadpc.com,fileoye.com,f4file.com,crackpcsoft.net,crackwinz.com,excrack.com,mahcrack.com,get4pcs.com,keygenwin.com,mycrackfree.com,crackfullpro.com,crackkey4u.com,fileserialkey.com,cracksdat.com,crackgrid.com,licensekeysfree.com,crackkeymac.com,freecrack4u.com,getintomac.net,crackreview.com,activatorskey.com,kuyhaa.cc,cracktel.com,up4crack.com,cracksmat.com,crackbros.com,pcfullversion.com,crackcut.com,game-repack.site,dodi-repacks.download,yasir-252.net,getpcsofts.net,keystool.com,rootcracks.org,procracks.net,newproductkey.com,greencracks.com,zeemalcrack.com,macfiles.org,softzspot.com,softgetpc.com##div[class^="code-block code-block-"] +crackkits.com,crackwatch.org,origincrack.com,procrackerz.com,crackhub.org,crackrules.com,zeemalcrack.com,haxmac.cc,cracka2zsoft.com,clevercracks.com,crackpropc.com,crackspro.co,crackknow.com,onhax.in,haxpc.net##.getox +win-crack.com,productkeyfree.org,productkeyforfree.com,wazusoft.com,piratesfile.com,kalicrack.com,sadeempc.com,letcracks.com,topkeygen.com,thepiratecity.co,torrentmac.net,ryuugames.com,rootscrack.com,pesktop.com,profullversion.com,crackswall.com,proappcrack.com,thecrackbox.com,autocracking.com,zgamespc.com,serialkeysfree.org,torrentfilefree.com,crack11.com,gvnvh.net##center > a[target="_blank"][rel="nofollow noreferrer noopener"] +cracksoftwaress.net##div[style="float: none; margin:10px 0 10px 0; text-align:center;"] +haxnode.net##[id^="haxno-"] +romsdl.net##a[rel="nofollow noreferrer noopener"][target="_blank"] +zuketcreation.net##.cente-1 +xcloud.mom##.ads-btns +onhax.in##[class*="buttonPress-"] +cracka2zsoft.com##center > a +origincrack.com##center > button +||xforce-cracks.com^$doc +||fileisready.com^$doc +||coronasfapps.net^$doc +||sustac.com^$all +||thefreesoft.com^$doc +! https://www.virustotal.com/gui/url/306f66e86e6036d8c7b3d0c6ab8af27385505c969af4f998f75ffe1eae2c19be +||scane.click^$all +.click/track/*?title=*&key=$doc,to=click + +! https://github.com/uBlockOrigin/uAssets/issues/15793 +! https://github.com/blocklistproject/Lists/issues/933 +||vgfrrtc.click^$all +||vablecable.click^$all +||mcteirx.click^$all +||igluumars.click^$all +||poixtre.click^$all +||browimeto.click^$all +||ambrkx.click^$all +||kcmcbc.click^$all +||ovgtt9j87tgh.world^$all +||wisoper.click^$all +||steamrip.click^$all +||swiftflare.click^$all +||rarz-uploader.com^$all +||uploader-rars.com^$doc +||fileexpert.xyz^$all +||securefiles.pro^$all +||filedomain.click^$all +||ewuipld.pro^$all +||dhux7ijh.click^$all +||lokasjc.cfd^$all +||sertyuurs.xyz^$all +||u87yuo9ojh.world^$all +||theipfire.co^$all +||securecracked.info^$all +||sushilprajapati.com^$all +||aneurismuox.click^$all +||afiletoget.click^$all +||filexstorage.site^$all +||jourl.live^$all +||funfilenow.com^$all +.click/?s=*&g=*&q=files.zip$doc +.click/*?s=*&g=*&q=$script,3p +.click/?h=*&user=$script,3p +.click/?user=*&h=$script,3p +.click/*/?partner=*&pg=$script,3p +.xyz/*?s=*&g=*&q=$script,3p +.xyz/?h=*&user=45$script,3p +.xyz/*/?partner=*&pg=$script,3p +.cfd/?h=*&user=$script,3p +.cfd/?aD*HlwZT1jJnRtcD01JmFkY29kZT0x$script,3p +.one/?h=*&user=$script,3p +.online/?h=*&user=$script,3p +.pro/?h=*&user=$script,3p +%3C?php%20echo%20substr(md5(microtime()),0,rand(10,30));?%3E&$doc +/?*&gkss=$doc,to=cfd|click|pro|world|xyz +^click_id=*&s1=$doc +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/790#discussioncomment-10332718 +||cfd/file?ajk=$doc,popup + +! https://github.com/uBlockOrigin/uAssets/issues/11394 +||theannoyingsite.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/109902 +/vpnupdate/*/index.html?*p1=$doc + +! https://github.com/uBlockOrigin/uAssets/issues/5605#issuecomment-1060013521 +||smartklick.biz^$all + +! https://github.com/uBlockOrigin/uAssets/issues/12117 +||zoosk.online^$all + +! https://github.com/uBlockOrigin/uAssets/issues/12194 +||fulptube.org^$all + +/bouncy.php?*&inPopUp=$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/115960 +! https://www.virustotal.com/gui/url/6a4daf9dfa58864522ae7972ab042cf4bab17a48321b96d1952bd384210adcd2 +! https://transparencyreport.google.com/safe-browsing/search?url=https:%2F%2Fonpharmvermen.com%2F +||onpharmvermen.com^$doc +||sale24-pills.com^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/12934 +! https://malwaretips.com/blogs/remove-hdvideosnet-com/ +||hdvideosnet.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/13177 +! https://github.com/uBlockOrigin/uAssets/issues/13734 +||fullcrack.vn^$all + +! https://twitter.com/rarara18181818/status/1530214731608313856 +/rtbfeed.php?$image,3p + +! https://twitter.com/NaomiSuzuki_/status/1536553207299985408 fake chrome +/^http:\/\/[a-z]{5}\.[a-z]{5}\.com\/[a-z]{10}\.apk$/$doc,match-case,to=com + +! https://github.com/uBlockOrigin/uAssets/issues/14034 +||fetishpartner.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/125147 +||facevideosc.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/126480 +/?c=propeller&lpid=$all + +! https://github.com/uBlockOrigin/uAssets/issues/14588 +||geoflix.me^$all + +! https://github.com/uBlockOrigin/uAssets/pull/14985 +||skymods.net^$all + +! torrdroidforpc. com +||slugmefilehos.xyz^$all +||tinyurl.com/setup-full-version$doc +torrdroidforpc.com##[href^="http://slugmefilehos.xyz/"] + +! https://youtu.be/RfE_MreLSIM?t=183 +||haxsoft.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/15368 +||zenlytrade.com^$all + +! https://shahrsakhtafzar.com/fa/news/security/42227-google-play-rubika-app-spy-users-personal-information +! https://farnet.io/1401/08/324594/rubika-is-detected-as-malware/ +||rubika.ir^$all,to=~web.rubika.ir|~m.rubika.ir + +! https://twitter.com/chaberi/status/1591139355628044288 +||luckypapa.top^$all +! https://twitter.com/harugasumi/status/1591652561182150656 +||nbsfmradio.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/15777 +||ngazi.co.tz^$all +||video-watch1.com^$all +||musicinmysoul.biz^$all +||choseoffhandsight.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/15937 +! https://www.virustotal.com/gui/url/a70d88ffc974f8d9cc5c3561938e95435d20a12a555e8c10d638d2bee5292165 +||melodydownloader.com^$all +||flymylife.info^$all +||kochava.com^ +||neptunclicks.com^ +||arakusus.com^$all +||imgfil.com^$all +||urlcod.com^$all +||tiurll.com^$all +||urlca.com^$all +||lomogd.com^$all +||voutew.com^$all +||abukss.com^$all +||konmm.com^$all +||xiuty.com^$all +||oyndr.com^$all +||lpoms.com^$all +||psfmi.com^$all +||gghut.com^$all +||vlyyg.com^$all +||mciun.com^$all +||vnomm.com^$all +||nnggo.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/136693 +/axad/?lpkey=$doc + +! https://github.com/uBlockOrigin/uAssets/issues/15990 +||vlcdownloads.com^$all + +! https://twitter.com/tougei_miryoku/status/1602878676508344320 +&t=main9|$doc,to=live +&t=main9ljs|$doc,to=live +&t=main9expsess|$doc,to=live +&t=mono|$doc,to=info + +! https://github.com/uBlockOrigin/uAssets/pull/16038 +||hypixei.com^$all + +! Fake Steam website +! https://github.com/uBlockOrigin/uAssets/pull/16143 +||99box.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/16153 +||ezadblocker.com^$all +||watchadsfree.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/16209 +||barlear.ru^$all + +! https://github.com/uBlockOrigin/uAssets/issues/16257 +||kaminarisubs.net^$all + +! https://github.com/uBlockOrigin/uAssets/pull/16283 +||galeden.cn^$all + +! Phishing gathered from Twitter +! https://twitter.com/AP_Zenmashi/status/1614845455271333890 +||3utilities.com^$all +! https://twitter.com/defenceability/status/1621446555726385153 +||bafybeidzp4sgidm4rvsc32fofkhbz5bdotbekov4mnwzejakvnzhhohysa.ipfs.dweb.link^$all +! https://twitter.com/gorimpthon/status/1622092572188631041 +.top/index-install.html|$doc +! https://twitter.com/defenceability/status/1622513282644054016 +||r39-g003-h8ig0w-u8f0we8-fgw0rgf-0we880e-rhgth.obs.ap-southeast-2.myhuaweicloud.com^$all +! https://twitter.com/defenceability/status/1622801056379064321 +||bafybeiexjty7qmufu5jvbyln5ce5mue2lqw2htafc3api4wwsefxet5k54.ipfs.dweb.link^$all +! https://twitter.com/defenceability/status/1623182946806169600 +||chargerlogistics-dot-exceldocsverification.uk.r.appspot.com^$all +! https://twitter.com/defenceability/status/1623546261126402058 +||bizerba-dot-azure-projectfiles.uk.r.appspot.com^$all +! https://twitter.com/harugasumi/status/1627983624447627265 +||aajdrp.com^$all +! https://twitter.com/KesaGataMe0/status/1628158467625349122 +||italianlottery.com^$all +! https://twitter.com/harugasumi/status/1628577192212066304 +||metamasek.cc^$all +! https://twitter.com/KesaGataMe0/status/1629253647212363777 +||theexpressiveteacher.com^$all +! https://twitter.com/harugasumi/status/1633133887047217152 +||007itshop.com^$all +! https://twitter.com/ozuma5119/status/1635414656646008833 +||e-tax-nta.web.app^$all +! https://twitter.com/ozuma5119/status/1638194144781930496 +||blisterlngdate.com^$all +||fapello.xyz^$all +! https://twitter.com/harugasumi/status/1640263282845188098 +||pf0755.cn^$all +! https://twitter.com/harugasumi/status/1640690554156507139 +||hohshops.com^$all +! https://twitter.com/masaomi346/status/1649260359763775488 +||bavaria-cup.ru^$all +! https://twitter.com/8614miyauchi/status/1654845878933557248 +||luckypapa.xyz^$doc +! https://twitter.com/harugasumi/status/1655470724377907200 +||manage-fpw-my-sakura-fpw-jp-fpw.impulsion.mu^$all +! https://twitter.com/pingineer_jp/status/1646373106557267968 +||honda-law-office.jp/wp-includes/70038/Earthcorejp/|$doc +! https://twitter.com/satontonton/status/1659183900059652098 +||itsaol.com^$all +! https://twitter.com/harugasumi/status/1666013629853097984 +||qhigh.com^$all +! https://twitter.com/harugasumi/status/1666436001953136641 +||yoinst.com^$doc +! https://twitter.com/AP_Zenmashi/status/1674082742013755393 +||almostmy.com^$all +! https://twitter.com/masaomi346/status/1696821001785635127 +||tokyobag.shop^$all +! https://twitter.com/masaomi346/status/1716272554464473099 +||erdfkhxrnanm.top^$all +! https://twitter.com/AP_Zenmashi/status/1718671548025077812 +||xqfefdkey.xyz^$all +! https://twitter.com/NaomiSuzuki_/status/1737749366520291403 +||app-bitbanlk-cc.weebly.com^$all +! https://twitter.com/masaomi346/status/1738583074194276633 +||oioi-tokye.top^$all +! https://twitter.com/harugasumi/status/1738949406211387713 +||tpoint-sites.com^$all +! https://twitter.com/NaomiSuzuki_/status/1740725999845920943 +||cordialhoist.top^$all +! https://twitter.com/taku888infinity/status/1744992280384360850 +||oioi-store.vip^$all +! https://twitter.com/tss_0101/status/1745387976585281810 +||totalpcsecure.com^$all +! https://twitter.com/KesaGataMe0/status/1770987190379823577 +||smart-ex-jp.top^$all +! https://x.com/masa_katahage/status/1791325878129234223 +||luckvote.top^$all +! https://x.com/harugasumi/status/1792344876081889322 +||kuronekoyamato-jp.com^$all +! https://x.com/NaomiSuzuki_/status/1808400909782995443 +||npajp.icu^$all +! https://x.com/_3xsun_/status/1809119839036006478 +||web-telegvm.org^$all +! https://x.com/ryu_tan_0317/status/1809130556090953765 +||m-k-r-5.com^$all +||if-eku3a-fp.com^$all +! https://x.com/JCyberSec_/status/1809231223220236596 +! https://www.reddit.com/r/Scams/comments/1grcp9l/text_message_evri_scam/ +||ev.ri-*gb.com^$doc,to=~evri.com +! https://x.com/itmedia_news/status/1810495098876215790 +||sapjp.com^$doc +! https://x.com/masaomi346/status/1812854359463723034 +||t-pia.me^$all +! https://x.com/harugasumi/status/1817602306189464046 +||toythieves.com^$all +! https://x.com/masaomi346/status/1819876303333700006 +||rigidconcrete.ca^$all +! https://x.com/harugasumi/status/1820496420136419512 +||sportslevels.com^$all +! https://x.com/harugasumi/status/1826758890333372471 +||sso.biglobe.jp.net^$all +! https://x.com/kazunii_ac/status/1826984198768656845 +||lsdfex.shop^$all +! https://x.com/izutorishima/status/1828044783375532415 +||jaborcall.app^$doc +! https://x.com/harugasumi/status/1830434631294054482 +||cqjykj.com^$all +||btemgb.com^$all +! https://x.com/__kokumoto/status/1833705979818729773 +||amaeex.one^$all +! https://x.com/harugasumi/status/1838519663145468074 +||ec2-13-230-253-66.ap-northeast-1.compute.amazonaws.com^$all +! https://x.com/harugasumi/status/1866830127054852300 +||77jjxx.com^$all +! https://x.com/masaomi346/status/1867012579492757739 +||my-bitbank.cc^$all +! https://x.com/masaomi346/status/1874257707567636729 +||jplivestreamhd.live^$all +! https://x.com/harugasumi/status/1874798942346760297 +||lcskincarecenter.com^$all + +! scam sites +||webuzz.me^$doc +||coup-ling.net^$all +||coup-ling-dm.net^$all +||gokinjolove.jp^$all +||gokinjolove.net^$all +||hornygirlsinapp.com^$all +||id001.jp^$all +||10un.jp^$doc +||3tuhabe.info^$doc +||5dgja.com^$doc +||8senjya.jp^$doc +||a-divination.com^$doc +||ad7mylo.com^$doc +||after-pop-abc.com^$doc +||aiai-talk.com^$doc +||aiaitalk.com^$doc +||alicekdsod.com^$doc +||any2st777fhy.com^$doc +||aqmessage.jp^$doc +||best-chat.net^$doc +||bestxchat.net^$doc +||car-na.jp^$doc +||cbcdnkyyxubdsrmg.com^$doc +||cdypsqghdgrw.com^$doc +||ch3l.net^$doc +||chl3.net^$doc +||clubfukugyou.work^$doc +||date-app.net^$doc +||days-neighborhood.com^$doc +||determinatioon.jp^$doc +||di-ana.jp^$doc +||dosukoudo.net^$doc +||drct-match.com^$doc +||drct-match.net^$doc +||dydynight.org^$doc +||en-kakuri.biz^$doc +||en-mu-su-bi.com^$doc +||fapp.work^$doc +||fl-0wer685hjdp300.com^$doc +||fle652.net^$doc +||flk41.com^$doc +||formatch.co.jp^$doc +||fortune-fate.jp^$doc +||fortune-koun.jp^$doc +||fortune-luna.com^$doc +||friendxroom.com^$doc +||ft-sou.com^$doc +||fukumaneki2211.com^$doc +||g6-gonight.org^$doc +||gabfbnaqodnvfafnj.com^$doc +||gandestin0.jp^$doc +||girls.a-makeup.com^$doc +||gokusenn.jp^$doc +||goldenluck.jp^$doc +||happy468.net^$doc +||happymethod55.com^$doc +||hi-a-so-bi.net^$doc +||himatalk77.net^$doc +||home4ugoog10you.com^$doc +||hope-for-shiningday.com^$doc +||hori-hori.xyz^$doc +||hp-dy.net^$doc +||hphp-dy.net^$doc +||i.redi-ana.jp^$doc +||i2019.jp^$doc +||indi-ana.jp^$doc +||iri195.net^$doc +||irie3.net^$doc +||ivy2241u.jp^$doc +||jamjamjam.biz^$doc +||k-colorful.jp^$doc +||k-smilegallery.com^$doc +||k1wa.jp^$doc +||kaiun-com.com^$doc +||kaiun-park.jp^$doc +||keep.secret-ace.com^$doc +||koiroom.net^$doc +||koiroomnotice.net^$doc +||koun-yogen.com^$doc +||l-one-one.com^$doc +||l-thr-thr.com^$doc +||l-two-two.com^$doc +||l0vekatsu.com^$doc +||lightn5.com^$doc +||lin-link.net^$doc +||link-service.net^$doc +||linkage-linkage.com^$doc +||log.xi-cascade.com^$doc +||love-fit.jp^$doc +||love-letter-dm.com^$doc +||love-letter.info^$doc +||love.sweet199.com^$doc +||loveaholics.com^$doc +||lovemelo.jp^$doc +||luuce.jp^$doc +||lzogdlorkfssui.net^$doc +||machi-match.info^$doc +||madnna.jp^$doc +||madnna.net^$doc +||mangogo.jp^$doc +||mangogo.work^$doc +||match-mate.jp^$doc +||match-mate.net^$doc +||matimati.site^$doc +||maytail.jp^$doc +||meguri-eye.net^$doc +||meguri-y.net^$doc +||moody-night.net^$doc +||moogle-set.space^$doc +||moogle-set.website^$doc +||my7love.xyz^$doc +||naja59jg.com^$doc +||navi-match.net^$doc +||near-s.com^$doc +||new.hpk0fu9.jp^$doc +||on-glamour.xyz^$doc +||one-chan-love.love^$doc +||onega.jp^$doc +||onegaga.jp^$doc +||osubstancenasubstitute.com^$doc +||otona-nona.biz^$doc +||otonanona.jp^$doc +||otonatime.net^$doc +||oyasu-mi.tokyo^$doc +||pair-online.jp^$doc +||piasukai.xyz^$doc +||plati-num.com^$doc +||pr0m.site^$doc +||privatelife.jp^$doc +||purpleiyvf.com^$doc +||r30address.com^$doc +||r30deai.com^$doc +||reddishpurple.com^$doc +||reverita-t.jp^$doc +||rhsrthrtjhe.com^$doc +||ripiai.com^$doc +||romancetime.jp^$doc +||romancetrain.jp^$doc +||royalclass-dm.com^$doc +||royalclass.info^$doc +||s4fk.destin0.jp^$doc +||salon1999.net^$doc +||salonoshirase.net^$doc +||shells.pairapple.net^$doc +||sns-pair.net^$doc +||soul-ft.com^$doc +||space-high.com^$doc +||spirilp3000.com^$doc +||spirituallounge-3000.com^$doc +||sugarboxxx.net^$doc +||sugulove.com^$doc +||sweetmemo.net^$doc +||sweetmemoryy.com^$doc +||t1a.jp^$doc +||tadaapo123.com^$doc +||tadaapomail.com^$doc +||tadamatch.com^$doc +||tenluuce.jp^$doc +||tsumalabo.jp^$doc +||tumalabo.net^$doc +||tyotto.jp^$doc +||tyotyo.biz^$doc +||u3ig.com^$doc +||ura-nai-best.com^$doc +||vanilla-japan.net^$doc +||verita-t.jp^$doc +||with.2-on-line.com^$doc +||yu0287tk.com^$doc +||yumajhsbsff.com^$doc +||jivo-ce.jp^$doc +||whimsicalrain.com^$doc +||tatikhale.xyz^$all +||2226wurpatw.tokyo^$doc +||app.plum375ap.com^$doc +||asiansgetnaughty.com^$doc +||blackstunners.com^$doc +||budhump.com^$doc +||connect-wp.net^$doc +||eternal.mobius-loop.net^$doc +||fukuinnnokotoba.com^$doc +||humpbuds.com^$doc +||line-bs.com^$doc +||localsgowild.com^$doc +||naughtyfever.com^$doc +||oo.opaall.com^$doc +||tenseikaiun.com^$doc +||woman-busi.com^$doc +||secure-57v.pages.dev^$all +||ll-m-work-2020.com^$doc +||slb3cr9dx9.jp^$doc +||sukui05.com^$doc +||4miracle4.jp^$doc +||abc.youtus7216.com^$doc +||amari-ama.com^$doc +||bambam-bi.com^$doc +||c-al-e1nder.com^$doc +||chocochipu-o.com^$doc +||chumsline.jp^$doc +||cosmos-metatrade.com^$doc +||dandelion-horsetail.work^$doc +||dddiey-s1d2.com^$doc +||deaimatch.jp^$doc +||facebooc.jp^$doc +||gtir5die6sutngr.jpn.com^$doc +||happiness-gate.com^$doc +||iikanjiyanakanjide.wixsite.com^$doc +||kisekichikara.com^$doc +||loto-chance.com^$doc +||makoto-in-room.wixsite.com^$doc +||moira-101.com^$doc +||nem0phila000.com^$doc +||nitr5eur6fjhtsw.jpn.com^$doc +||okai.work^$doc +||p3s18f1d0.com^$doc +||pa-ir.net^$doc +||pdss3a1r.jp^$doc +||pfunding-01.com^$doc +||pororin081.com^$doc +||primal.premium-prism.net^$doc +||rainbow-fortune.biz^$doc +||rainbow-fortune.com^$doc +||rainbow-fortune.jp^$doc +||sall.etchat.jp^$doc +||star-fortune.com^$doc +||toki-no-irodori.com^$doc +||tokyo-get-business.jp^$doc +||tomodachixoxo.wixsite.com^$doc +||triangle123.com^$doc +||ukokjxfbdqwffmuvsd.jp^$doc +||unmei-kaika.com^$doc +||vf5rkgirsir8ska.jpn.com^$doc +||vitop7eg5sqwgbk.jpn.com^$doc +||vixii.co^$doc +||wishhoree1890.com^$doc +||with-with.net^$doc +||xs5rur1she7eyry.jpn.com^$doc +||57zyazmk.jp^$doc +||a.tlineat.jp^$doc +||angelchance.com^$doc +||b2ujcm.com^$doc +||be-loaded.com^$doc +||coralnov.jp^$doc +||deaisaito.jp^$doc +||doorway-of-guidance.com^$doc +||ed-blissful.com^$doc +||eika-akie220202.com^$doc +||eternalfame461.com^$doc +||ev-upstart.com^$doc +||for-tg.com^$doc +||for20-coco.com^$doc +||fortune-mooon.com^$doc +||ft-flower.com^$doc +||fukugyou2022.net^$doc +||fukukomachi-220513.com^$doc +||fukunoha211013.com^$doc +||fukura210317.com^$doc +||future-marvellous.com^$doc +||gogonews.club^$doc +||happiness-sign.com^$doc +||heart-uranai.com^$doc +||iflirts.com^$doc +||im-excellent.com^$doc +||infomessagehappy.com^$doc +||iris-808.com^$doc +||kaaairoo549kai.com^$doc +||kahimeyuki.jp^$doc +||karinaroom.wixsite.com^$doc +||l-chat.jp^$doc +||login-chat.net^$doc +||lovekatsu2277.com^$doc +||mintiia.com^$doc +||mio-love2.wixsite.com^$doc +||moon-1light.com^$doc +||moon1234moom.com^$doc +||mttk2020.jp^$doc +||mystery-forest.com^$doc +||oficialinesp.wixsite.com^$doc +||one-sunnyday.com^$doc +||online-gluck.com^$doc +||p-chi.info^$doc +||pairpure.jp^$doc +||pairpure.jp.net^$doc +||photo-gallery-picture2398.com^$doc +||pinponpaipan.com^$doc +||poke10ve.com^$doc +||pocketlove.jp^$doc +||ppo.re9t-hmd0.com^$doc +||relife0001.com^$doc +||relifemail555.com^$doc +||s-kiseki.jp^$doc +||sebumu28.com^$doc +||sevensmooon.com^$doc +||tada10ve.jp^$doc +||tada1ove.com^$doc +||take.the.n-chapter.jp^$doc +||tkmailgirl.xyz^$doc +||ultratime.info^$doc +||uu-charisma.jp^$doc +||v-yummy.com^$doc +||vroom24.com^$doc +||vroom24365.com^$doc +||webdeai.jp^$doc +||wmw.matchin.jp^$doc +||wn56y7ve57j12zuv7tyj.com^$doc +||woman-good-job.work^$doc +||world.ex-advantage.jp^$doc +||xxa.uji8979erd77.jp^$doc +||y-tradie.com^$doc +||zaitaku-baito.com^$doc +||best-web2020.com^$doc +||degmq5l23.jp^$doc +||dosudosuo.com^$doc +||fanfande.net^$doc +||female-good.work^$doc +||forum0120.com^$doc +||foundate-core.net^$doc +||li-neeee.net^$doc +||make2022.com^$doc +||ol2ewq989.jp^$doc +||salon.beauty202201.com^$doc +||sbfw.work^$doc +||sma-talk.com^$doc +||sokkinjobmasu.work^$doc +||tim.time-time-zyunizi.com^$doc +||xxxmake.com^$doc +||1litteno.home-walil1.jp^$doc +||1st-mail.jp^$doc +||2507u35ia6mk1.com^$doc +||2qpk150djf0ri.jp^$doc +||56fv2z8bfv9.com^$doc +||5jd2tj2idrool.com^$doc +||777.funnyy.net^$doc +||ai-ne.net^$doc +||ai-tas.com^$doc +||ai3tu.com^$doc +||alch.treas.jp^$doc +||amaenbo.jp^$doc +||amourplace.jp^$doc +||ancient-guidance.jp^$doc +||apple012.com^$doc +||atchm.net^$doc +||bontruth.com^$doc +||c.onnect.jp^$doc +||c930lhsivns1b.jp^$doc +||chat111room-09.com^$doc +||connect-jumbo.com^$doc +||cosdate.jp^$doc +||cxbvnmyeruw.com^$doc +||d-hiyori.com^$doc +||daisukimatch.jp^$doc +||defendeerrpro.jp^$doc +||diamond-line.net^$doc +||dinosaur-crown.com^$doc +||dreamatch.jp^$doc +||edge-campaign-japan.com^$doc +||eiqnnmxvun5ge97.com^$doc +||en5wr67sag3.com^$doc +||equation-of-happiness.com^$doc +||eromatchi.jp^$doc +||fanta-stic.net^$doc +||flirt.com^$doc +||fx-protrade.net^$doc +||ggcake.tindersplus.net^$doc +||glitter-girls.net^$doc +||gokuhuku.jp^$doc +||gyakusimei.com^$doc +||h-spe.net^$doc +||hapim.net^$doc +||happy-egg.net^$doc +||happylife-partner.com^$doc +||heartmatch.jp^$doc +||hho.yes-hhoyf.com^$doc +||home-22-time.com^$doc +||i5h56ozira7l6.jp^$doc +||jack-roaddinc.jp^$doc +||japanhotties.jp^$doc +||jdoasjfojuhod.com^$doc +||kaiunmegami.jp^$doc +||kaiunrecipe.com^$doc +||koipara.jp^$doc +||lib-333-lib.com^$doc +||local-bang.com^$all +||lovewish.jp^$doc +||lvmeet.net^$doc +||machimatch.jp^$doc +||matchmix.jp^$doc +||mmdem.net^$doc +||mmkat.net^$doc +||mmlnc.net^$doc +||moelove.jp^$doc +||mustwork.work^$doc +||myocean.jp^$doc +||nakayama.chikarakosopower.com^$doc +||netsgram.com^$doc +||nextaex.com^$doc +||one.thx-birthday.com^$doc +||one-two-up.jp^$doc +||one1-day.com^$doc +||otakuplay.jp^$doc +||otakurabu.jp^$doc +||p18d6.hp.peraichi.com^$doc +||pairnavipairnavi.com^$doc +||pakok.net^$doc +||paradise-angel.com^$doc +||peaces-ign.com^$doc +||peachzone.site^$doc +||plaza-l1o0nni-p1aza.com^$doc +||ps-sns0girls.com^$doc +||ptron.net^$doc +||ranch-1and.com^$doc +||rexsvj8omabse.jp^$doc +||richheart.completelifetime.com^$doc +||s908b9n62w53u.jp^$doc +||sdhjak.com^$doc +||sea-into-53426l1.com^$doc +||sfsrch.com^$doc +||sokudeai.jp^$doc +||sokuh.net^$doc +||sonic-nicehands.com^$doc +||specialapp-sns.com^$doc +||stowers-service.com^$doc +||sxtown.jp^$doc +||syakoba.com^$doc +||tennshinomitibiki01.com^$doc +||tenshinomitibiki.com^$doc +||unafei-kokusai.com^$doc +||upforit.com^$doc +||vhills.net^$doc +||votteetten.com^$doc +||vqydliiyda.net^$doc +||xn--4dkua4c8143c.jp^$doc +||xn--edkc9m807k.jp^$doc +||xn--n8j0la8wb3547bghe.jp^$doc +||xn--n8jwkyc7fw52nfvd.jp^$doc +||xn--z9j635l1gs.jp^$doc +||xn--z9jzga6u1506a.jp^$doc +||xyg.application-sns.com^$doc +||you4love.jp^$doc +||zmaka.net^$doc +||0281.jp^$doc +||0909810.com^$doc +||093093.jp^$doc +||11093.jp^$doc +||19093.jp^$doc +||2349.jp^$doc +||2h1.jp^$doc +||39093.net^$doc +||39093.tv^$doc +||4151.biz^$doc +||4151.tv^$doc +||55093.com^$doc +||55bdsm.com^$doc +||aeru.tv^$doc +||affairdating.com^$doc +||aitai.biz^$doc +||amantssexy.com^$doc +||askme4date.com^$doc +||b-7.jp^$doc +||babaroa.net^$doc +||bbs-7.jp^$doc +||bbsdx.jp^$doc +||benbbs.net^$doc +||bnbn.jp^$doc +||c-y.jp^$doc +||celcol.jp^$doc +||celebri.jp^$doc +||choucreme.com^$doc +||chy.jp^$doc +||cjok.net^$doc +||crostol.com^$doc +||datenabi.com^$doc +||doem.jp^$doc +||ebifri.com^$doc +||eraberu.jp^$doc +||erocm.com^$doc +||flirtanu.com^$doc +||flirtmoms.com^$doc +||freedom-garden.com^$doc +||freesexmatch.com^$doc +||geh.jp^$doc +||getnaughty.com^$doc +||gofun.jp^$doc +||gspo.jp^$doc +||guj.jp^$doc +||guw.jp^$doc +||h093.net^$doc +||hipma.jp^$doc +||hmai.jp^$doc +||hmhm.jp^$doc +||hoct.cc^$doc +||hxh.jp^$doc +||igetnaughty.com^$doc +||irha.jp^$doc +||jnjn.jp^$doc +||jukcha.com^$doc +||jukuana.net^$doc +||jyk.jp^$doc +||kadak.jp^$doc +||kanbbs.net^$doc +||kokanjo.net^$doc +||koubi.jp^$doc +||koy.jp^$doc +||ksds.jp^$doc +||linblog.info^$doc +||linguette.net^$doc +||locals.dating^$doc +||loveju.net^$doc +||mamak.jp^$doc +||matchx2.com^$doc +||meetdatekiss.com^$doc +||meetpie.net^$doc +||mejp.net^$doc +||mgirl.jp^$doc +||mland.jp^$doc +||mmnav.jp^$doc +||moecoco.com^$doc +||mymymy.net^$doc +||natadecoco.net^$doc +||naughtydate.com^$doc +||newhoney.jp^$doc +||nuide.net^$doc +||oneisan.net^$doc +||oolontya.com^$doc +||pair-pair.com^$doc +||panacota.net^$doc +||piparelli.net^$doc +||pirikitos.com^$doc +||pmew.jp^$doc +||pnav.jp^$doc +||quickflirt.com^$doc +||ricopin.com^$doc +||scnv.jp^$doc +||serev.net^$doc +||sfg.jp^$doc +||sfge.jp^$doc +||singles50.jp^$doc +||smab.jp^$doc +||smism.jp^$doc +||smmax.jp^$doc +||soha.jp^$doc +||sok8.net^$doc +||stomatico.com^$doc +||suguaitaina.com^$doc +||suguao.net^$doc +||sumatuma.com^$doc +||sxe.jp^$doc +||syasei.com^$doc +||tapi2.jp^$doc +||tarto.net^$doc +||tendermeetonline.com^$doc +||tendermeets.com^$doc +||tinql.com^$doc +||together.com^$doc +||maturedating.com^$doc +||topg.jp^$doc +||tubakinohimitsu.amebaownd.com^$doc +||tugonoyoi.com^$doc +||twowife.com^$doc +||txtx.jp^$doc +||ulla.com^$doc +||uniformdating.com^$doc +||wantubad.com^$doc +||wildmeets.com^$doc +||xgal.jp^$doc +||xzo.jp^$doc +||yceleb.com^$doc +||yourskiss.com^$doc +||life-is-luminous.com^$doc +||00ebjdbagyqwt.club^$doc +||0didjsgheje.club^$doc +||5050.fm^$doc +||6xtpke4.com^$doc +||adoptmeantranslate.com^$doc +||after-7.net^$doc +||aikatuz.jp^$doc +||always-happy-fortune.com^$doc +||alwayslike.safestspot.jp^$doc +||apppleheaddd.jp^$doc +||bestcosme.jp^$doc +||browser9182.web.fc2.com^$doc +||burmesterone.jp^$doc +||catchmetalk.com^$doc +||charecttorr.jp^$doc +||charm-n.com^$doc +||chesscheckersvariation.com^$doc +||circle7-bd.com^$doc +||club-house.link^$doc +||cocoro-liberty.com^$doc +||coin-of-fate.jp^$doc +||d-sr.net^$doc +||d-will.net^$doc +||daylighteel.com^$doc +||digital-mail.jp^$doc +||divination-truth.com^$doc +||during-the-holiday.com^$doc +||every-au.com^$doc +||every-bisque.com^$doc +||every-blanched.com^$doc +||every-cute.com^$doc +||every-dark.com^$doc +||every-dodo.com^$doc +||every-enjoy.com^$doc +||every-isb.com^$doc +||every-line1.com^$doc +||every-line2.com^$doc +||every-nejp.com^$doc +||every-pcpc.com^$doc +||every-salmon.com^$doc +||every-super.com^$doc +||every-toroku1.com^$doc +||every-toroku2.com^$doc +||every-toroku3.com^$doc +||experiencedlawsuit.com^$doc +||febdd.info^$doc +||fortune-yakata.com^$doc +||gnan.jp^$doc +||gnchag.com^$doc +||gran-danker.jp^$doc +||gyakunan.net^$doc +||higher-mainnd.jp^$doc +||igazre.com^$doc +||jinsei-uranai2023.com^$doc +||kantei-oracle.com^$doc +||kinhako-m02.com^$doc +||lover-c.com^$doc +||mamagathering.org^$doc +||mc-aoyama.com^$doc +||miracle-door.com^$doc +||mother-sku.jp^$doc +||okanekasegeru.com^$doc +||online-777.jp^$doc +||p-mel.net^$doc +||part-ner01.jp^$doc +||peachcafe.net^$doc +||poison-idea.com^$doc +||polaris-775.com^$doc +||pollutionsatisfyadopt.com^$doc +||prophecy-of-fate.com^$doc +||rosaca-nina.net^$doc +||s-space.jp^$doc +||sokuai.jp^$doc +||spring-sealion.com^$doc +||spiritual-leading.com^$doc +||sugusagasu.com^$doc +||sukui01.com^$doc +||sukui02.com^$doc +||sukui03.com^$doc +||sukui04.com^$doc +||sukuinote.jp^$doc +||sumsmsp.info^$doc +||szddbxyumfcf.net^$doc +||telet.me^$doc +||tomikuji.com^$doc +||ugfdwmausxfy.net^$doc +||unmei2023.com^$doc +||uranai-hit.com^$doc +||uranai-like.com^$doc +||wastearguewasteill.com^$doc +||web.fe-vrier.com^$doc +||whpbrmdss.com^$doc +||will-kantei.com^$doc +||wkdk.jp^$doc +||6xy-zg.com^$doc +||cwa-2020.com^$doc +||dwoetbarcrooplsloiwh.com^$doc +||gargar.making-garden.com^$doc +||like-baloon-leaf.com^$doc +||mor.chance-10dayful.com^$doc +||s.meru.jp^$doc +||x-yz6asktoi.com^$doc +||x-yzn6.com^$doc +||x6-yz-kzyx0.com^$doc +||x6-yzk.com^$doc +||xy-z6goo-xyz.com^$doc +||xy-z6x.com^$doc +||ytjon-d2s1ah.com^$doc +||lets-tip315.com^$doc +||loveri.net^$doc +||lvli.jp^$doc +||m2sg.jp^$doc +||mamasg.net^$doc +||mcbien.net^$doc +||sgua.jp^$doc +||spilov.net^$doc +||splv.jp^$doc +||suguap.net^$doc +||vien.jp^$doc +||a-power.jp^$doc +||eternal-station.jp^$doc +||friends-connect.com^$doc +||kinun-2023.com^$doc +||madonnaoasis.com^$doc +||msg.metamessen.net^$doc +||o-cean-fortune.biz^$doc +||o-cean-fortune.com^$doc +||secondary-with.com^$doc +||fure-ai.com^$doc +||fure-ai.site^$doc +||rea-love.net^$doc +||natu.natural-natural-pure.com^$doc +||btc8228.com^$all +||btc9339.com^$all +||abacus-prefix.com^$doc +||celezma.net^$doc +||dismay-sacred.com^$doc +||loveru.jp^$doc +||morale-yellow.com^$doc +||t1amo.jp^$doc +||uggstore.online^$doc +||fair.alivio-platform.com^$doc +||pair-seat.net^$doc +||pairseat.net^$doc +||sez.jp^$doc +||matching-go.jp^$doc +||kira-kira.blue^$doc +||p-chi.tech^$doc +||vanilla-japan.love^$doc +||jtybleua.jp^$doc +||mai-tel.jp^$doc +||sfc.bz^$doc +||sfget.jp^$doc +||download-campaign.com^$doc +||fine-cloud.net^$doc +||float-next.com^$doc +||matomenever.com^$doc +||mid-round.com^$doc +||otonanojikan13579.net^$doc +||up-loop.net^$doc +||videochat-fan.com^$doc +||mamamour.net^$doc +||2chlovers.web.fc2.com^$doc +||lovez.jp^$doc +||moremorelove.net^$doc +||after-noon.jp^$doc +||bse.bb64bb8.com^$doc +||chatchu.jp^$doc +||cupid-chat.net^$doc +||fx640b4a8v2n.net^$doc +||grace-pot.com^$doc +||leaf.lau-rier.com^$doc +||maiwai2.jp^$doc +||moonlight-ebbandflow.com^$doc +||nanroom.net^$doc +||nowtuma.net^$doc +||pastelism02.jpn.com^$doc +||pineapplecake-yummy.com^$doc +||ssq.spofbd99.com^$doc +||tokuyama-kaiun.com^$doc +||vy8monlf1t.com^$doc +||wifekai.net^$doc +||zerocha.jp^$doc +||chat-search.com^$doc +||happy.pp99adad.com^$doc +||hhh.u3se3jg3gae.com^$doc +||ii.iriiss.com^$doc +||let.attract1v3.com^$doc +||lmoox5.net^$doc +||panlcake.net^$doc +||paradise.shine-site.com^$doc +||s21aabb6.com^$doc +||sstt22free5.com^$doc +||utg.ri64-pdmv.com^$doc +||vegansweeets.jp^$doc +||getmatch.jp^$doc +||hn-mizuki.com^$doc +||urara02032023.com^$doc +||berate-expressive.com^$doc +||gloria-divination.$doc +||mothersmilk.jp^$doc +||otomachi.jp^$doc +||smoothie-smoothie.jp^$doc +||suffix-consignment.com^$doc +||amazonlogistics.jp^$all +||fukusenkan.com^$doc +||koi-chat.net^$doc +||sachikru.com^$doc +||sachikru1.com^$doc +||sachikru3.com^$doc +||sachikru4.com^$doc +||sachikru5.com^$doc +||sachikru7.com^$doc +||sachikru8.com^$doc +||koundayori.com^$doc +||second-love-love.jp^$doc +||deaiai55.com^$doc +||kokocha.site^$doc +||hjytu75fro0.jp^$doc +||secssnetplan.jp^$doc +||emyqsvk7zw.com^$doc +||evqhubkfh8.com^$doc +||jinuja5zgm.com^$doc +||ljqq93npbr.com^$doc +||n9zxgxpdu6.com^$doc +||pnw0kbzjtt.com^$doc +||sdlbtwi3lr.com^$doc +||tvngrq6yat.com^$doc +||vjybuykaxz4.com^$doc +||y2sysagetf.com^$doc +||san-dast.net^$doc +||dedestin0.jp^$doc +||legamee.jp^$doc +||miraiah.jp^$doc +||sen8senjya.jp^$doc +||happy-matome.com^$doc +||fukuroou.jp^$doc +||kennsaku.jp^$doc +||matchingsite.jp^$doc +||for.life-thrones.com^$doc +||7wbb.com^$doc +||me-ru.jp^$doc +||recruit-gold.com^$doc +||emoti-on.com^$doc +||jinsei-undesu.com^$doc +||spiritual-jp.com^$doc +||unki-josho.com^$doc +||xdpiwrx7ub.net^$doc +||feve-r.com^$doc +||mugicom.live^$doc +||romanc-e.com^$doc +||sns3615.com^$doc +||go-ld-li-ne.site^$doc +||gold-line.click^$doc +||gold-line.online^$doc +||cloudmax.jp^$doc +||mama-piece.com^$doc +||mamakatu42.blogspot.com^$doc +||princess2022.com^$doc +||vivian.jp.net^$doc +||cha-nce.net^$doc +||mirusiru.online^$doc +||mirusiru.site^$doc +||mobileverify.net^$doc +||grabgiftcard.net^$doc +||awapp.store^$doc +||softlab.fun^$doc +||appxfree.com^$doc +||appxfree.top^$doc +||kounnomichishirube.net^$doc +||lucksignpost0804.org^$doc +||lightning02s.com^$doc +||lightning0707.com^$doc +||silversex.com^$doc +||flirttime.com^$doc +||scene7goal3.work^$doc +||ma-rry.net^$doc +||ma-rry.site^$doc +||altdorfer-niklaus.com^$doc +||lucky-star8.com^$doc +||tulip-tulip.net^$doc +||koinik.net^$doc +||ukylcim.top^$doc +||yurizono.com^$doc +||9gcpz8hu.com^$doc +||bobonheur.com^$doc +||cit-rine.com^$doc +||ctn-ctn.com^$doc +||holy-kantei.com^$doc +||sk3-renew.com^$doc +||unki-max.com^$doc +||eir.tdhg7ppa.com^$doc +||htjrs-fgds.com^$doc +||recklessdroughtburglar.com^$doc +||the-match.jp^$doc +||gekkei-jyu-gekkei-jyu.com^$doc +||gekkeijyu-gekkeijyu.com^$doc +||evkakuri2308.click^$doc +||gtex3.com^$doc +||nice.par-even.com^$doc +||pr-0m.link^$doc +||wa-nago-wagona.com^$doc +||chi-yo-1807chiyo.com^$doc +||cuddle.koi-ba-na.com^$doc +||globalreward77.com^$doc +||jukukoi.jp^$doc +||jukukoi.me^$doc +||buono2023-web.com^$doc +||michi-fortune.jp^$doc +||miemashita.jp^$doc +||lovely-lovely.com^$doc +||shareno1wish.net^$doc +||cue-find.com^$doc +||d-position.com^$doc +||d-position.shop^$doc +||kaiunnookite.com^$doc +||bs-03-6743-2266.net^$doc +||love2-mail.com^$doc +||gokinjoscreen.com^$doc +||koun-wa.com^$doc +||one----talk.com^$doc +||pc.deainobasyo.jp^$doc +||mariage-inc.com^$doc +||tenmei-michibiki.com^$doc +||10vekatu.jp^$doc +||a-ro-ma.com^$doc +||a1tai7.jp^$doc +||atchao.jp^$doc +||bestchat-chat.com^$doc +||brs.bi09aso-yo.xyz^$doc +||brs.vacat81-best.tokyo^$doc +||chu-chu.jp^$doc +||deai-labo.site^$doc +||enenkatukatumail.com^$doc +||enjoylife2001.net^$doc +||ffr548tyfhe.jp^$doc +||k0k0cha.link^$doc +||ir0d0r1.jp^$doc +||lovelyhappy.jp^$doc +||lovemelo.net^$doc +||ma-t-chy.link^$doc +||maiwa12.jp^$doc +||mat-chy.site^$doc +||me08mo.com^$doc +||media-matchinggo.com^$doc +||meltiest.jp^$doc +||meltylove.jp^$doc +||mem44.com^$doc +||merukore.jp^$doc +||moremoremail.net^$doc +||p-pure.jp^$doc +||p0cket1ove.jp^$doc +||p0rte.site^$doc +||pairife.jp^$doc +||platinumpla2023.com^$doc +||riarialuvluv2023.com^$doc +||romance-time.net^$doc +||sez-pr.com^$doc +||soklove.net^$doc +||sugulove777.com^$doc +||ta0dal0ve.com/^$doc +||ta1kcall.site^$doc +||tada-love.jp^$doc +||tokimekitaine.net^$doc +||tokimekimaildesu.net^$doc +||tokumeichat135.net^$doc +||tokumeichatmail.net^$doc +||tsumatsuma.xyz^$doc +||olive-ft.jp^$doc +||az-l.com^$doc +||luna-t.net^$doc +||sm-bt.net^$doc +||sm-heaven.com^$doc +||smdotcom.com^$doc +||seselagi.com^$doc +||nc2.site^$doc +||recipe000.tokyo^$doc +||y54wdrg.com^$doc +||peach2023.net^$doc +||gokinjo---hot.com^$doc +||www.academicsingles.jp^$doc +||ado.wish-best.com^$doc +||keiunkan.com^$doc +||matching-search.jp^$doc +||matching-searchh.jp^$doc +||falsettoy.click^$doc +||on-li-ne.net^$doc +||pc.mt3sys.com^$doc +||as25ap.com^$doc +||asap15.com^$doc +||sm8787.com^$doc +||foretheure.jp^$doc +||alt.com^$doc +||keenchimairaanthem.com^$doc +||kev8ffh2n9a8.jp^$doc +||qeucuzpbv6jq.jp^$doc +||ccappu-ccinno.com^$doc +||ccappuccinno.com^$doc +||daddyclub.net^$doc +||papamagic.net^$doc +||hoshi-no-michibiki.com^$doc +||hoshi-no-michibiki.jp^$doc +||miracle.magic-connect.net^$doc +||shinoriori2023.jp^$doc +||premium-2023.click^$doc +||premium-2023.info^$doc +||premium-lucky.com^$doc +||fun-uranai.com^$doc +||hrt-hrt.com^$doc +||uranai-su-ki.com^$doc +||million-vita128.com^$doc +||eb-nav.com^$doc +||global-riward77.com^$doc +||x9mw.com^$doc +||essence-one.net^$doc +||himegoto-time.com^$doc +||himegoto-time.jp^$doc +||happiness-app.net^$doc +||happyhappylovely.jp^$doc +||lovelylovelyhappy.jp^$doc +||matching364.com^$doc +||dr5rmdxa.com^$doc +||executiveclub-x3.com^$doc +||kinkyu-desuku-27.com^$doc +||pktbuu.morau.top^$doc +||qxb0v.com^$doc +||w0o.eu^$doc +||zj5c3.com^$doc +||ilovu.store^$doc +||moneyget.top^$doc +||millionget.top^$doc +||iris-making.com^$doc +||lm-mousey-happy.com^$doc +||speeds5-mmiliked.com^$doc +||blackknocckk.jp^$doc +||finelucckyy.jp^$doc +||nokiseitjnemnew.jp^$doc +||vi.violleet.com^$doc +||gg.garrnnet.com^$doc +||super-grander.jp^$doc +||fl.floriittee.com^$doc +||ll.liberrttyy.com^$doc +||6kk2a4t.com^$doc +||eujsiyajep.niigata.jp^$doc +||kantanemusuu.jp^$doc +||sp-ciro-gov.com^$doc +||startwork-introduce.com^$doc +||success-dream.jp^$doc +||lovetwipaco.com^$doc +||sharesharemail.net^$doc +||high-incomes.com^$doc +||line-channel-info.com^$doc +||line-special-information.com^$doc +||safety-line-message.com^$doc +||secure-line-network.com^$doc +||fun-comu.click^$doc +||fun-comu.space^$doc +||make-money-happy.site^$doc +||rich-cash.fun^$doc +||t-gotousen.fun^$doc +||t-gotousen.site^$doc +||t-haihukikaku.site^$doc +||take-money-happy.fun^$doc +||take-money-happy.site^$doc +||tw-happy.space^$doc +||tw-lucky.site^$doc +||luxury-dream.site^$doc +||make-money-happy.online^$doc +||t-haihukikaku.online^$doc +||t-present.online^$doc +||rich-cash.site^$doc +||side-joblp.com^$doc +||71l0b.com^$doc +||ajv06.com^$doc +||f8dt6.com^$doc +||m65ln.com^$doc +||mphb0.com^$doc +||e-chat1.com^$doc +||fc67x.com^$doc +||5hjd9t.com^$doc +||cd7z7b.com^$doc +||d8yfr7.com^$doc +||everydaykennsyou.com^$doc +||king-sweepstakes.com^$doc +||qaghoz.com^$doc +||rjwc95.com^$doc +||xhictk.com^$doc +||64ws9x.com^$doc +||npdptp.com^$doc +||resort-life7.com^$doc +||moraeru.top^$doc +||mmnn.jp^$doc +||pxmmm23.net^$doc +||lutherinfo2.com^$doc +||mamatech.pepper.jp^$doc +||manpuku-ja.com^$doc +||manpuku-ja.jp^$doc +||ms-lounge.net^$doc +||sm-sl.net^$doc +||ssr1000.com^$doc +||sslovexxxrr.com^$doc +||st-art.life^$doc +||ten-un.com^$doc +||xanadu-du.com^$doc +||z9iq6vt.com^$doc +||yuppie-yuppie.com^$doc +||enchantedfruit.com^$doc +||meltsweetbite.com^$doc +||okanekubari.site^$doc +||4kx3a.com^$doc +||ce0oil1ibu.com^$doc +||ezg-iy.com^$doc +||hjr-wq.com^$doc +||olt-nw.com^$doc +||abrhsuoamrnrx.com^$doc +||agqycbadbofog.com^$doc +||awagbbxlyqoys.com^$doc +||blfeiywbthjom.com^$doc +||brwasnlipggqq.com^$doc +||bvwozybuqztvg.com^$doc +||efljiccdztabg.com^$doc +||fbgajrlmjiotb.com^$doc +||hneeeixuyivwg.com^$doc +||hrzonvohdppab.com^$doc +||iinfssspoipo.com^$doc +||jjvkbzdungkop.com^$doc +||jqbwhhxvcytgh.com^$doc +||jvuihhlzixawx.com^$doc +||khrbuumwcntfx.com^$doc +||kmnvwjrbskybh.com^$doc +||kswrkbdsejqpm.com^$doc +||lwjrudzmzygol.com^$doc +||motsrgidyzoaz.com^$doc +||nlfhtxehjzeti.com^$doc +||ptgt.monuone-present.com^$doc +||rsgyndxlwfurm.com^$doc +||sfxmgzhaeeguq.com^$doc +||zekhauukqrqwx.com^$doc +||mugen-online.com^$doc +||unlock-the-bg2.com^$doc +||yl-0-wf.com^$doc +||auto.giz-store.com^$doc +||heat.tsu-bas.com^$doc +||hapihapi24.com^$doc +||layer-pj.com^$doc +||xn--gmqz9af0r9srup0c.com^$doc +||shop22.fishkillbaptistnurseryschool.org^$all +||a-labyrinth.com^$doc +||du0.jp^$doc +||hapinet.net^$doc +||kiseki.com^$doc +||b.eeaach.com^$doc +||gre.green-g-r-ee-n.com^$doc +||msdjdhj-tyq.com^$doc +||fukutoku-miyako.com^$doc +||ka73-urara.club^$doc +||uraaka.net^$doc +||peraichi.com/landing_pages/view/s8j8k/$doc +||lovelove-on-line.site^$doc +||gmatch.jp^$doc +||mai1b0x.com^$doc +||majiainc.com^$doc +||meet-up.jp^$doc +||torquetrove.com^$doc +||getm.site^$doc +||kuronekoyamzyato.top^$all +||9npze.com^$doc +||gsi3t.com^$doc +||support-e-n.com^$doc +||n43vr.com^$doc +||qf6tm5ug.com^$doc +||azbzcz.com^$doc +||candycandypop.com^$doc +||fate-15.com^$doc +||loveste.cc^$doc +||marketingcareer.jp^$doc +||showa-klub.com^$doc +||lines.fxmwjjeusmulsjf.com^$doc +||new.deeper-start.com^$doc +||xczzfvxknafgoawjtv.com^$doc +||lover.new-n-e-x-u-s.com^$doc +||lines.hdaprocqxmthax.com^$doc +||lshyodrgehlnyswsjq.com^$doc +||lum-i0e0r0e.com^$doc +||himitumatch.com^$doc +||yy4rhgzd.com^$doc +||fallenscfwqy2pbin0.jp^$doc +||genetick4zwtf6c8mh5.jp^$doc +||harmfuleqwrj14xnvdc.jp^$doc +||marginz03nx1oe.jp^$doc +||nextb5vzysjcq8d0.jp^$doc +||outdoorvzk6la39o7r8.jp^$doc +||political7450163928.jp^$doc +||reasonable5786mi4n3srxq.jp^$doc +||supervision6912305847.jp^$doc +||tender9041257836.jp^$doc +||veryverythanks1123.jp^$doc +||brotherorgan.com^$doc +||familymusicman.com^$doc +||motherguitar.com^$doc +||swe.sweet-sweet-sweets.com^$doc +||vqsrz.ctwyrs2aki6zyggj.com^$doc +||webworks-plus.jp^$doc +||colorfulromance.com^$doc +||gmatch.jp^$doc +||blue-uranai.com^$doc +||bluemoon-uranai.com^$doc +||bm-bluemoon.com^$doc +||kin-un2023.com^$doc +||kinun-777.com^$doc +||kousenkan.com^$doc +||aikotoba2020.com^$doc +||ainokotoba1515.com^$doc +||yunekon2taxiy.jp^$doc +||midnighteaparty.com^$doc +||nav1.jp^$doc +||gamojinsegesegeas.com^$doc +||jalaobrsdrgssdrgrs.com^$doc +||ml.ml.wawahrsdfrhfsdfh.com^$doc +||up.ch3m1stry.com^$doc +||wawahrsdfrhfsdfh.com^$doc +||hoshiyomi-yakata.com^$doc +||hoshiyomi-yakata.jp^$doc +||admin-matching-pair.jp^$doc +||matching-pair.jp^$doc +||media-matching-pair.jp^$doc +||mimiray-k.jp^$doc +||miray-k.jp^$doc +||kaimiray-k.jp^$doc +||luna-ria.jp^$doc +||ms88sv.com^$doc +||msiv5.com^$doc +||free-ren.jp^$doc +||free-ren.com^$doc +||zeroappointment.com^$doc +||zeroapo.com^$doc +||zeroendeapo.com^$doc +||fortune-crystal.com^$doc +||ctl.ultima.fun^$doc +||fab-inst.com^$doc +||ai-mono.jp^$doc +||again-agreement.com^$doc +||birth-bravery.com^$doc +||cross-customer.com^$doc +||desk-dictionary.com^$doc +||event-experiment.com^$doc +||final-future.com^$doc +||t-uraaka.site^$doc +||jap.cookingsboss.com^$doc +||jap.cookinggenuine.com^$doc +||ai-referee.com^$doc +||present-folio.jp^$doc +||surprise-folio.jp^$doc +||gamecygenn.com^$doc +||cryp-prel.com^$doc +||lowsoop.com^$doc +||5qex5.com^$doc +||bxn45.com^$doc +||gnkpy.com^$doc +||cgcsarz0opg.jp^$doc +||sakudon293ssp.jp^$doc +||accord-adoration.com^$doc +||banquet-barbecue.com^$doc +||campus-cardigan.com^$doc +||desirable-desktop.com^$doc +||efficient-election.com^$doc +||fantasy-federation.com^$doc +||only.hearty-community.com^$doc +||mithu02s.com^$doc +||impoverishedordealscrutinize.com^$doc +||hfykmfd1.com^$doc +||urgentrecommendationclimate.com^$doc +||worlddating365.com^$doc +||lien-lienam.com^$doc +||rune-luna-moon.com^$doc +||blue-could.com^$doc +||happy-life-everyday.club^$doc +||lovely-fortune.com^$doc +||ombrewa.space^$doc +||will-lucky-will.com^$doc +||chosentalladvanced.com^$doc +||methodsbillboardssurface.com^$doc +||li-ke-lo-ve.com^$doc +||like-love.net^$doc +||m-eteor.com^$doc +||m-eteor.shop^$doc +||b-cdn.net/human-verify-system.html$doc +||b-cdn.net/verify-captcha-$doc +||r2.dev/human-verify-system.html$doc +||sun123o.space^$doc +||harmonic-serenity.space^$doc +||yy8j.com^$doc +||pt.halhal.click^$doc +||reductioncarnival.com^$doc +||t-campaign.fun^$doc +||t-service.pics^$doc +||ap-ple.biz^$doc +||ap-ple.net^$doc +||bride1be.com^$doc +||cheri-sh.jp^$doc +||cheri-sh.net^$doc +||e-c.tokyo^$doc +||for-precious.net^$doc +||iroha-oran24.com^$doc +||jp.rian-rian.com^$doc +||kaigan-kaiun-fortune.com^$doc +||ri11que-za.com^$doc +||rokuseikantei.com^$doc +||match-member.com^$doc +||tu-tu.jp^$doc +||uusshmhmba.com^$doc +||jg5y2nkdg.com^$doc +||vip-salon.net^$doc +||voicehp.com^$doc +||yuri0513kago.com^$doc +||yurika-go0415.com^$doc +||agoke0333.info^$doc +||dgoke0333.info^$doc +||golsoe033.info^$doc +||icpkw0333.info^$doc +||sgoke0333.info^$doc +||ic0828op.com^$doc +||sns-rank-sidework.site^$doc +||j9q8dmk6.com^$doc +||kas6mjgmxhn5.com^$doc +||zjjgbuiy.com^$doc +||jkoi.jp^$doc +||dream901o.fun^$doc +||gold456o.fun^$doc +||light678o.fun^$doc +||sky567o.fun^$doc +||t-campaign.website^$doc +||t-service.lol^$doc +||5ra-greaws.com^$doc +||bibian4k.com^$doc +||bacchuss.net^$doc +||sg1first-syspro.jp^$doc +||ssgalaxy-sysgold.jp^$doc +||5sa74e2.com^$doc +||foryouswk.jp^$doc +||bell-02.com^$doc +||bell-03.com^$doc +||mirai-jc.jp^$doc +||herebyintentionally.com^$doc +||m-ateria.com^$doc +||hhll.app^$doc +||lu-club-de-matching.com^$doc +||l-partner.jp^$doc +||lpartner.jp^$doc +||peace-77place.com^$doc +||peach-next.info^$doc +||profileclub.info^$doc +||freeshot.info^$doc +||e95nfjld.com^$doc +||orga29.com^$doc +||the-latest-version.com^$doc +||book234h.fun^$doc +||litlink.site^$doc +||dem94jfdmn3d.net^$doc +||nyancokuji.xyz^$doc +||star789h.fun^$doc +||vip-money2024.com^$doc +||g5chat.com^$doc +||matchtap.site^$doc +||adak.adm1r3.com^$doc +||buzz-gric.com^$doc +||crowd-nrgt.com^$doc +||drg-mcre.com^$doc +||filter-zgzy.com^$doc +||girl-ewun.com^$doc +||heed-mvor.com^$doc +||loudly-xipt.com^$doc +||realm-foym.com^$doc +||rice-iten.com^$doc +||sodium-icft.com^$doc +||abusive-isolate.com^$doc +||curious-deplete.com^$doc +||memorial-mem0ria1.com^$doc +||memory-storage.net^$doc +||call-chieftain.com^$doc +||deep-dealings.com^$doc +||easy-elation.com^$doc +||o-ka-pilina.com^$doc +||dr-sapuri.jp^$doc +||sweet-1ove.jp^$doc +||u-to--u.com^$doc +||u-to-u.com^$doc +||u--to-u.com^$doc +||aibeautia1.jp^$doc +||loto7-diamond-club.com^$doc +||lotochance.hp.peraichi.com^$doc +||lotochance-vip.com^$doc +||bizdizorganization.com^$doc +||connect-s2-chat.com^$doc +||scrutinizeordealscrutinize.com^$doc +||story-story.life^$doc +||mcdonal.fujicandy-balibalione.net^$doc +||penst-hap9p-chat.com^$doc +||penst3-hap11o-chat.com^$doc +||soul-of-compass.com^$doc +||e-manager-kanri.com^$doc +||info-top-letter.com^$doc +||noi9va4ewa.com^$doc +||thanksgift-special.com^$doc +||mailtherapyask.com^$doc +||xs525890.xsrv.jp^$doc +||mail-m-m.com^$doc +||raspberrysliceq.jp^$doc +||amschat.top^$doc +||coupletalk2024.com^$doc +||rain890o.fun^$doc +||t-eroero.monster^$doc +||t-echi.fun^$doc +||adult-ntrchanel.com^$all +||echi-echi-time.org^$all +||track.chkr7.com^$all + +! https://github.com/AdguardTeam/AdguardFilters/issues/142492 +||apkmirror.co^$all +||webogram.org^$all +||webogram.ru^$all +||xn--80affa3aj0al.xn--80asehdb^$all +||telegr.am/user_mgt/login$all +||tgram.ru^$all +||telegramm.site^$all +||web-telegram.net^$all + +! https://app.any.run/tasks/679e9afa-eb19-4414-a086-e280a779a448 and https://tria.ge/230217-xd8nksgc9x/behavioral2 +||anapatformacion.org/modules/file/tor/tor-browser.zip^$all + +! https://github.com/uBlockOrigin/uAssets/issues/16397 +/^https:\/\/[a-z]+\.com\/away\.php\?url=[%0-9A-z]{100,}$/$doc + +! https://github.com/AdguardTeam/AdguardFilters/issues/143447#issuecomment-1438352020 +||a-new86.com^$all +||ane102.net^$all +||koi2ru.com^$all +||room2021.net^$all +||roomoshirase.net^$all +||smore91.net^$all +||som419.net^$all +||touchoshirase.net^$all +||touchtacchi.net^$all +||wswsnews.net^$all +||fotkyin.top^$all + +! https://www.reddit.com/r/uBlockOrigin/comments/11s92xa/ +! https://www.virustotal.com/gui/url/e1d9aadb5c1f979f0c83a54015cf84cda2da0fa9c4b452c6dabe62deeb70add5/detection +||s3.amazonaws.com/extpro/speed4.html$all + +! https://www.reddit.com/r/uBlockOrigin/comments/11s92xa/badware_risks_page_request_malware/jceopse/?context +! https://pastebin.com/t3z1m0tN +! https://www.virustotal.com/gui/url/2fb57656f55db6d335696767de2d73693a31148429ef6b51b97c01e43563a8ee +! https://www.virustotal.com/gui/url/7f8f874b486a656948944aa205c75fc490cff1235f1114e067f161e69f0bcbb9 +||imgfarm.com/images/dlp2/prod$3p +||myway.com^$all +/anemone-*.min.js$script,1p + +! techsupport scam +/?{BV_SRCID}&$doc +/werrx01/^$doc +/merrx01/^$doc +||ondigitalocean.app/*^phone=+1-$doc +||plesk.page/*?phone=$doc +/W*ity0*00Er00*/index.$doc +||s3.ap-northeast-1.amazonaws.com/tedex.com/*/index.html$all +||smarttvnew.vercel.app^$all +/systemerror-mac/?$doc +/Win0SecurityEr0CH0700Err0rSt/index.html$doc +/werrx01/index.html$doc +||activexsportswear.com^$all +||besttreasurecoastroofing.com^$all +||eharmonysingle.online^$all +||errorordufhwe.s3.ap-south-1.amazonaws.com^$all +||microsoftsupportservices.com^$all +||s3.ap-northeast-2.amazonaws.com/%*!!%*/index.html$doc +||s3.amazonaws.com/securityfotrus.1.13/index.html$all +||s3.eu-west-2.amazonaws.com/675.88.u6.8878/index.html$all +||s3.us-west-1.amazonaws.com/security.uni.firewall.$all +/Win00Security07/index.html$document +/Er0Wind0fsd0Security087/index.html$doc +||websafety.online^$all +||cnctddot.com^$all +||mct-niger.com^$all +||stb-media.xyz^$all +||compass-holding.com^$all +||theweddingmahotsav.com^$all +||detailsreceipts.com^$all +||hodllane.com^$all +||165-227-173-120.plesk.page^$all +||pushlandings.b-cdn.net^$all +||64-226-126-114.plesk.page^$all +||fastndio.s3.eu-central-1.amazonaws.com^$all +||pub-77106c9273be4f3fbec6b6d6c3c51b7f.r2.dev^$all +||janganhackya.com^$all +||s3.ap-northeast-1.amazonaws.com/ongoing.com/aanoitmessure/index.html^$all +||setkuttina.pages.dev^$all +||certificate-certificate.gettrials.com^$all +||boring-tesla.149-102-231-176.plesk.page^$all +||xbasugigqiuegiwqdbsx.s3.ap-northeast-1.amazonaws.com^$all +||perutzxrqe.ru.com^$all +||uwqghwfdwqywetqwfghewqeqweig.s3.ap-southeast-2.amazonaws.com^$all +||baattakkkk.online^$all +||fantastic-salamander-c721cb.netlify.app^$all +||shishimishi.shop^$all +||track7.online^$all +||ondigitalocean.app/*/index.php?cezp=$doc +||amazonaws.com/*.*.*.*.*.*.*.*/*/index*.html$doc +||jp-helplineweb-chrsmjinfgtizonedswebs-01.s3.ap-southeast-2.amazonaws.com^$all +||germanytechsupport.pages.dev^$all +||systemsupport.pages.dev^$all +||techsupport-ev2.pages.dev^$all +||pub-3b4d978c14114185847089b100168c84.r2.dev^$all +||31snowmeprona.ru.com^$all +||9wqjkdisaodjwqd.sa.com^$all +||tingtang.pages.dev^$all +||tomtom.pages.dev^$all +||wertyhjuhg.online^$all +||adolphusisomlycyou.pages.dev^$all +||lianashepard.autos^$all +||nihongirl.online^$all +||blob.core.windows.net/$web/index.html$doc +||windows.net/*?bcda=$doc +/index.html?ph0n=1-$doc +||technosoft35.ru^$all +||cj7tv5fq8p.com^$all +||pages.dev/Wi0n0erAry0mpAlert048/$all +||netlify.app/errox01/?$all +||infinityserve.life^$all +||seishinyoga.com^$all +||microchromejapan.b-cdn.net^$all +/^https:\/\/[a-z]{16,}\.s3\.[-a-z]+1\.amazonaws\.com\/[a-z]{66,}(?:\/[a-z]{45})?\.html/$doc,match-case,to=amazonaws.com +/^https:\/\/[-a-z]{16,}\.z\d{2}\.web\.core\.windows\.net\/[a-z]{70,}(\/[a-z]{50,})?\.html/$doc,match-case,to=web.core.windows.net + +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/302#discussioncomment-10338866 +||pages.dev/*/Fm7-alert.wav +||pages.dev/*/ai2.mp3 +||pages.dev/*_Fm7-alert.mp3 +||pages.dev/0wa0rni0ng0.mp3 +||pages.dev/a0ler0tm0s.mp3 +||pages.dev/al1.mp3 +||pages.dev/yaketsuku.mp3 +||pages.dev/fulls.js +||pages.dev/fullscreen.js +||pages.dev/media/alert.mp3 +||pages.dev/nvidia.js +||pages.dev/js/esc.js +||pages.dev/js/flscn.js +||pages.dev/js/nvidia.js +||r2.dev/_Fm7-alert.mp3 +||r2.dev/media/_Fm7-alert.mp3 +||windows.net/*/esc.js +||windows.net/*/flscn.js +||windows.net/js/jsd1.js +||windows.net/js/jsd2.js +||windows.net/js/jupiter.js +||windows.net/js/noir.js +||windows.net/js/nvidia.js +||windows.net/media/beep.mp3 +||windows.net/*/media/beep.mp3 +||windows.net/media/_Fm7-alert.mp3 +||b-cdn.net/jupiter.js +||b-cdn.net/noir.js +||b-cdn.net/nvidia.js + +! https://twitter.com/genegene1234561/status/1647164176438280192 +||japanonlinebroadcast.live^$all + +! https://www.reddit.com/r/uBlockOrigin/comments/12ng4o8/ +! https://www.virustotal.com/gui/url/fe6b4bc7a258a92a97ad3216c85d159857ccd581df9b31a50a308ca49f967e34 +! https://www.virustotal.com/gui/url/0d491da362effc08d2b026f32242046d174165e7995abbde6917ef7864a7556c +||crackedpc.org^$all +||cracksway.com^$all + +! https://www.reddit.com/r/uBlockOrigin/comments/12r255v/gamingnewsanalystcom_badware/ +! https://github.com/uBlockOrigin/uAssets/pull/17655 +||gamingnewsanalyst.com^$all +||gamingdebates.com^$all + +! https://www.reddit.com/r/uBlockOrigin/comments/12vi0jy/ +! https://www.virustotal.com/gui/url/e705e6e86261849df50f80f32db2bb74abb1f69fd2681a370c5013be27c9daf0 +! https://www.virustotal.com/gui/file/f1e859d99072e35f20e172d8458e3ea1baf8ba86c8c9e311a0debcd2acd5d0fc +||bonzi.link^$all + +! https://www.reddit.com/r/uBlockOrigin/comments/1314r3d/ +! https://www.virustotal.com/gui/url/23a6e05b5c2005b085b2cb41f35cddf2e689d72797448dd8c7399f7f929507e0 +||bestgames-2022.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/17869 +||videoadblocker.pro^$all + +! https://github.com/uBlockOrigin/uAssets/issues/17947 +! https://www.virustotal.com/gui/domain/pccdirect.site +! https://safeweb.norton.com/report/show?url=pccdirect.site +||pccdirect.site^$all + +! https://github.com/uBlockOrigin/uAssets/issues/17960 +! https://malwaretips.com/blogs/remove-template-search-newtab/ +! https://www.virustotal.com/gui/domain/templatesearch.org +||templatesearch.org^$all + +! https://www.reddit.com/r/uBlockOrigin/comments/13a95k2/ +! https://www.virustotal.com/gui/url/dfe9c3f9bf87d003c70fecae8012b9fe4858a3922e6218b05a672fd3fe7f140e +! https://safeweb.norton.com/report/show?url=f-i-n-d.onlyfuns.win +! https://sitecheck.sucuri.net/results/f-i-n-d.onlyfuns.win +||f-i-n-d.onlyfuns.win^$all +! https://safeweb.norton.com/report/show?url=search-journal.onlyfuns.win +! https://urlscan.io/result/826671e6-126b-4113-82e3-24d96469bd93/ +! https://sitecheck.sucuri.net/results/https/search-journal.onlyfuns.win/ydt +! https://www.virustotal.com/gui/domain/search-journal.onlyfuns.win +! https://www.virustotal.com/gui/domain/ftx.onlyfuns.win +||search-journal.onlyfuns.win^$all +||ftx.onlyfuns.win^$all +! https://www.virustotal.com/gui/domain/adultpics.wiki +||adultpics.wiki^$all + +! https://github.com/uBlockOrigin/uAssets/issues/18103 +! https://www.virustotal.com/gui/file/1f4f7b787ee329059e4de4487ba5c17c7c6ca3be95b72c9873fc9380632fa1f9/ +! https://www.virustotal.com/gui/domain/d2r3dgsh5nr4kg.cloudfront.net +! https://www.virustotal.com/gui/domain/gamefabrique.com +! https://otx.alienvault.com/indicator/domain/gamefabrique.com +! https://opentip.kaspersky.com/gamefabrique.com +! https://safeweb.norton.com/report/show?url=gamefabrique.com +! https://www.urlvoid.com/scan/gamefabrique.com/ +||gamefabrique.com^$all +||d2r3dgsh5nr4kg.cloudfront.net/installer/$all + +! https://github.com/uBlockOrigin/uAssets/issues/18208 +||hard-configurator.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/18332 +! https://github.com/uBlockOrigin/uAssets/issues/18333 +||filmshngjbzix.blogspot.com^$all +! https://www.virustotal.com/gui/domain/mopiez.com +||mopiez.com^$all +! https://www.virustotal.com/gui/domain/goglel.com +||goglel.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/18380 +||bestextensionegde.com^$all + +! https://github.com/DandelionSprout/adfilt/discussions/779#discussioncomment-6298369 +.com/api/users*^pii=&in=false^$doc +.com/api/users*^in=false&pii=$doc +.com/api/users*^in=false&token=$doc + +! https://github.com/AdguardTeam/AdguardFilters/issues/158317 +||asdmcm.com^$all +.com/bot-captcha-1?h=$doc + +! https://github.com/AdguardTeam/AdguardFilters/issues/159825 +/^https:\/\/[a-z]{5,7}\.[0-9a-z]{12}\.top\/[0-9a-f]{32}\/[0-9-a-f]{32}\/$/$doc,match-case,to=top +/\/[0-9a-f]{32}\/maq\/$/$doc,match-case,to=com|top +/antivirus/main/cleaner-default/*$doc + +! Copycat and fake sites +! FitGirl Repacks - Official site: fitgirl-repacks.site +! https://old.reddit.com/r/FitGirlRepack/ +! https://old.reddit.com/r/PiratedGames/comments/drlx3r/does_anyone_know_the_official_website_for_fitgirl/ +! https://old.reddit.com/r/CrackWatch/comments/wl7nfb/dream_cycle_v209_release_fitgirl_repack_158_gb/?context=3 +! https://github.com/uBlockOrigin/uAssets/issues/15085 +! https://github.com/uBlockOrigin/uAssets/pull/15850 +||fitgirl-repacks.*^$all,domain=~fitgirl-repacks.site,to=~fitgirl-repacks.site +||fitgirl-repack.*^$all,domain=~fitgirl-repacks.site +||fitgirlrepacks.*^$all,domain=~fitgirl-repacks.site +||fitgirlrepack.*^$all,domain=~fitgirl-repacks.site +||fitgirls-repack.*^$all,domain=~fitgirl-repacks.site +||fitgirl-repacks-site.org^$doc,domain=~fitgirl-repacks.site +! https://github.com/uBlockOrigin/uAssets/issues/18205 +||fitgirlrepacksite.com^$all,domain=~fitgirl-repacks.site +! https://github.com/uBlockOrigin/uAssets/issues/18206 +||fitgirl.cc^$all,domain=~fitgirl-repacks.site +! https://github.com/uBlockOrigin/uAssets/issues/21658 +||fitgirlrepackz.*^$all,domain=~fitgirl-repacks.site +! https://github.com/uBlockOrigin/uAssets/pull/22532 +||fitgirltorrent.*^$all,domain=~fitgirl-repacks.site +! Magisk manager - Official site: https://github.com/topjohnwu/Magisk +! https://xda-developers.com/psa-magiskmanager-com-not-official-website-magisk/ +! https://forum.xda-developers.com/t/downloaded-a-fake-magisk.4581461/ +! https://old.reddit.com/r/Android/comments/7r346t/psa_magiskmanagercom_is_not_the_official_website/ +! https://github.com/topjohnwu/Magisk/issues/3435 +! https://github.com/hagezi/dns-blocklists/issues/1744 +||magiskmanager.com^$all +||magisk.me^$all +||magiskapp.com^$all +||magiskroot.com^$all +||magiskroot.net^$all +||magisks.com^$all +||themagisk.com^$all +||magiskzip.*^$all +||magiskmodule.com^$all +||magiskmanagerroot.com^$all +||magisk.download^$all +||magisk.info^$all +! LibreTube - Official site: libretube.dev +! https://github.com/libre-tube/LibreTube/issues/4409 +||libretube.*^$all,domain=~libretube.dev,to=~libretube.dev +||libretubeapk.com^$all,domain=~libretube.dev +! ReVanced - Official site: revanced.app +! https://old.reddit.com/r/revancedapp/comments/1327o38/list_of_fake_revanced_sites_download_sites/ +! https://old.reddit.com/r/AfterVanced/comments/wf4ov1/the_raftervanced_faq_frequently_asked_questions/ +! https://github.com/revanced/revanced-discussions/discussions/854#discussioncomment-4565731 +! https://safeweb.norton.com/report/show?url=revanced.io +! https://sitecheck.sucuri.net/results/revanced.io +! https://github.com/uBlockOrigin/uAssets/pull/17469 +! https://github.com/uBlockOrigin/uAssets/issues/18857 +! https://github.com/uBlockOrigin/uAssets/pull/19580 +! https://github.com/hagezi/dns-blocklists/issues/2288 +||revanced.$all,from=~revanced.app,to=~revanced.app +||revancedapk.$all,domain=~revanced.app +||revancedapp.$all,domain=~revanced.app +||ytvancedpro.com^$all,domain=~revanced.app +||youtubevanced.$all,domain=~revanced.app +||youtuberevanced.*^$all,domain=~revanced.app +||revancedmusic.com^$all,domain=~revanced.app +||revancedyoutube.org^$all,domain=~revanced.app +||revancedextend.com^$all,domain=~revanced.app +||revancedextended.$all,domain=~revanced.app +||revanced-extended.com^$all,domain=~revanced.app +||extendedrevanced.com^$all,domain=~revanced.app +||ytrevanced.$all,domain=~revanced.app +||vanced-official.com^$all,domain=~revanced.app +||vanced.pro^$all,domain=~revanced.app +||vancedmanager.$all,domain=~revanced.app +||revancedapps.$all,domain=~revanced.app +! LuckyPatcher - Official site: luckypatchers.com +! https://old.reddit.com/r/luckypatcher/comments/rawq9f/what_is_the_official_website/ +! https://old.reddit.com/r/luckypatcher/comments/aln5tj/official_download_for_lucky_patcher/ +||luckypatcher.*^$all,domain=~luckypatchers.com +||luckypatchers.*^$all,domain=~luckypatchers.com,to=~luckypatchers.com +||luckypatcherwin.com^$all,domain=~luckypatchers.com +! Balena Etcher - Official site: etcher.balena.io +! https://forums.balena.io/t/counterfeit-etcher-websites/274606/5 +||etcher.net^$all,domain=~etcher.balena.io +||etcher.download^$all,domain=~etcher.balena.io +||balenaetcher.$all,domain=~etcher.balena.io +||balena-etcher.com^$all,domain=~etcher.balena.io +! Vencord - Official site: vencord.dev +! https://github.com/uBlockOrigin/uAssets/pull/19359 +||vencord.app^$all,domain=~vencord.dev +! NewPipe - Official site: newpipe.net +! https://github.com/uBlockOrigin/uAssets/pull/22134 +||newpipe.app^$all,domain=~newpipe.net +! Z-Library - Official sites: singlelogin.se, singlelogin.re, z-library.se, zlibrary-global.se, go-to-zlibrary.se +! https://www.reddit.com/r/zlibrary/comments/16xtm67/if_you_cannot_download_any_books_then_youre_on/ +! https://github.com/uBlockOrigin/uAssets/pull/22998 +||z-lib.io^$all +||z-lib.id^$all +||zlibrary.to^$all +||z-lib.yt^$all +||z-lib.lol^$all +||zlibrary-global.com^$all +||zlib-official.com^$all +||zlibrary.lol^$all +||z-library.live^$all +||z-library.blog^$all +||z-library-proxy.com^$all +||go-to-zlibrary.com^$all + +! phishing https://www.virustotal.com/gui/url/8521a1e5b4269111fb1e98f2142739dad1d6fb42ddf5198597c68abfea395f7f/detection +||reink2.top^$all + +! https://github.com/DandelionSprout/adfilt/discussions/779#discussioncomment-7137675 +||86pmafno21mst.com^$all +||akyr3h9x5mb.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/20036 +! https://tria.ge/231010-1rdl5sfg68/behavioral1 +||tiger.qnews.media^$3p +||s8bet.com^$doc +||imagebet.ph^$all +||googleeplay.com^$all +||mingvip.com^$all +||t89ll.com^$doc +||brkbk.202226.net/jump/index.html$doc +||kbkb.bet^$doc +||bxtongji.cc^$all +||04tips.com^$all +||cdn.jsdelivr.net/gh/cnmseo/LookMother$3p +||urjump.com^$doc +||m8u9f3.com^$doc +|http://playing.io/?inviteCode=1000631|$doc +|http://playing.io/?inviteCode=1000632|$doc +||ttt777.com^$doc +||cloudflarebros.com^$all +||brcknkblue.com^$all +www.cambe.pr.gov.br##+js(noeval-if, tigervip2) + +! https://tria.ge/231024-3lc5jace3w/behavioral1 & https://tria.ge/231024-3s7ygsbg39/behavioral1 +! https://github.com/uBlockOrigin/uAssets/pull/20272 +||adblock1.com^$all +||newupdatesnow.com^$all +||thefinanceadvice.com^$all +||fralstamp-genglyric.icu^$all + +! https://github.com/uBlockOrigin/uAssets/issues/20335 +||ilil.in^$all + +! https://github.com/uBlockOrigin/uAssets/issues/20400 +||ets2.gr^$all + +! https://github.com/uBlockOrigin/uAssets/pull/21315 +! https://bbs.kafan.cn/thread-2258753-1-1.html +||chromegoogle.cn^$all + +! https://github.com/uBlockOrigin/uAssets/pull/21316 +! https://bbs.kafan.cn/thread-2262861-1-1.html +||mk90.shop^$all + +! Cryptocurrency Scams +||mevtime.com^$all +||musk-project.com^$all +||muskusa.com^$all +||cealits.com^$all +||pepzk-community.xyz^$all +||earth-ling.org^$all +||muskevent.info^$all +||teslamaked.com^$all +||cryptomusk.io^$all +||youtube.com/@Tesla.debate_live2024^$doc +||youtube.com/@TheCryptoLarkCrypto^$doc +! https://github.com/uBlockOrigin/uAssets/issues/24296 +! https://www.virustotal.com/gui/url/95c95990e40d0859a1766b2da6047f64d2faecee65d74669243d443c7c185ebf +! https://www.urlvoid.com/scan/teslafond.io/ +||teslafond.io^$all +! https://github.com/uBlockOrigin/uAssets/issues/24590 +||teslacore.io^$all +! https://github.com/uBlockOrigin/uAssets/issues/24734 +||btc24.info^$all +||youtube.com/@tesla24official^$doc +! https://www.reddit.com/r/Scams/comments/1fjggp3/deepfake_of_elon_musk_promoting_a_scam_qr_code/ +||usmusk.net^$all +! https://github.com/uBlockOrigin/uAssets/issues/25492 +||foundations-x2024.*^$doc,to=foundations-x2024.* +||foundations-x2024.cloud^$all +||foundations-x2024.sbs^$all +! https://github.com/uBlockOrigin/uAssets/issues/25832 +||trump-drop.org^$all +||youtube.com/@tesla.Iive.officiaI.24^$doc +! https://gizmodo.com/elon-musk-fans-are-losing-so-much-money-to-crypto-scams-2000515413 +||elondonald.com^$all +||musktrump.io^$all +! https://github.com/uBlockOrigin/uAssets/issues/26056 +||stage3-last.$doc,to=~edu|~gov +||stage2024.$doc,to=~edu|~gov +! https://github.com/uBlockOrigin/uAssets/issues/26174 +||presale-friday.$doc,to=~edu|~gov +||sale-friday.$doc,to=~edu|~gov +||stage3sale.$doc,to=~edu|~gov +||stage3sale2024.$doc,to=~edu|~gov +||black-sales.$doc,to=~edu|~gov + +! xai scams +/^https:\/\/xai\w+(?:\.\w+)?\.[a-z]{3,}\/presale\b/$doc,match-case,to=~edu|~gov +/^https:\/\/[-\w]+xai\.[a-z]{3,}\/presale\b/$doc,match-case,to=~edu|~gov +||xaitoken.live^$all +||investxai.pro^$all +||xai85s.com^$all +||xaitokensale.net^$all +||xaitoken.$all,to=xaitoken.app|xaitoken.page.link|xaitoken.net +! https://github.com/uBlockOrigin/uAssets/issues/25726#issuecomment-2483460915 +! https://www.reddit.com/r/CryptoScams/comments/1gv401z/xai_scam/ +||xaiofficial.com^$all +||xai19k.com^$all +! https://www.reddit.com/r/CryptoScams/comments/1h0ygoo/another_scam/ +||officialxai.com^$all +! https://www.reddit.com/r/CryptoScams/comments/1h4mvx9/xai_scams_dont_trust_jesse_eckel_youtube_and/ +||youtube.com/@jesseeckel5^$doc +! https://www.reddit.com/r/CryptoScams/comments/1h9yrl7/xai62f_presale_scam/ +||xai62f.com^$all +||xaiofficial.ai^$all + +||arbitragebot.team^$all +||arbitrageinstruction.media^$all +||arbitrageproject.blog^$all +||autotradeguide.pro^$all +||botarbitrages.pro^$all +||ethmevsetup.group^$all +||guidesetup.pro^$all +||mevfrontbot.info^$all +||mevsetup.site^$all +||publicbot.pro^$all +||setupbot.info^$all +||strategyarbitrages.pro^$all +||tradingstart.pro^$all +||uni-setup.media^$all +||uni-trading.pro^$all +||uniguide.media^$all +||unisettings.pro^$all +||uniswapbot.team^$all +||uproject.team^$all +||web-instruction.team^$all +||webarbitraging.pro^$all +||0x00000000000.substack.com^$all +||etharticles.substack.com^$all +||publicationgroup.substack.com^$all +||teamproject.substack.com^$all +||tradestrategy.substack.com^$all +||uniproject.substack.com^$all +||web3projects.substack.com^$all +||webpublic.substack.com^$all + +! Phishing - See https://bbs.kafan.cn/thread-2264505-1-1.html +! https://github.com/uBlockOrigin/uAssets/pull/21759 +||counter-strike2-official.net^$all + +! https://github.com/uBlockOrigin/uAssets/issues/22129 +||primeleech.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/22200 +||privacyguides.io^$all + +! https://github.com/uBlockOrigin/uAssets/discussions/23094 +! https://blog.sucuri.net/2024/02/web3-crypto-malware-angel-drainer.html +! https://www.virustotal.com/gui/url/2bf2e7500e2b15877f866b0a782436df8621b2c20f81e3d66f51e394f6ff6f30 +||hostpdf.co^$all +||billlionair.app^$all,to=~billionair.com +||cdn-npmjs.com^$all +||cdnjs-storage.com^$all +||browsersjsfiles.com^$all +/cachingjs/settings.js +/cachingjs/turboturbo.js +/config?key=6922a2c8-d1e9-43be-b201-749543d28fe1 +/config?key=d35e161b-abb4-4949-b523-003165d250bb + +! https://blog.sucuri.net/2023/08/from-google-dns-to-tech-support-scam-sites-unmasking-the-malware-trail.html +||dns.google/resolve?name=*.host-stats.io&type=txt|$xhr,3p + +! https://blog.sucuri.net/2024/03/new-malware-campaign-found-exploiting-stored-xss-in-popup-builder-4-2-3.html +! https://www.virustotal.com/gui/domain/ttincoming.traveltraffic.cc/detection +! https://www.virustotal.com/gui/domain/host.cloudsonicwave.com +||traveltraffic.cc^$all +||cloudsonicwave.com^$all + +! https://www.malwarebytes.com/blog/threat-intelligence/2024/03/fakebat-delivered-via-several-active-malvertising-campaigns +! https://www.virustotal.com/gui/url/1429f749760b6d69d16234f394be11fc61f48df2e1956ecc37f556621abad7e7 +||bandi-cam.cc^$all +||open-project.org^$all +||onenote-download.com^$all +||epicgames-store.org^$all +||blcnder.org^$all +||trelconf.com^$all +||trelconf.net^$all +||noitons.net^$all + +! https://www.malwarebytes.com/blog/uncategorized/2024/03/tax-scammer-goes-after-small-business-owners-and-self-employed-people +! https://transparencyreport.google.com/safe-browsing/search?url=https:%2F%2Firs-ein-gov.us%2F +! https://safeweb.norton.com/report/show?url=https:%2F%2Firs-ein-gov.us%2F +! https://www.virustotal.com/gui/domain/irs-ein-gov.us +||irs-ein-gov.us^$all + +! https://blog.sucuri.net/2024/03/sign1-malware-analysis-campaign-history-indicators-of-compromise.html +/^https:\/\/[a-z]+\.[-a-z0-9]+\.[a-z]{3,7}\/[a-z]{2,6}\.(?:[a-z]{1,8}\.)?17\d{8}\.js\?(?:revision|sr?c?|ve?r?)=6[a-f0-9]{7}$/$script,3p,match-case,to=~edu|~gov +/^https:\/\/[a-z]+\.[-a-z0-9]+\.[a-z]{3,7}\/17\d{8}\/em\.js\?(?:revision|sr?c?|ve?r?)=6[a-f0-9]{7}$/$script,3p,match-case,to=~edu|~gov +||fueltypebel.info^$all +! https://infosec.exchange/@InfobloxThreatIntel/111947476473623155 +! https://malwaretips.com/blogs/re-captha-version-3-55-top/ +||re-captha-version-$all +! https://github.com/uBlockOrigin/uAssets/issues/24944 +||valid-check-tl-$all +! https://github.com/uBlockOrigin/uAssets/issues/25858 +! https://www.virustotal.com/gui/url/346513820edf167da7ee220fef88802fcc6568b8c7d42802d6c47796a455abc2 +! https://blog.sucuri.net/2024/05/mal-metrica-redirects-users-to-scam-sites.html +! http://teluguodu.com/om-bheem-bush-movie-review/ - example site +||psh-static.b-cdn.net^ +||check-tl-$all +||tech4u.app^$all +.com/?news&s|$popup +||cloud.tnewstraffic.com^$all +||cache.cloudswiftcdn.com^$all +||cdn.metricastats.com^$all +||cloud.edgerapidcdn.com^$all +||content.gorapidcdn.com^$all +||content.streamfastcdn.com^$all +||fast.quickcontentnetwork.com^$all +||ga.cdzanalytics.com^$all +||gll.metricaga.com^$all +||host.cloudsonicwave.com^$all +||host.gsslcloud.com^$all +||metrics.gocloudmaps.com^$all +||secure.gdcstatic.com^$all +||secure.globalultracdn.com^$all +||static.rapidglobalorbit.com^$all +||synd.edgecdnc.com^$all +||syndication.gcdnanalytics.com^$all +! https://www.reddit.com/r/uBlockOrigin/comments/1cane2z/clients_website_is_getting_blocked/l0tvbkp/ +||mygeomanager.org^$all +||livedashboardkit.info^$all +/^https:\/\/[a-z]{10,}\.[a-z]{3,4}\/(?:engine|track)-[a-f0-9]{8}\.js$/$script,3p,to=~edu|~gov,header=vary:/^referer\,accept-encoding/i + +! https://www.gdatasoftware.com/blog/2024/03/37885-risepro-stealer-campaign-github +! https://www.virustotal.com/gui/url/b47accf6e1261a50564f6520e8c3c56d6225054a95fe9a48c5e9e47e4ee7d120 +||digitalxnetwork.com^$all + +! https://securelist.com/trojanized-text-editor-apps/112167/ +! https://www.virustotal.com/gui/url/dce13fec61cd1b81b55c8d126b99266efbb6166d1a0bba02d4b8482ed53401b1 +||vnote-*.myqcloud.com^$all + +! phishing +! https://infosec.exchange/@urldna/112143355675099806 +! https://www.virustotal.com/gui/url/38ad38ba67efdd42656b489e4df678ee065cad109cd1c9dbacf4632d356250d9 +/^https:\/\/vietg[a-z]v[0-9]*\.cc\//$doc,to=cc +||clickhereecraigslist.tripod.com^$all +||mymokki.ru^$all,to=~hozblokspb.ru +||lapmangsctv.com.vn^$doc,to=~sctv.com.vn +||socgeneralist.firebaseapp.com^$all,to=~societegenerale.com +||testra*-covid.weebly.com^$all,to=~telstra.com.au +||telus.signup.clik2pay.com^$all,to=~telus.com +||final-ua.eu/vasilisa/votings$all +||flow.page/foxhills.co.uk^$all,to=~foxhills.co.uk +||jemi.so/correo-24-ar^$all,to=~correoargentino.com.ar +! https://infosec.exchange/@urldna/112471179848866488 +||codeanyapp.com/neta/*/pay-method.php$doc +! https://infosec.exchange/@urldna/112469056606126055 +||otomoto-h229.net^$all,to=~otomoto.pl +! https://infosec.exchange/@urldna/112467877238803859 +||mybluehost.me/*Recibir_paquete.php$doc,to=~correos.es +! https://infosec.exchange/@urldna/112511051868588218 +||codeanyapp.com/klarna/$doc,to=~klarna.com +! https://infosec.exchange/@urldna/112551867657605910 +||mybluehost.me/*/dir/ca/pay/$doc,to=~canadapost-postescanada.ca +! https://urldna.io/scan/66a7ef78c6cd731d9e58537d +! https://www.virustotal.com/gui/url/56f91ca466c57869495ae334a9cf3c9e783adaca073f3c9c3ea2c79e4eb34659 +||pub-*.r2.dev/gsecondcheck.html^$doc +! https://www.virustotal.com/gui/url/03b24f614a52c8027b4e82187175cafec7914b2f1b36e1f8ecf1a34ef72f5b7d +||uwelldeutschland.com^$all,to=~myuwell.com +! https://urldna.io/scan/672f9abd700a5d3457075fca +! https://www.virustotal.com/gui/url/ecbf475713f97228a59e6e5e79b9ba9609a09c22a1f5dedcd5c16d25f96eb07b +||user.fm/files/*/AbsaOnlinePop.html^$doc,to=~absa.co.za +! https://urldna.io/scan/67324b5a3803a830facf48a3 +! https://www.virustotal.com/gui/url/abffa191cb33c38b1f9d5122904b940a7363a665c8ccee108aba6bf28549f497 +||user.fm/files/*/ProofOfPayment.HTML^$doc +! https://urldna.io/scan/673f68eab61aef642c39602a +! https://www.virustotal.com/gui/url/ef9a97a4ed9a51e60ddfa9a9047eaa22e6163846132bf7ba9ddb1bf2af9cc7a1 +||grout-guru.com.au^$all,to=~group.bper.it +! https://www.virustotal.com/gui/url/6f952ec0d0f90125a00e86bd4e4597558f5c4cbdbdac197d715476ddb423b15a +/^https?:\/\/server\.[a-z0-9]{4}\.com\/invite\/\d+\b/$doc,match-case,to=com +! https://www.virustotal.com/gui/url/9e831405bb6fa517e0f6a8108bebf9feb0bd1a7c48684615aa34f558fd6bacc3 +! https://urldna.io/scan/677eac1ec065f0f7026d1acc +/^https:\/\/[a-z0-9]{3,}\.[a-z]{8,10}\.ru\/[a-zA-Z0-9]{6,8}\/#[A-Z][a-z]{5,}@[a-z]+\.com$/$doc,match-case,to=ru +/t2dolalrwe/*$doc +##html[lang] > body:not([class]):not([id]):not([style]) > div.background-container > div.container > div.captcha-box +! https://urldna.io/scan/6785470b9c7014f0037a59ef +! https://www.virustotal.com/gui/url/3e3980788d2f902a650614287373abff2e8a52d707e2eb18dd56b1398922b45f +||melbournedistillery.com^$all +! https://urldna.io/scan/6787ea54ff48f1c3edd44b8d +! https://www.virustotal.com/gui/url/9362994a4404b8b59c426bb8a4637c10a17b298283aa728233c02ca5f48b9ca6 +||koenig.cx^$all,to=~dropbox.com + +! chase.com +||unclepigva.com^$all,to=~chase.com +! https://urldna.io/scan/678b29ad976ce49815c9d092 +! https://www.virustotal.com/gui/url/555d499dc6a45517858cc393ef245217657ddae4d997f43a6c438746add59042 +||aurelie-picard-parentalite.fr/*/Recurring_Payment_Authorizationtt.html^$all,to=~chase.com + +! ameli.fr +! https://urldna.io/scan/673d518d1baadd13b30c1a19 +! https://www.virustotal.com/gui/url/0b8c995ec706e68efcf33f1b7c567423285c29d0d3bc5b59f606da0735097e57 +||fgt.ive.mybluehost.me^$doc,to=~ameli.fr +||mybluehost.me/*/Ameli/$doc,to=~ameli.fr +! https://urldna.io/scan/6734c9b617aed83575751074 +! https://www.virustotal.com/gui/url/ac22c2340836b8dd3d611948cb1f0f370d55f9903faac7bfc5eea1ff71901a80 +||line.pm/*/SNF-GKFF.FR/$doc,to=~ameli.fr + +! ram.co.za +||ramscourierservice.weebly.com^$all,to=~ram.co.za +! https://urldna.io/scan/6734b1f69ee995c0b18b4e17 +! https://www.virustotal.com/gui/url/fec16443e3fdb3c4112230fd5271044f3eea542efa85be26b8c8c5f5ba7202c3 +||rampostsouthafrican-*.codeanyapp.com^$all,to=~ram.co.za +||codeanyapp.com/southafrica/*/PAYU^$doc,to=~ram.co.za + +! wetransfer +! https://www.virustotal.com/gui/url/2dc456580d55d86c4b131ecc5120af4d79439ac3f9be066ce2c2440e4af96581 +||vercel.app/magi/olde/saac-wetr-magi.html^$doc,to=~wetransfer.com +||download-wetransfer-*.vercel.app^$doc,to=~wetransfer.com +! https://www.virustotal.com/gui/url/9b40e92a4a7347a20f1d85bfe0e7e42622d08878d521db092c66ef9554eac83b +||specific-sample-orderline.vercel.app^$all,to=~wetransfer.com +! https://www.virustotal.com/gui/url/1adb59400d7153cc8cc5cf42cf25d03fb21f00c04b1bcb888acc526a10640f84 +||purring-wood-magnolia.glitch.me^$all,to=~wetransfer.com +! https://urldna.io/scan/67324b0725a29e5c04a0cac6 +! https://www.virustotal.com/gui/url/26c6cd0758de4274e35c2f898a36d6f3cf92042202efba97369a573050f67cf4 +||wetransferlogin.freewebhostmost.com^$all,to=~wetransfer.com +! https://urldna.io/scan/6734cdbe32353732f75caf89 +! https://www.virustotal.com/gui/url/f31f3ff52efb6f2ec05f8cdcfd2fbbbe2e5e4fafb370031549d345c586afa947 +||bingkasprogram-*.xdbng.com^$all + +! leboncoin.fr +||epayln.site.tb-hosting.com^$all,to=~leboncoin.fr +||auth2323d23.weebly.com^$all,to=~leboncoin.fr + +! linkedin +||faran.ac.ir/wp-content/$all,to=~linkedin.com +! https://www.virustotal.com/gui/url/0de3c62f4908d543d129c280ede7df7ad39cb8bdc69a7781aceab7bd9916cacf +||lnkdeka.standard.*.oortech.com^$doc,to=~linkedin.com +||oortech.com/loginfromSignIn.pdf-shtml^$doc,to=~linkedin.com +! https://www.virustotal.com/gui/url/bfab94c8fdfaab7bd440a6fb9e6a402dca1e7c70bcc0e33c9a9f526f17f1422e +||decorartealuminios.com.br/*/AZ-ULTIMATE-LINKEDIN/$all,to=~linkedin.com + +! yahoo +! https://www.virustotal.com/gui/url/9fe200d8d5cdd921d387cb91a575532aa256fa85371c62b75c0058938cbcf225 +||pages.dev/account/js-reporting^$doc,to=~yahoo.com +||iwq.pages.dev^$all,to=~yahoo.com +||jss.pages.dev^$all,to=~yahoo.com + +! serasa.com.br +||seguro.serasaexperian.site^$all,to=~serasa.com.br + +! webmail +||formspark.rongviet.com.vn^$all +||webmailrupdatekorea.firebaseapp.com^$all +||benpsignin-portal.webflow.io^$all +||mail-cytanet.pages.dev^$all,to=~mail.cytanet.com.cy +||serviceteasfreem.weebly.com^$all +||jhwbcvkjkshaw.weebly.com^$all,to=~webmail.shaw.ca +||webmailupdating.wixsite.com^$all,to=~email.telstra.com +! https://www.virustotal.com/gui/url/dd060d260d7781f9610f40bdff4991144ed5b52be3a14dfcda6783987efc4b79 +||phoenixvilla.rw/wp-about/*.html^$doc +! https://www.virustotal.com/gui/url/5a758358bf0a16b7afeadc99026ce4fc7c1faf0298f2f7c6b5ace52e7f148eef +||moonworks.in/jpcpanel/$all +! https://www.virustotal.com/gui/url/fe60b5ca89346121b165aaaaf2b0305dee777a8aa90c87e3eb656c914ae04e59 +||bequettehomes.com/ahost/$all +! https://www.virustotal.com/gui/url/61cc08602b6328ce07535da1068dfc0f3ddd667c0e77849eadcd8ae33edad516 +/^https://[a-z]{40,}\.pages\.dev\//$doc,to=pages.dev +! https://www.virustotal.com/gui/url/060b5ecd27e1ea35fa0718a87e73c270ac3c7310ddc4a7aef81b70bb7b89908a +||resisted-amusing-driver.glitch.me^$all +||glitch.me/public/index_CNC.html^$doc +! https://urldna.io/scan/6744075cddfe5e2d403906d8 +! https://www.virustotal.com/gui/url/52781cf069e36bf584b588626bdc26e045c1acaf97d0990976ce3ecafe891f93 +||r2.dev/Zimbra*.html^$doc,to=~mail.zimbra.com +! https://www.virustotal.com/gui/url/db592df8b8bc2b093e6087e6e14f6bfbfe121d6192fdce5f112cff14b294275b +/\/accounts\/19[56]\d{3}\/messages\/\d{1,2}\/clicks\/\d{4,5}\/\d{1,2}\b/$doc,match-case + +! webmail.bell.net +||bellsecuredloginfom-net.vercel.app^$all,to=~webmail.bell.net +||hootbio.com/bellmail$all,to=~webmail.bell.net + +! webmail.shaw.ca +||shawupdatingservic.wixstudio.io^$all,to=~webmail.shaw.ca +||shawmailboxservice4.wixsite.com^$all,to=~webmail.shaw.ca + +! ups.com +! https://www.virustotal.com/gui/url/ef9755fcb211a668986b9afc5187577c92fb8c8bf62057bf9d0b59333827a35a +||mybluehost.me/Versan/UPS/$doc,to=~ups.com +! https://www.virustotal.com/gui/url/491f01fc6219c7c86ab857fe64e7b1d1ae815a7f796cc03cdb2866784ea16022 +||preprod.exclusifparis.com/modules/deleteordersfree/$all,to=~ups.com +! https://www.virustotal.com/gui/url/3e53440f58e4d07872d2a5a7a6dbf845ec58b4c65301ef27c85bd61e3869587c +||edu.academiait.ru/.css/$all,to=~ups.com + +! ee.co.uk +/^https:\/\/ee(?:-[a-z]{5,}){1,2}\.web\.app\//$doc,to=web.app|~ee.co.uk +/^https:\/\/ee(?:-[a-z]{5,}){1,2}\.firebaseapp\.com\//$doc,to=firebaseapp.com|~ee.co.uk +||my-ee-*.web.app^$doc,to=~ee.co.uk +||ee-network.web.app^$all,to=~ee.co.uk +||ee-billing-recovery.web.app^$all,to=~ee.co.uk +||ee-payment-issue.web.app^$all,to=~ee.co.uk +||my-ee-web.web.app^$all,to=~ee.co.uk +||my-ee-details.web.app^$all,to=~ee.co.uk +||my-info-ee.web.app^$all,to=~ee.co.uk +||ee-payment-method-issue.firebaseapp.com^$all,to=~ee.co.uk +||ee-pending-payment.firebaseapp.com^$all,to=~ee.co.uk + +! bpost.be +||pakket-bpost-be.web.app^$all,to=~bpost.be +! https://urldna.io/scan/66b4cf94823078d8ed5a58d3 +! https://www.virustotal.com/gui/url/07643f94058c79d4db0d2a4a5a318e0eca61d62b877d82b790eda32557e1e34a +||crpostbelnk.glitch.me^$all,to=~bpost.be + +! intesasanpaolo.com +! https://urldna.io/scan/66a0d0d33b59511de9602564 +! https://www.virustotal.com/gui/url/e9af3245273512c1cff602c7f7155b0f02559d3ea71eb1ef71050987ab097a08 +! https://www.virustotal.com/gui/url/4b7c8214397f9b60c29d150b5de5f51c00d9ce1a7aa0975d3ab23d8151fbc427 +||mybluehost.me/*intesasanpaolo/$doc,to=~intesasanpaolo.com +! https://www.virustotal.com/gui/url/2c550d7edd2e09bda175859925c4a54491014bd3a6088eb20c6e8f6af8bc1d22 +||mybluehost.me/*/itx/it/conto/$doc,to=~intesasanpaolo.com + +! shopify +||suoncopbaonk.com^$all,to=~shopify.com +||xsjt.site^$all,to=~shopify.com + +! paypal +||paypal-complete.com^$all +! https://www.virustotal.com/gui/url/cef8e619ca51273786cf72dab8a9d2daea04ce6fee978f0a42522fe10709785d +||prizegift.top^$all +! https://www.virustotal.com/gui/url/621f0b0a930a2e4ca9eb366e160f277ed64ae3fb27fc49c10f8b13965406fc8d +! https://www.virustotal.com/gui/url/44547259fcb9d9370026d505ab3e008012d70d63cf9974e1525cca0da5d30d9f +||paypal*.blogspot.$doc + +! jio +! https://www.virustotal.com/gui/url/04af5fcfd24d55b81b2c1b6559a04fb30e7d12a11d0a83a280641d51cfb28572 +! https://www.virustotal.com/gui/url/20fefdda4be34a69e4d12b7335bec5c512f4413e0834b461ff7195486558d001 +/\/recharge\d?\.(?:html|php)\?mobile=\d{10}\b/$doc,match-case,to=~jio.com|~edu|~gov +! https://www.virustotal.com/gui/url/b759b9b84ad608c657b38f5df4ef20d316bfd542abba02fd18d3d0503132ca2c +/offer.php?rechargenumber=$doc,to=~jio.com|~edu|~gov +! https://www.virustotal.com/gui/url/4e4606f961466924894ce9d9dc3d41a151ff9dbaee68143b77f3a1db6a7ca972 +/offer.html?rechargenumber=$doc,to=~jio.com|~edu|~gov +! https://urldna.io/scan/66a0d0c94f0acec29ff98592 +! https://www.virustotal.com/gui/url/5208705dcb34cb93ae64eb4b4f11d20610a50cf6bf60c0190a67eac6a3a17355 +/\/offer\.(?:html|php)\?(?:mobile|rechargenumber)=\d{10}\b/$doc,match-case,to=~jio.com|~edu|~gov + +! apple +||buscaapp.com^$all +||dbs.applerewardsstore.com^$all,to=~dbs.com +||pal-24x7-support.xyz^$all +||rbchidraulica.com.br/info/verify^$all +! https://www.virustotal.com/gui/url/52cb5de2af70a3d65f41e0b63911d971ee27634d69160988ed7c8235c55c79e8 +! https://www.virustotal.com/gui/url/dd2190d5505e9f0b1a79583c85dee20f6214b8bf614bf2a65187b1c9b5bd01df +/isignesp.php^$doc,to=~edu|~gov|~apple.com +! https://www.virustotal.com/gui/url/c9f138a870349b6c5e050bb4122ddf029ce78f1d701399e483656c0d89d2da70 +/icloud2022-esp.php^$doc,to=~edu|~gov|~apple.com +! https://urldna.io/scan/6744068e8007f7be43de908c +! https://www.virustotal.com/gui/url/c2f79189f12bde8e6f32e61a4b5d7bf1948f04c8eab5a8a11df8c546b7bda019 +||apples-24x7-*.pages.dev^$doc +||apples-24x7-customer-help-line.pages.dev^$all +||apples-24x7-help.pages.dev^$all +! https://www.virustotal.com/gui/url/cbc003929fddfa95032804f8ec9a850e88081ba6ba196c8df9885456e919f9f9 +! https://www.virustotal.com/gui/url/82b10b329dc4296787ff7d6a1630a4ffb775d2335033cf4dcd0fb413173b2268 +||icloud.apple-*.cn^$doc +/^https?:\/\/icloud\.apple\.[a-z]{6,}\.[a-z]+/$doc,to=co|cn + +! ourtime +||login-ourtime.members-datings.workers.dev^$all,to=~ourtime.com +||ourtime-assist.members-authenticated.workers.dev^$all,to=~ourtime.com +||chat.voice-datings.workers.dev^$all,to=~ourtime.com +! https://www.virustotal.com/gui/url/8caad65d38a5f6df0e322dad6e4576fe0f42d2a9c4a4672d5959f5c53cb59632 +||profile-ourtime.*.workers.dev^$doc,to=~ourtime.com +! https://www.virustotal.com/gui/url/ef9755fcb211a668986b9afc5187577c92fb8c8bf62057bf9d0b59333827a35a +/^https:\/\/ourtime\.[a-z]+-[a-z]+\.workers\.dev\//$doc,to=workers.dev|~ourtime.com +! https://www.virustotal.com/gui/url/82d637d6f547003b3e964cb24cbec41b6e811fdf9207056ee83d2121d60613ca +||voice-ourtime.*.workers.dev^$doc,to=~ourtime.com +/^https:\/\/(?:[-a-z0-9]+\.){2}workers\.dev\/v3\/(?:forgotpassword|security|signup)\b/$doc,to=workers.dev + +! https://www.virustotal.com/gui/url/8fd29e49e539b6bab6c0a55c1d15321b7df02367fe1a9049c94fbf0b3aea1af8 +! https://www.virustotal.com/gui/url/bd11af06bb1ed081ae7b373bd79e5601c17e0664be6856d922a92f771b24aee0 +! https://github.com/uBlockOrigin/uAssets/issues/24829 +/\/wap\/api\/(?:activity\/)?[a-zA-Z]+![-_a-zA-Z]+\.action\?/$xhr,1p,strict1p,match-case +! https://www.reddit.com/r/Scams/comments/1gg7xif/tiktok_fake_link_i_am_so_anxious_please_help_me/ +! https://www.virustotal.com/gui/url/61c96fcfa32698a98f42c8ab0807a22e37d6722087fd478dfb2de71d3ebdbfa9 +||wetching.ru^$doc,frame + +! made-in-china.com +! https://infosec.exchange/@urldna/112553754973872125 +||griffithdds.com/*/madeinchina.com/$all,to=~made-in-china.com +! https://urldna.io/scan/6696ed798f10cc579169ad67 +! https://www.virustotal.com/gui/url/28ebe44abd659de808f562259dd899943c574ff82716856bfb76d218f64531b7 +||oortech.com/mic.shtml^$doc,to=~made-in-china.com +! https://urldna.io/scan/674551863f64e80bf440d336 +! https://www.virustotal.com/gui/url/ff4ccfb2b96d99a3cc1d783c835e7a02c5c2f680e93f7c93db403459cd651e22 +||r2.dev/made-in-china.com/$doc,to=~made-in-china.com + +! fedex +! https://www.virustotal.com/gui/url/3236050c1e12c8c10e6b905c61d2ed45f5a8fa393f560a96f98383565e57e78f +||fedexridn.com^$all +! https://www.virustotal.com/gui/url/0e767ec2a47d546a330606bb8d3ecfa70c21622eb5f05d58b0cfa2c9e64355ad +||saham.hugaf.dev^$all,to=~fedex.com + +! booking.com +! https://www.virustotal.com/gui/url/5fef6bafac49c64dc9e0ca06339967aa2ba2936745a57ca2c47aa3606def1707 +/^https:\/\/(?:[a-z]+\.)?hotel-(?:id)?\d{3,8}\.eu\//$doc,to=eu|~booking.com +/^https:\/\/(?:[a-z]+\.)?hotel-(?:id)?\d{3,8}\.com\//$doc,to=com|~booking.com +! https://www.virustotal.com/gui/url/5e3b5d680bc6c90219ddbb2524f7d6d8a58716399b4da91a06c027774d908e81 +/^https:\/\/hotels-\d{6}\.eu\//$doc,to=eu|~booking.com +! https://urldna.io/scan/6692504801266863891e9011 +! https://www.virustotal.com/gui/url/128f76d5853dacd7b1fac73d64a4078adde3c900b65bc23dc15bad5f629b446b +/^https:\/\/booking\.[a-z]{3,}-(?:id)?\d{3,8}\.eu\//$doc,to=eu|~booking.com +! https://www.virustotal.com/gui/url/73768b7c9bb2d042d06217e7526cc70608bd27ee32faf9df8e6fb251923b0789 +/^https:\/\/booking(-[a-z]{3,}){2}\.(?:baby|lat|lol|xyz)\//$doc,to=baby|lat|lol|xyz|~booking.com + +! airbnb +||air-bnb.check-$doc +||air.bnb-id*.com^$all,to=~airbnb.com +||navi-airbnb.vercel.app^$all,to=~airbnb.com +||property-rental-seven.vercel.app^$all,to=~airbnb.com +||airbnb-pi-three.vercel.app^$all,to=~airbnb.com +! https://www.virustotal.com/gui/url/8cdc4c3ca9313a9cdd27dc03d855105f37aebe9abac62265ea45993121cf7b31 +! https://www.virustotal.com/gui/url/235683db58069cf98a6e1aa5719dd5cb941d669225f828b875f21d54dd3ad1c6 +! https://www.virustotal.com/gui/url/ca2d5df746dc848767d695b04a59af02042fd44ac1829daa4df2da6acdf9834e +/^https?:\/\/([a-z]{4,}\.)?support-\d{1,2}\.ru\//$doc,to=ru + +! labanquepostale +||group-postban.firebaseapp.com^$all,to=~labanquepostale.fr +||oasisministries.com/fr/postale/$all,to=~labanquepostale.fr +! https://www.virustotal.com/gui/url/998365385e6077a4903db356ff23917dc302baf8850fe7a5aab7d48b9f14f65d +||lidarusa.com/*/Bpostale2022/$all,to=~labanquepostale.fr +! https://www.virustotal.com/gui/url/e6ac5831557ccbbfd3de207e19710292f62d33b19b6ffe8ad275844dc0cc54dc +||plesk.page/*--_--$doc,to=~labanquepostale.fr +! https://www.virustotal.com/gui/url/9c2f302d6b000107ca771ce68c35e4c1c7aa6afb6e00a17b28417c515aaab75a +||vantechdns.com/bpnew/$doc,to=~labanquepostale.fr +! https://urldna.io/scan/6746aa4330c5ac705f5b6e7d +! https://www.virustotal.com/gui/url/7c2be5f501582239a5f1b8015617fbcf2fde2a5f3d09b91798c59d69ae07f269 +||monamedia.net/CerticodePlus/DSP2/$doc,to=~labanquepostale.fr + +! adobe +||adobecloud5xpo.yolasite.com^$all,to=~adobe.com +! https://www.virustotal.com/gui/url/a952ec269dd32deeb54f19f9b0b1f70d4e1cd72a176c1adc02dbdeab37eb0024 +||socalthesyndicate.com/*/adobefud/$all,to=~adobe.com +! https://www.virustotal.com/gui/url/770ffdec12527b6af696bf4a7dde6fcaa484544ef932c438964f013b4a7c673f +||pub-*.r2.dev/adobe2024.html^$doc,to=~adobe.com +! https://www.virustotal.com/gui/url/d894e00a04a1372908b00bd1e710a5297e9a1436f6ec198baca25e9a5789f08e +||adobepd*.glitch.me^$doc,to=~adobe.com +! https://www.virustotal.com/gui/url/6294a9f79f81d7d9ebdcaa85273789747ee60201d9731b89a608346631408b5b +||doc*-order*adobe.glitch.me^$doc,to=glitch.me +||glitch.me/adobe-auto*.html^$doc +! https://www.virustotal.com/gui/url/e6663516cf34ff162f6c4a5d049c365ee56ab737978fd325a29088850eaa8b0e +||facture-free.com/Adobeverapdf/$all +! https://urldna.io/scan/674558fa3f64e80bf440d485 +! https://www.virustotal.com/gui/url/9da22832e59d2b108d0ad6787ced43fe6cb0568e8818eaa504bfb7f73cfc7e2c +||mytemp.website/safetyfileaccess.htm^$doc + +! gazprom +! https://www.virustotal.com/gui/url/48c374656c0dd133e6f922e4d8d73c919758a7c7fc68edf74bd91e58f721cd5b +/^https:\/\/[a-z0-9]{5,15}\.shop\/l\/gaz\//$1p,strict1p,match-case,to=shop +/^https:\/\/[a-z0-9]{5,15}\.shop\/uniq$/$xhr,1p,strict1p,match-case,method=get,to=shop +/^https:\/\/[a-z0-9]{5,15}\.shop\/lead$/$doc,1p,strict1p,match-case,method=post,to=shop +||k8cxh.shop^$all,to=~gazprom.ru +||c2bm9.shop^$all,to=~gazprom.ru +||cz4sb.shop^$all,to=~gazprom.ru +||v5hhx.shop^$all,to=~gazprom.ru +||pe4hk.shop^$all,to=~gazprom.ru +||g1vm6.shop^$all,to=~gazprom.ru + +! netflix +||vstergioul.sites.sch.gr^$all,to=~netflix.com +||netflix.avdhoothadke.com^$all,to=~netflix.com +||supporto-netflix.com^$all,to=~netflix.com +||myeloma.gr.jp/zz.php^$all +! https://urldna.io/scan/6675f810a0a139921a350afd +! https://www.virustotal.com/gui/url/9377fb4aca4525f2725505be1fa956898fe427deb060f273f48ed5f7fe05684b +||mybluehost.me/*/netflix/net/login.php$doc +! https://www.virustotal.com/gui/url/f4d836eca8bb2ce50a96dac7d031502d47c0a6ce85af040b911bf9883fbe157a +||mybluehost.me/watch/a/flix/$doc +! https://www.virustotal.com/gui/url/2dbe6c816822038f39d8d15d47d8bda7ec6f1ae753e2437d3b184b258e17cb7b +||ija.xwi.mybluehost.me^$all +||mybluehost.me/ntcz/$doc +! https://urldna.io/scan/66789b18c766226ae8d6e3ee +! https://www.virustotal.com/gui/url/30bc6d0ab3c42c34c0317e50e0b24db16a8996394bb39f6c959464bc4557fbb3 +||floridavacationrentalsbyowners.com/*/Info/page_settings/account.php^$all +! https://www.virustotal.com/gui/url/d45b4424eb572378e0f5546d86502ac626c12404c5b2169e60088d1be6433031 +||loginnetflixleiojfioje.blogspot.$all +! https://www.virustotal.com/gui/url/84ac274bbdbd4a67fe10e9bcb47e0f0d64e576888be06536b10d38b049acc2df +||xsph.ru/*/netfi2k/$doc +! https://www.virustotal.com/gui/url/14e936aa825143107ba0c568bab09fa7bcd89e4051ed8530d72808376875fdac +||bulksms.services/*/NetFlxinc/$doc +||bulksms.services/NetFxs/$all +! https://www.virustotal.com/gui/url/d6e9c698c28752894d1dc11a3b4cc9b0ba64976dbec9580abadbf588df977de1 +||cpanel12wh.bkk1.cloud.z.com^$all +! https://www.virustotal.com/gui/url/4813b68055aa2c9808ac33189800add6be4989a96fd2266d0226384cdcb1aa94 +||codeanyapp.com/NTFLX/$doc + +! allegro +||allegrostore.cc^$all +||allegrostu.com^$all +||allegrocolombia.com^$all +||allegrocns.com^$all +||allegro-reinigung.de^$all +||chn-allegroshopac.one^$all +! https://www.virustotal.com/gui/url/86713b42ead067bb3d7f886acc11fd60a254ce8f744258d2ff2e01c0702b620d +/^https:\/\/allegro[a-z]{2,}\.shop\//$doc,to=shop +||allegroshop.shop^$all +||allegrocn.shop^$all +! https://www.virustotal.com/gui/url/9ea5ef839fa90f4ef448d5c9e1c4bad2af1028b88aa740f8deb02c34f42af8df +/^https:\/\/allegro-\d{3,4}\.com\//$doc,to=com + +! rackspace +||racks.pages.dev^$all,to=~rackspace.com +! https://infosec.exchange/@urldna/112506923054085191 +||rackweb-----support*.weebly.com^$all,to=~rackspace.com + +! dana +||danakagetrsm.vercel.app^$all,to=~dana.id +||dana-indone*.id^$doc,to=my.id|web.id|~dana.id +! biz.id +-dna-log-*.biz.id^$doc,to=biz.id|~dana.id +! my.id +||pemesanan*.glowz.my.id^$doc,to=~dana.id +! https://www.virustotal.com/gui/url/c48b20f8825ce00c8ab0ad828ccbc3a587013eccd08f2ce7c45ec4f66e73cc7d +||claiim-hadiahh-danax-$all,to=~dana.id + +! orange.fr +||orange53.yolasite.com^$all,to=~orange.fr +||dev-7614646544.pantheonsite.io^$all,to=~orange.fr +||smsmmsernorepls.wixsite.com^$all,to=~orange.fr +||orange234.wixsite.com^$all,to=~orange.fr +||mail.smartnetcom.ro^$all,to=~orange.fr +||exbtengineers.com/o/$all,to=~orange.fr +! https://infosec.exchange/@urldna/112456905938157006 +||servicemailorange25.wixsite.com^$all,to=~orange.fr +! https://infosec.exchange/@urldna/112467287033433289 +||assistancesosh.wixsite.com^$all,to=~orange.fr +! https://www.virustotal.com/gui/url/a667c0159708b76fce759d1b9f8230d44c1db8bbff82ea62e170df08f5673d4b +/or/.espace-.client/(;authentication.htm^$doc,to=~orange.fr +! https://www.virustotal.com/gui/url/f7a5efd0b25ad492328edf9bff729a32fafc839554c6b5de2bb0e64307667534 +||tw1.ru/Orange/$doc,to=~orange.fr +! https://www.virustotal.com/gui/url/be4cef199b445a60996045837cf7867666318e2b547fdb5f76d3b20aee91f2a0 +||messagerie*.godaddysites.com^$doc +||messagerie*.wixsite.com^$doc +||messagerie*.yolasite.com^$doc +! https://www.virustotal.com/gui/url/e27f395b3fd90a6d906437db31bec3b6efb76be4d4bce9856923f78f793da795 +||disponible.temp.swtest.ru/*/login.php^$all,to=~orange.fr +! https://www.virustotal.com/gui/url/798cb44c90d1ecc992f9ec37fafa451cddbdbd1a030284aff63c923a9394809e +||app.vision6.com/em/message/email/$all,to=~orange.fr +! https://urldna.io/scan/67380cf0de915d9ef3ea17d5 +! https://www.virustotal.com/gui/url/c98c0abbc182c6dc7549c9c7d423a2654dba1cee27b9a4cadfbb785415abcd38 +||svropeauthentificatid.run.place^$all,to=~orange.fr + +! tiktok shop +||tiktikshopvn.com^$doc + +! amazon +||amazon-*.shop^$doc +||amazon-shopping.shop^$all +||daroznel.com^$all +||amazon8898.com^$all +||dalabuso.com^$all +||mm39sg6.top^$all +||gimkax.com^$all +||dalobatter.com^$all +||skae3299.top^$all +||yenrtonm3367.top^$all +||signup-amazon.com^$all +||ecommrce-web-amazon.netlify.app^$all +||etisalat-amazonprime.com^$all,to=~etisalat.ae +! https://infosec.exchange/@urldna/112483094476417201 +||mybluehost.me/wp-admin/amz/$doc +! https://www.virustotal.com/gui/url/b495f4257b9f677ea7ec4bfb43469c70a38323aafe741885e43c2b1ca584ba6f +||mytemp.website/amazon-prime-video-com-br/$doc +! https://www.virustotal.com/gui/url/86279ddc548eead6c227e6d493e9cfcf4af0b28ccceae50c2f6420542a8d6fe7 +||adswip.com^$all +! https://www.virustotal.com/gui/url/82fb19edb0616c29416b6c92f11d365c490ca600b06af0304a56b76db12c083b +||amserva.com^$all +! https://www.virustotal.com/gui/url/53009a72bcf3a35d6ae8ba145928d964252e7f83e29ab4f80d1165bb9af1831b +||cs-portalintranet.com/pf/$doc +! https://www.virustotal.com/gui/url/58b59187b6cb3330865debc22a67fda72a3fac9ea1c577fc62c9d336eda07d4b +||amazonway.co^$all +! https://urldna.io/scan/6730b06c22a140cea757d590 +! https://www.virustotal.com/gui/url/d8c96426d3a4323f10d8f051e3af8f1a7d60eecb91ab9b1982f45b611252f3b1 +||sites.google.com/mwhite55.appquestss.com/$doc +! https://urldna.io/scan/67380f4d415af7ad29e182e7 +! https://www.virustotal.com/gui/url/cb24d223760a74a13a95eb93802ac2dba5377f99a40fdb4110ecff3737473f5d +||orders-processed.com^$all + +! ebay +||c.vn-ebayn.vip^$all +||vilbuy.com^$all +||ebay839.cc^$all +||epayu.cc^$all +||ebaymerchant.shop^$all +||ebayonstores.com^$all +||shop-line.vip^$all +||939l.xyz^$all +||bebayb.cc^$all +||ebnays.xyz^$all +||ebay-supplier.shop^$all +/^https:\/\/(?:seller\.)?ebay-[a-z]{8,15}\.com\//$doc,to=com +! https://www.reddit.com/r/Scams/comments/1cux08b/whatsapp_telegram_instagram_work_from_home_posts/ +||51eabay.com^$all +! https://infosec.exchange/@urldna/112476252310873324 +||135buy.com^$all +! https://www.virustotal.com/gui/url/8b2c822dc9c9130367597b14aa848cfacdd6022ad474c0af8c244856e30ee6ae +||ebaydw.^$all,to=ebaydw.cc|ebaydw.com +! https://www.virustotal.com/gui/url/9f1eac2069c48d297e1f284ede655f9d7b8f4d4b5aec91d934147db7d9ec4e16 +||pages.dev/errors/validateCaptcha^$doc + +! alibaba +||hologramid.cn^$all,to=~alibaba.com +||jybelinda.com^$all,to=~alibaba.com +! https://www.virustotal.com/gui/url/1649712cd78f28d5660fbf0d0de7d475f8cd51105caac04b3b521ecd850234a1 +||vetsinthecity.me/*/Alibaba/$doc,to=~alibaba.com +! https://urldna.io/scan/6734c98f32353732f75caebe +! https://www.virustotal.com/gui/url/8f2575c66072c227f8e1a60a422e5ff861903bb97f28fb5e3229fa3ec204ae7a +||sanpelmaquinas.com.br^$all,to=~alibaba.com +! https://urldna.io/scan/673d3e2485f8a9a88ee40359 +! https://www.virustotal.com/gui/url/9e3d8dd56e7c3938332d2f8e74f8a9f31904fcfa1f452772ad4ce91b36d1b28f +||molekinha.com.br/*/alibaba.com/$doc,to=~alibaba.com +/alibaba.com/passport.alibaba.com/*$doc,to=~alibaba.com + +! aliexpress +! https://www.virustotal.com/gui/url/8348d50aefd96888490c11d2a155b0bae9299a51163b55463b2fd2bf709ef2f2 +||airpsite.club^$all,to=~aliexpress.com + +! AT&T +||wixsite.com/att-support/$doc +||diwapa3051.wixsite.com^$all +||idhnochalter.wixsite.com^$all +||cajewar736.wixsite.com^$all +||loginaccount6.wixsite.com^$all +||ruthah9.wixsite.com^$all +||iirrrrrrii.wixsite.com^$all +||attstsv.weebly.com^$all +||newversionattmailapps.weebly.com^$all +||ewueuweudsjdjsdjjd.weeblysite.com^$all +||maiil-myatt.weeblysite.com^$all +||rtm-att.directly.com^$all +||attvip.mx^$all +||olive121407.studio.site^$all +||at-t-admin.daftpage.com^$all +||keepo.io/loginatt/$all +||dlhessell.wixsite.com/att-support/$all +||bio.site/atttt^$all +! https://www.virustotal.com/gui/url/b78d7c493e891ae1dbc5b9ea30d22c50792b6d5a55104e33f5ba37e78ab658a1 +||dones9.wixsite.com^$all +! https://infosec.exchange/@urldna/112465871317727388 +||alisongaudino992.wixsite.com^$all +! https://infosec.exchange/@urldna/112564843620859575 +||deenveerww.wixsite.com^$all +! https://urldna.io/scan/6693a1b55395ffdd02f65177 +! https://www.virustotal.com/gui/url/b8064a06e570bfccdd2a896b02734c2282e5e0d51ebd0b6324c694d87b57b7e8 +||att5h6.wixsite.com^$all +! https://urldna.io/scan/673ea1444fe8fdf8db4e9294 +! https://www.virustotal.com/gui/url/f94b29d8e5114772c3ac5717d625c57295232b759022b97170cb21d1c51cae92 +||attonlineservice*.wixstudio.com^$all +! https://urldna.io/scan/669ae204eaef0a7aabce0e9b +! https://www.virustotal.com/gui/url/1011eb8688635267bf06cc2b5783d0a01cbeafb99dbf483c2101e4375061d56e +||wixstudio.io/mysiteattmail940940^$doc +! https://www.virustotal.com/gui/url/8b95f575d0f421cbd9710ad5047527b048ca3bc2cedc6ba85718832f2dcd5438 +||f.digital-*.com/igit/$doc +! https://urldna.io/scan/66f3c4afbc383e66ff108ce9 +! https://www.virustotal.com/gui/url/6f610568e5af6a3841ade330487906294e9895cd1a17dd0ff428c2a6258ae1bc +||currentlyatt*.weebly.com^$all +! https://www.virustotal.com/gui/url/2ec68ebdc97db155bd29a90d948a1223e9514bb911e91c9e512436ccffabd7e7 +||currentlymail*.weebly.com^$all +! https://urldna.io/scan/678bdf428f2d6f01e81e41e3 +! https://www.virustotal.com/gui/url/a4fb0e7b9d9d645300b649e9ad11d36bc2040e0e29fe6e124f8188f241e8bd71 +||att-currently-*.weeblysite.com^$all +! https://urldna.io/scan/673e8ad4962aac12d27309a9 +! https://www.virustotal.com/gui/url/79485aada1c4e81b7f9282623813436167f110cd09ab9d11b65b6f18133f6b89 +||dropbox.com/*/AT-T-YAHOO-MAIL.paper^$doc + +! BT +||homelogginbbt.weebly.com^$all,to=~bt.com +||loogginhomebtcom.weebly.com^$all,to=~bt.com +||callonjehovandprayinthemorning.weebly.com^$all,to=~bt.com +||boardband.univer.se^$all,to=~bt.com +! https://www.virustotal.com/gui/url/81f393064c4fd485f654fa3cacabf8ee89291ac445ff6e69771d8be4b3119634 +||telegra.ph/British-Telecommunication-08-22^$all,to=~bt.com +! https://urldna.io/scan/66e850137f6f86bb44b4f849 +! https://www.virustotal.com/gui/url/09601a67a365df2ad5eb12c9e6d89aaf22f6727c7be2c5fd493b525de9f75bf0 +||telegra.ph/BT-Business-Communications-$all,to=~bt.com +! https://urldna.io/scan/674538ddb8e5f82c396b8d03 +! https://www.virustotal.com/gui/url/a59a486bfbd78ca7917ac33413858ec598cf1375477b77c71d85dbe73e041232 +||dazzl.ink/btupdate/$all,to=~bt.com + +! gov phishing site +! https://www.virustotal.com/gui/url/19c07d4e7c627a1f83900c509ce73b828247b3bb932713383e5569e7e2671882 +! https://www.virustotal.com/gui/url/3184ee7bcf4b3d443307b36cf33e2c1e078747f6618534fc944442ae1b323e4c +||pttgov*.top^$doc,to=top|~ptt.gov.tr +! https://www.virustotal.com/gui/url/3a1d96a6b5701a96f96d438792ee0fa48aaec7bbe65edadecafcb7af7ec75aa8 +||irstaxrefunds.$doc,to=~irs.gov +! gov.vn +||thanhtrapcrt.online^$all,to=~thanhtra.gov.vn +||jetkingncsc.online^$all,to=~ncsc.gov.vn +! gov.it +! https://urldna.io/scan/6730eb2b26717399e42ee637 +! https://www.virustotal.com/gui/url/2c605dc7e821311c7148654b01c5d07dfc8e46eedd6b76c08e78204b7953258e +||agenziaentrateriscossione.com^$all,to=~agenziaentrateriscossione.gov.it +! gov.gr +! https://urldna.io/scan/6729f08c603012bf64fdc18b +||aitimaforou.web.app^$all,to=~gov.gr + +! gov.au +||mygovaus-$doc,to=~my.gov.au +||seeproc.com.br^$all,to=~my.gov.au + +! gov.uk +||liveflo.qxlva.io^$all,to=~gov.uk +||student-finance-auth.firebaseapp.com^$all,to=~gov.uk +||casadosvidrosmt.com.br/wp-admin/csii/$all,to=~gov.uk +! https://www.virustotal.com/gui/url/ebc39394f30c18e781a2c98f035fa14897aba199d104977f4978e0af200df544 +||smartaromas.com/income-individual_service_tax-gg-check-hm/$all,to=~gov.uk +! https://www.virustotal.com/gui/url/df772a3d132acedfd317846a7d291c5040650a99f43db6a706b7cc5155b00d50 +||insolvency-development.co.uk^$all,to=~gov.uk + +! impots.gouv.fr +! https://infosec.exchange/@urldna/112442514480319184 +! https://www.virustotal.com/gui/url/43dc3482b86f463550c0a163836c4c622e4ec801184ba76f49aca03cf7fb5128 +||mybluehost.me/*/impo/$doc,to=~impots.gouv.fr +||isz.bqv.mybluehost.me^$doc,to=~impots.gouv.fr +! https://urldna.io/scan/6725d792a8bda5a0f5926ac5 +! https://www.virustotal.com/gui/url/2ed7817356b844c59b8767582f7b7e484b74f17654e4f3e18ed158db60060262 +||polufredsoa.2mydns.net^$all,to=~impots.gouv.fr +||2mydns.net/fr-impot-gouv^$doc,to=~impots.gouv.fr +! https://urldna.io/scan/6734c7a19ee995c0b18b4fdc +! https://www.virustotal.com/gui/url/6114364912105935ec4264d07368ae3142c6b44dd9ebd68ced4545de317ad44f +/\.temporary\.site\/service\/[a-f0-9]{32}\//$doc,to=temporary.site|~impots.gouv.fr +||kkg.yaf.temporary.site^$doc,to=~impots.gouv.fr + +! amendes.gouv.fr +||antai-gouv-fr.troliga.sk^$all,to=~amendes.gouv.fr +! https://urldna.io/scan/66a17973cf69aaa3408529d8 +! https://www.virustotal.com/gui/url/59f573968e59b6b2f4f09ca26a81608992b83aaef9e7200b29529e10d7641d24 +||mybluehost.me/wp-content/12/*.php^$doc,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/7418298915cf7e1e60f2fdb5aa9f57ee419434420a10e8e39c92e1bf84429e74 +! https://www.virustotal.com/gui/url/dc16d829559d0f800d5c8310b40196e594a84f9d635a75c2bf02a41adf85ded5 +||mybluehost.me/*/amendes.org/$doc,to=~amendes.gouv.fr +||amz.boy.mybluehost.me^$doc,to=~amendes.gouv.fr +||vmb.wvs.mybluehost.me^$doc,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/50fedc84296b3183d3a4c9cfc17c00b37257e8d04d2f03925863d9ed42aa5a83 +||mybluehost.me/*/amendes2024org/$doc,to=~amendes.gouv.fr +||kby.oqp.mybluehost.me^$doc,to=~amendes.gouv.fr +! https://urldna.io/scan/6734c56517aed83575750f39 +! https://www.virustotal.com/gui/url/817cb23e0959412ed1989ad6ec9ba27b84e09002d8dd0b32477ce39b84ef7b72 +||vdv.oqp.mybluehost.me^$doc,to=~amendes.gouv.fr +||mybluehost.me/*/3dsec.php^$doc,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/64d74ef6d37b2f855960f77fd99ee0ca35c86ea86f6f0a29818c6f2c9a98df21 +||wcomhost.com/amendes-gouv/$doc,to=~amendes.gouv.fr +! https://urldna.io/scan/66cddfb7de9bc8f607153bad +! https://www.virustotal.com/gui/url/8ca3d39fd9aeabe8f038092a8eb013fb5e12c8f0209b728cb7851fb1ce75ef26 +||wcomhost.com/impots-gouv/$doc,to=~impots.gouv.fr +||impotsgouv.*.wcomhost.com^$doc,to=~impots.gouv.fr +! https://urldna.io/scan/6690fec498efb38aa8b5fff8 +! https://www.virustotal.com/gui/url/cf94732269e10553a3e945c3a3a6d96e1975f5bffd600d475248ba54f099bdf0 +! https://www.virustotal.com/gui/url/bb37ef477fce261197eddc9c970d8cab9c3e9f2e33578752d7c29e9eb227af9f +! https://urldna.io/scan/66a222314305e9e5c9e85eff +! https://www.virustotal.com/gui/url/65d14490d3b1373b618e79ad0f10356a30d7d5be39a211a0c6a107131b6a8967 +! https://www.virustotal.com/gui/url/d719ca5cfa674a89ed897f82ba6c5623a51768534823493f6cca6b86885f118e +! https://www.virustotal.com/gui/url/caebb8395e5ee3e8c414f7a4e19182a5be47693ecf9b344db9df543967eb1ba9 +! https://www.virustotal.com/gui/url/39bf66d7df4004585841046986e24c782f3554092b44f1792a7e701dc1823bf0 +/am/*.php^$doc,to=arubabusiness.it|mybluehost.me|serv00.net|wcomhost.com|~amendes.gouv.fr +||h567268.linp*.arubabusiness.it^$doc,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/3970b40a9d9fcb5813cd3229e940e2df14c3f0e2b27db104085845f6bc6ced4a +! https://www.virustotal.com/gui/url/5dd0e94a8ea4348bc9dddc26ae0bb40f2710bb2b885d6ac2876303549ed6a211 +||fi/a/Amendes/*.php^$doc,to=fi|~amendes.gouv.fr +||fi/part/Amendes/*.php^$doc,to=fi|~amendes.gouv.fr +! https://urldna.io/scan/66a41c9241da912d9de2fd1b +! https://www.virustotal.com/gui/url/a635704554faa14de0fa04eb1300f1b5c952c5b365a879c425102282f9df5139 +||odeal.fi/fr/AMA/*.php^$doc,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/ef9755fcb211a668986b9afc5187577c92fb8c8bf62057bf9d0b59333827a35a +||odeal.fi/amndes/*.php^$doc,to=~amendes.gouv.fr +! https://urldna.io/scan/66a2cb049156f76f336510fb +! https://www.virustotal.com/gui/url/ac3f9866a6710a1a7689ef3a1ae99fa1a2841e53bb0ae4e40bb4356b2a049c73 +||askozvar.sk/*/amendesgouv/$all,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/8b7f0ac19de9cbc97e619c01b07fe153b43df2e1863d9f9e8c3fd52fba0d8b01 +||codeanyapp.com/amendes/$doc,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/e3431725fba0f286c2f30e75b80573dd5536c45f40be41764a2c3f6780e95f9d?nocache=1 +/12/infospage.php^$doc,to=~amendes.gouv.fr +/12/paiement.php^$doc,to=~amendes.gouv.fr +/12/3dsece.php^$doc,to=~amendes.gouv.fr +/12/3dsec.php^$doc,to=~amendes.gouv.fr +! https://urldna.io/scan/670d775881ebbf691d0aadbf +! https://www.virustotal.com/gui/url/f98d0dfa8176f89c84445e926156cb9c7f2fe999a1d3906513efeda1db663f85 +||iglawfirm.com/services/antai-fr/$doc,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/f84078f80768bfd2d8991821a2d25a18ca38c90b97b5970ba96259eea91d32fd +||antaidossiersuivamendimpayeer*.zynekcctv.com^$all,to=~amendes.gouv.fr +||zynekcctv.com/amandes/$doc,to=~amendes.gouv.fr +/amandes/infospage.php^$doc,to=~amendes.gouv.fr +! https://www.virustotal.com/gui/url/3cd91b0073bdde2b905701c3c79bd0fbd6f9edb2702349c9cf05851ae33aca69 +/\.codeanyapp\.com\/.+\/(?:3dsece?|infospage|paiement)\.php\b/$doc,match-case,to=codeanyapp.com|~amendes.gouv.fr +||codeanyapp.com/pr/rue/$doc,to=~amendes.gouv.fr + +! id.me +||internal-checker.com^$all,to=~id.me +! https://www.virustotal.com/gui/url/f60f6428c1a06204a7d721da7a65d1ae350f341d996bc47d8a2aab7371d172a7 +||banque-online.com^$all,to=~id.me + +! bank +||chamsocthekhachhang-$doc,to=~edu|~gov|~edu.vn|~gov.vn +||uudaikhachhangthe-$doc,to=~edu|~gov|~edu.vn|~gov.vn +||sotuyenvcb.vietcombanker.com^$all,to=~vietcombank.com.vn +||vdbank.com.vn^$all,to=~vdb.gov.vn +||conveyancingportal.com^$all +||bmoreferral.com^$all,to=~bmo.com +||personas.devbam.com^$all,to=~bam.com.gt +||negociebra.com.br^$all,to=~banco.bradesco +||wizardpayroll.com.ar^$all,to=~hsbc.com +||spareb1.com^$all,to=~sparebank1.no +||amigosdelasfinanzas.com^$all,to=~bancocajasocial.com +||anz.brandkit.io^$all,to=~anz.co.nz +||baovietin.top^$all,to=~baoviet.com.vn +||pncexc.com^$all,to=~pnc.com +||moonlightproshop.com^$all,to=~volksbank.at +||nbtbank.architect-cert.fiservapps.com^$all,to=~nbtbank.com +||douroweb.eu^$all,to=~bankofamerica.com +||gaoyinjiao.com^$all,to=~jabank.jp +||activatecustomerduesupportdillegence.com^$all,to=~asb.co.nz +||nyfinance.ru^$all,to=~nykredit.com +||wester-union-u.vercel.app^$all,to=~westernunion.com +/^https:\/\/tpbank\.[-a-z0-9]{5,}\.[a-z]{3}(?:\.vn)?\//$doc,to=~edu|~gov|~gov.vn|~tpb.vn +! https://www.virustotal.com/gui/url/c7b5088a8bb8a08b8df81c311e88524e9c7c5e5db8e8482973950f2f337aa021 +||ewp.live/*/pages/region.php^$doc +! https://urldna.io/scan/668d0a422e28bacaabda96ab +! https://www.virustotal.com/gui/url/2edf261ddd989aea3a11b6e92775153dcdb8b3e4380b834b416b2bf9ab3b45a1 +||glitch.me/*/nationwide^$doc,to=~nationwide.co.uk +! https://www.virustotal.com/gui/url/90fc0532ce482014c579919d1b23d03b0d77fb7b31f3a313e7f17ed9886718f3 +||mybluehost.me/ameli/$doc,to=~ameli.fr +! https://www.virustotal.com/gui/url/c69b4c8bd6c92857d6e1e40f48ef8830c19d1da98e2c1f16ed7867c58d4b2f63 +/28kxhS^$doc,to=online|shop|top|~sberbank.ru +! https://www.virustotal.com/gui/url/f8aff688f04724ec969bccbc5c87fab27425e949590f94006b8ad5ffc8280353 +||xyz/akbank/$doc,to=xyz|~akbank.com +! https://www.virustotal.com/gui/url/47030aa07787d8246511284f00cf6a2fba1bea6974f8227f0828794b7b8493f5 +/views/choice/*/start.php^$doc +! https://urldna.io/scan/66a7f011c6cd731d9e585383 +! https://www.virustotal.com/gui/url/3e510ffb6fcc82ccf26a1b1d5581e6b2247314d93cd14e6d21be48ed104ee42e +||skylarkspb.ru/raiffeisentwint/$all,to=~raiffeisen.ch +! https://www.virustotal.com/gui/url/2f8145946986b2382bd0c7f6e7664d86aff0cea1d59b49fdf0e99b361bd4ba14 +||hclsoftware.cloud/*/tdbanknotes^$all,to=~td.com +! https://www.virustotal.com/gui/url/6196dc974de02e22d5cae34d2cabd827a4d6260aaefd1f9f8ce5dd82d0d9ad2e +/wp-content/ntww/natwest3/*.php^$doc,to=~natwest.com +! https://www.virustotal.com/gui/url/140f7ba02b72c57a8ee92b662b49d413ee5475aac61b9c766b0e099579aa5ef1 +^novobanco.pt-canais-digital/$doc,to=~novobanco.pt +^novobanco.pt-canais-digital-$doc,to=~novobanco.pt +! https://www.virustotal.com/gui/url/008e652bdc8ca70060bec73e3781cb1c9c5e43e88bb672eacb57301c6423e810 +||codeanyapp.com/Particuliers/$doc,to=~particuliers.sg.fr +||espace-documents-authsec-appmovil.codeanyapp.com^$doc,to=~particuliers.sg.fr +! https://urldna.io/scan/66e03269255cb97803a40a75 +! https://www.virustotal.com/gui/url/185e061423dca668ef141b4634bc6860980896d620094b46835d8170b771f00b +||ingresocancelacion.wixsite.com^$all,to=~bb.com.mx +||wixsite.com/foliobanbajio$doc,to=~bb.com.mx +! https://www.virustotal.com/gui/url/edf4998723800812cbe1bd7d49bed085753340593415067ccb6d8b9d94e0508d +||shahidulislamaurko.com^$all,to=~vr.de +! https://www.virustotal.com/gui/url/e003a1dd10861a22dc9a3216294de24775abc73c8ee758cdb1a1ca0f0faaf3a4 +||sunnysani.com/lb/$all,to=~landbank.com +! https://urldna.io/scan/674558e03f64e80bf440d47f +! https://www.virustotal.com/gui/url/0e5629f823bd890a8d6a9df1ea35509febb5343e719a4b02bfe98353de7aa76c +||caixa-login-banco-home-login-auth-h.codeanyapp.com^$all,to=~caixabank.es +||caixa-*.codeanyapp.com^$doc,to=~caixabank.es +||codeanyapp.com/Caixanow/$doc,to=~caixabank.es + +! nickel.eu +! https://infosec.exchange/@urldna/112496070441371886 +||mybluehost.me/service/*/nkl-log.php$doc,to=~nickel.eu +! https://urldna.io/scan/67590eb30fdec9bca3a30d99 +! https://www.virustotal.com/gui/url/618858f254ee0840cdab44ad767602a6621189ac71473fb580d6bab953d00228 +||sviluppo.host/dl/NickelTru/$doc,to=~nickel.eu +||biblio.sviluppo.host^$doc + +! dkb.de +! https://urldna.io/scan/66fa726d7fe4a642f943054f +! https://www.virustotal.com/gui/url/962dc2242a94ea0e5cb302755601e2f9a934fd9f35899dbadd3a6bfd40e17132 +||www-winbank-lfremhmida*.codeanyapp.com^$doc,to=~dkb.de +||codeanyapp.com/*/DKB_new/$doc,to=~dkb.de +! https://urldna.io/scan/67541a576d7c656c306bc7bf +! https://www.virustotal.com/gui/url/4f1a30efcd152f58325efa41a866de58560fb7a144c1445b722681b8d64dbea8 +||laurenmjackson.serv00.net^$doc,to=~dkb.de +||serv00.net/*/dkb/$doc,to=~dkb.de + +! sparkasse.de +||sparkasse-safety.de^$all,to=~sparkasse.de +! https://infosec.exchange/@urldna/112451361935970416 +||sparkasse-oberhessen.info^$all,to=~sparkasse.de + +! itau.com.br +||itaconsorciodigital.com.br^$all,to=~itau.com.br +! https://urldna.io/scan/673be7fb998a98c2667f36fb +! https://www.virustotal.com/gui/url/1df98706f4dafb0ed0aa3d809632461ced3ae87efb1978718f9656fd7e743206 +||supporthives.com/public/ita/$all,to=~itau.com.br + +! hype.it +! https://urldna.io/scan/66f56c794bd3fd633b19524a +! https://www.virustotal.com/gui/url/d1238e6a106a6871b411d7c869ea03875cd04a3a5cd2731fb94c9d061f96c607 +||correopackvia.freewebhostmost.com^$all,to=~hype.it +||freewebhostmost.com/DARKSIDE/hype/$doc,to=~hype.it +! https://urldna.io/scan/67331affb9d01b2786679042 +! https://www.virustotal.com/gui/url/4dbc8a3fd3e95c19ceef8338fcd5a683250f09b9c9ac781ff765b75ff280580d +||td-online-carta.codeanyapp.com^$all,to=~hype.it +||codeanyapp.com/hype/$doc,to=~hype.it + +! bancolombia +||e-cmv.ph^$all,to=~grupobancolombia.com +||bancolombiaapp.glitch.me^$all,to=~grupobancolombia.com +! https://urldna.io/scan/678d137a9c8cb22ff2083a59 +! https://www.virustotal.com/gui/url/12684af259fcf151a47c96aaace7682719914c590ee19849efd138a084e1ae73 +||cancelaciondeseguros-*.azurewebsites.net^$doc,to=~grupobancolombia.com + +! Lloyds Bank +||lloyd-group.com^$all,to=~lloydsbank.com +! https://www.virustotal.com/gui/url/2c42bd7b61c06bc03e1745f170382dd5aa057fc2beda209a5aefa712bd1e6630 +||lbg-calcs.vercel.app^$all,to=~lloydsbank.com + +! hypovereinsbank.de +||gohvb-d634f.web.app^$all,to=~hypovereinsbank.de +||gohvb-*.web.app^$doc,to=~hypovereinsbank.de + +! mbbank +/^https:\/\/mbdk\d+\.com\//$doc,to=com|~mbbank.com.vn + +! bbva +||bbvaar.zeabur.app^$all,to=~bbva.com +! https://www.virustotal.com/gui/url/746e7d7310e64b2ecc19a2d26bc053c2a9c54903a53363f05d090a9e490b0652 +||programajourney.com^$all,to=~bbva.pt + +! https://www.virustotal.com/gui/url/1125c38e9f48cabcb0214a0de3c102d760850bf01d4b557ee65c023fa9b40188 +||mybluehost.me/meke/cc/clients/$doc,to=~targobank.de + +! bancodevenezuela.com +||bdvenlinea*.pages.dev^$doc,to=~bancodevenezuela.com +||bdvenlineaconfirmate.pages.dev^$all,to=~bancodevenezuela.com +||bdvenlinea-banvenez-beram.pages.dev^$all,to=~bancodevenezuela.com + +! shinhan +||tinchapshinhan.online^$all,to=~shinhan.com.vn +||sites.google.com/view/shinhan-fiinance/^$all,to=~shinhan.com.vn + +! americanexpress +||americanexpressempresas.com^$all,to=~americanexpress.com +! https://www.virustotal.com/gui/url/f76b0bf281683cdb6bbc97603b3c69dc096ec72b5a41125b61dab3c8e22adfc0 +||r2.dev/blobamexbsatt.html^$doc,to=~americanexpress.com +! https://www.virustotal.com/gui/url/7ea630410a2e6836c0f0396f0dc4c7295cb0bcb3e5c956605ef42565c4e9b167 +||amxprd.com^$doc,to=~americanexpress.com +! https://www.virustotal.com/gui/url/48406e8b50ea65b8acf74f33d88d25cac7fb1f5b0577db3dcc91401de629987d +/wp-admin/user/americanexpresss-com-login-true-verify.$doc,to=~americanexpress.com + +! santander +||recompensaszurichsantander.com.mx^$all +||santander.cf.sandbox.motrada.ch^$all,to=~santanderbank.com|~santander.co.uk +! https://urldna.io/scan/67375864415af7ad29e177f6 +! https://www.virustotal.com/gui/url/4b0287034559c9ad4cb28be0e557d2e14b745e8f7e59bee9b57a45f46230c9c6 +||santanderpod.*.co.uk^$all + +! DHL +||dhl.*.potabox.com^$doc,to=~dhl.com +||dhl-event.app^$all,to=~dhl.com +||dhexpress.weebly.com^$all,to=~dhl.com +||ltlweight.trgr.me^$all,to=~dhl.com +||dhlproductosyservicios.com^$all,to=~dhl.com +||dhl-rpa-portal.infanion.com^$all,to=~dhl.com +||sites.google.com/view/expressdhl^$all,to=~dhl.com +||xn--d1aqfkf.xn--p1ai/bitrix/.../GlobalSources/$all,to=~dhl.com +||app.farmaciadelmonestironline.com/SER/dnkdl/$all,to=~dhl.com +||cricketbettingpro.com/home.html/autoload.html^$all,to=~dhl.com +||itmustbetime.com/content/uploads/products/china/china/index.php^$all,to=~dhl.com +! https://www.virustotal.com/gui/url/991fe449cae5b7f070cba12bf8b7ab0f9058c8d1a0c5857cee1f5f1ec775d1a8 +||leatherqueen.shop^$all +! https://urldna.io/scan/66983ef62ca5c5af9410c6d6 +! https://www.virustotal.com/gui/url/e894b4e45cf6086f3c110bb89db761073b96134cfb330d375e0170ea248a8cb4 +! uat.dhl-express-ppd.infanion.com +||dhl-express-ppd.infanion.com^$all,to=~dhl.com +! https://www.virustotal.com/gui/url/c40564d42e6b3d2cb9f3d9b2485c32e3446fb516d05ffd441d3c14be61027e97 +||elementor.cloud/*/ENGHUY645/$doc,to=~dhl.com +! https://www.virustotal.com/gui/url/e6fde9752f33f20c2f5ff157816c2edc1c4f6de7c89103edd3ed05cca44d0d46 +||mybluehost.me/*/phpmailer/src/dh/$doc,to=~dhl.com +||mtm.rnz.mybluehost.me^$doc,to=~dhl.com +! https://www.virustotal.com/gui/url/ef9755fcb211a668986b9afc5187577c92fb8c8bf62057bf9d0b59333827a35a +||mpinsureit.com^$doc,to=~dhl.com +! https://www.virustotal.com/gui/url/ef9755fcb211a668986b9afc5187577c92fb8c8bf62057bf9d0b59333827a35a +||goldsystem.com.br/amds/css/secure/dhlFR^$doc,to=~dhl.com +! https://urldna.io/scan/66b8baab2f59b21da15613c5 +! https://www.virustotal.com/gui/url/bc113a7de909bb111ce2d933762fd686c2a0ac924aec049b4e320cee6dca583e +||elementor.cloud/*/ESDHL/$doc,to=~dhl.com +! https://www.virustotal.com/gui/url/b83b967ad9e06240e5bb34fe0fe20604b511c41b7a86902a19dcb4b1f3951bb3 +/tracking/fV5EjH/*.php^$doc,to=~dhl.com +! https://www.virustotal.com/gui/url/8370f37d2cbdfe3d1dffb7c5c9a95341a447b725c177e85f66850aeb8b5b3544 +! https://delivery-globaldhlauth.github.io/samedaydelivery/` +||delivery-globaldhlauth.github.io^$all,to=~dhl.com +||github.io/samedaydelivery/$doc,to=~dhl.com +! https://www.virustotal.com/gui/url/a37864755cbf39bfac03577856042cde08fd23c91157aa2b5016d135177eeff8 +||myjobdhl.earcu.com^$all,to=~dhl.com +! https://urldna.io/scan/673d3de4d80447503bfc9372 +! https://www.virustotal.com/gui/url/83f4006efa9dddfb7b6df6dda5a39e9e591906623eab4e0818b145fde7748bee +||cere.network/*-dhlshipmailchecker.shtml^$doc,to=~dhl.com +! https://www.virustotal.com/gui/url/78a9667c1b6380afdc50c5a0f20f2bd228ee2f6e354c8ea6e8acb0325236f6c2 +||myjobdhl.earcu.com^$all,to=~dhl.com + +! whatsapp +||firavave.club^$all +! https://urldna.io/scan/66a0280430f40d4a2e1cdbfd +! https://www.virustotal.com/gui/url/dd581161abc02c436e7f1d3096ebc651b98bf4ff3eeea81cff8ba76b6b9ca277 +||play.funfourmob.com^$all +! https://www.virustotal.com/gui/url/a342eef995ebb76a397c7b757f86eefd84229c5b64cb845b428e494066d90575 +||fevertime.com/wasop/$all +! https://www.virustotal.com/gui/url/02a47f7abf79b9432d611eb4601015f554c548efad6cf7e9ebd64dd3d5cf8e88 +||wathzapp.com^$all +! https://www.virustotal.com/gui/url/a4c7013f5435188514d6f397a43489fa24f2fb6d1c2ed224b7974b847f8a8a00 +||wa-groupbebe.pages.dev^$all +||tg.sv/panggahokeee^$all + +! instagram +||instogromv.com^$all +||fr-instagram.com^$all +||igleak.info^$all +||instagram.irancell-10g-free.rf.gd^$all +||facebook-login.mobiletracker.pk^$all +||businesslnstagram.zya.me^$all + +! facebook +||slimhealth.us^$all +||mait.inhhome.top^$all +||mail.pages.exchange-midasbuy.com^$all +||easy-way-system.sbs^$all +! /^https:\/\/[vw]ww-[a-z]?facebook[a-z]?([.-]com)?\.vn\//$doc,to=vn +||notificationbyfacebook.$doc +||notificationbyfacebook.firebaseapp.com^$all +||notificationbyfacebook.web.app^$all +||business-facebook-*.pages.dev^$all +||ads-verification-for-pay.vercel.app^$all +||business-manange.com^$all +||lucky-gift-ph24new.online^$all +||report.case-referency.com^$all +||facebook-guidelines.com^$all +||certify-issues-details-case.netlify.app^$all +||meta-accessibility.io.vn^$all +||facebock-page-center.com^$all +||confirmationhelpmeta.io.vn^$all,to=~facebook.com +||mfacebook-com.vn^$all +||www-mfacebook.$doc +||www-facebooks.$doc +||www-facebook-$doc +||www-facebook.$doc +||vww-facebook.$doc +! https://urldna.io/scan/6730aa8524ba3300cc9e662b +||123456789login.weebly.com^$all +! https://infosec.exchange/@urldna/112560479201333529 +||www-facebook-com.vn^$all +! https://urldna.io/scan/666037369f1ea64bf06cebf2 +! https://www.virustotal.com/gui/url/668171c7e2792344e6f1258ad7c1ab14e94b6192dfa1a1e98fb798c938244caa +||vww-facebook.com.vn^$all +! https://www.virustotal.com/gui/url/381b8a23c755c95909382d1b4dc80bfd4e4c89b0f1c0e48ef626c16723ff88c1 +||www-facebooks.com.vn^$all +! https://www.virustotal.com/gui/url/6213087609a2bfd4a2c285d35ebef2ce5a1e5b74ae61a556b8ed3711909a504f +||faceb00k.com.vn^$all +! https://www.virustotal.com/gui/url/a24e6d09475f940801ec755023c330f6d299e652b2806ef764e1bb2d29ff8adb +||facebooks-com.vn^$all +! https://www.virustotal.com/gui/url/4136e69c1844f4da9b6c8aeaa81579b3ec932df00e03615ca0c369666e18b23e +||mobile-facebook.com.vn^$all +! https://www.virustotal.com/gui/url/cec2b3b2d51dd750d71030c58ece4f3ae6f69e0b234d094f3fe19c591e2ab31f +||m-facebookk.com.vn^$all +! https://www.virustotal.com/gui/url/d18c16bd0ee1692c2f031e3d116f7017f53b71e3934e8fd975f5b1cfbb19303a +||mfacebookk.com.vn^$all +! https://www.virustotal.com/gui/url/1014d77546918719015cacc54e024eb3cf328434de3b08571ecc21c6d582e166 +||fakeserhelpsreivew-facesonseriengoies-16839.io.vn^$all +||fakeserhelpsreivew-$doc +! https://www.virustotal.com/gui/url/62cf2706dfcd1c711c43e9005635631a02d6d8529603f0b700ff8e1b9eafd932 +||ifbsmetaiidentiityconfirms.com^$all +! https://www.virustotal.com/gui/url/e5632b7ebd4d9ef4899155af4a8cf218797bd59972c231a7897b603b32ccccb1 +||govern-assessment-validation-*.vercel.app^$all +! https://www.virustotal.com/gui/url/54cb07a8f7961f2a9b2e5aac8c8a7a3f7a3f816f56f799382b672929fabc32b4 +! https://www.virustotal.com/gui/url/75b18ea12b5b20f2e824df4443cc6d3458ca214b738ff390f319a6bf6290a4d0 +||support-center-for-*.vercel.app^$all +! https://www.virustotal.com/gui/url/6091a6693b5581524198c73b1f84c58e9272f1b100d7e68d7ed5fae7d05a06e2 +||request-page-violation-*.surge.sh^$all +! https://www.virustotal.com/gui/url/a9ef0c410c76df46d4871a247df980ac912b93df02d7c7012477107171c78964 +||violation-*.surge.sh^$doc +! https://www.virustotal.com/gui/url/6eeee02278ccbecd060a66c9948c69d98b79c249876e03f7ff410180fa4b4057 +||copyrights-*.surge.sh^$doc +! https://www.virustotal.com/gui/url/19c07d4e7c627a1f83900c509ce73b828247b3bb932713383e5569e7e2671882 +||fan-page-*.surge.sh^$doc +! https://www.virustotal.com/gui/url/d8475ddede9ae4d82634b3b67f477e08dac8e9ed1f71e217485c81e64b325440 +||content-voilation-$doc +! https://www.virustotal.com/gui/url/740e678d35aa4d230791e3e9bc98d3be1d94c5269a72b35892676c606e64c326 +||appeal-account-copyright-case-review.$doc +! https://www.virustotal.com/gui/url/d67ee76e5dee301886e8acf659a38d3489da3815c63592ae63659fae81242a41 +||community-flagged-$doc +! https://www.virustotal.com/gui/url/19c07d4e7c627a1f83900c509ce73b828247b3bb932713383e5569e7e2671882 +||help-for-work-*.pages.dev^$doc +! https://www.virustotal.com/gui/url/727aea44e0ab1a53aa0f6471b838d7391f6b4404c388b308ad3add44e5b5d65c +||metabussines.com^$all +! https://urldna.io/scan/66983eea0498ab650fb7f81a +! https://www.virustotal.com/gui/url/24b304e37ceace8f0b2d4ed4587af156618393eabecad1eb1aa1809b9876ceb0 +||transparency-business.com^$all +! https://urldna.io/scan/6698e7c8b88a5a4f7f81c078 +! https://www.virustotal.com/gui/url/0fb1eb85ae5a83bbbf012fc401f663011ee27042d4fc1fd43c3d6ec9bbed1dbe +||http://marketplace-item-details-*.zya.me^$all +! https://www.virustotal.com/gui/url/0e4de7ac483088234981cd80049c18f2102970271a741b004182aece70bff443 +! https://www.virustotal.com/gui/url/a0ebabdbc92c508cb157cea7c79ab728d5f9686b55d208e628d61e097050d015 +||mediacontrolcenters.com^$all +! https://www.virustotal.com/gui/url/087951f6e1cb4f192f3d756c6a8bdef38ff818e02fb2cb0387807eda74f0f518 +||info-meta-noreply.com^$all +! https://www.virustotal.com/gui/url/b6f1e13d46854c206f4126ba98691ffc00f511d4567c65ec4ea95626c39a85c2 +! https://www.virustotal.com/gui/url/9651e3fa25ad8bbcd3a771acd5f4658d8dc598dc2c53ea2640cfc3c8c6257044 +! https://www.virustotal.com/gui/url/163d930050fe67dd41c9a2905fb9c4fa817b75fc96de6c9d71192bfbb3048e5b +! https://www.virustotal.com/gui/url/da2e3aec870053861882f7d6c41257e727e284ecfb573bb62ebe0c1e1c5c7f4f +/^https:\/\/business\.[a-z]+confii?rm\.com\/meta-community-standard\d{14,15}[^\d]?/$doc,match-case,to=com|~facebook.com +! https://www.virustotal.com/gui/url/f591d0bdb853fe252d0d2a6db865b8af34cb562e1a438158efd90f99a972bdfc +/^https:\/\/business-component\.[a-z]+(-[a-z]+){2}\.com\//$doc,to=com|~facebook.com +! https://www.virustotal.com/gui/url/a9999feede5fb57166172d17ee75655b19d1a006d440aa6180f1cba3197edf13 +! https://www.virustotal.com/gui/url/3272577275331ff6f7774d392e4e6189b8dc914c16777d24eb691b4830c5ef17 +! https://www.virustotal.com/gui/url/09cac60b458f88d9a2f0fa101b5fe1365f0e1786068149bbadfff21b42b165ae +/\.(?:click|pages\.dev|surge\.sh)\/help\/contact\/\d{14,19}\b/$doc,match-case,to=click|pages.dev|surge.sh|~facebook.com +||business-help-temp-$doc +! https://www.virustotal.com/gui/url/ab0017dd6ee56266bf8d8514bf3ed892719deb7f1f1dd40c85e2ee7b1764d116 +/\.workers\.dev\/help\/\d{14,19}\b/$doc,to=workers.dev|~facebook.com +||royal-glade-286f.kdsj.workers.dev^$doc +! https://www.virustotal.com/gui/url/ebc994d35635bdfa408c42209bb66ca8de3180dfe60c1c90386ca5bb2bd0c5cd +! https://www.virustotal.com/gui/url/4ed3b862ff18fb1a61b8ecf76583c1f07aa3bb8625fe9bbc4df3dd44a4a14e45 +! https://github.com/uBlockOrigin/uAssets/issues/26518 +/\.(?:boats|cfd)\/contract\/\d{14,19}\b/$doc,match-case,to=boats|cfd|~facebook.com +! https://www.virustotal.com/gui/url/1e529619b288de241d6f1b356b31aa62d615dee6678f0dd42ca6ce77ea277cac +||meta.com-case*.com/help/contact/$doc +! https://www.virustotal.com/gui/url/a7fd00beea3a206574a55ebcc91d1c0c73330e31c5a38d602d6f82e14d646bff +||helps-center-page-number-$doc +! https://www.virustotal.com/gui/url/b0de32c1d69e1c616a08c16fd9df3e6bc63116beaffab23e979588eec9269845 +||support-16.ubpages.com^$all +! https://www.virustotal.com/gui/url/e7726560de588d46e7eff751632d42ab49f745af0fcb8d6e2ddd3418f84861de +! https://www.virustotal.com/gui/url/cd24701c93decf07a0fd0d2e37e819bd355882c488c48cdeb07a02ebecd0171c +/\.(?:pages\.dev|vercel\.app)\/appeal_case_id\b/$doc,to=pages.dev|vercel.app +! https://www.virustotal.com/gui/url/8470f93fe263a78716f67eb89e35fa32d01f418a9aab33d45350940e49004fd2 +/^https:\/\/(?:appeal|contact|page)\.[a-z]{15,}\.com\/appeal_case_id\b/$doc,to=com|~facebook.com +! https://urldna.io/scan/6730aa8ee473e50c56ba3f7e +! https://www.virustotal.com/gui/url/5fa27669e116daaa9aa118ffd4f11e797309bf8172129780699603d1d95046d2 +||suport-page-help.com^$all,to=~facebook.com +/\/contract\/support-case-id=\d{14,19}\b/$doc,match-case,to=~facebook.com +! https://www.virustotal.com/gui/url/06a955d5c7ac3eeffb64aa49d1e5ae928ee97870b84862c0be6aeb66e9d26a9b +||akuanakmamah.de^$doc,to=~facebook.com +! https://www.virustotal.com/gui/url/ecc2e9e673bed945c2ae2e143056aac4f53cebbf6c2180d28151294459a78522 +||kraftonmidas.com^$doc,to=~facebook.com +! https://urldna.io/scan/66f3c57b304b035a2881c2bd +! https://www.virustotal.com/gui/url/e1e065ad6355da6ec5c427cb7d991ce90430e275a0b80b2d69a46337b62d55fd +||support-metahelpcenter-id*.netlify.app^$all,to=~facebook.com +||support-metahelpcenter-$doc,to=~facebook.com +||netlify.app/help/support/client_id=$doc,to=~facebook.com +! https://urldna.io/scan/6730aa2daee258c88824ac60 +! https://www.virustotal.com/gui/url/58de23eb9a6a00255f5503ad391fd24bf84135a63c6df7d992b0ed1b4bc71511 +||reminders-infraction-account.netlify.app^$all,to=~facebook.com +! https://www.virustotal.com/gui/url/6e13578979cea6a4fe1a10c9e13608da630f3a55e72ed7df3669b15d5ac3546c +||abc-ckd.com/facebook/$all +! https://github.com/uBlockOrigin/uAssets/issues/24719 +||xyzxyz55.xyz^$all +! https://github.com/uBlockOrigin/uAssets/issues/24777 +! https://www.virustotal.com/gui/url/c2d401ec0f20e437009573fca481565d05036489406f6bb9bee37365cf4d28f0 +||vercel.app/americaplata.com.html^$doc +! https://www.virustotal.com/gui/url/94c89d8875b2ca47a7e312a65c7c2522400759d697ed5678c753f74c5bac1645 +||atplink.com/responseandresolutioncenter$all +! https://www.virustotal.com/gui/url/4356eb329ad8473f5db57778ae7b23f588d9de5c1851f7876193aba38ab7703a +/^https:\/\/h5\.[a-z0-9]{4}\.com\//$doc,to=com +! https://www.virustotal.com/gui/url/cb040151df409b4bb2bf62d47bd91b293cc58bda80da9f7a53c6bc4cafa95457 +||vercel.app/mixcc.html/$doc,to=~facebook.com +! https://urldna.io/scan/673aaa74607ec87001473ba4 +! https://www.virustotal.com/gui/url/878182e6093b5987cf46060002e7d7dcda53024fa99885b5d573970f9d7ef535 +||live-metasupport.com^$all,to=~facebook.com +! https://urldna.io/scan/673fddf5901499bb717810ab +! https://www.virustotal.com/gui/url/c3ee7bb3537e92750c68a61723e26ef18b3ce0fcd1e9cf6048824adf8982bbca +||infringement-service.com^$all,to=~facebook.com +! https://urldna.io/scan/674559483f64e80bf440d493 +! https://www.virustotal.com/gui/url/266b06bd1751137e29622025a51e263eda7efd84a2a32bdc1854956135a21e4e +||supportadm7tmedia.online^$all,to=~facebook.com +! https://www.virustotal.com/gui/url/7c0d4be00554ee880ccd48ebca4a31a384a439c7fdd266214dd21bf87217fcad +||befuls.shop^$all,to=~facebook.com +! https://www.virustotal.com/gui/url/04ed48996fd3a5ef5aad4c484adfbcf3e82a1d52ddaeec0f5e632a486f37c772 +||facebook-mobiia.click^$all,to=~facebook.com +! https://www.virustotal.com/gui/url/5816000c2c9efd6e3103e355e4db79833c78d3b472db28822508c36598195c0a +! https://www.virustotal.com/gui/url/2ab2d00623a9c7a0a2be93714e2d870c4524a0c5721448f33ac60eac913b3c5e +||businessrequestcenter.com^$all,to=~facebook.com +||businesscreatorportal.com^$all,to=~facebook.com +! https://www.virustotal.com/gui/url/cc2450d1ea3d6a4d610b156eac3bbfc31eef82a9536e32875ae90f5374387f04 +||fb-business.com^$all,to=~facebook.com +! https://www.virustotal.com/gui/url/2910c4441a720bf8b1c2376b9d191b24fd7f65d98073440ee33fbacbd897f3e6 +||facebookconfirm.com^$all,to=~facebook.com +! https://www.virustotal.com/gui/url/026da7ca8f917b726796ed50338068e7325ad0f0983b585ce1ee8048f64c1055 +||faceboock-page-support.com^$all,to=~facebook.com + +! shopping sites +/api/user/do_login|$xhr,1p,to=com|info,method=post,header=access-control-allow-headers:/authorization\,content-type\,if-match\,if-modified-since\,if-none-match\,if-unmodified-since\,x-requested-with/i +/api/user/do_login|$xhr,1p,to=com|info,method=post,header=Access-Control-Allow-Headers:/authorization\,content-type\,if-match\,if-modified-since\,if-none-match\,if-unmodified-since\,x-requested-with/i +/api/webapi/login|$xhr,3p,to=online|vip,method=post,header=access-control-allow-headers:Origin, X-Requested-With, Content-Type, Accept, Authorization +||lazada.bbc6666.com^$all +||tuyendungtiki2024.vn^$all,to=~tiki.vn +! shopee +/^https:\/\/sp\d{2,3}88(?:vn)?\.com\//$doc,to=com|~shopee.vn +! sendo +||vnsendo.*^$all,to=info|shop|vip|~sendo.vn +! dienmayxanh +||mayxanhsupport.com^$all,to=~dienmayxanh.com +||trungtam-dienmayxanh.com^$all,to=~dienmayxanh.com + +! steam +||steamproxy.*^$all,to=steamproxy.cc|steamproxy.net|steamproxy.vip +||sp.zhabite.com^$all +||sp.aircsgo.com^$all +||st.aircsgo.com^$all +||gtm.you1.cn^$all +||steamxiazai.cn^$all +||steam.zssjsq.com^$all +||steamcommunitylog.chez.com^$all +||steam.iplay.fit^$all +||steam.workshop*.com^$doc +! https://github.com/uBlockOrigin/uBOL-home/issues/156 +/^https:\/\/s[ct]y?[ace][aemn][a-z]{1,4}o[mn][a-z]{4,8}[iy][a-z]?\.com\//$doc,to=com|~steamcommunity.com +/^https:\/\/s[ct]y?[ace][aemn][a-z]{1,4}o[mn][a-z]{4,8}[iy][a-z]?\.ru\//$doc,to=ru|~steamcommunity.com +/^https:\/\/steam\.(?:community)?workshop-?[a-z]+\.com\//$doc,to=com|~steamcommunity.com +! https://www.virustotal.com/gui/url/d16f07ca49e9334d080d427294630f22f10d8925de8ae73df2128e0bdbd434a9 +||steam.communityart-work.com^$all +! https://www.virustotal.com/gui/url/193529305a403b318c68513d9ca0bbf9869ab475004de21dd79b9746a98fc1d2 +||steamcomuniry.com^$all +! https://urldna.io/scan/66925047e932af39c4d83b2e +! https://www.virustotal.com/gui/url/372d127253dfec7b8877a319c8b206cbe78cd073fb6aa63827b8e8f374b11d96 +||steamcommunlyt.com^$all +! https://www.virustotal.com/gui/url/885e8a2414fc94eee924e9314140c217481c85a60f5583a11054d8eb6d25b07e +||steemcommuntiy.com^$all +! https://www.virustotal.com/gui/url/363aba32957697b30a125eafd87d3a50f64fac6df9eda931078288112b84b725 +||stemcommunty.com^$all +! https://www.virustotal.com/gui/url/bcbbfae046e7d8b62418da2234556524170cf156f2ac5c9d25f1b7fb4bfc64e1 +||workshop-users.com^$all +! https://www.virustotal.com/gui/url/4aba296c6d702d985b991365bdbe66ee72256a29c46ab9db1dc0dd1f25e0fbbe +||cn-steam.com^$all +||com/p/jcod-ppsr/huasdirjdo^$doc,to=~steamcommunity.com +! https://www.virustotal.com/gui/url/903d84272949895a1b6b839e17d42228ffeb3b76f17603b21df897a0f6d13124 +/redeemwalletcode/gift/*$doc,to=~steamcommunity.com|~steampowered.com + +! garena +/^https:\/\/(?:www\.)?(?:ff[-.])?member[-.]gare[a-z]+a(?:\.pro)?\.vn\//$doc,to=vn|~garena.vn +/^https:\/\/(?:www\.)?(?:ff[-.])?men?mber[-.]garena\.vn\//$doc,to=vn|~garena.vn +||garerna.vn^$all,to=~garena.vn +! https://www.virustotal.com/gui/url/ce6473af34e959a3b54481b19156fd89c5f79f572504e946322a699fa3c90982 +||gasenna.id.vn^$all,to=~garena.vn +! https://urldna.io/scan/668c617231870afb8051862d +! https://www.virustotal.com/gui/url/58cfcbac7307b433fa5f749b7ec520a80ad2d9f3e6cf2ca23d82f13642b10920 +||gaerana.io.vn^$all,to=~garena.vn +! https://www.virustotal.com/gui/url/2292c6eb437f9930590616da35a79465053768e7d761000fd8a3665843fc5502 +||gasenna.io.vn^$all,to=~garena.vn +! https://www.virustotal.com/gui/url/cb13aced65dd286d5c1c7395bd0a6124cdf36584d46d769a453d648a90743847 +||gerarna.io.vn^$all,to=~garena.vn +! https://www.virustotal.com/gui/url/f723578b1d245750ca20505afffccbb5c7dd7f8a5fa3173622a34a0316d9c13e +||gareana.vn^$all,to=~garena.vn +! https://www.virustotal.com/gui/url/c998e9fdb9fa0dd19da052a536973c793ff587d9e92aa8ece634369014c338d1 +||doivangfreefiregarena.io.vn^$all,to=~garena.vn +! https://www.virustotal.com/gui/url/9c9f79db6ed61f465023c031bbab44a4d447df48242aa01dc889b323b0a753d9 +||garenae.vn^$all,to=~garena.vn +! https://urldna.io/scan/66b4cffb823078d8ed5a58e2 +! https://www.virustotal.com/gui/url/9b41d646681f2d6de5a19ce7251c93607d16fb3d341396c953043c47123e3e8e +||garenaea.vn^$all,to=~garena.vn + +! mobilelegends +||mobilelegendsmycode.com^$all +||exchange-mlbb.go-midfer.com^$all + +! pubg +||pubg-arena.top^$all +||register-turnamen.free.nf^$all +||sukien-pubg.io.vn^$all +||napthepubg.mobi^$all +! https://www.virustotal.com/gui/url/8beafe6d3589893c780dc140b59a7bf70fa4a900381da96faafb8b5d0a508eff +/volt/*?nox=$doc,to=ai|com +! https://urldna.io/scan/66b8bb055b2622c91165b2b6 +! https://www.virustotal.com/gui/url/6b3ea23e4c4efa2fcbe9259409281c002a04671b6e205c3c91abb990fad40efc +||kraftonevent.com^$all +! https://urldna.io/scan/66b8bb222f59b21da15613d1 +! https://www.virustotal.com/gui/url/63830f5c8fcc5abe8544ed1a7ecfcd986274c6a9b1cd1d3df8b47c874ec33730 +||pubgxbest.com^$all + +! google +||play-quartz-sanctuary.xyz^$doc +! https://infosec.exchange/@urldna/112294350751277558 +||datahub.center^$all +! https://infosec.exchange/@urldna/112435554388872743 +||channelhub.info^$all + +! microsoft +||microsoft*.dfautomotive.de^$doc +||microsoft.dfautomotive.de^$all +||microsoft.account.dfautomotive.de^$all +||activarhotmail.weebly.com^$all +||hab-sharepoint.weebly.com^$all +||servicewebformoes.weebly.com^$all +||microsoft-verify.glitch.me^$all +||validacionesoutlookmailwebadmin.glitch.me^$all +||whfdny.org^$all +||infos4.yolasite.com^$all +||microsoftupdate67.wixsite.com^$all +||exchange.add-solution.de^$all +||exceklcmicrosftprotection.pages.dev^$all +||graettingerlaw.com^$all +||post.nationalrent.ru^$all +||gocolonial.local-user.com^$all +||officesoftcn.com^$all +||athenasbaklava.com^$all +||e-outlook-online.com^$all +||serverdata.ch^$all +||nilousplaypen.com^$all +||cashum.unam.mx/wp-content/backups-dup-pro/imports/index.htm$all +||od.atami.no/one_drive.html$all +||thermovitraffic.com.mx/SharepointFileProject/$all +||cognitoforms.com/FiRe21/EmployeeTeammateQuarterNominationPeriodForMidyear^$all +||santangelo.eng.br/owasetup/$all +||arvgroup.az/hash/$all +! https://www.virustotal.com/gui/url/19c07d4e7c627a1f83900c509ce73b828247b3bb932713383e5569e7e2671882 +||pages.dev/smart89/$doc +! https://urldna.io/scan/66e84f51b5b5cf9b2869e00d +! https://www.virustotal.com/gui/url/765e4dd75664d385d04eacaa47e36ed1029f2e42882c843c242b52cfafaf3300 +! https://www.virustotal.com/gui/url/d7ef78d959b7cbfc5592321f643f505bc022c221a607a9d41d9d2aa6e41b8df3 +/^https:\/\/(?:[a-f0-9]+\.)?[a-f0-9]{58}\.pages\.dev\//$doc,to=pages.dev +! https://infosec.exchange/@urldna/112186648791862292 +||acir.postofficeweb.com/grupoacir/$all +! https://infosec.exchange/@urldna/112377161728125627 +||storageapi-new.fleek.co/*/yss/ind.html$all +! https://urldna.io/scan/667d384ad611a65623a4c272 +! https://www.virustotal.com/gui/url/08c0a664528400e7f69613f0d67cd32eaa27c172e61b59729af5fd808fb52737 +||wwwservicemsnlive-*.hubspotpagebuilder.com^$all +! https://www.virustotal.com/gui/url/b434ef1646001aeffd5a32021dc365e17f38b4ca73cbd06e237fa29749e5ae05 +||conohawing.com/*/outlook-$doc +! https://www.virustotal.com/gui/url/6842be99947bd0db1671500f4ab7774846e34f7d951b190be9e58b9e84536f39 +||hergunavantaj.com.tr^$all +! https://www.virustotal.com/gui/url/121614b7a02a5f9bfe0df6bea30184ef2c28a03df07b6ae41c489de241554344 +||irrigationservices.co^$all +! https://www.virustotal.com/gui/url/4c3fa27636d4439e79b4f6a05f2c3859897425727bf985a5afe5047266e462ff +||copynet.com.mx/Message%20Centre/$all +! https://www.virustotal.com/gui/url/64fb53355d445fd7b50685886e43e364285a48a660701a553cfbfd925c1a371c +||msnoauth*.com/office-$all +! https://www.virustotal.com/gui/url/564a9ce8f29f1fe3e951fc11865e27ed1f3280a512afbd110e2733634106510b +||sites.google.com/l0gin-microsoftwebonlne.app/$all +! https://www.virustotal.com/gui/url/51ddf7de3e21e346563a713d62f1a3221afda66b9681ab2b5989da7d901a3935 +||monogonzalez.com^$all +! https://urldna.io/scan/669b8ab77cf5beafb5dbcf99 +! https://www.virustotal.com/gui/url/1092dfb23e71f252516b56e8d516e92df4233b5d7e7a5178393f7a1ae02b9ff3 +||microsofthotmailsi1.wixsite.com^$all +! https://www.virustotal.com/gui/url/d0a30d63d6975b69762e024ddb89c252a8f2822bddb8b4d171bf3495261dc479 +||supplieradvisor.ciamlogin.com^$all +! https://www.virustotal.com/gui/url/6586411fdd055f472911a7507ed78ed2eabab30a79d2caf3402525f119dd8e66 +||e-messsage.com^$all +! https://www.virustotal.com/gui/url/8f1d11e2386cb995b30ec481a6b28acd4903283450f034a426927648956578a2 +||supp0rt.co.za^$all +! https://www.virustotal.com/gui/url/80a4ef21bdad71086be4131d0781e1578b59f2d3565ac48cd5d30aa7e2b2e398 +||ariabcon.com^$all +! https://www.virustotal.com/gui/url/b1351123c5563546b0841861e21e71593f0eca917057ac3c9f497303160053e4 +||vkcs.cloud/owa.html^$doc +! https://www.virustotal.com/gui/url/38b0cc10ec3ff351fb8688c6386834152abda6e018c63e8be60272b2ffb6c3b1 +! https://www.virustotal.com/gui/url/c3e6ff6cc703988270f227d9bdd8192f74d795ff8efac3a1f4043049d4db21f8 +||ocalam.com:8443/impact^$doc +||indylatinawrds.com:8443/impact^$doc +:8443/impact?impact=$doc +! https://www.virustotal.com/gui/url/001206894d1c51fed2957043775dd6b567f35f7223b755b536d8828cfc43403c +||todordigital.co.uk^$all +! https://www.virustotal.com/gui/url/526d0f017cf0af2b63746d39c742afe6d6d827cc1142d49fff26467f57d64c22 +||pub-*.r2.dev/owa.html^$doc +! https://urldna.io/scan/6739584cde915d9ef3ea248b +! https://www.virustotal.com/gui/url/86d704e6d02054e1fdedfabd848701ee49998448ea66645a89626d274787aeea +||pub-*.r2.dev/owasecure.htm^$doc +! https://urldna.io/scan/66a7f0b018ce9822b681e283 +! https://www.virustotal.com/gui/url/ae5b373bf18db6316d0bbae309378ce3f66e6e780682ce8bfdee60a8536c1721 +||pub-*.r2.dev/onecode55.html^$doc +! https://www.virustotal.com/gui/url/f231e206ef4cf16012f015b13ca1069cdb1c250e7e6b6ad7533b46866cc62d46 +||pub-*.r2.dev/OneDrive.html^$doc +! https://urldna.io/scan/673fdd72901499bb7178108c +! https://www.virustotal.com/gui/url/953665bd31d47d6384f1389967a6321adfe571f078e4f38d4f06cf9670fdff93 +||pub-*.r2.dev/auth_type.html^$doc +! https://urldna.io/scan/66a893d548fc8e7672fbf688 +! https://www.virustotal.com/gui/url/caa8a01a2f1c8511f8a5e2ac367ec62beaf35db464b564e1ce9450a4a4923fb4 +||enexdirecto.com^$all +! https://www.virustotal.com/gui/url/759542b8116836f96e6a4ec604fb9f58b62b348346c3e65e417d649ae50b21b0 +||ccefactoring.com.br/ziujhyhtrer/$doc +! https://www.virustotal.com/gui/url/9105be477423bad95f6841a21151289e3dde515febdad09429b0fd030ed95b49 +/Message%20Centre/mc.php^$doc +! https://www.virustotal.com/gui/url/823f191614433b0f353b678994fe7399aebddf541c26f7434e630a352da61054 +! https://www.virustotal.com/gui/url/bbab15ebcb0f684e6448edf35d469b5c411c6e3c7877387d16666e8a26fc3e8e +/\.com(\.[a-z]{2})?\/wp-includes\/images\/smilies\/images?\/smili?es\/[a-z]{25,35}\.html/$doc +! https://www.virustotal.com/gui/url/aa20e18faa34e87cefdd3540d18ac6f030f17d501460f771e84a70b07e66e8aa +||mlcrosoftonline.com.eu-secured.com^$all +! https://www.virustotal.com/gui/url/2f6b0d76102f8fbfafcc7a42d4768474d58c38079f7ff8a82b836e9649c7f7a5 +||carrierzone.com/sharepoint/$doc +! https://www.virustotal.com/gui/url/1ed7b40b8d5a921616df1e5b651f0a8d055766eaa36d3ce73b5823cf6acb01b7 +||hr-systemmet.dk^$all +! https://www.virustotal.com/gui/url/649a3b295ad9351627f2539d0671071bb781f0d39c7d2730bb1c10041bd76c76 +||bertchou.com/wp-content/languages-old/config^$all +! https://www.virustotal.com/gui/url/faecdd6bdca1b1760f51038578451d7315e2ae074f68175da527f722d873fcf9 +/^https:\/\/[a-z]{14}\.azureedge\.net\/\d{4}j\b/$doc,to=azureedge.net +! https://www.virustotal.com/gui/url/2d6508637022abdbe07180d88c2590ccef5de0d255841fdd1aacb4982ffe842c +||microsoft-notifcation.com^$all +! https://www.virustotal.com/gui/url/3d1271ed539c049f4a635c733563e00b453b091a64b5bd2cbefa294cde56c684 +||eunssiatel.tech^$all +! https://www.virustotal.com/gui/url/07e776f18e73ca2817565bbe2a9c892254b43792ad6ba152e58f0f3bee9c51d0 +/neteasyes/neteasyest/900^$doc +! https://www.virustotal.com/gui/url/a9a522e1d2bcaa50c4b0183207998f4d9f6df975701014c953a6cd7669289b05 +/^https:\/\/[-a-z]{4,}\.dogfriendlytahoe\.com\//$doc,to=dogfriendlytahoe.com +! https://www.virustotal.com/gui/url/793b7648f090ad3eef707328a1f63aaad418559889461b34300675cfa82462c3 +||email.hvviinc.com/owa/$all +! https://www.virustotal.com/gui/url/c9edd9d3e4002957c668e0d19002e4175227d7bbbc84059592fc4ab8cbf1a2f0 +||docusine.com^$all +! https://www.virustotal.com/gui/url/ba3d635595cc93873b411791c58db6a12e5285cdebf35544afb1ca7350ef4296 +||backblazeb2.com/securescriptindustriusfinanceprivate99.HTML^$doc +! https://www.virustotal.com/gui/url/aa14ca779e0ee64809a6698a89e50bd6d60138ee7707116c169fc765bb9baf98 +||contoso-travel.com/login^$all +! https://www.virustotal.com/gui/url/89d827b0980847445477131a27a9d58d8ca0e64fd3aa782a508c1c8e01c6291b +||sitio-interno.com^$all +! https://www.virustotal.com/gui/url/c2ec0126a3e06b636368e4ff4c2ade3dbedac9d054db5b470bbf615ea390eb89 +||oortech.com/onedrive.-html^$doc +! https://www.virustotal.com/gui/url/29857465da6296cafcf9dd205d78f34ea074a8bdcca2f62adf1b7cf9072ca3ba +||shockaholic.net/jgr/$all +! https://www.virustotal.com/gui/url/3d14b8eb5242df9e63127ef2cd69d85cf69dd965b382da83cd31938cfeda567a +||earovit.dk^$all +! https://www.virustotal.com/gui/url/b975db4665f554ab571c8a02b8b748500c278347191334a9c6b80abe036f9be4 +||user.fm/files/v2-*/Refundnotice.html^$doc +! https://urldna.io/scan/6733148ced64ebd828fccb5b +! https://www.virustotal.com/gui/url/cba35981fd21da4668fb4a935d091677c5abfdb1ce1f00690aa54614f1adf12e +||user.fm/files/*/Proof%20of%20Payment.htm*$doc +! https://www.virustotal.com/gui/url/18f2bace516b40699daddedeecc81c41183f522004ee606ee432323987ba6494 +||alnobala.ae/owasetup/$all +! https://www.virustotal.com/gui/url/6e69610c952076b5cf68160d8acba75dae81ad780929e950eb099399f6e6ccea +||authsignonstaff*.softr.app^$all +! https://urldna.io/scan/67324ae225a29e5c04a0cac2 +! https://www.virustotal.com/gui/url/32d23c85dd5e4c10a1a7813f935117e236dfe8f914ad882fb302e83eca32f47a +||facture-pdf-secure-*.vercel.app^$all +! https://urldna.io/scan/67380ef58a64bab0b45d0b6b +! https://www.virustotal.com/gui/url/13c5d820504770599d96aa85000d49ed4af09e2191dcff38e8b63e4ec5eaead5 +||hkwordpress.com/public/export/SM-ORDER/excelz/$doc +! https://urldna.io/scan/6746ab36d355f8dd0d56dae1 +! https://www.virustotal.com/gui/url/6fd52a8f1ed5e9525b44d5c98c19ad9e9e89741153570855475ab19ea88095da +||msoftupdate.*.linodeobjects.com^$all +! https://urldna.io/scan/67468dbb2ad516bb77c59bb5 +! https://www.virustotal.com/gui/url/11206caec45f8f731373a3c40f36725113e3f93945145892bb2895edb2ec0e59 +||slobeg.com^$all +! https://urldna.io/scan/67869939c6a9b4f17944c786 +! https://www.virustotal.com/gui/url/2065cd67be3bf7ac6469c02d033f73c6debf710054d1a5156334dbfe87b527f8 +||outloksupportbuzoningreso.glitch.me^$all +||outloksupport*.glitch.me^$doc + +! telegram +||telegramhcn.com^$all +||brawllstars.ru^$all +||telegremapp.me^$all +||telegerasm.work^$all +||telegeram.work^$all +||webtelegram.eu.org^$all +||telaagam.maxisl.vip^$all +||zhongwen-telegram.com^$all +||dxyezzxkrvqf.top^$all +||telergaom.top^$all +||telergctm.vip^$all +||teiegram.work^$all +||telegramtn.com^$all +||cmtg1.com^$all +||telegrambotsolution.pages.dev^$all +/^https:\/\/www\.telegram[a-z]{2}\.com\//$doc,to=com|~telegram.org +! https://www.virustotal.com/gui/url/ef9755fcb211a668986b9afc5187577c92fb8c8bf62057bf9d0b59333827a35a +/^https:\/\/ht[a-z]\d{2}\.vip\//$doc,to=vip +! https://www.virustotal.com/gui/url/3891030a1d3e7fb7ebac20d4607242e3c30477016bcdad27da7e88c9cdf65d3f +||recouphh.top^$all +! https://www.virustotal.com/gui/url/fc047acc620a85307852e4580ab5c21468a8fc8a175b5657a05950cd876ee07c +||recovery-cr.top^$all +! https://www.virustotal.com/gui/url/a33e6ee7dd86f0c86a655a942a7d38fae709e522c38f25bdd51c38cdceee9e06 +||recovery-gzo.top^$all +! https://www.virustotal.com/gui/url/9bfb25d3ef31de34855417314d030bdd6c668b7a7e4fd826531e0e0f239ad2e6 +/^https:\/\/xy[a-z]\d{2}\.cc\//$doc,to=cc +! https://www.virustotal.com/gui/url/2048958dffb9920086d04fe2b0b93fbe3c0ce180c9456d36b846600c15b1b1f5 +||telegram-*.com/login/index.html^$all +! https://www.virustotal.com/gui/url/1c006fc290430f49ae7b3f4915f744f261fdee4617973735b00ee00e8ee34ec2 +||d*wsapp.icu^$doc +! https://www.virustotal.com/gui/url/8f7738fd0cfff7c522802752d6fbdf015b19f8c7e483d01c6fb020854f42ef42 +||telezelm-*.icu^$doc +! https://www.virustotal.com/gui/url/e7eea1fe6282dee603a27cc5d34c0c5eee90fd402de80989cf7a939e3e7e1352 +||whatsapp*.icu^$doc +! https://www.virustotal.com/gui/url/cb39c3fd6faa42c07328f8e73f8a4d2258523b557b9f4e5a134ef4ec3cf4698c +/^https:\/\/telegram-[a-z]{2}\.[a-z]{2,3}\//$doc,to=~gov|~edu|~com|~net|~org|~telegram.org +! https://www.virustotal.com/gui/url/d69ea33854b1c9f85ec27cee7cd98ecff0e2933c2644e43df657671ebacb003e +/^https:\/\/telegram-[a-z]{3,4}\.com\//$doc,to=com|~telegram.org + +! usps +||uspsparcels.net^$all,to=~usps.com +||uspssmartpackagelockers.com^$all,to=~usps.com +||smartparcellockers.tech^$all,to=~usps.com +! https://infosec.exchange/@urldna/112224043535026915 +! https://infosec.exchange/@urldna/112244333356436954 +/^https:\/\/usps\.[-a-z]{6,}\.(?:com|top)\/(?:address\.html|information|verify)\b/$doc,to=com|top|~usps.com +.top/pg?do=$doc,to=top +||wrc-gh.org/redelivery$doc,to=~usps.com +! https://infosec.exchange/@urldna/112560597065106850 +||mybluehost.me/2us/verification/$doc,to=~usps.com +! https://urldna.io/scan/6683cfb811bd32bf9fb75225 +! https://www.virustotal.com/gui/url/25aea0e999fad6210accce6965b498b4794ae442233ece87290293486f17d432 +||mybluehost.me/uspshome/$doc,to=~usps.com +! https://urldna.io/scan/668915c66ba77bfb3cacea3c +! https://www.virustotal.com/gui/url/2cffc82255b1724b4e9083c350c2c3d73ff9366ee6ab15d6c0bc37ab6c7b8066 +||mybluehost.me/us/post/$doc,to=~usps.com +! https://www.virustotal.com/gui/url/d8f1aa4bd75eb85e45126053f1e67862e33be37dc3b9064af310cfda1629964b +||mybluehost.me/tracking-mail-delivery/$doc,to=~usps.com +! https://www.virustotal.com/gui/url/ab9313e89cd1f37e143b6bbfb8e7b43d4484328dda0b5fd287a44fbefce58479 +! https://www.virustotal.com/gui/url/3a759ec6ab4192d774c4a40be278da6bdda88cb693995472cf84bf6fb9c3617a +! https://www.virustotal.com/gui/url/cb0992c96c240779edaf3a6b5c7b4c19eecbd983f5621a1b654ced34cb2ad739 +||mybluehost.me/*unitess/$doc,to=~usps.com +||mybluehost.me/UNITEDSTATESPOSTAL/$doc,to=~usps.com +||yah.ppl.mybluehost.me^$doc,to=~usps.com +! https://www.virustotal.com/gui/url/876186ad51623f15303e6fc8565e4411545aa92a07d0c118c7cb6e3db91bba85 +! https://www.virustotal.com/gui/url/114d0d1abadc10805bd8dbce5fec3d58f73494e989aadca11d0dc8b67f466142 +/^https:\/\/transporta[a-z]{8,9}pro\.top\/i\b/$doc,to=top|~usps.com +! https://www.reddit.com/r/Scams/comments/1gxejx5/usps_scam_sent_me_this_httpsuinfotracklmstopus_in/ +! https://urldna.io/scan/674295237e7857a321be968d +! https://www.virustotal.com/gui/url/924ffc9758a7ef73e36f5538969f3a27000b5743f7f18761e4aa4ffe484ac6bd +! https://www.virustotal.com/gui/url/a4729e0a66bb9fe48da61dda6db467c5cb5525017dcdbf9efb42c2e51168342a +/^https:\/\/[a-z]\.[a-z]{10,}\.top\/us(?:\/|$)/$doc,to=top|~usps.com +||infotracklms.top^$all,to=~usps.com +! https://urldna.io/scan/673d512e85f8a9a88ee409e2 +! https://www.virustotal.com/gui/url/39e12c416f93afd6e666595aa1a1856578ea27720677fc8e7f954dd5e3a8f3f7 +/^https:\/\/[a-z]\.[a-z]{10,}\.top\/l(?:\/|$)/$doc,to=top|~usps.com +! https://urldna.io/scan/66ac783f3e864409c90271ce +! https://www.virustotal.com/gui/url/839734b93740d77e02daa895fd4ebe200e54e66c6e2d99a844a3b727cad9d6e9 +||usps.*.top^$doc,to=top|~usps.com +! https://www.virustotal.com/gui/url/15d93929f279c01081acbaf92154c4705e9ff235e3fe339d330aa4d9937c669f +||wpenginepowered.com/usps/$doc,to=~usps.com +! https://www.reddit.com/r/phishing/comments/1hc0qiy/is_this_a_scamfake_number/ +! https://www.virustotal.com/gui/url/ce425295e72396f58f308fc806facb264bca671c58428ea9b1367fc6e62d2ec8 +||usps.*.sbs^$doc,to=~usps.com +||uspac.sbs^$all,to=~usps.com +! https://www.virustotal.com/gui/url/1dfeccb4f1210b4a962751e4e0ffc64a224d653e7bd14bda3b1a2e7c252091ae +||informed.delivery*.top^$all,to=~usps.com +! https://www.virustotal.com/gui/url/91d4560abcb8a03cc50d943bc4534c58935968a2b7c80f0c63cca78a84ce0ddc +||info-tracking*.cc^$all,to=~usps.com + +! weebly/square phishing +/^https:\/\/(?:[a-z0-9]{2,}-)+10\d{4}\.weeblysite\.com\//$doc,to=weeblysite.com +/^https:\/\/(?:[a-z0-9]{2,}-)+10\d{4}\.square\.site\//$doc,to=square.site + +! spotify +||upgradeyourspotify.cc^$all +||keepo.io/opddater-spotifykonto-informas/$all +! https://community.spotify.com/t5/Accounts/Phishing-Email/td-p/5877600 +/^https:\/\/[^.]+\.codeanyapp\.com\/wp-content\/.+\/spo[a-z]{2}i\//$doc,to=codeanyapp.com +||codeanyapp.com/*/spotii/$all +||codeanyapp.com/*/spoofi/$all +||mybluehost.me/*/MitID/$doc +||airpos.co.kr/.well-known/pki-validation/*/MitID/$doc +||autolocksmithpro.com/spt/$all +! https://urldna.io/scan/674294bdb5cc598397d25392 +! https://www.virustotal.com/gui/url/2afd8fdb0de2cbf5c56ab9480426fd19cc0037d43d1453b19deb28ae60bd78e6 +||spoti-safe-support*.codeanyapp.com^$all,to=~spotify.com +||spoti-*.codeanyapp.com^$doc,to=~spotify.com +! https://www.virustotal.com/gui/url/5f5d2e941e3e44e01a4ec88d3732113195e2afdef511d3635fbd291495f82f4f +||mybluehost.me/spot/Account/$doc +! https://www.virustotal.com/gui/url/e12ae2bc0550053fb14c5626719115d304edc007040499a44cb4113cd9e41d0e +||mybluehost.me/dse/main/$doc +! https://www.virustotal.com/gui/url/0ceb34c5d826a3c5f8f0c736ffe7b7e65d14b21e331ffeb64a619e894c340f12 +||mybluehost.me/MUSIC/SPOTIFY24K/$doc +! https://www.virustotal.com/gui/url/079563d015c00efbca61d80c59f00d19ef06ccbc9922565e1d6d388c99986ba4 +||veratv-mtic.vera.com.uy/r/$doc +! https://urldna.io/scan/67507c616f88e161d7e39ff9 +! https://www.virustotal.com/gui/url/45fb09e403d0d5908fdc97144ba574cb72b2c909993402d7dd525faae65252bc +||westpace-support.freewebhostmost.com^$doc +||freewebhostmost.com/*/spotify/$doc + +! swisspass +||divinedownload.com^$all,to=~swisspass.ch +||swiss-passapp.web.app^$all,to=~swisspass.ch +||mybluehost.me/CFF/$doc,to=~swisspass.ch +||mybluehost.me/--/SBBCFF$doc,to=~swisspass.ch +||mybluehost.me/SBB.CH/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/92187fec54723b98e4a67ce247dfcc2a18d6fe2ad425c9ef8d926abd8fac9a10 +||mybluehost.me/*/swisspass/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/1b04ebdcbc185c83d58b89b7f5d0220f440aa8ef7652138a1ba30bf981e841f4 +||mybluehost.me/Konto/SBB/$doc,to=~swisspass.ch +! https://urldna.io/scan/6677f243e02f8fe8990a0417 +! https://www.virustotal.com/gui/url/0fec438409b71ba8f28fd33e31a13227836fc644467d625aa2b98986ba21ce3a +||mybluehost.me/sbb-ch/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/d06025e9a812f7d17e3febbba184c6f7a74904fcec32cd0202fb429b5ceef0e4 +||mybluehost.me/SBB/$doc,to=~swisspass.ch +||the.jxc.mybluehost.me^$doc,to=~swisspass.ch +! https://infosec.exchange/@urldna/112428358456633497 +||mybluehost.me/pass/index/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/5ca860461f268be334cb25520f39cb73eb4666019b8c095dbb2951124bb8766d +||mybluehost.me/seitech/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/fdfaee41433e38d0aad765575c0ebd0edea90c19bc028a0d9f6438e563f36cf5 +||mybluehost.me/*/swpassfr/$doc,to=~swisspass.ch +! https://infosec.exchange/@urldna/112316881794824268 +||mybluehost.me/*/CHFINAL/$doc,to=~swisspass.ch +||acconsult.info/*/CHFINAL/$doc,to=~swisspass.ch +! https://infosec.exchange/@urldna/112441688955721080 +||sviluppo.host/sbb-chf-id/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/6f294b5e73e405ef5a20b9048c6ae8c86925cde499e303dcb7b107f78c9655d9 +||teamswisspassid.sviluppo.host^$all,to=~swisspass.ch +||sviluppo.host/CHFINAL/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/e225d606addeced5162fc2f28cb5a6829d9e3dde8986d246c682ba79a5f6e0b0 +||sviluppo.host/*/CHFINAL/$doc,to=~swisspass.ch +! https://infosec.exchange/@urldna/112439801316174846 +||wcomhost.com/spass/$doc,to=~swisspass.ch +! https://infosec.exchange/@urldna/112658035861531160 +||altitudesim.ca/*/CHFINAL/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/536c73948a6fb646afe3bbd0a06889b9e4bb377eec397600321961e3d366805c +||codeanyapp.com/Swissp/$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/925d7839914de2aaffbf139dfb1dff9d8fee9c41b6360aaf01044dcfb491ce50 +||suissscomee-correo*.codeanyapp.com^$doc,to=~swisspass.ch +||codeanyapp.com/Sus/*/sign.php^$doc,to=~swisspass.ch +! https://urldna.io/scan/66fbdab87023f3006d689f21 +! https://www.virustotal.com/gui/url/783d501994049995741eaaa5f34f0be120fdd106eaa7c6bd47446694dff64928 +||verwalten-sbb-informationen-managecff-kundenportal-online.codeanyapp.com^$all,to=~swisspass.ch +||codeanyapp.com/manage-SBB/$doc,to=~swisspass.ch +! https://urldna.io/scan/66f570a14bd3fd633b195269 +! https://www.virustotal.com/gui/url/345b465213187507be93fc705ef0fa4a2cc6c0d458bcf0b29b220a5e1c8742e6 +||codeanyapp.com/*/SWISSPASSC/$doc,to=~swisspass.ch +||cffsbbhost-aniamaria*.codeanyapp.com^$all +! https://www.virustotal.com/gui/url/09ca05326d77f387fef2bd7bd8339221643d939ebcc2c4946ec727536ea849da +||manage-administrere-swisspass-*.codeanyapp.com^$doc,to=~swisspass.ch +! https://www.virustotal.com/gui/url/88a463b79f93e14c7bfd831ab894e1cd94f75c8bc44b6917854cdf6d71abb2b1 +||romacsystems.com/*/CHFINAL/$doc,to=~swisspass.ch +! https://urldna.io/scan/67043f59c89a9d177fe0c3ad +! https://www.virustotal.com/gui/url/fa720cbffdfb2b9e90eb9e7ff5e989f0b665ae022871a2973c776834c6692e97 +||valuge.com.ar/sbb/$doc,to=~swisspass.ch + +! swisscom +||secureserver.net/myswisscom$doc,to=~swisscom.ch +||codeanyapp.com/Swiss_com/$doc,to=~swisscom.ch +! https://infosec.exchange/@urldna/112546087270319031 +||codeanyapp.com/info/cc.php^$doc,to=~swisscom.ch +! https://infosec.exchange/@urldna/112474128904326825 +||mybluehost.me/neww/$doc,to=~swisscom.ch +! https://www.virustotal.com/gui/url/dc05982c117efe86a9230d707df6f72a81c98251949428004e8c154bd578d717 +||mybluehost.me/*/csom/$doc,to=~swisscom.ch +! https://infosec.exchange/@urldna/112485099916668793 +||secureserver.net/ruckstantung907921/$doc,to=~swisscom.ch +! https://www.virustotal.com/gui/url/10d8d5cb68cf0f03cb48b3c5000af376e656858a0722bbf8d95cb0935086ed33 +||sviluppo.host/df/pass.php^$doc,to=~swisscom.ch +! https://www.virustotal.com/gui/url/b125bd6b92439b436f012c539b1601915c8146703187c0b86119a4fe0c8d8e82 +||mybluehost.me/sssssssssssssss/$doc,to=~swisscom.ch +! https://www.virustotal.com/gui/url/30b8b4ed87742d205e71d3d8d045cc07108bd46aa060e4bd0cbd788719e06dec +||mybluehost.me/comssss/$doc,to=~swisscom.ch +! https://www.virustotal.com/gui/url/59261853c67824755221c072c0014f52c675e2f856c26b50dde5065fc7ec5eab +||mybluehost.me/swisscom-login/$doc,to=~swisscom.ch +||mst.ail.mybluehost.me^$doc,to=~swisscom.ch +! https://www.virustotal.com/gui/url/dc9f208e3448b0d1db82cfcaf5b4ea6fbf5c1e6da5d95cc7e3fe84fe34bd5909 +||mybluehost.me/*/swisscom/$doc,to=~swisscom.ch +! https://www.virustotal.com/gui/url/aaaf519966c47df9632c128df1d10e6d85ba70f07a5dc2843b2c091dfbe25a73 +||codeanyapp.com/swiss-login/$doc +! https://www.virustotal.com/gui/url/cb52891c4aa112bee959dff579cc7f62498eabdbd2070213211f06b1bbd153af +||nxcli.io/pub/swissii/$doc,to=~swisscom.ch + +! swisspost +||swisspost.web.app^$all,to=~post.ch +! upc +! https://urldna.io/scan/66789b05c766226ae8d6e379 +! https://www.virustotal.com/gui/url/94fdcf815a75d8182fee65b9f90fcbdd03498c33f6200e0c951a1a5874b2ad1d +||wcomhost.com/ch/upc/$all,to=~upc.ch + +||mememoguls.vip^$doc,to=~mememoguls.com +||spendabit-payment.xyz^$doc,to=~spendabit.co +||oeth-airdrop.com^$doc,to=~originprotocol.com +||web-tonkeep.website^$doc,to=~tonkeeper.com +||sparkflaretrustline.xyz^$doc,to=~flare.network +||paidnetwork-migration.com^$doc,to=~paidnetwork.com +||app-maplerpc.online^$doc,to=~maple.finance +||base-dawgz.web.app^$doc,to=~basedawgz.com +||migration-z1labs.com^$doc,to=~z1labs.ai +||tomarket-rewards.vercel.app^$doc,to=~tomarket.ai +||claim-etherfi.me^$doc,to=~ether.fi +||novastakingwallet.com^$doc,to=~novawallet.io +||xei.claims^$doc,to=~xei.ai +||kucoin0101.com^$all,to=~kucoin.com +||airdrope.live^$doc,to=~ton.org +||routerprotocol-migrate.com^$doc,to=~routerprotocol.com +||gaos.bio^$doc,to=~gao.bio +||baseeddbrettt.com^$doc,to=~basedbrett.com +||whitelist-memefi.com^$doc,to=~memefi.club +||bnbfour.net^$doc,to=~bnbfour.meme +||cyberblast.info^$doc,to=~cyberblast.io +||gz-gmy.com^$all,to=~paxos.com +||tokenpocket-com.cc^$all,to=~tokenpocket.pro +||mantanetworkcn.com^$all,to=~manta.network +||interface-git-parallel-cypress-uniswap.vercel.app^$doc,to=~uniswap.org +||mode-claim.xyz^$doc,to=~mode.network +||claim-bool.com^$doc,to=~bool.network +||tronlink-walletextension.webflow.io^$all,to=~tronlink.org +||tpro-airdrop.pages.dev^$doc,to=~tpro.network +||claim-wienerdog.com^$doc,to=~wienerdog.ai +||claimable-bankless.com^$all,to=~bankless.com +||pepesunchained.net^$doc,to=~pepeunchained.com +||itrustcapitaalloginn.webflow.io^$all,to=~itrustcapital.com +||secure---sso---robinhood---com-cdn.webflow.io^$doc,to=~robinhood.com +||sso--en--cobo--trsuted-auth.webflow.io^$all,to=~cobo.com +||pepecoinsuper-airdrop.pages.dev^$doc,to=~pepe20.vip +||appmemekombatclaim.pages.dev^$doc,to=~memekombat.io +||testmyaa.pages.dev^$doc,to=~earndrop.io +||claimspaace.pages.dev^$doc,to=~lingocoin.io +||blastairdropclaims.pages.dev^$doc,to=~blast.io +||harambetok-eng.pages.dev^$doc,to=~harambetoken.ai +||rarepepewtf.pages.dev^$doc,to=~rarepepes.com +||miles-plume-network.pages.dev^$all,to=~plumenetwork.xyz +||agentlayer-xyz.pages.dev^$doc,to=~agentlayer.xyz +||pngvnreward.pages.dev^$doc,to=~pngvntoken.com +||trava-dapps.pages.dev^$doc,to=~trava.finance +||web3mainnetdapp.pages.dev^$all +||web3connectfix.pages.dev^$all +||syncwallet.pages.dev^$all,to=~walletconnect.com +! https://infosec.exchange/@urldna/112379049102904534 +||azuki-*.vercel.app^$all,to=~azuki.com +! https://infosec.exchange/@urldna/112246221074509842 +||base-swap-frontend-*.vercel.app^$doc +! https://urldna.io/scan/66af69831a242fe968f80145 +! https://www.virustotal.com/gui/url/c245ab34fb1e8cf41cba99c1fb61dfbfef60d98044ebac3abc65c1b9a150aea4 +||final-claim.pages.dev^$doc +! https://www.virustotal.com/gui/url/7b4fad4c2e3549d14d68c1c9dc9d2d24fbe024608f269bf9eb42a3fcc67cfb4a +||indiewears.com^$all +! https://urldna.io/scan/66bb2923fc6db4b70d37ece8 +! https://www.virustotal.com/gui/url/6bebec722c703a448f14d1650315b534ee785959080537cebada1d6120883763 +! https://www.virustotal.com/gui/url/4e1f0d563a121e484113dcf1582323732ce110451f33e939985911c248f19c31 +||alienxchain*.pages.dev^$doc,to=~alienxchain.io + +! metamask.io +||clinitex.fr/META5KYC/$doc,to=~metamask.io +! https://www.virustotal.com/gui/url/7ef12f181e0c1d09475f2fd51b19b06ff393f4c686abfb89b312cd47447ac7bf +||metamask*.webflow.io^$doc,to=~metamask.io +! https://urldna.io/scan/67854752459acf9a4783a52c +! https://www.virustotal.com/gui/url/cee662e90d9fc49c35fbab24dab21abd84ccf517379594f35fd525f96ecd102e +||keychron.in/wp-includes/certificates/home^$all,to=~metamask.io + +! bitvavo +! https://www.virustotal.com/gui/url/745c24c2aa94c7f7f499e025206ae5f6b4a924745cdfe5a236f1b2294d205988 +! https://www.virustotal.com/gui/url/6d933508beb9ccdb687fbbda485debca1b600b8fa3144bf4c5aabd8192b6f94e +! https://www.virustotal.com/gui/url/ed82c68f48ab8a115fef0919482e5a7757fe01cd40efd82e409cc5c8acea696d +! https://www.virustotal.com/gui/url/ead9cba1887cf0f63e532da6b5cbb77d8efc1b88a713765bf06448d84d3b08e6 +/\.(?:cc|com|top|vip)\/index\/index\/lang\/[a-z]{2}-[a-z]{2}\b/$doc,to=cc|com|top|vip +/index/index/*Trade/tradelist^$doc +||bitvavo*.cc^$doc,to=cc|~bitvavo.com +||bitvavo*.top^$doc,to=top|~bitvavo.com +||bitvavo*.vip^$doc,to=vip|~bitvavo.com + +! trustwallet.com +||auth--sso-trust.webflow.io^$all,to=~trustwallet.com + +! sky.money +||reward-sky.money^$doc,to=~sky.money + +! binance +||bnbc-onay-sayfasi-global.smtp-host.de^$all,to=~binance.com +||dendreonlawsuit.com^$all,to=~binance.com +||binace-epa.com^$all,to=~binance.com +||megadropclaim.com^$all,to=~binance.com + +! https://www.virustotal.com/gui/url/baaec2820a40db4dace37d5955dcb9f9db10ea16337b06b8a4a814bb67c27b13 +||pub-*.r2.dev/ledge.html^$doc,to=~ledger.com + +! magamemecoin.com +||trump-coin1.pages.dev^$doc,to=~magamemecoin.com + +! pinksale.finance +||pinksales-pools.pages.dev^$doc,to=~pinksale.finance +||pink-sales.pages.dev^$doc,to=~pinksale.finance +||pink-sale.pages.dev^$doc,to=~pinksale.finance + +! coinbase +||baseguardauth.net^$all,to=~coinbase.com +||coinbase-yield.info^$all,to=~coinbase.com +||coinbaseexnsion.webflow.io^$all,to=~coinbase.com +! https://www.virustotal.com/gui/url/35ca5ae411511f7c68dd4297ac19551e0dc2d562572c35234539516970135d61 +||cbnotifser.top^$all,to=~coinbase.com +||koinssendspro.top^$all,to=~coinbase.com +||e-stata.ru/track/1/$all,to=~coinbase.com +! https://www.virustotal.com/gui/url/aad6cef484f8b6f4b186003ec4fe426cf01ea15cea8b668cff7315be7a8f937f +/^https:\/\/(?:[^.]+\.)?\d{6}-coinbase\.com\//$doc,to=com|~coinbase.com +||178368-coinbase.com^$all,to=~coinbase.com +! https://urldna.io/scan/673815d0415af7ad29e1843a +! https://www.virustotal.com/gui/url/e79f7ed84af220f6af9f63754c6802f2d5ba30b0c57199ad159b0626ec1734cb +||llq.rsq.mybluehost.me^$all,to=~coinbase.com +||mybluehost.me/wp-admin/maajoun/$doc,to=~coinbase.com +! https://www.virustotal.com/gui/url/7ded02cc0d6e76dddd81c80c1ee8acd63d01bfc59f82900632ff8e2fde616881 +||mail.*-coinbase.com^$doc,to=~coinbase.com + +! imtoken +||imtoken.org.cn^$all,to=~token.im +||scszdm.com^$all,to=~token.im +app##center#yangchen > iframe#external-frame[src="https://im136.mom/"]:not([class]) + +! pancakeswap +||pancak-e-swap.com^$all,to=~pancakeswap.finance +/^https:\/\/pancake(?:dro|swa)pclick\d+\.vercel\.app\//$doc,to=vercel.app|~pancakeswap.finance +||pancakeswap-*.vercel.app^$doc,to=~pancakeswap.finance +||pancake-swap*.vercel.app^$doc,to=~pancakeswap.finance +||pancake-nft*.vercel.app^$doc,to=~pancakeswap.finance +! https://urldna.io/scan/66a4bc168460353814f6213e +! https://www.virustotal.com/gui/url/7528b31829b0fcc71f1ff78c7f2f57511b5a5bda28523f6bf82b80e92c111b21 +||pancakeclaim-*.vercel.app^$doc,to=~pancakeswap.finance +! https://urldna.io/scan/674409c3ddfe5e2d40390738 +! https://www.virustotal.com/gui/url/33c94f8d107bcdf6bb9c625b3d028193e9727ff537a64887ed092b942bc7b13b +! microsoft.microsoftedge.pancakeswap.finance.expolorer.im +||pancakeswap.finance.expolorer.im^$all,to=~pancakeswap.finance +! https://urldna.io/scan/66a4bc858460353814f62149 +! https://www.virustotal.com/gui/url/3af2108517176d42953dbd322c5ba1ad071121986debd4dbe38041700b3037fc +||pancake.run^$all,to=~pancakeswap.finance +! https://www.virustotal.com/gui/url/ef9755fcb211a668986b9afc5187577c92fb8c8bf62057bf9d0b59333827a35a +||pay8-2v-*-gmailcom.vercel.app^$all,to=~pancakeswap.finance + +! openphish +||vodafone-business.develop-a.website^$all,to=~vodafone.com +||mmitalianbeef.square.site^$all,to=~mmitalianbeef.com +||bigbauer.com^$all,to=~gmx.com +||lkmw88.com^$all,to=~mercadolibre.com +||vangphutai.com^$all,to=~vangphutai.vn +||autoscurt24.de^$all,to=~autoscout24.de +||hk668.cc^$all,to=~yahoo.com +||dc.tensgpt.com^$all,to=~discord.com +||mol-finance.top^$all,to=~mol.co.jp +||carrefour-enbacktoschool4.pages.dev^$all,to=~carrefour.com +||sacolamobile.influenciadormagalu.com.br^$all,to=~sacola.magazineluiza.com.br +||globalgrainsadf.com^$all,to=~globalgrain.us +||vzla-qr.com^$all,to=~usaa.com +||inmotiongmbh.com^$all,to=~in-motion.de +||beluxrepm.followme.fr/FolloWMe$all,to=~realestate.bnpparibas.com +||mybluehost.me/Cope346/$all +||tesakom.com/aa/index.html^$all,to=~ebestsec.co.kr +||allbikesputte.be/sumconfirm.php/$all,to=~sumup.com +||glitch.me/pdf.html?email=$doc +! https://www.virustotal.com/gui/url/ac091676a63040d2e855eeaabe9e13cc18eadc5f644bd494763edde0270be742 +||chattts-49f1.beszyrecala.workers.dev^$all,to=~christianmingle.com +! https://www.virustotal.com/gui/url/51313f8d841a87fbda4029330b190c9e5f4bd4c70646f2a73b10771d677a8ab2 +||cursorltd.com^$doc +! https://www.virustotal.com/gui/url/5ff91c73c62cc4bd5af699518d73ecffe9bdd0830c4052e4da1405568495c4df +||cprapid.com^$doc +! https://www.virustotal.com/gui/url/0fded7ccb337703e58ddc34b8a7c89f87fdcb102a543136e434b4f1783d37935 +||utahpolicetraining.*.mybluehost.me^$all +! https://www.virustotal.com/gui/url/7d2852015c759596a7be24edf4043c58dc246bfb027a625a4de4d24ed1a81fbc +||mybluehost.me/*/choronopost/$doc,to=~chronopost.fr +! https://www.virustotal.com/gui/url/dd422322662ef1547afcc735850a4a4ee1ae601cb1502701174730f24f4e9ac0 +! https://www.virustotal.com/gui/url/5b84e52dfe110a03f08cf7165bd70e003bb45de1a0f0440a0b370b2e2de55421 +/^https:\/\/([a-z]-){10,15}[a-z]\.(?:com|net|org)\.tr\//$doc,to=com.tr|net.tr|org.tr +! https://www.virustotal.com/gui/url/ef4d71bf92ccca6f4079f06f4c519e9d21bc45e240ea32a42561b5684a2305da +/views/go/start.php^$doc +! https://www.virustotal.com/gui/url/09b11b4c345be67d2e7659fa2f1d1c07a000bc3cebbbbed17e891865a355d07e +/^https:\/\/pub-[a-f0-9]{32}\.r2\.dev/be[a0-9]\d{2,3}\.html\b/$doc,match-case,to=r2.dev +! https://www.virustotal.com/gui/url/f6313df525470be85c52d6b7ec608c212bd3ec8eda8307f210371b221f24612c +||namecheapsupport-*.codeanyapp.com^$all,to=~namecheap.com +! https://www.virustotal.com/gui/url/533a27da14f888f81e8afad084a17a7e1b2dd574cd90b869b21c993283862927 +! https://www.virustotal.com/gui/url/f3bf8c53016b9b45de66415c7d948cd79c8f2d83b270e7135b21056fc7479b5d +||mybluehost.me/vcd/$doc +||kvv.jxc.mybluehost.me^$doc +! https://www.virustotal.com/gui/url/484243c62c486e1c6b6544028fa5b1e30c1643fea446e5d89e6912d132e04b22 +||web-interface.eu^$doc,to=~kvk.nl +! https://www.virustotal.com/gui/url/ec321ee03c2a6081a48bdfb72bd8e3995f8fd79e2a253a5cb8f79026d4c1d940 +||mybluehost.me/servizi/assistenza/$doc,to=~mooney.it +! https://www.virustotal.com/gui/url/95d15ded75c863d83ec7a52e0039975f826a95a41e4c9e5f5716e3526c61fb26 +||mybluehost.me/wise/number-account-$doc,to=~wise.com +! https://www.virustotal.com/gui/url/034cc004f078ee24b7f4377283d50d128f547de4339a51c8e29a8f8e36272b13 +||smrturl.co/o/*/53458494^$doc +! https://www.virustotal.com/gui/url/e67f0541ea51baa725f5d46407f919246af360cf78bc40e0c17cba5ffbc39764 +||agripro-fr-*.com^$doc,to=~agriaffaires.com +! https://www.virustotal.com/gui/url/df55aa990ceb6b188ea2bc71d8c53d5543ef819ff6980441733c47aab107ba03 +||notifyhubss.net^$doc +! https://www.virustotal.com/gui/url/1a661786267f134f0db0e0c38c8a943b761fdc3024dfd83292bd92f5b87790db +||aolmaiillogin.blogspot.$doc,to=~mail.aol.com +! https://www.virustotal.com/gui/url/93d0fd19d0ee6dec3c47f9cb2eea7aae77866dcefe75c4fae0f3a9e6d46a8be7 +||afflatus.consulting/deutschepost/$all,to=~deutschepost.de +! https://www.virustotal.com/gui/url/ddc3f8902f79ff133d7c3b115a29d785b19a74d3dc2a4db451d1c31d297fbbb2 +||id-ionos.premiumservicesrl.com^$all,to=~id.ionos.com +! https://www.virustotal.com/gui/url/abdf1f3f732db10decfd52dac12a827777744b05c6fdcfb5b9cf2beea87bb3b5 +||drcolomo.com^$doc,to=~orlen.pl +! https://www.virustotal.com/gui/url/08707db7f603d7f6c28ec7f2c00bd999637a21d685b102842a355581cb317408 +||konopslski.top/robot/$doc +! https://www.virustotal.com/gui/url/0342f75ca1638cd23da5969237102207799c8b9d0f27935db9bec3c1e73603fc +||info-espanol-id-configes*.codeanyapp.com^$all,to=~dgt.es +||codeanyapp.com/dgte/$doc,to=~dgt.es +! https://www.virustotal.com/gui/url/9c2f9548f9c46df8806b6fe7f75154fab6ad25508379e762c73c7d1f7d703555 +||lcldetecthumainweb*.firebaseapp.com^$all,to=~lcl.fr +! https://www.virustotal.com/gui/url/a187aca9b762ddf1572d5049d20892e25b274b3809e0db93b001826d60b3d8dc +||electroaccess.freewebhostmost.com^$all,to=~poste.it +||freewebhostmost.com/consegna-pacchi/avviso/$doc,to=~poste.it +! https://www.virustotal.com/gui/url/d5d4656684e01ec70403cb9623c2045239f3ceccdfaa76d64370fd3ef442e9c5 +||instapass.fr^$all +||snappass.fr^$all +||appinstallcheck.com^$all +! https://www.virustotal.com/gui/url/29c19a57930bd821bfb1b584240745cedfbced9d18b09f84ae7215d112bf6957 +||copeescan.es^$all +! https://www.virustotal.com/gui/url/8edceca45507386df4d12d9d3812f3847db87333c10cabe35f82ae84635924f0 +||gellyte.es^$all +! https://www.virustotal.com/gui/url/489f451f1e42d3bf60b3736cd04d836d6f798cd1adb3232f90fc752d04afd878 +||allegro*/aukcja/$doc,to=buzz|icu|shop + +! docusign.com +||signature-rho.vercel.app^$all,to=~docusign.com +! https://urldna.io/scan/66acf1d95524ec1c98282e3f +! https://www.virustotal.com/gui/url/ac02b390f9ea3f865b7fb2148e42c48c7fe0c51b6c7f868ad7f762a44e463a39 +||f1nancier.com^$doc +! https://www.virustotal.com/gui/url/6e9187f7fd43794da064ee58f10f92f1f2b43dd968fcc3f5b915b680f5f61d07 +||pub-*.r2.dev/alt_type.html^$doc,to=~docusign.com +||pub-*.r2.dev/auth_gen.html^$doc,to=~docusign.com +||pub-*.r2.dev/auth_response.html^$doc,to=~docusign.com +||pub-*.r2.dev/auth_start.html^$doc,to=~docusign.com +||pub-*.r2.dev/DocuSign.html^$doc,to=~docusign.com +||pub-*.r2.dev/doc_start.html^$doc,to=~docusign.com +||pub-*.r2.dev/dse_sign.html^$doc,to=~docusign.com +||pub-*.r2.dev/response_start.html^$doc,to=~docusign.com +||pub-*.r2.dev/response_type.html^$doc,to=~docusign.com +||pub-*.r2.dev/secure_response.html^$doc,to=~docusign.com +||pub-*.r2.dev/traffic.html^$doc,to=~docusign.com +||pub-*.r2.dev/utility_base.html^$doc,to=~docusign.com +||pub-*.r2.dev/docuss_3456787654324567897865433456789.html^$doc,to=~docusign.com +! https://urldna.io/scan/674d19c2f8fa42d3049b4db3 +! https://www.virustotal.com/gui/url/a9f87f6daa95d251cf5102e33caedc158d636bb4df8bf1f3009f524b4c2c930b +! https://www.virustotal.com/gui/url/4f19f27cd1a1d6184dae8450a7c39b5b6fbdb0721111bc6d7bd7ae175b2aee46 +||pub-*.r2.dev/gatewaymyoffice.html^$doc,to=~docusign.com +||s3.amazonaws.com/*_singlesigninh.html^$doc + +! https://khonggianmang.vn/uploads/2023_CBT_46_3d412a8a49.pdf +||vieclamlazada.vn^$all,to=~lazada.vn + +! https://khonggianmang.vn/uploads/2023_CBT_47_01103e7ccb.pdf +||didongvietstore.com^$all,to=~didongviet.vn + +! https://khonggianmang.vn/uploads/2023_CBT_48_4807790772.pdf +||tin-dung-$doc +||khcn-tindung-$doc +||viettelgroup.com^$all,to=~viettel.com.vn + +! https://khonggianmang.vn/uploads/2023_CBT_50_f8da1fd477.pdf +||khach-hang-the-$doc + +! https://khonggianmang.vn/uploads/2024_CBT_09_4c59decfba.pdf +||chamsockhachhang-$doc + +! https://khonggianmang.vn/uploads/20240412_BCT_03_2024_V1_f9a4a7619c.PDF +! /^https:\/\/hdsaison-?[a-z]{2,}\.(?:cc|com|vip)\//$doc,to=cc|com|vip|~hdsaison.com.vn +/^https?:\/\/dienmayxanh[-a-z0-9]+\.com\//$doc,to=com|~dienmayxanh.com +/^https:\/\/dich-vu(?:-[a-z0-9]+){2,3}\.com\//$doc,to=com +/^https:\/\/zla\d{3}\.top\//$doc,to=top|~tiki.vn +||cskh-vib-$doc +||cskh-vib.$doc +||chamsockhachang-$doc +||chamsocthekhachang-$doc +||nang-cap-$doc +||hdsaison-$doc,to=cc|vip|~hdsaison.com.vn +||dichvucong.$doc,to=~gov.vn +||tikimall.$doc,to=tikimall.*|~tiki.vn +||taikhoanvps.com.vn^$all,to=~vps.com.vn +||motaikhoanchungkhoanvps.com^$all,to=~vps.com.vn +||zla963.top^$all,to=~tiki.vn + +! https://khonggianmang.vn/uploads/2024_CBT_15_e8dc0f11bc.pdf +! https://www.virustotal.com/gui/url/afcc9dee2cd3022d8cdfab4de96b74a19f82a82c17348cdfb57add76aad130a2 +||dailyssshopee.com^$all,to=~shopee.vn + +! https://khonggianmang.vn/uploads/20240502_BCT_04_2024_V2_1_a0c95c1f96.pdf +||clzl.pro^$all,to=~momo.vn + +! https://khonggianmang.vn/uploads/2024_CBT_21_c7d8f95f66.pdf +||tpbankvn.workplace.com^$all,to=~tpb.vn + +! https://khonggianmang.vn/uploads/2024_CBT_22_26eef5509b.pdf +/^https:\/\/da\d{4}\.com\//$doc,to=com|~lazada.vn +/^https:\/\/tdk[det]0[0-9]\.com\//$doc,to=com|~tiki.vn +||da6555.com^$all,to=~lazada.vn +||soppe68.$all,to=~shopee.vn + +! https://khonggianmang.vn/uploads/2024_CBT_23_cdbc1a35e4.pdf +/^https:\/\/(www\.)?sp\d{4,5}p\.com\//$doc,to=com|~shopee.vn + +! https://khonggianmang.vn/uploads/2024_CBT_25_32ceacddc3.pdf +||vib-*.com^$doc,to=com|~vib.com.vn +||vib-*.shop^$doc,to=shop|~vib.com.vn +||binhchoncuocthivetranhsinhvien2024.weebly.com^$all + +! https://khonggianmang.vn/uploads/2024_CBT_26_3710292cc3.pdf +||vn156475p.com^$all +||seleeashopee.com^$all,to=~shopee.vn + +! https://khonggianmang.vn/uploads/2024_CBT_28_97c3eaa00a.pdf +||nze98582s.com^$all,to=~shopee.vn + +! https://khonggianmang.vn/uploads/20240701_BCT_06_2024_V4_48f8dba76d.PDF +||uudai-tructuyen-$doc + +! https://khonggianmang.vn/uploads/2024_CBT_27_5b8aa10967.pdf +||uudaikhachhang-$doc +||nang-hang-$doc +||mojgov.weebly.com^$all,to=~moj.gov.vn +||chinhphu.cc^$all,to=~chinhphu.vn +||lapdatinternet.net^$all,to=~sctv.com.vn + +! https://khonggianmang.vn/uploads/2024_CBT_29_32b001d150.pdf +||hethongnhanvien.com^$all,to=~lazada.vn +||lazadaevent.com^$all,to=~lazada.vn +||baovietcom.vip^$all,to=~baovietbank.vn +||hethongvaynhanh247.com^$all +||bethivetranh2024.weebly.com^$all +! https://www.virustotal.com/gui/url/7f02e45eca07e7e20dc88acf94a0403f02c5096f1ad128fd111c50e19bb63d76 +||flikois.com^$all +||momoshopvip.com^$all,to=~momo.vn + +! https://khonggianmang.vn/uploads/2024_CBT_31_7548fefc87.pdf +||baovietn.vip^$all,to=~baovietbank.vn +||mmbonline01.com^$all,to=~mbbank.com.vn +||govn.cc^$all,to=~gov.vn +||baoviet.vip^$all,to=~baovietbank.vn +||baoviet*.vip^$doc,to=vip|~baovietbank.vn + +! https://khonggianmang.vn/uploads/20240701_BCT_07_2024_bcab9d2e82.pdf +||mmb-online.com^$all,to=~mbbank.com.vn +||soppe86.life^$all,to=~shopee.vn +||nhanvientiki.org^$all,to=~tiki.vn +||iazada.com^$all,to=~lazada.vn + +! https://khonggianmang.vn/uploads/2024_CBT_32_7b55a3e3fc.pdf +||hotrokhachhang-$doc +||cham-soc-the-$doc +||dautuphattrienvnfic.com^$all,to=~homecredit.vn +||baovietvay.top^$all,to=~baovietbank.vn +||taichinheximbak.com^$all,to=~eximbank.com.vn +||tikinew.club^$all,to=~tiki.vn +||pddgov.cc^$all,to=~gov.vn +||vssid.*.cc^$doc,to=~baohiemxahoi.gov.vn +||kbthuhoivontreo.com^$all,to=~vst.mof.gov.vn + +! https://khonggianmang.vn/uploads/2024_CBT_33_e01257ffdd.pdf +||sendotv.shop^$all,to=~sendo.vn +||vnsendotv.vip^$all,to=~sendo.vn +||sdfsshop1.com^$all,to=~tiki.vn +||tikivn84.com^$all,to=~tiki.vn +||snggov.com^$all,to=~gov.vn +||vn-eid.com^$all,to=~dichvucong.gov.vn + +! https://khonggianmang.vn/uploads/2024_CBT_34_cf5513cd5e.pdf +/^https:\/\/nz[a-z]\d{5}s\.com\//$doc,to=com|~shopee.vn +||558-558-559.com^$all,to=~shopee.vn +||nzx65821s.com^$all,to=~shopee.vn +||congtygiaohangtietkiemvn.com^$all,to=~giaohangtietkiem.vn + +! https://khonggianmang.vn/uploads/2024_CBT_35_86bfef4e1e.pdf +||hethongnoibo.bio.link^$all,to=~lazada.vn +||sendovn.shop^$all,to=~sendo.vn +||vnpttechnology.weebly.com^$all,to=~vnpt.com.vn +||baovietvc.top^$all,to=~baovietbank.vn +||baoviet*.top^$doc,to=~baovietbank.vn +||nhanvienghtk.com^$all,to=~giaohangtietkiem.vn +||giaohangtietkiem247.*^$all,to=giaohangtietkiem247.*|~giaohangtietkiem.vn + +! https://khonggianmang.vn/uploads/2024_CBT_36_d1b5aaea0a.pdf +||tienichshiinhan.com^$all,to=~shinhan.com.vn +||govqp.com^$all +||org.govqp.com^$all,to=~vr.org.vn + +! https://khonggianmang.vn/uploads/2024_CBT_38_1dc220bba1.pdf +||ebayu.top^$all +||svgov.cc^$all,to=~gov.vn +||bcavnvnvngov.com^$all,to=~bocongan.gov.vn +||hangtietkiem.online^$all,to=~giaohangtietkiem.vn + +! https://khonggianmang.vn/uploads/20241004_BCT_09_2024_DN_PDF_7dbc4574fe.pdf +||vamcvn.org^$all,to=~sbvamc.vn + +! https://khonggianmang.vn/uploads/2024_CBT_41_2e21dc3d54.pdf +||uudauthekhachhanh-$doc +||chamsocthe-$doc +||amazoul.xyz^$all +||soyte.cc^$all +||dichvudienmay-xanh.online^$all,to=~dienmayxanh.com +||fasebook.com.vn^$all,to=~facebook.com.vn +||giaohangtietkiemvn.website^$all,to=~giaohangtietkiem.vn +||thuongmai-dientu.com^$all,to=~lazada.vn +||tiki886.vip^$all,to=~sendo.vn +||jetkingncsc.com^$all,to=~ncsc.gov.vn +||vieegovn.cc^$all,to=~gov.vn + +! https://khonggianmang.vn/uploads/2024_CBT_42_d70d7fd1fb.pdf +||ccty-ghtk.com^$all,to=~giaohangtietkiem.vn +||thongtincancuoc.com^$all,to=~chinhphu.vn +||vietcp.com^$all,to=~dichvucong.gov.vn +||ccbcavn.cc^$all,to=~gov.vn + +! https://khonggianmang.vn/uploads/2024_CBT_43_c3bec6c039.pdf +/^https:\/\/amazon[a-z]\d\.com\//$doc,to=com +||amazoul.site^$all +||amazoni2.com^$all +||dienlanhdienmayxanhvn.com^$all,to=~dienmayxanh.com +||sendo1.com^$all,to=~sendo.vn +||evnnpcs.com^$all,to=~evn.com.vn + +! https://khonggianmang.vn/uploads/2024_CBT_44_c16e3ef30d.pdf +||cskhtructuyen-$doc +||shopamzselling.com^$all +||brvgov.com^$all +||clash-flow-loan.com^$all,to=~bocongan.gov.vn +||vnairlines.net^$all,to=~vietnamairlines.com +||giaohangtietkiem-cskh.com^$all,to=~giaohangtietkiem.vn +||lazada.ac^$all,to=~lazada.vn +||tb88789.com^$all,to=~shopee.vn +||tikione.vip^$all,to=~tiki.vn +||tikifreeship.$all,to=~tiki.vn + +! https://khonggianmang.vn/uploads/2024_CBT_45_94e8b27e5a.pdf +||tiktok-svip*.com^$all,to=~tiktok.com +||evaluatetravels.com^$all,to=~traveloka.com +||ocbcccreonline.com^$all,to=~ocb.com.vn +||vimoney.credit^$all,to=~mbbank.com.vn +||evnsp.com^$all,to=~evn.com.vn +||evnsspc.com^$all,to=~evn.com.vn +||sellings-global.com^$all +||ebayve.com^$all +||zvogo.com^$all +||wrgov.com^$all,to=~gov.vn +||vn-chinhphu.com^$all,to=~dichvucong.gov.vn + +! https://khonggianmang.vn/uploads/2024_CBT_46_3a94e9ec2e.pdf +||khach-hang-$doc +||nhantienquocte*.vercel.app^$doc +||applecenter.info.vn^$all +||mmmbonline.com^$all,to=~mbbank.com.vn +||iplus-fianc24h.online^$all,to=~mbbank.com.vn + +! https://khonggianmang.vn/uploads/2024_CBT_47_e86306b303.pdf +/^https:\/\/giaohangtietkiem\w+\.com\//$doc,to=com|~giaohangtietkiem.vn +||khuyenmaidacbiet-$doc +||uudaidacbiet-$doc +||chinhphu-vn.com^$all,to=~chinhphu.vn +||evnspccskh.com^$all,to=~evn.com.vn +||shb-bank.com^$all,to=~shb.com.vn +||aeoonmallstore.com^$all,to=~aeon.com.vn +||nhanvienhanghoa.com^$all,to=~giaohangtietkiem.vn +||dichvutonghop.vip^$all,to=~giaohangtietkiem.vn +||giaohangtietkiem24.com^$all,to=~giaohangtietkiem.vn +||giaohangtietkiemm.net^$all,to=~giaohangtietkiem.vn + +! https://social.immibis.com/notice/AjwiBkDIwtyORTzsAq +||msk.su^$all + +! https://social.immibis.com/notice/Ajz20OCipGbiOZVVaK +||bleyeare.com^$all +||hberify.com^$all +||atuation48.com^$all +||fo4nz.com^$all +||ciaberibu.com^$all +||holancha.com^$all +||gngt.ru^$all + +! https://social.immibis.com/notice/Ajz23VfnVrXgQdaxCS +||seren1.com^$all +||glysinew.com^$all +||conackmar.com^$all +||abducke.com^$all +||gstoran.com^$all +||insonoban.com^$all +||bughter.com^$all + +! https://social.immibis.com/notice/Ak0oAfQ2fMsvdjfEBs +||dulge9.com^$all +||rcestershir.com^$all +||ouseptu.com^$all +||uresnaus.com^$all +||orundompes.com^$all +||iteparyleb.com^$all +||ermogel.com^$all +||ndinast.com^$all + +! https://social.immibis.com/notice/Ak34ZeLTmXsX8HNsy8 +||ontrical.com^$all +||etensiten.com^$all +||opgandi.com^$all +||matectord.com^$all +||congbac.com^$all +||oetsont.com^$all +||ofereome.com^$all + +! https://social.immibis.com/notice/Ak75ZTvJPMLpOaT5M0 +||talcopur.com^$all +||hanorid.com^$all +||orawakle.com^$all +||ellifluo.com^$all +||ebortbide.com^$all + +! https://social.immibis.com/notice/AkDtb9o5KiCiEzq7tY +||ioncibria.com^$all +||sishedra.com^$all +||legropth.com^$all +||mandalveca.com^$all + +! https://social.immibis.com/notice/AkFwNfc6y2el0qQ4eG +||oh6c.com^$all +||gataterso.com^$all + +! https://social.immibis.com/notice/AkI3VG5OqmGc9UbWl6 +||xigh.ru^$all +||newreuti.com^$all +||halowasus.com^$all +||emorasp8.com^$all +||iquitorr.com^$all +||moncelork.com^$all +||amboya6.com^$all +||anathemv.com^$all +||eangetar.com^$all + +! https://social.immibis.com/notice/AkOGSQnt0jj4sM9cps +||adobedownloader.info^$all +||opiumundi.com^$all +||mirtiat.com^$all +||lernehat.com^$all + +! https://social.immibis.com/notice/AkWaR4uBPlljkbZsGG +||endrowl.com^$all +||xceteu.com^$all +||ripliguay.com^$all + +! https://social.immibis.com/notice/AkYdomVW9oFnorxFNw +||pelastorl.com^$all +||usecurter.com^$all +||vb09cl.com^$all +||iscidine.com^$all + +! https://social.immibis.com/notice/AknDmYT7hMGsGNVl5M +||ny4yze.com^$all +||tickovent.com^$all +||aphenunci.com^$all + +! https://social.immibis.com/notice/AkopNrn6iDJgMoTPH6 +##html[lang] > body.startnew > div#sections > section#section_uname +||wwbudmh.ru^$all +||sichogyp.su^$all +||orownsdow.com^$all +||identente.com^$all + +! https://social.immibis.com/notice/Akt1pxOHSkHXvMrTTk +||incorcg.com^$all +||datumdellago.com^$all +||lokuracristiana.com^$all +||clinicaimplantologica3d.com^$all +||gruposabar.com^$all +||xalatlaco.org^$all +! https://www.virustotal.com/gui/url/7761b06fcec8382fade116ee7e4bcfa4f654c42e132629c82a3781ce0640c8cc +||r2.dev/INV-CHKCOPY-Remittance-Overpayment%20Refund$doc + +! https://social.immibis.com/notice/AkvRQJ3fGcfeihZGk4 +##html[lang] > body:not([style]) > div.captchaBody +||cam/secured/host/*.php|$xhr,3p,domain=r2.dev +||belezaesaudeinnovations.com^$all +||implarededeensino.com.br^$all +||bioparquemonterrey.net^$all +||iniupcorporate.com^$all +||vertiselevadores.com.br^$all +! https://www.virustotal.com/gui/url/0198904efc817234dda14b543a3644473d65939aef0bb7b87c912ca063869f9b +||r2.dev/Outlook%20Secured%20Document$doc + +! https://social.immibis.com/notice/AkwoyOsqbfJIjlh7GC +/^https:\/\/[a-z0-9]{3,}\.[a-z0-9]{4,11}\.com\/[a-zA-Z0-9]{30,}\?[a-zA-Z0-9]{25,}$/$doc,to=com|~google.com|~microsoft.com +/^https:\/\/[a-z0-9]{3,}\.[a-z0-9]{4,11}\.ru\/[a-zA-Z0-9]{30,}\?[a-zA-Z0-9]{25,}$/$doc,to=ru +/^https:\/\/[a-z0-9]{3,}\.[a-z0-9]{4,11}\.su\/[a-zA-Z0-9]{30,}\?[a-zA-Z0-9]{25,}$/$doc,to=su +! microsoft +||chervindi.com^$all +||grahurgum.com^$all +||liverun0.com^$all +||ephemeral9.com^$all +||hocklahro.ru^$all +||tinjudish.ru^$all +! google +||arciansi.su^$all + +! https://www.reddit.com/r/phishing/comments/1fxvrn0/boys_girls_clubs_of_southeast_virginia_proposal/ +/^https:\/\/[a-z0-9]{50,}\.[a-z0-9]{4,11}\.com\/[a-zA-Z0-9]{50,}$/$xhr,3p,method=get,to=com|~google.com|~microsoft.com,from=com|ru|su +/^https:\/\/[a-z0-9]{50,}\.[a-z0-9]{4,11}\.ru\/[a-zA-Z0-9]{50,}$/$xhr,3p,method=get,to=ru,from=com|ru|su +/^https:\/\/[a-z0-9]{50,}\.[a-z0-9]{4,11}\.su\/[a-zA-Z0-9]{50,}$/$xhr,3p,method=get,to=su,from=com|ru|su +|https://*.favoripirlanta.com^$doc +||amernamproa.com^$all +||tivorica.su^$all +||xylentura.su^$all + +! https://www.malwarebytes.com/blog/threat-intelligence/2024/03/new-go-loader-pushes-rhadamanthys +! https://safeweb.norton.com/report/show?url=https:%2F%2Farnaudpairoto.com%2F +! https://otx.alienvault.com/indicator/domain/arnaudpairoto.com +! https://www.virustotal.com/gui/url/ec3d5edf4b9db60d4a4057757d820361c850dd355dd21e929c57bc55e54f7517?nocache=1 +||puttyconnect.info^$all +||astrosphere.world^$all + +! https://www.reddit.com/r/Scams/comments/1bv6nyh/is_this_a_real_facebook_link/ +! https://www.virustotal.com/gui/url/dec6d9d61fd01d20623f190e52acccf2bef004ec1cd11324efa93e70d417a1b5 +! https://www.urlvoid.com/scan/marketplace-item-352983165488.000.pe/ +||marketplace-item-*.000.pe^$doc + +! https://www.bitdefender.com/blog/labs/ai-meets-next-gen-info-stealers-in-social-media-malvertising-campaigns/ +! https://www.reddit.com/r/uBlockOrigin/comments/1dcnc7u/my_website_is_flagged_as_badware_risks_by_ubo/ +! https://github.com/uBlockOrigin/uAssets/issues/24134 +! /^https:\/\/(?:ai|art|get)?-?midjourney(?:s|ai)[^\/]+\//$doc,to=~midjourney.com|~edu|~gov +! /^https:\/\/(?:ai|art|get)-?midjourney[^\/]+\//$doc,to=~midjourney.com|~edu|~gov +! /^https:\/\/(?:ai|art|get)-midjourney[^\/]+\//$doc,to=~midjourney.com|~edu|~gov +||ai-midjourney*.$doc,to=~midjourney.com|~edu|~gov +||art-midjourney.$doc,to=~midjourney.com|~edu|~gov +||get-midjourney.$doc,to=~midjourney.com|~edu|~gov +||mid-journey.$doc,to=~midjourney.com|~edu|~gov +||aimidjourney.$doc,to=~midjourney.com|~edu|~gov +||aimidjourneys.$doc,to=~midjourney.com|~edu|~gov +||getmidjourney.$doc,to=~midjourney.com|~edu|~gov +||midjourneys.$doc,to=~midjourney.com|~edu|~gov +||midjourney.co^$all,to=~midjourney.com +||midjourneysai.us^$all,to=~midjourney.com +||midjourneyais.us^$all,to=~midjourney.com + +! https://blog.talosintelligence.com/coralraider-targets-socialmedia-accounts/ +! https://www.virustotal.com/gui/url/4084d02e0b9a73221be4a32e853f87471ca45c5a80f8c7e461e640e025503512 +! https://safeweb.norton.com/report/show?url=runningapplications-b7dae-default-rtdb.firebaseio.com +! https://otx.alienvault.com/indicator/domain/runningapplications-b7dae-default-rtdb.firebaseio.com +||runningapplications-b7dae-default-rtdb.firebaseio.com^$all + +! https://www.malwarebytes.com/blog/threat-intelligence/2024/04/active-nitrogen-campaign-delivered-via-malicious-ads-for-putty-filezilla +||kunalicon.com^$all +||inzerille.com^$all +||recovernj.com^$all + +! https://baochinhphu.vn/canh-bao-mot-so-website-gia-mao-lua-dao-nguoi-dung-internet-can-tranh-102240219171043932.htm +||vuabem.com^$all + +! https://www.virustotal.com/gui/url/5df7c4ecaa01f24d8ccfdac5be4c0eb09a0a49c705e6b1bcfebd50f261fa5174 +! https://www.virustotal.com/gui/url/70b03a18e67dfc8ae8b93c16e69c0046223cf8e312aa8f4f655e6e1498797493 +! https://safeweb.norton.com/report/show?url=magicslimnhatban.com +! https://safeweb.norton.com/report/show?url=giamcannhatban.com +! https://www.urlvoid.com/scan/magicslimnhatban.com/ +||magicslimnhatban.com^$all +||giamcannhatban.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/23674 +||examated.co.in^$doc + +! https://www.virustotal.com/gui/file/cbc37be64bbe194d3e06da6048f0db712bf8f323f78222f4265604d609fee325 +! https://www.virustotal.com/gui/file/d5a0a28b2a8e97c24f12595833a0663e904e750149eb64b8b9a17f9758a5c966 +! https://www.virustotal.com/gui/file/ca6d7147f4d2489bb06c9b6590ee9939c3c65165c2d584f1881d00a587fc4ce4 +||github.com/linarweloper/Blumfarmbot^$doc + +! https://www.cyberdaily.au/security/10614-vigilante-hacks-scam-call-centre-proceeds-to-warn-victims +||waredot.com^$doc +||waredot.us^$doc + +! https://www.reddit.com/r/uBlockOrigin/comments/1djhn6p/ubo_lite_missed_some_ads/ +/l/DMP_captcha_for_vpn?$all + +! https://github.com/uBlockOrigin/uAssets/issues/24189 +||kmspico.*^$doc,to=kmspico.* +||kmspico-$doc +||kms-full.com^$doc +||kmspico.io^$doc +||kms-tool.com^$doc +||kmsauto.tech^$doc +||kmsautodown.space^$doc +||gpstracker.site^$all +||kmsauto.org^$doc +||furykms.com^$doc +||ativadorkmspico.com^$doc +||get-kmspico.com^$doc +||getkmspico.com^$doc +||kmspico10.com^$doc +||kmspicoactivator.net^$doc +||kmspicoofficial.com^$doc +||kmspicoportable.com^$doc +||officialkmspico.com^$doc +||oficial-kmspico.com^$doc + +! https://github.com/uBlockOrigin/uAssets/pull/18388 +! https://github.com/uBlockOrigin/uAssets/pull/23643 +! https://www.forbes.com/sites/jacksonweimer/2021/04/10/that-twitter-family-tree-trend-is-secretly-following-random-accounts--without-your-consent +||roundyearfun.org^$all +||roundyearfun.com^$all +||twitter-circle.com^$all +||funxgames.me^$all +||infinitytweet.me^$all +||infinitytweet.com^$all +||infinityweet.me^$all +||infinityweet.com^$all + +! https://github.com/uBlockOrigin/uAssets/pull/24255 +! https://sansec.io/research/polyfill-supply-chain-attack +! https://www.bleepingcomputer.com/news/security/polyfillio-javascript-supply-chain-attack-impacts-over-100k-sites/ +! https://www.bleepingcomputer.com/news/security/polyfillio-bootcdn-bootcss-staticfile-attack-traced-to-1-operator/ +! https://www.v2ex.com/t/950163 +! https://www.silentpush.com/blog/triad-nexus-funnull/ +||googie-anaiytics.com^$all +||bootcdn.net^$all +||bootcss.com^$all +||staticfile.net^$all +||staticfile.org^$all +||xhsbpza.com^$all +||union.macoms.la^$all + +! https://x.com/Polyfill_Global/status/1809122842145141114 +! https://github.com/uBlockOrigin/uAssets/pull/24434 +||polyfill.top^$all +! https://github.com/uBlockOrigin/uAssets/pull/25087 +||polyfill-js.cn^$all + +! https://github.com/uBlockOrigin/uAssets/issues/24248 +||veilcurtin.world^$doc +||midnightsociety-x.com^$doc +||2d45b3cf2299d8ba038f45cb38aca4f2ecfbcb8d264ba28432ae5c51.com^$doc + +! https://github.com/GloriousEggroll/proton-ge-custom#myself-gloriouseggroll-and-this-project-proton-ge-are-not-affiliated-with-httpsprotongecom-that-is-a-spamfake-website-there-is-no-existing-website-for-proton-ge-other-than-this-github-repository-proton-ge-does-not-collect-any-user-data-what-so-ever-and-is-not-a-company-or-organization-of-any-type +||protonge.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/24262 +||get-express-vpn.online^$all,to=~expressvpn.com + +! https://github.com/uBlockOrigin/uAssets/issues/24123 +! https://github.com/pizzaboxer/bloxstrap/blob/main/README.md +||bloxstrap.*^$doc,to=~bloxstrap.pizzaboxer.xyz|~bloxstrap.cc +||bloxstrapmenu.com^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/24323 +||joannst.shop^$doc,to=~joann.com +! https://www.virustotal.com/gui/url/f355d4d12f50be515284fc97096bad1f093194efe21fd7420c4446ae20def74a +! https://transparencyreport.google.com/safe-browsing/search?url=joannclearances.com +! https://safeweb.norton.com/report/show?url=joannclearances.com +! https://www.urlvoid.com/scan/joannclearances.com/ +! https://www.scamadviser.com/check-website/joannclearances.com +! https://www.scam-detector.com/validator/joannclearances-com-review/ +||joannclearances.com^$all,to=~joann.com +! https://github.com/uBlockOrigin/uAssets/issues/25075 +||joannstoressales.shop^$all,to=~joann.com +! https://github.com/uBlockOrigin/uAssets/issues/25077 +||joannmax.com^$doc,to=~joann.com +! https://github.com/uBlockOrigin/uAssets/issues/25081 +||joannofficial.com^$all,to=~joann.com +! https://github.com/uBlockOrigin/uAssets/issues/25083 +||joannoutlet.com^$all,to=~joann.com + +! https://github.com/uBlockOrigin/uAssets/issues/24390 +! https://github.com/hagezi/dns-blocklists/issues/3163#issuecomment-2229056638 +||pcapp.store^$doc +||convertwithwave.com^$doc +||withsecurify.com^ +||securifyguard.com^ +||getsecurify.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/24421 +||highwaycpmrevenue.social-previews.top^$all,to=~image.io +||clicksocialimage.top^$all,to=~image.io + +! https://www.trustwave.com/en-us/resources/blogs/spiderlabs-blog/facebook-malvertising-epidemic-unraveling-a-persistent-threat-sys01/ +! https://www.virustotal.com/gui/file/02b336b42d4d80ed17bf255536ecdf3d28db51bc81cc17926dee458e61f092e5 +! https://www.virustotal.com/gui/url/ff01e9e3d9b91835d34ba457e2714f407acca9bf14b486b55fd9e6d6c27286f0 +! https://www.virustotal.com/gui/url/14cc314140e3441870cfc94908ca49175f70bd7eca6781cd8041b16889d21452 +||blue-softs.com^$all +||softs-download.com^$all +||iemcan.com^$all +||hvacpartstechnician.com^$all +||pmequebeclic.com^$all +||sirokataldea.com^$all +||senmendai.net^$all +||download-ai.top^$all +||sites.google.com/view/blue-softs^$all +||sites.google.com/view/xtaskbar-themes^$all +||sites.google.com/view/newtaskbar-themes^$all +||sites.google.com/view/awesome-themes-desktop^$all +||sites.google.com/view/taskbar-themes^$all +||sites.google.com/view/ai-image-3d^$all +||sites.google.com/view/taskbar-themess^$all +||sites.google.com/view/softs-download^$all +||sites.google.com/view/sora-ai-v2^$all +/^https:\/\/[a-z]{6,19}\.(?:com|net)\/js\?t=[_a-z0-9]+&ns=[a-z]{2}$/$script,3p,strict3p,match-case,to=com|net +/^https:\/\/[a-z]{6,19}\.(?:com|net)\/(?:static_)?file\/\?t=[_a-z0-9]+&ns=[a-z]{2}$/$frame,popup,3p,strict3p,match-case,to=com|net +/^https:\/\/[a-z]{6,19}\.(?:com|net)\/(?:static_)?file\/\?t=[_a-z0-9]+&ns=[a-z]{2}$/$doc,match-case,to=com|net + +! https://github.com/uBlockOrigin/uAssets/issues/24522 +||shy-boat-90ce.jiko728928922.workers.dev^$doc,to=~uniswap.org +||uniwspapp.com^$all,to=~uniswap.org +||app.corn-staging.com^$all,to=~uniswap.org + +! https://community.bolster.ai/t/crowdstrike-look-alike-domains-list/217 +||crowdstrikebluescreen.com^$doc +||crowdstrike0day.com^$doc +||crowdstrikedoomsday.com^$doc +||crowdstriketoken.com^$doc +||bsodsm8r.xamzgjedu.com^$doc +||crowdstrike-cloudtrail-storage-bb-126d5e.s3.us-west-1.amazonaws.com^$doc +||crowdstrikeoutage.info^$doc +||microsoftcrowdstrike.com^$doc +||crowdpass.live^$doc +||crowdstrike.life^$doc +||crowdstrikeupdate.com^$doc +||mecrowdstrikesnowstandalone.azurewebsites.net^$doc +||crowdstrikereposify.net^$doc +||crowdstrike-falcon.online^$doc +||crowdstrike-solutions.nl^$doc +||crowdstrikeclaim.com^$doc +||crowdstrikeoutage.com^$doc +||crowdstrikefix.zip^$doc +||crowdstuck.com^$doc +! https://www.bleepingcomputer.com/news/security/fake-crowdstrike-fixes-target-companies-with-malware-data-wipers/ +||dropbox.com/*/crowdstrike-hotfix.zip^$all + +! https://blog.sucuri.net/2024/07/attackers-abuse-swap-file-to-steal-credit-cards.html +||amazon-analytic.com^$all + +! https://www.fortinet.com/blog/threat-research/dark-web-shows-cybercriminals-ready-for-olympics +||eventstickets.club^$all,to=~tickets.paris2024.org +||tickets.website.com.se^$all,to=~tickets.paris2024.org +||ticketsparis24.com^$all,to=~tickets.paris2024.org +||tickets-paris24.com^$all,to=~tickets.paris2024.org +||ticket-paris24.com^$all,to=~tickets.paris2024.org + +! https://www.gdatasoftware.com/blog/2024/06/37947-badspace-backdoor +! https://x.com/GroupIB_TI/status/1790230873285242992 +||elamoto.com^$all +||kongtuke.com^$all +||egisela.com^$all +||uhsee.com^$all + +! https://www.trellix.com/blogs/research/onedrive-pastejacking/ +||kostumn1.ilabserver.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/24698 +! https://www.virustotal.com/gui/url/3567cf0ebb6ab1f0cd450a21f7ecbe6c21f13f75a4f5cc0a74644b893cb80f33 +! https://safeweb.norton.com/report/show?url=freeadd.me +! https://sitecheck.sucuri.net/results/freeadd.me +! https://note.com/gifted_clover95/n/na707692645ce +! https://note.com/comiciz/n/n0cc2743f61b2 +||freeadd.me^$doc +||askfollow.us^$doc +||more-followers.com^$doc +||twitob.com^$doc +||twitterfollowers.site^$doc +! https://github.com/brave/brave-core-crx-packager/pull/957 +##html[lang] > body#body > * > div.cv-xwrapper > div.cvc > div.cv-inner +##html[lang] > body#body > * > div.cvh.BlockClicksActivityBusy + +! https://github.com/AdguardTeam/AdguardFilters/issues/185242 +||bilsevvakfi.org^$doc +||ogrencilerbirligi.com^$doc +||lcwpaketleme.com^$doc +||herkeseuygunisilanlari.com^$doc +||cagrievi.com^$doc +||kariyerfirsatin.com.tr^$doc +||cartepak.online^$doc +||aryapaketleme.com^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/24779 +||hkdk.events/8cjknac3yxdqk4^$all + +! https://github.com/uBlockOrigin/uAssets/issues/24832 +||xdxg.xyz^$all + +! https://github.com/uBlockOrigin/uAssets/issues/24826 +||zebg.top^$all + +! https://github.com/uBlockOrigin/uAssets/issues/24916 +! https://www.virustotal.com/gui/url/a69ac87c4cb253bc4fdee1874d0980807a24de54b1716022f6ecc8a2056e3d5e +/^https:\/\/help\.[a-z]{3,}-x-[a-z]{3,}\.com\//$doc,to=com|~x.com + +! https://github.com/uBlockOrigin/uAssets/issues/24952 +||chromeweb-authenticators.com^$all +||chromeweb-authenticatr.com^$all + +! https://github.com/hagezi/dns-blocklists/issues/3514 +! https://github.com/uBlockOrigin/uAssets/issues/25036 +||onevanilla.click^$all +||bilbocine.com^$document +||unionplus-card.click^$document +||dailysmscollection.org^$document +||surgecardinfo.click^$document +||paybyplatema.cfd^$document +||panoramacharter.click^$document +||onecognizant.click^$document +||mymorri.click^$document +||mymercy.click^$document +||marykayintouch.autos^$document +||direct2hr.click^$document +||creditcardchase.click^$document +||alaskasworld.cfd^$document + +! Phishing +! https://github.com/uBlockOrigin/uAssets/pull/25052 +||zcxoin.work^$all + +! fake Chrome +! https://github.com/uBlockOrigin/uAssets/pull/25057 +||chrome-web.com^$all + +! https://bbs.kafan.cn/thread-2272310-1-1.html +! https://github.com/uBlockOrigin/uAssets/pull/25058 +||iqpoll.cn^$document + +! https://bbs.kafan.cn/thread-2272726-1-1.html +! https://github.com/uBlockOrigin/uAssets/pull/25062 +||zhandouxian.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/25067 +! https://www.reddit.com/r/uBlockOrigin/comments/1f2faj4/where_do_i_send_a_phishing_site_to_be_blocked_by/ +! https://www.virustotal.com/gui/url/ce9a8cf37fd8617e96d23832915d7bf2f6b2d32b810cf96b0c82eb649c32c854 +||tempisite.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/25113 +||sunpass-etoll-id.kupu.desa.id^$all + +! https://github.com/uBlockOrigin/uAssets/pull/25177 +! https://github.com/uBlockOrigin/uAssets/issues/25221 +! https://www.virustotal.com/gui/url/54511a44248d675994732236310dd43af00862874726d9d2ace0a53b1da9c275 +! https://www.virustotal.com/gui/url/2a0352008de7b5a41de9c97a977bbee85150de3b22f02486a08027ef6636b1aa +/^https:\/\/(?:www\.)?roblox(?:\.com)?\.[a-z]{2}\//$doc,to=roblox.*|~roblox.com + +! https://github.com/uBlockOrigin/uAssets/issues/25353 +! https://www.urlvoid.com/scan/feather-wallet.org/ +||sparrowwallet.net^$doc,to=~sparrowwallet.com +||electrum.is^$doc,to=~electrum.org + +! https://unit42.paloaltonetworks.com/rare-phishing-page-delivery-header-refresh/ +||tracker.club-os.com^ +||onelink.me/*&af_web_dp=$doc +||guide-orientation.tn/go_page.php?$doc +! https://github.com/uBlockOrigin/uAssets/issues/26798 +@@||onelink.me/*://app/$doc + +! https://krebsonsecurity.com/2024/09/scam-funeral-streaming-groups-thrive-on-facebook/ +||allsportslivenow.com^$doc +||livestreaming24.xyz^$doc +/^https:\/\/(?:www\.)?[-a-z0-9]+\.com\.[-a-z0-9]+\.com\//$doc,to=com,ipaddress=148.251.54.196 +/^https:\/\/(?:www\.)?[-a-z0-9]+\.xyz\.[-a-z0-9]+\.com\//$doc,to=com,ipaddress=148.251.54.196 + +! https://securelist.com/sambaspy-rat-targets-italian-users/113851/ +||belliniepecuniaimmobili.*^$doc,to=belliniepecuniaimmobili.* +||immobilibelliniepecunia.*^$doc,to=immobilibelliniepecunia.* +||bpecuniaimmobili.*^$doc,to=bpecuniaimmobili.* +||belliniepecuniaimmobilisrl.*^$doc,to=belliniepecuniaimmobilisrl.* +||immobiliarebelliniepecunia.*^$doc,to=immobiliarebelliniepecunia.* + +! https://github.com/uBlockOrigin/uAssets/issues/25470 +||the-north-face.gr^$all +||thenorthfacegreece.com^$all + +! https://sansec.io/research/cosmicsting-fallout +! https://sansec.io/research/cosmicsting +! https://sansec.io/research/cosmicsting-cnext-persistent-backdoor +! https://blog.sucuri.net/2024/11/2024-credit-card-theft-season-arrives.html +||forimg.net^$all +||hobidoch.store^$all +||heqipop.space^$all +crimsonav.com,ngsingleissues.nationalgeographic.com##+js(acs, atob, new Function(atob() +||cdnstatics.net^$all +! Group Bobry +/^https:\/\/[a-z]{7,}\.[a-z]{3,}\/get\/\?s=[a-zA-Z0-9]+=*$/$script,3p,match-case,to=~edu|~gov +/^https:\/\/[a-z]{7,}\.[a-z]{3,}\/img\/$/$script,3p,match-case,to=~edu|~gov +||quantunnquest.com^$all +||analytisgroup.com^$all +||analytisweb.com^$all +||bytesbazar.com^$all +||chartismart.com^$all +||codecarawan.com^$all +||creativeslim.com^$all +||creatls.com^$all +||cssmagic.shop^$all +||datifyny.com^$all +||dealhunt.website^$all +||desiqnia.shop^$all +||desynlabtech.com^$all +||getstylify.com^$all +||graphiqsw.com^$all +||happyllfe.online^$all +||horlzonhub.com^$all +||javaninja.shop^$all +||marketiqhub.com^$all +||marketrom.shop^$all +||marketsoilmart.com^$all +||metricsy.shop^$all +||novastraem.com^$all +||radlantroots.com^$all +||sellifypro.com^$all +||sellwisehub.com^$all +||statify.online^$all +||statlstic.shop^$all +||statspots.com^$all +||techtnee.com^$all +||trendgurupro.com^$all +||trendor.website^$all +||trendori.shop^$all +||vizualis.online^$all +energiasolare100.it,lundracing.com,red17.co.uk,workplace-products.co.uk##+js(trusted-replace-argument, String.prototype.includes, 0, undefined, condition, /^checkout$/) +! Group Surki +/^wss:\/\/[^\/]+\.[a-z]{2,}\/(?:common|ws)\?source=http[^&]+$/$websocket,3p,match-case,to=~edu|~gov +||accept.bar^$all +||amocha.xyz^$all +||cdn-webstats.com^$all +||cpeciadogfoods.com^$all +||inspectdlet.net^$all +||clearnetfab.net^$all +||cloudflare-stat.net^$all +||fallodick87-78.sbs^$all +||iconstaff.top^$all +||jquerypackageus.com^$all +||jqueryuslibs.com^$all +||jstatic201.com^$all +||lererikal.org^$all +||nothingillegal.bond^$all +||paie-locli.com^$all +||sellerstat.site^$all +||shoponlinemelike.shop^$all +||statsseo.com^$all +||statstoday.org^$all +||vincaolet.xyz^$all +||webexcelsior.org^$all +adrissa.com.co,americansoda.co.uk,casteloforte.com.br,centerfabril.com.br,forqueen.cz,joinusonline.net,jollibee.com.vn,kitapsan.com.tr,mebelinovdom.com,ojworld.it,qualityrental.com,szaszmotorshop.hu,tvojstyl.sk,up-shop.org,yairalon.com.br##+js(acs, WebSocket, event.data) + +! https://github.com/uBlockOrigin/uAssets/issues/25519 +||orcaslicer.net^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/25583 +! https://www.virustotal.com/gui/url/da347b9b68b517c0a828f127ce9675ce47ed7277f16ace2673cdc835ded5a85c +||comodozeropoint.com^$all,to=~comodo.com +||avatrade-services.com^$all,to=~avatrade.com +||ailurophilestealer.shop^$all + +! https://blog.sekoia.io/mamba-2fa-a-new-contender-in-the-aitm-phishing-ecosystem/ +##html#html[sti][vic][lang] > body#allbody +/\/m\/js(?:drive|nom|sp|v)\.js\b/$script,1p,strict1p +/\/n\/js(?:drive|nom|sp|v)\.js\b/$script,1p,strict1p +/\/o\/js(?:drive|nom|sp|v)\.js\b/$script,1p,strict1p + +! https://www.reddit.com/r/Dublin/comments/1g3ed75/ +||payzoneparking.info^$all + +! https://www.mcafee.com/blogs/other-blogs/mcafee-labs/behind-the-captcha-a-clever-gateway-of-malware/ +! https://www.virustotal.com/gui/url/cbccfc85c6a35d83fb54471a174148addeddc78879d48a44f12d8d8b9f7055ee +! https://www.virustotal.com/gui/url/d46f89de4ff2b3be786c8973fb700f48fdaaecab6e85f72397133e1bbba6b145 +/^https?:\/\/[a-z]{7,}\.com\/go\/[a-f0-9]{8}(-[a-f0-9]{4}){3}-[a-f0-9]{12}\b/$doc,match-case,to=com +/^https?:\/\/[-a-z0-9]{8,}\.ru\/\?load=[a-zA-Z0-9]+(-[a-zA-Z0-9]+)+$/$doc,match-case,to=ru +||com/go/$doc,to=com,ipaddress=3.0.82.215 +||com/go/$doc,to=com,ipaddress=3.0.178.139 +||com/go/$doc,to=com,ipaddress=2406:da18:3af:9302:6ead:4c78:949:685a +||com/go/$doc,to=com,ipaddress=2406:da18:3af:9302:218a:d776:533b:6b69 +||rungamepc.ru^$all +||game02-com.ru^$all +||gameportpc.ru^$all +||menkaralpheratz.com^$all +||ofsetvideofre.click^$all +||newvideozones.click^$all +||downloadstep.com^$all +||downloadsbeta.com^$all +||streamingsplays.com^$all +||streamingszone.com^$all +||runkit.com/wukong/black-myth-wukong-crack-pc^$all +||runkit.com/skylinespc/cities-skylines-ii-crack-pc-full-setup^$all +||runkit.com/masterposte/dying-light-2-crack-on-pc-denuvo-fix^$all +||runkit.com/dz4583276/monster-hunter-rise-crack-codex-pc/1.0.0/clone^$all +||groups.google.com/g/hogwarts-legacy-crack-empress^$all +||verify-captcha.com^$all +||r2.dev/CAptcha-Verifications-$doc +/please-verify-z.html^$doc + +! https://x.com/Unit42_Intel/status/1829178013423992948 +||dlvideosfre.click^$all +/human-verify-system.html^$doc +/human-captcha-v*.html^$doc +/captcha-verify-v*.html^$doc +/verify-captcha-v*.html^$doc + +! https://labs.guard.io/deceptionads-fake-captcha-driving-infostealer-infections-and-a-glimpse-to-the-dark-side-of-0c516f4dc0b6 +##html > body > div.container.m-p > #checkbox-window.checkbox-window +||ajmaboxanherulv*.b-cdn.net^$doc +||anti-automation-v*.b-cdn.net^$doc +||bot-check-v*.b-cdn.net^$doc +||dedicloadpgeing*.b-cdn.net^$doc +||file-typ-botcheck*.b-cdn.net^$doc +||izmncdnboxuse*.b-cdn.net^$doc +||newverifyyourself-system*.b-cdn.net^$doc +||nikutjyjgchr*.b-cdn.net^$doc +||verification-module-v*.b-cdn.net^$doc +||verifyyourself-*system.b-cdn.net^$doc +||weoidnet*.b-cdn.net^$doc +||fiare-activity.com^$all +||chromeupdates.com^$all +||fingerboarding.com^$all +||foodrailway.cfd^$all +||b-cdn.net/get-this-puzzle-solved.html^$doc +||b-cdn.net/Recap-v*.html^$doc +||b-cdn.net/verf-v*.html^$doc +/cf-check.html^$doc +/final-step-to-continue.html^$doc +/dedicated-captcha-page.html^$doc +/hcaptcha-human-check.html^$doc +/IQWJDolx.html^$doc +/JSKADull.html^$doc +/modi-cloudflare-update-new.html^$doc +/prove-human-recaptcha.html^$doc +/RYFTGJcaptchv*.html^$doc +/recaptcha-v*-protocol-$doc +/recaptcha-verification.html^$doc +/recaptcha_verification*.html^$doc +/security-challenge-captcha.html^$doc +/SYNCfuzzv*.html^$doc +/verify-human-recaptcha.html^$doc +/verify-me-first-v*.html^$doc +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11692494 +##html[lang] > body:not([class]):not([id]):not([style]) > div.container > div.recaptcha-box +/bot-verification-check-re*.html^$doc + +! https://www.reddit.com/r/windows/comments/1gkmlhp/what_does_this_windows_r_command/ +! https://www.virustotal.com/gui/url/530e6d106c328dc6334383fd4de29593fc7f4591bab8df517431612c7f0cd4e6 +! https://github.com/uBlockOrigin/uAssets/issues/26193 +! https://github.com/uBlockOrigin/uAssets/issues/26205 +||exo.io/cloudcask/$doc +/cloudflare-v1-getup-*.html^$doc +/modi-cloudflare-update.html^$doc + +! https://github.com/hagezi/dns-blocklists/issues/4009 +! https://github.com/rustdesk/rustdesk/discussions/9679 +||rustdesk.co.nz^$doc +||rustdesk.io^$doc +||rustdesk.pl^$doc +||rustdesk.secure-box.de^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/25783 +||bitdefender.top^$doc,to=~bitdefender.com + +! https://github.com/uBlockOrigin/uAssets/issues/25800 +||caressesetboulesdepoils.fr^$doc + +! https://www.netskope.com/blog/attackers-target-crypto-wallets-using-codeless-webflow-phishing-pages +webflow.io##html.w-mod-js:not(.wf-active) > body:not([class]):not([id]) > a[class="w-inline-block"][href^="http"] + +! https://github.com/uBlockOrigin/uAssets/issues/25869 +||coinomiwallet.cc^$all,to=~coinomi.com + +! https://github.com/uBlockOrigin/uAssets/issues/25870 +||infinityvvallet.io^$all,to=~infinitywallet.io + +! https://www.reddit.com/r/Scams/comments/1giz9gn/mslivepro_is_a_fake_website_also_so_is/ +||mslive.pro^$all,to=~microstrategy.com + +! https://github.com/uBlockOrigin/uAssets/issues/25913 +/^https:\/\/gov\.[^.]*gr\.[a-z]{2,6}/$doc,to=~gov|~edu|~gov.gr +! https://github.com/uBlockOrigin/uAssets/issues/25986 +||0.gp/greece2^$all,to=~gov.gr +||gr93.sbs^$all,to=~gov.gr + +! https://freesoftwarecreative.com/pages/?f4107d2 +! https://d1myn4ixnn41tz.cloudfront.net/public/external/v2/htmlxf.4151823.2951e.0.js +! https://d390icj1ta4x0p.cloudfront.net/public/ct?cpguid=&pr=0&it=4151823&w=1920&h=1080&key=2951e&m=0&r= +||freesoftwarecreative.com^$doc +||cloudtrks.com^$all +||macgsapptrck.com^$all +||d12zgccgt6pwjz.cloudfront.net^ +||d1myn4ixnn41tz.cloudfront.net^ +||duh0b8nl8uhfn.cloudfront.net^ +||d1ftkft7iiluq6.cloudfront.net^ +||d390icj1ta4x0p.cloudfront.net^ +||d3ept9mddcbuhi.cloudfront.net^ +||d1ieffz9zqrn09.cloudfront.net^ +||du002iv2rxh4h.cloudfront.net^ +||d1i1d9hx0883rq.cloudfront.net^ +||d3srxd2wvksmqd.cloudfront.net^ +||d13uyjvmsvkesh.cloudfront.net^ +||d3gi4w10ruedfh.cloudfront.net^ +||d3lwdybbvxc4v9.cloudfront.net^ +! https://dojy0dg181308.cloudfront.net/f999531.js +||dojy0dg181308.cloudfront.net^ +||d1mikxzr3lp4va.cloudfront.net^ +||d9cshxmf0qazr.cloudfront.net^ + +! https://www.malwarebytes.com/blog/scams/2024/11/crooks-bank-on-microsofts-search-engine-to-phish-customers +||ixxx-blognew.com^$all,to=~ibx.key.com +||info-blog-news.com^$all,to=~ibx.key.com +||new-bllog-i.com^$all,to=~ibx.key.com +||xv-bloging-info.com^$all,to=~ibx.key.com +||xxx-new-videos.com^$all,to=~ibx.key.com +||xxx-ii-news.$all,to=~ibx.key.com + +! https://github.com/uBlockOrigin/uAssets/issues/25933 +||udemy-creators.com^$all,to=~udemy.com + +! https://github.com/uBlockOrigin/uAssets/issues/25927 +! https://www.humansecurity.com/learn/blog/satori-threat-intelligence-alert-phish-n-ships-fakes-online-shops-to-steal-money-and-credit-card-information +! stage 1 +||ntischoolpune.org/*.php?$doc +.php?iid=*&cid=$doc,to=~gov|~edu +.php?cid=*&pnum=$doc,to=~gov|~edu +! stage 2 +||jb*img.top^$all,to=top +/\.[a-z]{3,}\/a\.aspx\?cid=/$doc,match-case,to=~com|~net|~org|~gov|~edu +! stage 3 +/\.[a-z]{3,}\/products\.aspx\?cname=.+&cid=/$doc,match-case,to=~com|~net|~org|~gov|~edu +/^https:\/\/online\.[a-z]{7,}\.top\//$doc,to=top +||justdakota.top^$all + +! https://timesofindia.indiatimes.com/technology/tech-news/bsnl-warn-users-about-this-fake-tower-installation-website/articleshow/113094732.cms +||bsnltowersite.in^$doc,to=~bsnl.co.in + +! https://github.com/AdguardTeam/AdguardFilters/issues/191813 +||dareka4te.shop^$all +! Fake WordPress plugins loading ads/malware +! https://www.godaddy.com/resources/news/threat-actors-push-clickfix-fake-browser-updates-using-stolen-credentials +! https://github.com/AdguardTeam/AdguardFilters/issues/191813 +/wp-content/plugins/admin-bar-customizer/abc-script.js +/wp-content/plugins/advanced-user-manager/aum-script.js +/wp-content/plugins/advanced-widget-manage/awm-script.js +/wp-content/plugins/content-blocker/cb-script.js +/wp-content/plugins/custom-css-injector/cci-script.js +/wp-content/plugins/custom-footer-generator/cfg-script.js +/wp-content/plugins/custom-login-styler/cls-script.js +/wp-content/plugins/dynamic-sidebar-manager/dsm-script.js +/wp-content/plugins/easy-themes-manager/script.js +/wp-content/plugins/form-builder-pro/fbp-script.js +/wp-content/plugins/quick-cache-cleaner/qcc-script.js +/wp-content/plugins/responsive-menu-builder/rmb-script.js +/wp-content/plugins/seo-optimizer-pro/sop-script.js +/wp-content/plugins/simple-post-enhancer/spe-script.js +/wp-content/plugins/social-media-integrator/smi-script.js + +! https://blog.sucuri.net/2024/11/malware-steals-account-credentials.html +! https://x.com/MBThreatIntel/status/1376662429229142022 +! https://x.com/rootprivilege/status/1549799944835371008 +||jqueri.at^$all +||jsdelivr.at^$all +||gstatis.co^$all +||at^$script,xhr,3p,ipaddress=185.215.113.111 + +! https://github.com/uBlockOrigin/uAssets/issues/25994 +! https://www.reddit.com/r/Scams/comments/1go6jwc/coinbase_scam_i_believe_this_is_a_scam/ +||pekanbaru.one^$all,to=~coinbase.com + +! https://www.bleepingcomputer.com/news/security/scammers-target-uk-senior-citizens-with-winter-fuel-payment-texts/ +||noticesgove.top^$all,to=~gov.uk +/^https:\/\/winterpaymen[a-z]{2,5}\.top\//$doc,to=top|~gov.uk + +! https://github.com/uBlockOrigin/uAssets/issues/26010 +||securevault.top^$all + +! https://www.reddit.com/r/Scams/comments/1gppxs5/package_is_detained_scam/ +! https://www.reddit.com/r/Scams/comments/1gpo2x6/is_this_a_scam_seems_kinda_sketchy/ +! https://www.reddit.com/r/Scams/comments/1grey9a/is_this_actually_usps_or_a_scam/ +! https://www.virustotal.com/gui/url/7d78e3dd3c6dbb1eeb8a916a3fa87f8235d374691d35d90afc330182a18fc766 +/^https:\/\/usps\.com-(?:[-\w]+\.){1,2}[a-z]{2,4}\//$doc,to=~com|~net|~org|~edu|~gov +! https://www.reddit.com/r/Scams/comments/1hc2p3j/httpsamazoncomcustomstopapsigninopenid/ +/^https:\/\/amazon\.com-(?:[-\w]+\.){1,2}[a-z]{2,4}\//$doc,to=~com|~net|~org|~edu|~gov + +! https://github.com/uBlockOrigin/uAssets/issues/26052 +||orcaslicer.info^$doc +||orcaslicer.co^$doc + +! https://www.reddit.com/r/Scams/comments/1grbhas/marabasebi_website_scam/ +||marabase-bi.com^$doc,to=~mara.com + +! https://github.com/uBlockOrigin/uAssets/issues/26061 +/^https:\/\/www\.air-?up-?[a-z]{2,}\.com\//$doc,to=com|~air-up.com +/^https:\/\/www\.xn--airup[a-z]{5,6}-[a-z0-9]{3}\.com\//$doc,to=com|~air-up.com +||airupgreece.net^$doc,to=~air-up.com +||airupromania.ro^$doc,to=~air-up.com +||airupitaly.it^$doc,to=~air-up.com +||airupfrance.fr^$doc,to=~air-up.com + +! https://github.com/uBlockOrigin/uAssets/issues/26058 +||ftuapps.io^$doc +||ftuapps.dev^$doc +||farlad.com^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/26072 +||geekupdates.notion.site/Ultra-Security$doc + +! https://forum.trezor.io/t/emails-from-trezor-appear-as-a-phishing-attack/13865 +! https://forum.trezor.io/t/phishing-email-received-claiming-trezor-firmware-update-required/13929 +||uobretailcreditmanagement.$doc +||blockfiupdates.$doc + +! https://github.com/uBlockOrigin/uAssets/issues/26102 +||uploadfox.net^$inline-script +uploadfox.net###ad-gs-05 + +! https://github.com/uBlockOrigin/uBlock-issues/discussions/3461 +||allinoursite.com^$doc +||bteux.com^$doc +||childrenoftheclouds.com^$doc +||dating-express.com^$doc +||doorsstormsy.shop^$doc +||emailservicesnetau.com^$doc +||euromaillinnk.com^$doc +||findthorman.shop^$doc +||glaters.com^$doc +||homtail.shop^$doc +||keydoordasher.shop^$doc +||mybach.xyz^$doc +||threeneptuneboot.com^$doc +/unsub/unsub^$doc +/unsub_sent.php|$doc,method=post +/^https?:\/\/www\.[a-z]{9,20}\.com\/o-[a-z]{4}-[a-z]\d6-[a-f0-9]{32}\b/$doc,match-case,to=com +/^https?:\/\/[a-z]+\.[a-z]{4,}\/oop\/\d+_md(?:\/\d+){5}\b/$doc,match-case +##html > body.hold-transition.theme-primary.bg-img[style^="background-image"][style*="wallpaperaccess.com"][style*="background-repeat"][style*="background-size"] +##html > body > div.container > form#unsubscribe-form[onsubmit="submitUnsubscribeForm(event)"] +##html > body > div.content > dl > dd.dd1 > div.min_sider > form#form1[action="unsubscribe.php"] +##html > body.body > div.container > div.content > form > table.optoutForm + +! Pretending to be a government service +||detranrapido.co^$all +||pagamentocnh.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26121 +||diteringion.com^$all + +! https://malwaretips.com/blogs/remove-flake-creditcable-info/ +! https://www.virustotal.com/gui/url/9c04f6b29c12f7fe981be638719be31d9bcbd5bf504423c12b49d7ce445c9f6d +||creditcable.info^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26144 +||steamcomunutty.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26164 +||klingxai.com^$all + +! https://www.reddit.com/r/Scams/comments/1gxe9i7/httpswwwpopularresortadscom/ +||popular-resort-ads.com^$doc,to=~ads.google.com + +! https://www.reddit.com/r/DeFiVault/comments/1gzn8dn/coinbase_account_status/ +://backcb.one^$all + +! https://www.reddit.com/r/Scams/comments/1h13jv4/madgicx_job_offer_my_gf_clicked_on_through_an_add/ +||madgicxde.com^$all,to=~madgicx.com + +! https://www.cloudflare.com/es-la/threat-intelligence/research/report/sacked-or-hacked-unmasking-employment-termination-scams/ +||gxsearch.club^$all + +! https://blog.sucuri.net/2024/11/credit-card-skimmer-malware-targeting-magento-checkout-pages.html +||dynamicopenfonts.app^$all +||staticfonts.com^$all +||static-fonts.com^$all + +! https://www.reddit.com/r/Scams/comments/1h2b6vz/semrushshopcom_scam/ +! https://www.virustotal.com/gui/url/cf71745d1add3f6d61cf306282b04d7c2271c69c5d32de23cb0eec54a9b5611b +||semrushshop.com^$all,to=~semrush.com + +! https://www.malwarebytes.com/blog/scams/2024/11/printer-problems-beware-the-bogus-help +||megadrive.solutions^$all +||geeksprosoftwareprints.org^$all +||select-easy123print.com^$all +||printcaretech.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26264 +||editproai.$all,to=editproai.org|editproai.pro + +! https://github.com/uBlockOrigin/uAssets/issues/26255 +! https://web.archive.org/web/20241130205822/https://lesivs.com/ +||lesivs.com^$doc + +! https://blog.checkpoint.com/research/navigating-the-evolving-threat-landscape-ahead-of-black-friday/ +||blackfriday-shoe.top^$all +||stussycanadablackfriday.com^$all,to=~stussy.com +||longchampblackfriday.com^$all,to=~longchamp +||jcrewblackfriday.com^$all,to=~jcrew.com +||hottest-bag.com^$all,to=~louisvuitton.com + +! https://blog.eclecticiq.com/inside-intelligence-center-financially-motivated-chinese-threat-actor-silkspecter-targeting-black-friday-shoppers +||dopeblackfriday.shop^$all +||llbeanblackfridays.shop^$all,to=~llbean.com +||makitablackfriday.shop^$all,to=~makitatools.com +||eu-blochdance.shop^$all,to=~blochworld.com +||ikea-euonline.com^$all,to=~ikea.com +||gardena-eu.com^$all,to=~gardena.com + +! https://news.trendmicro.com/2024/11/13/black-friday-scams/ +||northfacedeals.shop^$all,to=~thenorthface.com + +! https://github.com/uBlockOrigin/uAssets/issues/26280 +||igetintopc.com^$all + +! https://www.reddit.com/r/Scams/comments/1h4yn23/is_this_a_usps_scam/ +! https://www.reddit.com/r/phishing/comments/1h5nqhn/is_this_a_scam/ +||usps-packages-*.com^$doc,to=~usps.com + +! https://www.reddit.com/r/Scams/comments/1h7aw12/another_usps_scam_text_message_with_my_delivery/ +! https://www.virustotal.com/gui/url/dcf0a9e31564ffdac83f5fe888d41f46b9c9d2c6fd41ae9e516c6d0f0bb58a12 +||info-trackingcas.cc^$all,to=~usps.com + +! https://github.com/uBlockOrigin/uAssets/issues/26353 +! https://www.bleepingcomputer.com/news/security/eset-partner-breached-to-send-data-wipers-to-israeli-orgs/ +||backend.store.eset.co.il/pub/*/ESETUnleashed_*.zip^$all + +! https://www.reddit.com/r/CryptoScams/comments/1h9klwr/mexc_global_exchange/ +||gnxuohpr.icu^$all,to=~mexc.com +||mexcgbaip.vip^$all,to=~mexc.com +||www.*.icu^$doc,ipaddress=/^(13\.227\.254\.\d{2}|2600:9000:2(00a|1d1):[a-z0-9]{2}00:1[1c]:(7b7c|2741):(1ac|2d0)0:93a1)$/ +||www.*.vip^$doc,ipaddress=/^(13\.227\.254\.\d{2}|2600:9000:2(00a|1d1):[a-z0-9]{2}00:1[1c]:(7b7c|2741):(1ac|2d0)0:93a1)$/ + +! https://github.com/uBlockOrigin/uAssets/issues/26418 +||advairmds.ru^$all,to=~bbc.com + +! fake cloudflare captcha +||pub-549d59daefd74f7583e1766800fe7b07.r2.dev^ + +! https://www.reddit.com/r/Scams/comments/1hdbyok/website_asking_for_camera_access/ +||r-tiktok.com^$all,to=~tiktok.com + +! https://www.reddit.com/r/Scams/comments/1hhzsjx/is_salomonoutletstoresusacom_is_legit/ +||salomonoutletstoresusa.com^$all,to=~salomon.com + +! fake dating +/^https:\/\/[0-9a-z]{7}\.([0-9a-z]{7})\.top\/[0-9a-z]{7}\?t=\1&cid=[0-9a-z]+/$document,to=top,match-case + +! https://www.reddit.com/r/Scams/comments/1hleeck/this_has_to_be_a_scam_right/ +||dhldeliveryhome2.info^$all,to=~dhl.com + +! https://www.reddit.com/r/Scams/comments/1hmbf58/i_fell_for_a_toll_scam/ +||thetollroads.com-*.cfd^$all,to=~thetollroads.com + +! https://github.com/uBlockOrigin/uAssets/issues/26629 +||dtioykqj1u8de.cloudfront.net^$all,to=~amazon.co.jp + +! https://github.com/uBlockOrigin/uAssets/issues/26650 +||photonlabs.app^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26656 +||jaowomous.xyz^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26660 +?id=*&p1=*&p2=*&p3=*&p4=$doc +||partners-tds.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26655 +! https://www.virustotal.com/gui/url/be76de7311f2989fd8bc3795e76047c8f83cbb9dc990180e985af4824269a3db +||likeyoumakehappy.xyz^$all,to=~alza.sk + +! https://www.reddit.com/r/Scams/comments/1hp4wu1/ninja_kitchen_products_scam/ +||ninnjaofficial.com^$all,to=~ninjakitchen.com + +! https://github.com/uBlockOrigin/uAssets/issues/26672 +||gtrewe.co.in^$all +! https://github.com/uBlockOrigin/uAssets/issues/26708 +||fiheos.co.in^$all +! https://github.com/uBlockOrigin/uAssets/issues/26817 +||butsmism.co.in^$all +||gapconnectionbridge.co.in^$all +!/^https?:\/\/[a-z0-9]{6,20}\.[a-z]{6,20}\.co\.in\//$all,to=co.in +! https://github.com/uBlockOrigin/uAssets/issues/26919 +||glousism.co.in^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26722 +||maxsecurityultimate.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26728 +||supporthubcenter.eu^$all,to=~facebook.com + +! https://github.com/uBlockOrigin/uAssets/issues/26760 +||hotdebrid.com^$document +||debridlink.com^$document +||maxdebrid.com^$document +||anydebrid.com^$document + +! https://www.reddit.com/r/Scams/comments/1hx4mxz/semrush_task_scam_httpswwwsemrushmallcom/ +||semrushmall.com^$all,to=~semrush.com + +! https://www.reddit.com/r/antivirus/comments/1hzae66/what_is_the_best_thing_to_do_after_clicking_a/ +||grass-io.$all,to=cc|vip|~getgrass.io +||inmotionhosting.com/~myapp/grass_air/$doc,to=~getgrass.io + +! https://github.com/uBlockOrigin/uAssets/issues/26814 +||pubgrlxvote.top^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26853 +||teleqpnm.cn^$all,to=~telegram.org + +! https://www.malwarebytes.com/blog/news/2025/01/the-great-google-ads-heist-criminals-ransack-advertiser-accounts-via-fake-google-ads +! https://github.com/uBlockOrigin/uAssets/issues/26878 +||sites.google.com/view/entteraccess^$all,to=~ads.google.com +||sites.google.com/view/helpp2k^$all,to=~ads.google.com +||accounts.google.lt1l.com^$all,to=~ads.google.com +||accounts.lichseagame.com^$all,to=~ads.google.com +||accousnt.whenin.pt^$all,to=~ads.google.com +||ads-google.io-es.com^$all,to=~ads.google.com +||ads-overview.com^$all,to=~ads.google.com +||adsg00gle-v3.vercel.app^$all,to=~ads.google.com +||as.vn-login.shop^$all,to=~ads.google.com +||ads1.google.*.com^$doc,frame,to=~ads.google.com +||vietnamworks.vn-login.shop^$all,to=~google.com + +! https://www.reddit.com/r/Scams/comments/1i29m8t/for_the_first_time_i_almost_fell_for_one/ +||ezdrivema.com-$doc,to=~mass.gov +! https://www.reddit.com/r/phishing/comments/1i2zh8p/nice_try_ive_gotten_3_this_week/ +||ezdrive.com-$doc,to=~mass.gov + +! https://www.reddit.com/r/phishing/comments/1i2gi5r/is_this_legit/ +||thetollroads.texas-$all,to=~thetollroads.com +/^https:\/\/thetollroads\.[a-z]+-[a-z]{4}\.[a-z]{3}\//$doc,to=~thetollroads.com + +! https://blog.sekoia.io/sneaky-2fa-exposing-a-new-aitm-phishing-as-a-service/ +/^https:\/\/(?:[-a-z0-9]{2,}\.){1,2}(?:[a-z]{2,3}|click|online)\/(?:[-a-z0-9]+\/){1,4}[a-zA-Z0-9]{150}\/index\?a=/$doc,xhr,match-case,method=get,to=~edu|~gov +/^https:\/\/(?:[-a-z0-9]{2,}\.){1,2}(?:[a-z]{2,3}|click|online)\/(?:[-a-z0-9]+\/){1,4}[a-zA-Z0-9]{150}\/verify\b/$doc,match-case,method=get,to=~edu|~gov + +! https://github.com/uBlockOrigin/uAssets/issues/26886 +||pclpubg.com^$doc,to=~pubgesports.com + +! https://www.reddit.com/r/Scams/comments/1i45a66/is_this_a_scam_so_scared/ +||lazada.dsromorganizer.com^$all,to=~lazada.com + +! https://github.com/uBlockOrigin/uAssets/issues/26894 +||unhesiss.shop^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26912 +||edeetion.com^$all +||cleverjumper.com^$all + +! https://github.com/uBlockOrigin/uAssets/issues/26941 +||teams-live.com^$all + +! Title: uBlock filters – Privacy +! Last modified: %timestamp% +! Expires: 7 days +! Description: | +! Some of these filters make use of the `important` filter option,` +! which purpose is to guarantee that a filter won't be overriden by +! exception filters. +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! Homepage: https://github.com/uBlockOrigin/uAssets +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! Redirect to neutered Google Analytics +||google-analytics.com/analytics.js$script,redirect=google-analytics_analytics.js:5 + +! Redirect to neutered Google Analytics Experiments +||google-analytics.com/cx/api.js$script,redirect=google-analytics.com/cx/api.js:5 + +! https://www.reddit.com/r/uBlockOrigin/comments/xif3tf/ +||googletagmanager.com/gtag/js$script,xhr,redirect=googletagmanager_gtm.js:5 + +! https://github.com/gorhill/uBlock/issues/1411 +! https://www.reddit.com/r/firefox/comments/3pwcey/firefox_extension_download_manager_s3_asks_for/ +! https://www.reddit.com/r/chrome/comments/473ves/help_how_to_remove_qipru_redirect_when_searching/ +||lnkr.us^$doc +||icontent.us^$doc +||qip.ru^$doc +! https://github.com/gorhill/uBlock/issues/1411#issuecomment-201031771 +||ratexchange.net^ +||adnotbad.com^ +||serverads.net^ +||tradeadsexchange.com^ + +! https://www.reddit.com/r/ublock/comments/47o2ih/ublock_disabling_all_javascript_links/d0fhock +! Time to bring this filter out of experimental status +||googletagservices.com/tag/js/gpt.js$script,xhr,redirect=googletagservices.com/gpt.js:5 +||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices_gpt.js:5 +||pagead2.googlesyndication.com/tag/js/gpt.js$script,redirect=googletagservices_gpt.js:5 + +! https://github.com/gorhill/uBlock/issues/1265 +||scorecardresearch.com/beacon.js$script,redirect=scorecardresearch.com/beacon.js:5 + +! https://github.com/uBlockOrigin/uAssets/issues/7 +||google-analytics.com/ga.js$script,redirect=google-analytics.com/ga.js:5 + +! https://www.eff.org/deeplinks/2014/07/white-house-website-includes-unique-non-cookie-tracker-despite-privacy-policy +! https://github.com/uBlockOrigin/uAssets/issues/1713 +! https://github.com/uBlockOrigin/uAssets/issues/6319 +! https://github.com/gorhill/uBlock/issues/1384 +! https://github.com/uBlockOrigin/uAssets/issues/11003 +||addthis.com/*/addthis_widget.js$script +##.addthis_toolbox + +! Examples of what is fixed by even an unfilled dummy API: +! https://twitter.com/kenn_butler/status/709163241021317120 +! https://adblockplus.org/forum/viewtopic.php?f=10&t=48183 +! https://forums.lanik.us/viewtopic.php?f=64&t=32161 +! https://forums.lanik.us/viewtopic.php?f=64&t=30670 +||googletagmanager.com/gtm.js$script,redirect=googletagmanager_gtm.js:5 + +! https://github.com/gorhill/uBlock/issues/1082 +! https://github.com/gorhill/uBlock/issues/1250#issuecomment-173533894 +! https://github.com/gorhill/uBlock/issues/2155 +||widgets.outbrain.com/outbrain.js$script,redirect=outbrain-widget.js:5,domain=~vice.com + +! https://github.com/uBlockOrigin/uAssets/issues/713 +||google-analytics.com/analytics.js$important,script,redirect=google-analytics.com/analytics.js,domain=support.amd.com +||googletagmanager.com/gtm.js$important,script,redirect=googletagmanager.com/gtm.js,domain=support.amd.com + +! https://github.com/uBlockOrigin/uAssets/issues/4138 +rediff.com##a[onclick^="trackURL"]:remove-attr(onclick) +rediff.com##a[onmousedown^="return enc(this,'https://track.rediff.com"]:remove-attr(onmousedown) + +! https://www.reddit.com/r/uBlockOrigin/comments/b9qsix/new_reddit_tracks_a_ton_more_data_someone_said/ +! https://github.com/uBlockOrigin/uAssets/commit/5563840a319a26025290e17f4e9401b201ac2b99#commitcomment-118042265 +||reddit.com/api/jail^$xhr,1p +! https://www.reddit.com/r/uBlockOrigin/comments/tihpyw/oldredditcom_outbound_tracking_via_out_reddit_com/i1f290z/?context=3 +old.reddit.com##a.outbound[data-outbound-url]:remove-attr(data-outbound-url) +!reddit.com##+js(set, Object.prototype.allowClickTracking, false) +! https://www.reddit.com/r/worldnews/ +! https://github.com/uBlockOrigin/uAssets/issues/18938 +www.reddit.com##+js(rpnt, script, "outboundUrl", "outbound") +www.reddit.com##+js(json-prune, data.*.elements.edges.[].node.outboundLink) +www.reddit.com##+js(json-prune, data.children.[].data.outbound_link) +||redditstatic.com/shreddit/sentry-$domain=reddit.com +||www.reddit.com/|$xhr,1p,method=post +||reddit.com^$doc,removeparam=/web_only=/ +||reddit.com^$doc,removeparam=/deep_link=/ +||reddit.com^$doc,removeparam=correlation_id +||reddit.com^$doc,removeparam=ref +||reddit.com^$doc,removeparam=ref_campaign +||reddit.com^$doc,removeparam=ref_source +||reddit.com^$doc,removeparam=utm_content +! https://github.com/uBlockOrigin/uBlock-issues/issues/3206#issuecomment-2406041484 +||click.redditmail.com/CL0/$urlskip=/\/CL0\/(http.*?)\/\d\/[a-f0-9-]+\// -uricomponent +! remove.bg +||rd.remove.bg/CL0/http$doc,urlskip=/\/CL0\/(http.*?)\/\d\/[a-f0-9-]+\// -uricomponent + +! https://github.com/uBlockOrigin/uAssets/pull/5997 +docs.google.com##+js(no-xhr-if, method:POST url:/logImpressions) +! https://github.com/uBlockOrigin/uAssets/issues/7960 +www.google.*##+js(set, rwt, noopFunc) +! https://github.com/uBlockOrigin/uAssets/issues/7960#issuecomment-2018914258 +www.google.*###main a[href][data-sb^="/url?"]:remove-attr(data-sb) +www.google.*##+js(href-sanitizer, #main a[href^="/url?q=http"], ?q) +www.google.*###main a[href][ping^="/url?"]:remove-attr(ping) +! https://www.reddit.com/r/uBlockOrigin/comments/1eppef9/is_it_possible_to_hide_googles_annoying_redirect/ +www.google.*##+js(set-attr, c-wiz[data-p] [data-query] a[target="_blank"][role="link"], rlhc, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/6538 +liberation.fr,officedepot.fr,oui.sncf##+js(acs, document.createElement, '.js') +sfr.fr##+js(aopr, _oEa) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/780#issuecomment-558734257 +brillen.de##+js(acs, document.createElement, 'script') +||marketing.net.*^$1p + +! https://github.com/uBlockOrigin/uAssets/issues/7118 +||vidtech.cbsinteractive.com^*/tracking/$script,redirect=noop.js,important + +! https://github.com/uBlockOrigin/uAssets/issues/7178 +||carsensor.net/usedcar/modules/clicklog_$xhr,1p,important,redirect=noop.txt + +! https://github.com/uBlockOrigin/uAssets/issues/478#issuecomment-612229916 +/analytics/analytics.$~xmlhttprequest,3p +/ga_setup.js$3p +/googleanalytics.js$3p +! https://github.com/uBlockOrigin/uAssets/issues/11262 +-google-analytics/$domain=~wordpress.org,badfilter +-google-analytics/$3p,domain=~wordpress.org|~brookson.co.uk + +! https://github.com/uBlockOrigin/uAssets/pull/4961 +||the-japan-news.com/modules/js/lib/fgp/fingerprint2.js$script,redirect=fingerprint2.js,important + +! https://github.com/AdguardTeam/AdguardFilters/issues/57295 +||mtsa.com.my/mtcs.php/pageview/track^$image + +! https://github.com/AdguardTeam/AdguardFilters/issues/57325 +||api.tumblr.com/*/share/stats$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/7833 +frogogo.ru##+js(aopw, ADMITAD) +||artfut.com/static/tagtag.$script,3p,redirect=noop.js + +! https://github.com/uBlockOrigin/uAssets/issues/8105 +! block known tracking honeypots +||copyhomework.com^ +||coursecopy.com^ +||quiztoolbox.com^ +||quizlookup.com^ +||studyeffect.com^ +||testbooksolutions.com^ + +! https://github.com/uBlockOrigin/uBlock-issues/issues/1388 +@@||googletagmanager.com/gtm.js$script,redirect-rule,domain=rocketnews24.com + +! https://github.com/uBlockOrigin/uAssets/commit/ee5aec09e45376b7e6fb50ff56cb54425826df0d#commitcomment-44879744 +/stats.php?*event=$image + +! beastpics.club etc. +/check.php?t=*&rand=$image,1p + +! https://github.com/easylist/easylist/issues/6724 +/jquery.js?*&rx=*&foxtail=$image,1p +||jsdelivr.net/npm/skx@*/optical.js + +! hd21 group sites analytics +/counter/?domain=$image,1p +||hd21.com/ajax/track? + +! drtuber.desi analytics +||drtuber.*/ajax/track?track_type= + +! dekki.com analytics +||playbrain.io/analytics/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/80625 +tweakers.net##+js(aost, btoa, send) + +! https://github.com/AdguardTeam/AdguardFilters/issues/81533 +||yuktamedia.com^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/81778 +||gamedock.io^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/75098 +||stats.webgames.io^ + +! https://github.com/uBlockOrigin/uAssets/issues/9273 +||blogfoster.com^$3p + +! mettablog.com +||myanalytic.net^$3p + +! simply-hentai.com beacon +||t.simply-hentai.com^ + +! https://search.brave.com/search?q=Chromium +search.brave.com##+js(no-fetch-if, body:browser) + +! https://github.com/uBlockOrigin/uAssets/pull/9472 +||d3bch4rrbnbe5n.cloudfront.net/pxl.png^ + +! https://github.com/uBlockOrigin/uAssets/issues/9123 +/visilabs.min.js + +! https://github.com/orgs/uBlockOrigin/teams/ublock-filters-volunteers/discussions/354 +||civicscience.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/9932 +/\/[a-z0-9]{12}\/[a-zA-Z0-9\/\+\-]{97,106}$/$match-case,script,1p,strict1p +/^https?:\/\/(?!assets|script|static)(?:[0-9a-z]{10,13}|[0-9a-z]{6})\.[0-9A-Za-z.\-_]+\/(?=[0-9a-z+\/\-]*[A-Z])[0-9A-Za-z+\/\-]{80,106}$/$script,1p,match-case,strict3p +/^https?:\/\/(?!assets|script|static)(?:[0-9a-z]{4,25}|[0-9a-z]{6})\.www\.eldorado\.gg\/(?=[0-9a-z+\/\-]*[A-Z])[0-9A-Za-z+\/\-]{80,106}$/$script,1p,match-case,strict3p,domain=eldorado.gg +/^https?:\/\/(?!assets|script|static)(?:[0-9a-z]{4,25}|[0-9a-z]{6})\.www\.bolighub\.dk\/(?=[0-9a-z+\/\-]*[A-Z])[0-9A-Za-z+\/\-]{80,106}$/$script,1p,match-case,strict3p,domain=bolighub.dk +/dataunlocker$script,1p,domain=~dataunlocker.com +||data-saver-cindi.herokuapp.com^ +||franchiseplus.nl^$csp=script-src * 'unsafe-inline' 'wasm-unsafe-eval' data: blob: mediastream: filesystem: +||nikitaeverywhere.com^$script,xhr,1p +@@||nikitaeverywhere.com/static/js/main-*.js|$script,1p +@@||nikitaeverywhere.com/nikitaeverywhere-com-content/data.json|$xhr,1p +botcomics.com,cefirates.com,chandlerorchards.com,comicleaks.com,marketdata.app,monumentmetals.com,tapmyback.com,ping.gg,revistaferramental.com.br,hawpar.com,alpacafinance.org,nookgaming.com,enkeleksamen.no,kvest.ee,creatordrop.com,panpots.com,cybernetman.com,bitdomain.biz,gerardbosch.xyz,fort-shop.kiev.ua,accuretawealth.com,resourceya.com,tracktheta.com,camberlion.com,replai.io,trybawaryjny.pl,segops.madisonspecs.com,stresshelden-coaching.de,controlconceptsusa.com,ryaktive.com,tip.etip-staging.etip.io##+js(rmnt, script, /join\(\'\'\)/) +alpacafinance.org,tt.live,future-fortune.com,adventuretix.com,bolighub.dk##+js(rmnt, script, /join\(\"\"\)/) +panprices.com,intercity.technology,freelancer.taxmachine.be,adria.gg,fjlaboratories.com,emanualonline.com,abhijith.page,helpmonks.com##+js(rmnt, script, api.dataunlocker.com) +||trybawaryjny.pl^$csp=script-src * 'unsafe-inline' 'wasm-unsafe-eval' data: blob: mediastream: filesystem: +dataunlocker.com##+js(rmnt, script, /^Function\(\"/) + +! https://www.reddit.com/r/uBlockOrigin/comments/opoba7/washington_post_showing_ad_placeholders/ +||washpost.nile.works^ + +! https://github.com/easylist/easylist/commit/6457d9a221b19bf6d011d314d0bf14476d18f428#commitcomment-54257940 +/p13n/batch/action/*$image + +! Ad-Shield +! https://github.com/uBlockOrigin/uAssets/issues/9717 +/^https:\/\/cdn\.jsdelivr\.net\/npm\/[-a-z_]{4,22}@latest\/dist\/script\.min\.js$/$script,3p,match-case +loawa.com,ygosu.com,sportalkorea.com,edaily.co.kr,economist.co.kr,etoday.co.kr,isplus.com,hometownstation.com,honkailab.com,thestockmarketwatch.com,issuya.com,worldhistory.org,etnews.com,iusm.co.kr,dogdrip.net,etoland.co.kr,picrew.me,text-compare.com,fntimes.com,javatpoint.com,lamire.jp,bamgosu.site,allthekingz.com,automobile-catalog.com,maketecheasier.com,thesaurus.net,wfmz.com,thestar.co.uk,yorkshirepost.co.uk,mydaily.co.kr,raenonx.cc,ndtvprofit.com,badmouth1.com,logicieleducatif.fr,taxguru.in,islamicfinder.org,aikatu.jp,secure-signup.net,globalrph.com,sportsrec.com,reportera.co.kr,flatpanelshd.com,videogamemods.com,adintrend.tv,ark-unity.com,cool-style.com.tw,dziennik.pl,eurointegration.com.ua,winfuture.de,freemcserver.net,pravda.com.ua,infinityfree.com,wort-suchen.de,word-grabber.com,palabr.as,motscroises.fr,cruciverba.it,dramabeans.com,mynet.com,sportsseoul.com,smsonline.cloud,meeco.kr,heureka.cz,slobodnadalmacija.hr,ap7am.com,autoby.jp,bg-mania.jp,cinema.com.my,crosswordsolver.com,cruciverba.it,daily.co.jp,dailydot.com,demotywatory.pl,dnevno.hr,dolldivine.com,economictimes.com,forsal.pl,gazetaprawna.pl,giornalone.it,gloria.hr,iplocation.net,j-cast.com,j-town.net,jablickar.cz,jmty.jp,joemonster.org,jutarnji.hr,kompasiana.com,lacuarta.com,laleggepertutti.it,lovelive-petitsoku.com,mamastar.jp,manta.com,mariowiki.com,mediaindonesia.com,mirrored.to,missyusa.com,mistrzowie.org,mlbpark.donga.com,motscroises.fr,netzwelt.de,nmplus.hk,oeffnungszeitenbuch.de,ondemandkorea.com,oradesibiu.ro,oraridiapertura24.it,palabr.as,persoenlich.com,petitfute.com,powerpyx.com,quefaire.be,rabitsokuhou.2chblog.jp,rostercon.com,slashdot.org,sourceforge.net,suzusoku.blog.jp,talkwithstranger.com,the-crossword-solver.com,tportal.hr,tvtv.ca,tvtv.us,watchdocumentaries.com,webdesignledger.com,wort-suchen.de,wouldurather.io,woxikon.*,yutura.net,zagreb.info,golf-live.at,motherlyvisions.com,w.grapps.me,gazetaprawna.pl,pressian.com,kreuzwortraetsel.de,verkaufsoffener-sonntag.com,raetsel-hilfe.de,horairesdouverture24.fr,nyitvatartas24.hu,convertcase.net##+js(set-local-storage-item, adshield-analytics-uuid, $remove$) +loawa.com,ygosu.com,sportalkorea.com,edaily.co.kr,economist.co.kr,etoday.co.kr,isplus.com,hometownstation.com,honkailab.com,thestockmarketwatch.com,issuya.com,worldhistory.org,etnews.com,iusm.co.kr,dogdrip.net,etoland.co.kr,picrew.me,text-compare.com,fntimes.com,javatpoint.com,lamire.jp,bamgosu.site,allthekingz.com,automobile-catalog.com,maketecheasier.com,thesaurus.net,wfmz.com,thestar.co.uk,yorkshirepost.co.uk,mydaily.co.kr,raenonx.cc,ndtvprofit.com,badmouth1.com,logicieleducatif.fr,taxguru.in,islamicfinder.org,aikatu.jp,secure-signup.net,globalrph.com,sportsrec.com,reportera.co.kr,flatpanelshd.com,videogamemods.com,adintrend.tv,ark-unity.com,cool-style.com.tw,dziennik.pl,eurointegration.com.ua,winfuture.de,freemcserver.net,pravda.com.ua,infinityfree.com,wort-suchen.de,word-grabber.com,palabr.as,motscroises.fr,cruciverba.it,dramabeans.com,mynet.com,sportsseoul.com,smsonline.cloud,meeco.kr,heureka.cz,slobodnadalmacija.hr,ap7am.com,autoby.jp,bg-mania.jp,cinema.com.my,crosswordsolver.com,cruciverba.it,daily.co.jp,dailydot.com,demotywatory.pl,dnevno.hr,dolldivine.com,economictimes.com,forsal.pl,gazetaprawna.pl,giornalone.it,gloria.hr,iplocation.net,j-cast.com,j-town.net,jablickar.cz,jmty.jp,joemonster.org,jutarnji.hr,kompasiana.com,lacuarta.com,laleggepertutti.it,lovelive-petitsoku.com,mamastar.jp,manta.com,mariowiki.com,mediaindonesia.com,mirrored.to,missyusa.com,mistrzowie.org,mlbpark.donga.com,motscroises.fr,netzwelt.de,nmplus.hk,oeffnungszeitenbuch.de,ondemandkorea.com,oradesibiu.ro,oraridiapertura24.it,palabr.as,persoenlich.com,petitfute.com,powerpyx.com,quefaire.be,rabitsokuhou.2chblog.jp,rostercon.com,slashdot.org,sourceforge.net,suzusoku.blog.jp,talkwithstranger.com,the-crossword-solver.com,tportal.hr,tvtv.ca,tvtv.us,watchdocumentaries.com,webdesignledger.com,wort-suchen.de,wouldurather.io,woxikon.*,yutura.net,zagreb.info,golf-live.at,motherlyvisions.com,w.grapps.me,gazetaprawna.pl,pressian.com,kreuzwortraetsel.de,verkaufsoffener-sonntag.com,raetsel-hilfe.de,horairesdouverture24.fr,nyitvatartas24.hu,convertcase.net##+js(set-local-storage-item, /_fa_bGFzdF9iZmFfYXQ=$/, $remove$) +loawa.com,ygosu.com,sportalkorea.com,edaily.co.kr,economist.co.kr,etoday.co.kr,isplus.com,hometownstation.com,honkailab.com,thestockmarketwatch.com,issuya.com,worldhistory.org,etnews.com,iusm.co.kr,dogdrip.net,etoland.co.kr,picrew.me,text-compare.com,fntimes.com,javatpoint.com,lamire.jp,bamgosu.site,allthekingz.com,automobile-catalog.com,maketecheasier.com,thesaurus.net,wfmz.com,thestar.co.uk,yorkshirepost.co.uk,mydaily.co.kr,raenonx.cc,ndtvprofit.com,badmouth1.com,logicieleducatif.fr,taxguru.in,islamicfinder.org,aikatu.jp,secure-signup.net,globalrph.com,sportsrec.com,reportera.co.kr,flatpanelshd.com,videogamemods.com,adintrend.tv,ark-unity.com,cool-style.com.tw,dziennik.pl,eurointegration.com.ua,winfuture.de,freemcserver.net,pravda.com.ua,infinityfree.com,wort-suchen.de,word-grabber.com,palabr.as,motscroises.fr,cruciverba.it,dramabeans.com,mynet.com,sportsseoul.com,smsonline.cloud,meeco.kr,heureka.cz,slobodnadalmacija.hr,ap7am.com,autoby.jp,bg-mania.jp,cinema.com.my,crosswordsolver.com,cruciverba.it,daily.co.jp,dailydot.com,demotywatory.pl,dnevno.hr,dolldivine.com,economictimes.com,forsal.pl,gazetaprawna.pl,giornalone.it,gloria.hr,iplocation.net,j-cast.com,j-town.net,jablickar.cz,jmty.jp,joemonster.org,jutarnji.hr,kompasiana.com,lacuarta.com,laleggepertutti.it,lovelive-petitsoku.com,mamastar.jp,manta.com,mariowiki.com,mediaindonesia.com,mirrored.to,missyusa.com,mistrzowie.org,mlbpark.donga.com,motscroises.fr,netzwelt.de,nmplus.hk,oeffnungszeitenbuch.de,ondemandkorea.com,oradesibiu.ro,oraridiapertura24.it,palabr.as,persoenlich.com,petitfute.com,powerpyx.com,quefaire.be,rabitsokuhou.2chblog.jp,rostercon.com,slashdot.org,sourceforge.net,suzusoku.blog.jp,talkwithstranger.com,the-crossword-solver.com,tportal.hr,tvtv.ca,tvtv.us,watchdocumentaries.com,webdesignledger.com,wort-suchen.de,wouldurather.io,woxikon.*,yutura.net,zagreb.info,golf-live.at,motherlyvisions.com,w.grapps.me,gazetaprawna.pl,pressian.com,kreuzwortraetsel.de,verkaufsoffener-sonntag.com,raetsel-hilfe.de,horairesdouverture24.fr,nyitvatartas24.hu,convertcase.net##+js(set-local-storage-item, /_fa_dXVpZA==$/, $remove$) +loawa.com,ygosu.com,sportalkorea.com,edaily.co.kr,economist.co.kr,etoday.co.kr,isplus.com,hometownstation.com,honkailab.com,thestockmarketwatch.com,issuya.com,worldhistory.org,etnews.com,iusm.co.kr,dogdrip.net,etoland.co.kr,picrew.me,text-compare.com,fntimes.com,javatpoint.com,lamire.jp,bamgosu.site,allthekingz.com,automobile-catalog.com,maketecheasier.com,thesaurus.net,wfmz.com,thestar.co.uk,yorkshirepost.co.uk,mydaily.co.kr,raenonx.cc,ndtvprofit.com,badmouth1.com,logicieleducatif.fr,taxguru.in,islamicfinder.org,aikatu.jp,secure-signup.net,globalrph.com,sportsrec.com,reportera.co.kr,flatpanelshd.com,videogamemods.com,adintrend.tv,ark-unity.com,cool-style.com.tw,dziennik.pl,eurointegration.com.ua,winfuture.de,freemcserver.net,pravda.com.ua,infinityfree.com,wort-suchen.de,word-grabber.com,palabr.as,motscroises.fr,cruciverba.it,dramabeans.com,mynet.com,sportsseoul.com,smsonline.cloud,meeco.kr,heureka.cz,slobodnadalmacija.hr,ap7am.com,autoby.jp,bg-mania.jp,cinema.com.my,crosswordsolver.com,cruciverba.it,daily.co.jp,dailydot.com,demotywatory.pl,dnevno.hr,dolldivine.com,economictimes.com,forsal.pl,gazetaprawna.pl,giornalone.it,gloria.hr,iplocation.net,j-cast.com,j-town.net,jablickar.cz,jmty.jp,joemonster.org,jutarnji.hr,kompasiana.com,lacuarta.com,laleggepertutti.it,lovelive-petitsoku.com,mamastar.jp,manta.com,mariowiki.com,mediaindonesia.com,mirrored.to,missyusa.com,mistrzowie.org,mlbpark.donga.com,motscroises.fr,netzwelt.de,nmplus.hk,oeffnungszeitenbuch.de,ondemandkorea.com,oradesibiu.ro,oraridiapertura24.it,palabr.as,persoenlich.com,petitfute.com,powerpyx.com,quefaire.be,rabitsokuhou.2chblog.jp,rostercon.com,slashdot.org,sourceforge.net,suzusoku.blog.jp,talkwithstranger.com,the-crossword-solver.com,tportal.hr,tvtv.ca,tvtv.us,watchdocumentaries.com,webdesignledger.com,wort-suchen.de,wouldurather.io,woxikon.*,yutura.net,zagreb.info,golf-live.at,motherlyvisions.com,w.grapps.me,gazetaprawna.pl,pressian.com,kreuzwortraetsel.de,verkaufsoffener-sonntag.com,raetsel-hilfe.de,horairesdouverture24.fr,nyitvatartas24.hu,convertcase.net##+js(set-local-storage-item, /_fa_Y2FjaGVfaXNfYmxvY2tpbmdfYWNjZXB0YWJsZV9hZHM=$/, $remove$) +loawa.com,ygosu.com,sportalkorea.com,edaily.co.kr,economist.co.kr,etoday.co.kr,isplus.com,hometownstation.com,honkailab.com,thestockmarketwatch.com,issuya.com,worldhistory.org,etnews.com,iusm.co.kr,dogdrip.net,etoland.co.kr,picrew.me,text-compare.com,fntimes.com,javatpoint.com,lamire.jp,bamgosu.site,allthekingz.com,automobile-catalog.com,maketecheasier.com,thesaurus.net,wfmz.com,thestar.co.uk,yorkshirepost.co.uk,mydaily.co.kr,raenonx.cc,ndtvprofit.com,badmouth1.com,logicieleducatif.fr,taxguru.in,islamicfinder.org,aikatu.jp,secure-signup.net,globalrph.com,sportsrec.com,reportera.co.kr,flatpanelshd.com,videogamemods.com,adintrend.tv,ark-unity.com,cool-style.com.tw,dziennik.pl,eurointegration.com.ua,winfuture.de,freemcserver.net,pravda.com.ua,infinityfree.com,wort-suchen.de,word-grabber.com,palabr.as,motscroises.fr,cruciverba.it,dramabeans.com,mynet.com,sportsseoul.com,smsonline.cloud,meeco.kr,heureka.cz,slobodnadalmacija.hr,ap7am.com,autoby.jp,bg-mania.jp,cinema.com.my,crosswordsolver.com,cruciverba.it,daily.co.jp,dailydot.com,demotywatory.pl,dnevno.hr,dolldivine.com,economictimes.com,forsal.pl,gazetaprawna.pl,giornalone.it,gloria.hr,iplocation.net,j-cast.com,j-town.net,jablickar.cz,jmty.jp,joemonster.org,jutarnji.hr,kompasiana.com,lacuarta.com,laleggepertutti.it,lovelive-petitsoku.com,mamastar.jp,manta.com,mariowiki.com,mediaindonesia.com,mirrored.to,missyusa.com,mistrzowie.org,mlbpark.donga.com,motscroises.fr,netzwelt.de,nmplus.hk,oeffnungszeitenbuch.de,ondemandkorea.com,oradesibiu.ro,oraridiapertura24.it,palabr.as,persoenlich.com,petitfute.com,powerpyx.com,quefaire.be,rabitsokuhou.2chblog.jp,rostercon.com,slashdot.org,sourceforge.net,suzusoku.blog.jp,talkwithstranger.com,the-crossword-solver.com,tportal.hr,tvtv.ca,tvtv.us,watchdocumentaries.com,webdesignledger.com,wort-suchen.de,wouldurather.io,woxikon.*,yutura.net,zagreb.info,golf-live.at,motherlyvisions.com,w.grapps.me,gazetaprawna.pl,pressian.com,kreuzwortraetsel.de,verkaufsoffener-sonntag.com,raetsel-hilfe.de,horairesdouverture24.fr,nyitvatartas24.hu,convertcase.net##+js(set-local-storage-item, /_fa_Y2FjaGVfaXNfYmxvY2tpbmdfYWRz$/, $remove$) +loawa.com,ygosu.com,sportalkorea.com,edaily.co.kr,economist.co.kr,etoday.co.kr,isplus.com,hometownstation.com,honkailab.com,thestockmarketwatch.com,issuya.com,worldhistory.org,etnews.com,iusm.co.kr,dogdrip.net,etoland.co.kr,picrew.me,text-compare.com,fntimes.com,javatpoint.com,lamire.jp,bamgosu.site,allthekingz.com,automobile-catalog.com,maketecheasier.com,thesaurus.net,wfmz.com,thestar.co.uk,yorkshirepost.co.uk,mydaily.co.kr,raenonx.cc,ndtvprofit.com,badmouth1.com,logicieleducatif.fr,taxguru.in,islamicfinder.org,aikatu.jp,secure-signup.net,globalrph.com,sportsrec.com,reportera.co.kr,flatpanelshd.com,videogamemods.com,adintrend.tv,ark-unity.com,cool-style.com.tw,dziennik.pl,eurointegration.com.ua,winfuture.de,freemcserver.net,pravda.com.ua,infinityfree.com,wort-suchen.de,word-grabber.com,palabr.as,motscroises.fr,cruciverba.it,dramabeans.com,mynet.com,sportsseoul.com,smsonline.cloud,meeco.kr,heureka.cz,slobodnadalmacija.hr,ap7am.com,autoby.jp,bg-mania.jp,cinema.com.my,crosswordsolver.com,cruciverba.it,daily.co.jp,dailydot.com,demotywatory.pl,dnevno.hr,dolldivine.com,economictimes.com,forsal.pl,gazetaprawna.pl,giornalone.it,gloria.hr,iplocation.net,j-cast.com,j-town.net,jablickar.cz,jmty.jp,joemonster.org,jutarnji.hr,kompasiana.com,lacuarta.com,laleggepertutti.it,lovelive-petitsoku.com,mamastar.jp,manta.com,mariowiki.com,mediaindonesia.com,mirrored.to,missyusa.com,mistrzowie.org,mlbpark.donga.com,motscroises.fr,netzwelt.de,nmplus.hk,oeffnungszeitenbuch.de,ondemandkorea.com,oradesibiu.ro,oraridiapertura24.it,palabr.as,persoenlich.com,petitfute.com,powerpyx.com,quefaire.be,rabitsokuhou.2chblog.jp,rostercon.com,slashdot.org,sourceforge.net,suzusoku.blog.jp,talkwithstranger.com,the-crossword-solver.com,tportal.hr,tvtv.ca,tvtv.us,watchdocumentaries.com,webdesignledger.com,wort-suchen.de,wouldurather.io,woxikon.*,yutura.net,zagreb.info,golf-live.at,motherlyvisions.com,w.grapps.me,gazetaprawna.pl,pressian.com,kreuzwortraetsel.de,verkaufsoffener-sonntag.com,raetsel-hilfe.de,horairesdouverture24.fr,nyitvatartas24.hu,convertcase.net##+js(set-local-storage-item, /_fa_Y2FjaGVfYWRibG9ja19jaXJjdW12ZW50X3Njb3Jl$/, $remove$) +meconomynews.com,brandbrief.co.kr,motorgraph.com,topstarnews.net##+js(noeval-if, /07c225f3\.online|content-loader\.com|css-load\.com|html-load\.com/) +||html-load.com^$domain=manta.com|tportal.hr|tvtropes.org|wouldurather.io|convertcase.net|zeta-ai.io +meconomynews.com,brandbrief.co.kr,motorgraph.com##+js(rmnt, script, KCgpPT57bGV0IGU) +topstarnews.net,islamicfinder.org,secure-signup.net,dramabeans.com,manta.com,tportal.hr,tvtropes.org,wouldurather.io,convertcase.net##+js(rmnt, script, error-report.com) +||html-load.com^$redirect=noopjs,domain=aikatu.jp|adintrend.tv|ark-unity.com|cool-style.com.tw|doanhnghiepvn.vn|mynet.com +aikatu.jp,adintrend.tv,ark-unity.com,cool-style.com.tw,doanhnghiepvn.vn,mynet.com##+js(nostif, error-report.com) +||79180284.xyz^ +||05454674.xyz^ +||78b78ff8.xyz^ +||f33d11b5.xyz^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/91230 +||nsfw.xxx/vendor/fingerprint/fingerprint2.min.js$script,redirect=fingerprint2.js,important + +! https://www.reddit.com/r/uBlockOrigin/comments/p9lity/how_to_block_favicon_popups_on_these_websites/ +||g.jwpsrv.com/g/gcid-*?notrack$frame + +! https://github.com/uBlockOrigin/uAssets/issues/10012 +tacobell.com##+js(set, bmak.js_post, false) + +! https://github.com/easylist/easylist/pull/9136 +||cloudflare.com/ajax/libs/fingerprintjs2/$script,redirect=fingerprint2.js,important,domain=gamebox.gesoten.com + +! https://github.com/easylist/easylist/pull/9137 +||gamerch.com/s3-assets/library/js/fingerprint2.min.js$script,redirect=fingerprint2.js,important + +! https://github.com/AdguardTeam/AdguardFilters/issues/95660 +||ahentai.top/counter.php +||caitlin.top/counter.php + +! https://github.com/easylist/easylist/pull/9370 +||tr.jianshu.com^ + +! https://github.com/easylist/easylist/pull/9469#issuecomment-950179366 +/lib/f_ad_code.js + +! https://github.com/Yuki2718/adblock/issues/40 +! https://github.com/Yuki2718/adblock/issues/44 +! https://www.reddit.com/r/uBlockOrigin/comments/udaxzt/block_fingerprinting_javascript_with_completely/i8xaru3/ +/\.com\/[-_0-9a-zA-Z]{4,}\/[-\/_0-9a-zA-Z]{25,}$/$script,1p,domain=gu-global.com|uniqlo.com + +! https://www.reddit.com/r/uBlockOrigin/comments/r06yju/sur_in_english_website_recognises_ad_blocker/ +||metrics.surinenglish.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/10615#issuecomment-980221624 +@@||natureetdecouvertes.com^*/pixel.png$~third-party,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/10630 +||cm.bilibili.com/cm/api/$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/10679 +||wannads.com/api/track/fingerprint^ + +! https://github.com/uBlockOrigin/uAssets/issues/10690 +||wuzhuiso.com^$removeparam=src + +! https://github.com/uBlockOrigin/uAssets/pull/10610 +||va.huya.com^ +||e-stat.huya.com^ + +! pornocolombiano.net analytics +||analytics.tiendaenoferta.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/10995 +||zhihu.com^$removeparam=hybrid_search_source +||zhihu.com^$removeparam=hybrid_search_extra + +! https://github.com/easylist/easylist/issues/6724#issuecomment-1003172754 +! https://github.com/uBlockOrigin/uAssets/pull/15692#issuecomment-1321098072 +/cfga/jquery.js?$image + +! https://github.com/uBlockOrigin/uAssets/issues/11278 +||mynewsmedia.co/*/Linkpage/ads_stats_controller.php +||gplinks.co/Auth/ads_stats_controller.php + +! https://github.com/uBlockOrigin/uAssets/issues/9970 +||videovard.*/api/front/view^$xhr,important + +! https://github.com/uBlockOrigin/uAssets/issues/11644 +endbasic.dev,jmmv.dev##+js(no-xhr-if, method:POST) + +! https://github.com/AdguardTeam/AdguardFilters/issues/106875 +||b90.yahoo.co.jp^ + +! https://github.com/AdguardTeam/AdguardFilters/issues/110958 +||jsdelivr.net^*/fp.min.js$script,redirect-rule=fingerprint3.js:10 + +! https://github.com/uBlockOrigin/uAssets/issues/11885 +/log/*$xhr,domain=vizcloud.*|vizcloud2.* + +! https://github.com/uBlockOrigin/uAssets/issues/11895 +||serasaexperian.com.br/dist/scripts/fingerprint2.js^$redirect=fingerprint2.js,script,important + +! https://www.reddit.com/r/uBlockOrigin/comments/u13isu/how_to_block_fathom_tracking +/?p=%2F*&h=https%3A%2F%2F*&r=&sid=*&qs=*&cid=$image,1p +/?h=https%3A%2F%2F*&r=&sid=*&qs=*&cid=$image,1p +/?v=eyJoIjoiaHR0cHM6Ly9$image,1p +/?v=eyI*sImgiOiJodHRwczovL$image,1p +!/^https?:\/\/[-.0-9a-z]+\/script\.js$/$script,1p,strict3p,match-case + +! https://github.com/uBlockOrigin/uAssets/issues/13059 +||hdslb.com/bfs/cm/cm-sdk/static/js/bili-collect.js$script,redirect=noop.js,domain=bilibili.com,important + +! https://assets.acdn.no/pkg/@amedia/browserid/1.1.6/index.js trackers +! https://github.com/uBlockOrigin/uAssets/pull/13408#issuecomment-1341756510 +! ||no/api/aid/users/self?filter=*tracking$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/13958 +||play.google.com/store/apps/*referrer$removeparam=referrer +||apps.apple.com/*/app/*referrer$removeparam=referrer + +! https://github.com/uBlockOrigin/uAssets/issues/13970 +||securemetrics.apple.com/b/ss/*maps$image,important + +! techpowerup. com ping +||techpowerup.com/__botcheck$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/14653 +||hktvmall.com/yuicombo?$script,removeparam=/_ui/shared/common/js/analytics/with-intersection-track.js +! https://github.com/uBlockOrigin/uAssets/issues/22702 +! https://github.com/uBlockOrigin/uAssets/issues/22764 +! ||hktvmall.com/yuicombo?$script,removeparam=/_ui/shared/common/js/InappCommunicationManager.js +! ||hktvmall.com/yuicombo?$script,removeparam=/_ui/shared/common/js/util/jquery.analytics-utils.js +! ||hktvmall.com/yuicombo?$script,removeparam=/^\/_ui\/desktop\/common\/js\/uiAnalytics\// +||hktvmall.com/_ui/desktop/common/js/uiAnalytics/ +||hktvmall.com/_ui/shared/common/js/analytics/with-intersection-track.js +||hktvmall.com/_ui/shared/common/js/util/jquery.analytics-utils.js +||hktvmall.com/yuicombo|$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/14850#issuecomment-1249571859 +/discourse-fingerprint- + +! https://github.com/easylist/easylist/issues/13695 +ericdraken.com##+js(aopr, dataLayer) +ericdraken.com##^script[async] + +! https://github.com/AdguardTeam/AdguardFilters/issues/81856 +/s/s/js/m/om.js?v= + +! https://github.com/uBlockOrigin/uAssets/issues/4059 +! https://github.com/AdguardTeam/AdguardFilters/issues/135665 +://vip.*/?pge=$image,3p +://ply.*/?v=$image,3p + +! brave.com analytics +||brave.com/static-assets/js/analysis.js + +! https://www.girlsofdesire.org/galleries/kana-kusakabe/00.html +/images/*/analytics.js$domain=girlsofdesire.org + +! t3n.de tracking +||cl.t3n.de^ +||c2shb.pubgw.yahoo.com/admax/bid/partners/PBJS + +! doucolle.net analytics +||blozoo.info/js/inouttool/ + +! https://github.com/uBlockOrigin/uAssets/issues/15809 +||hikari.jiocinema.com/v1/batch^ +||hikari.jiocinema.com/v1/track^ + +! https://github.com/uBlockOrigin/uAssets/issues/16478 +!||linkedin.com/li/track$xhr,1p +! https://github.com/uBlockOrigin/uAssets/issues/22627 +linkedin.com##+js(href-sanitizer, a[href^="https://www.linkedin.com/redir/redirect?url=http"], ?url) + +! https://github.com/uBlockOrigin/uAssets/issues/16730#issuecomment-1427957300 +utreon.com##+js(no-xhr-if, utreon.com/pl/api/event method:POST) + +! https://github.com/uBlockOrigin/uAssets/issues/16731 +/^https:\/\/[0-9a-z]{7,25}\.com\/v2(?:\/0\/)?(?=[-_0-9a-z]{0,84}[A-Z])(?=[-_a-zA-Z]{0,84}[0-9])[-_0-9a-zA-Z]{54,85}(#\?v=[0-9a-f]{32})?$/$script,xhr,3p,match-case +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/461 +/^https:\/\/[0-9a-z]{7,25}\.com\/(?:assets|build|bundles|chunks|dist|files|j|public|scripts|static)?\/?(?:js\/)?[_0-9a-f]{6,16}\/?[_0-9a-f]{20,120}(?:[-.](?:app|bundle|ma?in|module|prod|index|v\d|vendor))?(?:\.js)?$/$script,3p,match-case,to=com,redirect=noopjs +/^https:\/\/[0-9a-z]{7,25}\.com\/[a-z]{0,7}\/?(?:js\/)?[_0-9a-f]{6,16}\/?[_0-9a-f]{20,120}(?:[-.][a-z0-9]{2,6})?(?:\.js)?$/$script,3p,match-case,to=com,header=x-datacenter +||succeedscene.com^$badfilter +||succeedscene.com^$~script + +! https://github.com/uBlockOrigin/uAssets/issues/16751 +zhihu.com##+js(no-xhr-if, log-sdk.ksapisrv.com/rest/wd/common/log/collect method:POST) + +! https://github.com/AdguardTeam/AdguardFilters/issues/114908#issuecomment-1438714714 +||torimochi.line-apps.com^$image,redirect=1x1.gif + +! bilibili.com browser fingerprint collect +||api.bilibili.com/x/internal/gaia-gateway/ExClimbWuzhi$xhr,1p + +! https://github.com/easylist/easylist/issues/14723 +! https://github.com/easylist/easylist/commit/547cdd2b5e588437a602ac6a424bf499bbed896f +||p.typekit.net/p.css^$css,redirect=noop.css +||p.typekit.net/p.css^$css,domain=athleticpropulsionlabs.com|browserstack.com|bungie.net|petsafe.com|robertsspaceindustries.com,redirect=noop.css,important + +! https://github.com/uBlockOrigin/uAssets/issues/17041 +-telemetry.officeapps.live$ping,xhr + +! https://github.com/uBlockOrigin/uAssets/issues/17119 +||flow.microsoft.com/providers/Internal.Telemetry + +! https://github.com/uBlockOrigin/uAssets/issues/17120 +||client-telemetry.roblox.com^ + +! https://www.reddit.com/r/uBlockOrigin/comments/11rjv8n/ +||kemono.party/js/script.js + +! AdSpyglass tracker +/api/click/*?c=$image + +! redirector +||cj.dotomi.com^ +||new-twinks.com^ +||terperbelomo.info^ +||thebestoffers4you.net^ +||trck.eczyl.com^ +||trcp.gamefantech.com^ +||turbotrck.art^ +||track.opt-tds.com^ +||track.link-tds.com^ +||freetrckr.com^ +||news-pewuce.com^ +||cjewz.com^ +||chpok.site^ +||smartaccess.biz^ +||adonsonlyd.xyz^ + +! https://github.com/uBlockOrigin/uAssets/issues/17786 +! https://github.com/uBlockOrigin/uAssets/issues/20569 +||adthrive.com^$removeparam,from=~mediaite.com|~a-z-animals.com + +! branch.io sites +||cdn.branch.io/branch-latest.min.js$important,domain=nbc.com|pac-12.com + +! onesignal-sites +||onesignal.com^$domain=blurayufr.xyz|columbian.com|faqwiki.us|freecoursesonline.me|ftuapps.dev|gamersdiscussionhub.com|levelupalone.com|onehack.us|xiaomitools.com + +! narrative.com sites +||narrativ.com^$domain=androidauthority.com +||androidauthority.com/api/locate/ + +! optimizely-sites +! https://github.com/uBlockOrigin/uAssets/issues/18787 +! https://www.reddit.com/r/uBlockOrigin/comments/157utus/articles_on_mindbodygreencom_wont_load/ +||optimizely.com^$domain=mindbodygreen.com +||mindbodygreen.com/js/optimizely-$script,1p +mindbodygreen.com##+js(set-local-storage-item, segmentDeviceId, $remove$) + +! geoip.cdn.arkadiumhosted.com +||geoip.cdn.arkadiumhosted.com^$domain=bestforpuzzles.com|charlotteobserver.com|dailygazette.com|independent.co.uk|miamiherald.com|standard.co.uk|word.tips + +! sites with beacons +*$ping,domain=webnovel.com + +! https://github.com/uBlockOrigin/uAssets/issues/17652 +*$xhr,3p,denyallow=github.com|stripe.com|fpjs.pro,domain=fingerprint.com|~dev.fingerprint.com +||fingerprint.com^$strict3p,domain=fingerprint.com|~dev.fingerprint.com|~dashboard.fingerprint.com +||dashboard.fingerprint.com^$strict3p,xhr,domain=dashboard.fingerprint.com +fingerprint.com,~dev.fingerprint.com##+js(no-xhr-if, method:POST) + +! lightboxcdn.com +||lightboxcdn.com^$domain=androidauthority.com|variety.com +||lightboxcdn.com/*/digibox.gif? +||lightboxcdn.com/*/jsonp/z? + +! firebase analytics +/firebase-analytics.js$script,domain=zefoy.com +zefoy.com##+js(set, firebase.analytics, noopFunc) +! https://github.com/AdguardTeam/AdguardFilters/issues/156959 +||firebase.googleapis.com^$domain=hotmediahub.com + +! PMC-sites tracking +/pmc-plugins/pmc-social-share-bar/*/tracking.js + +! McClatchy-sites tracking +/ng.gif?s*&e=$image,strict3p + +! https://github.com/easylist/easylist/pull/16317#issuecomment-1593693211 +!||analytics-sdk.yle.fi^$script,1p,important +!yle.fi##+js(set, yleAnalytics, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/18562 +bikesales.com.au##^html > head > :is([name="canonical"], [rel="canonical"]):not([content*="/details/"]):upward(1) > script[src*="optimizely"] + +! https://github.com/uBlockOrigin/uAssets/issues/7646 +! https://github.com/AdguardTeam/AdguardFilters/issues/154632 +||telemetry*.transcend.io^ + +! https://www.eevblog.com/forum/buysellwanted/ fingerprint +||eevblog.com/forum/fp.php + +! https://www.s4c.cymru/clic/series/864836464?sup=1 trackers +||2cnt.net/j0=$image,domain=s4c.cymru +||player-api.s4c-cdn.co.uk/analytics/$domain=s4c.cymru + +! https://github.com/uBlockOrigin/uAssets/issues/18880 +||aas.medialaben.no/a/ + +! https://nv.ua/ tracking cookie +! https://github.com/uBlockOrigin/uAssets/commit/299bcbbf7faed0f1007dc32197438f8c9a28af28#r122193300 +||remp.nv.ua/assets/lib/js/remplib.js + +! https://github.com/uBlockOrigin/uBlock-issues/discussions/2714#discussioncomment-6396384 +! https://github.com/uBlockOrigin/uAssets/issues/21516 +! https://github.com/uBlockOrigin/uAssets/pull/20143 +*$permissions=browsing-topics=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local +*$permissions=compute-pressure=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local +*$permissions=idle-detection=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local +*$permissions=join-ad-interest-group=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local +*$permissions=private-state-token-issuance=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local +*$permissions=private-state-token-redemption=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local +*$permissions=run-ad-auction=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local +*$permissions=attribution-reporting=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local +*$permissions=keyboard-map=(),from=~localhost|~127.0.0.1|~[::1]|~0.0.0.0|~[::]|~local + +! https://github.com/uBlockOrigin/uAssets/issues/19100 +/^https:\/\/kick\.com\/[0-9A-z]{16}\/[0-9A-z]{16}\?apiKey=/$script,1p,match-case,domain=kick.com + +! https://www.reddit.com/r/uBlockOrigin/comments/1576b91/this_malicious_script_should_be_blocked/ +||simonzody.com^ + +! https://www.nickjr.com/video/n0d0md/gabby-s-dollhouse-gabby-s-dollhouse-official-trailer +||tags.tiqcdn.com^$domain=nickjr.com +||events.paramount.tech^$redirect=nooptext,domain=nickjr.com + +! https://github.com/uBlockOrigin/uAssets/issues/19194 +||mps.nbcuni.com/images/MPS-STATISTIC-REPORTING.png + +! https://github.com/uBlockOrigin/uAssets/issues/19221 +||ab.blogs.es/abtest.png^$image,3p,domain=xataka.com|trendencias.com,redirect=1x1.gif,important + +! Bounce/Click trackers +! https://github.com/uBlockOrigin/uAssets/issues/25925 +://www.wattpad.com/et?$image +||wattpad.com/et*^l=http$doc,urlskip=?l + +! https://github.com/uBlockOrigin/uAssets/issues/24153 +! https://github.com/uBlockOrigin/uAssets/issues/25388 +! https://github.com/uBlockOrigin/uAssets/issues/25609 +! https://github.com/uBlockOrigin/uAssets/issues/23590 +@@||track.adtraction.com/*&url=https://www.gog.com/$popup +||track.adtraction.com/*^url=https://www.gog.com/$doc,urlskip=?url -blocked +/t/t?a=*&url=http$doc,to=com|dk,urlskip=?url + +! https://www.reddit.com/r/uBlockOrigin/comments/1g7m8av/opening_referral_links_from_slickdeals_are/ +! https://soaps.sheknows.com/the-bold-and-the-beautiful/recaps/743811/finn-tells-li-luna-killed-tom-hollis/ +! https://variety.com/2023/digital/news/disney-plus-first-four-indiana-jones-movies-exclusive-merch-1235629165/ +! https://www.cnet.com/tech/best-labor-day-sales-2024-09-03/ +! https://www.hunker.com/13770331/best-headboards/ +! https://pcpartpicker.com/forums/topic/247066-everytime-i-click-a-newegg-link-i-get-redirected-to-anrdoezrsnet +! https://www.purewow.com/fashion/four-bs-french-outfit-staples +! https://github.com/uBlockOrigin/uAssets/issues/26126 +! https://www.space.com/drone-deals +! https://www.nbcnews.com/select/shopping/amazon-black-friday-deals-2024-rcna182061 +! https://www.dealnews.com/ +/^https?:\/\/(?:[^.]+\.){2}(?:com|io|net)\/[a-zA-Z0-9]{6}\?subId1=[^&]+&u=http/$doc,to=com|io|net,urlskip=?u +https +/^https?:\/\/(?:[^.]+\.){2}(?:com|io|net)\/c(?:\/\d+){3}\/?\?.*?&?u=http/$doc,to=com|io|net,urlskip=?u +https +/^https?:\/\/(?:[^.]+\.){2}(?:com|io|net)\/c(?:\/\d+){3}\/?\?.*?&?url=http/$doc,to=com|io|net,match-case,urlskip=?url +https +/^https?:\/\/(?:[^.]+\.){2}(?:com|io|net)\/c(?:\/\d+){3}\/?\?.*?&?URL=http/$doc,to=com|io|net,match-case,urlskip=?URL +https +/^https?:\/\/www\.[a-z]+\.(?:com|net)\/click-\d{6,7}-\d{8}\b.*?[?&]url=http/$doc,to=com|net,match-case,urlskip=?url +/^https?:\/\/www\.[a-z]+\.(?:com|net)\/click-\d{6,7}-\d{8}\b.*?[?&]URL=http/$doc,to=com|net,match-case,urlskip=?URL +/Proxy.ashx?*&GR_URL=http$doc,urlskip=?GR_URL +||clicks.trx-hub.com/*^q=http$doc,urlskip=?q +||shop-links.co/link*^url=http$doc,urlskip=?url +||prf.hn/click/*/destination:http$doc,urlskip=/\/destination:([^\/]+)/ -uricomponent +||7tiv.net/*^u=http$doc,urlskip=?u +https +! https://github.com/uBlockOrigin/uAssets/issues/23729 +||go.redirectingat.com/*^url=http$doc,urlskip=?url +||go.skimresources.com/*^url=http$doc,urlskip=?url + +! https://github.com/uBlockOrigin/uAssets/issues/26126 +||click.linksynergy.com/*^murl=http$doc,urlskip=?murl +||bestbuy.7tiv.net/c/*^u=https%3A%2F%2Fwww.bestbuy.com$doc,urlskip=?u -blocked + +! https://www.namecheap.com/support/knowledgebase/article.aspx/10127/55/how-to-link-to-a-domain-search-result-page-on-namecheapcom/ +! https://sandimaciver.com/simon-says-stamp-bee-yourself-4-cards-from-1-kit-video/ +/r.cfm*^urllink=$document,urlskip=?urllink +https,to=shareasale-analytics.com|shareasale.com + +! https://otherweb.com/n/jql8n85J +! https://upload.trinituner.com/v4/forums/viewtopic.php?t=319216&start=7500 +||cc.*.com/v1/otc/*?merchant=*&url=http$doc,to=com,urlskip=?url + +! https://github.com/brave/adblock-lists/commit/c6c8a9d0eafd52fba4a1c63d1e33404d90cbcad2 +||click.pstmrk.it/*/$document,urlskip=/\.pstmrk\.it\/[23][mst]{0,2}\/([^\/?#]+)/ -uricomponent +https + +! https://x.com/LeBlorstOfTimes/status/1802874950132318572 +! https://docs.planethowl.com/en/stable/clickmate.html +||howl.me/link*^url=http$doc,urlskip=?url +||howl.link/link*^url=http$doc,urlskip=?url + +! https://www.engadget.com/samsung-galaxy-s23-ultra-review-specs-price-photo-and-video-take-center-stage-140034341.html +||shopping.yahoo.com/rdlw*^gcReferrer=http$doc,urlskip=?gcReferrer + +! https://www.flexoffers.com/new-features/new-deep-linking-url-structure/ +||track.flexlinks.com/a.ashx*^url=http$doc,urlskip=?url +! https://jljbacktoclassic.com/archives/16956 +||track.flexlinkspro.com/a.ashx*^url=http$doc,urlskip=?url + +! https://docs.fmtc.co/kb/pepperjam +! https://www.youtube.com/watch?v=HmonnOY9YK8 +/t/*^url=http$doc,urlskip=?url,to=gopjn.com|pjatr.com|pjtra.com|pntra.com|pntrac.com|pntrs.com + +! https://uncrate.com/everyday-carry-hacienda/ +||wordseed.com/go/*^url=http$doc,urlskip=?url +||visit.ws/visit/*^url=http$doc,urlskip=?url +||go.uncrate.com/*^url=http$doc,urlskip=?url + +! https://github.com/brave/adblock-lists/commit/576f306ba08f7be55e7635bd6b6e833250a8add7 +! https://www.reddit.com/r/Muna/comments/1ea9h93/aftertaste_released_news/ +||llo.to/e/*^url=http$doc,urlskip=?url +||events.laylo.com/r/redirect*^link=http$urlskip=?link + +! https://www.reddit.com/r/uBlockOrigin/comments/10kryo7/streaklinkscom/ +! https://capd.mit.edu/experiences/hackmit/ +! https://econ.georgetown.edu/ug_opportunities/pre-doc-opportunity-stanford-law-school-empirical-research-fellowship/ +! https://agilebrandguide.com/591-building-an-accessible-digital-experience-with-jennifer-griffin-smith-acquia/ +||streaklinks.com/*/http$doc,urlskip=/\bstreaklinks\.com\/[^\/]+\/https?%3A%2F%2F([^\/?#]+)/ -uricomponent +https +||streak-link.com/*/http$doc,urlskip=/\bstreak-link\.com\/[^\/]+\/https?%3A%2F%2F([^\/?#]+)/ -uricomponent +https + +! https://github.com/brave/brave-browser/issues/30731 +||app.hive.co/email/elt/*^next=http$doc,urlskip=?next + +! https://github.com/brave/adblock-lists/commit/0b6eae9de4f07ff53f402303316d7ec651f33434 +! https://github.com/AdguardTeam/AdGuardSDNSFilter/issues/1784 +||digidip.net/visit?*url=http$doc,urlskip=?url +||action.metaffiliation.com/trk.php*^redir=http$doc,urlskip=?redir + +! https://unknowns.de/forum/thread/23727-innovation-ultimate/ +||backerkit.com/ahoy/messages/*/click?*url=http$doc,urlskip=?url + +! https://forums.majorgeeks.com/threads/bizrate-redirect.298636/ +||rd.bizrate.com/rd*^t=http$doc,urlskip=?t +https + +! https://forum.squarespace.com/topic/211400-link-to-google-form-disappeared-in-email/ +||engage.squarespace-mail.com/r*^u=http$doc,urlskip=?u + +! https://www.blackhatworld.com/seo/grab-your-shopify-120-day-trial-d.1386267/ +! https://github.com/brave/adblock-lists/issues/993 +/Prod/link-tracker?*redirectUrl=aHR0c$doc,urlskip=?redirectUrl -base64 -uricomponent +https + +! https://success.awin.com/s/article/What-does-an-affiliate-link-look-like +! https://success.awin.com/articles/en_US/Knowledge/What-does-an-affiliate-link-look-like +! https://shutupandtakemyyen.com/product/pokemon-giant-cubone-skull-patch/ +! https://support.mozilla.org/en-US/questions/832144 +.php?*&p=http$doc,to=awin1.com,urlskip=?p +https +.php?*&ued=http$doc,to=awin1.com,urlskip=?ued +https + +! https://www.chip.de/news/MediaMarkt-liefert-noch-kostenlos-Standard-und-Uberlieferservice-fuer-Null-Euro_184676397.html +||x.chip.de/linktrack/button/?url=http$doc,urlskip=?url +||de/trck/eclick/*^url=http$doc,to=pvn.mediamarkt.de|pvn.saturn.de,urlskip=?url + +! https://www.reddit.com/r/MailChimp/comments/1c884qx/published_emails_trigger_your_connection_is_not/ +||mailchimp.com/mctx/clicks?url=http$doc,urlskip=?url + +! https://castbox.fm/episode/The-State-of-Influencer-Marketing-with-Andrew-Kamphey-id3097940-id286565488 +||t.mailpgn.com/l/*^fl=http$doc,urlskip=?fl + +! https://career.cuhk.edu.cn/en/job/view/id/459429 +||jsv3.recruitics.com/redirect*^rx_url=http$doc,urlskip=?rx_url + +! https://tenki.jp/ +||app.adjust.com/*^redirect=http$doc,urlskip=?redirect +! https://saz-aktuell.com/so-geht-versicherung-heute-in-3-steps-perfekt-abgesichert/ +||app.adjust.com/*^fallback=http$doc,urlskip=?fallback + +! https://www.twitch.tv/officialtopgun/about +||t.cfjump.com/*^Url=http$doc,urlskip=?Url + +! https://www.zen-cart.com/showthread.php?113326-Banner-Manager-Message-The-connection-was-refused-when-attempting-to-contact-localho +! https://github.com/brave/adblock-lists/pull/897 +||clixgalore.com/Lead.aspx*^LP=$doc,urlskip=?LP -uricomponent +https +! https://github.com/brave/adblock-lists/pull/770 +||clixgalore.com/Lead.aspx*^AffDirectURL=$doc,urlskip=?AffDirectURL -uricomponent +https + +! https://github.com/brave/adblock-lists/issues/894 +||ojrq.net/p/?return=http$doc,urlskip=?return +https +||d.agkn.com/pixel/*^l1=http$doc,urlskip=?l1 + +! https://experienceleague.adobe.com/en/docs/audience-manager/user-guide/implementation-integration-guides/media-data-integration/click-data-pixels +||demdex.net/*^d_rd=http$doc,urlskip=?d_rd +https + +! https://github.com/brave/adblock-lists/issues/892 +||api.bam-x.com/api/v1/clickmate/*^url=http$doc,urlskip=?url + +! https://pub-docs.valuecommerce.ne.jp/docs/as-63-item-api/ +||valuecommerce.com/servlet/*^vc_url=http$doc,urlskip=?vc_url +https +! https://jmty.jp/ibaraki/sale-hom/article-1662iu +||valuecommerce.com/resolve/*^u=http$doc,urlskip=?u +https +||valuecommerce.ne.jp/cgi-bin/*^vc_url=http$doc,urlskip=?vc_url +https +||affiliate.shopping.yahoo.co.jp/entry*^vc_url=http$doc,urlskip=?vc_url +https + +! https://dev.tradedoubler.com/crossdevice/publisher/ +||tradedoubler.com/click*^url=http$doc,urlskip=?url +||redir.tradedoubler.com/projectr/?_td_deeplink=http$doc,urlskip=?_td_deeplink + +! https://docs.webgains.dev/docs/platform-api-1/e0818c5e27f62-get-feed-products +||track.webgains.com/click.html*^wgtarget=http$doc,urlskip=?wgtarget + +! https://samanthareneehansen.com/ +||nordstrom.com/Linkshare*^url=http$doc,urlskip=?url +||sephora.com/affiliates.jsp*^url=http$doc,urlskip=?url + +! https://github.com/brave/adblock-lists/commit/7666f7556747ff9f57646b827b16640f2cfe479b +||nutribullet.com/t/*^url=http$doc,urlskip=?url +||getprice.com.au/prodhits.aspx*^link=http$doc,urlskip=?link + +! https://forums.redflagdeals.com/henrys-used-camera-equipment-20-off-90-day-warranty-ends-march-28-2024-2676433/ +||c.pepperjamnetwork.com/click*^url=http$doc,urlskip=?url + +! https://support.avantlink.com/hc/en-us/articles/208058053-Affiliate-Link-Encoder-Affiliate-User-Guide-Automate-Tracking-Links-for-Website-Content +||avantlink.com/click.php*^url=http$doc,urlskip=?url + +! https://www.aashibeauty.com/blogs/hair-blog/best-curly-hair-products-to-transform-your-next-wash-day +||narrativ.com/api/v0/client_redirect/*^url=http$doc,urlskip=?url +https +||queue.ulta.com/*^t=http$doc,urlskip=?t + +! https://help.icontact.com/customers/s/article/Your-Message-Contains-An-Invalid-Link +||click.icptrack.com/icp/relay.php*^destination=http$doc,urlskip=?destination +https + +! https://www.sport-passion.fr/comparatifs/meilleurs-compteurs-gps-de-velo-et-vtt.php +||track.effiliation.com/servlet/effi.redir*^url=http$doc,urlskip=?url +||tradeinn.com/ts/*^trg=http$doc,urlskip=?trg +||fsx.i-run.fr/*^redir=http$doc,urlskip=?redir + +! https://www.planetminecraft.com/mod/star-wars-clone-wars-332-battalion-armor-set/ +||mcpedl.com/leaving/?url=http$doc,urlskip=?url +https + +! https://lists.ettus.com/empathy/thread/MP5S6U5Y44IQ7Y2YQWIGIGDGBC36VCKU +||c212.net/c/link/*^u=http$doc,urlskip=?u +https + +! https://www.threads.net/@mosseri/post/C0m-tFjvitg/small-but-notable-update-to-share-weve-updated-the-link-referrer-for-threads-so- +threads.net##+js(json-prune, require.0.3.0.__bbox.define.[].2.is_linkshim_supported) +||l.threads.net/?u=http$doc,urlskip=?u + +! https://www.bleepingcomputer.com/news/security/googles-mysterious-searchapp-links-leave-android-users-concerned/ +||search.app^*link=http$doc,urlskip=?link + +! https://github.com/uBlockOrigin/uBlock-issues/issues/3206#issuecomment-2487392846 +bing.com##+js(href-sanitizer, a[href^="/rebates/welcome?url=http"], ?url) +||bing.com/ck/a*^u=a1aHR0c$doc,urlskip=/[?&]u=a1(aHR0c[^&#]+)/ -base64 +https +||bing.com/rebates/welcome?url=http$doc,urlskip=?url +||bing.com/alink/link?url=http$doc,urlskip=?url + +! https://www.avforums.com/threads/philips-oled908-remote.2478922/ +||ds1.nl/redirect/*^dai_url=http$doc,urlskip=?dai_url + +! https://www.dealnews.com/ +||c.next2.io/*^link=http$doc,urlskip=?link +/^https?:\/\/(?:www\.anrdoezrs\.net|cj\.dotomi\.com)\/links(?:-t)?\/\d+\/sid\/[^\/]+\/http/$doc,to=cj.dotomi.com|www.anrdoezrs.net,urlskip=/\/sid\/[^\/]+\/(http[^?]+)/ +https +! https://github.com/uBlockOrigin/uBlock-issues/issues/1096 +||anrdoezrs.net/links/*/type/dlg/http$doc,urlskip=/\/dlg\/(http[^?]+)/ +https + +! https://www.thingiverse.com/thing:4702801 +/tradetracker/?tt=*&r=http$doc,urlskip=?r + +! https://www.androidauthority.com/black-friday-deals-2024-3499762/ +! https://github.com/uBlockOrigin/uAssets/issues/26204 +||r.bttn.io/?*&btn_pub_ref=*&btn_url=http$doc,urlskip=?btn_url +||r.bttn.io/?*&btn_pub_ref=*&btn_desktop_url=http$doc,urlskip=?btn_desktop_url + +! https://www.insidehook.com/deals +||prsm1.com/r?url=http$doc,urlskip=?url + +! https://link.theskimm.com/view/6021f603fd42236acb38801cmcvvy.kfzp/c1e7a749 +||link.theskimm.com/click/*/aHR0c$doc,urlskip=/\/click\/[^\/]+\/(aHR0c[^\/]+)/ -base64 + +! https://www.xda-developers.com/black-friday-laptop-deals/ +||redirect.viglink.com/*^ourl=http$doc,urlskip=?ourl +||redirect.viglink.com/*^u=http$doc,urlskip=?u + +! https://www.zdnet.com/article/best-black-friday-deals-2024-11-28/ +||affportal.bhphoto.com/dl/redventures/*^u=http$doc,urlskip=?u + +! https://elotrolado.net/hilo_el-podcast-de-eol-episodio-43-e3-cronica-de-una-muerte-anunciada_2360079 +||dlk.ivoox.com/dlk/*^link=http$doc,urlskip=?link + +! https://slickdeals.net/ +||slickdeals.net/i.php?*&u2=http$doc,urlskip=?u2 +||amazon.com/gp/redirect.html?*&location=http$doc,urlskip=?location +||link.sylikes.com/*^url=http$doc,urlskip=?url +||sofi.com/atr/p/v1/a?u=http$doc,urlskip=?u + +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/775#discussioncomment-10120835 +||justwatch.com/a?*^r=http$doc,urlskip=?r +||click.trafficguard.ai/*^lpurl=http$doc,urlskip=?lpurl + +! https://www.reddit.com/r/uBlockOrigin/comments/1h62o3m/provide_a_clean_url_for_strict_blocks/ +||awstrack.me/L0/http$doc,urlskip=/\/L0\/(http[^\/?#]+)/ -uricomponent +https + +! https://forums.malwarebytes.com/topic/283053-legitimate-weblink-from-soundcloud-blocked/ +||gate.sc^*url=http$doc,urlskip=?url + +! https://firebase.google.com/docs/dynamic-links/create-manually +! https://community.flutterflow.io/database-and-apis/post/firebase-dynamic-link-works-fine-on-google-play-store-but-not-on-app-i2tHgRXnxGajPyO +||page.link/*^ofl=http$doc,urlskip=?ofl + +! Click Trackers +! https://reddit.com/r/uBlockOrigin/comments/14t3y1d/ +html.duckduckgo.com,lite.duckduckgo.com##+js(href-sanitizer, a[href^="//duckduckgo.com/l/?uddg="], ?uddg) +! https://starstyle.com +starstyle.com##+js(href-sanitizer, a[href^="https://go.skimresources.com/"][href*="&url=http"], ?url) +! https://insidehook.com/deals +! https://github.com/uBlockOrigin/uAssets/issues/26126 +! https://www.space.com/best-black-friday-deals-sales +insidehook.com,nbcnews.com,pcpartpicker.com,space.com##+js(href-sanitizer, a[href^="https://click.linksynergy.com/"][href*="link?id="][href*="&murl=http"], ?murl) +! [NSFW] https://fap18.net/video/88120176/danny-d-2-milfs-and-that-big-cock?c=milf & https://fap18.net/xid/45560506/ and similar +fap18.net,xxxmom.net,fuck55.net,gofucker.com,sexu.tv,vid123.net,babe8.net,beeg.porn##+js(href-sanitizer, a[href^="/vp/player/to/?u=http"]\, a[href^="/vp/download/goto/?u=http"], ?u) +/vp/player/to/?u=http$doc,urlskip=?u +/vp/download/goto/?u=http$doc,urlskip=?u +! [NSFW] https://losporn.org/black-beautys-10-watch-online-free and similar +! https://github.com/uBlockOrigin/uAssets/issues/20330 +losporn.org,streamporn.li,pandamovies.org,bananamovies.org,xopenload.net,adultdvdparadise.com,speedporn.net,mangoporn.net,pandamovie.info,mangoporn.co,mangoparody.com,xxxscenes.net,pornkino.cc,watchxxxfree.pw,pandamovie.in,speedporn.pw,watchfreexxx.net,youwatchporn.com,watchpornfree.info,pandamovies.me,xtapes.me,netflixporno.net,pornwish.org,freeomovie.info,fullxxxmovies.me,watchpornx.com,xxxparodyhd.net,xxxstream.me,pornwatch.ws,xopenload.pw,onstreams.net,playpornfree.xyz,pandamovies.pw,streamporn.pw,xopenload.me##+js(href-sanitizer, a[href^="https://drivevideo.xyz/link?link=http"], ?link) +! https://nowinstock.net/computers/videocards/nvidia/rtx4090/ +nowinstock.net##+js(href-sanitizer, a[href^="https://click.linksynergy.com/deeplink?id="][href*="&murl="], ?murl) +nowinstock.net##+js(href-sanitizer, a[href*="?"][href*="&url=http"], ?url) +nowinstock.net##+js(href-sanitizer, a[href*="?"][href*="&u=http"], ?u) +! https://paypal.com/uk/home +paypal.com##+js(href-sanitizer, a[href^="https://app.adjust.com/"][href*="?fallback=http"], ?fallback) +! https://elotrolado.net/hilo_el-podcast-de-eol-episodio-43-e3-cronica-de-una-muerte-anunciada_2360079 +elotrolado.net##+js(href-sanitizer, a[href^="https://go.redirectingat.com?url=http"], ?url) +! [NSFW] https://tube188.com/catalog/cheating/ +tube188.com##+js(href-sanitizer, a[href^="/check.php?"][href*="&url=http"], ?url) +! https://tomshardware.com/news/windows-11-gaming-benchmarks-performance-vbs-hvci-security +tomshardware.com##+js(href-sanitizer, a[href^="https://click.linksynergy.com/deeplink?id="][href*="&murl=http"], ?murl) +! http://disq.us/p/2vt2qs2 +! https://github.com/uBlockOrigin/uAssets/issues/20066 +disqus.com##+js(href-sanitizer, a[href^="https://disq.us/url?url="][title^="http"], [title]) +disqus.com##+js(href-sanitizer, a[href^="https://disq.us/?url=http"], ?url) +disqus.com##a[href][data-link-out]:remove-attr(data-link-out) +! https://steamcommunity.com/games/221410/announcements/detail/1602634609636894200 +steamcommunity.com##+js(href-sanitizer, a[href^="https://steamcommunity.com/linkfilter/?url=http"], ?url) +steamcommunity.com##+js(href-sanitizer, a[href^="https://steamcommunity.com/linkfilter/?u=http"], ?u) +! https://colab.research.google.com/ - Needs sign-in +colab.research.google.com##+js(href-sanitizer, a[href^="https://colab.research.google.com/corgiredirector?site=http"], ?site) +! https://www.xda-developers.com/lenovo-yoga-7i-500-deal/ +xda-developers.com##+js(href-sanitizer, a[href^="https://shop-links.co/link/?"][href*="&url=http"], ?url) +xda-developers.com##+js(href-sanitizer, a[href^="https://redirect.viglink.com/?"][href*="ourl=http"], ?ourl) +! https://www.reddit.com/r/uBlockOrigin/comments/17psek6/what_exactly_is_jdoqocycom_and_why_does_every/ +isthereanydeal.com##+js(href-sanitizer, a[href^="http://www.jdoqocy.com/click-"][href*="?URL=http"], ?URL) +isthereanydeal.com##+js(href-sanitizer, a[href^="https://track.adtraction.com/t/t?"][href*="&url=http"], ?url) +! https://github.com/easylist/easylist/issues/18317#issuecomment-1895677833 +metager.org##+js(href-sanitizer, a[href^="https://metager.org/partner/r?link=http"], ?link) +! https://github.com/uBlockOrigin/uAssets/issues/23160 +idnes.cz##+js(aeld, click, pingUrl) +idnes.cz##+js(aeld, mousedown, scoreUrl) +! https://www.reddit.com/r/uBlockOrigin/comments/1ci0wma/when_clicking_on_some_deal_links_on_slickdeals/ +slickdeals.net##+js(href-sanitizer, a[href*="go.redirectingat.com"][href*="url=http"], ?url) +! https://github.com/uBlockOrigin/uAssets/issues/23729 +slickdeals.net##+js(href-sanitizer, a[href^="https://slickdeals.net/?"][href*="u2=http"], ?u2) +! https://github.com/uBlockOrigin/uAssets/issues/23590 +dk.pcpartpicker.com##+js(href-sanitizer, a[href^="https://online.adservicemedia.dk/"][href*="deeplink=http"], ?deeplink) +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/775#discussioncomment-10120835 +justwatch.com##+js(href-sanitizer, 'a[href*=".justwatch.com/a?"][href*="&r=http"]', ?r) +! https://variety.com/2023/digital/news/disney-plus-first-four-indiana-jones-movies-exclusive-merch-1235629165/ +variety.com##+js(href-sanitizer, a[href^="https://clicks.trx-hub.com/"][href*="bn5x.net"], ?q?u) +! https://www.engadget.com/samsung-galaxy-s23-ultra-review-specs-price-photo-and-video-take-center-stage-140034341.html +engadget.com##+js(href-sanitizer, a[href^="https://shopping.yahoo.com/rdlw?"][href*="gcReferrer=http"], ?gcReferrer) +! https://github.com/uBlockOrigin/uAssets/issues/25754 +! https://soaps.sheknows.com/the-bold-and-the-beautiful/recaps/743811/finn-tells-li-luna-killed-tom-hollis/ +! https://www.hunker.com/13770331/best-headboards/ +! https://otherweb.com/n/jql8n85J +! https://pcgamingwiki.com/wiki/Grand_Theft_Auto_V +! https://www.cnet.com/tech/best-labor-day-sales-2024-09-03/ +! https://www.purewow.com/fashion/four-bs-french-outfit-staples +! https://www.space.com/drone-deals +! https://jljbacktoclassic.com/archives/16956 +! https://www.dogfoodadvisor.com/best-dog-foods/best-puppy-foods/ +! https://www.androidauthority.com/black-friday-deals-2024-3499762/ +cnet.com##+js(set, Object.prototype.updateModifiedCommerceUrl, noopFunc) +cnet.com,dogfoodadvisor.com,hunker.com,insidehook.com,nbcnews.com,pcgamingwiki.com,pcpartpicker.com,purewow.com,sheknows.com,space.com,streetinsider.com,zdnet.com##+js(href-sanitizer, 'a[href*="?"][href*="u=http"]:is([href*=".com/c/"],[href*=".io/c/"],[href*=".net/c/"],[href*="?subId1="],[href^="https://affportal.bhphoto.com/dl/redventures/?"])', ?u) +androidauthority.com,cnet.com,hunker.com,insidehook.com,jljbacktoclassic.com,nbcnews.com,otherweb.com,pcpartpicker.com,pcgamingwiki.com,purewow.com,space.com,sport-passion.fr,zdnet.com##+js(href-sanitizer, 'a[href*="?"][href*="url=http"]:is([href^="https://cc."][href*=".com/v1/otc/"][href*="merchant="],[href^="https://go.skimresources.com"],[href^="https://go.redirectingat.com"],[href^="https://shop-links.co/link"],[href^="https://track.effiliation.com/servlet/effi.redir?"],[href*=".com/a.ashx?"],[href^="https://www."][href*=".com/t/"],[href*=".prsm1.com/r?"],[href*=".com/click-"],[href*=".net/click-"],a[href*=".com/t/t?a="],a[href*=".dk/t/t?a="])', ?url) +space.com,tomshardware.com,zdnet.com##+js(href-sanitizer, a[href*="/Proxy.ashx?"][href*="GR_URL=http"], ?GR_URL) +! https://www.windowscentral.com/software-apps/opera-will-independently-continue-supporting-ublock-origin +windowscentral.com##+js(href-sanitizer, a[href^="https://go.redirectingat.com/"][href*="&url=http"], ?url) +! https://shutupandtakemyyen.com/product/pokemon-giant-cubone-skull-patch/ +! https://www.thisiswhyimbroke.com/white-elephant-gifts/ +insidehook.com,nbcnews.com,shutupandtakemyyen.com,space.com,thisiswhyimbroke.com,xda-developers.com##+js(href-sanitizer, a[href*="awin1.com/"][href*=".php?"][href*="ued=http"], ?ued) +insidehook.com,nbcnews.com,shutupandtakemyyen.com,space.com,thisiswhyimbroke.com,xda-developers.com##+js(href-sanitizer, a[href*="awin1.com/"][href*=".php?"][href*="p=http"], ?p) +! https://forums.redflagdeals.com/henrys-used-camera-equipment-20-off-90-day-warranty-ends-march-28-2024-2676433/ +forums.redflagdeals.com##+js(href-sanitizer, a.autolinker_link[href*=".com/t/"][href*="url=http"], ?url) +! https://www.sport-passion.fr/comparatifs/meilleurs-compteurs-gps-de-velo-et-vtt.php +sport-passion.fr##+js(href-sanitizer, a[rel="sponsored nofollow"][href^="https://fsx.i-run.fr/?"][href*="redir=http"], ?redir) +sport-passion.fr##+js(href-sanitizer, a[rel="sponsored nofollow"][href*=".tradeinn.com/ts/"][href*="trg=http"], ?trg) +! https://jljbacktoclassic.com/archives/16956 +insidehook.com,jljbacktoclassic.com##+js(href-sanitizer, a[href*=".com/r.cfm?"][href*="urllink=http"], ?urllink) +! https://soundcloud.com/user-182079869/premera-klipa-leonid-agutin-vladimir-presnyakov-dnk +soundcloud.com##+js(href-sanitizer, a[href^="https://gate.sc"][href*="?url=http"], ?url) +! https://github.com/uBlockOrigin/uAssets/issues/7950 +slant.co##+js(trusted-replace-argument, HTMLAnchorElement.prototype.getAttribute, 0, json:"class", condition, data-direct-ad) + +! https://github.com/uBlockOrigin/uAssets/issues/24675 - click tracking +||cdn.digg.com/fragments/homepage/static/view-frontpage.js + +! https://chataigpt.org +/detroitchicago/dpv.gif?$image +/detroitchicago/imp.gif$ping + +! Tracking cookies +! fastly click-through +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,houstonchronicle.com,lmtonline.com,middletownpress.com,mrt.com,newstimes.com,nhregister.com,registercitizen.com,sfchronicle.com,stamfordadvocate.com,thehour.com,timesunion.com##+js(cookie-remover, realm.cookiesAndJavascript) +! heavyfetish.com tracking +! https://github.com/uBlockOrigin/uAssets/issues/15185#issuecomment-2249740629 +heavyfetish.com##+js(set, flashvars.event_reporting, '') +heavyfetish.com##+js(cookie-remover, kt_qparams) +heavyfetish.com##+js(cookie-remover, kt_referer) +heavyfetish.com,severeporn.com##+js(cookie-remover, kt_ips) +! https://github.com/uBlockOrigin/uAssets/issues/18588 +! https://github.com/uBlockOrigin/uAssets/commit/bae8d13992b1c754f83dc268060a8079973d3253#commitcomment-118856194 +nypost.com,pagesix.com##+js(json-prune, dataLayer.trackingId user.trackingId) +columbian.com,nypost.com,pagesix.com##+js(cookie-remover, blaize_tracking_id) +! https://www.factable.com/history/maps-that-show-us-a-new-perspective/3/ +factable.com##+js(cookie-remover, akaclientip) +factable.com##+js(cookie-remover, hive_geoloc) +! https://github.com/uBlockOrigin/uAssets/issues/17149#issuecomment-1651198474 +watchporn.to##+js(cookie-remover, kt_ips) +! https://www.bing.com/ +! https://www.msn.com/en-us/money/markets/elon-musk-s-outlook-on-our-future-turns-dour/ar-AA1iZxwn +! https://github.com/uBlockOrigin/uAssets/issues/24667 +bing.com,msn.com,web.skype.com##+js(cookie-remover, MicrosoftApplicationsTelemetryDeviceId) +web.skype.com##+js(cookie-remover, MicrosoftApplicationsTelemetryFirstLaunchTime) +! https://capcom.fandom.com/wiki/Gallery:Bishamon +! fandom.com##+js(set-cookie, tracking_session_id, OK, , reload, 1) +fandom.com##+js(set-cookie, Geo, OK) +! https://www.clickorlando.com/weather/2023/09/06/cone-computer-models-more-lee-forecast-to-become-major-hurricane/ +clickorlando.com##+js(set-cookie, bitmovin_analytics_uuid, OK) +! https://www.1und1.de/ +1und1.de##+js(cookie-remover, /optimizelyEndUserId|s_fid|sc_tcr|s_cc/) +1und1.de##+js(set-local-storage-item, /optimizely_data|tealium_timing/, $remove$) +! Sending tracking cookies +imgur.com##+js(set, Object.prototype.has_opted_out_tracking, trueFunc) + +! Query parameter stripping +! Google ads/analytics +$removeparam=gbraid +$removeparam=wbraid +$removeparam=gclsrc +$removeparam=gclid +! https://support.google.com/analytics/answer/10071811 +$removeparam=_gl +! https://developers.google.com/analytics/devguides/collection/protocol/v1/parameters +$removeparam=dclid +! https://support.google.com/analytics/answer/11479699 +! https://github.com/AdguardTeam/AdguardFilters/issues/162080 +! https://github.com/DandelionSprout/adfilt/issues/715 +$removeparam=srsltid +! Facebook analytics +$removeparam=fbclid +$removeparam=fb_action_ids +$removeparam=fb_action_types +$removeparam=fb_comment_id +$removeparam=fb_ref +$removeparam=fb_source +! Yandex Metrika +! https://github.com/brave/brave-browser/issues/33216 +$removeparam=ymclid +$removeparam=ysclid +$removeparam=yclid +! https://help.ads.microsoft.com/apex/index/3/en/60000 +$removeparam=msclkid +! Wicked Reports click tracking +$removeparam=wickedid +! https://tsunen.team-lab.com/?twclid=2-3bhrj1ny7p11v5r9pap3anqge +$removeparam=twclid +! Hubspot tracking https://knowledge.hubspot.com/ads/ad-tracking-in-hubspot +$removeparam=__hsfp +$removeparam=__hssc +$removeparam=__hstc +$removeparam=_hsenc +$removeparam=hsa_acc +$removeparam=hsa_ad +$removeparam=hsa_cam +$removeparam=hsa_grp +$removeparam=hsa_kw +$removeparam=hsa_la +$removeparam=hsa_mt +$removeparam=hsa_net +$removeparam=hsa_ol +$removeparam=hsa_src +$removeparam=hsa_tgt +$removeparam=hsa_ver +$removeparam=hsCtaTracking +! MailChimp click tracking +$removeparam=mc_eid +! Adobe SiteCatalyst Campaign Tracking ID parameter +$removeparam=s_cid +! vero +$removeparam=vero_conv +$removeparam=vero_id +! Olytics +! https://github.com/brave/brave-browser/issues/17451 +! https://github.com/brave/brave-browser/issues/13644 +! https://www.reddit.com/r/uBlockOrigin/comments/16c6rq0/why_does_ublockorigin_break_this_websites_login/ +$removeparam=rb_clickid +$removeparam=oly_anon_id +! https://github.com/brave/brave-browser/issues/11579 +$removeparam=_openstat +! https://github.com/brave/brave-browser/issues/17507 +$removeparam=ml_subscriber +$removeparam=ml_subscriber_hash +! https://github.com/brave/brave-browser/issues/22082 +$removeparam=oft_id +$removeparam=oft_k +$removeparam=oft_lk +$removeparam=oft_d +$removeparam=oft_c +$removeparam=oft_ck +$removeparam=oft_ids +$removeparam=oft_sk +! https://github.com/AdguardTeam/AdguardFilters/issues/89869 +! email subscriptions tracking +$removeparam=bsft_clkid +$removeparam=bsft_eid +$removeparam=bsft_mid +$removeparam=bsft_uid +$removeparam=bsft_aaid +$removeparam=bsft_ek +! https://github.com/brave/brave-browser/issues/25691 +$removeparam=guce_referrer +$removeparam=guce_referrer_sig +! Matomo/Piwik +$removeparam=mtm_campaign +$removeparam=mtm_cid +$removeparam=mtm_content +$removeparam=mtm_group +$removeparam=mtm_keyword +$removeparam=mtm_medium +$removeparam=mtm_placement +$removeparam=mtm_source +$removeparam=pk_campaign +$removeparam=pk_medium +$removeparam=pk_source +! https://github.com/brave/brave-browser/issues/31084 +! https://piwik.pro/url-builder-tool/ +$removeparam=pk_cid +! ActiveCampaign +! https://github.com/brave/brave-browser/issues/26295 +$removeparam=vgo_ee +! Cxense clickthrough tracking +$removeparam=cx_click +$removeparam=cx_recsOrder +$removeparam=cx_recsWidget +! adjust.com tracking +$removeparam=gps_adid +$removeparam=unicorn_click_id +$removeparam=adjust_creative +$removeparam=adjust_tracker_limit +$removeparam=adjust_tracker +$removeparam=adjust_adgroup +$removeparam=adjust_campaign +! impact.com +$removeparam=ir_campaignid +$removeparam=ir_adid +$removeparam=irclickid +$removeparam=ir_partnerid +! https://github.com/brave/brave-browser/issues/34578 +$removeparam=_kx +! AT Internet +! https://github.com/brave/brave-browser/issues/32488 +$removeparam=at_campaign +$removeparam=at_campaign_type +$removeparam=at_creation +$removeparam=at_emailtype +$removeparam=at_link +$removeparam=at_link_id +$removeparam=at_link_origin +$removeparam=at_link_type +$removeparam=at_medium +$removeparam=at_ptr_name +$removeparam=at_recipient_id +$removeparam=at_recipient_list +$removeparam=at_send_date +! https://github.com/brave/brave-browser/issues/24988 +$removeparam=ss_email_id +! https://github.com/brave/brave-browser/issues/37847 +$removeparam=et_rid +! https://github.com/brave/brave-browser/issues/37971 +$removeparam=bbeml +! https://github.com/brave/brave-browser/issues/39575 +! https://stackoverflow.com/questions/37882810/what-is-meaning-of-branch-match-id +$removeparam=_branch_match_id +$removeparam=_branch_referrer +! https://github.com/brave/brave-browser/issues/40716 +$removeparam=_bhlid +! https://github.com/DandelionSprout/adfilt/discussions/163#discussioncomment-8036123 +! https://ads.tiktok.com/help/article/tiktok-click-id +$removeparam=sms_click +$removeparam=sms_source +$removeparam=sms_uph +$removeparam=ttclid +! https://help.emarsys.com/hc/en-us/articles/5860708183441-Changing-the-contact-identification-method-in-Web-Extend +! https://github.com/brave/brave-browser/issues/43077 +$removeparam=sc_customer +$removeparam=sc_eh +$removeparam=sc_uid +! https://github.com/DandelionSprout/adfilt/discussions/163#discussioncomment-5867802 +$removeparam=asc_campaign,domain=aboutamazon.com|amazon.*|amzn.to +$removeparam=asc_refurl,domain=aboutamazon.com|amazon.*|amzn.to +$removeparam=asc_source,domain=aboutamazon.com|amazon.*|amzn.to +! youtube.com - Copy video URL at its search result via mouse right click. +||youtube.com^$removeparam=pp +! https://github.com/AdguardTeam/AdguardFilters/issues/173471 +||youtu.be^$removeparam=si +! Embedded tweets +$removeparam=refsrc,domain=twitter.com|x.com +$removeparam=ref_src,domain=twitter.com|x.com +$removeparam=ref_url,domain=twitter.com|x.com +! Twitter +$removeparam=cxt,domain=twitter.com|x.com +$removeparam=s,domain=twitter.com|x.com +! https://github.com/DandelionSprout/adfilt/discussions/163#discussioncomment-8955444 +! https://github.com/brave/adblock-lists/pull/1455 +! eBay tracking parameters +||www.ebay.$removeparam=ssspo +||www.ebay.$removeparam=sssrc +||www.ebay.$removeparam=ssuid +||www.ebay.$removeparam=mkevt +||www.ebay.$removeparam=mkcid +||www.ebay.$removeparam=_trkparms +! https://github.com/uBlockOrigin/uAssets/issues/25247 +! ||www.ebay.$removeparam=_trksid +||www.ebay.$removeparam=amdata +||www.ebay.$removeparam=mkrid +||www.ebay.$removeparam=campid +! https://github.com/brave/brave-browser/issues/35094 +! instagram.com - share tracking +||instagram.com^$removeparam=ig_rid +||instagram.com^$removeparam=igsh +$removeparam=igshid,domain=instagram.com|threads.net +! msn.com url tracking +||msn.com^$doc,removeparam=ocid +||msn.com^$doc,removeparam=pc +||msn.com^$doc,removeparam=cvid +||msn.com^$doc,removeparam=ei +||msn.com^$doc,removeparam=vid +! https://github.com/uBlockOrigin/uAssets/issues/18938#issuecomment-1693238481 +! https://community.brave.com/t/unable-to-open-reddit-com-urls-in-private-tabs/503125/4 +! Exceptions +@@||web.archive.org/*/http$removeparam +! https://github.com/uBlockOrigin/uAssets/issues/25350 +@@||urldefense.com^$removeparam + +! https://github.com/DandelionSprout/adfilt/discussions/163#discussioncomment-10269579 +! https://github.com/uBlockOrigin/uAssets/issues/25667 +! https://www.reddit.com/r/uBlockOrigin/comments/1g50usk/amazon_similar_items_link_resolving_to_bad_url/ +/dp/*/ref=$doc,uritransform=/\/ref=[^\/?#]+//,to=www.amazon.* +! https://jljbacktoclassic.com/archives/16956 +! https://www.ruled.me/supplements/ +||amazon.com/s/ref=$doc,uritransform=/\/ref=[^\/?#]+// +/gp/*/ref=$doc,uritransform=/\/ref=[^\/?#]+//,to=www.amazon.* +/^https:\/\/www\.primevideo\.com\/(?:detail|help|offers)[^=]*?\/ref=/$doc,to=primevideo.com,uritransform=/\/ref=[^\/?#]+// + +! https://github.com/easylist/easylist/issues/16468#issuecomment-1691717458 +natgeotv.com##+js(no-xhr-if, /VisitorAPI|AppMeasurement/) +natgeotv.com##+js(set, Visitor, {}) +||fichub.com/plugins/adobe/lib/$xhr,domain=natgeotv.com,important + +! https://comikey.com/ +||house.comikey.com/unw.gif?$image,1p + +! https://github.com/easylist/easylist/issues/17135 +||googletagmanager.com/gtag/js$domain=starblast.io,important + +! https://github.com/uBlockOrigin/uAssets/issues/19954 +||cdn.cuty.io/fps.js$script + +! https://lenovo.com/us/en/legal/copytrade/?orgRef=[...] - Search Google for "Lenovo copyright", Click on the first result +! https://www.reddit.com/r/uBlockOrigin/comments/1f8yhos/lenovo_site_not_loading/ +www.lenovo.com##+js(trusted-replace-argument, history.replaceState, 2, "''", condition, ?orgRef) + +! https://developers.google.com/tag-platform/tag-manager/server-side/send-data +! https://simoahava.com/analytics/server-side-tagging-google-tag-manager +!*$1p,strict3p,script,header=via:1.1 google + +! PersianBlocker filters +! web.bale.ai - Tracking (OS and browser) +!web.bale.ai##+js(trusted-set, navigator.userAgent, '{"value": "Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML\, like Gecko) Chrome/119.0.0.0 Safari/537.36"}') +!web.bale.ai##+js(trusted-set, navigator.userAgent, '{"value": "Mozilla/5.0 (Linux; Android 10) AppleWebKit/537.36 (KHTML\, like Gecko) Chrome/119.0.6045.66 Mobile Safari/537.36"}') +! https://www.halaldownload.com/%d8%af%d8%a7%d9%86%d9%84%d9%88%d8%af-%d9%82%d8%b3%d9%85%d8%aa-6-%d9%81%d8%b5%d9%84-2-%d8%b2%d8%ae%d9%85-%da%a9%d8%a7%d8%b1%db%8c-%d8%a8%d8%a7%d8%b2%da%af%d8%b4%d8%aa/ - Download links +||upera.shop/ref/$doc,uritransform=/^\/ref\/[^\/]+// + +! https://www.makeuseof.com/best-vs-code-chatgpt-extensions/ - Tracking cookies +androidpolice.com,makeuseof.com,movieweb.com,xda-developers.com##+js(cookie-remover, /articlesRead|previousPage/) + +! https://github.com/uBlockOrigin/uAssets/issues/20440 +! https://github.com/uBlockOrigin/uAssets/issues/26578 +/^https?:\/\/chatgpt\.com\/ces\/v1\/[a-z]$/$xhr,domain=chatgpt.com|openai.com|sora.com,method=post + +! https://github.com/uBlockOrigin/uAssets/issues/20530 +airtel.in##+js(no-xhr-if, analytics/bulk-pixel) + +! https://elevenlabs.io/dubbing - Stores the last dubbing result +elevenlabs.io##+js(set-local-storage-item, IIElevenLabsDubbingResult, $remove$) + +! Pepper redirection - pepper.ru/deals/post-428233 | pepper.pl/promocje/post-750379 | dealabs.com/bons-plans/post-2674687 +chollometro.com##+js(href-sanitizer, a[href*="https://www.chollometro.com/visit/"][title^="https://"], [title]) +dealabs.com##+js(href-sanitizer, a[href*="https://www.dealabs.com/visit/"][title^="https://"], [title]) +hotukdeals.com##+js(href-sanitizer, a[href*="https://www.hotukdeals.com/visit/"][title^="https://"], [title]) +mydealz.de##+js(href-sanitizer, a[href*="https://www.mydealz.de/visit/"][title^="https://"], [title]) +nl.pepper.com##+js(href-sanitizer, a[href*="https://nl.pepper.com/visit/"][title^="https://"], [title]) +pepper.it##+js(href-sanitizer, a[href*="https://www.pepper.it/visit/"][title^="https://"], [title]) +pepper.pl##+js(href-sanitizer, a[href*="https://www.pepper.pl/visit/"][title^="https://"], [title]) +pepper.ru##+js(href-sanitizer, a[href*="https://www.pepper.ru/visit/"][title^="https://"], [title]) +preisjaeger.at##+js(href-sanitizer, a[href*="https://www.preisjaeger.at/visit/"][title^="https://"], [title]) +promodescuentos.com##+js(href-sanitizer, a[href*="https://www.promodescuentos.com/visit/"][title^="https://"], [title]) +pelando.com.br##+js(href-sanitizer, a[href*="https://www.pelando.com.br/api/redirect?url="], ?url) +! desidime.com##+js(href-sanitizer, a[href*="https://www.desidime.com/links?ref=][href*="&url="], &url) + +! https://github.com/uBlockOrigin/uAssets/issues/21342 +proboards.com,winclassic.net##+js(rmnt, script, vglnk) +proboards.com,winclassic.net##^script:has-text(vglnk) + +! https://github.com/uBlockOrigin/uAssets/issues/21384 +! FootprintDNS +||res.office365.com/footprint/v*/scripts/fp-min.js$script +||res.office365.com/footprint/v*/scripts/fpconfig.json$script +||atmrum.net/rum.js$script +||atmrum.net/client/v*/atm/fpv*.min.js$script +||atmrum.net/conf/v*/atm/fpconfig.min.json$script +||config.fp.measure.office.com/conf/v*/*/fpconfig.min.json$script +||fp.msedge.net/conf/v*/asgw/fpconfig.min.json?monitorId=asgw$script +/apc/trans.gif +/apc/r.gif +||atmrum.net/report/v*/atm/r.gif +||fp.msedge.net/r.gif +||odinvzc.azureedge.net/apc/trans.gif + +! https://github.com/AdguardTeam/AdguardFilters/issues/168248 +||bi-tracker-cn.rivergame.net/event/tracker$xhr,redirect=noop.txt + +! https://baomoi.com/ - znews.vn/zingnews.vn - Tracking pixels +/n/images/su?info$xhr,1p +://log.$image,1p,domain=znews.vn|zingnews.vn + +! https://github.com/uBlockOrigin/uAssets/issues/22077 +coursera.org##+js(no-fetch-if, eventing) +||coursera.org/*/eventing/ + +! https://github.com/uBlockOrigin/uAssets/issues/22076 +||rambler.ru/*#rcmrclid=$uritransform=/#rcmrclid=.*// + +! https://github.com/uBlockOrigin/uAssets/issues/22295 +||cmp.*.no^*/metrics/$important + +! https://github.com/uBlockOrigin/uAssets/issues/22493 +/^https:\/\/mudah\.my\/[a-zA-Z0-9]{16}\/[a-zA-Z0-9]{16}\?apiKey=/$script,1p,domain=mudah.my + +! https://github.com/uBlockOrigin/uAssets/issues/20586#issuecomment-1949649857 +! m.youtube.com,music.youtube.com,tv.youtube.com,www.youtube.com,youtubekids.com,youtube-nocookie.com##+js(href-sanitizer, a[href^="https://www.youtube.com/redirect?event=video_description"][href*="&q=http"], ?q) +||youtube.com/redirect?*^q=http$urlskip=?q +https + +! https://github.com/uBlockOrigin/uAssets/issues/22631#issuecomment-1962238669 +||view.mngusr.com^$domain=chapmanganato.to|manganato.com + +! https://github.com/uBlockOrigin/uAssets/issues/22676 +||analytics.strapi.io^ + +! https://www.royalroad.com/home +||royalroad.com/dist/sentry.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/23299 +streamin.me##^responseheader(set-cookie) + +! https://github.com/uBlockOrigin/uAssets/issues/24130 +||api.modrinth.com/analytics/ + +! https://dev.to/oliverjumpertz/making-good-use-of-ts-expect-error-in-typescript-1f41 +dev.to##+js(cookie-remover, ahoy_visitor) +dev.to##+js(cookie-remover, ahoy_visit) + +! https://www.autotrader.com/cars-for-sale/electric/cars-between-17000-and-26000/alpharetta-ga +||partner.awscconsumerinfo.autotrader.com/*/beacon/ + +! https://github.com/brave/adblock-lists/pull/1850 +advocate-news.com,akronnewsreporter.com,bocopreps.com,bostonherald.com,broomfieldenterprise.com,brushnewstribune.com,buffzone.com,burlington-record.com,canoncitydailyrecord.com,chicagotribune.com,chicoer.com,coloradodaily.com,coloradohometownweekly.com,courant.com,dailybreeze.com,dailybulletin.com,dailycamera.com,dailydemocrat.com,dailyfreeman.com,dailylocal.com,dailynews.com,dailypress.com,dailytribune.com,delcotimes.com,denverpost.com,eastbaytimes.com,eastbaytimes.com,eptrail.com,excelsiorcalifornia.com,fortmorgantimes.com,greeleytribune.com,journal-advocate.com,julesburgadvocate.com,lamarledger.com,lowellsun.com,macombdaily.com,mainlinemedianews.com,marinij.com,mcall.com,mendocinobeacon.com,mercurynews.com,mercurynews.com,montereyherald.com,morningjournal.com,nashobavalleyvoice.com,news-herald.com,nydailynews.com,ocregister.com,oneidadispatch.com,orlandosentinel.com,orovillemr.com,paradisepost.com,pasadenastarnews.com,pilotonline.com,pottsmerc.com,pressandguide.com,pressenterprise.com,presstelegram.com,readingeagle.com,record-bee.com,redbluffdailynews.com,redlandsdailyfacts.com,reporterherald.com,sandiegouniontribune.com,santacruzsentinel.com,saratogian.com,sbsun.com,sentinelandenterprise.com,sgvtribune.com,siliconvalley.com,southplattesentinel.com,sun-sentinel.com,themorningsun.com,thenewsherald.com,theoaklandpress.com,thereporter.com,thereporteronline.com,times-standard.com,timescall.com,timesherald.com,timesheraldonline.com,trentonian.com,troyrecord.com,twincities.com,ukiahdailyjournal.com,voicenews.com,whittierdailynews.com,willitsnews.com##+js(set-session-storage-item, nxt_is_incognito, false) + +! https://github.com/uBlockOrigin/uAssets/issues/24577 +pitchfork.com##+js(href-sanitizer, a[href^="https://cna.st/"][data-offer-url^="https://"], [data-offer-url]) + +! https://www.vpnmentor.com +||vpnmentor.com/jssdk/track/ +vpnmentor.com##+js(cookie-remover, /_alooma/) + +! torrentfreak.com +||torrentfreak.com/js/script.js + +! jiosaavn.com +||jiosaavn.com/stats.php^ + +! https://github.com/AdguardTeam/AdguardFilters/pull/185966 +/\/[a-z]{8}\.js\?st=[0-9A-Z]{6,8}$/$script,1p,strict3p,match-case + +! https://github.com/easylist/easylist/commit/9145f6e5ba23f6968605120c3ba213a9b92ae2d7 +||fundingchoicesmessages.google.com/i/$script,domain=globo.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/24881 +||babia.to/index.php^ +||babia.to/job.php^ + +! https://www.euronews.com/my-europe/2024/08/11/ditching-generators-and-recycling-buildings-how-paris-did-the-olympics-different +! https://github.com/easylist/easylist/commit/04e9aa501ca9765523eed25f6409aa15f7e1a7a9 +||g.doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices_gpt.js:5,domain=euronews.com,important + +! onlyfans click tracking +||onlyfans.com/api2/v2/users/clicks-stats^ +||onlyfans.com/away^$urlskip=?url + +! https://github.com/uBlockOrigin/uAssets/issues/25016 +||forecast.lemonde.fr/p/action/ +||lemonde.fr/*?s=$xhr,method=post + +! spankbang tracking +||spankbang.com/static/dist/desktop/js/analytics$script +! https://github.com/uBlockOrigin/uAssets/issues/25974 +spankbang.com##+js(set, send_gravity_event, noopFunc) +spankbang.com##+js(set, send_recommendation_event, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/25180 +perplexity.ai##+js(aost, window.screen.height, setTimeout) +||perplexity.ai/rest/metrics/collect^$xhr,1p,method=post + +! https://github.com/uBlockOrigin/uAssets/issues/25204 +nytimes.com##+js(no-fetch-if, api.theathletic.com/graphql body:/PostEvent|PostImpressions/) + +! https://www.oligo.security/blog/0-0-0-0-day-exploiting-localhost-apis-from-the-browser +! https://github.com/uBlockOrigin/uBlock-issues/issues/3443 +*$strict3p,ipaddress=0.0.0.0,domain=~0.0.0.0|~127.0.0.1|~[::1]|~[::]|~local|~localhost +! *$strict3p,ipaddress=::,domain=~0.0.0.0|~127.0.0.1|~[::1]|~[::]|~local|~localhost + +! https://github.com/uBlockOrigin/uAssets/issues/25432 +/^https:\/\/[a-z]\d{3}\.[a-z]+\.com\/script\.js$/$script,1p,strict3p,domain=com,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/25467 +||inficourses.com/_next/static/chunks/pages/course/%5Bslug%5D-$1p,script + +! https://github.com/uBlockOrigin/uAssets/issues/25467 +||shrinkearn.com/full?*&type=1$urlskip=?url -base64 +https + +! cloudflare.com tracking +blog.cloudflare.com,www.cloudflare.com##+js(no-fetch-if, method:POST body:zaraz) +||radar.cloudflare.com/api/analytics + +! https://github.com/uBlockOrigin/uAssets/issues/25532 +||udc.yahoo.com^ + +! https://github.com/uBlockOrigin/uAssets/issues/25558 +||gitbook.com/v1/integrations/googleanalytics/ + +! https://www.reddit.com/r/uBlockOrigin/comments/1fzfpfj/a_small_issue_with_targetcom/ +forum.blu-ray.com##+js(ra, onclick|oncontextmenu|onmouseover, a[href][onclick*="this.href"], stay) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/3206#issuecomment-2403795984 +||podtrac.com^*redirect.mp3/$urlskip=/\/redirect\.mp3\/([^?]+\.mp3\b)/ +https +! https://github.com/uBlockOrigin/uBlock-issues/issues/3206#issuecomment-2406674420 +||pdst.fm/e/$urlskip=/\/e\/([^?]+)/ +https +||chtbl.com/track/$urlskip=/\/track\/\w+\/([^?]+)/ +https +||mgln.ai/e/$urlskip=/\/e\/\w+\/([^?]+)/ +https +||pdrl.fm^$urlskip=/pdrl\.fm\/\w+\/([^?]+)/ +https + +! https://github.com/uBlockOrigin/uAssets/issues/25609 +||gog.com/productcard/users/activity/log + +! https://github.com/DandelionSprout/adfilt/discussions/163#discussioncomment-10437157 +||onual.com/*^link_t=$doc,uritransform=/#[^\/?]+// +onual.com##+js(href-sanitizer, a.btn[href^="https://zxro.com/u/?url=http"], ?url) + +! https://github.com/AdguardTeam/AdguardFilters/issues/181699 +globo.com##+js(trusted-set, libAnalytics, json: {"status":{"dataAvailable":false}\,"data":{}}) +globo.com##+js(set, libAnalytics.data.get, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/25826 +||videovak.com/log/ + +! https://github.com/uBlockOrigin/uAssets/issues/25759#issuecomment-2445393624 +dailystar.co.uk,mirror.co.uk##+js(no-xhr-if, cmp.inmobi.com/geoip) + +! https://github.com/uBlockOrigin/uAssets/issues/25842 +||an.yandex.ru^$script,redirect=noopjs,domain=moyaposylka.ru + +! https://github.com/uBlockOrigin/uAssets/issues/25871 +||flaticon.com/_ga? + +! https://github.com/uBlockOrigin/uAssets/issues/25885 +||googletagmanager.com/gtag/js$domain=17track.net,important + +! https://github.com/uBlockOrigin/uBlock-issues/issues/3440 +bentasker.co.uk##+js(no-xhr-if, method:POST url:pfanalytics.bentasker.co.uk) + +! https://www.reddit.com/r/uBlockOrigin/comments/1gi6lcl/cheatographycom_detects_ubo/ +||data.cheatography.com^ + +! darkreader.org tracking pings CNAME +||herokudns.com^$xhr,domain=darkreader.org + +! https://github.com/uBlockOrigin/uAssets/commit/70472d3fd373bb0a2102be3261e76502782bcb42 +||karistudio.com/wp-content/plugins/wp-statistics/assets/js/tracker.js^$important + +! https://github.com/uBlockOrigin/uAssets/issues/26001 +||facebook.com/security/hsts-pixel.gif +||facebook.com/async/wbloks/log/ + +! https://github.com/uBlockOrigin/uAssets/issues/16965#issuecomment-1446481850 +||windowspro.de/stats/ + +! https://github.com/uBlockOrigin/uAssets/issues/24730 +||tvaplus.ca/api/log^ + +! https://github.com/uBlockOrigin/uAssets/issues/23504 +||startpage.com/sp/dplpxs + +! https://github.com/uBlockOrigin/uAssets/issues/25203 +||gigachadlitics.b-cdn.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/26299 +||substack.com/api/v1/firehose/batch + +! https://github.com/uBlockOrigin/uAssets/issues/22792 +||nakedanalytics.net^ + +! grabify.org - IP logger service +/^https:\/\/grabify\.org\/[A-Z0-9]+$/$doc + +! https://urlscan.io/result/54547ba8-b938-476a-b931-ad6824507b8b/#redirects +! https://urlscan.io/result/c018947c-61ee-48f7-8a88-147ae8b794a3/#redirects +||email.stripe.com/CL0/$doc,urlskip=/\/CL0\/(http.*?)\/\d\/[a-f0-9-]+\// -uricomponent +||q.stripe.com/?domain=$image + +! https://github.com/uBlockOrigin/uAssets/issues/26464 +discord.com##+js(no-xhr-if, discord.com/api/v9/science) + +! mail tracking +://www.wattpad.com/et?$image +://links1.pawns.app/q/$image +://email-analytics.meetup.com/$image +://myanimelist.net/pixel?$image +://myanimelist.net/static/logging.gif?$image +://rd.remove.bg/CI0/$image +.*%2Fwf%2Fopen%3Fupn%3D$image +.quora.com%2Fqemail%2Fmark_read%3Fct%3D$image + +! beacons.ai analytics +||beacons.ai/api/rtanalytics/ +||beacons.ai/api/public_actions + +! https://github.com/uBlockOrigin/uBlock-issues/issues/3325 +||store.steampowered.com/app/usabilitytracking/ + +! https://github.com/uBlockOrigin/uAssets/issues/26593 +||joinhoney.com/evs + +! https://github.com/easylist/easylist/commit/9be6c6b0981b48b4b5e5d5a02d7f0a4870bf9d7c +! https://www.cornwalllive.com/news/cornwall-news/ufo-sighting-cornwall-family-films-9815680 +||g.doubleclick.net/tag/js/gpt.js$script,xhr,domain=cornwalllive.com,important +||g.doubleclick.net/gpt/pubads_impl_$domain=cornwalllive.com,important + +! https://github.com/AdguardTeam/AdguardFilters/commit/4daa90c90372f1413f6c6790386c80886526a169 +||s.pie.org^ +||t.pie.org^ + +! https://github.com/uBlockOrigin/uAssets/issues/26644 +||tonordersitye.com/s*&r$urlskip=?r -base64 + +! https://github.com/uBlockOrigin/uBlock-issues/issues/3504 +||suno.com/metrics/ +||suno.com/v1//rgstr +||suno.com/monitoring + +! https://github.com/ co-pilot error endpoint +||github.com/_private/browser/errors + +! https://github.com/uBlockOrigin/uAssets/issues/26709 +||curseforge.com/linkout$urlskip=?remoteUrl -uricomponent + +! razorpay analytics +||razorpay.com/v1/track + +! https://github.com/uBlockOrigin/uAssets/issues/26805 +||bitchute.com/data/1 + +! https://github.com/uBlockOrigin/uAssets/issues/25438 +||api.flipkart.com/4/data/collector/business + +! https://github.com/easylist/easylist/issues/21077 +||internal-api.prolific.com/api/v1/statistics/ + +! https://github.com/uBlockOrigin/uAssets/pull/26935 +||chat.deepseek.com/api/v0/events$xhr,method=post +chat.deepseek.com##.ds-theme.ds-modal-wrapper:has-text(uBlock) +chat.deepseek.com##.ds-modal-overlay + +! https://github.com/uBlockOrigin/uAssets/issues/26946 +||sex-empire.org/templates/*/js/metrika.js + +! Merge in resource-abuse.txt +!#include resource-abuse.txt + +! Title: uBlock filters – Resource abuse +! Last modified: %timestamp% +! Expires: 7 days +! Description: To foil sites potentially abusing CPU/bandwidth resources without informed consent. +! Any such resource-abuse scripts MUST be opt-in, with complete informed consent from the visitor. +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! Homepage: https://github.com/uBlockOrigin/uAssets +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! https://github.com/uBlockOrigin/uAssets/issues/659 +/edgemesh.*.js$script,domain=~edgemesh.com|~edgeno.de + +! https://github.com/uBlockOrigin/uAssets/issues/803 +||safelinkconverter.com^$script,3p + +! https://forums.lanik.us/viewtopic.php?p=129545#p129545 +/adsensebase.js$script + +! other miners +://api.*/lib/native.wasm$3p +||rawgit.com/Pocketart/$script,3p + +! https://github.com/hoshsadiq/adblock-nocoin-list/issues/101 +*$csp=worker-src 'none',domain=lewd.ninja|milujivareni.cz +/angular8.js + +! https://github.com/hoshsadiq/adblock-nocoin-list/issues/104 +||fileone.tv^$csp=child-src 'none';frame-src 'self' *;worker-src 'none'; + +! https://www.reddit.com/r/uBlockOrigin/comments/7tgjce/new_cryptocurrency_mining_website_not_blocked_by/ +tasma.ru##+js(aopw, decodeURIComponent) + +! https://github.com/hoshsadiq/adblock-nocoin-list/issues/137 +||leitor.net^$csp=worker-src 'none'; + +! https://github.com/uBlockOrigin/uAssets/issues/1503 +shrink-service.it##+js(aopr, WebAssembly) + +*$csp=worker-src 'none',domain=flashx.pw|vidoza.net + +! https://github.com/uBlockOrigin/uAssets/pull/818#issuecomment-365770341 +djs.sk##+js(aopr, miner) + +! https://github.com/uBlockOrigin/uAssets/issues/1602 +||thevideo.*^$csp=worker-src 'none'; + +! https://github.com/uBlockOrigin/uAssets/issues/1826 +*$csp=worker-src 'none',domain=powvideo.net + +! https://github.com/gorhill/uBlock/issues/3675 +||potomy.ru^$csp=worker-src 'none' + +! miners https://github.com/uBlockOrigin/uAssets/issues/2198 +*$csp=worker-src 'none',domain=megapastes.com + +! https://github.com/uBlockOrigin/uAssets/issues/2309#issuecomment-389725332 +||sickrage.ca^$csp=worker-src 'none' +||sorteosrd.com^$csp=worker-src 'none' + +! https://forums.lanik.us/viewtopic.php?f=62&t=41585 +! https://github.com/uBlockOrigin/uAssets/issues/19214 +./M5q5.js$script +||hostingcloud.*^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/3542 +||hdvid.tv^$csp=worker-src 'none' + +! https://github.com/uBlockOrigin/uAssets/issues/3643 +||void.cat^$csp=worker-src 'none' + +! https://github.com/uBlockOrigin/uAssets/issues/4152 +||dragonballzpolo.*^$csp=worker-src 'none' + +! https://github.com/uBlockOrigin/uAssets/issues/3134 +*$csp=worker-src 'none',domain=unblocktheship.org + +! https://github.com/uBlockOrigin/uAssets/issues/549 +steamplay.*##+js(aopw, CoinNebula) + +! revdl . com avoids miners +||revdl.com^$csp=worker-src 'none'; + +! https://github.com/uBlockOrigin/uAssets/commit/d7a8d46e7dd4d978a395517bba5f98abcec998b8#commitcomment-33156535 +||firstonetv.*^$csp=worker-src 'none'; +||firstone.*^$csp=worker-src 'none'; +||firstonetv.*^$csp=connect-src 'none'; + +! https://github.com/uBlockOrigin/uAssets/issues/6433 +||backend.dna-delivery.com^$domain=france.tv|rt.com +||cdn.streamroot.io/dna-client/$script,domain=prod-player.tf1.fr +! https://github.com/uBlockOrigin/uAssets/issues/6433#issuecomment-817198277 +france.tv##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/issues/7449 +||csgo.xyz^$doc + +! https://github.com/uBlockOrigin/uAssets/issues/10537 +||inside-out.xyz^$csp=worker-src 'none' + +! https://github.com/uBlockOrigin/uAssets/issues/10602 +! ||sdkapi.douyucdn.cn/p2p?$xhr +||douyucdn.cn/front-publish/stream-sdk-lib-master/dyp2pxp2p_*.js$script,domain=douyu.com + +! https://github.com/uBlockOrigin/uAssets/pull/10610 +! ||p2p.huya.com^$xhr +||msstatic.com/huya/*/p2plib.js$script + +! Block some Chinese web pages from using P2P +bilibili.com,dandanzan.top,nunuyy.*,v.qq.com##+js(nowebrtc) + +! https://github.com/uBlockOrigin/uAssets/pull/11475 +||monerominer.rocks/miner-mmr/webmnr.min.js + +! https://github.com/uBlockOrigin/uAssets/issues/12648 +||sudonull.com/stop-ru.js + +! https://www.reddit.com/r/uBlockOrigin/comments/tznsj6/help_creating_a_block_filter_for_background/ +app.koinly.io##.login-page:style(-webkit-animation: none !important) + +! https://github.com/uBlockOrigin/uAssets/pull/12979 +knowyourmeme.com##+js(nosiif, blogherads) + +! https://github.com/uBlockOrigin/uAssets/issues/14043 +*$websocket,domain=linuxtracker.org + +! https://www.reddit.com/r/uBlockOrigin/comments/z10oav/ +||dek5iqd53g59a.cloudfront.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/16734 +||cdn-prod.securiti.ai/consent/auto_blocking/$domain=xfinity.com + +! https://github.com/uBlockOrigin/uAssets/issues/18400 +deviantart.com##+js(aost, Math.sqrt, update) + +! https://github.com/uBlockOrigin/uAssets/issues/17711#issuecomment-1595710648 +duplichecker.com,plagiarismchecker.co,plagiarismdetector.net,searchenginereports.net,smallseotools.com##.icon_animation samp:style(animation: none !important;) + +! https://tapewithadblock.org/v/8BeO77VBQbfovrj/ high CPU +tapewithadblock.org##+js(rmnt, script, /RegExp\(\'/, condition, RegExp) + +! https://www.reddit.com/r/uBlockOrigin/comments/17nnfzm/how_to_stop_url_from_spamming_itself_so_that_when/ +||survey.alchemer.eu/s3/$frame,3p,domain=airforce-technology.com + +! https://github.com/uBlockOrigin/uAssets/issues/20690 +meeting.tencent.com##+js(no-xhr-if, /(trace|beacon)\.qq\.com/) + +! https://www.notion.so/ - excessive blocking connections +notion.so##+js(no-fetch-if, splunkcloud.com/services/collector) + +! https://www.reddit.com/r/uBlockOrigin/comments/1cvpwa0/olympics_website/ +olympics.com##+js(no-fetch-if, event-router.olympics.com) + +! https://www.ceramic.or.kr/renewal/ - coin miner spam +ceramic.or.kr##+js(no-fetch-if, hostingcloud.racing) + +! https://timesofindia.indiatimes.com/?loc=in - blocked connection spam +timesofindia.indiatimes.com##+js(no-fetch-if, tvid.in/log/) + +! https://github.com/uBlockOrigin/uAssets/issues/24227#issuecomment-2230903997 +duolingo.com##+js(no-xhr-if, excess.duolingo.com/batch) + +! https://study.com/ - blocked connection spam +study.com##+js(no-xhr-if, /eventLog.ajax) + +! https://www.loom.com/share/82b92d2966dd40c59143841238c6f488 - blocked connection spam when playing video +loom.com##+js(no-fetch-if, loom.com/insights-api/graphql) + +! https://www.wayfair.com/ - blocked connections / beacons spam +wayfair.com##+js(no-xhr-if, t.wayfair.com/b.php?) +wayfair.com##+js(set, navigator.sendBeacon, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/1g0g7w2/request_to_whitelist_appcues_for_pandadoc_users/ltie0k4/ - blocked connection spam +pandadoc.com##+js(no-fetch-if, segment.io) + +! https://github.com/uBlockOrigin/uAssets/issues/25922 - blocked connection spam +shahid.mbc.net##+js(no-fetch-if, mparticle.com) + +! https://www.golfdigest.com/ - spamming blocked connections +view.ceros.com##+js(no-xhr-if, ceros.com/a?data) + +! https://smallpdf.com/ - blocked connection spam +smallpdf.com##+js(no-fetch-if, pluto.smallpdf.com) + +! https://www.reddit.com/r/uBlockOrigin/comments/1hcoa4e/what_is_chatgpt_cooking/ +chatgpt.com##+js(no-fetch-if, method:/post/i url:/^https?:\/\/chatgpt\.com\/ces\/v1\/[a-z]$/) +chatgpt.com##+js(no-fetch-if, method:/post/i url:ab.chatgpt.com/v1/rgstr) + +! Title: uBlock filters – Unbreak +! Last modified: %timestamp% +! Expires: 5 days +! Description: Filters optimized for uBlock Origin, to unbreak sites broken as a result of 3rd-party filter lists enabled by default. +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! START: Bounce/Click trackings + +! password reset link broken on coindesk.com +@@||awstrack.me/*auth.coindesk.com$doc,popup + +! swagbucks.com - restore inactive +@@||awstrack.me/*cmd=ac-inactive-restore$doc,popup + +! END: Bounce/Click trackings + +! https://github.com/uBlockOrigin/uAssets/issues/729 +! https://github.com/NanoMeow/QuickReports/issues/1636 +||2mdn.net/instream/video/client.js$script,redirect=noopjs,domain=video.foxnews.com +||cdn.krxd.net^$script,redirect=noopjs,domain=video.foxnews.com +@@||akamaihd.net/player/*/akamai/amp/prebid/*$script,domain=static.foxnews.com +@@||global.fncstatic.com^*/ads.js$script,domain=foxnews.com +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=insider.foxnews.com +! https://github.com/uBlockOrigin/uAssets/issues/22160 +! https://github.com/uBlockOrigin/uAssets/issues/22385 + +! Chrome store feedback +! To counter `top.mail.ru` in Peter Lowe's +||top.mail.ru^$badfilter +||top.mail.ru^$3p + +! `amazon-adsystem.com` is blocked by Peter Lowe's. The neutered script should +! help lower chances of breakage. Examples: +! - http://www.food.com/recipe/oven-baked-sweet-plantains-80130 (slideshow controls broken) +! - [add more] +! https://github.com/uBlockOrigin/uAssets/issues/317 +||amazon-adsystem.com/aax2/amzn_ads.js$script,redirect=amazon-adsystem.com/aax2/amzn_ads.js +||amazon-adsystem.com/aax2/amzn_ads.js$script,redirect=noopjs,domain=player.performgroup.com + +! This potentially unbreaks sites broken by EasyPrivacy's `/b/ss/*&aqe=` +! Confirmed for: +! - http://www.surfline.com/video/ (links not working) +! - https://github.com/gorhill/uBlock/issues/529 +! - http://www.scotrail.co.uk/check-your-journey (via https://twitter.com/andy_pee_tho/status/710508529405263872) +*/b/ss/*&aqe=$image,redirect=1x1.gif + +! https://adblockplus.org/forum/viewtopic.php?f=1&t=44930 +! https://github.com/uBlockOrigin/uAssets/issues/4353#issuecomment-449159137 +! https://github.com/jspenguin2017/uBlockProtector/issues/1085 +@@||data.cnn.com/jsonp/cfg/*/videoconfig/cnn/desktop/domesticsectionconfig.json$script,domain=cnn.com +@@||cnn.com/.element/apps/cvp/3.0/cfg/spider/cnn/expansion/ad_policy.xml$xhr,domain=cnn.com +@@||z.cdn.turner.com/analytics/cnnexpan/jsmd.min.js$script,domain=cnn.com +@@||cdn.turner.com/cnn/van/resources/*/scripts/vendor/loggly.tracker.js$xhr,domain=trentonian.com +@@||cdn.cnn.com/analytics/cnn_arabic/jsmd.min.js$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/16276 +@@||mssl.fwmrm.net/libs/*$script,domain=go.cnn.com + +! https://github.com/uBlockOrigin/uAssets/issues/148 +@@||media2.intoday.in/aajtak/$script,domain=aajtak.intoday.in|indiatoday.intoday.in + +! https://twitter.com/6pod4/status/806927623272022016 +@@||jimmyjohns.com/Scripts/angularytics*.js$1p,script + +! This unbreaks video playback on sky.de +! To counter `analytics.edgesuite.net` and `adobedtm.com` in EasyPrivacy +@@||analytics.edgesuite.net/html5/akamaihtml5-min.js$script,domain=sky.de +@@||analytics.edgekey.net/html5/akamaihtml5-min.js$script,domain=sky.de +@@||assets.adobedtm.com^$script,domain=sky.de + +! This unbreaks video playback on sfgate.com and other sites +! To counter `ensighten.com` in EasyPrivacy +@@||d29xw9s9x32j3w.cloudfront.net/players/library/*$domain=seattlepi.com|sfgate.com +@@||ensighten.com/hearst/news/Bootstrap.js$script,domain=ctpost.com|houstonchronicle.com|mysanantonio.com|newstimes.com|seattlepi.com|sfchronicle.com|sfgate.com|timesunion.com +@@||googleapis.com/js/sdkloader/ima3.js$script,domain=seattlepi.com|sfgate.com +@@||spotxcdn.com/integration/directsdk/*$script,domain=seattlepi.com|sfgate.com +@@||spotx.tv/directsdk/*$script,domain=seattlepi.com|sfgate.com + +! https://github.com/uBlockOrigin/uAssets/issues/314 +! To counter `adobedtm.com` in EasyPrivacy +@@||assets.adobedtm.com^$script,domain=rogers.com + +! https://twitter.com/valentijn/status/854269062863605764 +@@||atlassian.com^*/analytics.js$script,1p + +! https://twitter.com/WolliWolta/status/867788502729195520 +! To counter `sumo.com` in Peter Lowe's +||sumo.com^$badfilter +||sumo.com^$3p,badfilter +||sumo.com^$3p,domain=~beewits.com|~dante-ri.hr + +! https://twitter.com/iSachinMaharana/status/870303158198611968 +! To counter `sumo.com`, `sumome.com` in Peter Lowe's +@@||sumo.com^$domain=shopify.com +@@||sumome.com^$domain=shopify.com + +! https://github.com/uBlockOrigin/uAssets/issues/441 +! https://github.com/easylist/easylist/issues/2586 +||bbci.co.uk^*/analytics.js$script,redirect=noopjs,domain=bbc.co.uk +||static.bbc.co.uk/bbcdotcom/*/adverts.js$script,1p,important,redirect=noopjs + +! https://forums.lanik.us/viewtopic.php?f=64&p=136474 +/ga_setup.js$badfilter + +! https://www.reddit.com/r/uBlockOrigin/comments/6mios7/not_allowing_some_sites_to_load_up +||lexus.com/lexus-share/js/tracking_omn/s_code.js$script,important,1p,redirect=noopjs + +! https://twitter.com/datamafia/status/887743901443866624 +pythonjobshq.com##+js(aopr, Keen) + +! http://forums.mozillazine.org/viewtopic.php?f=38&t=3032369 +@@||hdliveextra-a.akamaihd.net^$domain=nbcsports.com +@@||mps.nbcuni.com^$script,domain=csnne.com + +! https://twitter.com/ckrailo/status/897876373750005761 +@@||myaccounts.capitalone.com^$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/16469 +@@||travel.capitalone.com/api/v0/tracking/event$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3998 +! https://github.com/uBlockOrigin/uAssets/issues/4831 +! https://github.com/uBlockOrigin/uAssets/issues/5133 +@@||cdn.ampproject.org/*/amp-geo-$script,domain=bozemandailychronicle.com|engadget.com|kmbc.com|koat.com|pilotonline.com|richmond.com|stltoday.com|amp.tmz.com|tucson.com|amp.usatoday.com|watchdog.org + +! https://github.com/uBlockOrigin/uAssets/issues/648 +@@/blockadblock.$script,domain=blockadblock.com + +! https://www.reddit.com/r/uBlockOrigin/comments/6yqvey/help_site_does_not_load_when_javascript_is/ +||carambo.la^*/getAngularLayer$script,redirect=noopjs,domain=imleagues.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=38262 +||oakley.com/_ui/dist/scripts/vendor/tealium.js$script,1p,redirect=noopjs,important +! https://github.com/easylist/easylist/commit/95d5301f133a55af58ae42da56b95270b0f013a7 +||oakleysi.com/_ui/dist/scripts/vendor/tealium.js$redirect=noopjs,important + +! Reported in Chrome store: "Orange portal http://www.orange.fr/portail is freezed" +orange.fr#@##o_carrepub +orange.fr###o_carrepub:style(height: 1px; margin: 0; min-height: auto; visibility: hidden; width: 1px;) + +! https://github.com/uBlockOrigin/uAssets/issues/715 +@@||mpsnare.iesnare.com/snare.js$script,domain=costco.com + +! https://github.com/uBlockOrigin/uAssets/issues/737 +@@||thermofisher.com/*/analytics.sitecatalyst.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/750 +@@||citi.com/cards/*/tracking.js$script +@@||eccmp.com/*/conversen-SDK.js$script,domain=citi.com + +! https://github.com/gorhill/uBlock/issues/3138 +@@||fbcdn.net/safe_image.php?$image,domain=facebook.com|facebookcorewwwi.onion|facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion + +! https://forums.lanik.us/viewtopic.php?f=64&t=38688 +@@||googletagmanager.com/gtm.js$script,domain=fullcontact.com + +! https://github.com/uBlockOrigin/uAssets/issues/786 +@@||flightradar24.com/static/*/statistics.js$script,1p + +! https://forums.lanik.us/viewtopic.php?f=64&t=38922 +||camping.info/*/fingerprint2.min.js$script,1p,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/823 +||static.clmbtech.com^$script,redirect=noopjs,domain=businessinsider.in +@@||businessinsider.in/analytics_js/*$script,1p + +! https://forums.lanik.us/viewtopic.php?f=90&t=39007 +@@||smartclip.net^$script,domain=energy.de +energy.de#@##ad_home + +! https://github.com/uBlockOrigin/uAssets/issues/842 +||msavideo-a.akamaihd.net^$media,redirect=noopmp3-0.1s,domain=msn.com + +! https://www.reddit.com/r/uBlockOrigin/comments/7dp25k/fyi_ublock_origin_is_blocking_important_elements/dpzx4c1/ +@@||stats.g.doubleclick.net/dc.js$script,domain=ticketfly.com + +! https://github.com/uBlockOrigin/uAssets/issues/850 +@@||mpsnare.iesnare.com/snare.js$script,domain=citiretailservices.citibankonline.com + +! https://github.com/uBlockOrigin/uAssets/issues/851 +@@||adobedtm.com^*/satellitelib-$script,domain=comenity.net +! Reported through email: http://www.kia.ca/build-and-price-kia +@@||adobedtm.com/*/satelliteLib-$script,domain=kia.ca + +! https://forums.lanik.us/viewtopic.php?f=64&t=37974 +@@||ensighten.com/*/prod/Bootstrap.js$script,domain=espn.com +@@||espncdn.com/redesign/*/js/espn-analytics.js$script,domain=espn.com +@@||registerdisney.go.com/*/responder/responder.js$script,domain=espn.com +! fix video player +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=espn.com + +! https://github.com/uBlockOrigin/uAssets/issues/878 +||adservex.media.net/videoAds.js$script,redirect=noopjs,domain=forbes.com + +! https://github.com/uBlockOrigin/uAssets/issues/168#issuecomment-349736800 +@@||recipes.timesofindia.com/*ads.cms$script + +! https://github.com/uBlockOrigin/uAssets/issues/923 +@@||honeybadger.io/*/honeybadger.min.js$script,domain=clark.de + +! https://github.com/uBlockOrigin/uAssets/issues/1007 +@@||rtl.be/videos/player/vp4_webanalytics.js$script,1p + +! https://github.com/jspenguin2017/uBlockProtector/issues/778 +reyada.com#@#.ads_area + +! https://github.com/uBlockOrigin/uAssets/issues/1152#issuecomment-354683032 +@@||ads.adaptv.advertising.com/*einthusan.tv*$xhr,domain=imasdk.googleapis.com + +! http://forums.mozillazine.org/viewtopic.php?f=47&t=3037666 +@@||bom.gov.au/*/analytics.js$script,1p + +! https://forums.lanik.us/viewtopic.php?f=64&p=131656 +||gcmgames.com.br/*/google.analytics.trackingcode.js$script,1p,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/1444 +@@||visa.com/*/analytics/analytics.js$script,1p +@@||visa.com/*/analytics/ntpagetag.js$script,1p + +! https://github.com/jspenguin2017/uBlockProtector/issues/843 +@@||gemius.pl/xlgemius.js$script,domain=jn.pt +@@||secure.netscope.marktest.pt/netscope-gemius.js$script,domain=jn.pt + +! https://github.com/jspenguin2017/uBlockProtector/issues/848 +@@||gemius.pl/xlgemius.js$script,domain=dn.pt +@@||marktest.pt/netscope-gemius.js$script,domain=dn.pt + +! https://github.com/uBlockOrigin/uAssets/issues/1516 +hintergrundbild.org#@#.ads1 + +! https://forums.lanik.us/viewtopic.php?p=132243#p132243 +@@||crackle.com/*/crypto-js.js$script,1p + +! https://github.com/NanoAdblocker/NanoDefender/issues/24#issuecomment-365117795 +@@/cdn-cgi/pe/bag2?*optimizely.com$domain=coindesk.com + +! https://github.com/uBlockOrigin/uAssets/issues/1543 +@@||ak.sail-horizon.com/scout/$script,domain=businessinsider.com + +! https://github.com/uBlockOrigin/uAssets/issues/1557 +@@||tracker.btorrent.xyz^$websocket + +! https://github.com/uBlockOrigin/uAssets/issues/1564 +@@||cloudflare.com/ajax/libs/*$script,domain=androidcentral.com + +! https://github.com/uBlockOrigin/uAssets/issues/1628 +||player.ooyala.com/*/ad-plugin/pulse.min.js$script,redirect=noopjs,domain=lpga.com + +! https://github.com/jspenguin2017/uBlockProtector/issues/869 +@@||gemius.pl/xlgemius.js$script,domain=tsf.pt +@@||secure.netscope.marktest.pt/netscope-gemius.js$script,domain=tsf.pt + +! https://twitter.com/tomshardware/status/968607805786722305 +||cdn.auth0.com/*/analytics.min.js$script,redirect=noopjs,domain=tomsguide.com + +! https://forums.lanik.us/viewtopic.php?p=133318#p133318 +@@||api.opinary.com/poll/*$xhr,domain=pressekompass.net + +! https://github.com/jspenguin2017/uBlockProtector/issues/875 +! https://github.com/jspenguin2017/uBlockProtector/issues/1020 +@@||userscloud.com/js/vendor/core/bootstrap.js$script,1p +@@||usercdn.com^$frame,domain=userscloud.com + +! https://www.reddit.com/r/uBlockOrigin/comments/8371j7/ublockorigin_blocking_the_submit_button_on_my_web/ +@@||cdn.mxpnl.com/libs/mixpanel-*.min.js$script,domain=demandforce.com + +! https://forums.lanik.us/viewtopic.php?p=133691#p133691 +@@||streamplay.to^*/manifest.mpd$xhr +@@||streamplay.to^*.mp4$xhr +@@||streamplay.to^*.m4s$xhr + +! https://www.reddit.com/r/uBlockOrigin/comments/83odfj/ublock_breaking_sites_which_lists_should_i/ +||frog.wix.com/da-client$image,redirect=1x1.gif,domain=deviantart.com + +! https://github.com/uBlockOrigin/uAssets/issues/1704#issuecomment-372543282 +! https://forums.lanik.us/viewtopic.php?f=64&t=43860&p=151105#p151105 +@@||pages.bostonglobe.com/login/js/lib/AppMeasurement.js$script,1p + +! https://forums.lanik.us/viewtopic.php?f=64&t=40233&p=133912#p133911 +! https://github.com/NanoMeow/QuickReports/issues/4254 +||player.ooyala.com/*/analytics-plugin/$script,redirect=noopjs + +! https://forums.lanik.us/viewtopic.php?p=133969#p133969 +@@||code.adsales.snidigital.com/conf/ads-config.js$script,domain=foodnetwork.com + +! video broken https://it.blastingnews.com/cultura-spettacoli/2018/01/video/marco-iaconianni-in-arte-dj-squalo-nello-zoo-di-105-004790175.html +@@||googletagservices.com/tag/js/gpt.js$script,domain=blastingnews.com + +! https://www.reddit.com/r/uBlockOrigin/comments/85oqui/ublock_origin_on_igncom/ +@@||ign.com/newsfeed-block$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/1747 +@@||cxense.com/cx.js$script,domain=letelegramme.fr + +! https://forums.lanik.us/viewtopic.php?f=64&t=40264 +br.de##+js(set, akamaiDisableServerIpLookup, noopFunc) + +! To counter `o0bc.com` in Peter Lowe's +! unbreaks boston.com +||o0bc.com^$badfilter +||o0bc.com^$3p,domain=~boston.com|~bostonglobe.com + +! https://github.com/uBlockOrigin/uAssets/issues/1818 +@@||gatesnotes.com/*/jquery.iframetracker.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/1825 +||smartlook.com^$badfilter +||smartlook.com^$3p + +! https://github.com/jspenguin2017/uBlockProtector/issues/884 +@@||gemius.pl/gplayer.js$script,domain=play.tv3.lt + +! https://github.com/uBlockOrigin/uAssets/issues/1907 +@@||ws-na.assoc-amazon.com^$image,domain=4tests.com + +! https://github.com/uBlockOrigin/uAssets/issues/1954 +@@||ncjrs.gov/fsrscripts/*$1p + +! https://github.com/uBlockOrigin/uAssets/issues/1968#issuecomment-381358444 +@@||cdn.boomtrain.com/analyticstrain/snopes/analyticstrain.min.js$script,domain=snopes.com +@@||boomtrain.com/identify/resolve$xhr,domain=snopes.com + +! https://www.reddit.com/r/uBlockOrigin/comments/8czb3t/fullstorycom_blocked/ +||fullstory.com^$badfilter +||fullstory.com^$3p +||fullstory.com/s/fs.js$script + +! https://github.com/reek/anti-adblock-killer/issues/4010 +@@||google-analytics.com/analytics.js$script,domain=developers.google.com + +! https://github.com/uBlockOrigin/uAssets/issues/2101 +||vidtech.cbsinteractive.com/*/tracking/comscore/comscore.streaming.$script,redirect=noopjs,domain=zdnet.com + +! https://github.com/uBlockOrigin/uAssets/issues/2107 +! https://github.com/uBlockOrigin/uAssets/issues/6284 +cyclingnews.com##+js(aopr, MONETIZER101.init) +cyclingnews.com##+js(nano-stb, /outboundLink/) +cyclingnews.com##.global-banner + +! https://github.com/uBlockOrigin/uAssets/issues/2112 +@@||login.ingbank.pl/*/vendor/dtm/*$script,1p + +! https://forums.lanik.us/viewtopic.php?p=136057#p136057 +@@|https://api-secure.solvemedia.com^$script + +! https://forums.lanik.us/viewtopic.php?p=136565#p136565 +@@||openx.tv/embed/$domain=m4ufree.com + +! https://github.com/uBlockOrigin/uAssets/issues/2295 +! https://github.com/NanoMeow/QuickReports/issues/3400 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=click2houston.com|clickondetroit.com|clickorlando.com|ksat.com|local10.com|news4jax.com|wsls.com,important +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=click2houston.com|clickondetroit.com|clickorlando.com|ksat.com|local10.com|news4jax.com|wsls.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=40769 +@@||flyertalk.com/forum/*/ckeditor/core/log.js$script,1p + +! https://www.bikeforums.net/forum-suggestions-user-assistance/1144311-text-entry-box-doesn-t-show-up-unless-i-disable-ublock-origin.html +@@||bikeforums.net/*/ckeditor/core/log.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3094 +@@||imagebam.com/assets/js/image_bootstrap.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2309 +/.*(\/proxy|\.wasm|\.wsm|\.wa)$/$websocket,xhr,domain=reactor.cc|sickrage.ca|sorteosrd.com|streamplay.to,badfilter +/proxy|$websocket,xhr,domain=reactor.cc|sickrage.ca|sorteosrd.com|streamplay.to +.wasm|$websocket,xhr,domain=reactor.cc|sickrage.ca|sorteosrd.com|streamplay.to +.wsm|$websocket,xhr,domain=reactor.cc|sickrage.ca|sorteosrd.com|streamplay.to +.wa|$websocket,xhr,domain=reactor.cc|sickrage.ca|sorteosrd.com|streamplay.to + +! https://www.reddit.com/r/uBlockOrigin/comments/8kh4zc/kotaku_embedded_twitter_images_not_displaying/ +! https://github.com/uBlockOrigin/uAssets/issues/3680 +avclub.com,clickhole.com,deadspin.com,earther.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,lifehacker.com,splinternews.com,theinventory.com,theonion.com,theroot.com,thetakeout.com#@#div[id^="dfp-ad-"] +kotaku.com#@##dfp-ad-2 +kotaku.com#@##dfp-ad-1 +! https://www.reddit.com/r/uBlockOrigin/comments/9p41kw +||x.kinja-static.com/assets/packaged-js/OnionAM.$script,domain=avclub.com|clickhole.com|deadspin.com|earther.com|gizmodo.com|jalopnik.com|jezebel.com|kotaku.com|lifehacker.com|splinternews.com|theinventory.com|theonion.com|theroot.com|thetakeout.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=40826 +@@||d1xrtnyoeeet33.cloudfront.net/assets/js/lib/*$script,domain=calgaryherald.com|calgarysun.com|canoe.com|edmontonsun.com|financialpost.com|leaderpost.com|lfpress.com|montrealgazette.com|nationalpost.com|ottawacitizen.com|ottawasun.com|theprovince.com|thestarphoenix.com|torontosun.com|vancouversun.com|windsorstar.com|winnipegsun.com + +! https://github.com/uBlockOrigin/uAssets/issues/2353 +@@||cbsistatic.com/*/comscore.streaming.$script,domain=cbsnews.com +! https://github.com/uBlockOrigin/uAssets/issues/8863 +@@||tealium.cbsnews.com/*/prod/utag.js$script,1p +! https://www.cbsnews.com/live/ video breakage +! https://www.reddit.com/r/uBlockOrigin/comments/1109rgn/ +! https://github.com/easylist/easylist/commit/c22014abecb3c95212c72e8462d4fac3df2eb878 +! https://www.cbsnews.com/video/president-biden-ends-candidacy-60-minutes-video-2024-07-21/ +||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$script,domain=cbsnews.com,redirect=google-ima.js,important +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=cbsnews.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai_debug.js$script,domain=cbsnews.com + +! https://github.com/uBlockOrigin/uAssets/issues/2357 +@@||pandora.com/web-version/*_comscore.$script,1p +@@||pandora.com/web-version/*_googleAnalytics.$script,1p + +! https://forums.lanik.us/viewtopic.php?f=64&t=40856 +@@||ms-mt--api-web.*/ads/*$xhr,domain=coches.net + +! https://forums.lanik.us/viewtopic.php?f=64&t=40478 +@@||flightapi.travix.com/flight$xhr,domain=cheaptickets.nl|vayama.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=40868 +||v.embed-cdn.com/v8/player.js$script,domain=streamable.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=40884 +calgarysun.com,canoe.com,edmontonsun.com,financialpost.com,nationalpost.com,ottawasun.com,theprovince.com,torontosun.com,winnipegsun.com#@#.adsizewrapper + +! https://github.com/uBlockOrigin/uAssets/issues/2451 +! https://github.com/NanoMeow/QuickReports/issues/546 +@@||sonycrackle.com/vendor/AdManager.js$script,1p +@@||fwlive.sonycrackle.com/ad/*$script,1p +@@||imrworldwide.com/novms/*/ggcm*.js$script,domain=sonycrackle.com + +! https://www.reddit.com/r/uBlockOrigin/comments/8nzgpp/1168_expedia_search_results_not_displaying_unless/ +@@||travel-assets.com/datacapture/*$script,domain=expedia.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/2453 +@@||btstatic.com/tag.js$script,domain=vw.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=40943 +@@/wp-content/plugins/popup-builder-$image,css,script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2460#issuecomment-395008661 +motherless.com#@#iframe[style] + +! https://forums.lanik.us/viewtopic.php?f=64&t=40973 +@@||static.bbc.co.uk/radio/player/*/script/logger.js$script,domain=bbc.co.uk + +! https://forums.lanik.us/viewtopic.php?f=96&t=40978 +forbes.it#@#.ad-row + +! https://github.com/NanoAdblocker/NanoFilters/issues/98 +@@||api.sbs.com.au/js/tracking/ondemand.js$script,1p + +! Reported in review section of AMO: +! "Homedepot.com, cannot load order history" +! "Frigidaire.com, [...] registration page refused to submit" +! https://github.com/uBlockOrigin/uAssets/issues/6812 +/analytics/analytics.$~xhr,badfilter +@@||play2.qbrick.com/framework/modules/analytics/analytics.min.js$script + +! https://github.com/uBlockOrigin/uAssets/issues/2550 +britannica.com###md-media-overlay-ad + +! https://github.com/uBlockOrigin/uAssets/issues/2552 +@@||cbs.wondershare.com/*pid= + +! https://github.com/uBlockOrigin/uAssets/issues/2662 +@@/mma/?t$image,domain=newsblaze.com + +! https://forums.lanik.us/viewtopic.php?p=138218#p138218 +||tag.navdmp.com/$script,redirect=noopjs,domain=globoesporte.globo.com + +! https://adblockplus.org/forum/viewtopic.php?f=1&t=57357&start=0 +@@||statics.estadao.com.br/*/portal/js/comscore/$script,domain=estadao.com.br +@@||statics.estadao.com.br/*/utils/publicidade/dfp.min.js$script,domain=estadao.com.br + +! https://news.ycombinator.com/item?id=17455223 +@@||msecnd.net/scripts/a/ai.0.js$script,domain=msropendata.com + +! https://www.camp-firefox.de/forum/viewtopic.php?f=4&t=111753&start=1605#p1087440 +! Clicking through photos is broken +||tagcommander.com/*/tc_$script,important,domain=n-tv.de + +! https://github.com/uBlockOrigin/uAssets/issues/2814 +@@||static-olxeu.akamaized.net/static/olxbg/*/js/tracking/ninja.js$script,domain=olx.bg + +! https://twitter.com/vertis/status/1016876677408755713 +! To counter `optimizely.com` in Peter Lowe's list +||optimizely.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/2852 +@@||cc.naver.com/cc$frame,1p + +! https://github.com/NanoAdblocker/NanoFilters/issues/128 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=sbs.com.au + +! https://github.com/uBlockOrigin/uAssets/issues/2890 +! https://github.com/NanoMeow/QuickReports/issues/865 +||src.litix.io/core/*/mux.js$script,redirect=noopjs,domain=kanald.com.tr +@@||gatr.hit.gemius.pl/gplayer.js$script,domain=kanald.com.tr + +! https://github.com/uBlockOrigin/uAssets/issues/2930 +||bridgetrack.com^$badfilter +||bridgetrack.com^$3p + +! https://forums.lanik.us/viewtopic.php?f=64&t=41218 +@@||academia.edu/*/users/*/stats/*$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/2931 +! https://github.com/uBlockOrigin/uAssets/issues/2966 +@@||fusion.ddmcdn.com^$script,domain=ahctv.com|animalplanet.com|cookingchanneltv.com|destinationamerica.com|discovery.com|discoverylife.com|diynetwork.com|foodnetwork.com|hgtv.com|investigationdiscovery.com|motortrend.com|sciencechannel.com|tlc.com|travelchannel.com + +! https://github.com/uBlockOrigin/uAssets/issues/3034 +@@||cdn.scarabresearch.com/js/*/scarab-v*.js$script,domain=remixshop.com +@@||recommender.scarabresearch.com/merchants/*$xhr,domain=remixshop.com + +! https://github.com/uBlockOrigin/uAssets/issues/3057 +@@||addthis.com/js/*/addthis_widget.js$script,domain=sainsburys.jobs + +! https://www.reddit.com/r/uBlockOrigin/comments/93feu6/unblock_a_major_portuguese_isp_domain/ +||nostv.pt/Scripts/fingerprint2.min.js$script,redirect=noopjs,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/93ztf6/how_to_block_ad_but_still_stream_content/ +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=iheartradio.ca +@@||iheartradio.ca^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3115 +@@||google-analytics.com/analytics.js$script,domain=umterps.com + +! https://github.com/easylist/easylist/issues/1668 +! https://github.com/easylist/easylist/issues/1676 +@@||evidon.com/geo/*$script,domain=cnet.com|marieclaire.com|techrepublic.com|zdnet.com + +! https://github.com/uBlockOrigin/uAssets/issues/3167 +@@||cdn.amplitude.com/libs/amplitude-*.gz.js$script,domain=letgo.com + +! https://www.reddit.com/r/uBlockOrigin/comments/9634p5/ublock_origin_is_hiding_reddit_posts_and_making/ +@@||gateway.reddit.com/desktopapi/*$xhr,1p + +! https://forums.lanik.us/viewtopic.php?f=103&t=40699 +||fuegodevida.com^$popup,3p,badfilter + +! https://github.com/NanoAdblocker/NanoCore/issues/201 +@@||nxp.com/*/resources/scripts/analytics/webanalytics.js$script,1p + +! https://forums.lanik.us/viewtopic.php?f=64&t=41502 +@@||apply.indeed.com/$frame,1p +! https://github.com/uBlockOrigin/uAssets/issues/23747 +indeed.com##+js(set, DD_RUM.addAction, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/1225#issuecomment-416297077 +@@||anyporn.com/key.jsx$script,1p + +! https://github.com/NanoAdblocker/NanoFilters/issues/172#issuecomment-416314453 +@@||static.iqiyi.com/js/player_v1/sdk/*$script,1p + +! https://forums.lanik.us/viewtopic.php?f=64&t=41498 +||youboranqs01.com^$3p,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/3363 +@@||usopen.org/AppMeasurement.js$script,1p + +! Reported through email: many Canadian car sites broken because of +! `d2cmedia.ca` in Peter Lowe's. Examples: +! https://www.hyundailongueuil.com/neufs/Hyundai-Elantra%20GT-2018.html +! https://www.complexekia.com/demonstrateurs/Kia-Soul-2018-id7101681.html +||d2cmedia.ca^$badfilter +||d2cmedia.ca^$~image,~font + +! https://forums.lanik.us/viewtopic.php?f=64&t=41563 +||youbora.com^$3p,badfilter + +! https://forums.lanik.us/viewtopic.php?f=64&t=41562 +@@||tredir.go.com/capmon/$script,domain=disney.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=41588 +||smartsuppchat.com^$3p,badfilter + +! https://forums.lanik.us/viewtopic.php?f=64&t=41612 +@@||discover.com/discover/reporting/AppMeasurement.js$1p + +! https://github.com/uBlockOrigin/uAssets/issues/2364#issuecomment-420346996 +@@*$media,domain=camwhores.tv + +! fix nfl.com fantasy.nfl.com site and video breakage +@@||static.parsely.com/p.js$script,domain=nfl.com + +! https://www.reddit.com/r/uBlockOrigin/comments/9gn4is +@@||a.4cdn.org/*.json$xhr,domain=4chan.org + +! https://github.com/uBlockOrigin/uAssets/issues/3516 +@@||cdn.cxense.com/cx.js$script,domain=mega.cl + +! https://forums.lanik.us/viewtopic.php?f=64&t=41714 +@@||v.fwmrm.net/ad/$script,xhr,domain=destinationamerica.com +@@||src.litix.io/core/*/mux.js$script,domain=destinationamerica.com + +! https://github.com/NanoMeow/QuickReports/issues/107 +warszawawpigulce.pl#@#.code-block-5, .eklama, #undermenu-block, .code-block-6 +warszawawpigulce.pl##.eklama + +! https://github.com/uBlockOrigin/uAssets/issues/3532 +@@||ftse.com/Products/*/scripts/analytics_$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3540 +@@||geoip.nekudo.com/api/*$xhr,domain=opentable.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=41793 +@@||backend.worldoftulo.com/$script,domain=barometern.se + +! https://github.com/NanoMeow/QuickReports/issues/133 +! https://github.com/NanoMeow/QuickReports/issues/181 +@@||surveywall-api.survata.com^$domain=survata.net + +! https://github.com/NanoMeow/QuickReports/issues/180 +@@||publicwww.com/images/labels$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3671 +@@||googletagmanager.com/gtm.js$script,domain=hellofresh.com + +! https://github.com/uBlockOrigin/uAssets/issues/3672 +@@||vice.com/*/AdobeAnalyticsSDK$script,1p + +! https://adblockplus.org/forum/viewtopic.php?f=10&t=60372&start=0 +@@||mssl.fwmrm.net/p/abc_live/$script,domain=abc.go.com +@@||v.fwmrm.net/ad/g/1$script,domain=abc.go.com +@@/VisitorAPI.js$script,domain=abc.go.com + +! https://github.com/uBlockOrigin/uAssets/issues/3733 +@@||ajax.googleapis.com^$script,domain=dailywire.com +@@||soundcloud.com^$script,domain=dailywire.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=41984 +@@||savings.bizx.info^$domain=sourceforge.net +@@||bizx.info^$websocket,domain=sourceforge.net + +! bloomberg videos +@@||cdn.gotraffic.net^$domain=bloomberg.* +@@||js.spotx.tv/directsdk/$script,domain=bloomberg.* +@@||spotxcdn.com/integration/directsdk/$script,domain=bloomberg.* +@@||search.spotxchange.com^$xhr,domain=bloomberg.* +@@||sourcepointcmp.bloomberg.com/ccpa.js$script,domain=bloomberg.* + +! https://github.com/easylist/easylist/issues/2103 +@@||go.com/disneyid/responder$frame,1p + +! https://github.com/easylist/easylist/issues/2111 +@@||connect.facebook.*/*/AudienceNetworkPrebid.js$script,domain=cbssports.com + +! https://github.com/NanoMeow/QuickReports/issues/235 +@@||javmost.com/ad*.php$frame,1p +@@||javpost.net^$frame,domain=javmost.com + +! https://github.com/uBlockOrigin/uAssets/issues/2043#issuecomment-432499527 +@@||js.helltraffic.com/fluidplayer/$script,css,domain=tubewolf.com +||js.helltraffic.com/fluidplayer/scripts/webvtt.min.js$script,important,domain=tubewolf.com +tubewolf.com##.bnnrs-player +tubewolf.com##.bnnr + +! https://github.com/uBlockOrigin/uAssets/issues/3823 +@@||mm-syringe.com^$script,domain=mysanantonio.com + +! https://www.reddit.com/r/uBlockOrigin/comments/9rnaq5/possible_memory_leak/ +@@||utility.rogersmedia.com/utility.js$domain=todaysparent.com + +! https://github.com/uBlockOrigin/uAssets/issues/3883 +@@||onphpid.com^$css,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3894 +@@||wsj.net/*/cxense-candy.js$script,domain=wsj.com +@@||scdn.cxense.com/cx.$script,domain=wsj.com +@@||zqtk.net^$script,domain=wsj.com + +! https://github.com/uBlockOrigin/uAssets/issues/3929 +@@||androidgreeve.*^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/3955 +@@||github.com/*/contributors$xhr,1p +@@||gitlab.com^$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3975 +@@||monero.crypto-webminer.com/monero.html$frame,domain=monero-miner.com + +! https://github.com/uBlockOrigin/uAssets/issues/3995 +||p.jwpcdn.com/*/vast.js$script,important,domain=timesnownews.com + +! https://github.com/uBlockOrigin/uAssets/issues/3999 +@@||google-analytics.com/analytics.js$script,domain=panerabread.com + +! https://www.reddit.com/r/uBlockOrigin/comments/9t71mf/ublock_origin_breaks_conde_nast_video_player +@@||googletagservices.com/tag/js/gpt.js$script,domain=pitchfork.com +@@||securepubads.g.doubleclick.net/gpt/pubads_impl$script,domain=pitchfork.com + +! https://github.com/uBlockOrigin/uAssets/issues/4001 +@@||pub.247-inc.net/psp/platform/*$frame,domain=bbystatic.com + +! https://github.com/uBlockOrigin/uAssets/issues/4010 +||admost.com^$script,important,domain=sahadan.com + +! https://github.com/uBlockOrigin/uAssets/issues/4036 +! https://github.com/uBlockOrigin/uAssets/issues/16113 +pasteboard.co##+js(set, nads.createAd, trueFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/9xm0ou/abccom_not_loading_not_solvable/ +go.com#@#.has-ad + +! https://www.reddit.com/r/uBlockOrigin/comments/9ye98t +@@||edgedatg.com/aws/assets/cp/web/assets/js/*/AppMeasurement.js$script,domain=disneynow.go.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=42199 +@@||static.adsnative.com/static/js/render.*.js$script,domain=streamable.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=42216 +@@||litix.io/core/$script,domain=velocity.com|motortrend.com +@@||fusion.ddmcdn.com/app/*/comscore.streaming.$script,domain=velocity.com|motortrend.com + +! https://github.com/uBlockOrigin/uAssets/issues/4226 +||computerworld.com/*/gpt_includes.js$script,redirect-rule=googletagservices_gpt.js + +! https://www.reddit.com/r/uBlockOrigin/comments/a3r5e1/site_not_rendering_properly_with_ublockorigin/ +@@||adverts.ie/css/$css,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4275 +riderplanet-usa.com#@##ad_1 + +! https://www.winboard.org/threads/interaktion-auf-website-nicht-moeglich-wwm-trainigslager.250843/ +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=wwm.rtl.de + +! https://forums.lanik.us/viewtopic.php?p=144166#p144166 +hwupgrade.it#@#a[href^="https://www.amazon."][href*="tag="] +hdblog.it#@#a[href^="https://www.amazon."][href*="tag="] + +! https://github.com/NanoMeow/QuickReports/issues/462 +@@||startpage.com^$popup,domain=msn.com + +! https://forums.lanik.us/viewtopic.php?f=90&t=42355 +@@||ticketonline.de^$frame,domain=stage-entertainment.de + +! https://forums.lanik.us/viewtopic.php?p=144333#p144333 +||marketo.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/4484 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=classicreload.com + +! https://github.com/uBlockOrigin/uAssets/pull/4486 +@@||easyweb.td.com/*/loggingService.js$script,1p +@@||plugin.intuitcdn.net/ua-parser-js/*/ua-parser.min.js$script,domain=qbo.intuit.com + +! https://www.camp-firefox.de/forum/viewtopic.php?p=1101018#p1101018 +@@||laola1.at/?proxy=js/build/layout$script,1p + +! newser.com broken search by EasyList +@@||google.com/afsonline/*$script,domain=newser.com + +! https://forums.lanik.us/viewtopic.php?p=144724#p144724 +@@/isomorphic/system/modules/ISC_Analytics.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/3703#issuecomment-453920675 +@@||instagram.com^$popup,domain=msn.com + +! https://github.com/easylist/easylist/issues/2631 +/performancetimer.js$badfilter + +! https://forums.lanik.us/viewtopic.php?p=144884#p144884 +@@||ipinfo.io/?token$xhr,domain=webtv.ert.gr + +! https://github.com/uBlockOrigin/uAssets/issues/4675 +! https://github.com/uBlockOrigin/uAssets/issues/4784 +@@||trbas.com/jive/$script,domain=baltimoresun.com|capitalgazette.com|chicagotribune.com|citypaper.com|dailypress.com|mcall.com|orlandosentinel.com|pacificsandiego.com|sandiegouniontribune.com|sun-sentinel.com + +! broken site vidtudu . com +@@||vidtodo.com^$css,image,domain=vidtudu.com + +! https://github.com/uBlockOrigin/uAssets/issues/4708 +@@||art19.com^$xhr,domain=merriam-webster.com +@@||graph.facebook.com^$xhr,domain=merriam-webster.com + +! https://github.com/uBlockOrigin/uAssets/issues/4760 +@@||static.sunmedia.tv/integrations/*$script,domain=api.gooru.live|elespanol.com|periodistadigital.tv + +! https://forums.lanik.us/viewtopic.php?p=145240#p145240 +*$3p,script,redirect=noopjs,domain=lolalytics.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=42539 +@@||dev.visualwebsiteoptimizer.com^$script,domain=cars.usnews.com + +! https://forums.lanik.us/viewtopic.php?p=145284#p145284 +/adlead.$domain=~adlead.com|~adlead.pro|~adlead.ru,badfilter +/adlead.$domain=~adlead.com|~adlead.pro|~adlead.ru|~adlead.immo + +! https://github.com/uBlockOrigin/uAssets/issues/4784#issuecomment-459778667 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=chicagotribune.com|mcall.com + +! ranker.com breakage (prev / next) +@@||cdn.zidedge.com/zp/ranker/$script,domain=ranker.com +@@||petametrics.com^$script,domain=ranker.com + +! https://github.com/uBlockOrigin/uAssets/issues/4793 +@@||popeyes.com/*/clicktrack?$xhr,1p + +! https://github.com/NanoAdblocker/NanoFilters/issues/265 +@@||adserver.pandora.com/haymaker/api/v1/serve/$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/anljwh/ubo_breaks_httpsbigtenorg/ +@@||s3.amazonaws.com/assets.sidearmsports.com/statcollector/statcollector.min.js$script,domain=bigten.org + +! https://github.com/uBlockOrigin/uAssets/issues/4812 +! https://github.com/uBlockOrigin/uAssets/issues/18905 +||evergage.com^$badfilter +||ti.com/assets/js/headerfooter/$script,badfilter +@@||texasinstruments.evergage.com^$script,domain=ti.com + +! https://github.com/uBlockOrigin/uAssets/issues/4876 +hawaiitribune-herald.com,thegardenisland.com,westhawaiitoday.com#@#.header-ad + +! https://github.com/uBlockOrigin/uAssets/issues/4674#issuecomment-463743899 +@@||vshare.eu/$popup,domain=putlockers.fm + +! https://github.com/uBlockOrigin/uAssets/issues/4909 +@@||adobedtm.com^*/satellitelib-$script,domain=virginmobile.ca + +! https://twitter.com/RyuTechGaming/status/1098525246687248384 +@@||europarl.europa.eu/website/webanalytics/*$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/714 +@@||code.adsales.snidigital.com/conf/ads-config.js$script,domain=travelchannel.com + +! https://github.com/uBlockOrigin/uAssets/issues/5000 +||tailtarget.com/profiles.js$script,redirect=noopjs,domain=superesportes.com.br,important + +! https://github.com/uBlockOrigin/uAssets/issues/5012 +nypost.com,pagesix.com#@#.recirc +@@||widgets.outbrain.com/outbrain.js$script,domain=nypost.com|pagesix.com +@@||odb.outbrain.com/utils/get?url$script,domain=nypost.com|pagesix.com + +! https://forums.lanik.us/viewtopic.php?p=145951#p145951 +||xbooru.com/script/application.js$badfilter + +! https://forums.lanik.us/viewtopic.php?f=64&t=42677 +@@||s2.coinmarketcap.com^$image + +! https://github.com/NanoMeow/QuickReports/issues/730 +@@||load.sumome.com^$script,domain=beewits.com + +! fix goducks.com +! broken by '/js/analytics.' in EasyPrivacy +||goducks.com/components/js/analytics.js$script,1p,redirect=noopjs + +! https://www.reddit.com/r/uBlockOrigin/comments/awb85y/radiocom_streaming_doesnt_work_with_ublockorigin/ +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=player.radio.com +@@||live.streamtheworld.com/*banners$media,domain=player.radio.com + +! https://forums.lanik.us/viewtopic.php?p=146140#p146140 +||tags.bluekai.com/$script,redirect=noopjs,domain=6abc.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com|abc7ny.com|abc11.com|abc13.com +! https://github.com/uBlockOrigin/uAssets/commit/11c602478e60975f9b9ee80341a975169d8b3939#commitcomment-32629346 +@@||wlne.images.worldnow.com/ads/*.jpg?auto=web$image,domain=abc6.com +@@||wlne.images.worldnow.com/ads/*.png$image,domain=abc6.com + +! https://github.com/easylist/easylist/issues/2935 +@@||src.fedoraproject.org/static/issues_stats.js$script,1p + +! https://github.com/easylist/easylist/issues/2998 +@@||puch-ersatzteile.at/static/*/Magento_GoogleAnalytics/*$script,1p + +! https://github.com/abp-filters/abp-filters-anti-cv/issues/102#issuecomment-472241581 +@@||static1.dmcdn.net/playerv5/*$script,domain=laprovence.com + +! https://github.com/uBlockOrigin/uAssets/issues/5125 +@@||adobedtm.com^*/satellitelib-$script,domain=papers.ssrn.com + +! https://github.com/uBlockOrigin/uAssets/issues/5127 +@@||cdn.taplytics.com/taplytics.min.js$script,domain=es.wallapop.com + +! breakage caused by Yavli-filters in EasyList +@@||youtube.com/yts/jsbin/*$script,domain=breathecast.com|classicalite.com|crossmap.com|hallels.com|newseveryday.com|returnofkings.com + +! https://github.com/uBlockOrigin/uAssets/issues/1720 +@@||fls-na.amazon.*/1/batch/1/OP/$image,domain=amazon.* + +! https://www.reddit.com/r/uBlockOrigin/comments/b7dh6s/cant_change_stlyes_on_4chan_with_ubo_active/ +@@||4cdn.org^$script,domain=4chan.org + +! https://forums.lanik.us/viewtopic.php?p=146870#p146870 +@@||api.coinmarketcap.com/$xhr,domain=unblock.net + +! https://forums.lanik.us/viewtopic.php?p=146878#p146878 +@@||adsynth-ofx-quotewidget-prod.herokuapp.com/api/$xhr,domain=widget-yahoo.ofx.com + +! https://github.com/uBlockOrigin/uAssets/issues/5295 + +! fix broken links at blick.ch +! caused by EasyPrivacy +@@||da.admeira.ch/adm_signaturscript.js$script,domain=blick.ch +! https://github.com/NanoMeow/QuickReports/issues/5 +@@||browser.sentry-cdn.com/*/bundle.min.js$script,domain=blick.ch + +! https://forums.lanik.us/viewtopic.php?p=146915#p146915 +@@||eastprodcdn.azureedge.net/bundles/*velaro$script +||velaro.com^$3p,badfilter + +! https://github.com/NanoMeow/QuickReports/issues/939 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=boo.tw|b00.tw + +! https://www.reddit.com/r/uBlockOrigin/comments/b9ns52/cant_purchase_games_on_epic_game_store_while_this/ +@@||tracking.epicgames.com/tracking.js$1p + +! mattinopadova .gelocal.it broken page +@@||scripts.repubblica.it/$script,domain=gelocal.it + +! https://github.com/NanoMeow/QuickReports/issues/84#issuecomment-480528757 +@@/playvideo.php$frame,domain=myvidster.com + +! https://github.com/NanoAdblocker/NanoFilters/issues/287 +||linetv.tw/public/scripts/ads.js$important,1p +@@||google-analytics.com/analytics.js$script,domain=linetv.tw +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=linetv.tw + +! https://www.reddit.com/r/uBlockOrigin/comments/ba52ij/vlive_site_preventing_streaming_while_ublock_is/ +! https://www.reddit.com/r/uBlockOrigin/comments/jli3g7/workaround_vlivetv_update_infinite_loading_again/ +! https://www.vlive.tv/video/219020 broken video +@@||naver.com/adcall$xhr,script,domain=vlive.tv + +! https://github.com/NanoMeow/QuickReports/issues/952 +@@||scripts.agilone.com^$frame,domain=davidstea.com + +! https://github.com/uBlockOrigin/uAssets/issues/5323 +@@||vlscppe.microsoft.com/fp/tags.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/991 +@@||cdnperf.com/js/rollbar.js$script,1p +@@||perfops.net^$script,domain=cdnperf.com + +! https://github.com/NanoMeow/QuickReports/issues/992 +||dccss.banggood.com^$badfilter + +! https://forums.lanik.us/viewtopic.php?p=147048#p147048 +@@||9anime.*/user/ajax/$xhr,1p + +! https://github.com/easylist/easylist/issues/3261 +@@||adswizz.com/anon.npr-mp3/*$media,domain=podbay.fm|podbean.com +@@||adswizz.com/anon.npr-podcasts/*$media,domain=podbay.fm|podbean.com +! https://www.reddit.com/r/uBlockOrigin/comments/k8xd8x/playerfm_certain_podcasts_unplayable_with_ubo/ +@@||player.fm^$cname + +! https://github.com/NanoMeow/QuickReports/issues/958 +kzstock.blogspot.com#@##ad-target + +! https://github.com/uBlockOrigin/uAssets/issues/5395 +@@||app.tallo.com/assets/javascripts/app/studentstats/statCount.$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/1059 +@@||kolumbus.fi/cgi-bin/counter.cgi$image,1p + +! https://forums.lanik.us/viewtopic.php?f=64&t=42965 +||olx.com.br^*/lurker.$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/5479 +@@||api.deep.bi/v3/init.js$script,domain=elconfidencial.com + +! https://forums.lanik.us/viewtopic.php?p=147310#p147310 +||hawk.pcgamer.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/5499 +@@||viu.tv/assets/js/comScore.*.min.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/bl24wp/readcomiconline_issues/ +@@||readcomiconline.to/$xhr,1p + +! https://github.com/NanoMeow/QuickReports/issues/1160 +@@||adobedtm.com^*/satellitelib-$script,domain=skysportaustria.at + +! https://github.com/uBlockOrigin/uAssets/issues/5533 +||miniusa.com/etc/designs/mini/js/vendor/tracking/*$script,1p,redirect=noopjs + +! https://github.com/NanoAdblocker/NanoFilters/issues/323 +@@||d8rk54i4mohrb.cloudfront.net/js/video.js$script,domain=forbes.com + +! scrolling broken drstevenlin .com +drstevenlin.com##html:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/5559 +tele5.de##.break-ads + +! https://forums.lanik.us/viewtopic.php?p=147357#p147357 +! https://forums.lanik.us/viewtopic.php?p=150840#p150840 +||exoclick.com^$doc,badfilter +||exoclick.com^$badfilter +||exoclick.com^$3p +@@||exoclick.com/privacy-and-cookies-policy/*$popup +@@||api.exoclick.com^$domain=exoclick.com + +! https://github.com/easylist/easylist/issues/3440 +@@||lp-cdn.lastpass.com/lporcamedia/*/dist/scripts/analyticsjs.js$script,1p + +! https://github.com/uBlockOrigin/uBlock-issues/issues/578 +detroitnews.com###partner-poster-0 + +! https://forums.lanik.us/viewtopic.php?p=147578#p147578 +@@||fontspring.com/analytics/hi.gif$image,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/bpt2b5/getting_big_ads_4_ads_x_2_sponsored_content_on/ +||thelibertydaily.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com,badfilter +||bigleaguepolitics.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im *.x.com,badfilter + +! https://github.com/uBlockOrigin/uBlock-issues/issues/583 +@@||googletagmanager.com/gtm.js$script,domain=rappi.com.mx + +! https://github.com/NanoMeow/QuickReports/issues/1257 +@@||piasecznonews.pl/wp-content/plugins/wppas/$1p + +! https://www.reddit.com/r/uBlockOrigin/comments/bqmliz/not_working_on_1movies_anymore/ +! https://www.reddit.com/r/uBlockOrigin/comments/e85st9/www41moviesis_ads_arent_being_blocked/ +@@*$media,domain=1movies.is +||acloudvideos.com/video_ads/$media,domain=1movies.is,important + +! https://github.com/NanoMeow/QuickReports/issues/1262 +@@||gstatic.com/images/branding/*/adsense$image,domain=safebrowsing.google.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=43042 +||curalate.com/api/v1/metrics/ +/api/v1/metrics$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/5662 +@@||nbc*.com/includes/AppMeasurement.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/5688 +||amazonaws.com^*/funders-$domain=globalvoices.org,badfilter + +! https://github.com/NanoMeow/QuickReports/issues/1296#issuecomment-496773275 +calgaryherald.com#@#.local-branding + +! https://github.com/uBlockOrigin/uBlock-issues/issues/608 +/google-analytics-$~image,badfilter + +! https://forums.lanik.us/viewtopic.php?f=64&t=43091 +||scroll.com^$3p,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/5764 +@@||ebates.com/dist/static/*/analytics/*$script,1p +@@||rakuten.com/dist/static/*/analytics/*$script,1p + +! #1589 csp filters breaking injecting filters / pages +@@*$csp,domain=activistpost.com + +! https://github.com/uBlockOrigin/uAssets/issues/5768 +@@||d24n15hnbwhuhn.cloudfront.net/libs/amplitude-$script,domain=gethuman.com + +! https://github.com/uBlockOrigin/uAssets/issues/5784 +@@||cdnjs.cloudflare.com/ajax/libs/videojs-contrib-ads/*/videojs.ads.css$stylesheet,domain=abcya.com +! https://github.com/uBlockOrigin/uAssets/issues/6924 +||px.moatads.com/pixel.gif$image,domain=abcya.com,redirect=1x1.gif +! https://github.com/uBlockOrigin/uAssets/issues/18410 +*$script,domain=abcya.com,redirect-rule=noopjs +! https://github.com/uBlockOrigin/uAssets/issues/25863 +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,redirect=google-ima.js:5,domain=abcya.com +abcya.com##+js(nano-stb, t++, 500) + +! https://github.com/uBlockOrigin/uAssets/issues/5796 +@@||hyundaiusa.com/js/analytics/analytics.js$script,1p + +! https://twitter.com/localnewsman/status/1137958542927835136 +@@||appspot.com/api/*/feed/tag$xhr,domain=apnews.com +! https://github.com/uBlockOrigin/uAssets/issues/23607 +apnews.com##html[data-header-hasleaderboard]:remove-attr(data-header-hasleaderboard) + +! https://github.com/uBlockOrigin/uAssets/issues/5841 +@@||djnf6e5yyirys.cloudfront.net/js/friendbuy.min.js$script,domain=imperfectfoods.com|imperfectproduce.com +@@||friendbuy.com^$xhr,frame,domain=imperfectfoods.com|imperfectproduce.com + +! https://github.com/uBlockOrigin/uAssets/issues/5848 +@@||src.litix.io/videojs/*/videojs-mux.js$script,domain=dmax.de|tlc.de + +! https://github.com/uBlockOrigin/uAssets/issues/5849 +carbuzz.com##.cb-comments__create-form:style(margin-top: 30px !important;) +carbuzz.com##.cb-post-block-images-swiper .cb-post-block__comments .collapseable-comments__collapse:style(margin-bottom: 0px !important;) +carbuzz.com##.cb-post-block-images-swiper .cb-post-block__comments:style(margin-bottom: 0 !important; top: -97px !important;) +carbuzz.com##.cb-post-block-images-swiper .collapseable-comments__collapseable:style(margin-bottom: -80px !important;) +carbuzz.com##.cb-post-block__comments:style(padding-bottom: 0 !important;) + +! https://forums.lanik.us/viewtopic.php?f=64&t=43181&p=148363#p148363 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=player.sdpg.tv + +! https://forums.lanik.us/viewtopic.php?f=64&t=43131 +#@#a[href^="https://badoinkvr.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/5726#issuecomment-503789864 +queerpride.de#@#.category-advertorial + +! https://github.com/NanoAdblocker/NanoFilters/issues/366 +@@||10minuteschool.com/wp-content/plugins/duracelltomi-google-tag-manager/js/gtm4wp-download-tracker.js$1p + +! https://github.com/uBlockOrigin/uAssets/issues/5880 +||madmimi.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/5883 +@@||discordapp.net/external/*$image,domain=discordapp.com + +! https://github.com/uBlockOrigin/uAssets/issues/5891 Prensa Ibérica 360 +@@||estaticos.*/elementosWeb/ew/js/multimedia/player/videojs-contrib-ads/videojs.ads.min.js$xhr,domain=diaridegirona.cat|diariodeibiza.es|diariodemallorca.es|diarioinformacion.com|eldia.es|emporda.info|farodevigo.es|laopinioncoruna.es|laopiniondemalaga.es|laopiniondemurcia.es|laopiniondezamora.es|laprovincia.es|levante-emv.com|lne.es|mallorcazeitung.es|regio7.cat|superdeporte.es + +! https://github.com/NanoMeow/QuickReports/issues/1477 +||assets.adobedtm.com/launch-$script,important,domain=bellinghamherald.com|bnd.com|bradenton.com|centredaily.com|charlotteobserver.com|elnuevoherald.com|fresnobee.com|heraldonline.com|heraldsun.com|idahostatesman.com|islandpacket.com|kansas.com|kansascity.com|kentucky.com|ledger-enquirer.com|macon.com|mcclatchydc.com|mercedsunstar.com|miamiherald.com|modbee.com|myrtlebeachonline.com|newsobserver.com|sacbee.com|sanluisobispo.com|star-telegram.com|sunherald.com|theolympian.com|thenewstribune.com|thestate.com|tri-cityherald.com + +! https://github.com/uBlockOrigin/uAssets/issues/5936 +@@||media.nintendo.com/share/include/*/js/tracking/*$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/cetv3v/ +@@||cpt-static.gannettdigital.com/*-comscore$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/5986 +@@||en25.com/*/DELOITTECENTRALEUROPELIMITED/*$image,css,script,domain=register.deloittece.com + +! https://github.com/uBlockOrigin/uAssets/issues/5992 +||xtremetop100.com^$badfilter +||xtremetop100.com^$3p + +! https://twitter.com/msanserif/status/1153636967856271361 +@@||adobedtm.com/*/satelliteLib-$script,domain=manage.linkt.com.au + +! https://github.com/uBlockOrigin/uAssets/issues/5999 +@@||blackberrymobile.com/emea/core/modules/*/site_tracking.js$script,1p + +! https://forums.lanik.us/viewtopic.php?p=148931#p148590 +@@||ezoic.net/wabbit/$script,domain=gerweck.net + +! https://github.com/NanoMeow/QuickReports/issues/1922 +@@||api.unidadeditorial.es/sports/v1/events/*$xhr + +! https://forums.lanik.us/viewtopic.php?f=64&t=43318&p=148940#p148939 +@@||googleapis.com/xxx-mightyparty.appspot.com/$3p,xhr,script,frame + +! https://github.com/NanoMeow/QuickReports/issues/1581 +@@||static.lci.fr/assets/scripts/common/xiti.js$script,1p + +! https://github.com/easylist/easylist/issues/3802 +japan-webike.*,webike.*,webike-china.cn#@#.ad_box +japan-webike.*,webike.*,webike-china.cn#@#.ad_title + +! https://github.com/uBlockOrigin/uAssets/issues/6026 +codeproject.com#@#[style*="base64"] + +! https://github.com/NanoMeow/QuickReports/issues/1600 +@@||squid.gazeta.pl/bdtrck/*$frame,domain=wyborcza.pl +@@||squid.gazeta.pl/bdtrck/*$xhr,1p + +! https://github.com/NanoMeow/QuickReports/issues/1619 +@@||wallpaperplay.com^$ghide +wallpaperplay.com##.adsbygoogle + +! https://forums.lanik.us/viewtopic.php?p=149059#p149059 +@@||imasdk.googleapis.com/pal/sdkloader/pal.js$script,domain=watch.motortrend.com + +! https://github.com/uBlockOrigin/uAssets/issues/6055 +||googletagservices.com/tag/js/gpt.js$script,redirect=noopjs,domain=ladbible.com + +! https://www.drupal.org/project/webmasters/issues/3073568 +@@||register.drupal.org/ga*.js$xhr,1p + +! fix boattrader .com image gallery +@@||boatwizard.com/ads_prebid.min.js$script,domain=boattrader.com + +! https://github.com/NanoMeow/QuickReports/issues/1652 +@@||shop.bbc.com/skin/$script,1p + +! https://github.com/easylist/easylist/issues/3788 +@@||products.wera.de^$xhr,1p + +! https://github.com/NanoMeow/QuickReports/issues/1668 +@@||alicdn.com/*/tracker$script,domain=lazada.com.my + +! https://www.reddit.com/r/uBlockOrigin/comments/cq6jff/help_for_newbie_sportsnetca_issues/ +@@||sportsnet.ca/wp-content/plugins/$script,css,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6085 +@@||rte.ie/djstatic/dotie/js/tracker.js$script,1p +@@||src.litix.io/theoplayer/*$script,domain=rte.ie +rte.ie##.alert.callout +rte.ie###gpt-leaderboard +! https://github.com/uBlockOrigin/uAssets/issues/17023 +@@||cloudfront.loggly.com/js/loggly.tracker-2.1.min.js$script,domain=rte.ie + +! https://github.com/NanoMeow/QuickReports/issues/1676 +@@||cdn.rawgit.com/*/jquery_lazyload/*$script,domain=javmost.com + +! https://www.reddit.com/r/uBlockOrigin/comments/crjkqq/problems_with_brave_browser_links_ublock_blocks/ +#@#a[href^="https://laptop-updates.brave.com/download/"] + +! https://forums.lanik.us/viewtopic.php?p=149283#p149283 +motherless.com#@#.media-linked + +! https://github.com/NanoMeow/QuickReports/issues/1696 +indoxx1.center#@#.lazy + +! https://forums.lanik.us/viewtopic.php?f=64&t=43425 +/^https?:\/\/(35|104)\.(\d){1,3}\.(\d){1,3}\.(\d){1,3}\//$popup,3p,badfilter + +! https://forums.lanik.us/viewtopic.php?f=64&t=43426&p=149429#p149426 +@@||myreadingmanga.info/wp-content/uploads/*.jpg$image,1p +||myreadingmanga.info/wp-content/uploads/*.gif$image + +! https://github.com/easylist/easylist/issues/3942 +||pmdstatic.net^$3p,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/2870#issuecomment-528066013 +@@||api.infowarsmedia.com/videojs-event-tracking/$script,1p + +! https://forums.lanik.us/viewtopic.php?f=64&t=43469&p=149630#p149630 +techradar.com#@#a[href^="https://amazon."][href*="tag="] + +! https://github.com/uBlockOrigin/uAssets/issues/6257 +@@||game-cdn.poki.*^$frame,1p +@@||poki-gdn.com^$frame + +! https://github.com/uBlockOrigin/uAssets/issues/6262 +||api.stopad.io/link/*/pixel$image,1p,redirect=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/6267 +@@||yimg.com/ss/rapid$script,domain=aol.com + +! https://github.com/uBlockOrigin/uAssets/issues/6270 +@@||sibo.nl/catalogus/de/files/html/static/analytics.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6272 +@@||motika.com.mk/wp-content/plugins/ajax-hits-counter/$xhr,1p +||motika.com.mk/reklam$image + +! https://github.com/uBlockOrigin/uAssets/issues/6282 +@@||d2wzl9lnvjz3bh.cloudfront.net/frosmo.easy.js$script,domain=tally-weijl.com +@@||frosmo.com/tally-weijl-product-listing/$xhr,domain=tally-weijl.com + +! https://github.com/uBlockOrigin/uAssets/issues/6288 +||clustrmaps.com^$image,redirect=32x32.png,domain=motls.blogspot.com + +! https://www.reddit.com/r/uBlockOrigin/comments/d3mrfr/how_to_unblock_ebay_sponsored_listings/ +ebay.com#@#li.s-item:has(span:has-text(SPONSORED)) + +! https://github.com/uBlockOrigin/uAssets/issues/6304 +@@||e-dnevnik.skole.hr^$ghide + +! https://www.reddit.com/r/uBlockOrigin/comments/cxhr9u/ublock_origin_1220_is_out/f0catse/ +! https://forums.lanik.us/viewtopic.php?p=149797#p149797 +@@||viafoura.*^$script,domain=20minutes.fr +@@||rcijeux.fr/game/20minutes/$frame,domain=20minutes.fr + +! https://github.com/NanoMeow/QuickReports/issues/283 +@@||opgg-static.akamaized.net/*/tracker.js$script,domain=op.gg + +! To counter the adswizz filter in Peter Lowe's list +||adswizz.com^$badfilter +||adswizz.com^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/d6zbqv/login_popup_for_disqus_being_blocked/ +@@||disqus.com/next/login/$popup + +! https://github.com/uBlockOrigin/uAssets/issues/6334 +||rtl.de/pf/resources/js/videotracking.min.js$script,redirect=noopjs,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6338 +@@||gstatic.com/*/adwords/partnerspublic/partners_public_*/partners/main.dart.js$script + +! https://www.reddit.com/r/uBlockOrigin/comments/d8uc9z/remove_peter_lowes_list_from_company_ublock/f1ed6id/ +@@||en25.com^$image,domain=eloquaeditors.com + +! https://github.com/uBlockOrigin/uAssets/issues/6352 +@@||googletagmanager.com/gtm.js$script,domain=carvana.com + +! https://github.com/NanoMeow/QuickReports/issues/1319 +@@||moatads.com/aolvidibleapi*$script,domain=bloombergquint.com + +! https://github.com/easylist/easylist/issues/4114 +/thermostat.js$badfilter +/thermostat.js$script,domain=royle.com + +! https://github.com/uBlockOrigin/uAssets/issues/6401 +! https://www.reddit.com/r/uBlockOrigin/comments/14ru0x8/ +@@||ad.admitad.com/g/*&ulp=http$doc + +! https://www.reddit.com/r/uBlockOrigin/comments/ddlli7/blocking_on_quest_od_uk_causes_video_error/ +@@||litix.io/videojs/$script,domain=questod.co.uk + +! https://github.com/easylist/easylist/issues/4108 +||unileversolutions.com/*/config/analytics.js$script,3p,important,redirect=noopjs + +! https://forums.lanik.us/viewtopic.php?f=64&t=43671&p=150291#p150286 +||farnell.com/*tracking.js$script,1p,redirect=noopjs + +! https://www.reddit.com/r/uBlockOrigin/comments/dg0679/load_more_comments_not_working/ +! https://github.com/AdguardTeam/AdguardFilters/issues/147282 +@@||x.kinja-static.com/assets/packaged-js/trackers$script +||x.kinja-static.com/assets/packaged-js/trackers$script,domain=clickhole.com|deadspin.com|gizmodo.com|jalopnik.com|jezebel.com|kotaku.com|lifehacker.com|splinternews.com|theinventory.com|theonion.com|theroot.com|thetakeout.com,important +clickhole.com,deadspin.com,gizmodo.com,jalopnik.com,jezebel.com,kotaku.com,lifehacker.com,splinternews.com,theinventory.com,theonion.com,theroot.com,thetakeout.com##+js(set, ga, noopFunc) + +! https://forums.lanik.us/viewtopic.php?f=64&t=43663#p150230 +||ultimedia.com/api/widget/$xhr,domain=techradar.com|tomsguide.com|tomshardware.com|videogamer.com + +! https://github.com/NanoMeow/QuickReports/issues/2023 +@@||bazaarvoice.com/prod/static/*/bv-analytics.js$script,domain=chemistwarehouse.com.au + +! https://www.reddit.com/r/uBlockOrigin/comments/dhfvp8/the_buy_buttons_on_my_website_are_being_hidden_by/ +@@||authorityhacker.com/wp-content/*/plugins/duracelltomi-google-tag-manager/*$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/di9zaq/ublock_origin_breaking_page_but_not_blocking/ +@@||parse.ly/page-data/help/api/analytics/$xhr,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/diaoj6/comments_no_longer_loading_on_masslivecom/f3umxm9/?context=8&depth=9 +@@||viafoura.co^$domain=masslive.com + +! https://github.com/gorhill/uBO-Extra/issues/119#issuecomment-543469244 +*/videoplayback?expire$media,redirect=noopmp3-0.1s,domain=webmd.com + +! https://github.com/uBlockOrigin/uAssets/issues/6456 +@@||googletagmanager.com/gtm.js$script,domain=eclipse.org + +! https://www.reddit.com/r/uBlockOrigin/comments/dktx86/weather_radar_not_showing_up_on_website/ +@@||modules-prod.franklyinc.com/cml.js$script,domain=newson6.com + +! https://news.ycombinator.com/item?id=21325661 +arstechnica.com#@#a[href^="https://www.amazon."][href*="tag="] + +! https://github.com/NanoMeow/QuickReports/issues/2114 +@@||webticketing2.cinestar.de/app/scripts/provider/GoogleTagManager.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6474 +@@||analytics.analytics-egain.com/onetag/$script,domain=xfinity.com + +! https://github.com/uBlockOrigin/uAssets/issues/6480 +||pushengage.com^$badfilter + +! https://github.com/easylist/easylist/issues/4185 +! https://github.com/uBlockOrigin/uAssets/issues/8616 +*/dw-tracking$script,important,redirect=noopjs,domain=techrepublic.com +||adtech.redventures.io/lib/*/bidbarrel-techrepublic-$script,important,redirect=noop.js,domain=techrepublic.com|zdnet.com + +! https://github.com/easylist/easylist/issues/4203 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,important,domain=player.earthtv.com + +! https://github.com/uBlockOrigin/uAssets/issues/6490 +@@||dogtime.com/wp-content/plugins/bwp-minify/min/*-google-analytics-$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/8133 +@@||los40.com^$ghide +@@||epimg.net^$image,domain=los40.com +! @@*/*slot*.js$script,xhr,domain=los40.com +@@||epimg.net/js/pbs/prebid$script,domain=los40.com +@@||epimg.net/js/comun/avisopcdidomi2.js$script,domain=los40.com +@@||doubleclick.net/tag/js/gpt.js$script,domain=los40.com +@@||doubleclick.net/gpt/pubads_impl_$script,domain=los40.com +@@||doubleclick.net/gampad/ads?$xhr,domain=los40.com +||googlesyndication.com/safeframe/*/container.html$frame,redirect=noop.html,domain=los40.com +||vod.playoncenter.com/videos/*.mp4$media,domain=los40.com +||streamtheworld.com/ondemand/creative?cat=cm-preroll$xhr,redirect=nooptext,domain=los40.com +los40.com##+js(ra, class|style, div[id^="los40_gpt"]) +los40.com##+js(set, huecosPBS.nstdX, null) +stories.los40.com##+js(json-prune, config.globalInteractions.[].bsData) +los40.com##[class^="advertising"] +los40.com##iframe[id^="google_ads_iframe"]:style(max-height: 1px !important;) +los40.com##div[id^="google_ads_iframe_"]:style(max-height: 1px !important;) +los40.com##.amp-animate:remove() +los40.com##.estirar.envoltorio_publi +los40.com##.publi_luto_horizontal:style(max-height: 1px !important;) +los40.com##.publi_luto_vertical +los40.com##.cont_webpush +los40.com###adunit +! https://los40.com/los40/2020/11/20/videos/1605885399_459822.html - video broken when pausing +@@||assets.adobedtm.com/extensions/*/AppMeasurement.min.js$script,domain=los40.com +! https://www.reddit.com/r/uBlockOrigin/comments/14anfyg/ +los40.com##+js(set, DTM.trackAsyncPV, noopFunc) +los40.com##+js(no-fetch-if, googlesyndication) + +! https://forums.lanik.us/viewtopic.php?f=64&p=150848#p150848 +@@||safecurr.g2afse.com/click?pid=*&offer_id$popup + +! https://github.com/NanoMeow/QuickReports/issues/2199 +@@||tvtime.com/ga-assets/*$1p + +! https://www.reddit.com/r/uBlockOrigin/comments/drl79f/ublock_is_blocking_button_actions_on_page/ +@@||epaper.eenadu.net/Home/GetAds$xhr,1p +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=epaper.eenadu.net +@@||securepubads.g.doubleclick.net/gpt/pubads_impl$script,domain=epaper.eenadu.net + +! https://github.com/uBlockOrigin/uAssets/issues/6518 +@@||taboola.com^$script,domain=gizmodo.com.au|lifehacker.com.au + +! chess table broken https://2700chess.com/games/vachier-lagrave-wei-r1.1-hamburg-2019-11-03 +@@||2700chess.com/js/analysis.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6523 +||assets.adobedtm.com/*/satelliteLib$script,redirect=noopjs,domain=8world.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=noopjs,domain=8world.com +||player.ooyala.com^$script,redirect-rule=noopjs,domain=8world.com +||scorecardresearch.com/*/plugins/$script,redirect=noopjs,domain=8world.com + +! broken site https://www.sky.com/watch/title/series/090664e1-402f-492b-ac52-595aed218812/britannia +@@||analytics.global.sky.com/sky-tags/*/sky-tags-without-adobe.min.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2255 +@@||sourcepoint.vice.com^$script,xhr,domain=video.vice.com + +! https://github.com/NanoMeow/QuickReports/issues/2253 +@@||mac-torrent-download.net^$ghide +mac-torrent-download.net##[href^="//sundhopen.site/"] + +! https://github.com/uBlockOrigin/uAssets/issues/7910 +@@||metacritic.com/js/omniture/uuid.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6539 +@@||pinpng.com^$css,1p +@@||pngfind.com^$css,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/dvha50/having_issues_with_twitter_embeds_on_kotakucomau/ +@@||automate-prod.s3.amazonaws.com/minified_logic.js$xhr,domain=kotaku.com.au + +! https://github.com/NanoMeow/QuickReports/issues/2274 +@@||googletagservices.com/tag/js/gpt.js$script,domain=phonearena.com + +! https://github.com/NanoMeow/QuickReports/issues/232#issuecomment-555086451 +pcgamer.com#@#.hawk-widget + +! https://forums.lanik.us/viewtopic.php?f=64&t=43885 +@@||spankmasters.com/EmbedPlayer.aspx$frame + +! broken videos on reuters.com +! https://github.com/uBlockOrigin/uAssets/issues/8447#issuecomment-1077703228 +! https://github.com/uBlockOrigin/uAssets/issues/8447#issuecomment-1579287955 +@@||reutersmedia.net/*/js/rcom-scroll-tracker.js$script,domain=reuters.com +@@||cdn.permutive.com^$script,domain=reuters.com +@@||api.permutive.com/*/batch/$xhr,domain=reuters.com +@@||api.permutive.com/v2.0/*$xhr,domain=reuters.com +@@||googletagmanager.com/gtm.js$script,domain=reuters.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$script,domain=reuters.com +! https://github.com/AdguardTeam/AdguardFilters/issues/152828 +@@||pixel.adsafeprotected.com/services/pub$xhr,domain=reuters.com +! https://github.com/uBlockOrigin/uAssets/issues/19382 +@@||try.abtasty.com^$script,domain=reuters.com +||try.abtasty.com/shared/analytics$script,domain=reuters.com,important +! https://www.reddit.com/r/uBlockOrigin/comments/1bpu6ag/anyway_to_block_ads_on_reuters_on_android_firefox/ +reuters.com#@#[class^="primary-video__container_"] +! https://github.com/uBlockOrigin/uAssets/issues/23365 +reuters.com##ul[class^="cluster__stories"] > li[class^="cluster__cluster-basic"][class*="cluster__column-left"]:style(margin-left: 17.0418006431vw !important;) +reuters.com##ul[class^="cluster__stories"] > li[class^="cluster__cluster-hub"][class*="cluster__column-middle"][class*="cluster__break-after"]:style(margin-bottom: 100px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/6601 +@@||cdn.mxpnl.com/libs/mixpanel-*-latest.min.js$script,domain=groupme.com + +! https://github.com/NanoMeow/QuickReports/issues/2328 +@@||googletagmanager.com^$script,domain=subscriptions.amd.com +@@/gtm.js$script,domain=subscriptions.amd.com + +! https://github.com/uBlockOrigin/uAssets/issues/6613 +@@||googletagmanager.com/gtm.js$script,domain=pochta.ru +@@||google-analytics.com/analytics.js$script,domain=pochta.ru + +! https://forums.lanik.us/viewtopic.php?f=64&t=43928 +@@||captcha.px-cdn.net^$script +@@||perimeterx.net/api/v2/collector/ocaptcha$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/4542#issuecomment-559369797 +@@||mixdrop.co^$frame + +! https://forums.lanik.us/viewtopic.php?f=64&t=43926 +@@||promo.com/shopify/shopify-store-script.js$script +@@||promo.local/shopify/shopify-store-script.js$script +@@||promo.com/shopify-backend/*/user-videos/public/video-urls$xhr + +! https://www.reddit.com/r/uBlockOrigin/comments/e4zk0b/live_chat_link_disappears_when_ublock_is_enabled/ +@@||googletagmanager.com/gtm.js$script,domain=thenorthface.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=43950&p=151548#p151548 +@@||tag.rightmessage.com^$domain=conservation-careers.com + +! https://www.reddit.com/r/uBlockOrigin/comments/e6do2r/seems_like_ublock_is_blocking_too_much/f9qd3ak/ +@@||tags.bkrtx.com/js/bk-coretag.js$script,domain=thequint.com + +! https://forums.lanik.us/viewtopic.php?f=91&t=43718&p=151658#p150548 +||systeme.io^$~image,3p,badfilter + +! https://www.reddit.com/r/uBlockOrigin/comments/e6lash/cant_log_in_on_digital_news_website/ +@@||track.tagesanzeiger.ch^$script,1p +@@||tagger.opecloud.com^$xhr,domain=tagesanzeiger.ch +@@||tgt.tamedia.ch/*/api/$xhr,domain=tagesanzeiger.ch +! https://github.com/uBlockOrigin/uAssets/issues/6729 +@@||tdn.da-services.ch/libs/prebid$script,domain=tagesanzeiger.ch + +! https://github.com/uBlockOrigin/uAssets/issues/6673 +@@||amazon.jobs/assets/analytics-$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2466 +@@||en25.com^$script,domain=oracle.com +||t.eloqua.com^$badfilter +||t.eloqua.com^$3p +! https://github.com/uBlockOrigin/uAssets/issues/23370 +@@||t.eloqua.com^$xhr,domain=natera.com +! https://www.fortinet.com/resources/reports/fortirecon-threat-intelligence-report-summer-olympics - form submission breakage +! https://github.com/uBlockOrigin/uAssets/issues/25601 +@@||t.eloqua.com/e/$xhr,frame,3p + +! https://www.wilderssecurity.com/threads/ublock-a-lean-and-fast-blocker.365273/page-166#post-2878656 +@@||google-analytics.com/ga.js$script,domain=bimi.jorudan.co.jp + +! https://github.com/uBlockOrigin/uAssets/issues/707#issuecomment-565051652 +! broken videos at telegraph.co.uk the videos are behind a paywall +! example https://www.telegraph.co.uk/news/2020/06/18/like-churchill-de-gaulle-1940-britain-france-united-against/ +@@||notice.sp-prod.net^$frame,domain=telegraph.co.uk +@@||tags.crwdcntrl.net/*/cc.js$script,domain=telegraph.co.uk +! https://github.com/uBlockOrigin/uAssets/issues/12635 +||adobedtm.com^*/satellitelib-$script,domain=telegraph.co.uk,important +telegraph.co.uk##+js(set, _satellite, {}) +telegraph.co.uk##+js(set, _satellite.getVisitorId, noopFunc) + +! https://github.com/NanoMeow/QuickReports/issues/2489 +@@||costco.com.mx/*/js/trackermediator.js$script,1p + +! fix player volume button +yugioh.com##.cookie-policy-container-invisible.cookie-policy-container + +! https://github.com/NanoMeow/QuickReports/issues/2499 +@@||google.com/js/gweb/analytics/doubletrack.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/2502 +@@||acdn.adnxs.com/video/mediation/$script,domain=thechive.com +@@||acdn.adnxs.com/video/player/vastPlayer/VastPlayer.js$script,domain=thechive.com +@@||petametrics.com^$script,domain=thechive.com + +! https://github.com/uBlockOrigin/uAssets/issues/6693 +||advertising.com^$badfilter +||advertising.com^$3p + +! https://forums.lanik.us/viewtopic.php?f=64&t=43962&p=151979#p151600 +@@||static.goolive.de/media/static/images/smileys/ad.gif$image + +! https://github.com/NanoMeow/QuickReports/issues/2526 +||gratis.com/file/*/global/gtm.min.js$script,1p,redirect=noopjs + +! https://github.com/NanoMeow/QuickReports/issues/1261 +@@||viu.com/*/tracking/$script,1p +||amazonaws.com^$xhr,redirect-rule=nooptext,domain=viu.com +viu.com##.ad-ph +viu.com##.banner_ad_label +! https://www.reddit.com/r/uBlockOrigin/comments/100djj5/ +viu.com##+js(no-xhr-if, mobileanalytics) + +! https://github.com/uBlockOrigin/uAssets/issues/6723 +@@||ak.sail-horizon.com/spm/spm$script,domain=watch.wwe.com + +! https://github.com/uBlockOrigin/uAssets/issues/6744 +@@||aliexpress.com^*?af=$3p,popup,domain=umidigi.com + +! https://github.com/uBlockOrigin/uAssets/issues/6769 +! https://github.com/NanoMeow/QuickReports/issues/2628 +! https://github.com/AdguardTeam/AdguardFilters/issues/70398 +begadistrictnews.com.au,bendigoadvertiser.com.au,goulburnpost.com.au,maitlandmercury.com.au,newcastleherald.com.au##.subscribe-article .subscriber-hider:style(display:block!important) +begadistrictnews.com.au,bendigoadvertiser.com.au,goulburnpost.com.au,maitlandmercury.com.au,newcastleherald.com.au##.subscribe-article .subscribe-truncate:style(max-height:unset!important;order:unset!important;) +begadistrictnews.com.au,bendigoadvertiser.com.au,goulburnpost.com.au,maitlandmercury.com.au,newcastleherald.com.au##.subscribe-article .subscribe-truncate::before:style(background:none!important;) + +! whentai .com broken pages +@@||whentai.com/combine.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6793 +@@||googletagmanager.com/gtm.js$script,domain=kaspersky.fr +@@||google-analytics.com/analytics.js$script,domain=kaspersky.fr + +! https://www.reddit.com/r/uBlockOrigin/comments/elt1tf/cant_use_fandomcom_search_function_with_ublock/ +@@||wikia.nocookie.net/*/abtesting,$script,domain=fandom.com + +! https://github.com/uBlockOrigin/uAssets/issues/6806 +@@||nowgoal.com/Control/GetAd.aspx$script,1p +nowgoal.com##[href^="/ad/"] + +! https://github.com/NanoMeow/QuickReports/issues/1060#issuecomment-573116039 +@@||afcs.dellcdn.com^$css,domain=dell.com + +! https://github.com/NanoMeow/QuickReports/issues/2731 +@@||downloadgameps3.com/wp-content/plugins/*/wpdcookiejs/customcookie.js$script,1p + +! https://forums.lanik.us/viewtopic.php?p=152412#p152412 +@@||ccdn.es/advertising-UseCases-factory-js-factory.$script,domain=coches.net + +! Idealista rental listing is not shown on third-party websites +||idealista.com^$3p,domain=~idealista.com,badfilter + +! https://github.com/NanoMeow/QuickReports/issues/2771 +@@||apollo-ireland.akamaized.net/*/files/*$image,domain=otodom.pl + +! https://github.com/uBlockOrigin/uAssets/issues/6558 +@@||bloomberg.com/*/captcha/captcha.js$script,1p +@@||hotelscombined.com/*/captcha/captcha.js$script,1p +@@||seekingalpha.com/*/captcha/$script,1p +@@||pxchk.net/api/*/collector/ocaptcha$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/6853 +@@||coreldraw.com/static/common/scripts/omni-tracking/omni-tracking.min.js$script,1p +@@||ipm.corel.com/static/common/scripts/omni-tracking/omni-tracking.min.js$script,1p +@@||securepubads.g.doubleclick.net^$script,domain=bearteach.com +bearteach.com###externalinject-gpt-passback-iframe + +! broken pages / videos due to blocking recoco +@@||recoco.it^$image,xhr,domain=heavy-r.com|porngo.com|showbiz.cz|bodysize.org + +! as suggested https://www.reddit.com/r/uBlockOrigin/comments/esv7pe/servicehotelscom_not_working_properly_with_ublock/ +@@||travel-assets.com/datacapture/$script,domain=service.hotels.com + +! https://github.com/uBlockOrigin/uAssets/issues/6869 +@@||google-analytics.com/analytics.js$script,domain=payment.mts.ru + +! https://github.com/uBlockOrigin/uAssets/issues/6871 +@@||src.litix.io/jwplayer/$script,domain=video.eurosport.com +@@||assets.adobedtm.com/extensions/*/AppMeasurement.min.js$script,domain=video.eurosport.com + +! videos broken hideout .co +@@||services.brid.tv/player/build/plugins/adunit.js$script,domain=hideout.co +@@||hideout.*^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6879 +@@||en25.com^$domain=plan.seek.intel.com + +! https://github.com/NanoMeow/QuickReports/issues/2852 +@@/embed/*$frame,domain=underhentai.net + +! https://github.com/uBlockOrigin/uAssets/issues/6394#issuecomment-578846960 +@@||uiz.io/links/popad$popup + +! https://github.com/NanoMeow/QuickReports/issues/2859 +@@||mediadebrid34.site/ads1/css/*$css,1p + +! ilmeteo .it broken video +@@||4strokemedia.com^$xhr,script,domain=ilmeteo.it +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,redirect=noopjs,domain=ilmeteo.it + +! https://github.com/NanoMeow/QuickReports/issues/2923 +dziennikbaltycki.pl,dzienniklodzki.pl,dziennikpolski24.pl,dziennikzachodni.pl,echodnia.eu,expressbydgoski.pl,expressilustrowany.pl,gazetakrakowska.pl,gazetalubuska.pl,gazetawroclawska.pl,gk24.pl,gloswielkopolski.pl,gol24.pl,gp24.pl,gra.pl,gs24.pl,kurierlubelski.pl,motofakty.pl,naszemiasto.pl,nowiny24.pl,nowosci.com.pl,nto.pl,polskatimes.pl,pomorska.pl,poranny.pl,sportowy24.pl,strefaagro.pl,strefabiznesu.pl,stronakobiet.pl,telemagazyn.pl,to.com.pl,wspolczesna.pl#@#+js(set-constant, pp_adblock_is_off, trueFunc) + +! netaffiliation .com Peter Lowe's +||metaffiliation.com^$badfilter +||metaffiliation.com^$3p,domain=~netaffiliation.com +||netaffiliation.com^$badfilter +||netaffiliation.com^$3p + +! https://github.com/NanoMeow/QuickReports/issues/254#issuecomment-583161266 +@@||jssdkcdns.mparticle.com/js/*/mparticle.js$script,domain=nbc.com + +! https://github.com/NanoMeow/QuickReports/issues/2990 +@@||gamepciso.com/wp-content/plugins/*/wpdcookiejs/customcookie.js$script,1p + +! https://github.com/NanoAdblocker/NanoFilters/issues/455#issuecomment-585289023 +@@||sourcepoint.mgr.consensu.org/$xhr,domain=spiegel.de + +! https://www.reddit.com/r/uBlockOrigin/comments/f2n92g/pornhub_stuck_forever_loading_video_only_when/ +@@||gstatic.com^$script,domain=pornhub.com|pornhub.org|pornhub.net + +! https://github.com/NanoMeow/QuickReports/issues/3053 +@@||unifi.com.my/*/gtm.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/6957 +||fox43.com/assets/js-libs/comscore/comscore.min.js$script,redirect=noop.js,1p + +! https://forums.lanik.us/viewtopic.php?p=153022#p153022 +@@||qualifioapp.com^$script,frame,domain=football365.fr + +! https://github.com/uBlockOrigin/uAssets/issues/6970 +||5newsonline.com/assets/*/comscore.min.js$script,1p,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/6990 +||blockadblock.com^$badfilter +||blockadblock.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/7003 +@@||try.abtasty.com/$script,domain=shop.euromaster.de +@@||google-analytics.com/analytics.js$script,domain=shop.euromaster.de + +! https://github.com/uBlockOrigin/uAssets/issues/7004 +@@||redfin.com/rift$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/7005 +! https://github.com/uBlockOrigin/uAssets/issues/7012#issuecomment-592815205 +||cedexis.com^$3p,badfilter + +! Conversation broken allthingsvegas .com +@@||pix.spot.im/api/$xhr,domain=allthingsvegas.com + +! https://github.com/uBlockOrigin/uAssets/issues/7019 +amnews.com###div-gpt-ad-instory-bottom + +! https://www.reddit.com/r/uBlockOrigin/comments/fac407/airtelin_login_broken_with_default_list/ +@@||adobedtm.com^*/satellitelib-$script,domain=airtel.in + +! bz-berlin.de broken video player +@@||showheroes.com/playlist/*$xhr,domain=bz-berlin.de +@@||static.showheroes.com^$script,domain=bz-berlin.de +@@||video-library.showheroes.com^$script,domain=bz-berlin.de + +! https://www.reddit.com/r/uBlockOrigin/comments/faqspo/ublock_breaks_the_site/ +@@||firestonecompleteautocare.com/*/VisitorAPI.js$script,1p + +! https://github.com/easylist/easylist/issues/5013 +@@||piwik.discoursehosting.net^$domain=forum.matomo.org + +! https://github.com/uBlockOrigin/uAssets/issues/7001 +||spade.sci.twitch.tv^$badfilter +||spade.sci.twitch.tv^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/7030 +||ntv.io^$badfilter +||ntv.io^$3p,badfilter +||ntv.io^$3p,domain=~teslarati.com + +! https://github.com/uBlockOrigin/uAssets/issues/7036 +@@||modules-prod.franklyinc.com/cml.js$script,domain=news9.com + +! https://github.com/uBlockOrigin/uAssets/issues/7038 +@@||nbc29.com/*/arcAdsJS/$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/3214 +@@||cloudfront.net/wp-content/themes/visualdna-com/*$css,domain=visualdna.com + +! https://github.com/NanoMeow/QuickReports/issues/3218 +@@||googletagmanager.com/gtm.js$script,domain=vier.be + +! https://www.reddit.com/r/uBlockOrigin/comments/fextvk/ublock_blocking_moosend_web_form/ +@@||cdn.stat-track.com/statics/moosend-tracking.min.js$script,domain=miranpeterman.com + +! https://www.reddit.com/r/uBlockOrigin/comments/ff20to/currently_having_an_issue_with_uniquestreamnet/ +@@||wpfc.ml/b.gif$image,domain=uniquestream.net + +! https://www.reddit.com/r/uBlockOrigin/comments/ew4m1h/ +! https://www.reddit.com/r/uBlockOrigin/comments/worqwb/ +@@||bamgrid.com^$domain=disneyplus.com|starplus.com + +! https://www.reddit.com/r/uBlockOrigin/comments/fftyuf/annoying_message_in_portuguese_sites/ +@@||googletagservices.com/tag/js/gpt.js$script,domain=abola.pt +@@||securepubads.g.doubleclick.net/gpt/pubads_impl$script,domain=abola.pt +@@||tpc.googlesyndication.com/safeframe/*/container.html$other,domain=abola.pt +@@||securepubads.g.doubleclick.net/gampad/$xhr,domain=abola.pt +! broken slide +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=jn.pt|ojogo.pt|plataformamedia.com +@@||securepubads.g.doubleclick.net/gpt/pubads_impl$script,domain=jn.pt|ojogo.pt|plataformamedia.com + +! https://github.com/uBlockOrigin/uAssets/issues/7092 +@@||pingjs.qq.com/h5/stats.js$script,domain=ushareit.com + +! https://forums.lanik.us/viewtopic.php?p=153533#p153533 +@@||coral.coralproject.net^ + +! https://github.com/NanoMeow/QuickReports/issues/3319 +@@||ak.sail-horizon.com/spm/spm$script,domain=cnbc.com + +! https://github.com/NanoMeow/QuickReports/issues/3362 +examiner.com.au,theadvocate.com.au,thecourier.com.au##.subscriber-hider:style(display:inherit!important) +examiner.com.au,theadvocate.com.au,thecourier.com.au##.subscribe-truncate::before:style(background:none!important) +examiner.com.au,theadvocate.com.au,thecourier.com.au##.subscribe-truncate:style(order:0!important;max-height:inherit!important) + +! https://github.com/uBlockOrigin/uAssets/issues/7140 +||widgets.outbrain.com/outbrain.js$script,redirect=noopjs,domain=newsbreak.com + +! https://github.com/uBlockOrigin/uAssets/issues/7125 +@@||images.digi.com.my/*/google_tag/*$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/7156 +||widgets.outbrain.com/outbrain.js$script,redirect=noopjs,domain=bongino.com + +! https://www.mariogames.be/es-Super_Bomberman_5_Snes_Game +mariogames.be#@##adsContainer +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=mariogames.be + +! elpais.com +@@||epimg.net^$image,domain=elpais.com +@@||epimg.net/js/comun/comun.min.js$script,domain=elpais.com +@@||epimg.net/js/comun/*/lazyload.min.js$script,domain=elpais.com + +! https://github.com/NanoMeow/QuickReports/issues/3367#issuecomment-604698224 +||static.adsafeprotected.com/vans-adapter-google-ima.js$script,redirect=noopjs,domain=forbes.com + +! https://forums.lanik.us/viewtopic.php?p=153771#p153771 +pornhub.com#@#a[href^="https://www.moscarossa.biz/"] +torino2006.it#@#a[href^="https://www.moscarossa.biz/"] +recensionihot.com#@#a[href^="https://www.moscarossa.biz/"] + +! https://github.com/uBlockOrigin/uAssets/issues/7165 +@@||inside-graph.com^$domain=bergdorfgoodman.com|horchow.com|lastcall.com|neimanmarcus.com + +! https://github.com/uBlockOrigin/uAssets/issues/7166 +@@||bounceexchange.com^$domain=thelaundress.com + +! animeland .us download buttom broken +@@||animeland.us^$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/7173 +@@||cdn.broadstreetads.com/init-*min.js$script,domain=vtdigger.org + +! https://www.reddit.com/r/uBlockOrigin/comments/fro2n2/captcha_does_not_load_in_kissanimeru/fm0h3pd/?context=8&depth=9 +@@||hcaptcha.com/captcha/$xhr + +! CNAME akinator .com +@@||akinator.com.cdn.ezoic.net^$css,font,image,script,domain=akinator.com + +! https://www.reddit.com/r/uBlockOrigin/comments/ftmipe/help/ +||onemanhua.com/js/dynamicjs.js$badfilter + +! nascar .com videos broken +! https://www.reddit.com/r/uBlockOrigin/comments/10ir17a/ +! https://www.reddit.com/r/uBlockOrigin/comments/1bv0s4q/nascarcom_videos_wont_load/ +@@||nascar.com/*/ads/prebid8.$script,1p +@@||nascar.com^$xhr,domain=imsa.com|nascar.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=imsa.com|nascar.com,redirect=google-ima.js +@@||moatads.com/nascar$script,domain=nascar.com +@@||mb.moatads.com^$script,domain=nascar.com +@@||nascar.com/tagmanager/*/prod/advertising-tags.js$script,1p + +! https://forums.lanik.us/viewtopic.php?f=64&t=44525 +||allporncomic.com^*=$script,badfilter + +! https://www.reddit.com/r/uBlockOrigin/comments/fvdiij/ublockorigin_blocking_a_site_we_own/ +@@||js.maxmind.com/js/apis/geoip2/*/geoip2.js$script,domain=12handz.com + +! https://github.com/NanoMeow/QuickReports/issues/3448 +@@||downdetector.com/*/javascript/adscript.js$script +@@||static.ziffdavis.com/sitenotice/evidon-barrier.js$script,domain=allestoringen.*|downdetector.*|xn--allestrungen-9ib.* +@@||static.ziffdavis.com/sitenotice/*/translations/$script,domain=allestoringen.*|downdetector.*|xn--allestrungen-9ib.* +! https://github.com/uBlockOrigin/uAssets/issues/8974 +@@||securepubads.g.doubleclick.net/gpt/pubads_$script,domain=allestoringen.*|downdetector.*|xn--allestrungen-9ib.* + +! https://forums.lanik.us/viewtopic.php?p=154035#p154035 +@@||imasdk.googleapis.com/js/sdkloader/ima3$script,domain=vmf.edge-apps.net +@@||iframe.statics.space/magma/stable/libs/contribAds/*/videojs.ads.min.js$script,domain=vmf.edge-apps.net + +! https://forums.lanik.us/viewtopic.php?p=154046#p154046 +! CNAME +@@||youtube-ui.l.google.com^$frame +@@||edgecastcdn.net^$script,frame +@@||twimg.twitter.map.fastly.net^$script + +! https://github.com/NanoMeow/QuickReports/issues/418#issuecomment-612550068 +*$image,css,3p,xhr,domain=thepiratebay.org,badfilter +*$xhr,domain=thepiratebay.org,badfilter + +! CNAME https://www.reddit.com/r/uBlockOrigin/comments/fzzua6/no_subtitle_on_uptostream_with_firefox/ +@@||uptobox.com^$xhr,domain=uptostream.com + +! CNAME https://github.com/NanoMeow/QuickReports/issues/3028#issuecomment-613626867 +@@||sp-prod.net^$script,xhr,domain=spiegel.de + +! https://github.com/uBlockOrigin/uAssets/issues/2503 +@@||hulkshare.com/combine/*$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/3580 +@@||assets.adobedtm.com/*/satelliteLib-$script,domain=mitelcel.com + +! https://github.com/NanoAdblocker/NanoFilters/issues/480 +|https://$frame,3p,domain=series9.to,badfilter + +! CNAME https://github.com/uBlockOrigin/uAssets/issues/7264 +@@||pxys.ezoic.net^$font,domain=forum.thaivisa.com + +! https://github.com/easylist/easylist/issues/5214 +||techsidea.website^$popup,badfilter +||onlineshopping.website^$popup,3p,badfilter + +! https://github.com/NanoMeow/QuickReports/issues/3636 +@@||quiz.stroeermediabrands.de/$script,xhr,domain=kino.de + +! https://mod.reddit.com/mail/all/djas6 +@@||geo-targetly.com/geolocation$3p,script,domain=stache.com + +! trafic .ro blocked Peter Lowe's +||trafic.ro^$badfilter +||trafic.ro^$3p + +! https://github.com/NanoMeow/QuickReports/issues/3632#issuecomment-621503457 +|https://$script,3p,domain=thepiratebay.org,badfilter + +! https://github.com/AdguardTeam/AdguardFilters/issues/54684 +*$script,3p,domain=animepahe.com,badfilter + +! https://www.reddit.com/r/uBlockOrigin/comments/gbends/search_result_blocked_by_easylist_filter/ +@@||google.*/search$popup + +! https://github.com/NanoMeow/QuickReports/issues/3720 +*$script,3p,domain=putlockertv.to,badfilter + +! https://github.com/NanoMeow/QuickReports/issues/2590#issuecomment-622422589 +@@||js.duhnet.tv/*/player/html5/$script,domain=cnnturk.com + +! https://github.com/NanoMeow/QuickReports/issues/2130#issuecomment-622965678 +@@||scdn.co/cdn/js/gtag.$script,domain=spotify.com +@@||spclient.wg.spotify.com/$xhr,domain=spotify.com + +! https://github.com/uBlockOrigin/uAssets/issues/7306 +||d26b395fwzu5fz.cloudfront.net/keen-tracking-$script,redirect=noopjs,domain=campaign.stickr.co + +! https://github.com/NanoMeow/QuickReports/issues/3749 +||valuecommerce.com^$badfilter +||valuecommerce.com^$3p + +! unbreak asianclub player +@@||asianclub.*/asset/default/player/plugins/vast$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/3763 +wallpaperaccess.com#@#.ads1 +wallpaperaccess.com##+js(nano-sib) + +! https://forums.lanik.us/viewtopic.php?p=154477#p154477 +@@||svc.dynamics.com^*t/$frame +||svc.dynamics.com/f/m/ + +! https://github.com/NanoMeow/QuickReports/issues/3613#issuecomment-624193788 +washingtonpost.com#@#.pb-md.pt-md + +! https://www.reddit.com/r/uBlockOrigin/comments/gen8cr/ublock_causing_some_webpages_to_load_blank_on/ +order-order.com#@#.tag-sponsored + +! broken by french list https://github.com/uBlockOrigin/uAssets/issues/6851#issuecomment-626328180 +*$frame,3p,domain=vidcloud9.com,badfilter + +! unbreak clipwatching player on firefox + +! CNAME broken video pornerbros .com +@@||amazonaws.com^$xhr,domain=pornerbros.com + +! femmeactuelle .fr broken videos +@@||tra.scds.pmdstatic.net/advertising-core/$script,xhr,domain=femmeactuelle.fr + +! moondoge.co.in unbreak timer +@@||moondoge.co.in/js/fingerprint2.js$script,1p + +! unbreak cartoonth12.com player +*$script,3p,domain=cartoonth12.com,badfilter + +! amazon_apstag.js +||amazon-adsystem.com/*/apstag.js$xhr,redirect-rule=amazon_apstag.js:5 +! https://github.com/uBlockOrigin/uAssets/issues/22486 +||amazon-adsystem.com/*/apstag.js$script,redirect-rule=amazon_apstag.js:5,domain=~republicbharat.com + +! https://github.com/uBlockOrigin/uAssets/issues/7397 +@@||reference.medscape.com/public/vptrack_iframe.html$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/7399 +*$script,image,css,frame,3p,domain=animetrick.com,badfilter + +! https://github.com/easylist/easylist/commit/7e832e28e337e99dca7ebfd82b080365f0967cae +||treasuredata.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7424 +@@||log.mmstat.com/eg.js$script,domain=youku.com +! https://github.com/AdguardTeam/AdguardFilters/issues/153515 +@@||ws.mmstat.com/ws$websocket,domain=v.youku.tv + +! https://github.com/uBlockOrigin/uAssets/issues/7429 +@@||insights-collector.newrelic.com/*/events$xhr,domain=diariosur.es|diariovasco.com|elcorreo.com + +! https://github.com/uBlockOrigin/uAssets/issues/7432 +||sibautomation.com^$frame,redirect=noopframe + +! https://github.com/uBlockOrigin/uAssets/issues/7435 +@@||api.ipstack.com/*access_key=$xhr,domain=acehardware.com + +! https://github.com/NanoMeow/QuickReports/issues/3892 +@@||c.s-microsoft.com/mscc/statics/*$css,domain=microsoft.com + +! https://github.com/uBlockOrigin/uAssets/issues/7438 +@@||pier1.com/static/*/js/analytics.bundle.js$script,1p + +! https://github.com/NanoMeow/QuickReports/issues/1659 +||streamplay.*/jquery-$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7439 +! https://github.com/uBlockOrigin/uAssets/issues/20628#issuecomment-2119339478 +*$image,redirect-rule=1x1.gif,domain=cadenaser.com + +! https://www.reddit.com/r/uBlockOrigin/comments/fini9h/subtitles_not_showing_up_on_solarmovieto/ +@@||fmovies.to/subtitles/*$xhr + +! https://github.com/NanoMeow/QuickReports/issues/3925 +@@||googletagmanager.com/gtm.js$script,domain=movistar.es + +! https://github.com/uBlockOrigin/uAssets/issues/7454 +! https://github.com/uBlockOrigin/uAssets/issues/13156 +! cb2.com, balance.vanillagift.com +@@||ssl.kaptcha.com/collect/sdk$script,xhr + +! https://github.com/uBlockOrigin/uAssets/issues/7456 +@@-ad0.$domain=azure.com +@@-ad1.$domain=azure.com +@@-ad2.$domain=azure.com +@@-ad3.$domain=azure.com +@@-ad4.$domain=azure.com +@@-ad5.$domain=azure.com + +! https://github.com/NanoMeow/QuickReports/issues/3943 +@@||wcs.naver.net/wcslog.js$script,domain=happymoney.co.kr + +! https://github.com/uBlockOrigin/uAssets/issues/7467 +*$script,redirect-rule=noopjs,domain=corriere.it + +! https://github.com/NanoMeow/QuickReports/issues/3970 +||cdn.parsely.com/keys/nfl.com/p.js$script,important,redirect=noop.js,domain=nfl.com + +! https://forums.lanik.us/viewtopic.php?p=154888#p154888 +*$popup,domain=uptobox.com,badfilter + +! CNAME https://forums.lanik.us/viewtopic.php?p=154928#p154928 +@@||sdv.fr^$script,domain=ladepeche.fr + +! https://forums.lanik.us/viewtopic.php?p=154953#p154953 +*$script,3p,domain=zt-za.com,badfilter +*$frame,3p,domain=zt-za.com,badfilter +*$script,3p,domain=zt-protect.com,badfilter +*$script,3p,domain=zt-protect.net,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7509 +@@||googletagmanager.com/gtm.js$script,domain=vw-sklep.pl + +! https://www.reddit.com/r/uBlockOrigin/comments/gwouix/how_to_get_around_sites_hiding_relevant_content/ +getcoloringpages.com#@#.adsBlock + +! https://github.com/AdguardTeam/AdguardFilters/issues/56799 +*$script,redirect-rule=noopjs,domain=hopkinssports.com + +! https://www.reddit.com/r/uBlockOrigin/comments/gx03e0/cloudfares_ddos_protection/ +/transparent.gif?ray=$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/6838 +||crazyegg.com^$badfilter +||crazyegg.com^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/gy800s/larenait_videos_are_broken/ +@@||media.larena.it/media/lib/cmp/quantcast.js$script,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=larena.it +*$script,domain=larena.it,redirect-rule=noopjs + +! unblock items on wotcheatmods +*$css,3p,domain=wotcheatmods.com,badfilter +*$script,3p,domain=wotcheatmods.com,badfilter +*$image,3p,domain=wotcheatmods.com,badfilter + +! https://github.com/NanoMeow/QuickReports/issues/4078 +@@||api.useinsider.com^$domain=lenovo.com +@@||image.useinsider.com/lenovosg/$image,domain=lenovo.com +@@||inside-graph.com^$domain=lenovo.com +@@||confirmit.com/api/$domain=lenovo.com + +! https://github.com/NanoMeow/QuickReports/issues/3663#issuecomment-643001491 +||opensubtitles.org^*.js|$script,domain=opensubtitles.org,badfilter + +! cutcaptcha.com|filecrypt.* CNAME +@@||bullads.net^$script,frame,xhr,domain=filecrypt.co|cutcaptcha.com|filecrypt.cc + +! https://github.com/AdguardTeam/AdguardFilters/issues/57295 +@@||static.motortrader.com.my/advert/$image,domain=motortrader.com.my + +! https://www.wilderssecurity.com/threads/ublock-a-lean-and-fast-blocker.365273/page-180#post-2922999 +@@||choice.faktor.io^$frame,script,xhr,domain=gids.tv + +! alidns.com CNAME +@@||alibaba.tanx.com^$domain=alidns.com + +! https://www.reddit.com/r/uBlockOrigin/comments/h8xspv/adobedtm_static_filter_breaks_page_functionality/ +@@||adobedtm.com^*/satellitelib-$script,domain=finishlibrary.steelcase.com + +! https://github.com/uBlockOrigin/uAssets/issues/7569 +@@||mensjournal.com.cdn.ezoic.net^$domain=mensjournal.com + +! youthhealthmag broken search +|https://$script,3p,domain=youthhealthmag.com,badfilter + +! vcpost broken search +|https://$script,3p,domain=vcpost.com,badfilter + +! universityherald broken search +|https://$script,3p,domain=universityherald.com,badfilter + +! vix .com broken page +@@||cdn.taboola.com/libtrc/$script,domain=vix.com + +! https://github.com/NanoMeow/QuickReports/issues/4172 +.net/ads/$badfilter + +! https://github.com/NanoMeow/QuickReports/issues/2057 +nfmovies.com#@#+js(aopr, $myui) +@@||nfmovies.com/static/side.jpg$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/4636#issuecomment-648915041 +|https://$xhr,3p,domain=cloudvideo.tv,badfilter +|https://$css,3p,domain=cloudvideo.tv,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7330#issuecomment-649186403 +@@||cdn.plyr.io/*/plyr.svg$xhr,domain=mp4upload.com + +! broken video on cookinggames .com +@@||bitent.com/lock_html5/adPlayer/v*/adPlayer.js$script,domain=cookinggames.com + +! unbreak saltspringexchange .com +saltspringexchange.com#@#.single-ad + +! broken videos youav .com +*$script,3p,domain=youav.com,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7614 +@@||wp.com/*/wp-content/plugins/master-slider/public/assets/css/blank.gif$image,domain=hearthstone-decks.net + +! aupetitparieur .com videos broken +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=aupetitparieur.com + +! https://github.com/uBlockOrigin/uAssets/issues/7623 +@@||pxys.ezoic.net^$domain=lanaciondigital.es + +! themeslide .com broken +*$xhr,redirect-rule=noopjs,domain=themeslide.com + +! https://github.com/NanoMeow/QuickReports/issues/4290 +@@||front.usereserva.com/libraries/*/GTM.min.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/hp7cm8/ +@@||fhi.no^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/7664 +||logsss.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7666 +@@||google.*^$cname + +! https://forums.lanik.us/viewtopic.php?f=62&t=44917 +/ads1.$badfilter + +! broken video player https://www.gmx.net/magazine/sport/fussball/bundesliga/transfermarkt-2020-bundesliga-coronakrise-euro-zweimal-umdrehen-34888082 +@@||fluid.4strokemedia.com/www/delivery/asyncspc.php$xhr,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=4strokemedia.com + +! https://github.com/uBlockOrigin/uAssets/issues/7676 +@@||cand.li/api/assets/$xhr,1p + +! https://forums.lanik.us/viewtopic.php?p=155737#p155737 +@@||cravitus.*/api/adverts/*$xhr,domain=cravitus.com|cravitus.lt + +! broken videos on pornhive .tv => videobin .co/embed +*$frame,3p,domain=pornhive.tv,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7686 +@@||s0.2mdn.net/ads/studio/Enabler.js$script,domain=kabum.com.br + +! https://github.com/NanoMeow/QuickReports/issues/2472 +@@||couponcabin.com/ga.*.js$1p + +! https://github.com/uBlockOrigin/uAssets/issues/7695 +||slickdeals.net/scripts/*/js-campaign-tracking.js$script,1p,redirect=noop.js +||slickdeals.net/scripts/*/SD_Analytics.js$script,1p,redirect=noop.js + +! https://github.com/NanoMeow/QuickReports/issues/4376 +! https://github.com/uBlockOrigin/uAssets/issues/16861 +@@||ezodn.com/detroitchicago/$script +@@||ezodn.com/detroitchicago/consentsettings.js +@@||ezodn.com/cmp/v2/cmp.js$script +@@||gvl.ezodn.com/gvlcache/GVL.json$xhr +@@||ezodn.com/v2/cmp.js$script +! https://github.com/uBlockOrigin/uAssets/issues/22051 +##.ez-sidebar-wall + +! https://forums.lanik.us/viewtopic.php?p=155897#p155897 +@@||xozilla.com^$cname + +! https://forums.lanik.us/viewtopic.php?p=155908#p155908 +||cxense.com^$badfilter +||cxense.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/7700 +@@||api.ipstack.com/check?access_key=$xhr +||ipstack.com^$badfilter + +! sedoparking .com unbreak +||sedoparking.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7706 +verizon.com##+js(set, newPageViewSpeedtest, noopFunc) +! Verizon chat broken (https://www.verizon.com/support/contact-us/) + +! unlock disqus stuff +*$script,3p,domain=hentaihaven.org,badfilter + +! https://github.com/NanoMeow/QuickReports/issues/4430#issuecomment-667551461 +humanbenchmark.com##+js(set, pubg.unload, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/7719 +@@||t8cdn.com/js/lazyload.min.js$script,domain=tube8.* + +! moviesweb .info thunbs + player broken +|https://$frame,3p,domain=moviesweb.info,badfilter +|https://$image,3p,domain=moviesweb.info,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/7723 +@@||message-fra.sp-prod.net^$script,xhr,domain=manager-magazin.de + +! https://github.com/uBlockOrigin/uAssets/issues/7728 +||doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices_gpt.js,domain=aristeguinoticias.com + +! https://www.reddit.com/r/uBlockOrigin/comments/i3nd76/cant_get_site_to_show_video/ +@@||news12.com^$frame,1p + +! https://github.com/NanoMeow/QuickReports/issues/4462 +! https://www.reddit.com/r/uBlockOrigin/comments/j2y8on/ +@@||treg.hearstnp.com/treg.js$script,domain=sfchronicle.com|sfgate.com + +! https://github.com/NanoMeow/QuickReports/issues/4465 +politico.com##+js(set, generateGalleryAd, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/9hy3s7/mlb_standings_not_working/ +! https://github.com/NanoMeow/QuickReports/issues/810 +! https://github.com/uBlockOrigin/uAssets/issues/6503 +||googlevideo.com^$media,redirect=noopmp4-1s,domain=mlb.com + +! CNAME science-et-vie .com broken by some "clever" regex in liste fr (imported by adguard fr) +@@||science-et-vie.com^$cname + +! https://github.com/NanoMeow/QuickReports/issues/4478 +@@||assets.adobedtm.com^*/mbox-contents-$script,domain=nsat.collegeboard.org + +! https://github.com/NanoMeow/QuickReports/issues/4253 +hubblespacetelescope.blogspot.com#@#.vertical-ads + +! tegna sites broken by -tracking.js? in EasyPrviacy +*/tegna-tracking.js$script,important,1p,redirect=noop.js + +! https://github.com/uBlockOrigin/uAssets/issues/7770 +@@||ogjs.infoglobo.com.br/*/scripts/templates/advertising/$script,domain=oglobo.globo.com + +! https://github.com/uBlockOrigin/uAssets/issues/7778 +@@||cdn.dynamicyield.com/api/$script,domain=washingtonexaminer.com + +! https://github.com/uBlockOrigin/uAssets/issues/7781 +@@||subaru.com/guides/*/libs/adobe/AppMeasurement.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/7784 +@@||track.rundschau-online.de/cre-1.0/tracking/$script,1p +@@||track.rundschau-online.de/*/static/jssdk.js$script,1p +@@||track.rundschau-online.de/*/api/$xhr,1p + +! https://github.com/NanoMeow/QuickReports/issues/4540 +officedepot.co.cr##+js(set, mediator, noopFunc) +officedepot.co.cr##+js(set, Object.prototype.subscribe, noopFunc) +! https://github.com/uBlockOrigin/uAssets/issues/20525 +! https://github.com/uBlockOrigin/uAssets/issues/22331 +||groupbycloud.com/gb-tracker-client-3.min.js$domain=officedepot.*,important +officedepot.*##+js(set, gbTracker, {}) +officedepot.*##+js(set, gbTracker.sendAutoSearchEvent, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/ifvbor/ + +! https://mod.reddit.com/mail/all/ghxid +@@||static.wellsfargo.com/tracking/main/utag.js^$script,domain=wellsfargo.com + +! https://github.com/uBlockOrigin/uAssets/issues/7834 +@@||cdn-net.com/cc.js$script,domain=showroomprive.com + +! https://github.com/uBlockOrigin/uAssets/issues/7856 +eslint.org#@#.sponsor-link + +! https://github.com/uBlockOrigin/uAssets/issues/2381#issuecomment-685824829 +|https://$xhr,3p,domain=zippyshare.com,badfilter + +! CNAME https://github.com/uBlockOrigin/uAssets/issues/7872 +@@||privacy-mgmt.com^$script,domain=n-tv.de + +! cname https://github.com/uBlockOrigin/uAssets/issues/7589#issuecomment-687312936 +@@||privacy-mgmt.com^$script,domain=chip.de +! https://github.com/uBlockOrigin/uAssets/issues/18763 +praxistipps.chip.de#@#a[target][href^="https://x.chip.de/"]:upward(div[id]) + +! https://www.yogajournal.com/video broken videos +@@||uid.mavencoalition.io^$xhr,domain=yogajournal.com + +! cname => bild .de tweet blocked => https://www.bild. de/digital/smartphone-und-tablet/handy-und-telefon/apple-laedt-ein-iphone-12-wird-am-15-september-vorgestellt-72806876.bild.html +@@||privacy-mgmt.com^$script,domain=bild.de + +! https://github.com/NanoMeow/QuickReports/issues/4669 +@@||arthromed.de^$ghide +@@||arthromed.de/fileadmin/*$image,1p +@@||maps.googleapis.com/maps/api/*$image,domain=arthromed.de + +! https://www.bz-berlin.de/video broken video +@@||sp-prod.net/wrapperMessagingWithoutDetection.js$script,domain=bz-berlin.de + +! https://github.com/uBlockOrigin/uAssets/issues/7896 +@@||tags.crwdcntrl.net^*/cc_af_ajax.js$script,domain=pigeons.biz + +! https://www.reddit.com/r/uBlockOrigin/comments/iqa1xn/ublock_is_blocking_the_disqus_button_on_sport1de/ +@@||sp-prod.net^$xhr,domain=sport1.de + +! unbreak emedemujer.com images +@@||emedemujer.com/wp-content/plugins/dfp-ads/assets/js/google-ads.min.js$script,1p + +! cname handelsblatt .com broken +@@||privacy-mgmt.com^$script,domain=handelsblatt.com + +! https://github.com/uBlockOrigin/uAssets/issues/7922 +@@||geo.leadboxer.com/GeoIpEngine/$script,domain=opentracker.net + +! https://github.com/NanoMeow/QuickReports/issues/4498#issuecomment-694559797 +||doubleclick.net/tag/js/gpt.js$script,redirect=googletagservices_gpt.js,domain=usnews.com +usnews.com##+js(set, Object.prototype.vjsPlayer.ads, noopFunc) + +! cname https://github.com/uBlockOrigin/uAssets/issues/7928 +! https://github.com/NanoMeow/QuickReports/issues/4738 +! https://github.com/uBlockOrigin/uAssets/issues/6541#issuecomment-699550913 +! https://github.com/uBlockOrigin/uAssets/issues/7971 +@@||privacy-mgmt.com^$script,domain=faz.net|focus.de|golem.de|stern.de + +! https://www.reddit.com/r/uBlockOrigin/comments/ivsm1o/blocking_vistaprint_customisation/ +@@||promotique.com.au^*/Common/ga.js$script,1p + +! unbreak push home page vendigamus .com +||vendigamus.com^$badfilter +||vendigamus.com^$3p + +! pornvibe .org some videos broken blocking https://ssl.p.jwpcdn.com/6/12/jwplayer.js +*$script,3p,domain=pornvibe.org,badfilter + +! sun-sentinel .com today's top videos broken +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=sun-sentinel.com + +! slide show broken https://www.floridatravellife.com/gallery/historic-snapshots-of-baseball-heroes-spring-training-in-florida/ +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=floridatravellife.com + +! https://github.com/uBlockOrigin/uAssets/issues/7938 +@@||open.spotify.com^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/7951 +@@||itorrents.org/torrent/$popup +@@||torrage.info/download$popup + +! https://github.com/uBlockOrigin/uAssets/issues/7955 +@@||d28julafmv4ekl.cloudfront.net/*.mp3?$media,domain=imdb.com + +! https://github.com/uBlockOrigin/uAssets/issues/7961 +@@||googletagmanager.com/gtm.js$script,domain=lavanguardia.com + +! https://github.com/uBlockOrigin/uAssets/issues/4636#issuecomment-699869544 +|https://$script,3p,domain=cloudvideo.tv,badfilter + +! meilleurpronostic .fr video broken +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=meilleurpronostic.fr + +! imagefap unbreaking videos +|https://$xhr,3p,domain=imagefap.com,badfilter + +! comments broken lequipe .fr +@@||lequipe.fr^$cname +! https://www.reddit.com/r/uBlockOrigin/comments/12geigq/ +! https://www.lequipe.fr/tv/videos/live/k6oih7JyuEmhrnqwBZT video breakage +||lequipe.fr/*/prebid.js$redirect-rule=noopjs + +! https://github.com/NanoMeow/QuickReports/issues/4773 +@@||universal-sci.com/detroitchicago/minneapolis.js$script,1p +@@||universal-sci.com/detroitchicago/rochester.js$script,1p +@@||ssl.google-analytics.com/ga.js$script,domain=universal-sci.com + +! https://github.com/uBlockOrigin/uAssets/issues/7980 +||exs.pl/embed*.php$script,domain=~wgospodarce.pl|~szczecinek.com|~polityka.pl|~ototorun.pl|~natemat.pl|~plonszczak.pl,badfilter +||exs.pl/embed*.php$script,domain=~wgospodarce.pl|~szczecinek.com|~polityka.pl|~ototorun.pl|~natemat.pl|~plonszczak.pl|~24jgora.pl|~24wroclaw.pl|~brodnica-cbr.pl|~ciechanowinaczej.pl|~ddb24.pl|~e-wyszogrod.pl|~egarwolin.pl|~egorzow.pl|~ekspresjaroslawski.pl|~eprzasnysz.pl|~esiemiatycze.pl|~fakty.bialystok.pl|~galopuje.pl|~golub-cgd.pl|~gpr24.pl|~ibialoleka.pl|~ibielsk.pl|~ikampinos.pl|~imokotow.pl|~inowroclaw.info.pl|~iochota.pl|~iotwock.pl|~ipragapoludnie.pl|~iskierniewice.pl|~itvpiaseczno.pl|~izabelin24.pl|~izoliborz.pl|~izyrardow.pl|~kurierbytowski.com.pl|~kurierpodlaski.pl|~lipno-cli.pl|~lowicz24.eu|~mylomza.pl|~nolesnica.pl|~nowinynyskie.com.pl|~nswiecie.pl|~nwloclawek.pl|~olawa24.pl|~poluje.pl|~pultusk24.pl|~rypin-cry.pl|~sejny.net|~splendo.pl|~tp.com.pl|~tulegnica.pl|~twojradom.pl|~wabrzezno.pl|~wideoportal.tv|~wio.waw.pl|~wterenie.pl|~zambrow.org|~zlotowskie.pl|~zycie.pila.pl|~zyciekalisza.pl + +! https://github.com/uBlockOrigin/uAssets/issues/8015 +@@||ziyu.net^$domain=tenki-yoho.com + +! https://github.com/uBlockOrigin/uAssets/issues/8018 +@@||ing.pl^$cname + +! cname https://github.com/NanoMeow/QuickReports/issues/4824 +@@||privacy-mgmt.com^$script,domain=wunderweib.de + +! CNAME https://github.com/uBlockOrigin/uAssets/issues/8033 +@@||privacy-mgmt.com^$script,domain=praxisvita.de + +! https://www.reddit.com/r/neopets/comments/jaqza5/ +@@||cdn.playwire.com/bolt/js/zeus/embed.js$script,domain=neopets.com + +! https://github.com/uBlockOrigin/uAssets/issues/8036 +@@||lubin.pl^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/8040 +@@||ze.tt/wp-content/plugins/zett-cmp/dist/sourcepoint.js$script,1p +@@||sp-prod.net/wrapperMessagingWithoutDetection.js$script,domain=ze.tt + +! https://github.com/uBlockOrigin/uAssets/issues/6541#issuecomment-711043998 +! https://www.spieletipps.de/artikel/10555/1/ broken video +@@||cdn.privacy-mgmt.com/wrapperMessagingWithoutDetection.js$script,domain=giga.de|spieletipps.de + +! thehockeywriters.com broken images +@@||ezojs.com/detroitchicago/cmbv2.js$script,domain=thehockeywriters.com + +! https://ads.spotify.com/en-US/culture-next/the-2020-report/ blank page +@@||google-analytics.com/analytics.js$script,domain=ads.spotify.com + +! https://www.fox.com/watch/bdb5db80949b2226d9caa10c08dc1032/ broken video +@@||link.theplatform.com/*/media/*?affiliate=$xhr,domain=fox.com + +! CNAME broken site https://www.netzwelt.de/ +@@||privacy-mgmt.com^$script,domain=cmp.netzwelt.de +! https://www.netzwelt.de/news/179120-ps5-vorbestellen-kaufen-haendler-shops-ladung.html broken video +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=netzwelt.de + +! https://forums.lanik.us/viewtopic.php?p=157232#p157232 +hwupgrade.it#@#.wrapper-xyz + +! https://github.com/uBlockOrigin/uAssets/issues/8115 +@@||das-bumerang-projekt.de/*/boomerang.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/66801 +@@||serviceyock.me/api/advertise/$xhr,domain=yock.games + +! https://github.com/uBlockOrigin/uAssets/issues/8141 +@@||omggamer.com/detroitchicago/dayton.js$script,1p + +! lebigdata .fr, objetconnecte .net broken by detroitchicago filter +@@||lebigdata.fr/detroitchicago/$script,1p +lebigdata.fr##.background-cover +||lebigdata.fr/wp-content/uploads/*/cote.png$image +@@||objetconnecte.net/detroitchicago/dayton.js$script,1p + +! https://github.com/NanoAdblocker/NanoFilters/issues/432 +||bde4.com^$csp=script-src 'self' * 'unsafe-inline',badfilter +||bde4.cc^$csp=script-src 'self' * 'unsafe-inline',badfilter + +! https://github.com/easylist/easylist/issues/6360 +@@||javbucks.com^$css,domain=javhd.com + +! Image unviewable on Vivaldi +||otaserve.net^$frame,redirect-rule=noop.html,domain=chan.sankakucomplex.com +chan.sankakucomplex.com##iframe[src^="//c.otaserve.net"] + +! https://www.votespa.com/Voting-in-PA/Pages/Pennsylvania-Voter-Election-Security-Information.aspx# blocked image +@@||votespa.com/banners/*$image,1p + +! https://uktvplay.uktv.co.uk/shows/les-miserables/watch-online - broken player controls +uktvplay.uktv.co.uk##.video-overlay +uktvplay.uktv.co.uk##.vjs-ad-control-bar.vjs-control-bar + +! https://github.com/uBlockOrigin/uAssets/issues/8200 +store.petvalu.com##.store_locator_loading + +! https://forums.lanik.us/viewtopic.php?f=91&p=157553#p157553 +@@||caradisiac.com^$cname + +! animepahe broken images +@@||animepahe.com^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/8230 +hero-magazine.com###header:style(position: inherit !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/8250 + +! https://github.com/uBlockOrigin/uAssets/issues/7766#issuecomment-731743962 +! https://github.com/uBlockOrigin/uAssets/issues/20569 +@@||ads.adthrive.com/sites/*/ads.min.js$script,domain=brewerfanatic.com|fishonfirst.com|northsidebaseball.com|twinsdaily.com +@@||ads.adthrive.com/builds/core/*$script,domain=brewerfanatic.com|fishonfirst.com|northsidebaseball.com|twinsdaily.com +pimylifeup.com##+js(no-fetch-if, marmalade) +brewerfanatic.com,fishonfirst.com,northsidebaseball.com,twinsdaily.com#@#.adthrive +brewerfanatic.com,fishonfirst.com,northsidebaseball.com,twinsdaily.com#@#.adthrive-video-player + +! egy.best broken download buttons +||cdn-static.egybest.*/packed/$badfilter + +! https://github.com/easylist/easylist/issues/6536#issuecomment-734950467 +||securepubads.g.doubleclick.net/tag/js/gpt.js$script,important,redirect=noop.js,domain=indy100.com + +! broken video => https://www.boysfood. com/free-porn-videos/39188768/perfect-boobs-nia-nacci-in-action +@@||googleads.github.io/videojs-ima/$css,domain=boysfood.com + +! strict-blocked and broken by Peter Lowe's and anti-adb +||crypto-loot.org^$badfilter +||crypto-loot.org^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/k7saee/ +@@||ssl-images-amazon.com/*/satelliteLib-$script,domain=audible.* + +! unviewable subtitle https://github.com/easylist/easylist/commit/4282a904a8036cf8b7d81247ba910e99ddb063e7 +digg.com##.single-story > header:style(margin-top: 40px !important) + +! https://www.reddit.com/r/uBlockOrigin/comments/kaarfm/ +@@||news.com.au/*/meta-analytics/$script,1p + +! unlock biroads .com +||biroads.com^$badfilter +||biroads.com^$3p + +! https://www.hessenschau.de/suche/index.nc.html?query=livestream broken livestreams +@@||sensic.net^$frame,domain=hessenschau.de + +! https://www.reddit.com/r/uBlockOrigin/comments/kc5ugq/ +businessinsider.com##+js(nosiif, setInterval) + +! https://github.com/uBlockOrigin/uAssets/issues/8371 +autoblog.com###ymm-sub-nav:style(top:0px !important) + +! broken page https://www.beppegrillo.it/grilloteca/ +beppegrillo.it#@#a[href^="https://www.amazon."][href*="tag="] + +! https://github.com/uBlockOrigin/uAssets/issues/8380 +@@||imasdk.googleapis.com/js/sdkloader/ima3$script,xhr,domain=venn.tv + +! https://forums.lanik.us/viewtopic.php?p=157928#p157928 +*$script,3p,domain=coinmarketcap.com,badfilter + +! babesxworld site blocked by french list +*$script,domain=babesxworld.com,badfilter + +! https://www.reddit.com/r/uBlockOrigin/comments/knsw09/ +||go.netcraftsmen.com^$1p,frame + +! allow sign-in on kitsunekko.net +@@||apis.google.com/js/platform.js$script,domain=kitsunekko.net + +! https://www.gamespot.com/gallery/the-best-movies-and-tv-you-probably-missed-in-2020/2900-3665/ broken images +@@||cbsistatic.com/*/js/compiled/siteAdsBidBarrel.js$script,domain=gamespot.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/71283 +player.tubia.com#@#.companion-ads + +! https://github.com/AdguardTeam/AdguardFilters/issues/71428 +researchgate.net##.lite-page__header-navigation--with-ad:style(top: 0 !important;) +researchgate.net##.research-resources-summary__inner.is-sticky:style(top: 0 !important;) + +! darknetdiaries..com cname +@@||adserver.va3.megaphone.cloud^$media,domain=podigee.com + +! https://www.reddit.com/r/uBlockOrigin/comments/kpl5ty/ +||data.over-blog-kiwi.com^$badfilter + +! nydailynews.com TODAY'S TOP NEWS VIDEOS on article pages +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=nydailynews.com + +! unbreak the site (Peter Lowe's) +||mparticle.com^$badfilter +||mparticle.com^$3p + +! https://twitter.com/welcoMattic/status/1348572029444907009 +seazon.fr##+js(no-fetch-if, url:ipapi.co) + +! Fix chatbot on https://brave.com/brave-ads/ via Peter Lowes List +||targeting.api.drift.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/8450 +@@/wp-content/plugins/woocommerce-google-adwords-conversion-tracking-tag/*/admin$1p + +! https://github.com/uBlockOrigin/uAssets/issues/8456 +@@||pch.com^$cname + +! https://www.reddit.com/r/uBlockOrigin/comments/kwnggu/legitimate_enterprise_website_being_blocked_by/ +@@||microcat-america.superservice.com/content/microcat-dist/js/$script,1p + +! https://myaccount.chicagotribune.com/300/home +||myaccount.chicagotribune.com/assets/scripts/tag-manager/googleTag.js$script,redirect=googletagmanager.com/gtm.js,important + +! temporary fix https://forums.lanik.us/viewtopic.php?f=90&t=45628 +druckerchannel.de#@##DCGA_CONTAINER +druckerchannel.de###DCGA + +! cname issues on signup +@@||idolbucks.com^$script,domain=idols69.com|ocreampies.com + +! https://github.com/uBlockOrigin/uAssets/issues/8512 +@@||calcioefinanza.it^$cname + +! https://github.com/easylist/easylist/pull/7082 +||vrsmash.com/assets/script$badfilter + +! override Peter Lowe's filter +||piano.io^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/8515 +@@||google-analytics.com/analytics.js$script,redirect-rule=google-analytics.com/analytics.js,domain=indigenousoap.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=42660 +/transparent-pixel.$badfilter + +! seeitlive.co CPU spike +*$script,redirect-rule=noopjs,domain=seeitlive.co +||confiant-integrations.global.ssl.fastly.net/*/gpt_and_prebid$script,important,domain=seeitlive.co +||netdna-ssl.com/sbly-ads/sbly-prebid-$script,important,domain=seeitlive.co + +! https://github.com/uBlockOrigin/uAssets/issues/8538 +@@||widget-provider.production.ippen.space/widget-components/widget-quiz.bundle.js$script,domain=buzzfeed.de +@@||widget-provider.production.ippen.space/api/widgets/*$xhr,domain=buzzfeed.de + +! verhentai.top broken images +@@||a.realsrv.com/video-slider.js$script,domain=verhentai.top + +! https://github.com/AdguardTeam/AdguardFilters/issues/74505 +! https://github.com/uBlockOrigin/uAssets/issues/9807 +@@||imasdk.googleapis.com/js/sdkloader/ima3.$script,domain=independent.co.uk +@@||cdn.permutive.com/*-web.js$domain=independent.co.uk +@@||pub.pixels.ai/wrap-independent-prebid-lib.js$script,domain=independent.co.uk +@@||static.adsafeprotected.com/iasPET.1.js$script,domain=independent.co.uk +@@||independent.co.uk/*/prebid.*.js$script,1p +independent.co.uk##+js(no-fetch-if, doubleclick) +@@||adsafeprotected.com/services/$xhr,domain=independent.co.uk + +! to counter Peter Lowe's filters (breaking the site itself) +||chartbeat.com^$badfilter +||chartbeat.net^$badfilter +||chartbeat.com^$3p +||chartbeat.net^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/lijud0/another_site_blocking_videos/ +||static.adsafeprotected.com/vans-adapter-google-ima.js^$script,redirect=noopjs,domain=tyla.com + +! https://www.reddit.com/r/uBlockOrigin/comments/ligv21/the_ublock_origin_doesnt_seem_to_work_on_the_cnbc/ +@@||static-redesign.cnbcfm.com/dist/components-PcmModule-Ads-BoxInline$script,domain=cnbc.com + +! blocked by PL +||blogtopsites.com^$badfilter +||blogtopsites.com^$3p + +! CNAME broken comments +@@||serieslatinoamerica.tv^$cname + +! https://www.reddit.com/r/uBlockOrigin/comments/loexoa/cant_figure_out_how_to_unblock_reviews_on_a_site/ +@@||googletagmanager.com/gtm.js$script,domain=well.ca + +! adssettings.google.com blocked by PL +||ads.youtube.com^$badfilter +||ads.youtube.com^$domain=~ads.youtube.com + +! up-load. io broken by french list +*$script,1p,domain=up-load.io,badfilter +*$xhr,domain=up-load.io,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/8629 +||epimg.net/t.gif$image,redirect-rule=1x1.gif,domain=as.com + +! https://github.com/uBlockOrigin/uAssets/pull/8635 +||experience.tinypass.com/xbuilder/experience/execute$xhr,domain=fastcompany.com + +! revcatch. com unlock page itself (3p blocked by EP) +||revcatch.com^$badfilter + +! bing reverse image search broken by EL +bing.com#@#a[href*="/aclick?ld="] +bing.com##.ins_exp.vsp +! https://github.com/uBlockOrigin/uAssets/issues/9093 +bing.com##:matches-path(~/shop) a[href*="/aclick?"]:not(.vsp_ads) +! https://github.com/easylist/easylist/issues/7240 + +! unlock site page cpmstar. com (Peter Lowe's) +||cpmstar.com^$badfilter +||cpmstar.com^$3p + +! click-through broken by PL, 3p blocked by EP +! ex. https://app.seedapp.jp/click/v1/ad/122?site=1843&article=4454 +||appsflyer.com^$badfilter +||appsflyer.com^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/m0o63g/page_damage_report/ +||cdn.shopify.com/*assets/pixel.gif$image,redirect=1x1.gif,domain=metrovac.com,important + +! https://www.reddit.com/r/uBlockOrigin/comments/m1fzip/can_devs_please_unblock_this_legit_website/ +! https://github.com/uBlockOrigin/uAssets/issues/12046 cname breakage +||actonsoftware.com^$badfilter + +! watcho. com home page very slow loading +watcho.com##+js(nano-stb, isPeriodic, *) + +! https://www.reddit.com/r/uBlockOrigin/comments/m1thyx/cant_play_mahjong_games/ +||consensu.org^$badfilter + +! go-links. net page broken +@@||go-links.net/stylesheets/ads.css$css,1p + +! news38.de broken images +||news38.de/resources/*$image,1p,redirect-rule=1x1.gif + +! histats. com unlock the site itself +||histats.com^$badfilter +||histats.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/8724 +@@||ksr-research.com^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/8727 +@@||bsdex.de^$cname + +! https://forums.lanik.us/viewtopic.php?p=159121#p159121 +||go.nordvpn.net^$3p,badfilter + +! ncaa.com march madness live stream broken by =728x90_ in EasyList +@@||warnermediacdn.com^$xhr,domain=ncaa.com + +! https://www.reddit.com/r/uBlockOrigin/comments/m8lp8a/broken_site/ +! https://github.com/uBlockOrigin/uAssets/issues/11435 +uschovna.cz#@#body:style(background:none !important;) +uschovna.cz##body:style(background-image:none !important) +@@||cz.mrezadosa.com^$xhr,domain=uschovna.cz +uschovna.cz##.branding:upward([target="_blank"]) + +! https://www.reddit.com/r/uBlockOrigin/comments/mc68fz/website_is_broken/ +@@||garantibbva.ro/templates/analytics.html^$xhr,1p + +! savethechildren. it / net / org downloading pdf is broken +@@||googletagmanager.com/gtm.js$script,domain=savethechildren.* + +! https://github.com/uBlockOrigin/uAssets/issues/7917#issuecomment-808324590 +@@||dilbert.com/assets/$script,1p + +! Fix https://golf.com/news/tour-confidential-match-play-concession-augusta-womens-am/ +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect-rule,domain=golf.com + +! unbreak voe.sx download page +*$popup,3p,domain=voe.sx,badfilter +||3r1kwxcd.top^$popup,3p,badfilter +||3r1kwxcd.top^$popup,badfilter +@@||google.com^$font,domain=voe.sx + +! https://github.com/uBlockOrigin/uAssets/issues/8823 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=discoveryplus.in + +! unbreak vermangasporno.com download button +vermangasporno.com#@#a[target="_blank"][rel="noopener noreferrer"] > img + +! https://github.com/uBlockOrigin/uAssets/issues/8850 +@@||fundingchoicesmessages.google.com^$script,domain=bbc.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/67655 + +! https://github.com/uBlockOrigin/uAssets/issues/8947 +@@||googleads.g.doubleclick.net/ads/preferences/*/opt*?continue$doc + +! https://github.com/uBlockOrigin/uAssets/issues/4333#issuecomment-824591245 +||thepiratebay.$script,domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org,badfilter + +! https://github.com/AdguardTeam/AdguardFilters/issues/81533 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=rotana.net,redirect=google-ima.js +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=rotana.net + +! https://github.com/uBlockOrigin/uAssets/issues/8966 +@@||babiato.co/conversations/$1p + +! https://www.reddit.com/r/uBlockOrigin/comments/n1h7l1/ublock_detected/ +@@||shahid.mbc.net^$cname + +! https://www.reddit.com/r/uBlockOrigin/comments/n28dkp/blocking_buttons_and_cant_move_videos_in_youtube/ +@@||creator.zmags.com/channels.js^$script,domain=sallybeauty.com + +! https://github.com/uBlockOrigin/uAssets/issues/9016 +@@||powr.io/powr.js$script,3p + +! https://github.com/uBlockOrigin/uAssets/issues/9018 +@@||fluid.4strokemedia.com/www/delivery/asyncspc.php^$xhr,domain=formulapassion.it +@@||cdnb.4strokemedia.com/carousel/v4/comScore-JS-$script,domain=formulapassion.it +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=formulapassion.it,redirect=google-ima.js +formulapassion.it#@#.qc-cmp2-container +formulapassion.it#@##qc-cmp2-main +formulapassion.it#@#.qc-cmp2-main + +! https://github.com/uBlockOrigin/uAssets/issues/8940#issuecomment-834267785 +@@||movie.momo-net.com/_embed/video.php$frame + +! https://github.com/uBlockOrigin/uAssets/issues/7784#issuecomment-834300187 +@@||stuttgarter-zeitung.de/*/tracking/$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/9047 +@@||cdn.jsdelivr.net^*/js/analytics.min.js$script,domain=starfiles.co|starfiles.ml + +! https://github.com/uBlockOrigin/uAssets/issues/9085 +@@_advertisement_$domain=splatoonwiki.org,script,image,css + +! https://www.reddit.com/r/uBlockOrigin/comments/nasaxz/problem_on_site_homehacksco/ +*$script,redirect-rule=noopjs,domain=animalchannel.co|homehacks.co|parentingisnteasy.co|seeitlive.co|spotlightstories.co + +! https://twitter.com/Armstrong/status/1393153389752692736 +! Blocked by Peter Lowe's +||baremetrics.com^$badfilter +||baremetrics.com^$3p + +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1598352715/183 +@@||googletagmanager.com/gtm.js$script,domain=dpoint.jp + +! https://www.welt.de/politik/deutschland/article231179597/Antisemitismus-bei-Anti-Israel-Demos-Schaeuble-fordert-harte-Strafen.html broken looking page scroll down +@@||taboola.com/*/axelspringer-dieweltprojectberlin/*$script,domain=welt.de + +! https://github.com/uBlockOrigin/uAssets/issues/9102 +@@||static-ppp.portalcdn.com/$script,domain=pornhub.com +pornhub.com#@#iframe[width][height*="px"] + +! https://ilakovac.com/teespring-ublock-issue/ +@@||googletagmanager.com/gtm.js$script,redirect-rule,domain=bela.gifts + +! https://forums.lanik.us/viewtopic.php?f=64&t=46190 +||smartadserver.com^$badfilter +||smartadserver.com^$3p,domain=~smartadserver.de,badfilter +||smartadserver.com^$3p,domain=~smartadserver.fr|~smartadserver.de +smartadserver.*#@#[href*=".smartadserver.com"] +smartadserver.*#@#a[href*=".smartadserver.com"] + +! https://github.com/uBlockOrigin/uAssets/issues/9153 +||vidible.tv^$badfilter + +! adshrink.it blocked by PL +||adshrink.it^$badfilter +||adshrink.it^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/9320 +@@||gannettdigital.com/universal-web-client/master/$xhr,domain=usatoday.com + +! https://github.com/uBlockOrigin/uAssets/issues/9365 +||klaviyo.com^$badfilter + +! unbreaking reddit reply email +@@||click.redditmail.com^*ref_source=email + +! https://github.com/uBlockOrigin/uAssets/issues/9405 +brasilescola.uol.com.br#@#.banner + +! https://github.com/uBlockOrigin/uAssets/issues/9406 +||tags.news.com.au/prod/heartbeat/*/MediaSDK.min.js$script,redirect=noop.js,important + +! https://twitter.com/4skvictor/status/1402115535597281288 +@@||googletagmanager.com/gtm.js$script,domain=coronavirus.vic.gov.au + +! https://www.reddit.com/r/uBlockOrigin/comments/nwoz95/manga_scanlating_blog_wont_work_properly/ +@@||drive.google.com/file/*/preview?*-auto-ads-$frame,domain=kntstuff.blogspot.com + +! https://www.reddit.com/r/uBlockOrigin/comments/nxm2km/some_images_get_blocked_on_malwaretipscom/ +@@||malwaretips.com/blogs/wp-content/uploads/*/Sponsored-Links$image,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/ny0q3d/this_extension_is_breaking_certain_website/ +@@||jep-asset.akamaized.net/jiostaticresources/*/js/adobe-analytics.js$script,domain=jio.com + +! https://twitter.com/darkpenguin_efb/status/1403355367745097733 +||googletagmanager.com/gtag/js$script,redirect=noop.js,domain=video.isilive.ca + +! https://forums.lanik.us/viewtopic.php?f=64&t=46125 +#@#a[href^="https://www.sheetmusicplus.com/"][href*="?aff_id="] +#@#a[href^="https://www.sheetmusicplus.com/?aff_id="] + +! https://kcjervis.github.io/jervis/#/operation image broken by rules like /banner/468 +@@||kcjervis.github.io/jervis/static/media/src/images/ships/banner/ + +! https://github.com/uBlockOrigin/uAssets/issues/9441 +woman.excite.co.jp##+js(ra, data-woman-ex, a[href][data-woman-ex]) + +! https://github.com/easylist/easylist/pull/7713 +demae-can.com##+js(ra, data-trm-action|data-trm-category|data-trm-label, .trm_event, stay) + +! https://github.com/uBlockOrigin/uAssets/issues/9451 +@@||pluralsight.com/analytics/analytics-facade$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/9470 +@@||plantuml.com^$cname + +! https://www.reddit.com/r/uBlockOrigin/comments/o9qoo8/videos_wont_play_on_etonlinecom/ +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=etonline.com +@@||media.amlg.io^$image,domain=etonline.com + +! https://github.com/easylist/easylist/pull/7905 +@@||cloudfront.net/ad-navi/$css,image,domain=kinro.ntv.co.jp +@@||minnanokaigo.com/img/page/ad-navi/parts/$image,1p + +! https://girlsnews.tv - fix search +@@||googletagmanager.com/gtm.js$script,domain=girlsnews.tv + +! https://github.com/uBlockOrigin/uAssets/issues/9575 +@@||googletagmanager.com/gtm.js$script,redirect-rule,domain=lingvolive.com + +! https://github.com/uBlockOrigin/uAssets/issues/9576 +@@||boots.*/wcsstore/eBootsStorefrontAssetStore/javascript/Analytics.js$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/pull/9592 +@@||google-analytics.com/analytics.js$script,redirect-rule=google-analytics.com/analytics.js,domain=ultimateclassicrock.com +@@||googletagmanager.com/gtm.js$script,redirect-rule=googletagmanager.com/gtm.js,domain=ultimateclassicrock.com + +! https://unito.life infinite call to keentracking +unito.life##^script:has-text(KeenTracking) +unito.life##+js(acs, KeenTracking) + +! https://github.com/uBlockOrigin/uAssets/issues/7882#issuecomment-879063247 +@@||formulatv.com/js/cmp2.js$script,1p +@@||googletagmanager.com/gtm.js$script,domain=formulatv.com + +! https://www.reddit.com/r/uBlockOrigin/comments/ojxi5i/all_townsquare_media_sites_disappear_when_the/ +||google-analytics.com/analytics.js$script,redirect=noopjs,domain=hudsonvalleypost.com|seacoastcurrent.com|popcrush.com,important +||googletagmanager.com/gtm.js$script,redirect=noopjs,domain=hudsonvalleypost.com|seacoastcurrent.com|popcrush.com,important + +! https://www.reddit.com/r/uBlockOrigin/comments/o44syz/ +! https://www.reddit.com/r/uBlockOrigin/comments/ol5q56/ +@@||google-analytics.com/analytics.js$script,3p,redirect-rule,domain=k2radio.com|kowb1290.com|koel.com|loudwire.com +@@||googletagmanager.com/gtm.js$script,3p,redirect-rule,domain=k2radio.com|kowb1290.com|koel.com|loudwire.com + +! https://github.com/uBlockOrigin/uAssets/issues/9605 +@@||googletagmanager.com/gtm.js$script,domain=megacritic.ru + +! Reported through email +@@||googletagmanager.com^$redirect-rule,domain=invisibleoranges.com|nj1015.com|tasteofcountry.com|wyrk.com|xxlmag.com +@@||google-analytics.com^$redirect-rule,domain=invisibleoranges.com|nj1015.com|tasteofcountry.com|wyrk.com|xxlmag.com + +! https://github.com/uBlockOrigin/uAssets/issues/9659 +adyou.me##button.flleft.btn-lg.btn-warning.btn.skip:style(display:block !important) +adyou.me#@#+js(addEventListener-defuser, /^(?:click|mousedown)$/, bypassEventsInProxies) +adyou.me#@#+js(no-setInterval-if, (), 500) + +! https://github.com/uBlockOrigin/uAssets/issues/9670 +@@||freebcc.org/assets/img/ad_$image + +! https://www.reddit.com/r/uBlockOrigin/comments/otmkbp/extension_not_blocking_all_ads/ +@@||weather.com/content/assets/*wxAdTargeting$script,1p +@@||ssl.p.jwpcdn.com/player/plugins/googima/$script,domain=weather.com +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,redirect=noopjs,domain=weather.com +! https://www.reddit.com/r/uBlockOrigin/comments/x3fskl/ +@@||jssdkcdns.mparticle.com/js/*/mparticle.js$script,domain=weather.com +@@||micro.rubiconproject.com/prebid/dynamic/$script,domain=weather.com +@@||ssl.p.jwpcdn.com/player/*/googima.js$script,domain=weather.com + +! https://www.reddit.com/r/uBlockOrigin/comments/ouu67c/full_screen_doesnt_work_on_coolmathgamescom/ +coolmathgames.com##+js(set, network_user_id, '') + +! https://www.reddit.com/r/uBlockOrigin/comments/ovy8cg/why_is_the_image_on_this_page_blocked_no_matter/ +@@||b-cdn.net^*-adap.jpg$image,domain=techxplore.com + +! https://github.com/uBlockOrigin/uAssets/issues/9692 +||hb.afl.rakuten.co.jp^$badfilter +||hb.afl.rakuten.co.jp^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/oxcp5b/site_namesorg_broken/ +@@||names.org^$cname + +! being blocked by PL and causes infinite calls ex. 80-e.ru,mathcats.com +||clustrmaps.com^$image,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/9763 +@@||amazon-adsystem.com/*/apstag.js$script,redirect-rule=amazon_apstag.js,domain=video.sky.it + +! https://www.reddit.com/r/uBlockOrigin/comments/p3r66u/strange_ubo_behavior_in_filtering_search_on/ +@@||googletagmanager.com/gtm.js$script,redirect-rule=googletagmanager.com/gtm.js,domain=autotrader.ca + +! https://www.reddit.com/r/uBlockOrigin/comments/p7i6fp/website_is_static_while_ublock_is_activated/ +@@||rmwilliams.com/on/demandware.static/Sites-rmwINTL-Site/*/modules/app/app.tealium.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/9802 +@@||player.avplayer.com/script/*/avcplayer.js$script,domain=bdnewszh.com +@@||player.avplayer.com/script/*/libs/hls.min.js$script,domain=bdnewszh.com + +! https://forums.lanik.us/viewtopic.php?f=64&t=46688 +||ads.pinterest.com^$badfilter +||ads.pinterest.com^$3p + +! fix genieesspv console +! CNAME issue by JPF +@@||console.genieesspv.jp^$domain=admin.genieessp.com + +! https://github.com/uBlockOrigin/uAssets/issues/9859 +@@||tutanota.com/fr.js$1p + +! https://github.com/uBlockOrigin/uAssets/issues/9873 +@@||go.pardot.com/$frame,domain=womensworldbanking.org + +! https://github.com/uBlockOrigin/uAssets/issues/9893 +@@||api.ipdata.co/?api-key=$script,domain=wttw.com + +! https://github.com/uBlockOrigin/uAssets/issues/9903 +@@||cdn.ampproject.org/*/amp-geo-$script,domain=9to5google.com|9to5mac.com +! https://www.reddit.com/r/uBlockOrigin/comments/1265axi/ +! https://www.reddit.com/r/uBlockOrigin/comments/198to3q/comments_on_sites_dark_theme_unreadable/ +! https://github.com/uBlockOrigin/uAssets/issues/22103 +! https://github.com/uBlockOrigin/uAssets/issues/22202 +9to5google.com,9to5mac.com##+js(trusted-rpnt, script, (function($), '(function(){const a=document.createElement("div");document.documentElement.appendChild(a),setTimeout(()=>{a&&a.remove()},100)})(); (function($)') +||fundingchoicesmessages.google.com/i/$script,domain=9to5google.com|9to5mac.com,important +||googletagmanager.com^$domain=9to5google.com|9to5mac.com,important + +! https://www.reddit.com/r/uBlockOrigin/comments/pglvdm/ +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=olympics.com + +! https://github.com/easylist/easylist/issues/8990 +://ads.$popup,domain=~smartnews.com,badfilter +://ads.$popup,domain=~kakaku.com|~smartnews.com + +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1598352715/232 +@@||bwb101.goo.ne.jp/b.js$domain=news.goo.ne.jp +@@||log000.goo.ne.jp/js/VLTraceDMD.js$domain=news.goo.ne.jp + +! https://forums.lanik.us/viewtopic.php?f=64&t=42810 +||azadify.com^$3p,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/9983 +@@||googletagmanager.com/gtm.js$script,domain=giftcards.com + +! https://github.com/uBlockOrigin/uAssets/pull/10005 CNAME breakage by Peter Lowe's +||smart-traffik.com^$badfilter + +! https://github.com/tofukko/filter/issues/46 +||googlevideo.com/videoplayback?$media,redirect=noop-1s.mp4,domain=safeframe.googlesyndication.com +safeframe.googlesyndication.com##.left-container +! https://github.com/AdguardTeam/AdguardFilters/issues/156301 +@@||g.doubleclick.net/pagead/images/gmob/close-circle-30x30.png$image,domain=safeframe.googlesyndication.com +@@||gstatic.com/admanager/outstream/rewarded_web_video_$script,domain=safeframe.googlesyndication.com +@@||google-analytics.com/analytics.js$domain=bihann.com|nehannn.com + +! https://github.com/easylist/easylist/commit/c1e5cea211d41c5547f58321e5dae56ac834fce0 +||tercept.com^$badfilter +||tercept.com^$3p + +! broken sportschau.de live stream +! https://github.com/AdguardTeam/AdguardFilters/issues/145948 +||wdr.de/*/tracker/tracker.min.js$script,redirect=noop.js,domain=sportschau.de +@@||de-config.sensic.net/sui-connector.js$script,domain=sportschau.de + +! unbreak https://uiz.io/QfCH from https://github.com/AdguardTeam/AdguardFilters/issues/54339 +@@||bigappboi.com/captchalocker/js/popup.js.php +@@||bigappboi.com/cp/js/captcha.js.php + +! fix video https://www.pussyspace.com/live/anna_lus/ +! https://github.com/AdguardTeam/AdguardFilters/issues/143346 +@@||chaturbate.com/in/$frame,domain=cbhours.com|pussyspace.* + +! https://www.reddit.com/r/uBlockOrigin/comments/purjil/ubo_prevent_video_from_loading_on/ +@@||tra.scds.pmdstatic.net/advertising-core/$script,domain=businessinsider.fr + +! https://github.com/uBlockOrigin/uAssets/issues/10078 +@@||googletagmanager.com/gtm.js$script,domain=gall.nl + +! https://www.reddit.com/r/uBlockOrigin/comments/pwi2p7/wondrium_what_am_i_doing_wrong/ +@@||wondrium.com/static/version1632408975/frontend/Wondrium/default/en_US/js/analytics.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10093 +xunta.gal#@##anuncio + +! https://www.reddit.com/r/uBlockOrigin/comments/pyfove/ublock_origin_breaks_corsairs_website_when_using/ +@@||googletagmanager.com/gtm.js$script,redirect-rule,domain=corsair.com + +! https://www.reddit.com/r/firefox/comments/pz3427/why_gamedevelopercom_former_gamasutra_loads_a/ +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect-rule,domain=gamedeveloper.com + +! https://github.com/uBlockOrigin/uAssets/issues/10146 +@@tracking/ninja.js$script,domain=olx.ro,badfilter + +! docs.tealium.com blocked by PL +||tealium.com^$badfilter +||tealium.com^$3p + +! https://github.com/tofukko/filter/issues/49 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect-rule,domain=heim.jp + +! https://github.com/easylist/easylist/issues/9412 cname blocked by PL +@@||777partner.com^$image,media,domain=jetztlive.com + +! www.23qb.net cname issue by AG Chinese/EL China +@@||cdn.cloudflare.net^$script,domain=23qb.net + +! fix mf-realty.jp top image +@@||googletagmanager.com/gtm.js$script,redirect-rule,domain=mf-realty.jp + +! https://www.reddit.com/r/uBlockOrigin/comments/qcw76h/ublocks_blocks_then_page_stops_loading/ +myair2.resmed.com##+js(no-xhr-if, cloudflare.com/cdn-cgi/trace) +||cloudflare.com/cdn-cgi/trace$xhr,3p,redirect-rule=noop.txt,domain=~funimation.com|~1bit.space|~1bitspace.com + +! https://github.com/uBlockOrigin/uAssets/issues/10285 +@@||d2wy8f7a9ursnm.cloudfront.net/*/bugsnag.min.js$script,domain=crust.com.au + +! https://www.reddit.com/r/uBlockOrigin/comments/qde4r9/video_player_is_blocked_by_ublock/ +||d2r1yp2w7bby2u.cloudfront.net/js/localforage.min.js$script,redirect=noopjs,domain=sonyliv.com + +! https://www.reddit.com/r/uBlockOrigin/comments/qeo32a/stooqpl_stooqcom_stopped_working_yesterday/ +@@||fundingchoicesmessages.google.com^$script,domain=stooq.com|stooq.pl + +! https://github.com/easylist/easylist/issues/2436#issuecomment-946886270 +@@*ad2.$image,domain=sophiabushfan.net +@@_advertisment.$image,domain=gorgeouspfeiffer.com +@@_advertisement_$image,domain=jennifer-lawrence.com +@@/advertisements_$image,domain=jessica-biel.at +@@/advertising_$image,domain=timfahlbusch.com +@@/advertisment/*$image,domain=taylorpictures.net +@@/advertisements-$image,domain=jennifer-lawrence.com +@@/ad_campaigns/*$image,domain=alicia-vikander.com +@@/adverts/*$image,domain=emily-blunt.com|isla-fisher.net|islafisher.net|reese-witherspoon.org|reesewitherspoon.org + +! https://github.com/uBlockOrigin/uAssets/issues/10348 +@@||cloudflare.com/cdn-cgi/trace$xhr,domain=54647.io + +! travelerdoor blocked request spam +travelerdoor.com##+js(no-xhr-if, cloudflare.com/cdn-cgi/trace) + +! Store selection broken https://www.simon.com/mall/king-of-prussia/stores +@@||googletagmanager.com/gtm.js$script,redirect-rule,domain=simon.com + +! https://www.reddit.com/r/uBlockOrigin/comments/qnoufw/pop_ups/hji42s0/ +@@||wewon.to^$xhr,media,domain=soap2day.* + +! https://github.com/uBlockOrigin/uAssets/issues/10441 +pewresearch.org##+js(set, ga, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/10444 +@@||asset.fwcdn2.com/js/storyblock.js$script,domain=narcity.com + +! https://github.com/uBlockOrigin/uAssets/issues/10594 +@@||cdn.questionpro.com^$css + +! https://github.com/uBlockOrigin/uAssets/issues/10582 +@@||rdstation.com.br^*api/$xhr + +! Reported internally, this unbreaks: +! https://www.shockwave.com/gamelanding/mahjong-birds.jsp +@@||googletagmanager.com/gtm.js$script,domain=shockwave.com +||videoplayerhub.com^$script,domain=shockwave.com,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/10615 +||natureetdecouvertes.com^$1p,image,redirect-rule=2x2.png + +! https://github.com/uBlockOrigin/uAssets/issues/10629 +||cxense.com/cx.js$script,redirect=noop.js,domain=itmedia.co.jp + +! https://github.com/uBlockOrigin/uAssets/issues/10643 +ilbianconero.com##.no-scroll:style(overflow:auto!important) + +! https://www.reddit.com/r/uBlockOrigin/comments/r4z0zj/how_to_unblock_elements_tweets_blocked_by_jsnofloc/ +@@||googletagmanager.com/gtm.js$script,domain=insideevs.com + +! https://github.com/uBlockOrigin/uAssets/issues/10694 +@@||googletagmanager.com/gtm.js$script,domain=suspilne.media + +! https://github.com/uBlockOrigin/uAssets/issues/10852 +@@||google-analytics.com/analytics.js$script,redirect-rule,domain=nordvpn.com + +! https://github.com/uBlockOrigin/uAssets/issues/10847 +||static.chotot.com/storage/js/prebid-ads.js$script,important + +! https://github.com/uBlockOrigin/uAssets/issues/10919 +@@||cibng.ibanking-services.com^$cname +@@||ppl.ibanking-services.com^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/10927 +warscrap.io##.squareAdContainer +warscrap.io##.main-menu-bottom +warscrap.io###warscrap-io_336x280 +warscrap.io###warscrap-io_728x90 + +! https://github.com/uBlockOrigin/uAssets/issues/10943 +@@||fmkorea.com/modules/point/icons/*$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/10950 +*$script,3p,domain=animeflv.net,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/10958 +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=meteoetradar.com +@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$script,domain=meteoetradar.com +meteoetradar.com##+js(no-xhr-if, doubleclick) + +! https://github.com/uBlockOrigin/uAssets/issues/10960 +@@||explore.agilent.com/GlobalOptOut^$frame,1p +@@||p04a.hs.eloqua.com^$frame,domain=agilent.com + +! https://github.com/uBlockOrigin/uAssets/issues/11026 +@@||video.repubblica.it^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/10946 +@@||cloudflare.com/cdn-cgi/trace$xhr,redirect-rule=noop.txt,domain=benchmarkuniverse.com + +! https://github.com/uBlockOrigin/uAssets/issues/11077 +||sammobile.com^*/newrelic.js$script,1p,redirect=noop.js,important +||plausible.io/js/plausible.js$script,redirect=noopjs,important +*$script,redirect-rule=noopjs,domain=sammobile.com + +! https://github.com/uBlockOrigin/uAssets/issues/11109 +@@||shakeshack.com/sites/default/files/google_tag/*$script,1p +@@||googletagmanager.com/gtm.js$script,domain=shakeshack.com + +! https://github.com/uBlockOrigin/uAssets/issues/11158 +@@||googletagmanager.com/gtm.js$script,domain=microcenter.com + +! https://github.com/uBlockOrigin/uAssets/issues/7220#issuecomment-1004560136 +@@||s0.2mdn.net/instream/html5/ima3.js$script,domain=eurogamer.net + +! https://github.com/uBlockOrigin/uAssets/issues/5131#issuecomment-1007971628 +@@||cdn.vox-cdn.com/packs/js/concert_ads-*.js$script,domain=theverge.com + +! https://github.com/uBlockOrigin/uAssets/issues/11246 +@@||s0.2mdn.net/instream/html5/ima3.js$script,domain=as.com + +! https://github.com/uBlockOrigin/uAssets/issues/11258 +@@||nocturnetls.net^$script,1p + +! cname https://github.com/uBlockOrigin/uAssets/issues/11275 +@@||relay-client-c01.iocnt.net^$script,domain=businessinsider.de + +! https://github.com/uBlockOrigin/uAssets/issues/11299 +@@||mypearson.com^*/ga.min.js + +! https://github.com/uBlockOrigin/uAssets/issues/11308#issuecomment-1013865830 +||tags.tiqcdn.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/11334 +@@||inbenta.io/prod/*/tracking/events$xhr,domain=knab.nl + +! https://github.com/uBlockOrigin/uAssets/issues/11349 +@@||thetoc.gr/Content/images/blank.gif$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/11372 +! https://github.com/uBlockOrigin/uAssets/issues/18848 +gumtree.com.au#@#.header--is-new-sticky-behaviour +gumtree.com.au#@#.ad-cnt +gumtree.com.au#@#[data-ad-name] + +! https://forums.lanik.us/viewtopic.php?t=47165 +@@||aps.hearstnp.com/Scripts/loadAds.js$script,domain=timesunion.com +timesunion.com##div.setHeight.stickyWrapper + +! https://github.com/uBlockOrigin/uAssets/issues/11398 +@@||delmarlearning.com^$1p,script + +! https://github.com/uBlockOrigin/uAssets/issues/11414 +||prebid.elespectador.com^$script,redirect-rule=googletagservices_gpt.js,1p,important + +! https://www.reddit.com/r/uBlockOrigin/comments/s9edog/ +@@||read.amazon.*/embed?$frame,3p,domain=goodreads.com + +! https://github.com/uBlockOrigin/uAssets/issues/11450 +profit.ro##.zc_top_mobil:style(display: block !important;) +profit.ro##.zc_rectangle +profit.ro##.zc_top + +! https://www.reddit.com/r/uBlockOrigin/comments/sbkktu/popup_ad_and_site_blocks_developer_tools/ +himovies.to#@#a[onclick] + +! https://github.com/uBlockOrigin/uAssets/issues/11457 +! https://github.com/uBlockOrigin/uAssets/issues/18932 +@@||streaming.adswizz.com^$3p,media,domain=deezer.com + +! https://github.com/uBlockOrigin/uAssets/issues/11472 +@@||load.sumo.com^$script,domain=gopractice.ru +@@||sumo.com/api/$xhr,domain=gopractice.ru +@@||sumo.com/services$xhr,domain=gopractice.ru + +! https://forums.lanik.us/viewtopic.php?f=64&t=40469 +@@||google.com/recaptcha/$frame,script + +! https://github.com/uBlockOrigin/uAssets/issues/11533 +||rudaw.net/images/$image,1p,redirect-rule=1x1.gif,important + +! https://github.com/uBlockOrigin/uAssets/issues/11539 +@@||google-analytics.com/analytics.js$script,redirect-rule=google-analytics.com/analytics.js,domain=layrite.com + +! comment section broken by Peter Lowe’s list +! https://www.tagesspiegel.de/politik/klima-siegel-fuer-gas-und-atomkraftwerke-die-oekologische-mogelpackung-beschaedigt-den-ruf-der-eu/28029446.html#kommentare +@@||script.ioam.de/iam.js$script,domain=tagesspiegel.de + +! https://github.com/uBlockOrigin/uAssets/issues/11550 +@@||mpsnare.iesnare.com/snare.js$script,domain=rossmann.de + +! walletinvestor. com scrolling broken +walletinvestor.com##body:style(overflow: auto !important;) +walletinvestor.com###bio_ep_bg + +! https://github.com/uBlockOrigin/uAssets/issues/11580 +@@||sololearn.com/api/*/comments/*$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/11593 +@@||googletagmanager.com/gtm.js$script,redirect-rule=googletagmanager.com/gtm.js,domain=aeriagames.com + +! https://github.com/uBlockOrigin/uAssets/issues/11592 +@@||ads.imprezzer.com/js/imprezzer2.min.js$script,domain=mgronline.com +@@||ads.imprezzer.com/js/multisize_responsive.js$script,domain=mgronline.com +@@||ads.imprezzer.com/js/multisize_bottompage_responsive.js$script,domain=mgronline.com +@@||ads.imprezzer.com/js/imprezzer_vip2.js$script,domain=mgronline.com +mgronline.com##[href^="https://www.hotelscombined.co.th/"] + +! website, not a tracker +||lp.tfd-corp.co.jp^$badfilter +||info.neg.co.jp^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/11675 +@@||video-api.yql.yahoo.com/*/video/alias/channels/$xhr,domain=sports.yahoo.com +sports.yahoo.com#@#.H\(400px\) > .VideoPlayer +sports.yahoo.com#@#.H\(400px\).Pos\(r\) + +! https://github.com/uBlockOrigin/uAssets/issues/11285 +||relish.com^$domain=seriouseats.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/106875 +@@||googletagmanager.com/gtm.js$domain=nissan.co.jp +*$script,redirect-rule=noop.js,domain=nissan.co.jp + +! https://github.com/uBlockOrigin/uAssets/issues/11716 +abczdrowie.pl#@#+js(aost, WP.prebid, onLoad) + +! https://github.com/uBlockOrigin/uAssets/issues/11715 +@@||nexus.ensighten.com/easyjet/*/Bootstrap.js$script,domain=easyjet.com + +! https://github.com/uBlockOrigin/uAssets/issues/11850 +||dan-ball.jp/*.gif$image,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/11864 +@@||cdn.stat-rock.com/player.js$script,domain=autofaucet.dutchycorp.space + +! https://github.com/uBlockOrigin/uAssets/issues/11877 +@@||api.thingiverse.com/banner/*/pageAd$xhr,1p + +! https://github.com/NanoMeow/QuickReports/issues/2573 +cyberstumble.com##.td-animation-stack-type0-1:style(opacity:1 !important) + +! https://github.com/uBlockOrigin/uAssets/issues/11959 +pearsonclinical.com##.aligner + +! https://github.com/uBlockOrigin/uAssets/issues/8629#issuecomment-1062033466 +*$image,domain=asfan.as.com,redirect-rule=1x1.gif + +! mpsconline. gov.in breakage +@@||mpsconline.gov.in^$ghide + +! https://github.com/uBlockOrigin/uAssets/issues/12159 +||booking.rm.dk/selvbooking/*/analytics/*$xhr,1p,redirect-rule=nooptext + +! https://github.com/uBlockOrigin/uAssets/issues/12196 +@@||chanrycz.com/cdn-cgi/apps/head/*.js|$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/tdjn7n/webcamshowsorg_videos_nolonger_working_tried_a/ +*$script,3p,domain=mixdrop.co,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/12244 +||mixpanel.com^$badfilter +||mixpanel.com^$3p + +! Counters `clustrmaps.com` from Peter Lowe's List +||clustrmaps.com^$badfilter +||clustrmaps.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/10775 +! https://github.com/uBlockOrigin/uAssets/issues/14124 +@@||doci.pl/aserver/$frame,1p +@@||docer.pl/aserver/$frame,1p +@@||ovh.webshark.pl^$script,domain=doci.pl|docer.pl +@@||static.webshark.pl/$script,domain=doci.pl|adk.freedisc.pl|docer.pl +@@||static.webshark.pl/static/js/library/aserver/helper.js$script,domain=adk.musody.com|docero.de +@@||adk.docer.pl/asrv/$frame,1p +@@||doci.pl^$ghide +@@||docer.pl^$ghide +docer.pl#@##ad +docer.pl#@#[class^="ad-"] +@@||webshark.pl^$script,domain=doceru.com + +! https://github.com/uBlockOrigin/uAssets/issues/12298 +@@||assets.adobedtm.com/extensions/*/AppMeasurement$script,domain=trygghansa.se + +! https://github.com/uBlockOrigin/uAssets/issues/12401 +@@||cdn.mavic.com/sites/default/files/google_tag/google_tag/*$script,1p +@@||googletagmanager.com/gtm.js$script,domain=mavic.com + +! https://github.com/uBlockOrigin/uAssets/issues/12491 +@@||ad.doubleclick.net/ddm/trackclk/*https://www.unieuro.it + +! https://github.com/uBlockOrigin/uAssets/issues/12503 +@@||widgets.outbrain.com/outbrain.js$script,domain=welt.de +@@||mv.outbrain.com/Multivac/api/get?url=$script,domain=welt.de +@@||images.outbrainimg.com/transform/v3/$image,domain=welt.de + +! https://pc-play.games.dmm.com/play/oshirore/ campaign banner (need login) +! The blocking exception can be removed after Apr. 5, but maybe cosmetic should be kept for future. +shiropro-re.net#@##ad_link +@@||assets.shiropro-re.net/html/image/ad5.png + +! https://github.com/uBlockOrigin/uAssets/issues/12521 +||zdf.de/atinternet/live/smarttag.js$badfilter + +! https://github.com/finnish-easylist-addition/finnish-easylist-addition/issues/406 +gigantti.fi##.mat-drawer-container:style(overflow-x: auto !important) + +! https://github.com/uBlockOrigin/uAssets/issues/12573 +united.no#@#.page-ads + +! https://github.com/uBlockOrigin/uAssets/issues/12559 +@@||freegeoip.app/json/*$xhr,domain=hamwaves.com + +! https://github.com/uBlockOrigin/uAssets/issues/12574 +@@||oasjs.kataweb.it^$script,domain=repubblica.it + +! si.com breakage +si.com#@#.is-below-header-ad + +! https://github.com/uBlockOrigin/uAssets/issues/12498 +@@||edge.permutive.app^$script,domain=watch.globaltv.com +@@||api.permutive.com/v*/geoip$xhr,domain=watch.globaltv.com + +! https://github.com/uBlockOrigin/uAssets/issues/12636 +@@/1.gif?$image,1p,domain=kanjiku.net +@@/2.gif?$image,1p,domain=kanjiku.net + +! https://github.com/uBlockOrigin/uAssets/issues/12666 +@@||googletagmanager.com/gtm.js$script,domain=all.accor.com|login.accor.com +@@||googletagmanager.com/gtag/js$script,domain=all.accor.com|login.accor.com +@@||google-analytics.com/analytics.js$script,domain=all.accor.com|login.accor.com + +! https://github.com/uBlockOrigin/uAssets/issues/12692 +@@||ipapi.co^*json$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/12712 +@@||coinzillatag.com/lib/display.js$script,domain=ad-doge.com +@@||sentry-cdn.com^$script,domain=ad-doge.com + +! https://github.com/uBlockOrigin/uAssets/issues/12773 +@@||google-analytics.com/analytics.js$script,domain=reykjaviksailors.is +@@||googletagmanager.com/gtag/js$script,domain=reykjaviksailors.is + +! https://github.com/uBlockOrigin/uAssets/issues/12764 +@@||kingarthurbaking.com/sites/default/files/google_tag/$script,1p +@@||googletagmanager.com/gtm.js$script,domain=kingarthurbaking.com +kingarthurbaking.com##^html > head > link[rel="canonical"]:not([href*="/recipes/"]):upward(2) script:has-text(googletagmanager) + +! https://github.com/uBlockOrigin/uAssets/issues/12772 +cadenadial.com##+js(aost, History, /(^(?!.*(Function|HTMLDocument).*))/) + +! cname breakage by CHN list $script,subdocument,third-party,websocket,xmlhttprequest,domain=yemancomic.com +@@||psl.2cycomic.com^$script,domain=yemancomic.com + +! https://github.com/uBlockOrigin/uAssets/issues/12896 +@@||builder-assets.unbounce.com^$css,domain=duden.de +@@||builder-assets.unbounce.com/published-js/main.bundle-$script,domain=duden.de + +! unbreak video +@@||ricasdelicias.online/social.php$popup,domain=animesonline.cz + +! fix slide images +@@||laptopoutlet.co.uk/wysiwyg/asus/rise-up/popunder-$image,1p +@@||laptopoutlet.co.uk/wysiwyg/lenovo/*_popunder_$image,1p + +! unbreak streamtape frame +@@||streamadblockplus.com^$frame,domain=streamtape.com + +! fix https://eimusics.com/digital-single-yama-moonwalker/ auto close tab +@@||eimusics.com^$popunder,domain=ouo.io + +! besthdgayporn. com video broken +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=besthdgayporn.com +@@||besthdgayporn.com/wp-content/plugins/$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/117014 blocked by PL +@@||bongacash.com/js/videojs/video.js + +! cname breakage by AG Spanish ||cloudfront.net^$domain=pelisplushd.net|cuevana3.* +@@||dsag3w1du2cu2.cloudfront.net^$image,domain=cuevana3.la + +! https://github.com/uBlockOrigin/uAssets/issues/13083 +@@||gcdn.2mdn.net/videoplayback/$media,domain=app.plex.tv + +! https://github.com/uBlockOrigin/uAssets/issues/13095 +@@||hqq.to/e/*$csp,domain=gomo.to + +! https://github.com/uBlockOrigin/uAssets/issues/13094#issuecomment-1119503790 +@@||photopea.com/promo/no_ads.png$xhr,1p + +! www.divascam.com cname breakage +@@||new.xlovecam.com^$xhr,domain=divascam.com + +! https://github.com/uBlockOrigin/uAssets/issues/13161 +||go.usa.gov^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/13157 +@@||assets.adobedtm.com/extensions/*/AppMeasurement$script,domain=conad.it + +! override Peter Lowe's filter +||t.co^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/13197 +||lacentrale.fr/static/fragment-layout/tracking-$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/13290 +@@||app.detrack.com/api/v2/tracking$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/13316 +@@||cdnjs.cloudflare.com/cdn-cgi/trace$xhr,domain=piliapp.com + +! stern plus article links not clickable +@@||google-analytics.com/analytics.js$script,redirect-rule=google-analytics.com/analytics.js:5,domain=stern.de +@@||googletagmanager.com/gtm.js$script,redirect-rule=googletagmanager_gtm.js:5,domain=stern.de + +! https://github.com/uBlockOrigin/uAssets/issues/13393#issuecomment-1139089175 +@@||c.amazon-adsystem.com/aax2/apstag.js$script,domain=oggi.it +@@||components2.rcsobjects.it/rcs_adv/v1/distro/dfp/common/prebid$script,domain=oggi.it +@@||static.adsafeprotected.com/iasPET$script,domain=oggi.it + +! https://github.com/uBlockOrigin/uAssets/issues/13284 +! flix +@@||googletagmanager.com/gtm.js$script,domain=lacuracao.pe|mumzworld.com|teds.com.au|tsbohemia.cz|target.com.au +||flixsyndication.net^$3p,badfilter +||flixsyndication.net/delivery/static/tracking/$script,important + +! https://github.com/uBlockOrigin/uAssets/pull/13443 +tamin.ir#@#.ads2 +@@||tamin.ir/content/ads/ + +! voeunblock2.com break by EL regex filter +@@||voeunblock2.com^$frame,3p + +! https://github.com/uBlockOrigin/uAssets/issues/13489 +job.mt.de,job.nw.de#@#^script:has-text(===):has-text(/[\w\W]{16000}/) +job.mt.de,job.nw.de#@#+js(nostif, .call(null), 10) + +! https://github.com/uBlockOrigin/uAssets/issues/8629#issuecomment-1142720254 +@@||ak-ads-ns.prisasd.com/prebid/prebid_noticias.js$script,domain=as.com + +! https://github.com/uBlockOrigin/uAssets/issues/5288#issuecomment-1142727136 +||elpais.com/t.gif$image,1p,redirect=1x1.gif,important + +! https://github.com/uBlockOrigin/uAssets/issues/13512 +||fwcdn2.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/13538 +@@||app.link/_r?sdk$script,domain=ecwid.com +@@||api2.branch.io/v1/url$xhr,domain=ecwid.com + +! https://github.com/uBlockOrigin/uAssets/issues/13615 +@@||cdn.appdynamics.com/adrum/adrum-*.js$domain=santander.cl + +! https://github.com/uBlockOrigin/uAssets/issues/13655 +||ads.tiktok.com^$badfilter + +! https://www.reddit.com/r/uBlockOrigin/comments/vdl0mx/videos_fail_to_load_on_oe24at/ +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,important,domain=oe24.at + +! https://github.com/uBlockOrigin/uAssets/issues/13737 +@@||m.faz.net^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/13768 +@@||last.fm/static/js-build/tracking/tealium-utag-set.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/vf5dyc/cant_play_bubble_game/ +! https://github.com/uBlockOrigin/uAssets/issues/13814 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=html5.gamedistribution.com +@@||hb.improvedigital.com/pbw/headerlift.min.js$script,domain=html5.gamedistribution.com +@@||hb.improvedigital.com/pbw/prebid/*$script,domain=html5.gamedistribution.com +||tag.atom.gamedistribution.com^$xhr,redirect-rule=nooptext,1p +! https://github.com/uBlockOrigin/uAssets/issues/15382 +@@||googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect-rule,domain=html5.gamedistribution.com +! https://github.com/uBlockOrigin/uAssets/issues/13814#issuecomment-1415669318 +html5.gamedistribution.com##+js(no-fetch-if, api) +@@||cdn.cookielaw.org/*/OtAutoBlock.js$script,xhr,domain=html5.gamedistribution.com + +! https://github.com/uBlockOrigin/uAssets/issues/13781 +! ||cdn.branch.io^$badfilter +@@||cdn.branch.io/branch-latest.min.js$script,domain=watch.tataplay.com + +! https://forums.lanik.us/viewtopic.php?p=164436#p164436 +@@||ad.doubleclick.net/clk*travel*&destinationURL=$doc + +! unlock legit page simpletraffic. co +||simpletraffic.co^$badfilter +||simpletraffic.co^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/vmcd4l/songstatscom_backend_domain_blocked_again/ +@@||data.songstats.com/api/v1/analytics/$xhr,1p + +! https://forums.lanik.us/viewtopic.php?t=47647-video-di-sky-incorporati-in-altre-pagine +||4strokemedia.com^$3p,badfilter +@@||4strokemedia.com^$script,xhr,domain=oasport.it +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=oasport.it +@@||secure.quantserve.com/quant.js$script,domain=oasport.it +oasport.it#@#.adv +oasport.it#@#div[id^="div-gpt-"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]) +oasport.it#@#[id^="div-gpt-ad"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]) +! https://github.com/uBlockOrigin/uAssets/issues/16309 +@@||components2.rcsobjects.it/rcs_adv/*/distro/dfp/common/prebid$script,domain=video.gazzetta.it +@@||c.amazon-adsystem.com/aax2/apstag.js$script,domain=video.gazzetta.it +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=video.gazzetta.it,redirect=google-ima.js +video.gazzetta.it##+js(set, google.ima.OmidVerificationVendor, {}) +video.gazzetta.it##+js(set, Object.prototype.omidAccessModeRules, {}) + +! vice. com cookie banner reappear after every reload +||sourcepoint.vice.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/13878 +@@||tags.tiqcdn.com/utag/bluestem/main/prod/utag.sync.js$script,domain=fingerhut.com +@@||monetate.net^$script,xhr,domain=fingerhut.com + +! funny.pho. to cannot switch the language +||hits.informer.com/log.php$image,domain=funny.pho.to,redirect=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/13935 +factable.com##+js(set, googletag.cmd, {}) +factable.com##.puicontainer +factable.com##.pohcontainer + +! https://github.com/uBlockOrigin/uAssets/issues/13938 +@@/prebid-ads/adsensebase.js$script,redirect-rule=prebid-ads.js,domain=darkreading.com + +! affiliate.rakuten.co.jp broken +||ba.afl.rakuten.co.jp^$badfilter +||ba.afl.rakuten.co.jp^$3p + +! https://github.com/easylist/easylist/commit/9768261aea3ca545b7a4f9021c4721ff2aaa21a6#commitcomment-78591398 +beckershospitalreview.com##html,body:style(overflow: auto !important) + +! https://github.com/uBlockOrigin/uAssets/issues/14063 +thequint.com#@#._4xQrn +thequint.com##._4xQrn:style(max-height:0px) +thequint.com##span:has-text(ADVERTISEMENT) + +! https://github.com/uBlockOrigin/uAssets/issues/14072 +@@||gstatic.*/recaptcha/ + +! https://github.com/AdguardTeam/AdguardFilters/issues/125072 +||wpfc.ml^$image,redirect-rule=1x1.gif,domain=thestoryexchange.org + +! https://github.com/uBlockOrigin/uAssets/issues/14118 +||da-services.ch^$3p,badfilter + +! privacy settings broken on kleinanzeigen.de/gdpr +@@||googletagmanager.com/gtm.js$script,redirect-rule=googletagmanager_gtm.js:5,domain=kleinanzeigen.de + +! https://github.com/uBlockOrigin/uAssets/issues/14141 +! https://github.com/uBlockOrigin/uAssets/issues/14150 +! https://github.com/uBlockOrigin/uAssets/issues/15183 +@@||novelgames.com^$script,1p +@@||cdn.intergi.com^$script,domain=novelgames.com +@@||cdn.intergient.com^$domain=novelgames.com +@@||cdn.intergient.com^$1p +||novelgames.com/flashgames/*/banner_660x250.png +*$image,domain=novelgames.com,redirect-rule=1x1.gif +*$script,domain=novelgames.com,redirect-rule=noopjs +*$xhr,domain=novelgames.com,redirect-rule=nooptext +novelgames.com##+js(nano-sib, skipAdSeconds, , 0.02) +novelgames.com###gameEtTopRight.commonEt:style(height: 0 !important;) +novelgames.com###gamelistCategories:style(margin-bottom: auto !important;) +novelgames.com##.gamelistGame.commonEt +novelgames.com##div[id^="forums"][id*="Et"] + +! https://github.com/uBlockOrigin/uAssets/issues/14148 +@@||scanurl.net^$ghide +scanurl.net##.adsbygoogle + +! https://github.com/uBlockOrigin/uAssets/issues/14258 +||exponea.com^$badfilter +||exponea.com^$3p +! https://github.com/uBlockOrigin/uAssets/issues/22298 +@@||cdn.*.exponea.com/production*/consent?$frame,domain=proffsmagasinet.se|staypro.dk|staypro.fi|staypro.no + +! https://github.com/uBlockOrigin/uAssets/issues/14251 +||assets.springserve.com^$media,domain=app.plex.tv,redirect=noopmp3-0.1s + +! https://github.com/uBlockOrigin/uAssets/issues/14382 +@@||holidaypark.de/sites/default/files/public/google_tag/*$script,1p +@@||googletagmanager.com/gtm.js$script,domain=holidaypark.de + +! https://github.com/uBlockOrigin/uAssets/issues/14393 +@@||mpsnare.iesnare.com/snare.js$script,domain=lenovo.com + +! https://github.com/uBlockOrigin/uAssets/issues/14399 +dpp.org.tw#@#.ad_url + +! https://github.com/uBlockOrigin/uAssets/issues/14443 +@@||media.sailthru.com/composer/images$image,domain=link.square-enix-games.com + +! https://github.com/uBlockOrigin/uAssets/issues/14445 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=radiomitre.cienradios.com + +! https://github.com/uBlockOrigin/uAssets/issues/14454 +@@||d1z2jf7jlzjs58.cloudfront.net/p.js$script,domain=tg24.sky.it +@@||parsely.com/keys/skytg24.it$script,domain=tg24.sky.it + +! https://github.com/uBlockOrigin/uAssets/issues/14458 +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect-rule=googletagservices_gpt.js:5,domain=olx.pt + +! https://github.com/uBlockOrigin/uAssets/issues/14484 +@@||cdn.intergi.com/hera/tyche.js$script,domain=raider.io +@@||hb.vntsm.com/v3/live/ad-manager.min.js$script,domain=raider.io +raider.io##.rio-zone--wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/14490 +||lastpass.com/assets/js/analyticsjs.js$script,redirect=google-analytics.com/analytics.js,important + +! https://github.com/AdguardTeam/AdguardFilters/issues/128061 +azby.fmworld.net##+js(no-xhr-if, /recommendations.) +@@||images.taboola.com/taboola/image/fetch/$image,domain=azby.fmworld.net + +! https://github.com/uBlockOrigin/uAssets/issues/14553 +nybooks.com#@#.top-ad-wrapper +nybooks.com##.ad-spacing + +! https://github.com/uBlockOrigin/uAssets/issues/14546 +@@||cdn-ue1-prod.tsv2.amagi.tv/beacon$xhr,domain=watch.truecrimenetworktv.com + +! https://github.com/uBlockOrigin/uAssets/issues/14584 +@@||google-analytics.com/analytics.js$script,redirect-rule=google-analytics.com/analytics.js:5,domain=xeroshoes.com +@@||googletagmanager.com/gtag/js$script,redirect-rule=googletagmanager_gtm.js:5,domain=xeroshoes.com +@@||googletagmanager.com/gtm.js$script,redirect-rule=googletagmanager_gtm.js:5,domain=xeroshoes.com + +! https://github.com/uBlockOrigin/uAssets/issues/14596 +@@||googletagmanager.com/gtag/js$script,redirect-rule=googletagmanager_gtm.js:5,domain=myshows.me + +! https://github.com/easylist/easylist/issues/13078#issuecomment-1227428013 +/YandexAds.$badfilter +/YandexMetric.$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/14609 +@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video.min.js$script,domain=climatempo.com.br +@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video-js.min.css$css,domain=climatempo.com.br + +! https://github.com/AdguardTeam/AdguardFilters/issues/128545 +@@||googletagservices.com/tag/js/gpt.js$script,redirect-rule,domain=thedailybeast.com + +! https://github.com/uBlockOrigin/uAssets/issues/14693 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=ultimedia.com,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/14723 +tcsjerky.com##body.body-load:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/14817 +filecrypt.co#@?#form > .protection.online ul > li:not(.buttons):-abp-has(> div:not(.circle_captcha)) + +! https://github.com/uBlockOrigin/uBlock-issues/discussions/2264 +ehftv.com##.blackPlayer + +! https://github.com/uBlockOrigin/uAssets/discussions/14823 +thespruceeats.com#@#[data-ad-width] +thespruceeats.com##.mntl-leaderboard-spacer + +! https://github.com/AdguardTeam/AdguardFilters/issues/129795 +||baidu.com/*/track.gif?$image,redirect=1x1.gif,important,domain=jump2.bdimg.com + +! https://github.com/uBlockOrigin/uAssets/issues/14877 +@@||assets.evolutionadv.it/violations/comingsoon.it.violations.js$script,domain=comingsoon.it +@@||ads.pubmatic.com/AdServer/js/pwt/*/3021/pwt.js$script,domain=comingsoon.it +*$script,domain=comingsoon.it,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/14878 +unrealengine.com##+js(no-xhr-if, /api/analytics) + +! https://github.com/AdguardTeam/AdguardFilters/issues/130017 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=zee5.com,redirect=google-ima.js +zee5.com##+js(set, Object.prototype.setDisableFlashAds, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/14865 +@@||assets.adobedtm.com/*source.min.js$script,domain=msds.open.ac.uk + +! https://github.com/uBlockOrigin/uAssets/issues/14963 +@@||googletagmanager.com/gtag/*$script,domain=redx.com.bd + +! https://github.com/easylist/easylist/commit/a1dfdcb3158f463578bb9a5737934b95d5fe7025#commitcomment-84400982 +javcrave.com#@#.widget_custom_html + +! https://github.com/uBlockOrigin/uAssets/issues/13324 +! https://github.com/uBlockOrigin/uAssets/issues/15004 +! https://github.com/uBlockOrigin/uAssets/issues/17803 +@@||index.hr/thirdparty/brid/*$script,1p +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=index.hr +@@||amazon-adsystem.com/aax2/apstag.js$script,domain=index.hr + +! https://www.netac.com/product/SSD-10 => broken product images +||sohu.com/cityjson$script,domain=netac.com,redirect=noopjs,important + +! https://github.com/uBlockOrigin/uAssets/issues/15086 +@@||soapps.net^*live/loader/counter.js$script + +! https://twitter.com/205serieslovema/status/1576555285417951233 +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect-rule,domain=amachamusic.chagasi.com + +! https://github.com/uBlockOrigin/uAssets/issues/15077#issuecomment-1261068202 +@@||amazon-adsystem.com/*/apstag.js$script,redirect-rule,domain=weather.com + +! https://www.reddit.com/r/uBlockOrigin/comments/xv9d2a/ +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect-rule,domain=honestjohn.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/15153 +@@||googletagmanager.com/gtag/js$script,redirect-rule,domain=contactpoints.org + +! https://github.com/uBlockOrigin/uAssets/issues/15172 +@@||mxpnl.com/libs/mixpanel-*.min.js$domain=barracudanetworks.com + +! https://github.com/uBlockOrigin/uAssets/issues/15211 +wco.tv##+js(no-xhr-if, api) + +! palatifini. it broken +palatifini.it##.show.fade.modal-backdrop +palatifini.it##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/13859#issuecomment-1277362585 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=raiplay.it + +! https://www.reddit.com/r/uBlockOrigin/comments/y3yeg4/ +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=kotaku.com +||imasdk.googleapis.com^$frame,domain=kotaku.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/15300 +@@||cmp.dmgmediaprivacy.co.uk/cmp/*$script,domain=gbnews.uk +@@||cmp.dmgmediaprivacy.co.uk/*/vendor-list.json$xhr,domain=gbnews.uk +@@||cmp.dmgmediaprivacy.co.uk/gdpr/*$xhr,domain=gbnews.uk + +! https://github.com/uBlockOrigin/uAssets/issues/15312 +dmzj.com##body:style(overflow: auto !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/15351 +@@||pnp.co.za/pnpstorefront/_ui/shared/js/analyticsmediator.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15437 +||encar.com/js/*/analytics.js$script,1p,redirect=noop.js + +! https://github.com/uBlockOrigin/uAssets/issues/15426 +@@||cdn.logrocket.io/LogRocket.min.js$script,domain=webappui.jobnimbus.com +@@||cdn.logrocket.io/logger-1.min.js$script,domain=webappui.jobnimbus.com + +! z-lib home pages connections breakage +/1pixel.php$badfilter +/1pixel.php$domain=~1lib.domains|~singlelogin.app|~z-lib.org + +! https://github.com/uBlockOrigin/uAssets/issues/15447 +@@||my.hrw.com/dashboard/js/workbench/utils/analytics.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15435 +@@||google-analytics.com/analytics.js$script,redirect-rule,domain=youtube.videodeck.net + +! https://github.com/uBlockOrigin/uAssets/issues/15502 +@@||pearson.com/osbrowserchecker/prd/thirdPartyCookie.html$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15402 +@@||xweb.instagram.com/ads/preferences/ad_topics/$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15408 +mail.google.com#@#div[aria-label="Ads"] + +! https://github.com/DandelionSprout/adfilt/issues/7#issuecomment-560023272 +! https://github.com/AdguardTeam/AdguardFilters/issues/144897 +! https://github.com/uBlockOrigin/uAssets/issues/15531 +@@||tra.scds.pmdstatic.net/pmd-browsertools/$script,domain=gala.fr +@@||tra.scds.pmdstatic.net/$xhr,domain=gala.fr +! https://github.com/uBlockOrigin/uAssets/issues/15531#issuecomment-1305952402 +@@||tra.scds.pmdstatic.net/sourcepoint/$script,domain=programme-tv.net +@@||securepubads.g.doubleclick.net/gampad/ads$xhr,domain=programme-tv.net +! https://www.voici.fr/tele/la-boite-a-secrets-le-geste-de-zaz-qui-a-decontenance-faustine-bollaert-zaptv-751722 broken video +||d1z2jf7jlzjs58.cloudfront.net/p.js$script,redirect=noopjs,domain=voici.fr +! https://www.reddit.com/r/uBlockOrigin/comments/11oi8jg/ +geo.fr##.ads +@@||tra.scds.pmdstatic.net/sourcepoint/*/sourcepoint.min.js$script,domain=geo.fr +@@||tra.scds.pmdstatic.net/advertising-core/*/core-ads.js$script,domain=geo.fr +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=gala.fr|geo.fr|voici.fr +@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$script,domain=gala.fr|geo.fr|voici.fr +gala.fr,geo.fr,voici.fr##+js(set, DD_RUM.addTiming, noopFunc) +gala.fr,geo.fr,voici.fr##+js(no-xhr-if, doubleclick) +gala.fr,geo.fr,voici.fr#@#[data-ads-core] + +! https://forums.lanik.us/viewtopic.php?t=47859-lemonde-fr +@@||cmp.huffingtonpost.fr/js/huffpost.min.js$script,1p +@@||cmp.huffingtonpost.fr/html/huffpost/wall-large.html?css=/css/huffpost/wall-large.min.css$xhr,1p +@@||cmp.huffingtonpost.fr/api/consent$xhr,1p +@@||cmp.lemonde.fr/js/lemonde.min.js$script,1p +@@||cmp.lemonde.fr/html/lemonde/wall-tunnel-abo-essential.html?css=/css/lemonde/wall.min.css$xhr,1p +@@||cmp.lemonde.fr/api/consent$xhr,1p +lemonde.fr#@#.gdpr-lmd-wall + +! https://th4-app.taximail.com/campaign-detail/3#overview UI breakage +@@||taximail.com/js/analytics.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15552 +@@||assets.adobedtm.com/*.js$script,domain=accounts.o2.co.uk +||assets.adobedtm.com/*source.min.js$script,domain=accounts.o2.co.uk,important + +! https://github.com/uBlockOrigin/uAssets/issues/15561 +instagram.com#@#div[style="max-height: inherit; max-width: inherit;"]:has(span:has-text(Paid partnership with )) + +! https://github.com/uBlockOrigin/uAssets/issues/15647 +||wisepops.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/15635 +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,domain=ici.tou.tv + +! https://github.com/uBlockOrigin/uAssets/issues/15661 +@@||aniview.com/api/$script,xhr,domain=gamingbible.co.uk +@@||player.avplayer.com/script/*/avcplayer.js$script,xhr,domain=gamingbible.com +@@||micro.rubiconproject.com/prebid/dynamic/$script,xhr,domain=gamingbible.com +*$script,redirect-rule=noopjs,domain=gamingbible.com +*$xhr,redirect-rule=nooptext,domain=gamingbible.com +gamingbible.com##[data-cypress="sticky-header"] +gamingbible.com##[data-cypress="sticky-ads"] +gamingbible.com##div[id] > .dfp-ad-unit:upward(1) + +! shavetape. cash(streamtape alias) download blocked +*$popup,3p,domain=shavetape.cash,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/15715 +gloucestershirelive.co.uk##+js(set, chameleonVideo.adDisabledRequested, true) + +! https://github.com/uBlockOrigin/uAssets/issues/15720 +/^https?:\/\/[0-9a-z]{8,}\.xyz\/.*/$3p,~media,domain=apiyoutube.cc|clicknupload.to|daddyhd.com|poscitech.click|sportcast.life,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/15744 +@@||abcmouse.com/*/analytics.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15760 +@@||argos.co.uk/utag/utag.sync.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15771 +||samash.com^$script,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/15768 +@@||google.com/adsense/search/ads.js$script,domain=diigo.com + +! https://forums.lanik.us/viewtopic.php?t=47902-join-megaphonetv-com-rej +||join.megaphonetv.com^$3p,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/15608 +@@||video.qq.com/getvinfo$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/15880 +||arcgis.com/apps/instant/node_modules/templates-common-library/structuralFunctionality/telemetry/AppMeasurement.js^$script,1p,redirect=noopjs +! https://www.nesdis.noaa.gov/imagery/hurricanes/live-hurricane-tracker +! https://github.com/easylist/easylist/commit/92f06ff6f7cc5fd257ce53aafe9bd304c2e37bf7 +! https://github.com/uBlockOrigin/uAssets/issues/26311 +||maps.arcgis.com/apps/*/AppMeasurement.js^$1p,redirect=noopjs,important + +! https://github.com/uBlockOrigin/uAssets/issues/15876 +/google-tag-manager.min.js$script,domain=511tactical.com,redirect=googletagmanager_gtm.js + +! herz-fuer-tiere.de images hidden +@@||herz-fuer-tiere.de^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/15926 +@@||wikipedia.org/api/rest*$xhr,1p + +! zeenews.india.com videos broken by peter's /adguard mobile ads filter list +@@||ads.pubmatic.com/AdServer/js/pwt$script,domain=zeenews.india.com + +! https://admin.thexyz.com/MyAccount/Profile breakage +@@||admin.thexyz.com/javascript/services/analytics.js$script,domain=admin.thexyz.com + +! https://github.com/uBlockOrigin/uAssets/issues/16022 +||esputnik.com^$3p,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/16052 +@@||id.flybuys.com.au/assets/scripts/fingerprint2.min.js$script,domain=id.flybuys.com.au + +! https://github.com/uBlockOrigin/uAssets/issues/16077 +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,redirect-rule=googletagservices_gpt.js:5,domain=aibusiness.com + +! https://github.com/uBlockOrigin/uAssets/issues/16070 +@@||nr-data.net^$domain=chaturbate.com +@@||js-agent.newrelic.com^$script,domain=chaturbate.com + +! remove bait +.io/ads/$badfilter + +! https://github.com/tofukko/filter/issues/79 +@@||googletagmanager.com/gtm.js$domain=buhitter.com + +! https://github.com/uBlockOrigin/uAssets/issues/16091 +! https://github.com/uBlockOrigin/uAssets/issues/16265 +@@||discover.com/*/visitorAPI.js$script,1p +@@||discover.com/*/AppMeasurement.js$script,1p +@@||discover.com/*/AppMeasurement.min.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/16128 +@@||img.kleinanzeigen.de/api/$image,1p + +! https://github.com/uBlockOrigin/uAssets/issues/12112#issuecomment-1366134900 +*$script,3p,from=uqload.com,badfilter +||opsktp.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/16137 +@@||hub.docker.com/*/repositories/plausible/analytics/tags/$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/16167 +||parsely.com^$badfilter +||parsely.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/16177 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=gizmodo.com,redirect=google-ima.js + +! https://github.com/uBlockOrigin/uAssets/pull/16191 +! broken by Peter's Lowe +@@||mcs-va.tiktok.com/v1/user/webid$xhr + +! https://github.com/AdguardTeam/AdguardFilters/issues/138848 +@@||tn.voyeurhit.com/contents/$image,domain=voyeurhit.tube + +! https://github.com/uBlockOrigin/uAssets/issues/16259 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=eitb.eus +eitb.eus##.body--onPlayer--ads:remove-class(body--onPlayer--ads) + +! https://github.com/uBlockOrigin/uAssets/commit/66a1e58b63f86e73f0bf596b3cd4e82d4b6781d9 +||counter2.blog.livedoor.com^$badfilter +||counter2.blog.livedoor.com^$image + +! bad filter from CZE, SVK: EasyList Czech and Slovak breaking +! topserialy. si, sledujfilmy. io etc +#@#[id^="etarget"] + +! https://github.com/uBlockOrigin/uAssets/issues/16286 +arsiv.mackolik.com##+js(set, AdmostClient, {}) + +! https://github.com/easylist/easylist/issues/14533 +@@||content.gap.com/fp/*.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/16304 +@@||cohesion.bankrate.com/cohesion/cohesion-latest.min.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/16328 +||mycourses.pearson.com/shared/static/*/component/ga.min.js$script,1p,redirect=google-analytics.com/analytics.js,important + +! https://www.reddit.com/r/uBlockOrigin/comments/10cx3sw/ +/img/ads/Spinner.png$image,redirect=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/16394 +||coveo.com^$script,domain=basspro.com,redirect-rule=noopjs + +! fix https://pointmall.rakuten.co.jp/gacha +@@||googletagmanager.com/gtm.js$domain=pointmall.rakuten.co.jp + +! https://www.reddit.com/r/uBlockOrigin/comments/10i8c3u/ +@@||cdn.blueconic.net/akc.js$script,domain=akc.org +@@||akc.blueconic.net^$image,script,xhr,domain=akc.org + +! https://github.com/uBlockOrigin/uAssets/issues/16464 +||permutive.com^$badfilter +||permutive.com^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/138429 +instagram.com#@?#article[role="presentation"] > div[style]:-abp-has(span:-abp-contains(/Anzeige|Gesponsert|Sponsored|Geborg|Sponzorováno|Sponsoreret|Χορηγούμενη|Publicidad|Sponsoroitu|Sponsorisé|Bersponsor|Sponsorizzato|広告|광고|Ditaja|Sponset|Gesponsord|Sponsorowane|Patrocinado|Реклама|Sponsrad|ได้รับการสนับสนุน|May Sponsor|Sponsorlu|赞助内容|贊助|প্রযোজিত|પ્રાયોજિત|स्पॉन्सर्ड|Sponzorirano|ಪ್ರಾಯೋಜಿತ|സ്‌പോൺസർ ചെയ്‌തത്|पुरस्‍कृत|प्रायोजित|ਪ੍ਰਾਯੋਜਿਤ|මුදල් ගෙවා ප්‍රචාරය කරන ලදි|Sponzorované|விளம்பரதாரர்கள்|స్పాన్సర్ చేసింది|Được tài trợ|Спонсорирано|Commandité|Sponsorizat|Спонзорисано/)) + +! https://github.com/uBlockOrigin/uAssets/issues/16515 +@@||uicdn.com/shared/sentry/*/bundle.min.js$script,domain=gmx.co.uk|gmx.com + +! https://github.com/uBlockOrigin/uAssets/issues/14641 +@@||cdn.bluebillywig.com/apps/player/*/admanager$script,domain=digital-photography-school.com + +! https://github.com/uBlockOrigin/uAssets/issues/16571 +@@||googletagmanager.com/gtm.js$script,domain=riteaid.com +@@||googletagmanager.com/gtag/js?id=G$script,domain=riteaid.com +riteaid.com##^html > body:not(.catalogsearch-result-index):upward(1) > head > script:has-text(googletagmanager) + +! https://github.com/uBlockOrigin/uAssets/issues/16569 +@@||js.monitor.azure.com/scripts/$script,domain=efilecabinet.net + +! unbreak sign up on NSFW sites +@@/signup.php?mode=async&action=show_security_code$image,1p + +! https://github.com/easylist/easylist/issues/14805 +! https://github.com/uBlockOrigin/uAssets/issues/16606 +@@/akam/13/*$script,xhr,1p,domain=easyjet.com|ing.nl + +! https://github.com/uBlockOrigin/uAssets/issues/16071#issuecomment-1418675044 +@@/init.js|$script,xhr,1p,domain=crunchbase.com +@@||collector-*.px-cloud.net/b/$xhr,domain=crunchbase.com + +! https://www.radiox.co.uk/festivals/parklife-2023-headliners-line-up-tickets-stage-times/ audio breakage +@@||googletagmanager.com/gtm.js$script,domain=radiox.co.uk +radiox.co.uk##^body:not(:has(#remixd-audio-player)) > script:has-text(googletagmanager) + +! https://www.reddit.com/r/uBlockOrigin/comments/10x6sp8/ +! Home page live video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=yaktrinews.com,redirect=google-ima.js +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=yaktrinews.com +||dai.google.com/*/id3-events.json + +! https://github.com/orgs/uBlockOrigin/teams/ublock-filters-volunteers/discussions/459/comments/49 +/1.gif?$badfilter +/2.gif?$badfilter +/3.gif?$badfilter +! distro.tv +||i.jsrdn.com/i/1.gif? +! www.d1spas.com +||qbk1.com/1.gif? +! news.cn +||webd.home.news.cn/1.gif? + +! https://github.com/uBlockOrigin/uAssets/issues/16694 +@@||app.link^$script,domain=fluz.app +@@||api2.branch.io/v1/open$xhr,domain=fluz.app + +! https://wnynewsnow.com/2023/02/10/substance-abuse-obesity-concerns-top-chautauqua-county-health-assessment/ - video breakage +wnynewsnow.com#@#.ez-video-wrap +@@||videosvc.ezoic.com/play$xhr,domain=wnynewsnow.com +@@||g.ezoic.net/ezais/analytics^$xhr,domain=wnynewsnow.com +@@||go.ezodn.com/beardeddragon/$script,domain=wnynewsnow.com +wnynewsnow.com##+js(set-attr, ':is(.watch-on-link-logo, li.post) img.ezlazyload[src^="data:image"][data-ezsrc]', src, [data-ezsrc]) +wnynewsnow.com##aside.wp-block-template-part > .wp-block-group-is-layout-constrained > figure +wnynewsnow.com##aside.wp-block-template-part > .wp-block-group-is-layout-constrained > .wp-block-group-is-layout-constrained > figure + +! https://www.reddit.com/r/uBlockOrigin/comments/112yprq/ +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=mathgames.com,redirect=google-ima.js + +! https://github.com/uBlockOrigin/uAssets/issues/16765 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=tunegenie.com,redirect=google-ima.js +tunegenie.com##.adcontainer + +! https://github.com/AdguardTeam/AdguardFilters/issues/142640 +itmedia.co.jp###ulCommentWidget[style*="display"]:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/16786 +@@||ftb.ca.gov/js/webtrends.min.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/16801 +@@||wordcounter.icu^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/16827 +jacksonguitars.com##+js(set, analytics, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/16850 +@@||manchestereveningnews.co.uk^$xhr,script,1p +@@||mirror.co.uk^$script,xhr,1p +@@/@trinitymirrordigital/withnail/*prebid$script,xhr,1p +@@||bcp.crwdcntrl.net/*/data$xhr +@@||tags.crwdcntrl.net^$script,domain=dailystar.co.uk|liverpoolecho.co.uk|football.london|devonlive.com|buzz.ie|inyourarea.co.uk|cornwalllive.com|coventrytelegraph.net|dublinlive.ie|glasgowlive.co.uk|kentlive.news|essexlive.news|lincolnshirelive.co.uk|insider.co.uk|bathchronicle.co.uk|birminghammail.co.uk|cheshire-live.co.uk|corkbeo.ie|crewechronicle.co.uk|croydonadvertiser.co.uk|dailypost.co.uk|dailyrecord.co.uk|derbytelegraph.co.uk|edinburghlive.co.uk|examinerlive.co.uk|gazettelive.co.uk|getreading.co.uk|getsurrey.co.uk|grimsbytelegraph.co.uk|hampshirelive.news|hulldailymail.co.uk|irishmirror.ie|liverpool.com|mylondon.news|nottinghampost.com|rossendalefreepress.co.uk|southportvisiter.co.uk|staffordshire-live.co.uk|stokesentinel.co.uk|walesonline.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/25759 +@@||micro.rubiconproject.com/prebid/dynamic/$script,domain=dailypost.co.uk|dailystar.co.uk|mirror.co.uk +dailypost.co.uk,dailystar.co.uk,mirror.co.uk##+js(nano-stb, native code, 15000, 0.001) +dailypost.co.uk,dailystar.co.uk,mirror.co.uk##+js(nano-stb, (null), 5000, 0.001) +! https://github.com/uBlockOrigin/uAssets/issues/25759#issuecomment-2445393624 +||jwpcdn.com/player/plugins/googima/*/googima.js^$script,redirect=google-ima.js,domain=dailystar.co.uk + +! https://github.com/easylist/easylist/issues/15021 +||googleadservices.com/pagead/conversion.js$script,redirect=noop.js,domain=ncsoft.jp,important + +! https://github.com/uBlockOrigin/uAssets/issues/16883 +@@||matomo.paizo.com/piwik.js$1p + +! https://github.com/uBlockOrigin/uAssets/issues/16931 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=doubtnut.com,redirect=google-ima.js,important +||api.doubtnut.com/v2/web-landing/web-ads-info$xhr,redirect=nooptext + +! Event manager +@@||ads-api.twitter.com^$xhr,domain=analytics.twitter.com + +! https://github.com/easylist/easylist/issues/15018 +! https://github.com/uBlockOrigin/uAssets/issues/17578 +! https://github.com/AdguardTeam/AdguardFilters/issues/148311 +! https://www.reddit.com/r/uBlockOrigin/comments/1d95bh2/ublock_detected_at_httpskultivicom/ +! https://github.com/uBlockOrigin/uAssets/issues/25116 +||connatix.com^$badfilter +||connatix.com^$3p +||connatix.com^$3p,removeparam=cid +app.kultivi.com,hollywoodreporter.com,huffpost.com,sacbee.com,tvline.com,w3schools.com#@#.cnx-player-wrapper +app.kultivi.com,hollywoodreporter.com,huffpost.com,sacbee.com,tvline.com,w3schools.com#@#[id^="jwplayer"] +@@||connatix.com/*connatix.player.$3p,script,domain=accesousa.com|accuweather.com|adweek.com|app.kultivi.com|bellinghamherald.com|bnd.com|bradenton.com|centredaily.com|charlotteobserver.com|easternstandardtimes.com|elnuevoherald.com|flkeysnews.com|fresnobee.com|heraldonline.com|heraldsun.com|hollywoodreporter.com|huffpost.com|idahostatesman.com|indiewire.com|islandpacket.com|interestingengineering.com|kansas.com|kansascity.com|kentucky.com|ledger-enquirer.com|loot.tv|macon.com|mahoningmatters.com|mcclatchydc.com|mercedsunstar.com|miamiherald.com|modbee.com|myrtlebeachonline.com|newsobserver.com|reuters.com|sacbee.com|sanluisobispo.com|star-telegram.com|sunherald.com|thenewstribune.com|theolympian.com|thestate.com|tri-cityherald.com|tvline.com|variety.com|w3schools.com +@@||connatix.com/*.css$3p,css +@@||cds.connatix.com/*/elLoader.$3p,script +@@||cds.connatix.com/*/player.renderer.$3p,script +@@||cds.connatix.com/*/player.hls.$3p,script +@@||cds.connatix.com/*/player.lit.$3p,script +@@||capi.connatix.com/core/pls$3p,xhr +@@||img.connatix.com/pid-$3p,image +@@||vid.connatix.com/pid-$3p,media,xhr +@@||cds.connatix.com/p/*/elements.ui.$3p,script +@@||cds.connatix.com/*/hls$script,3p +! https://www.reddit.com/r/uBlockOrigin/comments/1837a7a/video_not_playing_on_kansascom/ +@@||cds.connatix.com/p/*/cSyncRemoteEntry.js^$3p,script +#@#.wps-player-wrap +! https://github.com/uBlockOrigin/uAssets/issues/17646 +@@||img.connatix.com/*.jpg$3p,image,domain=accuweather.com +! https://www.thestate.com/sports/college/university-of-south-carolina/usc-baseball/article276291411.html no need connatix +bellinghamherald.com,bnd.com,bradenton.com,centredaily.com,charlotteobserver.com,flkeysnews.com,fresnobee.com,heraldonline.com,heraldsun.com,idahostatesman.com,islandpacket.com,kansas.com,kansascity.com,kentucky.com,ledger-enquirer.com,macon.com,mahoningmatters.com,mcclatchydc.com,mercedsunstar.com,miamiherald.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sacbee.com,sanluisobispo.com,star-telegram.com,sunherald.com##^html:not(:has(video)) > head > script:has-text(connatix.com) +loot.tv##^html:not(:has(#connatixPlayerID)) > head > script[src*="connatix"] +thestate.com##^html > head > script:has-text(connatix.id):upward(1) > script:has-text(window.cnx) +variety.com##^html > head > link[rel="canonical"]:not([href*="/video/"]):upward(1) > script[src*="connatix"] + +! connatix.com recommended articles/videos +! https://github.com/uBlockOrigin/uAssets/issues/10867 +@@||cd.connatix.com/connatix.playspace.js^$script,3p,domain=adweek.com +@@||cds.connatix.com/p/*/connatix.playspace.dc.js^$script,3p,domain=adweek.com +@@||cds.connatix.com/p/*/connatix.playspace.css^$css,3p,domain=adweek.com +@@||connatix.com/core/story^$xhr,method=post,3p,domain=adweek.com +||adweek.com^$removeparam=traffic_source +! https://github.com/uBlockOrigin/uAssets/issues/20200 +@@||connatix.com^$script,domain=accuweather.com +! https://github.com/uBlockOrigin/uAssets/issues/21432#issuecomment-1971403010 +@@||connatix.com^$script,domain=deadline.com +deadline.com#@#.cnx-player-wrapper + +! https://github.com/uBlockOrigin/uAssets/issues/17000 +mediaite.com#@#.adthrive-video-player +mediaite.com##.adthrive-video-player:style(padding-bottom: 0 !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/9807#issuecomment-1451781619 +@@||googletagmanager.com/gtag/js$script,domain=independentespanol.com + +! https://github.com/uBlockOrigin/uAssets/issues/17011 +@@||api.aws.parking.godaddy.com/v1/parking/landers/$xhr + +! https://github.com/AdguardTeam/AdguardFilters/issues/144470 +@@||rt.rtoaster.jp/Rtoaster.js$script,domain=jreastmall.com + +! unbreak sagicheck.jp - checking bad url pattern triggers strict-blocking +@@||sagicheck.jp/jp/check/$doc + +! https://github.com/uBlockOrigin/uAssets/issues/17071 +||lightning.cnn.com/launch/$script,redirect-rule=noopjs + +! https://www.reddit.com/r/uBlockOrigin/comments/11lwhym/ +@@||catchup.thisisdax.com/*.m4a$media,domain=globalplayer.com + +! https://github.com/uBlockOrigin/uAssets/issues/17124 +||scandichotels.com/Static/js/tracking/tracking-data-init.js^$script,1p,important +scandichotels.com##+js(set, datalayer, []) + +! https://github.com/uBlockOrigin/uAssets/pull/17134 +muropaketti.com##body.noImages .content img:style(display: inline-block !important) + +! https://github.com/uBlockOrigin/uAssets/issues/17168 +@@||sa.etp-prod.com/analytics.js/v*/analytics.min.js$script,domain=vrv.co + +! https://github.com/uBlockOrigin/uAssets/issues/15628 +@@||partner-api.sddan.com/api/*/public/partner/$xhr,domain=6play.fr + +! unbreaking PageViews widget on blogspot +@@||blogspot.com/b/stats$xhr,1p + +! TV-Program information can't be retrieved (Lowe's list) +! @@||securepubads.g.doubleclick.net/pagead/ppub_config$xhr,domain=telsu.fi +! @@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=telsu.fi +! @@||securepubads.g.doubleclick.net/gpt/pubads_impl_$script,domain=telsu.fi + +! https://github.com/uBlockOrigin/uAssets/issues/17230 +@@||martech.condenastdigital.com/lib/martech.js$script,domain=newyorker.com + +! https://github.com/uBlockOrigin/uAssets/issues/17231 +||trust-provider.com^*/trustlogo.js$3p,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/8240 +@@||myntra.com/beacon/user-data^$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17228#issuecomment-1475997052 +@@*google*$script,frame,xhr,domain=kulturalnemedia.pl + +! https://github.com/uBlockOrigin/uAssets/issues/17254 +@@||api.calven.app/analytics/$xhr,domain=calven.app|calven.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/146517 +@@||googletagmanager.com/gtm.js$script,domain=nespresso.com + +! https://github.com/uBlockOrigin/uAssets/issues/17322 +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$script,domain=mediaite.com + +! https://www.reddit.com/r/uBlockOrigin/comments/126wfiw/ +jayisgames.com##.widget-topad:style(padding-bottom: 20px !important;) + +! https://github.com/AdguardTeam/AdguardFilters/issues/146946 +@@||fpnpmcdn.net/v*/loader$script,domain=app.writesonic.com + +! https://www.reddit.com/r/uBlockOrigin/comments/1287czd/ +*$image,redirect-rule=1x1.gif,domain=go-girl.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/147113 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=pac-12.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/147042 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=vtvgiaitri.vn,redirect=google-ima.js + +! https://github.com/uBlockOrigin/uAssets/issues/17388 +stylist.co.uk##+js(set, Object.prototype.isInitialLoadDisabled, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/17384 +hornoxe.com#@#div.post:has(a[href^="https://www.amazon.de/"]) +hornoxe.com##.ivycat-post:has(a[href^="https://www.amazon.de/"]) + +! https://github.com/uBlockOrigin/uAssets/issues/17439 +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$script,domain=jn.pt + +! https://github.com/AdguardTeam/AdguardFilters/issues/147510 +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$script,domain=scotsman.com +scotsman.com##[class*="AdContainer"] +scotsman.com##[class*="AdLoading"] +scotsman.com##[class*="Ads__Container"] +scotsman.com##[class*="Billboard__Root"] +scotsman.com##^html:not(:has([class^="Dailymotion__Wrapper"])) > head > script:has-text(gptScript) + +! https://github.com/tofukko/filter/issues/83 +@@||taboola.com/magazine/$domain=taboolanews.com + +! https://github.com/uBlockOrigin/uAssets/issues/17498 +dark-gaming.com##+js(no-xhr-if, lr-ingest.io) + +! https://twitter.com/forestone05/status/1644686599500996608 +@@||user.userguiding.com/sdk/identify$xhr,domain=xaris.ai + +! https://github.com/AdguardTeam/AdguardFilters/issues/120883 +||nettix.fi/*/nettiauto_analytics.js$script,domain=nettiauto.com,important +nettiauto.com##+js(set, listingGoogleEETracking, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/12hgnfo/ +@@||simcotools.app/assets/adsense-*.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/12hwt0e/ +||startpage.com/sp/adsense/$script,redirect-rule=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/17532 +@@||api.aws.parking.godaddy.com/*/domains/*$xhr,3p + +! https://github.com/uBlockOrigin/uAssets/issues/17535 +thaiairways.com##+js(set, dcsMultiTrack, noopFunc) +thaiairways.com##+js(set, urlStrArray, noopFunc) +||thaiairways.com/static/common/js/wt_js/webtrends.min.js$script,1p,important + +! https://github.com/AdguardTeam/AdguardFilters/issues/148109 +@@||sf.ezoiccdn.com/ezoimgfmt/$image,domain=kosmofoto.com +@@||sf.ezoiccdn.com/ezossp/https/kosmofoto.com/_static/$script,domain=kosmofoto.com +@@||sf.ezoiccdn.com/ezossp/https/kosmofoto.com/wp-content/$script,domain=kosmofoto.com +@@||sf.ezoiccdn.com/ezossp/https/kosmofoto.com/wp-includes/$script,domain=kosmofoto.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/148089 +@@||miclaro.com.gt/assets/analytics.*.js$script,1p +@@||tags.bkrtx.com/js/bk-coretag.js$script,domain=miclaro.com.gt + +! https://github.com/AdguardTeam/AdguardFilters/issues/148251 +doodle.com#@#.AdsSlot +doodle.com#@#.AdsLayout +doodle.com##.AdsLayout__top-container + +! https://github.com/AdguardTeam/AdguardFilters/issues/148485 +||hager.com/*/youtubeblocker.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17649 +@@||promodarceky.sk/kategorie/reklamne*$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17650 +||bing.com/rewardsapp/reportactivity?$badfilter +||bing.com/geolocation/write?$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/17653 +||cdn.onesignal.com^$badfilter + +! sho.com broken search +||sho.com/www/sho/lib/omniture/AppMeasurement.js$xhr,1p,redirect=noop.js + +! https://github.com/AdguardTeam/AdguardFilters/issues/148618 +cerbahealthcare.it##+js(set, pa, {}) +cerbahealthcare.it##+js(set, Object.prototype.setConfigurations, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/148781 +! https://github.com/uBlockOrigin/uAssets/issues/17685 +@@||googletagmanager.com/gtm.js$script,domain=dzonline.de|marveloptics.com|wn.de + +! https://github.com/uBlockOrigin/uAssets/issues/17697 +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$script,domain=today.line.me + +! https://indianexpress.com/login/ breakage +@@||ua.indianexpress.com/api/geoip/resolve$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/17708 +@@||googletagmanager.com/gtm.js$script,domain=radio-canada.ca + +! https://github.com/uBlockOrigin/uAssets/issues/17633 +@@||static.chartbeat.com^$domain=repubblica.it + +! unbreak sugoroku64.ad-link.jp (account required) +||ad-link.jp/sugoroku64/static/img/promotion_5/spacer.gif$image,redirect=1x1.gif,domain=sugoroku64.ad-link.jp + +! https://github.com/uBlockOrigin/uAssets/issues/17729 +securegames.iwin.com##+js(no-xhr-if, /gtm.js) + +! https://github.com/uBlockOrigin/uAssets/issues/17733 +pcwelt.de#@#a[href^="https://pvn.mediamarkt.de/"] +pcwelt.de#@#a[href^="https://pvn.saturn.de/"] + +! wgplayer breakages +||wgplayer.com^ +! https://github.com/AdguardTeam/AdguardFilters/issues/143493 +! games +! https://github.com/uBlockOrigin/uAssets/issues/23767 +@@||scylla.wgplayer.com/f_webp/$image +@@||universal.wgplayer.com/tag/$script,domain=brightygames.com|eminiclip.ro|sisigames.com|yoho.games +@@||wgplayer.com/*/wgAds.$script,domain=brightygames.com|eminiclip.ro|pastelkattogames.com|sisigames.com|yoho.games +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=brightygames.com|eminiclip.ro|sisigames.com|yoho.games +brightygames.com,yoho.games##^html > head > meta[property="og:url"]:not([content*="/games/"], [content*="/play/"]):upward(1) > script:has-text(wgplayer) +eminiclip.ro##^html:not(:has(#thegame)) > head > script:has-text(wgplayer) +sisigames.com##^#index-games:upward(html) > head > script:has-text(wgplayer) +! videos +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=canvids.com +@@||afv.wgplayer.com/*/wgPlayer.js$script,domain=canvids.com +@@||afv.wgplayer.com/*/conf.json$xhr,domain=canvids.com + +! yollamedia breakages - games +@@||portal.cdn.yollamedia.com/storage/$script,domain=pozirk.com +pozirk.com##^html:not(:has(iframe#game)) > head > script[src*="yollamedia.com"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/143476 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=cargames.com,redirect=google-ima.js + +! https://github.com/uBlockOrigin/uAssets/issues/17752 +sensacine.com##+js(aopr, JadIds) + +! https://github.com/AdguardTeam/AdguardFilters/issues/149223 +! https://github.com/AdguardTeam/AdguardFilters/issues/149624 +ewrc-models.com,ewrc-results.com#@#.cardAd + +! https://www.news8000.com/ anti-adb and homepage video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=news8000.com +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=news8000.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/143292 +tiendaenlinea.claro.com.ni##+js(set, Object.prototype.bk_addPageCtx, noopFunc) +tiendaenlinea.claro.com.ni##+js(set, Object.prototype.bk_doJSTag, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/17810 +||cs.co^$badfilter + +! https://github.com/AdguardTeam/AdguardFilters/issues/149499 +delta.com#@#.adv-container + +! https://github.com/uBlockOrigin/uAssets/issues/17836 +||shop.motorolasolutions.com/msi-files/libs/dynatrace.js$script,redirect=noopjs,from=shop.motorolasolutions.com +||shop.motorolasolutions.com/msi-files/page-tags/head/dynatrace-loader.js$script,redirect=noopjs,from=shop.motorolasolutions.com + +! To counter `statcounter.com` in Peter Lowe's +! https://github.com/uBlockOrigin/uAssets/commit/1142bef68ee287d27f6191c433ff8491570b6612 +||statcounter.com^$badfilter +||statcounter.com^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/142003 +vindobona.org#@#.ads_footer +vindobona.org##.adZoneM +vindobona.org##.adZonePC +vindobona.org##.sponsored + +! https://github.com/AdguardTeam/AdguardFilters/issues/141963 +@@||lngtd.com/ehftv_ros.js$script,domain=ehftv.com + +! https://github.com/uBlockOrigin/uAssets/issues/17891 +@@||analytics.google.com^$domain=firebase.google.com + +! https://github.com/uBlockOrigin/uAssets/issues/16128 +@@||kleinanzeigen.de^$ghide +kleinanzeigen.de###liberty-vip-billboard +/images/ad/*$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/17946 +decathlon.in##body:style(opacity: 1 !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/17976 +@@||cacheorcheck.mopinion.com/survey/public/json-config$xhr,domain=findmystreet.co.uk +@@||collect.mopinion.com/assets/surveys/*/js/survey.min.js$script,domain=findmystreet.co.uk +@@||deploy.mopinion.com^$script,xhr,domain=findmystreet.co.uk +@@||googletagmanager.com/gtm.js$script,domain=findmystreet.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/18014 +||allkeyshop.com/redirection/$doc,csp=script-src 'none' +@@||click.allkeyshop.com/*&source=allkeyshop.com$doc +*$1p,inline-script,script,domain=click.allkeyshop.com +click.allkeyshop.com##+js(refresh-defuser) + +! https://github.com/uBlockOrigin/uAssets/issues/17923 +@@||autocomplete.clearbit.com^$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/18048 +neilpatel.com##+js(no-xhr-if, ip-api) + +! https://github.com/AdguardTeam/AdguardFilters/issues/150818 +@@||cdn.logly.co.jp^$image,domain=asahi.com + +! https://jbbs.shitaraba.net/bbs/read.cgi/internet/25463/1618326670/156 +@@||dti.ne.jp/cgi-bin/Count.cgi?$image,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/150912 +@@||googletagmanager.com/gtm.js$script,domain=tele2.ee + +! https://github.com/AdguardTeam/AdguardFilters/issues/138457 +@@||tags.tiqcdn.com/utag/aaa/main/prod/utag.sync.js$script,domain=apps.calif.aaa.com +||tags.tiqcdn.com/utag/aaa/main/prod/utag.js$script,domain=aaa.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/138092 +iphoneincanada.ca#@#a[href^="https://click.linksynergy.com/fs-bin/"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/137631 +javgg.net##.home_iframead:has(> iframe) + +! https://github.com/uBlockOrigin/uAssets/issues/18188 +||braze.eu^$badfilter + +! https://github.com/easylist/easylist/issues/16004 +@@||support.microsoft.com/supportformslib/oneds/dist/ms.analytics-web- + +! https://github.com/uBlockOrigin/uAssets/issues/18196 +||success.act-on.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/18212 +/tagcommander.$badfilter + +! https://github.com/AdguardTeam/AdguardFilters/issues/151654 +@@||mark.isbank.com.tr^$script,image,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/151554 +@@||proton.me/*/google-ads-$image,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/151657 +tieba.baidu.com##+js(set, passFingerPrint, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/151774 +@@||analytics-*.clickdimensions.com/*/pages/$frame,domain=crm.digital.nhs.uk + +! https://github.com/uBlockOrigin/uAssets/issues/16440 +@@||h-microsoft.online-metrix.net^$xhr,domain=ave9858.github.io|docs.atlasos.net|massgrave.dev|msdl.gravesoft.dev + +! https://github.com/uBlockOrigin/uAssets/issues/17621#issuecomment-1567160350 +sofascore.com##.adUnitBox + +! https://github.com/uBlockOrigin/uAssets/issues/18322 +! too broad +/mixpanel.$domain=~mixpanel.com,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/18336 +/webTracking.$domain=~webtracking.girard-agediss.com,badfilter +/webtracking.min.js +||qualzz.com/assets/trackingScript/webtracking.js +||webtracking.fe.union-investment.de^ + +! https://github.com/uBlockOrigin/uAssets/issues/9764 +@@||imasdk.googleapis.com/pal/sdkloader/pal.js$script,domain=pluto.tv + +! https://github.com/uBlockOrigin/uAssets/issues/18345 +metastats.net##.col-md-6:style(height: 150px !important;) +metastats.net###page-wrapper > div.row:nth-of-type(1) + +! https://github.com/uBlockOrigin/uAssets/issues/18357 +@@||4chan.org/adv/$image,domain=boards.4channel.org + +! https://github.com/uBlockOrigin/uAssets/issues/18296 +! To counter `siteintercept.qualtrics.com` in PL list +||siteintercept.qualtrics.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/18441 +||googletagmanager.com/gtag/js$script,redirect=noop.js:10,domain=scobel.pasaz24.pl + +! https://www.reddit.com/r/uBlockOrigin/comments/147jvgy +goku.sx##.st-hidden:remove-class(st-hidden) +goku.sx##.st-btn:not(.st-first):style(display: inline-block !important; min-width: 50px !important; width: 50px !important;) +goku.sx##.st-btn > img:style(margin: auto !important; display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/18481 +@@||cloudflare.com/cdn-cgi/trace$xhr,domain=mgnet.xyz + +! https://github.com/AdguardTeam/AdguardFilters/issues/153437 +@@||googletagmanager.com/gtm.js$script,domain=akbank.com +@@||useinsider.com^$domain=akbank.com +||log.api.useinsider.com^$domain=akbank.com,important +||hit.api.useinsider.com^$domain=akbank.com,important +||inference.api.useinsider.com^$domain=akbank.com,important +||useinsider.com^$image,redirect-rule=2x2.png,domain=akbank.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/153392 +@@||googletagmanager.com/gtm.js$script,domain=nrj-play.fr + +! https://github.com/uBlockOrigin/uAssets/issues/18510 +@@||googletagmanager.com/gtm.js$script,domain=nykaa.com + +! https://github.com/uBlockOrigin/uAssets/issues/18512 +! https://github.com/uBlockOrigin/uAssets/issues/21773 +@@||cdn.pendo.io/agent/static/*/pendo.js$script,domain=adp.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/153977 +@@||bat.bing.com/bat.js$script,domain=northwell.edu + +! https://github.com/AdguardTeam/AdguardFilters/issues/154297 +@@||vbt.io^$css,image,domain=landing.davidho.sg + +! https://www.reddit.com/r/uBlockOrigin/comments/14er5u6/ +@@||challenges.cloudflare.com/turnstile/$3p,script + +! https://github.com/uBlockOrigin/uAssets/issues/18576 +||analytics.google.com^$badfilter +||analytics.google.com^$3p +@@||google-analytics.com^$domain=analytics.google.com + +! https://github.com/uBlockOrigin/uAssets/issues/18638 +||click.aliexpress.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/18674 +/statspage.$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/18684 +||sqrt-5041.de^$xhr,domain=joyn.at|joyn.de + +! https://github.com/uBlockOrigin/uAssets/issues/18713 +||yext-pixel.com/store_pagespixel^$xhr,redirect=1x1.gif,domain=vippetcare.com + +! https://github.com/uBlockOrigin/uAssets/issues/18715 +||googletagmanager.com/gtm.js$important,domain=fandom.com +||cdn.optimizely.com/js/$important,domain=fandom.com +fandom.com##+js(set, optimizely, {}) +fandom.com##+js(set, optimizely.initialized, true) + +! Wish list button doesn't work (EP and Lowe) +! https://www.festool.com/products/new-products/new-products/576894---txs-18-basic +! https://www.festoolcanada.com/products/systainer,-sortainer-and-systainer-port/systainer/577346---sys3-df-m-137 +@@||googletagmanager.com/gtm.js$script,domain=festool.*|festoolcanada.com|festoolusa.com + +! https://github.com/uBlockOrigin/uAssets/issues/18725 +uqload.co#@#+js(abort-current-script, document.createElement, break;case $.) + +! https://github.com/uBlockOrigin/uAssets/issues/18720 +@@||areaclienti.generali.it/AreaClienti/plugins/dynatrace-cordova-plugin/$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/18722 +eksisozluk.com##.ad-banner:remove() + +! Broken by Lowe's list +! https://github.com/uBlockOrigin/uAssets/issues/18734 +@@||googletagmanager.com/gtm.js$script,domain=aruba.it + +! https://github.com/uBlockOrigin/uAssets/issues/18735 +@@||googletagmanager.com/gtm.js$script,domain=pec.it + +! Lowe break content loading & customer assistant tool +@@||googletagmanager.com/gtm.js$script,domain=lippu.fi + +! https://github.com/AdguardTeam/AdguardFilters/issues/155149 +@@||koshien-live.net/*/adtag.xml$xhr,domain=vk.sportsbull.jp +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=vk.sportsbull.jp,important + +! https://github.com/uBlockOrigin/uAssets/issues/18800 +/spacer.gif?$image,redirect=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/18795 +||googleoptimize.com/optimize.js$domain=grasshopper.com,important +grasshopper.com##+js(set, google_optimize, {}) +grasshopper.com##+js(set, google_optimize.get, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/16742 +||epson.com.cn/common/new/js/tracking_code.js$1p,important +epson.com.cn##+js(set, _gsq, {}) +epson.com.cn##+js(set, _gsq.push, noopFunc) +! https://github.com/uBlockOrigin/uAssets/issues/23233 +epson.com.cn##+js(set, stmCustomEvent, noopFunc) +epson.com.cn##+js(set, _gsDevice, '') + +! https://github.com/uBlockOrigin/uAssets/issues/18859 +consali.com#@#a[href^="https://consali.com/"] + +! https://github.com/uBlockOrigin/uAssets/issues/18853 +yandex.*#@#+js(aopr, Object.prototype.renderDirect):matches-path(/\/(?:weather\/|pogoda\/|hava\/)/) + +! https://github.com/uBlockOrigin/uAssets/issues/18873 +||script-at.iocnt.net/iam.js$domain=oe24.at,important +oe24.at##+js(set, iom, {}) +oe24.at##+js(set, iom.c, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/155647 +@@||craftaro.com/build/assets/GoogleAd-$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/155632 +||nextday.media^$script,redirect-rule=noopjs,domain=gpblog.com + +! https://www.reddit.com/r/uBlockOrigin/comments/14uixq0/spotim_problems_again/jra8ilr/ +@@||jill.fc.yahoo.com/v1/client/js$script,domain=techcrunch.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/156401 +platform.autods.com##+js(set, _conv_q, {}) +platform.autods.com##+js(set, _conv_q.push, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/156357 +indiatimes.com#@#div:has(> div[id^="div-gpt-ad-"]) +indiatimes.com##.nonAppView > div div[class]:not([id]) > div[id^="div-gpt-ad"]:upward(1) + +! https://github.com/uBlockOrigin/uAssets/issues/19045 +! https://github.com/uBlockOrigin/uAssets/issues/19096 +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=kcra.com|wcvb.com +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=kcra.com|wcvb.com +kcra.com,wcvb.com##+js(set, google.ima.settings.setDisableFlashAds, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/1523lt8/videos_not_playing_on_wionewscom/ +@@||ads.pubmatic.com/AdServer/js/pwt/*/pwt.js$script,domain=wionews.com +wionews.com##^link[rel="canonical"]:not([href^="https://www.wionews.com/videos/"]) ~ script#pwt_script + +! https://github.com/uBlockOrigin/uAssets/issues/14619#issuecomment-1640036726 +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*$script,domain=moviepilot.de + +! https://github.com/AdguardTeam/AdguardFilters/issues/156669 +@@||hs.eloqua.com^$frame,domain=anthology.com + +! https://www.reddit.com/r/uBlockOrigin/comments/157utus/articles_on_mindbodygreencom_wont_load/ +@@||mindbodygreen.com/ads-leaderboard-ad-$script,domain=mindbodygreen.com + +! browsing-topics breakages +@@||cjisonline.com^$permissions=browsing-topics=() + +! https://github.com/AdguardTeam/AdguardFilters/issues/157342 +futura-sciences.com##+js(set, pa, {}) +futura-sciences.com##+js(set, pa.privacy, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/19164 +||adobe.com/newrelic.js$script,redirect=noopjs,1p + +! https://github.com/uBlockOrigin/uAssets/issues/19168 +wikihow.com##+js(set, Object.prototype.getTargetingMap, noopFunc) +@@||wikihow.com^$ghide +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=wikihow.com +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$script,domain=wikihow.com +wikihow.com##ins.adsbygoogle +wikihow.com##.wh_ad_active:style(margin: 0 !important; visibility: collapse !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/19169 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=startrek.com + +! https://github.com/uBlockOrigin/uAssets/issues/19147 +citibank.com.sg##+js(set, populateClientData4RBA, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/issues/157420 +@@||hikmall.com/js/sensorsdata.min.js$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/157584 +mytempsms.com#@##container-ad + +! https://github.com/uBlockOrigin/uAssets/issues/19211 +||dynatrace.com^$script,redirect=noopjs,domain=bcbstx.com + +! https://247sports.com/player/chance-robinson-46114146/ video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=247sports.com,important +! https://247sports.com/247sportslive/late-kick-with-josh-pate/late-kick-building-on-success-year-to-year-at-ohio-state-with-ryan-day/ +||s3media.247sports.com/Scripts/Bundle/*/videoPlayer.js^$script,1p,replace=/;if\(!\([a-z]+\|\|\(null===[^{]+/;if(false)/ + +! https://github.com/finnish-easylist-addition/finnish-easylist-addition/discussions/416#discussioncomment-6595712 +@@||mpsnare.iesnare.com/snare.js$script,domain=elgiganten.dk|elgiganten.se|elkjop.no|gigantti.fi|power.fi + +! https://github.com/uBlockOrigin/uAssets/issues/19338 +@@||wurfl.io/wurfl.js$script,domain=adshnk.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/158430 +szbz.de##+js(set, iom, {}) + +! https://github.com/AdguardTeam/AdguardFilters/issues/158410 +@@||a.omappapi.com/app/campaign-views/*-optin.json$xhr,domain=app.monstercampaigns.com +@@||a.omappapi.com/users/*/images/$image,domain=app.monstercampaigns.com +@@||a.omappapi.com/app/campaign-views/*-success.json$xhr,domain=app.monstercampaigns.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/158351 +@@||googletagmanager.com/gtm.js$script,domain=villeroy-boch.fr + +! https://github.com/AdguardTeam/AdguardFilters/issues/159452 +||tradeinsights.net^$badfilter +||tradeinsights.net^$3p + +! https://github.com/uBlockOrigin/uBlock-discussions/discussions/814 +/^https?:\/\/[www.0-9a-z]{7,}\.com\/.*\/invoke\.js$/$script,3p,badfilter + +! https://api.dock.agacad.com/public/vendors/arkancecz/products/6063246f9cc1c62e03076378/installation/2024 - download breakage +api.dock.agacad.com##+js(rpnt, script, /window\.dataLayer.+?(location\.replace\(\S+?\)).*/, $1) + +! https://github.com/AdguardTeam/AdguardFilters/issues/159573 +||tm.jsuol.com.br/uoltm.js$script,domain=uol.com.br|portugues.com.br,important +uol.com.br##+js(set, YT.ImaManager, noopFunc) +uol.com.br##+js(set, UOLPD, {}) +uol.com.br##+js(set, UOLPD.dataLayer, {}) +uol.com.br##+js(set, __configuredDFPTags, {}) +! https://github.com/AdguardTeam/AdguardFilters/issues/159573#issuecomment-2089027050 +@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video.min.js$script,domain=cultura.uol.com.br +@@||googleads.github.io/videojs-ima/node_modules/video.js/dist/video-js.min.css$css,domain=cultura.uol.com.br +! https://github.com/uBlockOrigin/uAssets/issues/24481 +||tm.jsuol.com.br/modules/external/admanager/noticias_ads.js$script,domain=uol.com.br,important +uol.com.br##+js(set, URL_VAST_YOUTUBE, {}) + +! https://myspace.com/myspace/video/charles-bradley-the-ferris-wheel-interviews/109587715 - video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=myspace.com,important + +! https://www.carmagazine.co.uk/car-reviews/smart/-1-suv/ - images breakage +||bauersecure.com/dist/js/prebid/$script,redirect=noopjs,important + +! https://github.com/uBlockOrigin/uAssets/issues/19438 +@@||googletagmanager.com/gtm.js$script,domain=abcam.com +abcam.com##^link[rel="canonical"]:not([href*="pageconfig=contactus"]):upward(html) script.optanon-category-C0001 + +! https://github.com/uBlockOrigin/uAssets/issues/19459 +@@||my.petinsurance.com/assets/js/new-relic.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/19522 +gazzetta.gr##+js(set, Adman, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/19519 +ewybory.eu#@#.advertisment + +! https://www.reddit.com/r/uBlockOrigin/comments/168muv8/ublock_messing_up_functionality_of_site/ +digicol.dpm.org.cn##+js(set, dplus, {}) +digicol.dpm.org.cn##+js(set, dplus.track, noopFunc) + +! https://github.com/easylist/easylist/issues/16855 +||adobedtm.com^*/satelliteLib-$script,domain=poweredbycovermore.com,important +poweredbycovermore.com##+js(set, _satellite, {}) +poweredbycovermore.com##+js(set, _satellite.track, noopFunc) + +! https://www.vrsicilia.it/ - Video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=vrsicilia.it,important + +! https://www.reddit.com/r/uBlockOrigin/comments/16axzwg/missing_table_of_contents_and_logo_at_the_top/ +neurotray.com##+js(nano-stb, /EzoIvent|TDELAY/, 5000) +@@||sf.ezoiccdn.com/ezoimgfmt/$image,3p,domain=neurotray.com +@@||sf.ezoiccdn.com/ezossp/$script,3p,domain=neurotray.com +||sf.ezoiccdn.com/ezossp/https/neurotray.com/?local_ga_js=$script,3p,domain=neurotray.com,important +! https://www.reddit.com/r/uBlockOrigin/comments/17wsdz5/some_content_missing_on_neurotraycom/ +@@||go.ezodn.com^$css,image,3p,domain=neurotray.com +@@||go.ezodn.com/tardisrocinante/$script,3p,domain=neurotray.com + +! https://github.com/uBlockOrigin/uAssets/issues/12214 - Video breakage +! https://github.com/uBlockOrigin/uAssets/issues/24754 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,important,redirect=google-ima.js:5,domain=abczdrowie.pl|animezone.pl|chillizet.pl|claudia.pl|echirurgia.pl|elevensports.pl|elle.pl|elleman.pl|fm.tuba.pl|focusnauka.pl|games.cdn.famobi.com|glamour.pl|grydladzieci.pl|ipla.tv|ipla.tv|kobieta.pl|meloradio.pl|mojegotowanie.pl|mojpieknyogrod.pl|money.pl|national-geographic.pl|parenting.pl|partner.redefine.pl|playpuls.pl|pluscdn.pl|polsatgo.pl|polsatnews.pl|polsatsport.pl|przyslijprzepis.pl|radioplus.pl|radiozet.pl|sadeczanin.info|tvokazje.pl|tvp.pl|twojapogoda.pl|video.onnetwork.tv|videotarget.pl|wp.pl|wtk.pl|interia.pl|www.polsatnews.pl|autocentrum.pl + +! https://www.reddit.com/r/uBlockOrigin/comments/16gwdpd/virgin_media_player_not_visible_with_ublock/ +virginmediatelevision.ie##+js(set, google.ima.dai, {}) +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,redirect=google-ima.js,domain=virginmediatelevision.ie +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js^$script,domain=virginmediatelevision.ie +! https://github.com/uBlockOrigin/uAssets/issues/25010 +virginmediatelevision.ie##+js(no-xhr-if, /froloa.js) + +! https://www.3bmeteo.com/meteo/italia/video - Video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=3bmeteo.com,important +3bmeteo.com##+js(nano-sib, adv, *) + +! [NSFW] https://deepnude.to/ - Missing "userid" and "identifier" cookies from FingerprintJS +/fingerprint2.min.js$script,3p,redirect=fingerprint2.js,important,domain=~amateuralbum.net +! https://www.reddit.com/r/uBlockOrigin/comments/nw4ayj/ublock_origin_x_picoworkers/ +/fingerprint2.js$script,3p,redirect=fingerprint2.js,important +! https://github.com/uBlockOrigin/uBlock-issues/issues/2830 +sproutgigs.com##+js(fingerprint2) + +! https://github.com/uBlockOrigin/uAssets/issues/19792 +larazon.es##+js(set, gfkS2sExtension, {}) +larazon.es##+js(set, gfkS2sExtension.HTML5VODExtension, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/16od89r/ublock_blocking_cloudflare_security_challenge/ +@@||toolbaz.com/tardisrocinante/screx.js$script,1p +@@||toolbaz.com/tardisrocinante/vitals.js$script,1p + +! simple counter +||rays-counter.com^$3p,badfilter + +! https://github.com/easylist/easylist/commit/6f7043d0dcf5a2102e852b8b5d84adad3285a4ca +||d347cldnsmtg5x.cloudfront.net/util/1x1.gif$image,domain=aplaceforeverything.co.uk,redirect=1x1.gif,important + +! https://github.com/uBlockOrigin/uAssets/issues/19835 +||linkvertise.com^$badfilter + +! https://www.reddit.com/r/uBlockOrigin/comments/y5njca/paramount_watch_history/ +! https://www.reddit.com/r/uBlockOrigin/comments/16qj0d1/chrome_adblock_scripts_for_disneyhulu/k1xzvyy/ +@@||sparrow.paramountplus.com/streamer/$xhr,1p + +! https://twitter.com/CBC/status/921114049835864066 +@@||cbc.ca/*/cbc-stats-$script,1p +! http://forum.canucks.com/topic/388440-pgt-philadelphia-flyers-at-vancouver-canucks-dec-15-2018/?page=2&tab=comments#comment-14661218 +@@||ads.rogersmedia.com/cbc$frame,domain=cbc.ca +! https://github.com/uBlockOrigin/uAssets/issues/17367 +! https://github.com/easylist/easylist/commit/e70a55b94612ecc30d962ccfb9629dda466dc2e8 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=cbc.ca|~gem.cbc.ca,important +! https://github.com/uBlockOrigin/uAssets/issues/19899 +cbc.ca##+js(aeld, click, /event_callback=function\(\){window\.location=t\.getAttribute\("href"\)/) + +! https://github.com/uBlockOrigin/uAssets/issues/14891#issuecomment-1733439932 +@@||moja-ostroleka.pl/mapa/sensorsData.json$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/7636#issuecomment-1735168592 +2.87.160.7$badfilter +||2.87.160.7^ + +! https://github.com/easylist/easylist/commit/4e879784ca6f890711898f80bfed34c008b2e2f9 +||d2ma0sm7bfpafd.cloudfront.net/wcsstore/waitrosedirectstorefrontassetstore/custom/js/analyticseventtracking/$script,domain=waitrosecellar.com,important +waitrosecellar.com##+js(set, AnalyticsEventTrackingJS, {}) +waitrosecellar.com##+js(set, AnalyticsEventTrackingJS.addToBasket, noopFunc) +waitrosecellar.com##+js(set, AnalyticsEventTrackingJS.trackErrorMessage, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/16unn3u/ +@@||jobillico.com/js/vuejs/gtag/gtag.js$script,1p + +! https://www.reddit.com/r/uBlockOrigin/comments/16v3lpv/ +@@||fpjscdn.net/*/loader_$script,domain=boomy.com + +! https://github.com/uBlockOrigin/uAssets/issues/19932 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=gospodari.com,redirect=google-ima.js,important + +! https://github.com/uBlockOrigin/uAssets/issues/19948 +@@||googletagmanager.com/gtm.js$script,domain=freepik.com +@@||googletagmanager.com/gtag/js$script,domain=freepik.com + +! https://github.com/uBlockOrigin/uAssets/issues/19961 +kicker.de##+js(set, initializeslideshow, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/19962 +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=sonyliv.com + +! https://github.com/uBlockOrigin/uAssets/issues/19996 +||adsafeprotected.com^$script,redirect-rule=noopjs,domain=theonion.com +theonion.com##+js(nano-stb, b(), 3000) +theonion.com##+js(nano-stb, ads, *) + +! https://forums.lanik.us/viewtopic.php?t=48313-instapundit-com&p=166621#p166621 +instapundit.com#@#.postad +instapundit.com#@#.ad-space:not(.textads) + +! https://github.com/uBlockOrigin/uAssets/issues/20013 +@@||adobedtm.com^*/satelliteLib-$script,domain=costco.* + +! https://github.com/uBlockOrigin/uAssets/issues/20045 +@@||googletagmanager.com/gtm.js$script,domain=aarhustech.dk + +! https://github.com/uBlockOrigin/uAssets/issues/20054 +||go.xlirdr.com^$xhr,removeparam + +! https://github.com/uBlockOrigin/uAssets/issues/20128 +@@||googletagmanager.com/gtag/js$script,redirect-rule=googletagmanager_gtm.js:5,domain=trovvve.com + +! https://forums.lanik.us/viewtopic.php?p=166657-video-player-blocked#p166657 +||sonar.viously.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/20199 +as.com##+js(set, DTM.trackAsyncPV, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/20202 +||cdn.usefathom.com/script.js$domain=sharpen-free-design-generator.netlify.app,important +sharpen-free-design-generator.netlify.app##+js(set, fathom, {}) +sharpen-free-design-generator.netlify.app##+js(set, fathom.trackGoal, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/20235 +buytesmart.com##body[style*="display: none"]:remove-attr(style) + +! https://github.com/uBlockOrigin/uAssets/issues/20256 +||img.service.belboon.com^$badfilter +||partner.service.belboon.com^$badfilter +||ui.service.belboon.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/20279 +/nielsen.js$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/20319 +help.cashctrl.com##+js(set, Origami, {}) +help.cashctrl.com##+js(set, Origami.fastclick, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/20300 +@@||microsoft.com/*/aria-web-telemetry$script,1p + +! https://github.com/AdguardTeam/AdguardFilters/issues/164921 +||hbb.afl.rakuten.co.jp^$badfilter +||hbb.afl.rakuten.co.jp^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/20410 +||quantcast.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/20449 +@@||wurfl.io/wurfl.js$script,domain=keukenatlas.nl + +! https://github.com/uBlockOrigin/uAssets/issues/20457 +*.gif$image,redirect=1x1.gif,domain=holybooks.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/20509 +@@||src.litix.io/videojs/$script,domain=nasa.gov + +! https://github.com/uBlockOrigin/uAssets/issues/20564 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=moviesandtv.myvi.in +@@||moviesandtv.myvi.in/videojs/videojs-contrib-ads.min.js$script,domain=moviesandtv.myvi.in + +! getjad-issue sites +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=dailymotion.com,important +! https://www.reddit.com/r/uBlockOrigin/comments/1axy3om/videos_from_the_site_httpswwwpurepeoplecom_do_not/ +! https://www.purepeople.com/article/kate-middleton-et-le-prince-harry-ont-ils-repris-contact-une-experte-en-est-persuadee_a520086/1 +purepeople.com##+js(trusted-replace-argument, document.querySelector, 0, {"value": ".ad-placement-interstitial"}, condition, .easyAdsBox) +! https://github.com/uBlockOrigin/uAssets/issues/25439 +gry-online.pl##+js(set, jad, undefined) +! https://www.reddit.com/r/uBlockOrigin/comments/1dci4g4/videos_from_the_site_httpswwwozapcom_do_not_launch/ +ozap.com##+js(rpnt, script, WB.defer, 'window.wbads={public:{getDailymotionAdsParamsForScript:function(a,b){b("")},setTargetingOnPosition:function(a,b){return}}};WB.defer', condition, wbads.public.setTargetingOnPosition) +! https://github.com/uBlockOrigin/uAssets/issues/20579 +vidaextra.com##+js(set, hasAdblocker, true) +vidaextra.com##.base-asset-video:remove-class(base-asset-video) + +! https://mod.reddit.com/mail/perma/1rqklb/2iwe9l + sub fixes +www.reddit.com,new.reddit.com##.subredditvars-r-ublockorigin [role="dialog"]>div:style(width: auto !important) +www.reddit.com,sh.reddit.com##community-highlight-card[subreddit-prefixed-name="r/uBlockOrigin"][src]:remove-attr(src) + +! https://github.com/uBlockOrigin/uAssets/issues/20575 +@@||static.knowledgehub.com/global/images/ping.gif?$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/20667 +lumens.com##+js(set, _satellite, {}) +lumens.com##+js(set, _satellite.track, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/15697 +||analytics.skroutz.gr/analytics.min.js^$script,1p,redirect=noop.js + +! https://github.com/uBlockOrigin/uAssets/issues/20723 +@@||hdblog.it/new_files/ajax/bf_new.php$frame,1p + +! https://github.com/uBlockOrigin/uAssets/issues/20516#issuecomment-1826097268 +@@||worker.clerkprod-cloudflare.net^$xhr,domain=qiwi.gg + +! https://www.reddit.com/r/uBlockOrigin/comments/183dw7h/ublockorigin_crashing_firefox_on_uncommongoodscom/ +@@||cdns.brsrvr.com/v1/br-trk-*.js^$script,3p,domain=uncommongoods.com + +! https://github.com/uBlockOrigin/uAssets/issues/20960 +@@||ads.viralize.tv/player/$domain=automoto.it|moto.it|ilrestodelcarlino.it|quotidiano.net +@@||ads.viralize.tv/display/$domain=automoto.it|moto.it|ilrestodelcarlino.it|quotidiano.net +@@||ads.viralize.tv/t-bid-opportunity/$domain=automoto.it|moto.it +@@||ads.viralize.tv/d-vast/$domain=automoto.it|moto.it +@@||ads.viralize.tv^|$domain=automoto.it|moto.it +@@||monetize-static.viralize.tv/prebid.min.$domain=automoto.it|moto.it + +! https://www.independent.co.uk/news/world/americas/inside-oceangate-titan-submarine-imploded-b2367062.html (broken video by Lowe's list) +@@||npttech.com/advertising.js$domain=independent.co.uk + +! https://github.com/uBlockOrigin/uAssets/issues/21050 +||inmobi.com^$badfilter + +! Override EasyList Germany exceptions +! https://github.com/uBlockOrigin/uAssets/issues/25543 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,important,redirect=google-ima.js,domain=atv.at|autobild.de|chip.de|computerbild.de|gentside.de|kibagames.com|oe24.at|ohmymag.de|phonostar.de|schwaebische.de|spielaffe.de|sport.sky.de|wetteronline.de + +! https://github.com/uBlockOrigin/uAssets/issues/21286 +||jsrdn.com^$badfilter + +! cname https://github.com/uBlockOrigin/uAssets/issues/21297#issuecomment-1848938391 +@@||geo.dailymotion.com^$cname + +! https://github.com/uBlockOrigin/uAssets/issues/21380 +||munchkin.marketo.net/munchkin.js$script,important,redirect=noop.js,domain=st.com + +! https://github.com/uBlockOrigin/uAssets/issues/21396 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima3,domain=humix.com|mistergadget.tech,important + +! https://forums.lanik.us/viewtopic.php?t=48320-meijer-com +meijer.com#@#.product-grid__product:has(.product-tile__sponsored) + +! https://github.com/uBlockOrigin/uAssets/issues/21446 +! https://github.com/uBlockOrigin/uBOL-home/issues/187 +/web-vitals.$script,redirect=noopjs,domain=amazon.com +@@||amazonwebservicesinc.tt.omtrdc.net/m2/amazonwebservicesinc/ubox/raw$xhr,3p,domain=aws.amazon.com +||amazonwebservicesinc.tt.omtrdc.net/m2/amazonwebservicesinc/ubox/raw$xhr,3p,removeparam,domain=aws.amazon.com + +! https://github.com/uBlockOrigin/uAssets/issues/21456 +||cdnwebonplay.gviet.vn/public/js/player/ads/ima3.js$script,3p,redirect=google-ima.js,domain=vtvcab.vn,important + +! https://github.com/easylist/easylist/commit/a61d7fa546dfceab90b75d646622979d16122960 backup +@@||amazon.*/action-impressions/1/OP/$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/21731 +msn.com#@#.intra-article-module + +! https://github.com/uBlockOrigin/uAssets/issues/21741 +#@#[id^="adv-"]:not(#adv-settings):not(.adv-player-container) + +! https://github.com/uBlockOrigin/uAssets/issues/21750 +commande.rhinov.pro##+js(set, Sentry, {}) +commande.rhinov.pro##+js(set, Sentry.init, noopFunc) + +! https://www.thethings.com/winona-ryder-never-had-children-special-bond-stranger-things-kids/ broken video +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=thethings.com +@@||cdn.adsninja.ca/adsninja_client$css,script,3p,domain=thethings.com +@@||thethings.com^$ghide +thethings.com##.adsninja-ad-zone:not(.adsninja-valstream) + +! https://github.com/uBlockOrigin/uAssets/issues/21780 +||awswaf.com^*/telemetry$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/21771#issuecomment-1877992060 +! https://www.nj.com/news/2023/06/scammed-swindled-or-mistreated-see-if-your-nj-county-will-take-on-your-consumer-problem.html paywall hidden +@@||googletagmanager.com/gtm.js$script,3p,domain=al.com|cleveland.com|lehighvalleylive.com|masslive.com|mlive.com|nj.com|oregonlive.com|pennlive.com|silive.com|syracuse.com +@@||apps.sophi.io/latest/*.segments.min.js$script,3p,domain=al.com|cleveland.com|lehighvalleylive.com|masslive.com|mlive.com|nj.com|oregonlive.com|pennlive.com|silive.com|syracuse.com +@@/DG/DEFAULT/rest/rpc/*$script,1p,domain=al.com|cleveland.com|lehighvalleylive.com|masslive.com|mlive.com|nj.com|oregonlive.com|pennlive.com|silive.com|syracuse.com +www.al.com,www.cleveland.com,www.lehighvalleylive.com,www.masslive.com,www.mlive.com,www.nj.com,www.oregonlive.com,www.pennlive.com,www.silive.com,www.syracuse.com##^html:has(> head > :is(meta[name="subscriber_only"][content="false"], meta[property="og:url"]:not([content*=".html"]))) script:has-text(/googletagmanager|window\.sophi/) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/3072 +||community.ipinfo.io^$csp=worker-src 'none' + +! https://github.com/gorhill/uBlock/commit/1cac61a9a4193801105e8586bc540e9ddcb00d51 +! remove once the above commit comes to stable +@@||agoda.com/*/book/$removeparam + +! https://github.com/easylist/easylistgermany/issues/340 +helpster.de#@##ad_sidebar_left_container + +! https://github.com/uBlockOrigin/uAssets/issues/22152 +sklep.trzynastkaplus.pl##[onclick$="return !ga.loaded;"]:remove-attr(onclick) + +! https://github.com/uBlockOrigin/uAssets/issues/22172 +@@||st.dynamicyield.com/st$script,3p,domain=thewarehouse.co.nz + +! https://github.com/uBlockOrigin/uAssets/issues/22204 +@@||engine.monetate.net/api/$xhr,domain=dunelm.com + +! https://github.com/uBlockOrigin/uAssets/issues/22196 +@@||trbo.com/plugin/trbo_$script,xhr,domain=o2online.de + +! https://www.tipranks.com/news/blurbs/kash-rangan-reaffirms-buy-rating-on-microsoft-citing-strong-q2-performance-and-azure-growth-prospects blank page +tipranks.com##+js(set, TRC, {}) +tipranks.com##+js(set, TRC._taboolaClone, []) + +! https://github.com/uBlockOrigin/uAssets/issues/22281 +iceland.co.uk##+js(set, fp, {}) +iceland.co.uk##+js(set, fp.t, noopFunc) +iceland.co.uk##+js(set, fp.s, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/22371 +socket.pearsoned.com##+js(set, initializeNewRelic, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/22373 +@@||fwmrm.net^*/admanager.js$script,3p,domain=southpark.*|southparkstudios.* +! https://github.com/uBlockOrigin/uAssets/issues/22687#issuecomment-1969035876 +||tiqcdn.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/18516 +||click.discord.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/22398 +@@||jssdkcdns.mparticle.com/js/*/mparticle.js$script,domain=cwtv.com +@@||googleadservices.com/pagead/conversion_async.js^$script,domain=cwtv.com +@@||googletagmanager.com/gtm.js^$script,domain=cwtv.com + +! https://github.com/uBlockOrigin/uAssets/issues/22423 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=memurlar.net + +! https://github.com/uBlockOrigin/uAssets/issues/22419 +tntdrama.com##+js(set, turnerAnalyticsObj, {}) +tntdrama.com##+js(set, turnerAnalyticsObj.setVideoObject4AnalyticsProperty, noopFunc) +||tntdrama.com/modules/custom/ten_video/js/analytics_v2.js$1p,important + +! https://github.com/uBlockOrigin/uAssets/issues/22414 +vuejs.org#@##sponsors +vuejs.org#@##special-sponsor +||sponsors.vuejs.org^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/22468 +ecom.wixapps.net##+js(set, Sentry, {}) +ecom.wixapps.net##+js(set, Sentry.init, noopFunc) + +! sportskeeda. com blocked video +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=sportskeeda.com + +! https://github.com/uBlockOrigin/uAssets/issues/22520 +@@||googletagmanager.com/gtm.js$3p,script,domain=st-andrews.ac.uk + +! https://github.com/uBlockOrigin/uAssets/issues/22552 +mobile.de##+js(set, optimizelyDatafile, {}) +mobile.de##+js(set, optimizelyDatafile.featureFlags, []) +||cdn.optimizely.com/public/*.json/tag.js$domain=mobile.de,important + +! https://github.com/uBlockOrigin/uAssets/issues/22580 +||cj.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/22604 +@@||web-assets.tapfiliate.com^$domain=affiliates.groovehq.com +@@||groove.tapfiliate.com^$1p +@@||web-assets.tapfiliate.com^$1p + +! https://github.com/uBlockOrigin/uAssets/issues/22628 +||googletagmanager.com^$script,redirect-rule=googletagmanager_gtm.js,domain=economictimes.com|eisamay.com|iamgujarat.com|indiatimes.com|samayam.com|vijaykarnataka.com + +! https://github.com/uBlockOrigin/uAssets/issues/22629 +ioe.vn##+js(set, fingerprint, {}) +ioe.vn##+js(set, fingerprint.getCookie, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/22699 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=ufc.com + +! https://github.com/uBlockOrigin/uAssets/issues/22725 +bikeportland.org##+js(set, gform.utils, noopFunc) +bikeportland.org##+js(set, gform.utils.trigger, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/22726 +! https://github.com/uBlockOrigin/uAssets/issues/24683 +geiriadur.ac.uk,welsh-dictionary.ac.uk##+js(set, fingerprint, {}) +geiriadur.ac.uk,welsh-dictionary.ac.uk##+js(set, get_fingerprint, noopFunc) + +! https://github.com/AdguardTeam/AdguardFilters/commit/47e4e533ad47e1c09b2b0a81f4bb5d6532dc050c#diff-97c06fd34ce664c89282de03aed72f65fcd6faec4a63ca56052ac7bbb3467e13 +biologianet.com##+js(set-constant, UOLPD, {}) +biologianet.com##+js(set-constant, UOLPD.dataLayer, {}) +biologianet.com##+js(set-constant, __configuredDFPTags, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/22740 +||my.goabode.com/assets/js/fp2.min.js$script,domain=my.goabode.com,redirect=fingerprint2.js,important + +! https://github.com/uBlockOrigin/uAssets/issues/22775 +@@||code.giraff.io/data/widget-vslv.js$script,domain=vs.lv +@@||data.giraff.io/track/vslv.js$script,domain=vs.lv +@@||a.giraff.io/data/*json$script,domain=vs.lv + +! https://github.com/uBlockOrigin/uAssets/issues/22819 +||cloudfront.net/$domain=allegro.pl,badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/22804 +@@||jssdkcdns.mparticle.com/js/*/mparticle.js$script,domain=shudder.com + +! https://github.com/uBlockOrigin/uAssets/issues/22767 +10play.com.au##+js(set, moatPrebidApi, {}) +10play.com.au##+js(set, moatPrebidApi.getMoatTargetingForPage, noopFunc) + +! https://www.ramahdarom.org/join-our-team/ content below the fold disappears/clicking section titles doesn't work +@@||wurfl.io/wurfl.js$domain=ramahdarom.org + +! https://github.com/uBlockOrigin/uAssets/issues/22837 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=20min.ch +20min.ch##+js(nano-stb, readyPromise, 5000, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/22869 +realmadryt.pl#@#fieldset +realmadryt.pl##.rmpl-adsense-desktop + +! https://github.com/uBlockOrigin/uAssets/issues/22903 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=qds.it + +! https://github.com/uBlockOrigin/uAssets/issues/22868 +||ccstatic.toggo.de/cc-static-files/bumper-video/$rewrite=abp-resource:blank-mp4,domain=toggo.de,badfilter +||flashtalking.com^*.mp4$rewrite=abp-resource:blank-mp4,domain=toggo.de,badfilter +||ccstatic.toggo.de/cc-static-files/bumper-video/$media,redirect-rule=noop-0.1s.mp3,domain=toggo.de +||flashtalking.com^*.mp4$media,redirect-rule=noop-0.1s.mp3,domain=toggo.de + +! https://github.com/uBlockOrigin/uAssets/issues/22921 +*$image,domain=gouachebags.com,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/22895 +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=globoplay.globo.com + +! https://github.com/uBlockOrigin/uAssets/issues/22962 +@@||ws.mmstat.com/ws|$websocket,domain=youku.tv + +! https://github.com/uBlockOrigin/uAssets/issues/23040 +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,xhr,redirect=google-ima.js,domain=nhl.com + +! https://github.com/uBlockOrigin/uAssets/issues/23076 +reclameaqui.com.br##section#home > #hero.pinned:style(position: absolute !important;) +reclameaqui.com.br###page-header > header:style(position: absolute !important;) + +! https://github.com/easylist/easylist/issues/18715 +||guinsters286nedril.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/23080 +@@||cdn.pendo.io/agent/static/*/pendo.js$script,domain=achieve.macmillanlearning.com +@@||data.pendo.io/data/guide.js/$script,domain=achieve.macmillanlearning.com + +! https://secure.backblaze.com/ - Help/Resource center not load +@@||cdn.pendo.io/agent/static/*/pendo.js$script,domain=secure.backblaze.com +@@||data.pendo.io/data/guide.js/*$script,domain=secure.backblaze.com + +! https://github.com/uBlockOrigin/uAssets/issues/23156 +||beforeitsnews.com/core/ajax/counter/count.php^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/23216 +||plausible.io^$xhr,3p,redirect=nooptext,domain=you.com + +! https://accounts.mailerlite.com/ - cookie / captcha breakage +@@||googletagmanager.com/gtm.js^$script,3p,domain=accounts.mailerlite.com + +! https://github.com/uBlockOrigin/uAssets/issues/23266 +sunshine-live.de##+js(set, cpd_configdata, {}) +sunshine-live.de##+js(set, cpd_configdata.url, '') + +! https://github.com/easylist/easylist/commit/0fb837521ba8042c4635d9cbe2aff2c1293eafb6 +||ladsp.com/script-sf/$script,redirect=noop.js,domain=str.toyokeizai.net,important + +! https://github.com/uBlockOrigin/uAssets/issues/23327 +fapeza.com#@#.azz_div +fapeza.com##.azz_div:style(height: unset !important;) +fapeza.com##.azz_iframe + +! https://github.com/uBlockOrigin/uAssets/issues/23360 +||stats.wp.com^$script,3p,redirect-rule=noopjs,domain=europeanspaceflight.com + +! https://github.com/uBlockOrigin/uAssets/issues/23351 +@@||nxp.com/resources/scripts/analytics/webanalytics.js$script,1p + +! https://github.com/uBlockOrigin/uAssets/issues/23415 +||appboycdn.com^$script,3p,redirect=noopjs,domain=animates.co.nz + +! https://www.etonline.com/michael-strahans-daughter-isabella-strahan-has-best-response-to-fan-asking-if-shes-still-alive - video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,3p,redirect=google-ima.js,domain=etonline.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/23446 +||yieldlove.com/v2/yieldlove.js$script,domain=whatismyip.com,important +whatismyip.com##+js(set, yieldlove_cmd, {}) +whatismyip.com##+js(set, yieldlove_cmd.push, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23507 +myfitnesspal.com##+js(set, dataLayer.push, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23508 +myair.resmed.com##+js(no-xhr-if, 1.1.1.1/cdn-cgi/trace) + +! https://github.com/uBlockOrigin/uAssets/issues/23301 +||cdn.getblueshift.com/blueshift.js^$script,3p,redirect=noopjs,domain=rentcafe.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/23623 +@@||partner-api.jobbio.com/channels/data$xhr,3p,domain=stackoverflow.jobs +@@||partner-api.jobbio.com/channels/stack-overflow-jobs/feed$xhr,3p,domain=stackoverflow.jobs +||jobbio.com/channels/$xhr,3p,removeparam=visitor_id,domain=stackoverflow.jobs + +! https://github.com/uBlockOrigin/uAssets/issues/23694 +gifmagic.com###logoContainer:style(top: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/23729 +@@||go.redirectingat.com^$popup,3p,domain=slickdeals.net + +! https://github.com/uBlockOrigin/uAssets/issues/23741 +@@||googletagmanager.com/gtag/js$3p,script,domain=trinket.io + +! https://www.reddit.com/r/uBlockOrigin/comments/1cvkaq9/artstation_website_does_not_allow_saving_of/ +||artstation.com/*/views_tracking/$xhr,1p,redirect=nooptext + +! https://github.com/uBlockOrigin/uAssets/issues/23791 +||tapad.com^$badfilter +||tapad.com^$domain=~crportal.tapad.com + +! https://github.com/uBlockOrigin/uAssets/issues/23795 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=pilipinaslive.com + +! https://github.com/uBlockOrigin/uAssets/issues/23779 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=viu.com,redirect=google-ima.js + +! https://github.com/uBlockOrigin/uAssets/issues/23810 +netoff.co.jp##+js(set, _etmc, {}) +netoff.co.jp##+js(set, _etmc.push, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23815 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=france24.com,redirect=google-ima.js + +! https://www.reddit.com/r/uBlockOrigin/comments/1czbcvg/foundit_is_blocking_searches_until_ublock_origin/ +||media.foundit.*/trex/public/theme_3/dist/js/userTracking.js$script,1p,important +foundit.*##+js(set, freshpaint, {}) +foundit.*##+js(set, freshpaint.track, noopFunc) + +! unblocked ad script +@@||tm.jsuol.com.br/modules/external/admanager/clickjogos_ads.js$script,domain=clickjogos.com.br,badfilter +clickjogos.com.br##+js(set, ShowRewards, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23830 +||sharethis.com/button/buttons.js$from=bristan.com,important +bristan.com##+js(set, stLight, {}) +bristan.com##+js(set, stLight.options, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23820 +zillow.com##+js(set, DD_RUM.addError, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/1d119io/ad_detected/ +saveinsta.cam#@#.aplvideo + +! https://github.com/uBlockOrigin/uAssets/issues/23893 +share.hntv.tv##+js(set, sensorsDataAnalytic201505, {}) +share.hntv.tv##+js(set, sensorsDataAnalytic201505.init, noopFunc) +share.hntv.tv##+js(set, sensorsDataAnalytic201505.quick, noopFunc) +share.hntv.tv##+js(set, sensorsDataAnalytic201505.track, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23896 +optimum.net##+js(set, s, {}) +optimum.net##+js(set, s.tl, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/23910 +@@||usabilla.com^$script,domain=nos.nl + +! https://github.com/AdguardTeam/AdguardFilters/issues/179845 +@@||jssdkcdns.mparticle.com/js/*/mparticle.js^$script,3p,domain=syfy.com + +! https://www.reddit.com/r/uBlockOrigin/comments/1d4j9is/ub0_only_extension_and_default_filters_but_still/ +! https://www.reddit.com/r/uBlockOrigin/comments/1ezu2kn/ub0_only_extension_and_default_filters_but_still/ +@@/evergage.min.js^$script,domain=pvrcinemas.com + +! https://github.com/uBlockOrigin/uAssets/issues/23921 +@@||hog.tv^$cname + +! https://github.com/easylist/easylist/commit/05088ebeca21e346dc73c08b45e4eab2041a414d +@@||fundingchoicesmessages.google.com/i/$script,domain=sudokugame.org + +! https://github.com/uBlockOrigin/uAssets/issues/23960 +@@||imasdk.googleapis.com/pal/sdkloader/pal.js$script,domain=13tv.co.il +13tv.co.il##+js(nano-stb, taboola timeout, *, 0.001) +13tv.co.il##+js(nano-stb, clearInterval(run), 5000, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/23992 +@@||lostpod.space/static/streaming-playlists/$xhr + +! https://github.com/uBlockOrigin/uAssets/issues/24037 +||js-agent.newrelic.com^$badfilter +||js-agent.newrelic.com^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/24005#issuecomment-2168848802 +! Page issue, but annoying so fixing it here +emailnator.com##[style^="width: 15px; height: 15px; overflow: scroll; visibility: hidden; color: rgb(calc(var(--x2)"] + +! https://github.com/AdguardTeam/AdguardFilters/issues/111245 +! https://github.com/easylist/easylist/issues/19352 +mediaite.com##+js(set-cookie, am-sub, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/24136 +@@||netshoes.com.br/webanalytics/*$xhr,1p + +! https://github.com/uBlockOrigin/uAssets/issues/24176 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=tabii.com,redirect=google-ima.js +||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$script,domain=tabii.com,redirect=noopjs + +! https://github.com/uBlockOrigin/uAssets/issues/24191 +! https://github.com/uBlockOrigin/uAssets/issues/26795 +@@/smartechclient.js^$script,to=netcore.co.in|netcoresmartech.com,from=hdfcfund.com +/smartechclient.js^$script,to=netcore.co.in|netcoresmartech.com,redirect=noopjs,from=hdfcfund.com,important +hdfcfund.com##+js(set, smartech, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/24192 +@@||cdn.snigelweb.com/adengine/w3schools.com/loader.js$script,3p,domain=w3schools.com +@@||adengine.snigelweb.com/w3schools.com/*/adngin.js^$script,3p,domain=w3schools.com +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,3p,domain=w3schools.com +@@||securepubads.g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl$script,3p,domain=w3schools.com +@@||securepubads.g.doubleclick.net/gampad/ads$xhr,3p,domain=w3schools.com +||securepubads.g.doubleclick.net/gampad/ads$xhr,3p,domain=w3schools.com,removeparam=/cookie|gpic|ppid|eo_id_str|psts|pvsid|ga_|eid|didk|a3p/ + +! https://github.com/uBlockOrigin/uAssets/issues/24201 +@@||mssl.fwmrm.net/libs/adm/*/AdManager.js$script,domain=tv5mondeplus.com +tv5mondeplus.com##+js(cookie-remover, didomi_token) +tv5mondeplus.com##+js(set-local-storage-item, didomi_token, $remove$) + +! https://github.com/uBlockOrigin/uAssets/issues/24225 +premio.io##+js(no-fetch-if, cloudflare.com/cdn-cgi/trace) + +! https://github.com/uBlockOrigin/uAssets/issues/24237 +||algolia.io/1/isalive$badfilter + +! https://tierlists.com/create/best-players-of-all-time-1 +@@||tierlists.com/detroitchicago/tulsa.js^$script,1p +||tierlists.com^$script,1p,redirect-rule=noopjs +tierlists.com##+js(nano-stb, /TDELAY|EzoIvent/, *, 0.001) + +! https://ktla.com/video - video breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,3p,redirect=google-ima.js,domain=ktla.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/24321 +user.guancha.cn##+js(set, sensors, {}) +user.guancha.cn##+js(set, sensors.init, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/24351 +! https://github.com/uBlockOrigin/uAssets/issues/24372 +/frontend-metrics^$xhr,redirect=nooptext + +! https://github.com/uBlockOrigin/uAssets/issues/24374 +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,3p,redirect=google-ima.js,domain=4gtv.tv,important + +! https://github.com/uBlockOrigin/uAssets/issues/24375 +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,3p,redirect-rule,domain=ani.gamer.com.tw + +! https://www.chegg.com/my/security - cannot change password +@@||assets.adobedtm.com/*/satelliteLib-$script,domain=chegg.com +@@||assets.adobedtm.com/*-source.min.js$script,domain=chegg.com +@@||client.perimeterx.net/PXzYvFOXaC/main.min.js$script,domain=chegg.com +@@||pxchk.net/api/v2/collector^$xhr,domain=chegg.com + +! https://github.com/uBlockOrigin/uAssets/issues/24407 +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,3p,redirect=google-ima.js,domain=fox5sandiego.com +||imasdk.googleapis.com/pal/sdkloader/pal.js^$script,3p,redirect=noopjs,domain=fox5sandiego.com + +! https://github.com/uBlockOrigin/uAssets/issues/24436 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=kraloyun.com + +! https://www.reddit.com/r/uBlockOrigin/comments/1dyzdd5/flygbussarna_is_blocked/ +flygbussarna.se##+js(no-fetch-if, /piwik-) + +! https://github.com/uBlockOrigin/uAssets/issues/24418 +@@||www.realclear*/esm/assets/js/analytics/gaAnalytics.js?v=$xhr,1p,strict1p,method=get,domain=com|org +@@||www.realclear*/esm/assets/js/analytics/chartbeat.js?v=$xhr,1p,strict1p,method=get,domain=com|org + +! https://irc-az.maps.arcgis.com/apps/instant/lookup/index.html?appid=424810a4667049388ef6df4f0c73098b - unable to load +! https://github.com/easylist/easylist/commit/ca200c74268804f36d3bcd4b0f8c327533bde0a6 +||maps.arcgis.com/apps/instant/lookup/app/utilites/telemetry/appmeasurement.js$1p,redirect=noopjs,important + +! https://github.com/tofukko/filter/issues/98 +jprime.jp##+js(trusted-rpnt, script, var ISMLIB, !function(){const o={apply:(o\,n\,r)=>(new Error).stack.includes("refreshad")?0:Reflect.apply(o\,n\,r)};window.Math.floor=new Proxy(window.Math.floor\,o)}();var ISMLIB) + +! https://www.reddit.com/r/uBlockOrigin/comments/1e7k75i/samsung_blocked/ +@@||js.datadome.co/tags.js$script,domain=account.samsung.com + +! https://github.com/uBlockOrigin/uAssets/issues/24570 +@@||fundingchoicesmessages.google.com^$script,domain=hurriyet.com.tr + +! https://github.com/uBlockOrigin/uAssets/issues/24597 +@@||googletagmanager.com/gtm.js$script,3p,domain=eu.community.samsung.com + +! https://www.wunderground.com/video/top-stories/will-meteorology-help-bring-home-us-olympic-sailing-gold - video breakage +! https://github.com/easylist/easylist/commit/27b9bde5f50059ffc93581ae70e109891266c42a +||g.doubleclick.net/gampad/ads?env=$xmlhttprequest,domain=wunderground.com,important +||pagead2.googlesyndication.com/tag/js/gpt.js$script,domain=wunderground.com,important +||pagead2.googlesyndication.com/pagead/managed/js/gpt/*/pubads_impl.js?$script,domain=wunderground.com,important +wunderground.com##+js(no-fetch-if, doubleclick) +wunderground.com##+js(nano-stb, isPeriodic, 2200, 0.001) +wunderground.com##+js(nano-stb, isPeriodic, 2300, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/24634 +sosovalue.com##+js(set, sensors.track, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/24647 +@@||s.zmctrack.net/z|$xhr,domain=123movies.link + +! https://www.reddit.com/r/uBlockOrigin/comments/1edvh6e/anti_ad_blocker_on_nbc_olympics_streams/ +! https://github.com/easylist/easylist/commit/331dccd3fb858e159b17e50332696ed1f2d0dc8d +@@||geo.nbcsports.com^$xhr,domain=nbcolympics.com +||imrworldwide.com/conf/$script,3p,redirect=noopjs,domain=nbcolympics.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/24605 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=univtec.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/24651 +apfeltalk.de#@#.samCodeUnit + +! https://github.com/uBlockOrigin/uAssets/issues/24652 +lastampa.it##+js(nostif, googleFC) +lastampa.it##gdwc-recommendations.is-hidden:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/24679 +! https://github.com/uBlockOrigin/uAssets/issues/24695 +nytimes.com##[data-testid="connection-toast"]:style(margin-top: 330px !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/24675 +digg.com###header-banner +digg.com##.desktop-wrapper.has-header-banner.mt-32:style(margin-top: 8rem !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/24667 +/c.gif?$image,redirect=1x1.gif,domain=web.skype.com + +! https://github.com/uBlockOrigin/uAssets/issues/24701 +bandyforbundet.no##+js(set, adn, {}) +bandyforbundet.no##+js(set, adn.clearDivs, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/24690 +@@||assets.adobedtm.com/*-source.min.js^$script,domain=bjs.com +@@||cdn.pendo.io/agent/static/*/pendo.js^$script,domain=bjs.com + +! https://github.com/uBlockOrigin/uAssets/issues/24722 +rpgbot.net#@#.ez-video-wrap +@@||rpgbot.net/ezais/analytics^$xhr,1p +@@||g.ezoic.net/ezais/analytics^$xhr,domain=rpgbot.net +@@||humix.com/video.js^$script,domain=rpgbot.net +@@||go.ezodn.com/beardeddragon/$script,domain=rpgbot.net +@@||videosvc.ezoic.com^$xhr,domain=rpgbot.net + +! https://www.reddit.com/r/uBlockOrigin/comments/1ej86j6/typingtestcom_results_not_showing_because_of_ubo/ +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=typingtest.com +typingtest.com###ad-container:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/24749 +tatacommunications.com##+js(set, _vwo_code, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/24668 +@@||content.online-banking.sabbnet.com/app/group/gpib/cmn/js/webtrends.js^$script,1p + +! https://player.amperwave.net/1386 - player breakage +||synchrobox.adswizz.com/register2.php$script,domain=player.amperwave.net,important +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=player.amperwave.net,important +player.amperwave.net##+js(no-xhr-if, live.streamtheworld.com/partnerIds) + +! https://www.cotopaxi.com/products/batac-16l-backpack-del-dia-limited-color-drop?variant=40697496600637 - product not appear +||st.dynamicyield.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/24824 +suamusica.com.br##+js(set, gtag, noopFunc) +suamusica.com.br##+js(set, _taboola, {}) +suamusica.com.br##+js(set, _taboola.push, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/24850 +forum.dji.com##+js(set, sensorsDataAnalytic201505, {}) +forum.dji.com##+js(set, sensorsDataAnalytic201505.track, noopFunc) +||forum.djicdn.com/static/js/sensorsdata.min.js$script,domain=forum.dji.com,important + +! https://github.com/easylist/easylist/issues/19765 +||pubscholar.cn/static/common/fingerprint.js^$script,1p,redirect=fingerprint2.js,important + +! https://www.reddit.com/r/uBlockOrigin/comments/1enh6ip/issues_with_channel_4/ +@@||v.fwmrm.net/ad/*html5_live^$script,domain=channel4.com +! https://www.reddit.com/r/uBlockOrigin/comments/1f1w457/ads_during_videos_no_longer_being_blocked_on/ +||v.fwmrm.net/ad/*html5_live^$script,removeparam=caid,domain=channel4.com + +! https://github.com/uBlockOrigin/uAssets/issues/24885 +! https://github.com/uBlockOrigin/uAssets/issues/24908 +@@||fundingchoicesmessages.google.com/i/pub-$script,domain=fanatik.com.tr|milliyet.com.tr|posta.com.tr +@@||fundingchoicesmessages.google.com/f/$script,domain=fanatik.com.tr|milliyet.com.tr|posta.com.tr + +! https://github.com/uBlockOrigin/uAssets/issues/24913 +macrotrends.net##+js(set, clicky, {}) +macrotrends.net##+js(set, clicky.goal, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/24936 +code.world##+js(set, WURFL, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/24964 +@@||mpsnare.iesnare.com/snare.js^$script,domain=ridejetson.com + +! https://github.com/easylist/easylist/issues/19835 +||services.haaretz.co.il^$badfilter +||services.haaretz.co.il^$from=~haaretz.co.il|~haaretz.com + +! https://www.reddit.com/r/uBlockOrigin/comments/1eygvj3/application_error_on_topgearcom_crossorigin/ +topgear.com##+js(set, _sp_.config.events.onSPPMObjectReady, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/25014 +@@||worldsurfleague.com/js/videojs8/nuevo/plugins/videojs-contrib-ads.min.js^$script,1p +@@||micro.rubiconproject.com/prebid/dynamic/$script,domain=worldsurfleague.com +@@||securepubads.g.doubleclick.net/pagead/ima_ppub_config$xhr,domain=worldsurfleague.com +||pubads.g.doubleclick.net/gampad/ads?*www.worldsurfleague.com$xhr,redirect=noop-vmap1.0.xml:5,domain=imasdk.googleapis.com + +! https://github.com/uBlockOrigin/uAssets/issues/25049 +eservice.directauto.com##+js(set, gtm, {}) +eservice.directauto.com##+js(set, gtm.trackEvent, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/25051 +||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$script,redirect=google-ima.js,domain=mais.sbt.com.br,important + +! https://github.com/uBlockOrigin/uAssets/issues/25090 +||wpfc.ml^$image,redirect=1x1.gif,domain=ht-instruments.de + +! https://github.com/easylist/easylist/issues/19913 +||trycloudflare.com^$badfilter + +! https://github.com/uBlockOrigin/uAssets/issues/25402 +gazzetta.gr###comment-section:style(display: block !important;) + +! https://www.nbcsports.com/nfl/profootballtalk/rumor-mill/news/browns-are-only-team-without-300-yards-of-offense-in-a-game-this-season +! https://github.com/easylist/easylist/commit/857d88d10657ba8b8e1ef2d2a406c8d799382d1c +||mparticle.com/js/v2/*/mparticle.js$script,domain=nbcsports.com,important +nbcsports.com##+js(set, mParticle.Identity.getCurrentUser, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/25504 +||api.omappapi.com/v3/geolocate/json$domain=seclore.com,important +seclore.com##+js(trusted-set, _omapp.scripts.geolocation, '{"value": {"status":"loaded","object":null,"data":{"country":{"shortName":"","longName":""},"administrative_area_level_1":{"shortName":"","longName":""},"administrative_area_level_2":{"shortName":"","longName":""},"locality":{"shortName":"","longName":""},"original":{"ip":"","ip_decimal":null,"country":"","country_eu":false,"country_iso":"","city":"","latitude":null,"longitude":null,"user_agent":{"product":"","version":"","comment":"","raw_value":""},"zip_code":"","time_zone":""}},"error":""}}') + +! https://github.com/easylist/easylist/issues/18793 +||marketing.unionpayintl.com/offer-promote/static/sensorsdata.min.js$script,1p,important +unionpayintl.com##+js(set, sensorsDataAnalytic201505, {}) +unionpayintl.com##+js(set, sensorsDataAnalytic201505.quick, noopFunc) + +! https://qds.it/video-gorilla-infuriato-guardiani-paura-zoo/ +! https://github.com/easylist/easylist/commit/6bd60df1f625adaef6583122f00f16dc241cbaea +||qds.it/wp-content/plugins/digistream/digiplayer/js/videojs.ga.js?$script,1p,redirect=noopjs,important +||qds.it^$script,1p,redirect-rule=noopjs + +! https://github.com/easylist/easylist/issues/19346 +standard.co.uk##+js(set, JSGlobals.prebidEnabled, false) +standard.co.uk##+js(nano-stb, [native code], 3000, 0.001) +standard.co.uk##+js(nano-stb, 'i||(e(),i=!0)', 2500, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/25578 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=cnnbrasil.com.br,redirect=google-ima.js,important + +! https://github.com/uBlockOrigin/uAssets/issues/25585 +@@||wurfl.io/wurfl.js$script,domain=cram.com + +! https://github.com/uBlockOrigin/uAssets/issues/25594 +||pruefernavi.de/vendor/elasticsearch/elastic-apm-rum.umd.min.js$1p,important +pruefernavi.de##+js(set, elasticApm, {}) +pruefernavi.de##+js(set, elasticApm.init, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/25610 +/analytics/analytics.js^$1p,script,redirect=noop.js +||assets.fyers.in/Lib/analytics/Analytics.js$1p,important + +! https://github.com/uBlockOrigin/uAssets/issues/25626 +||lamycosphere.com/cdn/shop/*/assets/pixel.gif$image,1p,redirect=1x1.gif,important + +! https://github.com/uBlockOrigin/uAssets/issues/25661 +steamidfinder.com###nn_bfa_wrapper + .container:style(margin-top: 50px !important;) +steamidfinder.com##.section-advert-banner--top:remove() + +! https://www.reddit.com/r/uBlockOrigin/comments/1g5ae5z/breakage_on_pumacom/ +@@||segmentify.com^$domain=puma.com + +! https://github.com/uBlockOrigin/uAssets/issues/25712 +spotifydown.com#@#.semi-transparent +spotifydown.com##.semi-transparent:has(ins.adsbygoogle[data-ad-slot]) + +! https://www.maxpreps.com/news/Dkf9GGsgbkuAoII4xIKNiw/high-school-baseball-ten-players-who-have-had-better-games-than-shohei-ohtanis-10-rbi-performance.htm - video breakage (US IP) +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=maxpreps.com,important + +! https://www.reddit.com/r/uBlockOrigin/comments/1g0g7w2/request_to_whitelist_appcues_for_pandadoc_users/ltie0k4/ +@@||cdn.segment.com/*/analytics.min.js$script,domain=app.pandadoc.com +pandadoc.com##+js(rmnt, script, adBlockEnabled) + +! https://github.com/uBlockOrigin/uAssets/issues/25849 +speedtest.net##+js(set, Object.prototype.que, noopFunc) +speedtest.net##+js(set, Object.prototype.que.push, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/25885 +17track.net##+js(set, ga.sendGaEvent, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/25939 +@@||taplytics-umami.grubhub.com/jssdk/$script,1p + +! unbreak Email and SMS solutions +||klclick1.com^$badfilter +||klclick1.com^$3p + +! https://login.smartcharts.net/ +||wurfl.io/wurfl.js$script,redirect=noopjs,domain=smartcharts.net,important +smartcharts.net##+js(set, WURFL, {}) + +! https://github.com/uBlockOrigin/uBlock-issues/issues/3436 +/^https?:\/\/.*\.(jpg|jpeg|gif|png|svg|ico|js|txt|css|srt|vtt|webp)/$popup,from=123series.ru|19turanosephantasia.com|1movieshd.cc|4anime.gg|4stream.gg|5movies.fm|720pstream.nu|745mingiestblissfully.com|adblockstrtape.link|animepahe.ru|animesultra.net|asianembed.io|bato.to|batotoo.com|batotwo.com|bigclatterhomesguideservice.com|bormanga.online|bunnycdn.ru|clicknupload.to|cloudvideo.tv|dailyuploads.net|databasegdriveplayer.co|divicast.com|dood.la|dood.pm|dood.sh|dood.so|dood.to|dood.video|dood.watch|dood.ws|dood.yt|doodcdn.com|dopebox.to|dramacool.pk|eplayvid.com|eplayvid.net|europixhd.net|exey.io|extreme-down.plus|files.im|filmestorrents.net|flashx.net|fmovies.app|fmovies.ps|fmovies.world|fraudclatterflyingcar.com|gayforfans.com|gdtot.nl|go-stream.site|gogoanime.run|gogoanimes.to|gomovies.pics|gospeljingle.com|hexupload.net|hindilinks4u.cam|hindilinks4u.nl|housecardsummerbutton.com|kaiju-no8.com|kaisen-jujutsu.com|kimoitv.com|kissanimes.net|leveling-solo.org|lookmoviess.com|magusbridemanga.com|mixdrop.sx|mkvcage.site|mlbstream.me|mlsbd.shop|mlwbd.host|movierulz.cam|movies2watch.ru|movies2watch.tv|moviesrulz.net|mp4upload.com|myflixer.it|myflixer.pw|myflixer.today|myflixertv.to|nflstream.io|ngomik.net|nkiri.com|nswgame.com|olympicstreams.co|paidnaija.com|playemulator.online|primewire.today|prmovies.org|putlocker-website.com|putlocker.digital|racaty.io|racaty.net|record-ragnarok.com|redirect-ads.com|reputationsheriffkennethsand.com|sflix.to|shadowrangers.live|skidrow-games.com|skidrowcodex.net|sockshare.ac|sockshare1.com|solarmovies.movie|speedvideo.net|sportsbay.watch|steampiay.cc|stemplay.cc|streamani.net|streamsb.net|streamsport.icu|streamta.pe|streamtape.cc|streamtape.com|streamtape.net|streamz.ws|strikeout.cc|strikeout.nu|strtape.cloud|strtape.site|strtape.tech|strtapeadblock.me|strtpe.link|tapecontent.net|telerium.net|tinycat-voe-fashion.com|toxitabellaeatrebates306.com|turkish123.com|un-block-voe.net|upbam.org|uploadmaza.com|upmovies.net|upornia.com|uprot.net|upstream.to|upvid.co|v-o-e-unblock.com|vidbam.org|vidembed.cc|vidnext.net|vido.fun|vidsrc.me|vipbox.lc|vipleague.pm|viprow.nu|vipstand.pm|voe-un-block.com|voe-unblock.com|voe.sx|voeun-block.net|voeunbl0ck.com|voeunblck.com|voeunblk.com|voeunblock3.com|vumooo.vip|watchserieshd.tv|watchseriesstream.com|xmovies8.fun|xn--tream2watch-i9d.com|yesmovies.mn|youflix.site|youtube4kdownloader.com|ytanime.tv|yts-subs.com,badfilter +@@||static.hentai.direct/hentai/*.jpg$popup,3p,domain=hentai2read.com +@@||static.hentaicdn.com/hentai/*.jpg$popup,3p,domain=hentai2read.com + +! https://github.com/uBlockOrigin/uAssets/issues/25970 +forocoches.com#@#[align="center"]:has(div[id^="optidigital-adslot-"]) + +! https://forums.lanik.us/viewtopic.php?t=48608-nsfw-redtube-com +redtube.com#@#svg + +! https://github.com/uBlockOrigin/uAssets/issues/26170 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=thecw.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/26178 +@@||www.googletagmanager.com/gtm.js$script,domain=www.petsbest.com + +! https://github.com/uBlockOrigin/uAssets/issues/26209 +trutv.com##+js(set, turnerAnalyticsObj, {}) +trutv.com##+js(set, turnerAnalyticsObj.setVideoObject4AnalyticsProperty, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/26186 +@@||cdnt.netcoresmartech.com/smartechclient.js^$script,domain=selfcare.unifi.com.my + +! https://github.com/uBlockOrigin/uAssets/issues/26308 +||tag.aticdn.net/piano-analytics.js$script,domain=toureiffel.paris,important +toureiffel.paris##+js(set, pa, {}) + +! https://gameplayneo.com/games/mahjongg-solitaire/ - game breakage +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,redirect=google-ima.js,domain=gameplayneo.com,important +gameplayneo.com##+js(nano-stb, adConfig, *, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/26346#issuecomment-2525374291 +@@||monetize-static.viralize.tv/*viralize_player_content.min.$script,domain=abs-cbn.com + +! https://www.sportsline.com/ - video breakage +||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$redirect=google-ima.js,domain=embed.sportsline.com,important +||cdn.cookielaw.org/scripttemplates/otSDKStub.js$script,domain=embed.sportsline.com + +! https://www.wralsportsfan.com/cooper-flagg-finishes-with-22-points-11-rebounds-4-assists-vs-auburn/21754334/ +! https://github.com/easylist/easylist/commit/2cf42edc661f0d172669338b430bcf6ba36eada5 +||g.doubleclick.net/tag/js/gpt.js$script,xhr,redirect=googletagservices_gpt.js:5,domain=wralsportsfan.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/25882 +@@||googletagmanager.com^$script,redirect-rule,domain=charleyharper.com|charleyharperartstudio.com|charleyharperwholesale.com|fabframes.com|fabulousframesandart.com + +! https://www.radioviainternet.nl/ - page breakage +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,redirect-rule,domain=radioviainternet.nl + +! https://www.visible.com/shop/smartphones - blank page +||tags.tiqcdn.com/utag/*/utag.sync.js$domain=visible.com,important +visible.com##+js(set, adobe, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/25497 +@@||h-usps.online-metrix.net^$script,domain=ips.usps.com + +! https://github.com/uBlockOrigin/uAssets/issues/26592 +hagerty.com##+js(set, MT, {}) +hagerty.com##+js(set, MT.track, noopFunc) + +! https://www.reddit.com/r/uBlockOrigin/comments/1hp40q7/ublock_origin_blocks_this_site_httpsxlivesexcom/ +||xlivesex.com^$badfilter + +! https://www.wionews.com/videos/political-turmoil-deepens-in-south-korea - no video +@@||ads.pubmatic.com/AdServer/js/pwt/$script,domain=cdn.thepublive.com + +! https://github.com/uBlockOrigin/uAssets/issues/26693 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=spiele.heise.de,redirect=google-ima.js,important + +! https://www.reddit.com/r/uBlockOrigin/comments/1ht6p5d/sportes_detection_and_breakage/ +@@||trafico.prensaiberica.es/adm/min/pb_wrapper/$script,domain=sport.es + +! https://github.com/uBlockOrigin/uAssets/issues/26765 +outletarredamento.it#@#.ad-link:not(.adsbox) + +! http://beelzeboulxxx.com/ => redirect +||google-analyticals.com^ + +! https://tv.abcnyheter.no/nb/watch/939 - video breakage +! https://www.kxan.com/weather/ - US IP +! https://www.antena3.ro/live +||imasdk.googleapis.com/js/sdkloader/ima3.js^$script,redirect=google-ima.js,domain=abcnyheter.no|antena3.ro|kxan.com,important + +! https://github.com/uBlockOrigin/uAssets/issues/26928 +||neo.btrl.ro/Scripts/services/fingerprint2.min.js^$script,redirect=fingerprint2.js,important + +! https://seguridad.compensar.com/views/index.html +||seguridad.compensar.com/lib/js/fingerprint2.js$script,1p,redirect=fingerprint2.js,important + +! Title: uBlock₀ filters – Quick fixes +! Last modified: %timestamp% +! Expires: 8 hours +! Description: Immediate, temporary filters to fix websites +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! Homepage: https://github.com/uBlockOrigin/uAssets +! Forums: https://github.com/uBlockOrigin/uAssets/issues + +! aternos anti adb +@@||hb.vntsm.com/v4/live/vms/sites/aternos.org/index.js$script,domain=aternos.org +aternos.org##.header-center:style(margin-top:-5000px !important;) +aternos.org##.sidebar:style(width: 1.745px !important; padding: 1px !important) +aternos.org##.ad-dfp:style(min-height: 0.1485mm !important; height: 0.1485mm !important;) +aternos.org###placement-takeover + +! https://www.reddit.com/r/uBlockOrigin/comments/16lmeri/youtube_antiadblock_and_ads_september_18_2023/k1wl8df/ +||googlevideo.com/videoplayback*&ctier=L&*%2Cctier%2C$xhr,3p,domain=m.youtube.com|music.youtube.com|www.youtube.com +www.youtube.com##+js(trusted-rpnt, script, (function serverContract(), /*START*/"YOUTUBE_PREMIUM_LOGO"!==ytInitialData?.topbar?.desktopTopbarRenderer?.logo?.topbarLogoRenderer?.iconImage?.iconType&&(location.href.startsWith("https://www.youtube.com/tv#/")||location.href.startsWith("https://www.youtube.com/embed/")||document.addEventListener("DOMContentLoaded"\,(function(){const t=()=>{const t=document.getElementById("movie_player");if(!t)return;if(!t.getStatsForNerds?.()?.debug_info?.startsWith?.("SSAP\, AD"))return;const e=t.getProgressState?.();e&&e.duration>0&&(e.loaded1)&&t.seekTo?.(e.duration)};t()\,new MutationObserver((()=>{t()})).observe(document\,{childList:!0\,subtree:!0})})));(function serverContract(), sedCount, 1) +www.youtube.com##+js(nano-stb, [native code], 17000, 0.001) +! https://www.reddit.com/r/uBlockOrigin/comments/1ebwr6c/is_ublock_broken_again_or_am_i_doing_something/ +!www.youtube.com##+js(json-prune-fetch-response, playerAds adPlacements adSlots playerResponse.playerAds playerResponse.adPlacements playerResponse.adSlots [].playerResponse.adPlacements [].playerResponse.playerAds [].playerResponse.adSlots, , propsToMatch, /\/(?:player|playlist|get_watch)\?/) +www.youtube.com##+js(json-prune-fetch-response, playerAds adPlacements adSlots no_ads playerResponse.playerAds playerResponse.adPlacements playerResponse.adSlots playerResponse.no_ads [].playerResponse.adPlacements [].playerResponse.playerAds [].playerResponse.adSlots [].playerResponse.no_ads, , propsToMatch, /\/(player|get_watch)\?/) +! https://github.com/uBlockOrigin/uAssets/issues/20586#issuecomment-2144781835 +www.youtube.com##+js(json-prune-fetch-response, playerAds adPlacements adSlots no_ads playerResponse.playerAds playerResponse.adPlacements playerResponse.adSlots playerResponse.no_ads, , propsToMatch, /playlist?) +! https://github.com/uBlockOrigin/uAssets/issues/20586#issuecomment-2271325338 +! https://github.com/uBlockOrigin/uAssets/issues/20586#issuecomment-2308486423 +! https://github.com/AdguardTeam/AdguardFilters/commit/61d89cebe154ca17932bedf61df5e2c7bd75bd7d +!tv.youtube.com#@#+js(trusted-replace-xhr-response, '"adPlacements"', '"no_ads"', /playlist\?list=|player\?|watch\?[tv]=|youtubei\/v1\/player/) +www.youtube.com##+js(json-prune-xhr-response, playerAds adPlacements adSlots no_ads playerResponse.playerAds playerResponse.adPlacements playerResponse.adSlots playerResponse.no_ads [].playerResponse.adPlacements [].playerResponse.playerAds [].playerResponse.adSlots [].playerResponse.no_ads, , propsToMatch, /\/player(?:\?.+)?$/) +tv.youtube.com##+js(trusted-replace-xhr-response, '"adPlacements"', '"no_ads"', /playlist\?list=|\/player(?:\?.+)?$|watch\?[tv]=/) +www.youtube.com#@#+js(trusted-replace-fetch-response, /"adPlacements.*?([A-Z]"\}|"\}{2\,4})\}\]\,/, , player?) +www.youtube.com#@#+js(trusted-replace-fetch-response, /"adSlots.*?\}\}\]\,"adBreakHeartbeatParams/, "adBreakHeartbeatParams, player?) +www.youtube.com##+js(trusted-replace-xhr-response, /"adPlacements.*?([A-Z]"\}|"\}{2\,4})\}\]\,/, , /playlist\?list=|\/player(?:\?.+)?$|watch\?[tv]=/) +www.youtube.com##+js(trusted-replace-xhr-response, /"adPlacements.*?("adSlots"|"adBreakHeartbeatParams")/gms, $1, /\/player(?:\?.+)?$/) +www.youtube.com##+js(trusted-replace-fetch-response, '"adPlacements"', '"no_ads"', player?) +www.youtube.com##+js(trusted-replace-fetch-response, '"adSlots"', '"no_ads"', player?) +www.youtube.com##+js(trusted-prevent-dom-bypass, Node.prototype.appendChild, fetch) + +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-2307514494 +! https://github.com/uBlockOrigin/uAssets/issues/3367#issuecomment-2489542767 +web.facebook.com,www.facebook.com##+js(json-prune, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.node.sponsored_data.id_for_advertisement) +web.facebook.com,www.facebook.com##+js(json-prune, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data, require.0.3.0.__bbox.require.[].3.1.__bbox.result.data.sponsored_auction_distance) +web.facebook.com,www.facebook.com##+js(rpnt, script, '/null,"category_sensitive"[^\n]+?,"__typename":"SponsoredData"[^\n]+"cursor":"[^"]+"\}/g', null}) +web.facebook.com,www.facebook.com##+js(trusted-replace-xhr-response, '/null,"category_sensitive"[^\n]+?,"__typename":"SponsoredData"[^\n]+"cursor":"[^"]+"\}/g', null}, /api/graphql) + +! https://github.com/uBlockOrigin/uAssets/issues/18476 - https://voe.sx/e/2z9smej3tebe +! VOE sites +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=sandratableother.com,important +sandratableother.com##+js(nowoif) +sandratableother.com##+js(set, console.clear, undefined) + +! next-episode .net +!next-episode.net##+js(rmnt, script, '/[\s\S]{0,}head[\s\S]{1900,}/') +!next-episode.net##+js(rpnt, script, '/.then[\s\S]{0,}?;/g') +!next-episode.net##+js(rmnt, script, '/\d+\+\d|64|\+\+|\+1|adbl|ablk|[\s\S]{0,}(\.\.|function)[\s\S]{1800,}|document\[/i') +@@||pagead2.googlesyndication.com^$script,domain=next-episode.net + +! https://github.com/uBlockOrigin/uAssets/issues/23806 +*$image,redirect-rule=1x1.gif,domain=japscan.lol +japscan.lol##+js(norafif, /^/) +japscan.lol##+js(trusted-set-attr, .navbar-nav > li#navpromo2.nav-item > a, onclick, 'let a=function(){};return false;') +japscan.lol#@##main > .card:has(a[href*="/manga/?type="][href*="&content="][target="_blank"]) +||japscan.lol/zjs/$script,replace=/function GoodDay\(\)\{.+?\}\}\}// +japscan.lol##body > style + .container > .row > #main + #sidebar.col-md-3 > .card.mt-1 > .card[style="margin: 0px auto; display: block;"] > iframe[id^="__clb-"][id$="_container"][style^="display: inline-block; width: 300px; height: 250px;"][sandbox="allow-same-origin allow-popups allow-popups-to-escape-sandbox allow-forms allow-scripts allow-top-navigation-to-custom-protocols"][scrolling="no"] +japscan.lol##body > style + .container > .row > #main.col-md-9 > .card > .card-body[style="margin: 0px auto; display: block;"] > iframe[id^="__clb-"][id$="_container"][style^="display: inline-block; width: 300px; height: 100px;"][sandbox="allow-same-origin allow-popups allow-popups-to-escape-sandbox allow-forms allow-scripts allow-top-navigation-to-custom-protocols"][scrolling="no"] +japscan.lol##body > .container.text-center > .mb-2.mt-2[style="margin: 0px auto; display: block;"] > iframe[id^="__clb-"][id$="_container"][style^="display: inline-block; width: 300px; height: 100px;"][sandbox="allow-same-origin allow-popups allow-popups-to-escape-sandbox allow-forms allow-scripts allow-top-navigation-to-custom-protocols"][scrolling="no"] +japscan.lol##body > style + .container > .row > #main.col-md-9 > .card > .card-body.rounded-0 > .card-body[style^="margin: 0px auto; display: block;"] > iframe[id^="__clb-"][id$="_container"][style^="display: inline-block; width: 300px; height: 100px;"][sandbox="allow-same-origin allow-popups allow-popups-to-escape-sandbox allow-forms allow-scripts allow-top-navigation-to-custom-protocols"][scrolling="no"] +japscan.lol##body > style + .container > .row > #main + #sidebar.col-md-3 > .card.mt-1 > .card[style="margin: 0px auto; display: block;"] > iframe[id^="__clb-"][id$="_container"][style^="display: inline-block; width: 300px; height: 100px;"][sandbox="allow-same-origin allow-popups allow-popups-to-escape-sandbox allow-forms allow-scripts allow-top-navigation-to-custom-protocols"][scrolling="no"] +/^https?:\/\/[-a-z]{8,15}\.(?:com|net)\/401\/\d{7}(?:\?v=\d+)?$/$script,3p,domain=japscan.lol,important +/^https?:\/\/[a-z]{8,15}\.xyz\/$/$xhr,3p,to=xyz,method=head,header=x-traceid2,domain=japscan.lol,important +/^https?:\/\/[a-z]{8,15}\.com\/$/$xhr,3p,to=com,method=head,header=x-traceid2,domain=japscan.lol,important +@@*$image,xhr,script,domain=japscan.lol +/^https?:\/\/[a-z]{8,15}\.com\/$/$xhr,3p,to=com,method=head,header=x-traceid,important,domain=japscan.lol +!||googletagmanager.com^$script,domain=japscan.lol,important +||cloudflareinsights.com/beacon.min.js/$script,domain=japscan.lol,important +||google-analytics.com^$xhr,domain=japscan.lol,important +/^https?:\/\/(?:[a-z]{2}\.)?[0-9a-z]{5,16}\.[a-z]{3,7}\/[a-z](?=[a-z]{0,25}[0-9A-Z])[0-9a-zA-Z]{3,26}\/\d{4,5}(?:\?[_v]=\d+)?$/$script,3p,match-case,important,domain=japscan.lol +/^https?:\/\/[a-z]{8,15}\.[a-z]{2,3}\/5\/\d{6,7}(?:\?_=\d+)?$/$script,3p,domain=japscan.lol,important +/^https?:\/\/[-a-z]{8,15}\.(?:com|net)\/401\/\d{7}$/$script,3p,domain=japscan.lol,important +/^https?:\/\/[a-z]{5,7}\.com\/script\/[-_0-9A-Za-z]+(\.min)?\.js$/$script,3p,match-case,header=x-guploader-uploadid,domain=japscan.lol,important +/lv/esnk/*$script,3p,domain=japscan.lol,important +/^https:\/\/[a-z]{8,12}\.com\/en\/(?:[a-z]{2,5}\/){0,2}[a-z]{2,}\?(?:[a-z]+=(?:\d+|[a-z]+)&)*?id=[12]\d{6}/$script,3p,match-case,to=com,domain=japscan.lol,important +/^https?:\/\/(?:[a-z]{2}\.)?[0-9a-z]{5,16}\.[a-z]{3,7}\/[a-z](?=[a-z]{0,25}[0-9A-Z])[0-9a-zA-Z]{3,26}\/\d{4,6}(?:\?[_v]=\d+)?$/$script,3p,match-case,domain=japscan.lol,important +/^https?:\/\/(?:[a-z]{2}\.)?[a-z]{7,14}\.com\/r(?=[a-z]*[0-9A-Z])[0-9A-Za-z]{10,16}\/[A-Za-z]{5}(?:\?param=\w+)?$/$script,3p,match-case,to=com,domain=japscan.lol,important +/\/[0-9a-f]{32}\/invoke\.js/$script,3p,domain=japscan.lol,important +/^https?:\/\/(?:www\.|[0-9a-z]{7,10}\.)?[-0-9a-z]{5,}\.com\/\/?(?:[0-9a-z]{2}\/){2,3}[0-9a-f]{32}\.js/$script,xhr,3p,to=com,domain=japscan.lol,important + +! https://github.com/uBlockOrigin/uAssets/issues/21064 +! https://github.com/uBlockOrigin/uAssets/issues/24220 +! https://github.com/uBlockOrigin/uAssets/issues/25121#issuecomment-2325357098 +poophq.com,veev.to##+js(nowoif) +poophq.com,veev.to##+js(set, fapit.check, noopFunc) +poophq.com,veev.to##+js(no-xhr-if, /vast.php?) +poophq.com,veev.to##+js(no-xhr-if, adsbygoogle, length:35000-55000) +poophq.com,veev.to##+js(rpnt, script, /=\(['"].*?h.*?o.*?c.*?a.*?s['"]?/, "$1(function() {'use strict'; const handler = {apply: (target, thisArg, argumentsList) => {const e = argumentsList; if (e[0] && e[0].html?.detected === null && typeof e[0].html?.instance?.start === 'function' && typeof e[0].env?.instance?.start === 'function' && typeof e[0].http?.instance?.start === 'function') {const resetBooleans = function() {Object.keys(this).forEach(key => {if (typeof this[key] === 'boolean') {this[key] = false;}});}; ['html', 'env', 'http'].forEach(name => {e[0][name].instance.start = resetBooleans;});} return Reflect.apply(target, thisArg, argumentsList);}}; window.Object.keys = new Proxy(Object.keys, handler);})();", includes, break;else) +poophq.com,veev.to##+js(no-xhr-if, /\/preroll\.engine$/) +*$script,3p,domain=poophq.com|veev.to,redirect-rule=noopjs +*$other,3p,denyallow=veevcdn.co,domain=poophq.com|veev.to +@@*$ghide,domain=poophq.com|veev.to +veev.to#@#.avb-active +@@/ad-provider.js$xhr,domain=poophq.com|veev.to + +! https://github.com/uBlockOrigin/uAssets/issues/20401 +infinityscans.xyz,infinityscans.net,infinityscans.org##+js(rpnt, script, /async function \(xhr\) \{\s+\(function\(\){var .*?\;\}\)\(\)\; /s, async function (xhr) {) +infinityscans.xyz,infinityscans.net,infinityscans.org##+js(rpnt, script, /\}\)\;\s+\(function\(\)\{var .*?\)\;\}\)\(\)\;\s+\$\.ajax\(\{/s, }); $.ajax({) +infinityscans.xyz,infinityscans.net,infinityscans.org##+js(trusted-replace-outbound-text, atob, window.matchMedia('(display-mode: standalone)').matches, true) +infinityscans.xyz,infinityscans.net,infinityscans.org##+js(nowoif, _blank) +infinityscans.xyz,infinityscans.net,infinityscans.org##div[class="alert alert-info m-0 p-0"]:has-text(/uBlock|AdGuard|advertisments/i) +@@*$script,denyallow=googletagmanager.com|bidgear.com|googlesyndication.com|a.magsrv.com|fstatic.netpub.media,domain=infinityscans.xyz|infinityscans.net|infinityscans.org +infinityscans.xyz,infinityscans.net,infinityscans.org##+js(rmnt, script, /b5rh0rt|\;\}\}catch\(_/) + +! https://github.com/uBlockOrigin/uAssets/issues/2320 +panel.freemcserver.net#@#+js(rpnt, script, 'G-1B4LC0KT6C');, 'G-1B4LC0KT6C'); window.setTimeout(function(){blockPing()}\,200);) +panel.freemcserver.net##+js(rpnt, script, 'G-1B4LC0KT6C');, 'G-1B4LC0KT6C'); localStorage.setItem("tuna"\, "dW5kZWZpbmVk"); localStorage.setItem("sausage"\, "ZmFsc2U="); window.setTimeout(function(){fuckYouUblockAndJobcenterTycoon(false)}\,200);) + +! https://github.com/uBlockOrigin/uAssets/issues/8719 +1001tracklists.com##div[id]:has(> [data-freestar-ad]):remove() +1001tracklists.com###head + [id] > div:first-child > div:not([id="topLogo"], [id="pageTitle"], [id="hInfo"]):has(> a > :is(img[src*="/"][src*="_"][alt], div[style*="background"])) +1001tracklists.com##div:has(+ script:has-text(challenge)):has(a :is(img[src*="/"][src*="_"][alt], [style])) +1001tracklists.com##div[class="nav tabTop"] + div > div:first-child > div:first-child > a:has(> img[src*="/"][src*="_"][alt]) +1001tracklists.com###head + div[id] > div:last-child > div > a:has(> img[src*="/"][src*="_"][alt]) +1001tracklists.com##+js(spoof-css, div[class="nav tabTop"] + div > div:first-child > div:first-child > a:has(> img[src*="/"][src*="_"][alt])\, #head + div[id] > div:last-child > div > a:has(> img[src*="/"][src*="_"][alt]), display, block) + +! filemoon +! https://github.com/AdguardTeam/AdguardFilters/issues/190044 +! https://www.reddit.com/r/uBlockOrigin/comments/1fuaaw5/asblock_detected_in_ask4porncc +ghajini-1fef5bqn.lol,ghajini-jadxelkw.lol,ghajini-8nz2lav9.lol,ghajini-vf70yty6.lol,semprefi-8xp7vfr9.fun,morgan0928-t9xc5eet.fun,stephenking-vy5hgkgu.fun,ghajini-04bl9y7x.lol,semprefi-2tazedzl.fun,morgan0928-8ufkpqp8.fun,ghajini-1flc3i96.lol,stephenking-c8bxyhnp.fun,z9sayu0m.nl,anqkdhcm.nl,fu-1abozhcd.nl,fu-12qjdjqh.lol,fu-e4nzgj78.nl,fu-hbr4fzp4.lol,fu-hjyo3jqu.lol,fu-c66heipu.lol,fu-l6d0ptc6.lol,fu-m03aenr9.nl,fu-mqsng72r.nl,fu-v79xn6ct.nl,fu-ys0tjjs1.nl,fu-1fbolpvq.nl,fu-4u3omzw0.nl,ccyig2ub.nl##+js(nowoif) +ghajini-1fef5bqn.lol,ghajini-jadxelkw.lol,ghajini-8nz2lav9.lol,ghajini-vf70yty6.lol,semprefi-8xp7vfr9.fun,morgan0928-t9xc5eet.fun,stephenking-vy5hgkgu.fun,ghajini-04bl9y7x.lol,semprefi-2tazedzl.fun,morgan0928-8ufkpqp8.fun,ghajini-1flc3i96.lol,stephenking-c8bxyhnp.fun,z9sayu0m.nl,anqkdhcm.nl,fu-1abozhcd.nl,fu-12qjdjqh.lol,fu-e4nzgj78.nl,fu-hbr4fzp4.lol,fu-ghajini-04bl9y7x.lol,hjyo3jqu.lol,fu-c66heipu.lol,fu-l6d0ptc6.lol,fu-m03aenr9.nl,fu-mqsng72r.nl,fu-v79xn6ct.nl,fu-ys0tjjs1.nl,fu-1fbolpvq.nl,fu-4u3omzw0.nl,ccyig2ub.nl##+js(acs, Math, localStorage['\x) +ghajini-1flc3i96.lol,z9sayu0m.nl,anqkdhcm.nl,fu-1abozhcd.nl,fu-12qjdjqh.lol,fu-e4nzgj78.nl,fu-hbr4fzp4.lol,fu-hjyo3jqu.lol,fu-c66heipu.lol,fu-l6d0ptc6.lol,fu-m03aenr9.nl,fu-mqsng72r.nl,fu-v79xn6ct.nl,fu-ys0tjjs1.nl,fu-1fbolpvq.nl,fu-4u3omzw0.nl,ccyig2ub.nl##+js(rmnt, script, sandbox) +! https://github.com/uBlockOrigin/uAssets/issues/25538 +0cbcq8mu.com,2cf0xzdu.com,4k2h4w04.xyz,a6iqb4m8.xyz,afl3ua5u.xyz,jmzkzesy.xyz##+js(nowoif) +0cbcq8mu.com,2cf0xzdu.com,4k2h4w04.xyz,a6iqb4m8.xyz,afl3ua5u.xyz,jmzkzesy.xyz##+js(acs, Math, localStorage['\x) +0cbcq8mu.com,2cf0xzdu.com,4k2h4w04.xyz,a6iqb4m8.xyz,afl3ua5u.xyz,jmzkzesy.xyz##^script:has-text(/popunder|\(\)\{try\{localStorage\[/) +||j-mxponyz.love^ +||x-ozwpiqlb.rocks^$popup,doc +||furthermoreofthem.com^$popup,doc + +! Ad-Shield +dogdrip.net##html[lang="ko"] [id^="img_"][style]:has(iframe[frameborder="0"][style]):style(clip-path: circle(0) !important;) +infinityfree.com##html[lang][dir="ltr"] [id^="img_"][style]:has(iframe[frameborder="0"][style]):style(clip-path: circle(0) !important;) +smsonline.cloud##html[data-theme][lang] [id^="img_"][style]:has(iframe[frameborder="0"][style]):style(clip-path: circle(0) !important;) +~dogdrip.net,~infinityfree.com,~slashdot.org,~smsonline.cloud,*##body > div[id^="img_"][class^="img_"][style^="width"]:first-child:style(position: absolute !important; top: -100000px !important;) +~dogdrip.net,~infinityfree.com,~slashdot.org,~smsonline.cloud,*##body > div:first-child > script + div[id^="img_"][class^="img_"]:style(position: absolute !important; top: -100000px !important;) +~dogdrip.net,~infinityfree.com,~slashdot.org,~smsonline.cloud,*##body > a:only-child > div[id^="img_"][class^="img_"]:style(position: absolute !important; top: -100000px !important;) +~dogdrip.net,~infinityfree.com,~slashdot.org,~smsonline.cloud,*##div[style*="fixed"] span[id^="img_"][class^="img_"] > style:first-child + div[style*="flex"][style*="relative"]:style(width: 10000px !important;) +07c225f3.online,content-loader.com,css-load.com,html-load.com,img-load.com##body > *:not(pre):style(pointer-events: none !important; mask-image: linear-gradient(transparent, transparent) !important; -webkit-mask-image: linear-gradient(transparent, transparent) !important;) +*$doc,to=slashdot.org,replace=/data-sdk/defer data-sdk/ +! https://github.com/uBlockOrigin/uAssets/issues/26487 +dogdrip.net,infinityfree.com,slashdot.org,smsonline.cloud##+js(no-fetch-if, -load.com/script/, length:101) +dogdrip.net,infinityfree.com,slashdot.org,smsonline.cloud##+js(nostif, )](this\,...) +slashdot.org##+js(aeld, , )](this\,...) + +! https://github.com/uBlockOrigin/uAssets/issues/25344 +! https://github.com/uBlockOrigin/uAssets/pull/26342 +! https://github.com/uBlockOrigin/uAssets/issues/26393 +! https://github.com/uBlockOrigin/uAssets/issues/26623 +bing.com##li.b_algo:has(a[href^="https://www.bing.com/aclick?"], a[href^="https://www.bing.com/aclk?"]):remove-class(b_algo) +bing.com##ol#b_results > li:has(> :is(.b_tpcn, .b_title, h2) a[href^="https://www.bing.com/aclick?"]) +bing.com##ol#b_results > li:has(> :is(.b_tpcn, .b_title, h2) a[href^="https://www.bing.com/aclk?"]) + +! https://github.com/AdguardTeam/AdguardFilters/issues/183252 +exploader.net##+js(trusted-rpnt, script, /^var \w+=\[.+/, (()=>{let e=[];document.addEventListener("DOMContentLoaded"\,(()=>{const t=document.querySelector("body script").textContent.match(/"] = '(.*?)'/g);if(!t)return;t.forEach((t=>{const r=t.replace(/.*'(.*?)'/\,"$1");e.push(r)}));const r=document.querySelector('.dl_button[href*="preview"]').href.split("?")[1];e.includes(r)&&(e=e.filter((e=>e!==r)));document.querySelectorAll(".dl_button[href]").forEach((t=>{t.target="_blank";let r=t.cloneNode(!0);r.href=t.href.replace(/\?.*/\,`?${e[0]}`)\,t.after(r);let o=t.cloneNode(!0);o.href=t.href.replace(/\?.*/\,`?${e[1]}`)\,t.after(o)}))}))})();, sedCount, 1) +exploader.net##+js(acs, EventTarget.prototype.addEventListener, eval) +||daotag.com/tag/$script,domain=exploader.net,important + +! https://github.com/easylist/easylistgermany/issues/216 +www.chip.de##+js(rmnt, script, /[a-zA-Z0-9]{10,20}\; \} \}/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/153796 +rekidai-info.github.io#@#+js(nostif, /aframe|querySelector/) +rekidai-info.github.io##+js(nostif, /aframe|querySelector/, 1000-) +rekidai-info.github.io##+js(nosiif, location[_0x) + +! https://github.com/uBlockOrigin/uAssets/issues/20907 +@@||cursomecanet.com^$script,1p +@@*$image,domain=cursomecanet.com + +! https://github.com/uBlockOrigin/uAssets/issues/20207 +! https://github.com/uBlockOrigin/uAssets/issues/26877 +||imasdk.googleapis.com/js/sdkloader/ima3.js$script,3p,redirect=google-ima.js,domain=robertordercharacter.com|voe.sx,important +robertordercharacter.com,voe.sx##+js(nowoif) +robertordercharacter.com,voe.sx##+js(set, console.clear, undefined) + +! https://github.com/uBlockOrigin/uAssets/pull/26754 - remove old value +instagram.com##+js(remove-cookie, ig_did) +facebook.com#@#+js(trusted-set-cookie, datr, 835uZ-bIo1ECQru7AjqnhhRl, 1year, , reload, 1, dontOverwrite, 1) +instagram.com#@#+js(trusted-set-cookie, ig_did, 5443AF77-1A68-4603-BF65-43BB5F664A80, 1year, , reload, 1, dontOverwrite, 1) + +! https://github.com/uBlockOrigin/uAssets/issues/26878 +||gstatic.com/atari/embeds/*/intermediate-frame-minified.html?jsh=m%3B%2F_%2Fscs%2Fabc-static%2F_%2Fjs%2Fk%3Dgapi.lb.en.5oZHy0SiJxw.O%2Fd%3D1%2Frs%3DAHpOoo-Hry6DG-RE4t9kNz_t6hiwmwXOmA%2Fm%3D__features__&r=$frame,domain=sites.google.com,badfilter + +! Title: uBlock filters – Link shorteners +! Last modified: %timestamp% +! Expires: 5 days +! Description: Filters optimized for uBlock, to be used along EasyList +! Homepage: https://github.com/uBlockOrigin/uAssets +! License: https://github.com/uBlockOrigin/uAssets/blob/master/LICENSE +! +! GitHub issues: https://github.com/uBlockOrigin/uAssets/issues +! GitHub pull requests: https://github.com/uBlockOrigin/uAssets/pulls + +! gplinks all domains (gplinks.co/EWu8) +! https://github.com/uBlockOrigin/uAssets/issues/20140 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10171583 (https://go.shortearner .in/Hollow_Knight_NSP) +@@*$ghide,domain=gplinks.*|mastharyana.com|quickimageconverter.com|techipop.com|remixbass.com|techyember.com +@@*$script,xhr,to=googlesyndication.com|doubleclick.net,from=mastharyana.com|quickimageconverter.com|techipop.com|remixbass.com|techyember.com +@@||gplinks.in/track/$script,xhr,domain=gplinks.*|mastharyana.com|quickimageconverter.com|techipop.com|remixbass.com|techyember.com +techyember.com,remixbass.com,techipop.com,quickimageconverter.com,mastharyana.com##center:others() +techyember.com,remixbass.com,techipop.com,quickimageconverter.com,mastharyana.com###SmileyBanner:remove() +techyember.com,remixbass.com,techipop.com,quickimageconverter.com,mastharyana.com##+js(aopw, AdBDetected) +techyember.com,remixbass.com,techipop.com,quickimageconverter.com,mastharyana.com##+js(set, count, 0) +techyember.com,remixbass.com,techipop.com,quickimageconverter.com,mastharyana.com##[id*="iframe"], [id*="gpt_unit"], [id*="div-gpt-"]:style(height:0.0001px !important;) +gplinks.*##a.exclude-pop.smartlink, .exclude-pop.quiz-container, #PlayQuiz, #quiz-frame, .exclude-popad +||gamezop.com^$domain=gplinks.* +gplinks.*##+js(set, blurred, false) +gplinks.*##+js(aopr, clickCount) +*$script,3p,denyallow=cloudflare.com|github.io|google.com|googleapis.com|gstatic.com|hwcdn.net|jquery.com|recaptcha.net|tipsforce.com|unpkg.com,domain=gplinks.* + +! https://github.com/uBlockOrigin/uAssets/issues/17198 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8435355 (https://btcut.io/gC5PAb) (https://psa.btcut.io/OKGo) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10356862 (https://sharecut .io/27ch9V5) +! https://github.com/uBlockOrigin/uAssets/issues/24370 (paycut.io/gMoMhCrN) +@@||securepubads.g.doubleclick.net/*/gpt.js$domain=cryptednews.space +@@||securepubads.g.doubleclick.net/*/pubads_impl.js$domain=cryptednews.space +@@||googleads.g.doubleclick.net/pagead/interaction/$domain=cryptednews.space +*$image,redirect-rule=1x1.gif,domain=starkroboticsfrc.com|sinonimos.de|antonimos.de|quesignifi.ca|tiktokrealtime.com|tiktokcounter.net|tpayr.xyz|poqzn.xyz|ashrfd.xyz|rezsx.xyz|tryzt.xyz|ashrff.xyz|rezst.xyz|dawenet.com|erzar.xyz|waezm.xyz|waezg.xyz|blackwoodacademy.org|cryptednews.space|vivuq.com|swgop.com|vbnmll.com|telcoinfo.online|dshytb.com +*$xhr,redirect-rule=noopjs,method=get|post,from=starkroboticsfrc.com|sinonimos.de|antonimos.de|quesignifi.ca|tiktokrealtime.com|tiktokcounter.net|tpayr.xyz|poqzn.xyz|ashrfd.xyz|rezsx.xyz|tryzt.xyz|ashrff.xyz|rezst.xyz|dawenet.com|erzar.xyz|waezm.xyz|waezg.xyz|blackwoodacademy.org|cryptednews.space|vivuq.com|swgop.com|vbnmll.com|telcoinfo.online|dshytb.com +@@*$xhr,redirect-rule,method=head,domain=starkroboticsfrc.com|sinonimos.de|antonimos.de|quesignifi.ca|tiktokrealtime.com|tiktokcounter.net|tpayr.xyz|poqzn.xyz|ashrfd.xyz|rezsx.xyz|tryzt.xyz|ashrff.xyz|rezst.xyz|dawenet.com|erzar.xyz|waezm.xyz|waezg.xyz|blackwoodacademy.org|cryptednews.space|vivuq.com|swgop.com|vbnmll.com|telcoinfo.online|dshytb.com +@@*$ghide,domain=starkroboticsfrc.com|sinonimos.de|antonimos.de|quesignifi.ca|tiktokrealtime.com|tiktokcounter.net|tpayr.xyz|poqzn.xyz|ashrfd.xyz|rezsx.xyz|tryzt.xyz|ashrff.xyz|rezst.xyz|dawenet.com|erzar.xyz|waezm.xyz|waezg.xyz|blackwoodacademy.org|cryptednews.space|vivuq.com|swgop.com|vbnmll.com|telcoinfo.online|dshytb.com +@@*$script,1p,domain=starkroboticsfrc.com|sinonimos.de|antonimos.de|quesignifi.ca|tiktokrealtime.com|tiktokcounter.net|tpayr.xyz|poqzn.xyz|ashrfd.xyz|rezsx.xyz|tryzt.xyz|ashrff.xyz|rezst.xyz|dawenet.com|erzar.xyz|waezm.xyz|waezg.xyz|blackwoodacademy.org|cryptednews.space|vivuq.com|swgop.com|vbnmll.com|telcoinfo.online|dshytb.com +@@||profitsfly.com^$script,domain=starkroboticsfrc.com|sinonimos.de|antonimos.de|quesignifi.ca|tiktokrealtime.com|tiktokcounter.net|tpayr.xyz|poqzn.xyz|ashrfd.xyz|rezsx.xyz|tryzt.xyz|ashrff.xyz|rezst.xyz|dawenet.com|erzar.xyz|waezm.xyz|waezg.xyz|blackwoodacademy.org|cryptednews.space|vivuq.com|swgop.com|vbnmll.com|telcoinfo.online|dshytb.com +@@/adpartner.min.js$script,domain=starkroboticsfrc.com|sinonimos.de|antonimos.de|quesignifi.ca|tiktokrealtime.com|tiktokcounter.net|tpayr.xyz|poqzn.xyz|ashrfd.xyz|rezsx.xyz|tryzt.xyz|ashrff.xyz|rezst.xyz|dawenet.com|erzar.xyz|waezm.xyz|waezg.xyz|blackwoodacademy.org|cryptednews.space|vivuq.com|swgop.com|vbnmll.com|telcoinfo.online|dshytb.com +starkroboticsfrc.com,sinonimos.de,antonimos.de,quesignifi.ca,tiktokrealtime.com,tiktokcounter.net,tpayr.xyz,poqzn.xyz,ashrfd.xyz,rezsx.xyz,tryzt.xyz,ashrff.xyz,rezst.xyz,dawenet.com,erzar.xyz,waezm.xyz,waezg.xyz,blackwoodacademy.org,cryptednews.space,vivuq.com,swgop.com,vbnmll.com,telcoinfo.online,dshytb.com##+js(nostif, documentElement.innerHTML) +starkroboticsfrc.com,sinonimos.de,antonimos.de,quesignifi.ca,tiktokrealtime.com,tiktokcounter.net,tpayr.xyz,poqzn.xyz,ashrfd.xyz,rezsx.xyz,tryzt.xyz,ashrff.xyz,rezst.xyz,dawenet.com,erzar.xyz,waezm.xyz,waezg.xyz,blackwoodacademy.org,cryptednews.space,vivuq.com,swgop.com,vbnmll.com,telcoinfo.online,dshytb.com##+js(no-fetch-if, doubleclick, , {"type": "opaque"}) +starkroboticsfrc.com,sinonimos.de,antonimos.de,quesignifi.ca,tiktokrealtime.com,tiktokcounter.net,tpayr.xyz,poqzn.xyz,ashrfd.xyz,rezsx.xyz,tryzt.xyz,ashrff.xyz,rezst.xyz,dawenet.com,erzar.xyz,waezm.xyz,waezg.xyz,blackwoodacademy.org,cryptednews.space,vivuq.com,swgop.com,vbnmll.com,telcoinfo.online,dshytb.com##+js(trusted-replace-node-text, script, /^([^{])/, "document.addEventListener('DOMContentLoaded',()=>{const i=document.createElement('iframe');i.style='height:0;width:0;border:0';i.id='aswift_0';document.body.appendChild(i);i.focus();const f=document.createElement('div');f.id='9JJFp';document.body.appendChild(f);});$1", sedCount, 2) +starkroboticsfrc.com,sinonimos.de,antonimos.de,quesignifi.ca,tiktokrealtime.com,tiktokcounter.net,tpayr.xyz,poqzn.xyz,ashrfd.xyz,rezsx.xyz,tryzt.xyz,ashrff.xyz,rezst.xyz,dawenet.com,erzar.xyz,waezm.xyz,waezg.xyz,blackwoodacademy.org,cryptednews.space,vivuq.com,swgop.com,vbnmll.com,telcoinfo.online,dshytb.com##+js(set, document.hasFocus, trueFunc) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10098663 (https://droplink .co/ekTk) +yoshare.net###tp-snp1, #go_d, #go_d2:style(display: block !important;) +yoshare.net##button[onclick^="handleDownload"] +yoshare.net##+js(noeval-if, /chp_?ad/) +droplink.co##+js(aopr, app_vars.force_disable_adblock) +droplink.co##.text-left +||i.gyazo.com^$domain=insurancexblog.blogspot.com + +! XpShort New (http://xpshort.com/Alpha_5_Complete_Batch) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10384772 +gyanlight.com,xpshort.com##+js(set, blurred, false) +gyanlight.com,xpshort.com##.banner +odisha-remix.com,themoviesradar.in,forexsalary.com,dailywebsite.in,mamatamusicbanaras.com,missionupsc.com##+js(no-fetch-if, googlesyndication) +odisha-remix.com,themoviesradar.in,forexsalary.com,dailywebsite.in,mamatamusicbanaras.com,missionupsc.com###wpsafe-link:style(display: block !important;) +odisha-remix.com,themoviesradar.in,forexsalary.com,dailywebsite.in,mamatamusicbanaras.com,missionupsc.com###wpsafe-link, .wpsafelink-multiple-pages:others() + +! https://github.com/uBlockOrigin/uAssets/issues/20600 +! https://github.com/uBlockOrigin/uAssets/issues/23535 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10229239 (https://publicearn .com/MvpN) +@@*$ghide,domain=tea-coffee.net|spatsify.com|newedutopics.com|getviralreach.in|edukaroo.com|funkeypagali.com|careersides.com|nayisahara.com|wikifilmia.com|infinityskull.com|viewmyknowledge.com|iisfvirtual.in|starxinvestor.com|jkssbalerts.com +||cdn.jsdelivr.net/gh/itspro-dev/*/js/main.js$script +tea-coffee.net,spatsify.com,newedutopics.com,getviralreach.in,edukaroo.com,funkeypagali.com,careersides.com,nayisahara.com,wikifilmia.com,infinityskull.com,viewmyknowledge.com,iisfvirtual.in,starxinvestor.com,jkssbalerts.com##+js(rmnt, script, /ABDetected|navigator.brave|fetch/) +tea-coffee.net,spatsify.com,newedutopics.com,getviralreach.in,edukaroo.com,funkeypagali.com,careersides.com,nayisahara.com,wikifilmia.com,infinityskull.com,viewmyknowledge.com,iisfvirtual.in,starxinvestor.com,jkssbalerts.com##+js(no-fetch-if, googlesyndication) +tea-coffee.net,spatsify.com,newedutopics.com,getviralreach.in,edukaroo.com,funkeypagali.com,careersides.com,nayisahara.com,wikifilmia.com,infinityskull.com,viewmyknowledge.com,iisfvirtual.in,starxinvestor.com,jkssbalerts.com##+js(noeval-if, /chp_?ad/) +tea-coffee.net,spatsify.com,newedutopics.com,getviralreach.in,edukaroo.com,funkeypagali.com,careersides.com,nayisahara.com,wikifilmia.com,infinityskull.com,viewmyknowledge.com,iisfvirtual.in,starxinvestor.com,jkssbalerts.com##+js(set, count, 0) +tea-coffee.net,spatsify.com,newedutopics.com,getviralreach.in,edukaroo.com,funkeypagali.com,careersides.com,nayisahara.com,wikifilmia.com,infinityskull.com,viewmyknowledge.com,iisfvirtual.in,starxinvestor.com,jkssbalerts.com###tp98, #btn6:style(display: block !important;) +tea-coffee.net,spatsify.com,newedutopics.com,getviralreach.in,edukaroo.com,funkeypagali.com,careersides.com,nayisahara.com,wikifilmia.com,infinityskull.com,viewmyknowledge.com,iisfvirtual.in,starxinvestor.com,jkssbalerts.com##[id$="-Ads"], [id*="-gpt-ad"], center > h3, #skull, #content, #btnx, .mh-clearfix.mh-wrapper +go.publicearn.com##.page-header > h3, .banner, .bg-soft-primary + +! https://github.com/uBlockOrigin/uAssets/issues/16533 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6895297 +techcyan.com,kiktu.com,upshrink.com,trangchu.news,banaraswap.in##+js(acs, $, google_ads_iframe_) +@@*$ghide,domain=techcyan.com|kiktu.com|upshrink.com|trangchu.news|banaraswap.in +@@*$xhr,domain=techcyan.com|kiktu.com|upshrink.com|trangchu.news|banaraswap.in +*$image,domain=techcyan.com|kiktu.com|upshrink.com|trangchu.news|banaraswap.in,redirect-rule=1x1.gif +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=techcyan.com|kiktu.com|upshrink.com|trangchu.news|banaraswap.in +||player.aniview.com/script/*$script,redirect-rule=noopjs,domain=techcyan.com|kiktu.com|upshrink.com|trangchu.news|banaraswap.in +techcyan.com,kiktu.com,upshrink.com,trangchu.news,banaraswap.in##body:style(overflow: visible !important;) +@@||upshrink.com^$script,1p +upshrink.com##+js(aeld, DOMContentLoaded, iframe) +upshrink.com##+js(set, blurred, false) +upshrink.com##^script:has-text(/iframe|setTimeout|0x/) +||blogspot.com/*/s336/Upshrink336x280.jpg +||upshrink.in^$frame,1p +||upshrink.in/updealz-1^$frame,domain=upshrink.com +/wp-content/uploads/play.webp$domain=techcyan.com|kiktu.com|upshrink.com|trangchu.news|banaraswap.in +||kiktu.com/wp-json/wp-statistics/$xhr,important +||kiktu.com/wp-content/plugins/azee-safelink/img/clickheretodownload*.png$image,1p +||kiktu.com/wp-content/plugins/azee-safelink/img/Download*.png$image,1p +||kiktu.com/wp-content/plugins/azee-safelink/img/download_btns*.png$image,1p +||kiktu.com/wp-content/plugins/azee-safelink/img/play*.jpg$image,1p +||kiktu.com/wp-content/plugins/azee-safelink/img/StartDownload*.gif$image,1p +techcyan.com,kiktu.com,upshrink.com,trangchu.news,banaraswap.in###btx1, #btx2, #wg-genx > .mediafire:style(visibility: hidden !important;) +techcyan.com,kiktu.com,upshrink.com,trangchu.news,banaraswap.in##+js(spoof-css, #btx1\, #btx2\, #wg-genx > .mediafire, visibility, visible) +.click/?s=$popup,domain=techcyan.com|kiktu.com|upshrink.com|trangchu.news|banaraswap.in +*$image,domain=techcyan.com|kiktu.com|upshrink.com|trangchu.news|banaraswap.in,redirect-rule=2x2.png:5 + +! https://github.com/uBlockOrigin/uAssets/issues/15469 +! Mlwbd Download +||tactictablepolite.com^$script,domain=freethemesy.com|tech24us.com +tech24us.com,freethemesy.com##+js(nano-sib, counter, *, 0.02) + +! https://github.com/uBlockOrigin/uAssets/issues/14673 +! psa.wf Download Shorteners +@@||get-to.link^$ghide +get-to.link##+js(aopr, exoJsPop101) +get-to.link##+js(aopr, document.dispatchEvent) +get-to.link##+js(nowoif) +get-to.link###genesis-modal + +enit.in,financerites.com##+js(nostif, , 5) +enit.in##+js(nowoif) +enit.in##+js(set, blurred, false) +enit.in,financerites.*##+js(nano-stb, downloadBtn, *) +enit.in##footer, div#gads.banner-inner +enit.it###gads[disabled]:remove-attr(disabled) +enit.in,financerites.*##.footerLink.hidden:style(display: block !important;) +enit.in,financerites.*##.getlink:others() +trip.businessnews-nigeria.com,te-it.com,world2our.com,mobi2c.com,tech5s.co,ez4mods.com,bluetechno.net,forexit.online###go_d:remove-attr(disabled) +trip.businessnews-nigeria.com,te-it.com,world2our.com,mobi2c.com,bluetechno.net,forexit.online###submitBtn, #go_d, #devozon-snp, #submitBtn, #tp-snp1, #go_d2:others() +trip.businessnews-nigeria.com,te-it.com,world2our.com,mobi2c.com,tech5s.co,ez4mods.com,bluetechno.net,forexit.online###submitBtn, #go_d, #devozon-snp, #submitBtn, #tp-snp1, #go_d2:style(display: block !important;) + +! https://clk.asia/XzNMCt +junkyponk.com,healthfirstweb.com,vocalley.com,yogablogfit.com,howifx.com,en.financerites.com,mythvista.com,livenewsflix.com,cureclues.com,apekite.com##+js(set, timeSec, 0) +junkyponk.com,healthfirstweb.com,vocalley.com,yogablogfit.com,howifx.com,en.financerites.com,mythvista.com,livenewsflix.com,cureclues.com,apekite.com##+js(nano-stb, getlink, *, 0.001) +junkyponk.com,healthfirstweb.com,vocalley.com,yogablogfit.com,howifx.com,en.financerites.com,mythvista.com,livenewsflix.com,cureclues.com,apekite.com##+js(noeval-if, replace) +junkyponk.com,healthfirstweb.com,vocalley.com,yogablogfit.com,howifx.com,en.financerites.com,mythvista.com,livenewsflix.com,cureclues.com,apekite.com###gads +junkyponk.com,healthfirstweb.com,vocalley.com,yogablogfit.com,howifx.com,en.financerites.com,mythvista.com,livenewsflix.com,cureclues.com,apekite.com##.getlink, #getlink:remove-attr(disabled) +junkyponk.com,healthfirstweb.com,vocalley.com,yogablogfit.com,howifx.com,en.financerites.com,mythvista.com,livenewsflix.com,cureclues.com,apekite.com##.container:style(font-size: 0px !important;) +junkyponk.com,healthfirstweb.com,vocalley.com,yogablogfit.com,howifx.com,en.financerites.com,mythvista.com,livenewsflix.com,cureclues.com,apekite.com##.container > center:others() +en.financerites.com##form:others() +clk.*##+js(nowoif) +clk.*##+js(set, blurred, false) +||rdrclk.com^ +||clk.wiki/ads$frame +||cmp.quantcast.com^$domain=healthfirstweb.com|vocalley.com|yogablogfit.com|howifx.com|en.financerites.com|junkyponk.com|mythvista.com + +! ez4short.com/oynPc14?src=PSA +ez4short.com##+js(aopr, app_vars.force_disable_adblock) +ez4short.com##+js(set, blurred, false) +ez4short.com##.faq +ez4short.com##footer +techmody.io##+js(nano-sib, , *, 0) +tech5s.co##+js(noeval-if, ads) +tech5s.co,ez4mods.com##+js(nano-sib, /.?/, *, 0.02) +tech5s.co,ez4mods.com##.btn-primary, #go_d, #tp-snp1, #go_d2:others() +tech5s.co,ez4mods.com##+js(aopr, adBlockDetected) +||cmp.quantcast.com^$domain=tech5s.co|themezon.net +||push-sdk.$3p +||a.labadena.com^$popup +||feistyhelicopter.com^$popup + +! easysky.in focus and timer +! https://github.com/uBlockOrigin/uAssets/issues/20810 +easysky.in,veganab.co##+js(set, blurred, false) +veganab.co,camdigest.com##+js(nano-sib, /wpsafe|wait/, *, 0.001) +veganab.co,camdigest.com##+js(rmnt, script, deblocker) +veganab.co,camdigest.com###wpsafe-link, #section2:style(display: block !important;) +veganab.co,camdigest.com###wpsafe-link, #section2:others() +techy.veganab.co##.text-left, div.inst.box, .banner-inner + +! earn2me.com (earn2me.com/kVFvyX) +nichapk.com,easyworldbusiness.com,riveh.com###yuidea-snp:style(display: block !important;) +nichapk.com,easyworldbusiness.com,riveh.com##center, [src*="google.com/recaptcha/"]:others() +nichapk.com,easyworldbusiness.com,riveh.com##+js(nano-sib, timer, *, 0.02) +nichapk.com,easyworldbusiness.com,riveh.com###tie-wrapper:style(min-height:initial! important;) +blog.filepresident.com##.box-main > [src], .content, .r-bg, .short, .download-btn, h4 + +! https://github.com/uBlockOrigin/uAssets/issues/19345 +naukrilelo.in##+js(no-fetch-if, ads) +naukrilelo.in##+js(nano-sib, timer, 1300) +naukrilelo.in###tp98, #tp-snp2:style(display: block !important;) +naukrilelo.in###tp98, #tp-generate, #tp-snp2, [src*="https://www.google.com/recaptcha"]:others() +adrinolinks.in##+js(set, blurred, false) +myprivatejobs.com,wikitraveltips.com,amritadrino.com##+js(noeval-if, /fairAdblock|chp_adblock|adsbygoogle\.js/) +myprivatejobs.com,wikitraveltips.com,amritadrino.com##.g-recaptcha, #tp-snp2, .captcha-check, [src*="google.com/recaptcha/"]:others() +myprivatejobs.com,wikitraveltips.com,amritadrino.com##+js(ra, disabled, #tp-snp2) +myprivatejobs.com,wikitraveltips.com,amritadrino.com###overlay, .popup +myprivatejobs.com,wikitraveltips.com,amritadrino.com##+js(set, count, 0) +myprivatejobs.com,wikitraveltips.com,amritadrino.com##+js(set, detectAdBlock, noopFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/16217 +@@||exeo.app^$ghide +exeo.app##.actions, .earning-steps ~*, .earning-steps, header, footer, .ad-element + +! https://github.com/uBlockOrigin/uAssets/issues/21430 (https://gtlinks.me/9AUxf) +@@*$ghide,domain=hipsonyc.com|theforyou.in|gyanitheme.com|hostadviser.net|bloggingaro.com +hipsonyc.com,theforyou.in,gyanitheme.com,hostadviser.net,bloggingaro.com##+js(no-xhr-if, adsbygoogle) +hipsonyc.com,theforyou.in,gyanitheme.com,hostadviser.net,bloggingaro.com##.getox +hipsonyc.com,theforyou.in,gyanitheme.com,hostadviser.net,bloggingaro.com##+js(rpnt, script, /^window\.location\.href.*\'$/gms) +hipsonyc.com,theforyou.in,gyanitheme.com,hostadviser.net,bloggingaro.com###waiting, #pop-button:style(display: block !important;) +hipsonyc.com,theforyou.in,gyanitheme.com,hostadviser.net,bloggingaro.com###waiting, #pop-button, .modal-content:others() +hipsonyc.com,theforyou.in,gyanitheme.com,hostadviser.net,bloggingaro.com##+js(nano-stb, gotoo, *) +hipsonyc.com###notarobot, #gotolink:style(display: block !important;) +hipsonyc.com,~tech.hipsonyc.com###notarobot, #gotolink:others() +hipsonyc.com###gotolink[disabled]:remove-attr(disabled) +hipsonyc.com##+js(nano-sib, countDown, *) +go.bloggingaro.com,go.gyanitheme.com,go.theforyou.in,go.hipsonyc.com##+js(set, blurred, false) +go.bloggingaro.com,go.gyanitheme.com,go.theforyou.in,go.hipsonyc.com##.blog-item, .banner-inner, footer +||buoydeparturediscontent.com^$all + +! LinkShortify (https://lksfy.com/ovKOaZ) +bookszone.in##+js(nano-sib, timer, *) +bookszone.in###tp98, #jatinbtn-continue:style(display: block !important;) +bookszone.in###tp98, #jatinbtn-continue:others() +graphicuv.com##+js(aost, setTimeout, adsBlocked) +graphicuv.com###popup, #blur-background +graphicuv.com,learnmany.in###btn6:style(display: block !important;) +graphicuv.com,learnmany.in###btn6:others() +learnmany.in##+js(rmnt, script, deblocker) +shortix.co###btn6, #tp98:style(display: block !important;) +shortix.co###btn6, #tp98:others() +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9984206 (https://top10cafe .se/verify/?/nwe9vsolam) +top10cafe.se##+js(noeval-if, ads) + +! owllink.net & birdurls.com (go.owllink.net/1wij6ola) +uptechnologys.com,sevenjournals.com###yuidea-snp, #btn6:style(display: block !important;) +uptechnologys.com,sevenjournals.com###yuidea-snp, #btn6, center, [src*="google.com/recaptcha"]:others() +uptechnologys.com,sevenjournals.com##+js(nano-sib, /.?/, *, 0.001) +uptechnologys.com,sevenjournals.com###yuidea-snp, #btn6, #yuidea, #countdown:others() +uptechnologys.com,sevenjournals.com##+js(acs, eval, replace) +sevenjournals.com##+js(nobab) +||cmp.quantcast.com^$domain=uptechnologys.com|sevenjournals.com + +! https://github.com/AdguardTeam/AdguardFilters/issues/110893 +birdurls.com##+js(nowoif) +birdurls.com###bg_popup +birdurls.com##+js(set, blurred, false) +birdurls.com##.box-main p +birdurls.com##.box-main center +birdurls.com###link-view > br +*$frame,script,3p,denyallow=consensu.org|google.com|gstatic.com|recaptcha.net|quantcast.com|cloudflare.com,domain=birdurls.com + +! https://github.com/uBlockOrigin/uAssets/issues/22045 +hit-films.com###btn6:style(display: block !important;) +hit-films.com###btn6:others() + +! cut.lc Shortner +yalifin.xyz,lrncook.xyz###makingdifferenttimer:style(display: block !important;) +yalifin.xyz,lrncook.xyz##+js(nano-sib, /.?/, *, 0.02) +yalifin.xyz,lrncook.xyz##center:others() + +! vlsshort.com,V2links,vzu.us +gadgetsreview27.com,newsbawa.com##center:others() +gadgetsreview27.com,newsbawa.com##+js(nano-sib, /.?/, *, 0.02) + +! https://github.com/uBlockOrigin/uAssets/pull/20826 (fc-lc.com/82YkvH) +! https://github.com/uBlockOrigin/uAssets/issues/25210 +/nt.js$domain=fc-lc.xyz|tmail.io|fitdynamos.com +fc-lc.*##+js(aeld, , /_blank/i) +tmail.io,fitdynamos.com##+js(aopw, detectAdblock) +fitdynamos.com##+js(set, document.hidden, false) +fitdynamos.com##+js(set, document.hasFocus, trueFunc) +fitdynamos.com##+js(aeld, blur, stopCountdown) +fitdynamos.com##iframe[src="about:blank"] +fitdynamos.com##.d-md-block:has(> div[style] > [data-placement-id]) +fitdynamos.com##.col-auto:has(> div[style] > [data-placement-id]) +fitdynamos.com###overlay +tmail.io,fc-lc.*##+js(no-fetch-if, adsbygoogle) +tmail.io,fc-lc.*##+js(noeval-if, ppuQnty) +tmail.io,fc-lc.*##+js(nowoif) +@@||tmail.io^$ghide +tmail.io###glink:style(display: block !important;) +||curryfielddistribution.com^$all +||antonellapouncedcrewels.com^$all +||tophostingapp.com/dwn-$image + +! https://terabox.fun/sl/2omxpMMJdo anti-adb +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$script,domain=hotmediahub.com|terabox.fun|fansonlinehub.com|teralink.me|terashare.me|teraearn.com +@@*$ghide,domain=hotmediahub.com|terabox.fun|fansonlinehub.com|teralink.me|terashare.me|teraearn.com +||gamerplay*.space^$domain=hotmediahub.com|terabox.fun|fansonlinehub.com|teralink.me|terashare.me|teraearn.com +fansonlinehub.com,hotmediahub.com,terabox.fun,teralink.me,terashare.me,teraearn.com##body:style(overflow: auto !important;) +fansonlinehub.com,hotmediahub.com,terabox.fun,teralink.me,terashare.me,teraearn.com##[id^="pop-ad"], div.artical-content, .full-box, .bottom-adsense, .article-recommend, .article-next, [id^="ad-box-"], .full-ctr +terabox.fun##.short-link-home-bottom +fansonlinehub.com,hotmediahub.com,terabox.fun,teralink.me,terashare.me,teraearn.com##+js(json-prune, web_share_ads_adsterra_config wap_short_link_middle_page_ad wap_short_link_middle_page_show_time data.ads_cpm_info) +fansonlinehub.com,hotmediahub.com,terabox.fun,teralink.me,terashare.me,teraearn.com##+js(nano-stb, value, *) +fansonlinehub.com,hotmediahub.com,terabox.fun,teralink.me,terashare.me,teraearn.com##+js(nano-sib, clearInterval, *) +! https://github.com/uBlockOrigin/uAssets/issues/19284 +4funbox.com,nephobox.com,1024tera.com,terabox.*##+js(set, Object.prototype.isAllAdClose, true) +4funbox.com,nephobox.com,1024tera.com,terabox.*##.ad-eggplant, .operate-box + +! https://github.com/uBlockOrigin/uAssets/issues/20872 +@@||linkvertise.com^$ghide +linkvertise.com##+js(acs, addEventListener, DOMNodeRemoved) +linkvertise.com##+js(acs, document.dispatchEvent, CustomEvent) +linkvertise.com##+js(acs, onload, adsbygoogle) +linkvertise.com##+js(aeld, load, nextFunction) +linkvertise.com##+js(json-prune, data.meta.require_addon data.meta.require_captcha data.meta.require_notifications data.meta.require_og_ads data.meta.require_video data.meta.require_web data.meta.require_related_topics data.meta.require_custom_ad_step data.meta.og_ads_offers data.meta.addon_url data.displayAds data.linkCustomAdOffers) +linkvertise.com##+js(json-prune, data.getDetailPageContent.linkCustomAdOffers.[-].title) +linkvertise.com##+js(json-prune, data.getTaboolaAds.*) +linkvertise.com##+js(set, isAdBlockActive, false) +linkvertise.com##.skeleton__image > ngx-skeleton-loader[appearance="line"] > span.progress:empty +||streamrail.com^$script,domain=linkvertise.* + +! link.vipurl.in +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9563865 +acetack.com##+js(noeval-if, /chp_?ad/) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8728439 +acetack.com,androidquest.com,apklox.com,chhaprawap.in,gujarativyakaran.com,kashmirstudentsinformation.in,kisantime.com,shetkaritoday.in,pastescript.com,trimorspacks.com,updrop.link##+js(nano-sib, /.?/, *, 0.02) +acetack.com,androidquest.com,apklox.com,chhaprawap.in,gujarativyakaran.com,kashmirstudentsinformation.in,kisantime.com,shetkaritoday.in,pastescript.com,trimorspacks.com,updrop.link##+js(no-fetch-if, googlesyndication) +acetack.com,androidquest.com,apklox.com,chhaprawap.in,gujarativyakaran.com,kashmirstudentsinformation.in,kisantime.com,shetkaritoday.in,pastescript.com,trimorspacks.com,updrop.link##+js(set, adBlockDetected, noopFunc) +acetack.com,androidquest.com,apklox.com,chhaprawap.in,gujarativyakaran.com,kashmirstudentsinformation.in,kisantime.com,shetkaritoday.in,pastescript.com,trimorspacks.com,updrop.link###wpsafe-generate, #wpsafelink-landing, #wpsafe-link:style(display: block !important;) +acetack.com,androidquest.com,apklox.com,chhaprawap.in,gujarativyakaran.com,kashmirstudentsinformation.in,kisantime.com,shetkaritoday.in,pastescript.com,trimorspacks.com,updrop.link###adb +acetack.com,androidquest.com,apklox.com,chhaprawap.in,gujarativyakaran.com,kashmirstudentsinformation.in,kisantime.com,shetkaritoday.in,pastescript.com,trimorspacks.com,updrop.link###overlay +vipurl.in##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/10817 +try2link.com##+js(aopr, app_vars.force_disable_adblock) +try2link.com##+js(set, blurred, false) +try2link.com##+js(aopr, popUp) +try2link.com##.text-left.box-main2, footer +fx-gd.net,healthy4pepole.com,hightrip.net,to-travel.net###submitBtn, #go_d, #wolfexe-snp:style(display: block !important;) +fx-gd.net,healthy4pepole.com,hightrip.net,to-travel.net###submitBtn, #go_d, #wolfexe-snp:others() +fx-gd.net,healthy4pepole.com,hightrip.net,to-travel.net##+js(nano-sib, /.?/, *, 0.02) + +! https://github.com/AdguardTeam/AdguardFilters/issues/78778 +jameeltips.us##+js(aopr, app_vars.force_disable_adblock) +jameeltips.us##+js(set, blurred, false) +jameeltips.us#@#.banner-728x90 +||jameeltips.us^$3p + +! https://github.com/AdguardTeam/AdguardFilters/issues/71409 +*$script,domain=gainbtc.*,redirect-rule=noopjs +gainbtc.click##._hide +gainbtc.click##.panel-heading > center +||adcryp.to^$3p + +! https://www.reddit.com/r/uBlockOrigin/comments/ynjx62/ +! https://www.reddit.com/r/uBlockOrigin/comments/18zs6ip/detection_adblock/ +fadedfeet.com,homeculina.com,ineedskin.com,kenzo-flowertag.com,lawyex.co,mdn.lol##+js(nostif, /adblock|isRequestPresent/) +mdn.lol##+js(no-fetch-if, bmcdn6) +homeculina.com,ineedskin.com,kenzo-flowertag.com,lawyex.co,mdn.lol##form[id]:style(display: block !important;) +kenzo-flowertag.com,mdn.lol##.form-group > div[style^="width:"] +mdn.lol##div[style^="width:"][style$=" height: 90px;"] +mdn.lol##+js(acs, window.onload, devtools) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8374382 +kenzo-flowertag.com,mdn.lol##+js(rmnt, script, /bypass.php) +homeculina.com,ineedskin.com,kenzo-flowertag.com,lawyex.co,mdn.lol##form [id][style="display: none;"]:style(display: block !important;) +awgrow.com##.text-center:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/16153 +btcbitco.in##+js(acs, window.onload, innerHTML) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-5741055 +btcbitco.in,btcsatoshi.net,cempakajaya.com,crypto4yu.com,readbitcoin.org,wiour.com##+js(set, document.hasFocus, trueFunc) +btcbitco.in,btcsatoshi.net,cempakajaya.com,crypto4yu.com,gainl.ink,readbitcoin.org,wiour.com##+js(no-fetch-if, /adoto|\/ads\/js/) +gainl.ink##+js(set, blurred, false) +gainl.ink##+js(nowoif) +ohionowcast.info,wiour.com##+js(aeld, load, htmls) +@@||acceptable.a-ads.com/1^$xhr,domain=gainl.ink +@@||googletagmanager.com/gtm.js$domain=btcbitco.in|btcsatoshi.net|crypto4yu.com|gainl.ink|readbitcoin.org|wiour.com +gainl.ink#@##adclose +btcbitco.in,btcsatoshi.net,cempakajaya.com,crypto4yu.com,gainl.ink,manofadan.com,readbitcoin.org,wiour.com##^script:has-text(htmls) +btcbitco.in,btcsatoshi.net,cempakajaya.com,crypto4yu.com,gainl.ink,manofadan.com,readbitcoin.org,wiour.com##html, body:style(overflow: auto !important;) +btcbitco.in,btcsatoshi.net,cempakajaya.com,crypto4yu.com,gainl.ink,manofadan.com,readbitcoin.org,wiour.com##+js(rmnt, script, htmls) +||bitcotasks.com//files/banners/banner- +||cryptocoinsad.com/ads/js/slider_right.js$script,redirect=noopjs +btcbitco.in##+js(acs, addEventListener, devtools) +btcbitco.in,btcsatoshi.net,wiour.com##+js(acs, document.getElementById, ads) +crypto4yu.com,manofadan.com,readbitcoin.org##+js(acs, addEventListener, ads) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6671505 +bitcotasks.com##+js(nostif, offsetWidth) +bitcotasks.com##+js(nostif, alert) +btcbitco.in,btcsatoshi.net,wiour.com##.post > center > [href] > img +btcbitco.in,btcsatoshi.net,crypto4yu.com,readbitcoin.org,wiour.com##+js(nowoif, ?key=) +/invoke.js$script,redirect-rule=noop.js,domain=btcbitco.in|btcsatoshi.net|crypto4yu.com|readbitcoin.org|wiour.com +||cryptocoinsad.com/ads/js/popunder.js$script,redirect=noop.js,domain=btcbitco.in|btcsatoshi.net|crypto4yu.com|readbitcoin.org|wiour.com +||acceptable.a-ads.com^$frame,redirect-rule=noop.html,domain=btcbitco.in|btcsatoshi.net|crypto4yu.com|readbitcoin.org|wiour.com +btcbitco.in,btcsatoshi.net,crypto4yu.com,readbitcoin.org,wiour.com##div.text-center[id]:style(height: 100px !important;) +@@||static.surfe.pro/js/net.js$domain=btcbitco.in|btcsatoshi.net|crypto4yu.com|readbitcoin.org +@@||surfe.pro/net/teaser$xhr,domain=btcbitco.in|btcsatoshi.net|crypto4yu.com|readbitcoin.org +btcbitco.in##+js(set, isRequestPresent, true) +||bmcdn6.com^$script,redirect-rule=noop.js + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8002410 +blog.cryptowidgets.net,blog.insurancegold.in,blog.wiki-topia.com##+js(rmnt, script, /\/detected\.html|Adblock/) +blog.cryptowidgets.net,blog.insurancegold.in,blog.wiki-topia.com##+js(set, isRequestPresent, true) +blog.cryptowidgets.net,blog.insurancegold.in,blog.wiki-topia.com##+js(rpnt, script, = false;, = true;, condition, innerHTML) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7999398 (shortino .link/8ugNl, shortano .link/g29awgvl) +blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com##+js(rmnt, script, /\/detected\.html|Adblock/) +blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com##+js(set, isRequestPresent, true) +blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com##+js(rpnt, script, = false;, = true;, condition, innerHTML) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8733294 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10121209 (earnow .online/09UGVRo) +||rollercoin.com^$image,3p,redirect-rule=32x32.png,domain=blog.cryptowidgets.net|blog.insurancegold.in|blog.wiki-topia.com|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net|blog.carstopia.net|blog.carsmania.net|blog.coinsrise.net +||czilladx.com^$xhr,3p,redirect-rule=nooptext,domain=blog.cryptowidgets.net|blog.insurancegold.in|blog.wiki-topia.com|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net|blog.carstopia.net|blog.carsmania.net|blog.coinsrise.net +@@||cdn.bmcdn6.com/js/*d0.js^$domain=blog.cryptowidgets.net|blog.insurancegold.in|blog.wiki-topia.com|blog.coinsvalue.net|blog.cookinguide.net|blog.freeoseocheck.com|blog.makeupguide.net|blog.carstopia.net|blog.carsmania.net|blog.coinsrise.net +blog.coinsrise.net,blog.cryptowidgets.net,blog.insurancegold.in,blog.wiki-topia.com,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net,blog.carstopia.net,blog.carsmania.net##+js(nostif, alert) +blog.coinsrise.net,blog.cryptowidgets.net,blog.insurancegold.in,blog.wiki-topia.com,blog.coinsvalue.net,blog.cookinguide.net,blog.freeoseocheck.com,blog.makeupguide.net,blog.carstopia.net,blog.carsmania.net##+js(rpnt, script, "'IFRAME'", "'BODY'") +blog.carstopia.net,blog.carsmania.net##+js(noeval-if, /chp_?ad/) + +! aylink.co popup ads +! https://github.com/uBlockOrigin/uAssets/issues/18108 +! https://github.com/uBlockOrigin/uAssets/issues/20597 +aylink.co##+js(rmnt, script, toast) +aylink.co,gitizle.vip,shtms.co##+js(aopr, xmlhttp) +aylink.co,gitizle.vip,shtms.co##+js(nano-sib) +gitizle.vip,shtms.co##+js(ra, data-ppcnt_ads|onclick, #main) +aylink.co,cpmlink.pro##+js(remove-attr, data-ppcnt_ads|onclick, #main[onclick*="mainClick"], stay) +aylink.co,cpmlink.pro##+js(rpnt, script, /window\.location.*?;/) +aylink.co,gitlink.pro,gitizle.vip,shtms.co##.alternative-ad +aylink.co,cpmlink.pro##.adult-chat +aylink.co##[href^="https://aylink.co/smart/click.php"] +aylink.co##.sweet-overlay +aylink.co##.sweet-alert +cpmlink.pro##.download-file +cpmlink.pro##.download-buttons +||jayan-uvl.com^ +||ppcent.org^ + +! https://github.com/uBlockOrigin/uAssets/issues/14189 +! https://www.reddit.com/r/uBlockOrigin/comments/vfu0a2/something_hides_the_captcha/ +@@||shorterall.com^$ghide +@@||allgroups.online^$script,css,domain=promo-visits.site|satoshi-win.xyz|shorterall.com +@@*$script,1p,domain=promo-visits.site|satoshi-win.xyz +*$frame,redirect-rule=noopframe,domain=promo-visits.site|satoshi-win.xyz|shorterall.com +*$script,redirect-rule=noopjs,domain=promo-visits.site|satoshi-win.xyz|shorterall.com +*$xhr,3p,domain=promo-visits.site,redirect-rule=nooptext +promo-visits.site,satoshi-win.xyz,shorterall.com##+js(set, blurred, false) +promo-visits.site,satoshi-win.xyz,shorterall.com###qc-cmp2-container + p +shorterall.com##+js(nostif, alert) +shorterall.com##+js(acs, decodeURI, decodeURIComponent) +shorterall.com##+js(aopw, atOptions) +promo-visits.site,shorterall.com##+js(nowoif) +*$popup,domain=promo-visits.site|shorterall.com +@@||displayvertising.com^$script,domain=promo-visits.site|shorterall.com +@@||c.adsco.re^$script,domain=promo-visits.site|shorterall.com +@@||adsco.re/p$xhr,domain=promo-visits.site|shorterall.com +@@||ads.themoneytizer.com^$script,domain=promo-visits.site|shorterall.com +@@||c.tmyzer.com^$xhr,domain=promo-visits.site|shorterall.com +@@||gum.criteo.com/sid/json$xhr,domain=promo-visits.site|shorterall.com +@@||prebid.smilewanted.com^$xhr,domain=promo-visits.site|shorterall.com +! https://github.com/uBlockOrigin/uAssets/issues/8997 +@@||promo-visits.site^$ghide +||ultimateaderaser.com^$all +/click?pid=*&offer_id= +satoshi-win.xyz##+js(nostif, nextFunction) +satoshi-win.xyz##+js(ra, onclick, .btn-success.get-link, stay) +satoshi-win.xyz##+js(set, fouty, true) +satoshi-win.xyz##.banner-inner +promo-visits.site,shorterall.com##.btn-primary:style(visibility: visible !important;) +promo-visits.site##+js(ra, disabled, .btn-primary) +promo-visits.site###newlayercontent +/php_code.php?sid=$domain=promo-visits.site|satoshi-win.xyz|shorterall.com,important +homeairquality.org##+js(aeld, blur, focusOut) +homeairquality.org##+js(no-fetch-if, googletagmanager) +homeairquality.org##+js(set, detectAdblock, noopFunc) +! https://github.com/uBlockOrigin/uAssets/issues/17222 +@@||homeairquality.org^$ghide +*$script,redirect-rule=noopjs,domain=homeairquality.org +homeairquality.org##.ezo_ad +homeairquality.org##.adtester-container:style(min-height: 0px !important; max-height: 1px !important; opacity: 0 !important;) +mynewsmedia.co##+js(no-fetch-if, googlesyndication) +! https://github.com/uBlockOrigin/uAssets/issues/14189#issuecomment-1280373773 +@@||ads.themoneytizer.com/s/requestform.js?$script,domain=satoshi-win.xyz +@@||gibevay.ru/retarget/get$script,domain=satoshi-win.xyz +@@||googletagservices.com/tag/js/gpt.js$script,domain=satoshi-win.xyz +@@||govbusi.info^$script,domain=satoshi-win.xyz +@@||themoneytizer.com^$frame,domain=satoshi-win.xyz +@@||umekana.ru/retarget/get$script,domain=satoshi-win.xyz +@@||zatnoh.com/pw/*=eyJ.js$script,domain=satoshi-win.xyz +satoshi-win.xyz##^responseheader(refresh) +||googletagmanager.com/gtag/js$script,redirect-rule=googletagmanager_gtm.js:10,domain=satoshi-win.xyz +||id5-sync.com^$image,redirect-rule=1x1.gif,domain=satoshi-win.xyz +|about:blank$popup,domain=satoshi-win.xyz +||funuzai.ru^$popup + +! https://github.com/uBlockOrigin/uAssets/issues/18745 +! https://github.com/uBlockOrigin/uAssets/issues/21436 +encurtandourl.com##+js(nostif, getComputedStyle, 250) +encurtandourl.com##+js(nostif, nextFunction) +encurtandourl.com##+js(set, blurred, false) +encurtandourl.com##.banner +@@||overgal.com^$ghide +overgal.com##+js(no-fetch-if, googlesyndication) +overgal.com##+js(nano-sib, timeLeft, *, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/18747 +suaurl.com##+js(aopr, document.oncontextmenu) +suaurl.com##+js(aopr, shortcut) +suaurl.com##+js(aost, document.querySelector, suaads) +suaurl.com##+js(rpnt, script, typeof cdo == 'undefined' || document.querySelector('div.textads.banner-ads.banner_ads.ad-unit.ad-zone.ad-space.adsbox') == undefined, false) +reidoplacar.com###divactioncheck > .mb-3 +reidoplacar.com##.result_content_ff:style(display: block !important;) + +! https://www.reddit.com/r/uBlockOrigin/comments/18irmvf/i_was_detected/ +mamahawa.com##+js(rpnt, script, /window\.location\.href='.*';/, , condition, openLink) +forextrader.site##+js(set, blurred, false) +||10short.pro/GoogleNe*.js$script,3p,domain=forextrader.site +10short.*,mamahawa.com,lollty.pro##+js(nano-sib, timer, *, 0.001) +10short.*,mamahawa.com,lollty.pro##.text-left +mamahawa.com###popup + +! https://www.reddit.com/r/uBlockOrigin/comments/18mhh9o/help_i_was_identified/ +! https://github.com/uBlockOrigin/uAssets/issues/22347 +@@||postazap.com^$ghide +postazap.com##+js(set, blurred, false) +~encurtador.postazap.com,postazap.com##+js(nano-sib, timer, *, 0.001) +postazap.com##+js(nostif, ai_adb) +postazap.com##+js(no-xhr-if, googlesyndication) +postazap.com###page, .image-container + +! https://www.reddit.com/r/uBlockOrigin/comments/18n1z83/the_countdown_timer_on_this_site_will_not_go_down/ +rawlazy.si##+js(nano-stb, /\$\('|ai-close/, *, 0.001) +bigdata.rawlazy.si##+js(nano-sib, counter, *, 0.001) +rawlazy.si##.content-text.lh-16.font-12x + +! Bitlinks +! https://github.com/uBlockOrigin/uAssets/issues/19926 +! https://github.com/uBlockOrigin/uAssets/issues/19928 +paidinsurance.in,conghuongtu.net,coinseidon.com###wpsafelinkhuman, #wpsafe-link:style(display: block !important;) +paidinsurance.in,conghuongtu.net,coinseidon.com###wpsafelinkhuman, #wpsafe-link:others() +placementsmela.com###wpsafe-link:style(display: block !important;) +placementsmela.com###wpsafe-link:others() + +! https://github.com/uBlockOrigin/uAssets/issues/20243 +cryptokinews.com##+js(nano-sib) +cryptokinews.com##center:others() + +! https://github.com/uBlockOrigin/uAssets/issues/20333 +! https://github.com/uBlockOrigin/uAssets/issues/20696 +sugarona.com,nishankhatri.xyz,highkeyfinance.com,amanguides.com##+js(rmnt, script, AdbModel) +nishankhatri.xyz###pro-continue, #pro-btn, #my-btn:style(display: block !important;) +nishankhatri.xyz###pro-continue, #pro-btn, #my-btn:others() +sugarona.com###my-btn, #my-btn2:style(display: block !important;) +sugarona.com###my-btn, #my-btn2:others() +reminimod.co,highkeyfinance.com,amanguides.com##+js(no-fetch-if, ads) +reminimod.co,highkeyfinance.com,amanguides.com###wpsafe-link:style(display: block !important;) +reminimod.co,highkeyfinance.com,amanguides.com###wpsafe-link:others() +blog.disheye.com###gourl:style(display: block !important;) +blog.disheye.com###gourl:others() +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8691522 +amanguides.com,highkeyfinance.com##+js(rmnt, script, deblocker) + +! cuty.io (https://cutty.app/b6InEDRzF8NF) +! https://github.com/uBlockOrigin/uAssets/issues/24222 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10438223 (https://cuty .io/blIkkHQyy) +! https://github.com/uBlockOrigin/uAssets/issues/26646 +cety.app,exego.app,cutlink.net,cutsy.net,cutyurls.com,cutty.app,cutnet.net##.steps-to-earn, .flex.share-icons-container, .register-banner, fieldset, .partners-container, .actions +cety.app,exego.app,cutlink.net,cutsy.net,cutyurls.com,cutty.app,cutnet.net##+js(aeld, click, /handleClick|popup/) +cety.app,exego.app,cutlink.net,cutsy.net,cutyurls.com,cutty.app,cutnet.net##+js(set, blurred, false) +cety.app,exe-urls.com,exego.app,cutlink.net,cutsy.net,cutyurls.com,cutty.app,cutnet.net##+js(acs, navigator, FingerprintJS) +cety.app,exe-urls.com,exego.app,cutlink.net,cutsy.net,cutyurls.com,cutty.app,cutnet.net##+js(rmnt, script, /popup/i) +! https://github.com/uBlockOrigin/uAssets/pull/26398 +cety.app,cuty.me##+js(trusted-override-element-method, HTMLAnchorElement.prototype.click, a[target="_blank"][style]) +cety.app,cuty.me##+js(aeld, DOMContentLoaded, history.go) +||datadropspot.pro^$all + +! https://github.com/uBlockOrigin/uAssets/issues/20776 +adcrypto.net,admediaflex.com,aduzz.com,bitcrypto.info,cdrab.com,datacheap.io,hbz.us,savego.org,owsafe.com,sportweb.info###wpsafe-link:style(display: block !important;) +adcrypto.net,admediaflex.com,aduzz.com,bitcrypto.info,cdrab.com,datacheap.io,hbz.us,savego.org,owsafe.com,sportweb.info##+js(no-fetch-if, ads) +adcrypto.net,admediaflex.com,aduzz.com,bitcrypto.info,cdrab.com,datacheap.io,hbz.us,savego.org,owsafe.com,sportweb.info##+js(aeld, load, bypass) +!aduzz.com,bitcrypto.info##+js(set, wpsafelinkCount, 0) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8529115 +adcrypto.net,admediaflex.com,aduzz.com,bitcrypto.info,cdrab.com,datacheap.io,hbz.us,savego.org,owsafe.com,sportweb.info##.adslr +adcrypto.net,admediaflex.com,aduzz.com,bitcrypto.info,cdrab.com,datacheap.io,hbz.us,savego.org,owsafe.com,sportweb.info##.floating-banner +adcrypto.net,admediaflex.com,aduzz.com,bitcrypto.info,cdrab.com,datacheap.io,hbz.us,savego.org,owsafe.com,sportweb.info##table[class^="a"] +adcrypto.net,admediaflex.com,aduzz.com,bitcrypto.info,cdrab.com,datacheap.io,hbz.us,savego.org,owsafe.com,sportweb.info##center:has(> a[href="javascript:hidepromol();"]) +adcrypto.net,admediaflex.com,aduzz.com,bitcrypto.info,cdrab.com,datacheap.io,hbz.us,savego.org,owsafe.com,sportweb.info#@#.adb-top +finish.addurl.biz##+js(nowoif) +finish.addurl.biz##+js(set, document.hasFocus, trueFunc) + +! https://go.tinys.click/jzEDHsQHbNTokEJrRorG +tinys.click##+js(noeval-if, adsBlocked) +tinys.click##+js(rmnt, script, antiAdBlockerHandler) +tinys.click##+js(set, blurred, false) +tinys.click##+js(set, go_popup, {}) +tinys.click##.text-left, .banner-inner, .separator, .gmr-box-content, div[id^="wpsafe-wait"] +tinys.click###wpsafe-generate, #wpsafe-link:style(display: block !important) + +! https://github.com/uBlockOrigin/uAssets/issues/21531 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6583759 +bitzite.com##+js(aeld, load, htmls) +bitzite.com##+js(ra, href, .MyAd > a[target="_blank"]) +bitzite.com##.buttonnya:style(display: block !important;) +bitzite.com##.buttondownload:style(display: block !important;) +bitzite.com##div[id^="countdownText"] +||bitzite.com/dtban.jpg +bitzite.com##+js(aeld, DOMContentLoaded, antiAdBlockerHandler) +bitzite.com##.modal-overlay +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7987540 +bitzite.com##+js(aeld, DOMContentLoaded, location.href) +bitzite.com##+js(acs, document.createElement, onerror) +*$image,redirect-rule=1x1.gif,domain=bitzite.com +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8201405 +bitzite.com#@#.banner-ad +bitzite.com##+js(nostif, _0x, 500) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8262350 +bitzite.com##+js(aopw, onScriptError) +bitzite.com##+js(aopr, localStorage) +bitzite.com##+js(rpnt, script, "'IFRAME'", "'BODY'") + +! https://github.com/uBlockOrigin/uAssets/issues/20083 +cpmlink.pro##+js(ra, data-ppcnt_ads, , stay) +cpmlink.pro##+js(nowoif, php) +cpmlink.pro##+js(nano-sib) +cpmlink.pro###toasts, .alternative-ad +bildirim.link##+js(set, Notification, undefined) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7144221 +aiimgvlog.fun##+js(no-xhr-if, popunder) +aiimgvlog.fun##+js(acs, eval, replace) +aiimgvlog.fun##+js(acs, addEventListener, google_ad_client) +@@||aiimgvlog.fun^$ghide +aiimgvlog.fun##+js(aopw, AdbModel) +aiimgvlog.fun##+js(aeld, , popMagic) +aiimgvlog.fun##+js(set, protection, noopFunc) +aiimgvlog.fun##+js(set, document.hasFocus, trueFunc) +aiimgvlog.fun##form > div[id][style="display: none;"]:style(display: block !important;) +aiimgvlog.fun###widescreen2 +aiimgvlog.fun##div[id][style="position:fixed;bottom: 0px;left: 0px;z-index:999999;"] +cpm.icu##+js(set, blurred, false) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8331095 +aiimgvlog.fun##+js(rmnt, script, /ad\s?block|adsBlocked|document\.write\(unescape\('|devtool/i) + +! https://github.com/uBlockOrigin/uAssets/issues/19931 +appsbull.com,diudemy.com,maqal360.com##+js(nano-stb, div_form) +appsbull.com,diudemy.com,maqal360.com###tristana, #_append, #myDiv:style(display: block !important;) +@@*$ghide,domain=appsbull.com|diudemy.com|maqal360.com +appsbull.com,diudemy.com,maqal360.com##+js(aeld, load, htmls) +appsbull.com,diudemy.com,maqal360.com##+js(rmnt, script, onerror) +@@||cdn.jsdelivr.net^$script,domain=appsbull.com|diudemy.com|maqal360.com +appsbull.com,diudemy.com,maqal360.com##+js(set, private, false) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8806613 +appsbull.com,diudemy.com,maqal360.com##+js(rpnt, script, "'IFRAME'", "'BODY'") +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11445515 +maqal360.com##+js(set, navigator.webkitTemporaryStorage.queryUsageAndQuota, noopFunc) +maqal360.com##+js(set, document.onkeydown, noopFunc) +maqal360.com##+js(aeld, contextmenu, preventDefault) +maqal360.com##+js(aeld, visibilitychange, remainingSeconds) +||revbid.net^ + +! https://github.com/uBlockOrigin/uAssets/issues/19747 +mphealth.online##+js(rmnt, script, onerror) +mphealth.online###yuidea-btn-after, #yuidea-btmbtn:style(display: block !important;) +mphealth.online###yuidea-btn-after, #yuidea-btmbtn:remove-attr(disabled) +mphealth.online###yuidea-btn-after, #yuidea-btmbtn:others() +mphealth.online###content:style(font-size: 0px !important;) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6872017 +sahlmarketing.net###link:remove-attr(disabled) +sahlmarketing.net###link, center, #yuidea-snp, #btn6:style(display: block !important;) +sahlmarketing.net##+js(set, count, 0) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6780052 +blog.panytourism.online###link1s-snp:style(display: block !important;) +panyshort.link##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/issues/20032 +mayaremix.in,unfoldedstars.com,neverdims.com,bit4me.info,deltabtc.xyz,mbjremix.com##div#wpsafe-link:style(display: block !important;) +mayaremix.in,unfoldedstars.com,neverdims.com,bit4me.info,deltabtc.xyz,mbjremix.com##div#wpsafe-link:others() + +! https://github.com/uBlockOrigin/uAssets/issues/19235 +apkupload.in,ezeviral.com,pngreal.com,ytpng.net##+js(no-fetch-if, ads) +apkupload.in,ezeviral.com,dailynew.online,pngreal.com,ytpng.net###wpsafe-generate, #wpsafe-link:style(display: block !important) +apkupload.in,dailynew.online,ezeviral.com,pngreal.com,ytpng.net##div[id^="wpsafe-wait"] +ezeviral.com,pngreal.com###overlay +techusnews.com###tp-generate, #tp-snp2:style(display: block !important;) +techusnews.com##div[id^="tp-wait"] +ezeviral.cok,pngreal.com##.adb + +! https://ryuugames. com/eng-knowledge-fever-uncensored/ download timer +ryuugames.com###wpsafe-link:style(display: block !important;) +ryuugames.com###wpsafe-wait1,#wpsafe-link:others() + +! https://github.com/uBlockOrigin/uAssets/issues/18677 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8287644 +blog24.me##+js(aeld, DOMContentLoaded, adsBlocked) +blog24.me##+js(aeld, load, htmls) +blog24.me##+js(nostif, alert) +blog24.me##+js(aopr, Swal.fire) +blog24.me##^script:has-text(htmls) +blog24.me##+js(set, isRequestPresent, true) +blog24.me##+js(rmnt, script, location.assign) +blog24.me##+js(rmnt, script, location.href) +*$script,redirect-rule=noopjs,domain=blog24.me +*$xhr,redirect-rule=nooptext,domain=blog24.me +||blog24.me/dss.php$script +||blog24.me/ad*html$frame,1p +||aiimgvlog.fun^$frame,domain=blog24.me +@@||blog24.me^$ghide +blog24.me##form > [id]:style(display: block !important;) +@@||pagead2.googlesyndication.com^$xhr,domain=blog24.me +blog24.me##.adb-overlay +blog24.me###widescreen2 + +! intercelestial.com skip countdown (https://pahe.me/monster-2023-web-dl-480p-720p-1080p/) +||intercelestial.com^$csp=script-src 'self' * 'unsafe-inline' +intercelestial.com##+js(nano-stb, , *, 0.1) +intercelestial.com###landing, .soractrl:others() +linegee.net##.kecil:others() + +! https://rsshort.com/uynL3V +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9012909 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9909983 +laweducationinfo.com,savemoneyinfo.com,worldaffairinfo.com,godstoryinfo.com,successstoryinfo.com,cxissuegk.com,learnmarketinfo.com,bhugolinfo.com,armypowerinfo.com,rsadnetworkinfo.com,rsinsuranceinfo.com,rsfinanceinfo.com,rsgamer.app,rssoftwareinfo.com,rshostinginfo.com,rseducationinfo.com,phonereviewinfo.com,makeincomeinfo.com,gknutshell.com,vichitrainfo.com,workproductivityinfo.com,dopomininfo.com,hostingdetailer.com,fitnesssguide.com,tradingfact4u.com,cryptofactss.com,softwaredetail.com,artoffocas.com,insurancesfact.com,travellingdetail.com##+js(trusted-replace-outbound-text, decodeURIComponent, Math.random() <= 0.15, false) +!laweducationinfo.com,savemoneyinfo.com,worldaffairinfo.com,godstoryinfo.com,successstoryinfo.com,cxissuegk.com,learnmarketinfo.com,bhugolinfo.com,armypowerinfo.com,rsadnetworkinfo.com,rsinsuranceinfo.com,rsfinanceinfo.com,rsgamer.app,rssoftwareinfo.com,rshostinginfo.com,rseducationinfo.com,phonereviewinfo.com,makeincomeinfo.com,gknutshell.com,vichitrainfo.com,workproductivityinfo.com##+js(set, Math.random, 1, as, function) +laweducationinfo.com,savemoneyinfo.com,worldaffairinfo.com,godstoryinfo.com,successstoryinfo.com,cxissuegk.com,learnmarketinfo.com,bhugolinfo.com,armypowerinfo.com,rsadnetworkinfo.com,rsinsuranceinfo.com,rsfinanceinfo.com,rsgamer.app,rssoftwareinfo.com,rshostinginfo.com,rseducationinfo.com,phonereviewinfo.com,makeincomeinfo.com,gknutshell.com,vichitrainfo.com,workproductivityinfo.com,dopomininfo.com,hostingdetailer.com,fitnesssguide.com,tradingfact4u.com,cryptofactss.com,softwaredetail.com,artoffocas.com,insurancesfact.com,travellingdetail.com##+js(set-cookie, __gads, 1) +laweducationinfo.com,savemoneyinfo.com,worldaffairinfo.com,godstoryinfo.com,successstoryinfo.com,cxissuegk.com,learnmarketinfo.com,bhugolinfo.com,armypowerinfo.com,rsadnetworkinfo.com,rsinsuranceinfo.com,rsfinanceinfo.com,rsgamer.app,rssoftwareinfo.com,rshostinginfo.com,rseducationinfo.com,phonereviewinfo.com,makeincomeinfo.com,gknutshell.com,vichitrainfo.com,workproductivityinfo.com,dopomininfo.com,hostingdetailer.com,fitnesssguide.com,tradingfact4u.com,cryptofactss.com,softwaredetail.com,artoffocas.com,insurancesfact.com,travellingdetail.com##+js(aopw, window.onload) +laweducationinfo.com,savemoneyinfo.com,worldaffairinfo.com,godstoryinfo.com,successstoryinfo.com,cxissuegk.com,learnmarketinfo.com,bhugolinfo.com,armypowerinfo.com,rsadnetworkinfo.com,rsinsuranceinfo.com,rsfinanceinfo.com,rsgamer.app,rssoftwareinfo.com,rshostinginfo.com,rseducationinfo.com,phonereviewinfo.com,makeincomeinfo.com,gknutshell.com,vichitrainfo.com,workproductivityinfo.com,dopomininfo.com,hostingdetailer.com,fitnesssguide.com,tradingfact4u.com,cryptofactss.com,softwaredetail.com,artoffocas.com,insurancesfact.com,travellingdetail.com##+js(no-xhr-if, googlesyndication) +laweducationinfo.com,savemoneyinfo.com,worldaffairinfo.com,godstoryinfo.com,successstoryinfo.com,cxissuegk.com,learnmarketinfo.com,bhugolinfo.com,armypowerinfo.com,rsadnetworkinfo.com,rsinsuranceinfo.com,rsfinanceinfo.com,rsgamer.app,rssoftwareinfo.com,rshostinginfo.com,rseducationinfo.com,phonereviewinfo.com,makeincomeinfo.com,gknutshell.com,vichitrainfo.com,workproductivityinfo.com,dopomininfo.com,hostingdetailer.com,fitnesssguide.com,tradingfact4u.com,cryptofactss.com,softwaredetail.com,artoffocas.com,insurancesfact.com,travellingdetail.com##+js(aost, navigator.userAgent, checkBrowser) +laweducationinfo.com,savemoneyinfo.com,worldaffairinfo.com,godstoryinfo.com,successstoryinfo.com,cxissuegk.com,learnmarketinfo.com,bhugolinfo.com,armypowerinfo.com,rsadnetworkinfo.com,rsinsuranceinfo.com,rsfinanceinfo.com,rsgamer.app,rssoftwareinfo.com,rshostinginfo.com,rseducationinfo.com,phonereviewinfo.com,makeincomeinfo.com,gknutshell.com,vichitrainfo.com,workproductivityinfo.com,dopomininfo.com,hostingdetailer.com,fitnesssguide.com,tradingfact4u.com,cryptofactss.com,softwaredetail.com,artoffocas.com,insurancesfact.com,travellingdetail.com##+js(aopr, bypass_url) +laweducationinfo.com,savemoneyinfo.com,worldaffairinfo.com,godstoryinfo.com,successstoryinfo.com,cxissuegk.com,learnmarketinfo.com,bhugolinfo.com,armypowerinfo.com,rsadnetworkinfo.com,rsinsuranceinfo.com,rsfinanceinfo.com,rsgamer.app,rssoftwareinfo.com,rshostinginfo.com,rseducationinfo.com,phonereviewinfo.com,makeincomeinfo.com,gknutshell.com,vichitrainfo.com,workproductivityinfo.com,dopomininfo.com,hostingdetailer.com,fitnesssguide.com,tradingfact4u.com,cryptofactss.com,softwaredetail.com,artoffocas.com,insurancesfact.com,travellingdetail.com##+js(set, document.hasFocus, trueFunc) +*$frame,redirect-rule=noopframe,domain=laweducationinfo.com|savemoneyinfo.com|worldaffairinfo.com|godstoryinfo.com|successstoryinfo.com|cxissuegk.com|learnmarketinfo.com|bhugolinfo.com|armypowerinfo.com|rsadnetworkinfo.com|rsinsuranceinfo.com|rsfinanceinfo.com|rsgamer.app|rssoftwareinfo.com|rshostinginfo.com|rseducationinfo.com|phonereviewinfo.com|makeincomeinfo.com|gknutshell.com|vichitrainfo.com|workproductivityinfo.com|dopomininfo.com|hostingdetailer.com|fitnesssguide.com|tradingfact4u.co|cryptofactss.com|softwaredetail.com|artoffocas.com|insurancesfact.com|travellingdetail.com +@@*$ghide,domain=laweducationinfo.com|savemoneyinfo.com|worldaffairinfo.com|godstoryinfo.com|successstoryinfo.com|cxissuegk.com|learnmarketinfo.com|bhugolinfo.com|armypowerinfo.com|rsadnetworkinfo.com|rsinsuranceinfo.com|rsfinanceinfo.com|rsgamer.app|rssoftwareinfo.com|rshostinginfo.com|rseducationinfo.com|phonereviewinfo.com|makeincomeinfo.com|gknutshell.com|vichitrainfo.com|workproductivityinfo.com|dopomininfo.com|hostingdetailer.com|fitnesssguide.com|tradingfact4u.co|cryptofactss.com|softwaredetail.com|artoffocas.com|insurancesfact.com|travellingdetail.com + +! https://github.com/uBlockOrigin/uAssets/issues/21597 +cravesandflames.com##+js(set, go_popup, {}) +cravesandflames.com##[href^="https://apps.apple.com/"] +cravesandflames.com##[href^="https://play.google.com/"] + +! https://www.reddit.com/r/uBlockOrigin/comments/1928sew/adblock_being_detected/ +filmypoints.in##+js(nano-sib, timer, 1000, 0.001) +filmypoints.in##+js(set, count, 0) +filmypoints.in###btn11:style(display: block !important;) +filmypoints.in##.mh-wrapper,#btn1 +filmypoints.in##.col-md-12 > .wpsafe-top ~ :is(h2,h3,h4,p,ul) + +! tnshort.net (go.tnshort.net/grammarly) +! https://github.com/uBlockOrigin/uAssets/issues/18477#issuecomment-1870857116 +financeyogi.net,finclub.in##+js(nano-sib, timer, *, 0.001) +financeyogi.net,finclub.in###btn2, #btn5, #tp-snp2:style(display: block !important;) +financeyogi.net,finclub.in###btn2, #btn5, #tp-snp2:others() + +! linksfire.co (link.linksfire.co/dLvqhe) +! https://github.com/uBlockOrigin/uAssets/issues/8102 +blog.linksfire.co##+js(aopr, app_vars.force_disable_adblock) +blog.linksfire.co##[href^="https://b3stcond1tions.com/"] +blog.linksfire.co##div.separator > b +blog.linksfire.co##.banner +blog.linksfire.co##.ex2 +blog.linksfire.co##.link-details +linksfire.*##+js(aopr, open) +bartendingexpert.com###yuidea-snp:style(display: block !important;) +bartendingexpert.com###yuidea-snp:others() +freethailottery.live,progfu.com##+js(nano-sib, timer, 1600, 0.001) +freethailottery.live,progfu.com##center, [src*="google.com/recaptcha/"], #yuidea-snp:style(display:block !important) +freethailottery.live,progfu.com##center, [src*="google.com/recaptcha/"], #yuidea-snp:others() + +! linkco.pro (linkco.pro/N8kQfv) +easywithcode.tech,letest25.co,truevpnlover.com##+js(nano-sib, timer, *, 0.001) +loanteacher.in###tp-snp2:style(display: block !important;) +letest25.co,loanteacher.in,truevpnlover.com###tp-snp2:others() +easywithcode.tech###cross-snp2:others() + +! dollerlinksd.in (dollerlinksd.in/ZN4p) +financebolo.com,rphost.in,vedamdigi.tech##+js(nano-sib, timer, *, 0.001) +financebolo.com,rphost.in,vedamdigi.tech##+js(nowoif) +financebolo.com,rphost.in###tp-snp2:others() +vedamdigi.tech###cross-snp2:others() +vedamdigi.tech##.g-recaptcha, #cross-verify-go, .captcha-check, [src*="google.com/recaptcha/"]:others() + +! linkpays.in (linkpays.in/Kdk) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10172750 +redfea.com,pranarevitalize.com,techyinfo.in,fitnessholic.net##+js(noeval-if, /chp_?ad/) +redfea.com,pranarevitalize.com,techyinfo.in,fitnessholic.net###btn11, #tp-snp2, #rtg, #btn6, #wpsafe-snp:style(display: block !important;) +redfea.com,pranarevitalize.com,techyinfo.in,fitnessholic.net###btn11, #tp-snp2, #rtg, #btn6, #wpsafe-snp:others() +fitnessholic.net##+js(set, count, 0) + +! shorturllinks.com (shorturllinks.com/pv1TizfJ1) +appkamods.com##+js(rmnt, script, deblocker) +appkamods.com###tp98, #btn6:style(display: block !important;) +appkamods.com###tp98, #btn6:others() + +! instantearn.in (instantearn.in/lnwOySrW) +! https://runurl .in/e66Gss +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9863075 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10170046 (https://seturl .in/Ft5XgKR) +cancelguider.online##+js(nano-sib, timer, *, 0.001) +cancelguider.online##+js(nowoif) +cancelguider.online###tp-snp2, #cross-snp2:others() +petrainer.in###rtg-snp2:style(display: block !important;) +petrainer.in###rtg-snp2:others() +moderngyan.com,sattakingcharts.in,freshbhojpuri.com,bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com,quotesopia.com,creditsgoal.com##+js(noeval-if, /chp_?ad/) +moderngyan.com,sattakingcharts.in,freshbhojpuri.com,bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com,quotesopia.com,creditsgoal.com##+js(aeld, click, Popunder) +moderngyan.com,sattakingcharts.in,freshbhojpuri.com,bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com,quotesopia.com,creditsgoal.com##+js(acs, eval, replace) +moderngyan.com,sattakingcharts.in,freshbhojpuri.com,bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com,quotesopia.com,creditsgoal.com###tp-snp2, #cross-snp2:style(display: block !important;) +moderngyan.com,sattakingcharts.in,freshbhojpuri.com,bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com,quotesopia.com,creditsgoal.com###tp-snp2, #cross-snp2, .tp-top:others() +moderngyan.com,sattakingcharts.in,freshbhojpuri.com,bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com,quotesopia.com,creditsgoal.com##.floating-ads-container +moderngyan.com,sattakingcharts.in,freshbhojpuri.com,bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com,quotesopia.com,creditsgoal.com##+js(set, count, 0) +bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com##+js(trusted-click-element, #tp-snp2, , 1000) +bgmi32bitapk.in,bankshiksha.in,earn.mpscstudyhub.com,earn.quotesopia.com,money.quotesopia.com,best-mobilegames.com,learn.moderngyan.com,bharatsarkarijobalert.com##+js(trusted-click-element, #cross-snp2, , 1000) +set.seturl.in##+js(acs, document.createElement, antiAdBlockerHandler) +set.seturl.in##.blog-item +set.seturl.in##.banner-inner +set.seturl.in##.popSc +get.instantearn.in##.banner-inner +||attorney.homeloanis.com/safe + +! instantlinks.in (instantlinks.in/Ve33sw) +currentrecruitment.com,investorveda.com##+js(aopr, document.onmousedown) +currentrecruitment.com,investorveda.com##+js(nano-sib, count, *, 0.001) +currentrecruitment.com,investorveda.com###hometimerstartbtn, #hometimer, #yuidea-btmbtn, #btn6:style(display: block !important;) +currentrecruitment.com,investorveda.com###hometimerstartbtn, #hometimer, #yuidea-btmbtn, #btn6:others() + +! revcut.net (go.revcut.net/OW71rahtyb4) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7478083 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8241937 +coingraph.us,impact24.us##+js(rmnt, script, /checkAdBlocker|AdblockRegixFinder/) +coingraph.us##+js(aeld, contextmenu) +coingraph.us,impact24.us##+js(nostif, isRequestPresent) +coingraph.us,impact24.us###form > [id], [id^="wpsafe-link"], [id^="plan"], .wpsafelink-button, #wpsafelinkhuman, [id][style="display: none;"]:style(display: block !important;) + +! onepagelink.in (onepagelink.in/fn0O) +gorating.in,techkeshri.com###tp-snp2:style(display: block !important;) +gorating.in,techkeshri.com###tp-snp2:others() + +! mdisk.pro / omegalinks.in (mdisk.pro/SxUtzZl) +meclipstudy.in###notarobot, #gotolink:style(display: block !important;) +meclipstudy.in###notarobot, #gotolink:others() +meclipstudy.in###gotolink[disabled]:remove-attr(disabled) + +! cutt.ly (cutt.ly/QwF6jGZS) +sportsonfr.com###wpsafe-link:style(display: block !important;) +sportsonfr.com###wpsafe-link:others() + +! linkvhoriz.com (linkvhoriz.com/DZI6s) +gurumu.net,kreatifparenting.com###wpsafe-link:style(display: block !important;) +gurumu.net,kreatifparenting.com###wpsafe-link:others() + +! https://github.com/uBlockOrigin/uAssets/pull/21704 +foodupe.com###doad,.locked-action-link +foodupe.com###donead:style(display: block !important;) +foodupe.com##a[onclick*="adlink()"]:remove-attr(onclick) +bloggingdaze.com##.locked-action-link +bloggingdaze.com##a.get-link.disabled:remove-class(disabled) + +! shotzon.com (enagato.com/nOlVu) +! https://github.com/AdguardTeam/AdguardFilters/issues/91553 +enagato.com##+js(aopr, open) +enagato.com##+js(set, blurred, false) +codesnse.com##+js(set, go_popup, {}) +codesnse.com##+js(nano-sib, counter, *, 0.001) +codesnse.com##[href^="https://app.adjust.com/"] + +! pandaznetwork.com (pandaznetwork.com/TN8cD) +pandaznetwork.com##+js(set, blurred, false) +freemodsapp.xyz,panda.freemodsapp.in###wpsafe-link:style(display: block !important;) +freemodsapp.xyz,panda.freemodsapp.in###wpsafe-link:others() + +! nanolinks.in (nanolinks.in/4o78F) +itscybertech.com##+js(nano-sib, counter) +itscybertech.com###combtn, .download.medium.button:style(display: inline-block !important;) +computerpedia.in###tp98, #countdown:style(display: block !important;) +computerpedia.in##+js(nano-sib, count, *, 0.001) +computerpedia.in##+js(no-fetch-if, syndication) +takez.co##+js(nano-sib, timer) +takez.co##+js(nano-stb, shortenbl) +takez.co##+js(nano-stb, enbll) +takez.co###gtbtn, #displaySeconds +takez.co###toshowtrlink, #gtbtn2:style(display: block !important;) +takez.co###toshowtrlink, #gtbtn2, .divTableCell, #postfooterOk:others() + +! adsfly.in (adsfly.in/K9cXk) +adsfly.in##+js(nowoif) +rphost.in,techurlshort.in###notarobot, #btn7:style(display: block !important;) +rphost.in,techurlshort.in###notarobot, #btn7:others() + +! sub4unlock.com (daniblogs.com/BF/956195hx) +sub4unlock.com###file:remove-attr(disabled) +sub4unlock.com###file:others() + +! https://github.com/uBlockOrigin/uAssets/issues/21837 +dlink2.net##+js(rpnt, script, var seconde = 10;, var seconde = 0;) +dlink2.net##+js(set-cookie, clictune_pop, off) +*$frame,domain=dlink2.net + +! https://github.com/uBlockOrigin/uAssets/issues/21893 +howtoconcepts.com##+js(no-fetch-if, googlesyndication) + +! https://github.com/AdguardTeam/AdguardFilters/issues/153146 +lifesurance.info##+js(set, showadas, true) +lifesurance.info##center:others() + +! moonlinks.in (moonlinks.in/bvbvuK) +! https://github.com/uBlockOrigin/uAssets/issues/21993 +cybercityhelp.in##+js(rmnt, script, adsbygoogle) +cybercityhelp.in###username[required]:remove-attr(required) +akcartoons.in,cybercityhelp.in###tp982, #btn6:style(display: block !important;) +akcartoons.in,cybercityhelp.in###tp982, #btn6:others() +! https://www.reddit.com/r/uBlockOrigin/comments/1eo406m/anti_adblock_on_this_site/ +! https://www.reddit.com/r/uBlockOrigin/comments/1eo406m/comment/lhfmucm/ +cybercityhelp.in##+js(aeld, submit, validateForm) +! https://www.reddit.com/r/uBlockOrigin/comments/1ga5xgg/detecting_ublock/ +akcartoons.in,cybercityhelp.in##+js(set, alert, throwFunc) + +! https://go.unlockner.com/EPMJf +! https://github.com/uBlockOrigin/uAssets/issues/22001 +iconicblogger.com##+js(rmnt, script, catch) +iconicblogger.com###wpsafe-link:style(display: block !important;) +iconicblogger.com###wpsafe-link:others() + +! ttps://paste.segurosdevida .site +! https://github.com/uBlockOrigin/uAssets/issues/22024 +segurosdevida.site###wpsafe-generate, #wpsafe-link:style(display: block !important;) +segurosdevida.site##[id^="wpsafe-wait"], #content-wrapper +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9854119 +ikramlar.online##+js(noeval-if, /chp_?ad/) +ikramlar.online##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/issues/21907 (https://shrs.link/cvLcBL) +@@||shareus.io^$ghide +cookad.net,pmkisanlists.in,shramikcard.in,shareus.io##+js(aopr, antiAdBlockerHandler) +cookad.net,pmkisanlists.in,shramikcard.in###bottomNewButton, #bottomButton:remove-attr(disabled) +cookad.net,pmkisanlists.in,shramikcard.in##.timer, .shrs_btn, .tag, .link-open-modal:others() + +! https://tii.la/qczmBQKd +! https://github.com/uBlockOrigin/uAssets/issues/18944 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9947919 (https://iir .la/p978czolam) +! https://github.com/uBlockOrigin/uAssets/issues/24560 (https://tvi .la/Zxp9jOYxc0) +! https://www.reddit.com/r/uBlockOrigin/comments/1fdmypx/adblock_detected/ (http://tiny .cc/x8ilzz) +/webroot/modern_theme/img/freeHostinglist.jpg$image,1p +@@*$ghide,domain=tii.la|oko.sh|ckk.ai|oei.la|lnbz.la|iir.la|tvi.la|oii.la|tpi.li +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,lnbz.la,oii.la,tpi.li##+js(no-fetch-if, /googlesyndication|inklinkor/) +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,lnbz.la,oii.la,tpi.li##+js(no-xhr-if, /pagead2\.googlesyndication\.com|inklinkor\.com/) +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,lnbz.la,oii.la,tpi.li##+js(rmnt, script, ;break;case $.) +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,lnbz.la,oii.la,tpi.li##+js(rmnt, script, adb_detected) +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,lnbz.la,oii.la,tpi.li##+js(set, blurred, false) +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,lnbz.la,oii.la,tpi.li##a[href][target="_blank"] +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,lnbz.la,oii.la,tpi.li##.banner-inner +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,lnbz.la,oii.la,tpi.li##.td-post-template-default.td-container +tvi.la,iir.la,tii.la,oko.sh,ckk.ai,oei.la,blogtechh.com,lnbz.la,techbixby.com,blogmyst.com,wp2host.com,insmyst.com,host-buzz.com##+js(nowoif) +host-buzz.com,insmyst.com,wp2host.com,blogtechh.com,lnbz.la,techbixby.com,blogmyst.com##+js(ra, onclick, button[onclick^="window.open"]) +host-buzz.com,insmyst.com,wp2host.com,blogtechh.com,lnbz.la,techbixby.com,blogmyst.com##+js(set, timeSec, 0) +host-buzz.com,insmyst.com,wp2host.com,blogtechh.com,lnbz.la,techbixby.com,blogmyst.com##[class*="category-"], .td-pb-border-top, .td-footer-bottom-full.td-container, .td-container-wrap.td-sub-footer-container +blogmystt.com,oii.la,tpi.li,wp2hostt.com##+js(nowoif) +oii.la,tpi.li##+js(set, app_vars.please_disable_adblock, undefined) + +! http://go.megafly.in/znj2u7olam +! https://github.com/uBlockOrigin/uAssets/issues/18719 +techacode.com##+js(nostif, nextFunction, 250) +techacode.com##+js(nobab) +techacode.com##+js(noeval-if, adb) +mtraffics.com##+js(nowoif, _blank) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6886166 +techacode.com,sahlmarketing.net###link, #btn6, #yuidea-snp:remove-attr(disabled) +techacode.com,sahlmarketing.net##+js(set, count, 0) +techacode.com##+js(aopr, SMart1) +techacode.com##+js(rmnt, script, deblocker) +techacode.com##+js(no-xhr-if, /doubleclick|googlesyndication/) + +! https://filelimited.com/KswO7 +trickms.com##+js(set, count, 0) +trickms.com###tp98[disabled]:remove-attr(disabled) +trickms.com###tp-snp2:style(display: block !important;) +trickms.com###tp98, #btn6, #tp-snp2:others() + +! https://github.com/uBlockOrigin/uAssets/issues/22148 +travel.vebma.com,cloud.majalahhewan.com,crm.cekresi.me,ai.tempatwisata.pro##+js(no-fetch-if, ads) +travel.vebma.com##.text-primary.inline-block, button.text-primary:others() +travel.vebma.com,cloud.majalahhewan.com,crm.cekresi.me,ai.tempatwisata.pro##+js(aeld, blur, counter) +travel.vebma.com,cloud.majalahhewan.com,crm.cekresi.me,ai.tempatwisata.pro##+js(nano-sib, /counter|wait/, *, 0.001) +crm.cekresi.me,ai.tempatwisata.pro##+js(nowoif, tempat.org) +adtival.network##div.box:has(.purple) + +! https://github.com/uBlockOrigin/uAssets/issues/22181 (pointlinks.in/BT1SC) +rsrlink.in###wpsafe-link:style(display: block !important;) +rsrlink.in###wpsafe-link:others() +go.pointlinks.in###footer + +! https://github.com/AdguardTeam/AdguardFilters/issues/67449 +recipestutorials.com##+js(aopr, app_vars.force_disable_adblock) +recipestutorials.com##+js(set, blurred, false) +recipestutorials.com##.banner + +! https://github.com/AdguardTeam/AdguardFilters/issues/67650 +pureshort.*##+js(aopr, app_vars.force_disable_adblock) +pureshort.*##+js(aopr, open) +pureshort.*##+js(set, blurred, false) +pureshort.*##.banner +pureshort.*###link-view > br +pureshort.*###link-view > a[href] > img +speedynews.xyz##+js(nano-sib) +||speedynews.xyz^$3p + +! https://github.com/uBlockOrigin/uAssets/issues/20447 (https://shrinkme.us/PhGI7?src=PSA) +shrinke.*,shrinkme.*##+js(aopr, app_vars.force_disable_adblock) +shrinke.*,shrinkme.*##+js(set, blurred, false) +shrinke.*,shrinkme.*##.expop, .blog-item, footer, [src*="shrinkme."], .box-main h3, [hight="250px"] +shrinke.*,shrinkme.*##+js(rmnt, script, window.open) +mrproblogger.com,themezon.net##+js(aeld, load, doTest) +mrproblogger.com,themezon.net###btn2, .tp-blue:style(display: block !important;) +mrproblogger.com,themezon.net###btn2, .tp-blue:others() + +! https://github.com/AdguardTeam/AdguardFilters/issues/71991 +! https://shrinkforearn.xyz/PdCAO +@@||doubleclick.net^$script,domain=shrinkforearn.in +@@||googletagmanager.com^$script,domain=shrinkforearn.in +shrinkforearn.in##+js(aopr, app_vars.force_disable_adblock) +shrinkforearn.in,techyuth.xyz##+js(set, blurred, false) +shrinkforearn.in##.box-main:style(font-size: 0px !important;) +shrinkforearn.in##[class*="wp-image"] +techyuth.xyz##+js(aopr, window.open) +cmphost.com,drinkspartner.com,uploadsoon.com,wp.uploadfiles.in,viralxns.com,posterify.net,headlinerpost.com##+js(noeval-if, /fairAdblock|chp_adblock|adsbygoogle\.js/) +cmphost.com,drinkspartner.com,uploadsoon.com,wp.uploadfiles.in,viralxns.com,posterify.net,headlinerpost.com##body:style(overflow: auto !important;) +cmphost.com,drinkspartner.com,uploadsoon.com,wp.uploadfiles.in,viralxns.com,posterify.net,headlinerpost.com###tp-snp2, #timeout:style(display:block !important; margin-top: 520px !important; height: 100px !important; width: 100px !important) +cmphost.com,drinkspartner.com,uploadsoon.com,wp.uploadfiles.in,viralxns.com,posterify.net,headlinerpost.com###timeout, #btn1, #tp-snp2:others() +cmphost.com,drinkspartner.com,uploadsoon.com,wp.uploadfiles.in,viralxns.com,posterify.net,headlinerpost.com##+js(nano-sib, /.?/, *, 0.02) +cmphost.com,drinkspartner.com,uploadsoon.com,wp.uploadfiles.in,viralxns.com,posterify.net,headlinerpost.com###timeout:remove-attr(disabled) +viralsbaba1.blogspot.com###btn-gotolink:style(display:block !important; margin-top: 410px !important; margin-left: 200px !important; height: 100px !important; width: 100px !important) +viralsbaba1.blogspot.com###btn-gotolink:remove-attr(disabled) +viralsbaba1.blogspot.com###btn-gotolink:others() +viralsbaba1.blogspot.com##+js(rpnt, script, '_blank', '_self') + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8362928 +faucet.ovh##+js(rmnt, script, /adblock.php) +||dutchycorp.space/banner-advertising/$frame,3p,domain=faucet.ovh + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8428899 +claimclicks.com##+js(aopr, checkAdsBlocked) + +! https://github.com/uBlockOrigin/uAssets/issues/22430 +infokeeda.xyz,webzeni.com##+js(set, iktimer, 0) +infokeeda.xyz,webzeni.com##+js(nano-sib) +infokeeda.xyz,webzeni.com##.gAd +webzeni.com##+js(nano-stb, , 1000) +webzeni.com##header + +! https://github.com/AdguardTeam/AdguardFilters/issues/129423 +||oii.io/sw.js$script +oii.io##+js(nowoif) +oii.io##+js(ra, onclick, .btn) +oii.io##+js(set, blurred, false) +oii.io###overlay + +! https://github.com/uBlockOrigin/uAssets/issues/8198 +! https://hblinks.pro/archives/80613 +hubdrive.*##+js(nowoif) +hblinks.pro,hubcdn.vip,hubdrive.*##+js(aeld, , history.go) + +! https://github.com/uBlockOrigin/uAssets/issues/14790 +blog.workedbd.com,advisecreate.fun,uses-in-hindi.com,maxxfour.com,cybertyrant.com,gdspike.com,profitshort.com,courselinkfree.us,technorozen.com,hubdrive.me###top_nav, .rd_btn, .soractrl:style(display: block !important;) +blog.workedbd.com,advisecreate.fun,uses-in-hindi.com,maxxfour.com,cybertyrant.com,gdspike.com,profitshort.com,courselinkfree.us,technorozen.com,hubdrive.me###top_nav, .rd_btn, .soractrl, .large:others() + +! https://github.com/AdguardTeam/AdguardFilters/issues/116330 +choiceappstore.xyz##+js(no-fetch-if, googlesyndication) +choiceappstore.xyz###wpsafe-generate, #wpsafe-link:style(display: block !important;) +choiceappstore.xyz##div[id^="wpsafe-wait"] + +! https://github.com/uBlockOrigin/uAssets/issues/12937 +du-link.in##+js(set, blurred, false) +du-link.in##.banner + +! https://f.technicalatg.in/SNAnLfdZd +! https://github.com/uBlockOrigin/uAssets/issues/22548 +atglinks.com##+js(rmnt, script, /aclib|break;|zoneNativeSett/) +atglinks.com##+js(set, blurred, false) +atglinks.com##.blog-item, ._th_times, .separator, .banner-inner, .box-main > [href], #footer +djpunjab2.in,djqunjab.in,foodxor.com,geniussolutions.co,mealcold.com,mixrootmods.com,fartechy.com##+js(no-fetch-if, googlesyndication) +djpunjab2.in,djqunjab.in,foodxor.com,geniussolutions.co,mealcold.com,mixrootmods.com,fartechy.com###wpsafe-link:style(display:block !important;) +djpunjab2.in,djqunjab.in,foodxor.com,geniussolutions.co,mealcold.com,mixrootmods.com,fartechy.com###wpsafe-link:others() +djqunjab.in,geniussolutions.co###interstitial-container +geniussolutions.co##+js(aost, document.getElementById, adsBlocked) +djqunjab.in##+js(rmnt, script, deblocker) +! https://github.com/uBlockOrigin/uAssets/issues/25673 +skillheadlines.in##+js(aost, document.getElementById, adsBlocked) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-8650815 +hosty.uprwssp.org###btnfianl:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/22963 +lootdest.com##+js(nowoif, , 5) +@@||0.entlysearchin.info^$ping,domain=lootdest.com + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9140520 +investcrust.com##+js(no-fetch-if, googlesyndication) +investcrust.com###wpsafe-link:style(display: block !important;) +investcrust.com###wpsafe-link:others() + +! https://github.com/uBlockOrigin/uAssets/issues/21451 +! https://github.com/uBlockOrigin/uAssets/issues/23386 +@@*$ghide,domain=bluemediadownload.*|bluemediafile.*|bluemedialink.*|bluemediastorage.*|bluemediaurls.*|urlbluemedia.* +.gif$image,domain=bluemediadownload.*|bluemediafile.*|bluemedialink.*|bluemediastorage.*|bluemediaurls.*|urlbluemedia.* +bluemediadownload.*,bluemediafile.*,bluemedialink.*,bluemediastorage.*,bluemediaurls.*,urlbluemedia.*##+js(aopr, decodeURI) +bluemediadownload.*,bluemediafile.*,bluemedialink.*,bluemediastorage.*,bluemediaurls.*,urlbluemedia.*##+js(aopr, open) +bluemediadownload.*,bluemediafile.*,bluemedialink.*,bluemediastorage.*,bluemediaurls.*,urlbluemedia.*###ads-centter +/fhbdhf.jpg$image,1p,domain=bluemediadownload.*|bluemediafile.*|bluemedialink.*|bluemediastorage.*|bluemediaurls.*|urlbluemedia.* +bluemediadownload.*,bluemediafile.*,bluemedialink.*,bluemediastorage.*,bluemediaurls.*,urlbluemedia.*##+js(rmnt, script, FingerprintJS) + +! https://github.com/uBlockOrigin/uAssets/issues/23540 +! https://lksfy.com/DzGXInOnJ +cinedesi.in,thevouz.in,tejtime24.com,techishant.in##+js(no-fetch-if, ads) +cinedesi.in,thevouz.in,tejtime24.com,techishant.in##^script:has-text(/AdbModel|showPopup/) +cinedesi.in##+js(rmnt, script, /adbl/i) +cinedesi.in,thevouz.in,tejtime24.com,techishant.in##+js(nano-sib, interval, *) +cinedesi.in,thevouz.in,tejtime24.com,techishant.in##.remove-sticky +cinedesi.in,thevouz.in,tejtime24.com,techishant.in#@#.quads-location +||youtube.com^$domain=tejtime24.com|thevouz.in|cinedesi.in|techishant.in +! https://github.com/uBlockOrigin/uAssets/issues/23983 +@@||cdn.adpushup.com/*/adpushup.js$xhr,domain=tejtime24.com +techishant.in##body:style(overflow: auto !important;) +tejtime24.com##+js(aopr, navigator.brave) + +! https://linkjust.com/L4NXL3UI +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10172657 +mooonten.com,msic.site,fx-22.com,gold-24.net,forexrw7.com##+js(noeval-if, /chp_?ad/) +mooonten.com,msic.site,fx-22.com,gold-24.net,forexrw7.com##.btn-success, .btn-primary:style(display: block !important;) +mooonten.com,msic.site,fx-22.com,gold-24.net,forexrw7.com##+js(nano-stb, getElementById, *, 0.001) +mooonten.com,msic.site,fx-22.com,gold-24.net,forexrw7.com##+js(nano-sib, sec--, *, 0.001) +mooonten.com,msic.site,fx-22.com,gold-24.net,forexrw7.com##.btn-success, .btn-primary:others() + +! https://vnshortener.com/ZLXx/?sid=147295 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9934577 +kbconlinegame.com,hamrojaagir.com,odijob.com###my-btn, #pro-continue, #pro-link:style(display: block !important;) +kbconlinegame.com,hamrojaagir.com,odijob.com###my-btn, #pro-continue, #pro-link:others() +kbconlinegame.com,hamrojaagir.com,odijob.com##+js(rmnt, script, /fetch|popupshow/) + +! https://github.com/uBlockOrigin/uAssets/issues/23796 +efhjd.com##+js(acs, navigator, FingerprintJS) + +! https://github.com/uBlockOrigin/uAssets/issues/24231 +buzzheavier.com##+js(nowoif, !buzzheavier.com) +buzzheavier.com###unclear2 + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9537906 +jeuxenligne.xyz##form > [id][style="display: none;"]:style(display:block !important;) +||earnbitmoon.xyz/multiads/multiads.php + +! https://link2paisa.com/Hd2kk +edukaroo.com##+js(nano-sib, count, *, 0.001) + +! https://github.com/uBlockOrigin/uAssets/issues/24050 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10351538 (https://stfly .biz/7gdPs) +blogesque.net,bookbucketlyst.com,explorosity.net,optimizepics.com,stfly.*,stly.*,torovalley.net,explorosity.net,travize.net,trekcheck.net,metoza.net,techlike.net,snaplessons.net,atravan.net,transoa.net,techmize.net,crenue.net##+js(rmnt, script, justDetectAdblock) +airevue.net,atravan.net,blogesque.net,bookbucketlyst.com,crenue.net,explorosity.net,explorosity.net,metoza.net,optimizepics.com,snaplessons.net,stfly.*,stly.*,techlike.net,techmize.net,torovalley.net,transoa.net,travize.net,trekcheck.net##+js(acs, EventTarget.prototype.addEventListener, delete window) +airevue.net##+js(no-xhr-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/24042 +! https://github.com/uBlockOrigin/uAssets/issues/24313 +apkmodvn.com,mod1s.com##+js(nostif, adsPost) +apkmodvn.com##+js(set-cookie, _ckLV1, 1) +apkmoddone.com##+js(nostif, 1e3*) +dl.apkmoddone.com,phongroblox.com##+js(nostif, /^/, 1000) +dl.apkmoddone.com##+js(set-cookie, fckXBlock, 1) +phongroblox.com##+js(set-cookie, antiBlock, 1) +dl.apkmoddone.com,phongroblox.com##+js(rpnt, script, return!![], return![]) +dl.apkmoddone.com,phongroblox.com##+js(set, aSl.gcd, 0) +apkmoddone.com##+js(nowoif, /wheceelt\.net|shopee\./, 10, obj) +phongroblox.com##+js(nowoif, /\/4.+ _0/) +www.apkmoddone.com##+js(rpnt, script, ;return;, , condition, _0x) +!www.apkmoddone.com##+js(trusted-replace-argument, document.querySelector, 0, {"value": "body"}, condition, iframe) +!www.apkmoddone.com##+js(rpnt, script, loadShort(directValue) {, loadShort(directValue) { location = "https://www.apkmodvn.com/p/sub-to-unlock.html?direct=" + btoa(directValue);) +www.apkmoddone.com##+js(rpnt, script, /return Array[^;]+/, return true) +apkmodvn.com##+js(rpnt, script, function sutounlock_0x, //function sutounlock_0x) +apkmodvn.com##+js(set, delayClick, false) +@@||acscdn.com/script/$script,3p,header=x-guploader-uploadid,domain=www.apkmoddone.com +@@||acscdn.com/script/$script,3p,domain=www.apkmoddone.com +@@||youradexchange.com/script/$xhr,3p,domain=www.apkmoddone.com +@@||ipinfo.io/json$xhr,3p,domain=www.apkmoddone.com +@@||alwingulla.com/88/tag.min.js$script,xhr,domain=www.apkmoddone.com +@@||phongroblox.com^$ghide +apkmodvn.com,phongroblox.com##[data-da] +apkmodvn.com##.stuAd +mod1s.com##a[href="javascript:;"]:has(> span:has-text(Advertisement)) +||acscdn.com/script/aclib.js$script,redirect-rule=noopjs +||alwingulla.com^$script,3p,redirect-rule=noopjs,domain=apkmoddone.com + +! https://github.com/uBlockOrigin/uAssets/issues/24073 +thotpacks.xyz###popconlkr +thotpacks.xyz##.modal-backdrop +thotpacks.xyz##+js(set, blurred, false) + +! https://community.brave.com/t/more-popups-not-being-blocked/553184 +cloutgist.com##+js(aopr, open) +cloutgist.com##[href^="https://app.adjust.com/"] + +! https://community.brave.com/t/tutwuri-id-pop-up-shortlink/553640 +sfile.mobi,tutwuri.id##+js(nowoif) +tutwuri.id##+js(nano-sib) +||blogger.googleusercontent.com^$image,domain=tutwuri.id + +! https://github.com/uBlockOrigin/uAssets/discussions/24144 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10192870 (https://zipshort .net/TdySJWk) +@@*$ghide,domain=bkgnews.in|ontechhindi.com +bkgnews.in,ontechhindi.com##.floating-ads-container +bkgnews.in,ontechhindi.com##.circular-progress, button, b > p > span:others() + +! https://github.com/uBlockOrigin/uAssets/issues/2495 +! https://github.com/uBlockOrigin/uAssets/issues/9760 +! https://github.com/AdguardTeam/AdguardFilters/issues/112330 +! https://github.com/AdguardTeam/AdguardFilters/issues/110385 +downfile.site##+js(rmnt, script, deblocker) +! azmath.info,azsoft.*,downfile.site,downphanmem.com,expertvn.com,memangbau.com,trangchu.news,aztravels.net##+js(set, count, 0) +azmath.info,azsoft.*,downfile.site,downphanmem.com,expertvn.com,memangbau.com,trangchu.news,aztravels.net##+js(aopr, SMart1) +azmath.info,azsoft.*,downfile.site,downphanmem.com,expertvn.com,memangbau.com,trangchu.news,aztravels.net##+js(noeval-if, chp_ad) +azmath.info,azsoft.*,downfile.site,downphanmem.com,expertvn.com,memangbau.com,trangchu.news,aztravels.net##+js(aeld, DOMContentLoaded, document.documentElement.lang.toLowerCase) +expertvn.com##+js(rmnt, script, deblocker) +trangchu.news##+js(rmnt, script, deblocker) +trangchu.news##+js(no-xhr-if, /doubleclick|googlesyndication/) +/fuckadb.js$badfilter +megaurl.in,megafly.in##+js(ra, onclick, [onclick^="pop"]) +megaurl.in,megafly.in##+js(set, blurred, false) +@@||megaurl.*^$ghide +@@||expertvn.com^$ghide +*$script,3p,denyallow=bootstrapcdn.com|cloudflare.com|google.com|googleapis.com|gstatic.com|hwcdn.net|jquery.com,domain=expertvn.com +||monetiza.co^$3p +||vidcrunch.com^$domain=aztravels.net|downfile.site +@@*$ghide,domain=aztravels.net|downfile.site +*$image,domain=app.trangchu.news|azmath.info,redirect-rule=1x1.gif + +! https://github.com/uBlockOrigin/uAssets/issues/24199 +simana.online,fooak.com,joktop.com,evernia.site,falpus.com##+js(rmnt, script, /FingerprintJS|openPopup/) +simana.online,fooak.com,joktop.com,evernia.site,falpus.com##+js(set, blurred, false) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9845073 +! https://github.com/uBlockOrigin/uAssets/issues/26480 +||atropinestatuarylandleaper.com^ +||tairdalwaly.click^ +zeroupload.com##[href="https://301alldomain.xyz/"] + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9904041 +ielts-isa.edu.vn##+js(aeld, DOMContentLoaded, document.documentElement.lang.toLowerCase) +ielts-isa.edu.vn##+js(set, count, 0) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9913537 +||cdn.jsdelivr.net/npm/maari/dist/maari.min.js$script,3p +claim.8bit.ca##+js(aopr, adsBlocked) +claim.8bit.ca##+js(aopr, Light.Popup) + +! https://rinku .me/4nohEFnV?src=PSA +! https://github.com/uBlockOrigin/uAssets/issues/10291 +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10242078 (https://shortsfly .me/xznw) +! https://www.reddit.com/r/uBlockOrigin/comments/v7lncl/another_antiadblocker/ +advertisingexcel.com,allcryptoz.net,batmanfactor.com,crewbase.net,crewus.net,documentaryplanet.xyz,gametechreviewer.com,midebalonu.net,misterio.ro,phineypet.com,seory.xyz,shinbhu.net,shinchu.net,substitutefor.com,talkforfitness.com,thefitbrit.co.uk,thumb8.net,thumb9.net,topcryptoz.net,uniqueten.net,ultraten.net##.a, .b, .c, .d, .e, .f, .g +! https://www.reddit.com/r/uBlockOrigin/comments/xbjszd/ +*$script,redirect-rule=noopjs,domain=allcryptoz.net|batmanfactor.com|crewbase.net|crewus.net|documentaryplanet.xyz|gametechreviewer.com|midebalonu.net|misterio.ro|seory.xyz|shinbhu.net|shinchu.net|substitutefor.com|talkforfitness.com|thefitbrit.co.uk|thumb8.net|thumb9.net|topcryptoz.net|uniqueten.net|ultraten.net +allcryptoz.net,batmanfactor.com,crewbase.net,crewus.net,documentaryplanet.xyz,gametechreviewer.com,midebalonu.net,misterio.ro,phineypet.com,seory.xyz,shinbhu.net,shinchu.net,substitutefor.com,thefitbrit.co.uk,thumb8.net,thumb9.net,topcryptoz.net,uniqueten.net,ultraten.net###overlay +*$frame,redirect-rule=noopframe,domain=allcryptoz.net|batmanfactor.com|crewbase.net|crewus.net|documentaryplanet.xyz|gametechreviewer.com|midebalonu.net|misterio.ro|seory.xyz|shinbhu.net|shinchu.net|substitutefor.com|talkforfitness.com|thefitbrit.co.uk|thumb8.net|thumb9.net|topcryptoz.net|uniqueten.net|ultraten.net +*$xhr,redirect-rule=nooptext,domain=allcryptoz.net|batmanfactor.com|crewbase.net|crewus.net|documentaryplanet.xyz|gametechreviewer.com|midebalonu.net|misterio.ro|seory.xyz|shinbhu.net|shinchu.net|substitutefor.com|talkforfitness.com|thefitbrit.co.uk|thumb8.net|thumb9.net|topcryptoz.net|uniqueten.net|ultraten.net +*$image,redirect-rule=1x1.gif,domain=allcryptoz.net|batmanfactor.com|crewbase.net|crewus.net|documentaryplanet.xyz|gametechreviewer.com|midebalonu.net|misterio.ro|seory.xyz|shinbhu.net|shinchu.net|substitutefor.com|talkforfitness.com|thefitbrit.co.uk|thumb8.net|thumb9.net|topcryptoz.net|uniqueten.net|ultraten.net +@@*$ghide,domain=allcryptoz.net|batmanfactor.com|crewbase.net|crewus.net|documentaryplanet.xyz|gametechreviewer.com|midebalonu.net|misterio.ro|seory.xyz|shinbhu.net|shinchu.net|substitutefor.com|talkforfitness.com|thefitbrit.co.uk|thumb8.net|thumb9.net|topcryptoz.net|uniqueten.net|ultraten.net +@@*$xhr,script,1p,domain=allcryptoz.net|batmanfactor.com|crewbase.net|crewus.net|documentaryplanet.xyz|gametechreviewer.com|midebalonu.net|misterio.ro|seory.xyz|shinbhu.net|shinchu.net|substitutefor.com|talkforfitness.com|thefitbrit.co.uk|thumb8.net|thumb9.net|topcryptoz.net|uniqueten.net|ultraten.net +*$object,empty,domain=allcryptoz.net|batmanfactor.com|crewbase.net|crewus.net|documentaryplanet.xyz|gametechreviewer.com|midebalonu.net|misterio.ro|seory.xyz|shinbhu.net|shinchu.net|substitutefor.com|talkforfitness.com|thefitbrit.co.uk|thumb8.net|thumb9.net|topcryptoz.net|uniqueten.net|ultraten.net +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-7422831 +bestclaimtrx.xyz##+js(no-xhr-if, popunder) +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9939400 +advertisingexcel.com,allcryptoz.net,batmanfactor.com,beautifulfashionnailart.com,crewbase.net,crewus.net,documentaryplanet.xyz,gametechreviewer.com,midebalonu.net,misterio.ro,phineypet.com,seory.xyz,shinbhu.net,shinchu.net,substitutefor.com,talkforfitness.com,thefitbrit.co.uk,thumb8.net,thumb9.net,topcryptoz.net,uniqueten.net,ultraten.net##+js(rpnt, script, "'IFRAME'", "'BODY'") +advertisingexcel.com,allcryptoz.net,batmanfactor.com,beautifulfashionnailart.com,crewbase.net,documentaryplanet.xyz,crewus.net,gametechreviewer.com,midebalonu.net,misterio.ro,phineypet.com,seory.xyz,shinbhu.net,shinchu.net,substitutefor.com,talkforfitness.com,thefitbrit.co.uk,thumb8.net,thumb9.net,topcryptoz.net,uniqueten.net,ultraten.net##+js(set, document.hasFocus, trueFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/4368#issuecomment-452155399 +! https://youshort.me/rCsn => bantenexis.com +youshort.me##+js(aopr, open) +youshort.me##.blog-item +bantenexis.com###wpsafe-generate, #wpsafe-link:style(display: block !important;) +bantenexis.com##div[id^="wpsafe-wait"] +! https://github.com/uBlockOrigin/uAssets/issues/24406 (https://go.paid4link .com/rsXS) +bantenexis.com##+js(no-fetch-if, googlesyndication) +link.paid4link.com##.card +link.paid4link.com##+js(nowoif) +link.paid4link.com##+js(aeld, click, maxclick) +link.paid4link.com##+js(set, counter, 10) +link.paid4link.com##+js(set, blurred, false) +||link.paid4link.com/img/cdn_adcash.mp4 + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-6401093 (https://exalink .fun/OWm6hfdmzsa) +exactpay.online##+js(aopr, htmls) +exactpay.online##+js(set, document.hasFocus, trueFunc) +||exactpay.online/forex/index.js +exalink.fun##+js(set, blurred, false) +||earnbitmoon.club/promo/EBM-300x250.gif +exactpay.online##+js(aopr, Swal.fire) +exactpay.online##iframe[src^="https://cryptocoinsad.com/"] +||exactpay.online/Bitmedia.html$frame,redirect=noop.html +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-9991539 (https://shortsurl .pro/Mg5qgiXs) +exactpay.online##+js(no-fetch-if, surfe.pro) +exactpay.online##+js(no-xhr-if, czilladx) +exactpay.online##form > div:style(display: flex !important;) +||rollercoin.com^$image,3p,redirect-rule=1x1.gif,domain=exactpay.online +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10421465 +exactpay.online##+js(rpnt, script, "'IFRAME'", "'BODY'") + +! https://github.com/uBlockOrigin/uAssets/issues/24490 +litonmods.com##+js(no-fetch-if, googlesyndication) +litonmods.com###wpsafe-link:style(display: block !important;) +litonmods.com###wpsafe-link:others() +litonmods.com##+js(noeval-if, adsbygoogle) + +! https://www.reddit.com/r/uBlockOrigin/comments/1eb1y8a/too_many_ads_and_timer_in_this_link/ (https://mypowerlinks .org/X2qohOHP) +.gif^$image,domain=universitiesonline.xyz +universitiesonline.xyz##+js(no-fetch-if, googlesyndication) +universitiesonline.xyz##.popup +universitiesonline.xyz##.overlay +universitiesonline.xyz###tp-generate, #tp-snp2:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10235219 (https://inshorturl .com/RsxDYfy) +indiamaja.com,newshuta.in###tp98, #btn6:style(display: block !important;) +indiamaja.com,newshuta.in##+js(set, blurred, false) +indiamaja.com,newshuta.in##+js(rmnt, script, /decodeURIComponent\(escape|fairAdblock/) +indiamaja.com###overlay + +! https://www.reddit.com/r/uBlockOrigin/comments/1eo47wy/antiadblock_popup_on_filesuploadin/ +filesupload.in##+js(no-fetch-if, adsbygoogle.js) +filesupload.in###wpsafe-link:style(display: block !important;) +indianshortner.com##.banner +indianshortner.com##a[href^="https://t.me/"] + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10404879 (https://shortxlinks .com/CapCut) +shortxlinks.com##+js(set, blurred, false) +shortxlinks.com##[href^="https://app.youcine.vip/"] +mtcremix.com##+js(noeval-if, /chp_?ad/) +mtcremix.com##+js(aost, document.getElementsByTagName, adsBlocked) +mtcremix.com##+js(no-fetch-if, ads) + +! https://github.com/uBlockOrigin/uAssets/issues/17548 +! https://github.com/uBlockOrigin/uAssets/issues/24504 +jytechs.in,dev.miuiflash.com,djxmaza.in,thecubexguide.com##+js(spoof-css, [id^="div-gpt-ad"], display, block) +/devfiles.pages.dev\/img\/[a-zA-Z0-9]{8,}.jpeg/$from=jytechs.in|dev.miuiflash.com|djxmaza.in|thecubexguide.com + +! https://github.com/uBlockOrigin/uAssets/issues/21445 +dropgalaxy.*,financemonk.net##+js(rpnt, script, event.message);, 'event.message); /*start*/ !function(){"use strict";let t={log:window.console.log.bind(console),getPropertyValue:CSSStyleDeclaration.prototype.getPropertyValue,setAttribute:Element.prototype.setAttribute,getAttribute:Element.prototype.getAttribute,appendChild:Element.prototype.appendChild,remove:Element.prototype.remove,cloneNode:Element.prototype.cloneNode,Element_attributes:Object.getOwnPropertyDescriptor(Element.prototype,"attributes").get,Array_splice:Array.prototype.splice,Array_join:Array.prototype.join,createElement:document.createElement,getComputedStyle:window.getComputedStyle,Reflect:Reflect,Proxy:Proxy,crypto:window.crypto,Uint8Array:Uint8Array,Object_defineProperty:Object.defineProperty.bind(Object),Object_getOwnPropertyDescriptor:Object.getOwnPropertyDescriptor.bind(Object),String_replace:String.prototype.replace},e=t.crypto.getRandomValues.bind(t.crypto),r=function(e,r,l){return"toString"===r?e.toString.bind(e):t.Reflect.get(e,r,l)},l=function(r){let o=function(t){return t.toString(16).padStart(2,"0")},p=new t.Uint8Array((r||40)/2);e(p);let n=t.String_replace.call(t.Array_join.call(Array.from(p,o),""),/^\d+/g,"");return n.length<3?l(r):n},o=l(15);window.MutationObserver=new t.Proxy(window.MutationObserver,{construct:function(e,r){let l=r[0],p=function(e,r){for(let p=e.length,n=p-1;n>=0;--n){let c=e[n];if("childList"===c.type&&c.addedNodes.length>0){let i=c.addedNodes;for(let a=0,y=i.length;aa).bind(null)}),n.getPropertyValue=new t.Proxy(n.getPropertyValue,{apply:(e,r,l)=>"clip-path"!==l[0]?t.Reflect.apply(e,r,l):a,get:r}),n},get:r})}(); document.currentScript.textContent=document.currentScript.textContent.replace(/\/\*start\*\/(.*)\/\*end\*\//g,"");/*end*/') +@@*$ghide,domain=dropgalaxy.*|financemonk.net +@@||doubleclick.net^$script,image,domain=dropgalaxy.*|financemonk.net +@@||adoto.net^$script,domain=dropgalaxy.*|financemonk.net +@@||google-analytics.com^$script,domain=dropgalaxy.*|financemonk.net +@@||googletagmanager.com^$script,domain=dropgalaxy.*|financemonk.net +@@||googlesyndication.com^$script,xhr,frame,image,domain=dropgalaxy.*|financemonk.net +@@||ampproject.org^$script,domain=dropgalaxy.*|financemonk.net +dropgalaxy.*,financemonk.net##iframe[id^="google_ads_iframe_/"], div[id^="adm-container-"]:style(clip-path: circle(0) !important;) +dropgalaxy.*,financemonk.net##+js(rmnt, script, /event\.keyCode|DisableDevtool/) + +! https://github.com/uBlockOrigin/uAssets/issues/25154 +advicefunda.com,bestloanoffer.net,computerpedia.in,techconnection.in##+js(no-fetch-if, ads) +advicefunda.com,bestloanoffer.net,computerpedia.in,techconnection.in##+js(noeval-if, /chp_?ad/) +advicefunda.com,bestloanoffer.net,techconnection.in##+js(nano-sib, count, *, 0.001) +advicefunda.com,bestloanoffer.net,computerpedia.in,techconnection.in##.overlay +advicefunda.com,bestloanoffer.net,computerpedia.in,techconnection.inn##.popup + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10555878 +dailytech-news.eu##+js(nostif, _0x) +dailytech-news.eu##+js(rpnt, script, /element\.contains\(document\.activeElement\)|document\.hidden && !timeCounted/g, true) + +! https://github.com/uBlockOrigin/uAssets/issues/25226 - (https://worldmak .com/?c1d952d8) +worldmak.com##+js(no-fetch-if, googlesyndication) +technoinformations.com,worldmak.com###wpsafe-link:style(display: block !important;) + +! https://github.com/uBlockOrigin/uAssets/issues/25386 +bollywoodchamp.in##+js(noeval-if, /chp_?ad/) + +! https://github.com/AdguardTeam/AdguardFilters/issues/189697 +texw.online##+js(noeval-if, /chp_?ad/) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10834278 +ikingfile.mooo.com##+js(nowoif) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-10952637 +fuckingfast.co##+js(rpnt, script, !seen && ad, false) +||fuckingfast.co/f/*/dl^$xhr,1p +||senditfast.cloud^$doc + +! https://www.reddit.com/r/uBlockOrigin/comments/1g59yxn/adblock_detection_on_streamelementscom/ (https://strms .net/callofdragons_zelderler) +streamelements.com##+js(trusted-set, google_srt, json:0.61234) +streamelements.com##+js(set, sensorsDataAnalytic201505, {}) +||validate.strms.net/*adblock%3Dtrue$doc,uritransform=/adblock%3Dtrue/adblock%3Dfalse/ + +! shortylink. store popup +shortylink.store##+js(aopr, open) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11102622 +encurtads.net,financacerta.com,shrtbr.com###adblock-message +encurtads.net,financacerta.com##.wpsafe-top > div > center > a[href][target="_blank"] +||encurtads.net/scriptencurmontag.js$script + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11134851 +khaddavi.net,lokerwfh.net##+js(nano-sib) +khaddavi.net,lokerwfh.net##+js(no-xhr-if, adsbygoogle) +khaddavi.net,lokerwfh.net##+js(nowoif, _blank) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11470419 +driveup.sbs##+js(rpnt, script, window.location.href, temp, includes, startDownloads) +driveup.sbs##+js(aopr, doOpen) + +! https://github.com/uBlockOrigin/uAssets/issues/26411 +! https://github.com/uBlockOrigin/uAssets/issues/26750 +upfiles.app,upfiles-urls.com##+js(aeld, DOMContentLoaded, history.go) +upfiles.app,upfiles-urls.com##+js(aeld, click, shouldOpenPopUp) +upfiles.app,upfiles-urls.com##+js(set, blurred, false) +rentry.co##article:has(#download-your-archive-file) +||sharecube.pro^$all +||flyshare.cfd^$all + +! shortencash. click antiadb +shortencash.click##+js(nostif, displayAdBlockerMessage) + +! popup redirects +90fpsconfig.in,katdrive.link,kmhd.net##+js(aeld, , history.go) + +! mobilejsr. com antiadb +@@||mobilejsr.com^$ghide + +! bollydrive. rest adpopup redirection +bollydrive.rest##+js(aeld, , history.go) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11596209 +compu-pc.com##+js(acs, document.querySelectorAll, pastepc) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11656328 +quins.us##+js(no-fetch-if, doubleclick, , {"type": "opaque"}) +quins.us##+js(set, document.hasFocus, trueFunc) + +! https://github.com/uBlockOrigin/uAssets/issues/26597 +flycutlink.com##+js(acs, document.addEventListener, google_ad_client) +flycutlink.com##+js(acs, document.querySelectorAll, popMagic) +flycutlink.com##+js(set, blurred, false) +flycutlink.com##+js(nowoif) +flycutlink.com##+js(set, go_popup, {}) + +! https://github.com/uBlockOrigin/uAssets/issues/26614 +filespayout.com##+js(nowoif) +filespayout.com###normal-box +filespayout.com##center > a[rel] +||boarfishesquandangsunderdried.com^ + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11709903 +||anylinks.in/full*^url=aHR0c$doc,urlskip=?url -base64 + +! https://github.com/AdguardTeam/AdguardFilters/issues/195744 +updown.fun##+js(no-fetch-if, googlesyndication) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11783074 +qthang.net##+js(aopr, app_vars.force_disable_adblock) + +! howblogs. xyz ad popups +||howblogs.xyz^$csp=script-src 'self' *.googleapis.com *.bootstrapcdn.com *.google.com *.gstatic.com +||glashanburg.com^ + +! techzed. info popups +techzed.info##+js(nowoif) + +! xdl.my.id popup redirect +xdl.my.id##+js(rpnt, script, window.location.href, temp, includes, linkToOpen) + +! https://github.com/uBlockOrigin/uAssets/discussions/17361#discussioncomment-11872440 +@@||bcvc.ink/prebid-ads.js$script,1p + +[Adblock Plus 2.0] +! Version: 202501240457 +! Title: EasyList +! Last modified: 24 Jan 2025 04:57 UTC +! Expires: 4 days (update frequency) +! *** easylist:template_header.txt *** +! +! Please report any unblocked adverts or problems +! in the forums (https://forums.lanik.us/) +! or via e-mail (easylist@protonmail.com). +! +! Homepage: https://easylist.to/ +! Licence: https://easylist.to/pages/licence.html +! GitHub issues: https://github.com/easylist/easylist/issues +! GitHub pull requests: https://github.com/easylist/easylist/pulls +! +! -----------------------General advert blocking filters-----------------------! +! *** easylist:easylist/easylist_general_block.txt *** +-ad-manager/$~stylesheet +-ad-sidebar.$image +-ad.jpg.pagespeed.$image +-ads-manager/$domain=~wordpress.org +-ads/assets/$script,domain=~web-ads.org +-assets/ads.$~script +-banner-ads-$~script +-contrib-ads.$~stylesheet +-sponsor-ad.$image +-web-advert-$image +.adriver.$~object,domain=~adriver.co +.ads.controller.js$script +.advert.$domain=~advert.ae|~advert.ge|~advert.io|~advert.ly|~advert.media|~advert.org.pl +.ar/ads/$~xmlhttprequest +.ashx?AdID= +.aspx?adid= +.az/adv/$~xmlhttprequest +.br/ads/$~xmlhttprequest +.ca/ads/$~xmlhttprequest +.cfm?ad= +.cgi?ad= +.click/cuid/?$third-party +.click/rf/$third-party +.club/js/popunder.js$script +.cn/sc/*?n=$script,third-party +.com/*=bT1zdXY1JnI9 +.com/4/js/$third-party +.com/ad/$~image,third-party,domain=~mediaplex.com|~warpwire.com|~wsj.com +.com/adv/$domain=~adv.asahi.com|~advantabankcorp.com|~alltransistors.com|~archiproducts.com|~tritondigital.com +.com/api/posts?token=$third-party +.com/sc/*?n=$script,third-party +.com/script/a.js$third-party +.com/script/asset.js$third-party +.com/script/cdn.js$third-party +.com/script/compatibility.js$third-party +.com/script/document.js$third-party +.com/script/file.js$third-party +.com/script/foundation.js$third-party +.com/script/frustration.js$third-party +.com/script/image.js$third-party +.com/script/mui.js$third-party +.com/script/script.js$third-party +.com/script/utils.js$third-party +.com/script/xbox.js$third-party +.com/watch.*.js?key= +.cz/adv/$image,domain=~caoh.cz +.cz/affil/$image +.cz/bannery/$image +.fuse-cloud.com/$~xmlhttprequest +.html?clicktag= +.jp/ads/$third-party,domain=~hs-exp.jp +.lol/js/pub.min.js$third-party +.lol/sw.js$third-party +.net/ad2/$~xmlhttprequest +.org/ad/$domain=~ylilauta.org +.org/ads/$~xmlhttprequest +.org/script/compatibility.js$third-party +.php?ad= +.php?adsid= +.php?adv= +.php?clicktag= +.php?zone_id=$~xmlhttprequest +.php?zoneid= +.pk/ads/$~xmlhttprequest +.pw/ads/$~xmlhttprequest +.ru/ads/$~xmlhttprequest +.shop/gd/$third-party +.shop/tsk/$third-party +.top/cuid/?$third-party +.top/gd/*?md=$third-party +/?abt_opts=1& +/?fp=*&poru=$subdocument +/?view=ad +/a-ads.$third-party +/a/?ad= +/a/display.php?$script +/ab_fl.js$script +/ad--unit.htm| +/ad-choices-$image +/ad-choices.png$image +/ad-scripts--$script +/ad-scroll.js$script +/ad-server.$~script +/ad.cgi?$~xmlhttprequest +/ad.css?$stylesheet +/ad.html?$~xmlhttprequest +/ad.min.js$script +/ad/ad_common.js$script +/ad/dfp/*$script +/ad/getban?$script +/ad/image/*$image +/ad/images/*$image,domain=~studiocalling.it +/ad/img/*$image,domain=~eki-net.com|~jiji.com +/ad300.jpg$image +/ad300.png$image +/ad728.png$image +/ad?count= +/ad?type= +/ad_728.jpg$image +/ad_728.js$script +/ad_banner/*$image,domain=~ccf.com.cn +/ad_bottom.jpg$image +/ad_bottom.js$script +/ad_counter.aspx$ping +/ad_header.js$script +/ad_home.js$script +/ad_images/*$image,domain=~5nd.com|~dietnavi.com +/ad_img/*$image +/ad_manager/*$image,script +/ad_pos= +/ad_position= +/ad_right.$subdocument +/ad_rotator/*$image,script,domain=~spokane.exchange +/ad_server.cgi$subdocument +/ad_side.$~xmlhttprequest +/ad_skyscraper.gif$image +/ad_top.jpg$image +/ad_top.js$script +/adanalytics.js$script +/adaptive_components.ashx?type=ads& +/adaptvadplayer.js$script +/adasync.js$script +/adasync.min.js$script +/adbanners/*$image +/adchoice.png$image +/adcount.js$script +/addyn|*;adtech; +/addyn|*|adtech; +/adengine.js$script +/adfox/loader.js$script +/adfx.loader.bind.js$script +/adhandler/*$~subdocument +/adiframe|*|adtech; +/adimage.$image,script,stylesheet +/adimages.$script +/adjs.php$script +/adlayer.php$script +/adlog.php$image +/admanager.js$script +/admanager.min.js$script +/admanager/*$~object,~xmlhttprequest,domain=~admanager.line.biz|~blog.google|~sevio.com +/admgr.js$script +/admitad.js$script +/adocean.js$script +/adpartner.min.js$script +/adplayer.$script,domain=~adplayer.pro +/adpopup.js$script +/adrecover-new.js$script +/adrecover.js$script +/adright.$~xmlhttprequest,domain=~aaahaltontaxi.ca|~adright.com +/ads-250.$image +/ads-async.$script +/ads-common.$image,script +/ads-front.min.js$script +/ads-frontend.min.js$script +/ads-native.js$script +/ads-templateslist.$script +/ads-vast-vpaid.js?$script +/ads.bundle.js$script +/ads.bundle.min.js$script +/ads.cfm?$subdocument +/ads.jplayer.$stylesheet +/ads.pl?$~xmlhttprequest +/ads/!rotator/* +/ads/300.$subdocument +/ads/acctid= +/ads/banners/*$image +/ads/cbr.js$script +/ads/custom_ads.js$script +/ads/footer.$~xmlhttprequest +/ads/gam_prebid-$script +/ads/get-ads-by-zones/?zones% +/ads/image/*$image +/ads/images/*$image,domain=~eoffcn.com +/ads/index.$~xmlhttprequest +/ads/index/*$~xmlhttprequest,domain=~kuchechina.com +/ads/leaderboard-$~xmlhttprequest +/ads/rectangle_$subdocument +/ads/revgen.$script +/ads/serve?$script +/ads/show.$script +/ads/slideup.$script +/ads/spacer.$image +/Ads/sponsor.$stylesheet +/ads/square-$image,domain=~spoolimports.com +/ads/ta_wppas/*$third-party +/ads/targeted| +/ads/video/*$script +/ads1.$~xmlhttprequest,domain=~ads-i.org +/ads468.$image +/ads468x60.$image +/ads728.$image +/ads728x90.$image +/ads?apid +/ads?client= +/ads?id= +/ads?object_$script +/ads?param= +/ads?zone= +/ads?zone_id= +/ads_banners/*$image +/ads_bg.$image +/ads_controller.js$script +/ads_iframe.$subdocument +/ads_image/*$image +/ads_images/*$image,domain=~wildlifeauctions.co.za +/adsAPI.js$script +/adsbanner-$image +/adsbanner/*$image +/adscontroller.js$script +/adscroll.js$script +/adsdelivery/*$subdocument +/adserv.$script +/adserve/*$script +/adserver.$~stylesheet,~xmlhttprequest +/adserver3.$image,script +/adsforwp-front.min.css$stylesheet +/adsimage/*$image,domain=~kamaz-service.kz|~theatreticketsdirect.co.uk +/adsimages/*$image,domain=~bdjobstoday.com +/adsimg/*$image +/adslide.js$script +/adsmanager.css$stylesheet +/adsmanager.nsf/*$image +/adsplugin/js/*$script +/adsscript.$script +/adsTracking.$script +/adsWrapper.js$script +/ads~adsize~ +/adtech; +/adtools.js$script +/adtrack.$domain=~adtrack.ca|~adtrack.yacast.fr +/adultdvdparadisecompopinsecound.js$script +/adunit/track-view| +/adutil.js$script +/adv-banner-$image +/adv-scroll-sidebar.js$script +/adv-scroll.$script +/adv_out.js$third-party +/adv_vert.js$script +/AdvAdsV3/*$script,stylesheet +/advanced-ads-$script,stylesheet,domain=~transinfo.pl|~wordpress.org +/advbanner.frontend.js$script +/advert.$~script,~xmlhttprequest,domain=~advert.ae|~advert.club|~advert.com.tr|~advert.ee|~advert.ge|~advert.io|~advert.media|~advert.org.pl|~motortrader.com.my +/advertising/banners/*$image +/adverts.$~script,~xmlhttprequest,domain=~0xacab.org|~adverts.ie|~adverts.org.ua|~github.com|~gitlab.com +/adverts/*$~xmlhttprequest +/advrotator_banner_largo.htm$subdocument +/adz/js/adz.$script +/aff/banners/*$image +/aff/images/*$image +/aff_ad?$script +/aff_banner/*$image +/aff_banners/*$image +/affbanners/*$image +/affiliate/ad/*$image +/affiliate/ads/*$image +/affiliate/banner/*$image +/affiliate/banners/*$image +/affiliateads/*$image +/affiliates/banner$image +/afr.php?$~xmlhttprequest +/afx_prid/*$script +/ajs.php?$script +/ajs?zoneid= +/amazon-ad-link-$stylesheet +/amazon-associates-link-$~stylesheet +/amp-ad-$script +/amp-auto-ads-$script +/amp-connatix-$script +/amp-sticky-ad-$script +/amp-story-auto-ads-$script +/amp4ads-host-v0.js$script +/ane-popup-1/ane-popup.js$script +/ane-popup-banner.js$script +/api.ads.$script,domain=~ads.instacart.com|~www.ads.com +/api/ad.$script +/api/users?token=$subdocument,third-party +/apopwin.js$script +/apstag.js$script +/apu.php?$script +/arcads.js$script +/asset/ad/*$image +/assets/ads/*$~image,domain=~outlook.live.com +/asyncjs.php$script +/asyncspc.php$third-party +/awaps-ad-sdk-$script +/ban.php?$~xmlhttprequest +/ban728x90.$image +/banman/ad.aspx$image +/banner-ad.$~script,~xmlhttprequest +/banner-ads-rotator/*$script,stylesheet +/banner-ads/*$image,domain=~1agosto.com +/banner-affiliate-$image +/banner.asp?$third-party +/banner.cgi?$image +/banner.php$~xmlhttprequest,domain=~research.hchs.hc.edu.tw +/banner/affiliate/*$image,subdocument +/banner/html/zone?zid= +/banner_468.$image +/banner_ads/*$~xmlhttprequest,domain=~clickbd.com +/bannerads/*$~xmlhttprequest,domain=~coldwellbankerhomes.com +/banners.cgi?$~xmlhttprequest +/banners/468$image +/banners/728$image +/banners/ads-$~xmlhttprequest +/banners/ads.$~xmlhttprequest +/banners/adv/*$~xmlhttprequest +/banners/affil/*$image +/banners/affiliate/*$image +/bobs/iframe.php?site= +/bottom-ads.jpg$image,domain=~saltwaterisland.com +/bottom-ads.png$image +/bottomad.png$image +/bottomads.js$script +/bsa-plugin-pro-scripteo/frontend/js/script.js$script +/bsa-pro-scripteo/frontend/js/script.js$script +/btag.min.js$third-party +/buysellads.js$script +/calcalist_gpt_ads.js$script +/cgi-bin/ad/*$~xmlhttprequest +/click?adv= +/cms_ads.js$script +/code/https-v2.js?uid= +/code/native.js?h=$script +/code/pops.js?h=$script +/code/silent.js?h=$script +/common/ad.js$script +/common_ad.js$script +/concert_ads-$script +/content-ads.js$script +/content/ads/*$~xmlhttprequest +/cpmbanners.js$script +/css/ads-$stylesheet +/css/adsense.$stylesheet +/css/adv.$stylesheet +/curveball/ads/*$image +/customer/ads/ad.php?id= +/deliverad/fc.js$script +/delivery.php?zone= +/delivery/ag.php$script,subdocument +/delivery/apu.php$script,subdocument +/delivery/avw.php$script,subdocument +/delivery/fc.php$script,subdocument +/delivery/lg.php$script,subdocument +/dfp.min.js$third-party +/dfp_async.js$script +/dfpNew.min.js$script +/didna_config.js$script +/direct.hd?n= +/discourse-adplugin-$script +/dmcads_$script +/doubleclick.min$script +/drsup-admanager-ajax.js$script +/ec5bcb7487ff.js$script +/exitpop.js$script +/exitpopup.js$script +/exitsplash.php$script +/exoads/*$script +/exoclick.$~script,~xmlhttprequest,domain=~exoclick.bamboohr.co.uk|~exoclick.kayako.com +/exonb/*$script +/exonob/*$script +/exports/tour/*$third-party +/exports/tour_20/*$subdocument +/external/ad.$script +/external/ads/*$image +/fel456.js$script +/fgh1ijKl.js$script +/flashad.asp$subdocument +/flashad.js$script +/float_ad.js$script +/floatads.$script +/floating-ad-rotator-$script,stylesheet +/floatingad.js$script +/floatingads.js$script +/flyad.js$script +/footer_ad.js$script,domain=~streamruby.com +/footer_ads.php$subdocument +/footerads.php$script +/fro_lo.js$script +/frontend_loader.js$script +/ftt2/js.php$script +/funcript*.php?pub= +/gdpr-ad-script.js$script +/get/?go=1&data=$subdocument +/get?go=1&data=$subdocument +/globals_ps_afc.js$script +/google-adsense.js$script +/google_adsense-$script +/gospel2Truth.js$third-party +/gpt.js$script +/gpt_ads-public.js$script +/GunosyAdsSDKv2.js$script +/house-ads/*$image +/hoverad.js$script +/hserver/channel= +/hserver/site= +/ht.js?site_$script +/image/ad/*$image +/image/ads/*$image,domain=~edatop.com +/image/affiliate/*$image +/imageads/*$image +/images2/Ads/*$image +/img/ad/*$~xmlhttprequest,domain=~weblio.jp +/img/aff/*$image +/img_ad/*$image,domain=~daily.co.jp|~ehonnavi.net +/in/show/?mid=$third-party +/include/ad/*$script +/includes/ads/*$script +/index-ad-$stylesheet +/index-ad.js$script +/index_ad/*$image +/index_ads.js$script +/infinity.js.aspx?$script +/inhouse_ads/*$image +/inlineads.aspx$subdocument +/insertads.js$script +/internAds.css$stylesheet +/istripper.gif$image +/jquery.ad.js$script +/jquery.adi.js$script +/jquery.adx.js?$script +/jquery.dfp.js?$script +/jquery.dfp.min.js?$script +/jquery.lazyload-ad-$script +/jquery.lazyload-ad.js$script +/jquery.openxtag.js$script +/jquery.popunder.js$script +/js/ad_common.js$script +/js/advRotator.js$script +/jsAds-1.4.min.js$script +/jshexi.hj?lb= +/jspopunder.js$script +/jspopunder.min.js$script +/lazyad-loader.js$script +/lazyad-loader.min.js$script +/left_ads.js$script +/leftad.js$script +/leftad.png$image +/legion-advertising-atlasastro/*$script +/li.blogtrottr.com/imp?$image +/link?z=$subdocument +/livejasmin.$~xmlhttprequest,domain=~livejasmin.com +/mads.php$subdocument +/maven/am.js$script +/media/ads/*$image +/media_ads/*$image +/microad.js$script +/mnpw3.js$script +/mod_ijoomla_adagency_zone/*$~xmlhttprequest +/mod_pagepeel_banner/*$image,script +/module-ads-html-$script +/module/ads/*$~xmlhttprequest +/modules/ad/*$~xmlhttprequest +/modules/ads/*$~xmlhttprequest +/MPUAdHelper.js$script +/mysimpleads/mysa_output.php$script +/native/ts-master.$subdocument +/nativeads-v2.js$script +/nativeads.js$script +/nativeads/script/*$script +/nativebanner/ane-native-banner.js$script +/nb/frot_lud.js$script +/neverblock/*$script +/new/floatadv.js$script +/ntv.json?key= +/nwm-pw2.min.js$script +/nxst-advertising/dist/htlbid-advertising.min.js +/oiopub-direct/js.php$script +/oncc-ad.js$script +/oncc-adbanner.js$script +/p?zoneId= +/page-peel$~xmlhttprequest +/pagead/1p-user-list/*$image +/pagead/conversion.js$script +/pageear.js$script +/pageear/*$script +/pagepeel.$~xmlhttprequest +/pagepeelpro.js?$script +/partnerads/js/*$script +/partneradwidget.$subdocument +/partnerbanner.$~xmlhttprequest,domain=~toltech.cn +/partners/ads/*$image +/peel.php?$script +/peel_ads.js$script +/peelads/*$script +/pfe/current/*$third-party +/phpads/*$script +/phpadsnew/*$image,script +/phpbb_ads/*$~xmlhttprequest +/pix/ads/*$image +/pixel/puclc?$third-party +/pixel/pure$third-party +/pixel/purs?$third-party +/pixel/purst?$third-party +/pixel/sbe?$third-party +/player/ads/*$~xmlhttprequest +/plg_adbutlerads/*$script,stylesheet +/plugin/ad/*$script +/plugins/ad-invalid-click-protector/*$script +/plugins/adrotate-pro-latest/*$script +/plugins/adrotate-pro/*$script +/plugins/adrotate/*$script +/plugins/ads/*$~xmlhttprequest +/plugins/adsanity-$stylesheet +/plugins/advanced-ads/*$domain=~transinfo.pl|~wordpress.org +/plugins/ane-banners-entre-links/*$script,stylesheet +/plugins/ane-preroll$~xmlhttprequest +/plugins/cactus-ads/*$script,stylesheet +/plugins/cpx-advert/*$script +/plugins/dx-ads/*$script +/plugins/easyazon-$script,stylesheet +/plugins/meks-easy-ads-widget/*$stylesheet +/plugins/mts-wp-in-post-ads/*$script,stylesheet +/plugins/popunderpro/*$script +/plugins/thirstyaffiliates/*$script,stylesheet +/plugins/ultimate-popunder/*$~stylesheet +/pop_8/pop_8_$script +/popin-min.js$script +/popunder1.js$script +/popunder1000.js$script +/popunder2.js$script +/popup-domination/*$script +/popup2.js$script +/popup3.js$script +/popup_ad.js$script +/popup_code.php$script +/popupads.js$script +/prbt/v1/ads/?_= +/prism_ad/*$script +/processing/impressions.asp? +/production/ad-$script +/production/ads/*$script +/promo.php?c=$third-party +/promo/ads/*$~xmlhttprequest +/promotools.$subdocument +/public/ad/*$image +/public/ads/*$image +/publicidad/*$~xmlhttprequest +/publicidade.$~xmlhttprequest +/publicidade/*$~xmlhttprequest +/publicidades/*$~xmlhttprequest +/push/p.js?$third-party +/rad_singlepageapp.js$script +/RdmAdFeed.js$script +/rdrr/renderer.js$third-party +/RealMedia/ads/*$~xmlhttprequest +/redirect/?spot_id=$third-party +/reklam/*$~xmlhttprequest,domain=~cloudflare.com|~github.com|~reklam.com.tr +/reklama2.jpg$image +/reklama2.png$image,domain=~aerokuz.ru +/reklama3.jpg$image +/reklama3.png$image +/reklama4.jpg$image +/reklama4.png$image +/reklame/*$~xmlhttprequest +/ren.gif?$image +/resources/ads/*$~xmlhttprequest +/responsive/ad_$subdocument +/responsive_ads.js$script +/right_ads.$~xmlhttprequest +/rightad.js$script +/s.ashx?btag$script +/sbar.json?key= +/sc-tagmanager/*$script +/script/aclib.js$third-party +/script/antd.js$third-party +/script/app_settings.js$third-party +/script/atg.js$third-party +/script/atga.js$third-party +/script/g0D.js$third-party +/script/g0dL0vesads.js$third-party +/script/intrf.js$third-party +/script/ippg.js$third-party +/script/java.php?$xmlhttprequest +/script/jeSus.js$third-party +/script/liB1.js$third-party +/script/liB2.js$third-party +/script/naN.js$third-party +/script/native_render.js$third-party +/script/native_server.js$third-party +/script/npa2.min.js$third-party +/script/nwsu.js$third-party +/script/suv4r.js$third-party +/script/thankYou.js$third-party +/script/uBlock.js$third-party +/script/wait.php?*=$xmlhttprequest +/script/xxAG1.js$third-party +/scripts/js3caf.js$script +/sdk/push_web/?zid=$third-party +/servead/request/*$script,subdocument +/serveads.php$script +/servlet/view/*$script +/set_adcode?$image +/sft-prebid.js$script +/show-ad.js$script +/show_ad.js$script +/showban.asp?$image +/showbanner.js$script +/side-ads-$~xmlhttprequest +/side-ads/*$~xmlhttprequest +/side_ads/*$~xmlhttprequest +/sidead.js$script +/sidead1.js$script +/sideads.js$script +/sidebar_ad.jpg$image +/sidebar_ad.png$image +/sidebar_ads/*$~xmlhttprequest +/site=*/size=*/viewid= +/site=*/viewid=*/size= +/size=*/random=*/viewid= +/skin/ad/*$image,script +/skin/adv/*$~xmlhttprequest +/skyscraperad.$image +/slide_in_ads_close.gif$image +/slider_ad.js$script +/sliderad.js$script +/small_ad.$image,domain=~eh-ic.com +/sp/delivery/*$script +/spacedesc= +/spc.php?$script +/spcjs.php$script +/special/specialCtrl.js$script +/sponsor-ad$image +/sponsorad.jpg$image +/sponsorad.png$image,domain=~hmassoc.org +/sponsored_link.gif$image +/sponsors/ads/*$image +/squaread.jpg$image +/sticky_ads.js$script +/stickyad.js$script +/stickyads.js$script +/style_ad.css$stylesheet +/suurl4.php?$third-party +/suurl5.php$third-party +/suv4.js$third-party +/suv5.js$third-party +/Sw_commonAD.js$script +/taboola-footer.js$script +/taboola-header.js$script +/taboola_8.9.1.js$script +/targetingAd.js$script +/targetpushad.js$script +/tmbi-a9-header-$script +/tncms/ads/*$script +/tnt.ads.$script +/top-ad.$~xmlhttprequest +/top_ad.$~xmlhttprequest,domain=~sunco.co.jp +/top_ads.$~xmlhttprequest +/topad.html$subdocument +/triadshow.asp$script,subdocument +/ttj?id= +/umd/advertisingWebRenderer.min.js$script +/ut.js?cb= +/utx?cb=$third-party +/v2/a/push/js/*$third-party +/v2/a/skm/*$third-party +/vast/?zid= +/velvet_stack_cmp.js$script +/vendors~ads. +/video_ads.$script +/videoad.$~xmlhttprequest,domain=~videoad.in +/videoad/*$script +/videoads/*$~xmlhttprequest +/videojs.ads-$script,stylesheet +/videojs.ads.css$stylesheet +/videojs.sda.js$script +/view/ad/*$subdocument +/view_banner.php$image +/virtuagirlhd.$image +/web/ads/*$image +/web_ads/*$image +/webads/*$image,domain=~cccc.edu|~meatingplace.com +/widget-advert?$subdocument +/wordpress-ads-plug-in/*$script,stylesheet +/wp-auto-affiliate-links/*$script,stylesheet +/wp-bannerize-$script,stylesheet +/wp-bannerize.$script,stylesheet +/wp-bannerize/*$script,stylesheet +/wp-content/ads/*$~xmlhttprequest +/wp-content/mbp-banner/*$image +/wp-content/plugins/amazon-auto-links/*$script,stylesheet +/wp-content/plugins/amazon-product-in-a-post-plugin/* +/wp-content/plugins/automatic-social-locker/* +/wp-content/plugins/banner-manager/*$script +/wp-content/plugins/bookingcom-banner-creator/* +/wp-content/plugins/bookingcom-text2links/* +/wp-content/plugins/fasterim-optin/*$~xmlhttprequest +/wp-content/plugins/m-wp-popup/*$script +/wp-content/plugins/platinumpopup/*$script,stylesheet +/wp-content/plugins/popad/*$script,stylesheet +/wp-content/plugins/the-moneytizer/*$script +/wp-content/plugins/useful-banner-manager/* +/wp-content/plugins/wp-ad-guru/*$script,stylesheet +/wp-content/plugins/wp-super-popup-pro/*$script +/wp-content/plugins/wp-super-popup/*$script +/wp-content/uploads/useful_banner_manager_banners/* +/wp-popup-scheduler/*$script,stylesheet +/wp_pro_ad_system/templates/*$script,stylesheet +/wpadgu-adblock.js$script +/wpadgu-clicks.js$script +/wpadgu-frontend.js$script +/wpbanners_show.php$script +/wppas.min.css$stylesheet +/wppas.min.js$script +/wpxbz-theme.js$script +/www/delivery/*$script,subdocument +/xpopup.js$script +/zcredirect? +/~cdn/ads/* +://a.*/ad-provider.js$third-party +://a.ads. +://ad-api- +://ad1. +://adn.*/zone/$subdocument +://ads.$~image,~xmlhttprequest,domain=~ads.8designers.com|~ads.ac.uk|~ads.adstream.com.ro|~ads.allegro.pl|~ads.am|~ads.amazon|~ads.apple.com|~ads.atmosphere.copernicus.eu|~ads.band|~ads.bestprints.biz|~ads.bikepump.com|~ads.brave.com|~ads.buscaempresas.co|~ads.business.bell.ca|~ads.cafebazaar.ir|~ads.colombiaonline.com|~ads.comeon.com|~ads.cvut.cz|~ads.doordash.com|~ads.dosocial.ge|~ads.dosocial.me|~ads.elevateplatform.co.uk|~ads.finance|~ads.google.cn|~ads.google.com|~ads.gree.net|~ads.gurkerl.at|~ads.harvard.edu|~ads.instacart.com|~ads.jiosaavn.com|~ads.kaipoke.biz|~ads.kazakh-zerno.net|~ads.kifli.hu|~ads.knuspr.de|~ads.listonic.com|~ads.luarmor.net|~ads.magalu.com|~ads.mercadolivre.com.br|~ads.mgid.com|~ads.microsoft.com|~ads.midwayusa.com|~ads.mobilebet.com|~ads.mojagazetka.com|~ads.msstate.edu|~ads.mst.dk|~ads.mt|~ads.nc|~ads.nipr.ac.jp|~ads.olx.pl|~ads.pinterest.com|~ads.remix.es|~ads.rohlik.cz|~ads.rohlik.group|~ads.route.cc|~ads.safi-gmbh.ch|~ads.scotiabank.com|~ads.selfip.com|~ads.shopee.cn|~ads.shopee.co.th|~ads.shopee.com.br|~ads.shopee.com.mx|~ads.shopee.com.my|~ads.shopee.kr|~ads.shopee.ph|~ads.shopee.pl|~ads.shopee.sg|~ads.shopee.tw|~ads.shopee.vn|~ads.smartnews.com|~ads.snapchat.com|~ads.socialtheater.com|~ads.spotify.com|~ads.studyplus.co.jp|~ads.taboola.com|~ads.tiktok.com|~ads.tuver.ru|~ads.twitter.com|~ads.typepad.jp|~ads.us.tiktok.com|~ads.viksaffiliates.com|~ads.vk.com|~ads.watson.ch|~ads.x.com|~ads.yandex|~reempresa.org +://ads2. +://adserving. +://adsrv. +://adsserver. +://adv.$domain=~adv.asahi.com|~adv.bet|~adv.blue|~adv.chunichi.co.jp|~adv.cincsys.com|~adv.cryptonetlabs.it|~adv.derfunke.at|~adv.design|~adv.digimatix.ru|~adv.ec|~adv.ee|~adv.gg|~adv.hokkaido-np.co.jp|~adv.kompas.id|~adv.lack-girl.com|~adv.mcr.club|~adv.mcu.edu.tw|~adv.michaelgat.com|~adv.msk.ru|~adv.neosystem.co.uk|~adv.peronihorowicz.com.br|~adv.rest|~adv.ru|~adv.tools|~adv.trinet.ru|~adv.ua|~adv.vg|~adv.yomiuri.co.jp|~advancedradiology.com|~advids.co|~farapp.com|~pracuj.pl|~r7.com|~typeform.com|~welaika.com +://aff-ads. +://affiliate.$third-party +://affiliates.$third-party +://affiliates2.$third-party +://banner.$third-party +://banners.$third-party +://news-*/process.js?id=$third-party +://news-*/v2-sw.js$third-party +://oascentral. +://promo.$~media,third-party,domain=~myshopify.com|~promo.com|~shopifycloud.com|~slidely.com +://pt.*?psid=$third-party +://sli.*/imp?s=$image +://uads.$third-party,xmlhttprequest +?ab=1&zoneid= +?adspot_$domain=~sponichi.co.jp +?advertiser_id=$domain=~ads.pinterest.com +?bannerid= +?cs=*&abt=0&red=1&sm=$third-party +?service=ad& +?usid=*&utid= +?whichAd=freestar& +?wppaszoneid= +?wpstealthadsjs= +_ad_250.$image +_ad_300.$image +_advertise-$domain=~linkedin.com +_advertisment.$~xmlhttprequest +_images/ad.$image +_reklama_$domain=~youtube.com +||cacheserve.*/promodisplay/ +||cacheserve.*/promodisplay? +||online.*/promoredirect?key= +! https://github.com/easylist/easylist/issues/11123 +.com/ed/java.js$script +/ed/fol457.$script +! ad-ace (to avoid bait) +/plugins/ad-ace/assets/js/coupons.js$script +/plugins/ad-ace/assets/js/slot-slideup.js$script +/plugins/ad-ace/includes/shoppable-images/*$script +! readcomiconline.li +/Ads/bid300a.aspx$subdocument +/Ads/bid300b.aspx$subdocument +/Ads/bid300c.aspx$subdocument +/Ads/bid728.aspx$subdocument +! Amazon +/e/cm?$subdocument +/e/ir?$image,script +! +/in/track?data= +/senddata?site=banner +/senddata?site=inpage +! propu.sh variants +/ntfc.php?$script +! Clickadu servers +.com/src/ppu/$third-party +/aas/r45d/vki/*$third-party +/bultykh/ipp24/7/*$third-party +/ceef/gdt3g0/tbt/*$third-party +/fyckld0t/ckp/fd3w4/*$third-party +/i/npage/*$script,third-party +/lv/esnk/*$script,third-party +/pn07uscr/f/tr/zavbn/*$third-party +/q/tdl/95/dnt/*$third-party +/sc4fr/rwff/f9ef/*$third-party +/script/awesome.js$third-party +/ssp/req/*/?pb=$third-party +/t/9/heis/svewg/*$third-party +! streamhub.gg/qehyheswr3i8 / uploadhub.to/842q2djqdfub +/tabu/display.js$script +! (NSFW) exoads on donstick.com sites +/myvids/click/*$script,subdocument +/myvids/mltbn/*$script,subdocument +/myvids/mltbn2/*$script,subdocument +/myvids/rek/*$script,subdocument +! https://github.com/easylist/easylist/commit/6295313 +://rs-stripe.wsj.com/stripe/image? +! Dodgy sites +/?l=*&s=*&mprtr=$~third-party,xmlhttprequest +/push-skin/skin.min.js$script +/search/tsc.php? +! https://github.com/easylist/easylist/issues/5054 +/full-page-script.js$script +! bc.vc (https://github.com/NanoMeow/QuickReports/issues/198) +/earn.php?z=$popup,subdocument +! https://github.com/uBlockOrigin/uAssets/issues/2364 +/pop2.js?r=$script +! Ad-insertion script (see on: celebrityweightloss.com, myfirstclasslife.com, cultofmac.com) +/beardeddragon/armadillo.js$script +/beardeddragon/drake.js$script +/beardeddragon/gilamonster.js$script +/beardeddragon/iguana.js$script +/beardeddragon/tortoise.js$script +/beardeddragon/turtle.js$script +/beardeddragon/wyvern.js$script +/detroitchicago/anaheim.js$script +/detroitchicago/augusta.js$script +/detroitchicago/boise.js$script +/detroitchicago/cmbdv2.js$script +/detroitchicago/cmbv2.js$script +/detroitchicago/denver.js$script +/detroitchicago/gateway.js$script +/detroitchicago/houston.js$script +/detroitchicago/kenai.js$script +/detroitchicago/memphis.js$script +/detroitchicago/minneapolis.js$script +/detroitchicago/portland.js$script +/detroitchicago/raleigh.js$script +/detroitchicago/reportads.js$script +/detroitchicago/rochester.js$script +/detroitchicago/sidebarwall.js$script +/detroitchicago/springfield.js$script +/detroitchicago/stickyfix.js$script +/detroitchicago/tampa.js$script +/detroitchicago/tulsa.js$script +/detroitchicago/tuscon.js$script +/detroitchicago/vista.js$script +/detroitchicago/vpp.gif?$image +/detroitchicago/wichita.js$script +/edmonton.webp$script +/ezcl.webp?$script +/ezf-min.$script +/ezo/*$script,~third-party,domain=~yandex.by|~yandex.com|~yandex.kz|~yandex.ru|~yandex.ua +/ezoic/*$script,~third-party +/jellyfish.webp$script +/parsonsmaize/chanute.js$script +/parsonsmaize/mulvane.js$script +/parsonsmaize/olathe.js$script +/tardisrocinante/austin.js$script +/tardisrocinante/surgeonv2.js$script +/tardisrocinante/vitals.js$script +! prebid scripts +.prebid-bundle.js$script +.prebid.$domain=~prebid.org +/ad/postbid_handler1.$script +/ads_prebid_async.js$script +/gpt-prebid.js$script +/pbjsandwichdirecta9-$script +/plugins/prebidjs/*$script +/porpoiseant/*$script +/prebid-js-$script +/prebid-min-$script +/prebid.$script,domain=~prebid.org +/prebid/*$script +/prebid1.$script +/prebid2.$script +/prebid3.$script +/prebid4.$script +/prebid5.$script +/prebid6.$script +/prebid7.$script +/prebid8.$script +/prebid9.$script +/prebid_$script,third-party +/prebidlink/*$script +/tagman/*$domain=~abelssoft.de +_prebid.js$script +! +&sadbl=1&abtg=$third-party +&sadbl=1&chu=$third-party +! linkbucks.com script +/webservices/jsparselinks.aspx?$script +! domain parking redirection +/page/bouncy.php?$document +! Peel script +/jquery.peelback.$script +! Anti-Adblock +/ad-blocking-advisor/*$script,stylesheet +/ad-blocking-alert/*$stylesheet +/adblock-detect.$script +/adblock-detector.min.js$script +/adblock-notify-by-bweb/*$script,stylesheet +/adblock_detector2.$script +/adblock_logger.$script +/adblockdetect.js$script +/adBlockDetector/*$script +/ads-blocking-detector.$script +/anti-adblock/*$~stylesheet +/blockblock/blockblock.jquery.js$script +/jgcabd-detect-$script +/no-adblock/*$script,stylesheet +! *** easylist:easylist/easylist_general_block_dimensions.txt *** +-120-600. +-120_600_ +-120x600- +-120x600. +-120x600_ +-160-600. +-160x600-$image,subdocument +-160x600. +-160x600_ +-300-250. +-300x250-$image +-300x250_ +-300x600. +-460x68. +-468-100. +-468-60- +-468-60. +-468-60_ +-468_60. +-468x60- +-468x60. +-468x60/ +-468x60_ +-468x70. +-468x80-$image +-468x80. +-468x80/ +-468x80_ +-468x90. +-480x60- +-480x60. +-480x60/ +-480x60_ +-486x60. +-500x100. +-600x70. +-600x90- +-720x90- +-720x90. +-728-90- +-728-90. +-728.90. +-728x90- +-728x90. +-728x90/ +-728x90_ +-729x91- +-780x90- +-980x60- +-988x60. +.120x600. +.160x600. +.160x600_ +.300x250. +.300x250_ +.468x60- +.468x60. +.468x60/ +.468x60_ +.468x80- +.468x80. +.468x80/ +.468x80_ +.480x60- +.480x60. +.480x60/ +.480x60_ +.728x90- +.728x90/ +.728x90_ +.900x100. +/120-600- +/120-600. +/120_600. +/120_600/* +/120_600_ +/120x600- +/120x600. +/120x600/* +/120x600_ +/125x600- +/125x600_ +/130x600- +/160-600- +/160-600. +/160_600. +/160_600_ +/160x400- +/160x400_ +/160x600- +/160x600. +/160x600/* +/160x600_ +/190_900. +/300-250- +/300-250. +/300-600_ +/300_250_ +/300x150_ +/300x250- +/300x250.$image +/300x250_ +/300x250b. +/300x350. +/300x600- +/300x600_ +/300xx250. +/320x250.$image +/335x205_ +/336x280- +/336x280. +/336x280_ +/428x60. +/460x60. +/460x80_ +/468-20. +/468-60- +/468-60. +/468-60_ +/468_60.$image +/468_60_ +/468_80. +/468_80/* +/468x060. +/468x060_ +/468x150- +/468x280. +/468x280_ +/468x60- +/468x60.$~script +/468x60/* +/468x60_ +/468x72. +/468x72_ +/468x80- +/468x80. +/468x80_ +/470x030_ +/480x030. +/480x030_ +/480x60- +/480x60. +/480x60/* +/480x60_ +/480x70_ +/486x60_ +/496_98_ +/600-160- +/600-60. +/600-90. +/600_120_ +/600_90_ +/600x75_ +/600x90.$image +/60x468. +/640x100/* +/640x80- +/660x120_ +/700_100_ +/700_200. +/700x100. +/728-90- +/728-90. +/728-90/* +/728-90_ +/728_200. +/728_200_ +/728_90. +/728_90/* +/728_90_ +/728x90- +/728x90.$image +/728x90/* +/728x90_ +/750-100. +/750_150. +/750x100. +/760x120. +/760x120_ +/760x90_ +/768x90- +/768x90. +/780x90. +/800x160/* +/800x90. +/80x468_ +/960_60_ +/980x90. +/w300/h250/* +/w728/h90/* +=300x250/ +=336x280, +=468x60/ +=468x60_ +=468x80_ +=728x90/ +_120_600. +_120_600_ +_120x240. +_120x240_ +_120x500. +_120x600- +_120x600. +_120x600_ +_125x600_ +_128x600. +_140x600. +_140x600_ +_150x700_ +_160-600. +_160_600. +_160_600_ +_160x300. +_160x300_ +_160x350. +_160x400. +_160x600- +_160x600. +_160x600/ +_160x600_ +_300-250- +_300x250- +_300x250. +_300x250_ +_300x600. +_300x600_ +_320x250_ +_323x120_ +_336x120. +_350_100. +_350_100_ +_350x100. +_400-80. +_400x60. +_400x68. +_420x80. +_420x80_ +_438x50. +_438x60. +_438x60_ +_460_60. +_460x60. +_468-60. +_468-60_ +_468_60-$~script +_468_60. +_468_60_ +_468_80. +_468_80_ +_468x060- +_468x060. +_468x060_ +_468x100. +_468x100_ +_468x118. +_468x120. +_468x60- +_468x60. +_468x60/ +_468x60_ +_468x60b. +_468x80- +_468x80. +_468x80/ +_468x80_ +_468x90. +_468x90_ +_480_60. +_480_80_ +_480x60- +_480x60. +_480x60/ +_480x60_ +_486x60. +_486x60_ +_700_100_ +_700_150_ +_700_200_ +_720_90. +_720x90. +_720x90_ +_728-90. +_728-90_ +_728_90. +_728_90_ +_728x60. +_728x90- +_728x90. +_728x90/ +_728x90_ +_750x100. +_760x100. +_768x90_ +_800x100. +_800x80_ +! *** easylist:easylist/easylist_general_block_popup.txt *** +&adb=y&adb=y^$popup +&fp_sid=pop$popup,third-party +&popunder=$popup +&popundersPerIP=$popup +&zoneid=*&ad_$popup +&zoneid=*&direct=$popup +.co/ads/$popup +.com/ads?$popup +.fuse-cloud.com/$popup +.net/adx.php?$popup +.prtrackings.com$popup +/?placement=*&redirect$popup +/?redirect&placement=$popup +/?zoneid=*&timeout=$popup +/_xa/ads?$popup +/a/display.php?$popup +/ad.php?tag=$popup +/ad.php?zone$popup +/ad/display.php$popup +/ad/window.php?$popup +/ad_pop.php?$popup +/adclick.$popup +/adClick/*$popup +/adClick?$popup +/AdHandler.aspx?$popup +/adpreview?$popup +/ads/click?$popup +/adServe/*$popup +/adserver.$popup +/AdServer/*$popup,third-party +/adstream_sx.ads/*$popup +/adx.php?source=$popup +/aff_ad?$popup +/afu.php?$popup +/api/users?token=$popup +/click?adv=$popup +/gtm.js?$popup +/links/popad$popup +/out?zoneId=$popup +/pop-imp/*$popup +/pop.go?ctrlid=$popup +/popunder.$popup +/popunder/in/click/*$popup +/popunder_$popup +/popupads.$popup +/prod/go.html?$popup +/prod/redirect.html?lu=$popup +/redirect/?spot_id=$popup +/redirect?tid=$popup +/show?bver=$popup +/smartpop/*$popup +/tr?id=*&tk=$popup +/zcredirect?$popup +/zcvisitor/*$popup +/zp-redirect?$popup +://adn.*/zone/$popup +://ads.$popup,domain=~smartnews.com +://adv.$popup,domain=~adv.kompas.id|~adv.lack-girl.com +! Commonly used popup scripts on movie/tv streaming sites +|javascript:*setTimeout$popup +|javascript:*window.location$popup +! Used with many websites to generate multiple popups +|data:text$popup,domain=~clker.com +|dddata:text$popup +! ------------------------General element hiding rules-------------------------! +! *** easylist:easylist/easylist_general_hide.txt *** +###AC_ad +###AD_160 +###AD_300 +###AD_468x60 +###AD_G +###AD_L +###AD_ROW +###AD_Top +###AD_text +###ADbox +###Ad-3-Slider +###Ad-4-Slider +###Ad-Container +###Ad-Content +###Ad-Top +###AdBanner +###AdBar +###AdBigBox +###AdBillboard +###AdBlock +###AdBottomLeader +###AdBottomRight +###AdBox2 +###AdColumn +###AdContainerTop +###AdContent +###AdDisclaimer +###AdHeader +###AdMiddle +###AdPopUp +###AdRectangleBanner +###AdSense1 +###AdSense2 +###AdSense3 +###AdServer +###AdSkyscraper +###AdSlot_megabanner +###AdSpaceLeaderboard +###AdTop +###AdTopLeader +###AdWidgetContainer +###AdWrapperSuperCA +###AdZone1 +###AdZone2 +###Ad_BelowContent +###Ad_Block +###Ad_TopLeaderboard +###Adbanner +###Adlabel +###AdsBannerTop +###AdsBillboard +###AdsBottomContainer +###AdsContent +###AdsDiv +###AdsFrame +###AdsPubperform +###AdsRight +###AdsSky +###AdsTopContainer +###AdsWrap +###Ads_BA_BS +###Ads_BA_BUT +###Ads_BA_BUT2 +###Ads_BA_BUT_box +###Ads_BA_CAD +###Ads_BA_CAD2 +###Ads_BA_FLB +###Ads_BA_SKY +###Ads_BA_VID +###Ads_TFM_BS +###Ads_google_bottom_wide +###Adsense300x250 +###AdsenseBottom +###AdsenseTop +###Adsterra +###Adv10 +###Adv11 +###Adv8 +###Adv9 +###AdvContainer +###AdvFooter +###AdvHeader +###Adv_Footer +###AdvertMid1 +###AdvertMid2 +###AdvertPanel +###AdvertText +###AdvertiseFrame +###Advertisement1 +###Advertisement2 +###AdvertisementDiv +###AdvertisementLeaderboard +###Advertisements +###AdvertisingDiv_0 +###Advertorial +###Advertorials +###AnchorAd +###ArticleContentAd +###Banner728x90 +###BannerAd +###BannerAds +###BannerAdvert +###BannerAdvertisement +###BigBoxAd +###BigboxAdUnit +###BodyAd +###BodyTopAds +###Body_Ad8_divAdd +###BotAd +###BottomAdContainer +###BottomRightAdWrapper +###ButtonAd +###ContentAd +###Content_CA_AD_0_BC +###Content_CA_AD_1_BC +###DFP_top_leaderboard +###FooterAd +###FooterAdBlock +###FooterAdContainer +###GoogleAd +###GoogleAd1 +###GoogleAd2 +###GoogleAd3 +###GoogleAdRight +###GoogleAdTop +###GoogleAdsense +###HP1-ad +###HP2-ad +###HeadAd +###HeaderAD +###HeaderAd +###HeaderAdBlock +###HeaderAdsBlock +###HeroAd +###HomeAd1 +###IFrameAd +###IFrameAd1 +###IK-ad-area +###IK-ad-block +###IM_AD +###LayoutBottomAdBox +###LayoutHomeAdBoxBottom +###LeftAd +###LeftAd1 +###MPUAdSpace +###MPUadvertising +###MainAd +###NR-Ads +###PromotionAdBox +###RightAd +###RightAdBlock +###RightAdSpace +###RightAdvertisement +###SidebarAd +###SidebarAdContainer +###SitenavAdslot +###SkyAd +###SkyscraperAD +###SponsoredAd +###SponsoredAds +###SponsoredLinks +###SponsorsAds +###StickyBannerAd +###Top-ad +###TopADs +###TopAd +###TopAd0 +###TopAdBox +###TopAdContainer +###TopAdPlacement +###TopAdPos +###TopAdTable +###TopAdvert +###TopBannerAd +###TopRightRadvertisement +###VPNAdvert +###WelcomeAd +###aad-header-1 +###aad-header-2 +###aad-header-3 +###ab_adblock +###above-comments-ad +###above-fold-ad +###above-footer-ads +###aboveAd +###aboveNodeAds +###above_button_ad +###aboveplayerad +###abovepostads +###acm-ad-tag-lawrence_dfp_mobile_arkadium +###ad--article--home-mobile-paramount-wrapper +###ad--article-bottom-wrapper +###ad--article-top +###ad--sidebar +###ad-0 +###ad-1 +###ad-125x125 +###ad-160 +###ad-160x600 +###ad-2 +###ad-2-160x600 +###ad-250 +###ad-250x300 +###ad-3 +###ad-3-300x250 +###ad-300 +###ad-300-250 +###ad-300-additional +###ad-300-detail +###ad-300-sidebar +###ad-300X250-2 +###ad-300a +###ad-300b +###ad-300x250 +###ad-300x250-0 +###ad-300x250-2 +###ad-300x250-b +###ad-300x250-sidebar +###ad-300x250-wrapper +###ad-300x250_mid +###ad-300x250_mobile +###ad-300x250_top +###ad-300x600_top +###ad-4 +###ad-5 +###ad-6 +###ad-7 +###ad-728 +###ad-728-90 +###ad-728x90 +###ad-8 +###ad-9 +###ad-Content_1 +###ad-Content_2 +###ad-Rectangle_1 +###ad-Rectangle_2 +###ad-Superbanner +###ad-a +###ad-ads +###ad-advertorial +###ad-affiliate +###ad-after +###ad-anchor +###ad-around-the-web +###ad-article +###ad-article-in +###ad-aside-1 +###ad-background +###ad-ban +###ad-banner-1 +###ad-banner-atf +###ad-banner-bottom +###ad-banner-btf +###ad-banner-desktop +###ad-banner-image +###ad-banner-placement +###ad-banner-top +###ad-banner-wrap +###ad-banner_atf-label +###ad-bar +###ad-base +###ad-bb-content +###ad-below-content +###ad-bg +###ad-big +###ad-bigbox +###ad-bigsize +###ad-billboard +###ad-billboard-atf +###ad-billboard-bottom +###ad-billboard01 +###ad-blade +###ad-block +###ad-block-125 +###ad-block-2 +###ad-block-aa +###ad-block-bottom +###ad-block-container +###ad-border +###ad-bottom +###ad-bottom-banner +###ad-bottom-fixed +###ad-bottom-right-container +###ad-bottom-wrapper +###ad-box +###ad-box-1 +###ad-box-2 +###ad-box-bottom +###ad-box-halfpage +###ad-box-leaderboard +###ad-box-left +###ad-box-rectangle +###ad-box-rectangle-2 +###ad-box-right +###ad-box1 +###ad-box2 +###ad-boxes +###ad-break +###ad-bs +###ad-btm +###ad-buttons +###ad-campaign +###ad-carousel +###ad-case +###ad-center +###ad-chips +###ad-circfooter +###ad-code +###ad-col +###ad-container-banner +###ad-container-fullpage +###ad-container-inner +###ad-container-leaderboard +###ad-container-mpu +###ad-container-outer +###ad-container-overlay +###ad-container-top-placeholder +###ad-container1 +###ad-contentad +###ad-desktop-bottom +###ad-desktop-takeover-home +###ad-desktop-takeover-int +###ad-desktop-top +###ad-desktop-wrap +###ad-discover +###ad-display-ad +###ad-display-ad-placeholder +###ad-div-leaderboard +###ad-drawer +###ad-ear +###ad-extra-flat +###ad-featured-right +###ad-fixed-bottom +###ad-flex-top +###ad-flyout +###ad-footer-728x90 +###ad-framework-top +###ad-front-btf +###ad-front-footer +###ad-full-width +###ad-fullbanner-btf +###ad-fullbanner-outer +###ad-fullbanner2 +###ad-fullwidth +###ad-googleAdSense +###ad-gutter-left +###ad-gutter-right +###ad-halfpage +###ad-halfpage1 +###ad-halfpage2 +###ad-head +###ad-header-1 +###ad-header-2 +###ad-header-3 +###ad-header-left +###ad-header-mad +###ad-header-mobile +###ad-header-right +###ad-holder +###ad-horizontal +###ad-horizontal-header +###ad-horizontal-top +###ad-incontent +###ad-index +###ad-inline-block +###ad-label2 +###ad-large-banner-top +###ad-large-header +###ad-lb-secondary +###ad-lead +###ad-leadboard1 +###ad-leadboard2 +###ad-leader +###ad-leader-atf +###ad-leader-container +###ad-leader-wrapper +###ad-leaderboard +###ad-leaderboard-atf +###ad-leaderboard-bottom +###ad-leaderboard-container +###ad-leaderboard-footer +###ad-leaderboard-header +###ad-leaderboard-spot +###ad-leaderboard-top +###ad-leaderboard970x90home +###ad-leaderboard970x90int +###ad-leaderboard_bottom +###ad-leadertop +###ad-lrec +###ad-m-rec-content +###ad-main +###ad-main-bottom +###ad-main-top +###ad-manager +###ad-masthead +###ad-medium +###ad-medium-lower +###ad-medium-rectangle +###ad-medrec +###ad-medrec__first +###ad-mid +###ad-mid-rect +###ad-middle +###ad-midpage +###ad-minibar +###ad-module +###ad-mpu +###ad-mrec +###ad-mrec2 +###ad-new +###ad-north +###ad-one +###ad-other +###ad-output +###ad-overlay +###ad-p3 +###ad-page-1 +###ad-pan3l +###ad-panel +###ad-pencil +###ad-performance +###ad-performanceFullbanner1 +###ad-performanceRectangle1 +###ad-placeholder +###ad-placeholder-horizontal +###ad-placeholder-vertical +###ad-placement +###ad-plate +###ad-player +###ad-popup +###ad-popup-home +###ad-popup-int +###ad-post +###ad-promo +###ad-push +###ad-pushdown +###ad-r +###ad-rec-atf +###ad-rec-btf +###ad-rec-btf-top +###ad-rect +###ad-rectangle +###ad-rectangle1 +###ad-rectangle1-outer +###ad-rectangle2 +###ad-rectangle3 +###ad-results +###ad-right +###ad-right-bar-tall +###ad-right-container +###ad-right-sidebar +###ad-right-top +###ad-right2 +###ad-right3 +###ad-rotator +###ad-row +###ad-section +###ad-separator +###ad-shop +###ad-side +###ad-side-text +###ad-sidebar +###ad-sidebar-btf +###ad-sidebar-container +###ad-sidebar-mad +###ad-sidebar-mad-wrapper +###ad-sidebar1 +###ad-sidebar2 +###ad-site-header +###ad-skin +###ad-skm-below-content +###ad-sky +###ad-skyscraper +###ad-slideshow +###ad-slideshow2 +###ad-slot +###ad-slot-1 +###ad-slot-2 +###ad-slot-3 +###ad-slot-4 +###ad-slot-5 +###ad-slot-502 +###ad-slot-lb +###ad-slot-right +###ad-slot-top +###ad-slot1 +###ad-slot2 +###ad-slot4 +###ad-slug-wrapper +###ad-small-banner +###ad-space +###ad-space-big +###ad-splash +###ad-sponsors +###ad-spot +###ad-spot-bottom +###ad-spot-one +###ad-standard +###ad-standard-wrap +###ad-stickers +###ad-sticky-footer-container +###ad-story-right +###ad-story-top +###ad-stripe +###ad-target +###ad-teaser +###ad-text +###ad-three +###ad-top +###ad-top-250 +###ad-top-300x250 +###ad-top-728 +###ad-top-banner +###ad-top-leaderboard +###ad-top-left +###ad-top-lock +###ad-top-low +###ad-top-right +###ad-top-right-container +###ad-top-text-low +###ad-top-wrap +###ad-top-wrapper +###ad-tower +###ad-two +###ad-undefined +###ad-unit-right-bottom-160-600 +###ad-unit-right-middle-300-250 +###ad-unit-top-banner +###ad-vip-article +###ad-west +###ad-wide-leaderboard +###ad-wrap +###ad-wrap2 +###ad-wrapper +###ad-wrapper-728x90 +###ad-wrapper-footer-1 +###ad-wrapper-main-1 +###ad-wrapper-sidebar-1 +###ad-wrapper-top-1 +###ad1-placeholder +###ad125x125 +###ad160 +###ad160600 +###ad160x600 +###ad250 +###ad300 +###ad300-250 +###ad300_250 +###ad336 +###ad336x280 +###ad468 +###ad468x60 +###ad480x60 +###ad6 +###ad600 +###ad728 +###ad72890 +###ad728Box +###ad728Header +###ad728Mid +###ad728Top +###ad728Wrapper +###ad728X90 +###ad728foot +###ad728h +###ad728top +###ad728x90 +###ad728x90_1 +###ad90 +###ad900 +###ad970 +###ad970x90_exp +###adATF300x250 +###adATF728x90 +###adATFLeaderboard +###adAside +###adBTF300x250 +###adBadges +###adBanner1 +###adBanner336x280 +###adBannerBottom +###adBannerHeader +###adBannerSpacer +###adBannerTable +###adBannerTop +###adBar +###adBelt +###adBillboard +###adBlock01 +###adBlockBanner +###adBlockContainer +###adBlockContent +###adBlockOverlay +###adBlocks +###adBottom +###adBox +###adBrandDev +###adBrandingStation +###adBreak +###adCarousel +###adChannel +###adChoiceFooter +###adChoices +###adChoicesIcon +###adChoicesLogo +###adCol +###adColumn +###adColumn3 +###adComponentWrapper +###adContainer +###adContainer_1 +###adContainer_2 +###adContainer_3 +###adContent +###adContentHolder +###adContext +###adDiv +###adDiv0 +###adDiv1 +###adDiv300 +###adDiv4 +###adDiv728 +###adDivContainer +###adFiller +###adFlashDiv +###adFooter +###adFot +###adFrame +###adGallery +###adGoogleText +###adHeader +###adHeaderTop +###adHeaderWrapper +###adHeading +###adHeightstory +###adHolder +###adHolder1 +###adHolder2 +###adHolder3 +###adHolder4 +###adHolder5 +###adHolder6 +###adHome +###adHomeTop +###adIframe +###adInhouse +###adIsland +###adLB +###adLabel +###adLarge +###adLayer +###adLayerTop +###adLayout +###adLeader +###adLeaderTop +###adLeaderboard +###adLeaderboard-middle +###adLeft +###adLink +###adLink1 +###adLounge +###adLrec +###adMOBILETOP +###adMPU +###adMPUHolder +###adMain +###adMarketplace +###adMed +###adMedRect +###adMediumRectangle +###adMeld +###adMessage +###adMid2 +###adModal +###adMpu +###adMpuBottom +###adOuter +###adPartnerLinks +###adPlaceHolder1 +###adPlaceHolder2 +###adPlacement_1 +###adPlacement_2 +###adPlacement_3 +###adPlacement_4 +###adPlacement_7 +###adPlacement_8 +###adPlacement_9 +###adPlacer +###adPopover +###adPopup +###adPosition0 +###adPosition14 +###adPosition5 +###adPosition6 +###adPosition7 +###adPosition9 +###adPush +###adPushdown1 +###adReady +###adRight +###adRight1 +###adRight2 +###adRight3 +###adRight4 +###adRight5 +###adScraper +###adSection +###adSenseBox +###adSenseModule +###adSenseWrapper +###adSet +###adSide +###adSide1-container +###adSideButton +###adSidebar +###adSite +###adSkin +###adSkinBackdrop +###adSkinLeft +###adSkinRight +###adSky +###adSkyPosition +###adSkyscraper +###adSlider +###adSlot-dmpu +###adSlot-dontMissLarge +###adSlot-leader +###adSlot-leaderBottom +###adSlot1 +###adSlot2 +###adSlot3 +###adSlot4 +###adSlug +###adSpace +###adSpaceBottom +###adSpaceHeight +###adSpacer +###adSpecial +###adSqb +###adSquare +###adStrip +###adSuperbanner +###adTag +###adText +###adTextLink +###adTile +###adTop +###adTopContent +###adTopLREC +###adTopLarge +###adTopModule +###adTower +###adUnderArticle +###adUnit +###adWideSkyscraper +###adWrap +###adWrapper +###adWrapperSky +###ad_1 +###ad_160 +###ad_160_600 +###ad_160_600_2 +###ad_160x160 +###ad_160x600 +###ad_2 +###ad_250 +###ad_250x250 +###ad_3 +###ad_300 +###ad_300_250 +###ad_300_250_1 +###ad_300x250 +###ad_336 +###ad_4 +###ad_468_60 +###ad_468x60 +###ad_5 +###ad_728 +###ad_728_90 +###ad_728x90 +###ad_8 +###ad_9 +###ad_B1 +###ad_Banner +###ad_Bottom +###ad_LargeRec01 +###ad_Middle +###ad_Middle1 +###ad_Pushdown +###ad_R1 +###ad_Right +###ad_Top +###ad_Wrap +###ad__billboard +###ad_ad +###ad_adsense +###ad_after_header_1 +###ad_anchor +###ad_area +###ad_article1_1 +###ad_article1_2 +###ad_article2_1 +###ad_article2_2 +###ad_article3_1 +###ad_article3_2 +###ad_banner +###ad_banner_1 +###ad_banner_468x60 +###ad_banner_728x90 +###ad_banner_bot +###ad_banner_top +###ad_banners +###ad_bar +###ad_bar_rect +###ad_before_header +###ad_bg +###ad_bg_image +###ad_big +###ad_bigbox +###ad_bigbox_companion +###ad_bigrectangle +###ad_billboard +###ad_block +###ad_block_0 +###ad_block_1 +###ad_block_2 +###ad_block_mpu +###ad_bnr_atf_01 +###ad_bnr_atf_02 +###ad_bnr_atf_03 +###ad_bnr_btf_07 +###ad_bnr_btf_08 +###ad_body +###ad_bottom +###ad_box +###ad_box_top +###ad_branding +###ad_bsb +###ad_bsb_cont +###ad_btmslot +###ad_button +###ad_buttons +###ad_cell +###ad_center +###ad_choices +###ad_close +###ad_closebtn +###ad_comments +###ad_cont +###ad_cont_superbanner +###ad_container +###ad_container_0 +###ad_container_300x250 +###ad_container_side +###ad_container_sidebar +###ad_container_top +###ad_content +###ad_content_1 +###ad_content_2 +###ad_content_3 +###ad_content_fullsize +###ad_content_primary +###ad_content_right +###ad_content_top +###ad_content_wrap +###ad_contentslot_1 +###ad_contentslot_2 +###ad_creative_2 +###ad_creative_3 +###ad_creative_5 +###ad_dfp_rec1 +###ad_display_300_250 +###ad_display_728_90 +###ad_div +###ad_div_bottom +###ad_div_top +###ad_feedback +###ad_foot +###ad_footer +###ad_footer1 +###ad_footerAd +###ad_frame +###ad_frame1 +###ad_from_bottom +###ad_fullbanner +###ad_gallery +###ad_gallery_bot +###ad_global_300x250 +###ad_global_above_footer +###ad_global_header +###ad_global_header1 +###ad_global_header2 +###ad_h3 +###ad_halfpage +###ad_head +###ad_header +###ad_header_1 +###ad_header_container +###ad_holder +###ad_home +###ad_home_middle +###ad_horizontal +###ad_houseslot_a +###ad_houseslot_b +###ad_hp +###ad_img +###ad_interthread +###ad_island +###ad_island2 +###ad_label +###ad_large +###ad_large_rectangular +###ad_lateral +###ad_layer +###ad_ldb +###ad_lead1 +###ad_leader +###ad_leaderBoard +###ad_leaderboard +###ad_leaderboard_top +###ad_left +###ad_left_1 +###ad_left_2 +###ad_left_3 +###ad_left_skyscraper +###ad_left_top +###ad_leftslot +###ad_link +###ad_links +###ad_links_footer +###ad_lnk +###ad_lrec +###ad_lwr_square +###ad_main +###ad_main_leader +###ad_main_top +###ad_marginal +###ad_marker +###ad_mast +###ad_med_rect +###ad_medium +###ad_medium_rectangle +###ad_medium_rectangular +###ad_mediumrectangle +###ad_message +###ad_middle +###ad_middle_bottom +###ad_midstrip +###ad_mobile +###ad_module +###ad_mpu +###ad_mpu2 +###ad_mpu300x250 +###ad_mrec +###ad_mrec1 +###ad_mrec2 +###ad_mrec_intext +###ad_mrec_intext2 +###ad_new +###ad_news_article +###ad_newsletter +###ad_one +###ad_overlay +###ad_overlayer +###ad_panel +###ad_panorama_top +###ad_pencil +###ad_place +###ad_placeholder +###ad_player +###ad_plugs +###ad_popup_background +###ad_popup_wrapper +###ad_post +###ad_poster +###ad_primary +###ad_publicidad +###ad_rail +###ad_rec_01 +###ad_rect +###ad_rect1 +###ad_rect2 +###ad_rect3 +###ad_rect_body +###ad_rect_bottom +###ad_rect_btf_01 +###ad_rect_btf_02 +###ad_rect_btf_03 +###ad_rect_btf_04 +###ad_rect_btf_05 +###ad_rectangle +###ad_region1 +###ad_region2 +###ad_region3 +###ad_region5 +###ad_results +###ad_right +###ad_right_box +###ad_right_top +###ad_rightslot +###ad_rotator-2 +###ad_rotator-3 +###ad_row +###ad_row_home +###ad_rr_1 +###ad_sec +###ad_sec_div +###ad_secondary +###ad_short +###ad_sidebar +###ad_sidebar1 +###ad_sidebar2 +###ad_sidebar3 +###ad_sidebar_1 +###ad_sidebar_left_container +###ad_sidebar_news +###ad_sidebar_top +###ad_sidebody +###ad_site_header +###ad_sitebar +###ad_skin +###ad_slot +###ad_slot_bottom +###ad_slot_leaderboard +###ad_small +###ad_space_top +###ad_sponsored +###ad_spot_a +###ad_spot_b +###ad_spotlight +###ad_square +###ad_squares +###ad_ss +###ad_stck +###ad_sticky_wrap +###ad_strip +###ad_superbanner +###ad_table +###ad_takeover +###ad_tall +###ad_tbl +###ad_top +###ad_topBanner +###ad_topScroller +###ad_top_728x90 +###ad_top_banner +###ad_top_bar +###ad_top_holder +###ad_topbanner +###ad_topmob +###ad_topnav +###ad_topslot +###ad_two +###ad_txt +###ad_under_game +###ad_unit +###ad_unit1 +###ad_unit2 +###ad_vertical +###ad_video_abovePlayer +###ad_video_belowPlayer +###ad_video_large +###ad_video_root +###ad_wallpaper +###ad_wide +###ad_wide_box +###ad_wideboard +###ad_widget +###ad_widget_1 +###ad_window +###ad_wp +###ad_wp_base +###ad_wrap +###ad_wrapper +###ad_wrapper1 +###ad_wrapper2 +###ad_xrail_top +###ad_zone +###adaptvcompanion +###adb_bottom +###adbackground +###adbanner-container +###adbanner1 +###adbannerbox +###adbannerdiv +###adbannerleft +###adbannerright +###adbannerwidget +###adbar +###adbig +###adblade +###adblade_ad +###adblock-big +###adblock-leaderboard +###adblock-small +###adblock1 +###adblock2 +###adblock4 +###adblockbottom +###adbn +###adbnr +###adboard +###adbody +###adbottom +###adbottomleft +###adbottomright +###adbox +###adbox--hot_news_ad +###adbox--page_bottom_ad +###adbox--page_top_ad +###adbox-inarticle +###adbox-topbanner +###adbox1 +###adbox2 +###adbox_content +###adbox_right +###adbutton +###adbuttons +###adcell +###adcenter +###adcenter2 +###adcenter4 +###adchoices-icon +###adchoicesBtn +###adclear +###adclose +###adcode +###adcolContent +###adcolumn +###adcontainer +###adcontainer1 +###adcontainer2 +###adcontainer3 +###adcontainer5 +###adcontainerRight +###adcontainer_ad_content_top +###adcontent1 +###adcontent2 +###adcontextlinks +###addbottomleft +###addemam-wrapper +###addvert +###adfactor-label +###adfloat +###adfooter +###adfooter_728x90 +###adframe:not(frameset) +###adframetop +###adfreeDeskSpace +###adhalfpage +###adhead +###adheader +###adhesion +###adhesionAdSlot +###adhesionUnit +###adhide +###adholder +###adholderContainerHeader +###adhome +###adhomepage +###adjacency +###adlabel +###adlabelFooter +###adlabelfooter +###adlabelheader +###adlanding +###adlayer +###adlayerContainer +###adlayerad +###adleaderboard +###adleft +###adlinks +###adlrec +###adm-inline-article-ad-1 +###adm-inline-article-ad-2 +###admain +###admasthead +###admid +###admobilefoot +###admobilefootinside +###admobilemiddle +###admobiletop +###admobiletopinside +###admod2 +###admpubottom +###admpubottom2 +###admpufoot +###admpumiddle +###admpumiddle2 +###admputop2 +###admsg +###adnet +###adnorth +###ados1 +###ados2 +###ados3 +###ados4 +###adplace +###adplacement +###adpos-top +###adpos2 +###adposition +###adposition1 +###adposition10 +###adposition1_container +###adposition2 +###adposition3 +###adposition4 +###adpositionbottom +###adrect +###adright +###adright2 +###adrightbottom +###adrightrail +###adriver_middle +###adriver_top +###adrotator +###adrow +###adrow1 +###adrow3 +###ads-1 +###ads-125 +###ads-200 +###ads-250 +###ads-300 +###ads-300-250 +###ads-336x280 +###ads-468 +###ads-5 +###ads-728x90 +###ads-728x90-I3 +###ads-728x90-I4 +###ads-area +###ads-article-left +###ads-banner +###ads-banner-top +###ads-bar +###ads-before-content +###ads-bg +###ads-bg-mobile +###ads-billboard +###ads-block +###ads-blog +###ads-bot +###ads-bottom +###ads-col +###ads-container +###ads-container-2 +###ads-container-anchor +###ads-container-single +###ads-container-top +###ads-content +###ads-content-double +###ads-footer +###ads-footer-inner +###ads-footer-wrap +###ads-google +###ads-header +###ads-header-728 +###ads-home-468 +###ads-horizontal +###ads-inread +###ads-inside-content +###ads-leader +###ads-leaderboard +###ads-leaderboard1 +###ads-left +###ads-left-top +###ads-lrec +###ads-main +###ads-menu +###ads-middle +###ads-mpu +###ads-outer +###ads-pagetop +###ads-panel +###ads-pop +###ads-position-header-desktop +###ads-right +###ads-right-bottom +###ads-right-skyscraper +###ads-right-top +###ads-slot +###ads-space +###ads-superBanner +###ads-text +###ads-top +###ads-top-728 +###ads-top-wrap +###ads-under-rotator +###ads-vertical +###ads-vertical-wrapper +###ads-wrap +###ads-wrapper +###ads1 +###ads120 +###ads125 +###ads1_box +###ads2 +###ads2_block +###ads2_box +###ads2_container +###ads3 +###ads300 +###ads300-250 +###ads300x200 +###ads300x250 +###ads300x250_2 +###ads336x280 +###ads4 +###ads468x60 +###ads50 +###ads7 +###ads728 +###ads728bottom +###ads728top +###ads728x90 +###ads728x90_2 +###ads728x90top +###adsBar +###adsBottom +###adsContainer +###adsContent +###adsDisplay +###adsHeader +###adsHeading +###adsLREC +###adsLeft +###adsLinkFooter +###adsMobileFixed +###adsMpu +###adsPanel +###adsRight +###adsRightDiv +###adsSectionLeft +###adsSectionRight +###adsSquare +###adsTG +###adsTN +###adsTop +###adsTopLeft +###adsTopMobileFixed +###adsZone +###adsZone1 +###adsZone2 +###ads[style^="position: absolute; z-index: 30; width: 100%; height"] +###ads_0_container +###ads_160 +###ads_3 +###ads_300 +###ads_300x250 +###ads_4 +###ads_728 +###ads_728x90 +###ads_728x90_top +###ads_banner +###ads_banner1 +###ads_banner_header +###ads_belownav +###ads_big +###ads_block +###ads_body_1 +###ads_body_2 +###ads_body_3 +###ads_body_4 +###ads_body_5 +###ads_body_6 +###ads_bottom +###ads_box +###ads_box1 +###ads_box2 +###ads_box_bottom +###ads_box_right +###ads_box_top +###ads_button +###ads_campaign +###ads_catDiv +###ads_center +###ads_center_banner +###ads_central +###ads_combo2 +###ads_container +###ads_content +###ads_desktop_r1 +###ads_desktop_r2 +###ads_expand +###ads_footer +###ads_fullsize +###ads_h +###ads_h1 +###ads_h2 +###ads_halfsize +###ads_header +###ads_horiz +###ads_horizontal +###ads_horz +###ads_in_modal +###ads_in_video +###ads_inline_z +###ads_inner +###ads_insert_container +###ads_layout_bottom +###ads_lb +###ads_lb_frame +###ads_leaderbottom +###ads_left +###ads_left_top +###ads_line +###ads_medrect +###ads_notice +###ads_overlay +###ads_page_top +###ads_place +###ads_placeholder +###ads_player +###ads_popup +###ads_right +###ads_right_sidebar +###ads_right_top +###ads_slide_div +###ads_space +###ads_space_header +###ads_superbanner1 +###ads_superbanner2 +###ads_superior +###ads_td +###ads_text +###ads_textlinks +###ads_title +###ads_top +###ads_top2 +###ads_top_banner +###ads_top_container +###ads_top_content +###ads_top_right +###ads_top_sec +###ads_topbanner +###ads_tower1 +###ads_tower_top +###ads_vert +###ads_video +###ads_wide +###ads_wrapper +###adsbot +###adsbottom +###adsbox +###adsbox-left +###adsbox-right +###adscenter +###adscolumn +###adscontainer +###adscontent +###adsdiv +###adsection +###adsense-2 +###adsense-468x60 +###adsense-area +###adsense-bottom +###adsense-container-bottom +###adsense-header +###adsense-link +###adsense-links +###adsense-middle +###adsense-post +###adsense-right +###adsense-sidebar +###adsense-tag +###adsense-text +###adsense-top +###adsense-wrap +###adsense1 +###adsense2 +###adsense468 +###adsense6 +###adsense728 +###adsenseArea +###adsenseContainer +###adsenseHeader +###adsenseLeft +###adsenseWrap +###adsense_banner_top +###adsense_block +###adsense_bottom_ad +###adsense_box +###adsense_box2 +###adsense_center +###adsense_image +###adsense_inline +###adsense_leaderboard +###adsense_overlay +###adsense_r_side_sticky_container +###adsense_sidebar +###adsense_top +###adsenseheader +###adsensehorizontal +###adsensempu +###adsenseskyscraper +###adsensetext +###adsensetop +###adsensewide +###adserv +###adsframe_2 +###adside +###adsimage +###adsitem +###adskeeper +###adskinleft +###adskinlink +###adskinright +###adskintop +###adsky +###adskyscraper +###adskyscraper_flex +###adsleft1 +###adslider +###adslist +###adslot-below-updated +###adslot-download-abovefiles +###adslot-half-page +###adslot-homepage-middle +###adslot-infobox +###adslot-left-skyscraper +###adslot-side-mrec +###adslot-site-footer +###adslot-site-header +###adslot-sticky-headerbar +###adslot-top-rectangle +###adslot1 +###adslot2 +###adslot3 +###adslot300x250ATF +###adslot300x250BTF +###adslot4 +###adslot5 +###adslot6 +###adslot7 +###adslot_1 +###adslot_2 +###adslot_left +###adslot_rect +###adslot_top +###adsmgid +###adsmiddle +###adsonar +###adspace +###adspace-1 +###adspace-2 +###adspace-300x250 +###adspace-728 +###adspace-728x90 +###adspace-bottom +###adspace-leaderboard-top +###adspace-one +###adspace-top +###adspace300x250 +###adspaceBox +###adspaceRow +###adspace_header +###adspace_leaderboard +###adspace_top +###adspacer +###adspan +###adsplace1 +###adsplace2 +###adsplace4 +###adsplash +###adspot +###adspot-bottom +###adspot-top +###adsquare +###adsquare2 +###adsright +###adsside +###adsspace +###adstext2 +###adstrip +###adtab +###adtext +###adtop +###adtxt +###adunit +###adunit-article-bottom +###adunit_video +###adunitl +###adv-01 +###adv-300 +###adv-Bottom +###adv-BoxP +###adv-Middle +###adv-Middle1 +###adv-Middle2 +###adv-Scrollable +###adv-Top +###adv-TopLeft +###adv-banner +###adv-banner-r +###adv-box +###adv-companion-iframe +###adv-container +###adv-gpt-box-container1 +###adv-gpt-masthead-skin-container1 +###adv-halfpage +###adv-header +###adv-leaderblock +###adv-leaderboard +###adv-left +###adv-masthead +###adv-middle +###adv-middle1 +###adv-midroll +###adv-native +###adv-preroll +###adv-right +###adv-right1 +###adv-scrollable +###adv-sticky-1 +###adv-sticky-2 +###adv-text +###adv-title +###adv-top +###adv-top-skin +###adv300x250 +###adv300x250container +###adv468x90 +###adv728 +###adv728x90 +###adv768x90 +###advBoxBottom +###advCarrousel +###advHome +###advHook-Middle1 +###advRectangle +###advRectangle1 +###advSkin +###advTop +###advWrapper +###adv_300 +###adv_728 +###adv_728x90 +###adv_BoxBottom +###adv_Inread +###adv_IntropageOvl +###adv_LdbMastheadPush +###adv_Reload +###adv_Skin +###adv_bootom +###adv_border +###adv_center +###adv_config +###adv_contents +###adv_footer +###adv_holder +###adv_leaderboard +###adv_mob +###adv_mpu1 +###adv_mpu2 +###adv_network +###adv_overlay +###adv_overlay_content +###adv_r +###adv_right +###adv_skin +###adv_sky +###adv_textlink +###adv_top +###adv_wallpaper +###adv_wallpaper2 +###advads_ad_widget-18 +###advads_ad_widget-19 +###advads_ad_widget-8 +###adver +###adver-top +###adverFrame +###advert-1 +###advert-120 +###advert-2 +###advert-ahead +###advert-article +###advert-article-1 +###advert-article-2 +###advert-article-3 +###advert-banner +###advert-banner-container +###advert-banner-wrap +###advert-banner2 +###advert-block +###advert-boomer +###advert-box +###advert-column +###advert-container-top +###advert-display +###advert-fireplace +###advert-footer +###advert-footer-hidden +###advert-header +###advert-island +###advert-leaderboard +###advert-left +###advert-mpu +###advert-posterad +###advert-rectangle +###advert-right +###advert-sky +###advert-skyscaper +###advert-skyscraper +###advert-slider-top +###advert-text +###advert-top +###advert-top-banner +###advert-wrapper +###advert1 +###advert2 +###advertBanner +###advertBox +###advertBoxRight +###advertBoxSquare +###advertColumn +###advertContainer +###advertDB +###advertOverlay +###advertRight +###advertSection +###advertTop +###advertTopLarge +###advertTopSmall +###advertTower +###advertWrapper +###advert_1 +###advert_banner +###advert_belowmenu +###advert_box +###advert_container +###advert_header +###advert_leaderboard +###advert_mid +###advert_mpu +###advert_right1 +###advert_sky +###advert_top +###advertblock +###advertborder +###adverticum_r_above +###adverticum_r_above_container +###adverticum_r_side_container +###advertise +###advertise-block +###advertise-here +###advertise-sidebar +###advertise1 +###advertise2 +###advertiseBanner +###advertiseLink +###advertise_top +###advertisediv +###advertisement-300x250 +###advertisement-bottom +###advertisement-content +###advertisement-large +###advertisement-placement +###advertisement-text +###advertisement1 +###advertisement2 +###advertisement3 +###advertisement728x90 +###advertisementArea +###advertisementBox +###advertisementHorizontal +###advertisementRight +###advertisementTop +###advertisement_banner +###advertisement_belowscreenshots +###advertisement_block +###advertisement_box +###advertisement_container +###advertisement_label +###advertisement_notice +###advertisement_title +###advertisements_bottom +###advertisements_sidebar +###advertisements_top +###advertisementsarticle +###advertiser-container +###advertiserLinks +###advertisetop +###advertising-160x600 +###advertising-300x250 +###advertising-728x90 +###advertising-banner +###advertising-caption +###advertising-container +###advertising-right +###advertising-skyscraper +###advertising-top +###advertisingHrefTop +###advertisingLeftLeft +###advertisingLink +###advertisingRightColumn +###advertisingRightRight +###advertisingTop +###advertisingTopWrapper +###advertising_300 +###advertising_320 +###advertising_728 +###advertising__banner__content +###advertising_column +###advertising_container +###advertising_contentad +###advertising_div +###advertising_header +###advertising_holder +###advertising_leaderboard +###advertising_top_container +###advertising_wrapper +###advertisment-horizontal +###advertisment-text +###advertisment1 +###advertisment_content +###advertisment_panel +###advertleft +###advertorial +###advertorial-box +###advertorial-wrap +###advertorial1 +###advertorial_links +###adverts +###adverts--footer +###adverts-top-container +###adverts-top-left +###adverts-top-middle +###adverts-top-right +###adverts_base +###adverts_post_content +###adverts_right +###advertscroll +###advertsingle +###advertspace +###advertssection +###adverttop +###advframe +###advr_mobile +###advsingle +###advt +###advt_bottom +###advtbar +###advtcell +###advtext +###advtop +###advtopright +###adwallpaper +###adwidget +###adwidget-5 +###adwidget-6 +###adwidget1 +###adwidget2 +###adwrapper +###adxBigAd +###adxBigAd2 +###adxLeaderboard +###adxMiddle +###adxMiddleRight +###adxToolSponsor +###adx_ad +###adxtop2 +###adzbanner +###adzone +###adzone-middle1 +###adzone-middle2 +###adzone-right +###adzone-top +###adzone_content +###adzone_wall +###adzonebanner +###adzoneheader +###afc-container +###affiliate_2 +###affiliate_ad +###after-dfp-ad-mid1 +###after-dfp-ad-mid2 +###after-dfp-ad-mid3 +###after-dfp-ad-mid4 +###after-dfp-ad-top +###after-header-ads +###after-top-menu-ads +###after_ad +###after_bottom_ad +###after_heading_ad +###after_title_ad +###amazon-ads +###amazon_ad +###analytics_ad +###anchor-ad +###anchorAd +###aniview-ads +###aom-ad-right_side_1 +###aom-ad-right_side_2 +###aom-ad-top +###apiBackgroundAd +###article-ad +###article-ad-container +###article-ad-content +###article-ads +###article-advert +###article-aside-top-ad +###article-billboard-ad-1 +###article-bottom-ad +###article-box-ad +###article-content-ad +###article-footer-ad +###article-footer-sponsors +###article-island-ad +###article-sidebar-ad +###articleAd +###articleAdReplacement +###articleBoard-ad +###articleBottom-ads +###articleLeftAdColumn +###articleSideAd +###articleTop-ads +###article_ad +###article_ad_1 +###article_ad_3 +###article_ad_bottom +###article_ad_container +###article_ad_top +###article_ad_w +###article_adholder +###article_ads +###article_advert +###article_banner_ad +###article_body_ad1 +###article_box_ad +###articlead1 +###articlead2 +###articlead300x250r +###articleadblock +###articlefootad +###articletop_ad +###aside-ad-container +###asideAd +###aside_ad +###asideads +###asinglead +###ax-billboard +###ax-billboard-bottom +###ax-billboard-sub +###ax-billboard-top +###backad +###background-ad-cover +###background-adv +###background_ad_left +###background_ad_right +###background_ads +###backgroundadvert +###banADbanner +###banner-300x250 +###banner-468x60 +###banner-728 +###banner-728x90 +###banner-ad +###banner-ad-container +###banner-ad-large +###banner-ads +###banner-advert +###banner-lg-ad +###banner-native-ad +###banner-skyscraper +###banner300x250 +###banner468 +###banner468x60 +###banner728 +###banner728x90 +###bannerAd +###bannerAdFrame +###bannerAdTop +###bannerAdWrap +###bannerAdWrapper +###bannerAds +###bannerAdsense +###bannerAdvert +###bannerGoogle +###banner_ad_bottom +###banner_ad_footer +###banner_ad_module +###banner_ad_placeholder +###banner_ad_top +###banner_ads +###banner_adsense +###banner_adv +###banner_advertisement +###banner_adverts +###banner_content_ad +###banner_sedo +###banner_slot +###banner_spacer +###banner_topad +###banner_videoad +###banner_wrapper_top +###bannerad-bottom +###bannerad-top +###bannerad2 +###banneradrow +###bannerads +###banneradspace +###banneradvert3 +###banneradvertise +###bannerplayer-wrap +###baseboard-ad +###baseboard-ad-wrapper +###bbContentAds +###bb_ad_container +###bb_top_ad +###bbadwrap +###before-footer-ad +###below-listings-ad +###below-menu-ad-header +###below-post-ad +###below-title-ad +###belowAd +###belowContactBoxAd +###belowNodeAds +###below_content_ad_container +###belowad +###belowheaderad +###bg-custom-ad +###bgad +###big-box-ad +###bigAd +###bigAd1 +###bigAd2 +###bigAdDiv +###bigBoxAd +###bigBoxAdCont +###big_ad +###big_ad_label +###big_ads +###bigad +###bigadbox +###bigads +###bigadspace +###bigadspot +###bigboard_ad +###bigsidead +###billboard-ad +###billboard-atf +###billboard_ad +###bingadcontainer2 +###blkAds1 +###blkAds2 +###blkAds3 +###blkAds4 +###blkAds5 +###block-ad-articles +###block-adsense-0 +###block-adsense-2 +###block-adsense-banner-article-bottom +###block-adsense-banner-channel-bottom +###block-adsenseleaderboard +###block-advertisement +###block-advertorial +###block-articlebelowtextad +###block-articlefrontpagead +###block-articletopadvert +###block-dfp-top +###block-frontpageabovepartnersad +###block-frontpagead +###block-frontpagesideadvert1 +###block-google-ads +###block-googleads3 +###block-googleads3-2 +###block-openads-0 +###block-openads-1 +###block-openads-13 +###block-openads-14 +###block-openads-2 +###block-openads-3 +###block-openads-4 +###block-openads-5 +###block-sponsors +###blockAd +###blockAds +###block_ad +###block_ad2 +###block_ad_container +###block_advert +###block_advert1 +###block_advert2 +###block_advertisement +###blog-ad +###blog-advert +###blogad +###blogad-wrapper +###blogads +###bm-HeaderAd +###bn_ad +###bnr-300x250 +###bnr-468x60 +###bnr-728x90 +###bnrAd +###body-ads +###bodyAd1 +###bodyAd2 +###bodyAd3 +###bodyAd4 +###body_ad +###body_centered_ad +###bottom-ad +###bottom-ad-1 +###bottom-ad-area +###bottom-ad-banner +###bottom-ad-container +###bottom-ad-leaderboard +###bottom-ad-slot +###bottom-ad-tray +###bottom-ad-wrapper +###bottom-add +###bottom-adhesion +###bottom-adhesion-container +###bottom-ads +###bottom-ads-bar +###bottom-ads-container +###bottom-adspot +###bottom-advertising +###bottom-boxad +###bottom-not-ads +###bottom-side-ad +###bottom-sponsor-add +###bottomAd +###bottomAd300 +###bottomAdBlcok +###bottomAdContainer +###bottomAdSection +###bottomAdSense +###bottomAdSenseDiv +###bottomAdWrapper +###bottomAds +###bottomAdvBox +###bottomBannerAd +###bottomContentAd +###bottomDDAd +###bottomLeftAd +###bottomMPU +###bottomRightAd +###bottom_ad +###bottom_ad_728 +###bottom_ad_area +###bottom_ad_box +###bottom_ad_region +###bottom_ad_unit +###bottom_ad_wrapper +###bottom_adbox +###bottom_ads +###bottom_adwrapper +###bottom_banner_ad +###bottom_fixed_ad_overlay +###bottom_leader_ad +###bottom_player_adv +###bottom_sponsor_ads +###bottom_sponsored_links +###bottom_text_ad +###bottomad +###bottomad300 +###bottomad_table +###bottomadbanner +###bottomadbar +###bottomadholder +###bottomads +###bottomadsdiv +###bottomadsense +###bottomadvert +###bottomadwrapper +###bottomcontentads +###bottomleaderboardad +###bottommpuAdvert +###bottommpuSlot +###bottomsponad +###bottomsponsoredresults +###box-ad +###box-ad-section +###box-ad-sidebar +###box-content-ad +###box1ad +###box2ad +###boxAD +###boxAd +###boxAd300 +###boxAdContainer +###boxAdvert +###boxLREC +###box_ad +###box_ad_container +###box_ad_middle +###box_ads +###box_advertisement +###box_advertisment +###box_articlead +###box_text_ads +###boxad +###boxads +###bpAd +###br-ad-header +###breadcrumb_ad +###breakbarad +###bsa_add_holder_g +###bt-ad +###bt-ad-header +###btfAdNew +###btm_ad +###btm_ads +###btmad +###btnAdDP +###btnAds +###btnads +###btopads +###button-ads +###button_ad_container +###button_ads +###buy-sell-ads +###buySellAds +###buysellads +###carbon-ads-container-bg +###carbonadcontainer +###carbonads +###carbonads-container +###card-ads-top +###category-ad +###category-sponsor +###cellAd +###center-ad +###center-ad-group +###centerads +###ch-ad-outer-right +###ch-ads +###channel_ad +###channel_ads +###circ_ad +###circ_ad_holder +###circad_wrapper +###classifiedsads +###clickforad +###clientAds +###closeAdsDiv +###closeable-ad +###cloudAdTag +###col-right-ad +###colAd +###colombiaAdBox +###columnAd +###commentAdWrapper +###commentTopAd +###comment_ad_zone +###comments-ad-container +###comments-ads +###comments-standalone-mpu +###compAdvertisement +###companion-ad +###companionAd +###companionAdDiv +###companion_Ad +###companionad +###connatix +###connatix-moveable +###connatix_placeholder_desktop +###container-ad +###container_ad +###content-ad +###content-ad-side +###content-ads +###content-adver +###content-contentad +###content-header-ad +###content-left-ad +###content-right-ad +###contentAd +###contentAdSense +###contentAdTwo +###contentAds +###contentBoxad +###content_Ad +###content_ad +###content_ad_1 +###content_ad_2 +###content_ad_block +###content_ad_container +###content_ad_placeholder +###content_ads +###content_ads_top +###content_adv +###content_bottom_ad +###content_bottom_ads +###content_mpu +###contentad +###contentad-adsense-homepage-1 +###contentad-commercial-1 +###contentad-content-box-1 +###contentad-footer-tfm-1 +###contentad-lower-medium-rectangle-1 +###contentad-story-middle-1 +###contentad-superbanner-1 +###contentad-top-adsense-1 +###contentad-topbanner-1 +###contentadcontainer +###contentads +###contextad +###contextual-ads +###contextual-ads-block +###contextualad +###cornerad +###coverads +###criteoAd +###crt-adblock-a +###crt-adblock-b +###ctl00_ContentPlaceHolder1_ucAdHomeRightFO_divAdvertisement +###ctl00_ContentPlaceHolder1_ucAdHomeRight_divAdvertisement +###ctl00_adFooter +###ctl00_leaderboardAdvertContainer +###ctl00_skyscraperAdvertContainer +###ctl00_topAd +###ctl00_ucFooter_ucFooterBanner_divAdvertisement +###cubeAd +###cube_ad +###cube_ads +###customAd +###customAds +###customad +###darazAd +###ddAdZone2 +###desktop-ad-top +###desktop-sidebar-ad +###desktop_middle_ad_fixed +###desktop_top_ad_fixed +###dfp-ad-bottom-wrapper +###dfp-ad-container +###dfp-ad-floating +###dfp-ad-leaderboard +###dfp-ad-leaderboard-wrapper +###dfp-ad-medium_rectangle +###dfp-ad-mediumrect-wrapper +###dfp-ad-mpu1 +###dfp-ad-mpu2 +###dfp-ad-right1 +###dfp-ad-right1-wrapper +###dfp-ad-right2 +###dfp-ad-right2-wrapper +###dfp-ad-right3 +###dfp-ad-right4-wrapper +###dfp-ad-slot2 +###dfp-ad-slot3 +###dfp-ad-slot3-wrapper +###dfp-ad-slot4-wrapper +###dfp-ad-slot5 +###dfp-ad-slot5-wrapper +###dfp-ad-slot6 +###dfp-ad-slot6-wrapper +###dfp-ad-slot7 +###dfp-ad-slot7-wrapper +###dfp-ad-top-wrapper +###dfp-ap-2016-interstitial +###dfp-article-mpu +###dfp-atf +###dfp-atf-desktop +###dfp-banner +###dfp-banner-popup +###dfp-billboard1 +###dfp-billboard2 +###dfp-btf +###dfp-btf-desktop +###dfp-footer-desktop +###dfp-header +###dfp-header-container +###dfp-ia01 +###dfp-ia02 +###dfp-interstitial +###dfp-leaderboard +###dfp-leaderboard-desktop +###dfp-masthead +###dfp-middle +###dfp-middle1 +###dfp-mtf +###dfp-mtf-desktop +###dfp-rectangle +###dfp-rectangle1 +###dfp-ros-res-header_container +###dfp-tlb +###dfp-top-banner +###dfpAd +###dfp_ad_mpu +###dfp_ads_4 +###dfp_ads_5 +###dfp_bigbox_2 +###dfp_bigbox_recipe_top +###dfp_container +###dfp_leaderboard +###dfpad-0 +###dfpslot_tow_2-0 +###dfpslot_tow_2-1 +###dfrads-widget-3 +###dfrads-widget-6 +###dfrads-widget-7 +###dianomiNewsBlock +###dict-adv +###direct-ad +###disable-ads-container +###display-ads +###displayAd +###displayAdSet +###display_ad +###displayad_carousel +###displayad_rectangle +###div-ad-1x1 +###div-ad-bottom +###div-ad-flex +###div-ad-inread +###div-ad-leaderboard +###div-ad-r +###div-ad-r1 +###div-ad-top +###div-ad-top_banner +###div-adcenter1 +###div-adcenter2 +###div-advert +###div-contentad_1 +###div-footer-ad +###div-gpt-LDB1 +###div-gpt-MPU1 +###div-gpt-MPU2 +###div-gpt-MPU3 +###div-gpt-Skin +###div-gpt-inline-main +###div-gpt-mini-leaderboard1 +###div-gpt-mrec +###div-insticator-ad-1 +###div-insticator-ad-2 +###div-insticator-ad-3 +###div-insticator-ad-4 +###div-insticator-ad-5 +###div-insticator-ad-6 +###div-insticator-ad-9 +###div-leader-ad +###div-social-ads +###divAd +###divAdDetail +###divAdHere +###divAdHorizontal +###divAdLeft +###divAdMain +###divAdRight +###divAdWrapper +###divAds +###divAdsTop +###divAdv300x250 +###divAdvertisement +###divDoubleAd +###divFoldersAd +###divFooterAd +###divFooterAds +###divSponAds +###divSponsoredLinks +###divStoryBigAd1 +###divThreadAdBox +###divTopAd +###divTopAds +###divWrapper_Ad +###div_ad_TopRight +###div_ad_float +###div_ad_holder +###div_ad_leaderboard +###div_advt_right +###div_belowAd +###div_bottomad +###div_bottomad_container +###div_googlead +###divadfloat +###dnn_adSky +###dnn_adTop +###dnn_ad_banner +###dnn_ad_island1 +###dnn_ad_skyscraper +###dnn_sponsoredLinks +###downloadAd +###download_ad +###download_ads +###dragads +###ds-mpu +###dsStoryAd +###dsk-banner-ad-a +###dsk-banner-ad-b +###dsk-banner-ad-c +###dsk-banner-ad-d +###dsk-box-ad-c +###dsk-box-ad-d +###dsk-box-ad-f +###dsk-box-ad-g +###dv-gpt-ad-bigbox-wrap +###dynamicAdDiv +###em_ad_superbanner +###embedAD +###embedADS +###event_ads +###events-adv-side1 +###events-adv-side2 +###events-adv-side3 +###events-adv-side4 +###events-adv-side5 +###events-adv-side6 +###exoAd +###externalAd +###ezmobfooter +###featureAd +###featureAdSpace +###featureAds +###feature_ad +###featuread +###featured-ads +###featuredAds +###first-ads +###first_ad +###firstad +###fixed-ad +###fixedAd +###fixedban +###floatAd +###floatads +###floating-ad-wrapper +###floating-ads +###floating-advert +###floatingAd +###floatingAdContainer +###floatingAds +###floating_ad +###floating_ad_container +###floating_ads_bottom_textcss_container +###floorAdWrapper +###foot-ad-wrap +###foot-ad2-wrap +###footAd +###footAdArea +###footAds +###footad +###footer-ad +###footer-ad-728 +###footer-ad-block +###footer-ad-box +###footer-ad-col +###footer-ad-google +###footer-ad-large +###footer-ad-slot +###footer-ad-unit +###footer-ad-wrapper +###footer-ads +###footer-adspace +###footer-adv +###footer-advert +###footer-advert-area +###footer-advertisement +###footer-adverts +###footer-adwrapper +###footer-affl +###footer-banner-ad +###footer-leaderboard-ad +###footer-sponsored +###footer-sponsors +###footerAd +###footerAdBottom +###footerAdBox +###footerAdDiv +###footerAdWrap +###footerAdd +###footerAds +###footerAdsPlacement +###footerAdvert +###footerAdvertisement +###footerAdverts +###footerGoogleAd +###footer_AdArea +###footer_ad +###footer_ad_block +###footer_ad_container +###footer_ad_frame +###footer_ad_holder +###footer_ad_modules +###footer_adcode +###footer_add +###footer_addvertise +###footer_ads +###footer_ads_holder +###footer_adspace +###footer_adv +###footer_advertising +###footer_leaderboard_ad +###footer_text_ad +###footerad +###footerad728 +###footerads +###footeradsbox +###footeradvert +###forum-top-ad-bar +###frameAd +###frmSponsAds +###front-ad-cont +###front-page-ad +###front-page-advert +###frontPageAd +###front_advert +###front_mpu +###ft-ad +###ft-ads +###full_banner_ad +###fwAdBox +###fwdevpDiv0 +###fwdevpDiv1 +###fwdevpDiv2 +###gAds +###gStickyAd +###g_ad +###g_adsense +###gad300x250 +###gad728x90 +###gads300x250 +###gadsOverlayUnit +###gads_middle +###gallery-ad +###gallery-ad-container +###gallery-advert +###gallery-below-line-advert +###gallery-sidebar-advert +###gallery_ad +###gallery_ads +###gallery_header_ad +###galleryad1 +###gam-ad-ban1 +###game-ad +###gamead +###gameads +###gasense +###geoAd +###gg_ad +###ggl-ad +###glamads +###global-banner-ad +###globalLeftNavAd +###globalTopNavAd +###global_header_ad +###global_header_ad_area +###goad1 +###goads +###gooadtop +###google-ad +###google-ads +###google-ads-bottom +###google-ads-bottom-container +###google-ads-container +###google-ads-detailsRight +###google-ads-directoryViewRight +###google-ads-header +###google-adsense +###google-adwords +###google-afc +###google-dfp-bottom +###google-dfp-top +###google-post-ad +###google-post-adbottom +###google-top-ads +###googleAd +###googleAdArea +###googleAdBottom +###googleAdBox +###googleAdTop +###googleAds +###googleAdsense +###googleAdsenseAdverts +###googleSearchAds +###google_ad_1 +###google_ad_2 +###google_ad_3 +###google_ad_container +###google_ad_slot +###google_ads +###google_ads_1 +###google_ads_box +###google_ads_frame +###google_ads_frame1_anchor +###google_ads_frame2_anchor +###google_ads_frame3_anchor +###google_ads_frame4_anchor +###google_ads_frame5_anchor +###google_ads_frame6_anchor +###google_adsense +###google_adsense_ad +###googlead +###googlead2 +###googleadleft +###googleads +###googleads1 +###googleadsense +###googleadstop +###googlebanner +###googlesponsor +###googletextads +###gpt-ad-1 +###gpt-ad-banner +###gpt-ad-halfpage +###gpt-ad-outofpage-wp +###gpt-ad-rectangle1 +###gpt-ad-rectangle2 +###gpt-ad-side-bottom +###gpt-ad-skyscraper +###gpt-instory-ad +###gpt-leaderboard-ad +###gpt-mpu +###gpt-sticky +###grdAds +###gridAdSidebar +###grid_ad +###half-page-ad +###halfPageAd +###half_page_ad_300x600 +###halfpagead +###head-ad +###head-ad-text-wrap +###head-ad-timer +###head-ads +###head-advertisement +###headAd +###headAds +###headAdv +###head_ad +###head_ads +###head_advert +###headad +###headadvert +###header-ad +###header-ad-background +###header-ad-block +###header-ad-bottom +###header-ad-container +###header-ad-holder +###header-ad-label +###header-ad-left +###header-ad-placeholder +###header-ad-right +###header-ad-slot +###header-ad-wrap +###header-ad-wrapper +###header-ad2 +###header-ads +###header-ads-container +###header-ads-holder +###header-ads-wrapper +###header-adsense +###header-adserve +###header-adspace +###header-adv +###header-advert +###header-advert-panel +###header-advertisement +###header-advertising +###header-adverts +###header-advrt +###header-banner-728-90 +###header-banner-ad +###header-banner-ad-wrapper +###header-block-ads +###header-box-ads +###headerAd +###headerAdBackground +###headerAdContainer +###headerAdSpace +###headerAdUnit +###headerAdWrap +###headerAds +###headerAdsWrapper +###headerAdv +###headerAdvert +###headerTopAd +###header_ad +###header_ad_728 +###header_ad_728_90 +###header_ad_banner +###header_ad_block +###header_ad_container +###header_ad_leaderboard +###header_ad_units +###header_ad_widget +###header_ad_wrap +###header_adbox +###header_adcode +###header_ads +###header_ads2 +###header_adsense +###header_adv +###header_advert +###header_advertisement +###header_advertisement_top +###header_advertising +###header_adverts +###header_bottom_ad +###header_publicidad +###header_right_ad +###header_sponsors +###header_top_ad +###headerad +###headerad_large +###headeradbox +###headeradcontainer +###headerads +###headeradsbox +###headeradsense +###headeradspace +###headeradvertholder +###headeradwrap +###headergooglead +###headersponsors +###headingAd +###headline_ad +###hearst-autos-ad-wrapper +###home-ad +###home-ad-block +###home-ad-slot +###home-advert-module +###home-advertise +###home-banner-ad +###home-left-ad +###home-rectangle-ad +###home-side-ad +###home-top-ads +###homeAd +###homeAdLeft +###homeAds +###homeSideAd +###home_ad +###home_ads_vert +###home_advertising_block +###home_bottom_ad +###home_contentad +###home_mpu +###home_sidebar_ad +###home_top_right_ad +###homead +###homeheaderad +###homepage-ad +###homepage-adbar +###homepage-footer-ad +###homepage-header-ad +###homepage-sidebar-ad +###homepage-sidebar-ads +###homepage-sponsored +###homepageAd +###homepageAdsTop +###homepageFooterAd +###homepageGoogleAds +###homepage_ad +###homepage_ad_listing +###homepage_rectangle_ad +###homepage_right_ad +###homepage_right_ad_container +###homepage_top_ad +###homepage_top_ads +###homepageadvert +###hometopads +###horAd +###hor_ad +###horadslot +###horizad +###horizads728 +###horizontal-ad +###horizontal-adspace +###horizontal-banner-ad +###horizontalAd +###horizontalAdvertisement +###horizontal_ad +###horizontal_ad2 +###horizontal_ad_top +###horizontalad +###horizontalads +###hottopics-advert +###hours_ad +###houseAd +###hovered_sponsored +###hp-desk-after-header-ad +###hp-header-ad +###hp-right-ad +###hp-store-ad +###hpAdVideo +###humix-vid-ezAutoMatch +###idDivAd +###id_SearchAds +###iframe-ad +###iframeAd_2 +###iframe_ad_2 +###imPopup +###im_popupDiv +###ima_ads-2 +###ima_ads-3 +###ima_ads-4 +###imgAddDirectLink +###imgad1 +###imu_ad_module +###in-article-ad +###in-article-mpu +###in-content-ad +###inArticleAdv +###inarticlead +###inc-ads-bigbox +###incontent-ad-2 +###incontent-ad-3 +###incontentAd1 +###incontentAd2 +###incontentAd3 +###index-ad +###index-bottom-advert +###indexSquareAd +###index_ad +###indexad +###indexad300x250l +###indexsmallads +###indiv_adsense +###infoBottomAd +###infoboxadwrapper +###inhousead +###initializeAd +###inline-ad +###inline-ad-label +###inline-advert +###inline-story-ad +###inline-story-ad2 +###inlineAd +###inlineAdCont +###inlineAdtop +###inlineAdvertisement +###inlineBottomAd +###inline_ad +###inline_ad_section +###inlinead +###inlineads +###inner-ad +###inner-ad-container +###inner-advert-row +###inner-top-ads +###innerad +###innerpage-ad +###inside-page-ad +###insideCubeAd +###instant_ad +###insticator-container +###instoryad +###int-ad +###int_ad +###interads +###intermediate-ad +###internalAdvert +###internalads +###interstitial-shade +###interstitialAd +###interstitialAdContainer +###interstitialAdUnit +###interstitial_ad +###interstitial_ad_container +###interstitial_ads +###intext_ad +###introAds +###intro_ad_1 +###invid_ad +###ipadv +###iq-AdSkin +###iqadcontainer +###iqadoverlay +###iqadtile1 +###iqadtile11 +###iqadtile14 +###iqadtile15 +###iqadtile16 +###iqadtile2 +###iqadtile3 +###iqadtile4 +###iqadtile41 +###iqadtile6 +###iqadtile8 +###iqadtile9 +###iqadtile99 +###islandAd +###islandAdPan +###islandAdPane +###islandAdPane2 +###island_ad_top +###islandad +###jobs-ad +###js-ad-billboard +###js-ad-leaderboard +###js-image-ad-mpu +###js-page-ad-top +###js-wide-ad +###js_commerceInsetModule +###jsid-ad-container-post_above_comment +###jsid-ad-container-post_below_comment +###large-ads +###large-bottom-leaderboard-ad +###large-leaderboard-ad +###large-middle-leaderboard-ad +###large-rectange-ad +###large-rectange-ad-2 +###large-skyscraper-ad +###largeAd +###largeAds +###large_rec_ad1 +###largead +###layer_ad +###layer_ad_content +###layerad +###layeradsense +###layout-header-ad-wrapper +###layout_topad +###lb-ad +###lb-sponsor-left +###lb-sponsor-right +###lbAdBar +###lbAdBarBtm +###lblAds +###lead-ads +###lead_ad +###leadad_1 +###leadad_2 +###leader-ad +###leader-board-ad +###leader-companion > a[href] +###leaderAd +###leaderAdContainer +###leaderAdContainerOuter +###leaderBoardAd +###leader_ad +###leader_board_ad +###leaderad +###leaderad_section +###leaderadvert +###leaderboard-ad +###leaderboard-advert +###leaderboard-advertisement +###leaderboard-atf +###leaderboard-bottom-ad +###leaderboard.ad +###leaderboardAd +###leaderboardAdTop +###leaderboardAds +###leaderboardAdvert +###leaderboard_728x90 +###leaderboard_Ad +###leaderboard_ad +###leaderboard_ads +###leaderboard_bottom_ad +###leaderboard_top_ad +###leaderboardad +###leatherboardad +###left-ad +###left-ad-1 +###left-ad-2 +###left-ad-col +###left-ad-iframe +###left-ad-skin +###left-bottom-ad +###left-col-ads-1 +###left-content-ad +###leftAD +###leftAdAboveSideBar +###leftAdCol +###leftAdContainer +###leftAdMessage +###leftAdSpace +###leftAd_fmt +###leftAd_rdr +###leftAds +###leftAdsSmall +###leftAdvert +###leftBanner-ad +###leftColumnAdContainer +###leftGoogleAds +###leftTopAdWrapper +###left_ad +###left_ads +###left_adsense +###left_adspace +###left_adv +###left_advertisement +###left_bg_ad +###left_block_ads +###left_float_ad +###left_global_adspace +###left_side_ads +###left_sidebar_ads +###left_top_ad +###leftad +###leftadg +###leftads +###leftcolAd +###leftcolumnad +###leftforumad +###leftrail_dynamic_ad_wrapper +###lg-banner-ad +###ligatus +###ligatus_adv +###ligatusdiv +###lightboxAd +###linkAdSingle +###linkAds +###link_ads +###linkads +###listadholder +###liste_top_ads_wrapper +###listing-ad +###live-ad +###localAds +###localpp +###locked-footer-ad-wrapper +###logoAd +###logoAd2 +###logo_ad +###long-ad +###long-ad-space +###long-bottom-ad-wrapper +###longAdSpace +###longAdWrap +###long_advert_header +###long_advertisement +###lower-ad-banner +###lower-ads +###lower-advertising +###lower-home-ads +###lowerAdvertisement +###lowerAdvertisementImg +###lower_ad +###lower_content_ad_box +###lowerads +###lowerthirdad +###lrec_ad +###lrecad +###m-banner-bannerAd +###main-ad +###main-advert +###mainAd +###mainAd1 +###mainAdUnit +###mainAdvert +###mainPageAds +###mainPlaceHolder_coreContentPlaceHolder_rightColumnAdvert_divControl +###main_AD +###main_ad +###main_ads +###main_content_ad +###main_rec_ad +###main_top_ad +###mainui-ads +###mapAdsSwiper +###mapAdvert +###marketplaceAds +###marquee-ad +###marquee_ad +###mastAd +###mastAdvert +###mastad +###masterad +###masthead_ad +###masthead_ads_container +###masthead_topad +###med-rect-ad +###med-rectangle-ad +###medRecAd +###medReqAd +###media-ad +###medium-ad +###mediumAd1 +###mediumAdContainer +###mediumAdvertisement +###mediumRectangleAd +###medrec_bottom_ad +###medrec_middle_ad +###medrec_top_ad +###medrectad +###medrectangle_banner +###menuad +###menubarad +###mgid-container +###mgid_iframe +###mid-ad-slot-1 +###mid-ad-slot-3 +###mid-ad-slot-5 +###mid-ads +###mid-table-ad +###midAD +###midRightAds +###midRightTextAds +###mid_ad +###mid_ad_div +###mid_ad_title +###mid_left_ads +###mid_mpu +###mid_roll_ad_holder +###midadspace +###midadvert +###midbarad +###midbnrad +###midcolumn_ad +###middle-ad +###middle-ad-destin +###middleAd +###middle_ad +###middle_ads +###middle_mpu +###middlead +###middleads +###middleads2 +###midpost_ad +###midrect_ad +###midstrip_ad +###mini-ad +###mobile-adhesion +###mobile-ads-ad +###mobile-footer-ad-wrapper +###mobileAdContainer +###mobile_ads_100_pc +###mobile_ads_block +###mod_ad +###mod_ad_top +###modal-ad +###module-ads-01 +###module-ads-02 +###module_ad +###module_box_ad +###monsterAd +###mpu-ad +###mpu-advert +###mpu-cont +###mpu-content +###mpu-sidebar +###mpu1_parent +###mpu2 +###mpu2_container +###mpu2_parent +###mpuAd +###mpuAdvert +###mpuContainer +###mpuDiv +###mpuInContent +###mpuSecondary +###mpuSlot +###mpuWrapper +###mpuWrapperAd +###mpuWrapperAd2 +###mpu_ad +###mpu_ad2 +###mpu_adv +###mpu_banner +###mpu_box +###mpu_container +###mpu_div +###mpu_holder +###mpu_text_ad +###mpu_top +###mpuad +###mpubox +###mpuholder +###mvp-foot-ad-wrap +###mvp-post-bot-ad +###my-ads +###narrow-ad +###narrow_ad_unit +###native-ads-placeholder +###native_ad2 +###native_ads +###nav-ad-container +###navAdBanner +###nav_ad +###nav_ad_728_mid +###navads-container +###navbar_ads +###navigation-ad +###navlinkad +###newAd +###ng-ad +###ng-ad-lbl +###ni-ad-row +###nk_ad_top +###notify_ad +###ntvads +###openx-text-ad +###openx-widget +###ovadsense +###overlay-ad-bg +###overlay_ad +###overlayad +###overlayadd +###p-Ad +###p-advert +###p-googlead +###p-googleadsense +###p2HeaderAd +###p2squaread +###page-ad-top +###page-advertising +###page-header-ad +###page-top-ad +###pageAdDiv +###pageAdds +###pageAds +###pageAdsDiv +###pageAdvert +###pageBannerAd +###pageLeftAd +###pageMiddleAdWrapper +###pageRightAd +###page__outside-advertsing +###page_ad +###page_ad_top +###page_top_ad +###pageads_top +###pagebottomAd +###pagination-advert +###panel-ad +###panelAd +###panel_ad1 +###panoAdBlock +###partner-ad +###partnerAd +###partnerMedRec +###partner_ads +###pause-ad +###pause-ads +###pauseAd +###pc-div-gpt-ad_728-3 +###pencil-ad +###pencil-ad-container +###perm_ad +###permads +###persistentAd +###personalization_ads +###pgAdWrapper +###ph_ad +###player-ads +###player-advert +###player-advertising +###player-below-advert +###player-midrollAd +###playerAd +###playerAdsRight +###player_ad +###player_ads +###player_middle_ad +###player_top_ad +###playerad +###playerads +###pop.div_pop +###pop_ad +###popadwrap +###popback-ad +###popoverAd +###popupAd +###popupBottomAd +###popup_ad_wrapper +###popupadunit +###post-ad +###post-ads +###post-bottom-ads +###post-content-ad +###post-page-ad +###post-promo-ad +###postAd +###postNavigationAd +###post_ad +###post_addsense +###post_adsense +###post_adspace +###post_advert +###postads0 +###ppcAdverts +###ppvideoadvertisement +###pr_ad +###pr_advertising +###pre-adv +###pre-footer-ad +###preAds_ad_mrec_intext +###preAds_ad_mrec_intext2 +###preminumAD +###premiumAdTop +###premium_ad +###premiumad +###premiumads +###prerollAd +###preroll_ads +###primis-container +###primis_player +###print_ads +###printads +###privateads +###promo-ad +###promoAds +###promoFloatAd +###promo_ads +###pub468x60 +###pub728x90 +###publicidad +###publicidadeLREC +###pushAd +###pushDownAd +###pushdownAd +###pushdownAdWrapper +###pushdown_ad +###pusher-ad +###pvadscontainer +###quads-ad1_widget +###quads-ad2_widget +###quads-admin-ads-js +###r89-desktop-top-ad +###radio-ad-container +###rail-ad-wrap +###rail-bottom-ad +###railAd +###rail_ad +###rail_ad1 +###rail_ad2 +###rec_spot_ad_1 +###recommendAdBox +###rect-ad +###rectAd +###rect_ad +###rectad +###rectangle-ad +###rectangleAd +###rectangleAdTeaser1 +###rectangle_ad +###redirect-ad +###redirect-ad-modal +###reference-ad +###region-node-advert +###reklam_buton +###reklam_center +###reklama +###reklama_big +###reklama_left_body +###reklama_left_up +###reklama_right_up +###related-ads +###related-news-1-bottom-ad +###related-news-1-top-ad +###related_ad +###related_ads +###related_ads_box +###removeAdsSidebar +###removeadlink +###responsive-ad +###responsive-ad-sidebar-container +###responsive_ad +###responsivead +###result-list-aside-topadsense +###resultSponLinks +###resultsAdsBottom +###resultsAdsSB +###resultsAdsTop +###rh-ad +###rh-ad-container +###rh_tower_ad +###rhc_ads +###rhs_ads +###rhs_adverts +###rhsads +###rhsadvert +###richad +###right-ad +###right-ad-block +###right-ad-col +###right-ad-iframe +###right-ad-skin +###right-ad1 +###right-ads +###right-ads-rail +###right-advert +###right-bar-ad +###right-box-ad +###right-content-ad +###right-featured-ad +###right-rail-ad-slot-content-top +###right-widget-b-ads_widget-9 +###right-widget-c-ads_widget-7 +###right-widget-d-ads_widget-36 +###right-widget-top-ads_widget-23 +###right1-ad +###right1ad +###rightAD +###rightAd +###rightAd1 +###rightAdBar +###rightAdBlock +###rightAdColumn +###rightAdContainer +###rightAdHolder +###rightAdUnit +###rightAd_rdr +###rightAds +###rightAdsDiv +###rightBlockAd +###rightBottomAd +###rightColAd +###rightColumnAds +###rightRailAds +###rightSideAd +###rightSideAdvert +###right_Ads2 +###right_ad +###right_ad_1 +###right_ad_2 +###right_ad_box +###right_ad_container +###right_ad_top +###right_ad_wrapper +###right_ads +###right_ads_box +###right_adsense +###right_advert +###right_advertisement +###right_advertising +###right_adverts +###right_bg_ad +###right_block_ads +###right_bottom_ad +###right_column_ad +###right_column_ad_container +###right_column_ads +###right_column_adverts +###right_player_ad +###right_side_ad +###right_sidebar_ads +###right_top_ad +###right_top_gad +###rightad +###rightad1 +###rightad2 +###rightadBorder +###rightadBorder1 +###rightadBorder2 +###rightadContainer +###rightadcell +###rightadg +###rightadhome +###rightads +###rightads300x250 +###rightadsarea +###rightbar-ad +###rightbar_ad +###rightcol_sponsorad +###rightgoogleads +###rightrail-ad +###rightside-ads +###rightside_ad +###rightskyad +###rm-adslot-bigsizebanner_1 +###rm-adslot-contentad_1 +###rotating_ad +###rotatingads +###row-ad +###rowAdv +###rtAdvertisement +###scroll-ad +###scroll_ad +###search-ad +###search-ads1 +###search-google-ads +###search-sponsor +###search-sponsored-links +###searchAd +###searchAds +###search_ad +###search_ads +###second_ad_div +###secondad +###section-ad +###section-ad-bottom +###section_ad +###section_advertisements +###self-ad +###sev1mposterad +###show-ad +###show-sticky-ad +###showAd +###show_ads +###showads +###showcaseAd +###side-ad +###side-ad-container +###side-ads +###side-ads-box +###side-banner-ad +###side-boxad +###sideABlock +###sideAD +###sideAd +###sideAd1 +###sideAd2 +###sideAd3 +###sideAd4 +###sideAdArea +###sideAdLarge +###sideAdSmall +###sideAdSub +###sideAds +###sideBannerAd +###sideBar-ads +###sideBarAd +###sideSponsors +###side_ad +###side_ad_module +###side_ad_wrapper +###side_ads +###side_adverts +###side_longads +###side_skyscraper_ad +###side_sponsors +###sidead +###sidead1 +###sideads +###sideads_container +###sideadscol +###sideadvert +###sideadzone +###sidebar-ad +###sidebar-ad-1 +###sidebar-ad-2 +###sidebar-ad-block +###sidebar-ad-boxes +###sidebar-ad-middle +###sidebar-ad-wrap +###sidebar-ad1 +###sidebar-ad2 +###sidebar-ad3 +###sidebar-ads +###sidebar-ads-content +###sidebar-ads-narrow +###sidebar-ads-wide +###sidebar-ads-wrapper +###sidebar-adspace +###sidebar-adv +###sidebar-advertise-text +###sidebar-advertisement +###sidebar-left-ad +###sidebar-main-ad +###sidebar-sponsors +###sidebar-top-ad +###sidebar-top-ads +###sidebarAd +###sidebarAd1 +###sidebarAd2 +###sidebarAdSense +###sidebarAdSpace +###sidebarAdUnitWidget +###sidebarAds +###sidebarAdvTop +###sidebarAdvert +###sidebarSponsors +###sidebarTextAds +###sidebarTowerAds +###sidebar_ad +###sidebar_ad_1 +###sidebar_ad_2 +###sidebar_ad_3 +###sidebar_ad_big +###sidebar_ad_container +###sidebar_ad_top +###sidebar_ad_widget +###sidebar_ad_wrapper +###sidebar_adblock +###sidebar_ads +###sidebar_box_add +###sidebar_topad +###sidebarad +###sidebarad0 +###sidebaradpane +###sidebarads +###sidebaradsense +###sidebaradverts +###sidebard-ads-wrapper +###sidebargooglead +###sidebargoogleads +###sidebarrectad +###sideline-ad +###sidepad-ad +###single-ad +###single-ad-2 +###single-adblade +###single-mpu +###singleAd +###singleAdsContainer +###singlead +###singleads +###site-ad-container +###site-ads +###site-header__ads +###site-leaderboard-ads +###site-sponsor-ad +###site-sponsors +###siteAdHeader +###site_bottom_ad_div +###site_content_ad_div +###site_top_ad +###site_wrap_ad +###sitead +###skcolAdSky +###skin-ad +###skin-ad-left-rail-container +###skin-ad-right-rail-container +###skinTopAd +###skin_adv +###skinad-left +###skinad-right +###skinningads +###sky-ad +###sky-ads +###sky-left +###sky-right +###skyAd +###skyAdContainer +###skyScraperAd +###skyScrapperAd +###skyWrapperAds +###sky_ad +###sky_advert +###skyads +###skyadwrap +###skybox-ad +###skyline_ad +###skyscrapeAd +###skyscraper-ad +###skyscraperAd +###skyscraperAdContainer +###skyscraperAdWrap +###skyscraperAds +###skyscraperWrapperAd +###skyscraper_ad +###skyscraper_advert +###skyscraperadblock +###skyscrapper-ad +###slideAd +###slide_ad +###slidead +###slideboxad +###slider-ad +###sliderAdHolder +###slider_ad +###sm-banner-ad +###smallAd +###small_ad +###small_ads +###smallad +###smallads +###smallerAd +###sp-adv-banner-top +###specialAd +###special_ads +###specialadfeatures +###specials_ads +###speed_ads +###speeds_ads +###splashy-ad-container-top +###sponBox +###spon_links +###sponlink +###sponlinks +###sponsAds +###sponsLinks +###spons_links +###sponseredlinks +###sponsor-box-widget +###sponsor-flyout +###sponsor-flyout-wrap +###sponsor-links +###sponsor-partners +###sponsor-sidebar-container +###sponsorAd +###sponsorAd1 +###sponsorAd2 +###sponsorAdDiv +###sponsorBar +###sponsorBorder +###sponsorContainer0 +###sponsorFooter +###sponsorLinkDiv +###sponsorLinks +###sponsorResults +###sponsorSpot +###sponsorTab +###sponsorText +###sponsorTextLink +###sponsor_300x250 +###sponsor_ad +###sponsor_ads +###sponsor_bar +###sponsor_bottom +###sponsor_box +###sponsor_deals +###sponsor_div +###sponsor_footer +###sponsor_header +###sponsor_link +###sponsor_no +###sponsor_posts +###sponsor_right +###sponsored-ads +###sponsored-carousel-nucleus +###sponsored-footer +###sponsored-inline +###sponsored-links +###sponsored-links-alt +###sponsored-links-container +###sponsored-listings +###sponsored-message +###sponsored-products +###sponsored-recommendations +###sponsored-resources +###sponsored-search +###sponsored-text-links +###sponsored-widget +###sponsored1 +###sponsoredAd +###sponsoredAdvertisement +###sponsoredBottom +###sponsoredBox1 +###sponsoredBox2 +###sponsoredFeaturedHoz +###sponsoredHoz +###sponsoredLinks +###sponsoredLinksBox +###sponsoredList +###sponsoredResults +###sponsoredResultsWide +###sponsoredTop +###sponsored_ads +###sponsored_container +###sponsored_content +###sponsored_head +###sponsored_label +###sponsored_link_bottom +###sponsored_links +###sponsored_native_ad +###sponsoredad +###sponsoredads +###sponsoredlinks +###sponsorfeature +###sponsorlink +###sponsors-article +###sponsors-block +###sponsors-home +###sponsorsBox +###sponsorsContainer +###sponsorship-area-wrapper +###sponsorship-box +###sporsored-results +###spotlight-ads +###spotlightAds +###spotlight_ad +###spotlightad +###sprint_ad +###sqAd +###sq_ads +###square-ad +###square-ad-box +###square-ad-space +###square-ads +###square-sponsors +###squareAd +###squareAdBottom +###squareAdSpace +###squareAdTop +###squareAdWrap +###squareAds +###squareGoogleAd +###square_ad +###squaread +###squareadevertise +###squareadvert +###squared_ad +###staticad +###stationad +###sticky-ad +###sticky-ad-bottom +###sticky-ad-container +###sticky-ad-header +###sticky-add-side-block +###sticky-ads +###sticky-ads-top +###sticky-custom-ads +###sticky-footer-ad +###sticky-footer-ads +###sticky-left-ad +###sticky-rail-ad +###stickyAd +###stickyAdBlock +###stickyBottomAd +###stickySidebarAd +###stickySkyAd +###sticky_sidebar_ads +###stickyad +###stickyads +###stickyleftad +###stickyrightad +###stopAdv +###stop_ad3 +###story-ad +###story-bottom-ad +###storyAd +###story_ad +###story_ads +###storyad2 +###stripadv +###subheaderAd +###takeover-ad +###takeover_ad +###takeoverad +###td-ad-placeholder +###tdAds +###td_adunit2 +###td_sponsorAd +###team_ad +###teaser1[style^="width:autopx;"] +###teaser2[style^="width:autopx;"] +###teaser3[style="width: 100%;text-align: center;display: scroll;position:fixed;bottom: 0;margin: 0 auto;z-index: 103;"] +###teaser3[style^="width:autopx;"] +###text-ad +###text-ads +###text-intext-ads +###text-link-ads +###textAd +###textAd1 +###textAds +###textAdsTop +###text_ad +###text_ads +###text_advert +###textad +###textad3 +###textlink-advertisement +###textsponsor +###tfm_admanagerTeaser +###tile-ad +###tileAds +###tmInfiniteAd +###toaster_ad +###top-ad +###top-ad-area +###top-ad-banner +###top-ad-container +###top-ad-content +###top-ad-desktop +###top-ad-div +###top-ad-google +###top-ad-iframe +###top-ad-rect +###top-ad-slot +###top-ad-slot-0 +###top-ad-slot-1 +###top-ad-unit +###top-ad-wrapper +###top-adblock +###top-adds +###top-ads +###top-ads-1 +###top-ads-contain +###top-ads-container +###top-adspot +###top-advert +###top-advertisement +###top-advertisements +###top-advertising-content +###top-banner-ad +###top-banner-ad-browser +###top-buy-sell-ads +###top-dfp +###top-head-ad +###top-leaderboard-ad +###top-left-ad +###top-middle-add +###top-not-ads +###top-right-ad +###top-right-ad-slot +###top-skin-ad +###top-skin-ad-bg +###top-sponsor-ad +###top-story-ad +###topAD +###topAd +###topAd728x90 +###topAdArea +###topAdBanner +###topAdBar +###topAdBox +###topAdContainer +###topAdDiv +###topAdDropdown +###topAdHolder +###topAdShow +###topAdSpace +###topAdSpace_div +###topAdWrapper +###topAdcontainer +###topAds +###topAds1 +###topAds2 +###topAdsContainer +###topAdsDiv +###topAdsG +###topAdv +###topAdvBox +###topAdvert +###topBanner-ad +###topBannerAd +###topBannerAdContainer +###topBannerAdv +###topImgAd +###topLeaderboardAd +###topMPU +###topMpuContainer +###topSponsorBanner +###topSponsoredLinks +###top_AD +###top_ad +###top_ad-360 +###top_ad_area +###top_ad_banner +###top_ad_block +###top_ad_box +###top_ad_container +###top_ad_td +###top_ad_unit +###top_ad_wrapper +###top_ad_zone +###top_add +###top_ads +###top_ads_box +###top_ads_container +###top_ads_region +###top_ads_wrap +###top_adsense_cont +###top_adspace +###top_adv +###top_advert +###top_advert_box +###top_advertise +###top_advertising +###top_banner_ads +###top_container_ad +###top_google_ads +###top_mpu +###top_mpu_ad +###top_rectangle_ad +###top_right_ad +###top_row_ad +###top_span_ad +###top_sponsor_ads +###top_sponsor_text +###top_wide_ad +###topad +###topad-728x90 +###topad-block +###topad-wrap +###topad1 +###topad2 +###topad728 +###topad_holder +###topad_left +###topad_right +###topad_table +###topadbanner +###topadbanner2 +###topadbar +###topadblock +###topadcell +###topadcontainer +###topaddwide +###topadleft +###topadone +###topadplaceholder +###topadright +###topads-spacer +###topads-wrapper +###topadsblock +###topadsdiv +###topadsense +###topadspace +###topadvert +###topadwrap +###topadz +###topadzone +###topbanner_ad +###topbanner_sponsor +###topbannerad +###topbanneradtitle +###topbar-ad +###topbarAd +###topbarad +###topbarads +###topcustomad +###topheader_ads +###topleaderAd +###topleaderboardad +###topnavad +###toppannonse +###topright-ad +###toprightAdvert +###toprightad +###toprow-ad +###topsidebar-ad +###topsponad +###topsponsorads +###topsponsored +###toptextad +###tor-footer-ad +###tower1ad +###towerAdContainer +###towerad +###tpd-post-header-ad +###tpl_advertising +###transparentad +###trc_google_ad +###txtAdHeader +###upper-ads +###upperMpu +###upperRightAds +###upper_adbox +###upper_advertising +###upper_small_ad +###upperad +###velsof_wheel_container +###vert-ads +###vertAd2 +###vert_ad +###vert_ad_placeholder +###vertad1 +###vertical.ad +###verticalAds +###vertical_ad +###vertical_ads +###verticalads +###video-ad +###video-ad-companion-rectangle +###video-adv +###video-adv-wrapper +###video-advert +###video-embed-ads +###video-in-player-ad +###video-side-adv +###video-sponsor-links +###video-under-player-ad +###videoAd +###videoAdContainer +###videoAdvert +###videoCompanionAd +###videoOverAd +###videoOverAd300 +###videoPauseAd +###video_adv +###video_advert +###video_advert_top +###video_embed_ads +###video_hor_bot_ads +###video_overlay_ad +###videoad +###videoad-script-cnt +###videoads +###viewAd1 +###viewabilityAdContainer +###visual-ad +###vuukle-quiz-and-ad +###vuukle_ads_square2 +###wTopAd +###wallAd +###wall_advert +###wd-sponsored +###weather-ad +###weather_sponsor +###weatherad +###welcome_ad +###wg_ads +###wgtAd +###whitepaper-ad +###wide-ad +###wideAdd +###wide_ad_unit +###wide_ad_unit2 +###wide_ad_unit3 +###wide_adv +###wide_right_ad +###widget-ads-3 +###widget-ads-4 +###widget-adv-12 +###widget-box-ad-1 +###widget-box-ad-2 +###widget_Adverts +###widget_ad +###widget_advertisement +###widget_thrive_ad_default-2 +###widget_thrive_ad_default-4 +###widgetwidget_adserve +###widgetwidget_adserve2 +###wl-pencil-ad +###wow-ads +###wp-insert-ad-widget-1 +###wp-topAds +###wp_ad_marker +###wp_adbn_root +###wp_ads_gpt_widget-16 +###wp_ads_gpt_widget-17 +###wp_ads_gpt_widget-18 +###wp_ads_gpt_widget-19 +###wp_ads_gpt_widget-21 +###wp_ads_gpt_widget-4 +###wp_ads_gpt_widget-5 +###wpladbox1 +###wpladbox2 +###wrapAd +###wrapAdRight +###wrapCommentAd +###wrapper-AD_G +###wrapper-AD_L +###wrapper-AD_L2 +###wrapper-AD_L3 +###wrapper-AD_PUSH +###wrapper-AD_R +###wrapper-ad +###wrapper-ad970 +###wrapperAdsTopLeft +###wrapperAdsTopRight +###wrapperRightAds +###wrapper_ad_Top +###wrapper_sponsoredlinks +###wrapper_topad +###wtopad +###yahoo-sponsors +###yahooAdsBottom +###yahooSponsored +###yahoo_ads +###yahoo_text_ad +###yahooads +###yandex_ad +###yandex_ad2 +###yatadsky +###yrail_ads +###yreSponsoredLinks +###ysm_ad_iframe +###zMSplacement1 +###zMSplacement2 +###zMSplacement3 +###zMSplacement4 +###zMSplacement5 +###zMSplacement6 +###zdcFloatingBtn +###zeus_top-banner +###zone-adsense +###zsAdvertisingBanner +##.-advertsSidebar +##.ADBAR +##.ADBox +##.ADFooter +##.ADInfo +##.ADLeader +##.ADMiddle1 +##.ADPod +##.ADServer +##.ADStyle +##.ADTop +##.ADVBig +##.ADVFLEX_250 +##.ADVParallax +##.ADV_Mobile +##.AD_2 +##.AD_area +##.ADbox +##.ADmid +##.ADwidget +##.ATF_wrapper +##.Ad--Align +##.Ad--empty +##.Ad--header +##.Ad--loading +##.Ad--presenter +##.Ad--sidebar +##.Ad-Advert_Container +##.Ad-Header +##.Ad-Inner +##.Ad-adhesive +##.Ad-hor-height +##.Ad-label +##.Ad-leaderboard +##.Ad.Leaderboard +##.Ad300 +##.Ad3Tile +##.Ad728x90 +##.AdBar +##.AdBody:not(body) +##.AdBorder +##.AdBottomPage +##.AdBox +##.AdBox160 +##.AdBox7 +##.AdBox728 +##.AdCenter +##.AdCommercial +##.AdCompactheader +##.AdContainer +##.AdContainer-Sidebar +##.AdHeader +##.AdHere +##.AdHolder +##.AdInline +##.AdInsLink +##.AdLeft1 +##.AdLeft2 +##.AdMedium +##.AdMessage +##.AdMod +##.AdModule +##.AdOneColumnContainer +##.AdOuterMostContainer +##.AdPanel +##.AdPlaceHolder +##.AdPlaceholder +##.AdPlacementContainer +##.AdProduct +##.AdRight1 +##.AdRight2 +##.AdSense +##.AdSenseLeft +##.AdSlot +##.AdSpace +##.AdSpeedWP +##.AdTagModule +##.AdTitle +##.AdTop +##.AdUnit +##.AdWidget_ImageWidget +##.Ad_C +##.Ad_D +##.Ad_Label +##.Ad_Right +##.Ad_container +##.Ads--center +##.Ads-768x90 +##.Ads-background +##.Ads-leaderboard +##.Ads-slot +##.Ads-sticky +##.AdsBottom +##.AdsBox +##.AdsBoxBottom +##.AdsBoxSection +##.AdsBoxTop +##.AdsLayout__top-container +##.AdsRectangleWrapper +##.AdsSlot +##.Ads__wrapper +##.Ads_header +##.Adsense +##.AdsenseBox +##.Adsterra +##.Adtext +##.Adv468 +##.Advert-label +##.Advert300x250 +##.AdvertContainer +##.AdvertWrapper +##.AdvertisementAfterHeader +##.AdvertisementAfterPost +##.AdvertisementAsidePost +##.AdvertisementText +##.AdvertisementTextTag +##.AdvertisementTop +##.Advertisment +##.AdvertorialTeaser +##.AdvtSample +##.AdzerkBanner +##.AffiliateAds +##.AppFooter__BannerAd +##.Arpian-ads +##.Article-advert +##.ArticleAd +##.ArticleAdSide +##.ArticleAdWrapper +##.ArticleInlineAd +##.ArticleInnerAD +##.Article__Ad +##.BOX_Ad +##.BOX_LeadAd +##.Banner300x250 +##.Banner468X60 +##.BigBoxAd +##.BigBoxAdLabel +##.Billboard-ad +##.Billboard-ad-holder +##.Billboard_2-ad-holder +##.Billboard_3-ad-holder +##.Billboard_4-ad-holder +##.Billboard_5-ad-holder +##.BlockAd +##.BottomAd-container +##.BottomAdContainer +##.BottomAdsPartial +##.BottomAffiliate +##.BoxAd +##.BoxAdWrap +##.BoxRail-ad +##.ButtonAd +##.CommentAd +##.ConnatixAd +##.ContentAd +##.ContentAds +##.ContentBottomAd +##.ContentTextAd +##.ContentTopAd +##.DFPad +##.DisplayAd +##.FirstAd +##.FooterAd +##.FooterAdContainer +##.FooterAds +##.Footer_1-ad-holder +##.GRVAd +##.GRVMpuWrapper +##.GRVMultiVideo +##.Gallery-Content-BottomAd +##.GeminiAdItem +##.GeminiNativeAd +##.GoogleAdv +##.GoogleDfpAd +##.GoogleDfpAd-Content +##.GoogleDfpAd-Float +##.GoogleDfpAd-container +##.GoogleDfpAd-wrap +##.GoogleDfpAd-wrapper +##.GoogleDfpAdModule +##.GoogleDoubleClick-SponsorText +##.GroupAdSense +##.HeaderAd +##.HeaderAds +##.HeaderBannerAd +##.HeadingAdSpace +##.Hero-Ad +##.HomeAds +##.InArticleAd +##.IndexRightAd +##.InsertedAd +##.LastAd +##.LayoutBottomAds +##.LayoutHomeAds +##.LayoutHomeAdsAd +##.LayoutPromotionAdsNew +##.LazyLoadAd +##.LeaderAd +##.LeaderAdvertisement +##.LeaderBoardAd +##.LearderAd_Border +##.ListicleAdRow +##.MPUHolder +##.MPUad +##.MapLayout_BottomAd +##.MapLayout_BottomMobiAd +##.MarketGid_container +##.MbanAd +##.MiddleAd +##.MiddleAdContainer +##.MiddleAdvert +##.MiddleRightRadvertisement +##.NA_ad +##.NR-Ads +##.NativeAdContainerRegion +##.NavBarAd +##.Normal-add +##.OAS_wrap +##.OcelotAdModule +##.OcelotAdModule-ad +##.PPD_ADS_JS +##.Page-ad +##.PageTopAd +##.PcSideBarAd +##.PencilAd +##.PostAdvertisementBeforePost +##.PostSidebarAd +##.Post__ad +##.PrimisResponsiveStyle +##.PrintAd-Slider +##.ProductAd +##.PushdownAd +##.RectangleAd +##.Rectangle_1-ad-holder +##.Rectangle_2-ad-holder +##.Rectangle_3-ad-holder +##.RelatedAds +##.ResponsiveAd +##.RightAd +##.RightAd1 +##.RightAd2 +##.RightAdvertisement +##.RightGoogleAd +##.RightRailAd +##.RightRailAds +##.RightTowerAd +##.STR_AdBlock +##.SecondaryAd +##.SecondaryAdLink +##.Section-ad +##.SectionSponsor +##.SideAd +##.SideAdCol +##.SideAds +##.SideWidget__ad +##.Sidebar-ad +##.Sidebar-ad--300x600 +##.SidebarAd +##.SidebarAdvert +##.SidebarRightAdvertisement +##.SimpleAd +##.SkyAdContainer +##.SkyAdContent +##.SkyScraperAd +##.SovrnAd +##.Sponsor-container +##.SponsorHeader +##.SponsorIsland +##.SponsorLink +##.SponsoredAdTitle +##.SponsoredArticleAd +##.SponsoredContent +##.SponsoredContentWidget +##.SponsoredLinks +##.SponsoredLinksModule +##.SponsoredLinksPadding +##.SponsoredLinksPanel +##.SponsoredResults +##.Sponsored_link +##.SquareAd +##.Sticky-AdContainer +##.StickyAdRail__Inner +##.SummaryPage-HeaderAd +##.TextAd +##.TextAdds +##.Textads +##.TopAd +##.TopAdBox +##.TopAdContainer +##.TopAdL +##.TopAdR +##.TopAds +##.TopBannerAd +##.TopRightRadvertisement +##.Top_Ad +##.TrackedBannerPromo +##.TrackedSidebarPromo +##.TrafficAd +##.U210-adv-column +##.UnderAd +##.VerticalAd +##.Video-Ad +##.VideoAd +##.WPBannerizeWidget +##.WP_Widget_Ad_manager +##.WideAdTile +##.WideAdsLeft +##.WidgetAdvertiser +##.WidthAd +##.\[\&_\.gdprAdTransparencyCogWheelButton\]\:\!pjra-z-\[5\] +##._SummaryPageHeaderAdView +##._SummaryPageSidebarStickyAdView +##._ads +##._ads-full +##._ap_adrecover_ad +##._ap_apex_ad +##._articleAdvert +##._bannerAds +##._bottom_ad_wrapper +##._fullsquaread +##._has-ads +##._popIn_recommend_article_ad +##._popIn_recommend_article_ad_reserved +##._table_ad_div_wide +##.a-ad +##.a-d-250 +##.a-d-90 +##.a-dserver +##.a-dserver_text +##.a-sponsor +##.ab-ad_placement-article +##.ablock300 +##.ablock468 +##.ablock728 +##.above-header-advert +##.aboveCommentAds +##.abovead +##.ac-banner-ad +##.ac-widget-placeholder +##.ac_adbox +##.acm-ad-tag-unit +##.ad--300 +##.ad--300x250 +##.ad--468 +##.ad--468-60 +##.ad--728x90 +##.ad--970-750-336-300 +##.ad--970-90 +##.ad--article +##.ad--article-top +##.ad--articlemodule +##.ad--b +##.ad--banner +##.ad--banner2 +##.ad--banniere_basse +##.ad--banniere_haute +##.ad--billboard +##.ad--bottom +##.ad--bottom-label +##.ad--bottommpu +##.ad--boundries +##.ad--button +##.ad--c +##.ad--center +##.ad--centered +##.ad--container +##.ad--content +##.ad--content-ad +##.ad--dart +##.ad--desktop +##.ad--displayed +##.ad--droite_basse +##.ad--droite_haute +##.ad--droite_middle +##.ad--e +##.ad--fallback +##.ad--footer +##.ad--fullsize +##.ad--google +##.ad--halfpage +##.ad--header +##.ad--homepage-top +##.ad--in-article +##.ad--in-content +##.ad--inArticleBanner +##.ad--inline +##.ad--inner +##.ad--large +##.ad--leaderboard +##.ad--loading +##.ad--medium-rectangle +##.ad--medium_rectangle +##.ad--medium_rectangle_outstream +##.ad--mediumrectangle +##.ad--mid +##.ad--mid-content +##.ad--mobile +##.ad--mpu +##.ad--native +##.ad--nativeFlex +##.ad--no-bg +##.ad--noscroll +##.ad--object +##.ad--outstream +##.ad--overlayer +##.ad--p1 +##.ad--p2 +##.ad--p3 +##.ad--p4 +##.ad--p6 +##.ad--p7 +##.ad--placeholder +##.ad--pubperform +##.ad--pushdown +##.ad--rail +##.ad--rectangle +##.ad--rectangle1 +##.ad--rectangle2 +##.ad--right +##.ad--rightRail +##.ad--scroll +##.ad--section +##.ad--sidebar +##.ad--sky +##.ad--skyscraper +##.ad--slider +##.ad--slot +##.ad--sponsor-content +##.ad--square-rectangle +##.ad--sticky +##.ad--stripe +##.ad--stroeer +##.ad--subcontainer +##.ad--top +##.ad--top-desktop +##.ad--top-leaderboard +##.ad--top-slot +##.ad--topmobile +##.ad--topmobile2 +##.ad--topmobile3 +##.ad--wallpaper +##.ad--widget +##.ad--wrapper +##.ad-1 +##.ad-120-60 +##.ad-120x60 +##.ad-120x600 +##.ad-120x90 +##.ad-125x125 +##.ad-13 +##.ad-137 +##.ad-14 +##.ad-160 +##.ad-160-160 +##.ad-160-600 +##.ad-160x600 +##.ad-2 +##.ad-200 +##.ad-200x200 +##.ad-250 +##.ad-250x300 +##.ad-3 +##.ad-300 +##.ad-300-2 +##.ad-300-250-600 +##.ad-300-600 +##.ad-300-b +##.ad-300-block +##.ad-300-dummy +##.ad-300-flex +##.ad-300-x-250 +##.ad-300250 +##.ad-300X250 +##.ad-300X250-body +##.ad-300x +##.ad-300x100 +##.ad-300x200 +##.ad-300x250 +##.ad-300x600 +##.ad-336 +##.ad-336x280 +##.ad-336x280B +##.ad-350 +##.ad-4 +##.ad-468 +##.ad-468x120 +##.ad-468x60 +##.ad-5 +##.ad-544x250 +##.ad-55 +##.ad-560 +##.ad-6 +##.ad-600 +##.ad-600-h +##.ad-635x40 +##.ad-7 +##.ad-728 +##.ad-728-90 +##.ad-728-banner +##.ad-728-x-90 +##.ad-728x90 +##.ad-728x90-1 +##.ad-728x90-top +##.ad-728x90-top0 +##.ad-728x90-wrapper +##.ad-728x90_forum +##.ad-768 +##.ad-8 +##.ad-88-60 +##.ad-88x31 +##.ad-9 +##.ad-90 +##.ad-90x600 +##.ad-970 +##.ad-970-250 +##.ad-970-90 +##.ad-970250 +##.ad-970x250 +##.ad-970x90 +##.ad-Advert_Placeholder +##.ad-E +##.ad-LREC +##.ad-LREC2 +##.ad-Leaderboard +##.ad-MPU +##.ad-MediumRectangle +##.ad-PENCIL +##.ad-S +##.ad-Square +##.ad-SuperBanner +##.ad-TOPPER +##.ad-W +##.ad-a +##.ad-ab +##.ad-abc +##.ad-above-header +##.ad-accordion +##.ad-active +##.ad-adSense +##.ad-adcode +##.ad-adhesion +##.ad-adlink-bottom +##.ad-adlink-side +##.ad-adsense +##.ad-adsense-block-250 +##.ad-advertisement-horizontal +##.ad-affiliate +##.ad-after-content +##.ad-after-header +##.ad-align-none +##.ad-aligncenter +##.ad-alignment +##.ad-alsorectangle +##.ad-anchor +##.ad-aps-wide +##.ad-area--pd +##.ad-area-small +##.ad-article-breaker +##.ad-article-inline +##.ad-article-teaser +##.ad-article-wrapper +##.ad-aside-pc-billboard +##.ad-atf +##.ad-atf-top +##.ad-background +##.ad-background-center +##.ad-background-container +##.ad-ban +##.ad-banner-2 +##.ad-banner-250x600 +##.ad-banner-300 +##.ad-banner-300x250 +##.ad-banner-5 +##.ad-banner-6 +##.ad-banner-728x90 +##.ad-banner-bottom-container +##.ad-banner-box +##.ad-banner-btf +##.ad-banner-container +##.ad-banner-content +##.ad-banner-full-wrapper +##.ad-banner-header +##.ad-banner-image +##.ad-banner-inlisting +##.ad-banner-leaderboard +##.ad-banner-placeholder +##.ad-banner-single +##.ad-banner-smaller +##.ad-banner-static +##.ad-banner-top +##.ad-banner-top-wrapper +##.ad-banner-wrapper +##.ad-banners +##.ad-bar +##.ad-bar-header +##.ad-bb +##.ad-before-header +##.ad-below +##.ad-below-images +##.ad-below-player +##.ad-belowarticle +##.ad-bg +##.ad-big +##.ad-big-box +##.ad-bigbanner +##.ad-bigbillboard +##.ad-bigbox +##.ad-bigbox-double-inread +##.ad-bigbox-fixed +##.ad-bigsize +##.ad-billboard +##.ad-bline +##.ad-block +##.ad-block--300 +##.ad-block--leader +##.ad-block-300 +##.ad-block-banner-container +##.ad-block-big +##.ad-block-bottom +##.ad-block-btf +##.ad-block-container +##.ad-block-header +##.ad-block-holder +##.ad-block-inside +##.ad-block-mod +##.ad-block-section +##.ad-block-square +##.ad-block-sticky-ad +##.ad-block-wide +##.ad-block-wk +##.ad-block-wrapper +##.ad-block-wrapper-dev +##.ad-blogads +##.ad-bnr +##.ad-body +##.ad-boombox +##.ad-border +##.ad-bordered +##.ad-borderless +##.ad-bot +##.ad-bottom +##.ad-bottom-container +##.ad-bottom-right-container +##.ad-bottom728x90 +##.ad-bottomLeft +##.ad-bottomleader +##.ad-bottomline +##.ad-box-2 +##.ad-box-300x250 +##.ad-box-auto +##.ad-box-caption +##.ad-box-container +##.ad-box-title +##.ad-box-up +##.ad-box-video +##.ad-box-wrapper +##.ad-box1 +##.ad-box2 +##.ad-box3 +##.ad-box:not(#ad-banner):not(:empty) +##.ad-box_h +##.ad-boxamp-wrapper +##.ad-boxbottom +##.ad-boxes +##.ad-boxsticky +##.ad-boxtop +##.ad-brdr-btm +##.ad-break +##.ad-break-item +##.ad-breaker +##.ad-breakout +##.ad-browse-rectangle +##.ad-bt +##.ad-btn +##.ad-btn-heading +##.ad-bug-300w +##.ad-burnside +##.ad-button +##.ad-buttons +##.ad-c-label +##.ad-cad +##.ad-calendar +##.ad-call-300x250 +##.ad-callout +##.ad-callout-wrapper +##.ad-caption +##.ad-card +##.ad-card-container +##.ad-carousel +##.ad-cat +##.ad-catfish +##.ad-cell +##.ad-cen +##.ad-cen2 +##.ad-cen3 +##.ad-center +##.ad-centered +##.ad-centering +##.ad-chartbeatwidget +##.ad-choices +##.ad-circ +##.ad-click +##.ad-close-button +##.ad-cls +##.ad-cls-fix +##.ad-cnt +##.ad-code +##.ad-codes +##.ad-col +##.ad-col-02 +##.ad-colour +##.ad-column +##.ad-comment +##.ad-companion +##.ad-complete +##.ad-component +##.ad-component-fullbanner2 +##.ad-component-wrapper +##.ad-contain +##.ad-contain-300x250 +##.ad-contain-top +##.ad-container--inline +##.ad-container--leaderboard +##.ad-container--masthead +##.ad-container--mrec +##.ad-container--stripe +##.ad-container--top +##.ad-container-160x600 +##.ad-container-300x250 +##.ad-container-728 +##.ad-container-728x90 +##.ad-container-adsense +##.ad-container-banner-top +##.ad-container-bot +##.ad-container-bottom +##.ad-container-box +##.ad-container-embedded +##.ad-container-header +##.ad-container-inner +##.ad-container-inthread +##.ad-container-leaderboard +##.ad-container-left +##.ad-container-m +##.ad-container-medium-rectangle +##.ad-container-middle +##.ad-container-multiple +##.ad-container-pave +##.ad-container-property +##.ad-container-responsive +##.ad-container-right +##.ad-container-side +##.ad-container-single +##.ad-container-tool +##.ad-container-top +##.ad-container-topad +##.ad-container-wrapper +##.ad-container1 +##.ad-container3x +##.ad-container__ad-slot +##.ad-container__leaderboard +##.ad-container__sticky-wrapper +##.ad-container_row +##.ad-content +##.ad-content-area +##.ad-content-rectangle +##.ad-content-slot +##.ad-content-wrapper +##.ad-context +##.ad-cover +##.ad-critical +##.ad-cta +##.ad-current +##.ad-curtain +##.ad-custom-size +##.ad-d +##.ad-decoration +##.ad-defer +##.ad-desktop +##.ad-desktop-in-content +##.ad-desktop-legacy +##.ad-desktop-native-1 +##.ad-desktop-native-2 +##.ad-desktop-only +##.ad-desktop-right +##.ad-detail +##.ad-dfp-column +##.ad-dfp-row +##.ad-disclaimer +##.ad-disclaimer-container +##.ad-disclaimer-text +##.ad-display +##.ad-displayed +##.ad-diver +##.ad-divider +##.ad-dog +##.ad-dog__cnx-container +##.ad-dog__ratio-16x9 +##.ad-dt +##.ad-dx_wrp +##.ad-e +##.ad-element +##.ad-enabled +##.ad-engage +##.ad-entity-container +##.ad-entry-wrapper +##.ad-ex +##.ad-exchange +##.ad-expand +##.ad-external +##.ad-fadein +##.ad-fadeup +##.ad-feature-content +##.ad-feature-sponsor +##.ad-feature-text +##.ad-featured-video-caption +##.ad-feedback +##.ad-fi +##.ad-field +##.ad-filler +##.ad-filmstrip +##.ad-first +##.ad-fix +##.ad-fixed +##.ad-flag +##.ad-flex +##.ad-flex-center +##.ad-float +##.ad-floating +##.ad-floor +##.ad-footer +##.ad-footer-empty +##.ad-footer-leaderboard +##.ad-format-300x250 +##.ad-format-300x600 +##.ad-forum +##.ad-frame +##.ad-frame-container +##.ad-full +##.ad-full-width +##.ad-fullbanner +##.ad-fullbanner-btf-container +##.ad-fullbannernohieght +##.ad-fullwidth +##.ad-gap-sm +##.ad-giga +##.ad-google +##.ad-google-contextual +##.ad-gpt +##.ad-gpt-breaker +##.ad-gpt-container +##.ad-gpt-main +##.ad-gpt-vertical +##.ad-graphic-large +##.ad-gray +##.ad-grey +##.ad-grid +##.ad-grid-125 +##.ad-grid-container +##.ad-group +##.ad-halfpage +##.ad-halfpage-placeholder +##.ad-hdr +##.ad-head +##.ad-header +##.ad-header-below +##.ad-header-container +##.ad-header-creative +##.ad-header-inner-wrap +##.ad-header-pencil +##.ad-header-placeholder +##.ad-header-sidebar +##.ad-header-small-square +##.ad-heading +##.ad-height-250 +##.ad-height-280 +##.ad-height-600 +##.ad-here +##.ad-hero +##.ad-hide-mobile +##.ad-hideable +##.ad-hint +##.ad-hldr-tmc +##.ad-ho +##.ad-hold +##.ad-holder +##.ad-holder-center +##.ad-holder-mob-300 +##.ad-home-bottom +##.ad-home-leaderboard-placeholder +##.ad-home-right +##.ad-homeleaderboard +##.ad-homepage +##.ad-homepage-1 +##.ad-homepage-2 +##.ad-homepage-one +##.ad-hor +##.ad-horizontal +##.ad-horizontal-large +##.ad-horizontal-top +##.ad-horizontal-top-wrapper +##.ad-hoverable +##.ad-hpto +##.ad-icon +##.ad-identifier +##.ad-iframe +##.ad-iframe-container +##.ad-in-content +##.ad-in-content-300 +##.ad-in-post +##.ad-in-read +##.ad-in-results +##.ad-inStory +##.ad-incontent +##.ad-incontent-wrap +##.ad-index-main +##.ad-indicator-horiz +##.ad-info-wrap +##.ad-inline +##.ad-inline-article +##.ad-inline-block +##.ad-inner +##.ad-inner-container +##.ad-inner-container-background +##.ad-innr +##.ad-insert +##.ad-inserter-widget +##.ad-inside +##.ad-integrated-display +##.ad-internal +##.ad-interruptor +##.ad-interstitial +##.ad-island +##.ad-item +##.ad-item-related +##.ad-label +##.ad-lable +##.ad-landscape +##.ad-large-1 +##.ad-large-game +##.ad-last +##.ad-lat +##.ad-lat2 +##.ad-layer +##.ad-lazy +##.ad-lb +##.ad-ldrbrd +##.ad-lead +##.ad-lead-bottom +##.ad-leader +##.ad-leader-board +##.ad-leader-bottom +##.ad-leader-plus-top +##.ad-leader-top +##.ad-leader-wrap +##.ad-leader-wrapper +##.ad-leaderboard +##.ad-leaderboard-base +##.ad-leaderboard-companion +##.ad-leaderboard-container +##.ad-leaderboard-flex +##.ad-leaderboard-footer +##.ad-leaderboard-header +##.ad-leaderboard-middle +##.ad-leaderboard-placeholder +##.ad-leaderboard-slot +##.ad-leaderboard-splitter +##.ad-leaderboard-top +##.ad-leaderboard-wrapper +##.ad-leaderbody +##.ad-leaderheader +##.ad-leadtop +##.ad-left-1 +##.ad-left-top +##.ad-leftrail +##.ad-lib-div +##.ad-line +##.ad-link +##.ad-link-block +##.ad-link-label +##.ad-link-left +##.ad-link-right +##.ad-links +##.ad-links-text +##.ad-list-desktop +##.ad-list-item +##.ad-loaded +##.ad-loader +##.ad-location +##.ad-location-container +##.ad-lock +##.ad-lock-content +##.ad-lowerboard +##.ad-lrec +##.ad-m-banner +##.ad-m-mrec +##.ad-m-rec +##.ad-mad +##.ad-main +##.ad-manager-ad +##.ad-manager-placeholder +##.ad-manager-wrapper +##.ad-margin +##.ad-marketplace +##.ad-marketswidget +##.ad-marquee +##.ad-masthead +##.ad-masthead-1 +##.ad-masthead-left +##.ad-mb +##.ad-med +##.ad-med-rec +##.ad-med-rect +##.ad-med-rect-tmp +##.ad-medium +##.ad-medium-container +##.ad-medium-content +##.ad-medium-rectangle +##.ad-medium-rectangle-base +##.ad-medium-two +##.ad-medium-widget +##.ad-medrect +##.ad-megaboard +##.ad-message +##.ad-messaging +##.ad-microsites +##.ad-midleader +##.ad-mobile +##.ad-mobile--sticky +##.ad-mobile-300x150 +##.ad-mobile-300x250 +##.ad-mobile-300x50 +##.ad-mobile-banner +##.ad-mobile-flex-inc +##.ad-mobile-flex-pos2 +##.ad-mobile-incontent-ad-plus +##.ad-mobile-mpu-plus-outstream-inc +##.ad-mobile-nav-ad-plus +##.ad-mod +##.ad-mod-section +##.ad-mod-section-728-90 +##.ad-module +##.ad-mount +##.ad-mpl +##.ad-mpu +##.ad-mpu-bottom +##.ad-mpu-container +##.ad-mpu-middle +##.ad-mpu-middle2 +##.ad-mpu-placeholder +##.ad-mpu-plus-top +##.ad-mpu-top +##.ad-mpu__aside +##.ad-mpufixed +##.ad-mr-article +##.ad-mrec +##.ad-mrect +##.ad-msg +##.ad-msn +##.ad-native +##.ad-native-top-sidebar +##.ad-nav-ad +##.ad-nav-ad-plus +##.ad-new +##.ad-new-box +##.ad-no-css +##.ad-no-mobile +##.ad-no-notice +##.ad-no-style +##.ad-noBorderAndMargin +##.ad-noline +##.ad-note +##.ad-notice +##.ad-notice-small +##.ad-observer +##.ad-oms +##.ad-on +##.ad-on-top +##.ad-one +##.ad-other +##.ad-outer +##.ad-outlet +##.ad-outline +##.ad-output-middle +##.ad-output-wrapper +##.ad-outside +##.ad-overlay +##.ad-packs +##.ad-padding +##.ad-page-leader +##.ad-page-medium +##.ad-page-setting +##.ad-pagehead +##.ad-panel +##.ad-panel-wrap +##.ad-panel__container +##.ad-panel__container--styled +##.ad-panel__googlead +##.ad-panorama +##.ad-parallax +##.ad-parent-billboard +##.ad-parent-class +##.ad-parent-halfpage +##.ad-pb +##.ad-peg +##.ad-pencil-margin +##.ad-permalink +##.ad-personalise +##.ad-place +##.ad-place-active +##.ad-place-holder +##.ad-placeholder--mpu +##.ad-placeholder-leaderboard +##.ad-placeholder-wrapper +##.ad-placeholder-wrapper-dynamic +##.ad-placeholder__inner +##.ad-placement-left +##.ad-placement-right +##.ad-places +##.ad-plea +##.ad-poc +##.ad-poc-admin +##.ad-point +##.ad-popup +##.ad-popup-content +##.ad-pos +##.ad-pos-0 +##.ad-pos-1 +##.ad-pos-2 +##.ad-pos-3 +##.ad-pos-4 +##.ad-pos-5 +##.ad-pos-6 +##.ad-pos-7 +##.ad-pos-8 +##.ad-pos-middle +##.ad-pos-top +##.ad-position +##.ad-position-1 +##.ad-position-2 +##.ad-poss +##.ad-post +##.ad-post-footer +##.ad-post-top +##.ad-postText +##.ad-poster +##.ad-posterad-inlisting +##.ad-preloader-container +##.ad-preparing +##.ad-prevent-jump +##.ad-primary +##.ad-primary-desktop +##.ad-primary-sidebar +##.ad-priority +##.ad-program-list +##.ad-program-top +##.ad-promo +##.ad-pub +##.ad-push +##.ad-pushdown +##.ad-r +##.ad-rac-box +##.ad-rail +##.ad-rail-wrapper +##.ad-ratio +##.ad-rb-hover +##.ad-reader-con-item +##.ad-rect +##.ad-rect-atf-01 +##.ad-rect-top-right +##.ad-rectangle +##.ad-rectangle-1 +##.ad-rectangle-banner +##.ad-rectangle-container +##.ad-rectangle-long +##.ad-rectangle-long-sky +##.ad-rectangle-text +##.ad-rectangle-wide +##.ad-rectangle-xs +##.ad-rectangle2 +##.ad-rectanglemed +##.ad-region +##.ad-region-delay-load +##.ad-related +##.ad-relatedbottom +##.ad-render-space +##.ad-responsive +##.ad-responsive-slot +##.ad-responsive-wide +##.ad-result +##.ad-rev-content +##.ad-rh +##.ad-right +##.ad-right-header +##.ad-right1 +##.ad-right2 +##.ad-right3 +##.ad-risingstar-container +##.ad-roadblock +##.ad-root +##.ad-rotation +##.ad-rotator +##.ad-row +##.ad-row-box +##.ad-row-horizontal +##.ad-row-horizontal-top +##.ad-row-viewport +##.ad-s +##.ad-s-rendered +##.ad-sample +##.ad-script-processed +##.ad-scroll +##.ad-scrollpane +##.ad-search-grid +##.ad-secondary-desktop +##.ad-section +##.ad-section-body +##.ad-section-one +##.ad-section-three +##.ad-section__skyscraper +##.ad-sense +##.ad-sense-ad +##.ad-sep +##.ad-separator +##.ad-shifted +##.ad-show-label +##.ad-showcase +##.ad-side +##.ad-side-one +##.ad-side-top +##.ad-side-wrapper +##.ad-sidebar +##.ad-sidebar-mrec +##.ad-sidebar-skyscraper +##.ad-siderail +##.ad-signup +##.ad-single-bottom +##.ad-sitewide +##.ad-size-300x600 +##.ad-size-728x90 +##.ad-size-landscape +##.ad-size-leaderboard +##.ad-size-medium-rectangle +##.ad-size-medium-rectangle-flex +##.ad-size-mpu +##.ad-skeleton +##.ad-skin-link +##.ad-sky +##.ad-sky-left +##.ad-sky-right +##.ad-sky-wrap +##.ad-skyscr +##.ad-skyscraper +##.ad-skyscraper1 +##.ad-skyscraper2 +##.ad-skyscraper3 +##.ad-slider +##.ad-slot--container +##.ad-slot--inline +##.ad-slot--mostpop +##.ad-slot--mpu-banner-ad +##.ad-slot--rendered +##.ad-slot--right +##.ad-slot--top +##.ad-slot--top-above-nav +##.ad-slot--top-banner-ad +##.ad-slot--wrapper +##.ad-slot-1 +##.ad-slot-2 +##.ad-slot-234-60 +##.ad-slot-300-250 +##.ad-slot-728-90 +##.ad-slot-a +##.ad-slot-article +##.ad-slot-banner +##.ad-slot-bigbox +##.ad-slot-billboard +##.ad-slot-box +##.ad-slot-container +##.ad-slot-container-1 +##.ad-slot-desktop +##.ad-slot-full-width +##.ad-slot-header +##.ad-slot-horizontal +##.ad-slot-inview +##.ad-slot-placeholder +##.ad-slot-rail +##.ad-slot-replies +##.ad-slot-replies-header +##.ad-slot-responsive +##.ad-slot-sidebar +##.ad-slot-sidebar-b +##.ad-slot-tall +##.ad-slot-top +##.ad-slot-top-728 +##.ad-slot-widget +##.ad-slot-wrapper +##.ad-slotRg +##.ad-slotRgc +##.ad-slot__ad--top +##.ad-slot__content +##.ad-slot__label +##.ad-slot__oas +##.ad-slots-wrapper +##.ad-slug +##.ad-small +##.ad-small-1 +##.ad-small-2 +##.ad-smallBP +##.ad-source +##.ad-sp +##.ad-space +##.ad-space-mpu-box +##.ad-space-topbanner +##.ad-spacing +##.ad-span +##.ad-speedbump +##.ad-splash +##.ad-sponsor +##.ad-sponsor-large-container +##.ad-sponsor-text +##.ad-sponsored-feed-top +##.ad-sponsored-links +##.ad-sponsored-post +##.ad-sponsors +##.ad-spot +##.ad-spotlight +##.ad-spteaser +##.ad-sq-super +##.ad-square +##.ad-square-placeholder +##.ad-square2-container +##.ad-square300 +##.ad-squares +##.ad-stack +##.ad-standard +##.ad-statement +##.ad-static +##.ad-sticky +##.ad-sticky-banner +##.ad-sticky-bottom +##.ad-sticky-container +##.ad-sticky-slot +##.ad-sticky-wrapper +##.ad-stickyhero +##.ad-stickyhero--standard +##.ad-stickyhero-enable-mobile +##.ad-story-inject +##.ad-story-top +##.ad-strategic +##.ad-strip +##.ad-style2 +##.ad-subnav-container +##.ad-subtitle +##.ad-summary +##.ad-superbanner +##.ad-superbanner-node +##.ad-t +##.ad-t-text +##.ad-table +##.ad-tabs +##.ad-tag +##.ad-tag-square +##.ad-tag__inner +##.ad-tag__wrapper +##.ad-takeover +##.ad-takeover-homepage +##.ad-tall +##.ad-tech-widget +##.ad-temp +##.ad-text +##.ad-text-centered +##.ad-text-label +##.ad-text-link +##.ad-text-links +##.ad-textads +##.ad-textlink +##.ad-thanks +##.ad-ticker +##.ad-tile +##.ad-title +##.ad-tl1 +##.ad-top +##.ad-top-300x250 +##.ad-top-728 +##.ad-top-728x90 +##.ad-top-banner +##.ad-top-billboard +##.ad-top-billboard-init +##.ad-top-box-right +##.ad-top-container +##.ad-top-desktop +##.ad-top-featured +##.ad-top-in +##.ad-top-lboard +##.ad-top-left +##.ad-top-mobile +##.ad-top-mpu +##.ad-top-padding +##.ad-top-rectangle +##.ad-top-right-container +##.ad-top-side +##.ad-top-slot +##.ad-top-spacing +##.ad-top-wrap-inner +##.ad-top-wrapper +##.ad-topbanner +##.ad-topper +##.ad-topright +##.ad-tower +##.ad-tower-container +##.ad-towers +##.ad-transition +##.ad-trck +##.ad-two +##.ad-twos +##.ad-txt +##.ad-txt-red +##.ad-type +##.ad-type-branding +##.ad-type-cube +##.ad-type-flex-leaderboard +##.ad-unit +##.ad-unit--leaderboard +##.ad-unit-2 +##.ad-unit-300 +##.ad-unit-300-wrapper +##.ad-unit-container +##.ad-unit-horisontal +##.ad-unit-inline-center +##.ad-unit-label +##.ad-unit-mpu +##.ad-unit-panel +##.ad-unit-secondary +##.ad-unit-sponsored-bar +##.ad-unit-t +##.ad-unit-text +##.ad-unit-top +##.ad-unit-wrapper +##.ad-unit__inner +##.ad-units-single-header-wrapper +##.ad-update +##.ad-vert +##.ad-vertical +##.ad-vertical-container +##.ad-vertical-stack-ad +##.ad-view-zone +##.ad-w-300 +##.ad-w-728 +##.ad-w-970 +##.ad-warning +##.ad-warp +##.ad-watermark +##.ad-wgt +##.ad-wide +##.ad-wide-bottom +##.ad-wide-wrap +##.ad-widget +##.ad-widget-area +##.ad-widget-box +##.ad-widget-list +##.ad-widget-sizes +##.ad-widget-wrapper +##.ad-widgets +##.ad-width-300 +##.ad-width-728 +##.ad-wireframe +##.ad-wireframe-wrapper +##.ad-with-background +##.ad-with-header-wrapper +##.ad-with-notice +##.ad-wp +##.ad-wp-720 +##.ad-wppr +##.ad-wppr-container +##.ad-wrap-leaderboard +##.ad-wrap-transparent +##.ad-wrap:not(#google_ads_iframe_checktag) +##.ad-wrap_wallpaper +##.ad-wrapp +##.ad-wrapper +##.ad-wrapper--ad-unit-wrap +##.ad-wrapper--articletop +##.ad-wrapper--lg +##.ad-wrapper--sidebar +##.ad-wrapper-250 +##.ad-wrapper-bg +##.ad-wrapper-desktop +##.ad-wrapper-left +##.ad-wrapper-mobile +##.ad-wrapper-mobile-atf +##.ad-wrapper-outer +##.ad-wrapper-solid +##.ad-wrapper-sticky +##.ad-wrapper-top +##.ad-wrapper-with-text +##.ad-wrapper__ad-slug +##.ad-xs-title +##.ad-zone +##.ad-zone-ajax +##.ad-zone-container +##.ad.addon +##.ad.bottomrect +##.ad.box +##.ad.brandboard +##.ad.card +##.ad.center +##.ad.contentboard +##.ad.desktop-970x250 +##.ad.element +##.ad.floater-link +##.ad.gallery +##.ad.halfpage +##.ad.inner +##.ad.item +##.ad.leaderboard +##.ad.maxiboard +##.ad.maxisky +##.ad.middlerect +##.ad.module +##.ad.monsterboard +##.ad.netboard +##.ad.post-area +##.ad.promotion +##.ad.rectangle +##.ad.rectangle_2 +##.ad.rectangle_3 +##.ad.rectangle_home_1 +##.ad.section +##.ad.sidebar-module +##.ad.size-300x250 +##.ad.skybridgeleft +##.ad.small-mpu +##.ad.small-teaser +##.ad.super +##.ad.wideboard_tablet +##.ad02 +##.ad03 +##.ad04 +##.ad08sky +##.ad1-float +##.ad1-left +##.ad1-right +##.ad10 +##.ad100 +##.ad1000 +##.ad1001 +##.ad100x100 +##.ad120 +##.ad120_600 +##.ad120x120 +##.ad120x240GrayBorder +##.ad120x60 +##.ad120x600 +##.ad125 +##.ad125x125 +##.ad125x125a +##.ad125x125b +##.ad140 +##.ad160 +##.ad160600 +##.ad160_blk +##.ad160_l +##.ad160_r +##.ad160b +##.ad160x160 +##.ad160x600 +##.ad160x600GrayBorder +##.ad160x600_1 +##.ad160x600box +##.ad170x30 +##.ad18 +##.ad180 +##.ad180x80 +##.ad185x100 +##.ad19 +##.ad1Image +##.ad1_bottom +##.ad1_latest +##.ad1_top +##.ad1b +##.ad1left +##.ad1x1 +##.ad2-float +##.ad200 +##.ad200x60 +##.ad220x50 +##.ad230 +##.ad233x224 +##.ad234 +##.ad234x60 +##.ad236x62 +##.ad240 +##.ad250 +##.ad250wrap +##.ad250x250 +##.ad250x300 +##.ad260 +##.ad260x60 +##.ad284x134 +##.ad290 +##.ad2content_box +##.ad300 +##.ad300-hp-top +##.ad3001 +##.ad300250 +##.ad300Block +##.ad300Wrapper +##.ad300X250 +##.ad300_2 +##.ad300_250 +##.ad300_bg +##.ad300_ver2 +##.ad300b +##.ad300banner +##.ad300px +##.ad300shows +##.ad300top +##.ad300w +##.ad300x100 +##.ad300x120 +##.ad300x150 +##.ad300x250 +##.ad300x250-1 +##.ad300x250-2 +##.ad300x250-inline +##.ad300x250Module +##.ad300x250Right +##.ad300x250Top +##.ad300x250_box +##.ad300x250_container +##.ad300x250a +##.ad300x250b +##.ad300x250box +##.ad300x250box2 +##.ad300x250flex +##.ad300x250s +##.ad300x250x2 +##.ad300x40 +##.ad300x50-right +##.ad300x600 +##.ad300x600cat +##.ad300x600post +##.ad300x77 +##.ad300x90 +##.ad310 +##.ad315 +##.ad320x250 +##.ad320x50 +##.ad336 +##.ad336_b +##.ad336x250 +##.ad336x280 +##.ad336x362 +##.ad343x290 +##.ad350 +##.ad350r +##.ad360 +##.ad366 +##.ad3rdParty +##.ad400 +##.ad400right +##.ad400x40 +##.ad450 +##.ad468 +##.ad468_60 +##.ad468box +##.ad468innerboxadpic +##.ad468x60 +##.ad468x60Wrap +##.ad468x60_main +##.ad470x60 +##.ad530 +##.ad540x90 +##.ad590 +##.ad590x90 +##.ad5_container +##.ad600 +##.ad612x80 +##.ad620x70 +##.ad626X35 +##.ad640x480 +##.ad644 +##.ad650x140 +##.ad652 +##.ad70 +##.ad728 +##.ad72890 +##.ad728By90 +##.ad728_90 +##.ad728_blk +##.ad728_cont +##.ad728_wrap +##.ad728b +##.ad728cont +##.ad728h +##.ad728top +##.ad728x90 +##.ad728x90-1 +##.ad728x90-2 +##.ad728x90box +##.ad728x90btf +##.ad970 +##.ad970_250 +##.adActive +##.adAlert +##.adArea +##.adAreaLC +##.adAreaNative +##.adAreaTopTitle +##.adArticleBanner +##.adArticleBody +##.adArticleSideTop300x250 +##.adBan +##.adBanner300x250 +##.adBanner728x90 +##.adBillboard +##.adBkgd +##.adBlock +##.adBlock728 +##.adBlockBottom +##.adBlockSpacer +##.adBlockSpot +##.adBorder +##.adBorders +##.adBox +##.adBox-small +##.adBox1 +##.adBox2 +##.adBox5 +##.adBox6 +##.adBox728 +##.adBox728X90 +##.adBox728X90_header +##.adBoxBody +##.adBoxBorder +##.adBoxContainer +##.adBoxContent +##.adBoxFooter +##.adBoxHeader +##.adBoxSidebar +##.adBoxSingle +##.adBoxTitle +##.adBox_1 +##.adBox_3 +##.adBtm +##.adCall +##.adCaptionText +##.adCell +##.adCenter +##.adCenterAd +##.adCentertile +##.adChoice +##.adChoiceLogo +##.adChoicesLogo +##.adChrome +##.adClose +##.adCode +##.adColumn +##.adColumnLeft +##.adColumnRight +##.adComponent +##.adCont +##.adContTop +##.adContainer1 +##.adContainerSide +##.adContent +##.adContentAd +##.adContour +##.adCopy +##.adCreative +##.adCreator +##.adCube +##.adDefRect +##.adDetails_ad336 +##.adDiv +##.adDrawer +##.adDyn +##.adElement +##.adExpanded +##.adFooterLinks +##.adFrame +##.adFrameCnt +##.adFrameContainer +##.adFrames +##.adFuel-label +##.adFull +##.adFullbanner +##.adGlobalHeader +##.adGoogle +##.adGroup +##.adHalfPage +##.adHead +##.adHeader +##.adHeaderAdbanner +##.adHeaderText +##.adHeaderblack +##.adHeading +##.adHeadline +##.adHeadlineSummary +##.adHed +##.adHeight200 +##.adHeight270 +##.adHeight280 +##.adHeight313 +##.adHeight600 +##.adHolder +##.adHolder2 +##.adHolderStory +##.adHoldert +##.adHome300x250 +##.adHomeSideTop300x250 +##.adHorisontal +##.adHorisontalNoBorder +##.adHorizontalTextAlt +##.adHplaceholder +##.adHz +##.adIDiv +##.adIframe +##.adIframeCount +##.adImg +##.adImgIM +##.adInArticle +##.adInContent +##.adInfo +##.adInitRemove +##.adInner +##.adInnerLeftBottom +##.adInsider +##.adInteractive +##.adIsland +##.adItem +##.adLabel +##.adLabelLine +##.adLabels +##.adLargeRec +##.adLargeRect +##.adLat +##.adLeader +##.adLeaderBoard_container +##.adLeaderForum +##.adLeaderboard +##.adLeaderboardAdContainer +##.adLeft +##.adLine +##.adLink +##.adLinkCnt +##.adListB +##.adLoader +##.adLocal +##.adLocation +##.adMPU +##.adMPUHome +##.adMRECHolder +##.adMarker +##.adMarkerBlock +##.adMastheadLeft +##.adMastheadRight +##.adMed +##.adMedRectBox +##.adMedRectBoxLeft +##.adMediaMiddle +##.adMediumRectangle +##.adMessage +##.adMiddle +##.adMinHeight280 +##.adMinHeight313 +##.adMiniTower +##.adMod +##.adModule +##.adModule--inner +##.adModule--outer +##.adModule-outer +##.adModule300 +##.adModuleAd +##.adMpu +##.adMpuHolder +##.adMrginBottom +##.adNarrow +##.adNoBorder +##.adNoOutline +##.adNone +##.adNote +##.adNotice +##.adNotice90 +##.adNoticeOut +##.adNotification +##.adObj +##.adOne +##.adOuterContainer +##.adOverlay +##.adPanel +##.adPanelContent +##.adPanorama +##.adPlaceholder +##.adPlacement +##.adPod +##.adPosition +##.adPremium +##.adRecommend +##.adRecommendRight +##.adRect +##.adRectangle +##.adRectangle-pos-large +##.adRectangle-pos-medium +##.adRectangle-pos-small +##.adRectangleBanner +##.adRectangleUnit +##.adRemove +##.adRenderer +##.adRendererInfinite +##.adResponsive +##.adResult +##.adResults +##.adRight +##.adRightSide +##.adRightSky +##.adRoller +##.adRotator +##.adRow +##.adRowTopWrapper +##.adSKY +##.adSection +##.adSenceImagePush +##.adSense +##.adSense-header +##.adSepDiv +##.adServer +##.adSeven +##.adSide +##.adSideBarMPU +##.adSideBarMPUTop +##.adSidebarButtons +##.adSizer +##.adSkin +##.adSky +##.adSkyscaper +##.adSkyscraper +##.adSlice +##.adSlide +##.adSlot +##.adSlot-container +##.adSlotAdition +##.adSlotCnt +##.adSlotContainer +##.adSlotHeaderContainer +##.adSlug +##.adSpBelow +##.adSpace +##.adSpace300x250 +##.adSpace950x90 +##.adSpacer +##.adSpec +##.adSplash +##.adSponsor +##.adSponsorText +##.adSponsorhipInfo +##.adSpot +##.adSpot-mrec +##.adSpot-textBox +##.adSpotBlock +##.adSpotFullWidth +##.adSpotIsland +##.adSquare +##.adStatementText +##.adStyle +##.adStyle1 +##.adSub +##.adSubColPod +##.adSummary +##.adSuperboard +##.adSupertower +##.adTD +##.adTXTnew +##.adTab +##.adTag +##.adTag-top +##.adTag-wrap +##.adTagThree +##.adTagTwo +##.adText +##.adTextDownload +##.adTextPmpt +##.adTextStreaming +##.adTextWrap +##.adTicker +##.adTile +##.adTileWrap +##.adTiler +##.adTip +##.adTitle +##.adTitleR +##.adTop +##.adTopBk +##.adTopFloat +##.adTopHome +##.adTopLB +##.adTopLeft +##.adTopRight +##.adTopWrapper +##.adTopboxright +##.adTwo +##.adTxt +##.adType2 +##.adUnderArticle +##.adUnit +##.adUnitHorz +##.adUnitVert +##.adVar +##.adVertical +##.adVideo +##.adVideo2 +##.adVl +##.adVplaceholder +##.adWarning +##.adWebBoard +##.adWideSkyscraper +##.adWideSkyscraperRight +##.adWidget +##.adWidgetBlock +##.adWithTab +##.adWizard-ad +##.adWord +##.adWords-bg +##.adWrap +##.adWrapLg +##.adWrapper +##.adWrapper1 +##.adZone +##.adZoneRight +##.ad_0 +##.ad_1 +##.ad_1000_125 +##.ad_120x60 +##.ad_120x600 +##.ad_120x90 +##.ad_125 +##.ad_130x90 +##.ad_150x150 +##.ad_160 +##.ad_160_600 +##.ad_160x600 +##.ad_188_inner +##.ad_2 +##.ad_200 +##.ad_240 +##.ad_250250 +##.ad_250x200 +##.ad_250x250 +##.ad_290_290 +##.ad_3 +##.ad_300 +##.ad_300250 +##.ad_300_250 +##.ad_300_250_1 +##.ad_300_250_2 +##.ad_300_250_wrapper +##.ad_300_600 +##.ad_300by250 +##.ad_300x100 +##.ad_300x250 +##.ad_300x250_container +##.ad_300x600 +##.ad_320x250_async +##.ad_336 +##.ad_336x280 +##.ad_350x250 +##.ad_4 +##.ad_468 +##.ad_468x60 +##.ad_5 +##.ad_600 +##.ad_640 +##.ad_640x480 +##.ad_728 +##.ad_72890 +##.ad_728Home +##.ad_728_90 +##.ad_728_90_1 +##.ad_728_90b +##.ad_728_top +##.ad_728x90 +##.ad_728x90-1 +##.ad_728x90-2 +##.ad_728x90_container +##.ad_728x90b +##.ad_90 +##.ad_970x250 +##.ad_970x250_300x250 +##.ad_970x250_container +##.ad_Bumper +##.ad_Flex +##.ad_Left +##.ad_Right +##.ad__300x250 +##.ad__300x600 +##.ad__970x250 +##.ad__align +##.ad__centered +##.ad__container +##.ad__content +##.ad__full--width +##.ad__header +##.ad__holder +##.ad__image +##.ad__in_article +##.ad__inline +##.ad__item +##.ad__label +##.ad__leaderboard +##.ad__mobi +##.ad__mobile-footer +##.ad__mpu +##.ad__placeholder +##.ad__rectangle +##.ad__section-border +##.ad__sidebar +##.ad__space +##.ad__sticky +##.ad__template +##.ad__window +##.ad__wrapper +##.ad_adv +##.ad_after_section +##.ad_amazon +##.ad_area +##.ad_area_two +##.ad_back +##.ad_background +##.ad_background_1 +##.ad_background_true +##.ad_banner +##.ad_banner2 +##.ad_banner_2 +##.ad_banner_250x250 +##.ad_banner_468 +##.ad_banner_728 +##.ad_banner_728x90_inner +##.ad_banner_border +##.ad_banner_div +##.ad_bar +##.ad_below_content +##.ad_belowfirstpost_frame +##.ad_bg +##.ad_bgskin +##.ad_big_banner +##.ad_bigbox +##.ad_billboard +##.ad_blk +##.ad_block +##.ad_block_1 +##.ad_block_2 +##.ad_block_widget +##.ad_body +##.ad_border +##.ad_botbanner +##.ad_bottom +##.ad_bottom_728 +##.ad_bottom_leaderboard +##.ad_bottom_left +##.ad_bottom_mpu +##.ad_bottom_space +##.ad_box +##.ad_box1 +##.ad_box2 +##.ad_box_2 +##.ad_box_6 +##.ad_box_9 +##.ad_box_ad +##.ad_box_div +##.ad_box_header +##.ad_box_spacer +##.ad_box_top +##.ad_break +##.ad_break2_container +##.ad_break_container +##.ad_btf +##.ad_btn +##.ad_btn-white +##.ad_btn1 +##.ad_btn2 +##.ad_by +##.ad_callout +##.ad_caption +##.ad_center +##.ad_center_bottom +##.ad_centered +##.ad_choice +##.ad_choices +##.ad_cl +##.ad_claim +##.ad_click +##.ad_cls_fix +##.ad_code +##.ad_col +##.ad_column +##.ad_column_box +##.ad_common +##.ad_con +##.ad_cont +##.ad_cont_footer +##.ad_contain +##.ad_container +##.ad_container_body +##.ad_container_bottom +##.ad_content +##.ad_content_below +##.ad_content_bottom +##.ad_content_wide +##.ad_content_wrapper +##.ad_contents +##.ad_crown +##.ad_custombanner +##.ad_d_big +##.ad_db +##.ad_default +##.ad_description +##.ad_desktop +##.ad_disclaimer +##.ad_div +##.ad_div_banner +##.ad_div_box +##.ad_div_box2 +##.ad_element +##.ad_embed +##.ad_feature +##.ad_float +##.ad_floating_box +##.ad_fluid +##.ad_footer +##.ad_footer_super_banner +##.ad_frame +##.ad_frame_around +##.ad_fullwidth +##.ad_gam +##.ad_global_header +##.ad_google +##.ad_gpt +##.ad_grein_botn +##.ad_grid +##.ad_group +##.ad_half_page +##.ad_halfpage +##.ad_hd +##.ad_head +##.ad_head_rectangle +##.ad_header +##.ad_header_top +##.ad_heading +##.ad_headline +##.ad_holder +##.ad_horizontal +##.ad_hover_href +##.ad_iframe2 +##.ad_image +##.ad_img +##.ad_imgae_150 +##.ad_in_article +##.ad_in_text +##.ad_incontent +##.ad_index02 +##.ad_indicator +##.ad_inline +##.ad_inline_wrapper +##.ad_inner +##.ad_inset +##.ad_island +##.ad_item +##.ad_label +##.ad_large +##.ad_lb +##.ad_leader +##.ad_leader_bottom +##.ad_leader_plus_top +##.ad_leaderboard +##.ad_leaderboard_atf +##.ad_leaderboard_master +##.ad_leaderboard_top +##.ad_leaderboard_wrap +##.ad_left +##.ad_left_cell +##.ad_left_column +##.ad_lft +##.ad_line2 +##.ad_link +##.ad_links +##.ad_lnks +##.ad_loc +##.ad_long +##.ad_lrec +##.ad_lrgsky +##.ad_lt +##.ad_main +##.ad_maintopad +##.ad_margin +##.ad_marker +##.ad_masthead +##.ad_med +##.ad_medium_rectangle +##.ad_medrec +##.ad_medrect +##.ad_megabanner +##.ad_message +##.ad_mid_post_body +##.ad_middle +##.ad_middle_banner +##.ad_mobile +##.ad_mod +##.ad_module +##.ad_mp +##.ad_mpu +##.ad_mpu_top +##.ad_mr +##.ad_mrec +##.ad_native +##.ad_native_xrail +##.ad_news +##.ad_no_border +##.ad_note +##.ad_notice +##.ad_oms +##.ad_on_article +##.ad_one +##.ad_one_one +##.ad_one_third +##.ad_outer +##.ad_overlays +##.ad_p360 +##.ad_pagebody +##.ad_panel +##.ad_paragraphs_desktop_container +##.ad_partner +##.ad_partners +##.ad_pause +##.ad_pic +##.ad_place +##.ad_placeholder +##.ad_placeholder_d_b +##.ad_placeholder_d_s +##.ad_placeholder_d_sticky +##.ad_placement +##.ad_plus +##.ad_position +##.ad_post +##.ad_primary +##.ad_promo +##.ad_promo1 +##.ad_promo_spacer +##.ad_push +##.ad_r +##.ad_rec +##.ad_rect +##.ad_rectangle +##.ad_rectangle_300_250 +##.ad_rectangle_medium +##.ad_rectangular +##.ad_regular1 +##.ad_regular2 +##.ad_regular3 +##.ad_reminder +##.ad_response +##.ad_rhs +##.ad_right +##.ad_rightSky +##.ad_right_300_250 +##.ad_right_cell +##.ad_right_col +##.ad_rightside +##.ad_row +##.ad_scroll +##.ad_secondary +##.ad_segment +##.ad_sense_01 +##.ad_sense_footer_container +##.ad_share_box +##.ad_side +##.ad_side_box +##.ad_side_rectangle_banner +##.ad_sidebar +##.ad_sidebar_bigbox +##.ad_sidebar_inner +##.ad_sidebar_left +##.ad_sidebar_right +##.ad_size_160x600 +##.ad_skin +##.ad_sky +##.ad_sky2 +##.ad_sky2_2 +##.ad_skyscpr +##.ad_skyscraper +##.ad_skyscrapper +##.ad_slider_out +##.ad_slot +##.ad_slot_inread +##.ad_slot_right +##.ad_slug +##.ad_small +##.ad_space +##.ad_space_300_250 +##.ad_spacer +##.ad_sponsor +##.ad_sponsor_fp +##.ad_sponsoredsection +##.ad_spot +##.ad_spot_b +##.ad_spot_c +##.ad_spotlight +##.ad_square +##.ad_square_r +##.ad_square_r_top +##.ad_square_top +##.ad_start +##.ad_static +##.ad_station +##.ad_story_island +##.ad_stream +##.ad_stream_hd +##.ad_sub +##.ad_supersize +##.ad_table +##.ad_tag +##.ad_tag_middle +##.ad_text +##.ad_text_link +##.ad_text_links +##.ad_text_vertical +##.ad_text_w +##.ad_textlink1 +##.ad_textlink_box +##.ad_thumbnail_header +##.ad_title +##.ad_title_small +##.ad_tlb +##.ad_to_list +##.ad_top +##.ad_top1 +##.ad_top_1 +##.ad_top_2 +##.ad_top_3 +##.ad_top_banner +##.ad_top_leaderboard +##.ad_top_left +##.ad_top_mpu +##.ad_top_right +##.ad_topic_content +##.ad_topmain +##.ad_topright +##.ad_topshop +##.ad_tower +##.ad_trailer_header +##.ad_trick_header +##.ad_trick_left +##.ad_ttl +##.ad_two +##.ad_two_third +##.ad_txt2 +##.ad_type_1 +##.ad_type_adsense +##.ad_type_dfp +##.ad_under +##.ad_under_royal_slider +##.ad_unit +##.ad_unit_300 +##.ad_unit_300_x_250 +##.ad_unit_600 +##.ad_unit_rail +##.ad_unit_wrapper +##.ad_unit_wrapper_main +##.ad_url +##.ad_v2 +##.ad_v3 +##.ad_vertisement +##.ad_w +##.ad_w300h450 +##.ad_w300i +##.ad_w_us_a300 +##.ad_warn +##.ad_warning +##.ad_watch_now +##.ad_watermark +##.ad_wid300 +##.ad_wide +##.ad_wide_vertical +##.ad_widget +##.ad_widget_200_100 +##.ad_widget_200_200 +##.ad_widget_image +##.ad_widget_title +##.ad_word +##.ad_wrap +##.ad_wrapper +##.ad_wrapper_300 +##.ad_wrapper_970x90 +##.ad_wrapper_box +##.ad_wrapper_false +##.ad_wrapper_fixed +##.ad_wrapper_top +##.ad_wrp +##.ad_xrail +##.ad_xrail_top +##.ad_zone +##.adace-adi-popup-wrapper +##.adace-slideup-slot-wrap +##.adace-slot +##.adace-slot-wrapper +##.adace-sponsors-box +##.adace-vignette +##.adalert-overlayer +##.adalert-toplayer +##.adamazon +##.adarea +##.adarea-long +##.adarticle +##.adb-top +##.adback +##.adban +##.adband +##.adbanner-300-250 +##.adbanner-bottom +##.adbanner1 +##.adbannerbox +##.adbannerright +##.adbannertop +##.adbase +##.adbbox +##.adbckgrnd +##.adbetween +##.adbetweenarticles +##.adbkgnd +##.adblade +##.adblade-container +##.adbladeimg +##.adblk +##.adblock-bottom +##.adblock-header +##.adblock-header1 +##.adblock-main +##.adblock-popup +##.adblock-top +##.adblock-top-left +##.adblock-wide +##.adblock300 +##.adblock300250 +##.adblock728x90 +##.adblock__banner +##.adblock_noborder +##.adblock_primary +##.adblockdiv +##.adblocks-topright +##.adboard +##.adborder +##.adborderbottom +##.adbordertop +##.adbot +##.adbot_postbit +##.adbot_showthread +##.adbottom +##.adbottomright +##.adbox-300x250 +##.adbox-468x60 +##.adbox-border-desk +##.adbox-box +##.adbox-header +##.adbox-outer +##.adbox-rectangle +##.adbox-sidebar +##.adbox-slider +##.adbox-style +##.adbox-title +##.adbox-topbanner +##.adbox-wrapper +##.adbox1 +##.adbox160 +##.adbox2 +##.adbox300 +##.adbox300x250 +##.adbox336 +##.adbox600 +##.adbox728 +##.adboxRightSide +##.adboxTopBanner +##.adboxVert +##.adbox_300x600 +##.adbox_310x400 +##.adbox_366x280 +##.adbox_468X60 +##.adbox_border +##.adbox_bottom +##.adbox_br +##.adbox_cont +##.adbox_largerect +##.adbox_left +##.adbox_top +##.adboxbg +##.adboxbot +##.adboxclass +##.adboxcm +##.adboxcontent +##.adboxcontentsum +##.adboxes +##.adboxesrow +##.adboxid +##.adboxlarge +##.adboxlong +##.adboxo +##.adboxtop +##.adbreak +##.adbrite2 +##.adbtn +##.adbtns +##.adbttm_right_300 +##.adbttm_right_label +##.adbucks +##.adbug +##.adbutler-inline-ad +##.adbutler-top-banner +##.adbutler_top_banner +##.adbutton +##.adbutton-block +##.adbuttons +##.adcard +##.adcasing +##.adcenter +##.adchange +##.adchoices +##.adchoices-link +##.adclass +##.adcode +##.adcode-widget +##.adcode2 +##.adcode300x250 +##.adcode728x90 +##.adcode_container +##.adcodetextwrap300x250 +##.adcodetop +##.adcol1 +##.adcol2 +##.adcolumn +##.adcolumn_wrapper +##.adcomment +##.adcon +##.adcont +##.adcontainer-Leaderboard +##.adcontainer-Rectangle +##.adcontainer2 +##.adcontainer300x250l +##.adcontainer300x250r +##.adcontainer_big +##.adcontainer_footer +##.adcopy +##.add-sidebar +##.add300 +##.add300top +##.add300x250 +##.addAdvertContainer +##.add_topbanner +##.addarea +##.addarearight +##.addbanner +##.addboxRight +##.addisclaimer +##.addiv +##.adds2 +##.adds300x250 +##.adds620x90 +##.addtitle +##.addvert +##.addwide +##.adengageadzone +##.adenquire +##.adex-ad-text +##.adfbox +##.adfeedback +##.adfeeds +##.adfix +##.adflag +##.adflexi +##.adfliction +##.adfoot +##.adfootbox +##.adfooter +##.adform__topbanner +##.adfoxly-overlay +##.adfoxly-place-delay +##.adfoxly-wrapper +##.adframe +##.adframe2 +##.adframe_banner +##.adframe_rectangle +##.adfree +##.adfront +##.adfront-head +##.adfrp +##.adfull +##.adgear +##.adgmleaderboard +##.adguru-content-html +##.adguru-modal-popup +##.adhalfhome +##.adhalfpage +##.adhalfpageright +##.adhead +##.adheader +##.adheightpromo +##.adheighttall +##.adherebox +##.adhesion-block +##.adhesion-header +##.adhesion:not(body) +##.adhesiveAdWrapper +##.adhesiveWrapper +##.adhesive_holder +##.adhi +##.adhide +##.adhint +##.adholder +##.adholder-300 +##.adholder2 +##.adholderban +##.adhoriz +##.adiframe +##.adindex +##.adindicator +##.adinfo +##.adinjwidget +##.adinner +##.adinpost +##.adinsert +##.adinsert160 +##.adinside +##.adintext +##.adintro +##.adisclaimer +##.adisland +##.adits +##.adjlink +##.adk-slot +##.adkicker +##.adkit +##.adlabel-horz +##.adlabel-vert +##.adlabel1 +##.adlabel2 +##.adlabel3 +##.adlabelleft +##.adlarge +##.adlarger +##.adlateral +##.adlayer +##.adleader +##.adleft1 +##.adleftph +##.adlgbox +##.adline +##.adlink +##.adlinkdiv +##.adlinks +##.adlinks-class +##.adlist +##.adlist1 +##.adlist2 +##.adloaded +##.adlsot +##.admain +##.adman +##.admarker +##.admaster +##.admediumred +##.admedrec +##.admeldBoxAd +##.admessage +##.admiddle +##.admiddlesidebar +##.admngr +##.admngrfr +##.admngrft +##.admods +##.admodule +##.admoduleB +##.admpu +##.admpu-small +##.admputop +##.admz +##.adnSpot +##.adname +##.adnet_area +##.adnotecenter +##.adnotice +##.adnotification +##.adnz-ad-placeholder +##.adocean +##.adocean728x90 +##.adocean_desktop_section +##.adops +##.adpacks +##.adpacks_content +##.adpadding +##.adpane +##.adparent +##.adpic +##.adplace +##.adplace_center +##.adplaceholder +##.adplaceholder-top +##.adplacement +##.adplate-background +##.adplugg-tag +##.adpod +##.adpopup +##.adpos-300-mobile +##.adpost +##.adposter_pos +##.adproxy +##.adrec +##.adrechts +##.adrect +##.adrectangle +##.adrectwrapper +##.adrevtising-buttom +##.adright +##.adright300 +##.adrightlg +##.adrightsm +##.adrighttop +##.adriverBanner +##.adroot +##.adrotate-sponsor +##.adrotate-widget +##.adrotate_ads_row +##.adrotate_top_banner +##.adrotate_widget +##.adrotate_widgets +##.adrotatediv +##.adrow +##.adrule +##.ads--bottom-spacing +##.ads--desktop +##.ads--full +##.ads--no-preload +##.ads--sidebar +##.ads--single +##.ads--square +##.ads--super +##.ads--top +##.ads-1 +##.ads-120x600 +##.ads-125 +##.ads-160x600 +##.ads-160x600-outer +##.ads-2 +##.ads-3 +##.ads-300 +##.ads-300-250 +##.ads-300-box +##.ads-300x250 +##.ads-300x250-sidebar +##.ads-300x300 +##.ads-300x600 +##.ads-300x600-wrapper-en +##.ads-320-50 +##.ads-320x250 +##.ads-336x280 +##.ads-468 +##.ads-728 +##.ads-728-90 +##.ads-728by90 +##.ads-728x90 +##.ads-980x90 +##.ads-above-comments +##.ads-ad +##.ads-advertorial +##.ads-article-right +##.ads-articlebottom +##.ads-aside +##.ads-banner +##.ads-banner-bottom +##.ads-banner-js +##.ads-banner-middle +##.ads-banner-spacing +##.ads-banner-top +##.ads-banner-top-right +##.ads-base +##.ads-beforecontent +##.ads-below-content +##.ads-below-home +##.ads-below-view-content +##.ads-between-comments +##.ads-bg +##.ads-bigbox +##.ads-bilboards +##.ads-bing-bottom +##.ads-bing-top +##.ads-block +##.ads-block-bottom-wrap +##.ads-block-link-text +##.ads-block-panel-tipo-1 +##.ads-block-rightside +##.ads-block-top +##.ads-block-top-right +##.ads-border +##.ads-bottom +##.ads-bottom-block +##.ads-bottom-center +##.ads-bottom-content +##.ads-bottom-left +##.ads-bottom-right +##.ads-box +##.ads-box-border +##.ads-box-cont +##.ads-bt +##.ads-btm +##.ads-by +##.ads-by-google +##.ads-callback +##.ads-card +##.ads-carousel +##.ads-center +##.ads-centered +##.ads-cnt +##.ads-code +##.ads-col +##.ads-cols +##.ads-cont +##.ads-content +##.ads-core-placer +##.ads-custom +##.ads-decorator +##.ads-desktop +##.ads-div +##.ads-el +##.ads-end-content +##.ads-favicon +##.ads-feed +##.ads-fieldset +##.ads-footer +##.ads-fr +##.ads-global-header +##.ads-global-top +##.ads-google +##.ads-google-bottom +##.ads-google-top +##.ads-grp +##.ads-half +##.ads-header +##.ads-header-desktop +##.ads-header-left +##.ads-header-right +##.ads-here +##.ads-hints +##.ads-holder +##.ads-home +##.ads-homepage-2 +##.ads-horizontal +##.ads-horizontal-banner +##.ads-image +##.ads-inarticle +##.ads-inline +##.ads-inner +##.ads-instance +##.ads-internal +##.ads-item +##.ads-label +##.ads-label-inverse +##.ads-large +##.ads-leaderboard +##.ads-leaderboard-border +##.ads-leaderboard-panel +##.ads-leaderbord +##.ads-left +##.ads-line +##.ads-list +##.ads-loaded +##.ads-long +##.ads-main +##.ads-margin +##.ads-marker +##.ads-medium-rect +##.ads-middle +##.ads-middle-top +##.ads-minheight +##.ads-mini +##.ads-mini-3rows +##.ads-mobile +##.ads-module +##.ads-module-alignment +##.ads-movie +##.ads-mpu +##.ads-narrow +##.ads-native-wrapper +##.ads-note +##.ads-one +##.ads-outer +##.ads-panel +##.ads-parent +##.ads-pholder +##.ads-placeholder +##.ads-placeholder-inside +##.ads-placeholder-wrapper +##.ads-placment +##.ads-post +##.ads-post-closing +##.ads-post-footer +##.ads-post-full +##.ads-posting +##.ads-profile +##.ads-rail +##.ads-rect +##.ads-rectangle +##.ads-relatedbottom +##.ads-rendering-fix +##.ads-right +##.ads-right-min +##.ads-rotate +##.ads-row +##.ads-scroller-box +##.ads-section +##.ads-side +##.ads-sidebar +##.ads-sidebar-boxad +##.ads-sidebar-widget +##.ads-sign +##.ads-single +##.ads-site +##.ads-size-small +##.ads-skin +##.ads-skin-mobile +##.ads-sky +##.ads-skyscraper +##.ads-skyscraper-container-left +##.ads-skyscraper-container-right +##.ads-skyscraper-left +##.ads-skyscraper-right +##.ads-small +##.ads-small-horizontal +##.ads-small-squares +##.ads-smartphone +##.ads-social-box +##.ads-sponsored-title +##.ads-sponsors +##.ads-square +##.ads-square-large +##.ads-square-small +##.ads-squares +##.ads-star +##.ads-stick-footer +##.ads-sticky +##.ads-story +##.ads-story-leaderboard-atf +##.ads-stripe +##.ads-styled +##.ads-superbanner +##.ads-system +##.ads-text +##.ads-title +##.ads-to-hide +##.ads-top +##.ads-top-728 +##.ads-top-center +##.ads-top-content +##.ads-top-fixed +##.ads-top-home +##.ads-top-left +##.ads-top-main +##.ads-top-right +##.ads-top-spacer +##.ads-topbar +##.ads-two +##.ads-txt +##.ads-ul +##.ads-verticle +##.ads-wall-container +##.ads-wide +##.ads-widget +##.ads-widget-content +##.ads-widget-content-wrap +##.ads-widget-link +##.ads-wrap +##.ads-wrapper +##.ads-wrapper-top +##.ads-x1 +##.ads-zone +##.ads.bottom +##.ads.box +##.ads.cell +##.ads.cta +##.ads.grid-layout +##.ads.square +##.ads.top +##.ads.widget +##.ads01 +##.ads1 +##.ads10 +##.ads11 +##.ads120 +##.ads120_600 +##.ads120_600-widget +##.ads120_80 +##.ads120x +##.ads123 +##.ads125 +##.ads125-widget +##.ads160 +##.ads160-600 +##.ads2 +##.ads250 +##.ads250-250 +##.ads2Block +##.ads3 +##.ads300 +##.ads300-200 +##.ads300-250 +##.ads300250 +##.ads300_250 +##.ads300_600-widget +##.ads300box +##.ads300x600 +##.ads336_280 +##.ads336x280 +##.ads4 +##.ads468 +##.ads468x60 +##.ads600 +##.ads720x90 +##.ads728 +##.ads728_90 +##.ads728b +##.ads728x90 +##.ads728x90-1 +##.ads970 +##.adsAdvert +##.adsArea +##.adsBanner +##.adsBannerLink +##.adsBlock +##.adsBlockContainerHorizontal +##.adsBot +##.adsBottom +##.adsBoxTop +##.adsCap +##.adsCell +##.adsColumn +##.adsConfig +##.adsCont +##.adsDef +##.adsDesktop +##.adsDetailsPage +##.adsDisclaimer +##.adsDiv +##.adsFirst +##.adsFixed +##.adsFull +##.adsHeader +##.adsHeading +##.adsHeight300x250 +##.adsHeight720x90 +##.adsHome-full +##.adsImages +##.adsInner +##.adsLabel +##.adsLibrary +##.adsLine +##.adsList +##.adsMPU +##.adsMag +##.adsMarker +##.adsMiddle +##.adsMvCarousel +##.adsNetwork +##.adsOuter +##.adsOverPrimary +##.adsPlaceHolder +##.adsPostquare +##.adsPushdown +##.adsRectangleMedium +##.adsRight +##.adsRow +##.adsSecond +##.adsSectionRL +##.adsSpacing +##.adsSticky +##.adsTag +##.adsText +##.adsTop +##.adsTopBanner +##.adsTopCont +##.adsTower2 +##.adsTowerWrap +##.adsTxt +##.adsWidget +##.adsWrap +##.ads_160 +##.ads_180 +##.ads_2 +##.ads_3 +##.ads_300 +##.ads_300_250 +##.ads_300x250 +##.ads_300x600 +##.ads_4 +##.ads_468 +##.ads_468x60 +##.ads_720x90 +##.ads_728 +##.ads_728x90 +##.ads_Header +##.ads__article__header +##.ads__aside +##.ads__container +##.ads__header +##.ads__horizontal +##.ads__hyperleaderboard--hyperleaderboard +##.ads__inline +##.ads__interstitial +##.ads__link +##.ads__listing +##.ads__mid +##.ads__middle +##.ads__midpage-fullwidth +##.ads__native +##.ads__right-rail-ad +##.ads__sidebar +##.ads__top +##.ads_ad_box +##.ads_after +##.ads_after_more +##.ads_amazon +##.ads_area +##.ads_article +##.ads_ba_cad +##.ads_banner +##.ads_bar +##.ads_before +##.ads_between_content +##.ads_bg +##.ads_big +##.ads_bigrec +##.ads_block +##.ads_border +##.ads_box +##.ads_box_headline +##.ads_box_type1 +##.ads_center +##.ads_code +##.ads_column +##.ads_container +##.ads_container_top +##.ads_content +##.ads_css +##.ads_div +##.ads_div1 +##.ads_foot +##.ads_footer +##.ads_footerad +##.ads_full_1 +##.ads_google +##.ads_h +##.ads_h1 +##.ads_h2 +##.ads_header +##.ads_header_bottom +##.ads_holder +##.ads_home +##.ads_horizontal +##.ads_inview +##.ads_item +##.ads_label +##.ads_lb +##.ads_leader +##.ads_leaderboard +##.ads_left +##.ads_main +##.ads_main_hp +##.ads_media +##.ads_medium +##.ads_medium_rectangle +##.ads_medrect +##.ads_middle +##.ads_middle-container +##.ads_middle_container +##.ads_mobile_vert +##.ads_mpu +##.ads_outer +##.ads_outline +##.ads_place +##.ads_place_160 +##.ads_place_top +##.ads_placeholder +##.ads_player +##.ads_post +##.ads_prtext +##.ads_rectangle +##.ads_remove +##.ads_right +##.ads_rightbar_top +##.ads_side +##.ads_sideba +##.ads_sidebar +##.ads_single_center +##.ads_single_side +##.ads_single_top +##.ads_singlepost +##.ads_slice +##.ads_slot +##.ads_small +##.ads_small_rectangle +##.ads_space_long +##.ads_spacer +##.ads_square +##.ads_takeover +##.ads_text +##.ads_tit +##.ads_title +##.ads_top +##.ads_top_1 +##.ads_top_banner +##.ads_top_both +##.ads_top_middle +##.ads_top_nav +##.ads_topbanner +##.ads_topleft +##.ads_topright +##.ads_tower +##.ads_tr +##.ads_under_data +##.ads_unit +##.ads_up +##.ads_video +##.ads_wide +##.ads_widesky +##.ads_widget +##.ads_wrap +##.ads_wrap-para +##.ads_wrapper +##.adsafp +##.adsanity-alignnone +##.adsanity-group +##.adsanity-single +##.adsarea +##.adsartical +##.adsbanner1 +##.adsbanner2 +##.adsbantop +##.adsbar +##.adsbg300 +##.adsbillboard +##.adsblock +##.adsblockvert +##.adsbnr +##.adsbody +##.adsborder +##.adsboth +##.adsbottom +##.adsbottombox +##.adsbox--masthead +##.adsbox-square +##.adsbox970x90 +##.adsbox990x90 +##.adsboxBtn +##.adsbox_300x250 +##.adsboxitem +##.adsbx728x90 +##.adsbyadop +##.adsbyexoclick +##.adsbyexoclick-wrapper +##.adsbygalaksion +##.adsbygoogle-box +##.adsbygoogle-noablate +##.adsbygoogle-wrapper +##.adsbygoogle2 +##.adsbypublift +##.adsbypubmax +##.adsbytrafficjunky +##.adsbyvli +##.adsbyxa +##.adscaleTop +##.adscenter +##.adscentertext +##.adsclick +##.adscontainer +##.adscontent250 +##.adscontentcenter +##.adscontntad +##.adscreen +##.adsdelivery +##.adsdesktop +##.adsdiv +##.adsection_a2 +##.adsection_c2 +##.adsection_c3 +##.adsenbox +##.adsens +##.adsense-250 +##.adsense-300-600 +##.adsense-336 +##.adsense-336-280 +##.adsense-468 +##.adsense-728-90 +##.adsense-ad-results +##.adsense-ads +##.adsense-afterpost +##.adsense-area +##.adsense-article +##.adsense-block +##.adsense-box +##.adsense-center +##.adsense-code +##.adsense-container +##.adsense-content +##.adsense-div +##.adsense-float +##.adsense-googleAds +##.adsense-header +##.adsense-heading +##.adsense-iframe-container +##.adsense-inline +##.adsense-left +##.adsense-links +##.adsense-loading +##.adsense-module +##.adsense-overlay +##.adsense-post +##.adsense-resposivo-meio +##.adsense-right +##.adsense-slot +##.adsense-square +##.adsense-sticky-slide +##.adsense-title +##.adsense-top +##.adsense-unit +##.adsense-widget +##.adsense-wrapper +##.adsense1 +##.adsense160x600 +##.adsense250 +##.adsense3 +##.adsense300 +##.adsense300x250 +##.adsense728 +##.adsense728x90 +##.adsenseAds +##.adsenseBannerArea +##.adsenseBlock +##.adsenseContainer +##.adsenseList +##.adsenseRow +##.adsenseSky +##.adsenseWrapper +##.adsense_200 +##.adsense_336_280 +##.adsense_728x90_container +##.adsense_ad +##.adsense_block +##.adsense_bottom +##.adsense_container +##.adsense_content_300x250 +##.adsense_div_wrapper +##.adsense_inner +##.adsense_label +##.adsense_leader +##.adsense_media +##.adsense_menu +##.adsense_mpu +##.adsense_rectangle +##.adsense_results +##.adsense_right +##.adsense_sidebar +##.adsense_sidebar_top +##.adsense_single +##.adsense_top +##.adsense_top_ad +##.adsense_unit +##.adsense_wrapper +##.adsensebig +##.adsensefloat +##.adsenseformat +##.adsenseframe +##.adsenseleaderboard +##.adsensemobile +##.adsenvelope +##.adsep +##.adserve_728 +##.adserverBox +##.adserver_zone +##.adserverad +##.adserving +##.adset +##.adsfloat +##.adsfloatpanel +##.adsforums +##.adsghori +##.adsgrd +##.adsgvert +##.adsheight-250 +##.adshome +##.adshowbig +##.adshowcase +##.adshp +##.adside +##.adside-box-index +##.adside-box-single +##.adside_box +##.adsidebar +##.adsidebox +##.adsider +##.adsincs2 +##.adsinfo +##.adsingle +##.adsingle-r +##.adsingleph +##.adsitem +##.adsize728 +##.adsizer +##.adsizewrapper +##.adskeeperWrap +##.adsky +##.adsleaderboard +##.adsleaderboardbox +##.adsleff +##.adsleft +##.adsleftblock +##.adslibraryArticle +##.adslider +##.adslink +##.adslist +##.adslisting +##.adslisting2 +##.adslistingz +##.adsload +##.adsloading +##.adslogan +##.adslot +##.adslot--leaderboard +##.adslot-area +##.adslot-banner +##.adslot-billboard +##.adslot-feature +##.adslot-inline-wide +##.adslot-mpu +##.adslot-rectangle +##.adslot-widget +##.adslot970 +##.adslotMid +##.adslot_1 +##.adslot_1m +##.adslot_2 +##.adslot_2m +##.adslot_3 +##.adslot_300 +##.adslot_3d +##.adslot_3m +##.adslot_4 +##.adslot_728 +##.adslot__ad-container +##.adslot__ad-wrapper +##.adslot_blurred +##.adslot_bot_300x250 +##.adslot_collapse +##.adslot_popup +##.adslot_side1 +##.adslothead +##.adslotleft +##.adslotright +##.adslotright_1 +##.adslotright_2 +##.adslug +##.adsmaintop +##.adsmall +##.adsmaller +##.adsmalltext +##.adsmanag +##.adsmbody +##.adsmedrect +##.adsmedrectright +##.adsmessage +##.adsmobile +##.adsninja-ad-zone +##.adsninja-ad-zone-container-with-set-height +##.adsninja-rail-zone +##.adsnippet_widget +##.adsns +##.adsntl +##.adsonar-after +##.adsonofftrigger +##.adsoptimal-slot +##.adsother +##.adspace +##.adspace-300x600 +##.adspace-336x280 +##.adspace-728x90 +##.adspace-MR +##.adspace-lb +##.adspace-leaderboard +##.adspace-lr +##.adspace-mpu +##.adspace-mtb +##.adspace-top +##.adspace-widget +##.adspace1 +##.adspace180 +##.adspace2 +##.adspace728x90 +##.adspace_2 +##.adspace_bottom +##.adspace_buysell +##.adspace_right +##.adspace_rotate +##.adspace_skyscraper +##.adspace_top +##.adspacer +##.adspacer2 +##.adspan +##.adspanel +##.adspecial390 +##.adspeed +##.adsplash-160x600 +##.adsplat +##.adsponsor +##.adspop +##.adspost +##.adspot +##.adspot-desk +##.adspot-title +##.adspot1 +##.adspot200x90 +##.adspot468x60 +##.adspot728x90 +##.adspotGrey +##.adspot_468x60 +##.adspot_728x90 +##.adsprefooter +##.adspreview +##.adsrecnode +##.adsresponsive +##.adsright +##.adss +##.adss-rel +##.adssidebar2 +##.adsskyscraper +##.adsslotcustom2 +##.adsslotcustom4 +##.adssmall +##.adssquare +##.adssquare2 +##.adsterra +##.adstext +##.adstextpad +##.adstipt +##.adstitle +##.adstop +##.adstory +##.adstrip +##.adstyle +##.adsverting +##.adsvideo +##.adswallpapr +##.adswidget +##.adswiper +##.adswitch +##.adswordatas +##.adsystem_ad +##.adszone +##.adt-300x250 +##.adt-300x600 +##.adt-728x90 +##.adtab +##.adtable +##.adtag +##.adtc +##.adtech +##.adtech-ad-widget +##.adtech-banner +##.adtech-boxad +##.adtech-copy +##.adtech-video-2 +##.adtech-wrapper +##.adtechMobile +##.adtech_wrapper +##.adtester-container +##.adtext-bg +##.adtext_gray +##.adtext_horizontal +##.adtext_onwhite +##.adtext_vertical +##.adtext_white +##.adtextleft +##.adtextright +##.adthrive +##.adthrive-ad +##.adthrive-content +##.adthrive-header +##.adthrive-header-container +##.adthrive-placeholder-content +##.adthrive-placeholder-header +##.adthrive-placeholder-static-sidebar +##.adthrive-placeholder-video +##.adthrive-sidebar +##.adthrive-video-player +##.adthrive_custom_ad +##.adtile +##.adtips +##.adtips1 +##.adtitle +##.adtoggle +##.adtop +##.adtop-border +##.adtops +##.adtower +##.adtravel +##.adttl +##.adtxt +##.adtxtlinks +##.adult-adv +##.adun +##.adunit +##.adunit-300-250 +##.adunit-active +##.adunit-adbridg +##.adunit-container +##.adunit-container_sitebar_1 +##.adunit-googleadmanager +##.adunit-lazy +##.adunit-middle +##.adunit-parent +##.adunit-purch +##.adunit-side +##.adunit-title +##.adunit-top +##.adunit-wrap +##.adunit-wrapper +##.adunit125 +##.adunit160 +##.adunit300x250 +##.adunit468 +##.adunitContainer +##.adunit_300x250 +##.adunit_728x90 +##.adunit_content +##.adunit_footer +##.adunit_leaderboard +##.adunit_rectangle +##.adv--h600 +##.adv--square +##.adv-120x600 +##.adv-160 +##.adv-160x600 +##.adv-200-200 +##.adv-250-250 +##.adv-300 +##.adv-300-1 +##.adv-300-250 +##.adv-300-600 +##.adv-300x250 +##.adv-300x250-generic +##.adv-336-280 +##.adv-4 +##.adv-468-60 +##.adv-468x60 +##.adv-700 +##.adv-728 +##.adv-728-90 +##.adv-970 +##.adv-970-250 +##.adv-970-250-2 +##.adv-980x60 +##.adv-ad +##.adv-ads-selfstyle +##.adv-aside +##.adv-background +##.adv-banner +##.adv-bar +##.adv-block +##.adv-block-container +##.adv-border +##.adv-bottom +##.adv-box +##.adv-box-holder +##.adv-box-wrapper +##.adv-carousel +##.adv-center +##.adv-click +##.adv-cont +##.adv-cont1 +##.adv-conteiner +##.adv-dvb +##.adv-format-1 +##.adv-full-width +##.adv-google +##.adv-gpt-desktop-wrapper +##.adv-gpt-wrapper-desktop +##.adv-halfpage +##.adv-header +##.adv-holder +##.adv-in-body +##.adv-inset +##.adv-intext +##.adv-intext-label +##.adv-key +##.adv-label +##.adv-leaderboard +##.adv-leaderboard-banner +##.adv-link--left +##.adv-link--right +##.adv-mobile-wrapper +##.adv-mpu +##.adv-outer +##.adv-p +##.adv-right +##.adv-right-300 +##.adv-rotator +##.adv-script-container +##.adv-sidebar +##.adv-skin-spacer +##.adv-slot-container +##.adv-text +##.adv-top +##.adv-top-banner +##.adv-top-container +##.adv-top-page +##.adv-top-skin +##.adv-under-video +##.adv-unit +##.adv-videoad +##.adv-x61 +##.adv1 +##.adv120 +##.adv200 +##.adv250 +##.adv300 +##.adv300-250 +##.adv300-250-2 +##.adv300-70 +##.adv300left +##.adv300x100 +##.adv300x250 +##.adv300x60 +##.adv300x70 +##.adv336 +##.adv350 +##.adv460x60 +##.adv468 +##.adv468x90 +##.adv728 +##.adv728x90 +##.advBottom +##.advBottomHome +##.advBox +##.advInt +##.advLeaderboard +##.advRightBig +##.advSquare +##.advText +##.advTop +##.adv_120 +##.adv_120_600 +##.adv_120x240 +##.adv_120x600 +##.adv_160_600 +##.adv_160x600 +##.adv_250 +##.adv_250_250 +##.adv_300 +##.adv_300_300 +##.adv_300_top +##.adv_300x250 +##.adv_336_280 +##.adv_468_60 +##.adv_728_90 +##.adv_728x90 +##.adv__box +##.adv__leaderboard +##.adv__wrapper +##.adv_aff +##.adv_banner +##.adv_banner_hor +##.adv_bg +##.adv_box +##.adv_box_narrow +##.adv_here +##.adv_img +##.adv_leaderboard +##.adv_left +##.adv_link +##.adv_main_middle +##.adv_main_middle_wrapper +##.adv_main_right_down +##.adv_main_right_down_wrapper +##.adv_medium_rectangle +##.adv_message +##.adv_msg +##.adv_panel +##.adv_right +##.adv_side1 +##.adv_side2 +##.adv_sidebar +##.adv_title +##.adv_top +##.adv_txt +##.adv_under_menu +##.advads-background +##.advads-close-button +##.advads-parallax-container +##.advads-sticky +##.advads-target +##.advads-widget +##.advads_ad_widget-11 +##.advads_ad_widget-18 +##.advads_ad_widget-2 +##.advads_ad_widget-21 +##.advads_ad_widget-3 +##.advads_ad_widget-4 +##.advads_ad_widget-5 +##.advads_ad_widget-8 +##.advads_ad_widget-9 +##.advads_widget +##.advance-ads +##.advart +##.advbig +##.adver +##.adver-block +##.adver-header +##.adver-left +##.adver-text +##.adverTag +##.adverTxt +##.adver_bot +##.adver_cont_below +##.adver_home +##.advert--background +##.advert--banner-wrap +##.advert--fallback +##.advert--header +##.advert--in-sidebar +##.advert--inline +##.advert--leaderboard +##.advert--loading +##.advert--outer +##.advert--placeholder +##.advert--right-rail +##.advert--square +##.advert-100 +##.advert-120x90 +##.advert-160x600 +##.advert-300 +##.advert-300-side +##.advert-728 +##.advert-728-90 +##.advert-728x90 +##.advert-article-bottom +##.advert-autosize +##.advert-background +##.advert-banner +##.advert-banner-container +##.advert-banner-holder +##.advert-bannerad +##.advert-bar +##.advert-bg-250 +##.advert-block +##.advert-border +##.advert-bot-box +##.advert-bottom +##.advert-box +##.advert-bronze +##.advert-bronze-btm +##.advert-btm +##.advert-card +##.advert-center +##.advert-col +##.advert-col-center +##.advert-competitions +##.advert-container +##.advert-content +##.advert-content-item +##.advert-detail +##.advert-dfp +##.advert-featured +##.advert-footer +##.advert-gold +##.advert-group +##.advert-head +##.advert-header-728 +##.advert-horizontal +##.advert-image +##.advert-info +##.advert-inner +##.advert-label +##.advert-leaderboard +##.advert-leaderboard2 +##.advert-loader +##.advert-mini +##.advert-mpu +##.advert-mrec +##.advert-note +##.advert-overlay +##.advert-pane +##.advert-panel +##.advert-placeholder +##.advert-placeholder-wrapper +##.advert-preview-wrapper +##.advert-right +##.advert-row +##.advert-section +##.advert-sidebar +##.advert-silver +##.advert-sky +##.advert-skyright +##.advert-skyscraper +##.advert-slider +##.advert-spot-container +##.advert-sticky-wrapper +##.advert-stub +##.advert-text +##.advert-three +##.advert-title +##.advert-top +##.advert-top-footer +##.advert-txt +##.advert-unit +##.advert-wide +##.advert-wingbanner-left +##.advert-wingbanner-right +##.advert-wrap +##.advert-wrap1 +##.advert-wrap2 +##.advert-wrapper +##.advert-wrapper-exco +##.advert.box +##.advert.desktop +##.advert.mobile +##.advert.mpu +##.advert.skyscraper +##.advert1 +##.advert120 +##.advert1Banner +##.advert2 +##.advert300 +##.advert4 +##.advert5 +##.advert728_90 +##.advert728x90 +##.advert8 +##.advertBanner +##.advertBar +##.advertBlock +##.advertBottom +##.advertBox +##.advertCaption +##.advertColumn +##.advertCont +##.advertContainer +##.advertDownload +##.advertFullBanner +##.advertHeader +##.advertHeadline +##.advertLink +##.advertLink1 +##.advertMPU +##.advertMiddle +##.advertMpu +##.advertRight +##.advertSideBar +##.advertSign +##.advertSlider +##.advertSlot +##.advertSuperBanner +##.advertText +##.advertTitleSky +##.advertWrapper +##.advert_300x250 +##.advert_336 +##.advert_468x60 +##.advert__container +##.advert__fullbanner +##.advert__leaderboard +##.advert__mpu +##.advert__sidebar +##.advert__tagline +##.advert_area +##.advert_banner +##.advert_banners +##.advert_block +##.advert_box +##.advert_caption +##.advert_cont +##.advert_container +##.advert_div +##.advert_foot +##.advert_header +##.advert_home_300 +##.advert_img +##.advert_label +##.advert_leaderboard +##.advert_line +##.advert_list +##.advert_main +##.advert_main_bottom +##.advert_mpu +##.advert_nav +##.advert_note +##.advert_pos +##.advert_small +##.advert_span +##.advert_text +##.advert_title +##.advert_top +##.advert_txt +##.advert_wrapper +##.advertbar +##.advertbox +##.adverteaser +##.advertembed +##.adverthome +##.adverticum_container +##.adverticum_content +##.advertis +##.advertis-left +##.advertis-right +##.advertise-1 +##.advertise-2 +##.advertise-box +##.advertise-here +##.advertise-horz +##.advertise-info +##.advertise-leaderboard +##.advertise-link +##.advertise-list +##.advertise-pic +##.advertise-small +##.advertise-square +##.advertise-top +##.advertise-vert +##.advertiseContainer +##.advertiseHere +##.advertiseText +##.advertise_ads +##.advertise_box +##.advertise_brand +##.advertise_carousel +##.advertise_here +##.advertise_link +##.advertise_link_sidebar +##.advertise_links +##.advertise_sec +##.advertise_text +##.advertise_txt +##.advertise_verRight +##.advertisebtn +##.advertisedBy +##.advertisement-1 +##.advertisement-2 +##.advertisement-250 +##.advertisement-300 +##.advertisement-300x250 +##.advertisement-background +##.advertisement-banner +##.advertisement-block +##.advertisement-bottom +##.advertisement-box +##.advertisement-card +##.advertisement-cell +##.advertisement-container +##.advertisement-content +##.advertisement-copy +##.advertisement-footer +##.advertisement-google +##.advertisement-header +##.advertisement-holder +##.advertisement-image +##.advertisement-label +##.advertisement-layout +##.advertisement-leaderboard +##.advertisement-leaderboard-lg +##.advertisement-left +##.advertisement-link +##.advertisement-nav +##.advertisement-placeholder +##.advertisement-position1 +##.advertisement-right +##.advertisement-sidebar +##.advertisement-space +##.advertisement-sponsor +##.advertisement-tag +##.advertisement-text +##.advertisement-title +##.advertisement-top +##.advertisement-txt +##.advertisement-wrapper +##.advertisement.leaderboard +##.advertisement.rectangle +##.advertisement.under-article +##.advertisement1 +##.advertisement300x250 +##.advertisement468 +##.advertisementBackground +##.advertisementBanner +##.advertisementBar +##.advertisementBlock +##.advertisementBox +##.advertisementBoxBan +##.advertisementContainer +##.advertisementFull +##.advertisementHeader +##.advertisementImg +##.advertisementLabel +##.advertisementPanel +##.advertisementRotate +##.advertisementSection +##.advertisementSmall +##.advertisementText +##.advertisementTop +##.advertisement_160x600 +##.advertisement_300x250 +##.advertisement_728x90 +##.advertisement__header +##.advertisement__label +##.advertisement__leaderboard +##.advertisement__wrapper +##.advertisement_box +##.advertisement_container +##.advertisement_footer +##.advertisement_header +##.advertisement_horizontal +##.advertisement_mobile +##.advertisement_part +##.advertisement_post +##.advertisement_section_top +##.advertisement_text +##.advertisement_top +##.advertisement_wrapper +##.advertisements-link +##.advertisements-right +##.advertisements-sidebar +##.advertisements_heading +##.advertisementwrap +##.advertiser +##.advertiser-links +##.advertising--row +##.advertising--top +##.advertising-banner +##.advertising-block +##.advertising-container +##.advertising-container-top +##.advertising-content +##.advertising-disclaimer +##.advertising-fixed +##.advertising-header +##.advertising-iframe +##.advertising-inner +##.advertising-leaderboard +##.advertising-lrec +##.advertising-mediumrectangle +##.advertising-mention +##.advertising-middle +##.advertising-middle-i +##.advertising-notice +##.advertising-right +##.advertising-right-d +##.advertising-right-i +##.advertising-section +##.advertising-side +##.advertising-side-hp +##.advertising-srec +##.advertising-top +##.advertising-top-banner +##.advertising-top-box +##.advertising-top-category +##.advertising-top-desktop +##.advertising-vert +##.advertising-wrapper +##.advertising1 +##.advertising160 +##.advertising2 +##.advertising300_home +##.advertising300x250 +##.advertising728 +##.advertising728_3 +##.advertisingBanner +##.advertisingBlock +##.advertisingLabel +##.advertisingLegend +##.advertisingLrec +##.advertisingMob +##.advertisingRight +##.advertisingSlide +##.advertisingTable +##.advertisingTop +##.advertising_300x250 +##.advertising_banner +##.advertising_block +##.advertising_bottom_box +##.advertising_box_bg +##.advertising_header_1 +##.advertising_hibu_lef +##.advertising_hibu_mid +##.advertising_hibu_rig +##.advertising_horizontal_title +##.advertising_images +##.advertising_square +##.advertising_top +##.advertising_vertical_title +##.advertising_widget +##.advertising_wrapper +##.advertisingarea +##.advertisingarea-homepage +##.advertisingimage +##.advertisingimage-extended +##.advertisingimageextended +##.advertisment +##.advertisment-banner +##.advertisment-label +##.advertisment-left-panal +##.advertisment-module +##.advertisment-rth +##.advertisment-top +##.advertismentBox +##.advertismentContainer +##.advertismentContent +##.advertismentText +##.advertisment_bar +##.advertisment_caption +##.advertisment_full +##.advertisment_notice +##.advertisment_two +##.advertize +##.advertize_here +##.advertizing-banner +##.advertlabel +##.advertleft +##.advertlink +##.advertnotice +##.advertop +##.advertorial +##.advertorial-2 +##.advertorial-block +##.advertorial-image +##.advertorial-promo-box +##.advertorial-teaser +##.advertorial-wrapper +##.advertorial2 +##.advertorial_728x90 +##.advertorial_red +##.advertorialitem +##.advertorialtitle +##.advertorialview +##.advertorialwidget +##.advertouter +##.advertplay +##.adverts +##.adverts--banner +##.adverts-125 +##.adverts-inline +##.adverts2 +##.advertsLeaderboard +##.adverts_RHS +##.adverts_footer_advert +##.adverts_footer_scrolling_advert +##.adverts_header_advert +##.adverts_side_advert +##.advertspace +##.adverttext +##.adverttop +##.advfrm +##.advg468 +##.advhere +##.adviewDFPBanner +##.advimg160600 +##.advimg300250 +##.advn_zone +##.advoice +##.advr +##.advr-wrapper +##.advr_top +##.advrectangle +##.advrst +##.advslideshow +##.advspot +##.advt +##.advt-banner-3 +##.advt-block +##.advt-right +##.advt-sec +##.advt300 +##.advt720 +##.advtBlock +##.advtMsg +##.advt_160x600 +##.advt_468by60px +##.advt_indieclick +##.advt_single +##.advt_widget +##.advtbox +##.advtcell +##.advtext +##.advtimg +##.advtitle +##.advtop +##.advtop-leaderbord +##.advttopleft +##.advv_box +##.adwblue +##.adwert +##.adwhitespace +##.adwide +##.adwideskyright +##.adwidget +##.adwithspace +##.adwobs +##.adwolf-holder +##.adword-box +##.adword-structure +##.adword-text +##.adword-title +##.adword1 +##.adwordListings +##.adwords +##.adwords-container +##.adwordsHeader +##.adwords_in_content +##.adworks +##.adwrap +##.adwrap-mrec +##.adwrap-widget +##.adwrap_MPU +##.adwrapper--desktop +##.adwrapper-lrec +##.adwrapper1 +##.adwrapper948 +##.adwrappercls +##.adwrappercls1 +##.adx-300x250-container +##.adx-300x600-container +##.adx-ads +##.adx-wrapper +##.adx-wrapper-middle +##.adx_center +##.adxli +##.adz-horiz +##.adz-horiz-ext +##.adz2 +##.adz728x90 +##.adzbanner +##.adzone +##.adzone-footer +##.adzone-preview +##.adzone-sidebar +##.adzone_skyscraper +##.af-block-ad-wrapper +##.af-label-ads +##.afc-box +##.aff-big-unit +##.aff-iframe +##.affcodes +##.afffix-custom-ad +##.affiliate-ad +##.affiliate-footer +##.affiliate-link +##.affiliate-sidebar +##.affiliate-strip +##.affiliateAdvertText +##.affiliate_ad +##.affiliate_header_ads +##.after-content-ad +##.after-intro-ad +##.after-post-ad +##.after-post-ads +##.after-story-ad-wrapper +##.after_ad +##.after_comments_ads +##.after_content_banner_advert +##.after_post_ad +##.afw_ad +##.aggads-ad +##.ahe-ad +##.ai-top-ad-outer +##.aisle-ad +##.ajax_ad +##.ajaxads +##.ajdg_bnnrwidgets +##.ajdg_grpwidgets +##.alice-adslot +##.alice-root-header-ads__ad--top +##.align.Ad +##.alignads +##.alt_ad +##.alt_ad_block +##.altad +##.am-adContainer +##.am-adslot +##.am-bazaar-ad +##.amAdvert +##.am_ads +##.amazon-auto-links +##.amazon_ad +##.amazonads +##.ampFlyAdd +##.ampforwp-sticky-custom-ad +##.anchor-ad +##.anchor-ad-wrapper +##.anchorAd +##.anchored-ad-widget +##.annonstext +##.anyad +##.anzeige_banner +##.aoa_overlay +##.ap-ad-block +##.ape-ads-container +##.apexAd +##.apiAds +##.app-ad +##.app_ad_unit +##.app_advertising_skyscraper +##.app_nexus_banners_common +##.ar-header-m-ad +##.arc-ad-wrapper +##.arcAdsBox +##.arcAdsContainer +##.arcad-block-container +##.archive-ad +##.archive-ads +##.archive-radio-ad-container +##.areaAd +##.area_ad +##.area_ad03 +##.area_ad07 +##.area_ad09 +##.area_ad2 +##.arena-ad-col +##.art-text-ad +##.artAd +##.artAdInner +##.art_ads +##.artcl_ad_dsk +##.article--ad +##.article--content-ad +##.article-ad +##.article-ad-align-left +##.article-ad-blk +##.article-ad-bottom +##.article-ad-box +##.article-ad-cont +##.article-ad-container +##.article-ad-holder +##.article-ad-horizontal +##.article-ad-left +##.article-ad-legend +##.article-ad-main +##.article-ad-placeholder +##.article-ad-placement +##.article-ad-primary +##.article-ad-row +##.article-ad-row-inner +##.article-ad-section +##.article-ads +##.article-advert +##.article-advert--text +##.article-advert-container +##.article-advert-dfp +##.article-aside-ad +##.article-aside-top-ad +##.article-content-ad +##.article-content-adwrap +##.article-first-ad +##.article-footer-ad +##.article-footer-ad-container +##.article-footer__ad +##.article-footer__ads +##.article-header-ad +##.article-header__railAd +##.article-inline-ad +##.article-mid-ad +##.article-small-ads +##.article-sponsor +##.article-sponsorship-header +##.article-top-ad +##.articleADbox +##.articleAd +##.articleAdHeader +##.articleAdTopRight +##.articleAds +##.articleAdsL +##.articleAdvert +##.articleBottom-ads +##.articleEmbeddedAdBox +##.articleFooterAd +##.articleHeaderAd +##.articleTop-ads +##.articleTopAd +##.article__ad-holder +##.article__adblock +##.article__adhesion +##.article__adv +##.article_ad +##.article_ad_1 +##.article_ad_2 +##.article_ad_text +##.article_ad_top +##.article_adbox +##.article_ads_banner +##.article_bottom-ads +##.article_bottom_ad +##.article_google-ad +##.article_google_ads +##.article_inline_ad +##.article_inner_ad +##.article_mpu +##.article_tower_ad +##.articlead +##.articleads +##.articles-ad-block +##.artnet-ads-ad +##.aside-ad +##.aside-ad-space +##.aside-ad-wrapper +##.aside-ads +##.aside-ads-top +##.asideAd +##.aside_ad +##.aside_ad_large +##.async-ad-container +##.at-header-ad +##.at-sidebar-ad +##.atf-ad +##.atfAds +##.atf_adWrapper +##.atomsAdsCellModel +##.attachment-advert_home +##.attachment-dm-advert-bronze +##.attachment-dm-advert-gold +##.attachment-dm-advert-silver +##.attachment-sidebar-ad +##.attachment-squareAd +##.avadvslot +##.avap-ads-container +##.avert--leaderboard +##.avert--sidebar +##.avert-text +##.azk-adsense +##.b-ad +##.b-ad-main +##.b-adhesion +##.b-adv +##.b-advert +##.b-advertising__down-menu +##.b-aside-ads +##.b-header-ad +##.b-right-rail--ads +##.bAdvertisement +##.b_adLastChild +##.b_ads +##.b_ads_cont +##.b_ads_r +##.b_ads_top +##.background-ad +##.background-ads +##.background-adv +##.backgroundAd +##.bam-ad-slot +##.bank-rate-ad +##.banmanad +##.banner--ad +##.banner-125 +##.banner-300 +##.banner-300-100 +##.banner-300-250 +##.banner-300x250 +##.banner-300x600 +##.banner-320-100 +##.banner-468 +##.banner-468-60 +##.banner-468x60 +##.banner-728 +##.banner-728x90 +##.banner-ad +##.banner-ad-b +##.banner-ad-below +##.banner-ad-block +##.banner-ad-bottom-fixed +##.banner-ad-container +##.banner-ad-contianer +##.banner-ad-footer +##.banner-ad-image +##.banner-ad-inner +##.banner-ad-label +##.banner-ad-large +##.banner-ad-pos +##.banner-ad-row +##.banner-ad-skeleton-box +##.banner-ad-space +##.banner-ad-wrap +##.banner-ad-wrapper +##.banner-ad2 +##.banner-ads-right +##.banner-ads-sidebar +##.banner-adsense +##.banner-adv +##.banner-advert +##.banner-advert-wrapper +##.banner-advertisement +##.banner-advertising +##.banner-adverts +##.banner-asd__title +##.banner-buysellads +##.banner-img > .pbl +##.banner-sponsorship +##.banner-top-ads +##.banner120x600 +##.banner160 +##.banner160x600 +##.banner200x200 +##.banner300 +##.banner300x250 +##.banner336 +##.banner336x280 +##.banner350 +##.banner468 +##.banner728 +##.banner728-ad +##.banner728-container +##.banner728x90 +##.bannerADS +##.bannerADV +##.bannerAd +##.bannerAd-module +##.bannerAd3 +##.bannerAdContainer +##.bannerAdLeaderboard +##.bannerAdRectangle +##.bannerAdSearch +##.bannerAdSidebar +##.bannerAdTower +##.bannerAdWrap +##.bannerAds +##.bannerAdvert +##.bannerAside +##.bannerGoogle +##.bannerRightAd +##.banner_160x600 +##.banner_240x400 +##.banner_250x250 +##.banner_300_250 +##.banner_300x250 +##.banner_300x600 +##.banner_468_60 +##.banner_468x60 +##.banner_728_90 +##.banner_ad-728x90 +##.banner_ad_300x250 +##.banner_ad_728x90 +##.banner_ad_container +##.banner_ad_footer +##.banner_ad_full +##.banner_ad_leaderboard +##.banner_ad_link +##.banner_ad_wrapper +##.banner_ads1 +##.banner_reklam +##.banner_reklam2 +##.banner_slot +##.bannerad +##.bannerad3 +##.banneradd +##.bannerads +##.banneradv +##.bannerandads +##.bannergroup-ads +##.bannermpu +##.banners_ad +##.bannervcms +##.bar_ad +##.base-ad-mpu +##.base-ad-slot +##.base-ad-top +##.base_ad +##.baseboard-ad +##.bb-ad +##.bb-ad-mrec +##.bbccom-advert +##.bbccom_advert +##.bcom_ad +##.before-header-ad +##.before-injected-ad +##.below-ad-border +##.below-article-ad-sidebar +##.below-nav-ad +##.belowMastheadWrapper +##.belowNavAds +##.below_game_ad +##.below_nav_ad_wrap +##.below_player_ad +##.bg-ad-gray +##.bg-ads +##.bg-ads-space +##.bg-grey-ad +##.bgAdBlue +##.bg_ad +##.bg_ads +##.bgcolor_ad +##.bgr-ad-leaderboard +##.bh-ads +##.bh_ad_container +##.bidbarrel-ad +##.big-ad +##.big-ads +##.big-advertisement +##.big-box-ad +##.big-right-ad +##.bigAd +##.bigAdContainer +##.bigAds +##.bigAdvBanner +##.bigBoxAdArea +##.bigCubeAd +##.big_ad +##.big_ad2 +##.big_ads +##.bigad +##.bigad1 +##.bigad2 +##.bigadleft +##.bigadright +##.bigads +##.bigadtxt1 +##.bigbox-ad +##.bigbox.ad +##.bigbox_ad +##.bigboxad +##.bigsponsor +##.billboard-ad +##.billboard-ad-one +##.billboard-ad-space +##.billboard-ads +##.billboard.ad +##.billboardAd +##.billboard__advert +##.billboard_ad +##.billboard_ad_wrap +##.billboard_adwrap +##.bing-ads-wrapper +##.bing-native-ad +##.bl300_ad +##.block--ad +##.block--ads +##.block--dfp +##.block--doubleclick +##.block--simpleads +##.block-ad +##.block-ad-entity +##.block-ad-header +##.block-ad-leaderboard +##.block-ad-wrapper +##.block-admanager +##.block-ads +##.block-ads-bottom +##.block-ads-home +##.block-ads-system +##.block-ads-top +##.block-ads-yahoo +##.block-ads1 +##.block-ads2 +##.block-ads3 +##.block-ads_top +##.block-adsense +##.block-adtech +##.block-adv +##.block-advert +##.block-advertisement +##.block-advertisement-banner-block +##.block-advertising +##.block-adzerk +##.block-bg-advertisement +##.block-boxes-ad +##.block-cdw-google-ads +##.block-dfp +##.block-dfp-ad +##.block-dfp-blocks +##.block-doubleclick_ads +##.block-fusion-ads +##.block-google-admanager +##.block-openads +##.block-openx +##.block-quartz-ads +##.block-reklama +##.block-simpleads +##.block-skyscraper-ad +##.block-sponsor +##.block-sponsored-links +##.block-the-dfp +##.block-wrap-ad +##.block-yt-ads +##.blockAd +##.blockAds +##.blockAdvertise +##.block__ads__ad +##.block_ad +##.block_ad1 +##.block_ad303x1000_left +##.block_ad303x1000_right +##.block_ad_middle +##.block_ad_top +##.block_ads +##.block_adslot +##.block_adv +##.block_advert +##.block_article_ad +##.blockad +##.blocked-ads +##.blog-ad +##.blog-ad-image +##.blog-ads +##.blog-advertisement +##.blogAd +##.blogAdvertisement +##.blog_ad +##.blogads +##.bmd_advert +##.bn_ads +##.bnr_ad +##.body-ad +##.body-ads +##.body-top-ads +##.bodyAd +##.body_ad +##.bodyads +##.bodyads2 +##.bordered-ad +##.botAd +##.bot_ad +##.bot_ads +##.bottom-ad +##.bottom-ad--bigbox +##.bottom-ad-banner +##.bottom-ad-box +##.bottom-ad-container +##.bottom-ad-desktop +##.bottom-ad-large +##.bottom-ad-placeholder +##.bottom-ad-wrapper +##.bottom-ad-zone +##.bottom-ad2 +##.bottom-ads +##.bottom-ads-container +##.bottom-ads-sticky +##.bottom-ads-wrapper +##.bottom-adv +##.bottom-adv-container +##.bottom-banner-ad +##.bottom-fixed-ad +##.bottom-left-ad +##.bottom-main-adsense +##.bottom-mobile-ad +##.bottom-mpu-ad +##.bottom-post-ad-space +##.bottom-post-ads +##.bottom-right-advert +##.bottom-side-advertisement +##.bottomAd +##.bottomAdBlock +##.bottomAdContainer +##.bottomAds +##.bottomAdvert +##.bottomAdvertisement +##.bottom_ad +##.bottom_ad_block +##.bottom_ad_placeholder +##.bottom_ad_responsive +##.bottom_ads +##.bottom_adsense +##.bottom_adspace +##.bottom_banner_ad +##.bottom_banner_advert_text +##.bottom_bar_ads +##.bottom_left_advert +##.bottom_right_ad +##.bottom_rightad +##.bottom_side_ad +##.bottom_sponsor +##.bottom_sticky_ad +##.bottomad +##.bottomads +##.bottomadvert +##.botton_advertisement +##.box-ad +##.box-ad-middle +##.box-ads +##.box-adsense +##.box-adsense-top +##.box-advert +##.box-advertisement +##.box-advertising +##.box-adverts +##.box-bannerads +##.box-bannerads-leaderboard-fallback +##.box-entry-ad +##.box-fixed-ads +##.box-footer-ad +##.boxAd +##.boxAdContainer +##.boxAds +##.boxAds2 +##.boxAdvertisement +##.boxSponsor +##.box_ad +##.box_ad_container +##.box_ad_content +##.box_ad_horizontal +##.box_ad_spacer +##.box_ad_wrap +##.box_ads +##.box_adv +##.box_adv_728 +##.box_advert +##.box_advertising +##.box_content_ad +##.box_content_ads +##.box_layout_ad +##.box_publicidad +##.box_sidebar-ads +##.boxad +##.boxad1 +##.boxad2 +##.boxadcont +##.boxads +##.boxadv +##.bps-ad-wrapper +##.bps-advertisement +##.bq_adleaderboard +##.bq_rightAd +##.br-ad +##.br-ad-wrapper +##.breadads +##.break-ads +##.breaker-ad +##.breakerAd +##.briefNewsAd +##.brn-ads-box +##.brn-ads-mobile-container +##.brn-ads-sticky-wrapper +##.broker-ad +##.browse-ad-container +##.browsi-ad +##.btm_ad +##.btn_ad +##.bump-ad +##.bunyad-ad +##.buttom_ad +##.buttom_ad_size +##.button-ad +##.button-ads +##.buttonAd +##.buttonAdSpot +##.buttonAds +##.button_ad +##.button_ads +##.button_advert +##.button_left_ad +##.button_right_ad +##.buttonad +##.buttonadbox +##.buttonads +##.buySellAdsContainer +##.buysellAds +##.buzzAd +##.c-Ad +##.c-Adhesion +##.c-ArticleAds +##.c-ad +##.c-ad--adStickyContainer +##.c-ad--bigbox +##.c-ad--header +##.c-ad-flex +##.c-ad-fluid +##.c-ad-placeholder +##.c-ad-size2 +##.c-ad-size3 +##.c-adDisplay +##.c-adDisplay_container +##.c-adOmnibar +##.c-adSense +##.c-adSkyBox +##.c-adbutler-ad +##.c-adbutler-ad__wrapper +##.c-adcontainer +##.c-ads +##.c-adunit +##.c-adunit--billboard +##.c-adunit--first +##.c-adunit__container +##.c-adv3__inner +##.c-advert +##.c-advert-app +##.c-advert-superbanner +##.c-advertisement +##.c-advertisement--billboard +##.c-advertisement--rectangle +##.c-advertising +##.c-advertising__banner-area +##.c-adverts +##.c-advscrollingzone +##.c-box--advert +##.c-gallery-vertical__advert +##.c-googleadslot +##.c-gpt-ad +##.c-header__ad +##.c-header__advert-container +##.c-pageArticleSingle_bottomAd +##.c-prebid +##.c-sidebar-ad-stream__ad +##.c-sitenav-adslot +##.c-sitenavPlaceholder__ad +##.c_nt_ad +##.cableads +##.cactus-ads +##.cactus-header-ads +##.caja_ad +##.california-ad +##.california-sidebar-ad +##.calloutAd +##.carbon-ad +##.carbon_ads +##.carbonad +##.carbonad-tag +##.carbonads-widget +##.card--ad +##.card--article-ad +##.card-ad +##.card-ads +##.card-article-ads +##.cardAd +##.catalog_ads +##.category-ad:not(html):not(body):not(.post) +##.category-ads:not(html):not(body):not(.post) +##.categoryMosaic-advertising +##.categoryMosaic-advertisingText +##.cazAd +##.cb-ad-banner +##.cb-ad-container +##.cbd_ad_manager +##.cbs-ad +##.cc-advert +##.center-ad +##.center-ad-long +##.center-tag-rightad +##.centerAD +##.centerAd +##.centerAds +##.center_ad +##.center_add +##.center_ads +##.center_inline_ad +##.centerad +##.centerads +##.centeradv +##.centered-ad +##.ch-ad-item +##.channel--ad +##.channel-ad +##.channel-adv +##.channel-icon--ad +##.channel-icon__ad-buffer +##.channel-sidebar-big-box-ad +##.channelBoxAds +##.channel_ad_2016 +##.chapter-bottom-ads +##.chapter-top-ads +##.chart_ads +##.chitika-ad +##.cl-ad-billboard +##.clAdPlacementAnchorWrapper +##.clever-core-ads +##.clickforceads +##.clickio-side-ad +##.client-ad +##.clsy-c-advsection +##.cms-ad +##.cn-advertising +##.cnbcHeaderAd +##.cnc-ads +##.cnx-player +##.cnx-player-wrapper +##.coinzilla-ad +##.coinzilla-ad--mobile +##.col-ad +##.col-ad-hidden +##.col-has-ad +##.col-line-ad +##.col2-ads +##.colAd +##.colBoxAdframe +##.colBoxDisplayAd +##.col_ad +##.colads +##.collapsed-ad +##.colombiaAd +##.column-ad +##.columnAd +##.columnAdvert +##.columnBoxAd +##.columnRightAdvert +##.combinationAd +##.comment-ad +##.comment-ad-wrap +##.comment-advertisement +##.comment_ad +##.comment_ad_box +##.commercialAd +##.companion-ad +##.companion-ads +##.companionAd +##.companion_ad +##.complex-ad +##.component-ar-horizontal-bar-ad +##.components-Ad-___Ad__ad +##.con_ads +##.connatix +##.connatix-container +##.connatix-hodler +##.connatix-holder +##.connatix-main-container +##.connatix-wrapper +##.connatix-wysiwyg-container +##.consoleAd +##.cont-ad +##.container--ad +##.container--ads +##.container--ads-leaderboard-atf +##.container--advert +##.container--bannerAd +##.container-ad-600 +##.container-ad-left +##.container-adds +##.container-adrotate +##.container-ads +##.container-adwords +##.container-banner-ads +##.container-bottom-ad +##.container-first-ads +##.container-lower-ad +##.container-rectangle-ad +##.container-top-adv +##.containerAdsense +##.containerSqAd +##.container__ad +##.container__box--ads +##.container_ad +##.container_ad_v +##.container_publicidad +##.containerads +##.contains-ad +##.contains-advertisment +##.content--right-ads +##.content-ad +##.content-ad-article +##.content-ad-box +##.content-ad-container +##.content-ad-left +##.content-ad-right +##.content-ad-side +##.content-ad-widget +##.content-ad-wrapper +##.content-ads +##.content-ads-bottom +##.content-advert +##.content-advertisment +##.content-bottom-ad +##.content-bottom-mpu +##.content-contentad +##.content-footer-ad +##.content-footer-ad-block +##.content-header-ad +##.content-kuss-ads +##.content-leaderboard-ad +##.content-leaderboard-ads +##.content-page-ad_wrap +##.content-result-ads +##.content-top-ad-item +##.content1-ad +##.content2-ad +##.contentAd +##.contentAd--sb1 +##.contentAdBox +##.contentAdContainer +##.contentAdFoot +##.contentAdIndex +##.contentAds +##.contentAdsCommon +##.contentAdsWrapper +##.contentAdvertisement +##.contentTopAd +##.contentTopAdSmall +##.contentTopAds +##.content__ad +##.content__ad__content +##.content_ad +##.content_ad_728 +##.content_ad_head +##.content_ad_side +##.content_ads +##.content_adsense +##.content_adsq +##.content_advert +##.content_advertising +##.content_advt +##.content_bottom_adsense +##.content_gpt_top_ads +##.content_inner_ad +##.content_left_advert +##.contentad +##.contentad-end +##.contentad-home +##.contentad-storyad-1 +##.contentad-superbanner-2 +##.contentad-top +##.contentad2 +##.contentadarticle +##.contentadleft +##.contentads1 +##.contentads2 +##.contentbox_ad +##.contentleftad +##.contest_ad +##.context-ads +##.contextualAds +##.contextual_ad_unit +##.cornerad +##.cpmstarHeadline +##.cpmstarText +##.crain-advertisement +##.criteo-ad +##.crm-adcontain +##.crumb-ad +##.cspAd +##.css--ad +##.ct-ads +##.ct-advert +##.ct-advertising-footer +##.ct-bottom-ads +##.ct_ad +##.cta-ad +##.cube-ad +##.cubeAd +##.cube_ad +##.cube_ads +##.custom-ad +##.custom-ad-area +##.custom-ad-container +##.custom-ads +##.custom-advert-banner +##.custom-sticky-ad-container +##.customAd +##.custom_ad +##.custom_ad_responsive +##.custom_ads +##.custom_ads_positions +##.custom_banner_ad +##.custom_footer_ad +##.customadvert +##.customized_ad_module +##.cwAdvert +##.cxAdvertisement +##.d3-c-adblock +##.d3-o-adv-block +##.da-custom-ad-box +##.dac__banner__wrapper +##.daily-adlabel +##.dart-ad +##.dart-ad-content +##.dart-ad-grid +##.dart-ad-title +##.dart-advertisement +##.dart-leaderboard +##.dart-leaderboard-top +##.dartAdImage +##.dart_ad +##.dart_tag +##.dartad +##.dartadbanner +##.dartadvert +##.dartiframe +##.dc-ad +##.dcmads +##.dd-ad +##.dd-ad-container +##.deckAd +##.deckads +##.demand-supply +##.desktop-ad +##.desktop-ad-banner +##.desktop-ad-container +##.desktop-ad-inpage +##.desktop-ad-slider +##.desktop-ads +##.desktop-adunit +##.desktop-advert +##.desktop-article-top-ad +##.desktop-aside-ad-hide +##.desktop-lazy-ads +##.desktop-sidebar-ad-wrapper +##.desktop-top-ad-wrapper +##.desktop.ad +##.desktopAd +##.desktop_ad +##.desktop_mpu +##.desktop_only_ad +##.desktopads +##.detail-ad +##.detail-ads +##.detail__ad--small +##.detail_ad +##.detail_article_ad +##.detail_top_advert +##.details-advert +##.dfm-featured-bottom-flex-container +##.dfp-ad +##.dfp-ad-bigbox2-wrap +##.dfp-ad-container +##.dfp-ad-container-box +##.dfp-ad-container-wide +##.dfp-ad-full +##.dfp-ad-hideempty +##.dfp-ad-lazy +##.dfp-ad-lead2-wrap +##.dfp-ad-lead3-wrap +##.dfp-ad-midbreaker-wrap +##.dfp-ad-midbreaker2-wrap +##.dfp-ad-placeholder +##.dfp-ad-rect +##.dfp-ad-region-1 +##.dfp-ad-region-2 +##.dfp-ad-tags +##.dfp-ad-top-wrapper +##.dfp-ad-unit +##.dfp-ad-widget +##.dfp-ads-ad-article-middle +##.dfp-ads-embedded +##.dfp-adspot +##.dfp-article-ad +##.dfp-banner +##.dfp-banner-slot +##.dfp-billboard-wrapper +##.dfp-block +##.dfp-bottom +##.dfp-button +##.dfp-close-ad +##.dfp-double-mpu +##.dfp-dynamic-tag +##.dfp-fixedbar +##.dfp-here-bottom +##.dfp-here-top +##.dfp-interstitial +##.dfp-leaderboard +##.dfp-leaderboard-container +##.dfp-mrec +##.dfp-panel +##.dfp-plugin-advert +##.dfp-position +##.dfp-slot +##.dfp-slot-wallpaper +##.dfp-space +##.dfp-super-leaderboard +##.dfp-tag-wrapper +##.dfp-top +##.dfp-top1 +##.dfp-top1-container +##.dfp-top_leaderboard +##.dfp-wrap +##.dfp-wrapper +##.dfpAd +##.dfpAdUnitContainer +##.dfpAds +##.dfpAdspot +##.dfpAdvert +##.dfp_ATF_wrapper +##.dfp_ad--outbrain +##.dfp_ad_block +##.dfp_ad_caption +##.dfp_ad_content_bottom +##.dfp_ad_content_top +##.dfp_ad_footer +##.dfp_ad_header +##.dfp_ad_pos +##.dfp_ad_unit +##.dfp_ads_block +##.dfp_frame +##.dfp_slot +##.dfp_strip +##.dfp_top-ad +##.dfp_txt +##.dfp_unit +##.dfp_unit--interscroller +##.dfp_unit-ad_container +##.dfpad +##.dfrads +##.dfx-ad +##.dfx-adBlock1Wrapper +##.dg-gpt-ad-container +##.dianomi-ad +##.dianomi-container +##.dianomi-embed +##.dianomiScriptContainer +##.dianomi_context +##.dikr-responsive-ads-slot +##.discourse-adplugin +##.discourse-google-dfp +##.display-ad +##.display-ad-block +##.display-adhorizontal +##.display-ads-block +##.display-advertisement +##.displayAd +##.displayAdCode +##.displayAdSlot +##.displayAdUnit +##.displayAds +##.display_ad +##.display_ads_right +##.div-gpt-ad-adhesion-leaderboard-wrap +##.div-insticator-ad +##.divAd +##.divAdright +##.divAds +##.divAdsBanner +##.divAdsLeft +##.divAdsRight +##.divReklama +##.divRepAd +##.divSponsoredBox +##.divSponsoredLinks +##.divTopADBanner +##.divTopADBannerWapper +##.divTopArticleAd +##.div_advertisement +##.divad1 +##.divad2 +##.divad3 +##.divads +##.divider-ad +##.divider-advert +##.divider-full-width-ad +##.divider_ad +##.dlSponsoredLinks +##.dm-adSlotBillboard +##.dm-adSlotNative1 +##.dm-adSlotNative2 +##.dm-adSlotNative3 +##.dm-adSlotRectangle1 +##.dm-adSlotRectangle2 +##.dm-adSlotSkyscraper +##.dm-adSlot__sticky +##.dm_ad-billboard +##.dm_ad-container +##.dm_ad-halfpage +##.dm_ad-leaderboard +##.dm_ad-link +##.dm_ad-skyscraper +##.dmpu-ad +##.dn-ad-wide +##.dotcom-ad +##.double-ad +##.double-ads +##.doubleClickAd +##.doubleclickAds +##.download-ad +##.downloadAds +##.download_ad +##.dsk-box-ad-d +##.dsq_ad +##.dt-sponsor +##.dtads-desktop +##.dtads-slot +##.dual-ads +##.dualAds +##.dyn-sidebar-ad +##.dynamic-ads +##.dynamicAdvertContainer +##.dynamicLeadAd +##.dynamic_adslot +##.dynamicad1 +##.dynamicad2 +##.e-ad +##.e-advertise +##.e3lan +##.e3lan-top +##.e3lan-widget-content +##.e3lan300-100 +##.e3lan300-250 +##.e3lan300_250-widget +##.eaa-ad +##.eads +##.easy-ads +##.easyAdsBox +##.easyAdsSinglePosition +##.ebayads +##.ebm-ad-target__outer +##.ecommerce-ad +##.ecosia-ads +##.eddy-adunit +##.editor_ad +##.eg-ad +##.eg-custom-ad +##.element--ad +##.element-ad +##.element-adplace +##.element_contentad1 +##.element_contentad2 +##.element_contentad3 +##.element_contentad4 +##.element_contentad5 +##.elementor-widget-wp-widget-advads_ad_widget +##.embAD +##.embed-ad +##.embedded-article-ad +##.embeddedAd +##.embeddedAds +##.embedded_ad_wrapper +##.empire-prefill-container-injected +##.empire-unit-prefill-container +##.empty-ad +##.endAHolder +##.endti-adlabel +##.entry-ad +##.entry-ads +##.entry-bottom-ad +##.entry-bottom-ads +##.entry-top-ad +##.entryAd +##.entry_ad +##.entryad +##.etn-ad-text +##.eu-advertisment1 +##.evo-ads-widget +##.evolve-ad +##.ex_pu_iframe +##.exo_wrapper +##.external-ad +##.external-add +##.ezAdsWidget +##.ezmob-footer +##.ezmob-footer-desktop +##.ezo_ad +##.ezoic-ad +##.ezoic-ad-adaptive +##.ezoic-adpicker-ad +##.ezoic-floating-bottom +##.f-ad +##.f-item-ad +##.f-item-ad-inhouse +##.fbs-ad--ntv-home-wrapper +##.fbs-ad--top-wrapper +##.fbs-ad--topx-wrapper +##.fc_clmb_ad +##.fce_ads +##.featureAd +##.feature_ad +##.featured-ad +##.featured-ads +##.featured-sponsors +##.featured-story-ad +##.featuredAdBox +##.featuredAds +##.featuredBoxAD +##.featured_ad +##.featuredadvertising +##.feed-ad +##.feed-ad-wrapper +##.fh_ad_microbuttons +##.field-59-companion-ad +##.fig-ad-content +##.first-article-ad-block +##.first-banner-ad +##.first-leaderbord-adv +##.first-leaderbord-adv-mobile +##.firstAd-container +##.first_ad +##.first_party_ad_wrapper +##.first_post_ad +##.firstad +##.firstpost_advert +##.firstpost_advert_container +##.fix_ad +##.fixadheight +##.fixadheightbottom +##.fixed-ad-aside +##.fixed-ad-bottom +##.fixed-ads +##.fixed-bottom-ad +##.fixed-sidebar-ad +##.fixedAds +##.fixedLeftAd +##.fixedRightAd +##.fixed_ad +##.fixed_adslot +##.fixed_advert_banner +##.fjs-ad-hide-empty +##.fla-ad +##.flashAd +##.flash_ad +##.flash_advert +##.flashad +##.flashadd +##.flex-ad +##.flex-posts-ads +##.flexAd +##.flexAds +##.flexContentAd +##.flexad +##.flexadvert +##.flexiad +##.flm-ad +##.floatad +##.floatads +##.floated-ad +##.floated_right_ad +##.floating-ads +##.floating-advert +##.floatingAds +##.fly-ad +##.fm-badge-ad +##.fnadvert +##.fns_td_wrap +##.fold-ads +##.follower-ad-bottom +##.following-ad +##.following-ad-container +##.foot-ad +##.foot-ads +##.foot-advertisement +##.foot_adsense +##.footad +##.footer-300-ad +##.footer-ad +##.footer-ad-full-wrapper +##.footer-ad-labeling +##.footer-ad-row +##.footer-ad-section +##.footer-ad-squares +##.footer-ad-unit +##.footer-ad-wrap +##.footer-adrow +##.footer-ads +##.footer-ads-slide +##.footer-ads-wrapper +##.footer-ads_unlocked +##.footer-adsbar +##.footer-adsense +##.footer-advert +##.footer-advert-large +##.footer-advertisement +##.footer-advertisements +##.footer-advertising +##.footer-advertising-area +##.footer-banner-ad +##.footer-banner-ads +##.footer-floating-ad +##.footer-im-ad +##.footer-leaderboard-ad +##.footer-post-ad-blk +##.footer-prebid +##.footer-text-ads +##.footerAd +##.footerAdModule +##.footerAdUnit +##.footerAdWrapper +##.footerAds +##.footerAdsWrap +##.footerAdslot +##.footerAdverts +##.footerBottomAdSec +##.footerFullAd +##.footerPageAds +##.footerTextAd +##.footer__ads--content +##.footer__advert +##.footer_ad +##.footer_ad336 +##.footer_ad_container +##.footer_ads +##.footer_adv +##.footer_advertisement +##.footer_block_ad +##.footer_bottom_ad +##.footer_bottomad +##.footer_line_ad +##.footer_text_ad +##.footer_text_adblog +##.footerad +##.footeradspace +##.footertextadbox +##.forbes-ad-container +##.forex_ad_links +##.fortune-ad-unit +##.forum-ad +##.forum-ad-2 +##.forum-teaser-ad +##.forum-topic--adsense +##.forumAd +##.forum_ad_beneath +##.four-ads +##.fp-ad-nativendo-one-third +##.fp-ad-rectangle +##.fp-ad300 +##.fp-ads +##.fp-right-ad +##.fp-right-ad-list +##.fp-right-ad-zone +##.fp_ad_text +##.fp_adv-box +##.frame_adv +##.framead +##.freestar-ad-container +##.freestar-ad-sidebar-container +##.freestar-ad-wide-container +##.freestar-incontent-ad +##.frn_adbox +##.front-ad +##.front_ad +##.frontads +##.frontendAd +##.frontone_ad +##.frontpage__article--ad +##.frontpage_ads +##.fsAdContainer +##.fs_ad +##.fs_ads +##.fsrads +##.ft-ad +##.full-ad +##.full-ad-wrapper +##.full-ads +##.full-adv +##.full-bleed-ad +##.full-bleed-ad-container +##.full-page-ad +##.full-top-ad-area +##.full-width-ad +##.full-width-ad-container +##.full-width-ads +##.fullAdBar +##.fullBleedAd +##.fullSizeAd +##.fullWidthAd +##.full_AD +##.full_ad_box +##.full_ad_row +##.full_width_ad +##.fulladblock +##.fullbanner_ad +##.fullbannerad +##.fullpage-ad +##.fullsize-ad-square +##.fullwidth-advertisement +##.fusion-ads +##.fuv_sidebar_ad_widget +##.fwAdTags +##.fw_ad +##.g-ad +##.g-ad-fix +##.g-ad-leaderboard +##.g-ad-slot +##.g-adver +##.g-advertisement-block +##.g1-ads +##.g1-advertisement +##.g2-adsense +##.g3-adsense +##.gAdMTable +##.gAdMainParent +##.gAdMobileTable +##.gAdOne +##.gAdOneMobile +##.gAdRows +##.gAdSky +##.gAdThreeDesktop +##.gAdThreeMobile +##.gAdTwo +##.gAds +##.gAds1 +##.gAdsBlock +##.gAdsContainer +##.gAdvertising +##.g_ad +##.g_adv +##.ga-ads +##.gaTeaserAds +##.gaTeaserAdsBox +##.gabfire_ad +##.gabfire_simplead_widget +##.gad-container +##.gad-right1 +##.gad-right2 +##.gad300x600 +##.gad336x280 +##.gadContainer +##.gad_container +##.gads_container +##.gadsense +##.gadsense-ad +##.gallery-ad +##.gallery-ad-container +##.gallery-ad-counter +##.gallery-ad-holder +##.gallery-ad-lazyload-placeholder +##.gallery-ad-overlay +##.gallery-adslot-top +##.gallery-injectedAd +##.gallery-sidebar-ad +##.gallery-slide-ad +##.galleryAds +##.galleryLeftAd +##.galleryRightAd +##.gallery_ad +##.gallery_ad_wrapper +##.gallery_ads_box +##.galleryad +##.galleryads +##.gam-ad +##.gam-ad-hz-bg +##.gam_ad_slot +##.game-ads +##.game-category-ads +##.gameAd +##.gameBottomAd +##.gamepage_boxad +##.games-ad-wrapper +##.gb-ad-top +##.gb_area_ads +##.general-ad +##.genericAds +##.ggl_ads_row +##.ggl_txt_ads +##.giant_pushbar_ads_l +##.glacier-ad +##.globalAd +##.gnm-ad-unit +##.gnm-ad-unit-container +##.gnm-ad-zones +##.gnm-adhesion-ad +##.gnm-banner-ad +##.gnm-bg-ad +##.go-ad +##.goAdMan +##.goads +##.googads +##.google-2ad-m +##.google-ad +##.google-ad-160-600 +##.google-ad-468-60 +##.google-ad-728-90 +##.google-ad-block +##.google-ad-container +##.google-ad-content +##.google-ad-header2 +##.google-ad-image +##.google-ad-manager +##.google-ad-placeholder +##.google-ad-sidebar +##.google-ad-space +##.google-ad-widget +##.google-ads +##.google-ads-billboard +##.google-ads-bottom +##.google-ads-container +##.google-ads-footer-01 +##.google-ads-footer-02 +##.google-ads-in_article +##.google-ads-leaderboard +##.google-ads-long +##.google-ads-responsive +##.google-ads-right +##.google-ads-sidebar +##.google-ads-widget +##.google-ads-wrapper +##.google-adsense +##.google-advert-sidebar +##.google-afc-wrapper +##.google-bottom-ads +##.google-dfp-ad-caption +##.google-dfp-ad-wrapper +##.google-right-ad +##.google-sponsored +##.google-sponsored-ads +##.google-sponsored-link +##.google-sponsored-links +##.google468 +##.googleAd +##.googleAdBox +##.googleAdContainer +##.googleAdSearch +##.googleAdSense +##.googleAdWrapper +##.googleAdd +##.googleAds +##.googleAdsContainer +##.googleAdsense +##.googleAdv +##.google_ad +##.google_ad_container +##.google_ad_label +##.google_ad_wide +##.google_add +##.google_admanager +##.google_ads +##.google_ads_content +##.google_ads_sidebar +##.google_adsense +##.google_adsense1 +##.google_adsense_footer +##.google_afc +##.google_afc_ad +##.googlead +##.googleadArea +##.googleadbottom +##.googleadcontainer +##.googleaddiv +##.googleads +##.googleads-container +##.googleads-height +##.googleadsense +##.googleadsrectangle +##.googleadv +##.googleadvertisement +##.googleadwrap +##.googleafc +##.gpAds +##.gpt-ad +##.gpt-ad-container +##.gpt-ad-sidebar-wrap +##.gpt-ad-wrapper +##.gpt-ads +##.gpt-billboard +##.gpt-breaker-container +##.gpt-container +##.gpt-leaderboard-banner +##.gpt-mpu-banner +##.gpt-sticky-sidebar +##.gpt.top-slot +##.gptSlot +##.gptSlot-outerContainer +##.gptSlot__sticky-footer +##.gptslot +##.gradientAd +##.graphic_ad +##.grev-ad +##.grey-ad +##.grey-ad-line +##.grey-ad-notice +##.greyAd +##.greyad +##.grid-ad +##.grid-ad-col__big +##.grid-advertisement +##.grid-block-ad +##.grid-item-ad +##.gridAd +##.gridAdRow +##.gridSideAd +##.grid_ad_container +##.gridad +##.gridlove-ad +##.gridstream_ad +##.ground-ads-shared +##.group-ad-leaderboard +##.group-google-ads +##.group-item-ad +##.group_ad +##.gsAd +##.gtm-ad-slot +##.guide__row--fixed-ad +##.guj-ad--placeholder +##.gujAd +##.gutterads +##.gw-ad +##.h-adholder +##.h-ads +##.h-adver +##.h-large-ad-box +##.h-top-ad +##.h11-ad-top +##.h_Ads +##.h_ad +##.half-ad +##.half-page-ad +##.half-page-ad-1 +##.half-page-ad-2 +##.halfPageAd +##.half_ad_box +##.halfpage_ad +##.halfpage_ad_1 +##.halfpage_ad_container +##.happy-inline-ad +##.has-ad +##.has-adslot +##.has-fixed-bottom-ad +##.hasAD +##.hdr-ad +##.hdr-ads +##.hdrAd +##.hdr_ad +##.head-ad +##.head-ads +##.head-banner468 +##.head-top-ads +##.headAd +##.head_ad +##.head_ad_wrapper +##.head_ads +##.head_adv +##.head_advert +##.headad +##.headadcontainer +##.header-ad +##.header-ad-area +##.header-ad-banner +##.header-ad-box +##.header-ad-container +##.header-ad-desktop +##.header-ad-frame +##.header-ad-holder +##.header-ad-region +##.header-ad-row +##.header-ad-space +##.header-ad-top +##.header-ad-widget +##.header-ad-wrap +##.header-ad-wrapper +##.header-ad-zone +##.header-adbanner +##.header-adbox +##.header-adcode +##.header-adplace +##.header-ads +##.header-ads-area +##.header-ads-container +##.header-ads-holder +##.header-ads-wrap +##.header-ads-wrapper +##.header-adsense +##.header-adslot-container +##.header-adspace +##.header-adv +##.header-advert +##.header-advert-wrapper +##.header-advertise +##.header-advertisement +##.header-advertising +##.header-and-footer--banner-ad +##.header-article-ads +##.header-banner-ad +##.header-banner-ads +##.header-banner-advertising +##.header-bannerad +##.header-bottom-adboard-area +##.header-pencil-ad +##.header-sponsor +##.header-top-ad +##.header-top_ads +##.headerAd +##.headerAd1 +##.headerAdBanner +##.headerAdContainer +##.headerAdPosition +##.headerAdSpacing +##.headerAdWrapper +##.headerAds +##.headerAds250 +##.headerAdspace +##.headerAdvert +##.headerAdvertisement +##.headerTextAd +##.headerTopAd +##.headerTopAds +##.header__ad +##.header__ads +##.header__ads-wrapper +##.header__advertisement +##.header_ad +##.header_ad1 +##.header_ad_center +##.header_ad_div +##.header_ad_space +##.header_ads +##.header_ads-container +##.header_ads_box +##.header_adspace +##.header_advert +##.header_advertisement +##.header_advertisment +##.header_leaderboard_ad +##.header_top_ad +##.headerad +##.headeradarea +##.headeradblock +##.headeradright +##.headerads +##.heading-ad-space +##.headline-adblock +##.headline-ads +##.headline_advert +##.hederAd +##.herald-ad +##.hero-ad +##.hero-ad-slot +##.hero-advert +##.heroAd +##.hidden-ad +##.hide-ad +##.hide_ad +##.hidead +##.highlightsAd +##.hm-ad +##.hmad +##.hn-ads +##.holder-ad +##.holder-ads +##.home-ad +##.home-ad-bigbox +##.home-ad-container +##.home-ad-inline +##.home-ad-links +##.home-ad-region-1 +##.home-ad-section +##.home-ads +##.home-ads-container +##.home-ads1 +##.home-adv-box +##.home-advert +##.home-body-ads +##.home-page-ad +##.home-sidebar-ad +##.home-sponsored-links +##.home-sticky-ad +##.home-top-ad +##.homeAd +##.homeAd1 +##.homeAd2 +##.homeAdBox +##.homeAdBoxA +##.homeAdSection +##.homeBoxMediumAd +##.homeCentreAd +##.homeMainAd +##.homeMediumAdGroup +##.homePageAdSquare +##.homePageAds +##.homeTopAdContainer +##.home_ad +##.home_ad_bottom +##.home_ad_large +##.home_ad_title +##.home_adblock +##.home_advert +##.home_advertisement +##.home_mrec_ad +##.homeadwrapper +##.homepage--sponsor-content +##.homepage-ad +##.homepage-ad-block +##.homepage-ad-module +##.homepage-advertisement +##.homepage-banner-ad +##.homepage-footer-ad +##.homepage-footer-ads +##.homepage-page__ff-ad-container +##.homepage-page__tag-ad-container +##.homepage-page__video-ad-container +##.homepageAd +##.homepage__native-ad +##.homepage_ads +##.homepage_block_ad +##.hor-ad +##.hor_ad +##.horiAd +##.horiz_adspace +##.horizontal-ad +##.horizontal-ad-container +##.horizontal-ad-holder +##.horizontal-ad-wrapper +##.horizontal-ad2 +##.horizontal-ads +##.horizontal-advert-container +##.horizontal-full-ad +##.horizontal.ad +##.horizontalAd +##.horizontalAdText +##.horizontalAdvert +##.horizontal_Fullad +##.horizontal_ad +##.horizontal_adblock +##.horizontal_ads +##.horizontaltextadbox +##.horizsponsoredlinks +##.hortad +##.hotad_bottom +##.hotel-ad +##.house-ad +##.house-ad-small +##.house-ad-unit +##.house-ads +##.houseAd +##.houseAd1 +##.houseAdsStyle +##.housead +##.hover_ads +##.hoverad +##.hp-ad-container +##.hp-ad-grp +##.hp-adsection +##.hp-sectionad +##.hpRightAdvt +##.hp_320-250-ad +##.hp_ad_300 +##.hp_ad_box +##.hp_ad_cont +##.hp_ad_text +##.hp_adv300x250 +##.hp_advP1 +##.hp_horizontal_ad +##.hp_textlink_ad +##.htl-ad +##.htl-ad-placeholder +##.html-advertisement +##.html5-ad-progress-list +##.hw-ad--frTop +##.hyad +##.hyperAd +##.i-amphtml-element.live-updates.render-embed +##.i-amphtml-unresolved +##.iAdserver +##.iab300x250 +##.iab728x90 +##.ib-adv +##.ico-adv +##.icon-advertise +##.iconAdChoices +##.icon_ad_choices +##.iconads +##.idgGoogleAdTag +##.ie-adtext +##.iframe-ad +##.iframe-ads +##.iframeAd +##.iframeAds +##.ima-ad-container +##.image-advertisement +##.image-viewer-ad +##.image-viewer-mpu +##.imageAd +##.imageAds +##.imagead +##.imageads +##.img-advert +##.img_ad +##.img_ads +##.imgad +##.in-article-ad +##.in-article-ad-placeholder +##.in-article-ad-wrapper +##.in-article-adx +##.in-between-ad +##.in-content-ad +##.in-content-ad-wrapper +##.in-page-ad +##.in-slider-ad +##.in-story-ads +##.in-text-ad +##.in-text__advertising +##.in-thumb-ad +##.in-thumb-video-ad +##.inPageAd +##.in_ad +##.in_article_ad +##.in_article_ad_wrapper +##.in_content_ad_container +##.in_content_advert +##.inarticlead +##.inc-ad +##.incontent-ad1 +##.incontentAd +##.incontent_ads +##.index-adv +##.index_728_ad +##.index_ad +##.index_ad_a2 +##.index_ad_a4 +##.index_ad_a5 +##.index_ad_a6 +##.index_right_ad +##.infinity-ad +##.inhousead +##.injected-ad +##.injectedAd +##.inline-ad +##.inline-ad-card +##.inline-ad-container +##.inline-ad-desktop +##.inline-ad-placeholder +##.inline-ad-text +##.inline-ad-wrap +##.inline-ad-wrapper +##.inline-adblock +##.inline-advert +##.inline-banner-ad +##.inline-display-ad +##.inline-google-ad-slot +##.inline-mpu +##.inline-story-add +##.inlineAd +##.inlineAdContainer +##.inlineAdImage +##.inlineAdInner +##.inlineAdNotice +##.inlineAdText +##.inlineAdvert +##.inlineAdvertisement +##.inlinePageAds +##.inlineSideAd +##.inline_ad +##.inline_ad_container +##.inline_ad_title +##.inline_ads +##.inlinead +##.inlinead_lazyload +##.inlineadsense +##.inlineadtitle +##.inlist-ad +##.inlistAd +##.inner-ad +##.inner-ad-disclaimer +##.inner-ad-section +##.inner-adv +##.inner-advert +##.inner-post-ad +##.innerAdWrapper +##.innerAds +##.innerContentAd +##.innerWidecontentAd +##.inner_ad +##.inner_ad_advertise +##.inner_big_ad +##.innerad +##.inpostad +##.inr_top_ads +##.ins_adwrap +##.insert-post-ads +##.insert_ad +##.insert_ad_column +##.insert_advertisement +##.insertad +##.inside_ad +##.insideads +##.inslide-ad +##.insticator-ads +##.instream_ad +##.intAdRow +##.intad +##.interAd +##.internal-ad +##.internalAd +##.internal_ad +##.interstitial-ad +##.intext-ads +##.intra-article-ad +##.intro-ad +##.ion-ad +##.ione-widget-dart-ad +##.ipc-advert +##.ipc-advert-class +##.ipsAd +##.ipsAdvertisement +##.iqadlinebottom +##.iqadmarker +##.iqadtile_wrapper +##.is-ad +##.is-carbon-ad +##.is-desktop-ads +##.is-mpu +##.is-preload-ad +##.is-script-ad +##.is-sponsored +##.is-sticky-ad +##.isAd +##.isAdPage +##.isad_box +##.ise-ad +##.island-ad +##.islandAd +##.islandAdvert +##.island_ad +##.islandad +##.item--ad +##.item-ad +##.item-ad-leaderboard +##.item-advertising +##.item-container-ad +##.itemAdvertise +##.item_ads +##.itsanad +##.j-ad +##.jLinkSponsored +##.jannah_ad +##.jg-ad-5 +##.jg-ad-970 +##.jobbioapp +##.jobs-ad-box +##.jobs-ad-marker +##.jquery-adi +##.jquery-script-ads +##.js-ad +##.js-ad-banner-container +##.js-ad-buttons +##.js-ad-container +##.js-ad-dynamic +##.js-ad-frame +##.js-ad-home +##.js-ad-loader-bottom +##.js-ad-slot +##.js-ad-static +##.js-ad-unit +##.js-ad-unit-bottom +##.js-ad-wrapper +##.js-ad_iframe +##.js-adfliction-iframe +##.js-adfliction-standard +##.js-ads +##.js-ads-carousel +##.js-advert +##.js-advert-container +##.js-adzone +##.js-anchor-ad +##.js-article-advert-injected +##.js-billboard-advert +##.js-dfp-ad +##.js-dfp-ad-bottom +##.js-dfp-ad-top +##.js-gpt-ad +##.js-gptAd +##.js-header-ad +##.js-header-ad-wrapper +##.js-lazy-ad +##.js-mapped-ad +##.js-mpu +##.js-native-ad +##.js-no-sticky-ad +##.js-overlay_ad +##.js-react-simple-ad +##.js-results-ads +##.js-right-ad-block +##.js-sidebar-ads +##.js-skyscraper-ad +##.js-slide-right-ad +##.js-slide-top-ad +##.js-sticky-ad +##.js-stream-ad +##.js-toggle-ad +##.jsAdSlot +##.jsMPUSponsor +##.js_adContainer +##.js_ad_wrapper +##.js_deferred-ad +##.js_desktop-horizontal-ad +##.js_midbanner_ad_slot +##.js_preheader-ad-container +##.js_slideshow-full-width-ad +##.js_slideshow-sidebar-ad +##.js_sticky-top-ad +##.jsx-adcontainer +##.jw-ad +##.jw-ad-block +##.jw-ad-label +##.jw-ad-media-container +##.jw-ad-visible +##.kakao_ad_area +##.keen_ad +##.kiwi-ad-wrapper-300x250 +##.kiwi-ad-wrapper-728x90 +##.kiwi-ad-wrapper-950x80 +##.kumpulads-post +##.kumpulads-side +##.kwizly-psb-ad +##.l-ad +##.l-ad-top +##.l-ads +##.l-adsense +##.l-article__ad +##.l-bottom-ads +##.l-grid--ad-card +##.l-header-advertising +##.l-section--ad +##.l1-ads-wrapper +##.label-ad +##.label_advertising_text +##.labelads +##.large-advert +##.largeAd +##.largeRectangleAd +##.largeUnitAd +##.large_ad +##.lastAdHolder +##.lastads +##.latest-ad +##.layout-ad +##.layout__right-ads +##.layout_h-ad +##.lazy-ad +##.lazy-ad-unit +##.lazy-adv +##.lazyad +##.lazyadsense +##.lazyadslot +##.lazyload-ad +##.lazyload_ad +##.lazyload_ad_article +##.lb-ad +##.lb-adhesion-unit +##.lb-advert-container +##.lb-item-ad +##.ld-ad +##.ld-ad-inner +##.ldm_ad +##.lead-ad +##.lead-ads +##.leader-ad +##.leader-ad-728 +##.leaderAd +##.leaderAdTop +##.leaderAdvert +##.leaderBoardAdWrapper +##.leaderBoardAdvert +##.leader_ad +##.leader_aol +##.leaderad +##.leaderboard-ad +##.leaderboard-ad-belt +##.leaderboard-ad-component +##.leaderboard-ad-container +##.leaderboard-ad-dummy +##.leaderboard-ad-fixed +##.leaderboard-ad-grid +##.leaderboard-ad-main +##.leaderboard-ad-module +##.leaderboard-ad-pane +##.leaderboard-ad-placeholder +##.leaderboard-ad-section +##.leaderboard-ad-unit +##.leaderboard-ad-wrapper +##.leaderboard-adblock +##.leaderboard-ads +##.leaderboard-ads-text +##.leaderboard-advert +##.leaderboard-advertisement +##.leaderboard-main-ad +##.leaderboard-top-ad +##.leaderboard-top-ad-wrapper +##.leaderboard.advert +##.leaderboard1AdWrapper +##.leaderboardAd +##.leaderboardAdWrapper +##.leaderboardFooter_ad +##.leaderboardRectAdWrapper +##.leaderboard_ad_container +##.leaderboard_ad_unit +##.leaderboard_ads +##.leaderboard_adsense +##.leaderboard_adv +##.leaderboard_banner_ad +##.leaderboardad +##.leaderboardadmiddle +##.leaderboardadtop +##.leaderboardadwrap +##.lee-track-ilad +##.left-ad +##.left-ads +##.left-advert +##.left-rail-ad +##.left-sponser-ad +##.leftAd +##.leftAdColumn +##.leftAdContainer +##.leftAds +##.leftAdsEnabled +##.leftAdsFix +##.leftAdvDiv +##.leftAdvert +##.leftCol_advert +##.leftColumnAd +##.left_300_ad +##.left_ad +##.left_ad_160 +##.left_ad_areas +##.left_ad_box +##.left_ad_container +##.left_add_block +##.left_adlink +##.left_ads +##.left_adsense +##.left_advertisement_block +##.left_col_ad +##.left_google_add +##.leftad +##.leftadd +##.leftadtag +##.leftbar_ad2 +##.leftbarads +##.leftbottomads +##.leftnavad +##.leftrighttopad +##.leftsidebar_ad +##.lefttopad1 +##.legacy-ads +##.lft_advt_container +##.lg-ads-160x90 +##.lg-ads-311x500 +##.lg-ads-635x100 +##.lg-ads-skin-container +##.ligatus +##.lightad +##.lijit-ad +##.linead +##.linkAD +##.linkAds +##.link_ad +##.linkads +##.list-ad +##.list-adbox +##.list-ads +##.list-feature-ad +##.list-footer-ad +##.listad +##.listicle-instream-ad-holder +##.listing-item-ad +##.listingAd +##.listings_ad +##.lite-page-ad +##.live-ad +##.lng-ad +##.local-ads +##.localad +##.location-ad +##.log_ads +##.logged_out_ad +##.logo-ad +##.logoAds +##.logo_AdChoices +##.logoad +##.logoutAd +##.logoutAdContainer +##.long-ads +##.longAd +##.longAdBox +##.longAds +##.long_ad +##.longform-ad +##.loop-ad +##.lower-ad +##.lower-ads +##.lowerAd +##.lowerAds +##.lower_ad +##.lr-ad +##.lr-pack-ad +##.lr_skyad +##.lrec-container +##.lst_ads +##.lyrics-inner-ad-wrap +##.m-ContentAd +##.m-ad +##.m-ad-brick +##.m-ad-region +##.m-ad-unit +##.m-ad__wrapper +##.m-adaptive-ad-component +##.m-advert +##.m-advertisement +##.m-advertisement--container +##.m-balloon-header--ad +##.m-block-ad +##.m-content-advert +##.m-content-advert-wrap +##.m-dfp-ad-text +##.m-header-ad +##.m-in-content-ad +##.m-in-content-ad-row +##.m-jac-ad +##.m-sponsored +##.m1-header-ad +##.m2n-ads-slot +##.m_ad +##.m_ad1 +##.m_ad300 +##.m_banner_ads +##.macAd +##.macad +##.mad_adcontainer +##.magAd +##.magad +##.main-ad +##.main-ad-container +##.main-ad-gallery +##.main-add-sec +##.main-ads +##.main-advert +##.main-advertising +##.main-column-ad +##.main-footer-ad +##.main-header-ad +##.main-header__ad-wrapper +##.main-right-ads +##.mainAd +##.mainAdContainer +##.mainAds +##.mainLeftAd +##.mainLinkAd +##.mainRightAd +##.main_ad +##.main_adbox +##.main_ads +##.main_adv +##.mantis-ad +##.mantisadd +##.manual-ad +##.map-ad +##.mapped-ad +##.mar-block-ad +##.mar-leaderboard--bottom +##.margin-advertisement +##.margin0-ads +##.marginalContentAdvertAddition +##.marketing-ad +##.marketplace-ad +##.marketplaceAd +##.marquee-ad +##.masonry-tile-ad +##.masonry__ad +##.master_post_advert +##.masthead-ad +##.masthead-ads +##.mastheadAds +##.masthead__ad +##.match-ad +##.mb-advert +##.mb-advert__incontent +##.mb-advert__leaderboard--large +##.mb-advert__mpu +##.mb-advert__tweeny +##.mb-block--advert-side +##.mb-list-ad +##.mc_floating_ad +##.mc_text_ads_box +##.md-advertisement +##.medRect +##.media-viewer__ads-container +##.mediaAd +##.mediaAdContainer +##.medium-rectangle-ad +##.medium-top-ad +##.mediumRectAdWrapper +##.mediumRectagleAd +##.mediumRectangleAd +##.mediumRectangleAdvert +##.medium_ad +##.mediumad +##.medrec-ad +##.medrect-ad +##.medrect-ad2 +##.medrectAd +##.medrect_ad +##.mega-ad +##.member-ads +##.menu-ad +##.menuAd +##.message_ads +##.meta-ad +##.meta_ad +##.metabet-adtile +##.meteored-ads +##.mf-adsense-leaderboard +##.mf-adsense-rightrail +##.mg_box_ads +##.mgid-wrapper +##.mgid_3x2 +##.mid-ad-wrapper +##.mid-ads +##.mid-advert +##.mid-article-banner-ad +##.mid-post-ad +##.mid-section-ad +##.midAd +##.midAdv-cont +##.midAdv-cont2 +##.midAdvert +##.mid_ad +##.mid_banner_ad +##.midad +##.midarticlead +##.middle-ad +##.middle-ads +##.middle-ads728 +##.middle-footer-ad +##.middleAd +##.middleAdLeft +##.middleAdMid +##.middleAdRight +##.middleAdWrapper +##.middleAds +##.middleBannerAd +##.middle_AD +##.middle_ad +##.middle_ad_responsive +##.middle_ads +##.middlead +##.middleadouter +##.midpost-ad +##.min-height-ad +##.min_navi_ad +##.mini-ad +##.mini-ads +##.mini_ads +##.miniad +##.miniads +##.misc-ad +##.misc-ad-label +##.miscAd +##.mj-floating-ad-wrapper +##.mks_ads_widget +##.mm-ad-sponsored +##.mm-ads-adhesive-ad +##.mm-ads-gpt-adunit +##.mm-ads-leaderboard-header +##.mm-banner970-ad +##.mmads +##.mntl-gpt-adunit +##.mntl-sc-block-adslot +##.moads-top-banner +##.moads-widget +##.mob-ad-break-text +##.mob-adspace +##.mob-hero-banner-ad-wrap +##.mob_ads +##.mobads +##.mobile-ad +##.mobile-ad-container +##.mobile-ad-negative-space +##.mobile-ad-placeholder +##.mobile-ad-slider +##.mobile-ads +##.mobile-fixed-ad +##.mobile-instream-ad-holder +##.mobile-instream-ad-holder-single +##.mobileAd +##.mobileAdWrap +##.mobileAppAd +##.mobile_ad_banner +##.mobile_ad_container +##.mobile_featuredad +##.mobile_leaderboard_ad +##.mobileadbig +##.mobileadunit +##.mobilesideadverts +##.mod-ad +##.mod-adblock +##.mod-ads +##.mod-google-ads +##.mod-horizontal-ad +##.mod-sponsored-links +##.mod-vertical-ad +##.mod_ad +##.mod_ad_container +##.mod_ad_text +##.mod_ad_top +##.mod_admodule +##.mod_ads +##.mod_advert +##.mod_index_ad +##.mod_js_ad +##.mod_openads +##.mod_r_ad +##.mod_r_ad1 +##.modal-ad +##.module--ad +##.module-ad +##.module-ad-small +##.module-ads +##.module-advert +##.module-advertisement +##.module-box-ads +##.module-image-ad +##.module-rectangleads +##.module-sponsored-ads +##.module1colAds +##.moduleAd +##.moduleAdSpot +##.moduleAdvert +##.moduleAdvertContent +##.moduleBannerAd +##.module__ad-wide +##.module_ad +##.module_ad_disclaimer +##.module_box_ad +##.module_header_sponsored +##.module_home_ads +##.module_single_ads +##.modulegad +##.moduletable-adsponsor +##.moduletable-advert +##.moduletable-bannerAd6 +##.moduletable-centerad +##.moduletable-googleads +##.moduletable-rectangleads +##.moduletable_ad-right +##.moduletable_ad300x250 +##.moduletable_adtop +##.moduletable_advertisement +##.moduletable_top_ad +##.moduletableadvert +##.moduletableexclusive-ads +##.moduletablesquaread +##.moduletabletowerad +##.mom-ad +##.moneyball-ad +##.monsterad +##.mos-ad +##.mosaicAd +##.motherboard-ad +##.movable-ad +##.movv-ad +##.mp-ad +##.mpsponsor +##.mpu-ad +##.mpu-ad-con +##.mpu-ad-river +##.mpu-ad-top +##.mpu-advert +##.mpu-c +##.mpu-footer +##.mpu-fp +##.mpu-holder +##.mpu-leaderboard +##.mpu-left +##.mpu-left-bk +##.mpu-mediatv +##.mpu-right +##.mpu-title +##.mpu-top-left +##.mpu-top-left-banner +##.mpu-top-right +##.mpu-unit +##.mpu-wrap +##.mpu-wrapper +##.mpuAd +##.mpuAdArea +##.mpuAdSlot +##.mpuAdvert +##.mpuArea +##.mpuBlock +##.mpuBox +##.mpuContainer +##.mpu_Ad +##.mpu_ad +##.mpu_advert +##.mpu_container +##.mpu_holder +##.mpu_placeholder +##.mpu_side +##.mpu_wrapper +##.mpuad +##.mpuads +##.mr1_adwrap +##.mr2_adwrap +##.mr3_adwrap +##.mr4_adwrap +##.mrec-ads +##.mrec-banners +##.mrecAds +##.mrec_advert +##.mrf-adv +##.mrf-adv__wrapper +##.msg-ad +##.msgad +##.mt-ad-container +##.mt_ad +##.mt_ads +##.mtop_adfit +##.mu-ad-container +##.mv_atf_ad_holder +##.mvp-ad-label +##.mvp-feat1-list-ad +##.mvp-flex-ad +##.mvp-post-ad-wrap +##.mvp-widget-ad +##.mvp-widget-feat2-side-ad +##.mvp_ad_widget +##.mw-ad +##.my-ads +##.myAds +##.myAdsGroup +##.my__container__ad +##.n1ad-center-300 +##.narrow_ad_unit +##.narrow_ads +##.national_ad +##.nationalad +##.native-ad +##.native-ad-article +##.native-ad-container +##.native-ad-item +##.native-ad-mode +##.native-ad-slot +##.native-adv +##.native-advts +##.native-leaderboard-ad +##.native-sidebar-ad +##.native.ad +##.nativeAd +##.native_ad +##.native_ad_inline +##.native_ad_wrap +##.native_ads +##.nativead +##.nav-ad +##.nav-ad-gpt-container +##.nav-ad-plus-leader +##.nav-adWrapper +##.nav_ad +##.navbar-ad-section +##.navbar-ads +##.navbar-header-ad +##.naviad +##.ndmadkit +##.netPost_ad1 +##.netPost_ad3 +##.netads +##.netshelter-ad +##.newHeaderAd +##.new_ad1 +##.new_ad_left +##.new_ad_normal +##.new_ad_wrapper_all +##.new_ads_unit +##.newad +##.newad1 +##.news-ad +##.news-ad-square-a +##.news-ad-square-box +##.news-ads-top +##.news-item--ad +##.news_ad_box +##.news_vibrant_ads_banner +##.newsad +##.newsblock-ads +##.newsfeed_adunit +##.newspack_global_ad +##.nfy-ad +##.nfy-ad-teaser +##.nfy-ad-tile +##.nfy-ad-wrapper +##.nfy-cobo-ad +##.nfy-col-ad +##.ng-ad-banner +##.ng-ad-insert +##.nm-ad +##.nn_mobile_mpu_wrapper +##.node-ad +##.node_ad_wrapper +##.normalAds +##.normal_ads +##.normalad +##.northad +##.not-an-ad-header +##.note-advertisement +##.np-ad +##.np-ad-background +##.np-ad-border +##.np-ads-wrapper +##.np-adv-container +##.np-advert_apu +##.np-advert_apu-double +##.np-advert_info +##.np-header-ad +##.np-header-ads-area +##.np-right-ad +##.nrAds +##.nsAdRow +##.nts-ad +##.ntv-ad +##.nuffnangad +##.nuk-ad-placeholder +##.nv-ads-wrapper +##.nw-ad +##.nw-ad-label +##.nw-c-leaderboard-ad +##.nw-top-ad +##.nw_adv_square +##.nx-billboard-ad +##.nx-placeholder-ad +##.o-ad +##.o-ad-banner-top +##.o-ad-container +##.o-advert +##.o-listing__ad +##.o-site-header__advert +##.oad-ad +##.oas-ad +##.oas-container +##.oas-leaderboard-ads +##.oas_ad +##.oas_add +##.oas_advertisement +##.oasad +##.oasads +##.ob_ads_header +##.ob_container .item-container-obpd +##.ob_dual_right > .ob_ads_header ~ .odb_div +##.offads +##.oi-add-block +##.oi-header-ad +##.oio-banner-zone +##.oio-link-sidebar +##.oio-openslots +##.oio-zone-position +##.oko-adhesion +##.on_player_ads +##.oneColumnAd +##.onet-ad +##.online-ad-container +##.opd_adsticky +##.otd-ad-top +##.outer-ad-container +##.outer-ad-unit-wrapper +##.outerAdWrapper +##.outerAds +##.outer_ad_container +##.outside_ad +##.outsider-ad +##.ov-ad-slot +##.overflow-ad +##.overlay-ad +##.overlay-ad-container +##.overlay-ads +##.overlay-box-ad +##.overlay_ad +##.p-ad +##.p-ad-block +##.p-ad-dfp-banner +##.p-ad-dfp-middle-rec +##.p-ad-feature-pr +##.p-ad-outbreak +##.p-ad-rectangle +##.p-ad-thumbnail-txt +##.p-ads-billboard +##.p-ads-rec +##.p-post-ad:not(html):not(body) +##.p75_sidebar_ads +##.p_adv +##.p_topad +##.package_adBox +##.padAdvx +##.padvertlabel +##.page-ad +##.page-ads +##.page-advert +##.page-advertisement +##.page-bottom-fixed-ads +##.page-box-ad +##.page-break-ad +##.page-footer-ad +##.page-header-ad +##.page-header_ad +##.page-top-ads +##.pageAd +##.pageAdSkin +##.pageAdSkinUrl +##.pageAds +##.pageFooterAd +##.pageGoogleAd +##.pageGoogleAds +##.pageHeaderAd +##.pageHeaderAds +##.pageTopAd +##.page__top-ad-wrapper +##.page_ad +##.pagead +##.pagepusheradATF +##.pages__ad +##.pane-ad-pane +##.pane-ads +##.pane-sasia-ad +##.pane-site-ads +##.pane-sponsored-links +##.pane_ad_wide +##.panel-ad +##.panel-adsense +##.panel-advert +##.panel.ad +##.panel_ad +##.paneladvert +##.par-ad +##.par-adv-slot +##.parade-ad-container +##.parent-ad-desktop +##.partial-ad +##.partner-ad +##.partner-ad-module-wrapper +##.partner-ads-list +##.partnerAd +##.partner_ads +##.partnerad_container +##.partnersTextLinks +##.pauseAdPlacement +##.pb-slot-container +##.pc-ad +##.pcads_widget +##.pd-ads-mpu +##.pdpads +##.penci-ad-box +##.penci-ad-image +##.penci-ad_box +##.penci-adsense-below-slider +##.penci-google-adsense +##.penci-google-adsense-1 +##.penci-promo-link +##.penci_list_bannner_widget +##.pencil-ad +##.pencil-ad-container +##.pencil-ad-section +##.pencil_ad +##.perm_ad +##.pf_content_ad +##.pf_sky_ad +##.pf_top_ad +##.pg-ad-block +##.pg-adnotice +##.pg-adtarget +##.pgevoke-fp-bodyad2 +##.pgevoke-story-rightrail-ad1 +##.pgevoke-story-topads +##.pgevoke-topads +##.ph-ad +##.photo-ad +##.photo-ad-pad +##.photoAd +##.photoad +##.phpads_container +##.phpbb-ads-center +##.pix_adzone +##.placeholder-ad +##.placeholder-dfp +##.placeholderAd +##.plain-ad +##.plainAd +##.player-ad +##.player-ad-overlay +##.player-ads +##.player-ads2 +##.player-section__ads-banners +##.player-under-ad +##.playerAd +##.playerAdv +##.player_ad +##.player_ad2 +##.player_ad_box +##.playerad +##.playerdads +##.plugin-ad +##.plugin-ad-container +##.pm-ad +##.pm-ad-unit +##.pm-ad-zone +##.pm-ads-banner +##.pm-ads-inplayer +##.pm-banner-ad +##.pmc-adm-boomerang-pub-div +##.polar-ad +##.polaris-ad--wrapper-desktop +##.polarisMarketing +##.polaris__ad +##.polaris__below-header-ad-wrapper +##.position-ads +##.post-ad +##.post-ad-title +##.post-ad-top +##.post-ad-type +##.post-ads +##.post-ads-top +##.post-adsense-bottom +##.post-advert +##.post-advert-row +##.post-advertisement +##.post-load-ad +##.post-news-ad +##.post-sidebar-ad +##.post-sponsored +##.postAd +##.postWideAd +##.post_ad +##.post_ads +##.post_advert +##.post_detail_right_advert +##.post_sponsored +##.postad +##.postads +##.postbit-ad +##.poster_ad +##.posts-ad +##.pp-ad-container +##.pp_ad_code_adtxt +##.ppb_ads +##.ppr_priv_footer_banner_ad_billboard +##.ppr_priv_header_banner_ad +##.ppr_priv_horizon_ad +##.pr_adslot_0 +##.pr_adslot_1 +##.preheader_advert +##.premium-ad +##.premium-ads +##.premium-adv +##.premium-mpu-container +##.priad +##.priad-1 +##.primary-ad +##.primary-ad-widget +##.primary-advertisment +##.primis-player-container +##.primis-video +##.primis-wrapper +##.print-ad-wrapper +##.print-adslot +##.printAds +##.product-ad +##.product-ads +##.product-inlist-ad +##.profile-ad-container +##.profile-ads-container +##.profile__ad-wrapper +##.profile_ad_bottom +##.profile_ad_top +##.programtic-ads +##.promo-ad +##.promo-mpu +##.promoAd +##.promoAds +##.promoAdvertising +##.promo_ad +##.promo_ads +##.promo_border +##.promoad +##.promoboxAd +##.promoted_content_ad +##.promotionAdContainer +##.promotionTextAd +##.proper-ad-insert +##.proper-ad-unit +##.ps-ad +##.pt-ad--container +##.pt-ad--scroll +##.pt_ad03 +##.pt_col_ad02 +##.pub_ads +##.publication-ad +##.publicidad_horizontal +##.publicidade +##.publisher_ad +##.pubtech-adv-slot +##.puff-ad +##.puff-advertorials +##.pull-ad +##.pull_top_ad +##.pullad +##.purchad +##.push--ad +##.push-ad +##.push-adv +##.pushDownAd +##.pushdown-ad +##.pushdownAd +##.pwa-ad +##.pz-ad-box +##.quads-ad-label +##.quads-bg-ad +##.quads-location +##.queue_ad +##.queued-ad +##.quigo +##.quigo-ad +##.quigoads +##.r-ad +##.r-pause-ad-container +##.r89-outstream-video +##.r_ad +##.r_ads +##.rail-ad +##.rail-ads-1 +##.rail-article-sponsored +##.rail__ad +##.rail_ad +##.railad +##.railadspace +##.ray-floating-ads-container +##.rc-sponsored +##.rcom-freestar-ads-widget +##.re-AdTop1Container +##.ready-ad +##.rec_ad +##.recent-ad +##.recentAds +##.recent_ad_holder +##.recipeFeatureAd +##.rect-ad +##.rect-ad-1 +##.rectAd300 +##.rect_ad +##.rect_ad_module +##.rect_advert +##.rectad +##.rectadv +##.rectangle-ad +##.rectangle-ad-container +##.rectangle-embed-ad +##.rectangleAd +##.rectangleAdContainer +##.rectangle_ad +##.rectanglead +##.rectangleads +##.refreshAds +##.region-ad-bottom-leaderboard +##.region-ad-pan +##.region-ad-right +##.region-ad-top +##.region-ads +##.region-ads-content-top +##.region-banner-ad +##.region-dfp-ad-footer +##.region-dfp-ad-header +##.region-header-ad +##.region-header-ads +##.region-top-ad +##.region-top-ad-block +##.regular-ads +##.regularad +##.rekl-left +##.rekl-right +##.rekl-top +##.rekl_left +##.rekl_right +##.rekl_top +##.rekl_top_wrapper +##.reklam +##.reklam-block +##.reklam-kare +##.reklam-masthead +##.reklam2 +##.reklam728 +##.reklama +##.reklama-vert +##.reklama1 +##.reklame-wrapper +##.reklamka +##.related-ad +##.related-ads +##.relatedAds +##.related_ad +##.remnant_ad +##.remove-ads +##.remove-ads-link +##.res_ad +##.resads-adspot +##.responsive-ad +##.responsive-ad-header-container +##.responsive-ad-wrapper +##.responsive-ads +##.responsiveAdsense +##.responsive_ad_top +##.responsive_ads_468x60 +##.result-ad +##.result-sponsored +##.resultAd +##.result_ad +##.resultad +##.results-ads +##.revcontent-wrap +##.review-ad +##.reviews-display-ad +##.revive-ad +##.rh-ad +##.rhads +##.rhs-ad +##.rhs-ads-panel +##.rhs-advert-container +##.rhs-mrec-wrapper +##.rhs_ad +##.rhs_ad_title +##.rhs_ads +##.rhsad +##.rhsadvert +##.right-ad +##.right-ad-1 +##.right-ad-2 +##.right-ad-3 +##.right-ad-4 +##.right-ad-5 +##.right-ad-block +##.right-ad-container +##.right-ad-holder +##.right-ad-wrapper +##.right-ad2 +##.right-ad350px250px +##.right-ads +##.right-ads2 +##.right-adsense +##.right-adv +##.right-advert +##.right-advertisement +##.right-col-ad +##.right-column-ad +##.right-column-ads +##.right-rail-ad +##.right-rail-ad-container +##.right-rail-box-ad-container +##.right-side-ad +##.right-side-ads +##.right-sidebar-box-ad +##.right-sidebar-box-ads +##.right-sponser-ad +##.right-top-ad +##.right-video-dvertisement +##.rightAD +##.rightAd +##.rightAd1 +##.rightAd2 +##.rightAdBlock +##.rightAdBox +##.rightAdColumn +##.rightAdContainer +##.rightAds +##.rightAdsFix +##.rightAdvert +##.rightAdverts +##.rightBoxAd +##.rightBoxMidAds +##.rightColAd +##.rightColAdBox +##.rightColumnAd +##.rightColumnAdd +##.rightColumnAdsTop +##.rightColumnRectAd +##.rightHeaderAd +##.rightRailAd +##.rightRailMiddleAd +##.rightSecAds +##.rightSideBarAd +##.rightSideSponsor +##.rightTopAdWrapper +##.right_ad +##.right_ad_1 +##.right_ad_2 +##.right_ad_box +##.right_ad_box1 +##.right_ad_text +##.right_ad_top +##.right_ad_unit +##.right_ad_wrap +##.right_ads +##.right_ads_column +##.right_adsense_box_2 +##.right_adskin +##.right_adv +##.right_advert +##.right_advertise_cnt +##.right_advertisement +##.right_block_advert +##.right_box_ad +##.right_col_ad +##.right_column_ads +##.right_content_ad +##.right_image_ad +##.right_long_ad +##.right_outside_ads +##.right_side_ads +##.right_side_box_ad +##.right_sponsor_main +##.rightad +##.rightadHeightBottom +##.rightadblock +##.rightadd +##.rightads +##.rightadunit +##.rightadv +##.rightboxads +##.rightcolads +##.rightcoladvert +##.rightrail-ad-placed +##.rightsideAd +##.river-item-sponsored +##.rj-ads-wrapper +##.rm-adslot +##.rolloverad +##.roof-ad +##.root-ad-anchor +##.rotating-ad +##.rotating-ads +##.row-ad +##.row-ad-leaderboard +##.rowAd +##.rowAds +##.row_header_ads +##.rpd_ads +##.rr-ad +##.rr_ads +##.rs-ad +##.rs-advert +##.rs-advert__container +##.rs_ad_block +##.rs_ad_top +##.rt_ad +##.rwSideAd +##.rwdArticleInnerAdBlock +##.s-ad +##.s-ads +##.s_ads +##.sadvert +##.sagreklam +##.sal-adv-gpt +##.sam_ad +##.sb-ad +##.sb-ads +##.sbAd +##.sbAdUnitContainer +##.sbTopadWrapper +##.sb_ad +##.sb_ad_holder +##.sc-ad +##.scad +##.script-ad +##.scroll-ad-item-container +##.scroll-ads +##.scroll-track-ad +##.scrolling-ads +##.sda_adbox +##.sdc-advert__top-1 +##.se-ligatus +##.search-ad +##.search-advertisement +##.search-result-list-item--sidebar-ad +##.search-result-list-item--topad +##.search-results-ad +##.search-sponsor +##.search-sponsored +##.searchAd +##.searchAdTop +##.searchAds +##.searchad +##.searchads +##.secondary-ad-widget +##.secondary-advertisment +##.secondary_ad +##.section-ad +##.section-ad-unit +##.section-ad-wrapper +##.section-ad2 +##.section-ads +##.section-adtag +##.section-adv +##.section-advertisement +##.section-sponsor +##.section-widget-ad +##.section_ad +##.section_ad_left +##.section_ads +##.seoAdWrapper +##.servedAdlabel +##.serviceAd +##.sexunder_ads +##.sf_ad_box +##.sg-adblock +##.sgAd +##.sh-section-ad +##.shadvertisment +##.sheknows-infuse-ad +##.shift-ad +##.shortadvertisement +##.show-desk-ad +##.show-sticky-ad +##.showAd +##.showAdContainer +##.showads +##.showcaseAd +##.showcasead +##.shr-ads-container +##.sidbaread +##.side-ad +##.side-ad-300 +##.side-ad-blocks +##.side-ad-container +##.side-ad-inner +##.side-ad-top +##.side-ads +##.side-ads-block +##.side-ads-wide +##.side-adv-block +##.side-adv-text +##.side-advert +##.side-advertising +##.side-adverts +##.side-bar-ad +##.sideAd +##.sideAdLeft +##.sideAdWide +##.sideBarAd +##.sideBlockAd +##.sideBoxAd +##.side__ad +##.side__ad-box +##.side_ad +##.side_ad2 +##.side_ad_top +##.side_add_wrap +##.side_ads +##.side_adsense +##.side_adv +##.side_col_ad_wrap +##.sidead +##.sideadmid +##.sideads +##.sideads_l +##.sideadsbox +##.sideadtable +##.sideadvert +##.sideadverts +##.sidebar-ad-area +##.sidebar-ad-b +##.sidebar-ad-box +##.sidebar-ad-c +##.sidebar-ad-component +##.sidebar-ad-cont +##.sidebar-ad-container +##.sidebar-ad-div +##.sidebar-ad-label +##.sidebar-ad-rect +##.sidebar-ad-slot +##.sidebar-ad-top +##.sidebar-ad-wrapper +##.sidebar-adbox +##.sidebar-ads +##.sidebar-ads-block +##.sidebar-ads-wrap +##.sidebar-adsdiv +##.sidebar-adv-container +##.sidebar-advert +##.sidebar-advertisement +##.sidebar-advertisment +##.sidebar-adverts +##.sidebar-adverts-header +##.sidebar-banner-ad +##.sidebar-below-ad-unit +##.sidebar-big-ad +##.sidebar-big-box-ad +##.sidebar-bottom-ad +##.sidebar-box-ad +##.sidebar-box-ads +##.sidebar-content-ad +##.sidebar-header-ads +##.sidebar-skyscraper-ad +##.sidebar-sponsored +##.sidebar-sponsors +##.sidebar-square-ad +##.sidebar-sticky--ad +##.sidebar-text-ad +##.sidebar-top-ad +##.sidebar-tower-ad +##.sidebarAD +##.sidebarAd +##.sidebarAdvert +##.sidebar__ad +##.sidebar_ad +##.sidebar_ad_300 +##.sidebar_ad_300_250 +##.sidebar_ad_container +##.sidebar_ad_holder +##.sidebar_ad_leaderboard +##.sidebar_ad_module +##.sidebar_ads +##.sidebar_ads_left +##.sidebar_ads_right +##.sidebar_ads_title +##.sidebar_adsense +##.sidebar_advert +##.sidebar_advertising +##.sidebar_box_ad +##.sidebar_right_ad +##.sidebar_skyscraper_ad +##.sidebar_sponsors +##.sidebarad +##.sidebarad_bottom +##.sidebaradbox +##.sidebaradcontent +##.sidebarads +##.sidebaradsense +##.sidebarbox__advertising +##.sidebarboxad +##.sidebox-ad +##.sidebox_ad +##.sideright_ads +##.sideskyad +##.signad +##.simple-ad-placeholder +##.simple_ads_manager_widget +##.simple_adsense_widget +##.simplead-container +##.simpleads-item +##.single-ad +##.single-ad-anchor +##.single-ad-wrap +##.single-ads +##.single-ads-section +##.single-bottom-ads +##.single-mpu +##.single-post-ad +##.single-post-ads +##.single-post-bottom-ads +##.single-top-ad +##.singleAd +##.singleAdBox +##.singleAdsContainer +##.singlePostAd +##.single_ad +##.single_ad_300x250 +##.single_advert +##.single_bottom_ad +##.single_top_ad +##.singlead +##.singleads +##.singleadstopcstm2 +##.singlepageleftad +##.singlepostad +##.singlepostadsense +##.singpagead +##.sister-ads +##.site-ad-block +##.site-ads +##.site-bottom-ad-slot +##.site-head-ads +##.site-header-ad +##.site-header__ads +##.site-top-ad +##.siteWideAd +##.site_ad +##.site_ad--gray +##.site_ad--label +##.site_ads +##.site_sponsers +##.sitesponsor +##.skinAd +##.sky-ad +##.sky-ad1 +##.skyAd +##.skyAdd +##.skyAdvert +##.skyAdvert2 +##.sky_ad +##.sky_ad_top +##.skyad +##.skyscraper-ad +##.skyscraper-ad-1 +##.skyscraper-ad-container +##.skyscraper.ad +##.skyscraperAd +##.skyscraper_ad +##.skyscrapper-ads-container +##.slate-ad +##.slide-ad +##.slideAd +##.slide_ad +##.slidead +##.slider-ads +##.slider-item-ad +##.slider-right-advertisement-banner +##.sliderad +##.slideshow-ad +##.slideshow-ad-container +##.slideshow-ad-wrapper +##.slideshow-ads +##.slideshowAd +##.slideshowadvert +##.sm-ad +##.sm-admgnr-unit +##.sm-ads +##.sm-advertisement +##.sm-widget-ad-holder +##.sm_ad +##.small-ad +##.small-ad-header +##.small-ad-long +##.small-ads +##.smallAd +##.smallAdContainer +##.smallAds +##.smallAdvertisments +##.small_ad +##.small_ad_bg +##.small_ads +##.smallad +##.smalladblock +##.smallads +##.smalladscontainer +##.smallsponsorad +##.smart-ad +##.smartAd +##.smartad +##.smn-new-gpt-ad +##.snhb-ads-en +##.snippet-ad +##.snoadrotatewidgetwrap +##.speakol-widget +##.spinAdvert +##.splashy-ad-container +##.spon_link +##.sponadbox +##.sponlinkbox +##.spons-link +##.spons-wrap +##.sponsBox +##.sponsLinks +##.sponsWrap +##.sponsbox +##.sponser-link +##.sponserLink +##.sponslink +##.sponsor-ads +##.sponsor-area +##.sponsor-block +##.sponsor-bottom +##.sponsor-box +##.sponsor-btns +##.sponsor-inner +##.sponsor-left +##.sponsor-link +##.sponsor-links +##.sponsor-popup +##.sponsor-post +##.sponsor-right +##.sponsor-spot +##.sponsor-text +##.sponsor-text-container +##.sponsor-wrap +##.sponsorAd +##.sponsorArea +##.sponsorBlock +##.sponsorBottom +##.sponsorBox +##.sponsorFooter +##.sponsorFooter-container +##.sponsorLabel +##.sponsorLink +##.sponsorLinks +##.sponsorPanel +##.sponsorPost +##.sponsorPostWrap +##.sponsorStrip +##.sponsorText +##.sponsorTitle +##.sponsorTxt +##.sponsor_ad +##.sponsor_ad1 +##.sponsor_ad2 +##.sponsor_ad_area +##.sponsor_ad_section +##.sponsor_area +##.sponsor_bar +##.sponsor_block +##.sponsor_columns +##.sponsor_div +##.sponsor_footer +##.sponsor_image +##.sponsor_label +##.sponsor_line +##.sponsor_links +##.sponsor_logo +##.sponsor_placement +##.sponsor_popup +##.sponsor_post +##.sponsor_units +##.sponsorad +##.sponsoradlabel +##.sponsorads +##.sponsoradtitle +##.sponsored-ad +##.sponsored-ad-container +##.sponsored-ad-label +##.sponsored-add +##.sponsored-ads +##.sponsored-article +##.sponsored-article-item +##.sponsored-article-widget +##.sponsored-block +##.sponsored-buttons +##.sponsored-container +##.sponsored-container-bottom +##.sponsored-default +##.sponsored-display-ad +##.sponsored-header +##.sponsored-link +##.sponsored-links +##.sponsored-post +##.sponsored-post-container +##.sponsored-result +##.sponsored-results +##.sponsored-right +##.sponsored-slot +##.sponsored-tag +##.sponsored-text +##.sponsored-top +##.sponsored-widget +##.sponsoredAd +##.sponsoredAds +##.sponsoredBanners +##.sponsoredBar +##.sponsoredBottom +##.sponsoredBox +##.sponsoredContent +##.sponsoredEntry +##.sponsoredFeature +##.sponsoredInfo +##.sponsoredInner +##.sponsoredItem +##.sponsoredLabel +##.sponsoredLeft +##.sponsoredLink +##.sponsoredLinks +##.sponsoredLinks2 +##.sponsoredLinksBox +##.sponsoredListing +##.sponsoredProduct +##.sponsoredResults +##.sponsoredSearch +##.sponsoredTop +##.sponsored_ad +##.sponsored_ads +##.sponsored_bar_text +##.sponsored_box +##.sponsored_by +##.sponsored_link +##.sponsored_links +##.sponsored_links2 +##.sponsored_links_box +##.sponsored_links_container +##.sponsored_links_section +##.sponsored_post +##.sponsored_result +##.sponsored_results +##.sponsored_sidepanel +##.sponsored_ss +##.sponsored_text +##.sponsored_title +##.sponsored_well +##.sponsoredby +##.sponsoredlink +##.sponsoredlinks +##.sponsoredresults +##.sponsorheader +##.sponsoringbanner +##.sponsorlink +##.sponsorlink2 +##.sponsormsg +##.sponsors-advertisment +##.sponsors-box +##.sponsors-footer +##.sponsors-module +##.sponsors-widget +##.sponsorsBanners +##.sponsors_box_container +##.sponsors_links +##.sponsors_spacer +##.sponsorsbanner +##.sponsorsbig +##.sponsorship-banner-bottom +##.sponsorship-box +##.sponsorship-chrome +##.sponsorship-container +##.sponsorship-leaderboard +##.sponsorshipContainer +##.sponsorship_ad +##.sponsorshipbox +##.sponsorwrapper +##.sponstitle +##.sponstop +##.spot-ad +##.spotlight-ad +##.spotlightAd +##.spt-footer-ad +##.sq_ad +##.sqrd-ad-manager +##.square-ad +##.square-ad-1 +##.square-ad-container +##.square-ad-pane +##.square-ads +##.square-advt +##.square-adwrap +##.square-sidebar-ad +##.square-sponsorship +##.squareAd +##.squareAdWrap +##.squareAdd +##.squareAddtwo +##.squareAds +##.square_ad +##.squaread +##.squaread-container +##.squareadMain +##.squareads +##.squared_ad +##.squirrel_widget +##.sr-adsense +##.sr-advert +##.sraAdvert +##.srp-sidebar-ads +##.ssp-advert +##.standalonead +##.standard-ad-container +##.standard_ad_slot +##.static-ad +##.staticAd +##.static_mpu_wrap +##.staticad +##.sterra-ad +##.stick-ad-container +##.stickad +##.sticky-ad +##.sticky-ad-bottom +##.sticky-ad-container +##.sticky-ad-footer +##.sticky-ad-header +##.sticky-ad-wrapper +##.sticky-ads +##.sticky-ads-container +##.sticky-ads-content +##.sticky-adsense +##.sticky-advert-widget +##.sticky-bottom-ad +##.sticky-footer-ad +##.sticky-footer-ad-container +##.sticky-navbar-ad-container +##.sticky-rail-ad-container +##.sticky-side-ad +##.sticky-sidebar-ad +##.sticky-top-ad-wrap +##.stickyAd +##.stickyAdWrapper +##.stickyAdsGroup +##.stickyContainerMpu +##.stickyRailAd +##.sticky_ad_sidebar +##.sticky_ad_wrapper +##.sticky_ads +##.stickyad +##.stickyads +##.stickyadv +##.stky-ad-footer +##.stm-ad-player +##.stmAdHeightWidget +##.stock_ad +##.stocks-ad-tag +##.store-ads +##.story-ad +##.story-ad-container +##.story-ad-right +##.story-inline-advert +##.storyAd +##.storyAdvert +##.story__top__ad +##.story_ad_div +##.story_body_advert +##.storyad +##.storyad300 +##.storyadHolderAfterLoad +##.stpro_ads +##.str-top-ad +##.strack_bnr +##.strack_cli +##.strawberry-ads +##.strawberry-ads__pretty-container +##.stream-ad +##.streamAd +##.strip-ad +##.stripad +##.sub-ad +##.subAdBannerArea +##.subAdBannerHeader +##.subNavAd +##.subad +##.subheader_adsense +##.submenu_ad +##.subnav-ad-layout +##.subnav-ad-wrapper +##.subscribeAd +##.subscriber-ad +##.subscribox-ad +##.sudoku-ad +##.sugarad +##.suggAd +##.super-ad +##.superbanner-adcontent +##.support_ad +##.tabAd +##.tabAds +##.tab_ad +##.tab_ad_area +##.table-ad +##.tableAd1 +##.tablet-ad +##.tadm_ad_unit +##.takeover-ad +##.tallAdvert +##.tallad +##.tappx-ad +##.tbboxad +##.tc-adbanner +##.tc_ad +##.tc_ad_unit +##.tcf-ad +##.td-a-ad +##.td-a-rec-id-custom_ad_1 +##.td-a-rec-id-custom_ad_2 +##.td-a-rec-id-custom_ad_3 +##.td-a-rec-id-custom_ad_4 +##.td-a-rec-id-custom_ad_5 +##.td-ad +##.td-ad-m +##.td-ad-p +##.td-ad-tp +##.td-adspot-title +##.td-sponsor-title +##.tdAdHeader +##.td_ad +##.td_footer_ads +##.td_left_widget_ad +##.td_leftads +##.td_reklama_bottom +##.td_reklama_top +##.td_spotlight_ads +##.teaser--advertorial +##.teaser-ad +##.teaser-advertisement +##.teaser-sponsor +##.teaserAd +##.teaserAdContainer +##.teaserAdHeadline +##.teaser_ad +##.templates_ad_placement +##.test-adsense +##.testAd-holder +##.text-ad-sitewide +##.text-ad-top +##.text-advertisement +##.text-panel-ad +##.text-sponsor +##.textAd3 +##.textAdBlock +##.textAdBox +##.textAds +##.textLinkAd +##.textSponsor +##.text_ad_title +##.text_ad_website +##.text_ads_2 +##.text_ads_wrapper +##.text_adv +##.textad +##.textadContainer +##.textadbox +##.textadlink +##.textadscontainer +##.textadsds +##.textadsfoot +##.textadtext +##.textlinkads +##.th-ad +##.thb_ad_before_header +##.thb_ad_header +##.theAdvert +##.theads +##.theleftad +##.themonic-ad1 +##.themonic-ad2 +##.themonic-ad3 +##.themonic-ad6 +##.third-party-ad +##.thumb-ads +##.thumb_ad +##.thumbnailad +##.thumbs-adv +##.thumbs-adv-holder +##.tile--ad +##.tile-ad +##.tile-ad-container +##.tile-advert +##.tileAdContainer +##.tileAdWrap +##.tileAds +##.tile_AdBanner +##.tile_ad +##.tile_ad_container +##.tips_advertisement +##.title-ad +##.tl-ad-container +##.tmiads +##.tmo-ad +##.tmo-ad-ezoic +##.tncls_ad +##.tncls_ad_250 +##.tncls_ad_300 +##.tnt-ads +##.tnt-ads-container +##.tnt-dmp-reactive +##.tnw-ad +##.toaster-ad +##.toolkit-ad-shell +##.top-300-ad +##.top-ad +##.top-ad-728 +##.top-ad-970x90 +##.top-ad-anchor +##.top-ad-area +##.top-ad-banner-wrapper +##.top-ad-bloc +##.top-ad-block +##.top-ad-center +##.top-ad-container +##.top-ad-content +##.top-ad-deck +##.top-ad-desktop +##.top-ad-div +##.top-ad-horizontal +##.top-ad-inside +##.top-ad-module +##.top-ad-recirc +##.top-ad-right +##.top-ad-sidebar +##.top-ad-slot +##.top-ad-space +##.top-ad-sticky +##.top-ad-unit +##.top-ad-wrap +##.top-ad-wrapper +##.top-ad-zone +##.top-ad1 +##.top-ad__sticky-wrapper +##.top-adbox +##.top-ads +##.top-ads-amp +##.top-ads-block +##.top-ads-bottom-bar +##.top-ads-container +##.top-ads-mobile +##.top-ads-wrapper +##.top-adsense +##.top-adsense-banner +##.top-adspace +##.top-adv +##.top-adv-container +##.top-adverbox +##.top-advert +##.top-advertisement +##.top-banner-468 +##.top-banner-ad +##.top-banner-ad-container +##.top-banner-ad-wrapper +##.top-banner-add +##.top-banner-ads +##.top-banner-advert +##.top-bar-ad-related +##.top-box-right-ad +##.top-content-adplace +##.top-dfp-wrapper +##.top-fixed-ad +##.top-half-page-ad +##.top-header-ad +##.top-header-ad1 +##.top-horiz-ad +##.top-horizontal-ad +##.top-item-ad +##.top-leaderboard-ad +##.top-left-ad +##.top-menu-ads +##.top-post-ad +##.top-post-ads +##.top-right-ad +##.top-side-advertisement +##.top-sidebar-ad +##.top-sidebar-adbox +##.top-site-ad +##.top-sponsored-header +##.top-story-ad +##.top-topics__ad +##.top-wide-ad-container +##.top.ad +##.top250Ad +##.top300ad +##.topAD +##.topAd +##.topAd728x90 +##.topAdBanner +##.topAdBar +##.topAdBlock +##.topAdCenter +##.topAdContainer +##.topAdIn +##.topAdLeft +##.topAdRight +##.topAdSpacer +##.topAdWrap +##.topAdWrapper +##.topAdd +##.topAds +##.topAdsWrappper +##.topAdvBox +##.topAdvert +##.topAdvertisement +##.topAdvertistemt +##.topAdverts +##.topAlertAds +##.topArtAd +##.topArticleAds +##.topBannerAd +##.topBarAd +##.topBoxAdvertisement +##.topLeaderboardAd +##.topRightAd +##.top_Ad +##.top__ad +##.top_ad +##.top_ad1 +##.top_ad_728 +##.top_ad_728_90 +##.top_ad_banner +##.top_ad_big +##.top_ad_disclaimer +##.top_ad_div +##.top_ad_holder +##.top_ad_inner +##.top_ad_label +##.top_ad_list +##.top_ad_long +##.top_ad_post +##.top_ad_responsive +##.top_ad_seperate +##.top_ad_short +##.top_ad_wrap +##.top_ad_wrapper +##.top_adbox1 +##.top_adbox2 +##.top_adh +##.top_ads +##.top_ads_container +##.top_adsense +##.top_adspace +##.top_adv +##.top_adv_content +##.top_advert +##.top_advertisement +##.top_advertising_lb +##.top_advertizing_cnt +##.top_bar_ad +##.top_big_ads +##.top_container_ad +##.top_corner_ad +##.top_head_ads +##.top_header_ad +##.top_header_ad_inner +##.top_right_ad +##.top_rightad +##.top_side_adv +##.top_sponsor +##.topad-area +##.topad-bar +##.topad-bg +##.topad1 +##.topad2 +##.topadbar +##.topadblock +##.topadbox +##.topadcont +##.topadrow +##.topads +##.topads-spacer +##.topadsbx +##.topadsection +##.topadspace +##.topadspot +##.topadtara +##.topadtxt +##.topadvert +##.topbannerAd +##.topbar-ad-parent +##.topbar-ad-unit +##.topboardads +##.topright_ad +##.topside_ad +##.topsidebarad +##.tout-ad +##.tout-ad-embed +##.tower-ad +##.tower-ad-abs +##.tower-ad-b +##.tower-ad-wrapper +##.tower-ads-container +##.towerAd +##.towerAdLeft +##.towerAds +##.tower_ad +##.tower_ad_desktop +##.tower_ad_disclaimer +##.towerad +##.tp-ad-label +##.tp_ads +##.tpd-banner-ad-container +##.tpd-banner-desktop +##.tpd-box-ad-d +##.trc-content-sponsored +##.trc-content-sponsoredUB +##.trend-card-advert +##.trend-card-advert__title +##.tsm-ad +##.tt_ads +##.ttb_adv_bg +##.tw-adv-gpt +##.txt_ads +##.txtad_area +##.txtadbox +##.txtadvertise +##.type-ad +##.u-ads +##.u-lazy-ad-wrapper +##.udn-ads +##.ue-c-ad +##.ult_vp_videoPlayerAD +##.under-header-ad +##.under-player-ad +##.under-player-ads +##.under_ads +##.underplayer__ad +##.uniAdBox +##.unionAd +##.unit-ad +##.upper-ad-box +##.upper-ad-space +##.upper_ad +##.upx-ad-placeholder +##.us_ad +##.uvs-ad-full-width +##.vadvert +##.variable-ad +##.variableHeightAd +##.vce-ad-below-header +##.vce-ad-container +##.vce-header-ads +##.vce_adsense_expand +##.vce_adsense_widget +##.vce_adsense_wrapper +##.vdvwad +##.vert-ad +##.vert-ads +##.vertad +##.vertical-ad +##.vertical-ads +##.vertical-adsense +##.vertical-trending-ads +##.verticalAd +##.verticalAdText +##.vertical_ad +##.vertical_ads +##.verticalad +##.vf-ad-comments +##.vf-conversation-starter__ad +##.vf-promo-gtag +##.vf-promo-wrapper +##.vf3-conversations-list__promo +##.vi-sticky-ad +##.video-ad-bottom +##.video-ad-container +##.video-ad-content +##.video-ads +##.video-ads-container +##.video-ads-grid +##.video-ads-wrapper +##.video-adv +##.video-advert +##.video-archive-ad +##.video-boxad +##.video-inline-ads +##.video-page__adv +##.video-right-ad +##.video-right-ads +##.video-side__adv_title +##.videoAd-wrapper +##.videoAd300 +##.videoBoxAd +##.videoOverAd300 +##.videoOverAdSmall +##.videoPauseAd +##.videoSideAds +##.video_ad +##.video_ads +##.videoad +##.videoad-base +##.videoad2 +##.videos-ad +##.videos-ad-wrap +##.view-Advertisment +##.view-ad +##.view-ads +##.view-advertisement +##.view-advertisements +##.view-advertorials +##.view-adverts +##.view-article-inner-ads +##.view-homepage-center-ads +##.view-id-Advertisment +##.view-id-ads +##.view-id-advertisement +##.view-image-ads +##.view-site-ads +##.view_ad +##.views-field-field-ad +##.visibleAd +##.vjs-ad-iframe +##.vjs-ad-overlay +##.vjs-ima3-ad-container +##.vjs-marker-ad +##.vjs-overlay.size-300x250 +##.vl-ad-item +##.vl-advertisment +##.vl-header-ads +##.vlog-ad +##.vm-ad-horizontal +##.vmag_medium_ad +##.vodl-ad__bigsizebanner +##.vpnad +##.vs-advert-300x250 +##.vsw-ads +##.vswAdContainer +##.vuukle-ad-block +##.vuukle-ads +##.vw-header__ads +##.w-ad-box +##.w-adsninja-video-player +##.w-content--ad +##.wAdvert +##.w_AdExternal +##.w_ad +##.waf-ad +##.wahAd +##.wahAdRight +##.waldo-display-unit +##.waldo-placeholder +##.waldo-placeholder-bottom +##.wall-ads-control +##.wall-ads-left +##.wall-ads-right +##.wallAd +##.wall_ad +##.wcAd +##.wcfAdLocation +##.weatherad +##.web_ads +##.webpart-wrap-advert +##.website-ad-space +##.well-ad +##.werbungAd +##.wfb-ad +##.wg-ad-square +##.wh-advert +##.wh_ad +##.wh_ad_inner +##.when-show-ads +##.wide-ad +##.wide-ad-container +##.wide-ad-new-layout +##.wide-ad-outer +##.wide-ads-container +##.wide-advert +##.wide-footer-ad +##.wide-header-ad +##.wide-skyscraper-ad +##.wideAd +##.wideAdTable +##.widePageAd +##.wide_ad +##.wide_adBox_footer +##.wide_ad_unit +##.wide_ad_unit_top +##.wide_ads +##.wide_google_ads +##.wide_grey_ad_box +##.wide_sponsors +##.widead +##.wideadbox +##.widget--ad +##.widget--ajdg_bnnrwidgets +##.widget--local-ads +##.widget-300x250ad +##.widget-ad +##.widget-ad-codes +##.widget-ad-image +##.widget-ad-script +##.widget-ad-sky +##.widget-ad-zone +##.widget-ad300x250 +##.widget-adcode +##.widget-ads +##.widget-adsense +##.widget-adv +##.widget-advads-ad-widget +##.widget-advert-970 +##.widget-advertisement +##.widget-dfp +##.widget-sponsor +##.widget-sponsor--container +##.widget-text-ad +##.widgetAD +##.widgetAds +##.widgetSponsors +##.widget_300x250_advertisement +##.widget_ad +##.widget_ad-widget +##.widget_ad125 +##.widget_ad300 +##.widget_ad_300 +##.widget_ad_boxes_widget +##.widget_ad_layers_ad_widget +##.widget_ad_rotator +##.widget_ad_widget +##.widget_adace_ads_widget +##.widget_admanagerwidget +##.widget_adrotate_widgets +##.widget_ads +##.widget_ads_entries +##.widget_ads_widget +##.widget_adsblock +##.widget_adsensem +##.widget_adsensewidget +##.widget_adsingle +##.widget_adswidget1-quick-adsense +##.widget_adswidget2-quick-adsense +##.widget_adswidget3-quick-adsense +##.widget_adv_location +##.widget_adv_text +##.widget_advads_ad_widget +##.widget_advert +##.widget_advert_content +##.widget_advert_widget +##.widget_advertisement +##.widget_advertisements +##.widget_advertisment +##.widget_advwidget +##.widget_alaya_ad +##.widget_arvins_ad_randomizer +##.widget_awaken_pro_medium_rectangle_ad +##.widget_better-ads +##.widget_com_ad_widget +##.widget_core_ads_desk +##.widget_cpxadvert_widgets +##.widget_customad_widget +##.widget_customadvertising +##.widget_dfp +##.widget_doubleclick_widget +##.widget_ep_rotating_ad_widget +##.widget_epcl_ads_fluid +##.widget_evolve_ad_gpt_widget +##.widget_html_snippet_ad_widget +##.widget_ima_ads +##.widget_ione-dart-ad +##.widget_ipm_sidebar_ad +##.widget_island_ad +##.widget_joblo_complex_ad +##.widget_long_ads_widget +##.widget_newspack-ads-widget +##.widget_njads_single_widget +##.widget_openxwpwidget +##.widget_plugrush_widget +##.widget_pmc-ads-widget +##.widget_quads_ads_widget +##.widget_rdc_ad_widget +##.widget_sej_sidebar_ad +##.widget_sidebar_adrotate_tedo_single_widget +##.widget_sidebaradwidget +##.widget_singlead +##.widget_sponsored_content +##.widget_supermag_ad +##.widget_supernews_ad +##.widget_text_adsense +##.widget_themoneytizer_widget +##.widget_thesun_dfp_ad_widget +##.widget_tt_ads_widget +##.widget_viral_advertisement +##.widget_wp-bannerize-widget +##.widget_wp_ads_gpt_widget +##.widget_wp_insert_ad_widget +##.widget_wpex_advertisement +##.widget_wpstealthads_widget +##.widgetads +##.width-ad-slug +##.wikia-ad +##.wio-xbanner +##.worldplus-ad +##.wp-ads-target +##.wp-block-ad-slot +##.wp-block-gamurs-ad +##.wp-block-tpd-block-tpd-ads +##.wp125ad +##.wp125ad_2 +##.wp_bannerize +##.wp_bannerize_banner_box +##.wp_bannerize_container +##.wpadcenter-ad-container +##.wpadvert +##.wpd-advertisement +##.wpex-ads-widget +##.wppaszone +##.wpvqgr-a-d-s +##.wpx-bannerize +##.wpx_bannerize +##.wpx_bannerize_banner_box +##.wrap-ad +##.wrap-ads +##.wrap_boxad +##.wrapad +##.wrapper-ad +##.wrapper-header-ad-slot +##.wrapper_ad +##.wrapper_advertisement +##.wrapperad +##.ww_ads_banner_wrapper +##.xeiro-ads +##.xmlad +##.xpot-horizontal +##.y-ads +##.y-ads-wide +##.yaAds +##.yad-sponsored +##.yahooAd +##.yahooAds +##.yahoo_ad +##.yahoo_ads +##.yahooad +##.yahooads +##.yan-sponsored +##.ympb_target +##.zeus-ad +##.zeusAdWrapper +##.zeusAd__container +##.zmgad-full-width +##.zmgad-right-rail +##.zone-advertisement +##.zoneAds +##.zox-post-ad-wrap +##.zox-post-bot-ad +##.zox-widget-side-ad +##.zox_ad_widget +##.zox_adv_widget +##AD-SLOT +##DFP-AD +##[class^="adDisplay-module"] +##[class^="amp-ad-"] +##[class^="div-gpt-ad"] +##[data-ad-cls] +##[data-ad-name] +##[data-adbridg-ad-class] +##[data-adshim] +##[data-asg-ins] +##[data-block-type="ad"] +##[data-css-class="dfp-inarticle"] +##[data-d-ad-id] +##[data-desktop-ad-id] +##[data-dynamic-ads] +##[data-ez-name] +##[data-freestar-ad][id] +##[data-id^="div-gpt-ad"] +##[data-identity="adhesive-ad"] +##[data-m-ad-id] +##[data-mobile-ad-id] +##[data-name="adaptiveConstructorAd"] +##[data-rc-widget] +##[data-revive-zoneid] +##[data-role="tile-ads-module"] +##[data-template-type="nativead"] +##[data-testid="adBanner-wrapper"] +##[data-testid="ad_testID"] +##[data-testid="prism-ad-wrapper"] +##[data-type="ad-vertical"] +##[data-wpas-zoneid] +##[href="//sexcams.plus/"] +##[href="https://jdrucker.com/gold"] > img +##[href="https://masstortfinancing.com"] img +##[href="https://ourgoldguy.com/contact/"] img +##[href="https://www.masstortfinancing.com/"] > img +##[href^="http://clicks.totemcash.com/"] +##[href^="http://mypillow.com/"] > img +##[href^="http://www.mypillow.com/"] > img +##[href^="https://aads.com/campaigns/"] +##[href^="https://ad.admitad.com/"] +##[href^="https://ad1.adfarm1.adition.com/"] +##[href^="https://affiliate.fastcomet.com/"] > img +##[href^="https://antiagingbed.com/discount/"] > img +##[href^="https://ap.octopuspop.com/click/"] > img +##[href^="https://awbbjmp.com/"] +##[href^="https://charmingdatings.life/"] +##[href^="https://clicks.affstrack.com/"] > img +##[href^="https://cpa.10kfreesilver.com/"] +##[href^="https://glersakr.com/"] +##[href^="https://go.xlrdr.com"] +##[href^="https://ilovemyfreedoms.com/landing-"] +##[href^="https://istlnkcl.com/"] +##[href^="https://join.girlsoutwest.com/"] +##[href^="https://join.playboyplus.com/track/"] +##[href^="https://join3.bannedsextapes.com"] +##[href^="https://mylead.global/stl/"] > img +##[href^="https://mypatriotsupply.com/"] > img +##[href^="https://mypillow.com/"] > img +##[href^="https://mystore.com/"] > img +##[href^="https://noqreport.com/"] > img +##[href^="https://optimizedelite.com/"] > img +##[href^="https://rapidgator.net/article/premium/ref/"] +##[href^="https://shiftnetwork.infusionsoft.com/go/"] > img +##[href^="https://track.aftrk1.com/"] +##[href^="https://track.fiverr.com/visit/"] > img +##[href^="https://turtlebids.irauctions.com/"] img +##[href^="https://v.investologic.co.uk/"] +##[href^="https://wct.link/click?"] +##[href^="https://www.avantlink.com/click.php"] img +##[href^="https://www.brighteonstore.com/products/"] img +##[href^="https://www.cloudways.com/en/?id"] +##[href^="https://www.herbanomic.com/"] > img +##[href^="https://www.hostg.xyz/"] > img +##[href^="https://www.mypatriotsupply.com/"] > img +##[href^="https://www.mypillow.com/"] > img +##[href^="https://www.profitablegatecpm.com/"] +##[href^="https://www.restoro.com/"] +##[href^="https://www.targetingpartner.com/"] +##[href^="https://zone.gotrackier.com/"] +##[href^="https://zstacklife.com/"] img +##[id^="ad-wrap-"] +##[id^="ad_sky"] +##[id^="ad_slider"] +##[id^="section-ad-banner"] +##[name^="google_ads_iframe"] +##[onclick^="location.href='https://1337x.vpnonly.site/"] +##a-ad +##a[data-href^="http://ads.trafficjunky.net/"] +##a[data-url^="https://vulpix.bet/?ref="] +##a[href*=".adsrv.eacdn.com/"] +##a[href*=".engine.adglare.net/"] +##a[href*=".foxqck.com/"] +##a[href*=".g2afse.com/"] +##a[href*="//daichoho.com/"] +##a[href*="//jjgirls.com/sex/Chaturbate"] +##a[href*="/jump/next.php?r="] +##a[href^=" https://www.friendlyduck.com/AF_"] +##a[href^="//ejitsirdosha.net/"] +##a[href^="//go.eabids.com/"] +##a[href^="//s.st1net.com/splash.php"] +##a[href^="//s.zlinkd.com/"] +##a[href^="//startgaming.net/tienda/" i] +##a[href^="//stighoazon.com/"] +##a[href^="http://adultfriendfinder.com/go/"] +##a[href^="http://annulmentequitycereals.com/"] +##a[href^="http://avthelkp.net/"] +##a[href^="http://bongacams.com/track?"] +##a[href^="http://cam4com.go2cloud.org/aff_c?"] +##a[href^="http://coefficienttolerategravel.com/"] +##a[href^="http://com-1.pro/"] +##a[href^="http://deskfrontfreely.com/"] +##a[href^="http://dragfault.com/"] +##a[href^="http://dragnag.com/"] +##a[href^="http://eighteenderived.com/"] +##a[href^="http://eslp34af.click/"] +##a[href^="http://guestblackmail.com/"] +##a[href^="http://handgripvegetationhols.com/"] +##a[href^="http://li.blogtrottr.com/click?"] +##a[href^="http://muzzlematrix.com/"] +##a[href^="http://naggingirresponsible.com/"] +##a[href^="http://partners.etoro.com/"] +##a[href^="http://premonitioninventdisagree.com/"] +##a[href^="http://revolvemockerycopper.com/"] +##a[href^="http://sarcasmadvisor.com/"] +##a[href^="http://stickingrepute.com/"] +##a[href^="http://tc.tradetracker.net/"] > img +##a[href^="http://trk.globwo.online/"] +##a[href^="http://troopsassistedstupidity.com/"] +##a[href^="http://vnte9urn.click/"] +##a[href^="http://www.adultempire.com/unlimited/promo?"][href*="&partner_id="] +##a[href^="http://www.friendlyduck.com/AF_"] +##a[href^="http://www.h4trck.com/"] +##a[href^="http://www.iyalc.com/"] +##a[href^="https://123-stream.org/"] +##a[href^="https://1betandgonow.com/"] +##a[href^="https://6-partner.com/"] +##a[href^="https://81ac.xyz/"] +##a[href^="https://a-ads.com/"] +##a[href^="https://a.adtng.com/"] +##a[href^="https://a.bestcontentfood.top/"] +##a[href^="https://a.bestcontentoperation.top/"] +##a[href^="https://a.bestcontentweb.top/"] +##a[href^="https://a.candyai.love/"] +##a[href^="https://a.medfoodhome.com/"] +##a[href^="https://a.medfoodsafety.com/"] +##a[href^="https://a2.adform.net/"] +##a[href^="https://ab.advertiserurl.com/aff/"] +##a[href^="https://activate-game.com/"] +##a[href^="https://ad.doubleclick.net/"] +##a[href^="https://ad.zanox.com/ppc/"] > img +##a[href^="https://adclick.g.doubleclick.net/"] +##a[href^="https://ads.betfair.com/redirect.aspx?"] +##a[href^="https://ads.leovegas.com/"] +##a[href^="https://ads.planetwin365affiliate.com/"] +##a[href^="https://adultfriendfinder.com/go/"] +##a[href^="https://ak.hauchiwu.com/"] +##a[href^="https://ak.oalsauwy.net/"] +##a[href^="https://ak.psaltauw.net/"] +##a[href^="https://ak.stikroltiltoowi.net/"] +##a[href^="https://allhost.shop/aff.php?"] +##a[href^="https://auesk.cfd/"] +##a[href^="https://ausoafab.net/"] +##a[href^="https://aweptjmp.com/"] +##a[href^="https://awptjmp.com/"] +##a[href^="https://baipahanoop.net/"] +##a[href^="https://banners.livepartners.com/"] +##a[href^="https://bc.game/"] +##a[href^="https://black77854.com/"] +##a[href^="https://bngprm.com/"] +##a[href^="https://bngpt.com/"] +##a[href^="https://bodelen.com/"] +##a[href^="https://bongacams10.com/track?"] +##a[href^="https://bongacams2.com/track?"] +##a[href^="https://bs.serving-sys.com"] +##a[href^="https://cam4com.go2cloud.org/"] +##a[href^="https://camfapr.com/landing/click/"] +##a[href^="https://cams.imagetwist.com/in/?track="] +##a[href^="https://chaturbate.com/in/?"] +##a[href^="https://chaturbate.jjgirls.com/?track="] +##a[href^="https://claring-loccelkin.com/"] +##a[href^="https://click.candyoffers.com/"] +##a[href^="https://click.dtiserv2.com/"] +##a[href^="https://click.hoolig.app/"] +##a[href^="https://click.linksynergy.com/fs-bin/"] > img +##a[href^="https://clickadilla.com/"] +##a[href^="https://clickins.slixa.com/"] +##a[href^="https://clicks.pipaffiliates.com/"] +##a[href^="https://clixtrac.com/"] +##a[href^="https://combodef.com/"] +##a[href^="https://ctjdwm.com/"] +##a[href^="https://ctosrd.com/"] +##a[href^="https://ctrdwm.com/"] +##a[href^="https://datewhisper.life/"] +##a[href^="https://disobediencecalculatormaiden.com/"] +##a[href^="https://dl-protect.net/"] +##a[href^="https://drumskilxoa.click/"] +##a[href^="https://eergortu.net/"] +##a[href^="https://engine.blueistheneworanges.com/"] +##a[href^="https://engine.flixtrial.com/"] +##a[href^="https://engine.phn.doublepimp.com/"] +##a[href^="https://explore-site.com/"] +##a[href^="https://fc.lc/ref/"] +##a[href^="https://financeads.net/tc.php?"] +##a[href^="https://gamingadlt.com/?offer="] +##a[href^="https://get-link.xyz/"] +##a[href^="https://getmatchedlocally.com/"] +##a[href^="https://getvideoz.click/"] +##a[href^="https://gml-grp.com/"] +##a[href^="https://go.admjmp.com"] +##a[href^="https://go.bbrdbr.com"] +##a[href^="https://go.bushheel.com/"] +##a[href^="https://go.cmtaffiliates.com/"] +##a[href^="https://go.dmzjmp.com"] +##a[href^="https://go.etoro.com/"] > img +##a[href^="https://go.goaserv.com/"] +##a[href^="https://go.grinsbest.com/"] +##a[href^="https://go.hpyjmp.com"] +##a[href^="https://go.hpyrdr.com/"] +##a[href^="https://go.markets.com/visit/?bta="] +##a[href^="https://go.mnaspm.com/"] +##a[href^="https://go.rmhfrtnd.com/"] +##a[href^="https://go.skinstrip.net"][href*="?campaignId="] +##a[href^="https://go.strpjmp.com/"] +##a[href^="https://go.tmrjmp.com"] +##a[href^="https://go.trackitalltheway.com/"] +##a[href^="https://go.xlirdr.com"] +##a[href^="https://go.xlivrdr.com"] +##a[href^="https://go.xlviiirdr.com"] +##a[href^="https://go.xlviirdr.com"] +##a[href^="https://go.xlvirdr.com"] +##a[href^="https://go.xtbaffiliates.com/"] +##a[href^="https://go.xxxiijmp.com"] +##a[href^="https://go.xxxijmp.com"] +##a[href^="https://go.xxxjmp.com"] +##a[href^="https://go.xxxvjmp.com/"] +##a[href^="https://golinks.work/"] +##a[href^="https://helmethomicidal.com/"] +##a[href^="https://hot-growngames.life/"] +##a[href^="https://in.rabbtrk.com/"] +##a[href^="https://intenseaffiliates.com/redirect/"] +##a[href^="https://iqbroker.com/"][href*="?aff="] +##a[href^="https://ismlks.com/"] +##a[href^="https://italarizege.xyz/"] +##a[href^="https://itubego.com/video-downloader/?affid="] +##a[href^="https://jaxofuna.com/"] +##a[href^="https://join.dreamsexworld.com/"] +##a[href^="https://join.sexworld3d.com/track/"] +##a[href^="https://join.virtuallust3d.com/"] +##a[href^="https://join.virtualtaboo.com/track/"] +##a[href^="https://juicyads.in/"] +##a[href^="https://kiksajex.com/"] +##a[href^="https://l.hyenadata.com/"] +##a[href^="https://land.brazzersnetwork.com/landing/"] +##a[href^="https://landing.brazzersnetwork.com/"] +##a[href^="https://lead1.pl/"] +##a[href^="https://lijavaxa.com/"] +##a[href^="https://lnkxt.bannerator.com/"] +##a[href^="https://lobimax.com/"] +##a[href^="https://loboclick.com/"] +##a[href^="https://lone-pack.com/"] +##a[href^="https://losingoldfry.com/"] +##a[href^="https://m.do.co/c/"] > img +##a[href^="https://maymooth-stopic.com/"] +##a[href^="https://mediaserver.entainpartners.com/renderBanner.do?"] +##a[href^="https://mediaserver.gvcaffiliates.com/renderBanner.do?"] +##a[href^="https://mmwebhandler.aff-online.com/"] +##a[href^="https://myclick-2.com/"] +##a[href^="https://natour.naughtyamerica.com/track/"] +##a[href^="https://ndt5.net/"] +##a[href^="https://ngineet.cfd/"] +##a[href^="https://offhandpump.com/"] +##a[href^="https://osfultrbriolenai.info/"] +##a[href^="https://pb-front.com/"] +##a[href^="https://pb-imc.com/"] +##a[href^="https://pb-track.com/"] +##a[href^="https://play1ad.shop/"] +##a[href^="https://playnano.online/offerwalls/?ref="] +##a[href^="https://porntubemate.com/"] +##a[href^="https://postback1win.com/"] +##a[href^="https://prf.hn/click/"][href*="/adref:"] > img +##a[href^="https://prf.hn/click/"][href*="/camref:"] > img +##a[href^="https://prf.hn/click/"][href*="/creativeref:"] > img +##a[href^="https://pubads.g.doubleclick.net/"] +##a[href^="https://quotationfirearmrevision.com/"] +##a[href^="https://random-affiliate.atimaze.com/"] +##a[href^="https://rixofa.com/"] +##a[href^="https://s.cant3am.com/"] +##a[href^="https://s.deltraff.com/"] +##a[href^="https://s.ma3ion.com/"] +##a[href^="https://s.optzsrv.com/"] +##a[href^="https://s.zlink3.com/"] +##a[href^="https://s.zlinkd.com/"] +##a[href^="https://serve.awmdelivery.com/"] +##a[href^="https://service.bv-aff-trx.com/"] +##a[href^="https://sexynearme.com/"] +##a[href^="https://slkmis.com/"] +##a[href^="https://snowdayonline.xyz/"] +##a[href^="https://softwa.cfd/"] +##a[href^="https://startgaming.net/tienda/" i] +##a[href^="https://static.fleshlight.com/images/banners/"] +##a[href^="https://streamate.com/landing/click/"] +##a[href^="https://svb-analytics.trackerrr.com/"] +##a[href^="https://syndicate.contentsserved.com/"] +##a[href^="https://syndication.dynsrvtbg.com/"] +##a[href^="https://syndication.exoclick.com/"] +##a[href^="https://syndication.optimizesrv.com/"] +##a[href^="https://t.acam.link/"] +##a[href^="https://t.adating.link/"] +##a[href^="https://t.ajrkm1.com/"] +##a[href^="https://t.ajrkm3.com/"] +##a[href^="https://t.ajump1.com/"] +##a[href^="https://t.aslnk.link/"] +##a[href^="https://t.hrtye.com/"] +##a[href^="https://tatrck.com/"] +##a[href^="https://tc.tradetracker.net/"] > img +##a[href^="https://tm-offers.gamingadult.com/"] +##a[href^="https://tour.mrskin.com/"] +##a[href^="https://track.1234sd123.com/"] +##a[href^="https://track.adform.net/"] +##a[href^="https://track.afcpatrk.com/"] +##a[href^="https://track.aftrk3.com/"] +##a[href^="https://track.totalav.com/"] +##a[href^="https://track.wg-aff.com"] +##a[href^="https://tracker.loropartners.com/"] +##a[href^="https://tracking.avapartner.com/"] +##a[href^="https://traffdaq.com/"] +##a[href^="https://trk.nfl-online-streams.club/"] +##a[href^="https://trk.softonixs.xyz/"] +##a[href^="https://turnstileunavailablesite.com/"] +##a[href^="https://twinrdsrv.com/"] +##a[href^="https://upsups.click/"] +##a[href^="https://vo2.qrlsx.com/"] +##a[href^="https://voluum.prom-xcams.com/"] +##a[href^="https://witnessjacket.com/"] +##a[href^="https://www.adskeeper.com"] +##a[href^="https://www.adultempire.com/"][href*="?partner_id="] +##a[href^="https://www.adxsrve.com/"] +##a[href^="https://www.bang.com/?aff="] +##a[href^="https://www.bet365.com/"][href*="affiliate="] +##a[href^="https://www.brazzersnetwork.com/landing/"] +##a[href^="https://www.dating-finder.com/?ai_d="] +##a[href^="https://www.dating-finder.com/signup/?ai_d="] +##a[href^="https://www.dql2clk.com/"] +##a[href^="https://www.endorico.com/Smartlink/"] +##a[href^="https://www.financeads.net/tc.php?"] +##a[href^="https://www.friendlyduck.com/AF_"] +##a[href^="https://www.geekbuying.com/dynamic-ads/"] +##a[href^="https://www.googleadservices.com/pagead/aclk?"] > img +##a[href^="https://www.highcpmrevenuenetwork.com/"] +##a[href^="https://www.highperformancecpmgate.com/"] +##a[href^="https://www.infowarsstore.com/"] > img +##a[href^="https://www.liquidfire.mobi/"] +##a[href^="https://www.mrskin.com/account/"] +##a[href^="https://www.mrskin.com/tour"] +##a[href^="https://www.nutaku.net/signup/landing/"] +##a[href^="https://www.onlineusershielder.com/"] +##a[href^="https://www.sheetmusicplus.com/"][href*="?aff_id="] +##a[href^="https://www.toprevenuegate.com/"] +##a[href^="https://www8.smartadserver.com/"] +##a[href^="https://xbet-4.com/"] +##a[href^="https://zirdough.net/"] +##a[style="width:100%;height:100%;z-index:10000000000000000;position:absolute;top:0;left:0;"] +##ad-shield-ads +##ad-slot +##app-ad +##app-advertisement +##app-large-ad +##ark-top-ad +##aside[id^="adrotate_widgets-"] +##atf-ad-slot +##bottomadblock +##display-ad-component +##display-ads +##div[aria-label="Ads"] +##div[class^="Adstyled__AdWrapper-"] +##div[data-ad-placeholder] +##div[data-ad-targeting] +##div[data-ad-wrapper] +##div[data-adname] +##div[data-adunit-path] +##div[data-adunit] +##div[data-adzone] +##div[data-alias="300x250 Ad 1"] +##div[data-alias="300x250 Ad 2"] +##div[data-contentexchange-widget] +##div[data-dfp-id] +##div[data-id-advertdfpconf] +##div[id^="ad-div-"] +##div[id^="ad-position-"] +##div[id^="ad_position_"] +##div[id^="adngin-"] +##div[id^="adrotate_widgets-"] +##div[id^="adspot-"] +##div[id^="crt-"][style] +##div[id^="dfp-ad-"] +##div[id^="div-ads-"] +##div[id^="ezoic-pub-ad-"] +##div[id^="google_dfp_"] +##div[id^="gpt_ad_"] +##div[id^="lazyad-"] +##div[id^="optidigital-adslot"] +##div[id^="rc-widget-"] +##div[id^="st"][style^="z-index: 999999999;"] +##div[id^="sticky_ad_"] +##div[id^="vuukle-ad-"] +##gpt-ad +##guj-ad +##hl-adsense +##img[src^="https://images.purevpnaffiliates.com"] +##ps-connatix-module +##span[data-ez-ph-id] +##span[id^="ezoic-pub-ad-placeholder-"] +##topadblock +##zeus-ad +! baits +##.Ad-Container:not(.adsbygoogle) +##.ad-area:not(.text-ad) +##.ad-placeholder:not(#filter_ads_by_classname):not(#detect_ad_empire):not(#detect):not(.adsbox) +##.ad-slot:not(.adsbox):not(.adsbygoogle) +##.sidebar-ad:not(.adsbygoogle) +##[data-ad-manager-id]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-ad-module]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-ad-width]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-adblockkey]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(html):not(.adsbygoogle) +##[data-advadstrackid]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[id^="div-gpt-ad"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]):not([style="pointer-events: none; height: 1px; width: 0px; opacity: 0; visibility: hidden; position: fixed; bottom: 0px;"]) +##div[id^="div-gpt-"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]):not([style="pointer-events: none; height: 1px; width: 0px; opacity: 0; visibility: hidden; position: fixed; bottom: 0px;"]) +! https://musicalartifacts.com/ https://ww25.spinningrats.online/ +! Parked domains +###target.pk-page-ready #pk-status-message +! sellwild-loader +###sellwild-loader +! fansided. mentalfloss.com,netflixlife.com,winteriscoming.net,ipreferreading.com +##.ad_1tdq7q5 +##.style_k8mr7b-o_O-style_uhlm2 +! 247slots.org/247checkers.com/247backgammon.org/247hearts.com etc +##.aspace-300x169 +##.aspace-300x250 +! actvid.com,f2movies.to,fmovies.ink,fmovies.ps,fmoviesto.cc,himovies.to,movies2watch.tv,moviesjoy.to,soap2day.rs +###hgiks-middle +###hgiks-top +! flashscore.co.uk,soccer24.com,flashscore.it +##.boxOverContent__banner +! https://publicwww.com/websites/%22happy-under-player%22/ +##.happy-under-player +! https://github.com/easylist/easylist/pull/16654 +##.mntl-leaderboard-header +##.mntl-leaderboard-spacer +! shopee.cl,shopee.cn,shopee.co.id,shopee.co.th.. https://github.com/easylist/easylist/pull/16659 +##.shopee-search-user-brief +! Ads for parked domains https://github.com/easylist/easylist/commit/f96a71b82c +##a[href*="&maxads="] +##a[href*=".cfm?domain="][href*="&fp="] +! CitrusAd +##.CitrusBannerWrapper--enollj +##[class^="tile-picker__CitrusBannerContainer-sc-"] +##citrus-ad-wrapper +! realclear +##.RC-AD +##.RC-AD-BOX-BOTTOM +##.RC-AD-BOX-MIDDLE +##.RC-AD-BOX-TOP +##.RC-AD-TOP-BANNER +! element specific +##ins.adsbygoogle[data-ad-client] +##ins.adsbygoogle[data-ad-slot] +! (NSFW) club-rileyreid.com,clubmiamalkova.com,lanarhoades.mypornstarblogs.com +###mgb-container > #mgb +! https://github.com/easylist/easylist/pull/11962 +###kt_player > a[target="_blank"] +###kt_player > div[style$="display: block;"][style*="inset: 0px;"] +! Slashdot "Deals" (covers web/ipfs/onion) +###slashboxes > .deals-rail +##.scroll-fixable.rail-right > .deals-rail +! dailypost.co.uk/dailystar.co.uk https://github.com/easylist/easylist/issues/9657 +##.click-track.partner +##.click-track.shop-window-affiliate +! local12.com/bakersfieldnow.com/katv.com +##.index-module_adBeforeContent__UYZT +##.interstory_first_mobile +##.interstory_second_mobile +! Gannett https://github.com/easylist/easylist/issues/13015 +###gnt_atomsnc +###gpt-dynamic_native_article_4 +###gpt-high_impact +###gpt-poster +##.gnt_em_vp__tavp +##.gnt_em_vp_c[data-g-s="vp_dk"] +##.gnt_flp +##.gnt_rr_xpst +##.gnt_rr_xst +##.gnt_tb.gnt_tbb +##.gnt_tbr.gnt_tb +##.gnt_x +##.gnt_x__lbl +##.gnt_xmst +! people.com/ seriouseats.com +##.mntl-jwplayer-broad.article__broad-video-jw +! (invideo advertising) +###Player_Playoncontent +###Player_Playoncontent_footer +###aniview--player +###cmg-video-player-placeholder +###jwplayer-container-div +###jwplayer_contextual_player_div +###kargo-player +###mm-player-placeholder-large-screen +###mplayer-embed +###primis-holder +###primis_intext +###vidazoo-player +##.GRVPrimisVideo +##.GRVVideo +##.ac-lre-desktop +##.ac-lre-player-ph +##.ac-lre-wrapper +##.ad-container--hot-video +##.ae-player__itv +##.ami-video-wrapper +##.ampexcoVideoPlayer +##.aniview-inline-player +##.anyClipWrapper +##.aplvideo +##.article-connatix-wrap +##.article-detail-ad +##.avp-p-wrapper +##.ck-anyclips +##.ck-anyclips-article +##.exco-container +##.ez-sidebar-wall-ad +##.ez-video-wrap +##.htl-inarticle-container +##.js-widget-distroscale +##.js-widget-send-to-news +##.jwPlayer--floatingContainer +##.legion_primiswrapper +##.mm-embed--sendtonews +##.mm-widget--sendtonews +##.nts-video-wrapper +##.oovvuu-embed-player +##.playwire-article-leaderboard-ad +##.pmc-contextual-player +##.pop-out-eplayer-container +##.popup-box-ads +##.primis-ad +##.primis-ad-wrap +##.primis-custom +##.primis-player +##.primis-player__container +##.primis-video-player +##.primis_1 +##.s2nContainer +##.send-to-news +##.van_vid_carousel +##.video--container--aniview +##.vidible-wrapper +##.wps-player-wrap +##[class^="s2nPlayer"] +! hianime.to +##.pizza-x.pizza +##.pizza-y.pizza +! Ad widgets +##.BeOpWidget +! VPN Affiliate Banners +##a[href^="https://billing.purevpn.com/aff.php"] > img +##a[href^="https://fastestvpn.com/lifetime-special-deal?a_aid="] +##a[href^="https://get.surfshark.net/aff_c?"][href*="&aff_id="] > img +##a[href^="https://go.nordvpn.net/aff"] > img +##a[href^="https://torguard.net/aff.php"] > img +##a[href^="https://track.ultravpn.com/"] +##a[href^="https://www.get-express-vpn.com/offer/"] +##a[href^="https://www.goldenfrog.com/vyprvpn?offer_id="][href*="&aff_id="] +##a[href^="https://www.privateinternetaccess.com/"] > img +##a[href^="https://www.purevpn.com/"][href*="&utm_source=aff-"] +! areanews.com.au,armidaleexpress.com.au,avonadvocate.com.au,batemansbaypost.com.au +##.grid > .container > #aside-promotion +! revcontent +##.default_rc_theme +##.inf-onclickvideo-adbox +##.inf-onclickvideo-container +! internetradiouk.com / jamaicaradio.net / onlineradios.in etc +##.add-box-side +##.add-box-top +! https://github.com/easylist/easylist/issues/3902 +##.partner-loading-shown.partner-label +! Mgid +##div[id*="MarketGid"] +##div[id*="ScriptRoot"] +! ezoic +###ezmob_footer +! Adreclaim +##.rec-sponsored +##.rec_article_footer +##.rec_article_right +##.rec_container__right +##.rec_container_footer +##.rec_container_right +##.rec_title_footer +##[onclick*="content.ad/"] +! ampproject +##.amp-ad +##.amp-ad-container +##.amp-ad__wrapper +##.amp-ads +##.amp-ads-container +##.amp-adv-container +##.amp-adv-wrapper +##.amp-article-ad-element +##.amp-flying-carpet-text-border +##.amp-sticky-ad-custom +##.amp-sticky-ads +##.amp-unresolved +##.amp_ad_1 +##.amp_ad_header +##.amp_ad_wrapper +##.ampad +##.ct_ampad +##.spotim-amp-list-ad +##AMP-AD +##amp-ad +##amp-ad-custom +##amp-connatix-player +##amp-fx-flying-carpet +! Generic mobile element +###mobile-swipe-banner +! Sinclair Broadcast Group (ktul.com/komonews.com/kfdm.com/wjla.com/etc.) +###banner_pos1_ddb_0 +###banner_pos2_ddb_0 +###banner_pos3_ddb_0 +###banner_pos4_ddb_0 +###ddb_fluid_native_ddb_0 +###premium_ddb_0 +###rightrail_bottom_ddb_0 +###rightrail_pos1_ddb_0 +###rightrail_pos2_ddb_0 +###rightrail_pos3_ddb_0 +###rightrail_top_ddb_0 +###story_bottom_ddb_0 +###story_bottom_ddb_1 +###story_top_ddb_0 +##.index-module_adBeforeContent__AMXn +##.index-module_rightrailBottom__IJEl +##.index-module_rightrailTop__mag4 +##.index-module_sd_background__Um4w +##.premium_PremiumPlacement__2dEp0 +! In video div +###ultimedia_wrapper +! In advert promo +##.brandpost_inarticle +! Sedo +##.container-content__container-relatedlinks +! PubExchange +###pubexchange_below_content +##.pubexchange_module +! Outbrain +###around-the-web +###g-outbrain +###js-outbrain-ads-module +###js-outbrain-module +###js-outbrain-relateds +###outbrain +###outbrain-id +###outbrain-section +###outbrain-wrapper +###outbrain1 +###outbrainAdWrapper +###outbrainWidget +###outbrain_widget_0 +##.ArticleFooter-outbrain +##.ArticleOutbrainLocal +##.OUTBRAIN +##.Outbrain +##.adv_outbrain +##.article_OutbrainContent +##.box-outbrain +##.c2_outbrain +##.component-outbrain +##.js-outbrain-container +##.mid-outbrain +##.ob-p.ob-dynamic-rec-container +##.ob-smartfeed-wrapper +##.ob-widget-header +##.outBrainWrapper +##.outbrain +##.outbrain-ad-slot +##.outbrain-ad-units +##.outbrain-ads +##.outbrain-bg +##.outbrain-bloc +##.outbrain-content +##.outbrain-group +##.outbrain-module +##.outbrain-placeholder +##.outbrain-recommended +##.outbrain-reserved-space +##.outbrain-single-bottom +##.outbrain-widget +##.outbrain-wrap +##.outbrain-wrapper +##.outbrain-wrapper-container +##.outbrain-wrapper-outer +##.outbrainAdHeight +##.outbrainWidget +##.outbrain__main +##.outbrain_container +##.outbrain_skybox +##.outbrainad +##.outbrainbox +##.promoted-outbrain +##.responsive-ad-outbrain +##.sics-component__outbrain +##.sidebar-outbrain +##.single__outbrain +##.voc-ob-wrapper +##.widget_outbrain +##.widget_outbrain_widget +##a[data-oburl^="https://paid.outbrain.com/network/redir?"] +##a[data-redirect^="https://paid.outbrain.com/network/redir?"] +##a[href^="https://paid.outbrain.com/network/redir?"] +##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] +##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] + .ob_source +! Taboola +###block-boxes-taboola +###block-taboolablock +###component-taboola-below-article-feed +###component-taboola-below-article-feed-2 +###component-taboola-below-homepage-feed +###js-Taboola-Container-0 +###moduleTaboolaRightRail +###original_taboola +###possible_taboola +###taboola +###taboola-above-homepage-thumbnails +###taboola-ad +###taboola-adverts +###taboola-below +###taboola-below-article-1 +###taboola-below-article-thumbnails +###taboola-below-article-thumbnails-2 +###taboola-below-article-thumbnails-express +###taboola-below-article-thumbnails-mg +###taboola-below-article-thumbnails-photo +###taboola-below-article-thumbnails-v2 +###taboola-below-disco-board +###taboola-below-forum-thumbnails +###taboola-below-homepage-thumbnails-2 +###taboola-below-homepage-thumbnails-3 +###taboola-below-main-column +###taboola-belowarticle +###taboola-bottom +###taboola-bottom-main-column +###taboola-div +###taboola-homepage-thumbnails +###taboola-homepage-thumbnails-desktop +###taboola-horizontal-toolbar +###taboola-in-feed-thumbnails +###taboola-mid-article-thumbnails +###taboola-mid-article-thumbnails-ii +###taboola-mid-main-column-thumbnails +###taboola-mobile-article-thumbnails +###taboola-native-right-rail-thumbnails +###taboola-placeholder +###taboola-right-rail +###taboola-right-rail-express +###taboola-right-rail-text-right +###taboola-right-rail-thumbnails +###taboola-right-rail-thumbnails-2nd +###taboola-text-2-columns-mix +###taboola-vid-container +###taboola-widget-wrapper +###taboola_bottom +###taboola_responsive_wrapper +###taboola_side +###taboola_wrapper +##.article-taboola +##.divider-taboola +##.grid__module-sizer_name_taboola +##.js-taboola +##.m-article-taboola +##.mc-column-Taboola +##.nya-slot[style] +##.slottaboola +##.taboola +##.taboola-above-article +##.taboola-above-article-thumbnails +##.taboola-ad +##.taboola-banner +##.taboola-block +##.taboola-bottom-adunit +##.taboola-container +##.taboola-frame +##.taboola-general +##.taboola-in-plug-wrap +##.taboola-inbetweener +##.taboola-item +##.taboola-like-block +##.taboola-module +##.taboola-recommends +##.taboola-sidebar +##.taboola-sidebar-container +##.taboola-skip-wrapper +##.taboola-thumbnails-container +##.taboola-vertical +##.taboola-widget +##.taboola-wrapper +##.taboolaArticle +##.taboolaDiv +##.taboolaHeight +##.taboola__container +##.taboola_blk +##.taboola_body_ad +##.taboola_container +##.taboola_lhs +##.taboola_module +##.taboolaloader +##.trb_taboola +##.trc-first-recommendation +##.trc-spotlight-first-recommendation +##.trc_excludable +##.trc_rbox +##.trc_rbox_border_elm +##.trc_rbox_div +##.trc_related_container +##.trc_spotlight_item +##.van_taboola +##.widget_taboola +##[data-taboola-options] +##[data-testid="commercial-label-taboola"] +##[data-testid^="taboola-"] +##amp-embed[type="taboola"] +##div[id^="taboola-stream-"] +! Zergnet +##.ZERGNET +##.module-zerg +##.sidebar-zergnet +##.zerg-widget +##.zerg-widgets +##.zergnet +##.zergnet-holder +##.zergnet-row +##.zergnet-unit +##.zergnet-widget +##.zergnet-widget-container +##.zergnet-widget__header +##.zergnet-widget__subtitle +##.zergnet__container +##div[id^="zergnet-widget"] +! *** easylist:easylist/easylist_allowlist_general_hide.txt *** +dez.ro#@##ad-carousel +so-net.ne.jp#@##ad-p3 +53.com#@##ad-rotator +techymedies.com#@##ad-top +afterdawn.com,download.fi,edukas.fi#@##ad-top-banner-placeholder +ufoevidence.org#@##ad-wrapper +sdf-event.sakura.ne.jp#@##ad_1 +sdf-event.sakura.ne.jp#@##ad_2 +sdf-event.sakura.ne.jp#@##ad_3 +sdf-event.sakura.ne.jp#@##ad_4 +mediafire.com#@##ad_banner +drc1bk94f7rq8.cloudfront.net#@##ad_link +streetinsider.com#@##ad_space +adtunes.com#@##ad_thread_first_post_content +aga-clinic-experience.jp#@##ad_top +linuxtracker.org#@##adbar +kingcard.com.tw#@##adbox +gifmagic.com,lalovings.com#@##adcontainer +about.com#@##adcontainer1 +guloggratis.dk#@##adcontent +ads.nipr.ac.jp#@##ads-header +miuithemers.com#@##ads-left +ads.nipr.ac.jp#@##ads-menu +finvtech.com,herstage.com,sportynew.com,travel13.com#@##ads-wrapper +mafagames.com,telkomsel.com#@##adsContainer +video.tv-tokyo.co.jp,zeirishi-web.com#@##adspace +globalsecurity.org#@##adtop +ewybory.eu#@##adv-text +basinnow.com,e-jpccs.jp,oxfordlearnersdictionaries.com#@##advertise +fcbarcelona.dk#@##article_ad +catb.org#@##banner-ad +hifi-forsale.co.uk#@##centerads +wsj.com#@##footer-ads +deepgoretube.site#@##fwdevpDiv0 +developers.google.com#@##google-ads +plaza.rakuten.co.jp#@##headerAd +airplaydirect.com,zeirishi-web.com#@##header_ad +665.jp#@##leftad +tei-c.org#@##msad +cnn.com#@##outbrain_widget_0 +suntory.co.jp#@##page_ad +box10.com#@##prerollAd +spjai.com#@##related_ads +eva.vn#@##right_ads +665.jp,e-jpccs.jp#@##rightad +39.benesse.ne.jp,techeyesonline.com#@##side-ad +lexicanum.com#@##sidebar-ad +mars.video#@##stickyads +jansatta.com#@##taboola-below-article-1 +azclick.jp,tubefilter.com#@##topAd +soundandvision.com,stereophile.com#@##topbannerad +gamingcools.com#@#.Adsense +m.motonet.fi#@#.ProductAd +flightview.com#@#.ad-160-600 +job.inshokuten.com,kurukura.jp#@#.ad-area +kincho.co.jp,niji-gazo.com#@#.ad-block +ikkaku.net#@#.ad-bottom +job.inshokuten.com,sexgr.net,webbtelescope.org,websaver.ca#@#.ad-box:not(#ad-banner):not(:empty) +dbook.docomo.ne.jp,dmagazine.docomo.ne.jp#@#.ad-button +livedoorblogstyle.jp#@#.ad-center +newegg.com#@#.ad-click +backcar.fr,encuentra24.com,flat-ads.com,job.inshokuten.com#@#.ad-content +dbook.docomo.ne.jp,dmagazine.docomo.ne.jp#@#.ad-cover +xda-developers.com#@#.ad-current +wallpapers.com#@#.ad-enabled +nolotiro.org#@#.ad-hero +wallpapers.com#@#.ad-holder +transparencyreport.google.com#@#.ad-icon +flat-ads.com,lastpass.com#@#.ad-img +docomo.ne.jp#@#.ad-label +guloggratis.dk#@#.ad-links +so-net.ne.jp#@#.ad-notice +so-net.ne.jp#@#.ad-outside +letroso.com#@#.ad-padding +nicoad.nicovideo.jp#@#.ad-point +tapahtumat.iijokiseutu.fi,tapahtumat.kaleva.fi,tapahtumat.koillissanomat.fi,tapahtumat.lapinkansa.fi,tapahtumat.pyhajokiseutu.fi,tapahtumat.raahenseutu.fi,tapahtumat.rantalakeus.fi,tapahtumat.siikajokilaakso.fi#@#.ad-popup +hulu.com#@#.ad-root +honor.com#@#.ad-section +wiki.fextralife.com#@#.ad-sidebar +wegotads.co.za#@#.ad-source +alliedwindow.com,isewanferry.co.jp,jreu-h.jp,junkmail.co.za,nexco-hoken.co.jp,version2.dk#@#.ad-text +job.inshokuten.com#@#.ad-title +videosalon.jp#@#.ad-widget +honor.com#@#.ad-wrap:not(#google_ads_iframe_checktag) +lifeinvader.com,marginalreport.net,spanishdict.com,studentski-servis.com#@#.ad-wrapper +xda-developers.com#@#.ad-zone +xda-developers.com#@#.ad-zone-container +wordparts.ru#@#.ad336 +leffatykki.com#@#.ad728x90 +cw.com.tw#@#.adActive +thoughtcatalog.com#@#.adChoicesLogo +dailymail.co.uk,namesecure.com#@#.adHolder +ikkaku.net#@#.adImg +hdfcbank.com#@#.adLink +seznam.cz#@#.adMiddle +aggeliestanea.gr,infotel.ca#@#.adResult +macys.com,news24.jp#@#.adText +clien.net,mediafire.com#@#.ad_banner +interior-hirade.co.jp#@#.ad_bg +sozai-good.com#@#.ad_block +panarmenian.net#@#.ad_body +jabank-tokushima.or.jp,joins.com,jtbc.co.kr#@#.ad_bottom +ienohikari.net#@#.ad_btn +m.nettiauto.com,m.nettikaravaani.com,m.nettikone.com,m.nettimoto.com,m.nettivaraosa.com,m.nettivene.com,nettimokki.com#@#.ad_caption +classy-online.jp,thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se#@#.ad_container +walkingclub.org.uk#@#.ad_div +admanager.line.biz#@#.ad_frame +modelhorseblab.com#@#.ad_global_header +myhouseabroad.com,njuskalo.hr,starbuy.sk.data10.websupport.sk#@#.ad_item +final-fantasy.cc#@#.ad_left +muzines.co.uk#@#.ad_main +jabank-tokushima.or.jp#@#.ad_middle +huffingtonpost.co.uk#@#.ad_spot +kpanews.co.kr#@#.ad_top +genshinimpactcalculator.com#@#.adban +weatherwx.com#@#.adbutton +boots.com#@#.adcard +mediance.com#@#.adcenter +indiatimes.com#@#.adhide +insomnia.gr,kingsinteriors.co.uk#@#.adlink +ascii.jp#@#.adrect +epawaweather.com#@#.adrow +gemini.yahoo.com#@#.ads +in.fo,moovitapp.com#@#.ads-banner +bdsmlr.com#@#.ads-container +happyend.life#@#.ads-core-placer +ads.nipr.ac.jp,burzahrane.hr#@#.ads-header +heatware.com#@#.ads-image +t3.com#@#.ads-inline +miuithemers.com#@#.ads-left +hatenacorp.jp,milf300.com#@#.ads-link +forbes.com#@#.ads-loaded +fireload.com#@#.ads-mobile +fuse-box.info#@#.ads-row +juicesky.com#@#.ads-title +mastersclub.jp#@#.ads.widget +getwallpapers.com,wallpaperaccess.com,wallpapercosmos.com,wallpaperset.com#@#.ads1 +jw.org#@#.adsBlock +cars.mitula.ae#@#.adsList +bilinovel.com#@#.ads_ad_box +trustnet.com#@#.ads_right +search.conduit.com#@#.ads_wrapper +alluc.org#@#.adsbottombox +copart.com#@#.adscontainer +starbike.com#@#.adsense_wrapper +live365.com#@#.adshome +javbix.com#@#.adsleft +cutepdf-editor.com#@#.adtable +gigazine.net#@#.adtag +kmsv.jp#@#.adtitle +brandexperience-group.com#@#.adv-banner +dobro.systems#@#.adv-box +dobro.systems#@#.adv-list +dobro.systems#@#.advBox +yuik.net#@#.advads-widget +bigcommerce.com#@#.advert-container +labartt.com#@#.advert-detail +jamesedition.com#@#.advert2 +rupors.com#@#.advertSlider +browsershots.org#@#.advert_list +zalora.co.id,zalora.co.th,zalora.com.hk,zalora.com.my,zalora.com.ph,zalora.com.tw,zalora.sg#@#.advertisement-block +adquick.com,buyout.pro,news.com.au,zlinked.com#@#.advertiser +anobii.com#@#.advertisment +grist.org,ing.dk,version2.dk#@#.advertorial +stjornartidindi.is#@#.adverttext +videosalon.jp#@#.adwidget +staircase.pl#@#.adwords +consumerist.com#@#.after-post-ad +dailymail.co.uk,thisismoney.co.uk#@#.article-advert +deluxemusic.tv#@#.article_ad +adeam.com#@#.atf-wrapper +dr.dk#@#.banner-ad-container +popporn.com#@#.block-ad +shop.asobistore.jp#@#.block-sponsor +rspro.xyz#@#.body-top-ads +shanjinji.com#@#.bottom_ad +ixbtlabs.com#@#.bottom_ad_block +9l.pl#@#.boxAds +canonsupports.com#@#.box_ads +stuff.tv#@#.c-ad +thedigestweb.com#@#.c-ad-banner +rspro.xyz#@#.c-ads +deployhappiness.com,dmitrysotnikov.wordpress.com,faravirusi.com,freedom-shift.net,lovepanky.com,markekaizen.jp,netafull.net,photopoint.com.ua,posh-samples.com#@#.category-ad:not(html):not(body) +business-hack.net,clip.m-boso.net,iine-tachikawa.net,meihong.work#@#.category-ads:not(html):not(body) +studio55.fi#@#.column-ad +fontspace.com,skyrimcommands.com#@#.container-ads +verizonwireless.com#@#.contentAds +disk.yandex.by,disk.yandex.com,disk.yandex.kz,disk.yandex.ru,disk.yandex.uz,freevoipdeal.com,voipstunt.com,yadi.sk#@#.content_ads +adexchanger.com,gottabemobile.com,mrmoneymustache.com,thinkcomputers.org#@#.custom-ad +roomclip.jp#@#.display-ad +anime-japan.jp#@#.display_ad +humix.com#@#.ez-video-wrap +thestudentroom.co.uk#@#.fixed_ad +songlyrics.com#@#.footer-ad +634929.jp,d-hosyo.co.jp#@#.footer_ads +guloggratis.dk#@#.gallery-ad +davidsilverspares.co.uk#@#.greyAd +deep-edge.net,forums.digitalspy.com,marketwatch.com#@#.has-ad +si.com#@#.has-fixed-bottom-ad +naver.com#@#.head_ad +infosecurity-magazine.com#@#.header-ad-row +mobiili.fi#@#.header_ad +iedrc.org#@#.home-ad +tpc.googlesyndication.com#@#.img_ad +thelincolnite.co.uk#@#.inline-ad +elektro.info.pl,mashingup.jp#@#.is-sponsored +gizmodo.jp#@#.l-ad +vukajlija.com#@#.large-advert +realgfporn.com#@#.large-right-ad +atea.com,ateadirect.com,knowyourmobile.com,nlk.org.np#@#.logo-ad +insideevs.com#@#.m1-header-ad +doda.jp,tubefilter.com#@#.mainAd +austurfrett.is,boards.4chan.org,boards.4channel.org#@#.middlead +thespruce.com#@#.mntl-leaderboard-spacer +sankei.com#@#.module_ad +seura.fi,www.msn.com#@#.nativead +platform.liquidus.net#@#.nav_ad +dogva.com#@#.node-ad +rottentomatoes.com#@#.page_ad +gumtree.com#@#.postad +komplett.dk,komplett.no,komplett.se,komplettbedrift.no,komplettforetag.se,newegg.com#@#.product-ad +newegg.com#@#.product-ads +ebaumsworld.com#@#.promoAd +galaopublicidade.com#@#.publicidade +eneuro.org,jneurosci.org#@#.region-ad-top +offmoto.com#@#.reklama +msn.com#@#.serversidenativead +audioholics.com,classy-online.jp#@#.side-ad +ekitan.com,kissanadu.com#@#.sidebar-ad +independent.com#@#.sidebar-ads +cadlinecommunity.co.uk#@#.sidebar_advert +proininews.gr#@#.small-ads +eh-ic.com#@#.small_ad +hebdenbridge.co.uk#@#.smallads +geekwire.com#@#.sponsor_post +toimitilat.kauppalehti.fi#@#.sponsored-article +zdnet.com#@#.sponsoredItem +kingsofchaos.com#@#.textad +k24tv.co.ke#@#.top-ad +cp24.com#@#.topAd +jabank-tokushima.or.jp#@#.top_ad +outinthepaddock.com.au#@#.topads +codedevstuff.blogspot.com,hassiweb-programming.blogspot.com#@#.vertical-ads +ads.google.com,youtube.com#@#.video-ads +javynow.com#@#.videos-ad +elnuevoherald.com,sacbee.com#@#.wps-player-wrap +gumtree.com.au,s.tabelog.com#@#[data-ad-name] +mebelcheap.ru#@#[data-adblockkey] +globsads.com#@#[href^="http://globsads.com/"] +mypillow.com#@#[href^="http://mypillow.com/"] > img +mypillow.com#@#[href^="http://www.mypillow.com/"] > img +mypatriotsupply.com#@#[href^="https://mypatriotsupply.com/"] > img +mypillow.com#@#[href^="https://mypillow.com/"] > img +mystore.com#@#[href^="https://mystore.com/"] > img +noqreport.com#@#[href^="https://noqreport.com/"] > img +sinisterdesign.net#@#[href^="https://secure.bmtmicro.com/servlets/"] +herbanomic.com#@#[href^="https://www.herbanomic.com/"] > img +techradar.com#@#[href^="https://www.hostg.xyz/aff_c"] +mypatriotsupply.com#@#[href^="https://www.mypatriotsupply.com/"] > img +mypillow.com#@#[href^="https://www.mypillow.com/"] > img +restoro.com#@#[href^="https://www.restoro.com/"] +zstacklife.com#@#[href^="https://zstacklife.com/"] img +amazon.com,cancam.jp,faceyourmanga.com,isc2.org,liverc.com,mit.edu,muscatdaily.com,olx.pl,saitama-np.co.jp,timesofoman.com,virginaustralia.com#@#[id^="div-gpt-ad"] +revimedia.com#@#a[href*=".revimedia.com/"] +dr.dk,smartadserver.de#@#a[href*=".smartadserver.com"] +slickdeals.net#@#a[href*="adzerk.net"] +sweetdeals.com#@#a[href*="https://www.sweetdeals.com/"] img +legacy.com#@#a[href^="http://pubads.g.doubleclick.net/"] +canstar.com.au,mail.yahoo.com#@#a[href^="https://ad.doubleclick.net/"] +badoinkvr.com#@#a[href^="https://badoinkvr.com/"] +xbdeals.net#@#a[href^="https://click.linksynergy.com/"] +naughtyamerica.com#@#a[href^="https://natour.naughtyamerica.com/track/"] +bookworld.no#@#a[href^="https://ndt5.net/"] +privateinternetaccess.com#@#a[href^="https://www.privateinternetaccess.com/"] +marcpapeghin.com#@#a[href^="https://www.sheetmusicplus.com/"][href*="?aff_id="] +politico.com#@#a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] +heaven-burns-red.com#@#article.ad +play.google.com#@#div[aria-label="Ads"] +news.artnet.com,powernationtv.com,worldsurfleague.com#@#div[data-ad-targeting] +cookinglight.com#@#div[data-native_ad] +googleads.g.doubleclick.net#@#div[id^="ad_position_"] +out.com#@#div[id^="dfp-ad-"] +cancam.jp,saitama-np.co.jp#@#div[id^="div-gpt-"] +xdpedia.com#@#div[id^="ezoic-pub-ad-"] +forums.overclockers.ru#@#div[id^="yandex_ad"] +! ! invideo ad +si.com#@##mplayer-embed +click2houston.com,clickondetroit.com,clickorlando.com,ksat.com,news4jax.com,wsls.com#@#.ac-widget-placeholder +screenrant.com#@#.ad-current +screenrant.com#@#.ad-zone +screenrant.com#@#.ad-zone-container +screenrant.com,xda-developers.com#@#.adsninja-ad-zone +adamtheautomator.com,mediaite.com,packhacker.com,packinsider.com#@#.adthrive +mediaite.com,packhacker.com,packinsider.com#@#.adthrive-content +mediaite.com,packhacker.com,packinsider.com#@#.adthrive-video-player +click2houston.com,clickondetroit.com,clickorlando.com,ksat.com,news4jax.com,wsls.com#@#.anyClipWrapper +accuweather.com,cheddar.tv,deadline.com,elnuevoherald.com,heraldsun.com,olhardigital.com.br,tvinsider.com#@#.cnx-player-wrapper +accuweather.com#@#.connatix-player +huffpost.com#@#.connatix-wrapper +screenrant.com#@#.w-adsninja-video-player +! ! ins.adsbygoogle +advancedrenamer.com,androidrepublic.org,anonymousemail.me,apkmirror.com,cdromance.com,demos.krajee.com,epicbundle.com,korail.pe.kr,nextbigtrade.com,phcorner.net,pixiz.com,skmedix.pl,spoilertv.com,teemo.gg,willyoupressthebutton.com#@#ins.adsbygoogle[data-ad-client] +advancedrenamer.com,androidrepublic.org,anonymousemail.me,apkmirror.com,cdromance.com,demos.krajee.com,epicbundle.com,korail.pe.kr,nextbigtrade.com,phcorner.net,pixiz.com,skmedix.pl,spoilertv.com,teemo.gg,willyoupressthebutton.com#@#ins.adsbygoogle[data-ad-slot] +! ! .adslot +apkmirror.com,tuxpi.com#@#.adslot +! ! .adverts +bavaria86.com,ransquawk.com,tf2r.com,trh.sk#@#.adverts +! webike domains, fix broken page +japan-webike.be,japan-webike.ca,japan-webike.ch,japan-webike.dk,japan-webike.ie,japan-webike.it,japan-webike.kr,japan-webike.nl,japan-webike.se,webike-china.cn,webike.ae,webike.co.at,webike.co.hu,webike.co.il,webike.co.uk,webike.com.ar,webike.com.bd,webike.com.gr,webike.com.kh,webike.com.mm,webike.com.ru,webike.com.tr,webike.com.ua,webike.cz,webike.de,webike.es,webike.fi,webike.fr,webike.hk,webike.id,webike.in,webike.la,webike.mt,webike.mx,webike.my,webike.net,webike.net.br,webike.net.pl,webike.ng,webike.no,webike.nz,webike.ph,webike.pk,webike.pt,webike.sg,webike.tw#@#.ad_box +japan-webike.be,japan-webike.ca,japan-webike.ch,japan-webike.dk,japan-webike.ie,japan-webike.it,japan-webike.kr,japan-webike.nl,japan-webike.se,webike-china.cn,webike.ae,webike.co.at,webike.co.hu,webike.co.il,webike.co.uk,webike.com.ar,webike.com.bd,webike.com.gr,webike.com.kh,webike.com.mm,webike.com.ru,webike.com.tr,webike.com.ua,webike.cz,webike.de,webike.es,webike.fi,webike.fr,webike.hk,webike.id,webike.in,webike.la,webike.mt,webike.mx,webike.my,webike.net,webike.net.br,webike.net.pl,webike.ng,webike.no,webike.nz,webike.ph,webike.pk,webike.pt,webike.sg,webike.tw#@#.ad_title +! Anti-Adblock +spoilertv.com#@##adsensewide +browsershots.org#@#.advert_area +! ---------------------------Third-party advertisers---------------------------! +! *** easylist:easylist/easylist_adservers.txt *** +! Non-flagged (Generic blocks) +||00f8c4bb25.com^ +||012024jhvjhkozekl.space^ +||0127c96640.com^ +||01counter.com^ +||01jud3v55z.com^ +||023e6510cc.com^ +||0265331.com^ +||0342b40dd6.com^ +||03505ed0f4.com^ +||03b5f525af.com^ +||03eea1b6dd.com^ +||04-f-bmf.com^ +||044da016b3.com^ +||04c8b396bf.com^ +||04e0d8fb0f.com^ +||05fa754f24.com^ +||0676el9lskux.top^ +||06a21eff24.com^ +||06cffaae87.com^ +||070880.com^ +||0760571ca9.com^ +||07a1624bd7.com^ +||07d0bc4a48.com^ +||0926a687679d337e9d.com^ +||095f2fc218.com^ +||09b1fcc95e.com^ +||0a0d-d3l1vr.b-cdn.net^ +||0a8d87mlbcac.top^ +||0af2a962b0102942d9a7df351b20be55.com^ +||0b0db57b5f.com^ +||0b7741a902.com^ +||0b85c2f9bb.com^ +||0cc29a3ac1.com^ +||0cdn.xyz^ +||0cf.io^ +||0d076be0f4.com^ +||0eade9dd8d.com^ +||0emn.com^ +||0f461325bf56c3e1b9.com^ +||0ffaf504b2.com^ +||0fmm.com^ +||0gw7e6s3wrao9y3q.pro^ +||0i0i0i0.com^ +||0ijvby90.skin^ +||0l1201s548b2.top^ +||0redird.com^ +||0sntp7dnrr.com^ +||0sywjs4r1x.com^ +||0td6sdkfq.com^ +||0x01n2ptpuz3.com^ +||101m3.com^ +||103092804.com^ +||107e9a08a8.com^ +||1090pjopm.de^ +||10c26a1dd6.com^ +||10desires.com^ +||10nvejhblhha.com^ +||10q6e9ne5.de^ +||10sn95to9.de^ +||11g1ip22h.de^ +||12112336.pix-cdn.org^ +||1221e236c3f8703.com^ +||123-movies.bz^ +||123movies.to^ +||123w0w.com^ +||12a640bb5e.com^ +||12aksss.xyz^ +||12ezo5v60.com^ +||130gelh8q.de^ +||13199960a1.com^ +||132ffebe8c.com^ +||1370065b3a.com^ +||137kfj65k.de^ +||13b3403320.com^ +||13b696a4c1.com^ +||13c4491879.com^ +||13p76nnir.de^ +||148dfe140d0f3d5e.com^ +||14cpoff22.de^ +||14fefmsjd.de^ +||14i8trbbx4.com^ +||15d113e19a.com^ +||16-merchant-s.com^ +||16iis7i2p.de^ +||16pr72tb5.de^ +||1704598c25.com^ +||17co2k5a.de^ +||17do048qm.de^ +||17fffd951d.com^ +||181m2fscr.de^ +||184c4i95p.de^ +||18788fdb24.com^ +||18tlm4jee.de^ +||190b1f9880.com^ +||19515bia.de^ +||19d7fd2ed2.com^ +||1a65658575.com^ +||1a8f9rq9c.de^ +||1aqi93ml4.de^ +||1b14e0ee42d5e195c9aa1a2f5b42c710.com^ +||1b32caa655.com^ +||1b384556ae.com^ +||1b3tmfcbq.de^ +||1b9cvfi0nwxqelxu.pro^ +||1be76e820d.com^ +||1betandgonow.com^ +||1bf00b950c.com^ +||1bm3n8sld.de^ +||1c447fc5b7.com^ +||1c7cf19baa.com^ +||1ccbt.com^ +||1cctcm1gq.de^ +||1ckbfk08k.de^ +||1db10dd33b.com^ +||1dbv2cyjx0ko.shop^ +||1dtdsln1j.de^ +||1empiredirect.com^ +||1ep.co^ +||1ep2l1253.de^ +||1f63b94163.com^ +||1f6bf6f5a3.com^ +||1f84e33459.com^ +||1f98dc1262.com^ +||1fcf60d54c.com^ +||1fd92n6t8.de^ +||1fkx796mw.com^ +||1fwjpdwguvqs.com^ +||1g46ls536.de^ +||1gbjadpsq.de^ +||1hkmr7jb0.de^ +||1i8c0f11.de^ +||1igare0jn.de^ +||1itot7tm.de^ +||1j02claf9p.pro^ +||1j771bhgi.de^ +||1jpbh5iht.de^ +||1jsskipuf8sd.com^ +||1jutu5nnx.com^ +||1knhg4mmq.de^ +||1lbk62l5c.de^ +||1lj11b2ii.de^ +||1m72cfole.de^ +||1mrmsp0ki.de^ +||1nfltpsbk.de^ +||1nimo.com^ +||1nqrqa.de^ +||1ns1rosb.de^ +||1odi7j43c.de^ +||1p1eqpotato.com^ +||1p8ln1dtr.de^ +||1phads.com^ +||1pqfa71mc.de^ +||1push.io^ +||1qgxtxd2n.com^ +||1r4g65b63.de^ +||1r8435gsqldr.com^ +||1redira.com^ +||1redirb.com^ +||1redirc.com^ +||1rx.io^ +||1rxntv.io^ +||1s1r7hr1k.de^ +||1sqfobn52.de^ +||1talking.net^ +||1tds26q95.de^ +||1ts03.top^ +||1ts07.top^ +||1ts17.top^ +||1ts19.top^ +||1web.me^ +||1winpost.com^ +||1wtwaq.xyz^ +||1xlite-016702.top^ +||1xlite-503779.top^ +||1xlite-522762.top^ +||1xzf53lo.xyz^ +||2-05.com^ +||2020mustang.com^ +||2022welcome.com^ +||2024jphatomenesys36.top^ +||206ads.com^ +||20dollars2surf.com^ +||20l2ldrn2.de^ +||20trackdomain.com^ +||20tracks.com^ +||2122aaa0e5.com^ +||2137dc12f9d8.com^ +||218emo1t.de^ +||21hn4b64m.de^ +||21sexturycash.com^ +||21wiz.com^ +||2295b1e0bd.com^ +||22blqkmkg.de^ +||22c29c62b3.com^ +||22cbbac9cd.com^ +||22lmsi1t5.de^ +||22media.world^ +||23hssicm9.de^ +||24-sportnews.com^ +||240aca2365.com^ +||2435march2024.com^ +||2447march2024.com^ +||2449march2024.com^ +||244kecmb3.de^ +||2469april2024.com^ +||2471april2024.com^ +||2473april2024.com^ +||2475april2024.com^ +||2477april2024.com^ +||2479april2024.com^ +||247dbf848b.com^ +||2481april2024.com^ +||2483may2024.com^ +||2491may2024.com^ +||2495may2024.com^ +||2497may2024.com^ +||2499may2024.com^ +||24affiliates.com^ +||24newstech.com^ +||24s1b0et1.de^ +||24x7adservice.com^ +||25073bb296.com^ +||250f0ma86.de^ +||250f851761.com^ +||2520june2024.com^ +||254a.com^ +||258a912d15.com^ +||25obpfr.de^ +||2619374464.com^ +||2639iqjkl.de^ +||26485.top^ +||26ea4af114.com^ +||26q4nn691.de^ +||27igqr8b.de^ +||28e096686b.com^ +||291hkcido.de^ +||295a9f642d.com^ +||2989f3f0ff.com^ +||29a7397be5.com^ +||29apfjmg2.de^ +||29b124c44a.com^ +||29s55bf2.de^ +||29vpnmv4q.com^ +||2a1b1657c6.com^ +||2a2k3aom6.de^ +||2a4722f5ee.com^ +||2a4snhmtm.de^ +||2a6d9e5059.com^ +||2aefgbf.de^ +||2b2359b518.com^ +||2b9957041a.com^ +||2bd1f18377.com^ +||2ben92aml.com^ +||2bps53igop02.com^ +||2c4rrl8pe.de^ +||2c5d30b6f1.com^ +||2cba2742a4.com^ +||2cjlj3c15.de^ +||2cnjuh34jbman.com^ +||2cnjuh34jbpoint.com^ +||2cnjuh34jbstar.com^ +||2cvnmbxnc.com^ +||2d1f81ac8e.com^ +||2d283cecd5.com^ +||2d439ab93e.com^ +||2d5ac65613.com^ +||2d6g0ag5l.de^ +||2de65ef3dd.com^ +||2e4b7fc71a.com^ +||2e5e4544c4.com^ +||2e754b57ca.com^ +||2e8dgn8n0e0l.com^ +||2ecfa1db15.com^ +||2f1a1a7f62.com^ +||2f2bef3deb.com^ +||2f5de272ff.com^ +||2f72472ace.com^ +||2f8a651b12.com^ +||2fb8or7ai.de^ +||2ffabf3b1d.com^ +||2fgrrc9t0.de^ +||2fnptjci.de^ +||2g2kaa598.de^ +||2gg6ebbhh.de^ +||2h4els889.com^ +||2h6skj2da.de^ +||2hdn.online^ +||2hisnd.com^ +||2hpb1i5th.de^ +||2i30i8h6i.de^ +||2i87bpcbf.de^ +||2iiyrxk0.com^ +||2imon4qar.de^ +||2jmis11eq.de^ +||2jod3cl3j.de^ +||2k6eh90gs.de^ +||2kn40j226.de^ +||2linkpath.com^ +||2llmonds4ehcr93nb.com^ +||2lqcd8s9.de^ +||2ltm627ho.com^ +||2lwlh385os.com^ +||2m3gdt0gc.de^ +||2m55gqleg.de^ +||2mf9kkbhab31.com^ +||2mg2ibr6b.de^ +||2mke5l187.de^ +||2mo3neop.de^ +||2nn7r6bh1.de^ +||2om93s33n.de^ +||2p1kreiqg.de^ +||2pc6q54ga.de^ +||2qj7mq3w4uxe.com^ +||2rb5hh5t6.de^ +||2re6rpip2.de^ +||2rlgdkf7s.de^ +||2rmifan7n.de^ +||2s02keqc1.com^ +||2s2enegt0.de^ +||2smarttracker.com^ +||2spdo6g9h.de^ +||2t4f7g9a.de^ +||2ta5l5rc0.de^ +||2tfg9bo2i.de^ +||2tlc698ma.de^ +||2tq7pgs0f.de^ +||2track.info^ +||2trafficcmpny.com^ +||2ts55ek00.de^ +||2ucz3ymr1.com^ +||2xs4eumlc.com^ +||300daytravel.com^ +||302kslgdl.de^ +||303ag0nc7.de^ +||303marketplace.com^ +||305421ba72.com^ +||3071caa5ff.com^ +||307ea19306.com^ +||307i6i7do.de^ +||308d13be14.com^ +||30986g8ab.de^ +||30d5shnjq.de^ +||30e4a37eb7.com^ +||30hccor10.de^ +||30koqnlks.de^ +||30m4hpei1.de^ +||30p70ar8m.de^ +||30pk41r1i.de^ +||30se9p8a0.de^ +||30tgh64jp.de^ +||3103cf02ec.com^ +||3120jpllh.de^ +||314b24ffc5.com^ +||314gqd3es.de^ +||316feq0nc.de^ +||317796hmh.de^ +||318pmmtrp.de^ +||3192a7tqk.de^ +||31aceidfj.de^ +||31aqn13o6.de^ +||31bqljnla.de^ +||31cm5fq78.de^ +||31d6gphkr.de^ +||31daa5lnq.de^ +||31def61c3.de^ +||31o0jl63.de^ +||31v1scl527hm.shop^ +||321naturelikefurfuroid.com^ +||3221dkf7m2.com^ +||32596c0d85.com^ +||32ae2295ab.com^ +||341k4gu76ywe.top^ +||3467b7d02e.com^ +||34d5566a50.com^ +||350c2478fb.com^ +||3575e2d4e6.com^ +||357dbd24e2.com^ +||35volitantplimsoles5.com^ +||360popads.com^ +||360protected.com^ +||360yield-basic.com^ +||360yield.com^ +||3622911ae3.com^ +||366378fd1d.com^ +||367p.com^ +||37.44x.io^ +||38dbfd540c.com^ +||38ds89f8.de^ +||38fbsbhhg0702m.shop^ +||39268ea911.com^ +||395b8c2123.com^ +||39e6p9p7.de^ +||3a17d27bf9.com^ +||3ac1b30a18.com^ +||3ad2ae645c.com^ +||3b1ac6ca25.com^ +||3bc9b1b89c.com^ +||3bq57qu8o.com^ +||3cb9b57efc.com^ +||3cg6sa78w.com^ +||3d5affba28.com^ +||3dfcff2ec15099df0a24ad2cee74f21a.com^ +||3e1898dbbe.com^ +||3e6072834f.com^ +||3ead4fd497.com^ +||3fc0ebfea0.com^ +||3fwlr7frbb.pro^ +||3g25ko2.de^ +||3gbqdci2.de^ +||3haiaz.xyz^ +||3j8c56p9.de^ +||3lift.com^ +||3lr67y45.com^ +||3mhg.online^ +||3mhg.site^ +||3myad.com^ +||3ng6p6m0.de^ +||3pkf5m0gd.com^ +||3qfe1gfa.de^ +||3redlightfix.com^ +||3twentyfour.xyz^ +||3u4zyeugi.com^ +||3wr110.net^ +||3zap7emt4.com^ +||40209f514e.com^ +||4088846d50.com^ +||40ceexln7929.com^ +||4164d5b6eb.com^ +||41b5062d22.com^ +||41eak.life^ +||4239cc7770.com^ +||42ce2b0955.com^ +||42jdbcb.de^ +||433bcaa83b.com^ +||43e1628a5f.com^ +||43ors1osh.com^ +||43sjmq3hg.com^ +||43t53c9e.de^ +||442fc29954.com^ +||4497e71924.com^ +||44e29c19ac.com^ +||44fc128918.com^ +||452tapgn.de^ +||453130fa9e.com^ +||45cb7b8453.com^ +||45f2a90583.com^ +||46186911.vtt^ +||466f89f4d1.com^ +||4690y10pvpq8.com^ +||46bd8e62a2.com^ +||46f4vjo86.com^ +||47c8d48301.com^ +||485f197673.com^ +||4885e2e6f7.com^ +||49b6b77e56.com^ +||49d4db4864.com^ +||4a9517991d.com^ +||4armn.com^ +||4b6994dfa47cee4.com^ +||4b7140e260.com^ +||4bad5cdf48.com^ +||4c935d6a244f.com^ +||4co7mbsb.de^ +||4d15ee32c1.com^ +||4d33a4adbc.com^ +||4d3f87f705.com^ +||4d658ab856.com^ +||4d9e86640a.com^ +||4da1c65ac2.com^ +||4dex.io^ +||4dsbanner.net^ +||4dtrk.com^ +||4e0622e316.com^ +||4e645c7cf2.com^ +||4ed196b502.com^ +||4ed5560812.com^ +||4f2sm1y1ss.com^ +||4fb0cadcc3.com^ +||4ffecd1ee4.com^ +||4g0b1inr.de^ +||4hfchest5kdnfnut.com^ +||4iazoa.xyz^ +||4k7kca7aj0s4.top^ +||4kggatl1p7ps.top^ +||4lke.online^ +||4m4ones1q.com^ +||4p74i5b6.de^ +||4rabettraff.com^ +||4wnet.com^ +||4wnetwork.com^ +||50368ce0a6.com^ +||50f0ac5daf.com^ +||5165c0c080.com^ +||52dvzo62i.com^ +||536fbeeea4.com^ +||53c2dtzsj7t1.top^ +||53e91a4877.com^ +||53ff0e58f9.com^ +||544c1a86a1.com^ +||551ba6c442.com^ +||562i7aqkxu.com^ +||5661c81449.com^ +||56bfc388bf12.com^ +||56ovido.site^ +||56rt2692.de^ +||574ae48fe5.com^ +||578d72001a.com^ +||57d38e3023.com^ +||582155316e.com^ +||590578zugbr8.com^ +||598f0ce32f.com^ +||59e6ea7248001c.com^ +||5a6c114183.com^ +||5advertise.com^ +||5ae3a94233.com^ +||5b10f288ee.com^ +||5b3fbababb.com^ +||5be7319a8b.com^ +||5bf6d94b92.com^ +||5btekl14.de^ +||5c4ccd56c9.com^ +||5cf8606941.com^ +||5e1b8e9d68.com^ +||5e49fd4c08.com^ +||5e6ef8e03b.com^ +||5ea36e0eb5.com^ +||5ed55e7208.com^ +||5eef1ed9ac.com^ +||5f631bb110.com^ +||5f6dmzflgqso.com^ +||5f6efdfc05.com^ +||5f93004b68.com^ +||5fet4fni.de^ +||5h3oyhv838.com^ +||5icim50.de^ +||5ivy3ikkt.com^ +||5mno3.com^ +||5nfc.net^ +||5nt1gx7o57.com^ +||5o8aj5nt.de^ +||5pi13h3q.de^ +||5toft8or7on8tt.com^ +||5umpz4evlgkm.com^ +||5vbs96dea.com^ +||5vpbnbkiey24.com^ +||5wuefo9haif3.com^ +||5xd3jfwl9e8v.com^ +||5xp6lcaoz.com^ +||6-partner.com^ +||6001628d3d.com^ +||600z.com^ +||6061de8597.com^ +||6068a17eed25.com^ +||60739ebc42.com^ +||61598081d6.com^ +||6179b859b8.com^ +||61t2ll6yy.com^ +||61zdn1c9.skin^ +||62a77005fb.com^ +||62ca04e27a.com^ +||63912b9175.com^ +||639c909d45.com^ +||63r2vxacp0pr.com^ +||63voy9ciyi14.com^ +||64580df84b.com^ +||65wenv5f.xyz^ +||665166e5a9.com^ +||6657e4f5c2.com^ +||66a3413a7e.com^ +||66a5e92d66.com^ +||67trackdomain.com^ +||68069795d1.com^ +||6863fd0afc.com^ +||688de7b3822de.com^ +||68amt53h.de^ +||68aq8q352.com^ +||68d6b65e65.com^ +||699bfcf9d9.com^ +||69b61ba7d6.com^ +||69i.club^ +||69oxt4q05.com^ +||69v.club^ +||6a0d38e347.com^ +||6a34d15d38.com^ +||6ac78725fd.com^ +||6b6c1b838a.com^ +||6b70b1086b.com^ +||6b856ee58e.com^ +||6bgaput9ullc.com^ +||6ca9278a53.com^ +||6ce02869b9.com^ +||6dc2699b37.com^ +||6de72955d8.com^ +||6e391732a2.com^ +||6e6cd153a6.com^ +||6gi0edui.xyz^ +||6glece4homah8dweracea.com^ +||6hdw.site^ +||6j296m8k.de^ +||6oi7mfa1w.com^ +||6ped2nd3yp.com^ +||6r9ahe6qb.com^ +||6snjvxkawrtolv2x.pro^ +||6ujk8x9soxhm.com^ +||6v41p4bsq.com^ +||6zy9yqe1ew.com^ +||7-7-7-partner.com^ +||71dd1ff9fd.com^ +||721ffc3ec5.com^ +||722cba612c.com^ +||72hdgb5o.de^ +||7378e81adf.com^ +||73a70e581b.com^ +||7411603f57.com^ +||741a18df39.com^ +||742ba1f9a9.com^ +||743fa12700.com^ +||754480bd33.com^ +||75h4x7992.com^ +||76416dc840.com^ +||76f74721ab.com^ +||7719094ddf.com^ +||7757139f7b.com^ +||775cf6f1ae.com^ +||776173f9e6.com^ +||777seo.com^ +||77bd7b02a8.com^ +||7807091956.com^ +||7868d5c036.com^ +||78733f9c3c.com^ +||78bk5iji.de^ +||7944bcc817.com^ +||79dc3bce9d.com^ +||79k52baw2qa3.com^ +||79xmz3lmss.com^ +||7amz.com^ +||7anfpatlo8lwmb.com^ +||7app.top^ +||7bchhgh.de^ +||7bd9a61155.com^ +||7c3514356.com^ +||7ca78m3csgbrid7ge.com^ +||7ee4c0f141.com^ +||7fc0966988.com^ +||7fkm2r4pzi.com^ +||7fva8algp45k.com^ +||7hor9gul4s.com^ +||7insight.com^ +||7jrahgc.de^ +||7lyonline.com^ +||7me0ssd6.de^ +||7ng6v3lu3c.execute-api.us-east-1.amazonaws.com^ +||7nt9p4d4.de^ +||80055404.vtt^ +||81438456aa.com^ +||817dae10e1.com^ +||81c875a340.com^ +||828af6b8ce.com^ +||831xmyp1fr4i.shop^ +||845d6bbf60.com^ +||847h7f51.de^ +||8499583.com^ +||84aa71fc7c.com^ +||84f101d1bb.com^ +||84gs08xe1.com^ +||8578eb3ec8.com^ +||85a90880b9.com^ +||85fef60641.com^ +||864feb57ruary.com^ +||869cf3d7e4.com^ +||877f80dfaa.com^ +||884de19f2b.com^ +||888promos.com^ +||88d7b6aa44fb8eb.com^ +||88eq7spm.de^ +||89dfa3575e.com^ +||8d96fe2f01.com^ +||8db4fde90b.com^ +||8de5d7e235.com^ +||8ec9b7706a.com^ +||8exx9qtuojv1.shop^ +||8f2b4c98e7.com^ +||8il2nsgm5.com^ +||8j1f0af5.de^ +||8jay04c4q7te.com^ +||8jl11zys5vh12.pro^ +||8kj1ldt1.de^ +||8n67t.com^ +||8nugm4l6j.com^ +||8po6fdwjsym3.com^ +||8s32e590un.com^ +||8stream-ai.com^ +||8trd.online^ +||8wtkfxiss1o2.com^ +||905trk.com^ +||90e7fd481d.com^ +||910de7044f.com^ +||91199a.xyz^ +||9119fa4031.com^ +||9130ec9212.com^ +||915c63962f.com^ +||916cad6201.com^ +||91cd3khn.de^ +||91df02fe64.com^ +||921b6384ac.com^ +||92888e5ff3.com^ +||92e6136b5d.com^ +||92e703f830.com^ +||92f77b89a1b2df1b539ff2772282e19b.com^ +||937e30a10b.com^ +||938az.xyz^ +||943d6e0643.com^ +||94789b3f8f.com^ +||94ded8b16e.com^ +||95b1e00252.com^ +||95d127d868.com^ +||95ppq87g.de^ +||95urbehxy2dh.top^ +||971bf5ec60.com^ +||97e7f92376.com^ +||990828ab3d.com^ +||994e4a6044.com^ +||997b409959.com^ +||9996777888.com^ +||99fe352223.com^ +||9a55672b0c.com^ +||9a71b08258.com^ +||9a857c6721.com^ +||9ads.mobi^ +||9analytics.live^ +||9bbbabcb26.com^ +||9bf9309f6f.com^ +||9cbj41a5.de^ +||9cd76b4462bb.com^ +||9d2cca15e4.com^ +||9d603009eb.com^ +||9d87b35397.com^ +||9dccbda825.com^ +||9dmnv9z0gtoh.com^ +||9e3810a418.com^ +||9eb0538646.com^ +||9eb10b7a3d04a.com^ +||9efc2a7246.com^ +||9gg23.com^ +||9hitdp8uf154mz.shop^ +||9japride.com^ +||9l3s3fnhl.com^ +||9l5ss9l.de^ +||9ohy40tok.com^ +||9r7i9bo06157.top^ +||9s4l9nik.de^ +||9t5.me^ +||9tp9jd4p.de^ +||9tumza4dp4o9.com^ +||9x4yujhb0.com^ +||9xeqynu3gt7c.com^ +||9xob25oszs.com^ +||a-ads.com^ +||a-b-c-d.xyz^ +||a-mo.net^ +||a-waiting.com^ +||a00s.net^ +||a06bbd98194c252.com^ +||a08387be3d.com^ +||a0905c77de.com^ +||a11d3c1b4d.com^ +||a11k.com^ +||a11ybar.com^ +||a14net.com^ +||a14refresh.com^ +||a14tdsa.com^ +||a166994a16.com^ +||a1c99093b6.com^ +||a1hosting.online^ +||a2b219c0ce.com^ +||a2tw6yoodsag.com^ +||a32d9f2cc6.com^ +||a32fc87d2f.com^ +||a34aba7b6c.com^ +||a35e803f21.com^ +||a3b2c775eb.com^ +||a3yqjsrczwwp.com^ +||a48d53647a.com^ +||a4f074a2f8.com^ +||a4mt150303tl.com^ +||a5b80ef67b.com^ +||a5g.oves.biz^ +||a5game.win^ +||a5jogo.biz^ +||a5jogo.club^ +||a64x.com^ +||a67c5c438d.com^ +||a6dc99d1a8.com^ +||a700fb9c8d.com^ +||a717b6d31e.com^ +||a85d43cd02.com^ +||a8e8c59504.com^ +||a91e9c75f8.com^ +||a9ae7df45f.com^ +||aa2e7ea3fe.com^ +||aaa.vidox.net^ +||aaa85877ba.com^ +||aaaaaco.com^ +||aaacdbf17d.com^ +||aaacompany.net^ +||aab-check.me^ +||aabproxydomaintests.top^ +||aabproxytests.top^ +||aabtestsproxydomain.top^ +||aafdcq.com^ +||aagm.link^ +||aagmmrktriz.vip^ +||aarghclothy.com^ +||aarswtcnoz.com^ +||aawdlvr.com^ +||aaxads.com^ +||ab1n.net^ +||ab4tn.com^ +||ab913aa797e78b3.com^ +||ab93t2kc.de^ +||abadit5rckb.com^ +||abamatoyer.com^ +||abange.com^ +||abaolokvmmvlv.top^ +||abaolokvmmwrb.top^ +||abarbollidate.com^ +||abashfireworks.com^ +||abasshowish.guru^ +||abattoirpleatsprinkle.com^ +||abazelfan.com^ +||abbasidquippy.shop^ +||abbateerupted.com^ +||abberantdiscussion.com^ +||abberantdoggie.com^ +||abberantpawnpalette.com^ +||abbotinexperienced.com^ +||abbotpredicateemma.com^ +||abbotsgalen.com^ +||abbreviateenlargement.com^ +||abbreviatepoisonousmonument.com^ +||abbronzongor.com^ +||abburmyer.com^ +||abchygmsaftnrr.xyz^ +||abclefabletor.com^ +||abcogzozbk.com^ +||abdedenneer.com^ +||abdicatebirchcoolness.com^ +||abdicatesyrupwhich.com^ +||abdlnk.com^ +||abdlnkjs.com^ +||abdsp.com^ +||abdurantom.com^ +||abedbrings.com^ +||abedgobetweenbrittle.com^ +||abedwest.com^ +||abeighkenches.com^ +||abelekidr.com^ +||abelestheca.com^ +||abethow.com^ +||abgeobalancer.com^ +||abgligarchan.com^ +||abh.jp^ +||abhorcarious.com^ +||abiderestless.com^ +||abjectionblame.com^ +||abjectionpatheticcoloured.com^ +||abkmbrf.com^ +||abkoxlikbzs.com^ +||ablativekeynotemuseum.com^ +||ableandworld.info^ +||ableandworldwid.com^ +||ablebodiedsweatisolated.com^ +||ablecolony.com^ +||ablestsigma.click^ +||abletopreseyna.com^ +||ablitleoor.com^ +||ablkkukpaoc.com^ +||abluentshinny.com^ +||abluvdiscr.com^ +||ablybeastssarcastic.com^ +||ablyinviting.com^ +||abmismagiusom.com^ +||abmunnaa.com^ +||abnegationbanquet.com^ +||abnegationdenoteimprobable.com^ +||abnegationsemicirclereproduce.com^ +||abniorant.com^ +||abnormalgently.com^ +||abnormalmansfield.com^ +||abnormalwidth.com^ +||abnrkespuk.com^ +||aboardhotdog.com^ +||aboardstepbugs.com^ +||abodedistributionpan.com^ +||abolid.com^ +||abonnementpermissiveenliven.com^ +||aboriginesprimary.com^ +||aboundplausibleeloquent.com^ +||aboutpersonify.com^ +||abouttill.com^ +||aboveboardstunning.com^ +||aboveredirect.top^ +||abovethecityo.com^ +||abparasr.com^ +||abpicsrc.com^ +||abpjs23.com^ +||abpnow.xyz^ +||abqmfewisf.com^ +||abrhydona.com^ +||abridgesynchronizepleat.com^ +||abruptalertness.com^ +||abruptboroughjudgement.com^ +||abruptcompliments.com^ +||abruptcooperationbummer.com^ +||abruptlydummy.com^ +||abruptlyretortedbat.com^ +||abruptnesscarrier.com^ +||absenceoverload.com^ +||absentcleannewspapers.com^ +||absentlybiddingleopard.com^ +||absentlygratefulcamomile.com^ +||absentmissingaccept.com^ +||abservinean.com^ +||abskursin.com^ +||abslroan.com^ +||absolosisa.com^ +||absolutelyconfession.com^ +||absolutelytowns.com^ +||absoluteroute.com^ +||absolveparticlesanti.com^ +||absolvewednesday.com^ +||absorbedscholarsvolatile.com^ +||absorbinginject.com^ +||absorbingwiden.com^ +||absorptionsuspended.com^ +||abstortvarna.com^ +||absurdbatchconfess.com^ +||absurdunite.com^ +||abtaurosa.club^ +||abtfliping.top^ +||abtrcker.com^ +||abtyroguean.com^ +||abtyroguer.com^ +||abusedbabysitters.com^ +||abusiveserving.com^ +||abwhyag.com^ +||abwlrooszor.com^ +||abyamaskor.com^ +||abyocawlfe.com^ +||abzaligtwd.com^ +||ac35e1ff43.com^ +||acacdn.com^ +||academyblocked.com^ +||academyenrage.com^ +||acalraiz.xyz^ +||acam-2.com^ +||acbbpadizl.com^ +||accecmtrk.com^ +||accedemotorcycle.com^ +||accedeproductive.com^ +||acceleratedrummer.com^ +||accelerateswitch.com^ +||acceleratetomb.com^ +||accentneglectporter.com^ +||acceptablearablezoological.com^ +||acceptablebleat.com^ +||acceptablereality.com^ +||acceptvigorously.com^ +||access-mc.com^ +||access.vidox.net^ +||accesshomeinsurance.co^ +||accidentalinfringementfat.com^ +||accidentallyrussian.com^ +||acclaimcraftsman.com^ +||acclaimed-travel.pro^ +||accmgr.com^ +||accommodatingremindauntie.com^ +||accommodationcarpetavid.com^ +||accompanimentachyjustified.com^ +||accompanimentcouldsurprisingly.com^ +||accompanycollapse.com^ +||accompanynovemberexclusion.com^ +||accomplishmentailmentinsane.com^ +||accomplishmentstrandedcuddle.com^ +||accordancespotted.com^ +||accordinglyair.com^ +||accountantpacketassail.com^ +||accountresponsesergeant.com^ +||accountswindy.com^ +||accruefierceheartache.com^ +||accuracyswede.com^ +||accusedstone.com^ +||accuserannouncementadulthood.com^ +||accuserutility.com^ +||accustomedinaccessible.com^ +||acdcdn.com^ +||acdcmarimo.com^ +||acdn01.vidox.net^ +||ace-adserver.com^ +||acecapprecarious.com^ +||acediscover.com^ +||acelacien.com^ +||acemdvv.com^ +||aceporntube.com^ +||acerbityjessamy.com^ +||acertb.com^ +||achcdn.com^ +||achelessarkaskew.com^ +||achelesscorporaltreaty.com^ +||achelessintegralsigh.com^ +||achesbunters.shop^ +||acheworry.com^ +||achievablecpmrevenue.com^ +||achievehardboiledheap.com^ +||achieveweakness.com^ +||achingborder.com^ +||achnyyjlxrfkwt.xyz^ +||achoachemain.com^ +||achuphaube.com^ +||achycompassionate.com^ +||acidicresist.pro^ +||acinaredibles.com^ +||ackcdn.net^ +||acknowledgecalculated.com^ +||ackuwxjbk.com^ +||aclemonliner.com^ +||aclickads.com^ +||aclktrkr.com^ +||acloudvideos.com^ +||acmaknoxwo.com^ +||acmdihtumpuj.com^ +||acme.vidox.net^ +||acofrnsr44es3954b.com^ +||acoossz.top^ +||acorneroft.org^ +||acornexhaustpreviously.com^ +||acoudsoarom.com^ +||acqmeaf.com^ +||acqpizkpo.com^ +||acqtfeofpa.com^ +||acquaintance423.fun^ +||acquaintanceunbearablecelebrated.com^ +||acquaintcollaboratefruitless.com^ +||acquaintedpostman.com^ +||acquaintplentifulemotions.com^ +||acquirethem.com^ +||acrelicenseblown.com^ +||acridbloatparticularly.com^ +||acridtaxiworking.com^ +||acrityezra.shop^ +||acrossbrittle.com^ +||acrosscountenanceaccent.com^ +||acrossheadquartersanchovy.com^ +||acscdn.com^ +||actglimpse.com^ +||actiflex.org^ +||actiondenepeninsula.com^ +||actionisabella.com^ +||activelysmileintimate.com^ +||activemetering.com^ +||activepoststale.com^ +||actpbfa.com^ +||actpx.com^ +||actressdoleful.com^ +||actrkn.com^ +||actuallyfrustration.com^ +||actuallyhierarchyjudgement.com^ +||acuityplatform.com^ +||acvdubxihrk.com^ +||acvnhayikyutjsn.xyz^ +||ad-adblock.com^ +||ad-addon.com^ +||ad-back.net^ +||ad-balancer.net^ +||ad-bay.com^ +||ad-cheers.com^ +||ad-delivery.net^ +||ad-flow.com^ +||ad-guardian.com^ +||ad-indicator.com^ +||ad-m.asia^ +||ad-mapps.com^ +||ad-maven.com^ +||ad-nex.com^ +||ad-recommend.com^ +||ad-score.com^ +||ad-server.co.za^ +||ad-serverparc.nl^ +||ad-srv.net^ +||ad-stir.com^ +||ad-vice.biz^ +||ad-vortex.com^ +||ad-wheel.com^ +||ad.gt^ +||ad.guru^ +||ad.linksynergy.com^ +||ad.mox.tv^ +||ad.tradertimerz.media^ +||ad1data.com^ +||ad1rtb.com^ +||ad2the.net^ +||ad2up.com^ +||ad2upapp.com^ +||ad4.com.cn^ +||ad4905c1db.com^ +||ad999.biz^ +||adactioner.com^ +||adappi.co^ +||adaptationmargarineconstructive.com^ +||adaptationwrite.com^ +||adaptcunning.com^ +||adaranth.com^ +||adaround.net^ +||adarutoad.com^ +||adb7rtb.com^ +||adbison-redirect.com^ +||adbit.co^ +||adblck.com^ +||adblock-360.com^ +||adblock-guru.com^ +||adblock-offer-download.com^ +||adblock-one-protection.com^ +||adblock-pro.org^ +||adblock-zen-download.com^ +||adblock-zen.com^ +||adblockanalytics.com^ +||adblocker-instant.xyz^ +||adblockers.b-cdn.net^ +||adbmi.com^ +||adbooth.com^ +||adbooth.net^ +||adbox.lv^ +||adbpage.com^ +||adbrite.com^ +||adbro.me^ +||adbuddiz.com^ +||adbuff.com^ +||adbuka.com.ng^ +||adbull.com^ +||adbutler-fermion.com^ +||adbutler.com^ +||adbyss.com^ +||adc-teasers.com^ +||adcannyxml.com^ +||adcash.com^ +||adcastplus.net^ +||adcde.com^ +||adcdnx.com^ +||adcentrum.net^ +||adchap.com^ +||adcharriot.com^ +||adcheap.network^ +||adchemical.com^ +||adcl1ckspr0f1t.com^ +||adclerks.com^ +||adclick.pk^ +||adclickbyte.com^ +||adclickmedia.com^ +||adclicks.io^ +||adcloud.net^ +||adcolo.com^ +||adconjure.com^ +||adcontext.pl^ +||adcovery.com^ +||adcrax.com^ +||adcron.com^ +||adddumbestbarrow.com^ +||addelive.com^ +||addictionmulegoodness.com^ +||addin.icu^ +||addinginstancesroadmap.com^ +||addiply.com^ +||additionalbasketdislike.com^ +||additionalcasualcabinet.com^ +||additionalmedia.com^ +||additionmagical.com^ +||additionssurvivor.com^ +||addizhi.top^ +||addkt.com^ +||addlnk.com^ +||addoer.com^ +||addonsmash.com^ +||addotnet.com^ +||addressanythingbridge.com^ +||addroplet.com^ +||addthief.com^ +||adeditiontowri.org^ +||adelphic.net^ +||adenza.dev^ +||adersaucho.net^ +||adevbom.com^ +||adevppl.com^ +||adex.media^ +||adexchangecloud.com^ +||adexchangedirect.com^ +||adexchangegate.com^ +||adexchangeguru.com^ +||adexchangemachine.com^ +||adexchangeprediction.com^ +||adexchangetracker.com^ +||adexcite.com^ +||adexmedias.com^ +||adexprts.com^ +||adfahrapps.com^ +||adfeedstrk.com^ +||adfgetlink.net^ +||adfgfeojqx.com^ +||adfootprints.com^ +||adforcast.com^ +||adforgeinc.com^ +||adform.net^ +||adfpoint.com^ +||adframesrc.com^ +||adfrontiers.com^ +||adfusion.com^ +||adfyre.co^ +||adg99.com^ +||adgard.net^ +||adgardener.com^ +||adgebra.co.in^ +||adglare.net^ +||adglare.org^ +||adglaze.com^ +||adgoi.com^ +||adgorithms.com^ +||adgzfujunv.com^ +||adhealers.com^ +||adherenceofferinglieutenant.com^ +||adherencescannercontaining.com^ +||adhoc4.net^ +||adhub.digital^ +||adiingsinspiri.org^ +||adiingsinspiringt.com^ +||adiquity.com^ +||aditms.me^ +||aditsafeweb.com^ +||adjectiveresign.com^ +||adjmntesdsoi.love^ +||adjoincomprise.com^ +||adjs.media^ +||adjustbedevilsweep.com^ +||adjusteddrug.com^ +||adjustmentconfide.com^ +||adjux.com^ +||adkaora.space^ +||adkernel.com^ +||adklimages.com^ +||adl-hunter.com^ +||adlane.info^ +||adligature.com^ +||adlogists.com^ +||adlserq.com^ +||adltserv.com^ +||admachina.com^ +||admangrauc.com^ +||admangrsw.com^ +||admanmedia.com^ +||admasters.media^ +||admax.network^ +||adme-net.com^ +||admediatex.net^ +||admedit.net^ +||admedo.com^ +||admeking.com^ +||admeme.net^ +||admeridianads.com^ +||admez.com^ +||admicro.vn^ +||admidainsight.com^ +||administerjuniortragedy.com^ +||admirableoverdone.com^ +||admiralugly.com^ +||admiredclumsy.com^ +||admiredexcrete.com^ +||admiredresource.pro^ +||admirerinduced.com^ +||admissibleconductfray.com^ +||admissibleconference.com^ +||admissiblecontradictthrone.com^ +||admission.net^ +||admissiondemeanourusage.com^ +||admissionreceipt.com^ +||admitad-connect.com^ +||admitad.com^ +||admixer.net^ +||admjmp.com^ +||admob.com^ +||admobe.com^ +||admothreewallent.com^ +||admpire.com^ +||adnami2.io^ +||adnetworkperformance.com^ +||adnext.fr^ +||adngin.com^ +||adnico.jp^ +||adnigma.com^ +||adnimo.com^ +||adnotebook.com^ +||adnxs-simple.com^ +||adnxs.com^ +||adnxs.net^ +||adnxs1.com^ +||adocean.pl^ +||adomic.com^ +||adoni-nea.com^ +||adonion.com^ +||adonweb.ru^ +||adoopaqueentering.com^ +||adop.co^ +||adoperatorx.com^ +||adopexchange.com^ +||adopstar.uk^ +||adoptedproducerdiscernible.com^ +||adoptioneitherrelaxing.com^ +||adoptum.net^ +||adorableold.com^ +||adoredstation.pro^ +||adornenveloperecognize.com^ +||adornmadeup.com^ +||adorx.store^ +||adotic.com^ +||adotmob.com^ +||adotone.com^ +||adotube.com^ +||adovr.com^ +||adpacks.com^ +||adpartner.pro^ +||adpass.co.uk^ +||adpatrof.com^ +||adperium.com^ +||adpicmedia.net^ +||adpinion.com^ +||adpionier.de^ +||adplushub.com^ +||adplxmd.com^ +||adpmbexo.com^ +||adpmbexoxvid.com^ +||adpmbglobal.com^ +||adpmbtf.com^ +||adpmbtj.com^ +||adpmbts.com^ +||adpod.in^ +||adpointrtb.com^ +||adpone.com^ +||adpresenter.de^ +||adqit.com^ +||adquery.io^ +||adreadytractions.com^ +||adrealclick.com^ +||adrecreate.com^ +||adrenalpop.com^ +||adrenovate.com^ +||adrent.net^ +||adrevenuerescue.com^ +||adrgyouguide.com^ +||adriftscramble.com^ +||adright.co^ +||adright.fs.ak-is2.net^ +||adright.xml-v4.ak-is2.net^ +||adright.xml.ak-is2.net^ +||adrino.io^ +||adrkspf.com^ +||adrokt.com^ +||adrta.com^ +||adrunnr.com^ +||ads-delivery.b-cdn.net^ +||ads-static.conde.digital^ +||ads-twitter.com^ +||ads.lemmatechnologies.com^ +||ads.rd.linksynergy.com^ +||ads1-adnow.com^ +||ads2550.bid^ +||ads2ads.net^ +||ads3-adnow.com^ +||ads4g.pl^ +||ads4trk.com^ +||ads5-adnow.com^ +||ads6-adnow.com^ +||adsafeprotected.com^ +||adsafety.net^ +||adsagony.com^ +||adsame.com^ +||adsbar.online^ +||adsbeard.com^ +||adsbetnet.com^ +||adsblocker-ultra.com^ +||adsblockersentinel.info^ +||adsbtrk.com^ +||adscale.de^ +||adscampaign.net^ +||adscdn.net^ +||adschill.com^ +||adscienceltd.com^ +||adsco.re^ +||adscreendirect.com^ +||adscustsrv.com^ +||adsdk.com^ +||adsdot.ph^ +||adsemirate.com^ +||adsensecamp.com^ +||adsensecustomsearchads.com^ +||adser.io^ +||adservb.com^ +||adservc.com^ +||adserve.ph^ +||adserved.net^ +||adserverplus.com^ +||adserverpub.com^ +||adservf.com^ +||adservg.com^ +||adservicemedia.dk^ +||adservon.com^ +||adservr.de^ +||adservrs.com^ +||adsessionserv.com^ +||adsexo.com^ +||adsfac.eu^ +||adsfac.net^ +||adsfac.us^ +||adsfan.net^ +||adsfarm.site^ +||adsfcdn.com^ +||adsforindians.com^ +||adsfundi.com^ +||adsfuse.com^ +||adshack.com^ +||adshere.online^ +||adshopping.com^ +||adshort.space^ +||adsignals.com^ +||adsilo.pro^ +||adsinstant.com^ +||adskape.ru^ +||adskeeper.co.uk^ +||adskeeper.com^ +||adskpak.com^ +||adslidango.com^ +||adsloom.com^ +||adslot.com^ +||adsluna.com^ +||adsmarket.com^ +||adsnative.com^ +||adsoftware.top^ +||adsonar.com^ +||adsoptimal.com^ +||adsovo.com^ +||adsp.com^ +||adspdbl.com^ +||adspeed.net^ +||adspi.xyz^ +||adspirit.de^ +||adsplay.in^ +||adspop.me^ +||adspredictiv.com^ +||adspyglass.com^ +||adsquash.info^ +||adsrv.me^ +||adsrv.net^ +||adsrv.wtf^ +||adstarget.net^ +||adstean.com^ +||adstico.io^ +||adstik.click^ +||adstook.com^ +||adstracker.info^ +||adstreampro.com^ +||adsupply.com^ +||adsupplyssl.com^ +||adsurve.com^ +||adsvids.com^ +||adsvolum.com^ +||adsvolume.com^ +||adswam.com^ +||adswizz.com^ +||adsxtits.com^ +||adsxtits.pro^ +||adsxyz.com^ +||adt328.com^ +||adt545.net^ +||adt567.net^ +||adt574.com^ +||adt598.com^ +||adtag.cc^ +||adtago.s3.amazonaws.com^ +||adtags.mobi^ +||adtaily.com^ +||adtaily.pl^ +||adtelligent.com^ +||adtival.com^ +||adtlgc.com^ +||adtng.com^ +||adtoadd.com^ +||adtoll.com^ +||adtoma.com^ +||adtonement.com^ +||adtoox.com^ +||adtorio.com^ +||adtotal.pl^ +||adtpix.com^ +||adtrace.online^ +||adtrace.org^ +||adtraction.com^ +||adtrgt.com^ +||adtrieval.com^ +||adtrk18.com^ +||adtrk21.com^ +||adtrue.com^ +||adtrue24.com^ +||adtscriptduck.com^ +||adttmsvcxeri.com^ +||aduld.click^ +||adultadvertising.net^ +||adultcamchatfree.com^ +||adultcamfree.com^ +||adultcamliveweb.com^ +||adultgameexchange.com^ +||adultiq.club^ +||adultlinkexchange.com^ +||adultmoviegroup.com^ +||adultoafiliados.com.br^ +||adultsense.net^ +||adultsense.org^ +||adultsjuniorfling.com^ +||aduptaihafy.net^ +||advancedadblocker.pro^ +||advanceencumbrancehive.com^ +||advancinginfinitely.com^ +||advancingprobationhealthy.com^ +||advang.com^ +||advantageglobalmarketing.com^ +||advantagepublicly.com^ +||advantagespire.com^ +||advard.com^ +||adventory.com^ +||adventurouscomprehendhold.com^ +||adverbrequire.com^ +||adversaldisplay.com^ +||adversalservers.com^ +||adverserve.net^ +||adversespurt.com^ +||adversesuffering.com^ +||advertbox.us^ +||adverti.io^ +||advertica-cdn.com^ +||advertica-cdn2.com^ +||advertica.ae^ +||advertica.com^ +||advertiseimmaculatecrescent.com^ +||advertiserurl.com^ +||advertiseserve.com^ +||advertiseworld.com^ +||advertiseyourgame.com^ +||advertising-cdn.com^ +||advertisingiq.com^ +||advertisingvalue.info^ +||advertjunction.com^ +||advertlane.com^ +||advertlets.com^ +||advertmarketing.com^ +||advertnetworks.com^ +||advertpay.net^ +||adverttulimited.biz^ +||advfeeds.com^ +||advice-ads.s3.amazonaws.com^ +||advinci.co^ +||adviralmedia.com^ +||advise.co^ +||adviseforty.com^ +||advisorded.com^ +||advisorthrowbible.com^ +||adviva.net^ +||advmaker.ru^ +||advmaker.su^ +||advmonie.com^ +||advocacyablaze.com^ +||advocacyforgiveness.com^ +||advocate420.fun^ +||advotionhot.com^ +||advotoffer.com^ +||advp1.com^ +||advp2.com^ +||advp3.com^ +||advpx.com^ +||advpy.com^ +||advpz.com^ +||advtise.net^ +||advtrkone.com^ +||adwalte.info^ +||adway.org^ +||adwx6vcj.com^ +||adx1.com^ +||adx1js.s3.amazonaws.com^ +||adxadserv.com^ +||adxbid.info^ +||adxchg.com^ +||adxfire.in^ +||adxfire.net^ +||adxhand.name^ +||adxion.com^ +||adxnexus.com^ +||adxpansion.com^ +||adxpartner.com^ +||adxplay.com^ +||adxpower.com^ +||adxpremium.services^ +||adxproofcheck.com^ +||adxprtz.com^ +||adxscope.com^ +||adxsrver.com^ +||adxxx.biz^ +||adzhub.com^ +||adziff.com^ +||adzilla.name^ +||adzincome.in^ +||adzintext.com^ +||adzmedia.com^ +||adzmob.com^ +||adzoc.com^ +||adzouk1tag.com^ +||adzpier.com^ +||adzpower.com^ +||adzs.com^ +||ae-edqfrmstp.one^ +||aedileundern.shop^ +||aeefpine.com^ +||aeeg5idiuenbi7erger.com^ +||aeelookithdifyf.com^ +||aeffe3nhrua5hua.com^ +||aegagrilariats.top^ +||aelgdju.com^ +||aenoprsouth.com^ +||aeolinemonte.shop^ +||aerialmistaken.com^ +||aeriedwhicker.shop^ +||aerobiabassing.com^ +||aerodynomach.com^ +||aeroplaneversion.com^ +||aeroseoutfire.top^ +||aesary.com^ +||aetgjds.com^ +||afahivar.com^ +||afahivar.coom^ +||afcnuchxgo.com^ +||afcontent.net^ +||afcyhf.com^ +||afdads.com^ +||afearprevoid.com^ +||aff-online.com^ +||aff-track.net^ +||aff.biz^ +||aff1xstavka.com^ +||affabilitydisciple.com^ +||affableindigestionstruggling.com^ +||affablewalked.com^ +||affairsthin.com^ +||affasi.com^ +||affbot1.com^ +||affbot3.com^ +||affcpatrk.com^ +||affectdeveloper.com^ +||affectincentiveyelp.com^ +||affectionatelypart.com^ +||affectionavenue.site^ +||affelseaeinera.org^ +||affflow.com^ +||affiescoryza.top^ +||affili.st^ +||affiliate-robot.com^ +||affiliate-wg.com^ +||affiliateboutiquenetwork.com^ +||affiliatedrives.com^ +||affiliateer.com^ +||affiliatefuel.com^ +||affiliatefuture.com^ +||affiliategateways.co^ +||affiliatelounge.com^ +||affiliatemembership.com^ +||affiliatenetwork.co.za^ +||affiliates.systems^ +||affiliatesensor.com^ +||affiliatestonybet.com^ +||affiliatewindow.com^ +||affiliationworld.com^ +||affilijack.de^ +||affiliride.com^ +||affiliserve.com^ +||affinitad.com^ +||affinity.com^ +||affirmbereave.com^ +||affiz.net^ +||affjamohw.com^ +||afflat3a1.com^ +||afflat3d2.com^ +||afflat3e1.com^ +||affluentretinueelegance.com^ +||affluentshinymulticultural.com^ +||affmoneyy.com^ +||affnamzwon.com^ +||affordspoonsgray.com^ +||affordstrawberryoverreact.com^ +||affoutrck.com^ +||affpa.top^ +||affplanet.com^ +||affrayteaseherring.com^ +||affroller.com^ +||affstrack.com^ +||affstreck.com^ +||afftrack.com^ +||afftrackr.com^ +||affyrtb.com^ +||afgr1.com^ +||afgr10.com^ +||afgr11.com^ +||afgr2.com^ +||afgr3.com^ +||afgr4.com^ +||afgr5.com^ +||afgr6.com^ +||afgr7.com^ +||afgr8.com^ +||afgr9.com^ +||afgtrwd1.com^ +||afgwsgl.com^ +||afgzipohma.com^ +||afi-thor.com^ +||afiliapub.click^ +||afilliatetraff.com^ +||afkearupl.com^ +||afkwa.com^ +||afloatroyalty.com^ +||afm01.com^ +||afnhc.com^ +||afnyfiexpecttha.info^ +||afodreet.net^ +||afosseel.net^ +||afqsrygmu.com^ +||afr4g5.de^ +||afre.guru^ +||afreetsat.com^ +||afrfmyzaka.com^ +||africaewgrhdtb.com^ +||africawin.com^ +||afshanthough.pro^ +||afterdownload.com^ +||afterdownloads.com^ +||afternoonpregnantgetting.com^ +||aftqhamina.com^ +||aftrk1.com^ +||aftrk3.com^ +||afxjwyg.com^ +||afy.agency^ +||afzueoruiqlx.online^ +||agabreloomr.com^ +||agacelebir.com^ +||agadata.online^ +||agaenteitor.com^ +||agafurretor.com^ +||agagaure.com^ +||agagolemon.com^ +||againboundless.com^ +||againoutlaw.com^ +||againponderous.com^ +||agajx.com^ +||agalarvitaran.com^ +||agalumineonr.com^ +||agamagcargoan.com^ +||agamantykeon.com^ +||aganicewride.click^ +||agaoctillerya.com^ +||agaomastaran.com^ +||agaroidapposer.top^ +||agaskrelpr.com^ +||agaswalotchan.com^ +||agatarainpro.com^ +||agaue-vyz.com^ +||agauxietor.com^ +||agavanilliteom.com^ +||agazskanda.shop^ +||agbuekehb.com^ +||agcdn.com^ +||ageaskedfurther.com^ +||ageetsaimouphih.net^ +||agency2.ru^ +||agffrusilj.com^ +||agflkiombagl.com^ +||aggdubnixa.com^ +||aggravatecapeamoral.com^ +||aggregateknowledge.com^ +||aggregationcontagion.com^ +||aggressivedifficulty.com^ +||aggressivefrequentneckquirky.com^ +||aghppuhixd.com^ +||agilaujoa.net^ +||agileskincareunrented.com^ +||agisdayra.com^ +||agitatechampionship.com^ +||agl001.bid^ +||agl002.online^ +||agl003.com^ +||agle21xe2anfddirite.com^ +||aglocobanners.com^ +||agloogly.com^ +||aglvtwawyzaa.com^ +||agmtrk.com^ +||agnrcrpwyyn.com^ +||agoniedlaissez.com^ +||agooxouy.net^ +||agqoshfujku.com^ +||agqovdqajj.com^ +||agrarianbeepsensitivity.com^ +||agrarianbrowse.com^ +||agraustuvoamico.xyz^ +||agreeableopinion.pro^ +||agreedairdalton.com^ +||agriculturaltacticautobiography.com^ +||agriculturealso.com^ +||agriculturepenthouse.com^ +||agrmufot.com^ +||agroupsaineph.net^ +||agscirowwsr.com^ +||agtongagla.com^ +||agukalty.net^ +||agurgeed.net^ +||agvdvpillox.com^ +||ahadsply.com^ +||ahagreatlypromised.com^ +||ahaurgoo.net^ +||ahbdsply.com^ +||ahcdsply.com^ +||ahdvpuovkaz.com^ +||aheadreflectczar.com^ +||ahfmruafx.com^ +||ahjshyoqlo.com^ +||ahlefind.com^ +||ahmar2four.xyz^ +||ahokaski.com^ +||ahomsoalsoah.net^ +||ahoxirsy.com^ +||ahporntube.com^ +||ahqovxli.com^ +||ahscdn.com^ +||ahtalcruzv.com^ +||ahvradotws.com^ +||ahwbedsd.xyz^ +||aibseensoo.net^ +||aibsgc.com^ +||aibvlvplqwkq.com^ +||aickeebsi.com^ +||aidata.io^ +||aidraiphejpb.com^ +||aidspectacle.com^ +||aiejlfb.com^ +||aiftakrenge.com^ +||aigaithojo.com^ +||aigheebsu.net^ +||aigneloa.com^ +||aignewha.com^ +||aigniltosesh.net^ +||aiiirwciki.com^ +||aijurivihebo.com^ +||aikat-vim.com^ +||aikidosaimable.com^ +||aikraith.net^ +||aikravoapu.com^ +||aikrighawaks.com^ +||aiksohet.net^ +||ailaulsee.com^ +||ailil-fzt.com^ +||ailrilry.com^ +||ailrouno.net^ +||ailteesh.net^ +||aimatch.com^ +||aimaudooptecma.net^ +||aimaunongeez.net^ +||aimpocket.com^ +||aimportfoliosquid.com^ +||aimukreegee.net^ +||aintydevelelastic.com^ +||ainuftou.net^ +||aipofeem.net^ +||aipoufoomsaz.xyz^ +||aiqidwcfrm.com^ +||aiquqqaadd.xyz^ +||airablebuboes.com^ +||airairgu.com^ +||airartapt.site^ +||airaujoog.com^ +||airbornefrench.com^ +||airborneold.com^ +||airconditionpianoembarrassment.com^ +||aircraftairliner.com^ +||aircraftreign.com^ +||airdilute.com^ +||airdoamoord.com^ +||airgokrecma.com^ +||airlessquotationtroubled.com^ +||airpush.com^ +||airsoang.net^ +||airtightcounty.com^ +||airtightfaithful.com^ +||airyeject.com^ +||aisletransientinvasion.com^ +||aisorussooxacm.net^ +||aistekso.net^ +||aistekso.nett^ +||aitertemob.net^ +||aitoocoo.xyz^ +||aitsatho.com^ +||aiveemtomsaix.net^ +||aivoonsa.xyz^ +||aiwlxmy.com^ +||aiwutgxp.love^ +||aixcdn.com^ +||aj1070.online^ +||aj1090.online^ +||aj1432.online^ +||aj1559.online^ +||aj1574.online^ +||aj1716.online^ +||aj1907.online^ +||aj1913.online^ +||aj1985.online^ +||aj2031.online^ +||aj2218.online^ +||aj2396.online^ +||aj2397.online^ +||aj2532.bid^ +||aj2550.bid^ +||aj2555.bid^ +||aj2627.bid^ +||aj3038.bid^ +||ajaiguhubeh.com^ +||ajar-substance.com^ +||ajestigie.com^ +||ajgzylr.com^ +||ajillionmax.com^ +||ajjawcxpao.com^ +||ajkzd9h.com^ +||ajmpeuf.com^ +||ajoosheg.com^ +||ajrkm1.com^ +||ajrkm3.com^ +||ajscdn.com^ +||ajvjpupava.com^ +||ajvnragtua.com^ +||ajxx98.online^ +||ajzgkegtiosk.com^ +||ak-tracker.com^ +||akaiksots.com^ +||akaroafrypan.com^ +||akdbr.com^ +||akeedser.com^ +||akentaspectsof.com^ +||akijk.life^ +||akilifox.com^ +||akinrevenueexcited.com^ +||akjorcnawqp.com^ +||akjoyjkrwaraj.top^ +||aklaqdzukadh.com^ +||aklmjylwvkjbb.top^ +||aklorswikk.com^ +||akmxts.com^ +||akqktwdk.xyz^ +||aksleaj.com^ +||aktwusgwep.com^ +||akutapro.com^ +||akvqulocj.com^ +||akvvraarxa.com^ +||al-adtech.com^ +||alackzokor.com^ +||alacrityimitation.com^ +||alaeshire.com^ +||alagaodealing.com^ +||alanibelen.com^ +||alargeredrubygsw.info^ +||alarmsubjectiveanniversary.com^ +||alas4kanmfa6a4mubte.com^ +||alasvow.com^ +||alaudrup.net^ +||albeitinflame.com^ +||albeittuitionsewing.com^ +||albeitvoiceprick.com^ +||albireo.xyz^ +||albraixentor.com^ +||albumshrugnotoriety.com^ +||albumsomer.com^ +||alcatza.com^ +||alcaydecubages.com^ +||alchemysocial.com^ +||alcidkits.com^ +||alcroconawa.com^ +||aldosesmajeure.com^ +||aldragalgean.com^ +||alecclause.com^ +||alecizeracloir.click^ +||aleilu.com^ +||alepinezaptieh.com^ +||alertlogsemployer.com^ +||alespeonor.com^ +||alesrepreswsenta.com^ +||aletrenhegenmi.com^ +||alexatracker.com^ +||alexisbeaming.com^ +||alfa-track.info^ +||alfa-track2.site^ +||alfasense.com^ +||alfatraffic.com^ +||alfelixstownrus.org^ +||alfelixstownrusis.info^ +||alfredvariablecavalry.com^ +||algg.site^ +||algolduckan.com^ +||algothitaon.com^ +||algovid.com^ +||alhennabahuma.com^ +||alhypnoom.com^ +||alia-iso.com^ +||aliadvert.ru^ +||aliasesargueinsensitive.com^ +||aliasfoot.com^ +||alibabatraffic.com^ +||alibisprocessessyntax.com^ +||alienateafterward.com^ +||alienateappetite.com^ +||alienatebarnaclemonstrous.com^ +||alienateclergy.com^ +||alienaterepellent.com^ +||aliensold.com^ +||alifeupbrast.com^ +||alightbornbell.com^ +||alingrethertantin.info^ +||aliposite.site^ +||alipromo.com^ +||aliquidalgesic.top^ +||aliteartful.com^ +||alitems.co^ +||alitems.com^ +||alitems.site^ +||alivebald.com^ +||aliwjo.com^ +||aliyothvoglite.top^ +||aliyswrk.com^ +||alizebruisiaculturer.org^ +||aljurqbdsxhcgh.com^ +||alkentinedaugha.com^ +||alklinker.com^ +||alkqryamjo.com^ +||allabc.com^ +||allactualjournal.com^ +||allactualstories.com^ +||alladvertisingdomclub.club^ +||allcommonblog.com^ +||allcoolnewz.com^ +||allcoolposts.com^ +||allegationcolanderprinter.com^ +||allegianceenableselfish.com^ +||alleliteads.com^ +||allemodels.com^ +||allenhoroscope.com^ +||allenmanoeuvre.com^ +||allenprepareattic.com^ +||allergicloaded.com^ +||alleviatepracticableaddicted.com^ +||allfb8dremsiw09oiabhboolsebt29jhe3setn.com^ +||allfreecounter.com^ +||allfreshposts.com^ +||allhotfeed.com^ +||allhugeblog.com^ +||allhugefeed.com^ +||allhugenews.com^ +||allhugenewz.com^ +||allhypefeed.com^ +||alliancejoyousbloat.com^ +||allicinarenig.com^ +||allloveydovey.fun^ +||allmt.com^ +||allocatedense.com^ +||allocatelacking.com^ +||allocationhistorianweekend.com^ +||allodsubussu.com^ +||allorfrryz.com^ +||allotnegate.com^ +||allotupwardmalicious.com^ +||allow-to-continue.com^ +||allowancepresidential.com^ +||allowchamber.com^ +||allowflannelmob.com^ +||allowingjustifypredestine.com^ +||allowsmelodramaticswindle.com^ +||alloydigital.com^ +||allpornovids.com^ +||allskillon.com^ +||allsports4free.live^ +||allsports4free.online^ +||allstat-pp.ru^ +||alltopnewz.com^ +||alltopposts.com^ +||alludedaridboob.com^ +||allure-ng.net^ +||allureencourage.com^ +||allureoutlayterrific.com^ +||allusionfussintervention.com^ +||allworkovergot.com^ +||allyes.com^ +||allyprimroseidol.com^ +||almareepom.com^ +||almasatten.com^ +||almetanga.com^ +||almightyexploitjumpy.com^ +||almightypush.com^ +||almightyroomsimmaculate.com^ +||almondusual.com^ +||almonryminuter.com^ +||almostspend.com^ +||almstda.tv^ +||alnormaticalacyc.org^ +||alnzupnulzaw.com^ +||aloatchuraimti.net^ +||aloftloan.com^ +||alonehepatitisenough.com^ +||alongsidelizard.com^ +||alony.site^ +||aloofformidabledistant.com^ +||alota.xyz^ +||aloudhardware.com^ +||aloveyousaidthe.info^ +||alovirs.com^ +||alpangorochan.com^ +||alpenridge.top^ +||alphabetforesteracts.com^ +||alphabetlayout.com^ +||alphabird.com^ +||alphagodaddy.com^ +||alpheratzscheat.top^ +||alphonso.tv^ +||alpidoveon.com^ +||alpine-vpn.com^ +||alpistidotea.click^ +||alpjpyaskpiw.com^ +||alreadyballetrenting.com^ +||alreadywailed.com^ +||alrightcorozo.com^ +||alrightlemonredress.com^ +||alsdebaticalfelixsto.org^ +||alsindustrate.info^ +||alsindustratebil.com^ +||alsolrocktor.com^ +||altaicpranava.shop^ +||altairaquilae.top^ +||altarrousebrows.com^ +||altcoin.care^ +||alterassumeaggravate.com^ +||alterhimdecorate.com^ +||alternads.info^ +||alternatespikeloudly.com^ +||alternativecpmgate.com^ +||alternativeprofitablegate.com^ +||altfafbih.com^ +||altitude-arena.com^ +||altitudeweetonsil.com^ +||altowriestwispy.com^ +||altpubli.com^ +||altrk.net^ +||altronopubacc.com^ +||altynamoan.com^ +||alwaysdomain01.online^ +||alwayspainfully.com^ +||alwayswheatconference.com^ +||alwhichhereal.com^ +||alwhichhereallyw.com^ +||alwingulla.com^ +||alxbgo.com^ +||alxsite.com^ +||alysson.de^ +||alzlwkeavrlw.top^ +||alzwlqexqeh.com^ +||am10.ru^ +||am11.ru^ +||am15.net^ +||amala-wav.com^ +||amalakale.com^ +||amalt-sqc.com^ +||amarceusan.com^ +||amateurcouplewebcam.com^ +||amattepush.com^ +||amazinelistrun.pro^ +||amazon-adsystem.com^ +||amazon-cornerstone.com^ +||ambaab.com^ +||ambeapres.shop^ +||ambientplatform.vn^ +||ambiguitypalm.com^ +||ambiliarcarwin.com^ +||ambitiousdivorcemummy.com^ +||ambolicrighto.com^ +||ambra.com^ +||ambuizeler.com^ +||ambushharmlessalmost.com^ +||amcmuhu.com^ +||amelatrina.com^ +||amendableirritatingprotective.com^ +||amendablepartridge.com^ +||amendablesloppypayslips.com^ +||amendsgeneralize.com^ +||amendsrecruitingperson.com^ +||amentsmodder.com^ +||ameoutofthe.info^ +||ameowli.com^ +||amesgraduatel.xyz^ +||amexcadrillon.com^ +||amfennekinom.com^ +||amgardevoirtor.com^ +||amgdgt.com^ +||amhippopotastor.com^ +||amhpbhyxfgvd.com^ +||amiabledelinquent.com^ +||amidoxypochard.com^ +||aminopay.net^ +||amjllwbovlyba.top^ +||amjoltiktor.com^ +||amjsiksirkh.com^ +||amkbpcc.com^ +||amkxihjuvo.com^ +||amlumineona.com^ +||amlyyqjvjvzmm.top^ +||ammankeyan.com^ +||amnew.net^ +||amnoctowlan.club^ +||amntx1.net^ +||amnwpircuomd.com^ +||amoberficin.top^ +||amoddishor.com^ +||amon1.net^ +||amonar.com^ +||amoochaw.com^ +||amorouslimitsbrought.com^ +||amorphousankle.com^ +||amountdonutproxy.com^ +||amourethenwife.top^ +||amoutjsvp-u.club^ +||amp.rd.linksynergy.com^ +||amp.services^ +||ampcr.io^ +||amplitudesheriff.com^ +||amplitudeundoubtedlycomplete.com^ +||amppidarwoqg.com^ +||ampxchange.com^ +||amre.work^ +||amshroomishan.com^ +||amtmenlana.com^ +||amtracking01.com^ +||amtropiusr.com^ +||amucresol.com^ +||amuletcontext.com^ +||amunfezanttor.com^ +||amunlhntxou.com^ +||amused-ground.com^ +||amusementchillyforce.com^ +||amusementrehearseevil.com^ +||amusementstepfatherpretence.com^ +||amyfixesfelicity.com^ +||amzargfaht.com^ +||amzbtuolwp.com^ +||anacampaign.com^ +||anadignity.com^ +||anaemiaperceivedverge.com^ +||analitits.com^ +||analogydid.com^ +||analytics-active.net^ +||anamaembush.com^ +||anamuel-careslie.com^ +||anapirate.com^ +||anastasia-international.com^ +||anastasiasaffiliate.com^ +||anatomyabdicatenettle.com^ +||anatomybravely.com^ +||anattospursier.com^ +||ancalfulpige.co.in^ +||ancamcdu.com^ +||anceenablesas.com^ +||anceenablesas.info^ +||ancestor3452.fun^ +||ancestorpoutplanning.com^ +||ancestortrotsoothe.com^ +||anceteventur.info^ +||ancientconspicuousuniverse.com^ +||ancznewozw.com^ +||anddescendedcocoa.com^ +||andohs.net^ +||andomedia.com^ +||andomediagroup.com^ +||andriesshied.com^ +||android-cleaners.com^ +||androundher.info^ +||andtheircleanw.com^ +||anentsyshrug.com^ +||aneorwd.com^ +||anewgallondevious.com^ +||anewrelivedivide.com^ +||anewwisdomrigour.com^ +||angege.com^ +||angelesdresseddecent.com^ +||angelesfoldingpatsy.com^ +||angelesperiod.com^ +||angelsaidthe.info^ +||angioiddiantre.top^ +||angledunion.top^ +||angletolerate.com^ +||anglezinccompassionate.com^ +||angrilyanimatorcuddle.com^ +||angrilyinclusionminister.com^ +||angryheadlong.com^ +||anguishedjudgment.com^ +||anguishlonesome.com^ +||anguishmotto.com^ +||anguishworst.com^ +||angularamiablequasi.com^ +||angularconstitution.com^ +||anickeebsoon.com^ +||animatedjumpydisappointing.com^ +||animaterecover.com^ +||animits.com^ +||animoseelegy.top^ +||aninter.net^ +||anisoinmetrize.top^ +||ankdoier.com^ +||ankolisiloam.com^ +||anldnews.pro^ +||anlytics.co^ +||anmdr.link^ +||anmhtutajog.com^ +||annesuspense.com^ +||annlolrjytowfga.xyz^ +||annotationdiverse.com^ +||annotationmadness.com^ +||announcedseaman.com^ +||announcement317.fun^ +||announcementlane.com^ +||announceproposition.com^ +||announcinglyrics.com^ +||annoyancejesustrivial.com^ +||annoyancepreoccupationgrowled.com^ +||annoyanceraymondexcepting.com^ +||annoynoveltyeel.com^ +||annulmentequitycereals.com^ +||annussleys.com^ +||annxwustakf.com^ +||anomalousmelt.com^ +||anomalousporch.com^ +||anonymousads.com^ +||anonymoustrunk.com^ +||anopportunitytost.info^ +||anothermemory.pro^ +||anpptedtah.com^ +||ansusalina.com^ +||answerroad.com^ +||antananarbdivu.com^ +||antarcticfiery.com^ +||antarcticoffended.com^ +||antaresarcturus.com^ +||antcixn.com^ +||antcxk.com^ +||antecedentbees.com^ +||antecedentbuddyprofitable.com^ +||antennaputyoke.com^ +||antennawritersimilar.com^ +||antentgu.co.in^ +||anteog.com^ +||anthemportalcommence.com^ +||antiadblock.info^ +||antiadblocksystems.com^ +||antiaecroon.com^ +||antiagingbiocream.com^ +||antibot.me^ +||anticipatedthirteen.com^ +||anticipateplummorbid.com^ +||anticipationit.com^ +||anticipationnonchalanceaccustomed.com^ +||antijamburet.com^ +||antiquespecialtyimpure.com^ +||antiquitytissuepod.com^ +||antiredcessant.com^ +||antivirussprotection.com^ +||antjgr.com^ +||antlerlode.com^ +||antlerpickedassumed.com^ +||antmyth.com^ +||antoiew.com^ +||antonysurface.com^ +||antpeelpiston.com^ +||antralhokier.shop^ +||antyoubeliketheap.com^ +||anuclsrsnbcmvf.xyz^ +||anurybolded.shop^ +||anwhitepinafore.info^ +||anxiouslyconsistencytearing.com^ +||anxkuzvfim.com^ +||anxomeetqgvvwt.xyz^ +||anybodyproper.com^ +||anybodysentimentcircumvent.com^ +||anydigresscanyon.com^ +||anyinadeditiont.com^ +||anymad.com^ +||anymind360.com^ +||anymoreappeardiscourteous.com^ +||anymorearmsindeed.com^ +||anymorecapability.com^ +||anymorehopper.com^ +||anymoresentencevirgin.com^ +||anysolely.com^ +||anytimesand.com^ +||anywaysreives.com^ +||anzabboktk.com^ +||aoalmfwinbsstec23.com^ +||aoihaizo.xyz^ +||aopapp.com^ +||aortismbutyric.com^ +||ap-srv.net^ +||ap3lorf0il.com^ +||apartemployee.com^ +||apartinept.com^ +||apartsermon.com^ +||apatheticdrawerscolourful.com^ +||apatheticformingalbeit.com^ +||apbieqqb.xyz^ +||apcatcltoph.com^ +||apcpaxwfej.com^ +||apeefacheefirs.net^ +||apeidol.com^ +||apescausecrag.com^ +||apesdescriptionprojects.com^ +||apglinks.net^ +||api168168.com^ +||apiculirackman.top^ +||apidata.info^ +||apiecelee.com^ +||apistatexperience.com^ +||aplombwealden.shop^ +||apnpr.com^ +||apnttuttej.com^ +||apologiesneedleworkrising.com^ +||apologizingrigorousmorally.com^ +||aporasal.net^ +||aporodiko.com^ +||apostilprinks.com^ +||apostlegrievepomp.com^ +||apostropheammunitioninjure.com^ +||app.tippp.io^ +||app2up.info^ +||appads.com^ +||apparatusditchtulip.com^ +||apparelbrandsabotage.com^ +||appbravebeaten.com^ +||appcloudactive.com^ +||appcloudvalue.com^ +||appealingyouthfulhaphazard.com^ +||appealtime.com^ +||appearancegravel.com^ +||appearedcrawledramp.com^ +||appearednecessarily.com^ +||appearedon.com^ +||appearzillionnowadays.com^ +||appeaseprovocation.com^ +||appendad.com^ +||appendixballroom.com^ +||appendixbureaucracycommand.com^ +||appendixwarmingauthors.com^ +||applabzzeydoo.com^ +||applandforbuddies.top^ +||applandlight.com^ +||apple.analnoe24.com^ +||applesometimes.com^ +||applicationmoleculepersonal.com^ +||applicationplasticoverlap.com^ +||applicationsattaindevastated.com^ +||appmateforbests.com^ +||appnow.sbs^ +||appoineditardwide.com^ +||appointedchildorchestra.com^ +||appointeeivyspongy.com^ +||appollo-plus.com^ +||appraisalaffable.com^ +||apprefaculty.pro^ +||approachconducted.com^ +||approbationoutwardconstrue.com^ +||appropriate-bag.pro^ +||appropriatepurse.com^ +||approved.website^ +||apps1cdn.com^ +||appsget.monster^ +||appspeed.monster^ +||appstorages.com^ +||appsyoga.com^ +||apptjmp.com^ +||apptquitesouse.com^ +||appwebview.com^ +||appwtehujwi.com^ +||appyrinceas.com^ +||appzery.com^ +||appzeyland.com^ +||aprilineffective.com^ +||apritvun.com^ +||apromoweb.com^ +||apsmediaagency.com^ +||apsoacou.xyz^ +||apsoopho.net^ +||apt-ice.pro^ +||aptdiary.com^ +||aptimorph.com^ +||aptlydoubtful.com^ +||apus.tech^ +||apvdr.com^ +||apxlv.com^ +||apzgcipacpu.com^ +||aq30me9nw.com^ +||aq7ua5ma85rddeinve.com^ +||aqcutwom.xyz^ +||aqhijerlrosvig.com^ +||aqhz.xyz^ +||aqjbfed.com^ +||aqkkoalfpz.com^ +||aqncinxrexa.com^ +||aqnnysd.com^ +||aqptziligoqn.com^ +||aqspcbz.com^ +||aquentlytujim.com^ +||aqxme-eorex.site^ +||arabicpostboy.shop^ +||araifourabsa.net^ +||aralego.com^ +||aralomomolachan.com^ +||araneidboruca.com^ +||arbersunroof.com^ +||arbourrenewal.com^ +||arbutterfreer.com^ +||arcedcoss.top^ +||archaicchop.com^ +||archaicgrilledignorant.com^ +||archaicin.com^ +||archbishoppectoral.com^ +||archedmagnifylegislation.com^ +||archerpointy.com^ +||archiewinningsneaking.com^ +||architectmalicemossy.com^ +||architecturecultivated.com^ +||architectureholes.com^ +||arcossinsion.shop^ +||arcost54ujkaphylosuvaursi.com^ +||ardentlyexposureflushed.com^ +||ardentlyoddly.com^ +||ardruddigonan.com^ +||ardschatota.com^ +||ardsklangr.com^ +||ardslediana.com^ +||ardssandshrewon.com^ +||ardsvenipedeon.com^ +||arduousyeast.com^ +||areamindless.com^ +||areasnap.com^ +||areelektrosstor.com^ +||areliux.cc^ +||arenalitteraccommodation.com^ +||arenigcools.shop^ +||arenosegesten.shop^ +||argenabovethe.com^ +||argeredru.info^ +||arglingpistole.com^ +||arguebakery.com^ +||arguerepetition.com^ +||argumentsadrenaline.com^ +||argumentsmaymadly.com^ +||arilsoaxie.xyz^ +||ariotgribble.com^ +||aristianewr.club^ +||arithpouted.com^ +||arkdcz.com^ +||arketingefifortw.com^ +||arkfacialdaybreak.com^ +||arkfreakyinsufficient.com^ +||arkunexpectedtrousers.com^ +||arleavannya.com^ +||armamentsummary.com^ +||armarilltor.com^ +||armedtidying.com^ +||armillakanthan.com^ +||arminius.io^ +||arminuntor.com^ +||armisticeexpress.com^ +||armoursviolino.com^ +||army.delivery^ +||armypresentlyproblem.com^ +||arnchealpa.com^ +||arnepurxlbsjiih.xyz^ +||arnimalconeer.com^ +||arnofourgu.com^ +||aromamidland.com^ +||aromatic-possibility.pro^ +||aromaticunderstanding.pro^ +||arosepageant.com^ +||aroundpayslips.com^ +||aroundridicule.com^ +||arousedimitateplane.com^ +||arrangeaffectedtables.com^ +||arrangementhang.com^ +||arraysurvivalcarla.com^ +||arrearsdecember.com^ +||arrearstreatyexamples.com^ +||arrestjav182.fun^ +||arrivaltroublesome.com^ +||arrivedcanteen.com^ +||arrivedeuropean.com^ +||arrivingallowspollen.com^ +||arrlnk.com^ +||arrnaught.com^ +||arrowpotsdevice.com^ +||arrqumzr.com^ +||arsfoundhert.info^ +||arsfoundhertobe.com^ +||arshelmeton.com^ +||arsoniststuffed.com^ +||arswabluchan.com^ +||artditement.info^ +||artefacloukas.click^ +||arterybasin.com^ +||arteryeligiblecatchy.com^ +||artevinesor.com^ +||arthyredir.com^ +||articlegarlandferment.com^ +||articlepawn.com^ +||articulatefootwearmumble.com^ +||artistictastesnly.info^ +||artlessdeprivationunfriendly.com^ +||artoas301endore.com^ +||artonsbewasand.com^ +||artreconnect.com^ +||artsygas.com^ +||arvigorothan.com^ +||arvyxowwcay.com^ +||arwartortleer.com^ +||arwhismura.com^ +||arwobaton.com^ +||as5000.com^ +||asacdn.com^ +||asafesite.com^ +||asajojgerewebnew.com^ +||asandcomemu.info^ +||asbaloney.com^ +||asbulbasaura.com^ +||asccdn.com^ +||asce.xyz^ +||ascensionunfinished.com^ +||ascentflabbysketch.com^ +||ascentloinconvenience.com^ +||ascertainedthetongs.com^ +||ascertainintend.com^ +||ascraftan.com^ +||asdasdad.net^ +||asdf1.online^ +||asdf1.site^ +||asdfdr.cfd^ +||asdidmakingby.info^ +||asdkfefanvt.com^ +||asdpoi.com^ +||asecv.xyz^ +||asespeonom.com^ +||asewlfjqwlflkew.com^ +||asf4f.us^ +||asferaligatron.com^ +||asfgeaa.lat^ +||asgccummig.com^ +||asgclick.com^ +||asgclickkl.com^ +||asgclickpp.com^ +||asgildedalloverw.com^ +||asgorebysschan.com^ +||ashacgqr.com^ +||ashamedbirchpoorly.com^ +||ashamedtriumphant.com^ +||ashameoctaviansinner.com^ +||ashasvsucoce.com^ +||ashasvsucocesis.com^ +||ashcdn.com^ +||ashhgo.com^ +||ashlarinaugur.com^ +||ashlingzanyish.com^ +||ashoreyuripatter.com^ +||ashoupsu.com^ +||ashrivetgulped.com^ +||ashturfchap.com^ +||asiangfsex.com^ +||asidefeetsergeant.com^ +||asipnfbxnt.com^ +||asjknjtdthfu.com^ +||askdomainad.com^ +||askewusurp.shop^ +||askingsitting.com^ +||asklfnmoqwe.xyz^ +||asklinklanger.com^ +||asklots.com^ +||askprivate.com^ +||asksquay.com^ +||aslaironer.com^ +||aslaprason.com^ +||asleavannychan.com^ +||aslnk.link^ +||asnincadar.com^ +||asnoibator.com^ +||asnothycan.info^ +||asnothycantyou.info^ +||aso1.net^ +||asogkhgmgh.com^ +||asopn.com^ +||asoursuls.com^ +||asozordoafie.com^ +||aspaceloach.com^ +||asparagusburstscanty.com^ +||asparagusinterruption.com^ +||asparaguspallorspoken.com^ +||asparaguspopcorn.com^ +||aspectreinforce.com^ +||aspectsofcukorp.com^ +||asperencium.com^ +||asperityhorizontally.com^ +||aspignitean.com^ +||aspirationliable.com^ +||asqconn.com^ +||asraichuer.com^ +||asrelatercondi.org^ +||asrety.com^ +||asricewaterhouseo.com^ +||asrop.xyz^ +||asrowjkagg.com^ +||assailusefullyenemies.com^ +||assassinationsteal.com^ +||assaultmolecularjim.com^ +||assbwaaqtaqx.com^ +||assembleservers.com^ +||assertedclosureseaman.com^ +||assertedelevateratio.com^ +||assertnourishingconnection.com^ +||assetize.com^ +||assignedeliminatebonfire.com^ +||assignmentlonesome.com^ +||assimilatecigarettes.com^ +||assistancelawnthesis.com^ +||assistantasks.com^ +||assithgibed.shop^ +||asslakothchan.com^ +||associationwish.com^ +||assodbobfad.com^ +||assortmentberry.com^ +||assortplaintiffwailing.com^ +||asstaraptora.com^ +||assuagefaithfullydesist.com^ +||assumeflippers.com^ +||assumptivepoking.com^ +||assuranceapprobationblackbird.com^ +||assuredtroublemicrowave.com^ +||assuremath.com^ +||assuretwelfth.com^ +||asswalotr.com^ +||ast2ya4ee8wtnax.com^ +||astaicheedie.com^ +||astarboka.com^ +||astasiacalamar.top^ +||astato.online^ +||astehaub.net^ +||astemolgachan.com^ +||asterbiscusys.com^ +||asteriskwaspish.com^ +||asterrakionor.com^ +||astersrepent.top^ +||astesnlyno.org^ +||astespurra.com^ +||astirduller.com^ +||astivysauran.com^ +||astkyureman.com^ +||astnoivernan.com^ +||astoapsu.com^ +||astoecia.com^ +||astogepian.com^ +||astonishingpenknifeprofessionally.com^ +||astonishlandmassnervy.com^ +||astonishmentfuneral.com^ +||astoundweighadjoining.com^ +||astra9dlya10.com^ +||astrokompas.com^ +||astrologyflyabletruth.com^ +||astronomybreathlessmisunderstand.com^ +||astronomycrawlingcol.com^ +||astronomyfitmisguided.com^ +||astronomytesting.com^ +||astscolipedeor.com^ +||astspewpaor.com^ +||astumbreonon.com^ +||asverymuc.org^ +||asverymucha.info^ +||atabekdoubly.top^ +||atableofcup.com^ +||ataiyalstrays.com^ +||atala-apw.com^ +||atalouktaboutrice.com^ +||atampharosom.com^ +||atanorithom.com^ +||atappanic.click^ +||atas.io^ +||atcelebitor.com^ +||atcoordinate.com^ +||atctpqgota.com^ +||atdeerlinga.com^ +||atdmaincode.com^ +||atdmt.com^ +||atdrilburr.com^ +||ate60vs7zcjhsjo5qgv8.com^ +||ateaudiblydriving.com^ +||atedlitytlement.info^ +||aterroppop.com^ +||atethebenefitsshe.com^ +||atgallader.com^ +||atgenesecton.com^ +||athalarilouwo.net^ +||athbzeobts.com^ +||atheismperplex.com^ +||atherthishinhe.com^ +||athitmontopon.com^ +||athivopou.com^ +||athletedebride.top^ +||athletedurable.com^ +||athletethrong.com^ +||athlg.com^ +||athoaphu.xyz^ +||atholicncesispe.info^ +||athostouco.com^ +||athumiaspuing.click^ +||athvicatfx.com^ +||athyimemediat.com^ +||athyimemediates.info^ +||aticalfelixstownrus.info^ +||aticalmaster.org^ +||atinsolutions.com^ +||ationforeahyouglas.com^ +||ationforeathyougla.com^ +||ativesathyas.info^ +||atjigglypuffor.com^ +||atjogdfzivre.com^ +||atlhjtmjrj.com^ +||atlxpstsf.com^ +||atmalinks.com^ +||atmetagrossan.com^ +||atmewtwochan.com^ +||atmosphericurinebra.com^ +||atmtaoda.com^ +||ato.mx^ +||atodiler.com^ +||atollanaboly.com^ +||atomex.net^ +||atomicarot.com^ +||atonato.de^ +||atonementelectronics.com^ +||atonementfosterchild.com^ +||atonementimmersedlacerate.com^ +||atpanchama.com^ +||atpansagean.com^ +||atpawniarda.com^ +||atqwilfishom.com^ +||atraff.com^ +||atraichuor.com^ +||atriahatband.com^ +||atriblethetch.com^ +||atris.xyz^ +||atrkmankubf.com^ +||atrociouspsychiatricparliamentary.com^ +||atrocityfingernail.com^ +||atsabwhkox.com^ +||atservineor.com^ +||atshroomisha.com^ +||attacarbo.com^ +||attachedkneel.com^ +||attaindisableneedlework.com^ +||attaintobiit.shop^ +||attemptingstray.com^ +||attempttensionfrom.com^ +||attempttipsrye.com^ +||attendedconnectionunique.com^ +||attentioniau.com^ +||attentionsbreastfeeding.com^ +||attentionsoursmerchant.com^ +||attenuatenovelty.com^ +||attepigom.com^ +||attestationaudience.com^ +||attestationoats.com^ +||attestationovernightinvoluntary.com^ +||attestcribaccording.com^ +||attesthelium.com^ +||atthewonderfu.com^ +||atticepuces.com^ +||atticshepherd.com^ +||attingepicrate.com^ +||attractioninvincibleendurance.com^ +||attractivesurveys.com^ +||attractwarningkeel.com^ +||attrapincha.com^ +||attributedbroadcast.com^ +||attributedconcernedamendable.com^ +||attributedharnesssag.com^ +||attributedrelease.com^ +||attritioncombustible.com^ +||atttkaapqvh.com^ +||atwola.com^ +||atzekromchan.com^ +||au2m8.com^ +||aubaigeep.com^ +||auboalro.xyz^ +||auburn9819.com^ +||aucaikse.com^ +||auchoahy.net^ +||auchoons.net^ +||auckodsailtoas.net^ +||aucoudsa.net^ +||audiblereflectionsenterprising.com^ +||audiblyjinx.com^ +||audiencebellowmimic.com^ +||audiencefuel.com^ +||audiencegarret.com^ +||audienceprofiler.com^ +||audiobenasty.shop^ +||audionews.fm^ +||auditioneasterhelm.com^ +||auditioningantidoteconnections.com^ +||auditioningborder.com^ +||auditioningdock.com^ +||auditoriumgiddiness.com^ +||auditorydetainriddle.com^ +||auditude.com^ +||audmrk.com^ +||audrault.xyz^ +||auenpiuqxw.com^ +||auesk.cfd^ +||aufeeque.com^ +||auforau.com^ +||aufrcchptuk.com^ +||auftithu.xyz^ +||augaiksu.xyz^ +||augailou.com^ +||aughableleade.info^ +||augilrunie.net^ +||augurersoilure.space^ +||august15download.com^ +||augustjadespun.com^ +||auhungou.com^ +||aujooxoo.com^ +||aukalerim.com^ +||aukrgukepersao.com^ +||auksizox.com^ +||aukthwaealsoext.com^ +||auktshiejifqnk.com^ +||aulingimpora.club^ +||aulrains.com^ +||aulrertogo.xyz^ +||aulseewhie.com^ +||aulsidakr.com^ +||aulteeby.net^ +||aultesou.net^ +||aultopurg.xyz^ +||aultseemedto.xyz^ +||aumaupoy.net^ +||aumsarso.com^ +||aumsookr.com^ +||aumtoost.net^ +||auneechuksee.net^ +||auneghus.net^ +||aungudie.com^ +||aunsagoa.xyz^ +||aunsaick.com^ +||aunstollarinets.com^ +||auntieminiature.com^ +||auntishmilty.com^ +||auphirtie.com^ +||aupsugnee.com^ +||auptirair.com^ +||aurirdikseewhoo.net^ +||auroraveil.bid^ +||aurousroseola.com^ +||aursaign.net^ +||aurseerd.com^ +||aurtegeejou.xyz^ +||ausoafab.net^ +||ausomsup.net^ +||auspiceguile.com^ +||auspipe.com^ +||aussadroach.net^ +||aussoackou.net^ +||austaihauna.com^ +||austeemsa.com^ +||austere-familiar.com^ +||austeritylegitimate.com^ +||austow.com^ +||autchoog.net^ +||autchopord.net^ +||auteboon.net^ +||authaptixoal.com^ +||authognu.com^ +||authookroop.com^ +||authoritativedollars.com^ +||authoritiesemotional.com^ +||authorizeddear.pro^ +||authorsjustin.com^ +||auto-deploy.pages.dev^ +||auto-im.com^ +||autobiographysolution.com^ +||autochunkintriguing.com^ +||automatedtraffic.com^ +||automateyourlist.com^ +||automaticallyindecisionalarm.com^ +||automenunct.com^ +||autoperplexturban.com^ +||autopsyfowl.com^ +||auxiliarydonor.com^ +||auxiliaryspokenrationalize.com^ +||auxml.com^ +||auytiuhpu.com^ +||avads.co.uk^ +||availablesyrup.com^ +||avalancheofnews.com^ +||avalanchers.com^ +||avatarweb.site^ +||avazu.net^ +||avazutracking.net^ +||avbang3431.fun^ +||avbulb3431.fun^ +||avdebt3431.fun^ +||avecmessougnauy.net^ +||avenaryconcent.com^ +||aveneverseeno.info^ +||avengeburglar.com^ +||avengeghosts.com^ +||avenueinvoke.com^ +||aversionwives.com^ +||avgads.space^ +||avgive3431.fun^ +||avhduwvirosl.com^ +||avhjzemp.com^ +||avhtaapxml.com^ +||aviationbe.com^ +||aviewrodlet.com^ +||avkktuywj.xyz^ +||avloan3431.fun^ +||avmonk3431.fun^ +||avocetdentary.shop^ +||avoihyfziwbn.com^ +||avorgy3431.fun^ +||avouchamazeddownload.com^ +||avowdelicacydried.com^ +||avroad3431.fun^ +||avrom.xyz^ +||avrqaijwdqk.xyz^ +||avrrhodabbk.com^ +||avsink3431.fun^ +||avthelkp.net^ +||avtvcuofgz.com^ +||avucugkccpavsxv.xyz^ +||avview3431.fun^ +||avvxcexk.com^ +||avwgzujkit.com^ +||avwjyvzeymmb.top^ +||avygpim.com^ +||awaitifregularly.com^ +||awaitingutilize.com^ +||awakeclauseunskilled.com^ +||awakeexterior.com^ +||awakenedsour.com^ +||awardchirpingenunciate.com^ +||awardcynicalintimidating.com^ +||aware-living.pro^ +||awarecatching.com^ +||awarenessfundraiserstump.com^ +||awarenessinstance.com^ +||awarenessunprofessionalcongruous.com^ +||awasrqp.xyz^ +||awavjblaaewba.top^ +||away-stay.com^ +||awaydefinitecreature.com^ +||awbbcre.com^ +||awbbjmp.com^ +||awbbsat.com^ +||awbrwrybywaov.top^ +||awcrpu.com^ +||awecr.com^ +||awecre.com^ +||awecrptjmp.com^ +||aweinkbum.com^ +||awejmp.com^ +||awelsorsulte.com^ +||awembd.com^ +||awemdia.com^ +||awempt.com^ +||awemwh.com^ +||awentw.com^ +||aweproto.com^ +||aweprotostatic.com^ +||aweprt.com^ +||awepsi.com^ +||awepsljan.com^ +||awept.com^ +||awesome-blocker.com^ +||awesomeprizedrive.co^ +||awestatic.com^ +||awestc.com^ +||aweyqalyljbj.top^ +||awfulmorning.pro^ +||awfulresolvedraised.com^ +||awhauchoa.net^ +||awhausaifoog.com^ +||awheecethe.net^ +||awhoonule.net^ +||awhoupsou.com^ +||awistats.com^ +||awjadlbwiawt.com^ +||awkwardsuperstition.com^ +||awlaxvnpyf.com^ +||awldcupu.com^ +||awledconside.xyz^ +||awlov.info^ +||awltovhc.com^ +||awmbed.com^ +||awmdelivery.com^ +||awmocpqihh.com^ +||awmplus.com^ +||awmserve.com^ +||awnexus.com^ +||awnwhocamewi.info^ +||awokeconscious.com^ +||awooshimtay.net^ +||awoudsoo.xyz^ +||awpcrpu.com^ +||awprt.com^ +||awptjmp.com^ +||awptlpu.com^ +||aws-itcloud.net^ +||awstaticdn.net^ +||awsurveys.com^ +||awvracajcsu.com^ +||awwagqorqpty.com^ +||awwnaqax.com^ +||awwprjafmfjbvt.xyz^ +||awxgfiqifawg.com^ +||axalgyof.xyz^ +||axbofpnri.com^ +||axdbzqorym.com^ +||axeldivision.com^ +||axepallorstraits.com^ +||axill.com^ +||axillovely.com^ +||axjndvucr.com^ +||axkwmsivme.com^ +||axmocklwa.com^ +||axonix.com^ +||axtlqoo.com^ +||axwnmenruo.com^ +||axwwvfugh.com^ +||axxbbzab.com^ +||axxxfam.com^ +||axxxfeee.lat^ +||axzxkeawbo.com^ +||ay.delivery^ +||ay5u9w4jjc.com^ +||ayads.co^ +||ayaghlq.com^ +||ayarkkyjrmqzw.top^ +||ayboll.com^ +||aycrxa.com^ +||aydandelion.com^ +||ayehxorfaiqry.com^ +||ayga.xyz^ +||ayiztaefkfzs.com^ +||aykqyjzbkkkra.top^ +||aymijlwl.com^ +||aymobi.online^ +||ayrather.com^ +||aywivflptwd.com^ +||ayzylwqazaemj.top^ +||azads.com^ +||azawv.rocks^ +||azbaclxror.com^ +||azbjjbwkeokvj.top^ +||azcmcacuc.com^ +||azenka.one^ +||azeriondigital.com^ +||azj57rjy.com^ +||azjmp.com^ +||azmsmufimw.com^ +||aznapoz.info^ +||aznraxov.com^ +||azoaltou.com^ +||azoogleads.com^ +||azorbe.com^ +||azotvby.com^ +||azpresearch.club^ +||azskk.com^ +||aztecash.com^ +||azulcw7.com^ +||azurousdollar.shop^ +||azxdkucizr.com^ +||azygotesonless.com^ +||b-5-shield.com^ +||b-m.xyz^ +||b014381c95cb.com^ +||b02byun5xc3s.com^ +||b0oie4xjeb4ite.com^ +||b116785e75.com^ +||b1181fb1.site^ +||b194c1c862.com^ +||b1d51fd3c4.com^ +||b1dd039f40.com^ +||b21379380e.com^ +||b21be0a0c8.com^ +||b225.org^ +||b23010ff32.com^ +||b3b4e76625.com^ +||b3b526dee6.com^ +||b3mccglf4zqz.shop^ +||b3stcond1tions.com^ +||b3z29k1uxb.com^ +||b41732fb1b.com^ +||b42rracj.com^ +||b50faca981.com^ +||b57dqedu4.com^ +||b58ncoa1c07f.com^ +||b5e75c56.com^ +||b6b2d31f7e.com^ +||b6f16b3cd2.com^ +||b73uszzq3g9h.com^ +||b76751e155.com^ +||b7bf007bbe.com^ +||b8ce2eba60.com^ +||b8pfulzbyj7h.com^ +||ba46b70722.com^ +||baaomenaltho.com^ +||babbnrs.com^ +||bablohfleshes.com^ +||babun.club^ +||babyboomboomads.com^ +||babyniceshark.com^ +||babysittingrainyoffend.com^ +||baccarat112.com^ +||baccarat212.com^ +||bachelorfondleenrapture.com^ +||bachelorfranz.com^ +||bacishushaby.com^ +||back-drag.pro^ +||backedliar.com^ +||backfiremountslippery.com^ +||backfirestomachreasoning.com^ +||backgroundcocoaenslave.com^ +||backinghinge.shop^ +||backseatabundantpickpocket.com^ +||backseatmarmaladeconsiderate.com^ +||backseatrunners.com^ +||backssensorunreal.com^ +||backsweka.com^ +||backupcelebritygrave.com^ +||baconbedside.com^ +||baculeprudery.com^ +||badeldestarticulate.com^ +||badgeclodvariable.com^ +||badgegirdle.com^ +||badgeimpliedblind.com^ +||badgerchance.com^ +||badjocks.com^ +||badrookrafta.com^ +||badsecs.com^ +||badslopes.com^ +||badspads.com^ +||badtopwitch.work^ +||badword.xyz^ +||baect.com^ +||baetylalgorab.com^ +||bagelseven.com^ +||bageltiptoe.com^ +||baggageconservationcaught.com^ +||baghlachalked.com^ +||baghoglitu.net^ +||baghoorg.xyz^ +||bagiijdjejjcficbaag.world^ +||bagjuxtapose.com^ +||baglaubs.com^ +||baguioattalea.com^ +||bahaismlenaean.shop^ +||bahmemohod.com^ +||bahom.cloud^ +||bahswl.com^ +||baigostapsid.net^ +||baihoagleewhaum.net^ +||baileybenedictionphony.com^ +||bailihaiw.com^ +||bailorunwaged.com^ +||bainushe.com^ +||baipahanoop.net^ +||baiphefim.com^ +||baiseesh.net^ +||baithoph.net^ +||baitpros.net^ +||baiweero.com^ +||baiweluy.com^ +||bajowsxpy.com^ +||bakabok.com^ +||bakatvackzat.com^ +||bakertangiblebehaved.com^ +||bakeryunprofessional.com^ +||bakld.com^ +||baktceamrlic.com^ +||bakteso.ru^ +||balconybudgehappening.com^ +||balconypeer.com^ +||baldappetizingun.com^ +||baldo-toj.com^ +||baldwhizhens.com^ +||baledenseabbreviation.com^ +||baletingo.com^ +||ballarduous.com^ +||ballastaccommodaterapt.com^ +||ballasttheir.com^ +||balldevelopedhangnail.com^ +||ballisticforgotten.com^ +||ballotjavgg124.fun^ +||ballroomexhibitionmid.com^ +||ballroomswimmer.com^ +||balmexhibited.com^ +||baloneyunraked.com^ +||balphyra.com^ +||balvalur.com^ +||bam-bam-slam.com^ +||bambarmedia.com^ +||bampxqmqtlumucs.xyz^ +||bamtinseefta.xyz^ +||banalrestart.com^ +||banawgaht.com^ +||banclip.com^ +||bandageretaliateemail.com^ +||banddisordergraceless.com^ +||bande2az.com^ +||bandelcot.com^ +||bandoraclink.com^ +||bandsaislevow.com^ +||banerator.net^ +||banetabbeetroot.com^ +||bangedzipperbet.com^ +||bangtyranclank.com^ +||banhq.com^ +||banistersconvictedrender.com^ +||banisterslighten.com^ +||bankerbargainingquickie.com^ +||bankerconcludeshare.com^ +||bankerpotatoesrustle.com^ +||bankervehemently.com^ +||bankingbloatedcaptive.com^ +||bankingconcede.com^ +||bankingkind.com^ +||bankingpotent.com^ +||banneradsday.com^ +||banners5html2.com^ +||bantengdisgown.shop^ +||banterteeserving.com^ +||bantervaleral.com^ +||baobabsruesome.com^ +||bapdvtk.com^ +||barazasieve.click^ +||barbabridgeoverprotective.com^ +||barbecuedilatefinally.com^ +||barbmerchant.com^ +||bardatm.ru^ +||bardeearmsize.com^ +||bardicjazzed.com^ +||barecurldiscovering.com^ +||barefootedleisurelypizza.com^ +||barelydresstraitor.com^ +||barelysobby.top^ +||barelytwinkledelegate.com^ +||baresi.xyz^ +||bargainintake.com^ +||bargeagency.com^ +||bargedale.com^ +||barkanpickee.com^ +||barlo.xyz^ +||barmenosmetic.com^ +||barnabaslinger.com^ +||barnaclecocoonjest.com^ +||barnaclewiped.com^ +||baronsurrenderletter.com^ +||barrackssponge.com^ +||barrenhatrack.com^ +||barrenusers.com^ +||barricadecourse.com^ +||barringjello.com^ +||barscreative1.com^ +||barsshrug.com^ +||barteebs.xyz^ +||barterproductionsbang.com^ +||bartondelicate.com^ +||bartonpriority.com^ +||baseauthenticity.co.in^ +||baseballletters.com^ +||baseballrabble.com^ +||basedcloudata.com^ +||basedpliable.com^ +||basementprognosis.com^ +||baseporno.com^ +||basepush.com^ +||basheighthnumerous.com^ +||bashnourish.com^ +||bashwhoopflash.com^ +||basicallyspacecraft.com^ +||basicflownetowork.co.in^ +||basictreadcontract.com^ +||basicwhenpear.com^ +||basindecisive.com^ +||basisscarcelynaughty.com^ +||basisvoting.com^ +||baskdisk.com^ +||basketballshameless.com^ +||basketexceptionfeasible.com^ +||baskgodless.com^ +||baskpension.com^ +||bastarduponupon.com^ +||baste-znl.com^ +||bastingestival.com^ +||bastsmorular.shop^ +||batanwqwo.com^ +||bataviforsee.com^ +||batchhermichermicsecondly.com^ +||batcrack.icu^ +||batebalmy.com^ +||bathabed.com^ +||bathcuddle.com^ +||bathepoliteness.com^ +||batheunits.com^ +||bathroombornsharp.com^ +||battepush.com^ +||battleautomobile.com^ +||baubogla.com^ +||baucheedoa.net^ +||bauchleredries.com^ +||bauptone.com^ +||bauptost.net^ +||baushoaptauw.net^ +||bauviseph.com^ +||bauwonaujouloo.net^ +||bauzoanu.com^ +||bavrix.top^ +||bavxuhaxtqi.com^ +||bawickie.com^ +||bawixi.xyz^ +||bawlerhanoi.website^ +||baxotjdtesah.com^ +||baylnk.com^ +||bayonetukiyoe.top^ +||bayshorline.com^ +||baywednesday.com^ +||bazamodov.ru^ +||bazao.xyz^ +||bbangads.b-cdn.net^ +||bbcrgate.com^ +||bbd834il.de^ +||bbgtranst.com^ +||bbrdbr.com^ +||bbrjelrxnp.com^ +||bc84617c73.com^ +||bcaakxxuf.com^ +||bcd8072b72.com^ +||bceptemujahb.com^ +||bcjikwflahufgo.xyz^ +||bclikeqt.com^ +||bcloudhost.com^ +||bcprm.com^ +||bd33500074.com^ +||bd51static.com^ +||bdbovbmfu.xyz^ +||bdckqpofmclr.com^ +||bdhsahmg.com^ +||bdspulleys.top^ +||bdxhujrned.buzz^ +||be-frioaj.love^ +||be30660063.com^ +||be51586160.com^ +||bea988787c.com^ +||beachanatomyheroin.com^ +||beakerweedjazz.com^ +||beakexcursion.com^ +||beakobjectcaliber.com^ +||beakpee.com^ +||bealafulup.com^ +||beamedshipwreck.com^ +||beamobserver.com^ +||beanborrowed.com^ +||bearableforever.com^ +||bearableusagetheft.com^ +||bearagriculture.com^ +||beardinrather.com^ +||beardyapii.com^ +||bearerdarkfiscal.com^ +||beastintruder.com^ +||beastlyrapillo.shop^ +||beastssmuggleimpatiently.com^ +||beaststokersleazy.com^ +||beataehoose.shop^ +||beatifulapplabland.com^ +||beatifulllhistory.com^ +||beauartisticleaflets.com^ +||beautifulasaweath.info^ +||beautifullyinflux.com^ +||beauty1.xyz^ +||beavertron.com^ +||beaxewr.com^ +||beblass.com^ +||bebloommulvel.com^ +||bebreloomr.com^ +||bebseegn.com^ +||becamedevelopfailure.com^ +||beccc1d245.com^ +||bechatotan.com^ +||becketcoffee.com^ +||beckoverreactcasual.com^ +||becombeeer.com^ +||becomeapartner.io^ +||becomeobnoxiousturk.com^ +||becomesfusionpriority.com^ +||becomesobtrusive.com^ +||becominggunpowderpalette.com^ +||becorsolaom.com^ +||becrustleom.com^ +||becuboneor.com^ +||bedaslonej.com^ +||bedaslonejul.cc^ +||bedbaatvdc.com^ +||beddermidlegs.shop^ +||bedevilantibiotictoken.com^ +||bedirectuklyecon.com^ +||bedodrioer.com^ +||bedodrioon.com^ +||bedrapiona.com^ +||bedsideseller.com^ +||bedvbvb.com^ +||bedwhimpershindig.com^ +||beechverandahvanilla.com^ +||beefcollections.com^ +||beegotou.net^ +||beegrenugoz.com^ +||beehiveavertconfessed.com^ +||beehomemade.com^ +||beemauhu.xyz^ +||beemolgator.com^ +||beenoper.com^ +||beeperdecisivecommunication.com^ +||beepoven.com^ +||beeraggravationsurfaces.com^ +||beeshooloap.net^ +||beestraitstarvation.com^ +||beestuneglon.com^ +||beetrootshady.com^ +||beetrootsquirtexamples.com^ +||beevakum.net^ +||beevalt.com^ +||beewhoapuglih.net^ +||befirstcdn.com^ +||beforehandeccentricinhospitable.com^ +||beforehandopt.com^ +||begantotireo.xyz^ +||beggarlymeatcan.com^ +||beginfrightsuit.com^ +||beginnerfurglow.com^ +||beginnerhooligansnob.com^ +||beginninggoondirections.com^ +||beginningirresponsibility.com^ +||beginningstock.com^ +||beginoppressivegreet.com^ +||begknock.com^ +||begnawnkaliphs.top^ +||begracetindery.com^ +||begwhistlinggem.com^ +||behalflose.com^ +||behalfpagedesolate.com^ +||behalfplead.com^ +||behavedforciblecashier.com^ +||behavelyricshighly.com^ +||behaviorbald.com^ +||beheldconformoutlaw.com^ +||behim.click^ +||behindextend.com^ +||behindfebruary.com^ +||beholdcontents.com^ +||behoppipan.com^ +||beigecombinedsniffing.com^ +||beingajoyto.info^ +||beingajoytow.com^ +||beingsjeanssent.com^ +||beitandfalloni.com^ +||bejirachir.com^ +||bejolteonor.com^ +||beklefkiom.com^ +||bekrookodilechan.com^ +||belamicash.com^ +||belatedsafety.pro^ +||belatedwricht.com^ +||belavoplay.com^ +||beleafwens.shop^ +||belengougha.com^ +||belfrycaptured.com^ +||belfrynonfiction.com^ +||belia-glp.com^ +||belickitungchan.com^ +||beliefnormandygarbage.com^ +||believableboy.com^ +||believemefly.com^ +||believeradar.com^ +||believersymphonyaunt.com^ +||beliketheappyri.info^ +||bellacomparisonluke.com^ +||bellamyawardinfallible.com^ +||bellatrixmeissa.com^ +||bellmandrawbar.com^ +||bellowframing.com^ +||bellowtabloid.com^ +||bellpressinginspector.com^ +||belom.site^ +||belombrea.com^ +||belongedenemy.com^ +||belovedset.com^ +||beltarklate.live^ +||beltsingey.shop^ +||beltwaythrust.com^ +||beludicolor.com^ +||belwrite.com^ +||bemachopor.com^ +||bemadsonline.com^ +||bemanectricr.com^ +||bemedichamchan.com^ +||bemiltankor.com^ +||bemiresunlevel.com^ +||bemobpath.com^ +||bemobtrcks.com^ +||bemobtrk.com^ +||bemocksmunched.com^ +||bemolintrans.shop^ +||bemsongy.com^ +||benced.com^ +||benchdropscommerce.com^ +||benchsuited.com^ +||bendfrequency.com^ +||bendingroyaltyteeth.com^ +||beneathallowing.com^ +||beneathgirlproceed.com^ +||benefactorstoppedfeedback.com^ +||beneficialviewedallude.com^ +||benefitssheasha.com^ +||benelph.de^ +||benengagewriggle.com^ +||benevolencepair.com^ +||benidorinor.com^ +||benignitydesirespring.com^ +||benignityprophet.com^ +||benignitywoofovercoat.com^ +||benonblkd.xyz^ +||benoopto.com^ +||bensonshowd.com^ +||bentyquod.shop^ +||benumelan.com^ +||bepansaer.com^ +||beparaspr.com^ +||bepatsubcool.click^ +||bepawrepave.com^ +||bephungoagno.com^ +||bepilelaities.com^ +||berchchisel.com^ +||bereaveconsciousscuffle.com^ +||bereaveencodefestive.com^ +||bergletiphis.shop^ +||berkshiretoday.xyz^ +||berlipurplin.com^ +||berriescourageous.com^ +||berryheight.com^ +||berryhillfarmgwent.com^ +||berthsorry.com^ +||bertrambawdily.shop^ +||berush.com^ +||berwickveered.shop^ +||besandileom.com^ +||besaylecran.com^ +||besidesparties.com^ +||besitreggae.com^ +||besmeargleor.com^ +||best-girls-around.com^ +||best-offer-for-you.com^ +||best-prize.life^ +||best-seat.pro^ +||best-u.vip^ +||best-video-app.com^ +||best-vpn-app.com^ +||bestadbid.com^ +||bestadload.com^ +||bestadsforyou.com^ +||bestadsrv.com^ +||bestaryua.com^ +||bestchainconnection.com^ +||bestcleaner.online^ +||bestclicktitle.com^ +||bestcond1tions.com^ +||bestcontentaccess.top^ +||bestcontentfacility.top^ +||bestcontentfee.top^ +||bestcontentfood.top^ +||bestcontentfund.top^ +||bestcontenthost.com^ +||bestcontentjob.top^ +||bestcontentoperation.top^ +||bestcontentplan.top^ +||bestcontentprogram.top^ +||bestcontentproject.top^ +||bestcontentprovider.top^ +||bestcontentservice.top^ +||bestcontentsite.top^ +||bestcontenttrade.top^ +||bestcontentuse.top^ +||bestcontentweb.top^ +||bestconvertor.club^ +||bestcpmnetwork.com^ +||bestdisplaycontent.com^ +||bestdisplayformats.com^ +||bestevermotorie.com^ +||bestfuckapps.com^ +||bestfunnyads.com^ +||bestladymeet.life^ +||bestloans.tips^ +||bestmmogame.com^ +||bestofmoneysurvey.top^ +||bestonlinecasino.club^ +||bestowgradepunch.com^ +||bestprizerhere.life^ +||bestreceived.com^ +||bestresulttostart.com^ +||bestrevenuenetwork.com^ +||besttracksolution.com^ +||bestvenadvertising.com^ +||bestwaterhouseoyo.info^ +||bestwinterclck.name^ +||betads.xyz^ +||betahit.click^ +||betalonflamechan.com^ +||betemolgar.com^ +||beterrakionan.com^ +||betforakiea.com^ +||betgorebysson.club^ +||betimbur.com^ +||betjoltiktor.com^ +||betklefkior.com^ +||betmasquerainchan.com^ +||betnidorinoan.net^ +||betotodilea.com^ +||betotodileon.com^ +||betpupitarr.com^ +||betray1266.fun^ +||betrayalmakeoverinstruct.com^ +||betrayedcommissionstocking.com^ +||betrayedrecorderresidence.com^ +||betrendatimon.top^ +||betriolua.com^ +||betrustdoms.com^ +||betshucklean.com^ +||bett2you.net^ +||bett2you.org^ +||bettacaliche.click^ +||bettentacruela.com^ +||betteradsystem.com^ +||bettercontentservice.top^ +||betterdirectit.com^ +||betterdomino.com^ +||bettermeter.com^ +||bettin2you.com^ +||bettingpartners.com^ +||beturtwiga.com^ +||betwinner1.com^ +||betxerneastor.club^ +||betzapdoson.com^ +||beunblkd.xyz^ +||beveledetna.com^ +||bevelerimps.com^ +||beverleyagrarianbeep.com^ +||bewailenquiredimprovements.com^ +||bewailindigestionunhappy.com^ +||bewarevampiresister.com^ +||bewathis.com^ +||bewhechaichi.net^ +||bewoobaton.com^ +||bewperspiths.top^ +||beyanmaan.com^ +||bf-ad.net^ +||bfast.com^ +||bfjhhdmznjh.club^ +||bflgokbupydgr.xyz^ +||bflnandtxqb.com^ +||bfnsnehjbkewk.com^ +||bfxytxdpnk.com^ +||bg4nxu2u5t.com^ +||bgecvddelzg.com^ +||bgkec.global^ +||bh3.net^ +||bhalukecky.com^ +||bhcont.com^ +||bhddsiuo.com^ +||bhigziaww.com^ +||bhkfnroleqcjhm.xyz^ +||bhlom.com^ +||bhlph.com^ +||bhohazozps.com^ +||bhotiyadiascia.com^ +||bhqbirsac.site^ +||bhqfnuq.com^ +||bhqvi.com^ +||bhwfvfevnqg.com^ +||biancasunlit.com^ +||biaseddocumentationacross.com^ +||biasedpushful.com^ +||biaxalstiles.com^ +||bibitheedseck.net^ +||biblecollation.com^ +||biblesausage.com^ +||bibletweak.com^ +||bichosdamiana.com^ +||bicyclelistoffhandpaying.com^ +||bicyclelistworst.com^ +||bid-engine.com^ +||bid.glass^ +||bidadx.com^ +||bidbadlyarsonist.com^ +||bidbeneficial.com^ +||bidberry.net^ +||bidbrain.app^ +||bidclickmedia.com^ +||bidderads.com^ +||biddingfitful.com^ +||bidfhimuqwij.com^ +||bidiology.com^ +||bidster.net^ +||bidsxchange.com^ +||bidtheatre.com^ +||bidtimize.com^ +||bidvance.com^ +||bidverdrd.com^ +||bieldfacia.top^ +||biemedia.com^ +||bifnosblfdpslg.xyz^ +||bifrufhci.com^ +||bigamybigot.space^ +||bigappboi.com^ +||bigbasketshop.com^ +||bigbolz.com^ +||bigbootymania.com^ +||bigchoicegroup.com^ +||bigeagle.biz^ +||bigelowcleaning.com^ +||biggainsurvey.top^ +||biggerluck.com^ +||biggestgainsurvey.top^ +||bigheartedresentfulailment.com^ +||bigotstatuewider.com^ +||bigrourg.net^ +||bigstoreminigames.space^ +||bihunekus.com^ +||biirmjnw.icu^ +||bikrurda.net^ +||bilateralgodmother.com^ +||bilingualwalking.com^ +||bilkersteds.com^ +||billiardsdripping.com^ +||billiardsnotealertness.com^ +||billiardssequelsticky.com^ +||billionstarads.com^ +||billybobandirect.org^ +||billygroups.com^ +||billyhis.com^ +||billypub.com^ +||biloatiw.com^ +||bilsoaphaik.net^ +||bilsyndication.com^ +||bimlocal.com^ +||bin-layer.ru^ +||bin-tds.site^ +||binaryborrowedorganized.com^ +||binaryfailure.com^ +||binaryrecentrecentcut.com^ +||bincatracs.com^ +||bineukdwithme.com^ +||bineukdwithmef.info^ +||binomlink.com^ +||binomnet.com^ +||binomnet3.com^ +||binomtrcks.site^ +||bioces.com^ +||biographyaudition.com^ +||biolw.cloud^ +||biopsyheadless.com^ +||biopsyintruder.com^ +||biosda.com^ +||bipgialxcfvad.xyz^ +||biphic.com^ +||biplihopsdim.com^ +||biptolyla.com^ +||birdnavy.com^ +||birlersbhunder.com^ +||birlinnfrugged.com^ +||biroads.com^ +||birqmiowxfh.com^ +||birthday3452.fun^ +||birthdayinhale.com^ +||biserka.xyz^ +||bisetsoliped.com^ +||bisozkfiv.com^ +||bissailre.com^ +||bit-ad.com^ +||bitbeat7.com^ +||bitdefender.top^ +||bitdragonapp.monster^ +||biteneverthelessnan.com^ +||bitesized-commission.pro^ +||bithow.com^ +||bitsspiral.com^ +||bittenlacygreater.com^ +||bitterborder.pro^ +||bitterdefeatmid.com^ +||bitterlynewspaperultrasound.com^ +||bitternessjudicious.com^ +||bittygravely.com.com^ +||bittygravely.com^ +||bittyordinaldominion.com^ +||biturl.co^ +||bitx.tv^ +||biunialpawnie.top^ +||biuskye.com^ +||biuyuximbrutr.com^ +||bivos.xyz^ +||biwipuque.com^ +||bizographics.com^ +||bizonads-ssp.com^ +||bizoniatump.click^ +||bizrotator.com^ +||bj1110.online^ +||bj2550.com^ +||bjafafesg.com^ +||bjakku.com^ +||bjjkuoxidr.xyz^ +||bjqug.xyz^ +||bjxiangcao.com^ +||bkirfeu.com^ +||bkjhqkohal.com^ +||bklhnlv.com^ +||bkojzevpe.com^ +||bkr5xeg0c.com^ +||bktdmqdcvshs.xyz^ +||bktsauna.com^ +||bkujacocdop.com^ +||bkyqhavuracs.com^ +||bl0uxepb4o.com^ +||bl230126pb.com^ +||blabbasket.com^ +||blackandwhite-temporary.com^ +||blackcurrantinadequacydisgusting.com^ +||blackenheartbreakrehearsal.com^ +||blackenseaside.com^ +||blacklinknow.com^ +||blacklinknowss.co^ +||blackmailarmory.com^ +||blackmailbrigade.com^ +||blackmailingpanic.com^ +||blackmailshoot.com^ +||blackname.biz^ +||blacknessfinancialresign.com^ +||blacknesskangaroo.com^ +||blacknesskeepplan.com^ +||blacurlik.com^ +||bladespanel.com^ +||bladessweepunprofessional.com^ +||bladswetis.com^ +||blamads.com^ +||blamechevyannually.com^ +||bland-factor.pro^ +||blanddish.pro^ +||blank-tune.pro^ +||blareclockwisebead.com^ +||blaring-chocolate.com^ +||blarnyzizzles.shop^ +||blasphemebelfry.com^ +||blastcahs.com^ +||blastpainterclerk.com^ +||blastsufficientlyexposed.com^ +||blastworthwhilewith.com^ +||blatwalm.com^ +||blaze-media.com^ +||blazesomeplacespecification.com^ +||blazonstowel.com^ +||blbesnuff.digital^ +||blcdog.com^ +||bleaborahmagtgi.org^ +||bleachimpartialtrusted.com^ +||blearspellaea.shop^ +||bleedingofficecontagion.com^ +||blehcourt.com^ +||blendedbird.com^ +||blessedhurtdismantle.com^ +||blessgravity.com^ +||blesshunt.com^ +||blessinghookup.com^ +||blessingsome.com^ +||blg-1216lb.com^ +||blindefficiency.pro^ +||blindnessmisty.com^ +||blindnessselfemployedpremature.com^ +||blinkedlanentablelanentableunavailable.com^ +||blinkjork.com^ +||blinkpainmanly.com^ +||blinktowel.com^ +||blismedia.com^ +||blisscleopatra.com^ +||blissfulclick.pro^ +||blissfuldes.com^ +||blissfulmass.com^ +||blisterpompey.com^ +||blistest.xyz^ +||bllom.cloud^ +||blmibao.com^ +||bloblohub.com^ +||blobsurnameincessant.com^ +||block-ad.com^ +||blockadsnot.com^ +||blockchain-ads.com^ +||blockchaintop.nl^ +||blockingdarlingshrivel.com^ +||blocksly.org^ +||blogger2020.com^ +||bloggerex.com^ +||blogherads.com^ +||blogostock.com^ +||blondeopinion.com^ +||blondhoverhesitation.com^ +||bloodagitatedbeing.com^ +||bloodlessarchives.com^ +||bloodmaintenancezoom.com^ +||blooks.info^ +||blossomfertilizerproperly.com^ +||blowlanternradical.com^ +||blownsuperstitionabound.com^ +||blowsebarbers.shop^ +||blu5fdclr.com^ +||blubberrivers.com^ +||blubberspoiled.com^ +||bludgeentraps.com^ +||bludwan.com^ +||blue-coffee.pro^ +||blue99703.com^ +||blueberryastronomy.com^ +||bluedawning.com^ +||blueingpoori.com^ +||bluelinknow.com^ +||blueparrot.media^ +||blueswordksh.com^ +||bluffybluffysterility.com^ +||bluishgrunt.com^ +||bluitesqiegbo.xyz^ +||blunderadventurouscompound.com^ +||blurbreimbursetrombone.com^ +||bmcdn1.com^ +||bmcdn2.com^ +||bmcdn3.com^ +||bmcdn4.com^ +||bmcdn5.com^ +||bmcdn6.com^ +||bmjidc.xyz^ +||bmkz57b79pxk.com^ +||bmlcuby.com^ +||bmycupptafr.com^ +||bmzgcv-eo.rocks^ +||bn5x.net^ +||bnagilu.com^ +||bncloudfl.com^ +||bngdin.com^ +||bngdyn.com^ +||bngmadjd.de^ +||bngprl.com^ +||bngprm.com^ +||bngpst.com^ +||bngpt.com^ +||bngrol.com^ +||bngtrak.com^ +||bngwlt.com^ +||bnhnkbknlfnniug.xyz^ +||bnhtml.com^ +||bnmjjwinf292.com^ +||bnmkl.com^ +||bnmnkib.com^ +||bnmtgboouf.com^ +||bnpknicjeb.com^ +||bnr.sys.lv^ +||bnrdom.com^ +||bnrs.it^ +||bnrsis.com^ +||bnrslks.com^ +||bnserving.com^ +||bo2ffe45ss4gie.com^ +||boabeeniptu.com^ +||boacheeb.com^ +||boachiheedooy.net^ +||boagleetsurvey.space^ +||boahnoy.com^ +||boalawoa.xyz^ +||boannre.com^ +||boannred.com^ +||boaphaps.net^ +||boardmotion.xyz^ +||boardpress-b.online^ +||boarshrubforemost.com^ +||boastemployer.com^ +||boastfive.com^ +||boasttrial.com^ +||boastwelfare.com^ +||boatheeh.com^ +||boatjadeinconsistency.com^ +||boatoamo.com^ +||bobabillydirect.org^ +||bobboro.com^ +||bobgames-prolister.com^ +||bobpiety.com^ +||bobqucc.com^ +||bockblunter.top^ +||bocoyoutage.com^ +||bodaichi.xyz^ +||bodccpzqyyy.com^ +||bodelen.com^ +||bodieshomicidal.com^ +||bodilypotatoesappear.com^ +||bodilywondering.com^ +||bodyignorancefrench.com^ +||bodytasted.com^ +||boffinsoft.com^ +||boffoadsfeeds.com^ +||boffonewelty.com^ +||bofhlzu.com^ +||bogletdent.shop^ +||bogrodius.com^ +||bogus-disk.com^ +||bohkhufmvwim.online^ +||boilabsent.com^ +||boiledperseverance.com^ +||boilerefforlessefforlessregistered.com^ +||boilingloathe.com^ +||boilingtrust.pro^ +||boilingviewed.com^ +||boilslashtasted.com^ +||bokeden.com^ +||boksaumetaixa.net^ +||boldboycott.com^ +||boldscantyfrustrating.com^ +||boledrouth.top^ +||bollyocean.com^ +||boloptrex.com^ +||bolrookr.com^ +||bolsek.ru^ +||bolssc.com^ +||bolteffecteddanger.com^ +||boltepse.com^ +||bomqonpfzx.com^ +||bonad.io^ +||bonafides.club^ +||bondagecoexist.com^ +||bondagetrack.com^ +||bondfondif.com^ +||bonduccodline.com^ +||bonepa.com^ +||bonertraffic13.info^ +||bonertraffic14.info^ +||bonesinoffensivebook.com^ +||bongacams7.com^ +||bongaucm.xyz^ +||bonnettaking.com^ +||bonomans.com^ +||bonorumarctos.top^ +||bonus-app.net^ +||bonusmaniac.com^ +||bonusshatter.com^ +||bonyspecialist.pro^ +||bonzai.ad^ +||boodaisi.xyz^ +||boodiecawquaw.top^ +||boogopee.com^ +||bookadil.com^ +||bookbannershop.com^ +||bookedbonce.top^ +||bookeryboutre.com^ +||bookletfreshmanbetray.com^ +||bookmakers.click^ +||bookmsg.com^ +||bookpostponemoreover.com^ +||bookshelfcomplaint.com^ +||bookstaircasenaval.com^ +||bookstoreforbiddeceive.com^ +||boom-boom-vroom.com^ +||boomads.com^ +||boominfluxdrank.com^ +||boomouso.xyz^ +||boomspomard.shop^ +||booseed.com^ +||booshoatoocotez.net^ +||boost-next.co.jp^ +||boostaubeehy.net^ +||boostcdn.net^ +||boostclic.com^ +||boostcpm.su^ +||booster-vax.com^ +||booster.monster^ +||boostog.net^ +||bootharchie.com^ +||boothoaphi.com^ +||bootstrap-framework.org^ +||bootstraplugin.com^ +||bootvolleyball.com^ +||boovoogie.net^ +||bop-bop-bam.com^ +||boqmjxtkwn.com^ +||borablejoky.shop^ +||borakmolests.top^ +||bordsnewsjule.com^ +||boreaszolaism.com^ +||borehatchetcarnival.com^ +||boreusorgans.top^ +||borhaj.com^ +||boringbegglanced.com^ +||boringoccasion.pro^ +||bornebeautify.com^ +||bororango.com^ +||borotango.com^ +||boroup.com^ +||borrowedtransition.com^ +||borrowingbalm.com^ +||borrowjavgg124.fun^ +||borumis.com^ +||borzjournal.ru^ +||bosda.xyz^ +||boshaulr.net^ +||bosomunidentifiedbead.com^ +||bosplyx.com^ +||bossdescendentrefer.com^ +||bossyinternal.pro^ +||bostonwall.com^ +||bostopago.com^ +||bot-checker.com^ +||bothererune.com^ +||bothoorgoamsab.net^ +||bothsemicolon.com^ +||bothwest.pro^ +||botsaunirt.com^ +||bottledchagrinfry.com^ +||bottledfriendship.com^ +||bottleschance.com^ +||bottlescharitygrowth.com^ +||bottleselement.com^ +||boudinminding.shop^ +||boudja.com^ +||boufikesha.net^ +||boughtjovialamnesty.com^ +||bouhaisaufy.com^ +||bouhoagy.net^ +||bouleethie.net^ +||boulevardpilgrim.com^ +||bounceads.net^ +||bouncebidder.com^ +||bouncy-wheel.pro^ +||boundarygoose.com^ +||boundsinflectioncustom.com^ +||boupeeli.com^ +||bouptosaive.com^ +||bourrepardale.com^ +||boustahe.com^ +||bousyapinoid.top^ +||bouteesh.com^ +||bouwehee.xyz^ +||bouwhaici.net^ +||bowedcounty.com^ +||boweddemand.com^ +||bowermisrule.com^ +||bowerywill.com^ +||bowldescended.com^ +||bowlprick.com^ +||bowlpromoteintimacy.com^ +||boxappellation.com^ +||boxernightdilution.com^ +||boxernipplehopes.com^ +||boxerparliamenttulip.com^ +||boxif.xyz^ +||boxiti.net^ +||boxlikepavers.com^ +||boxofficehelping.com^ +||boxofwhisper.com^ +||boycottcandle.com^ +||boyfriendtrimregistered.com^ +||boyishdetrimental.com^ +||boyughaye.com^ +||boyunakylie.com^ +||boywhowascr.info^ +||bp9l1pi60.pro^ +||bpazidzib.com^ +||bpmvdlt.com^ +||bpmvkvb.com^ +||bptracking.com^ +||bqeuffmdobmpoe.xyz^ +||bqkwfioyd.xyz^ +||bqsnmpwxwd.buzz^ +||br3azil334nutsz.com^ +||br3i.space^ +||bracespickedsurprise.com^ +||braceudder.com^ +||brada.buzz^ +||bradleysolarconstant.com^ +||braflipperstense.com^ +||bragspiritualstay.com^ +||braidprosecution.com^ +||braidrainhypocrite.com^ +||braidsagria.com^ +||brainient.com^ +||brainlessshut.com^ +||brainlyads.com^ +||brainsdulc.com^ +||braintb.com^ +||brakesequator.com^ +||brakestrucksupporter.com^ +||braketoothbrusheject.com^ +||brakiefissive.com^ +||braktern.com^ +||branchr.com^ +||branchyherbs.uno^ +||brand-display.com^ +||brand.net^ +||brandads.net^ +||brandaffinity.net^ +||brandamen.com^ +||brandclik.com^ +||branddnewcode1.me^ +||brandlabs.ai^ +||brandnewapp.pro^ +||brandnewsnorted.com^ +||brandreachsys.com^ +||brandscallioncommonwealth.com^ +||branleranger.com^ +||brasscurls.com^ +||brassstacker.com^ +||brasthingut.com^ +||bravespace.pro^ +||bravetense.com^ +||bravotrk.com^ +||brawlperennialcalumny.com^ +||brazenwholly.com^ +||brazilprocyon.com^ +||breadpro.com^ +||breadsincerely.com^ +||breadthneedle.com^ +||breakfastinvitingdetergent.com^ +||breakfastsinew.com^ +||breakingarable.com^ +||breakingfeedz.com^ +||breakingreproachsuspicions.com^ +||breakthroughfuzzy.com^ +||breardsfyce.shop^ +||breastfeedingdelightedtease.com^ +||breathtakingdetachwarlock.com^ +||brecaqogx.com^ +||brechimys.shop^ +||brechtembrowd.com^ +||bred4tula.com^ +||breechesbottomelf.com^ +||breechessteroidconsiderable.com^ +||breedergig.com^ +||breederpainlesslake.com^ +||breederparadisetoxic.com^ +||breedingpulverize.com^ +||breedtagask.com^ +||breezefraudulent.com^ +||brewailmentsubstance.com^ +||brewingjoie.com^ +||brewsuper.com^ +||bridedeed.com^ +||brideshieldstaircase.com^ +||bridgearchly.com^ +||bridgetrack.com^ +||briefaccusationaccess.com^ +||briefcasebuoyduster.com^ +||briefengineer.pro^ +||brieflizard.com^ +||briefready.com^ +||briefredos.click^ +||brightcriticism.com^ +||brightenpleasurejest.com^ +||brighteroption.com^ +||brightonclick.com^ +||brightscarletclo.com^ +||brightshare.com^ +||brikinhpaxk.com^ +||brillianceherewife.com^ +||brimmallow.com^ +||bringchukker.com^ +||bringglacier.com^ +||bringthrust.com^ +||brinkprovenanceamenity.com^ +||brioletredeyes.com^ +||bristlemarinade.com^ +||bristlepuncture.com^ +||britaininspirationsplendid.com^ +||brithungown.com^ +||britishbeheldtask.com^ +||britishgrease.com^ +||britishinquisitive.com^ +||brittleraising.com^ +||brittlesturdyunlovable.com^ +||brixfdbdfbtp.com^ +||brizzdirging.top^ +||brksxofnsadkb.xyz^ +||bro.kim^ +||bro4.biz^ +||broadensilkslush.com^ +||broadliquorsecretion.com^ +||broadsheetblaze.com^ +||broadsheetcounterfeitappeared.com^ +||broadsheetorsaint.com^ +||broadsheetspikesnick.com^ +||broadsimp.site^ +||broadsview.site^ +||brocardcored.com^ +||broced.co^ +||brocode1s.com^ +||brocode2s.com^ +||brocode3s.com^ +||brodieoccurs.shop^ +||brodmn.com^ +||brodownloads.site^ +||brogetcode1s.com^ +||brogetcode4s.cc^ +||broghpiquet.com^ +||broidensordini.com^ +||brokemeritreduced.com^ +||brokennails.org^ +||brokerbabe.com^ +||brokercontinualpavement.com^ +||brokergesture.com^ +||brokerspunacquired.com^ +||bromanoters.shop^ +||bromidsluluai.com^ +||bromiuswickets.shop^ +||bromoilnapalms.com^ +||bromoneg.shop^ +||bromusic.site^ +||bromusic3s.site^ +||bronca.site^ +||bronzeinside.com^ +||broochtrade.com^ +||brookredheadpowerfully.com^ +||broredir1s.site^ +||brothersparklingresolve.com^ +||broughtenragesince.com^ +||broughtincompatiblewasp.com^ +||broweb.site^ +||brown-gas.com^ +||broworker4s.com^ +||broworker6s.com^ +||broworker7.com^ +||broworkers5s.com^ +||browse-boost.com^ +||browserdownloadz.com^ +||browserr.top^ +||browsers.support^ +||browsesafe-page.info^ +||browsiprod.com^ +||browsobsolete.com^ +||brqhyzk.com^ +||brtsumthree.com^ +||brucelead.com^ +||bruceleadx.com^ +||bruceleadx1.com^ +||brughsasha.shop^ +||bruisedpaperworkmetre.com^ +||bruiseslumpy.com^ +||bruisesromancelanding.com^ +||brunchcreatesenses.com^ +||brunetteattendanceawful.com^ +||bruntstabulae.com^ +||brutishlylifevoicing.com^ +||brygella.com^ +||bryny.xyz^ +||bryond.com^ +||bsantycbjnf.com^ +||bsbrcdna.com^ +||bservr.com^ +||bsgbd77l.de^ +||bshrdr.com^ +||bsilzzc.com^ +||bsjusnip.com^ +||bsvhxfxckrmixla.xyz^ +||btagmedia.com^ +||btdirectnav.com^ +||btdnav.com^ +||btkwlsfvc.com^ +||btnativedirect.com^ +||btodsjr.com^ +||btpnative.com^ +||btpnav.com^ +||btpremnav.com^ +||btprmnav.com^ +||bttrack.com^ +||btvhdscr.com^ +||btvuiqgio.xyz^ +||btxxxnav.com^ +||buatru.xyz^ +||bubbledevotion.com^ +||bubblestownly.com^ +||bubbly-condition.pro^ +||bubrintta.com^ +||buckeyekantars.com^ +||buckumoore.com^ +||buckwheatchipwrinkle.com^ +||bucojjqcica.com^ +||buddhicopts.com^ +||buddyassetstupid.com^ +||buddyguests.com^ +||budgepenitent.com^ +||budgepoachaction.com^ +||budgetportrait.com^ +||budsminepatent.com^ +||budvawshes.ru^ +||buffalocommercialplantation.com^ +||buffcenturythreshold.com^ +||buffethypothesis.com^ +||buffetreboundfoul.com^ +||bugattest.com^ +||bugdt-ica.rocks^ +||bugleczmoidgxo.com^ +||buglesembarge.top^ +||bugs2022.com^ +||bugsattended.com^ +||bugsenemies.com^ +||bugstractorbring.com^ +||buicks.xyz^ +||buikolered.com^ +||buildnaq91.site^ +||buildneighbouringteam.com^ +||builthousefor.com^ +||builtinintriguingchained.com^ +||builtinproceeding.com^ +||bujerdaz.com^ +||bukshiunchair.shop^ +||bukusukses.com^ +||bukzvsflpo.com^ +||bulbofficial.com^ +||bulbousloth.shop^ +||bulcqmteuc.com^ +||bulginglair.com^ +||bulgingquintet.top^ +||bulkaccompanying.com^ +||bulkconflictpeculiarities.com^ +||bulkd.co^ +||bulky-battle.com^ +||bulkyfriend.com^ +||bull3t.co^ +||bullads.net^ +||bulletinwarmingtattoo.com^ +||bulletproxy.ch^ +||bullfeeding.com^ +||bullionglidingscuttle.com^ +||bullionyield.com^ +||bullyingmusetransaction.com^ +||bulochka.xyz^ +||bulrev.com^ +||bulserv.com^ +||bultaika.net^ +||bulyiel.com^ +||bumaqblyqviw.fun^ +||bumblecash.com^ +||bumlabhurt.live^ +||bummalodenary.top^ +||bummerentertain.com^ +||bumog.xyz^ +||bumpexchangedcadet.com^ +||bumpthank.com^ +||bumxmomcu.com^ +||bunbeautifullycleverness.com^ +||bundlerenown.com^ +||bunfreezer.com^ +||bungalowdispleasedwheeled.com^ +||bungaloweighteenbore.com^ +||bungalowlame.com^ +||bungalowsimply.com^ +||bungeedubbah.com^ +||bungingimpasto.com^ +||bunglersignoff.com^ +||bunintruder.com^ +||bunjaraserumal.com^ +||bunnslibby.com^ +||bunquaver.com^ +||bunth.net^ +||bunzamxbtj.space^ +||buoyant-quote.pro^ +||buoycranberrygranulated.com^ +||buoydeparturediscontent.com^ +||bupatp.com^ +||bupnjndj.com^ +||buqajvxicma.com^ +||buqkrzbrucz.com^ +||buram.xyz^ +||burbarkholpen.com^ +||bureauelderlydivine.com^ +||bureautrickle.com^ +||bureauxcope.casa^ +||burgea.com^ +||burglaryeffectuallyderange.com^ +||burglaryrunner.com^ +||burialsupple.com^ +||burlapretorted.com^ +||burlyenthronebye.com^ +||burntarcherydecompose.com^ +||burntclear.com^ +||burydwellingchristmas.com^ +||busedsoccage.shop^ +||busherdebates.com^ +||bushibousy.click^ +||bushsurprising.com^ +||busilyenterprisingforetaste.com^ +||businessenviron.com^ +||businessessities.com^ +||businesslinenow.com^ +||businessmenmerchandise.com^ +||businesstremendoushad.com^ +||buskerreshoes.website^ +||busticsfibrose.com^ +||bustlefungus.com^ +||bustlemiszone.com^ +||bustling-let.pro^ +||busychopdenounce.com^ +||butcherhashexistence.com^ +||buticiodized.shop^ +||butterflypronounceditch.com^ +||butterflyunkindpractitioner.com^ +||buttersource.com^ +||buuftxcii.com^ +||buxbaumiaceae.sbs^ +||buxfmookn.com^ +||buyadvupfor24.com^ +||buyeasy.by^ +||buyfrightencheckup.com^ +||buylnk.com^ +||buyvisblog.com^ +||buzzardcraizey.com^ +||buzzdancing.com^ +||buzzingdiscrepancyheadphone.com^ +||buzzvids-direct.com^ +||bvaklczasp.com^ +||bvengezq.com^ +||bvmcdn.com^ +||bvmcdn.net^ +||bwgmymp.com^ +||bwoqusogsrar.com^ +||bwozo9iqg75l.shop^ +||bwpuoba.com^ +||bwtcilgll.com^ +||bwtpaygvgunxx.com^ +||bwvofgqhmab.com^ +||bxacmsvmxb.com^ +||bxbkh.love^ +||bxpwfdmmhlgccon.com^ +||bxrtwyavhyb.online^ +||bxsk.site^ +||bxvlyrw.com^ +||byambipoman.com^ +||byardoccurs.com^ +||byaronan.com^ +||bybastiodoner.com^ +||bycarver.com^ +||bycelebian.com^ +||byfoongusor.com^ +||bygliscortor.com^ +||bygoingawning.shop^ +||bygonearabin.top^ +||bygoneskalpas.shop^ +||bygoneudderpension.com^ +||bygsworlowe.info^ +||byhoppipan.com^ +||bynamebosh.com^ +||bynix.xyz^ +||bypassmaestro.com^ +||bytesdictatescoop.com^ +||bytogeticr.com^ +||bywordmiddleagedpowder.com^ +||byyanmaor.com^ +||byzoruator.com^ +||bzamusfalofn.com^ +||bzniungh.com^ +||bzoodfalqge.online^ +||bzwo2lmwioxa.com^ +||bzydilasq.com^ +||c-trzylshv.vip^ +||c019154d29.com^ +||c0594.com^ +||c0ae703671.com^ +||c0me-get-s0me.net^ +||c12c813990.com^ +||c1595223cf.com^ +||c26817682b.com^ +||c26b742fa3.com^ +||c2dbb597b0.com^ +||c3759f7e8a.com^ +||c43a3cd8f99413891.com^ +||c44wergiu87heghoconutdx.com^ +||c473f6ab10.com^ +||c5cdfd1601.com^ +||c5e739a769.com^ +||c67209d67f.com^ +||c6ec2f3763.com^ +||c7vw6cxy7.com^ +||c81cd15a01.com^ +||c83cf15c4f.com^ +||c917ed5198.com^ +||c9emgwai66zi.com^ +||c9l.xyz^ +||ca3b526022.com^ +||ca4psell23a4bur.com^ +||ca5f66c8ef.com^ +||caahwq.com^ +||caapuxmi.com^ +||cabackoverlax.com^ +||cabbagesemestergeoffrey.com^ +||cabhwq.com^ +||cabnnr.com^ +||cabombaskopets.life^ +||cachegorilla.com^ +||cachuadirked.top^ +||cadencedisruptgoat.com^ +||cadlsyndicate.com^ +||cadrctlnk.com^ +||cadsecs.com^ +||cadsimz.com^ +||cadskiz.com^ +||caecadissoul.com^ +||caesarmausoleum.com^ +||cafeteriasobwaiter.com^ +||cagakzcwyr.com^ +||cageinattentiveconfederate.com^ +||caglaikr.net^ +||caglonseeh.com^ +||cagolgzazof.com^ +||cagothie.net^ +||cahxpivu.com^ +||caicuptu.xyz^ +||caigobou.com^ +||caigoowheephoa.xyz^ +||cailegra.com^ +||caimovaur.net^ +||caistireew.net^ +||caitoasece.com^ +||caiwauchegee.net^ +||caizaipt.net^ +||caizutoh.xyz^ +||cajangeurymus.com^ +||cakangautchus.net^ +||calamitydisc.com^ +||calamityfortuneaudio.com^ +||calasterfrowne.info^ +||calcpol.com^ +||calculateproducing.com^ +||calendarpedestal.com^ +||calibrelugger.com^ +||calksenfire.com^ +||callalelel.info^ +||calledoccultimprovement.com^ +||callprintingdetailed.com^ +||callyourinformer.com^ +||calm-length.pro^ +||calmbytedishwater.com^ +||calmlyilldollars.com^ +||calmlyvacuumwidth.com^ +||calomelsiti.com^ +||caltertangintin.com^ +||caltropsheerer.shop^ +||calvali.com^ +||calyclizaires.com^ +||camads.net^ +||camberchimp.com^ +||cambridgeinadmissibleapathetic.com^ +||cameesse.net^ +||camelcappuccino.com^ +||cameraunfit.com^ +||camiocw.com^ +||cammpaign.com^ +||camouque.net^ +||campingknown.com^ +||camplacecash.com^ +||campootethys.com^ +||camprime.com^ +||camptrck.com^ +||camptwined.com^ +||campusmister.com^ +||cams.gratis^ +||camschat.net^ +||camshq.info^ +||camsitecash.com^ +||camzap.com^ +||can-get-some.in^ +||can-get-some.net^ +||canadianbedevil.com^ +||canarystarkcoincidence.com^ +||cancriberths.com^ +||candiedguilty.com^ +||candleannihilationretrieval.com^ +||candyai.love^ +||candyhiss.com^ +||candypeaches.com^ +||candyschoolmasterbullying.com^ +||canededicationgoats.com^ +||canellecrazy.com^ +||canelorets.com^ +||canganzimbi.com^ +||cank.xyz^ +||canoemissioninjunction.com^ +||canoevaguely.com^ +||canoperation.com^ +||canopusacrux.com^ +||canopusacrux.top^ +||canopusastray.top^ +||canstrm.com^ +||canvassblanketjar.com^ +||canzosswager.com^ +||cap-cap-pop.com^ +||capaciousdrewreligion.com^ +||caperedlevi.com^ +||capesunlocks.com^ +||capetumbledcrag.com^ +||caphaiks.com^ +||caphrizing.com^ +||capitalhasterussian.com^ +||capitalistblotbits.com^ +||capndr.com^ +||capounsou.com^ +||cappens-dreperor.com^ +||capricetheme.com^ +||captainad.com^ +||captchafine.live^ +||captionconjecture.com^ +||captivatecustomergentlemen.com^ +||captivatepestilentstormy.com^ +||captivebleed.com^ +||captiveimpossibleimport.com^ +||captivityhandleicicle.com^ +||captorbaryton.com^ +||capturescaldsomewhat.com^ +||capwilyunseen.com^ +||caraganaarborescenspendula.com^ +||caravancomplimentenabled.com^ +||caravanfried.com^ +||caravanremarried.com^ +||caravelvirent.com^ +||carbonads.com^ +||carcflma.de^ +||careersletbacks.com^ +||carefree-ship.pro^ +||carelesssequel.com^ +||carelesstableinevitably.com^ +||caressleazy.com^ +||carfulsranquel.com^ +||cargodescent.com^ +||caribedkurukh.com^ +||caricaturechampionshipeye.com^ +||cariousimpatience.com^ +||cariousinevitably.com^ +||carlosappraisal.com^ +||carlossteady.com^ +||carnelbawrel.com^ +||carnivalaudiblelemon.com^ +||carnivalradiationwage.com^ +||caroakitab.com^ +||carolpresume.shop^ +||carpenterexplorerdemolition.com^ +||carpfreshtying.com^ +||carpincur.com^ +||carpuslarrups.com^ +||carriedamiral.com^ +||carrierdestined.com^ +||carryingfarmerlumber.com^ +||carsickpractice.com^ +||cartining-specute.com^ +||cartmansneest.com^ +||carungo.com^ +||carverfashionablegorge.com^ +||carverfrighten.com^ +||carvermotto.com^ +||carvyre.com^ +||casalemedia.com^ +||cascademuscularbodyguard.com^ +||cascadewatchful.com^ +||casecomedytaint.com^ +||casefyparamos.com^ +||cash-ads.com^ +||cash-duck.com^ +||cash-program.com^ +||cash4members.com^ +||cashbattleindictment.com^ +||cashbeside.com^ +||cashcinemaunbiased.com^ +||cashewsforlife208.com^ +||cashibohs.digital^ +||cashlayer.com^ +||cashmylinks.com^ +||cashtrafic.com^ +||cashtrafic.info^ +||casinohacksforyou.com^ +||casinousagevacant.com^ +||casionest292flaudient.com^ +||casitasoutgnaw.com^ +||caskcountry.com^ +||caspion.com^ +||cassabahotcake.top^ +||cassetteenergyincoming.com^ +||cassetteflask.com^ +||cassettesandwicholive.com^ +||cassinamawger.top^ +||castedbreth.shop^ +||casterpretic.com^ +||castingmannergrim.com^ +||castleconscienceenquired.com^ +||casualhappily.com^ +||casumoaffiliates.com^ +||cataloguerepetition.com^ +||catastropheillusive.com^ +||catchymorselguffaw.com^ +||cateringblizzardburn.com^ +||catgride.com^ +||catharskeek.top^ +||cathedralinthei.info^ +||cathodeoutwood.com^ +||catholicprevalent.com^ +||cathrynslues.com^ +||catiligh.ru^ +||cattishfearfulbygone.com^ +||cattishhistoryexplode.com^ +||cattishinquiries.com^ +||cattleabruptlybeware.com^ +||catukhyistke.info^ +||catwalkoutled.com^ +||catwenbat.com^ +||catwrite.com^ +||caubichofus.com^ +||caugrush.com^ +||caukoaph.net^ +||cauldronrepellentcanvass.com^ +||caulicuzooque.net^ +||cauliflowercutlerysodium.com^ +||cauliflowertoaster.com^ +||cauliflowervariability.com^ +||caulisnombles.top^ +||caunauptipsy.com^ +||caunuscoagel.com^ +||causingfear.com^ +||causingguard.com^ +||causoque.xyz^ +||caustopa.net^ +||cauthaushoas.com^ +||cautionpursued.com^ +||cauvousy.net^ +||cauyuksehink.info^ +||cavebummer.com^ +||cavewrap.care^ +||caviarconcealed.com^ +||cawedburial.com^ +||cawquawwoldy.shop^ +||cayelychobenl.com^ +||cb3251add6.com^ +||cb61190372.com^ +||cb7f35d82c.com^ +||cba-fed-igh.com^ +||cba6182add.com^ +||cbbd18d467.com^ +||cbd2dd06ba.com^ +||cbdedibles.site^ +||cbfpiqq.com^ +||cbro.win^ +||cbyqzt.xy^ +||cc-dt.com^ +||cc72fceb4f.com^ +||ccaa0e51d8.com^ +||ccaahdancza.com^ +||cchdbond.com^ +||ccjzuavqrh.com^ +||ccmiocw.com^ +||ccn08sth.de^ +||ccrkpsu.com^ +||ccryxqgqf.com^ +||ccypzigf.com^ +||cd828.com^ +||cdbqmlngkmwkpvo.xyz^ +||cdceed.de^ +||cdctwm.com^ +||cddtsecure.com^ +||cdn-adtrue.com^ +||cdn-server.cc^ +||cdn-server.top^ +||cdn-service.com^ +||cdn.house^ +||cdn.kelpo.cloud^ +||cdn.optmn.cloud^ +||cdn.sdtraff.com^ +||cdn12359286.ahacdn.me^ +||cdn2-1.net^ +||cdn28786515.ahacdn.me^ +||cdn2cdn.me^ +||cdn2reference.com^ +||cdn2up.com^ +||cdn3.hentaihaven.fun^ +||cdn3reference.com^ +||cdn44221613.ahacdn.me^ +||cdn4ads.com^ +||cdn4image.com^ +||cdn5.cartoonporn.to^ +||cdn7.network^ +||cdn7.rocks^ +||cdnads.com^ +||cdnako.com^ +||cdnapi.net^ +||cdnativ.com^ +||cdnativepush.com^ +||cdnaz.win^ +||cdnbit.com^ +||cdncontentstorage.com^ +||cdnfimgs.com^ +||cdnflex.me^ +||cdnfreemalva.com^ +||cdngain.com^ +||cdngcloud.com^ +||cdnid.net^ +||cdnkimg.com^ +||cdnondemand.org^ +||cdnpc.net^ +||cdnpsh.com^ +||cdnquality.com^ +||cdnrl.com^ +||cdnspace.io^ +||cdntechone.com^ +||cdntestlp.info^ +||cdntrf.com^ +||cdnvideo3.com^ +||cdnware.com^ +||cdnware.io^ +||cdoqjxlnegnhm.com^ +||cdotrvjaiupk.com^ +||cdrvrs.com^ +||cdryuoe.com^ +||cdsbnrs.com^ +||cdtbox.rocks^ +||cdtxegwndfduk.xyz^ +||cdvmgqs-ggh.tech^ +||cdwmpt.com^ +||cdwmtt.com^ +||ce82020873.com^ +||ceaankluwuov.today^ +||ceasechampagneparade.com^ +||ceasedheave.com^ +||ceaslesswisely.com^ +||cec41c3e84.com^ +||cedrt6.pro^ +||ceebethoatha.com^ +||ceebikoph.com^ +||ceefsyqotuagk.com^ +||ceegriwuwoa.net^ +||ceeheesa.com^ +||ceekougy.net^ +||ceemoptu.xyz^ +||ceeqgwt.com^ +||ceethipt.com^ +||ceetuweevozegu.xyz^ +||ceezepegleze.xyz^ +||cef7cb85aa.com^ +||cegloockoar.com^ +||ceilingbruiseslegend.com^ +||cekgsyc.com^ +||ceklcxte.com^ +||celeb-ads.com^ +||celebnewsuggestions.com^ +||celebratedrighty.com^ +||celebrationfestive.com^ +||celebsreflect.com^ +||celeritascdn.com^ +||celeryisolatedproject.com^ +||cellaraudacityslack.com^ +||cellspsoatic.com^ +||celsiusours.com^ +||cematuran.com^ +||cementobject.com^ +||cemeterybattleresigned.com^ +||cemiocw.com^ +||cenaclesuccoth.com^ +||cennter.com^ +||centalkochab.com^ +||centeredfailinghotline.com^ +||centeredmotorcycle.com^ +||centlyhavebed.com^ +||centralnervous.net^ +||centredrag.com^ +||centrenicelyteaching.com^ +||centurybending.com^ +||centwrite.com^ +||cephidcoastal.top^ +||cepsidsoagloko.net^ +||cer43asett2iu5m.com^ +||ceramicalienate.com^ +||cerealsrecommended.com^ +||cerealssheet.com^ +||ceremonyavengeheartache.com^ +||certaintyurnincur.com^ +||certificaterainbow.com^ +||certified-apps.com^ +||ceryldelaine.com^ +||ces2007.org^ +||ceschemicalcovenings.info^ +||cesebsir.xyz^ +||cesebtp.com^ +||cessationcorrectmist.com^ +||cessationhamster.com^ +||cessationrepulsivehumid.com^ +||cestibegster.com^ +||ceteembathe.com^ +||cetxouafsctgf.com^ +||ceveq.click^ +||cevocoxuhu.com^ +||cexofira.com^ +||cexucetum.com^ +||ceznscormatio.com^ +||cf76b8779a.com^ +||cfcloudcdn.com^ +||cfd546b20a.com^ +||cfgr1.com^ +||cfgr5.com^ +||cfgrcr1.com^ +||cfivfadtlr.com^ +||cfqfnpbjy.com^ +||cfrsoft.com^ +||cftpolished4.top^ +||cftpolished5.top^ +||cfusionsys.com^ +||cfzrh-xqwrv.site^ +||cgbupajpzo-t.rocks^ +||cgcobmihb.com^ +||cgeckmydirect.biz^ +||cgphqnflgee.com^ +||cgpnhjatakwqnjd.xyz^ +||cgtwpoayhmqi.online^ +||chachors.net^ +||chacmausto.net^ +||chadseer.xyz^ +||chaeffulace.com^ +||chaerel.com^ +||chaghets.net^ +||chaibsoacmo.com^ +||chainads.io^ +||chainconnectivity.com^ +||chaindedicated.com^ +||chaintopdom.nl^ +||chainwalladsery.com^ +||chainwalladsy.com^ +||chaipoodrort.com^ +||chaiptut.xyz^ +||chaipungie.xyz^ +||chairgaubsy.com^ +||chairmansmile.com^ +||chaisefireballresearching.com^ +||chalaips.com^ +||chalconvex.top^ +||chalkedretrieval.com^ +||challengetoward.com^ +||chambermaidthree.xyz^ +||chambershoist.com^ +||chambersinterdependententirely.com^ +||chambersthanweed.com^ +||chameleostudios.com^ +||champerwatts.com^ +||championshipcoma.com^ +||chancecorny.com^ +||chancellorharrowbelieving.com^ +||chancellorstocky.com^ +||changedmuffin.com^ +||changejav128.fun^ +||changinggrumblebytes.com^ +||changingof.com^ +||channeldrag.com^ +||chaomemoria.top^ +||chapcompletefire.com^ +||chapseel.com^ +||characterizecondole.com^ +||characterrealization.com^ +||characterrollback.com^ +||chargenews.com^ +||chargeplatform.com^ +||chargerepellentsuede.com^ +||chargingconnote.com^ +||chargingforewordjoker.com^ +||charitypaste.com^ +||charleyobstructbook.com^ +||chaseherbalpasty.com^ +||chassirsaud.com^ +||chastehandkerchiefclassified.com^ +||chats2023.online^ +||chaubseet.com^ +||chauckee.net^ +||chaudrep.net^ +||chauffeurreliancegreek.com^ +||chaugroo.net^ +||chauinubbins.com^ +||chauksoam.xyz^ +||chaunsoops.net^ +||chaussew.net^ +||chautcho.com^ +||chbwe.space^ +||cheap-celebration.pro^ +||cheapenleaving.com^ +||cheatingagricultural.com^ +||cheatinghans.com^ +||check-iy-ver-172-3.site^ +||check-now.online^ +||check-out-this.site^ +||check-tl-ver-12-3.com^ +||check-tl-ver-12-8.top^ +||check-tl-ver-154-1.com^ +||check-tl-ver-17-8.com^ +||check-tl-ver-268-a.buzz^ +||check-tl-ver-294-2.com^ +||check-tl-ver-54-1.com^ +||check-tl-ver-54-3.com^ +||check-tl-ver-85-2.com^ +||check-tl-ver-94-1.com^ +||checkaf.com^ +||checkbookdisgusting.com^ +||checkcdn.net^ +||checkinggenerations.com^ +||checkitoutxx.com^ +||checkluvesite.site^ +||checkm8.com^ +||checkoutfree.com^ +||checkup02.biz^ +||checkupbankruptfunction.com^ +||chedsoossepsux.net^ +||cheebetoops.com^ +||cheebilaix.com^ +||cheecmou.com^ +||cheedroumsoaphu.net^ +||cheefimtoalso.xyz^ +||cheeghek.xyz^ +||cheeksognoura.net^ +||cheekysleepyreproof.com^ +||cheepurs.xyz^ +||cheeradvise.com^ +||cheerfullyassortment.com^ +||cheerfullybakery.com^ +||cheerfulwaxworks.com^ +||cheeringashtrayherb.com^ +||cheerlessbankingliked.com^ +||cheeroredraw.com^ +||cheerysavouryridge.com^ +||cheerysequelhoax.com^ +||cheesydrinks.com^ +||cheesyreinsplanets.com^ +||cheesythirtycloth.com^ +||cheethilaubo.com^ +||cheetieaha.com^ +||chefattend.com^ +||chefishoani.com^ +||cheksoam.com^ +||chelonebarpost.com^ +||chelsady.net^ +||chemitug.net^ +||chemtoaxeehy.com^ +||chengaib.net^ +||chequeholding.com^ +||cheqzone.com^ +||cherrynanspecification.com^ +||cherteevahy.net^ +||chetahtalc.com^ +||chetchen.net^ +||chetchoa.com^ +||chethgentman.live^ +||chettikmacrli.com^ +||chezoams.com^ +||chfpgcbe.com^ +||chhvjvkmlnmu.click^ +||chiamfxz.com^ +||chiantiriem.com^ +||chibaigo.com^ +||chicheecmaungee.net^ +||chicks4date.com^ +||chicoamseque.net^ +||chief-cry.pro^ +||chiefegg.pro^ +||chieflyquantity.com^ +||chiglees.com^ +||chijauqybb.xyz^ +||childbirthabolishment.com^ +||childbirthprivaterouge.com^ +||childhoodstudioconversation.com^ +||childhoodtilt.com^ +||childishenough.com^ +||childlessporcupinevaluables.com^ +||childlyfitchee.shop^ +||childrenplacidityconclusion.com^ +||childtruantpaul.com^ +||chilicached.com^ +||chimerabellowstranger.com^ +||chimneydicier.com^ +||chimneylouderflank.com^ +||chinacontraryintrepid.com^ +||chinagranddad.com^ +||chinaslauras.com^ +||chioneflake.com^ +||chioursorspolia.com^ +||chipheeshimseg.net^ +||chipleader.com^ +||chipmanksmochus.com^ +||chiralboutons.top^ +||chirksspawny.com^ +||chirppronounceaccompany.com^ +||chirtakautoa.xyz^ +||chitchaudsoax.net^ +||chitika.net^ +||chitsnooked.com^ +||chiwaiwhor.xyz^ +||chl7rysobc3ol6xla.com^ +||chmnscaurie.space^ +||cho7932105co3l2ate3covere53d.com^ +||choachim.com^ +||choacmax.xyz^ +||choafaidoonsoy.net^ +||choagrie.com^ +||choakalsimen.com^ +||choakaucmomt.com^ +||choalsegroa.xyz^ +||choamikr.com^ +||choapeek.com^ +||choathaugla.net^ +||chockspunts.shop^ +||chocolatesingconservative.com^ +||choconart.com^ +||chodraihooksar.com^ +||choiceencounterjackson.com^ +||chokedsmelt.com^ +||chokeweaknessheat.com^ +||cholatetapalos.com^ +||choobatchautoo.net^ +||choocmailt.com^ +||choogeet.net^ +||choomsiesurvey.top^ +||choongou.com^ +||choongou.xyz^ +||chooretsi.net^ +||chooseimmersed.com^ +||chooseroverlaidspecies.com^ +||choossux.com^ +||chooxaur.com^ +||chophairsacky.xyz^ +||choppedtrimboulevard.com^ +||choppedwhisperinggirlie.com^ +||choppyevectic.shop^ +||choptacache.com^ +||choreinevitable.com^ +||chortutsoufu.xyz^ +||choruslockdownbumpy.com^ +||chorwatcurlike.com^ +||choseing.com^ +||chosenchampagnesuspended.com^ +||chosencurlews.com^ +||choto.xyz^ +||choudairtu.net^ +||choufauphik.net^ +||chouftak.net^ +||choughigrool.com^ +||chouksee.xyz^ +||choulsoans.xyz^ +||choumtonunignou.net^ +||choupsee.com^ +||chouraip.com^ +||chourdain.com^ +||chouthep.net^ +||chowsedwarsaws.shop^ +||chozipeem.com^ +||chrantary-vocking.com^ +||chrisignateignatedescend.com^ +||chrisrespectivelynostrils.com^ +||christeningfathom.com^ +||christeningscholarship.com^ +||chronicads.com^ +||chroniclesugar.com^ +||chroococcoid.sbs^ +||chrysostrck.com^ +||chryvast.com^ +||chshcms.net^ +||chsrkred.com^ +||chtntr.com^ +||chubbymess.pro^ +||chuckledpulpparked.com^ +||chugaiwe.net^ +||chugsorlando.com^ +||chulhawakened.com^ +||chullohagrode.com^ +||chultoux.com^ +||chumpaufte.xyz^ +||chumsaft.com^ +||chuptuwais.com^ +||churauwoch.com^ +||churchalexis.com^ +||churchkhela.site^ +||churchyardalludeaccumulate.com^ +||churci.com^ +||chyjobopse.pro^ +||chyvz-lsdpv.click^ +||ciajnlhte.xyz^ +||cicamica.xyz^ +||cidrulj.com^ +||ciedpso.com^ +||cifawsoqvawj.com^ +||cigaretteintervals.com^ +||cigarettenotablymaker.com^ +||cigfhaztaqu.com^ +||ciizxsdr.com^ +||ciksolre.net^ +||cima-club.club^ +||cimeterbren.top^ +||cimm.top^ +||cimoghuk.net^ +||cimtaiphos.com^ +||cincherdatable.com^ +||cinema1266.fun^ +||cinemagarbagegrain.com^ +||cinuraarrives.com^ +||cipledecline.buzz^ +||cippusforebye.com^ +||ciqzagzwao.com^ +||circleblart.shop^ +||circuitingratitude.com^ +||circulationnauseagrandeur.com^ +||circumstanceshurdleflatter.com^ +||circumstantialplatoon.com^ +||circusinjunctionarrangement.com^ +||cirrateremord.com^ +||cirtaisteept.net^ +||ciscoesfirring.guru^ +||cisheeng.com^ +||citadelpathstatue.com^ +||citatumpity.com^ +||cithernassorts.com^ +||citizenhid.com^ +||citizenshadowrequires.com^ +||citsoaboanak.net^ +||cityadspix.com^ +||citydsp.com^ +||cityonatallcolumns.com^ +||citysite.net^ +||civadsoo.net^ +||civetformity.com^ +||civilization474.fun^ +||civilizationfearfulsniffed.com^ +||civilizationperspirationhoroscope.com^ +||civilizationthose.com^ +||ciwedsem.xyz^ +||ciwhacheho.pro^ +||cixompoqpbgh.com^ +||cizujougneem.com^ +||cj2550.com^ +||cjbyfsmr.life^ +||cjekfmidk.xyz^ +||cjewz.com^ +||cjgrlbxciqsbr.com^ +||cjlph.com^ +||cjqncwfxrfrwbdd.com^ +||cjrlsw.info^ +||cjrvsw.info^ +||cjuzydnvklnq.today^ +||cjvdfw.com^ +||cjxomyilmv.com^ +||ckgeflumkryp.com^ +||ckgsrzu.com^ +||ckiepxrgriwvbv.xyz^ +||ckitwlmqy-c.today^ +||ckngjplc.com^ +||ckrf1.com^ +||ckynh.com^ +||ckywou.com^ +||cl0udh0st1ng.com^ +||clackbenefactor.com^ +||cladlukewarmjanitor.com^ +||cladp.com^ +||cladupius.com^ +||claim-reward.vidox.net^ +||claimcousins.com^ +||claimcutejustly.com^ +||claimedentertainment.com^ +||claimedinvestcharitable.com^ +||claimedthwartweak.com^ +||clairekabobs.com^ +||clampalarmlightning.com^ +||clangearnest.com^ +||clankexpelledidentification.com^ +||clarifyeloquentblackness.com^ +||claspdressmakerburka.com^ +||claspeddeceiveposter.com^ +||claspedtwelve.com^ +||claspsnuff.com^ +||classesfolksprofession.com^ +||classessavagely.com^ +||classic-bonus.com^ +||classiccarefullycredentials.com^ +||classickalunti.com^ +||classicsactually.com^ +||classicseight.com^ +||clauseantarcticlibel.com^ +||clauseemploy.com^ +||clausepredatory.com^ +||clavusangioma.com^ +||clbaf.com^ +||clbjmp.com^ +||clcknads.pro^ +||clcktrck.com^ +||clckysudks.com^ +||cldlr.com^ +||clean-browsing.com^ +||clean.gg^ +||cleanatrocious.com^ +||cleanbrowser.network^ +||cleaneratwrinkle.com^ +||cleanerultra.club^ +||cleanflawlessredir.com^ +||cleaningmaturegallop.com^ +||cleanmediaads.com^ +||cleanmypc.click^ +||cleannow.click^ +||cleanplentifulnomad.com^ +||cleanresound.com^ +||cleantrafficrotate.com^ +||clear-request.com^ +||clear-speech.pro^ +||clearac.com^ +||clearadnetwork.com^ +||clearancejoinjavelin.com^ +||clearancemadnessadvised.com^ +||clearlymisguidedjealous.com^ +||clearonclick.com^ +||cleavepreoccupation.com^ +||cleaverinfatuated.com^ +||cleftmeter.com^ +||clemencyexceptionpolar.com^ +||clenchedfavouritemailman.com^ +||clerkrevokesmiling.com^ +||clerrrep.com^ +||cleverculture.pro^ +||cleverjump.org^ +||clevernesscolloquial.com^ +||clevernessdeclare.com^ +||clevernt.com^ +||cleverwebserver.com^ +||clevv.com^ +||clewedpepsi.top^ +||clicadu.com^ +||click-cdn.com^ +||click.scour.com^ +||click2earnfree.com^ +||click4.pro^ +||click4free.info^ +||clickadin.com^ +||clickadsource.com^ +||clickagy.com^ +||clickalinks.xyz^ +||clickallow.net^ +||clickandanalytics.com^ +||clickaslu.com^ +||clickbooth.com^ +||clickboothlnk.com^ +||clickcash.com^ +||clickcdn.co^ +||clickco.net^ +||clickdescentchristmas.com^ +||clickexperts.net^ +||clickgate.biz^ +||clickintext.com^ +||clickmi.net^ +||clickmobad.net^ +||clicknano.com^ +||clicknerd.com^ +||clickopop1000.com^ +||clickoutnetwork.care^ +||clickpapa.com^ +||clickperks.info^ +||clickprotects.com^ +||clickpupbit.com^ +||clickreverendsickness.com^ +||clicks4tc.com^ +||clicksgear.com^ +||clicksor.net^ +||clickterra.net^ +||clickthruhost.com^ +||clickthruserver.com^ +||clicktimes.bid^ +||clicktraceclick.com^ +||clicktrixredirects.com^ +||clicktroute.com^ +||clicktrpro.com^ +||clickupto.com^ +||clickurlik.com^ +||clickwhitecode.com^ +||clickwinks.com^ +||clickwork7secure.com^ +||clickxchange.com^ +||clictrck.com^ +||cliegacklianons.com^ +||cliencywast.top^ +||clientoutcry.com^ +||cliffaffectionateowners.com^ +||cliffestablishedcrocodile.com^ +||climatedetaindes.com^ +||clipperroutesevere.com^ +||cliquesteria.net^ +||clixcrafts.com^ +||clixsense.com^ +||clixwells.com^ +||clkepd.com^ +||clknrtrg.pro^ +||clkofafcbk.com^ +||clkrev.com^ +||clksite.com^ +||clkslvmiwadfsx.xyz^ +||clktds.org^ +||clmbtech.com^ +||clnk.me^ +||cloba.xyz^ +||clobberprocurertightwad.com^ +||clockwisefamilyunofficial.com^ +||clockwiseleaderfilament.com^ +||clogcheapen.com^ +||clogstepfatherresource.com^ +||clonesmesopic.com^ +||clonkfanion.com^ +||closeattended.com^ +||closedpersonify.com^ +||closestaltogether.com^ +||closeupclear.top^ +||clotezar.com^ +||clothepardon.com^ +||clothesgrimily.com^ +||clothingsphere.com^ +||clothingtentativesuffix.com^ +||clottedloathe.shop^ +||cloud-stats.info^ +||cloudflare.solutions^ +||cloudfrale.com^ +||cloudiiv.com^ +||cloudimagesa.com^ +||cloudimagesb.com^ +||cloudioo.net^ +||cloudlessmajesty.com^ +||cloudlessverticallyrender.com^ +||cloudlogobox.com^ +||cloudpsh.top^ +||cloudtrack-camp.com^ +||cloudtraff.com^ +||cloudvideosa.com^ +||cloudypotsincluded.com^ +||cloutlavenderwaitress.com^ +||clovhmweksy.buzz^ +||clpeachcod.com^ +||clrstm.com^ +||cluethydash.com^ +||cluewesterndisreputable.com^ +||clumperrucksey.life^ +||clumsinesssinkingmarried.com^ +||clumsyshare.com^ +||clunkedisolex.com^ +||clunkyentirelinked.com^ +||cluodlfare.com^ +||clusterdamages.top^ +||clusterposture.com^ +||clutchlilts.com^ +||cluttercallousstopped.com^ +||clutteredassociate.pro^ +||cm-trk3.com^ +||cm-trk5.com^ +||cmadserver.de^ +||cmbestsrv.com^ +||cmclean.club^ +||cmfads.com^ +||cmhoriu.com^ +||cmjvuwtgfzl.com^ +||cmpgns.net^ +||cmpsywu.com^ +||cmrdr.com^ +||cms100.xyz^ +||cmtrkg.com^ +||cn846.com^ +||cndcfvmc.com^ +||cndynza.click^ +||cngcpy.com^ +||cnkupkiuvkcq.xyz^ +||cnmnb.online^ +||cnnected.org^ +||cnt.my^ +||cntrealize.com^ +||cnxlskkkebks.xyz^ +||co5457chu.com^ +||co5n3nerm6arapo7ny.com^ +||coagrohos.com^ +||coalbandmanicure.com^ +||coalitionfits.com^ +||coaphauk.net^ +||coarseauthorization.com^ +||coashoohathaija.net^ +||coastdisinherithousewife.com^ +||coastlineahead.com^ +||coastlinebravediffers.com^ +||coastlinejudgement.com^ +||coationexult.com^ +||coatsanguine.com^ +||coatslilachang.com^ +||coaxpaternalcubic.com^ +||cobalten.com^ +||cobiasonymy.top^ +||cobwebcomprehension.com^ +||cobwebhauntedallot.com^ +||cobwebzincdelicacy.com^ +||cockyinaccessiblelighter.com^ +||cockysnailleather.com^ +||cocoaexpansionshrewd.com^ +||coconutfieryreferee.com^ +||coconutsumptuousreseptivereseptive.com^ +||cocoonelectronicsconfined.com^ +||coctwomp.com^ +||codedexchange.com^ +||codefund.app^ +||codefund.io^ +||codemylife.info^ +||codeonclick.com^ +||coderformylife.info^ +||codesbro.com^ +||codezap.com^ +||codmanrefan.shop^ +||cododeerda.net^ +||codsdnursjrclse.com^ +||coedmediagroup.com^ +||coefficienttolerategravel.com^ +||coendouspare.com^ +||coexistsafetyghost.com^ +||coffeemildness.com^ +||coffingfannies.top^ +||cofounderspecials.com^ +||cogentpatientmama.com^ +||cogentwarden.com^ +||cogitatetrailsplendid.com^ +||cognatebenefactor.com^ +||cognitionmesmerize.com^ +||cognizancesteepleelevate.com^ +||cogsnarks.shop^ +||cohade.uno^ +||cohawaut.com^ +||coherencemessengerrot.com^ +||cohereoverdue.com^ +||coherepeasant.com^ +||cohortgripghetto.com^ +||cohtsfkwaa.com^ +||coinad.media^ +||coinadster.com^ +||coinblocktyrusmiram.com^ +||coincideadventure.com^ +||coinio.cc^ +||coinverti.com^ +||cokepompositycrest.com^ +||cokerymyocele.shop^ +||colanbalkily.com^ +||colanderdecrepitplaster.com^ +||colarak.com^ +||cold-cold-freezing.com^ +||cold-priest.com^ +||coldflownews.com^ +||coldhardcash.com^ +||coldnessswarthyclinic.com^ +||coldsandwich.pro^ +||colemalist.top^ +||colentkeruing.top^ +||colhickcommend.com^ +||coliassfeurytheme.com^ +||collapsecuddle.com^ +||collarchefrage.com^ +||collectbladders.com^ +||collectedroomfinancially.com^ +||collectingexplorergossip.com^ +||collectinggraterjealousy.com^ +||collection-day.com^ +||collectiveablygathering.com^ +||collectorcommander.com^ +||collectrum.com^ +||colleem.com^ +||collieskelpy.com^ +||colloqlarum.com^ +||colloquialassassinslavery.com^ +||collowhypoxis.com^ +||colognenobilityfrost.com^ +||colognerelish.com^ +||colonialismmarch.com^ +||colonistnobilityheroic.com^ +||coloniststarter.com^ +||colonwaltz.com^ +||colorfulspecialinsurance.com^ +||colorhandling.com^ +||colossalanswer.com^ +||colourevening.com^ +||coltagainst.pro^ +||columngenuinedeploy.com^ +||columnistcandour.com^ +||columnisteverything.com^ +||com-wkejf32ljd23409system.net^ +||comafilingverse.com^ +||comalonger.com^ +||comarind.com^ +||combatboatsplaywright.com^ +||combatundressaffray.com^ +||combia-tellector.com^ +||combinestronger.com^ +||combitly.com^ +||combotag.com^ +||combustibleaccuracy.com^ +||come-get-s0me.com^ +||come-get-s0me.net^ +||comeadvertisewithus.com^ +||comedianthirteenth.com^ +||comedyjav128.fun^ +||comefukmendat.com^ +||comemumu.info^ +||comemunicatet.com^ +||comeplums.com^ +||comerhurlentertain.com^ +||cometadministration.com^ +||cometappetit.shop^ +||cometothepointaton.info^ +||comettypes.com^ +||comfortable-preparation.pro^ +||comfortablehealheadlight.com^ +||comfortablepossibilitycarlos.com^ +||comfortabletypicallycontingent.com^ +||comfortclick.co.uk^ +||comfreeads.com^ +||comfyunhealthy.com^ +||comicplanet.net^ +||comicsscripttrack.com^ +||comihon.com^ +||comilar-efferiff.icu^ +||comitalmows.com^ +||commandsorganizationvariations.com^ +||commarevelation.com^ +||commastick.com^ +||commendhalf.com^ +||commentaryspicedeceived.com^ +||commercefrugal.com^ +||commercialvalue.org^ +||commiseratefiveinvitations.com^ +||commission-junction.com^ +||commissionkings.ag^ +||commissionlounge.com^ +||committeedischarged.com^ +||committeeoutcome.com^ +||commodekissing.top^ +||commodityallengage.com^ +||commongratificationtimer.com^ +||commongrewadmonishment.com^ +||commonvivacious.com^ +||communicatedsuitcompartment.com^ +||communication3x.fun^ +||comoideludes.shop^ +||comparativeexclusion.com^ +||comparativelyoccursdeclaration.com^ +||compareddiagram.com^ +||comparedsilas.com^ +||comparepoisonous.com^ +||compareproprietary.com^ +||compassionatebarrowpine.com^ +||compassionaterough.pro^ +||compatriotelephant.com^ +||compazenad.com^ +||compensationdeviseconnote.com^ +||compensationpropulsion.com^ +||competemerriment.com^ +||competencesickcake.com^ +||compiledonatevanity.com^ +||compileformality.com^ +||compilegates.com^ +||complainfriendshipperry.com^ +||complaintbasscounsellor.com^ +||complaintconsequencereply.com^ +||complaintsoperatorbrewing.com^ +||complainttattooshy.com^ +||complementinstancesvarying.com^ +||complete-afternoon.pro^ +||complexastare.shop^ +||complicationpillsmathematics.com^ +||complimentingredientnightfall.com^ +||complimentworth.com^ +||complotdulcify.shop^ +||compositeclauseviscount.com^ +||compositeoverdo.com^ +||compositeprotector.com^ +||compositereconnectadmiral.com^ +||composureenfold.com^ +||comprehensionaccountsfragile.com^ +||comprehensive3x.fun^ +||comprehensiveunconsciousblast.com^ +||compresssavvydetected.com^ +||compriseinflammable.com^ +||compromiseadaptedspecialty.com^ +||compulsiveimpassablehonorable.com^ +||computeafterthoughtspeedometer.com^ +||comradeglorious.com^ +||comradeorientalfinance.com^ +||comunicazio.com^ +||comurbate.com^ +||comymandars.info^ +||conative.network^ +||concealedcredulous.com^ +||concealmentbrainpower.com^ +||concealmentmimic.com^ +||concedederaserskyline.com^ +||conceitedfedapple.com^ +||conceivedtowards.com^ +||concentrationminefield.com^ +||conceptualizefact.com^ +||concerneddisinterestedquestioning.com^ +||concernedwhichever.com^ +||concludedstoredtechnique.com^ +||conclusionsmushyburn.com^ +||concord.systems^ +||concoursegrope.com^ +||concrete-cabinet.pro^ +||concreteapplauseinefficient.com^ +||concreteprotectedwiggle.com^ +||concussionsculptor.com^ +||condensedconvenesaxophone.com^ +||condensedmassagefoul.com^ +||condensedspoon.com^ +||condescendingcertainly.com^ +||conditioneavesdroppingbarter.com^ +||condles-temark.com^ +||condodgy.com^ +||condolencessumcomics.com^ +||conductiveruthless.com^ +||conductmassage.com^ +||conduit-banners.com^ +||conduit-services.com^ +||conerchina.top^ +||conetizable.com^ +||confabureas.com^ +||confdatabase.com^ +||confectioneryconnected.com^ +||confectionerycrock.com^ +||conferencelabourerstraightforward.com^ +||confergiftargue.com^ +||confessioneurope.com^ +||confesssagacioussatisfy.com^ +||confessundercover.com^ +||confidentexplanationillegal.com^ +||confidethirstyfrightful.com^ +||configurationluxuriantinclination.com^ +||confinecrisisorbit.com^ +||confinehindrancethree.com^ +||confinemutual.com^ +||confirmationefficiency.com^ +||confirmexplore.com^ +||conformcashier.com^ +||conforminteractbuzz.com^ +||conformityblankshirt.com^ +||conformityproportion.com^ +||confounddistressedrectangle.com^ +||confrontation2.fun^ +||confrontationdrunk.com^ +||confrontationwanderer.com^ +||confrontbitterly.com^ +||congealsubgit.shop^ +||congratulationsgraveseem.com^ +||congressbench.com^ +||congressvia.com^ +||congruousannualplanner.com^ +||conicsfizzles.com^ +||conjeller-chikemon.com^ +||connectad.io^ +||connectedchaise.com^ +||connectignite.com^ +||connectingresort.com^ +||connectionsdivide.com^ +||connectionsoathbottles.com^ +||connectoritineraryswimming.com^ +||connectreadoasis.com^ +||connecttoday.eu^ +||connextra.com^ +||connotethembodyguard.com^ +||conoret.com^ +||conqueredallrightswell.com^ +||conquereddestination.com^ +||conquerleaseholderwiggle.com^ +||consargyle.com^ +||consciousness2.fun^ +||consciousnessmost.com^ +||consecutionwrigglesinge.com^ +||consensusarticles.com^ +||consensushistorianarchery.com^ +||consensusindustryrepresentation.com^ +||consessionconsessiontimber.com^ +||consideratepronouncedcar.com^ +||consideration3x.fun^ +||consideringscallion.com^ +||consistedlovedstimulate.com^ +||consistpromised.com^ +||consmo.net^ +||consolationgratitudeunwise.com^ +||consoupow.com^ +||conspiracyore.com^ +||constableleapedrecruit.com^ +||constellation3x.fun^ +||constellationbedriddenexams.com^ +||constellationtrafficdenounce.com^ +||consternationmysticalstuff.com^ +||constintptr.com^ +||constituentcreepingabdicate.com^ +||constitutekidnapping.com^ +||constraingood.com^ +||constraintarrearsadvantages.com^ +||constructbrought.com^ +||constructionrejection.com^ +||constructpiece.com^ +||constructpoll.com^ +||constructpreachystopper.com^ +||consukultinge.info^ +||consukultingeca.com^ +||consultantvariabilitybandage.com^ +||consultation233.fun^ +||consultingballetshortest.com^ +||contagiongrievedoasis.com^ +||contagionwashingreduction.com^ +||contagiousbookcasepants.com^ +||containingwaitdivine.com^ +||containssubordinatecologne.com^ +||contalyze.com^ +||contaminateconsessionconsession.com^ +||contaminatefollow.com^ +||contaminatespontaneousrivet.com^ +||contehos.com^ +||contemplatepuddingbrain.com^ +||contemplatethwartcooperation.com^ +||contemporarytechnicalrefuge.com^ +||content-rec.com^ +||contentabc.com^ +||contentango.online^ +||contentcave.co.kr^ +||contentclick.co.uk^ +||contentcrocodile.com^ +||contentedinterimregardless.com^ +||contentedsensationalprincipal.com^ +||contentjs.com^ +||contentmayinterest.com^ +||contentmentchef.com^ +||contentmentfairnesspesky.com^ +||contentmentwalterbleat.com^ +||contentmentweek.com^ +||contentprotectforce.com^ +||contentproxy10.cz^ +||contentr.net^ +||contentshamper.com^ +||conterensky.com^ +||contextweb.com^ +||continentalaileendepict.com^ +||continentalfinishdislike.com^ +||continentcoaximprovement.com^ +||continuallycomplaints.com^ +||continuallyninetysole.com^ +||continuation423.fun^ +||continue-installing.com^ +||continuousselfevidentinestimable.com^ +||contradiction2.fun^ +||contradictshaftfixedly.com^ +||contrapeachen.com^ +||contributorfront.com^ +||contributorshaveangry.com^ +||contried.com^ +||conumal.com^ +||convalescemeltallpurpose.com^ +||convdlink.com^ +||convellparcels.click^ +||convenienceappearedpills.com^ +||conveniencepickedegoism.com^ +||convenientcertificate.com^ +||conventional-nurse.pro^ +||conventionalrestaurant.com^ +||conventionalsecond.pro^ +||convers.link^ +||conversationwaspqueer.com^ +||conversitymir.org^ +||convertedbumperbiological.com^ +||convertedhorace.com^ +||convertexperiments.com^ +||convertmb.com^ +||convictedpavementexisting.com^ +||convincedpotionwalked.com^ +||convrse.media^ +||convsweeps.com^ +||conyak.com^ +||coodouphenooh.xyz^ +||cooeyeddarbs.com^ +||coogauwoupto.com^ +||coogoanu.net^ +||coogumak.com^ +||coohaiwhoonol.net^ +||coojohoaboapee.xyz^ +||cookerybands.com^ +||cookerywrinklefad.com^ +||cookieless-data.com^ +||cookinghither.com^ +||cookingsorting.com^ +||coolappland.com^ +||coolappland1.com^ +||coolehim.xyz^ +||coolerconvent.com^ +||coolerpassagesshed.com^ +||coolestblockade.com^ +||coolestreactionstems.com^ +||coolherein.com^ +||cooljony.com^ +||coollyadmissibleclack.com^ +||coolnesswagplead.com^ +||cooloffer.cfd^ +||coolpornvids.com^ +||coolserving.com^ +||coolstreamsearch.com^ +||coonandeg.xyz^ +||coonouptiphu.xyz^ +||cooperateboneco.com^ +||coopsoaglipoul.net^ +||coordinatereopen.com^ +||coosync.com^ +||cootlogix.com^ +||coovouch.com^ +||copacet.com^ +||copalmsagency.com^ +||copeaxe.com^ +||copemorethem.live^ +||copieraback.com^ +||copieranewcaller.com^ +||copiercarriage.com^ +||coppercranberrylamp.com^ +||copyrightmonastery.com^ +||cor8ni3shwerex.com^ +||cordclck.cc^ +||cordinghology.info^ +||core.dimatter.ai^ +||coreexperiment.com^ +||corenotabilityhire.com^ +||corgompaup.com^ +||corgouzaptax.com^ +||corneey.com^ +||corneredsedatetedious.com^ +||corneredtomb.com^ +||cornerscheckbookprivilege.com^ +||cornersindecisioncertified.com^ +||cornflowercopier.com^ +||cornflowershallow.com^ +||coronafly.ru^ +||corpsehappen.com^ +||correctdilutetrophy.com^ +||correlationcocktailinevitably.com^ +||correspondaspect.com^ +||corruptsolitaryaudibly.com^ +||corveseiren.com^ +||cosedluteo.com^ +||cosignpresentlyarrangement.com^ +||cosmeticsgenerosity.com^ +||cosmicpartially.com^ +||cosponsorgarnetmorphing.com^ +||costaquire.com^ +||costhandbookfolder.com^ +||costivecohorts.top^ +||coststunningconjure.com^ +||costumefilmimport.com^ +||cosysuppressed.com^ +||cotchaug.com^ +||coticoffee.com^ +||cottoidearldom.com^ +||cottoncabbage.com^ +||cottondivorcefootprint.com^ +||coucalhidated.com^ +||couchedbliny.top^ +||coudswamper.com^ +||couldmisspell.com^ +||couldobliterate.com^ +||couledochemy.net^ +||counaupsi.com^ +||councernedasesi.com^ +||counciladvertising.net^ +||counsellinggrimlyengineer.com^ +||countdownlogic.com^ +||countdownwildestmargarine.com^ +||countenancepeculiaritiescollected.com^ +||counteractpull.com^ +||counterfeitbear.com^ +||counterfeitnearby.com^ +||countertrck.com^ +||countessrestrainasks.com^ +||countriesnews.com^ +||countybananasslogan.com^ +||coupageoutrant.guru^ +||couplestupidity.com^ +||coupsonu.net^ +||coupteew.com^ +||couptoug.net^ +||courageousaway.com^ +||courageousdiedbow.com^ +||courierembedded.com^ +||coursebonfire.com^ +||coursejavgg124.fun^ +||coursewimplongitude.com^ +||courthousedefective.com^ +||courthouselaterfunctions.com^ +||cousingypsy.com^ +||cousinscostsalready.com^ +||couwainu.xyz^ +||couwhivu.com^ +||couwooji.xyz^ +||coveredsnortedelectronics.com^ +||coveredstress.com^ +||covertcourse.com^ +||coveteddutifulprescribe.com^ +||covettunica.com^ +||covivado.club^ +||cowtpvi.com^ +||coxgypsine.shop^ +||coxiesthubble.com^ +||coxziptwo.com^ +||coyureviral.com^ +||cozenedkwanza.top^ +||cozeswracks.com^ +||cpa-optimizer.online^ +||cpa3iqcp.de^ +||cpabeyond.com^ +||cpaconvtrk.net^ +||cpalabtracking.com^ +||cpaoffers.network^ +||cpaokhfmaccu.com^ +||cpaway.com^ +||cpays.com^ +||cpcmart.com^ +||cpcvabi.com^ +||cplayer.pw^ +||cplhpdxbdeyvy.com^ +||cpm-ad.com^ +||cpm.biz^ +||cpm20.com^ +||cpmadvisors.com^ +||cpmclktrk.online^ +||cpmgatenetwork.com^ +||cpmmedia.net^ +||cpmnetworkcontent.com^ +||cpmprofitablecontent.com^ +||cpmprofitablenetwork.com^ +||cpmrevenuegate.com^ +||cpmrevenuenetwork.com^ +||cpmrocket.com^ +||cpmspace.com^ +||cpmtree.com^ +||cpng.lol^ +||cpngiubbcnq.love^ +||cpqgyga.com^ +||cpuim.com^ +||cpvadvertise.com^ +||cpvlabtrk.online^ +||cpx24.com^ +||cpxadroit.com^ +||cpxdeliv.com^ +||cpxinteractive.com^ +||cqlupb.com^ +||cqnmtmqxecqvyl.com^ +||cqrvwq.com^ +||cr-brands.net^ +||cr.adsappier.com^ +||cr00.biz^ +||cr08.biz^ +||cr09.biz^ +||crabletfrijole.shop^ +||crackbroadcasting.com^ +||crackquarrelsomeslower.com^ +||crackyunfence.com^ +||craftsmangraygrim.com^ +||crafty-math.com^ +||craharice.com^ +||crajeon.com^ +||crakbanner.com^ +||crakedquartin.com^ +||cramlastfasten.com^ +||crampcrossroadbaptize.com^ +||crampincompetent.com^ +||crankyderangeabound.com^ +||crateralbumcarlos.com^ +||craterwhsle.com^ +||craveidentificationanoitmentanoitment.com^ +||crawlcoxed.com^ +||crawledlikely.com^ +||crawlerjamie.shop^ +||crayonreareddreamt.com^ +||crazefiles.com^ +||crazesmalto.com^ +||crazy-baboon.com^ +||crazylead.com^ +||crbbgate.com^ +||crcgrilses.com^ +||crdefault.link^ +||crdefault1.com^ +||creaghtain.com^ +||creamssicsite.com^ +||creamy-confidence.pro^ +||creaseinprofitst.com^ +||createsgummous.com^ +||creative-bars1.com^ +||creative-serving.com^ +||creative-stat1.com^ +||creativecdn.com^ +||creativedisplayformat.com^ +||creativefix.pro^ +||creativeformatsnetwork.com^ +||creativelardyprevailed.com^ +||creativesumo.com^ +||creaturescoinsbang.com^ +||creaturespendsfreak.com^ +||crechecatholicclaimed.com^ +||crectipumlu.com^ +||credentialsfont.com^ +||credentialstrapdoormagnet.com^ +||credibilityyowl.com^ +||creditbitesize.com^ +||credotrigona.com^ +||creeksettingbates.com^ +||creeperfutileforgot.com^ +||creepybuzzing.com^ +||crengate.com^ +||crentexgate.com^ +||creojnpibos.com^ +||crepgate.com^ +||creptdeservedprofanity.com^ +||cresfpho2ntesepapillo3.com^ +||crestfallenwall.com^ +||crestislelocation.com^ +||cretgate.com^ +||crevicedepressingpumpkin.com^ +||cribbewildered.com^ +||criesstarch.com^ +||crimblepitbird.shop^ +||crimeevokeprodigal.com^ +||criminalalcovebeacon.com^ +||criminalmention.pro^ +||criminalweightforetaste.com^ +||crimsondozeprofessional.com^ +||crippledwingant.com^ +||crisistuesdayartillery.com^ +||crisp-freedom.com^ +||crispdune.com^ +||crispentirelynavy.com^ +||crisphybridforecast.com^ +||crisppennygiggle.com^ +||critariatele.pro^ +||criticaltriggerweather.com^ +||criticheliumsoothe.com^ +||criticismdramavein.com^ +||criticizewiggle.com^ +||crjpgate.com^ +||crjpingate.com^ +||crm4d.com^ +||crmentjg.com^ +||crmpt.livejasmin.com^ +||croakedrotonda.com^ +||crochetmedimno.top^ +||crockejection.com^ +||crockerycrowdedincidentally.com^ +||crockuncomfortable.com^ +||crocopop.com^ +||crokerhyke.com^ +||cromq.xyz^ +||croni.site^ +||crookrally.com^ +||croplake.com^ +||crossroadoutlaw.com^ +||crossroadsubquery.com^ +||crossroadzealimpress.com^ +||crouchyearbook.com^ +||crowdeddisk.pro^ +||crowdnextquoted.com^ +||crptentry.com^ +||crptgate.com^ +||crrepo.com^ +||crsope.com^ +||crsspxl.com^ +||crtracklink.com^ +||crudedelicacyjune.com^ +||crudelouisa.com^ +||crudemonarchychill.com^ +||crudequeenrome.com^ +||crudyfilters.com^ +||crueltysugar.shop^ +||cruiserx.net^ +||crumblerefunddiana.com^ +||crumbrationally.com^ +||crumbtypewriterhome.com^ +||crummygoddess.com^ +||crumplylenient.com^ +||crunchslipperyperverse.com^ +||crustywainmen.shop^ +||crvxhuxcel.com^ +||crxmaotidrf.xyz^ +||cryjun.com^ +||cryonicromero.com^ +||cryorganichash.com^ +||crypticrallye.com^ +||crypto-ads.net^ +||cryptoatom.care^ +||cryptobeneluxbanner.care^ +||cryptojimmy.care^ +||cryptomaster.care^ +||cryptomcw.com^ +||cryptonewsdom.care^ +||cryptotyc.care^ +||cs1olr0so31y.shop^ +||cschyogh.com^ +||csdf4dn.pro^ +||cshbglcfcmirnm.xyz^ +||cskcnipgkq.club^ +||csldbxey.com^ +||cslidubsdtdeya.com^ +||csqtsjm.com^ +||cssuvtbfeap.com^ +||csy8cjm7.xyz^ +||ctasnet.com^ +||ctengine.io^ +||cteripre.com^ +||ctiotjobkfu.com^ +||ctm-media.com^ +||ctnsnet.com^ +||ctofestoon.click^ +||ctoosqtuxgaq.com^ +||ctosrd.com^ +||ctrdwm.com^ +||ctrlaltdel99.com^ +||ctrtrk.com^ +||ctsbiznoeogh.site^ +||ctsdwm.com^ +||ctubhxbaew.com^ +||ctvnmxl.com^ +||ctwmcd.com^ +||cubchillysail.com^ +||cubeuptownpert.com^ +||cubiclerunner.com^ +||cubicnought.com^ +||cucaftultog.net^ +||cuckooretire.com^ +||cuddlethehyena.com^ +||cudgeletc.com^ +||cudgelsupportiveobstacle.com^ +||cudjgcnwoo-s.icu^ +||cue-oxvpqbt.space^ +||cuefootingrosy.com^ +||cueistratting.com^ +||cuesingle.com^ +||cuevastrck.com^ +||cufultahaur.com^ +||cugaksoogleptix.xyz^ +||cuhlsl.info^ +||cuinageaquilid.com^ +||cuisineenvoyadvertise.com^ +||cuisineomnipresentinfinite.com^ +||cullemple-motline.com^ +||culmedpasses.cam^ +||cultergoy.com^ +||culturalcollectvending.com^ +||cumbersomeduty.pro^ +||cumbersomesteedominous.com^ +||cunealfume.shop^ +||cupboardbangingcaptain.com^ +||cupboardgold.com^ +||cupidirresolute.com^ +||cupidonmedia.com^ +||cupidrecession.com^ +||cupidtriadperpetual.com^ +||cuplikenominee.com^ +||cupoabie.net^ +||cupswiss.com^ +||cupulaeveinal.top^ +||curatekrait.com^ +||curatelsack.com^ +||curledbuffet.com^ +||curlsl.info^ +||curlsomewherespider.com^ +||curlyhomes.com^ +||currantsummary.com^ +||currencychillythoughtless.com^ +||currencyoffuture.com^ +||curriculture.com^ +||curryoxygencheaper.com^ +||cursecrap.com^ +||cursedspytitanic.com^ +||curseintegralproduced.com^ +||cursormedicabnormal.com^ +||cursorsympathyprime.com^ +||curvyalpaca.cc^ +||curyrentattributo.org^ +||cuseccharm.com^ +||cusecwhitten.com^ +||cushionblarepublic.com^ +||cuslsl.info^ +||custodycraveretard.com^ +||custodycrutchfaintly.com^ +||customads.co^ +||customapi.top^ +||customarydesolate.com^ +||customernormallyseventh.com^ +||customsalternative.com^ +||customselliot.com^ +||cuteab.com^ +||cutelylookups.shop^ +||cuterbond.com^ +||cutescale.online^ +||cutlipsdanelaw.shop^ +||cutsauvo.net^ +||cutsoussouk.net^ +||cuttingstrikingtells.com^ +||cuttlefly.com^ +||cuwlmupz.com^ +||cuzsgqr.com^ +||cvaetfspprbnt.com^ +||cvastico.com^ +||cvgto-akmk.fun^ +||cvvemdvrojgo.com^ +||cvxwaslonejulyha.info^ +||cwoapffh.com^ +||cwqljsecvr.com^ +||cwuaxtqahvk.com^ +||cxeiymnwjyyi.xyz^ +||cyamidfenbank.life^ +||cyan92010.com^ +||cyanidssurmit.top^ +||cyathosaloesol.top^ +||cyberblitzdown.click^ +||cybertronads.com^ +||cybkit.com^ +||cycledaction.com^ +||cycleworked.com^ +||cyclistforgotten.com^ +||cyclstriche.com^ +||cycndlhot.xyz^ +||cyeqeewyr.com^ +||cyg-byzlgtns.world^ +||cygnus.com^ +||cylnkee.com^ +||cyneburg-yam.com^ +||cynem.xyz^ +||cynismdrivage.top^ +||cynoidfudging.shop^ +||cypfdxbynb.com^ +||cypresslocum.com^ +||cyrociest.shop^ +||cytomecruor.top^ +||cyuyvjwyfvn.com^ +||cyvjmnu.com^ +||czaraptitude.com^ +||czedgingtenges.com^ +||czh5aa.xyz^ +||czuvzixm.com^ +||czvdyzt.com^ +||czwxrnv.com^ +||czyoxhxufpm.com^ +||d-agency.net^ +||d03804f2c8.com^ +||d03ab571b4.com^ +||d08l9a634.com^ +||d0main.ru^ +||d15a035f27.com^ +||d19a04d0igndnt.cloudfront.net^ +||d1a0c6affa.com^ +||d1f76eb5a4.com^ +||d1x9q8w2e4.xyz^ +||d24ak3f2b.top^ +||d26e83b697.com^ +||d29gqcij.com^ +||d2e3e68fb3.com^ +||d2j45sh7zpklsw.cloudfront.net^ +||d2kecuadujf2df.cloudfront.net^ +||d2ship.com^ +||d2tc1zttji8e3a.cloudfront.net^ +||d37914770f.com^ +||d3c.life^ +||d3c.site^ +||d3edbb478c.com^ +||d3u0wd7ppfhcxv.cloudfront.net^ +||d43849fz.xyz^ +||d44501d9f7.com^ +||d483501b04.com^ +||d49ae3cc10.com^ +||d52a6b131d.com^ +||d56cfcfcab.com^ +||d592971f36.com^ +||d5chnap6b.com^ +||d5db478dde.com^ +||d6030fe5c6.com^ +||d78eee025b.com^ +||d7c6491da0.com^ +||d8c04a25e8.com^ +||d9db994995.com^ +||d9fb2cc166.com^ +||da-ads.com^ +||da066d9560.com^ +||da52d550a0.com^ +||daailynews.com^ +||daboovip.xyz^ +||daccroi.com^ +||dacmaiss.com^ +||dacmursaiz.xyz^ +||dacnmevunbtu.com^ +||dacpibaqwsa.com^ +||dadsats.com^ +||dadsimz.com^ +||dadslimz.com^ +||dadsoks.com^ +||daejyre.com^ +||daffaite.com^ +||daffodilnotifyquarterback.com^ +||dagassapereion.com^ +||dagheepsoach.net^ +||dagnar.com^ +||dagnurgihjiz.com^ +||dagobasswotter.top^ +||daicagrithi.com^ +||daichoho.com^ +||daicoaky.net^ +||dailyalienate.com^ +||dailyc24.com^ +||dailychronicles2.xyz^ +||dainouluph.net^ +||daintydragged.com^ +||daintyinternetcable.com^ +||daiphero.com^ +||dairebougee.com^ +||dairouzy.net^ +||dairyworkjourney.com^ +||daiwheew.com^ +||daizoode.com^ +||dajswiacllfy.com^ +||dakjddjerdrct.online^ +||dakotasboreens.top^ +||daldk.com^ +||dalecigarexcepting.com^ +||dalecta.com^ +||daleperceptionpot.com^ +||dallavel.com^ +||dallthroughthe.info^ +||daltongrievously.com^ +||daly2024.com^ +||dalyai.com^ +||dalyio.com^ +||dalymix.com^ +||dalysb.com^ +||dalysh.com^ +||dalysv.com^ +||damagecontributionexcessive.com^ +||damagedmissionaryadmonish.com^ +||damedamehoy.xyz^ +||damgurwdblf.xyz^ +||damnightmareleery.com^ +||dampapproach.com^ +||dampedvisored.com^ +||dana123.com^ +||dancefordamazed.com^ +||dandelionnoddingoffended.com^ +||dandinterpersona.com^ +||dandyblondewinding.com^ +||danesuffocate.com^ +||dangerfiddlesticks.com^ +||dangeridiom.com^ +||dangerinsignificantinvent.com^ +||dangerouslyprudent.com^ +||dangerousratio.pro^ +||dangersfluentnewsletter.com^ +||danmounttablets.com^ +||dannyuncoach.com^ +||dansimseng.xyz^ +||dantasg.com^ +||dantbritingd.club^ +||danzhallfes.com^ +||dapcerevis.shop^ +||daphnews.com^ +||dapper.net^ +||dapperdeal.pro^ +||dapro.cloud^ +||dapsotsares.com^ +||daptault.com^ +||darcycapacious.com^ +||darcyjellynobles.com^ +||dareka4te.shop^ +||darghinruskin.com^ +||daringsupport.com^ +||dariolunus.com^ +||darkandlight.ru^ +||darkenedplane.com^ +||darkercoincidentsword.com^ +||darkerillegimateillegimateshade.com^ +||darkerprimevaldiffer.com^ +||darknesschamberslobster.com^ +||darksmartproprietor.com^ +||darnerzaffers.top^ +||darnvigour.com^ +||dartextremely.com^ +||darvongasps.shop^ +||darvorn.com^ +||darwinpoems.com^ +||dasensiblem.org^ +||dasesiumworkhovdimi.info^ +||dashbida.com^ +||dashboardartistauthorized.com^ +||dashdryopes.shop^ +||dashedclownstubble.com^ +||dashedheroncapricorn.com^ +||dashgreen.online^ +||dashnakdrey.com^ +||dasperdolus.com^ +||data-data-vac.com^ +||data-px.services^ +||datajsext.com^ +||datanoufou.xyz^ +||datatechdrift.com^ +||datatechone.com^ +||datatechonert.com^ +||datazap.online^ +||date-till-late.us^ +||date2024.com^ +||date2day.pro^ +||date4sex.pro^ +||dateddeed.com^ +||datesnsluts.com^ +||datessuppressed.com^ +||datesviewsticker.com^ +||dateszone.net^ +||datetrackservice.com^ +||datewhisper.life^ +||datexurlove.com^ +||datherap.xyz^ +||dating-banners.com^ +||dating-roo3.site^ +||dating2cloud.org^ +||datingcentral.top^ +||datingero.com^ +||datingiive.net^ +||datingkoen.site^ +||datingstyle.top^ +||datingtoday.top^ +||datingtopgirls.com^ +||datingvr.ru^ +||datqagdkurce.com^ +||datsunepizzoa.com^ +||daughterinlawrib.com^ +||daughtersarbourbarrel.com^ +||daukshewing.com^ +||dauntgolfconfiscate.com^ +||dauntroof.com^ +||dauntssquills.com^ +||dauptoawhi.com^ +||dausoofo.net^ +||davycrile.com^ +||dawirax.com^ +||dawmal.com^ +||dawncreations.art^ +||dawndadmark.live^ +||dawnfilthscribble.com^ +||dawplm.com^ +||dawtittalky.shop^ +||daybookclags.com^ +||daybreakarchitecture.com^ +||dayqy.space^ +||daytimeentreatyalternate.com^ +||dayznews.biz^ +||dazeactionabet.com^ +||dazedarticulate.com^ +||dazedengage.com^ +||dazeoffhandskip.com^ +||dazhantai.com^ +||db20da1532.com^ +||db33180b93.com^ +||db72c26349.com^ +||dbbsrv.com^ +||dbclix.com^ +||dberthformttete.com^ +||dbizrrslifc.com^ +||dbnxlpbtoqec.com^ +||dbr9gtaf8.com^ +||dbtbfsf.com^ +||dbvpikc.com^ +||dbwmzcj-r.click^ +||dbycathyhoughs.com^ +||dbyulufecdvsgr.com^ +||dc-feed.com^ +||dc-rotator.com^ +||dcfnihzg81pa.com^ +||dcgjpojm.space^ +||dcjaefrbn.xyz^ +||dcjrdjwf.com^ +||dd0122893e.com^ +||dd1xbevqx.com^ +||dd4ef151bb.com^ +||dd9l0474.de^ +||ddbhm.pro^ +||dddashasledopyt.com^ +||dddashasledopyt.xyz^ +||dddomainccc.com^ +||ddkf.xyz^ +||ddndbjuseqi.com^ +||ddrsemxv.com^ +||ddtvskish.com^ +||ddzk5l3bd.com^ +||dead-put.com^ +||deadlyrelationship.com^ +||deadmentionsunday.com^ +||deafening-benefit.pro^ +||dealcurrent.com^ +||dealgodsafe.live^ +||deallyighabove.info^ +||dealsfor.life^ +||dearestimmortality.com^ +||deasandcomemunic.com^ +||deavelydragees.shop^ +||debateconsentvisitation.com^ +||debauchinteract.com^ +||debaucky.com^ +||debausouseets.net^ +||debonerscroop.top^ +||debrisstern.com^ +||debtsbosom.com^ +||debtsevolve.com^ +||debutpanelquizmaster.com^ +||decadedisplace.com^ +||decademical.com^ +||decadenceestate.com^ +||decatyldecane.com^ +||decaysskeery.shop^ +||decaytreacherous.com^ +||deceittoured.com^ +||decemberaccordingly.com^ +||decencysoothe.com^ +||decenthat.com^ +||decentpension.com^ +||deceptionhastyejection.com^ +||decide.dev^ +||decidedlychips.com^ +||decidedlyenjoyableannihilation.com^ +||decidedmonsterfarrier.com^ +||decimalediblegoose.com^ +||decisionmark.com^ +||decisionnews.com^ +||decisivewade.com^ +||deckedsi.com^ +||deckengilder.shop^ +||decknetwork.net^ +||declarcercket.org^ +||declaredtraumatic.com^ +||declinebladdersbed.com^ +||declk.com^ +||decmutsoocha.net^ +||decoctionembedded.com^ +||decomposedismantle.com^ +||decoraterepaired.com^ +||decorationhailstone.com^ +||decordingholo.org^ +||decossee.com^ +||decpo.xyz^ +||decreasetome.com^ +||decrepitgulpedformation.com^ +||decswci.com^ +||dedicatedmedia.com^ +||dedicatedsummarythrone.com^ +||dedicateimaginesoil.com^ +||dedicationfits.com^ +||dedicationflamecork.com^ +||deditiontowritin.com^ +||deductionobtained.com^ +||dedukicationan.info^ +||deebcards-themier.com^ +||deedeedwinos.com^ +||deedeisasbeaut.info^ +||deedkernelhomesick.com^ +||deefauph.com^ +||deeginews.com^ +||deehalig.net^ +||deejehicha.xyz^ +||deemconpier.com^ +||deemwidowdiscourage.com^ +||deenoacepok.com^ +||deepboxervivacious.com^ +||deephicy.net^ +||deepirresistible.com^ +||deepmetrix.com^ +||deepnewsjuly.com^ +||deeprootedladyassurance.com^ +||deeprootedpasswordfurtively.com^ +||deeprootedstranded.com^ +||deepsaifaide.net^ +||deethout.net^ +||deewansturacin.com^ +||defacebunny.com^ +||defandoar.xyz^ +||defaultspurtlonely.com^ +||defaultswigcounterfeit.com^ +||defeatedadmirabledivision.com^ +||defeature.xyz^ +||defenceblake.com^ +||defendantlucrative.com^ +||defenseneckpresent.com^ +||defensive-bad.com^ +||deferapproximately.com^ +||deferjobfeels.com^ +||deferrenewdisciple.com^ +||defiancebelow.com^ +||defiancefaithlessleague.com^ +||defiantmotherfamine.com^ +||deficitsilverdisability.com^ +||definedbootnervous.com^ +||definitial.com^ +||deforcediau.com^ +||defpush.com^ +||defybrick.com^ +||degeneratecontinued.com^ +||degeronium.com^ +||degg.site^ +||deghooda.net^ +||degradationrethink.com^ +||degradationtransaction.com^ +||degradeaccusationshrink.com^ +||degradeexpedient.com^ +||degreebristlesaved.com^ +||degutu.xyz^ +||dehimalowbowohe.info^ +||deitynosebleed.com^ +||dejjjdbifojmi.com^ +||deksoarguph.net^ +||del-del-ete.com^ +||delayedmall.pro^ +||delfsrld.click^ +||delicateomissionarched.com^ +||delicatereliancegodmother.com^ +||delicious-slip.pro^ +||delicioustaco.b-cdn.net^ +||delightacheless.com^ +||delightedheavy.com^ +||delightedintention.com^ +||delightedplash.com^ +||delightedprawn.com^ +||delightful-page.pro^ +||delightfulmachine.pro^ +||delightspiritedtroop.com^ +||deligrassdull.com^ +||deliman.net^ +||deline-sunction.com^ +||deliquencydeliquencyeyesight.com^ +||deliriousglowing.com^ +||deliriumalbumretreat.com^ +||deliv12.com^ +||delivereddecisiverattle.com^ +||delivery.momentummedia.com.au^ +||delivery45.com^ +||delivery47.com^ +||delivery49.com^ +||delivery51.com^ +||deliverydom.com^ +||deliverymod.com^ +||deliverymodo.com^ +||deliverytrafficnews.com^ +||deliverytraffico.com^ +||deliverytraffnews.com^ +||deliverytriumph.com^ +||delmarviato.com^ +||delnapb.com^ +||delookiinasfier.cc^ +||deloplen.com^ +||deloton.com^ +||deltarockies.com^ +||deltraff.com^ +||deludeweb.com^ +||delusionaldiffuserivet.com^ +||delusionpenal.com^ +||delutza.com^ +||deluxe-download.com^ +||demand.supply^$script +||demanding-application.pro^ +||demba.xyz^ +||demeanourgrade.com^ +||demisemyrick.com^ +||demiseskill.com^ +||democracyendlesslyzoo.com^ +||democracyseriously.com^ +||democraticflushedcasks.com^ +||demolishforbidhonorable.com^ +||demonstrationsurgical.com^ +||demonstrationtimer.com^ +||demonstudent.com^ +||demowebcode.online^ +||demtaudeeg.com^ +||denariibrocked.com^ +||denayphlox.top^ +||denbeigemark.com^ +||dendranthe4edm7um.com^ +||dendrito.name^ +||denetsuk.com^ +||dengelmeg.com^ +||denialrefreshments.com^ +||deniedsolesummer.com^ +||denoughtanot.info^ +||denouncecomerpioneer.com^ +||densigissy.net^ +||densouls.com^ +||dental-drawer.pro^ +||dentalillegally.com^ +||denthaitingshospic.com^ +||denunciationsights.com^ +||deostr.com^ +||deparkcariole.shop^ +||departedcomeback.com^ +||departedsilas.com^ +||departgross.com^ +||departmentcomplimentary.com^ +||departmentscontinentalreveal.com^ +||departtrouble.com^ +||departurealtar.com^ +||dependablepumpkinlonger.com^ +||dependeddebtsmutual.com^ +||dependentdetachmentblossom.com^ +||dependentwent.com^ +||dependpinch.com^ +||dependsbichir.shop^ +||dephasevittate.com^ +||depictdeservedtwins.com^ +||depleteappetizinguniverse.com^ +||deploremythsound.com^ +||deployads.com^ +||deponerdidym.top^ +||deporttideevenings.com^ +||depositpastel.com^ +||depotdesirabledyed.com^ +||depravegypsyterrified.com^ +||depreciateape.com^ +||depreciatelovers.com^ +||depressedchamber.com^ +||depsabsootchut.net^ +||derateissuant.top^ +||derevya2sh8ka09.com^ +||deridenowadays.com^ +||deridetapestry.com^ +||derisiveflare.com^ +||derisiveheartburnpasswords.com^ +||derivativelined.com^ +||deriveddeductionguess.com^ +||derivedrecordsstripes.com^ +||derowalius.com^ +||dersouds.com^ +||derthurnyjkomp.com^ +||desabrator.com^ +||descargarpartidosnba.com^ +||descendantdevotion.com^ +||descendentwringthou.com^ +||descentsafestvanity.com^ +||deschikoritaa.com^ +||descrepush.com^ +||described.work^ +||descriptionheels.com^ +||descriptionhoney.com^ +||descriptivetitle.pro^ +||descz.ovh^ +||desekansr.com^ +||desenteir.com^ +||desertsutilizetopless.com^ +||deserveannotationjesus.com^ +||desgolurkom.com^ +||deshelioptiletor.com^ +||deshourty.com^ +||designatejay.com^ +||designerdeclinedfrail.com^ +||designernoise.com^ +||designeropened.com^ +||designingbadlyhinder.com^ +||designingpupilintermediary.com^ +||designsrivetfoolish.com^ +||desireddelayaspirin.com^ +||desiregig.com^ +||desiremolecule.com^ +||deslatiosan.com^ +||despairrim.com^ +||desperateambient.com^ +||despicablereporthusband.com^ +||despotbenignitybluish.com^ +||dessertgermdimness.com^ +||dessly.ru^ +||destinysfavored.xyz^ +||destituteuncommon.com^ +||destroyedspear.com^ +||destructionhybrids.com^ +||desugeng.xyz^ +||desvibravaom.com^ +||detachedbates.com^ +||detachedknot.com^ +||detailedshuffleshadow.com^ +||detailexcitement.com^ +||detectedadvancevisiting.com^ +||detectivegrilled.com^ +||detectivesbaseballovertake.com^ +||detectivesexception.com^ +||detectivespreferably.com^ +||detectmus.com^ +||detectvid.com^ +||detentionquasipairs.com^ +||detentsclonks.com^ +||detergenthazardousgranddaughter.com^ +||detergentkindlyrandom.com^ +||determineapp.com^ +||determineworse.com^ +||deterrentpainscodliver.com^ +||detestgaspdowny.com^ +||detour.click^ +||deturbcordies.com^ +||devastatedshorthandpleasantly.com^ +||devcre.site^ +||developmentbulletinglorious.com^ +||developmentgoat.com^ +||devgottia.github.io^ +||deview-moryant.icu^ +||devilnonamaze.com^ +||deviseoats.com^ +||deviseundress.com^ +||devotionhesitatemarmalade.com^ +||devotionhundredth.com^ +||devoutdoubtfulsample.com^ +||devoutgrantedserenity.com^ +||devuba.xyz^ +||dewincubiatoll.com^ +||dewreseptivereseptiveought.com^ +||dexchangegenius.com^ +||dexchangeinc.com^ +||deximedia.com^ +||dexoucheekripsu.net^ +||dexplatform.com^ +||dexpredict.com^ +||deymalaise.com^ +||deziloaghop.com^ +||dfd55780d6.com^ +||dfdgfruitie.xyz^ +||dffa09cade.com^ +||dfnetwork.link^ +||dfpnative.com^ +||dfpstitial.com^ +||dfpstitialtag.com^ +||dfrgboisrpsd.com^ +||dfsdkkka.com^ +||dft9.online^ +||dfvlaoi.com^ +||dfyui8r5rs.click^ +||dfyvcihusajf.com^ +||dgafgadsgkjg.top^ +||dgkmdia.com^ +||dgmaustralia.com^ +||dgnlrpth-a.today^ +||dgpcdn.org^ +||dgptxzz.com^ +||dgqtsligihid.com^ +||dgxmvglp.com^ +||dhadbeensoattr.info^ +||dhalafbwfcv.com^ +||dharnaslaked.top^ +||dhkecbu.com^ +||dhkrftpc.xyz^ +||dhoma.xyz^ +||dhootiepawed.com^ +||dhuimjkivb.com^ +||di7stero.com^ +||diabeteprecursor.com^ +||diaenecoshed.com^ +||diagramjawlineunhappy.com^ +||diagramtermwarrant.com^ +||diagramwrangleupdate.com^ +||dialling-abutory.com^ +||dialoguemarvellouswound.com^ +||dialogueshipwreck.com^ +||diametersunglassesbranch.com^ +||dianomioffers.co.uk^ +||dibbuksnoonlit.shop^ +||dibrachndoderm.com^ +||dibsemey.com^ +||dicerchaster.top^ +||dicesstipo.com^ +||diceunacceptable.com^ +||dicheeph.com^ +||dichoabs.net^ +||diclotrans.com^ +||dicouksa.com^ +||dictatepantry.com^ +||dictatormiserablealec.com^ +||dictatorsanguine.com^ +||dictumstortil.com^ +||didspack.com^ +||diedpractitionerplug.com^ +||diedstubbornforge.com^ +||diench.com^ +||dietarydecreewilful.com^ +||dietschoolvirtually.com^ +||differencenaturalistfoam.com^ +||differenchi.pro^ +||differentevidence.com^ +||differentlydiscussed.com^ +||differfundamental.com^ +||differpurifymustard.com^ +||differsassassin.com^ +||differsprosperityprotector.com^ +||diffhobbet.click^ +||difficultyearliestclerk.com^ +||difficultyefforlessefforlessthump.com^ +||diffidentniecesflourish.com^ +||diffusedpassionquaking.com^ +||diffusionsubletunnamed.com^ +||difice-milton.com^ +||difyferukentasp.com^ +||digadser.com^ +||digestionethicalcognomen.com^ +||diggingrebbes.com^ +||digiadzone.com^ +||digital2cloud.com^ +||digitaldsp.com^ +||digitalmediapp.com^ +||dignityhourmulticultural.com^ +||dignityprop.com^ +||dignityunattractivefungus.com^ +||diguver.com^ +||digyniahuffle.com^ +||diingsinspiri.com^ +||dikeaxillas.com^ +||dikkoplida.cam^ +||dilatenine.com^ +||dilateriotcosmetic.com^ +||dilowhang.com^ +||dilruwha.net^ +||diltqdxecyicf.com^ +||dilutegulpedshirt.com^ +||dilutesnoopzap.com^ +||dimedoncywydd.com^ +||dimeearnestness.com^ +||dimeeghoo.com^ +||dimessing-parker.com^ +||dimfarlow.com^ +||dimlmhowvkrag.xyz^ +||dimmerlingowashable.com^ +||dimnaamebous.com^ +||dimnessinvokecorridor.com^ +||dimnessslick.com^ +||dimpledplan.pro^ +||dinecogitateaffections.com^ +||dinejav11.fun^ +||dinerbreathtaking.com^ +||dinerinvite.com^ +||dingerhoes.shop^ +||dinghologyden.org^ +||dingswondenthaiti.com^ +||dingytiredfollowing.com^ +||diningconsonanthope.com^ +||diningprefixmyself.com^ +||diningsovereign.com^ +||dinkeysosmetic.shop^ +||dinkiersenhora.com^ +||dinnercreekawkward.com^ +||dinomicrummies.com^ +||dinseegny.com^ +||diobolazafran.top^ +||diplnk.com^ +||diplomatomorrow.com^ +||dipodesoutane.shop^ +||dippingearlier.com^ +||dippingunstable.com^ +||diptaich.com^ +||dipusdream.com^ +||dipxmakuja.com^ +||dirdoophounu.net^ +||direct-specific.com^ +||directaclick.com^ +||directcpmfwr.com^ +||directdexchange.com^ +||directflowlink.com^ +||directleads.com^ +||directlycoldnesscomponent.com^ +||directlymilligramresponded.com^ +||directnavbt.com^ +||directorym.com^ +||directoutside.pro^ +||directrankcl.com^ +||directrev.com^ +||directtaafwr.com^ +||directtrack.com^ +||directtrck.com^ +||dirtrecurrentinapptitudeinapptitude.com^ +||dirty.games^ +||dirtyasmr.com^ +||disable-adverts.com^ +||disableadblock.com^ +||disabledincomprehensiblecitizens.com^ +||disabledmembership.com^ +||disablepovertyhers.com^ +||disadvantagenaturalistrole.com^ +||disagreeableallen.com^ +||disagreeopinionemphasize.com^ +||disappearanceinspiredscan.com^ +||disappearancetickfilth.com^ +||disappearedpuppetcovered.com^ +||disappearingassertive.com^ +||disappointally.com^ +||disappointingbeef.com^ +||disappointingupdatependulum.com^ +||disapprovalpulpdiscourteous.com^ +||disastrousdetestablegoody.com^ +||disastrousfinal.pro^ +||disbeliefenvelopemeow.com^ +||disburymixy.shop^ +||disccompose.com^ +||discernibletickpang.com^ +||dischargecompound.com^ +||dischargedcomponent.com^ +||dischargemakerfringe.com^ +||disciplecousinendorse.com^ +||disciplineagonywashing.com^ +||disciplineinspirecapricorn.com^ +||discloseapplicationtreason.com^ +||disclosestockingsprestigious.com^ +||disclosesweepraincoat.com^ +||discomantles.com^ +||disconnectthirstyron.com^ +||discontenteddiagnosefascinating.com^ +||discospiritirresponsible.com^ +||discountstickersky.com^ +||discourseoxidizingtransfer.com^ +||discoverethelwaiter.com^ +||discoverybarricaderuse.com^ +||discoveryreedpiano.com^ +||discreetchurch.com^ +||discreetmotortribe.com^ +||discretionpollclassroom.com^ +||discussedirrelevant.com^ +||discussedpliant.com^ +||discussingmaze.com^ +||disdainsneeze.com^ +||disdeinrechar.top^ +||diseaseexternal.com^ +||diseaseplaitrye.com^ +||disembarkappendix.com^ +||disfigured-survey.pro^ +||disfiguredirt.com^ +||disfiguredrough.pro^ +||disguised-dad.com^ +||disguisedgraceeveryday.com^ +||disgustassembledarctic.com^ +||disgustedawaitingcone.com^ +||dishcling.com^ +||disheartensunstroketeen.com^ +||dishesha.net^ +||dishevelledoughtshall.com^ +||dishoneststuff.pro^ +||dishonourfondness.com^ +||dishwaterconcedehearty.com^ +||disingenuousdismissed.com^ +||disingenuousmeasuredere.com^ +||disinheritbottomwealthy.com^ +||disintegratenose.com^ +||disintegrateredundancyfen.com^ +||diskaa.com^ +||dislikequality.com^ +||dismalcompassionateadherence.com^ +||dismantlepenantiterrorist.com^ +||dismantleunloadaffair.com^ +||dismastrostra.com^ +||dismaybrave.com^ +||dismaytestimony.com^ +||dismissedsmoothlydo.com^ +||dismisssalty.com^ +||dismountpoint.com^ +||dismountthreateningoutline.com^ +||disobediencecalculatormaiden.com^ +||disorderbenign.com^ +||disowp.info^ +||disparitydegenerateconstrict.com^ +||dispatchfeed.com^ +||dispensedessertbody.com^ +||dispersecottage.com^ +||disperserepeatedly.com^ +||displaceprivacydemocratic.com^ +||displaycontentnetwork.com^ +||displaycontentprofit.com^ +||displayfly.com^ +||displayformatcontent.com^ +||displayformatrevenue.com^ +||displaynetworkcontent.com^ +||displaynetworkprofit.com^ +||displayvertising.com^ +||displeasedprecariousglorify.com^ +||displeasedwetabridge.com^ +||displeasurethank.com^ +||disploot.com^ +||dispop.com^ +||disposableearnestlywrangle.com^ +||disposalsirbloodless.com^ +||disposedbeginner.com^ +||disputeretorted.com^ +||disqualifygirlcork.com^ +||disquietstumpreducing.com^ +||disquietwokesupersede.com^ +||disreputabletravelparson.com^ +||disrespectpreceding.com^ +||dissatisfactionparliament.com^ +||dissatisfactionrespiration.com^ +||dissemblebendnormally.com^ +||dissipatecombinedcolon.com^ +||dissolvedessential.com^ +||dissolvetimesuspicions.com^ +||distancefilmingamateur.com^ +||distancemedicalchristian.com^ +||distant-handle.pro^ +||distant-session.pro^ +||distantbelly.com^ +||distinctpiece.pro^ +||distinguishedshrug.com^ +||distinguishtendhypothesis.com^ +||distortunfitunacceptable.com^ +||distractedavail.com^ +||distractfragment.com^ +||distractiontradingamass.com^ +||distraughtsexy.com^ +||distressedsoultabloid.com^ +||distributionfray.com^ +||distributionland.website^ +||distributionrealmoth.com^ +||districtm.ca^ +||districtm.io^ +||distrustacidaccomplish.com^ +||distrustawhile.com^ +||distrustuldistrustulshakencavalry.com^ +||disturbancecommemorate.com^ +||dit-dit-dot.com^ +||ditceding.com^ +||ditchbillionrosebud.com^ +||ditdotsol.com^ +||ditwrite.com^ +||divedresign.com^ +||divergeimperfect.com^ +||diverhaul.com^ +||divertbywordinjustice.com^ +||divetroubledloud.com^ +||dividedkidblur.com^ +||dividedscientific.com^ +||divideinch.com^ +||dividetribute.com^ +||dividucatus.com^ +||divingshown.com^ +||divinitygasp.com^ +||divinitygoggle.com^ +||divisiondrearilyunfiled.com^ +||divisionprogeny.com^ +||divorcebelievable.com^ +||divvyprorata.com^ +||dizzyporno.com^ +||dizzyshe.pro^ +||dj-updates.com^ +||dj2550.com^ +||djadoc.com^ +||djfiln.com^ +||djghtqdbptjn.com^ +||djmqwdcwebstaxn.com^ +||djmwxpsijxxo.xyz^ +||djosbhwpnfxmx.com^ +||djrsvwtt.com^ +||dkfqrsqg.com^ +||dkrbus.com^ +||dkvhqgnyrnbxsi.com^ +||dkxrubgc.com^ +||dl-rms.com^ +||dle-news.xyz^ +||dlfvgndsdfsn.com^ +||dlgeebfbcp.com^ +||dlski.space^ +||dmavtliwh.global^ +||dmetherearlyinhes.info^ +||dmeukeuktyoue.info^ +||dmhbbivu.top^ +||dmhclkohnrpvg.com^ +||dmiredindeed.com^ +||dmiredindeed.info^ +||dmm-video.online^ +||dmphcubeiux.com^ +||dmrtx.com^ +||dmsktmld.com^ +||dmuqumodgwm.com^ +||dmvbdfblevxvx.com^ +||dmzjmp.com^ +||dn9.biz^ +||dnagwyxbi.rocks^ +||dnavexch.com^ +||dnavtbt.com^ +||dncnudcrjprotiy.xyz^ +||dnemkhkbsdbl.com^ +||dnfs24.com^ +||dntigerly.top^ +||dnvgecz.com^ +||doadacefaipti.net^ +||doaipomer.com^ +||doajauhopi.xyz^ +||doaltariaer.com^ +||doanaudabu.net^ +||doapovauma.net^ +||doappcloud.com^ +||doastaib.xyz^ +||doblazikena.com^ +||doblonsurare.shop^ +||dociblessed.com^ +||dockboulevardshoes.com^ +||dockdeity.com^ +||dockoolser.net^ +||doctorenticeflashlights.com^ +||doctorhousing.com^ +||doctorpost.net^ +||doctoryoungster.com^ +||documentaryextraction.com^ +||documentaryselfless.com^ +||dodaihoptu.xyz^ +||dodgyvertical.com^ +||dodouhoa.com^ +||doesbitesizeadvantages.com^ +||doflygonan.com^ +||dofrogadiera.com^ +||dogecalloo.com^ +||doggessasbolin.com^ +||doghasta.com^ +||dogiedimepupae.com^ +||dogolurkr.com^ +||dogprocure.com^ +||dogt.xyz^ +||dogwrite.com^ +||dokaboka.com^ +||dokondigit.quest^ +||dokseptaufa.com^ +||dolatiaschan.com^ +||dolatiosom.com^ +||dolefulcaller.com^ +||dolefulitaly.com^ +||dolehum.com^ +||dolemeasuringscratched.com^ +||doleyorpinc.website^ +||dolils.click^ +||dollarade.com^ +||dolohen.com^ +||dolphinabberantleaflet.com^ +||dolphincdn.xyz^ +||doltishapodes.shop^ +||domainanalyticsapi.com^ +||domaincntrol.com^ +||domainparkingmanager.it^ +||domakuhitaor.com^ +||dombnrs.com^ +||domccktop.com^ +||domdex.com^ +||domenictests.top^ +||domesticsomebody.com^ +||domfehu.com^ +||domicileperil.com^ +||domicilereduction.com^ +||dominaeusques.com^ +||dominantcodes.com^ +||dominatedisintegratemarinade.com^ +||dominikpers.ru^ +||domipush.com^ +||domnlk.com^ +||dompeterapp.com^ +||domslc.com^ +||domuipan.com^ +||donarycrips.com^ +||donateentrailskindly.com^ +||donationobliged.com^ +||donecperficiam.net^ +||donescaffold.com^ +||doninjaskr.com^ +||donkstar1.online^ +||donkstar2.online^ +||donmehalumnal.top^ +||donttbeevils.de^ +||doo888x.com^ +||doobaupu.xyz^ +||doodiwom.com^ +||doodlelegitimatebracelet.com^ +||doodoaru.net^ +||dooloust.net^ +||doomail.org^ +||doomcelebritystarch.com^ +||doomdoleinto.com^ +||doomedafarski.com^ +||doomedlimpmantle.com^ +||doomna.com^ +||doompuncturedearest.com^ +||doopimim.net^ +||doorbanker.com^ +||doorboyouthear.com^ +||doormantdoormantbumpyinvincible.com^ +||doostaiy.com^ +||doostozoa.net^ +||doozersunkept.com^ +||dopansearor.com^ +||dope.autos^ +||dopecurldizzy.com^ +||dopor.info^ +||doprinplupr.com^ +||doptefoumsifee.xyz^ +||doptik.ru^ +||doraikouor.com^ +||dorimnews.com^ +||dorkingvoust.com^ +||dortmark.net^ +||doruffleton.com^ +||doruffletr.com^ +||dosamurottom.com^ +||doscarredwi.org^ +||dosconsiderate.com^ +||doseadraa.com^ +||doshellosan.com^ +||dositsil.net^ +||dosliggooor.com^ +||dosneaselor.com^ +||dossmanaventre.top^ +||dotandads.com^ +||dotappendixrooms.com^ +||dotchaudou.com^ +||dotcom10.info^ +||dotdealingfilling.com^ +||dothepashandelthingwebrouhgtfromfrance.top^ +||dotranquilla.com^ +||dotsrv.com^ +||dotyruntchan.com^ +||double-check.com^ +||double.net^ +||doubleadserve.com^ +||doublemax.net^ +||doubleonclick.com^ +||doublepimp.com^ +||doublepimpssl.com^ +||doublerecall.com^ +||doubleview.online^ +||doubtcigardug.com^ +||doubtedprompts.com^ +||doubtmeasure.com^ +||doubtslutecia.com^ +||douchaiwouvo.net^ +||doucheraisiny.com^ +||douchucoam.net^ +||doufoushig.xyz^ +||dougale.com^ +||douhooke.net^ +||doukoula.com^ +||douthosh.net^ +||douwhawez.com^ +||douwotoal.com^ +||doveexperttactical.com^ +||dovictinian.com^ +||down1oads.com^ +||download-adblock-zen.com^ +||download-privacybear.com^ +||download-ready.net^ +||download4.cfd^ +||download4allfree.com^ +||downloadboutique.com^ +||downloading-addon.com^ +||downloading-extension.com^ +||downloadmobile.pro^ +||downloadyt.com^ +||downlon.com^ +||downparanoia.com^ +||downright-administration.pro^ +||downstairsnegotiatebarren.com^ +||downtransmitter.com^ +||downwardstreakchar.com^ +||dowrylatest.com^ +||doyenssudsier.click^ +||dozubatan.com^ +||dozzlegram-duj-i-280.site^ +||dpahlsm.com^ +||dpdnav.com^ +||dphwyvcmdki.com^ +||dpmsrv.com^ +||dprivatedquali.org^ +||dprtb.com^ +||dpseympatijgpaw.com^ +||dpstack.com^ +||dptwwmktgta.com^ +||dqdrsgankrum.org^ +||dqeaa.com^ +||dqgmtzo.com^ +||dqjkzrx.com^ +||dqqlwldixzxx.com^ +||dqxifbm.com^ +||dr0.biz^ +||dr22.biz^ +||dr6.biz^ +||dr7.biz^ +||drabimprovement.com^ +||drablyperms.top^ +||draftbeware.com^ +||draftedorgany.com^ +||dragdisrespectmeddling.com^ +||dragfault.com^ +||dragnag.com^ +||dralintheirbr.com^ +||dramamutual.com^ +||dramasoloist.com^ +||dranktonsil.com^ +||drapefabric.com^ +||drapingleden.com^ +||dratingmaject.com^ +||draughtpoisonous.com^ +||drawbackcaptiverusty.com^ +||drawerenter.com^ +||drawergypsyavalanche.com^ +||drawingsingmexican.com^ +||drawingwheels.com^ +||drawnperink.com^ +||drawx.xyz^ +||draystownet.com^ +||drctcldfbfwr.com^ +||drctcldfe.com^ +||drctcldfefwr.com^ +||drctcldff.com^ +||drctcldfffwr.com^ +||dreadfulprofitable.com^ +||dreadluckdecidedly.com^ +||dreambooknews.com^ +||dreamintim.net^ +||dreamnews.biz^ +||dreamsaukn.org^ +||dreamteamaffiliates.com^ +||drearypassport.com^ +||drenastheycam.com^ +||drenchsealed.com^ +||dressceaseadapt.com^ +||dresserbirth.com^ +||dresserderange.com^ +||dresserfindparlour.com^ +||dressingdedicatedmeeting.com^ +||dressmakerdecisivesuburban.com^ +||dressmakertumble.com^ +||drewitecossic.com^ +||dreyeli.info^ +||dreyntbynames.top^ +||drfaultlessplays.com^ +||dribbleads.com^ +||dribturbot.com^ +||driedanswerprotestant.com^ +||driedcollisionshrub.com^ +||drillcompensate.com^ +||drinksbookcaseconsensus.com^ +||dripe.site^ +||drivago.top^ +||drivercontinentcleave.com^ +||drivewayilluminatedconstitute.com^ +||drivewayperrydrought.com^ +||drivingfoot.website^ +||drizzlefirework.com^ +||drizzlepose.com^ +||drizzlerules.com^ +||drkness.net^ +||drleez.xyz^ +||dromoicassida.com^ +||dronediscussed.com^ +||dronetmango.com^ +||droopingfur.com^ +||dropdoneraining.com^ +||droppalpateraft.com^ +||droppingforests.com^ +||droppingprofessionmarine.com^ +||dropsclank.com^ +||drownbossy.com^ +||drpggagxsz.com^ +||drsmediaexchange.com^ +||drtlgtrnqvnr.xyz^ +||drubbersestia.com^ +||druggedforearm.com^ +||drugstoredemuretake.com^ +||druguniverseinfected.com^ +||drumfailedthy.com^ +||drummercorruptprime.com^ +||drummercrouchdelegate.com^ +||drumskilxoa.click^ +||drunkendecembermediocre.com^ +||drunkindigenouswaitress.com^ +||drxxnhks.com^ +||dryabletwine.com^ +||drybariums.shop^ +||drylnk.com^ +||ds3.biz^ +||ds7hds92.de^ +||dsadghrthysdfadwr3sdffsdaghedsa2gf.xyz^ +||dsnextgen.com^ +||dsoodbye.xyz^ +||dsp.wtf^ +||dsp5stero.com^ +||dspmega.com^ +||dspmulti.com^ +||dspultra.com^ +||dsstrk.com^ +||dstevermotori.org^ +||dstimaariraconians.info^ +||dsultra.com^ +||dsxwcas.com^ +||dt4ever.com^ +||dt51.net^ +||dtadnetwork.com^ +||dtbfpygjdxuxfbs.xyz^ +||dtheharityhild.info^ +||dthipkts.com^ +||dtmjpefzybt.fun^ +||dtmpub.com^ +||dtootmvwy.top^ +||dtprofit.com^ +||dtsan.net^ +||dtscdn.com^ +||dtscout.com^ +||dtsedge.com^ +||dtssrv.com^ +||dtx.click^ +||dtyathercockrem.com^ +||dtybyfo.com^ +||dtylhedgelnham.com^ +||dualmarket.info^ +||dualp.xyz^ +||duamilsyr.com^ +||dubdetectioniceberg.com^ +||dubdiggcofmo.com^ +||dubshub.com^ +||dubvacasept.com^ +||dubzenom.com^ +||duchough.com^ +||duckannihilatemulticultural.com^ +||duckedabusechuckled.com^ +||ducksintroduce.com^ +||ductclickjl.com^ +||ductedcestoid.top^ +||ductquest.com^ +||ducubchooa.com^ +||dudialgator.com^ +||dudleynutmeg.com^ +||dudragonitean.com^ +||duesirresponsible.com^ +||duetads.com^ +||dufflesmorinel.com^ +||dufixen.com^ +||dufoilreslate.shop^ +||duftiteenfonce.com^ +||duftoagn.com^ +||dugapiece.com^ +||duglompu.xyz^ +||dugothitachan.com^ +||dugraukeeck.net^ +||dugrurdoy.com^ +||duili-mtp.com^ +||duimspruer.life^ +||dukesubsequent.com^ +||dukingdraon.com^ +||dukirliaon.com^ +||duksomsy.com^ +||dulativergs.com^ +||duleonon.com^ +||dulillipupan.com^ +||dulladaptationcontemplate.com^ +||dullstory.pro^ +||dulojet.com^ +||dulsesglueing.com^ +||dulwajdpoqcu.com^ +||dumbpop.com^ +||dumkcuakrlka.com^ +||dummieseardrum.com^ +||dumpaudible.com^ +||dumpconfinementloaf.com^ +||dumplingclubhousecompliments.com^ +||dunderaffiliates.com^ +||dungeonisosculptor.com^ +||dunsathelia.click^ +||duo-zlhbjsld.buzz^ +||duplicateallycomics.com^ +||duplicateankle.com^ +||duplicatebecame.com^ +||duplicatepokeheavy.com^ +||dupsyduckom.com^ +||dupy-hsjctyn.icu^ +||durableordinarilyadministrator.com^ +||durantconvey.com^ +||durith.com^ +||duskinglocus.com^ +||dust-0001.delorazahnow.workers.dev^ +||dustersee.com^ +||dustourregraft.top^ +||dustratebilate.com^ +||dustywrenchdesigned.com^ +||dutorterraom.com^ +||dutydynamo.co^ +||dutygoddess.com^ +||dutythursday.com^ +||duvuerxuiw.com^ +||duwtkigcyxh.com^ +||duzbhonizsk.com^ +||duzeegotimu.net^ +||dvaminusodin.net^ +||dvbwfdwae.com^ +||dvkxchzb.com^ +||dvvemmg.com^ +||dvxrxm-cxo.top^ +||dvypar.com^ +||dvzkkug.com^ +||dwelledfaunist.shop^ +||dwellerfosset.shop^ +||dwellsew.com^ +||dwetwdstom1020.com^ +||dwfupceuqm.com^ +||dwhitdoedsrag.org^ +||dwightadjoining.com^ +||dwqjaehnk.com^ +||dwvbfnqrbif.com^ +||dwydqnclgflug.com^ +||dxmjyxksvc.com^ +||dxouwbn7o.com^ +||dxtv1.com^ +||dyerbossier.top^ +||dyhvtkijmeg.xyz^ +||dyipkcuro.rocks^ +||dylop.xyz^ +||dymoqrupovgefjq.com^ +||dynamicadx.com^ +||dynamicapl.com^ +||dynamicjsconfig.com^ +||dynamitedata.com^ +||dynamosbakongo.shop^ +||dynpaa.com^ +||dynspt.com^ +||dynsrvbaa.com^ +||dynsrvtbg.com^ +||dynsrvtyu.com^ +||dynssp.com^ +||dyptanaza.com^ +||dysenteryappeal.com^ +||dysfunctionalrecommendation.com^ +||dytabqo.com^ +||dz4ad.com^ +||dzfilkmol.com^ +||dzhjmp.com^ +||dzienkudrow.com^ +||dzigzdbqkc.com^ +||dzijggsdx.com^ +||dzinzafogdpog.com^ +||dzkpopetrf.com^ +||dzliege.com^ +||dzsopgxm.com^ +||dzsorpf.com^ +||dzubavstal.com^ +||dzuowpapvcu.com^ +||e-cougar.fr^ +||e0ad1f3ca8.com^ +||e0e5bc8f81.com^ +||e19533834e.com^ +||e1d56c0a5f.com^ +||e2bec62b64.com^ +||e2ertt.com^ +||e3202e1cad.com^ +||e437040a9a.com^ +||e59a2ad79a.com^ +||e5asyhilodice.com^ +||e67repidwnfu7gcha.com^ +||e6wwd.top^ +||e770af238b.com^ +||e7e34b16ed.com^ +||e8100325bc.com^ +||e822e00470.com^ +||e9d13e3e01.com^ +||ea011c4ae4.com^ +||eabids.com^ +||eabithecon.xyz^ +||eac0823ca94e3c07.com^ +||eacdn.com^ +||eachiv.com^ +||eaed8c304f.com^ +||eagainedameri.com^ +||eagainedamerican.org^ +||eagleapi.io^ +||eaglebout.com^ +||eaglestats.com^ +||eakelandorder.com^ +||eakelandorders.org^ +||ealeo.com^ +||eallywasnothy.com^ +||eamsanswer.com^ +||eanangelsa.info^ +||eanddescri.com^ +||eanff.com^ +||eanwhitepinafor.com^ +||eardepth-prisists.com^ +||earinglestpeoples.info^ +||earlapssmalm.com^ +||earlierdimrepresentative.com^ +||earlierindians.com^ +||earliesthuntingtransgress.com^ +||earlinessone.xyz^ +||earlyfortune.pro^ +||earnify.com^ +||earningsgrandpa.com^ +||earningstwigrider.com^ +||earphonespulse.com^ +||earplugmolka.com^ +||earringsatisfiedsplice.com^ +||earshambitty.com^ +||earthquakehomesinsulation.com^ +||eas696r.xyz^ +||easctmguafe.global^ +||easeavailandpro.info^ +||easegoes.com^ +||easeinternmaterialistic.com^ +||easelegbike.com^ +||easerefrain.com^ +||eashasvsucoc.info^ +||easierroamaccommodation.com^ +||easilygreateststuff.com^ +||eastergurgle.com^ +||eastfeukufu.info^ +||eastfeukufunde.com^ +||eastrk-dn.com^ +||eastrk-lg.com^ +||easy-dating.org^ +||easyaccess.mobi^ +||easyad.com^ +||easyads28.mobi^ +||easyads28.pro^ +||easyfag.com^ +||easyflirt-partners.biz^ +||easygoingasperitydisconnect.com^ +||easygoingseducingdinner.com^ +||easygoingtouchybribe.com^ +||easylummos.com^ +||easymrkt.com^ +||easysearch.click^ +||easysemblyjusti.info^ +||eatasesetitoefa.info^ +||eatasesetitoefany.com^ +||eaterdrewduchess.com^ +||eatmenttogeth.com^ +||eavefrom.net^ +||eavesdroplimetree.com^ +||eavesofefinegoldf.info^ +||eawp2ra7.top^ +||eazyleads.com^ +||eb36c9bf12.com^ +||ebannertraffic.com^ +||ebb174824f.com^ +||ebc998936c.com^ +||ebd.cda-hd.co^ +||ebengussaubsooh.net^ +||ebetoni.com^ +||ebigrooxoomsust.net^ +||eblastengine.com^ +||ebnarnf.com^ +||ebolat.xyz^ +||ebonizerebake.com^ +||ebooktheft.com^ +||ebqptawxdxrrdsu.xyz^ +||ebsbqexdgb.xyz^ +||ebuzzing.com^ +||ebz.io^ +||ec49775bc5.com^ +||ec7be59676.com^ +||echeegoastuk.net^ +||echefoph.net^ +||echinusandaste.com^ +||echoachy.xyz^ +||echocultdanger.com^ +||echoeshamauls.com^ +||echopixelwave.net^ +||ecipientconc.org^ +||ecityonatallcol.info^ +||eckleinlienic.click^ +||eckonturricalsbu.org^ +||eclkmpbn.com^ +||eclkmpsa.com^ +||eclqhkyjqpcv.com^ +||ecoastandhei.org^ +||econenectedith.info^ +||economyhave.com^ +||econsistentlyplea.com^ +||ecoulsou.xyz^ +||ecpms.net^ +||ecrwqu.com^ +||ecstatic-rope.pro^ +||ectsofcukorpor.com^ +||ecusemis.com^ +||ecvjrxlrql.com^ +||ecxgjqjjkpsx.com^ +||eda153603c.com^ +||edaciousedaciousflaxalso.com^ +||edaciousedacioushandkerchiefcol.com^ +||edacityedacitycorrespondence.com^ +||edacityedacityhandicraft.com^ +||edacityedacitystrawcrook.com^ +||edaightutaitlastwe.info^ +||edalloverwiththinl.info^ +||edallthroughthe.info^ +||edbehindforhewa.info^ +||edbritingsynt.info^ +||edconsideundence.org^ +||edcvsfr.org^ +||edeensiwaftaih.xyz^ +||ederrassi.com^ +||edgbas.com^ +||edgevertise.com^ +||edgychancymisuse.com^ +||ediatesuperviso.com^ +||edibleinvite.com^ +||edingrigoguter.com^ +||edioca.com^ +||edirectuklyeco.info^ +||edition25.com^ +||editionoverlookadvocate.com^ +||edixagnesag.net^ +||edlilu.com^ +||ednewsbd.com^ +||edokouksuk.net^ +||edonhisdhi.com^ +||edoumeph.com^ +||edralintheirbrights.com^ +||edrevenuedur.xyz^ +||edstevermotorie.com^ +||edthechildrenandthe.info^ +||edtheparllase.com^ +||edtotigainare.info^ +||edttmar.com^ +||edttwm.com^ +||edu-lib.com^ +||edua29146y.com^ +||educatedcoercive.com^ +||educationalapricot.com^ +||educationalroot.com^ +||educationrailway.website^ +||educedsteeped.com^ +||edutechlearners.com^ +||edvfwlacluo.com^ +||edvxygh.com^ +||edwmpt.com^ +||ee625e4b1d.com^ +||eebuksaicmirte.net^ +||eecd.xyz^ +||eecheweegru.com^ +||eechicha.com^ +||eecjrmd.com^ +||eecmaivie.com^ +||eeco.xyz^ +||eedsaung.net^ +||eefa308edc.com^ +||eegamaub.net^ +||eegeeglou.com^ +||eegheecog.net^ +||eeghooptauy.net^ +||eegnacou.com^ +||eegookiz.com^ +||eegroosoad.com^ +||eeheersoat.com^ +||eehir.tech^ +||eeht-vxywvl.club^ +||eehuzaih.com^ +||eejersenset.net^ +||eejipukaijy.net^ +||eekeeghoolsy.com^ +||eekqdetpwnlj.com^ +||eekreeng.com^ +||eekrogrameety.net^ +||eeksoabo.com^ +||eeleekso.com^ +||eelerzambo.com^ +||eelroave.xyz^ +||eemsautsoay.net^ +||eenbies.com^ +||eengange.com^ +||eengilee.xyz^ +||eepengoons.net^ +||eephaush.com^ +||eephizie.com^ +||eephoawaum.com^ +||eepsoumt.com^ +||eeptempy.xyz^ +||eeptoabs.com^ +||eeptushe.xyz^ +||eergithi.com^ +||eergortu.net^ +||eeriemediocre.com^ +||eertoamogn.net^ +||eesidesukbeingaj.com^ +||eesnfoxhh.com^ +||eespekw.com^ +||eessoong.com^ +||eessoost.net^ +||eetognauy.net^ +||eetsooso.net^ +||eewhapseepoo.net^ +||eexailti.net^ +||eeyrfrqdfey.xyz^ +||eezaurdauha.net^ +||eezavops.net^ +||eezegrip.net^ +||ef9i0f3oev47.com^ +||efanyorgagetni.info^ +||efdjelx.com^ +||efef322148.com^ +||efemsvcdjuov.com^ +||effacedefend.com^ +||effateuncrisp.com^ +||effectedscorch.com^ +||effectivecpmcontent.com^ +||effectivecpmgate.com^ +||effectivecreativeformat.com^ +||effectivecreativeformats.com^ +||effectivedisplaycontent.com^ +||effectivedisplayformat.com^ +||effectivedisplayformats.com^ +||effectivegatetocontent.com^ +||effectivemeasure.net^ +||effectiveperformancenetwork.com^ +||effectscouncilman.com^ +||effectuallylazy.com^ +||effeminatecementsold.com^ +||efficiencybate.com^ +||efindertop.com^ +||eforhedidnota.com^ +||efrnedmiralpenb.info^ +||efumesok.xyz^ +||egalitysarking.com^ +||egazedatthe.xyz^ +||egeemsob.com^ +||eggsreunitedpainful.com^ +||eglaitou.com^ +||eglipteepsoo.net^ +||egmfjmhffbarsxd.xyz^ +||egotizeoxgall.com^ +||egpdbp6e.de^ +||egraglauvoathog.com^ +||egretswamper.com^ +||egrogree.xyz^ +||egrousoawhie.com^ +||egykofo.com^ +||eh0ag0-rtbix.top^ +||ehadmethe.xyz^ +||ehgavvcqj.xyz^ +||ehokeeshex.com^ +||ehpxmsqghx.xyz^ +||ehrydnmdoe.com^ +||ehutzaug.life^ +||eibzywva.com^ +||eidoscruster.com^ +||eighteenderived.com^ +||eighteenprofit.com^ +||eightygermanywaterproof.com^ +||eiimvmchepssb.xyz^ +||eikegolehem.com^ +||eirbrightscarletcl.com^ +||eisasbeautifula.info^ +||eisasbeautifulas.com^ +||eiteribesshaints.com^ +||eitfromtheothe.org^ +||ejcet5y9ag.com^ +||ejdkqclkzq.com^ +||ejidocinct.top^ +||ejipaifaurga.com^ +||ejitmssx-rk.icu^ +||ejsgxapv.xyz^ +||ejuiashsateam.info^ +||ejuiashsateampl.info^ +||ekb-tv.ru^ +||ekgloczbsblg.com^ +||ekiswtcddpfafm.xyz^ +||ekjihosmeeeu.com^ +||ekmas.com^ +||ekwzxay.com^ +||ekxyrwvoegb.xyz^ +||eladove.com^ +||elasticad.net^ +||elasticalsdebatic.org^ +||elasticstuffyhideous.com^ +||elatedynast.com^ +||elaterconditing.info^ +||elaydark.com^ +||eldestcontribution.com^ +||eleavers.com^ +||eleazarfilasse.shop^ +||electionmmdevote.com^ +||electnext.com^ +||electosake.com^ +||electranowel.com^ +||electric-contest.pro^ +||electricalbicyclelistnonfiction.com^ +||electricalsedate.com^ +||electricalyellincreasing.com^ +||electronicauthentic.com^ +||electronicconstruct.com^ +||electronicsmissilethreaten.com^ +||elegantmassoy.shop^ +||elementary-travel.pro^ +||elementcircumscriberotten.com^ +||elentmatch.com^ +||elepocial.pro^ +||elevatedperimeter.com^ +||elewasgiwiththi.info^ +||elgnnpl-ukgs.global^ +||elhdxexnra.xyz^ +||elicaowl.com^ +||elinikrehoackou.xyz^ +||elitedistasteful.com^ +||elitistcompensationstretched.com^ +||eliwitensirg.net^ +||elizaloosebosom.com^ +||elizathings.com^ +||ellcurvth.com^ +||elliotannouncing.com^ +||ellipticaldatabase.pro^ +||eloawiphi.net^ +||elongatedmiddle.com^ +||elonreptiloid.com^ +||elooksjustlikea.info^ +||eloquentvaluation.com^ +||elpfulinotahere.com^ +||elrecognisefro.com^ +||elsewhereopticaldeer.com^ +||elugnoasargo.com^ +||elutesmerc.com^ +||eluviabattler.com^ +||elymusyomin.click^ +||emailflyfunny.com^ +||emailon.top^ +||emaxudrookrora.net^ +||emban.site^ +||embarkdisrupt.com^ +||embarrasschill.com^ +||embarrassment2.fun^ +||embassykeg.com^ +||embeamratline.top^ +||embezzlementthemselves.com^ +||embirashires.top^ +||embodygoes.com^ +||embogsoarers.com^ +||embowerdatto.com^ +||embracetrace.com^ +||embrawnseeping.top^ +||embtrk.com^ +||embwmpt.com^ +||emediate.dk^ +||emeraldhecticteapot.com^ +||emergedmassacre.com^ +||emigrantbeasts.com^ +||emigrantmovements.com^ +||eminent-hang.pro^ +||emitmagnitude.com^ +||emjpbua.com^ +||emjrwypl.xyz^ +||emkarto.fun^ +||emlifok.info^ +||emmapigeonlean.com^ +||emnucmhhyjjgoy.xyz^ +||emotot.xyz^ +||empdat.com^ +||emperorsmall.com^ +||empirecdn.io^ +||empirelayer.club^ +||empiremassacre.com^ +||empiremoney.com^ +||empirepolar.com^ +||emploejuiashsat.info^ +||employermopengland.com^ +||employindulgenceafraid.com^ +||employmentcreekgrouping.com^ +||employmentpersons.com^ +||empond.com^ +||emptieskischen.shop^ +||empusacooner.com^ +||emsservice.de^ +||emulationeveningscompel.com^ +||emulsicchacker.com^ +||emumuendaku.info^ +||emxdgt.com^ +||enactdubcompetitive.com^ +||enacttournamentcute.com^ +||enamelcourage.com^ +||enarmuokzo.com^ +||encaseauditorycolourful.com^ +||encasesmelly.com^ +||encesprincipledecl.info^ +||enchanted-stretch.pro^ +||encirclehumanityarea.com^ +||encirclesheriffemit.com^ +||enclosedsponge.com^ +||enclosedswoopbarnacle.com^ +||encloselavanga.com^ +||encodehelped.com^ +||encodeinflected.com^ +||encounterboastful.com^ +||encounterponder.com^ +||encouragedrealityirresponsible.com^ +||encouragedunrulyriddle.com^ +||encouragingpistolassemble.com^ +||encumberbiased.com^ +||encumberglowingcamera.com^ +||encumbranceunderlineheadmaster.com^ +||encyclopediacriminalleads.com^ +||endangersquarereducing.com^ +||endationforea.com^ +||endinglocksassume.com^ +||endingmedication.com^ +||endingrude.com^ +||endlessloveonline.online^ +||endlesslyalwaysbeset.com^ +||endod.site^ +||endorico.com^ +||endorsecontinuefabric.com^ +||endorsementgrasshopper.com^ +||endorsementpeacefullycuff.com^ +||endorsementpsychicwry.com^ +||endorsesmelly.com^ +||endowmentoverhangutmost.com^ +||endream.buzz^ +||endurancetransmitted.com^ +||enduresopens.com^ +||endwaysdsname.com^ +||endymehnth.info^ +||energeticdryeyebrows.com^ +||energeticprovocation.com^ +||energeticrecognisepostcard.com^ +||energypopulationpractical.com^ +||eneughghaffir.com^ +||eneverals.biz^ +||eneverseen.org^ +||engagedgoat.com^ +||engagedsmuggle.com^ +||engagefurnishedfasten.com^ +||engagementdepressingseem.com^ +||engagementpolicelick.com^ +||engdhnfrc.com^ +||enginedriverbathroomfaithfully.com^ +||enginejav182.fun^ +||engineseeker.com^ +||engraftrebite.com^ +||engravetexture.com^ +||enhanceconnection.co.in^ +||enhanceinterestinghasten.com^ +||enhclxug.xyz^ +||enherappedo.cc^ +||enigmahazesalt.com^ +||enjaaiwix.com^ +||enjehdch.xyz^ +||enjoyedsexualpromising.com^ +||enlardlunatum.com^ +||enlargementerroronerous.com^ +||enlargementwolf.com^ +||enlightencentury.com^ +||enlnks.com^ +||enmitystudent.com^ +||enodiarahnthedon.com^ +||enoneahbu.com^ +||enoneahbut.org^ +||enormous-society.pro^ +||enormouslynotary.com^ +||enormouslysubsequentlypolitics.com^ +||enot.fyi^ +||enoughglide.com^ +||enoughts.info^ +||enoughturtlecontrol.com^ +||enquirysavagely.com^ +||enrageeyesnoop.com^ +||enraptureshut.com^ +||enrichyummy.com^ +||ensignpancreasrun.com^ +||ensoattractedby.info^ +||ensosignal.com^ +||enstylegantry.shop^ +||ensuebusinessman.com^ +||ensuecoffled.shop^ +||entaildollar.com^ +||entailgossipwrap.com^ +||entangledivisionbeagle.com^ +||enteredcocktruthful.com^ +||entertaininauguratecontest.com^ +||enticeobjecteddo.com^ +||entirelyhonorary.com^ +||entitledbalcony.com^ +||entitledpleattwinkle.com^ +||entjgcr.com^ +||entlyhavebeden.com^ +||entlypleasantt.info^ +||entlypleasanttacklin.com^ +||entrailsintentionsbrace.com^ +||entreatkeyrequired.com^ +||entreatyfungusgaily.com^ +||entrecard.s3.amazonaws.com^ +||entterto.com^ +||enueduringhere.info^ +||envious-low.com^ +||enviousforegroundboldly.com^ +||enviousinevitable.com^ +||environmental3x.fun^ +||envisageasks.com^ +||envoyauthorityregularly.com^ +||envoystormy.com^ +||enx5.online^ +||enzav.xyz^ +||eofst.com^ +||eoftheappyrinc.info^ +||eogaeapolaric.com^ +||eondunpea.com^ +||eoneintheworldw.com^ +||eonsmedia.com^ +||eontappetito.com^ +||eopleshouldthink.info^ +||eoqmbnaelaxrg.com^ +||eoredi.com^ +||eosads.com^ +||eoveukrnme.info^ +||eoweridus.com^ +||eoxaxdglxecvguh.xyz^ +||epacash.com^ +||epailseptox.com^ +||epaulebeardie.com^ +||epededonemile.com^ +||epektpbbzkbig.com^ +||epersaonwhois.com^ +||epffwffubmmdokm.com^ +||ephebedori.life^ +||epheefere.net^ +||epicgameads.com^ +||epilinserts.com^ +||epipialbeheira.com^ +||epizzoacoses.com^ +||eplndhtrobl.com^ +||epnredirect.ru^ +||epochheelbiography.com^ +||epsaivuz.com^ +||epsashoofil.net^ +||epsauthoup.com^ +||epsuphoa.xyz^ +||eptougry.net^ +||epu.sh^ +||epushclick.com^ +||eputysolomon.com^ +||epvjljye.com^ +||epylliafending.com^ +||eqads.com^ +||eqdudaj.com^ +||eqrjuxvhvclqxw.xyz^ +||equabilityassortshrubs.com^ +||equabilityspirepretty.com^ +||equablequeue.com^ +||equanimitymortifyminds.com^ +||equanimitypresentimentelectronics.com^ +||equatorroom.com^ +||equides.pro^ +||equipmentapes.com^ +||equippeddetachmentabberant.com^ +||equiptmullein.top^ +||equirekeither.xyz^ +||equitydefault.com^ +||er6785sc.click^ +||era67hfo92w.com^ +||erafterabigyellow.info^ +||eralyearsfoundherto.com^ +||eramass.com^ +||eraptbiyoyj.com^ +||eraudseen.xyz^ +||eravesofefineg.info^ +||eravesofefinegoldf.com^ +||eravprvvqqc.xyz^ +||erbiscusysexbu.info^ +||ercoeteasacom.com^ +||erdeallyighab.com^ +||erdecisesgeorg.info^ +||eredthechildre.info^ +||ereerdepi.com^ +||ereflewoverthecit.info^ +||erenchinterried.pro^ +||eresultedinncre.info^ +||ergadx.com^ +||ergjohl.com^ +||ergonomicparadeupstroke.com^ +||eringosdye.com^ +||erkteplkjs.com^ +||erm5aranwt7hucs.com^ +||erniphiq.com^ +||ero-advertising.com^ +||ero-cupid.com^ +||ero-vtuber.com^ +||erofherlittleboy.com^ +||erosionyonderviolate.com^ +||erosyndc.com^ +||erovation.com^ +||erqhabrsfqxw.com^ +||errantstetrole.com^ +||errbandsillumination.com^ +||erringstartdelinquent.com^ +||errolandtessa.com^ +||errorpalpatesake.com^ +||errors.house^ +||ersgaxbmd.xyz^ +||ershniff.com^ +||ersislaqands.com^ +||ertainoutweile.org^ +||ertgthrewdownth.info^ +||ertistsldahehu.com^ +||eru5tdmbuwxm.com^ +||eruthoxup.com^ +||ervantasrelaterc.com^ +||erxdq.com^ +||erylhxttodh.xyz^ +||eryondistain.com^ +||erysilenitmanb.com^ +||esaidees.com^ +||esasaimpi.net^ +||esathyasesume.info^ +||esauphultough.net^ +||esbeginnyweakel.org^ +||esbqetmmejjtksa.xyz^ +||escalatenetwork.com^ +||escortlist.pro^ +||esculicturbans.com^ +||escy55gxubl6.com^ +||esereperigee.shop^ +||eserinemersion.shop^ +||esescvyjtqoda.xyz^ +||esfwkjsim.com^ +||eshkol.io^ +||eshkol.one^ +||eshoohasteeg.com^ +||eshouloo.net^ +||esjvrfq.com^ +||eskilhavena.info^ +||eskimi.com^ +||eslp34af.click^ +||esmystemgthro.org^ +||esnlynotquiteso.com^ +||esoussatsie.xyz^ +||especedasya.com^ +||especiallyspawn.com^ +||espionagegardenerthicket.com^ +||espionageomissionrobe.com^ +||espleestrick.com^ +||essential-trash.com^ +||essentialshookmight.com^ +||establishambient.com^ +||establishedmutiny.com^ +||estafair.com^ +||estainuptee.com^ +||estaterenderwalking.com^ +||estatestrongest.com^ +||estatueofthea.info^ +||estimatedrick.com^ +||estkewasa.com^ +||estouca.com^ +||esumedadele.info^ +||eswsentatives.info^ +||et5k413t.rest^ +||etcodes.com^ +||eteveredgove.info^ +||etflpbk.com^ +||ethaistoothi.com^ +||ethalojo.com^ +||etheappyrincea.info^ +||ethecityonata.com^ +||ethelbrimtoe.com^ +||ethelvampirecasket.com^ +||etherart.online^ +||ethicalpastime.com^ +||ethicbecamecarbonate.com^ +||ethicel.com^ +||ethichats.com^ +||ethikuma.link^ +||ethoamee.xyz^ +||ethophipek.com^ +||ethylicestops.top^ +||etingplansfo.buzz^ +||etiquettegrapesdoleful.com^ +||etm1lv06e6j6.shop^ +||etobepartouk.com^ +||etobepartoukfare.info^ +||etoexukpreses.com^ +||etothepointato.info^ +||etougais.net^ +||etphoneme.com^ +||ettilt.com^ +||etxahpe.com^ +||etymonsibycter.com^ +||etypicthawier.shop^ +||eu-soaxtatl.life^ +||eu5qwt3o.beauty^ +||euauosx.xyz^ +||euchresgryllus.com^ +||eucosiaepeiric.com^ +||eudoxia-myr.com^ +||eudstudio.com^ +||euizhltcd6ih.com^ +||eukova.com^ +||eulogiafilial.com^ +||eumarkdepot.com^ +||eunow4u.com^ +||eunpprzdlkf.online^ +||euphemyhogton.com^ +||euqamqasa.com^ +||europacash.com^ +||europe-discounts.com^ +||europefreeze.com^ +||euros4click.de^ +||eurse.com^ +||euskarawordman.shop^ +||eusvnhgypltw.life^ +||euvtoaw.com^ +||euz.net^ +||ev-dating.com^ +||evaluateuncanny.com^ +||evaluationfixedlygoat.com^ +||evaporateahead.com^ +||evaporatehorizontally.com^ +||evaporatepublicity.com^ +||evasiondemandedlearning.com^ +||eveenaiftoa.com^ +||evejartaal.com^ +||evemasoil.com^ +||evenghiougher.com^ +||eventbarricadewife.com^ +||eventfulknights.com^ +||eventsbands.com^ +||eventuallysmallestejection.com^ +||eventucker.com^ +||ever8trk.com^ +||everalmefarketin.com^ +||everdreamsofc.info^ +||evergreenfan.pro^ +||evergreentroutpitiful.com^ +||everlastinghighlight.com^ +||everydowered.com^ +||everyoneawokeparable.com^ +||everyoneglamorous.com^ +||everypilaus.com^ +||everywheresavourblouse.com^ +||evfisahy.xyz^ +||evgytklqupoi.com^ +||evidencestunundermine.com^ +||evidentoppositepea.com^ +||evivuwhoa.com^ +||evjrrljcfohkvja.xyz^ +||evoutouk.com^ +||evouxoup.com^ +||evpgztcfxc.com^ +||evrae.xyz^ +||evsw-zfdmag.one^ +||evtwkkh.com^ +||evushuco.com^ +||evwmwnd.com^ +||evzhzppj5kel.com^ +||ewaighee.xyz^ +||ewallowi.buzz^ +||ewasgilded.info^ +||ewdxisdrc.com^ +||ewerhodub.com^ +||ewesmedia.com^ +||ewhareey.com^ +||ewituhinlargeconsu.com^ +||ewnkfnsajr.com^ +||ewqkrfjkqz.com^ +||ewrgryxjaq.com^ +||ewrolidenratrigh.info^ +||ewruuqe5p8ca.com^ +||exacdn.com^ +||exactorpilers.shop^ +||exactsag.com^ +||exaltationinsufficientintentional.com^ +||exaltbelow.com^ +||exaltflatterrequested.com^ +||examensmott.top^ +||exampledumb.com^ +||examsupdatesupple.com^ +||exasperationdashed.com^ +||exasperationincorporate.com^ +||exasperationplotincarnate.com^ +||excavatorglide.com^ +||exceedinglydiscovered.com^ +||exceedinglytells.com^ +||excelfriendsdistracting.com^ +||excellenceads.com^ +||excellentafternoon.com^ +||excellentsponsor.com^ +||excellingvista.com^ +||excelrepulseclaimed.com^ +||excelwrinkletwisted.com^ +||exceptingcomesomewhat.com^ +||exceptionalharshbeast.com^ +||exceptionsmokertriad.com^ +||exceptionsoda.com^ +||excessivelybeveragebeat.com^ +||excessstumbledvisited.com^ +||exchange-traffic.com^ +||excitead.com^ +||excitementcolossalrelax.com^ +||excitementoppressive.com^ +||excitinginstitute.com^ +||excitingstory.click^ +||exclaimrefund.com^ +||exclkplat.com^ +||exclplatmain.com^ +||excretekings.com^ +||excruciationhauledarmed.com^ +||excuseparen.com^ +||excusewalkeramusing.com^ +||exdynsrv.com^ +||executeabattoir.com^ +||executionago.com^ +||executivetumult.com^ +||exemplarsensor.com^ +||exemplarychemistry.com^ +||exertionbesiege.com^ +||exgjhawccb.com^ +||exhaleveteranbasketball.com^ +||exhaustfirstlytearing.com^ +||exhaustingflames.com^ +||exhibitapology.com^ +||exhibitedpermanentstoop.com^ +||exi8ef83z9.com^ +||exilepracticableresignation.com^ +||exilesgalei.shop^ +||existenceassociationvoice.com^ +||existenceprinterfrog.com^ +||existencethrough.com^ +||existingcraziness.com^ +||exists-mazard.icu^ +||existsvolatile.com^ +||existteapotstarter.com^ +||exmvpyq.com^ +||exnesstrack.com^ +||exoads.click^ +||exobafrgdf.com^ +||exoclick.com^ +||exodsp.com^ +||exodusjailhousetarantula.com^ +||exofrwe.com^ +||exomonyf.com^ +||exoprsdds.com^ +||exosiignvye.xyz^ +||exosrv.com^ +||exoticfarmer.pro^ +||expdirclk.com^ +||expectationtragicpreview.com^ +||expectedballpaul.com^ +||expelledmotivestall.com^ +||expensivepillowwatches.com^ +||experienceabdomen.com^ +||experiencesunny.com^ +||experimentalconcerningsuck.com^ +||experimentalpersecute.com^ +||expertnifg.com^ +||expiry-renewal.click^ +||explainpompeywistful.com^ +||explodedecompose.com^ +||explodemedicine.com^ +||exploderunway.com^ +||exploitpeering.com^ +||explore-site.com^ +||explorecomparison.com^ +||explosivegleameddesigner.com^ +||expmediadirect.com^ +||expocrack.com^ +||exporder-patuility.com^ +||exportspring.com^ +||exposepresentimentunfriendly.com^ +||exposureawelessawelessladle.com^ +||expressalike.com^ +||expressingblossomjudicious.com^ +||expressjustifierlent.com^ +||expressmealdelivery.shop^ +||expressproducer.com^ +||exptlgooney.com^ +||expulsionfluffysea.com^ +||exquisitefundlocations.com^ +||exquisiteseptember.com^ +||exrtbsrv.com^ +||exrzo.love^ +||ext-jscdn.com^ +||extend.tv^ +||extendingboundsbehave.com^ +||extendprophecycontribution.com^ +||extension-ad-stopper.com^ +||extension-ad.com^ +||extension-install.com^ +||extensions-media.com^ +||extensionworthwhile.com^ +||extensivemusseldiscernible.com^ +||extentacquire.com^ +||extentbananassinger.com^ +||extenuatemusketsector.com^ +||exterminateantique.com^ +||exterminatesuitcasedefenceless.com^ +||externalfavlink.com^ +||extincttravelled.com^ +||extinguishadjustexceed.com^ +||extinguishtogethertoad.com^ +||extra33.com^ +||extractdissolve.com^ +||extracthorizontaldashing.com^ +||extractionatticpillowcase.com^ +||extractsupperpigs.com^ +||extremereach.io^ +||extremityzincyummy.com^ +||extrer.com^ +||exurbdaimiel.com^ +||exxaygm.com^ +||eyauknalyticafra.info^ +||eycameoutoft.info^ +||eyeballdisquietstronghold.com^ +||eyebrowsasperitygarret.com^ +||eyebrowscrambledlater.com^ +||eyebrowsneardual.com^ +||eyelashcatastrophe.com^ +||eyenider.com^ +||eyeota.net^ +||eyere.com^ +||eyereturn.com^ +||eyeviewads.com^ +||eyewondermedia.com^ +||eyhcervzexp.com^ +||eynol.xyz^ +||eynpauoatsdawde.com^ +||eyoxkuhco.com^ +||eyrybuiltin.shop^ +||ezaicmee.xyz^ +||ezblockerdownload.com^ +||ezcgojaamg.com^ +||ezcsceqke.tech^ +||ezexfzek.com^ +||ezidygd.com^ +||ezjhhapcoe.com^ +||ezmob.com^ +||eznoz.xyz^ +||ezpawdumczbxe.com^ +||ezsbhlpchu.com^ +||ezyenrwcmo.com^ +||f-hgwmesh.buzz^ +||f07neg4p.de^ +||f092680893.com^ +||f0eba64ba6.com^ +||f10f9df901.com^ +||f145794b22.com^ +||f14b0e6b0b.com^ +||f1617d6a6a.com^ +||f1851c0962.com^ +||f19bcc893b.com^ +||f224b87a57.com^ +||f27386cec2.com^ +||f28bb1a86f.com^ +||f2c4410d2a.com^ +||f2svgmvts.com^ +||f3010e5e7a.com^ +||f3f202565b.com^ +||f43f5a2390.com^ +||f4823894ba.com^ +||f53d954cc5.com^ +||f58x48lpn.com^ +||f59408d48d.com^ +||f5ff45b3d4.com^ +||f62b2a8ac6.com^ +||f794d2f9d9.com^ +||f8260adbf8558d6.com^ +||f83d8a9867.com^ +||f84add7c62.com^ +||f8b536a2e6.com^ +||f8be4be498.com^ +||f95nkry2nf8o.com^ +||fa77756437.com^ +||faaof.com^ +||fabricwaffleswomb.com^ +||fabriczigzagpercentage.com^ +||facesnotebook.com^ +||faciledegree.com^ +||facileravagebased.com^ +||faciliatefightpierre.com^ +||facilitatevoluntarily.com^ +||facilitycompetition.com^ +||facilityearlyimminent.com^ +||fackeyess.com^ +||factoruser.com^ +||fadegranted.com^ +||fadesunshine.com^ +||fadf617f13.com^ +||fadfussequipment.com^ +||fadingsulphur.com^ +||fadraiph.xyz^ +||fadrovoo.xyz^ +||fadsims.com^ +||fadsimz.com^ +||fadsipz.com^ +||fadskis.com^ +||fadskiz.com^ +||fadslimz.com^ +||fadszone.com^ +||fadtetbwsmk.xyz^ +||faestara.com^ +||fafmimgubcm.com^ +||faggapmunost.com^ +||faggotstagily.shop^ +||faggrim.com^ +||fagovwnavab.com^ +||fagywalu.pro^ +||failedmengodless.com^ +||failingaroused.com^ +||failpendingoppose.com^ +||failurehamburgerillicit.com^ +||failuremaistry.com^ +||failureyardjoking.com^ +||faintedtwistedlocate.com^ +||faintestlogic.com^ +||faintestmingleviolin.com^ +||faintjump.com^ +||faintstates.com^ +||faiphoawheepur.net^ +||fairauthasti.xyz^ +||faireegli.net^ +||fairfaxhousemaid.com^ +||fairnesscrashedshy.com^ +||fairnessels.com^ +||fairnessmolebedtime.com^ +||faisaphoofa.net^ +||faised.com^ +||faithaiy.com^ +||faithfullywringfriendship.com^ +||faiverty-station.com^ +||faiwastauk.com^ +||fajukc.com^ +||fakesorange.com^ +||falcatayamalka.com^ +||falkag.net^ +||falkwo.com^ +||fallenleadingthug.com^ +||fallhadintense.com^ +||falloutspecies.com^ +||falsechasingdefine.com^ +||falsifybrightly.com^ +||falsifylilac.com^ +||familiarpyromaniasloping.com^ +||familyborn.com^ +||familycomplexionardently.com^ +||famous-mall.pro^ +||famousremainedshaft.com^ +||fanciedrealizewarning.com^ +||fancydoctrinepermanently.com^ +||fancywhim.com^ +||fandelcot.com^ +||fandmo.com^ +||fangatrocious.com^ +||fangsblotinstantly.com^ +||fangsswissmeddling.com^ +||fanocaraway.shop^ +||fantasticgap.pro^ +||fanza.cc^ +||faoll.space^ +||fapmeth.com^ +||fapstered.com^ +||faptdsway.ru^ +||faqkfuxadok.com^ +||faquirrelot.com^ +||faramkaqxoh.com^ +||farceurincurve.com^ +||fardasub.xyz^ +||fareputfeablea.com^ +||farewell457.fun^ +||farfeljabots.top^ +||fargwyn.com^ +||farmedreicing.shop^ +||farmmandatehaggard.com^ +||farteniuson.com^ +||fartherpensionerassure.com^ +||fartmoda.com^ +||farwine.com^ +||fascespro.com^ +||fascinateddashboard.com^ +||fasfsv-sli.love^ +||fasgazazxvi.com^ +||fashionablegangsterexplosion.com^ +||fastapi.net^ +||fastcdn.info^ +||fastclick.net^ +||fastdld.com^ +||fastdlr.com^ +||fastdmr.com^ +||fastdntrk.com^ +||fastenchange.com^ +||fastennonsenseworm.com^ +||fastenpaganhelm.com^ +||faster-trk.com^ +||fastesteye.com^ +||fastidiousilliteratehag.com^ +||fastincognitomode.com^ +||fastlnd.com^ +||fastnativead.com^ +||fatalespedlery.com^ +||fatalityplatinumthing.com^ +||fatalityreel.com^ +||fatalshould.com^ +||fatchilli.media^ +||fatenoticemayhem.com^ +||fatheemt.com^ +||fathomcleft.com^ +||fatsosjogs.com^ +||fattierpeso.com^ +||fatzuclmihih.com^ +||faubaudunaich.net^ +||faudouglaitu.com^ +||faughold.info^ +||faugrich.info^ +||faugstat.info^ +||faukeeshie.com^ +||faukoocifaly.com^ +||fauneeptoaso.com^ +||fauphesh.com^ +||fauphoaglu.net^ +||fausamoawhisi.net^ +||fauseepetoozuk.xyz^ +||fausothaur.com^ +||favoredkuwait.top^ +||favorite-option.pro^ +||favourablerecenthazardous.com^ +||fawhotoads.net^ +||faxqaaawyb.com^ +||fazanppq.com^ +||fb-plus.com^ +||fb55957409.com^ +||fbappi.co^ +||fbcdn2.com^ +||fbgdc.com^ +||fbkzqnyyga.com^ +||fbmedia-bls.com^ +||fbmedia-ckl.com^ +||fbmedia-dhs.com^ +||fc29334d79.com^ +||fc3ppv.xyz^ +||fc7c8be451.com^ +||fc861ba414.com^ +||fcc217ae84.com^ +||fccinteractive.com^ +||fceedf7652.com^ +||fckmedate.com^ +||fcwlctdg.com^ +||fd2cd5c351.com^ +||fd39024d2a.com^ +||fd5orie8e.com^ +||fdawdnh.com^ +||fdelphaswcealifornica.com^ +||fdiirjong.com^ +||fdmmgwlcg.com^ +||fdxbilemeofrx.com^ +||fe7qygqi2p2h.com^ +||feadbe5b97.com^ +||feadrope.net^ +||fearplausible.com^ +||featbooksterile.com^ +||featurelink.com^ +||featuremedicine.com^ +||featuresthrone.com^ +||febadu.com^ +||febatigr.com^ +||februarybogus.com^ +||februarynip.com^ +||fecguzhzeia.vip^ +||fedapush.net^ +||fedassuagecompare.com^ +||federalacerbitylid.com^ +||federalcertainty.com^ +||fedot.site^ +||fedqdf.quest^ +||fedra.info^ +||fedsit.com^ +||feed-ads.com^ +||feed-xml.com^ +||feedboiling.com^ +||feedfinder23.info^ +||feedingminder.com^ +||feedisbeliefheadmaster.com^ +||feedyourheadmag.com^ +||feedyourtralala.com^ +||feefoamo.net^ +||feegozoa.com^ +||feegreep.xyz^ +||feelfereetoc.top^ +||feelingsmixed.com^ +||feelingssignedforgot.com^ +||feeloshu.com^ +||feelresolve.com^ +||feelseveryone.com^ +||feelsjet.com^ +||feetdonsub.live^ +||feethach.com^ +||feetheho.com^ +||feevaihudofu.net^ +||feevolaphie.net^ +||feewostoo.com^ +||fefoasoa.xyz^ +||feghijupvucw.com^ +||feignoccasionedmound.com^ +||feignthat.com^ +||feintelbowsburglar.com^ +||feistyhelicopter.com^ +||fejla.com^ +||feline-angle.pro^ +||felingual.com^ +||fellrummageunpleasant.com^ +||felonauditoriumdistant.com^ +||feltatchaiz.net^ +||femalesunderpantstrapes.com^ +||femefaih.com^ +||femin.online^ +||femininetextmessageseducing.com^ +||femqrjwnk.xyz^ +||femsoahe.com^ +||femsurgo.com^ +||femuriah.top^ +||fenacheaverage.com^ +||feneverybodypsychological.com^ +||fenixm.com^ +||fenloxstream.wiki^ +||fennecsenlard.shop^ +||fer2oxheou4nd.com^ +||feralopponentplum.com^ +||ferelatedmothes.com^ +||fermolo.info^ +||feroffer.com^ +||ferrycontinually.com^ +||fertilestared.com^ +||fertilisedforesee.com^ +||fertilisedsled.com^ +||fertilizerpairsuperserver.com^ +||fertilizerpokerelations.com^ +||ferventhoaxresearch.com^ +||feshekubsurvey.space^ +||fessoovy.com^ +||festtube.com^ +||fetchedhighlight.com^ +||fetidbelow.com^ +||fetidgossipleaflets.com^ +||feuageepitoke.com^ +||feudalmalletconsulate.com^ +||feudalplastic.com^ +||feuingcrche.com^ +||feverfreeman.com^ +||fevhviqave.xyz^ +||fewergkit.com^ +||fewerreteach.shop^ +||fexyop.com^ +||feyauknalyticafr.com^ +||ffbvhlc.com^ +||fffbd1538e.com^ +||ffofcetgurwrd.com^ +||ffsewzk.com^ +||fftgasxe.xyz^ +||fgbnnholonge.info^ +||fgbthrsxnlo.xyz^ +||fgeivosgjk.com^ +||fgigrmle.xyz^ +||fgk-jheepn.site^ +||fgoqnva.com^ +||fgpmxwbxnpww.xyz^ +||fh259by01r25.com^ +||fhahujwafaf.com^ +||fharfyqacn.com^ +||fhcdbufjnjcev.com^ +||fhdwtku.com^ +||fhepiqajsdap.com^ +||fhgh9sd.com^ +||fhisladyloveh.xyz^ +||fhldb.site^ +||fhsmtrnsfnt.com^ +||fhv00rxa2.com^ +||fhyazslzuaw.com^ +||fhzgeqk.com^ +||fiatgrabbed.com^ +||fibaffluencebetting.com^ +||fibberpuddingstature.com^ +||fibdistrust.com^ +||fibmaths.com^ +||fibnuxptiah.com^ +||fibrefilamentherself.com^ +||fibrehighness.com^ +||fibrilono.top^ +||fibrosecormus.shop^ +||ficinhubcap.com^ +||fickle-brush.com^ +||fickleclinic.com^ +||ficklepilotcountless.com^ +||fictionauspice.com^ +||fictionfittinglad.com^ +||ficusoid.xyz^ +||fidar.site^ +||fiddleweaselloom.com^ +||fidelity-media.com^ +||fidelitybarge.com^ +||fieldparishskip.com^ +||fieldyatomic.com^ +||fiendpreyencircle.com^ +||fieryinjure.com^ +||fierymint.com^ +||fierysolemncow.com^ +||fieslobwg.com^ +||fightingleatherconspicuous.com^ +||fightmallowfiasco.com^ +||fightsedatetyre.com^ +||figuredcounteractworrying.com^ +||fiigtxpejme.com^ +||fiinann.com^ +||fiinnancesur.com^ +||fijbyiwn.com^ +||fijekone.com^ +||fikedaquabib.com^ +||filashouphem.com^ +||filasofighit.com^ +||filasseseeder.com^ +||filerocket.link^ +||filese.me^ +||filetarget.com^ +||filetarget.net^ +||filhibohwowm.com^ +||fillingcater.com^ +||fillingimpregnable.com^ +||filmesonlinegratis.com^ +||filternannewspaper.com^ +||filtertopplescream.com^ +||filthnair.click^ +||filthybudget.com^ +||filthysignpod.com^ +||fimserve.com^ +||fin.ovh^ +||finafnhara.com^ +||finalice.net^ +||finance-hot-news.com^ +||finanvideos.com^ +||finchoiluntainted.com^ +||findanonymous.com^ +||findbetterresults.com^ +||finder2024.com^ +||findingattending.com^ +||findingexchange.com^ +||findromanticdates.com^ +||findsjoyous.com^ +||findslofty.com^ +||findsrecollection.com^ +||fine-click.pro^ +||fine-wealth.pro^ +||finedintersection.com^ +||finednothue.com^ +||fineest-accession.life^ +||fineporno.com^ +||finessesherry.com^ +||fingahvf.top^ +||fingernaildevastated.com^ +||fingerprevious.com^ +||fingerprintoysters.com^ +||finisheddaysflamboyant.com^ +||finized.co^ +||finkyepbows.com^ +||finmarkgaposis.com^ +||finnan2you.com^ +||finnan2you.net^ +||finnan2you.org^ +||finnnann.com^ +||finreporter.net^ +||finsoogn.xyz^ +||fiorenetwork.com^ +||fipopashis.net^ +||fipzammizac.com^ +||firaapp.com^ +||firdoagh.net^ +||firearminvoluntary.com^ +||firelnk.com^ +||fireplaceroundabout.com^ +||firesinfamous.com^ +||firewoodpeerlessuphill.com^ +||fireworkraycompared.com^ +||fireworksane.com^ +||fireworksjowrote.com^ +||firkedpace.life^ +||firmhurrieddetrimental.com^ +||firmmaintenance.com^ +||first-rate.com^ +||firstlightera.com^ +||firstlyfirstpompey.com^ +||firtaips.com^ +||firtorent-yult-i-274.site^ +||fishermanplacingthrough.com^ +||fishermanslush.com^ +||fishesparkas.shop^ +||fishingstuddy.com^ +||fishingtouching.com^ +||fishmangyral.com^ +||fishybackgroundmarried.com^ +||fishyshortdeed.com^ +||fistdoggie.com^ +||fistevasionjoint.com^ +||fistofzeus.com^ +||fistsurprising.com^ +||fistulewiretap.shop^ +||fitcenterz.com^ +||fitfuldemolitionbilliards.com^ +||fitsazx.xyz^ +||fitsjamescommunicated.com^ +||fitssheashasvs.info^ +||fitthings.info^ +||fittitfucose.com^ +||fivetrafficroads.com^ +||fivulsou.xyz^ +||fiwhibse.com^ +||fixdynamics.info^ +||fixed-complex.pro^ +||fixedencampment.com^ +||fixespreoccupation.com^ +||fixpass.net^ +||fizawhwpyda.com^ +||fizzysquirtbikes.com^ +||fjaqxtszakk.com^ +||fjojdlcz.com^ +||fkbkun.com^ +||fkbwtoopwg.com^ +||fkcubmmpn.xyz^ +||fkllodaa.com^ +||fkodq.com^ +||fksnk.com^ +||fkwkzlb.com^ +||flabbygrindproceeding.com^ +||flabbyyolkinfection.com^ +||flagads.net^ +||flagmantensity.com^ +||flairadscpc.com^ +||flakesaridphysical.com^ +||flakeschopped.com^ +||flamebeard.top^ +||flaminglamesuitable.com^ +||flamtyr.com^ +||flannelbeforehand.com^ +||flanneldatedly.com^ +||flannellegendary.com^ +||flapsoonerpester.com^ +||flarby.com^ +||flashb.id^ +||flashingmeansfond.com^ +||flashingnicer.com^ +||flashingnumberpeephole.com^ +||flashlightstypewriterparquet.com^ +||flashnetic.com^ +||flatepicbats.com^ +||flatsrice.com^ +||flatteringscanty.com^ +||flatwaremeeting.com^ +||flaw.cloud^ +||flawerosion.com^ +||flaweyesight.com^ +||flawgrandparentsmysterious.com^ +||flaxconfession.com^ +||flaxdescale.com^ +||flaxierfilmset.com^ +||flcrcyj.com^ +||fldes6fq.de^ +||fleaderned.com^ +||fleahat.com^ +||fleckfound.com^ +||fleenaive.com^ +||fleetenreplevy.com^ +||fleetingretiredsafe.com^ +||fleetingtrustworthydreams.com^ +||fleraprt.com^ +||flewroundandro.info^ +||flexcheekadversity.com^ +||flexlinks.com^ +||flickerbridge.com^ +||flickerworlds.com^ +||fliedridgin.com^ +||fliffusparaph.com^ +||flimsymarch.pro^ +||flinchasksmain.com^ +||flipool.com^ +||flippantguilt.com^ +||flirtatiousconsultyoung.com^ +||flirtclickmatches.life^ +||flirtfusiontoys.toys^ +||flitespashka.top^ +||flixdot.com^ +||flixtrial.com^ +||floatingbile.com^ +||floatingdrake.com^ +||floccischlump.com^ +||flockexecute.com^ +||flockinjim.com^ +||flogpointythirteen.com^ +||floitcarites.com^ +||floodingonion.com^ +||floorednightclubquoted.com^ +||flopaugustserpent.com^ +||flopexemplaratlas.com^ +||floralrichardapprentice.com^ +||floraopinionsome.com^ +||floristgathering.com^ +||floroonwhun.com^ +||flossdiversebates.com^ +||flounderhomemade.com^ +||flounderpillowspooky.com^ +||flourishbriefing.com^ +||flourishinghardwareinhibit.com^ +||flousecuprate.top^ +||flower1266.fun^ +||flowerbooklet.com^ +||flowerdicks.com^ +||flowitchdoctrine.com^ +||flowln.com^ +||flowsearch.info^ +||flowwiththetide.xyz^ +||flrdra.com^ +||fluencydepressing.com^ +||fluencyinhabited.com^ +||fluese.com^ +||fluffychair.pro^ +||fluffytracing.com^ +||fluid-company.pro^ +||fluidallobar.com^ +||fluidintolerablespectacular.com^ +||fluingdulotic.com^ +||flukepopped.com^ +||flungsnibble.com^ +||fluoricfatback.com^ +||fluqualificationlarge.com^ +||flurrylimmu.com^ +||flushconventional.com^ +||flushedheartedcollect.com^ +||flushoriginring.com^ +||flusoprano.com^ +||fluxads.com^ +||flyads1.com^ +||flyerseafood.com^ +||flyerveilconnected.com^ +||flyingadvert.com^ +||flyingperilous.com^ +||flyingsquirellsmooch.com^ +||flylikeaguy.com^ +||flymob.com^ +||flytechb.com^ +||flytonearstation.com^ +||fmapiosb.xyz^ +||fmbyqmu.com^ +||fmhyysk.com^ +||fmoezqerkepc.com^ +||fmpub.net^ +||fmsads.com^ +||fmstigat.online^ +||fmtwonvied.com^ +||fmv9kweoe06r.com^ +||fmversing.shop^ +||fnaycb.com^ +||fnbauniukvi.com^ +||fnelqqh.com^ +||fnlojkpbe.com^ +||fnyaynma.com^ +||fnzuymy.com^ +||foaglaid.xyz^ +||foagrucheedauza.net^ +||foakiwhazoja.com^ +||foaloocasho.net^ +||foalwoollenwolves.com^ +||foamingemda.top^ +||foapsovi.net^ +||foasowut.xyz^ +||focalex.com^ +||focusedserversgloomy.com^ +||focusedunethicalerring.com^ +||focwcuj.com^ +||fodsoack.com^ +||foemanearbash.com^ +||foerpo.com^ +||foflib.org^ +||fogeydawties.com^ +||foggydefy.com^ +||foggytube.com^ +||foghug.site^ +||fogsham.com^ +||fogvnoq.com^ +||foheltou.com^ +||fohikrs.com^ +||foiblespesage.shop^ +||folbwkw.com^ +||foldedaddress.com^ +||foldedprevent.com^ +||foldinginstallation.com^ +||foliumumu.com^ +||followeraggregationtraumatize.com^ +||followjav182.fun^ +||follyeffacegrieve.com^ +||folseghvethecit.com^ +||fomalhautgacrux.com^ +||fondfelonybowl.com^ +||fondlescany.top^ +||fondnessverge.com^ +||fondueoutwish.top^ +||fonsaigotoaftuy.net^ +||fontdeterminer.com^ +||foodieblogroll.com^ +||foogloufoopoog.net^ +||fooguthauque.net^ +||foojeshoops.xyz^ +||foolishcounty.pro^ +||foolishjunction.com^ +||foolishyours.com^ +||foolproofanatomy.com^ +||foomaque.net^ +||fooptoat.com^ +||foorcdn.com^ +||foostoug.com^ +||footar.com^ +||footcomefully.com^ +||foothoaglous.com^ +||foothoupaufa.com^ +||footnote.com^ +||footprintsfurnish.com^ +||footprintssoda.com^ +||footprintstopic.com^ +||footstepnoneappetite.com^ +||foozoujeewhy.net^ +||fopteefteex.com^ +||foptoovie.com^ +||forads.pro^ +||foramoongussor.com^ +||foranetter.com^ +||forarchenchan.com^ +||forasmum.live^ +||foraxewan.com^ +||forazelftor.com^ +||forbareditolyl.top^ +||forbeautiflyr.com^ +||forbeginnerbedside.com^ +||forbidcrenels.com^ +||forcedbedmagnificent.com^ +||forceddenial.com^ +||forcelessgreetingbust.com^ +||forcetwice.com^ +||forciblelad.com^ +||forciblepolicyinner.com^ +||forcingclinch.com^ +||forearmdiscomfort.com^ +||forearmsickledeliberate.com^ +||forearmthrobjanuary.com^ +||forebypageant.com^ +||foreelementarydome.com^ +||foreflucertainty.com^ +||foregroundhelpingcommissioner.com^ +||foreignassertive.com^ +||foreignerdarted.com^ +||foreignmistakecurrent.com^ +||forensiccharging.com^ +||forensicssociety.com^ +||forenteion.com^ +||foreseegigglepartially.com^ +||forestallbladdermajestic.com^ +||forestallunconscious.com^ +||forexclub.ru^ +||forfeitsubscribe.com^ +||forflygonom.com^ +||forfrogadiertor.com^ +||forgetinnumerablelag.com^ +||forgivenesscourtesy.com^ +||forgivenessdeportdearly.com^ +||forgivenesspeltanalyse.com^ +||forhavingartistic.info^ +||forklacy.com^ +||forlumineoner.com^ +||forlumineontor.com^ +||formalitydetached.com^ +||formarshtompchan.com^ +||formatinfo.top^ +||formationunavoidableenvisage.com^ +||formationwallet.com^ +||formatresourcefulresolved.com^ +||formatstock.com^ +||formedwrapped.com^ +||formerdisagreepectoral.com^ +||formerdrearybiopsy.com^ +||formerlyhorribly.com^ +||formerlyparsleysuccess.com^ +||formidableprovidingdisguised.com^ +||formidablestems.com^ +||formilenter.space^ +||formingclayease.com^ +||formismagiustor.com^ +||formsassistanceclassy.com^ +||formteddy.com^ +||formulacountess.com^ +||formulamuseconnected.com^ +||formyasemia.shop^ +||fornaxmetered.com^ +||forooqso.tv^ +||forprimeapeon.com^ +||forsawka.com^ +||forseisemelo.top^ +||forsphealan.com^ +||fortaillowon.com^ +||fortcratesubsequently.com^ +||forthdestiny.com^ +||forthdigestive.com^ +||forthnorriscombustible.com^ +||forthright-car.pro^ +||fortitudeare.com^ +||fortorterrar.com^ +||fortpavilioncamomile.com^ +||fortpush.com^ +||fortunateconvenientlyoverdone.com^ +||fortyflattenrosebud.com^ +||fortyphlosiona.com^ +||forumboiling.com^ +||forumpatronage.com^ +||forumtendency.com^ +||forunfezanttor.com^ +||forwardkonradsincerely.com^ +||forwhimsicottan.com^ +||forworksyconus.com^ +||forwrdnow.com^ +||foryanmachan.com^ +||forzubatr.com^ +||fosiecajeta.com^ +||fossensy.net^ +||fossilconstantly.com^ +||fotoompi.com^ +||fotsaulr.net^ +||fouderezaifi.net^ +||foughtdiamond.com^ +||fouguesteenie.com^ +||fouleewu.net^ +||foulfurnished.com^ +||foundationhemispherebossy.com^ +||foundationhorny.com^ +||foupeestokiy.net^ +||foupeethaija.com^ +||fourteenthcongratulate.com^ +||fouwheepoh.com^ +||fouwiphy.net^ +||fovdvoz.com^ +||fowlerexplore.com^ +||foxpush.io^ +||fozoothezou.com^ +||fpadserver.com^ +||fpgedsewst.com^ +||fpnpmcdn.net^ +||fpukxcinlf.com^ +||fqhnnknhufocejx.com^ +||fqirjff.com^ +||fqqcfpka-ui.top^ +||fqrwtrkgbun.com^ +||fqtadpehoqx.com^ +||fqtjp.one^ +||fquyv.one^ +||fractionfridgejudiciary.com^ +||fraer.cloud^ +||frailfederaldemeanour.com^ +||framentyder.pro^ +||frameworkdeserve.com^ +||frameworkjaw.com^ +||framingmanoeuvre.com^ +||francoistsjacqu.info^ +||franecki.net^ +||franeski.net^ +||franticimpenetrableflourishing.com^ +||frap.site^ +||fratchyaeolist.com^ +||fraudulentintrusive.com^ +||frayed-common.pro^ +||frayforms.com^ +||frdjs-2.co^ +||freakishmartyr.com^ +||freakperjurylanentablelanentable.com^ +||frecklessfrecklesscommercialeighth.com^ +||fredmoresco.com^ +||free-datings.com^ +||free-domain.net^ +||freebiesurveys.com^ +||freeconverter.io^ +||freecounter.ovh^ +||freecounterstat.ovh^ +||freedatinghookup.com^ +||freeearthy.com^ +||freefrog.site^ +||freefromads.com^ +||freefromads.pro^ +||freelancebeheld.com^ +||freelancepicketpeople.com^ +||freelancerarity.com^ +||freepopnews.skin^ +||freesoftwarelive.com^ +||freestar.io^ +||freetrckr.com^ +||freezedispense.com^ +||freezereraserelated.com^ +||freezescrackly.com^ +||freezyquieten.com^ +||fregtrsatnt.com^ +||freiodablazer.com^ +||frenchequal.pro^ +||frencheruptionshelter.com^ +||frenchhypotheticallysubquery.com^ +||frenghiacred.com^ +||frequencyadvocateadding.com^ +||frequentagentlicense.com^ +||frequentbarrenparenting.com^ +||frequentimpatient.com^ +||fresh8.co^ +||freshannouncement.com^ +||freshpops.net^ +||frettedmalta.top^ +||frezahkthnz.com^ +||frfetchme.com^ +||frfsjjtis.com^ +||fri4esianewheywr90itrage.com^ +||frictionliteral.com^ +||frictionterritoryvacancy.com^ +||fridayaffectionately.com^ +||fridayarched.com^ +||fridaypatnod.com^ +||fridaywake.com^ +||fridgejakepreposition.com^ +||friedretrieve.com^ +||friendshipconcerning.com^ +||friendshipposterity.com^ +||friendsoulscombination.com^ +||frigatemirid.com^ +||frighten3452.fun^ +||fringecompetenceranger.com^ +||fringeforkgrade.com^ +||fringesdurocs.com^ +||friskthimbleliver.com^ +||fristminyas.com^ +||frivolous-copy.pro^ +||frizzannoyance.com^ +||frocogue.store^ +||frolnk.com^ +||fromjoytohappiness.com^ +||fromoffspringcaliber.com^ +||frompilis.com^ +||frontcognizance.com^ +||fronthlpr.com^ +||frookshop-winsive.com^ +||froseizedorganization.com^ +||frostplacard.com^ +||frostscanty.com^ +||frostyonce.com^ +||frothadditions.com^ +||frowzeveronal.com^ +||frowzlynecklet.top^ +||frpa-vpdpwc.icu^ +||frstlead.com^ +||frtya.com^ +||frtyd.com^ +||frtyl.com^ +||frugalrevenge.com^ +||frugalseck.com^ +||fruitfullocksmith.com^ +||fruitfulthinnersuspicion.com^ +||fruitlesshooraytheirs.com^ +||fruitnotability.com^ +||frustrationtrek.com^ +||frutwafiwah.com^ +||fryawlauk.com^ +||fsalfrwdr.com^ +||fsccafstr.com^ +||fsltwwmfxqh.fun^ +||fsseeewzz.lol^ +||fsseeewzz.quest^ +||fstsrv1.com^ +||fstsrv13.com^ +||fstsrv16.com^ +||fstsrv2.com^ +||fstsrv3.com^ +||fstsrv4.com^ +||fstsrv5.com^ +||fstsrv8.com^ +||fstsrv9.com^ +||fsznjdg.com^ +||ftajryaltna.com^ +||ftblltrck.com^ +||ftd.agency^ +||ftheusysianeduk.com^ +||ftjcfx.com^ +||ftmcofsmfoebui.xyz^ +||ftmeahbqbemwx.com^ +||ftslrfl.com^ +||ftte.fun^ +||ftte.xyz^ +||ftv-publicite.fr^ +||fualujqbhqyn.xyz^ +||fubsoughaigo.net^ +||fucategallied.com^ +||fuckmehd.pro^ +||fuckthat.xyz^ +||fucmoadsoako.com^ +||fudukrujoa.com^ +||fuelpearls.com^ +||fugcgfilma.com^ +||fugitiveautomaticallybottled.com^ +||fuhbimbkoz.com^ +||fukpapsumvib.com^ +||fuksaighetchy.net^ +||fulbe-whs.com^ +||fulfilleddetrimentpot.com^ +||fulhamscaboose.website^ +||fulheaddedfea.com^ +||fulltraffic.net^ +||fullylustreenjoyed.com^ +||fulvideozrt.click^ +||fulylydevelopeds.com^ +||fumeuprising.com^ +||fumtartujilse.net^ +||funappgames.com^ +||funbestgetjoobsli.org^ +||funcats.info^ +||functionsreturn.com^ +||fundatingquest.fun^ +||fundingexceptingarraignment.com^ +||fungiaoutfame.com^ +||fungus.online^ +||funjoobpolicester.info^ +||funklicks.com^ +||funnelgloveaffable.com^ +||funneltourdreams.com^ +||funnysack.com^ +||funsoups.com^ +||funtoday.info^ +||funufc.fun^ +||funyarewesbegi.com^ +||fupembtsdkx.com^ +||fuphekaur.net^ +||furlsstealbilk.com^ +||furnacecubbuoyancy.com^ +||furnishedrely.com^ +||furnishsmackfoolish.com^ +||furnitureapplicationberth.com^ +||furorshahdon.com^ +||furstraitsbrowse.com^ +||furtheradmittedsickness.com^ +||furtherbasketballoverwhelming.com^ +||furzetshi.com^ +||fuse-cloud.com^ +||fuseplatform.net^ +||fusilpiglike.com^ +||fusionads.net^ +||fusoidactuate.com^ +||fusrv.com^ +||fussy-highway.pro^ +||fussysandwich.pro^ +||futilepreposterous.com^ +||futseerdoa.com^ +||future-hawk-content.co.uk^ +||futureads.io^ +||futureus.com^ +||fuxcmbo.com^ +||fuywsmvxhtg.com^ +||fuzakumpaks.com^ +||fuzzydinnerbedtime.com^ +||fuzzyincline.com^ +||fuzzyvisuals.com^ +||fv-bpmnrzkv.vip^ +||fvckeip.com^ +||fvcwqkkqmuv.com^ +||fvgxfupisy.com^ +||fvmiafwauhy.fun^ +||fvohyywkbc.com^ +||fwbejnuplyuxufm.xyz^ +||fwbntw.com^ +||fwealjdmeptu.com^ +||fwmrm.net^ +||fwqmwyuokcyvom.xyz^ +||fwtrck.com^ +||fxdepo.com^ +||fxdmnmsna.space^ +||fxjpbpxvfofa.com^ +||fxmnba.com^ +||fxmvxhwcusaq.com^ +||fxpqcygxjib.com^ +||fxrbsadtui.com^ +||fxsvifnkts.com^ +||fyblppngxdt.com^ +||fydapcrujhguy.xyz^ +||fyglovilo.pro^ +||fylkerooecium.click^ +||fynox.xyz^ +||fyresumefo.com^ +||fzamtef.com^ +||fzcbgedizbt.click^ +||fzivunnigra.com^ +||fzmflvwn.tech^ +||fzrdxsgdnibnus.com^ +||fzszuvb.com^ +||g-xtqrgag.rocks^ +||g0-g3t-msg.com^ +||g0-g3t-msg.net^ +||g0-g3t-som3.com^ +||g0-get-msg.net^ +||g0-get-s0me.net^ +||g0gr67p.de^ +||g0wow.net^ +||g2afse.com^ +||g33ktr4ck.com^ +||g33tr4c3r.com^ +||g5rkmcc9f.com^ +||g8tor.com^ +||ga-ads.com^ +||gabblecongestionhelpful.com^ +||gabblewhining.com^ +||gabledsamba.com^ +||gabsailr.com^ +||gacoufti.com^ +||gadsabs.com^ +||gadsatz.com^ +||gadskis.com^ +||gadslimz.com^ +||gadspms.com^ +||gadspmz.com^ +||gadssystems.com^ +||gaelsdaniele.website^ +||gafmajosxog.com^ +||gagdungeon.com^ +||gagebonus.com^ +||gagheroinintact.com^ +||gaghygienetheir.com^ +||gagxsbnbu.xyz^ +||gaibjhicxrkng.xyz^ +||gaietyexhalerucksack.com^ +||gaijiglo.net^ +||gaimauroogrou.net^ +||gaimoupy.net^ +||gainingpartyyoga.com^ +||gaiphaud.xyz^ +||gaipochipsefoud.net^ +||gaireegroahy.net^ +||gaishaisteth.com^ +||gaisteem.net^ +||gaitcubicle.com^ +||gaitoath.com^ +||gaizoopi.net^ +||gajoytoworkwith.com^ +||gakairohekoa.com^ +||gakrarsabamt.net^ +||galaxydiminution.com^ +||galaxypush.com^ +||galeaeevovae.com^ +||galepush.net^ +||gallicize25.fun^ +||gallonjav128.fun^ +||galloonzarf.shop^ +||gallopextensive.com^ +||gallopsalmon.com^ +||gallupcommend.com^ +||galootsmulcted.shop^ +||galopelikeantelope.com^ +||galotop1.com^ +||galvanize26.fun^ +||gam3ah.com^ +||gamadsnews.com^ +||gamadspro.com^ +||gambar123.com^ +||gameads.io^ +||gamersad.com^ +||gamersshield.com^ +||gamersterritory.com^ +||gamescarousel.com^ +||gamescdnfor.com^ +||gamesims.ru^ +||gamesrevenue.com^ +||gamesyour.com^ +||gaming-adult.com^ +||gamingadlt.com^ +||gamingonline.top^ +||gammamkt.com^ +||gammaplatform.com^ +||gammradiation.space^ +||gamonalsmadevel.com^ +||ganalyticshub.net^ +||gandmotivat.info^ +||gandmotivatin.info^ +||gandrad.org^ +||ganehangmen.com^ +||gangsterpracticallymist.com^ +||gangsterstillcollective.com^ +||ganismpro.com^ +||gannetsmechant.com^ +||gannett.gcion.com^ +||gapchanging.com^ +||gapersinglesa.com^ +||gapgrewarea.com^ +||gapperlambale.shop^ +||gapsiheecain.net^ +||gaptooju.net^ +||gaqscipubhi.com^ +||gaquxe8.site^ +||garbagebanquetintercept.com^ +||garbagereef.com^ +||garbanzos24.fun^ +||gardenbilliontraced.com^ +||gardeningseparatedudley.com^ +||gardoult.com^ +||gargantuan-menu.pro^ +||garlandprotectedashtray.com^ +||garlandshark.com^ +||garlicice.store^ +||garmentfootage.com^ +||garmentsgovernmentcloset.com^ +||garnishpoints.com^ +||garnishwas.com^ +||garosesia.com^ +||garotas.info^ +||garotedwhiff.top^ +||garrafaoutsins.top^ +||garretassociate.com^ +||garretdistort.com^ +||garrisonparttimemount.com^ +||garsleviter.shop^ +||gartaurdeeworsi.net^ +||gaskinneepour.com^ +||gasolinefax.com^ +||gasolinerent.com^ +||gaspedtowelpitfall.com^ +||gateimmenselyprolific.com^ +||gatejav12.fun^ +||gatetocontent.com^ +||gatetodisplaycontent.com^ +||gatetotrustednetwork.com^ +||gatherjames.com^ +||gatsbybooger.shop^ +||gaudoaphuh.net^ +||gaudymercy.com^ +||gaufoosa.xyz^ +||gaujagluzi.xyz^ +||gaujephi.xyz^ +||gaujokop.com^ +||gaukeezeewha.net^ +||gaulshiite.life^ +||gaunchdelimes.com^ +||gauntletjanitorjail.com^ +||gauntletslacken.com^ +||gaupaufi.net^ +||gaupsaur.xyz^ +||gaushaih.xyz^ +||gaustele.xyz^ +||gauvaiho.net^ +||gauwanouzeebota.net^ +||gauwoocoasik.com^ +||gauzedecoratedcomplimentary.com^ +||gauzeglutton.com^ +||gavearsonistclever.com^ +||gayadpros.com^ +||gaytwddahpave.com^ +||gazati.com^ +||gazpachos28.fun^ +||gazumpers27.fun^ +||gazumping30.fun^ +||gb1aff.com^ +||gbbdkrkvn.xyz^ +||gbengene.com^ +||gbfys.global^ +||gblcdn.com^ +||gbpkmltxpcsj.xyz +||gbztputcfgp.com^ +||gcpusibqpnulkg.com^ +||gcvir.xyz^ +||gcybnvhleaebkp.com^ +||gdasaasnt.com^ +||gdbtlmsihonev.xyz^ +||gdecording.info^ +||gdecordingholo.info^ +||gdktgkjfyvd.xyz^ +||gdlxtjk.com^ +||gdmconvtrck.com^ +||gdmdigital.com^ +||gdmgsecure.com^ +||gdrcaguddyj.space^ +||geargrope.com^ +||gecdwmkee.com^ +||geckad.com^ +||geckibou.com^ +||gecksnabbie.shop^ +||gecl.xyz^ +||geechaid.xyz^ +||geedoovu.net^ +||geegleshoaph.com^ +||geejetag.com^ +||geejushoaboustu.net^ +||geephenuw.com^ +||geeptaunip.net^ +||geerairu.net^ +||geetacog.xyz^ +||geethaihoa.com^ +||geethaiw.xyz^ +||geethoap.com^ +||geewedurisou.net^ +||geiybze.com^ +||gejusherstertithap.info^ +||gekeebsirs.com^ +||gelatineabstainads.com^ +||gelatinelighter.com^ +||gelescu.cloud^ +||gelhp.com^ +||gemaricspieled.com^ +||gemfowls.com^ +||gen-ref.com^ +||genbalar.com^ +||generalizebusinessman.com^ +||generallyrefinelollipop.com^ +||genericlink.com^ +||generosityfrozecosmic.com^ +||generousclickmillennium.com^ +||generousfilming.com^ +||genesismedia.com^ +||geneticesteemreasonable.com^ +||genfpm.com^ +||geniad.net^ +||genieedmp.com^ +||genieessp.com^ +||genishury.pro^ +||geniusbanners.com^ +||geniusdexchange.com^ +||geniusonclick.com^ +||gensonal.com^ +||gentle-report.com^ +||geoaddicted.net^ +||geodaljoyless.com^ +||geodator.com^ +||geogenyveered.com^ +||geometryworstaugust.com^ +||geompzr.com^ +||geotrkclknow.com^ +||geraflows.com^ +||germainnappy.click^ +||germanize24.fun^ +||germinatewishesholder.com^ +||germmasonportfolio.com^ +||germyrefeign.com^ +||gersutsaix.net^ +||geruksom.net^ +||gesanbarrat.com^ +||geslinginst.shop^ +||gessiptoab.net^ +||get-gx.net^ +||get-here-click.xyz^ +||get-me-wow. +||get-partner.life^ +||getadx.com^ +||getadzuki.com^ +||getalltraffic.com^ +||getarrectlive.com^ +||getbiggainsurvey.top^ +||getbrowbeatgroup.com^ +||getconatyclub.com^ +||getgx.net^ +||getjad.io^ +||getmatchedlocally.com^ +||getmetheplayers.click^ +||getnee.com^ +||getnewsfirst.com^ +||getnomadtblog.com^ +||getnotix.co^ +||getoptad360.com^ +||getoverenergy.com^ +||getpopunder.com^ +||getrunbestlovemy.info^ +||getrunkhomuto.info^ +||getrunmeellso.com^ +||getrunsirngflgpologey.com^ +||getscriptjs.com^ +||getsharedstore.com^ +||getsmartyapp.com^ +||getsozoaque.xyz^ +||getsthis.com^ +||getsurv4you.org^ +||getter.cfd^ +||gettine.com^ +||gettingcleaveassure.com^ +||gettingtoe.com^ +||gettjohytn.com^ +||gettraffnews.com^ +||gettrf.org^ +||getvideoz.click^ +||getxml.org^ +||getxmlisi.com^ +||getyourbitco.in^ +||getyoursoft.ru^ +||gevmrjok.com^ +||gforanythingam.com^ +||gfsdloocn.com^ +||gfstrck.com^ +||gfufutakba.com^ +||gfunwoakvgwo.com^ +||gfwvrltf.xyz^ +||gfxdn.pics^ +||gfxetkgqti.xyz^ +||ggetsurv4youu.com^ +||gggetsurveey.com^ +||gggpht.com^ +||gggpnuppr.com^ +||ggjqqmwwolbmhkr.com^ +||ggkk.xyz^ +||gglnntqufw.life^ +||gglx.me^ +||ggmxtaluohw.com^ +||ggsfq.com^ +||ggwifobvx.com^ +||ggxcoez.com^ +||ggxqzamc.today^ +||gharryronier.click^ +||ghettosteal.shop^ +||ghhleiaqlm.com^ +||ghlyrecomemurg.com^ +||ghnvfncbleiu.xyz^ +||ghostchisel.com^ +||ghostnewz.com^ +||ghostsinstance.com^ +||ghosttardy.com^ +||ghsheukwasa.com^ +||ghsheukwasana.info^ +||ghtry.amateurswild.com^ +||ghuzwaxlike.shop^ +||ghyhwiscizax.com^ +||ghyktyahsb.com^ +||ghyxmovcyj.com^ +||giantaffiliates.com^ +||giantexit.com^ +||gianwho.com^ +||giaythethaonuhcm.com^ +||gibadvpara.com^ +||gibaivoa.com^ +||gibbetfloyt.shop^ +||gibevay.ru^ +||gibizosutchoakr.net^ +||giboxdwwevu.com^ +||gichaisseexy.net^ +||giftedhazelsecond.com^ +||gifturealdol.top^ +||gigabitadex.com^ +||gigacpmserv.com^ +||gigahertz24.fun^ +||giganticlived.com^ +||giggleostentatious.com^ +||gigjjgb.com^ +||gigsmanhowls.top^ +||gihehazfdm.com^ +||gilarditus.com^ +||gildshone.com^ +||gillsapp.com^ +||gillsisabellaunarmed.com^ +||gillynn.com^ +||gimme-promo.com^ +||gimpsgenips.com^ +||ginchoirblessed.com^ +||gingagonkc.com^ +||ginglmiresaw.com^ +||ginningsteri.com^ +||ginnyclairvoyantapp.com^ +||ginsaitchosheer.net^ +||ginsicih.xyz^ +||gipeucn.icu^ +||gipostart-1.co^ +||gipsiesthyrsi.com^ +||gipsouglow.com^ +||gipsyhit.com^ +||gipsytrumpet.com^ +||giraingoats.net^ +||girlfriendwisely.com^ +||girlsflirthere.life^ +||girlsglowdate.life^ +||girlstretchingsplendid.com^ +||girlwallpaper.pro^ +||girnalnemean.com^ +||girtijoo.com^ +||gishejuy.com^ +||gishpurer.shop^ +||gismoarette.top^ +||gitajwl.com^ +||gitoku.com^ +||gitsurtithauth.net^ +||givaphofklu.com^ +||givedressed.com^ +||givenconserve.com^ +||givesboranes.com^ +||givide.com^ +||giving-weird.pro^ +||givingsol.com^ +||giwkclu.com^ +||gixeedsute.net^ +||gixiluros.com^ +||gixtgaieap.xyz^ +||gjigle.com^ +||gjjvjbe.com^ +||gjonfartyb.com^ +||gjwos.org^ +||gk79a2oup.com^ +||gkaosmmuso.com^ +||gkbhrj49a.com^ +||gkbvnyk.com^ +||gkcltxp.com^ +||gkdafpdmiwwd.xyz^ +||gkencyarcoc.com^ +||gkrtgrcquwttq.xyz^ +||gkrtmc.com^ +||gkumbcmntra.com^ +||gkwcxsgh.com^ +||gkyju.space^ +||gkyornyu.com^ +||gl-cash.com^ +||gla63a4l.de^ +||glabsuckoupy.net^ +||glacierwaist.com^ +||gladsince.com^ +||glaghoowingauck.net^ +||glaickoxaksy.com^ +||glaicmauxoah.net^ +||glaidalr.net^ +||glaidekeemp.net^ +||glaidipt.net^ +||glaignatsensah.xyz^ +||glaijauk.xyz^ +||glaikrolsoa.com^ +||glaisseexoar.net^ +||glaiwhee.net^ +||glaixich.net^ +||glakaits.net^ +||glancedforgave.com^ +||glanderdisjoin.com^ +||glandinterest.com^ +||glaringregister.com^ +||glashampouksy.net^ +||glassesoftruth.com^ +||glassmilheart.com^ +||glasssmash.site^ +||glatatsoo.net^ +||glatsevudoawi.net^ +||glaubuph.com^ +||glaultoa.com^ +||glaurtas.com^ +||glauthew.net^ +||glazepalette.com^ +||glaziergagged.shop^ +||glbtrk.com^ +||gldkzr-lpqw.buzz^ +||gldrdr.com^ +||gleagainedam.info^ +||gleaminsist.com^ +||gleampendulumtucker.com^ +||glecmaim.net^ +||gledroupsens.xyz^ +||gleefulcareless.com^ +||gleeglis.net^ +||gleegloo.net^ +||gleejoad.net^ +||gleeltukaweetho.xyz^ +||gleemsomto.com^ +||gleemsub.com^ +||gleerdoacmockuy.xyz^ +||gleetchisurvey.top^ +||gleewhor.xyz^ +||gleloamseft.xyz^ +||glelroalso.xyz^ +||gleneditor.com^ +||glenmexican.com^ +||glersakr.com^ +||glersooy.net^ +||glerteeb.com^ +||gletchauka.net^ +||gletsimtoagoab.net^ +||glevoloo.com^ +||glideimpulseregulate.com^ +||glidelamppost.com^ +||gligheew.xyz^ +||gligoubsed.com^ +||glimpaid.net^ +||glimpsedrastic.com^ +||glimpsemankind.com^ +||glimtors.net^ +||glipigaicm.net^ +||gliptoacaft.net^ +||gliraimsofu.net^ +||glistening-novel.pro^ +||glitteringinsertsupervise.com^ +||glitteringobsessionchanges.com^ +||glitteringstress.pro^ +||glizauvo.net^ +||glo-glo-oom.com^ +||gloacmug.net^ +||gloagaus.xyz^ +||gloalrie.com^ +||gloaphoo.net^ +||globaladblocker.com^ +||globaladmedia.com^ +||globaladmedia.net^ +||globaladsales.com^ +||globaladv.net^ +||globalinteractive.com^ +||globaloffers.link^ +||globalsuccessclub.com^ +||globaltraffico.com^ +||globeofnews.com^ +||globeshyso.com^ +||globoargoa.net^ +||globwo.online^ +||glochatuji.com^ +||glochisprp.com^ +||glodsaccate.com^ +||glofodazoass.com^ +||gloghauzolso.xyz^ +||glogoowo.net^ +||glogopse.net^ +||glokta.info^ +||gloltaiz.xyz^ +||glomocon.xyz^ +||glonsophe.com^ +||gloodsie.com^ +||glooftezoad.net^ +||gloogruk.com^ +||gloohozedoa.xyz^ +||gloomilybench.com^ +||gloomilychristian.com^ +||gloomilysuffocate.com^ +||gloonseetaih.com^ +||gloophoa.net^ +||gloorsie.com^ +||gloriacheeseattacks.com^ +||glorialoft.com^ +||glorifyfactor.com^ +||glorifytravelling.com^ +||gloriousboileldest.com^ +||gloriousmemory.pro^ +||glorsugn.net^ +||glossydollyknock.com^ +||glouftarussa.xyz^ +||gloufteglouw.com^ +||glougloowhoumt.net^ +||gloumoonees.net^ +||gloumsee.net^ +||gloumsie.net^ +||glounugeepse.xyz^ +||glouseer.net^ +||glousoonomsy.xyz^ +||gloussowu.xyz^ +||gloustoa.net^ +||gloutanacard.com^ +||gloutchi.com^ +||glouvugnirsy.net^ +||glouxaih.net^ +||glouxalt.net^ +||glouzokrache.com^ +||gloveroadmap.com^ +||glovet.xyz^ +||glowdot.com^ +||glowedhyalins.com^ +||glowhoatooji.net^ +||glowingnews.com^ +||gloytrkb.com^ +||glsfreeads.com^ +||glssp.net^ +||gludqoqmuwbc.com^ +||glugherg.net^ +||glugreez.com^ +||gluilyepacme.shop^ +||glukropi.com^ +||glumtitu.net^ +||glumtoazaxom.net^ +||glungakra.com^ +||glursihi.net^ +||glutchoaksa.com^ +||glutenmuttsensuous.com^ +||gluttonstayaccomplishment.com^ +||gluttonybuzzingtroubled.com^ +||gluttonydressed.com^ +||gluwhoas.com^ +||gluxouvauure.com^ +||glvhvesvnp.com^ +||glwcxdq.com^ +||glxtest.site^ +||gmads.net^ +||gme-trking.com^ +||gmehcotihh.com^ +||gmgllod.com^ +||gmihupgkozf.com^ +||gmiqicw.com^ +||gmixiwowford.com^ +||gmkflsdaa.com^ +||gmknz.com^ +||gml-grp.com^ +||gmltiiu.com^ +||gmthhftif.com^ +||gmxvmvptfm.com^ +||gmyze.com^ +||gmzdaily.com^ +||gnashesfanfare.com^ +||gnatterjingall.com^ +||gnditiklas.com^ +||gndyowk.com^ +||gnnnzxuzv.com^ +||gnssivagwelwspe.xyz^ +||gnyjxyzqdcjb.com^ +||go-cpa.click^ +||go-g3t-msg.com^ +||go-g3t-push.net^ +||go-g3t-s0me.com^ +||go-g3t-s0me.net^ +||go-g3t-som3.com^ +||go-rillatrack.com^ +||go-srv.com^ +||go-static.info^ +||go.syndcloud.com^ +||go2.global^ +||go2affise.com^ +||go2app.org^ +||go2jump.org^ +||go2linktrack.com^ +||go2media.org^ +||go2offer-1.com^ +||go2oh.net^ +||go2rph.com^ +||go2speed.org^ +||go6shde9nj2itle.com^ +||goaboomy.com^ +||goaciptu.net^ +||goads.pro^ +||goadx.com^ +||goaffmy.com^ +||goajuzey.com^ +||goalebim.com^ +||goaleedeary.com^ +||goalfirework.com^ +||goaserv.com^ +||goasrv.com^ +||goatauthut.xyz^ +||goatsnulls.com^ +||gobacktothefuture.biz^ +||gobetweencomment.com^ +||gobicyice.com^ +||gobitta.info^ +||gobletauxiliary.com^ +||gobletclosed.com^ +||goblocker.xyz^ +||gobmodfoe.com^ +||goboksehee.net^ +||gobreadthpopcorn.com^ +||gockardajaiheb.net^ +||godacepic.com^ +||godforsakensubordinatewiped.com^ +||godlessabberant.com^ +||godmotherelectricity.com^ +||godpvqnszo.com^ +||godroonrefrig.com^ +||godspeaks.net^ +||goeducklactase.com^ +||goesintakehaunt.com^ +||gofenews.com^ +||goferinlaik.com^ +||gogglebox26.fun^ +||gogglemessenger.com^ +||gogglerespite.com^ +||gogord.com^ +||gohere.pl^ +||gohznbe.com^ +||goingkinch.com^ +||goingtoothachemagician.com^ +||goingtopunder.com^ +||gold-line.click^ +||gold2762.com^ +||golden-gateway.com^ +||goldfishsewbruise.com^ +||gollarpulsus.com^ +||goloeaorist.com^ +||golsaiksi.net^ +||gomain.pro^ +||gomain2.pro^ +||gombotrubu.com^ +||gomnlt.com^ +||gomucreu.com^ +||gonairoomsoo.xyz^ +||gonakedowing.com^ +||goneawaytogy.info^ +||goobakocaup.com^ +||goobefirumaupt.net^ +||goocivede.com^ +||good-ads-online.com^ +||goodadvert.ru^ +||goodandsoundcontent.com^ +||goodappforyou.com^ +||goodbusinesspark.com^ +||gooddemands.com^ +||goodgamesmanship.com^ +||goodnesshumiliationtransform.com^ +||goodnightbarterleech.com^ +||goodstriangle.com^ +||goodyhitherto.com^ +||googie-anaiytics.com^ +||googleapi.club^ +||googletagservices.com^ +||goohimom.net^ +||goomaphy.com^ +||goonsphiltra.top^ +||gooods4you.com^ +||goosebomb.com^ +||goosierappetit.com^ +||goothoozuptut.net^ +||goourl.me^ +||gophykopta.com^ +||goplayhere.com^ +||goraccodisobey.com^ +||goraps.com^ +||goredi.com^ +||goreoid.com^ +||gorgeousirreparable.com^ +||gorgestartermembership.com^ +||gorgetooth.com^ +||gorilladescendbounds.com^ +||gorillatraffic.xyz^ +||gorillatrking.com^ +||goschenelect.com^ +||goshbiopsy.com^ +||gositego.live^ +||gosoftwarenow.com^ +||gosrv.cl^ +||gossipcase.com^ +||gossipinvest.com^ +||gossipsize.com^ +||gossipylard.com^ +||gossishauphy.com^ +||gostoamt.com^ +||got-to-be.com^ +||got-to-be.net^ +||goteat.xyz^ +||gotheremploye.com^ +||gotherresethat.info^ +||gotibetho.pro^ +||gotohouse1.club^ +||gotoyahoo.com^ +||gotrackier.com^ +||gouheethsurvey.space^ +||gounodogaptofok.net^ +||gousouse.com^ +||goutee.top^ +||gouthoat.com^ +||govbusi.info^ +||governessmagnituderecoil.com^ +||governessstrengthen.com^ +||governmentwithdraw.com^ +||gowfsubsept.shop^ +||gowspow.com^ +||gpcrn.com^ +||gpfaquowxnaum.xyz^ +||gpibcoogfb.com^ +||gpjwludjwldi.com^ +||gplansforourcom.com^ +||gplgqqg.com^ +||gpodxdmnivc.com^ +||gporkecpyttu.com^ +||gpsecureads.com^ +||gpseyeykuwgn.rocks^ +||gpynepb.com^ +||gqalqi656.com^ +||gqckjiewg.com^ +||gqfuf.com^ +||gqjdweqs.com^ +||gqjeqaqrxexmd.com^ +||gqrvpwdps.com^ +||gquwuefddojikxo.xyz^ +||gr3hjjj.pics^ +||graboverhead.com^ +||gracefullisten.pro^ +||gracefullouisatemperature.com^ +||gracelessaffected.com^ +||gracesmallerland.com^ +||grachouss.com^ +||gradecastlecanadian.com^ +||gradecomposuresanctify.com^ +||gradredsoock.net^ +||gradualmadness.com^ +||graduatedspaghettiauthorize.com^ +||grafzen.com^ +||graigloapikraft.net^ +||graimoorg.net^ +||grainshen.com^ +||grairdou.com^ +||grairgoo.com^ +||grairsoa.com^ +||grairtoorgey.com^ +||graitaulrocm.net^ +||graithos.net^ +||graitsie.com^ +||graivaik.com^ +||graivampouth.net^ +||graizoah.com^ +||graizout.net^ +||grallichalvas.com^ +||gralneurooly.com^ +||grammarselfish.com^ +||gramotherwise.com^ +||granaryvernonunworthy.com^ +||grandchildpuzzled.com^ +||granddadfindsponderous.com^ +||grandezza31.fun^ +||grandocasino.com^ +||grandpagrandmotherhumility.com^ +||grandpashortestmislead.com^ +||grandsupple.com^ +||grandwatchesnaive.com^ +||grangilo.net^ +||granseerdissee.net^ +||grantedorphan.com^ +||grantedpigsunborn.com^ +||granthspillet.top^ +||grantinsanemerriment.com^ +||graphnitriot.com^ +||grapseex.com^ +||grapselu.com^ +||graptaupsi.net^ +||grartoag.xyz^ +||grashaksoudry.net^ +||grasshusk.com^ +||grasutie.net^ +||gratataxis.shop^ +||graterpatent.com^ +||gratertwentieth.com^ +||gratificationdesperate.com^ +||gratificationopenlyseeds.com^ +||gratifiedfemalesfunky.com^ +||gratifiedmatrix.com^ +||gratifiedsacrificetransformation.com^ +||gratifiedshoot.com^ +||gratitudeobservestayed.com^ +||gratituderefused.com^ +||grauglak.com^ +||graugnoogimsauy.net^ +||grauhoat.xyz^ +||graukaigh.com^ +||graulsaun.com^ +||graungig.xyz^ +||grauroocm.com^ +||graushauls.xyz^ +||grauxouzair.com^ +||grave-orange.pro^ +||gravecheckbook.com^ +||gravelyoverthrow.com^ +||graveshakyscoot.com^ +||graveuniversalapologies.com^ +||gravyponder.com^ +||graxooms.com^ +||graywithingrope.com^ +||grazingmarrywomanhood.com^ +||greaserenderelk.com^ +||great-spring.pro^ +||greatappland.com^ +||greataseset.org^ +||greatcpm.com^ +||greatdexchange.com^ +||greatlifebargains2024.com^ +||greatlyclip.com^ +||greatnessmuffled.com^ +||grecheer.com^ +||greckoaghoate.net^ +||grecmaru.com^ +||gredritchupsa.net^ +||gredroug.net^ +||greebomtie.com^ +||greececountryfurious.com^ +||greecewizards.com^ +||greedcocoatouchy.com^ +||greedrum.net^ +||greedyfire.com^ +||greeftougivy.com^ +||greekmankind.com^ +||greekroo.xyz^ +||greekunbornlouder.com^ +||green-red.com^ +||green-search-engine.com^ +||green4762.com^ +||greenads.org^ +||greenandhappiness.com^ +||greenfox.ink^ +||greenlinknow.com^ +||greenmortgage.pro^ +||greenplasticdua.com^ +||greenrecru.info^ +||greepseedrobouk.net^ +||greerogloo.net^ +||greeter.me^ +||greetpanda.org^ +||greewepi.net^ +||greezoob.net^ +||grefaunu.com^ +||grefutiwhe.com^ +||grehamsoah.xyz^ +||greheelsy.net^ +||grehtrsan.com^ +||greltoat.xyz^ +||gremsaup.net^ +||grenkolgav.com^ +||grepeiros.com^ +||greptump.com^ +||greroaso.com^ +||grersomp.xyz^ +||greshipsah.com^ +||gresteedoong.net^ +||gretaith.com^ +||gretnsassn.com^ +||gretunoakulo.com^ +||greuy.xyz^ +||greworganizer.com^ +||grewquartersupporting.com^ +||grexackugnee.net^ +||greystripe.com^ +||grfpr.com^ +||gribseep.net^ +||gridder.co^ +||gridedloamily.top^ +||gridrelay27.co^ +||grievethereafter.com^ +||griftedhindoo.com^ +||grigholtuze.net^ +||grignetheronry.shop^ +||grigsreshown.top^ +||griksoorgaultoo.xyz^ +||griksoud.net^ +||grillcheekunfinished.com^ +||grimacecalumny.com^ +||grimdeplorable.com^ +||grimytax.pro^ +||grinbettyreserve.com^ +||grincircus.com^ +||gripehealth.com^ +||gripperpossum.com^ +||gripping-bread.com^ +||gripspigyard.com^ +||grirault.net^ +||gristleupanaya.com^ +||gritaware.com^ +||grixaghe.xyz^ +||grizzled-reality.pro^ +||grizzlier30.fun^ +||grizzlies30.fun^ +||grmtas.com^ +||groaboara.com^ +||groabopith.xyz^ +||groagnoaque.com^ +||groameeb.com^ +||groampez.xyz^ +||groamsal.net^ +||groaxonsoow.net^ +||groazaimsadroa.xyz^ +||grobido.info^ +||grobungairdoul.net^ +||grobuveexeb.net^ +||grocerycookerycontract.com^ +||grocerysurveyingentrails.com^ +||groguzoo.net^ +||groinopposed.com^ +||grojaigrerdugru.xyz^ +||groleegni.net^ +||gromairgexucmo.net^ +||gronsoakoube.net^ +||grooksom.com^ +||groomoub.com^ +||groompemait.net^ +||groomseezo.net^ +||groorsoa.net^ +||grooseem.net^ +||grootcho.com^ +||grootsouque.net^ +||grooverend.com^ +||gropecemetery.com^ +||gropefore.com^ +||grortalt.xyz^ +||grotaich.net^ +||grotchaijoo.net^ +||groujeemoang.xyz^ +||groumaux.net^ +||groundinquiryoccupation.com^ +||groundlesscrown.com^ +||groundlesstightsitself.com^ +||groupcohabitphoto.com^ +||groupian.io^ +||grourouksoop.net^ +||groutoazikr.net^ +||groutoozy.com^ +||groutsukooh.net^ +||grova.buzz^ +||grova.xyz^ +||growebads.com^ +||growingcastselling.com^ +||growingtotallycandied.com^ +||growjav11.fun^ +||growledavenuejill.com^ +||grown-inpp-code.com^ +||growngame.life^ +||grownupsufferinginward.com^ +||growthbuddy.app^ +||grphfzutw.xyz^ +||grsm.io^ +||grt02.com^ +||grtaanmdu.com^ +||grtexch.com^ +||grtyj.com^ +||grubsnuchale.com^ +||grucchebarmfel.click^ +||grucmost.xyz^ +||grudgewallet.com^ +||grufeegny.xyz^ +||gruffsleighrebellion.com^ +||grumpyslayerbarton.com^ +||grunoaph.net^ +||gruntremoved.com^ +||gruponn.com^ +||grurawho.com^ +||grushoungy.com^ +||grutauvoomtoard.net^ +||gruwzapcst.com^ +||grwp3.com^ +||grygrothapi.pro^ +||gscontxt.net^ +||gsjln04hd.com^ +||gsnb048lj.com^ +||gsnqhdo.com^ +||gsurihy.com^ +||gt5tiybvn.com^ +||gtbdhr.com^ +||gtitcah.com^ +||gtoonfd.com^ +||gtosmdjgn.xyz^ +||gtsads.com^ +||gtsgeoyb.com^ +||gtslufuf.xyz^ +||gtubumgalb.com^ +||gtusaexrlpab.world^ +||gtwoedjmjsevm.xyz^ +||gtxlouky.xyz^ +||gtyjpiobza.com^ +||guangzhuiyuan.com^ +||guaranteefume.com^ +||guardedrook.cc^ +||guardedtabletsgates.com^ +||guardiandigitalcomparison.co.uk^ +||guardiannostrils.com^ +||guardsslate.com^ +||guasarestant.com^ +||gubsikroord.net^ +||guchihyfa.pro^ +||guckoash.net^ +||gudohuxy.uno^ +||gueriteiodic.com^ +||guerrilla-links.com^ +||guesswhatnews.com^ +||guestblackmail.com^ +||guestsfingertipchristian.com^ +||gugglethao.com^ +||guhomnfuzq.com^ +||guhscaafjp.com^ +||guidonsfeeing.com^ +||guiltjadechances.com^ +||guineaacrewayfarer.com^ +||guineashock.top^ +||guitarfelicityraw.com^ +||guitarjavgg124.fun^ +||gujakqludcuk.com^ +||gukmodukuleqasfo.com^ +||gukrathokeewhi.net^ +||gulfimply.com^ +||gullible-lawyer.pro^ +||gullibleanimated.com^ +||gulsyangtao.guru^ +||gumbolersgthb.com^ +||gumcongest.com^ +||gumlahdeprint.com^ +||gummierhedera.life^ +||gumon.site^ +||gunlockpepped.shop^ +||gunwaleneedsly.com^ +||gunzblazingpromo.com^ +||guptetoowheerta.net^ +||guro2.com^ +||gurynyce.com^ +||gusadrwacg.com^ +||gushfaculty.com^ +||gussame.com^ +||gussbkpr.website^ +||gussiessmutchy.com^ +||gussimsosurvey.space^ +||gustyalumnal.top^ +||gutazngipaf.com^ +||gutobtdagruw.com^ +||gutockeewhargo.net^ +||gutrnesak.com^ +||gutwn.info^ +||guvmcalwio.com^ +||guvsxiex.xyz^ +||guvwolr.com^ +||guxedsuba.com^ +||guxidrookr.com^ +||guypane.com^ +||guzdhs26.xyz^ +||gvfkzyq.com^ +||gvkzvgm.com^ +||gvt2.com^ +||gvzsrqp.com^ +||gwallet.com^ +||gwbone-cpw.today^ +||gwfcpecnwwtgn.xyz^ +||gwggiroo.com^ +||gwogbic.com^ +||gwtixda.com^ +||gx101.com^ +||gxdzfyg.com^ +||gxfh59u4.xyz^ +||gxnfz.com^ +||gxordgtvjr.com^ +||gxpomhvalxwuh.com^ +||gxsdfcnyrgxdb.com^ +||gxtmsmni.com^ +||gxuscpmrexyyj.com^ +||gyeapology.top^ +||gyfumobo.com^ +||gylor.xyz^ +||gymgipsy.com^ +||gymnasiumfilmgale.com^ +||gynietrooe.com^ +||gypperywyling.com^ +||gypsiedjilt.com^ +||gypsitenevi.com^ +||gypsumsnocks.com^ +||gypufahuyhov.xyz^ +||gytlingpaint.top^ +||gyvwigvwqkm.com^ +||gyxkmpf.com^ +||gzglmoczfzf.com^ +||gzifhovadhf.com^ +||gzihfaatdohk.com^ +||gzqihxnfhq.com^ +||h-zrhgpygrkj.fun^ +||h0w-t0-watch.net^ +||h12-media.com^ +||h52ek3i.de^ +||h5lwvwj.top^ +||h5r2dzdwqk.com^ +||h74v6kerf.com^ +||h827r1qbhk12pt.click^ +||h8brccv4zf5h.com^ +||haamumvxavsxwac.xyz^ +||habirimodioli.com^ +||habitualexecute.com^ +||habovethecit.info^ +||habovethecity.info^ +||habsoowhaum.net^ +||habutaeirisate.com^ +||hadfrizzprofitable.com^ +||hadmiredinde.info^ +||hadronid.net^ +||hadsans.com^ +||hadsanz.com^ +||hadseaside.com^ +||hadsecz.com^ +||hadsimz.com^ +||hadsokz.com^ +||hadtwobr.info^ +||hadute.xyz^ +||haffnetworkmm.com^ +||hafhwagagswy.com^ +||hafonmadp.com^ +||hagdenlupulic.top^ +||hagdispleased.com^ +||hagech.com^ +||haggingmasha.top^ +||haghalra.com^ +||haglance.com^ +||hagnutrient.com^ +||haihaime.net^ +||haikcarlage.com^ +||hailstonenerve.com^ +||hailstonescramblegardening.com^ +||hailtighterwonderfully.com^ +||haimagla.com^ +||haimimie.xyz^ +||hainoruz.com^ +||haircutlocally.com^ +||haircutmercifulbamboo.com^ +||hairdosjugs.top^ +||hairdresserbayonet.com^ +||hairoak.com^ +||hairpinoffer.com^ +||hairy-level.pro^ +||haithalaneroid.com^ +||haitingshospi.info^ +||haixomz.xyz^ +||haizedaufi.net^ +||hajecurie.shop^ +||hajoopteg.com^ +||hakeemmuffled.top^ +||hakqkhtlav.com^ +||haksaigho.com^ +||half-concert.pro^ +||halfhills.co^ +||halfpriceozarks.com^ +||halftimeaircraftsidewalk.com^ +||halftimestarring.com^ +||halibiulobcokt.top^ +||halileo.com^ +||hallanjerbil.com^ +||hallucinatecompute.com^ +||halogennetwork.com^ +||halthomosexual.com^ +||haltough.net^ +||haltowe.info^ +||halveimpendinggig.com^ +||hamantaipei.com^ +||hamburgerintakedrugged.com^ +||hamletuponcontribute.com^ +||hamletvertical.com^ +||hammamfehmic.com^ +||hammereternal.com^ +||hammerhewer.top^ +||hammockpublisherillumination.com^ +||hampersolarwings.com^ +||hamperstirringoats.com^ +||hamulustueiron.com^ +||handbagadequate.com^ +||handbaggather.com^ +||handbagwishesliver.com^ +||handboyfriendomnipotent.com^ +||handcuffglare.com^ +||handedpokies.com^ +||handfulnobodytextbook.com^ +||handfulsobcollections.com^ +||handgripvegetationhols.com^ +||handgunoatbin.com^ +||handkerchiefpeeks.com^ +||handkerchiefpersonnel.com^ +||handkerchiefstapleconsole.com^ +||handlingblare.com^ +||handshakesexyconquer.com^ +||handsomebend.pro^ +||handtub.com^ +||handwritingdigestion.com^ +||handy-tab.com^ +||handymanlipsballast.com^ +||hangnailamplify.com^ +||hangnailhasten.com^ +||hangoveratomeventually.com^ +||hangoverknock.com^ +||hankrivuletperjury.com^ +||hannahfireballperceive.com^ +||hanqpwl.com^ +||haoelo.com^ +||happenemerged.com^ +||happeningdeliverancenorth.com^ +||happeningflutter.com^ +||happy-davinci-53144f.netlify.com^ +||happydate.today^ +||happypavilion.com^ +||haqafzlur.com^ +||harassinganticipation.com^ +||harassingindustrioushearing.com^ +||harassmentgrowl.com^ +||harassmenttrolleyculinary.com^ +||hardabbuy.live^ +||hardaque.xyz^ +||hardcoretrayversion.com^ +||harderjuniormisty.com^ +||hardynylon.com^ +||hareeditoriallinked.com^ +||haresmodus.com^ +||hariheadacheasperity.com^ +||harksifrit.com^ +||harmfulsong.pro^ +||harmless-sample.pro^ +||harmvaluesrestriction.com^ +||harnessabreastpilotage.com^ +||harrenmedianetwork.com^ +||harrowliquid.com^ +||harrydough.com^ +||harrymercurydynasty.com^ +||harshlygiraffediscover.com^ +||harshplant.com^ +||hartattenuate.com^ +||hasdrs.com^ +||hash-hash-tag.com^ +||hashpreside.com^ +||hasomsdcoojm.com^ +||hastecoat.com^ +||hatagashira.com^ +||hatchetrenaissance.com^ +||hatchord.com^ +||hatedhazeflutter.com^ +||hatefulbane.com^ +||hatlesswhsle.com^ +||hats-47b.com^ +||hatwasallo.com^ +||hatwasallokmv.info^ +||hatzhq.net^ +||hauboisphenols.com^ +||hauchiwu.com^ +||haughtydistinct.com^ +||haughtysafety.com^ +||hauledforewordsentimental.com^ +||hauledresurrectiongosh.com^ +||hauledskirmish.com^ +||haulme.info^ +||haulstugging.com^ +||haunigre.net^ +||haunteddishwatermortal.com^ +||hauntingfannyblades.com^ +||hauntingwantingoblige.com^ +||hauphoak.xyz^ +||hauphuchaum.com^ +||hauraiwaurulu.net^ +||hautoust.com^ +||hauufhgezl.com^ +||haveflat.com^ +||havegrosho.com^ +||havenalcoholantiquity.com^ +||havencharacteristic.com^ +||havenwrite.com^ +||havingsreward.com^ +||hawkyeye5ssnd.com^ +||hawsuffer.com^ +||haxbyq.com^ +||haychalk.com^ +||haymowsrakily.com^ +||hazelhideous.com^ +||hazelmarks.com^ +||hazelocomotive.com^ +||hazicu.hothomefuck.com^ +||hazoopso.net^ +||hb-247.com^ +||hb94dnbe.de^ +||hbhood.com^ +||hbloveinfo.com^ +||hbmode.com^ +||hborq.com^ +||hbzikbe.com^ +||hcpvkcznxj.com^ +||hcvjvmunax.com^ +||hcyhiadxay.com^ +||hd100546c.com^ +||hdacode.com^ +||hdat.xyz^ +||hdbcdn.com^ +||hdbcoat.com^ +||hdbcode.com^ +||hdbcome.com^ +||hdbkell.com^ +||hdbkome.com^ +||hdbtop.com^ +||hdpreview.com^ +||hdqrswhipped.top^ +||hdsiygrmtghotj.com^ +||hdvcode.com^ +||hdxpqgvqm.com^ +||hdywrwnvf-h.one^ +||he7ll.com^ +||headacheaim.com^ +||headachehedgeornament.com^ +||headclutterdialogue.com^ +||headerdisorientedcub.com^ +||headirtlseivi.org^ +||headlightinfinitelyhusband.com^ +||headline205.fun^ +||headline3452.fun^ +||headphonedecomposeexcess.com^ +||headphoneveryoverdose.com^ +||headquarterinsufficientmaniac.com^ +||headquarterscrackle.com^ +||headquartersimpartialsexist.com^ +||headstonerinse.com^ +||headup.com^ +||headyblueberry.com^ +||healthfailed.com^ +||healthsmd.com^ +||healthy-inside.pro^ +||heapbonestee.com^ +||heardaccumulatebeans.com^ +||heardsoppy.com^ +||heartbreakslotserpent.com^ +||heartedshapelessforbes.com^ +||hearthmint.com^ +||heartilyscales.com^ +||heartlessrigid.com^ +||heartsawpeat.com^ +||heartynail.pro^ +||heartyten.com^ +||heaterpealarouse.com^ +||heathertravelledpast.com^ +||heatjav12.fun^ +||heatprecipitation.com^ +||heavenfull.com^ +||heavenly-landscape.com^ +||heavenproxy.com^ +||heavespectaclescoefficient.com^ +||heavyuniversecandy.com^ +||hebenonwidegab.top^ +||hectorfeminine.com^ +||hectorobedient.com^ +||hedgehoghugsyou.com^ +||hedgyactable.com^ +||hedgybateman.com^ +||hedmisreputys.info^ +||hedwigsantos.com^ +||heedetiquettedope.com^ +||heedlessplanallusion.com^ +||heedmicroscope.com^ +||heefothust.net^ +||heehoujaifo.com^ +||heejuchee.net^ +||heelsmerger.com^ +||heeraiwhubee.net^ +||heerosha.com^ +||heeteefu.com^ +||heethout.xyz^ +||hegazedatthe.info^ +||hegeju.xyz^ +||hehighursoo.com^ +||heiressplane.com^ +||heiressscore.com^ +||heiresstolerance.com^ +||heirloomreasoning.com^ +||heirsacost.com^ +||heixidor.com^ +||hejqtbnmwze.com^ +||hekowutus.com^ +||heldciviliandeface.com^ +||heleric.com^ +||helesandoral.com^ +||helic3oniusrcharithonia.com^ +||heliumwinebluff.com^ +||hellominimshanging.com^ +||helltraffic.com^ +||helmethomicidal.com^ +||helmetregent.com^ +||helmfireworkssauce.com^ +||helmingcensers.shop^ +||helmpa.xyz^ +||helmregardiso.com^ +||helpfulduty.pro^ +||helpfulrectifychiefly.com^ +||helpingnauseous.com^ +||helplylira.top^ +||hem41xm47.com^ +||hembrandsteppe.com^ +||hemcpjyhwqu.com^ +||hemhiveoccasion.com^ +||hemineedunks.com^ +||hemtatch.net^ +||hemyn.site^ +||hencefusionbuiltin.com^ +||hencemakesheavy.com^ +||hencesharply.com^ +||henriettaproducesdecide.com^ +||hentaibiz.com^ +||hentaigold.net^ +||hentaionline.net^ +||heoidln.com^ +||heparlorne.org^ +||hephungoomsapoo.net^ +||hepk-gmwitvk.world^ +||hepsaign.com^ +||heptix.net^ +||heraldet.com^ +||heratheacle.com^ +||herbalbreedphase.com^ +||herbamplesolve.com^ +||hercockremarke.info^ +||herconsequence.com^ +||herdmenrations.com^ +||hereaftertriadcreep.com^ +||herebybrotherinlawlibrarian.com^ +||hereincigarettesdean.com^ +||heremployeesihi.info^ +||heresanothernicemess.com^ +||herhomeou.xyz^ +||heritageamyconstitutional.com^ +||herlittleboywhow.info^ +||herma-tor.com^ +||hermichermicbroadcastinglifting.com^ +||hermichermicfurnished.com^ +||heroblastgeoff.com^ +||herodiessujed.org^ +||heroinalerttactical.com^ +||heromainland.com^ +||herringgloomilytennis.com^ +||herringlife.com^ +||herslenderw.info^ +||herynore.com^ +||hesatinaco.com^ +||hesoorda.com^ +||hespe-bmq.com^ +||hesterinoc.info^ +||hestutche.com^ +||hesudsuzoa.com^ +||hetadinh.com^ +||hetahien.com^ +||hetaint.com^ +||hetapugs.com^ +||hetapus.com^ +||hetariwg.com^ +||hetartwg.com^ +||hetarust.com^ +||hetaruvg.com^ +||hetaruwg.com^ +||hetnu.com^ +||hetsouds.net^ +||heusysianedu.com^ +||hevc.site^ +||heweop.com^ +||hewhimaulols.com^ +||hewiseryoun.com^ +||hewokhn.com^ +||hewomenentail.com^ +||hewonderfulst.info^ +||hexinemicerun.top^ +||hexitolsafely.top^ +||hexovythi.pro^ +||heybarnacle.com^ +||heycompassion.com^ +||heycryptic.com^ +||hf5rbejvpwds.com^ +||hfdfyrqj-ws.club^ +||hfeoveukrn.info^ +||hffxc.com^ +||hfhppxseee.com^ +||hfiwcuodr.com^ +||hfkncj-qalcg.top^ +||hfpuhwqi.xyz^ +||hfufkifmeni.com^ +||hg-bn.com^ +||hgbn.rocks^ +||hghit.com^ +||hgjxjis.com^ +||hgtokjbpw.com^ +||hgub2polye.com^ +||hgx1.online^ +||hgx1.site^ +||hgx1.space^ +||hh9uc8r3.xyz^ +||hhbypdoecp.com^ +||hhiswingsandm.info^ +||hhit.xyz^ +||hhjow.com^ +||hhklc.com^ +||hhkld.com^ +||hhmako.cloud^ +||hhndmpql.com^ +||hhuohqramjit.com^ +||hhvbdeewfgpnb.xyz^ +||hhzcuywygcrk.com^ +||hi-xgnnkqs.buzz^ +||hiadone.com^ +||hiasor.com^ +||hibids10.com^ +||hichhereallyw.info^ +||hickunwilling.com^ +||hidcupcake.com^ +||hiddenseet.com^ +||hidemembershipprofane.com^ +||hidgfbsitnc.fun^ +||hidingenious.com^ +||hierarchytotal.com^ +||hifakritsimt.com^ +||highconvertingformats.com^ +||highcpmcreativeformat.com^ +||highcpmgate.com^ +||highcpmrevenuegate.com^ +||highcpmrevenuenetwork.com^ +||highercldfrev.com^ +||highercldfrevb.com^ +||higheurest.com^ +||highjackclients.com^ +||highlypersevereenrapture.com^ +||highlyrecomemu.info^ +||highmaidfhr.com^ +||highnets.com^ +||highperformancecpm.com^ +||highperformancecpmgate.com^ +||highperformancecpmnetwork.com^ +||highperformancedformats.com^ +||highperformancedisplayformat.com^ +||highperformanceformat.com^ +||highperformancegate.com^ +||highprofitnetwork.com^ +||highratecpm.com^ +||highrevenuecpm.com^ +||highrevenuecpmnetrok.com^ +||highrevenuecpmnetwork.com^ +||highrevenuegate.com^ +||highrevenuenetwork.com^ +||highwaycpmrevenue.com^ +||highwaysenufo.guru^ +||higouckoavuck.net^ +||hiidevelelastic.com^ +||hiiona.com^ +||hikestale.com^ +||hikinghourcataract.com^ +||hikrfneh.xyz^ +||hikvar.ru^ +||hilakol.uno^ +||hilarioustasting.com^ +||hilarlymcken.info^ +||hilarlymckensec.info^ +||hildrenasth.info^ +||hildrenastheyc.info^ +||hilerant.site^ +||hiletterismypers.com^ +||hillbackserve.com^ +||hillsarab.com^ +||hillstree.site^ +||hilltopads.com^ +||hilltopads.net^ +||hilltopgo.com^ +||hilove.life^ +||hilsaims.net^ +||himediads.com^ +||himediadx.com^ +||himekingrow.com^ +||himgta.com^ +||himhedrankslo.xyz^ +||himosteg.xyz^ +||himselfthoughtless.com^ +||himunpracticalwh.info^ +||hinaprecent.info^ +||hindervoting.com^ +||hindsightchampagne.com^ +||hinepurify.shop^ +||hingfruitiesma.info^ +||hinkhimunpractical.com^ +||hinoidlingas.com^ +||hinowlfuhrz.com^ +||hintgroin.com^ +||hip-97166b.com^ +||hipals.com^ +||hipersushiads.com^ +||hipintimacy.com^ +||hippobulse.com^ +||hiprofitnetworks.com^ +||hipunaux.com^ +||hirdairge.com^ +||hiredeitysibilant.com^ +||hirelinghistorian.com^ +||hiringairport.com^ +||hirurdou.net^ +||hispherefair.com^ +||hissedapostle.com^ +||hisstrappedperpetual.com^ +||histi.co^ +||historicalsenseasterisk.com^ +||historyactorabsolutely.com^ +||hisurnhuh.com^ +||hitbip.com^ +||hitchimmerse.com^ +||hitcpm.com^ +||hithertodeform.com^ +||hitlnk.com^ +||hivingscope.click^ +||hivorltuk.com^ +||hixoamideest.com^ +||hiynquvlrevli.com^ +||hizanpwhexw.com^ +||hizlireklam.com^ +||hj6y7jrhnysuchtjhw.info^ +||hjalma.com^ +||hjklq.com^ +||hjmawbrxzq.space^ +||hjrvsw.info^ +||hjsvhcyo.com^ +||hjuswoulvp.xyz^ +||hjvvk.com^ +||hjxajf.com^ +||hkaphqknkao.com^ +||hkfgsxpnaga.xyz^ +||hkilops.com^ +||hksnu.com^ +||hljmdaz.com^ +||hlmiq.com^ +||hlserve.com^ +||hlyrecomemum.info^ +||hmafhczsos.com^ +||hmfxgjcxhwuix.com^ +||hmkwhhnflgg.space^ +||hmsykhbqvesopt.xyz^ +||hmuylvbwbpead.xyz^ +||hmxg5mhyx.com^ +||hn1l.site^ +||hnejuupgblwc.com^ +||hnrgmc.com^ +||hntkeiupbnoaeha.xyz^ +||hnxhksg.com^ +||hoa44trk.com^ +||hoacauch.net^ +||hoadaphagoar.net^ +||hoadavouthob.com^ +||hoaleenech.com^ +||hoanoola.net^ +||hoardjan.com^ +||hoardpastimegolf.com^ +||hoarsecoupons.top^ +||hoatebilaterdea.info^ +||hoaxcookingdemocratic.com^ +||hoaxresearchingathletics.com^ +||hoaxviableadherence.com^ +||hobbiesshame.online^ +||hobbleobey.com^ +||hockeycomposure.com^ +||hockeyhavoc.com^ +||hockeysacredbond.com^ +||hockicmaidso.com^ +||hoctor-pharity.xyz^ +||hoealec.com^ +||hoggetforfend.com^ +||hoglinsu.com^ +||hogmc.net^ +||hognaivee.com^ +||hohamsie.net^ +||hoickedfoamer.top^ +||hoickpinyons.com^ +||hoicksfq.xyz^ +||hokarsoud.com^ +||hoktrips.com^ +||holahupa.com^ +||holdenthusiastichalt.com^ +||holdhostel.space^ +||holdingholly.space^ +||holdingwager.com^ +||holdsoutset.com^ +||holenhw.com^ +||holidaycoconutconsciousness.com^ +||hollow-love.com^ +||hollowcharacter.com^ +||hollysocialspuse.com^ +||holmicnebbish.com^ +||holsfellen.shop^ +||holspostcardhat.com^ +||holyskier.com^ +||homagertereus.click^ +||homepig4.xyz^ +||homesickclinkdemanded.com^ +||homespotaudience.com^ +||homestairnine.com^ +||homesyowl.com^ +||homeycommemorate.com^ +||homicidalseparationmesh.com^ +||homicidelumpforensic.com^ +||homicidewoodenbladder.com^ +||homosexualfordtriggers.com^ +||honestlydeploy.com^ +||honestlyquick.com^ +||honestlystalk.com^ +||honestlyvicinityscene.com^ +||honestpeaceable.com^ +||honeycombabstinence.com^ +||honeycombastrayabound.com^ +||honeymoondisappointed.com^ +||honeymoonregular.com^ +||honeyreadinesscentral.com^ +||honitonchyazic.com^ +||honksbiform.com^ +||honorable-customer.pro^ +||honorablehalt.com^ +||honorbustlepersist.com^ +||honourprecisionsuited.com^ +||honoursdashed.com^ +||honoursimmoderate.com^ +||honwjjrzo.com^ +||honzoenjewel.shop^ +||hoo1luha.com^ +||hoodboth.com^ +||hoodentangle.com^ +||hoodingluster.com^ +||hoodoosdonsky.com^ +||hoofexcessively.com^ +||hoofsduke.com^ +||hoojique.xyz^ +||hookawep.net^ +||hookupfowlspredestination.com^ +||hooliganmedia.com^ +||hooligs.app^ +||hoomigri.com^ +||hoood.info^ +||hoopbeingsmigraine.com^ +||hoopersnonpoet.com^ +||hoophaub.com^ +||hoophejod.com^ +||hooptaik.net^ +||hooterwas.com^ +||hootravinedeface.com^ +||hoowuliz.com^ +||hopdream.com^ +||hopedpluckcuisine.com^ +||hopefulbiologicaloverreact.com^ +||hopefullyapricot.com^ +||hopefullyfloss.com^ +||hopefulstretchpertinent.com^ +||hopelessrolling.com^ +||hopesteapot.com^ +||hopghpfa.com^ +||hoppermagazineprecursor.com^ +||hoppershortercultivate.com^ +||hoppersill.com^ +||hoptopboy.com^ +||hoqqrdynd.com^ +||horaceprestige.com^ +||horgoals.com^ +||horizontallyclenchretro.com^ +||horizontallycourtyard.com^ +||horizontallypolluteembroider.com^ +||horizontallywept.com^ +||hormosdebris.com^ +||hornsobserveinquiries.com^ +||hornspageantsincere.com^ +||horny.su^ +||hornylitics.b-cdn.net^ +||horrible-career.pro^ +||horribledecorated.com^ +||horriblysparkling.com^ +||horridbinding.com^ +||horsebackbeatingangular.com^ +||horsesbarium.com^ +||hortestoz.com^ +||hortitedigress.com^ +||hosierygossans.com^ +||hosieryplum.com^ +||hosierypressed.com^ +||hospitalsky.online^ +||hostave.net^ +||hostave4.net^ +||hostingcloud.racing^ +||hosupshunk.com^ +||hot4k.org^ +||hotbqzlchps.com^ +||hotdeskbabes.pro^ +||hotegotisticalturbulent.com^ +||hotgvibe.com^ +||hothoodimur.xyz^ +||hotkabachok.com^ +||hotlinedisappointed.com^ +||hotnews1.me^ +||hottedholster.com^ +||hottercensorbeaker.com^ +||hotwords.com^ +||houdodoo.net^ +||houfopsichoa.com^ +||hougriwhabool.net^ +||houhoumooh.net^ +||houlaijy.com^ +||hourglasssealedstraightforward.com^ +||hoursencirclepeel.com^ +||hourstreeadjoining.com^ +||householdlieutenant.com^ +||housejomadkc.com^ +||houselsforwelk.top^ +||housemaiddevolution.com^ +||housemaidvia.com^ +||housemalt.com^ +||housewifereceiving.com^ +||houthaub.xyz^ +||houwheesi.com^ +||hoverclassicalroused.com^ +||hoverpopery.shop^ +||hoverr.co^ +||hoverr.media^ +||how-t0-wtch.com^ +||howboxmab.site^ +||howdoyou.org^ +||howeloisedignify.com^ +||howeverdipping.com^ +||howhow.cl^ +||howlexhaust.com^ +||howls.cloud^ +||howploymope.com^ +||hoyaga.xyz^ +||hoybgsquc.com^ +||hp1mufjhk.com^ +||hpeaxbmuh.com^ +||hpilzison-r.online^ +||hpk42r7a.de^ +||hpmstr.com^ +||hppvkbfcuq.com^ +||hpqalsqjr.com^ +||hpskiqiafxshdf.com^ +||hpyjmp.com^ +||hpyrdr.com^ +||hqpass.com^ +||hqscene.com^ +||hqsexpro.com^ +||hqwa.xyz^ +||hrahdmon.com^ +||hrczhdv.com^ +||hrenbjkdas.com^ +||hrfdulynyo.xyz^ +||hrihfiocc.com^ +||hrmdw8da.net^ +||hrogrpee.de^ +||hrtennaarn.com^ +||hrtvluy.com^ +||hrtyc.com^ +||hrtye.com^ +||hruwegwayoki.com^ +||hrwbr.life^ +||hrxkdrlobmm.com^ +||hsateamplayeranydw.info^ +||hsdaknd.com^ +||hsfewosve.xyz^ +||hskctjuticq.com^ +||hsklyftbctlrud.com^ +||hsrvz.com^ +||htanothingfruit.com^ +||htdvt.com^ +||htfpcf.xyz^ +||htintpa.tech^ +||htkcm.com^ +||htl.bid^ +||htlbid.com^ +||htliaproject.com^ +||htmonster.com^ +||htnvpcs.xyz^ +||htobficta.com^ +||htoptracker11072023.com^ +||htpirf.xyz^ +||htplaodmknel.one^ +||httpsecurity.org^ +||hturnshal.com^ +||htyrmacanbty.com^ +||huafcpvegmm.xyz^ +||huapydce.xyz^ +||hubbabu2bb8anys09.com^ +||hubbyobjectedhugo.com^ +||hubhc.com^ +||hubhubhub.name^ +||hublosk.com^ +||hubrisone.com^ +||hubristambacs.com^ +||hubsauwha.net^ +||hubturn.info^ +||huceeckeeje.com^ +||hucejo.uno^ +||hueadsxml.com^ +||huehinge.com^ +||hugeedate.com^ +||hugenicholas.com^ +||hugfromoctopus.com^ +||hugodeservedautopsy.com^ +||hugregregy.pro^ +||hugysoral.digital^ +||huhcoldish.com^ +||huigt6y.xyz^ +||hukelpmetoreali.com^ +||hukogpanbs.com^ +||hulocvvma.com^ +||humandiminutionengaged.com^ +||humatecortin.com^ +||humbleromecontroversial.com^ +||humiliatemoot.com^ +||humilityslammedslowing.com^ +||hummingexam.com^ +||humoralpurline.com^ +||humoristshamrockzap.com^ +||humpdecompose.com^ +||humplollipopsalts.com^ +||humremjobvipfun.com^ +||humro.site^ +||humsoolt.net^ +||hunchbackconebelfry.com^ +||hunchbackrussiancalculated.com^ +||hunchmotherhooddefine.com^ +||hunchnorthstarts.com^ +||hunchsewingproxy.com^ +||hundredpercentmargin.com^ +||hundredscultureenjoyed.com^ +||hundredshands.com^ +||hunter-hub.com^ +||hunterlead.com^ +||huntershoemaker.com^ +||huqbeiy.com^ +||hurdlesomehowpause.com^ +||hurkarubypaths.com^ +||hurlaxiscame.com^ +||hurlcranky.com^ +||hurlmedia.design^ +||hurlyzamorin.top^ +||huronews.com^ +||hurriedboob.com^ +||hurriednun.com^ +||hurriedpiano.com^ +||husbandnights.com^ +||husfly.com^ +||hushpub.com^ +||hushultalsee.net^ +||husky-tomorrow.pro^ +||huskypartydance.com^ +||huszawnuqad.com^ +||hutlockshelter.com^ +||hutoumseet.com^ +||huwuftie.com^ +||huzzahscurl.top^ +||hvkwmvpxvjo.xyz +||hvooyieoei.com^ +||hwderdk.com^ +||hwhqbjhrqekbvh.com^ +||hwof.info^ +||hwosl.cloud^ +||hwpnocpctu.com^ +||hwydapkmi.com^ +||hxaubnrfgxke.xyz^ +||hxlkiufngwbcxri.com^ +||hxoewq.com^ +||hycantyoubelik.com^ +||hycantyoubeliketh.com^ +||hydraulzonure.com^ +||hydrogendeadflatten.com^ +||hydrogenpicklenope.com^ +||hyfvlxm.com^ +||hygeistagua.com^ +||hygricurceole.com^ +||hyistkechaukrguke.com^ +||hymenvapour.com^ +||hype-ads.com^ +||hypemakers.net^ +||hyperbanner.net^ +||hyperlinksecure.com^ +||hyperoi.com^ +||hyperpromote.com^ +||hypertrackeraff.com^ +||hypervre.com^ +||hyphenatedion.com^ +||hyphenion.com^ +||hyphentriedpiano.com^ +||hypnotizebladdersdictate.com^ +||hypochloridtilz.click^ +||hypocrisysmallestbelieving.com^ +||hyrcycmtckbcpyf.xyz^ +||hyrewusha.pro^ +||hysteriaculinaryexpect.com^ +||hysteriaethicalsewer.com^ +||hystericalarraignment.com^ +||hytxg2.com^ +||hyzoneshilpit.com^ +||hz9x6ka2t5gka7wa6c0wp0shmkaw7xj5x8vaydg0aqp6gjat5x.com^ +||hzr0dm28m17c.com^ +||hzychcvdmjo.com^ +||i-svzgrtibs.rocks^ +||i4nstr1gm.com^ +||i4rsrcj6.top^ +||i65wsmrj5.com^ +||i7ece0xrg4nx.com^ +||i8xkjci7nd.com^ +||i99i.org^ +||ia4d7tn68.com^ +||iaculturerpartment.org^ +||ianik.xyz^ +||ianjumb.com^ +||iarrowtoldilim.info^ +||iasbetaffiliates.com^ +||iasrv.com^ +||ibbmkdooqkj.com^ +||ibidemkorari.com^ +||ibikini.cyou^ +||iboobeelt.net^ +||ibrapush.com^ +||ibryte.com^ +||ibugreeza.com^ +||ibutheptesitrew.com^ +||icalnormaticalacyc.info^ +||icdirect.com^ +||icelessbogles.com^ +||icetechus.com^ +||icfjair.com^ +||ichhereallyw.info^ +||ichimaip.net^ +||iciftiwe.com^ +||icilyassertiveindoors.com^ +||icilytired.com^ +||ickersanthine.com^ +||iclickcdn.com^ +||iclnxqe.com^ +||iconatrocity.com^ +||iconcardinal.com^ +||icsoqxwevywn.com^ +||icubeswire.co^ +||icyreprimandlined.com^ +||id5-sync.com^ +||iddeyrdpgq.com^ +||ideahealkeeper.com^ +||ideal-collection.pro^ +||idealintruder.com^ +||idealmedia.io^ +||ideapassage.com^ +||identifierssadlypreferred.com^ +||identifyillustration.com^ +||identityrudimentarymessenger.com^ +||idescargarapk.com^ +||idiafix.com^ +||idiothungryensue.com^ +||idioticskinner.com^ +||idioticstoop.com^ +||idleslowish.shop^ +||idolsstars.com^ +||idownloadgalore.com^ +||idswinpole.casa^ +||idthecharityc.info^ +||idydlesswale.info^ +||idyllteapots.com^ +||ie3wisa4.com^ +||ie8eamus.com^ +||ielmzzm.com^ +||ieluqiqttdwv.com^ +||ieo8qjp3x9jn.pro^ +||ietyofedinj89yewtburgh.com^ +||ieyavideatldcb.com^ +||ieyri61b.xyz^ +||iezxmddndn.com^ +||if20jadf8aj9bu.shop^ +||ifdbdp.com^ +||ifdmuggdky.com^ +||ifdnzact.com^ +||ifdvfqtcy.com^ +||ifefashionismscold.com^ +||ifigent.com^ +||ifjbtjf.com^ +||ifknittedhurtful.com^ +||ifrmebinfatqir.com^ +||ifsjqcqja.xyz^ +||ifulasaweatherc.info^ +||ig0nr8hhhb.com^ +||igainareputaon.info^ +||igaming-warp-service.io^ +||ightsapph.info^ +||iginnis.site^ +||iglegoarous.net^ +||igloaptopto.net^ +||igloohq.com^ +||iglooprin.com^ +||ignals.com^ +||ignobleordinalembargo.com^ +||ignorantmethod.pro^ +||ignorerationalize.com^ +||ignoresfahlerz.com^ +||ignoresphlorol.com^ +||ignorespurana.com^ +||igoamtaimp.com^ +||igoognou.xyz^ +||igouthoatsord.net^ +||igpkppknqeblj.com^ +||igraard.xyz^ +||igvhfmubsaqty.xyz^ +||igwatrsthg.site^ +||ihappymuttered.info^ +||ihavelearnat.xyz^ +||ihavenewdomain.xyz^ +||ihdcnwbcmw.com^ +||ihhqwaurke.com^ +||ihiptootchouds.xyz^ +||ihkybtde.com^ +||ihnhnpz.com^ +||ihoolrun.net^ +||ihpsthaixd.com^ +||ii9g0qj9.de^ +||iicheewi.com^ +||iifvcfwiqi.com^ +||iigmlx.com^ +||iinzwyd.com^ +||iionads.com^ +||iisabujdtg.com^ +||iistillstayherea.com^ +||iiwm70qvjmee.com^ +||ijaurdus.xyz^ +||ijhweandthepe.info^ +||ijhxe.com^ +||ijhyugb.com^ +||ijjorsrnydjcwx.com^ +||ijobloemotherofh.com^ +||ijtlu.tech^ +||ijwkdmzru.com^ +||ikahnruntx.com^ +||ikcaru.com^ +||ikengoti.com^ +||ikouthaupi.com^ +||ikspoopfp.com^ +||ikssllnhrb.com^ +||ikunselt.com^ +||ikwzrix.com^ +||ilajaing.com^ +||ilaterdeallyig.info^ +||ilaterdeallyighab.info^ +||ilddiwltjm.com^ +||ileeckut.com^ +||ilgtauox.com^ +||iliketomakingpics.com^ +||ilkindweandthe.info^ +||illallwoe.com^ +||illegaleaglewhistling.com^ +||illegallyrailroad.com^ +||illegallyshoulder.com^ +||illicitdandily.cam^ +||illishrastus.com^ +||illiterate-finance.com^ +||illiticguiding.com^ +||illnessentirely.com^ +||illocalvetoes.com^ +||illscript.com^ +||illuminatedusing.com^ +||illuminateinconveniencenutrient.com^ +||illuminatelocks.com^ +||illuminous.xyz^ +||illusiondramaexploration.com^ +||illustrious-challenge.pro^ +||ilo134ulih.com^ +||iloacmoam.com^ +||iloossoobeel.com^ +||iloptrex.com^ +||ilovemakingpics.com^ +||iltharidity.top^ +||ilubn48t.xyz^ +||iluemvh.com^ +||ilumtoux.net^ +||ilvnkzt.com^ +||ilxhsgd.com^ +||ilyf4amifh.com^ +||imageadvantage.net^ +||imagiflex.com^ +||imaginableblushsensor.com^ +||imaginableexecutedmedal.com^ +||imaginaryawarehygienic.com^ +||imaginaryspooky.com^ +||imagingkneelankiness.com^ +||imagoluchuan.com^ +||imamictra.com^ +||imasdk.googleapis.com^ +||imathematica.org^ +||imatrk.net^ +||imbarkfrailty.com^ +||imcdn.pro^ +||imcod.net^ +||imemediates.org^ +||imeto.site^ +||imgfeedget.com^ +||imghst-de.com^ +||imglnkd.com^ +||imglnke.com^ +||imgot.info^ +||imgot.site^ +||imgqmng.com^ +||imgsdn.com^ +||imgsniper.com^ +||imgwebfeed.com^ +||imiclk.com^ +||imidicsecular.com^ +||imitateupsettweak.com^ +||imitationname.com^ +||imitrck.net^ +||imitrk.com^ +||imkirh.com^ +||immaculategirdlewade.com^ +||immaculatestolen.com^ +||immenseatrociousrested.com^ +||immenseoriententerprise.com^ +||immersedtoddle.com^ +||immerseweariness.com^ +||immigrantbriefingcalligraphy.com^ +||immigrantpavement.com^ +||immigrationcrayon.com^ +||imminentadulthoodpresumptuous.com^ +||immoderatefranzyuri.com^ +||immoderateyielding.com^ +||immortaldeliberatelyfined.com^ +||immoxdzdke.com^ +||imp2aff.com^ +||impact-betegy.com^ +||impactdisagreementcliffs.com^ +||impactify.media^ +||impactradius-go.com^ +||impactradius.com^ +||impactserving.com^ +||impactslam.com^ +||impartial-steal.pro^ +||impartialpath.com^ +||impatientliftdiploma.com^ +||impatientlyastonishing.com^ +||impavidmarsian.com^ +||impeccablewriter.com^ +||impendingboisterousastray.com^ +||impenetrableauthorslimbs.com^ +||imperativetheirs.com^ +||imperialbattervideo.com^ +||imperialtense.com^ +||imperturbableappearance.pro^ +||imperturbableawesome.com^ +||impetremondial.com^ +||implix.com^ +||implycollected.com^ +||impofobulimic.top^ +||impolitefreakish.com^ +||impore.com^ +||importanceborder.com^ +||importanceexhibitedamiable.com^ +||importantcheapen.com^ +||importantlyshow.com^ +||imposecalm.com^ +||imposi.com^ +||impossibilityaboriginalblessed.com^ +||imposterlost.com^ +||imposterreproductionforeman.com^ +||impostersierraglands.com^ +||impostorconfused.com^ +||impostorjoketeaching.com^ +||impostororchestraherbal.com^ +||impressionableegg.pro^ +||impressioncheerfullyswig.com^ +||impressivecontinuous.com^ +||impressiveporchcooler.com^ +||impressivewhoop.com^ +||imprintmake.com^ +||improperadvantages.com^ +||impropertoothrochester.com^ +||improvebeams.com^ +||improvebin.com^ +||improvebin.xyz^ +||improvedcolumnist.com^ +||improviseprofane.com^ +||impulselikeness.com^ +||impureattirebaking.com^ +||imstks.com^ +||imuhmgptdoae.com^ +||imvjcds.com^ +||imyanmarads.com^ +||in-appadvertising.com^ +||in-bdcvlj.love^ +||in-page-push.com^ +||in-page-push.net^ +||inabsolor.com^ +||inaccessiblefebruaryimmunity.com^ +||inadmissiblesomehow.com^ +||inadnetwork.xyz^ +||inaltariaon.com^ +||inamiaaglow.life^ +||inaneamenvote.com^ +||inanitystorken.com^ +||inappi.co^ +||inappi.me^ +||inappropriate2.fun^ +||inareputaonforha.com^ +||inareputaonforhavin.com^ +||inasmedia.com^ +||inattentivereferredextend.com^ +||inbbredraxing.com^ +||inboldoreer.com^ +||inbornbird.pro^ +||inbrowserplay.com^ +||incapableenormously.com^ +||incarnategrannystem.com^ +||incarnatepicturesque.com^ +||incentivefray.com^ +||incessanteffectmyth.com^ +||incessantfinishdedicated.com^ +||incessantvocabularydreary.com^ +||incidentbunchludicrous.com^ +||inclk.com^ +||incloak.com^ +||incloseoverprotective.com^ +||includemodal.com^ +||includeoutgoingangry.com^ +||incomebreatherpartner.com^ +||incomejumpycurtains.com^ +||incomparable-pair.com^ +||incompatibleconfederatepsychological.com^ +||incompleteplacingmontleymontley.com^ +||incompleteshock.pro^ +||incompletethong.com^ +||incomprehensibleacrid.com^ +||inconsequential-working.com^ +||inconsistencygasdifficult.com^ +||inconveniencemimic.com^ +||incorphishor.com^ +||increaseplanneddoubtful.com^ +||increaseprincipal.com^ +||increasevoluntaryhour.com^ +||increasinglycockroachpolicy.com^ +||incremydeal.sbs^ +||indebannets.com^ +||indebtedatrocious.com^ +||indecisionevasion.com^ +||indefinitelytonsil.com^ +||indefinitelyunlikelyplease.com^ +||indegroeh.com^ +||indeliblehang.pro^ +||indelicatecanvas.com^ +||indelicatepokedoes.com^ +||indelphoxom.com^ +||independencelunchtime.com^ +||independenceninthdumbest.com^ +||indexeslaughter.com^ +||indexww.com^ +||indiansgenerosity.com^ +||indictmentlucidityof.com^ +||indictmentparliament.com^ +||indifferencemissile.com^ +||indigestionmarried.com^ +||indignationmapprohibited.com^ +||indignationstripesseal.com^ +||indiscreetarcadia.com^ +||indiscreetjobroutine.com^ +||indisputablegailyatrocity.com^ +||indisputableulteriorraspberry.com^ +||indodrioor.com^ +||indooritalian.com^ +||indor.site^ +||inedibleendless.com^ +||ineffectivebrieflyarchitect.com^ +||ineffectivenaive.com^ +||ineptsaw.com^ +||inestimableloiteringextortion.com^ +||inexpedientdatagourmet.com^ +||inexplicablecarelessfairly.com^ +||infamousprescribe.com^ +||infanterole.com^ +||infatuated-difference.pro^ +||infectedrepentearl.com^ +||inferiorkate.com^ +||infestpunishment.com^ +||infindiasernment.com^ +||infinitypixel.online^ +||infirmaryboss.com^ +||inflameemanent.cam^ +||inflateimpediment.com^ +||inflationbreedinghoax.com^ +||inflationhumanity.com^ +||inflationmileage.com^ +||inflectionhaughtyconcluded.com^ +||inflectionquake.com^ +||infles.com^ +||inflictgive.com^ +||influencedbox.com^ +||influencedsmell.com^ +||influencer2020.com^ +||influencesow.com^ +||influenzathumphumidity.com^ +||influxtabloidkid.com^ +||influxtravellingpublicly.com^ +||infnexhjihlxyhf.xyz^ +||infonewsz.care^ +||infopicked.com^ +||informalequipment.pro^ +||informationpenetrateconsidering.com^ +||informedderiderollback.com^ +||informereng.com^ +||informeresapp.com^ +||infra.systems^ +||infractructurelegislation.com^ +||infrashift.com^ +||infuriateseducinghurry.com^ +||ingablorkmetion.com^ +||ingigalitha.com^ +||ingotedbooze.com^ +||ingotheremplo.info^ +||ingredientwritten.com^ +||ingsinspiringt.info^ +||inhabitantsherry.com^ +||inhabitkosha.com^ +||inhabitsensationdeadline.com^ +||inhaleecstatic.com^ +||inhanceego.com^ +||inherentdecide.com^ +||inheritancepillar.com^ +||inheritedgeneralrailroad.com^ +||inheritedgravysuspected.com^ +||inheritedunstable.com^ +||inheritedwren.com^ +||inheritknow.com^ +||inhospitablebamboograduate.com^ +||inhospitablededucefairness.com^ +||inhospitablemasculinerasp.com^ +||inhumanswancondo.com^ +||initiallycoffee.com^ +||initiallycompetitionunderwear.com^ +||initiateadvancedhighlyinfo-program.info^ +||injcxwircl.com^ +||injectreunionshorter.com^ +||injuredjazz.com^ +||injuredripplegentleman.com^ +||injuryglidejovial.com^ +||inkestyle.net^ +||inkfeedmausoleum.com^ +||inkingleran.com^ +||inklikesearce.com^ +||inklinkor.com^ +||inkornesto.com^ +||inksgurjun.top^ +||inkstorulus.top^ +||inkstorylikeness.com^ +||inktad.com^ +||inlugiar.com^ +||inmespritr.com^ +||inmhh.com^ +||inminuner.com^ +||innbyhqtltpivpg.xyz^ +||inncreasukedrev.info^ +||innity.net^ +||innocencestrungdocumentation.com^ +||innocent154.fun^ +||innovationcomet.com^ +||innovationlizard.com^ +||inntentativeflame.com^ +||innyweakela.co^ +||inoculateconsessionconsessioneuropean.com^ +||inopportunelowestattune.com^ +||inorseph.xyz^ +||inpage-push.com^ +||inpage-push.net^ +||inpagepush.com^ +||inputwriter.com^ +||inquiredcriticalprosecution.com^ +||inquiryblue.com^ +||inquiryclank.com^ +||inrhyhorntor.com^ +||inrotomr.com^ +||inrsfubuavjii.xyz^ +||insanitycongestion.com^ +||insanityquietlyviolent.com^ +||inscribereclaim.com^ +||inscriptiontinkledecrepit.com^ +||insectearly.com^ +||insecurepaint.pro^ +||insecurepainting.pro^ +||insecuritydisproveballoon.com^ +||insensibleconjecturefirm.com^ +||insensitivedramaaudience.com^ +||insensitiveintegertransactions.com^ +||inseparablebeamsdavid.com^ +||insertjav182.fun^ +||insertludicrousintimidating.com^ +||inservinea.com^ +||inshelmetan.com^ +||insideconnectionsprinting.com^ +||insideofnews.com^ +||insightexpress.com^ +||insightexpressai.com^ +||insigit.com^ +||insistauthorities.com^ +||insistballisticclone.com^ +||insistent-worker.com^ +||insistinestimable.com^ +||insistpeerbeef.com^ +||insitepromotion.com^ +||insnative.com^ +||insouloxymel.com^ +||inspakedolts.shop^ +||inspectcol.com^ +||inspectmergersharpen.com^ +||inspectorstrongerpill.com^ +||inspikon.com^ +||inspiringperiods.com^ +||inspxtrc.com^ +||instaflrt.com^ +||install-adblockers.com^ +||install-adblocking.com^ +||install-check.com^ +||install-extension.com^ +||installationconsiderableunaccustomed.com^ +||installscolumnist.com^ +||installslocalweep.com^ +||instancesflushedslander.com^ +||instant-adblock.xyz^ +||instantdollarz.com^ +||instantlyallergic.com^ +||instantlyharmony.com^ +||instantnewzz.com^ +||instarspouff.shop^ +||instaruptilt.com^ +||instinctiveads.com^ +||institutehopelessbeck.com^ +||instraffic.com^ +||instructive-glass.com^ +||instructiveengine.pro^ +||instructoroccurrencebag.com^ +||instructscornfulshoes.com^ +||instrumenttactics.com^ +||insultingnoisysubjects.com^ +||insultingvaultinherited.com^ +||insultoccupyamazed.com^ +||insultresignation.com^ +||insurecarrot.com^ +||inswebt.com^ +||inswellbathes.com^ +||integralinstalledmoody.com^ +||integrationproducerbeing.com^ +||integrityprinciplesthorough.com^ +||intellectpunch.com^ +||intellectualhide.com^ +||intellectualintellect.com^ +||intellibanners.com^ +||intelligenceadx.com^ +||intelligenceconcerning.com^ +||intelligenceretarget.com^ +||intelligentcombined.com^ +||intelligentjump.com^ +||intellipopup.com^ +||intendedeasiestlost.com^ +||intendedoutput.com^ +||intentanalysis.com^ +||intentbinary.com^ +||intentionalbeggar.com^ +||intentionscommunity.com^ +||intentionscurved.com^ +||intentionsplacingextraordinary.com^ +||inter1ads.com^ +||interbasevideopregnant.com^ +||interbuzznews.com^ +||interclics.com^ +||interdependentpredestine.com^ +||interdfp.com^ +||interestalonginsensitive.com^ +||interestededit.com^ +||interestingpracticable.com^ +||interestmoments.com^ +||interestsubsidereason.com^ +||interfacemotleyharden.com^ +||interference350.fun^ +||intergient.com^ +||interimmemory.com^ +||interiorchalk.com^ +||intermediatebelownomad.com^ +||intermediatelattice.com^ +||internewsweb.com^ +||internodeid.com^ +||interpersonalskillse.info^ +||interplanetary.video^ +||interposedflickhip.com^ +||interpretprogrammesmap.com^ +||interrogationpeepchat.com^ +||interruptchalkedlie.com^ +||interruptionapartswiftly.com^ +||intersads.com^ +||intersectionboth.com^ +||intersectionweigh.com^ +||interstateflannelsideway.com^ +||interstitial-07.com^ +||interstitial-08.com^ +||intervention304.fun^ +||intervention423.fun^ +||interviewabonnement.com^ +||interviewearnestlyseized.com^ +||interviewidiomantidote.com^ +||interviewsore.com^ +||intimacybroadcast.com^ +||intimidatekerneljames.com^ +||intnative.com^ +||intnotif.club^ +||intolerableshrinestrung.com^ +||intorterraon.com^ +||intothespirits.com^ +||intrafic22.com^ +||intricateinscription.com^ +||intriguingsuede.com^ +||intro4ads.com^ +||introphin.com^ +||intruderalreadypromising.com^ +||intrustedzone.site^ +||intuitiontrenchproduces.com^ +||intunetossed.shop^ +||intuseseorita.com^ +||inumbreonr.com^ +||inupnae.com^ +||inurneddoggish.com^ +||invaderimmenseimplication.com^ +||invaluablebuildroam.com^ +||invariablyunpredictable.com^ +||invast.site^ +||inventionallocatewall.com^ +||inventionwere.com^ +||inventionyolk.com^ +||inventoryproducedjustice.com^ +||inventsloosely.com^ +||investcoma.com^ +||investigationsuperbprone.com^ +||invibravaa.com^ +||invisiblepine.com^ +||invitewingorphan.com^ +||invol.co^ +||involvementvindictive.com^ +||invordones.com^ +||inwardinjustice.com^ +||inwraptsekane.com^ +||ioadserve.com^ +||iociley.com^ +||iodicrebuff.com^ +||iodideeyebath.cam^ +||iodinedulylisten.com^ +||ioffers.icu^ +||iogjhbnoypg.com^ +||ionigravida.com^ +||ioniserpinones.com^ +||ioniseryeaoman.shop^ +||ionistkhaya.website^ +||ionogenbakutu.shop^ +||iononetravoy.com^ +||ionscormationwind.info^ +||ionwindonpetropic.info^ +||iopiopiop.net^ +||ioredi.com^ +||iovia-pmj.com^ +||ip00am4sn.com^ +||ipcejez.com^ +||iphaigra.xyz^ +||iphumiki.com^ +||ipmentrandingsw.com^ +||ippleshiswashis.info^ +||ipqnteseqrf.xyz^ +||ipredictive.com^ +||iprom.net^ +||ipromcloud.com^ +||ipsaigloumishi.net^ +||ipsowrite.com^ +||iptautup.com^ +||iptoagroulu.net^ +||ipurseeh.xyz^ +||iqmlcia.com^ +||iqpqoamhyccih.xyz^ +||iqrkkaooorvx.com^ +||iqtest365.online^ +||irbtwjy.com^ +||irbysdeepcy.com^ +||iredindeedeisasb.com^ +||iredirect.net^ +||iresandal.info^ +||irhpzbrnoyf.com^ +||irisaffectioneducate.com^ +||irishormone.com^ +||irisunitepleased.com^ +||irkantyip.com^ +||irkerecue.com^ +||irksomefiery.com^ +||irmyckddtm.com^ +||irnmh.fun^ +||ironcladtrouble.com^ +||ironicaldried.com^ +||ironicnickraspberry.com^ +||irousbisayan.com^ +||irradiateher.com^ +||irradiatestartle.com^ +||irrationalcontagiousbean.com^ +||irrationalsternstormy.com^ +||irregularstripes.com^ +||irresponsibilityhookup.com^ +||irresponsibilityprograms.com^ +||irries.com^ +||irritableironymeltdown.com^ +||irritablepopcornwanderer.com^ +||irritateinformantmeddle.com^ +||irritationunderage.com^ +||irtya.com^ +||irtyf.com^ +||isabellagodpointy.com^ +||isabellahopepancake.com^ +||isaminecutitis.shop^ +||isawthenews.com^ +||isbnrs.com^ +||isboost.co.jp^ +||isbycgqyhsze.world^ +||isdrzkoyvrcao.com^ +||isgost.com^ +||ishousumo.com^ +||isiu0w9gv.com^ +||islamiclyricallyvariable.com^ +||islandgeneric.com^ +||islandracistreleased.com^ +||islerobserpent.com^ +||ismlks.com^ +||isobaresoffit.com^ +||isobelheartburntips.com^ +||isobelincidentally.com^ +||isohits.com^ +||isolatedovercomepasted.com^ +||isolatedransom.com^ +||isolationoranges.com^ +||isparkmedia.com^ +||isreputysolomo.com^ +||issomeoneinth.info^ +||issuedindiscreetcounsel.com^ +||istkechaukrguk.com^ +||istlnkbn.com^ +||istoanaugrub.xyz^ +||istsldaheh.com^ +||iswhatappyouneed.net^ +||iszjwxqpyxjg.com^ +||italianexpecting.com^ +||italianextended.com^ +||italianforesee.com^ +||italianhackwary.com^ +||italianout.com^ +||italitecasbah.com^ +||itblisseyer.com^ +||itcameruptr.com^ +||itchhandwritingimpetuous.com^ +||itchinglikely.com^ +||itchingselfless.com^ +||itchytidying.com^ +||itcleffaom.com^ +||itdise.info^ +||itemolgaer.com^ +||itemperrycreek.com^ +||itespurrom.com^ +||itflorgesan.com^ +||itgiblean.com^ +||itheatmoran.com^ +||ithocawauthaglu.net^ +||ithoughtsustache.info^ +||iththinleldedallov.info^ +||itineraryborn.com^ +||itinerarymonarchy.com^ +||itlitleoan.com^ +||itmamoswineer.com^ +||itnhosioqb.com^ +||itnuzleafan.com^ +||itpatratr.com^ +||itponytaa.com^ +||itpqdzs.com^ +||itrigra.ru^ +||itroggenrolaa.com^ +||itrustzone.site^ +||itselforder.com^ +||itskiddien.club^ +||itskiddoan.club^ +||itsparedhonor.com^ +||itswabluon.com^ +||ittogepiom.com^ +||ittontrinevengre.info^ +||ittorchicer.com^ +||ittoxicroakon.club^ +||ittyphlosiona.com^ +||itukydteamwouk.com^ +||itundermineoperative.com^ +||itvalleynews.com^ +||itweedler.com^ +||itweepinbelltor.com^ +||itwoheflewround.info^ +||ityonatallco.info^ +||itzekromom.com^ +||iuc1.online^ +||iuc1.space^ +||iudleaky.shop^ +||iuqmon117bj1f4.shop^ +||iuwzdf.com^ +||iv-akuifxp.love^ +||ivemjdir-g.top^ +||ivesofefinegold.info^ +||ivggagxczuoc.com^ +||ivoacooghoug.xyz^ +||ivoryvestigeminus.com^ +||ivoukraufu.com^ +||ivstracker.net^ +||ivtqo.com^ +||ivuzjfkqzx.com^ +||ivycarryingpillar.com^ +||ivyrethink.com^ +||iwalrfpapfdn.xyz^ +||iwantuonly.com^ +||iwantusingle.com^ +||iwhejirurage.com^ +||iwhoosty.com^ +||iwmavidtg.com^ +||iwouhoft.com^ +||iwovfiidszrk.tech^ +||iwuh.org^ +||iwwznvvqzwqw.com^ +||iwyrldaeiyv.com^ +||ixafr.com^ +||ixnow.xyz^ +||ixnp.com^ +||ixtbiwi-jf.world^ +||ixwereksbeforeb.info^ +||ixwloxw.com^ +||ixxljgh.com^ +||iy8yhpmgrcpwkcvh.pro^ +||iyfbodn.com^ +||iyfnz.com^ +||iyfnzgb.com^ +||iyoztgdrxbcs.com^ +||iyqaosd.com^ +||iystrbftlwif.icu^ +||iyyuvkd.com^ +||iyzhcfro.com^ +||izapteensuls.com^ +||izavugne.com^ +||izbmbmt.com^ +||izeeto.com^ +||izitrckr.com^ +||izjzkye.com^ +||izlok.xyz^ +||izlutev.com^ +||izoaghiwoft.net^ +||izrnvo.com^ +||izumoukraumsew.net^ +||j45.webringporn.com^ +||j6mn99mr0m2n.com^ +||j6rudlybdy.com^ +||ja2n2u30a6rgyd.com^ +||jaabviwvh.com^ +||jaadms.com^ +||jaavnacsdw.com^ +||jackao.net^ +||jacketexpedient.com^ +||jacketzerobelieved.com^ +||jackpotcollation.com^ +||jackpotcontribute.com^ +||jacksonduct.com^ +||jacksonours.com^ +||jaclottens.live^ +||jacmolta.com^ +||jacqsojijukj.xyz^ +||jacsmuvkymw.com^ +||jacwkbauzs.com^ +||jadcenter.com^ +||jads.co^ +||jaftouja.net^ +||jaggedshoebruised.com^ +||jaggedunaccustomeddime.com^ +||jagnoans.com^ +||jaifeeveely.com^ +||jaigaivi.xyz^ +||jainecizous.xyz^ +||jaineshy.com^ +||jaipheeph.com^ +||jaiphoaptom.net^ +||jakescribble.com^ +||jaletemetia.com^ +||jalewaads.com^ +||jambosmodesty.com^ +||jamstech.store^ +||janads.shop^ +||janemmf.com^ +||jangiddywashed.com^ +||jangleachy.com^ +||jangonetwork.com^ +||janitorhalfchronicle.com^ +||januaryprinter.com^ +||janzmuarcst.com^ +||japanbros.com^ +||japegr.click^ +||japootchust.net^ +||japw.cloud^ +||jaqxaqoxwhce.com^ +||jareechargu.xyz^ +||jargonwillinglybetrayal.com^ +||jarguvie.xyz^ +||jarsoalton.com^ +||jarteerteen.com^ +||jarvispopsu.com^ +||jashautchord.com^ +||jatfugios.com^ +||jatobaviruela.com^ +||jatomayfair.life^ +||jattepush.com^ +||jaubeebe.net^ +||jaubumashiphi.net^ +||jauchuwa.net^ +||jaudoleewe.xyz^ +||jaumevie.com^ +||jauntycrystal.com^ +||jaupaptaifoaw.net^ +||jauphauzee.net^ +||jaupozup.xyz^ +||jaurouth.xyz^ +||jauwaust.com^ +||java8.xyz^ +||javabsence11.fun^ +||javacid.fun^ +||javascriptcdnlive.com^ +||javdawn.fun^ +||javgenetic11.fun^ +||javgg.eu^ +||javgulf.fun^ +||javjean.fun^ +||javlicense11.fun^ +||javmanager11.fun^ +||javmust.fun^ +||javpremium11.fun^ +||javtrouble11.fun^ +||javtype.fun^ +||javunaware11.fun^ +||javwait.fun^ +||jawanbun.com^ +||jawinfallible.com^ +||jawpcowpeas.top^ +||jazzlowness.com^ +||jazzyzest.cfd^ +||jb-dqxiin.today^ +||jbbyyryezqqvq.top^ +||jbib-hxyf.icu^ +||jblkvlyurssx.xyz^ +||jbm6c54upkui.com^ +||jbrlsr.com^ +||jbtul.com^ +||jbvoejzamqjzl.top^ +||jbwiujl.com^ +||jbzmwqmqwowaz.top^ +||jc32arlvqpv8.com^ +||jcedzifarqa.com^ +||jclrwjceymgec.com^ +||jcosjpir.com^ +||jcqueawk.xyz^ +||jcrnbnw.com^ +||jd3j7g5z1fqs.com^ +||jdeekqk-bjqt.fun^ +||jdoeknc.com^ +||jdoqocy.com^ +||jdspvwgxbtcgkd.xyz^ +||jdt8.net^ +||jealousstarw.shop^ +||jealousupholdpleaded.com^ +||jealousyingeniouspaths.com^ +||jealousyscreamrepaired.com^ +||jeannenoises.com^ +||jeanspurrcleopatra.com^ +||jebhnmggi.xyz^ +||jechusou.com^ +||jecoglegru.com^ +||jecromaha.info^ +||jeczxxq.com^ +||jedcocklaund.top^ +||jeefaiwochuh.net^ +||jeehathu.com^ +||jeejujou.net^ +||jeekomih.com^ +||jeerouse.xyz^ +||jeersoddisprove.com^ +||jeeryzest.com^ +||jeesaupt.com^ +||jeestauglahity.net^ +||jeetyetmedia.com^ +||jefweev.com^ +||jeghosso.net^ +||jegoypoabxtrp.com^ +||jehobsee.com^ +||jeinugsnkwe.xyz^ +||jekesjzv.com^ +||jelllearnedhungry.com^ +||jellyhelpless.com^ +||jellyprehistoricpersevere.com^ +||jelokeryevbyy.top^ +||jemonews.com^ +||jeniz.xyz^ +||jenkincraved.com^ +||jennyunfit.com^ +||jennyvisits.com^ +||jenonaw.com^ +||jeopardizegovernor.com^ +||jeopardycruel.com^ +||jeopardyselfservice.com^ +||jeperdee.net^ +||jepsauveel.net^ +||jergocast.com^ +||jerkisle.com^ +||jeroud.com^ +||jerseydisplayed.com^ +||jerusalemstatedstill.com^ +||jerust.com^ +||jessamyimprovementdepression.com^ +||jestbiases.com^ +||jestinquire.com^ +||jetordinarilysouvenirs.com^ +||jetseparation.com^ +||jetti.site^ +||jetx.info^ +||jewbushpisay.top^ +||jewdombenin.com^ +||jewelbeeperinflection.com^ +||jewelcampaign.com^ +||jewelstastesrecovery.com^ +||jewgn8une.com^ +||jewhouca.net^ +||jezailmasking.com^ +||jezer.site^ +||jeziahkechel.top^ +||jf-bloply.one^ +||jf71qh5v14.com^ +||jfdkemniwjceh.com^ +||jfiavkaxdm.com^ +||jfjle4g5l.com^ +||jfjlfah.com^ +||jfkc5pwa.world^ +||jfnjgiq.com^ +||jfoaxwbatlic.com^ +||jgfuxnrloev.com^ +||jggegj-rtbix.top^ +||jggldfvx.com^ +||jghjhtz.com^ +||jgltbxlougpg.xyz^ +||jgqaainj.buzz^ +||jgrjldc.com^ +||jgxavkopotthxj.xyz^ +||jhkfd.com^ +||jhsnshueyt.click^ +||jhulubwidas.com^ +||jhwo.info^ +||jibbahazara.top^ +||jicamadoless.com^ +||jicamasosteal.shop^ +||jiclzori.com^ +||jicmivojvsa.com^ +||jidroumsaghetu.xyz^ +||jifflebreasts.com^ +||jighucme.com^ +||jigsawchristianlive.com^ +||jigsawthirsty.com^ +||jikbwoozvci.com^ +||jikicotho.pro^ +||jikzudkkispi.com^ +||jillbuildertuck.com^ +||jindepux.xyz^ +||jingalbundles.com^ +||jinglehalfbakedparticle.com^ +||jinripkk.com^ +||jipperbehoot.shop^ +||jipsegoasho.com^ +||jiqeni.xyz^ +||jiqiv.com^ +||jissingirgoa.com^ +||jitanvlw.com^ +||jitoassy.com^ +||jiwire.com^ +||jixffuwhon.com^ +||jizzarchives.com^ +||jizzensirrah.com^ +||jjbmukufwu.com^ +||jjcwq.site^ +||jjmrmeovo.world^ +||jjthmis.com^ +||jjvpbstg.com^ +||jk4lmrf2.de^ +||jkepmztst.com^ +||jkha742.xyz^ +||jklpy.com^ +||jkls.life^ +||jkyawbabvjeq.top^ +||jkyawbmyvqez.top^ +||jkzakzalzorvb.top^ +||jl63v3fp1.com^ +||jlovoiqtgarh.com^ +||jltfqoxyhytayy.com^ +||jmaomkosxfi.com^ +||jmopproojsc.xyz^ +||jmpmedia.club^ +||jmrnews.pro^ +||jmt7mbwce.com^ +||jmtbmqchgpw.xyz^ +||jmxgwesrte.com^ +||jnhjpdayvpzj.com^ +||jnlldyq.com^ +||jnnjthg.com^ +||jnrgcwf.com^ +||jnrtavp2x66u.com^ +||jnxm2.com^ +||joacofiphich.net^ +||joaglouwulin.com^ +||joagroamy.com^ +||joahahewhoo.net^ +||joajazaicoa.xyz^ +||joamenoofoag.net^ +||joaqaylueycfqw.xyz^ +||joastaca.com^ +||joastoom.xyz^ +||joastoopsu.xyz^ +||joathath.com^ +||joberopolicycr.com^ +||jobeyeball.com^ +||jobfilletfortitude.com^ +||jobfukectivetr.com^ +||joblouder.com^ +||jobsonationsing.com^ +||jobsyndicate.com^ +||jocauzee.net^ +||jodl.cloud^ +||joemythsomething.com^ +||jogcu.com^ +||joggingavenge.com^ +||jogglenetwork.com^ +||joiningindulgeyawn.com^ +||joiningslogan.com^ +||joiningwon.com^ +||joinpropeller.com^ +||joinsportsnow.com^ +||jojqyxrmh.com^ +||jokersguaiac.shop^ +||jokingzealotgossipy.com^ +||jolecyclist.com^ +||joltidiotichighest.com^ +||joluw.net^ +||jomtingi.net^ +||jonaspair.com^ +||jonaswhiskeyheartbeat.com^ +||joocophoograumo.net^ +||joodugropup.com^ +||joograika.xyz^ +||joogruphezefaul.net^ +||jookaureate.com^ +||jookouky.net^ +||joomisomushisuw.net^ +||joomxer.fun^ +||joopaish.com^ +||jootizud.net^ +||joozoowoak.net^ +||jopbvpsglwfm.com^ +||joptodsougegauw.com^ +||joqowqyaarewj.top^ +||jorbfstarn.com^ +||jorttiuyng.com^ +||josephineravine.com^ +||josfrvq.com^ +||josiehopeless.com^ +||josiepigroot.com^ +||josieunethical.com^ +||josjrhtot.com^ +||jotterswirrah.com^ +||joucaigloa.net^ +||joucefeet.xyz^ +||jouchuthin.com^ +||joudauhee.com^ +||joudotee.com^ +||jouj-equar.one^ +||joukaglie.com^ +||joupheewuci.net^ +||journeyblobsjigsaw.com^ +||jouteetu.net^ +||jouwaikekaivep.net^ +||jouwhoanepoob.xyz^ +||jouzoapi.com^ +||jovialwoman.com^ +||jowingtykhana.click^ +||jowlishdiviner.com^ +||jowyylrzbamz.top^ +||joxaviri.com^ +||joycreatorheader.com^ +||joydirtinessremark.com^ +||joyfulassistant.pro^ +||joyfultabloid.top^ +||joyous-housing.pro^ +||joyous-north.pro^ +||joyous-storage.pro^ +||joyousruthwest.com^ +||jpgtrk.com^ +||jpmkbcgx-o.buzz^ +||jpmpwwmtw.com^ +||jpooavwizlvf.com^ +||jqjpwocbgtxlkw.com^ +||jqmebwvmbbby.top^ +||jqmebwvmbrvz.top^ +||jqtqoknktzy.space^ +||jqtree.com^ +||jqueryoi.com^ +||jqueryserve.org^ +||jqueryserver.com^ +||jqzeleyry.com^ +||jriortnf.com^ +||jrpkizae.com^ +||jrtbjai.com^ +||jrtonirogeayb.com^ +||jrtyi.club^ +||jrzrqi0au.com^ +||js-check.com^ +||js.manga1000.top^ +||js2json.com^ +||js7k.com^ +||jsadapi.com^ +||jscdn.online^ +||jscloud.org^ +||jscount.com^ +||jsdelvr.com^ +||jsfeedadsget.com^ +||jsfir.cyou^ +||jsftzha.com^ +||jsfuz.com^ +||jsiygcyzrhg.club^ +||jsmcrpu.com^ +||jsmcrt.com^ +||jsmentry.com^ +||jsmjmp.com^ +||jsmpsi.com^ +||jsmpus.com^ +||jsontdsexit.com^ +||jsretra.com^ +||jssearch.net^ +||jssejsnvdy.com^ +||jswww.net^ +||jtegqwmjfxu.site^ +||jubacasziel.shop^ +||jubnaadserve.com^ +||jubsaugn.com^ +||jucysh.com^ +||judebelii.com^ +||judgementhavocexcitement.com^ +||judgmentpolitycheerless.com^ +||judicated.com^ +||judicialclinging.com^ +||judosllyn.com^ +||judruwough.com^ +||juftujelsou.net^ +||jugerfowells.com^ +||jugnepha.xyz^ +||juhlkuu.com^ +||juiceadv.com^ +||juiceadv.net^ +||juicyads.me^ +||juicycash.net^ +||jukseeng.net^ +||jukulree.xyz^ +||jullyambery.net^ +||julolecalve.website^ +||julrdr.com^ +||julyouncecat.com^ +||jumbln.com^ +||jumbo-insurance.pro^ +||jumboaffiliates.com^ +||jump-path1.com^ +||jumpedanxious.com^ +||jumperdivecourtroom.com^ +||jumperformalityexhausted.com^ +||jumperfundingjog.com^ +||jumptap.com^ +||junglehikingfence.com^ +||juniorapplesconsonant.com^ +||junivmr.com^ +||junkettypika.shop^ +||junkieswudge.com^ +||junkmildredsuffering.com^ +||junmediadirect.com^ +||junmediadirect1.com^ +||jupabwmocgqxeo.com^ +||jurgeeph.net^ +||juricts.xyz^ +||jurisdiction423.fun^ +||jursoateed.com^ +||jursp.com^ +||juryolympicsspookily.com^ +||juslsp.info^ +||juslxp.com^ +||just-news.pro^ +||justey.com^ +||justgetitfaster.com^ +||justificationjay.com^ +||justifiedcramp.com^ +||justjav11.fun^ +||justonemorenews.com^ +||justpremium.com^ +||justrelevant.com^ +||justservingfiles.net^ +||jutyledu.pro^ +||juzaugleed.com^ +||jvcjnmd.com^ +||jvmhtxiqdfr.xyz^ +||jwalf.com^ +||jwamnd.com^ +||jwia0.top^ +||jwympcc.com^ +||jxldpjxcp.com^ +||jxlxeeo.com^ +||jxxnnhdgbfo.xyz^ +||jxybgyu.com^ +||jybaekajjmqrz.top^ +||jycrjkuspyv.fun^ +||jycrmvvyplmq.com^ +||jyfirjqojg.xyz^ +||jygcv.sbs^ +||jygotubvpyguak.com^ +||jyusesoionsglear.info^ +||jywczbx.com^ +||jyzkut.com^ +||jzeapwlruols.com^ +||jzplabcvvy.com^ +||jzqbyykbrrbkq.top^ +||jztucbb.com^ +||jztwidpixa.icu^ +||jzycnlq.com^ +||k-oggwkhhxt.love^ +||k55p9ka2.de^ +||k5zoom.com^ +||k68tkg.com^ +||k8ik878i.top^ +||k9gj.site^ +||kaarheciqa.xyz^ +||kaascypher.com^ +||kabakamarbles.top^ +||kabardmarrot.com^ +||kabarnaira.com^ +||kabudckn.com^ +||kacukrunitsoo.net^ +||kadrawheerga.com^ +||kadrefaurg.net^ +||kagnaimsoa.net^ +||kagnejule.xyz^ +||kagodiwij.site^ +||kagrooxa.net^ +||kaifiluk.com^ +||kaigaidoujin.com^ +||kaigroaru.com^ +||kaijooth.net^ +||kailsfrot.com^ +||kaipteet.com^ +||kaisauwoure.net^ +||kaitakavixen.shop^ +||kaiu-marketing.com^ +||kaizzz.xyz^ +||kalauxet.com^ +||kaleidoscopeadjacent.com^ +||kaleidoscopefingernaildigging.com^ +||kaleidoscopepincers.com^ +||kalkvisrecit.shop^ +||kalseech.xyz^ +||kaltoamsouty.net^ +||kamachilinins.com^ +||kamahiunvisor.shop^ +||kamalafooner.space^ +||kamassmyalia.com^ +||kamiaidenn.shop^ +||kaminari.space^ +||kaminari.systems^ +||kamnebo.info^ +||kangaroohiccups.com^ +||kanoodle.com^ +||kantiwl.com^ +||kaorpyqtjjld.com^ +||kaqhfijxlkbfa.xyz^ +||kaqppajmofte.com^ +||karafutem.com^ +||karaiterather.shop^ +||karatssashoon.com^ +||karayarillock.cam^ +||karoon.xyz^ +||karstsnill.com^ +||karwobeton.com^ +||kastafor.com^ +||katebugs.com^ +||katecrochetvanity.com^ +||katerigordas.pro^ +||kathesygri.com^ +||katukaunamiss.com^ +||kaubapsy.com^ +||kaucatap.net^ +||kaujouphosta.com^ +||kaulaijeepul.top^ +||kauleeci.com^ +||kauraishojy.com^ +||kaurieseluxate.com^ +||kauriessizzler.shop^ +||kaushooptawo.net^ +||kauzishy.com^ +||kavanga.ru^ +||kawcuhscyapn.com^ +||kawhopsi.com^ +||kaxjtkvgo.com^ +||kayoesfervor.com^ +||kazanante.com^ +||kbadguhvqig.xyz^ +||kbadkxocv.com^ +||kbao7755.de^ +||kbbwgbqmu.xyz^ +||kbjn-sibltg.icu^ +||kbnmnl.com^ +||kbnujcqx.xyz^ +||kbugxeslbjc8.com^ +||kcdn.xyz^ +||kcggmyeag.com^ +||kczu-ohhuf.site^ +||kdlktswsqhpd.com^ +||kdmjvnk.com^ +||keajs.com^ +||kedasensiblem.info^ +||kedasensiblemot.com^ +||kedsabou.net^ +||keedaipa.xyz^ +||keefeezo.net^ +||keegoagrauptach.net^ +||keegooch.com^ +||keemuhoagou.com^ +||keen-slip.com^ +||keenmagwife.live^ +||keenmosquitosadly.com^ +||keephoamoaph.com^ +||keepinfit.net^ +||keepingconcerned.com^ +||keepsosto.com^ +||keewoach.net^ +||kefeagreatase.info^ +||kegimminent.com^ +||kegnupha.com^ +||kegsandremembrance.com^ +||kehalim.com^ +||keiztimzdbjt.click^ +||kekrouwi.xyz^ +||kektds.com^ +||kekw.website^ +||kelekkraits.com^ +||kelopronto.com^ +||kelpiesregna.com^ +||kelreesh.xyz^ +||kelticsully.guru^ +||kemaz.xyz^ +||kemoachoubsosti.xyz^ +||kendosliny.com^ +||kenduktur.com^ +||kennelbakerybasketball.com^ +||kenomal.com^ +||kensecuryrentat.info^ +||kentorjose.com^ +||kepnatick.com^ +||ker2clk.com^ +||keraclya.com^ +||kergaukr.com^ +||kerryfluence.com^ +||kertzmann.com^ +||kerumal.com^ +||kesevitamus.com^ +||kesseolluck.com^ +||ketchupethichaze.com^ +||ketheappyrin.com^ +||ketoo.com^ +||ketseestoog.net^ +||kettakihome.com^ +||kettlemisplacestate.com^ +||kexarvamr.com^ +||kexojito.com^ +||keydawnawe.com^ +||keynotefool.com^ +||keypush.net^ +||keyrolan.com^ +||keyuyloap.com^ +||keywordblocks.com^ +||keywordsconnect.com^ +||kfeuewvbd.com^ +||kffxyakqgbprk.xyz^ +||kfjhd.com^ +||kfngvuu.com^ +||kgdvs9ov3l2aasw4nuts.com^ +||kgfjrb711.com^ +||kgfrstw.com^ +||kgiulbvj.com^ +||kgvvvgxtvi.rocks^ +||kgyhxdh.com^ +||kh-bkcvqxc.online^ +||khangalenten.click^ +||khanjeeyapness.website^ +||khatexcepeded.info^ +||khekwufgwbl.com^ +||khhkfcf.com^ +||khngkkcwtlnu.com^ +||kiaughsviner.com^ +||kibyglsp.top^ +||kichelgibsons.shop^ +||kicka.xyz^ +||kickchecking.com^ +||kiczrqo.com^ +||kidjackson.com^ +||kidnapdilemma.com^ +||kidslinecover.com^ +||kiestercentry.com^ +||kiftajojuy.xyz^ +||kihudevo.pro^ +||kiklazopnqce.com^ +||kikoucuy.net^ +||kiksajex.com^ +||killconvincing.com^ +||killerrubacknowledge.com^ +||killigwessel.shop^ +||killingscramblego.com^ +||killstudyingoperative.com^ +||kilmunt.top^ +||kimbcxs.com^ +||kimberlite.io^ +||kimpowhu.net^ +||kimsacka.net^ +||kinarilyhukelpfulin.com^ +||kinbashful.com^ +||kind-lecture.com^ +||kindergarteninitiallyprotector.com^ +||kindlebaldjoe.com^ +||kindnessmarshalping.com^ +||kineckekyu.com^ +||kinedivast.top^ +||king3rsc7ol9e3ge.com^ +||kingads.mobi^ +||kingrecommendation.com^ +||kingsfranzper.com^ +||kingtrck1.com^ +||kinitstar.com^ +||kinkywhoopfilm.com^ +||kinley.com^ +||kinoneeloign.com^ +||kinripen.com^ +||kipchakshoat.shop^ +||kiretafly.com^ +||kirteexe.tv^ +||kirujh.com^ +||kiss88.top^ +||kistutch.net^ +||kitabislicuri.com^ +||kitchencafeso.com^ +||kithoasou.com^ +||kitnmedia.com^ +||kitrigthy.com^ +||kittensuccessful.com^ +||kitwkuouldhukel.xyz^ +||kityour.com^ +||kiweftours.com^ +||kiwhopoardeg.net^ +||kixestalsie.net^ +||kiynew.com^ +||kizohilsoa.net^ +||kizxixktimur.com^ +||kjkulnpfdhn.com^ +||kjsvvnzcto.com^ +||kjyouhp.com^ +||kkjuu.xyz^ +||kkmacsqsbf.info^ +||kkqcnrk.com^ +||kkuabdkharhi.com^ +||kkualfvtaot.com^ +||kkvesjzn.com^ +||klenhosnc.com^ +||klh3j19w.xyz^ +||klhswcxt-o.icu^ +||klikadvertising.com^ +||kliksaya.com^ +||klinoclifts.top^ +||klipmart.com^ +||kliqz.com^ +||klixfeed.com^ +||kljhsanvj.com^ +||klmainprost.com^ +||klmmnd.com^ +||klonedaset.org^ +||kloperd.com^ +||kloynfsag.com^ +||klpgmansuchcesu.com^ +||klsdee.com^ +||klspkjyub-n.xyz^ +||klutzesobarne.top^ +||klvfrpqfa.com^ +||km-kryxqvt.site^ +||kmbjerbaafdn.global^ +||kmgzyug.com^ +||kmodukuleqasfo.info^ +||kmupo.one^ +||kmyunderthf.info^ +||knackedphoned.com^ +||knbobfcgrbm.xyz^ +||kncecafvdeu.info^ +||kndaspiratioty.org^ +||kndaspiratiotyuk.com^ +||kneeansweras.com^ +||kneeletromero.com^ +||kneescarbohydrate.com^ +||kneescountdownenforcement.com^ +||kneltopeningfit.com^ +||knewallpendulum.com^ +||knewfeisty.com^ +||knewsportingappreciate.com^ +||knewwholesomecharming.com^ +||knifebackfiretraveller.com^ +||knifeimmoderateshovel.com^ +||knittedcourthouse.com^ +||knittedplus.com^ +||knivesdrunkard.com^ +||knivesprincessbitterness.com^ +||knivessimulatorherein.com^ +||knlrfijhvch.com^ +||knockedcherries.com^ +||knothubby.com^ +||knottyactive.pro^ +||knowd.com^ +||knowfloor.com^ +||knowledconsideunden.info^ +||knowledgepretend.com^ +||knowmakeshalfmoon.com^ +||knownwarn.com^ +||knpfx.life^ +||kntodvofiyjjl.xyz^ +||knubletupgrow.shop^ +||knursfullam.com^ +||knutenegros.pro^ +||koabapeed.com^ +||koafaimoor.net^ +||koafaupesurvey.space^ +||koahoocom.com^ +||koakoucaisho.com^ +||koalaups.com^ +||koaneeto.xyz^ +||koapsout.com^ +||koapsuha.net^ +||koaptausoaco.net^ +||koaptouw.com^ +||koataigalupo.net^ +||koawipheela.xyz^ +||koazowapsib.net^ +||kobeden.com^ +||kocairdo.net^ +||kocauthoaw.xyz^ +||kogutcho.net^ +||koiaripolymny.com^ +||koindut.com^ +||kokotrokot.com^ +||kolerevprivatedqu.com^ +||koleyo.xyz^ +||kolkwi4tzicraamabilis.com^ +||kolleqasforsale.com^ +||kologyrtyndwean.info^ +||koluraishimtouw.net^ +||komarchlupoid.com^ +||konradsheriff.com^ +||kontextua.com^ +||kooboaphe.com^ +||koocash.com^ +||koocawhaido.net^ +||koocoofy.com^ +||koogreep.com^ +||koomowailiwuzou.net^ +||koophaip.net^ +||koovaubi.xyz^ +||kopeukasrsiha.com^ +||korexo.com^ +||korgiejoinyou.com^ +||korporatefinau.org^ +||korrelate.net^ +||kosininia.com^ +||kostprice.com^ +||kotokot.com^ +||kotzzdwl.com^ +||kouceeptait.com^ +||koucerie.com^ +||kouphouwhajee.net^ +||koupuchoust.net^ +||koushauwhie.xyz^ +||kousjcignye.com^ +||koutobey.net^ +||kowhinauwoulsas.net^ +||koyshxlxljv.com^ +||kpaagnosdzih.com^ +||kpbmqxucd.com^ +||kpgks.online^ +||kpjuilkzfi.com^ +||kq272lw4c.com^ +||kqbjdvighp.com^ +||kqhgjmap.com^ +||kqhi97lf.de^ +||kqiivrxlal.xyz^ +||kqmffmth.xyz^ +||kqodiohzucg.com^ +||kqrcijq.com^ +||kquzgqf.com^ +||kqzyfj.com^ +||kra18.com^ +||krankenwagenmotor.com^ +||kraoqsvumatd.com^ +||krazil.com^ +||krigialinters.top^ +||krisydark.com^ +||krivo.buzz^ +||krjxhvyyzp.com^ +||krkstrk.com^ +||kronosspell.com^ +||krqmfmh.com^ +||ksandtheirclean.org^ +||ksehinkitw.hair^ +||kskillsombineu.com^ +||ksnbtmz.com^ +||ksnooastqr.xyz^ +||kspmaaiayadg.com^ +||kstjqjuaw.xyz^ +||ksyompbwor.xyz^ +||kt5850pjz0.com^ +||ktikpuruxasq.com^ +||ktkjmp.com^ +||ktkvcpqyh.xyz^ +||ktpcsqnij.com^ +||ktureukworekto.com^ +||ktxvbcbfs.xyz^ +||ktzvyiia.xyz^ +||ku2d3a7pa8mdi.com^ +||ku42hjr2e.com^ +||kubachigugal.com^ +||kubicadza.xyz^ +||kubicserves.icu^ +||kueezrtb.com^ +||kughouft.net^ +||kuhxhoanlf.com^ +||kujbxpbphyca.com^ +||kukrosti.com^ +||kulakiayme.com^ +||kulangflook.shop^ +||kulsaibs.net^ +||kultingecauyuksehinkitw.info^ +||kumparso.com^ +||kumpulblogger.com^ +||kumteerg.com^ +||kunvertads.com^ +||kupvtoacgowp.com^ +||kuqgrelpiamw.com^ +||kuqpdxek.today^ +||kurdirsojougly.net^ +||kurjutodbxca.com^ +||kurlipush.com^ +||kuroptip.com^ +||kurrimsaswti.com^ +||kursatarak.com^ +||kusciwaqfkaw.com^ +||kusjyfwishbhtgg.com^ +||kustaucu.com^ +||kutdbbfy.xyz^ +||kuthoost.net^ +||kutsouleghoar.net^ +||kuurza.com^ +||kuvoansub.com^ +||kuwhudsa.com^ +||kuwoucaxoad.com^ +||kuxatsiw.net^ +||kuxfsgwjkfu.com^ +||kvaaa.com^ +||kvdmuxy.com^ +||kvecc.com^ +||kvemm.com^ +||kveww.com^ +||kvexx.com^ +||kvezz.com^ +||kvgbtozgcmox.com^ +||kviglxabhwwhf.xyz^ +||kvjkkwyomjrx.com^ +||kvovs.xyz^ +||kvtgl4who.com^ +||kvum-bpelzw.icu^ +||kvymlsb.com^ +||kw3y5otoeuniv7e9rsi.com^ +||kwbgmufi.com^ +||kwdflqos.com^ +||kwedzcq.com^ +||kwiydaw.com^ +||kwkrptykad.xyz^ +||kwtnhdrmbx.com^ +||kwux-uudx.online^ +||kxjanwkatrixltf.xyz^ +||kxkqqycs.xyz^ +||kxnggkh2nj.com^ +||kxshyo.com^ +||kxxdxikksc.space^ +||kymirasite.pro^ +||kypjzznihczh.online^ +||kyteevl.com^ +||kz2oq0xm6ie7gn5dkswlpv6mfgci8yoe3xlqp12gjotp5fdjxs5ckztb8rzn.codes^ +||kzcdgja.com^ +||kzdxpcn.com^ +||kzt2afc1rp52.com^ +||kzvcggahkgm.com^ +||kzzwi.com^ +||l-iw.de^ +||l1native.com^ +||l1vec4ms.com^ +||l3g3media.com^ +||l45fciti2kxi.com^ +||la-la-moon.com^ +||la-la-sf.com^ +||labadena.com^ +||labeldollars.com^ +||labourattention.com^ +||labourcucumberarena.com^ +||labourerlavender.com^ +||labourmuttering.com^ +||labsappland.com^ +||labtfeavcan.com^ +||labthraces.shop^ +||lacecoming.com^ +||lacecompressarena.com^ +||laceratehard.com^ +||lacerateinventorwaspish.com^ +||lackawopsik.xyz^ +||lacklesslacklesscringe.com^ +||lacmoudoossaiss.net^ +||lacquerreddeform.com^ +||lactantsurety.top^ +||lacycuratedhil.org^ +||ladbrokesaffiliates.com.au^ +||ladnet.co^ +||ladnova.info^ +||ladrecaidroo.com^ +||ladsabs.com^ +||ladsans.com^ +||ladsats.com^ +||ladsatz.com^ +||ladsecs.com^ +||ladsecz.com^ +||ladsims.com^ +||ladsips.com^ +||ladsipz.com^ +||ladskiz.com^ +||ladsmoney.com^ +||ladsp.com^ +||ladyrottendrudgery.com^ +||laf1ma3eban85ana.com^ +||lafakevideo.com^ +||lafastnews.com^ +||lagabsurdityconstrain.com^ +||laggerozonid.website^ +||lagrys.xyz^ +||lagt.cloud^ +||lagxsntduepv.online^ +||lahemal.com^ +||laichook.net^ +||laichourooso.xyz^ +||laihoana.com^ +||laikaush.com^ +||laikigaiptepty.net^ +||laimeerulaujaul.net^ +||laimroll.ru^ +||lainaumi.com^ +||laincomprehensiblepurchaser.com^ +||lairauque.com^ +||laitushous.com^ +||laivue.com^ +||lajjmqeshj.com^ +||lakequincy.com^ +||lakinarmure.com^ +||lakmus.xyz^ +||lalaping.com^ +||lalapush.com^ +||lalokdocwl.com^ +||lambingsyddir.com^ +||lamburnsay.live^ +||lame7bsqu8barters.com^ +||lamentinsecureheadlight.com^ +||lamjpiarmas.com^ +||lammasbananas.com^ +||lampdrewcupid.com^ +||lamplynx.com^ +||lamppostharmoniousunaware.com^ +||lampshademirror.com^ +||lamrissmyol.com^ +||lanceforthwith.com^ +||landelcut.com^ +||landerhq.com^ +||landitmounttheworld.com^ +||landmarkfootnotary.com^ +||landscapeuproar.com^ +||landwaycru.com^ +||laneyounger.com^ +||languidintentgained.com^ +||languishnervousroe.com^ +||lanknewcomer.com^ +||lanky-bar.com^ +||lanopoon.net^ +||lansaimplemuke.com^ +||lantchaupbear.shop^ +||lantodomirus.com^ +||lanzonmotlier.click^ +||laolcwsd.tech^ +||lapachoscrumpy.top^ +||lapnicjaqxu.com^ +||lapseboomacid.com^ +||lapsebreak.com^ +||lapsephototroop.com^ +||lapsestwiggy.top^ +||laptweakbriefly.com^ +||lapypushistyye.com^ +||laquearhokan.com^ +||larasub.conxxx.pro^ +||larchesrotates.com^ +||lardapplications.com^ +||lardpersecuteunskilled.com^ +||larentisol.com^ +||larepogeys.top^ +||largeharass.com^ +||largestloitering.com^ +||laridaetrionfo.top^ +||larkenjoyedborn.com^ +||larnox.info^ +||larrenpicture.pro^ +||lartoomsauby.com^ +||las4srv.com^ +||lascivioushelpfulstool.com^ +||lasciviousregardedherald.com^ +||laserdandelionhelp.com^ +||laserdrivepreview.com^ +||laserharasslined.com^ +||lashahib.net^ +||lassampy.com^ +||lastlyseaweedgoose.com^ +||lastookeptom.net^ +||latchwaitress.com^ +||late-anxiety.com^ +||latest-news.pro^ +||latestsocial.com^ +||latheendsmoo.com^ +||latinwayy.com^ +||lator308aoe.com^ +||latrinehelves.com^ +||lattermailmandumbest.com^ +||laudianauchlet.com^ +||laughedaffront.com^ +||laughedrevealedpears.com^ +||laughingrecordinggossipy.com^ +||laughteroccasionallywarp.com^ +||laugoust.com^ +||lauhefoo.com^ +||lauhoosh.net^ +||laukaivi.net^ +||laulme.info^ +||launch1266.fun^ +||launchbit.com^ +||laundrydesert.com^ +||laupelezoow.xyz^ +||lauphoonajup.net^ +||laureevie.com^ +||laustiboo.com^ +||laustoowagosha.net^ +||lavatorydownybasket.com^ +||lavatoryhitschoolmaster.com^ +||lavenderhierarchy.com^ +||lavenderthingsmark.com^ +||lavendertyre.com^ +||lavufa.uno^ +||lawcmabfoqal.com^ +||lawishkukri.com^ +||lawnsacing.top^ +||lawsbuffet.com^ +||lawsuniversitywarning.com^ +||laxativestuckunclog.com^ +||laxpanvzelz.com^ +||layer-ad.org^ +||layeravowportent.com^ +||layerloop.com^ +||layermutual.com^ +||layerrepeatedlychancy.com^ +||layingracistbrainless.com^ +||laylmty.com^ +||lazyrelentless.com^ +||lbjxsort.xyz^ +||lby2kd27c.com^ +||lcfooiqhro.com^ +||lcloperoxeo.xyz^ +||lcmbppikwtxujc.xyz^ +||lcolumnstoodth.info^ +||lcwnlhy.com^ +||lcxxwxo.com^ +||ldbqxwbqdz.com^ +||ldedallover.info^ +||ldimnveryldgitwe.xyz^ +||ldjcteyoq.com^ +||ldjudcpc-qxm.icu^ +||ldjyvegage.com^ +||ldmeukeuktyoue.com^ +||ldrendreaming.info^ +||ldthinkhimun.com^ +||lduhtrp.net^ +||leachysubarch.shop^ +||lead1.pl^ +||leadadvert.info^ +||leadbolt.net^ +||leadcola.com^ +||leadenretain.com^ +||leadingservicesintimate.com^ +||leadmediapartners.com^ +||leadscorehub-view.info^ +||leadsecnow.com^ +||leadshurriedlysoak.com^ +||leadsleap.net^ +||leadzu.com^ +||leadzupc.com^ +||leadzutw.com^ +||leafletcensorrescue.com^ +||leafletluckypassive.com^ +||leafletsmakesunpleasant.com^ +||leafy-feel.com^ +||leaguedispleasedjut.com^ +||leanbathroom.com^ +||leanwhitepinafo.org^ +||leapcompatriotjangle.com^ +||leapretrieval.com^ +||leardragonapp.monster^ +||learningcontainscaterpillar.com^ +||learntinga.com^ +||leasemiracle.com^ +||leashextendposh.com^ +||leashmotto.com^ +||leashrationaldived.com^ +||leatmansures.com^ +||leaveoverwork.com^ +||leaveundo.com^ +||leavingenteredoxide.com^ +||leavingsuper.com^ +||lebinaphy.com^ +||lebratent.com^ +||lecapush.net^ +||lecdhuq.com^ +||lecticashaptan.com^ +||ledhatbet.com^ +||ledrapti.net^ +||leebegruwech.com^ +||leechiza.net^ +||leefosto.com^ +||leegaroo.xyz^ +||leegreemula.net^ +||leepephah.com^ +||leeptoadeesh.net^ +||leesaushoah.net^ +||leetaipt.net^ +||leetdyeing.top^ +||leeteehigloothu.net^ +||leetmedia.com^ +||leezeept.com^ +||leezoama.net^ +||leforgotteddisg.info^ +||left-world.com^ +||leftoverstatistics.com^ +||leftshoemakerexpecting.com^ +||legal-weight.pro^ +||legalchained.com^ +||legalizedistil.com^ +||legalsofafalter.com^ +||legasgiv.com^ +||legcatastrophetransmitted.com^ +||legendaryremarkwiser.com^ +||legerikath.com^ +||leggymomme.top^ +||leghairy.net^ +||legiblyosmols.top^ +||legiswoollen.shop^ +||legitimatelubricant.com^ +||legitimatemess.pro^ +||legitimatepowers.com^ +||lehechapunevent.com^ +||lehemhavita.club^ +||lehmergambits.click^ +||lehoacku.net^ +||leisurebrain.com^ +||leisurehazearcher.com^ +||leisurelyeaglepestilent.com^ +||leisurelypizzascarlet.com^ +||lekaleregoldfor.com^ +||lelesidesukbeing.info^ +||lelrouxoay.com^ +||lelruftoutufoux.net^ +||lementwrencespri.info^ +||lemetri.info^ +||lemitsuz.net^ +||lemmaheralds.com^ +||lemotherofhe.com^ +||lemouwee.com^ +||lemsoodol.com^ +||lengthjavgg124.fun^ +||lenkmio.com^ +||lenmit.com^ +||lenopoteretol.com^ +||lentculturalstudied.com^ +||lenthyblent.com^ +||lentmatchwith.info^ +||lentmatchwithyou.com^ +||lentoidreboast.top^ +||leojmp.com^ +||leonbetvouum.com^ +||leonistenstyle.com^ +||leonodikeu9sj10.com^ +||leoparddisappearcrumble.com^ +||leopardenhance.com^ +||leopardfaithfulbetray.com^ +||leoyard.com^ +||lepetitdiary.com^ +||lephaush.net^ +||lepiotaspectry.com^ +||leqcp.online^ +||lernodydenknow.info^ +||leroaboy.net^ +||leroonge.xyz^ +||lerrdoriak.com^ +||lessencontraceptive.com^ +||lesserdragged.com^ +||lessite.pro^ +||lessonworkman.com^ +||letaikay.net^ +||letinclusionbone.com^ +||letitnews.com^ +||letitredir.com^ +||letqejcjo.xyz^ +||letsbegin.online^ +||letstry69.xyz^ +||letterslamp.online^ +||letterwolves.com^ +||leukemianarrow.com^ +||leukemiaruns.com^ +||leveragetypicalreflections.com^ +||leverseriouslyremarks.com^ +||leveryone.info^ +||levityheartinstrument.com^ +||levityquestionshandcuff.com^ +||levyteenagercrushing.com^ +||lewdl.com^ +||lewlanderpurgan.com^ +||lexicoggeegaw.website^ +||lf8q.online^ +||lfeaqcozlbki.com^ +||lflcbcb.com^ +||lfstmedia.com^ +||lgepbups.xyz^ +||lgjtvyurnivf.com^ +||lgs3ctypw.com^ +||lgse.com^ +||lgtdkpfnor.com^ +||lgzfcnvbjiny.global^ +||lh031i88q.com^ +||lhamjcpnpqb.xyz^ +||lhbrkotf.xyz^ +||lhioqxkralmy.com^ +||lhmos.com^ +||lhukudauwklhd.xyz^ +||li.blogtrottr.com^ +||liabilitygenerator.com^ +||liabilityspend.com^ +||liablematches.com^ +||liabletablesoviet.com^ +||liadm.com^ +||liambafaying.com^ +||lianzl.xyz^ +||liaoptse.net^ +||liarcram.com^ +||libedgolart.com^ +||libellousstaunch.com^ +||libelradioactive.com^ +||libertycdn.com^ +||libertystmedia.com^ +||libraryglowingjo.com^ +||libsjamdani.shop^ +||licantrum.com^ +||licenceconsiderably.com^ +||lickingimprovementpropulsion.com^ +||lidburger.com^ +||liddenlywilli.org^ +||lidsaich.net^ +||lieforepawsado.com^ +||liegelygosport.com^ +||lifeboatdetrimentlibrarian.com^ +||lifeimpressions.net^ +||lifemoodmichelle.com^ +||lifeporn.net^ +||lifesoonersoar.org^ +||lifetds.com^ +||lifetimeagriculturalproducer.com^ +||lifiads.com^ +||lifootsouft.com^ +||liftdna.com^ +||liftedd.net^ +||ligatus.com^ +||light-coat.pro^ +||lightenintimacy.com^ +||lightfoot.top^ +||lightimpregnable.com^ +||lightningbarrelwretch.com^ +||lightningcast.net^ +||lightningly.co^ +||lightningobstinacy.com^ +||lightsriot.com^ +||lightssyrupdecree.com^ +||liglomsoltuwhax.net^ +||ligninenchant.com^ +||ligvraojlrr.com^ +||lijjk.space^ +||likeads.com^ +||likecontrol.com^ +||likedstring.com^ +||likedtocometot.info^ +||likelihoodrevolution.com^ +||likenessmockery.com^ +||likenewvids.online^ +||likescenesfocused.com^ +||likinginconvenientpolitically.com^ +||likropersourgu.net^ +||liktufmruav.com^ +||likutaencoil.shop^ +||lilacbeaten.com^ +||lilcybu.com^ +||lilureem.com^ +||lilyhumility.com^ +||lilyrealitycourthouse.com^ +||lilysuffocateacademy.com^ +||limberkilnman.cam^ +||limbievireos.com^ +||limboduty.com^ +||limbrooms.com^ +||limeaboriginal.com^ +||limineshucks.com^ +||limitedfight.pro^ +||limitedkettlemathematical.com^ +||limitesrifer.com^ +||limitlessascertain.com^ +||limitssimultaneous.com^ +||limneraminic.click^ +||limoners.com^ +||limpattemptnoose.com^ +||limpghebeta.shop^ +||limping-plane.pro^ +||limpingpick.com^ +||limurol.com^ +||lin01.bid^ +||lindasmensagens.online^ +||linearsubdued.com^ +||lingamretene.com^ +||lingerdisquietcute.com^ +||lingerincle.com^ +||lingetunearth.top^ +||lingosurveys.com^ +||lingrethertantin.com^ +||lingswhod.shop^ +||liningdoimmigrant.com^ +||liningemigrant.com^ +||link2thesafeplayer.click^ +||linkadvdirect.com^ +||linkbuddies.com^ +||linkchangesnow.com^ +||linkedprepenseprepense.com^ +||linkedrethink.com^ +||linkelevator.com^ +||linkev.com^ +||linkexchange.com^ +||linkhaitao.com^ +||linkmanglazers.com^ +||linkmepu.com^ +||linkoffers.net^ +||linkonclick.com^ +||linkredirect.biz^ +||linkreferral.com^ +||linksecurecd.com^ +||linksprf.com^ +||linsaicki.net^ +||lintgallondissipate.com^ +||lintyahimsas.com^ +||liondolularhene.com^ +||liondolularhene.info^ +||lionessmeltdown.com^ +||lioniseunpiece.shop^ +||lipidicchaoush.com^ +||lipqkoxzy.com^ +||lipsoowesto.net^ +||liqikxqpx.com^ +||liquidfire.mobi^ +||liquorelectric.com^ +||liskpiculs.shop^ +||list-ads.com^ +||listbrandnew.com^ +||listenedmusician.com^ +||listoukectivetr.com^ +||listsbuttock.com^ +||litarnrajol.com^ +||litdeetar.live^ +||literalpraisepassengers.com^ +||literaryonboard.com^ +||literaturehogwhack.com^ +||literaturerehearsesteal.com^ +||literatureunderstatement.com^ +||literpeore.com^ +||liton311ark.com^ +||littlecdn.com^ +||littlecutecats.com^ +||littlecutelions.com^ +||littleearthquakeprivacy.com^ +||littleworthjuvenile.com^ +||litukydteamw.com^ +||litvp.com^ +||livabledefamer.shop^ +||live-a-live.com^ +||livedskateraisin.com^ +||livedspoonsbun.com^ +||liveleadtracking.com^ +||livelytusk.com^ +||livesexbar.com^ +||livestockfeaturenecessary.com^ +||livewe.click^ +||livezombymil.com^ +||livingshedhowever.com^ +||livrfufzios.com^ +||livvbkx-vejj.xyz^ +||livxlilsq.click^ +||lixnirokjqp.com^ +||lizzieforcepincers.com^ +||ljlvftvryjowdm.xyz^ +||ljnhkytpgez.com^ +||ljr3.site^ +||ljsr-ijbcxvq.online^ +||lkcoffe.com^ +||lkdvvxvtsq6o.com^ +||lkg6g644.de^ +||lkhfkjp.com^ +||lkkemywlsyxsq.xyz^ +||lkmedcjyh.xyz^ +||lkpmprksau.com^ +||lkqd.net^ +||lksbnrs.com^ +||lkxahvf.com^ +||llalo.click^ +||llbonxcqltulds.xyz^ +||lljultmdl.xyz^ +||llozybovlozvk.top^ +||llq9q2lacr.com^ +||lluwrenwsfh.xyz^ +||llyighaboveth.com^ +||lmaghokalqji.xyz^ +||lmdfmd.com^ +||lmeegwxcasdyo.com^ +||lmgyjug31.com^ +||lmj8i.pro^ +||lmn-pou-win.com^ +||lmorabfuj.com^ +||lmp3.org^ +||lnabew.com^ +||lnbdbdo.com^ +||lndonclkds.com^ +||lnhamforma.info^ +||lnk2.cfd^ +||lnk8j7.com^ +||lnkfast.com^ +||lnkfrsgrt.xyz^ +||lnkrdr.com^ +||lnkvv.com^ +||lnky9.top^ +||lntrigulngdates.com^ +||lnuqlyoejdpb.com^ +||lo8ve6ygour3pea4cee.com^ +||loadecouhi.net^ +||loader.netzwelt.de^ +||loadercdn.com^ +||loading-resource.com^ +||loadingscripts.com^ +||loadtime.org^ +||loaducaup.xyz^ +||loafsmash.com^ +||loagoshy.net^ +||loajawun.com^ +||loaksandtheir.info^ +||loanxas.xyz^ +||loaptaijuw.com^ +||loastees.net^ +||loathecurvedrepress.com^ +||loatheskeletonethic.com^ +||loavolougloatom.net^ +||loazuptaice.net^ +||lobatehellion.top^ +||lobbiessurfman.top^ +||lobby-x.eu^ +||lobesforcing.com^ +||loboclick.com^ +||lobsudsauhiw.xyz^ +||local-flirt.com^ +||localedgemedia.com^ +||locallycompare.com^ +||localslutsnearme.com^ +||localsnaughty.com^ +||locatedstructure.com^ +||locatejest.com^ +||locationaircondition.com^ +||lockdowncautionmentally.com^ +||locked-link.com^ +||lockeddippickle.com^ +||lockerantiquityelaborate.com^ +||lockerdomecdn.com^ +||lockersatelic.cam^ +||lockerstagger.com^ +||locketcattishson.com^ +||locketthose.com^ +||lockingcooperationoverprotective.com^ +||lockingvesselbaseless.com^ +||locomotivetroutliquidate.com^ +||locooler-ageneral.com^ +||locrinelongish.com^ +||locusflourishgarlic.com^ +||lodgedynamitebook.com^ +||lodgesweet.com^ +||loftempedur.net^ +||loftersvisaya.com^ +||loftknowing.com^ +||loftsbaacad.com^ +||loftyeliteseparate.com^ +||lofvmrnpbxqbh.com^ +||loghutouft.net^ +||logicconfinement.com^ +||logicdate.com^ +||logicdripping.com^ +||logicorganized.com^ +||logicschort.com^ +||logilyusheen.shop^ +||loginlockssignal.com^ +||logresempales.shop^ +||logsgroupknew.com^ +||logshort.xyz^ +||logsjthhxsbfzw.com^ +||logystowtencon.info^ +||loheveeheegh.net^ +||loijtoottuleringv.info^ +||loinpriestinfected.com^ +||loiteringcoaltuesday.com^ +||loivpcn.com^ +||loketsaucy.com^ +||lokrojecukr.com^ +||loktrk.com^ +||lolco.net^ +||lolsefti.com^ +||loneextreme.pro^ +||lonelytransienttrail.com^ +||lonerdrawn.com/watch.1008407049393.js +||lonerdrawn.com^ +||lonerprevailed.com^ +||lonfilliongin.com^ +||long1x.xyz^ +||longarctic.com^ +||longerhorns.com^ +||longestencouragerobber.com^ +||longestwaileddeadlock.com^ +||longingarsonistexemplify.com^ +||longlakeweb.com^ +||longmansuchcesu.info^ +||loobilysubdebs.com^ +||loodauni.com^ +||loohiwez.net^ +||lookandfind.me^ +||lookebonyhill.com^ +||lookinews.com^ +||lookingnull.com^ +||lookmommynohands.com^ +||lookoutabjectinterfere.com^ +||looksblazeconfidentiality.com^ +||looksdashboardcome.com^ +||lookshouldthin.com^ +||looktotheright.com^ +||lookwhippedoppressive.com^ +||loolausufouw.com^ +||loolowhy.com^ +||looluchu.com^ +||loomplyer.com^ +||loomscald.com^ +||loomspreadingnamely.com^ +||looodrxopzvi.com^ +||loooutlet.com^ +||loopanews.com^ +||loopme.me^ +||loopr.co^ +||looscreech.com^ +||loose-chemistry.pro^ +||loose-courage.pro^ +||looseclassroomfairfax.com^ +||loosematuritycloudless.com^ +||loosenpuppetnone.com^ +||lootexhausted.com^ +||lootynews.com^ +||loovaist.net^ +||loozubaitoa.com^ +||loppersixtes.top^ +||lopqkwmm.xyz^ +||lopsideddebate.com^ +||loqwo.site^ +||lorageiros.com^ +||loralana.com^ +||lordeeksogoatee.net^ +||lordhelpuswithssl.com^ +||lorsifteerd.net^ +||lorswhowishe.com^ +||lorybnfh.com^ +||loserwentsignify.com^ +||losespiritsdiscord.com^ +||loshaubs.com^ +||losingfunk.com^ +||losingoldfry.com^ +||losingtiger.com^ +||lossactivity.com^ +||lostdormitory.com^ +||lostinfuture.com^ +||lotclergyman.com^ +||lotreal.com^ +||lotstoleratescarf.com^ +||lotteryaffiliates.com^ +||louchaug.com^ +||louchees.net^ +||louderoink.shop^ +||louderwalnut.com^ +||loudlongerfolk.com^ +||louisedistanthat.com^ +||loukoost.net^ +||loulouly.net^ +||loulowainoopsu.net^ +||loungetackle.com^ +||loungyserger.com^ +||lourdoueisienne.website^ +||louseflippantsettle.com^ +||lousefodgel.com^ +||louses.net^ +||loushoafie.net^ +||loustran288gek.com^ +||lousyfastened.com^ +||louxoxo.com^ +||love-world.me^ +||lovehiccuppurple.com^ +||lovely-sing.pro^ +||lovelybingo.com^ +||lovemateforyou.com^ +||loverevenue.com^ +||loverfellow.com^ +||loversarrivaladventurer.com^ +||loverssloppy.com^ +||lovesparkle.space^ +||loveyousaid.info^ +||low-sad.com^ +||lowdodrioon.com^ +||lowercommander.com^ +||loweredinflammable.com^ +||lowestportedexams.com^ +||lowgliscorr.com^ +||lowgraveleron.com^ +||lowleafeontor.com^ +||lowlifeimprovedproxy.com^ +||lowlifesalad.com^ +||lownoc.org^ +||lowremoraidon.com^ +||lowrihouston.pro^ +||lowseelan.com^ +||lowsmoochumom.com^ +||lowsteelixor.com^ +||lowtyroguer.com^ +||lowtyruntor.com^ +||loxitdat.com^ +||loxtk.com^ +||loyalracingelder.com^ +||loyeesihighlyreco.info^ +||lozeecalreek.com^ +||lozna.xyz^ +||lp-preview.net^ +||lp247p.com^ +||lpair.xyz^ +||lpaoz.xyz^ +||lparket.com^ +||lpawakkabpho.com^ +||lpeqztx.com^ +||lpernedasesium.com^ +||lpewiduqiq.com^ +||lpmcr1h7z.com^ +||lpmugcevks.com^ +||lptiljy.com^ +||lptrak.com^ +||lptrck.com^ +||lptyuosfcv.com^ +||lpuafmkidvm.com^ +||lqbzuny.com^ +||lqcaznzllnrfh.com^ +||lqcdn.com^ +||lqclick.com^ +||lqcngjecijy.rocks^ +||lqgenuq-j.life^ +||lqtiwevsan.com^ +||lr-in.com^ +||lraonxdikxi.com^ +||lreqmoonpjka.com^ +||lrhomznfev.com^ +||lrkfuheobm.one^ +||lryofjrfogp.com^ +||lsandothesaber.org^ +||lsgpxqe.com^ +||lsgwkbk.com^ +||lsjne.com^ +||lskillsexkcerl.com^ +||lsuwndhxt.com^ +||lszydrtzsh.com^ +||ltapsxz.xyz^ +||ltassrv.com.s3.amazonaws.com^ +||ltassrv.com^ +||ltcwjnko.xyz^ +||ltengronsa.com^ +||ltetrailwaysint.org^ +||ltmuzcp.com^ +||ltmywtp.com^ +||ltrac4vyw.com^ +||lubbardstrouds.com^ +||lubowitz.biz^ +||lubricantexaminer.com^ +||luciditycuddle.com^ +||lucidityhormone.com^ +||lucidlymutualnauseous.com^ +||lucidmedia.com^ +||luciuspushedsensible.com^ +||luckaltute.net^ +||luckilyhurry.com^ +||lucklayed.info^ +||luckyads.pro^ +||luckyforbet.com^ +||luckypapa.xyz^ +||luckypushh.com^ +||luckyz.xyz^ +||lucrinearraign.com^ +||lucubrado.info^ +||ludabmanros.com^ +||ludsaichid.net^ +||ludxivsakalg.com^ +||luggagebuttonlocum.com^ +||luhhcodutax.com^ +||lukeaccesspopped.com^ +||lukeexposure.com^ +||lukpush.com^ +||lumaktoys.com^ +||lumberperpetual.com^ +||luminosoocchio.com^ +||luminousstickswar.com^ +||lumnstoodthe.info^ +||lumpilap.net^ +||lumpmainly.com^ +||lumpy-skirt.pro^ +||lumpyactive.com^ +||lumpyouter.com^ +||lumtogle.net^ +||lumupu.xyz^ +||lumxts.com^ +||luncheonbeehive.com^ +||lunchvenomous.com^ +||lungersleaven.click^ +||lungicko.net^ +||lungingunified.com^ +||lunio.net^ +||luofinality.com^ +||lupininmiscook.shop^ +||lupvaqvfeka.com^ +||lurdoocu.com^ +||lureillegimateillegimate.com^ +||lurgaimt.net^ +||lurkfibberband.com^ +||lurkgenerally.com^ +||luronews.com^ +||lusaisso.com^ +||luscioussensitivenesssavour.com^ +||lusciouswrittenthat.com^ +||lusfusvawov.com^ +||lushaseex.com^ +||lushcrush.com^ +||lusinlepading.com^ +||lust-burning.rest^ +||lust-goddess.buzz^ +||lustasserted.com^ +||lutachechu.pro^ +||lutoorgourgi.com^ +||lutrineextant.com^ +||luuming.com^ +||luvaihoo.com^ +||luwcp.online^ +||luwip.online^ +||luwt.cloud^ +||luxadv.com^ +||luxbetaffiliates.com.au^ +||luxcdn.com^ +||luxestassal.shop^ +||luxins.net^ +||luxlnk.com^ +||luxope.com^ +||luxup.ru^ +||luxup2.ru^ +||luxupadva.com^ +||luxupcdna.com^ +||luxupcdnb.com^ +||luxupcdnc.com^ +||luxuriousannotation.com^ +||luxuriousbreastfeeding.com^ +||luxuryfluencylength.com^ +||luyten-98c.com^ +||lv5hj.top^ +||lv9qr0g0.xyz^ +||lvbaeugc.com^ +||lvhcqaku.com^ +||lvodomo.info^ +||lvojjayaaoqym.top^ +||lvsnmgg.com^ +||lvw7k4d3j.com^ +||lw2dplgt8.com^ +||lwgadm.com^ +||lwjje.com^ +||lwjvyd.com^ +||lwlagvxxyyuha.xyz^ +||lwnbts.com^ +||lwonclbench.com^ +||lwoqroszooq.com^ +||lwrnikzjpp.com^ +||lwxeuckgpt.com^ +||lwxuo.com^ +||lx2rv.com^ +||lxkzcss.xyz^ +||lxlpoydodf.com^ +||lxnkuie.com^ +||lxqjy-obtr.love^ +||lxstat.com^ +||lycheenews.com^ +||lycopuscris.com^ +||lycoty.com^ +||lydiacorneredreflect.com^ +||lydiapain.com^ +||lyearsfoundhertob.com^ +||lyingdownt.xyz^ +||lyingleisurelycontagious.com^ +||lylufhuxqwi.com^ +||lymckensecuryren.org^ +||lyncherpelitic.com^ +||lyonthrill.com^ +||lyricalattorneyexplorer.com^ +||lyricaldefy.com^ +||lyricslocusvaried.com^ +||lyricspartnerindecent.com^ +||lysim-lre.com^ +||lyssapebble.com^ +||lyticaframeofm.com^ +||lywasnothycanty.info^ +||lyzenoti.pro^ +||lzhsm.xyz^ +||lzjl.com^ +||lzoasvofvzw.com^ +||lzqmjakwlllvk.top^ +||lzukrobrykk.com^ +||lzxdx24yib.com^ +||m-fmfadcfm.icu^ +||m-rtb.com^ +||m.xrum.info^ +||m0hcppadsnq8.com^ +||m0rsq075u.com^ +||m2.ai^ +||m2pub.com^ +||m2track.co^ +||m32.media^ +||m3i0v745b.com^ +||m4su.online^ +||m53frvehb.com^ +||m73lae5cpmgrv38.com^ +||m9w6ldeg4.xyz^ +||ma3ion.com^ +||maanatirve.top^ +||maartenwhitney.shop^ +||mabolmvcuo.com^ +||mabtcaraqdho.com^ +||mabyerwaxand.click^ +||macan-native.com^ +||macaronibackachebeautify.com^ +||macaroniwalletmeddling.com^ +||machineryvegetable.com^ +||machogodynamis.com^ +||macro.adnami.io^ +||macroinknit.com^ +||madadsmedia.com^ +||madbridalmomentum.com^ +||madcpms.com^ +||maddencloset.com^ +||maddenword.com^ +||madebabysittingimperturbable.com^ +||madeevacuatecrane.com^ +||madehimalowbo.info^ +||madehugeai.live^ +||madeinvasionneedy.com^ +||madeupadoption.com^ +||madeupdependant.com^ +||madlyexcavate.com^ +||madnessindians.com^ +||madnessnumbersantiquity.com^ +||madratesforall.com^ +||madriyelowd.com^ +||madrogueindulge.com^ +||mads-fe.amazon.com^ +||madsabs.com^ +||madsans.com^ +||madsecs.com^ +||madsecz.com^ +||madserving.com^ +||madsims.com^ +||madsips.com^ +||madskis.com^ +||madslimz.com^ +||madsone.com^ +||madspmz.com^ +||madurird.com^ +||maebtjn.com^ +||maestroconfederate.com^ +||mafflerplaids.com^ +||mafiaemptyknitting.com^ +||mafiaillegal.com^ +||mafon.xyz^ +||mafrarc3e9h.com^ +||mafroad.com^ +||maftirtagetol.website^ +||magapab.com^ +||magazinenews1.xyz^ +||magazinesfluentlymercury.com^ +||magetrigla.com^ +||maggotpolity.com^ +||maghoutwell.com^ +||magicalbending.com^ +||magicalfurnishcompatriot.com^ +||magicallyitalian.com^ +||magicianboundary.com^ +||magiciancleopatramagnetic.com^ +||magicianguideours.com^ +||magicianimploredrops.com^ +||magitangly.top^ +||magmbb.com^ +||magnificent-listen.com^ +||magnificentflametemperature.com^ +||magnificentmanlyyeast.com^ +||magogvel.shop^ +||magr.cloud^ +||magsrv.com^ +||magtgingleagained.org^ +||magukaudsodo.xyz^ +||mahaidroagra.com^ +||maibaume.com^ +||maidr.pro^ +||maiglair.net^ +||maihigre.net^ +||mailboxdoablebasically.com^ +||mailboxmileageattendants.com^ +||mailwithcash.com^ +||maimacips.com^ +||maimcatssystems.com^ +||main-ti-cod.com^ +||mainadv.com^ +||mainapiary.com^ +||mainroll.com^ +||maintainedencircle.com^ +||maintenancewinning.com^ +||maipheeg.com^ +||maiptica.com^ +||maithigloab.net^ +||majesticrepresentative.pro^ +||majesticsecondary.com^ +||majestyafterwardprudent.com^ +||majestybrightennext.com^ +||major-video.click^ +||major.dvanadva.ru^ +||majorcharacter.com^ +||majordistinguishedguide.com^ +||majorhalfmoon.com^ +||majoriklink.com^ +||majoritycrackairport.com^ +||majorityevaluatewiped.com^ +||majorityfestival.com^ +||majorpushme1.com^ +||majorpushme3.com^ +||majorsmi.com^ +||majortoplink.com^ +||majorworkertop.com^ +||makeencampmentamoral.com^ +||makemyvids.com^ +||makethebusiness.com^ +||makeupenumerate.com^ +||makhzanpopulin.com^ +||making.party^ +||makingnude.com^ +||makujugalny.com^ +||malay.buzz^ +||maldini.xyz^ +||maleliteral.com^ +||malelocated.com^ +||malignantbriefcaseleading.com^ +||malletdetour.com^ +||malleteighteen.com^ +||mallettraumatize.com^ +||malleusvialed.com^ +||mallinitially.com^ +||malljazz.com^ +||malnutritionbedroomtruly.com^ +||malnutritionvisibilitybailiff.com^ +||malokgr.com^ +||malowbowohefle.info^ +||maltcontaining.com^ +||malthaeurite.com^ +||malthuscorno.shop^ +||maltohoo.xyz^ +||maltunfaithfulpredominant.com^ +||malurusoenone.top^ +||mamaunweft.click^ +||mamblubamblua.com^ +||mamimp.click^ +||mammaclassesofficer.com^ +||mammaldealbustle.com^ +||mammalsidewaysthankful.com^ +||mammocksambos.com^ +||mamseestis.xyz^ +||mamydirect.com^ +||man2ch5836dester.com^ +||managementhans.com^ +||managesborerecords.com^ +||managesrimery.top^ +||managetroubles.com^ +||manahegazedatth.info^ +||manapecmfq.com^ +||manboo.xyz^ +||manbycus.com^ +||manbycustom.org^ +||manconsider.com^ +||mandatorycaptaincountless.com^ +||mandatorypainter.com^ +||mandjasgrozde.com^ +||manduzo.xyz^ +||manentsysh.info^ +||maneuptown.com^ +||mangensaud.net^ +||mangoa.xyz^ +||mangzoi.xyz^ +||maniasensiblecompound.com^ +||maniconclavis.com^ +||maniconfiscal.top^ +||manipulativegraphic.com^ +||manitusbaclava.com^ +||mankssnug.shop^ +||mannerconflict.com^ +||manoeuvrestretchingpeer.com^ +||manoirshrine.com^ +||manompas.com^ +||manorfunctions.com^ +||manrootarbota.com^ +||mansfieldspurtvan.com^ +||manslaughterhallucinateenjoyment.com^ +||mansudee.net^ +||manualquiet.com^ +||manufacturerscornful.com^ +||manureinforms.com^ +||manureoddly.com^ +||manuretravelingaroma.com^ +||manzosui.xyz^ +||mapamnni.com^ +||mapchilde.top^ +||mapeeree.xyz^ +||maper.info^ +||maplecurriculum.com^ +||maquiags.com^ +||marapcana.online^ +||maraywreath.com^ +||marazma.com^ +||marbct.xyz^ +||marbil24.co.za^ +||marbleapplicationsblushing.com^ +||marbleborrowedours.com^ +||marcherfilippo.com^ +||marchingdishonest.com^ +||marchingpostal.com^ +||marcidknaves.com^ +||marecreateddew.com^ +||margaritaimmense.com^ +||margaritapowerclang.com^ +||marginjavgg124.fun^ +||mariadock.com^ +||marial.pro^ +||mariannestanding.com^ +||mariaretiredave.com^ +||marimedia.com^ +||marinadewomen.com^ +||marinegruffexpecting.com^ +||marineingredientinevitably.com^ +||maritaltrousersidle.com^ +||markedoneofthe.info^ +||markerleery.com^ +||marketgid.com^ +||marketingabsentremembered.com^ +||marketingbraid.com^ +||marketingenhanced.com^ +||marketinghinder.com^ +||marketland.me^ +||markreptiloid.com^ +||markshospitalitymoist.com^ +||marktworks.com^ +||markxa.xyz^ +||marphezis.com^ +||marryingsakesarcastic.com^ +||marshagalea.com^ +||marshalembeddedtreated.com^ +||marshalget.com^ +||marsin.shop^ +||martafatass.pro^ +||martenconstellation.com^ +||marti-cqh.com^ +||martinvitations.com^ +||martugnem.com^ +||martyrvindictive.com^ +||marvedesderef.info^ +||marvelbuds.com^ +||marwerreh.top^ +||masakeku.com^ +||masaxe.xyz^ +||masbpi.com^ +||masculineillness.com^ +||masklink.org^ +||masonopen.com^ +||masqueradeentrustveneering.com^ +||masqueradethousand.com^ +||massacreintentionalmemorize.com^ +||massacrepompous.com^ +||massacresurrogate.com^ +||massariuscdn.com^ +||massbrag.care^ +||massesnieces.com^ +||massiveanalyticssys.net^ +||massivetreadsuperior.com^ +||massiveunnecessarygram.com^ +||mastinstungmoreal.com^ +||mastsaultetra.org^ +||masturbaseinvegas.com^ +||matchaix.net^ +||matchingundertake.com^ +||matchjunkie.com^ +||matchuph.com^ +||matecatenae.com^ +||materialfirearm.com^ +||maternityiticy.com^ +||mathads.com^ +||mathematicalma.info^ +||mathematicsswift.com^ +||mathneedle.com^ +||mathsdelightful.com^ +||mathssyrupword.com^ +||maticalmasterouh.info^ +||matildawu.online^ +||matiro.com^ +||matricehardim.com^ +||matswhyask.cam^ +||mattockpackall.com^ +||mattressashamed.com^ +||mattressstumpcomplement.com^ +||mauchopt.net^ +||maudau.com^ +||maugrewuthigeb.net^ +||maulupoa.com^ +||mavq.net^ +||mawkggrbhsknuw.com^ +||mawlaybob.com^ +||maxbounty.com^ +||maxconvtrk.com^ +||maxigamma.com^ +||maxim.pub^ +||maximtoaster.com^ +||maximumductpictorial.com^ +||maxonclick.com^ +||maxprofitcontrol.com^ +||maxserving.com^ +||maxvaluead.com^ +||maya15.site^ +||maybejanuarycosmetics.com^ +||maybenowhereunstable.com^ +||maydeception.com^ +||maydoubloonsrelative.com^ +||mayhemabjure.com^ +||mayhemreconcileneutral.com^ +||mayhemsixtydeserves.com^ +||mayhemsurroundingstwins.com^ +||maylnk.com^ +||maymooth-stopic.com^ +||mayonnaiseplumbingpinprick.com^ +||mayorfifteen.com^ +||maypacklighthouse.com^ +||mayule.xyz^ +||mazefoam.com^ +||mb-npltfpro.com^ +||mb01.com^ +||mb102.com^ +||mb103.com^ +||mb104.com^ +||mb38.com^ +||mb57.com^ +||mbdippex.com^ +||mbidadm.com^ +||mbidinp.com^ +||mbidpsh.com^ +||mbjrkm2.com^ +||mbledeparatea.com^ +||mbnot.com^ +||mbreviewer.com^ +||mbreviews.info^ +||mbstrk.com^ +||mbuncha.com^ +||mbvlmx.com^ +||mbvlmz.com^ +||mbvsm.com^ +||mbxnzisost.com^ +||mc7clurd09pla4nrtat7ion.com^ +||mcafeescan.site^ +||mcahjwf.com^ +||mcfstats.com^ +||mcizas.com^ +||mckensecuryr.info^ +||mcovipqaxq.com^ +||mcppsh.com^ +||mcpuwpsh.com^ +||mcpuwpush.com^ +||mcrertpgdjbvj.com^ +||mcvfbvgy.xyz^ +||mcvfjyhvyvp.com^ +||mcvtblgu.com^ +||mcxmke.com^ +||mczbf.com^ +||mdadx.com^ +||mddsp.info^ +||mdoirsw.com^ +||me4track.com^ +||me6q8.top^ +||me7x.site^ +||meagplin.com^ +||mealplanningideas.com^ +||mealrake.com^ +||meanedreshear.shop^ +||meaningfullandfallbleat.com^ +||meaningfunnyhotline.com^ +||meansneverhorrid.com^ +||meantimechimneygospel.com^ +||measlyglove.pro^ +||measts.com^ +||measuredlikelihoodperfume.com^ +||measuredsanctify.com^ +||measuredshared.com^ +||measuringcabinetclerk.com^ +||measuringrules.com^ +||meatabdicatedelicatessen.com^ +||meatjav11.fun^ +||meawo.cloud^ +||mechaelpaceway.com^ +||mechanicalcardiac.com^ +||meckaughiy.com^ +||meconicoutfish.com^ +||medbroadcast.com^ +||meddleachievehat.com^ +||meddlingwager.com^ +||medfoodsafety.com^ +||medfoodspace.com^ +||medfoodtech.com^ +||medgoodfood.com^ +||media-412.com^ +||media-general.com^ +||media-sapiens.com^ +||media6degrees.com^ +||media970.com^ +||mediaappletree.com^ +||mediabelongkilling.com^ +||mediacpm.com^ +||mediaf.media^ +||mediaforge.com^ +||mediaoaktree.com^ +||mediaonenetwork.net^ +||mediapalmtree.com^ +||mediapeartree.com^ +||mediapush1.com^ +||mediasama.com^ +||mediaserf.net^ +||mediaspineadmirable.com^ +||mediative.ca^ +||mediative.com^ +||mediatraks.com^ +||mediaver.com^ +||mediaxchange.co^ +||medical-aid.net^ +||medicalcandid.com^ +||medicalpossessionlint.com^ +||medicationneglectedshared.com^ +||medinaossal.com^ +||mediocrecount.com^ +||meditateenhancements.com^ +||mediuln.com^ +||mediumtunapatter.com^ +||medleyads.com^ +||medoofty.com^ +||medranquel.com^ +||medriz.xyz^ +||medusasglance.com^ +||medyanetads.com^ +||meeewms.com^ +||meekscooterliver.com^ +||meenetiy.com^ +||meepwrite.com^ +||meerihoh.net^ +||meerustaiwe.net^ +||meet4you.net^ +||meet4youu.com^ +||meet4youu.net^ +||meetic-partners.com^ +||meetingcoffeenostrils.com^ +||meetingrailroad.com^ +||meetwebclub.com^ +||meewireg.com^ +||meewiwechoopty.net^ +||meezauch.net^ +||mefestivalbout.com^ +||megaad.nz^ +||megabookline.com^ +||megacot.com^ +||megadeliveryn.com^ +||megdexchange.com^ +||megmhokluck.shop^ +||megmobpoi.club^ +||megnotch.xyz^ +||mekstolande.com^ +||melamedwindel.com^ +||melderhuzz.com^ +||mellatetapered.shop^ +||mellodur.net^ +||melodramaticlaughingbrandy.com^ +||melonransomhigh.com^ +||meltedacrid.com^ +||meltembrace.com^ +||membersattenuatejelly.com^ +||memberscrisis.com^ +||memia.xyz^ +||memorableanticruel.com^ +||memorablecutletbet.com^ +||memorableeditor.com^ +||mempoonsoftoow.net^ +||menacehabit.com^ +||menacing-awareness.pro^ +||menacing-feature.pro^ +||mendedrefuel.com^ +||menews.org^ +||meniscisacbut.top^ +||mentallyissue.com^ +||mentionedpretentious.com^ +||mentiopportal.org^ +||mentmastsa.org^ +||mentoremotionapril.com^ +||mentrandi.com^ +||mentrandingswo.com^ +||mentxviewsinte.info^ +||mentxviewsinterf.info^ +||meofmukindwoul.info^ +||meorzoi.xyz^ +||meowpushnot.com^ +||mepuyu.xyz^ +||merchenta.com^ +||mercifulsurveysurpass.com^ +||mercuryprettyapplication.com^ +||mercurysugarconsulting.com^ +||merelsrealm.com^ +||mergebroadlyclenched.com^ +||mergedlava.com^ +||mergeindigenous.com^ +||mergerecoil.com^ +||mergobouks.xyz^ +||mericantpastellih.org^ +||merig.xyz^ +||meritabroadauthor.com^ +||merry-hearing.pro^ +||merterpazar.com^ +||mesmerizebeasts.com^ +||mesmerizeexempt.com^ +||mesmerizemutinousleukemia.com^ +||mesodepointed.com^ +||mesqwrte.net^ +||messagereceiver.com^ +||messenger-notify.digital^ +||messenger-notify.xyz^ +||messengeridentifiers.com^ +||messengerreinsomething.com^ +||messsomehow.com^ +||messyadvance.com^ +||mestmoanful.shop^ +||mestreqa.com^ +||mestupidity.com^ +||metahv.xyz^ +||metalbow.com^ +||metatrckpixel.com^ +||metavertising.com^ +||metavertizer.com^ +||meteorclashbailey.com^ +||meteordentproposal.com^ +||methodslacca.top^ +||methodyprovand.com^ +||methoxyunpaled.com^ +||metissebifold.shop^ +||metoacrype.com^ +||metogthr.com^ +||metorealiukz.org^ +||metosk.com^ +||metredesculic.com^ +||metrica-yandex.com^ +||metrics.io^ +||metricswpsh.com^ +||metsaubs.net^ +||metzia.xyz^ +||mevarabon.com^ +||mewgzllnsp.com^ +||mexicantransmission.com^ +||mfadsrvr.com^ +||mfceqvxjdownjm.xyz^ +||mfcewkrob.com^ +||mfg8.space^ +||mflsbcasbpx.com^ +||mfthkdj.com^ +||mgcash.com^ +||mgdjmp.com^ +||mghkpg.com^ +||mgxxuqp.com^ +||mgyccfrshz.com^ +||mhadsd.com^ +||mhadst.com^ +||mhamanoxsa.com^ +||mhbyzzp.com^ +||mhcfsjbqw.com^ +||mhdiaok.com^ +||mhfkleqnjlfbqe.com^ +||mhhr.cloud^ +||mhiiopll.net^ +||mhjxsqujkk.com^ +||mhkvktz.com^ +||mhvllvgrefplg.com^ +||mhwpwcj.com^ +||mi62r416j.com^ +||mi82ltk3veb7.com^ +||miamribud.com^ +||miayarus.com^ +||micechillyorchard.com^ +||micghiga2n7ahjnnsar0fbor.com^ +||michaelschmitz.shop^ +||michealmoyite.com^ +||mickiesetheric.com^ +||microad.net^ +||microadinc.com^ +||microscopeattorney.com^ +||microscopeunderpants.com^ +||microwavedisguises.com^ +||middleagedreminderoperational.com^ +||midgetdeliveringsmartly.com^ +||midgetincidentally.com^ +||midistortrix.com^ +||midlandfeisty.com^ +||midlk.online^ +||midmaintee.com^ +||midnightcontemn.com^ +||midootib.net^ +||midpopedge.com^ +||midstconductcanned.com^ +||midstrelate.com^ +||midstsquonset.com^ +||midstwillow.com^ +||midtermbuildsrobot.com^ +||midtermdoozers.com^ +||midwifelangurs.com^ +||midwiferider.com^ +||mightylottrembling.com^ +||mightytshirtsnitch.com^ +||mignished-sility.com^ +||migopwrajhca.com^ +||migraira.net^ +||migrantacknowledged.com^ +||migrantfarewellmoan.com^ +||migrantspiteconnecting.com^ +||mikop.xyz^ +||mildcauliflower.com^ +||mildjav11.fun^ +||mildlyrambleadroit.com^ +||mildoverridecarbonate.com^ +||mildsewery.click^ +||mileesidesukbein.com^ +||milfunsource.com^ +||militantadulatory.com^ +||milkierjambes.shop^ +||milksquadronsad.com^ +||milkygoodness.xyz^ +||milkywaynewspaper.com^ +||millennialmedia.com^ +||millerminds.com^ +||millingderv.com^ +||millionsafternoonboil.com^ +||milljeanne.com^ +||millsurfaces.com^ +||millustry.top^ +||milrauki.com^ +||milteept.xyz^ +||miltlametta.com^ +||miluwo.com^ +||mimicbeeralb.com^ +||mimicdivineconstable.com^ +||mimicvrows.com^ +||mimilcnf.pro^ +||mimosaavior.top^ +||mimsossopet.com^ +||mimtelurdeghaul.net^ +||mindedallergyclaim.com^ +||mindless-fruit.pro^ +||mindlessnight.com^ +||mindlessslogan.com^ +||mindssometimes.com^ +||minealoftcolumnist.com^ +||minefieldripple.com^ +||minently.com^ +||mineraltip.com^ +||mingleabstainsuccessor.com^ +||mingledcommit.com^ +||mingledcounterfeittitanic.com^ +||minglefrostgrasp.com^ +||mingonnigh.com^ +||miniature-injury.pro^ +||minimize363.fun^ +||minimizetommyunleash.com^ +||minimumonwardfertilised.com^ +||miningonevaccination.com^ +||ministryensuetribute.com^ +||minorcrown.com^ +||minorityspasmodiccommissioner.com^ +||minotaur107.com^ +||minsaith.xyz^ +||mintaza.xyz^ +||mintclick.xyz^ +||minterhazes.com^ +||mintmanrouter.com^ +||mintmanunmanly.com^ +||mintybug.com^ +||minutesdevise.com^ +||minutessongportly.com^ +||mipfohaby.com^ +||miptj.space^ +||miqorhogxc.com^ +||miredindeedeisas.info^ +||mirfakpersei.com^ +||mirfakpersei.top^ +||mirifelon.com^ +||mirmdhtzlwickv.com^ +||mirroraddictedpat.com^ +||mirsouvoow.com^ +||mirsuwoaw.com^ +||mirtacku.xyz^ +||mirthrehearsal.com^ +||misaglam.com^ +||misarea.com^ +||miscalculatesuccessiverelish.com^ +||miscellaneousheartachehunter.com^ +||mischiefrealizationbraces.com^ +||misdeedtucked.shop^ +||miserablefocus.com^ +||miserdiscourteousromance.com^ +||miseryclevernessusage.com^ +||misfields.com^ +||misguidedfind.com^ +||misguidedfriend.pro^ +||misguidednourishing.com^ +||mishandlemole.com^ +||mishapideal.com^ +||mishapsummonmonster.com^ +||misputidemetome.com^ +||misselchyme.shop^ +||missilesocalled.com^ +||missilesurvive.com^ +||missionaryhypocrisypeachy.com^ +||missiondues.com^ +||missitzantiot.com^ +||misslinkvocation.com^ +||misslk.com^ +||misspelluptown.com^ +||misspkl.com^ +||misstaycedule.com^ +||misszuo.xyz^ +||mistakeadministrationgentlemen.com^ +||mistakeenforce.com^ +||misterbangingfancied.com^ +||misterdefrostale.com^ +||mistletoeethicleak.com^ +||mistrustconservation.com^ +||mistydexterityflippant.com^ +||misuseartsy.com^ +||misuseoyster.com^ +||misuseproductions.com^ +||miswordplower.com^ +||mitratechoiler.com^ +||mittyswidden.top^ +||miuo.cloud^ +||mivibsegnuhaub.xyz^ +||miwllmo.com^ +||mixclckchat.net^ +||mixhillvedism.com^ +||mixpo.com^ +||mjfcv.club^ +||mjglzzwwheqlqe.com^ +||mjnkcdmjryvz.click^ +||mjpvukdc.com^ +||mjsytjw.com^ +||mjudrkjajgxx.xyz^ +||mjxlfwvirjmt.com^ +||mkcsjgtfej.com^ +||mkenativji.com^ +||mkepacotck.com^ +||mkhoj.com^ +||mkjsqrpmxqdf.com^ +||mkkvprwskq.com^ +||ml0z14azlflr.com^ +||ml314.com^ +||mlatrmae.net^ +||mlcgaisqudchmgg.com^ +||mldxdtrppa.com^ +||mlhmaoqf.xyz^ +||mlldrlujqg.com^ +||mlnadvertising.com^ +||mlrfltuc.com^ +||mlsys.xyz^ +||mm-cgnews.com^ +||mm-syringe.com^ +||mmadsgadget.com^ +||mmchoicehaving.com^ +||mmctsvc.com^ +||mmentorapp.com^ +||mmismm.com^ +||mmmdn.net^ +||mmoabpvutkr.com^ +||mmondi.com^ +||mmotraffic.com^ +||mmqvujl.com^ +||mmrtb.com^ +||mmvideocdn.com^ +||mmxshltodupdlr.xyz^ +||mn1nm.com^ +||mn230126pb.com^ +||mnaspm.com^ +||mnbvjhg.com^ +||mncvjhg.com^ +||mndlvr.com^ +||mndsrv.com^ +||mndvjhg.com^ +||mnetads.com^ +||mnevjhg.com^ +||mng-ads.com^ +||mnhjk.com^ +||mnhjkl.com^ +||mntzr11.net^ +||mntzrlt.net^ +||mo3i5n46.de^ +||moadworld.com^ +||moaglail.xyz^ +||moagroal.com^ +||moakaumo.com^ +||moanhaul.com^ +||moaningbeautifulnobles.com^ +||moanishaiti.com^ +||moapaglee.net^ +||moartraffic.com^ +||moatads.com^ +||moawgsfidoqm.com^ +||moawhoumahow.com^ +||mob1ledev1ces.com^ +||mobagent.com^ +||mobcardel.top^ +||mobdel.com^ +||mobdel2.com^ +||mobexpectationofficially.com^ +||mobgold.com^ +||mobibiobi.com^ +||mobicont.com^ +||mobicow.com^ +||mobidevdom.com^ +||mobidevmod.com^ +||mobiflyc.com^ +||mobiflyd.com^ +||mobiflyn.com^ +||mobiflys.com^ +||mobifobi.com^ +||mobifoth.com^ +||mobiledevel.com^ +||mobileoffers-dld-download.com^ +||mobileoffers-ep-download.com^ +||mobilepreviouswicked.com^ +||mobiletracking.ru^ +||mobipromote.com^ +||mobiprotg.com^ +||mobiright.com^ +||mobisla.com^ +||mobitracker.info^ +||mobiyield.com^ +||mobmsgs.com^ +||mobpartner.mobi^ +||mobpushup.com^ +||mobreach.com^ +||mobshark.net^ +||mobstitial.com^ +||mobstitialtag.com^ +||mobstrks.com^ +||mobthoughaffected.com^ +||mobtrks.com^ +||mobtyb.com^ +||mobytrks.com^ +||mocean.mobi^ +||mockingcard.com^ +||mockingchuckled.com^ +||mockingcolloquial.com^ +||mockingsubtlecrimpycrimpy.com^ +||mockscissorssatisfaction.com^ +||mocmubse.net^ +||modelingfraudulent.com^ +||modents-diance.com^ +||moderategermmaria.com^ +||modescrips.info^ +||modificationdispatch.com^ +||modifywilliamgravy.com^ +||modoodeul.com^ +||modoro360.com^ +||modulecooper.com^ +||moduledescendantlos.com^ +||modulepush.com^ +||moera.xyz^ +||mofeegavub.net^ +||mogointeractive.com^ +||mohiwhaileed.com^ +||moiernonpaid.com^ +||moilizoi.com^ +||moistblank.com^ +||moistcargo.com^ +||moistenmanoc.com^ +||mojoaffiliates.com^ +||mokrqhjjcaeipf.xyz^ +||moksoxos.com^ +||moleconcern.com^ +||molecularhouseholdadmiral.com^ +||mollesscar.top^ +||molokerpterion.shop^ +||molseelr.xyz^ +||molttenglobins.casa^ +||molypsigry.pro^ +||momclumsycamouflage.com^ +||momdurationallowance.com^ +||momentarilyhalt.com^ +||momentincorrect.com^ +||momentumjob.com^ +||momidrovy.top^ +||momijoy.ru^ +||mommygravelyslime.com^ +||momzersatorii.top^ +||monadplug.com^ +||monarchoysterbureau.com^ +||monarchstraightforwardfurnish.com^ +||moncoerbb.com^ +||mondaydeliciousrevulsion.com^ +||monetag.com^ +||monetizer101.com^ +||moneymak3rstrack.com^ +||moneymakercdn.com^ +||moneytatorone.com^ +||mongailrids.net^ +||mongrelonsetstray.com^ +||monhax.com^ +||monieraldim.click^ +||monismartlink.com^ +||monkeybroker.net^ +||monkeysloveyou.com^ +||monkquestion.com^ +||monksfoodcremate.com^ +||monnionyusdrum.com^ +||monopolydecreaserelationship.com^ +||monsoonlassi.com^ +||monsterofnews.com^ +||monstrous-boyfriend.pro^ +||montafp.top^ +||montangop.top^ +||monthlypatient.com^ +||monthsappear.com^ +||monthsshefacility.com^ +||montkpl.top^ +||montkyodo.top^ +||montlusa.top^ +||montnotimex.top^ +||montpdp.top^ +||montwam.top^ +||monu.delivery^ +||monumentcountless.com^ +||monumentsmaterialeasel.com^ +||monxserver.com^ +||moocaicaico.com^ +||moodjav12.fun^ +||moodokay.com^ +||moodunitsmusic.com^ +||mookie1.com^ +||mooltanagra.top^ +||moomenog.com^ +||moonads.net^ +||mooncklick.com^ +||moonicorn.network^ +||moonjscdn.info^ +||moonoafy.net^ +||moonpollution.com^ +||moonreals.com^ +||moonrocketaffiliates.com^ +||mooptoasinudy.net^ +||mooroore.xyz^ +||mootermedia.com^ +||moowhaufipt.net^ +||mooxar.com^ +||mopedisods.com^ +||mopeia.xyz^ +||mopemodelingfrown.com^ +||mopesrubelle.com^ +||mopiwhoisqui.com^ +||moqbfkfuex.com^ +||moradu.com^ +||moral-enthusiasm.pro^ +||moralitylameinviting.com^ +||mordoops.com^ +||moredetaailsh.com^ +||moregamers.com^ +||morenonfictiondiscontent.com^ +||moreoverwheelbarrow.com^ +||morestamping.com^ +||moretestimonyfearless.com^ +||morgdm.ru^ +||morgenskenotic.shop^ +||morict.com^ +||morningamidamaruhal.com^ +||morningglory101.io^ +||morroinane.com^ +||morselmongoe.shop^ +||mortoncape.com^ +||mortypush.com^ +||moscowautopsyregarding.com^ +||mosqueventure.com^ +||mosqueworking.com^ +||mosquitofelicity.com^ +||mosquitosubjectsimportantly.com^ +||mosrtaek.net^ +||mossgaietyhumiliation.com^ +||mosspf.com^ +||mostauthor.com^ +||mostcolonizetoilet.com^ +||mostlyparabledejected.com^ +||mostlysolecounsellor.com^ +||motelproficientsmartly.com^ +||mothandhad.info^ +||mothandhadbe.info^ +||motherehoom.pro^ +||motionless-range.pro^ +||motionretire.com^ +||motionsablehostess.com^ +||motionspots.com^ +||motivessuggest.com^ +||motleyanybody.com^ +||motsardi.net^ +||moumaiphuch.net^ +||mountainbender.xyz^ +||mountaincaller.top^ +||mountaingaiety.com^ +||mountainwavingequability.com^ +||mountedgrasshomesick.com^ +||mountedstoppage.com^ +||mountrideroven.com^ +||mourncohabit.com^ +||mourndaledisobedience.com^ +||mournfulparties.com^ +||mourningmillsignificant.com^ +||mournpatternremarkable.com^ +||mourntrick.com^ +||mouseforgerycondition.com^ +||moustachepoke.com^ +||mouthdistance.bond^ +||movad.de^ +||movad.net^ +||movcpm.com^ +||movemeforward.co^ +||movementdespise.com^ +||movesickly.com^ +||moveyouforward.co^ +||moveyourdesk.co^ +||movfull.com^ +||movie-pass.club^ +||movie-pass.live^ +||moviead55.ru^ +||moviesflix4k.info^ +||moviesflix4k.xyz^ +||moviesprofit.com^ +||moviesring.com^ +||mowcawdetour.com^ +||mowhamsterradiator.com^ +||mozgvya.com^ +||mozoo.com^ +||mp-pop.barryto.one^ +||mp3bars.com^ +||mp3pro.xyz^ +||mp3vizor.com^ +||mpanyinadi.info^ +||mpanythathaveresultet.info^ +||mpay69.com^ +||mphhqaw.com^ +||mphkwlt.com^ +||mpk01.com^ +||mplayeranyd.info^ +||mploymehnthejuias.info^ +||mpnrs.com^ +||mpougdusr.com^ +||mpqgoircwb.com^ +||mpsuadv.ru^ +||mptentry.com^ +||mptgate.com^ +||mpuwrudpeo.com^ +||mqabjtgli.xyz^ +||mqckjjkx.com^ +||mraozo.xyz^ +||mraza2dosa.com^ +||mrdqimpgmxmmpy.com^ +||mrdzuibek.com^ +||mremlogjam.com^ +||mreuodref.com^ +||mrgrekeroad.com^ +||mrjb7hvcks.com^ +||mrlscr.com^ +||mrmnd.com^ +||mrtnsvr.com^ +||mrvio.com^ +||mryzroahta.com^ +||ms3t.club^ +||msads.net^ +||msehm.com^ +||msgose.com^ +||mshago.com^ +||msre2lp.com^ +||msrehcmpeme.com^ +||msrvt.net^ +||mt34iofvjay.com^ +||mtburn.com^ +||mtejadostvovn.com^ +||mthvjim.com^ +||mtkgyrzfygdh.com^ +||mtptaewihgbzcq.com^ +||mtuvr.life^ +||mtypitea.net^ +||mtysrtgur.com^ +||mtzenhigqg.com^ +||muai-pysmlp.icu^ +||muchezougree.com^ +||muchlivepad.com^ +||muchooltoarsie.net^ +||mucinyak.com^ +||muckilywayback.top^ +||mucvvcbqrwfmir.com^ +||muddiedbubales.com^ +||muddyharold.com^ +||muddyquote.pro^ +||muendakutyfore.info^ +||mufflercypress.com^ +||mufflerlightsgroups.com^ +||mugfulacrania.top^ +||mugleafly.com^ +||mugpothop.com^ +||mukhtarproving.com^ +||mulberrydoubloons.com^ +||mulberryresistoverwork.com^ +||mulberrytoss.com^ +||muleattackscrease.com^ +||mulecleared.com^ +||mulesto.com^ +||muletatyphic.com^ +||mulmullcottrel.com^ +||mulsouloobsaiz.xyz^ +||multieser.info^ +||multisetup.pro^ +||multiwall-ads.shop^ +||multstorage.com^ +||mumintend.com^ +||mummydiverseprovided.com^ +||mumoartoor.net^ +||munchakhlame.top^ +||munilf.com^ +||munpracticalwh.info^ +||munqb.xyz^ +||mupattbpoj.com^ +||muragetunnel.com^ +||murallyhuashi.casa^ +||murderassuredness.com^ +||muricidmartins.com^ +||muriheem.net^ +||murkybrashly.com^ +||murkymouse.online^ +||murolwsi.com^ +||musclesadmonishment.com^ +||musclesprefacelie.com^ +||muscularcopiedgulp.com^ +||musedemeanouregyptian.com^ +||museummargin.com^ +||mushroomplainsbroadly.com^ +||musiccampusmanure.com^ +||musicianabrasiveorganism.com^ +||musicnote.info^ +||musselchangeableskier.com^ +||mustbehand.com^ +||mustdealingfrustration.com^ +||mustersvyrnwy.top^ +||mutatesreatus.shop^ +||mutcheng.net^ +||mutecrane.com^ +||mutenessdollyheadlong.com^ +||muthfourre.com^ +||mutinydisgraceeject.com^ +||mutinygrannyhenceforward.com^ +||mutsjeamenism.com^ +||mutteredadisa.com^ +||muttermathematical.com^ +||mutualreviveably.com^ +||muzarabeponym.website^ +||muzoohat.net^ +||muzzlematrix.com^ +||muzzlepairhysteria.com^ +||mvblxbuxe.com^ +||mvfmdfsvoq.com^ +||mvlxwnbeucyrfam.xyz^ +||mvlxxocul.xyz^ +||mvlyimxovnsw.xyz^ +||mvmzlg.xyz^ +||mvnznqp.com^ +||mvujvxc.com^ +||mvwslulukdlux.xyz^ +||mwkusgotlzu.com^ +||mwlle.com^ +||mworkhovdiminat.info^ +||mwprotected.com^ +||mwquick.com^ +||mwrgi.com^ +||mwtnnfseoiernjx.xyz^ +||mwxopip.com^ +||mxgboxq.com^ +||mxmkhyrmup.com^ +||mxptint.net^ +||mxuiso.com^ +||my-hanson.com^ +||my-rudderjolly.com^ +||my.shymilftube.com^ +||my1elitclub.com^ +||myactualblog.com^ +||myadcash.com^ +||myadsserver.com^ +||myaudioads.com^ +||mybestdc.com^ +||mybestnewz.com^ +||mybetterck.com^ +||mybetterdl.com^ +||mybmrtrg.com^ +||mycamlover.com^ +||mycasinoaccounts.com^ +||mycdn.co^ +||mycdn2.co^ +||mycelesterno.com^ +||myckdom.com^ +||mycloudreference.com^ +||mycoolfeed.com^ +||mycoolnewz.com^ +||mycrdhtv.xyz^ +||mycuegxt.com^ +||mydailynewz.com^ +||myeasetrack.com^ +||myeasyvpn.com^ +||myeswglq-m.online^ +||myfastcdn.com^ +||myfreshposts.com^ +||myfreshspot.com^ +||mygoodlives.com^ +||mygtmn.com^ +||myhappy-news.com^ +||myhugewords.com^ +||myhypeposts.com^ +||myhypestories.com^ +||myimagetracking.com^ +||myimgt.com^ +||myjack-potscore.life^ +||mykiger.com^ +||mykneads24.com^ +||mykofyridhsoss.xyz^ +||mylinkbox.com^ +||mylot.com^ +||mymembermatchmagic.life^ +||myniceposts.com^ +||myolnyr5bsk18.com^ +||myosoteruins.com^ +||myperfect2give.com^ +||mypopadpro.com^ +||mypopads.com^ +||myricasicon.top^ +||myroledance.com^ +||myselfkneelsmoulder.com^ +||mysticaldespiseelongated.com^ +||mysticmatebiting.com^ +||mysweetteam.com^ +||mytdsnet.com^ +||myteamdev.com^ +||mythicsallies.com^ +||mythings.com^ +||mytiris.com^ +||mywondertrip.com^ +||mzicucalbw.com^ +||mziso.xyz^ +||mzol7lbm.com^ +||mzteishamp.com^ +||mztqgmr.com^ +||mzuspejtuodc.com^ +||mzwdiyfp.com^ +||n0299.com^ +||n0355.com^ +||n0400.com^ +||n0433.com^ +||n0gge40o.de^ +||n0v1cdn.com^ +||n2major.com^ +||n49seircas7r.com^ +||n4m5x60.com^ +||n7e4t5trg0u3yegn8szj9c8xjz5wf8szcj2a5h9dzxjs50salczs8azls0zm.com^ +||n9s74npl.de^ +||nabalpal.com^ +||nabauxou.net^ +||nabbr.com^ +||nabgrocercrescent.com^ +||nachodusking.com^ +||nachunscaly.click^ +||nacontent.pro^ +||nadajotum.com^ +||nadruphoordy.xyz^ +||nads.io^ +||naewynn.com^ +||naforeshow.org^ +||naggingirresponsible.com^ +||nagnailmobcap.shop^ +||nagrainoughu.com^ +||nagrande.com^ +||naiantcapling.com^ +||naiglipu.xyz^ +||naigristoa.com^ +||nailsandothesa.org^ +||naimoate.xyz^ +||naipatouz.com^ +||naipsaigou.com^ +||naipsouz.net^ +||nairapp.com^ +||naisepsaige.com^ +||naistophoje.net^ +||naive-skin.pro^ +||naivescorries.com^ +||nakedfulfilhairy.com^ +||nalhedgelnhamf.info^ +||naliw.xyz^ +||nalraughaksie.net^ +||nalyticaframeofm.com^ +||nameads.com^ +||namel.net^ +||namelessably.com^ +||namesakecapricorntotally.com^ +||namesakeoscilloscopemarquis.com^ +||namestore.shop^ +||namjzoa.xyz^ +||namol.xyz^ +||nan0cns.com^ +||nan46ysangt28eec.com^ +||nanakotrilith.com^ +||nanborderrocket.com^ +||nancontrast.com^ +||nandtheathema.info^ +||nanesbewail.com^ +||nanfleshturtle.com^ +||nangalupeose.com^ +||nangelsaidthe.info^ +||nanhermione.com^ +||naoudodra.com^ +||napainsi.net^ +||napallergy.com^ +||naperyhostel.shop^ +||naplespogrom.top^ +||narenrosrow.com^ +||narkalignevil.com^ +||narrucp.com^ +||narwatiosqg.xyz^ +||nasosettoourm.com^ +||nastokit.com^ +||nastycognateladen.com^ +||nastycomfort.pro^ +||nastymankinddefective.com^ +||natapea.com^ +||nathanaeldan.pro^ +||nathejewlike.shop^ +||nationalarguments.com^ +||nationhandbook.com^ +||nationsencodecordial.com^ +||nativclick.com^ +||native-adserver.com^ +||nativeadmatch.com^ +||nativeadsfeed.com^ +||nativepu.sh^ +||nativeshumbug.com^ +||nativewpsh.com^ +||natregs.com^ +||natsdk.com^ +||nattepush.com^ +||nattierpegwood.com^ +||naturalhealthsource.club^ +||naturalistsbumpmystic.com^ +||naturallyedaciousedacious.com^ +||naturebunk.com^ +||naturewhatmotor.com^ +||naubme.info^ +||naucaish.net^ +||naufistuwha.com^ +||naughtynotice.pro^ +||naukegainok.net^ +||naulme.info^ +||naupouch.xyz^ +||naupsakiwhy.com^ +||naupseko.com^ +||naupsithizeekee.com^ +||nauthait.com^ +||nautijutheest.net^ +||nauwheer.net^ +||nauzaphoay.net^ +||navaidaosmic.top^ +||navelasylumcook.com^ +||navelfletch.com^ +||naveljutmistress.com^ +||navigablepiercing.com^ +||navigateconfuseanonymous.com^ +||navigatecrudeoutlaw.com^ +||navigateembassy.com^ +||navigateiriswilliam.com^ +||navigatingnautical.xyz^ +||nawpush.com^ +||naxadrug.com^ +||naybreath.com^ +||nb09pypu4.com^ +||nbmramf.de^ +||nboclympics.com^ +||nbottkauyy.com^ +||nbstatic.com^ +||nceteventuryrem.com^ +||ncojkokhi.com^ +||nctwoseln.xyz^ +||ncubadmavfp.com^ +||ncukankingwith.info^ +||ncwabgl.com^ +||ncz3u7cj2.com^ +||nczxuga.com^ +||ndandinter.hair^ +||ndaspiratiotyukn.com^ +||ndatgiicef.com^ +||ndaymidydlesswale.info^ +||ndcomemunica.com^ +||nddpynonxw.xyz^ +||ndegj3peoh.com^ +||ndejhe73jslaw093.com^ +||ndenthaitingsho.com^ +||nderpurganismpr.info^ +||nderthfeo.info^ +||ndha4sding6gf.com^ +||nditingdecord.org^ +||ndjelsefd.com^ +||ndlesexwrecko.org^ +||ndpugkr.com^ +||ndqkxjo.com^ +||ndroip.com^ +||ndthensome.com^ +||ndymehnthakuty.com^ +||ndzksr.xyz^ +||ndzoaaa.com^ +||neads.delivery^ +||neahbutwehavein.info^ +||neandwillha.info^ +||nearestaxe.com^ +||nearestmicrowavespends.com^ +||nearvictorydame.com^ +||neat-period.com^ +||neateclipsevehemence.com^ +||neawaytogyptsix.info^ +||nebbowmen.top^ +||nebsefte.net^ +||nebulouslostpremium.com^ +||nebumsoz.net^ +||necessaryescort.com^ +||necheadirtlse.org^ +||nechupsu.com^ +||neckedhilting.com^ +||neckloveham.live^ +||nedamericantpas.info^ +||nedmofqnhbvifw.com^ +||nedouseso.com^ +||neebeech.com^ +||neebourshifts.shop^ +||neechube.net^ +||needeevo.xyz^ +||needleworkemmaapostrophe.com^ +||needleworkhearingnorm.com^ +||needydepart.com^ +||needyscarcasserole.com^ +||neegreez.com^ +||neehaifam.net^ +||neehoose.com^ +||neejaiduna.net^ +||neemsdemagog.shop^ +||neepomiba.net^ +||neerecah.xyz^ +||neesihoothak.net^ +||neewouwoafisha.net^ +||neezausu.net^ +||nefdcnmvbt.com^ +||negationomitor.com^ +||negative-might.pro^ +||neglectblessing.com^ +||negligentpatentrefine.com^ +||negolist.com^ +||negotiaterealm.com^ +||negotiationmajestic.com^ +||negxkj5ca.com^ +||negyuk.com^ +||neigh11.xyz^ +||neighborhood268.fun^ +||neighrewarn.click^ +||neitherpennylack.com^ +||nelhon.com^ +||nellads.com^ +||nellmeeten.com^ +||nellthirteenthoperative.com^ +||nelreerdu.net^ +||nemtoorgeeps.net^ +||nenectedithcon.info^ +||nengeetcha.net^ +||neoftheownouncillo.info^ +||neousaunce.com^ +||nepoamoo.com^ +||neptaunoop.com^ +||nerdolac.com^ +||nereserv.com^ +||nereu-gdr.com^ +||nerfctv.com^ +||neropolicycreat.com^ +||nervegus.com^ +||nervessharehardness.com^ +||nervoustolsel.com^ +||neshigreek.com^ +||nessainy.net^ +||nestledmph.com^ +||net.egravure.com^ +||netcatx.com^ +||netflopin.com^ +||netherinertia.life^ +||nethosta.com^ +||netpatas.com^ +||netrefer.co^ +||netstam.com^ +||netund.com^ +||neutralturbulentassist.com^ +||nevbbl.com^ +||never2never.com^ +||neverforgettab.com^ +||neverthelessamazing.com^ +||neverthelessdepression.com^ +||nevillepreserved.com^ +||new-incoming.email^ +||new-new-years.com^ +||new-programmatic.com^ +||new17write.com^ +||newadsfit.com^ +||newaprads.com^ +||newbiquge.org^ +||newbluetrue.xyz^ +||newbornprayerseagle.com^ +||newcagblkyuyh.com^ +||newcategory.pro^ +||newdisplayformats.com^ +||newdomain.center^ +||newestchalk.com^ +||newhigee.net^ +||newjulads.com^ +||newlifezen.com^ +||newlyleisure.com^ +||newlywedexperiments.com^ +||newmayads.com^ +||newnewton.pw^ +||newoctads.com^ +||newprofitcontrol.com^ +||newregazedatth.com^ +||newrotatormarch23.bid^ +||newrtbbid.com^ +||news-back.org^ +||news-bbipasu.today^ +||news-buzz.cc^ +||news-galuzo.cc^ +||news-getogo.com^ +||news-headlines.co^ +||news-jelafa.com^ +||news-jivera.com^ +||news-mefuba.cc^ +||news-place1.xyz^ +||news-portals1.xyz^ +||news-rojaxa.com^ +||news-site1.xyz^ +||news-tamumu.cc^ +||news-universe1.xyz^ +||news-weekend1.xyz^ +||news-wew.click^ +||news-xduzuco.com^ +||news-xmiyasa.com^ +||newsaboutsugar.com^ +||newsadst.com^ +||newsatads.com^ +||newscadence.com^ +||newsfeedscroller.com^ +||newsformuse.com^ +||newsfortoday2.xyz^ +||newsforyourmood.com^ +||newsfrompluto.com^ +||newsignites.com^ +||newsinform.net^ +||newslettergermantreason.com^ +||newsletterinspectallpurpose.com^ +||newsletterparalyzed.com^ +||newslikemeds.com^ +||newsmaxfeednetwork.com^ +||newsnourish.com^ +||newspapermeaningless.com^ +||newstarads.com^ +||newstemptation.com^ +||newsunads.com^ +||newswhose.com^ +||newsyour.net^ +||newthuads.com^ +||newton.pw^ +||newvideoapp.pro^ +||newwinner.life^ +||nexaapptwp.top^ +||nextmeon.com^ +||nextmillmedia.com^ +||nextpsh.top^ +||nexusbloom.xyz^ +||neyoxa.xyz^ +||nezygmobha.com^ +||nfgxadlbfzuy.click^ +||nfjdxtfpclfh.com^ +||nfkd2ug8d9.com^ +||nfuwlooaodf.com^ +||nfuwpyx.com^ +||nfyowjhcgb.com^ +||ngegas.files.im^ +||ngfruitiesmatc.info^ +||ngfycrwwd.com^ +||ngineet.cfd^ +||ngjgnidajyls.xyz^ +||nglestpeoplesho.com^ +||nglmedia.com^ +||ngshospicalada.com^ +||ngsinspiringtga.info^ +||ngvcalslfbmtcjq.xyz^ +||nheappyrincen.info^ +||nhgpidvhdzm.vip^ +||nhisdhiltewasver.com^ +||nhopaepzrh.com^ +||nhphkweyx.xyz^ +||nibiwjnmn.xyz^ +||niblicfabrics.shop^ +||nicatethebene.info^ +||nice-mw.com^ +||nicelocaldates.com^ +||nicelyinformant.com^ +||nicerisle.com^ +||nicheads.com^ +||nichedlinks.com^ +||nichedreps.life^ +||nichedruta.shop^ +||nicheevaderesidential.com^ +||nichools.com^ +||nickeeha.net^ +||nickeleavesdropping.com^ +||nickelphantomability.com^ +||nicknameuntie.com^ +||nicksstevmark.com^ +||nidaungig.net^ +||nidredra.net^ +||niduliswound.shop^ +||niecesauthor.com^ +||niecesexhaustsilas.com^ +||niecesregisteredhorrid.com^ +||niersfohiplaceof.info^ +||nieveni.com^ +||nightbesties.com^ +||nightclubconceivedmanuscript.com^ +||nighter.club^ +||nightfallroad.com^ +||nightmarerelive.com^ +||nightspickcough.com^ +||nigmen.com^ +||nigroopheert.com^ +||nijaultuweftie.net^ +||nikkiexxxads.com^ +||niltibse.net^ +||nimhuemark.com^ +||nimrute.com^ +||nindsstudio.com^ +||nineteenlevy.com^ +||nineteenthdipper.com^ +||nineteenthpurple.com^ +||nineteenthsoftballmorality.com^ +||ninetyfitful.com^ +||ninetyninesec.com^ +||ninetypastime.com^ +||ningdblukzqp.com^ +||ninkorant.online^ +||ninnycoastal.com^ +||ninthfad.com^ +||nipcrater.com^ +||nippona7n2theum.com^ +||niqwtevkb.xyz^ +||nishoagn.com^ +||nismscoldnesfspu.com^ +||nitohptzo.com^ +||nitridslah.com^ +||nitrogendetestable.com^ +||niveausatan.shop^ +||niwluvepisj.site^ +||niwooghu.com^ +||niyimu.xyz^ +||nizarstream.xyz^ +||nizvimq.com^ +||njmhklddv.xyz^ +||njpaqnkhaxpwg.xyz^ +||nkewdzp.com^ +||nkfinsdg.com^ +||nkljaxdeoygatfw.xyz^ +||nkmsite.com^ +||nknbolwdeosi.com^ +||nkredir.com^ +||nlblzmn.com^ +||nld0jsg9s9p8.com^ +||nleldedallovera.info^ +||nlkli.com^ +||nlnmfkr.com^ +||nlntrk.com^ +||nmanateex.top^ +||nmcdn.us^ +||nmersju.com^ +||nmevhudzi.com^ +||nmimatrme.com^ +||nmkli.com^ +||nnightherefl.info^ +||nnowa.com^ +||nnxfiqgqdsoywwa.com^ +||nnxxjjhcwdfsbsa.xyz^ +||no2veeamggaseber.com^ +||noaderir.com^ +||noahilum.net^ +||noapsovochu.net^ +||noaptauw.com^ +||noblefosse.shop^ +||noblelevityconcrete.com^ +||noblesweb.com^ +||nobodyengagement.com^ +||nobodylightenacquaintance.com^ +||nocaudsomt.xyz^ +||noclef.com^ +||nocturnal-employer.pro^ +||nodreewy.net^ +||noearon.click^ +||noelsdoc.cam^ +||noerwe5gianfor19e4st.com^ +||nofashot.com^ +||nofidroa.xyz^ +||nognoongut.com^ +||nohezu.xyz^ +||nohowsankhya.com^ +||noiselessvegetables.com^ +||noisesperusemotel.com^ +||noisyjoke.pro^ +||noisyoursarrears.com^ +||noisytowel.pro^ +||noisyunidentifiedinherited.com^ +||noktaglaik.com^ +||nolduniques.shop^ +||nolojo.com^ +||nomadodiouscherry.com^ +||nomadsbrand.com^ +||nomadsfit.com^ +||nomeetit.net^ +||nomeuspagrus.com^ +||nominalclck.name^ +||nominatecambridgetwins.com^ +||nomorepecans.com^ +||noncepter.com^ +||noncommittaltextbookcosign.com^ +||nondescriptelapse.com^ +||nonepushed.com^ +||nonerr.com^ +||nonesleepbridle.com^ +||nonestolesantes.com^ +||nonfictionrobustchastise.com^ +||nonfictiontickle.com^ +||nongrayrestis.com^ +||nonjurysundang.top^ +||nonoossol.xyz^ +||nonstoppartner.de^ +||nontraditionally.rest^ +||noodledesperately.com^ +||noohapou.com^ +||noojoomo.com^ +||nookwiser.com^ +||noolt.com^ +||noondaylingers.com^ +||noopapnoeic.digital^ +||noopking.com^ +||nooraunod.com^ +||noouplit.com^ +||noowoochuveb.net^ +||nope.xn--mgbkt9eckr.net^ +||nope.xn--ngbcrg3b.com^ +||nope.xn--ygba1c.wtf^ +||noptog.com^ +||norentisol.com^ +||noretia.com^ +||normalfloat.com^ +||normalheart.pro^ +||normallycollector.com^ +||normallydirtenterprising.com^ +||normalpike.com^ +||normkela.com^ +||normugtog.com^ +||norrisengraveconvertible.com^ +||norrissoundinghometown.com^ +||northmay.com^ +||nosebleedjumbleblissful.com^ +||nossairt.net^ +||nostrilquarryprecursor.com^ +||nostrilsdisappearedconceited.com^ +||nostrilsunwanted.com^ +||notabilitytragic.com^ +||notablechemistry.pro^ +||notablefaxfloss.com^ +||notaloneathome.com^ +||notcotal.com^ +||notdyedfinance.com^ +||notebookbesiege.com^ +||noted-factor.pro^ +||notepastaparliamentary.com^ +||notepositivelycomplaints.com^ +||notesbook.in^ +||notesrumba.com^ +||nothingfairnessdemonstrate.com^ +||nothingpetwring.com^ +||nothycantyo.com^ +||noticebroughtcloud.com^ +||noticedbibi.com^ +||notifcationpushnow.com^ +||notification-list.com^ +||notificationallow.com^ +||notifications.website^ +||notiflist.com^ +||notifpushnext.net^ +||notify-service.com^ +||notify.rocks^ +||notify6.com^ +||notifydisparage.com^ +||notifyerr.com^ +||notifyoutspoken.com^ +||notifypicture.info^ +||notifysrv.com^ +||notifzone.com^ +||notiks.io^ +||notiksio.com^ +||notionfoggy.com^ +||notionstayed.com^ +||notix-tag.com^ +||notix.io^ +||notjdyincro.com^ +||notoings.com^ +||notonthebedsheets.com^ +||notorietycheerypositively.com^ +||notorietyobservation.com^ +||notorietyterrifiedwitty.com^ +||notoriouscount.com^ +||nougacoush.com^ +||noughttrustthreshold.com^ +||noukotumorn.com^ +||nounaswarm.com^ +||noungundated.com^ +||nounooch.com^ +||nounpasswordangles.com^ +||nounrespectively.com^ +||noupooth.com^ +||noupsube.xyz^ +||nourishinghorny.com^ +||nourishmentpavementably.com^ +||nourishmentrespective.com^ +||noustadegry.com^ +||nouveau-digital.com^ +||nouzeeloopta.com^ +||novadune.com^ +||novel-inevitable.com^ +||novelaoutfire.shop^ +||novelcompliance.com^ +||novelslopeoppressive.com^ +||novelty.media^ +||noveltyensue.com^ +||novemberadventures.com^ +||novemberadventures.name^ +||novemberassimilate.com^ +||novemberslantwilfrid.com^ +||novibet.partners^ +||novidash.com^ +||novitrk1.com^ +||novitrk4.com^ +||novitrk7.com^ +||novitrk8.com^ +||nowaoutujm-u.vip^ +||nowelslicers.shop^ +||nowforfile.com^ +||nowheresank.com^ +||nowlooking.net^ +||nowspots.com^ +||nowsubmission.com^ +||nowtrk.com^ +||noxiousinvestor.com^ +||noxiousrecklesssuspected.com^ +||nozirelower.top^ +||nozoakamsaun.net^ +||nozzorli.com^ +||npcad.com^ +||npcta.xyz^ +||npdnnsgg.com^ +||npetropicalnorma.com^ +||npetropicalnormati.org^ +||npkkpknlwaslhtp.xyz^ +||npprvby.com^ +||npracticalwhic.buzz^ +||nptauiw.com^ +||nptmyqnua.com^ +||npugpilraku.com^ +||npulchj.com^ +||npvos.com^ +||nqftyfn.com^ +||nqmoyjyjngc.com^ +||nqn7la7.de^ +||nqrkzcd7ixwr.com^ +||nqslmtuswqdz.com^ +||nqvi-lnlu.icu^ +||nrcykmnukb.com^ +||nreg.world^ +||nretholas.com^ +||nrnma.com^ +||nronudigd.xyz^ +||nrqjoxar.com^ +||nrs6ffl9w.com^ +||nrtaimyrk.com^ +||nsaascp.com^ +||nsbmfllp.com^ +||nsdsvc.com^ +||nservantasrela.info^ +||nsftrmxwehcsm.com^ +||nsfwadds.com^ +||nsfxopckqflk.com^ +||nsjyfpo.com^ +||nskwqto.com^ +||nsmartad.com^ +||nsmbssogmssym.com^ +||nsmpydfe.net^ +||nspmotion.com^ +||nspot.co^ +||nstoodthestatu.info^ +||nsultingcoe.net^ +||nszeybs.com^ +||ntdhfhpr-o.rocks^ +||ntedbycathyhou.com^ +||ntlcgevw-u.one^ +||ntlysearchingf.info^ +||ntmastsaultet.info^ +||ntoftheusysia.info^ +||ntoftheusysianedt.info^ +||ntoftheusysih.info^ +||ntqtvdlnzhkoc.com^ +||ntreeom.com^ +||ntrfr.leovegas.com^ +||ntrftrksec.com^ +||ntshp.space^ +||ntsiwoulukdlik.com^ +||ntswithde.autos^ +||ntuplay.xyz^ +||ntv.io^ +||ntvk1.ru^ +||ntvpevents.com^ +||ntvpforever.com^ +||ntvpinp.com^ +||ntvpwpush.com^ +||ntvsw.com^ +||ntxviewsinterfu.info^ +||ntygtomuj.com^ +||nubileforward.com^ +||nubseech.com^ +||nucleo.online^ +||nudapp.com^ +||nudebenzoyl.digital^ +||nudesgirlsx.com^ +||nudgehydrogen.com^ +||nudgeworry.com^ +||nuevonoelmid.com^ +||nuftitoat.net^ +||nugrudsu.xyz^ +||nui.media^ +||nuisancehi.com^ +||nukeluck.net^ +||nuleedsa.net^ +||nulez.xyz^ +||null-point.com^ +||nullscateringinforms.com^ +||nullsglitter.com^ +||numb-price.pro^ +||numberium.com^ +||numberscoke.com^ +||numbersinsufficientone.com^ +||numbertrck.com^ +||numbmemory.com^ +||numbninth.com^ +||numbswing.pro^ +||numericprosapy.shop^ +||nunearn.com^ +||nuniceberg.com^ +||nunsourdaultozy.net^ +||nupdhyzetb.com^ +||nuphizarrafw.com^ +||nurewsawaninc.info^ +||nurhagstackup.com^ +||nurno.com^ +||nurobi.info^ +||nurserysurvivortogether.com^ +||nuseek.com^ +||nutantvirific.com^ +||nutchaungong.com^ +||nutiipwkk.com^ +||nutmegshow.com^ +||nutriaalvah.com^ +||nutrientassumptionclaims.com^ +||nutritionshooterinstructor.com^ +||nutshellwhipunderstood.com^ +||nuttedmoireed.shop^ +||nuttishstromb.shop^ +||nuttywealth.pro^ +||nv3tosjqd.com^ +||nvane.com^ +||nvjgmugfqmffbgk.xyz^ +||nvlcnvyqvpjppi.xyz^ +||nvtvssczb.com^ +||nvuwqcfdux.xyz^ +||nvuzubaus.tech^ +||nvwjhrimontqvjo.com^ +||nwejuljibczi.com^ +||nwemnd.com^ +||nwmnd.com^ +||nwq-frjbumf.today^ +||nwqandxa.com^ +||nwseiihafvyl.com^ +||nwwais.com^ +||nwwrtbbit.com^ +||nxexydg.com^ +||nxgzeejhs.com^ +||nxhfkfyy.xyz^ +||nxikijn.com^ +||nxiqnykwaquy.xyz^ +||nxszxho.com^ +||nxt-psh.com^ +||nxtck.com^ +||nxtpsh.top^ +||nxtytjeakstivh.com^ +||nxwdifau.com^ +||nxymehwu.com^ +||nyadmcncserve-05y06a.com^ +||nyadra.com^ +||nyetm2mkch.com^ +||nygwcwsvnu.com^ +||nyihcpzdloe.com^ +||nylghaudentin.com^ +||nylonnickel.com^ +||nylonnickel.xyz^ +||nyorgagetnizati.info^ +||nytrng.com^ +||nyutkikha.info^ +||nzfhloo.com^ +||nzme-ads.co.nz^ +||nzuebfy.com^ +||o-jmzsoafs.global^ +||o-mvlwdxr.icu^ +||o-oo.ooo^ +||o18.click^ +||o18.link^ +||o2c7dks4.de^ +||o31249ehg2k1.shop^ +||o313o.com^ +||o333o.com^ +||o3sxhw5ad.com^ +||o4nofsh6.de^ +||o4uxrk33.com^ +||o626b32etkg6.com^ +||o911o.com^ +||oaajylbosyndpjl.com^ +||oacaighy.com^ +||oaceewhouceet.net^ +||oackaudrikrul.net^ +||oackoubs.com^ +||oacoagne.com^ +||oadaiptu.com^ +||oadehibut.xyz^ +||oadrojoa.net^ +||oafairoadu.net^ +||oafqsofimps.com^ +||oaftaijo.net^ +||oagleeju.xyz^ +||oagnatch.com^ +||oagnifuzaung.net^ +||oagnolti.net^ +||oagoalee.xyz^ +||oagreess.net^ +||oagroucestou.net^ +||oahosaisaign.com^ +||oahxvgssaxrg.com^ +||oainternetservices.com^ +||oainzuo.xyz^ +||oajsffmrj.xyz^ +||oakaumou.xyz^ +||oakbustrp.com^ +||oakchokerfumes.com^ +||oaklesy.com^ +||oakmostlyaccounting.com^ +||oakoghoy.net^ +||oakrirtorsy.xyz^ +||oaksandtheircle.info^ +||oalsauwy.net^ +||oalselry.com^ +||oamoacirdaures.net^ +||oamoameevee.net^ +||oamoatch.com^ +||oamtorsa.net^ +||oanimsen.net^ +||oansaifo.net^ +||oaphoace.net^ +||oaphogekr.com^ +||oaphooftaus.com^ +||oapsoulreen.net^ +||oaraiwephoursou.net^ +||oardilin.com^ +||oarouwousti.com^ +||oarsoathaihoamt.net^ +||oarsparttimeparent.com^ +||oarssamgrandparents.com^ +||oarswithdraw.com^ +||oartauksak.net^ +||oartoogree.com^ +||oartouco.com^ +||oartylkbt.com^ +||oasazedy.com^ +||oasishonestydemented.com^ +||oassackegh.net^ +||oassimpi.net^ +||oastoumsaimpoa.xyz^ +||oatchelt.com^ +||oatchoagnoud.com^ +||oatmealstickyflax.com^ +||oatscheapen.com^ +||oatsegnickeez.net^ +||oavurognaurd.net^ +||oawhaursaith.com^ +||oaxoulro.com^ +||oaxpcohp.com^ +||obbkucbipw.com^ +||obdtawpwyr.com^ +||obduratesettingbeetle.com^ +||obediencechainednoun.com^ +||obedientapologyinefficient.com^ +||obedientrock.com^ +||obedirectukly.info^ +||obeliacallay.com^ +||obesityvanmost.shop^ +||obeus.com^ +||obeyedortostr.cc^ +||obeyfreelanceloan.com^ +||obeyingdecrier.shop^ +||obeysatman.com^ +||obgdk.top^ +||obhggjchjkpb.xyz^ +||objectionportedseaside.com^ +||objective-wright-961fed.netlify.com^ +||objectivepressure.com^ +||objectsentrust.com^ +||objectsrented.com^ +||obligebuffaloirresolute.com^ +||obliterateminingarise.com^ +||oblivionpie.com^ +||oblivionthreatjeopardy.com^ +||obnoxiouspatrolassault.com^ +||obouckie.com^ +||obqaxzon.com^ +||obr3.space^ +||obrom.xyz^ +||obscurejury.com^ +||observationsolution.top^ +||observationsolution3.top^ +||observationtable.com^ +||observativus.com^ +||observedbrainpowerweb.com^ +||observedlily.com^ +||observer3452.fun^ +||observer384.fun^ +||observerdispleasejune.com^ +||obsesschristening.com^ +||obsessionseparation.com^ +||obsessivepetsbean.com^ +||obsessivepossibilityminimize.com^ +||obsessthank.com^ +||obsidiancutter.top^ +||obstaclemuzzlepitfall.com^ +||obstanceder.pro^ +||obtainedcredentials.com^ +||obtaintrout.com^ +||obtrusivecrisispure.com^ +||obviousestate.com^ +||oc2tdxocb3ae0r.com^ +||ocardoniel.com^ +||ocbnihhu.com^ +||occasion219.fun^ +||occdmioqlo.com^ +||occndvwqxhgeicg.xyz^ +||occums.com^ +||occupiedpace.com^ +||occurclaimed.com^ +||occurdefrost.com^ +||ocean-trk.com^ +||ocgbexwybtjrai.xyz^ +||ochoovoajaw.xyz^ +||ocjmbhy.com^ +||ockerfisher.top^ +||oclaserver.com^ +||oclasrv.com^ +||ocmhood.com^ +||ocmtag.com^ +||ocoaksib.com^ +||oconner.link^ +||ocoumsetoul.com^ +||ocponcphaafb.com^ +||octanmystes.com^ +||octoads.shop^ +||octobergypsydeny.com^ +||octoberrates.com^ +||octonewjs.com^ +||octopidroners.com^ +||octopod.cc^ +||octopuspop.com^ +||octroinewings.shop^ +||ocuwyfarlvbq.com^ +||ocxihhlqc.xyz^ +||ocypetediplont.shop^ +||odallerdosser.shop^ +||odalrevaursartu.net^ +||oddsserve.com^ +||odeecmoothaith.net^ +||odemonstrat.pro^ +||odintsures.click^ +||odnaknopka.ru^ +||odologyelicit.com^ +||odourcowspeculation.com^ +||odpgponumrw.com^ +||odqciqdazjuk.com^ +||odvrjedubvedqs.com^ +||oehgk.com^ +||oelwojattkd.xyz^ +||oestpq.com^ +||oevll.com^ +||of-bo.com^ +||ofcamerupta.com^ +||ofclaydolr.com^ +||ofdanpozlgha.com^ +||ofdittor.com^ +||ofdomjzpix.com^ +||ofdrapiona.com^ +||offalakazaman.com^ +||offchatotor.com^ +||offenddishwater.com^ +||offendergrapefruitillegally.com^ +||offenseholdrestriction.com^ +||offenseshabbyrestless.com^ +||offergate-apps-pubrel.com^ +||offergate-games-download1.com^ +||offergate-software6.com^ +||offerimage.com^ +||offerlink.co^ +||offersbid.net^ +||offershub.net^ +||offerstrackingnow.com^ +||offerwall.site^ +||offfurreton.com^ +||offhandclubhouse.com^ +||offhandpump.com^ +||office1266.fun^ +||officerdiscontentedalley.com^ +||officetablntry.org^ +||officialbanisters.com^ +||officiallyflabbyperch.com^ +||officialraising.com^ +||offmachopor.com^ +||offmantiner.com^ +||offoonguser.com^ +||offpichuan.com^ +||offsetpushful.com^ +||offshoreapprenticeheadphone.com^ +||offshoredependant.com^ +||offshoredutchencouraging.com^ +||offshuppetchan.com^ +||offsigilyphor.com^ +||offsteelixa.com^ +||ofglicoron.net^ +||ofgogoatan.com^ +||ofgulpinan.com^ +||ofhappinyer.com^ +||ofhunch.com^ +||ofhypnoer.com^ +||ofklefkian.com^ +||ofkrabbyr.com^ +||ofleafeona.com^ +||ofnkswddtp.xyz^ +||ofphanpytor.com^ +||ofqopmnpia.com^ +||ofredirect.com^ +||ofseedotom.com^ +||ofslakotha.com^ +||ofsnoveran.com^ +||ofswannator.com^ +||oftencostbegan.com^ +||oftheappyri.org^ +||ofzzuqlfuof.com^ +||ogeeztf.com^ +||ogercron.com^ +||ogfaqwwux.com^ +||ogfba.net^ +||ogfbb.net^ +||ogfbc.net^ +||ogfbd.net^ +||ogfbe.net^ +||ogffa.net^ +||ogfga.net^ +||ogfna.net^ +||ogghpaoxwv.com^ +||oghgrazubafz.com^ +||oghqvffmnt.com^ +||oghyz.click^ +||ogicatius.com^ +||ogle-0740lb.com^ +||ogniicbnb.ru^ +||ogqophjilar.com^ +||ografazu.xyz^ +||ogragrugece.net^ +||ograuwih.com^ +||ogrepsougie.net^ +||ogrrmasukq.com^ +||ogsdgcgtf.com^ +||ogvandsa.com^ +||ogvaqxjzfm-n.top^ +||ogvkyxx.com^ +||ogxntutl.fun^ +||ohimunpracticalw.info^ +||ohjfacva.com^ +||ohjkkemin.com^ +||ohkahfwumd.com^ +||ohkdsplu.com^ +||ohkvifgino.com^ +||ohldsplu.com^ +||ohmcasting.com^ +||ohmwrite.com^ +||ohmyanotherone.xyz^ +||ohndsplu.com^ +||ohnwmjnsvijdrgx.xyz^ +||ohooftaux.net^ +||ohqduxhcuab.com^ +||ohrdsplu.com^ +||ohsatum.info^ +||ohtctjiuow.com^ +||ohtpigod.com^ +||ohvcasodlbut.com^ +||oianz.xyz^ +||oiavdib.com^ +||oiehxjpz.com^ +||oijorfkfwtdswv.xyz^ +||oijzvhzt.com^ +||oilwellsublot.top^ +||oinkedbowls.com^ +||ointmentapathetic.com^ +||ointmentbarely.com^ +||oiycak.com^ +||ojapanelm.xyz^ +||ojkduzbm.com^ +||ojmvywz.com^ +||ojoodoaptouz.com^ +||ojpem.com^ +||ojrq.net^ +||ojsxtysilofk.com^ +||ojtarsdukk.com^ +||ojtatygrl.xyz^ +||ojvjryolxxhe.com^ +||ojwapnolwa.com^ +||ojwonhtrenwi.com^ +||ojyggbl.com^ +||ojzghaawlf.com^ +||okaidsotsah.com^ +||okakyamoguvampom.com^ +||okaydisciplemeek.com^ +||okdecideddubious.com^ +||okdigital.me^ +||okhrtusmuod.com^ +||okjjwuru.com^ +||okkodoo.com^ +||okkywctpvfu.com^ +||oko.net^ +||okrasbj6.de^ +||okt5mpi4u570pygje5v9zy.com^ +||oktarnxtozis.com^ +||okueroskynt.com^ +||okunyox.com^ +||okvovqrfuc.com^ +||olatumal.com^ +||olayomad.com^ +||old-go.pro^ +||olderdeserved.com^ +||oldership.com^ +||oldeststrickenambulance.com^ +||oldfashionedcity.pro^ +||oldfashionedmadewhiskers.com^ +||oldforeyesheh.info^ +||oldgyhogola.com^ +||oldndalltheold.org^ +||oldsia.xyz^ +||olenidpalter.shop^ +||olep.xyz^ +||olibes.com^ +||olineman.pro^ +||olivecough.com^ +||olivedinflats.space^ +||olkhtegk.com^ +||ollapodbrewer.top^ +||ollsukztoo.com^ +||olmsoneenh.info^ +||olnjitvizo.com^ +||olnoklmuxo.com^ +||ololenopoteretol.info^ +||olomonautcatho.info^ +||olq18dx1t.com^ +||olularhenewrev.info^ +||olvwnmnp.com^ +||olxoqmotw.com^ +||olxwweaf.com^ +||olympuscracowe.shop^ +||olzatpafwo.com^ +||olzuvgxqhozu.com^ +||omanala.com^ +||omarcheopson.com^ +||omareeper.com^ +||omasatra.com^ +||omatri.info^ +||omaumeng.net^ +||omazeiros.com^ +||ombfunkajont.com^ +||omchanseyr.com^ +||omchimcharchan.com^ +||omciecoa37tw4.com^ +||omclacrv.com^ +||omcrobata.com^ +||omdittoa.com^ +||omefukmendation.com^ +||omegaadblock.net^ +||omegatrak.com^ +||omelettebella.com^ +||omenkid.top^ +||omenrandomoverlive.com^ +||omfiydlbmy.com^ +||omg2.com^ +||omgpm.com^ +||omgranbulltor.com^ +||omgt3.com^ +||omgt4.com^ +||omgt5.com^ +||omguk.com^ +||omgwowgirls.com^ +||ominousgutter.com^ +||omission119.fun^ +||omissionmexicanengineering.com^ +||omitcalculategalactic.com^ +||omitpollenending.com^ +||omjqukadtolg.com^ +||omkxadadsh.com^ +||omnatuor.com^ +||omni-ads.com^ +||omnidokingon.com^ +||omnitagjs.com^ +||omoonsih.net^ +||omphantumpom.com^ +||omshedinjaor.com^ +||omvenusaurchan.com^ +||omwovzodgck.com^ +||omzoroarkan.com^ +||omzylhvhwp.com^ +||onad.eu^ +||onads.com^ +||onameketathar.com^ +||onatallcolumn.com^ +||onatsoas.net^ +||onaugan.com^ +||onautcatholi.xyz^ +||oncavst.com^ +||oncesets.com^ +||onclarck.com^ +||onclasrv.com^ +||onclckmn.com^ +||onclckpop.com^ +||onclickads.net^ +||onclickalgo.com^ +||onclickclear.com^ +||onclickgenius.com^ +||onclickmax.com^ +||onclickmega.com^ +||onclickperformance.com^ +||onclickprediction.com^ +||onclickpredictiv.com^ +||onclickpulse.com^ +||onclickrev.com^ +||onclickserver.com^ +||onclicksuper.com^ +||onclkds.com^ +||onclklnd.com^ +||ondbazxakr.com^ +||ondeerlingan.com^ +||ondewottom.com^ +||ondshub.com^ +||oneadvupfordesign.com^ +||oneclck.net^ +||oneclickpic.net^ +||onedmp.com^ +||onedragon.win^ +||oneegrou.net^ +||onefoldonefoldadaptedvampire.com^ +||onefoldonefoldpitched.com^ +||onegamespicshere.com^ +||onelivetra.com^ +||onelpfulinother.com^ +||onemacusa.net^ +||onemboaran.com^ +||onemileliond.info^ +||onenetworkdirect.com^ +||onenetworkdirect.net^ +||onenomadtstore.com^ +||oneotheacon.cc^ +||onepstr.com^ +||onerousgreeted.com^ +||oneselfindicaterequest.com^ +||oneselfoxide.com^ +||onesocailse.com^ +||onespot.com^ +||onetouch12.com^ +||onetouch17.info^ +||onetouch19.com^ +||onetouch20.com^ +||onetouch22.com^ +||onetouch26.com^ +||onetouch4.com^ +||onetouch6.com^ +||onetouch8.info^ +||onetrackesolution.com^ +||onevenadvnow.com^ +||onfearowom.com^ +||ongastlya.com^ +||ongoingverdictparalyzed.com^ +||onionetmabela.top^ +||onkafxtiqcu.com^ +||onkavst.com^ +||onkodjwuq.com^ +||online-adnetwork.com^ +||onlinedeltazone.online^ +||onlinegoodsonline.online^ +||onlinepromousa.com^ +||onlineuserprotector.com^ +||onlombreor.com^ +||onlyfansrips.com^ +||onlypleaseopposition.com^ +||onlyry.net^ +||onlyvpn.site^ +||onlyyourbiglove.com^ +||onmanectrictor.com^ +||onmantineer.com^ +||onmarshtompor.com^ +||onoamoutsaitsy.net^ +||onpluslean.com^ +||onraltstor.com^ +||onrcipthncrjc.com^ +||onscormation.info^ +||onseleauks.org^ +||onservantas.org^ +||onservantasr.info^ +||onseviperon.com^ +||onshowit.com^ +||onshucklea.com^ +||onskittyor.com^ +||onsolrockon.com^ +||onspindaer.com^ +||onstunkyr.com^ +||ontj.com^ +||ontosocietyweary.com^ +||onverforrinho.com^ +||onvictinitor.com^ +||onwasrv.com^ +||onxokvvevwop.xyz^ +||oo00.biz^ +||oobitsou.net^ +||oobsaurt.net^ +||oockighuchee.com^ +||oocmangamsaih.net^ +||oocmoaghurs.net^ +||oodalsarg.com^ +||oodrampi.com^ +||oofptbhbdb.com^ +||ooghourgaiy.net^ +||oogneenu.net^ +||oogneroopsoorta.net^ +||oogniwoax.net^ +||oogrouss.net^ +||oogrowairsiksoy.xyz^ +||oogrutse.net^ +||ooiyyavhwq.com^ +||oojorairs.net^ +||ookresit.net^ +||ookroush.com^ +||ooloptou.net^ +||oolseeshir.xyz^ +||oolsoudsoo.xyz^ +||oolsutsougri.net^ +||ooltakreenu.xyz^ +||oometermerkhet.click^ +||oomsijahail.com^ +||oomsoapt.net^ +||oomsurtour.net^ +||oonewrxxvulhae.com^ +||oongouha.xyz^ +||oonsouque.com^ +||oopatet.com^ +||oopheecahough.net^ +||oophengeey.com^ +||oophijassaudral.xyz^ +||oophoame.xyz^ +||oopoawee.xyz^ +||oopsooss.com^ +||oopukrecku.com^ +||oordeevum.com^ +||oortoofeelt.xyz^ +||oosonechead.org^ +||oosoojainy.xyz^ +||oossautsid.com^ +||oostotsu.com^ +||ootchaig.xyz^ +||ootchobuptoo.com^ +||ootchoft.com^ +||oovoonganeegry.xyz^ +||oowhoaphick.com^ +||oowkzpjo-o.click^ +||ooxobsaupta.com^ +||op00.biz^ +||op01.biz^ +||op02.biz^ +||op3xdork.xyz^ +||opalmetely.com^ +||opchikoritar.com^ +||opclauncheran.com^ +||opclck.com^ +||opcnflku.com^ +||opdomains.space^ +||opdowvamjv.com^ +||opdxpycrizuq.com^ +||opeanresultanc.com^ +||opeanresultancete.info^ +||opencan.net^ +||openerkey.com^ +||openersbens.com^ +||opengalaxyapps.monster^ +||openinggloryfin.com^ +||openingmetabound.com^ +||openmindedaching.com^ +||openmindter.com^ +||openslowlypoignant.com^ +||opentecs.com^ +||openx.net^ +||openxadexchange.com^ +||openxenterprise.com^ +||openxmarket.asia^ +||operaharvestrevision.com^ +||operakeyboardhindsight.com^ +||operaserver.com^ +||operationalcocktailtribute.com^ +||operationalsuchimperfect.com^ +||operatorgullibleacheless.com^ +||opfourpro.org^ +||opgolan.com^ +||ophophiz.xyz^ +||ophvkau.com^ +||opkinglerr.com^ +||opleshouldthink.com^ +||oplpectation.xyz^ +||opmxizgcacc.com^ +||opnbylag.com^ +||opoduchadmir.com^ +||oponixa.com^ +||opositeasysemblyjus.info^ +||opoxv.com^ +||oppedtoalktoherh.info^ +||oppersianor.com^ +||oppfamily.shop^ +||opponenteaster.com^ +||opportunitybrokenprint.com^ +||opportunitygrandchildrenbadge.com^ +||opportunitysearch.net^ +||opposedunconscioustherapist.com^ +||opposesmartadvertising.com^ +||oppositeemperorcollected.com^ +||oppressiontheychore.com^ +||oppressiveconnoisseur.com^ +||oppressiveoversightnight.com^ +||opqhihiw.com^ +||opreseynatcreativei.com^ +||oprill.com^ +||opsoomet.net^ +||opsoudaw.xyz^ +||optad360.io^ +||optad360.net^ +||optargone-2.online^ +||opteama.com^ +||opter.co^ +||opthushbeginning.com^ +||opticalwornshampoo.com^ +||opticlygremio.com^ +||optidownloader.com^ +||optimalscreen1.online^ +||optimatic.com^ +||optimizesocial.com^ +||optimizesrv.com^ +||optnx.com^ +||optraising.com^ +||optvx.com^ +||optvz.com^ +||optyruntchan.com^ +||optzsrv.com^ +||opvanillishan.com^ +||oqbaxgolrabl.com^ +||oqddkgixmqhovv.xyz^ +||oqdkftnubqa.com^ +||oqejupqb.xyz^ +||oqkucsxfrcjtho.xyz^ +||oqnabsatfn.com^ +||oqpahlskaqal.com^ +||oqsttfy.com^ +||oquftwsabsep.xyz^ +||oqyictvedqfhhd.com^ +||oraheadyguinner.org^ +||oralmaliciousmonday.com^ +||oralsproxied.com^ +||oranegfodnd.com^ +||orangeads.fr^ +||oraporn.com^ +||oratefinauknceiwo.com^ +||oratorpounds.com^ +||oraubsoux.net^ +||orbengine.com^ +||orbitcarrot.com^ +||orbsclawand.com^ +||orbsdiacle.com^ +||orbsrv.com^ +||orccpeaodwi.com^ +||orcjagpox.com^ +||orclrul.com^ +||orcnakokt.com^ +||ordciqczaox.com^ +||orderlydividepawn.com^ +||ordinaleatersouls.com^ +||ordinalexclusively.com^ +||ordinarilycomedyunload.com^ +||ordinarilyrehearsenewsletter.com^ +||ordinghology.com^ +||ordisposableado.com^ +||ordzimwtaa.com^ +||orebuthehadsta.info^ +||orecticconchae.com^ +||orest-vlv.com^ +||oretracker.top^ +||oreyeshe.info^ +||orfa1st5.de^ +||orfabfbu.com^ +||orgagetnization.org^ +||organiccopiedtranquilizer.com^ +||organize3452.fun^ +||organizerprobe.com^ +||orgassme.com^ +||orgaxngxhvdp.rocks^ +||orgueapropos.top^ +||orhavingartisticta.com^ +||orientaldumbest.com^ +||orientalrazor.com^ +||orientjournalrevolution.com^ +||originalblow.pro^ +||originallyrabbleritual.com^ +||originatecrane.com^ +||originateposturecubicle.com^ +||origintube.com^ +||origunix.com^ +||oritooep.win^ +||orjfun.com^ +||orkwithcatukhy.com^ +||orlandowaggons.com^ +||orldwhoisquite.org^ +||orlowedonhisdhilt.info^ +||ormoimojl.xyz^ +||ormolusapiary.com^ +||ornamentbyechose.com^ +||ornatecomputer.com^ +||orpoobj.com^ +||orqrdm.com^ +||orquideassp.com^ +||orrwavakgqr.com^ +||orthcurium.com^ +||ortwaukthwaeals.com^ +||oruxdwhatijun.info^ +||orysyisn.com^ +||osadooffinegold.com^ +||osarmapa.net^ +||oscohkajcjz.com^ +||osdmuxzag.com^ +||osekwacuoxt.xyz^ +||oselamousey.com^ +||osfrjut.com^ +||osfultrbriolenai.info^ +||osgabcqk.com^ +||osgsijvkoap.com^ +||oshanixot.com^ +||osharvrziafx.com^ +||oshoothoolo.com^ +||oskiwood.com^ +||osmeticjewlike.com^ +||osminaclumber.com^ +||osmosedshrined.top^ +||ospartners.xyz^ +||ospreyorceins.com^ +||osrepwsysp.com^ +||osrxzucira.com^ +||ossfloetteor.com^ +||ossgogoaton.com^ +||osshydreigonan.com^ +||osskanger.com^ +||osskugvirs.com^ +||ossmightyenar.net^ +||ossnidorinoom.com^ +||osspalkiaom.com^ +||osspinsira.com^ +||osspwamuhn.com^ +||ossrhydonr.com^ +||ossshucklean.com^ +||ossswannaa.com^ +||ostensiblecompetitive.com^ +||ostfuwdmiohg.com^ +||ostilllookinga.cc^ +||ostlon.com^ +||ostrichmustardalloy.com^ +||oswapjmzeacv.com^ +||osyqldvshkc.xyz^ +||oszlnxwqlc.com^ +||otabciukwurojh.xyz^ +||otbackstage2.online^ +||otbuzvqq8fm5.com^ +||otdalxhhiah.com^ +||otekmnyfcv.com^ +||otherofherlittle.info^ +||otherwiseassurednessloaf.com^ +||otingolston.com^ +||otisephie.com^ +||otjawzdugg.com^ +||otnolabttmup.com^ +||otnolatrnup.com^ +||otoadom.com^ +||otomacotelugu.com^ +||otrwaram.com^ +||ottdhysral.com^ +||otterwoodlandobedient.com^ +||otvjsfmh.tech^ +||otwqvqla.com^ +||oubeliketh.info^ +||oubsooceen.net^ +||ouchruse.com^ +||oudoanoofoms.com^ +||oudseroa.com^ +||oudseshifaijib.net^ +||oudsutch.com^ +||oufauthy.net^ +||ouftukoo.net^ +||oughoaghushouru.net^ +||ouglauster.net^ +||ougnultoo.com^ +||ougrauty.com^ +||ougribot.net^ +||ouhastay.net^ +||oujouniw.com^ +||ouknowsaidthea.info^ +||ouldhukelpm.org^ +||ouloansu.com^ +||oulragart.xyz^ +||oulsools.com^ +||oumainseeba.xyz^ +||oumoshomp.xyz^ +||oumtirsu.com^ +||ounceanalogous.com^ +||oundaymitools.org^ +||oundhertobeconsi.com^ +||oungimuk.net^ +||ounigaugsurvey.space^ +||ounobdlzzks.world^ +||ounsissoadry.net^ +||oupaumul.net^ +||oupheerdodoomt.net^ +||ouphouch.com^ +||oupushee.com^ +||oupusoma.net^ +||ourcommonnews.com^ +||ourcommonstories.com^ +||ourcoolposts.com^ +||ourcoolspot.com^ +||ourcoolstories.com^ +||ourdesperate.com^ +||ourdreamsanswer.info^ +||ourgumpu.xyz^ +||ourhotstories.com^ +||ourhypewords.com^ +||ourl.link^ +||ourscience.info^ +||ourselvesoak.com^ +||ourselvessuperintendent.com^ +||oursexhance.top^ +||ourtecads.com^ +||ourteeko.com^ +||ourtopstories.com^ +||ourtshipanditlas.info^ +||ourtshipanditlast.info^ +||oushaury.com^ +||ousinouk.xyz^ +||oussaute.net^ +||ousseghu.net^ +||oustoope.com^ +||outabsola.com^ +||outaipoma.com^ +||outarcaninean.com^ +||outbalanceleverage.com^ +||outbursttones.com^ +||outchinchour.com^ +||outchops.xyz^ +||outclaydola.com^ +||outcrycaseate.com^ +||outdilateinterrupt.com^ +||outelectrodean.com^ +||outfeatjamshid.com^ +||outflednailbin.com^ +||outfoxnapalms.com^ +||outgratingknack.com^ +||outhaushauviy.xyz^ +||outheelrelict.com^ +||outhulem.net^ +||outkisslahuli.com^ +||outlayomnipresentdream.com^ +||outlayreliancevine.com^ +||outlineappearbar.com^ +||outloginequity.com^ +||outlookabsorb.com^ +||outlookreservebennet.com^ +||outlopunnytor.com^ +||outmatchurgent.com^ +||outnidorinoom.com^ +||outnumberconnatetomato.com^ +||outnumberpickyprofessor.com^ +||outoctillerytor.com^ +||outofthecath.org^ +||outratela.com^ +||outrotomr.com^ +||outseeltor.com^ +||outseethoozet.net^ +||outsetnormalwaited.com^ +||outseylor.com^ +||outsidesubtree.com^ +||outsimiseara.com^ +||outsliggooa.com^ +||outsmoke-niyaxabura.com^ +||outsohoam.com^ +||outstandingspread.com^ +||outstandingsubconsciousaudience.com^ +||outstantewq.info^ +||outtimburrtor.com^ +||outtunova.com^ +||outwallastron.top^ +||outwhirlipedeer.com^ +||outwingullom.com^ +||outwitridiculousresume.com^ +||outwoodeuropa.com^ +||outyanmegaom.com^ +||ouvertrenewed.com^ +||ouvrefth.shop^ +||ouweessougleji.net^ +||ouwhejoacie.xyz^ +||ouzeelre.net^ +||ovaleithermansfield.com^ +||ovardu.com^ +||ovdimin.buzz^ +||oveechoops.xyz^ +||ovenbifaces.cam^ +||overallfetchheight.com^ +||overboardbilingual.com^ +||overboardlocumout.com^ +||overcacneaan.com^ +||overcomecheck.com^ +||overcooked-construction.com^ +||overcrowdsillyturret.com^ +||overdates.com^ +||overestimateoption.com^ +||overgalladean.com^ +||overheadnell.com^ +||overheadplough.com^ +||overhearpeasantenough.com^ +||overheatusa.com^ +||overjoyeddarkenedrecord.com^ +||overjoyedtempfig.com^ +||overjoyedwithinthin.com^ +||overkirliaan.com^ +||overlapflintsidenote.com^ +||overlivedub.com^ +||overloadmaturespanner.com^ +||overlooked-scratch.pro^ +||overlookedtension.pro^ +||overluvdiscan.com^ +||overlyindelicatehoard.com^ +||overmewer.com^ +||overnumeler.com^ +||overonixa.com^ +||overponyfollower.com^ +||overratedlively.com^ +||overreactperverse.com^ +||overseasearchopped.com^ +||overseasinfringementsaucepan.com^ +||oversightantiquarianintervention.com^ +||oversightbullet.com^ +||oversleepcommercerepeat.com^ +||oversolosisor.com^ +||overswaloton.com^ +||overswirling.sbs^ +||overthetopexad.com^ +||overtimetoy.com^ +||overtrapinchchan.net^ +||overture.com^ +||overwhelmcontractorlibraries.com^ +||overwhelmfarrier.com^ +||overwhelmhavingbulky.com^ +||overwhelmingconclusionlogin.com^ +||overwhelmingoblige.com^ +||overwhelmpeacock.com^ +||overzoruaon.com^ +||overzubatan.com^ +||ovethecityonatal.info^ +||ovfmeawrciuajgb.com^ +||ovgjveaokedo.xyz^ +||ovibospeseta.com^ +||ovjagtxasv.com^ +||ovsrhikuma.com^ +||ovyyszfod.fun^ +||ow5a.net^ +||owbroinothiermol.xyz^ +||owcdilxy.xyz^ +||oweltygagster.top^ +||owenexposure.com^ +||owfjlchuvzl.com^ +||owfrbdikoorgn.xyz^ +||owhlmuxze.com^ +||owithlerendu.com^ +||owlerydominos.cam^ +||owlunimmvn.com^ +||owndata.network^ +||ownhoodmucro.shop^ +||ownzzohggdfb.com^ +||owojqopr.com^ +||owppijqakeo.com^ +||owrkwilxbw.com^ +||owwczycust.com^ +||owwogmlidz.com^ +||ox4h1dk85.com^ +||oxado.com^ +||oxamateborrel.shop^ +||oxbbzxqfnv.com^ +||oxbowmentaldraught.com^ +||oxetoneagneaux.click^ +||oxidemustard.com^ +||oxidetoward.com^ +||oxjexkubhvwn.xyz^ +||oxkgcefteo.com^ +||oxlipbegan.com^ +||oxmoonlint.com^ +||oxmopobypviuy.com^ +||oxmqzeszyo.com^ +||oxnkahofpki.com^ +||oxthrilled.com^ +||oxtracking.com^ +||oxtsale1.com^ +||oxtuycevz.com^ +||oxtzgomhodrz.top^ +||oxvbfpwwewu.com^ +||oxxvikappo.com^ +||oxybe.com^ +||oxygenblobsglass.com^ +||oxygenpermissionenviable.com^ +||oxynticarkab.com^ +||oyaoknzgoqkq.com^ +||oybcobkru.xyz^ +||oyeletmaffia.click^ +||oyen3zmvd.com^ +||oyi9f1kbaj.com^ +||oysterbywordwishful.com^ +||oysterfoxfoe.com^ +||oytoworkwithcatuk.com^ +||oywhowascryingfo.com^ +||oywzrri.com^ +||oyxkrulpwculq.com^ +||oz-yypkhuwo.rocks^ +||ozationsuchasric.org^ +||ozbkfuhpuolf.com^ +||ozcarcupboard.com^ +||ozectynptd.com^ +||ozlenbl.com^ +||ozmspawupo.com^ +||ozobsaib.com^ +||ozonemedia.com^ +||ozonerexhaled.click^ +||ozongees.com^ +||ozwxhoonxlm.com^ +||ozznarazdtz.com^ +||p-analytics.life^ +||p-ozlugxmb.top^ +||p-usjawrfp.global^ +||p1yhfi19l.com^ +||p40rlh4k.xyz^ +||pa5ka.com^ +||pacekami.com^ +||pachegaimax.net^ +||pacificprocurator.com^ +||pacifics.sbs^ +||pacificvernonoutskirts.com^ +||packageeyeball.com^ +||packsofgood.com^ +||pacquetmuysca.com^ +||paddlediscovery.com^ +||paddlemenu.com^ +||padma-fed.com^ +||padsabs.com^ +||padsans.com^ +||padsanz.com^ +||padsatz.com^ +||padsdel.com^ +||padsdel2.com^ +||padsdelivery.com^ +||padsimz.com^ +||padskis.com^ +||padslims.com^ +||padspms.com^ +||padstm.com^ +||padtue.xyz^ +||paeastei.net^ +||paehceman.com^ +||pafiptuy.net^ +||pafteejox.com^ +||pagejunky.com^ +||pagemystery.com^ +||paginaltreitre.shop^ +||pagnawhouk.net^ +||paguridrenilla.com^ +||pahbasqibpih.com^ +||paht.tech^ +||pahtef.tech^ +||pahtfi.tech^ +||pahtgq.tech^ +||pahthf.tech^ +||pahtky.tech^ +||pahtwt.tech^ +||pahtzh.tech^ +||paichaus.com^ +||paid.outbrain.com^ +||paiglumousty.net^ +||paikoasa.tv^ +||painchnieves.com^ +||painfullyconfession.com^ +||painfullypenny.com^ +||painkillercontrivanceelk.com^ +||painlessassumedbeing.com^ +||painlightly.com^ +||painsdire.com^ +||paintednarra.top^ +||paintwandering.com^ +||paintydevelela.org^ +||paipsuto.com^ +||paishoonain.net^ +||paiwariaroids.shop^ +||paiwena.xyz^ +||paiwhisep.com^ +||paizowheefash.net^ +||pajamasgnat.com^ +||pajamasguests.com^ +||pajnutas.com^ +||palaroleg.guru^ +||palatablelay.pro^ +||palatedaylight.com^ +||paleexamsletters.com^ +||paleogdeedful.top^ +||paletteantler.com^ +||palibs.tech^ +||palikaralkamin.com^ +||palliwaklgz.com^ +||pallorirony.com^ +||palmcodliverblown.com^ +||palmfulcultivateemergency.com^ +||palmfulvisitsbalk.com^ +||palmkindnesspee.com^ +||palmmalice.com^ +||palpablefungussome.com^ +||palpablememoranduminvite.com^ +||palpedcahows.top^ +||palroudi.xyz^ +||palsybrush.com^ +||palsyowe.com^ +||paluinho.cloud^ +||palvanquish.com^ +||pampergloriafable.com^ +||pamperseparate.com^ +||pampervacancyrate.com^ +||pamphletredhead.com^ +||pamphletthump.com^ +||pamwrymm.live^ +||panamakeq.info^ +||panaservers.com^ +||pancakedusteradmirable.com^ +||panelghostscontractor.com^ +||pangdeserved.com^ +||pangiingsinspi.com^ +||pangzz.xyz^ +||paniskshravey.shop^ +||pannamdashee.com^ +||panniervocate.shop^ +||pannumregnal.com^ +||panoz.xyz^ +||panpant.xyz^ +||pansymerbaby.com^ +||pantafives.com^ +||pantiesattemptslant.com^ +||pantomimecattish.com^ +||pantomimecommitmenttestify.com^ +||pantomimemistystammer.com^ +||pantraidgeometry.com^ +||pantrydivergegene.com^ +||pantslayerboxoffice.com^ +||pantsurplus.com^ +||pantuz.xyz^ +||papaneecorche.com^ +||papatrol.xyz^ +||papawrefits.com^ +||papererweerish.top^ +||paphoolred.com^ +||papismkhedahs.com^ +||papmeatidigbo.com^ +||parachutecourtyardgrid.com^ +||parachutelacquer.com^ +||paradeaddictsmear.com^ +||parademuscleseurope.com^ +||paradisenookminutes.com^ +||paradizeconstruction.com^ +||paragraphdisappointingthinks.com^ +||paragraphopera.com^ +||parallelgds.store^ +||parallelinefficientlongitude.com^ +||paralyzedresourcesweapons.com^ +||paranoiaantiquarianstraightened.com^ +||paranoiaourselves.com^ +||parasitevolatile.com^ +||parasolsever.com^ +||paravaprese.com^ +||pardaipseed.com^ +||pardaotopazes.shop^ +||pardyprofer.shop^ +||parentingcalculated.com^ +||parentlargevia.com^ +||parentsatellitecheque.com^ +||paripartners.ru^ +||parishconfinedmule.com^ +||parishseparated.com^ +||parisjeroleinpg.com^ +||paritycreepercar.com^ +||paritywarninglargest.com^ +||parkcircularpearl.com^ +||parkdumbest.com^ +||parkingcombstrawberry.com^ +||parkingridiculous.com^ +||parkurl.com^ +||parliamentarypublicationfruitful.com^ +||parliamentaryreputation.com^ +||parlorstudfacilitate.com^ +||parlouractivityattacked.com^ +||parnelfirker.com^ +||paronymtethery.com^ +||parrecleftne.xyz^ +||parserskiotomy.com^ +||parsimoniousinvincible.net^ +||partial-pair.pro^ +||partiallyexploitrabbit.com^ +||partiallyguardedascension.com^ +||participantderisive.com^ +||participateconsequences.com^ +||participatemop.com^ +||particlesnuff.com^ +||particularlyarid.com^ +||particularundoubtedly.com^ +||partieseclipse.com^ +||partion-ricism.xyz^ +||partitionshawl.com^ +||partnerbcgame.com^ +||partnerlinks.io^ +||partpedestal.com^ +||partridgehostcrumb.com^ +||partsbury.com^ +||parttimelucidly.com^ +||parttimeobdurate.com^ +||parttimesupremeretard.com^ +||parturemv.top^ +||partypartners.com^ +||partyroll.xyz^ +||parumal.com^ +||parwiderunder.com^ +||pas-rahav.com^ +||pasaltair.com^ +||pasbstbovc.com^ +||paservices.tech^ +||paslsa.com^ +||passagessixtyseeing.com^ +||passeura.com^ +||passfixx.com^ +||passingpact.com^ +||passionacidderisive.com^ +||passionatephilosophical.com^ +||passiondimlyhorrified.com^ +||passionfruitads.com^ +||passirdrowns.com^ +||passtechusa.com^ +||passwordslayoutvest.com^ +||passwordssaturatepebble.com^ +||pasteldevaluation.com^ +||pasteljav128.fun^ +||pastimeprayermajesty.com^ +||pastjauntychinese.com^ +||pastoupt.com^ +||pastureacross.com^ +||pasxfixs.com^ +||patakaendymal.top^ +||patalogs.com^ +||patchassignmildness.com^ +||patchedcyamoid.com^ +||patchouptid.xyz^ +||patefysouari.com^ +||patentdestructive.com^ +||paternalcostumefaithless.com^ +||paternalrepresentation.com^ +||paternityfourth.com^ +||patgsrv.com^ +||pathloaded.com^ +||pathsectorostentatious.com^ +||patiomistake.com^ +||patronageausterity.com^ +||patronagepolitician.com^ +||patrondescendantprecursor.com^ +||patronknowing.com^ +||patroposalun.pro^ +||patsincerelyswing.com^ +||patsyendless.com^ +||patsyfactorygallery.com^ +||patsypropose.com^ +||pattedearnestly.com^ +||patteefief.shop^ +||patternimaginationbull.com^ +||pattwyda.com^ +||pattyheadlong.com^ +||pauchalopsin.com^ +||pauewr4cw2xs5q.com^ +||paularrears.com^ +||paulastroid.com^ +||paulcorrectfluid.com^ +||pauptoolari.com^ +||paupupaz.com^ +||paussidsipage.com^ +||pavisordjerib.com^ +||pawbothcompany.com^ +||pawderstream.com^ +||pawheatyous.com^ +||pawhiqsi.com^ +||pawmaudwaterfront.com^ +||pawscreationsurely.com^ +||paxmedia.net^ +||paxsfiss.com^ +||paxxfiss.com^ +||paxyued.com^ +||pay-click.ru^ +||paybackmodified.com^ +||payfertilisedtint.com^ +||paymentsweb.org^ +||payoffdisastrous.com^ +||payoffdonatecookery.com^ +||payslipselderly.com^ +||pazials.xyz^ +||pazzfun.com^ +||pbbqzqi.com^ +||pbcde.com^ +||pbdo.net^ +||pbkdf.com^ +||pblcpush.com^ +||pblinq.com^ +||pbmt.cloud^ +||pbterra.com^ +||pbxai.com^ +||pc-ads.com^ +||pc180101.com^ +||pc1ads.com^ +||pc20160301.com^ +||pc2121.com^ +||pc2ads.com^ +||pc2ads.ru^ +||pc5ads.com^ +||pccasia.xyz^ +||pccjtxsao.com^ +||pcheahrdnfktvhs.xyz^ +||pcirurrkeazm.com^ +||pclk.name^ +||pcmclks.com^ +||pcqze.tech^ +||pctlwm.com^ +||pctsrv.com^ +||pdfsearchhq.com^ +||pdguohemtsi.com^ +||pdn-1.com^ +||pdn-2.com^ +||pdn-3.com^ +||pdrqubl.com^ +||pdsybkhsdjvog.xyz^ +||pdvacde.com^ +||peacebanana.com^ +||peacefulburger.com^ +||peacefullyclenchnoun.com^ +||peachesevaporateearlap.com^ +||peachessummoned.com^ +||peachybeautifulplenitude.com^ +||peachytopless.com^ +||peachywaspish.com^ +||peagsraters.com^ +||peakclick.com^ +||pearterkubachi.top^ +||peasbishopgive.com^ +||pebadu.com^ +||pebbleoutgoing.com^ +||pecantinglytripod.com^ +||pecialukizeias.info^ +||pecifyspacing.com^ +||peckrespectfully.com^ +||pectasefrisker.com^ +||pectosealvia.click^ +||pedangaishons.com^ +||pedestalturner.com^ +||pedeticinnet.com^ +||peechohovaz.xyz^ +||peejoopsajou.net^ +||peelaipu.xyz^ +||peelupsu.com^ +||peelxotvq.com^ +||peemee.com^ +||peensumped.shop^ +||peenuteque.net^ +||peer39.net^ +||peeredgerman.com^ +||peeredplanned.com^ +||peeredstates.com^ +||peeringinvasion.com^ +||peerlesshallucinate.com^ +||peesteso.xyz^ +||peethach.com^ +||peethobo.com^ +||peevishaboriginalzinc.com^ +||peevishchasingstir.com^ +||peevishdawed.com^ +||peewhouheeku.net^ +||pegloang.com^ +||pehgoloe.click^ +||peisantcorneas.com^ +||pejzeexukxo.com^ +||pekansrefait.shop^ +||pekcbuz.com^ +||pekseerdune.xyz^ +||pelamydlours.com^ +||pelliancalmato.com^ +||peltauwoaz.xyz^ +||pemsrv.com^ +||penaikaucmu.net^ +||penapne.xyz^ +||pendingshrewd.com^ +||pendulumwhack.com^ +||pengobyzant.com^ +||penguest.xyz^ +||penguindeliberate.com^ +||penitenceuniversityinvoke.com^ +||penitentarduous.com^ +||penitentiaryoverdosetumble.com^ +||penitentpeepinsulation.com^ +||penniedtache.com^ +||pennilesscomingall.com^ +||pennilesspictorial.com^ +||pennilessrobber.com^ +||pennilesstestangrily.com^ +||pennyotcstock.com^ +||penrake.com^ +||pensionboarding.com^ +||pensionerbegins.com^ +||pentalime.com^ +||peopleshouldthin.com^ +||pepapigg.xyz^ +||pepepush.net^ +||pepiggies.xyz^ +||pepperbufferacid.com^ +||peppermintinstructdumbest.com^ +||pepperunmoveddecipher.com^ +||peppy2lon1g1stalk.com^ +||pepticsphene.shop^ +||pequotpatrick.click^ +||perceivedfineembark.com^ +||perceivedspokeorient.com^ +||percentageartistic.com^ +||percentagesubsequentprosper.com^ +||percentagethinkstasting.com^ +||perceptionatomicmicrowave.com^ +||perceptiongrandparents.com^ +||percussivecloakfortunes.com^ +||percussiverefrigeratorunderstandable.com^ +||perdurepeeve.com^ +||pereliaastroid.com^ +||perennialmythcooper.com^ +||perennialsecondly.com^ +||perfb.com^ +||perfectflowing.com^ +||perfectionministerfeasible.com^ +||perfectmarket.com^ +||perfectplanned.com^ +||performance-check.b-cdn.net^ +||performanceadexchange.com^ +||performanceonclick.com^ +||performancetrustednetwork.com^ +||performanteads.com^ +||performassumptionbonfire.com^ +||performingdistastefulsevere.com^ +||performit.club^ +||perfumeantecedent.com^ +||perfunctoryfrugal.com^ +||perhapsdrivewayvat.com^ +||perhiptid.com^ +||pericuelysian.top^ +||perigshfnon.com^ +||perilousalonetrout.com^ +||perimeterridesnatch.com^ +||periodicjotrickle.com^ +||periodicpole.com^ +||periodicprodigal.com^ +||periodscirculation.com^ +||periodspoppyrefuge.com^ +||perksyringefiring.com^ +||permanentadvertisebytes.com^ +||permanentlymission.com^ +||permissionarriveinsert.com^ +||permissionfence.com^ +||permissivegrimlychore.com^ +||perpetrateabsolute.com^ +||perpetratejewels.com^ +||perpetraterummage.com^ +||perpetratorjeopardize.com^ +||perpetualcod.com^ +||perplexbrushatom.com^ +||perryflealowest.com^ +||perryvolleyball.com^ +||persaonwhoisablet.com^ +||persecutenosypajamas.com^ +||persecutionmachinery.com^ +||persetoenail.com^ +||perseverehang.com^ +||persevereindirect.com^ +||persistarcticthese.com^ +||persistbrittle.com^ +||persistsaid.com^ +||persona3.tech^ +||personalityhamlet.com^ +||personantaeus.top^ +||perspectiveunderstandingslammed.com^ +||perspirationfraction.com^ +||persuadecowardenviable.com^ +||persuadepointed.com^ +||pertawee.net^ +||pertersacstyli.com^ +||pertfinds.com^ +||pertinentadvancedpotter.com^ +||pertlythurl.shop^ +||perttogahoot.com^ +||perusebulging.com^ +||peruseinvitation.com^ +||perverseunsuccessful.com^ +||pervertmine.com^ +||pervertscarreceipt.com^ +||peskyclarifysuitcases.com^ +||peskycrash.com^ +||peskyresistamaze.com^ +||pessimisticconductiveworrying.com^ +||pessimisticextra.com^ +||pesterclinkaltogether.com^ +||pesterolive.com^ +||pesteroverwork.com^ +||pesterunusual.com^ +||pestholy.com^ +||pestilenttidefilth.org^ +||petargumentswhirlpool.com^ +||petasmaeryops.com^ +||petasusawber.com^ +||petchesa.net^ +||petchoub.com^ +||petendereruk.com^ +||peterjoggle.com^ +||pethaphegauftup.xyz^ +||petideadeference.com^ +||petrelbeheira.website^ +||petrifacius.com^ +||petrolgraphcredibility.com^ +||petrosunnier.shop^ +||pettyachras.shop^ +||petulanthamsterunless.com^ +||pexuvais.net^ +||pezoomsekre.com^ +||pf34zdjoeycr.com^ +||pfiuyt.com^ +||pfmmzmdba.com^ +||pgaictlq.xyz^ +||pgapyygfpg.com^ +||pgazaz.icu^ +||pgezbuz.com^ +||pgjt26tsm.com^ +||pgmcdn.com^ +||pgmediaserve.com^ +||pgorttohwo.info^ +||pgpartner.com^ +||pgssjxz.com^ +||pgssl.com^ +||phabycebe.com^ +||phadsophoogh.net^ +||phaibimoa.xyz^ +||phaidaimpee.xyz^ +||phaighoosie.com^ +||phaigleers.com^ +||phaikroo.net^ +||phaikrouh.com^ +||phaiksul.net^ +||phaimsebsils.net^ +||phaimseksa.com^ +||phaipaun.net^ +||phaisoaz.com^ +||phaitaghy.com^ +||phaivaju.com^ +||phamsacm.net^ +||phantomattestationzillion.com^ +||phantomtheft.com^ +||phapsarsox.xyz^ +||pharmcash.com^ +||phastoag.com^ +||phatsibizew.com^ +||phauckoo.xyz^ +||phauloap.com^ +||phaulregoophou.net^ +||phaunaitsi.net^ +||phaurtuh.net^ +||phautchauni.net^ +||phautchiwaiw.net^ +||pheasantarmpitswallow.com^ +||phecoungaudsi.net^ +||phee1oci.com^ +||pheedsoan.com^ +||pheeghie.net^ +||pheegoab.click^ +||pheegopt.xyz^ +||pheekoamek.net^ +||pheepudo.net^ +||pheersie.com^ +||pheftoud.com^ +||pheniter.com^ +||phenotypebest.com^ +||phepofte.net^ +||pheptoam.com^ +||pheselta.net^ +||phetsaikrugi.com^ +||phewhouhopse.com^ +||phhxlhdjw.xyz^ +||phialedamende.com^ +||phicmune.net^ +||phidaukrauvo.net^ +||phidianowlet.com^ +||phiduvuka.pro^ +||philadelphiadip.com^ +||philosophicalurgegreece.com^ +||philosophydictation.com^ +||phitchoord.com^ +||phjsnwuzj.com^ +||phkucgq.com^ +||phkwimm.com^ +||phloxsub73ulata.com^ +||phoackoangu.com^ +||phoakeezeey.net^ +||phoalard.net^ +||phoalsie.net^ +||phoamsoa.xyz^ +||phoaphoxsurvey.space^ +||phoawhap.net^ +||phoawhoax.com^ +||phockoogeeraibi.xyz^ +||phockukoagu.net^ +||phocmogo.com^ +||phokruhefeki.com^ +||phoksaub.net^ +||phokukse.com^ +||phomoach.net^ +||phoneboothsabledomesticated.com^ +||phoobsoalrie.com^ +||phoognol.com^ +||phoojeex.xyz^ +||phookroamte.xyz^ +||phoosaurgap.net^ +||phoossax.net^ +||phoosuss.net^ +||phortaub.com^ +||phosphatepossible.com^ +||photographcrushingsouvenirs.com^ +||photographerinopportune.com^ +||photographyprovincelivestock.com^ +||phouckusogh.net^ +||phoukridrap.net^ +||phoutchounse.com^ +||phouvemp.net^ +||phovaiksou.net^ +||phraa-lby.com^ +||phsism.com^ +||phtpy.love^ +||phts.io^ +||phudauwy.com^ +||phudreez.com^ +||phudsumipakr.net^ +||phujaudsoft.xyz^ +||phukienthoitranggiare.com^ +||phulaque.com^ +||phultems.net^ +||phuluzoaxoan.com^ +||phumpauk.com^ +||phumsise.com^ +||phupours.com^ +||phurdoutchouz.net^ +||phuruxoods.com^ +||phuzeeksub.com^ +||physicalblueberry.com^ +||physicaldetermine.com^ +||physicaldividedcharter.com^ +||physicallyshillingattentions.com^ +||physicalnecessitymonth.com^ +||physiquefourth.com^ +||phywifupta.com^ +||piaigyyigyghjmi.xyz^ +||piarecdn.com^ +||piaroankenyte.store^ +||piazzetasses.shop^ +||picadmedia.com^ +||picarasgalax.com^ +||picbitok.com^ +||picbucks.com^ +||pickaflick.co^ +||pickedincome.com^ +||picklecandourbug.com^ +||picklesdumb.com^ +||pickuppestsyndrome.com^ +||pickvideolink.com^ +||picsofdream.space^ +||picsti.com^ +||pictela.net^ +||pictorialtraverse.com^ +||pictreed.com^ +||pictunoctette.com^ +||picturescil.shop^ +||pieceresponsepamphlet.com^ +||pienbitore.com^ +||piercepavilion.com^ +||piercing-employment.pro^ +||pierisrapgae.com^ +||pierlinks.com^ +||pierrapturerudder.com^ +||pietasylphon.com^ +||pietyharmoniousablebodied.com^ +||pigcomprisegruff.com^ +||piggiepepo.xyz^ +||pigmewpiete.com^ +||pigmycensing.shop^ +||pignuwoa.com^ +||pigrewartos.com^ +||pigsflintconfidentiality.com^ +||pigtre.com^ +||pihmvhv.com^ +||pihu.xxxpornhd.pro^ +||pihzhhn.com^ +||pilapilkelps.shop^ +||pilaryhurrah.com^ +||piledannouncing.com^ +||piledchinpitiful.com^ +||pilespaua.com^ +||pilgrimarduouscorruption.com^ +||pilkinspilular.click^ +||pillsofecho.com^ +||pillspaciousgive.com^ +||pillthingy.com^ +||piloteegazy.com^ +||piloteraser.com^ +||pilotnourishmentlifetime.com^ +||pilpulbagmen.com^ +||pilsarde.net^ +||pinaffectionatelyaborigines.com^ +||pinballpublishernetwork.com^ +||pincersnap.com^ +||pinchingoverridemargin.com^ +||pineappleconsideringpreference.com^ +||pinefluencydiffuse.com^ +||ping-traffic.info^ +||pingergauss.com^ +||pinionsmamry.top^ +||pinklabel.com^ +||pinkleo.pro^ +||pinpricktuxedokept.com^ +||pinprickverificationdecember.com^ +||pinprickwinconfirm.com^ +||pintoutcryplays.com^ +||pinttalewag.com^ +||pioneercomparatively.com^ +||pioneerusual.com^ +||piotyo.xyz^ +||piouscheers.com^ +||piouspoemgoodnight.com^ +||pip-pip-pop.com^ +||pipaffiliates.com^ +||pipeaota.com^ +||pipeofferear.com^ +||pipeschannels.com^ +||pipilimagine.shop^ +||pipsol.net^ +||piqueendogen.com^ +||piquingherblet.shop^ +||pirouque.com^ +||pirtecho.net^ +||pisehiation.shop^ +||pisgahserve.com^ +||pishespied.top^ +||pisism.com^ +||piskaday.com^ +||pistolstumbled.com^ +||pitcharduous.com^ +||pitchedfurs.com^ +||pitchedvalleyspageant.com^ +||piteevoo.com^ +||pitonlocmna.com^ +||pitshopsat.com^ +||pitycultural.com^ +||pityneedsdads.com^ +||pitysuffix.com^ +||piuyt.com^ +||pivotrunner.com^ +||pivotsforints.com^ +||pivxkeppgtc.life^ +||pixazza.com^ +||pixelhere.com^ +||pixelmuse.store^ +||pixelplay.pro^ +||pixelspivot.com^ +||pixfuture.net^ +||pixxur.com^ +||pizzasocalled.com^ +||pizzlessclimb.top^ +||pjagilteei.com^ +||pjjpp.com^ +||pjojddwlppfah.xyz^ +||pjqchcfwtw.com^ +||pjsos.xyz^ +||pjtoaewbccpchu.com^ +||pjvartonsbewand.info^ +||pjwfihbmwq.com^ +||pk0grqf29.com^ +||pk910324e.com^ +||pkazd.xyz^ +||pkhhyool.com^ +||pki87n.pro^ +||pkudawbkcl.com^ +||placardcapitalistcalculate.com^ +||placetobeforever.com^ +||placingcompany.com^ +||placingfinally.com^ +||placingharassment.com^ +||placingsolemnlyinexpedient.com^ +||plaicealwayspanther.com^ +||plaicecaught.com^ +||plainsnudge.com^ +||plaintivedance.pro^ +||plaintorch.com^ +||plainwarrant.com^ +||plandappsb.com^ +||planepleasant.com^ +||planet7links.com^ +||planetarium-planet.com^ +||planetgrimace.com^ +||planetunregisteredrunaway.com^ +||planktab.com^ +||planmybackup.co^ +||plannedcardiac.com^ +||plannersavour.com^ +||planningbullyingquoted.com^ +||planningdesigned.com^ +||planningwebviolently.com^ +||plannto.com^ +||planscul.com^ +||plantcontradictionexpansion.com^ +||planyourbackup.co^ +||plasticskilledlogs.com^ +||plastleislike.com^ +||platedmanlily.com^ +||platelosingshameless.com^ +||platesnervous.com^ +||platform-hetcash.com^ +||platformallowingcame.com^ +||platformsbrotherhoodreticence.com^ +||platformsrat.com^ +||plausiblemarijuana.com^ +||playbook88a2.com^ +||playboykangaroo.com^ +||playboykinky.com^ +||playboywere.com^ +||playdraught.com^ +||playeranyd.org^ +||playeranydwo.info^ +||playeranydwou.com^ +||playerseo.club^ +||playerstrivefascinated.com^ +||playertraffic.com^ +||playgroundordinarilymess.com^ +||playingkatespecial.com^ +||playmmogames.com^ +||playspeculationnumerals.com^ +||playstream.media^ +||playstretch.host^ +||playukinternet.com^ +||playvideoclub.com^ +||playvideodirect.com^ +||playwrightsovietcommentary.com^ +||plcubmiinxa.com^ +||pleadsbox.com^ +||pleasantinformation.com^ +||pleasantlyknives.com^ +||pleasantpaltryconnections.com^ +||pleasedexample.com^ +||pleasedprocessed.com^ +||pleasetrack.com^ +||pleasingrest.pro^ +||pleasingsafety.pro^ +||pleasureflatteringmoonlight.com^ +||pledgeexceptionalinsure.com^ +||pledgeincludingsteer.com^ +||pledgetolerate.com^ +||pledgorulmous.top^ +||plemil.info^ +||plenitudesellerministry.com^ +||plenomedia.com^ +||plentifulqueen.com^ +||plentifulslander.com^ +||plentifulwilling.com^ +||plex4rtb.com^ +||plexop.net^ +||plhhisqiem.com^ +||pliablenutmeg.com^ +||pliantleft.com^ +||pliblc.com^ +||plinksplanet.com^ +||plirkep.com^ +||pllah.com^ +||plmwsl.com^ +||plocap.com^ +||plorexdry.com^ +||plorvexmoon13.online^ +||plotafb.com^ +||ploteight.com^ +||ploughbrushed.com^ +||ploughplbroch.com^ +||ployingcurship.com^ +||plpuybpodusgb.xyz^ +||plqbxvnjxq92.com^ +||plrjs.org^ +||plrst.com^ +||plsrcmp.com^ +||pltamaxr.com^ +||pluckyhit.com^ +||pluckymausoleum.com^ +||plufdsa.com^ +||plufdsb.com^ +||pluffdoodah.com^ +||plugerr.com^ +||plugs.co^ +||plumagebenevolenttv.com^ +||plumberwolves.com^ +||plumbfullybeehive.com^ +||plumbsplash.com^ +||plummychewer.com^ +||plumpcontrol.pro^ +||plumpdianafraud.com^ +||plumpdisobeyastronomy.com^ +||plumpgrabbedseventy.com^ +||plumsbusiness.com^ +||plumsscientific.com^ +||plumssponsor.com^ +||plundertentative.com^ +||plungecarbon.com^ +||plungedcandourbleach.com^ +||plungescreeve.com^ +||plungestumming.shop^ +||pluralpeachy.com^ +||plusungratefulinstruction.com^ +||plutothejewel.com^ +||pluvianuruguay.com^ +||plvwyoed.com^ +||plxnbwjtbr.com^ +||plxserve.com^ +||plyfoni.ru^ +||pmaficza.com^ +||pmc1201.com^ +||pmetorealiukze.xyz^ +||pmkez.tech^ +||pmpubs.com^ +||pmsrvr.com^ +||pmwwedke.com^ +||pmxyzqm.com^ +||pmzer.com^ +||pncloudfl.com^ +||pncvaoh.com^ +||pnd.gs^ +||pneumoniaelderlysceptical.com^ +||pneyuaiyuhlf.com^ +||pnouting.com^ +||pnperf.com^ +||pnsqsv.com^ +||pnuhondppw.com^ +||pnwawbwwx.com^ +||pnyf1.top^ +||poacauceecoz.com^ +||poacawhe.net^ +||poapeecujiji.com^ +||poaptapuwhu.com^ +||poasotha.com^ +||poavoabe.net^ +||pobliba.info^ +||pobsedrussakro.net^ +||pocketenvironmental.com^ +||pocketjaguar.com^ +||pocrd.cc^ +||pocrowpush.com^ +||podefr.net^ +||podosupsurge.com^ +||podsolnu9hi10.com^ +||poemblotrating.com^ +||poemsbedevil.com^ +||poemswrestlingstrategy.com^ +||poetrydeteriorate.com^ +||poflix.com^ +||poghaurs.com^ +||pogimpfufg.com^ +||pognamta.net^ +||pogothere.xyz^ +||pohaunsairdeph.net^ +||pohsoneche.info^ +||poi3d.space^ +||poignantsensitivenessforming.com^ +||pointeddifference.com^ +||pointedmana.info^ +||pointespassage.com^ +||pointinginexperiencedbodyguard.com^ +||pointlessmorselgemini.com^ +||pointlessplan.pro^ +||pointroll.com^ +||poisegel.com^ +||poisism.com^ +||poisonousamazing.com^ +||pokaroad.net^ +||pokerarrangewandering.com^ +||poketraff.com^ +||pokingtrainswriter.com^ +||pokjhgrs.click^ +||polanders.com^ +||polaranacoasm.shop^ +||polarbearyulia.com^ +||polarcdn-terrax.com^ +||polarmobile.com^ +||polearmnetful.shop^ +||policeair.com^ +||policecaravanallure.com^ +||policemanspectrum.com^ +||policesportsman.com^ +||policityseriod.info^ +||policydilapidationhypothetically.com^ +||polishedconcert.pro^ +||polishedwing.pro^ +||polishsimilarlybutcher.com^ +||polite1266.fun^ +||politemischievous.com^ +||politesewer.com^ +||politicallyautograph.com^ +||politiciancuckoo.com^ +||polityimpetussensible.com^ +||pollpublicly.com^ +||pollutiongram.com^ +||polluxnetwork.com^ +||poloistwilrone.shop^ +||poloptrex.com^ +||polothdgemanow.info^ +||polredsy.com^ +||polsonaith.com^ +||poltarimus.com^ +||polyad.net^ +||polydarth.com^ +||polyh-nce.com^ +||pompadawe.com^ +||pompeywantinggetaway.com^ +||pompouslemonadetwitter.com^ +||pompreflected.com^ +||pon-prairie.com^ +||ponderliquidate.com^ +||pondov.cfd^ +||ponieqldeos.com^ +||ponk.pro^ +||ponyresentment.com^ +||poodledopas.cam^ +||pookaipssurvey.space^ +||pooksys.site^ +||poolgmsd.com^ +||pooptoom.net^ +||pooraithacuzaum.net^ +||poorlystepmotherresolute.com^ +||poorlytanrubbing.com^ +||poorstress.pro^ +||poosoahe.com^ +||poozifahek.com^ +||pop.dojo.cc^ +||pop5sjhspear.com^ +||popadon.com^ +||popads.media^ +||popads.net^ +||popadscdn.net^ +||popbounty.com^ +||popbutler.com^ +||popcash.net^ +||popcpm.com^ +||poperblocker.com^ +||pophandler.net^ +||popland.info^ +||popmansion.com^ +||popmarker.com^ +||popmonetizer.com^ +||popmonetizer.net^ +||popmyads.com^ +||popnc.com^ +||poppycancer.com^ +||poppysol.com^ +||poprtb.com^ +||popsads.com^ +||popsads.net^ +||popsdietary.com^ +||popsreputation.com^ +||poptm.com^ +||popularcldfa.co^ +||popularinnumerable.com^ +||popularmedia.net^ +||popularpillcolumns.com^ +||populationencouragingunsuccessful.com^ +||populationgrapes.com^ +||populationrind.com^ +||populationstring.com^ +||populis.com^ +||populisengage.com^ +||popult.com^ +||popunder.bid^ +||popunder.ru^ +||popunderstar.com^ +||popunderz.com^ +||popupchat-live.com^ +||popupgoldblocker.net^ +||popupsblocker.org^ +||popuptraffic.com^ +||popwin.net^ +||popxperts.com^ +||popxyz.com^ +||porailbond.com^ +||poratweb.com^ +||porcelainviolationshe.com^ +||poredii.com^ +||porkpielepidin.com^ +||pornoegg.com^ +||pornoheat.com^ +||pornoio.com^ +||pornomixfree.com^ +||pornvideos.casa^ +||porojo.net^ +||portentbarge.com^ +||portfoliocradle.com^ +||portfoliojumpy.com^ +||portkingric.net^ +||portlychurchyard.com^ +||portlywhereveralfred.com^ +||portoteamo.com^ +||portraycareme.com^ +||portugueseletting.com^ +||portuguesetoil.com^ +||posewardenreligious.com^ +||posf.xyz^ +||poshhateful.com^ +||poshsplitdr.com^ +||poshyouthfulton.com^ +||positeasysembl.org^ +||positionavailreproach.com^ +||positioner.info^ +||positivejudge.com^ +||positivelyassertappreciation.com^ +||positivelysunday.com^ +||positivewillingsubqueries.com^ +||possessdolejest.com^ +||possessionsolemn.com^ +||possibilityformal.com^ +||possibilityfoundationwallpaper.com^ +||possibilityrespectivelyenglish.com^ +||post-redirecting.com^ +||postalfranticallyfriendship.com^ +||postaoz.xyz^ +||postback.info^ +||postback1win.com^ +||postcardhazard.com^ +||postlnk.com^ +||postrelease.com^ +||postthieve.com^ +||postureunlikeagile.com^ +||potailvine.com^ +||potawe.com^ +||potedraihouxo.xyz^ +||potentialapplicationgrate.com^ +||potentiallyinnocent.com^ +||pothutepu.com^ +||potnormal.com^ +||potnormandy.com^ +||potsaglu.net^ +||potshumiliationremnant.com^ +||potsiuds.com^ +||potskolu.net^ +||potslascivious.com^ +||pottercaprizecaprizearena.com^ +||potterdullmanpower.com^ +||potterphotographic.com^ +||pottierneronic.top^ +||pottingathlete.shop^ +||potwm.com^ +||pouam.xyz^ +||pouanz.xyz^ +||pouchadjoinmama.com^ +||pouchaffection.com^ +||pouchedathelia.com^ +||poucooptee.net^ +||poudrinnamaste.com^ +||poufaini.com^ +||pounceintention.com^ +||poundplanprecarious.com^ +||poundswarden.com^ +||pounti.com^ +||pourorator.com^ +||pourpressedcling.com^ +||poutrevenueeyeball.com^ +||povsefcrdj.com^ +||powerad.ai^ +||poweradblocker.com^ +||powerain.biz^ +||powerfulcreaturechristian.com^ +||powerfulfreelance.com^ +||powerlessgreeted.com^ +||powerpushsell.site^ +||powerpushtrafic.space^ +||powerusefullyjinx.com^ +||powferads.com^ +||poxaharap.com^ +||poxypicine.com^ +||poxyrevise.com^ +||poyusww.com^ +||pp-lfekpkr.buzz^ +||ppaiyfox.xyz^ +||ppcjxidves.xyz^ +||ppclinking.com^ +||ppcnt.pro^ +||ppctraffic.co^ +||ppedtoalktoherha.info^ +||pphiresandala.info^ +||ppimdog.com^ +||ppixufsalgm.com^ +||ppjdfki.com^ +||ppjqgbz.com^ +||pplgwic.com^ +||pplhfhuwyv.com^ +||ppoommhizazn.com^ +||pppbr.com^ +||ppqy.fun^ +||ppshh.rocks^ +||pptnuhffs.love^ +||ppvmhhpxuomjwo.xyz^ +||pq-mzfusgpzt.xyz^ +||pqpjkkppatxfnpp.xyz^ +||pqvpcahwuvfo.life^ +||pqvzlltzxbs.global^ +||pr3tty-fly-4.net^ +||practicalbar.pro^ +||practicallyfire.com^ +||practicallyutmost.com^ +||practicallyvision.com^ +||practice3452.fun^ +||practicedearest.com^ +||practicemateorgans.com^ +||practiseseafood.com^ +||practthreat.club^ +||praght.tech^ +||praiseddisintegrate.com^ +||pramenterpriseamy.com^ +||praterswhally.com^ +||prawnrespiratorgrim.com^ +||prayercertificatecompletion.com^ +||prckxbflfaryfau.com^ +||prdredir.com^ +||pre4sentre8dhf.com^ +||preachbacteriadisingenuous.com^ +||preacherscarecautiously.com^ +||prearmskabiki.com^ +||precariousgrumpy.com^ +||precedelaxative.com^ +||precedentadministrator.com^ +||precious-type.pro^ +||preciouswornspectacle.com^ +||precipitationepisodevanished.com^ +||precipitationglittering.com^ +||precisejoker.com^ +||precisethrobbingsentinel.com^ +||precisionclick.com^ +||preclknu.com^ +||precmd.com^ +||precursorinclinationbruised.com^ +||predatoryfilament.com^ +||predatorymould.com^ +||predatoryrucksack.com^ +||predicateblizzard.com^ +||predictad.com^ +||predictfurioushindrance.com^ +||predictiondexchange.com^ +||predictiondisplay.com^ +||predictionds.com^ +||predictivadnetwork.com^ +||predictivadvertising.com^ +||predictivdisplay.com^ +||predominanttamper.com^ +||prefecturecagesgraphic.com^ +||prefecturesolelysadness.com^ +||preferablycarbon.com^ +||preferablyducks.com^ +||preferencedrank.com^ +||preferenceforfeit.com^ +||preferouter.com^ +||prefershapely.com^ +||prefixsowle.com^ +||prefleks.com^ +||pregainskilly.shop^ +||pregmatookles.com^ +||pregnancyslayidentifier.com^ +||prehistoricprefecturedale.com^ +||prejudiceinsure.com^ +||prelandcleanerlp.com^ +||prelandtest01.com^ +||preliminaryinclusioninvitation.com^ +||preloanflubs.com^ +||prematurebowelcompared.com^ +||prematuresam.com^ +||premium-members.com^ +||premium4kflix.club^ +||premium4kflix.top^ +||premium4kflix.website^ +||premiumads.net^ +||premiumredir.ru^ +||premiumvertising.com^ +||premonitioneuropeanstems.com^ +||premonitioninventdisagree.com^ +||preoccupation3x.fun^ +||preoccupycommittee.com^ +||preonesetro.com^ +||preparingacrossreply.com^ +||prepositiondiscourteous.com^ +||prepositionrumour.com^ +||preppiesteamer.com^ +||prerogativeproblems.com^ +||prerogativeslob.com^ +||prescription423.fun^ +||presentationbishop.com^ +||presentimentguestmetaphor.com^ +||preservealso.com^ +||preservedresentful.com^ +||presidecookeddictum.com^ +||presidedisregard.com^ +||presidentialprism.com^ +||pressedbackfireseason.com^ +||pressingequation.com^ +||pressize.com^ +||pressyour.com^ +||prestoris.com^ +||presumablyconfound.com^ +||presumptuousfunnelinsight.com^ +||presumptuouslavish.com^ +||pretendturk.com^ +||pretextunfinished.com^ +||pretrackings.com^ +||pretty-sluts-nearby.com^ +||prettyfaintedsaxophone.com^ +||prettypermission.pro^ +||prevailedbutton.com^ +||prevailinsolence.com^ +||prevalentpotsrice.com^ +||preventionhoot.com^ +||prevuesthurl.com^ +||prfctmney.com^ +||prfwhite.com^ +||prhdvhx.com^ +||priceyawol.com^ +||pricklyachetongs.com^ +||pridenovicescammer.com^ +||priestboundsay.com^ +||priestsuccession.com^ +||priestsuede.click^ +||priestsuede.com^ +||prigskoil.shop^ +||primarilyresources.com^ +||primarilysweptabundant.com^ +||primarkingfun.giving^ +||primaryads.com^ +||primaryderidemileage.com^ +||prime-ever.com^ +||prime-vpnet.com^ +||primedirect.net^ +||primevalstork.com^ +||princesinistervirus.com^ +||princessdazzlepeacefully.com^ +||princessmodern.com^ +||principaldingdecadence.com^ +||principlede.info^ +||principlessilas.com^ +||pringed.space^ +||prinkergp.top^ +||prinksdammit.com^ +||printaugment.com^ +||printerswear.com^ +||printgrownuphail.com^ +||printsmull.com^ +||prioraslop.com^ +||priorityblockinghopped.com^ +||priselapse.com^ +||prisonfirmlyswallow.com^ +||prisonrecollectionecstasy.com^ +||pristine-dark.pro^ +||pritesol.com^ +||privacycounter.com^ +||privacynicerresumed.com^ +||privacysearching.com^ +||private-stage.com^ +||privateappealingsymphony.com^ +||privatelydevotionrewind.com^ +||privilegedmansfieldvaguely.com^ +||privilegedvitaminimpassable.com^ +||privilegeinjurefidelity.com^ +||privilegest.com^ +||prizefrenzy.top^ +||prizegrantedrevision.com^ +||prizel.com^ +||prksism.com^ +||prmtracking3.com^ +||prmtracks.com^ +||prngpwifu.com^ +||pro-adblocker.com^ +||pro-advert.de^ +||pro-market.net^ +||pro-pro-go.com^ +||pro-suprport-act.com^ +||pro-web.net^ +||pro119marketing.com^ +||proadscdn.com^ +||probablebeeper.com^ +||probabletellsunexpected.com^ +||probablyrespectivelyadhere.com^ +||probersnobles.com^ +||probessanggau.com^ +||probestrike.com^ +||probeswiglet.top^ +||probtn.com^ +||proceedingdream.com^ +||proceedingmusic.com^ +||processedagrarian.com^ +||processingcomprehension.com^ +||processionhardly.com^ +||processionrecital.com^ +||processpardon.com^ +||processsky.com^ +||proclean.club^ +||procuratorpresumecoal.com^ +||procuratorthoroughlycompere.com^ +||procuredsheet.com^ +||prod.untd.com^ +||prodaddkarl.com^ +||prodigysomeone.click^ +||prodmp.ru^ +||prodresell.com^ +||producebreed.com^ +||producedendorsecamp.com^ +||produceduniversitydire.com^ +||producerdoughnut.com^ +||producerplot.com^ +||producingtrunkblaze.com^ +||productanychaste.com^ +||producthub.info^ +||productive-chemical.pro^ +||proeroclips.pro^ +||proetusbramble.com^ +||professdeteriorate.com^ +||professionalbusinesstoday.xyz^ +||professionallygravitationbackwards.com^ +||professionallyjazzotter.com^ +||professionallytear.com^ +||professionallywealthy.com^ +||professionalsly.com^ +||professionalswebcheck.com^ +||professorrevealingoctopus.com^ +||professtrespass.com^ +||proffering.xyz^ +||profilingerror.online^ +||profitablecpmgate.com^ +||profitablecpmnetwork.com^ +||profitablecpmrate.com^ +||profitablecreativeformat.com^ +||profitabledisplaycontent.com^ +||profitabledisplayformat.com^ +||profitabledisplaynetwork.com^ +||profitableexactly.com^ +||profitablefearstandstill.com^ +||profitablegate.com^ +||profitablegatecpm.com^ +||profitablegatetocontent.com^ +||profitableheavilylord.com^ +||profitabletrustednetwork.com^ +||profitcustomersnuff.com^ +||profitpeelers.com^ +||profitsence.com^ +||profoundbagpipeexaggerate.com^ +||profoundflourishing.com^ +||proftrafficcounter.com^ +||progenyoverhear.com^ +||progenyproduced.com^ +||programinsightplastic.com^ +||programmeframeworkpractically.com^ +||progressmaturityseat.com^ +||progressproceeding.com^ +||projectagora.net^ +||projectagora.tech^ +||projectagoralibs.com^ +||projectagoraservices.com^ +||projectagoratech.com^ +||projectscupcakeinternational.com^ +||projectwonderful.com^ +||prolatecyclus.com^ +||proleclips.com^ +||prologuerussialavender.com^ +||prologuetwinsmolecule.com^ +||promiseyuri.com^ +||promo-bc.com^ +||promobenef.com^ +||promptofficemillionaire.com^ +||promptsgod.com^ +||pronedynastyimpertinence.com^ +||pronouncedgetawayetiquette.com^ +||pronouncedlaws.com^ +||pronounlazinessunderstand.com^ +||pronunciationspecimens.com^ +||proofnaive.com^ +||propbigo.com^ +||propcollaterallastly.com^ +||propelascella.top^ +||propeller-tracking.com^ +||propellerads.com^ +||propellerads.tech^ +||propellerclick.com^ +||propellerpops.com^ +||properlycrumple.com^ +||properlypreparingitself.com^ +||propertyofnews.com^ +||propgoservice.com^ +||proposaloccupation.com^ +||proposedpartly.com^ +||propositiondisinterested.com^ +||propositionfadedplague.com^ +||proprietorgrit.com^ +||propu.sh^ +||propulsionstatute.com^ +||propulsionswarm.com^ +||propvideo.net^ +||proreancostaea.com^ +||prorentisol.com^ +||proscholarshub.com^ +||proscontaining.com^ +||prose-nou.com^ +||prosecutorkettle.com^ +||prosedisavow.com^ +||proselyaltars.com^ +||prosperent.com^ +||prosperitysemiimpediment.com^ +||prosperousdreary.com^ +||prosperousprobe.com^ +||prosperousunnecessarymanipulate.com^ +||prosthong.com^ +||prosumsit.com^ +||protagcdn.com^ +||protally.net^ +||protawe.com^ +||protectonlinenow.com^ +||protectorincorporatehush.com^ +||protectwborcn.com^ +||protectyourdevices.com^ +||proteinfrivolousfertilised.com^ +||proteininnovationpioneer.com^ +||protestgrove.com^ +||protoawe.com^ +||protocolchainflow.com^ +||protocolgroupgroups.com^ +||prototypeboats.com^ +||prototypewailrubber.com^ +||protrckit.com^ +||proudlysurly.com^ +||provedonefoldonefoldhastily.com^ +||provenpixel.com^ +||proverbadmiraluphill.com^ +||proverbbeaming.com^ +||proverbmariannemirth.com^ +||providedovernight.com^ +||provider-direct.com^ +||providingcrechepartnership.com^ +||provokeobnoxious.com^ +||prowesscourtsouth.com^ +||prowesshearing.com^ +||prowesstense.com^ +||prowlenthusiasticcongest.com^ +||proximic.com^ +||proximitywars.com^ +||prplad.com^ +||prplads.com^ +||prpops.com^ +||prre.ru^ +||prtawe.com^ +||prtord.com^ +||prtrackings.com^ +||prtydqs.com^ +||prudentfailingcomplicate.com^ +||prudentperform.com^ +||prunestownpostman.com^ +||prutosom.com^ +||pruwwox.com^ +||prvc.io^ +||prwave.info^ +||prxy.online^ +||pryrhoohs.site^ +||psaiglursurvey.space^ +||psaijezy.com^ +||psairees.net^ +||psaithagomtasu.net^ +||psaiwaxaib.net^ +||psalmexceptional.com^ +||psalrausoa.com^ +||psaltauw.net^ +||psapailrims.com^ +||psaudous.com^ +||psaugourtauy.com^ +||psaukaux.net^ +||psaulrouck.net^ +||psaumpoum.com^ +||psaumseegroa.com^ +||psaurdoofy.com^ +||psaurteepo.com^ +||psaushoas.com^ +||psausoay.net^ +||psaussasta.net^ +||psausuck.net^ +||psauwaun.com^ +||pschentinfile.com^ +||psclicks.com^ +||psdn.xyz^ +||psedwm.com^ +||pseeckotees.com^ +||pseegroah.com^ +||pseempep.com^ +||pseensooh.com^ +||pseepsie.com^ +||pseepsoo.com^ +||pseerdab.com^ +||pseergoa.net^ +||psegeevalrat.net^ +||pseleexotouben.net^ +||psensuds.net^ +||psergete.com^ +||psfdi.com^ +||psfgobbet.com^ +||pshb.me^ +||pshmetrk.com^ +||pshtop.com^ +||pshtrk.com^ +||psichoafouts.xyz^ +||psiftaugads.com^ +||psigradinals.com^ +||psiksais.com^ +||psilaurgi.net^ +||psirtass.net^ +||psissoaksoab.xyz^ +||psistaghuz.com^ +||psistaugli.com^ +||psitchoo.xyz^ +||psixoahi.xyz^ +||psma02.com^ +||psndhfrga.com^ +||psoabojaksou.net^ +||psoacickoots.net^ +||psoackaw.net^ +||psoaftob.xyz^ +||psoageph.com^ +||psoakichoax.xyz^ +||psoamaupsie.net^ +||psoanoaweek.net^ +||psoansumt.net^ +||psoasusteech.net^ +||psockapa.net^ +||psoftautha.com^ +||psohemsinso.xyz^ +||psoltoanoucamte.net^ +||psomsoorsa.com^ +||psomtenga.net^ +||psooltecmeve.net^ +||psoopirdifty.xyz^ +||psoopoakihou.com^ +||psoorgou.com^ +||psoorsen.com^ +||psoostelrupt.net^ +||psootaun.com^ +||psootchu.net^ +||psoricremast.com^ +||psoroumukr.com^ +||psothoms.com^ +||psotudev.com^ +||psougloo.com^ +||psougrie.com^ +||psoumoalt.com^ +||psouthee.xyz^ +||psouzoub.com^ +||psozoult.net^ +||pssjsbrpihl.xyz^ +||pssy.xyz^ +||pstnmhftix.xyz^ +||pstreetma.com^ +||psuaqpz.com^ +||psuftoum.com^ +||psumainy.xyz^ +||psungaum.com^ +||psunseewhu.com^ +||psuphuns.net^ +||psurdoak.com^ +||psurigrabi.com^ +||psurouptoa.com^ +||psutopheehaufoo.net^ +||pswagjx.com^ +||pswfwedv.com^ +||pswticsbnt.com^ +||psychologicalpaperworkimplant.com^ +||psykterfaulter.com^ +||pt-xb.xyz^ +||pta.wcm.pl^ +||ptackoucmaib.net^ +||ptaicoul.xyz^ +||ptailadsol.net^ +||ptaimpeerte.com^ +||ptaishisteb.com^ +||ptaishux.com^ +||ptaissud.com^ +||ptaitossaukang.net^ +||ptaixout.net^ +||ptalribs.xyz^ +||ptamselrou.com^ +||ptapjmp.com^ +||ptatexiwhe.com^ +||ptatzrucj.com^ +||ptaufefagn.net^ +||ptaumoadsovu.com^ +||ptaunsoova.com^ +||ptaupsom.com^ +||ptauxofi.net^ +||ptavutchain.com^ +||ptawe.com^ +||ptawehex.net^ +||ptawhood.net^ +||ptbrdg.com^ +||ptcdwm.com^ +||ptecmuny.com^ +||ptedseesse.com^ +||pteemteethu.net^ +||pteeptamparg.xyz^ +||pteghoglapir.com^ +||ptekuwiny.pro^ +||ptelsudsew.net^ +||ptensoghutsu.com^ +||ptersudisurvey.top^ +||ptewarin.net^ +||ptewauta.net^ +||ptexognouh.xyz^ +||ptichoolsougn.net^ +||pticmootoat.com^ +||ptidsezi.com^ +||ptinouth.com^ +||ptipsixo.com^ +||ptipsout.net^ +||ptirgaux.com^ +||ptirtika.com^ +||ptistyvymi.com^ +||ptitoumibsel.com^ +||ptlwm.com^ +||ptlwmstc.com^ +||ptmnd.com^ +||ptoafauz.net^ +||ptoafteewhu.com^ +||ptoagnin.xyz^ +||ptoahaistais.com^ +||ptoaheelaishard.net^ +||ptoakooph.net^ +||ptoakrok.net^ +||ptoaltie.com^ +||ptoangir.com^ +||ptoavibsaron.net^ +||ptochair.xyz^ +||ptoftaupsift.com^ +||ptoksoaksi.com^ +||ptolauwadoay.net^ +||ptonauls.net^ +||ptongouh.net^ +||ptoockex.xyz^ +||ptookaih.net^ +||ptoorauptoud.net^ +||ptootsailrou.net^ +||ptotchie.xyz^ +||ptoubeeh.net^ +||ptouckop.xyz^ +||ptoudsid.com^ +||ptougeegnep.net^ +||ptouglaiksiky.net^ +||ptoujaust.com^ +||ptoulraiph.net^ +||ptoumsid.net^ +||ptoupagreltop.net^ +||ptoushoa.com^ +||ptoutsexe.com^ +||ptp22.com^ +||ptsixwereksbef.info^ +||ptstnews.pro^ +||ptsyhasifubi.buzz^ +||pttsite.com^ +||ptugnins.net^ +||ptugnoaw.net^ +||ptukasti.com^ +||ptulsauts.com^ +||ptumtaip.com^ +||ptuphotookr.com^ +||ptupsewo.net^ +||pturdaumpustool.net^ +||ptutchiz.com^ +||ptuxapow.com^ +||ptvfranfbdaq.xyz^ +||ptwmcd.com^ +||ptwmemd.com^ +||ptwmjmp.com^ +||ptyalinbrattie.com^ +||ptyhawwuwj.com^ +||pu5hk1n2020.com^ +||puabvo.com^ +||pub.network^ +||pub2srv.com^ +||pubadx.one^ +||pubaka5.com^ +||pubdisturbance.com^ +||pubertybloatgrief.com^ +||pubfruitlesswording.com^ +||pubfuture-ad.com^ +||pubfutureads.com^ +||pubgalaxy.com^ +||pubguru.net^ +||pubimageboard.com^ +||public1266.fun^ +||publiclyphasecategory.com^ +||publicunloadbags.com^ +||publisherads.click^ +||publishercounting.com^ +||publisherperformancewatery.com^ +||publited.com^ +||publpush.com^ +||pubmatic.com^ +||pubmine.com^ +||pubnation.com^ +||pubovore.com^ +||pubpowerplatform.io^ +||pubtm.com^ +||pubtrky.com^ +||puczuxqijadg.com^ +||puddingdefeated.com^ +||puddleincidentally.com^ +||pudicalnablus.com^ +||pudraugraurd.net^ +||puerty.com^ +||puffingtiffs.com^ +||pugdisguise.com^ +||pugmarktagua.com^ +||pugsgivehugs.com^ +||puhtml.com^ +||puitaexb.com^ +||pukimuki.xyz^ +||pukumongols.com^ +||puldhukelpmet.com^ +||pullockoldwife.com^ +||pullovereugenemistletoe.com^ +||pulpdeeplydrank.com^ +||pulpix.com^ +||pulpphlegma.shop^ +||pulpreferred.com^ +||pulpyads.com^ +||pulpybizarre.com^ +||pulseadnetwork.com^ +||pulsemgr.com^ +||pulseonclick.com^ +||pulserviral.com^ +||pulvinioreodon.com^ +||pumpbead.com^ +||punctual-window.com^ +||punctualflopsubquery.com^ +||pungentsmartlyhoarse.com^ +||punishgrantedvirus.com^ +||punkhonouredrole.com^ +||punoamokroam.net^ +||punoocke.com^ +||punosend.com^ +||punosy.best^ +||punosy.com^ +||punystudio.pro^ +||puppyderisiverear.com^ +||pupspu.com^ +||pupur.net^ +||pupur.pro^ +||puqvwadzaa.com^ +||puranasebriose.top^ +||puranaszaramo.com^ +||purchaserdisgustingwrestle.com^ +||purchasertormentscoundrel.com^ +||purgeregulation.com^ +||purgescholars.com^ +||purgoaho.xyz^ +||purifybaptism.guru^ +||purlingresews.com^ +||purpleads.io^ +||purpleflag.net^ +||purplepatch.online^ +||purposelyharp.com^ +||purposelynextbinary.com^ +||purposeparking.com^ +||purrrrrrrr.net^ +||pursedistraught.com^ +||purseneighbourlyseal.com^ +||pursuedfailurehibernate.com^ +||pursuingconjunction.com^ +||pursuingnamesaketub.com^ +||pursuitbelieved.com^ +||pursuitcharlesbaker.com^ +||pursuiterelydia.com^ +||pursuitgrasp.com^ +||pursuitperceptionforest.com^ +||puserving.com^ +||push-news.click^ +||push-notifications.top^ +||push-sdk.com^ +||push-sdk.net^ +||push-sense.com^ +||push-subservice.com^ +||push.house^ +||push1000.com^ +||push1000.top^ +||push1001.com^ +||push1005.com^ +||push2check.com^ +||pushads.biz^ +||pushads.io^ +||pushadvert.bid^ +||pushaffiliate.net^ +||pushagim.com^ +||pushails.com^ +||pushalk.com^ +||pushame.com^ +||pushamir.com^ +||pushance.com^ +||pushanert.com^ +||pushanishe.com^ +||pushanya.net^ +||pusharest.com^ +||pushatomic.com^ +||pushazam.com^ +||pushazer.com^ +||pushbaddy.com^ +||pushbasic.com^ +||pushbizapi.com^ +||pushcampaign.club^ +||pushcentric.com^ +||pushckick.click^ +||pushclk.com^ +||pushdelone.com^ +||pushdom.co^ +||pushdrop.club^ +||pushdusk.com^ +||pushebrod.com^ +||pusheddrain.com^ +||pushedwaistcoat.com^ +||pushedwebnews.com^ +||pushego.com^ +||pusheify.com^ +||pushell.info^ +||pushelp.pro^ +||pusherism.com^ +||pushflow.net^ +||pushflow.org^ +||pushgaga.com^ +||pushimer.com^ +||pushimg.com^ +||pushingwatchfulturf.com^ +||pushinpage.com^ +||pushkav.com^ +||pushking.net^ +||pushlapush.com^ +||pushlaram.com^ +||pushlarr.com^ +||pushlat.com^ +||pushlemm.com^ +||pushlinck.com^ +||pushlnk.com^ +||pushlommy.com^ +||pushlum.com^ +||pushmashine.com^ +||pushmaster-in.xyz^ +||pushmejs.com^ +||pushmenews.com^ +||pushmine.com^ +||pushmobilenews.com^ +||pushmono.com^ +||pushnami.com^ +||pushnative.com^ +||pushnest.com^ +||pushnevis.com^ +||pushnews.org^ +||pushnice.com^ +||pushno.com^ +||pushnotice.xyz^ +||pushochenk.com^ +||pushokey.com^ +||pushomir.com^ +||pushorg.com^ +||pushort.com^ +||pushosub.com^ +||pushosubk.com^ +||pushpong.net^ +||pushprofit.net^ +||pushpropeller.com^ +||pushpush.net^ +||pushqwer.com^ +||pushrase.com^ +||pushsar.com^ +||pushserve.xyz^ +||pushsight.com^ +||pushtorm.net^ +||pushub.net^ +||pushup.wtf^ +||pushwelcome.com^ +||pushwhy.com^ +||pushyexcitement.pro^ +||pushzolo.com^ +||pusishegre.com^ +||pussersy.com^ +||pussl3.com^ +||pussl48.com^ +||putainalen.com^ +||putbid.net^ +||putchumt.com^ +||putrefyeither.com^ +||putrescentheadstoneyoungest.com^ +||putrescentpremonitionspoon.com^ +||putrescentsacred.com^ +||putrid-experience.pro^ +||putridchart.pro^ +||putrr16.com^ +||putrr7.com^ +||putwandering.com^ +||puvj-qvbjol.vip^ +||puwpush.com^ +||puysis.com^ +||puyyyifbmdh.com^ +||puzna.com^ +||puzzio.xyz^ +||puzzlepursued.com^ +||puzzoa.xyz^ +||pvclouds.com^ +||pvdbkr.com^ +||pvtqllwgu.com^ +||pvxvazbehd.com^ +||pwaarkac.com^ +||pwbffdsszgkv.com^ +||pwcgditcy.com^ +||pweabzcatoh.com^ +||pwmctl.com^ +||pwrgrowthapi.com^ +||pwuzvbhf.com^ +||pwwjuyty.com^ +||pwyruccp.com^ +||px-broke.com^ +||px-golf.com^ +||px3792.com^ +||pxls4gm.space^ +||pxltrck.com^ +||pxyepmwex.com^ +||pyfmccaaejhcvd.com^ +||pygopodwrytailbaskett.sbs^ +||pyknrhm5c.com^ +||pympbhxyhnd.xyz^ +||pyrincelewasgild.info^ +||pyrroylceriums.com^ +||pysfhgdpi.com^ +||pyzwxkb.com^ +||pzmeblamivop.world^ +||pzqfmhy.com^ +||pzvai.site^ +||q1-tdsge.com^ +||q1ixd.top^ +||q1mediahydraplatform.com^ +||q2i8kd5n.de^ +||q6idnawboy7g.com^ +||q88z1s3.com^ +||q8ntfhfngm.com^ +||q99i1qi6.de^ +||qa-vatote.icu^ +||qa24ljic4i.com^ +||qads.io^ +||qadserve.com^ +||qadservice.com^ +||qaensksii.com^ +||qahssrxvelqeqy.xyz^ +||qajgarohwobh.com^ +||qajwizsifaj.com^ +||qaklbrqevbqbv.top^ +||qaklbrqevbzqz.top^ +||qakzfubfozaj.com^ +||qalscihrolwu.com^ +||qarewien.com^ +||qasforsalesrep.info^ +||qatsbesagne.com^ +||qatttuluhog.com^ +||qausmrzypsst.com^ +||qavgacsmegav.com^ +||qax1a3si.uno^ +||qazrvobkmqvmr.top^ +||qbkrawrkzeyez.top^ +||qceatqoqwpza.com^ +||qcerujcajnme.com^ +||qckeumrwft.xyz^ +||qcxhwrm.com^ +||qdfscelxyyem.club^ +||qdhrbget.click^ +||qdmil.com^ +||qdotzfy.com^ +||qdxpid-bxcy.today^ +||qebpwkxjz.com^ +||qebuoxn.com^ +||qel-qel-fie.com^ +||qelqlunebz.com^ +||qerestooker.com^ +||qerkbejqwqjkr.top^ +||qewwklaovmmw.top^ +||qf-ebeydt.top^ +||qfaqwxkclrwel.com^ +||qfdn3gyfbs.com^ +||qfgtepw.com^ +||qfiofvovgapc.com^ +||qfjherc.com^ +||qfnzyhwtyarskp.com^ +||qfoodskfubk.com^ +||qgerr.com^ +||qgevavwyafjf.com^ +||qgexkmi.com^ +||qglinlrtdfc.com^ +||qgxbluhsgad.com^ +||qhdtlgthqqovcw.xyz^ +||qhmlwvnd.com^ +||qhogcyoqrl.com^ +||qhwyoat.com^ +||qiaoxz.xyz^ +||qibkkioqqw.com^ +||qibqiwczoojw.com^ +||qickazzmoaxv.com^ +||qidmhohammat.com^ +||qimnubohcapb.com^ +||qingolor.com^ +||qinvaris.com^ +||qipsjdjk.xyz^ +||qiqdpeovkobj.com^ +||qituduwios.com^ +||qiuaiea.com^ +||qivaiw.com^ +||qizjkwx9klim.com^ +||qjmlmaffrqj.com^ +||qjrhacxxk.xyz^ +||qjukphe.com^ +||qksrv.cc^ +||qksrv.net^ +||qksrv1.com^ +||qksz.net^ +||qkyliljavzci.com^ +||qkyojtlabrhy.com^ +||qlfqkjluvz.com^ +||qlnkt.com^ +||qmaacxajsovk.com^ +||qmahepzo.one^ +||qmrelvezolbrv.top^ +||qmxbqwbprwavac.xyz^ +||qmyzawzjkrrjb.top^ +||qn-5.com^ +||qnesnufjs.com^ +||qnhuxyqjv.com^ +||qnmesegceogg.com^ +||qnowyhbtjqvyn.com^ +||qnp16tstw.com^ +||qnsr.com^ +||qnyysdideo.com^ +||qoaaa.com^ +||qogearh.com^ +||qokira.uno^ +||qoqv.com^ +||qorbnalwihvhbp.com^ +||qoredi.com^ +||qorlxle.com^ +||qowncyf.com^ +||qozveo.com^ +||qp-kkhdfspt.space^ +||qpbtocrhhjnz.one^ +||qppq166n.de^ +||qqbqy.com^ +||qqguvmf.com^ +||qqjfvepr.com^ +||qqmhh.com^ +||qqqwes.com^ +||qqrxk.club^ +||qquhzi4f3.com^ +||qqurzfi.com^ +||qqyaarvtrw.xyz^ +||qr-captcha.com^ +||qrgip.xyz^ +||qrifhajtabcy.com^ +||qrkwvoomrbroo.top^ +||qrlsx.com^ +||qroagwadndwy.com^ +||qrprobopassor.com^ +||qrredraws.com^ +||qrroyrdbjeeffw.com^ +||qrrqysjnwctp.xyz^ +||qrubv.buzz^ +||qrwkkcyih.xyz^ +||qrzlaatf.xyz^ +||qsbqxvdxhbnf.xyz^ +||qservz.com^ +||qskxpvncyjly.com^ +||qslkthj.com^ +||qsmnt.online^ +||qsvbi.space^ +||qtdopwuau.xyz^ +||qtkjqmxhmgspb.com^ +||qtoxhaamntfi.com^ +||qtuopsqmunzo.com^ +||qtuxulczymu.com^ +||quacktypist.com^ +||quackupsilon.com^ +||quagfa.com^ +||quaggaeasers.shop^ +||quaintmembershipprobably.com^ +||quaizoa.xyz^ +||qualificationsomehow.com^ +||qualifiedhead.pro^ +||qualifyundeniable.com^ +||qualitiessnoutdestitute.com^ +||qualitiesstopsallegiance.com^ +||qualityadverse.com^ +||qualitydestructionhouse.com^ +||qualityremaining.com^ +||qualizebruisi.org^ +||quanta-wave.com^ +||quantoz.xyz^ +||quanzai.xyz^ +||quarantinedisappearhive.com^ +||quarrelrelative.com^ +||quartaherbist.com^ +||quarterbackanimateappointed.com^ +||quarterbacknervous.com^ +||quasarcouhage.top^ +||quaternnerka.com^ +||quatrefeuillepolonaise.xyz^ +||quatxio.xyz^ +||quayolderinstance.com^ +||qubjweguszko.com^ +||queasydashed.top^ +||quedo.buzz^ +||queergatewayeasier.com^ +||queersodadults.com^ +||queersynonymlunatic.com^ +||queerygenets.com^ +||quellbustle.com^ +||quellunskilfulimmersed.com^ +||quellyawncoke.com^ +||quenchskirmishcohere.com^ +||quensillo.com^ +||querulous-type.com^ +||queryaccidentallysake.com^ +||queryastray.com^ +||querylead.com^ +||querysteer.com^ +||quesid.com^ +||questeelskin.com^ +||questioningcomplimentarypotato.com^ +||questioningexperimental.com^ +||questioningsanctifypuberty.com^ +||questioningtosscontradiction.com^ +||queuequalificationtreasure.com^ +||queuescotman.com^ +||quiazo.xyz^ +||quickads.net^ +||quickforgivenesssplit.com^ +||quickieboilingplayground.com^ +||quickielatepolitician.com^ +||quicklisti.com^ +||quicklymuseum.com^ +||quickorange.com^ +||quickshare.cfd^ +||quicksitting.com^ +||quickwest.pro^ +||quidclueless.com^ +||quietlybananasmarvel.com^ +||quilkinhulking.shop^ +||quillsconi.top^ +||quinchdeepish.top^ +||quintag.com^ +||quintessential-telephone.pro^ +||quiri-iix.com^ +||quitepoet.com^ +||quitesousefulhe.info^ +||quitjav11.fun^ +||quiveringriddance.com^ +||quizmastersnag.com^ +||quizna.xyz^ +||qumagee.com^ +||qummafsivff.com^ +||quokkacheeks.com^ +||quotationcovetoustractor.com^ +||quotationfirearmrevision.com^ +||quotationindolent.com^ +||quotes.com^ +||quotumottetto.shop^ +||qutejo.xyz^ +||quwsncrlcwjpj.com^ +||quxsiraqxla.com^ +||quytsyru.com^ +||quzwteqzaabm.com^ +||qvikar.com^ +||qvjqbtbt.com^ +||qvtcigr.com^ +||qwaapgxfahce.com^ +||qwerfdx.com^ +||qwiarjayuffn.xyz^ +||qwivhkmuksjodtt.com^ +||qwkmiot.com^ +||qwlbvlyaklmjo.top^ +||qwoyfys.com^ +||qwpsgqyzrzcr.life^ +||qwrwhosailedbe.info^ +||qwtag.com^ +||qwuaqrxfuohb.com^ +||qwvqbeqwbryyr.top^ +||qwvvoaykyyvj.top^ +||qxdownload.com^ +||qxeidsj.com^ +||qxhspimg.com^ +||qxrbu.com^ +||qxwls.rocks^ +||qxyam.com^ +||qydgdko.com^ +||qykxyax.com^ +||qylmbemvlzjew.top^ +||qylyknxkeep.com^ +||qymkbmjssadw.top^ +||qynmfgnu.xyz^ +||qyusgj.xyz^ +||qywjvlaoyeavv.top^ +||qz-hjgrdqih.fun^ +||qz496amxfh87mst.com^ +||qzaoltruzfus.com^ +||qzcjehp.com^ +||qzesmjv.com^ +||qzetnversitym.com^ +||qzfpnhkcrkowps.com^ +||qzsgudj.com^ +||qzybrmzevbro.top^ +||qzzzzzzzzzqq.com^ +||r-gpasegz.vip^ +||r-q-e.com^ +||r-tb.com^ +||r023m83skv5v.com^ +||r5apiliopolyxenes.com^ +||r66net.com^ +||r66net.net^ +||r932o.com^ +||rabbitcounter.com^ +||rabbitsfreedom.com^ +||rabbitsshortwaggoner.com^ +||rabbitsverification.com^ +||rabblevalenone.com^ +||rabidamoral.com^ +||racecadettyran.com^ +||racedinvict.com^ +||racepaddlesomewhere.com^ +||racialdetrimentbanner.com^ +||racingorchestra.com^ +||racismremoveveteran.com^ +||racismseamanstuff.com^ +||rackheartilyslender.com^ +||racticalwhich.com^ +||ractors291wicklay.com^ +||racunn.com^ +||radarconsultation.com^ +||radarwitch.com^ +||radeant.com^ +||radiancethedevice.com^ +||radiantextension.com^ +||radicalpackage.com^ +||radiodogcollaroctober.com^ +||radiusfellowship.com^ +||radiusmarketing.com^ +||radiusthorny.com^ +||radshedmisrepu.info^ +||raekq.online^ +||rafikfangas.com^ +||ragapa.com^ +||rageagainstthesoap.com^ +||raglassofrum.cc^ +||ragofkanc.com^ +||ragsbxhchr.xyz^ +||ragwviw.com^ +||raheglin.xyz^ +||rahmagtgingleaga.info^ +||rahxfus.com^ +||raideeshaili.net^ +||raigroashoan.net^ +||raijigrip.com^ +||raikijausa.net^ +||railingperformance.com^ +||railroadfatherenlargement.com^ +||railroadlineal.com^ +||railroadmanytwitch.com^ +||railroadunofficial.com^ +||railwayboringnasal.com^ +||rainchangedquaver.com^ +||raincoatbowedstubborn.com^ +||raincoatnonstopsquall.com^ +||rainmealslow.live^ +||rainwealth.com^ +||rainyfreshen.com^ +||raiseallocation.com^ +||raisoglaini.net^ +||raistiwije.net^ +||rajabets.xyz^ +||rakiblinger.com^ +||rallydisprove.com^ +||ralphscrupulouscard.com^ +||ramblecursormaths.com^ +||rambobf.com^ +||rametbaygall.shop^ +||ramieuretal.com^ +||rammishruinous.com^ +||ramrodsmorals.top^ +||ranabreast.com^ +||rancheslava.shop^ +||ranchsatin.com^ +||rancorousjustin.com^ +||randiul.com^ +||randomadsrv.com^ +||randomamongst.com^ +||randomassertiveacacia.com^ +||randomdnslab.com^ +||randomignitiondentist.com^ +||rangbellowreflex.com^ +||rangfool.com^ +||rangformer.com^ +||ranggallop.com^ +||rankonefoldonefold.com^ +||rankpeers.com^ +||rankstarvation.com^ +||ransomsection.com^ +||ransomwidelyproducing.com^ +||rantedcamels.shop^ +||raordukinarilyhuk.com^ +||raosmeac.net^ +||rapacitylikelihood.com^ +||rapaneaphoma.com^ +||rapepush.net^ +||raphanysteers.com^ +||raphidewakener.com^ +||rapidfoxengine.com^ +||rapidhits.net^ +||rapidhunchback.com^ +||rapidlypierredictum.com^ +||rapidshookdecide.com^ +||rapingdistil.com^ +||rapmqouaqpmir.com^ +||rapolok.com^ +||rapturemeddle.com^ +||rar-vpn.com^ +||rarrwcfe.com^ +||rascalbygone.com^ +||rashbarnabas.com^ +||rashlyblowfly.com^ +||rashseedlingexpenditure.com^ +||raspberryamusingbroker.com^ +||raspedexsculp.com^ +||rasurescaribou.com^ +||ratcovertlicence.com^ +||ratebilaterdea.com^ +||ratebilaterdeall.com^ +||rategruntcomely.com^ +||ratificationcockywithout.com^ +||rationallyagreement.com^ +||ratioregarding.com^ +||rattersexpeded.com^ +||rauceesh.com^ +||raudoufoay.com^ +||raufajoo.net^ +||rauheestuma.xyz^ +||raujouca.com^ +||raumipti.net^ +||raunooligais.net^ +||raupasee.xyz^ +||raupsica.net^ +||rausauboocad.net^ +||rausfml.com^ +||rausougo.net^ +||rauvoaty.net^ +||rauwoukauku.com^ +||ravalamin.com^ +||ravaquinal.com^ +||ravaynore.com^ +||ravedesignerobey.com^ +||ravekeptarose.com^ +||ravenperspective.com^ +||ravineagencyirritating.com^ +||ravm.tv^ +||raw-co.com^ +||raw-help.pro^ +||rawasy.com^ +||rawoarsy.com^ +||rayageglagah.shop^ +||raylnk.com^ +||raymondcarryingordered.com^ +||rayonnesiemens.shop^ +||razorvenue.com^ +||razzlebuyer.com^ +||rbcxttd.com^ +||rbnt.org^ +||rboyqkyrwrvkq.top^ +||rbqcg6g.de^ +||rbrightscarletcl.info^ +||rbropocxt.com^ +||rbtfit.com^ +||rbthre.work^ +||rbtwo.bid^ +||rbvgaetqsk.love^ +||rbweljjeqvevy.top^ +||rcerrohatfad.com^ +||rcf3occ8.de^ +||rchmupnlifo.xyz^ +||rclsnaips.com^ +||rcqwmwxdvnt.com^ +||rcvlink.com^ +||rcvlinks.com^ +||rd-cdnp.name^ +||rdairclewestoratesa.info^ +||rddjzbwt.click^ +||rddywd.com^ +||rdfeweqowhd.com^ +||rdpyjpljfqfwah.xyz^ +||rdrceting.com^ +||rdrctgoweb.com^ +||rdrm1.click^ +||rdrm2.click^ +||rdroot.com^ +||rdrsec.com^ +||rdrtrk.com^ +||rdtk.io^ +||rdtlnutu.com^ +||rdtracer.com^ +||rdtrck2.com^ +||rdwmct.com^ +||rdxmjgp.com^ +||re-captha-version-3-29.top^ +||re-experiment.sbs^ +||reacheffecti.work^ +||reachmode.com^ +||reachpane.com^ +||readinessplacingchoice.com^ +||readiong.net^ +||readserv.com^ +||readspokesman.com^ +||readsubsequentlyspecimen.com^ +||readyblossomsuccesses.com^ +||reagend.com^ +||reajyu.net^ +||real-consequence.pro^ +||realevalbs.com^ +||realisecheerfuljockey.com^ +||realiseequanimityliteracy.com^ +||realiukzem.org^ +||realizationhunchback.com^ +||realizesensitivenessflashlight.com^ +||reallifeforyouandme.com^ +||reallywelfarestun.com^ +||realmatch.com^ +||realmdescribe.com^ +||realnewslongdays.pro^ +||realpopbid.com^ +||realsh.xyz^ +||realsrv.com^ +||realsrvcdn.com^ +||realtime-bid.com^ +||realvu.net^ +||reamsswered.com^ +||reapinject.com^ +||rearcomrade.com^ +||rearedblemishwriggle.com^ +||reariimime.com^ +||rearjapanese.com^ +||rearomenlion.com^ +||reasoncharmsin.com^ +||reasoningarcherassuage.com^ +||reasoninstruct.com^ +||reassurehintholding.com^ +||reate.info^ +||reatushaithal.com^ +||reauksoffyrikm.com^ +||rebatelirate.top^ +||rebelfarewe.org^ +||rebelhaggard.com^ +||rebellionnaturalconsonant.com^ +||rebindskayoes.com^ +||rebootsormers.com^ +||rebosoyodle.com^ +||rebrew-foofteen.com^ +||recageddolabra.shop^ +||recalledmesnarl.com^ +||recantgetawayassimilate.com^ +||recatchtukulor.shop^ +||recedechatprotestant.com^ +||receivedachest.com^ +||receiverchinese.com^ +||receiverunfaithfulsmelt.com^ +||recentlydelegate.com^ +||recentlyremainingbrevity.com^ +||recentlywishes.com^ +||recentrecentboomsettlement.com^ +||recentteem.com^ +||receptiongrimoddly.com^ +||recesslikeness.com^ +||recesslotdisappointed.com^ +||recesssignary.com^ +||rechannelapi.com^ +||rechanque.com^ +||recipientmuseumdismissed.com^ +||reciprocalvillager.com^ +||recitalscallop.com^ +||reciteassemble.com^ +||recitedocumentaryhaunch.com^ +||recklessconsole.com^ +||recklessliver.com^ +||reclaimantennajolt.com^ +||reclod.com^ +||recognisepeaceful.com^ +||recognisetorchfreeway.com^ +||recombssuu.com^ +||recomendedsite.com^ +||recommendedblanket.com^ +||recommendedforyou.xyz^ +||recommendednewspapermyself.com^ +||recompensecombinedlooks.com^ +||reconcilewaste.com^ +||reconnectconsistbegins.com^ +||reconsiderenmity.com^ +||reconstructalliance.com^ +||reconstructcomparison.com^ +||reconstructshutdown.com^ +||reconstructsweaty.com^ +||record.guts.com^ +||record.rizk.com^ +||recordedthereby.com^ +||recordercourseheavy.com^ +||recordercrush.com^ +||recorderstruggling.com^ +||recordingadventurouswildest.com^ +||recoupsamakebe.com^ +||recovernosebleed.com^ +||rectificationchurchill.com^ +||rectresultofthep.com^ +||recurseagin.com^ +||recycleliaison.com^ +||recyclinganewupdated.com^ +||recyclinganticipated.com^ +||recyclingbees.com^ +||recyclingproverbintroduce.com^ +||red-just-fit.click^ +||red-track.xyz^ +||redadisappoi.info^ +||redadisappointed.com^ +||redaffil.com^ +||redbillecphory.com^ +||reddenlightly.com^ +||reddockbedman.com^ +||redeemforest.com^ +||redetaailshiletteri.com^ +||redexamination.com^ +||redfootcoclea.shop^ +||redheadinfluencedchill.com^ +||redheadpublicityjug.com^ +||redipslacca.top^ +||redirect-path1.com^ +||redirecting7.eu^ +||redirectingat.com^ +||redistedi.com^ +||rednegationswoop.com^ +||redonetype.com^ +||redri.net^ +||redrotou.net^ +||reducediscord.com^ +||redundancymail.com^ +||redvil.co.in^ +||redwingmagazine.com^ +||reecasoabaiz.net^ +||reecegrita.com^ +||reechegraih.com^ +||reechoat.com^ +||reedbritingsynt.info^ +||reedpraised.com^ +||reedsbullyingpastel.com^ +||reedsinterfering.com^ +||reedthatm.biz^ +||reefcolloquialseptember.com^ +||reekedtravels.shop^ +||reeledou.com^ +||reelnk.com^ +||reenakun.com^ +||reenginee.club^ +||reephaus.com^ +||reepsotograg.net^ +||reesounoay.com^ +||reestedsunnud.com^ +||reevokeiciest.com^ +||reewastogloow.net^ +||reewoumak.com^ +||refbanners.com^ +||refbanners.website^ +||refereenutty.com^ +||referredencouragedlearned.com^ +||referwhimperceasless.com^ +||refia.xyz^ +||refilmsbones.top^ +||refingoon.com^ +||reflectingwindowscheckbook.com^ +||reflectionseldomnorth.com^ +||reflexcolin.com^ +||reflushneuma.com^ +||refnippod.com^ +||refpa.top^ +||refpa4293501.top^ +||refpabuyoj.top^ +||refpaikgai.top^ +||refpaiozdg.top^ +||refpaiwqkk.top^ +||refpamjeql.top^ +||refpanglbvyd.top^ +||refpasrasw.world^ +||refpaxfbvjlw.top^ +||refraingene.com^ +||refraintupaiid.com^ +||refreshmentwaltzimmoderate.com^ +||refrigeratecommit.com^ +||refrigeratemaimbrunette.com^ +||refugedcuber.com^ +||refugeintermediate.com^ +||refulgebesague.com^ +||refundlikeness.com^ +||refundsreisner.life^ +||refuseddissolveduniversity.com^ +||refusemovie.com^ +||refuserates.com^ +||regadspro.com^ +||regadsworld.com^ +||regainthong.com^ +||regardedcontentdigest.com^ +||regardsperformedgreens.com^ +||regardsshorternote.com^ +||regaveskeo.com^ +||regionads.ru^ +||regionalanglemoon.com^ +||regioncolonel.com^ +||regioninaudibleafforded.com^ +||registercherryheadquarter.com^ +||registration423.fun^ +||regiveshollas.shop^ +||reglazepatriae.com^ +||regnicmow.xyz^ +||regretfactor.com^ +||regretuneasy.com^ +||regrindroughed.click^ +||regrupontihe.com^ +||reguid.com^ +||regulationprivilegescan.top^ +||regulushamal.top^ +||rehvbghwe.cc^ +||reicezenana.com^ +||reichelcormier.bid^ +||reindaks.com^ +||reinstandpointdumbest.com^ +||reissue2871.xyz^ +||rejco2.store^ +||rejdfa.com^ +||rejectionbackache.com^ +||rejectionbennetsmoked.com^ +||rejectionfundetc.com^ +||rejoinedproof.com^ +||rejoinedshake.com^ +||rejowhourox.com^ +||rekipion.com^ +||reklamko.pro^ +||reklamz.com^ +||relappro.com^ +||relativeballoons.com^ +||relativefraudulentprop.com^ +||relativelyfang.com^ +||relativelyweptcurls.com^ +||relatumrorid.com^ +||relaxafford.com^ +||relaxcartooncoincident.com^ +||relaxtime24.biz^ +||releaseavailandproc.org^ +||releasedfinish.com^ +||releaseeviltoll.com^ +||relestar.com^ +||relevanti.com^ +||reliableceaseswat.com^ +||reliablemore.com^ +||reliablepollensuite.com^ +||reliefjawflank.com^ +||reliefreinsside.com^ +||relievedgeoff.com^ +||religiousmischievousskyscraper.com^ +||relinquishbragcarpenter.com^ +||relinquishcooperatedrove.com^ +||relishpreservation.com^ +||relkconka.com^ +||relockembarge.shop^ +||relriptodi.com^ +||reluctancefleck.com^ +||reluctanceghastlysquid.com^ +||reluctanceleatheroptional.com^ +||reluctantconfuse.com^ +||reluctantlycopper.com^ +||reluctantlyjackpot.com^ +||reluctantlysolve.com^ +||reluctantturpentine.com^ +||reluraun.com^ +||remaininghurtful.com^ +||remainnovicei.com^ +||remainsuggested.com^ +||remansice.top^ +||remarkable-assistant.pro^ +||remarkableflashseptember.com^ +||remarkedoneof.info^ +||remarksnicermasterpiece.com^ +||remaysky.com^ +||remedyabruptness.com^ +||remembercompetitioninexplicable.com^ +||remembergirl.com^ +||rememberinfertileeverywhere.com^ +||remembermaterialistic.com^ +||remembertoolsuperstitious.com^ +||remindleftoverpod.com^ +||reminews.com^ +||remintrex.com^ +||remoifications.info^ +||remorseful-illegal.pro^ +||remorsefulindependence.com^ +||remotelymanhoodongoing.com^ +||remoterepentance.com^ +||remploejuiashsat.com^ +||remploymehnt.info^ +||remv43-rtbix.top^ +||renablylifts.shop^ +||renadomsey.com^ +||renamedhourstub.com^ +||rencontreadultere.club^ +||rencontresparis2015.com^ +||rendchewed.com^ +||renderedwowbrainless.com^ +||rendflying.com^ +||rendfy.com^ +||rendreamingonnight.info^ +||renewdateromance.life^ +||renewedinexorablepermit.com^ +||renewmodificationflashing.com^ +||renewpacificdistrict.com^ +||renovatefairfaxmope.com^ +||rentalrebuild.com^ +||rentingimmoderatereflecting.com^ +||rentlysearchingf.com^ +||reopensnews.com^ +||reople.co.kr^ +||reorganizeglaze.com^ +||repaireddismalslightest.com^ +||repaycucumbersbutler.com^ +||repayrotten.com^ +||repeatedlyitsbrash.com^ +||repeatedlyshepherd.com^ +||repeatloin.com^ +||repeatresolve.com^ +||repelcultivate.com^ +||repellentamorousrefutation.com^ +||repellentbaptism.com^ +||repentant-plant.pro^ +||repentantsympathy.com^ +||repentconsiderwoollen.com^ +||replaceexplanationevasion.com^ +||replacementdispleased.com^ +||replacestuntissue.com^ +||replynasal.com^ +||reporo.net^ +||report1.biz^ +||reportbulletindaybreak.com^ +||reposefearful.com^ +||reposemarshknot.com^ +||reprak.com^ +||reprenebritical.org^ +||representhostilemedia.com^ +||reprimandheel.com^ +||reprimandhick.com^ +||reprintvariousecho.com^ +||reproachfeistypassing.com^ +||reproachscatteredborrowing.com^ +||reproductiontape.com^ +||reptileseller.com^ +||republicandegrademeasles.com^ +||repulsefinish.com^ +||repulsiveclearingtherefore.com^ +||reqdfit.com^ +||requestburglaracheless.com^ +||requestsrearrange.com^ +||requinsenroot.com^ +||requiredswanchastise.com^ +||requirespig.com^ +||requirestwine.com^ +||requisiteconjure.com^ +||reqyfuijl.com^ +||rereddit.com^ +||reroplittrewheck.pro^ +||rerosefarts.com^ +||rertessesse.xyz^ +||reryn2ce.com^ +||reryn3ce.com^ +||rerynjia.com^ +||rerynjie.com^ +||rerynjua.com^ +||resalag.com^ +||rescanakhrot.shop^ +||rescueambassadorupward.com^ +||researchingdestroy.com^ +||researchingintentbilliards.com^ +||reseenpeytrel.top^ +||resemblanceilluminatedcigarettes.com^ +||resentreaccotia.com^ +||reservoirvine.com^ +||resesmyinteukr.info^ +||residelikingminister.com^ +||residenceseeingstanding.com^ +||residentialforestssights.com^ +||residentialinspur.com^ +||residentialmmsuccessful.com^ +||residentshove.com^ +||residetransactionsuperiority.com^ +||resignationcustomerflaw.com^ +||resignedcamelplumbing.com^ +||resignedsauna.com^ +||resinkaristos.com^ +||resionsfrester.com^ +||resistanceouter.com^ +||resistcorrectly.com^ +||resistpajamas.com^ +||resistshy.com^ +||resktdahcyqgu.xyz^ +||resniks.pro^ +||resnubdreich.com^ +||resolesmidewin.top^ +||resolutethumb.com^ +||resolvedswordlinked.com^ +||reson8.com^ +||resonance.pk^ +||resort1266.fun^ +||resourcebumper.com^ +||resourcefulauthorizeelevate.com^ +||resourcefulpower.com^ +||resourcesnotorietydr.com^ +||resourcesswallow.com^ +||respeaktret.com^ +||respectableinjurefortunate.com^ +||respectfullyarena.com^ +||respectfulofficiallydoorway.com^ +||respectfulpleaabsolve.com^ +||respirationbruteremotely.com^ +||respondedkinkysofa.com^ +||respondunexpectedalimony.com^ +||responsad1.space^ +||responservbzh.icu^ +||responserver.com^ +||responsibleprohibition.com^ +||responsibleroyalscrap.com^ +||responsiveproportion.com^ +||responsiverender.com^ +||restabbingenologistwoollies.com^ +||restadrenaline.com^ +||restedfeatures.com^ +||restedsoonerfountain.com^ +||restights.pro^ +||restlesscompeldescend.com^ +||restlessconsequence.com^ +||restlessidea.com^ +||restorationpencil.com^ +||restoretwenty.com^ +||restrainwhenceintern.com^ +||restrictguttense.com^ +||restrictioncheekgarlic.com^ +||restrictionsvan.com^ +||restroomcalf.com^ +||resultedinncreas.com^ +||resultlinks.com^ +||resultsz.com^ +||resumeconcurrence.com^ +||retagro.com^ +||retaineraerialcommonly.com^ +||retaliatepoint.com^ +||retardpreparationsalways.com^ +||retarget2core.com^ +||retargetcore.com^ +||retargeter.com^ +||retgspondingco.com^ +||reth45dq.de^ +||retherdoresper.info^ +||rethinkshone.com^ +||reticencecarefully.com^ +||retintsmillion.com^ +||retinueabash.com^ +||retiringspamformed.com^ +||retono42.us^ +||retorefelloes.com^ +||retortedattendnovel.com^ +||retortloudenvelope.com^ +||retoxo.com^ +||retreatregular.com^ +||retrievereasoninginjure.com^ +||retrostingychemical.com^ +||retryamuze.com^ +||retryngs.com^ +||retsifergoumti.net^ +||rettornrhema.com^ +||returnautomaticallyrock.com^ +||reunitedglossybewildered.com^ +||rev-stripe.com^ +||rev2pub.com^ +||rev4rtb.com^ +||revampcdn.com^ +||revcontent.com^ +||revdepo.com^ +||revealathens.top^ +||revelationneighbourly.com^ +||revelationschemes.com^ +||revengeremarksrank.com^ +||revenue.com^ +||revenuebosom.com^ +||revenuecpmnetwork.com^ +||revenuehits.com^ +||revenuemantra.com^ +||revenuenetwork.com^ +||revenuenetworkcpm.com^ +||revenuestripe.com^ +||revenuevids.com^ +||revenuewasadirect.com^ +||reverercowier.com^ +||reversiondisplay.com^ +||revfusion.net^ +||revimedia.com^ +||revivestar.com^ +||revlt.be^ +||revmob.com^ +||revoke1266.fun^ +||revokejoin.com^ +||revolutionary2.fun^ +||revolutionpersuasive.com^ +||revolvemockerycopper.com^ +||revolveoppress.com^ +||revolvingshine.pro^ +||revopush.com^ +||revresponse.com^ +||revrtb.com^ +||revrtb.net^ +||revsci.net^ +||revstripe.com^ +||revulsiondeportvague.com^ +||revupads.com^ +||rewaawoyamvky.top^ +||rewakenreaware.top^ +||rewardjav128.fun^ +||rewardsaffiliates.com^ +||rewearoutwale.shop^ +||rewindgills.com^ +||rewindgranulatedspatter.com^ +||rewinedropshop.info^ +||rewriteadoption.com^ +||rewriteworse.com^ +||rewsawanincreasei.com^ +||rexadvert.xyz^ +||rexbucks.com^ +||rexneedleinterfere.com^ +||rexsrv.com^ +||reyehathick.info^ +||reykijnoac.com^ +||reypelis.tv^ +||reyungojas.com^ +||rficarolnak.com^ +||rfidpytri.com^ +||rfihub.com^ +||rfihub.net^ +||rfinidtirz.com^ +||rfity.com^ +||rfjuoqrbnknop.com^ +||rfogqbystvgb.com^ +||rfoqfifqcyymeb.com^ +||rfsjuxlip.com^ +||rftslb.com^ +||rgbnqmz.com^ +||rgddist.com^ +||rgentssep.xyz^ +||rgeredrubygs.info^ +||rghptoxhai.com^ +||rgrd.xyz^ +||rguxbwbj.xyz^ +||rhagoseasta.com^ +||rhendam.com^ +||rheneapfg.com^ +||rhiaxplrolm.com^ +||rhinioncappers.com^ +||rhinocerosobtrusive.com^ +||rhombicsomeday.com^ +||rhombicswotted.shop^ +||rhouseoyopers.info^ +||rhoxbneasg.xyz^ +||rhrim.com^ +||rhsorga.com^ +||rhubarbmasterpiece.com^ +||rhubarbsuccessesshaft.com^ +||rhudsplm.com^ +||rhumbslauders.click^ +||rhvdsplm.com^ +||rhwvpab.com^ +||rhxbuslpclxnisl.com^ +||rhxdsplm.com^ +||rhythmxchange.com^ +||riaoz.xyz^ +||riazrk-oba.online^ +||ribougrauchoum.net^ +||ribqpiocnzc.com^ +||ribsaiji.com^ +||ribsegment.com^ +||ric-ric-rum.com^ +||ricalsbuildfordg.info^ +||ricead.com^ +||ricettadellanonna.com^ +||ricewaterhou.xyz^ +||richestplacid.com^ +||richinfo.co^ +||richwebmedia.com^ +||rickerrotal.com^ +||riddleloud.com^ +||ridgerkimono.com^ +||ridiculousegoismaspirin.com^ +||ridikoptil.net^ +||ridingdisguisessuffix.com^ +||ridleward.info^ +||ridmilestone.com^ +||riemvocule.com^ +||riffingwiener.com^ +||rifjhukaqoh.com^ +||rifjynxoj-k.vip^ +||riflepicked.com^ +||riflesurfing.xyz^ +||riftharp.com^ +||rigembassyleaving.com^ +||righeegrelroazo.net^ +||rightcomparativelyincomparable.com^ +||righteousfainted.com^ +||righteoussleekpet.com^ +||rightfullybulldog.com^ +||rightsapphiresand.info^ +||rightscarletcloaksa.com^ +||rightycolonialism.com^ +||rightyhugelywatch.com^ +||rightypulverizetea.com^ +||rigill.com^ +||rigourbackward.com^ +||rigourgovernessanxiety.com^ +||rigourpreludefelon.com^ +||rigryvusfyu.xyz^ +||riiciuy.com^ +||rikakza.xyz^ +||rikharenut.shop^ +||rileimply.com^ +||rilelogicbuy.com^ +||riluaneth.com^ +||rimefatling.com^ +||riminghoggoofy.com^ +||rimoadoumo.net^ +||rimwigckagz.com^ +||rincipledecli.info^ +||rinddelusional.com^ +||ringashewasfl.info^ +||ringexpressbeach.com^ +||ringingneo.com^ +||ringsconsultaspirant.com^ +||ringtonepartner.com^ +||rinsederangeordered.com^ +||rinsouxy.com^ +||riotousgrit.com^ +||riotousunspeakablestreet.com^ +||riowrite.com^ +||ripe-heart.com^ +||ripeautobiography.com^ +||ripencompatiblefreezing.com^ +||ripenstreet.com^ +||ripheeksirg.net^ +||ripooloopsap.net^ +||ripplebuiltinpinching.com^ +||ripplecauliflowercock.com^ +||rirteelraibsou.net^ +||rirtoojoaw.net^ +||risausso.com^ +||riscati.com^ +||riseshamelessdrawers.com^ +||riskelaborate.com^ +||riskhector.com^ +||riskymuzzlebiopsy.com^ +||rissoidkyaung.com^ +||rivacathood.com^ +||rivalpout.com^ +||rivatedqualizebruisi.info^ +||riverhit.com^ +||riversingratitudestifle.com^ +||riverstressful.com^ +||rivetrearrange.com^ +||rivne.space^ +||rixaka.com^ +||rixibe.xyz^ +||rjeruqs.com^ +||rjlkibvwgxiduq.com^ +||rjowzlkaz.today^ +||rjw4obbw.com^ +||rkapghq.com^ +||rkatamonju.info^ +||rkdpzcdehop.fun^ +||rkgwzfwjgk.com^ +||rknwwtg.com^ +||rkomf.com^ +||rkoohcakrfu.com^ +||rkskillsombineukd.com^ +||rkulukhwuoc.com^ +||rlcdn.com^ +||rldwideorgani.org^ +||rletcloaksandth.com^ +||rlittleboywhowas.com^ +||rlornextthefirean.com^ +||rlxw.info^ +||rmahmighoogg.com^ +||rmaticalacycurated.info^ +||rmhfrtnd.com^ +||rmndme.com^ +||rmshqa.com^ +||rmtckjzct.com^ +||rmuuspy.com^ +||rmxads.com^ +||rmzsglng.com^ +||rndambipoma.com^ +||rndchandelureon.com^ +||rndhaunteran.com^ +||rndmusharnar.com^ +||rndnoibattor.com^ +||rndskittytor.com^ +||rnhsrsn.com^ +||rnldustal.com^ +||rnmd.net^ +||rnnlfpaxjar.xyz^ +||rnodydenknowl.org^ +||rnotraff.com^ +||rnrycry.com^ +||rnv.life^ +||rnwbrm.com^ +||rnyvukdnylwnqtj.com^ +||roacheenazak.com^ +||roadformedomission.com^ +||roadoati.xyz^ +||roajaiwoul.com^ +||roamapheejub.com^ +||roambedroom.com^ +||roamparadeexpel.com^ +||roapsoogaiz.net^ +||roarcontrivanceuseful.com^ +||roastoup.com^ +||robazi.xyz^ +||robberyinscription.com^ +||robberynominal.com^ +||robberysordid.com^ +||roberehearsal.com^ +||robotadserver.com^ +||roboticourali.com^ +||robotrenamed.com^ +||robspabah.com^ +||rochesterbreedpersuade.com^ +||rochestertrend.com^ +||rockersbaalize.com^ +||rocketme.top^ +||rocketplaintiff.com^ +||rocketyield.com^ +||rockfellertest.com^ +||rockiertaar.com^ +||rockingfolders.com^ +||rockmostbet.com^ +||rockpicky.com^ +||rockyou.net^ +||rockytrails.top^ +||rocoads.com^ +||rodecommercial.com^ +||rodejessie.com^ +||rodirgix.com^ +||rodplayed.com^ +||rodstergomerel.com^ +||rodunwelcome.com^ +||roduster.com^ +||roelikewimpler.com^ +||roemoss.com^ +||rof77skt5zo0.com^ +||rofant.com^ +||rofitstefukhatexc.com^ +||rofxiufqch.com^ +||roguehideevening.com^ +||rogueschedule.com^ +||roiapp.net^ +||roikingdom.com^ +||roilsnadirink.com^ +||roinduk.com^ +||rokreeza.com^ +||rokymedia.com^ +||roledale.com^ +||rollads.live^ +||rollbackpop.com^ +||rollerstrayprawn.com^ +||rollingkiddisgrace.com^ +||rollingwolvesforthcoming.com^ +||rollserver.xyz^ +||rolltrafficroll.com^ +||rolpenszimocca.com^ +||rolsoupouh.xyz^ +||rolzqwm.com^ +||romance-net.com^ +||romancepotsexists.com^ +||romanlicdate.com^ +||romanticwait.com^ +||romashk9arfk10.com^ +||romauntmirker.com^ +||romepoptahul.com^ +||romfpzib.com^ +||romperspardesi.com^ +||rompishvariola.com^ +||roobetaffiliates.com^ +||rooedfibers.com^ +||roofprison.com^ +||rooglomitaiy.com^ +||roohoozy.net^ +||rookechew.com^ +||rookinews.com^ +||rooksreused.website^ +||rookstashrif.shop^ +||rookuvabege.net^ +||roomersgluts.com^ +||roommateskinner.com^ +||roompowerfulprophet.com^ +||roomrentpast.com^ +||rooptawu.net^ +||rootcaptawed.com^ +||rootderideflex.com^ +||rootleretip.top^ +||rootzaffiliates.com^ +||roovs.xyz^ +||ropeanresultanc.com^ +||ropebrains.com^ +||ropwilv.com^ +||roqeke.xyz^ +||roredi.com^ +||roritchou.net^ +||rorserdy.com^ +||rose2919.com^ +||rosolicdalapon.com^ +||rosyfeeling.pro^ +||rosyruffian.com^ +||rotabol.com^ +||rotarb.bid^ +||rotate1t.com^ +||rotate4all.com^ +||rotatejavgg124.fun^ +||rotateme.ru^ +||rotateportion.com^ +||rothermophony.com^ +||rotondagud.com^ +||rotondelibya.com^ +||rotumal.com^ +||rotundfetch.com^ +||roubergmiteom.com^ +||roucoutaivers.com^ +||roudoduor.com^ +||rouduranter.com^ +||rougepromisedtenderly.com^ +||rougharmless.com^ +||roughindoor.com^ +||roughseaside.com^ +||roughviolentlounge.com^ +||rouhavenever.com^ +||rouhaveneverse.info^ +||rouinfernapean.com^ +||roujonoa.net^ +||roulediana.com^ +||roumachopa.com^ +||round-highlight.pro^ +||rounddescribe.com^ +||roundflow.net^ +||roundpush.com^ +||roundspaniardindefinitely.com^ +||rounidorana.com^ +||rounsh.com^ +||rouonixon.com^ +||rousedaudacity.com^ +||routeit.one^ +||routeme.one^ +||routerhydrula.com^ +||routes.name^ +||routeserve.info^ +||routinecloudycrocodile.com^ +||routowoashie.xyz^ +||rouvoufeewhast.net^ +||rouvoute.net^ +||rouvuchoabas.net^ +||rouwhapt.com^ +||rovion.com^ +||rovno.xyz^ +||rowlnk.com^ +||roxby.org^ +||roxot-panel.com^ +||roxyaffiliates.com^ +||royalcactus.com^ +||royallycuprene.com^ +||rozamimo9za10.com^ +||rpazaa.xyz^ +||rpfytkt.com^ +||rpjkwhkxh.com^ +||rppumxa.com^ +||rprapjc.com^ +||rprinc6etodn9kunjiv.com^ +||rpsukimsjy.com^ +||rptmoczqsf.com^ +||rpts.org^ +||rqazepammrl.com^ +||rqbqlwhlui.xyz^ +||rqhere.com^ +||rqnvci.com^ +||rqr97sfd.xyz^ +||rqsaxxdbt.com^ +||rqtrk.eu^ +||rqwel.com^ +||rreauksofthecom.xyz^ +||rreftyonkak.com^ +||rrgbjybt.com^ +||rrhscsdlwufu.xyz^ +||rrmlejvyqwzk.top^ +||rrobbybvvwmzk.top^ +||rronsep.com^ +||rruvbtb.com^ +||rs-stripe.com^ +||rsalcau.com^ +||rsalcch.com^ +||rsalesrepresw.info^ +||rsaltsjt.com^ +||rscilnmkkfbl.com^ +||rsfmzirxwg.com^ +||rsjagnea.com^ +||rsldfvt.com^ +||rsthwwqhxef.xyz^ +||rswhowishedto.info^ +||rtb-media.me^ +||rtb1bid.com^ +||rtb42td.com^ +||rtb4lands.com^ +||rtbadshubmy.com^ +||rtbadsmenetwork.com^ +||rtbadsmya.com^ +||rtbadsmylive.com^ +||rtbbhub.com^ +||rtbbnr.com^ +||rtbbpowaq.com^ +||rtbdnav.com^ +||rtbfit.com^ +||rtbfradhome.com^ +||rtbfradnow.com^ +||rtbget.com^ +||rtbinternet.com^ +||rtbix.com^ +||rtbix.xyz^ +||rtblmh.com^ +||rtbnowads.com^ +||rtbpop.com^ +||rtbpopd.com^ +||rtbrenab.com^ +||rtbrennab.com^ +||rtbstream.com^ +||rtbsuperhub.com^ +||rtbsystem.com^ +||rtbsystem.org^ +||rtbterra.com^ +||rtbtracking.com^ +||rtbtraffic.com^ +||rtbtrail.com^ +||rtbxnmhub.com^ +||rtbxnmlive.com^ +||rtclx.com^ +||rtgio.co^ +||rthbycustomla.info^ +||rtk.io^ +||rtmark.net^ +||rtnews.pro^ +||rtoukfareputfe.info^ +||rtpnt.xyz^ +||rtqdgro.com^ +||rtrgt.com^ +||rtrgt2.com^ +||rtrhit.com^ +||rtty.in^ +||rtuew.xyz^ +||rtuinrjezwkj.love^ +||rtxbdugpeumpmye.xyz^ +||rtxfeed.com^ +||rtxrtb.com^ +||rtyfdsaaan.com^ +||rtyufo.com^ +||rtyznd.com^ +||rtzbpsy.com^ +||ruamupr.com^ +||rubberdescendantfootprints.com^ +||rubbingwomb.com^ +||rubbishher.com^ +||rubestdealfinder.com^ +||rubiconproject.com^ +||rubyblu.com^ +||rubyforcedprovidence.com^ +||rubymillsnpro.com^ +||ruckingefs.com^ +||rucmpbccrgbewma.com^ +||rudaglou.xyz^ +||rudderleisurelyobstinate.com^ +||ruddyred.pro^ +||rudimentarydelay.com^ +||rudishtremolo.top^ +||ruefulauthorizedguarded.com^ +||ruefultest.com^ +||ruefuluphill.com^ +||rufadses.net^ +||ruftodru.net^ +||rugcrucial.com^ +||ruggyscallop.top^ +||rugiomyh2vmr.com^ +||ruglhiahxam.com^ +||rugupheessupaik.net^ +||ruincrayfish.com^ +||ruinedpenal.com^ +||ruinedpersonnel.com^ +||ruinedtolerance.com^ +||ruinjan.com^ +||ruinnorthern.com^ +||rukanw.com^ +||rukskijruza.com^ +||rulrahed.com^ +||rumkhprg.com^ +||rummageengineneedle.com^ +||rummagemason.com^ +||rummentaltheme.com^ +||rummyaffiliates.com^ +||rumsroots.com^ +||run-syndicate.com^ +||runative-syndicate.com^ +||runative.com^ +||runetki.co^ +||rungdefendantfluent.com^ +||rungoverjoyed.com^ +||runicforgecrafter.com^ +||runingamgladt.com^ +||runklessubact.top^ +||runmixed.com^ +||runnerbesiegerelative.com^ +||runningdestructioncleanliness.com^ +||runtnc.net^ +||runwaff.com^ +||runwayrenewal.com^ +||ruohmghwpzzp.com^ +||ruozukk.xyz^ +||rural-report.pro^ +||ruralnobounce.com^ +||rusenov.com^ +||rushoothulso.xyz^ +||rushpeeredlocate.com^ +||russellseemslept.com^ +||russianfelt.com^ +||russiangalacticcharming.com^ +||russianoaths.shop^ +||russianwithincheerleader.com^ +||rusticsnoop.com^ +||rustlesimulator.com^ +||rustycleartariff.com^ +||rustypassportbarbecue.com^ +||rustysauna.com^ +||rustyurishoes.com^ +||rutatmosphericdetriment.com^ +||rutchauthe.net^ +||rutebuxe.xyz^ +||ruthlessawfully.com^ +||ruthwoof.com^ +||ruvqitlilqi.com^ +||ruxmkiqkasw.com^ +||ruzotchaufu.xyz^ +||rv-syzfedv.rocks^ +||rvardsusyseinp.org^ +||rvddfchkj.xyz^ +||rvetreyu.net^ +||rviqayltwu.love^ +||rvisofoseveralye.com^ +||rvisofoseveralyear.com^ +||rvotdlvpwmynan.xyz^ +||rvrpushserv.com^ +||rvvmynjd.love^ +||rwoscaonf.com^ +||rwpgtlurfllti.com^ +||rwrkeqci.xyz^ +||rwtrack.xyz^ +||rwuannaxztux.com^ +||rwukupjis.com^ +||rwusvej.com^ +||rxcihltrqjvdeus.com^ +||rxeosevsso.com^ +||rxrczbxdc.com^ +||rxtgbihqbs99.com^ +||rxthdr.com^ +||rxvej.com^ +||ryads.xyz^ +||ryaqlybvobjw.top^ +||ryauzo.xyz^ +||rydresa.info^ +||ryenetworkconvicted.com^ +||ryeprior.com^ +||ryhmoxhbsfxk.com^ +||ryllae.com^ +||ryminos.com^ +||ryremovement.com^ +||ryrmvbnpmhphkx.com^ +||rysheatlengthanl.xyz^ +||rysjkulq.xyz^ +||rytransionsco.org^ +||rzaxroziwozq.com^ +||rzgiyhpbit.com^ +||rzneekilff.com^ +||rzuokcobzru.com^ +||rzyosrlajku.com^ +||rzzhrbbnghoue.com^ +||rzzlhfx.com^ +||s-adzone.com^ +||s0-greate.net^ +||s0cool.net^ +||s1cta.com^ +||s1m4nohq.de^ +||s1t2uuenhsfs.com^ +||s20dh7e9dh.com^ +||s2blosh.com^ +||s2btwhr9v.com^ +||s2d6.com^ +||s2sterra.com^ +||s3g6.com^ +||s3vracbwe.com^ +||s7feh.top^ +||s99i.org^ +||sa.entireweb.com^ +||sabercuacro.org^ +||sabergood.com^ +||sabinaazophen.top^ +||sabonakapona.com^ +||sabotageharass.com^ +||sacedoamte.net^ +||sackbarngroups.com^ +||sackeelroy.net^ +||sacredperpetratorbasketball.com^ +||sacrificeaffliction.com^ +||sadbasindinner.com^ +||saddlecooperation.com^ +||sadrettinnow.com^ +||sadsaunsord.com^ +||safe-connection21.com^ +||safeattributeexcept.com^ +||safebrowsdv.com^ +||safeglimmerlongitude.com^ +||safeguardoperating.com^ +||safelinkconverter.com^ +||safelistextreme.com^ +||safenick.com^ +||safestcontentgate.com^ +||safestgatetocontent.com^ +||safestsniffingconfessed.com^ +||safesync.com^ +||safewarns.com^ +||safprotection.com^ +||safsdvc.com^ +||sagaciouslikedfireextinguisher.com^ +||sagaciouspredicatemajesty.com^ +||sagearmamentthump.com^ +||sagedeportflorist.com^ +||saggrowledetc.com^ +||sahandkeightg.xyz^ +||saheckas.xyz^ +||sahpupxhyk.com^ +||saigreetoudi.xyz^ +||saikeela.net^ +||sailcovertend.com^ +||saileepsigeh.com^ +||sailif.com^ +||saillevity.com^ +||sailorjav128.fun^ +||sailorlanceslap.com^ +||saintselfish.com^ +||saipeevit.net^ +||saiphoogloobo.net^ +||saipsoan.net^ +||saishook.com^ +||saiwhute.com^ +||sajewhee.xyz^ +||sakura-traffic.com^ +||salaammangos.shop^ +||salalromansh.com^ +||salamus1.lol^ +||salbraddrepilly.com^ +||salesoonerfurnace.com^ +||salestingoner.org^ +||salivamenupremise.com^ +||salivanmobster.com^ +||salivatreatment.com^ +||salleamebean.com^ +||sallyfundamental.com^ +||salseprudely.com^ +||saltcardiacprotective.com^ +||saltconfectionery.com^ +||saltpairwoo.live^ +||saltsarchlyseem.com^ +||saltsupbrining.com^ +||salutationpersecutewindows.com^ +||salvagefloat.com^ +||samage-bility.icu^ +||samalcuratic.shop^ +||samarradeafer.top^ +||samghasps.com^ +||sampalsyneatly.com^ +||samplecomfy.com^ +||samplehavingnonstop.com^ +||samsungads.com^ +||samvaulter.com^ +||samvinva.info^ +||sancontr.com^ +||sanctifylensimperfect.com^ +||sanctioncurtain.com^ +||sanctiontaste.com^ +||sanctuarylivestockcousins.com^ +||sanctuaryparticularly.com^ +||sandelf.com^ +||sandmakingsilver.info^ +||sandsonair.com^ +||sandtheircle.com^ +||sandwich3452.fun^ +||sandwichconscientiousroadside.com^ +||sandwichdeliveringswine.com^ +||sandydestructioncoax.com^ +||sandyrecordingmeet.com^ +||sandysuspicions.com^ +||sanggauchelys.shop^ +||sanggilregard.com^ +||sanhpaox.xyz^ +||sanitarysustain.com^ +||sanjay44.xyz^ +||sanoithmefeyau.com^ +||sanseemp.com^ +||santonpardal.com^ +||santosattestation.com^ +||santoscologne.com^ +||santtacklingallaso.com^ +||santuao.xyz^ +||sapfailedfelon.com^ +||saplvvogahhc.xyz^ +||saptiledispatch.com^ +||saptorge.com^ +||sarcasmadvisor.com^ +||sarcasticnotarycontrived.com^ +||sarcinedewlike.com^ +||sarcodrix.com^ +||sardineforgiven.com^ +||sarinfalun.com^ +||sarinnarks.shop^ +||sarrowgrivois.com^ +||sartolutus.com^ +||saryprocedentw.info^ +||sasinsetuid.com^ +||sassaglertoulti.xyz^ +||sasseselytra.com^ +||satiresboy.com^ +||satireunhealthy.com^ +||satisfaction399.fun^ +||satisfaction423.fun^ +||satisfactionretirechatterbox.com^ +||satisfactorilyfigured.com^ +||satisfactoryhustlebands.com^ +||satisfied-tour.pro^ +||satoripedary.com^ +||saturatedrake.com^ +||saturatemadman.com^ +||saturdaygrownupneglect.com^ +||saturdaymarryspill.com^ +||saucebuttons.com^ +||sauceheirloom.com^ +||saucheethee.xyz^ +||saukaivounoa.xyz^ +||saumoupsaug.com^ +||saunaentered.com^ +||saunamilitarymental.com^ +||saunasupposedly.com^ +||sauptoacoa.com^ +||sauptowhy.com^ +||saurelwithsaw.shop^ +||saurfeued.com^ +||sauroajy.net^ +||sausagefaithfemales.com^ +||sausagegirlieheartburn.com^ +||sauthooptoo.net^ +||sauwoaptain.com^ +||savableee.com^ +||savefromad.net^ +||savinist.com^ +||savourethicalmercury.com^ +||savourmarinercomplex.com^ +||savvcsj.com^ +||sawdustreives.top^ +||saweathercock.info^ +||sawfluenttwine.com^ +||saworbpox.com^ +||sayableconder.com^ +||saycaptain.com^ +||sayelo.xyz^ +||sayingconvicted.com^ +||sayingdentalinternal.com^ +||saylnk.com^ +||sayyidsspintry.com^ +||sb-stat1.com^ +||sb89347.com^ +||sbboppwsuocy.com^ +||sbfsdvc.com^ +||sbhight.com^ +||sblhp.com^ +||sbscribeme.com^ +||sbscrma.com^ +||sbseunl.com^ +||sbteafd.com^ +||sbvtrht.com^ +||scabbienne.com^ +||scaffoldconcentration.com^ +||scagkecky.shop^ +||scalesapologyprefix.com^ +||scaleshustleprice.com^ +||scalesreductionkilometre.com^ +||scalfkermes.com^ +||scalliontrend.com^ +||scallopbedtime.com^ +||scalpelvengeance.com^ +||scalpworlds.com^ +||scamblefeedman.com^ +||scamgravecorrespondence.com^ +||scammereating.com^ +||scancemontes.com^ +||scannersouth.com^ +||scanshrugged.com^ +||scanunderstiff.com^ +||scanwasted.com^ +||scarabresearch.com^ +||scarcelypat.com^ +||scarcemontleymontley.com^ +||scarcerpokomoo.com^ +||scardeviceduly.com^ +||scarecrowenhancements.com^ +||scaredframe.com^ +||scaredplayful.com^ +||scaredpreparation.pro^ +||scarfcreed.com^ +||scaringposterknot.com^ +||scarletmares.com^ +||scarofnght.com^ +||scarymarine.com^ +||scashwl.com^ +||scatteredhecheaper.com^ +||scatulalactate.com^ +||scavelbuntine.life^ +||scenbe.com^ +||scendho.com^ +||scenegaitlawn.com^ +||scenerynatives.com^ +||scenescrockery.com^ +||scenistgracy.life^ +||scentbracehardship.com^ +||scentservers.com^ +||scfhspacial.com^ +||scfsdvc.com^ +||schcdfnrhxjs.com^ +||scheduleginnarcotic.com^ +||schedulerationally.com^ +||schizorecooks.shop^ +||schizypdq.com^ +||schjmp.com^ +||schochedueful.com^ +||scholarkeyboarddoom.com^ +||scholarsgrewsage.com^ +||scholarsslate.com^ +||schoolboyfingernail.com^ +||schoolmasterconveyedladies.com^ +||schoolnotwithstandingconfinement.com^ +||schoolunmoved.com^ +||schoonnonform.com^ +||sciadopi5tysverticil1lata.com^ +||scidationgly.com^ +||sciencepoints.com^ +||scientific-doubt.com^ +||scientificdimly.com^ +||scientificmission.pro^ +||scisselfungus.com^ +||scissorsstitchdegrade.com^ +||scissorwailed.com^ +||sckjzfahoizclt.com^ +||scl6gc5l.site^ +||sclrnnp.com^ +||scnd-tr.com^ +||sconvtrk.com^ +||scoopauthority.com^ +||scoopmaria.com^ +||scootcomely.com^ +||scopefile.com^ +||scopingrile.com^ +||scorchstrung.com^ +||score-feed.com^ +||scoreasleepbother.com^ +||scoredconnect.com^ +||scoreheadingbabysitting.com^ +||scormationwind.org^ +||scornphiladelphiacarla.com^ +||scorserbitting.shop^ +||scotergushing.com^ +||scowpoppanasals.com^ +||scpsmnybb.xyz^ +||scptp1.com^ +||scptpx.com^ +||scrambleocean.com^ +||scrapejav128.fun^ +||scrapembarkarms.com^ +||scratchconsonant.com^ +||scrawmthirds.com^ +||screechcompany.com^ +||screenov.site^ +||screighbedfast.com^ +||scriptcdn.net^ +||scriptvealpatronage.com^ +||scritchmaranta.shop^ +||scrollisolation.com^ +||scrollye.com^ +||scrubheiress.com^ +||scruboutdoorsoffensive.com^ +||scubaenterdane.com^ +||scufflebarefootedstrew.com^ +||scugmarkkaa.shop^ +||sculptorpound.com^ +||scutesneatest.com^ +||scxurii.com^ +||scythealready.com^ +||sda.seesaa.jp^ +||sda.seksohub.com^ +||sdbrrrr.lat^ +||sdbuuzhjzznc.fun^ +||sdbvveonb1.com^ +||sddan.com^ +||sdfdsd.click^ +||sdfgsdf.cfd^ +||sdfsdvc.com^ +||sdg.desihamster.pro^ +||sdhfbvd.com^ +||sdhiltewasvery.info^ +||sdiatesupervis.com^ +||sdk4push.com^ +||sdkfjxjertertry.com^ +||sdkl.info^ +||sdmfyqkghzedvx.com^ +||sdxtxvq.com^ +||seaboblit.com^ +||seafoodclickwaited.com^ +||seafooddiscouragelavishness.com^ +||seafoodmesarch.top^ +||sealeryshilpit.com^ +||sealthatleak.com^ +||seamanphaseoverhear.com^ +||seanfoisons.top^ +||seaofads.com^ +||seapolo.com^ +||search-converter.com^ +||search4sports.com^ +||searchcoveragepoliteness.com^ +||searchdatestoday.com^ +||searchgear.pro^ +||searchingacutemourning.com^ +||searchmulty.com^ +||searchrespectivelypotency.com^ +||searchsecurer.com^ +||seashorelikelihoodreasonably.com^ +||seashoremessy.com^ +||seashorepigeonsbanish.com^ +||seashoreshine.com^ +||seasickbittenprestigious.com^ +||seasx.cfd^ +||seatedparanoiaenslave.com^ +||seatrackingdomain.com^ +||seatsrehearseinitial.com^ +||seawantyroma.com^ +||seayipsex.com^ +||sebateastrier.com^ +||sebkhapaction.com^ +||secludechurch.com^ +||secondarybirchslit.com^ +||secondcommander.com^ +||secondjav128.fun^ +||secondlyundone.com^ +||secondquaver.com^ +||secondunderminecalm.com^ +||secprf.com^ +||secret-request.pro^ +||secretiongrin.com^ +||secretivelimpfraudulent.com^ +||secthatlead.com^ +||secure.securitetotale.fr^ +||secureaddisplay.com^ +||securebreathstuffing.com^ +||secureclickers.com^ +||securecloud-dt.com^ +||securecloud-smart.com^ +||secureclouddt-cd.com^ +||secureconv-dl.com^ +||securedt-sm.com^ +||securedvisit.com^ +||securegate.xyz^ +||securegate9.com^ +||securegfm.com^ +||secureleadsforever.com^ +||secureleadsrn.com^ +||securely-send.com^ +||securenetguardian.top^ +||securescoundrel.com^ +||securesmrt-dt.com^ +||securesurf.biz^ +||sedatingnews.com^ +||sedodna.com^ +||seducingtemporarily.com^ +||seeablywitness.com^ +||seebait.com^ +||seecaimooth.com^ +||seedconsistedcheerful.com^ +||seedlingneurotic.com^ +||seedlingpenknifecambridge.com^ +||seedoupo.com^ +||seedouptoanapsy.xyz^ +||seegamezpicks.info^ +||seegraufah.com^ +||seekmymatch.com^ +||seekoflol.com^ +||seelanaglashaiy.xyz^ +||seemaicees.xyz^ +||seemingverticallyheartbreak.com^ +||seemoraldisobey.com^ +||seemyresume.org^ +||seeonderfulstatue.com^ +||seeptoag.net^ +||seeshaitoay.net^ +||seethisinaction.com^ +||seetron.net^ +||seezfull.com^ +||seezutet.com^ +||sefsdvc.com^ +||segreencolumn.com^ +||sehlicegxy.com^ +||seibertspart.com^ +||seichesditali.click^ +||seishinyoga.com^ +||seizecrashsophia.com^ +||seizefortunesdefiant.com^ +||seizeshoot.com^ +||seizuretraumatize.com^ +||sekindo.com^ +||sekqeraneosbm.com^ +||sel-sel-fie.com^ +||seldomsevereforgetful.com^ +||selectdisgraceful.com^ +||selectedhoarfrost.com^ +||selectedunrealsatire.com^ +||selectr.net^ +||selecttopoff.com^ +||selenicabbot.shop^ +||selfemployedreservoir.com^ +||selfevidentvisual.com^ +||selfishfactor.com^ +||selfportraitpardonwishes.com^ +||selfpua.com^ +||selfpuc.com^ +||selfswayjay.com^ +||sellerher.com^ +||sellerignateignate.com^ +||sellingmombookstore.com^ +||sellisteatin.com^ +||selornews.com^ +||selunemtr.online^ +||selwrite.com^ +||semblanceindulgebellamy.com^ +||semicircledata.com^ +||semicolonrichsieve.com^ +||semicolonsmall.com^ +||semiinfest.com^ +||seminarcrackingconclude.com^ +||seminarentirely.com^ +||semqraso.net^ +||semsicou.net^ +||senatescouttax.com^ +||senditfast.cloud^ +||sendleinsects.shop^ +||sendmepush.com^ +||senecancastano.top^ +||seniorstemsdisability.com^ +||senonsiatinus.com^ +||sensationnominatereflect.com^ +||sensationtwigpresumptuous.com^ +||sensifyfugged.com^ +||sensitivenessvalleyparasol.com^ +||sensorpluck.com^ +||sensualsheilas.com^ +||sensualtestresume.com^ +||sentativesathya.info^ +||sentencefigurederide.com^ +||sentenceinformedveil.com^ +||sentientfog.com^ +||sentimenthailstonesubjective.com^ +||seo-overview.com^ +||separatepattern.pro^ +||separationalphabet.com^ +||separationharmgreatest.com^ +||separationheadlight.com^ +||sepiarypooris.com^ +||septads.store^ +||septaraneae.shop^ +||septemberautomobile.com^ +||septfd2em64eber.com^ +||septierpotrack.com^ +||sequencestairwellseller.com^ +||ser678uikl.xyz^ +||seraphsklom.com^ +||serch26.biz^ +||serconmp.com^ +||serdaive.com^ +||sereanstanza.com^ +||sergeantmediocre.com^ +||serialembezzlementlouisa.com^ +||seringmedicos.com^ +||serinuswelling.com^ +||seriouslygesture.com^ +||serleap.com^ +||sermonbakery.com^ +||sermonoccupied.com^ +||serpentinelay.pro^ +||serpentreplica.com^ +||serv-selectmedia.com^ +||serv01001.xyz^ +||serv1for.pro^ +||servantchastiseerring.com^ +||servboost.tech^ +||serve-rtb.com^ +||serve-servee.com^ +||servedbyadbutler.com^ +||servedbysmart.com^ +||serveforthwithtill.com^ +||servehub.info^ +||servenobid.com^ +||server4ads.com^ +||serverbid.com^ +||servereplacementcycle.com^ +||serversoursmiling.com^ +||servetag.com^ +||servetean.site^ +||servetraff.com^ +||servg1.net^ +||servh.net^ +||servicegetbook.net^ +||servicesrc.org^ +||servicetechtracker.com^ +||serving-sys.com^ +||servingcdn.net^ +||servingserved.com^ +||servingsurroundworldwide.com^ +||servsserverz.com^ +||servtraff97.com^ +||servw.bid^ +||sessfetchio.com^ +||seteamsobtantion.com^ +||setitoefanyor.org^ +||setlitescmode-4.online^ +||setopsdata.com^ +||setsdowntown.com^ +||settledapproximatesuit.com^ +||settledchagrinpass.com^ +||settrogens.com^ +||setupad.net^ +||setupdeliveredteapot.com^ +||setworkgoloka.shop^ +||seullocogimmous.com^ +||sev4ifmxa.com^ +||seveelumus.com^ +||sevenbuzz.com^ +||sevenedgesteve.com^ +||sevenerraticpulse.com^ +||severelyexemplar.com^ +||severelywrittenapex.com^ +||sevokop.com^ +||sewagegove.click^ +||sewersneaky.com^ +||sewerypon.com^ +||sewingunrulyshriek.com^ +||sewparamedic.com^ +||sewussoo.xyz^ +||sex-and-flirt.com^ +||sex-chat.me^ +||sexbuggishbecome.info^ +||sexclic.com^ +||sexfg.com^ +||sexmoney.com^ +||sexpieasure.com^ +||sextf.com^ +||sextubeweb.com^ +||sexualpitfall.com^ +||sexyepc.com^ +||seymourlamboy.com^ +||sf-ads.io^ +||sfdsplvyphk.com^ +||sffsdvc.com^ +||sfixretarum.com^ +||sftapi.com^ +||sfwehgedquq.com^ +||sgad.site^ +||sgfinery.com^ +||sgfsdvc.com^ +||sgihava.com^ +||sgnetwork.co^ +||sgrawwa.com^ +||sgzhg.pornlovo.co^ +||sh0w-me-h0w.net^ +||sh0w-me-how.com^ +||shackapple.com^ +||shadeapologies.com^ +||shaderadioactivepoisonous.com^ +||shadesentimentssquint.com^ +||shadytourdisgusted.com^ +||shaeian.xyz^ +||shaggyacquaintanceassessment.com^ +||shahr-kyd.com^ +||shaickox.com^ +||shaidolt.com^ +||shaidraup.net^ +||shaihucmesa.com^ +||shaimsaijels.com^ +||shaimsoo.net^ +||shaissugritit.net^ +||shaitakroaks.net^ +||shaitchergu.net^ +||shaiwourtijogno.net^ +||shakamech.com^ +||shakingtacklingunpeeled.com^ +||shakre.com^ +||shakydeploylofty.com^ +||shallarchbishop.com^ +||shallowbottle.pro^ +||shallowtwist.pro^ +||shalroazoagee.net^ +||shameful-leader.com^ +||shameless-sentence.pro^ +||shamelessappellation.com^ +||shamelessgoodwill.com^ +||shamelessnullneutrality.com^ +||shamelesspop.pro^ +||shamepracticegloomily.com^ +||shamnmalcwob.com^ +||shanaurg.net^ +||shanorin.com^ +||shapedhomicidalalbert.com^ +||shapelcounset.xyz^ +||shaperswhorts.shop^ +||shardycacalia.shop^ +||share-server.com^ +||sharecash.org^ +||sharedmarriage.com^ +||sharegods.com^ +||shareresults.com^ +||sharesceral.uno^ +||shareusads.com^ +||shareweeknews.com^ +||sharion.xyz^ +||sharkbleed.com^ +||sharondemurer.shop^ +||sharpofferlinks.com^ +||sharpphysicallyupcoming.com^ +||sharpwavedreinforce.com^ +||shasogna.com^ +||shatsoutheshe.net^ +||shatterconceal.com^ +||shauduptel.net^ +||shaugacakro.net^ +||shaughixefooz.net^ +||shauladubhe.com^ +||shauladubhe.top^ +||shaulauhuck.com^ +||shaumtol.com^ +||shaursar.net^ +||shaurtah.net^ +||shauthalaid.com^ +||shavecleanupsedate.com^ +||shaveeps.net^ +||shavetulip.com^ +||shawljeans.com^ +||shdegtbokshipns.xyz^ +||she-want-fuck.com^ +||shealapish.com^ +||sheardirectly.com^ +||shebudriftaiter.net^ +||sheefursoz.com^ +||sheegiwo.com^ +||sheeltaibu.net^ +||sheerliteracyquestioning.com^ +||sheeroop.com^ +||sheeshumte.net^ +||sheesimo.net^ +||sheetvibe.com^ +||sheewoamsaun.com^ +||shegraptekry.com^ +||shelfoka.com^ +||shelourdoals.net^ +||sheltermilligrammillions.com^ +||shelveflang.click^ +||shemalesofhentai.com^ +||shenouth.com^ +||sheoguekibosh.top^ +||shepeekr.net^ +||shepherdalmightyretaliate.com^ +||sherryfaithfulhiring.com^ +||shertuwipsumt.net^ +||sheschemetraitor.com^ +||shetchoultoocha.net^ +||shexawhy.net^ +||shfewojrmxpy.xyz^ +||shfsdvc.com^ +||shiaflsteaw.com^ +||shieldbarbecueconcession.com^ +||shieldspecificationedible.com^ +||shiepvfjd.xyz^ +||shifoanse.com^ +||shiftclang.com^ +||shifthare.com^ +||shiftwholly.com^ +||shikroux.net^ +||shiksinsagoa.net^ +||shillymacle.shop^ +||shimmering-novel.pro^ +||shimmering-strike.pro^ +||shimmeringconcert.com^ +||shimpooy.com^ +||shinasi.info^ +||shindyhygienic.com^ +||shindystubble.com^ +||shinebliss.com^ +||shineinternalindolent.com^ +||shinep.xyz^ +||shingleexpressing.com^ +||shinglelatitude.com^ +||shinygabbleovertime.com^ +||shinyspiesyou.com^ +||shippingswimsuitflog.com^ +||shipseaimpish.com^ +||shipsmotorw.xyz^ +||shipwreckclassmate.com^ +||shirtclumsy.com^ +||shitcustody.com^ +||shitsowhoort.net^ +||shitucka.net^ +||shiverdepartmentclinging.com^ +||shiverrenting.com^ +||shlyapapodplesk.site^ +||shoabibs.xyz^ +||shoadessuglouz.net^ +||shoalsestrepe.top^ +||shoathuftussux.net^ +||shockadviceinsult.com^ +||shocked-failure.com^ +||shocking-design.pro^ +||shocking-profile.pro^ +||shockingrobes.com^ +||shockingstrategynovelty.com^ +||shodaisy.com^ +||shoessaucepaninvoke.com^ +||sholke.com^ +||sholraidsoalro.net^ +||shonetransmittedfaces.com^ +||shonevegetable.com^ +||shoojoudro.net^ +||shoojouh.xyz^ +||shoolsauks.com^ +||shooltuca.net^ +||shoonsicousu.net^ +||shoopusahealth.com^ +||shoordaird.com^ +||shoorsoacmo.xyz^ +||shooterconsultationcart.com^ +||shooterlearned.com^ +||shootingsuspicionsinborn.com^ +||shootoax.com^ +||shopliftingrung.com^ +||shopmonthtravel.com^ +||shoppinglifestyle.biz^ +||shorantonto.com^ +||shoresmmrnews.com^ +||shortagefollows.com^ +||shortagesymptom.com^ +||shorteh.com^ +||shortesthandshakeemerged.com^ +||shortesthotel.com^ +||shortfailshared.com^ +||shorthandsixpencemap.com^ +||shortssibilantcrept.com^ +||shoubsee.net^ +||shoulderadmonishstore.com^ +||shouldmeditate.com^ +||shouldscornful.com^ +||shoulsos.com^ +||shouthisoult.com^ +||shoutimmortalfluctuate.com^ +||shovedhannah.com^ +||shovedrailwaynurse.com^ +||shovegrave.com^ +||show-creative1.com^ +||show-me-how.net^ +||show-review.com^ +||showcasebytes.co^ +||showcasethat.com^ +||showdoyoukno.info^ +||showedinburgh.com^ +||showedprovisional.com^ +||showilycola.shop^ +||showjav11.fun^ +||showmebars.com^ +||shprybatnm.com^ +||shredassortmentmood.com^ +||shredvealdone.com^ +||shrewdcrumple.com^ +||shriekdestitute.com^ +||shrillbighearted.com^ +||shrillcherriesinstant.com^ +||shrillinstance.pro^ +||shrillwife.pro^ +||shrimpgenerator.com^ +||shrimpsaitesis.shop^ +||shrivelhorizonentrust.com^ +||shrubjessamy.com^ +||shrubsnaturalintense.com^ +||shrweea.lat^ +||shsqacmzzz.com^ +||shticksyahuna.com^ +||shtqpahos.com^ +||shuanshu.com.com^ +||shubadubadlskjfkf.com^ +||shudderconnecting.com^ +||shudderloverparties.com^ +||shudoufunguptie.net^ +||shughaxiw.com^ +||shuglaursech.com^ +||shugraithou.com^ +||shukriya90.com^ +||shukselr.com^ +||shulugoo.net^ +||shumsooz.net^ +||shunparagraphdim.com^ +||shusacem.net^ +||shutesaroph.com^ +||shuttersurveyednaive.com^ +||shvnfhf.com^ +||shydastidu.com^ +||shyrepair.pro^ +||si1ef.com^ +||sialsizably.shop^ +||siberiabecrush.com^ +||sibilantsuccess.com^ +||sicilywring.com^ +||sickbedjibboom.com^ +||sicklybates.com^ +||sicklypercussivecoordinate.com^ +||sicouthautso.net^ +||sidanarchy.net^ +||sidebiologyretirement.com^ +||sidebyx.com^ +||sidegeographycondole.com^ +||sidelinearrogantinterposed.com^ +||sidenoteinvolvingcranky.com^ +||sidenoteproductionbond.com^ +||sidenotestarts.com^ +||sidewayfrosty.com^ +||sidewaysuccession.com^ +||sidsaignoo.net^ +||sierradissolved.com^ +||sierrasectormacaroni.com^ +||sievynaw.space^ +||sifenews.com^ +||siftdivorced.com^ +||sigheemibod.xyz^ +||sightdisintegrate.com^ +||sightshumble.com^ +||sightsskinnyintensive.com^ +||signalassure.com^ +||signalspotsharshly.com^ +||signalsuedejolly.com^ +||signamentswithded.com^ +||signatureoutskirts.com^ +||signcalamity.com^ +||significantdoubloons.com^ +||significantnuisance.com^ +||significantoperativeclearance.com^ +||signingdebauchunpack.com^ +||signingtherebyjeopardize.com^ +||siiwptfum.xyz^ +||silebu.xyz^ +||silenceblindness.com^ +||silentinevitable.com^ +||silklanguish.com^ +||silkstuck.com^ +||silldisappoint.com^ +||sillinessglamorousservices.com^ +||sillinessmarshal.com^ +||sillyflowermachine.com^ +||silpharapidly.com^ +||silsautsacmo.com^ +||silver-pen.pro^ +||silveraddition.pro^ +||silvergarbage.pro^ +||similargrocery.pro^ +||similarlength.pro^ +||similarpresence.com^ +||simple-isl.com^ +||simplebrutedigestive.com^ +||simplewebanalysis.com^ +||simplistic-king.pro^ +||simplyscepticaltoad.com^ +||simpunok.com^ +||simurgmugged.com^ +||sincalled.com^ +||sincenturypro.org^ +||sincerelyseverelyminimum.com^ +||sinderpalaced.top^ +||sing-tracker.com^ +||singaporetradingchallengetracker1.com^ +||singelstodate.com^ +||singercordial.com^ +||singfrthemmnt.com^ +||singlesgetmatched.com^ +||singlesternlyshabby.com^ +||singstout.com^ +||singulardisplace.com^ +||singularheroic.com^ +||sinisterbatchoddly.com^ +||sinisterdrippingcircuit.com^ +||sinkagepandit.com^ +||sinkboxphantic.com^ +||sinkfaster.com^ +||sinkingswap.com^ +||sinlovewiththemo.info^ +||sinmufar.com^ +||sinnerobtrusive.com^ +||sinproductors.org^ +||sinsoftoaco.net^ +||sinterfumescomy.org^ +||sinusshough.top^ +||sinwebads.com^ +||sioningvexer.com^ +||sionscormation.org^ +||siphdcwglypz.tech^ +||sipibowartern.com^ +||sippansy.com^ +||sirdushi.xyz^ +||sireundermineoperative.com^ +||siruperunlinks.com^ +||sirwcniydewu.com^ +||sisewepod.com^ +||sisfulylydevelope.com^ +||sismoycheii.cc^ +||sisteraboveaddition.com^ +||sisterexpendabsolve.com^ +||sisterlockup.com^ +||sitabsorb.com^ +||sitamedal2.online^ +||sitamedal3.online^ +||sitamedal4.online^ +||sitegoto.com^ +||siteoid.com^ +||sitesdesbloqueados.com^ +||sitewithg.com^ +||sittingtransformation.com^ +||situatedconventionalveto.com^ +||sitymirableabo.org^ +||siversbesomer.space^ +||siwheelsukr.xyz^ +||sixassertive.com^ +||sixcombatberries.com^ +||sixft-apart.com^ +||sixuzxwdajpl.com^ +||siyaukq.com^ +||sjetnf-oizyo.buzz^ +||sjilyhwpu.xyz^ +||sjsabb.com^ +||sjtactic.com^ +||sk2o.online^ +||skaldmishara.top^ +||skated.co^ +||skatestooped.com^ +||skatingpenitence.com^ +||skatingperformanceproblems.com^ +||skdzxqc.com^ +||skeatrighter.com^ +||skeetads.com^ +||skeinsromish.shop^ +||skeletondeceiveprise.com^ +||skeletonlimitation.com^ +||sketbhang.guru^ +||sketchinferiorunits.com^ +||sketchjav182.fun^ +||sketchyaggravation.com^ +||sketchyrecycleimpose.com^ +||sketchystairwell.com^ +||sketfarinha.shop^ +||skewserer.com^ +||skhmjezzj.com^ +||skibbybester.top^ +||skidgleambrand.com^ +||skiingwights.com^ +||skilfulrussian.com^ +||skilldicier.com^ +||skilleadservices.com^ +||skilledskillemergency.com^ +||skilledtables.com^ +||skilleservices.com^ +||skilletperonei.com^ +||skillpropulsion.com^ +||skillsombineukdw.com^ +||skilyake.net^ +||skimmemorandum.com^ +||skimwhiskersmakeup.com^ +||skinnedunsame.com^ +||skinssailing.com^ +||skiofficerdemote.com^ +||skipdissatisfactionengland.com^ +||skipperx.net^ +||skirmishbabencircle.com^ +||skirtastelic.shop^ +||skirtimprobable.com^ +||skivingepileny.top^ +||skjbqcqgw.com^ +||skltrachqwbd.com^ +||skohssc.cfd^ +||skolvortex.com^ +||skuligpzifan.com^ +||skulldesperatelytransfer.com^ +||skullhalfway.com^ +||skunscold.top^ +||skvxbool.xyz^ +||skyadsmart.com^ +||skygtbwownln.xyz^ +||skylindo.com^ +||skymobi.agency^ +||skyscraperearnings.com^ +||skytraf.xyz^ +||skyxqbbv.xyz^ +||slabreasonablyportions.com^ +||slabshookwasted.com^ +||slacdn.com^ +||slahpxqb6wto.com^ +||slamscreechmilestone.com^ +||slamvolcano.com^ +||slandernetgymnasium.com^ +||slanginsolentthus.com^ +||slantdecline.com^ +||slaqandsan.xyz^ +||slashstar.net^ +||slaughterscholaroblique.com^ +||slaverylavatoryecho.com^ +||slavesubmarinebribery.com^ +||sleazysoundbegins.com^ +||sleepytoadfrosty.com^ +||sleeveturbulent.com^ +||sleptbereave.com^ +||slfsmf.com^ +||slicedpickles.com^ +||slickgoalenhanced.com^ +||sliddeceived.com^ +||slideaspen.com^ +||slidecaffeinecrown.com^ +||slideff.com^ +||slidekidsstair.com^ +||slietap.com^ +||slight-tooth.com^ +||slightcareconditions.com^ +||slightestpretenddebate.com^ +||slightlyeaglepenny.com^ +||slimelump.com^ +||slimfiftywoo.com^ +||slimturpis.shop^ +||slimytree.com^ +||slinkhub.com^ +||slinklink.com^ +||slinkonline.com^ +||slinkzone.com^ +||slippersappointed.com^ +||slippersphoto.com^ +||slipperydeliverance.com^ +||slippyxxiv.com^ +||slitingfears.com^ +||slivmux.com^ +||slk594.com^ +||slobgrandmadryer.com^ +||slockertummies.com^ +||sloeri.com^ +||slopeac.com^ +||slopingunrein.com^ +||sloto.live^ +||slotspreadingbrandy.com^ +||slowclick.top^ +||slowdn.net^ +||slowlythrobtreasurer.com^ +||slowundergroundattentive.com^ +||slowww.xyz^ +||sltraffic.com^ +||sluccju.com^ +||sluggedunbeget.top^ +||sluiceagrarianvigorous.com^ +||sluicehamate.com^ +||slumberloandefine.com^ +||slurpsbeets.com^ +||slushdevastating.com^ +||slushimplementedsystems.com^ +||slychicks.com^ +||slyzoologicalpending.com^ +||smaato.net^ +||smachnakittchen.com^ +||smackedtapnet.com^ +||smadex.com^ +||small-headed.sbs^ +||smallerfords.com^ +||smallestbiological.com^ +||smallestgirlfriend.com^ +||smallestspoutmuffled.com^ +||smallestunrealilliterate.com^ +||smallfunnybears.com^ +||smarf.icu^ +||smart-wp.com^ +||smart1adserver.com^ +||smartadserver.com^ +||smartcpatrack.com^ +||smartdating.top^ +||smartlnk.com^ +||smartlphost.com^ +||smartlymaybe.com^ +||smartlysquare.com^ +||smartpicrotation.com^ +||smarttds.org^ +||smarttopchain.nl^ +||smartytech.io^ +||smashedpractice.com^ +||smasheswamefou.com^ +||smashnewtab.com^ +||smctmxdeoz.com^ +||smeartoassessment.com^ +||smellysect.com^ +||smeltvomitinclined.com^ +||smenqskfmpfxnb.bid^ +||smentbrads.info^ +||smhmayvtwii.xyz^ +||smigdxy.com^ +||smigro.info^ +||smileesidesuk.com^ +||smileoffennec.com^ +||smilesalesmanhorrified.com^ +||smilewanted.com^ +||smilingdefectcue.com^ +||smishydagcl.today^ +||smitealter.com^ +||smjulynews.com^ +||smkezc.com^ +||smlypotr.net^ +||smokecreaseunpack.com^ +||smokedbluish.com^ +||smokedcards.com^ +||smokeorganizervideo.com^ +||smoothenglishassent.com^ +||smothercontinuingsnore.com^ +||smotherpeppermint.com^ +||smoulderantler.com^ +||smoulderdivedelegate.com^ +||smoulderhangnail.com^ +||smrt-cdn.com^ +||smrt-content.com^ +||smrtlnk.net^ +||smsapiens.com^ +||smuggeralapa.com^ +||smugismanaxon.com^ +||snadsfit.com^ +||snagbaudhulas.com^ +||snaglighter.com^ +||snakeselective.com^ +||snammar-jumntal.com^ +||snapmoonlightfrog.com^ +||snappedanticipation.com^ +||snappedtesting.com^ +||snappffgxtwwpvt.com^ +||snarlaptly.com^ +||snarlsfuzzes.com^ +||sneaknonstopattribute.com^ +||snebbubbled.com^ +||sneernodaccommodating.com^ +||sneezeboring.com^ +||snhcnjjxrlqkml.com^ +||snhtvtp.com^ +||snidestpaluli.shop^ +||sninancukanki.com^ +||snipersex.com^ +||snippystowstool.com^ +||snitchtidying.com^ +||snlpclc.com^ +||snoopundesirable.com^ +||snoopytown.pro^ +||snorefamiliarsiege.com^ +||snortedbingo.com^ +||snortedhearth.com^ +||snoutcaffeinecrowded.com^ +||snoutcapacity.com^ +||snoutinsolence.com^ +||snowdayonline.xyz^ +||snowmanpenetrateditto.com^ +||snowmiracles.com^ +||snrtbgm.com^ +||snsv.ru^ +||sntjim.com^ +||snuffdemisedilemma.com^ +||snugglethesheep.com^ +||snugwednesday.com^ +||snurlybumbler.top^ +||snzqtmjas.com^ +||so-gr3at3.com^ +||so1cool.com^ +||so333o.com^ +||soacoujusoopsoo.xyz^ +||soadaupaila.net^ +||soadicithaiy.net^ +||soaheeme.net^ +||soajaihebu.net^ +||soakcompassplatoon.com^ +||soalonie.com^ +||soaneefooy.net^ +||soaperdeils.com^ +||soaphokoul.xyz^ +||soaphoupsoas.xyz^ +||soapsudkerfed.com^ +||soathouchoa.xyz^ +||soawousa.xyz^ +||sobakenchmaphk.com^ +||sobesed.com^ +||sobnineteen.com^ +||soccerflog.com^ +||soccerprolificforum.com^ +||socde.com^ +||socdm.com^ +||social-discovery.io^ +||socialbars-web1.com^ +||sociallytight.com^ +||societyhavocbath.com^ +||sociocast.com^ +||sociomantic.com^ +||socketbuild.com^ +||sockmildinherit.com^ +||socksupgradeproposed.com^ +||sockwardrobe.com^ +||sodallay.com^ +||sodamash.com^ +||sodaprostitutetar.com^ +||sodiumcupboard.com^ +||sodiumendlesslyhandsome.com^ +||sodringermushy.com^ +||sodsoninlawpiteous.com^ +||sofinpushpile.com^ +||soft-com.biz^ +||softboxik1.ru^ +||softendevastated.com^ +||softenedcollar.com^ +||softenedimmortalityprocedure.com^ +||softentears.com^ +||softiesnoetic.shop^ +||softonicads.com^ +||softpopads.com^ +||softspace.mobi^ +||softwa.cfd^ +||softwares2015.com^ +||softyjahveh.shop^ +||soglaiksouphube.net^ +||soglaptaicmaurg.xyz^ +||sograirsoa.net^ +||soholfit.com^ +||soilenthusiasmshindig.com^ +||soilthesaurus.com^ +||sokitosa.com^ +||solanumscour.com^ +||solapoka.com^ +||solaranalytics.org^ +||solarmosa.com^ +||soldergeological.com^ +||soldierreproduceadmiration.com^ +||soldiershocking.com^ +||solemnvine.com^ +||solethreat.com^ +||soliads.io^ +||soliads.net^ +||soliads.online^ +||solicitorquite.com^ +||solidlyrotches.guru^ +||solidpousse.com^ +||solispartner.com^ +||solitudearbitrary.com^ +||solitudeelection.com^ +||solocpm.com^ +||solodar.ru^ +||solubleallusion.com^ +||somaskeefs.shop^ +||sombes.com^ +||somedaytrip.com^ +||somehowlighter.com^ +||somehowluxuriousreader.com^ +||someonetop.com^ +||someplacepepper.com^ +||somethingmanufactureinvalid.com^ +||somethingprecursorfairfax.com^ +||sometimeadministratormound.com^ +||somewhatwideslimy.com^ +||somqgdhxrligvj.com^ +||somsoargous.net^ +||son-in-lawmorbid.com^ +||sonalrecomefu.info^ +||songbagoozes.com^ +||songcorrespondence.com^ +||songtopbrand.com^ +||sonnerie.net^ +||sonnyadvertise.com^ +||sonumal.com^ +||soocaips.com^ +||soodupsep.xyz^ +||soogandrooped.cam^ +||sookypapoula.com^ +||soolivawou.net^ +||soonanaiphan.net^ +||soonlint.com^ +||soonpersuasiveagony.com^ +||soonstrongestquoted.com^ +||soorkylarixin.com^ +||soosooka.com^ +||sootconform.com^ +||sootlongermacaroni.com^ +||sootpluglousy.com^ +||soovoaglab.net^ +||sopalk.com^ +||sophieshemol.shop^ +||sophisticatedround.pro^ +||sophomoreadmissible.com^ +||sophomoreclassicoriginally.com^ +||sophomorelink.com^ +||sorbussmacked.shop^ +||sordimtaulee.com^ +||sordiniswivet.shop^ +||sorediadilute.top^ +||soremetropolitan.com^ +||soritespary.com^ +||sorningdaroo.top^ +||sorrowconstellation.com^ +||sorrowfulchemical.com^ +||sorrowfulclinging.com^ +||sorrowfulcredit.pro^ +||sorrowfulsuggestion.pro^ +||sorryconstructiontrustworthy.com^ +||sorryfearknockout.com^ +||sorryglossywimp.com^ +||sorucall.com^ +||soshoord.com^ +||sosslereglair.shop^ +||sotchoum.com^ +||sotetahe.pro^ +||sothiacalain.com^ +||soughtflaredeeper.com^ +||soukoope.com^ +||soulslaidmale.com^ +||soumaphesurvey.space^ +||soumehoo.net^ +||soumoastout.net^ +||soundingdisastereldest.com^ +||soundingthunder.com^ +||souptightswarfare.com^ +||soupy-user.com^ +||souraivo.xyz^ +||sourcecodeif.com^ +||sourceconvey.com^ +||sourishpuler.com^ +||sourne.com^ +||southeestais.net^ +||southmailboxdeduct.com^ +||southolaitha.com^ +||southsturdy.com^ +||souvamoo.net^ +||souvenirresponse.com^ +||souvenirsconsist.com^ +||sovereigngoesintended.com^ +||sovietransom.com^ +||sowfairytale.com^ +||sowfootsolent.com^ +||sowoltairtoom.net^ +||sowp.cloud^ +||sowrevisionwrecking.com^ +||soyincite.com^ +||soytdpb.com^ +||sozzlypeavies.com^ +||space-pulsar.com^ +||spacecatholicpalmful.com^ +||spaceshipads.com^ +||spaceshipgenuine.com^ +||spacetraff.com^ +||spacetraveldin.com^ +||spaciouslanentablelanentablepigs.com^ +||spadeandloft.com^ +||spaderonium.com^ +||spadsync.com^ +||spankalternate.com^ +||spannercopyright.com^ +||sparkle-industries-i-205.site^ +||sparkleunwelcomepleased.com^ +||sparkrainstorm.host^ +||sparkstudios.com^ +||sparredcubans.shop^ +||sparrowfencingnumerous.com^ +||sparsgroff.com^ +||spasmodictripscontemplate.com^ +||spasmusbarble.top^ +||spatteramazeredundancy.com^ +||spawngrant.com^ +||spdate.com^ +||speakeugene.com^ +||speakexecution.com^ +||speakinchreprimand.com^ +||speakinghostile.com^ +||speakingimmediately.com^ +||speakshandicapyourself.com^ +||speakspurink.com^ +||special-offers.online^ +||special-promotions.online^ +||specialisthuge.com^ +||specialistinsensitive.com^ +||specialistrequirement.com^ +||specialitypassagesfamous.com^ +||specialrecastwept.com^ +||specialsaucer.com^ +||specialtymet.com^ +||specialtysanitaryinaccessible.com^ +||specialworse.com^ +||speciespresident.com^ +||specificallycries.com^ +||specificallythesisballot.com^ +||specificmedia.com^ +||specificunfortunatelyultimately.com^ +||specifiedbloballowance.com^ +||specifiedinspector.com^ +||specimenparents.com^ +||specimensgrimly.com^ +||specimensraidragged.com^ +||spectaclescirculation.com^ +||spectaculareatablehandled.com^ +||spectacularlovely.com^ +||spectato.com^ +||spediumege.com^ +||speeb.com^ +||speechanchor.com^ +||speedilycartrigeglove.com^ +||speedilyeuropeanshake.com^ +||speedingbroadcastingportent.com^ +||speedsupermarketdonut.com^ +||speirskinged.shop^ +||spellingunacceptable.com^ +||spendslaughing.com^ +||spentdrugfrontier.com^ +||spentjerseydelve.com^ +||sperans-beactor.com^ +||spheredkapas.com^ +||spheryexcise.shop^ +||spice-sugar.net^ +||spiceethnic.com^ +||spicy-combination.pro^ +||spicy-development.pro^ +||spicy-effect.com^ +||spicygirlshere.life^ +||spijdawmqvs.com^ +||spikearsonembroider.com^ +||spikedelishah.com^ +||spikethat.xyz^ +||spilldemolitionarrangement.com^ +||spin83qr.com^ +||spinbox.net^ +||spindlyrebegin.top^ +||spinesoftsettle.com^ +||spiralextratread.com^ +||spiralsad.com^ +||spiralstab.com^ +||spiraltrot.com^ +||spirited-teacher.com^ +||spiritscustompreferably.com^ +||spirketgoofily.com^ +||spirteddvaita.com^ +||spiteessenis.shop^ +||spitretired.com^ +||spitspacecraftfraternity.com^ +||spklmis.com^ +||splashfloating.com^ +||splashforgodm.com^ +||splayermosque.shop^ +||splendidatmospheric.com^ +||splendidfeel.pro^ +||splicedmammock.com^ +||splief.com^ +||splittingpick.com^ +||spninxcuppas.com^ +||spo-play.live^ +||spoiledpresence.com^ +||spoilmagicstandard.com^ +||spokanchap.com^ +||spokesperson254.fun^ +||spondeekitling.top^ +||spongecell.com^ +||spongemilitarydesigner.com^ +||sponsoranimosity.com^ +||sponsorlustrestories.com^ +||sponsormob.com^ +||sponsorpay.com^ +||spontaneousleave.com^ +||spoofedyelp.com^ +||spooksuspicions.com^ +||spoonpenitenceadventurous.com^ +||sporedshock.com^ +||sport205.club^ +||sportevents.news^ +||sportradarserving.com^ +||sports-live-streams.club^ +||sports-streams-online.best^ +||sports-streams-online.com^ +||sportstoday.pro^ +||sportstreams.xyz^ +||sportsyndicator.com^ +||sportzflix.xyz^ +||spotbeepgreenhouse.com^ +||spotlessabridge.com^ +||spotofspawn.com^ +||spotscenered.info^ +||spotted-estate.pro^ +||spottedgrandfather.com^ +||spottt.com^ +||spotunworthycoercive.com^ +||spotxcdn.com^ +||spotxchange.com^ +||spoutable.com^ +||spoutitchyyummy.com^ +||sppopups.com^ +||sprangsugar.com^ +||sprayearthy.com^ +||sprayeybxs.com^ +||spreadingsinew.com^ +||spreespoiled.com^ +||sprewcereous.com^ +||springraptureimprove.com^ +||sprinlof.com^ +||sprkl.io^ +||sproatmonger.shop^ +||sproose.com^ +||sprungencase.com^ +||sptrkr.com^ +||spuezain.com^ +||spuncomplaintsapartment.com^ +||spunorientation.com^ +||spuppeh.com^ +||spurproteinopaque.com^ +||spurryalgoid.top^ +||spxhu.com^ +||spylees.com^ +||spyluhqarm.com^ +||sqhyjfbckqrxd.xyz^ +||sqlick.com^ +||sqqqabg.com^ +||sqrekndc.fun^ +||sqrobmpshvj.com^ +||squadapologiesscalp.com^ +||square-respond.pro^ +||squareforensicbones.com^ +||squarertubal.com^ +||squashperiodicmen.com^ +||squashwithholdcame.com^ +||squatcowarrangement.com^ +||squeaknicheentangled.com^ +||squeezesharedman.com^ +||squintopposed.com^ +||squirrelformatapologise.com^ +||squirtsuitablereverse.com^ +||sr7pv7n5x.com^ +||sragegedand.org^ +||srbtztegq.today^ +||srefrukaxxa.com^ +||srgev.com^ +||srsxwdadzsrf.world^ +||srtrak.com^ +||sruyjn-pa.one^ +||srv224.com^ +||srvpcn.com^ +||srvtrck.com^ +||srvupads.com^ +||srxy.xyz^ +||ss0uu1lpirig.com^ +||ssedonthep.info^ +||ssindserving.com^ +||sskzlabs.com^ +||ssl-services.com^ +||ssl2anyone5.com^ +||sslenuh.com^ +||sslph.com^ +||ssooss.site^ +||ssqyuvavse.com^ +||ssurvey2you.com^ +||st-rdirect.com^ +||st1net.com^ +||stabconsiderationjournalist.com^ +||stabfrizz.com^ +||stabilitydos.com^ +||stabilityvatinventory.com^ +||stabinstall.com^ +||stabledkindler.com^ +||stachysrekick.top^ +||stackadapt.com^ +||stackattacka.com^ +||stackmultiple.com^ +||stackprotectnational.com^ +||staerlcmplks.xyz^ +||staffdisgustedducked.com^ +||staffdollar.com^ +||stagepopkek.com^ +||stagerydialing.shop^ +||stageseshoals.com^ +||staggeredowner.com^ +||staggeredplan.com^ +||staggeredquelldressed.com^ +||staggeredravehospitality.com^ +||staggersuggestedupbrining.com^ +||stagingjobshq.com^ +||staiftee.com^ +||stained-a.pro^ +||stained-collar.pro^ +||staircaseminoritybeeper.com^ +||stairgoastoafa.net^ +||stairtuy.com^ +||stairwellobliterateburglar.com^ +||staiwhaup.com^ +||staixemo.com^ +||stalkerlagunes.shop^ +||stallionshootimmigrant.com^ +||stallionsmile.com^ +||stallsmalnutrition.com^ +||staltoumoaze.com^ +||stammerail.com^ +||stammerdescriptionpoetry.com^ +||stampsmindlessscrap.com^ +||standgruff.com^ +||standpointdriveway.com^ +||staneddivvied.com^ +||stangast.net^ +||stankyrich.com^ +||stanzasleerier.click^ +||stapledsaur.top^ +||star-advertising.com^ +||star-clicks.com^ +||starchoice-1.online^ +||starchy-foundation.pro^ +||stargamesaffiliate.com^ +||starjav11.fun^ +||starkslaveconvenience.com^ +||starkuno.com^ +||starlingposterity.com^ +||starlingpronouninsight.com^ +||starmobmedia.com^ +||starry-galaxy.com^ +||starssp.top^ +||starswalker.site^ +||start-xyz.com^ +||startappexchange.com^ +||startd0wnload22x.com^ +||starterblackened.com^ +||startfinishthis.com^ +||startpagea.com^ +||startperfectsolutions.com^ +||startsprepenseprepensevessel.com^ +||starvalue-4.online^ +||starvardsee.xyz^ +||starvationdefence.com^ +||stassaxouwa.com^ +||stat-rock.com^ +||statcamp.net^ +||statedfertileconference.com^ +||statedthoughtslave.com^ +||statementsnellattenuate.com^ +||statesbenediction.com^ +||statesmanchosen.com^ +||statesmanmajesticcarefully.com^ +||statesmansubstance.com^ +||statewilliamrate.com^ +||stathome.org^ +||static-srv.com^ +||stationspire.com^ +||statistic-data.com^ +||statisticresearch.com^ +||statisticscensordilate.com^ +||statorkumyk.com^ +||statsforads.com^ +||statsmobi.com^ +||staubsuthil.com^ +||staugloobads.net^ +||staukaul.com^ +||staumersleep.com^ +||staupsadraim.xyz^ +||staupsoaksy.net^ +||staureez.net^ +||stawhoph.com^ +||staydolly.com^ +||staygg.com^ +||stayingcrushedrelaxing.com^ +||stayingswollen.com^ +||stbeautifuleedeha.info^ +||stbshzm.com^ +||stbvip.net^ +||stdirection.com^ +||steadilyearnfailure.com^ +||steadydonut.com^ +||steadypriority.com^ +||steadyquarryderived.com^ +||steakdeteriorate.com^ +||steakeffort.com^ +||stealingdyingprank.com^ +||stealinggin.com^ +||stealneitherfirearm.com^ +||stealthlockers.com^ +||steamjaws.com^ +||stedrits.xyz^ +||steefaulrouy.xyz^ +||steefuceestoms.net^ +||steegnow.com^ +||steeheghe.com^ +||steeplederivedinattentive.com^ +||steeplesaturday.com^ +||steepto.com^ +||steepuleltou.xyz^ +||steeringsunshine.com^ +||steesamax.com^ +||steessay.com^ +||steetchouwu.com^ +||steinfqwe6782beck.com^ +||stella-nova.click^ +||stellar-dating2.fun^ +||stellarmingle.store^ +||stelsarg.net^ +||stemboastfulrattle.com^ +||stemredeem.com^ +||stemsshutdown.com^ +||stenadewy.pro^ +||stenchyouthful.com^ +||step-step-go.com^ +||stepchateautolerance.com^ +||stepkeydo.com^ +||steppedengender.com^ +||steppequotationinspiring.com^ +||stereomagiciannoun.com^ +||stereospoutfireextinguisher.com^ +||stereosuspension.com^ +||stereotypeluminous.com^ +||stereotyperobe.com^ +||stereotyperust.com^ +||sterfrownedan.info^ +||stergessoa.net^ +||sterilityintentionnag.com^ +||sterilityvending.com^ +||sternedfranion.shop^ +||sternlythese.com^ +||steropestreaks.com^ +||sterouhavene.org^ +||stertordorab.com^ +||steshacm.xyz^ +||stethuth.xyz^ +||steveirene.com^ +||stevoodsefta.com^ +||stewomelettegrand.com^ +||stewsmall.com^ +||stewsmemento.top^ +||stexoakraimtap.com^ +||stgcdn.com^ +||stgowan.com^ +||stherewerealo.org^ +||sthgqhb.com^ +||sthoutte.com^ +||sticalsdebaticalfe.info^ +||stichaur.net^ +||stickerchapelsailing.com^ +||stickertable.com^ +||stickingbeef.com^ +||stickingrepute.com^ +||stickstelevisionoverdone.com^ +||stickyadstv.com^ +||stickygrandeur.com^ +||stickywhereaboutsspoons.com^ +||stiffeat.pro^ +||stiffengobetween.com^ +||stiffenpreciseannoying.com^ +||stiffenshave.com^ +||stiffwish.pro^ +||stiflefloral.com^ +||stiflepowerless.com^ +||stigat.com^ +||stikinemammoth.shop^ +||stikroltiltoowi.net^ +||stilaikr.com^ +||stillfolder.com^ +||stimaariraco.info^ +||stimtavy.net^ +||stimtoughougnax.net^ +||stimulateartificial.com^ +||stimulatinggrocery.pro^ +||stinglackingrent.com^ +||stingywear.pro^ +||stinkcomedian.com^ +||stinkwrestle.com^ +||stinkyloadeddoctor.com^ +||stionicgeodist.com^ +||stirdevelopingefficiency.com^ +||stirringdebrisirriplaceableirriplaceable.com^ +||stitchalmond.com^ +||stixeepou.com^ +||stjpezyt.com^ +||stoachaigog.com^ +||stoachdarts.com^ +||stoadivap.com^ +||stoaglauksargoo.xyz^ +||stoagnejums.net^ +||stoagouruzostee.net^ +||stoampaliy.net^ +||stoaphalti.com^ +||stoardeebou.xyz^ +||stoashou.net^ +||stoasstriola.shop^ +||stockingplaice.com^ +||stockingsight.com^ +||stocksinvulnerablemonday.com^ +||stolenforensicssausage.com^ +||stongoapti.net^ +||stonkstime.com^ +||stooboastaud.net^ +||stoobsugree.net^ +||stoodthestatueo.com^ +||stookoth.com^ +||stoomawy.net^ +||stoopeddemandsquint.com^ +||stoopedsignbookkeeper.com^ +||stoopfalse.com^ +||stoopsaipee.com^ +||stoopsellers.com^ +||stoorgel.com^ +||stoorgouxy.com^ +||stootsou.net^ +||stopaggregation.com^ +||stopformal.com^ +||stophurtfulunconscious.com^ +||stoppageeverydayseeing.com^ +||stopperlovingplough.com^ +||stopsoverreactcollations.com^ +||storage-ad.com^ +||storagecelebrationchampion.com^ +||storageimagedisplay.com^ +||storagelassitudeblend.com^ +||storagewitnessotherwise.com^ +||storepoundsillegal.com^ +||storeyplayfulinnocence.com^ +||storierkythed.shop^ +||storiesfaultszap.com^ +||storkto.com^ +||stormydisconnectedcarsick.com^ +||storners.com^ +||storyquail.com^ +||storyrelatively.com^ +||storystaffrings.com^ +||stotoowu.net^ +||stotseepta.com^ +||stougluh.net^ +||stouksom.xyz^ +||stoursas.xyz^ +||stoutfoggyprotrude.com^ +||stovearmpitagreeable.com^ +||stovecharacterize.com^ +||stoveword.com^ +||stowamends.com^ +||stowthbedells.top^ +||stpd.cloud^ +||stpmgo.com^ +||stqagmrylm.xyz^ +||stquality.org^ +||straight-shift.pro^ +||straight-storage.pro^ +||straightenchin.com^ +||straightenedsleepyanalysis.com^ +||straightmenu.com^ +||strainemergency.com^ +||strainprimar.com^ +||straitchangeless.com^ +||straitmeasures.com^ +||straletmitvoth.com^ +||stranddecidedlydemeanour.com^ +||strandedpeel.com^ +||strangineer.info^ +||strangineersalyl.org^ +||strangledisposalfox.com^ +||strastconversity.com^ +||stratebilater.com^ +||strategicfollowingfeminine.com^ +||stratosbody.com^ +||strawdeparture.com^ +||streakappealmeasured.com^ +||streakattempt.com^ +||stream-all.com^ +||streamadvancedheavilythe-file.top^ +||streameventzone.com^ +||streaming-illimite4.com^ +||streampsh.top^ +||streamsearchclub.com^ +||streamtoclick.com^ +||streamvideobox.com^ +||streamyourvid.com^ +||streetabackvegetable.com^ +||streetgrieveddishonour.com^ +||streetmonumentemulate.com^ +||streetsbuccaro.com^ +||streetuptowind.com^ +||streetupwind.com^ +||streitmackled.com^ +||stremanp.com^ +||strenuousfudge.com^ +||strenuoustarget.com^ +||stressfulproperlyrestrain.com^ +||stretchedbystander.com^ +||stretchedcreepy.com^ +||stretchedgluttony.com^ +||strettechoco.com^ +||strewdirtinessnestle.com^ +||strewjaunty.com^ +||strewtwitchlivelihood.com^ +||strickenfiercenote.com^ +||strictrebukeexasperate.com^ +||stridentbedroom.pro^ +||strideovertakelargest.com^ +||strikeprowesshelped.com^ +||strikinghystericalglove.com^ +||stripedcover.pro^ +||stripedonerous.com^ +||striperoused.com^ +||stripfitting.com^ +||stripherselfscuba.com^ +||strodefat.com^ +||strollfondnesssurround.com^ +||strongesthissblackout.com^ +||strtgic.com^ +||structurecolossal.com^ +||structurepageantphotograph.com^ +||strugglingclamour.com^ +||strungcourthouse.com^ +||strungglancedrunning.com^ +||strvvmpu.com^ +||strwaoz.xyz^ +||stt6.cfd^ +||stthykerewasn.com^ +||stubberjacens.com^ +||stubbleupbriningbackground.com^ +||stubbornembroiderytrifling.com^ +||stubevirger.top^ +||stucktimeoutvexed.com^ +||studads.com^ +||studdepartmentwith.com^ +||studiedabbey.com^ +||studious-beer.com^ +||studiouspassword.com^ +||stuffedbeforehand.com^ +||stuffedprofessional.com^ +||stuffinglimefuzzy.com^ +||stuffintolerableillicit.com^ +||stuffserve.com^ +||stughoamoono.net^ +||stugsoda.com^ +||stummedperca.top^ +||stunliver.com^ +||stunning-lift.com^ +||stunninglover.com^ +||stunoolri.net^ +||stunsbarbola.website^ +||stunthypocrisy.com^ +||stupid-luck.com^ +||stupiditydecision.com^ +||stupidityficklecapability.com^ +||stupidityitaly.com^ +||stupidityscream.com^ +||stupidspaceshipfestivity.com^ +||stutchoorgeltu.net^ +||stuwhost.net^ +||stvbiopr.net^ +||stvkr.com^ +||stvwell.online^ +||styletrackstable.com^ +||stylish-airport.com^ +||suantlyleeched.shop^ +||sub.xxx-porn-tube.com^ +||sub2.avgle.com^ +||subanunpollee.shop^ +||subdatejutties.com^ +||subdo.torrentlocura.com^ +||subduealec.com^ +||subduedgrainchip.com^ +||subduegrape.com^ +||subheroalgores.com^ +||subjectamazement.com^ +||subjectedburglar.com^ +||subjectscooter.com^ +||subjectsfaintly.com^ +||subjectslisted.com^ +||submarinefortressacceptable.com^ +||submarinestooped.com^ +||submissionheartyprior.com^ +||submissionspurtgleamed.com^ +||submissivejuice.com^ +||subquerieshenceforwardtruthfully.com^ +||subqueryrewinddiscontented.com^ +||subscriberbeetlejackal.com^ +||subscribereffectuallyversions.com^ +||subsequentmean.com^ +||subsideagainstforbes.com^ +||subsidedimpatienceadjective.com^ +||subsidedplenitudetide.com^ +||subsidyoffice.com^ +||subsistgrew.com^ +||subsistpartyagenda.com^ +||substantialequilibrium.com^ +||substantialhound.com^ +||subtle-give.pro^ +||subtractillfeminine.com^ +||suburbanabolishflare.com^ +||suburbgetconsole.com^ +||suburbincriminatesubdue.com^ +||subzerocuisse.top^ +||succeedingpeacefully.com^ +||succeedprosperity.com^ +||success-news.net^ +||successcuff.com^ +||successionfireextinguisher.com^ +||suchasricew.info^ +||suchcesusar.org^ +||suchroused.com^ +||suckae.xyz^ +||suckfaintlybooking.com^ +||sucreexpos.com^ +||suctionautomobile.com^ +||suctionpoker.com^ +||suddenvampire.com^ +||suddslife.com^ +||sudroockols.xyz^ +||sudukrirga.net^ +||sudvclh.com^ +||suesuspiciousin.com^ +||suffarilbf.com^ +||sufferingtail.com^ +||sufferinguniversalbitter.com^ +||suffertreasureapproval.com^ +||suffixinstitution.com^ +||sugardistanttrunk.com^ +||sugaryambition.pro^ +||suggest-recipes.com^ +||suggestedasstrategic.com^ +||suggestnotegotistical.com^ +||sugogawmg.xyz^ +||suhelux.com^ +||suirtan.com^ +||suitedeteriorate.com^ +||suitedtack.com^ +||suiteighteen.com^ +||suivezfoothil.top^ +||sukcheatppwa.com^ +||sukultingecauy.info^ +||sulideshalfman.click^ +||sulkvulnerableexpecting.com^ +||sullenabonnement.com^ +||sullentrump.com^ +||sultrycartonedward.com^ +||sumbreta.com^ +||sumedadelempan.com^ +||summaryjustlybouquet.com^ +||summer-notifications.com^ +||summerboycottrot.com^ +||summertracethou.com^ +||summitinfantry.com^ +||summitmanner.com^ +||sumnrydp.com^ +||sundayscrewinsulting.com^ +||sunflowerbright106.io^ +||sunflowercoastlineprobe.com^ +||sunflowerinformed.com^ +||sunglassesexpensive.com^ +||sunkcosign.com^ +||sunkwarriors.com^ +||sunmediaads.com^ +||sunnshele.com^ +||sunnudvelure.com^ +||sunnycategoryopening.com^ +||sunnyscanner.com^ +||sunonline.store^ +||sunriseholler.com^ +||sunrisesharply.com^ +||sunstrokeload.com^ +||suozmtcc.com^ +||supapush.net^ +||superadbid.com^ +||superfastcdn.com^ +||superfasti.co^ +||superfluousexecutivefinch.com^ +||superfolder.net^ +||superherogoing.com^ +||superherosoundsshelves.com^ +||superioramassoutbreak.com^ +||superiorickyfreshen.com^ +||superiorityfriction.com^ +||superiorityroundinhale.com^ +||superiorsufferorb.com^ +||superlativegland.com^ +||supermarketrestaurant.com^ +||superqualitylink.com^ +||supersedeforbes.com^ +||supersedeowetraumatic.com^ +||superservercellarchin.com^ +||superserverwarrior.com^ +||superstitiouscoherencemadame.com^ +||superstriker.net^ +||supervisebradleyrapidly.com^ +||supervisionbasketinhuman.com^ +||supervisionlanguidpersonnel.com^ +||supervisionprohibit.com^ +||supervisofosevera.com^ +||superxxxfree.com^ +||suphelper.com^ +||suppermalignant.com^ +||supperopeningturnstile.com^ +||supplementary2.fun^ +||suppliedhopelesspredestination.com^ +||suppliesscore.com^ +||supporterinsulation.com^ +||supportingbasic.com^ +||supportive-promise.com^ +||supportiverarity.com^ +||supportresentbritish.com^ +||supposedbrand.com^ +||supposedlycakeimplication.com^ +||suppressedanalogyrain.com^ +||suppressedbottlesenjoyable.com +||supqajfecgjv.com^ +||supremeden.com^ +||supremeoutcome.com^ +||supremepresumptuous.com^ +||supremoadblocko.com^ +||suptraf.com^ +||suptrkdisplay.com^ +||surahsbimas.com^ +||surcloyspecify.com^ +||surecheapermoisture.com^ +||surechequerigorous.com^ +||surechieflyrepulse.com^ +||surelyyap.com^ +||surfacescompassionblemish.com^ +||surfingmister.com^ +||surfmdia.com^ +||surge.systems^ +||surgicaljunctiontriumph.com^ +||surgicallonely.com^ +||surhaihaydn.com^ +||suriquesyre.com^ +||surlydancerbalanced.com^ +||surnamesubqueryaloft.com^ +||surplusgreetingbusiness.com^ +||surpriseenterprisingfin.com^ +||surprisingarsonistcooperate.com^ +||surrenderdownload.com^ +||surrounddiscord.com^ +||surroundfeathers.com^ +||surroundingsliftingstubborn.com^ +||surroundingspuncture.com^ +||surrvey2you.com^ +||survey-daily-prizes.com^ +||survey2you.co^ +||survey2you.com^ +||survey2you.net^ +||survey4you.co^ +||surveyedmadame.com^ +||surveyonline.top^ +||survivalcheersgem.com^ +||survrhostngs.xyz^ +||susanbabysitter.com^ +||susheeze.xyz^ +||susifhfh2d8ldn09.com^ +||suspectedadvisor.com^ +||suspectunfortunateblameless.com^ +||suspendedjetthus.com^ +||suspensionstorykeel.com^ +||suspicionflyer.com^ +||suspicionsmutter.com^ +||suspicionsrespectivelycobbler.com^ +||suspicionssmartstumbled.com^ +||sustainsuspenseorchestra.com^ +||suthaumsou.net^ +||sutiletoroid.com^ +||sutraf.com^ +||sutraschina.top^ +||sutterflorate.com^ +||suturaletalage.com^ +||suwotsoukry.com^ +||suwytid.com^ +||suxaucmuny.com^ +||suxoxmnwolun.com^ +||suzanne.pro^ +||suzbcnh.com^ +||svanh-xqh.com^ +||svaohpdxn.xyz^ +||sviakavgwjg.xyz^ +||svkmxwssih.com^ +||svntrk.com^ +||svrgcqgtpe.com^ +||svyksa.info^ +||swagtraffcom.com^ +||swailcoigns.com^ +||swailssourer.com^ +||swalessidi.com^ +||swallowaccidentdrip.com^ +||swallowhairdressercollect.com^ +||swamgreed.com^ +||swamperhyphens.shop^ +||swampexpulsionegypt.com^ +||swan-swan-goose.com^ +||swanbxca.com^ +||swansinksnow.com^ +||swarfamlikar.com^ +||swarmpush.com^ +||swarthyamong.com^ +||swarthymacula.com^ +||swatad.com^ +||sweatditch.com^ +||sweaterreduce.com^ +||sweaterwarmly.com^ +||swebatcnoircv.xyz^ +||sweenykhazens.com^ +||sweepawejasper.com^ +||sweepfrequencydissolved.com^ +||sweepia.com^ +||sweet-discount.pro^ +||sweetheartshippinglikeness.com^ +||sweetmoonmonth.com^ +||sweetromance.life^ +||swegospright.click^ +||swellingconsultation.com^ +||swelltomatoesguess.com^ +||swelltouching.com^ +||swelteringcrazy.pro^ +||sweptbroadarchly.com^ +||swesomepop.com^ +||swiftlybloodlesseconomic.com^ +||swiggermahwa.com^ +||swimmerallege.com^ +||swimmerperfectly.com^ +||swimmingusersabout.com^ +||swimsuitrustle.com^ +||swimsunleisure.com^ +||swindlehumorfossil.com^ +||swindleincreasing.com^ +||swindlelaceratetorch.com^ +||swinegraveyardlegendary.com^ +||swinehalurgy.com^ +||swingdeceive.com^ +||swinity.com^ +||swollencompletely.com^ +||swoonseneid.com^ +||swoopanomalousgardener.com^ +||swoopkennethsly.com^ +||swopsalane.com^ +||swordanatomy.com^ +||swordbloatgranny.com^ +||swordrelievedictum.com^ +||swowgein.top^ +||swwpush.com^ +||swzydgm.com^ +||sxlflt.com^ +||sy2h39ep8.com^ +||sya9yncn3q.com^ +||sycockmnioid.top^ +||sydneygfpink.com^ +||syenergyflexibil.com^ +||syeniteexodoi.com^ +||syfobtofdgbulvj.xyz^ +||syinga.com^ +||syiwgwsqwngrdw.xyz^ +||syllabusbastardchunk.com^ +||syllabusimperfect.com^ +||syllabuspillowcasebake.com^ +||sylxisys.com^ +||symbolsovereigndepot.com^ +||symbolultrasound.com^ +||symmorybewept.com^ +||sympathizecopierautobiography.com^ +||sympathizecrewfrugality.com^ +||sympathizeplumscircumstance.com^ +||sympathybindinglioness.com^ +||symptomprominentfirewood.com^ +||symptomslightest.com^ +||synchronizerobot.com^ +||synchroparomologyauditable.monster^ +||syndenizen.shop^ +||syndicatedsearch.goog^ +||syndromeentered.com^ +||syndromegarlic.com^ +||synonymcuttermischievous.com^ +||synonymdetected.com^ +||synsads.com^ +||syntaxtruckspoons.com^ +||synthesissocietysplitting.com^ +||syphonpassay.click^ +||syringeitch.com^ +||syringeoniondeluge.com^ +||syringewhile.com^ +||syshrugglefor.info^ +||sysmeasuring.net^ +||sysoutvariola.com^ +||system-notify.app^ +||systeme-business.online^ +||systemleadb.com^ +||sytqxychwk.xyz^ +||syyycc.com^ +||szgaikk.com^ +||szkzvqs.com^ +||szpjpzi.com^ +||szqxvo.com^ +||szreismz.world^ +||t.uc.cn^ +||t0gju20fq34i.com^ +||t2lgo.com^ +||t7cp4fldl.com^ +||t85itha3nitde.com^ +||ta3nfsordd.com^ +||taaqhr6axacd2um.com^ +||tabekeegnoo.com^ +||tabici.com^ +||tableinactionflint.com^ +||tablerquods.shop^ +||tablesgrace.com^ +||tabletsregrind.com^ +||tabloidquantitycosts.com^ +||tabloidsuggest.com^ +||tabloidwept.com^ +||tackleyoung.com^ +||tackmainly.com^ +||tacticmuseumbed.com^ +||tacticsadamant.com^ +||tacticschangebabysitting.com^ +||tacticsjoan.com^ +||tadadamads.com^ +||tadamads.com^ +||taetsiainfall.shop^ +||tagalodrome.com^ +||tagd-otmhf.world^ +||taghaugh.com^ +||taglockrocket.com^ +||tagloognain.xyz^ +||tagmai.xyz^ +||tagoutlookignoring.com^ +||tagroors.com^ +||tagruglegni.net^ +||tahwox.com^ +||taicheetee.com^ +||taidainy.net^ +||taigasdoeskin.guru^ +||taigrooh.net^ +||tailalwaysunauthorized.com^ +||tailorendorsementtranslation.com^ +||taimachojoba.xyz^ +||taisteptife.com^ +||taiwhups.net^ +||taizigly.net^ +||take-grandincome.life^ +||take-prize-now.com^ +||takeallsoft.ru^ +||takecareproduct.com^ +||takegerman.com^ +||takelnk.com^ +||takemybackup.co^ +||takemydesk.co^ +||takeoutregularlyclack.com^ +||takeoverrings.com^ +||takeyouforward.co^ +||takingbelievingbun.com^ +||takingpot.com^ +||takiparkrb.site^ +||talabsorbs.shop^ +||talaobsf.shop^ +||talcingartarin.shop^ +||talckyslodder.top^ +||talcoidsakis.com^ +||taleinformed.com^ +||talentinfatuatedrebuild.com^ +||talentorganism.com^ +||talentslimeequally.com^ +||talesapricot.com^ +||talkstewmisjudge.com^ +||tallysaturatesnare.com^ +||talouktaboutrice.info^ +||talsauve.com^ +||talsindustrateb.info^ +||tamdamads.com^ +||tamedilks.com^ +||tamesurf.com^ +||tameti.com^ +||tamperdepreciate.com^ +||tamperlaugh.com^ +||tampurunrig.com^ +||tanagersavor.click^ +||tanceteventu.com^ +||tangerinetogetherparity.com^ +||tanglecaromel.top^ +||tanglesoonercooperate.com^ +||tangpuax.xyz^ +||tanhelpfulcuddle.com^ +||tanivanprevented.com^ +||tankahjussion.shop^ +||taosiz.xyz^ +||taovgsy.com^ +||taoyinbiacid.com^ +||taozgpkjzpdtgr.com^ +||tapchibitcoin.care^ +||tapdb.net^ +||tapeabruptlypajamas.com^ +||taperlyiuds.com^ +||tapestrygenus.com^ +||tapestrymob.com^ +||tapewherever.com^ +||tapioni.com^ +||tapixesa.pro^ +||tapjoyads.com^ +||taposalett.top^ +||tapproveofchild.info^ +||taproximo.com^ +||taprtopcldfa.co^ +||taprtopcldfard.co^ +||taprtopcldfb.co^ +||tapwhigwy.com^ +||tarafnagging.com^ +||tarcavbul.com^ +||targechirtil.net^ +||targhe.info^ +||tarinstinctivewee.com^ +||taroads.com^ +||tarotaffirm.com^ +||tarsiusbaconic.com^ +||tartarsharped.com^ +||tartator.com^ +||tarvardsusyseinpou.info^ +||tasesetitoefany.info^ +||tastedflower.com^ +||tastesnlynotqui.info^ +||tastesscalp.com^ +||tastoartaikrou.net^ +||tasvagaggox.com^ +||tatersbilobed.com^ +||tationalhedgelnha.com^ +||tationseleauks.com^ +||tattepush.com^ +||tauaddy.com^ +||taucaphoful.net^ +||taugookoaw.net^ +||tauphaub.net^ +||tauvoojo.net^ +||taxconceivableseafood.com^ +||taxismaned.top^ +||taxissunroom.com^ +||taxitesgyal.top^ +||tazichoothis.com^ +||tazkiaonu.click^ +||tbeiu658gftk.com^ +||tberjonk.com^ +||tbjrtcoqldf.site^ +||tblnreehmapc.com^ +||tbmwkwbdcryfhb.xyz^ +||tbpot.com^ +||tbradshedm.org^ +||tbudz.co.in^ +||tbxyuwctmt.com^ +||tbydnpeykunahn.com^ +||tcaochocskid.com^ +||tcdypeptz.com^ +||tcgjpib.com^ +||tcloaksandtheirclean.com^ +||tcontametrop.info^ +||tcowmrj.com^ +||tcpcharms.com^ +||tcppu.com^ +||tcreativeideasa.com^ +||tcvjhwizmy.com^ +||tcwhycdinjtgar.xyz^ +||td5xffxsx4.com^ +||tdbcfbivjq.xyz^ +||tdoqiajej.xyz^ +||tdspa.top^ +||tdyygcic.xyz^ +||teachingcosmetic.com^ +||teachingopt.com^ +||teachingrespectfully.com^ +||teachingwere.com^ +||teachleaseholderpractitioner.com^ +||teachmewind.com^ +||teads.tv^ +||teadwightshaft.com^ +||tealsgenevan.com^ +||teamagonan.com^ +||teamairportheedless.com^ +||teambetaffiliates.com^ +||teammanbarded.shop^ +||teamshilarious.com^ +||teamsmarched.com^ +||teamsoutspoken.com^ +||teamsperilous.com^ +||teapotripencorridor.com^ +||teapotsobbing.com^ +||tearingsinnerprinciples.com^ +||tearsskin.cfd^ +||teaserslamda.top^ +||teaspoonbrave.com^ +||teaspoondaffodilcould.com^ +||tebeveck.xyz^ +||tecaitouque.net^ +||techiteration.com^ +||technicalityindependencesting.com^ +||technicalitymartial.com^ +||techniciancocoon.com^ +||technologyinsolubleportion.com^ +||technoratimedia.com^ +||technoshadows.com^ +||techourtoapingu.com^ +||techreviewtech.com^ +||tecominchisel.com^ +||tectureclod.top^ +||tecuil.com^ +||tedhilarlymcken.org^ +||tediousgorgefirst.com^ +||tedtaxi.com^ +||tedtug.com^ +||teeglimu.com^ +||teemmachinerydiffer.com^ +||teemooge.net^ +||teenagerapostrophe.com^ +||teensexgfs.com^ +||teentitsass.com^ +||teepoomo.xyz^ +||teestoagloupaza.net^ +||teetusee.xyz^ +||teewhilemath.net^ +||tefrjctjwuu.com^ +||tefuse.com^ +||tegleebs.com^ +||tegronews.com^ +||teicdn.com^ +||teindsoutsea.shop^ +||teinlbw.com^ +||teknologia.co^ +||teksishe.net^ +||tektosfolic.com^ +||tel-tel-fie.com^ +||telechargementdirect.net^ +||telegakapur.shop^ +||telegramconform.com^ +||telegramspun.com^ +||telegraphunreal.com^ +||teleproff.com^ +||telescopesemiprominent.com^ +||televeniesuc.pro^ +||televisionjitter.com^ +||telllwrite.com^ +||tellseagerly.com^ +||tellysetback.com^ +||telwrite.com^ +||temgthropositea.com^ +||temksrtd.net^ +||temperansar.top^ +||temperaturemarvelcounter.com^ +||tempergleefulvariability.com^ +||temperickysmelly.com^ +||temperrunnersdale.com^ +||templa.xyz^ +||templeoffendponder.com^ +||temporarytv.com^ +||tenchesjingly.shop^ +||tend-new.com^ +||tendernessknockout.com^ +||tendonsjogger.top^ +||tenoneraliners.top^ +||tenourcagy.com^ +||tensagesic.com^ +||tenseapprobation.com^ +||tensorsbancos.com^ +||tentativenegotiate.com^ +||tenthgiven.com^ +||tenthsfrumpy.com^ +||tentioniaukmla.info^ +||tentmess.com^ +||tentubu.xyz^ +||tenutoboma.click^ +||tepirhdbauahk.com^ +||tepysilscpm.xyz^ +||terabigyellowmotha.info^ +||terabzxqb.com^ +||teracent.net^ +||teracreative.com^ +||terbit2.com^ +||tercelangary.com^ +||terciogouge.com^ +||terhousouokop.com^ +||termerspatrice.com^ +||terminalcomrade.com^ +||terminusbedsexchanged.com^ +||termswhopitched.com^ +||termswilgers.top^ +||terraclicks.com^ +||terrapsps.com^ +||terrapush.com^ +||terrasdsdstd.com^ +||terribledeliberate.com^ +||terrificdark.com^ +||terrifyingcovert.com^ +||tertiafrush.top^ +||tertracks.site^ +||tesousefulhead.info^ +||testda.homes^ +||testifyconvent.com^ +||testsite34.com^ +||tetelsillers.com^ +||tetheryplagues.com^ +||tetrdracausa.com^ +||tetrylscullion.com^ +||tetyerecently.com^ +||teuxbfnru.com^ +||textilewhine.com^ +||texturedetrimentit.com^ +||textureeffacepleat.com^ +||tezmarang.top^ +||tfaln.com^ +||tfarruaxzgi.com^ +||tfauwtzipxob.com^ +||tfb7jc.de^ +||tffkroute.com^ +||tfla.xyz^ +||tfmgqdj.com^ +||tfosrv.com^ +||tfsqxdc.com^ +||tfsxszw.com^ +||tftnbbok.xyz^ +||tftrm.com^ +||tgandmotivat.com^ +||tgbpdufhyqbvhx.com^ +||tgcnyxew.com^ +||tgel2ebtx.ru^ +||tgktlgyqsffx.xyz^ +||tgolived.com^ +||thaculse.net^ +||thadairteetchar.net^ +||thagegroom.net^ +||thagrals.net^ +||thagroum.net^ +||thaichashootu.net^ +||thaickoo.net^ +||thaickoofu.net^ +||thaigapousty.net^ +||thaighinaw.net^ +||thaiheq.com^ +||thaimoul.net^ +||thairoob.com^ +||thaistiboa.com^ +||thaithawhokr.net^ +||thaitingsho.info^ +||thampolsi.com^ +||thangetsoam.com^ +||thaninncoos.com^ +||thanksgivingdelights.com^ +||thanksgivingdelights.name^ +||thanksgivingtamepending.com^ +||thanksthat.com^ +||thanmounted.com^ +||thanosofcos5.com^ +||thanot.com^ +||tharbadir.com^ +||thargookroge.net^ +||thartout.com^ +||thatbeefysit.com^ +||thatmonkeybites3.com^ +||thaucmozsurvey.space^ +||thaucugnil.com^ +||thaudray.com^ +||thauftoa.net^ +||thaugnaixi.net^ +||thautchikrin.xyz^ +||thautselr.com^ +||thautsie.net^ +||thaveksi.net^ +||thawbootsamplitude.com^ +||thawpublicationplunged.com^ +||thduyzmbtrb.com^ +||thdwaterverya.info^ +||the-ozone-project.com^ +||theactualnewz.com^ +||theactualstories.com^ +||theadgateway.com^ +||theapple.site^ +||theathematica.info^ +||thebestgame2020.com^ +||thebtrads.top^ +||thecarconnections.com^ +||thechleads.pro^ +||thechoansa.com^ +||thechronicles2.xyz^ +||theckouz.com^ +||thecoinworsttrack.com^ +||thecoolposts.com^ +||thecoreadv.com^ +||thecred.info^ +||theehouho.xyz^ +||theekedgleamed.com^ +||theeksen.com^ +||theepsie.com^ +||theeptoah.com^ +||theeraufudromp.xyz^ +||theetchedreeb.net^ +||theetheks.com^ +||theetholri.xyz^ +||theextensionexpert.com^ +||thefacux.com^ +||thefastpush.com^ +||thefenceanddeckguys.com^ +||thefreshposts.com^ +||theglossonline.com^ +||thegoodcaster.com^ +||thehotposts.com^ +||thehypenewz.com^ +||theirbellsound.co^ +||theirbellstudio.co^ +||theirsstrongest.com^ +||theloungenet.com^ +||thematicalaste.info^ +||thematicalastero.info^ +||thembriskjumbo.com^ +||themeillogical.com^ +||themeulterior.com^ +||themselphenyls.com^ +||themselvestypewriter.com^ +||thenceafeard.com^ +||thencedisgustedbare.com^ +||thenceextremeeyewitness.com^ +||thenceshapedrugged.com^ +||thenewstreams.com^ +||thenfulfilearnestly.com^ +||thengeedray.xyz^ +||thenicenewz.com^ +||theod-qsr.com^ +||theologicalpresentation.com^ +||theonecdn.com^ +||theonesstoodtheirground.com^ +||theonlins.com^ +||theorysuspendlargest.com^ +||theoverheat.com^ +||theplansaimplem.com^ +||theplayadvisor.com^ +||thepopads.com^ +||thepsimp.net^ +||therapistcrateyield.com^ +||thereafterreturnriotous.com^ +||theredictatortreble.com^ +||thereforedolemeasurement.com^ +||theremployeesi.info^ +||thereuponprevented.com^ +||thermometerdoll.com^ +||thermometerinconceivablewild.com^ +||thermometertally.com^ +||therplungestrang.org^ +||thesekid.pro^ +||theshafou.com^ +||thesisadornpathetic.com^ +||thesisfluctuateunkind.com^ +||thesisreducedo.com^ +||thesiumdetrect.shop^ +||thethateronjus.com^ +||thetoptrust.com^ +||thetrendytales.com^ +||thetreuntalle.com^ +||theusualsuspects.biz^ +||theusualsuspectz.biz^ +||thevpxjtfbxuuj.com^ +||theweblocker.net^ +||thewhizmarketing.com^ +||thewulsair.com^ +||thewymulto.life^ +||thexeech.xyz^ +||theyattenuate.com^ +||theyeiedmadeh.info^ +||thickcultivation.com^ +||thickshortwage.com^ +||thickspaghetti.com^ +||thickstatements.com^ +||thiefbeseech.com^ +||thiefperpetrate.com^ +||thievesanction.com^ +||thiftossebi.net^ +||thighleopard.com^ +||thikraik.net^ +||thikreept.com^ +||thimblehaltedbounce.com^ +||thin-hold.pro^ +||thingrealtape.com^ +||thingsshrill.com^ +||thingstorrent.com^ +||thinkappetitefeud.com^ +||thinkingaccommodate.com^ +||thinksclingingentertainment.com^ +||thinksuggest.org^ +||thinnertrout.com^ +||thinnerwishingeccentric.com^ +||thinpaltrydistrust.com^ +||thinperspectivetales.com^ +||thinrabbitsrape.com^ +||thiraq.com^ +||third-tracking.com^ +||thirdgas.com^ +||thirteenvolunteerpit.com^ +||thirtycabook.com^ +||thirtyeducate.com^ +||thiscdn.com^ +||thisiswaldo.com^ +||thisisyourprize.site^ +||thisobject.pro^ +||thivelunliken.com^ +||thizecmeeshumum.net^ +||thnqemehtyfe.com^ +||thoakeet.net^ +||thoakirgens.com^ +||thoalugoodi.com^ +||thoamsixaizi.net^ +||thoartauzetchol.net^ +||thoartuw.com^ +||thofandew.com^ +||thofteert.com^ +||tholor.com^ +||thomasalthoughhear.com^ +||thomasbarlowpro.com^ +||thongrooklikelihood.com^ +||thongtechnicality.com^ +||thoocheegee.xyz^ +||thoohizoogli.xyz^ +||thookraughoa.com^ +||thoorest.com^ +||thoorgins.com^ +||thoorteeboo.xyz^ +||thootsoumsoa.com^ +||thordoodovoo.net^ +||thornfloatingbazaar.com^ +||thornrancorouspeerless.com^ +||thoroughfarefeudalfaster.com^ +||thoroughlyhoraceclip.com^ +||thoroughlynightsteak.com^ +||thoroughlypantry.com^ +||thoroughlyshave.com^ +||thorperepresentation.com^ +||thorpeseriouslybabysitting.com^ +||thoseads.com^ +||thoudroa.net^ +||thoughtgraphicshoarfrost.com^ +||thoughtleadr.com^ +||thoughtlessindeedopposition.com^ +||thouphouwhad.net^ +||thoupsuk.net^ +||thousandinvoluntary.com^ +||thqgxvs.com^ +||thrashbomb.com^ +||thratchassman.com^ +||threatdetect.org^ +||threatenedfallenrueful.com^ +||threeinvincible.com^ +||thresholdunusual.com^ +||threwtestimonygrieve.com^ +||thrilledrentbull.com^ +||thrilledroundaboutreconstruct.com^ +||thrillignoringexalt.com^ +||thrillingpairsreside.com^ +||thrillstwinges.top^ +||thrivebubble.com^ +||throatchanged.com^ +||throatpoll.com^ +||thronestartle.com^ +||throngwhirlpool.com^ +||thronosgeneura.com^ +||throughdfp.com^ +||throwinterrogatetwitch.com^ +||throwsceases.com^ +||thrtle.com^ +||thrustlumpypulse.com^ +||thsantmirza.shop^ +||thudsurdardu.net^ +||thugjudgementpreparations.com^ +||thukimoocult.net^ +||thulroucmoan.net^ +||thumeezy.xyz^ +||thump-night-stand.com^ +||thumpssleys.com^ +||thunderdepthsforger.top^ +||thunderhead.com^ +||thuphedsaup.com^ +||thupsirsifte.xyz^ +||thurnflfant.com^ +||thursailso.com^ +||thursdaydurabledisco.com^ +||thursdaymolecule.com^ +||thursdayoceanexasperation.com^ +||thursdaypearaccustomed.com^ +||thursdaysalesmanbarrier.com^ +||thusenteringhypocrisy.com^ +||thuthoock.net^ +||thymilogium.top^ +||thyobscure.com^ +||thyroidaketon.com^ +||tiaoap.xyz^ +||tibacta.com^ +||tibcpowpiaqv.com^ +||tibykzo.com^ +||tic-tic-bam.com^ +||tic-tic-toc.com^ +||ticaframeofm.xyz^ +||tichoake.xyz^ +||ticielongsuched.com^ +||ticketnegligence.com^ +||ticketpantomimevirus.com^ +||ticketsfrustratingrobe.com^ +||ticketsrubbingroundabout.com^ +||ticketswinning.com^ +||ticklefell.com^ +||tickleinclosetried.com^ +||tickleorganizer.com^ +||ticrite.com^ +||tictacfrison.com^ +||tictastesnlynot.com^ +||tidaltv.com^ +||tideairtight.com^ +||tidenoiseless.com^ +||tidint.pro^ +||tidy-mark.com^ +||tidyinteraction.pro^ +||tiepinsespials.top^ +||tigainareputaon.info^ +||tigerking.world^ +||tighterinfluenced.com^ +||tighternativestraditional.com^ +||tigipurcyw.com^ +||tiglonhominy.top^ +||tignuget.net^ +||tigreanreshew.com^ +||tigroulseedsipt.net^ +||tiktakz.xyz^ +||tilesmuzarab.com^ +||tillinextricable.com^ +||tilrozafains.net^ +||tiltgardenheadlight.com^ +||tilttrk.com^ +||tiltwin.com^ +||timcityinfirmary.com^ +||time4news.net^ +||timecrom.com^ +||timeforagreement.com^ +||timelymongol.com^ +||timeone.pro^ +||timersbedbug.com^ +||timesroadmapwed.com^ +||timetableitemvariables.com^ +||timetoagree.com^ +||timmerintice.com^ +||timoggownduj.com^ +||timot-cvk.info^ +||timsef.com^ +||tinbuadserv.com^ +||tingecauyuksehin.com^ +||tingexcelelernodyden.info^ +||tingisincused.com^ +||tingswifing.click^ +||tinkerwidth.com^ +||tinkleswearfranz.com^ +||tinsus.com^ +||tintersloggish.com^ +||tintprestigecrumble.com^ +||tiny-atmosphere.com^ +||tionforeathyoug.info^ +||tiotyuknsyen.org^ +||tipchambers.com^ +||tipforcefulmeow.com^ +||tipphotographermeans.com^ +||tipreesigmate.com^ +||tipsembankment.com^ +||tipslyrev.com^ +||tiptoecentral.com^ +||tirebrevity.com^ +||tirecolloquialinterest.com^ +||tireconfessed.com^ +||tireconnateunion.com^ +||tirejav12.fun^ +||tirepoliticsspeedometer.com^ +||tiresomemarkstwelve.com^ +||tiresomereluctantlydistinctly.com^ +||tirosagalite.com^ +||tisitnxrfdjwe.com^ +||tissueinstitution.com^ +||titanads1.com^ +||titanads2.com^ +||titanads3.com^ +||titanads4.com^ +||titanads5.com^ +||titanicimmunehomesick.com^ +||titanictooler.top^ +||titaniumveinshaper.com^ +||tivapheegnoa.com^ +||tivatingotherem.info^ +||tivetrainingukm.com^ +||tiypa.com^ +||tjaard11.xyz^ +||tjpzz.buzz^ +||tjxjpqa.com^ +||tkauru.xyz^ +||tkbo.com^ +||tkidcigitrte.com^ +||tkmrdtcfoid.com^ +||tktujhhc.com^ +||tl2go.com^ +||tlingitlaisse.top^ +||tlootas.org^ +||tlpfjgsstoytfm.com^ +||tlrkcj17.de^ +||tlsmluxersi.com^ +||tlxxqvzmb.com^ +||tm5kpprikka.com^ +||tmb5trk.com^ +||tmenfhave.info^ +||tmh4pshu0f3n.com^ +||tmioowtnobr.com^ +||tmrjmp.com^ +||tmulppw.com^ +||tmztcfp.com^ +||tnaczwecikco.online^ +||tncred.com^ +||tnctufo.com^ +||tneca.com^ +||tnpads.xyz^ +||toadcampaignruinous.com^ +||toaglegi.com^ +||toahicobeerile.com^ +||toamaustouy.com^ +||toapz.xyz^ +||toastbuzuki.com^ +||toastcomprehensiveimperturbable.com^ +||toawaups.net^ +||toawhulo.com^ +||toawoapt.net^ +||tobaccocentgames.com^ +||tobaccoearnestnessmayor.com^ +||tobaccosturgeon.com^ +||tobaitsie.com^ +||tobaltoyon.com^ +||tobipovsem.com^ +||toboads.com^ +||tocksideman.com^ +||tocontraceptive.com^ +||toddlecausebeeper.com^ +||toddlespecialnegotiate.com^ +||toeapesob.com^ +||toenailannouncehardworking.com^ +||toffeeallergythrill.com^ +||toffeebigot.com^ +||toffeecollationsdogcollar.com^ +||togemantedious.top^ +||togenron.com^ +||togetherballroom.com^ +||toglooman.com^ +||togothitaa.com^ +||togranbulla.com^ +||tohechaustoox.net^ +||toiletallowingrepair.com^ +||toiletpaper.life^ +||toitoidotkin.shop^ +||tokenads.com^ +||toksoudsoab.net^ +||tolanneocene.com^ +||toltooth.net^ +||tolverhyple.info^ +||tomatoescampusslumber.com^ +||tomatoesstripemeaningless.com^ +||tomatoitch.com^ +||tomatoqqamber.click^ +||tomawilea.com^ +||tomekas.com^ +||tomladvert.com^ +||tomorroweducated.com^ +||tomorrowspanelliot.com^ +||tomorrowtardythe.com^ +||tomsooko.com^ +||tonapplaudfreak.com^ +||toncooperateapologise.com^ +||tondikeglasses.com^ +||toneadds.com^ +||toneincludes.com^ +||tonemedia.com^ +||tonesnorrisbytes.com^ +||tongsscenesrestless.com^ +||tonicdivedfounded.com^ +||tonicneighbouring.com^ +||toninjaska.com^ +||tonsilsuggestedtortoise.com^ +||tonsilyearling.com^ +||tontrinevengre.com^ +||toocssfghbvgqb.com^ +||toodeeps.top^ +||tooglidanog.net^ +||toojaipi.net^ +||toojeestoone.net^ +||tookiroufiz.net^ +||toolspaflinch.com^ +||tooniboy.com^ +||toonujoops.net^ +||toopsoug.net^ +||tooraicush.net^ +||toothbrushlimbperformance.com^ +||toothcauldron.com^ +||toothoverdone.com^ +||toothstrike.com^ +||toovoala.net^ +||toowubozout.net^ +||top-performance.best^ +||top-performance.club^ +||top-performance.top^ +||top-performance.work^ +||topadbid.com^ +||topadsservices.com^ +||topadvdomdesign.com^ +||topatincompany.com^ +||topatternbackache.com^ +||topbetfast.com^ +||topblockchainsolutions.nl^ +||topcpmcreativeformat.com^ +||topcreativeformat.com^ +||topdisplaycontent.com^ +||topdisplayformat.com^ +||topdisplaynetwork.com^ +||topduppy.info^ +||topflownews.com^ +||topfreenewsfeed.com^ +||tophaw.com^ +||topiccorruption.com^ +||toplinkz.ru^ +||topmostolddoor.com^ +||topmusicalcomedy.com^ +||topnews-24.com^ +||topnewsfeeds.net^ +||topnewsgo.com^ +||topperformance.xyz^ +||topprofitablecpm.com^ +||topprofitablegate.com^ +||topqualitylink.com^ +||toprevenuecpmnetwork.com^ +||toprevenuegate.com^ +||topsecurity2024.com^ +||topsrcs.com^ +||topsummerapps.net^ +||topswp.com^ +||toptoys.store^ +||toptrendyinc.com^ +||toptrindexapsb.com^ +||topviralnewz.com^ +||toquetbircher.com^ +||torchtrifling.com^ +||toreddorize.com^ +||torgadroukr.com^ +||torhydona.com^ +||torioluor.com^ +||toromclick.com^ +||tororango.com^ +||torpsol.com^ +||torrango.com^ +||torrent-protection.com^ +||torrentsuperintend.com^ +||tortoisesun.com^ +||toscytheran.com^ +||tosfeed.com^ +||tossquicklypluck.com^ +||tosuicunea.com^ +||totalab.xyz^ +||totaladblock.com^ +||totalcoolblog.com^ +||totaldrag.pro^ +||totalfreshwords.com^ +||totallyplaiceaxis.com^ +||totalnicefeed.com^ +||totalwowblog.com^ +||totalwownews.com^ +||totemcash.com^ +||totemsplurgy.top^ +||totentacruelor.com^ +||totersoutpay.com^ +||totlnkbn.com^ +||totlnkcl.com^ +||totogetica.com^ +||touaz.xyz^ +||toubeglautu.net^ +||touched35one.pro^ +||touchupchows.com^ +||touchyeccentric.com^ +||touchytautogs.com^ +||tougaipteehuboo.xyz^ +||toughdrizzleleftover.com^ +||tougrauwaizus.net^ +||touptaisu.com^ +||tournamentdouble.com^ +||tournamentfosterchild.com^ +||tournamentsevenhung.com^ +||touroumu.com^ +||tourukaustoglee.net^ +||toushuhoophis.xyz^ +||toutsneskhi.com^ +||touweptouceeru.xyz^ +||touzia.xyz^ +||touzoaty.net^ +||tovespiquener.com^ +||tovwhxpomgkd.com^ +||towardcorporal.com^ +||towardsflourextremely.com^ +||towardsturtle.com^ +||towardwhere.com^ +||towerdesire.com^ +||towersalighthybrids.com^ +||towerslady.com^ +||towersresent.com^ +||townifybabbie.top^ +||townrusisedpriva.org^ +||townstainpolitician.com^ +||toxemiaslier.com^ +||toxonetwigger.com^ +||toxtren.com^ +||toyarableits.com^ +||tozoruaon.com^ +||tozqvor.com^ +||tozuoi.xyz^ +||tpbdir.com^ +||tpciqzm.com^ +||tpcserve.com^ +||tpdads.com^ +||tpdethnol.com^ +||tpmedia-reactads.com^ +||tpmr.com^ +||tpn134.com^ +||tpshpmsfldvtom.com^ +||tpvrqkr.com^ +||tpwtjya.com^ +||tpydhykibbz.com^ +||tqaiowbyilodx.com^ +||tqlkg.com^ +||tqnupxrwvo.com^ +||tquvbfl.com^ +||tr-boost.com^ +||tr-bouncer.com^ +||tr-monday.xyz^ +||tr-rollers.xyz^ +||tr-usual.xyz^ +||tracepath.cc^ +||tracereceiving.com^ +||tracevictory.com^ +||track-victoriadates.com^ +||track.afrsportsbetting.com^ +||track.totalav.com^ +||track4ref.com^ +||trackad.cz^ +||trackapi.net^ +||trackcherry.com^ +||tracker-2.com^ +||tracker-sav.space^ +||tracker-tds.info^ +||trackerrr.com^ +||trackeverything.co^ +||trackingmembers.com^ +||trackingrouter.com^ +||trackingshub.com^ +||trackingtraffo.com^ +||trackmedclick.com^ +||trackmundo.com^ +||trackpshgoto.win^ +||trackpush.com^ +||tracks20.com^ +||tracksfaster.com^ +||trackspeeder.com^ +||trackstracker.com^ +||tracktds.com^ +||tracktds.live^ +||tracktilldeath.club^ +||trackvbmobs.click^ +||trackvol.com^ +||trackvoluum.com^ +||trackwilltrk.com^ +||tracliakoshers.shop^ +||tracot.com^ +||tractorfoolproofstandard.com^ +||tradbypass.com^ +||trade46-q.com^ +||tradeadexchange.com^ +||trading21s.com^ +||tradingpancreasdevice.com^ +||traditionallyenquired.com^ +||traditionallyrecipepiteous.com^ +||traff01traff02.site^ +||traffdaq.com^ +||traffic.club^ +||traffic.name^ +||trafficad-biz.com^ +||trafficbass.com^ +||trafficborder.com^ +||trafficdecisions.com^ +||trafficdok.com^ +||trafficfactory.biz^ +||traffichunt.com^ +||trafficircles.com^ +||trafficjunky.net^ +||trafficlide.com^ +||trafficmediaareus.com^ +||trafficmoon.com^ +||trafficmoose.com^ +||trafficportsrv.com^ +||trafficshop.com^ +||traffictraders.com^ +||traffmgnt.com^ +||traffmgnt.name^ +||trafforsrv.com^ +||traffoxx.uk^ +||traffprogo20.com^ +||trafget.com^ +||trafogon.com^ +||trafsupr.com^ +||trafyield.com^ +||tragedyhaemorrhagemama.com^ +||tragency-clesburg.icu^ +||tragicbeyond.com^ +||traglencium.com^ +||traileroutlinerefreshments.com^ +||trainedhomecoming.com^ +||traintravelingplacard.com^ +||traitpigsplausible.com^ +||trakaff.net^ +||traktortds.com^ +||traktrafficflow.com^ +||tramordinaleradicate.com^ +||trampphotographer.com^ +||tramuptownpeculiarity.com^ +||trandgid.com^ +||trandlife.info^ +||transactionsbeatenapplication.com^ +||transcriptcompassionacute.com^ +||transcriptjeanne.com^ +||transferloitering.com^ +||transferzenad.com^ +||transformationdecline.com^ +||transformignorant.com^ +||transgressmeeting.com^ +||transgressreasonedinburgh.com^ +||transientblobexaltation.com^ +||transitionfrenchdowny.com^ +||translatingimport.com^ +||translationbuddy.com^ +||transmission423.fun^ +||transportationdealer.com^ +||transportationdelight.com^ +||trantpopshop.top^ +||trapexpansionmoss.com^ +||trappedpetty.com^ +||trapskating.com^ +||trashdisguisedextension.com^ +||trasupr.com^ +||tratbc.com^ +||traumatizedenied.com^ +||traumavirus.com^ +||traveladvertising.com^ +||traveldurationbrings.com^ +||travelingshake.com^ +||travelscream.com^ +||traveltop.org^ +||travidia.com^ +||trawibosxlc.com^ +||trawlsshally.top^ +||traydungeongloss.com^ +||traymute.com^ +||trayrubbish.com^ +||trayzillion.com^ +||trazgki.com^ +||trblocked.com^ +||trc85.com^ +||trccmpnlnk.com^ +||trck.wargaming.net^ +||trckswrm.com^ +||trcktr.com^ +||trdnewsnow.net^ +||treacherouscarefully.com^ +||treadhospitality.com^ +||treasonemphasis.com^ +||treasureantennadonkey.com^ +||treasureralludednook.com^ +||treasurergroundlessagenda.com^ +||treatedscale.com^ +||treatmentaeroplane.com^ +||treatyaccuserevil.com^ +||treatyintegrationornament.com^ +||trebghoru.com^ +||trebleheady.com^ +||treblescholarfestival.com^ +||trebleuniversity.com^ +||trecurlik.com^ +||trecut.com^ +||treehusbanddistraction.com^ +||treenghsas.com^ +||treepullmerriment.com^ +||trehtnoas.com^ +||trellian.com^ +||trembleday.com^ +||tremblingbunchtechnique.com^ +||tremorhub.com^ +||trenchpoor.net^ +||trendmouthsable.com^ +||trenhsasolc.com^ +||trenhsmp.com^ +||trenpyle.com^ +||trentjesno.com^ +||treschevinose.shop^ +||trespassapologies.com^ +||tretmumbel.com^ +||trewnhiok.com^ +||treycircle.com^ +||treyscramp.com^ +||trftopp.biz^ +||trhdcukvcpz.com^ +||tri.media^ +||triadmedianetwork.com^ +||trialdepictprimarily.com^ +||trialsgroove.com^ +||trianglecollector.com^ +||tribalfusion.com^ +||tribespiraldresser.com^ +||tributeparticle.com^ +||tributesexually.com^ +||tricemortal.com^ +||tricklesmartdiscourage.com^ +||trickvealwagon.com^ +||trickynationalityturn.com^ +||triedstrickenpickpocket.com^ +||trienestooth.com^ +||trigami.com^ +||trikerbefleck.com^ +||trikerboughs.com^ +||trim-goal.com^ +||trimpagkygg.com^ +||trimpur.com^ +||trimregular.com^ +||tripledeliveryinstance.com^ +||triplescrubjenny.com^ +||tripsisvellums.com^ +||tripsstyle.com^ +||tripsthorpelemonade.com^ +||trisectdoigt.top^ +||triumphalstrandedpancake.com^ +||triumphantplace.com^ +||trjwraxkfkm.com^ +||trk-aspernatur.com^ +||trk-consulatu.com^ +||trk-epicurei.com^ +||trk-imps.com^ +||trk-vod.com^ +||trk.nfl-online-streams.live^ +||trk023.com^ +||trk3000.com^ +||trk4.com^ +||trk72.com^ +||trkad.network^ +||trkerupper.com^ +||trkinator.com^ +||trkings.com^ +||trkk4.com^ +||trkless.com^ +||trklnks.com^ +||trkn1.com^ +||trknext.com^ +||trknk.com^ +||trknovi.com^ +||trkr.technology^ +||trkrdel.com^ +||trkred.com^ +||trkrspace.com^ +||trksmorestreacking.com^ +||trktnc.com^ +||trkunited.com^ +||trlxcf05.com^ +||trmit.com^ +||trmobc.com^ +||trmzum.com^ +||trocarssubpool.shop^ +||trokemar.com^ +||trolleydemocratic.com^ +||trolleytool.com^ +||trollsvide.com^ +||trololopush2023push.com^ +||trombocrack.com^ +||tronads.io^ +||troopsassistedstupidity.com^ +||troopseruptionfootage.com^ +||tropbikewall.art^ +||troublebrought.com^ +||troubledcontradiction.com^ +||troubleextremityascertained.com^ +||troublesomeleerycarry.com^ +||troutgorgets.com^ +||trpool.org^ +||trpop.xyz^ +||trtjigpsscmv9epe10.com^ +||truanet.com^ +||truantsnarestrand.com^ +||truazka.xyz^ +||trucelabwits.com^ +||trucemallow.website^ +||trulydevotionceramic.com^ +||trulysuitedcharges.com^ +||trumppuffy.com^ +||trumpsurgery.com^ +||trumpthisaccepted.com^ +||trunchsubnect.com^ +||truoptik.com^ +||trust.zone^ +||trustaffs.com^ +||trustbummler.com^ +||trustedachievementcontented.com^ +||trustedcpmrevenue.com^ +||trustedgatetocontent.com^ +||trustedpeach.com^ +||trustedzone.info^ +||trustflayer1.online^ +||trusting-offer.com^ +||trusting-produce.com^ +||trusting-secret.pro^ +||trustmaxonline.com^ +||trustworthyturnstileboyfriend.com^ +||trusty-research.com^ +||trustyable.com^ +||trustyfine.com^ +||trustzonevpn.info^ +||trutheyesstab.com^ +||truthfulanomaly.com^ +||truthfulplanninggrasp.com^ +||truthhascudgel.com^ +||truthvexedben.com^ +||trutinewapatoo.top^ +||trymynewspirit.com^ +||trymysadoroh.site^ +||trynhassd.com^ +||ts134lnki1zd5.pro^ +||tsapphires.buzz^ +||tsapphiresand.info^ +||tsaristcanapes.com^ +||tsarkinds.com^ +||tsbck.com^ +||tsiwqtng8huauw30n.com^ +||tsjjbvbgrugs.com^ +||tslomhfys.com^ +||tsml.fun^ +||tsmlzafghsft.com^ +||tsmqbyd.com^ +||tspops.com^ +||tsrpcf.xyz^ +||tsrpif.xyz^ +||tstats-13fkh44r.com^ +||tstpmasispcw.com^ +||tsy-jnugwavj.love^ +||tsyndicate.com^ +||ttbm.com^ +||tteojtlqlxrev.com^ +||ttgmjfgldgv9ed10.com^ +||tthathehadstop.info^ +||ttoc8ok.com^ +||ttquix.xyz^ +||ttributoraheadyg.org^ +||ttwmed.com^ +||ttzmedia.com^ +||tubberlo.com^ +||tubbyconversation.pro^ +||tubeadvisor.com^ +||tubecoast.com^ +||tubecorp.com^ +||tubecup.net^ +||tubeelite.com^ +||tubemov.com^ +||tubenest.com^ +||tubepure.com^ +||tuberay.com^ +||tubestrap.com^ +||tubeultra.com^ +||tubewalk.com^ +||tubingacater.com^ +||tubroaffs.org^ +||tuckedmajor.com^ +||tuckedtucked.com^ +||tuckerheiau.com^ +||tuesdayfetidlit.com^ +||tuffoonincaged.com^ +||tuftoawoo.xyz^ +||tugraughilr.xyz^ +||tuitionpancake.com^ +||tujourda.net^ +||tulclqxikva.icu^ +||tulipmagazinesempire.com^ +||tumblebit.com^ +||tumblebit.org^ +||tumblehisswitty.com^ +||tumboaovernet.shop^ +||tumidlyacorus.shop^ +||tumordied.com^ +||tumpsmolla.com^ +||tumri.net^ +||tumultmarten.com^ +||tunatastesentertained.com^ +||tunefatigueclarify.com^ +||tuneshave.com^ +||tunnelbuilder.top^ +||tunnerbiogeny.click^ +||tupwiwm.com^ +||tuqgtpirrtuu.com^ +||tuqizi.uno^ +||tuquesperes.com^ +||tur-tur-key.com^ +||turbanmadman.com^ +||turboadv.com^ +||turbocap.net^ +||turbolit.biz^ +||turbostats.xyz^ +||turbulentfeatherhorror.com^ +||turbulentimpuresoul.com^ +||tureukworektob.info^ +||turganic.com^ +||turgelrouph.com^ +||turkeychoice.com^ +||turkhawkswig.com^ +||turkslideupward.com^ +||turmoilmeddle.com^ +||turmoilragcrutch.com^ +||turncdn.com^ +||turndynamicforbes.com^ +||turnhub.net^ +||turniptriumphantanalogy.com^ +||turnminimizeinterference.com^ +||turnstileunavailablesite.com^ +||turpentinecomics.com^ +||tururu.info^ +||tusheedrosep.net^ +||tushiedidder.com^ +||tuskhautein.com^ +||tusno.com^ +||tussisinjelly.com^ +||tutphiarcox.com^ +||tutsterblanche.com^ +||tutvp.com^ +||tuvwryunm.xyz^ +||tuwaqtjcood.com^ +||tuxbpnne.com^ +||tuxycml.com^ +||tvgxhvredn.xyz^ +||tvkaimh.com^ +||tvpnnrungug.xyz^ +||tvprocessing.com^ +||twaitevirgal.com^ +||twazzyoidwlfe.com^ +||tweakarrangement.com^ +||twelfthcomprehendgrape.com^ +||twelfthdistasteful.com^ +||twelvemissionjury.com^ +||twentiesinquiry.com^ +||twentyatonementflowing.com^ +||twentyaviation.com^ +||twentycustomimprovement.com^ +||twentydisappearance.com^ +||twentydruggeddumb.com^ +||twevpgjeai.com^ +||twewmykfe.com^ +||twi-hjritecl.world^ +||twiebayed.com^ +||twigwisp.com^ +||twilightsuburbmill.com^ +||twinadsrv.com^ +||twinboutjuly.com^ +||twinfill.com^ +||twinkle-fun.net^ +||twinklecourseinvade.com^ +||twinpinenetwork.com^ +||twinrdack.com^ +||twinrdengine.com^ +||twinrdsrv.com^ +||twinrdsyn.com^ +||twinrdsyte.com^ +||twinrtb.com^ +||twinseller.com^ +||twinsrv.com^ +||twirlninthgullible.com^ +||twistads.com^ +||twistconcept.com^ +||twistcrevice.com^ +||twistedhorriblybrainless.com^ +||twittad.com^ +||twnrydt.com^ +||twoepidemic.com^ +||twpasol.com^ +||twrugkpqkvit.com^ +||twsylxp.com^ +||twtad.com^ +||twtdkzg.com^ +||txbwpztu-oh.site^ +||txeefgcutifv.info^ +||txgeszx.com^ +||txjhmbn.com^ +||txtspjaorddrjqq.com^ +||txumirk.com^ +||txzaazmdhtw.com^ +||tyburnpenalty.com^ +||tychon.bid^ +||tyfqjbuk.one^ +||tyfuufdp-xbd.top^ +||tyhyorvhscdbx.xyz^ +||tyjttinacorners.info^ +||tylocintriones.com^ +||tylosischewer.com^ +||tympanojann.com^ +||tynt.com^ +||typescoordinate.com^ +||typesluggage.com^ +||typicalappleashy.com^ +||typicallyapplause.com^ +||typicalsecuritydevice.com^ +||typiccor.com^ +||typiconrices.com^ +||typojesuit.com^ +||tyqwjh23d.com^ +||tyranbrashore.com^ +||tyranpension.com^ +||tyrianbewrap.top^ +||tyrotation.com^ +||tyserving.com^ +||tytyeastfeukufun.info^ +||tyuimln.net^ +||tzaho.com^ +||tzaqkp.com^ +||tzegilo.com^ +||tzuhumrwypw.com^ +||tzvpn.site^ +||u-oxmzhuo.tech^ +||u0054.com^ +||u0064.com^ +||u21drwj6mp.com^ +||u29qnuav3i6p.com^ +||u595sebqih.com^ +||u5lxh1y1pgxy.shop^ +||u9axpzf50.com^ +||uaaftpsy.com^ +||uabpuwz.com^ +||uads.cc^ +||uads.digital^ +||uads.guru^ +||uads.space^ +||uafkcvpvvelp.com^ +||uahosnnx.com^ +||uaiqkjkw.com^ +||uavbgdw.com^ +||uawvmni.com^ +||ubbfpm.com^ +||ubbkfvtfmztilo.com^ +||ubdmfxkh.com^ +||ubeestis.net^ +||ubertyguberla.shop^ +||ubilinkbin.com^ +||ubish.com^ +||uboungera.com^ +||ucationinin.info^ +||ucavu.live^ +||ucbedayxxqpyuo.xyz^ +||ucconn.live^ +||ucheephu.com^ +||ucuoknexq.global^ +||udalmancozen.com^ +||udarem.com^ +||udbaa.com^ +||udinugoo.com^ +||udmserve.net^ +||udookrou.com^ +||uduxztwig.com^ +||udzpel.com^ +||uejntsxdffp.com^ +||uel-uel-fie.com^ +||uelllwrite.com^ +||uenwfxleosjsyf.com^ +||uepkcdjgp.com^ +||ueykjfltxqsb.space^ +||ufaexpert.com^ +||ufewhistug.net^ +||ufiledsit.com^ +||ufinkln.com^ +||ufiuhnyydllpaed.com^ +||ufouxbwn.com^ +||ufpcdn.com^ +||ufphkyw.com^ +||ufvxiyewsyi.com^ +||ufykspupgxgzz.com^ +||ufzanvc.com^ +||ugailidsay.xyz^ +||ugbkfsvqkayt.icu^ +||ugeewhee.xyz^ +||ughtanothin.info^ +||ughzfjx.com^ +||ugloopie.com^ +||ugly-routine.pro^ +||ugopkl.com^ +||ugrarvy.com^ +||ugroocuw.net^ +||ugroogree.com^ +||ugyplysh.com^ +||uhdokoq5ocmk.com^ +||uhedsplo.com^ +||uhegarberetrof.com^ +||uhfdsplo.com^ +||uhodsplo.com^ +||uhpdsplo.com^ +||uhrmzgp.com^ +||uhsmmaq4l2n5.com^ +||uhwwrtoesislugj.xyz^ +||ui02.com^ +||uibhnejm.com^ +||uidhealth.com^ +||uidsync.net^ +||uilzwzx.com^ +||uimserv.net^ +||uingroundhe.com^ +||uiphk.one^ +||ujautifuleed.xyz^ +||ujscdn.com^ +||ujtgtmj.com^ +||ujxrfkhsiss.xyz^ +||ujznabh.com^ +||uk08i.top^ +||ukankingwithea.com^ +||ukcomparends.pro^ +||ukdtzkc.com^ +||ukenthasmeetu.com^ +||ukentsiwoulukdlik.info^ +||ukgzavrhc.com^ +||ukindwouldmeu.com^ +||ukloxmchcdnn.com^ +||ukmlastityty.info^ +||ukmlastitytyeastf.com^ +||ukqibzitix.com^ +||ukrkskillsombine.info^ +||uksjogersamyre.com^ +||ukskxmh.com^ +||uksofthecomp.com^ +||ukzoweq.com^ +||ulaiwhiw.xyz^ +||ulathana.com^ +||uldlikukemyfueu.com^ +||uldmakefeagr.info^ +||ulesufeism.shop^ +||ulesxbo.com^ +||ulheaddedfearing.com^ +||ulmoyc.com^ +||ulnhz.site^ +||ulried.com^ +||ulsmcdn.com^ +||ulteriorprank.com^ +||ulteriorthemselves.com^ +||ultetrailways.info^ +||ultimatefatiguehistorical.com^ +||ultimatelydiscourse.com^ +||ultimaterequirement.com^ +||ultimatumrelaxconvince.com^ +||ultrabetas.com^ +||ultracdn.top^ +||umbrellaepisode.com^ +||umdgene.com^ +||umebella.com^ +||umekana.ru^ +||umentrandings.xyz^ +||umescomymanda.info^ +||umexalim.com^ +||umhlnkbj.xyz^ +||umjcamewiththe.info^ +||umoxomv.icu^ +||umpedshumal.com^ +||umqmxawxnrcp.com^ +||umtchdhkrx.com^ +||umtudo.com^ +||umumallowecouldl.info^ +||unacceptableperfection.com^ +||unaces.com^ +||unamplespalax.com^ +||unanimousbrashtrauma.com^ +||unarbokor.com^ +||unasonoric.com^ +||unattractivehastypendulum.com^ +||unauthorizedsufficientlysensitivity.com^ +||unavailableprocessionamazingly.com^ +||unawaredisk.com^ +||unbearablepulverizeinevitably.com^ +||unbeastskilled.shop^ +||unbeedrillom.com^ +||unbelievableheartbreak.com^ +||unbelievableinnumerable.com^ +||unbelievablesuitcasehaberdashery.com^ +||unbelievablydemocrat.com^ +||unblitzlean.com^ +||unblock2303.xyz^ +||unblock2304.xyz^ +||unbloodied.sbs^ +||unbunearyan.com^ +||unbuttonfootprintssoftened.com^ +||uncalmgermane.top^ +||uncannynobilityenclose.com^ +||uncastnork.com^ +||uncertainimprovementsspelling.com^ +||uncleffaan.com^ +||unclesnewspaper.com^ +||uncletroublescircumference.com^ +||uncomfortableremote.com^ +||uncorecaaba.shop^ +||uncotorture.com^ +||uncoverarching.com^ +||uncrobator.com^ +||uncrownarmenic.com^ +||undatedifreal.com^ +||under2given.com^ +||underaccredited.com^ +||underagebeneath.com^ +||undercambridgeconfusion.com^ +||underclick.ru^ +||undercoverbluffybluffybus.com^ +||undercoverchildbirthflimsy.com^ +||undercovercinnamonluxury.com^ +||undercoverwaterfront.com^ +||underdog.media^ +||undergoneentitled.com^ +||undergroundbrows.com^ +||underminesprout.com^ +||underpantscostsdirection.com^ +||underpantsdefencelesslearn.com^ +||underpantshomesimaginary.com^ +||underpantsprickcontinue.com^ +||understandablejeopardy.com^ +||understandablephilosophypeeves.com^ +||understandassure.com^ +||understandcomplainawestruck.com^ +||understanding3x.fun^ +||understandingspurt.com^ +||understandskinny.com^ +||understatedworking.com^ +||understatementimmoderate.com^ +||understoodadmiredapprove.com^ +||understoodeconomicgenetic.com^ +||undertakinghomeyegg.com^ +||undertakingmight.com^ +||underwarming.com^ +||underwaterbirch.com^ +||underwilliameliza.com^ +||undiesthumb.com^ +||undockerinize.com^ +||undoneabated.shop^ +||undooptimisticsuction.com^ +||undoseire.top^ +||undressregionaladdiction.com^ +||undubirprourass.com^ +||unelekidan.com^ +||unemploymentinstinctiverite.com^ +||unequalbrotherhermit.com^ +||unequaled-department.pro^ +||unequaledchair.com^ +||unevenregime.com^ +||unfairgenelullaby.com^ +||unfaithfulgoddess.com^ +||unfiledbunkum.shop^ +||unfinisheddolphin.com^ +||unfolded-economics.com^ +||unforgivableado.com^ +||unforgivablefrozen.com^ +||unfortunatelydestroyedfuse.com^ +||unfortunatelydroopinglying.com^ +||unfortunatelyprayers.com^ +||unfriendlysalivasummoned.com^ +||ungatedsynch.com^ +||ungiblechan.com^ +||ungillhenbane.com^ +||ungothoritator.com^ +||ungoutylensmen.website^ +||ungroudonchan.com^ +||unhatedkrubi.shop^ +||unhatedprotei.com^ +||unhealthybravelyemployee.com^ +||unhealthywelcome.pro^ +||unhhsrraf.com^ +||unhoodikhwan.shop^ +||unicast.com^ +||unicatethebe.org^ +||unicornpride123.com^ +||unifini.de^ +||uniformyeah.com^ +||unitedlawsfriendship.com^ +||unitethecows.com^ +||unitscompressmeow.com^ +||unitsympathetic.com^ +||universalappend.com^ +||universalbooklet.com^ +||universaldatedimpress.com^ +||universalsrc.com^ +||universaltrout.com^ +||universityofinternetscience.com^ +||universitypermanentlyhusk.com^ +||unkinpigsty.com^ +||unknownhormonesafeguard.com^ +||unleanmyrrhs.shop^ +||unleantaurid.shop^ +||unlesscooler.com^ +||unlikelymoscow.com^ +||unlinedmake.pro^ +||unlockecstasyapparatus.com^ +||unlockmaddenhooray.com^ +||unlockmelted.shop^ +||unlocky.org^ +||unlocky.xyz^ +||unloetiosal.com^ +||unluckyflagtopmost.com^ +||unluredtawgi.shop^ +||unluxioer.com^ +||unmantyker.com^ +||unmetlittle.shop^ +||unnaturalstring.com^ +||unnecessarydispleasedleak.com^ +||unoakrookroo.com^ +||unoblotto.net^ +||unovertdomes.shop^ +||unpacedgervas.shop^ +||unpackjanuary.com^ +||unpackthousandmineral.com^ +||unpanchamon.com^ +||unpetilila.com^ +||unphanpyom.com^ +||unphionetor.com^ +||unpleasantconcrete.com^ +||unpleasanthandbag.com^ +||unpopecandela.top^ +||unpredictablehateagent.com^ +||unprofessionalremnantthence.com^ +||unrealversionholder.com^ +||unreasonabletwenties.com^ +||unrebelasterin.com^ +||unreshiramor.com^ +||unresolveddrama.com^ +||unresolvedsketchpaws.com^ +||unrestbad.com^ +||unrestlosttestify.com^ +||unrotomon.com^ +||unrulymedia.com^ +||unrulymorning.pro^ +||unrulytroll.com^ +||unsaltyalemmal.com^ +||unseaminoax.click^ +||unseamssafes.com^ +||unseenrazorcaptain.com^ +||unseenreport.com^ +||unseenshingle.com^ +||unsettledfederalrefreshing.com^ +||unshellbrended.com^ +||unsigilyphor.com^ +||unskilfulwalkerpolitician.com^ +||unskilledexamples.com^ +||unsnareparroty.com^ +||unsoothippi.top^ +||unspeakablefreezing.com^ +||unspeakablepurebeings.com^ +||unstantleran.com^ +||unstoutgolfs.com^ +||unsuccessfultesttubepeerless.com^ +||untackreviler.com^ +||untidyseparatelyintroduce.com^ +||untiedecide.com^ +||untilfamilythrone.com^ +||untilpatientlyappears.com^ +||untimburra.com^ +||untineanunder.com^ +||untineforward.com^ +||untrendenam.com^ +||untriedcause.pro^ +||untrk.xyz^ +||untrol.com^ +||untropiuson.com^ +||untruecharacterizepeople.com^ +||unusualbrainlessshotgun.com^ +||unusuallynonfictionconsumption.com^ +||unusuallypilgrim.com^ +||unusuallyswam.com^ +||unusualwarmingloner.com^ +||unwelcomegardenerinterpretation.com^ +||unwilling-jury.pro^ +||unwillingsnick.com^ +||unwindirenebank.com^ +||unwontcajun.top^ +||unwoobater.com^ +||unynwld.com^ +||uod2quk646.com^ +||uoeeiqgiib.xyz^ +||uoetderxqnv.com^ +||uohdvgscgckkpt.xyz^ +||uomsogicgi.com^ +||uonuvcrnert.com^ +||uorhlwm.com^ +||up2cdn.com^ +||up4u.me^ +||upaicpa.com^ +||uparceuson.com^ +||upbemzagunkppj.com^ +||upbriningleverforecast.com^ +||upclipper.com^ +||upcomingmonkeydolphin.com^ +||upcurlsreid.website^ +||updaight.com^ +||updateadvancedgreatlytheproduct.vip^ +||updatecompletelyfreetheproduct.vip^ +||updateenow.com^ +||updatefluency.com^ +||updatenow.pro^ +||updatesunshinepane.com^ +||updservice.site^ +||upeatunzone.com^ +||upgliscorom.com^ +||upgoawqlghwh.com^ +||uphorter.com^ +||uphoveeh.xyz^ +||upkoffingr.com^ +||uplatiason.com^ +||upliftsearch.com^ +||upodaitie.net^ +||uponflannelsworn.com^ +||uponpidgeottotor.com^ +||uponsurskita.com^ +||upontogeticr.com^ +||uppsyduckan.com^ +||uprightanalysisphotographing.com^ +||uprightsaunagather.com^ +||uprightthrough.com^ +||uprimp.com^ +||uprisingrecalledpeppermint.com^ +||uprivaladserver.net^ +||uproarglossy.com^ +||upsaibou.net^ +||upsamurottr.com^ +||upsettingfirstobserved.com^ +||upshroomishtor.com^ +||upsidetrug.com^ +||upstairswellnewest.com^ +||upstandingmoscow.com^ +||upsups.click^ +||uptafashib.com^ +||uptightdecreaseclinical.com^ +||uptightfirm.com^ +||uptightimmigrant.com^ +||uptightyear.com^ +||uptimecdn.com^ +||uptownrecycle.com^ +||uptraindustmen.top^ +||upuplet.net^ +||upush.co^ +||upwardbodies.com^ +||upwardsbenefitmale.com^ +||upwardsdecreasecommitment.com^ +||upzekroman.com^ +||uqbcz.today^ +||uqecqpnnzt.online^ +||uqljlsqtrbrpu.com^ +||uqmmfpr.com^ +||uqqmj868.xyz^ +||urauvipsidu.com^ +||urbanjazzsecretion.com^ +||urechar.com^ +||urgedhearted.com^ +||urgentlyfeerobots.com^ +||urgentprotections.com^ +||urhjoqudc.com^ +||urimnugocfr.com^ +||urinebladdernovember.com^ +||urinousbiriba.com^ +||urjvnagk.com^ +||urkbgdfhuc.global^ +||urldelivery.com^ +||urlgone.com^ +||urlhausa.com^ +||urllistparding.info^ +||urmavite.com^ +||urmilan.info^ +||urocyoncabrit.top^ +||uropygiubussu.top^ +||urtirepor.com^ +||uruftio.com^ +||uruswan.com^ +||urvgwij.com^ +||us4post.com^ +||usaballs.fun^ +||usageultra.com^ +||usainoad.net^ +||usbanners.com^ +||usbrowserspeed.com^ +||useaptrecoil.com^ +||usearch.site^ +||usefulcontentsites.com^ +||usefullybruiseddrunken.com^ +||uselnk.com^ +||usenet.world^ +||usenetpassport.com^ +||usersmorrow.com^ +||usertag.online^ +||usheeptuthoa.com^ +||ushoofop.com^ +||ushzfap.com^ +||usingantecedent.com^ +||usisedprivatedqu.com^ +||usix-udlnseb.space^ +||usjbwvtqwv.com^ +||usounoul.com^ +||ust-ad.com^ +||usuallyaltered.com^ +||usuaryyappish.com^ +||usurv.com^ +||uswardwot.com^ +||usxabwaiinnu.com^ +||usxytkdanrgwc.com^ +||ut13r.online^ +||ut13r.site^ +||ut13r.space^ +||utarget.co.uk^ +||utarget.pro^ +||utecsfi.com^ +||utendpacas.top^ +||uthorner.info^ +||uthounie.com^ +||utilitypresent.com^ +||utilitysafe-view.info^ +||utilitytied.com^ +||utilizedshoe.com^ +||utilizeimplore.com^ +||utilizepersonalityillegible.com^ +||utillib.xyz^ +||utl-1.com^ +||utm-campaign.com^ +||utmostsecond.com^ +||utndln.com^ +||utokapa.com^ +||utopiankudzu.com^ +||utoumine.net^ +||utrdiwdcmhrfon.com^ +||utrius.com^ +||utterdevice.com^ +||utterlysever.com^ +||uttersloanea.top^ +||utubepwhml.com^ +||utygdjcs.xyz^ +||uudzfbzthj.com^ +||uuidksinc.net^ +||uuisnvtqtuc.com^ +||uujtmrxf.xyz^ +||uurhhtymipx.com^ +||uuyhonsdpa.com^ +||uvoovoachee.com^ +||uvphvlgtqjye.com^ +||uvtuiks.com^ +||uvzsmwfxa.com^ +||uwastehons.com^ +||uwavoptig.com^ +||uwaxoyfklhm.com^ +||uwdjwfqvxpo.xyz^ +||uwfcqtdb.xyz^ +||uwjhzeb.com^ +||uwlzsfo.com^ +||uwmlmhcjmjvuqy.xyz^ +||uwoaptee.com^ +||uwougheels.net^ +||uwzaq.world^ +||ux782mkgx.com^ +||uyiteasacomsys.info^ +||uyjxzvu.com^ +||uzauxaursachoky.net^ +||uzdhsjuhrw.com^ +||uzvcffe-aw.vip^ +||v124mers.com^ +||v2cigs.com^ +||v6rxv5coo5.com^ +||v785.online^ +||vaatmetu.net^ +||vacaneedasap.com^ +||vacationmonday.com^ +||vacationsoot.com^ +||vaccinationinvalidphosphate.com^ +||vaccinationwear.com^ +||vaccineconvictedseafood.com^ +||vacpukna.com^ +||vacuomedogeys.com^ +||vacwrite.com^ +||vadokfkulzr.com^ +||vaebard.com^ +||vaehxkhbhguaq.xyz^ +||vahoupomp.com^ +||vaicheemoa.net^ +||vaiglunoz.com^ +||vaigowoa.com^ +||vaikijie.net^ +||vainfulkmole.com^ +||vainjav11.fun^ +||vaipsona.com^ +||vaipsouw.com^ +||vairoobugry.com^ +||vaitotoo.net^ +||vaivurizoa.net^ +||vaizauwe.com^ +||vak345.com^ +||valemedia.net^ +||valepoking.com^ +||valesweetheartconditions.com^ +||valetsangoise.top^ +||valetsword.com^ +||valiantjosie.com^ +||valid-dad.com^ +||validinstruct.com^ +||validworking.pro^ +||valiumbessel.com^ +||vallarymedlars.com^ +||valleymuchunnecessary.com^ +||valleysinstruct.com^ +||valleysrelyfiend.com^ +||valonghost.xyz^ +||valornutricional.cc^ +||valpeiros.com^ +||valtoursaurgoo.net^ +||valuableenquiry.com^ +||valuad.cloud^ +||valuatesharki.com^ +||valuationbothertoo.com^ +||valueclick.cc^ +||valueclick.com^ +||valueclick.net^ +||valueclickmedia.com^ +||valuedalludejoy.com^ +||valuepastscowl.com^ +||valuerfadjavelin.com^ +||valuermainly.com^ +||valuerstarringarmistice.com^ +||valuerstray.com^ +||valueslinear.com^ +||valuethemarkets.info^ +||valvyre.com^ +||vampedcortine.com^ +||vampingrichest.shop^ +||vamsoupowoa.com^ +||vandalismblackboard.com^ +||vandalismundermineshock.com^ +||vanderebony.pro^ +||vanderlisten.pro^ +||vanflooding.com^ +||vaniacozzolino.com^ +||vanillacoolestresumed.com^ +||vanirausones.shop^ +||vanishedentrails.com^ +||vanishedpatriot.com^ +||vapedia.com^ +||vapjcusfua.com^ +||vapourfertile.com^ +||vapourwarlockconveniences.com^ +||vaptoangix.com^ +||vaqykqeoeaywm.top^ +||varasbrijkt.com^ +||varechphugoid.com^ +||variabilityproducing.com^ +||variable-love.pro^ +||variablespestvex.com^ +||variablevisualforty.com^ +||variationaspenjaunty.com^ +||variationsradio.com^ +||variedpretenceclasped.com^ +||variedslimecloset.com^ +||variedsubduedplaice.com^ +||varietiesassuage.com^ +||varietiesplea.com^ +||varietyofdisplayformats.com^ +||variousanyplaceauthorized.com^ +||variouscreativeformats.com^ +||variousformatscontent.com^ +||variouspheasantjerk.com^ +||varletsngaio.com^ +||varnishmosquitolocust.com^ +||varshacundy.com^ +||vartoken.com^ +||varun-ysz.com^ +||varycares.com^ +||varyingcanteenartillery.com^ +||varyinginvention.com^ +||varyingsnarl.com^ +||vasebehaved.com^ +||vasfmbody.com^ +||vasgenerete.site^ +||vasstycom.com^ +||vasteeds.net^ +||vastroll.ru^ +||vastserved.com^ +||vastsneezevirtually.com^ +||vatanclick.ir^ +||vatcertaininject.com^ +||vaufekonaub.net^ +||vaugroar.com^ +||vaukoloon.net^ +||vauloops.net^ +||vaultmultiple.com^ +||vaultwrite.com^ +||vavcashpop.com^ +||vavuwetus.com^ +||vawcdhhgnqkrif.com^ +||vawk0ap3.xyz^ +||vax-boost.com^ +||vax-now.com^ +||vaxoovos.net^ +||vazshojt.com^ +||vazypteke.pro^ +||vbcyukwuj.com^ +||vbhuivr.com^ +||vbiovkqt.com^ +||vbrbgki.com^ +||vbrusdiifpfd.com^ +||vbtrax.com^ +||vcdc.com^ +||vcmedia.com^ +||vcngehm.com^ +||vcommission.com^ +||vcsjbnzmgjs.com^ +||vctcajeme.tech^ +||vcxzp.com^ +||vcynnyujt.com^ +||vczypss.com^ +||vdbaa.com^ +||vddf0.club^ +||vdjpqtsxuwc.xyz^ +||vdlvry.com^ +||vdopia.com^ +||vdzna.com^ +||ve6k5.top^ +||vebadu.com^ +||vebv8me7q.com^ +||vecohgmpl.info^ +||vectorsfangs.com^ +||vedropeamwou.com^ +||veephoboodouh.net^ +||veepteero.com^ +||veeqlly.com^ +||veeredfunt.top^ +||veezudeedou.net^ +||vegetablesparrotplus.com^ +||vegetationadmirable.com^ +||vegetationartcocoa.com^ +||vehiclepatsyacacia.com^ +||vehosw.com^ +||veilsuccessfully.com^ +||veincartrigeforceful.com^ +||veinourdreams.com^ +||vekseptaufin.com^ +||velocecdn.com^ +||velocitycdn.com^ +||velocitypaperwork.com^ +||velvetneutralunnatural.com^ +||vemflutuartambem.com^ +||vempeeda.com^ +||vempozah.net^ +||vemtoutcheeg.com^ +||vendigamus.com^ +||vendimob.pl^ +||vendingboatsunbutton.com^ +||veneeringextremely.com^ +||veneeringperfect.com^ +||venetrigni.com^ +||vengeancehurriedly.com^ +||vengeancerepulseclassified.com^ +||vengeancewaterproof.com^ +||vengeful-egg.com^ +||veninslata.com^ +||venisonreservationbarefooted.com^ +||venkrana.com^ +||venomouslife.com^ +||venomouswhimarid.com^ +||ventilatorcorrupt.com^ +||ventralwries.com^ +||ventrequmus.com^ +||ventualkentineda.info^ +||venturead.com^ +||ventureclamourtotally.com^ +||venturepeasant.com^ +||venueitemmagic.com^ +||venulaeriggite.com^ +||venusfritter.com^ +||veoxphl.com^ +||verbwarilyclotted.com^ +||verda-mun.com^ +||vereforhedidno.info^ +||verifiablevolume.com^ +||verify-human.b-cdn.net^ +||veristouh.net^ +||vernementsec.info^ +||verneukdottle.shop^ +||verninchange.com^ +||vernongermanessence.com^ +||vernonspurtrash.com^ +||veronalhaf.com^ +||verrippleshi.info^ +||verse-content.com^ +||versedarkenedhusky.com^ +||versinehopper.com^ +||verticallydeserve.com^ +||verticallyrational.com^ +||verwh.com^ +||verygoodminigames.com^ +||veryn1ce.com^ +||verysilenit.com^ +||vespinebarless.com^ +||vespymedia.com^ +||vessoupy.com^ +||vestigeencumber.com^ +||vesuvinaqueity.top^ +||vetchesthiever.com^ +||vetoembrace.com^ +||vetrainingukm.info^ +||veuuulalu.xyz^ +||vexacion.com^ +||vexationworship.com^ +||vexedkindergarten.com^ +||vexevutus.com^ +||vexolinu.com^ +||vezizey.xyz^ +||vfeeopywioabi.xyz^ +||vfghc.com^ +||vfghd.com^ +||vfgte.com^ +||vfgtg.com^ +||vfl81ea28aztw7y3.pro^ +||vflouksffoxmlnk.xyz^ +||vfthr.com^ +||vfuqivac.com^ +||vfvdsati.com^ +||vfyhwapi.com^ +||vfzqtgr.com^ +||vg4u8rvq65t6.com^ +||vg876yuj.click^ +||vgfhycwkvh.com^ +||vhdbohe.com^ +||vhducnso.com^ +||vheoggjiqaz.com^ +||vhkgzudn.com^ +||vhngny-cfwm.life^ +||vi-serve.com^ +||viabagona.com^ +||viabeldumchan.com^ +||viableconferfitting.com^ +||viablegiant.com^ +||viablehornsborn.com^ +||viacavalryhepatitis.com^ +||viaexploudtor.com^ +||viamariller.com^ +||vianadserver.com^ +||viandryochavo.com^ +||vianoivernom.com^ +||viapawniarda.com^ +||viaphioner.com^ +||viapizza.online^ +||viatechonline.com^ +||viatepigan.com^ +||vibanioa.com^ +||vibrateapologiesshout.com^ +||vic-m.co^ +||vicious-instruction.pro^ +||viciousphenomenon.com^ +||victimcondescendingcable.com^ +||victoryrugbyumbrella.com^ +||victorytunatulip.com^ +||vid.me^ +||vidalak.com^ +||vidcpm.com^ +||video-adblocker.com^ +||video-serve.com^ +||videoaccess.xyz^ +||videobaba.xyz^ +||videocampaign.co^ +||videocdnshop.com^ +||videolute.biz^ +||videoplaza.tv^ +||videosprofitnetwork.com^ +||videosworks.com^ +||videovard.sx^ +||vidrugnirtop.net^ +||vids-fun.online^ +||vidshouse.online^ +||viennafeedman.click^ +||vieva.xyz^ +||view-flix.com^ +||viewablemedia.net^ +||viewagendaanna.com^ +||viewclc.com^ +||viewedcentury.com^ +||viewerebook.com^ +||viewerwhateversavour.com^ +||viewlnk.com^ +||viewpath.xyz^ +||viewscout.com^ +||viewsoz.com^ +||viewyentreat.guru^ +||vigilantprinciple.pro^ +||vigorouslymicrophone.com^ +||vigourmotorcyclepriority.com^ +||vigsole.com^ +||vihub.ru^ +||viiavjpe.com^ +||viibest.com^ +||viibmmqc.com^ +||viicylmb.com^ +||viiczfvm.com^ +||viiddai.com^ +||viidirectory.com^ +||viidsyej.com^ +||viifixi.com^ +||viifmuts.com^ +||viifogyp.com^ +||viifvqra.com^ +||viiguqam.com^ +||viihloln.com^ +||viiiaypg.com^ +||viiigle.com^ +||viiith.com^ +||viiithia.com^ +||viiiyskm.com^ +||viijan.com^ +||viimfua.com^ +||viimgupp.com^ +||viimksyi.com^ +||viiphciz.com^ +||viipilo.com^ +||viippugm.com^ +||viiqqou.com^ +||viirift.com^ +||viirkagt.com^ +||viitqvjx.com^ +||viivedun.com^ +||viiyblva.com^ +||vijajnglif.com^ +||vijcwykceav.com^ +||vijkc.top^ +||vikaez.xyz^ +||vikuhiaor.com^ +||vilereasoning.com^ +||vilerebuffcontact.com^ +||viliaff.com^ +||villagepalmful.com^ +||villagerprolific.com^ +||villagerreporter.com^ +||vilpujzmyhu.com^ +||vimaxckc.com^ +||vincentagrafes.top^ +||vindicosuite.com^ +||vindictivegrabnautical.com^ +||vinegardaring.com^ +||vingartistictaste.com^ +||vinosedermol.com^ +||vintageperk.com^ +||vintagerespectful.com^ +||vinyfilmdom.com^ +||violationphysics.click^ +||violationphysics.com^ +||violationspoonconfront.com^ +||violencegloss.com^ +||violentelitistbakery.com^ +||violentinduce.com^ +||violentlybredbusy.com^ +||violet-strip.pro^ +||violetlovelines.com^ +||violinboot.com^ +||violinmode.com^ +||vionito.com^ +||vip-datings.life^ +||vip-vip-vup.com^ +||vipads.live^ +||vipcpms.com^ +||viperishly.com^ +||vipicmou.net^ +||viral481.com^ +||viral782.com^ +||viralcpm.com^ +||viralmediatech.com^ +||viralnewsobserver.com^ +||viralnewssystems.com^ +||vireshrill.top^ +||virgalocust.shop^ +||virgenomisms.shop^ +||virgindisguisearguments.com^ +||virginityneutralsouls.com^ +||virginitystudentsperson.com^ +||virtualbrush.site^ +||virtuallythanksgivinganchovy.com^ +||virtualroecrisis.com^ +||virtue1266.fun^ +||virtuereins.com^ +||virtuousescape.pro^ +||visariomedia.com^ +||viscountquality.com^ +||viscusumgang.shop^ +||visfirst.com^ +||visiads.com^ +||visibilitycrochetreflected.com^ +||visibleevil.com^ +||visiblegains.com^ +||visiblejoseph.com^ +||visiblemeasures.com^ +||visiblyhiemal.shop^ +||visionchillystatus.com^ +||visitcrispgrass.com^ +||visitedquarrelsomemeant.com^ +||visiterpoints.com^ +||visithaunting.com^ +||visitingheedlessexamine.com^ +||visitingpurrplight.com^ +||visitormarcoliver.com^ +||visitpipe.com^ +||visitstats.com^ +||visitstrack.com^ +||visitswigspittle.com^ +||visitweb.com^ +||visoadroursu.com^ +||vistaarts.site^ +||vistaarts.xyz^ +||vistalacrux.click^ +||vistoolr.net^ +||vitaminalcove.com^ +||vitaminlease.com^ +||vitiumcranker.com^ +||vitor304apt.com^ +||vitrealresewn.shop^ +||viurl.fun^ +||vivaxhouvari.shop^ +||viviendoefelizz.online^ +||viwjsp.info^ +||viwvamotrnu.com^ +||vizierspavan.com^ +||vizoalygrenn.com^ +||vizofnwufqme.com^ +||vizoredcheerly.com^ +||vizpwsh.com^ +||vjdciu.com^ +||vjlyljbjjmley.top^ +||vjugz.com^ +||vkeagmfz.com^ +||vkebctjkr.com^ +||vkgtrack.com^ +||vkhrhbjsnypu.com^ +||vknrfwwxhxaxupqp.pro^ +||vksphze.com^ +||vkv2nodv.xyz^ +||vleigearman.com^ +||vlitag.com^ +||vlkmcpnfo.com^ +||vlkvchof.com^ +||vllsour.com^ +||vlnk.me^ +||vlry5l4j5gbn.com^ +||vltjnmkps.xyz^ +||vm8lm1vp.xyz^ +||vmauw.space^ +||vmkdfdjsnujy.xyz^ +||vmkoqak.com^ +||vmmcdn.com^ +||vmring.cc^ +||vmuid.com^ +||vmvajwc.com^ +||vndcrknbh.xyz^ +||vnie0kj3.cfd^ +||vnpxxrqlhpre.com^ +||vnrdmijgkcgmwu.com^ +||vnrherdsxr.com^ +||vntsm.com^ +||vntsm.io^ +||voapozol.com^ +||vocalreverencepester.com^ +||vocationalenquired.com^ +||vodlpsf.com^ +||vodobyve.pro^ +||vohqpgsdn.xyz^ +||voicebeddingtaint.com^ +||voicedstart.com^ +||voicepainlessdonut.com^ +||voicepeaches.com^ +||voicepythons.shop^ +||voicerdefeats.com^ +||voidmodificationdough.com^ +||vokaunget.xyz^ +||volapiepalped.com^ +||volatintptr.com^ +||volcanoexhibitmeaning.com^ +||volcanostricken.com^ +||voldarinis.com^ +||volform.online^ +||volleyballachiever.site^ +||volopi.cfd^ +||volumedpageboy.com^ +||volumesundue.com^ +||voluminouscopy.pro^ +||voluminoussoup.pro^ +||volumntime.com^ +||voluntarilydale.com^ +||voluntarilylease.com^ +||volunteerbrash.com^ +||volunteerpiled.com^ +||voluumtracker.com^ +||voluumtrk.com^ +||voluumtrk3.com^ +||volyze.com^ +||vomitsuite.com^ +||vonkol.com^ +||vooculok.com^ +||vooodkabelochkaa.com^ +||voopaicheba.com^ +||voopsookie.net^ +||vooptikoph.net^ +||vooshagy.net^ +||vootapoago.com^ +||voovoacivoa.net^ +||voredi.com^ +||vorougna.com^ +||vossulekuk.com^ +||voteclassicscocktail.com^ +||vothongeey.net^ +||votinginvolvingeyesight.com^ +||vouchanalysistonight.com^ +||voucoapoo.com^ +||voudl.club^ +||vougaipte.net^ +||vounesto.com^ +||vouwhowhaca.net^ +||vowelparttimegraceless.com^ +||voxar.xyz^ +||voxfind.com^ +||voyageschoolanymore.com^ +||voyagessansei.com^ +||vpbpb.com^ +||vpico.com^ +||vpipi.com^ +||vplgggd.com^ +||vpn-defend.com^ +||vpn-offers.info^ +||vpnlist.to^ +||vpnonly.site^ +||vpop2.com^ +||vprtrfc.com^ +||vptbn.com^ +||vpuaklat.com^ +||vpumfeghiall.com^ +||vqfumxea.com^ +||vqonjcnsl.com^ +||vrcjleonnurifjy.xyz^ +||vrcvuqtijiwgemi.com^ +||vrgvugostlyhewo.info^ +||vrime.xyz^ +||vrizead.com^ +||vroomedbedroll.shop^ +||vrplynsfcr.xyz^ +||vrtzads.com^ +||vrvxovgj.xyz^ +||vs3.com^ +||vscinyke.com^ +||vsftsyriv.com^ +||vsgyfixkbow.com^ +||vshzouj.com^ +||vsmokhklbw.com^ +||vstserv.com^ +||vstvstsa.com^ +||vstvstsaq.com^ +||vtabnalp.net^ +||vteflygt.com^ +||vtetishcijmi.com^ +||vtftijvus.xyz^ +||vtipsgwmhwflc.com^ +||vtoajoyxqicss.com^ +||vtveyowwjvz.com^ +||vtydavos.com^ +||vu-kgxwyxpr.online^ +||vudaiksaidy.com^ +||vudkgwfk.xyz^ +||vudoutch.com^ +||vufaurgoojoats.net^ +||vufsqwipynwjp.com^ +||vuftouks.com^ +||vufzuld.com^ +||vugloubeky.net^ +||vugnubier.com^ +||vugpakba.com^ +||vuidccfq.life^ +||vuiluaz.xyz^ +||vulgarmilletappear.com^ +||vulnerablebreakerstrong.com^ +||vulnerablepeevestendon.com^ +||vulsubsaugrourg.net^ +||vuohztiwpwqd.com^ +||vupoupay.com^ +||vupteerairs.net^ +||vuqcteyi.com^ +||vuqufo.uno^ +||vursoofte.net^ +||vuvacu.xyz^ +||vuvcroguwtuk.com^ +||vv8h9vyjgnst.com^ +||vvehvch.com^ +||vvpojbsibm.xyz^ +||vvprcztaw.com^ +||vvvvdbrrt.com^ +||vwagkipi.com^ +||vwchbsoukeq.xyz^ +||vwegihahkos.com^ +||vwinagptucpa.com^ +||vwioxxra.com^ +||vwpttkoh.xyz^ +||vwuiefsgtvixw.xyz^ +||vwwzygltq.com^ +||vxfxkhzdaa.com^ +||vxorjza.com^ +||vyebzzbovvorz.top^ +||vyfrxuytzn.com^ +||vyxanrtgkrbsbl.com^ +||vz.7vid.net^ +||vzeakntvvkc.one^ +||vzigttqgqx.com^ +||vzoarcomvorz.com^ +||vztlivv.com^ +||w-gbttkri.global^ +||w0we.com^ +||w3exit.com^ +||w3plywbd72pf.com^ +||w4.com^ +||w454n74qw.com^ +||w55c.net^ +||waazgwojnfqx.life^ +||wadauthy.net^ +||waescyne.com^ +||waeshana.com^ +||wafflesquaking.com^ +||wafmedia6.com^ +||waframedia5.com^ +||wagenerfevers.com^ +||wagerjoint.com^ +||wagerprocuratorantiterrorist.com^ +||wagershare.com^ +||wagersinging.com^ +||waggonerchildrensurly.com^ +||wagroyalcrap.com^ +||wagtelly.com^ +||wahoha.com^ +||waigriwa.xyz^ +||wailoageebivy.net^ +||waisheph.com^ +||waistcoataskeddone.com^ +||waisterisabel.com^ +||wait4hour.info^ +||waitedprowess.com^ +||waitheja.net^ +||waiting.biz^ +||waitumaiwy.xyz^ +||waiwiboonubaup.xyz^ +||wakemessyantenna.com^ +||wakenprecox.com^ +||wakenssponged.com^ +||walhe-dap.com^ +||walkedcreak.com^ +||walkerbayonet.com^ +||walkinggruff.com^ +||walkingtutor.com^ +||walknotice.com^ +||wallacehoneycombdry.com^ +||wallacelaurie.com^ +||walletbrutallyredhead.com^ +||wallowwholi.info^ +||wallowwholikedto.info^ +||wallpapersfacts.com^ +||wallstrads.com^ +||waltzersurvise.com^ +||waltzprescriptionplate.com^ +||wanalnatnwto.com^ +||wanderingchimneypainting.com^ +||wangfenxi.com^ +||wangrocery.pro^ +||wanintrudeabbey.com^ +||wanlyavower.com^ +||wannessdebus.com^ +||wanodtbfif.com^ +||wansafeguard.com^ +||wansultoud.com^ +||want-s0me-push.net^ +||want-some-psh.com^ +||want-some-push.net^ +||wantedjeff.com^ +||wantingunmovedhandled.com^ +||wantopticalfreelance.com^ +||wapbaze.com^ +||waptrick.com^ +||waqool.com^ +||wardagecouched.shop^ +||wardhunterwaggoner.com^ +||warehouseassistedsprung.com^ +||warehousecanneddental.com^ +||warehousestoragesparkling.com^ +||warfarerewrite.com^ +||wargfybaqc.com^ +||warilycommercialconstitutional.com^ +||warilydigestionauction.com^ +||warindifferent.com^ +||warliketruck.com^ +||warlockstallioniso.com^ +||warlockstudent.com^ +||warm-course.pro^ +||warmerdisembark.com^ +||warnmessage.com^ +||warnothnayword.shop^ +||warped-bus.com^ +||warrantpiece.com^ +||warriorflowsweater.com^ +||warsabnormality.com^ +||warscoltmarvellous.com^ +||warumbistdusoarm.space^ +||warwickgph.top^ +||wary-corner.com^ +||warycsrm.com^ +||wasanasosetto.com^ +||washedgrimlyhill.com^ +||washingchew.com^ +||washingoccasionally.com^ +||wasoolekretche.xyz^ +||wasortg.com^ +||wasp-182b.com^ +||waspdiana.com^ +||waspilysagene.com^ +||waspishoverhear.com^ +||wasqimet.net^ +||wastecaleb.com^ +||wastedclassmatemay.com^ +||wastedinvaluable.com^ +||wastefuljellyyonder.com^ +||watch-now.club^ +||watchcpm.com^ +||watcheraddictedpatronize.com^ +||watcherdisastrous.com^ +||watcherworkingbrand.com^ +||watchespounceinvolving.com^ +||watchesthereupon.com^ +||watchingthat.com^ +||watchingthat.net^ +||watchlivesports4k.club^ +||watchmarinerflint.com^ +||watchmytopapp.top^ +||watchthistop.net^ +||waterfallblessregards.com^ +||waterfallchequeomnipotent.com^ +||waterfrontdisgustingvest.com^ +||wateryzapsandwich.com^ +||watwait.com^ +||waubibubaiz.com^ +||waudeesestew.com^ +||waufooke.com^ +||waughyakalo.top^ +||waugique.net^ +||wauglauthoawoa.net^ +||waujigarailo.net^ +||wauroufu.net^ +||waust.at^ +||wauthaik.net^ +||wavauphaiw.xyz^ +||wavedfrailentice.com^ +||wavedprincipal.com^ +||waveelectbarn.com^ +||waverdisembroildisembroildeluge.com^ +||waxapushlite.com^ +||waxworksprotectivesuffice.com^ +||wayfarerfiddle.com^ +||wayfgwbipgiz.com^ +||waymarkgentiin.com^ +||waymentriddel.com^ +||wazaki.xyz^ +||wazctigribhy.com^ +||wazoceckoo.net^ +||wazzeyzlobbj.top^ +||wbdds.com^ +||wbdqwpu.com^ +||wbidder.online^ +||wbidder2.com^ +||wbidder3.com^ +||wbidder311072023.com^ +||wbidder4.com^ +||wbidr.com^ +||wbilvnmool.com^ +||wbkfklsl.com^ +||wboptim.online^ +||wboux.com^ +||wbowoheflewroun.info^ +||wbsads.com^ +||wcaahlqr.xyz^ +||wcadfvvwbbw.xyz^ +||wcbxugtfk.com^ +||wcgcddncqveiqia.xyz^ +||wcigmepzygad.com^ +||wcmcs.net^ +||wcnhhqqueu.com^ +||wcoaswaxkrt.com^ +||wcpltnaoivwob.xyz^ +||wcqtgwsxur.xyz^ +||wct.link^ +||wcuolmojkzir.com^ +||wdavrzv.com^ +||wdohhlagnjzi.com^ +||wdqrmaro.com^ +||wdt9iaspfv3o.com^ +||wduqxbvhpwd.xyz^ +||weakcompromise.com^ +||wealthextend.com^ +||wealthsgraphis.com^ +||wealthyonsethelpless.com^ +||weanyergravely.com^ +||weaponsnondescriptperceive.com^ +||wearbald.care^ +||wearevaporatewhip.com^ +||wearisomeexertiontales.com^ +||wearyvolcano.com^ +||weaselabsolute.com^ +||weaselmicroscope.com^ +||weathercockr.com^ +||weatherplllatform.com^ +||weatherstumphrs.com^ +||weaveradrenaline.com^ +||weayrvveooomw.top^ +||web-guardian.xyz^ +||web-hosts.io^ +||web-protection-app.com^ +||web-security.cloud^ +||web0.eu^ +||webads.co.nz^ +||webads.media^ +||webadserver.net^ +||webair.com^ +||webassembly.stream^ +||webatam.com^ +||webcampromo.com^ +||webcampromotions.com^ +||webclickengine.com^ +||webclickmanager.com^ +||webcontentassessor.com^ +||webeyelaguna.shop^ +||webfanclub.com^ +||webfreesave.monster^ +||webmedrtb.com^ +||webpinp.com^ +||webpushcloud.info^ +||webquizspot.com^ +||webscouldlearnof.info^ +||webseeds.com^ +||websitepromoserver.com^ +||websphonedevprivacy.autos^ +||webstats1.com^ +||webstorestore.store^ +||webteaser.ru^ +||webtradehub.com^ +||wecontemptceasless.com^ +||wecouldle.com^ +||wedauspicy.com^ +||wedgierbirsit.com^ +||wednesdaynaked.com^ +||wednesdaywestern.com^ +||wedonhisdhiltew.info^ +||wee-intention.com^ +||weebipoo.com^ +||weedazou.net^ +||weednewspro.com^ +||weegraphooph.net^ +||weejaugest.net^ +||week1time.com^ +||weekendchinholds.com^ +||weensnandow.com^ +||weensydudler.com^ +||weephuwe.xyz^ +||weepingheartache.com^ +||weepingpretext.com^ +||weeprobbery.com^ +||weesatoothoamu.net^ +||weethery.com^ +||weeweesozoned.com^ +||weewhunoamo.xyz^ +||weezoptez.net^ +||wefoonsaidoo.com^ +||wegeeraitsou.xyz^ +||wegetpaid.net^ +||wegotmedia.com^ +||wehaveinourd.com^ +||weighssloughs.shop^ +||weightfeathersoffhand.com^ +||weinas.co.in^ +||weird-lab.pro^ +||weirddistribution.pro^ +||wejeestuze.net^ +||wel-wel-fie.com^ +||welcomeargument.com^ +||welcomememory.pro^ +||welcomeneat.pro^ +||welcomevaliant.com^ +||welcomingvigour.com^ +||welfarefit.com^ +||welfaremarsh.com^ +||welimiscast.com^ +||wellexpressionrumble.com^ +||wellhello.com^ +||welliesazoxime.com^ +||welllwrite.com^ +||wellmov.com^ +||wellpdy.com^ +||welrauns.top^ +||welved.com^ +||wembybuw.xyz^ +||wemmyoolakan.shop^ +||wemoustacherook.com^ +||wempeegnalto.com^ +||wempooboa.com^ +||wemtagoowhoohiz.net^ +||wendelstein-1b.com^ +||wenher.com^ +||weownthetraffic.com^ +||wepainsoaken.com^ +||werdolsolt.com^ +||weredthechild.info^ +||weredthechildre.com^ +||wereksbeforebut.info^ +||weremoiety.com^ +||wererxrzmp.com^ +||wersoorgaglaz.xyz^ +||werwolfloll.com^ +||weshooship.net^ +||wesicuros.com^ +||wesmallproclaim.com^ +||westcoa.com^ +||westernhungryadditions.com^ +||westernwhetherowen.com^ +||wet-maybe.pro^ +||wetlinepursuing.com^ +||wetnesstommer.com^ +||wetpeachcash.com^ +||wetsireoverload.com^ +||wevechinse.com^ +||wewaixor.com^ +||wewearegogogo.com^ +||wextap.com^ +||wfcs.lol^ +||wffbdim.com^ +||wfnetwork.com^ +||wfodwkk.com^ +||wfredir.net^ +||wg-aff.com^ +||wgchrrammzv.com^ +||wggqzhmnz.com^ +||wgnefmhwookdh.com^ +||wgvqa.club^ +||whackresolved.com^ +||whacmoltibsay.net^ +||whagrolt.com^ +||whaickeenie.xyz^ +||whaickossu.net^ +||whaidree.com^ +||whaidroansee.net^ +||whaijeezaugh.com^ +||whaijoorgoo.com^ +||whainger.com^ +||whainsairgi.net^ +||whairtoa.com^ +||whaitsaitch.com^ +||whaixoads.xyz^ +||whakoxauvoat.xyz^ +||whaleads.com^ +||whaleapartmenthumor.com^ +||whalems.com^ +||whalepeacockwailing.com^ +||whamauft.com^ +||whampamp.com^ +||whandpolista.com^ +||wharployn.com^ +||wharrownecia.com^ +||wharvemotet.com^ +||whateyesight.com^ +||whatisnewappforyou.top^ +||whatisuptodaynow.com^ +||whatredkm.com^ +||whatsoeverlittle.com^ +||whaudsur.net^ +||whauglorga.com^ +||whaukrimsaix.com^ +||whaunsockou.xyz^ +||whaurgoopou.com^ +||whautchaup.net^ +||whautsis.com^ +||whauvebul.com^ +||whazugho.com^ +||wheceelt.net^ +||whechypheshu.com^ +||wheegaulrie.net^ +||wheel-of-fortune-prod.com^ +||wheeledfunctionstruthfully.com^ +||wheelsbullyingindolent.com^ +||wheelscomfortlessrecruiting.com^ +||wheelsetsur.net^ +||wheelssightsdisappointed.com^ +||wheelstweakautopsy.com^ +||wheempet.xyz^ +||wheenacmuthi.com^ +||wheeptit.net^ +||wheeshoo.net^ +||whefookak.net^ +||whegnoangirt.net^ +||whehongu.com^ +||wheksuns.net^ +||whempine.xyz^ +||whencecrappylook.com^ +||whenceformationruby.com^ +||whencewaxworks.com^ +||whenolri.com^ +||where-to.shop^ +||where.com^ +||wherebyinstantly.com^ +||whereres.com^ +||whereuponcomicsraft.com^ +||wherevertogo.com^ +||wherticewhee.com^ +||wherunee.com^ +||whetin.com^ +||whhasymvi.com^ +||whiboubs.com^ +||whiceega.com^ +||whichcandiedhandgrip.com^ +||whidoutounseegn.xyz^ +||whidsugnoackili.net^ +||whileinferioryourself.com^ +||whilieesrogs.top^ +||whilroacix.com^ +||whilstrorty.com^ +||whimpercategory.com^ +||whimsicalcoat.com^ +||whinemalnutrition.com^ +||whippedfreezerbegun.com^ +||whiprayoutkill.com^ +||whirlclick.com^ +||whirltoes.com^ +||whirlwindofnews.com^ +||whirredbajau.com^ +||whishannuent.com^ +||whiskersbonnetcamping.com^ +||whiskerssituationdisturb.com^ +||whiskerssunflowertumbler.com^ +||whiskersthird.com^ +||whiskeydepositopinion.com^ +||whisperinflate.com^ +||whisperingauroras.com^ +||whisperofisaak.com^ +||whistledittyshrink.com^ +||whistledprocessedsplit.com^ +||whistlingbeau.com^ +||whistlingmoderate.com^ +||whistlingvowel.com^ +||whiteaccompanypreach.com^ +||whitenoisenews.com^ +||whitepark9.com^ +||whizzerrapiner.com^ +||whoaglouvawe.com^ +||whoansodroas.net^ +||whoavaud.net^ +||whoawhoug.com^ +||whoawoansoo.com^ +||wholeactualjournal.com^ +||wholeactualnewz.com^ +||wholecommonposts.com^ +||wholecoolposts.com^ +||wholecoolstories.com^ +||wholedailyfeed.com^ +||wholefreshposts.com^ +||wholehugewords.com^ +||wholenicenews.com^ +||wholewowblog.com^ +||whollyneedy.com^ +||whomcomposescientific.com^ +||whomspreadbeep.com^ +||whomsudsikaxu.com^ +||whoobaumpairto.xyz^ +||whoodiksaglels.net^ +||whookrair.xyz^ +||whookroo.com^ +||whoomseezesh.com^ +||whoopblew.com^ +||whoostoo.net^ +||whootitoukrol.net^ +||whoppercreaky.com^ +||whoptoorsaub.com^ +||whotsirs.net^ +||whoulikaihe.net^ +||whoumpouks.net^ +||whoumtefie.com^ +||whoumtip.xyz^ +||whounoag.xyz^ +||whounsou.com^ +||whouptoomsy.net^ +||whourgie.com^ +||whouroazu.net^ +||whoursie.com^ +||whouseem.com^ +||whouvoart.com^ +||whowhipi.net^ +||whqxqwy.com^ +||whubouzees.com^ +||whudroots.net^ +||whufteekoam.com^ +||whugeestauva.com^ +||whugesto.net^ +||whulrima.xyz^ +||whulsaux.com^ +||whunpainty.com^ +||whupsoza.xyz^ +||whutchey.com^ +||whuzucot.net^ +||whyl-laz-i-264.site^ +||whywolveshowl.com^ +||wibtntmvox.com^ +||wicdn.cloud^ +||wickedhumankindbarrel.com^ +||wicopymastery.com^ +||wideaplentyinsurance.com^ +||wideeyed-painting.com^ +||widerdaydream.com^ +||widerperspire.com^ +||widerrose.com^ +||widgetbucks.com^ +||widgetly.com^ +||widiaoexhe.top^ +||widow5blackfr.com^ +||widrelroalrie.net^ +||widthovercomerecentrecent.com^ +||wifegraduallyclank.com^ +||wifescamara.click^ +||wifeverticallywoodland.com^ +||wigetmedia.com^ +||wiggledeteriorate.com^ +||wigrooglie.net^ +||wigsynthesis.com^ +||wikbdhq.com^ +||wild-plant.pro^ +||wildedbarley.com^ +||wildestduplicate.com^ +||wildestelf.com^ +||wildhookups.com^ +||wildlifefallinfluenced.com^ +||wildlifesolemnlyrecords.com^ +||wildmatch.com^ +||wildxxxparties.com^ +||wilfridjargonby.com^ +||wilfulknives.com^ +||wilfulsatisfaction.com^ +||williamfaxarts.com^ +||williamporterlilac.com^ +||williednb.com^ +||willowantibiotic.com^ +||willtissuetank.com^ +||wilrimowpaml.com^ +||wilslide.com^ +||wiltaustaug.com^ +||wimblesmurgavi.top^ +||wimpthirtyarrears.com^ +||win-bidding.com^ +||winbestprizess.info^ +||winbuyer.com^ +||windfallcleaningarrange.com^ +||windindelicateexclusive.com^ +||windingnegotiation.com^ +||windingsynonym.com^ +||windlebrogues.com^ +||windowsaura.com^ +||windowsuseful.com^ +||windrightyshade.com^ +||windsplay.com^ +||windsuredine.shop^ +||windymissphantom.com^ +||winecolonistbaptize.com^ +||wineinstaller.com^ +||winewiden.com^ +||wingads.com^ +||wingerssetiger.com^ +||wingjav11.fun^ +||wingoodprize.life^ +||wingselastic.com^ +||wingstoesassemble.com^ +||winkexpandingsleigh.com^ +||winneradsmedia.com^ +||winnersolutions.net^ +||winningorphan.com^ +||winori.xyz^ +||winpbn.com^ +||winr.online^ +||winsaijoacoo.net^ +||winsimpleprizes.life^ +||winslinks.com^ +||winternewsnow.name^ +||winterolivia.com^ +||wintjaywolf.org^ +||wintrck.com^ +||wipedhypocrite.com^ +||wipeilluminationlocomotive.com^ +||wipepeepcyclist.com^ +||wipowaxe.com^ +||wiremembership.com^ +||wirenth.com^ +||wiringsensitivecontents.com^ +||wirsilsa.net^ +||wirtooxoajet.net^ +||wisfriendshad.info^ +||wishesantennarightfully.com^ +||wishjus.com^ +||wishoblivionfinished.com^ +||wishoutergrown.com^ +||wister.biz^ +||witalfieldt.com^ +||witasix.com^ +||withblaockbr.org^ +||withdrawcosmicabundant.com^ +||withdrawdose.com^ +||withdrawwantssheep.com^ +||withdrewparliamentwatery.com^ +||withenvisagehurt.com^ +||withholdrise.com^ +||withmefeyaukn.com^ +||withmefeyaukna.com^ +||withnimmunger.com^ +||withyouryret.com^ +||withyouryretye.info^ +||witnessedcompany.com^ +||witnessedworkerplaid.com^ +||witnessjacket.com^ +||witnessremovalsoccer.com^ +||witnesssellingoranges.com^ +||witnesssimilarindoors.com^ +||wittilyfrogleg.com^ +||wivtuhoftat.com^ +||wiwarrkazg.com^ +||wizardscharityvisa.com^ +||wizardunstablecommissioner.com^ +||wizkrdxivl.com^ +||wizssgf.com^ +||wjct3s8at.com^ +||wjljwqbmmjaqz.top^ +||wjqssnujrbyu.com^ +||wjtzvvdqvfjd.com^ +||wjvavwjyaso.com^ +||wka4jursurf6.com^ +||wkblbmrdkox.com^ +||wkcwtmsbrmbka.com^ +||wkoocuweg.com^ +||wkpgetvhidtj.com^ +||wkqcnkstso.com^ +||wkvpvglcjsagi.xyz^ +||wkwqljwykorov.top^ +||wl-cornholio.com^ +||wlafx4trk.com^ +||wlen1bty92.pro^ +||wllqotfmkhlhx.xyz^ +||wlrkcefll.com^ +||wlyfiii.com^ +||wlzzwzekkbkaj.top^ +||wma.io^ +||wmadmht.com^ +||wmaoxrk.com^ +||wmbbsat.com^ +||wmccd.com^ +||wmcdct.com^ +||wmcdpt.com^ +||wmdzefk.com^ +||wmeqobozarbjm.top^ +||wmgtr.com^ +||wmlollmokyaak.top^ +||wmmbcwzd24bk.shop^ +||wmnnjfe.com^ +||wmober.com^ +||wmpevgwd.com^ +||wmpset.com^ +||wmptcd.com^ +||wmptctl.com^ +||wmpted.com^ +||wmptengate.com^ +||wmptpr.com^ +||wmpuem.com^ +||wmtten.com^ +||wmudsraxwj.xyz^ +||wmwwmbjkqomr.top^ +||wmzlbovyjrzmr.top^ +||wnjjhksaue.com^ +||wnp.com^ +||wnrusisedprivatedq.info^ +||wnrvrwabnxa.com^ +||wnt-s0me-push.net^ +||wnt-some-psh.net^ +||wnt-some-push.com^ +||wnt-some-push.net^ +||wnvdgegsjoqoe.xyz^ +||woafoame.net^ +||woagroopsek.com^ +||woaneezy.com^ +||woaniphud.com^ +||woapheer.com^ +||woapimaugu.net^ +||woareejoaley.net^ +||wocwibkfutrj.com^ +||woefifty.com^ +||woespoke.com^ +||woevr.com^ +||wofgtbofyaslp.com^ +||wogglehydrae.com^ +||wokenoptionalcohabit.com^ +||wokeshootdisreputable.com^ +||wokm8isd4zit.com^ +||wokseephishopty.net^ +||wolaufie.com^ +||wollycanoing.com^ +||wolqundera.com^ +||wolsretet.net^ +||wolve.pro^ +||womadsmart.com^ +||womangathering.com^ +||wombalayah.com^ +||wombierfloc.com^ +||wombjingle.com^ +||womenvocationanxious.com^ +||womerasecocide.com^ +||woncherish.com^ +||wonconsists.com^ +||wondefulapplend.com^ +||wonderanticipateclear.com^ +||wonderfulstatu.info^ +||wonderhsjnsd.com^ +||wonderlandads.com^ +||woneguess.click^ +||wonfigfig.com^ +||wongahmalta.com^ +||wonigiwurtounsu.xyz^ +||wonnauseouswheel.com^ +||wooballast.com^ +||woodbeesdainty.com^ +||woodejou.net^ +||woodenguardsheartburn.com^ +||woodlandanyone.com^ +||woodlandsmonthlyelated.com^ +||woodlotrubato.com^ +||woodygloatneigh.com^ +||woodymotherhood.com^ +||woogoust.com^ +||woolenabled.com^ +||woollensimplicity.com^ +||woollenthawewe.com^ +||woollouder.com^ +||woopeekip.com^ +||wootmedia.net^ +||woovoree.net^ +||wopsedoaltuwipp.com^ +||wopsedoaltuwn.com^ +||wopsedoaltuwo.com^ +||wopsedoaltuwp.com^ +||wordfence.me^ +||wordpersonify.com^ +||wordsnought.com^ +||wordyhall.pro^ +||wordyjoke.pro^ +||woreensurelee.com^ +||worehumbug.com^ +||worersie.com^ +||workback.net^ +||workedqtam.com^ +||workedworlds.com^ +||workerprogrammestenderly.com^ +||workplacenotchperpetual.com^ +||workroommarriage.com^ +||worldactualstories.com^ +||worldbestposts.com^ +||worldbusiness.life^ +||worldcommonwords.com^ +||worldfreshblog.com^ +||worldglobalssp.xyz^ +||worldlyyouth.com^ +||worldpraisedcloud.com^ +||worldsportlife.com^ +||worldswanmixed.com^ +||worldtimes2.xyz^ +||worldtraffic.trade^ +||worldwidemailer.com^ +||worlowedonhi.info^ +||wormdehydratedaeroplane.com^ +||wormsunflame.com^ +||wornie.com^ +||wornshoppingenvironment.com^ +||worritsmahra.com^ +||worryingonto.com^ +||worshipstubborn.com^ +||worst-zone.pro^ +||worstgoodnightrumble.com^ +||worstideatum.com^ +||worstspotchafe.com^ +||worthlesspattern.com^ +||worthlessstrings.com^ +||worthspontaneous.com^ +||worthwhile-science.pro^ +||worthwhile-wash.com^ +||worthylighteravert.com^ +||wotihxqbdrbmk.xyz^ +||woudaufe.net^ +||wouhikeelichoo.net^ +||woujaupi.xyz^ +||woujoami.com^ +||woulddecade.com^ +||wouldlikukemyf.info^ +||wouldmakefea.com^ +||wouldmakefea.org^ +||wouldmakefeagre.info^ +||wouldmeukeuk.com^ +||wouldtalkbust.com^ +||woupsucheerar.net^ +||woushucaug.com^ +||wovensur.com^ +||wow-click.click^ +||wowcalmnessdumb.com^ +||wowlnk.com^ +||wowoajouptie.xyz^ +||wowoghoakru.net^ +||wowrapidly.com^ +||wowreality.info^ +||wowshortvideos.com^ +||wp3advesting.com^ +||wpadmngr.com^ +||wparcunnv.xyz^ +||wpcjyxwdsu.xyz^ +||wpfly-sbpkrd.icu^ +||wpiajkniqnty.com^ +||wpncdn.com^ +||wpnetwork.eu^ +||wpnjs.com^ +||wpnrtnmrewunrtok.xyz^ +||wpnsrv.com^ +||wpshsdk.com^ +||wpsmcns.com^ +||wpu.sh^ +||wpush.org^ +||wpushorg.com^ +||wqikubjktp.xyz^ +||wqjzajr.com^ +||wqlnfrxnp.xyz^ +||wqorxfp.com^ +||wqzqoobqpubx.com^ +||wqzyxxrrep.com^ +||wraithymessmen.com^ +||wraithyupswept.shop^ +||wrapdime.com^ +||wrappeddimensionimpression.com^ +||wrappedhalfwayfunction.com^ +||wrappedproduct.com^ +||wrathful-alternative.com^ +||wrathyblesmol.com^ +||wreaksyolkier.com^ +||wreathabble.com^ +||wreckonturr.info^ +||wrenterritory.com^ +||wrestcut.com^ +||wretched-confusion.com^ +||wretchedbomb.com^ +||wretcheddrunkard.com^ +||wrevenuewasadi.com^ +||wrgjbsjxb.xyz^ +||wringdecorate.com^ +||wrinkleinworn.shop^ +||wrinkleirritateoverrated.com^ +||wristhunknagging.com^ +||wristtrunkpublication.com^ +||writeestatal.space^ +||writhehawm.com^ +||writingwhine.com^ +||wrongwayfarer.com^ +||wroteeasel.com^ +||wrrlidnlerx.com^ +||wrufer.com^ +||ws5ujgqkp.com^ +||ws67eqwwp.pro^ +||wsafeguardpush.com^ +||wsaidthemathe.info^ +||wscnlcuwtxxaja.com^ +||wsjlbbqemr23.com^ +||wsmobltyhs.com^ +||wsokomw.com^ +||wsoldiyajjufmvk.xyz^ +||wspsbhvnjk.com^ +||wstyruafypihv.xyz^ +||wt20trk.com^ +||wtcysmm.com^ +||wtg-ads.com^ +||wthbjrj.com^ +||wtmhwnv.com^ +||wtpmulljv.com^ +||wtyankriwnza.com^ +||wuchaurteed.com^ +||wuci1.xyz^ +||wuckaity.com^ +||wuczmaorkqaz.com^ +||wudr.net^ +||wuefmls.com^ +||wugoughurtaitsu.net^ +||wugroansaghadry.com^ +||wumufama.com^ +||wunishamjch.com^ +||wuporg.com^ +||wurqaz.com^ +||wussucko.com^ +||wutseelo.xyz^ +||wuujae.com^ +||wuwhaigri.xyz^ +||wuxlvvcv.com^ +||wuzbhjpvsf.com^ +||wvboajjti.com^ +||wvfhosisdsl.xyz^ +||wvhba6470p.com^ +||wvtynme.com^ +||wvubihtrc.com^ +||wvvkxni.com^ +||wvwjdrli.com^ +||wvy-ctvjoon.xyz^ +||ww2.imgadult.com^ +||ww2.imgtaxi.com^ +||ww2.imgwallet.com^ +||wwaeljajwvlrw.top^ +||wwaowwonthco.com^ +||wwarvlorkeww.top^ +||wwfx.xyz^ +||wwhnjrg.com^ +||wwija.com^ +||wwjnoafuexamtg.com^ +||wwkedpbh4lwdmq16okwhiteiim9nwpds2.com^ +||wwllfxt.com^ +||wworqxftyexcmb.xyz^ +||wwow.xyz^ +||wwoww.xyz^ +||wwowww.xyz^ +||wwpon365.ru^ +||wwqssmg.com^ +||wwvxdhbmlqcgk.xyz^ +||wwwadcntr.com^ +||wwwowww.xyz^ +||wwwpromoter.com^ +||wwwwzeraqvrej.top^ +||wxhiojortldjyegtkx.bid^ +||wxqbopca-i.global^ +||wxseedslpi.com^ +||wxzjxasvczjoh.com^ +||wyeczfx.com^ +||wyglyvaso.com^ +||wyhifdpatl.com^ +||wyjjqoqlfjtbbr.com^ +||wyjkqvtgwmjqb.xyz^ +||wymymep.com^ +||wynather.com^ +||wynvalur.com^ +||wyrockraptest.shop^ +||wysasys.com^ +||wyvlljvbbjvvm.top^ +||wywkwqqvbvyvr.top^ +||wzcuinglezyz.one^ +||wzk5ndpc3x05.com^ +||wzlbhfldl.com^ +||wzxty168.com^ +||x-jmezfjpjt.today^ +||x-zjxfhysb.love^ +||x011bt.com^ +||x2tsa.com^ +||x4pollyxxpush.com^ +||x7r3mk6ldr.com^ +||xad.com^ +||xadcentral.com^ +||xads.top^ +||xadsmart.com^ +||xaea12play.xyz^ +||xahttwmfmyji.com^ +||xalienstreamx.com^ +||xameleonads.com^ +||xapads.com^ +||xarvilo.com^ +||xavitithnga.buzz^ +||xawlop.com^ +||xaxoro.com^ +||xaxrtiahkft.com^ +||xazojei-z.top^ +||xbc8fsvo5w75wwx8.pro^ +||xbtjupfy.xyz^ +||xbuycgcae.com^ +||xbxmdlosph.xyz^ +||xbyeerhl.com^ +||xcdkxayfqe.com^ +||xcec.ru^ +||xcelltech.com^ +||xcelsiusadserver.com^ +||xcinilwpypp.com^ +||xclicks.net^ +||xcmalrknnt.com^ +||xcowuheclvwryh.com^ +||xcuffrzha.com^ +||xcvrdyjthpep.com^ +||xcxbqohm.xyz^ +||xder1.fun^ +||xder1.online^ +||xdfrdcuiug.com^ +||xdgelyt.com^ +||xdirectx.com^ +||xdisplay.site^ +||xdiwbc.com^ +||xdmanage.com^ +||xdownloadright.com^ +||xebadu.com^ +||xegluwate.com^ +||xel-xel-fie.com^ +||xelllwrite.com^ +||xeltq.com^ +||xemiro.uno^ +||xenylclio.com^ +||xeoprwhhiuig.xyz^ +||xevbjycybvb.xyz^ +||xfdmihlzrmks.com^ +||xfileload.com^ +||xfohaxohrjr.com^ +||xfwblpomxc.com^ +||xfxssqakis.com^ +||xg-jbpmnru.online^ +||xgdljiasdo.xyz^ +||xgihlgcfuu.com^ +||xgokhtmizpgj.com^ +||xgraph.net^ +||xgroserhkug.com^ +||xgtfptm.com^ +||xhcouznqwhwas.com^ +||xhhaakxn.xyz^ +||xholinqbbicfk.com^ +||xhulafpup.com^ +||xhvaqgs.com^ +||xhwwcif.com^ +||xhzz3moj1dsd.com^ +||xijgedjgg5f55.com^ +||ximybkpxwu.com^ +||xineday.com^ +||xipteq.com^ +||xiqougw.com^ +||xitesa.uno^ +||xjefqrxric.com^ +||xjfqqyrcz.com^ +||xjgilqkymq.com^ +||xjincmbrulchml.xyz^ +||xjkhaow.com^ +||xjlqybkll.com^ +||xjrwxfdphc.com^ +||xjsx.lol^ +||xjupijxdt.xyz^ +||xkacs5av.xyz^ +||xkbgqducppuan.xyz^ +||xkejsns.com^ +||xkesalwueyz.com^ +||xkowcsl.com^ +||xkpbcd.com^ +||xksqb.com^ +||xktxemf.com^ +||xkwwnle.com^ +||xlarixmmdvr.xyz^ +||xlifcbyihnhvmcy.xyz^ +||xliirdr.com^ +||xlirdr.com^ +||xlivesex.com^ +||xlivesucces.com^ +||xlivesucces.world^ +||xlivrdr.com^ +||xlrdr.com^ +||xlrm-tech.com^ +||xlviiirdr.com^ +||xlviirdr.com^ +||xlvirdr.com^ +||xmas-xmas-wow.com^ +||xmaswrite.com^ +||xmediaserve.com^ +||xmegaxvideox.com^ +||xml-api.online^ +||xml-clickurl.com^ +||xmladserver.com^ +||xmlap.com^ +||xmlapiclickredirect.com^ +||xmlgrab.com^ +||xmlking.com^ +||xmllover.com^ +||xmlppcbuzz.com^ +||xmlrtb.com^ +||xmlwiz.com^ +||xms.lol^ +||xmsflzmygw.com^ +||xnrowzw.com^ +||xoalt.com^ +||xoarmpftxu.com^ +||xoilactv123.gdn^ +||xoilactvcj.cc^ +||xolen.xyz^ +||xovdrxkog.xyz^ +||xoyrxawri.com^ +||xpollo.com^ +||xporn.in^ +||xppedxgjxcajuae.xyz^ +||xpxsfejcf.com^ +||xqdbitceeeixnw.com^ +||xqeoitqw.site^ +||xqmvzmt.com^ +||xqwcryh.com^ +||xragnfrjhiqep.xyz^ +||xrpikxtnmvcm.com^ +||xrrdi.com^ +||xruolsogwsi.com^ +||xskctff.com^ +||xsrs.com^ +||xstreamsoftwar3x.com^ +||xszcdn.com^ +||xszpuvwr7.com^ +||xtalfuwcxh.com^ +||xtepjbjncast.com^ +||xtrackme.com^ +||xtraserp.com^ +||xtremeserve.xyz^ +||xtremeviewing.com^ +||xtroglobal.com^ +||xttaff.com^ +||xtvrgxbiteit.xyz^ +||xubcnzfex.com^ +||xucashntaghy.com^ +||xueserverhost.com^ +||xuhabkmwro.com^ +||xuiqxlhqyo.com^ +||xukpqemfs.com^ +||xuqza.com^ +||xvbwvle.com^ +||xvfyubhqjp.xyz^ +||xvhgtyvpaav.xyz^ +||xvideos00.sbs^ +||xviperonec.com^ +||xvkimksh.com^ +||xvpqmcgf.com^ +||xvuslink.com^ +||xvvsnnciengskyx.xyz^ +||xvzyyzix.com^ +||xwagtyhujov.com^ +||xwdplfo.com^ +||xwlketvkzf.com^ +||xwqea.com^ +||xwqvytuiko.com^ +||xwvduxeiuv.com^ +||xwymrixpkwq.com^ +||xwzbpkku-i.site^ +||xx-umomfzqik.today^ +||xxccdshj.com^ +||xxdfexbwv.top^ +||xxe2.com^ +||xxivzamarra.shop^ +||xxltr.com^ +||xxxbannerswap.com^ +||xxxex.com^ +||xxxiijmp.com^ +||xxxijmp.com^ +||xxxivjmp.com^ +||xxxjmp.com^ +||xxxmyself.com^ +||xxxnewvideos.com^ +||xxxoh.com^ +||xxxrevpushclcdu.com^ +||xxxviijmp.com^ +||xxxvijmp.com^ +||xxxvjmp.com^ +||xxxwebtraffic.com^ +||xxyrgvielmehx.com^ +||xycstlfoagh.xyz^ +||xydbpbnmo.com^ +||xylidinzeuxite.shop^ +||xylomavivat.com^ +||xyooepktyy.xyz^ +||xysgfqnara.xyz^ +||xyxz.site^ +||xyz0k4gfs.xyz^ +||xzezapozghp.com^ +||xzqpz.com^ +||xzvdfjp.com^ +||y06ney2v.xyz^ +||y1jxiqds7v.com^ +||y1zoxngxp.com^ +||y8z5nv0slz06vj2k5vh6akv7dj2c8aj62zhj2v7zj8vp0zq7fj2gf4mv6zsb.me^ +||yackvidette.com^ +||yacurlik.com^ +||yahuu.org^ +||yakvssigg.xyz^ +||yalittlewallo.info^ +||yallarec.com^ +||yapclench.com^ +||yapdiscuss.com^ +||yapforestsfairfax.com^ +||yapunderstandsounding.com^ +||yapzoa.xyz^ +||yardr.net^ +||yarlnk.com^ +||yarningbursal.com^ +||yashi.com^ +||yauperstote.top^ +||yauponbotone.com^ +||yausbprxfft.xyz^ +||yavaflocker.shop^ +||yavli.com^ +||yawcoynag.com^ +||yaworcein.com^ +||yaxgszv.com^ +||yazuda.xyz^ +||ybdpikjigmyek.com^ +||ybgtexsetsyv.com^ +||ybhyziittfg.com^ +||ybnksajy.com^ +||ybriifs.com^ +||ybs2ffs7v.com^ +||ybtkzjm.com^ +||yceml.net^ +||ycpwdvsmtn.com^ +||ydagjjgqxmrlqjj.xyz^ +||ydccmwrpnfy.com^ +||ydenknowled.com^ +||ydevelelasticals.info^ +||ydjdrrbg.com^ +||ydsdisuses.shop^ +||ydvdjjtakso.xyz^ +||ydwrkwwqytj.xyz^ +||ye185hcamw.com^ +||yeabble.com^ +||yealnk.com^ +||yearbookhobblespinal.com^ +||yearlingexert.com^ +||yearnstocking.com^ +||yedbehindforh.info^ +||yeesihighlyre.info^ +||yeggscuvette.com^ +||yelamjklnckyio.xyz^ +||yellowacorn.net^ +||yellowblue.io^ +||yellowish-yesterday.pro^ +||yellowishmixture.pro^ +||yellsurpass.com^ +||yequiremuke.com^ +||yernbiconic.com^ +||yes-messenger.com^ +||yesgwyn.com^ +||yesmessenger.com^ +||yespetor.com^ +||yeswplearning.info^ +||yetshape.com^ +||yetterslave.com^ +||yfefdlv.com^ +||yfgrxkz.com^ +||yfkflfa.com^ +||yflexibilitukydt.com^ +||yftpnol.com^ +||ygblpbvojzq.com^ +||ygdhmgjly.xyz^ +||ygeqiky.com^ +||yghaatttm.com^ +||ygkw9x53vm45.shop^ +||ygkwjd.xyz^ +||ygmkcuj3v.com^ +||ygvqughn.com^ +||ygzkedoxwhqlzp.com^ +||yhbcii.com^ +||yhgio.com^ +||yhigrmnzd.life^ +||yhjhjwy.com^ +||yhmhbnzz.com^ +||yhorw.rocks^ +||yibivacaji.com^ +||yicixvmgmhpvbcl.xyz^ +||yidbyhersle.xyz^ +||yieldads.com^ +||yieldbuild.com^ +||yieldinginvincible.com^ +||yieldlab.net^ +||yieldlove-ad-serving.net^ +||yieldmanager.net^ +||yieldoptimizer.com^ +||yieldpartners.com^ +||yieldrealistic.com^ +||yieldscale.com^ +||yieldselect.com^ +||yieldtraffic.com^ +||yieldx.com^ +||yifata178.info^ +||yihjrdibdpy.com^ +||yim3eyv5.top^ +||yimemediatesup.com^ +||yinhana.com^ +||yinteukrestina.xyz^ +||yinthesprin.xyz^ +||yiqetu.uno^ +||yirringamnesic.click^ +||yjdigtr.com^ +||yjrrwchaz.com^ +||yjustingexcelele.org^ +||yjvuthpuwrdmdt.xyz^ +||ykraeij.com^ +||ykrohjqz.com^ +||ykwll.site^ +||yl-sooippd.vip^ +||yldbt.com^ +||yldmgrimg.net^ +||ylih6ftygq7.com^ +||yllanorin.com^ +||yllaris.com^ +||ylx-1.com^ +||ylx-2.com^ +||ylx-3.com^ +||ylx-4.com^ +||ylxfcvbuupt.com^ +||ym-a.cc^ +||ym8p.net^ +||ymansxfmdjhvqly.xyz^ +||ymynsckwfxxaj.com^ +||yncvbqh.com^ +||yneaimn.com^ +||ynfhnbjsl.xyz^ +||ynhmwyt.com^ +||ynklendr.online^ +||ynonymlxtqisyka.xyz^ +||ynrije.com^ +||yoads.net^ +||yoc-adserver.com^ +||yocksniacins.com^ +||yodelalloxan.shop^ +||yogacomplyfuel.com^ +||yogaprimarilyformation.com^ +||yogar2ti8nf09.com^ +||yohavemix.live^ +||yoibbka.com^ +||yoickscaper.shop^ +||yokeeroud.com^ +||yoksamhain.com^ +||yolkhandledwheels.com^ +||yomeno.xyz^ +||yomxt.icu^ +||yonabrar.com^ +||yonazurilla.com^ +||yonelectrikeer.com^ +||yonhelioliskor.com^ +||yonomastara.com^ +||yonsandileer.com^ +||yoomanies.com^ +||yopard.com^ +||yoredi.com^ +||yorkvillemarketing.net^ +||yoshatia.com^ +||yottacash.com^ +||you4cdn.com^ +||youaixx.xyz^ +||youdguide.com^ +||yougotacheck.com^ +||youlamedia.com^ +||youlouk.com^ +||youngestclaims.com^ +||youngestdisturbance.com^ +||youngestmildness.com^ +||youngstersaucertuition.com^ +||youpeacockambitious.com^ +||your-local-dream.com^ +||your-notice.com^ +||youradexchange.com^ +||yourbestdateever.com^ +||yourbestperfectdates.life^ +||yourcommonfeed.com^ +||yourcoolfeed.com^ +||yourfreshposts.com^ +||yourhotfeed.com^ +||yourjsdelivery.com^ +||yourluckydates.com^ +||yourniceposts.com^ +||yourprivacy.icu^ +||yourquickads.com^ +||yourtopnews.com^ +||yourtthig.com^ +||youruntie.com^ +||yourwebbars.com^ +||yourwownews.com^ +||yourwownewz.com^ +||youservit.com^ +||youtube.local^ +||youtubecenter.net^ +||yowdenfalcial.com^ +||yowlnibble.shop^ +||yoyadsdom.com^ +||ypersonalrecome.com^ +||ypkljvp.com^ +||yplqr-fnh.space^ +||yprocedentwith.com^ +||yptjqrlbawn.xyz^ +||yqeuu.com^ +||yqghjejqlhbsv.com^ +||yqmxfz.com^ +||yr9n47004g.com^ +||yremovementxvi.org^ +||yresumeformor.com^ +||yrhnw7h63.com^ +||yrincelewasgiw.info^ +||yrmqfojomlwh.com^ +||yrvzqabfxe.com^ +||yrwqquykdja.com^ +||ysesials.net^ +||yshhfig.com^ +||ysycqoluup.com^ +||yterxv.com^ +||ytfmdfpvwf.com^ +||ytgngedq.xyz^ +||ytihp.com^ +||ytimm.com^ +||ytransionscorma.com^ +||ytru4.pro^ +||ytsa.net^ +||yttompthree.com^ +||ytuooivmv.xyz^ +||ytxmseqnehwstg.xyz^ +||ytzihf.com^ +||yu0123456.com^ +||yuearanceofam.info^ +||yueuucoxewemfb.com^ +||yuhuads.com^ +||yuintbradshed.com^ +||yukpxxp.com^ +||yulunanews.name^ +||yumenetworks.com^ +||yummyadvertiseexploded.com^ +||yummycdn.com^ +||yunshipei.com^ +||yupfiles.net^ +||yuppads.com^ +||yuppyads.com^ +||yuruknalyticafr.com^ +||yusiswensaidoh.info^ +||yuuchxfuutmdyyd.xyz^ +||yvmads.com^ +||yvoria.com^ +||yvzgazds6d.com^ +||ywfbjvmsw.com^ +||ywgpkjg.com^ +||ywopyohpihnkppc.xyz^ +||ywpdobsvqlchvrl.com^ +||ywronwasthetron.com^ +||ywvjyxp.com^ +||yx-ads6.com^ +||yxajqsrsij.com^ +||yxouepqx.com^ +||yxuytpfe-t.icu^ +||yy9s51b2u05z.com^ +||yyceztc8.click^ +||yydwkkxhjb.com^ +||yyjvimo.com^ +||yyselrqpyu.com^ +||yzfjlvqa.com^ +||z-eaazoov.top^ +||z0il3m3u2o.pro^ +||z54a.xyz^ +||z5x.net^ +||zaamgqlgdhac.love^ +||zabaismtempi.top^ +||zabanit.xyz^ +||zachunsears.com^ +||zacleporis.com^ +||zaemi.xyz^ +||zagtertda.com^ +||zagvee.com^ +||zaibeevaimi.net^ +||zaicistafaish.xyz^ +||zaigaphy.net^ +||zaihxti.com^ +||zaikasoatie.xyz^ +||zailoanoy.com^ +||zaimads.com^ +||zaishaptou.com^ +||zaiteegraity.net^ +||zaithootee.com^ +||zaiveeneefol.com^ +||zaiwihouje.com^ +||zaizaigut.net^ +||zaizavoulooruta.xyz^ +||zajpkgpmgll.com^ +||zajukrib.net^ +||zakruxxita.com^ +||zakurdedso.net^ +||zaltaumi.net^ +||zamioculcas2.org^ +||zampastouzuco.net^ +||zangaisempo.net^ +||zangocash.com^ +||zanoogha.com^ +||zaokko.com^ +||zaparena.com^ +||zapasizzard.com^ +||zaphakesleigh.com^ +||zaphararidged.com^ +||zapunited.com^ +||zarebasdezaley.com^ +||zarpop.com^ +||zationservantas.info^ +||zatloudredr.com^ +||zatnoh.com^ +||zaucharo.xyz^ +||zaudograum.xyz^ +||zaudouwa.xyz^ +||zaudowhiy.xyz^ +||zaugrauvaps.com^ +||zauthuvy.com^ +||zauwaigojeew.xyz^ +||zavoxlquwb.com^ +||zaxonoax.com^ +||zbdcjjpat.com^ +||zcaappcthktx.com^ +||zchtpzu.com^ +||zcode12.me^ +||zcode7.me^ +||zcoptry.com^ +||zcswet.com^ +||zdgeoqvzo.com^ +||zdkgxeeykuhs.today^ +||zeads.com^ +||zealotillustrate.com^ +||zealouscompassionatecranny.com^ +||zealsalts.com^ +||zebeaa.click^ +||zeebestmarketing.com^ +||zeecajichaiw.net^ +||zeechoog.net^ +||zeechumy.com^ +||zeeduketa.net^ +||zeekaihu.net^ +||zeemacauk.com^ +||zeemaustoops.xyz^ +||zeemeewhoowhoa.xyz^ +||zeepartners.com^ +||zeephouh.com^ +||zeepteestaub.com^ +||zeeshith.net^ +||zeewhaih.com^ +||zegnoogho.xyz^ +||zekeeksaita.com^ +||zeksaugaunes.net^ +||zel-zel-fie.com^ +||zelatorpukka.com^ +||zelllwrite.com^ +||zelrasty.net^ +||zemydreamsauk.com^ +||zemywwm.com^ +||zenal.xyz^ +||zenam.xyz^ +||zenaot.xyz^ +||zendplace.pro^ +||zengoongoanu.com^ +||zenkreka.com^ +||zenoviaexchange.com^ +||zenoviagroup.com^ +||zepazupi.com^ +||zephyronearc.com^ +||zerads.com^ +||zeratys.com^ +||zercenius.com^ +||zerg.pro^ +||zergsmjy.com^ +||zerzvqroevwmb.top^ +||zestpocosin.com^ +||zestyparticular.pro^ +||zetadeo.com^ +||zeusadx.com^ +||zevwkbzwkblle.top^ +||zewkj.com^ +||zexardoussesa.net^ +||zeyappland.com^ +||zeydoo.com^ +||zeypreland.com^ +||zfeaubp.com^ +||zferral.com^ +||zfvsnpir-cxx.buzz^ +||zgsqnyb.com^ +||zhaner.xyz^ +||zi3nna.xyz^ +||zi8ivy4b0c7l.com^ +||ziblo.cloud^ +||zigzaggodmotheragain.com^ +||zigzagrowy.com^ +||zigzt.com^ +||zihditozlogf.com^ +||zihogchfaan.com^ +||zijaipse.com^ +||zikpwr.com^ +||zikroarg.com^ +||zilchesmoated.com^ +||zilsooferga.xyz^ +||zim-zim-zam.com^ +||zimbifarcies.com^ +||zimg.jp^ +||zimpolo.com^ +||zinipx.xyz^ +||zinniafianced.com^ +||zinovu.com^ +||zipakrar.com^ +||ziphay.com^ +||zipheeda.xyz^ +||ziphoumt.net^ +||zipinaccurateoffering.com^ +||zipitnow.cfd^ +||zippercontinual.com^ +||zipradarindifferent.com^ +||zirdough.net^ +||zirdrax.com^ +||zireemilsoude.net^ +||zirkiterocklay.com^ +||zisboombah.net^ +||zishezetchadsi.net^ +||zitaptugo.com^ +||zitchaug.xyz^ +||zitchuhoove.com^ +||zivtux.com^ +||zixokseelta.com^ +||ziyhd.fun^ +||zizoxozoox.com^ +||zizulw.org^ +||zjd-nmdong.xyz^ +||zjdac.com^ +||zjepcoomt.com^ +||zjzdrryqanm.com^ +||zkarinoxmq.com^ +||zkcvb.com^ +||zkczzltlhp6y.com^ +||zkt0flig7.com^ +||zktsygv.com^ +||zkulupt.com^ +||zkuotxaxkov.com^ +||zlacraft.com^ +||zlink2.com^ +||zlink6.com^ +||zlinkc.com^ +||zlinkd.com^ +||zlinkm.com^ +||zlviiaom.space^ +||zlx.com.br^ +||zlzwhrhkavos.xyz^ +||zm232.com^ +||zmdesf.cn^ +||zmjagawa.com^ +||zmmlllpjxvxl.buzz^ +||zmonei.com^ +||zmwbrza.com^ +||zmysashrep.com^ +||znaptag.com^ +||zncbitr.com^ +||znvlfef.com^ +||zoachoar.net^ +||zoachops.com^ +||zoagreejouph.com^ +||zoagremo.net^ +||zoaheeth.com^ +||zoaneeptaithe.net^ +||zoaptaup.com^ +||zoapteewoo.com^ +||zoawufoy.net^ +||zodiacdinner.com^ +||zodiacranbehalf.com^ +||zoeacaring.com^ +||zoeaegyral.com^ +||zoeaethenar.com^ +||zofitsou.com^ +||zog.link^ +||zograughoa.net^ +||zogrepsili.com^ +||zoiefwqhcaczun.com^ +||zokaukree.net^ +||zokrodes.com^ +||zoltran.top^ +||zombistinfuls.shop^ +||zombyfairfax.com^ +||zonealta.com^ +||zonupiza.com^ +||zooglaptob.net^ +||zoogripi.com^ +||zoogroocevee.xyz^ +||zoojepsainy.com^ +||zoologicalviolatechoke.com^ +||zoologyhuntingblanket.com^ +||zoopoptiglu.xyz^ +||zoopsame.com^ +||zoowhausairoun.net^ +||zoowunagraglu.net^ +||zoozishooh.com^ +||zorango.com^ +||zotkosplh.com^ +||zougreek.com^ +||zouloafi.net^ +||zounaishuphaucu.xyz^ +||zouphuru.net^ +||zoustara.net^ +||zoutubephaid.com^ +||zoutufoostou.com^ +||zouzougri.net^ +||zovidree.com^ +||zpbpenn.com^ +||zpgetworker11.com^ +||zpilkesyasa.com^ +||zpipacuz-lfa.vip^ +||zplfwuca.com^ +||zpreland.com^ +||zprelandappslab.com^ +||zprelandings.com^ +||zprofuqkssny.com^ +||zqjklzajmmwq.top^ +||zqjljeyqbejrb.top^ +||zqmblmebyvkjz.top^ +||zqpztal.com^ +||zqwe.ru^ +||zrakos.com^ +||zrfzrwqiah.com^ +||zrmtrm.com^ +||zrqsmcx.top^ +||zrtfsoz.com^ +||zsfbumz.com^ +||zshyudl.com^ +||zsjvzsm-s.fun^ +||zsxeymv.com^ +||ztrack.online^ +||zttgwpb.com^ +||ztumuvofzbfe.com^ +||ztxhxby.com^ +||zubajuroo.com^ +||zubivu.com^ +||zubojcnubadk.com^ +||zucks.net^ +||zuclcijzua.com^ +||zudjdiy.com^ +||zudvl.com^ +||zufubulsee.com^ +||zugeme.uno^ +||zugnogne.com^ +||zugo.com^ +||zuhempih.com^ +||zuisinservo.top^ +||zujibumlgc.com^ +||zukore.com^ +||zukxd6fkxqn.com^ +||zumfzaamdxaw.com^ +||zumid.xyz^ +||zumrieth.com^ +||zungiwhaigaunsi.net^ +||zunsoach.com^ +||zupee.cim^ +||zuphaims.com^ +||zuqalzajno.com^ +||zuzodoad.com^ +||zvetokr2hr8pcng09.com^ +||zvhprab.com^ +||zvkytbjimbhk.com^ +||zvrokbqyjvyko.top^ +||zvvgpznuoj.com^ +||zvvqprcjjnh.com^ +||zvwhrc.com^ +||zvzmzrarkvqyb.top^ +||zwaar.net^ +||zwk7ybbg.net^ +||zwnoeqzsuz.com^ +||zwqzxh.com^ +||zwsxsqp.com^ +||zwyjpyocwv.com^ +||zxcdn.com^ +||zxmojgj.com^ +||zxpqwwt.com^ +||zxrfzxb.com^ +||zxtuqpiu.skin^ +||zy16eoat1w.com^ +||zybbiez.com^ +||zybrdr.com^ +||zyf03k.xyz^ +||zyiis.net^ +||zylytavo.com^ +||zymjzwyyjyvb.top^ +||zypenetwork.com^ +||zyzqkbkzvqqzq.top^ +||zzaqqwecd.lat^ +||zzhyebbt.com^ +||zzyjpmh.com^ +! Anti-drainer eth phishing +||99bithcoins.com^ +||altenlayer.com^ +||antenta.site^ +||appdevweb.com^ +||cdnweb3.pages.dev^ +||celestia.guru^ +||certona.net^ +||chaingptweb3.org^ +||chainlist.sh^ +||chopflexhit.online^ +||ciphercapital.tech^ +||cliplamppostillegally.com^ +||creatrin.site^ +||dd5889a9b4e234dbb210787.com^ +||doubleadsclick.com^ +||downzoner.xyz^ +||duuuyqiwqc.xyz^ +||eastyewebaried.info^ +||edpl9v.pro^ +||findrpc.sh^ +||glomtipagrou.xyz^ +||hhju87yhn7.top^ +||jscdnweb.pages.dev^ +||kapitalberg.com^ +||kbumnvc.com^ +||kxsvelr.com^ +||locatchi.xyz^ +||metamask.blog^ +||moralis-node.dev^ +||my-hub.top^ +||neogallery.xyz^ +||nerveheels.com^ +||next-done.website^ +||nftfastapi.com^ +||nfts-opensea.web.app^ +||nginxxx.xyz^ +||nighthereflewovert.info^ +||nodeclaim.com^ +||obosnovano.su^ +||oeubqjx.com^ +||ojoglir.com^ +||olopruy.com^ +||openweatherapi.com^ +||phgotof2.com^ +||pipiska221net.shop^ +||snapshot.sh^ +||tayvano.dev^ +||titanex.pro^ +||tokenbroker.sh^ +||uniswaps.website^ +||vnte9urn.click^ +||web3-api-v2.cc^ +||whaleman.ru^ +||world-claim.org^ +||ygeosqsomusu.xyz^ +||zhu-ni-hao-yun.sh^ +||zxcbaby.ru^ +! $document blocks +||123-stream.org^$document +||1winpost.com^$document +||20trackdomain.com^$document +||2ltm627ho.com^$document +||367p.com^$document +||5wzgtq8dpk.com^$document +||65spy7rgcu.com^$document +||67trackdomain.com^$document +||905trk.com^$document +||abdedenneer.com^$document +||ablecolony.com^$document +||accecmtrk.com^$document +||acoudsoarom.com^$document +||ad-adblock.com^$document +||ad-addon.com^$document +||adblock-360.com^$document +||adblock-offer-download.com^$document +||adblocker-instant.xyz^$document +||adclickbyte.com^$document +||adfgetlink.net^$document +||adglare.net^$document +||aditms.me^$document +||adlogists.com^$document +||admachina.com^$document +||admedit.net^$document +||admeking.com^$document +||admobe.com^$document +||adoni-nea.com^$document +||adorx.store^$document +||adpointrtb.com^$document +||adqit.com^$document +||ads4trk.com^$document +||adscdn.net^$document +||adservice.google.$document +||adskeeper.co.uk^$document +||adspredictiv.com^$document +||adstreampro.com^$document +||adtelligent.com^$document +||adtraction.com^$document +||adtrk21.com^$document +||adverttulimited.biz^$document +||adxproofcheck.com^$document +||affcpatrk.com^$document +||affflow.com^$document +||affiliatestonybet.com^$document +||affiliride.com^$document +||affpa.top^$document +||affroller.com^$document +||affstreck.com^$document +||afodreet.net^$document +||afre.guru^$document +||aftrk3.com^$document +||agaue-vyz.com^$document +||aistekso.net^$document +||aiveemtomsaix.net^$document +||alfa-track.info^$document +||alfa-track2.site^$document +||algg.site^$document +||alibabatraffic.com^$document +||allsportsflix.$document +||alpenridge.top^$document +||alpine-vpn.com^$document +||amusementchillyforce.com^$document +||anacampaign.com^$document +||aneorwd.com^$document +||antaresarcturus.com^$document +||antcixn.com^$document +||antjgr.com^$document +||appointeeivyspongy.com^$document +||approved.website^$document +||appspeed.monster^$document +||ardsklangr.com^$document +||ardssandshrewon.com^$document +||artditement.info^$document +||artistni.xyz^$document +||arwobaton.com^$document +||asstaraptora.com^$document +||aucoudsa.net^$document +||auroraveil.bid^$document +||awecrptjmp.com^$document +||awesomeprizedrive.co^$document +||ayga.xyz^$document +||bakabok.com^$document +||baldo-toj.com^$document +||baseauthenticity.co.in^$document +||basicflownetowork.co.in^$document +||bayshorline.com^$document +||beamobserver.com^$document +||behim.click^$document +||bellatrixmeissa.com^$document +||beltarklate.live^$document +||bemobtrk.com^$document +||bestchainconnection.com^$document +||bestcleaner.online^$document +||bestprizerhere.life^$document +||bestreceived.com^$document +||bestunfollow.com^$document +||bet365.com/*?affiliate=$document +||betpupitarr.com^$document +||bettentacruela.com^$document +||betterdirectit.com^$document +||betzapdoson.com^$document +||bhlom.com^$document +||bincatracs.com^$document +||binomtrcks.site^$document +||bitdefender.top^$document +||blarnyzizzles.shop^$document +||blcdog.com^$document +||blehcourt.com^$document +||block-ad.com^$document +||blockadsnot.com^$document +||blurbreimbursetrombone.com^$document +||boardmotion.xyz^$document +||boardpress-b.online^$document +||bobgames-prolister.com^$document +||boledrouth.top^$document +||boskodating.com^$document +||boxiti.net^$document +||bumlabhurt.live^$document +||bunth.net^$document +||bxsk.site^$document +||candyai.love^$document +||canopusacrux.com^$document +||caulisnombles.top^$document +||cddtsecure.com^$document +||chainconnectivity.com^$document +||chambermaidthree.xyz^$document +||chaunsoops.net^$document +||check-tl-ver-12-3.com^$document +||check-tl-ver-54-1.com^$document +||check-tl-ver-54-3.com^$document +||checkcdn.net^$document +||checkluvesite.site^$document +||cheebilaix.com^$document +||chetchoa.com^$document +||childishenough.com^$document +||choathaugla.net^$document +||choogeet.net^$document +||choudairtu.net^$document +||cleanmypc.click^$document +||clixwells.com^$document +||closeupclear.top^$document +||cloudvideosa.com^$document +||clunen.com^$document +||cntrealize.com^$document +||colleem.com^$document +||contentcrocodile.com^$document +||continue-installing.com^$document +||coolserving.com^$document +||coosync.com^$document +||coticoffee.com^$document +||countertrck.com^$document +||cpacrack.com^$document +||cryptomcw.com^$document +||ctosrd.com^$document +||cybkit.com^$document +||datatechdrift.com^$document +||date-till-late.us^$document +||date2024.com^$document +||date4sex.pro^$document +||dc-feed.com^$document +||dc-rotator.com^$document +||ddbhm.pro^$document +||ddkf.xyz^$document +||dealgodsafe.live^$document +||debaucky.com^$document +||deepsaifaide.net^$document +||defandoar.xyz^$document +||degg.site^$document +||degradationtransaction.com^$document +||delfsrld.click^$document +||deluxe-download.com^$document +||demowebcode.online^$document +||di7stero.com^$document +||dianomi.com^$document +||dipusdream.com^$document +||directdexchange.com^$document +||disable-adverts.com^$document +||displayvertising.com^$document +||distributionland.website^$document +||domainparkingmanager.it^$document +||donationobliged.com^$document +||donkstar1.online^$document +||donkstar2.online^$document +||doostozoa.net^$document +||download-privacybear.com^$document +||downloading-addon.com^$document +||downloading-extension.com^$document +||downlon.com^$document +||dreamteamaffiliates.com^$document +||drsmediaexchange.com^$document +||drumskilxoa.click^$document +||dsp5stero.com^$document +||dutydynamo.co^$document +||earlinessone.xyz^$document +||easelegbike.com^$document +||edonhisdhi.com^$document +||edpl9v.pro^$document +||eeco.xyz^$document +||eetognauy.net^$document +||eh0ag0-rtbix.top^$document +||eliwitensirg.net^$document +||emotot.xyz^$document +||endlessloveonline.online^$document +||enhanceconnection.co.in^$document +||epsashoofil.net^$document +||equides.pro^$document +||errolandtessa.com^$document +||escortlist.pro^$document +||eventfulknights.com^$document +||excellingvista.com^$document +||exclkplat.com^$document +||exclplatmain.com^$document +||expdirclk.com^$document +||exploitpeering.com^$document +||extension-ad-stopper.com^$document +||extension-ad.com^$document +||extension-install.com^$document +||externalfavlink.com^$document +||eyewondermedia.com^$document +||ezblockerdownload.com^$document +||fascespro.com^$document +||fastdntrk.com^$document +||fedra.info^$document +||felingual.com^$document +||femsoahe.com^$document +||finalice.net^$document +||finanvideos.com^$document +||finder2024.com^$document +||flyingadvert.com^$document +||foerpo.com^$document +||fomalhautgacrux.com^$document +||forooqso.tv^$document +||freetrckr.com^$document +||freshpops.net^$document +||frostykitten.com^$document +||fstsrv16.com^$document +||fstsrv9.com^$document +||fuse-cloud.com^$document +||galaxypush.com^$document +||gamdom.com/?utm_source=$document +||gamonalsmadevel.com^$document +||gb1aff.com^$document +||gemfowls.com^$document +||gensonal.com^$document +||get-gx.co/*sub2=$document +||get-gx.net^$document +||getmetheplayers.click^$document +||getnomadtblog.com^$document +||getrunkhomuto.info^$document +||getsthis.com^$document +||gkrtmc.com^$document +||glaultoa.com^$document +||glsfreeads.com^$document +||go-cpa.click^$document +||go-srv.com^$document +||go.betobet.net^$document +||go2affise.com^$document +||go2linktrack.com^$document +||go2offer-1.com^$document +||goads.pro^$document +||goboksehee.net^$document +||gotrackier.com^$document +||graigloapikraft.net^$document +||graitsie.com^$document +||grfpr.com^$document +||grobuveexeb.net^$document +||gtbdhr.com^$document +||guardedrook.cc^$document +||gxfiledownload.com^$document +||hagech.com^$document +||halfhills.co^$document +||heeraiwhubee.net^$document +||heptix.net^$document +||herma-tor.com^$document +||hetapus.com^$document +||heweop.com^$document +||hfr67jhqrw8.com^$document +||hhju87yhn7.top^$document +||highcpmgate.com^$document +||hiiona.com^$document +||hilarioustasting.com^$document +||hnrgmc.com^$document +||hoadaphagoar.net^$document +||hoglinsu.com^$document +||hoktrips.com^$document +||holdhostel.space^$document +||hoofedpazend.shop^$document +||hospitalsky.online^$document +||host-relendbrowseprelend.info^$document +||hubrisone.com^$document +||hugeedate.com^$document +||icetechus.com^$document +||icubeswire.co^$document +||iginnis.site^$document +||ignals.com^$document +||imkirh.com^$document +||improvebin.xyz^$document +||inbrowserplay.com^$document +||ingablorkmetion.com^$document +||install-adblockers.com^$document +||install-adblocking.com^$document +||install-extension.com^$document +||instant-adblock.xyz^$document +||internodeid.com^$document +||intothespirits.com^$document +||intunetossed.shop^$document +||invol.co^$document +||iyfbodn.com^$document +||jaclottens.live^$document +||jeroud.com^$document +||jggegj-rtbix.top^$document +||jhsnshueyt.click^$document +||joastaca.com^$document +||js-check.com^$document +||junmediadirect1.com^$document +||kagodiwij.site^$document +||kaminari.systems^$document +||ker2clk.com^$document +||ketseestoog.net^$document +||kiss88.top^$document +||koafaimoor.net^$document +||kstrk.com^$document +||ku42hjr2e.com^$document +||lamplynx.com^$document +||landerhq.com^$document +||leadshurriedlysoak.com^$document +||lehemhavita.club^$document +||leoyard.com^$document +||link2thesafeplayer.click^$document +||linksprf.com^$document +||litdeetar.live^$document +||lmdfmd.com^$document +||loadtime.org^$document +||loazuptaice.net^$document +||locooler-ageneral.com^$document +||lookup-domain.com^$document +||lust-burning.rest^$document +||lust-goddess.buzz^$document +||lwnbts.com^$document +||lxkzcss.xyz^$document +||lylufhuxqwi.com^$document +||madehimalowbo.info^$document +||magazinenews1.xyz^$document +||magsrv.com^$document +||making.party^$document +||maquiags.com^$document +||maxconvtrk.com^$document +||mazefoam.com^$document +||mbjrkm2.com^$document +||mbreviewer.com^$document +||mbreviews.info^$document +||mbvlmz.com^$document +||mcafeescan.site^$document +||mcfstats.com^$document +||mcpuwpush.com^$document +||mddsp.info^$document +||me4track.com^$document +||medfoodsafety.com^$document +||meetwebclub.com^$document +||menews.org^$document +||messenger-notify.xyz^$document +||mgid.com^$document +||mimosaavior.top^$document +||mirfakpersei.com^$document +||mirfakpersei.top^$document +||mnaspm.com^$document +||mndlvr.com^$document +||moadworld.com^$document +||mobagent.com^$document +||mobiletracking.ru^$document +||modoodeul.com^$document +||monieraldim.click^$document +||moralitylameinviting.com^$document +||mouthdistance.bond^$document +||msre2lp.com^$document +||my-hub.top^$document +||mycloudreference.com^$document +||myjack-potscore.life^$document +||mylot.com^$document +||mypopadpro.com^$document +||mytdsnet.com^$document +||mytiris.com^$document +||nan0cns.com^$document +||nauwheer.net^$document +||navigatingnautical.xyz^$document +||netrefer.co^$document +||news-jivera.com^$document +||nexaapptwp.top^$document +||nexusbloom.xyz^$document +||nightbesties.com^$document +||nigroopheert.com^$document +||nindsstudio.com^$document +||niwluvepisj.site^$document +||noncepter.com^$document +||nontraditionally.rest^$document +||noohapou.com^$document +||noolt.com^$document +||noopking.com^$document +||nothingfairnessdemonstrate.com^$document +||notoings.com^$document +||notoriouscount.com^$document +||novibet.partners^$document +||nowforfile.com^$document +||nrs6ffl9w.com^$document +||ntrftrksec.com^$document +||nuftitoat.net^$document +||numbertrck.com^$document +||nutchaungong.com^$document +||nwwrtbbit.com^$document +||nxt-psh.com^$document +||nylonnickel.xyz^$document +||obtaintrout.com^$document +||odintsures.click^$document +||offergate-software20.com^$document +||offergate-software6.com^$document +||ojrq.net^$document +||olopruy.com^$document +||omegaadblock.net^$document +||omgt3.com^$document +||omguk.com^$document +||onclckpop.com^$document +||onclickperformance.com^$document +||oneadvupfordesign.com^$document +||oneegrou.net^$document +||onmantineer.com^$document +||opdomains.space^$document +||opengalaxyapps.monster^$document +||openwwws.space^$document +||opera.com/*&utm_campaign=$document +||optargone-2.online^$document +||optimalscreen1.online^$document +||optnx.com^$document +||optvz.com^$document +||ossfloetteor.com^$document +||otbackstage2.online^$document +||otoadom.com^$document +||outoctillerytor.com^$document +||ovardu.com^$document +||oversolosisor.com^$document +||paehceman.com^$document +||paid.outbrain.com^$document +||pamwrymm.live^$document +||parturemv.top^$document +||paulastroid.com^$document +||pemsrv.com^$document +||perfectflowing.com^$document +||pheniter.com^$document +||phgotof2.com^$document +||phumpauk.com^$document +||pisism.com^$document +||playmmogames.com^$document +||pleadsbox.com^$document +||plinksplanet.com^$document +||plorexdry.com^$document +||plumpcontrol.pro^$document +||pnouting.com^$document +||pooksys.site^$document +||poozifahek.com^$document +||popcash.net^$document +||poperblocker.com^$document +||popmyads.com^$document +||populationstring.com^$document +||popupsblocker.org^$document +||powerpushtrafic.space^$document +||ppqy.fun^$document +||pretrackings.com^$document +||prfwhite.com^$document +||priestsuede.click^$document +||pro-adblocker.com^$document +||proffering.xyz^$document +||profitablegatecpm.com^$document +||propellerclick.com^$document +||proscholarshub.com^$document +||protected-redirect.click^$document +||provenpixel.com^$document +||prwave.info^$document +||pshtop.com^$document +||psockapa.net^$document +||psomsoorsa.com^$document +||ptailadsol.net^$document +||pubtrky.com^$document +||pupspu.com^$document +||push-news.click^$document +||push-sense.com^$document +||push1000.top^$document +||push1005.com^$document +||pushaffiliate.net^$document +||pushking.net^$document +||qjrhacxxk.xyz^$document +||qnp16tstw.com^$document +||racunn.com^$document +||raekq.online^$document +||rainmealslow.live^$document +||rbtfit.com^$document +||rdrm2.click^$document +||re-experiment.sbs^$document +||realsh.xyz^$document +||realtime-bid.com^$document +||redaffil.com^$document +||redirectingat.com^$document +||remv43-rtbix.top^$document +||resentreaccotia.com^$document +||rexsrv.com^$document +||riflesurfing.xyz^$document +||riftharp.com^$document +||rmzsglng.com^$document +||rndskittytor.com^$document +||roastoup.com^$document +||rockingfolders.com^$document +||rockwound.site^$document +||rockytrails.top^$document +||rocoads.com^$document +||rollads.live^$document +||roobetaffiliates.com^$document +||roundflow.net^$document +||roundpush.com^$document +||routes.name^$document +||rovno.xyz^$document +||rtbadshubmy.com^$document +||rtbadsmya.com^$document +||rtbbpowaq.com^$document +||rtbix.xyz^$document +||runicforgecrafter.com^$document +||s3g6.com^$document +||savinist.com^$document +||schedulerationally.com^$document +||score-feed.com^$document +||searchresultsadblocker.com^$document +||seatrackingdomain.com^$document +||sessfetchio.com^$document +||setlitescmode-4.online^$document +||sexemulator.tube-sexs.com^$document +||sgad.site^$document +||shauladubhe.com^$document +||shauladubhe.top^$document +||shoppinglifestyle.biz^$document +||showcasebytes.co^$document +||shulugoo.net^$document +||singaporetradingchallengetracker1.com^$document +||singelstodate.com^$document +||sitamedal2.online^$document +||sitamedal4.online^$document +||skated.co^$document +||skylindo.com^$document +||sloto.live^$document +||smallestgirlfriend.com^$document +||smartlphost.com^$document +||snadsfit.com^$document +||sourcecodeif.com^$document +||spin83qr.com^$document +||sprinlof.com^$document +||spuppeh.com^$document +||srvpcn.com^$document +||srvtrck.com^$document +||stake.com/*&clickId=$document +||stake.mba/?c=$document +||starchoice-1.online^$document +||stellarmingle.store^$document +||streameventzone.com^$document +||strtgic.com^$document +||stt6.cfd^$document +||stvwell.online^$document +||sulideshalfman.click^$document +||superfasti.co^$document +||suptraf.com^$document +||sxlflt.com^$document +||takemybackup.co^$document +||targhe.info^$document +||tatrck.com^$document +||tbao684tryo.com^$document +||tbeiu658gftk.com^$document +||teammanbarded.shop^$document +||tertracks.site^$document +||tgel2ebtx.ru^$document +||thebtrads.top^$document +||theirbellsound.co^$document +||theirbellstudio.co^$document +||thematicalastero.info^$document +||theod-qsr.com^$document +||theonesstoodtheirground.com^$document +||thoroughlypantry.com^$document +||tingswifing.click^$document +||titaniumveinshaper.com^$document +||toiletpaper.life^$document +||toltooth.net^$document +||tookiroufiz.net^$document +||toopsoug.net^$document +||topduppy.info^$document +||topnewsgo.com^$document +||toptoys.store^$document +||toscytheran.com^$document +||totalab.xyz^$document +||totaladblock.com^$document +||touched35one.pro^$document +||tr-bouncer.com^$document +||track.afrsportsbetting.com^$document +||tracker-2.com^$document +||tracker-sav.space^$document +||tracker-tds.info^$document +||tracking.injoyalot.com^$document +||trackingtraffo.com^$document +||trackmedclick.com^$document +||tracktds.live^$document +||traffoxx.uk^$document +||trckswrm.com^$document +||trk72.com^$document +||trkless.com^$document +||trknext.com^$document +||trknovi.com^$document +||trkred.com^$document +||trksmorestreacking.com^$document +||trpool.org^$document +||try.opera.com^$document +||tsyndicate.com^$document +||tubecup.net^$document +||twigwisp.com^$document +||twinrdsyte.com^$document +||tyqwjh23d.com^$document +||unblitzlean.com^$document +||unbloodied.sbs^$document +||uncastnork.com^$document +||uncletroublescircumference.com^$document +||uncoverarching.com^$document +||ungiblechan.com^$document +||unitsympathetic.com^$document +||unlocky.org^$document +||unlocky.xyz^$document +||unseaminoax.click^$document +||uphorter.com^$document +||upodaitie.net^$document +||utilitysafe-view.info^$document +||utm-campaign.com^$document +||vasstycom.com^$document +||verda-mun.com^$document +||vetoembrace.com^$document +||vezizey.xyz^$document +||vfgte.com^$document +||viiczfvm.com^$document +||viifmuts.com^$document +||viiiyskm.com^$document +||viippugm.com^$document +||viirkagt.com^$document +||viitqvjx.com^$document +||violationphysics.click^$document +||visualmirage.co^$document +||vizoalygrenn.com^$document +||vmmcdn.com^$document +||vnte9urn.click^$document +||volleyballachiever.site^$document +||voluumtrk.com^$document +||vpn-offers.org^$document +||w0we.com^$document +||waisheph.com^$document +||walhe-dap.com^$document +||want-some-psh.com^$document +||wbidder.online^$document +||wbidder3.com^$document +||web-protection-app.com^$document +||webfanclub.com^$document +||webmedrtb.com^$document +||websphonedevprivacy.autos^$document +||wewearegogogo.com^$document +||whaurgoopou.com^$document +||wheceelt.net^$document +||where-to.shop^$document +||whoumpouks.net^$document +||wifescamara.click^$document +||wingoodprize.life^$document +||winsimpleprizes.life^$document +||wintrck.com^$document +||woevr.com^$document +||womadsmart.com^$document +||wovensur.com^$document +||wuujae.com^$document +||x2tsa.com^$document +||xadsmart.com^$document +||xarvilo.com^$document +||xdownloadright.com^$document +||xlivrdr.com^$document +||xml-clickurl.com^$document +||xml-v4.lensgard-3.online^$document +||xoilactv123.gdn^$document +||xoilactvcj.cc^$document +||xstalkx.ru^$document +||xszpuvwr7.com^$document +||yohavemix.live^$document +||youradexchange.com^$document +||zavirand.com^$document +! Third-party +||123date.me^$third-party +||152media.com^$third-party +||2beon.co.kr^$third-party +||2leep.com^$third-party +||2mdn.net^$~media,third-party +||33across.com^$third-party +||360ads.com^$third-party +||360installer.com^$third-party +||4affiliate.net^$third-party +||4cinsights.com^$third-party +||4dsply.com^$third-party +||888media.net^$third-party +||9desires.xyz^$third-party +||a-static.com^$third-party +||a.raasnet.com^$third-party +||a2dfp.net^$third-party +||a2zapk.com^$script,subdocument,third-party,xmlhttprequest +||a433.com^$third-party +||a4g.com^$third-party +||aaddcount.com^$third-party +||aanetwork.vn^$third-party +||abnad.net^$third-party +||aboutads.quantcast.com^$third-party +||acronym.com^$third-party +||actiondesk.com^$third-party +||activedancer.com^$third-party +||ad-adapex.io^$third-party +||ad-mixr.com^$third-party +||ad-tech.ru^$third-party +||ad.plus^$third-party +||ad.style^$third-party +||ad20.net^$third-party +||ad2adnetwork.biz^$third-party +||ad2bitcoin.com^$third-party +||ad4989.co.kr^$third-party +||ad4game.com^$third-party +||ad6media.fr^$third-party +||adacado.com^$third-party +||adacts.com^$third-party +||adadvisor.net^$third-party +||adagora.com^$third-party +||adalliance.io^$third-party +||adalso.com^$third-party +||adamatic.co^$third-party +||adaos-ads.net^$third-party +||adapd.com^$third-party +||adapex.io^$third-party +||adatrix.com^$third-party +||adbard.net^$third-party +||adbasket.net^$third-party +||adbetclickin.pink^$third-party +||adbetnet.com^$third-party +||adbetnetwork.com^$third-party +||adbit.biz^$third-party +||adcalm.com^$third-party +||adcell.com^$third-party +||adclickafrica.com^$third-party +||adcolony.com^$third-party +||adconity.com^$third-party +||adconscious.com^$third-party +||addoor.net^$third-party +||addroid.com^$third-party +||addynamix.com^$third-party +||addynamo.net^$third-party +||adecn.com^$third-party +||adedy.com^$third-party +||adelement.com^$third-party +||ademails.com^$third-party +||adenc.co.kr^$third-party +||adengage.com^$third-party +||adentifi.com^$third-party +||adespresso.com^$third-party +||adf01.net^$third-party +||adfinity.pro^$third-party +||adfinix.com^$third-party +||adforgames.com^$third-party +||adfrika.com^$third-party +||adgage.es^$third-party +||adgatemedia.com^$third-party +||adgear.com^$third-party +||adgebra.in^$third-party +||adgitize.com^$third-party +||adgrid.io^$third-party +||adgroups.com^$third-party +||adgrx.com^$third-party +||adhash.com^$third-party +||adhaven.com^$third-party +||adhese.be^$third-party +||adhese.com^$third-party +||adhese.net^$third-party +||adhigh.net^$third-party +||adhitzads.com^$third-party +||adhostingsolutions.com^$third-party +||adhouse.pro^$third-party +||adhunt.net^$third-party +||adicate.com^$third-party +||adikteev.com^$third-party +||adimise.com^$third-party +||adimpact.com^$third-party +||adinc.co.kr^$third-party +||adinc.kr^$third-party +||adinch.com^$third-party +||adincon.com^$third-party +||adindigo.com^$third-party +||adingo.jp^$third-party +||adinplay.com^$third-party +||adinplay.workers.dev^$third-party +||adintend.com^$third-party +||adinterax.com^$third-party +||adinvigorate.com^$third-party +||adipolo.com^$third-party +||adipolosolutions.com^$third-party +||adireland.com^$third-party +||adireto.com^$third-party +||adisfy.com^$third-party +||adisn.com^$third-party +||adit-media.com^$third-party +||adition.com^$~image,third-party +||aditize.com^$third-party +||aditude.io^$third-party +||adjal.com^$third-party +||adjector.com^$third-party +||adjesty.com^$third-party +||adjug.com^$third-party +||adjuggler.com^$third-party +||adjuggler.net^$third-party +||adjungle.com^$third-party +||adjust.com^$script,third-party +||adk2.co^$third-party +||adk2.com^$third-party +||adk2x.com^$third-party +||adklip.com^$third-party +||adknock.com^$third-party +||adknowledge.com^$third-party +||adkonekt.com^$third-party +||adkova.com^$third-party +||adlatch.com^$third-party +||adlayer.net^$third-party +||adlegend.com^$third-party +||adlightning.com^$third-party +||adline.com^$third-party +||adlink.net^$third-party +||adlive.io^$third-party +||adloaded.com^$third-party +||adlook.me^$third-party +||adloop.co^$third-party +||adlooxtracking.com^$third-party +||adlpartner.com^$third-party +||adlux.com^$third-party +||adm-vids.info^$third-party +||adm.shinobi.jp^$third-party +||adman.gr^$third-party +||admaru.com^$third-party +||admatic.com.tr^$third-party +||admaxim.com^$third-party +||admedia.com^$third-party +||admetricspro.com^$third-party +||admost.com^$third-party +||admulti.com^$third-party +||adnami.io^$third-party +||adnet.biz^$third-party +||adnet.com^$third-party +||adnet.de^$third-party +||adnet.lt^$third-party +||adnet.ru^$third-party +||adnext.pl^$third-party +||adnimation.com^$third-party +||adnitro.pro^$third-party +||adnium.com^$third-party +||adnmore.co.kr^$third-party +||adnow.com^$third-party +||adnuntius.com^$third-party +||adomik.com^$third-party +||adonnews.com^$third-party +||adoperator.com^$third-party +||adoptim.com^$third-party +||adorika.com^$third-party +||adorion.net^$third-party +||adosia.com^$third-party +||adoto.net^$third-party +||adparlor.com^$third-party +||adpay.com^$third-party +||adpays.net^$third-party +||adpeepshosted.com^$third-party +||adperfect.com^$third-party +||adplugg.com^$third-party +||adpnut.com^$third-party +||adport.io^$third-party +||adpredictive.com^$third-party +||adpushup.com^$third-party +||adquire.com^$third-party +||adqva.com^$third-party +||adreactor.com^$third-party +||adrecord.com^$third-party +||adrecover.com^$third-party +||adrelayer.com^$third-party +||adresellers.com^$third-party +||adrevolver.com^$third-party +||adrise.de^$third-party +||adro.co^$third-party +||adrocket.com^$third-party +||adroll.com^$third-party +||adrsp.net^$third-party +||ads-pixiv.net^$third-party +||ads.cc^$third-party +||ads01.com^$third-party +||ads4media.online^$third-party +||adsbookie.com^$third-party +||adscout.io^$third-party +||adscpm.net^$third-party +||adsenix.com^$third-party +||adserve.com^$third-party +||adservingfactory.com^$third-party +||adsexse.com^$third-party +||adsfast.com^$third-party +||adsforallmedia.com^$third-party +||adshot.de^$third-party +||adshuffle.com^$third-party +||adsiduous.com^$third-party +||adsight.nl^$third-party +||adslivecorp.com^$third-party +||adsmart.hk^$third-party +||adsninja.ca^$third-party +||adsniper.ru^$third-party +||adsolutely.com^$third-party +||adsparc.net^$third-party +||adspeed.com^$third-party +||adspruce.com^$third-party +||adsquirrel.ai^$third-party +||adsreference.com^$third-party +||adsring.com^$third-party +||adsrv4k.com^$third-party +||adsrvmedia.com^$third-party +||adstargeting.com^$third-party +||adstargets.com^$third-party +||adsterra.com^$third-party +||adsterratech.com^$third-party +||adstock.pro^$third-party +||adstoo.com^$third-party +||adstudio.cloud^$third-party +||adstuna.com^$third-party +||adsummos.net^$third-party +||adsupermarket.com^$third-party +||adsvert.com^$third-party +||adsync.tech^$third-party +||adtarget.com.tr^$third-party +||adtarget.market^$third-party +||adtdp.com^$third-party +||adtear.com^$third-party +||adtech.de^$third-party +||adtechium.com^$third-party +||adtechjp.com^$third-party +||adtechus.com^$third-party +||adtegrity.net^$third-party +||adteractive.com^$third-party +||adthrive.com^$third-party +||adtival.network^$third-party +||adtrafficquality.google^$third-party +||adtrix.com^$third-party +||adultadworld.com^$third-party +||adultimate.net^$third-party +||adup-tech.com^$third-party +||adv-adserver.com^$third-party +||advanseads.com^$third-party +||advarkads.com^$third-party +||advcash.com^$third-party +||adventori.com^$third-party +||adventurefeeds.com^$third-party +||adversal.com^$third-party +||adverticum.net^$third-party +||advertise.com^$third-party +||advertisespace.com^$third-party +||advertising365.com^$third-party +||advertnative.com^$third-party +||advertone.ru^$third-party +||advertserve.com^$third-party +||advertsource.co.uk^$third-party +||advertur.ru^$third-party +||advg.jp^$third-party +||adviad.com^$third-party +||advideum.com^$third-party +||advinci.net^$third-party +||advmd.com^$third-party +||advmedia.io^$third-party +||advmedialtd.com^$third-party +||advnetwork.net^$third-party +||advombat.ru^$third-party +||advon.net^$third-party +||advpoints.com^$third-party +||advsnx.net^$third-party +||adwebster.com^$third-party +||adworkmedia.net^$third-party +||adworldmedia.com^$third-party +||adworldmedia.net^$third-party +||adx.io^$third-party +||adx.ws^$third-party +||adxoo.com^$third-party +||adxpose.com^$third-party +||adxpremium.com^$third-party +||adxpub.com^$third-party +||adyoulike.com^$third-party +||adysis.com^$third-party +||adzbazar.com^$third-party +||adzerk.net^$third-party +||adzouk.com^$third-party +||adzs.nl^$third-party +||adzyou.com^$third-party +||affbuzzads.com^$third-party +||affec.tv^$third-party +||affifix.com^$third-party +||affiliate-b.com^$third-party +||affiliateedge.com^$third-party +||affiliategroove.com^$third-party +||affilimatejs.com^$third-party +||affilist.com^$third-party +||afishamedia.net^$third-party +||afp.ai^$third-party +||afrikad.com^$third-party +||afront.io^$third-party +||afy11.net^$third-party +||afyads.com^$third-party +||aim4media.com^$third-party +||ainsyndication.com^$third-party +||airfind.com^$third-party +||akavita.com^$third-party +||aklamator.com^$third-party +||alienhub.xyz^$third-party +||alimama.com^$third-party +||allmediadesk.com^$third-party +||alloha.tv^$third-party +||alpha-affiliates.com^$third-party +||alright.network^$third-party +||amateur.cash^$third-party +||amobee.com^$third-party +||andbeyond.media^$third-party +||aniview.com^$third-party +||anrdoezrs.net/image- +||anrdoezrs.net/placeholder- +||anyclip-media.com^$third-party +||anymedia.lv^$third-party +||anyxp.com^$third-party +||aorms.com^$third-party +||aorpum.com^$third-party +||apex-ad.com^$third-party +||apexcdn.com^$third-party +||aphookkensidah.pro^$third-party +||apmebf.com^$third-party +||applixir.com^$third-party +||appnext.com^$third-party +||apprupt.com^$third-party +||apptap.com^$third-party +||apxtarget.com^$third-party +||apycomm.com^$third-party +||apyoth.com^$third-party +||aqua-adserver.com^$third-party +||arcadebannerexchange.org^$third-party +||arcadechain.com^$third-party +||armanet.co^$third-party +||armanet.us^$third-party +||artsai.com^$third-party +||assemblyexchange.com^$third-party +||assoc-amazon.ca^$third-party +||assoc-amazon.co.uk^$third-party +||assoc-amazon.com^$third-party +||assoc-amazon.de^$third-party +||assoc-amazon.es^$third-party +||assoc-amazon.fr^$third-party +||assoc-amazon.it^$third-party +||asterpix.com^$third-party +||auctionnudge.com^$third-party +||audience.io^$third-party +||audience2media.com^$third-party +||audiencerun.com^$third-party +||autoads.asia^$third-party +||automatad.com^$third-party +||awsmer.com^$third-party +||axiaffiliates.com^$third-party +||azadify.com^$third-party +||backbeatmedia.com^$third-party +||backlinks.com^$third-party +||ban-host.ru^$third-party +||bannerbank.ru^$third-party +||bannerbit.com^$third-party +||bannerboo.com^$third-party +||bannerbridge.net^$third-party +||bannerconnect.com^$third-party +||bannerconnect.net^$third-party +||bannerdealer.com^$third-party +||bannerflow.com^$third-party +||bannerflux.com^$third-party +||bannerignition.co.za^$third-party +||bannerrage.com^$third-party +||bannersmall.com^$third-party +||bannersmania.com^$third-party +||bannersnack.com^$third-party,domain=~bannersnack.dev +||bannersnack.net^$third-party,domain=~bannersnack.dev +||bannerweb.com^$third-party +||bannieres-a-gogo.com^$third-party +||baronsoffers.com^$third-party +||batch.com^$third-party +||bbelements.com^$third-party +||bbuni.com^$third-party +||beaconads.com^$third-party +||beaverads.com^$third-party +||bebi.com^$third-party +||beead.co.uk^$third-party +||beead.net^$third-party +||begun.ru^$third-party +||behave.com^$third-party +||belointeractive.com^$third-party +||benfly.net^$third-party +||beringmedia.com^$third-party +||bestcasinopartner.com^$third-party +||bestcontentcompany.top^$third-party +||bestcontentsoftware.top^$third-party +||bestforexpartners.com^$third-party +||besthitsnow.com^$third-party +||bestodds.com^$third-party +||bestofferdirect.com^$third-party +||bestonlinecoupons.com^$third-party +||bet3000partners.com^$third-party +||bet365affiliates.com^$third-party +||betoga.com^$third-party +||betpartners.it^$third-party +||betrad.com^$third-party +||bettercollective.rocks^$third-party +||bidfilter.com^$third-party +||bidgear.com^$third-party +||bidscape.it^$third-party +||bidvertiser.com^$third-party +||bidvol.com^$third-party +||bigpipes.co^$third-party +||bigpulpit.com^$third-party +||bigspyglass.com^$third-party +||bildirim.eu^$third-party +||bimbim.com^$third-party +||bin-layer.de^$third-party +||binlayer.com^$third-party +||binlayer.de^$third-party +||biskerando.com^$third-party +||bitcoadz.io^$third-party +||bitcoset.com^$third-party +||bitonclick.com^$third-party +||bitraffic.com^$third-party +||bitspush.io^$third-party +||bittads.com^$third-party +||bittrafficads.com^$third-party +||bizx.info^$third-party +||bizzclick.com^$third-party +||bliink.io^$third-party +||blogads.com^$third-party +||blogclans.com^$third-party +||bluetoad.com^$third-party +||blzz.xyz^$third-party +||bmfads.com^$third-party +||bodis.com^$third-party +||bogads.com^$third-party +||bonzai.co^$third-party +||boo-box.com^$third-party +||boostable.com^$third-party +||boostads.net^$third-party +||braun634.com^$third-party +||brealtime.com^$third-party +||bricks-co.com^$third-party +||broadstreetads.com^$third-party +||browsekeeper.com^$third-party +||btrll.com^$third-party +||btserve.com^$third-party +||bucketsofbanners.com^$third-party +||budurl.com^$third-party +||buildtrafficx.com^$third-party +||buleor.com^$third-party +||bumq.com^$third-party +||bunny-net.com^$third-party +||burjam.com^$third-party +||burstnet.com^$third-party +||businesscare.com^$third-party +||businessclick.com^$third-party +||buxflow.com^$third-party +||buxp.org^$third-party +||buycheaphost.net^$third-party +||buyflood.com^$third-party +||buyorselltnhomes.com^$third-party +||buysellads.com^$third-party +||buysellads.net^$third-party +||buyt.in^$third-party +||buzzadexchange.com^$third-party +||buzzadnetwork.com^$third-party +||buzzcity.net^$third-party +||buzzonclick.com^$third-party +||buzzoola.com^$third-party +||buzzparadise.com^$third-party +||bwinpartypartners.com^$third-party +||byspot.com^$third-party +||c-on-text.com^$third-party +||camghosts.com^$third-party +||camonster.com^$third-party +||campaignlook.com^$third-party +||capacitygrid.com^$third-party +||caroda.io^$third-party +||casino-zilla.com^$third-party +||cazamba.com^$third-party +||cb-content.com^$third-party +||cdn.mcnn.pl^$third-party +||cdn.perfdrive.com^$third-party +||cdnreference.com^$third-party +||charltonmedia.com^$third-party +||chitika.com^$third-party +||chpadblock.com^$~image +||cibleclick.com^$third-party +||cinarra.com^$third-party +||citrusad.com^$third-party +||city-ads.de^$third-party +||ck-cdn.com^$third-party +||clash-media.com^$third-party +||cleafs.com^$third-party +||clean-1-clean.club^$third-party +||cleverads.vn^$third-party +||clickable.com^$third-party +||clickad.pl^$third-party +||clickadilla.com^$third-party +||clickadu.com^$third-party +||clickbet88.com^$third-party +||clickcertain.com^$third-party +||clickdaly.com^$third-party +||clickfilter.co^$third-party +||clickfuse.com^$third-party +||clickinc.com^$third-party +||clickintext.net^$third-party +||clickmagick.com^$third-party +||clickmon.co.kr^$third-party +||clickoutcare.io^$third-party +||clickpoint.com^$third-party +||clicksor.com^$third-party +||clicktripz.com^$third-party +||clixco.in^$third-party +||clixtrac.com^$third-party +||clkmg.com^$third-party +||cluep.com^$third-party +||code.adsinnov.com^$third-party +||codegown.care^$third-party +||cogocast.net^$third-party +||coguan.com^$third-party +||coinads.io^$third-party +||coinmedia.co^$third-party +||cointraffic.io^$third-party +||coinzilla.io^$third-party +||commissionfactory.com.au^$third-party +||commissionmonster.com^$third-party +||comscore.com^$third-party +||connexity.net^$third-party +||consumable.com^$third-party +||contaxe.com^$third-party +||content-cooperation.com^$third-party +||contentiq.com^$third-party +||contenture.com^$third-party +||contextads.live^$third-party +||contextuads.com^$third-party +||cookpad-ads.com^$third-party +||coolerads.com^$third-party +||coull.com^$third-party +||cpaclickz.com^$third-party +||cpagrip.com^$third-party +||cpalead.com^$third-party +||cpfclassifieds.com^$third-party +||cpm.media^$third-party +||cpmleader.com^$third-party +||crakmedia.com^$third-party +||crazyrocket.io^$third-party +||crispads.com^$third-party +||croea.com^$third-party +||cryptoad.space^$third-party +||cryptocoinsad.com^$third-party +||cryptoecom.care^$third-party +||cryptotrials.care^$third-party +||ctrhub.com^$third-party +||ctrmanager.com^$third-party +||ctxtfl.com^$third-party +||cuelinks.com^$third-party +||currentlyobsessed.me^$third-party +||cybmas.com^$third-party +||czilladx.com^$third-party +||dable.io^$third-party +||dailystuffall.com^$third-party +||danbo.org^$third-party +||datawrkz.com^$third-party +||dating-service.net^$third-party +||datinggold.com^$third-party +||dblks.net^$third-party +||dedicatednetworks.com^$third-party +||deepintent.com^$third-party +||desipearl.com^$third-party +||dev2pub.com^$third-party +||developermedia.com^$third-party +||dgmaxinteractive.com^$third-party +||dianomi.com^$third-party +||digipathmedia.com^$third-party +||digitaladvertisingalliance.org^$third-party +||digitalaudience.io^$third-party +||digitalkites.com^$third-party +||digitalpush.org^$third-party +||digitalthrottle.com^$third-party +||disqusads.com^$third-party +||dl-protect.net^$third-party +||dochase.com^$third-party +||domainadvertising.com^$third-party +||dotomi.com^$third-party +||doubleclick.com^ +||doubleclick.net^ +||doubleverify.com^$third-party +||dpbolvw.net/image- +||dpbolvw.net/placeholder- +||dreamaquarium.com^$third-party +||dropkickmedia.com^$third-party +||dstillery.com^$third-party +||dt00.net^$third-party +||dt07.net^$third-party +||dualeotruyen.net^$third-party +||dumedia.ru^$third-party +||dynad.net^$third-party +||dynamicoxygen.com^$third-party +||e-generator.com^$third-party +||e-planning.net^$third-party +||e-viral.com^$third-party +||eadsrv.com^$third-party +||easy-ads.com^$third-party +||easyhits4u.com^$third-party +||easyinline.com^$third-party +||ebayclassifiedsgroup.com^$third-party +||ebayobjects.com.au^$third-party +||eboundservices.com^$third-party +||eclick.vn^$third-party +||ednplus.com^$third-party +||egadvertising.com^$third-party +||egamingonline.com^$third-party +||egamiplatform.tv^$third-party +||eksiup.com^$third-party +||ematicsolutions.com^$third-party +||emediate.se^$third-party +||erling.online^$third-party +||eroterest.net^$third-party +||essayads.com^$third-party +||essaycoupons.com^$third-party +||et-code.ru^$third-party +||etargetnet.com^$third-party +||ethereumads.com^$third-party +||ethicalads.io^$third-party +||etology.com^$third-party +||evolvemediallc.com^$third-party +||evolvenation.com^$third-party +||exactdrive.com^$third-party +||exchange4media.com^$third-party +||exitbee.com^$third-party +||exitexplosion.com^$third-party +||exmarketplace.com^$third-party +||exponential.com^$third-party +||eyewonder.com^$third-party +||fapcat.com^$third-party +||faspox.com^$third-party +||fast-redirecting.com^$third-party +||fast2earn.com^$third-party +||feature.fm^$third-party +||fireflyengagement.com^$third-party +||fireworkadservices.com^$third-party +||fireworkadservices1.com^$third-party +||firstimpression.io^$third-party +||fisari.com^$third-party +||fixionmedia.com^$third-party +||flashtalking.com^$third-party,domain=~toggo.de +||flower-ads.com^$third-party +||flx2.pnl.agency^$third-party +||flyersquare.com^$third-party +||flymyads.com^$third-party +||foremedia.net^$third-party +||forex-affiliate.com^$third-party +||forexprostools.com^$third-party +||free3dgame.xyz^$third-party +||freedomadnetwork.com^$third-party +||freerotator.com^$third-party +||friendlyduck.com^$third-party +||fruitkings.com^$third-party +||gainmoneyfast.com^$third-party +||gambling-affiliation.com^$third-party +||game-clicks.com^$third-party +||gayadnetwork.com^$third-party +||geozo.com^$third-party +||germaniavid.com^$third-party +||girls.xyz^$third-party +||goadserver.com^$third-party +||goclicknext.com^$third-party +||gourmetads.com^$third-party +||gplinks.in^$third-party +||grabo.bg^$third-party +||graciamediaweb.com^$third-party +||grafpedia.com^$third-party +||grapeshot.co.uk^$third-party +||greedseed.world^$third-party +||gripdownload.co^$third-party +||groovinads.com^$third-party +||growadvertising.com^$third-party +||grv.media^$third-party +||grvmedia.com^$third-party +||guitaralliance.com^$third-party +||gumgum.com^$third-party +||gururevenue.com^$third-party +||havetohave.com^$third-party +||hbwrapper.com^$third-party +||headbidder.net^$third-party +||headerbidding.ai^$third-party +||headerlift.com^$third-party +||healthtrader.com^$third-party +||horse-racing-affiliate-program.co.uk^$third-party +||hot-mob.com^$third-party +||hotelscombined.com.au^$third-party +||hprofits.com^$third-party +||httpool.com^$third-party +||hypelab.com^$third-party +||hyros.com^$third-party +||ibannerexchange.com^$third-party +||ibillboard.com^$third-party +||icorp.ro^$third-party +||idevaffiliate.com^$third-party +||idreammedia.com^$third-party +||imediaaudiences.com^$third-party +||imho.ru^$third-party +||imonomy.com^$third-party +||impact-ad.jp^$third-party +||impactify.io^$third-party +||impresionesweb.com^$third-party +||improvedigital.com^$third-party +||increaserev.com^$third-party +||indianbannerexchange.com^$third-party +||indianlinkexchange.com^$third-party +||indieclick.com^$third-party +||indofad.com^$third-party +||indoleads.com^$third-party +||industrybrains.com^$third-party +||inetinteractive.com^$third-party +||infectiousmedia.com^$third-party +||infinite-ads.com^$third-party +||infinityads.com^$third-party +||influads.com^$third-party +||infolinks.com^$third-party +||infostation.digital^$third-party +||ingage.tech^$third-party +||innity.com^$third-party +||innovid.com^$third-party +||insideall.com^$third-party +||inskinad.com^$third-party +||inskinmedia.com^$~stylesheet,third-party +||instantbannercreator.com^$third-party +||insticator.com^$third-party +||instreamvideo.ru^$third-party +||insurads.com^$third-party +||integr8.digital^$third-party +||intenthq.com^$third-party +||intentiq.com^$third-party +||interactiveads.ai^$third-party +||interadv.net^$third-party +||interclick.com^$third-party +||interesting.cc^$third-party +||intergi.com^$third-party +||interpolls.com^$third-party +||interworksmedia.co.kr^$third-party +||intextad.net^$third-party +||intextdirect.com^$third-party +||intextual.net^$third-party +||intgr.net^$third-party +||intimlife.net^$third-party +||intopicmedia.com^$third-party +||intravert.co^$third-party +||inuvo.com^$third-party +||inuxu.co.in^$third-party +||investnewsbrazil.com^$third-party +||inviziads.com^$third-party +||involve.asia^$third-party +||ip-adress.com^$third-party +||ipromote.com^$third-party +||jango.com^$third-party +||javbuzz.com^$third-party +||jewishcontentnetwork.com^$third-party +||jivox.com^$third-party +||jobbio.com^$third-party +||journeymv.com^$third-party +||jubna.com^$third-party +||juicyads.com^$script,third-party +||juicyads.com^$third-party +||kaprila.com^$third-party +||kargo.com^$third-party +||kiosked.com^$third-party +||klakus.com^$third-party +||komoona.com^$third-party +||kovla.com^$third-party +||kurzycz.care^$third-party +||laim.tv^$third-party +||lanistaconcepts.com^$third-party +||lcwfab1.com^$third-party +||lcwfab2.com^$third-party +||lcwfab3.com^$third-party +||lcwfabt1.com^$third-party +||lcwfabt2.com^$third-party +||lcwfabt3.com^$third-party +||lhkmedia.in^$third-party +||lijit.com^$third-party +||linkexchangers.net^$third-party +||linkgrand.com^$third-party +||links2revenue.com^$third-party +||linkslot.ru^$third-party +||linksmart.com^$third-party +||linkstorm.net^$third-party +||linkwash.de^$third-party +||linkworth.com^$third-party +||liqwid.net^$third-party +||listingcafe.com^$third-party +||liveadexchanger.com^$third-party +||liveadoptimizer.com^$third-party +||liveburst.com^$third-party +||liverail.com^$~object,third-party +||livesmarter.com^$third-party +||liveuniversenetwork.com^$third-party +||localsearch24.co.uk^$third-party +||lockerdome.com^$third-party +||logo-net.co.uk^$third-party +||looksmart.com^$third-party +||loopaautomate.com^$third-party +||love-banner.com^$third-party +||lustre.ai^$script,third-party +||magetic.com^$third-party +||magnetisemedia.com^$third-party +||mahimeta.com^$third-party +||mail-spinner.com^$third-party +||mangoads.net^$third-party +||mantisadnetwork.com^$third-party +||marfeel.com^$third-party +||markethealth.com^$third-party +||marketleverage.com^$third-party +||marsads.com^$third-party +||mcontigo.com^$third-party +||media.net^$third-party +||mediaad.org^$third-party +||mediacpm.pl^$third-party +||mediaffiliation.com^$third-party +||mediaforce.com^$third-party +||mediafuse.com^$third-party +||mediatarget.com^$third-party +||mediatradecraft.com^$third-party +||mediavine.com^$third-party +||meendocash.com^$third-party +||meloads.com^$third-party +||metaffiliation.com^$third-party,domain=~netaffiliation.com +||mgid.com^$third-party +||microad.jp^$third-party +||midas-network.com^$third-party +||millionsview.com^$third-party +||mindlytix.com^$third-party +||mixadvert.com^$third-party +||mixi.media^$third-party +||mobday.com^$third-party +||mobile-10.com^$third-party +||monetixads.com^$third-party +||multiview.com^$third-party +||myaffiliates.com^$third-party +||n2s.co.kr^$third-party +||naitive.pl^$third-party +||nanigans.com^$third-party +||nativeads.com^$third-party +||nativemedia.rs^$third-party +||nativeone.pl^$third-party +||nativeroll.tv^$third-party +||nativery.com^$third-party +||nativespot.com^$third-party +||neobux.com^$third-party +||neodatagroup.com^$third-party +||neoebiz.co.kr^$third-party +||neoffic.com^$third-party +||neon.today^$third-party +||netaffiliation.com^$~script,third-party +||netavenir.com^$third-party +||netinsight.co.kr^$third-party +||netizen.co^$third-party +||netliker.com^$third-party +||netloader.cc^$third-party +||netpub.media^$third-party +||netseer.com^$third-party +||netshelter.net^$third-party +||netsolads.com^$third-party +||networkad.net^$third-party +||networkmanag.com^$third-party +||networld.hk^$third-party +||neudesicmediagroup.com^$third-party +||newdosug.eu^$third-party +||newormedia.com^$third-party +||newsadsppush.com^$third-party +||newsnet.in.ua^$third-party +||newstogram.com^$third-party +||newtueads.com^$third-party +||newwedads.com^$third-party +||nexac.com^$third-party +||nexage.com^$third-party +||nexeps.com^$third-party +||nextclick.pl^$third-party +||nextmillennium.io^$third-party +||nextoptim.com^$third-party +||nitmus.com^$third-party +||nitropay.com^$third-party +||njih.net^$third-party +||notsy.io^$third-party +||nsstatic.com^$third-party +||nsstatic.net^$third-party +||nster.net^$third-party +||ntent.com^$third-party +||numbers.md^$third-party +||objects.tremormedia.com^$~object,third-party +||oboxads.com^$third-party +||oceanwebcraft.com^$third-party +||ocelot.studio^$third-party +||oclus.com^$third-party +||odysseus-nua.com^$third-party +||ofeetles.pro^$third-party +||offerforge.com^$third-party +||offerforge.net^$third-party +||offerserve.com^$third-party +||og-affiliate.com^$third-party +||okanjo.com^$third-party +||onetag-sys.com^$third-party +||onlyalad.net^$third-party +||onsafelink.com^$script,third-party +||onscroll.com^$third-party +||onvertise.com^$third-party +||oogala.com^$third-party +||oopt.fr^$third-party +||oos4l.com^$third-party +||openbook.net^$third-party +||opt-intelligence.com^$third-party +||optiads.org^$third-party +||optimads.info^$third-party +||optinmonster.com^$third-party +||oriel.io^$third-party +||osiaffiliate.com^$third-party +||ospreymedialp.com^$third-party +||othersonline.com^$third-party +||otm-r.com^$third-party +||ownlocal.com^$third-party +||p-advg.com^$third-party +||p-digital-server.com^$third-party +||pagesinxt.com^$third-party +||paidonresults.net^$third-party +||paidsearchexperts.com^$third-party +||pakbanners.com^$third-party +||pantherads.com^$third-party +||papayads.net^$third-party +||paperclipservice.com^$third-party +||paperg.com^$third-party +||paradocs.ru^$third-party +||pariatonet.com^$third-party +||parkingcrew.net^$third-party +||parsec.media^$third-party +||partner-ads.com^$third-party +||partner.googleadservices.com^$third-party +||partner.video.syndication.msn.com^$~object,third-party +||partnerearning.com^$third-party +||partnermax.de^$third-party +||partnerstack.com^$third-party +||partycasino.com^$third-party +||partypoker.com^$third-party +||passendo.com^$third-party +||passive-earner.com^$third-party +||paydemic.com^$third-party +||paydotcom.com^$third-party +||payperpost.com^$third-party +||pebblemedia.be^$third-party +||peer39.com^$third-party +||penuma.com^$third-party +||pepperjamnetwork.com^$third-party +||perkcanada.com^$third-party +||persevered.com^$third-party +||pgammedia.com^$third-party +||placeiq.com^$third-party +||playamopartners.com^$third-party +||playmatic.video^$third-party +||playtem.com^$third-party +||pliblcc.com^$third-party +||pointclicktrack.com^$third-party +||points2shop.com^$third-party +||polisnetwork.io^$third-party +||polyvalent.co.in^$third-party +||popundertotal.com^$third-party +||popunderzone.com^$third-party +||popupdomination.com^$third-party +||postaffiliatepro.com^$third-party +||powerlinks.com^$third-party +||ppcwebspy.com^$third-party +||prebid.org^$third-party +||prebidwrapper.com^$third-party +||prezna.com^$third-party +||prf.hn^$third-party +||primis-amp.tech^$third-party +||profitsfly.com^$third-party +||promo-reklama.ru^$third-party +||proper.io^$third-party +||pub-3d10bad2840341eaa1c7e39b09958b46.r2.dev^$third-party +||pub-referral-widget.current.us^$third-party +||pubdirecte.com^$third-party +||pubfuture.com^$third-party +||pubgears.com^$third-party +||pubgenius.io^$third-party +||pubguru.com^$third-party +||publicidad.net^$third-party +||publicityclerks.com^$third-party +||publift.com^$third-party +||publir.com^$third-party +||publisher1st.com^$third-party +||pubscale.com^$third-party +||pubwise.io^$third-party +||puffnetwork.com^$third-party +||putlockertv.com^$third-party +||q1media.com^$third-party +||qashbits.com^$third-party +||quanta.la^$third-party +||quantumads.com^$third-party +||quantumdex.io^$third-party +||questus.com^$third-party +||qwertize.com^$third-party +||r2b2.cz^$third-party +||r2b2.io^$third-party +||rapt.com^$third-party +||reachjunction.com^$third-party +||reactx.com^$third-party +||readpeak.com^$third-party +||realbig.media^$third-party +||realclick.co.kr^$third-party +||realhumandeals.com^$third-party +||realssp.co.kr^$third-party +||rediads.com^$third-party +||redintelligence.net^$third-party +||redventures.io^$script,subdocument,third-party,xmlhttprequest +||reomanager.pl^$third-party +||reonews.pl^$third-party +||republer.com^$third-party +||revbid.net^$third-party +||revenueflex.com^$third-party +||revive-adserver.net^$third-party +||reyden-x.com^$third-party +||rhombusads.com^$third-party +||richads.com^$third-party +||richaudience.com^$third-party +||roirocket.com^$third-party +||rollercoin.com^$third-party +||rotaban.ru^$third-party +||rtbhouse.com^$third-party +||sabavision.com^$third-party +||salvador24.com^$third-party +||sape.ru^$third-party +||sba.about.co.kr^$third-party +||sbaffiliates.com^$third-party +||sbcpower.com^$third-party +||scanscout.com^$third-party +||scarlet-clicks.info^$third-party +||sceno.ru^$third-party +||scootloor.com^$third-party +||scrap.me^$third-party +||sedoparking.com^$third-party +||seedtag.com^$third-party +||selectad.com^$third-party +||sellhealth.com^$third-party +||selsin.net^$third-party +||sendwebpush.com^$third-party +||sensible-ads.com^$third-party +||servecontent.net^$third-party +||servedby-buysellads.com^$third-party,domain=~buysellads.com +||servemeads.com^$third-party +||sgbm.info^$third-party +||sharemedia.rs^$third-party +||sharethrough.com^$third-party +||shoofle.tv^$third-party +||shoogloonetwork.com^$third-party +||shopalyst.com^$third-party +||showcasead.com^$third-party +||showyoursite.com^$third-party +||shrinkearn.com^$third-party +||shrtfly.com^$third-party +||simpio.com^$third-party +||simpletraffic.co^$third-party +||simplyhired.com^$third-party +||sinogamepeck.com^$third-party +||sitemaji.com^$third-party +||sitesense-oo.com^$third-party +||sitethree.com^$third-party +||skinected.com^$third-party +||skymedia.co.uk^$third-party +||skyscrpr.com^$third-party +||slfpu.com^$third-party +||slikslik.com^$third-party +||slimspots.com^$third-party +||slimtrade.com^$third-party +||slopeaota.com^$third-party +||smac-ad.com^$third-party +||smac-ssp.com^$third-party +||smaclick.com^$third-party +||smartad.ee^$third-party +||smartadtags.com^$third-party +||smartadv.ru^$third-party +||smartasset.com^$third-party +||smartclip.net^$third-party,domain=~toggo.de +||smartico.one^$third-party +||smartredirect.de^$third-party +||smarttargetting.net^$third-party +||smartyads.com^$third-party +||smashpops.com^$third-party +||smilered.com^$third-party +||smileycentral.com^$third-party +||smljmp.com^$third-party +||smowtion.com^$third-party +||smpgfx.com^$third-party +||snack-media.com^$third-party +||sndkorea.co.kr^$third-party +||sni.ps^$third-party +||snigelweb.com^$third-party +||so-excited.com^$third-party +||soalouve.com^$third-party +||sochr.com^$third-party +||socialbirth.com^$third-party +||socialelective.com^$third-party +||sociallypublish.com^$third-party +||socialmedia.com^$third-party +||socialreach.com^$third-party +||socialspark.com^$third-party +||soicos.com^$third-party +||sonobi.com^$third-party +||sovrn.com^$third-party +||sparteo.com^$third-party +||speakol.com^$third-party +||splinky.com^$third-party +||splut.com^$third-party +||spokeoaffiliates.com^$third-party +||spolecznosci.net^$third-party +||sponsoredtweets.com^$third-party +||spotible.com^$third-party +||spotx.tv^$third-party +||springify.io^$third-party +||springserve.com^$~media,third-party +||sprintrade.com^$third-party +||sprout-ad.com^$third-party +||ssm.codes^$third-party +||starti.pl^$third-party +||statsperformdev.com^$third-party +||stratos.blue^$third-party +||streamdefence.com^$third-party +||strikead.com^$third-party +||strossle.com^$third-party +||struq.com^$third-party +||styleui.ru^$third-party +||subendorse.com^$third-party +||sublimemedia.net^$third-party +||submitexpress.co.uk^$third-party +||succeedscene.com^$third-party,xmlhttprequest +||suite6ixty6ix.com^$third-party +||suitesmart.com^$third-party +||sulvo.co^$third-party +||sumarketing.co.uk^$third-party +||sunmedia.net^$third-party +||superadexchange.com^$third-party +||superonclick.com^$third-party +||supersonicads.com^$third-party +||supletcedintand.pro^$third-party +||supplyframe.com^$third-party +||supuv2.com^$third-party +||surf-bar-traffic.com^$third-party +||surfe.pro^$third-party +||surgeprice.com^$third-party +||svlu.net^$third-party +||swbdds.com^$third-party +||swelen.com^$third-party +||switchadhub.com^$third-party +||swoop.com^$third-party +||swpsvc.com^$third-party +||synkd.life^$third-party +||tacoda.net^$third-party +||tacrater.com^$third-party +||tacticalrepublic.com^$third-party +||tafmaster.com^$third-party +||tagbucket.cc^$third-party +||tagdeliver.com^$third-party +||tagdelivery.com^$third-party +||taggify.net^$third-party +||tagjunction.com^$third-party +||tailsweep.com^$third-party +||takeads.com^$third-party +||talaropa.com^$third-party +||tangozebra.com^$third-party +||tanx.com^$third-party +||tapinfluence.com^$third-party +||tapnative.com^$third-party +||tardangro.com^$third-party +||targetnet.com^$third-party +||targetpoint.com^$third-party +||targetspot.com^$third-party +||tbaffiliate.com^$third-party +||teasernet.com^$third-party +||terratraf.com^$third-party +||testfilter.com^$third-party +||testnet.nl^$third-party +||text-link-ads.com^$third-party +||tgtmedia.com^$third-party +||themoneytizer.com^$third-party +||tkqlhce.com/image- +||tkqlhce.com/placeholder- +||tlvmedia.com^$third-party +||tmtrck.com^$third-party +||tollfreeforwarding.com^$third-party +||tonefuse.com^$third-party +||topadvert.ru^$third-party +||toroadvertising.com^$third-party +||trackuity.com^$third-party +||tradedoubler.com^$third-party +||tradeexpert.net^$third-party +||tradplusad.com^$third-party +||traffboost.net^$third-party +||traffer.net^$third-party +||traffic-media.co.uk^$third-party +||traffic-supremacy.com^$third-party +||traffic2bitcoin.com^$third-party +||trafficadbar.com^$third-party +||trafficforce.com^$third-party +||traffichaus.com^$third-party +||trafficjunky.com^$third-party +||trafficsan.com^$third-party +||trafficswarm.com^$third-party +||trafficwave.net^$third-party +||trafficzap.com^$third-party +||trafmag.com^$third-party +||trigr.co^$third-party +||triplelift.com^$third-party +||trker.com^$third-party +||trustx.org^$third-party +||trytada.com^$third-party +||tubeadvertising.eu^$third-party +||twads.gg^$third-party +||tyroo.com^$third-party +||ubercpm.com^$third-party +||ultrapartners.com^$third-party +||unblockia.com^$third-party +||undertone.com^$third-party +||unibots.in^$third-party +||unibotscdn.com^$third-party +||urlcash.net^$third-party +||usemax.de^$third-party +||usenetjunction.com^$third-party +||usepanda.com^$third-party +||utherverse.com^$third-party +||validclick.com^$third-party +||valuead.com^$third-party +||valuecommerce.com^$third-party +||vdo.ai^$third-party +||velti.com^$third-party +||vendexo.com^$third-party +||veoxa.com^$third-party +||vertismedia.co.uk^$third-party +||viads.com^$third-party +||viads.net^$third-party +||vibrantmedia.com^$third-party +||videoo.tv^$third-party +||videoroll.net^$third-party +||vidoomy.com^$third-party +||vidverto.io^$third-party +||viewtraff.com^$third-party +||vlyby.com^$third-party +||vupulse.com^$third-party +||w00tmedia.net^$third-party +||web3ads.net^$third-party +||webads.nl^$third-party +||webgains.com^$third-party +||weborama.fr^$third-party +||webshark.pl^$third-party +||webtrafic.ru^$third-party +||webwap.org^$third-party +||whatstheword.co^$third-party +||whizzco.com^$third-party +||wlmarketing.com^$third-party +||wmmediacorp.com^$third-party +||wordego.com^$third-party +||worthathousandwords.com^$third-party +||wwads.cn^$third-party +||xmlmonetize.com^$third-party +||xmtrading.com^$third-party +||xtendmedia.com^$third-party +||yeloads.com^$third-party +||yieldkit.com^$third-party +||yieldlove.com^$third-party +||yieldmo.com^$third-party +||yllix.com^$third-party +||yourfirstfunnelchallenge.com^$third-party +||zanox-affiliate.de/ppv/$third-party +||zanox.com/ppv/$third-party +||zap.buzz^$third-party +||zedo.com^$third-party +||zemanta.com^$third-party +||zeropark.com^$third-party +||ziffdavis.com^$third-party +||zwaar.org^$third-party +! Chinese google (https://github.com/easylist/easylist/issues/15643) +||2mdn-cn.net^ +||admob-cn.com^ +||doubleclick-cn.net^ +||googleads-cn.com^ +||googleadservices-cn.com^ +||googleadsserving.cn^ +||googlevads-cn.com^ +! ad-shield https://github.com/uBlockOrigin/uAssets/issues/26681 +||00701059.xyz^ +||00771944.xyz^ +||00857731.xyz^ +||01045395.xyz^ +||02777e.site^ +||03180d2d.live^ +||0395d1.xyz^ +||04424170.xyz^ +||05420795.xyz^ +||05454674.xyz^ +||05751c.site^ +||072551.xyz^ +||07421283.xyz^ +||076f66b2.live^ +||07e197.site^ +||08f8f073.xyz^ +||09745951.xyz^ +||09bd5a69.xyz^ +||0ae00c7c.xyz^ +||0c0b6e3f.xyz^ +||0d785fd7.xyz^ +||10288299.xyz^ +||10523745.xyz^ +||10614305.xyz^ +||10753990.xyz^ +||11152646.xyz^ +||1116c5.xyz^ +||11778562.xyz^ +||11c7a3.xyz^ +||1350c3.xyz^ +||14202444.xyz^ +||15223102.xyz^ +||15272973.xyz^ +||156fd4.xyz^ +||15752525.xyz^ +||16327739.xyz^ +||164de830.live^ +||16972675.xyz^ +||17022993.xyz^ +||19009143.xyz^ +||19199675.xyz^ +||19706903.xyz^ +||1a1fb6.xyz^ +||1c52e1e2.live^ +||1dd6e9ba.xyz^ +||1f6a725b.xyz^ +||20382207.xyz^ +||20519a.xyz^ +||20729617.xyz^ +||21274758.xyz^ +||22117898.xyz^ +||224cc86d.xyz^ +||22d2d4d9-0c15-4a3a-9562-384f2c100146.xyz^ +||22dd31.xyz^ +||23879858.xyz^ +||23907453.xyz^ +||24052107.live^ +||24837724.xyz^ +||258104d2.live^ +||285b0b37.xyz^ +||28d287b9.xyz^ +||295c.site^ +||2aeabdd4-3280-4f03-bc92-1890494f28be.xyz^ +||2d8bc293.xyz^ +||2d979880.xyz^ +||2edef809.xyz^ +||30937261.xyz^ +||32472254.xyz^ +||33848102.xyz^ +||33862684.xyz^ +||34475780.xyz^ +||36833185.xyz^ +||37066957.xyz^ +||38167473.xyz^ +||38835571.xyz^ +||38941752.xyz^ +||3a55f02d.xyz^ +||3ffa255f.xyz^ +||40451343.xyz^ +||4126fe80.xyz^ +||420db600.xyz^ +||42869755.xyz^ +||45496fee.xyz^ +||4602306b.xyz^ +||46276192.xyz^ +||466c4d0f.xyz^ +||47235645.xyz^ +||47296536.xyz^ +||47415889.xyz^ +||48304789.xyz^ +||485728.xyz^ +||48a16802.site^ +||48d8e4d6.xyz^ +||49333767.xyz^ +||49706204.xyz^ +||49766251.xyz^ +||4aae8f.site^ +||4afa45f1.xyz^ +||4e04f7.xyz^ +||4e55.xyz^ +||4e68.xyz^ +||4fb60fd0.xyz^ +||54019033.xyz^ +||54199287.xyz^ +||54eeeadb.xyz^ +||55766925.xyz^ +||55cc9d.xyz^ +||56514411.xyz^ +||58e0.site^ +||59644010.xyz^ +||59768910.xyz^ +||5cc3ac02.xyz^ +||5fd6bc.xyz^ +||60571086.xyz^ +||605efe.xyz^ +||634369.xyz^ +||6471e7f7.xyz^ +||65035033.xyz^ +||656f1ba3.xyz^ +||657475b7-0095-478d-90d4-96ce440604f9.online^ +||65894140.xyz^ +||68646f.xyz^ +||691f42ad.xyz^ +||6a6672.xyz^ +||70b927c8.live^ +||72075223.xyz^ +||72356275.xyz^ +||72560514.xyz^ +||72716408.xyz^ +||72888710.xyz^ +||73503921.xyz^ +||74142961.xyz^ +||75690049.xyz^ +||7608d5.xyz^ +||77886044.xyz^ +||7841ffda.xyz^ +||78847798.xyz^ +||78b78ff8.xyz^ +||79180284.xyz^ +||79893962.xyz^ +||7ca989e1.xyz^ +||7e60f1f9.xyz^ +||7e809ed7-e553-4e29-acb1-4e3c0e986562.site^ +||7fc8.site^ +||80133082.xyz^ +||814272c4.xyz^ +||83409127.xyz^ +||83761158.xyz^ +||83887336.xyz^ +||84631949.xyz^ +||86124673.xyz^ +||88129513.xyz^ +||88545539.xyz^ +||89263907.xyz^ +||89407765.xyz^ +||89871256.xyz^ +||8acc5c.site^ +||8b71e197.xyz^ +||8bf6c3e9-3f4f-40db-89b3-58248f943ce3.online^ +||8eef59a5.live^ +||91301246.xyz^ +||92790388.xyz^ +||9354ee72.xyz^ +||94597672.xyz^ +||97496b9d.xyz^ +||977878.xyz^ +||97b448.xyz^ +||98140548.xyz^ +||9814b49f.xyz^ +||98383163.xyz^ +||98738797.xyz^ +||98853171.xyz^ +||9bc639da.xyz^ +||a49ebd.xyz^ +||a5d2d040.xyz^ +||a67d12.xyz^ +||a8b68645.xyz^ +||a908a849.xyz^ +||acf705ad.xyz^ +||af6937a2.live^ +||b0eb63.xyz^ +||b0f2f18e.xyz^ +||b211.xyz^ +||b2bf222e.xyz^ +||b395bfcd.xyz^ +||b51475b8.xyz^ +||b59c.xyz^ +||b70456bf.xyz^ +||b714b1e8-4b7d-4ce9-a248-48fd5472aa0b.online^ +||b82978.xyz^ +||b903c2.xyz^ +||b9f25b.site^ +||ba0bf98c.xyz^ +||bc0ca74b.live^ +||bc98ad.xyz^ +||bcbe.site^ +||bd5a57.xyz^ +||bdec1f37.xyz^ +||c2a0076d.xyz^ +||c31133f7.xyz^ +||c76d1a1b.live^ +||ca3d.site^ +||ca9246.xyz^ +||caa2c4.xyz^ +||cd57296e.xyz^ +||ce357c.xyz^ +||ce56df44.xyz^ +||cf959857.live^ +||cfb98a.xyz^ +||d23d450d.xyz^ +||d477275c.xyz^ +||d84bc26d.site^ +||d8b0a5.xyz^ +||d980ed.xyz^ +||da28c69e.xyz^ +||dcad1d97.xyz^ +||dd2270.xyz^ +||de214f.xyz^ +||e076.xyz^ +||e75d10b9.live^ +||e8e2063b.xyz^ +||ea6c0ac4.xyz^ +||ec44.site^ +||f2f8.xyz^ +||f33d11b5.xyz^ +||f417a726.xyz^ +||f4c9a0fb.xyz^ +||f54cd504.xyz^ +||f6176563.site^ +||f6b458fd.xyz^ +||f700fa18.live^ +||f816e81d.xyz^ +||fadeb9a7-2417-4a51-8d99-0421a5622cbe.xyz^ +||fbfec2.xyz^ +||fe30a5b4.xyz^ +||fe9dc503.xyz^ +! ad-shield https://github.com/List-KR/List-KR/pull/892 +||00701059.xyz^$document,popup +||00771944.xyz^$document,popup +||00857731.xyz^$document,popup +||01045395.xyz^$document,popup +||02777e.site^$document,popup +||03180d2d.live^$document,popup +||0395d1.xyz^$document,popup +||04424170.xyz^$document,popup +||05420795.xyz^$document,popup +||05751c.site^$document,popup +||072551.xyz^$document,popup +||07421283.xyz^$document,popup +||076f66b2.live^$document,popup +||07c225f3.online^$document,popup +||07e197.site^$document,popup +||08f8f073.xyz^$document,popup +||09745951.xyz^$document,popup +||09bd5a69.xyz^$document,popup +||0ae00c7c.xyz^$document,popup +||0c0b6e3f.xyz^$document,popup +||0d785fd7.xyz^$document,popup +||10523745.xyz^$document,popup +||10614305.xyz^$document,popup +||10753990.xyz^$document,popup +||11152646.xyz^$document,popup +||1116c5.xyz^$document,popup +||11778562.xyz^$document,popup +||11c7a3.xyz^$document,popup +||1350c3.xyz^$document,popup +||14202444.xyz^$document,popup +||15223102.xyz^$document,popup +||15272973.xyz^$document,popup +||156fd4.xyz^$document,popup +||15752525.xyz^$document,popup +||16327739.xyz^$document,popup +||164de830.live^$document,popup +||16972675.xyz^$document,popup +||17022993.xyz^$document,popup +||19009143.xyz^$document,popup +||19199675.xyz^$document,popup +||19706903.xyz^$document,popup +||1a1fb6.xyz^$document,popup +||1c52e1e2.live^$document,popup +||1dd6e9ba.xyz^$document,popup +||1f6a725b.xyz^$document,popup +||20382207.xyz^$document,popup +||20519a.xyz^$document,popup +||20729617.xyz^$document,popup +||21274758.xyz^$document,popup +||22117898.xyz^$document,popup +||224cc86d.xyz^$document,popup +||22d2d4d9-0c15-4a3a-9562-384f2c100146.xyz^$document,popup +||22dd31.xyz^$document,popup +||23879858.xyz^$document,popup +||23907453.xyz^$document,popup +||24052107.live^$document,popup +||24837724.xyz^$document,popup +||258104d2.live^$document,popup +||285b0b37.xyz^$document,popup +||28d287b9.xyz^$document,popup +||295c.site^$document,popup +||2aeabdd4-3280-4f03-bc92-1890494f28be.xyz^$document,popup +||2d8bc293.xyz^$document,popup +||2d979880.xyz^$document,popup +||2edef809.xyz^$document,popup +||30937261.xyz^$document,popup +||32472254.xyz^$document,popup +||33848102.xyz^$document,popup +||33862684.xyz^$document,popup +||34475780.xyz^$document,popup +||36833185.xyz^$document,popup +||37066957.xyz^$document,popup +||38835571.xyz^$document,popup +||38941752.xyz^$document,popup +||3a55f02d.xyz^$document,popup +||3ffa255f.xyz^$document,popup +||40451343.xyz^$document,popup +||4126fe80.xyz^$document,popup +||420db600.xyz^$document,popup +||42869755.xyz^$document,popup +||45496fee.xyz^$document,popup +||4602306b.xyz^$document,popup +||46276192.xyz^$document,popup +||466c4d0f.xyz^$document,popup +||47296536.xyz^$document,popup +||47415889.xyz^$document,popup +||48304789.xyz^$document,popup +||485728.xyz^$document,popup +||48a16802.site^$document,popup +||48d8e4d6.xyz^$document,popup +||49333767.xyz^$document,popup +||49706204.xyz^$document,popup +||49766251.xyz^$document,popup +||4aae8f.site^$document,popup +||4afa45f1.xyz^$document,popup +||4e04f7.xyz^$document,popup +||4e55.xyz^$document,popup +||4e68.xyz^$document,popup +||4fb60fd0.xyz^$document,popup +||54019033.xyz^$document,popup +||54199287.xyz^$document,popup +||54eeeadb.xyz^$document,popup +||55766925.xyz^$document,popup +||55cc9d.xyz^$document,popup +||56514411.xyz^$document,popup +||58e0.site^$document,popup +||59644010.xyz^$document,popup +||59768910.xyz^$document,popup +||5cc3ac02.xyz^$document,popup +||5fd6bc.xyz^$document,popup +||60571086.xyz^$document,popup +||605efe.xyz^$document,popup +||634369.xyz^$document,popup +||6471e7f7.xyz^$document,popup +||65035033.xyz^$document,popup +||656f1ba3.xyz^$document,popup +||657475b7-0095-478d-90d4-96ce440604f9.online^$document,popup +||65894140.xyz^$document,popup +||68646f.xyz^$document,popup +||691f42ad.xyz^$document,popup +||6a6672.xyz^$document,popup +||70b927c8.live^$document,popup +||72075223.xyz^$document,popup +||72356275.xyz^$document,popup +||72560514.xyz^$document,popup +||72716408.xyz^$document,popup +||72888710.xyz^$document,popup +||73503921.xyz^$document,popup +||74142961.xyz^$document,popup +||75690049.xyz^$document,popup +||7608d5.xyz^$document,popup +||77886044.xyz^$document,popup +||7841ffda.xyz^$document,popup +||78847798.xyz^$document,popup +||78b78ff8.xyz^$document,popup +||79180284.xyz^$document,popup +||7ca989e1.xyz^$document,popup +||7e60f1f9.xyz^$document,popup +||7e809ed7-e553-4e29-acb1-4e3c0e986562.site^$document,popup +||7fc8.site^$document,popup +||80133082.xyz^$document,popup +||814272c4.xyz^$document,popup +||83409127.xyz^$document,popup +||83761158.xyz^$document,popup +||83887336.xyz^$document,popup +||84631949.xyz^$document,popup +||86124673.xyz^$document,popup +||88129513.xyz^$document,popup +||88545539.xyz^$document,popup +||89263907.xyz^$document,popup +||89407765.xyz^$document,popup +||89871256.xyz^$document,popup +||8acc5c.site^$document,popup +||8b71e197.xyz^$document,popup +||8bf6c3e9-3f4f-40db-89b3-58248f943ce3.online^$document,popup +||8eef59a5.live^$document,popup +||91301246.xyz^$document,popup +||92790388.xyz^$document,popup +||9354ee72.xyz^$document,popup +||94597672.xyz^$document,popup +||97496b9d.xyz^$document,popup +||977878.xyz^$document,popup +||97b448.xyz^$document,popup +||98140548.xyz^$document,popup +||9814b49f.xyz^$document,popup +||98383163.xyz^$document,popup +||98738797.xyz^$document,popup +||98853171.xyz^$document,popup +||9bc639da.xyz^$document,popup +||a49ebd.xyz^$document,popup +||a5d2d040.xyz^$document,popup +||a67d12.xyz^$document,popup +||a8b68645.xyz^$document,popup +||a908a849.xyz^$document,popup +||acf705ad.xyz^$document,popup +||af6937a2.live^$document,popup +||b0eb63.xyz^$document,popup +||b0f2f18e.xyz^$document,popup +||b211.xyz^$document,popup +||b2bf222e.xyz^$document,popup +||b395bfcd.xyz^$document,popup +||b51475b8.xyz^$document,popup +||b59c.xyz^$document,popup +||b70456bf.xyz^$document,popup +||b714b1e8-4b7d-4ce9-a248-48fd5472aa0b.online^$document,popup +||b82978.xyz^$document,popup +||b903c2.xyz^$document,popup +||b9f25b.site^$document,popup +||ba0bf98c.xyz^$document,popup +||bc0ca74b.live^$document,popup +||bc98ad.xyz^$document,popup +||bcbe.site^$document,popup +||bd5a57.xyz^$document,popup +||c2a0076d.xyz^$document,popup +||c31133f7.xyz^$document,popup +||c76d1a1b.live^$document,popup +||ca3d.site^$document,popup +||ca9246.xyz^$document,popup +||caa2c4.xyz^$document,popup +||cd57296e.xyz^$document,popup +||ce357c.xyz^$document,popup +||ce56df44.xyz^$document,popup +||cf959857.live^$document,popup +||cfb98a.xyz^$document,popup +||content-loader.com^$document,popup +||css-load.com^$document,popup +||d23d450d.xyz^$document,popup +||d477275c.xyz^$document,popup +||d84bc26d.site^$document,popup +||d8b0a5.xyz^$document,popup +||d980ed.xyz^$document,popup +||da28c69e.xyz^$document,popup +||dcad1d97.xyz^$document,popup +||dd2270.xyz^$document,popup +||de214f.xyz^$document,popup +||e076.xyz^$document,popup +||e75d10b9.live^$document,popup +||e8e2063b.xyz^$document,popup +||ea6c0ac4.xyz^$document,popup +||ec44.site^$document,popup +||f2f8.xyz^$document,popup +||f33d11b5.xyz^$document,popup +||f417a726.xyz^$document,popup +||f4c9a0fb.xyz^$document,popup +||f54cd504.xyz^$document,popup +||f6176563.site^$document,popup +||f6b458fd.xyz^$document,popup +||f700fa18.live^$document,popup +||f816e81d.xyz^$document,popup +||fadeb9a7-2417-4a51-8d99-0421a5622cbe.xyz^$document,popup +||fbfec2.xyz^$document,popup +||fe30a5b4.xyz^$document,popup +||fe9dc503.xyz^$document,popup +||html-load.cc^$document,popup +||html-load.com^$document,popup +||img-load.com^$document,popup +! Samsung/LG/Philips smart-TV ad domains +||ad.lgappstv.com^ +||ad.nettvservices.com^ +||ads.samsung.com^ +||lgad.cjpowercast.com.edgesuite.net^ +||lgsmartad.com^ +||samsungacr.com^ +! anime47.com / nettruyen.com +/(https?:\/\/)\w{30,}\.me\/\w{30,}\./$script,third-party +! IP addresses +/(https?:\/\/)104\.154\..{100,}/ +/(https?:\/\/)104\.197\..{100,}/ +/(https?:\/\/)104\.198\..{100,}/ +/(https?:\/\/)130\.211\..{100,}/ +/(https?:\/\/)142\.91\.159\..{100,}/ +/(https?:\/\/)213\.32\.115\..{100,}/ +/(https?:\/\/)216\.21\..{100,}/ +/(https?:\/\/)217\.182\.11\..{100,}/ +/(https?:\/\/)51\.195\.31\..{100,}/ +||141.98.82.232^ +||142.91.159. +||157.90.183.248^ +||158.247.208. +||162.252.214.4^ +||167.71.252.38^ +||167.99.31.227^ +||172.255.103.118^ +||172.255.6.135^ +||172.255.6.137^ +||172.255.6.139^ +||172.255.6.140^ +||172.255.6.150^ +||172.255.6.152^ +||172.255.6.199^ +||172.255.6.217^ +||172.255.6.228^ +||172.255.6.248^ +||172.255.6.252^ +||172.255.6.254^ +||172.255.6.2^ +||172.255.6.59^ +||185.149.120.173^ +||188.42.84.110^ +||188.42.84.137^ +||188.42.84.159^ +||188.42.84.160^ +||188.42.84.162^ +||188.42.84.21^ +||188.42.84.23^ +||194.26.232.61^ +||203.195.121.0^ +||203.195.121.103^ +||203.195.121.119^ +||203.195.121.11^ +||203.195.121.134^ +||203.195.121.184^ +||203.195.121.195^ +||203.195.121.1^ +||203.195.121.209^ +||203.195.121.217^ +||203.195.121.219^ +||203.195.121.224^ +||203.195.121.229^ +||203.195.121.24^ +||203.195.121.28^ +||203.195.121.29^ +||203.195.121.34^ +||203.195.121.36^ +||203.195.121.40^ +||203.195.121.46^ +||203.195.121.70^ +||203.195.121.72^ +||203.195.121.73^ +||203.195.121.74^ +||23.109.121.125^ +||23.109.121.254^ +||23.109.150.208^ +||23.109.150.253^ +||23.109.170.212^ +||23.109.170.228^ +||23.109.170.241^ +||23.109.170.255^ +||23.109.170.60^ +||23.109.248.125^ +||23.109.248.129^ +||23.109.248.130^ +||23.109.248.135^ +||23.109.248.139^ +||23.109.248.149^ +||23.109.248.14^ +||23.109.248.174^ +||23.109.248.183^ +||23.109.248.20^ +||23.109.248.229^ +||23.109.248.247^ +||23.109.248.29^ +||23.109.82. +||23.109.87. +||23.109.87.123^ +||23.195.91.195^ +||34.102.137.201^ +||35.227.234.222^ +||35.232.188.118^ +||37.1.209.213^ +||37.1.213.100^ +||5.61.55.143^ +||51.77.227.100^ +||51.77.227.101^ +||51.77.227.102^ +||51.77.227.103^ +||51.77.227.96^ +||51.77.227.97^ +||51.77.227.98^ +||51.77.227.99^ +||51.89.187.136^ +||51.89.187.137^ +||51.89.187.138^ +||51.89.187.139^ +||51.89.187.140^ +||51.89.187.141^ +||51.89.187.142^ +||51.89.187.143^ +||88.42.84.136^ +! Altice / Optimum / CableVision injects ads +! https://github.com/ryanbr/fanboy-adblock/issues/816 +||167.206.10.148^ +! TrustPid/Utiq +||utiq-aws.net^ +||utiq.24auto.de^ +||utiq.24hamburg.de^ +||utiq.24rhein.de^ +||utiq.buzzfeed.de^ +||utiq.come-on.de^ +||utiq.einfach-tasty.de^ +||utiq.fnp.de^ +||utiq.fr.de^ +||utiq.hna.de^ +||utiq.ingame.de^ +||utiq.kreiszeitung.de^ +||utiq.merkur.de^ +||utiq.mopo.de^ +||utiq.op-online.de^ +||utiq.soester-anzeiger.de^ +||utiq.tz.de^ +||utiq.wa.de^ +! *** easylist:easylist/easylist_adservers_popup.txt *** +||0265331.com^$popup +||07c225f3.online^$popup +||0a8d87mlbcac.top^$popup +||0byv9mgbn0.com^$popup +||11x11.com^$popup +||123-movies.bz^$popup +||123vidz.com^$popup +||172.255.103.171^$popup +||19turanosephantasia.com^$popup +||1betandgonow.com^$popup +||1firstofall1.com^$popup +||1jutu5nnx.com^$popup +||1phads.com^$popup +||1redirb.com^$popup +||1redirc.com^$popup +||1ts17.top^$popup +||1winpost.com^$popup +||1wtwaq.xyz^$popup +||1x001.com^$popup +||1xlite-016702.top^$popup +||1xlite-503779.top^$popup +||1xlite-522762.top^$popup +||22bettracking.online^$popup +||22media.world^$popup +||23.109.82.222^$popup +||24-sportnews.com^$popup +||2477april2024.com^$popup +||24affiliates.com^$popup +||24click.top^$popup +||24x7report.com^$popup +||26485.top^$popup +||2annalea.com^$popup +||2ltm627ho.com^$popup +||2qj7mq3w4uxe.com^$popup +||2smarttracker.com^$popup +||2track.info^$popup +||2vid.top^$popup +||367p.com^$popup +||3wr110.xyz^$popup +||4b6994dfa47cee4.com^$popup +||4dsply.com^$popup +||567bets10.com^$popup +||5dimes.com^$popup +||5mno3.com^$popup +||5vbs96dea.com^$popup +||6-partner.com^$popup +||6198399e4910e66-ovc.com^$popup +||7anfpatlo8lwmb.com^$popup +||7app.top^$popup +||7ca78m3csgbrid7ge.com^$popup +||888media.net^$popup +||888promos.com^$popup +||8stream-ai.com^$popup +||8wtkfxiss1o2.com^$popup +||900bets10.com^$popup +||905trk.com^$popup +||95urbehxy2dh.top^$popup +||9gg23.com^$popup +||9l3s3fnhl.com^$popup +||9t5.me^$popup +||a-ads.com^$popup +||a-waiting.com^$popup +||a23-trk.xyz^$popup +||a64x.com^$popup +||aagm.link^$popup +||abadit5rckb.com^$popup +||abdedenneer.com^$popup +||abiderestless.com^$popup +||ablecolony.com^$popup +||ablogica.com^$popup +||abmismagiusom.com^$popup +||aboveredirect.top^$popup +||absoluteroute.com^$popup +||abtrcker.com^$popup +||acacdn.com^$popup +||acam-2.com^$popup +||accecmtrk.com^$popup +||accesshomeinsurance.co^$popup +||accompanycollapse.com^$popup +||acdcdn.com^$popup +||acedirect.net^$popup +||achcdn.com^$popup +||aclktrkr.com^$popup +||acoudsoarom.com^$popup +||acrossheadquartersanchovy.com^$popup +||actio.systems^$popup +||actiondesk.com^$popup,third-party +||activate-game.com^$popup +||aculturerpa.info^$popup +||ad-adblock.com^$popup +||ad-addon.com^$popup +||ad-block-offer.com^$popup +||ad-free.info^$popup +||ad-guardian.com^$popup +||ad-maven.com^$popup +||ad.soicos.com^$popup +||ad4game.com^$popup +||ad6media.fr^$popup,third-party +||adbetclickin.pink^$popup +||adbison-redirect.com^$popup +||adblock-360.com^$popup +||adblock-guru.com^$popup +||adblock-offer-download.com^$popup +||adblock-one-protection.com^$popup +||adblock-zen-download.com^$popup +||adblock-zen.com^$popup +||adblocker-instant.xyz^$popup +||adblocker-sentinel.net^$popup +||adblockersentinel.com^$popup +||adblockstream.com^$popup +||adblockstrtape.link^$popup +||adblockstrtech.link^$popup +||adboost.it^$popup +||adbooth.com^$popup +||adca.st^$popup +||adcash.com^$popup +||adcdnx.com^$popup +||adcell.com^$popup +||adclickbyte.com^$popup +||addotnet.com^$popup +||adentifi.com^$popup +||adexc.net^$popup,third-party +||adexchangecloud.com^$popup +||adexchangegate.com^$popup +||adexchangeguru.com^$popup +||adexchangemachine.com^$popup +||adexchangeprediction.com^$popup +||adexchangetracker.com^$popup +||adexmedias.com^$popup +||adexprtz.com^$popup +||adfclick1.com^$popup +||adfgetlink.net^$popup +||adform.net^$popup +||adfpoint.com^$popup +||adfreewatch.info^$popup +||adglare.net^$popup +||adhealers.com^$popup +||adhoc2.net^$popup +||aditsafeweb.com^$popup +||adjoincomprise.com^$popup +||adjuggler.net^$popup +||adk2.co^$popup +||adk2.com^$popup +||adk2x.com^$popup +||adlogists.com^$popup +||adlserq.com^$popup +||adltserv.com^$popup +||adlure.net^$popup +||admachina.com^$popup +||admediatex.net^$popup +||admedit.net^$popup +||admeerkat.com^$popup +||admeking.com^$popup +||admeridianads.com^$popup +||admitad.com^$popup +||admjmp.com^$popup +||admobe.com^$popup +||admothreewallent.com$popup +||adnanny.com^$popup,third-party +||adnetworkperformance.com^$popup +||adnium.com^$popup,third-party +||adnotebook.com^$popup +||adnxs-simple.com^$popup +||adonweb.ru^$popup +||adop.co^$popup +||adplxmd.com^$popup +||adpointrtb.com^$popup +||adpool.bet^$popup +||adport.io^$popup +||adreactor.com^$popup +||adrealclick.com^$popup +||adrgyouguide.com^$popup +||adright.co^$popup +||adro.pro^$popup +||adrunnr.com^$popup +||ads.sexier.com^$popup +||ads4trk.com^$popup +||adsb4trk.com^$popup +||adsblocker-ultra.com^$popup +||adsblockersentinel.info^$popup +||adsbreak.com^$popup +||adsbtrk.com^$popup +||adscdn.net^$popup +||adsco.re^$popup +||adserverplus.com^$popup +||adserving.unibet.com^$popup +||adshostnet.com^$popup +||adskeeper.co.uk^$popup +||adskeeper.com^$popup +||adskpak.com^$popup +||adsmarket.com^$popup +||adsplex.com^$popup +||adspredictiv.com^$popup +||adspyglass.com^$popup +||adsquash.info^$popup +||adsrv4k.com^$popup +||adstean.com^$popup +||adstik.click^$popup +||adstracker.info^$popup +||adstreampro.com^$popup +||adsupply.com^$popup +||adsupplyads.com^$popup +||adsupplyads.net^$popup +||adsurve.com^$popup +||adsvlad.info^$popup +||adtelligent.com^$popup +||adtng.com^$popup +||adtrace.org^$popup +||adtraction.com^$popup +||aduld.click^$popup +||adult.xyz^$popup +||aduptaihafy.net^$popup +||advancedadblocker.pro^$popup +||adverdirect.com^$popup +||advertiserurl.com^$popup +||advertizmenttoyou.com^$popup +||advertserve.com^$popup +||adverttulimited.biz^$popup +||advmedialtd.com^$popup +||advmonie.com^$popup +||advnet.xyz^$popup +||advotionhot.com^$popup +||adx-t.com^$popup +||adx.io^$popup,third-party +||adxpansion.com^$popup +||adxpartner.com^$popup +||adxprtz.com^$popup +||adzblockersentinel.net^$popup +||adzerk.net^$popup +||adzshield.info^$popup +||aeeg5idiuenbi7erger.com^$popup +||aeelookithdifyf.com^$popup +||afcpatrk.com^$popup +||aff-handler.com^$popup +||aff-track.net^$popup +||affabilitydisciple.com^$popup +||affbuzzads.com^$popup +||affcpatrk.com^$popup +||affectionatelypart.com^$popup +||affelseaeinera.org^$popup +||affflow.com^$popup +||affili.st^$popup +||affiliate-wg.com^$popup +||affiliateboutiquenetwork.com^$popup +||affiliatedrives.com^$popup +||affiliatestonybet.com^$popup +||affiliride.com^$popup +||affilirise.com^$popup +||affinity.net^$popup +||afflat3a1.com^$popup +||afflat3d2.com^$popup +||afflat3e1.com^$popup +||affluentshinymulticultural.com^$popup +||affmoneyy.com^$popup +||affpa.top^$popup +||affstreck.com^$popup +||afilliatetraff.com^$popup +||afodreet.net^$popup +||afre.guru^$popup +||afront.io^$popup +||aftrk1.com^$popup +||aftrk3.com^$popup +||agabreloomr.com^$popup +||agacelebir.com^$popup +||agalarvitaran.com^$popup +||agalumineonr.com^$popup +||agaue-vyz.com^$popup +||agl001.bid^$popup +||ahadsply.com^$popup +||ahbdsply.com^$popup +||ahscdn.com^$popup +||aigaithojo.com^$popup +||aigeno.com^$popup +||aikrighawaks.com^$popup +||ailrouno.net^$popup +||aimukreegee.net^$popup +||aitsatho.com^$popup +||aj1574.online^$popup +||aj2627.bid^$popup +||ajkrls.com^$popup +||ajkzd9h.com^$popup +||ajump2.com^$popup +||ajxx98.online^$popup +||akmxts.com^$popup +||akumeha.onelink.me^$popup +||akutapro.com^$popup +||alargeredrubygsw.info^$popup +||alarmsubjectiveanniversary.com^$popup +||alfa-track.info^$popup +||alfa-track2.site^$popup +||algg.site^$popup +||algocashmaster.com^$popup +||alibabatraffic.com^$popup +||alightbornbell.com^$popup +||alitems.co^$popup +||alitems.site^$popup +||alklinker.com^$popup +||alladvertisingdomclub.club^$popup +||alleviatepracticableaddicted.com^$popup +||allhypefeed.com^$popup +||allloveydovey.fun^$popup +||allow-to-continue.com^$popup +||allreqdusa.com^$popup +||allsportsflix.best^$popup +||allsportsflix.top^$popup +||allsporttv.com^$popup +||almightyexploitjumpy.com^$popup +||almstda.tv^$popup +||alpenridge.top^$popup +||alpheratzscheat.top^$popup +||alpine-vpn.com^$popup +||alpinedrct.com^$popup +||alreadyballetrenting.com^$popup +||alsolrocktor.com^$popup +||altairaquilae.top^$popup +||alternads.info^$popup +||alternativecpmgate.com^$popup +||alxbgo.com^$popup +||alxsite.com^$popup +||am10.ru^$popup +||am15.net^$popup +||amatrck.com^$popup +||ambiliarcarwin.com^$popup +||ambuizeler.com^$popup +||ambushharmlessalmost.com^$popup +||amelatrina.com^$popup +||amendsrecruitingperson.com^$popup +||amesgraduatel.xyz^$popup +||amira-efz.com^$popup +||ammankeyan.com^$popup +||amourethenwife.top^$popup +||amplayeranydwou.info^$popup +||amusementchillyforce.com^$popup +||anacampaign.com^$popup +||anadistil.com^$popup +||anamuel-careslie.com^$popup +||ancalfulpige.co.in^$popup +||anceenablesas.com^$popup +||andcomemunicateth.info^$popup +||angege.com^$popup +||animemeat.com^$popup +||ankdoier.com^$popup +||anmdr.link^$popup +||annual-gamers-choice.com^$popup +||annulmentequitycereals.com^$popup +||anopportunitytost.info^$popup +||answered-questions.com^$popup +||antaresarcturus.com^$popup +||antcixn.com^$popup +||antentgu.co.in^$popup +||anteog.com^$popup +||antivirussprotection.com^$popup +||antjgr.com^$popup +||anymoresentencevirgin.com^$popup +||apiecelee.com^$popup +||apologizingrigorousmorally.com^$popup +||aporasal.net^$popup +||appcloudvalue.com^$popup +||appoineditardwide.com^$popup +||appointeeivyspongy.com^$popup +||apprefaculty.pro^$popup +||appsget.monster^$popup +||appspeed.monster^$popup +||apptjmp.com^$popup +||appzery.com^$popup +||aquete.com^$popup +||arcost54ujkaphylosuvaursi.com^$popup +||ardoqxdinqucirei.info^$popup +||ardsklangr.com^$popup +||ardslediana.com^$popup +||ardssandshrewon.com^$popup +||arkdcz.com^$popup +||armedtidying.com^$popup +||arminius.io^$popup +||arrangementhang.com^$popup +||arrlnk.com^$popup +||articlepawn.com^$popup +||arwobaton.com^$popup +||asce.xyz^$popup +||ascertainedthetongs.com^$popup +||asdasdad.net^$popup +||asdfdr.cfd^$popup +||asgclickpp.com^$popup +||asgorebysschan.com^$popup +||ashoupsu.com^$popup +||asidefeetsergeant.com^$popup +||aslaironer.com^$popup +||aslaprason.com^$popup +||aslnk.link^$popup +||aso1.net^$popup +||asqconn.com^$popup +||astarboka.com^$popup +||astesnlyno.org^$popup +||astonishing-go.com^$popup +||astrokompas.com^$popup +||atala-apw.com^$popup +||atas.io^$popup +||atcelebitor.com^$popup +||atentherel.org^$popup +||athletedurable.com^$popup +||atinsolutions.com^$popup +||ativesathyas.info^$popup +||atmtaoda.com^$popup +||atomicarot.com^$popup +||atpansagean.com^$popup +||attachedkneel.com^$popup +||attractbestbonuses.life^$popup +||atzekromchan.com^$popup +||aucoudsa.net^$popup +||audiblereflectionsenterprising.com^$popup +||audrte.com^$popup +||auesk.cfd^$popup +||auforau.com^$popup +||augailou.com^$popup +||augu3yhd485st.com^$popup +||augurersoilure.space^$popup +||august15download.com^$popup +||auneechuksee.net^$popup +||aungudie.com^$popup +||ausoafab.net^$popup +||austeemsa.com^$popup +||authognu.com^$popup +||autoperplexturban.com^$popup +||avocams.com^$popup +||avthelkp.net^$popup +||awasrqp.xyz^$popup +||awecrptjmp.com^$popup +||awejmp.com^$popup +||awempire.com^$popup +||awesome-blocker.com^$popup +||awptjmp.com^$popup +||awsclic.com^$popup +||azossaudu.com^$popup +||azqq.online^$popup +||b0oie4xjeb4ite.com^$popup +||b225.org^$popup +||b3z29k1uxb.com^$popup +||b7om8bdayac6at.com^$popup +||backseatrunners.com^$popup +||baect.com^$popup +||baghoglitu.net^$popup +||baipahanoop.net^$popup +||baitenthenaga.com^$popup +||baiweluy.com^$popup +||bakabok.com^$popup +||bakjaqa.net^$popup +||baldo-toj.com^$popup +||balldollars.com^$popup +||banquetunarmedgrater.com^$popup +||barrenusers.com^$popup +||baseauthenticity.co.in^$popup +||batheunits.com^$popup +||baypops.com^$popup +||bayshorline.com^$popup +||bbccn.org^$popup +||bbcrgate.com^$popup +||bbrdbr.com^$popup +||bbuni.com^$popup +||beamobserver.com^$popup +||becomeapartner.io^$popup +||becoquin.com^$popup +||becorsolaom.com^$popup +||befirstcdn.com^$popup +||beforeignunlig.com^$popup +||behavedforciblecashier.com^$popup +||behim.click^$popup +||bejirachir.com^$popup +||beklefkiom.com^$popup +||belavoplay.com^$popup +||believemefly.com^$popup +||bellatrixmeissa.com^$popup +||belovedset.com^$popup +||belwrite.com^$popup +||bemachopor.com^$popup +||bemadsonline.com^$popup +||bemobpath.com^$popup +||bemobtrcks.com^$popup +||bemobtrk.com^$popup +||bend-me-over.com^$popup +||benoopto.com^$popup +||benumelan.com^$popup +||beonixom.com^$popup +||beparaspr.com^$popup +||berkshiretoday.xyz^$popup +||best-offer-for-you.com^$popup +||best-vpn-app.com^$popup +||best2017games.com^$popup +||best4fuck.com^$popup +||bestadsforyou.com^$popup +||bestbonusprize.life^$popup +||bestchainconnection.com^$popup +||bestcleaner.online^$popup +||bestclevercaptcha.top^$popup +||bestclicktitle.com^$popup +||bestcontentaccess.top^$popup +||bestcontentfood.top^$popup +||bestconvertor.club^$popup +||bestgames-2022.com^$popup +||bestgirls4fuck.com^$popup +||bestmoviesflix.xyz^$popup +||bestonlinecasino.club^$popup +||bestplaceforall.com^$popup +||bestprizerhere.life^$popup +||bestproducttesters.com^$popup +||bestreceived.com^$popup +||bestrevenuenetwork.com^$popup +||betforakiea.com^$popup +||betoga.com^$popup +||betotodilea.com^$popup +||betpupitarr.com^$popup +||betshucklean.com^$popup +||bettentacruela.com^$popup +||betteradsystem.com^$popup +||betterdomino.com^$popup +||bettraff.com^$popup +||bewathis.com^$popup +||bewhechaichi.net^$popup +||beyourxfriend.com^$popup +||bhlom.com^$popup +||bid-engine.com^$popup +||bidverdrd.com^$popup +||bidverdrs.com^$popup +||bidvertiser.com^$popup +||bigbasketshop.com^$popup +||bigeagle.biz^$popup +||bigelowcleaning.com^$popup +||bilqi-omv.com^$popup +||bimbim.com^$popup +||binaryborrowedorganized.com^$popup +||binaryoptionsgame.com^$popup +||bincatracs.com^$popup +||bingohall.ag^$popup +||binomlink.com^$popup +||binomnet.com^$popup +||binomnet3.com^$popup +||binomtrcks.site^$popup +||biphic.com^$popup +||biserka.xyz^$popup +||bitadexchange.com^$popup +||bitdefender.top^$popup +||bitsspiral.com^$popup +||bitterstrawberry.com^$popup +||biturl.co^$popup +||bitzv.com^$popup +||biwipuque.com^$popup +||blackandwhite-temporary.com^$popup +||blacklinknow.com^$popup +||blacklinknowss.co^$popup +||blacknesskeepplan.com^$popup +||blancoshrimp.com^$popup +||blarnyzizzles.shop^$popup +||blcdog.com^$popup +||bleandworldw.org^$popup +||blehcourt.com^$popup +||block-ad.com^$popup +||blockadsnot.com^$popup +||blockchaintop.nl^$popup +||blogoman-24.com^$popup +||blogostock.com^$popup +||blubberspoiled.com^$popup +||blueistheneworanges.com^$popup +||bluelinknow.com^$popup +||blueparrot.media^$popup +||blurbreimbursetrombone.com^$popup +||blushmossy.com^$popup +||blzz.xyz^$popup +||bmjidc.xyz^$popup +||bmtmicro.com^$popup +||bngpt.com^$popup +||bngtrak.com^$popup +||boastwelfare.com^$popup +||bobabillydirect.org^$popup +||bobgames-prolister.com^$popup +||bodelen.com^$popup +||bodrumshuttle.net^$popup +||boloptrex.com^$popup +||bonafides.club^$popup +||bongacams.com^$popup,third-party +||bongacams10.com^$popup +||bonus-app.net^$popup +||bonzuna.com^$popup +||bookmakers.click^$popup +||booster-vax.com^$popup +||boskodating.com^$popup +||bot-checker.com^$popup +||bouhoagy.net^$popup +||bounceads.net^$popup +||boustahe.com^$popup +||bousyapinoid.top^$popup +||boxernightdilution.com^$popup +||boxlivegarden.com^$popup +||brandreachsys.com^$popup +||bravo-dog.com^$popup +||breadthneedle.com^$popup +||breechesbottomelf.com^$popup +||brenn-wck.com^$popup +||brieflizard.com^$popup +||brightadnetwork.com^$popup +||bringmesports.com^$popup +||britishinquisitive.com^$popup +||brllllantsdates.com^$popup +||bro4.biz^$popup +||broadensilkslush.com^$popup +||broforyou.me^$popup +||brokennails.org^$popup +||browse-boost.com^$popup +||browsekeeper.com^$popup +||brucelead.com^$popup +||brutishlylifevoicing.com^$popup +||btpnav.com^$popup +||buikolered.com^$popup +||bukusukses.com^$popup +||bullads.net^$popup +||bullfeeding.com^$popup +||bulochka.xyz^$popup +||bungalowsimply.com^$popup +||bunintruder.com^$popup +||bunth.net^$popup +||buqkrzbrucz.com^$popup +||bursa33.xyz^$popup +||bursultry-exprights.com^$popup +||busterry.com^$popup +||buxbaumiaceae.sbs^$popup +||buy404s.com^$popup +||buyadvupfor24.com^$popup +||buyeasy.by^$popup +||buythetool.co^$popup +||buyvisblog.com^$popup +||buzzadnetwork.com^$popup +||buzzonclick.com^$popup +||bvmbnr.xyz^$popup +||bwredir.com^$popup +||bxsk.site^$popup +||byvngx98ssphwzkrrtsjhnbyz5zss81dxygxvlqd05.com^$popup +||byvue.com^$popup +||c0me-get-s0me.net^$popup +||c0nect.com^$popup +||c43a3cd8f99413891.com^$popup +||cabbagereporterpayroll.com^$popup +||cadlsyndicate.com^$popup +||caeli-rns.com^$popup +||cagothie.net^$popup +||calltome.net^$popup +||callyourinformer.com^$popup +||calvali.com^$popup +||camptrck.com^$popup +||cams.com/go/$popup +||camscaps.net^$popup +||candyoffers.com^$popup +||candyprotected.com^$popup +||canopusacrux.com^$popup +||captivatepestilentstormy.com^$popup +||careerjournalonline.com^$popup +||casefyparamos.com^$popup +||casino.betsson.com^$popup +||casiyouaffiliates.com^$popup +||casumoaffiliates.com^$popup +||catchtheclick.com^$popup +||catsnbootsncats2020.com^$popup +||catukhyistke.info^$popup +||caulisnombles.top^$popup +||cauthaushoas.com^$popup +||cautionpursued.com^$popup +||cavecoat.top^$popup +||cbdedibles.site^$popup +||cbdzone.online^$popup +||cddtsecure.com^$popup +||cdn4ads.com^$popup +||cdnativepush.com^$popup +||cdnondemand.org^$popup +||cdnquality.com^$popup +||cdntechone.com^$popup +||cdrvrs.com^$popup +||ceethipt.com^$popup +||celeb-trends-gossip.com^$popup +||celeritascdn.com^$popup +||certaintyurnincur.com^$popup +||cgeckmydirect.biz^$popup +||chaeffulace.com^$popup +||chaintopdom.nl^$popup +||chaunsoops.net^$popup +||cheap-jewelry-online.com^$popup +||check-out-this.site^$popup +||check-tl-ver-12-3.com^$popup +||checkcdn.net^$popup +||checkluvesite.site^$popup +||cheerfullybakery.com^$popup +||cherrytv.media^$popup +||chetchoa.com^$popup +||chicks4date.com^$popup +||chiglees.com^$popup +||childishenough.com^$popup +||chirtooxsurvey.top^$popup +||chl7rysobc3ol6xla.com^$popup +||choathaugla.net^$popup +||choiceencounterjackson.com^$popup +||choogeet.net^$popup +||chooxaur.com^$popup +||choseing.com^$popup +||choto.xyz^$popup +||choudairtu.net^$popup +||chouthep.net^$popup +||chpadblock.com^$popup +||chrantary-vocking.com^$popup +||chrisrespectivelynostrils.com^$popup +||chrysostrck.com^$popup +||chultoux.com^$popup +||cigaretteintervals.com^$popup +||cimeterbren.top^$popup +||cipledecline.buzz^$popup +||civadsoo.net^$popup +||civilizationthose.com^$popup +||ciwhacheho.pro^$popup +||cjewz.com^$popup +||ckre.net^$popup +||clbanners16.com^$popup +||clbjmp.com^$popup +||clcktrck.com^$popup +||cld5r.com^$popup +||clean-1-clean.club^$popup +||clean-blocker.com^$popup +||clean-browsing.com^$popup +||cleanmypc.click^$popup +||cleantrafficrotate.com^$popup +||cleavepreoccupation.com^$popup +||cleftmeter.com^$popup +||clentrk.com^$popup +||clerkrevokesmiling.com^$popup +||click-cdn.com^$popup +||clickadsource.com^$popup +||clickalinks.xyz^$popup +||clickbank.net/*offer_id=$popup +||clickdaly.com^$popup +||clickfilter.co^$popup +||clickfuse.com^$popup +||clickmetertracking.com^$popup +||clickmobad.net^$popup +||clickppcbuzz.com^$popup +||clickprotects.com^$popup +||clickpupbit.com^$popup +||clicks4tc.com^$popup +||clicksgear.com^$popup +||clicksor.com^$popup +||clicksor.net^$popup +||clicktripz.com^$popup +||clicktrixredirects.com^$popup +||clicktroute.com^$popup +||clickwork7secure.com^$popup +||clictrck.com^$popup +||cliffaffectionateowners.com^$popup +||clixcrafts.com^$popup +||clkads.com^$popup +||clkfeed.com^$popup +||clkmon.com^$popup +||clkpback3.com^$popup +||clkrev.com^$popup +||clobberprocurertightwad.com^$popup +||clodsplit.com^$popup +||closeupclear.top^$popup +||cloudpsh.top^$popup +||cloudtrack-camp.com^$popup +||cloudtraff.com^$popup +||cloudvideosa.com^$popup +||clumsyshare.com^$popup +||clunen.com^$popup +||clunkyentirelinked.com^$popup +||cm-trk2.com^$popup +||cmpgns.net^$popup +||cms100.xyz^$popup +||cmtrkg.com^$popup +||cn846.com^$popup +||cngcpy.com^$popup +||co5457chu.com^$popup +||code4us.com^$popup +||codedexchange.com^$popup +||codeonclick.com^$popup +||coefficienttolerategravel.com^$popup +||coffee2play.com^$popup +||cogentpatientmama.com^$popup +||cognitionmesmerize.com^$popup +||cokepompositycrest.com^$popup +||coldflownews.com^$popup +||colleem.com^$popup +||colmcweb.com^$popup +||colonistnobilityheroic.com^$popup +||colossalanswer.com^$popup +||com-wkejf32ljd23409system.net^$popup +||combineencouragingutmost.com^$popup +||come-get-s0me.com^$popup +||come-get-s0me.net^$popup +||comemumu.info^$popup +||comfortablepossibilitycarlos.com^$popup +||commodityallengage.com^$popup +||compassionaterough.pro^$popup +||concealmentmimic.com^$popup +||concedederaserskyline.com^$popup +||concentrationmajesticshoot.com^$popup +||concord.systems^$popup +||condles-temark.com^$popup +||condolencessumcomics.com^$popup +||conetizable.com^$popup +||connexity.net^$popup +||conqueredallrightswell.com^$popup +||consmo.net^$popup +||constructbrought.com^$popup +||constructpreachystopper.com^$popup +||content-loader.com^$popup +||contentabc.com^$popup,third-party +||contentcrocodile.com^$popup +||continue-installing.com^$popup +||convenientcertificate.com^$popup +||convertmb.com^$popup +||coogauwoupto.com^$popup +||cooljony.com^$popup +||cooloffer.cfd^$popup +||coolserving.com^$popup +||cooperativechuckledhunter.com^$popup +||coosync.com^$popup +||copemorethem.live^$popup +||cophypserous.com^$popup +||coppercranberrylamp.com^$popup +||copperyungka.top^$popup +||cor8ni3shwerex.com^$popup +||cordinghology.info^$popup +||correlationcocktailinevitably.com^$popup +||correry.com^$popup +||coticoffee.com^$popup +||countertrck.com^$popup +||courageousdiedbow.com^$popup +||covertcourse.com^$popup +||cpacrack.com^$popup +||cpalabtracking.com^$popup +||cpaoffers.network^$popup +||cpasbien.cloud^$popup +||cpayard.com^$popup +||cpm20.com^$popup +||cpmclktrk.online^$popup +||cpmterra.com^$popup +||cpvadvertise.com^$popup +||cpvlabtrk.online^$popup +||cpxdeliv.com^$popup +||cr-brands.net^$popup +||crambidnonutilitybayadeer.com^$popup +||crazefiles.com^$popup +||crazyad.net^$popup +||crbbgate.com^$popup +||crbck.link^$popup +||crdefault.link^$popup +||crdefault1.com^$popup +||creaseinprofitst.com^$popup +||cretgate.com^$popup +||crevicedepressingpumpkin.com^$popup +||crisp-freedom.com^$popup +||crjpgate.com^$popup +||crjpingate.com^$popup +||crjugate.com^$popup +||crockuncomfortable.com^$popup +||crt.livejasmin.com^$popup +||cryorganichash.com^$popup +||crystal-blocker.com^$popup +||css-load.com^$popup +||ctosrd.com^$popup +||ctrdwm.com^$popup +||cubiclerunner.com^$popup +||cuddlethehyena.com^$popup +||cudgeletc.com^$popup +||cuevastrck.com^$popup +||cullemple-motline.com^$popup +||curvyalpaca.cc^$popup +||cuteab.com^$popup +||cvastico.com^$popup +||cwn0drtrk.com^$popup +||cyan92010.com^$popup +||cyber-guard.me^$popup +||cyberlink.pro^$popup +||cybkit.com^$popup +||czh5aa.xyz^$popup +||dadsats.com^$popup +||dagnar.com^$popup +||daichoho.com^$popup +||dailyc24.com^$popup +||dailychronicles2.xyz^$popup +||daizoode.com^$popup +||dakjddjerdrct.online^$popup +||dalyio.com^$popup +||dalymix.com^$popup +||dalysb.com^$popup +||dalysh.com^$popup +||dalysv.com^$popup +||dark-reader.com^$popup +||data-px.services^$popup +||datatechdrift.com^$popup +||datatechone.com^$popup +||date-4-fuck.com^$popup +||date-till-late.us^$popup +||date2024.com^$popup +||date4sex.pro^$popup +||datedate.today^$popup +||dateguys.online^$popup +||datessuppressed.com^$popup +||datewhisper.life^$popup +||datherap.xyz^$popup +||datingkoen.site^$popup +||datingstyle.top^$popup +||datingtoday.top^$popup +||datingtorrid.top^$popup +||daughterinlawrib.com^$popup +||dawirax.com^$popup +||dc-feed.com^$popup +||dc-rotator.com^$popup +||ddbhm.pro^$popup +||dddomainccc.com^$popup +||debaucky.com^$popup +||decencyjessiebloom.com^$popup +||deckedsi.com^$popup +||dedating.online^$popup +||dedispot.com^$popup +||deebcards-themier.com^$popup +||deeperhundredpassion.com^$popup +||deephicy.net^$popup +||deepsaifaide.net^$popup +||defas.site^$popup +||defenseneckpresent.com^$popup +||deghooda.net^$popup +||deleterasks.digital^$popup +||delfsrld.click^$popup +||deline-sunction.com^$popup +||deliverydom.com^$popup +||deloplen.com^$popup +||deloton.com^$popup +||demowebcode.online^$popup +||dendrito.name^$popup +||denza.pro^$popup +||depirsmandk5.com^$popup +||derevya2sh8ka09.com^$popup +||desertsutilizetopless.com^$popup +||designsrivetfoolish.com^$popup +||deskfrontfreely.com^$popup +||detectedadvancevisiting.com^$popup +||detentionquasipairs.com^$popup +||devilnonamaze.com^$popup +||dexpredict.com^$popup +||dfvlaoi.com^$popup +||dfyui8r5rs.click^$popup +||di7stero.com^$popup +||diagramjawlineunhappy.com^$popup +||dictatepantry.com^$popup +||diffusedpassionquaking.com^$popup +||difice-milton.com^$popup +||digitaldsp.com^$popup +||dilruwha.net^$popup +||dinerbreathtaking.com^$popup +||dipusdream.com^$popup +||directcpmfwr.com^$popup +||directdexchange.com^$popup +||directrev.com^$popup +||directtrck.com^$popup +||disdainsneeze.com^$popup +||dispatchfeed.com^$popup +||displayvertising.com^$popup +||distantnews.com^$popup +||distressedsoultabloid.com^$popup +||distributionland.website^$popup +||divergeimperfect.com^$popup +||divertbywordinjustice.com^$popup +||divorceseed.com^$popup +||djfiln.com^$popup +||dl-protect.net^$popup +||dlmate15.online^$popup +||dlstngulshedates.net^$popup +||dmeukeuktyoue.info^$popup +||dmiredindeed.com^$popup +||dmzjmp.com^$popup +||doaipomer.com^$popup +||doct-umb.org^$popup +||doctorpost.net^$popup +||dolatiaschan.com^$popup +||dolohen.com^$popup +||dompeterapp.com^$popup +||donecperficiam.net^$popup +||donkstar1.online^$popup +||donkstar2.online^$popup +||dooloust.net^$popup +||doostozoa.net^$popup +||dopaleads.com^$popup +||dopansearor.com^$popup +||dope.autos^$popup +||doruffleton.com^$popup +||doruffletr.com^$popup +||doscarredwi.org^$popup +||dosliggooor.com^$popup +||dotchaudou.com^$popup +||dotyruntchan.com^$popup +||doubleadserve.com^$popup +||doubleclick.net^$popup +||doublepimp.com^$popup +||douglasjamestraining.com^$popup +||down-paradise.com^$popup +||down1oads.com^$popup +||download-adblock-zen.com^$popup +||download-file.org^$popup +||download-performance.com^$popup +||download-privacybear.com^$popup +||downloadboutique.com^$popup +||downloading-extension.com^$popup +||downloadoffice2010.org^$popup +||downloadthesefile.com^$popup +||downlon.com^$popup +||dradvice.in^$popup +||dragfault.com^$popup +||dragnag.com^$popup +||drawerenter.com^$popup +||drawingsingmexican.com^$popup +||drctcldfe.com^$popup +||drctcldfefwr.com^$popup +||drctcldff.com^$popup +||drctcldfffwr.com^$popup +||dreamteamaffiliates.com^$popup +||drearypassport.com^$popup +||dressingdedicatedmeeting.com^$popup +||dribbleads.com^$popup +||droppalpateraft.com^$popup +||drsmediaexchange.com^$popup +||drumskilxoa.click^$popup +||dsp.wtf^$popup +||dsp5stero.com^$popup +||dspultra.com^$popup +||dsstrk.com^$popup +||dstimaariraconians.info^$popup +||dsxwcas.com^$popup +||dtssrv.com^$popup +||dtx.click^$popup +||dubzenom.com^$popup +||ducubchooa.com^$popup +||dugothitachan.com^$popup +||dukingdraon.com^$popup +||dukirliaon.com^$popup +||dulativergs.com^$popup +||dustratebilate.com^$popup +||dutydynamo.co^$popup +||dwightadjoining.com^$popup +||dxtv1.com^$popup +||dynsrvtbg.com^$popup +||dynsrvwer.com^$popup +||dyptanaza.com^$popup +||dzhjmp.com^$popup +||dzienkudrow.com^$popup +||eabids.com^$popup +||eacdn.com^$popup +||ealeo.com^$popup +||eanddescri.com^$popup +||earandmarketing.com^$popup +||earlinessone.xyz^$popup +||eas696r.xyz^$popup +||easelegbike.com^$popup +||eastfeukufu.info^$popup +||eastfeukufunde.com^$popup +||eastrk-dn.com^$popup +||easyads28.mobi^$popup +||easyfrag.org^$popup +||easykits.org^$popup +||easymrkt.com^$popup +||easysearch.click^$popup +||eatasesetitoefa.info^$popup +||eavesofefinegoldf.info^$popup +||eclkmpsa.com^$popup +||econsistentlyplea.com^$popup +||ecrwqu.com^$popup +||ecusemis.com^$popup +||edalloverwiththinl.info^$popup +||edchargina.pro^$popup +||editneed.com^$popup +||edonhisdhi.com^$popup +||edpl9v.pro^$popup +||edstrastconversity.org^$popup +||edttmar.com^$popup +||eeco.xyz^$popup +||eegeeglou.com^$popup +||eehuzaih.com^$popup +||eergortu.net^$popup +||eessoong.com^$popup +||eetognauy.net^$popup +||effectivecpmcontent.com^$popup +||effectiveperformancenetwork.com^$popup +||egazedatthe.xyz^$popup +||egmyz.com^$popup +||egraglauvoathog.com^$popup +||egretswamper.com^$popup +||eh0ag0-rtbix.top^$popup +||eighteenderived.com^$popup +||eiteribesshaints.com^$popup +||ejuiashsateampl.info^$popup +||elephant-ads.com^$popup +||eliwitensirg.net^$popup +||elizathings.com^$popup +||elsewherebuckle.com^$popup +||emeraldhecticteapot.com^$popup +||emonito.xyz^$popup +||emotot.xyz^$popup +||emumuendaku.info^$popup +||endlessloveonline.online^$popup +||endorico.com^$popup +||endymehnth.info^$popup +||eneverals.biz^$popup +||engagementdepressingseem.com^$popup +||engardemuang.top^$popup +||enlightencentury.com^$popup +||enloweb.com^$popup +||enoneahbu.com^$popup +||enoneahbut.org^$popup +||entainpartners.com^$popup,third-party +||entjgcr.com^$popup +||entry-system.xyz^$popup +||entterto.com^$popup +||eofst.com^$popup +||eonsmedia.com^$popup +||eontappetito.com^$popup +||eoveukrnme.info^$popup +||epicgameads.com^$popup +||eptougry.net^$popup +||era67hfo92w.com^$popup +||erdecisesgeorg.info^$popup +||errumoso.xyz^$popup +||escortlist.pro^$popup +||eshkol.io^$popup +||eshkol.one^$popup +||eskimi.com^$popup +||eslp34af.click^$popup +||estimatedrick.com^$popup +||esumedadele.info^$popup +||ethicalpastime.com^$popup +||ettilt.com^$popup +||eu5qwt3o.beauty^$popup +||eucli-czt.com^$popup +||eudstudio.com^$popup +||eulal-cnr.com^$popup +||eumarkdepot.com^$popup +||evaporateahead.com^$popup +||eventfulknights.com^$popup +||eventsbands.com^$popup +||eventucker.com^$popup +||ever8trk.com^$popup +||ewesmedia.com^$popup +||ewhareey.com^$popup +||ewogloarge.com^$popup +||exaltationinsufficientintentional.com^$popup +||excellingvista.com^$popup +||exclkplat.com^$popup +||exclplatmain.com^$popup +||exclusivesearch.online^$popup +||excretekings.com^$popup +||exdynsrv.com^$popup +||exhaustfirstlytearing.com^$popup +||exhauststreak.com^$popup +||existenceassociationvoice.com^$popup +||exnesstrack.com^$popup +||exoads.click^$popup +||exoclick.com^$popup +||exosrv.com^$popup +||expdirclk.com^$popup +||experimentalconcerningsuck.com^$popup +||explorads.com^$popup,third-party +||explore-site.com^$popup +||expmediadirect.com^$popup +||exporder-patuility.com^$popup +||exrtbsrv.com^$popup +||extension-ad.com^$popup +||extension-install.com^$popup +||extensions-media.com^$popup +||extensionworthwhile.com^$popup +||externalfavlink.com^$popup +||extractdissolve.com^$popup +||extractionatticpillowcase.com^$popup +||exxaygm.com^$popup +||eyauknalyticafra.info^$popup +||eyewondermedia.com^$popup +||ezadblocker.com^$popup +||ezblockerdownload.com^$popup +||ezcgojaamg.com^$popup +||ezdownloadpro.info^$popup +||ezmob.com^$popup +||ezyenrwcmo.com^$popup +||facilitatevoluntarily.com^$popup +||fackeyess.com^$popup +||fadssystems.com^$popup +||fadszone.com^$popup +||failingaroused.com^$popup +||faireegli.net^$popup +||faiverty-station.com^$popup +||familyborn.com^$popup +||fapmeth.com^$popup +||fapping.club^$popup +||fardasub.xyz^$popup +||fast-redirecting.com^$popup +||fastdlr.com^$popup +||fastdntrk.com^$popup +||fastincognitomode.com^$popup +||fastlnd.com^$popup +||fbmedia-bls.com^$popup +||fbmedia-ckl.com^$popup +||fdelphaswcealifornica.com^$popup +||feed-xml.com^$popup +||feedfinder23.info^$popup +||feedyourheadmag.com^$popup +||feelsoftgood.info^$popup +||feignthat.com^$popup +||felingual.com^$popup +||felipby.live^$popup +||femvxitrquzretxzdq.info^$popup +||fenacheaverage.com^$popup +||fer2oxheou4nd.com^$popup +||ferelatedmothes.com^$popup +||feuageepitoke.com^$popup +||fewrfie.com^$popup +||fhserve.com^$popup +||fiinnancesur.com^$popup +||filestube.com^$popup,third-party +||fillingimpregnable.com^$popup +||finalice.net^$popup +||finance-hot-news.com^$popup +||finanvideos.com^$popup +||findanonymous.com^$popup +||findbetterresults.com^$popup +||findslofty.com^$popup +||finreporter.net^$popup +||firstclass-download.com^$popup +||fitcenterz.com^$popup +||fitsazx.xyz^$popup +||fittingcentermonday.com^$popup +||fittingcentermondaysunday.com^$popup +||fivb-downloads.org^$popup +||fivetrafficroads.com^$popup +||fixespreoccupation.com^$popup +||flairadscpc.com^$popup +||flamebeard.top^$popup +||flingforyou.com^$popup +||floatingbile.com^$popup +||flowerdicks.com^$popup +||flowln.com^$popup +||flrdra.com^$popup +||flushedheartedcollect.com^$popup +||flyingadvert.com^$popup +||fodsoack.com^$popup +||fontdeterminer.com^$popup +||foothoaglous.com^$popup +||for-j.com^$popup +||forarchenchan.com^$popup +||forasmum.live^$popup +||forazelftor.com^$popup +||forcingclinch.com^$popup +||forflygonom.com^$popup +||forooqso.tv^$popup +||forthdigestive.com^$popup +||fortyphlosiona.com^$popup +||forzubatr.com^$popup +||foulfurnished.com^$popup +||fourwhenstatistics.com^$popup +||fouwheepoh.com^$popup +||fpctraffic3.com^$popup +||fpgedsewst.com^$popup +||fpukxcinlf.com^$popup +||fractionfridgejudiciary.com^$popup +||fralstamp-genglyric.icu^$popup +||free3dgame.xyz^$popup +||freegamefinder.com^$popup +||freehookupaffair.com^$popup +||freeprize.org^$popup +||freetrckr.com^$popup +||freshpops.net^$popup +||frestlinker.com^$popup +||frettedmalta.top^$popup +||friendlyduck.com^$popup +||friendshipconcerning.com^$popup +||fronthlpr.com^$popup +||frtya.com^$popup +||frtyb.com^$popup +||frtye.com^$popup +||fstsrv.com^$popup +||fstsrv16.com^$popup +||fstsrv2.com^$popup +||fstsrv5.com^$popup +||fstsrv6.com^$popup +||fstsrv8.com^$popup +||fstsrv9.com^$popup +||ftte.xyz^$popup +||fudukrujoa.com^$popup +||fugcgfilma.com^$popup +||funmatrix.net^$popup +||furstraitsbrowse.com^$popup +||fuse-cloud.com^$popup +||fusttds.xyz^$popup +||fuzzyincline.com^$popup +||fwbntw.com^$popup +||fyglovilo.pro^$popup +||g0wow.net^$popup +||g2afse.com^$popup +||g33ktr4ck.com^$popup +||gadlt.nl^$popup +||gadssystems.com^$popup +||gagheroinintact.com^$popup +||galaxypush.com^$popup +||galotop1.com^$popup +||gamdom.com/?utm_source=$popup +||gaming-adult.com^$popup +||gamingonline.top^$popup +||gammamkt.com^$popup +||gamonalsmadevel.com^$popup +||gandmotivat.info^$popup +||gandmotivatin.info^$popup +||ganja.com^$popup,third-party +||garmentsdraught.com^$popup +||gb1aff.com^$popup +||gbengene.com^$popup +||gdecordingholo.info^$popup +||gdmconvtrck.com^$popup +||geegleshoaph.com^$popup +||geejetag.com^$popup +||geeptaunip.net^$popup +||gemfowls.com^$popup +||genialsleptworldwide.com^$popup +||geniusdexchange.com^$popup +||gensonal.com^$popup +||geotrkclknow.com^$popup +||get-gx.net^$popup +||get-link.xyz^$popup +||get-me-wow.in^$popup +||get.stoplocker.com^$popup +||getalltraffic.com^$popup +||getarrectlive.com^$popup +||getgx.net^$popup +||getmatchedlocally.com^$popup +||getmyads.com^$popup +||getnomadtblog.com^$popup +||getoverenergy.com^$popup +||getrunbestlovemy.info^$popup +||getrunkhomuto.info^$popup +||getsmartyapp.com^$popup +||getsthis.com^$popup +||getthisappnow.com^$popup +||gettingtoe.com^$popup +||gettopple.com^$popup +||getvideoz.click^$popup +||getyourtool.co^$popup +||gfdfhdh5t5453.com^$popup +||gfstrck.com^$popup +||gggtrenks.com^$popup +||ghostnewz.com^$popup +||ghuzwaxlike.shop^$popup +||gichaisseexy.net^$popup +||girlstaste.life^$popup +||gishpurer.shop^$popup +||gkrtmc.com^$popup +||gladsince.com^$popup +||glassmilheart.com^$popup +||glasssmash.site^$popup +||gleagainedam.info^$popup +||gleeglis.net^$popup +||glersakr.com^$popup +||glersooy.net^$popup +||glimpsemankind.com^$popup +||gliptoacaft.net^$popup +||gliraimsofu.net^$popup +||glizauvo.net^$popup +||globaladblocker.com^$popup +||globaladblocker.net^$popup +||globalwoldsinc.com^$popup +||globeofnews.com^$popup +||globwo.online^$popup +||gloogruk.com^$popup +||glorifyfactor.com^$popup +||glouxalt.net^$popup +||glowingnews.com^$popup +||gloytrkb.com^$popup +||glsfreeads.com^$popup +||glugherg.net^$popup +||gluxouvauure.com^$popup +||gml-grp.com^$popup +||gmxvmvptfm.com^$popup +||go-cpa.click^$popup +||go-srv.com^$popup +||go-to-website.com^$popup +||go.betobet.net^$popup +||go2affise.com^$popup +||go2linkfast.com^$popup +||go2linktrack.com^$popup +||go2offer-1.com^$popup +||go2oh.net^$popup +||go2rph.com^$popup +||goads.pro^$popup +||goaffmy.com^$popup +||goaserv.com^$popup +||goblocker.xyz^$popup +||gobreadthpopcorn.com^$popup +||godacepic.com^$popup +||godpvqnszo.com^$popup +||gogglerespite.com^$popup +||gold2762.com^$popup +||gomo.cc^$popup +||goobakocaup.com^$popup +||goodvpnoffers.com^$popup +||goosebomb.com^$popup +||gophykopta.com^$popup +||gorillatrk.com^$popup +||gositego.live^$popup +||gosoftwarenow.com^$popup +||got-to-be.com^$popup +||gotibetho.pro^$popup +||goto1x.me^$popup +||gotohouse1.club^$popup +||gotoplaymillion.com^$popup +||gotrackier.com^$popup +||governessmagnituderecoil.com^$popup +||grabclix.com^$popup +||gracefullouisatemperature.com^$popup +||graigloapikraft.net^$popup +||graijoruwa.com^$popup +||grairdou.com^$popup +||graitsie.com^$popup +||granddaughterrepresentationintroduce.com^$popup +||granthspillet.top^$popup +||grapseex.com^$popup +||gratataxis.shop^$popup +||gratifiedmatrix.com^$popup +||grauglak.com^$popup +||grazingmarrywomanhood.com^$popup +||greatdexchange.com^$popup +||greatlifebargains2024.com^$popup +||grecmaru.com^$popup +||green-search-engine.com^$popup +||greenlinknow.com^$popup +||greenplasticdua.com^$popup +||greenrecru.info^$popup +||greewepi.net^$popup +||grefaunu.com^$popup +||grefutiwhe.com^$popup +||grewquartersupporting.com^$popup +||greygrid.net^$popup +||grobuveexeb.net^$popup +||growingtotallycandied.com^$popup +||grtya.com^$popup +||grtyj.com^$popup +||grunoaph.net^$popup +||gruntremoved.com^$popup +||grupif.com^$popup +||grygrothapi.pro^$popup +||gsecurecontent.com^$popup +||gtbdhr.com^$popup +||guardedrook.cc^$popup +||guerrilla-links.com^$popup +||guesswhatnews.com^$popup +||guestblackmail.com^$popup +||gukrathokeewhi.net^$popup +||guro2.com^$popup +||guxidrookr.com^$popup +||gvcaffiliates.com^$popup +||h0w-t0-watch.net^$popup +||h74v6kerf.com^$popup +||habovethecit.info^$popup +||hairdresserbayonet.com^$popup +||halfhills.co^$popup +||hallucinatepromise.com^$popup +||hammerhewer.top^$popup +||handbaggather.com^$popup +||handgripvegetationhols.com^$popup +||hangnailamplify.com^$popup +||haoelo.com^$popup +||harassmentgrowl.com^$popup +||harrowliquid.com^$popup +||harshlygiraffediscover.com^$popup +||hatwasallokmv.info^$popup +||hauchiwu.com^$popup +||haveflat.com^$popup +||havegrosho.com^$popup +||hazoopso.net^$popup +||hbloveinfo.com^$popup +||headirtlseivi.org^$popup +||heavenfull.com^$popup +||heavenly-landscape.com^$popup +||heefothust.net^$popup +||heeraiwhubee.net^$popup +||hehighursoo.com^$popup +||helmethomicidal.com^$popup +||hentaifap.land^$popup +||heptix.net^$popup +||heratheacle.com^$popup +||heremployeesihi.info^$popup +||heresanothernicemess.com^$popup +||hermichermicfurnished.com^$popup +||hesoorda.com^$popup +||hespe-bmq.com^$popup +||hetadinh.com^$popup +||hetaint.com^$popup +||hetapus.com^$popup +||hetartwg.com^$popup +||hetarust.com^$popup +||hetaruvg.com^$popup +||hetaruwg.com^$popup +||hexovythi.pro^$popup +||hh-btr.com^$popup +||hhbypdoecp.com^$popup +||hhiswingsandm.info^$popup +||hhju87yhn7.top^$popup +||hibids10.com^$popup +||hicpm10.com^$popup +||hiend.xyz^$popup +||highcpmgate.com^$popup +||highcpmrevenuenetwork.com^$popup +||highercldfrev.com^$popup +||higheurest.com^$popup +||highmaidfhr.com^$popup +||highperformancecpm.com^$popup +||highperformancecpmgate.com^$popup +||highperformancecpmnetwork.com^$popup +||highperformancedformats.com^$popup +||highperformancegate.com^$popup +||highratecpm.com^$popup +||highrevenuecpmnetwork.com^$popup +||highrevenuegate.com^$popup +||highrevenuenetwork.com^$popup +||highwaycpmrevenue.com^$popup +||hiiona.com^$popup +||hilltopads.com^$popup +||hilltopads.net^$popup +||hilove.life^$popup +||hiltonbett.com^$popup +||himhedrankslo.xyz^$popup +||himunpractical.com^$popup +||hinaprecent.info^$popup +||hinkhimunpractical.com^$popup +||hintonjour.com^$popup +||hipersushiads.com^$popup +||historyactorabsolutely.com^$popup +||hisurnhuh.com^$popup +||hitcpm.com^$popup +||hitopadxdz.xyz^$popup +||hixvo.click^$popup +||hnrgmc.com^$popup +||hoa44trk.com^$popup +||hoadaphagoar.net^$popup +||hoaxbasesalad.com^$popup +||hoctor-pharity.xyz^$popup +||hoglinsu.com^$popup +||hognaivee.com^$popup +||hogqmd.com^$popup +||hoktrips.com^$popup +||holahupa.com^$popup +||holdhostel.space^$popup +||holdsoutset.com^$popup +||hollysocialspuse.com^$popup +||homicidalseparationmesh.com^$popup +||honestlyvicinityscene.com^$popup +||hoofexcessively.com^$popup +||hooliganapps.com^$popup +||hooligapps.com^$popup +||hooligs.app^$popup +||hoopbeingsmigraine.com^$popup +||hopelessrolling.com^$popup +||hopghpfa.com^$popup +||horriblysparkling.com^$popup +||hot-growngames.life^$popup +||hotchatdate.com^$popup +||hottest-girls-online.com^$popup +||howboxmaa.site^$popup +||howboxmab.site^$popup +||howsliferightnow.com^$popup +||howtolosebellyfat.shop^$popup +||hpyjmp.com^$popup +||hqtrk.com^$popup +||hrahdmon.com^$popup +||hrtye.com^$popup +||hrtyh.com^$popup +||hsrvz.com^$popup +||html-load.com^$popup +||htmonster.com^$popup +||htoptracker11072023.com^$popup +||hubturn.info^$popup +||hueads.com^$popup +||hugeedate.com^$popup +||hugregregy.pro^$popup +||huluads.info^$popup +||humandiminutionengaged.com^$popup +||hundredpercentmargin.com^$popup +||hundredscultureenjoyed.com^$popup +||hungryrise.com^$popup +||hurlaxiscame.com^$popup +||hurlmedia.design^$popup +||hxmanga.com^$popup +||hyenadata.com^$popup +||i62e2b4mfy.com^$popup +||i98jio988ui.world^$popup +||iageandinone.com^$popup +||iboobeelt.net^$popup +||ichimaip.net^$popup +||icilytired.com^$popup +||icubeswire.co^$popup +||identifierssadlypreferred.com^$popup +||identifyillustration.com^$popup +||idescargarapk.com^$popup +||ifdividemeasuring.com^$popup +||ifdnzact.com^$popup +||ifigent.com^$popup +||iglegoarous.net^$popup +||ignals.com^$popup +||igubet.link^$popup +||ihavelearnat.xyz^$popup +||ikengoti.com^$popup +||ilaterdeallyig.info^$popup +||illegaleaglewhistling.com^$popup +||illuminateinconveniencenutrient.com^$popup +||illuminatelocks.com^$popup +||imaxcash.com^$popup +||imghst-de.com^$popup +||imitrk13.com^$popup +||imkirh.com^$popup +||immigrationspiralprosecution.com^$popup +||impactserving.com^$popup +||imperialbattervideo.com^$popup +||impressiveporchcooler.com^$popup +||improvebin.xyz^$popup +||inabsolor.com^$popup +||inaltariaon.com^$popup +||inasmedia.com^$popup +||inbrowserplay.com^$popup +||inclk.com^$popup +||incloseoverprotective.com^$popup +||incomprehensibleacrid.com^$popup +||indiscreetarcadia.com^$popup +||infeebasr.com^$popup +||infirmaryboss.com^$popup +||inflectionquake.com^$popup +||infopicked.com^$popup +||infra.systems^$popup +||ingablorkmetion.com^$popup +||inheritknow.com^$popup +||inlacom.com^$popup +||inncreasukedrev.info^$popup +||innovid.com^$popup,third-party +||inoradde.com^$popup +||inpagepush.com^$popup +||insectearly.com^$popup +||inshelmetan.com^$popup +||insideofnews.com^$popup +||insigit.com^$popup +||inspiringperiods.com^$popup +||install-adblocking.com^$popup +||install-check.com^$popup +||instancesflushedslander.com^$popup +||instant-adblock.xyz^$popup +||instantpaydaynetwork.com^$popup +||intab.fun^$popup +||integrityprinciplesthorough.com^$popup +||intentionscurved.com^$popup +||interclics.com^$popup +||interesteddeterminedeurope.com^$popup +||internewsweb.com^$popup +||internodeid.com^$popup +||interpersonalskillse.info^$popup +||intimidatekerneljames.com^$popup +||intorterraon.com^$popup +||inumbreonr.com^$popup +||invaderannihilationperky.com^$popup +||investcoma.com^$popup +||investigationsuperbprone.com^$popup +||investing-globe.com^$popup +||invol.co^$popup +||inyoketuber.com^$popup +||iociley.com^$popup +||ioffers.icu^$popup +||iogjhbnoypg.com^$popup +||iopiopiop.net^$popup +||irkantyip.com^$popup +||ironicnickraspberry.com^$popup +||irresponsibilityhookup.com^$popup +||irtya.com^$popup +||isabellagodpointy.com^$popup +||isawthenews.com^$popup +||ismlks.com^$popup +||isohuntx.com/vpn/$popup +||isolatedovercomepasted.com^$popup +||issomeoneinth.info^$popup +||istlnkcl.com^$popup +||itespurrom.com^$popup +||itgiblean.com^$popup +||itnuzleafan.com^$popup +||itponytaa.com^$popup +||itrustzone.site^$popup +||itskiddien.club^$popup +||ittontrinevengre.info^$popup +||ittorchicer.com^$popup +||iutur-ixp.com^$popup +||ivauvoor.net^$popup +||ivpnoffers.com^$popup +||iwanttodeliver.com^$popup +||iwantusingle.com^$popup +||iyfnz.com^$popup +||iyfnzgb.com^$popup +||izeeto.com^$popup +||ja2n2u30a6rgyd.com^$popup +||jaavnacsdw.com^$popup +||jacksonduct.com^$popup +||jaclottens.live^$popup +||jads.co^$popup +||jaineshy.com^$popup +||jambosmodesty.com^$popup +||jamminds.com^$popup +||jamstech.store^$popup +||jashautchord.com^$popup +||java8.xyz^$popup +||jawlookingchapter.com^$popup +||jeekomih.com^$popup +||jennyunfit.com^$popup +||jennyvisits.com^$popup +||jepsauveel.net^$popup +||jerboasjourney.com^$popup +||jeroud.com^$popup +||jetordinarilysouvenirs.com^$popup +||jewelbeeperinflection.com^$popup +||jfjle4g5l.com^$popup +||jfkc5pwa.world^$popup +||jggegj-rtbix.top^$popup +||jhsnshueyt.click^$popup +||jicamasosteal.shop^$popup +||jillbuildertuck.com^$popup +||jjcwq.site^$popup +||jjmrmeovo.world^$popup +||jlodgings.com^$popup +||joahahewhoo.net^$popup +||jobsonationsing.com^$popup +||jocauzee.net^$popup +||join-admaven.com^$popup +||joinpropeller.com^$popup +||jokingzealotgossipy.com^$popup +||joltidiotichighest.com^$popup +||jomtingi.net^$popup +||josieunethical.com^$popup +||joudauhee.com^$popup +||jowingtykhana.click^$popup +||jpgtrk.com^$popup +||jqtree.com^$popup +||jrpkizae.com^$popup +||js-check.com^$popup +||jsmentry.com^$popup +||jsmptjmp.com^$popup +||jubsaugn.com^$popup +||judebelii.com^$popup +||juiceadv.com^$popup +||juicyads.com^$popup +||jukseeng.net^$popup +||jump-path1.com^$popup +||junbi-tracker.com^$popup +||junmediadirect1.com^$popup +||justdating.online^$popup +||justonemorenews.com^$popup +||jutyledu.pro^$popup +||jwalf.com^$popup +||k8ik878i.top^$popup +||kacukrunitsoo.net^$popup +||kaigaidoujin.com^$popup +||kakbik.info^$popup +||kamalafooner.space^$popup +||kaminari.systems^$popup +||kanoodle.com^$popup +||kappalinks.com^$popup +||karafutem.com^$popup +||karoon.xyz^$popup +||katebugs.com^$popup +||katecrochetvanity.com^$popup +||kauriessizzler.shop^$popup +||kaya303.lol^$popup +||keefeezo.net^$popup +||keenmagwife.live^$popup +||keewoach.net^$popup +||kektds.com^$popup +||kenomal.com^$popup +||ker2clk.com^$popup +||kerumal.com^$popup +||ketheappyrin.com^$popup +||ketingefifortcaukt.info^$popup +||ketseestoog.net^$popup +||kettakihome.com^$popup +||kgfjrb711.com^$popup +||kgorilla.net^$popup +||kiksajex.com^$popup +||kindredplc.com^$popup +||king3rsc7ol9e3ge.com^$popup +||kingtrck1.com^$popup +||kinitstar.com^$popup +||kinripen.com^$popup +||kirteexe.tv^$popup +||kirujh.com^$popup +||kitchiepreppie.com^$popup +||kizohilsoa.net^$popup +||kkjuu.xyz^$popup +||kmisln.com^$popup +||kmyunderthf.info^$popup +||koazowapsib.net^$popup +||kocairdo.net^$popup +||kogutcho.net^$popup +||kolkwi4tzicraamabilis.com^$popup +||koogreep.com^$popup +||korexo.com^$popup +||krjxhvyyzp.com^$popup +||ku2d3a7pa8mdi.com^$popup +||ku42hjr2e.com^$popup +||kultingecauyuksehinkitw.info^$popup +||kuno-gae.com^$popup +||kunvertads.com^$popup +||kurdirsojougly.net^$popup +||kuurza.com^$popup +||kxnggkh2nj.com^$popup +||kzt2afc1rp52.com^$popup +||kzvcggahkgm.com^$popup +||l4meet.com^$popup +||lacquerreddeform.com^$popup +||ladiesforyou.net^$popup +||ladrecaidroo.com^$popup +||lalofilters.website^$popup +||lamplynx.com^$popup +||landerhq.com^$popup +||lanesusanne.com^$popup +||laserdandelionhelp.com^$popup +||lashahib.net^$popup +||lassampy.com^$popup +||last0nef1le.com^$popup +||latheendsmoo.com^$popup +||laughingrecordinggossipy.com^$popup +||lavatorydownybasket.com^$popup +||lavender64369.com^$popup +||lawful-screw.com^$popup +||lby2kd27c.com^$popup +||leadingservicesintimate.com^$popup +||leadsecnow.com^$popup +||leadshurriedlysoak.com^$popup +||leapretrieval.com^$popup +||leesaushoah.net^$popup +||leforgotteddisg.info^$popup +||leftoverstatistics.com^$popup +||lementwrencespri.info^$popup +||lenkmio.com^$popup +||leonbetvouum.com^$popup +||leoyard.com^$popup +||lepetitdiary.com^$popup +||lephaush.net^$popup +||letitnews.com^$popup +||letitredir.com^$popup +||letsbegin.online^$popup +||letshareus.com^$popup +||letzonke.com^$popup +||leveragetypicalreflections.com^$popup +||liaoptse.net^$popup +||libertystmedia.com^$popup +||lickingimprovementpropulsion.com^$popup +||lidsaich.net^$popup +||lifeporn.net^$popup +||ligatus.com^$popup +||lighthousemissingdisavow.com^$popup +||lightssyrupdecree.com^$popup +||likedatings.life^$popup +||lilinstall11x.com^$popup +||limoners.com^$popup +||liningemigrant.com^$popup +||linkadvdirect.com^$popup +||linkboss.shop^$popup +||linkchangesnow.com^$popup +||linkmepu.com^$popup +||linkonclick.com^$popup +||linkredirect.biz^$popup +||linksprf.com^$popup +||linkwarkop4d.com^$popup +||liquidfire.mobi^$popup +||liveadexchanger.com^$popup +||livechatflirt.com^$popup +||liveleadtracking.com^$popup +||livepromotools.com^$popup +||livezombymil.com^$popup +||lizebruisiaculi.info^$popup +||lkcoffe.com^$popup +||lkstrck2.com^$popup +||llalo.click^$popup +||llpgpro.com^$popup +||lmn-pou-win.com^$popup +||lmp3.org^$popup +||lnk8j7.com^$popup +||lnkgt.com^$popup +||lnkvv.com^$popup +||lntrigulngdates.com^$popup +||loagoshy.net^$popup +||loaksandtheir.info^$popup +||loazuptaice.net^$popup +||lobimax.com^$popup +||localelover.com^$popup +||locomotiveconvenientriddle.com^$popup +||locooler-ageneral.com^$popup +||lody24.com^$popup +||logicdate.com^$popup +||logicschort.com^$popup +||lone-pack.com^$popup +||loodauni.com^$popup +||lookandfind.me^$popup +||looksdashboardcome.com^$popup +||looksmart.com^$popup +||lootynews.com^$popup +||lorswhowishe.com^$popup +||losingoldfry.com^$popup +||lostdormitory.com^$popup +||lottoleads.com^$popup +||louisedistanthat.com^$popup +||loverevenue.com^$popup +||lovesparkle.space^$popup +||lowrihouston.pro^$popup +||lowseedotr.com^$popup +||lowseelan.com^$popup +||lowtyroguer.com^$popup +||lowtyruntor.com^$popup +||loyeesihighlyreco.info^$popup +||lp247p.com^$popup +||lplimjxiyx.com^$popup +||lptrak.com^$popup +||ltingecauyuksehi.com^$popup +||ltmywtp.com^$popup +||luckyads.pro^$popup +||luckyforbet.com^$popup +||lurdoocu.com^$popup +||lurgaimt.net^$popup +||lusinlepading.com^$popup +||lust-burning.rest^$popup +||lust-goddess.buzz^$popup +||luvaihoo.com^$popup +||luxetalks.com^$popup +||lvztx.com^$popup +||lwnbts.com^$popup +||lwonclbench.com^$popup +||lxkzcss.xyz^$popup +||lycheenews.com^$popup +||lyconery-readset.com^$popup +||lywasnothycanty.info^$popup +||m73lae5cpmgrv38.com^$popup +||m9w6ldeg4.xyz^$popup +||ma3ion.com^$popup +||macan-native.com^$popup +||mafroad.com^$popup +||magicads.nl^$popup +||magmafurnace.top^$popup +||magsrv.com^$popup +||majorityevaluatewiped.com^$popup +||making.party^$popup +||mallettraumatize.com^$popup +||mallur.net^$popup +||maltunfaithfulpredominant.com^$popup +||mamaunweft.click^$popup +||mammaldealbustle.com^$popup +||manbycus.com^$popup +||manconsider.com^$popup +||mandjasgrozde.com^$popup +||manga18sx.com^$popup +||maper.info^$popup +||maquiags.com^$popup +||marti-cqh.com^$popup +||masklink.org^$popup +||massacreintentionalmemorize.com^$popup +||matchjunkie.com^$popup +||matildawu.online^$popup +||maxigamma.com^$popup +||maybejanuarycosmetics.com^$popup +||maymooth-stopic.com^$popup +||mb-npltfpro.com^$popup +||mb01.com^$popup +||mb102.com^$popup +||mb103.com^$popup +||mb104.com^$popup +||mb223.com^$popup +||mb38.com^$popup +||mb57.com^$popup +||mbjrkm2.com^$popup +||mbreviews.info^$popup +||mbstrk.com^$popup +||mbvlmz.com^$popup +||mbvsm.com^$popup +||mcafeescan.site^$popup +||mcfstats.com^$popup +||mcpuwpush.com^$popup +||mcurrentlysea.info^$popup +||mddsp.info^$popup +||me4track.com^$popup +||media-412.com^$popup +||media-serving.com^$popup +||mediasama.com^$popup +||mediaserf.net^$popup +||mediaxchange.co^$popup +||medicationneglectedshared.com^$popup +||meenetiy.com^$popup +||meetradar.com^$popup +||meetsexygirls.org^$popup +||meetwebclub.com^$popup +||megacot.com^$popup +||megaffiliates.com^$popup +||megdexchange.com^$popup +||meherdewogoud.com^$popup +||memecoins.club^$popup +||menepe.com^$popup +||menews.org^$popup +||meofmukindwoul.info^$popup +||mericantpastellih.org^$popup +||merterpazar.com^$popup +||mesqwrte.net^$popup +||messagereceiver.com^$popup +||messenger-notify.digital^$popup +||messenger-notify.xyz^$popup +||meteorclashbailey.com^$popup +||metogthr.com^$popup +||metrica-yandex.com^$popup +||mevarabon.com^$popup +||mghkpg.com^$popup +||mgid.com^$popup +||mhiiopll.net^$popup +||midgetincidentally.com^$popup +||migrantspiteconnecting.com^$popup +||milksquadronsad.com^$popup +||millustry.top^$popup +||mimosaavior.top +||mimosaavior.top^$popup +||mindedcarious.com^$popup +||miniaturecomfortable.com^$popup +||mirfakpersei.com^$popup +||mirfakpersei.top^$popup +||mirsuwoaw.com^$popup +||misarea.com^$popup +||mishapideal.com^$popup +||misspkl.com^$popup +||mityneedn.com^$popup +||mk-ads.com^$popup +||mkaff.com^$popup +||mkjsqrpmxqdf.com^$popup +||mlatrmae.net^$popup +||mmpcqstnkcelx.com^$popup +||mmrtb.com^$popup +||mnaspm.com^$popup +||mndsrv.com^$popup +||moartraffic.com^$popup +||mob1ledev1ces.com^$popup +||mobagent.com^$popup +||mobileraffles.com^$popup +||mobiletracking.ru^$popup +||mobipromote.com^$popup +||mobmsgs.com^$popup +||mobreach.com^$popup +||mobsuitem.com^$popup +||modescrips.info^$popup +||modificationdispatch.com^$popup +||modoodeul.com^$popup +||moilizoi.com^$popup +||moksoxos.com^$popup +||moleconcern.com^$popup +||molypsigry.pro^$popup +||moncoerbb.com^$popup +||monetag.com^$popup +||moneysavinglifehacks.pro^$popup +||monieraldim.click^$popup +||monsterofnews.com^$popup +||moodokay.com^$popup +||moonrocketaffiliates.com^$popup +||moralitylameinviting.com^$popup +||morclicks.com^$popup +||mordoops.com^$popup +||more1.biz^$popup +||mosrtaek.net^$popup +||motivessuggest.com^$popup +||mountaincaller.top^$popup +||mourny-clostheme.com^$popup +||moustachepoke.com^$popup +||mouthdistance.bond^$popup +||movemeforward.co^$popup +||movfull.com^$popup +||moviemediahub.com^$popup +||moviesflix4k.club^$popup +||moviesflix4k.xyz^$popup +||movingfwd.co^$popup +||mplayeranyd.info^$popup +||mrdzuibek.com^$popup +||mscoldness.com^$popup +||msre2lp.com^$popup +||mtypitea.net^$popup +||mudflised.com^$popup +||mufflerlightsgroups.com^$popup +||muheodeidsoan.info^$popup +||muletatyphic.com^$popup +||muvflix.com^$popup +||muzzlematrix.com^$popup +||mvmbs.com^$popup +||my-promo7.com^$popup +||my-rudderjolly.com^$popup +||myadcash.com^$popup +||myadsserver.com^$popup +||myaffpartners.com^$popup +||mybestdc.com^$popup +||mybetterck.com^$popup +||mybetterdl.com^$popup +||mybettermb.com^$popup +||myckdom.com^$popup +||mydailynewz.com^$popup +||myeasetrack.com^$popup +||myemailtracking.com^$popup +||myhugewords.com^$popup +||myhypestories.com^$popup +||myjollyrudder.com^$popup +||mylot.com^$popup +||myperfect2give.com^$popup +||mypopadpro.com^$popup +||myreqdcompany.com^$popup +||mysagagame.com^$popup +||mywondertrip.com^$popup +||nabauxou.net^$popup +||naggingirresponsible.com^$popup +||naiwoalooca.net^$popup +||namesakeoscilloscopemarquis.com^$popup +||nan0cns.com^$popup +||nancontrast.com^$popup +||nannyamplify.com^$popup +||nanoadexchange.com^$popup +||nanouwho.com^$popup +||nasosettoourm.com^$popup +||nasssmedia.com^$popup +||natallcolumnsto.info^$popup +||nathanaeldan.pro^$popup +||native-track.com^$popup +||natregs.com^$popup +||naveljutmistress.com^$popup +||navigatingnautical.xyz^$popup +||naxadrug.com^$popup +||ndcomemunica.com^$popup +||nebulouslostpremium.com^$popup +||neejaiduna.net^$popup +||negotiaterealm.com^$popup +||neptuntrack.com^$popup +||nereu-gdr.com^$popup +||nessainy.net^$popup +||netcpms.com^$popup +||netpatas.com^$popup +||netrefer.co^$popup +||netund.com^$popup +||network.nutaku.net^$popup +||never2never.com^$popup +||newbluetrue.xyz^$popup +||newbornleasetypes.com^$popup +||newjulads.com^$popup +||newrtbbid.com^$popup +||news-place1.xyz^$popup +||news-portals1.xyz^$popup +||news-site1.xyz^$popup +||news-universe1.xyz^$popup +||news-weekend1.xyz^$popup +||newscadence.com^$popup +||newsfortoday2.xyz^$popup +||newsforyourmood.com^$popup +||newsfrompluto.com^$popup +||newsignites.com^$popup +||newslikemeds.com^$popup +||newstarads.com^$popup +||newstemptation.com^$popup +||newsyour.net^$popup +||newtab-media.com^$popup +||nextoptim.com^$popup +||nextyourcontent.com^$popup +||ngfruitiesmatc.info^$popup +||ngineet.cfd^$popup +||ngsinspiringtga.info^$popup +||nicatethebene.info^$popup +||nicelyinformant.com^$popup +||nicesthoarfrostsooner.com^$popup +||nicsorts-accarade.com^$popup +||nightbesties.com^$popup +||nigroopheert.com^$popup +||nimrute.com^$popup +||nindsstudio.com^$popup +||ninetyninesec.com^$popup +||niwluvepisj.site^$popup +||noerwe5gianfor19e4st.com^$popup +||nomadsbrand.com^$popup +||nomadsfit.com^$popup +||nominalclck.name^$popup +||nominatecambridgetwins.com^$popup +||noncepter.com^$popup +||nontraditionally.rest^$popup +||noohapou.com^$popup +||noolt.com^$popup +||nossairt.net^$popup +||notifications-update.com^$popup +||notifpushnext.net^$popup +||notoings.com^$popup +||nougacoush.com^$popup +||noughttrustthreshold.com^$popup +||novelslopeoppressive.com^$popup +||november-sin.com^$popup +||novibet.partners^$popup +||novitrk7.com^$popup +||novitrk8.com^$popup +||npcad.com^$popup +||nreg.world^$popup +||nrs6ffl9w.com^$popup +||nsmpydfe.net^$popup +||nstoodthestatu.info^$popup +||nsultingcoe.net^$popup +||nsw2u.com^$popup +||ntoftheusysia.info^$popup +||ntoftheusysianedt.info^$popup +||ntrftrk.com^$popup +||ntrftrksec.com^$popup +||ntvpforever.com^$popup +||nudgeworry.com^$popup +||nukeluck.net^$popup +||numbertrck.com^$popup +||nurewsawaninc.info^$popup +||nutaku.net/signup/$popup +||nutchaungong.com^$popup +||nv3tosjqd.com^$popup +||nxt-psh.com^$popup +||nyadra.com^$popup +||nylonnickel.xyz^$popup +||nymphdate.com^$popup +||o18.click^$popup +||o333o.com^$popup +||oackoubs.com^$popup +||oagnolti.net^$popup +||oalsauwy.net^$popup +||oaphoace.net^$popup +||oassackegh.net^$popup +||oataltaul.com^$popup +||oatsegnickeez.net^$popup +||oblongseller.com^$popup +||obsidiancutter.top^$popup +||ochoawhou.com^$popup +||oclaserver.com^$popup +||ocloud.monster^$popup +||ocmhood.com^$popup +||ocoaksib.com^$popup +||odalrevaursartu.net^$popup +||odemonstrat.pro^$popup +||odintsures.click^$popup +||oefanyorgagetn.info^$popup +||ofeetles.pro^$popup +||offaces-butional.com^$popup +||offergate-apps-pubrel.com^$popup +||offergate-games-download1.com^$popup +||offernow24.com^$popup +||offernzshop.online^$popup +||offershub.net^$popup +||offerstrack.net^$popup +||offersuperhub.com^$popup +||offhandpump.com^$popup +||officetablntry.org^$popup +||officialbanisters.com^$popup +||offshuppetchan.com^$popup +||ofglicoron.net^$popup +||ofphanpytor.com^$popup +||ofredirect.com^$popup +||ofseedotom.com^$popup +||oghqvffmnt.com^$popup +||ogniicbnb.ru^$popup +||ogrepsougie.net^$popup +||ogtrk.net^$popup +||ohrdsplu.com^$popup +||ojrq.net^$popup +||okaidsotsah.com^$popup +||okueroskynt.com^$popup +||ologeysurincon.com^$popup +||olympuscracowe.shop^$popup +||omciecoa37tw4.com^$popup +||omegaadblock.net^$popup +||omgpm.com^$popup +||omgt3.com^$popup +||omgt4.com^$popup +||omgt5.com^$popup +||omklefkior.com^$popup +||onad.eu^$popup +||onatallcolumn.com^$popup +||oncesets.com^$popup +||onclasrv.com^$popup +||onclckpop.com^$popup +||onclickads.net^$popup +||onclickalgo.com^$popup +||onclickclear.com^$popup +||onclickgenius.com^$popup +||onclickmax.com^$popup +||onclickmega.com^$popup +||onclickperformance.com^$popup +||onclickprediction.com^$popup +||onclicksuper.com^$popup +||onclicktop.com^$popup +||ondshub.com^$popup +||one-name-studio.com^$popup +||oneadvupfordesign.com^$popup +||oneclickpic.net^$popup +||oneegrou.net^$popup +||onenomadtstore.com^$popup +||onetouch12.com^$popup +||onetouch19.com^$popup +||onetouch20.com^$popup +||onetouch22.com^$popup +||onetouch26.com^$popup +||onevenadvllc.com^$popup +||onevenadvnow.com^$popup +||ongoingverdictparalyzed.com^$popup +||onhitads.net^$popup +||onionetmabela.top^$popup +||online-deal.click^$popup +||onlinecashmethod.com^$popup +||onlinedeltazone.online^$popup +||onlinefinanceworld.com^$popup +||onlinepuonline.com^$popup +||onlineshopping.website^$popup +||onlineuserprotector.com^$popup +||onmantineer.com^$popup +||onmarshtompor.com^$popup +||onstunkyr.com^$popup +||ontreck.cyou^$popup +||oobsaurt.net^$popup +||oodrampi.com^$popup +||oopatet.com^$popup +||oopsiksaicki.com^$popup +||oosonechead.org^$popup +||opdomains.space^$popup +||opeanresultancete.info^$popup +||openadserving.com^$popup +||openerkey.com^$popup +||opengalaxyapps.monster^$popup +||openmindter.com^$popup +||openwwws.space^$popup +||operarymishear.store^$popup +||ophoacit.com^$popup +||opoxv.com^$popup +||opparasecton.com^$popup +||opportunitysearch.net^$popup +||opptmzpops.com^$popup +||opskln.com^$popup +||optimalscreen1.online^$popup +||optimizesrv.com^$popup +||optnx.com^$popup +||optvz.com^$popup +||optyruntchan.com^$popup +||optzsrv.com^$popup +||opus-whisky.com^$popup +||oranegfodnd.com^$popup +||oraubsoux.net^$popup +||orgassme.com^$popup +||orlowedonhisdhilt.info^$popup +||osarmapa.net^$popup +||osfultrbriolenai.info^$popup +||osiextantly.com^$popup +||ossfloetteor.com^$popup +||ossmightyenar.net^$popup +||ostlon.com^$popup +||otherofherlittle.info^$popup +||otingolston.com^$popup +||otisephie.com^$popup +||otnolabttmup.com^$popup +||otnolatrnup.com^$popup +||otoadom.com^$popup +||oulsools.com^$popup +||oungimuk.net^$popup +||ourcommonnews.com^$popup +||ourcommonstories.com^$popup +||ourcoolposts.com^$popup +||outaipoma.com^$popup +||outgratingknack.com^$popup +||outhulem.net^$popup +||outlineappearbar.com^$popup +||outlookabsorb.com^$popup +||outoctillerytor.com^$popup +||outofthecath.org^$popup +||outwallastron.top^$popup +||outwingullom.com^$popup +||ovardu.com^$popup +||ovdimin.buzz^$popup +||overallfetchheight.com^$popup +||overcrowdsillyturret.com^$popup +||oversolosisor.com^$popup +||ow5a.net^$popup +||owrkwilxbw.com^$popup +||oxbbzxqfnv.com^$popup +||oxtsale1.com^$popup +||oxydend2r5umarb8oreum.com^$popup +||oyi9f1kbaj.com^$popup +||ozcarcupboard.com^$popup +||ozonerexhaled.click^$popup +||ozongees.com^$popup +||pa5ka.com^$popup +||padsdel.com^$popup +||paeastei.net^$popup +||paehceman.com^$popup +||paikoasa.tv^$popup +||paizowheefash.net^$popup +||palmmalice.com^$popup +||palpablefungussome.com^$popup +||palundrus.com^$popup +||pamwrymm.live^$popup +||panelghostscontractor.com^$popup +||panicmiserableeligible.com^$popup +||pantrydivergegene.com^$popup +||parachuteeffectedotter.com^$popup +||parallelgds.store^$popup +||parentingcalculated.com^$popup +||parentlargevia.com^$popup +||paripartners.ru^$popup +||parisjeroleinpg.com^$popup +||parkcircularpearl.com^$popup +||parkingridiculous.com^$popup +||participateconsequences.com^$popup +||partsbury.com^$popup +||parturemv.top^$popup +||passeura.com^$popup +||passfixx.com^$popup +||pasxfixs.com^$popup +||patrondescendantprecursor.com^$popup +||patronimproveyourselves.com^$popup +||paularrears.com^$popup +||paulastroid.com^$popup +||paxsfiss.com^$popup +||paxxfiss.com^$popup +||paymentsweb.org^$popup +||payvclick.com^$popup +||pclk.name^$popup +||pcmclks.com^$popup +||pctsrv.com^$popup +||peachybeautifulplenitude.com^$popup +||pecialukizeias.info^$popup +||peeredgerman.com^$popup +||peethach.com^$popup +||peezette-intial.com^$popup +||pegloang.com^$popup +||pejzeexukxo.com^$popup +||pelis-123.org^$popup +||pemsrv.com^$popup +||peopleloves.me^$popup +||pereliaastroid.com^$popup +||perfectflowing.com^$popup +||perfecttoolmedia.com^$popup +||performancetrustednetwork.com^$popup +||periodscirculation.com^$popup +||perispro.com^$popup +||perpetraterummage.com^$popup +||perryvolleyball.com^$popup +||pertersacstyli.com^$popup +||pertfinds.com^$popup +||pertlouv.com^$popup +||pesime.xyz^$popup +||peskyclarifysuitcases.com^$popup +||pesterolive.com^$popup +||petendereruk.com^$popup +||pexu.com^$popup +||pgmediaserve.com^$popup +||phamsacm.net^$popup +||phaulregoophou.net^$popup +||phaurtuh.net^$popup +||pheniter.com^$popup +||phenotypebest.com^$popup +||phoognol.com^$popup +||phosphatepossible.com^$popup +||phovaiksou.net^$popup +||phu1aefue.com^$popup +||phumpauk.com^$popup +||phuthobsee.com^$popup +||pickaflick.co^$popup +||pierisrapgae.com^$popup +||pipaffiliates.com^$popup +||pipsol.net^$popup +||pisism.com^$popup +||pistolsizehoe.com^$popup +||pitchedfurs.com^$popup +||pitchedvalleyspageant.com^$popup +||pitysuffix.com^$popup +||pixellitomedia.com^$popup +||pixelspivot.com^$popup +||pk910324e.com^$popup +||pki87n.pro^$popup +||placardcapitalistcalculate.com^$popup +||placetobeforever.com^$popup +||plainmarshyaltered.com^$popup +||planetarium-planet.com^$popup +||planmybackup.co^$popup +||planningdesigned.com^$popup +||planyourbackup.co^$popup +||play1ad.shop^$popup +||playamopartners.com^$popup +||playbook88a2.com^$popup +||playeranyd.org^$popup +||playerstrivefascinated.com^$popup +||playerswhisper.com^$popup +||playstretch.host^$popup +||playvideoclub.com^$popup +||pleadsbox.com^$popup +||pleasetrack.com^$popup +||plexop.net^$popup +||plinksplanet.com^$popup +||plirkep.com^$popup +||plorexdry.com^$popup +||plsrcmp.com^$popup +||plumpcontrol.pro^$popup +||pnouting.com^$popup +||pnperf.com^$popup +||podefr.net^$popup +||pointclicktrack.com^$popup +||pointroll.com^$popup +||poisism.com^$popup +||pokjhgrs.click^$popup +||politesewer.com^$popup +||politicianbusplate.com^$popup +||polyh-nce.com^$popup +||pompreflected.com^$popup +||pon-prairie.com^$popup +||ponk.pro^$popup +||pooksys.site^$popup +||popads.net^$popup +||popblockergold.info^$popup +||popcash.net^$popup +||popcornvod.com^$popup +||poperblocker.com^$popup +||popmyads.com^$popup +||popped.biz^$popup +||populationrind.com^$popup +||popunder.bid^$popup +||popunderjs.com^$popup +||popupblockergold.com^$popup +||popupsblocker.org^$popup +||popwin.net^$popup +||pornhb.me^$popup +||poshsplitdr.com^$popup +||post-redirecting.com^$popup +||postaffiliatepro.com^$popup,third-party +||postback1win.com^$popup +||postlnk.com^$popup +||potawe.com^$popup +||potpourrichordataoscilloscope.com^$popup +||potsaglu.net^$popup +||potskolu.net^$popup +||ppcnt.co^$popup +||ppcnt.eu^$popup +||ppcnt.us^$popup +||practicallyfire.com^$popup +||praiseddisintegrate.com^$popup +||prdredir.com^$popup +||precedentadministrator.com^$popup +||precisejoker.com^$popup +||precursorinclinationbruised.com^$popup +||predicamentdisconnect.com^$popup +||predictiondexchange.com^$popup +||predictiondisplay.com^$popup +||predictionds.com^$popup +||predictivadnetwork.com^$popup +||predictivadvertising.com^$popup +||predictivdisplay.com^$popup +||premium-members.com^$popup +||premium4kflix.top^$popup +||premium4kflix.website^$popup +||premiumaffi.com^$popup +||premonitioninventdisagree.com^$popup +||preoccupycommittee.com^$popup +||press-here-to-continue.com^$popup +||pressingequation.com^$popup +||pressyour.com^$popup +||pretrackings.com^$popup +||prevailinsolence.com^$popup +||prfwhite.com^$popup +||primarkingfun.giving^$popup +||prime-vpnet.com^$popup +||princesinistervirus.com^$popup +||privacysafeguard.net^$popup +||privatedqualizebrui.info^$popup +||privilegedmansfieldvaguely.com^$popup +||privilegest.com^$popup +||prizefrenzy.top^$popup +||prizetopsurvey.top^$popup +||prjcq.com^$popup +||prmtracking.com^$popup +||pro-adblocker.com^$popup +||processsky.com^$popup +||professionalswebcheck.com^$popup +||proffering.xyz$popup +||proffering.xyz^$popup +||profitablecpmgate.com^$popup +||profitableexactly.com^$popup +||profitablegate.com^$popup +||profitablegatecpm.com^$popup +||profitablegatetocontent.com^$popup +||profitabletrustednetwork.com^$popup +||prologuerussialavender.com^$popup +||promo-bc.com^$popup +||pronouncedlaws.com^$popup +||pronovosty.org^$popup +||pronunciationspecimens.com^$popup +||propadsviews.com^$popup +||propbn.com^$popup +||propellerads.com^$popup +||propellerclick.com^$popup +||propellerpops.com^$popup +||propertyofnews.com^$popup +||protect-your-privacy.net^$popup +||prototypewailrubber.com^$popup +||protrckit.com^$popup +||provenpixel.com^$popup +||prpops.com^$popup +||prtord.com^$popup +||prtrackings.com^$popup +||prwave.info^$popup +||psaiceex.net^$popup +||psaltauw.net^$popup +||psaugourtauy.com^$popup +||psauwaun.com^$popup +||psefteeque.com^$popup +||psegeevalrat.net^$popup +||psilaurgi.net^$popup +||psma02.com^$popup +||psockapa.net^$popup +||psomsoorsa.com^$popup +||psotudev.com^$popup +||pssy.xyz^$popup +||ptailadsol.net^$popup +||ptaupsom.com^$popup +||ptavutchain.com^$popup +||ptistyvymi.com^$popup +||ptoaheelaishard.net^$popup +||ptoakrok.net^$popup +||ptongouh.net^$popup +||ptsixwereksbef.info^$popup +||ptugnins.net^$popup +||ptupsewo.net^$popup +||ptwmcd.com^$popup +||ptwmjmp.com^$popup +||ptyalinbrattie.com^$popup +||pubdirecte.com^$popup +||publisherads.click^$popup +||publited.com^$popup +||pubtrky.com^$popup +||puldhukelpmet.com^$popup +||pulinkme.com^$popup +||pulseonclick.com^$popup +||punsong.com^$popup +||pupspu.com^$popup +||pupur.net^$popup +||pupur.pro^$popup +||pureadexchange.com^$popup +||purebrowseraddonedge.com^$popup +||purpleads.io^$popup +||purplewinds.xyz^$popup +||push-news.click^$popup +||push-sense.com^$popup +||push1000.top^$popup +||pushclk.com^$popup +||pushking.net^$popup +||pushmobilenews.com^$popup +||pushub.net^$popup +||pushwelcome.com^$popup +||pussl3.com^$popup +||pussl48.com^$popup +||putchumt.com^$popup +||putrefyeither.com^$popup +||puwpush.com^$popup +||pvclouds.com^$popup +||q8ntfhfngm.com^$popup +||qads.io^$popup +||qelllwrite.com^$popup +||qertewrt.com^$popup +||qjrhacxxk.xyz^$popup +||qksrv.cc^$popup +||qksrv1.com^$popup +||qnp16tstw.com^$popup +||qq288cm1.com^$popup +||qr-captcha.com^$popup +||qrlsx.com^$popup +||qrprobopassor.com^$popup +||qualityadverse.com^$popup +||qualitydating.top^$popup +||quarrelaimless.com^$popup +||questioningexperimental.com^$popup +||quilladot.org^$popup +||qxdownload.com^$popup +||qz496amxfh87mst.com^$popup +||r-tb.com^$popup +||r3adyt0download.com^$popup +||r3f.technology^$popup +||rafkxx.com^$popup +||railroadfatherenlargement.com^$popup +||raisoglaini.net^$popup +||rallantynethebra.com^$popup +||ranabreast.com^$popup +||rankpeers.com^$popup +||raordukinarilyhuk.com^$popup +||raosmeac.net^$popup +||rapidhits.net^$popup +||rapolok.com^$popup +||rashbarnabas.com^$popup +||raunooligais.net^$popup +||rbtfit.com^$popup +||rbxtrk.com^$popup +||rdrm1.click^$popup +||rdrsec.com^$popup +||rdsa2012.com^$popup +||rdsrv.com^$popup +||rdtk.io^$popup +||rdtracer.com^$popup +||readserv.com^$popup +||readyblossomsuccesses.com^$popup +||realcfadsblog.com^$popup +||realsh.xyz^$popup +||realsrv.com^$popup +||realtime-bid.com^$popup +||realxavounow.com^$popup +||rearedblemishwriggle.com^$popup +||rebrew-foofteen.com^$popup +||rechanque.com^$popup +||reclod.com^$popup +||recodetime.com^$popup +||recompensecombinedlooks.com^$popup +||record.commissionkings.ag^$popup +||record.rizk.com^$popup +||recyclinganewupdated.com^$popup +||recyclingbees.com^$popup +||red-direct-n.com^$popup +||redaffil.com^$popup +||redirect-ads.com^$popup +||redirect-path1.com^$popup +||redirectflowsite.com^$popup +||redirecting7.eu^$popup +||redirectingat.com^$popup +||redirectvoluum.com^$popup +||redrotou.net^$popup +||redwingmagazine.com^$popup +||refdomain.info^$popup +||referredscarletinward.com^$popup +||refpa.top^$popup +||refpa4293501.top^$popup +||refpabuyoj.top^$popup +||refpaikgai.top^$popup +||refpamjeql.top^$popup +||refpasrasw.world^$popup +||refpaxfbvjlw.top^$popup +||refundsreisner.life^$popup +||refutationtiptoe.com^$popup +||regulushamal.top^$popup +||rehvbghwe.cc^$popup +||rekipion.com^$popup +||reliablemore.com^$popup +||relievedgeoff.com^$popup +||relockembarge.shop^$popup +||remaysky.com^$popup +||remembergirl.com^$popup +||reminews.com^$popup +||remoifications.info^$popup +||remv43-rtbix.top^$popup +||rentalrebuild.com^$popup +||rentingimmoderatereflecting.com^$popup +||repayrotten.com^$popup +||repentbits.com^$popup +||replaceexplanationevasion.com^$popup +||replacestuntissue.com^$popup +||reprintvariousecho.com^$popup +||reproductiontape.com^$popup +||reqdfit.com^$popup +||reroplittrewheck.pro^$popup +||resentreaccotia.com^$popup +||resertol.co.in^$popup +||residelikingminister.com^$popup +||residenceseeingstanding.com^$popup +||residentialinspur.com^$popup +||resistshy.com^$popup +||responsiverender.com^$popup +||resterent.com^$popup +||restorationbowelsunflower.com^$popup +||restorationpencil.com^$popup +||retgspondingco.com^$popup +||revenuenetwork.com^$popup +||revimedia.com^$popup +||revolvemockerycopper.com^$popup +||rewardtk.com^$popup +||rewqpqa.net^$popup +||rexsrv.com^$popup +||rhudsplm.com^$popup +||rhvdsplm.com^$popup +||rhxdsplm.com^$popup +||riddleloud.com^$popup +||riflesurfing.xyz^$popup +||riftharp.com^$popup +||rightypulverizetea.com^$popup +||ringexpressbeach.com^$popup +||riotousunspeakablestreet.com^$popup +||riowrite.com^$popup +||riscati.com^$popup +||riverhit.com^$popup +||rkatamonju.info^$popup +||rkskillsombineukd.com^$popup +||rmaticalacm.info^$popup +||rmhfrtnd.com^$popup +||rmzsglng.com^$popup +||rndhaunteran.com^$popup +||rndmusharnar.com^$popup +||rndskittytor.com^$popup +||roaddataay.live^$popup +||roadmappenal.com^$popup +||roastoup.com^$popup +||rochestertrend.com^$popup +||rocketmedia24.com^$popup,third-party +||rockstorageplace.com^$popup +||rockytrails.top^$popup +||rocoads.com^$popup +||rollads.live^$popup +||romanlicdate.com^$popup +||roobetaffiliates.com^$popup +||rootzaffiliates.com^$popup +||rose2919.com^$popup +||rosyruffian.com^$popup +||rotumal.com^$popup +||roudoduor.com^$popup +||roulettebotplus.com^$popup +||rounddescribe.com^$popup +||roundflow.net^$popup +||routes.name^$popup +||routgveriprt.com^$popup +||roverinvolv.bid^$popup +||rovno.xyz^$popup +||royalcactus.com^$popup +||rozamimo9za10.com^$popup +||rsaltsjt.com^$popup +||rsppartners.com^$popup +||rtbadshubmy.com^$popup +||rtbbpowaq.com^$popup +||rtbix.xyz^$popup +||rtbsuperhub.com^$popup +||rtbxnmhub.com^$popup +||rtclx.com^$popup +||rtmark.net^$popup +||rtoukfareputfe.info^$popup +||rtyznd.com^$popup +||rubylife.go2cloud.org^$popup +||rudderwebmy.com^$popup +||rulefloor.com^$popup +||rummagemason.com^$popup +||runicmaster.top^$popup +||runslin.com^$popup +||runtnc.net^$popup +||russellseemslept.com^$popup +||rusticsnoop.com^$popup +||ruthproudlyquestion.top^$popup +||rvetreyu.net^$popup +||rvisofoseveralye.com^$popup +||rvrpushserv.com^$popup +||s0cool.net^$popup +||s20dh7e9dh.com^$popup +||s3g6.com^$popup +||sabotageharass.com^$popup +||safe-connection21.com^$popup +||safestgatetocontent.com^$popup +||sagedeportflorist.com^$popup +||saillevity.com^$popup +||saltpairwoo.live^$popup +||samage-bility.icu^$popup +||samarradeafer.top^$popup +||sandmakingsilver.info^$popup +||sandyrecordingmeet.com^$popup +||sarcasmadvisor.com^$popup +||sarcodrix.com^$popup +||sardineforgiven.com^$popup +||sarfoman.co.in^$popup +||sasontnwc.net^$popup +||saulttrailwaysi.info^$popup +||savinist.com^$popup +||saycasksabnegation.com^$popup +||scaredframe.com^$popup +||scenbe.com^$popup +||score-feed.com^$popup +||scoredconnect.com^$popup +||screenov.site^$popup +||sealthatleak.com^$popup +||searchheader.xyz^$popup +||searchmulty.com^$popup +||searchsecurer.com^$popup +||seashorelikelihoodreasonably.com^$popup +||seatrackingdomain.com^$popup +||seatsrehearseinitial.com^$popup +||secthatlead.com^$popup +||secureclickers.com^$popup +||securecloud-smart.com^$popup +||securecloud-sml.com^$popup +||secureclouddt-cd.com^$popup +||securedsmcd.com^$popup +||securedt-sm.com^$popup +||securegate9.com^$popup +||securegfm.com^$popup +||secureleadsrn.com^$popup +||securesmrt-dt.com^$popup +||sedodna.com^$popup +||seethisinaction.com^$popup +||semilikeman.com^$popup +||semqraso.net^$popup +||senonsiatinus.com^$popup +||senzapudore.it^$popup,third-party +||seo-overview.com^$popup +||separationharmgreatest.com^$popup +||ser678uikl.xyz^$popup +||sereanstanza.com^$popup +||serialwarning.com^$popup +||serve-rtb.com^$popup +||serve-servee.com^$popup +||serveforthwithtill.com^$popup +||servehub.info^$popup +||serversmatrixaggregation.com^$popup +||servetean.site^$popup +||servicetechtracker.com^$popup +||serving-sys.com^$popup +||servsserverz.com^$popup +||seteamsobtantion.com^$popup +||setlitescmode-4.online^$popup +||seullocogimmous.com^$popup +||sevenbuzz.com^$popup +||sex-and-flirt.com^$popup +||sexfamilysim.net^$popup +||sexpieasure.com^$popup +||sexyepc.com^$popup +||shadesentimentssquint.com^$popup +||shaggyselectmast.com^$popup +||shainsie.com^$popup +||sharpofferlinks.com^$popup +||shaugacakro.net^$popup +||shauladubhe.com^$popup +||shauladubhe.top^$popup +||shbzek.com^$popup +||she-want-fuck.com^$popup +||sheegiwo.com^$popup +||sherouscolvered.com^$popup +||sheschemetraitor.com^$popup +||shinebliss.com^$popup +||shipwreckclassmate.com^$popup +||shoopusahealth.com^$popup +||shopeasy.by^$popup +||shortfailshared.com^$popup +||shortpixel.ai^$popup +||shortssibilantcrept.com^$popup +||shoubsee.net^$popup +||show-me-how.net^$popup +||showcasead.com^$popup +||showcasebytes.co^$popup +||showcasethat.com^$popup +||shrillwife.pro^$popup +||shuanshu.com.com^$popup +||shudderconnecting.com^$popup +||sicknessfestivity.com^$popup +||sidebyx.com^$popup +||significantoperativeclearance.com^$popup +||sillinessinterfere.com^$popup +||simple-isl.com^$popup +||sing-tracker.com^$popup +||singaporetradingchallengetracker1.com^$popup +||singelstodate.com^$popup +||singlesexdates.com^$popup +||singlewomenmeet.com^$popup +||sisterexpendabsolve.com^$popup +||sixft-apart.com^$popup +||skohssc.cfd^$popup +||skylindo.com^$popup +||skymobi.agency^$popup +||slashstar.net^$popup +||slidecaffeinecrown.com^$popup +||slideff.com^$popup +||slikslik.com^$popup +||slimfiftywoo.com^$popup +||slimspots.com^$popup +||slipperydeliverance.com^$popup +||slk594.com^$popup +||sloto.live^$popup +||slownansuch.info^$popup +||slowww.xyz^$popup +||smallestgirlfriend.com^$popup +||smallfunnybears.com^$popup +||smart-wp.com^$popup +||smartadtags.com^$popup +||smartcj.com^$popup +||smartcpatrack.com^$popup +||smartlphost.com^$popup +||smartmnews.pro^$popup +||smarttds.org^$popup +||smarttopchain.nl^$popup +||smentbrads.info^$popup +||smlypotr.net^$popup +||smothercontinuingsnore.com^$popup +||smoulderhangnail.com^$popup +||smrt-content.com^$popup +||smrtgs.com^$popup +||snadsfit.com^$popup +||snammar-jumntal.com^$popup +||snapcheat16s.com^$popup +||snoreempire.com^$popup +||snowdayonline.xyz^$popup +||snugglethesheep.com^$popup +||sobakenchmaphk.com^$popup +||sofinpushpile.com^$popup +||softonixs.xyz^$popup +||softwa.cfd^$popup +||soksicme.com^$popup +||solaranalytics.org^$popup +||soldierreproduceadmiration.com^$popup +||solemik.com^$popup +||solemnvine.com^$popup +||soliads.net^$popup +||solispartner.com^$popup +||sonioubemeal.com^$popup +||soocaips.com^$popup +||sorrowfulclinging.com^$popup +||sotchoum.com^$popup +||sourcecodeif.com^$popup +||sousefulhead.com^$popup +||spacecatholicpalmful.com^$popup +||spacetraff.com^$popup +||sparkstudios.com^$popup +||sparta-tracking.xyz^$popup +||spdate.com^$popup +||speakspurink.com^$popup +||special-offers.online^$popup +||special-promotions.online^$popup +||special-trending-news.com^$popup +||specialisthuge.com^$popup +||specialtymet.com^$popup +||speednetwork14.com^$popup +||speedsupermarketdonut.com^$popup +||spellingunacceptable.com^$popup +||spendcrazy.net^$popup +||sperans-beactor.com^$popup +||spheryexcise.shop^$popup +||spicygirlshere.life^$popup +||spin83qr.com^$popup +||spklmis.com^$popup +||splungedhobie.click^$popup +||spo-play.live^$popup +||spongemilitarydesigner.com^$popup +||sport-play.live^$popup +||sportfocal.com^$popup +||sports-streams-online.best^$popup +||sports-tab.com^$popup +||spotofspawn.com^$popup +||spotscenered.info^$popup +||spreadingsinew.com^$popup +||sprinlof.com^$popup +||sptrkr.com^$popup +||spunorientation.com^$popup +||spuppeh.com^$popup +||sr7pv7n5x.com^$popup +||srtrak.com^$popup +||srv2trking.com^$popup +||srvpcn.com^$popup +||srvtrck.com^$popup +||st-rdirect.com^$popup +||st1net.com^$popup +||staaqwe.com^$popup +||staggersuggestedupbrining.com^$popup +||stammerail.com^$popup +||starchoice-1.online^$popup +||starmobmedia.com^$popup +||starry-galaxy.com^$popup +||start-xyz.com^$popup +||startd0wnload22x.com^$popup +||statestockingsconfession.com^$popup +||statistic-data.com^$popup +||statsmobi.com^$popup +||staukaul.com^$popup +||stawhoph.com^$popup +||stellarmingle.store^$popup +||stemboastfulrattle.com^$popup +||stenadewy.pro^$popup +||stexoakraimtap.com^$popup +||sthoutte.com^$popup +||stickingrepute.com^$popup +||stikroltiltoowi.net^$popup +||stimaariraco.info^$popup +||stinglackingrent.com^$popup +||stoaltoa.top^$popup +||stoopedsignbookkeeper.com^$popup +||stoopfalse.com^$popup +||stoorgel.com^$popup +||stop-adblocker.info^$popup +||stopadblocker.com^$popup +||stopadzblock.net^$popup +||stopblockads.com^$popup +||storader.com^$popup +||stormydisconnectedcarsick.com^$popup +||stovecharacterize.com^$popup +||strainemergency.com^$popup +||straitchangeless.com^$popup +||stream-all.com^$popup +||streamsearchclub.com^$popup +||streamyourvid.com^$popup +||strenuoustarget.com^$popup +||strettechoco.com^$popup +||strewdirtinessnestle.com^$popup +||strtgic.com^$popup +||strungcourthouse.com^$popup +||stt6.cfd^$popup +||studiocustomers.com^$popup +||stuffedbeforehand.com^$popup +||stughoamoono.net^$popup +||stunserver.net^$popup +||stvbiopr.net^$popup +||stvkr.com^$popup +||stvwell.online^$popup +||subjectsfaintly.com^$popup +||suddenvampire.com^$popup +||suddslife.com^$popup +||suggest-recipes.com^$popup +||sulkvulnerableexpecting.com^$popup +||sumbreta.com^$popup +||summitmanner.com^$popup +||sunflowerbright106.io^$popup +||sunglassesmentallyproficient.com^$popup +||superadexchange.com^$popup +||superfastcdn.com^$popup +||superfasti.co^$popup +||supersedeforbes.com^$popup +||suppliedhopelesspredestination.com^$popup +||supremeadblocker.com^$popup +||supremeoutcome.com^$popup +||supremepresumptuous.com^$popup +||supremoadblocko.com^$popup +||suptraf.com^$popup +||suptrkdisplay.com^$popup +||surge.systems^$popup +||surroundingsliftingstubborn.com^$popup +||surveyonline.top^$popup +||surveyspaid.com^$popup +||suspicionsmutter.com^$popup +||swagtraffcom.com^$popup +||swaycomplymishandle.com^$popup +||sweepfrequencydissolved.com^$popup +||swinity.com^$popup +||sxlflt.com^$popup +||syncedvision.com^$popup +||synonymdetected.com^$popup +||syringeitch.com^$popup +||syrsple2se8nyu09.com^$popup +||systeme-business.online^$popup +||systemleadb.com^$popup +||szqxvo.com^$popup +||t2lgo.com^$popup +||taghaugh.com^$popup +||tagsd.com^$popup +||takecareproduct.com^$popup +||takegerman.com^$popup +||takelnk.com^$popup +||takeyouforward.co^$popup +||talentorganism.com^$popup +||tallysaturatesnare.com^$popup +||tapdb.net^$popup +||tapewherever.com^$popup +||tapinvited.com^$popup +||taprtopcldfa.co^$popup +||taprtopcldfard.co^$popup +||taprtopcldfb.co^$popup +||targhe.info^$popup +||taroads.com^$popup +||tatrck.com^$popup +||tauphaub.net^$popup +||tausoota.xyz^$popup +||tbeiu658gftk.com^$popup +||tcare.today^$popup +||tdspa.top^$popup +||teammanbarded.shop^$popup +||teamsoutspoken.com^$popup +||tearsincompetentuntidy.com^$popup +||tecaitouque.net^$popup +||techiteration.com^$popup +||techreviewtech.com^$popup +||tegleebs.com^$popup +||teksishe.net^$popup +||telyn610zoanthropy.com^$popup +||temksrtd.net^$popup +||temperrunnersdale.com^$popup +||tencableplug.com^$popup +||tenthgiven.com^$popup +||terbit2.com^$popup +||terraclicks.com^$popup +||terralink.xyz^$popup +||tesousefulhead.info^$popup +||tfaln.com^$popup +||tffkroute.com^$popup +||tgars.com^$popup +||thairoob.com^$popup +||thanosofcos5.com^$popup +||thaoheakolons.info^$popup +||thaudray.com^$popup +||the-binary-trader.biz^$popup +||thebestgame2020.com^$popup +||thebigadsstore.com^$popup +||thecarconnections.com^$popup +||thechleads.pro^$popup +||thechronicles2.xyz^$popup +||thecloudvantnow.com^$popup +||theepsie.com^$popup +||theerrortool.com^$popup +||theextensionexpert.com^$popup +||thefacux.com^$popup +||theirbellsound.co^$popup +||theirbellstudio.co^$popup +||theonesstoodtheirground.com^$popup +||theoverheat.com^$popup +||thesafersearch.com^$popup +||thetaweblink.com^$popup +||thetoptrust.com^$popup +||theusualsuspects.biz^$popup +||thickspaghetti.com^$popup +||thinkaction.com^$popup +||thirawogla.com^$popup +||thirtyeducate.com^$popup +||thisisalsonewdomain.xyz^$popup +||thisisyourprize.site^$popup +||thnqemehtyfe.com^$popup +||thofteert.com^$popup +||thomasalthoughhear.com^$popup +||thoroughlypantry.com^$popup +||thouptoorg.com^$popup +||thunderdepthsforger.top^$popup +||ticalfelixstownru.info^$popup +||tidyllama.com^$popup +||tigerking.world^$popup +||tignuget.net^$popup +||tilttrk.com^$popup +||tiltwin.com^$popup +||timeoutwinning.com^$popup +||timot-cvk.info^$popup +||tingswifing.click^$popup +||tinsus.com^$popup +||titaniumveinshaper.com^$popup +||tjoomo.com^$popup +||tl2go.com^$popup +||tmb5trk.com^$popup +||tmtrck.com^$popup +||tmxhub.com^$popup +||tncred.com^$popup +||tnctrx.com^$popup +||tnkexchange.com^$popup +||toahicobeerile.com^$popup +||toenailannouncehardworking.com^$popup +||tohechaustoox.net^$popup +||toiletpaper.life^$popup +||toltooth.net^$popup +||tomatoqqamber.click^$popup +||tombmeaning.com^$popup +||tomladvert.com^$popup +||tomorroweducated.com^$popup +||tonefuse.com^$popup +||tonsilsuggestedtortoise.com^$popup +||tookiroufiz.net^$popup +||toonujoops.net^$popup +||toopsoug.net^$popup +||toothcauldron.com^$popup +||top-performance.best^$popup +||top-performance.club^$popup +||top-performance.top^$popup +||topadvdomdesign.com^$popup +||topatincompany.com^$popup +||topblockchainsolutions.nl^$popup +||topclickguru.com^$popup +||topdealad.com^$popup +||topduppy.info^$popup +||topfdeals.com^$popup +||topflownews.com^$popup +||toprevenuegate.com^$popup +||toptrendyinc.com^$popup +||toroadvertisingmedia.com^$popup +||torpsol.com^$popup +||torrent-protection.com^$popup +||toscytheran.com^$popup +||totadblock.com^$popup +||totalab.xyz^$popup +||totaladblock.com^$popup +||totaladperformance.com^$popup +||totalnicefeed.com^$popup +||totalwownews.com^$popup +||totlnkcl.com^$popup +||touroumu.com^$popup +||towardsturtle.com^$popup +||toxtren.com^$popup +||tozoruaon.com^$popup +||tpmr.com^$popup +||tr-boost.com^$popup +||tr-bouncer.com^$popup +||tr-monday.xyz^$popup +||tr-rollers.xyz^$popup +||tr-usual.com^$popup +||tracereceiving.com^$popup +||track-campaing.club^$popup +||track-victoriadates.com^$popup +||track.totalav.com^$popup +||track4ref.com^$popup +||trackcherry.com^$popup +||tracker-2.com^$popup +||tracker-sav.space^$popup +||tracker-tds.info^$popup +||trackerrr.com^$popup +||trackerx.ru^$popup +||trackeverything.co^$popup +||trackingrouter.com^$popup +||trackingshub.com^$popup +||trackingtraffo.com^$popup +||trackmundo.com^$popup +||trackpshgoto.win^$popup +||tracks20.com^$popup +||tracksfaster.com^$popup +||trackstracker.com^$popup +||tracktds.com^$popup +||tracktds.live^$popup +||tracktilldeath.club^$popup +||trackwilltrk.com^$popup +||tracot.com^$popup +||tradeadexchange.com^$popup +||traffic-c.com^$popup +||traffic.name^$popup +||trafficbass.com^$popup +||trafficborder.com^$popup +||trafficdecisions.com^$popup +||trafficdok.com^$popup +||trafficforce.com^$popup +||traffichaus.com^$popup +||trafficholder.com^$popup +||traffichunt.com^$popup +||trafficinvest.com^$popup +||trafficlide.com^$popup +||trafficmagnates.com^$popup +||trafficmediaareus.com^$popup +||trafficmoon.com^$popup +||trafficmoose.com^$popup +||trafforsrv.com^$popup +||traffrout.com^$popup +||trafyield.com^$popup +||tragicbeyond.com^$popup +||trakaff.net^$popup +||traktrafficflow.com^$popup +||trandlife.info^$popup +||transgressmeeting.com^$popup +||trapexpansionmoss.com^$popup +||trck.wargaming.net^$popup +||trcklks.com^$popup +||trckswrm.com^$popup +||trcyrn.com^$popup +||trellian.com^$popup +||trftopp.biz^$popup +||triangular-fire.pro^$popup +||tributesexually.com^$popup +||trilema.com^$popup +||triumphantfreelance.com^$popup +||triumphantplace.com^$popup +||trk-access.com^$popup +||trk-vod.com^$popup +||trk3000.com^$popup +||trk301.com^$popup +||trkbng.com^$popup +||trkings.com^$popup +||trkless.com^$popup +||trklnks.com^$popup +||trknext.com^$popup +||trknk.com^$popup +||trknovi.com^$popup +||trkred.com^$popup +||trksmorestreacking.com^$popup +||trlxcf05.com^$popup +||trmobc.com^$popup +||troopsassistedstupidity.com^$popup +||tropbikewall.art^$popup +||troublebrought.com^$popup +||troubledcontradiction.com^$popup +||troublesomeleerycarry.com^$popup +||trpool.org^$popup +||trpop.xyz^$popup +||trust.zone^$popup +||trustedcpmrevenue.com^$popup +||trustedgatetocontent.com^$popup +||trustedpeach.com^$popup +||trustedzone.info^$popup +||trustflayer1.online^$popup +||trustyable.com^$popup +||trustzonevpn.info^$popup +||truthtraff.com^$popup +||trw12.com^$popup +||try.opera.com^$popup +||tseywo.com^$popup +||tsml.fun^$popup +||tsyndicate.com^$popup +||ttoc8ok.com^$popup +||tubeadvertising.eu^$popup +||tubecup.net^$popup +||tubroaffs.org^$popup +||tuffoonincaged.com^$popup +||tuitionpancake.com^$popup +||tundrafolder.com^$popup +||tuneshave.com^$popup +||turganic.com^$popup +||turndynamicforbes.com^$popup +||turnhub.net^$popup +||turnstileunavailablesite.com^$popup +||tusheedrosep.net^$popup +||tutvp.com^$popup +||tvas-b.pw^$popup +||twigwisp.com^$popup +||twinfill.com^$popup +||twinkle-fun.net^$popup +||twinklecourseinvade.com^$popup +||twinrdengine.com^$popup +||twinrdsrv.com^$popup +||twinrdsyn.com^$popup +||twinrdsyte.com^$popup +||txzaazmdhtw.com^$popup +||tychon.bid^$popup +||typicalsecuritydevice.com^$popup +||tyqwjh23d.com^$popup +||tyranbrashore.com^$popup +||tyrotation.com^$popup +||tyserving.com^$popup +||tzaqkp.com^$popup +||tzvpn.site^$popup +||u1pmt.com^$popup +||ubilinkbin.com^$popup +||ucconn.live^$popup +||ucheephu.com^$popup +||udncoeln.com^$popup +||uel-uel-fie.com^$popup +||ufinkln.com^$popup +||ufpcdn.com^$popup +||ugeewhee.xyz^$popup +||ugroocuw.net^$popup +||uhpdsplo.com^$popup +||uidhealth.com^$popup +||uitopadxdy.com^$popup +||ukeesait.top^$popup +||ukoffzeh.com^$popup +||ukworlowedonh.com^$popup +||ultimate-captcha.com^$popup +||ultracdn.top^$popup +||ultrapartners.com^$popup +||ultravpnoffers.com^$popup +||umoxomv.icu^$popup +||unbeedrillom.com^$popup +||unblockedapi.com^$popup +||uncastnork.com^$popup +||unclesnewspaper.com^$popup +||ungiblechan.com^$popup +||unhoodikhwan.shop^$popup +||unicornpride123.com^$popup +||unmistdistune.guru^$popup +||unrealversionholder.com^$popup +||unreshiramor.com^$popup +||unseenrazorcaptain.com^$popup +||unskilfulwalkerpolitician.com^$popup +||unspeakablepurebeings.com^$popup +||untimburra.com^$popup +||unusualbrainlessshotgun.com^$popup +||unwoobater.com^$popup +||upcomingmonkeydolphin.com^$popup +||upcurlsreid.website^$popup +||updatecompletelyfreetheproduct.vip^$popup +||updateenow.com^$popup +||updatephone.club^$popup +||upgliscorom.com^$popup +||uphorter.com^$popup +||uponelectabuzzor.club^$popup +||uproarglossy.com^$popup +||uptightdecreaseclinical.com^$popup +||uptimecdn.com^$popup +||uptopopunder.com^$popup +||upuplet.net^$popup +||urtyert.com^$popup +||urvgwij.com^$popup +||uselnk.com^$popup +||usenetnl.download^$popup +||utarget.ru^$popup +||uthorner.info^$popup +||utilitypresent.com^$popup +||utlservice.com^$popup +||utm-campaign.com^$popup +||utndln.com^$popup +||utopicmobile.com^$popup +||uuksehinkitwkuo.com^$popup +||v6rxv5coo5.com^$popup +||vaatmetu.net^$popup +||vaitotoo.net^$popup +||valuationbothertoo.com^$popup +||variabilityproducing.com^$popup +||variationaspenjaunty.com^$popup +||vasstycom.com^$popup +||vasteeds.net^$popup +||vax-now.com^$popup +||vbnmsilenitmanby.info^$popup +||vbthecal.shop^$popup +||vcdc.com^$popup +||vcommission.com^$popup +||vebv8me7q.com^$popup +||veepteero.com^$popup +||veilsuccessfully.com^$popup +||vekseptaufin.com^$popup +||velocitycdn.com^$popup +||vengeful-egg.com^$popup +||venturead.com^$popup +||verandahcrease.com^$popup +||verooperofthewo.com^$popup +||versedarkenedhusky.com^$popup +||vertoz.com^$popup +||vespymedia.com^$popup +||vetoembrace.com^$popup +||vezizey.xyz^$popup +||vfghc.com^$popup +||vfgtb.com^$popup +||vfgte.com^$popup +||vfgtg.com^$popup +||viapawniarda.com^$popup +||viatechonline.com^$popup +||viatepigan.com^$popup +||victoryslam.com^$popup +||video-adblocker.pro^$popup +||videoadblocker.pro^$popup +||videoadblockerpro.com^$popup +||videocampaign.co^$popup +||viewlnk.com^$popup +||vigorouslymicrophone.com^$popup +||viiavjpe.com^$popup +||viibmmqc.com^$popup +||viicasu.com^$popup +||viiczfvm.com^$popup +||viidirectory.com^$popup +||viidsyej.com^$popup +||viifmuts.com^$popup +||viiithia.com^$popup +||viiiyskm.com^$popup +||viikttcq.com^$popup +||viiqqou.com^$popup +||viirkagt.com^$popup +||violationphysics.click^$popup +||vionito.com^$popup +||vipcpms.com^$popup +||viralcpm.com^$popup +||virginyoungestrust.com^$popup +||visit-website.com^$popup +||visitstats.com^$popup +||visors-airminal.com^$popup +||vizoalygrenn.com^$popup +||vkcdnservice.com^$popup +||vkgtrack.com^$popup +||vnie0kj3.cfd^$popup +||vnte9urn.click^$popup +||vodobyve.pro^$popup +||vokut.com^$popup +||volform.online^$popup +||volleyballachiever.site^$popup +||volumntime.com^$popup +||voluumtrk.com^$popup +||voluumtrk3.com^$popup +||vooshagy.net^$popup +||vowpairmax.live^$popup +||voxfind.com^$popup +||vpn-offers.org^$popup +||vpnlist.to^$popup +||vpnoffers.cc^$popup +||vprtrfc.com^$popup +||vs3.com^$popup +||vtabnalp.net^$popup +||w0we.com^$popup +||wadmargincling.com^$popup +||waframedia5.com^$popup +||wahoha.com^$popup +||wailoageebivy.net^$popup +||waisheph.com^$popup +||walknotice.com^$popup +||walter-larence.com^$popup +||wantatop.com^$popup +||wargaming-aff.com^$popup +||warilycommercialconstitutional.com^$popup +||warkop4dx.com^$popup +||wasqimet.net^$popup +||wastedinvaluable.com^$popup +||wasverymuch.info^$popup +||watch-now.club^$popup +||watchadsfree.com^$popup +||watchadzfree.com^$popup +||watchcpm.com^$popup +||watchesthereupon.com^$popup +||watchfreeofads.com^$popup +||watchlivesports4k.club^$popup +||watchvideoplayer.com^$popup +||waufooke.com^$popup +||wbidder.online^$popup +||wbidder2.com^$popup +||wbidder3.com^$popup +||wbilvnmool.com^$popup +||wboux.com^$popup +||wbsadsdel.com^$popup +||wbsadsdel2.com^$popup +||wcitianka.com^$popup +||wct.link^$popup +||wdt9iaspfv3o.com^$popup +||we-are-anon.com^$popup +||weaveradrenaline.com^$popup +||web-adblocker.com^$popup +||web-guardian.xyz^$popup +||web-protection-app.com^$popup +||webatam.com^$popup +||webgains.com^$popup +||webmedrtb.com^$popup +||webpuppweb.com^$popup +||websearchers.net^$popup +||websphonedevprivacy.autos^$popup +||webtrackerplus.com^$popup +||wecouldle.com^$popup +||weegraphooph.net^$popup +||weejaugest.net^$popup +||weezoptez.net^$popup +||wejeestuze.net^$popup +||welcomeneat.pro^$popup +||welfarefit.com^$popup +||welfaremarsh.com^$popup +||weliketofuckstrangers.com^$popup +||wellhello.com^$popup +||wendelstein-1b.com^$popup +||westcoa.com^$popup +||wewearegogogo.com^$popup +||wfredir.net^$popup +||wg-aff.com^$popup +||wgpartner.com^$popup +||whairtoa.com^$popup +||whampamp.com^$popup +||whatisuptodaynow.com^$popup +||whaurgoopou.com^$popup +||wheceelt.net^$popup +||wheebsadree.com^$popup +||wheeshoo.net^$popup +||wheksuns.net^$popup +||wherevertogo.com^$popup +||whirlwindofnews.com^$popup +||whiskerssituationdisturb.com^$popup +||whistledprocessedsplit.com^$popup +||whistlingbeau.com^$popup +||whitenoisenews.com^$popup +||whitepark9.com^$popup +||whoansodroas.net^$popup +||whoawoansoo.com^$popup +||wholedailyjournal.com^$popup +||wholefreshposts.com^$popup +||wholewowblog.com^$popup +||whookroo.com^$popup +||whoumpouks.net^$popup +||whouptoomsy.net^$popup +||whoursie.com^$popup +||whowhipi.net^$popup +||whugesto.net^$popup +||whulsauh.tv^$popup +||whulsaux.com^$popup +||widiaoexhe.top^$popup +||widow5blackfr.com^$popup +||wifescamara.click^$popup +||wigetmedia.com^$popup +||wigsynthesis.com^$popup +||wildestelf.com^$popup +||winbigdrip.life^$popup +||wingoodprize.life^$popup +||winnersofvouchers.com^$popup +||winsimpleprizes.life^$popup +||wintrck.com^$popup +||wiringsensitivecontents.com^$popup +||wishfulla.com^$popup +||witalfieldt.com^$popup +||withblaockbr.org^$popup +||withdrawcosmicabundant.com^$popup +||withmefeyauknaly.com^$popup +||witnessjacket.com^$popup +||wizardscharityvisa.com^$popup +||wlafx4trk.com^$popup +||wmptengate.com^$popup +||wmtten.com^$popup +||wnt-s0me-push.net^$popup +||woafoame.net^$popup +||woevr.com^$popup +||woffxxx.com^$popup +||wolsretet.net^$popup +||wonder.xhamster.com^$popup +||wonderfulstatu.info^$popup +||wonderlandads.com^$popup +||woodbeesdainty.com^$popup +||woovoree.net^$popup +||workback.net^$popup +||worldfreshblog.com^$popup +||worldtimes2.xyz^$popup +||worthyrid.com^$popup +||woupsucheerar.net^$popup +||wovensur.com^$popup +||wowshortvideos.com^$popup +||writeestatal.space^$popup +||wuqconn.com^$popup +||wuujae.com^$popup +||wwija.com^$popup +||wwow.xyz^$popup +||wwowww.xyz^$popup +||wwwpromoter.com^$popup +||wwydakja.net^$popup +||wxhiojortldjyegtkx.bid^$popup +||wymymep.com^$popup +||x2tsa.com^$popup +||xadsmart.com^$popup +||xarvilo.com^$popup +||xaxoro.com^$popup +||xbidflare.com^$popup +||xclicks.net^$popup +||xijgedjgg5f55.com^$popup +||xkarma.net^$popup +||xliirdr.com^$popup +||xlirdr.com^$popup +||xlivrdr.com^$popup +||xlviiirdr.com^$popup +||xlviirdr.com^$popup +||xml-api.online^$popup +||xml-clickurl.com^$popup +||xmlapiclickredirect.com^$popup +||xmlrtb.com^$popup +||xstownrusisedp.info^$popup +||xszpuvwr7.com^$popup +||xtendmedia.com^$popup +||xxxnewvideos.com^$popup +||xxxvjmp.com^$popup +||y1jxiqds7v.com^$popup +||yahuu.org^$popup +||yapclench.com^$popup +||yapdiscuss.com^$popup +||yavli.com^$popup +||ybb-network.com^$popup +||ybbserver.com^$popup +||yearbookhobblespinal.com^$popup +||yeesihighlyre.info^$popup +||yeesshh.com^$popup +||yellowbahama.com^$popup +||ygamey.com^$popup +||yhbcii.com^$popup +||yieldtraffic.com^$popup +||ylih6ftygq7.com^$popup +||ym-a.cc^$popup +||yodbox.com^$popup +||yodpbbkoe.com^$popup +||yogacomplyfuel.com^$popup +||yohavemix.live^$popup +||yolage.uno^$popup +||yolkhandledwheels.com^$popup +||yonsandileer.com^$popup +||your-sugar-girls.com^$popup +||youradexchange.com^$popup +||yourcommonfeed.com^$popup +||yourcoolfeed.com^$popup +||yourfreshjournal.com^$popup +||yourfreshposts.com^$popup +||yourperfectdating.life^$popup +||yourtopwords.com^$popup +||ysesials.net^$popup +||yukclick.me^$popup +||yy8fgl2bdv.com^$popup +||z5x.net^$popup +||zaglushkaaa.com^$popup +||zajukrib.net^$popup +||zcode12.me^$popup +||zebeaa.click^$popup +||zedo.com^$popup +||zeechoog.net^$popup +||zeechumy.com^$popup +||zeepartners.com^$popup +||zenaps.com^$popup +||zendplace.pro^$popup +||zengoongoanu.com^$popup +||zeroredirect1.com^$popup +||zetaframes.com^$popup +||zidapi.xyz^$popup +||zikroarg.com^$popup +||zirdough.net^$popup +||zlink1.com^$popup +||zlink2.com^$popup +||zlink6.com^$popup +||zlink8.com^$popup +||zlink9.com^$popup +||zlinkb.com^$popup +||zlinkm.com^$popup +||zlinkv.com^$popup +||znqip.net^$popup +||zog.link^$popup +||zokaukree.net^$popup +||zonupiza.com^$popup +||zoogripi.com^$popup +||zougreek.com^$popup +||zryydi.com^$popup +||zugnogne.com^$popup +||zunsoach.com^$popup +||zuphaims.com^$popup +||zwqzxh.com^$popup +||zybrdr.com^$popup +! url.rw popups +||url.rw/*&a=$popup +||url.rw/*&mid=$popup +! IP addresses +||130.211.$popup,third-party,domain=~in-addr.arpa +||142.91.$popup,third-party,domain=~in-addr.arpa +||142.91.159.$popup +||142.91.159.107^$popup +||142.91.159.127^$popup +||142.91.159.136^$popup +||142.91.159.139^$popup +||142.91.159.146^$popup +||142.91.159.147^$popup +||142.91.159.164^$popup +||142.91.159.169^$popup +||142.91.159.179^$popup +||142.91.159.220^$popup +||142.91.159.223^$popup +||142.91.159.244^$popup +||143.244.184.39^$popup +||146.59.223.83^$popup +||157.90.183.248^$popup +||158.247.208.$popup +||158.247.208.115^$popup +||167.71.252.38^$popup +||172.255.6.$popup,third-party,domain=~in-addr.arpa +||172.255.6.135^$popup +||172.255.6.137^$popup +||172.255.6.139^$popup +||172.255.6.150^$popup +||172.255.6.152^$popup +||172.255.6.199^$popup +||172.255.6.217^$popup +||172.255.6.228^$popup +||172.255.6.248^$popup +||172.255.6.254^$popup +||172.255.6.2^$popup +||172.255.6.59^$popup +||176.31.68.242^$popup +||185.147.34.126^$popup +||188.42.84.110^$popup +||188.42.84.159^$popup +||188.42.84.160^$popup +||188.42.84.162^$popup +||188.42.84.199^$popup +||188.42.84.21^$popup +||188.42.84.23^$popup +||203.195.121.$popup +||203.195.121.0^$popup +||203.195.121.103^$popup +||203.195.121.119^$popup +||203.195.121.134^$popup +||203.195.121.184^$popup +||203.195.121.195^$popup +||203.195.121.209^$popup +||203.195.121.217^$popup +||203.195.121.219^$popup +||203.195.121.224^$popup +||203.195.121.229^$popup +||203.195.121.24^$popup +||203.195.121.28^$popup +||203.195.121.29^$popup +||203.195.121.34^$popup +||203.195.121.36^$popup +||203.195.121.40^$popup +||203.195.121.70^$popup +||203.195.121.72^$popup +||203.195.121.73^$popup +||203.195.121.74^$popup +||216.21.13.$popup,domain=~in-addr.arpa +||23.109.121.254^$popup +||23.109.150.101^$popup +||23.109.150.208^$popup +||23.109.170.198^$popup +||23.109.170.228^$popup +||23.109.170.241^$popup +||23.109.170.255^$popup +||23.109.170.60^$popup +||23.109.248.$popup +||23.109.248.129^$popup +||23.109.248.130^$popup +||23.109.248.135^$popup +||23.109.248.139^$popup +||23.109.248.149^$popup +||23.109.248.14^$popup +||23.109.248.174^$popup +||23.109.248.183^$popup +||23.109.248.247^$popup +||23.109.248.29^$popup +||23.109.82.$popup +||23.109.82.104^$popup +||23.109.82.119^$popup +||23.109.82.173^$popup +||23.109.82.44^$popup +||23.109.82.74^$popup +||23.109.87.$popup +||23.109.87.101^$popup +||23.109.87.118^$popup +||23.109.87.123^$popup +||23.109.87.127^$popup +||23.109.87.139^$popup +||23.109.87.14^$popup +||23.109.87.15^$popup +||23.109.87.182^$popup +||23.109.87.192^$popup +||23.109.87.213^$popup +||23.109.87.217^$popup +||23.109.87.42^$popup +||23.109.87.47^$popup +||23.109.87.71^$popup +||23.109.87.74^$popup +||34.102.137.201^$popup +||35.227.234.222^$popup +||35.232.188.118^$popup +||37.1.213.100^$popup +||5.45.79.15^$popup +||5.61.55.143^$popup +||51.178.195.171^$popup +||51.195.115.102^$popup +||51.89.115.13^$popup +||88.42.84.136^$popup +! IP Regex (commonly used, hax'd IP addresses) +/^https?:\/\/(35|104)\.(\d){1,3}\.(\d){1,3}\.(\d){1,3}\//$popup,third-party +! http://146.59.211.227/tsc/Zx0bagrCjuxP +/^https?:\/\/146\.59\.211\.(\d){1,3}.*/$popup,third-party +! *** easylist:easylist_adult/adult_adservers.txt *** +||18naked.com^$third-party +||4link.it^$third-party +||777-partner.com^$third-party +||777-partner.net^$third-party +||777-partners.com^$third-party +||777-partners.net^$third-party +||777partner.com^$script,third-party +||777partner.net^$third-party +||777partners.com^$third-party +||acmexxx.com^$third-party +||adcell.de^$third-party +||adextrem.com^$third-party +||ads-adv.top^$third-party +||adsarcade.com^$third-party +||adsession.com^$third-party +||adshnk.com^$third-party +||adsturn.com^$third-party +||adult3dcomics.com^$third-party +||adultforce.com^$third-party +||adultsense.com^$third-party +||aemediatraffic.com^$third-party +||affiliaxe.com^$third-party +||affiligay.net^$third-party +||aipmedia.com^$third-party +||allosponsor.com^$third-party +||amateurhub.cam^$third-party +||asiafriendfinder.com^$third-party +||avfay.com^$third-party +||awempire.com^$third-party +||bcash4you.com^$third-party +||beachlinkz.com^$third-party +||betweendigital.com^$third-party +||black6adv.com^$third-party +||blackpics.net^$third-party +||blossoms.com^$third-party +||bookofsex.com^$third-party +||brothersincash.com^$third-party +||bumskontakte.ch^$third-party +||caltat.com^$third-party +||cam-lolita.net^$third-party +||cam4flat.com^$third-party +||camcrush.com^$third-party +||camdough.com^$third-party +||camduty.com^$third-party +||campartner.com^$third-party +||camsense.com^$third-party +||camsoda1.com^$third-party +||cashthat.com^$third-party +||cbmiocw.com^$third-party +||chatinator.com^$third-party +||cherrytv.media^$third-party +||clickaine.com^$third-party +||clipxn.com^$third-party +||cross-system.com^$script,third-party +||cwchmb.com^ +||cybernetentertainment.com^$third-party +||daiporno.com^$third-party +||datefunclub.com^$third-party +||datexchanges.net^$third-party +||datingadnetwork.com^$third-party +||datingamateurs.com^$third-party +||datingcensored.com^$third-party +||debitcrebit669.com^$third-party +||deecash.com^$third-party +||demanier.com^$third-party +||dematom.com^$third-party +||digiad.co^$third-party +||digitaldesire.com^$third-party +||digreality.com^$third-party +||directadvert.ru^$third-party +||directchat.tv^$third-party +||direction-x.com^$third-party +||donstick.com^$third-party +||dphunters.com^$third-party +||dtiserv2.com^$third-party +||easyflirt.com^$third-party +||eroadvertising.com^$third-party +||erotikdating.com^$third-party +||euro4ads.de^$third-party +||exchangecash.de^$third-party +||exclusivepussy.com^$third-party +||exoticads.com^$third-party +||faceporn.com^$third-party +||facetz.net^$third-party +||fapality.com^$third-party +||farrivederev.pro^$third-party +||felixflow.com^$third-party +||festaporno.com^$third-party +||filexan.com^$third-party +||findandtry.com^$third-party +||flashadtools.com^$third-party +||fleshcash.com^$third-party +||fleshlightgirls.com^$third-party +||flirt4e.com^$third-party +||flirt4free.com^$third-party +||flirtingsms.com^$third-party +||fncash.com^$third-party +||fncnet1.com^$third-party +||freakads.com^$third-party +||freeadultcomix.com^$third-party +||freewebfonts.org^$third-party +||frestacero.com^$third-party +||frivol-ads.com^$third-party +||frtyh.com^$third-party +||frutrun.com^$third-party +||fuckbook.cm^$third-party +||fuckbookdating.com^$third-party +||fuckedbyme.com^$third-party +||fuckermedia.com^$third-party +||fuckyoucash.com^$third-party +||fuelbuck.com^$third-party +||g--o.info^$third-party +||ganardineroreal.com^$third-party +||gayxperience.com^$third-party +||geofamily.ru^$third-party +||getiton.com^$third-party +||ggwcash.com^$third-party +||golderotica.com^$third-party +||hookupbucks.com^$third-party +||hornymatches.com^$third-party +||hornyspots.com^$third-party +||hostave2.net^$third-party +||hotsocials.com^$third-party +||hubtraffic.com^$third-party +||icebns.com^$third-party +||icetraffic.com^$third-party +||idolbucks.com^$third-party +||ifrwam.com^$third-party +||iheartbucks.com^$third-party +||ilovecheating.com^$third-party +||imediacrew.club^$third-party +||imglnka.com^$third-party +||imglnkb.com^$third-party +||imglnkc.com^$third-party +||imlive.com^$script,third-party,domain=~imnude.com +||impressionmonster.com^$third-party +||in3x.net^$third-party +||inheart.ru^$third-party +||intelensafrete.stream^$third-party +||internebula.net^$third-party +||intrapromotion.com^$third-party +||iridiumsergeiprogenitor.info^$third-party +||itmcash.com^$third-party +||itrxx.com^$third-party +||itslive.com^$third-party +||itspsmup.com^$third-party +||itsup.com^$third-party +||itw.me^$third-party +||iwanttodeliver.com^$third-party +||ixspublic.com^$third-party +||javbucks.com^$third-party +||joyourself.com^$third-party +||kadam.ru^$third-party +||kaplay.com^$third-party +||kcolbda.com^$third-party +||kinkadservercdn.com^ +||kugo.cc^$third-party +||leche69.com^$third-party +||lickbylick.com^$third-party +||lifepromo.biz^$third-party +||livecam.com^$third-party +||livejasmin.tv^$third-party +||liveprivates.com^$third-party +||livepromotools.com^$third-party +||livestatisc.com^$third-party +||livexxx.me^$third-party +||loading-delivery1.com^$third-party +||lostun.com^$third-party +||lovecam.com.br^$third-party +||lovercash.com^$third-party +||lsawards.com^$third-party +||lucidcommerce.com^$third-party +||lwxjg.com^$third-party +||mallcom.com^$third-party +||marisappear.pro^$third-party +||markswebcams.com^$third-party +||masterwanker.com^$third-party +||matrimoniale3x.ro^$third-party +||matrix-cash.com^$third-party +||maxiadv.com^$third-party +||mc-nudes.com^$third-party +||mcprofits.com^$third-party +||meccahoo.com^$third-party +||media-click.ru^$third-party +||mediad2.jp^$third-party +||mediumpimpin.com^$third-party +||meineserver.com^$third-party +||meta4-group.com^$third-party +||methodcash.com^$third-party +||meubonus.com^$third-party +||mileporn.com^$third-party +||mmaaxx.com^$third-party +||mmoframes.com^$third-party +||mobalives.com^$third-party +||mobilerevenu.com^$third-party +||mobtop.ru^$third-party +||modelsgonebad.com^$third-party +||morehitserver.com^$third-party +||mp-https.info^$third-party +||mpmcash.com^$third-party +||mrporngeek.com^$third-party +||mrskincash.com^$third-party +||mtoor.com^$third-party +||mtree.com^$third-party +||mxpopad.com^$third-party +||myadultimpressions.com^$third-party +||myprecisionads.com^$third-party +||mywebclick.net^$third-party +||naiadexports.com^$third-party +||nastydollars.com^$third-party +||nativexxx.com^$third-party +||newads.bangbros.com^$third-party +||newagerevenue.com^$third-party +||newnudecash.com^$third-party +||nexxxt.biz^$third-party +||ngbn.net^$third-party +||ningme.ru^$third-party +||nscash.com^$third-party +||nudedworld.com^$third-party +||oconner.biz^$third-party +||offaces-butional.com^$third-party +||omynews.net^$third-party +||onhercam.com^$third-party +||onlineporno.fun^$third-party +||ordermc.com^$third-party +||otaserve.net^$third-party +||otherprofit.com^$third-party +||outster.com^$third-party +||oxcluster.com^$third-party +||ozelmedikal.com^$third-party +||parkingpremium.com^$third-party +||partnercash.com^$third-party +||partnercash.de^$third-party +||pc20160522.com^$third-party +||pecash.com^$third-party +||pennynetwork.com^$third-party +||pepipo.com^$third-party +||philstraffic.com^$third-party +||pictureturn.com^$third-party +||pkeeper3.ru^$third-party +||plugrush.com^$third-party +||pnads.com^$third-party +||poonproscash.com^$third-party +||popander.com^$third-party +||popupclick.ru^$third-party +||porkolt.com^$third-party +||porn300.com^$third-party +||porn369.net^$third-party +||porn88.net^$third-party +||porn99.net^$third-party +||pornattitude.com^$third-party +||pornconversions.com^$third-party +||porndroids.com^$third-party +||pornearn.com^$third-party +||pornglee.com^$third-party +||porngray.com^$third-party +||pornkings.com^$third-party +||pornleep.com^$third-party +||porntrack.com^$third-party +||porntry.com^$third-party +||pourmajeurs.com^$third-party +||ppc-direct.com^$third-party +||premiumhdv.com^$third-party +||privacyprotector.com^$third-party +||private4.com^$third-party +||privateseiten.net^$third-party +||privatewebseiten.com^$third-party +||program3.com^$third-party +||promo4partners.com^$third-party +||promocionesweb.com^$third-party +||promokrot.com^$third-party +||promotools.biz^$third-party +||promowebstar.com^$third-party +||propbn.com^$third-party +||protect-x.com^$third-party +||protizer.ru^$third-party +||prscripts.com^$third-party +||prtawe.com^$third-party +||psma01.com^$third-party +||psma03.com^$third-party +||ptclassic.com^$third-party +||ptrfc.com^$third-party +||ptwebcams.com^$third-party +||pussy-pics.net^$third-party +||pussyeatingclub.com^$third-party +||putanapartners.com^$third-party +||quantumws.net^$third-party +||qwerty24.net^$third-party +||rack-media.com^$third-party +||ragazzeinvendita.com^$third-party +||rareru.ru^$third-party +||rdiul.com^$third-party +||realitycash.com^$third-party +||realitytraffic.com^$third-party +||red-bees.com^$third-party +||redlightcenter.com^$third-party +||redpineapplemedia.com^$third-party +||reliablebanners.com^$third-party +||rivcash.com^$third-party +||royal-cash.com^$third-party +||rubanners.com^$third-party +||rukplaza.com^$third-party +||runetki.com^$third-party +||russianlovematch.com^$third-party +||safelinktracker.com^$third-party +||sancdn.net^$third-party +||sascentral.com^$third-party +||sbs-ad.com^$third-party +||searchpeack.com^$third-party +||secretbehindporn.com^$third-party +||seeawhale.com^$third-party +||seekbang.com^$third-party +||sehiba.com^$third-party +||seitentipp.com^$third-party +||sexad.net^$third-party +||sexdatecash.com^$third-party +||sexiba.com^$third-party +||sexlist.com^$third-party +||sexplaycam.com^$third-party +||sexsearch.com^$third-party +||sextadate.net^$third-party +||sextracker.com^$third-party +||sexufly.com^$third-party +||sexuhot.com^$third-party +||sexvertise.com^$third-party +||sexy-ch.com^$third-party +||showmeyouradsnow.com^$third-party +||siccash.com^$third-party +||sixsigmatraffic.com^$third-party +||smartbn.ru^$third-party +||smartclick.net^$third-party +||smopy.com^$third-party +||snapcheat.app^$third-party +||socialsexnetwork.net^$third-party +||solutionsadultes.com^$third-party +||souvlatraffic.com^$third-party +||spacash.com^$third-party +||spankmasters.com^$third-party +||spunkycash.com^$third-party +||startede.com^$third-party +||startwebpromo.com^$third-party +||staticxz.com^$third-party +||statserv.net^$third-party +||steamtraffic.com^$third-party +||streamateaccess.com^$third-party +||stripsaver.com^$third-party +||sultrytraffic.com^$third-party +||supuv3.com^$third-party +||sv2.biz^$third-party +||sweetmedia.org^$third-party +||sweetstudents.com^$third-party +||tantoporno.com^$third-party +||targetingnow.com^$third-party +||teasernet.ru^$third-party +||teaservizio.com^$third-party +||test1productions.com^$third-party +||the-adult-company.com^$third-party +||thepayporn.com^$third-party +||thesocialsexnetwork.com^$third-party +||tingrinter.com^$third-party +||tizernet.com^$third-party +||tm-core.net^$third-party +||tmserver-1.com^$third-party +||tmserver-2.net^$third-party +||tophosting101.com^$third-party +||topsexcams.club^$third-party +||tossoffads.com^$third-party +||traffbiz.ru^$third-party +||traffic-gate.com^$third-party +||traffic.ru^$third-party +||trafficholder.com^$third-party +||trafficlearn.com^$third-party +||trafficmagnates.com^$third-party +||trafficman.io^$third-party +||trafficpimps.com^$third-party +||trafficstars.com^$third-party +||traffictraffickers.com^$third-party +||trafficundercontrol.com^$third-party +||trfpump.com^$third-party +||trickyseduction.com^$third-party +||trunblock.com^$third-party +||trw12.com^$third-party +||try9.com^$third-party +||ttlmodels.com^$third-party +||tube.ac^$third-party +||tubeadnetwork.com^$third-party +||tubeadv.com^$third-party +||tubecorporate.com^$third-party +||tubepush.eu^$third-party +||twistyscash.com^$third-party +||uxernab.com^$third-party +||ver-pelis.net^$third-party +||verticalaffiliation.com^$third-party +||vfgta.com^$third-party +||vghd.com^$third-party +||vid123.net^$third-party +||video-people.com^$third-party +||vidsrev.com^$third-party +||viensvoircesite.com^$third-party +||virtuagirlhd.com^$third-party +||vividcash.com^$third-party +||vlexokrako.com^$third-party +||vlogexpert.com^$third-party +||vod-cash.com^$third-party +||vogozae.ru^$third-party +||voyeurhit.com^$third-party +||vrstage.com^$third-party +||vsexshop.ru^$third-party +||w4vecl1cks.com^$third-party +||wamcash.com^$third-party +||wantatop.com^$third-party +||watchmygf.to^$third-party +||wct.click^$third-party +||wifelovers.com^$third-party +||worldsbestcams.com^$third-party +||xgogi.com^$third-party +||xhamstercams.com^$third-party +||xlovecam.com^$third-party +||xogogowebcams.com^$third-party +||xxxblackbook.com^$third-party +||xxxmatch.com^$third-party +||yourdatelink.com^$third-party +||yurivideo.com^$third-party +! *** easylist:easylist_adult/adult_adservers_popup.txt *** +||1lzz.com^$popup +||1ts11.top^$popup +||3questionsgetthegirl.com^$popup +||9content.com^$popup +||adextrem.com^$popup +||adultadworld.com^$popup +||banners.cams.com^$popup +||bestdatinghere.life^$popup +||c4tracking01.com^$popup +||cam4tracking.com^$popup +||checkmy.cam^$popup +||chokertraffic.com^$popup +||ckrf1.com^$popup +||connexionsafe.com^$popup +||cooch.tv^$popup,third-party +||cpng.lol.^$popup +||cpng.lol^$popup +||crdefault2.com^$popup +||crentexgate.com^$popup +||crlcw.link^$popup +||crptentry.com^$popup +||crptgate.com^$popup +||date-for-more.com^$popup +||datingshall.life^$popup +||datoporn.com^$popup +||desklks.com^$popup +||dirty-messenger.com^$popup +||dirty-tinder.com^$popup +||dumbpop.com^$popup +||ero-advertising.com^$popup +||eroge.com^$popup +||ertya.com^$popup +||ezofferz.com^$popup +||flagads.net^$popup +||flndmyiove.net^$popup +||fpctraffic2.com^$popup +||freecamsexposed.com^$popup +||freewebcams.com^$popup,third-party +||friendfinder.com^$popup +||frtyi.com^$popup +||funkydaters.com^$popup +||gambol.link^$popup +||gayfinder.life^$popup +||get-partner.life^$popup +||girls.xyz^$popup +||global-trk.com^$popup +||go-route.com^$popup +||grtyv.com^$popup +||hizlireklam.com^$popup +||hkl4h1trk.com^$popup +||hornymatches.com^$popup,third-party +||hotplay-games.life^$popup +||hottesvideosapps.com^$popup +||hpyrdr.com^$popup +||hrtya.com^$popup +||indianfriendfinder.com^$popup +||irtye.com^$popup +||isanalyze.com^$popup +||jizzy.org^$popup +||jsmjmp.com^$popup +||kaizentraffic.com^$popup +||libedgolart.com^$popup +||lncredlbiedate.com^$popup +||moradu.com^$popup +||mptentry.com^$popup +||needlive.com^$popup +||notimoti.com^$popup +||nyetm2mkch.com^$popup +||passtechusa.com^$popup +||pinkberrytube.com^$popup +||playgirl.com^$popup +||plinx.net^$popup,third-party +||poweredbyliquidfire.mobi^$popup +||prodtraff.com^$popup +||quadrinhoseroticos.net^$popup +||rdvinfidele.club^$popup +||reporo.net^$popup +||restions-planted.com^$popup +||reviewdollars.com^$popup +||sascentral.com^$popup +||setravieso.com^$popup +||sexad.net^$popup +||sexemulator.com^$popup +||sexflirtbook.com^$popup +||sexintheuk.com^$popup +||sexmotors.com^$popup,third-party +||sexpennyauctions.com^$popup +||slut2fuck.net^$popup +||snapcheat.app^$popup +||socialsex.biz^$popup +||socialsex.com^$popup +||targetingnow.com^$popup +||trackvoluum.com^$popup +||traffic.club^$popup +||trafficbroker.com^$popup +||trafficstars.com^$popup +||traffictraffickers.com^$popup +||trkbc.com^$popup +||viensvoircesite.com^$popup +||vlexokrako.com^$popup +||watchmygf.com^$popup +||xdtraffic.com^$popup +||xmatch.com^$popup +||xpeeps.com^$popup,third-party +||xxlargepop.com^$popup +||xxxjmp.com^$popup +||xxxmatch.com^$popup +||zononi.com^$popup +! -----------------------------Third-party adverts-----------------------------! +! *** easylist:easylist/easylist_thirdparty.txt *** +||000webhost.com/images/banners/ +||1080872514.rsc.cdn77.org^ +||10945-2.s.cdn15.com^ +||10945-5.s.cdn15.com^ +||1187531871.rsc.cdn77.org^ +||1208344341.rsc.cdn77.org^ +||123-stream.org^ +||1244746616.rsc.cdn77.org^ +||1437953666.rsc.cdn77.org^ +||1529462937.rsc.cdn77.org^ +||1548164934.rsc.cdn77.org^ +||1675450967.rsc.cdn77.org^ +||1736253261.rsc.cdn77.org^ +||1758664454.rsc.cdn77.org^ +||1wnurc.com^ +||26216.stunserver.net/a8.js +||360playvid.com^$third-party +||360playvid.info^$third-party +||a-delivery.rmbl.ws^ +||a.ucoz.net^ +||a1.consoletarget.com^ +||ad-serve.b-cdn.net^ +||ad.22betpartners.com^ +||ad.about.co.kr^ +||ad.bitmedia.io^ +||ad.edugram.com^ +||ad.mail.ru/static/admanhtml/ +||ad.mail.ru^$~image,domain=~mail.ru|~sportmail.ru +||ad.moe.video^ +||ad.netmedia.hu^ +||ad.tpmn.co.kr^ +||ad.video-mech.ru^ +||ad.wsod.com^ +||ad01.tmgrup.com.tr^ +||adblockeromega.com^ +||adcheck.about.co.kr^ +||addefenderplus.info^ +||adfoc.us^$script,third-party +||adinplay-venatus.workers.dev^ +||adncdnend.azureedge.net^ +||ads-api.production.nebula-drupal.stuff.co.nz^ +||ads-partners.coupang.com^ +||ads-yallo-production.imgix.net^ +||ads.betfair.com^ +||ads.kelkoo.com^ +||ads.linkedin.com^ +||ads.saymedia.com^ +||ads.servebom.com^ +||ads.sportradar.com^ +||ads.travelaudience.com^ +||ads.viralize.tv^ +||ads.yahoo.com^$~image +||ads2.hsoub.com^ +||adsales.snidigital.com^ +||adsdk.microsoft.com^ +||adserver-2084671375.us-east-1.elb.amazonaws.com^ +||adserving.unibet.com^ +||adsinteractive-794b.kxcdn.com^ +||adtechvideo.s3.amazonaws.com^ +||advast.sibnet.ru^ +||adx-exchange.toast.com^ +||adx.opera.com^ +||aff.bstatic.com^ +||affiliate-cdn.raptive.com^$third-party +||affiliate.heureka.cz^ +||affiliate.juno.co.uk^ +||affiliate.mediatemple.net^ +||affiliatepluginintegration.cj.com^ +||afternic.com/v1/aftermarket/landers/ +||ah.pricegrabber.com^ +||akamaized.net/mr/popunder.js +||alarmsportsnetwork.com^$third-party +||allprivatekeys.com/static/banners/$third-party +||allsportsflix. +||am-da.xyz^ +||amazonaws.com/campaigns-ad/ +||amazonaws.com/mailcache.appinthestore.com/ +||an.yandex.ru^$domain=~e.mail.ru +||analytics.analytics-egain.com^ +||answers.sg/embed/ +||any.gs/visitScript/ +||api-player.globalsun.io/api/publishers/player/content?category_id=*&adserver_id=$xmlhttprequest +||api.140proof.com^ +||api.bitp.it^ +||app.clickfunnels.com^$~stylesheet +||aspencore.com/syndication/v3/partnered-content/ +||assets.sheetmusicplus.com^$third-party +||audioad.zenomedia.com^ +||autodealer.co.za/inc/widget/ +||autotrader.ca/result/AutosAvailableListings.aspx? +||autotrader.co.za/partners/ +||award.sitekeuring.net^ +||awin1.com/cawshow.php$third-party +||awin1.com/cshow.php$third-party +||axm.am/am.ads.js +||azureedge.net/adtags/ +||b.marfeelcache.com/statics/marfeel/gardac-sync.js +||bankrate.com/jsfeeds/ +||banners.livepartners.com^ +||bc.coupons.com^ +||bc.vc/js/link-converter.js +||beauties-of-ukraine.com/export.js +||bescore.com/libs/e.js +||bescore.com/load? +||bet365.com/favicon.ico$third-party +||betclever.com/wp-admin/admin-ajax.php?action=coupons_widget_iframe&id=$third-party +||bharatmatrimony.com/matrimoney/matrimoneybanners/ +||bidder.criteo.com^ +||bidder.newspassid.com^ +||bidorbuy.co.za/jsp/tradesearch/TradeFeedPreview.jsp? +||bids.concert.io^ +||bigrock.in/affiliate/ +||bit.ly^$image,domain=tooxclusive.com +||bit.ly^$script,domain=dailyuploads.net|freeshot.live +||bitbond.com/affiliate-program/ +||bitent.com/lock_html5/adscontrol.js +||bl.wavecdn.de^ +||blacklistednews.com/contentrotator/ +||blogatus.com/images/banner/$third-party +||bluehost-cdn.com/media/partner/images/ +||bluehost.com/track/ +||bluehost.com/web-hosting/domaincheckapi/?affiliate= +||bluepromocode.com/images/widgets/ +||bookingdragon.com^$subdocument,third-party +||br.coe777.com^ +||bs-adserver.b-cdn.net^ +||btguard.com/images/ +||btr.domywife.com^ +||bunkr.si/lazyhungrilyheadlicks.js +||bunkrr.su/lazyhungrilyheadlicks.js +||c.bannerflow.net^ +||c.bigcomics.bid^ +||c.j8jp.com^ +||c.kkraw.com^ +||c2shb.pubgw.yahoo.com^ +||caffeine.tv/embed/$third-party +||campaigns.williamhill.com^ +||capital.com/widgets/$third-party +||careerwebsite.com/distrib_pages/jobs.cfm? +||carfax.com/img_myap/ +||cas.*.criteo.com^ +||cdn.ad.page^ +||cdn.ads.tapzin.com^ +||cdn.b2.ai^$third-party +||cdn.neighbourly.co.nz/widget/$subdocument +||cdn.vaughnsoft.net/abvs/ +||cdn22904910.ahacdn.me^ +||cdn4.life/media/ +||cdn54405831.ahacdn.me^ +||cdnpub.info^$subdocument,third-party,domain=~iqbroker.co|~iqbroker.com|~iqoption.co.th|~iqoption.com|~tr-iqoption.com +||cex.io/img/b/ +||cex.io/informer/ +||chandrabinduad.com^$third-party +||chicoryapp.com^$third-party +||cl-997764a8.gcdn.co^ +||clarity.abacast.com^ +||click.alibaba.com^$subdocument,third-party +||click.aliexpress.com^$subdocument,third-party +||clickfunnels.com/assets/cfpop.js +||clickiocdn.com/hbadx/ +||clicknplay.to/api/spots/ +||cloud.setupad.com^ +||cloudbet.com/ad/ +||coinmama.com/assets/img/banners/ +||commercial.daznservices.com^ +||contentexchange.me/widget/$third-party +||couponcp-a.akamaihd.net^ +||cpkshop.com/campaign/$third-party +||cpm.amateurcommunity.de^ +||cpmstar.com/cached/ +||cpmstar.com/view.aspx +||crazygolfdeals.com.au/widget$subdocument +||creatives.inmotionhosting.com^ +||crunchyroll.com/awidget/ +||cse.google.com/cse_v2/ads$subdocument +||cts.tradepub.com^ +||customer.heartinternet.co.uk^$third-party +||cxad.cxense.com^ +||dashboard.iproyal.com/img/b/ +||datacluster.club^ +||datafeedfile.com/widget/readywidget/ +||dawanda.com/widget/ +||ddownload.com/images/promo/$third-party +||dealextreme.com/affiliate_upload/ +||desperateseller.co.uk/affiliates/ +||digitaloceanspaces.com/advertise/$domain=unb.com.bd +||digitaloceanspaces.com/advertisements/$domain=thefinancialexpress.com.bd +||digitaloceanspaces.com/woohoo/ +||disqus.com/ads-iframe/ +||disqus.com/listPromoted? +||dnscloud.github.io/js/waypoints.min.js +||dtrk.slimcdn.com^ +||dunhilltraveldeals.com^$third-party +||dx.com/affiliate/ +||e-tailwebstores.com/accounts/default1/banners/ +||earn-bitcoins.net/banner_ +||ebayadservices.com^ +||ebayrtm.com^ +||eclipse-adblocker.pro^ +||ecufiles.com/advertising/ +||elliottwave.com/fw/regular_leaderboard.js +||engine.eroge.com^ +||entainpartners.com/renderbanner.do? +||epnt.ebay.com^ +||escape.insites.eu^ +||etrader.kalahari.com^ +||etrader.kalahari.net^ +||extensoft.com/artisteer/banners/ +||facebook.com/audiencenetwork/$third-party +||familytreedna.com/img/affiliates/ +||fancybar.net/ac/fancybar.js?zoneid +||fapturbo.com/testoid/ +||fc.lc/CustomTheme/img/ref$third-party +||feedads.feedblitz.com^ +||fembedta.com/pub? +||fileboom.me/images/i/$third-party +||filterforge.com/images/banners/ +||financeads.net/tb.php$third-party +||findcouponspromos.com^$third-party +||flirt.com/landing/$third-party +||flocdn.com/*/ads-coordinator/ +||flowplayer.com/releases/ads/ +||free-btc.org/banner/$third-party +||free.ovl.me^ +||freshbooks.com/images/banners/ +||futuresite.register.com/us? +||g.ezoic.net/ezosuigenerisc.js +||gadgets360.com/pricee/assets/affiliate/ +||gamer-network.net/plugins/dfp/ +||gamesports.net/monkey_ +||gamezop.com/creatives/$image,third-party +||gamezop.com^$subdocument,third-party +||gamingjobsonline.com/images/banner/ +||geobanner.friendfinder.com^$third-party +||get.cryptobrowser.site^ +||get.davincisgold.com^ +||get.paradise8.com^ +||get.thisisvegas.com^ +||gg.caixin.com^ +||giftandgamecentral.com^ +||glam.com/app/ +||glam.com/gad/ +||go.affiliatesleague.com^ +||go.bloxplay.com^ +||go.onelink.me^$image,script +||goldmoney.com/~/media/Images/Banners/ +||google.*/pagead/lvz? +||google.com/adsense/domains/caf.js +||google.com/adsense/search/ads.js +||google.com/adsense/search/async-ads.js +||google.com/afs/ads? +||google.com/pagead/1p-user-list/ +||google.com/pagead/conversion_async.js +||google.com/pagead/drt/ +||google.com/pagead/landing? +||googleadapis.l.google.com^$third-party +||googleads.github.io^ +||googlesyndication.com/pagead/ +||googlesyndication.com/safeframe/ +||gopjn.com/b/ +||gopjn.com/i/ +||graph.org/file/$third-party +||groupon.com/javascripts/common/affiliate_widget/ +||grscty.com/images/banner/ +||gsniper.com/images/ +||hb.yahoo.net^ +||hbid.ams3.cdn.digitaloceanspaces.com^ +||heimalesssinpad.com/overroll/ +||hide-my-ip.com/promo/ +||highepcoffer.com/images/banners/ +||hitleap.com/assets/banner +||hostmonster.com/src/js/$third-party +||hostslick.com^$domain=fileditch.com +||hotlink.cc/promo/ +||hotwire-widget.dailywire.com^$third-party +||html-load.cc/script/$script +||httpslink.com/EdgeOfTheFire +||htvapps.com/ad_fallback/ +||huffpost.com/embed/connatix/$subdocument +||humix.com/video.js +||hvdt8.chimeratool.com^ +||ibvpn.com/img/banners/ +||ifoneunlock.com/*_banner_ +||in.com/common/script_catch.js +||inbound-step.heavenmedia.com^$third-party +||incrementxplay.com/api/adserver/ +||indeed.fr/ads/ +||infibeam.com/affiliate/ +||inrdeals.com^$third-party +||instant-gaming.com/affgames/ +||interplanetary.video/tag.min.js +||ivisa.com/widgets/*utm_medium=affiliate$subdocument,third-party +||jam.hearstapps.com/js/renderer.js +||jeeng-api-prod.azureedge.net +||jinx.com/content/banner/ +||jobs.sciencecareers.org^$subdocument,third-party +||jobtarget.com/distrib_pages/ +||join.megaphonetv.com^$third-party +||js.bigcomics.win^ +||js.kakuyomu.in^ +||js.kkraw.com^ +||js.manga1001.win^ +||js.mangalove.top^ +||js.mangaraw.bid^ +||js.phoenixmanga.com^ +||js.surecart.com/v1/affiliates? +||jsdelivr.net/gh/InteractiveAdvertisingBureau/ +||jsdelivr.net/gh/qxomer/reklam@master/reklam.js +||jsdelivr.net/npm/as-essential +||jsdelivr.net/npm/prebid- +||jvzoo.com/assets/widget/ +||jwpcdn.com/player/*/googima.js +||jwpcdn.com/player/plugins/bidding/ +||jwpcdn.com/player/plugins/googima/ +||k8s-adserver-adserver-4b35ec6a1d-815734624.us-east-1.elb.amazonaws.com^ +||karma.mdpcdn.com^ +||keep2share.cc/images/i/$third-party +||kinguin.net/affiliatepluswidget/$third-party +||kontera.com/javascript/lib/KonaLibInline.js +||lawdepot.com/affiliate/$third-party +||leadfamly.com/campaign/sdk/popup.min.js +||leads.media-tools.realestate.com.au/conversions.js +||legitonlinejobs.com/images/$third-party +||lesmeilleurs-jeux.net/images/ban/ +||lessemf.com/images/banner- +||libcdnjs.com/js/script.js +||libs.outbrain.com/video/$third-party +||link.link.ru^ +||link.oddsscanner.net^ +||linkconnector.com/tr.php +||linkconnector.com/traffic_record.php +||linkshrink.net^$script,third-party +||linkspy.cc/js/fullPageScript.min.js +||linkx.ix.tc^ +||lottoelite.com/banners/ +||ltkcdn.net/ltkrev.js +||magictag.digislots.in^ +||marketing.888.com^ +||marketools.plus500.com/feeds/ +||marketools.plus500.com/Widgets/ +||mbid.marfeelrev.com^ +||mcc.godaddy.com/park/ +||media.netrefer.com^ +||mediaplex.com/ad/ +||memesng.com/ads +||mktg.evvnt.com^$third-party +||mmin.io/embed/ +||mmosale.com/baner_images/ +||mmwebhandler.888.com^ +||mnuu.nu^$subdocument +||monetize-static.viralize.tv^ +||mps.nbcuni.com/fetch/ext/ +||mweb-hb.presage.io^ +||mydirtyhobby.com^$third-party,domain=~my-dirty-hobby.com|~mydirtyhobby.de +||myfinance.com^$subdocument,third-party +||namecheap.com/graphics/linkus/ +||nbastreamswatch.com/z-6229510.js +||netnaija.com/s/$script +||neural.myth.dev^ +||news.smi2.ru^$third-party +||newsiqra.com^$subdocument,third-party +||newtabextension.com^ +||nitroflare.com/img/banners/ +||noagentfees.com^$subdocument,domain=independent.com.mt +||ogads-pa.googleapis.com^ +||oilofasia.com/images/banners/ +||omegadblocker.com^ +||onlinepromogift.com^ +||onnetwork.tv/widget/ +||ooproxy.azurewebsites.net^$xmlhttprequest,domain=imasdk.googleapis.com +||orangebuddies.nl/image/banners/ +||out.betforce.io^ +||outbrainimg.com/transform/$media,third-party +||owebsearch.com^$third-party +||p.jwpcdn.com/player/plugins/vast/ +||pacontainer.s3.amazonaws.com^ +||pagead2.googlesyndication.com^ +||pageloadstats.pro^ +||pages.etoro.com/widgets/$third-party +||parking.godaddy.com^$third-party +||partner-app.softwareselect.com^ +||partner.e-conomic.com^ +||partner.vecteezy.com^ +||partners.dogtime.com^ +||partners.etoro.com^$third-party +||partners.hostgator.com^ +||partners.rochen.com^ +||payza.com/images/banners/ +||pb.s3wfg.com^ +||perfectmoney.com/img/banners/ +||pics.firstload.de^ +||pips.taboola.com^ +||pixfs.net/js/sticky-sidebar-ad.min.js +||pjatr.com^$image,script +||pjtra.com^$image,script +||play-asia.com^$image,subdocument,third-party +||player.globalsun.io/player/videojs-contrib-ads$script,third-party +||plchldr.co^$third-party +||plista.com/async_lib.js? +||plista.com/tiny/$third-party +||plus.net/images/referrals/ +||pngmart.com/files/10/Download-Now-Button-PNG-Free-Download.png +||pntra.com^$image,script +||pntrac.com^$image,script +||pntrs.com^$image,script +||popmog.com^ +||pr.costaction.com^$third-party +||prebid.cwi.re^ +||press-start.com/affgames/ +||privateinternetaccess.com^$script,third-party,xmlhttprequest +||privatejetfinder.com/skins/partners/$third-party +||probid.ai^$third-party +||promos.fling.com^ +||promote.pair.com/88x31.pl +||protected-redirect.click^ +||proto2ad.durasite.net^ +||proxy6.net/static/img/b/ +||proxysolutions.net/affiliates/ +||pub-81f2b77f5bc841c5ae64221394d67f53.r2.dev^ +||pubfeed.linkby.com^ +||public.porn.fr^$third-party +||publish0x.com^$image,script,third-party +||purevpn.com/affiliates/ +||pushtoast-a.akamaihd.net^ +||qsearch-a.akamaihd.net^ +||racebets.com/media.php? +||random-affiliate.atimaze.com^ +||rapidgator.net/images/pics/510_468%D1%8560_1.gif +||readme.ru/informer/ +||recipefy.net/rssfeed.php +||redirect-ads.com^$~subdocument,third-party +||redtram.com^$script,third-party +||refershareus.xyz/ads? +||refinery89.com/performance/ +||reiclub.com/templates/interviews/exit_popup/ +||remax-malta.com/widget_new/$third-party +||rentalcars.com/partners/ +||resellerratings.com/popup/include/popup.js +||rotabanner.kulichki.net^ +||rotator.tradetracker.net^ +||rubylife.go2cloud.org^ +||s1.wp.com^$subdocument,third-party +||saambaa.com^$third-party +||safarinow.com/affiliate-zone/ +||safelinku.com/js/web-script.js +||sailthru.com^*/horizon.js +||sascdn.com/config.js +||sascdn.com/diff/$image,script +||sascdn.com/tag/ +||saveit.us/img/$third-party +||sbhc.portalhc.com^ +||sbitany.com^*/affiliate/$third-party +||screen13.com/publishers/ +||sdk.apester.com/*.adsbygoogle.min.js +||sdk.apester.com/*.Monetization.min.js +||search-carousel-widget.snc-prod.aws.cinch.co.uk^ +||secure.money.com^$third-party +||service.smscoin.com/js/sendpic.js +||shareasale.com/image/$third-party +||shink.in/js/script.js +||shopmyshelf.us^$third-party +||shorte.st/link-converter.min.js +||signup.asurion.com^$subdocument +||siteground.com/img/affiliate/ +||siteground.com/img/banners/ +||siteground.com/static/affiliate/$third-party +||skimresources.com^$script,subdocument,third-party +||slysoft.com/img/banner/ +||smartads.statsperform.com^ +||smartdestinations.com/ai/ +||snacklink.co/js/web-script.js +||snacktools.net/bannersnack/$domain=~bannersnack.dev +||socialmonkee.com/images/ +||sorcerers.net/includes/butler/ +||squaremouth.com/affiliates/$third-party +||squirrels.getsquirrel.co^ +||srv.dynamicyield.com^ +||srv.tunefindforfans.com^ +||srx.com.sg/srx/media/ +||ssl-images-amazon.com/images/*/DAsf- +||ssl-images-amazon.com/images/*/MAsf- +||ssp.qc.coccoc.com^ +||static.ifruplink.net/static_src/mc-banner/ +||static.prd.datawars.io/static/promo/ +||static.sunmedia.tv/integrations/ +||static.tradetracker.net^$third-party +||staticmisc.blob.core.windows.net^$domain=onecompiler.com +||stay22.com/api/sponsors/ +||storage.googleapis.com/admaxvaluemedia/ +||storage.googleapis.com/adtags/ +||storage.googleapis.com/ba_utils/stab.js +||streambeast.io/aclib.js +||stunserver.net/frun.js +||sunflowerbright109.io/sdk.js +||supply.upjers.com^ +||surdotly.com/js/Surly.min.js +||surveymonkey.com/jspop.aspx? +||sweeva.com/images/banner250.gif +||syndicate.payloadz.com^ +||t.co^$subdocument,domain=kshow123.tv +||taboola.com/vpaid/ +||tag.regieci.com^ +||tags.refinery89.com^ +||takefile.link/promo/$third-party +||targeting.vdo.ai^ +||tcadserver.rain-digital.ca^ +||tech426.com/pub/ +||textlinks.com/images/banners/ +||thefreesite.com/nov99bannov.gif +||themespixel.net/banners/ +||thscore.fun/mn/ +||ti.tradetracker.net^ +||tillertag-a.akamaihd.net^ +||toplist.raidrush.ws^$third-party +||torrindex.net/images/ads/ +||torrindex.net/images/epv/ +||torrindex.net/static/tinysort.min.js +||totalmedia2.ynet.co.il/new_gpt/ +||townnews.com/tucson.com/content/tncms/live/libraries/flex/components/ads_dfp/ +||tra.scds.pmdstatic.net/advertising-core/ +||track.10bet.com^ +||track.effiliation.com^$image,script +||traffer.biz/img/banners/ +||travel.mediaalpha.com/js/serve.js +||trendads.reactivebetting.com^ +||trstx.org/overroll/ +||truex.com/js/client.js +||trvl-px.com/trvl-px/ +||turb.cc/fd1/img/promo/ +||typicalstudent.org^$third-party +||ubm-us.net/oas/nativead/js/nativead.js +||ummn.nu^$subdocument +||universal.wgplayer.com^ +||uploaded.net/img/public/$third-party +||utility.rogersmedia.com/wrapper.js +||vhanime.com/js/bnanime.js +||viadata.store^$third-party +||vice-publishers-cdn.vice.com^ +||vidcrunch.com/integrations/$script,third-party +||video-ads.a2z.com^ +||videosvc.ezoic.com^ +||vidoomy.com/api/adserver/ +||vidsrc.pro/uwu-js/binged.in +||viralize.tv/t-bid-opportunity/ +||virool.com/widgets/ +||vpnrice.com/a/p.js +||vrixon.com/adsdk/ +||vultr.com/media/banner +||vuukle.com/ads/ +||vv.7vid.net^ +||washingtonpost.com/wp-stat/ad/zeus/wp-ad.min.js +||web-hosting.net.my/banner/ +||web.adblade.com^ +||webapps.leasing.com^ +||webseed.com/WP/ +||weby.aaas.org^ +||whatfinger.com^$third-party +||whatismyipaddress.cyou/assets/images/ip-banner.png +||wheelify.cartzy.com^ +||widget.engageya.com/engageya_loader.js +||widget.golfscape.com^ +||widget.searchschoolsnetwork.com^ +||widget.sellwild.com^ +||widget.shopstyle.com^ +||widgets.business.com^ +||widgets.lendingtree.com^ +||widgets.monito.com^$third-party +||widgets.oddschecker.com^ +||widgets.outbrain.com^*/widget.js +||widgets.progrids.com^ +||widgets.tree.com^ +||winonexd.b-cdn.net^ +||wistia.com/assets/external/googleAds.js +||wixlabs-adsense-v3.uc.r.appspot.com^ +||wowtcgloot.com/share/?d=$third-party +||wp.com/assets.sheetmusicplus.com/banner/ +||wp.com/assets.sheetmusicplus.com/smp/ +||wp.com/bugsfighter.com/wp-content/uploads/2016/07/adguard-banner.png +||wpb.wgplayer.com^ +||wpengine.com/wp-json/api/advanced_placement/api-in-article-ad/ +||wpzoom.com/images/aff/ +||ws.amazon.*/widgets/$third-party +||wsimg.com/parking-lander/ +||yahoo.com/bidRequest +||yastatic.net/pcode/adfox/header-bidding.js +||yield-op-idsync.live.streamtheworld.com^ +||yimg.com/dy/ads/native.js +||yimg.com/dy/ads/readmo.js +||youtube.com/embed/C-iDzdvIg1Y$domain=biznews.com +||z3x-team.com/wp-content/*-banner- +||zergnet.com/zerg.js +||ziffstatic.com/pg/ +||ziffstatic.com/zmg/pogoadk.js +||zkcdn.net/ados.js +||zv.7vid.net^ +! CNAME +! https://d3ward.github.io/toolz/src/adblock.html +||ad.intl.xiaomi.com^ +||ad.samsungadhub.com^ +||ad.xiaomi.com^ +||samsungadhub.com^$third-party +! amazonaws (ad-fix) +/^https?:\/\/s3\.*.*\.amazonaws\.com\/[a-f0-9]{45,}\/[a-f,0-9]{8,10}$/$script,third-party,xmlhttprequest,domain=~amazon.com +||s3.amazonaws.com^*/f10ac63cd7 +||s3.amazonaws.com^*/secure.js +! charlotteobserver.com (audio advert) +||tsbluebox.com^$third-party +! cloudfront hosted +||cloudfront.net/*.min.css$script,third-party +||cloudfront.net/css/*.min.js$script,third-party +||cloudfront.net/images/*-min.js$script,third-party +||cloudfront.net/js/script_tag/new/sca_affiliate_ +||d10ce3z4vbhcdd.cloudfront.net^ +||d10lumateci472.cloudfront.net^ +||d10lv7w3g0jvk9.cloudfront.net^ +||d10nkw6w2k1o10.cloudfront.net^ +||d10wfab8zt419p.cloudfront.net^ +||d10zmv6hrj5cx1.cloudfront.net^ +||d114isgihvajcp.cloudfront.net^ +||d1180od816jent.cloudfront.net^ +||d11enq2rymy0yl.cloudfront.net^ +||d11h0pey8cu31p.cloudfront.net/*/an.js^ +||d11hjbdxxtogg5.cloudfront.net^ +||d11p7gi4d9x2s0.cloudfront.net^ +||d11qytb9x1vnrm.cloudfront.net^ +||d11tybz5ul8vel.cloudfront.net^ +||d11zevc9a5598r.cloudfront.net^ +||d126kahie2ogx0.cloudfront.net^ +||d127s3e8wcl3q6.cloudfront.net^ +||d12bql71awc8k.cloudfront.net^ +||d12czbu0tltgqq.cloudfront.net^ +||d12dky1jzngacn.cloudfront.net^ +||d12t7h1bsbq1cs.cloudfront.net^ +||d12tu1kocp8e8u.cloudfront.net^ +||d12ylqdkzgcup5.cloudfront.net^ +||d13gni3sfor862.cloudfront.net^ +||d13j11nqjt0s84.cloudfront.net^ +||d13k7prax1yi04.cloudfront.net^ +||d13pxqgp3ixdbh.cloudfront.net^ +||d13r2gmqlqb3hr.cloudfront.net^ +||d13vul5n9pqibl.cloudfront.net^ +||d140sbu1b1m3h0.cloudfront.net^ +||d141wsrw9m4as6.cloudfront.net^ +||d142i1hxvwe38g.cloudfront.net^ +||d145ghnzqbsasr.cloudfront.net^ +||d14821r0t3377v.cloudfront.net^ +||d14l1tkufmtp1z.cloudfront.net^ +||d14zhsq5aop7ap.cloudfront.net^ +||d154nw1c88j0q6.cloudfront.net^ +||d15bcy38hlba76.cloudfront.net^ +||d15gt9gwxw5wu0.cloudfront.net^ +||d15jg7068qz6nm.cloudfront.net^ +||d15kdpgjg3unno.cloudfront.net^ +||d15kuuu3jqrln7.cloudfront.net^ +||d15mt77nzagpnx.cloudfront.net^ +||d162nnmwf9bggr.cloudfront.net^ +||d16saj1xvba76n.cloudfront.net^ +||d16sobzswqonxq.cloudfront.net^ +||d175dtblugd1dn.cloudfront.net^ +||d17757b88bjr2y.cloudfront.net^ +||d17c5vf4t6okfg.cloudfront.net^ +||d183xvcith22ty.cloudfront.net^ +||d1856n6bep9gel.cloudfront.net^ +||d188elxamt3utn.cloudfront.net^ +||d188m5xxcpvuue.cloudfront.net^ +||d18b5y9gp0lr93.cloudfront.net^ +||d18e74vjvmvza1.cloudfront.net^ +||d18g6t7whf8ejf.cloudfront.net^ +||d18hqfm1ev805k.cloudfront.net^ +||d18kg2zy9x3t96.cloudfront.net^ +||d18mealirgdbbz.cloudfront.net^ +||d18myvrsrzjrd7.cloudfront.net^ +||d18ql5xgy7gz3p.cloudfront.net^ +||d18t35yyry2k49.cloudfront.net^ +||d192g7g8iuw79c.cloudfront.net^ +||d192r5l88wrng7.cloudfront.net^ +||d199kwgcer5a6q.cloudfront.net^ +||d19bpqj0yivlb3.cloudfront.net^ +||d19gkl2iaav80x.cloudfront.net^ +||d19y03yc9s7c1c.cloudfront.net^ +||d1a3jb5hjny5s4.cloudfront.net^ +||d1aa9f6zukqylf.cloudfront.net^ +||d1ac2du043ydir.cloudfront.net^ +||d1aezk8tun0dhm.cloudfront.net^ +||d1aiciyg0qwvvr.cloudfront.net^ +||d1ap9gbbf77h85.cloudfront.net^ +||d1appgm50chwbg.cloudfront.net^ +||d1aqvw7cn4ydzo.cloudfront.net^ +||d1aukpqf83rqhe.cloudfront.net^ +||d1ayv3a7nyno3a.cloudfront.net^ +||d1az618or4kzj8.cloudfront.net^ +||d1aznprfp4xena.cloudfront.net^ +||d1azpphj80lavy.cloudfront.net^ +||d1b240xv9h0q8y.cloudfront.net^ +||d1b499kr4qnas6.cloudfront.net^ +||d1b7aq9bn3uykv.cloudfront.net^ +||d1b9b1cxai2c03.cloudfront.net^ +||d1bad9ankyq5eg.cloudfront.net^ +||d1bci271z7i5pg.cloudfront.net^ +||d1betjlqogdr97.cloudfront.net^ +||d1bf1sb7ks8ojo.cloudfront.net^ +||d1bi6hxlc51jjw.cloudfront.net^ +||d1bioqbsunwnrb.cloudfront.net^ +||d1bkis4ydqgspg.cloudfront.net^ +||d1bxkgbbc428vi.cloudfront.net^ +||d1cg2aopojxanm.cloudfront.net^ +||d1clmik8la8v65.cloudfront.net^ +||d1crfzlys5jsn1.cloudfront.net^ +||d1crt12zco2cvf.cloudfront.net^ +||d1csp7vj6qqoa6.cloudfront.net^ +||d1d7hwtv2l91pm.cloudfront.net^ +||d1dh1gvx7p0imm.cloudfront.net^ +||d1diqetif5itzx.cloudfront.net^ +||d1djrodi2reo2w.cloudfront.net^ +||d1e28xq8vu3baf.cloudfront.net^ +||d1e3vw6pz2ty1m.cloudfront.net^ +||d1e9rtdi67kart.cloudfront.net^ +||d1ebha2k07asm5.cloudfront.net^ +||d1eeht7p8f5lpk.cloudfront.net^ +||d1eknpz7w55flg.cloudfront.net^ +||d1err2upj040z.cloudfront.net^ +||d1esebcdm6wx7j.cloudfront.net^ +||d1ev4o49j4zqc3.cloudfront.net^ +||d1ev866ubw90c6.cloudfront.net^ +||d1eyw3m16hfg9c.cloudfront.net^ +||d1ezlc9vy4yc7g.cloudfront.net^ +||d1f05vr3sjsuy7.cloudfront.net^ +||d1f52ha44xvggk.cloudfront.net^ +||d1f5r3d462eit5.cloudfront.net^ +||d1f7vr2umogk27.cloudfront.net^ +||d1f9tkqiyb5a97.cloudfront.net^ +||d1f9x963ud6u7a.cloudfront.net^ +||d1fs2ef81chg3.cloudfront.net^ +||d1g2nud28z4vph.cloudfront.net^ +||d1g4493j0tcwvt.cloudfront.net^ +||d1g4xgvlcsj49g.cloudfront.net^ +||d1g8forfjnu2jh.cloudfront.net^ +||d1gpi088t70qaf.cloudfront.net^ +||d1ha41wacubcnb.cloudfront.net^ +||d1hgdmbgioknig.cloudfront.net^ +||d1hnmxbg6rp2o6.cloudfront.net^ +||d1hogxc58mhzo9.cloudfront.net^ +||d1i11ea1m0er9t.cloudfront.net^ +||d1i3h541wbnrfi.cloudfront.net^ +||d1i76h1c9mme1m.cloudfront.net^ +||d1igvjcl1gjs62.cloudfront.net^ +||d1ilwohzbe4ao6.cloudfront.net^ +||d1iy4wgzi9qdu7.cloudfront.net^ +||d1j1m9awq6n3x3.cloudfront.net^ +||d1j2jv7bvcsxqg.cloudfront.net^ +||d1j47wsepxe9u2.cloudfront.net^ +||d1j6limf657foe.cloudfront.net^ +||d1j818d3wapogd.cloudfront.net^ +||d1j9qsxe04m2ki.cloudfront.net^ +||d1jcj9gy98l90g.cloudfront.net^ +||d1jnvfp2m6fzvq.cloudfront.net^ +||d1juimniehopp3.cloudfront.net^ +||d1jwpd11ofhd5g.cloudfront.net^ +||d1k8mqc61fowi.cloudfront.net^ +||d1ks8roequxbwa.cloudfront.net^ +||d1ktmtailsv07c.cloudfront.net^ +||d1kttpj1t6674w.cloudfront.net^ +||d1kwkwcfmhtljq.cloudfront.net^ +||d1kx6hl0p7bemr.cloudfront.net^ +||d1kzm6rtbvkdln.cloudfront.net^ +||d1l906mtvq85kd.cloudfront.net^ +||d1lihuem8ojqxz.cloudfront.net^ +||d1lky2ntb9ztpd.cloudfront.net^ +||d1lnjzqqshwcwg.cloudfront.net^ +||d1lo4oi08ke2ex.cloudfront.net^ +||d1lxhc4jvstzrp.cloudfront.net^ +||d1mar6i7bkj1lr.cloudfront.net^ +||d1mbgf0ge24riu.cloudfront.net^ +||d1mbihpm2gncx7.cloudfront.net^ +||d1mcwmzol446xa.cloudfront.net^ +||d1my7gmbyaxdyn.cloudfront.net^ +||d1n1ppeppre6d4.cloudfront.net^ +||d1n3aexzs37q4s.cloudfront.net^ +||d1n3tk65esqc4k.cloudfront.net^ +||d1n5jb3yqcxwp.cloudfront.net^ +||d1n6jx7iu0qib6.cloudfront.net^ +||d1ndpste0fy3id.cloudfront.net^ +||d1nkvehlw5hmj4.cloudfront.net^ +||d1nmxiiewlx627.cloudfront.net^ +||d1nnhbi4g0kj5.cloudfront.net^ +||d1now6cui1se29.cloudfront.net^ +||d1nssfq3xl2t6b.cloudfront.net^ +||d1nubxdgom3wqt.cloudfront.net^ +||d1nv2vx70p2ijo.cloudfront.net^ +||d1nx2jii03b4ju.cloudfront.net^ +||d1o1guzowlqlts.cloudfront.net^ +||d1of5w8unlzqtg.cloudfront.net^ +||d1okyw2ay5msiy.cloudfront.net^ +||d1ol7fsyj96wwo.cloudfront.net^ +||d1on4urq8lvsb1.cloudfront.net^ +||d1or04kku1mxl9.cloudfront.net^ +||d1oykxszdrgjgl.cloudfront.net^ +||d1p0vowokmovqz.cloudfront.net^ +||d1p3zboe6tz3yy.cloudfront.net^ +||d1p7gp5w97u7t7.cloudfront.net^ +||d1pdf4c3hchi80.cloudfront.net^ +||d1pn3cn3ri604k.cloudfront.net^ +||d1pvpz0cs1cjk8.cloudfront.net^ +||d1pwvobm9k031m.cloudfront.net^ +||d1q0x5umuwwxy2.cloudfront.net^ +||d1q4x2p7t0gq14.cloudfront.net^ +||d1qc76gneygidm.cloudfront.net^ +||d1qggq1at2gusn.cloudfront.net^ +||d1qk9ujrmkucbl.cloudfront.net^ +||d1qow5kxfhwlu8.cloudfront.net^ +||d1r3ddyrqrmcjv.cloudfront.net^ +||d1r90st78epsag.cloudfront.net^ +||d1r9f6frybgiqo.cloudfront.net^ +||d1rgi5lmynkcm4.cloudfront.net^ +||d1rguclfwp7nc8.cloudfront.net^ +||d1rkd1d0jv6skn.cloudfront.net^ +||d1rkf0bq85yx06.cloudfront.net^ +||d1rp4yowwe587e.cloudfront.net^ +||d1rsh847opos9y.cloudfront.net^ +||d1s4mby8domwt9.cloudfront.net^ +||d1sboz88tkttfp.cloudfront.net^ +||d1sfclevshpbro.cloudfront.net^ +||d1sjz3r2x2vk2u.cloudfront.net^ +||d1sowp9ayjro6j.cloudfront.net^ +||d1spc7iz1ls2b1.cloudfront.net^ +||d1sqvt36mg3t1b.cloudfront.net^ +||d1sytkg9v37f5q.cloudfront.net^ +||d1t38ngzzazukx.cloudfront.net^ +||d1t671k72j9pxc.cloudfront.net^ +||d1t8it0ywk3xu.cloudfront.net^ +||d1tafuajjg33f8.cloudfront.net^ +||d1tizxwina1bjc.cloudfront.net^ +||d1tt3ye7u0e0ql.cloudfront.net^ +||d1tttug1538qv1.cloudfront.net^ +||d1twn22x8kvw17.cloudfront.net^ +||d1u1byonn4po0b.cloudfront.net^ +||d1u5ibtsigyagv.cloudfront.net^ +||d1uae3ok0byyqw.cloudfront.net^ +||d1uc64ype5braa.cloudfront.net^ +||d1ue5xz1lnqk0d.cloudfront.net^ +||d1ugiptma3cglb.cloudfront.net^ +||d1ukp4rdr0i4nl.cloudfront.net^ +||d1upt0rqzff34l.cloudfront.net^ +||d1ux93ber9vlwt.cloudfront.net^ +||d1uzjiv6zzdlbc.cloudfront.net^ +||d1voskqidohxxs.cloudfront.net^ +||d1vqm5k0hezeau.cloudfront.net^ +||d1vy7td57198sq.cloudfront.net^ +||d1w24oanovvxvg.cloudfront.net^ +||d1w5452x8p71hs.cloudfront.net^ +||d1wbjksx0xxdn3.cloudfront.net^ +||d1wc0ojltqk24g.cloudfront.net^ +||d1wd81rzdci3ru.cloudfront.net^ +||d1wi563t0137vz.cloudfront.net^ +||d1wjz6mrey9f5v.cloudfront.net^ +||d1wv5x2u0qrvjw.cloudfront.net^ +||d1xdxiqs8w12la.cloudfront.net^ +||d1xivydscggob7.cloudfront.net^ +||d1xkyo9j4r7vnn.cloudfront.net^ +||d1xo0f2fdn5no0.cloudfront.net^ +||d1xw8yqtkk9ae5.cloudfront.net^ +||d1y3xnqdd6pdbo.cloudfront.net^ +||d1yaf4htak1xfg.cloudfront.net^ +||d1ybdlg8aoufn.cloudfront.net^ +||d1yeqwgi8897el.cloudfront.net^ +||d1ygczx880h5yu.cloudfront.net^ +||d1ytalcrl612d7.cloudfront.net^ +||d1yyhdmsmo3k5p.cloudfront.net^ +||d1z1vj4sd251u9.cloudfront.net^ +||d1z2jf7jlzjs58.cloudfront.net^ +||d1z58p17sqvg6o.cloudfront.net^ +||d1zjpzpoh45wtm.cloudfront.net^ +||d1zjr9cc2zx7cg.cloudfront.net^ +||d1zrs4deyai5xm.cloudfront.net^ +||d1zw85ny9dtn37.cloudfront.net^ +||d1zw8evbrw553l.cloudfront.net^ +||d1zy4z3rd7svgh.cloudfront.net^ +||d1zzcae3f37dfx.cloudfront.net^ +||d200108c6x0w2v.cloudfront.net^ +||d204slsrhoah2f.cloudfront.net^ +||d205jrj5h1616x.cloudfront.net^ +||d20903hof2l33q.cloudfront.net^ +||d20kfqepj430zj.cloudfront.net^ +||d20nuqz94uw3np.cloudfront.net^ +||d20tam5f2v19bf.cloudfront.net^ +||d213cc9tw38vai.cloudfront.net^ +||d219kvfj8xp5vh.cloudfront.net^ +||d21f25e9uvddd7.cloudfront.net^ +||d21m5j4ptsok5u.cloudfront.net^ +||d21rpkgy8pahcu.cloudfront.net^ +||d21rudljp9n1rr.cloudfront.net^ +||d223xrf0cqrzzz.cloudfront.net^ +||d227cncaprzd7y.cloudfront.net^ +||d227n6rw2vv5cw.cloudfront.net^ +||d22ffr6srkd9zx.cloudfront.net^ +||d22jxozsujz6m.cloudfront.net^ +||d22lbkjf2jpzr9.cloudfront.net^ +||d22lo5bcpq2fif.cloudfront.net^ +||d22rmxeq48r37j.cloudfront.net^ +||d22sfab2t5o9bq.cloudfront.net^ +||d22xmn10vbouk4.cloudfront.net^ +||d22z575k8abudv.cloudfront.net^ +||d235m8fpdlskx9.cloudfront.net^ +||d236v5t33fsfwk.cloudfront.net^ +||d23a1izvegnhq4.cloudfront.net^ +||d23d7sc86jmil5.cloudfront.net^ +||d23guct4biwna6.cloudfront.net^ +||d23i0h7d50duv0.cloudfront.net^ +||d23pdhuxarn9w2.cloudfront.net^ +||d23spca806c5fu.cloudfront.net^ +||d23xhr62nxa8qo.cloudfront.net^ +||d24502rd02eo9t.cloudfront.net^ +||d2483bverkkvsp.cloudfront.net^ +||d24g87zbxr4yiz.cloudfront.net^ +||d24iusj27nm1rd.cloudfront.net^ +||d25dfknw9ghxs6.cloudfront.net^ +||d25xkbr68qqtcn.cloudfront.net^ +||d261u4g5nqprix.cloudfront.net^ +||d264dxqvolp03e.cloudfront.net^ +||d26adrx9c3n0mq.cloudfront.net^ +||d26e5rmb2qzuo3.cloudfront.net^ +||d26p9ecwyy9zqv.cloudfront.net^ +||d26yfyk0ym2k1u.cloudfront.net^ +||d27genukseznht.cloudfront.net^ +||d27gtglsu4f4y2.cloudfront.net^ +||d27pxpvfn42pgj.cloudfront.net^ +||d27qffx6rqb3qm.cloudfront.net^ +||d27tbpngbwa8i.cloudfront.net^ +||d27tzcmp091qxd.cloudfront.net^ +||d27x9po2cfinm5.cloudfront.net^ +||d28exbmwuav7xa.cloudfront.net^ +||d28quk6sxoh2w5.cloudfront.net^ +||d28s7kbgrs6h2f.cloudfront.net^ +||d28u86vqawvw52.cloudfront.net^ +||d28uhswspmvrhb.cloudfront.net^ +||d28xpw6kh69p7p.cloudfront.net^ +||d2906506rwyvg2.cloudfront.net^ +||d29bsjuqfmjd63.cloudfront.net^ +||d29dbajta0the9.cloudfront.net^ +||d29dzo8owxlzou.cloudfront.net^ +||d29i6o40xcgdai.cloudfront.net^ +||d29mhxfd390ueb.cloudfront.net^ +||d29mxewlidfjg1.cloudfront.net^ +||d2a4qm4se0se0m.cloudfront.net^ +||d2a80scaiwzqau.cloudfront.net^ +||d2b4jmuffp1l21.cloudfront.net^ +||d2bbq3twedfo2f.cloudfront.net^ +||d2bkkt3kqfmyo0.cloudfront.net^ +||d2bvfdz3bljcfk.cloudfront.net^ +||d2bxxk33t58v29.cloudfront.net^ +||d2byenqwec055q.cloudfront.net^ +||d2c4ylitp1qu24.cloudfront.net^ +||d2c8v52ll5s99u.cloudfront.net^ +||d2camyomzxmxme.cloudfront.net^ +||d2cgumzzqhgmdu.cloudfront.net^ +||d2cmh8xu3ncrj2.cloudfront.net^ +||d2cq71i60vld65.cloudfront.net^ +||d2d8qsxiai9qwj.cloudfront.net^ +||d2db10c4rkv9vb.cloudfront.net^ +||d2dkurdav21mkk.cloudfront.net^ +||d2dyjetg3tc2wn.cloudfront.net^ +||d2e30rravz97d4.cloudfront.net^ +||d2e5x3k1s6dpd4.cloudfront.net^ +||d2e7rsjh22yn3g.cloudfront.net^ +||d2edfzx4ay42og.cloudfront.net^ +||d2ei3pn5qbemvt.cloudfront.net^ +||d2eklqgy1klqeu.cloudfront.net^ +||d2ele6m9umnaue.cloudfront.net^ +||d2elslrg1qbcem.cloudfront.net^ +||d2enprlhqqv4jf.cloudfront.net^ +||d2er1uyk6qcknh.cloudfront.net^ +||d2ers4gi7coxau.cloudfront.net^ +||d2eyuq8th0eqll.cloudfront.net^ +||d2f0ixlrgtk7ff.cloudfront.net^ +||d2f0uviei09pxb.cloudfront.net^ +||d2fbkzyicji7c4.cloudfront.net^ +||d2fbvay81k4ji3.cloudfront.net^ +||d2fhrdu08h12cc.cloudfront.net^ +||d2fmtc7u4dp7b2.cloudfront.net^ +||d2focgxak1cn74.cloudfront.net^ +||d2foi16y3n0s3e.cloudfront.net^ +||d2fsfacjuqds81.cloudfront.net^ +||d2g6dhcga4weul.cloudfront.net^ +||d2g8ksx1za632p.cloudfront.net^ +||d2g9nmtuil60cb.cloudfront.net^ +||d2ga0x5nt7ml6e.cloudfront.net^ +||d2gc6r1h15ux9j.cloudfront.net^ +||d2ghscazvn398x.cloudfront.net^ +||d2glav2919q4cw.cloudfront.net^ +||d2h2t5pll64zl8.cloudfront.net^ +||d2h7xgu48ne6by.cloudfront.net^ +||d2h85i07ehs6ej.cloudfront.net^ +||d2ho1n52p59mwv.cloudfront.net^ +||d2hvwfg7vv4mhf.cloudfront.net^ +||d2i4wzwe8j1np9.cloudfront.net^ +||d2i55s0cnk529c.cloudfront.net^ +||d2it3a9l98tmsr.cloudfront.net^ +||d2izcn32j62dtp.cloudfront.net^ +||d2j042cj1421wi.cloudfront.net^ +||d2j71mqxljhlck.cloudfront.net^ +||d2jgbcah46jjed.cloudfront.net^ +||d2jgp81mjwggyr.cloudfront.net^ +||d2jp0uspx797vc.cloudfront.net^ +||d2jp87c2eoduan.cloudfront.net^ +||d2jtzjb71xckmj.cloudfront.net^ +||d2juccxzu13rax.cloudfront.net^ +||d2jw88zdm5mi8i.cloudfront.net^ +||d2k487jakgs1mb.cloudfront.net^ +||d2k7b1tjy36ro0.cloudfront.net^ +||d2k7gvkt8o1fo8.cloudfront.net^ +||d2kadvyeq051an.cloudfront.net^ +||d2kd9y1bp4zc6.cloudfront.net^ +||d2khpmub947xov.cloudfront.net^ +||d2kk0o3fr7ed01.cloudfront.net^ +||d2kldhyijnaccr.cloudfront.net^ +||d2klx87bgzngce.cloudfront.net^ +||d2km1jjvhgh7xw.cloudfront.net^ +||d2kpucccxrl97x.cloudfront.net^ +||d2ksh1ccat0a7e.cloudfront.net^ +||d2l3f1n039mza.cloudfront.net^ +||d2lahoz916es9g.cloudfront.net^ +||d2lg0swrp15nsj.cloudfront.net^ +||d2lmzq02n8ij7j.cloudfront.net^ +||d2lp70uu6oz7vk.cloudfront.net^ +||d2ltukojvgbso5.cloudfront.net^ +||d2lxammzjarx1n.cloudfront.net^ +||d2m785nxw66jui.cloudfront.net^ +||d2mic0r0bo3i6z.cloudfront.net^ +||d2mqdhonc9glku.cloudfront.net^ +||d2muzdhs7lpmo0.cloudfront.net^ +||d2mw3lu2jj5laf.cloudfront.net^ +||d2n2qdkjbbe2l7.cloudfront.net^ +||d2na2p72vtqyok.cloudfront.net^ +||d2nin2iqst0txp.cloudfront.net^ +||d2nlytvx51ywh9.cloudfront.net^ +||d2nz8k4xyoudsx.cloudfront.net^ +||d2o03z2xnyxlz5.cloudfront.net^ +||d2o51l6pktevii.cloudfront.net^ +||d2ob4whwpjvvpa.cloudfront.net^ +||d2ohmkyg5w2c18.cloudfront.net^ +||d2ojfulajn60p5.cloudfront.net^ +||d2oouw5449k1qr.cloudfront.net^ +||d2osk0po1oybwz.cloudfront.net^ +||d2ov8ip31qpxly.cloudfront.net^ +||d2ovgc4ipdt6us.cloudfront.net^ +||d2oxs0429n9gfd.cloudfront.net^ +||d2oy22m6xey08r.cloudfront.net^ +||d2p0a1tiodf9z9.cloudfront.net^ +||d2p3vqj5z5rdwv.cloudfront.net^ +||d2pdbggfzjbhzh.cloudfront.net^ +||d2pnacriyf41qm.cloudfront.net^ +||d2psma0az3acui.cloudfront.net^ +||d2pspvbdjxwkpo.cloudfront.net^ +||d2pxbld8wrqyrk.cloudfront.net^ +||d2q52i8yx3j68p.cloudfront.net^ +||d2q7jbv4xtaizs.cloudfront.net^ +||d2q9y3krdwohfj.cloudfront.net^ +||d2qf34ln5axea0.cloudfront.net^ +||d2qfd8ejsuejas.cloudfront.net^ +||d2qn0djb6oujlt.cloudfront.net^ +||d2qnx6y010m4rt.cloudfront.net^ +||d2qqc8ssywi4j6.cloudfront.net^ +||d2qz7ofajpstv5.cloudfront.net^ +||d2r2yqcp8sshc6.cloudfront.net^ +||d2r3rw91i5z1w9.cloudfront.net^ +||d2rd7z2m36o6ty.cloudfront.net^ +||d2rsvcm1r8uvmf.cloudfront.net^ +||d2rx475ezvxy0h.cloudfront.net^ +||d2s31asn9gp5vl.cloudfront.net^ +||d2s9nyc35a225l.cloudfront.net^ +||d2sbzwmcg5amr3.cloudfront.net^ +||d2sffavqvyl9dp.cloudfront.net^ +||d2sj2q93t0dtyb.cloudfront.net^ +||d2sn24mi2gn24v.cloudfront.net^ +||d2sp5g360gsxjh.cloudfront.net^ +||d2sucq8qh4zqzj.cloudfront.net^ +||d2t47qpr8mdhkz.cloudfront.net^ +||d2t72ftdissnrr.cloudfront.net^ +||d2taktuuo4oqx.cloudfront.net^ +||d2tkdzior84vck.cloudfront.net^ +||d2tvgfsghnrkwb.cloudfront.net^ +||d2u2lv2h6u18yc.cloudfront.net^ +||d2u4fn5ca4m3v6.cloudfront.net^ +||d2uaktjl22qvg4.cloudfront.net^ +||d2uap9jskdzp2.cloudfront.net^ +||d2udkjdo48yngu.cloudfront.net^ +||d2uhnetoehh304.cloudfront.net^ +||d2uu46itxfd65q.cloudfront.net^ +||d2uy8iq3fi50kh.cloudfront.net^ +||d2uyi99y1mkn17.cloudfront.net^ +||d2v02itv0y9u9t.cloudfront.net^ +||d2v4wf9my00msd.cloudfront.net^ +||d2va1d0hpla18n.cloudfront.net^ +||d2vmavw0uawm2t.cloudfront.net^ +||d2vorijeeka2cf.cloudfront.net^ +||d2vvyk8pqw001z.cloudfront.net^ +||d2vwl2vhlatm2f.cloudfront.net^ +||d2vwsmst56j4zq.cloudfront.net^ +||d2w92zbcg4cwxr.cloudfront.net^ +||d2w9cdu84xc4eq.cloudfront.net^ +||d2werg7o2mztut.cloudfront.net^ +||d2wexw25ezayh1.cloudfront.net^ +||d2wpx0eqgykz4q.cloudfront.net^ +||d2x0u7rtw4p89p.cloudfront.net^ +||d2x19ia47o8gwm.cloudfront.net^ +||d2xct5bvixoxmj.cloudfront.net^ +||d2xng9e6gymuzr.cloudfront.net^ +||d2y8ttytgze7qt.cloudfront.net^ +||d2yeczd6cyyd0z.cloudfront.net^ +||d2ykons4g8jre6.cloudfront.net^ +||d2ywv53s25fi6c.cloudfront.net^ +||d2z51a9spn09cw.cloudfront.net^ +||d2zbpgxs57sg1k.cloudfront.net^ +||d2zbrsgwxpxcye.cloudfront.net^ +||d2zcblk8m9mzq5.cloudfront.net^ +||d2zf5gu5e5mp87.cloudfront.net^ +||d2zh7okxrw0ix.cloudfront.net^ +||d2zi8ra5rb7m89.cloudfront.net^ +||d2zrhnhjlfcuhf.cloudfront.net^ +||d2zv5rkii46miq.cloudfront.net^ +||d2zzazjvlpgmgi.cloudfront.net^ +||d301cxwfymy227.cloudfront.net^ +||d30sxnvlkawtwa.cloudfront.net^ +||d30tme16wdjle5.cloudfront.net^ +||d30ts2zph80iw7.cloudfront.net^ +||d30yd3ryh0wmud.cloudfront.net^ +||d313lzv9559yp9.cloudfront.net^ +||d31m6w8i2nx65e.cloudfront.net^ +||d31mxuhvwrofft.cloudfront.net^ +||d31o2k8hutiibd.cloudfront.net^ +||d31ph8fftb4r3x.cloudfront.net^ +||d31rse9wo0bxcx.cloudfront.net^ +||d31s5xi4eq6l6p.cloudfront.net^ +||d31vxm9ubutrmw.cloudfront.net^ +||d31y1abh02y2oj.cloudfront.net^ +||d325d2mtoblkfq.cloudfront.net^ +||d32bug9eb0g0bh.cloudfront.net^ +||d32d89surjhks4.cloudfront.net^ +||d32h65j3m1jqfb.cloudfront.net^ +||d32hwlnfiv2gyn.cloudfront.net^ +||d32t6p7tldxil2.cloudfront.net^ +||d333p98mzatwjz.cloudfront.net^ +||d33fc9uy0cnxl9.cloudfront.net^ +||d33gmheck9s2xl.cloudfront.net^ +||d33otidwg56k90.cloudfront.net^ +||d33vskbmxds8k1.cloudfront.net^ +||d347nuc6bd1dvs.cloudfront.net^ +||d34cixo0lr52lw.cloudfront.net^ +||d34gjfm75zhp78.cloudfront.net^ +||d34opff713c3gh.cloudfront.net^ +||d34qb8suadcc4g.cloudfront.net^ +||d34rdvn2ky3gnm.cloudfront.net^ +||d34zwq0l4x27a6.cloudfront.net^ +||d3584kspbipfh3.cloudfront.net/cm/ +||d359rg6zejsvwi.cloudfront.net^ +||d359wjs9dpy12d.cloudfront.net^ +||d35fnytsc51gnr.cloudfront.net^ +||d35kbxc0t24sp8.cloudfront.net^ +||d35ve945gykp9v.cloudfront.net^ +||d362plazjjo29c.cloudfront.net^ +||d36gnquzy6rtyp.cloudfront.net^ +||d36s9tmu0jh8rd.cloudfront.net^ +||d36un5ytqxjgkq.cloudfront.net^ +||d36zfztxfflmqo.cloudfront.net^ +||d370hf5nfmhbjy.cloudfront.net^ +||d379fkejtn2clk.cloudfront.net^ +||d37abonb6ucrhx.cloudfront.net^ +||d37ax1qs52h69r.cloudfront.net^ +||d37byya7cvg7qr.cloudfront.net^ +||d37pempw0ijqri.cloudfront.net^ +||d37sevptuztre3.cloudfront.net^ +||d37tb4r0t9g99j.cloudfront.net^ +||d38190um0l9h9v.cloudfront.net^ +||d38b9p5p6tfonb.cloudfront.net^ +||d38goz54x5g9rw.cloudfront.net^ +||d38itq6vdv6gr9.cloudfront.net^ +||d38psrni17bvxu.cloudfront.net^ +||d38rrxgee6j9l3.cloudfront.net^ +||d396osuty6rfec.cloudfront.net^ +||d399jvos5it4fl.cloudfront.net^ +||d39hdzmeufnl50.cloudfront.net^ +||d39xdhxlbi0rlm.cloudfront.net^ +||d39xxywi4dmut5.cloudfront.net^ +||d3a49eam5ump99.cloudfront.net^ +||d3a781y1fb2dm6.cloudfront.net^ +||d3aajkp07o1e4y.cloudfront.net^ +||d3ahinqqx1dy5v.cloudfront.net^ +||d3akmxskpi6zai.cloudfront.net^ +||d3asksgk2foh5m.cloudfront.net^ +||d3b2hhehkqd158.cloudfront.net^ +||d3b4u8mwtkp9dd.cloudfront.net^ +||d3bbyfw7v2aifi.cloudfront.net^ +||d3beefy8kd1pr7.cloudfront.net^ +||d3bfricg2zhkdf.cloudfront.net^ +||d3c3uihon9kmp.cloudfront.net^ +||d3c8j8snkzfr1n.cloudfront.net^ +||d3cesrg5igdcgt.cloudfront.net^ +||d3cl0ipbob7kki.cloudfront.net^ +||d3cod80thn7qnd.cloudfront.net^ +||d3cpib6kv2rja7.cloudfront.net^ +||d3cynajatn2qbc.cloudfront.net^ +||d3d0wndor0l4xe.cloudfront.net^ +||d3d54j7si4woql.cloudfront.net^ +||d3d9gb3ic8fsgg.cloudfront.net^ +||d3d9pt4go32tk8.cloudfront.net^ +||d3dq1nh1l1pzqy.cloudfront.net^ +||d3ec0pbimicc4r.cloudfront.net^ +||d3efeah7vk80fy.cloudfront.net^ +||d3ej838ds58re9.cloudfront.net^ +||d3ejxyz09ctey7.cloudfront.net^ +||d3eksfxlf7bv9h.cloudfront.net^ +||d3ep3jwb1mgn3k.cloudfront.net^ +||d3eub2e21dc6h0.cloudfront.net^ +||d3evio1yid77jr.cloudfront.net^ +||d3eyi07eikbx0y.cloudfront.net^ +||d3f1m03rbb66gy.cloudfront.net^ +||d3f1wcxz2rdrik.cloudfront.net^ +||d3f4nuq5dskrej.cloudfront.net^ +||d3f57yjqilgssy.cloudfront.net^ +||d3ff60r8himt67.cloudfront.net^ +||d3flai6f7brtcx.cloudfront.net^ +||d3frqqoat98cng.cloudfront.net^ +||d3g4s1p0bmuj5f.cloudfront.net^ +||d3g5ovfngjw9bw.cloudfront.net^ +||d3h2eyuxrf2jr9.cloudfront.net^ +||d3hfiiy55cbi5t.cloudfront.net^ +||d3hib26r77jdus.cloudfront.net^ +||d3hitamb7drqut.cloudfront.net^ +||d3hj4iyx6t1waz.cloudfront.net^ +||d3hs51abvkuanv.cloudfront.net^ +||d3hv9xfqzxy46o.cloudfront.net^ +||d3hyjqptbt9dpx.cloudfront.net^ +||d3hyoy1d16gfg0.cloudfront.net^ +||d3i28n8laz9lyd.cloudfront.net^ +||d3ikgzh4osba2b.cloudfront.net^ +||d3imksvhtbujlm.cloudfront.net^ +||d3ithbwcmjcxl7.cloudfront.net^ +||d3j3yrurxcqogk.cloudfront.net^ +||d3j7esvm4tntxq.cloudfront.net^ +||d3j9574la231rm.cloudfront.net^ +||d3jdulus8lb392.cloudfront.net^ +||d3jdzopz39efs7.cloudfront.net^ +||d3jzhqnvnvdy34.cloudfront.net^ +||d3k2wzdv9kuerp.cloudfront.net^ +||d3kblkhdtjv0tf.cloudfront.net^ +||d3kd7yqlh5wy6d.cloudfront.net^ +||d3klfyy4pvmpzb.cloudfront.net^ +||d3kpkrgd3aj4o7.cloudfront.net^ +||d3l320urli0p1u.cloudfront.net^ +||d3lcz8vpax4lo2.cloudfront.net^ +||d3lk5upv0ixky2.cloudfront.net^ +||d3lliyjbt3afgo.cloudfront.net^ +||d3ln1qrnwms3rd.cloudfront.net^ +||d3lvr7yuk4uaui.cloudfront.net^ +||d3lw2k94jnkvbs.cloudfront.net^ +||d3m4hp4bp4w996.cloudfront.net^ +||d3m8nzcefuqu7h.cloudfront.net^ +||d3m9ng807i447x.cloudfront.net^ +||d3mmnnn9s2dcmq.cloudfront.net/shim/embed.js +||d3mqyj199tigh.cloudfront.net^ +||d3mr7y154d2qg5.cloudfront.net^ +||d3mshiiq22wqhz.cloudfront.net^ +||d3mzokty951c5w.cloudfront.net^ +||d3n3a4vl82t80h.cloudfront.net^ +||d3n4krap0yfivk.cloudfront.net^ +||d3n7ct9nohphbs.cloudfront.net^ +||d3n9c6iuvomkjk.cloudfront.net^ +||d3nel6rcmq5lzw.cloudfront.net^ +||d3ngt858zasqwf.cloudfront.net^ +||d3numuoibysgi8.cloudfront.net^ +||d3nvrqlo8rj1kw.cloudfront.net^ +||d3nz96k4xfpkvu.cloudfront.net^ +||d3o9njeb29ydop.cloudfront.net^ +||d3ohee25hhsn8j.cloudfront.net^ +||d3op2vgjk53ps1.cloudfront.net^ +||d3otiqb4j0158.cloudfront.net^ +||d3ou4areduq72f.cloudfront.net^ +||d3oy68whu51rnt.cloudfront.net^ +||d3p8w7to4066sy.cloudfront.net^ +||d3pe8wzpurrzss.cloudfront.net^ +||d3phzb7fk3uhin.cloudfront.net^ +||d3pvcolmug0tz6.cloudfront.net^ +||d3q33rbmdkxzj.cloudfront.net^ +||d3q762vmkbqrah.cloudfront.net^ +||d3qeaw5w9eu3lm.cloudfront.net^ +||d3qgd3yzs41yp.cloudfront.net^ +||d3qilfrpqzfrg4.cloudfront.net^ +||d3qinhqny4thfo.cloudfront.net^ +||d3qttli028txpv.cloudfront.net^ +||d3qu0b872n4q3x.cloudfront.net^ +||d3qxd84135kurx.cloudfront.net^ +||d3qygewatvuv28.cloudfront.net^ +||d3rb9wasp2y8gw.cloudfront.net^ +||d3rjndf2qggsna.cloudfront.net^ +||d3rkkddryl936d.cloudfront.net^ +||d3rlh0lneatqqc.cloudfront.net^ +||d3rr3d0n31t48m.cloudfront.net^ +||d3rxqouo2bn71j.cloudfront.net^ +||d3s40ry602uhj1.cloudfront.net^ +||d3sdg6egu48sqx.cloudfront.net^ +||d3skqyr7uryv9z.cloudfront.net^ +||d3sof4x9nlmbgy.cloudfront.net^ +||d3t16rotvvsanj.cloudfront.net^ +||d3t3bxixsojwre.cloudfront.net^ +||d3t3lxfqz2g5hs.cloudfront.net^ +||d3t3z4teexdk2r.cloudfront.net^ +||d3t5ngjixpjdho.cloudfront.net^ +||d3t87ooo0697p8.cloudfront.net^ +||d3tfeohk35h2ye.cloudfront.net^ +||d3tfz9q9zlwk84.cloudfront.net^ +||d3tjml0i5ek35w.cloudfront.net^ +||d3tnmn8yxiwfkj.cloudfront.net^ +||d3tozt7si7bmf7.cloudfront.net^ +||d3u43fn5cywbyv.cloudfront.net^ +||d3u598arehftfk.cloudfront.net^ +||d3ubdcv1nz4dub.cloudfront.net^ +||d3ud741uvs727m.cloudfront.net^ +||d3ugwbjwrb0qbd.cloudfront.net^ +||d3uqm14ppr8tkw.cloudfront.net^ +||d3uvwdhukmp6v9.cloudfront.net^ +||d3v3bqdndm4erx.cloudfront.net^ +||d3vnm1492fpnm2.cloudfront.net^ +||d3vp85u5z4wlqf.cloudfront.net^ +||d3vpf6i51y286p.cloudfront.net^ +||d3vsc1wu2k3z85.cloudfront.net^ +||d3vw4uehoh23hx.cloudfront.net^ +||d3x0jb14w6nqz.cloudfront.net^ +||d3zd5ejbi4l9w.cloudfront.net^ +||d415l8qlhk6u6.cloudfront.net^ +||d4bt5tknhzghh.cloudfront.net^ +||d4eqyxjqusvjj.cloudfront.net^ +||d4ngwggzm3w7j.cloudfront.net^ +||d5d3sg85gu7o6.cloudfront.net^ +||d5onopbfw009h.cloudfront.net^ +||d5wxfe8ietrpg.cloudfront.net^ +||d63a3au5lqmtu.cloudfront.net^ +||d6cto2pyf2ks.cloudfront.net^ +||d6deij4k3ikap.cloudfront.net^ +||d6l5p6w9iib9r.cloudfront.net^ +||d6sav80kktzcx.cloudfront.net^ +||d6wzv57amlrv3.cloudfront.net^ +||d7016uqa4s0lw.cloudfront.net^ +||d7dza8s7j2am6.cloudfront.net^ +||d7gse3go4026a.cloudfront.net^ +||d7jpk19dne0nn.cloudfront.net^ +||d7oskmhnq7sot.cloudfront.net^ +||d7po8h5dek3wm.cloudfront.net^ +||d7tst6bnt99p2.cloudfront.net^ +||d85wutc1n854v.cloudfront.net^$domain=~wrapbootstrap.com +||d8a69dni6x2i5.cloudfront.net^ +||d8bsqfpnw46ux.cloudfront.net^ +||d8cxnvx3e75nn.cloudfront.net^ +||d8dcj5iif1uz.cloudfront.net^ +||d8dkar87wogoy.cloudfront.net^ +||d8xy39jrbjbcq.cloudfront.net^ +||d91i6bsb0ef59.cloudfront.net^ +||d9b5gfwt6p05u.cloudfront.net^ +||d9c5dterekrjd.cloudfront.net^ +||d9leupuz17y6i.cloudfront.net^ +||d9qjkk0othy76.cloudfront.net^ +||d9yk47of1efyy.cloudfront.net^ +||da26k71rxh0kb.cloudfront.net^ +||da327va27j0hh.cloudfront.net^ +||da3uf5ucdz00u.cloudfront.net^ +||da5h676k6d22w.cloudfront.net^ +||dagd0kz7sipfl.cloudfront.net^ +||dal9hkyfi0m0n.cloudfront.net^ +||day13vh1xl0gh.cloudfront.net^ +||dazu57wmpm14b.cloudfront.net^ +||db033pq6bj64g.cloudfront.net^ +||db4zl9wffwnmb.cloudfront.net^ +||dba9ytko5p72r.cloudfront.net^ +||dbcdqp72lzmvj.cloudfront.net^ +||dbfv8ylr8ykfg.cloudfront.net^ +||dbrpevozgux5y.cloudfront.net^ +||dbujksp6lhljo.cloudfront.net^ +||dbw7j2q14is6l.cloudfront.net^ +||dby7kx9z9yzse.cloudfront.net^ +||dc08i221b0n8a.cloudfront.net^ +||dc5k8fg5ioc8s.cloudfront.net^ +||dcai7bdiz5toz.cloudfront.net^ +||dcbbwymp1bhlf.cloudfront.net^ +||dczhbhtz52fpi.cloudfront.net^ +||ddlh1467paih3.cloudfront.net^ +||ddmuiijrdvv0s.cloudfront.net^ +||ddrvjrfwnij7n.cloudfront.net^ +||ddvbjehruuj5y.cloudfront.net^ +||ddvfoj5yrl2oi.cloudfront.net^ +||ddzswov1e84sp.cloudfront.net^ +||de2nsnw1i3egd.cloudfront.net^ +||deisd5o6v8rgq.cloudfront.net^ +||desgao1zt7irn.cloudfront.net^ +||dew9ckzjyt2gn.cloudfront.net^ +||df80k0z3fi8zg.cloudfront.net^ +||dfh48z16zqvm6.cloudfront.net^ +||dfidhqoaunepq.cloudfront.net^ +||dfiqvf0syzl54.cloudfront.net^ +||dfqcp2awt0947.cloudfront.net^ +||dfwbfr2blhmr5.cloudfront.net^ +||dg0hrtzcus4q4.cloudfront.net^ +||dg6gu9iqplusg.cloudfront.net^ +||dg7k1tpeaxzcq.cloudfront.net^ +||dg9sw33hxt5i7.cloudfront.net^ +||dgw7ae5vrovs7.cloudfront.net^ +||dgyrizngtcfck.cloudfront.net^ +||dh6dm31izb875.cloudfront.net^ +||dhcmni6m2kkyw.cloudfront.net^ +||dhrhzii89gpwo.cloudfront.net^ +||di028lywwye7s.cloudfront.net^ +||dihutyaiafuhr.cloudfront.net^ +||dilvyi2h98h1q.cloudfront.net^ +||dita6jhhqwoiz.cloudfront.net^ +||divekcl7q9fxi.cloudfront.net^ +||diz4z73aymwyp.cloudfront.net^ +||djm080u34wfc5.cloudfront.net^ +||djnaivalj34ub.cloudfront.net^ +||djr4k68f8n55o.cloudfront.net^ +||djv99sxoqpv11.cloudfront.net^ +||djvby0s5wa7p7.cloudfront.net^ +||djz9es32qen64.cloudfront.net^ +||dk4w74mt6naf3.cloudfront.net^ +||dk57sacpbi4by.cloudfront.net^ +||dkgp834o9n8xl.cloudfront.net^ +||dkm6b5q0h53z4.cloudfront.net^ +||dkre4lyk6a9bt.cloudfront.net^ +||dktr03lf4tq7h.cloudfront.net^ +||dkvtbjavjme96.cloudfront.net^ +||dkyp75kj7ldlr.cloudfront.net^ +||dl37p9e5e1vn0.cloudfront.net^ +||dl5ft52dtazxd.cloudfront.net^ +||dlem1deojpcg7.cloudfront.net^ +||dlh8c15zw7vfn.cloudfront.net^ +||dlmr7hpb2buud.cloudfront.net^ +||dlne6myudrxi1.cloudfront.net^ +||dlooqrhebkjoh.cloudfront.net^ +||dlrioxg1637dk.cloudfront.net^ +||dltqxz76sim1s.cloudfront.net^ +||dltvkwr7nbdlj.cloudfront.net^ +||dlvds9i67c60j.cloudfront.net^ +||dlxk2dj1h3e83.cloudfront.net^ +||dm0acvguygm9h.cloudfront.net^ +||dm0ly9ibqkdxn.cloudfront.net^ +||dm0t14ck8pg86.cloudfront.net^ +||dm62uysn32ppt.cloudfront.net^ +||dm7gsepi27zsx.cloudfront.net^ +||dm7ii62qkhy9z.cloudfront.net^ +||dmeq7blex6x1u.cloudfront.net^ +||dmg0877nfcvqj.cloudfront.net^ +||dmkdtkad2jyb9.cloudfront.net^ +||dmmzkfd82wayn.cloudfront.net^ +||dmz3nd5oywtsw.cloudfront.net^ +||dn3uy6cx65ujf.cloudfront.net^ +||dn6rwwtxa647p.cloudfront.net^ +||dn7u3i0t165w2.cloudfront.net^ +||dn9uzzhcwc0ya.cloudfront.net^ +||dne6rbzy5csnc.cloudfront.net^ +||dnf06i4y06g13.cloudfront.net^ +||dnhfi5nn2dt67.cloudfront.net^ +||dnks065sb0ww6.cloudfront.net^ +||dnre5xkn2r25r.cloudfront.net^ +||do6256x8ae75.cloudfront.net^ +||do69ll745l27z.cloudfront.net^ +||doc830ytc7pyp.cloudfront.net^ +||dodk8rb03jif9.cloudfront.net^ +||dof9zd9l290mz.cloudfront.net^ +||dog89nqcp3al4.cloudfront.net^ +||doinntz6jwzoh.cloudfront.net^ +||dojx47ab4dyxi.cloudfront.net^ +||doo9gpa5xdov2.cloudfront.net^ +||dp45nhyltt487.cloudfront.net^ +||dp94m8xzwqsjk.cloudfront.net^ +||dpd9yiocsyy6p.cloudfront.net^ +||dpirwgljl6cjp.cloudfront.net^ +||dpjlvaveq1byu.cloudfront.net^ +||dpsq2uzakdgqz.cloudfront.net^ +||dpuz3hexyabm1.cloudfront.net^ +||dq3yxnlzwhcys.cloudfront.net^ +||dqv45r33u0ltv.cloudfront.net^ +||dr3k6qonw2kee.cloudfront.net^ +||dr6su5ow3i7eo.cloudfront.net^ +||dr8pk6ovub897.cloudfront.net^ +||drbccw04ifva6.cloudfront.net^ +||drda5yf9kgz5p.cloudfront.net^ +||drf8e429z5jzt.cloudfront.net^ +||drulilqe8wg66.cloudfront.net^ +||ds02gfqy6io6i.cloudfront.net^ +||ds88pc0kw6cvc.cloudfront.net^ +||dsb6jelx4yhln.cloudfront.net^ +||dscex7u1h4a9a.cloudfront.net^ +||dsghhbqey6ytg.cloudfront.net^ +||dsh7ky7308k4b.cloudfront.net^ +||dsnymrk0k4p3v.cloudfront.net^ +||dsuyzexj3sqn9.cloudfront.net^ +||dt3y1f1i1disy.cloudfront.net^ +||dtakdb1z5gq7e.cloudfront.net^ +||dtmm9h2satghl.cloudfront.net^ +||dtq9oy2ckjhxu.cloudfront.net^ +||dtu2kitmpserg.cloudfront.net^ +||dtv5loup63fac.cloudfront.net^ +||dtv5ske218f44.cloudfront.net^ +||dtyry4ejybx0.cloudfront.net^ +||du01z5hhojprz.cloudfront.net^ +||du0pud0sdlmzf.cloudfront.net^ +||du2uh7rq0r0d3.cloudfront.net^ +||due5a6x777z0x.cloudfront.net^ +||dufai4b1ap33z.cloudfront.net^ +||dupcczkfziyd3.cloudfront.net^ +||duqamtr9ifv5t.cloudfront.net^ +||duz64ud8y8urc.cloudfront.net^ +||dv663fc06d35i.cloudfront.net^ +||dv7t7qyvgyrt5.cloudfront.net^ +||dvc8653ec6uyk.cloudfront.net^ +||dvh66m0o7et0z.cloudfront.net^ +||dvl8xapgpqgc1.cloudfront.net^ +||dvmdwmnyj3u4h.cloudfront.net^ +||dw55pg05c2rl5.cloudfront.net^ +||dw7vmlojkx16k.cloudfront.net^ +||dw85st0ijc8if.cloudfront.net^ +||dw9uc6c6b8nwx.cloudfront.net^ +||dwd11wtouhmea.cloudfront.net^ +||dwebwj8qthne8.cloudfront.net^ +||dwene4pgj0r33.cloudfront.net^ +||dwnm2295blvjq.cloudfront.net^ +||dwr3zytn850g.cloudfront.net^ +||dxgo95ahe73e8.cloudfront.net^ +||dxh2ivs16758.cloudfront.net^ +||dxj6cq8hj162l.cloudfront.net^ +||dxk5g04fo96r4.cloudfront.net^ +||dxkkb5tytkivf.cloudfront.net^ +||dxprljqoay4rt.cloudfront.net^ +||dxz454z33ibrc.cloudfront.net^ +||dy5t1b0a29j1v.cloudfront.net^ +||dybxezbel1g44.cloudfront.net^ +||dyh1wzegu1j6z.cloudfront.net^ +||dyj8pbcnat4xv.cloudfront.net^ +||dykwdhfiuha6l.cloudfront.net^ +||dyodrs1kxvg6o.cloudfront.net^ +||dyrfxuvraq0fk.cloudfront.net^ +||dyv1bugovvq1g.cloudfront.net^ +||dz6uw9vrm7nx6.cloudfront.net^ +||dzbkl37t8az8q.cloudfront.net^ +||dzdgfp673c1p0.cloudfront.net^ +||dzr4v2ld8fze2.cloudfront.net^ +||dzu5p9pd5q24b.cloudfront.net^ +||dzupi9b81okew.cloudfront.net^ +||dzv1ekshu2vbs.cloudfront.net^ +||dzxr711a4yw31.cloudfront.net^ +! Google Hosted scripts +||googleapis.com/qmftp/$script +! Anti-Adblock +||anti-adblock.herokuapp.com^ +! *** easylist:easylist/easylist_thirdparty_popup.txt *** +||123-stream.org^$popup +||1wnurc.com^$popup +||6angebot.ch^$popup,third-party +||a1087.b.akamai.net^$popup +||ad.22betpartners.com^$popup +||adblockeromega.com^$popup +||adblockultra.com^$popup +||adcleanerpage.com^$popup +||addefenderplus.info^$popup +||adfreevision.com^$popup +||adobe.com/td_redirect.html$popup +||ads.planetwin365affiliate.com^$popup,third-party +||affiliates.fantasticbet.com^$popup +||amazing-dating.com^$popup +||americascardroom.eu/ads/$popup,third-party +||anymoviesearch.com^$popup +||avatrade.io/ads/$popup +||avengeradblocker.com^$popup +||awin1.com/cread.php?s=$popup +||babesroulette.com^$popup +||banners.livepartners.com^$popup +||best-global-apps.com^$popup +||bestanimegame.com^$popup +||bestsurferprotector.com^$popup,third-party +||bet365.com^*affiliate=$popup +||bets.to^$popup +||bettingpremier.com/direct/$popup +||betzone2000.com^$popup +||blockadstop.info^$popup +||boom-bb.com^$popup +||brazzers.com/click/$popup +||broker-qx.pro^$popup +||canyoublockit.com^$popup,third-party +||cdn.optmd.com^$popup +||chaturbate.com/affiliates/$popup +||chinesean.com/affiliate/$popup +||cityscapestab.com^$popup +||cococococ.com^$popup +||consali.com^$popup +||cute-cursor.com^$popup +||cyberprivacy.pro^$popup +||dafabet.odds.am^$popup +||daily-guard.net^$popup +||datacluster.club^$popup +||dianomi.com^$popup +||downloadoperagx.com/ef/$popup +||e11956.x.akamaiedge.net^$popup +||eatcells.com/land/$popup +||eclipse-adblocker.pro^$popup +||esports1x.com^$popup +||evanetwork.com^$popup +||exnesstrack.net^$popup +||fastclick.net^$popup +||fewrandomfacts.com^$popup +||firstload.com^$popup +||firstload.de^$popup +||fleshlight.com/?link=$popup +||flirt.com/aff.php?$popup +||freeadblockerbrowser.com^$popup +||freegamezone.net^$popup +||fwmrm.net^$popup +||get-express-vpn.online^$popup +||get-express-vpns.com^$popup +||getflowads.net^$popup +||ggbet-online.net^$popup +||ggbetapk.com^$popup,third-party +||ggbetery.net^$popup +||ggbetpromo.com^$popup +||giftandgamecentral.com^$popup +||global-adblocker.com^$popup +||go.aff.estrelabetpartners.com^$popup +||go.camterest.com^$popup +||go.thunder.partners^$popup +||goodoffer24.com/go/$popup +||google.com/favicon.ico$popup +||greenadblocker.com^$popup +||hotdivines.com^$popup +||how-become-model.com^$popup +||insideoftech.com^$popup,third-party +||iqbroker.com/land/$popup +||iqbroker.com/lp/*?aff=$popup +||iqoption.com/land/$popup +||iyfsearch.com^$popup +||kingadblock.com^$popup +||l.erodatalabs.com^$popup +||laborates.com^$popup +||lbank.com/partner_seo/$popup +||linkbux.com/track?$popup +||lpquizzhubon.com^$popup +||mackeeperaffiliates.com^$popup +||meetonliine.com^$popup +||mmentorapp.com^$popup +||mycryptotraffic.com^$popup +||newtabextension.com^$popup +||ntrfr.leovegas.com^$popup +||nutaku.net/images/lp/$popup +||oceansaver.in/ajax/ad/$popup +||omegadblocker.com^$popup +||ourcoolstories.com^$popup +||pageloadstats.pro^$popup +||paid.outbrain.com^$popup +||partners.livesportnet.com^$popup +||performrecentintenselyinfo-program.info^$popup +||popgoldblocker.info^$popup +||profitsurvey365.live^$popup +||promo.20bet.partners^$popup +||promo.pixelsee.app^$popup +||protected-redirect.click^$popup +||quantumadblocker.com^$popup +||random-affiliate.atimaze.com^$popup +||record.affiliatelounge.com^$popup +||redir.tradedoubler.com/projectr/$popup +||romancezone.one^$popup +||serve.prestigecasino.com^$popup +||serve.williamhillcasino.com^$popup +||skiptheadz.com^$popup +||skipvideoads.com^$popup +||smartblocker.org^$popup +||somebestgamesus.com^$popup +||spanpromo-link.com^$popup +||stake.com/*&clickId=$popup +||teenfinder.com/landing/$popup,third-party +||theeverydaygame.com/lg/$popup,third-party +||theonlineuserprotection.com/download-guard/$popup +||theonlineuserprotector.com/download-guard/$popup +||theyellownewtab.com^$popup +||topgurudeals.com^$popup +||track.afrsportsbetting.com^$popup +||track.kinetiksoft.com^$popup +||track.livesportnet.com^$popup +||tracker.loropartners.com^$popup +||trak.today-trip.com^$popup +||ublockpop.com^$popup +||ultimate-ad-eraser.com^$popup +||unibet.co.uk/*affiliate$popup +||verdecasino-offers.com^$popup +||vid-adblocker.com^$popup +||vulkan-bt.com^$popup +||vulkanbet.me^$popup +||werbestandard.de/out2/$popup +||whataboutnews.com^$popup +||windadblocker.com^$popup +||xn--2zyr5r.biz^$popup +||xxxhd.cc/ads/$popup +||yield.app^*utm_source=$popup +! *** easylist:easylist_adult/adult_thirdparty.txt *** +||18onlygirls.tv/wp-content/banners/ +||365.freeonlinegayporn.com^ +||3xtraffic.com/ads/ +||3xtraffic.com/common/000/cads/ +||4fcams.com/in/?track=$subdocument,third-party +||4tube.com/iframe/$third-party +||69games.xxx/ajax/skr? +||879.thebussybandit.com^ +||a.aylix.xyz^ +||a.cemir.site^ +||a.debub.site^ +||a.fimoa.xyz^ +||a.gemen.site^ +||a.groox.xyz^ +||a.herto.xyz^ +||a.hymin.xyz^ +||a.jamni.xyz^ +||a.xvidxxx.com^ +||a1tb.com/300x250$subdocument +||adult.xyz^$script,third-party +||adultfriendfinder.com/go/$third-party +||adultfriendfinder.com/piclist? +||adultfriendfinder.com^*/affiliate/$third-party +||aff-jp.dxlive.com^ +||affiliate.dtiserv.com^ +||affiliates.cupidplc.com^ +||affiliates.thrixxx.com^ +||allanalpass.com/visitScript/ +||amarotic.com/Banner/$third-party +||amateur.tv/cacheableAjax/$subdocument +||amateur.tv/freecam/$third-party +||amateurporn.net^$third-party +||anacams.com/cdn/top. +||apps.dfgtfv.com^ +||asg.aphex.me^ +||asg.bhabhiporn.pro^ +||asg.irontube.net^ +||asg.prettytube.net^ +||asianbutterflies.com/potd/ +||asktiava.com/promotion/ +||atlasfiles.com^*/sp3_ep.js$third-party +||avatraffic.com/b/ +||awestat.com^*/banner/ +||b.xlineker.com^ +||babes-mansion.s3.amazonaws.com^ +||bangdom.com^$third-party +||banner.themediaplanets.com^ +||banners.adultfriendfinder.com^ +||banners.alt.com^ +||banners.amigos.com^ +||banners.fastcupid.com^ +||banners.fuckbookhookups.com^ +||banners.nostringsattached.com^ +||banners.outpersonals.com^ +||banners.passion.com^ +||banners.payserve.com^ +||banners.videosecrets.com^ +||bannershotlink.perfectgonzo.com^ +||bans.bride.ru^ +||bit.ly^$domain=boyfriendtv.com +||blacksonblondes.com/banners/ +||bongacams.com/promo.php +||bongacash.com/tools/promo.php +||br.fling.com^ +||brazzers.com/ads/ +||broim.xyz^ +||bullz-eye.com/blog_ads/ +||bullz-eye.com/images/ads/ +||bup.seksohub.com^ +||bursa.conxxx.pro^ +||byxxxporn.com/300x250.html +||c3s.bionestraff.pro^ +||cam-content.com/banner/$third-party +||cams.com/go/$third-party +||cams.enjoy.be^ +||camsaim.com/in/ +||camsoda.com/promos/ +||cash.femjoy.com^ +||cdn.007moms.com^ +||cdn.sphinxtube.com^ +||cdn.throatbulge.com^ +||cdn.turboviplay.com/ads.js +||cdn3.hentaihand.com^ +||cdn5.hentaihaven.fun^ +||chaturbate.com/affiliates/ +||chaturbate.com/creative/ +||chaturbate.com/in/ +||cldup.com^$domain=androidadult.com +||cmix.org/teasers/ +||creamgoodies.com/potd/ +||creative.141live.com^ +||creative.camonade.com^ +||creative.camsplanetlive.com^ +||creative.favy.cam^ +||creative.imagetwistcams.com^$subdocument +||creative.javhdporn.live^ +||creative.kbnmnl.com^ +||creative.live.javdock.com^ +||creative.myasian.live/widgets/ +||creative.myavlive.com^ +||creative.ohmycams.com^ +||creative.strip.chat^ +||creative.stripchat.com^ +||creative.stripchat.global^ +||creative.strpjmp.com^ +||creative.tklivechat.com^ +||creative.usasexcams.com^ +||crumpet.xxxpornhd.pro^ +||cuckoldland.com/CuckoldLand728-X-90-2.gif +||dagobert33.xyz^ +||ddfcash.com^$third-party +||deliver.ptgncdn.com^ +||dq06u9lt5akr2.cloudfront.net^ +||e.mp4.center^ +||elitepaysites.com/ae-banners/ +||ero-labs.com/adIframe/ +||eroan.xyz/wp-comment/?form=$subdocument +||erokuni.xyz/wp-comment/?form=$subdocument +||f5w.prettytube.net^ +||fansign.streamray.com^ +||faphouse.com/widget/ +||faphouse.com^$subdocument,third-party +||faptrex.com/fire/popup.js +||fbooksluts.com^$third-party +||feeds.videosz.com^ +||fleshlight.com/images/banners/ +||fpcplugs.com/do.cgi?widget= +||free.srcdn.xyz^ +||freesexcam365.com/in/ +||funniestpins.com/istripper-black-small.jpg$third-party +||games-direct.skynetworkcdn.com^$subdocument,third-party +||gammae.com/famedollars/$third-party +||geobanner.adultfriendfinder.com^ +||geobanner.alt.com^ +||geobanner.blacksexmatch.com^$third-party +||geobanner.fuckbookhookups.com^$third-party +||geobanner.hornywife.com^ +||geobanner.sexfinder.com^$third-party +||gettubetv.com^$third-party +||gfrevenge.com/vbanners/ +||girlsfuck-tube.com/js/aobj.js +||go.clicknplay.to^ +||go.telorku.xyz/hls/iklan.js +||go2cdn.org/brand/$third-party +||gpt.tubetruck.com^ +||hardbritlads.com/banner/ +||hardcoreluv.com/hmt.gif +||hcjs.nv7s.com/dewijzyo/ +||hdpornphotos.com/images/728x180_ +||hdpornphotos.com/images/banner_ +||hentaibaka.one^$script,third-party +||hentaiboner.com/wp-content/uploads/2022/07/hentai-boner-gif.gif +||hentaikey.com/images/banners/ +||hentaiworldtv.b-cdn.net/wp-content/uploads/2023/11/ark1.avif +||hime-books.xyz/wp-comment/?form=$subdocument +||hodun.ru/files/promo/ +||homoactive.tv/banner/ +||hostave3.net/hvw/banners/ +||hosted.x-art.com/potd$third-party +||hostedmovieupdates.aebn.net^$domain=datingpornstar.com +||hosting24.com/images/banners/$third-party +||hotcaracum.com/banner/ +||hotkinkyjo.xxx/resseler/banners/ +||hotmovies.com/custom_videos.php? +||iframe.adultfriendfinder.com^$third-party +||ifriends.net^$subdocument,third-party +||ihookup.com/configcreatives/ +||images.elenasmodels.com/Upload/$third-party +||imctransfer.com^*/promo/ +||istripper.com^$third-party,domain=~istripper.eu +||javhd.com/sb/javhd-970x170.jpg +||jeewoo.xctd.me^ +||kau.li/yad.js +||kenny-glenn.net^*/longbanner_$third-party +||lacyx.com/images/banners/ +||ladyboygoo.com/lbg/banners/ +||lb-69.com/pics/ +||lifeselector.com/iframetool/$third-party +||livejasmin.com^$third-party,domain=~awempire.com +||livesexasian.com^$subdocument,third-party +||loveme.com^$third-party +||lovense.com/UploadFiles/Temp/$third-party +||makumva.all-usanomination.com^ +||media.eurolive.com^$third-party +||media.mykodial.com^$third-party +||mediacandy.ai^$third-party +||metartmoney.com^$third-party +||mrskin.com/affiliateframe/ +||mrvids.com/network/ +||my-dirty-hobby.com/?sub=$third-party +||mycams.com/freechat.php? +||mykocam.com/js/feeds.js +||mysexjourney.com/revenue/ +||n.clips4sale.com^$third-party +||n2.clips4sale.com^$third-party +||naked.com/promos/ +||nakedswordcashcontent.com/videobanners/ +||naughtycdn.com/public/iframes/ +||netlify.app/tags/ninja_$subdocument +||nnteens.com/ad$subdocument +||nubiles.net/webmasters/promo/ +||nude.hu/html/$third-party +||openadultdirectory.com/banner- +||otcash.com/images/ +||paperstreetcash.com/banners/$third-party +||partner.loveplanet.ru^ +||parts.akibablog.net^$subdocument +||partwithner.com/partners/ +||pcash.imlive.com^ +||pimpandhost.com/site/trending-banners +||pinkvisualgames.com/?revid= +||pirogad.tophosting101.com^ +||placeholder.com/300x250? +||placeholder.com/728x90? +||placeholder.com/900x250? +||pod.xpress.com^ +||pokazuwka.com/popu/ +||popteen.pro/300x250.php +||porndeals.com^$subdocument,third-party +||porngamespass.com/iframes/ +||prettyincash.com/premade/ +||prettytube.net^$third-party +||privatamateure.com/promotion/ +||private.com/banner/ +||promo.blackdatehookup.com^ +||promo.cams.com^ +||promos.camsoda.com^ +||promos.gpniches.com^ +||promos.meetlocals.com^ +||ptcdn.mbicash.nl^ +||pub.nakedreel.com^ +||pussycash.com/content/banners/ +||pussysaga.com/gb/ +||q.broes.xyz^ +||q.ikre.xyz^ +||q.leru.xyz^ +||q.tubetruck.com^ +||r18.com/track/ +||rabbitporno.com/friends/ +||rabbitporno.com/iframes/ +||realitykings.com/vbanners/ +||redhotpie.com.au^$domain=couplesinternational.com +||rhinoslist.com/sideb/get_laid-300.gif +||rss.dtiserv.com^ +||run4app.com^ +||ruscams.com/promo/ +||s.bussyhunter.com^ +||s3t3d2y8.afcdn.net^ +||saboom.com.pccdn.com^*/banner/ +||sakuralive.com/dynamicbanner/ +||scoreland.com/banner/ +||sexei.net^$subdocument,xmlhttprequest +||sexgangsters.com/sg-banners/ +||sexhay69.top/ads/ +||sexmature.fun/myvids/ +||sextubepromo.com/ubr/ +||sexy.fling.com^$third-party +||sexycams.com/exports/$third-party +||share-image.com/borky/ +||shemalenova.com/smn/banners/ +||sieglinde22.xyz^ +||simonscans.com/banner/ +||skeeping.com/live/$subdocument,third-party +||skyprivate.com^*/external/$third-party +||sleepgalleries.com/recips/$third-party +||smartmovies.net/promo_$third-party +||smpop.icfcdn.com^$third-party +||smyw.org/popunder.min.js +||smyw.org/smyw_anima_1.gif +||snrcash.com/profilerotator/$third-party +||st.ipornia.com^$third-party +||static.twincdn.com/special/license.packed +||static.twincdn.com/special/script.packed +||steeelm.online^$third-party +||streamen.com/exports/$third-party +||stripchat.com/api/external/ +||stripchat.com^*/widget/$third-party +||swurve.com/affiliates/ +||t.c-c.one/b/ +||t.c-c.one/z/ +||target.vivid.com^$third-party +||tbib.org/gaming/ +||teamskeetimages.com/st/banners/$third-party +||teenspirithentai.com^$third-party +||theporndude.com/graphics/tpd-$third-party +||thescript.javfinder.xyz^ +||tlavideo.com/affiliates/$third-party +||tm-banners.gamingadult.com^ +||tm-offers.gamingadult.com^ +||tongabonga.com/nudegirls +||tool.acces-vod.com^ +||tools.bongacams.com^$third-party +||track.xtrasize.nl^$third-party +||undress.app/ad_banners/ +||unpin.hothomefuck.com^ +||uploadgig.com/static_/$third-party +||upsellit.com/custom/$third-party +||uselessjunk.com^$domain=yoloselfie.com +||vfreecams.com^$third-party +||vidz.com/promo_banner/$third-party +||vigrax.pl/banner/ +||virtualhottie2.com/cash/tools/banners/ +||visit-x.net/promo/$third-party +||vodconcepts.com^*/banners/ +||vs4.com/req.php?z= +||vtbe.to/vtu_$script +||vy1.click/wp-comment/?form=$subdocument +||webcams.com/js/im_popup.php? +||webcams.com/misc/iframes_new/ +||widget.faphouse.com^$third-party +||widgets.comcontent.net^ +||widgets.guppy.live^$third-party +||wiztube.xyz/banner/ +||wp-script.com/img/banners/ +||www.xz8.ru^ +||xlgirls.com/banner/$third-party +||xnxx.army/click/ +||xtrasize.pl/banner/ +||xvirelcdn.click^ +||xxx.sdtraff.com^ +||y.sphinxtube.com^ +||you75.youpornsexvideos.com^ +! *** easylist:easylist_adult/adult_thirdparty_popup.txt *** +||ad.pornimg.xyz^$popup +||adultfriendfinder.com/banners/$popup,third-party +||adultfriendfinder.com/go/$popup,third-party +||benaughty.com^$popup +||bongacams8.com/track?$popup +||brazzerssurvey.com^$popup +||cam4.com/?$popup +||cam4.com^*&utm_source=$popup +||camonster.com/landing/$popup,third-party +||clicks.istripper.com/ref.php?$popup,third-party +||crmt.livejasmin.com^$popup +||crpdt.livejasmin.com^$popup +||crpop.livejasmin.com^$popup +||crprt.livejasmin.com^$popup +||fantasti.cc/ajax/gw.php?$popup +||fapcandy.com^$popup,third-party +||flirthits.com/landing/$popup +||go.xhamsterlive.com^$popup +||hentaiheroes.com/landing/$popup,third-party +||icgirls.com^$popup +||imlive.com/wmaster.ashx?$popup,third-party +||info-milfme.com/landing/$popup +||ipornia.com/scj/cgi/out.php?scheme_id=$popup,third-party +||jasmin.com^$popup,third-party +||join.whitegfs.com^$popup +||landing1.brazzersnetwork.com^$popup +||letstryanal.com/track/$popup,third-party +||livecams.com^$popup +||livehotty.com/landing/$popup,third-party +||livejasmin.com^$popup,third-party +||loveaholics.com^$popup +||mrskin.com/?_$popup +||naughtydate.com^$popup +||porngames.adult^*=$popup,third-party +||prelanding3.cuntempire.com/?utm_$popup +||tgp1.brazzersnetwork.com^$popup +||tm-offers.gamingadult.com^$popup +||together2night.com^$popup +||zillastream.com/api/$popup +! ----------------------Specific advert blocking filters-----------------------! +! *** easylist:easylist/easylist_specific_block.txt *** +/assets/bn/movie.jpg$image,domain=vidstream.pro +/pmc-adm-v2/build/setup-ads.js$domain=bgr.com|deadline.com|rollingstone.com +/resolver/api/resolve/v3/config/?$xmlhttprequest,domain=msn.com +asgg.php$domain=ghostbin.me|paste.fo +||0xtracker.com/assets/advertising/ +||123.manga1001.top^ +||123animehub.cc/final +||1337x.*/images/x28.jpg +||1337x.*/images/x2x8.jpg +||1337x.to/js/vpn.js +||2024tv.ru/lib.js +||2merkato.com/images/banners/ +||2oceansvibe.com/?custom=takeover +||4f.to/spns/ +||a.1film.to^ +||abcnews.com/assets/js/adCallOverride.js +||aboutmyarea.co.uk/images/imgstore/ +||absoluteanime.com/!bin/skin3/ads/ +||ad.animehub.ac^ +||ad.doubleclick.net/ddm/clk/$domain=ad.doubleclick.net +||ad.imp.joins.com^ +||ad.khan.co.kr^ +||ad.kimcartoon.si^ +||ad.kissanime.co^ +||ad.kissanime.com.ru^ +||ad.kissanime.org.ru^ +||ad.kissanime.sx^ +||ad.kissasian.com.ru^ +||ad.kissasian.es^ +||ad.kisscartoon.nz^ +||ad.kisscartoon.sh^ +||ad.kisstvshow.ru^ +||ad.l2b.co.za^ +||ad.norfolkbroads.com^ +||ad.ymcdn.org^ +||adblock-tester.com/banners/ +||adrama.to/bbb.php +||ads-api.stuff.co.nz^ +||ads.audio.thisisdax.com^ +||ads.tvmnews.mt^ +||ads.twdcgrid.com^ +||adsbb.depositfiles.com^ +||adsbb.depositfiles.org^ +||adsmg.fanfox.net^ +||adultswim.com/ad/ +||adw.heraldm.com^ +||afloat.ie/images/banners/ +||afr.com/assets/europa. +||aiimgvlog.fun/ad$subdocument +||aimclicks.com/layerad.js +||allkeyshop.com/blog/wp-content/uploads/*sale$image +||allkeyshop.com/blog/wp-content/uploads/allkeyshop_background_ +||allmonitors24.com/ads- +||amazon.com/aan/$subdocument +||amazonaws.com/cdn.mobverify.com +||amazonaws.com/jsstore/$domain=babylonbee.com +||amazonaws.com^$domain=downloadpirate.com|hexupload.net|krunkercentral.com|rexdlbox.com|uploadhaven.com +||amcdn.co.za/scripts/javascript/dfp.js +||americanlookout.com//// +||americanlookout.com/29-wE/ +||ams.naturalnews.com^ +||andhrawishesh.com/images/banners/hergamut_ads/ +||androidauth.wpengine.com/wp-json/api/advanced_placement/api-$domain=androidauthority.com +||animationmagazine.net/wordpress/wp-content/uploads/TWR_AM_ +||animeland.tv/zenny/ +||anisearch.com/amazon +||api.gogoanime.zip/promo +||api.mumuglobal.com^ +||apkmody.io/ads +||arbiscan.io/images/gen/*_StylusBlitz_Arbiscan_Ad.png +||armyrecognition.com/images/stories/customer/ +||artdaily.cc/banners/ +||asgg.ghostbin.me^ +||assets.presearch.com/backgrounds/ +||atoplay.com/js/rtads.js +||atptour.com^*/sponsors/ +||attr-shift.dotabuff.com^ +||audiotag.info/images/banner_ +||aurn.com/wp-content/banners/ +||aveherald.com/images/banners/ +||azlyrics.com/local/anew.js +||b.cdnst.net/javascript/amazon.js$script,domain=speedtest.net +||b.w3techs.com^ +||backgrounds.wetransfer.net$image +||backgrounds.wetransfer.net/*.mp4$media +||bahamaslocal.com/img/banners/ +||bbci.co.uk/plugins/dfpAdsHTML/ +||beap.gemini.yahoo.com^ +||beforeitsnews.com/img/banner_ +||benjamingroff.com/uploads/images/ads/ +||bernama.com/storage/banner/ +||bestblackhatforum.com/images/my_compas/ +||bestlittlesites.com/plugins/advertising/getad/ +||bettingads.365scores.com^ +||bibleatlas.org/botmenu +||bibleh.com/b2.htm +||biblehub.com/botmenu +||biblemenus.com/adframe +||bigsquidrc.com/wp-content/themes/bsrc2/js/adzones.js +||bigwarp.io/js/big.js +||bioinformatics.org/images/ack_banners/ +||bit.com.au/scripts/js_$script +||bitchute.com/slot1/value?adDataKey +||bitchute.com/static/ad-sidebar.html +||bitchute.com/static/ad-sticky-footer.html +||bitcotasks.com/je.php +||bitcotasks.com/yo.php +||bizjournals.com/static/dist/js/gpt.min.js +||blbclassic.org/assets/images/*banners/ +||blsnet.com/plugins/advertising/getad/ +||blue.ktla.com^ +||bookforum.com/api/ads/ +||booking.com/flexiproduct.html?product=banner$domain=happywayfarer.com +||bordeaux.futurecdn.net^ +||borneobulletin.com.bn/wp-content/banners/ +||boxing-social.com^*/takeover/ +||brighteon.tv/Assets/ARF/ +||brudirect.com/images/banners/ +||bscscan.com/images/gen/*.gif +||bugsfighter.com/wp-content/uploads/2020/07/malwarebytes-banner.jpg +||bullchat.com/sponsor/ +||c21media.net/wp-content/plugins/sam-images/ +||cafonline.com/image/upload/*/sponsors/ +||calguns.net/images/ad +||calmclinic.com/srv/ +||caranddriver.com/inventory/ +||cdn.http.anno.channel4.com/m/1/$media,domain=uktvplay.co.uk +||cdn.manga9.co^ +||cdn.shopify.com^*/assets/spreadrwidget.js$domain=jolinne.com +||cdn.streambeast.io/angular.js +||cdn77.org^$domain=pricebefore.com +||cdnads.geeksforgeeks.org^ +||cdnpk.net/sponsor/$domain=freepik.com +||cdnpure.com/static/js/ads- +||celebjihad.com/celeb-jihad/pu_ +||celebstoner.com/assets/components/bdlistings/uploads/ +||celebstoner.com/assets/images/img/sidebar/$image +||centent.stemplay.cc^ +||chasingcars.com.au/ads/ +||cinemadeck.com/ifr/ +||clarksvilleonline.com/cols/ +||cloudfront.net/ads/$domain=wdwmagic.com +||cloudfront.net/j/wsj-prod.js$domain=wsj.com +||cloudfront.net/transcode/storyTeller/$media,domain=amazon.ae|amazon.ca|amazon.cn|amazon.co.jp|amazon.co.uk|amazon.com|amazon.com.au|amazon.com.br|amazon.com.mx|amazon.com.tr|amazon.de|amazon.eg|amazon.es|amazon.fr|amazon.in|amazon.it|amazon.nl|amazon.pl|amazon.sa|amazon.se|amazon.sg +||cloudfront.net^$domain=rexdlbox.com|titantv.com +||cloudfront.net^*/sponsors/$domain=pbs.org +||cnbcfm.com/dist/components-PcmModule-Taboola- +||cnx-software.com/wp-content/uploads/*/cexpress-asl-COM-Express-Amston-Lake-module.webp +||cnx-software.com/wp-content/uploads/*/EmbeddedTS-TS-7180-embedded-SBC.webp +||cnx-software.com/wp-content/uploads/*/Forlinx-NXP-System-on-Modules.webp +||cnx-software.com/wp-content/uploads/*/gateworks-rugged-industrial-iot.webp +||cnx-software.com/wp-content/uploads/*/GrapeRain-Samsun-Rockchip-Qualcomm-System-on-Modules.webp +||cnx-software.com/wp-content/uploads/*/I-Pi-SMARC-Amston-Lake-devkit.webp +||cnx-software.com/wp-content/uploads/*/Jetway-JPIC-ADN1-N97-industrial-SBC.webp +||cnx-software.com/wp-content/uploads/*/Mekotronics-R58.webp +||cnx-software.com/wp-content/uploads/*/Orange-Pi-Single-Board-Computer.jpg +||cnx-software.com/wp-content/uploads/*/Radxa-ROCK-5C-SBC.webp +||cnx-software.com/wp-content/uploads/*/Radxa-ROCK5-ITX.webp +||cnx-software.com/wp-content/uploads/*/Raspberry-Pi-4-alternative-2023-SBC.webp +||cnx-software.com/wp-content/uploads/*/rikomagic-android-digital-signage-player-2023.webp +||cnx-software.com/wp-content/uploads/*/Rockchip-RK3576-SoM-Raspberry-Pi-CM4-alternative.webp +||cnx-software.com/wp-content/uploads/*/Rockchip-RK3588S-8K-SBC-with-WIFI-6.webp +||cnx-software.com/wp-content/uploads/*/UGOOS-2024-TV-box-remote-control.webp +||cnx-software.com/wp-content/uploads/*/Youyeetoo-RK3568-RK3588S-SBC-Intel-X1-SBC-December-2024.webp +||coincheck.com/images/affiliates/ +||coingolive.com/assets/img/partners/ +||computeralliance.com.au/ws/PartsWS.asmx/GetAdvertisingLeft +||convert2mp3.club/dr/ +||coolcast2.com/z- +||coolors.co/ajax/get-ads +||corvetteblogger.com/images/banners/ +||covertarget.com^*_*.php +||creatives.livejasmin.com^ +||cricbuzz.com/api/adverts/ +||cricketireland.ie//images/sponsors/ +||cript.to/dlm.png +||cript.to/z- +||crn.com.au/scripts/js_$script +||crunchy-tango.dotabuff.com^ +||cybernews.com/images/tools/*/banner/ +||cyberscoop.com/advertising/ +||d1lxz4vuik53pc.cloudfront.net^$domain=amazon.ae|amazon.ca|amazon.cn|amazon.co.jp|amazon.co.uk|amazon.com|amazon.com.au|amazon.com.br|amazon.com.mx|amazon.com.tr|amazon.de|amazon.eg|amazon.es|amazon.fr|amazon.in|amazon.it|amazon.nl|amazon.pl|amazon.sa|amazon.se|amazon.sg +||daily-sun.com/assets/images/banner/ +||dailylook.com/modules/header/top_ads.jsp +||dailymail.co.uk^*/linkListItem-$domain=thisismoney.co.uk +||dailymirror.lk/youmaylike +||dailynews.lk/wp-content/uploads/2024/02/D-E +||data.angel.digital/images/b/$image +||deltabravo.net/admax/ +||depressionforums.org/wp-content/uploads/2023/05/balban.jpg.webp +||designtaxi.com/js/dt-seo.js +||designtaxi.com/small-dt.php$subdocument +||detectiveconanworld.com/images/support-us-brave.png +||dev.to/billboards/sidebar_left^ +||dev.to^*/billboards/post_body_bottom^ +||dev.to^*/billboards/post_comments^ +||dev.to^*/billboards/post_sidebar^ +||developer.mozilla.org/pong/ +||deviantart.com/_nsfgfb/ +||devopscon.io/session-qualification/$subdocument +||dianomi.com/brochures.epl? +||dianomi.com/click.epl +||dictionary.com/adscripts/ +||digitalmediaworld.tv/images/banners/ +||diglloyd.com/js2/pub-wide2-ck.js +||dirproxy.com/helper-js +||dmtgvn.com/wrapper/js/manager.js$domain=rt.com +||dmxleo.dailymotion.com^ +||dnslytics.com/images/ads/ +||domaintyper.com/Images/dotsitehead.png +||dominicantoday.com/wp-content/themes/dominicantoday/banners/ +||download.megaup.net/download +||draftkings.bbgi.com^$subdocument +||dramanice.ws/z-6769166 +||drive.com.au/ads/ +||dsp.aparat.com^ +||duplichecker.com/csds/ +||e.cdngeek.com^ +||earth.cointelegraph.com^ +||easymp3mix.com/js/re-ads-zone.js +||ebay.com/scl/js/ScandalLoader.js +||ebaystatic.com/rs/c/scandal/ +||ebaystatic.com^*/ScandalJS- +||eccie.net/provider_ads/ +||ed2k.2x4u.de/mfc/ +||edge.ads.twitch.tv^ +||eentent.streampiay.me^ +||eevblog.com/images/comm/$image +||elil.cc/pdev/ +||elil.cc/reqe.js +||emoneyspace.com/b.php +||engagesrvr.filefactory.com^ +||engine.fxempire.com^ +||engine.laweekly.com^ +||eteknix.com/wp-content/uploads/*skin +||etherscan.io/images/gen/cons_gt_ +||etools.ch/scripts/ad-engine.js +||etxt.biz/data/rotations/ +||etxt.biz/images/b/ +||eurochannel.com/images/banners/ +||europeangaming.eu/portal/wp-admin/admin-ajax.php?action=acc_get_banners +||everythingrf.com/wsFEGlobal.asmx/GetWallpaper +||exchangerates.org.uk/images/200x200_currency.gif +||excnn.com/templates/anime/sexybookmark/js/popup.js +||expatexchange.com/banner/ +||expats.cz/images/amedia/ +||f1tcdn.net/images/banners/$domain=f1technical.net +||facebook.com/network_ads_common +||faceitanalyser.com/static/stats/i/sponsors/ +||familylawweek.co.uk/bin_1/ +||fastapi.tiangolo.com/img/sponsors/$image +||fauceit.com/Roulette-(728x90).jpg +||fentent.stre4mplay.one^ +||fentent.streampiay.me^ +||filehippo.com/best-recommended-apps^ +||filehippo.com/revamp.js +||filemoon-*/js/baf.js +||filemoon.*/js/baf.js +||filemoon.*/js/dola.js +||filemoon.*/js/skrrt.js +||filerio.in/banners/ +||files.im/images/bbnr/ +||filext.com/tools/fileviewerplus_b1/ +||filmibeat.com/images/betindia.jpg +||filmkuzu.com/pops$script +||finish.addurl.biz/webroot/ads/adsterra/ +||finviz.com/gfx/banner_ +||fishki.net/code? +||flippback.com/tag/js/flipptag.js$domain=idsnews.com +||fontsquirrel.com/ajaxactions/get_ads^ +||footballtradedirectory.com/images/pictures/banner/ +||forabodiesonly.com/mopar/sidebarbanners/ +||fordforums.com.au/logos/ +||forum.miata.net/sp/ +||framer.app^$domain=film-grab.com +||free-webhosts.com/images/a/ +||freebookspot.club/vernambanner.gif +||freedownloadmanager.org/js/achecker.js +||freeworldgroup.com/banner +||freighter-prod01.narvar.com^$image +||funeraltimes.com/databaseimages/adv_ +||funeraltimes.com/images/Banner-ad +||funnyjunk.com/site/js/extra/pre +||futbol24.com/kscms_asyncspc.php +||futbollatam.com/ads.js +||fwcdn3.com^$domain=eonline.com +||fwpub1.com^$domain=ndtv.com|ndtv.in +||gamblingnewsmagazine.com/wp-content/uploads/*/ocg-ad- +||gamecopyworld.com/*.php? +||gamecopyworld.com/aa/ +||gamecopyworld.com/ddd/ +||gamecopyworld.com/js/pp.js +||gamecopyworld.eu/ddd/ +||gamecopyworld.eu/js/pp.js +||gameflare.com/promo/ +||gamer.mmohuts.com^ +||ganjing.world/v1/cdkapi/ +||ganjingworld.com/pbjsDisplay.js +||ganjingworld.com/v1s/adsserver/ +||generalblue.com/js/pages/shared/lazyads.min.js +||gentent.stre4mplay.one^ +||getconnected.southwestwifi.com/ads_video.xml +||globovision.com/js/ads-home.js +||gocdkeys.com/images/background +||gogoanime.me/zenny/ +||googlesyndication.com^$domain=blogto.com|youtube.com +||govevents.com/display-file/ +||gpt.mail.yahoo.net/sandbox$subdocument,domain=mail.yahoo.com +||graphicdesignforums.co.uk/banners/ +||greatandhra.com/images/landing/ +||grow.gab.com/galahad/ +||hamodia.co.uk/images/worldfirst-currencyconversion.jpg +||healthcentral.com/common/ads/generateads.js +||hearstapps.com/moapt/moapt-hdm.latest.js +||hentent.stre4mplay.one^ +||hideip.me/src/img/rekl/ +||hltv.org/partnerimage/$image +||hltv.org/staticimg/*?ixlib= +||holyfamilyradio.org/banners/ +||homeschoolmath.net/a/ +||horizonsunlimited.com/alogos/ +||hortidaily.com/b/ +||hostsearch.com/creative/ +||hotstar.com^*/midroll? +||hotstar.com^*/preroll? +||howtogeek.com/emv2/ +||hubcloud.day/video/bn/ +||i-tech.com.au/media/wysiwyg/banner/ +||iamcdn.net/players/custom-banner.js +||iamcdn.net/players/playhydraxs.min.js$domain=player-cdn.com +||ibb.co^$domain=ghostbin.me +||ice.hockey/images/sponsoren/ +||iceinspace.com.au/iisads/ +||iconfinder.com/static/js/istock.js +||idlebrain.com/images4/footer- +||idlebrain.com/images5/main- +||idlebrain.com/images5/sky- +||idrive.com/include/images/idrive-120240.png +||ientent.stre4mplay.one^ +||igg-games.com/maven/ +||ih1.fileforums.com^ +||ii.apl305.me/js/pop.js +||illicium.web.money^$subdocument +||illicium.wmtransfer.com^$subdocument +||imagetwist.com/b9ng.js +||imdb.com/_json/getads/ +||imgadult.com/ea2/ +||imgdrive.net/a78bc9401d16.js +||imgdrive.net/anex/ +||imgdrive.net/ea/ +||imgtaxi.com/ea/ +||imgtaxi.com/ttb02673583fb.js +||imgur.com^$domain=ghostbin.me|up-load.io +||imgwallet.com/ea/ +||imp-adedge.i-mobile.co.jp^ +||imp.accesstra.de^ +||imp.pixiv.net^ +||impressivetimes.com/wp-content/uploads/2024/07/primary-plus-advt.jpg +||indiadesire.com/bbd/ +||indiansinkuwait.com/Campaign/ +||indiatimes.com/ads_ +||indiatimes.com/itads_ +||indiatimes.com/lgads_ +||indiatimes.com/manageads/ +||indiatimes.com/toiads_ +||infobetting.com/bookmaker/ +||instagram.com/api/v1/injected_story_units/ +||intersc.igaming-service.io^$domain=hltv.org +||investing.com/jp.php +||ip-secrets.com/img/nv +||islandecho.co.uk/uploads/*/vipupgradebackground.jpg$image +||isohunt.app/a/b.js +||italiangenealogy.com/images/banners/ +||itweb.co.za/static/misc/toolbox/ +||itweb.co.za^*/sponsors +||j8jp.com/fhfjfj.js +||jamanetwork.com/AMA/AdTag +||japfg-trending-content.uc.r.appspot.com^ +||jobsora.com/img/banner/ +||jordantimes.com/accu/ +||jpg.church/quicknoisilyheadbites.js +||js.cmoa.pro^ +||js.mangajp.top^ +||js.syosetu.top^ +||jsdelivr.net/gh/$domain=chrome-stats.com|edge-stats.com|firefox-stats.com +||kaas.am/hhapia/ +||kendrickcoleman.com/images/banners/ +||kentent.stre4mplay.one^ +||kickassanimes.info/a_im/ +||kissanime.com.ru/api/pop*.php +||kissanimes.net/30$subdocument +||kissasians.org/banners/ +||kisscartoon.sh/api/pop.php +||kissmanga.org/rmad.php +||kitco.com/jscripts/popunders/ +||kitsune-rush.overbuff.com^ +||kitz.co.uk/files/jump2/ +||kompass.com/getAdvertisements +||koreatimes.co.kr/ad/ +||kta.etherscan.com^ +||kuwaittimes.com/uploads/ads/ +||lagacetanewspaper.com/wp-content/uploads/banners/ +||lapresse.ca/webparts/ads/ +||lasentinel.net/static/img/promos/ +||latestlaws.com/frontend/ads/ +||learn-cpp.org/static/img/banners/cfk/$image +||lespagesjaunesafrique.com/bandeaux/ +||letour.fr/img/dyn/partners/ +||lifehack.org/Tm73FWA1STxF.js +||linkedin.com/tscp-serving/ +||linkhub.icu/vendors/h.js +||linkshare.pro/img/btc.gif +||linuxtracker.org/images/dw.png +||livescore.az/images/banners +||lordchannel.com/adcash/ +||lowfuelmotorsport.com/assets/img/partners/$image +||ltn.hitomi.la/zncVMEzbV/ +||lw.musictarget.com^ +||lycos.com/catman/ +||machineseeker.com/data/ofni/ +||mafvertizing.crazygames.com^ +||mail-ads.google.com^ +||mail.aol.com/d/gemini_api/?adCount= +||majorgeeks.com/mg/slide/mg-slide.js +||manga1000.top/hjshds.js +||manga1001.top/gdh/dd.js +||manga18.me/usd2023/usd_frontend.js +||manga18fx.com/js/main-v001.js +||mangadistrict.com/super-boat- +||mangahub.io/iframe/ +||manhwascan.net/my2023/my2023 +||manytoon.com/script/$script +||marineterms.com/images/banners/ +||marketscreener.com/content_openx.php +||mas.martech.yahoo.com^$domain=mail.yahoo.com +||masternodes.online/baseimages/ +||maxgames.com/img/sponsor_ +||mbauniverse.com/sites/default/files/shree.png +||media.tickertape.in/websdk/*/ad.js +||mediatrias.com/assets/js/vypopme.js +||mediaupdate.co.za/banner/ +||megashare.website/js/safe.ob.min.js +||mictests.com/myshowroom/view.php$subdocument +||mobilesyrup.com/RgPSN0siEWzj.js +||monkeygamesworld.com/images/banners/ +||moonjscdn.info/player8/JWui.js +||moviehaxx.pro/js/bootstrap-native.min.js +||moviehaxx.pro/js/xeditable.min.js +||moviekhhd.biz/ads/ +||moviekhhd.biz/images/DownloadAds +||mp3fiber.com/*ml.jpg +||mpgh.net/idsx2/ +||mrskin.com^$script,third-party,domain=~mrskincdn.com +||musicstreetjournal.com/banner/ +||mutaz.pro/img/ba/ +||myabandonware.com/media/img/gog/ +||myanimelist.net/c/i/images/event/ +||mybrowseraddon.com/ads/core.js +||myeongbeauty.com/ads/ +||myflixer.is/ajax/banner^ +||myflixer.is/ajax/banners^ +||myunique.info/wp-includes/js/pop.js +||myvidster.com/ads/ +||myvidster.com/js/myv_ad_camp2.php +||n.gemini.yahoo.com^ +||nameproscdn.com/images/backers/ +||nativetimes.com/images/banners/ +||naturalnews.com/wp-content/themes/naturalnews-child/$script +||navyrecognition.com/images/stories/customer/ +||nemosa.co.za/images/mad_ad.png +||nesmaps.com/images/ads/$image +||newagebd.net/assets/img/ads/ +||newkerala.com/banners/amazon +||news.itsfoss.com/assets/images/pikapods.jpg +||newsnow.co.uk/pharos.js +||nexvelar.b-cdn.net/videoplayback_.mp4 +||northsidesun.com/init-2.min.js +||norwaypost.no/images/banners/ +||notebrains.com^$image,domain=businessworld.in +||nrl.com/siteassets/sponsorship/ +||nrl.com^*/sponsors/ +||nu2.nu/gfx/sponsor/ +||numista.com/*/banners/$image +||nyaa.land/static/p2.jpg +||nzherald.co.nz/pf/resources/dist/scripts/global-ad-script.js +||observerbd.com/ad/ +||odrama.net/images/clicktoplay.jpg +||ohmygore.com/ef_pub +||oklink.com/api/explorer/v2/index/text-advertisement? +||onlineshopping.co.za/expop/ +||opencart.com/application/view/image/banner/ +||openstack.org/api/public/v1/sponsored-projects? +||optics.org/banners/ +||outbrain.com^$domain=bgr.com|buzzfeed.com|dto.to|investing.com|mamasuncut.com|mangatoto.com|tvline.com +||outlookads.live.com^ +||outputter.io/uploads/$subdocument +||ownedcore.com/forums/ocpbanners/ +||pafvertizing.crazygames.com^ +||pandora.com/api/v1/ad/ +||pandora.com/web-client-assets/displayAdFrame. +||paste.fo/*jpeg$image +||pasteheaven.com/assets/images/banners/ +||pastemagazine.com/common/js/ads- +||pastemytxt.com/download_ad.jpg +||path-2-happiness.com/*/select_adv +||pcmag.com/js/alpine/$domain=speedtest.net +||pcwdld.com/SGNg95BS08r9.js +||petrolplaza.net/AdServer/ +||phonearena.com/js/ops/taina.js +||phuketwan.com/img/b/ +||picrew.me/vol/ads/ +||pimpandhost.com/mikakoki/ +||pinkmonkey.com/includes/right-ad-columns.html +||pixlr.com/dad/ +||pixlr.com/fad/ +||plainenglish.io/assets/sponsors/ +||planetlotus.org/images/partners/ +||player.twitch.tv^$domain=go.theconomy.me +||plutonium.cointelegraph.com^ +||pnn.ps/storage/images/partners/ +||poedb.tw/image/torchlight/ +||pons.com/assets/javascripts/modules-min/ad-utilities_ +||pons.com/assets/javascripts/modules-min/idm-ads_ +||ports.co.za/banners/ +||positivehealth.com/img/original/BannerAvatar/ +||positivehealth.com/img/original/TopicbannerAvatar/ +||povvldeo.lol/js/fpu3/ +||prebid-server.newsbreak.com^ +||presearch.com/affiliates|$xmlhttprequest +||presearch.com/coupons|$xmlhttprequest +||presearch.com/tiles^ +||pressablecdn.com/wp-content/uploads/Site-Skin_update.gif$domain=bikebiz.com +||prewarcar.com/*-banners/ +||prod-sponsoredads.mkt.zappos.com^ +||products.gobankingrates.com^ +||publicdomaintorrents.info/grabs/hdsale.png +||publicdomaintorrents.info/rentme.gif +||publicdomaintorrents.info/srsbanner.gif +||pubsrv.devhints.io^ +||pururin.to/assets/js/pop.js +||putlocker.*/banner/static/ +||putlocker.*/sab_ +||puzzle-slant.com/images/ad/ +||pwinsider.com/advertisement/ +||qrz.com/ads/ +||quora.com/ads/ +||radioreference.com/i/p4/tp/smPortalBanner.gif +||raenonx.cc/scripts +||rafvertizing.crazygames.com^ +||randalls.com/abs/pub/xapi/search/sponsored-carousel? +||rd.com/wp-content/plugins/pup-ad-stack/ +||realitytvworld.com/includes/loadsticky.html +||realpython.net/tag.js +||receive-sms-online.info/img/banner_ +||red-shell.speedrun.com^ +||republicmonitor.com/images/lundy-placeholder.jpeg +||rev.frankspeech.com^ +||revolver.news/wp-content/banners/ +||romspacks.com/sfe123.js +||rspro.xyz/wp-content/uploads/*/redotpay.webp +||rswebsols.com/wp-content/uploads/rsws-banners/ +||s.radioreference.com/sm/$image +||s.yimg.com/zh/mrr/$image,domain=mail.yahoo.com +||saabsunited.com/wp-content/uploads/*banner +||samba.org/banners/$image +||sasinator.realestate.com.au^ +||sat-universe.com/wos2.png +||sat-universe.com/wos3.gif +||save-editor.com/b/in/ad/ +||sbfull.com/assets/jquery/jquery-3.2.min.js? +||sbfull.com/js/mainpc.js +||sciencefocus.com/pricecomparison/$subdocument +||scoot.co.uk/delivery.php +||scrolller.com/scrolller/affiliates/ +||search.brave.com/api/ads/ +||search.brave.com/serp/v1/static/serp-js/paid/ +||search.brave.com/serp/v1/static/serp-js/shopping/ +||searchenginereports.net/theAdGMC/$image +||sedo.cachefly.net^$domain=~sedoparking.com +||segmentnext.com/LhfdY3JSwVQ8.js +||sermonaudio.com/images/sponsors/ +||sfgate.com/juiceExport/production/sfgate.com/loadAds.js +||sgtreport.com/wp-content/uploads/*Banner +||sharecast.ws/cum.js +||sharecast.ws/fufu.js +||short-wave.info/html/adsense- +||siberiantimes.com/upload/banners/ +||sicilianelmondo.com/banner/ +||slickdeals.net/ad-stats/ +||smallseotools.com/webimages/a12/$image +||smn-news.com/images/banners/ +||soccerinhd.com/aclib.js +||socket.streamable.com^ +||softcab.com/google.php? +||sonichits.com/tf.php +||sorcerers.net/images/aff/ +||soundcloud.com/audio-ads? +||southfloridagaynews.com/images/banners/ +||spike-plant.valorbuff.com^ +||sponsors.vuejs.org^ +||sportlemon24.com/img/301.jpg +||sportshub.to/player-source/images/banners/ +||spotify.com/ads/ +||spox.com/daznpic/ +||spys.one/fpe.png +||srilankamirror.com/images/banners/ +||srware.net/iron/assets/img/av/ +||star-history.com/assets/sponsors/ +||startpage.com/sp/adsense/ +||static.ad.libimseti.cz^ +||static.fastpic.org^$subdocument +||static.getmodsapk.com/cloudflare/ads-images/ +||staticflickr.com/ap/build/javascripts/prbd-$script,domain=flickr.com +||steamanalyst.com/steeem/delivery/ +||storage.googleapis.com/cdn.newsfirst.lk/advertisements/$domain=newsfirst.lk +||store-api.mumuglobal.com^ +||strcloud.club/mainstream +||streamingsites.com/images/adverticement/ +||streamoupload.*/api/spots/$script +||streams.tv/js/slidingbanner.js +||streamsport.pro/hd/popup.php +||strtpe.link/ppmain.js +||stuff.co.nz/static/adnostic/ +||stuff.co.nz/static/stuff-adfliction/ +||sundayobserver.lk/sites/default/files/pictures/COVID19-Flash-1_0.gif +||surfmusic.de/anz +||survivalblog.com/marketplace/ +||survivalservers.com^$subdocument,domain=adfoc.us +||swncdn.com/ads/$domain=christianity.com +||sync.amperwave.net/api/get/magnite/auid=$xmlhttprequest +||szm.com/reklama +||t.police1.com^ +||taadd.com/files/js/site_skin.js +||taboola.com^$domain=independent.co.uk|outlook.live.com|technobuffalo.com +||takefile.link/fld/ +||tampermonkey.net/s.js +||tashanmp3.com/api/pops/ +||techgeek365.com/advertisements/ +||techonthenet.com/javascript/pb.js +||techporn.ph/wp-content/uploads/Ad- +||techsparx.com/imgz/udemy/ +||teluguwebsite.com/CE.jpg +||teluguwebsite.com/dhal.jpg +||teluguwebsite.com/MaaTeluguTallikiMallePoodanda.jpg +||teluguwebsite.com/MeeruTelugaa.gif +||teluguwebsite.com/radio.jpg +||tempr.email/public/responsive/gfx/awrapper/ +||tennis.com/assets/js/libraries/render-adv.js +||terabox.app/api/ad/ +||terabox.com/api/ad/ +||thanks.viewfr.com/webroot/ads/adsterra/ +||thedailysheeple.com/images/banners/ +||thedailysheeple.com/wp-content/plugins/tds-ads-plugin/assets/js/campaign.js +||thefinancialexpress.com.bd/images/rocket-250-250.png +||theindependentbd.com/assets/images/banner/ +||thephuketnews.com/photo/banner/ +||theplatform.kiwi/ads/ +||theseoultimes.com/ST/banner/ +||thespike.gg/images/bc-game/ +||thisgengaming.com/Scripts/widget2.aspx +||timesnownews.com/dfpamzn.js +||tineye.com/api/v1/affiliate +||tineye.com/api/v1/keyword_search/ +||torrent911.ws/z- +||torrenteditor.com/img/graphical-network-monitor.gif +||torrentfreak.com/wp-content/banners/ +||totalcsgo.com/site-takeover/$image +||tpc.googlesyndication.com^ +||tr.7vid.net^ +||tracking.police1.com^ +||traditionalmusic.co.uk/images/banners/ +||trahkino.cc/static/js/li.js +||triangletribune.com/cache/sql/fba/ +||truck1.eu/_BANNERS_/ +||trucknetuk.com/phpBB2old/sponsors/ +||trumparea.com/_adz/ +||tubeoffline.com/itbimg/ +||tubeoffline.com/js/hot.min.js +||tubeoffline.com/vpn.php +||tubeoffline.com/vpn2.php +||tubeoffline.com/vpnimg/ +||turbobit.net/pus/ +||twitter.com/*/videoads/ +||twt-assets.washtimes.com^$script,domain=washingtontimes.com +||ubuntugeek.com/images/ubuntu1.png +||uefa.com/imgml/uefacom/sponsors/ +||uhdmovies.eu/axwinpop.js +||uhdmovies.foo/onewinpop.js +||ukcampsite.co.uk/banners/ +||unmoor.com/config.json +||uploadcloud.pro/altad/ +||userscript.zone/s.js +||usrfiles.com^$domain=dannydutch.com|melophobemusic.com +||util-*.simply-hentai.com^ +||utilitydive.com/static/js/prestitial.js +||uxmatters.com/images/sponsors/ +||v3cars.com/load-ads.php +||vastz.b-cdn.net/hsr/HSR*.mp4 +||vectips.com/wp-content/themes/vectips-theme/js/adzones.js +||videogameschronicle.com/ads/ +||vidzstore.com/popembed.php +||vobium.com/images/banners/ +||voodc.com/avurc +||vtube.to/api/spots/ +||wafvertizing.crazygames.com^ +||wall.vgr.com^ +||web-oao.ssp.yahoo.com/admax/ +||webcamtests.com/MyShowroom/view.php? +||webstick.blog/images/images-ads/ +||welovemanga.one/uploads/bannerv.gif +||widenetworks.net^$domain=flysat.com +||wikihow.com/x/zscsucgm? +||windows.net/banners/$domain=hortidaily.com +||winxclub.com^*/dfp.js? +||wonkychickens.org/data/statics/s2g/$domain=torrentgalaxy.to +||worldhistory.org/js/ay-ad-loader.js +||worldofmods.com/wompush-init.js +||worthplaying.com/ad_left.html +||wqah.com/images/banners/ +||wsj.com/asset/ace/ace.min.js +||www.google.*/adsense/search/ads.js +||x.castanet.net^ +||x.com/*/videoads/ +||xboxone-hq.com/images/banners/ +||xing.com/xas/ +||xingcdn.com/crate/ad- +||xingcdn.com/xas/ +||xinhuanet.com/s? +||y3o.tv/nevarro/video-ads/$domain=yallo.tv +||yahoo.com/m/gemini_api/ +||yahoo.com/pdarla/ +||yahoo.com/sdarla/ +||yellowpages.com.lb/uploaded/banners/ +||yimg.com/rq/darla/$domain=yahoo.com +||ynet.co.il/gpt/ +||youtube.com/pagead/ +||youtube.com/youtubei/v1/player/ad_break +||ytconvert.me/pop.js +||ytmp3.cc/js/inner.js +||ytmp3.plus/ba +||zillastream.com/api/spots/ +||zmescience.com/1u8t4y8jk6rm.js +||zmovies.cc/bc1ea2a4e4.php +||zvela.filegram.to^ +! +/^https?:\/\/.*\.(club|bid|biz|xyz|site|pro|info|online|icu|monster|buzz|website|biz|re|casa|top|one|space|network|live|systems|ml|world|life|co)\/.*/$~image,~media,~subdocument,third-party,domain=1cloudfile.com|adblockstreamtape.art|adblockstreamtape.site|bowfile.com|clipconverter.cc|cricplay2.xyz|desiupload.co|dood.la|dood.pm|dood.so|dood.to|dood.watch|dood.ws|dopebox.to|downloadpirate.com|drivebuzz.icu|embedstream.me|eplayvid.net|fmovies.ps|gdriveplayer.us|gospeljingle.com|hexupload.net|kissanimes.net|krunkercentral.com|movies2watch.tv|myflixer.pw|myflixer.today|myflixertv.to|powvideo.net|proxyer.org|scloud.online|sflix.to|skidrowcodex.net|streamtape.com|theproxy.ws|vidbam.org|vidembed.cc|vidembed.io|videobin.co|vidlii.com|vidoo.org|vipbox.lc +! +/^https?:\/\/[0-9a-z]{5,}\.com\/.*/$script,third-party,xmlhttprequest,domain=123movies.tw|1cloudfile.com|745mingiestblissfully.com|9xupload.asia|adblockeronstape.me|adblockeronstreamtape.me|adblockeronstrtape.xyz|adblockplustape.xyz|adblockstreamtape.art|adblockstreamtape.fr|adblockstreamtape.site|adblocktape.online|adblocktape.store|adblocktape.wiki|advertisertape.com|anonymz.com|antiadtape.com|bowfile.com|clickndownload.click|clicknupload.space|clicknupload.to|cloudvideo.tv|d000d.com|daddylivehd.sx|dailyuploads.net|databasegdriveplayer.xyz|deltabit.co|dlhd.sx|dood.la|dood.li|dood.pm|dood.re|dood.sh|dood.so|dood.to|dood.watch|dood.wf|dood.ws|dood.yt|doods.pro|dooood.com|dramacool.sr|drivebuzz.icu|ds2play.com|embedplayer.site|embedsb.com|embedsito.com|embedstream.me|engvideo.net|enjoy4k.xyz|eplayvid.net|evoload.io|fembed-hd.com|filemoon.sx|files.im|flexy.stream|fmovies.ps|gamovideo.com|gaybeeg.info|gdriveplayer.pro|gettapeads.com|givemenbastreams.com|gogoanimes.org|gomo.to|greaseball6eventual20.com|hdtoday.ru|hexload.com|hexupload.net|imgtraffic.com|kesini.in|kickassanime.mx|kickasstorrents.to|linkhub.icu|lookmyimg.com|luluvdo.com|mangareader.cc|mangareader.to|membed.net|mirrorace.org|mixdroop.co|mixdrop.ag|mixdrop.bz|mixdrop.click|mixdrop.club|mixdrop.nu|mixdrop.ps|mixdrop.si|mixdrop.sx|mixdrop.to|mixdrp.co|movies2watch.tv|mp4upload.com|nelion.me|noblocktape.com|nsw2u.org|olympicstreams.co|onlinevideoconverter.com|ovagames.com|papahd.club|pcgamestorrents.com|pouvideo.cc|proxyer.org|putlocker-website.com|reputationsheriffkennethsand.com|rintor.space|rojadirecta1.site|scloud.online|send.cm|sflix.to|shavetape.cash|skidrowcodex.net|smallencode.me|soccerstreamslive.co|stapadblockuser.art|stapadblockuser.click|stapadblockuser.info|stapadblockuser.xyz|stape.fun|stapewithadblock.beauty|stapewithadblock.monster|stapewithadblock.xyz|strcloud.in|streamadblocker.cc|streamadblocker.com|streamadblocker.store|streamadblocker.xyz|streamingsite.net|streamlare.com|streamnoads.com|streamta.pe|streamta.site|streamtape.cc|streamtape.com|streamtape.to|streamtape.xyz|streamtapeadblock.art|streamtapeadblockuser.art|streamtapeadblockuser.homes|streamtapeadblockuser.monster|streamtapeadblockuser.xyz|strikeout.ws|strtape.cloud|strtape.tech|strtapeadblock.club|strtapeadblocker.xyz|strtapewithadblock.art|strtapewithadblock.xyz|supervideo.cc|supervideo.tv|tapeadsenjoyer.com|tapeadvertisement.com|tapeantiads.com|tapeblocker.com|tapenoads.com|tapewithadblock.com|tapewithadblock.org|thepiratebay0.org|thepiratebay10.xyz|theproxy.ws|thevideome.com|toxitabellaeatrebates306.com|un-block-voe.net|upbam.org|upload-4ever.com|upload.do|uproxy.to|upstream.to|uqload.co|uqload.io|userscloud.com|v-o-e-unblock.com|vidbam.org|vido.lol|vidshar.org|vidsrc.me|vidsrc.stream|vipleague.im|vipleague.st|voe-unblock.net|voe.sx|vudeo.io|vudeo.net|vumoo.to|yesmovies.mn|youtube4kdownloader.com +/^https?:\/\/[0-9a-z]{8,}\.xyz\/.*/$third-party,xmlhttprequest,domain=1link.club|2embed.to|apiyoutube.cc|bestmp3converter.com|clicknupload.red|clicknupload.to|daddyhd.com|dood.wf|lulustream.com|mp4upload.com|poscitech.com|sportcast.life|streamhub.to|streamvid.net|tokybook.com|tvshows88.live|uqload.io +! +/\/[0-9a-f]{32}\/invoke\.js/$script,third-party +/^https?:\/\/www\..*.com\/[a-z]{1,}\.js$/$script,third-party,domain=deltabit.co|nzbstars.com|papahd.club|vostfree.online +! +! url.rw popups +||url.rw/*&a= +||url.rw/*&mid= +! +! Fixes +@@||freeplayervideo.com^$subdocument +@@||gogoplay5.com^$subdocument +@@||gomoplayer.com^$subdocument +@@||lshstream.xyz/hls/$xmlhttprequest +! +/^https?:\/\/.*(com|net|top|xyz)\/(bundle|warning|style|bootstrap|brand|reset|jquery-ui|styles|error|logo|index|favicon|star|header)\.(png|css)\?[A-Za-z0-9]{30,}.*/$third-party +/^https?:\/\/[0-9a-z]{5,}\.(digital|website|life|guru|uno|cfd)\/[a-z0-9]{6,}\//$script,third-party,xmlhttprequest,domain=~127.0.0.1|~bitrix24.life|~ccc.ac|~jacksonchen666.com|~lemmy.world|~localhost|~scribble.ninja|~scribble.website|~traineast.co.uk +/^https?:\/\/cdn\.[0-9a-z]{3,6}\.xyz\/[a-z0-9]{8,}\.js$/$script,third-party +! https://github.com/easylist/easylist/commit/7a86afd +/rest/carbon/api/scripts.js? +! +! Buff sites +||frameperfect.speedrun.com^ +||junkrat-tire.overbuff.com^ +! prebid specific +||breitbart.com/t/assets/js/prebid +||bustle.com^*/prebid- +||jwplatform.com/libraries/tdeymorh.js +||purexbox.com/javascript/gn/prebid- +||wsj.net/pb/pb.js +! firework +||fireworkapi1.com^$domain=boldsky.com +! In-page video advertising. +||anyclip.com^$third-party,domain=~click2houston.com|~clickondetroit.com|~clickorlando.com|~dictionary.com|~heute.at|~ksat.com|~news4jax.com|~therealdeal.com|~video.timeout.com|~wsls.com +||api.dailymotion.com^$domain=philstarlife.com +||api.fw.tv^ +||avantisvideo.com^$third-party +||blockchain.info/explorer-gateway/advertisements +||brid.tv^$script,domain=67hailhail.com|deepdaledigest.com|forevergeek.com|geordiebootboys.com|hammers.news|hitc.com|molineux.news|nottinghamforest.news|rangersnews.uk|realitytitbit.com|spin.com|tbrfootball.com|thechelseachronicle.com|thefocus.news|thepinknews.com +||caffeine.tv/embed.js +||cdn.ex.co^$third-party +||cdn.thejournal.ie/media/hpto/$image +||channelexco.com/player/$third-party +||connatix.com^$third-party,domain=~cheddar.tv|~deadline.com|~elnuevoherald.com|~heraldsun.com|~huffpost.com|~lmaoden.tv|~loot.tv|~miamiherald.com|~olhardigital.com.br|~sacbee.com +||delivery.vidible.tv/jsonp/ +||dywolfer.de^ +||elements.video^$domain=fangoria.com +||embed.comicbook.com^$subdocument +||embed.ex.co^$third-party +||embed.sendtonews.com^$third-party +||floridasportsman.com/video_iframev9.aspx +||fqtag.com^$third-party +||fwcdn1.com/js/fwn.js +||fwcdn1.com/js/storyblock.js +||g.ibtimes.sg/sys/js/minified-video.js +||geo.dailymotion.com/libs/player/$script,domain=mb.com.ph|philstarlife.com +||go.trvdp.com^$domain=~canaltech.com.br|~ig.com.br|~monitordomercado.com.br|~noataque.com.br|~oantagonista.com.br|~omelete.com.br +||gpv.ex.co^$third-party +||imgix.video^$domain=inverse.com +||innovid.com/media/encoded/*.mp4$rewrite=abp-resource:blank-mp4,domain=ktla.com +||interestingengineering.com/partial/connatix_desktop.html +||jwpcdn.com^$script,domain=bgr.com|decider.com|dexerto.com +||jwplayer.com^$domain=americansongwriter.com|dexerto.com|evoke.ie|ginx.tv|imfdb.org|infoworld.com|kiplinger.com|lifewire.com|soulbounce.com|spokesman-recorder.com|tennis.com|thecooldown.com|thestreet.com|tomshardware.com|variety.com|whathifi.com +||live.primis.tech^$third-party +||minute.ly^$third-party +||minutemedia-prebid.com^$third-party +||minutemediaservices.com^$third-party +||nitroscripts.com^$script,domain=wepc.com +||play.springboardplatform.com^ +||playbuzz.com/embed/$script,third-party +||playbuzz.com/player/$script,third-party +||player.avplayer.com^$third-party +||player.ex.co^$third-party +||player.sendtonews.com^$third-party +||players.brightcove.net^$script,domain=military.com|pedestrian.tv +||playoncenter.com^$third-party +||playwire.com/bolt/js/$script,third-party +||poptok.com^$third-party +||rumble.com^$domain=tiphero.com +||sonar.viously.com^$domain=~aufeminin.com|~futura-sciences.com|~gamekult.com|~jeanmarcmorandini.com|~lesnumeriques.com|~marmiton.org|~melty.fr|~nextplz.fr +||sportrecs.com/redirect/embed/ +||ultimedia.com/js/common/smart.js$script,third-party +||vidazoo.com/basev/$script,third-party +||video-streaming.ezoic.com^ +||vidora.com^$third-party +||viewdeos.com^$script,third-party +||voqally.com/hub/app/ +||vplayer.newseveryday.com^ +||www-idm.com/wp-content/uploads/2022/02/bitcoin.png +||zype.com^$third-party,domain=bossip.com|hiphopwired.com|madamenoire.com +! streamplay +||centent.streamp1ay. +||cintent.streanplay. +! Test (Webkit Mobile/Desktop for Youtube) +@@||youtube.com/get_video_info?$xmlhttprequest,domain=music.youtube.com|tv.youtube.com +||m.youtube.com/get_midroll_$domain=youtube.com +! temp disabled, affecting some extensions/browsers +||www.youtube.com/get_midroll_$domain=youtube.com +||youtube.com/get_video_info?*adunit$~third-party +! bit.ly +/^https?:\/\/.*bit(ly)?\.(com|ly)\//$domain=1337x.to|cryptobriefing.com|eztv.io|eztv.tf|eztv.yt|fmovies.taxi|fmovies.world|limetorrents.info|megaup.net|newser.com|sendit.cloud|tapelovesads.org|torlock.com|uiz.io|userscloud.com|vev.red|vidup.io|yourbittorrent2.com +! Torrent/Pirate sites /sw.js +/^https?:\/\/.*\/.*(sw[0-9a-z._-]{1,6}|\.notify\.).*/$script,domain=1337x.to|clickndownload.click|clicknupload.click|cloudvideo.tv|downloadpirate.com|fmovies.taxi|fmovies.world|igg-games.com|indishare.org|linksly.co|megaup.net|mixdrop.ag|mp3-convert.org|nutritioninsight.com|ouo.press|pcgamestorrents.com|pcgamestorrents.org|powvideo.net|powvldeo.cc|primewire.sc|proxyer.org|sendit.cloud|sendspace.com|shrinke.me|shrinkhere.xyz|theproxy.ws|uiz.io|up-load.io|uploadever.com|uploadrar.com|uploadrive.com|uplovd.com|upstream.to|userscloud.com|vidoza.co|vidoza.net|vidup.io|vumoo.life|xtits.com|yourbittorrent2.com|ziperto.com +/^https?:\/\/.*\/sw\.js\?[a-zA-Z0-9%]{50,}/$script,~third-party +! sw.js +/sw.js$script,domain=filechan.org|hotfile.io|lolabits.se|megaupload.nz|rapidshare.nu +! https://ww1.123watchmovies.co/episode/euphoria-season-2-episode-6/ +! vidoza.net +$image,script,subdocument,third-party,xmlhttprequest,domain=vidoza.co|vidoza.net +@@$generichide,domain=vidoza.co|vidoza.net +@@||ajax.googleapis.com/ajax/libs/$script,domain=vidoza.co|vidoza.net +@@||cdn.vidoza.co/js/$script,domain=vidoza.co|vidoza.net +@@||cdnjs.cloudflare.com/ajax/libs/$script,domain=vidoza.co|vidoza.net +! megaup.net +$image,script,subdocument,third-party,xmlhttprequest,domain=megaup.net +@@||challenges.cloudflare.com^$domain=download.megaup.net +! govid.co +$script,third-party,xmlhttprequest,domain=govid.co +@@||ajax.googleapis.com/ajax/libs/$script,domain=govid.co +! canyoublockit.com +@@||akamaiedge.net^$domain=canyoublockit.com +@@||cloudflare.com^$script,stylesheet,domain=canyoublockit.com +@@||fluidplayer.com^$script,stylesheet,domain=canyoublockit.com +@@||googleapis.com^$script,stylesheet,domain=canyoublockit.com +@@||hwcdn.net^$domain=canyoublockit.com +|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=canyoublockit.com +|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=canyoublockit.com +! up-4ever.com +$script,stylesheet,third-party,xmlhttprequest,domain=up-4ever.net +@@||ajax.googleapis.com^$script,domain=up-4ever.net +@@||connect.facebook.net^$script,domain=up-4ever.net +@@||fonts.googleapis.com^$stylesheet,domain=up-4ever.net +@@||maxcdn.bootstrapcdn.com^$stylesheet,domain=up-4ever.net +@@||up4ever.download^$domain=up-4ever.net +! hitomi.la/rule34hentai.net +$script,third-party,domain=hitomi.la|rule34hentai.net +@@||ajax.googleapis.com^$script,domain=rule34hentai.net +@@||cloudflare.com^$script,domain=rule34hentai.net +@@||fluidplayer.com^$script,domain=rule34hentai.net +! urlcash.net +|http://$script,xmlhttprequest,domain=urlcash.net +|https://$script,xmlhttprequest,domain=urlcash.net +! gelbooru.com +@@||gelbooru.com^$generichide +||gelbooru.com*/license.$script +||gelbooru.com*/tryt.$script +||gelbooru.com/halloween/ +! bc.vc +|http://$script,third-party,xmlhttprequest,domain=bc.vc +|https://$script,third-party,xmlhttprequest,domain=bc.vc +! abcvideo.cc +$script,third-party,xmlhttprequest,domain=abcvideo.cc +! ouo +$script,third-party,xmlhttprequest,domain=ouo.io|ouo.press +||ouo.io/js/*.js? +||ouo.io/js/pop. +||ouo.press/js/pop. +! Imgbox +$script,third-party,domain=imgbox.com +@@||ajax.googleapis.com^$script,domain=imgbox.com +! TPB +$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org|thepiratebay10.org +$webrtc,websocket,xmlhttprequest,domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org|thepiratebay10.org +@@||apibay.org^$script,xmlhttprequest,domain=thepiratebay.org +@@||jsdelivr.net^$script,domain=thepiratebay.org +@@||thepiratebay.*/static/js/details.js$domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org +@@||thepiratebay.*/static/js/prototype.js$domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org +@@||thepiratebay.*/static/js/scriptaculous.js$domain=thepiratebay.org +@@||thepiratebay.org/*.php$csp,~third-party +@@||thepiratebay.org/static/main.js$script,~third-party +@@||torrindex.net/images/*.gif$domain=thepiratebay.org +@@||torrindex.net/images/*.jpg$domain=thepiratebay.org +@@||torrindex.net^$script,stylesheet,domain=thepiratebay.org +||thepirate-bay3.org/banner_ +||thepiratebay.$script,domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org +||thepiratebay.*/static/$subdocument +||thepiratebay10.org/static/js/UYaf3EPOVwZS3PP.js +! Yavli.com +||aupetitparieur.com// +||beforeitsnews.com// +||canadafreepress.com/// +||concomber.com// +||conservativefiringline.com// +||mamieastuce.com// +||meilleurpronostic.fr// +||patriotnationpress.com// +||populistpress.com// +||reviveusa.com// +||thegatewaypundit.com// +||thelibertydaily.com// +||toptenz.net// +||westword.com// +! Yavli.com (regex) +/^https?:\/\/(.+?\.)?ipatriot\.com[\/]{1,}.*[a-zA-Z0-9]{9,}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=ipatriot.com +/^https?:\/\/(.+?\.)?letocard\.fr[\/]{1,}.*[a-zA-Z0-9]{3,7}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=letocard.fr +/^https?:\/\/(.+?\.)?letocard\.fr\/[a-zA-Z0-9]{3,7}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=letocard.fr +/^https?:\/\/(.+?\.)?lovezin\.fr[\/]{1,}.*[a-zA-Z0-9]{7,9}\/[a-zA-Z0-9]{10,}\/.*/$image,domain=lovezin.fr +/^https?:\/\/(.+?\.)?naturalblaze\.com\/wp-content\/uploads\/.*[a-zA-Z0-9]{14,}\.*/$image,domain=naturalblaze.com +/^https?:\/\/(.+?\.)?newser\.com[\/]{1,}.*[a-zA-Z0-9]{3,7}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=newser.com +/^https?:\/\/(.+?\.)?rightwingnews\.com[\/]{1,9}.*[a-zA-Z0-9]{8,}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=rightwingnews.com +/^https?:\/\/(.+?\.)?topminceur\.fr\/[a-zA-Z0-9]{6,}\/[a-zA-Z0-9]{3,}\/.*/$image,domain=topminceur.fr +/^https?:\/\/(.+?\.)?vitamiiin\.com\/[\/][\/a-zA-Z0-9]{3,}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=vitamiiin.com +/^https?:\/\/(.+?\.)?writerscafe\.org[\/]{1,}.*[a-zA-Z0-9]{3,7}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=writerscafe.org +/^https?:\/\/.*\.(com|net|org|fr)\/[A-Za-z0-9]{1,}\/[A-Za-z0-9]{1,}\/[A-Za-z0-9]{2,}\/.*/$image,domain=allthingsvegas.com|aupetitparieur.com|beforeitsnews.com|canadafreepress.com|concomber.com|conservativefiringline.com|dailylol.com|ipatriot.com|mamieastuce.com|meilleurpronostic.fr|miaminewtimes.com|naturalblaze.com|patriotnationpress.com|populistpress.com|thegatewaypundit.com|thelibertydaily.com|toptenz.net|vitamiiin.com|westword.com|wltreport.com|writerscafe.org +! webrtc-ads +$webrtc,domain=ack.net|allthetests.com|azvideo.net|champion.gg|clicknupload.link|colourlovers.com|csgolounge.com|dispatch.com|go4up.com|janjua.tv|jpost.com|megaup.net|netdna-storage.com|ouo.io|ouo.press|sourceforge.net|spanishdict.com|telegram.com|torlock2.com|uptobox.com|uptobox.eu|uptobox.fr|uptobox.link|vidtodo.com|yts.gs|yts.mx +! websocket-ads +$websocket,domain=4archive.org|allthetests.com|boards2go.com|colourlovers.com|fastpic.ru|fileone.tv|filmlinks4u.is|imagefap.com|keepvid.com|megaup.net|olympicstreams.me|pocketnow.com|pornhub.com|pornhubthbh7ap3u.onion|powvideo.net|roadracerunner.com|shorte.st|tribune.com.pk|tune.pk|vcpost.com|vidmax.com|vidoza.net|vidtodo.com +! +! IP address +! CSP filters +$csp=script-src 'self' '*' 'unsafe-inline',domain=pirateproxy.live|thehiddenbay.com|downloadpirate.com|thepiratebay10.org|ukpass.co|linksmore.site +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval' pic1.mangapicgallery.com www.google.com,domain=mangago.me +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval' www.gstatic.com cdn.jsdelivr.net maxcdn.bootstrapcdn.com,domain=bigwarp.io +$csp=worker-src 'none',domain=torlock.com|alltube.pl|alltube.tv|centrum-dramy.pl|coinfaucet.eu|crictime.com|crictime.is|doodcdn.com|gomo.to|hdvid.fun|hdvid.tv|hitomi.la|lewd.ninja|nflbite.com|pirateproxy.live|plytv.me|potomy.ru|powvideo.cc|powvideo.net|putlocker.to|reactor.cc|rojadirecta.direct|sickrage.ca|streamtape.com|thehiddenbay.com|thepiratebay.org|thepiratebay10.org|tpb.party|uptomega.me|ustream.to|vidoza.co|vidoza.net|wearesaudis.net|yazilir.com +! ||1337x.to^$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: challenges.cloudflare.com +||bodysize.org^$csp=child-src * +||convertfiles.com^$csp=script-src 'self' '*' 'unsafe-inline' +||gelbooru.com^$csp=script-src 'self' '*' 'unsafe-inline' *.gstatic.com *.google.com *.googleapis.com *.bootstrapcdn.com +||pirateiro.com^$csp=script-src 'self' 'unsafe-inline' https://hcaptcha.com *.hcaptcha.com +! CSP Yavli +||activistpost.com^$csp=script-src *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com +! kinox +$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: *.cloudflare.com *.google.com *.addthis.com *.addthisedge.com *.facebook.net *.twitter.com *.jquery.com *.x.com,domain=kinox.lat|kinos.to|kinox.am|kinox.click|kinox.cloud|kinox.club|kinox.digital|kinox.direct|kinox.express|kinox.fun|kinox.fyi|kinox.gratis|kinox.io|kinox.lol|kinox.me|kinox.mobi|kinox.pub|kinox.sh|kinox.to|kinox.tube|kinox.tv|kinox.wtf|kinoz.to,~third-party +$popup,third-party,domain=kinos.to|kinox.am|kinox.click|kinox.cloud|kinox.club|kinox.digital|kinox.direct|kinox.express|kinox.fun|kinox.fyi|kinox.gratis|kinox.io|kinox.lat|kinox.lol|kinox.me|kinox.mobi|kinox.pub|kinox.sh|kinox.to|kinox.tube|kinox.tv|kinox.wtf|kinoz.to +$third-party,xmlhttprequest,domain=kinos.to|kinox.am|kinox.click|kinox.cloud|kinox.club|kinox.digital|kinox.direct|kinox.express|kinox.fun|kinox.fyi|kinox.gratis|kinox.io|kinox.lat|kinox.lol|kinox.me|kinox.mobi|kinox.pub|kinox.sh|kinox.to|kinox.tube|kinox.tv|kinox.wtf|kinoz.to +! Specific filters necessary for sites allowlisted with $genericblock filter option +! jetzt.de +@@||jetzt.de^$generichide +! dood.pm +/^https?:\/\/www\.[0-9a-z]{8,}\.com\/[0-9a-z]{1,4}\.js$/$script,third-party,domain=dood.la|dood.pm|dood.sh|dood.so|dood.to|dood.watch|dood.ws +! Internal use of EL +||raw.githubusercontent.com/easylist/easylist/master/docs/1x1.gif +||raw.githubusercontent.com/easylist/easylist/master/docs/2x2.png$third-party +! Filters for ABP testpages +testpages.eyeo.com*js/test-script-regex +testpages.eyeo.com*js/test-script.js +! *** easylist:easylist/easylist_specific_block_popup.txt *** +$popup,third-party,domain=1337x.buzz|adblockeronstape.me|adblockeronstreamtape.me|adblockeronstrtape.xyz|adblockplustape.com|adblockplustape.xyz|adblockstreamtape.art|adblockstreamtape.fr|adblockstreamtape.site|adblocktape.online|adblocktape.store|adblocktape.wiki|advertisertape.com|animepl.xyz|animeworld.biz|antiadtape.com|atrocidades18.net|cloudemb.com|cloudvideo.tv|d000d.com|databasegdriveplayer.xyz|dembed1.com|diampokusy.com|dir-proxy.net|dirproxy.info|dood.la|dood.li|dood.pm|dood.re|dood.sh|dood.so|dood.to|dood.watch|dood.wf|dood.ws|dood.yt|doods.pro|dooood.com|ds2play.com|embedsito.com|fembed-hd.com|file-upload.com|filemoon.sx|freeplayervideo.com|geoip.redirect-ads.com|gettapeads.com|gogoanime.lol|gogoanime.nl|haes.tech|highstream.tv|hubfiles.ws|hydrax.xyz|katfile.com|kissanime.lol|kokostream.net|livetv498.me|loader.to|luluvdo.com|mixdroop.co|mixdrop.ag|mixdrop.bz|mixdrop.click|mixdrop.club|mixdrop.nu|mixdrop.ps|mixdrop.si|mixdrop.sx|mixdrop.to|mixdrp.co|mixdrp.to|monstream.org|noblocktape.com|okru.link|oneproxy.org|piracyproxy.biz|piraproxy.info|pixroute.com|playtube.ws|pouvideo.cc|projectfreetv2.com|proxyer.org|raes.tech|sbfast.com|sbplay2.com|sbplay2.xyz|sbthe.com|scloud.online|shavetape.cash|slmaxed.com|ssbstream.net|stapadblockuser.info|stapadblockuser.xyz|stape.fun|stape.me|stapewithadblock.beauty|stapewithadblock.monster|stapewithadblock.xyz|strcloud.in|streamadblocker.cc|streamadblocker.com|streamadblocker.store|streamadblocker.xyz|streamlare.com|streamnoads.com|streamta.pe|streamtape.cc|streamtape.com|streamtape.to|streamtape.xyz|streamtapeadblock.art|streamtapeadblockuser.art|streamtapeadblockuser.homes|streamtapeadblockuser.monster|streamtapeadblockuser.xyz|streamz.ws|strtape.cloud|strtapeadblocker.xyz|strtapewithadblock.art|strtapewithadblock.xyz|strtpe.link|supervideo.tv|suzihaza.com|tapeadsenjoyer.com|tapeadvertisement.com|tapeantiads.com|tapeblocker.com|tapelovesads.org|tapenoads.com|tapewithadblock.com|tapewithadblock.org|theproxy.ws|trafficdepot.xyz|tubeload.co|un-block-voe.net|uploadfiles.pw|uproxy.co|upstream.to|upvid.biz|uqload.com|userload.co|vanfem.com|vgfplay.com|vidcloud9.com|vidlox.me|viewsb.com|vivo.sx|voe-unblock.com|voe-unblock.net|voe.sx|voeunblock1.com|voeunblock2.com|voiranime.com|watchsb.com|welovemanga.one|wiztube.xyz|wootly.ch|y2mate.is|youtubedownloader.sh|ytmp3.cc|ytmp3.sh +/&*^$popup,domain=piracyproxy.app|piraproxy.info|unblocked.club|unblockedstreaming.net +/?ref=$popup,domain=hltv.org +/hkz*^$popup,domain=piracyproxy.app|piraproxy.info|unblocked.club|unblockedstreaming.net +||123moviesfree.world/hd-episode/$popup +||ad.ymcdn.org^$popup +||amazon-adsystem.com^$popup,domain=twitch.tv +||b.link^$popup,domain=hltv.org +||binance.com^$popup,domain=live7v.com|usagoals.sx +||bit.ly^$popup,domain=dexerto.com|eteknix.com|gdriveplayer.us|kitguru.com|ouo.io|ouo.press|sh.st +||bitcoins-update.blogspot.com^$popup,domain=lineageos18.com +||bitskins.com^$popup,domain=hltv.org +||cdnqq.net/out.php$popup +||centent.stemplay.cc^$popup +||csgfst.com^$popup,domain=hltv.org +||csgofast.cash^$popup,domain=hltv.org +||csgofastx.com/?clickid=$popup,domain=hltv.org +||eentent.streampiay.me^$popup +||facebook.com/ads/ig_redirect/$popup,domain=instagram.com +||fentent.stre4mplay.one^$popup +||fentent.streampiay.me^$popup +||flashtalking.com^$popup,domain=twitch.tv +||flaticon.com/edge/banner/$popup +||gentent.stre4mplay.one^$popup +||gg.bet^$popup,domain=cq-esports.com +||hltv.org^*=|$popup,domain=hltv.org +||hqq.tv/out.php?$popup +||hurawatch.ru/?$popup +||ientent.stre4mplay.one^$popup +||jpg.church/*.php?cat$popup +||kentent.stre4mplay.one^$popup +||kissanimeonline.com/driectlink$popup +||link.advancedsystemrepairpro.com^$popup +||listentoyt.com/button/$popup +||listentoyt.com/vidbutton/$popup +||mercurybest.com^$popup,domain=hltv.org +||mp3-convert.org/p$popup +||notube.cc/p/$popup +||notube.fi/p/$popup +||notube.im/p/$popup +||notube.io/p/$popup +||notube.net/p/$popup +||pinoymovies.es/links/$popup +||qontent.pouvideo.cc^$popup +||rentalcars.com/?affiliateCode=$popup,domain=seatguru.com +||routeumber.com^$popup,domain=hltv.org +||rx.link^$popup,domain=uploadgig.com +||s.click.aliexpress.com^$popup,domain=dzapk.com|up-4ever.net +||sendspace.com/defaults/sendspace-pop.html$popup +||short.bitchute.com^$popup +||skycheats.com^$popup,domain=elitepvpers.com +||t.co^$popup,domain=hltv.org +||topeuropix.site/svop4/$popup +||vpnfortorrents.*?$popup +||vtube.to/api/click/$popup +||yout.pw/button/$popup +||yout.pw/vidbutton/$popup +||ytmp4converter.com/wp-content/uploads$popup +! Ad shield +$popup,domain=07c225f3.online|content-loader.com|css-load.com|html-load.cc|html-load.com|img-load.com +! about:blank popups +|about:blank#$popup,domain=22pixx.xyz|adblockstrtape.link|bitporno.com|cdnqq.net|clipconverter.cc|dailyuploads.net|dood.la|dood.so|dood.to|dood.video|dood.watch|dood.ws|doodcdn.com|flashx.net|gospeljingle.com|hqq.tv|imagetwist.com|mixdrop.bz|mixdrop.sx|mp4upload.com|onlystream.tv|playtube.ws|popads.net|powvideo.net|powvldeo.cc|putlocker.style|run-syndicate.com|soap2day.tf|spcdn.cc|strcloud.link|streamani.net|streamsb.net|streamtape.cc|streamtape.com|streamtape.site|strtape.cloud|strtape.tech|strtapeadblock.club|strtapeadblock.me|strtpe.link|supervideo.cc|tapecontent.net|turboimagehost.com|upstream.to|uptostream.com|uptostream.eu|uptostream.fr|uptostream.link|userload.co|vev.red|vevo.io|vidcloud.co|videobin.co|videowood.tv|vidoza.net|voe.sx|vortez.net|vshare.eu|watchserieshd.tv +! Domain popups +/^https?:\/\/.*\.(club|xyz|top|casa)\//$popup,domain=databasegdriveplayer.co|dood.la|dood.so|dood.to|dood.video|dood.watch|dood.ws|doodcdn.com|fmovies.world|gogoanimes.to|masafun.com|redirect-ads.com|strtpe.link|voe-unblock.com +! html/image popups +! /^https?:\/\/.*\.(jpg|jpeg|gif|png|svg|ico|js|txt|css|srt|vtt|webp)/$popup,domain=123series.ru|19turanosephantasia.com|1movieshd.cc|4anime.gg|4stream.gg|5movies.fm|720pstream.nu|745mingiestblissfully.com|adblockstrtape.link|animepahe.ru|animesultra.net|asianembed.io|bato.to|batotoo.com|batotwo.com|bigclatterhomesguideservice.com|bormanga.online|bunnycdn.ru|clicknupload.to|cloudvideo.tv|dailyuploads.net|databasegdriveplayer.co|divicast.com|dood.la|dood.pm|dood.sh|dood.so|dood.to|dood.video|dood.watch|dood.ws|dood.yt|doodcdn.com|dopebox.to|dramacool.pk|eplayvid.com|eplayvid.net|europixhd.net|exey.io|extreme-down.plus|files.im|filmestorrents.net|flashx.net|fmovies.app|fmovies.ps|fmovies.world|fraudclatterflyingcar.com|gayforfans.com|gdtot.nl|go-stream.site|gogoanime.run|gogoanimes.to|gomovies.pics|gospeljingle.com|hexupload.net|hindilinks4u.cam|hindilinks4u.nl|housecardsummerbutton.com|kaiju-no8.com|kaisen-jujutsu.com|kimoitv.com|kissanimes.net|leveling-solo.org|lookmoviess.com|magusbridemanga.com|mixdrop.sx|mkvcage.site|mlbstream.me|mlsbd.shop|mlwbd.host|movierulz.cam|movies2watch.ru|movies2watch.tv|moviesrulz.net|mp4upload.com|myflixer.it|myflixer.pw|myflixer.today|myflixertv.to|nflstream.io|ngomik.net|nkiri.com|nswgame.com|olympicstreams.co|paidnaija.com|playemulator.online|primewire.today|prmovies.org|putlocker-website.com|putlocker.digital|racaty.io|racaty.net|record-ragnarok.com|redirect-ads.com|reputationsheriffkennethsand.com|sflix.to|shadowrangers.live|skidrow-games.com|skidrowcodex.net|sockshare.ac|sockshare1.com|solarmovies.movie|speedvideo.net|sportsbay.watch|steampiay.cc|stemplay.cc|streamani.net|streamsb.net|streamsport.icu|streamta.pe|streamtape.cc|streamtape.com|streamtape.net|streamz.ws|strikeout.cc|strikeout.nu|strtape.cloud|strtape.site|strtape.tech|strtapeadblock.me|strtpe.link|tapecontent.net|telerium.net|tinycat-voe-fashion.com|toxitabellaeatrebates306.com|turkish123.com|un-block-voe.net|upbam.org|uploadmaza.com|upmovies.net|upornia.com|uprot.net|upstream.to|upvid.co|v-o-e-unblock.com|vidbam.org|vidembed.cc|vidnext.net|vido.fun|vidsrc.me|vipbox.lc|vipleague.pm|viprow.nu|vipstand.pm|voe-un-block.com|voe-unblock.com|voe.sx|voeun-block.net|voeunbl0ck.com|voeunblck.com|voeunblk.com|voeunblock3.com|vumooo.vip|watchserieshd.tv|watchseriesstream.com|xmovies8.fun|xn--tream2watch-i9d.com|yesmovies.mn|youflix.site|youtube4kdownloader.com|ytanime.tv|yts-subs.com +! *** easylist:easylist_adult/adult_specific_block.txt *** +/agent.php?spot=$domain=justthegays.com +://*.justthegays.com/$script,~third-party +||037jav.com/wp-content/uploads/2021/04/*.gif +||18porn.sex/ptr18.js +||18teensex.tv/player/html.php$subdocument +||2watchmygf.com/spot/ +||3movs.com/2ff/ +||3movs.xxx/2ff/ +||3naked.com/nb/ +||3prn.com/even/ok.js +||429men.com/zdoink/ +||4tube.com/assets/abpe- +||4tube.com/assets/adf- +||4tube.com/assets/adn- +||4tube.com/assets/padb- +||4tube.com/nyordo.js +||4wank.com/bump/ +||4wank.net/bump/ +||777av.cc/og/ +||8boobs.com/flr.js +||8muses.com/banner/ +||a.seksohub.com^ +||aa.fapnado.xxx^ +||ab.fapnado.xxx^ +||absoluporn.com/code/script/ +||ad.pornutopia.org^ +||ad69.com/analytics/ +||adf.uhn.cx^ +||adrotic.girlonthenet.com^ +||adult-sex-games.com/images/adult-games/ +||adult-sex-games.com/images/promo/ +||adultasianporn.com/puty3s/ +||adultfilmdatabase.com/graphics/porndude.png +||affiliates.goodvibes.com^ +||akiba-online.com/data/siropu/ +||alaska.xhamster.com^ +||alaska.xhamster.desi^ +||alaska.xhamster2.com^ +||alaska.xhamster3.com^ +||alrincon.com/nbk/ +||amateur.tv/misc/mYcLBNp7fx.js +||analdin.xxx/player/html.php?aid= +||analsexstars.com/og/ +||anybunny.tv/js/main.ex.js +||anyporn.com/aa/ +||anysex.com/*/js| +||anysex.com/*/script| +||anysex.com^$subdocument,~third-party +||api.adultdeepfakes.cam/banners +||api.redgifs.com/v2/gifs/promoted +||as.hobby.porn^ +||asg.faperoni.com^ +||atube.xxx/static/js/abb.js +||aucdn.net^$media,domain=clgt.one +||avn.com/server/ +||b1.tubexo.tv^$subdocument +||b8ms7gkwq7g.crocotube.com^ +||babepedia.com/iStripper/ +||babepedia.com/iStripper2023/ +||babesandstars.com/img/banners/ +||babeshows.co.uk^*banner +||babesinporn.com^*/istripper/ +||babesmachine.com/images/babesmachine.com/friendimages/ +||badjojo.com/d5 +||banners.cams.com^ +||between-legs.com/banners2/ +||between-legs.com^*/banners/ +||bigcock.one/worker.js +||bigdick.tube/tpnxa/ +||bigtitsgallery.net/qbztdpxulhkoicd.php +||bigtitslust.com/lap70/s/s/suo.php +||bionestraff.pro/300x250.php +||bodsforthemods.com/srennab/ +||bootyheroes.com//static/assets/img/banners/ +||boyfriend.show/widgets/Spot +||boyfriendtv.com/ads/ +||boyfriendtv.com/bftv/b/ +||boyfriendtv.com/bftv/www/js/*.min.js?url= +||boysfood.com/d5.html +||bravoteens.com/ta/ +||bravotube.net/cc/ +||bravotube.net/js/clickback.js +||brick.xhamster.com^ +||brick.xhamster.desi^ +||brick.xhamster2.com^ +||brick.xhamster3.com^ +||bunnylust.com/sponsors/ +||buondua.com/templatesygfo76jp36enw15_/ +||cam-video.xxx/js/popup.min.js +||cambay.tv/contents/other/player/ +||camcaps.ac/33a9020b46.php +||camcaps.io/024569284e.php +||camcaps.to/400514f2db.php +||camclips.cc/api/$image,script +||camclips.cc/ymGsBPvLBH +||camhub.cc/static/js/bgscript.js +||cams.imagetwist.com/in/?track=$subdocument +||cams.imgtaxi.com^ +||camvideos.tv/tpd.png +||camvideos.tv^$subdocument +||cdn3x.com/xxxdan/js/xxxdan.vast. +||celeb.gate.cc/assets/bilder/bann +||cfgr3.com/videos/*.mp4$rewrite=abp-resource:blank-mp4,domain=hitbdsm.com +||cherrynudes.com/t33638ba5008.js +||chikiporn.com/sqkqzwrecy/ +||clicknplay.to/q3gSxw5.js +||clips4sale.com^$domain=mrdeepfakes.com +||cloud.hentai-moon.com/contents/hdd337st/$media +||cluster.xhspot.com^ +||cover.ydgal.com/axfile/ +||creative.live.javmix.tv^ +||creative.live.missav.com^ +||creative.live.tktube.com^ +||creative.live7mm.tv^ +||creative.thefaplive.com^ +||creative.upskirtlive.com^ +||creatives.cliphunter.com^ +||cumlouder.com/nnubb.js +||cuntlick.net/banner/ +||cutegurlz.com/promos-royal-slider/aff/ +||dads-banging-teens.com/polished- +||daftporn.com/nb_ +||dailyporn.club/at/code.php +||dailyporn.club/nba/ +||darknessporn.com/prrls/ +||dcraddock.uk/frame/ +||dcraddock.uk/images/b/ +||deepxtube.com/zips/ +||definebabe.com/sponsor_ +||delivery.porn.com^ +||depvailon.com/sponsored.html +||dirtyvideo.fun/js/script_ +||dixyporn.com/include/ +||dl.4kporn.xxx^ +||dl.crazyporn.xxx^ +||dl.hoes.tube^ +||dl.love4porn.com^ +||dofap.com/banners/ +||doseofporn.com/img/jerk.gif +||doseofporn.com/t63fd79f7055.js +||dpfantasy.org/k2s.gif +||dporn.com/edraovnjqohv/ +||dporn.com/tpnxa/ +||dragonthumbs.com/adcode.js +||drivevideo.xyz/advert/ +||drtuber.com/footer_ +||dyn.empflix.com^ +||dyn.tnaflix.com^ +||ea-tube.com/i2/ +||easypic.com/js/easypicads.js +||easyporn.xxx/tmp/ +||empflix.com/mew.php +||enporn.org/system/theme/AnyPorn/js/popcode.min.js +||entensity.net/crap/ +||enter.javhd.com/track/ +||eporner.com/dot/ +||eporner.com/event.php +||eporner.com^$subdocument,~third-party +||erowall.com/126.js +||erowall.com/tf558550ef6e.js +||escortdirectory.com//images/ +||exgirl.net/wp-content/themes/retrotube/assets/img/banners/ +||exoav.com/nb/ +||extremescatporn.com/static/images/banners/ +||fakings.com/tools/get_banner.php +||familyporner.com/prerolls/ +||fapclub.sex/js/hr.js +||fapnado.com/api/ +||fapnado.com/bump +||fappenist.com/fojytyzzkm.php +||faptor.com/api/ +||faptor.com/bump/ +||fastfuckgames.com/aff.htm +||fennyboy.com/js/dabt.js +||fennyboy.com/negco- +||fetishshrine.com/js/customscript.js +||files.wordpress.com^$domain=hentaigasm.com +||flw.camcaps.ac^ +||footztube.com/b_ +||footztube.com/f_ +||for-iwara-tools.tyamahori.com/ninjaFillter/ +||freehqsex.com/ads/ +||freelivesex.tv/imgs/ad/ +||freeones.com/build/freeones/adWidget.$script +||freeones.com/static-assets/istripper/ +||freepornxxx.mobi/popcode.min.js +||freepublicporn.com/prerolls/ +||freeteen.sex/ab/ +||freeuseporn.com/tceb29242cf7.js +||frprn.com/even/ok.js +||ftopx.com/345.php +||ftopx.com/isttf558550ef6e.js +||ftopx.com/tf558550ef6e.js +||fuwn782kk.alphaporno.com^ +||galleries-pornstar.com/thumb_top/ +||gamcore.com/ajax/abc? +||gamcore.com/js/ipp.js +||gay.bingo/agent.php +||gay4porn.com/ai/ +||gayforfans.com^*.php|$script +||gaygo.tv/gtv/frms/ +||gaystream.pw/juicy.js +||gaystream.pw/pemsrv.js +||gaystream.pw/pushtop.js +||gelbooru.com/extras/ +||girlsofdesire.org/blr3.php +||girlsofdesire.org/flr2.js +||girlsofdesire.org/flr6.js +||go.celebjihad.live^ +||go.pornav.net^ +||go.redgifs.com^ +||go.stripchat.beeg.com^ +||go.strpjmp.com^ +||haberprofil.biz/assets/*/vast.js +||haes.tech/js/script_ +||hanime.xxx/wp-content/cache/wpfc-minified/fggil735/fa9yi.js +||hd21.*/templates/base_master/js/jquery.shows2.min.js +||hdporn24.org/vcrtlrvw/ +||hdpornfree.xxx/rek/ +||hdpornmax.com/tmp/ +||hdtube.porn/fork/ +||hdtube.porn/rods/ +||hellporno.com/_a_xb/ +||hellporno.com^$subdocument,~third-party +||hentai2w.com/ark2023/ +||hentaibooty.com/uploads/banners/ +||hentaicdn.com/cdn/v2.assets/js/exc +||hentaidude.xxx/wp-content/plugins/script-manager/ +||hentaifox.com/js/ajs.js +||hentaifox.com/js/slider.js +||hentaihere.com/arkNVB/ +||hentaini.com/img/ads/ +||hentairider.com/banners/ +||hentairules.net/gal/new-gallery-dump-small.gif +||hentaiworld.tv/banners-script.js +||herexxxtube.com/tmp/ +||hitomi.la/ebJqXsy/ +||hitprn.com/c_ +||hitslut.b-cdn.net/*.gif +||hoes.tube/ai/ +||home-xxx-videos.com/snowy- +||homemade.xxx/player/html.php?aid= +||homeprivatevids.com/js/580eka426.js +||hornygamer.com/includes/gamefile/sw3d_hornygamer.gif +||hornygamer.com/play_horny_games/ +||hornyjourney.com/fr.js +||hot-sex-tube.com/sp.js +||hotgirlclub.com/assets/vendors/ +||hotgirlsdream.com/tf40bbdd1767.js +||hotmovs.com/fzzgbzhfm/ +||hotmovs.com/suhum/ +||hottystop.com/f9de7147b187.js +||hottystop.com/t33638ba5008.js +||hqbang.com/api/ +||hqporn.su/myvids/ +||hqpornstream.com/pub/ +||hypnohub.net/assets/hub.js +||i.imgur.com^$domain=hentaitube.icu +||iceporn.com/player_right_ntv_ +||idealnudes.com/tf40bbdd1767.js +||imagepost.com/stuff/ +||imagetwist.com/img/1001505_banner.png +||imageweb.ws/whaledate.gif +||imageweb.ws^$domain=tongabonga.com +||imgbox.com/images/tpd.png +||imgderviches.work/exclusive/bayou_ +||imgdrive.net/xb02673583fb.js +||imgtaxi.com/frame.php +||imhentai.xxx/js/slider.js +||inporn.com/8kl7mzfgy6 +||internationalsexguide.nl/banners/ +||internationalsexguide.nl/forum/clientscript/PopUnderISG.js +||interracial-girls.com/chaturbate/ +||interracial-girls.com/i/$image +||intporn.com/js/siropu/ +||intporn.com/lj.js +||inxxx.com/api/get-spot/ +||ipornxxx.net/banners/ +||jav-bukkake.net/images/download-bukkake.jpg +||javenglish.net/tcads.js +||javfor.tv/av/js/aapp.js +||javgg.me/wp-content/plugins/1shortlink/js/shorten.js +||javhub.net/av/js/aapp.js +||javhub.net/av/js/cpp.js +||javhub.net/ps/UJXTsc.js +||javideo.net/js/popup +||javlibrary.com/js/bnr_ +||javpornclub.com/images/banners/takefile72890.gif +||javslon.com/clacunder.js +||javxnxx.pro/pscript.js +||jennylist.xyz/t63fd79f7055.js +||jizzberry.com/65 +||justthegays.com/agent.php +||justthegays.com/api/spots/ +||justthegays.com/api/users/ +||jzzo.com/_ad +||k2s.tv/cu.js +||kbjfree.com/assets/scripts/popad.js +||kindgirls.com/banners2/ +||kompoz2.com/js/take.max.js +||koushoku.org/proxy? +||kurakura21.space/js/baf.js +||lesbianstate.com/ai/ +||letsporn.com/sda/ +||lewdspot.com/img/aff_ +||lolhentai.net/tceb29242cf7.js +||lustypuppy.com/includes/popunder.js +||madmen2.alastonsuomi.com^ +||manga18fx.com/tkmo2023/ +||manhwa18.cc/main2023/ +||mansurfer.com/flash_promo/ +||manysex.com/ha10y0dcss +||manysex.tube/soc/roll.js +||marawaresearch.com/js/wosevu.js +||marine.xhamster.com^ +||marine.xhamster.desi^ +||marine.xhamster2.com^ +||marine.xhamster3.com^ +||mature-chicks.com/floral-truth-c224/ +||matureworld.ws/images/banners/ +||megatube.xxx/atrm/ +||milffox.com/ai/ +||milfnut.net/assets/jquery/$script +||milfz.club/qpvtishridusvt.php +||milkmanbook.com/dat/promo/ +||momvids.com/player/html.php?aid= +||mopoga.com/img/aff_ +||mylistcrawler.com/wp-content/plugins/elfsight-popup-cc/ +||mylust.com/092- +||mylust.com/assets/script.js +||mysexgames.com/pix/best-sex-games/ +||mysexgames.com/plop.js +||myvideos.club/api/ +||n.hnntube.com^ +||naughtyblog.org/wp-content/images/k2s/ +||nigged.com/tools/get_banner.php +||nozomi.la/nozomi4.js +||nsfwalbum.com/efds435m432.js +||nudepatch.net/dynbak.min.js +||nudepatch.net/edaea0fd3b2c.j +||nvdst.com/adx_ +||oi.429men.com^ +||oi.lesbianbliss.com^ +||oj.fapnado.xxx^ +||oldies.name/oldn/ +||orgyxxxhub.com/js/965eka57.js +||orgyxxxhub.com/js/arjlk.js +||otomi-games.com/wp-content/uploads/*-Ad-728- +||pacaka.conxxx.pro^ +||pantyhosepornstars.com/foon/pryf003.js +||phonerotica.com/resources/img/banners/ +||picshick.com/b9ng.js +||pimpandhost.com^$subdocument +||pisshamster.com/prerolls/ +||player.javboys.cam/js/script_ +||pleasuregirl.net/bload +||plibcdn.com/templates/base_master/js/jquery.shows2.min.js +||plx.porndig.com^ +||porn-star.com/buttons/ +||pornalin.com/skd +||porndoe.com/banner/ +||porndoe.com/wp-contents/channel? +||pornerbros.com/lolaso/ +||pornforrelax.com/kiadtgyzi/ +||porngals4.com/img/b/ +||porngames.tv/images/skyscrapers/ +||porngames.tv/js/banner.js +||porngames.tv/js/banner2.js +||porngo.tube/tdkfiololwb/ +||pornhat.com/banner/ +||pornhub.*/_xa/ads +||pornicom.com/jsb/ +||pornid.name/ffg/ +||pornid.name/polstr/ +||pornid.xxx/azone/ +||pornid.xxx/pid/ +||pornj.com/wimtvggp/ +||pornjam.com/assets/js/renderer. +||pornjv.com/doe/ +||pornktube.tv/js/kt.js +||pornmastery.com/*/img/banners/ +||pornmix.org/cs/ +||porno666.com/code/script/ +||pornorips.com/4e6d8469754a.js +||pornorips.com/9fe1a47dbd42.js +||pornpapa.com/extension/ +||pornpics.com^$subdocument +||pornpics.de/api/banner/ +||pornpoppy.com/jss/external_pop.js +||pornrabbit.com^$subdocument +||pornsex.rocks/league.aspx +||pornstargold.com/9f3e5bbb8645.js +||pornstargold.com/af8b32fc37c0.js +||pornstargold.com/e7e5ed47e8b4.js +||pornstargold.com/tf2b6c6c9a44/ +||pornv.xxx/static/js/abb.js +||pornve.com/img/300x250g.gif +||pornxbox.com/cs/ +||pornxp.com/2.js +||pornxp.com/sp/ +||pornxp.net/spnbf.js +||pornyhd.com/hillpop.php +||port7.xhamster.com^ +||port7.xhamster.desi^ +||port7.xhamster2.com^ +||port7.xhamster3.com^ +||powe.asian-xxx-videos.com^ +||pregchan.com/.static/pages/dlsite.html +||projectjav.com/scripts/projectjav_newpu.js +||ps0z.com/300x250b +||punishworld.com/prerolls/ +||puporn.com/xahnqhalt/ +||pussycatxx.com/tab49fb22988.js +||pussyspace.com/fub +||qovua60gue.tubewolf.com^ +||rambo.xhamster.com^ +||rat.xxx/sofa/ +||rat.xxx/wwp2/ +||realgfporn.com/js/bbbasdffdddf.php +||redgifs.com/assets/js/goCtrl +||redtube.com/_xa/ads +||redtube.com^$subdocument,~third-party +||redtube.fm/advertisment.htm +||redtube.fm/lcgldrbboxj.php +||rest.sexypornvideo.net^ +||rintor.space/t2632cd43215.js +||rockpoint.xhaccess.com^ +||rockpoint.xhamster.com^ +||rockpoint.xhamster.desi^ +||rockpoint.xhamster2.com^ +||rockpoint.xhamster3.com^ +||rockpoint.xhamster42.desi^ +||rst.pornyhd.com^ +||rtb-1.jizzberry.com^ +||rtb-1.mylust.com^ +||rtb-1.xcafe.com^ +||rtb-3.xgroovy.com^ +||ruedux.com/code/script/ +||rule34.xxx/images/r34_doll.png +||rule34hentai.net^$subdocument,~third-party +||rusdosug.com/Fotos/Banners/ +||scatxxxporn.com/static/images/banners/ +||schoolasiagirls.net/ban/ +||scoreland.*/tranny.jpg +||sdhentai.com/marketing/ +||see.xxx/pccznwlnrs/ +||ser.everydayporn.co^ +||service.iwara.tv/z/z.php +||sex-techniques-and-positions.com/banners +||sex3.com/ee/s/s/im.php +||sex3.com/ee/s/s/js/ssu +||sex3.com/ee/s/s/su +||sexcelebrity.net/contents/restfiles/player/ +||sextubebox.com/js/239eka836.js +||sextubebox.com/js/580eka426.js +||sextvx.com/*/ads/web/ +||sexvid.pro/knxx/ +||sexvid.pro/rrt/ +||sexvid.xxx/ghjk/ +||simply-hentai.com/prod/ +||sleazyneasy.com/contents/images-banners/ +||sleazyneasy.com/jsb/ +||sli.crazyporn.xxx^ +||slit.lewd.rip^ +||slview.psne.jp^ +||smutgamer.com/ta2b8ed9c305.js +||smutty.com/n.js +||sonorousporn.com/nb/ +||starwank.com/api/ +||stream-69.com/code/script/ +||striptube.net/images/ +||striptube.net/te9e85dc6853.js +||sunporno.com/api/spots/ +||sunporno.com/blb.php +||sunporno.com/sunstatic/frms/ +||support.streamjav.top^ +||taxidrivermovie.com^$~third-party,xmlhttprequest +||tbib.org/tbib. +||teenporno.xxx/ab/ +||thegay.porn/gdtatrco/ +||thehun.net/banners/ +||thenipslip.com/b6c0cc29df5a.js +||thisvid.com/enblk/ +||tits-guru.com/js/istripper4.js +||titsintops.com/phpBB2/nb/ +||tktube.com/adlib/ +||tnaflix.com/azUhsbtsuzm? +||tnaflix.com/js/mew.js? +||topescort.com/static/bn/ +||tranny.one/bhb.php +||tranny.one/trannystatic/ads/ +||trannygem.com/ai +||tryboobs.com/bfr/ +||tsmodelstube.com/fun/$image,~third-party +||tubator.com/lookout/ex_rendr3.js +||tube.hentaistream.com/wp-includes/js/pop4.js +||tube8.*/_xa/ads +||tubeon.*/templates/base_master/js/jquery.shows2.min.js +||tuberel.com/looppy/ +||tubev.sex/td24f164e52654fc593c6952240be1dc210935fe/ +||tubxporn.xxx/js/xp.js +||txxx.com/api/input.php? +||upornia.com/yxpffpuqtjc/ +||urgayporn.com/bn/ +||uviu.com/_xd/ +||videosection.com/adv-agent.php +||vietpub.com/banner/ +||vikiporn.com/contents/images-banners/ +||vikiporn.com/js/customscript.js +||vipergirls.to/clientscript/popcode_ +||vipergirls.to/clientscript/poptrigger_ +||viptube.com/player_right_ntv_ +||vivatube.*/templates/base_master/js/jquery.shows2.min.js +||vndevtop.com/lvcsm/abck-banners/ +||voyeurhit.com/ffpqvfaczp/ +||vuwjv7sjvg7.zedporn.com^ +||warashi-asian-pornstars.fr/wapdb-img/ep/ +||watch-my-gf.com/list/ +||watchmygf.mobi/best.js +||wcareviews.com/bh/ +||wcareviews.com/bv/ +||wetpussygames.com/t78d42b806a3.js +||winporn.*/templates/base_master/js/jquery.shows2.min.js +||ww.hoes.tube^ +||wwwxxx.uno/pop-code.js +||wwwxxx.uno/taco-code.js +||x-hd.video/vcrtlrvw/ +||x.xxxbp.tv^ +||x.xxxbule.com^ +||x0r.urlgalleries.net^ +||x1hub.com/alexia_anders_jm.gif +||xanimu.com/prerolls/ +||xbooru.com/script/application.js +||xcity.org/tc2ca02c24c5.js +||xfree.com/api/banner/ +||xgirls.agency/pg/c/ +||xgroovy.com/65 +||xgroovy.com/static/js/script.js +||xhaccess.com^*/vast? +||xhamster.com*/vast? +||xhamster.desi*/vast? +||xhamster2.com*/vast? +||xhamster3.com*/vast? +||xhamster42.desi*/vast? +||xhand.com/player/html.php?aid= +||xhcdn.com/site/*/ntvb.gif +||xis.vipergirls.to^ +||xjav.tube/ps/Hij2yp.js +||xmilf.com/0eckuwtxfr/ +||xnxxporn.video/nb39.12/ +||xozilla.com/player/html.php$subdocument +||xpics.me/everyone. +||xrares.com/xopind.js +||xvideos.com/zoneload/ +||xvideos.es/zoneload/ +||xvideos.name/istripper.jpg +||xxxbox.me/vcrtlrvw +||xxxdessert.com/34l329_fe.js +||xxxfetish24.com/helper/tos.js +||xxxgirlspics.com/load.js +||xxxshake.com/assets/f_load.js +||xxxshake.com/static/js/script.js +||xxxvogue.net/_ad +||xxxxsx.com/sw.js +||yeptube.*/templates/base_master/js/jquery.shows2.min.js +||yespornpleasexxx.com/wp-content/litespeed/js/ +||yotta.scrolller.com^ +||you-porn.com/_xa/ads +||youjizz.com/KWIKY*.mp4$rewrite=abp-resource:blank-mp4,domain=youjizz.com +||youporn.com/_xa/ads +||youporn.com^$script,subdocument,domain=youporn.com|youporngay.com +||yourlust.com*/serve +||yourlust.com/assets/script.js +||yourlust.com/js/scripts.js +||yporn.tv/grqoqoswxd.php +||zazzybabes.com/istr/t2eff4d92a2d.js +||zbporn.com/ttt/ +||zzup.com/ad.php +! Exoclick scripts +/^https?:\/\/.*\/[a-z]{4,}\/[a-z]{4,}\.js/$script,~third-party,domain=bdsmx.tube|bigdick.tube|desiporn.tube|hclips.com|hdzog.com|hdzog.tube|hotmovs.com|inporn.com|porn555.com|shemalez.com|tubepornclassic.com|txxx.com|upornia.com|vjav.com|vxxx.com|youteenporn.net +! third-party servers +/^https?:\/\/.*\.(club|news|live|online|store|tech|guru|cloud|bid|xyz|site|pro|info|online|icu|monster|buzz|fun|website|photos|re|casa|top|today|space|network|live|work|systems|ml|world|life)\/.*/$~media,domain=1vag.com|4tube.com|asianpornmovies.com|getsex.xxx|glam0ur.com|hclips.com|hdzog.com|homemadevids.org|hotmovs.com|justthegays.com|milfzr.com|porn555.com|pornforrelax.com|pornj.com|pornl.com|puporn.com|see.xxx|shemalez.com|sss.xxx|streanplay.cc|thegay.com|thegay.porn|tits-guru.com|tubepornclassic.com|tuberel.com|txxx.com|txxx.tube|upornia.com|vjav.com|voyeurhit.com|xozilla.com +! (/sw.js) +/^https?:\/\/.*\/.*sw[0-9._].*/$script,xmlhttprequest,domain=1vag.com|4tube.com|adult-channels.com|analdin.com|biguz.net|bogrodius.com|chikiporn.com|fantasti.cc|fuqer.com|fux.com|hclips.com|heavy-r.com|hog.tv|megapornx.com|milfzr.com|mypornhere.com|porn555.com|pornchimp.com|pornerbros.com|pornj.com|pornl.com|pornototale.com|porntube.com|sexu.com|sss.xxx|thisav.com|titkino.net|tubepornclassic.com|tuberel.com|tubev.sex|txxx.com|vidmo.org|vpornvideos.com|xozilla.com|youporn.lc|youpornhub.it|yourdailypornstars.com +! +/^https?:\/\/.*\/[a-z0-9A-Z_]{2,15}\.(php|jx|jsx|1ph|jsf|jz|jsm|j$)/$script,subdocument,domain=3movs.com|4kporn.xxx|4tube.com|alotporn.com|alphaporno.com|alrincon.com|amateur8.com|anyporn.com|badjojo.com|bdsmstreak.com|bestfreetube.xxx|bigtitslust.com|bravotube.net|cockmeter.com|crazyporn.xxx|daftporn.com|ebony8.com|erome.com|exoav.com|fantasti.cc|fapality.com|fapnado.com|fetishshrine.com|freeporn8.com|gfsvideos.com|gotporn.com|hdporn24.org|hdpornmax.com|hdtube.porn|hellporno.com|hentai2w.com|hottorrent.org|hqsextube.xxx|hqtube.xxx|iceporn.com|imgderviches.work|imx.to|its.porn|katestube.com|lesbian8.com|love4porn.com|lustypuppy.com|manga18fx.com|manhwa18.cc|maturetubehere.com|megatube.xxx|milffox.com|momxxxfun.com|openloadporn.co|orsm.net|pervclips.com|porn-plus.com|porndr.com|pornicom.com|pornid.xxx|pornotrack.net|pornrabbit.com|pornwatchers.com|pornwhite.com|pussy.org|redhdtube.xxx|rule34.art|rule34pornvids.com|runporn.com|sexvid.porn|sexvid.pro|sexvid.xxx|sexytorrents.info|shameless.com|sleazyneasy.com|sortporn.com|stepmom.one|stileproject.com|str8ongay.com|tnaflix.com|urgayporn.com|vikiporn.com|wankoz.com|xbabe.com|xcafe.com|xhqxmovies.com|xxx-torrent.net|xxxdessert.com|xxxextreme.org|xxxonxxx.com|yourlust.com|youx.xxx|zbporn.com|zbporn.tv +! eporner +/^https?:\/\/.*\.eporner\.com\/[0-9a-f]{10,}\/$/$script,domain=eporner.com +! thegay.com +@@||thegay.com/assets//jwplayer-*/jwplayer.core.controls.html5.js|$domain=thegay.com +@@||thegay.com/assets//jwplayer-*/jwplayer.core.controls.js|$domain=thegay.com +@@||thegay.com/assets//jwplayer-*/jwplayer.js|$domain=thegay.com +@@||thegay.com/assets//jwplayer-*/provider.hlsjs.js|$domain=thegay.com +@@||thegay.com/assets/jwplayer-*/jwplayer.core.controls.html5.js|$domain=thegay.com +@@||thegay.com/assets/jwplayer-*/jwplayer.core.controls.js|$domain=thegay.com +@@||thegay.com/assets/jwplayer-*/jwplayer.js|$domain=thegay.com +@@||thegay.com/assets/jwplayer-*/provider.hlsjs.js|$domain=thegay.com +@@||thegay.com/upd/*/assets/preview*.js|$domain=thegay.com +@@||thegay.com/upd/*/static/js/*.js|$domain=thegay.com +||thegay.com^$script,domain=thegay.com +! websocket ads +$websocket,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com +! csp +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval',domain=coomer.su|thumbs.pro +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval',domain=gayforfans.com,~third-party +||thegay.com^$csp=default-src 'self' *.ahcdn.com fonts.gstatic.com fonts.googleapis.com https://thegay.com https://tn.thegay.com 'unsafe-inline' 'unsafe-eval' data: blob: +! *** easylist:easylist_adult/adult_specific_block_popup.txt *** +.com./$popup,domain=pornhub.com +|http*://*?$popup,third-party,domain=forums.socialmediagirls.com|pornhub.com|redtube.com|tube8.com|youporn.com|youporngay.com +||boyfriendtv.com/out/bg-$popup +||clicknplay.to/api/$popup +||icepbns.com^$popup,domain=iceporn.com +||livejasmin.com/pu/$popup +||missav.com/pop?$popup +||nhentai.net/api/_/popunder?$popup +||porndude.link/porndudepass$popup,domain=theporndude.com +||t.ly^$popup,domain=veev.to +||videowood.tv/pop?$popup +||xtapes.to/out.php$popup +||xteen.name/xtn/$popup +! about:blank popups +/about:blank.*/$popup,domain=bitporno.com|iceporn.com|katestube.com|videowood.tv|xtapes.to +! +$popup,third-party,domain=hentai2read.com|porn-tube-club.com +! ------------------------Specific element hiding rules------------------------! +! *** easylist:easylist/easylist_specific_hide.txt *** +magnet.so###AD +passwordsgenerator.net###ADCENTER +passwordsgenerator.net###ADTOP +advfn.com###APS_300_X_600 +advfn.com###APS_BILLBOARD +thetvdb.com###ATF +seafoodsource.com###Ad1-300x250 +seafoodsource.com###Ad2-300x250 +seafoodsource.com###Ad3-300x250 +boredbro.com###AdBox728 +moviekhhd.biz,webcarstory.com###Ads +search.avast.com###AsbAdContainer +ranker.com###BLOG_AD_SLOT_1 +weegy.com###BannerDiv +80.lv###Big_Image_Banner +citynews.ca###Bigbox_300x250 +calculatorsoup.com,thetvdb.com###Bottom +coincheckup.com###CCx5StickyBottom +chicagoprowrestling.com###Chicagoprowrestling_com_Top +gayemagazine.com###Containera2sdv > div > div > div[id^="comp-"] +webmd.com###ContentPane40 +new-kissanime.me###CvBNILUxis +dailydot.com###DD_Desktop_HP_Content1 +dailydot.com###DD_Desktop_HP_Content2 +dailydot.com###DD_Desktop_HP_Content3 +tweaktown.com###DesktopTop +promiseee.com###DetailButtonFloatAd +investing.com###Digioh_Billboard +newser.com###DivStoryAdContainer +satisfactory-calculator.com###DynamicInStream-Slot-1 +satisfactory-calculator.com###DynamicWidth-Slot-1 +satisfactory-calculator.com###DynamicWidth-Slot-2 +stripes.com###FeatureAd +esports.gg,howlongagogo.com,neatorama.com###FreeStarVideoAdContainer +esports.gg###FreeStarVideoAdContainer_VCT +ranker.com###GRID_AD_SLOT_1 +titantv.com###GridPlayer +appatic.com,gamescensor.com###HTML2 +fanlesstech.com###HTML2 > .widget-content +messitv.net###HTML23 +fanlesstech.com###HTML3 +fanlesstech.com###HTML4 > .widget-content +fanlesstech.com###HTML5 > .widget-content +gamescensor.com###HTML6 +fanlesstech.com###HTML6 > .widget-content +breitbart.com###HavDW +semiconductor-today.com###Header-Standard-Middle-Evatec +sitelike.org###HeaderAdsenseCLSFix +kob.com,kstp.com,whec.com###Header_1 +promiseee.com###HomeButtonFloatAd +stockinvest.us###IC_d_300x250_1 +stockinvest.us###IC_d_728x90_1 +messitv.net###Image5 +80.lv###Image_Banner_Mid1 +80.lv###Image_Banner_Mid3 +newstarget.com###Index06 > .Widget +newstarget.com###Index07 > .Widget +supremacy1914.com###KzTtoWW +engadget.com###LB-MULTI_ATF +fortune.com###Leaderboard0 +naturalnews.com###MastheadRowB +stripes.com###MidPageAd +cnet.com,medicalnewstoday.com###MyFiAd +medicalnewstoday.com###MyFiAd0 +neatorama.com###Neatorama_300x250_300x600_160x600_ATF +neatorama.com###Neatorama_300x250_300x600_160x600_BTF +neatorama.com###Neatorama_300x250_336x280_320x50_Incontent_1 +mainichi.jp###PC-english-rec1 +kohls.com###PDP_monetization_HL +kohls.com###PMP_monetization_HL +physicsandmathstutor.com###PMT_PDF_Top +physicsandmathstutor.com###PMT_Top +snwa.com###PolicyNotice +audioz.download###PromoHead +newstarget.com###PromoTopFeatured +officedepot.com###PromoteIqCarousel +sciencealert.com###Purch_D_R_0_1 +randomwordgenerator.com###RWG_Bottom_Banner_Desktop_970px +randomwordgenerator.com###RWG_Sidebar_Banner_Desktop_970px +randomwordgenerator.com###RWG_Under_Video_Player +edn.com###SideBarWrap +soapcalc.net###SidebarLeft +daringfireball.net###SidebarMartini +soapcalc.net###SidebarRight +imcdb.org###SiteLifeSupport +puzzle-aquarium.com,puzzle-minesweeper.com,puzzle-nonograms.com,puzzle-skyscrapers.com###Skyscraper +roblox.com###Skyscraper-Abp-Left +roblox.com###Skyscraper-Abp-Right +thecourier.com###TCFO_Middle2_300x250 +thecourier.com###TCFO_Middle_300x250 +today.az###TODAY_Slot_Top_1000x120 +today.az###TODAY_Slot_Vertical_01_240x400 +gearspace.com###Takeover +road.cc###Top-Billboard +the-scientist.com###Torpedo +utne.com###URTK_Bottom_728x90 +utne.com###URTK_Middle_300x250 +utne.com###URTK_Right_300x600 +scrabble-solver.com###Upper +breakingnews.ie###\30 _pweumum7 +helpnetsecurity.com###\32 8d7c1ee_l1 +turbobit.net###__bgd_link +news-daily.com,outlookindia.com,stripes.com###_snup-rtdx-ldgr1 +ytmp3.cc###a-320-50 +egotastic.com###a46c6331 +egotasticsports.com###a83042c4 +krunker.io###aHolder +tokder.org###aaaa +imagebam.com###aad-header-1 +imagebam.com###aad-header-2 +imagebam.com###aad-header-3 +kshow123.tv###ab-sider-bar +travelpulse.com###ab_container +uinterview.com###above-content +slideshare.net###above-recs-desktop-ad-sm +smartertravel.com###above-the-fold-leaderboard +jezebel.com,pastemagazine.com###above_logo +peacemakeronline.com###above_top_banner +breitbart.com###accontainer +usatoday.com###acm-ad-tag-lawrence_dfp_desktop_arkadium +usatoday.com###acm-ad-tag-lawrence_dfp_desktop_arkadium_after_share +nextdoor.com,sptfy.be###ad +ftw.usatoday.com,touchdownwire.usatoday.com###ad--home-well-wrapper +lasvegassun.com###ad-colB- +getmodsapk.com###ad-container +astrolis.com###ad-daily +uploadfox.net###ad-gs-05 +retrostic.com,sickchirpse.com,thetimes.co.uk###ad-header +livescore.com###ad-holder-gad-news-article-item +nationalrail.co.uk###ad-homepage-advert-a-grey-b-wrapper +nationalrail.co.uk###ad-homepage-advert-d-grey-b-wrapper +healthbenefitstimes.com###ad-image-below +thetimes.co.uk###ad-intravelarticle-inline +mayoclinic.org###ad-mobile-bottom-container +mayoclinic.org###ad-mobile-top-container +dvdsreleasedates.com###ad-movie +dappradar.com###ad-nft-top +thedailymash.co.uk,thepoke.co.uk,thetab.com###ad-sidebar-1 +thedailymash.co.uk,thepoke.co.uk,thetab.com###ad-sidebar-2 +thedailymash.co.uk,thepoke.co.uk,thetab.com###ad-sidebar-3 +thedailymash.co.uk,thepoke.co.uk,thetab.com###ad-sidebar-4 +stackabuse.com###ad-snigel-1 +stackabuse.com###ad-snigel-2 +stackabuse.com###ad-snigel-3 +stackabuse.com###ad-snigel-4 +wordplays.com###ad-sticky +agegeek.com,boards.net,freeforums.net,investing.com,mtaeta.info,notbanksyforum.com,pimpandhost.com,proboards.com,realgearonline.com,repairalmostanything.com,timeanddate.com,wordhippo.com,wordreference.com###ad1 +agegeek.com,investing.com,pimpandhost.com###ad2 +exchangerates.org.uk,investing.com###ad3 +comicbookmovie.com###adATFLeaderboard +chortle.co.uk,coloring.ws,dltk-holidays.com,dltk-kids.com,kidzone.ws,pcsteps.com,primeraescuela.com###adBanner +mdpi.com###adBannerContent +moomoo.io###adCard +globimmo.net###adConH +perchance.org###adCtn +spanishdict.com###adMiddle2-container +sainsburysmagazine.co.uk###adSlot-featuredInBlue +sherdog.com###adViAi +myevreview.com###ad_aside_1 +cheatcodes.com###ad_atf_970 +musescore.com###ad_cs_12219747_300_250 +musescore.com###ad_cs_12219747_728_90 +all-nettools.com,filesharingtalk.com,kiwibiker.co.nz,printroot.com###ad_global_below_navbar +myevreview.com###ad_main_bottom +myevreview.com###ad_main_middle +free-icon-rainbow.com###ad_responsive +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###ad_sidebar_2 +hulkshare.com###ad_user_banner_2 +coinarbitragebot.com###adathm +offidocs.com###adbottomoffidocs +canadianlisted.com###adcsacl +4qrcode.com###addContainer +odditycentral.com###add_160x600 +lifenews.com###adds +livemint.com###adfreeDeskSpace +oisd.nl###adguardbnnr +seowebstat.com###adhead-block +freepik.com###adobe-pagination-mkt-copy +onworks.net###adonworksbot +favouriteus.uk###adop_bfd +tutorialspoint.com###adp_top_ads +globimmo.net###adplus-anchor +192-168-1-1-ip.co,receivesms.co###adresp +dict.cc###adrig +audioreview.com,carlow-nationalist.ie,cellmapper.net,craigclassifiedads.com,duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion,emb.apl305.me,g.doubleclick.net,ip-address.org,irannewsdaily.com,kildare-nationalist.ie,laois-nationalist.ie,lorempixel.com,photographyreview.com,quiz4fun.com,roscommonherald.ie,waterford-news.ie###ads +birdsandblooms.com,familyhandyman.com,rd.com,tasteofhome.com,thehealthy.com###ads-container-single +seechamonix.com###ads-inner +unn.ua###ads-sidebar +unn.ua###ads-sidebar2 +mouthshut.com###ads_customheader_dvRightGads +funkypotato.com###ads_header_games +funkypotato.com###ads_header_home_970px +lingojam.com###adsense-area-label +194.233.68.230###adsimgxatass +ip-address.org###adsleft +digitimes.com###adspace +byjus.com###adtech-related-links-container +byjus.com###adtech-top-banner-container +dict.leo.org###adv-drectangle1 +dict.leo.org###adv-drectangle2 +dict.leo.org###adv-sitebar +leo.org###adv-wbanner +linuxblog.io###advads_ad_widget-3 +agma.io###advertDialog1 +radioonline.fm###advertise_center +steamcardexchange.net###advertisement +lifenews.com###advertisement-top +allthetests.com,bom.gov.au,cadenaazul.com,lapoderosa.com###advertising +offidocs.com###adxx +thebugle.co.za###adz +emojiterra.com###adz-header +hindustantimes.com###affiliate-shop-now +purplepainforums.com,snow-forecast.com###affiliates +exportfromnigeria.info###affs +slickdeals.net###afscontainer +osdn.net###after-download-ad +scmp.com###after-page-layout-container +prepostseo.com###after_button_ad_desktop +plagiarismchecker.co###afterbox +agar.io###agar-io_300x250 +1000logos.net###ai_widget-4 +alchetron.com###alchetronFreeStarVideoAdContainer +djchuang.com###amazon3 +entrepreneur.com###anchorcontainer +slashdot.org###announcement +ancient-origins.net###ao-article-outbrain +ancient-origins.net###ao-sidebar-outbrain +filmibeat.com###are-slot-rightrail +mybanktracker.com###article-content > .lazyloaded +thesun.co.uk###article-footer div[id*="-ads-"] +timesofmalta.com###article-sponsored +forbes.com###article-stream-1 +brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au###articlePartnerStories +thehindu.com###articledivrec +fool.com###articles-incontent2 +fool.com###articles-top +findmysoft.com###as_336 +flyordie.com###asf +stakingrewards.com###asset-calculator-banner +domaintoipconverter.com###associates-1 +tvtropes.org###asteri-sidebar +downforeveryoneorjustme.com###asurion +assamtribune.com###async_body_tags +addictivetips.com###at_popup_modal +timesnownews.com###atf103388570 +cityandstateny.com###atlas-module +adverts.ie###av_detail_side +dlraw.co,dlraw.to,manga-zip.info###avfap +teamfortress.tv###aw +gulte.com###awt_landing +filext.com###b1c +filext.com###b2c +filext.com###b4c +ytmp3.mobi###ba +filext.com###ba1c +encycarpedia.com###baa +unknowncheats.me###bab +gayvegas.com###background +presearch.com###background-cover +soccerbase.com###ball_splash_holder +gamepressure.com###baner-outer +allmyfaves.com,allthetests.com,dailynews.lk,dealsonwheels.co.nz,eth-converter.com,farmtrader.co.nz,freealts.pw,goosegame.io,greatbritishchefs.com,moviesfoundonline.com,mp3-convert.org,pajiba.com,sundayobserver.lk,techconnect.com,vstreamhub.com###banner +euroweeklynews.com###banner-970 +interest.co.nz###banner-ad-wrapper +bbcamerica.com,ifc.com,sundancetv.com,wetv.com###banner-bottom +hypergames.top,op.gg,thecarconnection.com###banner-container +battlefordsnow.com,cfjctoday.com,chatnewstoday.ca,ckpgtoday.ca,everythinggp.com,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca###banner-header +sourceforge.net###banner-sterling +israelnationalnews.com###banner-sticky +bbcamerica.com,ifc.com,onlinesearches.com,sundancetv.com,wetv.com###banner-top +4teachers.org###banner-wrapper +gamesfree.com###banner300 +edn.com,planetanalog.com###bannerWrap +webtoolhub.com###banner_719_105 +today.az###banner_750x90 +asmag.com###banner_C +asmag.com###banner_C2 +nitrome.com###banner_ad +nitrome.com###banner_box +nitrome.com###banner_description +freshnewgames.com###banner_header +baltic-course.com###banner_master_top +autoplius.lt###banner_right +nitrome.com###banner_shadow +cdn.ampproject.org,linguee.com,thesuburban.com###banner_top +workawesome.com###banner_wrap +belgie.fm,danmark.fm,deutschland.fm,espana.fm,italia.fm,nederland.fm###bannerbg +baltic-course.com###bannerbottom +komikcast.site###bannerhomefooter +baltic-course.com###bannerleft +phuketwan.com###bannersTop +baltic-course.com,webfail.com###bannertop +h-online.com###bannerzone +uinterview.com###below-content +smartertravel.com###below-the-fold-leaderboard +al.com,cleveland.com,gulflive.com,lehighvalleylive.com,masslive.com,mlive.com,newyorkupstate.com,nj.com,oregonlive.com,pennlive.com,silive.com,syracuse.com###below-toprail +post-gazette.com###benn-poll-iframe-container +safetydetectives.com###best_deals_widget +dcnewsnow.com,ktla.com###bestreviews-widget +slideshare.net###between-recs-ad-1-container +slideshare.net###between-recs-ad-2-container +usnews.com###bfad-slot +gameophobias.com,hindimearticles.net,solution-hub.com###bfix2 +shellshock.io###big-house-ad +bentoneveningnews.com,dailyregister.com,dailyrepublicannews.com###billBoardATF +versus.com###bill_bottom +cricketnetwork.co.uk,f1network.net,pop.inquirer.net,rugbynetwork.net,thefootballnetwork.net###billboard +canberratimes.com.au,examiner.com.au,theland.com.au,whoscored.com###billboard-container +thegazette.com###billboard-wrap +inquirer.net###billboard_article +gumtree.com###bing-text-ad-1 +gumtree.com###bing-text-ad-2 +gumtree.com###bing-text-ad-3 +chilltracking.com###blink +afro.com###block-10 +hawaiisbesttravel.com###block-103 +raspberrytips.com###block-11 +theneworleanstribune.com###block-15 +dodi-repacks.site###block-17 +appleworld.today###block-26 +raspians.com###block-29 +raspians.com###block-31 +upfivedown.com###block-4 +club386.com###block-43 +club386.com###block-47 +club386.com###block-49 +game-news24.com###block-50 +club386.com###block-51 +ericpetersautos.com,upfivedown.com###block-6 +systutorials.com###block-7 +upfivedown.com###block-8 +oann.com###block-95 +leopathu.com###block-accuwebhostingcontenttop +leopathu.com###block-accuwebhostingsidebartop +videogamer.com###block-aside-ad-unit +slideme.org###block-block-31 +ancient-origins.net###block-block-49 +spine-health.com###block-dfptagbottomanchorads1 +mothership.sg###block-imu1 +infoplease.com###block-ipabovethefold +infoplease.com###block-ipbtfad +infoplease.com###block-ipleaderboardad +infoplease.com###block-ipmiddlewaread +leopathu.com###block-listscleaningbanner +romania-insider.com###block-nodepagebelowfromourpartners +romania-insider.com###block-nodepagebelowlatespress +romania-insider.com###block-nodepagebelowtrendingcontent +mothership.sg###block-outstream1 +mothership.sg###block-outstream2 +encyclopedia.com###block-trustme-rightcolumntopad +enca.com###block-views-block-sponsored-block-1 +mbauniverse.com###block-views-home-page-banner-block +bmwblog.com###bmwbl-mobileArticleLeaderboardBeforeFirstParagraph +smbc-comics.com###boardleader +forum.wordreference.com###botSupp +coinarbitragebot.com###botfix +pymnts.com###bottom-ad +cheese.com,investorplace.com###bottom-banner +000webhost.com###bottom-banner-with-counter-holder-desktop +eweek.com###bottom-footer-fixed-slot +audioreview.com###bottom-leaderboard +reverso.net###bottom-mega-rca-box +crn.com###bottom-ribbon +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion###bottom-wrapper +streetinsider.com###bottom_ad_fixed +funkypotato.com###bottom_banner_wrapper +bleedingcool.com,heatmap.news,jamaicaobserver.com###bottom_leaderboard +bleedingcool.com###bottom_leaderboard2 +bleedingcool.com###bottom_medium_rectangle +numista.com###bottom_pub_container +numista.com###bottompub_container +atomic-robo.com###bottomspace +flashscore.com,livescore.in###box-over-content-a +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###box_2_300x600 +planetminecraft.com###box_300btf +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###box_3_300x600 +planetminecraft.com###box_pmc_300btf +comicbookrealm.com###brad +bicycleretailer.com###brain-leader-slot +brobible.com###bro-leaderboard +dailydot.com###browsi-topunit +techpp.com###brxe-ninhwq +techpp.com###brxe-wtwlmm +downforeveryoneorjustme.com###bsa +icon-icons.com###bsa-placeholder-search +befonts.com###bsa-zone_1706688539968-4_123456 +puzzle-aquarium.com,puzzle-minesweeper.com,puzzle-nonograms.com,puzzle-skyscrapers.com###btIn +w3newspapers.com###btmadd +battlefordsnow.com,cfjctoday.com,everythinggp.com,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca###bumper-cars +northcountrypublicradio.org###business +music-news.com###buy-tickets +digminecraft.com###c1069c34 +channel4.com###c4ad-Top +comicsands.com###c7da91bc-8e44-492f-b7fd-c382c0e55bda +allrecipes.com###cal-app +bitdegree.org###campaign-modal +chordify.net###campaign_banner +thecanary.co###canaryInTextAd1 +academictorrents.com###carbon +downforeveryoneorjustme.com###carbonDiv +coinlisting.info###carousel-example-generic +csdb.dk###casdivhor +csdb.dk###casdivver +cbn.com###cbn_leaderboard_atf +cloudwards.net,guitaradvise.com###cbox +linuxinsider.com###cboxOverlay +curseforge.com###cdm-zone-03 +inquirer.net###cdn-life-mrec +godbolt.org###ces +tradingview.com###charting-ad +romsmania.games###click-widget-banner +animetrilogy.com,xcalibrscans.com###close-teaser +oneindia.com###closePopupDiv +slashdot.org###cloud +globalconstructionreview.com###cm-jobs-block-inner +crypto.news###cn-header-placeholder +whocallsme.com###cnt_1 +whocallsme.com###cnt_2 +whocallsme.com###cnt_btm +linuxinsider.com###colorbox +smbc-comics.com###comicright > div[style] +mirror.co.uk,themirror.com###comments-standalone-mpu +kotaku.com,qz.com###commerce-inset-wrapper +blackbeltmag.com###comp-loxyxvrt +seatguru.com###comparePrices +euronews.com###connatix-container +cpuid.com###console_log +miniwebtool.com###contain300-1 +miniwebtool.com###contain300-2 +gearspace.com###container__DesktopFDAdBanner +gearspace.com###container__DesktopForumdisplayHalfway +coinhub.wiki###container_coinhub_sidead +scanboat.com###content > .margin-tb-25 +allnewspipeline.com###content > [href] +outputter.io###content > section.html +fextralife.com###content-add-a +blastingnews.com###content-banner-dx1-p1 +zerohedge.com###content-pack +classicreload.com###content-top +kbb.com###contentFor_kbbAdsSimplifiedNativeAd +lineageos18.com###contentLocker +indy100.com###content_1 +indy100.com###content_2 +indy100.com###content_3 +indy100.com###content_4 +indy100.com###content_5 +indy100.com###content_6 +indy100.com###content_7 +notebookcheck.net###contenta +theproxy.lol,unblock-it.com,uproxy2.biz###cookieConsentUR99472 +alt-codes.net###copyModal .modal-body +wsj.com###coupon-links +boots.com###criteoSpContainer +lordz.io###crossPromotion +croxyproxy.rocks###croxyExtraZapper +pcwdld.com###ct-popup +forbes.com###cta-builder +asmag.com###ctl00_en_footer1_bannerPopUP1_panel_claudebro +digit.in###cubewrapid +timesofindia.indiatimes.com###custom_ad_wrapper_0 +miloserdov.org,playstore.pw,reneweconomy.com.au,winaero.com,wpneon.com###custom_html-10 +miloserdov.org,playstore.pw###custom_html-11 +thethaiger.com###custom_html-12 +theregister.co.nz###custom_html-13 +cdromance.com,colombiareports.com,miloserdov.org,mostlyblogging.com###custom_html-14 +mostlyblogging.com,sonyalpharumors.com###custom_html-15 +eetimes.eu,miloserdov.org###custom_html-16 +budgetbytes.com,ets2.lt,miloserdov.org###custom_html-2 +blissfuldomestication.com###custom_html-22 +sonyalpharumors.com###custom_html-25 +mostlyblogging.com,sarkarideals.com,tvarticles.me###custom_html-3 +godisageek.com###custom_html-4 +mangaread.org###custom_html-48 +comicsheatingup.net###custom_html-5 +colombiareports.com,filmschoolrejects.com,hongkongfp.com,phoneia.com,sarkarideals.com,weatherboy.com###custom_html-6 +medievalists.net###custom_html-7 +theteche.com###custom_html-8 +wsj.com###cx-deloitte-insight +cyclingflash.com###cyclingflash_web_down +cyclingflash.com###cyclingflash_web_mid_1 +cyclingflash.com###cyclingflash_web_top +dailycaller.com###dailycaller_incontent_2 +dailycaller.com###dailycaller_incontent_3 +dailycaller.com###dailycaller_incontent_4 +laineygossip.com###date-banner +helpwithwindows.com###desc +eatwell101.com###desk1 +fastfoodnutrition.org###desk_leader_ad +deccanherald.com###desktop-ad +republicworld.com###desktop-livetv-728-90 +infotel.ca###desktopBannerBottom +infotel.ca###desktopBannerFooter +infotel.ca###desktopBannerTop +eldersweather.com.au###desktop_new_forecast_top_wxh +homestuck.com###desktop_skyscraper +pikalytics.com###dex-list-0 +scoop.co.nz###dfp-shadow +flyordie.com###dgad +datagenetics.com###dgsidebar +webgames.io###di-ai-left +webgames.io###di-ai-right +webgames.io###di-ai-right-big +lust-goddess.com###dialog-partner +tmo.report###directad +realclearpolitics.com###distro_right_rail +tribunnews.com###div-Inside-MediumRectangle +designtaxi.com###div-center-wrapper +allafrica.com###div-clickio-ad-superleaderboard-a +scoop.co.nz###div-gpt-ad-1493962836337-6 +scoop.co.nz###div-gpt-ad-1510201739461-4 +herfamily.ie,sportsjoe.ie###div-gpt-top_page +abovethelaw.com###div-id-for-middle-300x250 +abovethelaw.com###div-id-for-top-300x250 +pch.com###div-pch-gpt-placement-bottom +pch.com###div-pch-gpt-placement-multiple +pch.com###div-pch-gpt-placement-top +newser.com###divImageAd +newser.com###divMobileHeaderAd +abbotsfordgasprices.com,albertagasprices.com,barriegasprices.com,bcgasprices.com,calgarygasprices.com,edmontongasprices.com,gasbuddy.com,halifaxgasprices.com,hamiltongasprices.com,kwgasprices.com,londongasprices.com,manitobagasprices.com,montrealgasprices.com,newbrunswickgasprices.com,newfoundlandgasprices.com,novascotiagasprices.com,nwtgasprices.com,ontariogasprices.com,ottawagasprices.com,peigasprices.com,quebeccitygasprices.com,quebecgasprices.com,reginagasprices.com,saskatoongasprices.com,saskgasprices.com,torontogasprices.com,vancouvergasprices.com,victoriagasprices.com,winnipeggasprices.com###divSky +newser.com###divStoryBigAd1 +newser.com###divWhizzcoRightRail +hometheaterreview.com###div_block-382-13 +hindustantimes.com###divshopnowRight +rednationonline.ca###dnn_BannerPane +uploadfox.net###downloadxaa +indiatvnews.com###ds_default_anchor +unite-db.com###ds_lb1 +unite-db.com###ds_lb2 +thedailystar.net###dsspHS +permanentstyle.com###dttop +jigzone.com###dz +sashares.co.za###elementor-popup-modal-89385 +asmag.com###en_footer1_bannerPopUP1_panel_claudebro +energyforecastonline.co.za###endorsers +geekwire.com###engineering-centers-sidebar +evoke.ie###ev_desktop_mpu1 +jigzone.com###fH +csstats.gg###faceit-banner +cspdailynews.com,restaurantbusinessonline.com###faded +enjoy4fun.com###fake-ads-dom +openloading.com###fakeplayer +asianjournal.com###fancybox-overlay +asianjournal.com###fancybox-wrap +thedrinknation.com###fcBanner +247checkers.com###feature-ad-holder +perezhilton.com###feature-spot +forbes.com###featured-partners +fandom.com###featured-video__player-container +djxmaza.in,jytechs.in,miuiflash.com,thecubexguide.com###featuredimage +en.numista.com###fiche_buy_links +getyarn.io###filtered-bottom +finbold.com###finbold\.com_middle +investing.com###findABroker +healthshots.com###fitnessTools +healthshots.com###fitnessToolsAdBot +thisismoney.co.uk###fiveDealsWidget +point2homes.com,propertyshark.com###fixedban +cnx-software.com###fixeddbar +topsporter.net###fl-ai-widget-placement +vscode.one###flamelab-convo-widget +apkmody.io,apkmody.mobi###flirtwith-modal +nanoreview.net###float-sb-right +animetrilogy.com###floatcenter +editpad.org###floorad-wrapper +clintonherald.com,ottumwacourier.com,thetimestribune.com###floorboard_block +streams.tv###flowerInGarden +12tomatoes.com###footboard +mybib.com###footer > div +fanlesstech.com###footer-1 +metasrc.com###footer-content +bundesliga.com###footer-partnerlogo +warcraftpets.com###footer-top +ksstradio.com###footer-widgets +fixya.com###footerBanner +techrounder.com###footerFixBanner +atptour.com###footerPartners +phpbb.com###footer_banner_leaderboard +forums.anandtech.com,forums.pcgamer.com,forums.tomsguide.com,forums.tomshardware.com###footer_leaderboard +feedicons.com###footerboard +wanderlustcrew.com###fpub-popup +blenderartists.org,stonetoss.com###friends +peacemakeronline.com###front_mid_right > center +mangaku.vip###ftads +tarladalal.com###ftr_adspace +imgbox.com###full-page-redirect +datareportal.com###fuse-sticky +scienceabc.com###fusenative +clocktab.com###fv_left-side +chromecastappstips.com###fwdevpDiv0 +fxleaders.com###fxl-popup-banner +fxstreet.com###fxs-sposorBroker-topBanner +colourlovers.com###ga-above-footer +colourlovers.com###ga-below-header +9bis.net###gad +gaiaonline.com###gaiaonline_leaderboard_atf +cheatcodes.com###game_details_ad +rd.com,tasteofhome.com###gch-prearticle-container +geekwire.com###geekwork +investing.com###generalOverlay +thecountersignal.com###geo-header-ad-1 +getvideobot.com###getvideobot_com_300x250_responsive +getvideobot.com###getvideobot_com_980x250_billboard_responsive +thingstodovalencia.com###getyourguide-widget +dotesports.com,progameguides.com###gg-masthead +glowstery.com###ghostery-highlights +freegames.org###gla +wordcounter.net###glya +gearlive.com,mediamass.net###google +propertyshark.com###google-ads-directoryViewRight +healthbenefitstimes.com###google-adv-top +photojpl.com###google01 +mediamass.net###google3 +windows2universe.org###google_mockup +desmoinesregister.com###gpt-dynamic_native_article_4 +desmoinesregister.com###gpt-high_impact +malaysiakini.com###gpt-layout-top-container +desmoinesregister.com###gpt-poster +justdial.com###gptAds2 +justdial.com###gptAdsDiv +spellcheck.net###grmrl_one +nintendoworldreport.com###hAd +streamingrant.com###hb-strip +cadenaazul.com,lapoderosa.com###hcAdd +castanet.net###hdad +inventorspot.com,mothering.com,wordfind.com###header +fxempire.com###header-ads-block +olympics.com###header-adv-banner +khelnow.com###header-adwords-section +aeroexpo.online,agriexpo.online,directindustry.com,droidgamers.com,fonearena.com,frontlinesoffreedom.com,stakingrewards.com,winemag.com###header-banner +dominicantoday.com###header-banners +bestvpnserver.com,techitout.co.za###header-content +govevents.com###header-display +nagpurtoday.in###header-sidebar +looperman.com,sailingmagazine.net###header-top +nisnews.nl###header-wrap +newser.com###headerAdSection +realestate.com.au###headerLeaderBoardSlot +forums.anandtech.com,forums.androidcentral.com,forums.pcgamer.com,forums.space.com,forums.tomsguide.com,forums.tomshardware.com,forums.whathifi.com,redflagdeals.com###header_leaderboard +digitalpoint.com###header_middle +coolors.co###header_nav + a +writerscafe.org###header_pay +conjugacao-de-verbos.com,conjugacion.es,die-konjugation.de,the-conjugation.com###header_pub +deckstats.net###header_right_big +metasrc.com###header_wrapper +hwhills.com,nikktech.com,revizoronline.com,smallscreenscoop.com###headerbanner +sat24.com###headercontent-onder +hometheaterreview.com###headerhorizontalad +nnn.ng###hfgad1 +nnn.ng###hfgad2 +kimcartoon.li###hideAds +thegazette.com###high-impact +stackoverflow.com###hireme +techmeme.com###hiring +heatmap.news###hmn_sponsored_post +gunbroker.com###home-ad-a-wrapper +dailysocial.id###home-ads +transfermarkt.com###home-rectangle-spotlight +shobiddak.com###homeShobiddakAds +sslshopper.com###home_quick_search_buttons > div +hometheaterreview.com###homepagehorizontalad +nutritioninsight.com,packaginginsights.com###horizontalblk +skylinewebcams.com###hostedby +hostelgeeks.com###hostelModal +ukutabs.com###howtoreadbutton +whatismyip.com###hp-ad-banner-top +webmd.com###hp-ad-container +laredoute.be,laredoute.ch,laredoute.co.uk,laredoute.com,laredoute.de,laredoute.es,laredoute.fr,laredoute.gr,laredoute.it,laredoute.nl,laredoute.pt,laredoute.ru###hp-sponsored-banner +krdo.com###hp_promobox +blog.hubspot.com###hs_cos_wrapper_blog_post_sticky_cta +nettiauto.com,nettikaravaani.com,nettikone.com,nettimarkkina.com,nettimokki.com,nettimoto.com,nettivene.com,nettivuokraus.com###huge_banner +autotrader.ca###hulkTileBottomRow +y2mate.nu,ytmp3.nu###i +robbreport.com###icon-sprite +maxsports.site,newsturbovid.com###id-custom_banner +dailysabah.com###id_d_300x250 +rakuten.com###id_parent_rrPlacementTop +gaiaonline.com###iframeDisplay +igeeksblog.com###ig_header +unitconversion.org###ileft +4f.to,furbooru.org###imagespns +linksly.co###imgAddDirectLink +blackbeltmag.com###img_comp-loxyxvrt +mydorpie.com###imgbcont +crn.com###imu1forarticles +scoop.co.nz###in-cont +astrolis.com###in-house-ad-daily +supremacy1914.com###inGameAdsContainer +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###in_article_300x250_1 +thefastmode.com###inarticlemodule +metabattle.com###inca1 +metabattle.com###inca2 +manga18.me###index_natvmo +droidinformer.org###inf_bnr_1 +droidinformer.org###inf_bnr_2 +droidinformer.org###inf_bnr_3 +datamation.com,esecurityplanet.com,eweek.com,serverwatch.com,webopedia.com###inline-top +howstuffworks.com###inline-video-wrap +koimoi.com###inline_ad +krnb.com###inner-footer +workhouses.org.uk###inner-top-ad +thefinancialexpress.com.bd###innerAds +timesofmalta.com###inscroll-banner +imagebam.com###inter > [src] +booklife.com,yabeat.org###interstitial +rightmove.co.uk###interstititalSlot-0 +rightmove.co.uk###interstititalSlot-1 +rightmove.co.uk###interstititalSlot-2 +lcpdfr.com###ipsLayout_mainArea > .uBlockBrokeOurSiteIpsAreaBackground +osbot.org###ipsLayout_mainArea > div > div +uk420.com###ipsLayout_sidebar > div[align="center"] +osbot.org###ips_footer > div > div +unitconversion.org###iright +allnewspipeline.com###isg_add +newshub.co.nz###island-unit-2 +icon-icons.com###istockphoto-placeholder +fakeupdate.net###itemz +winaero.com###jkhskdfsdf-iycc-4 +cnn.com###js-outbrain-rightrail-ads-module +9gag.com###jsid-ad-container-page_adhesion +dhakatribune.com###jw-popup +food52.com###jw_iframe +variety.com###jwplayer_xH3PjHXT_plsZnDJi_div +jigzone.com###jz +ceoexpress.com###kalamazooDiv +msguides.com###kknbnpcv +kohls.com###kmnsponsoredbrand-sponsored_top-anchor +karryon.com.au###ko-ads-takeover +kvraudio.com###kvr300600 +freeads.co.uk###l_sk1 +inc42.com###large_leaderboard_desktop-0 +peacemakeronline.com###latest_news > center +flaticon.com###layer_coupon +elfaro.net###layout-ad-header +screengeek.net###layoutContainer +friv.com###lba +friv.com###lbaTop +irishnews.com###lbtop +piraproxy.info,unblockedstreaming.net###lbxUR99472 +123unblock.bar###lbxVPN666 +dailydooh.com###leaddiv +kontraband.com,motherproof.com,sansabanews.com###leader +techrepublic.com###leader-bottom +techrepublic.com###leader-plus-top +ugstandard.com###leader-wrap +techgeek365.com###leader-wrapper +pistonheads.com###leaderBoard +whdh.com,wsvn.com###leader_1 +12tomatoes.com,allwomenstalk.com,bloomberg.com,datpiff.com,hockeybuzz.com,koreaboo.com,logotv.com,newcartestdrive.com,news.sky.com,news.tvguide.co.uk,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,penny-arcade.com,publishersweekly.com,skysports.com,sportsnet.ca,thedrinknation.com,theserverside.com###leaderboard +open.spotify.com###leaderboard-ad-element +thebaltimorebanner.com###leaderboard-ad-v2 +vocm.com###leaderboard-area +bbc.com###leaderboard-aside-content +abbynews.com,biv.com,kelownacapnews.com,lakelandtoday.ca,orilliamatters.com,reddeeradvocate.com,sootoday.com,surreynowleader.com,theprogress.com,time.com,timescolonist.com,vancouverisawesome.com,vicnews.com###leaderboard-container +farooqkperogi.com###leaderboard-content +variety.com###leaderboard-no-padding +alternet.org###leaderboard-placeholder +foodnetwork.com###leaderboard-wrap +washingtonpost.com###leaderboard-wrapper +drdobbs.com###leaderboard1 +babycenter.com,fixya.com###leaderboardContainer +sportsnet.ca###leaderboardMaster +macrotrends.net###leaderboardTag +games2jolly.com###leaderboard_area +games2jolly.com###leaderboard_area_home +planetminecraft.com###leaderboard_atf +canadianbusiness.com,macleans.ca,vidio.com,yardbarker.com###leaderboard_container +spoonuniversity.com###leaderboard_fixed +sportsnet.ca###leaderboard_master +belgie.fm,danmark.fm,deutschland.fm,espana.fm,italia.fm,nederland.fm###leaderboardbg +eel.surf7.net.my###left +news9live.com###left_before_story +assamtribune.com###left_level_before_tags +nitrome.com###left_skyscraper_container +nitrome.com###left_skyscraper_shadow +kitco.com###left_square +liverpoolfc.com###lfc_ads_article_pos_one +liverpoolfc.com###lfc_ads_home_pos_one +closerweekly.com,intouchweekly.com,lifeandstylemag.com###listProductWidgetData +slidesgo.com###list_ads1 +slidesgo.com###list_ads2 +slidesgo.com###list_ads3 +lightnovelcave.com###lnvidcontainer +wormate.io###loa831pibur0w4gv +hilltimes.com###locked-sponsored-stories-inline +lordz.io###lordz-io_300x250 +lordz.io###lordz-io_300x250_2 +lordz.io###lordz-io_728x90 +rxresource.org###lowerdrugsAd +lowes.com###lws_hp_recommendations_belowimage_1 +hackerbot.net###madiv +hackerbot.net###madiv2 +hackerbot.net###madiv3 +animehub.ac###main-content > center +slashdot.org###main-nav-badge-link +proprivacy.com###main-popup +w3big.com,w3schools.com###mainLeaderboard +express.co.uk###mantis-recommender-placeholder +planefinder.net###map-ad-container +themeforest.net###market-banner +citynews.ca,citytv.com###master-leaderboard +vpforums.org###master1 +defenseworld.net###mb-bar +koreaherald.com###mbpAd022303 +bmj.com###mdgxWidgetiFrame +active.com###med_rec_bottom +active.com###med_rec_top +wakingtimes.com,ymcinema.com###media_image-2 +airfactsjournal.com###media_image-3 +palestinechronicle.com###media_image-4 +mostlyblogging.com###media_image-5 +chess.com###medium-rectangle-atf-ad +moomoo.io###menuContainer > .menuCard +voiranime.com###mg_vd +webpronews.com###mid-art-ad +forward.com###middle-of-page +peacemakeronline.com###middle_banner_section +bleedingcool.com###middle_medium_rectangle +jezebel.com,pastemagazine.com###middle_rectangle +thefastmode.com###middlebanneropenet +cyberdaily.au###mm-azk560023-zone +mmorpg.com###mmorpg_desktop_list_1 +mmorpg.com###mmorpg_desktop_list_3 +si.com###mmvid +appleinsider.com###mobile-article-anchor +pocketgamer.com###mobile-background +accuradio.com###mobile-bottom +tvtropes.org###mobile_1 +tvtropes.org###mobile_2 +permanentstyle.com###mobtop +coinarbitragebot.com###modal1 +cellmapper.net###modal_av_details +mytuner-radio.com###move-ad +moviemistakes.com###moviemistakes_300x600_300x250_160x600_sidebar_2 +consobaby.co.uk,gumtree.com,pcgamingwiki.com,thefootballnetwork.net###mpu +news.sky.com,skysports.com###mpu-1 +bbc.com###mpu-side-aside-content +standard.co.uk###mpu_bottom_sb_2_parent +gmanetwork.com###mrec-container +spin.ph###mrec3 +nitrome.com###mu_2_container +nitrome.com###mu_3_container +wrestlingnews.co###mvp-head-top +atlantatribune.com,barrettsportsmedia.com,footballleagueworld.co.uk,ioncinema.com,marijuanamoment.net,ripplecoinnews.com,srilankamirror.com,tribune.net.ph###mvp-leader-wrap +europeangaming.eu###mvp-leader-wrap > a[href^="https://www.softswiss.com/"] +twinfinite.net###mvp-main-content-wrap +hotklix.com###mvp-main-nav-top > .mvp-main-box +dailyboulder.com###mvp-post-bot-ad +barrettsportsmedia.com###mvp-wallpaper +polygonscan.com###my-banner-ad +mangareader.cc###myModal +fileproinfo.com###myNav +mediaupdate.co.za###mycarousel +coveteur.com###native_1 +coveteur.com###native_2 +planetizen.com###navbar-top +gearspace.com###navbar_notice_730 +needpix.com###needpix_com_top_banner +my.juno.com###newsCarousel +livelaw.in###news_on_exit +farminguk.com###newsadvert +canberratimes.com.au,theland.com.au###newswell-leaderboard-container +nextshark.com###nextshark_com_leaderboard_top +searchfiles.de###nextuse +nanoreview.net###nfloat-sb-right +seroundtable.com###ninja_box +unite.pvpoke.com###nitro-unite-sidebar-left +unite.pvpoke.com###nitro-unite-sidebar-right +pcgamebenchmark.com,pcgamesn.com,pockettactics.com,thedigitalfix.com,wargamer.com###nn_astro_wrapper +steamidfinder.com,trueachievements.com,truesteamachievements.com,truetrophies.com###nn_bfa_wrapper +techraptor.net,unite-db.com###nn_lb1 +techraptor.net,unite-db.com###nn_lb2 +techraptor.net###nn_lb3 +techraptor.net###nn_lb4 +nintendoeverything.com###nn_mobile_mpu4_temp +gamertweak.com,nintendoeverything.com###nn_mpu1 +gamertweak.com,nintendoeverything.com###nn_mpu2 +nintendoeverything.com###nn_mpu3 +nintendoeverything.com###nn_mpu4 +techraptor.net,tftactics.gg###nn_player +steamidfinder.com###nn_player_wrapper +asura.gg,nacm.xyz###noktaplayercontainer +boxingstreams.cc,crackstreams.gg,cricketstreams.cc,footybite.cc,formula1stream.cc,mlbshow.com,nbabite.com###nordd +forums.somethingawful.com###notregistered +ekathimerini.com###nx-stick-help +allaboutcookies.org###offer-review-widget-container +freeaddresscheck.com,freecallerlookup.com,freecarrierlookup.com,freeemailvalidator.com,freegenderlookup.com,freeiplookup.com,freephonevalidator.com###offers +streetdirectory.com###offers_splash_screen +gizbot.com###oi-custom-camp +comicbook.com###omni-skybox-plus-top +kohls.com###open-drawer +livestreamfails.com###oranum_livefeed_container_0 +ckk.ai###orquidea-slideup +powvideo.net,streamplay.to,uxstyle.com###overlay +megacloud.tv###overlay-center +mzzcloud.life,rabbitstream.net###overlay-container +tokyvideo.com###overlay-video +mp4upload.com###overlayads +drivevideo.xyz###overlays +animetrilogy.com,animexin.vip###overplay +phpbb.com###page-footer > h3 +vure.cx###page-inner > div > div > a[href^="https://www.vure.cx/shorten-link.php/"] +vure.cx###page-inner > div > div > div > a[href^="https://www.vure.cx/shorten-link.php/"] +accuradio.com###pageSidebarWrapper +cyclenews.com###pamnew +aninews.in,devdiscourse.com,footballorgin.com,gadgets360.com,justthenews.com,ndtv.com,oneindia.com,wionews.com,zeebiz.com###parentDiv0 +mg.co.za###partner-content +hwbot.org###partner-tiles +cnn.com###partner-zone +fastseduction.com,independent.co.uk###partners +kingsleague.pro###partnersGrid +arrivealive.co.za###partners_container +binaries4all.com###payserver +forums.golfwrx.com###pb-slot-top +genshin-impact-map.appsample.com###pc-br-300x250-gim +genshin-impact-map.appsample.com###pc-br1-float-gim +demap.info###pcad +shine.cn###pdfModal +investopedia.com###performance-marketing_1-0 +webnovelworld.org###pfvidad +premierguitar.com###pg_leaderboard +tutorialspoint.com###pg_top_ads +radiocaroline.co.uk###photographsforeverDiv +accuradio.com###pl_leaderboard +giantfreakinrobot.com###playwire-homepage-takeover-leaderboard +issuu.com###playwire-video +files.im###plyrrr +pikalytics.com###pokedex-top-ad +politico.com###pol-01-wrap +standard.co.uk###polar-sidebar-sponsored +standard.co.uk###polarArticleWrapper +pons.com###pons-ad-footer +pons.com###pons-ad-leaderboard__container +epicload.com###popconlkr +safetydetectives.com###popup +bankinfosecurity.com###popup-interstitial-full-page +chaseyoursport.com###popup1 +ducky.bio###popupOverlay +quickmeme.com###post[style="display: block;min-height: 290px; padding:0px;"] +ultrabookreview.com###postadsside +ultrabookreview.com###postzzif +the-scientist.com###preHeader +playok.com###pread +adlice.com###preview-div +talkbass.com###primary-products +deepai.org###primis-ads +slashfilm.com###primis-container +walgreens.com###prod-sponsored +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###promo-container +sslshopper.com###promo-outer +thestreamable.com###promo-signup-bottom-sheet +dailymail.co.uk###promo-unit +proxyium.com###proxyscrape_ad +frequence-radio.com###pub_listing_top +elevationmap.net###publift_home_billboard +fxsforexsrbijaforum.com###pun-announcement +sparknotes.com###pwDeskLbAtf +lambgoat.com###pwDeskLbAtf-container +onmsft.com###pwDeskSkyBtf1 +d4builds.gg###pwParentContainer +thefastmode.com###quick_survey +sporcle.com###quiz-right-rail-unit-2 +techmeme.com###qwdbfwh +comicbookrealm.com###rad +coincarp.com###random_sponsored +rawstory.com###rawstory_front_2_container +reverso.net###rca +businessgreen.com###rdm-below-header +slideserve.com###readl +shortwaveschedule.com###reclama_mijloc +scoop.co.nz###rect +dict.cc###recthome +dict.cc###recthomebot +ip-tracker.org###rekl +tapatalk.com###relatedblogbar +plurk.com###resp_banner_ads +homedepot.com###revjet_container +10minutemail.net,eel.surf7.net.my,javatpoint.com###right +msguides.com###right-bottom-camp +comicbookrealm.com###right-rail > .module +purewow.com###right-rail-ad +gogetaroomie.com###right-space +online-translator.com###rightAdvBlock +openspeedtest.com###rightArea +icon-icons.com###right_column +medicaldialogues.in###right_level_8 +numista.com###right_pub +collegedunia.com###right_side_barslot_1 +collegedunia.com###right_side_barslot_2 +calcudoku.org###right_td +yardbarker.com###right_top_sticky +forums.space.com,forums.tomshardware.com###rightcol_bottom +forums.anandtech.com,forums.androidcentral.com,forums.pcgamer.com,forums.space.com,forums.tomsguide.com,forums.tomshardware.com,forums.whathifi.com###rightcol_top +numista.com###rightpub +road.cc###roadcc_Footer-Billboard +box-core.net,mma-core.com###rrec +anisearch.com###rrightX +protocol.com###sHome_0_0_3_0_0_5_1_0_2 +glennbeck.com###sPost_0_0_5_0_0_9_0_1_2_0 +glennbeck.com###sPost_Default_Layout_0_0_6_0_0_9_0_1_2_0 +advocate.com###sPost_Layout_Default_0_0_19_0_0_3_1_0_0 +out.com###sPost_Layout_Default_0_0_21_0_0_1_1_1_2 +spectrum.ieee.org###sSS_Default_Post_0_0_20_0_0_1_4_2 +flatpanelshd.com###sb-site > .hidden-xs.container +centurylink.net,wowway.net###sc_home_header_banner +wowway.net###sc_home_news_banner +wowway.net###sc_home_recommended_banner +wowway.net###sc_read_header_banner +my.juno.com###scienceTile +coinarbitragebot.com###screener +coincodex.com###scroller-2 +adverts.ie###search_results_leaderboard +nagpurtoday.in###secondary aside.widget_custom_html +pao.gr###section--sponsors +racingamerica.com###section-15922 +hometheaterreview.com###section-20297-191992 +hometheaterreview.com###section-246-102074 +neoseeker.com###section-pagetop +searchenginejournal.com###sej-pop-wrapper_v3 +analyticsinsight.net,moviedokan.lol,shortorial.com###sgpb-popup-dialog-main-div-wrapper +wordhippo.com###sgwDesktopBottomDiv +v3rmillion.net###sharingPlace +fedex.com###shop-runner-banner-link +search.brave.com###shopping +shareinvestor.com###sic_superBannerAdTop +filedropper.com,lifenews.com###sidebar +whatsondisneyplus.com###sidebar > .widget_text.amy-widget +tellymix.co.uk###sidebar > div[style] +globalwaterintel.com###sidebar-banner +spiceworks.com###sidebar-bottom-ad +ftvlive.com###sidebar-one-wrapper +carmag.co.za###sidebar-primary +saharareporters.com###sidebar-top +interest.co.nz,metasrc.com###sidebar-wrapper +koimoi.com###sidebar1 +scotsman.com###sidebarMPU1 +scotsman.com###sidebarMPU2 +ubergizmo.com###sidebar_card_spon +trucknetuk.com###sidebarright +image.pi7.org###sidebarxad +disqus.com###siderail-sticky-ads-module +4runnerforum.com,acuraforums.com,blazerforum.com,buickforum.com,cadillacforum.com,camaroforums.com,cbrforum.com,chryslerforum.com,civicforums.com,corvetteforums.com,fordforum.com,germanautoforums.com,hondaaccordforum.com,hondacivicforum.com,hondaforum.com,hummerforums.com,isuzuforums.com,kawasakiforums.com,landroverforums.com,lexusforum.com,mazdaforum.com,mercuryforum.com,minicooperforums.com,mitsubishiforum.com,montecarloforum.com,mustangboards.com,nissanforum.com,oldsmobileforum.com,pontiactalk.com,saabforums.com,saturnforum.com,truckforums.com,volkswagenforum.com,volvoforums.com###sidetilewidth +gephardtdaily.com###simple-sticky-footer-container +995thewolf.com,newcountry963.com###simpleimage-3 +hot933hits.com###simpleimage-5 +yourharlow.com###single_rhs_ad_col +inoreader.com###sinner_container +pocketgamer.com###site-background +webkinznewz.ganzworld.com###site-description +dead-frog.com###site_top +2oceansvibe.com,pocketgamer.biz###skin +breakingdefense.com###skin-clickthrough +ebar.com###skin-left +ebar.com###skin-right +namemc.com###skin_wrapper +pinkvilla.com###skinnerAdClosebtn +dafont.com###sky +dailymail.co.uk,thisismoney.co.uk###sky-left-container +dailymail.co.uk###sky-right +dailymail.co.uk,thisismoney.co.uk###sky-right-container +skylinewebcams.com###skylinewebcams-ads2 +dailydooh.com###skysbar +holiday-weather.com,omniglot.com,w3schools.com,zerochan.net###skyscraper +nitrome.com###skyscraper_box +nitrome.com###skyscraper_shadow +scrabble-solver.com###skywideupper +surfline.com###sl-header-ad +slashdot.org###slashdot_deals +gunsamerica.com###slidebox +compleatgolfer.com,sacricketmag.com###slidein +accuradio.com###slot2Wrapper +orteil.dashnet.org###smallSupport +point2homes.com###smartAsset +apkmoddone.com###sn-Notif +givemesport.com###sn_gg_ad_wrapper +forums.bluemoon-mcfc.co.uk###snack_dmpu +forums.bluemoon-mcfc.co.uk,gpfans.com###snack_ldb +forums.bluemoon-mcfc.co.uk,gpfans.com###snack_mpu +forums.bluemoon-mcfc.co.uk###snack_sky +ghacks.net###snhb-snhb_ghacks_bottom-0 +who-called.co.uk###snigel_ads-mobile +thedriven.io###solarchoice_banner_1 +wcny.org###soliloquy-12716 +toumpano.net###sp-feature +hilltimes.com###sp-mini-box +toumpano.net###sp-right +vuejs.org###special-sponsor +coingape.com###spinbtn +fastseduction.com###splash +streetdirectory.com###splash_screen_overlay +downloads.codefi.re###spo +downloads.codefi.re###spo2 +bitchute.com###spoSide +firmwarefile.com###spon +cssbattle.dev,slitaz.org###sponsor +meteocentrale.ch###sponsor-info +nordstrom.com###sponsored-carousel-sponsored-carousel +newsfirst.lk###sponsored-content-1 +cnn.com###sponsored-outbrain-1 +hiphopkit.com###sponsored-sidebar +philstar.com###sponsored_posts +techmeme.com###sponsorposts +fastseduction.com,geekwire.com,landreport.com,vuejs.org,whenitdrops.com###sponsors +system-rescue.org###sponsors-left +colourlovers.com###sponsors-links +ourworldofenergy.com###sponsors_container +rent.ie###sresult_banner +tokder.org###ssss +stocktwits.com###st-bottom-content +torrentgalaxy.to###startad +geekwire.com###startup-resources-sidebar +newcartestdrive.com###static-asset-placeholder-2 +newcartestdrive.com###static-asset-placeholder-3 +tvtropes.org###stick-cont +dvdsreleasedates.com###sticky +guelphmercury.com###sticky-ad-1 +thestar.com###sticky-ad-2 +rudrascans.com###sticky-ad-head +ktbs.com###sticky-anchor +datamation.com,esecurityplanet.com,eweek.com,serverwatch.com,webopedia.com###sticky-bottom +stakingrewards.com###sticky-footer +independent.co.uk,standard.co.uk,the-independent.com###stickyFooterRoot +afr.com###stickyLeaderboard +bostonglobe.com###sticky_container.width_full +eurogamer.net,rockpapershotgun.com,vg247.com###sticky_leaderboard +lethbridgeherald.com###stickybox +medicinehatnews.com###stickyleaderboard +news18.com###stkad +timesnownews.com,zoomtventertainment.com###stky +sun-sentinel.com###stnWrapperDiv +westernjournal.com###stnvideo +rawstory.com###story-top-ad +healthshots.com###storyBlockOne +healthshots.com###storyBlockZero +suffolknewsherald.com###story_one_by_one_group +krunker.io###streamContainer +web-capture.net###stw_ad +arenaev.com,gsmarena.com###subHeader +macrotrends.net###subLeaderboardTag +ebaumsworld.com###subheader_atf_wrapper +streams.tv###sunGarden +eenewseurope.com###superBanner +dashnet.org###support +vk.com,vk.ru###system_msg +etherscan.io,polygonscan.com###t8xt5pt6kr-0-1 +gumtree.com###tBanner +cbsnews.com###taboola-around-the-web-video-door +comicbookrealm.com###tad +cyclingtips.com,mirror.co.uk###takeover +romsgames.net###td-top-leaderboard +based-politics.com###tdi_107 +linuxtoday.com###tdi_46 +depressionforums.org###tdi_72 +cornish-times.co.uk###teads +the-star.co.ke###teasers +eetimes.com###techpaperSliderContainer +tecmint.com###tecmint_incontent +tecmint.com###tecmint_leaderboard_article_top +cnx-software.com###text-10 +worldtribune.com###text-101 +geeky-gadgets.com###text-105335641 +godisageek.com###text-11 +hpcwire.com###text-115 +cathnews.co.nz,cryptoreporter.info,net-load.com,vgleaks.com,wakingtimes.com###text-12 +radiosurvivor.com,thewashingtonstandard.com,vgleaks.com###text-13 +ericpetersautos.com###text-133 +vgleaks.com###text-14 +geeksforgeeks.org###text-15 +geeksforgeeks.org,vgleaks.com###text-16 +cleantechnica.com###text-165 +weekender.com.sg###text-17 +vgleaks.com###text-18 +5movierulz.band,populist.press###text-2 +freecourseweb.com###text-20 +net-load.com###text-25 +2smsupernetwork.com,cnx-software.com,cryptoreporter.info,net-load.com###text-26 +cnx-software.com,cryptoreporter.info###text-27 +2smsupernetwork.com###text-28 +2smsupernetwork.com,westseattleblog.com###text-3 +needsomefun.net###text-36 +wrestlingnews.co###text-38 +conversanttraveller.com###text-39 +postnewsgroup.com,thewashingtonstandard.com,tvarticles.me###text-4 +conversanttraveller.com###text-40 +conversanttraveller.com,needsomefun.net###text-41 +bigblueball.com###text-416290631 +needsomefun.net###text-42 +premiumtimesng.com###text-429 +kollelbudget.com###text-43 +premiumtimesng.com###text-440 +foodsforbetterhealth.com###text-46 +eevblog.com###text-49 +computips.org,techlife.com,technipages.com,tennews.in###text-5 +2smsupernetwork.com###text-50 +2smsupernetwork.com,snowbrains.com,theconservativetreehouse.com,times.co.zm,treesofblue.com###text-6 +yugatech.com###text-69 +treesofblue.com###text-7 +kollelbudget.com###text-70 +kollelbudget.com###text-78 +playco-opgame.com,sadeempc.com,thewashingtonstandard.com,westseattleblog.com###text-8 +kollelbudget.com###text-82 +kollelbudget.com###text-83 +bestvpnserver.com,thewashingtonstandard.com###text-9 +nanoreview.net###the-app > .mb +bestfriendsclub.ca###theme-bottom-section > .section-content +bestfriendsclub.ca###theme-top-section > .section-content +indy100.com###thirdparty01 +standard.co.uk###thirdparty_03_parent +siasat.com###tie-block_3274 +box-core.net,mma-core.com###tlbrd +technewsworld.com###tnavad +bramptonguardian.com###tncms-region-global-container-bottom +whatismyip.com###tool-what-is-my-ip-ad +accuweather.com,phonescoop.com###top +crn.com###top-ad-fragment-container +zap-map.com###top-advert-content +bookriot.com###top-alt-content +coingecko.com###top-announcement-header +cheese.com,fantasypros.com,foodlovers.co.nz,foodnetwork.ca,investorplace.com,kurocore.com,skift.com,thedailywtf.com,theportugalnews.com###top-banner +globalwaterintel.com###top-banner-image +independent.co.uk,the-independent.com###top-banner-wrapper +missingremote.com###top-bar +returnyoutubedislike.com###top-donors +breakingdefense.com###top-header +openspeedtest.com###top-lb +capetownmagazine.com###top-leader-wrapper +austinchronicle.com,carmag.co.za,shawlocal.com,thegazette.com,vodacomsoccer.com###top-leaderboard +gogetaroomie.com###top-space +progameguides.com###top-sticky-sidebar-container +gamepur.com###top-sticky-sidebar-wrapper +sporcle.com###top-unit +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion###top-wrapper +digitalartsonline.co.uk###topLeaderContainer +mautofied.com###topLeaderboard +krunker.io###topLeftAdHolder +krunker.io###topRightAdHolder +forum.wordreference.com###topSupp +walterfootball.com###top_S +yourharlow.com###top_ad_row +utne.com###top_advertisement +chicagotribune.com###top_article_fluid_wrapper +indy100.com,tarladalal.com###top_banner +caribpress.com###top_banner_container +cfoc.org###top_custom_banner +chicagotribune.com###top_fluid_wrapper +bleedingcool.com,jamaicaobserver.com,pastemagazine.com###top_leaderboard +bleedingcool.com###top_medium_rectangle +jezebel.com,pastemagazine.com###top_rectangle +imdb.com###top_rhs +bleedingcool.com###top_spacer +bookriot.com###top_takeover +w3newspapers.com###topads +absolutelyrics.com,cdrlabs.com,eonline.com,exiledonline.com,findtheword.info,realitywanted.com,revizoronline.com,snapfiles.com###topbanner +radiome.ar,radiome.at,radiome.bo,radiome.ch,radiome.cl,radiome.com.do,radiome.com.ec,radiome.com.gr,radiome.com.ni,radiome.com.pa,radiome.com.py,radiome.com.sv,radiome.com.ua,radiome.com.uy,radiome.cz,radiome.de,radiome.fr,radiome.gt,radiome.hn,radiome.ht,radiome.lu,radiome.ml,radiome.org,radiome.pe,radiome.si,radiome.sk,radiome.sn,radyome.com###topbanner-container +deccanherald.com###topbar > .hide-desktop + div +armenpress.am###topbnnr +coinlean.com###topcontainer +worldtimebuddy.com###toprek +privacywall.org###topse +semiconductor-today.com###topsection +macmillandictionary.com,macmillanthesaurus.com,oxfordlearnersdictionaries.com###topslot_container +atomic-robo.com###topspace +charlieintel.com###topunit +bmj.com###trendmd-suggestions +devast.io###trevda +jigsawplanet.com###tsi-9c55f80e-3 +pcworld.com,techhive.com###tso +trumparea.com###udmvid +planetminecraft.com###ultra_wide +semiconductor-today.com###undermenu +dailytrust.com,thequint.com###unitDivWrapper-0 +upworthy.com###upworthyFreeStarVideoAdContainer +my.juno.com###usWorldTile +videocardz.com###vc-intermid-desktop-ad +videocardz.com###vc-maincontainer-ad +videocardz.com###vc-maincontainer-midad +sammobile.com###venatus-hybrid-banner +afkgaming.com###venatus-takeover +nutritioninsight.com###verticlblks +mykhel.com,oneindia.com###verticleLinks +ghgossip.com###vi-sticky-ad +investing.com###video +forums.tomsguide.com###video_ad +gumtree.com.au###view-item-page__leaderboard-wrapper +playstationtrophies.org,xboxachievements.com###vnt-lb-a +counselheal.com,mobilenapps.com###vplayer_large +browserleaks.com###vpn_text +1337x.to###vpnvpn2 +w2g.tv###w2g-square-ad +igberetvnews.com,mediaweek.com.au,nextnewssource.com###wallpaper +eeweb.com###wallpaper_image +realclearhistory.com###warning_empty_div +opensubtitles.org###watch_online +xxxporn.tube###watch_sidevide +xxxporn.tube###watch_undervideo +worldcrunch.com###wc_leaderboard +topfiveforex.com###wcfloatDiv +the-express.com###web-strip-banner +webfail.com###wf-d-300x250-sb1 +walterfootball.com###wf_brow_box +sportscardforum.com###wgo_affiliates +whatismyipaddress.com###whatismyipaddress_728x90_Desktop_ATF +itnews.com.au###whitepapers-container +tribunnews.com###wideskyscraper +shawlocal.com###widget-html-box-ownlocal +watnopaarpunjabinews.com###widget_sp_image-2 +conversanttraveller.com###widget_sp_image-28 +watnopaarpunjabinews.com###widget_sp_image-3 +conversanttraveller.com###widget_sp_image-4 +ultrabookreview.com###widgetad2-top +etherealgames.com###widgets-wrap-after-content +etherealgames.com###widgets-wrap-before-content +gaynewzealand.com###wn-insurance-quote-editor +rediff.com###world_right1 +rediff.com###world_right2 +rediff.com###world_top +worldrecipes.eu###worldrecipeseu_970x90_desktop_sticky_no_closeplaceholder +forward.com###wp_piano_top_wrapper +todayheadline.co,wavepublication.com###wpgtr_stickyads_textcss_container +eteknix.com###wrapper > header +cranestodaymagazine.com,hoistmagazine.com,ttjonline.com,tunnelsonline.info###wrapper_banners +xdaforums.com###xdaforums_leaderboard_atf +xdaforums.com###xdaforums_leaderboard_btf +xdaforums.com###xdaforums_right_1 +xdaforums.com###xdaforums_right_2 +blasternation.com###xobda +yardbarker.com###yb_recirc +yardbarker.com###yb_recirc_container_mobile +transfermarkt.com###zLHXgnIj +croxyproxy.rocks###zapperSquare +beyondgames.biz,ecoustics.com###zox-lead-bot +cleantechnica.com###zox-top-head-wrap +marketscreener.com###zppFooter +marketscreener.com###zppMiddle2 +marketscreener.com###zppRight2 +ultrabookreview.com###zzifhome +ultrabookreview.com###zzifhome2 +arydigital.tv###zzright +talkingpointsmemo.com##.--span\:12.AdSlot +bigissue.com##.-ad +gamejolt.com##.-ad-widget +olympics.com##.-adv +porndoe.com##.-h-banner-svg-desktop +nhl.com##.-leaderboard +nhl.com##.-mrec +hellomagazine.com,hola.com##.-variation-bannerinferior +hellomagazine.com,hola.com##.-variation-megabanner +hellomagazine.com##.-variation-robainferior +hellomagazine.com##.-variation-robapaginas +yelp.com##.ABP +gamesadshopper.com##.AD +advfn.com##.APS_TOP_BANNER_468_X_60_container +timesofindia.indiatimes.com##.ATF_mobile_ads +timesofindia.indiatimes.com##.ATF_wrapper +buzzfeed.com,darkreading.com,gamedeveloper.com,imgur.io,iotworldtoday.com,sevendaysvt.com,tasty.co,tucsonweekly.com##.Ad +mui.com##.Ad-root +deseret.com##.Ad-space +jagranjosh.com##.Ad720x90 +thingiverse.com##.AdBanner__adBanner--GpB5d +surfline.com##.AdBlock_modal__QwIcG +jagranjosh.com##.AdCont +tvnz.co.nz##.AdOnPause +issuu.com,racingamerica.com##.AdPlacement +manabadi.co.in##.AdSW +hbr.org##.AdSlotZone_ad-container__eXYUj +petfinder.com##.AdUnitParagraph-module--adunitContainer--2b7a6 +therealdeal.com##.AdUnit_adUnitWrapper__vhOwH +barrons.com##.AdWrapper-sc-9rx3gf-0 +complex.com##.AdWrapper__AdPlaceholderContainer-sc-15idjh1-0 +earth.com##.AdZone_adZone__2w4TC +thescore.com##.Ad__container--MeQWT +interestingengineering.com##.Ad_adContainer__XNCwI +charlieintel.com,dexerto.com##.Ad_ad__SqDQA +interestingengineering.com##.Ad_ad__hm0Ut +newspointapp.com##.Ad_wrapper +aleteia.org##.Ad_wrapper__B_hxA +greatandhra.com##.AdinHedare +jagranjosh.com##.Ads +rivals.com##.Ads_adContainer__l_sg0 +sportsnet.ca##.Ads_card-wrapper__KyXLu +iogames.onl##.Adv +yandex.com##.AdvOffers +airportinfo.live,audiokarma.org,audizine.com##.AdvallyTag +tennesseestar.com,themichiganstar.com,theminnesotasun.com,theohiostar.com##.AdvancedText +iogames.onl##.Advc +tvnz.co.nz,world-nuclear-news.org##.Advert +suffolknews.co.uk##.Advertisement +thesouthafrican.com##.Advertisement__AdsContainer-sc-4s7fst-0 +bbcearth.com##.Advertisement_container__K7Jcq +phoenixnewtimes.com##.AirBillboard +dallasobserver.com,houstonpress.com##.AirBillboardInlineContentresponsive +browardpalmbeach.com,dallasobserver.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##.AirLeaderboardMediumRectanglesComboInlineContent +browardpalmbeach.com,dallasobserver.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##.AirMediumRectangleComboInlineContent +technicalarp.com##.Arpian-ads +rankedboost.com##.Article-A-Align +cruisecritic.com,cruisecritic.com.au##.ArticleItem_scrollTextContainer__GrBC_ +whatcar.com##.ArticleTemplate_masthead__oY950 +indiatimes.com##.BIG_ADS_JS +naturalnews.com##.BNVSYDQLCTIG +photonics.com##.BOX_CarouselAd +imgur.com##.BannerAd-cont +dashfight.com##.BannerPlayware_block__up1Ra +coffeeordie.com##.BannerPromo-desktop +video-to-mp3-converter.com##.BannerReAds_horizontal-area__5JNuE +bloomberg.com##.BaseAd_baseAd-dXBqvbLRJy0- +cnbc.com##.BoxRail-styles-makeit-ad--lyuQB +latestdeals.co.uk##.BrD5q +80.lv##.BrandingPromo_skeleton +petfinder.com##.CardGrid-module--breakOut--a18cf +timesofindia.indiatimes.com##.CeUoi +thedailybeast.com##.CheatSheetList__placeholder +thedailybeast.com##.Cheat__top-ad +tutiempo.net##.ContBannerTop +dappradar.com##.Container--bottomBanners +songmeanings.com##.Container_ATFR_300 +songmeanings.com##.Container_ATF_970 +swarajyamag.com##.CrIrA +ulta.com##.CriteoProductRail +calcalistech.com##.Ctech_general_banner +lithub.com##.Custom_Ads +inverness-courier.co.uk,johnogroat-journal.co.uk##.DMPU +drudgereport.com##.DR-AD-SPACE +naturalnews.com##.DVFNRYKUTQEP +nationalworld.com##.Dailymotion__Inner-sc-gmjr3r-1 +realityblurb.com##.Desktop-Sticky +tweaktown.com##.DesktopRightBA +thekitchn.com##.DesktopStickyFooter +yandex.com##.DirectFeature +games.mashable.com,games.washingtonpost.com##.DisplayAd__container___lyvUfeBN +additivemanufacturing.media,compositesworld.com,ptonline.com##.DisplayBar +plumbers.nz##.FBJoinbox +thedailybeast.com##.Footer__coupons-wrapper +askapache.com##.GAD +modrinth.com##.GBBNWLJVGRHFLYVGSZKSSKNTHFYXHMBD +google.co.uk##.GBTLFYRDM0 +google.com##.GC3LC41DERB + div[style="position: relative; height: 170px;"] +google.com##.GGQPGYLCD5 +google.com##.GGQPGYLCMCB +google.com##.GISRH3UDHB +goodmenproject.com##.GMP_728_top +yiv.com##.GUIAdvertisement +meduza.io##.GeneralMaterial-module-aside +cargurus.com##.Gi1Z6i +coin360.com##.GuYYbg +seattletimes.com##.H0FqVZjh86HAsl61ps5e +naturalnews.com##.HALFBYEISCRJ +news18.com##.Had262x218 +metservice.com##.Header +planningportal.co.uk##.HeaderAdArea__HeaderAdContainer-sc-1lqw6d0-0 +news.bloomberglaw.com##.HeaderAdSpot_height_1B2M2 +games.washingtonpost.com##.HomeCategory__ads___aFdrmx_3 +mope.io##.Home__home-ad-wrapper +semiconductor-today.com##.Horiba-banner +artsy.net##.IITnS +sporcle.com##.IMGgi +streamingsites.com##.IPdetectCard +80.lv##.ImagePromo_default +yandex.com##.ImagesViewer-SidebarAdv +genius.com##.InreadContainer-sc-b078f8b1-0 +doodle.com##.JupiterLayout__left-placement-container +doodle.com##.JupiterLayout__right-placement-container +inverness-courier.co.uk##.LLKGTX +nyctourism.com##.Layout_mobileStickyAdContainer__fCbCq +kentonline.co.uk##.LeaderBack +fivebooks.com##.Leaderboard-container +genius.com##.Leaderboard-sc-78e1105d-0 +theurbanlist.com##.LeaderboardAd +nationalgeographic.com##.LinkedImage +inverness-courier.co.uk,johnogroat-journal.co.uk,stamfordmercury.co.uk##.MPU +abergavennychronicle.com,tenby-today.co.uk##.MPUstyled__MPUWrapper-sc-1cdmm4p-0 +engadget.com##.Mih\(90px\) +medievalists.net##.Mnet_TopLeft_970x250 +accuradio.com##.MobileSquareAd__Container-sc-1p4cjdt-0 +metservice.com##.Mrec-min-height +boardgameoracle.com##.MuiContainer-root > .jss232 +tvtv.us##.MuiPaper-root.jss12 +ahaan.co.uk##.MuiSnackbar-anchorOriginBottomCenter +news18.com##.NAT_add +business-standard.com##.Nws_banner_Hp +mangasect.com,manhuaplus.com##.OUTBRAIN +chronicle.com##.OneColumnContainer +newscientist.com##.Outbrain +kentonline.co.uk##.PSDRGC +govtech.com##.Page-billboard +afar.com##.Page-header-hat +apnews.com##.Page-header-leaderboardAd +chronicle.com##.PageHeaderMegaHat +nameberry.com##.Pagination-ad +ask.com##.PartialKelkooResults +hbr.org##.PartnerCenter-module_container__w6Ige +hulu.com##.PauseAdCreative-wrap +thekitchn.com##.Post__inPostVideoAdDesktop +hbr.org##.PrimaryAd_ad-container__YHDwJ +stocktwits.com##.Primis_container__KwtjV +tech.hindustantimes.com##.ProductAffilateWrapper +yandex.com##.ProductGallery +atlasobscura.com##.ProgrammaticMembershipCallout--taboola-member-article-container +icodrops.com##.Project-Card--promo +icodrops.com##.Promo-Line +plainenglish.io##.PromoContainer_container__sZ3ls +citybeat.com,clevescene.com,cltampa.com##.PromoTopBar +sciencealert.com##.Purch_Y_C_0_1-container +engadget.com##.Py\(30px\).Bgc\(engadgetGhostWhite\) +tumblr.com##.Qrht9 +tvzoneuk.com##.R38Z80 +forum.ragezone.com##.RZBannerUnit +barrons.com##.RenderBlock__AdWrapper-sc-1vrmc5r-0 +whatcar.com##.ReviewHero_mastheadStyle__Bv8X0 +charismanews.com##.RightBnrWrap +games.mashable.com##.RightRail__displayAdRight___PjhV3mIW +geometrydash.io##.RowAdv +clutchpoints.com##.RzKEf +multimovies.bond,toonstream.co##.SH-Ads +dictionary.com,thesaurus.com##.SZjJlj7dd7R6mDTODwIT +gq.com##.SavingsUnitedCouponsWrapper-gPnqA-d +lbcgroup.tv##.ScriptDiv +staples.com##.SearchRootUX2__bannerAndSkuContainer +m.mouthshut.com##.SecondAds +genius.com##.SectionLeaderboard-sc-dbc68f4-0 +simkl.com##.SimklTVDetailEpisodeLinksItemHref +ultimate-guitar.com##.SiteWideBanner +thedailybeast.com##.Sizer +web.telegram.org##.SponsoredMessage +goodreads.com##.SponsoredProductAdContainer +streetsblog.org##.Sponsorship_articleBannerWrapper__wV_1S +thetimes.com##.Sticky-AdContainer +apartmenttherapy.com,cubbyathome.com,thekitchn.com##.StickyFooter +slideshare.net##.StickyVerticalInterstitialAd_root__f7Qki +slant.co##.SummaryPage-LustreEmbed +westword.com##.SurveyLinkSlideModal +newser.com##.TaboolaP1P2 +icodrops.com##.Tbl-Row--promo +dictionary.com##.TeixwVbjB8cchva8bDlg +imgur.com##.Top300x600 +cnbc.com##.TopBanner-container +abergavennychronicle.com,tenby-today.co.uk##.TopBannerstyled__Wrapper-sc-x2ypns-0 +ndtv.com##.TpGnAd_ad-wr +dappradar.com##.Tracker__StyledSmartLink-sc-u8v3nu-0 +meduza.io##.UnderTheSun-module-banner +vitepress.dev##.VPCarbonAds +poebuilds.net##.W_tBwY +britannicaenglish.com##.WordFromSponsor_content_enToar +this.org##.Wrap-leaderboard +tumblr.com##.XJ7bf +tumblr.com##.Yc2Sp +desmoinesregister.com##.ZJBvMP__ZJBvMP +getpocket.com##.\'syndication-ad\' +olympics.com##.\-partners +freepik.com##._1286nb18b +freepik.com##._1286nb1rx +swarajyamag.com##._1eNH8 +gadgetsnow.com##._1edxh +gadgetsnow.com##._1pjMr +afkgaming.com##._2-COY +jeffdornik.com##._2kEVY +gadgetsnow.com##._2slKI +coderwall.com##._300x250 +brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##._34z61 +timesnownews.com##._3n1p +thequint.com##._4xQrn +outlook.live.com##._BAY1XlyQSIe6kyKPlYP +gadgets360.com##.__wdgt_rhs_kpc +gadgets360.com##._ad +timeout.com##._ad_1elek_1 +sitepoint.com##._ap_apex_ad-container +vscode.one##._flamelab-ad +tampafp.com##._ning_outer +filerox.com##._ozxowqadvert +coingraph.us,filext.com##.a +startpage.com##.a-bg +rumble.com##.a-break +abcya.com##.a-leader +baptistnews.com,chimpreports.com,collive.com,defence-industry.eu,douglasnow.com,islandecho.co.uk,locklab.com,mallorcasunshineradio.com,newsindiatimes.com,runwaygirlnetwork.com,southsideweekly.com,spaceref.com,talkradioeurope.com,theshoesnobblog.com##.a-single +abcya.com##.a-skyscraper +krebsonsecurity.com##.a-statement +tellymix.co.uk##.a-text +androidtrends.com,aviationa2z.com,backthetruckup.com,bingehulu.com,buffalorising.com,cryptoreporter.info,streamsgeek.com,techcentral.co.za,techrushi.com,trendstorys.com,vedantbhoomi.com##.a-wrap +breitbart.com##.a-wrapper +chordify.net##.a1p2y5ib +informer.com##.a2 +wmtips.com##.a3f17 +crypto.news##.a49292cf69626 +thechinaproject.com##.a4d +westword.com##.a65vezphb1 +breitbart.com##.a8d +localtiger.com##.a9gy_lt +scoredle.com##.aHeader +fastweb.com##.a_cls_s +fastfoodnutrition.org##.a_leader +premierguitar.com##.a_promo +fastfoodnutrition.org##.a_rect +informer.com##.aa-728 +diep.io##.aa-unit +informer.com##.aa0 +absoluteanime.com##.aa_leaderboard +romsmania.games##.aawp +ncomputers.org,servertest.online##.ab +freedownloadmanager.org##.ab1 +freedownloadmanager.org##.ab320 +slickdeals.net,whitecoatinvestor.com##.abc +britannica.com,merriam-webster.com##.abl +imgbb.com##.abnr +itc.ua##.about-noa +rankedboost.com##.above-article-section +oilcity.news##.above-footer-widgets +hollywoodreporter.com##.above-header-ad +creativeuncut.com##.abox-s_i +creativeuncut.com##.abox-s_i2 +roblox.com##.abp +manualslib.com##.abp_adv_s-title +pocketgamer.com##.abs +albertsons.com##.abs-carousel-proxy > [aria-label="Promo or Ad Banner"] +tfn.scot##.absolute-leaderboard +tfn.scot##.absolute-mid-page-unit +breitbart.com##.acadnotice +gamesystemrequirements.com##.act_eng +sneakernews.com##.active-footer-ad +christianpost.com##.acw +comicbookmovie.com##.ad > .blur-up +independent.ie##.ad--articlerectangle +washingtonpost.com##.ad--enterprise +hifi-classic.net##.ad--google_adsense > .ad--google_adsense +hifi-classic.net##.ad--google_adsense_bottom +hollywoodlife.com##.ad--horizontal +mothership.sg##.ad--imu +mothership.sg##.ad--lb +mothership.sg##.ad--side +paryatanbazar.com##.ad--space +allbusiness.com##.ad--tag +ip-address.org##.ad-1-728 +ip-tracker.org##.ad-1-drzac +ip-address.org##.ad-2-336 +gamepressure.com##.ad-2020-rec-alt-mob +ip-address.org##.ad-3-728 +archdaily.com##.ad-300-250 +ip-address.org##.ad-5-300 +geotastic.net##.ad-970x250 +birdwatchingdaily.com##.ad-advertisement-vertical +buzzfeed.com##.ad-awareness +britannica.com,courthousenews.com,diabetesjournals.org,imgmak.com,infobel.com,kuioo.com,linkedin.com,pilot007.org,radiotimes.com,soundguys.com,topperlearning.com##.ad-banner +radiopaedia.org##.ad-banner-desktop-row +home-designing.com,inc.com,trustpilot.com##.ad-block +fangoria.com##.ad-block--300x250 +issuu.com##.ad-block--wide +sciencenews.org##.ad-block-leaderboard__freestar___Ologr +fangoria.com##.ad-block__container +cryptodaily.co.uk##.ad-bottom-spacing +save.ca##.ad-box +am5.com##.ad-box-pc-3 +am5.com##.ad-box-right-pc-1 +mv-voice.com##.ad-break +imsa.com##.ad-close-container +thisiscolossal.com##.ad-code-block +npr.org##.ad-config +valetmag.com##.ad-constrained-container +12news.com,9news.com,9to5google.com,9to5mac.com,aad.org,advfn.com,all3dp.com,allaboutcookies.org,allnovel.net,amny.com,athleticbusiness.com,audiokarma.org,beeradvocate.com,beliefnet.com,bizjournals.com,biznews.com,bolavip.com,britishheritage.com,businessinsider.com,cbs8.com,cc.com,ccjdigital.com,dailytrust.com,delish.com,driven.co.nz,dutchnews.nl,ecr.co.za,electrek.co,engineeringnews.co.za,equipmentworld.com,etcanada.com,euromaidanpress.com,fastcompany.com,fishermap.org,footyheadlines.com,fox10phoenix.com,fox13news.com,fox26houston.com,fox29.com,fox2detroit.com,fox32chicago.com,fox35orlando.com,fox4news.com,fox5atlanta.com,fox5dc.com,fox5ny.com,fox7austin.com,fox9.com,foxbusiness.com,foxla.com,foxnews.com,funkidslive.com,gfinityesports.com,globalspec.com,gmanetwork.com,grammarbook.com,greatbritishchefs.com,greatitalianchefs.com,hbr.org,highdefdigest.com,historynet.com,howstuffworks.com,huffpost.com,ibtimes.sg,insidehook.com,insider.com,intouchweekly.com,irishcentral.com,karanpc.com,khou.com,koat.com,ktvu.com,lifeandstylemag.com,longislandpress.com,macstories.net,mail.com,mangakakalot.app,memuplay.com,metro.us,metrophiladelphia.com,minecraftforum.net,miningweekly.com,mixed-news.com,mobilesyrup.com,modernhealthcare.com,msnbc.com,namemc.com,nbcnews.com,newrepublic.com,nzherald.co.nz,oneesports.gg,opb.org,outkick.com,papermag.com,physiology.org,pixiv.net,podcastaddict.com,punchng.com,qns.com,realsport101.com,reason.com,refinery29.com,roadandtrack.com,scroll.in,seattletimes.com,songkick.com,sportskeeda.com,thebaltimorebanner.com,thedailybeast.com,thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se,themarketherald.ca,thenationonlineng.net,thenewstack.io,tmz.com,toofab.com,uploadvr.com,usmagazine.com,vanguardngr.com,wildtangent.com,wogx.com,worldsoccertalk.com,wral.com##.ad-container +sportsnet.ca##.ad-container-bb +24timezones.com##.ad-container-diff +newthinking.com##.ad-container-mpu +wheelofnames.com##.ad-declaration +sciencealert.com##.ad-desktop\:block +firepunchmangafree.com##.ad-div-1 +firepunchmangafree.com##.ad-div-2 +cnn.com##.ad-feedback__modal +simracingsetup.com##.ad-fixed-bottom +404media.co##.ad-fixed__wrapper +pixiv.net##.ad-footer +pixiv.net##.ad-frame-container +valetmag.com##.ad-full_span-container +valetmag.com##.ad-full_span_homepage-container +valetmag.com##.ad-full_span_section-container +mobilesyrup.com##.ad-goes-here +business-standard.com##.ad-height-desktop +carsauce.com##.ad-holder +symbl.cc##.ad-incontent-rectangle +andscape.com##.ad-incontent-wrapper +dailyuptea.com##.ad-info +kenyans.co.ke##.ad-kenyans +kenyans.co.ke##.ad-kenyans-wrapper +cbc.ca##.ad-landing +heise.de##.ad-ldb-container +revolvermag.com##.ad-leaderboard-foot +revolvermag.com##.ad-leaderboard-head +apksum.com##.ad-left +radiopaedia.org##.ad-link-grey +citynews.ca##.ad-load +cbc.ca##.ad-load-more +mariopartylegacy.com##.ad-long +olympics.com##.ad-margin-big +pixiv.net##.ad-mobile-anchor +houstonchronicle.com##.ad-module--ad--16cf1 +pedestrian.tv##.ad-no-mobile +constructionenquirer.com##.ad-page-takeover +mirror.co.uk,themirror.com##.ad-placeholder +bbcgoodfood.com,olivemagazine.com,radiotimes.com##.ad-placement-inline--2 +comedy.com##.ad-placement-wrapper +fanfox.net##.ad-reader +atlasobscura.com##.ad-site-top-full-width +nationalreview.com##.ad-skeleton +accesswdun.com##.ad-slider-block +imresizer.com##.ad-slot-1-fixed-ad +imresizer.com##.ad-slot-2-fixed-ad +imresizer.com##.ad-slot-3-fixed-ad +cnn.com##.ad-slot-dynamic +cnn.com##.ad-slot-header__wrapper +barandbench.com##.ad-slot-row-m__ad-Wrapper__cusCS +oann.com##.ad-slot__ad-label +cnn.com##.ad-slot__ad-wrapper +freepressjournal.in##.ad-slots +usnews.com##.ad-spacer__AdSpacer-sc-nwg9sv-0 +techinformed.com##.ad-text-styles +playbuzz.com##.ad-top-1-wrapper +companiesmarketcap.com##.ad-tr +forbes.com,windowscentral.com##.ad-unit +ndtvprofit.com##.ad-with-placeholder-m__place-holder-wrapper__--JIw +bqprime.com##.ad-with-placeholder-m__place-holder-wrapper__1_rkH +trueachievements.com##.ad-wrap +smithsonianmag.com,tasty.co##.ad-wrapper +insurancebusinessmag.com##.ad-wrapper-billboard-v2 +gamingdeputy.com##.ad-wrapper-parent-video +allscrabblewords.com,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,gamesadshopper.com,iamgujarat.com,lolcounter.com,mpog100.com,newszop.com,samayam.com,timesofindia.com,vijaykarnataka.com##.ad1 +urih.com##.ad193 +allscrabblewords.com,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,mpog100.com##.ad2 +allscrabblewords.com,mpog100.com##.ad3 +news18.com##.ad300x250 +india.com##.ad5 +cricketcountry.com##.ad90mob300 +ptonline.com##.adBlock--center-column +ptonline.com##.adBlock--right-column +medibang.com##.adBlock__pc +emojiphrasebook.com##.adBottom +bigislandnow.com##.adBreak +kijiji.ca##.adChoices-804693302 +economist.com##.adComponent_advert__kPVUI +forums.sufficientvelocity.com,m.economictimes.com,someecards.com,trailspace.com,wabetainfo.com##.adContainer +etymonline.com##.adContainer--6CVz1 +graziadaily.co.uk##.adContainer--inline +hellomagazine.com##.adContainerClass_acvudum +clashofstats.com##.adContainer_Y58xc +anews.com.tr##.adControl +carsdirect.com##.adFooterWrapper +bramptonguardian.com,guelphmercury.com,insideottawavalley.com,niagarafallsreview.ca,niagarathisweek.com,stcatharinesstandard.ca,thepeterboroughexaminer.com,therecord.com,thespec.com,thestar.com,wellandtribune.ca##.adLabelWrapper +bramptonguardian.com,insideottawavalley.com,niagarafallsreview.ca,stcatharinesstandard.ca,thepeterboroughexaminer.com,therecord.com,thestar.com,wellandtribune.ca##.adLabelWrapperManual +cosmopolitan.in##.adMainWrp +sammobile.com##.adRoot-loop-ad +coloradotimesrecorder.com##.adSidebar +golfdigest.com##.adSlot +bramptonguardian.com##.adSlot___3IQ8M +drive.com.au##.adSpacing_drive-ad-spacing__HdaBg +thestockmarketwatch.com##.adSpotPad +healthnfitness.net##.adTrack +sofascore.com##.adUnitBox +dailyo.in##.adWrapp +romper.com##.adWrapper +barrons.com##.adWrapperTopLead +forecast7.com##.ad[align="center"] +m.thewire.in##.ad_20 +indy100.com##.ad_300x250 +digiday.com##.ad_960 +food.com##.ad__ad +disqus.com##.ad__adh-wrapper +nationalpost.com,vancouversun.com##.ad__inner +politico.eu##.ad__mobile +dailykos.com##.ad__placeholder +asianjournal.com##.ad_before_title +kyivpost.com##.ad_between_paragraphs +cheatcodes.com##.ad_btf_728 +ntvkenya.co.ke##.ad_flex +auto-data.net##.ad_incar +dailykos.com##.ad_leaderboard__container +advocate.com,out.com##.ad_leaderboard_wrap +gamereactor.asia,gamereactor.cn,gamereactor.com.tr,gamereactor.cz,gamereactor.de,gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.fi,gamereactor.fr,gamereactor.gr,gamereactor.it,gamereactor.jp,gamereactor.kr,gamereactor.me,gamereactor.nl,gamereactor.no,gamereactor.pl,gamereactor.pt,gamereactor.se,gamereactor.vn##.ad_mobilebigwrap +bigislandnow.com##.ad_mobileleaderboard +numista.com##.ad_picture +housing.com##.ad_pushup_paragraph +housing.com##.ad_pushup_subtitle +base64decode.org##.ad_right_bottom +dailykos.com##.ad_right_rail +base64decode.org##.ad_right_top +upi.com##.ad_slot_inread +kitco.com##.ad_space_730 +advocate.com##.ad_tag +outlookindia.com##.ad_unit_728x90 +geoguessr.com##.ad_wrapper__3DZ7k +webextension.org##.adb +queerty.com##.adb-box-large +outsports.com##.adb-os-lb-top +queerty.com##.adb-top-lb +tellymix.co.uk##.adb_top +wordfind.com##.adbl +dataversity.net,ippmedia.com,sakshi.com,songlyrics.com,yallamotor.com##.adblock +bookriot.com##.adblock-content +darkreader.org##.adblock-pro +carcomplaints.com,dolldivine.com,entrepreneur.com,interglot.com,news18.com,pricespy.co.nz,shared.com,sourcedigit.com,telegraphindia.com##.adbox +moviechat.org##.adc +boards.4channel.org##.adc-resp +boards.4channel.org##.adc-resp-bg +ar15.com##.adcol +ancient.eu,fanatix.com,gamertweak.com,gematsu.com,videogamemods.com,videogameschronicle.com,worldhistory.org##.adcontainer +sumanasa.com##.adcontent +thegatewaypundit.com##.adcovery +thegatewaypundit.com##.adcovery-home-01 +thegatewaypundit.com##.adcovery-postbelow-01 +online-image-editor.com,thehindu.com,watcher.guru##.add +mid-day.com##.add-300x250 +mid-day.com##.add-970x250 +securityaffairs.com##.add-banner +buzz.ie,irishpost.com,theweekendsun.co.nz##.add-block +cricketcountry.com##.add-box +morningstar.in##.add-container +indianexpress.com##.add-first +watcher.guru##.add-header +ians.in##.add-inner +businessesview.com.au,holidayview.com.au,realestateview.com.au,ruralview.com.au##.add-item +zeenews.india.com##.add-placeholder +ndtv.com##.add-section +moneycontrol.com##.add-spot +media4growth.com##.add-text +brandingmag.com##.add-wrap +ndtv.com##.add-wrp +newindian.in##.add160x600 +newindian.in##.add160x600-right +muslimobserver.com##.add2 +projectorcentral.com##.addDiv2 +projectorcentral.com##.addDiv3 +ndtv.com##.add__txt +ndtv.com##.add__wrp +harpersbazaar.in##.add_box +bridestoday.in##.add_container +ndtv.com##.add_dxt-non +longevity.technology,news18.com##.add_section +harpersbazaar.in##.add_wrapper +longevity.technology##.addvertisment +nesabamedia.com##.adfullwrap +fastcompany.com##.adhesive-banner +aish.com##.adholder-sidebar +auto-data.net##.adin +watchcartoononline.bz##.adkiss +boards.4channel.org##.adl +animalfactguide.com,msn.com,portlandmonthlymag.com,romsgames.net,sportsmediawatch.com##.adlabel +gemoo.com##.adlet_mobile +prokerala.com##.adm-unit +goldderby.com##.adma +brickset.com##.admin.buy +adn.com##.adn-adwrap +web-dev-qa-db-fra.com##.adn-ar +freepik.com##.adobe-coupon-container +freepik.com##.adobe-detail +freepik.com##.adobe-grid-design +flightglobal.com,thriftyfun.com##.adp +lol.ps##.adpage +vice.com##.adph +1sale.com,1v1.lol,7billionworld.com,9jaflaver.com,achieveronline.co.za,bestcrazygames.com,canstar.com.au,canstarblue.co.nz,cheapies.nz,climatechangenews.com,cointribune.com,cryptonomist.ch,currencyrate.today,daily-sun.com,downloadtorrentfile.com,economictimes.com,energyforecastonline.co.za,esports.com,eventcinemas.co.nz,ezgif.com,flashx.tv,gamesadshopper.com,geo.tv,govtrack.us,gramfeed.com,hentaikun.com,hockeyfeed.com,i24news.tv,icons8.com,idiva.com,indiatimes.com,inspirock.com,islamchannel.tv,m.economictimes.com,mangasect.com,marinetraffic.com,mb.com.ph,medicalxpress.com,mega4upload.com,mehrnews.com,meta-calculator.com,mini-ielts.com,miningprospectus.co.za,motogp.com,mugshots.com,nbc.na,news.nom.co,nsfwyoutube.com,onlinerekenmachine.com,ozbargain.com.au,piliapp.com,readcomicsonline.ru,recipes.net,robuxtousd.com,russia-insider.com,russian-faith.com,savevideo.me,sgcarmart.com,sherdog.com,straitstimes.com,teamblind.com,tehrantimes.com,tellerreport.com,thenews.com.pk,thestar.com.my,unb.com.bd,viamichelin.com,viamichelin.ie,vijesti.me,y8.com,yummy.ph##.ads +moneycontrol.com##.ads-320-50 +dallasinnovates.com##.ads-article-body +digg.com##.ads-aside-rectangle +nationthailand.com##.ads-billboard +dnaindia.com,wionews.com##.ads-box-300x250 +zeenews.india.com##.ads-box-300x250::before +wionews.com##.ads-box-300x300 +dnaindia.com,wionews.com##.ads-box-970x90 +dnaindia.com,wionews.com##.ads-box-d90-m300 +hubcloud.club##.ads-btns +thefinancialexpress.com.bd##.ads-carousel-container +gosunoob.com,indianexpress.com,matrixcalc.org,philstarlife.com,phys.org,roblox.com,spotify.com##.ads-container +pcquest.com##.ads-div-style +samehadaku.email##.ads-float-bottom +thetruthaboutcars.com##.ads-fluid-wrap +spambox.xyz##.ads-four +bluewin.ch##.ads-group +fintech.tv##.ads-img +india.com##.ads-in-content +freeconvert.com##.ads-in-page +nationthailand.com##.ads-inarticle-2 +readcomicsonline.ru##.ads-large +kiz10.com##.ads-medium +theasianparent.com##.ads-open-placeholder +zeenews.india.com##.ads-placeholder-internal +bangkokpost.com##.ads-related +gameshub.com##.ads-slot +batimes.com.ar##.ads-space +lowfuelmotorsport.com##.ads-stats +wallpapers.com##.ads-unit-fts +karryon.com.au##.ads-wrap +ndtv.com##.ads-wrp +bestcrazygames.com##.ads160600 +m.mouthshut.com##.adsBoxRpt2 +auto.hindustantimes.com##.adsHeight300x600 +tech.hindustantimes.com##.adsHeight720x90 +auto.hindustantimes.com##.adsHeight970x250 +dailyo.in##.adsWrp +radaris.com##.ads_160_600 +games2jolly.com##.ads_310_610_sidebar_new +jpeg-optimizer.com##.ads_A1_warp +jpeg-optimizer.com##.ads_A2_warp +kbb.com##.ads__container +kbb.com##.ads__container-kbbLockedAd +metro.co.uk##.ads__index__adWrapper--cz7QL +vccircle.com##.ads_ads__qsWIu +collegedunia.com##.ads_body_ad_code_container +mediapost.com##.ads_inline_640 +allevents.in##.ads_place_right +psypost.org##.ads_shortcode +skyve.io##.ads_space +101soundboards.com##.ads_top_container_publift +adlice.com,informer.com,waqi.info##.adsbygoogle +harvardmagazine.com##.adsbygoogle-block +thartribune.com##.adsbypubpower +aitextpromptgenerator.com##.adsbyus_wrapper +gayvegas.com,looktothestars.org,nintandbox.net,plurk.com,rockpasta.com,thebarentsobserver.com,tolonews.com,webtor.io##.adsense +radaris.com##.adsense-responsive-bottom +temporary-phone-number.com##.adsense-top-728 +101soundboards.com##.adsense_matched_content +awesomeopensource.com##.adsense_uas +eatwell101.com##.adsenseright +libble.eu##.adserver-container +bolnews.com##.adsheading +nepallivetoday.com##.adsimage +indianexpress.com##.adsizes +search.b1.org##.adslabel +ev-database.org##.adslot_detail1 +ev-database.org##.adslot_detail2 +cdrab.com,offerinfo.net##.adslr +bolnews.com##.adspadding +downzen.com##.adt +makemytrip.com##.adtech-desktop +cosmopolitan.in,indiatodayne.in,miamitodaynews.com##.adtext +wdwmagic.com##.adthrive-homepage-header +wdwmagic.com##.adthrive-homepage-in_content_1 +quadraphonicquad.com##.adthrive-placeholder-header +quadraphonicquad.com##.adthrive-placeholder-static-sidebar +pinchofyum.com##.adthrive_header_ad +wdwmagic.com##.adunit-header +cooking.nytimes.com##.adunit_ad-unit__IhpkS +ip-address.org##.aduns +ip-address.org##.aduns2 +ip-address.org##.aduns6 +ansamed.info,baltic-course.com,futbol24.com,gatewaynews.co.za,gsmarena.com,gulfnews.com,idealista.com,jetphotos.com,karger.com,mangaku.vip,maritimejobs.com,newagebd.net,prohaircut.com,railcolornews.com,titter.com,zbani.com##.adv +mrw.co.uk##.adv-banner-top +blastingnews.com##.adv-box-content +healthleadersmedia.com##.adv-con +junauza.com##.adv-hd +48hills.org,audiobacon.net,bhamnow.com,clevercreations.org,cnaw2news.com,coinedition.com,coinquora.com,creativecow.net,elements.visualcapitalist.com,forexcracked.com,fxleaders.com,iconeye.com,kdnuggets.com,laprensalatina.com,londonnewsonline.co.uk,manageditmag.co.uk,mondoweiss.net,opensourceforu.com,ottverse.com,overclock3d.net,smallarmsreview.com,sportsspectrum.com,sundayworld.co.za,tampabayparenting.com,theaudiophileman.com##.adv-link +sneakernews.com##.adv-parent +chaseyoursport.com##.adv-slot +greencarreports.com,motorauthority.com##.adv-spacer +worldarchitecture.org##.adv1WA1440 +futbol24.com##.adv2 +worldarchitecture.org##.adv2WA1440 +coinalpha.app##.advBannerDiv +yesasia.com##.advHr +hurriyetdailynews.com##.advMasthead +moneycontrol.com##.advSlotsGrayBox +imagetotext.info##.adv_text +operawire.com##.advads-post_ads +moneycontrol.com##.advbannerWrap +barkinganddagenhampost.co.uk,becclesandbungayjournal.co.uk,blogto.com,burymercury.co.uk,cambstimes.co.uk,cardealermagazine.co.uk,crimemagazine.com,dailyedge.ie,datalounge.com,derehamtimes.co.uk,dermnetnz.org,developingtelecoms.com,dissmercury.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,eastlondonadvertiser.co.uk,economist.com,edp24.co.uk,elystandard.co.uk,etf.com,eveningnews24.co.uk,exmouthjournal.co.uk,fakenhamtimes.co.uk,football.co.uk,gearspace.com,gematsu.com,gobankingrates.com,greatyarmouthmercury.co.uk,hackneygazette.co.uk,hamhigh.co.uk,hertsad.co.uk,huntspost.co.uk,icaew.com,ilfordrecorder.co.uk,iol.co.za,ipswichstar.co.uk,islingtongazette.co.uk,lgr.co.uk,lowestoftjournal.co.uk,maltapark.com,midweekherald.co.uk,morningstar.co.uk,newhamrecorder.co.uk,newstalkzb.co.nz,northnorfolknews.co.uk,northsomersettimes.co.uk,pinkun.com,podtail.com,proxcskiing.com,romfordrecorder.co.uk,royston-crow.co.uk,saffronwaldenreporter.co.uk,sidmouthherald.co.uk,stowmarketmercury.co.uk,stylecraze.com,sudburymercury.co.uk,tbivision.com,the42.ie,thecomet.net,thedrum.com,thejournal.ie,tineye.com,trucksplanet.com,videogameschronicle.com,wattonandswaffhamtimes.co.uk,wccftech.com,whtimes.co.uk,wisbechstandard.co.uk,wtatennis.com,wymondhamandattleboroughmercury.co.uk##.advert +saucemagazine.com##.advert-elem +saucemagazine.com##.advert-elem-1 +gozofinder.com##.advert-iframe +farminguk.com##.advert-word +who-called.co.uk##.advertLeftBig +empireonline.com,graziadaily.co.uk##.advertWrapper_billboard__npTvz +m.thewire.in##.advert_text1 +momjunction.com,stylecraze.com##.advertinside +freeaddresscheck.com,freecallerlookup.com,freecarrierlookup.com,freeemailvalidator.com,freegenderlookup.com,freeiplookup.com,freephonevalidator.com,kpopping.com,zimbabwesituation.com##.advertise +gpfans.com##.advertise-panel +cointelegraph.com##.advertise-with-us-link_O9rIX +salon.com##.advertise_text +aan.com,aarp.org,additudemag.com,agbi.com,animax-asia.com,apkforpc.com,audioxpress.com,axn-asia.com,bravotv.com,citiblog.co.uk,cnbctv18.com,cnn59.com,controleng.com,curiosmos.com,downzen.com,dw.com,dwturkce.com,escapeatx.com,foodsforbetterhealth.com,gemtvasia.com,hcn.org,huffingtonpost.co.uk,huffpost.com,inqld.com.au,inspiredminds.de,investmentnews.com,jewishworldreview.com,legion.org,lifezette.com,livestly.com,magtheweekly.com,moneyland.ch,offshore-energy.biz,onetvasia.com,oxygen.com,pch.com,philosophynow.org,prospectmagazine.co.uk,readamericanfootball.com,readarsenal.com,readastonvilla.com,readbasketball.com,readbetting.com,readbournemouth.com,readboxing.com,readbrighton.com,readbundesliga.com,readburnley.com,readcars.co,readceltic.com,readchampionship.com,readchelsea.com,readcricket.com,readcrystalpalace.com,readeverton.com,readeverything.co,readfashion.co,readfilm.co,readfood.co,readfootball.co,readgaming.co,readgolf.com,readhorseracing.com,readhuddersfield.com,readhull.com,readinternationalfootball.com,readlaliga.com,readleicester.com,readliverpoolfc.com,readmancity.com,readmanutd.com,readmiddlesbrough.com,readmma.com,readmotorsport.com,readmusic.co,readnewcastle.com,readnorwich.com,readnottinghamforest.com,readolympics.com,readpl.com,readrangers.com,readrugbyunion.com,readseriea.com,readshowbiz.co,readsouthampton.com,readsport.co,readstoke.com,readsunderland.com,readswansea.com,readtech.co,readtennis.co,readtottenham.com,readtv.co,readussoccer.com,readwatford.com,readwestbrom.com,readwestham.com,readwsl.com,reason.com,redvoicemedia.com,revolver.news,rogerebert.com,smithsonianmag.com,streamingmedia.com,the-scientist.com,thecatholicthing.org,therighthairstyles.com,topsmerch.com,weatherwatch.co.nz,wheels.ca,whichcar.com.au,woot.com,worldofbitco.in##.advertisement +topsmerch.com##.advertisement--6 +topsmerch.com##.advertisement-2-box +devdiscourse.com##.advertisement-area +business-standard.com##.advertisement-bg +atlasobscura.com##.advertisement-disclaimer +radiocity.in##.advertisement-horizontal-small +trumparea.com##.advertisement-list +atlasobscura.com##.advertisement-shadow +mid-day.com,radiocity.in##.advertisement-text +comedy.com##.advertisement-video-slot +structurae.net##.advertisements +scmp.com##.advertisers +afrsmartinvestor.com.au,afternoondc.in,allmovie.com,allmusic.com,bolnews.com,brw.com.au,gq.co.za,imageupscaler.com,mja.com.au,ocregister.com,online-convert.com,orangecounty.com,petrolplaza.com,pornicom.com,premier.org.uk,premierchristianity.com,premierchristianradio.com,premiergospel.org.uk,radio.com,sidereel.com,spine-health.com,yourdictionary.com##.advertising +theloadout.com##.advertising_slot_video_player +gadgets360.com##.advertisment +satdl.com##.advertizement +hurriyetdailynews.com##.advertorial-square-type-1 +148apps.com##.advnote +swisscows.com##.advrts--text +bearingarms.com,hotair.com,pjmedia.com,redstate.com,townhall.com,twitchy.com##.advs +allevents.in##.advt-text +pravda.com.ua##.advtext +groovyhistory.com,lifebuzz.com,toocool2betrue.com,videogameschronicle.com##.adwrapper +mail.google.com##.aeF > .nH > .nH[role="main"] > .aKB +revolver.news##.af-slim-promo +promocodie.com##.afc-container +real-fix.com##.afc_popup +fandom.com##.aff-unit__wrapper +f1i.com##.affiche +hindustantimes.com##.affilaite-widget +linuxize.com##.affiliate +romsgames.net##.affiliate-container +thebeet.com##.affiliate-disclaimer +usatoday.com##.affiliate-widget-wrapper +topsmerch.com##.affix-placeholder +jambase.com##.affixed-sidebar-adzzz +trovit.ae,trovit.be,trovit.ca,trovit.ch,trovit.cl,trovit.co.cr,trovit.co.id,trovit.co.in,trovit.co.ke,trovit.co.nz,trovit.co.uk,trovit.co.ve,trovit.co.za,trovit.com,trovit.com.br,trovit.com.co,trovit.com.ec,trovit.com.hk,trovit.com.kw,trovit.com.mx,trovit.com.pa,trovit.com.pe,trovit.com.pk,trovit.com.qa,trovit.com.sg,trovit.com.tr,trovit.com.tw,trovit.com.uy,trovit.com.vn,trovit.cz,trovit.dk,trovit.es,trovit.fr,trovit.hu,trovit.ie,trovit.it,trovit.jp,trovit.lu,trovit.ma,trovit.my,trovit.ng,trovit.nl,trovit.no,trovit.ph,trovit.pl,trovit.pt,trovit.ro,trovit.se,trovitargentina.com.ar##.afs-container-skeleton +promocodie.com##.afs-wrapper +domainnamewire.com##.after-header +insidemydream.com##.afxshop +venea.net##.ag_banner +venea.net##.ag_line +nexusmods.com##.agroup +picnob.com,piokok.com,pixwox.com##.ah-box +stripes.com##.ahm-rotd +techpp.com##.ai-attributes +thegatewaypundit.com##.ai-dynamic +radiomixer.net##.ai-placement +kuncomic.com,uploadvr.com##.ai-sticky-widget +androidpolice.com,constructionreviewonline.com,cryptobriefing.com,dereeze.com,tyretradenews.co.uk##.ai-track +getdroidtips.com,journeybytes.com,thebeaverton.com,thisisanfield.com,unfinishedman.com,windowsreport.com##.ai-viewport-1 +9to5linux.com,anoopcnair.com,apkmirror.com,askpython.com,beckernews.com,bizpacreview.com,boxingnews24.com,browserhow.com,constructionreviewonline.com,crankers.com,hard-drive.net,journeybytes.com,maxblizz.com,net-load.com,planetanalog.com,roadaheadonline.co.za,theamericantribune.com,windowslatest.com,yugatech.com##.ai_widget +petitchef.com,station-drivers.com,tennistemple.com##.akcelo-wrapper +allkpop.com##.akp2_wrap +yts.mx##.aksdj483csd +lingohut.com##.al-board +lyricsmode.com##.al-c-banner +wikihow.com##.al_method +altfi.com##.alert +accessnow.org##.alert-banner +apkmb.com##.alert-noty-download +rapidsave.com##.alert.col-md-offset-2 +peoplematters.in##.alertBar +majorgeeks.com##.alford > tbody > tr +shortlist.com##.align-xl-content-between +dailywire.com##.all-page-banner +livejournal.com##.allbanners +silverprice.org##.alt-content +antimusic.com##.am-center +music-news.com,thebeet.com##.amazon +orschlurch.net##.amazon-wrapper +indiatimes.com##.amazonProductSidebar +tech.hindustantimes.com##.amazonWidget +americafirstreport.com##.ameri-before-content +closerweekly.com,intouchweekly.com,lifeandstylemag.com,usmagazine.com##.ami-video-placeholder +faroutmagazine.co.uk##.amp-next-page-separator +cyberciti.biz##.amp-wp-4ed0dd1 +thepostemail.com##.amp-wp-b194b9a +gocomics.com##.amu-ad-leaderboard-atf +archpaper.com##.an-ads +letras.com##.an-pub +adspecials.us,ajanlatok.hu,akcniletak.cz,catalogosofertas.cl,catalogosofertas.com.ar,catalogosofertas.com.br,catalogosofertas.com.co,catalogosofertas.com.ec,catalogosofertas.com.mx,catalogosofertas.com.pe,catalogueoffers.co.uk,catalogueoffers.com.au,flugblattangebote.at,flyerdeals.ca,folderz.nl,folhetospromocionais.com,folletosofertas.es,gazetki.pl,kundeavisogtilbud.no,ofertelecatalog.ro,offertevolantini.it,promocatalogues.fr,promotiez.be,promotions.ae,prospektangebote.de,reklambladerbjudanden.se,tilbudsaviseronline.dk##.anchor-wrapper +streetdirectory.com##.anchor_bottom +rok.guide##.ancr-sticky +rok.guide##.ancr-top-spacer +eprinkside.com##.annons +phonearena.com##.announcements +tokyoweekender.com##.anymind-ad-banner +yts.mx##.aoiwjs +motor1.com##.ap +chargedretail.co.uk,foodstuffsa.co.za,thinkcomputers.org##.apPluginContainer +insideevs.com,motor1.com##.apb +thetoyinsider.com##.apb-adblock +eurogamer.net##.apester_block +pd3.gg##.app-ad-placeholder +d4builds.gg##.app__ad__leaderboard +classicfm.com##.apple_music +happymod.com##.appx +560theanswer.com##.aptivada-widget +icon-icons.com##.apu +icon-icons.com##.apu-mixed-packs +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,houstonchronicle.com,lmtonline.com,middletownpress.com,mrt.com,mysanantonio.com,newstimes.com,nhregister.com,registercitizen.com,seattlepi.com,sfgate.com,stamfordadvocate.com,thehour.com,timesunion.com##.ar16-9 +ajc.com,bostonglobe.com,daytondailynews.com,journal-news.com,springfieldnewssun.com##.arc_ad +adn.com,businessoffashion.com,irishtimes.com##.arcad-feature +bloomberglinea.com##.arcad-feature-custom +1news.co.nz,actionnewsjax.com,boston25news.com,easy93.com,fox23.com,hits973.com,kiro7.com,wftv.com,whio.com,wpxi.com,wsbradio.com,wsbtv.com,wsoctv.com##.arcad_feature +theepochtimes.com##.arcanum-widget +necn.com##.archive-ad__full-width +whatculture.com##.area-x__large +thehindu.com##.artShrEnd +ggrecon.com##.artSideBgBox +ggrecon.com##.artSideBgBoxBig +ggrecon.com##.artSideWrapBoxSticky +scmp.com##.article--sponsor +thelocal.at,thelocal.ch,thelocal.de,thelocal.es,thelocal.fr,thelocal.it,thelocal.no##.article--sponsored +thehindu.com##.article-ad +19thnews.org##.article-ad-default-top +phys.org##.article-banner +worldsoccertalk.com##.article-banner-desktop +wishesh.com##.article-body-banner +manilatimes.net##.article-body-content > .fixed-gray-color +crn.com##.article-cards-ad +coindesk.com##.article-com-wrapper +kmbc.com,wlky.com##.article-content--body-wrapper-side-floater +lrt.lt##.article-content__inline-block +firstforwomen.com##.article-content__sponsored_tout_ad___1iSJm +eonline.com##.article-detail__right-rail--topad +eonline.com##.article-detail__segment-ad +christianpost.com##.article-divider +purewow.com##.article-in-content-ad +aerotime.aero##.article-leaderboard +squaremile.com##.article-leaderboard-wrapper +scoop.co.nz##.article-left-box +slashdot.org##.article-nel-12935 +spectator.com.au##.article-promo +newmobility.com##.article-sidebar--sponsored +iai.tv##.article-sidebar-adimage +phillyvoice.com##.article-sponsor-sticky +thelocal.com,thelocal.dk,thelocal.se##.article-sponsored +people.com##.articleContainer__rail +audizine.com##.articleIMG +onlyinyourstate.com##.articleText-space-body-marginBottom-sm +therecord.media##.article__adunit +accessonline.com##.article__content__desktop_banner +seafoodsource.com##.article__in-article-ad +financemagnates.com##.article__mpu-banner +empireonline.com##.article_adContainer--filled__vtAYe +graziadaily.co.uk##.article_adContainer__qr_Hd +pianu.com##.article_add +empireonline.com##.article_billboard__X_edx +ubergizmo.com##.article_card_promoted +indiatimes.com##.article_first_ad +wikiwand.com##.article_footerStickyAd__wvdui +news18.com##.article_mad +gamewatcher.com##.article_middle +wikiwand.com##.article_sectionAd__rMyBc +lasvegassun.com##.articletoolset +news.artnet.com##.artnet-ads-ad +arcadespot.com##.as-incontent +arcadespot.com##.as-label +arcadespot.com##.as-unit +theinertia.com##.asc-ad +asianjournal.com##.asian-widget +designboom.com##.aside-adv-box +pickmypostcode.com##.aside-right.aside +goal.com##.aside_ad-rail__cawG6 +decrypt.co##.aspect-video +postandcourier.com,theadvocate.com##.asset-breakout-ads +macleans.ca##.assmbly-ad-block +chatelaine.com##.assmbly-ad-text +releasestv.com##.ast-above-header-wrap +animalcrossingworld.com##.at-sidebar-1 +guidingtech.com##.at1 +guidingtech.com##.at2 +fedex.com##.atTile1 +timesnownews.com,zoomtventertainment.com##.atfAdContainer +atptour.com##.atp_ad +atptour.com##.atp_partners +audiobacon.net##.audio-widget +mbl.is##.augl +thepopverse.com##.autoad +wvnews.com##.automatic-ad +iai.tv##.auw--container +theblueoceansgroup.com##.av-label +hostingreviews24.com##.av_pop_modals_1 +tutsplus.com##.avert +airfactsjournal.com##.avia_image +kisscenter.net,kissorg.net##.avm +whatsondisneyplus.com##.awac-wrapper +tempr.email##.awrapper +siasat.com##.awt_ad_code +gulte.com##.awt_side_sticky +factinate.com##.aySlotLocation +auctionzip.com##.az-header-ads-container +conservativefiringline.com##.az6l2zz4 +coingraph.us,hosty.uprwssp.org##.b +irishnews.com##.b-ads-block +bnnbloomberg.ca,cp24.com##.b-ads-custom +dailyvoice.com##.b-banner +ownedcore.com##.b-below-so-content +informer.com##.b-content-btm > table[style="margin-left: -5px"] +hypestat.com##.b-error +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,houstonchronicle.com,lmtonline.com,middletownpress.com,mrt.com,mysanantonio.com,newstimes.com,nhregister.com,registercitizen.com,seattlepi.com,sfchronicle.com,sfgate.com,stamfordadvocate.com,thehour.com,timesunion.com##.b-gray300.bt +china.ahk.de##.b-header__banner +dnserrorassist.att.net,searchguide.level3.com##.b-links +azscore.com##.b-odds +ownedcore.com##.b-postbit-w +kyivpost.com##.b-title +cyberdaily.au,investordaily.com.au,mortgagebusiness.com.au##.b-topLeaderboard +bizcommunity.com##.b-topbanner +ssyoutube.com##.b-widget-left +maritimeprofessional.com##.b300x250 +coin360.com##.b5BiRm +crypto.news,nft.news##.b6470de94dc +iol.co.za##.bDEZXQ +copilot.microsoft.com##.b_ad +vidcloud9.me##.backdrop +kitguru.net,mcvuk.com,technologyx.com,thessdreview.com##.background-cover +ign.com##.background-image.content-block +allkeyshop.com,cdkeyit.it,cdkeynl.nl,cdkeypt.pt,clavecd.es,goclecd.fr,keyforsteam.de##.background-link-left +allkeyshop.com,cdkeyit.it,cdkeynl.nl,cdkeypt.pt,clavecd.es,goclecd.fr,keyforsteam.de##.background-link-right +gayexpress.co.nz##.backstretch +beincrypto.com##.badge--sponsored +izismile.com##.ban_top +saabplanet.com##.baner +realestate-magazine.rs##.banerright +rhumbarlv.com##.banlink +1001games.com,3addedminutes.com,alistapart.com,anguscountyworld.co.uk,arcadebomb.com,armageddonexpo.com,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,bikechatforums.com,birminghamworld.uk,blackpoolgazette.co.uk,bristolworld.com,bsc.news,btcmanager.com,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,ca-flyers.com,caixinglobal.com,caribvision.tv,chad.co.uk,cinemadeck.com,cmo.com.au,coryarcangel.com,csstats.gg,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,dominicantoday.com,doncasterfreepress.co.uk,dump.li,elyricsworld.com,euobserver.com,eurochannel.com,exalink.fun,falkirkherald.co.uk,farminglife.com,fifetoday.co.uk,filmmakermagazine.com,flvtomp3.cc,footballtradedirectory.com,forexpeacearmy.com,funpic.hu,gartic.io,garticphone.com,gizmodo.com,glasgowworld.com,gr8.cc,gsprating.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hiphopdx.com,hortidaily.com,hucknalldispatch.co.uk,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,imedicalapps.com,insidefutbol.com,ipwatchdog.com,irishpost.com,israelnationalnews.com,japantimes.co.jp,jpost.com,kissasians.org,koreaherald.com,lancasterguardian.co.uk,laserpointerforums.com,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,livescore.in,londonworld.com,lutontoday.co.uk,manchesterworld.uk,marinelink.com,meltontimes.co.uk,mercopress.com,miltonkeynes.co.uk,mmorpg.com,mob.org,nationalworld.com,newcastleworld.com,newryreporter.com,news.am,news.net,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,oncyprus.com,onlineconvertfree.com,peterboroughtoday.co.uk,pharmatimes.com,portsmouth.co.uk,powerboat.world,pulsesports.co.ke,pulsesports.ng,pulsesports.ug,roblox.com,rotherhamadvertiser.co.uk,scientificamerican.com,scotsman.com,shieldsgazette.com,slidescorner.com,smartcarfinder.com,speedcafe.com,sputniknews.com,starradionortheast.co.uk,stornowaygazette.co.uk,subscene.com,sumodb.com,sunderlandecho.com,surreyworld.co.uk,sussexexpress.co.uk,sweeting.org,swzz.xyz,tass.com,thefanhub.com,thefringepodcast.com,thehun.com,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,timeslive.co.za,tmi.me,totallysnookered.com,townhall.com,toyworldmag.co.uk,unblockstreaming.com,vibilagare.se,vloot.io,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,weatheronline.co.uk,weekly-ads.us,wigantoday.net,worksopguardian.co.uk,worldtimeserver.com,xbiz.com,ynetnews.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##.banner +papermag.com##.banner--ad__placeholder +dayspedia.com##.banner--aside +onlineradiobox.com##.banner--header +oilprice.com##.banner--inPage +puzzlegarage.com##.banner--inside +dayspedia.com##.banner--main +onlineradiobox.com##.banner--vertical +euroweeklynews.com##.banner-970 +online-convert.com##.banner-ad-size +headlineintime.com##.banner-add +freepik.com##.banner-adobe +dailysocial.id,tiktok.com##.banner-ads +buoyant.io##.banner-aside +schoolguide.co.za##.banner-bar +schoolguide.co.za##.banner-bar-bot +pretoria.co.za##.banner-bg +dailycoffeenews.com##.banner-box +theshovel.com.au##.banner-col +countdown.co.nz,jns.org,nscreenmedia.com,op.gg,whoscored.com##.banner-container +soccerway.com##.banner-content +insidebitcoins.com##.banner-cta-wrapper +weatherin.org##.banner-desktop-full-width +jpost.com##.banner-h-270 +jpost.com##.banner-h-880 +411mania.com##.banner-homebottom-all +security.org##.banner-img-container +wireshark.org##.banner-img-downloads +balkangreenenergynews.com##.banner-l +amoledo.com##.banner-link +weatherin.org##.banner-mobile +bsc.news,web3wire.news##.banner-one +timesofisrael.com##.banner-placeholder +tweakreviews.com##.banner-placement__article +balkangreenenergynews.com##.banner-premium +gg.deals##.banner-side-link +bikepacking.com##.banner-sidebar +livescores.biz##.banner-slot +livescores.biz##.banner-slot-filled +vedantu.com##.banner-text +historydaily.org,israelnationalnews.com,pwinsider.com,spaceref.com,usahealthcareguide.com##.banner-top +wpneon.com##.banner-week +news.net##.banner-wr +admonsters.com##.banner-wrap +benzinga.com,primewire.link##.banner-wrapper +depositfiles.com,dfiles.eu##.banner1 +gsprating.com##.banner2 +coinalpha.app##.bannerAdv +brutal.io##.bannerBox +arras.io##.bannerHolder +alternativeto.net##.bannerLink +securenetsystems.net##.bannerPrerollArea +mumbrella.com.au##.bannerSide +thejc.com##.banner__ +thejc.com##.banner__article +financemagnates.com##.banner__outer-wrapper +forexlive.com,tass.com##.banner__wrapper +asmag.com##.banner_ab +hannity.com,inspiredot.net##.banner_ad +snopes.com##.banner_ad_between_sections +asmag.com##.banner_box +news.am##.banner_click +dosgamesarchive.com##.banner_container +barnstormers.com##.banner_holder +camfuze.com##.banner_inner +livecharts.co.uk##.banner_long +barnstormers.com##.banner_mid +weatheronline.co.uk##.banner_oben +barnstormers.com##.banner_rh +hwcooling.net,nationaljeweler.com,radioyacht.com##.banner_wrapper +wdwmagic.com##.bannerad_300px +mamul.am##.bannerb +gamertweak.com##.bannerdiv +flatpanelshd.com##.bannerdiv_twopage +arcadebomb.com##.bannerext +2merkato.com,2mfm.org,aps.dz,armyrecognition.com,cbn.co.za,dailynews.co.tz,digitalmediaworld.tv,eprop.co.za,finchannel.com,forums.limesurvey.org,i-programmer.info,killerdirectory.com,pamplinmedia.com,rapidtvnews.com,southfloridagaynews.com,thepatriot.co.bw,usedcarnews.com##.bannergroup +saigoneer.com##.bannergroup-main +convertingcolors.com##.bannerhead_desktop +asianmirror.lk,catholicregister.org,crown.co.za,marengo-uniontimes.com,nikktech.com##.banneritem +mir.az##.bannerreklam +domainnamewire.com,i24news.tv,marinetechnologynews.com,maritimepropulsion.com,mumbrella.com.au,mutaz.pro,paste.fo,paste.pm,pasteheaven.com,petapixel.com,radiopaedia.org,rapidtvnews.com,telesurtv.net,travelpulse.com##.banners +theportugalnews.com##.banners-250 +rt.com##.banners__border +unixmen.com##.banners_home +m.economictimes.com##.bannerwrapper +barrons.com##.barrons-body-ad-placement +marketscreener.com##.bas +teamfortress.tv##.bau +propublica.org##.bb-ad +doge-faucet.com##.bbb +imagetostl.com##.bc +britannica.com##.bc-article-inline-dialogue +dissentmagazine.org##.bc_random_banner +h-online.com##.bcadv +digminecraft.com##.bccace1b +fakenamegenerator.com##.bcsw +boldsky.com##.bd-header-ad +userbenchmark.com##.be-lb-page-top-banner +chowhound.com,glam.com,moneydigest.com,outdoorguide.com,svg.com,thelist.com,wrestlinginc.com##.before-ad +haitiantimes.com,renonr.com##.below-header-widgets +theinertia.com##.below-post-ad +lonestarlive.com##.below-toprail +gobankingrates.com##.bestbanks-slidein +aiscore.com##.bet365 +azscore.com##.bettingTip__buttonsContainer +scribd.com##.between_page_portal_root +nationalworld.com##.bfQGof +mindbodygreen.com##.bftiFX +theepochtimes.com##.bg-\[\#f8f8f8\] +hotnewhiphop.com##.bg-ad-bg-color +batimes.com.ar##.bg-ads-space +bgr.com##.bg-black +whatismyisp.com##.bg-blue-50 +officialcharts.com##.bg-design-hoverGreige +republicworld.com##.bg-f0f0f0 +amgreatness.com##.bg-gray-200.mx-auto +kongregate.com##.bg-gray-800.mx-4.p-1 +wccftech.com##.bg-horizontal +imagetotext.info##.bg-light.mt-2.text-center +charlieintel.com,dexerto.com##.bg-neutral-grey-4.items-center +charlieintel.com,dexerto.com##.bg-neutral-grey.justify-center +businessinsider.in##.bg-slate-100 +wccftech.com##.bg-square +wccftech.com##.bg-square-mobile +wccftech.com##.bg-square-mobile-without-bg +ewn.co.za##.bg-surface-03.text-content-secondary.space-y-\[0\.1875rem\].p-spacing-s.flex.flex-col.w-max.mx-auto +wccftech.com##.bg-vertical +copyprogramming.com##.bg-yellow-400 +overclock3d.net##.bglink +bhamnow.com##.bhamn-adlabel +bhamnow.com##.bhamn-story +investmentweek.co.uk##.bhide-768 +blackhatworld.com##.bhw-advertise-link +blackhatworld.com##.bhw-banners +viva.co.nz##.big-banner +ipolitics.ca,qpbriefing.com##.big-box +cbc.ca##.bigBoxContainer +newzit.com##.big_WcxYT +gamemodding.com##.big_banner +hellenicshippingnews.com##.bigbanner +advocate.com##.bigbox_top_ad-wrap +scienceabc.com##.bigincontentad +snokido.com##.bigsquare +9gag.com,aerotime.aero,autotrader.ca,blackpoolgazette.co.uk,bundesliga.com,dev.to,farminglife.com,hotstar.com,ipolitics.ca,lep.co.uk,northamptonchron.co.uk,qpbriefing.com,scotsman.com,shieldsgazette.com,talksport.com,techforbrains.com,the-sun.com,thescottishsun.co.uk,thestar.co.uk,thesun.co.uk,thesun.ie##.billboard +nypost.com,pagesix.com##.billboard-overlay +electronicproducts.com##.billboard-wrap +weatherpro.com##.billboard-wrapper +autoguide.com,motorcycle.com,thetruthaboutcars.com,upgradedhome.com##.billboardSize +techspot.com##.billboard_placeholder_min +netweather.tv##.billheight +azscore.com##.bkw +bundesliga.com##.bl-broadcaster +softonic.com##.black-friday-ads +ehftv.com##.blackPlayer +nowsci.com##.black_overlay +tvmaze.com##.blad +allkeyshop.com##.blc-left +allkeyshop.com##.blc-right +fastpic.ru##.bleft +kottke.org##.bling-title +wearedore.com##.bloc-pub +rpgsite.net##.block +soundonsound.com##.block---managed +worldviewweekend.com##.block--advertisement +analyticsinsight.net##.block-10 +club386.com##.block-25 +club386.com##.block-30 +club386.com##.block-39 +megagames.com##.block-4 +club386.com##.block-41 +crash.net##.block-ad-manager +thebaltimorebanner.com##.block-ad-zone +autocar.co.uk##.block-autocar-ads-lazyloaded-mpu2 +autocar.co.uk##.block-autocar-ads-mpu-flexible1 +autocar.co.uk##.block-autocar-ads-mpu-flexible2 +autocar.co.uk##.block-autocar-ads-mpu1 +thescore1260.com##.block-content > a[href*="sweetdealscumulus.com"] +indysmix.com,wzpl.com##.block-content > a[href^="https://sweetjack.com/local"] +webbikeworld.com##.block-da +whosdatedwho.com##.block-global-adDFP_HomeFooter +mondoweiss.net##.block-head-c +newsweek.com##.block-ibtmedia-dfp +endocrineweb.com,practicalpainmanagement.com##.block-oas +kaotic.com##.block-toplist +theonion.com##.block-visibility-hide-medium-screen +9to5linux.com,maxblizz.com##.block-widget +worldtimebuddy.com##.block2 +macmusic.org##.block440Adv +betaseries.com##.blockPartner +soccerway.com##.block_ad +informer.com##.block_ad1 +myrealgames.com##.block_adv_mix_top2 +gametracker.com##.blocknewnopad +simkl.com##.blockplacecente +wowhead.com##.blocks +mail.com##.blocks-3 +wowway.net##.blocks_container-size_containerSize +plainenglish.io##.blog-banner-container +failory.com##.blog-column-ad +oxygen.com,syfy.com##.blog-post-section__zergnet +blogto.com##.blogto-sticky-banner +manhwaindo.id##.blox +waterworld.com##.blueconic-recommendations +bmwblog.com##.bmwbl-after-content +azscore.com,bescore.com##.bn +firstpost.com##.bn-add +savefree.in,surattimes.com##.bn-content +nilechronicles.com##.bn-lg-sidebar +snow-forecast.com,weather-forecast.com##.bn-placeholder +flaticon.com##.bn-space-gads +roll20.net##.bna +gearspace.com##.bnb--inline +gearspace.com##.bnb-container +bnonews.com##.bnone-widget +evertiq.com,mediamanager.co.za##.bnr +thecompleteuniversityguide.co.uk##.bnr_out +armenpress.am##.bnrcontainer +apkmody.io,apkmody.mobi##.body-fixed-footer +saharareporters.com##.body-inject +boingboing.net##.boing-amp-triple13-amp-1 +boingboing.net##.boing-homepage-after-first-article-in-list +boingboing.net##.boing-leaderboard-below-menu +boingboing.net##.boing-primis-video-in-article-content +azscore.com,livescores.biz##.bonus-offers-container +btcmanager.com##.boo_3oo_6oo +cmo.com.au##.boombox +tomsguide.com##.bordeaux-anchored-container +tomsguide.com##.bordeaux-slot +everydayrussianlanguage.com##.border +washingtonpost.com##.border-box.dn-hp-sm-to-mx +washingtonpost.com##.border-box.dn-hp-xs +thedailymash.co.uk##.border-brand +standardmedia.co.ke##.border-thick-branding +myanimelist.net##.border_top +appleinsider.com##.bottom +blockchair.com##.bottom--buttons-container +downforeveryoneorjustme.com,health.clevelandclinic.org##.bottom-0.fixed +indiatimes.com##.bottom-ad-height +livescores.biz##.bottom-bk-links +reverso.net##.bottom-horizontal +photographyreview.com##.bottom-leaderboard +dappradar.com##.bottom-networks +codeproject.com##.bottom-promo +huffpost.com##.bottom-right-sticky-container +crn.com##.bottom-section +cnbctv18.com##.bottom-sticky +gamingdeputy.com##.bottom-sticky-offset +coincodex.com##.bottom6 +openguessr.com##.bottomFooterAds +auto.hindustantimes.com##.bottomSticky +softicons.com##.bottom_125_block +softicons.com##.bottom_600_250_block +imgtaxi.com##.bottom_abs +collive.com##.bottom_leaderboard +allmonitors24.com,streamable.com##.bottombanner +arcadebomb.com##.bottombox +timesofindia.com##.bottomnative +canonsupports.com##.box +filmbooster.com,ghacks.net##.box-banner +mybroadband.co.za##.box-sponsored +kiz10.com##.box-topads-x2 +fctables.com##.box-width > .hidden-xs +cubdomain.com##.box.mb-2.mh-300px.text-center +wahm.com##.box2 +flashscore.co.za##.boxOverContent--a +tribunnews.com##.box__reserved +flipline.com##.box_grey +flipline.com##.box_grey_bl +flipline.com##.box_grey_br +flipline.com##.box_grey_tl +flipline.com##.box_grey_tr +functions-online.com##.box_wide +kiz10.com##.boxadsmedium +bolavip.com,worldsoccertalk.com##.boxbanner_container +kodinerds.net##.boxesSidebarRight +retailgazette.co.uk##.boxzilla-overlay +retailgazette.co.uk##.boxzilla-popup-advert +wbur.org##.bp--native +wbur.org##.bp--outer +wbur.org##.bp--rec +wbur.org##.bp--responsive +wbur.org##.bp-label +slickdeals.net##.bp-p-adBlock +businessplus.ie##.bp_billboard_single +petkeen.com##.br-10 +bing.com##.br-poleoffcarousel +eightieskids.com,inherentlyfunny.com##.break +breakingbelizenews.com##.break-target +breakingbelizenews.com##.break-widget +broadsheet.com.au##.breakout-section-inverse +brobible.com##.bro_caffeine_wrap +brobible.com##.bro_vidazoo_wrap +moco360.media##.broadstreet-story-ad-text +sainsburys.co.uk##.browse-citrus-above-grid +vaughn.live##.browsePageAbvs300x600 +femalefirst.co.uk##.browsi_home +techpp.com##.brxe-shortcode +christianpost.com##.bs-article-cell +moco360.media##.bs_zones +sslshopper.com##.bsaStickyLeaderboard +arydigital.tv,barakbulletin.com##.bsac +doge-faucet.com##.bspot +businesstoday.in##.btPlyer +autoblog.com##.btf-native +cricwaves.com##.btm728 +snaptik.app##.btn-download-hd[data-ad="true"] +files.im##.btn-success +sbenny.com##.btnDownload5 +pollunit.com##.btn[href$="?feature=ads"] +youloveit.com##.btop +lifestyleasia.com##.btt-top-add-section +livemint.com##.budgetBox +business-standard.com##.budgetWrapper +bulinews.com##.bulinews-ad +frankspeech.com##.bunny-banner +businessmirror.com.ph##.busin-after-content +businessmirror.com.ph##.busin-before-content +business2community.com##.busin-coinzilla-after-content +business2community.com##.busin-news-placement-2nd-paragraph +switchboard.com##.business_premium_results +imac-torrents.com##.button +thisismoney.co.uk##.button-style > [href] +abbaspc.net##.buttonPress-116 +overclock.net##.buy-now +coinalpha.app##.buyTokenExchangeDiv +bobvila.com##.bv-unit-wrapper +wgnsradio.com##.bw-special-image +wgnsradio.com##.bw-special-image-wrapper +scalemates.com##.bwx.hrspb +forbes.com.au##.bz-viewability-container +insurancejournal.com##.bzn +coingraph.us,hosty.uprwssp.org##.c +dagens.com##.c-1 > .i-2 +globalnews.ca,stuff.tv##.c-ad +theglobeandmail.com##.c-ad--base +stuff.tv##.c-ad--mpu-bottom +stuff.tv##.c-ad--mpu-top +theglobeandmail.com##.c-ad-sticky +globalnews.ca##.c-adChoices +zdnet.com##.c-adDisplay_container_incontent-all-top +legit.ng,tuko.co.ke##.c-adv +legit.ng##.c-adv--video-placeholder +euroweeklynews.com##.c-advert__sticky +cnet.com##.c-asurionBottomBanner +cnet.com##.c-asurionInteractiveBanner +cnet.com##.c-asurionInteractiveBanner_wrapper +newstalkzb.co.nz##.c-background +elnacional.cat##.c-banner +truck1.eu##.c-banners +euronews.com##.c-card-sponsor +euroweeklynews.com##.c-inblog_ad +thehustle.co##.c-layout--trends +download.cnet.com##.c-pageFrontDoor_adWrapper +download.cnet.com##.c-pageProductDetail-sidebarAd +download.cnet.com##.c-pageProductDetail_productAlternativeAd +cnet.com##.c-pageReviewContent_ad +smashingmagazine.com##.c-promo-box +mmafighting.com##.c-promo-breaker +smashingmagazine.com##.c-promotion-box +webtoon.xyz##.c-sidebar +umassathletics.com##.c-sticky-leaderboard +globalnews.ca##.c-stickyRail +backpacker.com,betamtb.com,betternutrition.com,cleaneatingmag.com,climbing.com,gymclimber.com,outsideonline.com,oxygenmag.com,pelotonmagazine.com,rockandice.com,skimag.com,trailrunnermag.com,triathlete.com,vegetariantimes.com,velonews.com,womensrunning.com,yogajournal.com##.c-thinbanner +mangarockteam.com,nitroscans.com##.c-top-second-sidebar +freecomiconline.me,lordmanga.com,mangahentai.me,manytoon.com,readfreecomics.com##.c-top-sidebar +softarchive.is##.c-un-link +stuff.tv##.c-video-ad__container +convertingcolors.com##.c30 +canada411.ca##.c411TopBanner +techonthenet.com##.c79ee2c9 +sussexexpress.co.uk##.cIffkq +filepuma.com##.cRight_footer +fmforums.com##.cWidgetContainer +digg.com,money.com##.ca-pcu-inline +digg.com##.ca-widget-wrapper +engadget.com##.caas-da +thecable.ng##.cableads_mid +encycarpedia.com##.cac +strategie-bourse.com##.cadre_encadre_pub +cafonline.com##.caf-o-sponsors-nav +merriam-webster.com##.cafemedia-ad-slot-top +clutchpoints.com##.cafemedia-clutchpoints-header +challonge.com##.cake-unit +calculat.io##.calc67-container +skylinewebcams.com##.cam-vert +thedalesreport.com##.cap-container +dllme.com##.captchabox > div +coolors.co##.carbon-cad +icons8.com##.carbon-card-ad__loader +speakerdeck.com##.carbon-container +buzzfeed.com##.card--article-ad +u.today##.card--something-md +nrl.com##.card-content__sponsor +thepointsguy.com##.cardWidget +realestatemagazine.ca##.caroufredsel_wrapper +devdiscourse.com##.carousel +eetimes.com##.carousel-ad-wrapper +faroutmagazine.co.uk,hitc.com##.carpet-border +numista.com##.catawiki_list +chemistwarehouse.com.au##.category-product-mrec +afro.com,ghacks.net,hyperallergic.com##.category-sponsored +renonr.com##.category-sponsored-content +notebooks.com##.cb-block +thegoodchoice.ca,wandering-bird.com##.cb-box +guru99.com##.cb-box__wrapper-center_modal +carbuzz.com##.cb-video-ad-block +supercheats.com##.cboth_sm +cricbuzz.com##.cbz-leaderboard-banner +waptrick.one##.cent_list +digit.in##.center-add +seeklogo.com##.centerAdsWp +siberiantimes.com##.centerBannerRight +giveawayoftheday.com##.center_ab +mirrored.to##.centered > form[target^="_blank"] +whattomine.com##.centered-image-short +spiceworks.com##.centerthe1 +ceo.ca##.ceoBanner +digminecraft.com##.cf47a252 +top.gg##.chakra-stack.css-15xujv4 +tlgrm.eu##.channel-card--promoted +thefastmode.com##.channel_long +thefastmode.com##.channel_small +officialcharts.com##.chart-ad +crn.com##.chartbeat-wrapper +cheknews.ca##.chek-advertisement-placeholder +sevenforums.com,tenforums.com##.chill +cdmediaworld.com,gametarget.net,lnkworld.com##.chk +hannaford.com##.citrus_ad_banner +apps.jeurissen.co##.cja-landing__content > .cja-sqrimage +gunsamerica.com##.cl_ga +businessinsider.in##.clmb_eoa +kissanime.com.ru##.close_ad_button +cdromance.com##.cls +computerweekly.com,techtarget.com,theserverside.com##.cls-hlb-wrapper-desktop +lcpdfr.com##.clsReductionBlockHeight +lcpdfr.com##.clsReductionLeaderboardHeight +mayoclinic.org##.cmp-advertisement__wrapper +classcentral.com##.cmpt-ad +boldsky.com,gizbot.com,nativeplanet.com##.cmscontent-article1 +boldsky.com,gizbot.com,nativeplanet.com##.cmscontent-article2 +boldsky.com,drivespark.com,filmibeat.com,gizbot.com,goodreturns.in,nativeplanet.com,oneindia.com##.cmscontent-left-article +boldsky.com,drivespark.com,filmibeat.com,gizbot.com,goodreturns.in,nativeplanet.com,oneindia.com##.cmscontent-right1 +careerindia.com##.cmscontent-top +cricketnmore.com##.cmtopad +thisismoney.co.uk##.cnr5 +letras.com##.cnt-space-top +groceries.asda.com##.co-product-dynamic +asda.com##.co-product-list[data-module-type="HookLogic"] +map.riftkit.net##.coachify_wrapper +100percentfedup.com,247media.com.ng,academicful.com,addapinch.com,aiarticlespinner.co,allaboutfpl.com,alltechnerd.com,americanmilitarynews.com,americansongwriter.com,androidsage.com,animatedtimes.com,anoopcnair.com,askpython.com,asurascans.com,australiangeographic.com.au,autodaily.com.au,bakeitwithlove.com,bipartisanreport.com,bohemian.com,borncity.com,boxingnews24.com,browserhow.com,charlieintel.com,chillinghistory.com,chromeunboxed.com,circuitbasics.com,cjr.org,coincodecap.com,comicbook.com,conservativebrief.com,corrosionhour.com,crimereads.com,cryptobriefing.com,cryptointelligence.co.uk,cryptopotato.com,cryptoreporter.info,cryptoslate.com,cryptotimes.io,dafontfree.io,dailynewshungary.com,dcenquirer.com,dorohedoro.online,engineering-designer.com,epicdope.com,eurweb.com,exeo.app,fandomwire.com,firstcuriosity.com,firstsportz.com,flickeringmyth.com,flyingmag.com,freefontsfamily.net,freemagazines.top,gadgetinsiders.com,gameinfinitus.com,gamertweak.com,gamingdeputy.com,gatewaynews.co.za,geekdashboard.com,getdroidtips.com,goodyfeed.com,greekreporter.com,hard-drive.net,harrowonline.org,hollywoodinsider.com,hollywoodunlocked.com,ifoodreal.com,indianhealthyrecipes.com,inspiredtaste.net,iotwreport.com,jojolandsmanga.com,journeybytes.com,journeyjunket.com,jujustukaisen.com,libertyunlocked.com,linuxfordevices.com,lithub.com,meaningfulspaces.com,medicotopics.com,medievalists.net,mpost.io,mycariboonow.com,mymodernmet.com,mymotherlode.com,nationalfile.com,nexdrive.lol,notalwaysright.com,nsw2u.com,nxbrew.com,organicfacts.net,patriotfetch.com,politizoom.com,premiumtimesng.com,protrumpnews.com,pureinfotech.com,redrightvideos.com,reneweconomy.com.au,reptilesmagazine.com,respawnfirst.com,rezence.com,roadaheadonline.co.za,rok.guide,saabplanet.com,sciencenotes.org,sdnews.com,simscommunity.info,small-screen.co.uk,snowbrains.com,statisticsbyjim.com,storypick.com,streamingbetter.com,superwatchman.com,talkandroid.com,talkers.com,tech-latest.com,techaeris.com,techpp.com,techrounder.com,techviral.net,thebeaverton.com,theblueoceansgroup.com,thecinemaholic.com,thecricketlounge.com,thedriven.io,thegamehaus.com,thegatewaypundit.com,thegeekpage.com,thelibertydaily.com,thenipslip.com,theoilrig.ca,thepeoplesvoice.tv,thewincentral.com,trendingpolitics.com,trendingpoliticsnews.com,twistedvoxel.com,walletinvestor.com,washingtonblade.com,waves4you.com,wbiw.com,welovetrump.com,wepc.com,whynow.co.uk,win.gg,windowslatest.com,wisden.com,wnd.com,zerohanger.com,ziperto.com##.code-block +storytohear.com,thefamilybreeze.com,thetravelbreeze.com,theworldreads.com,womensmethod.com##.code-block > center p +cookingwithdog.com,streamtelly.com##.code-block-1 +powerpyx.com##.code-block-14 +patriotnewsfeed.com##.code-block-4 +scienceabc.com##.code-block-5 +wltreport.com##.code-block-label +coincodex.com##.coinDetails +holyrood.com##.col--ad +mydramalist.com##.col-lg-4 > .clear +upi.com##.col-md-12 > table +roseindia.net##.col-md-4 +disqus.com##.col-promoted +lapa.ninja##.col-sm-1 +tineye.com##.collection.match-row +collegedunia.com##.college-sidebar .course-finder-banner +gadgetsnow.com,iamgujarat.com,indiatimes.com,samayam.com,vijaykarnataka.com##.colombia +businessinsider.in##.colombia-rhs-wdgt +i24news.tv##.column-ads +atalayar.com##.column-content > .megabanner +rateyourmusic.com##.column_filler +2pass.co.uk##.column_right +arcadebomb.com##.colunit1 +bollywoodlife.com##.combinedslots +googlesightseeing.com##.comm-square +slickdeals.net##.commentsAd +businessinsider.com,insider.com##.commerce-coupons-module +goal.com,thisislondon.co.uk##.commercial +dailystar.co.uk##.commercial-box-style +telegraph.co.uk##.commercial-unit +mega.nz##.commercial-wrapper +hiphopdx.com##.compact +bitdegree.org##.comparison-suggestion +audacy.com##.component--google-ad-manager +linguisticsociety.org##.component-3 +goal.com##.component-ad +hunker.com,livestrong.com##.component-article-section-jwplayer-wrapper +binnews.com,iheart.com,jessekellyshow.com,steveharveyfm.com##.component-pushdown +binnews.com,iheart.com,jessekellyshow.com,steveharveyfm.com##.component-recommendation +kqed.org##.components-Ad-__Ad__ad +dailymail.co.uk,thisismoney.co.uk##.connatix-wrapper +realsport101.com##.connatixPS +dpreview.com##.connatixWrapper +rateyourmusic.com##.connatix_video +washingtontimes.com##.connatixcontainer +beincrypto.com##.cont-wrapper +whatismyip.net##.container > .panel[id] +redditsave.com##.container > center +flaticon.com##.container > section[data-term].soul-a.soul-p-nsba +marketwatch.com##.container--sponsored +mangakakalot.com##.container-chapter-reader > div +snazzymaps.com##.container-gas +font-generator.com##.container-home-int > .text-center +thejournal-news.net##.container.lightblue +coinhub.wiki##.container_coinhub_footerad +coinhub.wiki##.container_coinhub_topwidgetad +jokersupdates.com##.container_contentrightspan +rawstory.com##.container_proper-ad-unit +worldscreen.com##.contains-sticky-video +pastebin.com##.content > [style^="padding-bottom:"] +amateurphotographer.com##.content-ad +receive-sms.cc##.content-adsense +floridasportsman.com##.content-banner-section +crmbuyer.com,ectnews.com,technewsworld.com##.content-block-slinks +usmagazine.com##.content-card-footer +bloomberg.com##.content-cliff__ad +bloomberg.com##.content-cliff__ad-container +journeyjunket.com##.content-container-after-post +computerweekly.com##.content-continues +gostream.site##.content-kuss +cookist.com##.content-leaderboard +pwinsider.com##.content-left +pwinsider.com##.content-right +flv2mp3.by##.content-right-bar +crmbuyer.com,ectnews.com,technewsworld.com##.content-tab-slinks +searchenginejournal.com##.content-unit +highsnobiety.com##.contentAdWrap +newmexicomagazine.org##.contentRender_name_plugins_dtn_gam_ad +ancient-origins.net##.content_add_block +wikiwand.com##.content_headerAd__USjzd +nationalmemo.com##.content_nm_placeholder +insta-stories-viewer.com##.context +usedcarnews.com##.continut +metar-taf.com##.controls-right +live-tennis.eu##.copyright +imdb.com##.cornerstone_slot +physicsworld.com##.corporate-partners +corrosionhour.com##.corro-widget +pcworld.com##.coupons +creativecow.net##.cowtracks-interstitial +creativecow.net##.cowtracks-sidebar-with-cache-busting +creativecow.net##.cowtracks-target +coinpaprika.com##.cp-table__row--ad-row +cpomagazine.com##.cpoma-adlabel +cpomagazine.com##.cpoma-main-header +cpomagazine.com##.cpoma-target +chronline.com##.cq-creative +theweather.net##.creatividad +mma-core.com##.crec +currys.co.uk##.cretio-sponsored-product +meijer.com##.criteo-banner +davidjones.com##.criteo-carousel-wrapper +currys.co.uk##.criteoproducts-container +irishtimes.com##.cs-teaser +staradvertiser.com##.csMon +c-span.org##.cspan-ad-still-prebid-wrapper +c-span.org##.cspan-ad-still-wrapper +healthline.com##.css-12efcmn +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.css-142l3g4 +pgatour.com##.css-18v0in8 +mui.com##.css-19m7kbw +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##.css-1cg0byz +crazygames.com##.css-1h6nq0a +pgatour.com##.css-1t41kwh +infowars.com##.css-1upmbem +infowars.com##.css-1vj1npn +gamingbible.com##.css-1z9hhh +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##.css-20w1gi +delish.com##.css-3oqygl +news.abs-cbn.com##.css-a5foyt +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.css-bs95eu +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.css-oeful5 +sbs.com.au##.css-p21i0d +cruisecritic.co.uk,cruisecritic.com,cruisecritic.com.au##.css-v0ecl7 +nytimes.com##.css-wmyc1 +thestreet.com##.csw-ae-wide +christianitytoday.com##.ct-ad-slot +comparitech.com##.ct089 +unmineablesbest.com##.ct_ipd728x90 +comparitech.com##.ct_popup_modal +amateurphotographer.com,cryptoslate.com,techspot.com##.cta +dailydot.com##.cta-article-wrapper +w3docs.com##.cta-bookduck +simracingsetup.com##.cta-box +thelines.com##.cta-content +finbold.com##.cta-etoro +thelines.com##.cta-row +filerio.in##.ctl25 +timesofindia.indiatimes.com##.ctn-workaround-div +u.today##.ctyptopcompare__widget +genius.com##.cujBpY +pcgamesn.com##.curated-spotlight +speedrun.com##.curse +pokebattler.com##.curse-ad +indiabusinessjournal.com##.cus-ad-img +dexscreener.com##.custom-1hol5du +dexscreener.com##.custom-1ii6w9 +dexscreener.com##.custom-1l0hqwu +dexscreener.com##.custom-97cj9d +slidehunter.com##.custom-ad-text +fastestvpns.com##.custom-banner +addictivetips.com,coinweek.com,news365.co.za,simscommunity.info##.custom-html-widget +patriotnewsfeed.com##.custom-html-widget [href] > [src] +thestudentroom.co.uk##.custom-jucdap +thehackernews.com##.custom-link +breakingnews.ie##.custom-mpu-container +ehitavada.com##.custom-popup +dexscreener.com##.custom-torcf3 +total-croatia-news.com##.custombanner +the-sun.com,thescottishsun.co.uk,thesun.co.uk,thesun.ie##.customiser-v2-layout-1-billboard +the-sun.com,thescottishsun.co.uk,thesun.co.uk,thesun.ie##.customiser-v2-layout-three-native-ad-container +f150lightningforum.com##.customizedBox +coincarp.com##.customspon +citywire.com##.cw-top-advert +futurecurrencyforecast.com##.cwc-tor-widget +marketwatch.com##.cxense-loading +usmagazine.com##.cy-storyblock +bleepingcomputer.com##.cz-toa-wrapp +coingraph.us,hosty.uprwssp.org##.d +blockchair.com##.d-block +fastpic.ru,freesteam.io##.d-lg-block +calendar-canada.ca,osgamers.com##.d-md-block +thestreamable.com##.d-md-flex +publish0x.com##.d-md-none.text-center +arbiscan.io##.d-none.text-center.pl-lg-4.pl-xll-5 +cutyt.com,onlineocr.net,publish0x.com##.d-xl-block +techonthenet.com##.d0230ed3 +artsy.net##.dDusYa +yourstory.com##.dJEWSq +fxempire.com##.dKBfBG +cryptorank.io##.dPbBGP +standard.co.uk##.dXaqls +vogue.com.au##.dYmYok +timesofindia.indiatimes.com##.d_jsH.mPws3 +androidauthority.com##.d_um +counter.dev,lindaikejisblog.com##.da +engadget.com##.da-container +hackernoon.com##.dabytag +capitalfm.com,capitalxtra.com,classicfm.com,goldradio.com,heart.co.uk,smoothradio.com##.dac__mpu-card +smartprix.com##.dadow-box +lifewire.com##.daily-deal +dailycaller.com##.dailycaller_adhesion +4chan.org,boards.4channel.org##.danbo-slot +cnbctv18.com##.davos-top-ad +sportshub.stream##.db783ekndd812sdz-ads +foobar2000.org##.db_link +wuxiaworld.site##.dcads +driverscloud.com##.dcpub +theguardian.com##.dcr-1aq0rzi +dailydriven.ro##.dd-dda +fxempire.com##.ddAwpw +datedatego.com##.ddg +datedatego.com##.ddg0 +darkreader.org##.ddgr +sgcarmart##.dealer_banner +slashdot.org##.deals-wrapper +defiantamerica.com##.defia-widget +nettv4u.com##.desk_only +newindian.in##.deskad +cardealermagazine.co.uk##.desktop +livesoccertv.com##.desktop-ad-container +vitalmtb.com##.desktop-header-ad +rok.guide##.desktop-promo-banner +tiermaker.com##.desktop-sticky +buzzfeed.com,buzzfeednews.com##.desktop-sticky-ad_desktopStickyAdWrapper__a_tyF +hanime.tv##.desktop.htvad +randomarchive.com##.desktop[style="text-align:center"] +australiangolfdigest.com.au##.desktop_header +inquirer.net##.desktop_smdc-FT-survey +cyclingstage.com,news18.com,techforbrains.com##.desktopad +news18.com##.desktopadh +coingape.com##.desktopds +news18.com##.desktopflex +ancient-origins.net##.desktops +flashscore.co.za,flashscore.com,livescore.in,soccer24.com##.detailLeaderboard +giphy.com##.device-desktop +floridapolitics.com##.dfad +avclub.com,gadgetsnow.com,infosecurity-magazine.com,jezebel.com,nationaljeweler.com,pastemagazine.com,splinter.com,theonion.com##.dfp +gazette.com,thehindu.com##.dfp-ad +vox.com##.dfp-ad--connatix +ibtimes.com##.dfp-ad-lazy +yts.mx##.dfskieurjkc23a +dailyfx.com##.dfx-article__sidebar +dollargeneral.com##.dgsponsoredcarousel +decripto.org##.dialog-lightbox-widget +politicspa.com##.dialog-type-lightbox +financefeeds.com##.dialog-widget +kiplinger.com##.dianomi_gallery_wrapper +kmplayer.com##.dim-layer +temporary-phone-number.com##.direct-chat-messages > div[style="margin:15px 0;"] +disk.yandex.com,disk.yandex.ru##.direct-public__sticky-box +notes.io##.directMessageBanner +premiumtimesng.com##.directcampaign +happywayfarer.com##.disclosure +oneindia.com##.discounts-head +audiokarma.org##.discussionListItem > center +apkcombo.com##.diseanmevrtt +airmail.news,govevents.com,protipster.com##.display +flightconnections.com##.display-box +flightconnections.com##.display-box-2 +legacy.com##.displayOverlay1 +designtaxi.com##.displayboard +theodysseyonline.com##.distroscale_p2 +theodysseyonline.com##.distroscale_side +nottinghampost.com##.div-gpt-ad-vip-slot-wrapper +readcomiconline.li##.divCloseBut +jpost.com##.divConnatix +tigerdroppings.com##.divHLeaderFull +newser.com##.divNColAdRepeating +sailingmagazine.net##.divclickingdivwidget +ebaumsworld.com,greedyfinance.com##.divider +thelist.com##.divider-heading-container +karachicorner.com##.divimg +fruitnet.com##.dk-ad-250 +meteologix.com##.dkpw +meteologix.com,weather.us##.dkpw-billboard-margin +dongknows.com##.dkt-amz-deals +dongknows.com##.dkt-banner-ads +wallpaperbetter.com##.dld_ad +globalgovernancenews.com##.dlopiqu +crash.net##.dmpu +crash.net##.dmpu-container +nationalworld.com,scotsman.com##.dmpu-item +vice.com##.docked-slot-renderer +thehackernews.com##.dog_two +quora.com##.dom_annotate_ad_image_ad +quora.com##.dom_annotate_ad_promoted_answer +quora.com##.dom_annotate_ad_text_ad +domaingang.com##.domai-target +thenationonlineng.net##.dorvekp-post-bottom +gearlive.com##.double +radiox.co.uk,smoothradio.com##.download +zeroupload.com##.download-page a[rel="noopener"] > img +thepiratebay3.to##.download_buutoon +thesun.co.uk##.dpa-slot +radiopaedia.org##.drive-banner +dola.com##.ds-brand +dola.com##.ds-display-ad +cryptonews.com##.dslot +kickasstorrents.to##.dssdffds +digitaltrends.com,themanual.com##.dt-primis +digitaltrends.com##.dtads-location +digitaltrends.com##.dtcc-affiliate +yts.mx##.durs-bordered +bloomberg.com##.dvz-v0-ad +daniweb.com##.dw-inject-bsa +ubereats.com##.dw.ec +dmarge.com##.dx-ad-wrapper +coinpaprika.com##.dynamic-ad +dailydot.com##.dynamic-block +nomadlist.com##.dynamic-fill +coingraph.us##.e +dailyvoice.com##.e-freestar-video-container +dailyvoice.com##.e-nativo-container +hosty.uprwssp.org##.e10 +op.gg##.e17e77tq6 +op.gg##.e17e77tq8 +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.e1xxpj0j1.css-4vtjtj +techonthenet.com##.e388ecbd +arabtimesonline.com,independent.co.ug,nigerianobservernews.com,songslover.vip,udaipurkiran.com##.e3lan +presskitaquat.com##.e3lan-top +tiresandparts.net##.e3lanat-layout-rotator +techonthenet.com##.e72e4713 +fxempire.com##.eLQRRm +artsy.net##.ePrLqP +euractiv.com##.ea-gat-slot-wrapper +expats.cz##.eas +itwire.com,nativenewsonline.net##.eb-init +ablogtowatch.com##.ebay-placement +gfinityesports.com##.ecommerceUnit +newagebd.net##.editorialMid +editpad.org##.edsec +theepochtimes.com##.eet-ad +clutchpoints.com##.ehgtMe.sc-ed3f1eaf-1 +filmibeat.com##.ele-ad +sashares.co.za##.elementor-48612 +cryptopolitan.com##.elementor-element-094410a +hilltimes.com##.elementor-element-5818a09 +analyticsindiamag.com##.elementor-element-8e2d1f0 +waamradio.com##.elementor-element-f389212 +granitegrok.com##.elementor-image > [data-wpel-link="external"] +optimyz.com,ringsidenews.com##.elementor-shortcode +canyoublockit.com##.elementor-widget-container > center > p +vedantbhoomi.com##.elementor-widget-smartmag-codes +radiotimes.com##.elementor-widget-wp-widget-section_full_width_advert +azscore.com##.email-popup-container +worldscreen.com##.embdad +phys.org##.embed-responsive-trendmd +autostraddle.com##.end-of-article-ads +endtimeheadlines.org##.endti-widget +floridianpress.com##.enhanced-text-widget +cathstan.org##.enticement-link +upfivedown.com##.entry > hr.wp-block-separator + .has-text-align-center +malwarefox.com##.entry-content > .gb-container +kupondo.com##.entry-content > .row +nagpurtoday.in##.entry-content > div[style*="max-width"] +huffingtonpost.co.uk,huffpost.com##.entry__right-rail-width-placeholder +euronews.com##.enw-MPU +essentiallysports.com##.es-ad-space-container +techspot.com##.es3s +marcadores247.com##.es_top_banner +esports.net##.esports-ad +alevelgeography.com,shtfplan.com,yournews.com##.et_pb_code_inner +navajotimes.com##.etad +mothership.sg##.events +evoke.ie##.evoke_billboard_single +appleinsider.com##.exclusive-wrap +mashable.com##.exco +nypost.com##.exco-video__container +executivegov.com##.execu-target +executivegov.com##.execu-widget +metric-conversions.org##.exists +gobankingrates.com##.exit-intent +proprivacy.com##.exit-popup.modal-background +streamingmedia.com##.expand +thejakartapost.com##.expandable-bottom-sticky +appuals.com##.expu-protipeop +appuals.com##.expu-protipmiddle_2 +thepostemail.com##.external +pixabay.com##.external-media +dexerto.com##.external\:bg-custom-ad-background +yourbittorrent.com##.extneed +navajotimes.com##.extra-hp-skyscraper +textcompare.org##.ez-sidebar-wall +futuregaming.io##.ez-video-wrap +cgpress.org##.ezlazyloaded.header-wrapper +chorus.fm##.f-soc +formula1.com##.f1-dfp-banner-wrapper +techonthenet.com##.f16bdbce +audiophilereview.com##.f7e65-midcontent +audiophilereview.com##.f7e65-sidebar-ad-widget +globimmo.net##.fAdW +dictionary.com,thesaurus.com##.fHACXxic9xvQeSNITiwH +datenna.com##.fPHZZA +btcmanager.com##.f_man_728 +infoq.com##.f_spbox_top_1 +infoq.com##.f_spbox_top_2 +freeads.co.uk##.fa_box_m +evite.com##.fabric-free-banner-ad__wrapper +tvtropes.org##.fad +slideshare.net##.fallback-ad-container +tokyvideo.com##.fan--related-videos.fan +channelnewsasia.com##.fast-ads-wrapper +imgur.com##.fast-grid-ad +thepointsguy.com##.favorite-cards +futbin.com##.fb-ad-placement +triangletribune.com##.fba_links +newspointapp.com##.fbgooogle-wrapper +forbes.com##.fbs-ad--mobile-medianet-wrapper +forbes.com##.fbs-ad--ntv-deskchannel-wrapper +forbes.com##.fbs-ad--ntv-home-wrapper +whatismyipaddress.com##.fbx-player-wrapper +businessinsider.in##.fc_clmb_ad_mrec +filmdaily.co##.fd-article-sidebar-ad +filmdaily.co##.fd-article-top-banner +filmdaily.co##.fd-home-sidebar-inline-rect +foodbeast.com##.fdbst-ad-placement +citybeat.com,metrotimes.com,riverfronttimes.com##.fdn-gpt-inline-content +cltampa.com,orlandoweekly.com,sacurrent.com##.fdn-interstitial-slideshow-block +browardpalmbeach.com,dallasobserver.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##.fdn-site-header-ad-block +citybeat.com,metrotimes.com##.fdn-teaser-row-gpt-ad +citybeat.com,riverfronttimes.com##.fdn-teaser-row-teaser +w3techs.com##.feat +convertcase.net##.feature +costco.com##.feature-carousel-container[data-rm-format-beacon] +softarchive.is##.feature-usnt +mumbrella.com.au##.featureBanner +eagle1065.com##.featureRotator +insidehpc.com##.featured-728x90-ad +news24.com##.featured-category +cnn.com##.featured-product__card +apexcharts.com,ar12gaming.com##.featured-sponsor +eetimes.com##.featured-techpaper-box +thenationonlineng.net##.featured__advert__desktop_res +motor1.com##.featured__apb +chess-results.com##.fedAdv +tvfanatic.com##.feed_holder +forum.lowyat.net##.feedgrabbr_widget +whosdatedwho.com##.ff-adblock +gq.com.au##.ffNDsR +newser.com##.fiavur2 +filecrypt.cc##.filItheadbIockgueue3 +filecrypt.cc,filecrypt.co##.filItheadbIockqueue3 +telugupeople.com##.fineprint +bestlifeonline.com,zeenews.india.com##.first-ad +proprofs.com##.firstadd +thestranger.com##.fish-butter +fiskerati.com##.fiskerati-target +khaleejtimes.com##.fix-billboard-nf +khaleejtimes.com##.fix-mpu-nf +vice.com##.fixed-slot +dorset.live,liverpoolecho.co.uk##.fixed-slots +manhuascan.io##.fixed-top +star-history.com##.fixed.right-0 +theblock.co##.fixedUnit +cgdirector.com##.fixed_ad_container_420 +2conv.com##.fixed_banner +timesofindia.indiatimes.com##.fixed_elements_on_page +fixya.com##.fixya_primis_container +whatismyipaddress.com##.fl-module-wipa-concerns +whatismyipaddress.com##.fl-photo +omniglot.com##.flex-container +decrypt.co##.flex.flex-none.relative +libhunt.com##.flex.mt-5.boxed +ice.hockey##.flex_container_werbung +recipes.timesofindia.com##.flipkartbanner +klmanga.net,shareae.com##.float-ck +comedy.com##.floater-prebid +bdnews24.com##.floating-ad-bottom +chaseyoursport.com##.floating-adv +click2houston.com,clickondetroit.com,clickorlando.com,ksat.com,local10.com,news4jax.com##.floatingWrapper +thehindu.com##.flooting-ad +frankspeech.com##.flyer-space +golinuxcloud.com##.flying-carpet +momjunction.com,stylecraze.com##.flying-carpet-wrapper +emergencyemail.org,out.com##.footer +allthatsinteresting.com,scientificamerican.com##.footer-banner +wst.tv##.footer-logos +game8.co##.footer-overlay +dhakatribune.com##.footer-pop-up-ads-sec +supercars.com##.footer-promo +filma24.ch##.footer-reklama +coinpedia.org##.footer-side-sticky +wtatennis.com##.footer-sponsors +skidrowcodexreloaded.com,tbsnews.net##.footer-sticky +searchcommander.com##.footer-widget +gelbooru.com##.footerAd2 +businessnow.mt,igamingcapital.mt,maltaceos.mt,whoswho.mt##.footer__second +pbs.org##.footer__sub +satbeams.com##.footer_banner +techopedia.com##.footer_inner_ads +realmadrid.com##.footer_rm_sponsors_container +tiresandparts.net##.footer_top_banner +ocado.com##.fops-item--advert +morrisons.com##.fops-item--externalPlaceholder +morrisons.com##.fops-item--featured +nintendolife.com,purexbox.com,pushsquare.com##.for-desktop +purexbox.com,pushsquare.com##.for-mobile.below-article +flatpanelshd.com##.forsideboks2 +permies.com##.forum-top-banner +newsroom.co.nz##.foundingpartners +freepresskashmir.news##.fpkdonate +the-express.com##.fr-container +mathgames.com##.frame-container +ranobes.top##.free-support-top +freedomfirstnetwork.com##.freed-1 +looperman.com##.freestar +esports.gg##.freestar-esports_between_articles +esports.gg##.freestar-esports_leaderboard_atf +upworthy.com##.freestar-in-content +moviemistakes.com##.freestarad +sciencenews.org##.from-nature-index__wrapper___2E2Z9 +19thnews.org##.front-page-ad-takeover +cryptocompare.com##.front-page-info-wrapper +slickdeals.net##.frontpageGrid__bannerAd +fxempire.com##.frzZuq +tripstodiscover.com##.fs-dynamic +tripstodiscover.com##.fs-dynamic__label +j-14.com##.fs-gallery__leaderboard +alphr.com##.fs-pushdown-sticky +newser.com##.fs-sticky-footer +bossip.com##.fsb-desktop +bossip.com##.fsb-toggle +ghacks.net##.ftd-item +newser.com##.fu4elsh1yd +livability.com##.full-width-off-white +theblock.co##.fullWidthDisplay +greatandhra.com##.full_width_home.border-topbottom +zoonek.com##.fullwidth-ads +whatismybrowser.com##.fun-info-footer +whatismybrowser.com##.fun-inner +artscanvas.org##.funders +ferrarichat.com##.funzone +savemyexams.co.uk##.fuse-desktop-h-250 +savemyexams.co.uk##.fuse-h-90 +snowbrains.com##.fuse-slot-dynamic +psypost.org##.fuse-slot-mini-scroller +stylecraze.com##.fx-flying-carpet +fxstreet.com##.fxs_leaderboard +aframnews.com,afro.com,animationmagazine.net,aurn.com,aviacionline.com,blackvoicenews.com,borneobulletin.com.bn,brewmasterly.com,businessday.ng,businessofapps.com,carstopia.net,chargedevs.com,chicagodefender.com,chimpreports.com,coinweek.com,collive.com,coralspringstalk.com,dailynews.co.zw,dailysport.co.uk,dallasvoice.com,defence-industry.eu,dieworkwear.com,draxe.com,gadgetbuzz.net,gatewaynews.co.za,gayexpress.co.nz,gematsu.com,hamodia.com,illustrationmaster.com,islandecho.co.uk,jacksonvillefreepress.com,marionmugshots.com,marshallradio.net,mediaplaynews.com,moviemaker.com,newpittsburghcourier.com,nondoc.com,postnewsgroup.com,richmondshiretoday.co.uk,sammobile.com,savannahtribune.com,spaceref.com,swling.com,talkers.com,talkradioeurope.com,thegolfnewsnet.com,utdmercury.com,waamradio.com,webpokie.com,womensagenda.com.au##.g +coinweek.com##.g-389 +dailyjournalonline.com##.g-dyn +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.g-paid +domainnamewire.com,douglasnow.com,goodthingsguy.com##.g-single +yellowise.com##.g-widget-block +titantv.com##.gAd +theweathernetwork.com##.gGthWi +bowenislandundercurrent.com,coastreporter.net,delta-optimist.com,richmond-news.com,squamishchief.com,tricitynews.com##.ga-ext +getgreenshot.org##.ga-ldrbrd +getgreenshot.org##.ga-skscrpr +elevenforum.com,html-code-generator.com##.gads +eonline.com##.gallery-rail-sticky-container +vicnews.com##.gam +drive.com.au##.gam-ad +thechainsaw.com##.gam-ad-container +locksmithledger.com,waterworld.com##.gam-slot-builder +komikindo.tv##.gambar_pemanis +cdromance.com##.game-container[style="grid-column: span 2;"] +geoguessr.com##.game-layout__in-game-ad +chess.com##.game-over-ad-component +pokernews.com##.gameCards +monstertruckgames.org##.gamecatbox +yourstory.com##.gap-\[10px\] +home-assistant-guide.com##.gb-container-429fcb03 +home-assistant-guide.com##.gb-container-5698cb9d +home-assistant-guide.com##.gb-container-bbc771af +amtraktrains.com##.gb-sponsored +kitchenknifeforums.com,quadraphonicquad.com##.gb-sponsored-wrapper +gocomics.com##.gc-deck--is-ad +1001games.com##.gc-halfpage +1001games.com##.gc-leaderboard +1001games.com##.gc-medium-rectangle +gocomics.com##.gc-top-advertising +letsdopuzzles.com##.gda-home-box +ftw.usatoday.com,kansascity.com,rotowire.com##.gdcg-oplist +just-food.com,railway-technology.com,retail-insight-network.com,verdict.co.uk##.gdm-company-profile-unit +just-food.com,railway-technology.com,retail-insight-network.com,verdict.co.uk##.gdm-orange-banner +naval-technology.com##.gdm-recommended-reports +gearpatrol.com##.gearpatrol-ad +geekflare.com##.geekflare-core-resources +autoblog.com##.gemini-native +hltv.org##.gen-firstcol-box +thefederalist.com##.general-callout +investing.com##.generalOverlay +perfectdailygrind.com##.gengpdg +perfectdailygrind.com##.gengpdg-col +perfectdailygrind.com##.gengpdg-single +romaniajournal.ro##.geoc-container +geo-fs.com##.geofs-adbanner +livescores.biz##.get-bonus +thingstodovalencia.com##.get-your-guide +getcomics.org##.getco-content +getcomics.org##.getco-content_2 +flickr.com##.getty-search-view +flickr.com##.getty-widget-view +marketsfarm.com##.gfm-ad-network-ad +ganjingworld.com##.ggAdZone_gg-banner-ad_zone__wK3kF +cometbird.com##.gg_250x250 +cornish-times.co.uk,farnhamherald.com,iomtoday.co.im##.ggzoWi +ghacks.net##.ghacks-ad +ghacks.net##.ghacks_ad_code +mql5.com##.giyamx4tr +stcatharinesstandard.ca,thestar.com##.globalHeaderBillboard +goodmenproject.com##.gmp-instream-wrap +militaryleak.com##.gmr-floatbanner +givemesport.com##.gms-ad +givemesport.com##.gms-billboard-container +givemesport.com##.gms-sidebar-ad +guides.gamepressure.com##.go20-pl-guide-right-baner-fix +coinmarketcap.com##.goXFFk +dallasinnovates.com,thecoastnews.com,watchesbysjx.com##.gofollow +golf.com##.golf-ad +golinuxcloud.com##.golin-content +golinuxcloud.com##.golin-video-content +africanadvice.com,pspad.com,sudantribune.com##.google +apkmirror.com##.google-ad-leaderboard +secretchicago.com##.google-ad-manager-ads-header +videocardz.com##.google-sidebar +manabadi.co.in##.googleAdsdiv +mediamass.net##.googleresponsive +css3generator.com##.gotta-pay-the-bills +spiceworks.com##.gp-standard-header +perfectdailygrind.com##.gpdgeng +di.fm##.gpt-slot +travelsupermarket.com##.gptAdUnit__Wrapper-sc-f3ta69-0 +kijiji.ca##.gqNGFh +beforeitsnews.com##.gquuuu5a +searchenginereports.net##.grammarly-overall +balls.ie##.gray-ad-title +greatandhra.com##.great_andhra_logo_panel > div.center-align +greatandhra.com##.great_andhra_logo_panel_top_box +greatandhra.com##.great_andhra_main_041022_ +greatandhra.com##.great_andhra_main_add_rotator_new2 +greatandhra.com##.great_andhra_main_local_rotator1 +mma-core.com##.grec +greekcitytimes.com##.greek-adlabel +greekcitytimes.com##.greek-after-content +curioustic.com##.grey +rabble.ca##.grey-cta-block +topminecraftservers.org##.grey-section +sltrib.com##.grid-ad-container-2 +teleboy.ch##.grid-col-content-leaderboard +newsnow.co.uk##.grid-column__container +issuu.com##.grid-layout__ad-by-details +issuu.com##.grid-layout__ad-by-reader +issuu.com##.grid-layout__ad-in-shelf +groovypost.com##.groov-adlabel +leetcode.com##.group\/ads +issuu.com##.grtzHH +cnx-software.com##.gsonoff +gulftoday.ae##.gt-ad-center +gulf-times.com##.gt-horizontal-ad +gulf-times.com##.gt-square-desktop-ad +gulf-times.com##.gt-vertical-ad +giphy.com##.guIlWP +animenewsnetwork.com##.gutter +attheraces.com##.gutter-left +attheraces.com##.gutter-right +thetimes.co.uk##.gyLkkj +worldpopulationreview.com##.h-64 +tvcancelrenew.com##.h-72 +indaily.com.au,thenewdaily.com.au##.h-\[100px\] +nextchessmove.com##.h-\[112px\].flex.justify-center +indaily.com.au,posemaniacs.com##.h-\[250px\] +emojipedia.org##.h-\[282px\] +businessinsider.in##.h-\[300px\] +emojipedia.org##.h-\[312px\] +canberratimes.com.au##.h-\[50px\] +lolalytics.com##.h-\[600px\] +supercarblondie.com##.h-\[660px\] +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,lolalytics.com,oilersnation.com,theleafsnation.com##.h-\[90px\] +thenewdaily.com.au##.h-home-ad-height-stop +buzzly.art##.h-min.overflow-hidden +target.com##.h-position-fixed-bottom +copyprogramming.com##.h-screen +lyricsmode.com##.h113 +tetris.com##.hAxContainer +opoyi.com##.hLYYlN +marketscreener.com##.hPubRight2 +clutchpoints.com##.hYrQwu +gifcompressor.com,heic2jpg.com,imagecompressor.com,jpg2png.com,mylocation.org,png2jpg.com,webptojpeg.com,wordtojpeg.com##.ha +anime-planet.com##.halo +cyclonis.com##.has-banner +whistleout.com.au##.has-hover +defence-industry.eu##.has-small-font-size.has-text-align-center +apps.npr.org##.has-sponsorship +tomsguide.com##.hawk-main-editorialised +techradar.com##.hawk-main-editorialized +tomsguide.com##.hawk-master-widget-hawk-main-wrapper +windowscentral.com##.hawk-master-widget-hawk-wrapper +techradar.com##.hawk-merchant-link-widget-container +linuxblog.io##.hayden-inpost_bottom +linuxblog.io##.hayden-inpost_end +linuxblog.io##.hayden-inpost_top +linuxblog.io##.hayden-widget +linuxblog.io##.hayden-widget_top_1 +girlswithmuscle.com##.hb-static-banner-div +screenbinge.com##.hb-strip +girlswithmuscle.com##.hb-video-ad +cryptodaily.co.uk##.hbs-ad +trendhunter.com##.hcamp +webtoolhub.com##.hdShade > div +highdefdigest.com##.hdd-square-ad +biztechmagazine.com##.hdr-btm +analyticsinsight.net##.head-banner +plos.org##.head-top +hindustantimes.com##.headBanner +realmadrid.com##.head_sponsors +lewrockwell.com##.header [data-ad-loc] +ahajournals.org##.header--advertisment__container +additudemag.com,organicfacts.net##.header-ad +boldsky.com##.header-ad-block +olympics.com,scmp.com##.header-ad-slot +stuff.co.nz,thepost.co.nz,thepress.co.nz,waikatotimes.co.nz##.header-ads-block +worldpress.org##.header-b +adswikia.com,arcadepunks.com,freemalaysiatoday.com,landandfarm.com,pointblanknews.com,radiotoday.com.au,runt-of-the-web.com,rxresource.org,techworldgeek.com,warisboring.com##.header-banner +gamingdeputy.com##.header-banner-desktop +revolt.tv##.header-banner-wrapper +mercurynews.com,nssmag.com##.header-banners +amazonadviser.com,apptrigger.com,fansided.com,hiddenremote.com,lastnighton.com,lawlessrepublic.com,mlsmultiplex.com,netflixlife.com,playingfor90.com,stormininnorman.com,winteriscoming.net##.header-billboard +lyricsmode.com##.header-block +historiccity.com##.header-block-1 +worldpress.org##.header-bnr +kveller.com##.header-bottom +counterpunch.org##.header-center +thetoyinsider.com##.header-drop-zone +autental.com##.header-grid-items +allmovie.com,realestate.com.au,theoldie.co.uk##.header-leaderboard +realestate.com.au##.header-leaderboard-portal +sdxcentral.com##.header-lemur +nationalheraldindia.com##.header-m__ad-top__36Hpg +thenewspaper.gr##.header-promo +times.co.zm##.header-pub +cnx-software.com,newtimes.co.rw##.header-top +kollywoodtoday.net##.header-top-right +knowyourmeme.com##.header-unit-wrapper +maketecheasier.com##.header-widget +hd-trailers.net##.header-win +torquenews.com##.header-wrapper +cointelegraph.com##.header-zone__flower +gelbooru.com##.headerAd +dailytrust.com##.header__advert +thehits.co.nz##.header__main +gifcompressor.com,heic2jpg.com,jpg2png.com,png2jpg.com,webptojpeg.com,wordtojpeg.com##.header__right +m.thewire.in##.header_adcode +manofmany.com##.header_banner_wrap +koreaherald.com##.header_bnn +techopedia.com##.header_inner_ads +steroid.com##.header_right +everythingrf.com##.headerblock +semiconductor-today.com##.headermiddle +collegedunia.com##.headerslot +darkreader.org##.heading +phonearena.com##.heading-deal +autoplius.lt##.headtop +247wallst.com,cubdomain.com##.hello-bar +onlinevideoconverter.pro##.helper-widget +lincolnshireworld.com,nationalworld.com##.helper__AdContainer-sc-12ggaoi-0 +farminglife.com,newcastleworld.com##.helper__DesktopAdContainer-sc-12ggaoi-1 +samehadaku.email##.hentry.has-post-thumbnail > [href] +igorslab.de##.herald-sidebar +provideocoalition.com##.hero-promotions +newsnow.co.uk##.hero-wrapper +azuremagazine.com##.hero__metadata-left-rail +freeads.co.uk##.hero_banner1 +hwcooling.net##.heureka-affiliate-category +filecrypt.cc,filecrypt.co##.hghspd +filecrypt.cc,filecrypt.co##.hghspd + * +daijiworld.com##.hidden-xs > [href] +miragenews.com##.hide-in-mob +moneycontrol.com,windowsreport.com##.hide-mobile +business-standard.com,johncodeos.com##.hide-on-mobile +simpasian.net##.hideme +coindesk.com##.high-impact-ad +majorgeeks.com##.highlight.content > center > font +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.highlight_sponsored +westword.com##.hil28zhf1wyd +48hills.org##.hills-adlabel +highwayradio.com##.hiway-widget +hola.com##.hm-sticky-sidebar +ndtv.com##.hmpage_rhs +seattlepi.com##.hnpad-Flex1 +seattlepi.com##.hnpad-Inline +cryptorank.io##.hofjwZ +radiocaroline.co.uk,wishesh.com##.home-banner +manutd.com##.home-content-panel__sponsor +pcgamingwiki.com##.home-gamesplanet-promo +freespoke.com##.home-page-message +merriam-webster.com##.home-redesign-ad +israelnationalnews.com##.home-subsections-banner +christianpost.com##.home-videoplayer +freepressjournal.in##.homeMobileMiddleAdContainer +newagebd.net##.homeSlideRightSecTwo +jagranjosh.com##.homeSlider +pbs.org##.home__logo-pond +socialcounts.org##.home_sticky-ad__Aa_yD +bonginoreport.com##.homepage-ad-2 +smallbusiness.co.uk##.homepage-banner-container +invezz.com##.homepage-beneath-hero +interest.co.nz##.homepage-billboard +gumtree.com.au##.homepage-gallery__mrec-placeholder +globalrph.com##.homepage-middle-ad +designspiration.com##.homepageBanner +homes.co.nz##.homepageTopLeader__container +artandeducation.net##.homepage__banner +coinpedia.org##.homepage_banner_ad +swimswam.com##.homepage_block_ads +coinpedia.org##.homepage_sidebanner_ad +radiocity.in##.horiozontal-add +flv2mp3.by,flvto.biz,flvto.com.mx##.horizontal-area +getmyuni.com##.horizontalRectangle +nofilmschool.com##.horizontal_ad +ultimatespecs.com##.horizontal_add_728 +aarp.org##.hot-deals +makemytrip.com##.hotDeals +dailyrecord.co.uk##.hotjobs +comparitech.com##.how_test +darkreader.org##.hr +cryptorank.io##.hspOLW +adweek.com##.htl-ad-wrapper +barstoolsports.com##.htl-ad__container +mtgrocks.com##.htl-inarticle-ad +nameberry.com##.htlad-InContent_Flex +nameberry.com##.htlad-Leaderboard_Flex +avclub.com,splinter.com##.htlad-above_logo +avclub.com,splinter.com##.htlad-bottom_rectangle +destructoid.com##.htlad-destructoidcom_leaderboard_atf +avclub.com,splinter.com##.htlad-middle_rectangle +avclub.com,jezebel.com,pastemagazine.com,splinter.com##.htlad-sidebar_rectangle +avclub.com,splinter.com##.htlad-top_rectangle +wtop.com##.hubb-at-rad-header +huddle.today##.huddle-big-box-placement +techspree.net##.hustle-popup +cryptoslate.com##.hypelab-container +myabandonware.com##.i528 +animenewsnetwork.com##.iab +atptour.com##.iab-wrapper +iai.tv##.iai-article--footer-image +infobetting.com##.ibBanner +timesofindia.indiatimes.com##.icNFc +ice.hockey##.ice_ner +ice.hockey##.ice_werbung +darkreader.org##.icons8 +indianexpress.com##.ie-banner-wrapper +indianexpress.com##.ie-int-campign-ad +fifetoday.co.uk##.iehxDO +guides.gamepressure.com##.if-no-baner +techmeme.com##.ifsp +hinigami09.com##.iklannew-container +coingape.com##.image-ads +instacart.com##.image-banner-a-9l2sjs +instacart.com##.image-banner-a-ak0wn +flicksmore.com##.image_auto +miragenews.com##.img-450_250 +frdl.to##.img-fluid +marketwatch.com##.imonaid_context +lifesitenews.com##.important-info +exchangerates.org.uk##.imt4 +carscoops.com##.in-asd-content +thecanary.co##.in-content-ad +thepostmillennial.com##.in-content-top +outlookindia.com##.in-house-banner1 +businessinsider.com,insider.com##.in-post-sticky +faithpot.com##.inarticle-ad +crash.net##.inarticle-wrapper +knowyourmeme.com##.incontent-leaderboard-unit-wrapper +motherjones.com##.incontent-promo +truckinginfo.com##.incontent02Ad +scienceabc.com##.incontentad +brudirect.com##.index-banner +lgbtqnation.com##.index-bottom-ad +katv.com##.index-module_adAfterContent__1cww +194.233.68.230##.indositusxxi-floatbanner +theinertia.com##.inertia-ad-300x250 +theinertia.com##.inertia-ad-300x270 +theinertia.com##.inertia-ad-300x600 +theinertia.com##.inertia-ad-label +theinertia.com##.inertia-ad-top +inews.co.uk##.inews__advert +inews.co.uk##.inews__mpu +motorcycle.com##.infeed-ads +sevenforums.com##.infeed1 +wepc.com##.infin-wepc-channels +heatmap.news,theweek.com##.infinite-container +mylocation.org##.info a[href^="https://go.expressvpn.com/c/"] +stocksnap.io##.info-col +bab.la##.info-panel +gameworldobserver.com##.information-block +gameworldobserver.com##.information-block-top +gameworldobserver.com##.information-blocks +careerindia.com,oneindia.com##.inhouse-content +asheville.com##.injected-ads +bestlifeonline.com,eatthis.com##.inline +manitobacooperator.ca##.inline--2 +pexels.com##.inline-ads +forbes.com##.inline-article-ed-placeholder +cochranenow.com,discoverhumboldt.com,portageonline.com,swiftcurrentonline.com##.inline-billboard +dexerto.com##.inline-block +freebeacon.com##.inline-campaign-wrapper +stocksnap.io##.inline-carbon +parkers.co.uk##.inline-leaderboard-ad-wrapper +sportsrec.com##.inline-parent-container +forbes.com##.inline__zephr +pcgamesn.com,pockettactics.com##.inlinerail +nzbindex.com##.inner +technologynetworks.com##.inner_content_olp_on_site_landing_page +inquirer.com##.inno-ad +inquirer.com##.inno-ad__ad +donegaldaily.com##.inpage_banner +heise.de##.inread-cls-reduc +nintendolife.com,purexbox.com,pushsquare.com,timeextension.com##.insert +nintendolife.com,purexbox.com,pushsquare.com,timeextension.com##.insert-label +lithub.com##.insert-post-ads +canarymedia.com##.inset-x-0 +tvarticles.me##.inside +udaipurkiran.com##.inside-right-sidebar .widget_text +allmusic.com##.insticator_ct +darkreader.org##.instinctools +flixboss.com##.instream-dynamic +lol.ps##.instream-video-ad +dermstore.com,lookfantastic.com##.integration-sponsored-ads-pdp-container +coincarp.com##.interact-mobileBox +monochrome-watches.com##.interscroll +mrctv.org,newsbusters.org##.intranet-mid-size +interactives.stuff.co.nz##.intro_adside__in8il +fileplanet.com##.invwb +allnurses.com##.ipsAreaBackground +1tamilmv.click##.ipsCarousel +uk420.com##.ipsLayout_container > div[align="center"] +allnurses.com,dcfcfans.uk##.ipsSpacer_both +1tamilblasters.com##.ipsWidget_inner.ipsPad.ipsType_richText > p > a +freeiptvplayer.net##.iptv_ads +houstoniamag.com##.is-cream +alibaba.com##.is-creative +mydramalist.com##.is-desktop +athlonsports.com,bringmethenews.com,meidastouch.com,si.com##.is-exco-player +pcworld.com##.is-half-width.product-widget +estnn.com##.isDesktop +speedcheck.org##.isg-container +icon-icons.com##.istock-container +iconfinder.com##.istockphoto-placeholder +albertsonsmarket.com,marketstreetunited.com,unitedsupermarkets.com##.item-citrus +nintendolife.com,purexbox.com,pushsquare.com##.item-insert +explorecams.com##.item-row +cryptocompare.com##.item-special +alaskahighwaynews.ca,bowenislandundercurrent.com,burnabynow.com,coastreporter.net,delta-optimist.com,moosejawtoday.com,newwestrecord.ca,nsnews.com,piquenewsmagazine.com,princegeorgecitizen.com,prpeak.com,richmond-news.com,squamishchief.com,tricitynews.com##.item-sponsored +newegg.com##.item-sponsored-box +pocketgamer.com##.item-unit +presearch.com##.items-center.bg-transparent +businesstoday.in##.itgdAdsPlaceholder +slidehunter.com##.itm-ads +itweb.co.za##.itw-ad +india.com##.iwplhdbanner-wrap +kijiji.ca##.jOwRwk +ticketmaster.com##.jTNWic +ticketmaster.com##.jUIMbR +jambase.com##.jb-homev3-sense-sidebar-wrap +psypost.org##.jeg_midbar +sabcnews.com##.jeg_topbar +romania-insider.com##.job-item +dot.la##.job-wrapper +marketingweek.com##.jobs-lists +johncodeos.com##.johnc-widget +marinelink.com,maritimejobs.com,maritimepropulsion.com,yachtingjournal.com##.jq-banner +demonslayermanga.com,readjujutsukaisen.com,readneverland.com##.js-a-container +ultimate-guitar.com##.js-ab-regular +buzzfeed.com##.js-bfa-impression +live94today.com##.js-demo-avd +musescore.com##.js-musescore-hb-728--wrapper +beermoneyforum.com##.js-notices +formula1.com##.js-promo-item +nicelocal.com##.js-results-slot +theguardian.com##.js-top-banner +extratv.com##.js-track-link +chewy.com##.js-tracked-ad-product +kotaku.com,qz.com,theroot.com##.js_related-stories-inset +iobroker.net##.jss125 +paycalculator.com.au##.jss336 +calorieking.com##.jss356 +iobroker.net,iobroker.pro##.jss43 +paycalculator.com.au##.jss546 +garticphone.com##.jsx-2397783008 +autolist.com##.jsx-2866408628 +garticphone.com##.jsx-3256658636 +essentiallysports.com##.jsx-4249843366 +conservativefiringline.com##.jtpp53 +doodle.com##.jupiter-placement-header-module_jupiter-placement-header__label__caUpc +theartnewspaper.com##.justify-center.flex.w-full +aiscore.com##.justify-center.w100 +fastcompany.com##.jw-floating-dismissible +anandtech.com##.jw-reset +fortune.com##.jzcxNo +mamieastuce.com##.k39oyi +qz.com##.k3mqd +news12.com##.kBEazG +ticketmaster##.kOwduY +easypet.com##.kadence-conversion-inner +plagiarismchecker.co##.kaka +piokok.com##.kaksgon +hellogiggles.com##.karma_unit +koreaboo.com##.kba-container +kimcartoon.li##.kcAds1 +standard.co.uk##.kcdphh +tekno.kompas.com##.kcm +kdnuggets.com##.kdnug-med-rectangle-ros +goldprice.org##.kenbi +onlinelibrary.wiley.com##.kevel-ad-placeholder +physicsworld.com##.key-suppliers +trustedreviews.com##.keystone-deal +trustedreviews.com##.keystone-single-widget +gamertweak.com##.kfzyntmcd-caption +overkill.wtf##.kg-blockquote-alt +linuxhandbook.com##.kg-bookmark-card +hltv.org##.kgN8P9bvyb2EqDJR +thelibertydaily.com,toptenz.net,vitamiiin.com##.kgbwvoqfwag +koreaherald.com##.kh_ad +koreaherald.com##.khadv1 +khmertimeskh.com##.khmer-content_28 +ytfreedownloader.com##.kl-before-header +kiryuu.id##.kln +wantedinafrica.com##.kn-widget-banner +karryon.com.au##.ko-ads-wrapper +kvraudio.com##.kvrblockdynamic +businessinsider.com##.l-ad +legit.ng,tuko.co.ke##.l-adv-branding__top +pdc.tv##.l-featured-bottom +iphonelife.com##.l-header +globalnews.ca##.l-headerAd +wwe.com##.l-hybrid-col-frame_rail-wrap +aerotime.aero##.l-side-banner +keybr.com##.l6Z8JM3mch +letssingit.com##.lai_all_special +letssingit.com##.lai_desktop_header +letssingit.com##.lai_desktop_inline +purewow.com##.lander-interstital-ad +wzstats.gg##.landscape-ad-container +3dprint.com##.lap-block-items +ptonline.com##.large-horizontal-banner +weatherpro.com##.large-leaderboard +dispatchtribunal.com,thelincolnianonline.com##.large-show +fantasygames.nascar.com##.larger-banner-wrapper +golfworkoutprogram.com##.lasso-container +business-standard.com##.latstadvbg +laweekly.com##.law_center_ad +apkpac.com##.layout-beyond-ads +crn.com##.layout-right > .ad-wrapper +flava.co.nz,hauraki.co.nz,mixonline.co.nz,thehits.co.nz,zmonline.com##.layout__background +racingtv.com##.layout__promotion +mytempsms.com##.layui-col-md12 +flotrack.org##.lazy-leaderboard-container +iol.co.za##.lbMtEm +trueachievements.com,truesteamachievements.com,truetrophies.com##.lb_holder +leetcode.com##.lc-ads__241X +coincodex.com##.ldb-top3 +soaphub.com##.ldm_ad +lethbridgenewsnow.com##.lead-in +versus.com##.lead_top +sgcarmart.com##.leadbadv +bleachernation.com##.leadboard +thepcguild.com##.leader +autoplius.lt##.leader-board-wrapper +etonline.com##.leader-inc +mediaweek.com.au##.leader-wrap-out +blaauwberg.net##.leaderBoardContainer +coveteur.com##.leaderboar_promo +agcanada.com,allmusic.com,allrecipes.com,allthatsinteresting.com,autoaction.com.au,autos.ca,ballstatedaily.com,bdonline.co.uk,boardgamegeek.com,bravewords.com,broadcastnow.co.uk,cantbeunseen.com,cattime.com,chairmanlol.com,chemistryworld.com,citynews.ca,comingsoon.net,coolmathgames.com,crn.com.au,diyfail.com,dogtime.com,drugtargetreview.com,edmunds.com,europeanpharmaceuticalreview.com,explainthisimage.com,foodandwine.com,foodista.com,freshbusinessthinking.com,funnyexam.com,funnytipjars.com,gamesindustry.biz,gcaptain.com,gmanetwork.com,iamdisappoint.com,imedicalapps.com,itnews.asia,itnews.com.au,japanisweird.com,jta.org,legion.org,lifezette.com,liveoutdoors.com,macleans.ca,milesplit.com,monocle.com,morefailat11.com,moviemistakes.com,nbl.com.au,newsonjapan.com,nfcw.com,objectiface.com,passedoutphotos.com,playstationlifestyle.net,precisionvaccinations.com,retail-week.com,rollcall.com,roulettereactions.com,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,sparesomelol.com,spoiledphotos.com,spokesman.com,sportsnet.ca,sportsvite.com,stopdroplol.com,straitstimes.com,suffolknews.co.uk,supersport.com,tattoofailure.com,thedriven.io,thefashionspot.com,thestar.com.my,titantv.com,tutorialrepublic.com,uproxx.com,where.ca,yoimaletyoufinish.com##.leaderboard +kijiji.ca##.leaderboard-1322657443 +edarabia.com##.leaderboard-728 +abcnews.go.com,edarabia.com##.leaderboard-970 +roblox.com##.leaderboard-abp +gothamist.com##.leaderboard-ad-backdrop +chess.com##.leaderboard-atf-ad-wrapper +howstuffworks.com##.leaderboard-banner +poe.ninja##.leaderboard-bottom +chess.com##.leaderboard-btf-ad-wrapper +mxdwn.com##.leaderboard-bucket +apnews.com,arabiaweather.com,atlasobscura.com,forum.audiogon.com,gamesindustry.biz,golfdigest.com,news957.com##.leaderboard-container +huffingtonpost.co.uk,huffpost.com##.leaderboard-flex-placeholder +huffingtonpost.co.uk,huffpost.com##.leaderboard-flex-placeholder-desktop +bluesnews.com##.leaderboard-gutter +jobrapido.com##.leaderboard-header-wrapper +manitobacooperator.ca##.leaderboard-height +medpagetoday.com##.leaderboard-region +businessinsider.in##.leaderboard-scrollable-btf-cont +businessinsider.in##.leaderboard-scrollable-cont +consequence.net##.leaderboard-sticky +poe.ninja##.leaderboard-top +cbssports.com,nowthisnews.com,popsugar.com,scout.com,seeker.com,thedodo.com,thrillist.com##.leaderboard-wrap +bloomberg.com,weatherpro.com,wordfinder.yourdictionary.com##.leaderboard-wrapper +6abc.com,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abc7ny.com##.leaderboard2 +save.ca##.leaderboardMainWrapper +cargurus.co.uk##.leaderboardWrapper +t3.com##.leaderboard__container +revolt.tv##.leaderboard_ad +lookbook.nu##.leaderboard_container +rottentomatoes.com##.leaderboard_wrapper +gpfans.com##.leaderboardbg +ubergizmo.com##.leaderboardcontainer +dailyegyptian.com,northernstar.info,theorion.com,theprospectordaily.com##.leaderboardwrap +dnsleak.com##.leak__submit +ecaytrade.com##.leatherboard +homehound.com.au##.left-banner +zerohedge.com##.left-rail +republicbroadcasting.org##.left-sidebar-padder > #text-8 +gogetaroomie.com##.left-space +10minutemail.net##.leftXL +ultimatespecs.com##.left_column_sky_scrapper +livemint.com##.leftblockAd +thehansindia.com##.level-after-1-2 +websitedown.info##.lftleft +axios.com##.lg\:min-h-\[200px\] +charlieintel.com,dexerto.com##.lg\:min-h-\[290px\] +gizmodo.com##.lg\:min-h-\[300px\] +mumsnet.com##.lg\:w-billboard +dailyo.in##.lhsAdvertisement300 +latestly.com##.lhs_adv_970x90_div +gadgets360.com##.lhs_top_banner +nationthailand.com##.light-box-ads +iheartradio.ca##.lightbox-wrapper +lilo.org##.lilo-ad-result +getbukkit.org##.limit +linuxize.com##.linaff +architecturesideas.com##.linkpub_right_img +babynamegenie.com,forless.com,worldtimeserver.com##.links +weatherpro.com##.list-city-ad +apkmirror.com##.listWidget > .promotedAppListing +nationalmemo.com##.listicle--ad-tag +spiceworks.com##.listing-ads +mynbc5.com##.listing-page-ad +gosearchresults.com##.listing-right +privateproperty.co.za##.listingResultPremiumCampaign +researchgate.net##.lite-page__above +reviewparking.com##.litespeed-loaded +ottverse.com##.livevideostack-ad +leftlion.co.uk##.ll-ad +dayspring.com##.loading-mask +reverso.net##.locd-rca +torrentleech.org##.login-banner +siberiantimes.com##.logoBanner +shacknews.com##.lola-affirmation +rpgsite.net##.long-block-footer +topservers.com##.long_wrap +netwerk24.com##.love2meet +tigerdroppings.com##.lowLead +bikeroar.com##.lower-panel +core77.com##.lower_ad_wrap +greatbritishlife.co.uk##.lp_track_vertical2 +foodandwine.com##.lrs__wrapper +lowes.com##.lws_pdp_recommendations_southdeep +phpbb.com##.lynkorama +thestreet.com##.m-balloon-header +politifact.com##.m-billboard +aol.com##.m-gam__container +aol.com##.m-healthgrades +bitcoinmagazine.com,thestreet.com##.m-in-content-ad-row +techraptor.net##.m-lg-70 +meidasnews.com##.m-outbrain +scamrate.com##.m-t-0 +scamrate.com##.m-t-3 +tech.hindustantimes.com##.m-to-add +thestreet.com##.m-video-unit +thegatewaypundit.com##.m0z4dhxja2 +insideevs.com##.m1-apb +motor1.com##.m1_largeMPU +poebuilds.net##.m6lHKI +net-load.com##.m7s-81.m7s +hindustantimes.com##.m_headBanner +morningagclips.com##.mac-ad-group +macdailynews.com##.macdailynews-after-article-ad-holder +antimusic.com##.mad +imyfone.com##.magicmic-banner-2024 +curseforge.com##.maho-container +methodshop.com##.mai-aec +wccftech.com##.main-background-wrap +mathgames.com##.main-banner-adContainer +sporcle.com##.main-content-unit-wrapper +numuki.com##.main-header-responsive-wrapper +ggrecon.com##.mainVenatusBannerContainer +nordot.app##.main__ad +gzeromedia.com##.main__post-sponsored +azscore.com##.make-a-bet__wrap +livescores.biz##.make-a-bet_wrap +gfinityesports.com##.manifold-takeover +get.pixelexperience.org##.mantine-arewlw +whatsgabycooking.com##.manual-adthrive-sidebar +linkvertise.com##.margin-bottom-class-20 +color-hex.com##.margin10 +theadvocate.com##.marketing-breakout +fandom.com##.marketplace +pushsquare.com,songlyrics.com##.masthead +eetimes.eu,korinthostv.gr,powerelectronicsnews.com##.masthead-banner +augustman.com##.masthead-container +cloudwards.net##.max-medium +buzzheavier.com##.max-w-\[60rem\] > p.mt-5.text-center.text-lg +spin.com##.max-w-\[970px\] +mayoclinic.org##.mayoad > .policy +poe2db.tw##.mb-1 > [href^="/s/tl3"] +racgp.org.au##.mb-1.small +wccftech.com##.mb-11 +coinlean.com##.mb-3 +gamedev.net##.mb-3.align-items-center.justify-content-start +urbandictionary.com##.mb-4.justify-center +themoscowtimes.com##.mb-4.py-3 +techbone.net##.mb-5.bg-light +yardbarker.com##.mb_promo_responsive_right +firstpost.com##.mblad +news18.com##.mc-ad +mastercomfig.com##.md-typeset[style^="background:"] +ctinsider.com##.md\:block.y100 +bmj.com##.md\:min-h-\[250px\] +medibang.com##.mdbnAdBlock +online-translator.com##.mddlAdvBlock +livejournal.com##.mdspost-aside__item--banner +thestar.com.my##.med-rec +gamezone.com##.med-rect-ph +ghanaweb.com##.med_rec_lg_min +bleedingcool.com##.med_rect_wrapper +ipwatchdog.com##.meda--sidebar-ad +tasfia-tarbia.org##.media-links +realestate.com.au##.media-viewer__sidebar +picuki.me##.media-wrap-h12 +webmd.com##.medianet-ctr +stealthoptional.com##.mediavine_blockAds +gfinityesports.com##.mediavine_sidebar-atf_wrapper +allmusic.com##.medium-rectangle +chess.com##.medium-rectangle-ad-slot +chess.com##.medium-rectangle-btf-ad-wrapper +weatherpro.com##.medium-rectangle-wrapper-2 +ebaumsworld.com##.mediumRect +ubergizmo.com##.mediumbox_container +allnurses.com##.medrec +compoundsemiconductor.net##.mega-bar +theweather.com,theweather.net,yourweather.co.uk##.megabanner +mentalmars.com##.menta-target +2ip.me##.menu_banner +gadgetsnow.com##.mercwapper +audiokarma.org##.message > center b +eawaz.com##.metaslider +theweather.com,theweather.net,yourweather.co.uk##.meteored-ads +metro.co.uk##.metro-discounts +metro.co.uk##.metro-ow-modules +moviefone.com##.mf-incontent +desmoinesregister.com##.mfFsRn__mfFsRn +moneycontrol.com##.mf_radarad +analyticsinsight.net##.mfp-bg +wethegeek.com##.mfp-content +analyticsinsight.net##.mfp-ready +earth911.com##.mg-sidebar +timesofindia.indiatimes.com##.mgid_second_mrec_parent +cryptoreporter.info,palestinechronicle.com##.mh-header-widget-2 +citizen.digital##.mid-article-ad +hltv.org##.mid-container +investing.com##.midHeader +newsday.com##.midPg +battlefordsnow.com,cfjctoday.com,chatnewstoday.ca,everythinggp.com,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca##.midcontent +manofmany.com,scanwith.com##.middle-banner +tradetrucks.com.au##.middle-banner-list +ibtimes.co.uk##.middle-leaderboard +spectator.com.au##.middle-promo +coincodex.com##.middle6 +heatmap.news##.middle_leaderboard +fruitnet.com##.midpageAdvert +golfdigest.com##.midslot +extremetech.com##.min-h-24 +copyprogramming.com,imagecolorpicker.com##.min-h-250 +gizmodo.com##.min-h-\[1000px\] +thenewdaily.com.au##.min-h-\[100px\] +axios.com##.min-h-\[200px\] +blanktext.co##.min-h-\[230px\] +blanktext.co,finbold.com,gizmodo.com,radio.net##.min-h-\[250px\] +uwufufu.com##.min-h-\[253px\] +instavideosave.net,thenewdaily.com.au##.min-h-\[280px\] +uwufufu.com##.min-h-\[300px\] +businesstimes.com.sg##.min-h-\[90px\] +insiderintelligence.com##.min-h-top-banner +stripes.com##.min-h90 +motortrend.com,mumsnet.com,stocktwits.com##.min-w-\[300px\] +theland.com.au##.min-w-mrec +moviemeter.com##.minheight250 +phpbb.com##.mini-panel:not(.sections) +kitco.com##.mining-banner-container +ar15.com##.minis +247sports.com##.minutely-wrapper +zerohedge.com##.mixed-in-content +revolutionsoccer.net##.mls-o-adv-container +mmegi.bw##.mmegi-web-banner +inhabitat.com##.mn-wrapper +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,houstonchronicle.com,lmtonline.com,middletownpress.com,mrt.com,mysanantonio.com,newstimes.com,nhregister.com,registercitizen.com,stamfordadvocate.com,thehour.com##.mnh90px +allrecipes.com##.mntl-jwplayer-broad +bhg.com,eatingwell.com,foodandwine.com,realsimple.com,southernliving.com##.mntl-notification-banner +thoughtco.com##.mntl-outbrain +procyclingstats.com##.mob-ad +comicbook.com##.mobile +putlockers.do##.mobile-btn +birdwatchingdaily.com##.mobile-incontent-ad-label +businessplus.ie##.mobile-mpu-widget +forbes.com##.mobile-sticky-ed-placeholder +wordreference.com##.mobileAd_holderContainer +pcmacstore.com##.mobileHide +serverstoplist.com##.mobile_ad +tipranks.com##.mobile_displaynone.flexccc +thedailybeast.com##.mobiledoc-sizer +wordreference.com##.mobiletopContainer +criminaljusticedegreehub.com##.mobius-container +etxt.biz##.mod-cabinet__sidebar-adv +etxt.biz##.mod-cabinet__sidebar-info +hot-dinners.com##.mod-custom +notateslaapp.com##.mod-sponsors +snowmagazine.com##.mod_banners +lakeconews.com##.mod_ijoomlazone +civilsdaily.com##.modal +breakingenergy.com,epicload.com,shine.cn##.modal-backdrop +cleaner.com##.modal__intent-container +livelaw.in##.modal_wrapper_frame +autoevolution.com##.modeladmid +duckduckgo.com##.module--carousel-products +duckduckgo.com##.module--carousel-toursactivities +finextra.com##.module--sponsor +webmd.com##.module-f-hs +webmd.com##.module-top-picks +fxsforexsrbijaforum.com##.module_ahlaejaba +dfir.training##.moduleid-307 +dfir.training##.moduleid-347 +dfir.training##.moduleid-358 +beckershospitalreview.com##.moduletable > .becker_doubleclick +dailymail.co.uk##.mol-fe-vouchercodes-redesign +manofmany.com##.mom-ads__inner +tiresandparts.net##.mom-e3lan +monsoonjournal.com##.mom-e3lanat-wrap +manofmany.com##.mom-gpt__inner +manofmany.com##.mom-gpt__wrapper +mondoweiss.net##.mondo-ads-widget +consumerreports.org##.monetate_selectorHTML_48e69fae +forbes.com##.monito-widget-wrapper +joindota.com##.monkey-container +flickr.com##.moola-search-div.main +hindustantimes.com##.moreFrom +apptrigger.com,fansided.com,lastnighton.com,mlsmultiplex.com,netflixlife.com,playingfor90.com,winteriscoming.net##.mosaic-banner +radioyacht.com##.mpc-carousel__wrapper +98fm.com,airqualitynews.com,audioreview.com,barrheadnews.com,bobfm.co.uk,bordertelegraph.com,cultofandroid.com,dcsuk.info,directory.im,directory247.co.uk,dplay.com,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,entertainmentdaily.co.uk,eurogamer.net,findanyfilm.com,forzaitalianfootball.com,gamesindustry.biz,her.ie,herfamily.ie,joe.co.uk,joe.ie,kentonline.co.uk,metoffice.gov.uk,musicradio.com,newburyandthatchamchronicle.co.uk,newscientist.com,physicsworld.com,pressandjournal.co.uk,readamericanfootball.com,readarsenal.com,readastonvilla.com,readbasketball.com,readbetting.com,readbournemouth.com,readboxing.com,readbrighton.com,readbundesliga.com,readburnley.com,readcars.co,readceltic.com,readchampionship.com,readchelsea.com,readcricket.com,readcrystalpalace.com,readeverton.com,readeverything.co,readfashion.co,readfilm.co,readfood.co,readfootball.co,readgaming.co,readgolf.com,readhorseracing.com,readhuddersfield.com,readhull.com,readingchronicle.co.uk,readinternationalfootball.com,readlaliga.com,readleicester.com,readliverpoolfc.com,readmancity.com,readmanutd.com,readmiddlesbrough.com,readmma.com,readmotorsport.com,readmusic.co,readnewcastle.com,readnorwich.com,readnottinghamforest.com,readolympics.com,readpl.com,readrangers.com,readrugbyunion.com,readseriea.com,readshowbiz.co,readsouthampton.com,readsport.co,readstoke.com,readsunderland.com,readswansea.com,readtech.co,readtennis.co,readtottenham.com,readtv.co,readussoccer.com,readwatford.com,readwestbrom.com,readwestham.com,readwsl.com,realradioxs.co.uk,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rte.ie,sloughobserver.co.uk,smartertravel.com,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,sportsjoe.ie,sportsmole.co.uk,strathallantimes.co.uk,sundaypost.com,tcmuk.tv,thevillager.co.uk,thisisfutbol.com,toffeeweb.com,uktv.co.uk,videocelts.com,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk##.mpu +news.sky.com##.mpu-1 +edarabia.com##.mpu-300 +physicsworld.com##.mpu-300x250 +arabiaweather.com##.mpu-card +dailymail.co.uk##.mpu_puff_wrapper +mapquest.com##.mq-bizLocs-container +mapquest.co.uk,mapquest.com##.mqBizLocsContainer +nysun.com##.mr-\[-50vw\] +10play.com.au,geo.tv,jozifm.co.za,nwherald.com,runt-of-the-web.com,thewest.com.au,topgear.com.ph##.mrec +auto.economictimes.indiatimes.com##.mrec-ads-slot +gmanetwork.com##.mrect +motorsport.com##.ms-ap +autosport.com##.ms-apb +motorsport.com##.ms-apb-dmpu +autosport.com,motorsport.com##.ms-hapb +autosport.com##.ms-side-items--with-banner +codeproject.com##.msg-300x250 +cryptoticker.io##.mso-cls-wrapper +marinetraffic.com##.mt-desktop-mode +thedrive.com##.mtc-header__desktop__article-prefill-container +thedrive.com##.mtc-prefill-container-injected +fieldandstream.com,outdoorlife.com,popsci.com,taskandpurpose.com,thedrive.com##.mtc-unit-prefill-container +textcompare.org##.mui-19wbou7 +forbes.com##.multi-featured-products +myinstants.com##.multiaspect-banner-ad +spy.com##.multiple-products +zerolives.com##.munder-fn5udnsn +cutecoloringpagesforkids.com##.mv-trellis-feed-unit +cannabishealthnews.co.uk##.mvp-side-widget img +marijuanamoment.net##.mvp-widget-ad +malwaretips.com##.mwt_ads +invezz.com,reviewparking.com##.mx-auto +smallseotools.com##.mx-auto.d-block +visortmo.com##.mx-auto.thumbnail.book +theawesomer.com##.mxyptext +standardmedia.co.ke##.my-2 +radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se##.my-\[5px\].mx-auto.w-full.hidden.md\:flex.md\:min-h-\[90px\].lg\:min-h-\[250px\].items-center.justify-center +cnet.com,healthline.com##.myFinance-ad-unit +greatist.com,psychcentral.com##.myFinance-widget +tastesbetterfromscratch.com##.mysticky-welcomebar-fixed +troypoint.com##.mysticky-welcomebar-fixed-wrap +koreaherald.com##.mythiell-mid-container +exportfromnigeria.info##.mytopads +mypunepulse.com##.n2-padding +hoteldesigns.net##.n2-ss-slider +naturalblaze.com##.n553lfzn75 +mail.google.com##.nH.PS +cryptobriefing.com##.na-item.item +nanoreview.net##.nad_only_desktop +nextdoor.com##.nas-container +imsa.com,jayski.com,nascar.com##.nascar-ad-container +zerohedge.com##.native +old.reddit.com##.native-ad-container +allthatsinteresting.com##.native-box +blockchair.com##.native-sentence +phillyvoice.com##.native-sponsor +tekno.kompas.com##.native-wrap +ranker.com##.nativeAdSlot_nativeAdContainer__NzSO_ +seura.fi##.nativead:not(.list) +vice.com##.nav-bar__article-spacer +majorgeeks.com##.navigation-light +notebookcheck.net##.nbc-right-float +vocm.com##.nccBigBox +aceshowbiz.com,cmr24.net##.ne-banner-layout1 +meilleurpronostic.fr##.ne4u07a96r5c3 +danpatrick.com##.needsclick +newegg.com##.negspa-brands +nevadamagazine.com##.nevad-article-tall +chaseyoursport.com##.new-adv +play.typeracer.com##.newNorthWidget +pcgamesn.com##.new_affiliate_embed +firstpost.com##.newadd +farminguk.com##.news-advert-button-click +hurriyetdailynews.com##.news-detail-adv +sammobile.com##.news-for-you-wrapper +myflixer.to##.news-iframe +blabbermouth.net##.news-single-ads +dailysocial.id##.news__detail-ads-subs +newskarnataka.com##.newsk-target +washingtoninformer.com##.newspack_global_ad +firstpost.com##.newtopadd +moddb.com##.nextmediaboxtop +nhl.com##.nhl-c-editorial-list__mrec +nhl.com##.nhl-l-section-bg__adv +hulkshare.com##.nhsBotBan +afterdawn.com##.ni_box +bizasialive.com##.nipl-sticky-footer-banner +bizasialive.com##.nipl-top-sony-banr +bizasialive.com##.nipl_add_banners_inner +tumblr.com##.njwip +quipmag.com##.nlg-sidebar-inner > .widget_text +newsmax.com##.nmsponsorlink +newsmax.com##.nmsponsorlink + [class] +pcgamesn.com##.nn_mobile_mpu2_wrapper +pcgamesn.com##.nn_mobile_mpu_wrapper +trueachievements.com,truesteamachievements.com,truetrophies.com##.nn_player_w +publishedreporter.com##.no-bg-box-model +shinigami09.com##.no-gaps.page-break > a[href] +hindustantimes.com##.noAdLabel +ferrarichat.com##.node_sponsor +greyhound-data.com##.non-sticky-publift +unogs.com##.nordvpnAd +miniwebtool.com##.normalvideo +chipchick.com##.noskim.ntv-moap +4dayweek.io##.notadvert-tile-wrapper +cookingforengineers.com##.nothing +moodiedavittreport.com##.notice +mlsbd.shop##.notice-board +cityam.com##.notice-header +businessgreen.com,computing.co.uk##.notice-slot-full-below-header +torrends.to##.notice-top +all3dp.com##.notification +mondoweiss.net##.notrack +bleepingcomputer.com##.noty_bar +pcgamebenchmark.com##.nova_wrapper +nextpit.com##.np-top-deals +dirproxy.com,theproxy.lol,unblock-it.com,uproxy2.biz##.nrd-general-d-box +designtaxi.com##.nt +nowtoronto.com##.nt-ad-wrapper +designtaxi.com##.nt-displayboard +newtimes.co.rw##.nt-horizontal-ad +newtimes.co.rw##.nt-vertical-ad +english.nv.ua##.nts-video-wrapper +forbes.com##.ntv-loading +marineelectronics.com,marinetechnologynews.com##.nwm-banner +kueez.com,trendexposed.com,wackojacko.com##.nya-slot +nypost.com##.nyp-s2n-wrapper +decider.com##.nyp-video-player +golfdigest.com##.o-ArticleRecirc +france24.com##.o-ad-container__label +drivencarguide.co.nz##.o-adunit +lawandcrime.com,mediaite.com##.o-promo-unit +afkgaming.com##.o-yqC +webnovelworld.org##.oQryfqWK +comicbook.com##.oas +sentres.com##.oax_ad_leaderboard +comiko.net##.ob-widget-items-container +tennis.com##.oc-c-article__adv +officedepot.com##.od-search-piq-banner-ads__lower-leaderboard +gizmodo.com##.od-wrapper +livescores.biz##.odds-market +worldsoccertalk.com##.odds-slider-widget +flashscore.co.za##.oddsPlacement +kijiji.ca##.ofGHb +guelphmercury.com##.offcanvas-inner > .tncms-region +softexia.com##.offer +oneindia.com##.oi-add-block +oneindia.com##.oi-recom-art-wrap +oneindia.com##.oi-spons-ad +boldsky.com,drivespark.com,gizbot.com,goodreturns.in,mykhel.com,nativeplanet.com,oneindia.com##.oi-wrapper1 +boldsky.com,drivespark.com,gizbot.com,goodreturns.in,mykhel.com,nativeplanet.com,oneindia.com##.oiad +gizbot.com##.oiadv +hamodia.com##.oiomainlisting +blockchair.com##.okane-top +thehackernews.com##.okfix +forums.somethingawful.com##.oma_pal +etonline.com##.omni-skybox-plus-stick-placeholder +oneindia.com##.one-ad +magnoliastatelive.com##.one_by_one_group +techspot.com##.onejob +decrypt.co##.opacity-75 +lowtoxlife.com##.openpay-footer +huffpost.com##.openweb-container +politicalsignal.com##.os9x6hrd9qngz +indianexpress.com##.osv-ad-class +ecowatch.com##.ot-vscat-C0004 +thedigitalfix.com##.ot-widget-banner +otakuusamagazine.com##.otaku_big_ad +dictionary.com,thesaurus.com##.otd-item__bottom +mma-core.com##.outVidAd +egmnow.com##.outbrain-wrapper +businesstoday.in##.outer-add-section +salon.com##.outer_ad_container +pricespy.co.nz,pricespy.co.uk##.outsider-ads +aminoapps.com##.overflow-scroll-sidebar > div +overtake.gg,shtfplan.com##.overlay-container +isidewith.com##.overlayBG +isidewith.com##.overlayContent +sports.ndtv.com##.overlay__side-nav +operawire.com##.ow-archive-ad +golfweather.com##.ox300x250 +afkgaming.com##.ozw5N +breakingnews.ie##.p-2.bg-gray-100 +beermoneyforum.com##.p-body-sidebar +whatitismyip.net##.p-hza6800 +phonearena.com##.pa-sticky-container +islamicfinder.org##.pad-xs.box.columns.large-12 +republicworld.com##.pad3010.txtcenter +topsmerch.com##.padding-50px +topsmerch.com##.padding-top-20px.br-t +republicworld.com##.padtop10.padright10.padleft10.minheight90 +republicworld.com##.padtop20.txtcenter.minheight90 +realtytoday.com##.page-bottom +scmp.com##.page-container__left-native-ad-container +bitdegree.org##.page-coupon-landing +iheartradio.ca##.page-footer +carsales.com.au,technobuffalo.com##.page-header +realtytoday.com##.page-middle +boxing-social.com##.page-takeover +seeklogo.com##.pageAdsWp +krcrtv.com,ktxs.com,wcti12.com,wcyb.com##.pageHeaderRow1 +military.com##.page__top +rateyourmusic.com##.page_creative_frame +trustedreviews.com##.page_header_container +nzcity.co.nz##.page_skyscraper +mynorthwest.com##.pagebreak +canadianlisted.com##.pageclwideadv +gadgets360.com##.pagepusheradATF +calculatorsoup.com##.pages +topic.com##.pages-Article-adContainer +livejournal.com##.pagewide-wrapper +departures.com##.paid-banner +timesofindia.indiatimes.com##.paisa-wrapper +axn-asia.com,onetvasia.com##.pane-dart-dart-tag-300x250-rectangle +insidehighered.com##.pane-dfp +thebarentsobserver.com##.pane-title +comedycentral.com.au##.pane-vimn-coda-gpt-panes +wunderground.com##.pane-wu-fullscreenweather-ad-box-atf +khmertimeskh.com##.panel-grid-cell +panarmenian.net##.panner_2 +battlefordsnow.com,cfjctoday.com,chatnewstoday.ca,ckpgtoday.ca,everythinggp.com,everythinglifestyle.ca,farmnewsnow.com,fraservalleytoday.ca,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,rocketfan.ca,royalsfan.ca,sasknow.com,vernonmatters.ca##.parallax-breakout +pons.com##.parallax-container +squaremile.com##.parallax-wrapper +myfigurecollection.net,prolificnotion.co.uk##.partner +hbr.org##.partner-center +mail.com##.partner-container +globalwaterintel.com,mavin.io##.partner-content +globalwaterintel.com##.partner-content-carousel +nrl.com##.partner-groups +dzone.com##.partner-resources-block +nationtalk.ca##.partner-slides +sparknotes.com##.partner__pw__header +artasiapacific.com##.partner_container +motachashma.com,ordertracker.com##.partnerbanner +bundesliga.com##.partnerbar +freshnewgames.com##.partnercontent_box +investopedia.com##.partnerlinks +2oceansvibe.com,speedcafe.com,travelweekly.com##.partners +letsgodigital.org,letsgomobile.org##.partners-bar +cbn.com##.partners-block +practicalecommerce.com##.partners-sidebar +advocate.com##.partners__container +arrivealive.co.za##.partnersheading +liveuamap.com##.passby +writerscafe.org##.pay +nhentai.com##.pb-0.w-100[style] +newkerala.com##.pb-2 .text-mute +dermatologytimes.com##.pb-24 +ahajournals.org,royalsocietypublishing.org,tandfonline.com##.pb-ad +wweek.com##.pb-f-phanzu-phanzu-ad-code +cattime.com,dogtime.com,liveoutdoors.com,playstationlifestyle.net,thefashionspot.com##.pb-in-article-content +playbuzz.com##.pb-site-player +washingtonpost.com##.pb-sm.pt-sm.b +publicbooks.org##.pb_ads_widget +allthatsinteresting.com##.pbh_inline +babynombres.com,culturanimation.com,motoratrium.com,nombresmolones.com,recetasmaria.com,recipesandcooker.com,sombracycling.com,techobras.com##.pbl +caixinglobal.com##.pc-ad-left01 +serverstoplist.com##.pcOnly +lazada.co.id,lazada.co.th,lazada.com.my,lazada.com.ph,lazada.sg,lazada.vn##.pdp-block__product-ads +thefintechtimes.com##.penci-widget-sidebar +dailynews.lk##.penci_topblock +bestbuy.ca##.pencilAd_EE9DV +thegatewaypundit.com,westernjournal.com,wnd.com##.persistent-footer +apkmb.com##.personalizadas +proxfree.com##.pflrgAds +post-gazette.com##.pg-mobile-adhesionbanner +fontsquirrel.com##.pgAdWrapper +post-gazette.com##.pgevoke-flexbanner-innerwrapper +post-gazette.com##.pgevoke-superpromo-innerwrapper +online.pubhtml5.com##.ph5---banner---container +timesofindia.com##.phShimmer +drivespark.com,gizbot.com##.photos-add +drivespark.com##.photos-left-ad +washingtontimes.com##.piano-in-article-reco +washingtontimes.com##.piano-right-rail-reco +reelviews.net##.picHolder +locklab.com##.picwrap +yopmail.com,yopmail.fr,yopmail.net##.pindexhautctn +9animetv.to,hianime.to##.pizza +pricespy.co.nz,pricespy.co.uk##.pjra-w-\[970px\] +carsized.com##.pl_header_ad +redgifs.com##.placard-wrapper +gismeteo.com,meteofor.com,nofilmschool.com##.placeholder +bestlifeonline.com##.placeholder-a-block +bucksco.today##.placeholder-block +theoldie.co.uk##.placeholder-wrapper +sundayworld.co.za##.placeholderPlug +pcgamebenchmark.com,soccerway.com,streetcheck.co.uk##.placement +pch.com##.placement-content +diglloyd.com,windinmyface.com##.placementInline +diglloyd.com,windinmyface.com##.placementTL +diglloyd.com,windinmyface.com##.placementTR +hagerty.com##.placements +plagiarismtoday.com##.plagi-widget +trakt.tv##.playwire +advfn.com##.plus500 +thepinknews.com##.pn-ad-container +freewebarcade.com##.pnum +radiotoday.co.uk##.pnvqryahwk-container +thespec.com,wellandtribune.ca##.polarAds +bramptonguardian.com,guelphmercury.com,insideottawavalley.com,thestar.com##.polarBlock +autoexpress.co.uk##.polaris__below-header-ad-wrapper +autoexpress.co.uk,carbuyer.co.uk,evo.co.uk##.polaris__partnership-block +bigissue.com##.polaris__simple-grid--full +epmonthly.com##.polis-target +compoundsemiconductor.net##.popular__section-newsx +itc.ua##.popup-bottom +wethegeek.com##.popup-dialog +welovemanga.one##.popup-wrap +battlefordsnow.com,cfjctoday.com,everythinggp.com,huskiefan.ca,larongenow.com,lethbridgenewsnow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca##.pos-top +buffstreams.sx##.position-absolute +coincodex.com##.position-chartNative +charlieintel.com##.position-sticky +wtop.com##.post--sponsored +engadget.com##.post-article-ad +samehadaku.email##.post-body.site-main > [href] +kiplinger.com##.post-gallery-item-ad +dmarge.com##.post-infinite-ads +hackread.com##.post-review-li +hellocare.com.au##.post-wrapper__portrait-ads +newagebd.net##.postPageRightInTop +newagebd.net##.postPageRightInTopIn +thetrek.co##.post__in-content-ad +fastcompany.com##.post__promotion +bleedingcool.com##.post_content_spacer +ultrabookreview.com##.postzzif3 +redketchup.io##.potato_sticky +redketchup.io##.potato_viewer +apartmenttherapy.com,cubbyathome.com,thekitchn.com##.pov_recirc__ad +power987.co.za##.power-leader-board-center +thetowner.com##.powered +thecoinrise.com##.pp_ad_block +theportugalnews.com##.ppp-banner +theportugalnews.com##.ppp-inner-banner +oneesports.gg##.pr-sm-4 +hindustantimes.com##.pramotedWidget +birdsandblooms.com,familyhandyman.com,rd.com,tasteofhome.com,thehealthy.com##.pre-article-ad +foxbusiness.com##.pre-content +breakingdefense.com##.pre-footer-menu +sassymamahk.com##.pre_header_widget +livescores.biz##.predict_bet +vivo.sx##.preload +anfieldwatch.co.uk##.prem-gifts +premiumtimesng.com##.premi-texem-campaign +banjohangout.org,fiddlehangout.com,flatpickerhangout.com,mandohangout.com,resohangout.com##.premiere-sponsors +sulekha.com##.premium-banner-advertisement +pixabay.com##.present-g-item +bangpremier.com##.presentation-space +bangpremier.com##.presentation-space-m-panel +flobzoo.com##.preview2bannerspot +manutd.com##.primary-header-sponsors +tech.hindustantimes.com##.primeDay +advfn.com##.primis-container +astrology.com##.primis-video-module-horoscope +dicebreaker.com,rockpapershotgun.com##.primis_wrapper +bostonagentmagazine.com##.prm1_w +infoq.com##.prmsp +setlist.fm##.prmtnMbanner +setlist.fm##.prmtnTop +computerweekly.com##.pro-downloads-home +kompass.com##.prodListBanner +ecosia.org##.product-ads-carousel +cnn.com##.product-offer-card-container_related-products +skinstore.com##.productSponsoredAdsWrapper +letsgodigital.org##.product__wrapper +nymag.com##.products-package +nymag.com##.products-package_single +kohls.com##.products_grid.sponsored-product +amtraktrains.com,kitchenknifeforums.com##.productslider +filehippo.com##.program-actions-header__promo +filehippo.com##.program-description__slot +as.com,gokunming.com##.prom +delicious.com.au,taste.com.au##.prom-header +babynamegenie.com,comparitech.com,ecaytrade.com,nbcbayarea.com,nwherald.com,overclock3d.net,planetsourcecode.com,sciagaj.org,themuslimvibe.com,totalxbox.com,varsity.com,w3techs.com,wgxa.tv##.promo +setapp.com,thesaturdaypaper.com.au##.promo-banner +winscp.net##.promo-block +centris.ca,forums.minecraftforge.net,nextdoor.com,staradvertiser.com,uploadvr.com##.promo-container +texasmonthly.com##.promo-in-body +federalnewsnetwork.com,texasmonthly.com##.promo-inline +spin.com##.promo-lead +coveteur.com##.promo-placeholder +ecaytrade.com##.promo-processed +texasmonthly.com##.promo-topper +lawandcrime.com,themarysue.com##.promo-unit +texasmonthly.com##.promo__vertical +uxmatters.com##.promo_block +reviversoft.com##.promo_dr +macworld.com##.promo_wrap +core77.com##.promo_zone +fool.com##.promobox-container +thedailydigest.com##.promocion_celda +canstar.com.au,designspiration.com,investors.com,propertyguru.com.sg,search.installmac.com##.promoted +twitter.com,x.com##.promoted-account +andoveradvertiser.co.uk,asianimage.co.uk,autoexchange.co.uk,banburycake.co.uk,barryanddistrictnews.co.uk,basildonstandard.co.uk,basingstokegazette.co.uk,bicesteradvertiser.net,borehamwoodtimes.co.uk,bournemouthecho.co.uk,braintreeandwithamtimes.co.uk,brentwoodlive.co.uk,bridgwatermercury.co.uk,bridportnews.co.uk,bromsgroveadvertiser.co.uk,bucksfreepress.co.uk,burnhamandhighbridgeweeklynews.co.uk,burytimes.co.uk,campaignseries.co.uk,chardandilminsternews.co.uk,chelmsfordweeklynews.co.uk,chesterlestreetadvertiser.co.uk,chorleycitizen.co.uk,clactonandfrintongazette.co.uk,cotswoldjournal.co.uk,cravenherald.co.uk,creweguardian.co.uk,dailyecho.co.uk,darlingtonandstocktontimes.co.uk,dorsetecho.co.uk,droitwichadvertiser.co.uk,dudleynews.co.uk,ealingtimes.co.uk,echo-news.co.uk,enfieldindependent.co.uk,eppingforestguardian.co.uk,eveshamjournal.co.uk,falmouthpacket.co.uk,freepressseries.co.uk,gazette-news.co.uk,gazetteherald.co.uk,gazetteseries.co.uk,guardian-series.co.uk,halesowennews.co.uk,halsteadgazette.co.uk,hampshirechronicle.co.uk,harrowtimes.co.uk,harwichandmanningtreestandard.co.uk,heraldseries.co.uk,herefordtimes.com,hillingdontimes.co.uk,ilkleygazette.co.uk,keighleynews.co.uk,kidderminstershuttle.co.uk,knutsfordguardian.co.uk,lancashiretelegraph.co.uk,ledburyreporter.co.uk,leighjournal.co.uk,ludlowadvertiser.co.uk,maldonandburnhamstandard.co.uk,malverngazette.co.uk,messengernewspapers.co.uk,milfordmercury.co.uk,newsshopper.co.uk,northwichguardian.co.uk,oxfordmail.co.uk,penarthtimes.co.uk,prestwichandwhitefieldguide.co.uk,redditchadvertiser.co.uk,redhillandreigatelife.co.uk,richmondandtwickenhamtimes.co.uk,romseyadvertiser.co.uk,runcornandwidnesworld.co.uk,salisburyjournal.co.uk,somersetcountygazette.co.uk,southendstandard.co.uk,southwalesargus.co.uk,southwalesguardian.co.uk,southwestfarmer.co.uk,stalbansreview.co.uk,sthelensstar.co.uk,stourbridgenews.co.uk,surreycomet.co.uk,suttonguardian.co.uk,swindonadvertiser.co.uk,tewkesburyadmag.co.uk,theargus.co.uk,theboltonnews.co.uk,thenational.scot,thenorthernecho.co.uk,thescottishfarmer.co.uk,thetelegraphandargus.co.uk,thetottenhamindependent.co.uk,thewestmorlandgazette.co.uk,thisisthewestcountry.co.uk,thurrockgazette.co.uk,times-series.co.uk,wandsworthguardian.co.uk,warringtonguardian.co.uk,watfordobserver.co.uk,westerntelegraph.co.uk,wharfedaleobserver.co.uk,wiltsglosstandard.co.uk,wiltshiretimes.co.uk,wimbledonguardian.co.uk,wirralglobe.co.uk,witneygazette.co.uk,worcesternews.co.uk,yeovilexpress.co.uk,yorkpress.co.uk,yourlocalguardian.co.uk##.promoted-block +azoai.com,azobuild.com,azocleantech.com,azolifesciences.com,azom.com,azomining.com,azonano.com,azooptics.com,azoquantum.com,azorobotics.com,azosensors.com##.promoted-item +imdb.com##.promoted-provider +coinalpha.app##.promoted_content +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##.promotedlink:not([style^="height: 1px;"]) +racingtv.com,twitter.com,wral.com,x.com##.promotion +eetimes.eu##.promotion-block-wrapper +actionnetwork.com##.promotion-table +throwawaymail.com##.promotion_row +bostonreview.net##.promotop +insauga.com##.proper-content-dynamic +highspeedinternet.com##.provider-ads +football365.com,planetf1.com,planetrugby.com##.ps-block-a +indiabusinessjournal.com##.pt--20 +kathmandupost.com##.pt-0 +gsmarena.com##.pt-10 +gonintendo.com##.pt-5 +steamladder.com##.pt-large +getyarn.io##.pt3p > div +1980-games.com,coleka.com,flash-mp3-player.net,gameslol.net,theportugalnews.com,tolonews.com##.pub +starsinsider.com##.pub-container +yabiladi.com##.pub2 +gameslol.net##.pubGside +gameslol.net,yabiladi.com##.pub_header +devhints.io##.pubbox +as.com,desdelinux.net,tutiempo.net,ubunlog.com##.publi +surinenglish.com##.publiTop +catholic.net##.publicidad +eitb.eus##.publicidad_cabecera +eitb.eus##.publicidad_robapaginas +online-stopwatch.com##.publift-div +online-stopwatch.com##.publift-unfixed +101soundboards.com##.publift_in_content_1 +101soundboards.com##.publift_in_content_2 +decisiondeskhq.com##.publirAds +dailymail.co.uk##.puff_pastel +speedtest.net##.pure-u-custom-ad-rectangle +speedtest.net##.pure-u-custom-wifi-recommendation +appleinsider.com##.push +2conv.com##.push-offer +happymod.com##.pvpbar_ad +onmsft.com##.pw-gtr-box +bleedingcool.com##.pw-in-article +pricecharting.com##.pw-leaderboard +giantfreakinrobot.com##.pw-leaderboard-atf-container +giantfreakinrobot.com##.pw-leaderboard-btf-container +giantfreakinrobot.com##.pw-med-rect-atf-container +giantfreakinrobot.com##.pw-med-rect-btf-container +breakingnews.ie,canberratimes.com.au,theland.com.au##.py-2.bg-gray-100 +fastcompany.com##.py-8 +onlyinyourstate.com##.py-8.md\:flex +pymnts.com##.pymnt_ads +euronews.com##.qa-dfpLeaderBoard +infoq.com##.qcon_banner +thegatewaypundit.com##.qh1aqgd +revolution935.com##.qt-sponsor +coingape.com,dailyboulder.com,townflex.com##.quads-location +surfline.com##.quiver-google-dfp +dagens.com##.r-1 +allthatsinteresting.com##.r-11rk87y +dagens.com##.r-3 +dagens.com##.r-6 +letour.fr##.r-rentraps +tgstat.com##.r1-aors +tripadvisor.com##.rSJod +joins.com,kmplayer.com##.r_banner +check-host.net##.ra-elative +linuxtopia.org##.raCloseButton +attheraces.com##.race-nav-plus-ad__ad +time.is##.rad +wahm.com##.rad-links +w3newspapers.com##.rads +theparisreview.org##.rail-ad +bookriot.com##.random-content-pro-wrapper +dappradar.com##.rankings-ad-row +rappler.com##.rappler-ad-container +benzinga.com##.raptive-ad-placement +wdwmagic.com##.raptive-custom-sidebar1 +atlantablackstar.com,finurah.com,theshadowleague.com##.raptive-ddm-header +leagueofgraphs.com##.raptive-log-sidebar +epicdope.com##.raptive-placeholder-below-post +epicdope.com##.raptive-placeholder-header +gobankingrates.com##.rate-table-header +dartsnews.com,tennisuptodate.com##.raw-html-component +mydorpie.com##.rbancont +forebet.com##.rbannerDiv +reverso.net##.rcacontent +bookriot.com##.rcp-wrapper +just-dice.com##.realcontent +shareus.io##.recent-purchased +advfn.com##.recent-stocks-sibling +tasteofhome.com##.recipe-ingredients-ad-wrapper +bettycrocker.com##.recipeAd +goodmorningamerica.com##.recirculation-module +videocelebs.net##.recl +nzherald.co.nz##.recommended-articles > .recommended-articles__heading +streamtvinsider.com##.recommended-content +slashgear.com##.recommended-heading +forestriverforums.com##.recommended-stories +last.fm##.recs-feed-item--ad +anisearch.com##.rect_sidebar +zerohedge.com##.rectangle +zerohedge.com##.rectangle-large +knowyourmeme.com##.rectangle-unit-wrapper +twz.com##.recurrent-inline-leaderboard +redferret.net##.redfads +arras.io##.referral +al-monitor.com##.region--after-content +middleeasteye.net##.region-before-navigation +steveharveyfm.com##.region-recommendation-right +mrctv.org##.region-sidebar +futbol24.com##.rek +wcostream.com##.reklam_pve +cyclingnews.com##.related-articles-wrap +engadget.com##.related-content-lazyload +idropnews.com##.related-posts +timesofindia.indiatimes.com##.relatedVideoWrapper +esports.gg##.relative.esports-inarticle +astrozop.com##.relative.z-5 +miragenews.com##.rem-i-s +4shared.com##.remove-rekl +boldsky.com##.removeStyleAd +runningmagazine.ca##.repeater-bottom-leaderboard +bbjtoday.com##.replacement +m.tribunnews.com##.reserved-topmedium +holiday-weather.com##.resp-leaderboard +box-core.net,mma-core.com##.resp_ban +arras.io##.respawn-banner +guru99.com##.responsive-guru99-mobile1 +championmastery.gg##.responsiveAd +thetimes.com##.responsive__InlineAdWrapper-sc-4v1r4q-14 +riderfans.com##.restore.widget-content +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.result--ad > .result__body +jetphotos.com##.result--adv +myminifactory.com##.result-adv +word.tips##.result-top-ad +word.tips##.result-words-ad +word.tips##.result-words-ad-new +classifiedads.com##.resultmarg +inchcalculator.com##.results-ad-container-outer +infobel.com##.results-bottom-banner-container +infobel.com##.results-middle-banner-container +infobel.com##.results-top-banner-container +curseforge.com##.rev-container +utahgunexchange.com##.rev_slider_wrapper +latimes.com,sandiegouniontribune.com##.revcontent +al.com,cleveland.com,lehighvalleylive.com,masslive.com,mlive.com,newyorkupstate.com,oregonlive.com,pennlive.com,silive.com,syracuse.com##.revenue-display +grammar.yourdictionary.com##.revenue-placeholder +therailwayhub.co.uk##.revive +planetizen.com##.revive-sitewide-banner-2__wrapper +planetizen.com##.revive-sitewide-banner__wrapper +hindustantimes.com##.rgtAdSection +timesofindia.indiatimes.com##.rgt_ad +websitedown.info##.rgtad +newindian.in##.rhs-ad2 +indianexpress.com##.rhs-banner-carousel +cnbctv18.com##.rhs-home-second-ad +firstpost.com##.rhs-tp-ad +dailyo.in##.rhsAdvertisement300 +moneycontrol.com##.rhs_banner_300x34_widget +siteslike.com##.rif +terminal.hackernoon.com##.right +cnbctv18.com##.right-ad-amp +mathgames.com##.right-ad-override +news.net##.right-banner-wr > .right +africanews.com##.right-legend +essentialenglish.review##.right-panel +newsweek.com##.right-rail-ads +jta.org##.right-rail-container +businessinsider.com##.right-rail-min-height-250 +medpagetoday.com##.right-rail-panel +supplychainbrain.com##.right-rail-sponsors +jpost.com##.right-side-banner +businesstoday.in##.right-side-tabola +livemint.com##.rightAdNew +slickdeals.net##.rightRailBannerSection +babycenter.com##.rightRailSegment +boomlive.in##.right_ad_4 +gamemodding.com##.right_banner +softicons.com##.right_ga +thehansindia.com##.right_level_7 +theportalist.com##.right_rail_add +livemint.com##.rightblockAd +footballdb.com##.rightcol_ad +smartasset.com##.riklam-container +ip.sb##.rivencloud_ads +rocket-league.com##.rlg-footer-ads-container +rocket-league.com##.rlg-trading-ad +rocket-league.com##.rlg-trading-spacer +costco.com##.rm-grid-product +chemistwarehouse.com.au##.rm__campaign-product__slider-item +windowsreport.com##.rmdcb +indiatimes.com##.rmfp +realitytea.com##.roadblock +surinenglish.com##.roba +cults3d.com##.robots-nocontent +boxrox.com##.rolling-mrt +beforeitsnews.com##.rotating_text_link +superhumanradio.net##.rotating_zone +atalayar.com##.rotulo-publi +flightconnections.com##.route-display-box +nme.com##.row-mobile-billboard +healthnfitness.net##.row-section-game-widget +elnacional.cat##.row-top-banner +steamanalyst.com##.row.tpbcontainer +bikechatforums.com##.row2[style="padding: 5px;"] +onlineocr.net##.row[style*="text-align:right"] +rasmussenreports.com##.rr-ad-image +jdpower.com##.rrail__ad-wrap +wikihow.com##.rrdoublewrap +kickassanime.mx,kickassanimes.io##.rs +freewebarcade.com##.rsads +gamertweak.com##.rsgvqezdh-container +box-core.net,mma-core.com##.rsky +voxelmatters.com##.rss-ads-orizontal +rswebsols.com##.rsws_banner_sidebar +nextofwindows.com##.rtsidebar-cm +freewebarcade.com##.rxads +freewebarcade.com##.rxse +aerotime.aero##.s-banner +bleepingcomputer.com##.s-ou-wrap +hope1032.com.au##.s-supported-by +japantoday.com##.s10r +nodejs.libhunt.com##.saashub-ad +steamladder.com##.salad +salife.com.au##.salife-slot +sherbrookerecord.com##.sam-pro-container +softonic.com##.sam-slot +f95zone.to##.samAlignCenter +audi-sport.net,beermoneyforum.com,clubsearay.com,forums.sailinganarchy.com,geekdoing.com,skitalk.com,sportfishingbc.com,studentdoctor.net##.samBannerUnit +audi-sport.net,forums.bluemoon-mcfc.co.uk,overtake.gg,racedepartment.com,resetera.com,satelliteguys.us##.samCodeUnit +beermoneyforum.com##.samTextUnit +anime-sharing.com,forums.bluemoon-mcfc.co.uk##.samUnitWrapper +netweather.tv##.samsad-Leaderboard2 +teamfortress.tv##.sau +point2homes.com##.saved-search-banner-list +thebudgetsavvybride.com##.savvy-target +pcgamesn.com##.saw-wrap +tvtropes.org##.sb-fad-unit +animehub.ac##.sb-subs +sabcsport.com##.sbac_header_top_ad +pcwdld.com##.sbcontent +mindbodygreen.com##.sc-10p0iao-0 +kotaku.com##.sc-6zn1bq-0 +news.bitcoin.com##.sc-cpornS +distractify.com,inquisitr.com,qthemusic.com,radaronline.com##.sc-fTZrbU +scotsman.com##.sc-igwadP +sankakucomplex.com##.scad +soyacincau.com##.scadslot-widget +bangordailynews.com##.scaip +newindianexpress.com##.scc +radiotimes.com##.schedule__row-list-item-advert +fantasyalarm.com##.scoreboard +hentaihaven.icu,hentaihaven.xxx,hentaistream.tv,nhentai.io##.script_manager_video_master +eatsmarter.com##.scroll-creatives +readmng.com##.scroll_target_top +lethbridgenewsnow.com##.scroller +cyclinguptodate.com,tennisuptodate.com##.sda +userscript.zone##.searcad +chemistwarehouse.com.au##.search-product--featured +dryicons.com##.search-related__sponsored +tempest.com##.search-result-item--ad +alibaba.com##.searchx-offer-item[data-aplus-auto-offer*="ad_adgroup_toprank"] +minecraftservers.org##.second-banner +businesstoday.in##.secondAdPosition +finextra.com##.section--minitextad +finextra.com##.section--mpu +wbur.org##.section--takeover +sowetanlive.co.za##.section-article-sponsored +bmj.com##.section-header +nzherald.co.nz##.section-iframe +lawinsider.com##.section-inline-partner-ad +tvarticles.me##.section-post-about +pipeflare.io##.section-promo-banner +thesun.co.uk##.section-sponsorship-wrapper-article +thesun.co.uk##.section-sponsorship-wrapper-section +seattlepride.org##.section_sponsorship +brandsoftheworld.com##.seedling +searchenginejournal.com##.sej-hello-bar +searchenginejournal.com##.sej-ttt-link +timesofisrael.com##.sellwild-label +hypestat.com##.sem_banner +spotifydown.com##.semi-transparent +jambase.com##.sense +shareus.io##.seperator-tag +searchencrypt.com##.serp__top-ads +minecraftforum.net##.server-forum-after-comment-ad +save-editor.com##.set_wrapper +bravenewcoin.com##.sevio-ad-wrapper +sportbusiness.com##.sf-taxonomy-body__advert-container +pressdemocrat.com##.sfb2024-section__ad +analyticsinsight.net,moviedokan.lol,shortorial.com##.sgpb-popup-overlay +stockhouse.com##.sh-ad +soaphub.com##.sh-sh_belowpost +soaphub.com##.sh-sh_inpost_1 +soaphub.com##.sh-sh_inpost_2 +soaphub.com##.sh-sh_inpost_3 +soaphub.com##.sh-sh_inpost_4 +soaphub.com##.sh-sh_inpost_5 +soaphub.com##.sh-sh_inpost_6 +soaphub.com##.sh-sh_postlist_2_home +themeforest.net##.shared-global_footer-cross_sell_component__root +romzie.com##.shcntr +bestbuy.com##.shop-dedicated-sponsored-carousel +bestbuy.com##.shop-pushdown-ad +stokesentinel.co.uk##.shop-window[data-impr-tracking="true"] +intouchweekly.com,lifeandstylemag.com,usmagazine.com##.shop-with-us__container +rebelnews.com##.shopify-buy-frame +instacart.com##.shoppable-list-a-las2t7 +hypebeast.com##.shopping-break-container +indiatoday.in##.shopping__widget +citychicdecor.com##.shopthepost-widget +mirror.co.uk##.shopwindow-adslot +mirror.co.uk##.shopwindow-advertorial +chess.com##.short-sidebar-ad-component +axios.com##.shortFormNativeAd +fool.com##.show-ad-label +siliconrepublic.com##.show-for-medium-up +spacenews.com##.show-street-dialog +thepointsguy.com##.showBb +winx-club-hentai.com##.shr34 +nagpurtoday.in##.shrcladv +mbauniverse.com##.shriresume-logo +seeklogo.com##.shutterBannerWp +tineye.com##.shutterstock-similar-images +scriptinghelpers.org##.shvertise-skyscraper +cartoq.com##.side-a +chaseyoursport.com##.side-adv-block-blog-open +news.am,nexter.org,viva.co.nz##.side-banner +setapp.com##.side-scrolling__banner +idropnews.com##.side-title-wrap +vpnmentor.com##.side-top-vendors-wrap +pr0gramm.com##.side-wide-skyscraper +seeklogo.com##.sideAdsWp +israelnationalnews.com##.sideInf +freeseotoolbox.net##.sideXd +thefastmode.com##.side_ads +uquiz.com##.side_bar +panarmenian.net##.side_panner +tutorialrepublic.com##.sidebar +collegedunia.com##.sidebar .course-finder-banner +coincodex.com##.sidebar-2skyscraper +ganjapreneur.com##.sidebar-ad-block +oann.com##.sidebar-ad-slot__ad-label +jayisgames.com##.sidebar-ad-top +autoguide.com,motorcycle.com##.sidebar-ad-unit +computing.co.uk##.sidebar-block +dailycoffeenews.com##.sidebar-box +coingape.com##.sidebar-btn-container +nfcw.com##.sidebar-display +thehustle.co##.sidebar-feed-trends +gameflare.com##.sidebar-game +lawandcrime.com,mediaite.com##.sidebar-hook +freshbusinessthinking.com##.sidebar-mpu +spearswms.com##.sidebar-mpu-1 +middleeasteye.net##.sidebar-photo-extend +comedy.com##.sidebar-prebid +domainnamewire.com,repeatreplay.com##.sidebar-primary +libhunt.com##.sidebar-promo-boxed +davidwalsh.name##.sidebar-sda-large +ldjam.com##.sidebar-sponsor +abovethelaw.com##.sidebar-sponsored +azoai.com,azobuild.com,azocleantech.com,azolifesciences.com,azom.com,azomining.com,azonano.com,azooptics.com,azoquantum.com,azorobotics.com,azosensors.com##.sidebar-sponsored-content +hypebeast.com##.sidebar-spotlights +proprivacy.com##.sidebar-top-vpn +indianapublicmedia.org##.sidebar-upper-underwritings +mobilesyrup.com##.sidebarSponsoredAd +zap-map.com##.sidebar__advert +wordcounter.icu##.sidebar__display +pbs.org##.sidebar__logo-pond +hepper.com##.sidebar__placement +breakingdefense.com,medcitynews.com##.sidebar__top-sticky +snopes.com##.sidebar_ad +pcgamesn.com##.sidebar_affiliate_disclaimer +bxr.com##.sidebar_promo +bleedingcool.com##.sidebar_spacer +alternet.org##.sidebar_sticky_container +macrumors.com##.sidebarblock +macrumors.com##.sidebarblock2 +linuxize.com##.sideblock +dbknews.com##.sidekick-wrap +kit.co##.sidekit-banner +linuxtopia.org##.sidelinks > .sidelinks +atlasobscura.com##.siderail-bottom-affix-placeholder +thespike.gg##.siderail_ad_right +classicalradio.com,jazzradio.com,radiotunes.com,rockradio.com,zenradio.com##.sidewall-ad-component +wncv.com##.simple-image +metalsucks.net##.single-300-insert +lgbtqnation.com##.single-bottom-ad +9to5mac.com##.single-custom-post-ad +kolompc.com##.single-post-content > center +geoawesome.com##.single-post__extra-info +abovethelaw.com##.single-post__sponsored-post--desktop +policyoptions.irpp.org##.single__ad +mixonline.com##.site-ad +gg.deals##.site-banner-content-widget +deshdoaba.com##.site-branding +winaero.com##.site-content > div > p[style="margin: 22px"] +archaeology.org##.site-header__iykyk +emulatorgames.net##.site-label +jdpower.com##.site-top-ad +dailycoffeenews.com##.site-top-ad-desktop +emulatorgames.net##.site-unit-lg +macys.com##.siteMonetization +warcraftpets.com##.sitelogo > div +garagejournal.com##.size-full.attachment-full +newsnext.live##.size-large +garagejournal.com##.size-medium +canadianbusiness.com,torontolife.com##.sjm-dfp-wrapper +charismanews.com##.skinTrackClicks +pinkvilla.com##.skinnerAd +entrepreneur.com##.sky +edarabia.com##.sky-600 +govexec.com##.skybox-item-sponsored +cbssports.com##.skybox-top-wrapper +cheese.com,datpiff.com,gtainside.com##.skyscraper +plos.org##.skyscraper-container +lowfuelmotorsport.com,newsnow.co.uk##.skyscraper-left +lowfuelmotorsport.com##.skyscraper-right +singaporeexpats.com##.skyscrapers +everythingrf.com,futbol24.com##.skyscrapper +myfoodbook.com.au##.slick--optionset--mfb-banners +as.com##.slider-producto +inbox.com##.slinks +airdriecityview.com,alaskahighwaynews.ca,albertaprimetimes.com,bowenislandundercurrent.com,burnabynow.com,coastreporter.net,cochraneeagle.ca,delta-optimist.com,fitzhugh.ca,moosejawtoday.com,mountainviewtoday.ca,newwestrecord.ca,nsnews.com,piquenewsmagazine.com,princegeorgecitizen.com,prpeak.com,richmond-news.com,rmoutlook.com,sasktoday.ca,squamishchief.com,stalbertgazette.com,thealbertan.com,theorca.ca,townandcountrytoday.com,tricitynews.com,vancouverisawesome.com,westerninvestor.com,westernwheel.ca##.slot +nicelocal.com##.slot-service-2 +nicelocal.com##.slot-service-top +iheartradio.ca##.slot-topNavigation +independent.ie##.slot1 +independent.ie##.slot4 +boxofficemojo.com,imdb.com##.slot_wrapper +drivereasy.com##.sls_pop +sltrib.com##.sltrib_medrec_sidebar_atf +skinnyms.com##.sm-above-header +dermatologytimes.com##.sm\:w-\[728px\] +bikeexif.com##.small +dutchnews.nl##.small-add-block +numuki.com##.small-banner-responsive-wrapper +startup.ch##.smallbanner +food.com##.smart-aside-inner +food.com##.smart-rail-inner +watchinamerica.com##.smartmag-widget-codes +pressdemocrat.com##.smiPlugin_rail_ad_widget +secretchicago.com##.smn-new-gpt-ad +rugby365.com##.snack-container +foottheball.com,small-screen.co.uk##.snackStickyParent +dailyevergreen.com##.sno-hac-desktop-1 +khmertimeskh.com##.so-widget-sow-image +u.today##.something +u.today##.something--fixed +u.today##.something--wide +songfacts.com##.songfacts-song-inline-ads +macys.com##.sortable-grid-sponsored-items +greatandhra.com##.sortable-item_top_add123 +khmertimeskh.com##.sow-slider-image +freeonlineapps.net##.sp +coincarp.com##.sp-down +semiengineering.com##.sp_img_div +academickids.com##.spacer150px +quora.com##.spacing_log_question_page_ad +nationaltoday.com##.sphinx-popup--16 +informer.com##.spnsd +sundayworld.co.za##.spnsorhome +mydramalist.com##.spnsr +coincarp.com##.spo-btn +worldtimezone.com##.spon-menu +danmurphys.com.au##.sponserTiles +andrewlock.net,centos.org,domainincite.com,europages.co.uk,gamingcloud.com,ijr.com,kpbs.org,manutd.com,phillyvoice.com,phish.report,speedcafe.com,thefederalistpapers.org,thegatewaypundit.com,ufile.io,westernjournal.com,wnd.com##.sponsor +cssbattle.dev##.sponsor-container +dallasinnovates.com##.sponsor-footer +wralsportsfan.com##.sponsor-label +jquery.com##.sponsor-line +newsroom.co.nz##.sponsor-logos2 +fimfiction.net##.sponsor-reminder +compellingtruth.org##.sponsor-sidebar +cricketireland.ie##.sponsor-strip +arizonasports.com,ktar.com##.sponsorBy +cryptolovers.me##.sponsorContent +blbclassic.org##.sponsorZone +2b2t.online,caixinglobal.com,chicagobusiness.com,chronicle.co.zw,dailymaverick.co.za,dailytarheel.com,duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion,dunyanews.tv,fifplay.com,freebmd.org.uk,hbr.org,herald.co.zw,lawandcrime.com,libhunt.com,motherjones.com,naval-technology.com,reviewjournal.com,saashub.com,samedicalspecialists.co.za,sportsbusinessjournal.com,statnews.com,stocksnap.io,thedp.com,timeslive.co.za##.sponsored +newegg.com##.sponsored-brands +crypto.news##.sponsored-button-group +cheknews.ca##.sponsored-by +washingtontimes.com##.sponsored-heading +itweb.co.za##.sponsored-highlights +breakingdefense.com##.sponsored-inline +freesvg.org##.sponsored-main-detail +dermstore.com,lookfantastic.com##.sponsored-product-plp +justwatch.com##.sponsored-recommendation +crn.com##.sponsored-resources +coincarp.com##.sponsored-td +search.brave.com##.sponsored-unit_wrapper +coingecko.com##.sponsored-v2 +tech.hindustantimes.com##.sponsoredBox +coinmarketcap.com##.sponsoredMark +lookfantastic.com##.sponsoredProductsList +circleid.com##.sponsoredTopicCard +mynorthwest.com##.sponsored_block +hannaford.com##.sponsored_product +meijer.com##.sponsoredproducts +ar15.com,armageddonexpo.com,audiforums.com,f1gamesetup.com,ferrarichat.com,hotrodhotline.com,jaguarforums.com,pypi.org,smashingmagazine.com,thebugle.co.za,waamradio.com,wbal.com,webtorrent.io##.sponsors +vuejs.org##.sponsors-aside-text +salixos.org##.sponsors-container +libhunt.com##.sponsors-list-content +petri.com##.sponsorsInline +newswiretoday.com,przoom.com##.sponsortd +alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,coincost.net,connection-sports.com,fairfaxconnection.com,fairfaxstationconnection.com,greatfallsconnection.com,herndonconnection.com,mcleanconnection.com,mountvernongazette.com,phonearena.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,viennaconnection.com##.spot +phonearena.com##.spot-sticky-container +darwintube.com##.spots +freepik.com##.spr-adblock +freepik.com##.spr-plc +gemoo.com##.sprtadv +collive.com##.spu-bg +collive.com##.spu-box +motorauthority.com##.sq-block +reneweconomy.com.au##.sq_get_quotes +ftvlive.com##.sqs-block-image-link +nutritioninsight.com,packaginginsights.com##.squarblk +autoaction.com.au,snokido.com##.square +digitimes.com##.square-ad +flvto.biz,flvto.com.mx##.square-area +getmyuni.com##.squareDiv +cathstan.org##.squat +yodobashi.com##.srcResultPromotionItem +ebay.co.uk,ebay.com,ebay.com.au##.srp-1p__link +mlsbd.shop##.srzads +theblueoceansgroup.com##.ss-on-media-container +searchenginejournal.com##.sss2_sllo_o3 +aupetitparieur.com##.st85ip42z1v3x +cnn.com##.stack__ads +barrons.com##.standard__AdWrapper-sc-14sjre0-6 +gameworldobserver.com##.start-popup +geoguessr.com##.start__display-ad +sourceforge.net##.sterling +bostonglobe.com##.stick_1200--tablet +ar15.com##.stickers +kathmandupost.com##.sticky--bottom +healthing.ca##.sticky-ad-spacer-desktop +religionnews.com##.sticky-ad-white-space +bmwblog.com##.sticky-ad-widget-container +rugbyonslaught.com##.sticky-add +thenationonlineng.net##.sticky-advert +gr8.cc,psycatgames.com##.sticky-banner +note.nkmk.me##.sticky-block +pastpapers.co##.sticky-bottom +golfmagic.com,kbb.com,thisismoney.co.uk##.sticky-container +goterriers.com##.sticky-footer +walletinvestor.com##.sticky-footer-content +babylonbee.com##.sticky-footer-image +kmzu.com##.sticky-footer-promo-container +business2community.com##.sticky-header +sciencing.com,sportsnet.ca##.sticky-leaderboard-container +fastcompany.com##.sticky-outer-wrapper +niagarathisweek.com##.sticky-parent +foxweather.com##.sticky-pre-content +foxnews.com##.sticky-pre-header +foxnews.com##.sticky-pre-header-inner +theportugalnews.com##.sticky-pub +almanac.com##.sticky-right-sidebar +thechinaproject.com##.sticky-spacer +oilcity.news##.sticky-sponsors-large +jpost.com##.sticky-top-banner +litecoin-faucet.com##.sticky-top1 +theblock.co,thekitchn.com##.stickyFooter +everythingrf.com##.stickyRHSAds +cnet.com##.stickySkyboxSpacing +fastfoodnutrition.org##.sticky_footer +pcgamesn.com##.sticky_rail600 +minecraftlist.org##.stickywrapper +romzie.com##.stksht +seattletimes.com##.stn-player +dailyherald.com##.stnContainer +stationx.net##.stnx-cta-embed +groceries.asda.com##.sto_format +dailycoffeenews.com##.story-ad-horizontal +dailykos.com##.story-banner-ad-placeholder +bqprime.com##.story-base-template-m__vuukle-ad__g1YBt +nzherald.co.nz##.story-card--sponsored--headline +nzherald.co.nz##.story-card--sponsored-text-below +wccftech.com##.story-products-wrapper +stadiumtalk.com##.story-section-inStory-inline +interest.co.nz##.story-tag-wrapper +healthshots.com##.storyBlockOne +livemint.com##.storyPage_storyblockAd__r4wwE +businesstoday.in##.stoybday-ad +24fm.ps,datingscammer.info,ihrc24x7.com,kayifamily.net,news365.co.za,thedefensepost.com,xboxera.com##.stream-item +siasat.com##.stream-item-below-post-content +twitter.com,x.com##.stream-item-group-start[label="promoted"] +coinpedia.org,siasat.com##.stream-item-inline-post +conservativebrief.com##.stream-item-mag +hardwaretimes.com##.stream-item-size +how2electronics.com##.stream-item-top +todayuknews.com##.stream-item-top-wrapper +siasat.com##.stream-item-widget +news365.co.za##.stream-item-widget-content +coinpedia.org##.stream-title +open3dlab.com##.stream[style="align-items:center; justify-content:center;"] +stellar.ie##.stuck +darko.audio##.studio_widget +news.stv.tv##.stv-article-gam-slot +dbltap.com##.style_7z5va1-o_O-style_48hmcm-o_O-style_1ts1q2h +inyourarea.co.uk##.style_advertisementMark_1Jki4 +inyourarea.co.uk##.style_cardWrapper_ycKf8 +amazonadviser.com,apptrigger.com,arrowheadaddict.com,bamsmackpow.com,fansided.com,gamesided.com,gojoebruin.com,hiddenremote.com,lastnighton.com,mlsmultiplex.com,netflixlife.com,playingfor90.com,stormininnorman.com,winteriscoming.net##.style_k8mr7b-o_O-style_1ts1q2h +nationalrail.co.uk##.styled__StyledFreeFormAdvertWrapper-sc-7prxab-4 +nationalheraldindia.com##.styles-m__dfp__3T0-C +streamingsites.com##.styles_adverticementBlock__FINvH +streamingsites.com##.styles_backdrop__8uFQ4 +egamersworld.com##.styles_bb__hb10X +producthunt.com##.styles_item__hNPI1 +egamersworld.com##.styles_sidebar__m6yLy +troypoint.com##.su-box +cfoc.org##.su-button-style-glass +buzzfeed.com##.subbuzz-bfp--connatix_video +proprivacy.com##.summary-footer-cta +monocle.com##.super-leaderboard +atalayar.com,express.co.uk,the-express.com##.superbanner +f1gamesetup.com##.supp-footer-banner +f1gamesetup.com##.supp-header-banner +f1gamesetup.com##.supp-sense-desk-large +f1gamesetup.com##.supp-sense-sidebar-box-large +f1gamesetup.com##.supp-sidebar-box +japantimes.co.jp##.supplements-binder +ocado.com##.supplierBanner +cdromance.com##.support-us +fstoppers.com##.supportImg +indiedb.com,moddb.com##.supporter +hyiptop.net##.supporthome +techreen.com##.svc_next_content +survivopedia.com##.svp_campaign_main +timesofmalta.com##.sw-Top +saltwire.com##.sw-banner +securityweek.com##.sw-home-ads +swimswam.com##.swimswam-acf +khmertimeskh.com##.swiper-container-horizontal +khmertimeskh.com##.swiper-wrapper +top100token.com##.swiper_div.right-pad +presearch.com##.sx-top-bar-products +html-online.com##.szekcio4 +dagens.com,dagens.dk##.t-1 > .con-0 > .r-1 > .row > .c-0 > .generic-widget[class*=" i-"] > .g-0 +dagens.com,dagens.de,dagens.dk##.t-1 > .con-0 > .r-2 .row > .c-1 > .generic-widget[class*=" i-"] > .g-0 +royalroad.com##.t-center-2 +interestingengineering.com##.t-h-\[130px\] +interestingengineering.com##.t-h-\[176px\] +interestingengineering.com##.t-h-\[280px\] +fiercebiotech.com##.t1-ad-slot +patriotnationpress.com##.t2ampmgy +sbenny.com##.t3-masthead +emoneyspace.com##.t_a_c +theanalyst.com##.ta-ad +ucompares.com##.tablepress-id-46 +posemaniacs.com##.tabletL\:w-\[728px\] +moco360.media,protocol.com##.tag-sponsored +spectrum.ieee.org##.tag-type-whitepaper +ghanaweb.com,thefastmode.com##.takeover +thefastmode.com##.takeover_message +literaryreview.co.uk##.tall-advert +seattletimes.com##.tall-rect +igg-games.com##.taxonomy-description +bookriot.com##.tbr-promo +tennis.com##.tc-video-player-iframe +ghpage.com,schengen.news##.td-a-ad +8pmnews.com,antiguanewsroom.com,aptoslife.com,aviacionline.com,betootaadvocate.com,bohemian.com,carnewschina.com,constructionreviewonline.com,corvetteblogger.com,cyberparse.co.uk,darkhorizons.com,eastbayexpress.com,eindhovennews.com,ericpetersautos.com,fenuxe.com,gameplayinside.com,gamezone.com,ghpage.com,gilroydispatch.com,gizmochina.com,goodtimes.sc,goonhammer.com,greekreporter.com,greenfieldnews.com,healdsburgtribune.com,indianapolisrecorder.com,industryhit.com,jewishpress.com,kenyan-post.com,kingcityrustler.com,lankanewsweb.net,maltabusinessweekly.com,metrosiliconvalley.com,morganhilltimes.com,musictech.net,mycariboonow.com,nasilemaktech.com,newsnext.live,newstalkflorida.com,nme.com,pacificsun.com,pajaronian.com,pakobserver.net,pipanews.com,pressbanner.com,radioink.com,runnerstribe.com,salinasvalleytribune.com,sanbenito.com,scrolla.africa,sonorannews.com,tamilwishesh.com,telugubullet.com,theindependent.co.zw,ticotimes.net,unlockboot.com,wrestling-online.com,zycrypto.com##.td-a-rec +zycrypto.com##.td-a-rec-id-content_bottom +zycrypto.com##.td-a-rec-id-custom_ad_2 +thediplomat.com##.td-ad-container--labeled +unlockboot.com##.td-ads-home +techgenyz.com##.td-adspot-title +bizasialive.com##.td-all-devices +americanindependent.com##.td-banner-bg +brila.net,cgmagonline.com,cycling.today,gayexpress.co.nz,theyeshivaworld.com##.td-banner-wrap-full +boxthislap.org,ticgn.com,wtf1.co.uk##.td-footer-wrapper +91mobiles.com,techyv.com##.td-header-header +healthyceleb.com##.td-header-header-full +androidcommunity.com,euro-sd.com,sfbg.com,techworm.net##.td-header-rec-wrap +5pillarsuk.com,babeltechreviews.com,cybersecuritynews.com,sonorannews.com,techviral.net,thestonedsociety.com,weekendspecial.co.za##.td-header-sp-recs +runnerstribe.com##.td-post-content a[href^="https://tarkine.com/"] +antiguanewsroom.com,gadgetstouse.com##.td-ss-main-sidebar +techgenyz.com##.td_block_single_image +capsulenz.com,ssbcrack.com,thecoinrise.com##.td_spot_img_all +thedailybeast.com##.tdb-ads-block +arynews.tv##.tdi_103 +techgenyz.com##.tdi_114 +pakobserver.net##.tdi_121 +pakobserver.net##.tdi_124 +carnewschina.com##.tdi_162 +greekreporter.com##.tdi_18 +techgenyz.com##.tdi_185 +based-politics.com##.tdi_30 +teslaoracle.com##.tdi_48 +coinedition.com##.tdi_59 +ghpage.com##.tdi_63 +depressionforums.org##.tdi_66 +coinedition.com##.tdi_95 +coinedition.com##.tdm-inline-image-wrap +lankanewsweb.net##.tdm_block_inline_image +standard.co.uk##.teads +who.is##.teaser-bar +liverpoolecho.co.uk,manchestereveningnews.co.uk##.teaser[data-tmdatatrack-source="SHOP_WINDOW"] +eurovisionworld.com##.teaser_flex_united24 +semiconductor-today.com##.teaserexternal.teaser +techopedia.com##.techo-adlabel +technology.org##.techorg-banner +sporcle.com##.temp-unit +macrumors.com##.tertiary +speedof.me##.test-ad-container +tasfia-tarbia.org##.text +ericpetersautos.com##.text-109 +stupiddope.com##.text-6 +hackread.com##.text-61 +vuejs.org##.text-ad +how2shout.com##.text-ads +y2down.cc##.text-center > a[href="https://loader.to/loader.apk"] +skylinewebcams.com##.text-center.cam-light +charlieintel.com,dexerto.com##.text-center.italic +ascii-code.com##.text-center.mb-3 +upi.com##.text-center.mt-5 +thegradcafe.com##.text-center.py-3 +whatismyisp.com##.text-gray-100 +businessonhome.com##.text-info +mastercomfig.com##.text-start[style^="background:"] +geeksforgeeks.org##.textBasedMannualAds_2 +putlockers.do##.textb +sciencedaily.com##.textrule +evilbeetgossip.com,kyis.com,thesportsanimal.com,wild1049hd.com,wky930am.com##.textwidget +tftcentral.co.uk##.tftce-adlabel +thejakartapost.com##.the-brief +vaughn.live##.theMvnAbvsLowerThird +thedefensepost.com##.thede-before-content_2 +steelersdepot.com##.theiaStickySidebar +serverhunter.com##.this-html-will-keep-changing-these-ads-dont-hurt-you-advertisement +phillyvoice.com##.this-weekend-container +gearspace.com##.thread__sidebar-ad-container +geeksforgeeks.org##.three90RightBarBanner +nzherald.co.nz##.ticker-banner +aardvark.co.nz##.tinyprint +blendernation.com##.title +cryptocompare.com##.title-hero +thejakartapost.com##.tjp-ads +thejakartapost.com##.tjp-placeholder-ads +kastown.com##.tkyrwhgued +onlinecourse24.com##.tl-topromote +the-tls.co.uk##.tls-single-articles__ad-slot-container +themighty.com##.tm-ads +trademe.co.nz##.tm-display-ad__wrapper +thenewstack.io##.tns-sponsors-rss +nybooks.com##.toast-cta +spy.com##.todays-top-deals-widget +last.fm##.tonefuze +euobserver.com,medicinehatnews.com##.top +charlieintel.com,dexerto.com##.top-0.justify-center +mashable.com##.top-0.sticky > div +charlieintel.com,dexerto.com##.top-10 +cartoq.com##.top-a +freedomleaf.com##.top-ab +cartoq.com##.top-ad-blank-div +forbes.com##.top-ad-container +artistdirect.com##.top-add +firstpost.com##.top-addd +n4g.com,techspy.com##.top-ads-container-outer +india.com##.top-ads-expend +jamieoliver.com##.top-avocado +advfn.com##.top-ban-wrapper +addictivetips.com,argonauts.ca,automotive-fleet.com,businessfleet.com,cfl.ca,developer.mozilla.org,fleetfinancials.com,forbesindia.com,government-fleet.com,howsecureismypassword.net,ncaa.com,pcwdld.com,rigzone.com,schoolbusfleet.com,seekvectorlogo.net,wltreport.com##.top-banner +smartasset.com##.top-banner-ctr +gptoday.net##.top-banner-leaderboard +numuki.com##.top-banner-responsive-wrapper +gamewatcher.com##.top-banners-wrapper +papermag.com##.top-billboard__below-title-ad +livescores.biz##.top-bk +blockchair.com##.top-buttons-wrap +freedesignresources.net##.top-cat-ads +procyclingstats.com##.top-cont +foodrenegade.com##.top-cta +forbes.com##.top-ed-placeholder +forexlive.com##.top-forex-brokers__wrapper +theguardian.com##.top-fronts-banner-ad-container +debka.com##.top-full-width-sidebar +reverso.net##.top-horizontal +india.com##.top-horizontal-banner +spectrum.ieee.org##.top-leader-container +thedailystar.net##.top-leaderboard +coinpedia.org##.top-menu-advertise +sportingnews.com##.top-mpu-container +webmd.com##.top-picks +speedtest.net##.top-placeholder +techdirt.com##.top-promo +financemagnates.com,forexlive.com##.top-side-unit +horoscope.com##.top-slot +cryptoslate.com##.top-sticky +playbuzz.com##.top-stickyplayer-container +ganjingworld.com##.topAdsSection_wrapper__cgH4h +timesofindia.indiatimes.com##.topBand_adwrapper +ada.org,globes.co.il,techcentral.ie,texteditor.co,versus.com##.topBanner +pcworld.com##.topDeals +tech.hindustantimes.com##.topGadgetsAppend +tutorviacomputer.com##.topMargin15 +click2houston.com,clickondetroit.com,clickorlando.com,ksat.com,local10.com,news4jax.com##.topWrapper +giveawayoftheday.com,informer.com##.top_ab +theepochtimes.com##.top_ad +asmag.com,tiresandparts.net##.top_banner +joebucsfan.com##.top_banner_cont +archaeology.org##.top_black +searchenginejournal.com##.top_lead +justjared.com,justjaredjr.com##.top_rail_shell +fark.com##.top_right_container +allnigerianrecipes.com,antimusic.com,roadtests.com##.topad +cycleexif.com,thespoken.cc##.topban +eurointegration.com.ua##.topban_r +axisbank.com##.topbandBg_New +algemeiner.com,allmonitors24.com,streamable.com,techforbrains.com##.topbanner +drugs.com##.topbanner-wrap +videogamemods.com##.topbanners +papermag.com##.topbarplaceholder +belfastlive.co.uk,birminghammail.co.uk,bristolpost.co.uk,cambridge-news.co.uk,cheshire-live.co.uk,chroniclelive.co.uk,cornwalllive.com,coventrytelegraph.net,dailypost.co.uk,derbytelegraph.co.uk,devonlive.com,dublinlive.ie,edinburghlive.co.uk,examinerlive.co.uk,getsurrey.co.uk,glasgowlive.co.uk,gloucestershirelive.co.uk,hertfordshiremercury.co.uk,kentlive.news,leeds-live.co.uk,leicestermercury.co.uk,lincolnshirelive.co.uk,liverpool.com,manchestereveningnews.co.uk,mylondon.news,nottinghampost.com,somersetlive.co.uk,stokesentinel.co.uk,walesonline.co.uk##.topbox-cls-placeholder +blabber.buzz##.topfeed +cambridge.org,ldoceonline.com##.topslot-container +collinsdictionary.com##.topslot_container +moviemistakes.com##.tower +towleroad.com##.towletarget +utahgunexchange.com##.tp-revslider-mainul +steamanalyst.com##.tpbcontainerr +totalprosports.com##.tps-top-leaderboard +techreen.com##.tr-block-header-ad +techreen.com##.tr-block-label +torbay.gov.uk##.track +futurism.com##.tracking-wider +adsoftheworld.com,futurism.com##.tracking-widest +bincodes.com##.transferwise +sun-sentinel.com##.trb_sf_hl +coinmarketcap.com##.trending-sponsored +iflscience.com##.trendmd-container +naturalblaze.com##.trfkye8nxr +thumbsnap.com##.ts-blurb-wrap +thesimsresource.com##.tsr-ad +yidio.com##.tt +telegraphindia.com##.ttdadbox310 +venturebeat.com##.tude-cw-wrap +tutorialink.com##.tutorialink-ad1 +tutorialink.com##.tutorialink-ad2 +tutorialink.com##.tutorialink-ad3 +tutorialink.com##.tutorialink-ad4 +roseindia.net##.tutorialsstaticdata +tvtropes.org##.tvtropes-ad-unit +drivencarguide.co.nz##.tw-bg-gray-200 +todayonline.com##.tw-flex-shrink-2 +drivencarguide.co.nz##.tw-min-h-\[18\.75rem\] +karnalguide.com##.two_third > .push20 +geekwire.com##.type-sponsor_post.teaser +theroar.com.au##.u-d-block +patriotnationpress.com##.u8s470ovl +tumblr.com##.uOyjG +ubergizmo.com##.ubergizmo-dfp-ad +unlockboot.com##.ubhome-banner +darko.audio##.ubm_widget +unlockboot.com##.ubtopheadads +barrons.com,wsj.com##.uds-ad-container +news.sky.com##.ui-advert +golflink.com,grammar.yourdictionary.com,yourdictionary.com##.ui-advertisement +m.rugbynetwork.net##.ui-footer-fixed +businessday.ng##.uiazojl +nullpress.net##.uinyk-link +zpaste.net##.uk-animation-shake +telegraphindia.com##.uk-background-muted +doodrive.com##.uk-margin > [href] > img +igg-games.com##.uk-panel.widget-text +softarchive.is##.un-link +collegedunia.com##.unacedemy-wrapper +uncanceled.news##.uncan-content_11 +pixhost.to##.under-image +hidefninja.com##.underads +inquinte.ca##.unit-block +bobvila.com##.unit-header-container +sciencedaily.com##.unit1 +sciencedaily.com##.unit2 +gpucheck.com##.unitBox +pravda.com.ua##.unit_side_banner +thegamerstation.com##.universal-js-insert +t.17track.net##.up-deals +t.17track.net##.up-deals-img +thegradcafe.com##.upcoming-events +pcgamingwiki.com##.upcoming-releases.home-card:first-child +filepuma.com##.update_software +letterboxd.com##.upgrade-kicker +upworthy.com##.upworthy_infinite_scroll_ad +upworthy.com##.upworthy_infinte_scroll_outer_wrap +uproxx.com##.upx-ad-unit +vervetimes.com##.uyj-before-header +vitalmtb.com##.v-ad-slot +surinenglish.com##.v-adv +azscore.com##.v-bonus +militarywatchmagazine.com##.v-size--x-small.theme--light +tetris.com##.vAxContainer-L +tetris.com##.vAxContainer-R +zillow.com##.vPTHT +osuskins.net##.vad-container +lasvegassun.com##.varWrapper +tech.co##.vc_col-sm-4 +salaamedia.com##.vc_custom_1527667859885 +salaamedia.com##.vc_custom_1527841947209 +businessday.ng##.vc_custom_1627979893469 +progamerage.com##.vc_separator +battlefordsnow.com,cfjctoday.com,everythinggp.com,filmdaily.co,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca##.vc_single_image-wrapper +itmunch.com##.vc_slide +ktm2day.com##.vc_wp_text +ggrecon.com##.venatus-block +mobafire.com##.venatus-responsive-ad +theloadout.com##.venatus_ad +fox10phoenix.com,fox13news.com,fox26houston.com,fox29.com,fox2detroit.com,fox32chicago.com,fox35orlando.com,fox4news.com,fox5atlanta.com,fox5dc.com,fox5ny.com,fox6now.com,fox7austin.com,fox9.com,foxbusiness.com,foxla.com,foxnews.com,ktvu.com,q13fox.com,wogx.com##.vendor-unit +cryptonews.net##.vert-public +avclub.com,jezebel.com##.vertical-ad-spacer +mmegi.bw##.vertical-banner +radiocity.in##.vertical-big-add +radiocity.in##.vertical-small-add +hashrate.no,thelancet.com##.verticalAdContainer +packaginginsights.com##.verticlblk +forbes.com##.vestpocket +mirror.co.uk##.vf3-conversations-list__promo +videogameschronicle.com##.vgc-productsblock +express.co.uk##.viafoura-standalone-mpu +vice.com##.vice-ad__container +victoriabuzz.com##.victo-billboard-desktop +justthenews.com##.video--vdo-ai +songkick.com##.video-ad-wrapper +forexlive.com##.video-banner__wrapper +cyclinguptodate.com##.video-container +floridasportsman.com##.video-detail-player +gbnews.com##.video-inbody +emptycharacter.com##.video-js +forbes.com,nasdaq.com##.video-placeholder +flicksmore.com##.video_banner +guru99.com##.videocontentmobile +justthenews.com##.view--breaking-news-sponsored +teachit.co.uk##.view-advertising-display +koreabiomed.com##.view-aside +costco.com##.view-criteo-carousel +vigilantcitizen.com##.vigil-leaderboard-article +vigilantcitizen.com##.vigil-leaderboard-home +variety.com##.vip-banner +kijiji.ca##.vipAdsList-3883764342 +pokernews.com##.virgutis +coincheckup.com##.visible-xs > .ng-isolate-scope +visualcapitalist.com##.visua-target +roosterteeth.com##.vjs-marker +koreaboo.com##.vm-ads-dynamic +belloflostsouls.net,ginx.tv,op.gg,paladins.guru,smite.guru,theloadout.com##.vm-placement +c19-worldnews.com##.vmagazine-medium-rectangle-ad +lightnovelcave.com##.vnad +lightnovelcave.com##.vnad-in +gosunoob.com##.vntsvideocontainer +darkreader.org##.vpnwelt +valueresearchonline.com##.vr-adv-container +trueachievements.com##.vr-auction +hentaihaven.xxx##.vrav_a_pc +fastpic.ru##.vright +vaughn.live##.vs_v9_LTabvsLowerThirdWrapper +vaughn.live##.vs_v9_LTabvsLower_beta +vsbattles.com##.vsb_ad +vsbattles.com##.vsb_sticky +notateslaapp.com##.vtwjhpktrbfmw +wral.com##.vw3Klj +horoscopes.astro-seek.com##.vyska-sense +stocktwits.com##.w-\[300px\] +lolalytics.com##.w-\[336px\] +androidpolice.com##.w-pencil-banner +wsj.com##.w27771 +userscript.zone##.w300 +engadget.com##.wafer-benji +swimcompetitive.com##.waldo-display-unit +wetransfer.com##.wallpaper +goodfon.com##.wallpapers__banner240 +dailymail.co.uk,thisismoney.co.uk##.watermark +watson.ch##.watson-ad +wbal.com##.wbal-banner +technclub.com##.wbyqkx-container +wccftech.com##.wccf_video_tag +searchencrypt.com##.web-result.unloaded.sr +northernvirginiamag.com##.website-header__ad--leaderboard +probuilds.net##.welcome-bnr +taskcoach.org##.well +gearlive.com##.wellvert +pcguide.com##.wepc-takeover-sides +pcguide.com##.wepc-takeover-top +cpu-monkey.com,cpu-panda.com,gpu-monkey.com##.werb +best-faucets.com,transfermarkt.co.uk,transfermarkt.com##.werbung +transfermarkt.co.uk##.werbung-skyscraper +transfermarkt.co.uk,transfermarkt.com##.werbung-skyscraper-container +westsiderag.com##.wests-widget +tametimes.co.za##.white-background +gadgethacks.com,reality.news,wonderhowto.com##.whtaph +pch.com##.wide_banner +japantoday.com##.widget--animated +headforpoints.com##.widget--aside.widget +japantoday.com##.widget--jobs +fijisun.com.fj##.widget-1 +fijisun.com.fj##.widget-3 +kyivpost.com##.widget-300-250 +vodacomsoccer.com##.widget-ad-block +bollywoodhungama.com##.widget-advert +boernestar.com##.widget-advert_placement +wikikeep.com##.widget-area +superdeluxeedition.com##.widget-bg-image__deal-alert +cinemaexpress.com##.widget-container-133 +thebeet.com##.widget-promotion +screencrush.com##.widget-widget_third_party_content +ceoexpress.com##.widgetContentIfrWrapperAd +adexchanger.com,live-adexchanger.pantheonsite.io##.widget_ai_ad_widget +gsmserver.com##.widget_banner-container_three-horizontal +discussingfilm.net,goonhammer.com,joemygod.com,shtfplan.com,thestrongtraveller.com,usmagazine.com,wiki-topia.com##.widget_block +wplift.com##.widget_bsa +techweekmag.com##.widget_codewidget +4sysops.com,9to5linux.com,activistpost.com,arcadepunks.com,backthetruckup.com,catcountry941.com,corrosionhour.com,corvetteblogger.com,dailyveracity.com,dcrainmaker.com,discover.is,fastestvpns.com,gamingonphone.com,girgitnews.com,gizmochina.com,guides.wp-bullet.com,iwatchsouthparks.com,macsources.com,manhuatop.org,mediachomp.com,metalsucks.net,mmoculture.com,monstersandcritics.com,nasaspaceflight.com,openloading.com,patriotfetch.com,planetofreviews.com,precinctreporter.com,prepperwebsite.com,rugbylad.ie,sashares.co.za,scienceabc.com,scienceandliteracy.org,spokesman-recorder.com,survivopedia.com,techdows.com,techforbrains.com,techiecorner.com,techjuice.pk,theblueoceansgroup.com,thecinemaholic.com,tooxclusive.com,torrentfreak.com,torrentmac.net,trackalerts.com,trendingpoliticsnews.com,wabetainfo.com##.widget_custom_html +insidehpc.com##.widget_download_manager_widget +domaingang.com##.widget_execphp +bitcoinist.com##.widget_featured_companies +bestlifeonline.com,hellogiggles.com##.widget_gm_karmaadunit_widget +inlandvalleynews.com##.widget_goodlayers-1-1-banner-widget +faroutmagazine.co.uk##.widget_grv_mpu_widget +gizmodo.com##.widget_keleops-ad +247media.com.ng,appleworld.today,athleticsillustrated.com,businessaccountingbasics.co.uk,circuitbasics.com,closerweekly.com,coincodecap.com,cozyberries.com,dbknews.com,deshdoaba.com,developer-tech.com,foreverconscious.com,glitched.online,globalgovernancenews.com,granitegrok.com,intouchweekly.com,jharkhandmirror.net,kashmirreader.com,kkfm.com,levittownnow.com,lifeandstylemag.com,londonnewsonline.co.uk,manhuatop.org,marqueesportsnetwork.com,mensjournal.com,nikonrumors.com,ognsc.com,patriotfetch.com,pctechmag.com,prajwaldesai.com,pstribune.com,raspians.com,robinhoodnews.com,rok.guide,rsbnetwork.com,showbiz411.com,spokesman-recorder.com,sportsspectrum.com,stacyknows.com,supertotobet90.com,teksyndicate.com,thecatholictravelguide.com,thedefensepost.com,theoverclocker.com,therainbowtimesmass.com,thethaiger.com,theyucatantimes.com,tronweekly.com,ubuntu101.co.za,wakingtimes.com,washingtonmonthly.com,webscrypto.com,wgow.com,wgowam.com,wlevradio.com##.widget_media_image +palestinechronicle.com##.widget_media_image > a[href^="https://www.amazon.com/"] +cracked-games.org##.widget_metaslider_widget +washingtoncitypaper.com##.widget_newspack-ads-widget +nypost.com##.widget_nypost_dfp_ad_widget +nypost.com##.widget_nypost_vivid_concerts_widget +bitcoinist.com,newsbtc.com##.widget_premium_partners +twistedsifter.com##.widget_sifter_ad_bigbox_widget +985kissfm.net,bxr.com,catcountry951.com,nashfm1065.com,power923.com,wncv.com,wskz.com##.widget_simpleimage +mypunepulse.com,optimyz.com##.widget_smartslider3 +permanentstyle.com##.widget_sow-advertisements +acprimetime.com,androidpctv.com,brigantinenow.com,downbeachbuzz.com,thecatholictravelguide.com##.widget_sp_image +screenbinge.com,streamingrant.com##.widget_sp_image-image-link +gamertweak.com##.widget_srlzycxh +captainaltcoin.com,dailyboulder.com,freedesignresources.net,ripplecoinnews.com,utahgunexchange.com,webkinznewz.ganzworld.com,webpokie.com##.widget_text +nypost.com##.widget_text.no-mobile.box +tutorialink.com##.widget_ti_add_widget +carpeludum.com##.widget_widget_catchevolution_adwidget +cryptoreporter.info##.widget_wpstealthads_widget +techpout.com##.widget_xyz_insert_php_widget +ign.com##.wiki-bobble +wethegeek.com##.win +dailywire.com##.wisepops-block-image +gg.deals##.with-banner +windowsloop.com##.wl-prakatana +reuters.com##.workspace-article-banner__image__2Ibji +dictionary.com##.wotd-widget__ad +warontherocks.com##.wotr_top_lbjspot +guitaradvise.com##.wp-block-affiliate-plugin-lasso +thechainsaw.com##.wp-block-create-block-pedestrian-gam-ad-block +gamepur.com##.wp-block-dotesports-affiliate-button +dotesports.com,primagames.com##.wp-block-gamurs-ad +themarysue.com##.wp-block-gamurs-ad__creative +gearpatrol.com##.wp-block-gearpatrol-ad-slot +gearpatrol.com##.wp-block-gearpatrol-from-our-partners +gamingskool.com##.wp-block-group-is-layout-constrained +samehadaku.email##.wp-block-group-is-layout-constrained > [href] > img +independent.com##.wp-block-group__inner-container +cryptofeeds.news,defence-industry.eu,gamenguides.com,houstonherald.com,millennial-grind.com,survivopedia.com,teslaoracle.com##.wp-block-image +lowcarbtips.org##.wp-block-image.size-full +livability.com##.wp-block-jci-ad-area-two +bangordailynews.com,michigandaily.com##.wp-block-newspack-blocks-wp-block-newspack-ads-blocks-ad-unit +hyperallergic.com,repeatreplay.com,steamdeckhq.com##.wp-block-spacer +thewrap.com##.wp-block-the-wrap-ad +c19-worldnews.com##.wp-caption +biznews.com##.wp-image-1055350 +biznews.com##.wp-image-1055541 +strangesounds.org##.wp-image-281312 +rvguide.com##.wp-image-3611 +kiryuu.id##.wp-image-465340 +thecricketlounge.com##.wp-image-88221 +weisradio.com##.wp-image-931153 +appuals.com##.wp-timed-p-content +bevmalta.org,chromoscience.com,conandaily.com,gamersocialclub.ca,hawaiireporter.com,michaelsavage.com##.wpa +techyv.com##.wpb_raw_code +premiumtimesng.com##.wpb_raw_code > .wpb_wrapper +ukutabs.com##.wpb_raw_html +nationalfile.com##.wpb_wrapper > p +foottheball.com##.wpb_wrapper.td_block_wrap.vc_raw_html.tdi_46 +coralspringstalk.com##.wpbdp-listings-widget-list +tejanonation.net##.wpcnt +americanfreepress.net,sashares.co.za##.wppopups-whole +theregister.com##.wptl +fontawesome.com##.wrap-ad +warezload.net##.wrapper > center > center > [href] +memeburn.com,ventureburn.com##.wrapper--grey +hotnewhiphop.com##.wrapper-Desktop_Header +cspdailynews.com,restaurantbusinessonline.com##.wrapper-au-popup +paultan.org##.wrapper-footer +tftactics.gg##.wrapper-lb1 +webtoolhub.com##.wth_zad_text +forums.ventoy.net##.wwads-cn +waterfordwhispersnews.com##.wwn-ad-unit +geekflare.com##.x-article-818cc9d4 +beaumontenterprise.com,chron.com,ctpost.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,mrt.com,myjournalcourier.com,myplainview.com,mysanantonio.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,sfgate.com,stamfordadvocate.com,theintelligencer.com##.x100.bg-gray100 +beforeitsnews.com##.x1x2prx2lbnm +aupetitparieur.com##.x7zry3pb +mcpmag.com##.xContent +theseotools.net##.xd_top_box +livejournal.com##.xhtml_banner +dallasnews.com##.xl_right-rail +stopmandatoryvaccination.com##.xoxo +naturalblaze.com##.xtfaoba0u1 +seattlepi.com##.y100.package +mamieastuce.com##.y288crhb +coin360.com##.y49o7q +titantv.com##.yRDh6z2_d0DkfsT3 +247mirror.com,365economist.com,bridewired.com,dailybee.com,drgraduate.com,historictalk.com,mvpmode.com,parentmood.com,theecofeed.com,thefunpost.com,visualchase.com,wackojaco.com##.ya-slot +pravda.ru##.yaRtbBlock +yardbarker.com##.yb-card-ad +yardbarker.com##.yb-card-leaderboard +yardbarker.com##.yb-card-out +gamereactor.asia,gamereactor.cn,gamereactor.com.tr,gamereactor.cz,gamereactor.de,gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.fi,gamereactor.fr,gamereactor.gr,gamereactor.it,gamereactor.jp,gamereactor.kr,gamereactor.me,gamereactor.nl,gamereactor.no,gamereactor.pl,gamereactor.pt,gamereactor.se,gamereactor.vn##.yks300 +desmoinesregister.com##.ymHyVK__ymHyVK +shockwave.com##.ympb_target_banner +saltwire.com##.youtube_article_ad +yellowpages.co.za##.yp-object-ad-modal +readneverland.com##.z-0 +buzzly.art##.z-10.w-max +howstuffworks.com##.z-999 +culturemap.com##.z-ad +tekdeeps.com##.zAzfDBzdxq3 +ign.com,mashable.com,pcmag.com##.zad +windows101tricks.com##.zanui-container +techspot.com##.zenerr +antimusic.com##.zerg +pcmag.com##.zmgad-full-width +bellinghamherald.com,bnd.com,bradenton.com,centredaily.com,charlotteobserver.com,cleaner.com,cults3d.com,elnuevoherald.com,fresnobee.com,heraldonline.com,heraldsun.com,idahostatesman.com,islandpacket.com,kansas.com,kansascity.com,kentucky.com,ledger-enquirer.com,macon.com,mcclatchydc.com,mercedsunstar.com,miamiherald.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sacbee.com,sanluisobispo.com,star-telegram.com,sunherald.com,thenewstribune.com,theolympian.com,thestate.com,tri-cityherald.com,weekand.com##.zone +bellinghamherald.com##.zone-el +cleaner.com##.zone-sky +cnn.com##.zone__ads +marketscreener.com##.zppAds +11alive.com,12news.com,12newsnow.com,13newsnow.com,13wmaz.com,5newsonline.com,9news.com,abc10.com,abovethelaw.com,adelaidenow.com.au,adtmag.com,aero-news.net,airportia.com,aiscoop.com,americanprofile.com,ans.org,appleinsider.com,arazu.io,arstechnica.com,as.com,asianwiki.com,askmen.com,associationsnow.com,attheraces.com,autoevolution.com,autoguide.com,automation.com,autotrader.com.au,bab.la,barchart.com,bdnews24.com,beinsports.com,bgr.in,biometricupdate.com,boats.com,bobvila.com,booksourcemagazine.com,bostonglobe.com,bradleybraves.com,briskoda.net,btimesonline.com,businessdailyafrica.com,businessinsider.com,businesstech.co.za,businessworld.in,c21media.net,carcomplaints.com,cbc.ca,cbs19.tv,celebdigs.com,celebified.com,ch-aviation.com,chargedevs.com,chemistryworld.com,cnn.com,cnnphilippines.com,colourlovers.com,couriermail.com.au,cracked.com,createtv.com,crn.com,crossmap.com,crosswalk.com,cyberscoop.com,dailycaller.com,dailylobo.com,dailyparent.com,dailytarheel.com,dcist.com,dealnews.com,deccanherald.com,defenseone.com,defensescoop.com,discordbotlist.com,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dynamicwallpaper.club,earlygame.com,edmontonjournal.com,edscoop.com,elpais.com,emoji.gg,eurosport.com,excellence-mag.com,familydoctor.org,fanpop.com,fedscoop.com,femalefirst.co.uk,filehippo.com,filerox.com,finance.yahoo.com,firstcoastnews.com,flightglobal.com,flowermanga.net,fox6now.com,foxbusiness.com,foxnews.com,funeraltimes.com,fxnowcanada.ca,gamepressure.com,gamesadshopper.com,gayvegas.com,geelongadvertiser.com.au,gmanetwork.com,go.com,godtube.com,golfweather.com,gtplanet.net,heraldnet.com,heraldsun.com.au,hodinkee.com,homebeautiful.com.au,hoodline.com,huckmag.com,inc-aus.com,indiatvnews.com,infobyip.com,inhabitat.com,insider.com,interfax.com.ua,joc.com,jscompress.com,kagstv.com,kare11.com,kcentv.com,kens5.com,kgw.com,khou.com,kiiitv.com,king5.com,koreabang.com,kpopstarz.com,krem.com,ksdk.com,ktvb.com,kvue.com,lagom.nl,leaderpost.com,letsgodigital.org,lifezette.com,lonestarlive.com,looktothestars.org,m.famousfix.com,mangarockteam.com,marketwatch.com,maxpreps.com,mcpmag.com,minecraftmods.com,modernretail.co,monkeytype.com,motherjones.com,mprnews.org,mybroadband.co.za,myfox8.com,myfoxzone.com,mygaming.co.za,myrecipes.com,namibtimes.net,nejm.org,neowin.net,newbeauty.com,news.com.au,news.sky.com,newscentermaine.com,newsday.com,newstatesman.com,nymag.com,nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion,nzherald.co.nz,patch.com,patheos.com,pcgamesn.com,petfinder.com,picmix.com,planelogger.com,playsnake.org,playtictactoe.org,pokertube.com,politico.com,politico.eu,powernationtv.com,pressgazette.co.uk,proremodeler.com,quackit.com,ranker.com,ratemds.com,ratemyprofessors.com,redmondmag.com,refinery29.com,revolver.news,roadsideamerica.com,salisburypost.com,scholarlykitchen.sspnet.org,scworld.com,seattletimes.com,segmentnext.com,silive.com,simpledesktops.com,slickdeals.net,slippedisc.com,sltrib.com,smartcompany.com.au,softpedia.com,soranews24.com,spot.im,spryliving.com,statenews.com,statescoop.com,statscrop.com,straight.com,streetinsider.com,stv.tv,sundayworld.com,the-decoder.com,thecut.com,thedigitalfix.com,thedp.com,theeastafrican.co.ke,thefader.com,thefirearmblog.com,thegrocer.co.uk,themercury.com.au,theringreport.com,thestarphoenix.com,thv11.com,time.com,timeshighereducation.com,tntsports.co.uk,today.com,toonado.com,townhall.com,tracker.gg,tribalfootball.com,triblive.com,tripadvisor.*,tweaktown.com,ultimatespecs.com,ultiworld.com,uptodown.com,usmagazine.com,usnews.com,vancouversun.com,vogue.in,vulture.com,wamu.org,washingtonexaminer.com,washingtontimes.com,watzatsong.com,wbir.com,wcnc.com,wdhafm.com,weatheronline.co.uk,webestools.com,webmd.com,weeklytimesnow.com.au,wfaa.com,wfmynews2.com,wgnt.com,wgntv.com,wgrz.com,whas11.com,windsorstar.com,winnipegfreepress.com,wkyc.com,wltx.com,wnep.com,worthplaying.com,wqad.com,wral.com,wrif.com,wtsp.com,wusa9.com,wwltv.com,wzzm13.com,x17online.com,xatakaon.com,yorkpress.co.uk##.ad +wunderground.com##AD-TRIPLE-BOX +tjrwrestling.net##[ad-slot] +news12.com##[alignitems="normal"][justifycontent][direction="row"][gap="0"] +cloutgist.com,codesnse.com##[alt="AD DESCRIPTION"] +hubcloud.day##[alt="New-Banner"] +exchangerates.org.uk##[alt="banner"] +browardpalmbeach.com,dallasobserver.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##[apn-ad-hook] +gab.com##[aria-label*="Sponsored:"] +issuu.com##[aria-label="Advert"] +thepointsguy.com##[aria-label="Advertisement"] +foodlion.com##[aria-label="Sponsored Ad"] +wsj.com##[aria-label="Sponsored Offers"] +blackbeltmag.com##[aria-label="Wix Monetize with AdSense"] +giantfood.com,giantfoodstores.com,martinsfoods.com##[aria-label^="Sponsored"] +impressivetimes.com##[class$="-ads"] +economictimes.indiatimes.com##[class*="-ad-"] +thehansindia.com##[class*="-ad-"]:not(#inside_post_content_ad_1_before) +collegedunia.com##[class*="-ad-slot"] +80.lv##[class*="BrndigPrmo_"] +petco.com##[class*="SponsoredText"] +fotmob.com##[class*="TopBannerWrapper"] +jagranjosh.com##[class*="_AdColl_"] +jagranjosh.com##[class*="_BodyAd_"] +top.gg##[class*="__AdContainer-"] +everydaykoala.com,playjunkie.com##[class*="__adspot-title-container"] +everydaykoala.com,playjunkie.com##[class*="__adv-block"] +gamezop.com##[class*="_ad_container"] +cointelegraph.com,doodle.com##[class*="ad-slot"] +bmwblog.com##[class*="bmwbl-300x250"] +bmwblog.com##[class*="bmwbl-300x600"] +bitcoinist.com,captainaltcoin.com,cryptonews.com,cryptonewsz.com,cryptopotato.com,insidebitcoins.com,news.bitcoin.com,newsbtc.com,philnews.ph,watcher.guru##[class*="clickout-"] +manabadi.co.in##[class*="dsc-banner"] +startribune.com##[class*="htlad-"] +fullmatch.info##[class*="wp-image"] +douglas.at,douglas.be,douglas.ch,douglas.cz,douglas.de,douglas.es,douglas.hr,douglas.hu,douglas.it,douglas.lt,douglas.lv,douglas.nl,douglas.pl,douglas.pt,douglas.ro,douglas.si,douglas.sk,nocibe.fr##[class="cms-criteo"] +m.economictimes.com##[class="wdt-taboola"] +shoprite.com##[class^="CitrusBannerXContainer"] +bloomberg.com##[class^="FullWidthAd_"] +genius.com##[class^="InnerSectionAd__"] +genius.com##[class^="InreadContainer__"] +zerohedge.com##[class^="PromoButton"] +uploader.link##[class^="ads"] +nasdaq.com##[class^="ads_"] +nasdaq.com##[class^="btf_"] +weather.us##[class^="dkpw"] +dallasnews.com##[class^="dmnc_features-ads-"] +romhustler.org##[class^="leaderboard_ad"] +filmibeat.com##[class^="oiad"] +nofilmschool.com##[class^="rblad-nfs_content"] +thetimes.co.uk##[class^="responsive__InlineAdWrapper-"] +nagpurtoday.in##[class^="sgpb-"] +cmswire.com##[class^="styles_ad-block"] +cmswire.com##[class^="styles_article__text-ad"] +cmswire.com##[class^="styles_article__top-ad-wrapper"] +hancinema.net##[class^="wmls_"] +enostech.com##[class^="wp-image-41"] +torlock.com##[class^="wrn"] +mydramalist.com##[class^="zrsx_"] +newspointapp.com##[ctn-style] +flatpanelshd.com##[data-aa-adunit] +dribbble.com##[data-ad-data*="ad_link"] +petco.com##[data-ad-source] +androidauthority.com##[data-ad-type] +gamelevate.com##[data-adpath] +coingecko.com##[data-ads-target="banner"] +builtbybit.com##[data-advertisement-id] +timesofindia.indiatimes.com##[data-aff-type] +czechtheworld.com##[data-affiliate] +thesun.co.uk##[data-aspc="newBILL"] +walmart.ca##[data-automation="flipkartDisplayAds"] +jobstreet.com.sg##[data-automation="homepage-banner-ads"] +jobstreet.com.sg##[data-automation="homepage-marketing-banner-ads"] +newshub.co.nz##[data-belt-widget] +groupon.com##[data-bhc$="sponsored_carousel"] +costco.com##[data-bi-placement="Criteo_Home_Espot"] +costco.ca##[data-bi-placement="Criteo_Product_Display_Page_Espot"] +privacywall.org##[data-bingads-suffix] +chron.com,seattlepi.com,sfchronicle.com,timesunion.com##[data-block-type="ad"] +chewy.com##[data-carousel-id="plp_sponsored_brand"] +theblaze.com##[data-category="SPONSORED"] +autotrader.com##[data-cmp="alphaShowcase"] +gab.com##[data-comment="gab-ad-comment"] +sephora.com##[data-comp*="RMNCarousel"] +sephora.com##[data-comp*="RmnBanner"] +bbc.com##[data-component="ad-slot"] +bloomberg.com##[data-component="in-body-ad"] +lookfantastic.com##[data-component="sponsoredProductsCriteo"] +vox.com##[data-concert="leaderboard_top_tablet_desktop"] +vox.com##[data-concert="outbrain_post_tablet_and_desktop"] +curbed.com##[data-concert="prelude"] +vox.com##[data-concert="tablet_leaderboard"] +polygon.com##[data-concert] +timesofindia.indiatimes.com##[data-contentprimestatus] +coingecko.com##[data-controller="button-ads"] +hedgefollow.com##[data-dee_type^="large_banner"] +digitalspy.com##[data-embed="embed-gallery"][data-node-id] +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##[data-empty] +badgerandblade.com,ginx.tv##[data-ez-ph-id] +news.sky.com##[data-format="leaderboard"] +cumbriacrack.com,euromaidanpress.com##[data-hbwrap] +dannydutch.com,tvzoneuk.com##[data-hook="HtmlComponent"] +blackbeltmag.com##[data-hook="bgLayers"] +hackster.io##[data-hypernova-key="ModularAd"] +clevelandclinic.org##[data-identity*="billboard-ad"] +clevelandclinic.org##[data-identity="leaderboard-ad"] +motortrend.com##[data-ids="AdContainer"] +igraal.com##[data-ig-ga-cat="Ad"] +jeffdornik.com##[data-image-info] +phoneia.com##[data-index] +dailymail.co.uk##[data-is-sponsored="true"] +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##[data-layout="ad"] +motor1.com##[data-m1-ad-label] +cnet.com##[data-meta="placeholder-slot"] +lightnovelcave.com,lightnovelpub.com##[data-mobid] +independent.co.uk##[data-mpu1] +goal.com##[data-name="ad-leaderboard"] +polygon.com##[data-native-ad-id^="container"] +helpnetsecurity.com##[data-origin][style] +greenbaycrimereports.com##[data-original-width="820"] +jeffdornik.com##[data-pin-url] +extremetech.com##[data-pogo="sidebar"] +mashable.com##[data-pogo="top"] +gumtree.com##[data-q="section-middle"] > div[style^="display:grid;margin"] +scmp.com##[data-qa="AppBar-renderLayout-AdSlotContainer"] +scmp.com##[data-qa="ArticleContentRightSection-AdSlot"] +washingtonpost.com##[data-qa="article-body-ad"] +washingtonpost.com##[data-qa="right-rail-ad"] +ginx.tv##[data-ref] +euroweeklynews.com##[data-revive-zoneid] +chemistwarehouse.com.au##[data-rm-beacon-state] +disqus.com##[data-role="ad-content"] +news.sky.com##[data-role="ad-label"] +olympics.com##[data-row-type="custom-row-adv"] +timesofindia.indiatimes.com##[data-scrollga="spotlight_banner_widget"] +trakt.tv##[data-snigel-id] +amp.theguardian.com##[data-sort-time="1"] +timesofindia.indiatimes.com##[data-sp-click="stpPgtn(event)"] +theinertia.com##[data-spotim-module="tag-tester"] +vrbo.com##[data-stid="meso-ad"] +etherscan.io##[data-t8xt5pt6kr-seq="0"] +si.com##[data-target="ad"] +coingecko.com##[data-target="ads.banner"] +the-express.com##[data-tb-non-consent] +drivencarguide.co.nz##[data-test-ui="outbrain-suggestions"] +woot.com##[data-test-ui^="advertisementLeaderboard"] +target.com##[data-test="featuredProducts"] +zillow.com##[data-test="search-list-first-ad"] +target.com##[data-test="sponsored-text"] +reuters.com##[data-testid="CnxPlayer"] +reuters.com##[data-testid="Leaderboard"] +topgear.com##[data-testid="MpuPremium1"] +topgear.com##[data-testid="MpuPremium1Single"] +topgear.com##[data-testid="MpuPremium2"] +topgear.com##[data-testid="MpuPremium2Single"] +reuters.com##[data-testid="ResponsiveAdSlot"] +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##[data-testid="StandardAd"] +topgear.com##[data-testid="TopSlot"] +bleacherreport.com,coles.com.au##[data-testid="ad"] +kijiji.ca##[data-testid="adsense-container"] +gozofinder.com##[data-testid="advert"] +coles.com.au##[data-testid="banner-container-desktop"] +walmart.ca,walmart.com##[data-testid="carousel-ad"] +petco.com##[data-testid="citrus-widget"] +argos.co.uk##[data-testid="citrus_products-carousel"] +theweathernetwork.com##[data-testid="content-feed-ad-slot"] +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##[data-testid="driver"] +washingtonpost.com##[data-testid="fixed-bottom-ad"] +sbs.com.au##[data-testid="hbs-widget-skeleton"] +theweathernetwork.com##[data-testid="header-ad-content"] +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##[data-testid="header-leaderboard"] +forbes.com##[data-testid="locked-top-ad-container"] +imdb.com##[data-testid="media-sheet__attr-banner"] +you.com##[data-testid="microsoft-ads"] +washingtonpost.com##[data-testid="outbrain"] +sportingnews.com##[data-testid="outbrain-block"] +washingtonpost.com##[data-testid="placeholder-box"] +theweathernetwork.com##[data-testid="pre-ad-text"] +abcnews.go.com##[data-testid="prism-sticky-ad"] +zillow.com##[data-testid="right-rail-ad"] +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##[data-testid="sponsored-bar"] +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##[data-testid="spr-brd-banner"] +therealdeal.com##[data-testid="test-div-id-for-pushdown"] +game8.co##[data-track-nier-keyword="footer_overlay_ads"] +money.com##[data-trk-company="rocket-mortgage-review"] +goal.com##[data-type="AdComponent"] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##[data-type="AdRowBillboard"] +search.brave.com,thesportsrush.com##[data-type="ad"] +dictionary.com##[data-type="ad-horizontal-module"] +gadgetsnow.com##[data-type="mtf"] +forum.ragezone.com##[data-widget-key="widget_partners"] +petco.com##[data-widget-type="citrus-ad"] +petco.com##[data-widget-type="citrus-banner"] +petco.com##[data-widget-type^="rmn-"] +theautopian.com##[data-widget_type="html.default"] +namepros.com##[data-xf-init][data-tag] +cnn.com##[data-zone-label="Paid Partner Content"] +faroutmagazine.co.uk,hitc.com##[dock="#primis-dock-slot"] +browardpalmbeach.com,citybeat.com,leoweekly.com,metrotimes.com##[gpt-slot-config-id] +citybeat.com,leoweekly.com,metrotimes.com,riverfronttimes.com##[gpt-slot-div-id] +dailynews.lk,fxempire.com,german-way.com,londonnewsonline.co.uk,power987.co.za,qsaltlake.com,tfetimes.com##[height="250"] +ciiradio.com,hapskorea.com,thetruthwins.com##[height="300"] +namepros.com,pointblanknews.com,sharktankblog.com##[height="60"] +cdmediaworld.com,cryptofeeds.news,fxempire.com,gametarget.net,lnkworld.com,power987.co.za##[height="600"] +bankbazaar.com##[height="80"] +1001tracklists.com,airplaydirect.com,bankbazaar.com,cultofcalcio.com,dailynews.lk,economicconfidential.com,eve-search.com,lyngsat.com,newzimbabwe.com,opednews.com,roadtester.com.au,runechat.com,tfetimes.com,therainbowtimesmass.com##[height="90"] +tokopedia.com##[href$="src=topads"] +yourbittorrent.com##[href*="%20"][href$=".html"] +photopea.com##[href*=".ivank.net"] +nzbstars.com,upload.ee##[href*=".php"] +complaintsingapore.com##[href*="/adv.php"] +utahgunexchange.com##[href*="/click.track"] +thepiratebay.org##[href*="/redirect?tid="] +libtorrent.org,mailgen.biz,speedcheck.org,torrentfreak.com,tubeoffline.com,utorrent.com##[href*="://go.nordvpn.net/"] +auto.creavite.co##[href*="?aff="] +auto.creavite.co##[href*="?utm_medium=ads"] +gamecopyworld.com,gamecopyworld.eu##[href*="@"] +cnx-software.com##[href*="aliexpress.com/item/"] +steroid.com##[href*="anabolics.com"] +cnx-software.com##[href*="banner"] +9jaflaver.com,alaskapublic.org,allkeyshop.com,analyticsinsight.net,ancient-origins.net,animeidhentai.com,arabtimesonline.com,asura.gg,biblestudytools.com,bitcoinworld.co.in,christianity.com,cnx-software.com,coingolive.com,csstats.gg,digitallydownloaded.net,digitbin.com,domaingang.com,downturk.net,fresherslive.com,gizmochina.com,glitched.online,glodls.to,guidedhacking.com,hackernoon.com,hubcloud.day,indishare.org,kaas.am,katfile.com,khmertimeskh.com,litecoin-faucet.com,mbauniverse.com,mediaite.com,mgnetu.com,myreadingmanga.info,newsfirst.lk,nexter.org,owaahh.com,parkablogs.com,pastemytxt.com,premiumtimesng.com,railcolornews.com,resultuniraj.co.in,retail.org.nz,ripplesnigeria.com,rtvonline.com,ryuugames.com,sashares.co.za,sofascore.com,thinknews.com.ng,timesuganda.com,totemtattoo.com,trancentral.tv,vumafm.co.za,yugatech.com,zmescience.com##[href*="bit.ly/"] +beforeitsnews.com,in5d.com,mytruthnews.com,thetruedefender.com##[href*="hop.clickbank.net"] +cnx-software.com##[href*="url2.cnx-software.com/"] +cnx-software.com##[href*="url3.cnx-software.com/"] +linuxlookup.com##[href="/advertising"] +audiobookbay.is##[href="/ddeaatr"] +mywaifulist.moe##[href="/nord"] +whatsmyreferer.com##[href="http://fakereferer.com"] +whatsmyreferer.com##[href="http://fakethereferer.com"] +toumpano.net##[href="http://roz-tilefona.xbomb.net/"] +warfarehistorynetwork.com##[href="http://www.bktravel.com/"] +daijiworld.com##[href="http://www.expertclasses.org/"] +gametracker.com##[href="http://www.gameservers.com"] +allnewspipeline.com##[href="http://www.sqmetals.com/"] +bitcoiner.tv##[href="https://bitcoiner.tv/buy-btc.php"] +cracked.io##[href="https://cutt.ly/U7s7Wu8"] +spys.one##[href="https://fineproxy.org/ru/"] +freedomfirstnetwork.com##[href="https://freedomfirstcoffee.com"] +summit.news##[href="https://infowarsstore.com/"] +americafirstreport.com##[href="https://jdrucker.com/ira"] +julieroys.com##[href="https://julieroys.com/restore"] +hightimes.com##[href="https://leafwell.com"] +conservativeplaybook.com##[href="https://ourgoldguy.com/contact/"] +davidwalsh.name##[href="https://requestmetrics.com/"] +unknowncheats.me##[href="https://securecheats.com/"] +slaynews.com##[href="https://slaynews.com/ads/"] +cracked.io##[href="https://sweet-accounts.com"] +multimovies.bond##[href="https://telegram.me/multilootdeals"] +complaintsingapore.com##[href="https://thechillipadi.com/"] +photorumors.com##[href="https://topazlabs.com/ref/70/"] +bleepingcomputer.com##[href="https://try.flare.io/bleeping-computer/"] +uncrate.com##[href="https://un.cr/advertise"] +walletinvestor.com##[href="https://walletinvestor.com/u/gnrATE"] +duplichecker.com##[href="https://www.duplichecker.com/gcl"] +wikifeet.com##[href="https://www.feetfix.com"] +barrettsportsmedia.com##[href="https://www.jimcutler.com"] +10minutemail.com##[href="https://www.remove-metadata.com"] +jagoroniya.com##[href="https://www.virtuanic.com/"] +cnx-software.com##[href="https://www.youyeetoo.com/"] +wplocker.com##[href^="//namecheap.pxf.io/"] +mediafire.com##[href^="//static.mediafire.com/dynamic/af_link.php"] +unogs.com##[href^="/ad/"] +vikingfile.com##[href^="/fast-download/"] +ar15.com##[href^="/forums/transfers.html"] +notbanksyforum.com,pooletown.co.uk,tossinggames.com,urbanartassociation.com##[href^="http://redirect.viglink.com"] +eevblog.com##[href^="http://s.click.aliexpress.com/"] +learn-cpp.org##[href^="http://www.spoj.com/"] +scribd.vpdfs.com##[href^="https://accounts.binance.com"] +windows-noob.com##[href^="https://adaptiva.com/"] +open.spotify.com##[href^="https://adclick.g.doubleclick.net/"] +topfiveforex.com##[href^="https://affiliate.iqoption.com/"] +brighteon.com##[href^="https://ams.brighteon.com/"] +lilymanga.com,orschlurch.net,photorumors.com,shenisha.substack.com##[href^="https://amzn.to/"] +fmovies24.to##[href^="https://anix.to/"] +cloutgist.com,codesnse.com##[href^="https://app.adjust.com/"] +aitextpromptgenerator.com##[href^="https://app.getsitepop.com/"] +wiki.gg##[href^="https://app.wiki.gg/showcase/"] +topfiveforex.com##[href^="https://betfury.io/"] +seganerds.com##[href^="https://betway.com/"] +greatandhra.com,kitploit.com,moviedokan.lol##[href^="https://bit.ly/"] img +coingolive.com##[href^="https://bitpreco.com/"] +analyticsindiamag.com##[href^="https://business.louisville.edu/"] +50gameslike.com,highdemandskills.com,yumyumnews.com##[href^="https://click.linksynergy.com/"] +learn-cpp.org##[href^="https://codingforkids.io"] +parametric-architecture.com##[href^="https://enscape3d.com/"] +yourstory.com##[href^="https://form.jotform.com/"] +limetorrents.ninjaproxy1.com##[href^="https://gamestoday.org/"] +ahaan.co.uk,emailnator.com,myip.is,scrolller.com,whereto.stream##[href^="https://go.nordvpn.net/"] +everybithelps.io##[href^="https://hi.switchy.io/"] +imagetwist.com##[href^="https://imagetwist.com/pxt/"] +topfiveforex.com##[href^="https://iqoption.com/"] +romsfun.org##[href^="https://kovcifra.click/"] +theburningplatform.com##[href^="https://libertasbella.com/collections/"] +topfiveforex.com##[href^="https://luckyfish.io/"] +crypto-news-flash.com##[href^="https://mollars.com/"] +abovetopsecret.com,thelibertydaily.com##[href^="https://mypatriotsupply.com/"] +topfiveforex.com##[href^="https://olymptrade.com/"] +topfiveforex.com##[href^="https://omibet.io/"] +windows-noob.com##[href^="https://patchmypc.com/"] +unknowncheats.me##[href^="https://proxy-seller.com/"] +multi.xxx##[href^="https://prtord.com/"] +cryptonews.com##[href^="https://rapi.cryptonews.com/"] +tcbscans.com##[href^="https://readcbr.com/"] +rlsbb.cc##[href^="https://rlsbb.cc/link.php"] +rlsbb.ru##[href^="https://rlsbb.ru/link.php"] +everybithelps.io##[href^="https://shop.ledger.com/"] +all-free-download.com##[href^="https://shutterstock.7eer.net/c/"] img +yts.mx##[href^="https://stARtgAMinG.net/"] +terraria.wiki.gg##[href^="https://store.steampowered.com/app/"] +brighteon.com##[href^="https://support.brighteon.com/"] +beforeitsnews.com,highshortinterest.com##[href^="https://tinyurl.com/"] +tripsonabbeyroad.com##[href^="https://tp.media/"] +minidl.org##[href^="https://uploadgig.com/premium/index/"] +wikifeet.com##[href^="https://vip.stakeclick.com/"] +cracked.io##[href^="https://vshield.com/"] +cnx-software.com##[href^="https://www.aliexpress.com/"] +spectator.org,thespoken.cc##[href^="https://www.amazon.com/"] +mailshub.in##[href^="https://www.amazon.in/"] +cnx-software.com##[href^="https://www.armdesigner.com/"] +businessonhome.com##[href^="https://www.binance.com/en/register?ref="] +bleepingcomputer.com##[href^="https://www.bleepingcomputer.com/go/"] +health.news,naturalnews.com,newstarget.com##[href^="https://www.brighteon.tv"] +work.ink##[href^="https://www.buff.game/buff-download/"] +seganerds.com##[href^="https://www.canadacasino.ca/"] +onecompiler.com##[href^="https://www.datawars.io"] +ratemycourses.io##[href^="https://www.essaypal.ai"] +seganerds.com##[href^="https://www.ewinracing.com/"] +crackwatcher.com##[href^="https://www.kinguin.net"] +gamecopyworld.com,gamecopyworld.eu##[href^="https://www.kinguin.net/"] +defenseworld.net##[href^="https://www.marketbeat.com/scripts/redirect.aspx"] +weberblog.net##[href^="https://www.neox-networks.com/"] +newstarget.com##[href^="https://www.newstarget.com/ARF/"] +how2electronics.com##[href^="https://www.nextpcb.com/"] +ownedcore.com##[href^="https://www.ownedcore.com/forums/cb.php"] +how2electronics.com##[href^="https://www.pcbway.com/"] +news.itsfoss.com##[href^="https://www.pikapods.com/"] +hivetoon.com##[href^="https://www.polybuzz.ai/"] +bikeroar.com##[href^="https://www.roaradventures.com/"] +searchcommander.com##[href^="https://www.searchcommander.com/rec/"] +shroomery.org##[href^="https://www.shroomery.org/ads/"] +censored.news,newstarget.com##[href^="https://www.survivalnutrition.com"] +swimcompetitive.com##[href^="https://www.swimoutlet.com/"] +screenshot-media.com##[href^="https://www.tryamazonmusic.com/"] +protrumpnews.com##[href^="https://www.twc.health/"] +ultimate-guitar.com##[href^="https://www.ultimate-guitar.com/send?ug_from=redirect"] +upload.ee##[href^="https://www.upload.ee/click.php"] +gametracker.com##[href^="https://www.vultr.com/"] +wakingtimes.com##[href^="https://www.wendymyersdetox.com/"] +musicbusinessworldwide.com##[href^="https://wynstarks.lnk.to/"] +cars.com##[id$="-sponsored"] +lolalytics.com##[id$=":inline"] +80.lv##[id*="Image_bnnr"] +homedepot.com##[id*="sponsored"] +producebluebook.com##[id^="BBS"] +ldoceonline.com##[id^="ad_contentslot"] +bestbuy.ca,bestbuy.com##[id^="atwb-ninja-carousel"] +beforeitsnews.com##[id^="banners_"] +pluggedingolf.com##[id^="black-studio-tinymce-"] +shipt.com##[id^="cms-ad_banner"] +hola.com##[id^="div-hola-slot-"] +designtaxi.com##[id^="dt-small-"] +skyblock.bz##[id^="flips-"] +getcomics.org##[id^="getco-"] +eatthis.com##[id^="gm_karmaadunit_widget"] +designtaxi.com##[id^="in-news-link-"] +komando.com##[id^="leaderboardAdDiv"] +comicbook.com,popculture.com##[id^="native-plus-"] +dailydooh.com##[id^="rectdiv"] +daily-choices.com##[id^="sticky_"] +wuxiaworld.site##[id^="wuxia-"] +grabcad.com##[ng-if="model.asense"] +buzzheavier.com##[onclick="downloadAd()"] +survivopedia.com##[onclick="recordClick("] +timesofindia.indiatimes.com##[onclick="stpPgtn(event)"] +filecrypt.cc,filecrypt.co##[onclick^="var lj"] +transfermarkt.co.uk##[referrerpolicy] +appleinsider.com,dappradar.com,euroweeklynews.com,metro.co.uk,sitepoint.com,tld-list.com,twitch-tools.rootonline.de,wccftech.com##[rel*="sponsored"] +warecracks.com,websiteoutlook.com##[rel="nofollow"] +myanimelist.net##[src*="/c/img/images/event/"] +audioz.download##[src*="/promo/"] +transfermarkt.com##[src*="https://www.transfermarkt.com/image/"] +wallpaperaccess.com##[src="/continue.png"] +audiobookbay.is##[src="/images/d-t.gif"] +audiobookbay.is##[src="/images/dire.gif"] +webcamtests.com##[src^="/MyShowroom/view.php?medium="] +linuxtopia.org##[src^="/includes/index.php/?img="] +academictorrents.com##[src^="/pic/sponsors/"] +exportfromnigeria.info##[src^="http://storage.proboards.com/"] +exportfromnigeria.info##[src^="http://storage2.proboards.com/"] +infotel.ca##[src^="https://infotel.ca/absolutebm/"] +exportfromnigeria.info##[src^="https://storage.proboards.com/"] +exportfromnigeria.info##[src^="https://storage2.proboards.com/"] +buzzly.art##[src^="https://submissions.buzzly.art/CANDY/"] +nesmaps.com##[src^="images/ads/"] +manhwabtt.com,tennismajors.com##[style$="min-height: 250px;"] +livejournal.com##[style$="width: 300px;"] +circleid.com##[style*="300px;"] +circleid.com##[style*="995px;"] +news.abs-cbn.com##[style*="background-color: rgb(236, 237, 239)"] +tetris.com##[style*="min-width: 300px;"] +tetris.com##[style*="min-width: 728px;"] +coolors.co##[style*="position:absolute;top:20px;"] +4anime.gg,apkmody.io,bollyflix.nexus,bravoporn.com,dramacool.sr,gogoanime.co.in,gogoanime.run,harimanga.com,hdmovie2.rest,himovies.to,hurawatch.cc,instamod.co,leercapitulo.com,linksly.co,mangadna.com,manhwadesu.bio,messitv.net,miraculous.to,movies-watch.com.pk,moviesmod.zip,nkiri.com,prmovies.dog,putlockers.li,sockshare.ac,ssoap2day.to,sukidesuost.info,tamilyogi.bike,waploaded.com,watchomovies.net,y-2mate.com,yomovies.team,ytmp3.cc,yts-subs.com##[style*="width: 100% !important;"] +news.abs-cbn.com##[style*="width:100%;min-height:300px;"] +upmovies.net##[style*="z-index: 2147483647"] +shotcut.org##[style="background-color: #fff; padding: 6px; text-align: center"] +realitytvworld.com##[style="background-color: white; background: white"] +coin360.com##[style="display:flex;justify-content:center;align-items:center;min-height:100px;position:relative"] +guides.wp-bullet.com##[style="height: 288px;"] +forum.lowyat.net##[style="height:120px;padding:10px 0;"] +imagecolorpicker.com##[style="height:250px"] +forum.lowyat.net##[style="height:250px;padding:5px 0 5px 0;"] +tenforums.com##[style="height:280px;"] +kingmodapk.net##[style="height:300px"] +geekzone.co.nz##[style="height:90px"] +cycleexif.com,thespoken.cc##[style="margin-bottom: 25px;"] +realitytvworld.com##[style="margin: 5px 0px 5px; display: inline-block; text-align: center; height: 250;"] +gpfans.com##[style="margin:10px auto 10px auto; text-align:center; width:100%; overflow:hidden; min-height: 250px;"] +scamrate.com##[style="max-width: 728px;"] +timesnownews.com##[style="min-height: 181px;"] +namemc.com##[style="min-height: 238px"] +africam.com##[style="min-height: 250px;"] +waifu2x.net##[style="min-height: 270px; margin: 1em"] +phys.org##[style="min-height: 601px;"] +africam.com,open3dlab.com##[style="min-height: 90px;"] +calendar-uk.co.uk,theartnewspaper.com,wahm.com##[style="min-height:250px;"] +ntd.com##[style="min-height:266px"] +ntd.com##[style="min-height:296px"] +edgegamers.com##[style="padding-bottom:10px;height:90px;"] +dvdsreleasedates.com##[style="padding:15px 0 15px 0;width:728px;height:90px;text-align:center;"] +himovies.sx##[style="text-align: center; margin-bottom: 20px; margin-top: 20px;"] +analyticsinsight.net##[style="text-align: center;"] +kreationnext.com##[style="text-align:center"] +forum.nasaspaceflight.com##[style="text-align:center; margin-bottom:30px;"] +deviantart.com##[style="width: 308px; height: 316px;"] +waifu2x.net##[style="width: 90%;height:120px"] +law360.com##[style="width:100%;display:flex;justify-content:center;background-color:rgb(247, 247, 247);flex-direction:column;"] +newagebd.net##[style^="float:left; width:320px;"] +decrypt.co##[style^="min-width: 728px;"] +perchance.org##[style^="position: fixed;"] +filmdaily.co,gelbooru.com,integral-calculator.com,passiveaggressivenotes.com,twcenter.net##[style^="width: 728px;"] +alphacoders.com##[style^="width:980px; height:280px;"] +gametracker.com##[style^="width:980px; height:48px"] +mrchecker.net##[target="_blank"] +myfitnesspal.com##[title*="Ad"] +balls.ie##[type="doubleclick"] +kiryuu.id##[width="1280"] +fansshare.com##[width="300"] +cdmediaworld.com,flashx.cc,flashx.co,forum.gsmhosting.com,gametarget.net,jeepforum.com,lnkworld.com,themediaonline.co.za,topprepperwebsites.com##[width="468"] +americanfreepress.net,analyticsindiamag.com,namepros.com,readneverland.com##[width="600"] +drwealth.com##[width="640"] +americaoutloud.com,analyticsindiamag.com,artificialintelligence-news.com,autoaction.com.au,cryptoreporter.info,dafont.com,developer-tech.com,forexmt4indicators.com,gamblingnewsmagazine.com,godradio1.com,irishcatholic.com,runnerstribe.com,tntribune.com,tryorthokeys.com##[width="728"] +elitepvpers.com##[width="729"] +elitepvpers.com##[width="966"] +presearch.com##[x-data*="kwrdAdFirst"] +mobiforge.com##a > img[alt="Ad"] +eztv.tf,eztv.yt##a > img[alt="Anonymous Download"] +designtaxi.com##a.a-click[target="_blank"] +cript.to##a.btn[target="_blank"][href^="https://cript.to/"] +infowars.com##a.css-1yw960t +darkreader.org##a.logo-link[target="_blank"] +hulkshare.com##a.nhsIndexPromoteBlock +steam.design##a.profile_video[href^="https://duobot.com/"] +marinelink.com##a.sponsored +cults3d.com##a.tbox-thumb[href^="https://jlc3dp.com/"] +cults3d.com##a.tbox-thumb[href^="https://shrsl.com/"] +cults3d.com##a.tbox-thumb[href^="https://us.store.flsun3d.com/"] +cults3d.com##a.tbox-thumb[href^="https://www.kickstarter.com/"] +cults3d.com##a.tbox-thumb[href^="https://www.sunlu.com/"] +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[ajaxify*="&eid="] + a[href^="https://l.facebook.com/l.php?u="] +newstalkflorida.com##a[alt="Ad"] +moviekhhd.biz##a[alt="Sponsor Ads"] +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[aria-label="Advertiser link"] +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[aria-label="Advertiser"] +alibaba.com##a[campaignid][target="_blank"] +bernama.com##a[class^="banner_photo_"] +probuilds.net##a[class^="dl-blitz-"] +trakt.tv##a[class^="hu-ck-s-t-er-"][target="_blank"] +iconfinder.com##a[data-tracking^="iStock"] +sashares.co.za##a[data-wpel-link="external"] +pinterest.at,pinterest.ca,pinterest.ch,pinterest.co.uk,pinterest.com,pinterest.com.au,pinterest.com.mx,pinterest.de,pinterest.es,pinterest.fr,pinterest.it,pinterest.pt##a[href*="&epik="] +imgpile.com,linuxjournal.com,threatpost.com##a[href*="&utm_campaign="] +hitbullseye.com##a[href*="&utm_medium="] +walmart.ca##a[href*=".criteo.com/"] +chicagoprowrestling.com##a[href*="//thecmf.com/"] > img +chicagoprowrestling.com##a[href*="//www.aliciashouse.org/"] > img +pcgamestorrents.com##a[href*="/gameadult/"] +breakingbelizenews.com,cardealermagazine.co.uk,headfonics.com,igorslab.de,landline.media,mikesmoneytalks.ca,sundayworld.co.za,theroanokestar.com,visualcapitalist.com##a[href*="/linkout/"] +movie-censorship.com##a[href*="/out.php?"] +imagetwist.com##a[href*="/par/"] +pnn.ps##a[href*="/partners/"] +civilserviceindia.com##a[href*="/red.php?bu="] +amsterdamnews.com,sundayworld.co.za,universityaffairs.ca##a[href*="/sponsored-content/"] +biznews.com,burnabynow.com,businessdailyafrica.com,coastreporter.net,financialexpress.com,irishtimes.com,komonews.com,newwestrecord.ca,nsnews.com,prpeak.com,richmond-news.com,spokesman.com##a[href*="/sponsored/"] +distrowatch.com##a[href*="3cx.com"] +97rock.com,wedg.com##a[href*="716jobfair.com"] +cript.to##a[href*="8stream-ai.com"] +uploadrar.com##a[href*="?"][target="_blank"] +pc-games.eu.org##a[href*="https://abandonelp.store"] +filefleck.com,haxnode.net,sadeempc.com,upload4earn.org,usersdrive.com##a[href*="javascript:"] +twitter.com,x.com##a[href*="src=promoted_trend_click"] +twitter.com,x.com##a[href*="src=promoted_trend_click"] + div +coolors.co##a[href*="srv.Buysellads.com"] +unitconversion.org##a[href="../noads.html"] +osradar.com##a[href="http://insiderapps.com/"] +dailyuploads.net##a[href="https://aptoze.com/"] +tpb.party##a[href="https://mysurferprotector.com/"] +smalldev.tools##a[href="https://sendit.arcana.network"] +pc-games.eu.org##a[href="javascript:void(0)"] +igg-games.com,pcgamestorrents.com##a[href][aria-label=""], [width="300"][height^="25"], [width="660"][height^="8"], [width="660"][height^="7"] +techporn.ph##a[href][target*="blank"] +rarbgaccess.org,rarbgmirror.com,rarbgmirror.org,rarbgproxy.com,rarbgproxy.org,rarbgunblock.com,rarbgunblocked.org##a[href][target="_blank"] > button +tractorbynet.com##a[href][target="_blank"] > img[class^="attachment-large"] +codapedia.com##a[href^="/ad-click.cfm"] +bestoftelegram.com##a[href^="/ads/banner_ads?"] +graphic.com.gh##a[href^="/adverts/"] +audiobookbay.is##a[href^="/dl-14-days-trial"] +kickasstorrents.to##a[href^="/download/"] +kinox.lat##a[href^="/engine/player.php"] +torrentgalaxy.to##a[href^="/hx?"] +limetorrents.lol##a[href^="/leet/"] +pcgamestorrents.com##a[href^="/offernf"] +tehrantimes.com##a[href^="/redirect/ads/"] +xbox-hq.com##a[href^="banners.php?"] +iamdisappoint.com,shitbrix.com,tattoofailure.com##a[href^="http://goo.gl/"] +notbanksyforum.com##a[href^="http://l-13.org/"] +wjbc.com##a[href^="http://sweetdeals.com/bloomington/deals"] +notbanksyforum.com##a[href^="http://www.ebay.co.uk/usr/heartresearchuk_shop/"] +1280wnam.com##a[href^="http://www.milwaukeezoo.org/visit/animals/"] +2x4u.de##a[href^="http://www.myfreecams.com/?baf="] +rpg.net##a[href^="http://www.rpg.net/ads/"] +warm98.com##a[href^="http://www.salvationarmycincinnati.org"] +tundraheadquarters.com##a[href^="http://www.tkqlhce.com/"] +shareae.com##a[href^="https://aejuice.com/"] +coincarp.com##a[href^="https://bcgame.sk/"] +downloadhub.ltd##a[href^="https://bestbuyrdp.com/"] +detectiveconanworld.com##a[href^="https://brave.com/"] +broadwayworld.com##a[href^="https://cloud.broadwayworld.com/rec/ticketclick.cfm"] +cript.to##a[href^="https://cript.to/goto/"] +cript.to##a[href^="https://cript.to/link/"][href*="?token="] +sythe.org##a[href^="https://discord.gg/dmwatch"] +moddroid.co##a[href^="https://doodoo.love/"] +pluggedingolf.com##a[href^="https://edisonwedges.com/"] +files.im##a[href^="https://galaxyroms.net/?scr="] +egamersworld.com##a[href^="https://geni.us/"] +warm98.com##a[href^="https://giving.cincinnatichildrens.org/donate"] +disasterscans.com##a[href^="https://go.onelink.me/"] +forkast.news##a[href^="https://h5.whalefin.com/landing2/"] +fileditch.com##a[href^="https://hostslick.com/"] +douploads.net##a[href^="https://href.li/?"] +embed.listcorp.com##a[href^="https://j.moomoo.com/"] +disasterscans.com##a[href^="https://martialscanssoulland.onelink.me/"] +metager.org##a[href^="https://metager.org"][href*="/partner/r?"] +dailyuploads.net##a[href^="https://ninjapcsoft.com/"] +emalm.com##a[href^="https://offer.alibaba.com/"] +101thefox.net,957thevibe.com##a[href^="https://parisicoffee.com/"] +blix.gg##a[href^="https://partnerbcgame.com/"] +nyaa.land##a[href^="https://privateiptvaccess.com"] +metager.org##a[href^="https://r.search.yahoo.com/"] +nosubjectlosangeles.com,richardvigilantebooks.com##a[href^="https://rebrand.ly/"] +disasterscans.com##a[href^="https://recall-email.onelink.me/"] +narkive.com##a[href^="https://rfnm.io/?"] +cnx-software.com##a[href^="https://rock.sh/"] +emalm.com,linkdecode.com,up-4ever.net##a[href^="https://s.click.aliexpress.com/"] +997wpro.com##a[href^="https://seascapeinc.com/"] +cointelegraph.com##a[href^="https://servedbyadbutler.com/"] +listland.com##a[href^="https://shareasale.com/r.cfm?"] +wbnq.com,wbwn.com,wjbc.com##a[href^="https://stjude.org/radio/"] +glory985.com##a[href^="https://sweetbidsflo.irauctions.com/listing/0"] +veev.to##a[href^="https://t.ly/"] +accesswdun.com##a[href^="https://tinyurl.com"] > img +mastercomfig.com##a[href^="https://tradeit.gg/"] +scrolller.com##a[href^="https://trk.scrolller.com/"] +primewire.link##a[href^="https://url.rw/"] +vnkb.com##a[href^="https://vnkb.com/e/"] +1280wnam.com##a[href^="https://wistatefair.com/fair/tickets/"] +ancient-origins.net,anisearch.com,catholicculture.org,lewrockwell.com,ssbcrack.com##a[href^="https://www.amazon."][href*="tag="] +pooletown.co.uk##a[href^="https://www.easyfundraising.org.uk"] +wjbc.com##a[href^="https://www.farmweeknow.com/rfd_radio/"] +magic1069.com##a[href^="https://www.fetchahouse.com/"] +coachhuey.com##a[href^="https://www.hudl.com"] +elamigos-games.net##a[href^="https://www.instant-gaming.com/"][href*="?igr="] +domaintyper.com,thecatholictravelguide.com##a[href^="https://www.kqzyfj.com/"] +wgrr.com##a[href^="https://www.mccabelumber.com/"] +wbnq.com,wbwn.com,wjbc.com##a[href^="https://www.menards.com/main/home.html"] +jox2fm.com,joxfm.com##a[href^="https://www.milb.com/"] +thelibertydaily.com##a[href^="https://www.mypillow.com"] +who.is##a[href^="https://www.name.com/redirect/"] +kollelbudget.com##a[href^="https://www.oorahauction.org/"][target="_blank"] > img +minecraft-schematics.com##a[href^="https://www.pingperfect.com/aff.php?"] +sythe.org##a[href^="https://www.runestake.com/r/"] +foxcincinnati.com##a[href^="https://www.safeauto.com"] +sportscardforum.com##a[href^="https://www.sportscardforum.com/rbs_banner.php?"] +thecatholictravelguide.com##a[href^="https://www.squaremouth.com/"] +adfoc.us##a[href^="https://www.survivalservers.com/"] +itsfoss.com,linuxhandbook.com##a[href^="https://www.warp.dev"] +yugatech.com##a[href^="https://yugatech.ph/"] +kitguru.net##a[id^="href-ad-"] +himovies.to,home-barista.com,rarpc.co,washingtontimes.com##a[onclick] +amishamerica.com##a[rel="nofollow"] > img +gab.com##a[rel="noopener"][target="_blank"][href^="https://grow.gab.com/go/"] +nslookup.io,stackabuse.com,unsplash.com##a[rel^="sponsored"] +colombotimes.lk##a[target="_blank"] img:not([src*="app.jpg"]) +opensubtitles.org##a[target="_blank"][href^="https://www.amazon.com/gp/search"] +classicstoday.com##a[target="_blank"][rel="noopener"] > img +abysscdn.com,hqq.ac,hqq.to,hqq.tv,linris.xyz,megaplay.cc,meucdn.vip,netuplayer.top,ntvid.online,plushd.bio,waaw.to,watchonlinehd123.sbs,wiztube.xyz##a[title="Free money easy"] +kroger.com##a[title^="Advertisement:"] +rottentomatoes.com##ad-unit +unmatched.gg##app-advertising +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##article[data-ft*="\"ei\":\""] +linkedin.com##article[data-is-sponsored] +xing.com##article[data-qa="disco-updates-video-ad"] +xing.com##article[data-qa="disco-updates-website-ad"] +greatist.com##aside +4runnerforum.com,acuraforums.com,blazerforum.com,buickforum.com,cadillacforum.com,camaroforums.com,cbrforum.com,chryslerforum.com,civicforums.com,corvetteforums.com,fordforum.com,germanautoforums.com,hondaaccordforum.com,hondacivicforum.com,hondaforum.com,hummerforums.com,isuzuforums.com,kawasakiforums.com,landroverforums.com,lexusforum.com,mazdaforum.com,mercuryforum.com,minicooperforums.com,mitsubishiforum.com,montecarloforum.com,mustangboards.com,nissanforum.com,oldsmobileforum.com,pontiactalk.com,saabforums.com,saturnforum.com,truckforums.com,volkswagenforum.com,volvoforums.com##aside > center +everydayrussianlanguage.com##aside img[src^="/wp-content/themes/edr/img/"] +vezod.com##av-adv-slot +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com##bam-inline-promotion +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com##bam-inline-promotion-block +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com##bam-promotion-list +basschat.co.uk,momondo.*##div[data-resultid$="-sponsored"] +bayequest.com#?#.elementor-section:-abp-contains(Advertisement) +nbcsports.com##bsp-reverse-scroll-ad +buffstreams.sx##button[data-openuri*=".allsportsflix."] +filecrypt.cc,filecrypt.co##button[onclick*="://bullads.net/"] +psycom.net##center > .vh-quiz-qborder +dustinabbott.net,turbobits.cc,turbobits.net##center > a > img +mangas-raw.com##center > div[style] +sailingmagazine.net##center > font +greekreporter.com##center > p > [href] +pricehistoryapp.com##center[class^="min-h-"] +builtbybit.com##center[style="margin-top: 20px"] +weatherbug.com##display-ad-widget +wings.io##div > [href="https://mechazilla.io"] +readonepiece.com##div > b +coffeeordie.com##div.HtmlModule > [href] +web.telegram.org##div.bubbles > div.scrollable > div.bubbles-inner > div.is-sponsored +sbs.com.au##div.css-1wbfa8 +steamgifts.com##div.dont_block_me +sitepoint.com##div.inline-content +easypet.com##div.kt-inside-inner-col > div.wp-block-kadence-rowlayout +baking-forums.com,windows10forums.com##div.message--post.message +thehackernews.com##div.rocking +tld-list.com##div.row > .text-center > .ib +home.cricketwireless.com##div.skeleton.block-item +forward.com##div.sticky-container:first-child +newegg.com##div.swiper-slide[data-sponsored-catalyst] +investing.com##div.text-\[\#5b616e\] +inverse.com##div.zz +presearch.com##div[\:class*="AdClass"] +boxing-social.com##div[ad-slot] +liverpoolway.co.uk##div[align="center"] > a[href] +informer.com##div[align="center"][style="margin:10px"] +yandex.com##div[aria-label="Ad"] +lifehacker.com##div[aria-label="Products List"] +azuremagazine.com##div[class$="azoa"] +wsj.com##div[class*="WSJTheme--adWrapper"] +pcgamer.com,techcrunch.com,tomsguide.com,tomshardware.com##div[class*="ad-unit"] +aajtakcampus.in##div[class*="ads_ads_container__"] +dallasnews.com##div[class*="features-ads"] +gamingbible.com,ladbible.com,unilad.co.uk,unilad.com##div[class*="margin-Advert"] +thefiscaltimes.com##div[class*="pane-dfp-"] +emojipedia.org##div[class="flex flex-col items-center md:order-1"] +walmart.com##div[class="mv3 ml3 mv4-xl mh0-xl"][data-testid="sp-item"] +tripadvisor.com##div[class="ui_container dSjaD _S"] +timesofindia.com##div[class^="ATF_container_"] +arkadium.com##div[class^="Ad-adContainer"] +dailymotion.com##div[class^="AdBanner"] +breastcancer.org,emojipedia.org##div[class^="AdContainer"] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##div[class^="AdLoadingText"] +pricespy.co.nz,pricespy.co.uk##div[class^="AdPlacement"] +usnews.com##div[class^="Ad__Container-"] +zerohedge.com##div[class^="AdvertisingSlot_"] +sportinglife.com##div[class^="Article__FlashTalkingWrapper-"] +barrons.com##div[class^="BarronsTheme--adWrapper"] +someecards.com##div[class^="BaseAdSlot_adContainer_"] +theglobeandmail.com##div[class^="BaseAd_"] +cnbc.com##div[class^="BoxRail-Styles-"] +yallo.tv##div[class^="BrandingBackgroundstyled__Wrapper-"] +donedeal.ie##div[class^="DFP__StyledAdSlot-"] +genius.com##div[class^="DfpAd__Container-"] +dailymotion.com##div[class^="DisplayAd"] +games.dailymail.co.uk,nba.com##div[class^="DisplayAd_"] +alternativeto.net##div[class^="GamAds_"] +games.dailymail.co.uk##div[class^="GameTemplate__displayAdTop_"] +benzinga.com##div[class^="GoogleAdBlock_"] +allradio.net##div[class^="GoogleAdsenseContainer_"] +livescore.com##div[class^="HeaderAdsHolder_"] +games.dailymail.co.uk##div[class^="HomeCategory__adWrapper_"] +games.dailymail.co.uk##div[class^="HomeTemplate__afterCategoryAd_"] +sportinglife.com##div[class^="Layout__TopAdvertWrapper-"] +genius.com##div[class^="LeaderboardOrMarquee__"] +edhrec.com##div[class^="Leaderboard_"] +appsample.com##div[class^="MapLayout_Bottom"] +dailymotion.com##div[class^="NewWatchingDiscovery__adSection"] +dsearch.com##div[class^="PreAd_"] +games.dailymail.co.uk##div[class^="RightRail__displayAdRight_"] +genius.com##div[class^="SidebarAd_"] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##div[class^="SidebarAds_"] +zerohedge.com##div[class^="SponsoredPost_"] +chloeting.com##div[class^="StickyFooterAds__Wrapper"] +newyorker.com##div[class^="StickyHeroAdWrapper-"] +scotsman.com##div[class^="TopBanner"] +cnbc.com##div[class^="TopBanner-"] +dailymotion.com##div[class^="VideoInfo__videoInfoAdContainer"] +timeout.com##div[class^="_inlineAdWrapper_"] +timeout.com##div[class^="_sponsoredContainer_"] +crictracker.com##div[class^="ad-block-"] +fodors.com,thehulltruth.com##div[class^="ad-placeholder"] +reuters.com##div[class^="ad-slot__"] +gamingdeputy.com##div[class^="ad-wrapper-"] +goodrx.com##div[class^="adContainer"] +statsroyale.com##div[class^="adUnit_"] +goodrx.com##div[class^="adWrapper-"] +90min.com,investing.com,newsday.com##div[class^="ad_"] +constative.com##div[class^="ad_placeholder_"] +ehitavada.com##div[class^="ad_space_"] +greatandhra.com##div[class^="add"] +ndtv.com##div[class^="add_"] +ntdeals.net,psdeals.net,xbdeals.net##div[class^="ads-"] +dnaindia.com##div[class^="ads-box"] +tyla.com,unilad.com##div[class^="advert-placeholder_"] +365scores.com##div[class^="all-scores-container_ad_placeholder_"] +247solitaire.com,247spades.com##div[class^="aspace-"] +stakingrewards.com##div[class^="assetFilters_desktop-banner_"] +releasestv.com##div[class^="astra-advanced-hook-"] +onlineradiobox.com##div[class^="banner-"] +technical.city##div[class^="banner_"] +365scores.com##div[class^="bookmakers-review-widget_"] +historycollection.com##div[class^="cis_add_block"] +filehorse.com##div[class^="dx-"][class$="-1"] +365scores.com##div[class^="games-predictions-widget_container_"] +astro.com##div[class^="goad"] +groovypost.com##div[class^="groov-adsense-"] +imagetopdf.com,pdfkit.com,pdftoimage.com,topdf.com,webpconverter.com##div[class^="ha"] +technologyreview.com##div[class^="headerTemplate__leaderboardRow-"] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##div[class^="helper__AdContainer"] +localjewishnews.com##div[class^="local-feed-banner-ads"] +bloomberg.com##div[class^="media-ui-BaseAd"] +bloomberg.com##div[class^="media-ui-FullWidthAd"] +goal.com##div[class^="open-web-ad_"] +odishatv.in##div[class^="otv-"] +nltimes.nl##div[class^="r89-"] +nationalmemo.com,spectrum.ieee.org,theodysseyonline.com##div[class^="rblad-"] +windowsreport.com##div[class^="refmedprd"] +windowsreport.com##div[class^="refmedprod"] +staples.com##div[class^="sku-configurator__banner"] +mydramalist.com##div[class^="spnsr"] +kijiji.ca##div[class^="sponsored-"] +target.com##div[class^="styles__PubAd"] +semafor.com##div[class^="styles_ad"] +unmineablesbest.com##div[class^="uk-visible@"] +gamingdeputy.com##div[class^="vb-"] +whatsondisneyplus.com##div[class^="whats-"] +podchaser.com##div[data-aa-adunit] +unsplash.com##div[data-ad="true"] +deeplol.gg##div[data-ad] +tennews.in##div[data-adid] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##div[data-ads-params] +999thehawk.com##div[data-alias="Sweetjack"] +walmart.ca##div[data-automation^="HookLogicCarouses"] +bestbuy.ca##div[data-automation^="criteo-sponsored-products-carousel-"] +reddit.com##div[data-before-content="advertisement"] +artforum.com##div[data-component="ad-unit-gallery"] +theverge.com##div[data-concert] +bedbathandbeyond.com##div[data-cta="plpSponsoredProductClick"] +gamingbible.com,unilad.com##div[data-cypress^="sticky-header"] +analyticsindiamag.com##div[data-elementor-type="header"] > section.elementor-section-boxed +thestudentroom.co.uk##div[data-freestar-ad] +my.clevelandclinic.org##div[data-identity*="board-ad"] +lightnovelworld.co##div[data-mobid] +yandex.com##div[data-name="adWrapper"] +uefa.com##div[data-name="sponsors-slot"] +nogomania.com##div[data-ocm-ad] +thebay.com##div[data-piq-toggle="true"] +scmp.com##div[data-qa="AdSlot-Container"] +scmp.com##div[data-qa="AppBar-AdSlotContainer"] +scmp.com##div[data-qa="ArticleHeaderAdSlot-Placeholder"] +scmp.com##div[data-qa="AuthorPage-HeaderAdSlotContainer"] +scmp.com##div[data-qa="GenericArticle-MobileContentHeaderAdSlot"] +scmp.com##div[data-qa="GenericArticle-TopPicksAdSlot"] +scmp.com##div[data-qa="InlineAdSlot-Container"] +xing.com##div[data-qa="jobs-inline-ad"] +xing.com##div[data-qa="jobs-recommendation-ad"] +linustechtips.com##div[data-role="sidebarAd"] +cruisecritic.co.uk##div[data-sentry-component="AdWrapper"] +cruisecritic.co.uk##div[data-sentry-component="NativeAd"] +costco.com##div[data-source="sponsored"] +aliexpress.com,aliexpress.us##div[data-spm="seoads"] +ecosia.org##div[data-test-id="mainline-result-ad"] +ecosia.org##div[data-test-id="mainline-result-productAds"] +debenhams.com##div[data-test-id^="sponsored-product-card"] +investing.com##div[data-test="ad-slot-visible"] +symbaloo.com##div[data-test="homepageBanner"] +costco.com##div[data-testid="AdSet-all-sponsored_products_-_search_bottom"] +costco.com##div[data-testid="AdSet-all-sponsored_products_-_search_top"] +alternativeto.net##div[data-testid="adsense-wrapper"] +hotstar.com##div[data-testid="bbtype-video"] +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##div[data-testid="boosted-product-recommendations"] +twitter.com,x.com##div[data-testid="cellInnerDiv"] > div > div[class] > div[class][data-testid="placementTracking"] +qwant.com##div[data-testid="heroTiles"] +qwant.com##div[data-testid="homeTrendsContainer"] a[href^="https://api.qwant.com/v3/r/?u="] +qwant.com##div[data-testid="pam.container"] +qwant.com##div[data-testid="productAdsMicrosoft.container"] +sitepoint.com##div[data-unit-code] +audi-sport.net##div[data-widget-key="Snack_Side_Menu_1"] +audi-sport.net##div[data-widget-key="Snack_Side_Menu_2"] +audi-sport.net##div[data-widget-key="forum_home_sidebar_top_ads"] +audi-sport.net##div[data-widget-key="right_top_ad"] +audi-sport.net##div[data-widget-key="sellwild_sidebar_bottom"] +cults3d.com##div[data-zone-bsa] +spin.com##div[id*="-promo-lead-"] +spin.com##div[id*="-promo-mrec-"] +chrome-stats.com##div[id*="billboard_responsive"] +thenewspaper.gr##div[id*="thene-"] +diskingdom.com##div[id="diski-"] +thewire.in##div[id^="ATD_"] +geeksforgeeks.org##div[id^="GFG_AD_"] +kisshentai.net,onworks.net##div[id^="ad"] +songlyrics.com##div[id^="ad-absolute-160"] +nationalrail.co.uk##div[id^="ad-advert-"] +belloflostsouls.net##div[id^="ad-container-"] +timeout.com##div[id^="ad-promo-"] +timeout.com##div[id^="ad-side-"] +nowgoal8.com##div[id^="ad_"] +javacodegeeks.com##div[id^="adngin-"] +agoda.com##div[id^="ads-"] +pixiv.net##div[id^="adsdk-"] +antiguanewsroom.com##div[id^="antig-"] +slidesgo.com##div[id^="article_ads"] +business-standard.com##div[id^="between_article_content_"] +digg.com,iplogger.org,wallhere.com,webnots.com,wikitechy.com##div[id^="bsa-zone_"] +business2community.com##div[id^="busin-"] +competenetwork.com##div[id^="compe-"] +elfaro.net##div[id^="content-ad-body"] +titantv.com##div[id^="ctl00_TTLB"] +timesofindia.com##div[id^="custom_ad_"] +cyprus-mail.com##div[id^="cypru-"] +football-tribe.com##div[id^="da-article-"] +rediff.com##div[id^="div_ad_"] +memedroid.com##div[id^="freestar-ad-"] +gamepix.com##div[id^="gpx-banner"] +maltadaily.mt##div[id^="malta-"] +mediabiasfactcheck.com##div[id^="media-"] +gamebyte.com,irishnews.com##div[id^="mpu"] +pretoriafm.co.za##div[id^="preto-"] +progamerage.com##div[id^="proga-"] +howtogeek.com##div[id^="purch_"] +realtalk933.com##div[id^="realt-"] +sbstatesman.com##div[id^="sbsta-"] +smallnetbuilder.com##div[id^="snb-"] +filehorse.com##div[id^="td-"] +birrapedia.com##div[id^="textoDivPublicidad_"] +searchenginereports.net##div[id^="theBdsy_"] +theroanoketribune.org##div[id^="thero-"] +yovizag.com##div[id^="v-yovizag-"] +weraveyou.com##div[id^="werav-"] +mommypoppins.com##div[id^="wrapper-div-gpt-ad-"] +wallpaperflare.com##div[itemtype$="WPAdBlock"] +nashfm100.com##div[onclick*="https://deucepub.com/"] +forums.pcsx2.net##div[onclick^="MyAdvertisements."] +ezgif.com##div[style$="min-height:90px;display:block"] +kuncomic.com##div[style*="height: 2"][style*="text-align: center"] +castanet.net##div[style*="height:900px"] +news18.com##div[style*="min-height"][style*="background"] +news18.com##div[style*="min-height: 250px"] +footballtransfers.com##div[style*="min-height: 250px;"] +news18.com##div[style*="min-height:250px"] +gsmarena.com##div[style*="padding-bottom: 24px;"] +newsbreak.com##div[style*="position:relative;width:100%;height:0;padding-bottom:"] +news18.com,readcomiconline.li##div[style*="width: 300px"] +datacenterdynamics.com,fansshare.com,hairboutique.com,iconarchive.com,imagetwist.com,memecenter.com,neoseeker.com,news18.com,paultan.org,thejournal-news.net,unexplained-mysteries.com,windsorite.ca,xtra.com.my##div[style*="width:300px"] +castanet.net##div[style*="width:300px;"] +castanet.net##div[style*="width:640px;"] +clover.fm##div[style*="width:975px; height:90px;"] +filesharingtalk.com##div[style="background-color: white; border-width: 2px; border-style: dashed; border-color: white;"] +askdifference.com##div[style="color: #aaa"] +aceshowbiz.com##div[style="display:inline-block;min-height:300px"] +kimcartoon.li##div[style="font-size: 0; position: relative; text-align: center; margin: 10px auto; width: 300px; height: 250px; overflow: hidden;"] +pixiv.net##div[style="font-size: 0px;"] a[target="premium_noads"] +distractify.com,greenmatters.com,inquisitr.com,okmagazine.com,qthemusic.com,radaronline.com##div[style="font-size:x-small;text-align:center;padding-top:10px"] +beta.riftkit.net##div[style="height: 300px; width: 400px;"] +pixiv.net##div[style="height: 540px; opacity: 1;"] +paraphraser.io##div[style="height:128px;overflow: hidden !important;"] +wikibrief.org##div[style="height:302px;width:auto;text-align:center;"] +comics.org##div[style="height:90px"] +productreview.com.au##div[style="line-height:0"] +streamingsites.com##div[style="margin-bottom: 10px; display: flex;"] +upjoke.com##div[style="margin-bottom:0.5rem; min-height:250px;"] +gsmarena.com##div[style="margin-left: -10px; margin-top: 30px; height: 145px;"] +theroar.com.au##div[style="margin: 0px auto; text-align: center; height: 280px; max-height: 280px; overflow: hidden;"] +editpad.org##div[style="min-height: 300px;min-width: 300px"] +wikiwand.com##div[style="min-height: 325px; max-width: 600px;"] +gamereactor.asia,gamereactor.cn,gamereactor.com.tr,gamereactor.cz,gamereactor.de,gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.fi,gamereactor.fr,gamereactor.gr,gamereactor.it,gamereactor.jp,gamereactor.kr,gamereactor.me,gamereactor.nl,gamereactor.no,gamereactor.pl,gamereactor.pt,gamereactor.se,gamereactor.vn##div[style="min-height: 600px; margin-bottom: 20px;"] +disneydining.com##div[style="min-height:125px;"] +theroar.com.au##div[style="min-height:260px;max-height:260px;overflow:hidden;"] +askdifference.com##div[style="min-height:280px;"] +newser.com##div[style="min-height:398px;"] +flotrack.org##div[style="min-width: 300px; min-height: 250px;"] +nicelocal.com##div[style="min-width: 300px; min-height: 600px;"] +editpad.org##div[style="min-width: 300px;min-height: 300px"] +nicelocal.com##div[style="min-width: 728px; min-height: 90px;"] +technical.city##div[style="padding-bottom: 20px"] > div[style="min-height: 250px"] +bitcoin-otc.com##div[style="padding-left: 10px; padding-bottom: 10px; text-align: center; font-family: Helvetica;"] +9gag.com##div[style="position: relative; z-index: 3; width: 640px; min-height: 202px; margin: 0px auto;"] +navajotimes.com##div[style="text-align: center; margin-top: -35px;"] +wikibrief.org##div[style="text-align:center;height:302px;width:auto;"] +m.koreatimes.co.kr##div[style="width: 300px; height:250px; overflow: hidden; margin: 0 auto;"] +ultimatespecs.com##div[style="width:100%;display:block;height:290px;overflow:hidden"] +constative.com##div[style]:not([class]) +whatmobile.com.pk##div[style^="background-color:#EBEBEB;"] +fctables.com##div[style^="background:#e3e3e3;position:fixed"] +footybite.cc##div[style^="border: 2px solid "] +pastebin.com##div[style^="color: #999; font-size: 12px; text-align: center;"] +realpython.com##div[style^="display:block;position:relative;"] +newser.com##div[style^="display:inline-block;width:728px;"] +elitepvpers.com##div[style^="font-size:11px;"] +drudgereport.com##div[style^="height: 250px;"] +add0n.com,crazygames.com##div[style^="height: 90px;"] +apkdone.com,crazygames.com,english-hindi.net,livesoccertv.com,malaysiakini.com,sporticos.com##div[style^="height:250px"] +titantv.com##div[style^="height:265px;"] +altchar.com##div[style^="height:280px;"] +malaysiakini.com##div[style^="height:600px"] +whatmobile.com.pk##div[style^="height:610px"] +point2homes.com,propertyshark.com##div[style^="margin-bottom: 10px;"] +unionpedia.org##div[style^="margin-top: 15px; min-width: 300px"] +gizbot.com,goodreturns.in,inc.com##div[style^="min-height: 250px"] +point2homes.com,propertyshark.com##div[style^="min-height: 360px;"] +add0n.com##div[style^="min-height:90px"] +decrypt.co,metabattle.com##div[style^="min-width: 300px;"] +gtaforums.com##div[style^="text-align: center; margin: 0px 0px 10px;"] +appleinsider.com##div[style^="text-align:center;border-radius:0;"] +jwire.com.au##div[style^="width:468px;"] +imgbabes.com##div[style^="width:604px;"] +interglot.com,sodapdf.com,stopmalvertising.com##div[style^="width:728px;"] +worldstar.com,worldstarhiphop.com##div[style^="width:972px;height:250px;"] +tvtv.us##div[style^="z-index: 1100; position: fixed;"] +ebay.com##div[title="ADVERTISEMENT"] +presearch.com##div[x-show*="_ad_click"] +adblock-tester.com##embed[width="240"] +teslaoracle.com##figure.aligncenter +groupon.com##figure[data-clickurl^="https://api.groupon.com/sponsored/"] +imgburn.com##font[face="Arial"][size="1"] +realitytvworld.com##font[size="1"][color="gray"] +dailydot.com##footer +law.com,topcultured.com##h3 +kazwire.com##h3.tracking-widest +drive.com.au##hr +nordstrom.com##iframe[data-revjet-options] +pixiv.net##iframe[height="300"][name="responsive"] +pixiv.net##iframe[height="520"][name="expandedFooter"] +yourbittorrent.com##iframe[src] +realgearonline.com##iframe[src^="http://www.adpeepshosted.com/"] +bollyflix.how,dramacool.sr##iframe[style*="z-index: 2147483646"] +4anime.gg,apkmody.io,bollyflix.how,bravoporn.com,dramacool.sr,gogoanime.co.in,gogoanime.run,harimanga.com,hdmovie2.rest,himovies.to,hurawatch.cc,instamod.co,leercapitulo.com,linksly.co,mangadna.com,manhwadesu.bio,messitv.net,miraculous.to,movies-watch.com.pk,moviesmod.zip,nkiri.com,prmovies.dog,putlockers.li,sockshare.ac,ssoap2day.to,sukidesuost.info,tamilyogi.bike,waploaded.com,watchomovies.net,y-2mate.com,yomovies.team,ytmp3.cc,yts-subs.com##iframe[style*="z-index: 2147483647"] +pixiv.net##iframe[width="300"][height="250"] +premiumtimesng.com##img[alt$=" Ad"] +f1technical.net##img[alt="Amazon"] +cnx-software.com##img[alt="ArmSoM CM5 - Raspberry Pi CM4 alternative with Rockchip RK3576 SoC"] +cnx-software.com##img[alt="Cincoze industrial GPU computers"] +cnx-software.com##img[alt="I-PI SMARC Intel Amston Lake devkit"] +cnx-software.com##img[alt="Intel Amston Lake COM Express Type 6 Compact Size module"] +cnx-software.com##img[alt="Orange Pi Amazon Store"] +cnx-software.com##img[alt="ROCK 5 ITX RK3588 mini-ITX motherboard"] +cnx-software.com##img[alt="Radxa ROCK 5C (Lite) SBC with Rockchip RK3588 / RK3582 SoC"] +cnx-software.com##img[alt="Rockchip RK3568/RK3588 and Intel x86 SBCs"] +newagebd.net##img[alt="ads space"] +therainbowtimesmass.com##img[alt="banner ad"] +framed.wtf##img[alt="prime gaming banner"] +pasty.info##img[aria-label="Aliexpress partner network affiliate Link"] +pasty.info##img[aria-label="Ebay partner network affiliate Link"] +inkbotdesign.com,kuramanime.boo##img[decoding="async"] +cloutgist.com,codesnse.com##img[fetchpriority] +nepallivetoday.com,wjr.com##img[height="100"] +prawfsblawg.blogs.com,thomhartmann.com##img[height="200"] +newyorkyimby.com##img[height="280"] +callofwar.com##img[referrerpolicy] +nsfwyoutube.com##img[src*="data"] +bcmagazine.net##img[style^="width:300px;"] +unb.com.bd##img[style^="width:700px; height:70px;"] +abpclub.co.uk##img[width="118"] +lyngsat-logo.com,lyngsat-maps.com,lyngsat-stream.com,lyngsat.com,webhostingtalk.com##img[width="160"] +fashionpulis.com,techiecorner.com##img[width="250"] +airplaydirect.com,americaoutloud.com,bigeye.ug,completesports.com,cryptomining-blog.com,cryptoreporter.info,dotsauce.com,espnrichmond.com,flsentinel.com,forexmt4indicators.com,freedomhacker.net,gamblingnewsmagazine.com,gameplayinside.com,goodcarbadcar.net,kenyabuzz.com,kiwiblog.co.nz,mauitime.com,mkvcage.com,movin100.com,mycolumbuspower.com,naijaloaded.com.ng,newzimbabwe.com,oann.com,onislandtimes.com,ouo.press,portlandphoenix.me,punchng.com,reviewparking.com,robhasawebsite.com,sacobserver.com,sdvoice.info,seguintoday.com,themediaonline.co.za,theolivepress.es,therep.co.za,thewillnigeria.com,tntribune.com,up-4ever.net,waamradio.com,wantedinafrica.com,wantedinrome.com,wschronicle.com##img[width="300"] +boxthislap.org,unknowncheats.me##img[width="300px"] +independent.co.ug##img[width="320"] +londonnewsonline.co.uk##img[width="360"] +gamblingnewsmagazine.com##img[width="365"] +arcadepunks.com##img[width="728"] +boxthislap.org##img[width="728px"] +umod.org##ins[data-revive-id] +bitzite.com,unmineablesbest.com##ins[style^="display:inline-block;width:300px;height:250px;"] +everythingrf.com,natureworldnews.com##label +laredoute.*##li[class*="sponsored-"] +cgpress.org##li > div[id^="cgpre-"] +bestbuy.com##li.embedded-sponsored-listing +cultbeauty.co.uk,dermstore.com,skinstore.com##li.sponsoredProductsList +linkedin.com##li[data-is-sponsored="true"] +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##li[data-layout="products"] +duckduckgo.com##li[data-layout="products_middle"] +xing.com##li[data-qa="notifications-ad"] +instacart.com##li[data-testid="compact-item-list-header"] +flaticon.com##li[id^="bn-icon-list"] +linkvertise.com##lv-redirect-static-ad +escorenews.com##noindex +adblock-tester.com##object[width="240"] +forums.golfwrx.com##ol.cTopicList > li.ipsDataItem:not([data-rowid]) +opentable.*##div[data-promoted="true"] +opentable.*##li[data-promoted="true"] +americanfreepress.net##p > [href] > img +ft.com##pg-slot +radiome.*##.min-h-\[250px\].mx-auto.w-full.hidden.my-1.lg\:flex.center-children +mashable.com##section.mt-4 > div +weather.com##section[aria-label="Sponsored Content"] +olympics.com##section[data-cy="ad"] +bbc.com##section[data-e2e="advertisement"] +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##shreddit-comments-page-ad +tempostorm.com##side-banners +smartprix.com##sm-dap +nativeplanet.com##span[class^="oiad-txt"] +thewire.in##span[style*="background: rgb(232, 233, 237); text-align: center;"] +windowsbbs.com##span[style*="width: 338px; height: 282px;"] +fxempire.com##span[style="user-select:none"] +americanfreepress.net##strong > span > a +torlock.com##table.hidden-xs +realitytvworld.com##table[border="0"][align="left"] +thebbqforum.com##table[border="0"][width] +thebbqforum.com##table[border="1"][width] +roadtester.com.au##table[cellpadding="9"][border="0"] +wifinetnews.com##table[height="260"] +softpanorama.org##table[height="620"] +afrol.com##table[height="70"] +automobile-catalog.com,car.com,silentera.com##table[height="90"] +automobile-catalog.com,itnewsonline.com##table[width="300"] +learninginfo.org##table[width="346"] +worldtimezone.com##table[width="472"] +pcstats.com##table[width="866"] +vpforums.org##td[align="center"][style="padding: 0px;"] +schlockmercenary.com##td[colspan="3"] +geekzone.co.nz##td[colspan="3"].forumRow[style="border-right:solid 1px #fff;"] +titantv.com##td[id^="menutablelogocell"] +wordreference.com##td[style^="height:260px;"] +itnewsonline.com##td[width="120"] +greyhound-data.com##td[width="160"] +eurometeo.com##td[width="738"] +tellows-au.com,tellows-tr.com,tellows.*##li > .comment-body[style*="min-height: 250px;"] +radiosurvivor.com##text-18 +telescopius.com##tlc-ad-banner +trademe.co.nz##tm-display-ad +rarbgaccess.org,rarbgmirror.com,rarbgmirror.org,rarbgproxy.com,rarbgproxy.org,rarbgunblock.com,rarbgunblocked.org##tr > td + td[style*="height:"] +titantv.com##tr.gridRow > td > [id] > div:first-child +livetv.sx##tr[height] ~ tr > td[colspan][height][bgcolor="#000000"] +tripadvisor.*##.txxUo +morningagclips.com##ul.logo-nav +greyhound-data.com##ul.ppts +greatandhra.com##ul.sortable-list > div +backgrounds.wetransfer.net##we-wallpaper +! ! top-level domain wildcard +autoscout24.*##img[referrerpolicy="unsafe-url"] +douglas.*##.criteo-product-carousel +douglas.*##.swiper-slide:has(button[data-testid="sponsored-button"]) +douglas.*##div.product-grid-column:has(button[data-testid="sponsored-button"]) +laredoute.*###hp-sponsored-banner +lazada.*##.pdp-block__product-ads +manomano.*##a[href^="/"][href*="?product_id="][title]:has(span > .svg_tamagoshi) +manomano.*##div[data-testid="sprbrd-banner"] +pinterest.*##div[data-grid-item]:has([data-test-pin-id] [data-test-id^="one-tap-desktop"] > a[href^="http"][rel="nofollow"]):not(body > div) +pv-magazine.*,pv-magazine-usa.com,pv-magazine-australia.com###home-top-rectangle-wrap-1 +pv-magazine.*,pv-magazine-usa.com,pv-magazine-australia.com###home-top-rectangle-wrap-2 +pv-magazine.*,pv-magazine-usa.com,pv-magazine-australia.com###home-top-rectangle-wrap-3 +walmart.*##[data-testid="carousel-ad"] +wayfair.*##.CompareSimilarItemsCarousel-item:has(a[href*="&sponsoredid="]) +wayfair.*##.MediaNativePlacement-wrapper-link +wayfair.*##[data-hb-id="Card"]:has([data-node-id^="ListingCardSponsored"]) +wayfair.*##a[data-enzyme-id="WssBannerContainer"] +wayfair.*##div[data-enzyme-id="WssBannerContainer"] +wayfair.*##div[data-hb-id="Grid.Item"]:has(a[href*="&sponsoredid="]) +wayfair.*##div[data-node-id^="SponsoredListingCollectionItem"] +yandex.*##._view_advertisement +yandex.*##.business-card-title-view__advert +yandex.*##.mini-suggest__item[data-suggest-counter*="/yandex.ru/clck/safeclick/"] +yandex.*##.ProductGallery +yandex.*##.search-advert-badge +yandex.*##.search-business-snippet-view__direct +yandex.*##.search-list-view__advert-offer-banner +yandex.*##a[href^="https://yandex.ru/an/count/"] +yandex.*##li[class*="_card"]:has(a[href^="https://yabs.yandex.ru/count/"]) +yandex.*##li[class*="_card"]:has(a[href^="https://yandex.com/search/_crpd/"]) +! :has() +windowscentral.com###article-body > .hawk-nest[data-widget-id]:has(a[class^="hawk-affiliate-link-"][class$="-button"]) +cars.com###branded-canvas-click-wrapper:has(> #native-ad-html) +radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se###headerTopBar ~ div > div:has(div#RAD_D_station_top) +gtaforums.com###ipsLayout_mainArea div:has(> #pwDeskLbAtf) +aleteia.org###root > div[class]:has(> .adslot) +scribd.com###sidebar > div:has(> div > [data-e2e^="dismissible-ad-header"]) +bbc.com###sticky-mpu:has(.dotcom-ad-inner) +kroger.com##.AutoGrid-cell:has(.ProductCard-tags > div > span[data-qa="featured-product-tag"]) +nationalgeographic.com##.FrameBackgroundFull--grey:has(.ad-wrapper) +sbs.com.au##.MuiBox-root:has(> .desktop-ads) +luxa.org##.MuiContainer-root:has(> ins.adsbygoogle) +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##.Ssfiu-:has([data-testid="popoverTriggersponsoredLabel"]) +outlook.live.com##.VdboX[tabindex="0"]:has(img[src="https://res.cdn.office.net/assets/ads/adbarmetrochoice.svg"]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##._6y8t:has(a[href="/ads/about/?entry_product=ad_preferences"]) +haveibeenpwned.com##.actionsBar:has(.why1Password) +barandbench.com##.ad-wrapper-module__adContainer__iD4aI +slickdeals.net##.announcementBar:has(.sponsorContent) +thedailywtf.com##.article-body > div:has-text([Advertisement]) +nation.africa##.article-collection-teaser:has(.sponsored-label) +thesun.co.uk##.article-sidebar .widget-sticky:has([class*="ad_widget"]) +historic-uk.com##.article-sidebar:has-text(Advertisement) +forexlive.com##.article-slot__wrapper:has(.article-header__sponsored) +time.com##.article-small-sidebar > .sticky-container:has(div[id^="ad-"]) +hackernoon.com##.articles-wrapper > div:not([class]):has(a[href^="https://ad.doubleclick.net/"]) +blitz.gg##.aside-content-column:has(.display-ad) +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,mrt.com,myjournalcourier.com,myplainview.com,mysanantonio.com,newstimes.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,stamfordadvocate.com,thehour.com,theintelligencer.com##.b-gray300:has-text(Advertisement) +olympics.com##.b2p-list__item:has(> .adv-fluid) +beincrypto.com##.before-author-block-bio:has-text(Sponsored) +outsports.com##.bg-gray-100:has(.adb-os-lb-incontent) +dropstab.com##.bg-slate-100:has-text(Ad) +atlanticsuperstore.ca,fortinos.ca,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca##.block-wrapper:has(.element-header__sponsoredLabel) +loblaws.ca##.block-wrapper:has([data-track-product-component="carousel||rmp_sponsored"]) +haveibeenpwned.com##.bodyGradient > :has(.why1Password) +coincarp.com##.border-bottom:has-text(Sponsored) +thenewdaily.com.au##.border-grey-300:has(> [data-ad-id]) +dropstab.com##.bottom-0.gap-2:has-text(/Stake Now|Invest Now/) +chosun.com##.box--bg-grey-20:has(.dfpAd) +radioreference.com##.box.gradient:has(a[href*="&Click="]) +gpro.net##.boxy:has(#blockblockA) +slickdeals.net##.bp-p-filterGrid_item:has(.bp-c-label--promoted) +homedepot.com##.browse-search__pod:has([id^="plp_pod_sponsored"]) +bws.com.au##.card-list-item:has(.productTile.is-Sponsored) +truecar.com##.card:has([href*="marketplace&sponsored"]) +doordash.com##.carousel-virtual-wrapper:has([href*="collection_type=sponsored_brand"]) +doordash.com##.ccdtLs:has([data-testid="sponsored:Sponsored"]) +dexscreener.com##.chakra-link:has-text(Advertise) +asda.com##.cms-modules:has([data-module*="Sponsored Products"]) +asda.com##.co-item:has(.co-item__sponsored-label) +theautopian.com##.code-block:has(.htlad-InContent) +templateshub.net##.col-lg-4.col-md-6:has(> div.singel-course) +appleinsider.com##.col-sm-12 > :has([id^="div-gpt-ad-"]) +autotrader.com##.col-xs-12.col-sm-4:has([data-cmp="inventorySpotlightListing"]) +costco.com##.col-xs-12:has([data-bi-placement^="Criteo_Product_Display"]) +infinitestart.com##.cs-sidebar__inner > .widget:has(> ins.adsbygoogle) +wsj.com##.css-c54t2t:has(> .adWrapper) +wsj.com##.css-c54t2t:has(> .adWrapper) + hr +alphacoders.com##.css-grid-content:has(> .in-thumb-ad-css-grid) +androidauthority.com##.d_3i:has-text(Latest deals) +dollargeneral.com##.dg-product-card:has(.dg-product-card__sponsored[style="display: block;"]) +limetorrents.lol##.downloadareabig:has([title^="An‌on‌ymous Download"]) +tripsonabbeyroad.com##.e-con-inner:has(tp-cascoon) +bitcoinsensus.com##.e-con-inner:has-text(Our Favourite Trading Platforms) +protrumpnews.com##.enhanced-text-widget:has(span.pre-announcement) +upfivedown.com##.entry > hr.wp-block-separator:has(+ .has-text-align-center) +morrisons.com##.featured-items:has(.js-productCarouselFops) +morrisons.com##.fops-item:has([title="Advertisement"]) +wings.io##.form-group center:has-text(Advertisement) +pigglywigglystores.com##.fp-item:has(.fp-tag-ad) +slickdeals.net##.frontpageGrid__feedItem:has(.dealCardBadge--promoted) +tumblr.com##.ge_yK:has(.hM19_) +bestbuy.com##.generic-morpher:has(.spns-label) +fortune.com##.homepage:has(> div[id^="InStream"]) +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##.hrHZYT:has([data-testid="popoverTriggersponsoredLabel"]) +dollargeneral.com##.image__desktop-container:has([data-track-image*="|P&G|Gain|"]) +vpforums.org##.ipsSideBlock.clearfix:has-text(Affiliates) +1tamilmv.tax##.ipsWidget:has([href*="RajbetImage"]) +qwant.com##.is-sidebar:has(a[data-testid="advertiserAdsLink"]) +stocktwits.com##.is-visible:has-text(Remove ads) +thingiverse.com##.item-card-container:has-text(Advertisement) +yovizag.com##.jeg_column:has(> .jeg_wrapper > .jeg_ad) +motortrend.com##.justify-center:has(.nativo-news) +chewy.com##.kib-carousel-item:has(.kib-product-sponsor) +content.dictionary.com##.lp-code:has(> [class$="Ad"]) +euronews.com##.m-object:has(.m-object__spons-quote) +acmemarkets.com,andronicos.com,carrsqc.com,haggen.com,jewelosco.com,kingsfoodmarkets.com,pavilions.com,shaws.com,starmarket.com,tomthumb.com,vons.com##.master-product-carousel:has([data-carousel-api*="search/sponsored-carousel"]) +acmemarkets.com,albertsons.com,andronicos.com,carrsqc.com,haggen.com,jewelosco.com,kingsfoodmarkets.com,pavilions.com,randalls.com,safeway.com,shaws.com,starmarket.com,tomthumb.com,vons.com##.master-product-carousel:has([data-carousel-driven="sponsored-products"]) +motortrend.com##.mb-6:has([data-ad="true"]) +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,mrt.com,myjournalcourier.com,myplainview.com,mysanantonio.com,newstimes.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,sfgate.com,stamfordadvocate.com,thehour.com,theintelligencer.com##.mb32:has-text(Advertisement) +outsports.com##.min-h-\[100px\]:has(.adb-os-inarticle-block) +outsports.com##.min-h-\[100px\]:has(.adb-os-lb-incontent) +boots.com##.oct-listers-hits__item:has(.oct-teaser__listerCriteoAds) +officedepot.com##.od-col:has(.od-product-card-region-colors-sponsored) +pollunit.com##.owl-carousel:has(.carousel-ad) +hivetoon.com##.p-4:has(> [href^="https://www.polybuzz.ai/"]) +andronicos.com,haggen.com,randalls.com##.pc-grid-prdItem:has(span[data-qa="prd-itm-spnsrd"]) +sainsburys.co.uk##.pd-merchandising-product:has(.product-header--citrus[data-testid="product-header"]) +hannaford.com##.plp_thumb_wrap:has([data-citrusadimpressionid]) +niagarathisweek.com##.polarBlock:has(.polarAds) +404media.co##.post__content > p:has(a[href^="https://srv.buysellads.com/"]) +404media.co##.post__content > p:has-text(This segment is a paid ad) +myntra.com##.product-base:has(.product-waterMark) +woolworths.com.au##.product-grid-v2--tile:has(.sponsored-text) +meijer.com##.product-grid__product:has(.product-tile__sponsored) +chaussures.fr,eapavi.lv,ecipele.hr,ecipo.hu,eobuv.cz,eobuv.sk,eobuwie.com.pl,epantofi.ro,epapoutsia.gr,escarpe.it,eschuhe.at,eschuhe.ch,eschuhe.de,eskor.se,evzuttya.com.ua,obuvki.bg,zapatos.es##.product-item:has(.sponsored-label) +maxi.ca##.product-tile-group__list__item:has([data-track-products-array*="sponsored"]) +pbs.org##.production-and-funding:has(.sponsor-info-link) +sainsburys.co.uk##.pt-grid-item:has(.product-header--citrus[data-testid="product-header"]) +sainsburys.co.uk##.pt__swiper--grid-item:has(.product-header--citrus[data-testid="product-header"]) +quora.com##.q-sticky[style*="box-sizing: border-box; position: sticky;"]:has-text(Advertisement) +ksl.com##.queue:has(.sponsored) +olx.com.pk##.react-swipeable-view-container:has([href*="http://onelink.to"]) +downforeveryoneorjustme.com##.relative.bg-white:has-text(PolyBuzz) +laravel-news.com##.relative:has([wire\:key="article-ad-card"]) +builtbybit.com##.resourceSidebar-belowContent > div > .block:has(.block-container a[href="https://tebex.io/"]) +metager.org##.result:has(a[href^="https://metager.org"][href*="/partner/r?"]) +metager.org##.result:has(a[href^="https://r.search.yahoo.com/"]) +qwant.com##.result__ext > div:has([data-testid="adResult"]) +petco.com##.rmn-container:has([class*="SponsoredText"]) +sfchronicle.com##.scrl-block > .scrl-block-inner:has(.ad-module--ad--16cf1) +yandex.com##.search-list-view__advert-offer-banner +playpilot.com##.search-preview .side:has(> .provider) +tempest.com##.search-result-item:has(.search-result-item__title--ad) +yandex.com##.search-snippet-view:has(span.search-advert-badge__advert) +shipt.com##.searchPageStaticBanner:has([href*="/shop/featured-promotions"]) +troyhunt.com##.sidebar-featured:has(a[href^="https://pluralsight.pxf.io/"]) +insidehpc.com##.sidebar-sponsored-content +bitcointalk.org##.signature:has(a[href]:not([href*="bitcointalk.org"])) +bing.com##.slide:has(.rtb_ad_caritem_mvtr) +fastcompany.com##.sticky:has(.ad-container) +rustlabs.com##.sub-info-block:has(#banner) +scamwarners.com##.subheader:has(> ins.adsbygoogle) +thesun.co.uk##.sun-grid-container:has([class*="ad_widget"]) +independent.co.uk,standard.co.uk,the-independent.com##.teads:has(.third-party-ad) +nex-software.com##.toolinfo:has(a[href$="/reimage"]) +canberratimes.com.au##.top-20 +twitter.com,x.com##.tweet:has(.promo) +wowcher.co.uk##.two-by-two-deal:has(a[href*="src=sponsored_search_"]) +news.sky.com##.ui-box:has(.ui-advert) +forums.socialmediagirls.com##.uix_nodeList > div[class="block"]:has([href^="/link-forums/"]) +darkreader.org##.up:has(.ddg-logo-link) +darkreader.org##.up:has(.h-logo-link) +duckduckgo.com##.vertical-section-divider:has(span.badge--ad-wrap) +noon.com##.visibilitySensorWrapper:has(.adBannerModule) +neonheightsservers.com##.well:has(ins.adsbygoogle) +9to5linux.com##.widget:has([href$=".php"]) +evreporter.com##.widget_media_image:not(:has(a[href^="https://evreporter.com/"])) +cnx-software.com##.widget_text.widget:has([href*="?utm"]) +themarysue.com##.wp-block-gamurs-article-group__sidebar__wrapper:has-text(related content) +dotesports.com##.wp-block-gamurs-article-tile:has-text(Sponsored) +bestbuy.ca##.x-productListItem:has([data-automation="sponsoredProductLabel"]) +mapquest.co.uk##.z-10.justify-center:has-text(Advertisement) +freshdirect.com##[class*="ProductsGrid_grid_item"]:has([data-testid="marketing tag"]) +livejournal.com##[class*="categories"] + div[class]:has(> [class*="-commercial"]) +momondo.com##[class*="mod-pres-default"]:has(div[class*="ad-badge"]) +petco.com##[class*="rmn-banner"]:has([class*="SponsoredText"]) +popularmechanics.com##[class] > :has(> #article-marketplace-horizontal) +popularmechanics.com##[class] > :has(> #gpt-ad-vertical-bottom) +independent.co.uk,standard.co.uk,the-independent.com##[class] > :has(> [data-mpu]) +brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##[class] > [class]:has(> [data-testid="ad"]) +avclub.com,jalopnik.com,kotaku.com,theonion.com,theroot.com##[class] > div:has(> [is="bulbs-dfp"]) +fortune.com##[class]:has(> #Leaderboard0) +jalopnik.com,kotaku.com,theroot.com##[class]:has(> .related-stories-inset-video) +polygon.com,vox.com##[class]:has(> [data-concert]) +standard.co.uk##[class]:has(> [data-fluid-zoneid]) +independent.co.uk,standard.co.uk,the-independent.com##[class]:has(> [data-mpu]) +nytimes.com##[class]:has(> [id="ad-top"]) +thrillist.com##[class^="Container__GridRow-sc-"]:has(> .concert-ad) +petco.com##[class^="citrus-carousel-"]:has([class^="carousel__Sponsored"]) +svgrepo.com##[class^="style_native"]:has([href*="buysellads.com"]) +tesco.com##[class^="styled__StyledLIProductItem"]:has([class^="styled__StyledOffers"]) +argos.co.uk##[class^="styles__LazyHydrateCard"]:has([class*="ProductCardstyles__FlyoutBadge"]) +argos.co.uk##[class^="styles__LazyHydrateCard-sc"]:has([class*="SponsoredBadge"]) +outlook.live.com##[data-app-section="MessageList"] div[style^="position: absolute; left: 0px; top: 0px"]:has(.ms-Shimmer-container) +cargurus.com##[data-cg-ft="car-blade"]:has([data-eyebrow^="FEATURED"]) +cargurus.com##[data-cg-ft="car-blade-link"]:has([data-cg-ft="srp-listing-blade-sponsored"]) +avxhm.se##[data-localize]:has(a[href^="https://canv.ai/"]) +giantfood.com,giantfoodstores.com,martinsfoods.com##[data-product-id]:has(.flag_label--sponsored) +petco.com##[data-testid="product-buy-box"]:has([class*="SponsoredText"]) +kayak.com##[role="button"]:has([class*="ad-marking"]) +kayak.com##[role="tab"]:has([class*="sponsored"]) +crackwatcher.com##[style="background:none !important;"]:has([href^="https://www.kinguin.net"]) +aliexpress.com,aliexpress.us##a[class^="manhattan--container--"][class*="main--card--"]:has(span[style="background-color:rgba(0,0,0,0.20);position:absolute;top:8px;color:#fff;padding:2px 5px;background:rgba(0,0,0,0.20);border-radius:4px;right:8px"]) +aliexpress.com,aliexpress.us##a[class^="manhattan--container--"][class*="main--card--"]:has(span[style="background: rgba(0, 0, 0, 0.2); position: absolute; top: 8px; color: rgb(255, 255, 255); padding: 2px 5px; border-radius: 4px; right: 8px;"]) +yandex.com##a[href^="https://yandex.ru/an/count/"] +digg.com##article.fp-vertical-story:has(a[href="/channel/digg-pick"]) +digg.com##article.fp-vertical-story:has(a[href="/channel/promotion"]) +9gag.com##article:has(.promoted) +mg.co.za##article:has(.sponsored-single) +tympanus.net##article:has(header:has(.ct-sponsored)) +foxnews.com##article[class|="article story"]:has(.sponsored-by) +cruisecritic.co.uk##article[data-sentry-component="ContentCard"]:has(a[href^="/sponsored-content/"]) +kijijiautos.ca##article[data-testid="SearchResultListItem"]:has(span[data-testid="PromotionLabel"]) +twitter.com,x.com##article[data-testid="tweet"]:has(path[d$="10H8.996V8h7v7z"]) +thetimes.com##article[id="article-main"] > div:has(#ad-header) +psychcentral.com##aside:has([data-empty]) +vidplay.lol##body > div > div[class][style]:has(> div > div > a[target="_blank"]) +wolt.com##button:has(> div > div > div > span:has-text(Sponsored)) +countdown.co.nz##cdx-card:has(product-badge-list) +creepypasta.com##center:has(+ #ad-container-1) +hashrate.no##center:has(.sevioads) +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##div > div:has([data-testid="banner-spr-label"]) +inverse.com##div > p + div:has(amp-ad) +outlook.live.com##div.customScrollBar > div > div[id][class]:has(img[src$="/images/ads-olk-icon.png"]) +flightradar24.com##div.items-center.justify-center:has(> div#pb-slot-fr24-airplane:empty) +appleinsider.com##div.main-art:has-text(Sponsored Content) +costco.ca##div.product:has(.criteo-sponsored) +thebay.com##div.product:has(div.citrus-sponsored) +meijer.com##div.slick-slide:has(.product-tile__sponsored) +healthyrex.com##div.textwidget:has(a[rel="nofollow sponsored"]) +bestbuy.ca##div.x-productListItem:has([class^="sponsoredProduct"]) +timesnownews.com,zoomtventertainment.com##div:has(> .bggrayAd) +newsfirst.lk##div:has(> [class*="hide_ad"]) +fandomwire.com##div:has(> [data-openweb-ad]) +doordash.com##div:has(> a[data-anchor-id="SponsoredStoreCard"]) +wolt.com##div:has(> div > div > div > div > div > p:has-text(Sponsored)) +outlook.live.com##div:has(> div > div.fbAdLink) +tripadvisor.com##div:has(> div > div[class="ui_column ovNFo is-3"]) +tripadvisor.com##div:has(> div[class="ui_columns is-multiline "]) +heb.com##div:has(> div[id^="hrm-banner-shotgun"]) +webtools.fineaty.com##div[class*=" hidden-"]:has(.adsbygoogle) +shoprite.com##div[class*="Row--"]:has(img[src*="/PROMOTED-TAG_"]) +aliexpress.com,aliexpress.us##div[class*="search-item-card-wrapper-"]:has(span[class^="multi--ad-"]) +qwant.com##div[class="_2NDle"]:has(div[data-testid="advertiserAdsDisplayUrl"]) +walmart.com##div[class="mb1 ph1 pa0-xl bb b--near-white w-25"]:has(div[data-ad-component-type="wpa-tile"]) +radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se##div[class] > div[class]:has(> div[class] > div[id^="RAD_D_"]) +androidauthority.com##div[class]:has(> .pw-incontent) +androidauthority.com##div[class]:has(> [data-ad-type="leaderboard_atf"]) +scribd.com##div[class]:has(> [data-e2e="dismissible-ad-header-scribd_adhesion"]) +dearbornmarket.com,fairwaymarket.com,gourmetgarage.com,priceritemarketplace.com,shoprite.com,thefreshgrocer.com##div[class^="ColListing"]:has(div[data-testid^="Sponsored"]) +wish.com##div[class^="ProductGrid__FeedTileWidthWrapper-"]:has(div[class^="DesignSpec__TextSpecWrapper-"][color="#6B828F"]:not([data-testid])) +wish.com##div[class^="ProductTray__ProductStripItem-"]:has(div[class^="DesignSpec__TextSpecWrapper-"][color="#6B828F"][data-testid] + div[class^="DesignSpec__TextSpecWrapper-"][color="#6B828F"]) +virginradio.co.uk##div[class^="css-"]:has(> .ad-outline) +flickr.com##div[class^="main view"]:has(a[href$="&ref=sponsored"]) +cargurus.com##div[data-cg-ft="car-blade"]:has(div[data-cg-ft="sponsored-listing-badge"]) +abcnews.go.com##div[data-container="band"]:has(> div > div[data-box-type="fitt-adbox-thinbannerhome"]) +rakuten.com##div[data-productid]:has(div.productList_sponsoredAds_RUS) +cruisecritic.co.uk##div[data-sentry-component="CruiseCard"]:has(a[rel="sponsored"]) +priceline.com##div[data-testid="HTL_NEW_LISTING_CARD_RESP"]:has(a[aria-label*=" Promoted"]) +twitter.com,x.com##div[data-testid="UserCell"]:has(path[d$="10H8.996V8h7v7z"]) +twitter.com,x.com##div[data-testid="eventHero"]:has(path[d$="10H8.996V8h7v7z"]) +twitter.com,x.com##div[data-testid="placementTracking"]:has(div[data-testid$="-impression-pixel"]) +booking.com##div[data-testid="property-card"]:has(div[data-testid="new-ad-design-badge"]) +twitter.com,x.com##div[data-testid="trend"]:has(path[d$="10H8.996V8h7v7z"]) +puzzle-aquarium.com,puzzle-battleships.com,puzzle-binairo.com,puzzle-bridges.com,puzzle-chess.com,puzzle-dominosa.com,puzzle-futoshiki.com,puzzle-galaxies.com,puzzle-heyawake.com,puzzle-hitori.com,puzzle-jigsaw-sudoku.com,puzzle-kakurasu.com,puzzle-kakuro.com,puzzle-killer-sudoku.com,puzzle-light-up.com,puzzle-lits.com,puzzle-loop.com,puzzle-masyu.com,puzzle-minesweeper.com,puzzle-nonograms.com,puzzle-norinori.com,puzzle-nurikabe.com,puzzle-pipes.com,puzzle-shakashaka.com,puzzle-shikaku.com,puzzle-shingoki.com,puzzle-skyscrapers.com,puzzle-slant.com,puzzle-star-battle.com,puzzle-stitches.com,puzzle-sudoku.com,puzzle-tapa.com,puzzle-tents.com,puzzle-thermometers.com,puzzle-words.com##div[id]:has(> #bannerSide) +puzzle-aquarium.com,puzzle-battleships.com,puzzle-binairo.com,puzzle-bridges.com,puzzle-chess.com,puzzle-dominosa.com,puzzle-futoshiki.com,puzzle-galaxies.com,puzzle-heyawake.com,puzzle-hitori.com,puzzle-jigsaw-sudoku.com,puzzle-kakurasu.com,puzzle-kakuro.com,puzzle-killer-sudoku.com,puzzle-light-up.com,puzzle-lits.com,puzzle-loop.com,puzzle-masyu.com,puzzle-minesweeper.com,puzzle-nonograms.com,puzzle-norinori.com,puzzle-nurikabe.com,puzzle-pipes.com,puzzle-shakashaka.com,puzzle-shikaku.com,puzzle-shingoki.com,puzzle-skyscrapers.com,puzzle-slant.com,puzzle-star-battle.com,puzzle-stitches.com,puzzle-sudoku.com,puzzle-tapa.com,puzzle-tents.com,puzzle-thermometers.com,puzzle-words.com##div[id]:has(> #bannerTop) +truthsocial.com##div[item="[object Object]"]:has(path[d="M17 7l-10 10"]) +truthsocial.com##div[item="[object Object]"]:has(path[d="M9.83333 1.83398H16.5M16.5 1.83398V8.50065M16.5 1.83398L9.83333 8.50065L6.5 5.16732L1.5 10.1673"]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[style="max-width: 390px; min-width: 190px;"]:has(a[href^="/ads/"]) +thisday.app##div[style="min-height: 340px;"]:has(div.ad) +nicelocal.com##div[style="min-height: 600px;"]:has(iframe[id^="google_ads_"]) +nicelocal.com##div[style="min-height: 90px;"]:has(iframe[id^="google_ads_"]) +tartaria-faucet.net##div[style^="display"]:has([src^="https://multiwall-ads.shop/"]) +douglas.*##.product-grid-column:has(.product-tile__sponsored) +douglas.*##.swiper-slide:has(button[data-testid="sponsored-button"]) +douglas.*##div.product-grid-column:has(button[data-testid="sponsored-button"]) +90min.com##figure:has(> div > #mm-player-placeholder-large-screen) +gamereactor.*###videoContainer:has(> [id^="videoContent-videoad-"]) +nex-software.com##h4:has(a[href$="/reimage"]) +walmart.com##li.items-center:has(div[data-ad-component-type="wpa-tile"]) +walgreens.com##li.owned-brands:has(figure.sponsored) +macys.com##li.productThumbnailItem:has(.sponsored-items-label) +kohls.com##li.products_grid:has(p.piq-sponsored) +streeteasy.com##li.searchCardList--listItem:has(.jsSponsoredListingCard) +autotrader.co.uk##li:has(section[data-testid="trader-seller-listing"] > span[data-testid="FEATURED_LISTING"]) +autotrader.co.uk##li:has(section[data-testid="trader-seller-listing"] > span[data-testid="PROMOTED_LISTING"]) +bbc.com##li[class*="-ListItem"]:has(div.dotcom-ad) +yandex.com##li[class*="_card"]:has(a[href^="https://yabs.yandex.ru/count/"]) +yandex.com##li[class*="_card"]:has(a[href^="https://yandex.com/search/_crpd/"]) +yahoo.com##li[class="first"]:has([data-ylk*="affiliate_link"]) +zillow.com##li[class^="ListItem-"]:has(#nav-ad-container) +dictionary.com,thesaurus.com##main div[class]:has(> [data-type="ad-vertical"]) +globalchinaev.com##p.content-center:has-text(ADVERTISEMENT) +sciencenews.org##p:has-text(Sponsor Message) +provigo.ca#?#.css-1nhzth8:-abp-contains(/sponsorisé|sponsored/) +rome2rio.com#?#div[aria-labelledby="schedules-header"] > div > div:-abp-contains(Ad) +windowsreport.com##section.hide-mbl:has(a[href^="https://out.reflectormedia.com/"]) +hwbusters.com##section.widget:has(> div[data-hwbus-trackbid]) +thehansindia.com##section:has(> .to-be-async-loaded-ad) +thehansindia.com##section:has(> [class*="level_ad"]) +homedepot.com##section[id^="browse-search-pods-"] > div.browse-search__pod:has(div.product-sponsored) +fxempire.com##span[display="inline-block"]:has-text(Advertisement) +mirrored.to##tbody > tr:has(> td[data-label="Host"] > img[src="https://www.mirrored.to/templates/mirrored/images/hosts/FilesDL.png"]) +titantv.com##tr:has(> td[align="center"][valign="middle"][colspan="2"][class="gC"]) +opensubtitles.org##tr[style]:has([src*="php"]) +tripadvisor.*##section[data-automation$="_AdPlaceholder"]:has(.txxUo) +tripadvisor.*#?#[data-automation="crossSellShelf"] div:has(> span:-abp-contains(Sponsored)) +tripadvisor.*#?#[data-automation="relatedStories"] div > div:has(a:-abp-contains(SPONSORED)) +oneindia.com##ul > li:has(> div[class^="adg_"]) +bleepingcomputer.com##ul#bc-home-news-main-wrap > li:has-text(Sponsored) +! curseforge/modrinth +modrinth.com##.normal-page__content [href*="bisecthosting.com/"] > img +modrinth.com##.normal-page__content [href^="http://bloom.amymialee.xyz"] > img +modrinth.com##.normal-page__content [href^="https://billing.apexminecrafthosting.com/"] > img +modrinth.com##.normal-page__content [href^="https://billing.bloom.host/"] > img +modrinth.com##.normal-page__content [href^="https://billing.ember.host/"] > img +modrinth.com##.normal-page__content [href^="https://billing.kinetichosting.net/"] > img +modrinth.com##.normal-page__content [href^="https://mcph.info/"] > img +modrinth.com##.normal-page__content [href^="https://meloncube.net/"] > img +modrinth.com##.normal-page__content [href^="https://minefort.com/"] > img +modrinth.com##.normal-page__content [href^="https://nodecraft.com/"] > img +modrinth.com##.normal-page__content [href^="https://scalacube.com/"] > img +modrinth.com##.normal-page__content [href^="https://shockbyte.com/"][href*="/partner/"] > img +modrinth.com##.normal-page__content [href^="https://www.akliz.net/"] > img +modrinth.com##.normal-page__content [href^="https://www.ocean-hosting.top/"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="billing.apexminecrafthosting.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="billing.bloom.host"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="billing.ember.host"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="billing.kinetichosting.net"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="bisecthosting.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="mcph.info"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="meloncube.net"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="minefort.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="nodecraft.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="scalacube.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="shockbyte.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="www.ocean-hosting.top"] > img +! taboola +nme.com###taboola-below-article +oneindia.com###taboola-mid-article-thumbnails +the-independent.com###taboola-mid-article-thumbnails-ii +independent.co.uk,the-independent.com###taboola-mid-article-thumbnails-iii +lifeandstylemag.com###taboola-right-rail-thumbnails +nbsnews.com##.TaboolaFeed +ndtv.com##.TpGnAd_ad-cn +hindustantimes.com##.ht_taboola +financialexpress.com##.ie-network-taboola +indianexpress.com##.o-taboola-story +6abc.com,abcnews.go.com##.taboola +kotaku.com,theonion.com,theroot.com##.taboola-container +firstpost.com##.taboola-div +ndtv.com##[class^="ads_"] +ndtv.com##div:has(> [id^="adslot"]) +weather.com##div[id*="Taboola-sidebar"] +weather.com##div[id^="Taboola-main-"] +drivespark.com,express.co.uk,goodreturns.in##div[id^="taboola-"] +mail.aol.com##li:has(a[data-test-id="pencil-ad-messageList"]) +linkvertise.com##lv-taboola-ctr-ad-dummy +filmibeat.com,gizbot.com,oneindia.com##ul > li:has(> div[id^="taboola-mid-home-stream"]) +! firework +ndtv.com,ndtv.in##[class^="firework"] +ndtv.com,ndtv.in##[id^="firework"] +! Abusive Adcompanies +a-ads.com,ad-maven.com,adcash.com,admitad.com,adskeeper.co.uk,adskeeper.com,adspyglass.com,adstracker.info,adsupply.com,adsupplyads.com,adsupplyads.net,chpadblock.com,exoclick.com,hilltopads.com,join-admaven.com,joinpropeller.com,juicyads.com,luckyads.pro,monetag.com,myadcash.com,popads.net,propellerads.com,purpleads.io,trafficshop.com,yavli.com##HTML +! Eurosport/TNTSports +##.ad-fallback +##.ad.reform-top +##.reform-top-container +! Amazon +amazon.*###nav-swmslot +amazon.*###sc-rec-bottom +amazon.*###sc-rec-right +amazon.*###similarities_feature_div:has(span.sponsored_label_tap_space) +amazon.*###sponsoredProducts2_feature_div +amazon.*###sponsoredProducts_feature_div +amazon.*###typ-recommendations-stripe-1 +amazon.*###typ-recommendations-stripe-2 +amazon.*##.amzn-safe-frame-container +amazon.*##.dp-widget-card-deck:has([data-ad-placement-metadata]) +amazon.*##.s-result-item:has([data-ad-feedback]) +amazon.*##.s-result-item:has(div.puis-sponsored-label-text) +amazon.*##.s-result-list > .a-section:has(.sbv-ad-content-container) +amazon.*##.sbv-video-single-product +amazon.*##[cel_widget_id*="-creative-desktop_loom-desktop-"] +amazon.*##div.s-inner-result-item > div.sg-col-inner:has(a.puis-sponsored-label-text) +amazon.*##div[cel_widget_id*="_ad-placements-"] +amazon.*##div[cel_widget_id*="Deals3Ads"] +amazon.*##div[cel_widget_id*="desktop-dp-"] +amazon.*##div[cel_widget_id="sp-orderdetails-desktop-carousel_desktop-yo-orderdetails_0"] +amazon.*##div[cel_widget_id="sp-orderdetails-mobile-list_mobile-yo-orderdetails_0"] +amazon.*##div[cel_widget_id="sp-pop-mobile-carousel_mobile-yo-postdelivery_0"] +amazon.*##div[cel_widget_id="sp-rhf-desktop-carousel_desktop-rhf_0"] +amazon.*##div[cel_widget_id="sp-shiptrack-desktop-carousel_desktop-yo-shiptrack_0"] +amazon.*##div[cel_widget_id="sp-shiptrack-mobile-list_mobile-yo-shiptrack_0"] +amazon.*##div[cel_widget_id="sp-typ-mobile-carousel_mobile-typ-carousels_2"] +amazon.*##div[cel_widget_id="sp_phone_detail_thematic"] +amazon.*##div[cel_widget_id="typ-ads"] +amazon.*##div[cel_widget_id^="adplacements:"] +amazon.*##div[cel_widget_id^="LEFT-SAFE_FRAME-"] +amazon.*##div[cel_widget_id^="MAIN-FEATURED_ASINS_LIST-"] +amazon.*##div[cel_widget_id^="multi-brand-"] +amazon.*##div[cel_widget_id^="sp-desktop-carousel_handsfree-browse"] +amazon.*##div[class*="_dpNoOverflow_"][data-idt] +amazon.*##div[class*="SponsoredProducts"] +amazon.*##div[data-a-carousel-options*="\\\"isSponsoredProduct\\\":\\\"true\\\""] +amazon.*##div[data-ad-id] +amazon.*##div[data-cel-widget="sp-rhf-desktop-carousel_desktop-rhf_1"] +amazon.*##div[data-cel-widget="sp-shiptrack-desktop-carousel_desktop-yo-shiptrack_0"] +amazon.*##div[data-cel-widget^="multi-brand-video-mobile_DPSims_"] +amazon.*##div[data-cel-widget^="multi-card-creative-desktop_loom-desktop-top-slot_"] +amazon.*##div[data-csa-c-painter="sp-cart-mobile-carousel-cards"] +amazon.*##div[data-csa-c-slot-id^="loom-mobile-brand-footer-slot_hsa-id-"] +amazon.*##div[data-csa-c-slot-id^="loom-mobile-top-slot_hsa-id-"] +amazon.*##div[id^="sp_detail"] +amazon.*##span[cel_widget_id^="MAIN-FEATURED_ASINS_LIST-"] +amazon.*##span[cel_widget_id^="MAIN-loom-desktop-brand-footer-slot_hsa-id-CARDS-"] +amazon.*##span[cel_widget_id^="MAIN-loom-desktop-top-slot_hsa-id-CARDS-"] +! +modivo.at,modivo.bg,modivo.cz,modivo.de,modivo.ee,modivo.fr,modivo.gr,modivo.hr,modivo.hu,modivo.it,modivo.lt,modivo.lv,modivo.pl,modivo.ro,modivo.si,modivo.sk,modivo.ua##.display-container +modivo.at,modivo.bg,modivo.cz,modivo.de,modivo.ee,modivo.fr,modivo.gr,modivo.hr,modivo.hu,modivo.it,modivo.lt,modivo.lv,modivo.pl,modivo.ro,modivo.si,modivo.sk,modivo.ua##.promoted-slider-wrapper +chaussures.fr,eapavi.lv,ecipele.hr,ecipo.hu,eobuv.cz,eobuv.sk,eobuwie.com.pl,epantofi.ro,epapoutsia.gr,escarpe.it,eschuhe.at,eschuhe.ch,eschuhe.de,eskor.se,evzuttya.com.ua,obuvki.bg,zapatos.es##.sponsored-slider-wrapper +! Expedia +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com###floating-lodging-card:has(a.uitk-card-link[href*="&trackingData="]) +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##.uitk-card:has(.uitk-badge-sponsored) +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##[data-stid="meso-similar-properties-carousel"] +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div.not_clustered[id^="map-container-"] +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div[class="uitk-spacing uitk-spacing-margin-blockstart-three"]:has(a[href*="&trackingData"]) +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div[class="uitk-spacing uitk-spacing-margin-blockstart-three"]:has(a[href^="https://adclick.g.doubleclick.net/pcs/click?"]) +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div[class="uitk-spacing uitk-spacing-margin-blockstart-three"]:has(a[href^="https://pagead2.googlesyndication.com/"]) +! Skyscanner +skyscanner.*,tianxun.com##[class^="FlightsResults"] > div:has([class^="Sponsored"]) +skyscanner.*,tianxun.com##div > a:has(div[class^="DefaultBanner_sponsorshipRow"]) +skyscanner.*,tianxun.com##div:has(> a[data-testid="inline-brand-banner"]) +skyscanner.*,tianxun.com##div[class*="InlineBrandBanner" i]:has(button[class*="SponsoredInfoButton" i]) +skyscanner.*,tianxun.com##div[class*="ItineraryInlinePlusWrapper" i]:has(button[class*="SponsoredInfoButton" i]) +skyscanner.*,tianxun.com##div[class^="ItineraryInlinePlusWrapper_"]:has(button[class^="SponsoredInfoButton_"]) +skyscanner.*,tianxun.com##div[id*="-first-result" i]:has(button[class*="SponsoredInfoButton" i]) +skyscanner.*,tianxun.com##section[data-testid="inline-ad-panel-desktop-layout"] +! ad insertition https://chromewebstore.google.com/detail/idgpnmonknjnojddfkpgkljpfnnfcklj +www.google.*###google-s-ad +! invideo advertising +gunsandammo.com###VideoPlayerDivIframe +usnews.com###ac-lre-player-ph +ew.com###article__primary-video-jw_1-0 +wral.com###exco +factinate.com###factinateVidazoo +ispreview.co.uk###footer-slot-3 +ginx.tv###ginx-floatingvod-containerspacer +ibtimes.com###ibt-video +gunsandammo.com###inline-player +pubs.rsc.org###journal-info > .text--centered +forums.whathifi.com###jwplayer-container-div +express.co.uk###mantis-recommender-top-placeholder +ispreview.co.uk###mobile-takeover-slot-8 +express.co.uk,the-express.com###ovp-primis +blackamericaweb.com,bossip.com,cassiuslife.com,charlieintel.com,dexerto.com,hiphopwired.com,madamenoire.com,newsone.com,tvone.tv###player-wrapper +bar-planb.com###player_dev +essentiallysports.com###player_stn-player__Dybik +techlicious.com###primis-incontent-desktop +charlieintel.com,dexerto.com###primis-player +flightradar24.com###primisAdContainer +freethesaurus.com###qk1 +freethesaurus.com###qk2 +freethesaurus.com###qk5 +realclearpolitics.com###realclear_jwplayer_container +ispreview.co.uk###sidebar-slot-5 +wideopencountry.com###sv-video-container +uproxx.com###upx-mm-player-wrap +wideopencountry.com###video-header +sportskeeda.com###video-player-container-- +onlyinyourstate.com###video1-1 +newseveryday.com###vplayer_large +tvline.com##._video_ti56x_1 +musictimes.com,techtimes.com##.ad_wrapper_video +indy100.com##.addressed_cls +androidheadlines.com,gcaptain.com,mp1st.com,thedebrief.org,unofficialnetworks.com##.adthrive +muscleandfitness.com##.ami-video-placeholder +telegraph.co.uk##.article-betting-unit-container +financemagnates.com##.article-sidebar__video-banner +ibtimes.com,sciencetimes.com##.article-videoplayer +people.com##.article__broad-video +digitaltrends.com##.b-connatix +bmwblog.com##.bmwbl-video-in-content +washingtonexaminer.com##.bridtv +pedestrian.tv##.brightcove-video-container +military.com##.brightcove-video-wrapper +cnet.com,zdnet.com##.c-avStickyVideo +stuff.tv##.c-squirrel-embed +cartoonbrew.com##.cb-ad +rd.com,tasteofhome.com##.cnx-inline-player-wrapper +mb.com.ph##.code-block +techwalla.com##.component-article-section-jwplayer-wrapper +livestrong.com##.component-article-section-votd +accuweather.com##.connatix-player +familystylefood.com##.email-highlight +comicbook.com##.embedVideoContainer +taskandpurpose.com##.empire-unit-prefill-container +europeanpharmaceuticalreview.com##.europ-fixed-footer +accuweather.com##.feature-tag +ibtimes.sg##.featured_video +pedestrian.tv##.find-dream-job +sportbible.com,unilad.com##.floating-video-player_container__u4D9_ +dailymail.co.uk##.footballco-container +redboing.com##.fw-ad +foxsports.com##.fwAdContainer +thestar.co.uk##.gOoqzH +electricianforum.co.uk##.gb-sponsored +arboristsite.com##.gb-sponsored-wrapper +givemesport.com##.gms-videos-container +gamesradar.com##.in-article +bringmethenews.com,mensjournal.com,thestreet.com##.is-fallback-player +gmanetwork.com##.ivs-placeholder +evoke.ie##.jw-player-video-widget +anandtech.com##.jwplayer +gamesradar.com,livescience.com,tomshardware.com,whathifi.com##.jwplayer__widthsetter +space.com##.jwplayer__wrapper +southernliving.com##.karma-sticky-rail +gearjunkie.com##.ldm_ad +usmagazine.com##.lead-container +thespun.com##.m-video-player +ispreview.co.uk##.midarticle-slot-10 +insideevs.com##.minutely_video_wrap +zerohedge.com##.mixed-unit-ac +lifewire.com##.mntl-jwplayer-broad +respawnfirst.com##.mv-ad-box +bestrecipes.com.au,delicious.com.au,taste.com.au##.news-video +newsnationnow.com##.nxs-player-wrapper +pagesix.com##.nyp-video-player +picrew.me##.play-Imagemaker_Footer +sciencetimes.com##.player +bossip.com##.player-wrapper-inner +swimswam.com##.polls-461 +baseball-reference.com,basketball-reference.com,fbref.com,hockey-reference.com,pro-football-reference.com,sports-reference.com##.primis +appleinsider.com##.primis-ad-wrap +themarysue.com##.primis-player-container +iheart.com##.provider-stn +pedestrian.tv##.recent-jobs-widget +kidspot.com.au##.secondary-video +pedestrian.tv##.sticky-item-group +playbuzz.com##.stickyplayer-container +si.com##.style_hfl21i-o_O-style_uhlm2 +gazette.com##.tnt-section-sponsored +thegrio.com##.tpd-featured-video +bestlifeonline.com,eatthis.com,hellogiggles.com##.vi-video-wrapper +gamesradar.com,tomsguide.com,tomshardware.com,whathifi.com##.vid-present +sportskeeda.com##.vidazoo-player-container +justthenews.com##.video +petapixel.com##.video-aspect-wrapper +bowhunter.com,firearmsnews.com,flyfisherman.com,gameandfishmag.com,gunsandammo.com,handgunsmag.com,in-fisherman.com,northamericanwhitetail.com,petersenshunting.com,rifleshootermag.com,shootingtimes.com,wildfowlmag.com##.video-detail-player +fodors.com##.video-inline +gearjunkie.com##.video-jwplayer +hiphopdx.com##.video-player +bolavip.com##.video-player-placeholder +benzinga.com##.video-player-wrapper +thepinknews.com##.video-player__container +tasty.co##.video-wrap +dpreview.com##.videoWrapper +consequence.net##.video_container +thewrap.com##.wp-block-post-featured-image--video +comicbook.com##.wp-block-savage-platform-primis-video +thecooldown.com##.wp-block-tcd-multipurpose-gutenberg-block +bigthink.com##.wrapper-connatixElements +bigthink.com##.wrapper-connatixPlayspace +global.espreso.tv##.ym-video--wrapper +totalprosports.com##[data-stn-player="n2psbctm"] +worldsoccertalk.com##[id*="primis_"] +offidocs.com##[id^="ja-container-prev"] +hollywoodreporter.com##[id^="jwplayer"] +ukrinform.de,ukrinform.es,ukrinform.fr,ukrinform.jp,ukrinform.net,ukrinform.pl,ukrinform.ua##[style^="min-height: 280px;"] +wlevradio.com##a[href^="https://omny.fm/shows/just-start-the-conversation"] +firstforwomen.com##div[class^="article-content__www_ex_co_video_player_"] +balls.ie##div[style="min-height: 170px;"] +! dark pattern adverts +burnerapp.com##.exit__overlay +booking.com##.js_sr_persuation_msg +booking.com##.sr-motivate-messages +! Google https://forums.lanik.us/viewtopic.php?f=62&t=45153 +##.section-subheader > .section-hotel-prices-header +! yahoo +yahoo.com###Horizon-ad +yahoo.com###Lead-0-Ad-Proxy +yahoo.com###adsStream +yahoo.com###defaultLREC +finance.yahoo.com###mrt-node-Lead-0-Ad +sports.yahoo.com###mrt-node-Lead-1-Ad +sports.yahoo.com###mrt-node-Primary-0-Ad +sports.yahoo.com###mrt-node-Secondary-0-Ad +yahoo.com###sda-Horizon +yahoo.com###sda-Horizon-viewer +yahoo.com###sda-LDRB +yahoo.com###sda-LDRB-iframe +yahoo.com###sda-LDRB2 +yahoo.com###sda-LREC +yahoo.com###sda-LREC-iframe +yahoo.com###sda-LREC2 +yahoo.com###sda-LREC2-iframe +yahoo.com###sda-LREC3 +yahoo.com###sda-LREC3-iframe +yahoo.com###sda-LREC4 +yahoo.com###sda-MAST +yahoo.com###sda-MON +yahoo.com###sda-WFPAD +yahoo.com###sda-WFPAD-1 +yahoo.com###sda-WFPAD-iframe +yahoo.com###sda-wrapper-COMMENTSLDRB +mail.yahoo.com###slot_LREC +yahoo.com###viewer-LDRB +yahoo.com###viewer-LREC2 +yahoo.com###viewer-LREC2-iframe +yahoo.com##.Feedback +finance.yahoo.com##.ad-lrec3 +yahoo.com##.ads +yahoo.com##.caas-da +yahoo.com##.darla +yahoo.com##.darla-container +yahoo.com##.darla-lrec-ad +yahoo.com##.darla_ad +yahoo.com##.ds_promo_ymobile +finance.yahoo.com##.gam-placeholder +yahoo.com##.gemini-ad +yahoo.com##.gemini-ad-feedback +yahoo.com##.item-beacon +yahoo.com##.leading-3:has-text(Advertisement) +yahoo.com##.mx-\[-50vw\] +yahoo.com##.ntk-ad-item +sports.yahoo.com##.post-article-ad +finance.yahoo.com##.sdaContainer +yahoo.com##.searchCenterBottomAds +yahoo.com##.searchCenterTopAds +search.yahoo.com##.searchRightBottomAds +search.yahoo.com##.searchRightTopAds +yahoo.com##.sys_shopleguide +yahoo.com##.top-\[92px\] +yahoo.com##.viewer-sda-container +yahoo.com##[data-content="Advertisement"] +mail.yahoo.com##[data-test-id="gam-iframe"] +mail.yahoo.com##[data-test-id="leaderboard-ad-mobile"] +mail.yahoo.com##[data-test-id^="pencil-ad"] +mail.yahoo.com##[data-test-id^="taboola-ad-"] +yahoo.com##[data-wf-beacons] +finance.yahoo.com##[id^="defaultLREC"] +www.yahoo.com##[id^="mid-center-ad"] +mail.yahoo.com##[rel="noreferrer"][data-test-id][href^="https://beap.gemini.yahoo.com/mbclk?"] +yahoo.com##a[data-test-id="large-image-ad"] +mail.yahoo.com##article[aria-labelledby*="-pencil-ad-"] +www.yahoo.com##body#news-content-app li:has(.inset-0) +www.yahoo.com##body.font-yahoobeta > div.items-center:has(style) +yahoo.com##div[class*="ads-"] +yahoo.com##div[class*="gemini-ad"] +yahoo.com##div[data-beacon] > div[class*="streamBoxShadow"] +yahoo.com##div[id*="ComboAd"] +yahoo.com##div[id^="COMMENTSLDRB"] +yahoo.com##div[id^="LeadAd-"] +yahoo.com##div[id^="darla-ad"] +yahoo.com##div[id^="defaultWFPAD"] +yahoo.com##div[id^="gemini-item-"] +yahoo.com##div[style*="/ads/"] +mail.yahoo.com##li:has(a[href^="https://api.taboola.com/"]) +yahoo.com##li[data-test-locator="stream-related-ad-item"] +! youtube +youtube.com###masthead-ad +youtube.com###mealbar-promo-renderer +youtube.com###player-ads +youtube.com###shorts-inner-container > .ytd-shorts:has(> .ytd-reel-video-renderer > ytd-ad-slot-renderer) +youtube.com##.YtdShortsSuggestedActionStaticHostContainer +youtube.com##.ytd-merch-shelf-renderer +www.youtube.com##.ytp-featured-product +youtube.com##.ytp-suggested-action > button.ytp-suggested-action-badge +m.youtube.com##lazy-list > ad-slot-renderer +youtube.com##ytd-ad-slot-renderer +youtube.com##ytd-rich-item-renderer:has(> #content > ytd-ad-slot-renderer) +youtube.com##ytd-search-pyv-renderer +m.youtube.com##ytm-companion-slot[data-content-type] > ytm-companion-ad-renderer +m.youtube.com##ytm-rich-item-renderer > ad-slot-renderer +! Site Specific filters (used with $generichide) +thefreedictionary.com###Content_CA_AD_0_BC +thefreedictionary.com###Content_CA_AD_1_BC +instapundit.com###adspace_top > .widget-ad__content +sonichits.com###bottom_ad +sonichits.com###divStickyRight +spanishdict.com###removeAdsSidebar +sonichits.com###right-ad +ldoceonline.com###rightslot2-container +sonichits.com###top-ad-outer +sonichits.com###top-top-ad +plagiarismchecker.co###topbox +spanishdict.com##.ad--1zZdAdPU +tweaktown.com##.adcon +geekzone.co.nz##.adsbygoogle +apkmirror.com##.ains-apkm_outbrain_ad +tweaktown.com##.center-tag-rightad +rawstory.com##.connatix-hodler +apkmirror.com##.ezo_ad +patents.justia.com##.jcard[style="min-height:280px; margin-bottom: 10px;"] +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.js-results-ads +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.js-sidebar-ads > .nrn-react-div +boatsonline.com.au,yachthub.com##.js-sticky +history.com##.m-balloon-header--ad +history.com##.m-in-content-ad +history.com##.m-in-content-ad-row +spiegel.de##.ob-dynamic-rec-container.ob-p +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.results--ads +mail.google.com##a[href^="http://li.blogtrottr.com/click?"] +geekzone.co.nz##div.cornered.box > center +apkmirror.com##div[id^="adtester-container-"] +yandex.com##div[id^="yandex_ad"] +! Google +www.google.*###tads[aria-label] +www.google.*###tadsb[aria-label] +www.google.*##.commercial-unit-desktop-rhs:not(.mnr-c) +www.google.*##.commercial-unit-mobile-top > div[data-pla="1"] +www.google.*##.cu-container +www.google.*##.ltJjte +www.google.*##.OcdnDb +www.google.*##.OcdnDb + .fp2VUc +www.google.*##.OcdnDb + .PbZDve +www.google.*##.OcdnDb + .PbZDve + .m6QErb +www.google.*##.uEierd +www.google.*##a[href^="/aclk?sa="][href*="&adurl=&placesheetAdFix=1"] +www.google.*##a[href^="/aclk?sa="][href*="&adurl=&placesheetAdFix=1"] + button +www.google.*##a[href^="https://www.googleadservices.com/pagead/aclk?"] +www.google.*##body#yDmH0d [data-is-promoted="true"] +www.google.*##c-wiz[jsrenderer="YTTf6c"] > .bhapoc.oJeWuf[jsname="bN97Pc"][data-ved] +www.google.*##div.FWfoJ > div[jsname="Nf35pd"] > div[class="R09YGb ilovz"] +www.google.*##div.sh-sr__shop-result-group[data-hveid]:has(g-scrolling-carousel) +www.google.*##div[class="Nv2PK THOPZb CpccDe "]:has(.OcdnDb) +www.google.*##div[data-ads-title="1"] +www.google.*##div[data-attrid="kc:/local:promotions"] +www.google.*##div[data-crl="true"][data-id^="CarouselPLA-"] +www.google.*##div[data-is-ad="1"] +www.google.*##div[data-is-promoted-hotel-ad="true"] +www.google.*##div[data-section-type="ads"] +www.google.*##div[jsdata*="CarouselPLA-"][data-id^="CarouselPLA-"] +www.google.*##div[jsdata*="SinglePLA-"][data-id^="SinglePLA-"] +www.google.*##html[itemtype="http://schema.org/SearchResultsPage"] #cnt div[class$="sh-sr__bau"] +www.google.*##html[itemtype="http://schema.org/SearchResultsPage"] #cnt div[class$="sh-sr__tau"][style] +! Filters for ABP testpages +testpages.adblockplus.org###abptest +testpages.eyeo.com###test-aa +testpages.eyeo.com###test-element-id +testpages.eyeo.com##.test-element-class +! MSN +msn.com###displayAdCard +msn.com###div[id^="mrr-topad-"] +msn.com###partners +msn.com###promotions +msn.com##.ad-banner-wrapper +msn.com##.articlePage_bannerAd_wrapper-DS-EntryPoint1-1 +msn.com##.articlePage_eoabNativeAd_new-DS-EntryPoint1-1 +msn.com##.bannerAdContainer-DS-EntryPoint1-1 +msn.com##.consumption-page-banner-wrapper +msn.com##.drrTopAdWrapper +msn.com##.eocb-ads +msn.com##.galleryPage_eoabContent_new-DS-EntryPoint1-1 +msn.com##.galleryPage_eoabNativeAd_new-DS-EntryPoint1-1 +msn.com##.intra-article-ad-full +msn.com##.intra-article-ad-half +msn.com##.modernRightRail_stickyTopBannerAd-DS-EntryPoint1-1 +msn.com##.modernRightRail_topAd_container_2col_newRR-DS-EntryPoint1-1 +msn.com##.outeradcontainer +msn.com##.qohvco-DS-EntryPoint1-1 +msn.com##.river-background +msn.com##.views-right-rail-top-display +msn.com##.views-right-rail-top-display-ad +msn.com##.windowsBannerAdContainer-DS-EntryPoint1-1 +msn.com##[class^="articlePage_eoabContent"] +msn.com##[data-m*="Infopane_CMSBasicCardstore_article"] +msn.com##a[aria-label="AliExpress"] +msn.com##a[aria-label="Amazon Assistant"] +msn.com##a[aria-label="Amazon"] +msn.com##a[aria-label="Bol.com"] +msn.com##a[aria-label="Booking.com"] +msn.com##a[aria-label="Ricardo"] +msn.com##a[aria-label="Today's Deals"] +msn.com##a[aria-label="eBay"] +msn.com##a[href*=".booking.com/"] +msn.com##a[href*="/aff_m?offer_id="] +msn.com##a[href*="?sub_aff_id="] +msn.com##a[href="https://aka.ms/QVC"] +msn.com##a[href^="https://amzn.to/"] +msn.com##a[href^="https://clk.tradedoubler.com/click?"] +msn.com##a[href^="https://clkde.tradedoubler.com/click?"] +msn.com##a[href^="https://disneyplus.bn5x.net/"] +msn.com##a[href^="https://prf.hn/click/camref:"] +msn.com##a[href^="https://ww55.affinity.net/"] +msn.com##above-river-block +msn.com##cs-native-ad-card +msn.com##cs-native-ad-card-24 +msn.com##cs-native-ad-card-no-hover +msn.com##div[class^="articlePage_topBannerAdContainer_"] +msn.com##div[class^="galleryPage_bannerAd"] +msn.com##div[id^="nativeAd"] +msn.com##div[id^="watch-feed-native-ad-"] +msn.com##li[data-m*="NativeAdItem"] > a > * +msn.com##li[data-provider="gemini"] +msn.com##li[data-provider="outbrain"] +msn.com##msft-article-card[class=""] +msn.com##msft-content-card[data-t*="NativeAd"] +msn.com##msft-content-card[href^="https://api.taboola.com/"] +msn.com##msft-content-card[id^="contentcard_nativead-"] +msn.com##msn-info-pane-panel[id^="tab_panel_nativead-"] +msn.com##partner-upsell-card +! Bing +bing.com###bepfo.popup[style^="visibility: visible"] +bing.com##.ad_sc +bing.com##.b_ad +bing.com##.b_adBottom +bing.com##.b_adLastChild +bing.com##.b_adPATitleBlock +bing.com##.b_spa_adblock +bing.com##.mapsTextAds +bing.com##.mma_il +bing.com##.pa_sb +bing.com##.productAd +bing.com##.text-ads-container +bing.com##[id$="adsMvCarousel"] +bing.com##a[href*="/aclick?ld="] +bing.com##cs-native-ad-card +bing.com##div[aria-label$="ProductAds"] +bing.com##div[class="ins_exp tds"] +bing.com##div[class="ins_exp vsp"] +bing.com##li[data-idx]:has(#mm-ebad) +! kayak +checkfelix.com,kayak.*,swoodoo.com###resultWrapper > div > div > [role="button"][tabindex="0"] > .yuAt-pres-rounded +checkfelix.com,kayak.*,swoodoo.com##.Dp1L +checkfelix.com,kayak.*,swoodoo.com##.ev1_-results-list > div > div > div > div.G-5c[role="tab"][tabindex="0"] > .yuAt-pres-rounded +checkfelix.com,kayak.*,swoodoo.com##.ev1_-results-list > div > div > div > div[data-resultid$="-sponsored"] +checkfelix.com,kayak.*,swoodoo.com##.EvBR +checkfelix.com,kayak.*,swoodoo.com##.IZSg-mod-banner +checkfelix.com,kayak.*,swoodoo.com##.J8jg:has(.J8jg-provider-ad-badge) +checkfelix.com,kayak.*,swoodoo.com##.nqHv-pres-three:has(div.nqHv-logo-ad-wrapper) +checkfelix.com,kayak.*,swoodoo.com##.resultsList > div > div > div > div.G-5c[role="tab"][tabindex="0"] > .yuAt-pres-rounded +checkfelix.com,kayak.*,swoodoo.com##.resultsList > div > div > div > div[data-resultid$="-sponsored"] +checkfelix.com,kayak.*,swoodoo.com##.YnaR +checkfelix.com,kayak.*,swoodoo.com##.zZcm-pres-three +checkfelix.com,kayak.*,swoodoo.com##div.PzK0-pres-default +checkfelix.com,kayak.*,swoodoo.com##div.YTRJ[role="button"][tabindex="0"] > .yuAt-pres-rounded +checkfelix.com,kayak.*,swoodoo.com##div[class$="-adWrapper"] +checkfelix.com,kayak.*,swoodoo.com##div[class*="-ad-card"] +checkfelix.com,kayak.*,swoodoo.com##div[class*="-adInner"] +checkfelix.com,kayak.*,swoodoo.com##div[data-resultid]:has(a.IZSg-adlink) +checkfelix.com,kayak.*,swoodoo.com##div[id^="inline-"] +! *** easylist:easylist/easylist_specific_hide_abp.txt *** +noon.com#?#.swiper-slide:-abp-contains(Sponsored) +tripadvisor.com#?#.AaFRW:-abp-contains(Sponsored) +shoprite.com##div[class^="Row"]:has(div[data-component] a[data-testid] picture source[media="(min-width: 1024px)"] + img[class*="ImageTextButtonImage"][src*=".jpg"]) +regexlearn.com#?#.w-full.mb-3:has(a[href="/learn/regex-for-seo"]) +kslnewsradio.com,ksltv.com,ktar.com#?#.wrapper:-abp-contains(Sponsored Articles) +shopee.sg#?#.shopee-search-item-result__item:-abp-contains(Ad) +shopee.sg#?#.shopee-header-section__content:-abp-contains(Ad) +kogan.com#?#.rs-infinite-scroll > div:-abp-contains(Sponsored) +kogan.com#?#._2EeeR:-abp-contains(Sponsored) +kogan.com#?#.slider-slide:-abp-contains(Sponsored) +euronews.com#?#.m-object:has(.m-object__quote:-abp-contains(/In partnership with|En partenariat avec|Mit Unterstützung von|In collaborazione con|En colaboración con|Em parceria com|Совместно с|ile birlikte|Σε συνεργασία με|Együttműködésben a|با همکاری|بالمشاركة مع/)) +nordstrom.com#?#ul[style^="padding: 0px; position: relative;"] > li[class]:-abp-contains(Sponsored) +loblaws.ca#?#[data-testid="product-grid"]>div:-abp-contains(Sponsored) +semafor.com#?#.suppress-rss:-abp-has(:-abp-contains(Supported by)) +atlanticsuperstore.ca,fortinos.ca,loblaws.ca,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#.chakra-container:-abp-contains(Sponsored) +shipt.com#?#li[class]:-abp-contains(Sponsored) +argos.co.uk#?#[data-test^="component-slider-slide-"]:-abp-contains(SPONSORED) +atlanticsuperstore.ca,fortinos.ca,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#[data-testid="card"]:-abp-contains(sponsored) +kijiji.ca#?#[data-testid^="listing-card-list-item-"]:-abp-contains(TOP AD) +atlanticsuperstore.ca,fortinos.ca,loblaws.ca,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#.product-tile-group__list__item:-abp-contains(Sponsored) +coles.com.au#?#.coles-targeting-UnitContainer:has(ul.product__top_messaging) +dev.to#?#.crayons-card:-abp-has(.sponsorship-dropdown) +ulta.com#?#li.ProductListingResults__productCard:has(.ProductCard__badge:-abp-contains(Sponsored)) +leadership.ng#?#.jeg_postblock:-abp-contains(SPONSORED) +acmemarkets.com,albertsons.com,andronicos.com,carrsqc.com,haggen.com,jewelosco.com,kingsfoodmarkets.com,pavilions.com,randalls.com,safeway.com,shaws.com,starmarket.com,tomthumb.com,vons.com#?#.product-card-col:-abp-contains(Sponsored) +agoda.com#?#.PropertyCardItem:-abp-has(div:-abp-contains(Promoted)) +alibaba.com#?#.J-offer-wrapper:-abp-contains(Top sponsor listing) +aliexpress.com#?##card-list > .search-item-card-wrapper-gallery:-abp-has(a.search-card-item[href*="&aem_p4p_detail="] div[class*="cards--image--"] > div[class*="multi--ax--"]:-abp-contains(/^(?:AD|An[uú]ncio|광고|広告)$/)):-abp-has(+ .search-item-card-wrapper-gallery a.search-card-item:not([href*="&aem_p4p_detail="])) +app.daily.dev#?#article:-abp-contains(Promoted) +backpack.tf,backpacktf.com#?#.panel:-abp-contains(createAd) +belloflostsouls.net#?#span.text-secondary:-abp-contains(Advertisement) +cointelegraph.com#?#li.group-\[\.inline\]\:mb-8:-abp-contains(Ad) +scamwarners.com#?#center:-abp-contains(Advertisement) +infographicjournal.com#?#.et_pb_widget:-abp-contains(Partners) +infographicjournal.com#?#.et_pb_module:-abp-contains(Partners) +infographicjournal.com#?#.et_pb_module:-abp-contains(Partners) + .et_pb_module +telugupeople.com#?#table:-abp-has(> tbody > tr > td > a:-abp-contains(Advertisements)) +yelp.at,yelp.be,yelp.ca,yelp.ch,yelp.cl,yelp.co.jp,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.ar,yelp.com.au,yelp.com.br,yelp.com.hk,yelp.com.mx,yelp.com.ph,yelp.com.sg,yelp.com.tr,yelp.cz,yelp.de,yelp.dk,yelp.es,yelp.fi,yelp.fr,yelp.ie,yelp.it,yelp.my,yelp.nl,yelp.no,yelp.pl,yelp.pt,yelp.se#?#main[class^="searchResultsContainer"] li h2:-abp-contains(Sponsored) +bleepingcomputer.com#?#.post_wrap:-abp-contains(AdBot) +bolnews.com#?#[style*="center"]:-abp-contains(Ad) +booking.com#?#div[data-testid="property-card"]:-abp-has(span:-abp-contains(Promoted)) +yourstory.com#?#[width]:-abp-contains(ADVERTISEMENT) +boots.com#?#.oct-listers-hits__item:-abp-contains(Sponsored) +deccanherald.com#?#div:-abp-has(> div > .ad-background) +deccanherald.com#?#div[style^="min-height"]:-abp-has(> div > div[id*="-ad-separator"]) +qz.com#?#div[class^="sc-"]:-abp-has(> div[is="bulbs-dfp"]) +qz.com#?#div[class^="sc-"]:-abp-has(> div[class="ad-unit"]) +china.ahk.de#?#.b-main__section:-abp-has(h2.homepage-headline:-abp-contains(Advertisement)) +producthunt.com#?#.text-12:-abp-contains(Promoted) +cleantechnica.com#?#.zox-side-widget:-abp-contains(/^Advertis/) +mapchart.net#?#.row:-abp-contains(Advertisement) +coinlisting.info#?#.panel:-abp-has(h3:-abp-contains(Sponsored Ad)) +coolors.co#?#a:-abp-has(div:last-child:-abp-contains(Hide)) +neowin.net#?#.ipsColumns_collapsePhone.classes:-abp-contains(Our Sponsors) +amusingplanet.com#?#.blockTitle:-abp-contains(Advertisement) +corvetteblogger.com#?#aside.td_block_template_1.widget.widget_text:-abp-has(> h4.block-title > span:-abp-contains(Visit Our Sponsors)) +cruisecritic.co.uk,cruisecritic.com#?#div[role="group"]:-abp-contains(Sponsored) +deccanherald.com#?#div#container-text:-abp-contains(ADVERTISEMENT) +deccanherald.com#?#span.container-text:-abp-contains(ADVERTISEMENT) +decrypt.co#?#span:-abp-contains(AD) +digg.com#?#article.relative:-abp-has(div:-abp-contains(SPONSORED)) +eztv.tf,eztv.yt,123unblock.bar#?#tbody:-abp-contains(WARNING! Use a) +filehippo.com#?#article.card-article:-abp-has(span.card-article__author:-abp-contains(Sponsored Content)) +freshdirect.com#?#.swiper-slide:-abp-contains(Sponsored) +gamersnexus.net#?#.moduleContent:-abp-contains(Advertisement) +hannaford.com#?#.header-2:-abp-contains(Sponsored Suggestions) +heb.com#?#div[class^="sc-"]:-abp-has(> div[data-qe-id="productCard"]:-abp-contains(Promoted)) +instagram.com#?#div[style="max-height: inherit; max-width: inherit; display: none !important;"]:-abp-has(span:-abp-contains(Paid partnership with )) +instagram.com#?#div[style="max-height: inherit; max-width: inherit; display: none !important;"]:-abp-has(span:-abp-contains(Paid partnership)) +instagram.com#?#div[style="max-height: inherit; max-width: inherit;"]:-abp-has(span:-abp-contains(Paid partnership with )) +linkedin.com#?#.msg-overlay-list-bubble__conversations-list:-abp-contains(Sponsored) +linkedin.com#?#div.feed-shared-update-v2:-abp-has(span.update-components-actor__sub-description--tla:-abp-contains(/Anzeige|Sponsored|Promoted|Dipromosikan|Propagováno|Promoveret|Gesponsert|Promocionado|促銷內容|Post sponsorisé|프로모션|Post sponsorizzato|广告|プロモーション|Treść promowana|Patrocinado|Promovat|Продвигается|Marknadsfört|Nai-promote|ได้รับการโปรโมท|Öne çıkarılan içerik|Gepromoot|الترويج/)) +linkedin.com#?#div.feed-shared-update-v2:-abp-has(span.update-components-actor__description:-abp-contains(/Anzeige|Sponsored|Promoted|Dipromosikan|Propagováno|Promoveret|Gesponsert|Promocionado|促銷內容|Post sponsorisé|프로모션|Post sponsorizzato|广告|プロモーション|Treść promowana|Patrocinado|Promovat|Продвигается|Marknadsfört|Nai-promote|ได้รับการโปรโมท|Öne çıkarılan içerik|Gepromoot|الترويج/)) +linkedin.com#?#div.feed-shared-update-v2:-abp-has(span.update-components-actor__sub-description:-abp-contains(/Anzeige|Sponsored|Promoted|Dipromosikan|Propagováno|Promoveret|Gesponsert|Promocionado|促銷內容|Post sponsorisé|프로모션|Post sponsorizzato|广告|プロモーション|Treść promowana|Patrocinado|Promovat|Продвигается|Marknadsfört|Nai-promote|ได้รับการโปรโมท|Öne çıkarılan içerik|Gepromoot|الترويج/)) +loblaws.ca,provigo.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#.chakra-container:-abp-contains(Featured Items) +lovenovels.net#?#center:-abp-contains(Advertisement) +modivo.it,modivo.pl,modivo.ro,modivo.cz,modivo.hu,modivo.bg,modivo.gr,modivo.de#?#.banner:-abp-contains(/Sponsorizzato|Sponsorowane|Sponsorizat|Sponzorováno|Szponzorált|Спонсорирани|Sponsored|Gesponsert/) +modivo.it,modivo.pl,modivo.ro,modivo.cz,modivo.hu,modivo.bg,modivo.gr,modivo.de#?#.product:-abp-contains(/Sponsorizzato|Sponsorowane|Sponsorizat|Sponzorováno|Szponzorált|Спонсорирани|Sponsored|Gesponsert/) +noelleeming.co.nz#?#div.product-tile:-abp-has(span:-abp-contains(Sponsored)) +noon.com#?#span[class*="productContaine"]:-abp-has(div:-abp-contains(Sponsored)) +nordstrom.com#?#article:has(.Yw5es:-abp-contains(Sponsored)) +petco.com#?#[class^="CitrusCatapult-styled__LeftContent"]:-abp-has(div:-abp-contains(Sponsored)) +petco.com#?#[class^="HorizontalWidget"]:-abp-has(div:-abp-contains(Sponsored)) +petco.com#?#li:-abp-contains(Sponsored) +bitchute.com#?#.row.justify-center:-abp-contains(Advertisement) +regex101.com#?#div > header + div > div + div:-abp-contains(Sponsors) +search.yahoo.com#?#div.mb-28:-abp-has(span:-abp-contains(Ads)) +seattleweekly.com#?#.marketplace-row:-abp-contains(Sponsored) +sephora.com#?#div[class^="css-"]:-abp-has(>a:-abp-has(span:-abp-contains(Sponsored))) +techonthenet.com#?#div[class] > p:-abp-contains(Advertisements) +dictionary.com,thesaurus.com#?#[class] > p:-abp-contains(Advertisement) +thesaurus.com#@#.SZjJlj7dd7R6mDTODwIT +shipt.com#?#div.swiper-slide:-abp-contains(Sponsored) +sprouts.com#?#li.product-wrapper:-abp-has(span:-abp-contains(Sponsored)) +target.com#?#.ProductRecsLink-sc-4mw94v-0:-abp-has(p:-abp-contains(sponsored)) +target.com#?#div[data-test="@web/ProductCard/ProductCardVariantAisle"]:-abp-contains(Sponsored) +target.com#?#div[data-test="@web/site-top-of-funnel/ProductCardWrapper"]:-abp-contains(sponsored) +tossinggames.com#?#tbody:-abp-contains(Please visit our below advertisers) +trends.gab.com#?#li.list-group-item:-abp-contains(Sponsored content) +tripadvisor.com#?#.cAWGu:-abp-has(a:-abp-contains(Similar Sponsored Properties)) +tripadvisor.com#?#.tkvEM:-abp-contains(Sponsored) +twitter.com,x.com#?#h2[role="heading"]:-abp-contains(/Promoted|Gesponsert|Promocionado|Sponsorisé|Sponsorizzato|Promowane|Promovido|Реклама|Uitgelicht|Sponsorlu|Promotert|Promoveret|Sponsrad|Mainostettu|Sponzorováno|Promovat|Ajánlott|Προωθημένο|Dipromosikan|Được quảng bá|推廣|推广|推薦|推荐|プロモーション|프로모션|ประชาสมพนธ|परचरत|বজঞপত|تشہیر شدہ|مروج|تبلیغی|מקודם/) +vofomovies.info#?#a13:-abp-contains( Ad) +walmart.ca,walmart.com#?#div > div[io-id]:-abp-contains(Sponsored) +! bing +bing.com#?#li.b_algo:has(.rms_img[src*="id=ODLS.A2450BEC-5595-40BA-9F13-D9EC6AB74B9F"]):has(.tptt:-abp-contains(/^(Amazon|Best Buy|Booking\.com|eBay|eDreams|Lenovo US|Trip\.com|Tripadvisor|Walmart)$/)) +! top-level domain wildcard +walmart.*#?#div > div[io-id]:-abp-contains(Sponsored) +! ABP CSS injection filters +euronews.com###o-site-hr__leaderboard-wallpaper.u-show-for-xlarge {remove:true;} +dailystar.co.uk##[data-testid="commercial-above-header-box-1"] {remove:true;} +! *** easylist:easylist_adult/adult_specific_hide.txt *** +virtuagirlgirls.com###DynamicBackgroundWrapper +porndr.com###PD-Under-player +deviants.com###_iframe_content +swfchan.com###aaaa +xnxx.com,xvideos.com###ad-footer +eporner.com###addesktop +javgg.net###adlink +eporner.com###admobileoutstream +tnaflix.com###ads-under-video_ +h-flash.com###ads_2 +badassbitch.pics###adv +flyingjizz.com###adv_inplayer +xpaja.net###advertisement +milffox.com###advertising +instantfap.com###af +pervclips.com###after-adv +cockdude.com###after-boxes-ver2 +str8ongay.com###alfa_promo_parent +sunporno.com###atop +literotica.com###b-top +thehentai.net###balaoAdDireito +massfans.cc,massrips.cc###banner +pornchimp.com###banner-container +massfans.cc,massrips.cc###banner2 +massfans.cc,massrips.cc###banner4 +filtercams.com###bannerFC +cuntest.net###banners +fakings.com,nigged.com###banners_footer +pornstargold.com###basePopping +lewdspot.com,mopoga.com###belowGameAdContainerPause +cockdude.com###beside-video-ver2 +sexyandfunny.com###best-friends +pussyspace.com###bhcr +euroxxx.net###block-15 +hentaiprn.com###block-27 +jav-jp.com###block-29 +toppixxx.com###bottom +xxxdan.com,xxxdan3.com###bottom-line +hentaiasmr.moe###bottom-tab +hentaidude.com###box-canai +cockdude.com###box-txtovka-con +eporner.com###btasd +pornstar-scenes.com###chatCamAjaxV0 +heavy-r.com###closeable_widget +sexu.site###closeplay +anysex.com###content > .main > .content_right +imagebam.com###cs-link +hentaiprn.com###custom_html-19 +celebritymovieblog.com,interracial-girls.com###custom_html-2 +watchjavonline.com###custom_html-3 +zhentube.com###custom_html-38 +dpfantasy.org,hotcelebshome.com###custom_html-4 +hentai7.top###custom_html-6 +javgg.co###custom_html-7 +pictoa.com###d-zone-1 +eporner.com###deskadmiddle +cdnm4m.nl###directAds +hentai-cosplays.com,hentai-img.com###display_image_detail > span +javguard.xyz###dl > a[target="_blank"][id] +thehun.net###dyk_right +escortbook.com###ebsponAxDS +jzzo.com,xxxvogue.net###embed-overlay +youjizz.com###englishPr +porntrex.com###exclusive-link +china-tube.site###extraWrapOverAd +namethatporn.com###fab_blacko +dailyporn.club###fixedban +212.32.226.234###floatcenter +anysex.com###fluid_theatre > .center +pussy.org###footZones +youjizz.com###footer +sunporno.com###footer_a +mopoga.com###fpGMcontainer +girlsofdesire.org###gal_669 +perfectgirls.net###hat_message +yourlust.com###headC +nangaspace.com###header +aan.xxx###header-banner +youtubelike.com###header-top +manga-miz.vy1.click###header_banner +pornpics.network###hidden +javhd.today###ics +porngameshub.com###im-container +guyswithiphones.com###imglist > .noshadow +mopoga.com###inTextAdContainerPause +maturesladies.com###inVideoInner +aniporn.com###in_v +hotmovs.com###in_va +youngamateursporn.com###inplayer_block +imgcarry.com,pornbus.org###introOverlayBg +hentaiprn.com###l_340 +pornlib.com###lcams2 +escortbook.com###links +xfantasy.su###listing-ba +livecamrips.com###live-cam +redtube.com###live_models_row_wrap +bootyoftheday.co###lj +maturetubehere.com###lotal +4tube.com###main-jessy-grid +anysex.com,jizzberry.com###main_video_fluid_html_on_pause +peekvids.com###mediaPlayerBanner +pornvalleymedia.net###media_image-81 +pornvalleymedia.net###media_image-82 +pornvalleymedia.net###media_image-83 +pornvalleymedia.net###media_image-84 +pornvalleymedia.net###media_image-86 +pornvalleymedia.net###media_image-87 +pornvalleymedia.net###media_image-88 +pornvalleymedia.net###media_image-90 +vpornvideos.com###mn-container +gifsfor.com###mob_banner +fetishshrine.com###mobile-under-player +whentai.com###modalegames +eporner.com###movieplayer-box-adv +cockdude.com###native-boxes-2-ver2 +amateur8.com,maturetubehere.com###nopp +flashx.tv,xrares.com###nuevoa +scrolller.com###object_container +youjizz.com###onPausePrOverlay +alldeepfake.ink,hentaimama.io,underhentai.net,watchhentai.net###overlay +porn300.com,porndroids.com###overlay-video +22pixx.xyz,imagevenue.com###overlayBg +hentaiff.com###overplay +video.laxd.com###owDmcIsUc +jzzo.com,xxxvogue.net###parrot +nudevista.at,nudevista.com###paysite +redtube.com,redtube.com.br,redtube.net,youporngay.com###pb_block +pornhub-com.appspot.com,pornhub.com,pornhub.net,youporn.com###pb_template +youporngay.com###pbs_block +ggjav.com,ggjav.tv###pc_instant +pornx.to###player-api-over +hentai2w.com,iporntoo.com,tsmodelstube.com,xhentai.tv###playerOverlay +ebony8.com,lesbian8.com,maturetubehere.com###player_add +redtube.com###popsByTrafficJunky +javtrailers.com###popunderLinkkkk +pornstargold.com###popup +jav321.com###popup-container +sextvx.com###porntube_hor_bottom_ads +thejavmost.com###poster +katestube.com###pre-block +sleazyneasy.com###pre-spots +mopoga.com###preGamescontainer +javtitan.com,thejavmost.com,tojav.net###preroll +alotav.com,javbraze.com,javdoe.fun,javdoe.sh,javhat.tv,javhd.today,javseen.tv,javtape.site###previewBox +youporngay.com###producer +xvideos.name###publicidad-video +celebjihad.com###pud +bootyoftheday.co###random-div-wrapper +cockdude.com###related-boxes-footer-ver2 +pornhub.com###relatedVideosCenter > li[class^="related"] +freebdsmxxx.org###right +lewdspot.com###rightSidebarAdContainerPause +youjizz.com###rightVideoPrs +sexuhot.com###right_div_1 +sexuhot.com###right_div_2 +badjojo.com###rightcol +onlyporn.tube,porntop.com###s-suggesters +homemade.xxx###scrollhere +sexyandfunny.com###sexy-links +spankbang.com###shorts-frame +javtiful.com###showerm +3movs.com###side_col_video_view +fc2covid.com###sidebar > .widget_block +vndevtop.com###sidebar_right +pornhub.com###singleFeedSection > .emptyBlockSpace +adult-sex-games.com###skyscraper +adultgamesworld.com###slideApple +hentaifox.com###slider +javfor.tv###smac12403o0 +xbooru.com,xxxymovies.com###smb +instawank.com###snackbar +hd-easyporn.com###special_column +megatube.xxx###sponsor-widget +flingtube.com###sponsoredBy +w3avenue.com###sponsorsbox +hd21.com,winporn.com###spot_video_livecams +hd21.com,winporn.com###spot_video_underplayer_livecams +xnxxporn.video###spotholder +maxjizztube.com,yteenporn.com###spotxt +gotgayporn.com###ss_bar +oldies.name###stop_ad2 +trannyvideosxxx.com###text-2 +yaoimangaonline.com###text-28 +hentaimama.io###text-3 +hentaimama.io,leaktape.com###text-5 +theboobsblog.com###text-74 +hentai-sharing.net###text-9 +theboobsblog.com###text-94 +allureamateurs.net,sexmummy.com###topbar +ohentai.org###topdetailad +motherless.com###topsites +pussycatxx.com,zhentube.com###tracking-url +creampietubeporn.com,fullxxxtube.com###ubr +hd-easyporn.com###udwysI3c7p +usasexguide.nl###uiISGAdFooter +aniporn.com###und_ban +pervclips.com###under-video +wetpussygames.com###under728 +fakings.com###undervideo +kisscos.net###v-overlay +homemoviestube.com###v_right +xvideos.com###video-right +xvideos.com###video-sponsor-links +javtrailers.com###videoPlayerContainer a[target="_blank"] +drtuber.com###video_list_banner +dofap.com###video_overlay_banner +hentaiplay.net###video_overlays +redtube.com###video_right_col > .clearfix +gosexpod.com###xtw +porndroids.com##.CDjtesb7pU__video-units +bellesa.co##.Display__RatioOuter-hkc90m-0 +beeg.com##.GreyFox +redgifs.com##.InfoBar +topinsearch.com##.TelkiTeasersBlock +hentaivideo.tube##.UVPAnnotationJavascriptNormal +xtube.com##.ZBTBTTr93ez9.ktZk9knDKFfB +porndoe.com##.\-f-banners +xhamster.com##._029ef-containerBottomSpot +xhamster.com##._80e65-containerBottomSpot +xhamster.com##._80e65-containerPauseSpot +tubepornclassic.com##.___it0h1l3u2se2lo +pichunter.com##.__autofooterwidth +txxx.com##._ccw-wrapper +ukadultzone.com##.a--d-slot +sunporno.com##.a-block +pornsos.com##.a-box +7mm001.com,7mmtv.sx##.a-d-block +porngem.com,uiporn.com##.a-d-v +bravoteens.com##.a352 +china-tubex.site,de-sexy-tube.ru##.aBlock +namethatporn.com##.a_br_b +upornia.com##.aa_label +namethatporn.com##.aaaabr +pimpandhost.com##.aaablock_yes +pimpandhost.com##.ablock_yes +pornx.to##.above-single-player +cambb.xxx,chaturbate.com,dlgal.com,playboy.com,rampant.tv,sex.com,signbucks.com,tallermaintenancar.com,tehvids.com,thehentaiworld.com,thehun.net,tiktits.com,uflash.tv,xcafe.com##.ad +x13x.space##.ad-banner +coomer.su,kemono.su,pics-x.com,pinflix.com,sdhentai.com,urlgalleries.net##.ad-container +xnxx.com##.ad-footer +javur.com##.ad-h250 +gay.bingo##.ad-w +xtube.com##.adContainer +boyfriendtv.com##.adblock +iporntoo.com##.adbox-inner +ftopx.com##.add-block +sex3.com##.add-box +playvids.com##.add_href_jsclick +4kporn.xxx,babesandstars.com,cam-video.xxx,crazyporn.xxx,cumlouder.com,gosexy.mobi,hoes.tube,hog.tv,javcl.com,javseen.tv,kartavarna.com,love4porn.com,marawaresearch.com,mobilepornmovies.com,mypornstarbook.net,pichunter.com##.ads +pornx.to##.ads-above-single-player +video.laxd.com##.ads-container +cumlouder.com##.ads__block +porn87.com##.ads_desktop +tube8.com,tube8.es,tube8.fr##.adsbytrafficjunky +pornpics.com,pornpics.de##.adss-rel +androidadult.com##.adswait +crazyporn.xxx##.adswarning +hipsternudes.com##.adultfriendfinder-block +anyporn.com,cartoon-sex.tv,oncam.me,pervertslut.com,theyarehuge.com,tiktits.com,webanddesigners.com##.adv +uiporn.com##.adv-in-video +sex3.com##.adv-leftside +roleplayers.co##.adv-wrap +gay.bingo##.adv-wrapper +freebdsmxxx.org##.adv315 +perfectgirls.net##.adv_block +alohatube.com,reddflix.com##.advbox +alohatube.com##.advboxemb +ftopx.com,gayboystube.com,gayporntube.com,hungangels.com##.advert +cumlouder.com,flyingjizz.com,gotporn.com,japan-whores.com,porntube.com##.advertisement +katestube.com,sleazyneasy.com,vikiporn.com,wankoz.com##.advertising +javcab.com##.advt-spot +adultfilmindex.com##.aebn +porngals4.com##.afb0 +porngals4.com##.afb1 +porngals4.com##.afb2 +hentai2w.com##.aff-col +hentai2w.com##.aff-content-col +porngals4.com##.affl +cockdude.com##.after-boxes-ver2 +hentaidude.xxx##.ai_widget +hentai2read.com##.alert-danger +dvdgayonline.com##.aligncenter +lewdzone.com##.alnk +punishworld.com##.alrt-ver2 +freeadultcomix.com##.anuncios +hotmovs.com##.app-banners +hotmovs.tube##.app-banners__wrapper +fuqer.com##.area +sextb.net##.asg-overlay +hobby.porn##.asg-vast-overlay +porndictator.com,submityourflicks.com##.aside > div +str8ongay.com##.aside-itempage-col +ad69.com##.aside-section +sexvid.pro##.aside_thumbs +hd21.com##.aside_video +babepump.com,fapnfuck.com,fuqster.com,onlyppv.com,povxl.com,sexpester.com,thotcity.su,w1mp.com,w4nkr.com,xmateur.com##.asside-link +veev.to##.avb-active +avn.com##.avn-article-tower +mrskin.com##.az +fapeza.com##.azz_div +gayporno.fm##.b-content__aside-head +onlydudes.tv##.b-footer-place +onlydudes.tv##.b-side-col +japan-whores.com##.b-sidebar +rat.xxx##.b-spot +me-gay.com,redporn.porn##.b-uvb-spot +buondua.com##.b1a05af5ade94f4004a7f9ca27d9eeffb +buondua.com##.b2b4677020d78f744449757a8d9e94f28 +pornburst.xxx##.b44nn3rss +buondua.com##.b489c672a2974fbd73005051bdd17551f +dofap.com##.b_videobot +justpicsplease.com,xfantasy.su##.ba +dominationworld.com,femdomzzz.com##.ban-tezf +pornburst.xxx##.bann3rss +18teensex.tv,3movs.xxx,adultdeepfakes.com,amamilf.com,amateurelders.com,babesmachine.com,chaturbate.com,fboomporn.com,freepornpicss.com,gramateurs.com,grannarium.com,happysex.ch,hiddenhomemade.com,imagezog.com,its.porn,kawaiihentai.com,legalporn4k.com,lyama.net,maturator.com,milffox.com,oldgf.com,oldies.name,paradisehill.cc,player3x.xyz,playporngames.com,playsexgames.xxx,playvids.com,porngames.com,private.com,submittedgf.com,teenextrem.com,video.laxd.com,vidxnet.com,vikiporn.com,vjav.com,wankerson.com,watchhentaivideo.com,waybig.com,xanalsex.com,xbabe.com,xcum.com,xgrannypics.com,xnudepics.com,xpornophotos.com,xpornopics.com,xpornpix.com,xpussypics.com,xwifepics.com,xxxpornpix.com,youcanfaptothis.com,yourdailygirls.com,youx.xxx##.banner +highporn.net##.banner-a +javfor.tv##.banner-c +ero-anime.website,jav.guru##.banner-container +cumlouder.com##.banner-frame +grannymommy.com##.banner-on-player +freeones.com##.banner-placeholder +javynow.com##.banner-player +babesandstars.com##.banner-right +javfor.tv##.banner-top-b +jav.guru##.banner-widget +ok.xxx,pornhat.com##.banner-wrap-desk +perfectgirls.net##.banner-wrapper +tnaflix.com##.bannerBlock +watchhentaivideo.com##.bannerBottom +pornshare.biz##.banner_1 +pornshare.biz##.banner_2 +pornshare.biz##.banner_3 +4pig.com##.banner_page_right +yourlust.com##.banner_right_bottoms +camporn.to,camseek.tv,camstreams.tv,eurogirlsescort.com,sexu.com##.banners +xxxvogue.net##.banners-container +bubbaporn.com,kalporn.com,koloporno.com,pornodingue.com,pornodoido.com,pornozot.com,serviporno.com,voglioporno.com##.banners-footer +paradisehill.cc##.banners3 +paradisehill.cc##.banners4 +ratemymelons.com##.bannus +fapello.com##.barbie_desktop +fapello.com##.barbie_mobile +yourdarkdesires.com##.battery +fap18.net,fuck55.net,tube.ac,tube.bz##.bb_desktop +mofosex.net##.bb_show_5 +hotcelebshome.com##.bcpsttl_name_listing +ok.xxx,pornhat.com##.before-player +porndoe.com##.below-video +cockdude.com##.beside-video-ver2 +wapbold.com,wapbold.net##.bhor-box +hqporner.com##.black_friday +babestare.com##.block +alphaporno.com,tubewolf.com##.block-banner +urgayporn.com##.block-banvert +xxbrits.com##.block-offer +3prn.com##.block-video-aside +escortnews.eu,topescort.com##.blogBanners +blogvporn.com##.blue-btns +xtube.com##.bm6LRcdKEZAE +smutty.com##.bms_slider_div +ok.porn,pornhat.com##.bn +ok.xxx##.bn-title +xbabe.com##.bnnrs-aside +alphaporno.com,crocotube.com,hellporno.com,tubewolf.com,xbabe.com,xcum.com##.bnnrs-player +pornogratisdiario.com,xcafe.com##.bnr +porngames.games##.bnr-side +ok.porn,ok.xxx,oldmaturemilf.com,pornhat.com,pornyoungtube.tv##.bns-bl +sexsbarrel.com,zingyporntube.com##.bns-place-ob +xnxxvideoporn.com##.bot_bns +jagaporn.com##.botad +teenhost.net##.bottom-ban +pornoreino.com##.bottom-bang +hentaigamer.org##.bottom-banner-home +alphaporno.com,katestube.com,sleazyneasy.com,vikiporn.com##.bottom-banners +elephanttube.world##.bottom-block +dailyporn.club,risextube.com##.bottom-blocks +fetishshrine.com,sleazyneasy.com##.bottom-container +katestube.com##.bottom-items +pornwhite.com,teenpornvideo.xxx##.bottom-spots +youtubelike.com##.bottom-thumbs +youtubelike.com##.bottom-top +xhamster.com##.bottom-widget-section +rexxx.com##.bottom_banners +porn-plus.com##.bottom_player_a +dixyporn.com##.bottom_spot +sexvid.xxx##.bottom_spots +javlibrary.com##.bottombanner2 +hd-easyporn.com##.box +zbporn.com##.box-f +bravotube.net##.box-left +sexvid.xxx##.box_site +barscaffolding.co.uk,capitalregionusa.xyz,dcraddock.uk,eegirls.com,javbebe.com,pornstory.net,sexclips.pro##.boxzilla-container +barscaffolding.co.uk,capitalregionusa.xyz,dcraddock.uk,eegirls.com,javbebe.com,pornstory.net,sexclips.pro##.boxzilla-overlay +hentaianimedownloads.com##.bp_detail +bravotube.net,spanishporn.com.es##.brazzers +xozilla.com##.brazzers-link +kompoz2.com,pornvideos4k.com##.brs-block +teensforfree.net##.bst1 +aniporn.com##.btn-close +realgfporn.com##.btn-info +xcum.com##.btn-ponsor +cinemapee.com##.button +video.laxd.com##.c-ad-103 +pornpics.com##.c-model +redporn.porn##.c-random +tiktits.com##.callback-bt +pornpics.vip,xxxporn.pics##.cam +xnxxvideos.rest##.camitems +winporn.com##.cams +theyarehuge.com##.cams-button +sleazyneasy.com##.cams-videos +tnapics.com##.cams_small +peekvids.com##.card-deck-promotion +sxyprn.com##.cbd +stepmom.one##.cblidovr +stepmom.one##.cblrghts +porntry.com##.center-spot +fakings.com##.centrado +thefappeningblog.com##.cl-exl +bigtitsgallery.net##.classifiedAd +teenanal.co##.clickable-overlay +xhamster.com##.clipstore-bottom +sunporno.com##.close-invid +fap-nation.com,fyptt.to,gamegill.com,japaneseasmr.com##.code-block +tube8.com,tube8.es,tube8.fr##.col-3-lg.col-4-md.col-4 +playvids.com##.col-lg-6.col-xl-4 +taxidrivermovie.com##.col-pfootban +whoreshub.com##.col-second +hentaiworld.tv##.comments-banners +perfectgirls.net##.container + div + .additional-block-bg +fetishshrine.com,pornwhite.com,sleazyneasy.com##.container-aside +senzuri.tube##.content > div > .hv-block-transparent +sleazyneasy.com,wankoz.com##.content-aside +watchmygf.me##.content-footer +xxxdessert.com##.content-gallery_banner +sexyandfunny.com##.content-source +iwara.tv##.contentBlock__content +youporngay.com##.contentPartner +sexu.site##.content__top +xcafe.com##.content_source +gottanut.com##.coverUpVid-Dskt +forced-tube.net,hqasianporn.org##.coverup +shemale777.com##.covid19 +4tube.com##.cpp +bootyheroes.com##.cross-promo-bnr +3movs.com,fapality.com##.cs +mylust.com##.cs-bnr +rat.xxx,zbporn.tv##.cs-holder +zbporn.com##.cs-link-holder +hdtube.porn,pornid.xxx,rat.xxx##.cs-under-player +watchmygf.mobi##.cs_info +watchmygf.me##.cs_text_link +crocotube.com##.ct-video-ntvs +h2porn.com##.cube-thumbs-holder +worldsex.com##.currently-blokje-block-inner +alloldpics.com,sexygirlspics.com##.custom-spot +worldsex.com##.dazone +faptor.com##.dblock +anysex.com##.desc.type2 +rule34.xxx##.desktop +theyarehuge.com##.desktop-spot +inxxx.com,theyarehuge.com##.desktopspot +cartoonpornvideos.com##.detail-side-banner +hentaicity.com##.detail-side-bnr +xxxporn.pics##.download +sexvid.porn,sexvid.pro,sexvid.xxx##.download_link +drtuber.com,nuvid.com##.drt-sponsor-block +drtuber.com,iceporn.com,nuvid.com,proporn.com,viptube.com,winporn.com##.drt-spot-box +pornsex.rocks##.dump +youporngay.com##.e8-column +pornx.to##.elementor-element-e8dcf4f +porngifs2u.com##.elementor-widget-posts + .elementor-widget-heading +rare-videos.net##.embed-container +vxxx.com##.emrihiilcrehehmmll +tsumino.com##.erogames_container +pornstargold.com##.et_bloom_popup +upornia.com,upornia.tube##.eveeecsvsecwvscceee +eromanga-show.com,hentai-one.com,hentaipaw.com##.external +lewdzone.com##.f8rpo +escortnews.eu,topescort.com##.fBanners +porngem.com##.featured-b +sss.xxx##.fel-item +tuberel.com##.fel-list +javfor.tv##.fel-playclose +camwhores.tv##.fh-line +hotmovs.com,thegay.com##.fiioed +homemoviestube.com##.film-item:not(#showpop) +sexyandfunny.com##.firstblock +ah-me.com,gaygo.tv,tranny.one##.flirt-block +asiangaysex.net,gaysex.tv##.float-ck +risextube.com##.floating +hentaiworld.tv##.floating-banner +xgroovy.com##.fluid-b +yourlust.com##.fluid_html_on_pause +xgroovy.com##.fluid_next_video_left +xgroovy.com##.fluid_next_video_right +stileproject.com##.fluid_nonLinear_bottom +cbhours.com##.foo2er-section +porn.com##.foot-zn +pornburst.xxx##.foot33r-iframe +hclips.com,thegay.com,tporn.xxx,tubepornclassic.com##.footer-banners +hentaiworld.tv##.footer-banners-iframe +xcafe.com##.footer-block +pornfaia.com##.footer-bnrz +youporn.com,youporngay.com##.footer-element-container +pornburst.xxx##.footer-iframe +4tube.com##.footer-la-jesi +4kporn.xxx,alotporn.com,amateurporn.co,camstreams.tv,crazyporn.xxx,danude.com,fpo.xxx,hoes.tube,scatxxxporn.com,xasiat.com##.footer-margin +cliniqueregain.com##.footer-promo +cbhours.com##.footer-section +pornhd.com##.footer-zone +homo.xxx##.footer.spot +badjojo.com##.footera +mansurfer.com##.footerbanner +cambay.tv,videocelebs.net##.fp-brand +xpics.me##.frequently +onlyporn.tube##.ft +jizzbunker.com,jizzbunker2.com##.ftrzx1 +teenpornvideo.fun##.full-ave +kompoz2.com,pornvideos4k.com,roleplayers.co##.full-bns-block +iceporn.com##.furtherance +xpics.me##.future +hdtube.porn##.g-col-banners +teenextrem.com,teenhost.net##.g-link +youx.xxx##.gallery-link +xxxonxxx.com,youtubelike.com##.gallery-thumbs +porngamesverse.com##.game-aaa +tubator.com##.ggg_container +cliniqueregain.com,tallermaintenancar.com##.girl +sexybabegirls.com##.girlsgirls +pornflix.cc,xnxx.army##.global-army +bravoteens.com,bravotube.net##.good_list_wrap +kbjfree.com##.h-\[250px\] +amateur-vids.eu,bestjavporn.com,leaktape.com,mature.community,milf.community,milf.plus##.happy-footer +hdporn92.com,koreanstreamer.xyz,leaktape.com##.happy-header +cheemsporn.com,milfnut.com,nudeof.com,sexseeimage.com,yporn.tv##.happy-inside-player +sexseeimage.com,thisav.me,thisav.video##.happy-player-beside +sexseeimage.com,thisav.me,thisav.video##.happy-player-under +sexseeimage.com,thisav.me,thisav.video##.happy-section +deepfake-porn.com,x-picture.com##.happy-sidebar +amateur-vids.eu,camgirl-video.com,mature.community,milf.community,milf.plus##.happy-under-player +redtube.com##.hd +zbporn.com##.head-spot +anysex.com##.headA +xgroovy.com##.headP +coomer.su,kemono.su##.header + aside +myhentaigallery.com##.header-image +megatube.xxx##.header-panel-1 +cutegurlz.com##.header-widget +videosection.com##.header__nav-item--adv-link +mansurfer.com##.headerbanner +txxx.com##.herrmhlmolu +txxx.com##.hgggchjcxja +porn300.com,porndroids.com##.hidden-under-920 +worldsex.com##.hide-on-mobile +hqporner.com##.hide_ad_marker +hentairules.net##.hide_on_mobile +javgg.co,javgg.net##.home_iframead > a[target="_blank"] > img +orgasm.com##.horizontal-banner-module +underhentai.net##.hp-float-skb +eporner.com##.hptab +pantiespics.net##.hth +videosection.com##.iframe-adv +gayforfans.com##.iframe-container +recordbate.com##.image-box +gotporn.com##.image-group-vertical +thisav.me##.img-ads +top16.net##.img_wrap +trannygem.com##.in_player_video +vivud.com##.in_stream_banner +sexu.site##.info +cocoimage.com##.inner_right +javhhh.com##.inplayer +vivud.com##.inplayer_banners +anyporn.com,bravoporn.com,bravoteens.com,bravotube.net##.inplb +anyporn.com,bravotube.net##.inplb3x2 +cockdude.com##.inside-list-boxes-ver2 +videosection.com##.invideo-native-adv +playvids.com,pornflip.com##.invideoBlock +amateur8.com##.is-av +internationalsexguide.nl,usasexguide.nl##.isg_background_border_banner +internationalsexguide.nl,usasexguide.nl##.isg_banner +e-hentai.org##.itd[colspan="4"] +amateurporn.me,eachporn.com##.item[style] +drtuber.com##.item_spots +twidouga.net##.item_w360 +fetishshrine.com,pornwhite.com,sleazyneasy.com##.items-holder +vxxx.com##.itrrciecmeh +escortdirectory.com##.ixs-govazd-item +alastonsuomi.com##.jb +babesandstars.com,pornhubpremium.com##.join +javvr.net##.jplayerbutton +japan-whores.com##.js-advConsole +sexlikereal.com##.js-m-goto +pornpapa.com##.js-mob-popup +eurogirlsescort.com##.js-stt-click > picture +freeones.com##.js-track-event +ts-tube.net##.js-uvb-spot +porndig.com##.js_footer_partner_container_wrapper +hnntube.com##.jumbotron +senzuri.tube##.jw-reset.jw-atitle +xxxymovies.com##.kt_imgrc +4tube.com##.la-jessy-frame +hqpornstream.com##.lds-hourglass +thehun.net##.leaderboard +abjav.com,aniporn.com##.left > section +xxxpicss.com,xxxpicz.com##.left-banners +babepedia.com##.left_side > .sidebar_block > a +xxxporntalk.com##.leftsidenav +missav.ai,missav.city,missav.loan,missav.today,missav.wiki,missav.ws,missav123.com,missav888.com##.lg\:block +missav.ai,missav.city,missav.loan,missav.today,missav.wiki,missav.ws,missav123.com,missav888.com##.lg\:hidden +videosdemadurasx.com##.link +xxxvogue.net##.link-adv +escortnews.eu,topescort.com##.link-buttons-container +babepump.com,fapnfuck.com,fuqster.com,povxl.com,sexpester.com,w1mp.com,w4nkr.com##.link-offer +boyfriendtv.com##.live-cam-popunder +spankbang.com##.live-rotate +alloldpics.com,sexygirlspics.com##.live-spot +spankbang.com##.livecam-rotate +proporn.com,vivatube.com##.livecams +loverslab.com##.ll_adblock +vxxx.com##.lmetceehehmmll +javhd.run##.loading-ad +hdsex.org##.main-navigation__link--webcams +hentaipaw.com##.max-w-\[720px\] +peekvids.com##.mediaPlayerSponsored +efukt.com##.media_below_container +lesbianbliss.com,mywebcamsluts.com,transhero.com##.media_spot +ryuugames.com##.menu-item > a[href^="https://l.erodatalabs.com/s/"] +camcam.cc##.menu-item-5880 +thehentai.net##.menu_tags +empflix.com,tnaflix.com##.mewBlock +sopornmovies.com##.mexu-bns-bl +avn.com##.mfc +online-xxxmovies.com##.middle-spots +allpornstream.com##.min-h-\[237px\] +lic.me##.miniplayer +tryindianporn.com##.mle +hentaicore.org##.mob-lock +rat.xxx##.mob-nat-spot +gaymovievids.com,verygayboys.com##.mobile-random +tube-bunny.com##.mobile-vision +javgg.co,javgg.net##.module > div[style="text-align: center;"] +yourdarkdesires.com##.moment +txxx.com##.mpululuoopp +tikpornk.com##.mr-1 +xnxxvideos.rest##.mult +javfor.tv,javhub.net##.my-2.container +4kporn.xxx,crazyporn.xxx##.myadswarning +jagaporn.com##.nativad +yourlust.com##.native-aside +pornhd.com##.native-banner-wrapper +cockdude.com##.native-boxes-2-ver2 +cockdude.com##.native-boxes-ver2 +pornwhite.com,sleazyneasy.com##.native-holder +ggjav.com##.native_ads +anysex.com##.native_middle +fapality.com##.nativeaside +fapeza.com##.navbar-item-sky +miohentai.com##.new-ntv +escortnews.eu,topescort.com##.newbottom-fbanners +xmissy.nl##.noclick-small-bnr +pornhd.com##.ntv-code-container +negozioxporn.com##.ntv1 +fapality.com##.ntw-a +rule34.xxx##.nutaku-mobile +boundhub.com##.o3pt +bdsmx.tube##.oImef0 +lustgalore.com##.opac_bg +pornchimp.com,pornxbox.com,teenmastube.com,watchmygf.mobi##.opt +bbporntube.pro##.opve-bns-bl +bbporntube.pro##.opve-right-player-col +sexseeimage.com##.order-1 +hentaistream.com##.othercontent +eboblack.com,teenxy.com##.out_lnk +beemtube.com##.overspot +javtiful.com##.p-0[style="margin-top: 0.45rem !important"] +zbporn.com##.p-ig +hot.co.uk,hot.com##.p-search__action-results.badge-absolute.text-div-wrap.top +empflix.com##.pInterstitialx +hobby.porn##.pad +dessi.co##.pages__BannerWrapper-sc-1yt8jfz-0 +xxxdan3.com##.partner-site +hclips.com,hotmovs.tube##.partners-wrap +xfantazy.com##.partwidg1 +fapnado.xxx##.pause-ad-pullup +empflix.com##.pause-overlay +porn87.com##.pc_instant +ebony8.com,maturetubehere.com##.pignr +bigtitslust.com,sortporn.com##.pignr.item +boundhub.com##.pla4ce +camvideos.tv,exoav.com,jizzoncam.com,rare-videos.net##.place +3movs.com##.player + .aside +alotporn.com##.player + center +xhamster.com##.player-add-overlay +katestube.com##.player-aside +vivud.com,zmovs.com##.player-aside-banners +sexu.site##.player-block__line +ok.xxx,pornhat.com,xxxonxxx.com##.player-bn +sexvid.xxx##.player-cs +videosection.com##.player-detail__banners +7mmtv.sx##.player-overlay +cliniqueregain.com##.player-promo +sexu.site##.player-related +blogbugs.org,tallermaintenancar.com,zuzandra.com##.player-right +gay.bingo##.player-section__ad-b +3movs.com##.player-side +sexvid.porn,sexvid.pro,sexvid.xxx##.player-sponsor +xvideos.com,xvideos.es##.player-video.xv-cams-block +porn18videos.com##.playerRight +gay.bingo##.player__inline +sexu.com##.player__side +pervclips.com##.player_adv +xnxxvideoporn.com##.player_bn +txxx.com##.polumlluluoopp +porntrex.com##.pop-fade +fapnado.com,young-sexy.com##.popup +pornicom.com##.pre-ad +porntube.com##.pre-footer +sleazyneasy.com##.pre-spots +xnxxvideos.rest##.prefixat-player-promo-col +recordbate.com##.preload +japan-whores.com##.premium-thumb +cam4.com##.presentation +pornjam.com##.productora +perfectgirls.net,xnostars.com##.promo +nablog.org##.promo-archive-all +xhamster.com##.promo-message +nablog.org##.promo-single-3-2sidebars +perfectgirls.net##.promo__item +viptube.com##.promotion +3dtube.xxx,milf.dk,nakedtube.com,pornmaki.com##.promotionbox +telegram-porn.com##.proxy-adv__container +tnaflix.com##.pspBanner +spankbang.com##.ptgncdn_holder +pornjam.com##.publ11s-b0ttom +watchmygf.me##.publicity +freemovies.tv##.publis-bottom +pornjam.com##.r11ght-pl4yer-169 +pornjam.com##.r1ght-pl4yer-43 +pornpics.com##.r2-frame +tokyonightstyle.com##.random-banner +gaymovievids.com,me-gay.com,ts-tube.net,verygayboys.com##.random-td +tnaflix.com##.rbsd +pornhub.com##.realsex +vxxx.com##.recltiecrrllt +xnxxvideos.rest##.refr +svscomics.com##.regi +nuvid.com##.rel_right +cockdude.com##.related-boxes-footer-ver2 +bestjavporn.com,javhdporn.net##.related-native-banner +cumlouder.com##.related-sites +sexhd.pics##.relativebottom +pervclips.com,vikiporn.com##.remove-spots +cam4.com##.removeAds +cumlouder.com##.resumecard +porndroids.com,pornjam.com##.resumecard__banner +abjav.com,bdsmx.tube,hotmovs.com,javdoe.fun,javdoe.sh,javtape.site,onlyporn.tube,porntop.com,xnxx.army##.right +infospiral.com##.right-content +pornoreino.com##.right-side +definebabe.com##.right-sidebar +empflix.com##.rightBarBannersx +gottanut.com##.rightContent-videoPage +analsexstars.com,porn.com,pussy.org##.rmedia +jav321.com##.row > .col-md-12 > h2 +jav321.com##.row > .col-md-12 > ul +erofus.com##.row-content > .col-lg-2[style^="height"] +lewdspot.com##.row.auto-clear.text-center +elephanttube.world,pornid.xxx##.rsidebar-spots-holder +jizzbunker.com,jizzbunker2.com,xxxdan.com,xxxdan3.com##.rzx1 +forum.lewdweb.net,forums.socialmediagirls.com,titsintops.com##.samCodeUnit +porngals4.com##.sb250 +pornflix.cc##.sbar +7mm001.com,7mm003.cc,7mmtv.sx##.set_height_250 +sextb.net,sextb.xyz##.sextb_300 +gay-streaming.com,gayvideo.me##.sgpb-popup-dialog-main-div-wrapper +gay-streaming.com,gayvideo.me##.sgpb-popup-overlay +paradisehill.cc##.shapka +thehentai.net##.showAd +h2porn.com##.side-spot +sankakucomplex.com##.side300xmlc +video.laxd.com##.side_banner +familyporn.tv,mywebcamsluts.com,transhero.com##.side_spot +queermenow.net##.sidebar > #text-2 +flyingjizz.com##.sidebar-banner +pornid.name##.sidebar-holder +vidxnet.com##.sidebar_banner +javedit.com##.sidebar_widget +waybig.com##.sidebar_zing +taxidrivermovie.com##.sidebarban1 +xxxporntalk.com##.sidenav +myslavegirl.org##.signature +milffox.com##.signup +gayck.com##.simple-adv-spot +supjav.com##.simpleToast +hersexdebut.com##.single-bnr +porngfy.com##.single-sponsored +babestare.com##.single-zone +sexvid.xxx##.site_holder +porn-monkey.com##.size-300x250 +simply-hentai.com##.skyscraper +porngames.tv##.skyscraper_inner +pornhub.com##.sniperModeEngaged +thelittleslush.com##.snppopup +boycall.com##.source_info +amateurfapper.com,iceporn.tv,pornmonde.com##.sources +hd-easyporn.com##.spc_height_80 +gotporn.com##.spnsrd +hotgirlclub.com##.spnsrd-block-aside-250 +18porn.sex,amateur8.com,anyporn.com,area51.porn,bigtitslust.com,cambay.tv,eachporn.com,fapster.xxx,fpo.xxx,freeporn8.com,hentai-moon.com,its.porn,izlesimdiporno.com,pervertslut.com,porngem.com,pornmeka.com,porntop.com,sexpornimages.com,sexvid.xxx,sortporn.com,tktube.com,uiporn.com,xhamster.com##.sponsor +teenpornvideo.fun##.sponsor-link-desk +teenpornvideo.fun##.sponsor-link-mob +pornpics.com,pornpics.de##.sponsor-type-4 +nakedpornpics.com##.sponsor-wrapper +4kporn.xxx,crazyporn.xxx,hoes.tube,love4porn.com##.sponsorbig +fux.com,pornerbros.com,porntube.com,tubedupe.com##.sponsored +hoes.tube##.sponsorsmall +3movs.com,3movs.xxx,babepump.com,bravotube.net,camvideos.tv,cluset.com,deviants.com,dixyporn.com,fapnfuck.com,fuqster.com,hello.porn,javcab.com,katestube.com,pornicom.com,sexpester.com,sleazyneasy.com,videocelebs.net,vikiporn.com,vjav.com,w1mp.com,w4nkr.com##.spot +pornicom.com##.spot-after +faptube.xyz,hqpornstream.com,magicaltube.com##.spot-block +bleachmyeyes.com##.spot-box +3movs.com##.spot-header +katestube.com##.spot-holder +tsmodelstube.com##.spot-regular +fuqer.com##.spot-thumbs > .right +homo.xxx##.spot.column +drtuber.com##.spot_button_m +3movs.com##.spot_large +pornmeka.com##.spot_wrapper +drtuber.com,thisvid.com,vivatube.com,xxbrits.com##.spots +elephanttube.world##.spots-bottom +rat.xxx##.spots-title +sexvid.xxx##.spots_field +sexvid.xxx##.spots_thumbs +analsexstars.com##.sppc +teenasspussy.com##.sqs +pornstarchive.com##.squarebanner +pornpics.com,pornpics.de##.stamp-bn-1 +lewdninja.com##.stargate +cumlouder.com##.sticky-banner +xxx18.uno##.sticky-elem +xxxbule.com##.style75 +teenmushi.org##.su-box +definebabe.com##.subheader +pornsex.rocks##.subsequent +tporn.xxx##.sug-bnrs +hclips.com##.suggestions +pornmd.com##.suggestions-box +txxx.com##.sugggestion +telegram-porn.com##.summary-adv-telNews-link +simply-hentai.com##.superbanner +holymanga.net##.svl_ads_right +tnapics.com##.sy_top_wide +exhibporno.com##.syn +boundhub.com##.t2op +boundhub.com##.tab7le +18porn.sex,18teensex.tv,429men.com,4kporn.xxx,4wank.com,alotporn.com,amateurporn.co,amateurporn.me,bigtitslust.com,camwhores.tv,danude.com,daporn.com,fapnow.xxx,fpo.xxx,freeporn8.com,fuqer.com,gayck.com,hentai-moon.com,heroero.com,hoes.tube,intporn.com,japaneseporn.xxx,jav.gl,javwind.com,jizzberry.com,mrdeepfakes.com,multi.xxx,onlyhentaistuff.com,pornchimp.com,porndr.com,pornmix.org,rare-videos.net,sortporn.com,tabootube.xxx,watchmygf.xxx,xcavy.com,xgroovy.com,xmateur.com,xxxshake.com##.table +sxyprn.com##.tbd +amateurvoyeurforum.com##.tborder[width="99%"][cellpadding="6"] +fap-nation.org##.td-a-rec +camwhores.tv##.tdn +pronpic.org##.teaser +onlytik.com##.temporary-real-extra-block +avn.com##.text-center.mb-10 +javfor.tv##.text-md-center +cockdude.com##.textovka +wichspornos.com##.tf-sp +tranny.one##.th-ba +porn87.com##.three_ads +chikiporn.com,pornq.com##.thumb--adv +xnxx.com,xvideos.com##.thumb-ad +pornpictureshq.com##.thumb__iframe +toppixxx.com##.thumbad +cliniqueregain.com,tallermaintenancar.com##.thumbs +smutty.com##.tig_following_tags2 +drtuber.com##.title-sponsored +4wank.com,cambay.tv,daporn.com,fpo.xxx,hentai-moon.com,pornmix.org,scatxxxporn.com,xmateur.com##.top +pornfaia.com##.top-banner-single +sexvid.xxx##.top-cube +vikiporn.com##.top-list > .content-aside +japan-whores.com##.top-r-all +motherless.com##.top-referers +lewdspot.com##.top-sidebar +porngem.com,uiporn.com##.top-sponsor +rat.xxx,zbporn.tv##.top-spot +escortnews.eu,topescort.com##.topBanners +10movs.com##.top_banner +ok.xxx,perfectgirls.xxx##.top_spot +camwhores.tv##.topad +m.mylust.com##.topb-100 +m.mylust.com##.topb-250 +itsatechworld.com##.topd +babesmachine.com##.topline +babesmachine.com##.tradepic +babesandstars.com##.traders +gayporno.fm##.traffic +proporn.com##.trailerspots +sexjav.tv##.twocolumns > aside +sexhd.pics##.tx +boysfood.com##.txt-a-onpage +pornid.xxx##.under-player-holder +hdtube.porn##.under-player-link +sexvid.xxx##.under_player_link +thegay.com##.underplayer__info > div:not([class]) +videojav.com##.underplayer_banner +tryindianporn.com##.uvk +hentaiprn.com##.v-overlay +javtiful.com##.v3sb-box +see.xxx,tuberel.com##.vda-item +indianpornvideos.com##.vdo-unit +xnxxporn.video##.vertbars +milfporn8.com,ymlporn7.net##.vid-ave-pl +ymlporn7.net##.vid-ave-th +xvideos.com##.video-ad +pornone.com##.video-add +ad69.com,risextube.com##.video-aside +sexseeimage.com##.video-block-happy +pornfaia.com##.video-bnrz +x-hd.video##.video-brs +comicsxxxgratis.com,video.javdock.com##.video-container +pornhoarder.tv##.video-detail-bspace +boyfriendtv.com##.video-extra-wrapper +megatube.xxx##.video-filter-1 +theyarehuge.com##.video-holder > .box +porn00.org##.video-holder > .headline +bdsmx.tube##.video-info > section +videosection.com##.video-item--a +videosection.com##.video-item--adv +pornzog.com##.video-ntv +ooxxx.com##.video-ntv-wrapper +pornhdtube.tv,recordbate.com##.video-overlay +hotmovs.tube##.video-page > .block_label > div +thegay.com##.video-page__content > .right +xhtab2.com##.video-page__layout-ad +senzuri.tube##.video-page__watchfull-special +pornhd.com##.video-player-overlay +peachurbate.com##.video-right-banner +hotmovs.tube##.video-right-top +porntry.com,videojav.com##.video-side__spots +thegay.com##.video-slider-container +kisscos.net##.video-sponsor +senzuri.tube##.video-tube-friends +xhamster.com##.video-view-ads +china-tube.site,china-tubex.site##.videoAd +koreanjav.com##.videos > .column:not([id]) +javynow.com##.videos-ad__ad +porntop.com##.videos-slider--promo +porndoe.com##.videos-tsq +zbporn.tv##.view-aside +zbporn.com,zbporn.tv##.view-aside-block +tube-bunny.com##.visions +yourlust.com##.visit_cs +eporner.com##.vjs-inplayer-container +upornia.tube##.voiscscttnn +japan-whores.com##.vp-info +porndoe.com##.vpb-holder +porndoe.com##.vpr-section +kbjfree.com##.w-\[728px\] +reddxxx.com##.w-screen.backdrop-blur-md +3prn.com##.w-spots +pornone.com##.warp +upornia.com,upornia.tube##.wcccswvsyvk +trannygem.com##.we_are_sorry +porntube.com##.webcam-shelve +spankingtube.com##.well3 +bustyporn.com##.widget-friends +rpclip.com##.widget-item-wrap +interviews.adultdvdtalk.com##.widget_adt_performer_buy_links_widget +hentaiprn.com,whipp3d.com##.widget_block +arcjav.com,hotcelebshome.com,jav.guru,javcrave.com,pussycatxx.com##.widget_custom_html +gifsauce.com##.widget_live +hentaiblue.com,pornifyme.com##.widget_text +xhamster.com##.wio-p +xhamster.com##.wio-pcam-thumb +xhamster.com##.wio-psp-b +xhamster.com,xhamster2.com##.wio-xbanner +xhamster2.com##.wio-xspa +xhamster.com##.wixx-ebanner +xhamster.com##.wixx-ecam-thumb +xhamster.com##.wixx-ecams-widget +teenager365.com##.wps-player__happy-inside-btn-close +playporn.xxx,videosdemadurasx.com##.wrap-spot +pornrabbit.com##.wrap-spots +abjav.com,bdsmx.tube##.wrapper > section +porn300.com##.wrapper__related-sites +upornia.com,upornia.tube##.wssvkvkyyee +xhamster.com##.xplayer-b +xhamster18.desi##.xplayer-banner +megaxh.com##.xplayer-banner-bottom +xhamster.com##.xplayer-hover-menu +theyarehuge.com##.yellow +xhamster.com##.yfd-fdcam-thumb +xhamster.com##.yfd-fdcams-widget +xhamster.com##.yfd-fdclipstore-bottom +xhamster.com##.yfd-fdsp-b +xhamster.com##.yld-mdcam-thumb +xhamster.com##.yld-mdsp-b +xhamster.com##.ytd-jcam-thumb +xhamster.com##.ytd-jcams-widget +xhamster.com##.ytd-jsp-a +xhamster.com##.yxd-jcam-thumb +xhamster.com##.yxd-jcams-widget +xhamster.com##.yxd-jdbanner +xhamster.com##.yxd-jdcam-thumb +xhamster.com##.yxd-jdcams-widget +xhamster.com##.yxd-jdplayer +xhamster.com##.yxd-jdsp-b +xhamster.com##.yxd-jdsp-l-tab +xhamster.com##.yxd-jsp-a +faponic.com##.zkido_div +777av.cc,pussy.org##.zone +momxxxfun.com##.zone-2 +pinflix.com,pornhd.com##.zone-area +hentai2read.com##.zonePlaceholder +fapnado.xxx##.zpot-horizontal +faptor.com##.zpot-horizontal-img +fapnado.xxx##.zpot-vertical +jizzbunker2.com,xxxdan.com,xxxdan3.com##.zx1p +tnaflix.com##.zzMeBploz +hotnudedgirl.top,pbhotgirl.xyz,prettygirlpic.top##[class$="custom-spot"] +porn300.com,pornodiamant.xxx##[class^="abcnn_"] +beeg.porn##[class^="bb_show_"] +hotleaks.tv,javrank.com##[class^="koukoku"] +whoreshub.com##[class^="pop-"] +cumlouder.com##[class^="sm"] +xhamster.com,xhamster.one,xhamster2.com##[class^="xplayer-banner"] +fapnado.com##[class^="xpot"] +porn.com##[data-adch] +xhspot.com##[data-role="sponsor-banner"] +tube8.com##[data-spot-id] +tube8.com##[data-spot] +sxyprn.com##[href*="/re/"] +pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com##[href*="base64"] +pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com##[href*="data:"] +doseofporn.com,jennylist.xyz##[href="/goto/desire"] +jav.gallery##[href="https://jjgirls.com/sex/GoChaturbate"] +hardcoreluv.com,imageweb.ws,pezporn.com,wildpictures.net##[href="https://nudegirlsoncam.com/"] +perverttube.com##[href="https://usasexcams.com/"] +coomer.su,kemono.su##[href^="//a.adtng.com/get/"] +brazz-girls.com##[href^="/Site/Brazzers/"] +footztube.com##[href^="/tp/out"] +boobieblog.com##[href^="http://join.playboyplus.com/track/"] +thotstars.com##[href^="http://thotmeet.site/"] +androidadult.com,homemoviestube.com##[href^="https://aoflix.com/Home"] +hentai2read.com##[href^="https://camonster.com"] +akiba-online.com##[href^="https://filejoker.net/invite"] +sweethentai.com##[href^="https://gadlt.nl/"] +usasexguide.nl##[href^="https://instable-easher.com/"] +adultcomixxx.com##[href^="https://join.hentaisex3d.com/"] +ryuugames.com,yaoimangaonline.com##[href^="https://l.erodatalabs.com/s/"] > img +clubsarajay.com##[href^="https://landing.milfed.com/"] +javgg.net##[href^="https://onlyfans.com/action/trial/"] +sankakucomplex.com##[href^="https://s.zlink3.com/d.php"] +freebdsmxxx.org##[href^="https://t.me/joinchat/"] +bestthots.com,leakedzone.com##[href^="https://v6.realxxx.com/"] +porngames.club##[href^="https://www.familyporngames.games/"] +porngames.club##[href^="https://www.porngames.club/friends/out.php"] +koreanstreamer.xyz##[href^="https://www.saltycams.com"] +alotporn.com,amateurporn.me##[id^="list_videos_"] > [class="item"] +youjizz.com,youporngay.com##[img][src*="blob:"] +tophentai.biz##[src*="hentaileads/"] +hentaigasm.com##[src^="https://add2home.files.wordpress.com/"] +tubedupe.com##[src^="https://tubedupe.com/player/html.php?aid="] +hentai-gamer.com##[src^="https://www.hentai-gamer.com/pics/"] +pornhub.com##[srcset*="bloB:"] +pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,youjizz.com,youporn.com,youporngay.com##[style*="base64"] +pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,youjizz.com,youporn.com,youporngay.com##[style*="blob:"]:not(video) +xozilla.com##[style="height: 220px !important; overflow: hidden;"] +hentairider.com##[style="height: 250px;padding:5px;"] +eporner.com##[style="margin: 20px auto; height: 275px; width: 900px;"] +vjav.com##[style="width: 728px; height: 90px;"] +xozilla.com##[style^="height: 250px !important; overflow: hidden;"] +missav.ai,missav.ws,missav123.com,missav888.com##[x-show$="video_details'"] > div > .list-disc +pornone.com##a[class^="listing"] +f95zone.to##a[data-nav-id="AIPorn"] +f95zone.to##a[data-nav-id="AISexChat"] +boyfriendtv.com##a[href*="&creativeId=popunder-listing"] +porn.com##a[href*="&ref="] +asspoint.com,babepedia.com,babesandstars.com,blackhaloadultreviews.com,dbnaked.com,freeones.com,gfycatporn.com,javfor.me,mansurfer.com,newpornstarblogs.com,ok.porn,porn-star.com,porn.com,porndoe.com,pornhubpremium.com,pornstarchive.com,rogreviews.com,sexyandfunny.com,shemaletubevideos.com,spankbang.com,str8upgayporn.com,the-new-lagoon.com,tube8.com,wcareviews.com,xxxonxxx.com,youporn.com##a[href*=".com/track/"] +badjojo.com,boysfood.com,definebabe.com,efukt.com,fantasti.cc,girlsofdesire.org,imagepix.org,javfor.me,pornxs.com,shemaletubevideos.com,therealpornwikileaks.com##a[href*=".php"] +blackhaloadultreviews.com,boyfriendtv.com,hentaigasm.com,javjunkies.com,masahub.net,missav.ai,missav.ws,missav123.com,missav888.com,phun.org,porn-w.org##a[href*="//bit.ly/"] +celeb.gate.cc##a[href*="//goo.gl/"] +taxidrivermovie.com##a[href*="/category/"] +nude.hu##a[href*="/click/"] +hdzog.com,xcafe.com##a[href*="/cs/"] +lewdspot.com,mopoga.com##a[href*="/gm/"] +agedbeauty.net,data18.com,imgdrive.net,pornpics.com,pornpics.de,vipergirls.to##a[href*="/go/"] +pornlib.com##a[href*="/linkout/"] +mansurfer.com##a[href*="/out/"] +avgle.com##a[href*="/redirect"] +4tube.com,fux.com,pornerbros.com,porntube.com##a[href*="/redirect-channel/"] +cockdude.com##a[href*="/tsyndicate.com/"] +youpornzz.com##a[href*="/videoads.php?"] +pornhub.com,pornhubpremium.com,pstargif.com,spankbang.com,sxyprn.com,tube8.com,tube8vip.com,xozilla.com,xxxymovies.com##a[href*="?ats="] +adultdvdempire.com##a[href*="?partner_id="][href*="&utm_"] +taxidrivermovie.com##a[href*="mrskin.com/"] +adultfilmdatabase.com,animeidhentai.com,babeforums.org,bos.so,camvideos.tv,camwhores.tv,devporn.net,f95zone.to,fritchy.com,gifsauce.com,hentai2read.com,hotpornfile.org,hpjav.com,imagebam.com,imgbox.com,imgtaxi.com,motherless.com,muchohentai.com,myporn.club,oncam.me,pandamovies.pw,planetsuzy.org,porntrex.com,pussyspace.com,sendvid.com,sexgalaxy.net,sextvx.com,sexuria.com,thefappeningblog.com,vintage-erotica-forum.com,vipergirls.to,waxtube.com,xfantazy.com,yeapornpls.com##a[href*="theporndude.com"] +tsmodelstube.com##a[href="https://tsmodelstube.com/a/tangels"] +bravotube.net##a[href^="/cs/"] +sexhd.pics##a[href^="/direct/"] +drtuber.com##a[href^="/partner/"] +pornhub.com,spankbang.com##a[href^="http://ads.trafficjunky.net/"] +teenmushi.org##a[href^="http://keep2share.cc/code/"] +babesandstars.com##a[href^="http://rabbits.webcam/"] +adultgifworld.com,babeshows.co.uk,boobieblog.com,fapnado.com,iseekgirls.com,the-new-lagoon.com##a[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] +hentai-imperia.org##a[href^="http://www.adult-empire.com/rs.php?"] +xcritic.com##a[href^="http://www.adultdvdempire.com/"][href*="?partner_id="] +hentairules.net##a[href^="http://www.gallery-dump.com"] +f95zone.to,pornhub.com,pornhubpremium.com,redtube.com##a[href^="https://ads.trafficjunky.net/"] +hentai2read.com##a[href^="https://arf.moe/"] +imgsen.com##a[href^="https://besthotgayporn.com/"] +imx.to##a[href^="https://camonster.com/"] +f95zone.to##a[href^="https://candy.ai/"] +hog.tv##a[href^="https://clickaine.com"] +spankbang.com##a[href^="https://deliver.ptgncdn.com/"] +seexh.com,valuexh.life,xhaccess.com,xhamster.com,xhamster.desi,xhamster2.com,xhamster3.com,xhamster42.desi,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhlease.world,xhofficial.com,xhspot.com,xhtab4.com,xhtotal.com,xhtree.com,xhwide2.com,xhwide5.com##a[href^="https://flirtify.com/"] +hitbdsm.com##a[href^="https://go.rabbitsreviews.com/"] +instantfap.com##a[href^="https://go.redgifcams.com/"] +sexhd.pics##a[href^="https://go.stripchat.com/"] +imgsen.com##a[href^="https://hardcoreincest.net/"] +adultgamesworld.com##a[href^="https://joystick.tv/t/?t="] +yaoimangaonline.com##a[href^="https://l.hyenadata.com/"] +gayforfans.com##a[href^="https://landing.mennetwork.com/"] +trannygem.com##a[href^="https://landing.transangelsnetwork.com/"] +datingpornstar.com##a[href^="https://mylinks.fan/"] +mrdeepfakes.com##a[href^="https://pages.faceplay.fun/ds/index-page?utm_"] +babepedia.com##a[href^="https://porndoe.com/"] +oncam.me##a[href^="https://pornwhitelist.com/"] +mrdeepfakes.com##a[href^="https://pornx.ai?ref="] +oncam.me##a[href^="https://publishers.clickadilla.com/signup"] +fans-here.com##a[href^="https://satoshidisk.com/"] +forums.socialmediagirls.com##a[href^="https://secure.chewynet.com/"] +smutr.com##a[href^="https://smutr.com/?action=trace"] +pornlizer.com##a[href^="https://tezfiles.com/store/"] +allaboutcd.com##a[href^="https://thebreastformstore.com/"] +thotimg.xyz##a[href^="https://thotsimp.com/"] +oncam.me##a[href^="https://torguard.net/aff.php"] +muchohentai.com##a[href^="https://trynectar.ai/"] +forums.socialmediagirls.com##a[href^="https://viralporn.com/"][href*="?utm_"] +oncam.me##a[href^="https://www.clickadu.com/?rfd="] +f95zone.to##a[href^="https://www.deepswap.ai"] +myreadingmanga.info##a[href^="https://www.dlsite.com/"] +namethatpornad.com,vxxx.com##a[href^="https://www.g2fame.com/"] +myreadingmanga.info,yaoimangaonline.com##a[href^="https://www.gaming-adult.com/"] +gotporn.com##a[href^="https://www.gotporn.com/click.php?id="] +spankbang.com##a[href^="https://www.iyalc.com/"] +imagebam.com,vipergirls.to##a[href^="https://www.mrporngeek.com/"] +pimpandhost.com##a[href^="https://www.myfreecams.com/"][href*="&track="] +couplesinternational.com##a[href^="https://www.redhotpie.com"] +pornhub.com##a[href^="https://www.uviu.com"] +barelist.com,spankingtube.com##a[onclick] +h-flash.com##a[style^="width: 320px; height: 250px"] +povaddict.com##a[title^="FREE "] +aniporn.com,bdsmx.tube##article > section +girlonthenet.com##aside[data-adrotic] +xpassd.co##aside[id^="tn_ads_widget-"] +mysexgames.com##body > div[style*="z-index:"] +xxbrits.com##button[class^="click-fun"] +boobieblog.com,imgadult.com,lolhentai.net,picdollar.com,porngames.com,thenipslip.com,wetpussygames.com,xvideos.name##canvas +redtube.com##div > iframe +motherless.com##div > table[style][border] +publicflashing.me##div.hentry +xxxdl.net##div.in_thumb.thumb +sexwebvideo.net##div.trailer-sponsor +underhentai.net##div[class*="afi-"] +redtube.com##div[class*="display: block; height:"] +twiman.net##div[class*="my-"][class*="px\]"] +camsoda.com##div[class^="AdsRight-"] +ovacovid.com##div[class^="Banner-"] +cam4.com,cam4.eu##div[class^="SponsoredAds_"] +hentaicovid.com##div[class^="banner-"] +xporno.tv##div[class^="block_ads_"] +hpjav.top##div[class^="happy-"] +hentaimama.io##div[class^="in-between-ad"] +pornwhite.com,sleazyneasy.com##div[data-banner] +theyarehuge.com##div[data-nosnippet] +hentai2read.com##div[data-type="leaderboard-top"] +hentaistream.com##div[id^="adx_ad-"] +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##div[id^="after-boxes"] +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##div[id^="beside-video"] +pornsitetest.com##div[id^="eroti-"] +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##div[id^="native-boxes"] +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##div[id^="related-boxes-footer"] +pornstarbyface.com##div[id^="sponcored-content-"] +lewdgamer.com##div[id^="spot-"] +hentaiff.com##div[id^="teaser"] +thefetishistas.com##div[id^="thefe-"] +eromanga-show.com,hentai-one.com,hentaipaw.com##div[id^="ts_ad_"] +pornhub.com,youporngay.com##div[onclick*="bp1.com"] +hentaistream.com##div[style$="width:100%;height:768px;overflow:hidden;visibility:hidden;"] +hentai.com##div[style="cursor: pointer;"] +xozilla.xxx##div[style="height: 250px !important; overflow: hidden;"] +porncore.net##div[style="margin:10px auto;height:200px;width:800px;"] +javplayer.me##div[style="position: absolute; inset: 0px; z-index: 999; display: block;"] +simpcity.su##div[style="text-align:center;margin-bottom:20px;"] +abxxx.com,aniporn.com,missav.ai,missav.ws,missav123.com,missav888.com##div[style="width: 300px; height: 250px;"] +sexbot.com##div[style="width:300px;height:20px;text-align:center;padding-top:30px;"] +pornpics.network##div[style^="height: 250px;"] +gay0day.com##div[style^="height:250px;"] +ooxxx.com##div[style^="width: 728px; height: 90px;"] +thehentai.net##div[style^="width:300px; height:250px;"] +javtorrent.me##div[style^="width:728px; height: 90px;"] +rateherpussy.com##font[size="1"][face="Verdana"] +javgg.net##iframe.lazyloaded.na +smutty.com##iframe[scrolling="no"] +xcafe.com##iframe[src] +watchteencam.com##iframe[src^="http://watchteencam.com/images/"] +komikindo.info,manga18fx.com,manhwa18.cc,motherless.com##iframe[style] +3movs.com,ggjav.com,tnaflix.com##iframe[width="300"] +avgle.com##img[src*=".php"] +pornhub.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporngay.com##img[src*="blob:" i]:not(video) +4tube.com##img[src][style][width] +pornhub.com##img[srcset] +mature.community,milf.community,milf.plus,pornhub.com##img[width="300"] +sexmummy.com##img[width="468"] +mrjav.net##li[id^="video-interlacing"] +pictoa.com##nav li[style="position: relative;"] +boundhub.com##noindex +pornhd.com##phd-floating-ad +koreanstreamer.xyz##section.korea-widget +porngifs2u.com##section[class*="elementor-hidden-"] +redtube.com##svg +mysexgames.com##table[height="630"] +mysexgames.com##table[height="640"] +motherless.com##table[style*="max-width:"] +exoav.com##td > a[href] +xxxcomics.org##video +tube8.es,tube8.fr,youporngay.com##video[autoplay] +porndoe.com,redtube.com##video[autoplay][src*="blob:" i] +porndoe.com,redtube.com##video[autoplay][src*="data:" i] +! top-level domain wildcard +cam4.*##div[class^="SponsoredAds_"] +! ! :has() +redgifs.com##.SideBar-Item:has(> [class^="_liveAdButton"]) +porn-w.org##.align-items-center.list-row:has(.col:empty) +picsporn.net##.box:has(> .dip-exms) +porngames.com##.contentbox:has(a[href="javascript:void(0);"]) +porngames.com##.contentbox:has(iframe[src^="//"]) +kimochi.info##.gridlove-posts > .layout-simple:has(.gridlove-archive-ad) +tokyomotion.com##.is-gapless > .has-text-centered:has(> div > .adv) +4kporn.xxx,crazyporn.xxx,hoes.tube,love4porn.com##.item:has(> [class*="ads"]) +vagina.nl##.list-item:has([data-idzone]) +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##.no-gutters > .col-6:has(> #special-block) +kbjfree.com##.relative.w-full:has(> .video-card[target="_blank"]) +pornhub.com##.sectionWrapper:has(> #bottomVideos > .wrapVideoBlock) +hentaicomics.pro##.single-portfolio:has(.xxx-banner) +xasiat.com##.top:has(> [data-zoneid]) +scrolller.com##.vertical-view__column > .vertical-view__item:has(> div[style$="overflow: hidden;"]) +povxl.com##.video-holder > div:has([id^="ts_ad_native_"]) +porndoe.com##.video-item:has(a.video-item-link[ng-native-click]) +jav4tv.com##aside:has(.ads_300_250) +youporn.com##aside:has(a.ad-remove) +pornhub.com##div[class="video-wrapper"] > .clear.hd:has(.adsbytrafficjunky) +rule34.paheal.net##section[id$="main"] > .blockbody:has(> div[align="center"] > ins) +! ! Advanced element hiding rules +4wank.com#?#.video-holder > center > :-abp-contains(/^Advertisement$/) +crocotube.com#?#.ct-related-videos-title:-abp-contains(Advertisement) +crocotube.com#?#.ct-related-videos-title:-abp-contains(You may also like) +hdpornpics.net#?#.money:-abp-has(.century:-abp-contains(ADS)) +hotmovs.com#?#.block_label--last:-abp-contains(Advertisement) +okxxx1.com#?#.bn-title:-abp-contains(Advertising) +porn-w.org#?#.row:-abp-contains(Promotion Bot) +pornhub.com#?#:-abp-properties(height: 300px; width: 315px;) +pornhub.com,youporn.com#?#:-abp-properties(float: right; margin-top: 30px; width: 50%;) +reddxxx.com#?#.items-center:-abp-contains(/^ad$/) +reddxxx.com#?#[role="gridcell"]:-abp-contains(/^AD$/) +redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(*data:image*) +redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(base64) +redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(data:) +redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(image/) +! -----------------------Allowlists to fix broken sites------------------------! +! *** easylist:easylist/easylist_allowlist.txt *** +@@||2mdn.net/instream/html5/ima3.js$script,domain=earthtv.com|zdnet.com +@@||4cdn.org/adv/$image,xmlhttprequest,domain=4channel.org +@@||4channel.org/adv/$image,xmlhttprequest,domain=4channel.org +@@||abcnews.com/assets/js/prebid.min.js$~third-party +@@||abcnews.com/assets/player/$script,~third-party +@@||accuweather.com/bundles/prebid.$script +@@||ad.linksynergy.com^$image,domain=extrarebates.com +@@||adap.tv/redir/javascript/vpaid.js +@@||addicted.es^*/ad728-$image,~third-party +@@||adjust.com/adjust-latest.min.js$domain=anchor.fm +@@||adm.fwmrm.net^*/TremorAdRenderer.$object,domain=go.com +@@||adm.fwmrm.net^*/videoadrenderer.$object,domain=cnbc.com|go.com|nbc.com|nbcnews.com +@@||adnxs.com/ast/ast.js$domain=zone.msn.com +@@||ads.adthrive.com/api/$domain=adamtheautomator.com|mediaite.com|packhacker.com|packinsider.com +@@||ads.adthrive.com/builds/core/*/js/adthrive.min.js$domain=adamtheautomator.com|mediaite.com|packhacker.com|packinsider.com +@@||ads.adthrive.com/builds/core/*/prebid.min.js$domain=mediaite.com +@@||ads.adthrive.com/sites/$script,domain=adamtheautomator.com|mediaite.com|packhacker.com|packinsider.com +@@||ads.freewheel.tv/|$media,domain=cnbc.com|fxnetworks.com|my.xfinity.com|nbc.com|nbcsports.com +@@||ads.kbmax.com^$domain=adspipe.com +@@||ads.pubmatic.com/adserver/js/$script,domain=wionews.com|zeebiz.com +@@||ads.pubmatic.com/AdServer/js/pwtSync/$script,subdocument,domain=dnaindia.com|independent.co.uk +@@||ads.roblox.com/v1/sponsored-pages$xmlhttprequest,domain=roblox.com +@@||ads.rogersmedia.com^$subdocument,domain=cbc.ca +@@||ads.rubiconproject.com/prebid/$script,domain=drudgereport.com|everydayhealth.com +@@||ads3.xumo.com^$domain=2vnews.com +@@||adsafeprotected.com/iasPET.$script,domain=independent.co.uk|reuters.com|wjs.com +@@||adsafeprotected.com/vans-adapter-google-ima.js$script,domain=gamingbible.co.uk|ladbible.com|reuters.com|wjs.com +@@||adsales.snidigital.com/*/ads-config.min.js$script +@@||adserver.skiresort-service.com/www/delivery/spcjs.php?$script,domain=skiresort.de|skiresort.fr|skiresort.info|skiresort.it|skiresort.nl +@@||adswizz.com/adswizz/js/SynchroClient*.js$script,third-party,domain=jjazz.net +@@||adswizz.com/sca_newenco/$xmlhttprequest,domain=triplem.com.au +@@||airplaydirect.com/openx/www/images/$image +@@||almayadeen.net/Content/VideoJS/js/videoPlayer/VideoAds.js$script,~third-party +@@||amazon-adsystem.com/aax2/apstag.js$domain=accuweather.com|barstoolsports.com|blastingnews.com|cnn.com|familyhandyman.com|foxbusiness.com|gamingbible.co.uk|history.com|independent.co.uk|inquirer.com|keloland.com|radio.com|rd.com|si.com|sportbible.com|tasteofhome.com|thehealthy.com|time.com|wboy.com|wellgames.com|wkrn.com|wlns.com|wvnstv.com +@@||amazon-adsystem.com/widgets/q?$image,third-party +@@||amazonaws.com/prod.iqdcontroller.iqdigital/cdn_iqdspiegel/live/iqadcontroller.js.gz$domain=spiegel.de +@@||aniview.com/api/$script,domain=gamingbible.co.uk|ladbible.com +@@||aone-soft.com/style/images/ad2.jpg +@@||api.adinplay.com/libs/aiptag/assets/adsbygoogle.js$domain=bigescapegames.com|brofist.io|findcat.io|geotastic.net|lordz.io +@@||api.adinplay.com/libs/aiptag/pub/$domain=geotastic.net +@@||api.adnetmedia.lt/api/$~third-party +@@||apis.kostprice.com/fapi/$script,domain=gadgets.ndtv.com +@@||apmebf.com/ad/$domain=betfair.com +@@||app.clickfunnels.com/assets/lander.js$script,domain=propanefitness.com +@@||app.hubspot.com/api/ads/$~third-party +@@||app.veggly.net/plugins/cordova-plugin-admobpro/www/AdMob.js$script,~third-party +@@||apv-launcher.minute.ly/api/$script +@@||archive.org/BookReader/$image,~third-party,xmlhttprequest +@@||archive.org/services/$image,~third-party,xmlhttprequest +@@||assets.ctfassets.net^$media,domain=ads.spotify.com +@@||assets.strossle.com^*/strossle-widget-sdk.js$script,domain=kaaoszine.fi +@@||at.adtech.redventures.io/lib/api/$xmlhttprequest,domain=gamespot.com|giantbomb.com|metacritic.com +@@||at.adtech.redventures.io/lib/dist/$script,domain=gamespot.com|giantbomb.com|metacritic.com +@@||atlas.playpilot.com/api/v1/ads/browse/$xmlhttprequest,domain=playpilot.com +@@||audience.io/api/v3/app/fetchPromo/$domain=campaign.aptivada.com +@@||autotrader.co.uk^*/advert$~third-party +@@||avclub.com^*/adManager.$script,~third-party +@@||bankofamerica.com^*?adx=$~third-party,xmlhttprequest +@@||banmancounselling.com/wp-content/themes/banman/ +@@||bannersnack.com/banners/$document,subdocument,domain=adventcards.co.uk|charitychristmascards.org|christmascardpacks.co.uk|kingsmead.com|kingsmeadcards.co.uk|nativitycards.co.uk|printedchristmascards.co.uk +@@||basinnow.com/admin/upload/settings/advertise-img.jpg +@@||basinnow.com/upload/settings/advertise-img.jpg +@@||bauersecure.com/dist/js/prebid/$domain=carmagazine.co.uk +@@||bbc.co.uk^*/adverts.js +@@||bbc.gscontxt.net^$script,domain=bbc.com +@@||betterads.org/hubfs/$image,~third-party +@@||bigfishaudio.com/banners/$image,~third-party +@@||bikeportland.org/wp-content/plugins/advanced-ads/public/assets/js/advanced.min.js$script,~third-party +@@||bitcoinbazis.hu/advertise-with-us/$~third-party +@@||blueconic.net/capitolbroadcasting.js$script,domain=wral.com +@@||boatwizard.com/ads_prebid.min.js$script,domain=boats.com +@@||bordeaux.futurecdn.net/bordeaux.js$script,domain=gamesradar.com|tomsguide.com +@@||borneobulletin.com.bn/wp-content/banners/bblogo.jpg$~third-party +@@||brave.com/static-assets/$image,~third-party +@@||britannica.com/mendel-resources/3-52/js/libs/prebid4.$script,~third-party +@@||capitolbroadcasting.blueconic.net^$image,script,xmlhttprequest,domain=wral.com +@@||carandclassic.co.uk/images/free_advert/$image,~third-party +@@||cbsi.com/dist/optanon.js$script,domain=cbsnews.com|zdnet.com +@@||cc.zorores.com/ad/*.vtt$domain=rapid-cloud.co +@@||cdn.adsninja.ca^$domain=carbuzz.com|xda-developers.com +@@||cdn.advertserve.com^$domain=hutchgo.com|hutchgo.com.cn|hutchgo.com.hk|hutchgo.com.sg|hutchgo.com.tw +@@||cdn.ex.co^$domain=mm-watch.com|theautopian.com +@@||cdn.wgchrrammzv.com/prod/ajc/loader.min.js$domain=journal-news.com +@@||chycor.co.uk/cms/advert_search_thumb.php$image,domain=chycor.co.uk +@@||clients.plex.tv/api/v2/ads/$~third-party +@@||cloudfront.net/js/common/invoke.js +@@||commons.wikimedia.org/w/api.php?$~third-party,xmlhttprequest +@@||connatix.com*/connatix.player.$script,domain=ebaumsworld.com|funker530.com|tvinsider.com|washingtonexaminer.com +@@||content.pouet.net/avatars/adx.gif$image,~third-party +@@||crackle.com/vendor/AdManager.js$script,~third-party +@@||cvs.com/webcontent/images/weeklyad/adcontent/$~third-party +@@||d.socdm.com/adsv/*/tver_splive$xmlhttprequest,domain=imasdk.googleapis.com +@@||dcdirtylaundry.com/cdn-cgi/challenge-platform/$~third-party +@@||delivery-cdn-cf.adswizz.com/adswizz/js/SynchroClient*.js$script,domain=tunein.com +@@||discretemath.org/ads/ +@@||discretemath.org^$image,stylesheet +@@||disqus.com/embed/comments/$subdocument +@@||docs.woopt.com/wgact/$image,~third-party,xmlhttprequest +@@||dodo.ac/np/images/$image,domain=nookipedia.com +@@||doodcdn.co^$domain=dood.la|dood.pm|dood.to|dood.ws +@@||doubleclick.net/ddm/$image,domain=aetv.com|fyi.tv|history.com|mylifetime.com +@@||doubleclick.net/|$xmlhttprequest,domain=tvnz.co.nz +@@||edmodo.com/ads$~third-party,xmlhttprequest +@@||einthusan.tv/prebid.js$script,~third-party +@@||embed.ex.co^$xmlhttprequest,domain=espncricinfo.com +@@||entitlements.jwplayer.com^$xmlhttprequest,domain=iheart.com +@@||experienceleague.adobe.com^$~third-party +@@||explainxkcd.com/wiki/images/$image,~third-party +@@||ezodn.com/tardisrocinante/lazy_load.js$script,domain=origami-resource-center.com +@@||ezoic.net/detroitchicago/cmb.js$script,domain=gerweck.net +@@||f-droid.org/assets/Ads_$~third-party +@@||facebook.com/ads/profile/$~third-party,xmlhttprequest +@@||faculty.uml.edu/klevasseur/ads/ +@@||faculty.uml.edu^$image,stylesheet +@@||fdyn.pubwise.io^$script,domain=urbanglasgow.co.uk +@@||files.slack.com^$image,~third-party +@@||flying-lines.com/banners/$image,~third-party +@@||forum.miuiturkiye.net/konu/reklam.$~third-party,xmlhttprequest +@@||forums.opera.com/api/topic/$~third-party,xmlhttprequest +@@||franklymedia.com/*/300x150_WBNQ_TEXT.png$image,domain=wbnq.com +@@||fuseplatform.net^*/fuse.js$script,domain=broadsheet.com.au|friendcafe.jp +@@||g.doubleclick.net/gampad/ads$xmlhttprequest,domain=bloomberg.com|chromatographyonline.com|formularywatch.com|journaldequebec.com|managedhealthcareexecutive.com|medicaleconomics.com|physicianspractice.com +@@||g.doubleclick.net/gampad/ads*%20Web%20Player$domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?*%2Ftver.$xmlhttprequest,domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?*&prev_scp=kw%3Diqdspiegel%2Cdigtransform%2Ciqadtile4%2$xmlhttprequest,domain=spiegel.de +@@||g.doubleclick.net/gampad/ads?*.crunchyroll.com$xmlhttprequest,domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?*RakutenShowtime$xmlhttprequest,domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?env=$xmlhttprequest,domain=wunderground.com +@@||g.doubleclick.net/gampad/live/ads?*tver.$xmlhttprequest,domain=imasdk.googleapis.com +@@||g.doubleclick.net/pagead/ads$subdocument,domain=sudokugame.org +@@||g.doubleclick.net/pagead/ads?*&description_url=https%3A%2F%2Fgames.wkb.jp$xmlhttprequest,domain=imasdk.googleapis.com +@@||g2crowd.com/uploads/product/image/$image,domain=g2.com +@@||gbf.wiki/images/$image,~third-party +@@||gitlab.com/api/v4/projects/$~third-party +@@||givingassistant.org/Advertisers/$~third-party +@@||global-uploads.webflow.com/*_dimensions-$image,domain=dimensions.com +@@||gn-web-assets.api.bbc.com/bbcdotcom/assets/$script,domain=bbc.co.uk +@@||go.ezodn.com/tardisrocinante/lazy_load.js?$script,domain=raiderramble.com +@@||go.xlirdr.com/api/models/vast$xmlhttprequest +@@||gocomics.com/assets/ad-dependencies-$script,~third-party +@@||google.com/images/integrations/$image,~third-party +@@||googleadservices.com/pagead/conversion_async.js$script,domain=zubizu.com +@@||googleoptimize.com/optimize.js$script,domain=wallapop.com +@@||gpt-worldwide.com/js/gpt.js$~third-party +@@||grapeshot.co.uk/main/channels.cgi$script,domain=telegraph.co.uk +@@||gstatic.com/ads/external/images/$image,domain=support.google.com +@@||gumtree.co.za/my/ads.html$~third-party +@@||hotstar.com/vs/getad.php$domain=hotstar.com +@@||hp.com/in/*/ads/$script,stylesheet,~third-party +@@||htlbid.com^*/htlbid.js$domain=hodinkee.com +@@||hutchgo.advertserve.com^$domain=hutchgo.com|hutchgo.com.cn|hutchgo.com.hk|hutchgo.com.sg|hutchgo.com.tw +@@||hw-ads.datpiff.com/news/$image,domain=datpiff.com +@@||image.shutterstock.com^$image,domain=icons8.com +@@||improvedigital.com/pbw/headerlift.min.js$domain=games.co.uk|kizi.com|zigiz.com +@@||infotel.ca/images/ads/$image,~third-party +@@||infoworld.com/www/js/ads/gpt_includes.js$~third-party +@@||instagram.com/api/v1/ads/$~third-party,xmlhttprequest +@@||ipinfo.io/static/images/use-cases/adtech.jpg$image,~third-party +@@||island.lk/userfiles/image/danweem/island.gif +@@||itv.com/itv/hserver/*/site=itv/$xmlhttprequest +@@||itv.com/itv/tserver/$~third-party +@@||jokerly.com/Okidak/adSelectorDirect.htm?id=$document,subdocument +@@||jokerly.com/Okidak/vastChecker.htm$document,subdocument +@@||jsdelivr.net^*/videojs.ads.css$domain=irctc.co.in +@@||jwpcdn.com/player/plugins/googima/$script,domain=iheart.com|video.vice.com +@@||kotaku.com/x-kinja-static/assets/new-client/adManager.$~third-party +@@||lastpass.com/ads.php$subdocument,domain=chrome-extension-scheme +@@||lastpass.com/images/ads/$image,~third-party +@@||letocard.fr/wp-content/uploads/$image,~third-party +@@||linkbucks.com/tmpl/$image,stylesheet +@@||live.primis.tech^$script,domain=eurogamer.net|klaq.com|loudwire.com|screencrush.com|vg247.com|xxlmag.com +@@||live.primis.tech^$xmlhttprequest,domain=xxlmag.com +@@||live.streamtheworld.com/partnerIds$domain=iheart.com|player.amperwave.net +@@||lokopromo.com^*/adsimages/$~third-party +@@||looker.com/api/internal/$~third-party +@@||luminalearning.com/affiliate-content/$image,~third-party +@@||makeuseof.com/public/build/images/bg-advert-with-us.$~third-party +@@||manageengine.com/images/logo/$image,~third-party +@@||manageengine.com/products/ad-manager/$~third-party +@@||martinfowler.com/articles/asyncJS.css$stylesheet,~third-party +@@||media.kijiji.ca/api/$image,~third-party +@@||mediaalpha.com/js/serve.js$domain=goseek.com +@@||micro.rubiconproject.com/prebid/dynamic/$script,xmlhttprequest,domain=gamingbible.co.uk|ladbible.com|sportbible.com +@@||moatads.com^$script,domain=imsa.com|nascar.com +@@||motortrader.com.my/advert/$image,~third-party +@@||mtouch.facebook.com/ads/api/preview/$domain=business.facebook.com +@@||nascar.com/wp-content/themes/ndms-2023/assets/js/inc/ads/prebid8.$~third-party +@@||newscgp.com/prod/prebid/nyp/pb.js$domain=nypost.com +@@||nextcloud.com/remote.php/$~third-party,xmlhttprequest +@@||nflcdn.com/static/site/$script,domain=nfl.com +@@||npr.org/sponsorship/targeting/$~third-party,xmlhttprequest +@@||ntv.io/serve/load.js$domain=mcclatchydc.com +@@||optimatic.com/iframe.html$subdocument,domain=pch.com +@@||optimatic.com/redux/optiplayer-$domain=pch.com +@@||optimatic.com/shell.js$domain=pch.com +@@||optout.networkadvertising.org^$document +@@||p.d.1emn.com^$script,domain=hotair.com +@@||pandora.com/images/public/devicead/$image +@@||patreonusercontent.com/*.gif?token-$image,domain=patreon.com +@@||payload.cargocollective.com^$image,~third-party +@@||pbs.twimg.com/ad_img/$image,xmlhttprequest +@@||pepperjamnetwork.com/banners/$image,domain=extrarebates.com +@@||photofunia.com/effects/$image,~third-party +@@||pjtra.com/b/$image,domain=extrarebates.com +@@||player.aniview.com/script/$script,domain=odysee.com|pogo.com +@@||player.avplayer.com^$script,domain=explosm.net|gamingbible.co.uk|justthenews.com|ladbible.com +@@||player.ex.co/player/$script,domain=mm-watch.com|theautopian.com|usatoday.com|ydr.com +@@||player.odycdn.com/api/$xmlhttprequest,domain=odysee.com +@@||playwire.com/bolt/js/zeus/embed.js$script,third-party +@@||pngimg.com/distr/$image,~third-party +@@||pntrac.com/b/$image,domain=extrarebates.com +@@||pntrs.com/b/$image,domain=extrarebates.com +@@||portal.autotrader.co.uk/advert/$~third-party +@@||prebid.adnxs.com^$xmlhttprequest,domain=go.cnn.com +@@||preromanbritain.com/maxymiser/$~third-party +@@||promo.com/embed/$subdocument,third-party +@@||promo.zendesk.com^$xmlhttprequest,domain=promo.com +@@||pub.doubleverify.com/dvtag/$script,domain=time.com +@@||pub.pixels.ai/wrap-independent-no-prebid-lib.js$script,domain=independent.co.uk +@@||radiotimes.com/static/advertising/$script,~third-party +@@||raw.githubusercontent.com^$domain=viewscreen.githubusercontent.com +@@||redventures.io/lib/dist/prod/bidbarrel-$script,domain=cnet.com|zdnet.com +@@||renewcanceltv.com/porpoiseant/banger.js$script,~third-party +@@||rubiconproject.com/prebid/dynamic/$script,domain=ask.com|journaldequebec.com +@@||runescape.wiki^$image,~third-party +@@||s.ntv.io/serve/load.js$domain=titantv.com +@@||salfordonline.com/wp-content/plugins/wp_pro_ad_system/$script +@@||schwab.com/scripts/appdynamic/adrum-ext.$script,~third-party +@@||scrippsdigital.com/cms/videojs/$stylesheet,domain=scrippsdigital.com +@@||sdltutorials.com/Data/Ads/AppStateBanner.jpg$~third-party +@@||securenetsystems.net/v5/scripts/ +@@||shaka-player-demo.appspot.com/lib/ads/ad_manager.js$script,~third-party +@@||showcase.codethislab.com/banners/$image,~third-party +@@||shreemaruticourier.com/banners/$~third-party +@@||signin.verizon.com^*/affiliate/$subdocument,xmlhttprequest +@@||somewheresouth.net/banner/banner.php$image +@@||sportsnet.ca/wp-content/plugins/bwp-minify/$domain=sportsnet.ca +@@||standard.co.uk/js/third-party/prebid8.$~third-party +@@||startrek.website/pictrs/image/$xmlhttprequest +@@||stat-rock.com/player/$domain=4shared.com|adplayer.pro +@@||static.doubleclick.net/instream/ad_status.js$script,domain=ignboards.com +@@||static.vrv.co^$media,domain=crunchyroll.com +@@||summitracing.com/global/images/bannerads/ +@@||sundaysportclassifieds.com/ads/$image,~third-party +@@||survey.g.doubleclick.net^$script,domain=sporcle.com +@@||synchrobox.adswizz.com/register2.php$script,domain=player.amperwave.net|tunein.com +@@||tcbk.com/application/files/4316/7521/1922/Q1-23-CD-Promo-Banner-Ad.png^$~third-party +@@||thdstatic.com/experiences/local-ad/$domain=homedepot.com +@@||thedailybeast.com/pf/resources/js/ads/arcads.js$~third-party +@@||thepiratebay.org/cdn-cgi/challenge-platform/$~third-party +@@||thetvdb.com/banners/$image,domain=tvtime.com +@@||thisiswaldo.com/static/js/$script,domain=bestiefy.com +@@||townhall.com/resources/dist/js/prebid-pjmedia.js$script,domain=pjmedia.com +@@||tractorshed.com/photoads/upload/$~third-party +@@||tradingview.com/adx/$subdocument,domain=adx.ae +@@||trustprofile.com/banners/$image +@@||ukbride.co.uk/css/*/adverts.css +@@||unpkg.com^$script,domain=vidsrc.stream +@@||upload.wikimedia.org/wikipedia/$image,media +@@||v.fwmrm.net/?$xmlhttprequest +@@||v.fwmrm.net/ad/g/*Nelonen$script +@@||v.fwmrm.net/ad/g/1$domain=uktv.co.uk|vevo.com +@@||v.fwmrm.net/ad/g/1?*mtv_desktop$xmlhttprequest +@@||v.fwmrm.net/ad/g/1?csid=vcbs_cbsnews_desktop_$xmlhttprequest +@@||v.fwmrm.net/ad/p/1?$domain=cc.com|channel5.com|cmt.com|eonline.com|foodnetwork.com|nbcnews.com|ncaa.com|player.theplatform.com|simpsonsworld.com|today.com +@@||v.fwmrm.net/crossdomain.xml$xmlhttprequest +@@||vms-players.minutemediaservices.com^$script,domain=si.com +@@||vms-videos.minutemediaservices.com^$xmlhttprequest,domain=si.com +@@||warpwire.com/AD/ +@@||warpwire.net/AD/ +@@||web-ads.pulse.weatherbug.net/api/ads/targeting/$domain=weatherbug.com +@@||webbtelescope.org/files/live/sites/webb/$image,~third-party +@@||widgets.jobbio.com^*/display.min.js$domain=interestingengineering.com +@@||worldgravity.com^$script,domain=hotstar.com +@@||wrestlinginc.com/wp-content/themes/unified/js/prebid.js$~third-party +@@||www.google.*/search?$domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk +@@||www.google.com/ads/preferences/$image,script,subdocument +@@||yaytrade.com^*/chunks/pages/advert/$~third-party +@@||yieldlove.com/v2/yieldlove.js$script,domain=whatismyip.com +@@||yimg.com/rq/darla/*/g-r-min.js$domain=yahoo.com +@@||z.moatads.com^$script,domain=standard.co.uk +@@||zeebiz.com/ads/$image,~third-party +@@||zohopublic.com^*/ADManager_$subdocument,xmlhttprequest,domain=manageengine.com|zohopublic.com +! Webcompat fixes (Avoid any potential filters being applied to non-ad domains) +@@||challenges.cloudflare.com/turnstile/$script +@@||gmail.com^$generichide +@@||google.com/recaptcha/$csp,subdocument +@@||google.com/recaptcha/api.js +@@||google.com/recaptcha/enterprise.js +@@||google.com/recaptcha/enterprise/ +@@||gstatic.com/recaptcha/ +@@||hcaptcha.com/captcha/$script,subdocument +@@||hcaptcha.com^*/api.js +@@||recaptcha.net/recaptcha/$script +@@||search.brave.com/search$xmlhttprequest +@@||ui.ads.microsoft.com^$~third-party +! Webcompat Generichide fixes (Avoid any potential filters being applied to non-ad domains) +@@://10.0.0.$generichide +@@://10.1.1.$generichide +@@://127.0.0.1$generichide +@@://192.168.$generichide +@@://localhost/$generichide +@@://localhost:$generichide +@@||accounts.google.com^$generichide +@@||ads.microsoft.com^$generichide +@@||apple.com^$generichide +@@||bitbucket.org^$generichide +@@||browserbench.org^$generichide +@@||builder.io^$generichide +@@||calendar.google.com^$generichide +@@||carbuzz.com^$generichide +@@||cbs.com^$generichide +@@||cdpn.io^$generichide +@@||chatgpt.com^$generichide +@@||cloud.google.com^$generichide +@@||codepen.io^$generichide +@@||codesandbox.io^$generichide +@@||console.cloud.google.com^$generichide +@@||contacts.google.com^$generichide +@@||curiositystream.com^$generichide +@@||deezer.com^$generichide +@@||discord.com^$generichide +@@||discoveryplus.com^$generichide +@@||disneyplus.com^$generichide +@@||docs.google.com^$generichide +@@||drive.google.com^$generichide +@@||dropbox.com^$generichide +@@||facebook.com^$generichide +@@||fastmail.com^$generichide +@@||figma.com^$generichide +@@||gemini.google.com^$generichide +@@||github.com^$generichide +@@||github.io^$generichide +@@||gitlab.com^$generichide +@@||icloud.com^$generichide +@@||instagram.com^$generichide +@@||instapundit.com^$generichide +@@||instawp.xyz^$generichide +@@||jsfiddle.net^$generichide +@@||mail.google.com^$generichide +@@||material.angular.io^$generichide +@@||material.io^$generichide +@@||matlab.mathworks.com^$generichide +@@||max.com^$generichide +@@||meet.google.com^$generichide +@@||morphic.sh^$generichide +@@||mui.com^$generichide +@@||music.amazon.$generichide +@@||music.youtube.com^$generichide +@@||myaccount.google.com^$generichide +@@||nebula.tv^$generichide +@@||netflix.com^$generichide +@@||notion.so^$generichide +@@||oisd.nl^$generichide +@@||onedrive.live.com^$generichide +@@||open.spotify.com^$generichide +@@||pandora.com^$generichide +@@||paramountplus.com^$generichide +@@||peacocktv.com^$generichide +@@||photos.google.com^$generichide +@@||pinterest.com^$generichide +@@||pinterest.de^$generichide +@@||pinterest.es^$generichide +@@||pinterest.fr^$generichide +@@||pinterest.it^$generichide +@@||pinterest.jp^$generichide +@@||pinterest.ph^$generichide +@@||proton.me^$generichide +@@||publicwww.com^$generichide +@@||qobuz.com^$generichide +@@||reddit.com^$generichide +@@||slack.com^$generichide +@@||sourcegraph.com^$generichide +@@||stackblitz.com^$generichide +@@||teams.live.com^$generichide +@@||teams.microsoft.com^$generichide +@@||testufo.com^$generichide +@@||tidal.com^$generichide +@@||tiktok.com^$generichide +@@||tubitv.com^$generichide +@@||tv.youtube.com^$generichide +@@||twitch.tv^$generichide +@@||web.basemark.com^$generichide +@@||web.telegram.org^$generichide +@@||whatsapp.com^$generichide +@@||wikibooks.org^$generichide +@@||wikidata.org^$generichide +@@||wikinews.org^$generichide +@@||wikipedia.org^$generichide +@@||wikiquote.org^$generichide +@@||wikiversity.org^$generichide +@@||wiktionary.org^$generichide +@@||www.youtube.com^$generichide +@@||x.com^$generichide +! wordpress.org https://wordpress.org/plugins/woocommerce-google-adwords-conversion-tracking-tag/ +@@||ps.w.org^$image,domain=wordpress.org +@@||s.w.org/wp-content/$stylesheet,domain=wordpress.org +@@||wordpress.org/plugins/$domain=wordpress.org +@@||wordpress.org/stats/plugin/$domain=wordpress.org +! Fingerprint checks +@@||fingerprintjs.com^$generichide +@@||schemeflood.com^$generichide +! Admiral baits +@@||succeedscene.com^$script +! uBO-CNAME (Specific allowlists) +@@||akinator.mobi.cdn.ezoic.net^$domain=akinator.mobi +@@||banner.customer.kyruus.com^$domain=doctors.bannerhealth.com +@@||hwcdn.net^$script,domain=mp4upload.com +! ezfunnels.com (https://forums.lanik.us/viewtopic.php?f=64&t=44355) +@@||ezsoftwarestorage.com^$image,media,domain=ezfunnels.com +! Memo2 +@@||ads.memo2.nl/banners/$subdocument +! allow vk.com to confirm age. +! https://forums.lanik.us/viewtopic.php?p=131491#p131491 +@@||oauth.vk.com/authorize? +! Downdetector Consent +@@||googletagservices.com/tag/js/gpt.js$domain=allestoringen.be|allestoringen.nl|downdetector.ae|downdetector.ca|downdetector.cl|downdetector.co.nz|downdetector.co.uk|downdetector.co.za|downdetector.com|downdetector.com.ar|downdetector.com.au|downdetector.com.br|downdetector.com.co|downdetector.cz|downdetector.dk|downdetector.ec|downdetector.es|downdetector.fi|downdetector.fr|downdetector.gr|downdetector.hk|downdetector.hr|downdetector.hu|downdetector.id|downdetector.ie|downdetector.in|downdetector.it|downdetector.jp|downdetector.mx|downdetector.my|downdetector.no|downdetector.pe|downdetector.ph|downdetector.pk|downdetector.pl|downdetector.pt|downdetector.ro|downdetector.ru|downdetector.se|downdetector.sg|downdetector.sk|downdetector.tw|downdetector.web.tr|xn--allestrungen-9ib.at|xn--allestrungen-9ib.ch|xn--allestrungen-9ib.de +! Generichide +@@||adblockplus.org^$generichide +@@||aetv.com^$generichide +@@||apkmirror.com^$generichide +@@||brighteon.com^$generichide +@@||cwtv.com^$generichide +@@||destinationamerica.com^$generichide +@@||geekzone.co.nz^$generichide +@@||history.com^$generichide +@@||megaup.net^$generichide +@@||sciencechannel.com^$generichide +@@||smallseotools.com^$generichide +@@||sonichits.com^$generichide +@@||soranews24.com^$generichide +@@||spiegel.de^$generichide +@@||thefreedictionary.com^$generichide +@@||tlc.com^$generichide +@@||yibada.com^$generichide +! Search engine generichide (allowing searching of ad items) +@@||bing.com/search?$generichide +@@||duckduckgo.com/?q=$generichide +@@||www.google.*/search?$generichide +@@||yandex.com/search/?$generichide +! Anti-Adblock (Applicable to Adult, file hosting, streaming/torrent sites) +@@/wp-content/plugins/blockalyzer-adblock-counter/*$image,script,~third-party,domain=~gaytube.com|~pornhub.com|~pornhubthbh7ap3u.onion|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com +@@||adtng.com/get/$subdocument,domain=hanime.tv +@@||artnet.com^$generichide +@@||az.hp.transer.com/content/dam/isetan_mitsukoshi/advertise/$~third-party +@@||az.hpcn.transer-cn.com/content/dam/isetan_mitsukoshi/advertise/$~third-party +@@||cdnqq.net/ad/api/popunder.js$script +@@||centro.co.il^$generichide +@@||coinmarketcap.com/static/addetect/$script,~third-party +@@||dlh.net^$script,subdocument,domain=dlh.net +@@||dragontea.ink^$generichide +@@||exponential.com^*/tags.js$domain=yellowbridge.com +@@||games.pch.com^$generichide +@@||maxstream.video^$generichide +@@||receiveasms.com^$generichide +@@||sc2casts.com^$generichide +@@||spanishdict.com^$generichide +@@||stream4free.live^$generichide +@@||up-load.io^$generichide +@@||userload.co/adpopup.js$script +@@||waaw.to/adv/ads/popunder.js$script +@@||yandexcdn.com/ad/api/popunder.js$script +@@||yellowbridge.com^$generichide +@@||yimg.com/dy/ads/native.js$script,domain=animedao.to +! Gladly.io New Tab extension (https://tab.gladly.io/) +! Don't install Gladly extension if you don't like ads. +@@||tab.gladly.io/newtab/|$document,subdocument +! ! imasdk.googleapis.com/js/sdkloader/ima3.js +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=247sports.com|antena3.ro|api.screen9.com|autokult.pl|bbc.com|blastingnews.com|bloomberg.co.jp|bloomberg.com|bsfuji.tv|cbc.ca|cbsnews.com|cbssports.com|chicagotribune.com|clickorlando.com|cnet.com|crunchyroll.com|delish.com|distro.tv|doubtnut.com|einthusan.tv|embed.comicbook.com|etonline.com|farfeshplus.com|filmweb.pl|game.pointmall.rakuten.net|gamebox.gesoten.com|gamepix.com|gameplayneo.com|games.usatoday.com|gbnews.com|geo.dailymotion.com|givemesport.com|goodmorningamerica.com|goodstream.uno|gospodari.com|howstuffworks.com|humix.com|ignboards.com|iheart.com|insideedition.com|irctc.co.in|klix.ba|ktla.com|kxan.com|lemino.docomo.ne.jp|locipo.jp|maharashtratimes.com|maxpreps.com|metacritic.com|minigame.aeriagames.jp|missoulian.com|myspace.com|nettavisen.no|paralympic.org|paramountplus.com|player.abacast.net|player.amperwave.net|player.earthtv.com|player.performgroup.com|plex.tv|pointmall.rakuten.co.jp|popculture.com|realmadrid.com|rte.ie|rumble.com|s.yimg.jp|scrippsdigital.com|sonyliv.com|southpark.lat|southparkstudios.com|spiele.heise.de|sportsbull.jp|sportsport.ba|success-games.net|synk-casualgames.com|tbs.co.jp|tdn.com|thecw.com|truvid.com|tubitv.com|tunein.com|tv-asahi.co.jp|tv.abcnyheter.no|tv.rakuten.co.jp|tver.jp|tvp.pl|univtec.com|video.tv-tokyo.co.jp|vlive.tv|watch.nba.com|wbal.com|weather.com|webdunia.com|wellgames.com|worldsurfleague.com|wowbiz.ro|wsj.com|wtk.pl|zdnet.com|zeebiz.com +! ! https://adssettings.google.com/anonymous?hl=en +@@||googleads.g.doubleclick.net/ads/preferences/$domain=googleads.g.doubleclick.net +! ! imasdk.googleapis.com/js/sdkloader/ima3_dai.js +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=247sports.com|4029tv.com|bet.com|bloomberg.co.jp|bloomberg.com|cbc.ca|cbssports.com|cc.com|clickorlando.com|embed.comicbook.com|gbnews.com|history.com|kcci.com|kcra.com|ketv.com|kmbc.com|koat.com|koco.com|ksbw.com|mynbc5.com|paramountplus.com|s.yimg.jp|sbs.com.au|tv.rakuten.co.jp|vk.sportsbull.jp|wapt.com|wbaltv.com|wcvb.com|wdsu.com|wesh.com|wgal.com|wisn.com|wjcl.com|wlky.com|wlwt.com|wmtw.com|wmur.com|worldsurfleague.com|wpbf.com|wtae.com|wvtm13.com|wxii12.com|wyff4.com +! ! pubads.g.doubleclick.net/ondemand/hls/ +@@||pubads.g.doubleclick.net/ondemand/hls/$domain=history.com +! ! ||imasdk.googleapis.com/js/core/bridge +@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument +! ! ||imasdk.googleapis.com/pal/sdkloader/pal.js +@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=pluto.tv|tunein.com +! ! imasdk.googleapis.com/js/sdkloader/ima3_debug.js +@@||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$domain=abcnews.go.com|brightcove.net|cbsnews.com|embed.sportsline.com|insideedition.com|pch.com +! ! https://github.com/uBlockOrigin/uAssets/issues/18541 +! ! cbssports.com|newson.us|worldsurfleague.com +@@||pubads.g.doubleclick.net/ssai/ +! ! +@@||pagead2.googlesyndication.com/tag/js/gpt.js$script,domain=wunderground.com +! ! g.doubleclick.net/tag/js/gpt.js +@@||g.doubleclick.net/tag/js/gpt.js$script,xmlhttprequest,domain=accuweather.com|adamtheautomator.com|bestiefy.com|blastingnews.com|bloomberg.com|chromatographyonline.com|cornwalllive.com|devclass.com|digitaltrends.com|edy.rakuten.co.jp|epaper.timesgroup.com|euronews.com|filmweb.pl|formularywatch.com|games.coolgames.com|gearpatrol.com|hoyme.jp|journaldequebec.com|managedhealthcareexecutive.com|mediaite.com|medicaleconomics.com|nycgo.com|olx.pl|physicianspractice.com|repretel.com|spiegel.de|standard.co.uk|telsu.fi|theta.tv|weather.com|wralsportsfan.com +! ! googletagservices.com/tag/js/gpt.js +@@||googletagservices.com/tag/js/gpt.js$domain=chegg.com|chelseafc.com|epaper.timesgroup.com|farfeshplus.com|k2radio.com|koel.com|kowb1290.com|nationalreview.com|nationalworld.com|nbcsports.com|scotsman.com|tv-asahi.co.jp|uefa.com|vimeo.com|vlive.tv|voici.fr|windalert.com +! ! g.doubleclick.net/gpt/pubads_impl_ +@@||g.doubleclick.net/gpt/pubads_impl_$domain=accuweather.com|blastingnews.com|bloomberg.com|chelseafc.com|chromatographyonline.com|cornwalllive.com|digitaltrends.com|downdetector.com|edy.rakuten.co.jp|epaper.timesgroup.com|formularywatch.com|game.anymanager.io|games.coolgames.com|managedhealthcareexecutive.com|mediaite.com|medicaleconomics.com|nationalreview.com|nationalworld.com|nbcsports.com|nycgo.com|physicianspractice.com|scotsman.com|telsu.fi|voici.fr|weather.com +! ! g.doubleclick.net/pagead/managed/js/gpt/ +@@||g.doubleclick.net/pagead/managed/js/gpt/$script,domain=adamtheautomator.com|allestoringen.be|allestoringen.nl|aussieoutages.com|canadianoutages.com|downdetector.ae|downdetector.ca|downdetector.co.nz|downdetector.co.uk|downdetector.co.za|downdetector.com|downdetector.com.ar|downdetector.com.br|downdetector.dk|downdetector.es|downdetector.fi|downdetector.fr|downdetector.hk|downdetector.ie|downdetector.in|downdetector.it|downdetector.jp|downdetector.mx|downdetector.no|downdetector.pl|downdetector.pt|downdetector.ru|downdetector.se|downdetector.sg|downdetector.tw|downdetector.web.tr|euronews.com|filmweb.pl|hoyme.jp|ictnews.org|journaldequebec.com|mediaite.com|spiegel.de|thestar.co.uk|xn--allestrungen-9ib.at|xn--allestrungen-9ib.ch|xn--allestrungen-9ib.de|yorkshirepost.co.uk +! ! pagead2.googlesyndication.com/pagead/js/adsbygoogle.js +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=allb.game-db.tw|battlecats-db.com|cpu-world.com|game.anymanager.io|games.wkb.jp|html5.gamedistribution.com|knowfacts.info|lacoste.com|megagames.com|megaleech.us|newson.us|radioviainternet.nl|real-sports.jp|slideplayer.com|sudokugame.org|tampermonkey.net|teemo.gg|thefreedictionary.com +! ! pagead2.googlesyndication.com/pagead/managed/js/*/show_ads_impl +@@||pagead2.googlesyndication.com/pagead/managed/js/*/show_ads_impl$script,domain=battlecats-db.com|game.anymanager.io|games.wkb.jp|sudokugame.org +! ! pagead2.googlesyndication.com/pagead/managed/js/adsense/*/slotcar_library_ +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/slotcar_library_$script,domain=game.anymanager.io|sudokugame.org +! ! +@@||pagead2.googlesyndication.com/pagead/managed/js/gpt/*/pubads_impl.js?$script,domain=wunderground.com +! ! g.doubleclick.net/pagead/ppub_config +@@||g.doubleclick.net/pagead/ppub_config$domain=bloomberg.com|independent.co.uk|repretel.com|telsu.fi|weather.com +! ! ads-twitter.com/uwt.js +@@||ads-twitter.com/uwt.js$domain=aussiebum.com|factory.pixiv.net +! Non-English +@@/banner/ad/*$image,domain=achaloto.com +@@||about.smartnews.com/ja/wp-content/assets/img/advertisers/ad_$~third-party +@@||ad-api-v01.uliza.jp^$script,xmlhttprequest,domain=golfnetwork.co.jp|tv-asahi.co.jp +@@||ad.atown.jp/adserver/$domain=ad.atown.jp +@@||ad.smartmediarep.com/NetInsight/video/smr$domain=programs.sbs.co.kr +@@||adfurikun.jp/adfurikun/images/$~third-party +@@||ads-i.org/images/ads3.jpg$~third-party +@@||ads-twitter.com/oct.js$domain=ncsoft.jp +@@||adtraction.com^$image,domain=ebjudande.se +@@||aiasahi.jp/ads/$image,domain=japan.zdnet.com +@@||amebame.com/pub/ads/$image,domain=abema.tv|ameba.jp|ameblo.jp +@@||api.friends.ponta.jp/api/$~third-party +@@||arukikata.com/images_ad/$image,~third-party +@@||asahi.com/ads/$image,~third-party +@@||ascii.jp/img/ad/$image,~third-party +@@||assoc-amazon.com/widgets/cm?$subdocument,domain=atcoder.jp +@@||astatic.ccmbg.com^*/prebid$script,domain=linternaute.com +@@||banki.ru/bitrix/*/advertising.block/$stylesheet +@@||bihoku-minpou.co.jp/img/ad_top.jpg$~third-party +@@||bloominc.jp/adtool/$~third-party +@@||book.com.tw/image/getImage?$domain=books.com.tw +@@||c.ad6media.fr/l.js$domain=scan-manga.com +@@||candidate.hr-manager.net/Advertisement/PreviewAdvertisement.aspx$subdocument,~third-party +@@||catchapp.net/ad/img/$~third-party +@@||cdn.jsdelivr.net/npm/*/videojs-contrib-ads.min.js$domain=24ur.com +@@||cinema.pia.co.jp/img/ad/$image,~third-party +@@||clj.valuecommerce.com/*/vcushion.min.js +@@||cloudflare.com^*/videojs-contrib-ads.js$domain=wtk.pl +@@||copilog2.jp/*/webroot/ad_img/$domain=ikkaku.net +@@||core.windows.net^*/annonser/$image,domain=kmauto.no +@@||discordapp.com/banners/$image +@@||doda.jp/brand/ad/img/icon_play.png +@@||doda.jp/cmn_web/img/brand/ad/ad_text_ +@@||doda.jp/cmn_web/img/brand/ad/ad_top_3.mp4 +@@||econcal.forexprostools.com^$domain=bloomberg.com +@@||forexprostools.com^$subdocument,domain=fx-rashinban.com +@@||freeride.se/img/admarket/$~third-party +@@||friends.ponta.jp/app/assets/images/$~third-party +@@||g.doubleclick.net/gampad/ads?$domain=edy.rakuten.co.jp|tv-tokyo.co.jp|voici.fr +@@||gakushuin.ac.jp/ad/common/$~third-party +@@||ganma.jp/view/magazine/viewer/pages/advertisement/googleAdSense.html|$~third-party,xmlhttprequest +@@||getjad.io/library/$script,domain=allocine.fr +@@||go.ezodn.com/beardeddragon/basilisk.js$domain=humix.com +@@||google.com/adsense/search/ads.js$domain=news.biglobe.ne.jp +@@||googleadservices.com/pagead/conversion.js$domain=ncsoft.jp +@@||gunosy.co.jp/img/ad/$image,~third-party +@@||h1g.jp/img/ad/ad_heigu.html$~third-party +@@||hinagiku-u.ed.jp/wp54/wp-content/themes/hinagiku/images/$image,~third-party +@@||ias.global.rakuten.com/adv/$script,domain=rakuten.co.jp +@@||iejima.org/ad-banner/$image,~third-party +@@||ienohikari.net/ad/common/$~third-party +@@||ienohikari.net/ad/img/$~third-party +@@||img.rakudaclub.com/adv/$~third-party +@@||infotop.jp/html/ad/$image,~third-party +@@||intelyvale.com.mx/ads/images/$domain=valesdegasolina.mx +@@||jmedj.co.jp/files/$image,~third-party +@@||jobs.bg/front_job_search.php$~third-party +@@||js.assemblyexchange.com/videojs-skip-$domain=worldstar.com +@@||js.assemblyexchange.com/wana.$domain=worldstar.com +@@||kabumap.com/servlets/kabumap/html/common/img/ad/$~third-party +@@||kanalfrederikshavn.dk^*/jquery.openx.js? +@@||kincho.co.jp/cm/img/bnr_ad_$image,~third-party +@@||ladsp.com/script-sf/$script,domain=str.toyokeizai.net +@@||live.lequipe.fr/thirdparty/prebid.js$~third-party +@@||lostpod.space/static/streaming-playlists/$domain=videos.john-livingston.fr +@@||mail.bg/mail/index/getads/$xmlhttprequest +@@||microapp.bytedance.com/docs/page-data/$~third-party +@@||minigame.aeriagames.jp/*/ae-tpgs-$~third-party +@@||minigame.aeriagames.jp/css/videoad.css +@@||minyu-net.com/parts/ad/banner/$image,~third-party +@@||mistore.jp/content/dam/isetan_mitsukoshi/advertise/$~third-party +@@||mjhobbymassan.se/r/annonser/$image,~third-party +@@||musictrack.jp/a/ad/banner_member.jpg +@@||mysmth.net/nForum/*/ADAgent_$~third-party +@@||netmile.co.jp/ad/images/$image +@@||nintendo.co.jp/ring/*/adv$~third-party +@@||nizista.com/api/v1/adbanner$~third-party +@@||oishi-kenko.com/kenko/assets/v2/ads/$~third-party +@@||point.rakuten.co.jp/img/crossuse/top_ad/$~third-party +@@||politiken.dk/static/$script +@@||popin.cc/popin_discovery/recommend?$~third-party +@@||przegladpiaseczynski.pl/wp-content/plugins/wppas/$~third-party +@@||r10s.jp/share/themes/ds/js/show_ads_randomly.js$domain=travel.rakuten.co.jp +@@||rakuten-bank.co.jp/rb/ams/img/ad/$~third-party +@@||s.yimg.jp/images/listing/tool/yads/yads-timeline-ex.js$domain=yahoo.co.jp +@@||s0.2mdn.net/ads/studio/Enabler.js$domain=yuukinohana.co.jp +@@||sanyonews.jp/files/image/ad/okachoku.jpg$~third-party +@@||search.spotxchange.com/vmap/*&content_page_url=www.bsfuji.tv$xmlhttprequest,domain=imasdk.googleapis.com +@@||shikoku-np.co.jp/img/ad/$~third-party +@@||site-banner.hange.jp/adshow?$domain=animallabo.hange.jp +@@||smartadserver.com/genericpost$domain=filmweb.pl +@@||so-net.ne.jp/access/hikari/minico/ad/images/$~third-party +@@||stats.g.doubleclick.net/dc.js$script,domain=chintaistyle.jp|gyutoro.com +@@||suntory.co.jp/beer/kinmugi/css2020/ad.css? +@@||suntory.co.jp/beer/kinmugi/img/ad/$image,~third-party +@@||tdn.da-services.ch/libs/prebid8.$script,domain=20min.ch +@@||tenki.jp/storage/static-images/top-ad/ +@@||tpc.googlesyndication.com/archive/$image,subdocument,xmlhttprequest,domain=adstransparency.google.com +@@||tpc.googlesyndication.com/archive/sadbundle/$image,domain=tpc.googlesyndication.com +@@||tpc.googlesyndication.com/pagead/js/$domain=googleads.g.doubleclick.net +@@||tra.scds.pmdstatic.net/advertising-core/$domain=voici.fr +@@||trj.valuecommerce.com/vcushion.js +@@||uze-ads.com/ads/$~third-party +@@||valuecommerce.com^$image,domain=pointtown.com +@@||videosvc.ezoic.com/play?videoID=$domain=humix.com +@@||yads.c.yimg.jp/js/yads-async.js$domain=kobe-np.co.jp|yahoo.co.jp +@@||youchien.net/ad/*/ad/img/$~third-party +@@||youchien.net/css/ad_side.css$~third-party +@@||yuru-mbti.com/static/css/adsense.css$~third-party +! Allowlists to fix broken pages of advertisers +! Google +@@||ads.google.com^$domain=ads.google.com|analytics.google.com +@@||cloud.google.com^$~third-party +@@||developers.google.com^$domain=developers.google.com +@@||support.google.com^$domain=support.google.com +! Yahoo +@@||gemini.yahoo.com/advertiser/$domain=gemini.yahoo.com +@@||yimg.com/av/gemini-ui/*/advertiser/$domain=gemini.yahoo.com +! Twitter +@@||ads-api.twitter.com^$domain=ads.twitter.com|analytics.twitter.com +@@||ads.twitter.com^$domain=ads.twitter.com|analytics.twitter.com +! *** easylist:easylist/easylist_allowlist_dimensions.txt *** +@@||anitasrecipes.com/Content/Images/Recipes/$image,~third-party +@@||arnhemland-safaris.com/images/made/$image,~third-party +@@||banner-hiroba.com/wp-content/uploads/$image,~third-party +@@||cloud.mail.ru^$image,~third-party +@@||crystalmark.info/wp-content/uploads/*-300x250.$image,~third-party +@@||crystalmark.info/wp-content/uploads/sites/$image,~third-party +@@||government-and-constitution.org/images/presidential-seal-300-250.gif$image,~third-party +@@||hiveworkscomics.com/frontboxes/300x250_$image,~third-party +@@||leerolymp.com/_nuxt/300-250.$script,~third-party +@@||leffatykki.com/media/banners/tykkibanneri-728x90.png$image,~third-party +@@||nc-myus.com/images/pub/www/uploads/merchant-logos/$image,~third-party +@@||nihasi.ru/upload/resize_cache/*/300_250_$image,~third-party +@@||przegladpiaseczynski.pl/wp-content/uploads/*-300x250-$image,~third-party +@@||radiosun.fi/wp-content/uploads/*300x250$image,~third-party +@@||redditinc.com/assets/images/site/*_300x250.$image,~third-party +@@||taipit-mebel.ru/upload/resize_cache/$image,~third-party +@@||wavepc.pl/wp-content/*-500x100.png$image,~third-party +@@||yimg.jp/images/news-web/all/images/jsonld_image_300x250.png$domain=news.yahoo.co.jp +! *** easylist:easylist/easylist_allowlist_popup.txt *** +@@^utm_source=aff^$popup,domain=gamble.co.uk|gokkeninonlinecasino.nl|top5casinosites.co.uk +@@|data:text^$popup,domain=box.com|clker.com|labcorp.com +@@||accounts.google.com^$popup +@@||ad.doubleclick.net/clk*&destinationURL=$popup +@@||ad.doubleclick.net/ddm/$popup,domain=billiger.de|creditcard.com.au|debitcards.com.au|finder.com|finder.com.au|findershopping.com.au|guide-epargne.be|legacy.com|mail.yahoo.com|nytimes.com|spaargids.be|whatphone.com.au +@@||ad.doubleclick.net/ddm/clk/*http$popup +@@||ad.doubleclick.net/ddm/trackclk/*http$popup +@@||ads.atmosphere.copernicus.eu^$popup +@@||ads.doordash.com^$popup +@@||ads.elevateplatform.co.uk^$popup +@@||ads.emarketer.com/redirect.spark?$popup,domain=emarketer.com +@@||ads.finance^$popup +@@||ads.google.com^$popup +@@||ads.kazakh-zerno.net^$popup +@@||ads.listonic.com^$popup +@@||ads.microsoft.com^$popup +@@||ads.midwayusa.com^$popup +@@||ads.pinterest.com^$popup +@@||ads.shopee.*/$popup +@@||ads.snapchat.com^$popup +@@||ads.spotify.com^$popup +@@||ads.taboola.com^$popup +@@||ads.tiktok.com^$popup +@@||ads.twitter.com^$popup +@@||ads.vk.com^$popup +@@||ads.x.com^$popup +@@||adv.asahi.com^$popup +@@||adv.gg^$popup +@@||adv.welaika.com^$popup +@@||biz.yelp.com/ads?$popup +@@||dashboard.mgid.com^$popup +@@||doubleclick.net/clk;$popup,domain=3g.co.uk|4g.co.uk|hotukdeals.com|jobamatic.com|play.google.com|santander.co.uk|techrepublic.com +@@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|pianobuyer.com|weddingspot.co.uk|zillow.com +@@||hutchgo.advertserve.com^$popup,domain=hutchgo.com|hutchgo.com.cn|hutchgo.com.hk|hutchgo.com.sg|hutchgo.com.tw +@@||serving-sys.com/Serving/adServer.bs?$popup,domain=spaargids.be +@@||vk.com/ads?$popup,domain=vk.com +@@||www.google.*/search?q=*&oq=*&aqs=chrome.*&sourceid=chrome&$popup,third-party +@@||www.ticketmaster.$popup,domain=adclick.g.doubleclick.net +! *** easylist:easylist_adult/adult_allowlist.txt *** +@@/api/models?$domain=tik.porn +@@/api/v2/models-online?$domain=tik.porn +@@||chaturbate.com/in/$subdocument,domain=cam-sex.net +@@||exosrv.com/video-slider.js$domain=xfreehd.com +@@||gaynetwork.co.uk/Images/ads/bg/$image,~third-party +@@||spankbang.com^*/prebid-ads.js$domain=spankbang.com +! Anti-Adblock +@@||gaybeeg.info^$generichide +@@||milfzr.com^$generichide +@@||rule34hentai.net^$generichide +@@||urlgalleries.net^$generichide +@@||xfreehd.com^$generichide +! *** easylist:easylist_adult/adult_allowlist_popup.txt *** + +[Adblock Plus 1.1] +! Version: 202501240457 +! Title: EasyPrivacy +! Last modified: 24 Jan 2025 04:57 UTC +! Expires: 4 days (update frequency) +! *** easylist:template_header.txt *** +! +! Please report any unblocked adverts or problems +! in the forums (https://forums.lanik.us/) +! or via e-mail (easylist@protonmail.com). +! +! Homepage: https://easylist.to/ +! Licence: https://easylist.to/pages/licence.html +! GitHub issues: https://github.com/easylist/easylist/issues +! GitHub pull requests: https://github.com/easylist/easylist/pulls +! +! -----------------General tracking systems-----------------! +! *** easylist:easyprivacy/easyprivacy_general.txt *** +&action=js_stats& +&ev=PageView& +&EventType=DataDealImpression& +&EventType=Impression& +&hitType=pageview& +&http_referer=$script,xmlhttprequest,domain=~biletomat.pl|~facebook.com|~jobscore.com +&refer=http$script +&t=pageview& +-adobe-analytics/ +-adobeDatalayer_bridge.js +-click-tracker. +-didomi.js +-geoIP.js +-inview-tracker. +-scroll-tracker.js +-track-inview. +-tracking-pixel. +-universal-analytics/ +.beacon.min.js +.com/_.gif? +.com/clk? +.com/count? +.com/counter? +.com/dc.gif? +.com/g.gif? +.com/log/? +.com/stats.aspx? +.com/track?v= +.content_tracking.js +.de/l.gif? +.eloqua.js +.EventTracking. +.gatracking.js +.gif?Log= +.jp/pv? +.jp/static/js/track.js +.net/l.gif? +.no/app/aas/a +.php?action=browse& +.php?action_name= +.php?logRefer= +.php?logType= +.php?notrack= +.php?p=stats& +.php?ping= +.php?stats= +.php?tracking= +.sharecounter.$third-party +.skimlinks.js +.stats?action= +.svc/?tracking_id= +.v4.analytics. +/.webscale/rum? +/.well-known/shopify/monorail +/0.gif? +/0c.gif? +/0pixel.php? +/1.gif? +/1pixel.php +/1px.gif? +/1px.php? +/1x1.gif? +/1x1.png? +/2.gif? +/24h-analytics. +/2x2.gif?$image +/3.gif? +/500b-bench.jpg? +/?dm=*&blogid=$script +/?essb_counter_ +/?livehit= +/?log=experiment& +/?log=performance- +/?record&key= +/?sentry_key= +/?sentry_version= +/?swift-performance-tracking +/_/api/v2/analytics/? +/_/lite/performance/* +/__imp_apg__/* +/__rmn.gif? +/__ssobj/core.js +/__ssobj/rum? +/__ssobj/sync?$image +/__sttm.gif? +/__ub.gif? +/__utm.gif +/__utm.js +/__wsm.gif +/_blazor/*$ping +/_ga?send& +/_ga?sponsor_pixel= +/_gz/counter.php? +/_hcms/perf +/_i?type=event& +/_lib/ga.js +/_owa.gif? +/_sess/script.js +/_stat/log/* +/_stat/log_ +/_tracking/* +/_vercel/insights/script.js +/_vercel/speed-insights/script.js +/_visitcount? +/a.gif? +/a/performance_timing/* +/a8c-analytics.js +/aap/stats +/abc.gif? +/access.php?referrer= +/accessanalyzer/tracker? +/AccessCounter/index.cgi? +/accesstracking/* +/acclog.cgi? +/acctag.js +/acecounter/* +/acecounter_ +/acounter.php? +/action/analytics +/activity.gif? +/AD/PageHits. +/adb1.gif? +/add_page_view? +/addEvent?action= +/addLinker.js +/addLinkerEvents-ga.js +/addLinkerEvents-std.js +/addLinkerEvents.js +/addlog/? +/addpageview/* +/adds/counter.js +/adf-tm-base-min.js +/adlogger.php +/adlogger_tracker.php +/adm_tracking.js +/adobe-analytics-$domain=~business.adobe.com +/adobe-analytics.js +/adobe-analytics2.js +/adobe-prd/* +/adobe.visitor- +/adobe/app-measurement. +/adobe/AppMeasurement- +/adobe/logging/* +/adobe/target/* +/adobe/VideoHeartbeat. +/adobe/visitor- +/adobe/VisitorAPI- +/adobeanalytics.js +/adobeAnalytics/* +/adobeanalyticsandtargetoverwrites.min. +/adsct? +/adstat.js +/adstats.php +/adstrack.js +/adtracking.asmx +/adtrk/tr.gif +/advstats.js +/aff_i?offer_id= +/aff_land?referrer +/affiliate-tracker.js +/affiliate:link_visit? +/affiliatetracking.js +/aftrack.asp +/aggbug.aspx? +/ahoy/events +/ahoy/visits +/AIT_Analytics.js +/ajax-hits-counter/increment-hits/index.php +/ajax-link-tracker.js +/ajax-track-page-view/* +/ajax/analytics/* +/ajax/log? +/ajax/stat/* +/ajax_video_counter.php? +/ajaxlog? +/akam/*/pixel_ +/akam/10/* +/akam/11/* +/akam/13/* +/alog.min.js +/amazon_linker.min.js +/amp-access/cta/* +/amp-access/cta? +/amp-access/ping? +/amp-access/set/* +/amp-access/set? +/amp-analytics- +/amp-analytics/* +/amp-call-tracking- +/amp-skimlinks- +/amp-story-auto-analytics- +/amp-tealium? +/amp.gif? +/amp/?rid= +/amp/analytics +/amp/log.json +/amp/pingback? +/amp_pingback/* +/analyse.js +/analysis-logger/* +/analysisTag.js +/analytic/pageview +/analytics-amplitude- +/analytics-async-loader.js +/analytics-client-identification/* +/analytics-collector +/analytics-data-collector.js +/analytics-data-collector.min.js +/analytics-dotcom/* +/analytics-efukt. +/analytics-event-adapter.bundle.min.js +/analytics-event-adapter.js +/analytics-event.js +/analytics-events- +/analytics-facade. +/analytics-gjc-min.js +/analytics-helper.js +/analytics-hit? +/analytics-ingestion/* +/analytics-ingress- +/analytics-js/* +/analytics-library.js +/analytics-minimal-v4.js +/analytics-minimal.js +/analytics-ping.js +/analytics-prod.js +/analytics-reporter/* +/analytics-sdk. +/analytics-secure.js +/analytics-tracker/* +/analytics-tracking.js +/analytics.*/event? +/analytics.*/ping/? +/analytics.*/track +/analytics.analytics/analytics.min.js +/analytics.bundled.js +/analytics.config.js +/analytics.do +/analytics.gif? +/analytics.js/v1/* +/analytics.plausible.js +/analytics.prod.$domain=~fifteen.eu +/analytics.sitecatalyst.js +/analytics.v1.js +/analytics/?event= +/analytics/abtest/* +/analytics/adtags? +/analytics/amp/* +/analytics/analytics.js +/analytics/analytics.min.js +/analytics/beacons/* +/analytics/call-tracking.js +/analytics/capture/* +/analytics/click? +/analytics/collect? +/analytics/comscore.js +/analytics/dist/analytics.min.js +/analytics/embed/* +/analytics/event$domain=~app.diagrams.net +/analytics/ga.js +/analytics/google.js +/analytics/layer +/analytics/metric/* +/analytics/pagestats +/analytics/pageview +/analytics/searches? +/analytics/track_event/* +/analytics/tracker.js +/analytics/trackers? +/analytics/visit.jsp +/analytics/visit.php +/analytics/visit? +/analytics?http_referer +/analytics?token= +/analytics_cookie.js +/analytics_events.js +/analytics_js/client.js +/analytics_prod.js +/analytics_tag.js +/analytics_tracker.js +/analytics_v2.js +/analytics_wbc.min.js +/analytics_www.js +/AnalyticsDataLayer.min. +/AnalyticsEvent.js +/analyticsFooter.js +/analyticsjs.js +/analyticsscript.ashx +/analyticstrack.js +/analyticstracking.js +/anametrix/cas.js +/anclytic-ajax.html +/anclytic.htm +/angular-tag.js +/anonymous_user_guid.gif? +/apc/trans.gif? +/api-analytics. +/api-insights/log? +/api/0/stats +/api/adplogger/* +/api/async.php?t=user&m=pagehits& +/api/bfb_write_log +/api/click/*?c= +/api/cmp_tracker| +/api/drpStats +/api/event-rfkj/* +/api/front/v2/observability$ping +/api/internal/pixel? +/api/ipv4check? +/api/log-visit +/api/metrics/collect +/api/metrics/event +/api/pageactivity +/api/pageview? +/api/pagevisits +/api/ping?$~xmlhttprequest +/api/pixel? +/api/reqAnalytic/* +/api/stat? +/api/track?guid +/api/trk? +/api/v1/EndpointTracker +/api/v1/firehose?_ +/api/v1/metrics +/api/v1/reportData/* +/api/v1/stat? +/api/v1/streamtelemetry +/api/v2/collector +/api/v3/getPageVisits +/api/v3/trackSegmentEvent +/api/video/stats/*$xmlhttprequest +/api_adlog.php? +/api_ip_info.php +/apilog? +/apmrum.min.js +/app-measurement? +/app.php/ads/* +/appdynamics/adrum- +/appGoogleTagManager- +/appinsightor.min.js +/AppMeasurement.js +/AppMeasurement.min.js +/AppMeasurement2.js +/AppMeasurement_Module_ActivityMap.min.js +/AppMeasurementCustom.min.js +/aptrk.js +/ard.png? +/aria-web-telemetry- +/art/stats/* +/article/count? +/Article/ViewCount/* +/article_counter.php? +/article_hit.php? +/articleOmnitureTracking.js +/ASPixel.js +/assets-cdonAnalytics.js +/assets/beacons.js +/assets/performance_timing- +/assets/smarttag-$script +/astrack.js +/astracker.js +/astracker/ast.php +/at-composer.js +/at.gif? +/atapixel.js +/atatus.js +/atrk.gif? +/atrk.js +/attpro/a? +/audience-extraction.js +/audience.gif? +/audience.min.js +/audienceScience.js +/autotrack.carbon.js +/autotrack.custom.js +/autotrack.custom.min.js +/autotrack.js +/autotrack.min.js +/AutoTracker.js +/awin?awc=$image +/awp.log +/awpx_click.js +/awpys.log +/awstats.js +/awstats_misc_tracker +/azion-pulse.js +/aztracker.js +/b.banners.impress. +/b.gif? +/b.rnc? +/b/s/beacon +/b/ss/*&aqe= +/b/ss/*&events= +/b/ss/*&ndh= +/b/ss/*/JS- +/b/ss?AQB= +/b/stats? +/ba_tracking.js +/baiduStatistics.js +/banalytics.js +/base/es5/bundle.js +/base/es6/bundle.js +/batch.gif? +/batch/action/_: +/baynote.js +/bb-analytics-inline.min.js +/bc/clk? +/bcn.gif? +/bcsensor.js +/bdg.gif? +/beacon.cgi? +/beacon.gif? +/beacon.js +/beacon.min.js +/beacon/affiliates +/beacon/collector/* +/beacon/error? +/beacon/event/* +/beacon/event? +/beacon/init? +/beacon/media? +/beacon/metrics +/beacon/page? +/beacon/perf +/beacon/receive +/beacon/stats +/beacon/timing? +/beacon/track/* +/beacon/user-data +/beacon/v1/batch? +/beacon?cust= +/beacons?data= +/behavior/web/pv? +/benchmarketingsmarttag/get? +/better-analytics/js/loader.php +/bf.gif?ac= +/bi/dev/*$ping +/bi/doop/*$ping +/bineos.min.js +/bing-bat.js +/bingimpression? +/bitrix/spread.php? +/bizo.js +/bk-coretag.js +/BKVTrack.js +/blaize/datalayer +/blank.gif?*% +/blank.gif?*& +/blogcounter.js +/bloomreach.js +/bluekai.js +/bluekai.min.js +/bom/analytics/* +/boomerang-latest.js +/boomerang-latest.min.js +/boomerang.js +/boomerang/beacon +/boomr.js +/boost-sd-analytic.js +/boost_stats.php +/bootstrap/metrics.js +/botd.gif? +/bower_components/fp/fp.js +/bpsma.js +/branchMetrics.js +/brandAnalytics.js +/brightedge.js +/brightspot/analytics/* +/brightTag-min.js +/browserinfo?f.sid= +/bsp-analytics.min. +/bstat.js +/btrack.php? +/bugcounter.php? +/bundle-analytics.js +/bundle.tracking.js +/bundle/analytics. +/bunsen/events/* +/busting/facebook-tracking/* +/busting/google-tracking/* +/bv-analytics.js +/c.gif? +/c.wrating.com/* +/c2_count.js +/c?siteID=$image,script +/c_track.php? +/cache/analytics.js +/cache_warmer/track/* +/cached-scripts/analytics.js +/caixinlog.js +/call.tracker.js +/callbacks/stats? +/capture_client.js +/CaptureStat.asmx +/cdn-cgi/beacon/* +/cdn-cgi/ping?$image +/cdn-cgi/rum? +/cdn-cgi/zaraz/* +/cdn_cookie_service.html +/cedexis.js +/cedexis.radar.js +/census/RecordHit +/certifica-js14.js +/certifica.js +/cfformprotect/js/cffp.js +/cgi-bin/cnt/* +/cgi-bin/count.cgi? +/cgi-bin/count.pl? +/cgi-bin/count/* +/cgi-bin/count1.cgi? +/cgi-bin/CP/* +/cgi-bin/ctasp-server.cgi? +/cgi-bin/ctn? +/cgi-bin/hits/* +/cgi-bin/ivw-ssl/* +/cgi-bin/ivw/* +/cgi-bin/lcpnp/* +/cgi-bin/online/uos.cgi? +/cgi-bin/refsd? +/cgi-bin/te/in.cgi? +/cgi-bin/user_online/uos.cgi? +/cgi-bin/useronline/* +/cgi-sys/count.cgi?df= +/cgi/bin/trk.js +/cgi/count? +/cgi/stats.pl? +/cgi/trk.js +/chartbeat.js +/chartbeat.min.js +/chcounter/counter.php +/check.php?referrer= +/chicken.gif?*= +/cklink.gif? +/cklog.js +/clear.gif? +/click-tracking.js +/click/impression? +/click?track= +/click_metrics-jquery.js +/click_stats.js +/click_track.js +/click_tracking.js +/clickcount.asp +/clickcount.js +/clickcount.php +/clickctrl.js +/clickdimensions-2.js +/clickheat.js +/clicklog.js +/clicklog4pc.js +/clickm.js +/clickpathmedia.js +/clickscript.js +/clickstats.php +/clickstream.aspx? +/clickstream.js +/clickstream/visit? +/clicktag.js +/ClickTail.js +/clicktale.js +/ClickTrack.js +/clicktrack.min.js +/clicktrack? +/clicktracker.js +/clicktracker.php +/clicktracking.js +/clicky.js +/client-metrics/?target +/client_pathlog.asp? +/clientele/reports/* +/clientlib-analytics-core. +/clientstat? +/cls/check.php?$image +/cls_report? +/cmanalytics.min.js +/cms.gif? +/cms/stats/* +/cmslog.dll? +/cn-track? +/cnstats.js +/cnstats/cntg.php +/cnt-combined.php? +/cnt.aspx? +/cnt.cgi? +/cnt.js +/cnt/cnt.php? +/cnt/start.php? +/cnt_js.php? +/cnvtr.js +/cocoon-master/lib/analytics/access. +/codesters-analytics. +/CofinaHits.js +/cohesion-latest.min.js +/coinhive.min.js +/coinimp-cache/* +/collect.gif? +/collect.php?tid= +/collect/?dp= +/collect/kasupport +/collect/kf? +/collect/pageview? +/collect/pv? +/collect/sdk?$domain=~iugu.com +/collect/stats? +/collect/view? +/collect/view_count? +/collect?appName +/collect?callback= +/collect?d= +/collect?data= +/collect?eid= +/collect?event= +/collect?iid= +/collect?k= +/collect?r= +/collect?tid= +/collect?type= +/collect?v= +/collect_data.php? +/collect_stat.js +/collector/hit? +/collector/pageview +/collector/v1/event +/collector?report= +/collectsysteminfo? +/com.snowplowanalytics.snowplow/* +/com_joomlawatch/img.php +/common/analytics.js +/common/ga.js +/common/tracker.js +/complianz/v1/track$xmlhttprequest +/comscore-min.js +/comscore? +/comscore_beacon/* +/comscore_pageview +/confiant.js +/configuration-stat.js +/contentiq.js +/conversion_async.js +/convertro.js +/cookie.gif? +/cookie_ga.js +/cookieAnalytics.js +/cookieId.htm +/cookies/render? +/coopcommerce-pixel.js +/coradiant.js +/core-tracking.js +/coretracking.php? +/count.cfm? +/count.do? +/count.exe? +/count.fcg? +/count.fcgi? +/count.fgi? +/count.gif? +/count.php? +/count.png? +/count/count.cgi? +/count?pid= +/count_js.php +/counter-js.php +/Counter.ashx? +/counter.asp? +/counter.aspx? +/counter.cgi? +/counter.js.php +/counter.php?width= +/counter.pl? +/counter/acnt.php? +/counter/collect? +/counter/stat.php +/counter/views/* +/counter1.gif? +/counter2.gif? +/counter5.min.js +/counter?action= +/counter?id= +/counter_1.php +/counter_2.php? +/counter_3.php +/counter_access.php +/countertab.js +/countinj.cgi? +/countly.js +/countly.min.js +/countpixel.asp +/countstat.php? +/countus.php +/create-lead.js +/CreateAnalytics.js +/CreateCookieSSO_ +/criteo.$domain=~criteo.blotout.io|~criteo.github.io|~criteo.investorroom.com +/criteoRTA.js +/crypta.js +/csi?v=*&action= +/csi?v=2&s= +/csi?v=3&s= +/csp_204? +/csp_log? +/cta-loaded.js +/ctr_tracking.php? +/custom-analytics.js +/CustomTrackingScript.js +/cv/conversion.js +/cv_pixel.js +/cwTRACK.js +/cx-tracking.js +/cx_tracking.js +/cxense-candy.js +/cxense-entitlement.js +/cxense/cx.js +/cxf-tracking@ +/d.gif? +/data_collect.js +/datacollectionapi-client/index.js +/dataunlocker-prod.js +/dataunlocker.js +/datawrapper.gif? +/dcjs/prod/* +/dcs.gif? +/dcs_tag.js +/default/pAnalytics +/detm-container-ftr.js +/detm-container-hdr.js +/DG/DEFAULT/rest/* +/dg_measurement_protocol.js +/dh-analytics-prod/* +/diffuser.js +/digital-data-enrichment.min.js +/discourse-fingerprint_ +/disp_cnt.php +/dispatch.fcgi? +/divolte.js +/dl-web-pixel.js +/dla_tracker.js +/dlpageping? +/dm.gif? +/dmp/pixel.js +/dmu2panalytics/ajax_call.php? +/dnx-event-collector/* +/doctracking.js +/dolWebAnalytics.js +/dom-event-tracker.min.js +/domcount.nsf/WebCounter? +/dot.asp? +/dot.gif? +/dow_analytics.js +/dpistat/updater.php +/drwebstat.js +/dspixel.js +/dtm_cm.js +/dtrack.js +/duel-analytics.js +/dwanalytics- +/dwanalytics.js +/dynamic.ziftsolutions.com/* +/DynamicAnalytics.js +/dynamicyield/* +/dynaTraceMonitor? +/e.gif? +/e_stat?g_id= +/eatms.js +/ebonetag.js +/ecanalytics.js +/ecap.min.js +/ecblank.gif? +/ecg-js-ga-tracking/index. +/ecom/status.jsp? +/edAnalyticsWrapper.js +/edapi/event? +/edata.js +/edmonds.js +/efxanalytics.js +/egcs/v2/collect +/elastic-apm-rum.umd.min.js +/eloqua.js +/elqcfg.js +/elqcfg.min.js +/elqfcs.js +/elqidg.js +/elqimg.js +/elqscr.js +/elt.gif? +/eluminate? +/email/track/*$image +/email/tracking? +/email_opened_tracking_pixel? +/EmailOpenTrackLog.aspx?$image +/EmbedAsyncLogger.js +/emos2.js +/emstrack.js +/emtj_tracker.js +/emtj_tracker.min.js +/endpoint/stats.php? +/Engagement/TrackEventAsync +/ent_counter? +/entry_stats? +/err/js/?url= +/err0r/rum/* +/error/js/log? +/estat.js +/estatistica.js +/eta/events? +/eta/guid? +/eumcollector/beacons/* +/eva-analytics.min.js +/event-log? +/event-tracking.js +/event-tracking/*$domain=~github.com +/event.cgi? +/event.gif? +/event.php?campaign= +/event/pageview? +/event/track? +/event/tracking +/event/trigger? +/event/visit? +/event?event_id= +/event?eventType= +/event?s=$ping +/event_log/* +/event_logger +/event_logging/* +/eventLog.ajax +/eventLogServlet? +/eventproxy/track +/events-collector. +/events-tracker/* +/events.gif? +/events/analytics/* +/events/capture? +/events/counter? +/Events/Impression? +/events/page-viewed +/events/pixelEvent +/events/track/* +/events/tracking +/events/view-form-open +/events/view? +/events?rpId= +/eventsBeacon? +/eventtracker.js +/eventtracking- +/eventtracking. +/eventtracking/* +/evercookie.js +/evercookie/swfobject-2.2.min.js +/evergage.js +/evergage.min.js +/evt.gif? +/exactag.js +/exittracker.js +/expcount/additional.php +/extendedanalytics.js +/external-tracking.min.js +/ezais/analytics? +/ezytrack.js +/f.gif? +/facebook-pixel-worker.js +/facebook-pixel.js +/facebook/pixel.js +/facebook_fbevents.js +/facebook_pixel_3_1_2.js +/facebookpixel.js +/facebookproductad/views/js/pixel. +/faciliti-tag.min.js +/fairfax_tracking.js +/fb-pixel-dsgvo/* +/fb-pixel-tracking.js +/fb-tracking.js +/fb_pixel_page_view +/fbanalytics.js +/fbcounter/counter.cgi +/fbevents.js +/fbevents.min.js +/fbpix-events- +/fbpixel.js +/fe_logger? +/figanalytics-short-ttl.js +/fingerprint.js +/fingerprint.min.js +/fingerprint2.js +/fingerprint2.min.js +/fingerprint3.js +/fingerprint3.min.js +/firebase-performance-compat.js +/firebase-performance-standalone.js +/firestats/js/fs.js.php +/firm_tracking.js +/fkounter/counter.js +/fkounter5/counter.js +/flipptag.js +/flowplayer.drive-analytics.min.js +/flushimpressions? +/flv_tracking. +/flying-analytics/* +/footer-tracking.js +/footerpixel.gif? +/foresee-trigger.js +/fp-3.3.6.min.js +/fp/check.js +/fp/clear.png +/fp/clear1.png +/fp/clear2.png +/fp/clear3.png +/fp/es.js +/fp/HP?session_id +/fp/ls_fp. +/fp/tags.js +/fp/top_fp. +/fp2.compressed.js +/fp2.min.js$domain=~spweb.auction.co.kr|~spweb.gmarket.co.kr +/fp3.min.js +/fp_204? +/fpc/cookie_js.php +/fpcookie? +/fpcount.exe +/fprnt.min.js +/fps/check.php +/fptrk.min.js +/fpv2.js +/freecgi/count.cgi? +/friendbuy.min.js +/frontend-gtag.js +/frontend-gtag.min.js +/frontend-metrics^ +/frontend-sentry- +/fsrscripts/triggerParams.js +/fusion/lucid/data/* +/g_track.php? +/ga-events.js +/ga-links.js +/ga-lite.js +/ga-lite.min.js +/ga-local.js +/ga-multidomain.js +/ga-script.js +/ga-scroll-events.js +/ga-se-async.js +/ga-targets.js +/ga-track-code.js +/ga-track-external.js +/ga-track.js +/ga-track.min.js +/ga-tracker.js +/ga-tracking- +/ga-tracking.js +/ga-tracking.min.js +/ga.gif? +/ga.js?grid +/ga.jsp?$image +/ga.php?$image +/ga/yap.js +/ga1.js +/ga2.js +/ga_anonym.js +/ga_cookie_track +/ga_event_tracking.js +/ga_events.js +/ga_footer.js +/ga_header.js +/ga_helper.js +/ga_keyword2.js +/ga_loader.js +/ga_local.js +/ga_no_cookie.php +/ga_setup.js +/ga_social.js +/ga_tracker.js +/ga_tracking.js +/ga_tracklinks.js +/gaaddons- +/gaaddons.js +/gaaddons_univ.js +/gaAnalytics.js +/gaclicktracking-universal.js +/gaclicktracking.js +/gaCustom.js +/gaEvents.js +/gaEventTracking.js +/gaFunction? +/gainit.js +/gajs/analytics.js +/ganalytics.js +/gapro.js +/gascript.js +/gasocialtracking.js +/gaStatistics.js +/gatag.js +/gatag_v2.js +/gaTags.js +/gatc.js +/gatrack.js +/gatrack.min.js +/gaTracker.js +/gatracking.js +/gb-tracker-client-3.min.js +/gc?refurl= +/gcount.pl? +/gd_tracker_events.js +/gemius.3.15.js +/gemius.js +/gen204/* +/gen204? +/geo.php? +/geoAnalysis.js +/geocc.js +/geocompteur.php +/geoip/detect? +/geoip? +/geoip_cc +/geoLocationData/v1/* +/geov2.js +/get_geoip? +/get_site_data?requestUUID= +/getbglog.js +/getclicky.js +/getintent.js +/getlog.gif +/getstats.js.php +/gigyaGAIntegration.js +/gingeranalytics.min.js +/GlanceCobrowseLoader_ +/GlancePresenceVisitor_ +/global-analytics.js +/global/analytics/* +/global/ga.js +/global/tracker.js +/global_analytics.js +/global_analytics/s_code.js +/global_tracking.js +/goAnalytics.js +/google-nielsen-analytics.js +/google/analytics.js +/google_analitycs.js +/google_analytics3_v2.js +/google_analytics4.js +/google_analytics_gtag.js$script +/google_tag.data_layer.js +/google_tag.script.js +/google_tag/* +/google_tracker.js +/googleana.js +/googleAnal.js +/GoogleAnalystics.js +/GoogleAnalyticActionLib.js +/googleAnalytics1.js +/googleAnalytics4.js +/GoogleAnalytics?utmac= +/googleAnalyticsDataLayer.v1.0.min.js +/GoogleAnalyticsEvents.js +/GoogleAnalyticsModule.min.js +/GoogleAnalyticsPlus/distilled.FirstTouch.js +/googleAnalyticsTracking.js +/googleEventTracking.js +/googletag.js +/googletagmanageranalytics.js +/googletrack.js +/googleTracker.js +/googleTracking.js +/grumi-ip.js +/gs-analytics-init.js +/gs-analytics.js +/gs.gif? +/gtag.js +/gtag.min.js +/GTag/general_tracker.js +/gtag/js? +/gtagv4.js +/gtm-data-layer-$script +/gtm-listeners.js +/gtm-suite.js +/gtm.js +/gtm.min.js +/gtm/gtm- +/gtmTracking.js +/gv-analytics/riveted.js +/h.gif? +/hc/activity +/header-pixels.min.js +/HeatmapSessionRecording/configs.php +/HeatmapSessionRecording/tracker.min.js +/hg?hc=&hb=*&vjs= +/hgct?hc=&hb=*&vjs= +/hints.netflame.cc/* +/histats.js +/hit-counter. +/Hit.ashx? +/hit.asp? +/Hit.aspx? +/hit.c? +/hit.php? +/hit.t? +/hit.xiti? +/hit/?r= +/hit/tracker +/hit2.php +/hit?aff_id=$xmlhttprequest +/hit?time= +/hit_count? +/hit_counter +/hit_img.cfm? +/hitbox.js +/hitCount.js +/hitCount.php +/hitcount/* +/hitcount? +/HitCounter. +/HitCounter/* +/hitlog.php? +/Hits/collect/* +/hits/logger? +/hitslink.js +/hittrack.cgi? +/HitTracker/* +/HitTracking. +/hitv4.php +/hlog.asp +/hmapxy.js +/hnpprivacy-min.js +/hockeystack.min.js +/homeCounter.php +/honeybadger.js +/honeybadger.min.js +/host-analyticsjs-local/cache/local-ga.js +/hs_track.js +/hsc/trk/* +/htdocs/js/admiral/init.js +/hubspot-ga-tracking.js +/i.gif? +/i.php?i= +/i.png?id= +/i2a.js +/i2yesCounter.js +/i?e=pv&url= +/i?siteid= +/i?stm= +/ia-sentry.min.js +/ib_pvcounter.php +/ibeat.min.js +/icf-analytics.js +/id?d_visid_ +/if/services/tdg?hs= +/IIQUniversalID.min.js +/image.ng/* +/iMAWebCookie.js +/img?eid= +/imgcount.cgi? +/imgcount.php? +/imgevent? +/imp.gif? +/imp.php? +/imp2.js? +/imp?imgid= +/imp_check.php +/imp_cnt.gif? +/imp_img.php? +/impr.gif? +/impresion/zona/* +/impress.php? +/impression.ashx +/impression.gif? +/impression.js? +/impression.php? +/impression.pl? +/impression.track? +/impression/inline? +/impression/track? +/impressions?$~xmlhttprequest +/ImpressionsEvent.js +/in.getclicky.com/* +/in.gif?url= +/in.php?referer= +/inboundAnalytics.min.js +/include/js/ga-set.js +/increment_page_counter.jsp +/index.track? +/indextools.js +/inline-pixel.js +/inpl.measure.jssc +/insales_counter.js? +/InsightTrk/guuidSkeleton.do? +/InsightTrk/tracker.do? +/insitemetrics/uRMJ/ujutilv2sll.js +/instantpage.js +/instart.js +/intake/v2/rum.js +/interaction/beacon +/intercept/intercept.js +/IOL.Analytics.Tracking.min.js +/IPbeacon.min.js +/ipdvdc.min.js +/ips-invite.iperceptions.com/* +/iterable/track/views/* +/itgdtracksdk.js +/itmdp_code.js +/ivw/SP/*$image,script +/j.gif? +/jgs_portal_log_bildschirm.php? +/joomla-visites.php +/jquery-gatracker.js +/jquery.analytics.js +/jquery.audiencetarget.js +/jquery.browser-fingerprint- +/jquery.gatracker.js +/jquery.google-analytics.js +/jquery.iframetracker- +/jquery.trackstar.js +/js-sdk-event.min.js +/js/_analytics.js +/js/analitics.js +/js/count.js. +/js/counter.js? +/js/dart.js +/js/ga_event_ +/js/hbx.js +/js/logger? +/js/quantcast- +/js_ibeat_ext.cms +/js_log_error.js +/js_logger.php +/js_tracker.js +/js_tracker.min.js +/js_tracking? +/jscounter.js +/jscounter.php +/jscripts/analytics.js +/jserrLog? +/jslogger.php?ref= +/json/stats? +/json/tracking/* +/json?mbox= +/json?referer= +/jsonp_geoip? +/jsstat.cgi? +/jstats.php +/jump/?jl= +/jump/clk1.php +/kaiseki/script.php +/kaiseki/track.php? +/kaizentrack/resources/scripts/script.js +/kameleoon-iframe.html +/kameleoon.js +/kameleoon.min.js +/kameleoon/script.js +/keen-tracker.min.js +/keen-tracking- +/keen-tracking.js +/keen-tracking.min.js +/keen.min.js +/KenticoActivityLogger/Logger.js +/keypress.js$script +/keywee.js +/kissmetrics.js +/klaviyo_analytics.js +/koko-analytics-collect.php +/koko-analytics-pro/assets/dist/js/script.js +/koko-analytics/assets/dist/js/*script.js +/kontera.js +/krux-sass-helper.js +/krux.js +/LandingPageHitLog.aspx? +/lasso-ga.js +/lead-tracking.min.js +/leadgen/ga.js +/leadtag.js +/leage.google.tracker.js +/lhnhelpouttab-current.min.js +/li.lms-analytics/insight.min.js +/lib/analytics.js +/library/svy/broker.js +/libs/tracker.js +/liferay-analytics-api.js +/liferay-analytics-processor.js +/lightspeed_tracker.js +/link_track.js +/linkinformer.js +/linkpulse.js +/linktrack.js +/linktracker.js +/linktracking.js +/livecounter.php?wid= +/livestats.js +/livezilla/server.php?request=track& +/ljcounter/?d= +/load_analytics.php +/loader-wp/static/loader.min.js? +/loader/counter.js +/localga.js +/locotrack.js +/log-nt/* +/log-reporter.js +/log-view.js +/log.aspx? +/log.cfm? +/log.gif? +/log.jsp? +/log.php?*http +/log.php?id +/log.php?referrer= +/log/?pixel= +/log/analytics +/log/browser/event +/log/client/messages +/log/collect/* +/log/counter? +/log/debug? +/log/error? +/log/event? +/log/exposed? +/log/impression/* +/log/init? +/log/jserr.php +/log/log-event- +/log/log.php? +/log/logs? +/log/metrics? +/log/page-view +/log/pageview +/log/report/* +/log/sentry/* +/log/server? +/log/track/* +/log/views/* +/log/web? +/log2.php? +/log204? +/Log?act=$image +/log?action= +/log?count= +/log?data= +/log?documentUrl= +/Log?entry= +/log?event= +/log?format= +/log?id= +/log?kc= +/log?method= +/log?ref= +/log?sLog= +/log?tag= +/log?track_ +/log?uuid= +/log_agent.php +/log_amp_item_set? +/log_beacon.js +/log_e.php?id= +/log_h.jsp +/log_stats.php? +/log_view.php +/LogAction? +/logactions.gif? +/logaholictracker.php +/logAjaxErr_h.jsp +/LogAmpHit? +/loganalyticsevent? +/logclick.js +/logcollect.js +/logcount.php? +/logcounter.aspx +/logdata/et/ua +/logEvent? +/logExecutionStats? +/logger.ashx? +/logger.dll/* +/logger/?referer= +/logging/ClientEvent +/logging/log.do +/logging/logjs +/logging/pageView +/logging/pixel? +/logging/React-UHP? +/logging/v1/log| +/LoggingAgent? +/loggingService.js +/loggly.tracker- +/loggly.tracker. +/LogImpression? +/logImpressions? +/logjs.php +/LogPage.aspx? +/LogPageRequest? +/logPerf? +/logpv.aspx? +/LogRecorder.php +/logreferrer.php? +/logs/report_js_error +/logstat.js +/logstats.php +/logview.js +/logview?referrer= +/logview_new.js +/logviewedpage? +/ls.gif? +/lunametrics- +/m.gif? +/madAnalytics.js +/magento-storefront-event-collector@ +/magento/page-visit? +/magento2.js +/magpie.js +/marfeelanalytics.js +/marketing-analytics.js +/martypixel? +/master-amg-plugin/assets/js/page-view-ga.js +/matomo-tracking.js +/matomo.js$domain=~github.com +/matomo.php +/matomo/*$domain=~github.com|~hub.docker.com|~matomo.org|~wordpress.org +/mcookie.aspx +/mcount.cgi? +/measure/pixel/* +/measure/visit/* +/medialaanUniversalTracker.js +/mediametrie.js +/mediateGA.js +/megacounter.php +/mendelstats.js +/metatraffic/track.asp? +/metric/?mid= +/metric/?wid= +/metrica/sp.js +/metricool.js +/metrics-backend/* +/metrics/bambuser.min.js +/metrics/event? +/metrics/ga.js +/metrics/init? +/metrics/onload +/metrics/ping? +/metrics/rum +/metrics/statsd/* +/metrics/survey/* +/metrics/track/* +/metrics/v1/frontend/* +/metrics/vanity/? +/metrika/tag.js +/mi/insite/* +/microsoft.cognitiveservices.speech.sdk.bundle.js +/min/gtm/* +/minescripts.js +/mint/?js +/mint/?record +/mintstats/?js +/mistat-data/onetrack/onetrack.js +/mixpanel-init.js +/mixpanel.$domain=~mixpanel.com +/mlb-ml-analytics.min.js +/mlopen_track.html +/mmclient.js +/mmcore.js +/mms.*/pv? +/mms/get_loaders? +/mn-collector.php +/mnppixellibrary.min.js +/mnt/imp? +/moat/yield.js +/moksa.js +/monetate.js +/mongoose.fp.js +/monitor/v1/log +/monitor?rtype= +/monitor_analytic.js +/monitus.js +/monsido.js +/mormont.js +/mpel/mpel.js +/mpixel.js +/mpulse.js +/mpulse.min.js +/ms-widgets/tracking-cookies/* +/ms.analytics-web-3.min.js +/mtc.js +/mtiFontTrackingCode.js +/mtracking.gif? +/mtvi_reporting.js +/mwTag.js +/mystats2.px? +/myTracking.js +/naLogImpressions^ +/natero_analytics.min.js +/nativendo.js +/navbar-analytics.js +/naytev.min.js +/nb-collector| +/ncj-pixel.js +/neilson.js +/neoworx_tracker.php +/netmining.js +/netresults.js +/neustar.beacon.js +/new-client/trackers. +/new-relic.js +/new-relic.min.js +/newlog.php? +/newrelic-browser.js +/newrelic-browser.min.js +/newrelic.js +/newrelic.min.js +/nielsen.htm +/nielsen.js +/NitroCookies.js +/njs.gif? +/nlogger.js +/nLoggerJB_ +/nm/itracking? +/NNAnalyticsWPSites.js +/no-impression.gif? +/np?log= +/npm/perfops-rom +/nr-spa-1216.min.js +/ntpagetag.gif +/ntpagetag.js +/ntrack.asp? +/null.gif? +/o.gif? +/o_code.js +/o_tealium.js +/oa-tracking? +/oas_analytics.js +/obPixelFrame/* +/observations/capture? +/obtp.js +/ocount.php +/ocounter.php +/odoscope.js +/om.gif? +/omni-tracking.min.js +/omniture/uuid.js +/omniture? +/omniture_tracking.js +/omniunih.js +/one-plugin-analytics-comscore/* +/onedot.php? +/onestat.js +/onetag/* +/onl/track.php? +/onlinecount.php +/oo/*/l.js +/oo/*/lsync.js +/oo/cl*.js?rd= +/opdc.js +/ope-adalliance.js +/open/log/* +/openpixel.gif? +/openpixel.js +/opentag- +/opentag/* +/opinionlab.js +/optiextension.dll?$script +/optimizelyjs/* +/ot_e404.gif? +/OtAutoBlock.js +/ouibounce.min.js +/outbrain.js +/outbrainAd. +/outLoging.js +/outLoging2.js +/owa.Analytics.m.js +/owa.tracker-combined-min.js +/oxAnalytics.js +/p.gif? +/page-addviews? +/page-analytics.js +/page-events/trackclick/* +/page-view.gif? +/page/load? +/page/page_view +/page/unload? +/page_analytics.js +/page_counter.js +/page_perf_log? +/PageCount.php? +/pageCounter.adp? +/pagedot.gif? +/PageHit.ashx +/pagelogger/connector.php? +/pagestat? +/pagestats.ashx +/PageStats.asp +/PageStats.js +/pagetag.gif? +/pageTag? +/PageTrack.js +/pagetrack.php? +/PageTracker.js +/PageTracker? +/pageTracking.js +/pageview.ashx +/pageview.js +/pageview; +/pageview?client= +/pageview?key= +/pageview?pageId= +/pageview?pageviewId +/pageview?t= +/pageview?user_guid= +/pageviews.gif? +/pageviews.php?type= +/pageviews?token= +/parsely.js +/particles/analytics.js +/partner-analytics/* +/partner/transparent_pixel-$image +/partnermetrics.js +/pbasitetracker.min.js +/pcount.asp +/pdp.gif? +/peach-collector.min.js +/pepperjam.js +/perf-beacon- +/perf-vitals. +/perf-vitals_ +/perfmatters/js/analytics.js +/perfmetrics.js +/performance-metrics.js +/performance.fcgi? +/performance/metrics +/performanceMetrics? +/perimeterx/px. +/permutiveIdGenerator.js +/ph-tracking-1.2.js +/phenomtrack.min.js +/PhoenixGoogleAnalytics.min.js +/php-stats.js +/php-stats.php? +/php-stats.phpjs.php? +/php-stats.recjs.php? +/phpmyvisites.js +/piano-analytics.js +/piNctTracking.js +/ping.gif? +/ping/?url= +/ping/pageload? +/ping/show? +/ping?h= +/ping?referrer= +/ping?rid= +/ping?spacedesc +/ping?utm_ +/ping_g.jsp? +/ping_hotclick.js +/pingAudience? +/pingback| +/pingd? +/pinger.cgi? +/pingServerAction? +/pinterest-pixels.js +/piwik-$domain=~github.com|~matomo.org|~piwik.org|~piwik.pro|~piwikpro.de +/piwik.$image,script,domain=~matomo.org|~piwik.org|~piwik.pro|~piwikpro.de +/piwik/*$domain=~github.com|~matomo.org|~piwik.org|~piwik.pro +/piwik1. +/piwik2. +/piwikapi.js +/piwikTracker.js +/pix-ddc-fp.min.js +/pix.fcg? +/pix.gif? +/pixall.min.js +/pixel-caffeine/build/frontend.js +/pixel-manager.js? +/pixel-tracker.js +/pixel-tracking. +/pixel.*/track/* +/pixel.cgi? +/pixel.fingerprint. +/pixel.gif? +/pixel.modern.js +/pixel.track +/pixel/email/*$image +/pixel/nvrwe? +/pixel/sbs? +/pixel/view? +/pixel/visit? +/pixel2.gif? +/pixel?tag= +/pixel_identifier.js +/pixel_iframe.php +/pixel_tracking.js +/pixel_tracking? +/pixel_V2.js +/pixelcounter.$domain=~pixelcounter.co.uk|~pixelcounter.com|~pixelcounter.dev|~pixelcounter.org|~pixelcounters.co.uk|~pixelcounters.uk +/pixeljs/* +/pixelNew.js +/pixelpropagate.js +/pixels.jsp? +/pixels/track? +/pixeltag.js +/pixeltrack.php +/pixeltrack.pl +/pixeltracker.bundle.js +/pixeltracker.js +/PixelTracking.js +/pixeltracking/sdk-worker.js +/pixelyoursite/dist/scripts/public.js +/pixy.gif? +/planetstat.php +/plausible.js$domain=~plausible.io +/plausible.manual.js +/plausible.outbound-links.js$domain=~plausible.io +/player-test-impression? +/player/stats.php? +/plog?id +/plow.lite.js +/plugins/catman/* +/plugins/civic-science/js/pixel.js +/plugins/duracelltomi-google-tag-manager/* +/plugins/exactmetrics- +/plugins/nimiq/*$script +/plugins/nsmg-tracking/* +/plugins/pageviews-counter/* +/plugins/pup-comscore/* +/plugins/stat-dfp/* +/plugins/status.gif? +/plugins/userinfo.gif? +/plugins/vdz-google-analytics/* +/plugins/visitors-traffic- +/plugins/wordfence/visitor.php? +/plugins/wp-vgwort/* +/pmc-cxense.js +/pointeur.gif? +/pomegranate.js +/pongAudienceLS? +/popu.js$script +/postcounter.php? +/postlog? +/postview.gif? +/pp/micro.tag.min.js +/pphlogger.js +/pphlogger.php +/ppms.js +/pr.php? +/prebid.pro.js +/preparecookies?callback=$domain=~mirapodo.de|~mytoys.de|~yomonda.de +/prepixel? +/presslabs.js$script,~third-party +/prime-email-metrics/*$image +/printpixel.js +/printtracker.js +/prnx_track.js +/probance_tracker-min.js +/probance_tracker.js +/prod/ncg/ncg.js +/prod/ping? +/production/analytics.min.js +/promo/impression? +/propagate_cookie.php +/pt.gif? +/pt?type=pv& +/ptrack.js +/pub/as?_ri_=$image +/pub/imp? +/pubble.stats.min.js +/pubcid.min.js +/public/analytics.js +/public/statsd +/public/visit/record +/public/visitor.json? +/public/visitor/create? +/publisher:getClientId?key= +/publishertag.js +/publitas-stats.js +/pubstats.$domain=~pubstats.dev +/pubtag.js +/pulsario.js +/push-analytics.js +/pushlog.min.js +/pushlog.php +/pv.gif? +/pv/?aid= +/pv2.gif? +/pv?place= +/pv?token= +/pv_count.php +/pv_web.gif +/pvcount.js +/pvcount.php +/pvcounter.cgi +/pvcounter.js +/PvCountUp.action +/pvevents.gif? +/pvlog.js +/pvmax.js +/pvnoju.js +/px.gif? +/px.js?ch=$script +/px/*/blank.gif? +/px/client/main.min.js +/px?t= +/px_trans.gif +/pxf.gif? +/pxl.cgi? +/pxl.gif? +/pxl.png? +/pxlctl.gif +/pxrc.php +/pxre.php +/pxtrack.js +/qapcore.js +/qlitics.js +/qtracker-v3-min.js +/quant.js +/quantcast.js +/Quantcast/cmp_v2.js +/QuotaService.RecordEvent? +/r.gif? +/r.rnc? +/r/collect? +/radar/trace? +/RadioAnalytics.js +/rainbow/master-js +/RcAnalyticsEvents.js +/rcAnalyticsLib.js +/readReceipt/notify/?img=$image +/readthedocs-analytics.js +/realtimeapi/impression? +/realytics-1.2.min.js +/realytics.js +/recommendtrack? +/record-impressions? +/record-stats? +/record.do? +/RecordAnalytic? +/RecordClick.js +/RecordHit? +/referadd? +/referer/visitor/* +/referral-tracking.js +/referral-tracking.min.js +/referral_tracking.js +/referrer.js +/referrer.php?*http +/referrer_invisible.js +/referrer_tracking.js +/reftracker.js +/renderTimingPixel. +/report_visit.php +/reportData/nm.gif? +/reporting/metrics +/ResonateAnalytics.min.js +/resource?zones= +/rest/analytics/* +/resxclsa.js +/resxclsx.js +/retarget_pixel.php +/retargeting-pixels.php +/revinit.js +/rgea.min.js +/risk_fp_log? +/riveted.min.js +/rivraddon.js +/rkrt_tracker-viajs.php +/rm-gtm-google-analytics-for-wordpress/js/gtm-player.js +/rm.gif? +/rmntracking.js +/rnb/events +/rntracking.js +/roi_tracker.js +/roi_tracker.min.js +/roiengine.js +/roitrack.cgi +/roitrack.js +/roitrack.php +/roitracker2.js +/rollbar.js +/rollbar.min.js +/rook.tracking.min.js +/rot_in.php +/roverclk/* +/roverimp/* +/roversync/? +/rpc.gif?ac= +/rpc/log/* +/rpc/log? +/rpc/preccount? +/rpFingerprint? +/rr/t?step= +/rrweb-record-pack.js +/rrweb-record.min.js +/rt_tag.js +/rt_tag.ofs.js +/rt_track.js +/rt_track_event.js +/rtac/gif? +/rtd.js +/rtkbeacon.gif? +/rtoaster.js +/rtracker.min.js +/rtracker/ofs.rtt.js +/rudder-analytics.js +/rudder-analytics.min.js +/rum-collector/* +/rum-telemetry/* +/rum-track? +/rum.gif? +/rum.min.js +/rum/events +/rum?ddsource= +/run/perf +/ruxitagentjs_ +/rwtag.gif? +/rwtag.js +/s-pcjs.php +/s.gif? +/s/js/ta-2.3.js? +/s/vestigo/measure +/s_code_global_context.js +/s_trans.gif? +/sa.gif? +/safelinkconverter.js +/salog.js +/SAPOWebAnalytics/* +/satismeter.js +/scmetrics.*/b/ss/* +/screencount?vcid= +/scribd_events? +/script.pageview-props.js +/script.tagged-events.outbound-links.js +/script.tagged-events.pageview-props.js +/script/pixel.js +/scriptAnalytics.js +/scripts.kissmetrics.com/* +/scripts/clickjs.php +/scripts/hbx.js +/scripts/statistics/* +/scripts/track_visit.php? +/scripts/xiti/* +/scroll-analytics- +/scroll-track.js +/scroll-tracker.js +/SdaAnalytics.js +/sdc.js +/sdc1.js +/sdc2.js +/sdctag1.js +/sdctag2.js +/sdcTrackingCode.js +/sdk/impressions +/search-cookie.aspx?$image +/securetracker.js +/seed.gif? +/segment/api/* +/segment/js/* +/segmentify.js +/segmentio.js +/sendLogs?cid +/sensor.modern.ncl.min.js +/sensor/statistic? +/sensorsdata- +/sensorsdata.$domain=~sensorsdata.cn +/sentry-browser.min.js +/sentry-browser.tracing.es5.min.js +/sentry-logger.js +/sentry/bundle.min.js +/seo.taCo.min.js +/seo/pageStat/* +/seostats.php +/seotracking-v3.js +/server.php?request=track&output= +/server/detect.php? +/service/track? +/services/pixel.html? +/servlet/Cookie? +/session-tracker/tracking- +/session/preparecookies?$domain=~mirapodo.de|~mytoys.de|~yomonda.de +/session/referer +/session/update-beacon +/sessioncam.js +/sessioncam.min.$script +/sessioncam.recorder.js +/SessionHit.aspx? +/set-cookie.gif? +/set_cookie.php? +/set_optimizely_cookie.js +/set_tracking.js +/sfCounter/* +/sfdc/networktracking.js +/sgtracker.js +/shared/sentry/* +/sherlock.gif? +/shinystat.cgi +/shopify-boomerang- +/shopify-event.gif? +/shopify/track.js +/shopify_stats.js +/shopifycloud/shopify/assets/shop_events_listener-$script +/showcounter.js +/showcounter.php +/showhits.php? +/shreddit/perfMetrics +/silveregg/js/cookie_lib.js +/simple_reach.js +/simtracker.min.js +/site_statistics.js +/site_stats.js +/site_stats/* +/site_tracking.js +/sitecatalist.js +/sitecatalyst.js +/sitecatalyst/tracking. +/sitecrm.js +/sitecrm2.js +/SiteSearchAnalytics.js +/sitestat.js +/sitestats.gif? +/sitetrek.js +/skype-analytics.js +/sluurpy_track.js +/smart-pixel.min.js +/smartpixel-1.js +/smartpixel.$domain=~smartpixel.com|~smartpixel.tv +/smartTag.bundle.js +/smarttag/smarttag- +/smetrics.*/b/ss/* +/smetrics.*/id? +/smg_tracking/js/onthe.io.js +/smmch-mine.js +/smmch-own.js +/snowman.gif?p= +/snowplow-tracker.tatest.js +/snowplow.js +/snowplow/*$script +/snowplow_$script +/social_tracking.js +/socialTracking.js +/socialtracking.min.js +/softclick.js +/solarcode.js +/somni.js +/somtag/loader/* +/somtag/logs/* +/sophus.js +/sophus3/logging.js +/sophus3_logging.js +/sp-2.0.0.min.js +/sp_analytics.js +/sp_tracker.js +/spacer.gif? +/splunk-logging-v2.js +/spresso.sdk.tracking.web.js +/spymonitor.js +/sr.gif? +/sranalytics.js +/srp.gif? +/ssl-intgr-net/* +/SSOCore/update? +/sst8.js +/sstat_plugin.js +/standalone-analytics- +/stat-adobe-analytics.js +/stat-dfp.js +/stat.gif? +/stat.htm?$domain=~192.168.0.1|~192.168.1.1 +/stat.js? +/stat/count +/stat/event/* +/stat/event? +/stat/fe? +/stat/rt/js? +/stat2.aspx? +/stat2.js +/stat?event= +/stat?sid= +/stat?SiteID= +/stat?track= +/stat_js.asp? +/stat_page.php +/stat_vue.php? +/stataffs/track.php? +/statblog/pws.php? +/StatCms/ViewCount? +/statcollector. +/statcollector/* +/statcount. +/statcounter-$~image +/statcounter.asp +/statcounter.js +/statcountex/count.asp? +/statistic/pixel? +/statistics.js?$third-party +/statistics/pixel/* +/statistics/visit?id= +/StatRecorder.asp? +/stats-collect +/stats-js.cgi? +/stats-listener.js +/stats-tracking.js +/stats.*/event +/stats.*/hits/* +/stats.*/tracker. +/stats.asp?id +/stats.cgi$image +/stats.gif? +/stats.php?*http +/stats.wp.com/* +/stats/?ref= +/stats/?rt= +/stats/api/collect +/stats/api/event +/stats/article? +/stats/bezoek_count.php +/stats/c/*$image +/stats/collect/* +/stats/collect? +/stats/collector.js +/stats/event.js? +/stats/events$xmlhttprequest +/stats/footer.js +/stats/ga.js +/stats/impression +/stats/log.pl +/stats/Logger? +/stats/lookup? +/stats/mark? +/stats/page-view +/stats/page_view_ +/stats/pageview +/stats/ping? +/stats/pv.php? +/stats/record.php? +/stats/record/* +/stats/search-log +/stats/transp.bmp +/stats/v2/visit? +/stats/visitors +/stats/welcome.php? +/stats?aid= +/stats?blog_ +/stats?callback= +/stats?ev= +/stats?event= +/stats?object +/stats?referer= +/stats?style$~xmlhttprequest +/stats_img.png? +/stats_js.asp +/stats_tracker.js +/statsadvance.js +/statscollector.min.gz.js +/StatsCollector/* +/statscounter/* +/statscript.js +/statsd_proxy +/StatSNA.js +/StatsPage.php +/StatsPixel? +/StatsService.RecordStats? +/statstracker. +/statstracker/* +/statstracker? +/statsupdater.aspx +/statsVisitesAnnonces? +/stattag.js +/stattracker- +/status/impression? +/storeAdvImpression.jsp +/storefront.google-analytics-4.min.js +/stp.gif? +/stracking.js +/sTrackStats.js +/strak.php?t= +/stream/log.html? +/streamsense.min.js +/strpixel.png? +/stt/track.js +/stwc-counter/code.js +/stwc/code.js +/submission/pageview +/supercookie.asp +/supercookie.js +/svs.gif? +/sw/analytics.js +/swa_t.gif? +/swatag.js +/swell-ct-ad-data +/swell-ct-pv^ +/swlapi/stats| +/symplr-analytics- +/sync.gif?partner_ +/sync?visitor_id= +/synd.aspx +/szm_mclient.js +/t.gif? +/t/event.js? +/t/event? +/t?referer= +/t?tcid= +/taboola.js +/taboola/loader.js +/taboolaHead.js +/taevents-c.js +/tag/tag.jsp? +/tag?tags= +/taganalyticscnil.js +/tagAnalyticscnil.php +/tagCNIL.js +/tagcommander/prd/* +/tagmanager/event? +/tagmanager/pptm.js +/tags.js?org_id= +/tailtarget.js +/talpa-analytics-pro/* +/tatari-shopify/tracker-snippet-latest.min.js +/tbl_nw_web_logs? +/tc_analytics.js +/tc_analytics.min.js +/tc_imp.gif? +/tccl.min.js +/tck/gif/* +/teal-comscore- +/teal-gcianalytics- +/TeaLeaf.js +/tealeaf.min.js +/TeaLeafCfg.js +/TealeafSDK.js +/TealeafSDKConfig.js +/tealeaftarget? +/tealium-external/utag.js +/tealium-utag-set.js +/tealiumAnalytics.js +/tealiumTagsData.js +/tenant.min.js +/thermostat.js +/thixel.js +/tiara/tracker/* +/ticimax/analytics.js +/tide_stat.js +/tilda-stat-1.0.min.js +/timingcg.min.js +/tjp_beacon.js +/tjx-tracking-data.js +/tking/ajax_track_stats? +/tncms/tracking.js +/token?referer= +/tongji.js +/toplytics.js +/TouchClarity.js +/touchclarity/logging.js +/tr.gif? +/tr/lp/intg.js +/tr/pageview/* +/trace-Update.php? +/trace/link/*$image +/trace/mail/*$image +/trace/record? +/trace?sessionid= +/traces.php? +/track-event.js +/track-focus.min.js +/track-imp? +/track-internal-links.js +/track-pixel. +/track-the-click-public.js +/track-visit? +/track.ashx?*=http +/track.gif?data= +/track.png? +/track.srv. +/track.v2.js +/track/?*&event= +/track/?data= +/track/aggregate? +/track/batch? +/Track/Capture.aspx? +/track/client-event/* +/track/client-events +/track/cm? +/track/component/* +/track/event/* +/track/hit.gif +/track/identity? +/track/imp? +/track/impression/* +/track/impression? +/track/pageview? +/track/pageviews/* +/track/pixel.php +/track/pixel/* +/track/site/* +/track/statistic/* +/track/svbaff01/* +/track/visitors/? +/track/visits/? +/track?*&event= +/track?_event= +/track?cb= +/track?data= +/track?event= +/track?event_id= +/track?eventKey= +/track?events= +/track?name= +/track?page_view +/track?pid= +/track?referer= +/track?referrer= +/track_click? +/track_event. +/track_framework_metrics? +/track_general_stat.php +/track_js/? +/track_page_view? +/track_pageview? +/track_pixel? +/track_proxy? +/track_stat? +/track_video.php?id= +/track_visit.js +/track_visit? +/track_visitor? +/trackBatchEvents? +/TrackClick. +/trackClickEvent.js +/trackconversion? +/tracker.ga. +/tracker.gif? +/tracker/?key= +/tracker/event? +/tracker/imp? +/tracker_async.js +/trackerPageAnalytics.js +/trackEvent.js +/trackga.js +/trackga.min.js +/tracking-analytics-events.js +/tracking-cookie.js +/tracking-events.js +/tracking-links.js +/tracking.asmx/AddTrack? +/tracking.jsp?sid= +/tracking/airdog +/tracking/common.html +/tracking/cookies? +/tracking/digitaldata.js +/tracking/events/* +/tracking/events? +/tracking/freewheel/* +/tracking/impression +/tracking/ipify +/tracking/jitney/* +/tracking/log.php? +/tracking/log? +/tracking/networktrackingservlet +/tracking/open? +/tracking/referrer? +/tracking/thirdpartytag.js +/tracking/trackpageview +/tracking/universalJSRequest.php +/tracking/user_sync_widget? +/tracking/views/* +/tracking202/static/landing.php +/Tracking?id= +/tracking?referrer +/Tracking?t= +/tracking?vs= +/tracking_id_ +/tracking_pixel +/tracking_unitary/* +/trackingCode- +/trackingCode.js +/trackingcookies. +/trackingDTM.js +/trackingEventsBlocks/* +/trackingFooter.js +/trackingGA.js +/TrackingHandler.js +/trackingheader.js +/trackingImpression/* +/trackingp.gif +/trackingpixel.php +/TrackingPixel/* +/trackingTools. +/trackingVtm.js +/trackIt.js +/trackit.php? +/trackit.pl? +/trackjs.$domain=~trackjs.com +/tracklib.min.js +/trackmerchant.js +/trackmvisit? +/trackopen.cgi? +/trackPage.js? +/trackpagecover? +/trackpageview.js +/trackpageview.php +/trackPageView/* +/TrackPageview? +/trackpixel? +/trackpush.min.js +/trackpxl? +/TrackShopAnalytics.aspx? +/trackstats? +/trackTimings.gif? +/trackui.min.js +/TrackView/*$xmlhttprequest +/TrackViews/* +/trackVisit/* +/trackvisit? +/TrackVisitors/* +/TrackWebPage? +/trade/in.php?*&ref= +/traffic-source-cookie.min.js +/traffic/status.gif? +/traffic_record.php? +/TrafficCookie.js +/traffictrade/* +/trafic.js +/trans_pixel.asp +/transparent1x1.gif +/transparent1x1.png +/transparent_pixel.gif +/transparent_pixel.png +/transpix.gif +/travel-pixel-js/* +/trbo.js +/trck/eclick/* +/trck/etms/* +/trckUtil.min.js +/trendmd.min.js +/trigger-visit-event +/triggertag.js +/trk.*/impression/* +/trk.*/open?$image +/trk.gif? +/trk.php? +/trk/api/* +/trk2.*/open?$image +/trk?t=$image +/trkga.js +/trovit-analytics.js +/truehits.php? +/tw-track.js +/twiga.js +/tynt.js +/u.gif? +/ucount.php? +/uds/stats? +/uecomscore_cmp_event_mundo.js +/uem-ep.js +/uisprime/track +/umami.js +/umg-analytics.min.js +/umg-analytics/umgaal.min.js +/umt.gif? +/unbxdAnalytics.js +/UniqueUserVisit? +/updatestats.js +/urchin.gif? +/urchin.html? +/urchin.js +/user-context?referrer= +/userdata_n? +/userfingerprinttoken/*$xmlhttprequest +/userfly.js +/users/track? +/UserTraceCookie? +/usertrack.aspx? +/usertracking.js +/utag.loader.js +/utag.sync.js +/utag_data.js +/utiqloader.js +/utm-tracking.js +/utm.gif? +/utm_cookie.js +/utm_cookie.min.js +/utrack.js? +/utrack? +/utracker.js +/uutils.fcg? +/v.gif? +/v1/adn/visit| +/v1/pixel.js +/v1/pixel? +/v1/stats/track +/v1/tracker.js +/v1/viewport_events +/v2/pv-data? +/v4/analytics/*$~xmlhttprequest +/v4/metrics +/v60.js +/valnet-header. +/valnetinccom-adapter.js +/vanillaanalytics/js/vendors/js.cookie.js +/vastlog.txt? +/vecapture.js +/vendor/analytics.js +/vendor/analytics/* +/vendor/cedexis/* +/vestigo/v1/measure +/vglnk.js +/video-ga.js +/video.counters. +/video/tracking.js +/video_count.php? +/videoanalytic/* +/videojs-analytics.js +/videojs.ga.js +/videojs.ga.min.js +/videojs.ga.videocloud.js +/videotracking.js +/vidtrack.js +/view-tracking/*$image +/view.gif? +/view_stats.js.php +/ViewCounter/* +/viewerimpressions? +/views_tracking/* +/viewtracking.aspx? +/viewTracking.min.js +/visistat.js +/visit-tag? +/visit-tracker.js +/visit.gif? +/visit/log.js? +/visit/record.gif? +/visit/record? +/visit_log.js +/visitcounter.do +/visitcounter.js +/visitinfo.js +/VisitLog.asmx +/visitor-params.js +/Visitor.aspx? +/visitor.gif?ts= +/visitor.js?key= +/visitor.min.js +/visitor_id.jsp +/visitor_info.js +/visitor_info? +/VisitorAPI.js +/visitorCookie.js +/visitorcountry.svc/* +/VisitorIdentification.js +/visitors/screencount? +/visitortrack? +/visitortracker.pl? +/visits/pixel? +/visits?aff_ +/VisitSite.js +/VisitTracking? +/visscore.tag.min.js +/vissense.js +/visualrevenue.js +/vjslog? +/vli-platform/adb-analytics@ +/vs-track.js +/vs.gif? +/vsl/imp? +/vstat.php +/vtrack.aspx +/vtrack.php? +/vtrack?vid= +/vwFiles/analytics/* +/w.gif? +/wa.gif? +/wa_tracker.js +/wcount.php? +/web-analytics.js +/web-api/log/* +/web-data-ingress? +/web-pixel-shopify-app-pixel@ +/web-pixel-shopify-custom-pixel@ +/web/push? +/web_analytics/* +/web_answertip.js +/Web_JS_Stats.js +/web_traffic_capture.js +/WebAnalytics.$domain=~webanalytics.italia.it +/webAnalytics/* +/webcounter/* +/webdig.js +/webdig_test.js +/weblog.js? +/weblog.php? +/webmnr.min.js +/webmonitor/collect/badjs.json +/webmr.js +/webstat.js +/WebStat2.asmx +/webstatistics.php? +/webstats.js +/webstats.php +/webstats/track.php? +/webstats_counter/* +/webtag.js +/webtrack.js +/webtracker.dll +/webtracking/*$~document,~subdocument,domain=~wwwapps.ups.com +/webtraffic.js +/webtraxs.js +/webtrekk_mediaTracking.min.js +/webtrends.js +/webtrends.min.js +/webxmr.js +/wf-beacon- +/whisper?event= +/white_pixel.gif? +/wildfire/i/CIMP.gif? +/wix-engage-visitors- +/wlexpert_tracker.js +/wmxtracker.js +/woocommerce-google-adwords-conversion-tracking-tag/* +/woopra.js +/wp-coin-hive-util.js +/wp-coin-hive.js +/wp-content/plugins/confection/bridge.php +/wp-content/plugins/pageviews/pageviews.min.js +/wp-content/plugins/woocommerce-google-analytics-integration/* +/wp-content/plugins/wp-click-track/js/ajax.js +/wp-content/plugins/wp-clickmap/clickmap.js +/wp-content/tracker.js +/wp-js/analytics.js +/wp-json/iawp/* +/wp-monero-miner-class.js +/wp-monero-miner-util.min.js +/wp-monero-miner.js +/wp-monero-miner.min.js +/wp-rocket/assets/js/lcp-beacon. +/wp-sentry-browser.min.js +/wp-slimstat.js +/wp-slimstat.min.js +/wp-statistics-tracker.min.js +/wp-statistics/assets/js/tracker.js +/wp-statistics/v2/hit +/wp-stats-manager/js/wsm_new.js +/wp-useronline/useronline.js +/wp_stat.php? +/wpengine-analytics/js/main.js +/wpr-beacon.js +/wpr-beacon.min.js +/wps-visitor-counter/styles/js/custom.js +/wpstatistics/v1/hit? +/wrapper/metrics/v1/custom-metrics? +/WRb.js +/wreport.js +/writelog.js +/wstat.pl +/wstats.php? +/wt_capi.js +/wtbase.js +/wtd.gif? +/wtid.js +/wtinit.js +/wtrack?event= +/wup?cid= +/wwwcount.cgi? +/wxhawkeye.js +/wysistat.js +/x.gif? +/x_track.php? +/xgemius.js +/xinhua_webdig.js +/xiti.js +/xml/pv.xml? +/xn_track.min.js +/xstat.aspx? +/xtclick.js +/xtclicks.js +/xtcore.js +/xtroi.js +/yad_sortab_cetlog.js +/yandex-metrica-watch/* +/yandex-metrika.js +/yastat.js +/ye-gatracker.js +/yell-analytics-app.js +/yell-analytics-min.js +/yell-analytics.js +/yna_stat.js +/youtubeVideoAnalytic.js +/ystat.js +/yt-track-streamer +/z.gif? +/zaius-min.js +/zaius.js +/zanox.js +/zaraz/s.js +/zdcc.min.js +/zhugeio.js +/ztracker.js +://a869.$~image +://analytics-cdn. +://analytics.*/collect +://analytics.*/event +://analytics.*/hits/ +://analytics.*/impression +://analytics.*/page_entry +://analytics.*/pageview/ +://backstory.ebay. +://beacon.*/track +://blue.*/script.js +://client.rum. +://cmpworker. +://collect.*/pageview +://collector.*/event +://elqtrk. +://fallback.*/collector +://fathom.$domain=~fathom.fm|~fathom.info|~fathom.io|~fathom.org|~fathom.video|~fathom.world|~fathomdelivers.com|~fathomseo.com|~usesfathom.com +://gtrack.*/dye +://insights-collector. +://internal-matomo. +://lightning.*/launch/ +://matomo.$domain=~matomo.org +://mint.*/?js +://piwik.$domain=~matomo.org|~piwik.pro +://posthog.$script,domain=~posthog.com +://segment-api. +://segment-cdn. +://track.*/collect +://track.*/dye +://track.*/visitor/ +://tracker.*/pageview +://tracking.*/beacon/ +://tracking.*/event +?[AQB]&ndh=1&t= +?action=event& +?action=impression& +?action=log_promo_impression +?action=saveViewStat& +?action=statsjs& +?action=track_visitor& +?action=tracking_script +?event=impressions& +?event=log& +?event=pageview& +?event=performance& +?event=performancelogger: +?local_ga_js= +?log=player-*&stats_tkn= +?log=player_*&stats_tkn= +?log=stats- +?log=united-impression& +?log=xhl-widgets-events& +?log_performance_metrics +?logType=impression& +?logType=trackEvent& +?pageviews=$third-party +?sam-item/track-impressions +?statify_referrer= +?type=page&event= +?type=pageview& +?v=2&tid=G-$~third-party +_beacon? +_c.gif?c= +_chartbeat.js +_event_tracking? +_imp?Log= +_logHuman= +_nedstat.js +_rpc/log? +_social_tracking.js +_stat.php?referer= +_stat_counter.php? +_trackWebtrekkEvents. +_view_pixel&$image +_webanalytics. +_WebVitalsReporter_ +! https://www.mcclatchy.com/our-impact/markets +/ng.gif? +! Facebook pixels +! /ajax/bnzai?_ +/ajax/bz?_ +! https://imgsen.com/mdaywmhb6u6d/photo-1551582045-6ec9c11d8697.jpg.html +.com/vtrack +! parked domains +/ls.php?t= +/track.php?domain= +/track.php?toggle= +! Amazon +/ajax/counter?ctr= +/batch/1/OE/* +/insights/reportEvent/* +/loi/imp? +/remote-weblab-triggers/* +/uedata? +/unagi.amazon. +/usage/Clickstream? +/usage/ReportEvent? +! hellofresh / greenchef / everyplate +/otlp/traces +! Pinterest +/_/_/logClientError/* +/_/trace/trace/* +! real time web analytics +/rrweb-script.js +/rrweb.js +/rrweb.min.js +! DNS checks +/DNSCheck.js +/DNSChecker.js +! hawkeye +/hawk.js +/hawkeye.js +/hawklinks.js +! cloudflare tracking +/cdn-cgi/apps/body/*$script,~third-party +/cdn-cgi/apps/head/*$script,~third-party +! Notifcation scripts +/blink-sw.js +/PushexSDK.js +/pushly-sdk.min.js +! Admiral +/admiral.js +/js/admiral- +! eventbrite tracking +/search/log_requests/* +! Consent/GDPR tracking +/cmp/messaging.js +/cmp3.js +/slot_cmp.js +/sourcepoint.js +! Eulerian +&pagegroup=*&url=$script +/ajax/eulerian/* +/eulerian.js +! google tracking +/client_204?$image,other,ping,script +/csi_204?$image,other,ping,script +/gen_204?$image,other,ping,script +/generate_204?$image +! Server-side GTM +&l=dataLayer&cx=c +.js?id=GTM- +://gtm.*.js?st= +://load.*.js?st=$~third-party +||adservice.google. +||google.*/url?$ping +||google.com/gen_204? +||googleapis.com^*/gen_204? +||gstatic.com/gen_204? +! Adblock tracking +/ab_track.js +/adb.policy.js +/adblockLogger/* +/sk-logabpstatus.php +/wp-admin/admin-ajax.php?action=adblockvisitor$~third-party +/ws_client?zone=gen$websocket +/wutime-adblocktracker/* +! *** easylist:easyprivacy/easyprivacy_general_emailtrackers.txt *** +! easyprivacy_general_emailtrackers.txt +! Email tracking pixels +%2Fevent.gif%3F +%2Fo.gif& +%2Fopen.aspx%3F +%2Frw%2Fbeacon_ +&mi_ecmp=$image +-track-email-open? +.acemlna.com/lt.php?$image +.acemlna.com/Prod/link-tracker?$image +.acemlnb.com/Prod/link-tracker?$image +.alcmpn.com/ +.app.returnpath.net/ +.aveda.com/t/$image +.awstrack.me/$image +.backblaze.com/e2t/$image +.backcountry.com/o/$image +.bahn.de/op/$image +.benchurl.com/c/o?$image +.bhphotovideo.com/mo/ +.birdsend.net/o/$image +.bluekai.com/*?e_id_ +.bmetrack.com/c/$image +.cmail19.com/t/$image +.cmail19.com/ti/$image +.cmail20.com/t/$image +.crsend.com/stats/$image +.ct.sendgrid.net/$image +.delivery-status.com/open? +.demdex.net/event? +.doctolib.de/tr/op/$image +.doubleclick.net/$image +.duolingo.com/open/ +.efeedbacktrk.com/$third-party +.elaine-asp.de/action/view/$image +.email.*/tr/op/$image +.emlfiles4.com/cmpimg/t/$image +.emltrk.com/ +.epicgames.com/O/ +.eventim.de/op/$image +.everestengagement.com/$image +.eviq.org.au/CMSModules/$image +.exponea.com/*/open$image +.facebook.com/tr/$image +.facebook.com/tr?$image +.flipboard.com/usage? +.getblueshift.com/q/ +.getsendmail.com/p/$image +.gif?stat=open +.goodwell18.com/track/ +.google-analytics.com/ +.hilton.com/subscription/watermark.gif? +.hootsuite.com/trk? +.informz.net/z/$image +.innologica.com/t/ +.intercom-mail.com/q/ +.intercom-mail.com/via/$image +.inxmail-commerce.com/tracking/$image +.inxserver.com/transparent.gif +.keap-link003.com/$image +.keap-link004.com/$image +.keap-link005.com/$image +.keap-link006.com/$image +.keap-link007.com/$image +.keap-link008.com/$image +.keap-link009.com/$image +.keap-link010.com/$image +.keap-link011.com/$image +.keap-link012.com/$image +.keap-link013.com/$image +.keap-link014.com/$image +.keap-link015.com/$image +.keap-link016.com/$image +.kijiji.ca/r/ +.klclick.com/$image +.lassuranceretraite.fr/mk/op/$image +.list-manage.com/track/ +.mail.odysee.com/o/$image +.mailbutler.io/tracking/ +.mailgun.patreon.com/o/$image +.mailing.*/oo/$image +.maillist-manage.com/click/$image +.maillist-manage.com/clicks/$image +.members.babbel.com/mo/ +.mgmailer.binance.com/o/$image +.microsoft.com/m/v2/d?$image +.mightyape.co.nz/mo? +.mjt.lu/oo/$image +.mkt2684.com/eos/ +.mkt51.net/eos/ +.mozilla.org/eos/$image +.na1.hs-sales-engage.com/$image +.ne16.com/do/ +.netcologne.de/-open2/$image +.nordvpn.com/q/$image +.oculus.com/collect/ +.online.costco.com/t?$image +.pledgebox.com/t/$image +.pstmrk.it/open^ +.publish0x.com/t/ +.quora.com/qemail/mark_read? +.redsift.com/e/o/$image +.revolut.com/q/$image +.secureserver.net/bbimage.aspx? +.sendcloud.net/track/$image +.sendemail.gate.io/o/$image +.sendibm1.com/*.gif? +.sendibm1.com/mk/ +.sendibt2.com/tr/op/$image +.sendibt3.com/tr/op/$image +.simplicitycrm.com/rd/ +.smartrmail.co/o/$image +.smtp.net/o/$image +.southwest.com/r/$image +.sparkpostmail.com/q/$image +.sparkpostmail2.com/q/$image +.spmailtechnol.com/q/$image +.spmailtechnolo.com/q/$image +.spreadshirt.net/mo/$image +.starbucks.com/a/ +.substack.com/o/$image +.substackcdn.com/open?$image +.telekom-dienste.de/common/1x1_transparent.png +.theatlantic.com/email.gif? +.titus.de/oo/$image +.tradewhy.cn//openemail/$image +.travis-ci.com/r/$image +.tripadvisor.com/MptUrl?$image +.tripadvisor.com/q/$image +.umusic-online.com^*/o.gif +.useinsider.com/pixel?$image +.vzbv.de/-open2/$image +.warehousefashion.com/warehouse/e/$image +.webex.com/q/ +.wix.com/_api/ping/ +.zalando.com/images/probe.png +.zippingcare.com/beacon/$image +/1x1_usermatch.gif? +/ap.lijit.com/* +/atlas-trk.prd.msg.ss-inf.net/*$image +/beacon.krxd.net/* +/beaconimages.netflix.net/*$image +/c.vialoops.com/*$image +/click.*/q/*$image +/click.em.nike.com/*$image +/click.email.$image +/click.instahyre.com/*$image +/click.php?c= +/clicks.*/q/*$image +/clicks.email.$image +/cmail2.com/t/* +/coherentpath.link/o/*$image +/condor.slgnt.eu/optiext/optiextension.dll?$image +/cp.gap.com/o/*$image +/e.customeriomail.com/e/o/*$image +/email-pixel? +/email.t.*/o/*$image +/email/open/?pd=$image +/email/open? +/email_open_log_ +/emimp/*$image +/engage.indeed.com/*$image +/eo?_t=$image +/etrack01.com/*$image +/eventing.coursera.org/img/* +/exmo.email/open.html +/gate.amnesty-international.*/open.php? +/global-cdm.net:443/sap/public/cuan/*/pixel.gif +/go.news.fly.io/e/o/*$image +/gp/r.html?$image +/gridinbound.blob.core. +/i?aid=*&se_ac=open&$image +/impression?mkevt= +/inbox.*/imp?$image +/is-tracking-pixel- +/klicks.nebenan.de/q/*$image +/link-tracker?*&l=open& +/link.coindesk.com/img/* +/link.divenewsletter.com/img/*$image +/link.e-mail.*/mo/*$image +/link.email.usmagazine.com/img/*$image +/link.morningbrew.com/img/*.gif +/link.news.*/mo/*$image +/link.oneplus.com/mo$image +/link.pbtech.co.nz/mo/*$image +/link.theatlantic.com/img/* +/link.thrillist.com/img/*$image +/links1.strava.com/*$image +/lzdmailer.letter.open? +/m-email/t.png? +/mail-stat.airdroid.com/*$image +/mail-tracking/*$image +/mail.sparksport.co.nz/forms/read/* +/mail.sparksport.co.nz/mail/read/* +/mailings/opened/*$image +/MailIsRead?$image +/maillist.*/t/*$image +/maling.roidusat.com/t/*$image +/media.sailthru.com/5ik/1k4/9/*.gif +/newsletter/log/*$image +/newsletter/read?s=$image +/newslink.reuters.com/img/*$image +/newtrackingscript. +/notifications.google.com/g/img/*$image +/notifications.googleapis.com/email/t/* +/notifications/beacon/* +/open.aspx? +/open.html?$image +/open/?ot=$image +/open?token=$image +/opens.jscrambler.com/*$image +/p/rp/*?mi_u=*=&sap_id=$image +/p1x1.gif +/page.bsigroup.com/* +/pixel-prod. +/pixel.mathtag.com/* +/pixel?cid= +/post.pinterest.com/q/*$image +/pqt.email/o/*$image +/prod-puc-all/*/open^$image +/px/track? +/redir.inxmail-commerce.com/r/*$image +/rover.ebay.com/roveropen/* +/rw/beacon_ +/sendmail.backerupdate.com/t/* +/shoutout.wix.com/*$image +/sli.*/imp?$image +/sptracking. +/ss/o/*.gif +/t.contactlab.it/v/* +/t.ifly.southwest.com/*$image +/t.paypal.com/*$image +/t.yesware.com/t/*$image +/T/OFC4/*$image +/track.interestingfacts.com/?xol= +/track.octanemail.in/sapi/*$image +/track/open.php? +/track/open/*$image +/track/open? +/tracking.fanbridge.com/* +/tracking.srv2.de/op/*$image +/tracking/email.php +/trcksp. +/wf/open?upn=$image +/wizrocketmail.net/r?$image +/znsrc.com/c/*$image +://2ip.*/member_photo/$third-party +://cl.melonbooks.co.jp/c/$image +://e.email.*/open?$image +://email.*/e/o/ +://email.*/o/$image +://links.paypal.*/eos/$image +://parcel-api.delivery-status.*/open/$image +://t.order.*/r/?id=$image +_ad_impression. +_adobe_analytics.js +_track_pixel.gif? +img.promio-connect.com$image +omni.soundestlink.com$image +! -----------------Third-party tracking domains-----------------! +! *** easylist:easyprivacy/easyprivacy_trackingservers_general.txt *** +! easyprivacy_trackingservers_general.txt +||00px.net^ +||1bliq.io^ +||1cros.net^ +||2cnt.net^ +||2l6ddsmnm.de^ +||2smt6mfgo.de^ +||34.215.155.61^ +||3gl.net^ +||4251.tech^ +||44.228.85.26^ +||46rtpw.ru^ +||a1webstrategy.com^ +||a8723.com^ +||aaxwall.com^ +||acsbapp.com^ +||adcontroll.com^ +||aditude.cloud^ +||admaxium.com^ +||adnext.co^ +||adrtx.net^ +||adscore.com^ +||adspsp.com^ +||adstk.io^ +||adultium.com^ +||afrdtech.com^ +||aggle.net^ +||agkn.com^ +||agma-analytics.de^ +||allvideometrika.com^ +||alpha1trk.com^ +||altopd.com^ +||analys.live^ +||analysis.fi^ +||analyt.ir^ +||apeagle.io^ +||apenterprise.io^ +||apharponloun.com^ +||apxl.io^ +||as3.io^ +||aseads.com^ +||australiarevival.com^ +||avads.net^ +||awmonitor.com^ +||b3mxnuvcer.com^ +||bfmio.com^ +||bidgx.com^ +||bidswitch.net^ +||bkrtx.com^ +||bluekai.com^ +||blueoyster.click^ +||bonne-terre-data-layer.com^ +||boomtrain.com^ +||bounceexchange.com^ +||bouncex.net^ +||bqstreamer.com^ +||bringmethehats.com^ +||briskeagle.io^ +||briskpelican.io^ +||broadstreet.ai^ +||brwsrfrm.com^ +||btloader.com^ +||bx-cloud.com^ +||bydst.com^ +||cadsuta.net^ +||cafirebreather.com^ +||catsunrunjam.com^ +||cbdatatracker.com^ +||cdnhst.xyz^ +||cdnwidget.com^ +||ciqtracking.com^ +||cityrobotflower.com^ +||ck123.io^ +||ckies.net^ +||clarity.ms^ +||clearbitscripts.com^ +||click360.io^ +||cliquelead.com^ +||cloudwp.io^ +||clrt.ai^ +||cnna.io^ +||cntxtfl.com^ +||confiant-integrations.net^ +||convead.io^ +||convertlink.com^ +||cpx.to^ +||crwdcntrl.net^ +||cvlb.dev^ +||cxense.com^ +||cybba.solutions^ +||czx5eyk0exbhwp43ya.biz^ +||da29e6b8-f018-490f-b25f-39a887fc95e7.xyz^ +||dadalytics.it^ +||dataofpages.com^ +||datas3ntinel.com^ +||demdex.net^ +||digi-ping.com^ +||directavenue.tech^ +||dispatchunique.com^ +||dkotrack.com^ +||dlxpix.net^ +||dm-event.net^ +||dmepyodjotcuks.com^ +||dmpxs.com^ +||domself.de^ +||doublestat.info^ +||dspx.tv^ +||dttrk.com^ +||dwin1.com^ +||dwin2.com^ +||e1e.io^ +||eagle-insight.com^ +||ecn-ldr.de^ +||ed-sys.net^ +||efreecode.com^ +||egoi.site^ +||emailsnow.info^ +||entail-insights.com^ +||enterombacerick.com^ +||enthusiastgaming.net^ +||envato.market^ +||epsilondelta.co^ +||eqy.link^ +||etop.ro^ +||eu-1-id5-sync.com^ +||everesttech.net^ +||ew3.io^ +||experianmatch.info^ +||ezstat.ru^ +||f27tltnd.de^ +||fairdatacenter.de^ +||fastemu.co^ +||fastfinch.co^ +||fastgull.io^ +||fasttiger.io^ +||featuregates.org^ +||ffbbbdc6d3c353211fe2ba39c9f744cd.com^ +||ffe390afd658c19dcbf707e0597b846d.de^ +||fn-pz.com^ +||fourtimessmelly.com^ +||fpapi.io^ +||fpcdn.io^ +||fptls.com^ +||fptls2.com^ +||fptls3.com^ +||funnelserv.systems^ +||fzlnk.com^ +||g10102301085.co^ +||g10300385420.co^ +||g11686975765.co^ +||g1188506010.co^ +||g11885060100.co^ +||g12083144435.co^ +||g12281228770.co^ +||g1386590346.co^ +||g1584674682.co^ +||g1584674684.co^ +||g1782759015.co^ +||g1782759016.co^ +||g1980843350.co^ +||g2575096355.co^ +||g792337340.co^ +||g792337342.co^ +||g792337343.co^ +||g8715710740.co^ +||g8913795075.co^ +||g9111879410.co^ +||g9508048080.co^ +||g9706132415.co^ +||g990421675.co^ +||g990421676.co^ +||gbqofs.com^ +||gcprivacy.com^ +||geoedge.be^ +||geotargetly-api-*.com^ +||getdeviceinf.com^ +||getjan.io^ +||glamipixel.com^ +||glimr.io^ +||glookup.info^ +||go-mpulse.net^ +||godiciardstia.com^ +||googleoptimize.com^ +||googletagmanager.com^ +||gw-dv.vip^ +||hbiq.net^ +||hdmtools.com^ +||herbgreencolumn.com^ +||hirsung.de^ +||hs-analytics.net^ +||hsadspixel.net^ +||hsleadflows.net^ +||htplayground.com^ +||i218435.net^ +||ia-dmp.com^ +||iconmediapixel.com^ +||iconnode.com^ +||id-ward.com^ +||idx.lat^ +||ilius.net^ +||impactcdn.com^ +||impactradius-event.com^ +||imrworldwide.com^ +||imzahrwl.xyz^ +||ineed2s.ro^ +||infisecure.com^ +||innerskinresearch.com^ +||instantfox.co^ +||intellimizeio.com^ +||irs01.com^ +||jams.wiki^ +||jcpclick.com^ +||jubbie.de^ +||k5a.io^ +||krxd.net^ +||kspotson.de^ +||ldgnrtn.com^ +||ldnlyap.com^ +||leadhit.io^ +||lemonpi.io^ +||liveyield.com^ +||lltrck.com^ +||lmepbq.com^ +||log.dance^ +||logicanalytics.io^ +||logtail.com^ +||loopcybersec.com^ +||lordofthesuperfrogs.com^ +||lsdm.co^ +||lyfnh.io^ +||maggieeatstheangel.com^ +||mapixl.com^ +||markadver.com^ +||matheranalytics.com^ +||mathilde-ads.com^ +||maxepv.com^ +||mb-tracking.com^ +||mbmgivexdvpajr.com^ +||mcangelus.com^ +||mdhv.io^ +||mdstats.info^ +||mediamathrdrt.com^ +||michiganrobotflower.com^ +||minstats.xyz^ +||mirabelanalytics.com^ +||mircheigeshoa.com^ +||mitour.de^ +||mitself.net^ +||ml-sys.xyz^ +||mm-api.agency^ +||mobildev.in^ +||monicaatron.com^ +||mors22.com^ +||motu-teamblue.services^ +||mrpdata.net^ +||mt48.net^ +||mysingleromance.com^ +||native-track.com^ +||niblewren.co^ +||nigelmidnightrappers.com^ +||nimblebird.co^ +||nimbleswan.io^ +||nmgassets.com^ +||nmgplatform.com^ +||nmo-ep.nl^ +||notifpush.com^ +||ns1p.net^ +||nxakpj4ac8gkd53.info^ +||o1ych4jb.com^ +||omappapi.com^ +||omtrdc.net^ +||openfpcdn.io^ +||oppuz.com^ +||opti-digital.com^ +||opticksprotection.com^ +||optistats.ovh^ +||organiccdn.io^ +||orhdev.com^ +||ostrichesica.com^ +||p7cloud.net^ +||pageid.info^ +||peiq.services^ +||permutive.app^ +||pippio.com^ +||pix.pub^ +||pixel-tracker.com^ +||pixmg.com^ +||pixrealm.com^ +||pjstat.com^ +||powerrobotflower.com^ +||prfct.co^ +||procroanalytics.com^ +||progmxs.com^ +||pushvisit.xyz^ +||pxlstat.com^ +||pzapi-ij.com^ +||pzapi-kg.com^ +||pzimff.com^ +||q0losid.com^ +||quantserve.com^ +||quickkoala.io^ +||quickpcfixer.click^ +||r42tag.com^ +||raac33.net^ +||rapidpanda.io^ +||rapidzebra.io^ +||realtimely.io^ +||reportic.app^ +||rezync.com^ +||rfpx1.com^ +||rkdms.com^ +||robotflowermobile.com^ +||rtactivate.com^ +||rum-ingress-coralogix.com^ +||rumt-sg.com^ +||s-onetag.com^ +||sbgsodufuosmmvsdf.info^ +||sc-static.net^ +||screen13.com^$image +||script.ac^ +||seadform.net^ +||selphiu.com^ +||seoab.io^ +||sf-insights.io^ +||sgmntfy.com^ +||sgstats.com^ +||shgcdn3.com^ +||site24x7rum.eu^ +||sitecounter.site^ +||sitedataprocessing.com^ +||sjpf.io^ +||snptrk.com^ +||soapfighters.com^ +||solutionshindsight.net^ +||speedyfox.io^ +||speedyrhino.co^ +||spinnaker-js.com^ +||sprtnd.com^ +||srmdata-eur.com^ +||srvgl.com^ +||ssevt.com^ +||stack-sonar.com^ +||stat.ovh^ +||statisticplatform.com^ +||statisticsplatform.com^ +||stats.rip^ +||sturton-lation.com^ +||summerhamster.com^ +||superpointlesshamsters.com^ +||sy57d8wi.com^ +||t13.io^ +||takingbackjuly.com^ +||targetemsecure.blob.core.windows.net^ +||tatpek.com^ +||techpump.com^ +||tepatonol.com^ +||test.vast^ +||testingmetriksbre.ru^ +||thefontzone.com^ +||tkrconnector.com^ +||tncid.app^ +||track-selectmedia.com^ +||trackclicks.info^ +||tracking24.net^ +||transmapp.com^ +||triplestat.online^ +||trk-maiorum.com^ +||trkapi.impact.com^ +||trkbc.com^ +||trkn.us^ +||tru.am^ +||truffle.bid^ +||trx-hub.com^$image +||tryzens-analytics.com^ +||turboeagle.co^ +||turbolion.io^ +||tvpixel.com^ +||tw.cx^ +||ugdturner.com^ +||uidapi.com^ +||uqd.io^ +||ustat.info^ +||venture-365-inspired.com^ +||venusrevival.com^ +||veozn3f.com^ +||vfghe.com^ +||videocdnmetrika.com^ +||videoplayerhub.com^ +||vkanalytics.net^ +||vmzqqmlpwwmazjnio.com^ +||vpdcp.com^ +||vstats.me^ +||wct-2.com^ +||whale3.io^ +||widgetbe.com^ +||wknd.ai^ +||wlct-one.de^ +||wlct-two.de^ +||wlt-alice.de^ +||wlt-jupiter.de^ +||wmgroup.us^ +||woodpeckerlog.com^ +||xanalytics.vip^ +||yardianalytics.com^ +||yndhi.com^ +||yottlyscript.com^ +||youborafds01.com^ +||youboranqs01.com^ +||zdbb.net^ +||zenaps.com^ +||zippyfrog.co^ +||zjptg.com^ +||zononi.com^ +||zqtk.net^ +||ztsrv.com^ +! *** easylist:easyprivacy/easyprivacy_trackingservers_thirdparty.txt *** +! easyprivacy_trackingservers_thirdparty.txt +! Third-party +||0emm.com^$third-party +||103bees.com^$third-party +||105app.com^$third-party +||11nux.com^$third-party +||123count.com^$third-party +||123stat.com^$third-party +||15gifts.com^$third-party +||1freecounter.com^$third-party +||1pel.com^$third-party +||200summit.com^$third-party +||204st.us^$third-party +||206solutions.com^$third-party +||247-inc.com^$third-party +||247ilabs.com^$third-party +||24counter.com^$third-party +||24log.com^$third-party +||2o7.net^$third-party +||360i.com^$third-party +||360tag.com^$third-party +||360tag.net^$third-party +||3dlivestats.com^$third-party +||3dstats.com^$third-party +||40nuggets.com^$third-party +||4oney.com^$third-party +||55labs.com^$third-party +||6sc.co^$third-party +||720-trail.co.uk^$third-party +||77tracking.com^$third-party +||7bpeople.com^$third-party +||7eer.net^$third-party +||8020solutions.net^$third-party +||99counters.com^$third-party +||99stats.com^$third-party +||9nl.eu^$third-party +||a-cast.jp^$third-party +||a-counters.com^$third-party +||a-pagerank.net^$third-party +||a013.com^$third-party +||a4b-tracking.com^$third-party +||a8.net^$third-party +||a8ww.net^$third-party +||aaddzz.com^$third-party +||aamsitecertifier.com^$third-party +||aaxdetect.com^$third-party +||abcstats.com^$third-party +||ablsrv.com^$third-party +||ablyft.com^$third-party +||abmr.net^$third-party +||absolstats.co.za^$third-party +||abtshield.com^$third-party +||acc-hd.de^$third-party +||accdab.net^$third-party +||access-analyze.org^$third-party +||accessintel.com^$third-party +||acecounter.com^$third-party +||acetrk.com^$third-party +||acexedge.com^$third-party +||acint.net^$third-party +||acq.io^$third-party +||acsbap.com^$third-party +||acstat.com^$third-party +||active-trk7.com^$third-party +||activeconversion.com^$third-party +||activemeter.com^$third-party +||activeprospects.com^$third-party +||actnx.com^$third-party +||acxiom-online.com^$third-party +||acxiomapac.com^$third-party +||ad-srv-track.com^$third-party +||adabra.com^$third-party +||adalyser.com^$third-party +||adara.com^$third-party +||adblade.com^$third-party +||adblockrelief.com^$third-party +||addfreestats.com^$third-party +||addwish.com^$third-party +||adelixir.com^$third-party +||adfox.ru^$third-party +||adgreed.com^$third-party +||adheart.de^$third-party +||adhslx.com^$third-party +||adinsight.co.kr^$third-party +||adinsight.com^$third-party +||adinte.jp^$third-party +||adku.co^$third-party +||adku.com^$third-party +||admantx.com^$third-party +||admaster.com.cn^$third-party +||admetric.io^$third-party +||adobedtm.com^$third-party,domain=~adobe.com|~costco.com +||adoberesources.net^$third-party,domain=~adobe.com +||adobetag.com^$third-party +||adobetarget.com^$third-party +||adoftheyear.com^$third-party +||adoric-om.com^$third-party +||adpaths.com^$third-party +||adpies.com^$third-party +||adregain.com^$third-party +||adregain.ru^$third-party +||adrizer.com^$third-party +||adrta.com^$third-party +||adsave.co^$third-party +||adsensedetective.com^$third-party +||adsmatcher.com^$third-party +||adsrvr.org^$third-party +||adtarget.me^$third-party +||adtector.com^$third-party +||adtelligence.de^$third-party +||adultblogtoplist.com^$third-party +||adunity.com^$third-party +||advalo.com^$third-party +||advanced-web-analytics.com^$third-party +||advangelists.com^$third-party +||advconversion.com^$third-party +||advertising.com^$third-party +||advoncommerce.com^$third-party +||adways.com^$third-party +||adwerx.com^$third-party +||adwstats.com^$third-party +||adxadtracker.com^$third-party +||adxcel-ec2.com^$third-party +||adyapper.com^$third-party +||aff-handler.com^$third-party +||affex.org^$third-party +||affilae.com^$third-party +||affiliateedge.eu^$third-party +||affiliatly.com^$third-party +||affilimate.com^$third-party +||affilimate.io^$third-party +||affilired.com^$third-party +||affinesystems.com^$third-party +||affinitymatrix.com^$third-party +||affistats.com^$third-party +||afftrack.pro^$third-party +||afsanalytics.com^$third-party +||afterclick.co^$third-party +||agentanalytics.com^$third-party +||agentinteractive.com^$third-party +||agilecrm.com^$third-party +||agilesrv.com^$third-party +||agilone.com^$third-party +||agrvt.com^$third-party +||aimediagroup.com^$third-party +||air2s.com^$third-party +||airbrake.io^$third-party +||airlogak.com^$third-party +||airpr.com^$third-party +||airserve.net^$third-party +||aivalabs.com^$third-party +||akanoo.com^$third-party +||akstat.com^$third-party +||akstat.io^$third-party +||albacross.com^$third-party +||alcmpn.com^$third-party +||alenty.com^$third-party +||alltracked.com^$third-party +||alocdn.com^$third-party +||alpixtrack.com^$third-party +||altabold1.com^$third-party +||altastat.com^$third-party +||alvenda.com^$third-party +||alzexa.com^$third-party +||amadesa.com^$third-party +||amavalet.com^$third-party +||amazingcounters.com^$third-party +||ambercrow.com^$third-party +||amikay.com^$third-party +||amnet.tw^$third-party +||amp.vg^$third-party +||amplitude.com^$third-party +||amung.us^$third-party +||analitycs.net^$third-party +||analoganalytics.com^$third-party +||analytically.net^$third-party +||analytics-debugger.com^$third-party +||analytics-helper.com^$third-party +||analytics.vg^$third-party +||analyticson.com^$third-party +||analyticswizard.com^$third-party +||analyzee.io^$third-party +||analyzz.com^$third-party +||anametrix.com^$third-party +||anametrix.net^$third-party +||angelfishstats.com^$third-party +||angorch-cdr7.com^$third-party +||anonymised.io^$third-party +||anrdoezrs.net^$third-party +||answerbook.com^$third-party +||answerscloud.com^$third-party +||anti-cheat.info^$third-party +||antiblock.info^$third-party +||anura.io^$third-party +||anytrack.io^$third-party +||apexstats.com^$third-party +||apextag.com^$third-party +||apextwo.com^$third-party +||api64.com^$third-party +||apicit.net^$third-party +||apollofind.com^$third-party +||apolloprogram.io^$third-party +||appboycdn.com^$third-party +||appcast.io^$third-party +||appdynamics.com^$third-party +||appn.center^$third-party +||aprtn.com^$third-party +||aprtx.com^$third-party +||apsis1.com^$third-party +||apsislead.com^$third-party +||aptrinsic.com^$third-party +||aqtracker.com^$third-party +||aralego.net^$third-party +||arc.io^$third-party +||arcadeweb.com^$third-party +||ardalio.com^$third-party +||arena-quantum.co.uk^$third-party +||arkayne.com^$third-party +||arlime.com^$third-party +||arpxs.com^$third-party +||arrivalist.com^$third-party +||arrowpushengine.com^$third-party +||arsdev.net^$third-party +||artefact.is^$third-party +||artfut.com^$third-party +||ascend.ai^$third-party +||assoctrac.com^$third-party +||asteriresearch.com^$third-party +||astro-way.com^$third-party +||at-o.net^$third-party +||atatus.com^$third-party +||athenainstitute.biz^$third-party +||atp.io^$third-party +||atsptp.com^$third-party +||attracta.com^$third-party +||attributionapp.com^$third-party +||audience.systems^$third-party +||audienceiq.com^$third-party +||audienceplay.com^$third-party +||audiencerate.com^$third-party +||audiens.com^$third-party +||audrte.com^$third-party +||aufp.io^$third-party +||authorinsights.com^$third-party +||auto-ping.com^$third-party +||autoaffiliatenetwork.com^$third-party +||autoaudience.com^$third-party +||autoid.com^$third-party +||autoline-top.com^$third-party +||automizely-analytics.com^$third-party +||avantlink.com^$third-party +||avapartner.com^$third-party +||avazudsp.net^$third-party +||avenseo.com^$third-party +||avmws.com^$third-party +||awasete.com^$third-party +||awesomelytics.com^$third-party +||awfonts.com^$script,third-party +||awin1.com^$third-party +||awstats.cloud^$third-party +||awstrack.me^$third-party +||axf8.net^$third-party +||azera-s014.com^$third-party +||azointel.com^$third-party +||b0e8.com^$third-party +||b1img.com^$third-party +||b1js.com^$third-party +||b2c.com^$third-party +||babator.com^$third-party +||baikalize.com^$third-party +||bam-x.com^$third-party +||baptisttop1000.com^$third-party +||baremetrics.com^$third-party +||barilliance.net^$third-party +||basicstat.com^$third-party +||basilic.io^$third-party +||baynote.net^$third-party +||baztrack.com^$third-party +||bbthat.com^$script,third-party +||bdash-cloud.com^$third-party +||beacon.kmi-us.com^$third-party +||beaconstreetservices.com^$third-party +||beampulse.com^$third-party +||beanstalkdata.com^$third-party +||beanstock.com^$third-party +||beemray.com^$third-party +||beemrdwn.com^$third-party +||behavioralengine.com^$third-party +||belstat.be^$third-party +||belstat.com^$third-party +||belstat.de^$third-party +||belstat.fr^$third-party +||belstat.nl^$third-party +||benchtag2.co^$third-party +||bentonow.com^$third-party +||berg-6-82.com^$third-party +||best-top.de^$third-party +||bestcontactform.com^$~image,third-party +||betarget.com^$third-party +||bettermeter.com^$third-party +||beusable.net^$third-party +||bfoleyinteractive.com^$third-party +||bgpng.me^$third-party +||bidphysics.com^$third-party +||bidr.io^$third-party +||bidsimulator.com^$third-party +||bigbrain.me^$third-party +||bigcattracks.com^$third-party +||bigmir.net^$third-party +||bignutty.xyz^$third-party +||bigreal.org^$third-party +||bigtracker.com^$third-party +||bionicclick.com^$third-party +||bizible.com^$third-party +||bizo.com^$third-party +||bizspring.net^$third-party +||bjcathay.com^$third-party +||blaick.com^$third-party +||blisspointmedia.com^$third-party +||blockdetector.org^$third-party +||blockmetrics.com^$third-party +||blog-stat.com^$third-party +||blogmeetsbrand.com^$third-party +||blogpatrol.com^$third-party +||blogrankers.com^$third-party +||blogreaderproject.com^$third-party +||bluecava.com^$third-party +||blueconic.net^$third-party +||bluecore.com^$third-party +||blueknow.com^$third-party +||blvdstatus.com^$third-party +||bm23.com^$third-party +||bmlmedia.com^$third-party +||bmmetrix.com^$third-party +||bnqt.com^$third-party +||bntech.io^$third-party +||boomerang.com.au^$third-party +||botman.ninja^$third-party +||botsvisit.com^$third-party +||bouncepilot.com^$third-party +||bouncex.com^$third-party +||bp01.net^$third-party +||bpmonline.com^$third-party +||brandlock.io^$third-party +||brat-online.ro^$third-party +||brcdn.com^$third-party +||bridgevine.com^$third-party +||brightfunnel.com^$third-party +||brilig.com^$third-party +||brilliantcollector.com^$third-party +||britepool.com^$third-party +||bronto.com^$third-party +||browser-intake-datadoghq.eu^$third-party +||browser-statistik.de^$third-party +||browser-update.org^$third-party +||bstn-14-ma.com^$third-party +||btbuckets.com^$third-party +||btncdn.com^$third-party +||bttn.io^$third-party +||btttag.com^$third-party +||bubblestat.com^$third-party +||bugherd.com^$third-party +||bugsnag.com^$third-party +||bunchbox.co^$third-party +||burpee.xyz^$third-party +||burstbeacon.com^$third-party +||burt.io^$third-party +||buzzdeck.com^$third-party +||bytemgdd.com^$third-party +||c-o-u-n-t.com^$third-party +||c.hit.ua^$third-party +||c1exchange.com^$third-party +||c212.net^$third-party +||c3metrics.com^$third-party +||c3tag.com^$third-party +||c4tracking01.com^$third-party +||cactusglobal.io^$third-party +||cactusmedia.com^$third-party +||cadreon.com^$third-party +||call-tracking.co.uk^$third-party +||callisto.fm^$third-party +||callmeasurement.com^$third-party +||callrail.com^$third-party +||callreports.com^$third-party +||calltouch.ru^$third-party +||calltrackingmetrics.com^$third-party +||calltracks.com^$third-party +||campaigncog.com^$third-party +||campaignmonitor.com^$third-party +||canddi.com^$third-party +||canlytics.com^$third-party +||canopylabs.com^$third-party +||captify.co.uk^$third-party +||captivate.ai^$third-party +||capturehighered.net^$third-party +||capturemedia.network^$third-party +||capturly.com^$third-party +||carambo.la^$third-party +||caramel.press^$third-party +||cartstack.com^$third-party +||cashburners.com^$third-party +||cashcount.com^$third-party +||cbtrk.net^$third-party +||cccpmo.com^$third-party +||ccgateway.net^$third-party +||ccscserver.com^$third-party +||cdn-net.com^$third-party +||cdnlibjs.com^$third-party +||cdnmaster.com^$third-party +||cdnopw.com^$third-party +||cedexis.com^$third-party +||celebros-analytics.com^$third-party +||celebrus.com^$third-party +||center.io^$third-party +||cetrk.com^$third-party +||cftrack.com^$third-party +||chartaca.com^$third-party +||chartbeat.com^$third-party +||chartbeat.net^$third-party +||checkreferrer.io^$third-party +||checkstat.nl^$third-party +||christiantop1000.com^$third-party +||chtbl.com^$script,third-party,xmlhttprequest +||cintnetworks.com^$third-party +||cityadstrack.com^$third-party +||cityspark.com^$third-party +||claritytag.com^$third-party +||clarium.io^$third-party +||clarivoy.com^$third-party +||clearbit.com^$third-party +||clearbitjs.com^$third-party +||clevi.com^$third-party +||click-url.com^$third-party +||click4assistance.co.uk^$third-party +||clickable.net^$third-party +||clickaider.com^$third-party +||clickalyzer.com^$third-party +||clickbrainiacs.com^$third-party +||clickcease.com^$third-party +||clickclick.net^$third-party +||clickdensity.com^$third-party +||clickening.com^$third-party +||clickferret.com^$third-party +||clickguard.com^$third-party +||clickguardian.co.uk^$third-party +||clickmanage.com^$third-party +||clickmeter.com^$third-party +||clickonometrics.pl^$third-party +||clickpathmedia.com^$third-party +||clickprotector.com^$third-party +||clickreport.com^$third-party +||clicksagent.com^$third-party +||clicksen.se^$third-party +||clickshift.com^$third-party +||clicktale.net^$third-party +||clicktracks.com^$third-party +||clickx.io^$third-party +||clickzs.com^$third-party +||clickzzs.nl^$third-party +||clientgear.com^$third-party +||clipcentric.com^$third-party +||clixgalore.com^$third-party +||clixpy.com^$third-party +||cloud-exploration.com^$third-party +||cloud-iq.com^$third-party +||cloudiq.com^$third-party +||cloudtracer101.com^$third-party +||cmcore.com^$third-party +||cmmeglobal.com^$third-party +||cmptch.com^$third-party +||cnt1.net^$third-party +||cnwebperformance.biz^$third-party +||cnxweb.com^$third-party +||cnzz.com^$third-party +||cobaltgroup.com^$third-party +||codata.ru^$third-party +||cogmatch.net^$third-party +||cognativex.com^$third-party +||cognitivematch.com^$third-party +||cognitivlabs.com^$third-party +||cohesionapps.com^$third-party +||coll2onf.com^$third-party +||collarity.com^$third-party +||collecting.click^$third-party +||collserve.com^$third-party +||colossusssp.com^$third-party +||commander1.com^$third-party +||company-target.com^$third-party +||compteur.cc^$third-party +||compteur.fr^$third-party +||conductrics.com^$third-party +||conductrics.net^$third-party +||conduze.com^$third-party +||config.parsely.com^$third-party +||confirmational.com^$third-party +||connectif.cloud^$third-party +||contactmonkey.com^$third-party +||content-square.net^$third-party +||contentinsights.com^$third-party +||contentspread.net^$third-party +||contentsquare.net^$third-party +||continue.com^$third-party +||convergetrack.com^$third-party +||conversionfly.com^$third-party +||conversionlogic.net^$third-party +||conversionly.com^$third-party +||conversionruler.com^$third-party +||convertagain.net^$third-party +||convertcart.com^$third-party +||convertexperiments.com^$third-party +||convertglobal.com^$third-party +||convertro.com^$third-party +||cooladata.com^$third-party +||copperegg.com^$third-party +||coralogix.com^$third-party +||core-cen-54.com^$third-party +||coremetrics.com^$third-party +||coremotives.com^$third-party +||cost1action.com^$third-party +||count.ly^$third-party +||countby.com^$third-party +||counter.dev^$third-party +||counter.gd^$third-party +||counterbot.com^$third-party +||countercentral.com^$third-party +||countergeo.com^$third-party +||counterland.com^$third-party +||counters4u.com^$third-party +||countersforlife.com^$third-party +||countertracker.com^$third-party +||counting4free.com^$third-party +||countomat.com^$third-party +||countz.com^$third-party +||cpcmanager.com^$third-party +||cpmstar.com^$third-party +||cqcounter.com^$third-party +||craftkeys.com^$third-party +||craktraffic.com^$third-party +||crashlytics.com^$third-party +||crazyclickstats.com^$third-party +||crazyegg.com^$third-party +||criteo.com^$third-party +||criteo.net^$third-party +||crmmetrixwris.com^$third-party +||crosspixel.net^$third-party +||crosswalkmail.com^$third-party +||crowdscience.com^$third-party +||crtx.info^$third-party +||csdata1.com^$third-party +||cuberoot.co^$third-party +||curalate.com^$third-party +||customer.io^$third-party +||customerconversio.com^$third-party +||customerlabs.co^$third-party +||cux.io^$third-party +||cvtr.io^$third-party +||cya2.net^$third-party +||cyberanalytics.nl^$third-party +||d-1.co^$third-party +||d41.co^$third-party +||dacounter.com^$third-party +||dapxl.com^$third-party +||dashboard.io^$third-party +||data-dynamic.net^$third-party +||databrain.com^$third-party +||databreakers.com^$third-party +||datacaciques.com^$third-party +||datacoral.com^$third-party +||datacoral.io^$third-party +||datacygnal.io^$third-party +||datadoghq-browser-agent.com^$third-party +||datadoghq.eu^$third-party +||datadsk.com^$third-party +||datafa.st^$third-party +||datafeedfile.com^$third-party +||datafront.co^$third-party +||datam.com^$third-party +||datamilk.app^$third-party +||datamind.ru^$third-party +||dataperforma.com^$third-party +||dataroid.com^$third-party +||datasteam.io^$third-party +||dataunlocker.com^$third-party +||dataxpand.com^$third-party +||datazoom.io^$third-party +||datvantage.com^$third-party +||db-ip.com^$third-party +||dc-storm.com^$third-party +||dcmn.com^$third-party +||ddm.io^$third-party +||deadlinefunnel.com^$third-party +||decdna.net^$third-party +||decibelinsight.net^$third-party +||decideinteractive.com^$third-party +||deep-content.io^$third-party +||deep.bi^$third-party +||deepattention.com^$third-party +||deepchannel.com^$third-party +||dejavu.mlapps.com^$third-party +||demandbase.com^$third-party +||demandscience.com^$third-party +||departapp.com^$third-party +||deqwas.net^$third-party +||devatics.com^$third-party +||devatics.io^$third-party +||device9.com^$third-party +||di-capt.com^$third-party +||dialogtech.com^$third-party +||did-it.com^$third-party +||didit.com^$third-party +||didna.io^$third-party +||diffusion-tracker.com^$third-party +||digianalytics.fr^$third-party +||digitaloptout.com^$third-party +||digitaltarget.ru^$third-party +||digitru.st^$third-party +||dignow.org^$third-party +||dimestore.com^$third-party +||dimml.io^$third-party +||discover-path.com^$third-party +||discovertrail.net^$third-party +||displaymarketplace.com^$third-party +||distiltag.com^$third-party +||dmanalytics1.com^$third-party +||dmclick.cn^$third-party +||dmpcounter.com^$third-party +||dmpprof.com^$third-party +||dmtracker.com^$third-party +||dmxleo.com^$third-party +||dnsdelegation.io^$third-party +||doceree.com^$third-party +||doclix.com^$third-party +||dojomojo.com^$third-party +||dojomojo.ninja^$third-party +||domdog.io^$third-party +||dominocounter.net^$third-party +||domodomain.com^$third-party +||donreach.com^$third-party +||dotaki.com^$third-party +||dpbolvw.net^$third-party +||dps-reach.com^$third-party +||driv-analytics.com^$third-party +||dsail-tech.com^$third-party +||dsmmadvantage.com^$third-party +||dsmstats.com^$third-party +||dsparking.com^$third-party +||dsply.com^$third-party +||dtc-v6t.com^$third-party +||dti-ranker.com^$third-party +||dtxngr.com^$third-party +||durationmedia.net^$third-party +||dvnfo.com^$third-party +||dynatrace-managed.com^$third-party +||dynatrace.com^$third-party,domain=~dynatracelabs.com +||dyntrk.com^$third-party +||e-contenta.com^$third-party +||e-goi.com^$third-party,domain=~e-goi.com.br|~e-goi.pt +||e-pagerank.net^$third-party +||e-referrer.com^$third-party +||e-webtrack.net^$third-party +||eacla.com^$third-party +||easy-hit-counter.com^$third-party +||easy-hit-counters.com^$third-party +||easycounter.com^$third-party +||easyhitcounters.com^$third-party +||easyresearch.se^$third-party +||ebtrk1.com^$third-party +||ec-track.com^$third-party +||ecommstats.com^$third-party +||ecustomeropinions.com^$third-party +||edgeadx.net^$third-party +||edigitalsurvey.com^$third-party +||eggplant.cloud^$third-party +||ekmpinpoint.co.uk^$third-party +||ekmpinpoint.com^$third-party +||ela-3-tnk.com^$third-party +||elastx.net^$third-party +||elitics.com^$third-party +||eloqua.com^$~stylesheet,third-party +||eluxer.net^$third-party +||email-match.com^$third-party +||embeddedanalytics.com^$third-party +||emediatrack.com^$third-party +||emjcd.com^$third-party +||emltrk.com^$third-party +||enecto.com^$third-party +||engageclick.com^$third-party +||engagemaster.com^$third-party +||engagetosell.com^$third-party +||engagio.com^$third-party +||engine212.com^$third-party +||engine64.com^$third-party +||enhencer.com^$third-party +||enquisite.com^$third-party +||ensighten.com^$third-party +||entravision.com^$third-party +||eolcdn.com^$third-party +||ep4p.com^$third-party +||eperfectdata.com^$third-party +||epilot.com^$third-party +||epitrack.com^$third-party +||eproof.com^$third-party +||eps-analyzer.de^$third-party +||ereportz.com^$third-party +||escalated.io^$third-party +||esearchvision.com^$third-party +||esm1.net^$third-party +||esomniture.com^$third-party +||esputnik.com^$third-party +||estara.com^$third-party +||estat.com^$third-party +||estrack.net^$third-party +||etahub.com^$third-party +||ethn.io^$third-party +||ethnio.com^$third-party +||ethyca.com^$third-party +||etp-prod.com^$third-party +||etracker.com^$third-party +||etrigue.com^$third-party +||etyper.com^$third-party +||eu-survey.com^$third-party +||eulerian.net^$third-party +||euleriancdn.net^$third-party +||eum-appdynamics.com^$third-party +||europagerank.com^$third-party +||europuls.eu^$third-party +||europuls.net^$third-party +||eval.privateapi.click^$third-party +||everestjs.net^$third-party +||evergage.com^$third-party +||evisitanalyst.com^$third-party +||evorra.net^$third-party +||evyy.net^$third-party +||ewebanalytics.com^$third-party +||exactag.com^$third-party +||excited.me^$third-party +||exclusiveclicks.com^$third-party +||exelator.com^$third-party +||exitmonitor.com^$third-party +||exorigos.com^$third-party +||experianmarketingservices.digital^$third-party +||explore-123.com^$third-party +||exposebox.com^$third-party +||extole.com^$third-party +||extrawatch.com^$third-party +||extreme-dm.com^$third-party +||extreme-ip-lookup.com^$third-party +||eyein.com^$third-party +||ezec.co.uk^$third-party +||ezytrack.com^$third-party +||f92j5.com^$third-party +||fabricww.com^$third-party +||faktor.io^$third-party +||fandommetrics.com^$third-party +||fanplayr.com^$third-party +||fast-thinking.co.uk^$third-party +||fastanalytic.com^$third-party +||fastly-analytics.com^$third-party +||fastly-insights.com^$third-party +||fathomseo.com^$third-party +||fcs.ovh^$third-party +||feathr.co^$third-party +||feedcat.net^$third-party +||feedjit.com^$third-party +||feedperfect.com^$third-party +||figpii.com^$third-party +||fiksu.com^$third-party +||filitrac.com^$third-party +||finalid.com^$third-party +||finalyticsdata.com^$third-party +||find-ip-address.org^$third-party +||fireworkanalytics.com^$third-party +||firstpromoter.com^$third-party +||fitanalytics.com^$third-party +||flagcounter.com^$third-party +||flaghit.com^$third-party +||flash-counter.com^$third-party +||flashb.id^$third-party +||flcounter.com^$third-party +||flexlinkspro.com^$third-party +||flixfacts.co.uk^$third-party +||flixsyndication.net^$third-party +||flockrocket.io^$third-party +||flocktory.com^$third-party +||fluencymedia.com^$third-party +||fluidsurveys.com^$third-party +||flurry.com^$third-party +||flx1.com^$third-party +||flxpxl.com^$third-party +||flyingpt.com^$third-party +||fndrsp.net^$third-party +||followercounter.com^$third-party +||footprintdns.com^$third-party +||footprintlive.com^$third-party +||force24.co.uk^$third-party +||forensics1000.com^$third-party +||foreseeresults.com^$third-party +||forkcdn.com^$third-party +||formalyzer.com^$third-party +||formisimo.com^$third-party +||forter.com^$third-party +||fouanalytics.com^$third-party +||foundry42.com^$third-party +||fout.jp^$third-party +||fpctraffic2.com^$third-party +||fpjs.io^$third-party +||fprnt.com^$third-party +||fqsecure.com^$third-party +||fraud0.com^$third-party +||fraudjs.io^$third-party +||free-counter.co.uk^$third-party +||free-counter.com^$third-party +||free-counters.co.uk^$third-party +||free-hit-counters.net^$third-party +||free-website-statistics.com^$third-party +||freebloghitcounter.com^$third-party +||freecountercode.com^$third-party +||freecounterstat.com^$third-party +||freegeoip.app^$third-party +||freegeoip.net^$third-party +||freehitscounter.org^$third-party +||freelogs.com^$third-party +||freesitemapgenerator.com^$third-party +||freestats.com^$third-party +||freetrafficsystem.com^$third-party +||freeusersonline.com^$third-party +||freevisitorcounters.com^$third-party +||freeweblogger.com^$third-party +||freshcounter.com^$third-party +||freshmarketer.com^$third-party +||freshplum.com^$third-party +||freshrelevance.com^$third-party +||friendbuy.com^$third-party +||frodx.com^$third-party +||froomle.com^$third-party +||fruitflan.com^$third-party +||fsd2.digital^$third-party +||fstats.xyz^$third-party +||fstrk.net^$third-party +||ftbpro.com^$third-party +||ftz.io^$third-party +||fueldeck.com^$third-party +||fuelx.com^$third-party +||fugetech.com^$third-party +||fullcircleinsights.com^$third-party +||fullstory.com^$third-party +||funneld.com^$third-party +||funnelytics.io^$third-party +||funstage.com^$third-party +||fusestats.com^$third-party +||fuziontech.net^$third-party +||fwpixel.com^$third-party +||fyreball.com^$third-party +||ga-analytics.com^$third-party +||gaconnector.com^$third-party +||gameanalytics.com^$third-party +||gammachug.com^$third-party +||gatorleads.co.uk^$third-party +||gaug.es^$third-party +||gbotvisit.com^$third-party +||gc.zgo.at^$third-party +||geistm.com^$third-party +||gemius.pl^$third-party +||genieesspv.jp^$third-party +||geniuslinkcdn.com^$third-party +||geo-targetly.com^$third-party +||geobytes.com^$third-party +||geoip-db.com^$third-party +||geoiplookup.io^$third-party +||geolid.com^$third-party +||geolocation-db.com^$third-party +||geoplugin.net^$third-party +||georiot.com^$third-party +||geotargetly-1a441.appspot.com^$third-party +||geotargetly.co^$third-party +||getaawp.com^$third-party +||getambassador.com^$third-party +||getbackstory.com^$third-party +||getblue.io^$third-party +||getblueshift.com^$third-party +||getclicky.com^$third-party +||getconversion.net^$third-party +||getdrip.com^$third-party +||getfreebl.com^$third-party +||getinsights.io^$third-party +||getlasso.co^$third-party +||getrockerbox.com^$third-party +||getsentry.com^$third-party,domain=~sentry.dev|~sentry.io +||getsmartcontent.com^$third-party +||getsmartlook.com^$third-party +||getstat.net^$third-party +||getstatistics.se^$third-party +||getstats.org^$third-party +||getviously.com^$third-party +||gez.io^$third-party +||giddyuptrk.com^$third-party +||gigcount.com^$third-party +||gim.co.il^$third-party +||glancecdn.net^$third-party,domain=~glance.net +||glassboxcdn.com^$third-party +||glassboxdigital.io^$third-party +||glbtracker.com^$third-party +||globalsiteanalytics.com^$third-party +||globalwebindex.net^$third-party +||globase.com^$third-party +||globel.co.uk^$third-party +||globetrackr.com^$third-party +||gnpge.com^$third-party +||goadservices.com^$third-party +||goatcounter.com^$third-party +||godhat.com^$third-party +||goingup.com^$third-party +||goldstats.com^$third-party +||goneviral.com^$third-party +||goodcounter.org^$third-party +||goodmeasure.io^$third-party +||google-analytics.com^$third-party +||googleadservices.com^$third-party +||googlerank.info^$third-party +||gooo.al^$third-party +||gopjn.com^$third-party +||gostats.com^$third-party +||gostats.org^$third-party +||govmetric.com^$third-party +||granify.com^$third-party +||grapheffect.com^$third-party +||gravity4.com^$third-party +||grmtech.net^$third-party +||group-ib.ru^$third-party +||growthrx.in^$third-party +||gsecondscreen.com^$third-party +||gsght.com^$third-party +||gsimedia.net^$third-party +||gsspat.jp^$third-party +||gssprt.jp^$third-party +||gtcslt-di2.com^$third-party +||gtopstats.com^$third-party +||guanoo.net^$third-party +||gvisit.com^$third-party +||gwmtracking.com^$third-party +||hadronid.net^$third-party +||halldata.com^$third-party +||haloscan.com^$third-party +||havasedge.com^$third-party +||haveamint.com^$third-party +||heapanalytics.com^$third-party +||heatmap.com^$third-party +||heatmap.it^$third-party +||hellosherpa.com^$third-party +||hentaicounter.com^$third-party +||hexagon-analytics.com^$third-party +||heylink.com^$third-party +||heystaks.com^$third-party +||hiconversion.com^$third-party +||hif.to^$third-party +||higherengine.com^$third-party +||highlight.io^$third-party +||highlight.run^$third-party +||highmetrics.com^$third-party +||hira-meki.jp^$third-party +||histats.com^$third-party +||hit-360.com^$third-party +||hit-counter.info^$third-party +||hit-parade.com^$third-party +||hit2map.com^$third-party +||hitbox.com^$third-party +||hitcounterstats.com^$third-party +||hitmatic.com^$third-party +||hits2u.com^$third-party +||hitslink.com^$third-party +||hitslog.com^$third-party +||hitsniffer.com^$third-party +||hitsprocessor.com^$third-party +||hitstatus.com^$third-party +||hitsteps.com^$third-party +||hittail.com^$third-party +||hittracker.com^$third-party +||hitwake.com^$third-party +||hitwebcounter.com^$third-party +||hmstats.com^$third-party +||hockeystack.com^$third-party +||holdonstranger.com^$third-party +||horzrb.com^$third-party +||hospitality-optimizer.com^$third-party +||host-tracker.com^$third-party +||hostip.info^$third-party +||hotjar.com^$third-party +||hotjar.io^$third-party +||hotlog.ru^$third-party +||hscta.net^$third-party +||hubvisor.io^$third-party +||hum.works^$third-party +||humanclick.com^$third-party +||humanpresence.app^$third-party +||hunt-leads.com^$third-party +||hurra.com^$third-party +||hwpub.com^$third-party +||hxtrack.com^$third-party +||hybrid.ai^$third-party +||hyfntrak.com^$third-party +||hyperactivate.com^$third-party +||hypercounter.com^$third-party +||hyperdx.io^$third-party +||hypestat.com^$third-party +||iaudienc.com^$third-party +||ib-ibi.com^$third-party +||ibeat-analytics.com^$third-party +||ibpxl.com^$third-party +||ibpxl.net^$third-party +||ic-live.com^$third-party +||icanhazip.com^$third-party +||iclive.com^$third-party +||icstats.nl^$third-party +||iculture.report^$third-party +||id-visitors.com^$third-party +||ideoclick.com^$third-party +||idio.co^$third-party +||idtargeting.com^$third-party +||iesnare.com^$third-party +||ifactz.com^$third-party +||ifvox.com^$third-party +||igaming.biz^$third-party +||iljmp.com^$third-party +||illumenix.com^$third-party +||ilogbox.com^$third-party +||imhd.io^$third-party +||immanalytics.com^$third-party +||impression.link^$third-party +||imrtrack.com^$third-party +||imtwjwoasak.com^$third-party +||inboxtag.com^$third-party +||incentivesnetwork.net^$third-party +||index.ru^$third-party +||indexstats.com^$third-party +||indextools.com^$third-party +||indicative.com^$third-party +||indicia.com^$third-party +||individuad.net^$third-party +||ineedhits.com^$third-party +||inferclick.com^$third-party +||infinigraph.com^$third-party +||infinity-tracking.com^$third-party +||infinity-tracking.net^$third-party +||inflectionpointmedia.com^$third-party +||infopro-insight.com^$third-party +||infoprodata.com^$third-party +||informz.net^$third-party +||ingest-lr.com^$third-party +||inimbus.com.au^$third-party +||innertrends.com^$third-party +||innovateads.com^$third-party +||inphonic.com^$third-party +||inpwrd.com^$third-party +||inside-graph.com^$third-party +||insightera.com^$third-party +||insightgrit.com^$third-party +||insitemetrics.com^$third-party +||inspectlet.com^$third-party +||instadia.net^$third-party +||instana.io^$third-party +||instant.page^$third-party +||instapage.com^$third-party,domain=~pagedemo.co +||instapagemetrics.com^$third-party +||instore.biz^$third-party +||intake-lr.com^$third-party +||intelli-direct.com^$third-party +||intelligencefocus.com^$third-party +||intellimize.co^$third-party +||interact-analytics.com^$third-party +||interceptum.com^$third-party +||intermundomedia.com^$third-party +||interstateanalytics.com^$third-party +||intervigil.com^$third-party +||investingchannel.com^$third-party +||invitemedia.com^$third-party +||invitereferrals.com^$third-party +||invoc.us^$third-party +||invoca.net^$third-party +||invoca.solutions^$third-party +||io1g.net^$third-party +||iocnt.net^$third-party +||iotechnologies.com^$third-party +||iovation.com^$third-party +||ip-label.net^$third-party +||ip-tracker.org^$third-party +||ip2c.org^$third-party +||ip2location.com^$third-party +||ip2map.com^$third-party +||ip2phrase.com^$third-party +||ipaddresslabs.com^$third-party +||ipapi.co^$third-party +||ipcatch.com^$third-party +||iper2.com^$third-party +||iperceptions.com^$third-party +||ipfind.com^$third-party +||ipfingerprint.com^$third-party +||ipgp.net^$third-party +||ipinfo.info^$third-party +||ipinfodb.com^$third-party +||ipinyou.com.cn^$third-party +||iplist.cc^$third-party +||iplocationtools.com^$third-party +||iplogger.org^$third-party,domain=~iplogger.com +||ipmeta.io^$third-party +||ipnoid.com^$third-party +||ipro.com^$third-party +||iproanalytics.com^$third-party +||iprotrk.com^$third-party +||iptrack.io^$third-party +||ipv6monitoring.eu^$third-party +||iqdata.ai^$third-party +||iqfp1.com^$third-party +||iqm.com^$third-party +||ironbeast.io^$third-party +||ist-track.com^$third-party +||istrack.com^$third-party +||ithinkthereforeiam.net^$third-party +||itrac.it^$third-party +||itracker360.com^$third-party +||itrackerpro.com^$third-party +||itracmediav4.com^$third-party +||ivcbrasil.org.br^$third-party +||ivwbox.de^$third-party +||iwebtrack.com^$third-party +||ixiaa.com^$third-party +||izatcloud.net^$third-party +||izea.com^$third-party +||izearanks.com^$third-party +||izooto.com^$third-party +||jirafe.com^$third-party +||jixie.io^$third-party +||journera.com^$third-party +||journity.com^$third-party +||js-delivr.com^$third-party +||jstracker.com^$third-party +||jumplead.com^$third-party +||justuno.com^$third-party +||jwmstats.com^$third-party +||k-analytix.com^$third-party +||kameleoon.com^$third-party +||kameleoon.eu^$third-party +||kaminari.click^$third-party +||kampyle.com^$third-party +||kantartns.lt^$third-party +||kaxsdc.com^$third-party +||keen.io^$third-party,domain=~keen.github.io|~keen.io +||keyade.com^$third-party +||keymetric.net^$third-party +||keytiles.com^$third-party +||keywee.co^$third-party +||keywordmax.com^$third-party +||keywordstrategy.org^$third-party +||kickfire.com^$third-party +||kieden.com^$third-party +||kilometrix.de^$third-party +||kissmetrics.com^$third-party +||kissmetrics.io^$third-party +||kitbit.net^$third-party +||kiwihk.net^$third-party +||klert.com^$third-party +||klldabck.com^$third-party +||km-sea.net^$third-party +||kmtx.io^$third-party +||knorex.com^$third-party +||knotch-cdn.com^$third-party +||knowledgevine.net^$third-party +||koddi.com^$third-party +||koji-analytics.com^$third-party +||kokos.click^$third-party +||komtrack.com^$third-party +||kopsil.com^$third-party +||ksyrium0014.com^$third-party +||l2.io^$third-party +||landingpg.com^$third-party +||lasagneandands.com^$third-party +||lead-123.com^$third-party +||leadberry.com^$third-party +||leadbi.com^$third-party +||leadboxer.com^$third-party +||leadchampion.com^$third-party +||leaddyno.com^$third-party +||leadelephant.com^$third-party +||leadfeeder.com^$third-party +||leadforce1.com^$third-party +||leadforensics.com^$third-party +||leadid.com^$third-party +||leadin.com^$third-party +||leadinfo.net^$third-party +||leadintel.io^$third-party +||leadintelligence.co.uk^$third-party +||leadlab.click^$third-party +||leadlife.com^$third-party +||leadmanagerfx.com^$third-party +||leadsius.com^$third-party +||leadsleap.com^$third-party +||leadsmonitor.io^$third-party +||leadspace.com^$third-party +||leadsrx.com^$third-party +||leafmedia.io^$third-party +||leanplum.com^$third-party +||legolas-media.com^$third-party +||lemnisk.co^$third-party +||letterboxtrail.com^$third-party +||levexis.com^$third-party +||lexity.com^$third-party +||lfeeder.com^$third-party +||lfov.net^$third-party +||linezing.com^$third-party +||linkconnector.com^$third-party +||linkifier.com^$third-party +||linkpulse.com^$third-party +||linksnappy.com^$third-party +||linksynergy.com^$third-party +||linkxchanger.com^$third-party +||listenlayer.com^$third-party +||litix.io^$third-party +||livesegmentservice.com^$third-party +||livesession.io^$third-party +||livestat.com^$third-party +||livetrafficfeed.com^$third-party +||llanalytics.com^$third-party +||lloogg.com^$third-party +||lngtd.com^$third-party +||loc.kr^$third-party +||localytics.com^$third-party +||lockview.cn^$third-party +||locotrack.net^$third-party +||logaholic.com^$third-party +||logbor.com^$third-party +||logcounter.com^$third-party +||logdy.com^$third-party +||logentries.com^$third-party +||loggly.com^$third-party +||logicsfort.com^$third-party +||loginfra.com^$third-party +||logmatic.io^$third-party +||lognormal.net^$third-party +||logr-ingest.com^$third-party +||logrocket.com^$third-party +||logrocket.io^$third-party +||logz.io^$third-party +||lookery.com^$third-party +||loomi-prod.xyz^$third-party +||loopa.net.au^$third-party +||loopfuse.net^$third-party +||lopley.com^$third-party +||lordoftheentertainingostriches.com^$third-party +||losstrack.com^$third-party +||lp4.io^$third-party +||lporirxe.com^$third-party +||lr-in-prod.com^$third-party +||lr-in.com^$third-party +||lr-ingest.com^$third-party +||lr-ingest.io^$third-party +||lr-intake.com^$third-party +||lsfinteractive.com^$third-party +||lucidel.com^$third-party +||luckyorange.com^$third-party +||luckyorange.net^$third-party +||lumatag.co.uk^$third-party +||luminate.com^$third-party +||lxtrack.com^$third-party +||lyngro.com^$third-party +||lypn.com^$third-party +||lypn.net^$third-party +||lytics.io^$third-party +||lytiks.com^$third-party +||m-pathy.com^$third-party +||m-t.io^$third-party +||m0mentum.net^$third-party +||m365log.com^$third-party +||m6r.eu^$third-party +||mabipa.com^$third-party +||madkudu.com^$third-party +||magicpixel.io^$third-party +||magiq.com^$third-party +||magnetmail1.net^$third-party +||magnify360.com^$third-party +||mailstat.us^$third-party +||maploco.com^$third-party +||mapmyuser.com^$third-party +||marinsm.com^$third-party +||marketingcloudfx.com^$third-party +||marketizator.com^$third-party +||marketperf.com^$third-party +||marketshot.com^$third-party +||marketshot.fr^$third-party +||maropost.com^$third-party +||marvelmetrix.com^$third-party +||masterstats.com^$third-party +||masterworks.digital^$third-party +||mathtag.com^$third-party +||matomo.cloud^$third-party +||matterlytics.com^$third-party +||maxtracker.net^$third-party +||maxymiser.com^$third-party +||maxymiser.net^$third-party +||mb4a.com^$third-party +||mbotvisit.com^$third-party +||mbsy.co^$third-party +||mbww.com^$third-party +||measure.ly^$third-party +||measured.com^$third-party +||measuremap.com^$third-party +||measurementapi.com^$third-party +||media01.eu^$third-party +||mediaarmor.com^$third-party +||mediaforgews.com^$third-party +||mediagauge.com^$third-party +||mediaglacier.com^$third-party +||mediago.io^$third-party +||mediametrics.ru^$third-party +||mediaplex.com^$third-party +||mediarithmics.com^$third-party +||mediaweaver.jp^$third-party +||mediego.com^$third-party +||mega-stats.com^$third-party +||memecounter.com^$third-party +||memo.co^$third-party +||mercadoclics.com^$third-party +||mercent.com^$third-party +||merchant-center-analytics.goog^$third-party +||metarouter.io^$third-party +||meteorsolutions.com^$third-party +||metricode.com^$third-party +||metricool.com^$third-party +||metrics0.com^$third-party +||metricsdirect.com^$third-party +||metricswave.com^$third-party +||mezzobit.com^$third-party +||mgln.ai^$third-party +||miadates.com^$third-party +||mialbj6.com^$third-party +||micpn.com^$script,third-party +||microanalytics.io^$third-party +||midas-i.com^$third-party +||mieru-ca.com^$third-party +||minewhat.com^$third-party +||minkatu.com^$third-party +||mirabelsmarketingmanager.com^$third-party +||mixi.mn^$third-party +||mixpanel.com^$third-party +||mkt3261.com^$third-party +||mkt51.net^$third-party +||mkt6333.com^$third-party +||mkt941.com^$third-party +||mktoresp.com^$third-party +||ml-attr.com^$third-party +||mlclick.com^$third-party +||mlno6.com^$third-party +||mm7.net^$third-party +||mmccint.com^$third-party +||mno.link^$third-party +||mobalyzer.net^$third-party +||mobee.xyz^$third-party +||mochibot.com^$third-party +||mockingfish.com^$third-party +||momently.com^$third-party +||mon-pagerank.com^$third-party +||monetate.net^$third-party +||mongoosemetrics.com^$third-party +||monitis.com^$third-party +||monitus.net^$third-party +||monsido.com^$third-party +||monstat.com^$third-party +||mooseway.com^$third-party +||mopinion.com^$third-party +||motrixi.com^$third-party +||mouse3k.com^$third-party +||mouseflow.com^$third-party +||mousestats.com^$third-party +||mousetrace.com^$third-party +||movable-ink-397.com^$third-party +||movable-ink-6710.com^$third-party +||mparticle.com^$third-party +||mpianalytics.com^$third-party +||mpio.io^$third-party +||mplxtms.com^$third-party +||mpstat.us^$third-party +||msecure108.com^$third-party +||msgapp.com^$third-party +||msgfocus.com^$third-party +||msgtag.com^$third-party +||mstrlytcs.com^$third-party +||mtracking.com^$third-party +||murdoog.com^$third-party +||musthird.com^$third-party +||mutinycdn.com^$third-party +||mutinyhq.io^$third-party +||mvilivestats.com^$third-party +||mvtracker.com^$third-party +||mxcdn.net^$third-party +||mxpnl.com^$third-party +||myaffiliateprogram.com^$third-party +||mybloglog.com^$third-party +||myfastcounter.com^$third-party +||myfidevs.io^$third-party +||mynewcounter.com^$third-party +||mynsystems.com^$third-party +||myntelligence.com^$third-party +||myomnistar.com^$third-party +||mypagerank.net^$third-party +||myroitracking.com^$third-party +||myseostats.com^$third-party +||mysitetraffic.net^$third-party +||mysocialpixel.com^$third-party +||mytictac.com^$third-party +||mytrack.pro^$third-party +||myusersonline.com^$third-party +||myvisitorcounter.com^$third-party +||mywebstats.com.au^$third-party +||mywebstats.org^$third-party +||n-analytics.io^$third-party +||n74s9.com^$third-party +||naayna.com^$third-party +||naj.sk^$third-party +||natero.com^$third-party +||native.ai^$third-party +||natpal.com^$third-party +||naturaltracking.com^$third-party +||navdmp.com^$third-party +||navigator.io^$third-party +||navilytics.com^$third-party +||naytev.com^$third-party +||ncaudienceexchange.com^$third-party +||ndg.io^$third-party +||neatstats.com^$third-party +||nedstatbasic.net^$third-party +||nejmqianyan.cn^$third-party +||nelioabtesting.com^$third-party +||nero.live^$third-party +||net-filter.com^$third-party +||netaffiliation.com^$script,third-party +||netapplications.com^$third-party +||netbiscuits.net^$third-party +||netclickstats.com^$third-party +||netcore.co.in^$third-party +||netcoresmartech.com^$third-party +||netflame.cc^$third-party +||netgraviton.net^$third-party +||netmining.com^$third-party +||netmng.com^$third-party +||netratings.com^$third-party +||netrefer.com^$third-party +||newrelic.com^$third-party +||newrrb.bid^$third-party +||nextstat.com^$third-party +||nexx360.io^$third-party +||ngmco.net^$third-party +||nicequest.com^$third-party +||niftymaps.com^$third-party +||nik.io^$third-party +||ninjacat.io^$third-party +||nmrodam.com^$third-party +||noibu.com^$third-party +||noowho.com^$third-party +||nordicresearch.com^$third-party +||northstartravelmedia.com^$third-party +||notifyvisitors.com^$third-party +||nowinteract.com^$third-party +||npario-inc.net^$third-party +||nprove.com^$third-party +||nr-data.net^$third-party +||nr7.us^$third-party +||nrich.ai^$third-party +||nstracking.com^$third-party +||nuggad.net^$third-party +||nullitics.com^$third-party +||nuloox.com^$third-party +||numerino.cz^$third-party +||nyltx.com^$third-party +||nytlog.com^$third-party +||o-s.io^$third-party +||observerapp.com^$third-party +||octavius.rocks^$third-party +||octomarket.com^$third-party +||odoscope.com^$third-party +||offermatica.com^$third-party +||offerstrategy.com^$third-party +||ogt.jp^$third-party +||ohayoo.io^$third-party +||ohmystats.com^$third-party +||okt.to^$third-party +||oktopost.com^$third-party +||ometria.com^$third-party +||omguk.com^$third-party +||omkt.co^$third-party +||omniconvert.com^$third-party +||onaudience.com^$third-party +||ondu.ru^$third-party +||onedollarstats.com^$third-party +||onefeed.co.uk^$third-party +||onelink.me^$image,script,third-party +||onestat.com^$third-party +||oniad.com^$third-party +||online-metrix.net^$third-party +||onlinepbx.ru^$third-party +||onthe.io^$third-party +||opbandit.com^$third-party +||openclick.com^$third-party +||openhit.com^$third-party +||openlog.in^$third-party +||openstat.net^$third-party +||opentracker.net^$third-party +||openvenue.com^$third-party +||oproi.com^$third-party +||opstag.com^$third-party +||optify.net^$third-party +||optimix.asia^$third-party +||optimost.com^$third-party +||optimove.net^$third-party +||optorb.com^$third-party +||optoutadvertising.com^$third-party +||oracleinfinity.io^$third-party +||oranges88.com^$third-party +||orcapia.com^$third-party +||oribi.io^$third-party +||ositracker.com^$third-party +||otoshiana.com^$third-party +||ournet-analytics.com^$third-party +||outbid.io^$third-party +||outbrainimg.com^$third-party +||overstat.com^$third-party +||overtracking.com^$third-party +||owltrack.com^$third-party +||ownpage.fr^$third-party +||ox-bio.com^$third-party +||oxidy.com^$third-party +||p-td.com^$third-party +||p.raasnet.com^$third-party +||p0.raasnet.com^$third-party +||pa-oa.com^$third-party +||pabidding.io^$third-party +||pagefair.com^$third-party +||pages05.net^$third-party +||pagesense.io^$third-party +||pageview.click^$third-party +||parametre.online^$third-party +||parklogic.com^$third-party +||parrable.com^$third-party +||particularaudience.com^$third-party +||pass-1234.com^$third-party +||pbbl.co^$third-party +||pbgrd.com^$third-party +||pbstck.com^$third-party +||pcspeedup.com^$third-party +||pdbu.net^$third-party +||pdmntn.com^$third-party +||pdst.fm^$script,third-party +||peerius.com^$third-party +||pendo.io^$third-party +||percentmobile.com^$third-party +||perf-serving.com^$third-party +||perfalytics.com^$third-party +||perfectaudience.com^$third-party +||perfiliate.com^$third-party +||perfops.io^$third-party +||performancerevenues.com^$third-party +||perion.com^$third-party +||perljs.com^$third-party +||permutive.com^$third-party +||personyze.com^$third-party +||pghub.io^$third-party +||pgs.io^$third-party,domain=~publicgood.com +||phonalytics.com^$third-party +||phone-analytics.com^$third-party +||photorank.me^$third-party +||pi-stats.com^$third-party +||ping-fast.com^$third-party +||pingdom.net^$third-party +||pingil.com^$third-party +||pingmeter.com^$third-party +||pingomatic.com^$third-party +||pingometer.com^$third-party +||pinpoll.com^$third-party +||piratepx.com^$third-party +||pirsch.io^$third-party +||piwik.pro^$third-party,domain=~clearcode.cc|~clearcode.pl|~piwikpro.de +||pixel.ad^$third-party +||pixel.watch^$third-party +||pixeleze.com^$third-party +||pixelinteractivemedia.com^$third-party +||pixelpop.co^$third-party +||pixelrevenue.com^$third-party +||pixeltracker.co^$third-party +||pixeltracker.im^$third-party +||pixfuture.com^$third-party +||pjatr.com^$third-party +||pjtra.com^$third-party +||placemypixel.com^$third-party +||platformpanda.com^$third-party +||plausible-analytics.xyz^$third-party +||plausible.avris.it^$third-party +||plausible.io^$third-party +||plavxml.com^$third-party +||plecki.com^$third-party +||pleisty.com^$third-party +||plerdy.com^$third-party +||plexop.com^$third-party +||plugin.ws^$third-party +||pm0.net^$third-party +||pm14.com^$third-party +||pnstat.com^$third-party +||pntra.com^$third-party +||pntrac.com^$third-party +||pntrs.com^$third-party +||podcorn.com^$third-party +||podscribe.com^$third-party +||poeticmetric.com^$third-party +||pointillist.com^$third-party +||pointmediatracker.com^$third-party +||polaranalytics.com^$third-party +||polarcdn-pentos.com^$third-party +||pop6serve.com^$third-party +||popsample.com^$third-party +||popt.in^$third-party,domain=~poptin.com +||populr.me^$third-party +||popupmaker.com^$third-party +||porngraph.com^$third-party +||portfold.com^$third-party +||posst.co^$third-party +||pranmcpkx.com^$third-party +||prchecker.info^$third-party +||prebidmanager.com^$third-party +||precisioncounter.com^$third-party +||predicta.net^$third-party +||predictiveresponse.net^$third-party +||premiumimpression.com^$third-party +||presage.io^$third-party +||privymktg.com^$third-party +||prnx.net^$third-party +||proclivitysystems.com^$third-party +||profitmetrics.io^$third-party +||programmatictrader.com^$third-party +||projectsunblock.com^$third-party +||promotionengine.com^$third-party +||proofpoint.com^$third-party +||proofpositivemedia.com^$third-party +||propermessage.io^$third-party +||provenpixel.com^$third-party +||provify.io^$third-party +||prprocess.com^$third-party +||prtracker.com^$third-party +||pstats.com^$third-party +||pt-trx.com^$third-party +||ptengine.cn^$third-party +||ptengine.com^$third-party +||ptengine.jp^$third-party +||ptmind.com^$third-party +||pto-slb-09.com^$third-party +||ptrk-wn.com^$third-party +||ptztvpremium.com^$third-party +||pubdream.com^$third-party +||pubexchange.com^$third-party +||publicgood.com^$third-party +||publicidees.com^$third-party +||publishflow.com^$third-party +||publytics.net^$third-party +||pubperf.com^$third-party +||pubplus.com^$third-party +||pubstack.io^$third-party +||pulleymarketing.com^$third-party +||pulseinsights.com^$third-party +||pulselog.com^$third-party +||pulsemaps.com^$third-party +||purevideo.com^$third-party +||pushauction.com^$third-party +||pushspring.com^$third-party +||pvd.to^$third-party +||pxaction.com^$third-party +||pxf.io^$image,script,third-party +||pxi.pub^$third-party +||pymx5.com^$third-party +||pzz.events^$third-party +||q-counter.com^$third-party +||q-stats.nl^$third-party +||qbaka.net^$third-party +||qbop.com^$third-party +||qflm.net^$third-party +||qlitics.com^$third-party +||qoijertneio.com^$third-party +||qortex.ai^$third-party +||qsstats.com^$third-party +||quadran.eu^$third-party +||qualaroo.com^$third-party +||quantcount.com^$third-party +||quantummetric.com^$third-party +||quartic.pl^$third-party +||qubitproducts.com^$third-party +||questionpro.com^$third-party,domain=~questionpro.com.au|~questionpro.eu +||questradeaffiliates.com^$third-party +||quillion.com^$third-party +||quintelligence.com^$third-party +||quitsnap-blue.com^$third-party +||qzlog.com^$third-party +||r7ls.net^$third-party +||radarstats.com^$third-party +||radiateb2b.com^$third-party +||rampanel.com^$third-party +||rampmetrics.com^$third-party +||rankingpartner.com^$third-party +||rankinteractive.com^$third-party +||rapidcounter.com^$third-party +||rapidstats.net^$third-party +||rapidtrk.net^$third-party +||rating.in^$third-party +||ravelin.click^$third-party +||rdcdn.com^$third-party +||reachforce.com^$third-party +||reachlocalservices.com^$third-party +||reactful.com^$third-party +||readertracking.com^$third-party +||readnotify.com^$third-party +||realcounter.eu^$third-party +||realcounters.com^$third-party +||reallyfreegeoip.org^$third-party +||realtimewebstats.com^$third-party +||realtimewebstats.net^$third-party +||realtracker.com^$third-party +||realytics.io^$third-party +||realzeit.io^$third-party +||recapture.io^$third-party +||recognified.net^$third-party +||recosenselabs.com^$third-party +||recoset.com^$third-party +||recruitics.com^$third-party +||redcounter.net^$third-party +||redfastlabs.com^$third-party +||redistats.com^$third-party +||redstatcounter.com^$third-party +||reedbusiness.net^$third-party +||referer.org^$third-party +||referforex.com^$third-party +||referralrock.com^$third-party +||refersion.com^$third-party +||reinvigorate.net^$third-party +||relead.com^$third-party +||relevant-digital.com^$third-party +||reliablecounter.com^$third-party +||relmaxtop.com^$third-party +||remailtarget.com^$third-party +||remarketstats.com^$third-party +||remind.me^$third-party +||renderbetter.net^$third-party +||repixel.co^$third-party +||replaybird.com^$third-party +||report-uri.com^$third-party +||report-uri.io^$third-party +||requestmetrics.com^$third-party +||res-x.com^$third-party +||research-tool.com^$third-party +||researchintel.com^$third-party +||researchnow.co.uk^$third-party,domain=~dynata.com +||researchnow.com^$third-party +||resetdigital.co^$third-party +||responsetap.com^$third-party +||resulticks.com^$third-party +||retargetapp.com^$third-party +||retargetly.com^$third-party +||retargettracker.com^$third-party +||retentionscience.com^$third-party +||rettica.com^$third-party +||returnpath.net^$third-party +||revenuepilot.com^$third-party +||revenuescience.com^$third-party +||revenuewire.net^$third-party +||revhunter.tech^$third-party +||revlifter.io^$third-party +||revoffers.com^$third-party +||revolvermaps.com^$third-party +||rewardtv.com^$third-party +||reztrack.com^$third-party +||rfr-69.com^$third-party +||rhinoseo.com^$third-party +||riastats.com^$third-party +||richard-group.com^$third-party +||richmetrics.com^$third-party +||rightmoveanalytics.co.uk^$third-party +||riskid.security^$third-party +||rivrai.com^$third-party +||rktch.com^$third-party +||rktu.com^$third-party +||rlets.com^$third-party +||rmtag.com^$third-party +||rnengage.com^$third-party +||rng-snp-003.com^$third-party +||rnlabs.com^$third-party +||rockincontent.net^$third-party +||roeye.com^$third-party +||roeyecdn.com^$third-party +||roi-pro.com^$third-party +||roi-rocket.net^$third-party +||roirevolution.com^$third-party +||roiservice.com^$third-party +||roispy.com^$third-party +||rollbar.com^$third-party +||roosterfirework.com^$third-party +||rs0.co.uk^$third-party +||rs6.net^$image,script,third-party +||rtb123.com^$third-party +||rtbiq.com^$third-party +||rtox.net^$third-party +||rtrk.co.nz^$third-party +||rtrk.com^$third-party +||ru4.com^$third-party +||rudderlabs.com^$third-party +||rumanalytics.com^$third-party +||rumpelstiltskinhead.com^$third-party +||runconverge.com^$third-party +||rztrkr.com^$third-party +||s3s-main.net^$third-party +||safe-click.net^$third-party +||safeanalytics.net^$third-party +||safevisit.online^$third-party +||sageanalyst.net^$third-party +||sailthru.com^$third-party +||salecycle.com^$third-party +||salesviewer.com^$third-party +||salesviewer.org^$third-party +||san-spr-01.net^$third-party +||sapha.com^$third-party +||sas15k01.com^$third-party +||say.ac^$third-party +||sayutracking.co.uk^$third-party +||sbbanalytics.com^$third-party +||scaledb.com^$third-party +||scannary.com^$third-party +||scarf.sh^$third-party +||sciencerevenue.com^$third-party +||scorecardresearch.com^$third-party +||scoutanalytics.net^$third-party +||scrippscontroller.com^$third-party +||scripts21.com^$third-party +||scriptshead.com^$third-party +||sdk.birdeatsbug.com^$third-party +||sea-nov-1.com^$third-party +||sealmetrics.com^$third-party +||searchenginegenie.com^$third-party +||searchfeed.com^$third-party +||searchignite.com^$third-party +||searchplow.com^$third-party +||secureanalytic.com^$third-party +||securepaths.com^$third-party +||securitytrfx.com^$third-party +||sedotracker.com^$third-party +||seehits.com^$third-party +||seeip.org^$third-party +||seevolution.com^$third-party +||segment.com^$third-party +||segment.io^$third-party +||segmenthub.com^$third-party +||segmentify.com^$third-party +||segmetrics.io^$third-party +||selaris.com^$third-party +||selectmedia.asia^$third-party +||sellpoint.net^$third-party +||sellpoints.com^$third-party +||sellsy.com^$third-party,domain=~sellsy.fr +||semanticverses.com^$third-party +||semasio.net^$third-party +||sematext.com^$third-party +||sendtraffic.com^$third-party +||sensorsdata.cn^$third-party +||sentinelbi.com^$third-party +||sentry-cdn.com^$third-party,domain=~sentry.dev|~sentry.io +||sentry-cdn.top^$third-party +||sentry.io^$third-party +||seomonitor.ro^$third-party +||seomoz.org^$third-party +||seon.io^$third-party +||seondnsresolve.com^$third-party +||seoparts.net^$third-party +||serious-partners.com^$third-party +||serv-ac.com^$third-party +||servebom.com^$third-party +||serveipqs.com^$third-party +||servestats.com^$third-party +||servustats.com^$third-party +||sessioncam.com^$third-party +||sessionstack.com^$third-party +||sexcounter.com^$third-party +||sexystat.com^$third-party +||sf14g.com^$third-party +||shareasale-analytics.com^$third-party +||shareasale.com^$third-party +||sharpspring.com^$third-party +||shinystat.com^$third-party +||shippinginsights.com^$third-party +||shoelace.com^$third-party +||shoplytics.com^$third-party +||shoptimally.com^$third-party +||showheroes.com^$third-party +||sift.com^$third-party +||siftscience.com^$third-party +||signalfx.com^$third-party +||signifyd.com^$third-party +||signup-way.com^$third-party +||silverpop.com^$third-party +||silverpush.co^$third-party +||simonsignal.com^$third-party +||simpleanalytics.com^$third-party,domain=~simpleanalyticscdn.com +||simpleanalytics.io^$third-party +||simpleanalyticsbadge.com^$third-party +||simpleanalyticscdn.com^$third-party +||simpleanalyticsexternal.com^$third-party +||simplehitcounter.com^$third-party +||simplereach.com^$third-party +||simpli.fi^$third-party +||simplycast.us^$third-party +||simplymeasured.com^$third-party +||singlefeed.com^$third-party +||singular.net^$third-party +||sirdata.eu^$third-party +||sirdata.io^$third-party +||site24x7rum.com^$third-party +||siteapps.com^$third-party +||sitebro.com^$third-party +||sitebro.net^$third-party +||sitecompass.com^$third-party +||siteimprove.com^$third-party +||siteimproveanalytics.com^$third-party +||siteimproveanalytics.io^$third-party +||sitelabweb.com^$third-party +||sitemeter.com^$third-party +||siteplug.com^$third-party +||sitereport.org^$third-party +||sitescout.com^$third-party +||siteswithcontent.com^$third-party +||sitetag.us^$third-party +||sitetagger.co.uk^$third-party +||sitetracker.com^$third-party +||skyglue.com^$third-party +||sl-ct5.com^$third-party +||slingpic.com^$third-party +||smallseotools.com^$third-party +||smart-digital-solutions.com^$third-party +||smart-dmp.com^$third-party +||smart-ip.net^$third-party +||smart-pixl.com^$third-party +||smartclip-services.com^$third-party +||smartctr.com^$third-party +||smarterhq.io^$third-party +||smarterremarketer.net^$third-party +||smartico.ai^$third-party +||smartlook.com^$third-party +||smartocto.com^$third-party +||smartology.co^$third-party +||smartracker.net^$third-party +||smartzonessva.com^$third-party +||smct.co^$third-party +||smileyhost.net^$third-party +||smrk.io^$third-party +||smtrk.net^$third-party +||snapdeal.biz^$third-party +||sni-dat.com^$third-party +||sniperlog.ru^$third-party +||sniphub.com^$third-party +||snitcher.com^$third-party +||snoobi.com^$third-party +||snowsignal.com^$third-party +||snplow.net^$third-party +||social-sb.com^$third-party +||socialprofitmachine.com^$third-party +||socialtrack.co^$third-party +||sociaplus.com^$third-party +||socketviking.net^$third-party +||socsi.in^$third-party +||sodoit.com^$third-party +||soflopxl.com^$third-party +||softonic-analytics.net^$third-party +||sojern.com^$third-party +||soko.ai^$third-party +||sokrati.com^$third-party +||sol-data.com^$third-party +||solosegment.com^$third-party +||sometrics.com^$third-party +||sophi.io^$third-party +||sophus3.com^$third-party +||soska.us^$third-party +||spamanalyst.com^$third-party +||spectate.com^$third-party +||speed-trap.com^$third-party +||speedcurve.com^$third-party +||speedhq.net^$third-party +||speetals.com^$third-party +||splash-screen.net^$third-party +||splitbee.io^$third-party +||splittag.com^$third-party +||splyt.com^$third-party +||sponsored.com^$third-party +||sprig.com^$third-party +||spring.de^$third-party +||springmetrics.com^$third-party +||sptag.com^$third-party +||sptag1.com^$third-party +||spylog.com^$third-party +||spylog.ru^$third-party +||spywords.com^$third-party +||squeezely.tech^$third-party +||squidanalytics.com^$third-party +||srmdata-us.com^$third-party +||srmdata.com^$third-party +||srpx.net^$third-party +||star-cntr-5.com^$third-party +||stat-track.com^$third-party +||stat.re^$third-party +||stat.social^$third-party +||stat24.com^$third-party +||statcounter.com^$third-party +||statcounterfree.com^$third-party +||stated.io^$third-party +||stathat.com^$third-party +||stathound.com^$third-party +||staticiv.com^$third-party +||statisfy.net^$third-party +||statistiche-web.com^$third-party +||statowl.com^$third-party +||statpipe.ru^$third-party +||stats2.com^$third-party +||stats21.com^$third-party +||stats4all.com^$third-party +||stats4u.net^$third-party +||stats4you.com^$third-party +||statsbox.nl^$third-party +||statsig.com^$third-party +||statsigapi.net^$third-party +||statsinsight.com^$third-party +||statsit.com^$third-party +||statsmachine.com^$third-party +||statsrely.com^$third-party +||statssheet.com^$third-party +||statswebtown.com^$third-party +||stattooz.com^$third-party +||stattrax.com^$third-party +||statun.com^$third-party +||statuncore.com^$third-party +||steelhousemedia.com^$third-party +||stellaservice.com^$third-party +||sterlingwoods.com^$third-party +||stippleit.com^$third-party +||stormcontainertag.com^$third-party +||stormiq.com^$third-party +||storygize.net^$third-party +||streamsend.com^$third-party +||streem.com.au^$third-party +||streetmetrics.io^$third-party +||stripedcollar.net^$third-party +||stroeerdigitalmedia.de^$third-party +||strossle.it^$third-party +||strs.jp^$third-party +||studiostack.com^$third-party +||sub2tech.com^$third-party +||submitnet.net^$third-party +||successfultogether.co.uk^$third-party +||sugodeku.com^$third-party +||sumatra.ai^$third-party +||sumo.com^$third-party +||sumologic.com^$third-party,domain=~sumologic.net +||sumome.com^$third-party +||sundaysky.com^$third-party +||supercounters.com^$third-party +||superfiliate.com^$third-party +||superspeedapp.com^$third-party +||superstats.com^$third-party +||surfcounters.com^$third-party +||surveyscout.com^$third-party +||surveywriter.com^$third-party +||survicate.com^$third-party +||sweetgum.io^$third-party +||swetrix.org^$third-party +||swiss-counter.com^$third-party +||synergy-e.com^$third-party +||synerise.com^$third-party +||synthasite.net^$third-party +||sysomos.com^$third-party +||t-analytics.com^$third-party +||tadpull.com^$third-party +||tag4arm.com^$third-party +||tagcommander.com^$third-party +||tagdatax.com^$third-party +||tagmngrs.com^$third-party +||tagsrvcs.com^$third-party +||tagstaticx.com^$third-party +||tagtray.com/api^$third-party +||tamgrt.com^$third-party +||tapad.app^$third-party +||tapad.com^$third-party +||tapfiliate.com^$third-party +||taplytics.com^$third-party +||taps.io^$third-party +||tapstream.com^$third-party +||targetfuel.com^$third-party +||taskanalytics.com^$third-party +||tcactivity.net^$third-party +||tcimg.com^$third-party +||tctm.co^$third-party +||td573.com^$third-party +||tdstats.com^$third-party +||tealiumiq.com^$third-party +||techlab-cdn.com^$third-party +||telize.com^$third-party +||teljari.is^$third-party +||tellapart.com^$third-party +||tend.io^$third-party +||tentaculos.net^$third-party +||terabytemedia.com^$third-party +||tercept.com^$third-party +||testin.cn^$third-party +||tetoolbox.com^$third-party +||tgdaudience.com^$third-party +||tglyr.co^$third-party +||tgtag.io^$third-party +||thank-you.io^$third-party +||theadex.com^$third-party +||theagency.com^$third-party +||theardent.group^$third-party +||thebestlinks.com^$third-party +||thecounter.com^$third-party +||thermstats.com^$third-party +||thesearchagency.net^$third-party +||thinktot.com^$third-party +||thoughtmetric.io^$third-party +||tinb.net^$third-party +||tinycounter.com^$third-party +||tiser.com.au^$third-party +||tkqlhce.com^$third-party +||tl813.com^$third-party +||tmvtp.com^$third-party +||tnctrx.com^$third-party +||tns-counter.ru^$third-party +||tns-cs.net^$third-party +||top100bloggers.com^$third-party +||top100webshops.com^$third-party +||top10sportsites.com^$third-party +||topacad.com^$third-party +||topblogarea.com^$third-party +||topblogging.com^$third-party +||topdepo.com^$third-party +||toplist.cz^$third-party +||toplist.eu^$third-party +||topmalaysia.com^$third-party +||topofblogs.com^$third-party +||topstat.cn^$third-party +||torbit.com^$third-party +||touchclarity.com^$third-party +||tp88trk.com^$third-party +||trace-2000.com^$third-party +||trace.events^$third-party +||tracead.com^$third-party +||traceless.me^$third-party +||tracemyip.org^$third-party +||traceworks.com^$third-party +||track-re01.com^$third-party +||track-web.net^$third-party +||trackalyzer.com^$third-party +||trackcb.com^$third-party +||trackcmp.net^$third-party +||trackconsole.com^$third-party +||trackeame.com^$third-party +||trackedlink.net^$third-party +||trackedweb.net^$third-party +||trackertest.org^$third-party +||tracking202.com^$third-party +||trackingca.com^$third-party +||trackinglabs.com^$third-party +||trackingpro.pro^$third-party +||trackkas.com^$third-party +||trackmethod.com^$third-party +||trackmytarget.com^$third-party +||trackonomics.net^$third-party +||trackset.com^$third-party +||trackword.biz^$third-party +||trackyourstats.com^$third-party +||tradelab.fr^$third-party +||tradescape.biz^$third-party +||trafex.net^$third-party +||trafficby.net^$third-party +||trafficengine.net^$third-party +||trafficfacts.com^$third-party +||trafficfuel.com^$third-party +||trafficguard.ai^$third-party +||trafficjoint.com^$third-party +||trafficregenerator.com^$third-party +||trafficroots.com^$third-party +||trafic.ro^$third-party +||trail-web.com^$third-party +||trailheadapp.com^$third-party +||trakken.de^$third-party +||transactionale.com^$third-party +||traq.li^$third-party +||travelrobotflower.com^$third-party +||traversedlp.com^$third-party +||trbas.com^$third-party +||trendcounter.com^$third-party +||trendemon.com^$third-party +||trialfire.com^$third-party +||tribl.io^$third-party +||triggeredmessaging.com^$third-party +||triggertag.gorillanation.com^$third-party +||triggit.com^$third-party +||trilogyed.com^$third-party +||triptease.io^$third-party +||triptease.net^$third-party +||trkjmp.com^$third-party +||trmads.eu^$third-party +||trstplse.com^$third-party +||trtl.ws^$third-party +||truconversion.com^$third-party +||truehits.in.th^$third-party +||truehits1.gits.net.th^$third-party +||truffle.one^$third-party +||truoptik.com^$third-party +||trysera.com^$third-party +||tscounter.com^$third-party +||tsk4.com^$third-party +||tsk5.com^$third-party +||tubemogul.com^$third-party +||tuinfra.com^$third-party +||tunnl.com^$third-party +||turn.com^$third-party +||tvsquared.com^$third-party +||twcount.com^$third-party +||tyxo.com^$third-party +||u-on.eu^$third-party +||u5e.com^$third-party +||uadx.com^$third-party +||ub-analytics.com^$third-party +||ubertags.com^$third-party +||ubertracking.info^$third-party +||uciservice.com^$third-party +||udkcrj.com^$third-party +||umami.is^$third-party +||umbel.com^$third-party +||uniqodo.com^$third-party +||united-infos.net^$third-party +||upapi.net^$third-party +||uplift-platform.com^$third-party +||upscore.com^$third-party +||upsellit.com^$third-party +||upstats.ru^$third-party +||uptain.de^$third-party +||uptracs.com^$third-party +||uptrendsdata.com^$third-party +||uralweb.ru^$third-party +||urlbrief.com^$third-party +||usabilitytools.com^$third-party +||usabilla.com^$third-party +||useinsider.com^$third-party +||useitbetter.com^$third-party +||useproof.com^$third-party +||user-api.com^$third-party +||user-clicks.com^$third-party +||user-red.com^$third-party +||usercycle.com^$third-party +||userlook.com^$third-party +||usermaven.com^$third-party +||userneeds.dk^$third-party +||userreplay.net^$third-party +||userreport.com^$third-party +||users-api.com^$third-party +||usertracks.live^$third-party +||userzoom.com^$third-party +||usesfathom.com^$third-party +||usuarios-online.com^$third-party +||v12group.com^$third-party +||v3cdn.net^$third-party +||va-endpoint.com^$third-party +||valuedopinions.co.uk^$third-party +||vbanalytics.com^$third-party +||vdna-assets.com^$third-party +||veduy.com^$third-party +||veille-referencement.com^$third-party +||veinteractive.com^$third-party +||velaro.com^$third-party +||vendri.io^$third-party +||ventivmedia.com^$third-party +||vercel-analytics.com^$third-party +||vercel-insights.com^$third-party +||vertical-leap.co.uk^$third-party +||vertical-leap.net^$third-party +||verticalscope.com^$third-party +||verticalsearchworks.com^$third-party +||vertster.com^$third-party +||video.oms.eu^$third-party +||videoamp.com^$third-party +||videos.oms.eu^$third-party +||videostat.com^$third-party +||vilynx.com^$third-party +||vinlens.com^$third-party +||vinub.com^$third-party +||viralninjas.com^$third-party +||virgul.com^$third-party +||virool.com^$third-party +||virtualnet.co.uk^$third-party +||visibility-stats.com^$third-party +||visibli.com^$third-party +||visionarycompany52.com^$third-party +||visioncriticalpanels.com^$third-party +||visionsage.com^$third-party +||visistat.com^$third-party +||visitor-analytics.io^$third-party +||visitor-analytics.net^$third-party +||visitor-track.com^$third-party +||visitorglobe.com^$third-party +||visitorjs.com^$third-party +||visitorpath.com^$third-party +||visitorprofiler.com^$third-party +||visitorqueue.com^$third-party +||visitortracking.com^$third-party +||visitortracklog.com^$third-party +||visitorville.com^$third-party +||visitstreamer.com^$third-party +||visualdna.com^$third-party +||visualrevenue.com^$third-party +||visx.net^$third-party +||vivocha.com^$third-party +||vizisense.net^$third-party +||vizury.com^$third-party +||vmm-satellite1.com^$third-party +||vmmpxl.com^$third-party +||voicefive.com^$third-party +||volantix.com^$third-party +||volument.com^$third-party +||votistics.com^$third-party +||vprza.com^$third-party +||vtracker.net^$third-party +||w3counter.com^$third-party +||walmeric.com^$third-party +||waplog.net^$third-party +||waudit.cz^$third-party +||wbdx.fr^$third-party +||wbtrk.net^$third-party +||wc4.net^$image,third-party +||wdfl.co^$third-party +||wdsvc.net^$third-party +||we-stats.com^$third-party +||web-boosting.net^$third-party +||web-counter.net^$third-party +||web-stat.com^$third-party +||web-stat.fr^$third-party +||web-stat.net^$third-party +||webanalytic.info^$third-party +||webclicktracker.com^$third-party +||webcounter.co.za^$third-party +||webcounter.ws^$third-party +||webengage.co^$third-party +||webengage.com^$third-party +||webeyez.com^$third-party +||webflowmetrics.com^$third-party +||webforensics.co.uk^$third-party +||webglstats.com^$third-party +||webiqonline.com^$third-party +||webleads-tracker.com^$third-party +||webmasterplan.com^$third-party +||weborama.com^$third-party +||weborama.design^$third-party +||website-hit-counters.com^$third-party +||websiteceo.com^$third-party +||websiteperform.com^$third-party +||websitewelcome.com^$third-party +||webspectator.com^$third-party +||webstat.com^$third-party +||webstat.fr^$third-party +||webstat.net^$third-party +||webstat.se^$third-party +||webstats.com^$third-party +||webstats4u.com^$third-party +||webtrackingservices.com^$third-party +||webtraffic.se^$third-party +||webtrafficagents.com^$third-party +||webtrafficsource.com^$third-party +||webtraffiq.com^$third-party +||webtraxs.com^$third-party +||webtrekk-asia.net^$third-party +||webtrends-optimize.com^$third-party +||webtrends.com^$third-party +||webtrendslive.com^$third-party +||webtuna.com^$third-party +||wecantrack.com^$third-party +||wgsas.com^$third-party +||whale.camera^$third-party +||wheredoyoucomefrom.ovh^$third-party +||whitepixel.com^$third-party +||whoaremyfriends.com^$third-party +||whoaremyfriends.net^$third-party +||whoisonline.net^$third-party +||whoisvisiting.com^$third-party +||whosclickingwho.com^$third-party +||wickedreports.com^$third-party +||wideangle.co^$third-party +||widerplanet.com^$third-party +||wikia-beacon.com^$third-party +||wiredminds.de^$third-party +||wirewuss.com^$third-party +||wisetrack.net^$third-party +||withcabin.com^$third-party +||withcubed.com^$third-party +||wizaly.com^$third-party +||wmcdp.io^$third-party +||womtp.com^$third-party +||woopra-ns.com^$third-party +||woopra.com^$third-party +||wootric.com^$third-party +||worldflagcounter.com^$third-party +||worldlogger.com^$third-party +||wowanalytics.co.uk^$third-party +||wpdstat.com^$third-party +||wpfc.ml^$third-party +||wrating.com^$third-party +||wt-eu02.net^$third-party +||wt-safetag.com^$third-party +||wts.one^$third-party +||wts2.one^$third-party +||wtstats.com^$third-party +||wundercounter.com^$third-party +||wunderloop.net^$third-party +||www-google-analytics.l.google.com^$third-party +||www-path.com^$third-party +||wywy.com^$third-party +||wzrk.co^$third-party +||wzrkt.com^$third-party +||x-stat.de^$third-party +||xdisctracking.pw^$third-party +||xg4ken.com^$third-party +||xiti.com^$third-party +||xlisting.jp^$third-party +||xstats.net^$third-party +||xtremline.com^$third-party +||xxxcounter.com^$third-party +||xyztraffic.com^$third-party +||y-track.com^$third-party +||yamanoha.com^$third-party +||yaudience.com^$third-party +||ybotvisit.com^$third-party +||yellowbrix.com^$third-party +||yext-pixel.com^$third-party +||yextevents.com^$third-party +||ygsm.com^$third-party +||yieldbot.com^$third-party +||yieldify.com^$third-party +||yieldlift.com^$third-party +||yieldsoftware.com^$third-party +||yjtag.jp^$third-party +||yldr.io^$third-party +||ymetrica1.com^$third-party +||your-analytics.org^$third-party +||youramigo.com^$third-party +||youvisit.com^$third-party +||yu987.com^$third-party +||ywxi.net^$third-party,domain=~trustedsite.com +||z444o.com^$third-party +||zanox-affiliate.de^$third-party +||zanox.com^$third-party +||zarget.com^$third-party +||zdtag.com^$third-party +||zedwhyex.com^$third-party +||zeerat.com^$third-party +||zeotap.com^$third-party +||zesep.com^$third-party +||zeustechnology.com^$third-party +||zoomanalytics.co^$third-party +||zoomino.com^$third-party +||zoosnet.net^$third-party +||zoossoft.net^$third-party +||zprk.io^$third-party +||zuzab.com^$third-party +||zx-adnet.com^$third-party +! *** easylist:easyprivacy/easyprivacy_trackingservers_mining.txt *** +! easyprivacy_trackingservers_mining.txt +.1.1.1.l80.js^$third-party +.n.2.1.js^$third-party +.n.2.1.l50.js^$third-party +.n.2.1.l60.js^$third-party +/cdn-cgi/pe/bag2?r[]=*eth-pocket.de +||109.123.233.251^ +||185.193.38.148^ +||35.194.26.233^ +||35.239.57.233^ +||45.32.105.134^ +||77.162.125.199^ +||a-calc.de^$third-party +||acbp0020171456.page.tl^ +||adless.io^ +||adminer.com^ +||altpool.pro^$third-party +||analytics.blue^ +||andlache.com^ +||authedwebmine.cz^$third-party,domain=~webmine.cz +||averoconnector.com^$third-party +||bablace.com^ +||becanium.com^ +||bewaslac.com^ +||biberukalap.com^ +||bitclub.network^ +||bitclubnetwork.com^ +||bitcoin-cashcard.com^ +||bmcm.pw^ +||bmnr.pw^ +||bmst.pw^ +||bmwebm.org^ +||brominer.com^$third-party +||browsermine.com^$third-party +||candid.zone^ +||cashbeet.com^ +||clgserv.pro^ +||cloud-miner.eu^ +||cloudflareinsights.com^$third-party +||cnhv.co^$third-party +||coin-have.com^$third-party +||coinerra.com^$third-party +||coinimp.com$third-party +||coinimp.net$third-party +||coinminerz.com^$third-party +||coinnebula.com^$third-party +||coinpot.co^$third-party +||coinwebmining.com^$third-party +||coinzillatag.com^$third-party +||cookiescript.info^$third-party +||crypto-coins.com^$third-party +||crypto-coins.info^$third-party +||crypto-loot.com^$third-party +||crypto-pool.fr^$third-party +||crypto-webminer.com^$third-party +||cryptobara.com^$third-party +||cryptonoter.com^$third-party +||devphp.org.ua^$third-party +||directprimal.com^$third-party +||dontbeevils.de^$third-party +||duckdns.org^$third-party,websocket +||easyhash.de^$third-party +||easyhash.io^$third-party +||eth-pocket.com^$third-party +||ethereum-cashcard.com^$third-party +||ethereum-pocket.com^$third-party +||eucsoft.com^$third-party +||f1tbit.com^ +||filmoljupci.com^ +||flare-analytics.com^$third-party +||formulawire.com^$third-party +||freecontent.date +||freecontent.stream +||g1thub.com^ +||gay-hotvideo.net^ +||gulf.moneroocean.stream^ +||gus.host^$third-party +||hashcoin.co^$third-party +||hashing.win^$third-party +||hashnest.com^$third-party +||hashvault.pro^$third-party +||hashzone.io^$third-party +||hemnes.win^$third-party +||hostcontent.live^$third-party +||hostingcloud.party +||igrid.org^ +||investhash.com^$third-party +||ipinfo.io^$third-party +||jscdndel.com^$third-party +||jscoinminer.com^ +||jsecoin.com^$third-party +||kinoprofi.org^$third-party +||laferia.cr^$third-party +||laserveradedomaina.com^$third-party +||lightminer.co^$third-party +||lmiutil.com^$third-party +||machieved.com^$third-party +||mepirtedic.com^$third-party +||mi-de-ner-nis3.info^ +||mine.nahnoji.cz^ +||minerad.com^ +||minero-proxy-*.sh^$third-party +||minero.cc^$third-party +||minexmr.com^$third-party +||mininghub.club^$third-party +||mmpool.org^$third-party +||mollnia.com^$third-party +||monerise.com^$third-party +||monerominer.rocks^$third-party +||moneroocean.stream^$third-party +||mutinyhq.com^$third-party +||nabaza.com^$third-party +||nametraff.com^$third-party +||nerohut.com^$third-party +||nfwebminer.com^$third-party +||nimiq.com^$third-party +||nimiqpool.com^$third-party +||nimpool.io^$third-party +||notmining.org^$third-party +||omine.org^$third-party +||openguid.org^$third-party +||p2poolmining.com^$third-party +||pampopholf.com^ +||papoto.com^$third-party +||party-vqgdyvoycc.now.sh^$third-party +||pertholin.com^$third-party +||pool.nimiq.watch^$third-party +||pr0gram.org^$third-party +||reauthenticator.com^ +||rocks.io^$third-party +||s7ven.com^$third-party +||serie-vostfr.com^$third-party +||serv1swork.com^ +||silimbompom.com^$third-party +||smartoffer.site^$third-party +||sourcecode.pro^$third-party +||spacepools.org^$third-party +||srcip.com^$third-party +||statdynamic.com^ +||static-sb.com^$third-party +||stonecalcom.com^$third-party +||str1kee.com^ +||supportxmr.com^$third-party +||sushipool.com^$third-party +||swiftmining.win^$third-party +||tercabilis.info^ +||thewhizproducts.com^$third-party +||thewise.com^$third-party +||tmmp.io^$third-party +||traffic.tc-clicks.com^$third-party +||trustiseverything.de^$third-party +||trustisimportant.fun^ +||tulip18.com^$third-party +||turnsocial.com^$third-party +||usa.cc^$third-party +||vkcdnservice.com^$third-party +||wasm.stream +||webmine.cz^$third-party +||webminepool.com^$third-party +||webminerpool.com^$third-party +||webmining.co^$third-party +||webxmr.com^$third-party +||wtm.monitoringservice.co^$third-party +||wtmtrack.com^$third-party +||xmrpool.net^$third-party +||zlx.com.br^$third-party +! *** easylist:easyprivacy/easyprivacy_trackingservers_admiral.txt *** +! easyprivacy_trackingservers_admiral.txt +! Admiral +||2znp09oa.com^ +||4jnzhl0d0.com^ +||5mcwl.pw^ +||6ldu6qa.com^ +||82o9v830.com^ +||abackafterthought.com^ +||abackchain.com^ +||abacksoda.com^ +||abandonedaction.com^ +||abilityscale.com^ +||abjectattempt.com^ +||aboardamusement.com^ +||aboardfork.com^ +||aboardkettle.com^ +||aboardlevel.com^ +||aboriginalboats.com^ +||abovechat.com^ +||abruptroad.com^ +||absentairport.com^ +||absentstream.com^ +||absorbingband.com^ +||absorbingcorn.com^ +||absorbingprison.com^ +||abstractedamount.com^ +||abstractedauthority.com^ +||absurdapple.com^ +||absurdwater.com^ +||abundantcoin.com^ +||acceptableauthority.com^ +||accountsdoor.com^ +||accurateanimal.com^ +||accuratecoal.com^ +||achieverknee.com^ +||acidicstraw.com^ +||acidpigs.com^ +||acridangle.com^ +||acridtwist.com^ +||actoramusement.com^ +||actuallysheep.com^ +||actuallysnake.com^ +||actuallything.com^ +||adamantsnail.com^ +||addictedattention.com^ +||admiral.pub^ +||adorableanger.com^ +||adorableattention.com^ +||adventurousamount.com^ +||advertisementafterthought.com^ +||afraidlanguage.com^ +||aftermathbrother.com^ +||agilebreeze.com^ +||agileformer.com^ +||agreeablearch.com^ +||agreeablestew.com^ +||agreeabletouch.com^ +||aheadday.com^ +||aheadgrow.com^ +||aheadmachine.com^ +||ajaralarm.com^ +||ak0gsh40.com^ +||alertafterthought.com^ +||alertarithmetic.com^ +||aliasanvil.com^ +||alikeaddition.com^ +||alikearm.com^ +||aliveachiever.com^ +||alleyskin.com^ +||alleythecat.com^ +||allowmailbox.com^ +||alluringbucket.com^ +||aloofmetal.com^ +||aloofvest.com^ +||alpineactor.com^ +||amazingairplane.com^ +||ambientdusk.com^ +||ambientlagoon.com^ +||ambiguousafternoon.com^ +||ambiguousalarm.com^ +||ambiguousanger.com^ +||ambiguousdinosaurs.com^ +||ambiguousincome.com^ +||ambiguousquilt.com^ +||ambitiousagreement.com^ +||ambrosialsummit.com^ +||amethystzenith.com^ +||amuckafternoon.com^ +||amusedbucket.com^ +||amusementmorning.com^ +||analogwonder.com^ +||analyzecorona.com^ +||ancientact.com^ +||annoyedairport.com^ +||annoyedfifth.com^ +||annoyingacoustics.com^ +||annoyingclover.com^ +||anxiousapples.com^ +||apparatuslip.com^ +||aquaticalarm.com^ +||aquaticanswer.com^ +||aquaticowl.com^ +||ar1nvz5.com^ +||archswimming.com^ +||arcticamber.com^ +||argyresthia.com^ +||ariseboundary.com^ +||arithmeticadjustment.com^ +||arizonapuzzle.com^ +||aromamirror.com^ +||arrivegrowth.com^ +||artthevoid.com^ +||aspiringapples.com^ +||aspiringattempt.com^ +||aspiringtoy.com^ +||astonishingair.com^ +||astonishingfood.com^ +||astralhustle.com^ +||astrallullaby.com^ +||attendchase.com^ +||attractionbanana.com^ +||attractiveafternoon.com^ +||attractivecap.com^ +||audioarctic.com^ +||auntants.com^ +||auspiciousyard.com^ +||automaticflock.com^ +||automaticside.com^ +||automaticturkey.com^ +||availablerest.com^ +||avalonalbum.com^ +||averageactivity.com^ +||averageamusement.com^ +||awakebird.com^ +||awarealley.com^ +||awzbijw.com^ +||axiomaticalley.com^ +||axiomaticanger.com^ +||azuremystique.com^ +||backupcat.com^ +||badgeboat.com^ +||badgerabbit.com^ +||badgevolcano.com^ +||bagbeam.com^ +||baitbaseball.com^ +||balancemailbox.com^ +||balloonbelieve.com^ +||balloonbit.com^ +||balloontexture.com^ +||ballsbanana.com^ +||bananabarrel.com^ +||bandborder.com^ +||barbarousbase.com^ +||barbarousnerve.com^ +||baseballbone.com^ +||basilfish.com^ +||basketballbelieve.com^ +||baskettexture.com^ +||batbuilding.com^ +||battlebalance.com^ +||battlehope.com^ +||bawdybalance.com^ +||bawdybeast.com^ +||beadbears.com^ +||beamincrease.com^ +||beamvolcano.com^ +||beancontrol.com^ +||bearmoonlodge.com^ +||beastbeef.com^ +||beautifulhobbies.com^ +||bedsberry.com^ +||beetleend.com^ +||beginnerpancake.com^ +||benthose.com^ +||berserkhydrant.com^ +||bespokesandals.com^ +||bestboundary.com^ +||bewilderedbattle.com^ +||bewilderedblade.com^ +||bhcumsc.com^ +||bikepaws.com^ +||bikesboard.com^ +||billowybead.com^ +||billowybelief.com^ +||binarycrest.com^ +||binspiredtees.com^ +||birthdaybelief.com^ +||bitterbear.com^ +||blackbrake.com^ +||bleachbubble.com^ +||bleachscarecrow.com^ +||bleedlight.com^ +||blesspizzas.com^ +||blissfulcrescendo.com^ +||blissfullagoon.com^ +||blotburn.com^ +||blueeyedblow.com^ +||bluevinebooks.com^ +||blushingbeast.com^ +||blushingboundary.com^ +||blushingbread.com^ +||blushingwar.com^ +||boatsvest.com^ +||boilingbeetle.com^ +||boilingcredit.com^ +||boilingumbrella.com^ +||boneregret.com^ +||boostbehavior.com^ +||boredborder.com^ +||boredcrown.com^ +||boringberry.com^ +||boringcoat.com^ +||bouncyfront.com^ +||bouncyproperty.com^ +||boundarybusiness.com^ +||boundlessargument.com^ +||boundlessbrake.com^ +||boundlessveil.com^ +||brainybasin.com^ +||brainynut.com^ +||branchborder.com^ +||brandsfive.com^ +||brandybison.com^ +||brashbead.com^ +||bravebone.com^ +||breadbalance.com^ +||breakableinsurance.com^ +||breakerror.com^ +||breakfastboat.com^ +||breezygrove.com^ +||brianwould.com^ +||briefstem.com^ +||brighttoe.com^ +||briskstorm.com^ +||broadborder.com^ +||broadboundary.com^ +||broadcastbed.com^ +||broaddoor.com^ +||brothersbucket.com^ +||brotherslocket.com^ +||bruisebaseball.com^ +||brunchforher.com^ +||bucketbean.com^ +||buildingknife.com^ +||bulbbait.com^ +||bumpydevelopment.com^ +||bunchance.com^ +||burgerbrush.com^ +||burgersalt.com^ +||burlywhistle.com^ +||burnbubble.com^ +||burstblade.com^ +||bushesbag.com^ +||businessbells.com^ +||bustlinganimal.com^ +||bustlingbath.com^ +||bustlingbook.com^ +||butterbulb.com^ +||butterburst.com^ +||buttonladybug.com^ +||cabledemand.com^ +||cakesdrum.com^ +||calculatingcircle.com^ +||calculatingtoothbrush.com^ +||calculatorcamera.com^ +||calculatorstatement.com^ +||callousbrake.com^ +||calmcactus.com^ +||calmcough.com^ +||calypsocapsule.com^ +||cannonchange.com^ +||capablecows.com^ +||capablecup.com^ +||capriciouscorn.com^ +||capsquirrel.com^ +||captivatingcanyon.com^ +||captivatingillusion.com^ +||captivatingpanorama.com^ +||captivatingperformance.com^ +||carefuldolls.com^ +||caringcast.com^ +||caringzinc.com^ +||carloforward.com^ +||carpentercolor.com^ +||carpentercomparison.com^ +||carriagecan.com^ +||carscannon.com^ +||cartkitten.com^ +||carvecakes.com^ +||catalogcake.com^ +||catalogdiscovery.com^ +||catschickens.com^ +||cattlecommittee.com^ +||causecherry.com^ +||cautiouscamera.com^ +||cautiouscherries.com^ +||cautiouscrate.com^ +||cautiouscredit.com^ +||cavecurtain.com^ +||cdnral.com^ +||ceciliavenus.com^ +||celestialeuphony.com^ +||celestialspectra.com^ +||chademocharge.com^ +||chaireggnog.com^ +||chairscrack.com^ +||chairsdonkey.com^ +||chalkoil.com^ +||changeablecats.com^ +||channelcamp.com^ +||chargecracker.com^ +||charmingplate.com^ +||charscroll.com^ +||cheerfulrange.com^ +||cheerycraze.com^ +||chemicalcoach.com^ +||cherriescare.com^ +||chessbranch.com^ +||chesscherry.com^ +||chesscolor.com^ +||chesscrowd.com^ +||chewcoat.com^ +||chickensstation.com^ +||childlikecook.com^ +||childlikecrowd.com^ +||childlikeexample.com^ +||childlikeform.com^ +||chilledliquid.com^ +||chingovernment.com^ +||chinsnakes.com^ +||chipperisle.com^ +||chivalrouscord.com^ +||chubbycreature.com^ +||chunkycactus.com^ +||cicdserver.com^ +||ciderfeast.com^ +||cinemabonus.com^ +||circlelevel.com^ +||clamcelery.com^ +||clammychicken.com^ +||clammytree.com^ +||clarifyverse.com^ +||cleanhaircut.com^ +||clearcabbage.com^ +||cloisteredcord.com^ +||cloisteredcurve.com^ +||cloisteredhydrant.com^ +||closedcows.com^ +||closefriction.com^ +||cloudhustles.com^ +||cloudjumbo.com^ +||cloudsdestruction.com^ +||clovercabbage.com^ +||clumsycar.com^ +||clumsyrock.com^ +||coachquartz.com^ +||coalkitchen.com^ +||coatfood.com^ +||cobaltoverture.com^ +||coffeesidehustle.com^ +||coldbalance.com^ +||coldcreatives.com^ +||colorfulafterthought.com^ +||colossalchance.com^ +||colossalclouds.com^ +||colossalcoat.com^ +||colossalcry.com^ +||combativecar.com^ +||combativedetail.com^ +||combbit.com^ +||combcattle.com^ +||combclover.com^ +||combcompetition.com^ +||cometquote.com^ +||comfortablecheese.com^ +||comfygoodness.com^ +||commonalmanac.com^ +||commonswing.com^ +||companyparcel.com^ +||comparereaction.com^ +||competitionbeetle.com^ +||compiledoctor.com^ +||completecabbage.com^ +||complextoad.com^ +||conceptualizereading.com^ +||concernedchange.com^ +||concernedchickens.com^ +||concernedcondition.com^ +||condemnedcomb.com^ +||conditionchange.com^ +||conditioncrush.com^ +||confesschairs.com^ +||configchain.com^ +||confusedcart.com^ +||connectashelf.com^ +||consciouschairs.com^ +||consciouscheese.com^ +||consciousdirt.com^ +||considermice.com^ +||consistpotato.com^ +||consumerzero.com^ +||controlcola.com^ +||controlhall.com^ +||controlswim.com^ +||convertbatch.com^ +||cooingcoal.com^ +||coordinatedbedroom.com^ +||coordinatedcoat.com^ +||coordinatedcub.com^ +||copperchickens.com^ +||copycarpenter.com^ +||copyrightaccesscontrols.com^ +||copytitle.com^ +||coralreverie.com^ +||cordcopper.com^ +||corgibeachday.com^ +||correctchaos.com^ +||cosmicsculptor.com^ +||cosmosjackson.com^ +||courageousbaby.com^ +||coverapparatus.com^ +||coverlayer.com^ +||cozydusk.com^ +||cozyhillside.com^ +||cozytryst.com^ +||crabbychin.com^ +||crackedsafe.com^ +||crafthenry.com^ +||crashchance.com^ +||cratecamera.com^ +||craterbox.com^ +||crawlclocks.com^ +||crayoncompetition.com^ +||creatorcherry.com^ +||creatorpassenger.com^ +||creaturecabbage.com^ +||crimsonmeadow.com^ +||critictruck.com^ +||crookedcreature.com^ +||crowdedmass.com^ +||cruisetourist.com^ +||cryptvalue.com^ +||crystalboulevard.com^ +||crystalstatus.com^ +||cubchannel.com^ +||cubepins.com^ +||cuddlycake.com^ +||cuddlylunchroom.com^ +||culturedcamera.com^ +||culturedfeather.com^ +||cumbersomecake.com^ +||cumbersomecar.com^ +||cumbersomecarpenter.com^ +||cumbersomecloud.com^ +||curiouschalk.com^ +||curioussuccess.com^ +||curlycannon.com^ +||currentcollar.com^ +||curtaincows.com^ +||curvedhoney.com^ +||curvedsquirrel.com^ +||curvycord.com^ +||curvycry.com^ +||cushiondrum.com^ +||cushionpig.com^ +||cutcurrent.com^ +||cutecalculator.com^ +||cutechin.com^ +||cutecushion.com^ +||cutepopcorn.com^ +||cuteturkey.com^ +||cyclopsdial.com^ +||dailydivision.com^ +||damagedadvice.com^ +||damageddistance.com^ +||damdoor.com^ +||dampdock.com^ +||dancemistake.com^ +||dandydune.com^ +||dandyglow.com^ +||dangerouswinter.com^ +||dapperdiscussion.com^ +||dapperfloor.com^ +||dashingdirt.com^ +||dashingdrop.com^ +||dashingsweater.com^ +||datastoried.com^ +||daughterstone.com^ +||daymodern.com^ +||dazzlingbook.com^ +||deadpangate.com^ +||deafeningdock.com^ +||deafeningdowntown.com^ +||debonairdust.com^ +||debonairtree.com^ +||debonairway.com^ +||debugentity.com^ +||decidedrum.com^ +||decisivebase.com^ +||decisivedrawer.com^ +||decisiveducks.com^ +||decoroustitle.com^ +||decoycreation.com^ +||deeptack.com^ +||deerbeginner.com^ +||defeatedbadge.com^ +||defectivedress.com^ +||defensevest.com^ +||defiantrice.com^ +||degreechariot.com^ +||delegatediscussion.com^ +||delicatecascade.com^ +||delicateducks.com^ +||deliciousducks.com^ +||delightfulhour.com^ +||deltafault.com^ +||deluxecrate.com^ +||dependenttrip.com^ +||desertedbreath.com^ +||desertedrat.com^ +||desirebucket.com^ +||desiredirt.com^ +||deskdecision.com^ +||detailedglue.com^ +||detailedgovernment.com^ +||detectdinner.com^ +||detectdiscovery.com^ +||detourgame.com^ +||deviceseal.com^ +||deviceworkshop.com^ +||devilishdinner.com^ +||dewdroplagoon.com^ +||differentcoat.com^ +||difficultfog.com^ +||digestiondrawer.com^ +||dinnerquartz.com^ +||diplomahawaii.com^ +||direfuldesk.com^ +||disagreeabledrop.com^ +||discreetfield.com^ +||discreetquarter.com^ +||dispensablestranger.com^ +||distancefinger.com^ +||distributionneck.com^ +||distributionpocket.com^ +||distributiontomatoes.com^ +||disturbedquiet.com^ +||divehope.com^ +||divergentoffer.com^ +||dk4ywix.com^ +||dockdigestion.com^ +||docksalmon.com^ +||dogcollarfavourbluff.com^ +||dogsonclouds.com^ +||dogsshoes.com^ +||dollardelta.com^ +||dolldetail.com^ +||donkeyleaf.com^ +||doorbrazil.com^ +||doubledefend.com^ +||doubtdrawer.com^ +||doubtfulrainstorm.com^ +||downtowndirection.com^ +||dq95d35.com^ +||drabsize.com^ +||draconiancurve.com^ +||dragzebra.com^ +||drainpaste.com^ +||dramaticcondition.com^ +||dramaticdirection.com^ +||drawservant.com^ +||dreamycanyon.com^ +||dressexpansion.com^ +||driftingchef.com^ +||driftpizza.com^ +||dripappliance.com^ +||driverequest.com^ +||drollwharf.com^ +||drydrum.com^ +||dustydime.com^ +||dustyhammer.com^ +||dustyrabbits.com^ +||dustywave.com^ +||eagereden.com^ +||eagerflame.com^ +||eagerknight.com^ +||earnbaht.com^ +||earthquakescarf.com^ +||earthycopy.com^ +||earthyfarm.com^ +||eatablesquare.com^ +||echochief.com^ +||echoinghaven.com^ +||economicpizzas.com^ +||effervescentcoral.com^ +||effervescentvista.com^ +||efficaciouscactus.com^ +||effulgentnook.com^ +||effulgenttempest.com^ +||ejyymghi.com^ +||elasticchange.com^ +||elderlybean.com^ +||elderlyinsect.com^ +||elderlyscissors.com^ +||elderlytown.com^ +||elegantboulevard.com^ +||elephantqueue.com^ +||elusivebreeze.com^ +||elusivecascade.com^ +||elysiantraverse.com^ +||embellishedmeadow.com^ +||embermosaic.com^ +||emberwhisper.com^ +||eminentbubble.com^ +||eminentend.com^ +||emptyescort.com^ +||enchantedjudge.com^ +||enchantedskyline.com^ +||enchantingdiscovery.com^ +||enchantingenchantment.com^ +||enchantingmystique.com^ +||enchantingtundra.com^ +||enchantingvalley.com^ +||encourageshock.com^ +||encouragingleaf.com^ +||encouragingthread.com^ +||encouragingvase.com^ +||encouragingwilderness.com^ +||endlesstrust.com^ +||endurablebulb.com^ +||endurableshop.com^ +||energeticexample.com^ +||energeticladybug.com^ +||engineergrape.com^ +||engineertrick.com^ +||enigmaprint.com^ +||enigmaticblossom.com^ +||enigmaticcanyon.com^ +||enigmaticvoyage.com^ +||enormousearth.com^ +||enormousfoot.com^ +||enterdrama.com^ +||entertainingeyes.com^ +||entertainskin.com^ +||enthusiasticdad.com^ +||enthusiastictemper.com^ +||enviousshape.com^ +||enviousthread.com^ +||epicoldschool.com^ +||equablekettle.com^ +||erraticreaction.com^ +||etherealbamboo.com^ +||ethereallagoon.com^ +||etherealpinnacle.com^ +||etherealquasar.com^ +||etherealripple.com^ +||evanescentedge.com^ +||evasivejar.com^ +||eventexistence.com^ +||exampleshake.com^ +||excitingtub.com^ +||exclusivebrass.com^ +||executeknowledge.com^ +||exhibitsneeze.com^ +||expansioneggnog.com^ +||experienceeggs.com^ +||exquisiteartisanship.com^ +||extractobservation.com^ +||extralocker.com^ +||extramonies.com^ +||exuberantedge.com^ +||exuberanteyes.com^ +||exuberantsoda.com^ +||exultantdrop.com^ +||facilitatebreakfast.com^ +||facilitategrandfather.com^ +||fadechildren.com^ +||fadedprofit.com^ +||fadedsnow.com^ +||faintflag.com^ +||fairfeeling.com^ +||fairiesbranch.com^ +||fairygaze.com^ +||fairytaleflame.com^ +||fallaciousfifth.com^ +||falsefeet.com^ +||falseframe.com^ +||familiarrod.com^ +||famousquarter.com^ +||fancyactivity.com^ +||fancydune.com^ +||fancygrove.com^ +||fangfeeling.com^ +||fantasticsmash.com^ +||fantastictone.com^ +||farethief.com^ +||farmergoldfish.com^ +||farshake.com^ +||farsnails.com^ +||fascinatedfeather.com^ +||fastenfather.com^ +||fasterfineart.com^ +||fasterjson.com^ +||fatcoil.com^ +||faucetfoot.com^ +||faultycanvas.com^ +||faultyfowl.com^ +||fearfowl.com^ +||fearfulfear.com^ +||fearfulfish.com^ +||fearfulmint.com^ +||fearlessfaucet.com^ +||fearlesstramp.com^ +||featherstage.com^ +||feebleshock.com^ +||feeblestamp.com^ +||feedten.com^ +||feignedfaucet.com^ +||fernwaycloud.com^ +||fertilefeeling.com^ +||fewjuice.com^ +||fewkittens.com^ +||finalizeforce.com^ +||financefear.com^ +||finestpiece.com^ +||finitecube.com^ +||firecatfilms.com^ +||fireworkcamp.com^ +||firstendpoint.com^ +||firstfrogs.com^ +||firsttexture.com^ +||fitmessage.com^ +||fivesidedsquare.com^ +||fixedfold.com^ +||flakyfeast.com^ +||flameuncle.com^ +||flimsycircle.com^ +||flimsythought.com^ +||flippedfunnel.com^ +||floodprincipal.com^ +||flourishingcollaboration.com^ +||flourishingendeavor.com^ +||flourishinginnovation.com^ +||flourishingpartnership.com^ +||flowersornament.com^ +||flowerstreatment.com^ +||flowerycreature.com^ +||floweryfact.com^ +||floweryflavor.com^ +||floweryoperation.com^ +||flushingbeast.com^ +||flutteringfireman.com^ +||foambench.com^ +||foamyfood.com^ +||followborder.com^ +||forecasttiger.com^ +||foregoingfowl.com^ +||foretellfifth.com^ +||forevergears.com^ +||forgetfulflowers.com^ +||forgetfulsnail.com^ +||fortunatemark.com^ +||fourarithmetic.com^ +||fourfork.com^ +||fourpawsahead.com^ +||fractalcoast.com^ +||frailflock.com^ +||frailfruit.com^ +||frailoffer.com^ +||framebanana.com^ +||franticroof.com^ +||frantictrail.com^ +||frazzleart.com^ +||freakyglass.com^ +||freezingbuilding.com^ +||frequentflesh.com^ +||fretfulfurniture.com^ +||friendlycrayon.com^ +||friendlyfold.com^ +||frightenedpotato.com^ +||frogator.com^ +||frogtray.com^ +||fronttoad.com^ +||frugalfiestas.com^ +||fujiladder.com^ +||fumblingform.com^ +||fumblingselection.com^ +||functionalcrown.com^ +||functionalfeather.com^ +||funnyairplane.com^ +||funoverbored.com^ +||funoverflow.com^ +||furnstudio.com^ +||furryfork.com^ +||furryhorses.com^ +||futuristicapparatus.com^ +||futuristicfairies.com^ +||futuristicfifth.com^ +||futuristicfold.com^ +||futuristicframe.com^ +||fuzzyaudio.com^ +||fuzzybasketball.com^ +||fuzzyerror.com^ +||fuzzyflavor.com^ +||fuzzyweather.com^ +||fvl1f.pw^ +||gammamaximum.com^ +||gardenovens.com^ +||gaudyairplane.com^ +||geekactive.com^ +||generalprose.com^ +||generateoffice.com^ +||gentlemoonlight.com^ +||ghostgenie.com^ +||giantsvessel.com^ +||giddycoat.com^ +||giftedglue.com^ +||giraffepiano.com^ +||gitcrumbs.com^ +||givevacation.com^ +||gladglen.com^ +||gladysway.com^ +||glamhawk.com^ +||gleamingcow.com^ +||gleaminghaven.com^ +||gleamingtrade.com^ +||glisteningguide.com^ +||glisteningsign.com^ +||glitteringbrook.com^ +||gloriousbeef.com^ +||glossysense.com^ +||glowingmeadow.com^ +||gluedpixel.com^ +||godlygeese.com^ +||godseedband.com^ +||goldfishgrowth.com^ +||gondolagnome.com^ +||goodbark.com^ +||gorgeousedge.com^ +||gorgeousground.com^ +||gossamerwing.com^ +||gracefulmilk.com^ +||gracefulsock.com^ +||grainmass.com^ +||grandfatherguitar.com^ +||grandiosefire.com^ +||grandioseguide.com^ +||grandmotherunit.com^ +||granlite.com^ +||grapeopinion.com^ +||gravitygive.com^ +||gravitykick.com^ +||grayoranges.com^ +||grayreceipt.com^ +||greasegarden.com^ +||greasemotion.com^ +||greasysquare.com^ +||greetzebra.com^ +||greyinstrument.com^ +||gripcorn.com^ +||groovyornament.com^ +||grouchybrothers.com^ +||grouchypush.com^ +||grumpydime.com^ +||grumpydrawer.com^ +||guaranteelamp.com^ +||guardeddirection.com^ +||guardedschool.com^ +||guessdetail.com^ +||guidecent.com^ +||guildalpha.com^ +||guiltlessbasketball.com^ +||guitargrandmother.com^ +||gulliblegrip.com^ +||gullibleguitar.com^ +||gustocooking.com^ +||gustygrandmother.com^ +||h78xb.pw^ +||habitualhumor.com^ +||halcyoncanyon.com^ +||halcyonsculpture.com^ +||hallowedinvention.com^ +||haltingbadge.com^ +||haltingdivision.com^ +||haltinggold.com^ +||hammerhearing.com^ +||handleteeth.com^ +||handnorth.com^ +||handsomehose.com^ +||handsomeindustry.com^ +||handsomelyhealth.com^ +||handsomelythumb.com^ +||handsomeyam.com^ +||handyfield.com^ +||handyfireman.com^ +||handyincrease.com^ +||haplesshydrant.com^ +||haplessland.com^ +||happysponge.com^ +||harborcaption.com^ +||harborcub.com^ +||hardtofindmilk.com^ +||harmonicbamboo.com^ +||harmonywing.com^ +||hatefulrequest.com^ +||headydegree.com^ +||headyhook.com^ +||healflowers.com^ +||hearinglizards.com^ +||heartbreakingmind.com^ +||hearthorn.com^ +||heavydetail.com^ +||heavyplayground.com^ +||helpcollar.com^ +||helpflame.com^ +||hesitanttoothpaste.com^ +||hfc195b.com^ +||highfalutinbox.com^ +||highfalutinhoney.com^ +||highfalutinroom.com^ +||hilariouszinc.com^ +||historicalbeam.com^ +||historicalrequest.com^ +||hocgeese.com^ +||hollowafterthought.com^ +||homebizplaza.com^ +||homelycrown.com^ +||homeslick.com^ +||honeybulb.com^ +||honeygoldfish.com^ +||honeywhipped.com^ +||honorablehall.com^ +||honorablehydrant.com^ +||honorableland.com^ +||hookconference.com^ +||hospitablehall.com^ +||hospitablehat.com^ +||howdyinbox.com^ +||humdrumhat.com^ +||humdrumhobbies.com^ +||humdrumtouch.com^ +||hurtgrape.com^ +||hurtteeth.com^ +||hypnoticwound.com^ +||hystericalcloth.com^ +||hystericalfinger.com^ +||hystericalhelp.com^ +||i9w8p.pw^ +||icebergindigo.com^ +||idolscene.com^ +||idyllicjazz.com^ +||illfatedsnail.com^ +||illinvention.com^ +||illustriousoatmeal.com^ +||immensehoney.com^ +||imminentshake.com^ +||imperfectinstrument.com^ +||importantmeat.com^ +||importedincrease.com^ +||importedinsect.com^ +||importedplay.com^ +||importedpolice.com^ +||importlocate.com^ +||impossibleexpansion.com^ +||impossiblemove.com^ +||impulsehands.com^ +||impulsejewel.com^ +||impulselumber.com^ +||incomehippo.com^ +||incompetentjoke.com^ +||inconclusiveaction.com^ +||infamousstream.com^ +||informengine.com^ +||innatecomb.com^ +||innocentinvention.com^ +||innocentlamp.com^ +||innocentwax.com^ +||inputicicle.com^ +||inquisitiveice.com^ +||inquisitiveinvention.com^ +||instrumentinsect.com^ +||instrumentsponge.com^ +||insulatech.com^ +||intelligentscissors.com^ +||intentlens.com^ +||interestdust.com^ +||interestsmoke.com^ +||internalcondition.com^ +||internalsink.com^ +||inventionpassenger.com^ +||investigatepin.com^ +||invitesugar.com^ +||iotapool.com^ +||iridescentdusk.com^ +||iridescentvista.com^ +||irritatingfog.com^ +||itemslice.com^ +||ivykiosk.com^ +||j93557g.com^ +||jadedjoke.com^ +||jadeitite.com^ +||jaderooster.com^ +||jailbulb.com^ +||jimny.pro^ +||joblessdrum.com^ +||jollylens.com^ +||joyfulkeen.com^ +||joyfulvibe.com^ +||joyoussurprise.com^ +||jubilantaura.com^ +||jubilantcanyon.com^ +||jubilantglimmer.com^ +||jubilanthush.com^ +||jubilantlagoon.com^ +||jubilantpinnacle.com^ +||jubilantvista.com^ +||jubilantwhisper.com^ +||juicebard.com^ +||juiceblocks.com^ +||justconfig.com^ +||justicejudo.com^ +||justwebcards.com^ +||k54nw.pw^ +||kaputquill.com^ +||keenquill.com^ +||kibbleandbytes.com^ +||kindhush.com^ +||kitesquirrel.com^ +||kittyaction.com^ +||knitstamp.com^ +||knotkettle.com^ +||knottysticks.com^ +||knottyswing.com^ +||laboredlight.com^ +||laboredlocket.com^ +||lackadaisicalkite.com^ +||lagoonolivia.com^ +||lameletters.com^ +||lamplow.com^ +||landandfloor.com^ +||languagelake.com^ +||largebrass.com^ +||lasttaco.com^ +||laughablecopper.com^ +||laughcloth.com^ +||laughdrum.com^ +||leapfaucet.com^ +||leaplunchroom.com^ +||learnedmarket.com^ +||ledlocket.com^ +||leftliquid.com^ +||legalleg.com^ +||lemonpackage.com^ +||lemonsandjoy.com^ +||lettucecopper.com^ +||lettucelimit.com^ +||levelbehavior.com^ +||liftedknowledge.com^ +||lightcushion.com^ +||lightenafterthought.com^ +||lighttalon.com^ +||literatelight.com^ +||livelumber.com^ +||livelylaugh.com^ +||livelyreward.com^ +||livingsleet.com^ +||lizardslaugh.com^ +||loadsurprise.com^ +||lonelybulb.com^ +||lonelyflavor.com^ +||longinglettuce.com^ +||longingtrees.com^ +||looseloaf.com^ +||lopsidedleather.com^ +||lorenzourban.com^ +||losslace.com^ +||loudlunch.com^ +||lovelydrum.com^ +||loveseashore.com^ +||lowlocket.com^ +||lp3tdqle.com^ +||luckyzombie.com^ +||ludicrousarch.com^ +||lumberamount.com^ +||luminousboulevard.com^ +||luminouscatalyst.com^ +||luminoussculptor.com^ +||lumpygnome.com^ +||lumpylumber.com^ +||lunchroomlock.com^ +||lustroushaven.com^ +||lyricshook.com^ +||maddeningpowder.com^ +||madebyintent.com^ +||madlysuccessful.com^ +||magicaljoin.com^ +||magicminibox.com^ +||magiczenith.com^ +||magnetairport.com^ +||magnificentmeasure.com^ +||magnificentmist.com^ +||mailboxmeeting.com^ +||majesticmountainrange.com^ +||majesticwaterscape.com^ +||majesticwilderness.com^ +||makeshiftmine.com^ +||makesimpact.com^ +||maliciousmusic.com^ +||managedpush.com^ +||maniacalappliance.com^ +||mantrafox.com^ +||mapbasin.com^ +||mapcommand.com^ +||marblediscussion.com^ +||markahouse.com^ +||markedcrayon.com^ +||markedmeasure.com^ +||markedpail.com^ +||marketspiders.com^ +||marriedbelief.com^ +||marriedmailbox.com^ +||marriedvalue.com^ +||marrowleaves.com^ +||massivebasket.com^ +||massivemark.com^ +||matchjoke.com^ +||materialisticfan.com^ +||materialisticmark.com^ +||materialisticmoon.com^ +||materialmilk.com^ +||materialmoon.com^ +||materialparcel.com^ +||materialplayground.com^ +||meadowlullaby.com^ +||measlymiddle.com^ +||measurecaption.com^ +||meatydime.com^ +||meddleplant.com^ +||mediatescarf.com^ +||mediumshort.com^ +||mellowhush.com^ +||mellowmailbox.com^ +||melodiouschorus.com^ +||melodiouscomposition.com^ +||melodioussymphony.com^ +||meltmilk.com^ +||memopilot.com^ +||memorizeline.com^ +||memorizematch.com^ +||memorizeneck.com^ +||memorycobweb.com^ +||mentorsticks.com^ +||meremark.com^ +||merequartz.com^ +||merryopal.com^ +||merryvault.com^ +||messagenovice.com^ +||messyoranges.com^ +||metajaws.com^ +||metroaverage.com^ +||mightyspiders.com^ +||militaryverse.com^ +||mimosamajor.com^ +||mindfulgem.com^ +||mindlessmark.com^ +||minorcattle.com^ +||minormeeting.com^ +||minusmental.com^ +||minuteburst.com^ +||minuterhythm.com^ +||miscreantmine.com^ +||miscreantmoon.com^ +||missionrewards.com^ +||mistervillas.com^ +||mistyhorizon.com^ +||mittencattle.com^ +||mixedreading.com^ +||modifyeyes.com^ +||modularmental.com^ +||moldyicicle.com^ +||monacobeatles.com^ +||monthlyhat.com^ +||moorshoes.com^ +||morefriendly.com^ +||motionflowers.com^ +||motionlessbag.com^ +||motionlessbelief.com^ +||motionlessmeeting.com^ +||mountainouspear.com^ +||movemeal.com^ +||mowfruit.com^ +||mowgoats.com^ +||muddledaftermath.com^ +||muddledmemory.com^ +||mundanenail.com^ +||mundanepollution.com^ +||murkymeeting.com^ +||mushywaste.com^ +||muteknife.com^ +||mutemailbox.com^ +||muterange.com^ +||mysteriousmonth.com^ +||mysticalagoon.com^ +||naivestatement.com^ +||nappyattack.com^ +||nappyneck.com^ +||neatshade.com^ +||nebulacrescent.com^ +||nebulajubilee.com^ +||nebulousamusement.com^ +||nebulousquasar.com^ +||nebulousripple.com^ +||needlessnorth.com^ +||needyneedle.com^ +||negotiatetime.com^ +||neighborlywatch.com^ +||nervoussummer.com^ +||newartreview.com^ +||newsletterjet.com^ +||niftygraphs.com^ +||niftyhospital.com^ +||niftyjelly.com^ +||niftyreports.com^ +||nightwound.com^ +||nimbleplot.com^ +||nocturnalloom.com^ +||nocturnalmystique.com^ +||nodethisweek.com^ +||noiselessplough.com^ +||nonchalantnerve.com^ +||nondescriptcrowd.com^ +||nondescriptnote.com^ +||nondescriptsmile.com^ +||nondescriptstocking.com^ +||nostalgicknot.com^ +||nostalgicneed.com^ +||nothingmethod.com^ +||nothingunit.com^ +||notifyglass.com^ +||nudgeduck.com^ +||nulldiscussion.com^ +||nullnorth.com^ +||numberlessring.com^ +||numerousnest.com^ +||nutritiousbean.com^ +||nuttyorganization.com^ +||oafishchance.com^ +||oafishobservation.com^ +||objecthero.com^ +||obscenesidewalk.com^ +||observantice.com^ +||offshorecyclone.com^ +||oldfashionedoffer.com^ +||omgthink.com^ +||omniscientfeeling.com^ +||omniscientspark.com^ +||onlywoofs.com^ +||opalquill.com^ +||operationchicken.com^ +||operationnail.com^ +||opinionsurprise.com^ +||oppositeoperation.com^ +||optimallimit.com^ +||opulentsylvan.com^ +||orangeoperation.com^ +||orientedargument.com^ +||orionember.com^ +||ourblogthing.com^ +||outdoorthingy.com^ +||outgoinggiraffe.com^ +||outsidevibe.com^ +||outstandingsnails.com^ +||ovalweek.com^ +||overconfidentfood.com^ +||overkick.com^ +||overratedchalk.com^ +||owlsr.us^ +||oxygenfuse.com^ +||pailcrime.com^ +||pailpatch.com^ +||painstakingpickle.com^ +||paintpear.com^ +||paintplantation.com^ +||paleleaf.com^ +||pamelarandom.com^ +||panickycurtain.com^ +||panickypancake.com^ +||panoramicbutter.com^ +||panoramicplane.com^ +||paradoxfactor.com^ +||parallelbulb.com^ +||parcelcreature.com^ +||parchedangle.com^ +||parchedsofa.com^ +||pardonpopular.com^ +||parentpicture.com^ +||parsimoniouspolice.com^ +||partplanes.com^ +||passengerpage.com^ +||passivepolo.com^ +||pastcabbage.com^ +||pastepot.com^ +||pastoralcorn.com^ +||pastoralroad.com^ +||pawsnug.com^ +||peacefullimit.com^ +||pedromister.com^ +||pedropanther.com^ +||pegsbuttons.com^ +||perceivequarter.com^ +||periodicpocket.com^ +||perkyjade.com^ +||perpetualpail.com^ +||persuadesock.com^ +||persuadesupport.com^ +||petiteumbrella.com^ +||philippinch.com^ +||phonicsblitz.com^ +||photographpan.com^ +||physicalbikes.com^ +||piespower.com^ +||pietexture.com^ +||pigspie.com^ +||pinchsquirrel.com^ +||pinkbonanza.com^ +||pinpointpotato.com^ +||piquantgrove.com^ +||piquantmeadow.com^ +||piquantpigs.com^ +||piquantprice.com^ +||piquantstove.com^ +||piquantvortex.com^ +||pixeledhub.com^ +||pixelvariety.com^ +||pizzasnut.com^ +||placeframe.com^ +||placidactivity.com^ +||placidperson.com^ +||plainrequest.com^ +||planebasin.com^ +||planesorder.com^ +||plantdigestion.com^ +||plantpotato.com^ +||plantrelation.com^ +||platescarecrow.com^ +||playfulriver.com^ +||pleasantpump.com^ +||plotparent.com^ +||plotrabbit.com^ +||pluckypocket.com^ +||pluckyzone.com^ +||pocketfaucet.com^ +||podiumpresto.com^ +||poemprompt.com^ +||poeticpackage.com^ +||pointdigestion.com^ +||pointlesshour.com^ +||pointlesspocket.com^ +||pointlessprofit.com^ +||pointlessrifle.com^ +||poisedfuel.com^ +||poisedpig.com^ +||polarismagnet.com^ +||polishedcrescent.com^ +||polishedfolly.com^ +||politegoldfish.com^ +||politeplanes.com^ +||politicalflip.com^ +||politicalporter.com^ +||popplantation.com^ +||possessivebucket.com^ +||possibleboats.com^ +||possiblepencil.com^ +||potatoinvention.com^ +||powderjourney.com^ +||powderprofit.com^ +||powerfulblends.com^ +||powerfulcopper.com^ +||preciouseffect.com^ +||preciousplanes.com^ +||preciousyoke.com^ +||predictplate.com^ +||prefixpatriot.com^ +||prepareplanes.com^ +||presetrabbits.com^ +||previousplayground.com^ +||previouspotato.com^ +||priceypies.com^ +||pricklydebt.com^ +||pricklyjourney.com^ +||pricklyplastic.com^ +||pricklypollution.com^ +||printerplasma.com^ +||probablepartner.com^ +||processplantation.com^ +||producecopy.com^ +||producepickle.com^ +||productivepear.com^ +||productsurfer.com^ +||profitrumour.com^ +||profusesupport.com^ +||promiseair.com^ +||promopassage.com^ +||proofconvert.com^ +||propertypotato.com^ +||propsynergy.com^ +||protestcopy.com^ +||proudprose.com^ +||psychedelicarithmetic.com^ +||psychedelicchess.com^ +||pubfs.com^ +||pubimgs.com^ +||publicsofa.com^ +||puffyloss.com^ +||puffypaste.com^ +||puffypull.com^ +||puffypurpose.com^ +||pulsatingmeadow.com^ +||pumpedpancake.com^ +||pumpedpurpose.com^ +||punyplant.com^ +||puppytooth.com^ +||purchasesuggestion.com^ +||purposepipe.com^ +||puzzlingproperty.com^ +||q20jqurls0y7gk8.info^ +||quacksquirrel.com^ +||quaintborder.com^ +||quaintcan.com^ +||quaintlake.com^ +||quantumlagoon.com^ +||quantumshine.com^ +||quarterbean.com^ +||queenskart.com^ +||quicksandear.com^ +||quietknowledge.com^ +||quillkick.com^ +||quirkybliss.com^ +||quirkysugar.com^ +||quixoticnebula.com^ +||quizzicalpartner.com^ +||quizzicalzephyr.com^ +||rabbitbreath.com^ +||rabbitrifle.com^ +||radiantcanopy.com^ +||radiateprose.com^ +||railwayrainstorm.com^ +||railwayreason.com^ +||raintwig.com^ +||rainydirt.com^ +||rainyhand.com^ +||rainyrule.com^ +||rainystretch.com^ +||rambunctiousflock.com^ +||rambunctiousvoyage.com^ +||rangecake.com^ +||rangeplayground.com^ +||rangergustav.com^ +||rapidkittens.com^ +||rarestcandy.com^ +||raresummer.com^ +||razzweb.com^ +||reactjspdf.com^ +||readgoldfish.com^ +||readingguilt.com^ +||readymoon.com^ +||readysnails.com^ +||realizedoor.com^ +||realizerecess.com^ +||rebelclover.com^ +||rebelhen.com^ +||rebelsubway.com^ +||rebelswing.com^ +||receiptcent.com^ +||receptivebranch.com^ +||receptiveink.com^ +||receptivereaction.com^ +||recessrain.com^ +||recommenddoor.com^ +||reconditeprison.com^ +||reconditerake.com^ +||reconditerespect.com^ +||recordbutter.com^ +||referdriving.com^ +||reflectivereward.com^ +||reflectivestatement.com^ +||refundradar.com^ +||regexmail.com^ +||regularplants.com^ +||regulatesleet.com^ +||rehabilitatereason.com^ +||rejectfairies.com^ +||relationrest.com^ +||releasepath.com^ +||reloadphoto.com^ +||rememberdiscussion.com^ +||rentinfinity.com^ +||repeatsweater.com^ +||replaceroute.com^ +||resolutekey.com^ +||resonantbrush.com^ +||resonantrock.com^ +||respectrain.com^ +||resplendentecho.com^ +||restrainstorm.com^ +||restructureinvention.com^ +||retrievemint.com^ +||rhetoricalactivity.com^ +||rhetoricalloss.com^ +||rhetoricalveil.com^ +||rhymezebra.com^ +||rhythmmoney.com^ +||rhythmrule.com^ +||richreceipt.com^ +||richstring.com^ +||righteouscrayon.com^ +||rightfulfall.com^ +||rigidrobin.com^ +||rigidveil.com^ +||rigorlab.com^ +||ringplant.com^ +||ringplayground.com^ +||ringsrecord.com^ +||ritzykey.com^ +||ritzyrepresentative.com^ +||ritzyveil.com^ +||robustbelieve.com^ +||rockagainst.com^ +||rockpebbles.com^ +||rodeopolice.com^ +||rollconnection.com^ +||roomyreading.com^ +||roseincome.com^ +||rottenray.com^ +||roughroll.com^ +||ruddycast.com^ +||ruddywash.com^ +||ruralrobin.com^ +||rusticprice.com^ +||ruthlessdegree.com^ +||ruthlessmilk.com^ +||ruthlessrobin.com^ +||sableloss.com^ +||sableshelf.com^ +||sablesmile.com^ +||sablesong.com^ +||sadloaf.com^ +||safetybrush.com^ +||saffronrefuge.com^ +||sagargift.com^ +||saltsacademy.com^ +||samesticks.com^ +||samestretch.com^ +||samplesamba.com^ +||samuraibots.com^ +||sandstrophies.com^ +||satisfycork.com^ +||satisfyingshirt.com^ +||satisfyingshow.com^ +||satisfyingspark.com^ +||savoryorange.com^ +||savorystructure.com^ +||sayinnovation.com^ +||saysidewalk.com^ +||scarcecard.com^ +||scarceshock.com^ +||scarcesign.com^ +||scarcestructure.com^ +||scarcesurprise.com^ +||scarecrowslip.com^ +||scarecrowslope.com^ +||scaredcomfort.com^ +||scaredsidewalk.com^ +||scaredslip.com^ +||scaredsnake.com^ +||scaredsnakes.com^ +||scaredsong.com^ +||scaredstomach.com^ +||scaredstory.com^ +||scaredswing.com^ +||scarefowl.com^ +||scarfsmash.com^ +||scarfthought.com^ +||scatteredheat.com^ +||scatteredquiver.com^ +||scatteredstream.com^ +||scenicapparel.com^ +||scenicdrops.com^ +||scientificshirt.com^ +||scientificsneeze.com^ +||scintillatingscissors.com^ +||scintillatingsilver.com^ +||scintillatingspace.com^ +||scissorsstatement.com^ +||scrapesleep.com^ +||scratchsofa.com^ +||screechingfurniture.com^ +||screechingstocking.com^ +||screechingstove.com^ +||scribbleson.com^ +||scribblestring.com^ +||scrollservice.com^ +||scrubswim.com^ +||seashoresociety.com^ +||seatsmoke.com^ +||secondhandfall.com^ +||secretivecub.com^ +||secretivesheep.com^ +||secretspiders.com^ +||secretturtle.com^ +||sedatebun.com^ +||seedscissors.com^ +||seemlysuggestion.com^ +||seespice.com^ +||selectionship.com^ +||selectivesummer.com^ +||selfishsea.com^ +||selfishsnake.com^ +||sendingspire.com^ +||sensorsmile.com^ +||sentinelp.com^ +||separateshow.com^ +||separatesilver.com^ +||separatesort.com^ +||seraphichorizon.com^ +||serendipityecho.com^ +||serenecascade.com^ +||serenesurf.com^ +||serenezenith.com^ +||serioussuit.com^ +||serpentshampoo.com^ +||serverracer.com^ +||settleshoes.com^ +||shadeship.com^ +||shaggytank.com^ +||shakegoldfish.com^ +||shakesuggestion.com^ +||shakyseat.com^ +||shakysurprise.com^ +||shakytaste.com^ +||shallowart.com^ +||shallowblade.com^ +||shallowsmile.com^ +||shamerain.com^ +||shapecomb.com^ +||sharkskids.com^ +||sharppatch.com^ +||shesubscriptions.com^ +||shinesavage.com^ +||shinypond.com^ +||shirtsidewalk.com^ +||shiveringspot.com^ +||shiverscissors.com^ +||shockinggrass.com^ +||shockingship.com^ +||shopbreakfast.com^ +||showsteel.com^ +||shredquiz.com^ +||shrillspoon.com^ +||shutseashore.com^ +||shydinosaurs.com^ +||shyseed.com^ +||sickflock.com^ +||sicksmash.com^ +||sierrakermit.com^ +||signaturepod.com^ +||silentcredit.com^ +||silentwrench.com^ +||siliconslow.com^ +||silkysquirrel.com^ +||sillyscrew.com^ +||simplesidewalk.com^ +||simplisticstem.com^ +||simulateswing.com^ +||sincerebuffalo.com^ +||sinceresubstance.com^ +||singroot.com^ +||sinkbooks.com^ +||sixauthority.com^ +||sixscissors.com^ +||sizesidewalk.com^ +||sizzlingsmoke.com^ +||skillfuldrop.com^ +||skillfulsock.com^ +||skisofa.com^ +||skullmagnets.com^ +||slaysweater.com^ +||sleepcartoon.com^ +||slimopinion.com^ +||slimyscarf.com^ +||slinksuggestion.com^ +||slipperysack.com^ +||slopesoap.com^ +||sloppycalculator.com^ +||sloppyearthquake.com^ +||smallershops.com^ +||smashquartz.com^ +||smashshoe.com^ +||smashsurprise.com^ +||smilewound.com^ +||smilingcattle.com^ +||smilingshake.com^ +||smilingswim.com^ +||smilingwaves.com^ +||smoggysnakes.com^ +||smoggysongs.com^ +||smoggystation.com^ +||snacktoken.com^ +||snailsengine.com^ +||snakemineral.com^ +||snakeslang.com^ +||snakesshop.com^ +||snakesstone.com^ +||snappyreport.com^ +||snapsgate.com^ +||sneakwind.com^ +||sneakystew.com^ +||snoresmile.com^ +||snowmentor.com^ +||soaprange.com^ +||softwarerumble.com^ +||soggysponge.com^ +||soggyzoo.com^ +||solarislabyrinth.com^ +||soleblinds.com^ +||somberattack.com^ +||somberscarecrow.com^ +||sombersea.com^ +||sombersquirrel.com^ +||sombersticks.com^ +||somberstructure.com^ +||sombersurprise.com^ +||songssmoke.com^ +||songsterritory.com^ +||sootheside.com^ +||soothingglade.com^ +||sophisticatedstory.com^ +||sophisticatedstove.com^ +||sordidsmile.com^ +||sordidstation.com^ +||soresidewalk.com^ +||soresneeze.com^ +||sorethunder.com^ +||soretrain.com^ +||sortanoisy.com^ +||sortsail.com^ +||sortstructure.com^ +||sortsummer.com^ +||soundstocking.com^ +||sowlettuce.com^ +||spadelocket.com^ +||sparkgoal.com^ +||sparklesleet.com^ +||sparklingnumber.com^ +||sparklingshelf.com^ +||specialscissors.com^ +||specialsnake.com^ +||specialstatement.com^ +||spectacularstamp.com^ +||spellmist.com^ +||spellsalsa.com^ +||spendpest.com^ +||spidersboats.com^ +||spiffymachine.com^ +||spirebaboon.com^ +||spookyexchange.com^ +||spookyskate.com^ +||spookysleet.com^ +||spookyslope.com^ +||spookystitch.com^ +||spoonsilk.com^ +||spotlessstamp.com^ +||spotstring.com^ +||spottednoise.com^ +||spottedsmile.com^ +||spottedsnow.com^ +||springaftermath.com^ +||springolive.com^ +||springsister.com^ +||springsnails.com^ +||sproutingbag.com^ +||sprydelta.com^ +||sprysummit.com^ +||spuriousair.com^ +||spuriousbase.com^ +||spurioussquirrel.com^ +||spurioussteam.com^ +||spuriousstranger.com^ +||spysubstance.com^ +||squalidscrew.com^ +||squashfriction.com^ +||squeakzinc.com^ +||squealingturn.com^ +||squeamishspot.com^ +||squirrelhands.com^ +||stakingbasket.com^ +||stakingscrew.com^ +||stakingshock.com^ +||stakingslope.com^ +||stakingsmile.com^ +||staleseat.com^ +||staleshow.com^ +||stalesummer.com^ +||stampknot.com^ +||standingnest.com^ +||standingsack.com^ +||standtrouble.com^ +||starkscale.com^ +||startercost.com^ +||startingcars.com^ +||stat.pet^ +||statementsweater.com^ +||statshunt.com^ +||statuesquebrush.com^ +||stayaction.com^ +||steadfastseat.com^ +||steadfastsound.com^ +||steadfastsystem.com^ +||steadycopper.com^ +||stealsteel.com^ +||steepscale.com^ +||steepsister.com^ +||steepsquirrel.com^ +||stepcattle.com^ +||stepplane.com^ +||stepwisevideo.com^ +||stereoproxy.com^ +||stereotypedclub.com^ +||stereotypedsugar.com^ +||stewspiders.com^ +||stickssheep.com^ +||stickysheet.com^ +||stiffgame.com^ +||stiffstem.com^ +||stimulatingsneeze.com^ +||stingsquirrel.com^ +||stingycrush.com^ +||stingyshoe.com^ +||stingyspoon.com^ +||stockingsleet.com^ +||stockingsneeze.com^ +||stocktheme.com^ +||stomachscience.com^ +||stonechin.com^ +||stopstomach.com^ +||storescissors.com^ +||storeslope.com^ +||storesurprise.com^ +||stormyachiever.com^ +||stormyfold.com^ +||stoveseashore.com^ +||straightnest.com^ +||strangeclocks.com^ +||strangersponge.com^ +||strangesink.com^ +||streetsort.com^ +||stretchsister.com^ +||stretchsneeze.com^ +||stretchsquirrel.com^ +||stringsmile.com^ +||stripedbat.com^ +||stripedburst.com^ +||strivesidewalk.com^ +||strivesquirrel.com^ +||strokesystem.com^ +||structurerod.com^ +||stupendousselection.com^ +||stupendoussleet.com^ +||stupendoussnow.com^ +||stupidscene.com^ +||stupidsnake.com^ +||sturdysnail.com^ +||subletyoke.com^ +||subsequentsand.com^ +||subsequentstew.com^ +||subsequentswim.com^ +||substantialcarpenter.com^ +||substantialgrade.com^ +||substantialstraw.com^ +||successfulscent.com^ +||suddensidewalk.com^ +||suddensnake.com^ +||suddensoda.com^ +||suddenstructure.com^ +||sugarcurtain.com^ +||sugarfriction.com^ +||suggestionbridge.com^ +||sulkybutter.com^ +||sulkycook.com^ +||summerobject.com^ +||sunshinegates.com^ +||superchichair.com^ +||superficialeyes.com^ +||superficialspring.com^ +||superficialsquare.com^ +||supervisegoldfish.com^ +||superviseshoes.com^ +||supportwaves.com^ +||suspectmark.com^ +||suspendseed.com^ +||swankysquare.com^ +||sweepsheep.com^ +||sweetslope.com^ +||swellstocking.com^ +||swelteringsleep.com^ +||swimfreely.com^ +||swimslope.com^ +||swingslip.com^ +||swordgoose.com^ +||syllablesight.com^ +||symbolizebeast.com^ +||synonymousrule.com^ +||synonymoussticks.com^ +||synthesizespoon.com^ +||systemizecoat.com^ +||tackytrains.com^ +||talentedsteel.com^ +||talltouch.com^ +||tangibleteam.com^ +||tangletrace.com^ +||tangyamount.com^ +||tangycover.com^ +||tarttendency.com^ +||tasksimplify.com^ +||tasselapp.com^ +||tastefulsongs.com^ +||tastelesstoes.com^ +||tastelesstrees.com^ +||tastesnake.com^ +||tawdryson.com^ +||tdzvm.pw^ +||teacupbooks.com^ +||tearfulglass.com^ +||techconverter.com^ +||tediousbear.com^ +||tediousticket.com^ +||tedioustooth.com^ +||teenytinycellar.com^ +||teenytinyshirt.com^ +||teenytinytongue.com^ +||teenyvolcano.com^ +||teethfan.com^ +||telephoneapparatus.com^ +||tempertrick.com^ +||tempttalk.com^ +||temptteam.com^ +||tendersugar.com^ +||tendertest.com^ +||tenhourweek.com^ +||terriblethumb.com^ +||terrificgoose.com^ +||terrifictooth.com^ +||testadmiral.com^ +||testedtouch.com^ +||texturetrick.com^ +||thejavalane.com^ +||therapeuticcars.com^ +||thickticket.com^ +||thicktrucks.com^ +||thingsafterthought.com^ +||thingstaste.com^ +||thinkablefloor.com^ +||thinkablerice.com^ +||thinkitten.com^ +||thinkitwice.com^ +||thirdrespect.com^ +||thirstyswing.com^ +||thirstytwig.com^ +||thomastorch.com^ +||thoughtlessknot.com^ +||threechurch.com^ +||threetruck.com^ +||throattrees.com^ +||thunderingrose.com^ +||thunderingtendency.com^ +||ticketaunt.com^ +||ticklesign.com^ +||tidymitten.com^ +||tightpowder.com^ +||timeterritory.com^ +||timetwig.com^ +||tinyswans.com^ +||tinytendency.com^ +||tiredthroat.com^ +||tiresomethunder.com^ +||toecircle.com^ +||toedrawer.com^ +||toolcapital.com^ +||toomanyalts.com^ +||toothbrushnote.com^ +||toothpasterabbits.com^ +||topichawaii.com^ +||torpidtongue.com^ +||torpidtoothpaste.com^ +||touristfuel.com^ +||trackcaddie.com^ +||tradetooth.com^ +||trafficviews.com^ +||tranquilamulet.com^ +||tranquilarchipelago.com^ +||tranquilcanyon.com^ +||tranquilplume.com^ +||tranquilside.com^ +||tranquilveranda.com^ +||trappush.com^ +||traytouch.com^ +||treadbun.com^ +||tremendousearthquake.com^ +||tremendousplastic.com^ +||tremendoustime.com^ +||tritebadge.com^ +||tritethunder.com^ +||tritetongue.com^ +||troubleshade.com^ +||truckstomatoes.com^ +||truculentrate.com^ +||truebackpack.com^ +||tumbleicicle.com^ +||tuneupcoffee.com^ +||twistloss.com^ +||twistsweater.com^ +||typicalairplane.com^ +||typicalteeth.com^ +||tzwaw.pw^ +||ubiquitoussea.com^ +||ubiquitousyard.com^ +||ultraoranges.com^ +||ultravalid.com^ +||unablehope.com^ +||unaccountablecreator.com^ +||unaccountablepie.com^ +||unarmedindustry.com^ +||unbecominghall.com^ +||unbecominglamp.com^ +||uncoveredexpert.com^ +||understoodocean.com^ +||unequalbrake.com^ +||unequaltrail.com^ +||unicontainers.com^ +||unifyaddition.com^ +||uninterestedquarter.com^ +||unknowncontrol.com^ +||unknowncrate.com^ +||unknownidea.com^ +||unknowntray.com^ +||unloadyourself.com^ +||untidyquestion.com^ +||untidyrice.com^ +||unusedstone.com^ +||unusualtitle.com^ +||unwieldyhealth.com^ +||unwieldyimpulse.com^ +||unwieldyplastic.com^ +||unwrittenspot.com^ +||uppitytime.com^ +||usedexample.com^ +||uselesslumber.com^ +||uttermosthobbies.com^ +||validmemo.com^ +||vanfireworks.com^ +||vanishmemory.com^ +||velvetnova.com^ +||velvetquasar.com^ +||vengefulgrass.com^ +||venomousvessel.com^ +||venusgloria.com^ +||verdantanswer.com^ +||verdantcrescent.com^ +||verdantlabyrinth.com^ +||verdantsculpture.com^ +||verifyvegetable.com^ +||verseballs.com^ +||vibranthaven.com^ +||vibrantsundown.com^ +||vibrantvale.com^ +||victoriousrequest.com^ +||virgoplato.com^ +||virtualvincent.com^ +||vivaciousveil.com^ +||voicelessvein.com^ +||voicevegetable.com^ +||voidgoo.com^ +||volatileprofit.com^ +||volatilerainstorm.com^ +||volatilevessel.com^ +||voraciousgrip.com^ +||voyagepotato.com^ +||vq1qi.pw^ +||waggishpig.com^ +||waitingnumber.com^ +||wakefulcook.com^ +||wantingwindow.com^ +||warmafterthought.com^ +||warmquiver.com^ +||warnwing.com^ +||waryfog.com^ +||washbanana.com^ +||wateryvan.com^ +||waterywave.com^ +||waterywrist.com^ +||wearbasin.com^ +||websitesdude.com^ +||wellgroomedapparel.com^ +||wellgroomedbat.com^ +||wellgroomedhydrant.com^ +||wellmadefrog.com^ +||westpalmweb.com^ +||whimsicalcanyon.com^ +||whimsicalgrove.com^ +||whineattempt.com^ +||whirlwealth.com^ +||whiskyqueue.com^ +||whisperingbadge.com^ +||whisperingcascade.com^ +||whisperingcrib.com^ +||whisperingsummit.com^ +||whispermeeting.com^ +||wigglygeese.com^ +||wigglyindustry.com^ +||wildcommittee.com^ +||wildernesscamera.com^ +||wildwoodavenue.com^ +||wirecomic.com^ +||wiredforcoffee.com^ +||wirypaste.com^ +||wistfulflight.com^ +||wittypopcorn.com^ +||womanear.com^ +||workableachiever.com^ +||workoperation.com^ +||worldlever.com^ +||worriednumber.com^ +||worriedwine.com^ +||wrapstretch.com^ +||wreckvolcano.com^ +||writewealth.com^ +||wrongpotato.com^ +||wrongwound.com^ +||wryfinger.com^ +||wtaccesscontrol.com^ +||xovq5nemr.com^ +||yamstamp.com^ +||yieldingwoman.com^ +||youngmarble.com^ +||youthfulnoise.com^ +||zbwp6ghm.com^ +||zealousfield.com^ +||zephyrcatalyst.com^ +||zephyrlabyrinth.com^ +||zestycrime.com^ +||zestyhorizon.com^ +||zestyrover.com^ +||zestywire.com^ +||zipperxray.com^ +||zippywind.com^ +||zlp6s.pw^ +||zonewedgeshaft.com^ +! *** easylist:easyprivacy/easyprivacy_trackingservers_notifications.txt *** +! easyprivacy_trackingservers_notifications.txt +||actirinius.com^$third-party +||aimtell.com^$third-party +||alertme.news^$third-party +||amazonaws.com/cdn.aimtell.com/ +||aswpsdkeu.com^$third-party +||aswpsdkus.com^ +||bildirt.com^$third-party +||bosspush.com^$third-party +||browserpusher.com^$third-party +||cdn-sitegainer.com^$third-party +||cleverpush.com^$third-party +||copush.com^$third-party +||cracataum.com^$third-party +||danorenius.com^$third-party +||dengage.com^$third-party +||edrone.me^$third-party +||feedify.net^$third-party +||feraciumus.com^$third-party +||fernomius.com^$third-party +||fkondate.com^$third-party +||foxpush.com^$third-party +||foxpush.net^$third-party +||getback.ch^$third-party +||getnotix.co^$third-party +||getpush.net^$third-party +||getpushmonkey.com^$third-party +||gravitec.net^$third-party +||heroesdom.com^$third-party +||hrbpark.bid^$third-party +||jeeng.com^$third-party +||kattepush.com^$third-party +||letreach.com^$third-party +||lifterpopup.com^$third-party +||master-push.com^$third-party +||master-push.net^$third-party +||misrepush.com^$third-party +||moengage.com^$third-party +||mypush.online^$third-party +||najva.com^$third-party +||nativesubscribe.pro^$third-party +||netmera-web.com^$third-party +||notifadz.com^$third-party +||notify.solutions^$third-party +||notiks.io^$third-party +||notiksio.com^$third-party +||notix.io^$third-party +||on-push.com^$third-party +||onepush.app^$third-party +||outfunnel.com^$third-party +||pn.vg^$third-party +||provesrc.com^$third-party +||psh.one^$third-party +||push-ad.com^$third-party +||push-free.com^$third-party +||push.delivery^$third-party +||push7.jp^$third-party +||pushalert.co^$third-party +||pushbird.com^$third-party +||pushbullet.com^$third-party +||pushengage.com^$third-party +||pushible.com^$third-party +||pushify.com^$third-party +||pushmaster-cdn.xyz^ +||pushowl.com^$third-party +||pushprofit.ru^$third-party +||pushpushgo.com^$third-party +||pushwize.com^$third-party +||pushwoosh.com^$third-party +||reprocautious.com^$third-party +||sbi-push.com^$third-party +||sendpulse.com^$third-party +||shroughtened.com^$third-party +||snd.tc^$third-party +||subscribers.com^$third-party +||truenat.bid^$third-party +||truepush.com^$third-party +||unative.com^$third-party +||urbanairship.com^ +||viapush.com^$third-party +||webpu.sh^$third-party +||webpushr.com^$third-party +||webpushs.com^$third-party +||whiteclick.biz^$third-party +||wonderpush.com^$third-party +||wwclickserv.club^$third-party +||xtremepush.com^$third-party +! *** easylist:easyprivacy/easyprivacy_trackingservers.txt *** +! Chinese google (https://github.com/easylist/easylist/issues/15643) +||google-analytics-cn.com^ +||googleoptimize-cn.com^ +||googletagmanager-cn.com^ +! IP tracking +||0.0.0.1^ +! Bright Data https://github.com/AdguardTeam/AdGuardSDNSFilter/issues/1580 +||brdtest.com^ +||brdtnet.com^ +||brightdata.com^$third-party +||brightdata.de^$third-party +||luminati.io^ +||perr.l-agent.me^ +||perr.l-err.biz^ +! Block ping +$ping,third-party +! https://www.opensubtitles.org/ +$third-party,xmlhttprequest,domain=opensubtitles.org +! Oracle +||addthis.com^$third-party +||addthiscdn.com^$domain=~addthis.com +||addthisedge.com^$third-party +! revprotect +||pphwrevr.com^$third-party +||protectcrev.com^$third-party +||protectsubrev.com^$third-party +||revcatch.com^$third-party +||revprotect.com^$third-party +! Marketo email tracking domains https://github.com/easylist/easylist/issues/6475 +||mkto-*.com^$third-party +! Fingerprinting +||breaktime.com.tw^$third-party +||brightedge.com^$third-party +||citrusad.net^$third-party +||clickguardian.app^$third-party +||clickyab.com^$third-party +||fpjscdn.net^ +||guoshipartners.com^$third-party +||klangoo.com^$third-party +||p30rank.ir^$third-party +||ppcprotect.com^$third-party +||push4site.com^$third-party +||ravelin.net^$third-party +||simility.com^$third-party +! -----------------International third-party tracking domains-----------------! +! *** easylist:easyprivacy/easyprivacy_trackingservers_international.txt *** +! German +||123-counter.de^$third-party +||193.197.158.209^$third-party,domain=~statistik.lubw.baden-wuerttemberg.de.ip +||212.95.32.75^$third-party,domain=~ipcounter.de.ip +||24log.de^$third-party +||3ng6p6m0.de^$third-party +||4stats.de^$third-party +||active-tracking.de^$third-party +||adc-serv.net^$third-party +||adclear.net^$third-party +||adcrowd.com^$third-party +||admeira.ch^$third-party +||adquality.ch^$third-party +||adtraxx.de^$third-party +||adtriba.com^$third-party +||amunx.de^$third-party +||analytics.rechtslupe.org^ +||andyhoppe.com^$third-party +||anormal-tracker.de^$third-party +||area51.to^$third-party +||asadcdn.com^$third-party +||atsfi.de^$third-party +||audiencemanager.de^$third-party +||audienzz.ch^$third-party +||avencio.de^$third-party +||backlink-test.de^$third-party +||backlinkdino.de^$third-party +||bekannt-im-web.de^$third-party +||belboon.de^$third-party +||beliebtestewebseite.de^$third-party +||besucherzaehler-counter.de^$third-party +||besucherzaehler-homepage.de^$third-party +||besucherzaehler-zugriffszaehler.de^$third-party +||besucherzaehler.org^$third-party +||betarget.de^$third-party +||bf-tools.net^$third-party +||blacktri.com^$third-party +||blog-o-rama.de^$third-party +||blog-webkatalog.de^$third-party +||blogcounter.com^$third-party +||blogcounter.de^$third-party +||bloggeramt.de^$third-party +||bloggerei.de^$third-party +||blogtraffic.de^$third-party +||bluecounter.de^$third-party +||bonitrust.de^$third-party +||bonuscounter.de^$third-party +||businessclick.ch^$third-party +||checkeffect.at^$third-party +||clickmap.ch^$third-party +||content-garden.com^$third-party +||contiamo.com^$third-party +||count24.de^$third-party +||countar.de^$third-party +||counter-go.de^$third-party +||counter-gratis.com^$third-party +||counter-kostenlos.info^$third-party +||counter-kostenlos.net^$third-party +||counter-treff.de^$third-party +||counter-zaehler.de^$third-party +||counter.de^$third-party +||counter27.ch^$third-party +||countercity.net^$third-party +||counterlevel.de^$third-party +||counteronline.de^$third-party +||counterseite.de^$third-party +||counterserver.de^$third-party +||counterstation.de^$third-party +||counterstatistik.de^$third-party +||counthis.com^$third-party +||counti.de^$third-party +||countino.de^$third-party +||countit.ch^$third-party +||countnow.de^$third-party +||counto.de^$third-party +||countok.de^$third-party +||countyou.de^$third-party +||cptrack.de^$third-party +||cya1t.net^$third-party +||dcmn.io^$third-party +||df-srv.de^$third-party +||digidip.net^$third-party +||digistats.de^$third-party +||directcounter.de^$third-party +||divolution.com^$third-party +||dl8.me^$third-party +||dreamcounter.de^$third-party +||durchsichtig.xyz^ +||eanalyzer.de^$third-party +||easytracking.de^$third-party +||econda-monitor.de^$third-party +||edococounter.de^$third-party +||edtp.de^$third-party +||emetriq.de^$third-party +||etracker.de^$third-party +||etrust.eu^$third-party +||euro-pr.eu^$third-party +||eurocounter.com^$third-party +||exapxl.de^$third-party +||faibl.org^$third-party +||fairanalytics.de^$third-party +||fast-counter.net^$third-party +||fastcounter.de^$third-party +||fixcounter.com^$third-party +||free-counters.net^$third-party +||freihit.de^$third-party +||fremaks.net^$third-party +||fun-hits.com^$third-party +||gacela.eu^$third-party +||generaltracking.de^$third-party +||gezaehlt.de^$third-party +||gft2.de^$third-party +||giga-abs.de^$third-party +||gostats.de^$third-party +||gratis-besucherzaehler.de^$third-party +||gratis-counter-gratis.de^$third-party +||greatviews.de^$third-party +||grfz.de^$third-party +||haymarketstat.de^$third-party +||healte.de^$third-party +||hitmaster.de^$third-party +||hot-count.com^$third-party +||hstrck.com^$third-party +||htm1.ch^$third-party +||hung.ch^$third-party +||iivt.com^$third-party +||imcht.net^$third-party +||imcounter.com^$third-party +||ingenioustech.biz^$third-party +||intelliad.de^$third-party +||interaktiv-net.de^$third-party +||interhits.de^$third-party +||ioam.de^$third-party +||ipcount.net^$third-party +||iyi.net^$third-party +||kctag.net^$third-party +||keytrack.de^$third-party +||kostenlose-counter.com^$third-party +||kupona.de^$third-party +||lddt.de^$third-party +||leserservice-tracking.de^$third-party +||link-empfehlen24.de^$third-party +||listrakbi.com^$third-party +||lokalleads-cci.com^$third-party +||losecounter.de^$third-party +||lumitos.com^$third-party +||mairdumont.com^$third-party +||marketing-page.de^$third-party +||matelso.de^$third-party +||mateti.net^$third-party +||md-nx.com^$third-party +||meetrics.net^$third-party +||mengis-linden.org^$third-party +||metalyzer.com^$third-party +||microcounter.de^$third-party +||mindtake.com^$third-party +||motorpresse-statistik.de^$third-party +||mps-gba.de^$third-party +||mr-rank.de^$third-party +||multicounter.de^$third-party +||my-ranking.de^$third-party +||my-stats.info^$third-party +||netcounter.de^$third-party +||netdebit-counter.de^$third-party +||netupdater.info^$third-party +||netzaehler.de^$third-party +||netzstat.ch^$third-party +||observare.de^$third-party +||odoscope.cloud^$third-party +||oewabox.at^$third-party +||offer-go.com^$third-party +||oghub.io^$third-party +||optimierung-der-website.de^$third-party +||ourstats.de^$third-party +||page-hit.de^$third-party +||pagerank-linkverzeichnis.de^$third-party +||pagerank-online.eu^$third-party +||pc-agency24.de^$third-party +||plexworks.de^$third-party +||powercount.com^$third-party +||ppro.de^$third-party +||pr-linktausch.de^$third-party +||pr-sunshine.de^$third-party +||prnetwork.de^$third-party +||productsup.com^$third-party +||prudsys-rde.de^$third-party +||ptadsrv.de^$third-party +||rank4all.eu^$third-party +||rankchamp.de^$third-party +||ranking-charts.de^$third-party +||ranking-counter.de^$third-party +||ranking-hits.de^$third-party +||ranking-links.de^$third-party +||redretarget.com^$third-party +||refinedads.com^$third-party +||reshin.de^$third-party +||retailads.net^$third-party +||rightstats.com^$third-party +||royalcount.de^$third-party +||scriptil.com^$third-party +||scw.systems^$third-party +||sedotracker.de^$third-party +||seitwert.de^$third-party +||selfcampaign.com^$third-party +||semtracker.de^$third-party +||sensic.net^$third-party +||sitealyse.de^$third-party +||sitebro.de^$third-party +||slogantrend.de^$third-party +||smarketer.de^$third-party +||space-link.de^$third-party +||spacehits.net^$third-party +||speedcount.de^$third-party +||speedcounter.net^$third-party +||speedtracker.de^$third-party +||spelar.org^$third-party +||spider-mich.com^$third-party +||sponsorcounter.de^$third-party +||spring-tns.net^$third-party +||static-fra.de^*/targeting.js +||static-fra.de^*/tracking.js +||statistik-gallup.net^$third-party +||stats.de^$third-party +||stats4free.de^$third-party +||stetic.com^$third-party +||sunios.de^$third-party +||t4ft.de^$third-party +||tda.io^$third-party +||technical-service.net^$third-party +||tedo-stats.de^$third-party +||tisoomi-services.com^$third-party +||toplist100.org^$third-party +||topstat.com^$third-party +||tracdelight.com^$third-party +||tracdelight.io^$third-party +||trackboxx.info^$third-party +||trafficmaxx.de^$third-party +||trbo.com^$third-party +||trendcounter.de^$third-party +||trkme.net^$third-party +||txt.eu^$third-party +||undom.net^$third-party +||uniconsent.com^$third-party +||untho.de^$third-party +||up-rank.com^$third-party +||urstats.de^$third-party +||usage.seibert-media.io^$third-party +||usemaxserver.de^$third-party +||viewar.org^$third-party +||vinsight.de^$third-party +||visitor-stats.de^$third-party +||vtracy.de^$third-party +||wcfbc.net^$third-party +||webhits.de^$third-party +||weblist.de^$third-party +||webprospector.de^$third-party +||webtrekk-us.net^$third-party +||webtrekk.de^$third-party +||webtrekk.net^$third-party +||webttracking.de^$third-party +||wecount4u.com^$third-party +||welt-der-links.de^$third-party +||wipe.de^$~script,third-party +||wp-worthy.de^$third-party +||xcounter.ch^$third-party +||xhit.com^$third-party +||xplosion.de^$third-party +||yoochoose.net^$third-party +! French +||123compteur.com^$third-party +||24log.fr^$third-party +||7x4.fr^$third-party +||7x5.fr^$third-party +||abcompteur.com^$third-party +||admo.tv^$third-party +||adsixmedia.fr^$third-party +||adthletic.com^$third-party +||affilizr.com^$third-party +||air360tracker.net^$third-party +||alkemics.com^$third-party +||allo-media.net^$third-party +||analytics-cdiscount.com^$third-party +||antvoice.com^$third-party +||atraxio.com^$third-party +||audiencesquare.com^$third-party +||carts.guru^$third-party +||casualstat.com^$third-party +||compteur-fr.com^$third-party +||compteur-gratuit.org^$third-party +||compteur-visite.com^$third-party +||compteur.org^$third-party +||count.fr^$third-party +||countus.fr^$third-party +||cshield.io^$third-party +||d-bi.fr^$third-party +||datado.me^$third-party +||datadome.co^$third-party +||do09.net^$third-party +||early-birds.io^$third-party +||edt02.net^$third-party +||emailretargeting.com^$third-party +||et-gv.fr^$third-party +||ezakus.net^$third-party +||facil-iti.com^$third-party +||ferank.fr^$third-party +||first-id.fr^$third-party +||fogl1onf.com^$third-party +||galaxiemedia.fr^$third-party +||geocompteur.com^$third-party +||geovisite.ovh^$third-party +||hunkal.com^$third-party +||ivitrack.com^$third-party +||kdata.fr^$third-party +||leadium.com^$third-party +||libstat.com^$third-party +||livestats.fr^$third-party +||mastertag.effiliation.com^$third-party +||mb-srv.com^$third-party +||megavisites.com^$third-party +||mgtmod01.com^$third-party +||mmtro.com^$third-party +||netquattro.com/stats/ +||netvigie.com^$third-party +||non.li^$third-party +||pa-cd.com^$third-party +||phywi.org^$third-party +||pingclock.net^$third-party +||semiocast.com^$third-party +||shopimind.com^$third-party +||sk1n.fr^$third-party +||sk8t.fr^$third-party +||stats.fr^$third-party +||sync.tv^$third-party +||tget.me^$third-party +||tinyclues.com^$third-party +||titag.com^$third-party +||toc.io^$third-party +||tracking.wlscripts.net^ +||uzerly.net^$third-party +||vpn-access.site^$third-party +||webcompteur.com^$third-party +||winitout.com^$third-party +||wysistat.com^$third-party +||x-traceur.com^$third-party +! Armenian +||circle.am^$third-party +! Azerbaijani +||mobtop.az^$third-party +! Belarusian +||call-tracking.by^$third-party +! Bulgarian +||trafit.com^$third-party +||tyxo.bg^$third-party +! Chinese +||180.76.2.18^$third-party,domain=~baidu.ip +||365dmp.com^$third-party +||50bang.org^$third-party +||acs86.com^$third-party +||ad7.com^$third-party +||adop.cc^$third-party +||adskom.com^$third-party +||adxvip.com^$third-party +||affclkr.com^$third-party +||appier.net^$third-party +||baifendian.com^$third-party +||blog104.com^$third-party +||blogtw.net^$third-party +||cctvgb.com.cn^$third-party +||cdnmaster.cn^$third-party +||clicki.cn^$third-party +||cnzz.net^$third-party +||cr-nielsen.com^$third-party +||ctags.cn^$third-party +||datayi.cn^$third-party +||eland-tech.com^$third-party +||emarbox.com^$third-party +||fraudmetrix.cn^$third-party +||ggxt.net^$third-party +||giocdn.com^$third-party +||gm99.com^$third-party +||gostats.cn^$third-party +||gridsum.com^$third-party +||gridsumdissector.com^$third-party +||growingio.com^$third-party +||gtags.net^$third-party +||he2d.com^$third-party +||hotrank.com.tw^$third-party +||hubpd.com^$third-party +||ipinyou.com^$third-party +||jiankongbao.com^$third-party +||jpush.cn^$third-party +||lndata.com^$third-party +||mediav.com^$third-party +||miaozhen.com^$third-party +||mmstat.com^$third-party +||oadz.com^$third-party +||p0y.cn^$third-party +||phpstat.com^$third-party +||pixanalytics.com^$third-party +||pp8.com^$third-party +||pvmax.net^$third-party +||qchannel03.cn^$third-party +||qhupdate.com^$third-party +||reachmax.cn^$third-party +||sagetrc.com^$third-party +||scupio.com^$third-party +||sdqoi2d.com^$third-party +||sjv.io^$third-party +||ta.sbird.xyz^$third-party +||tagmanager.cn^$third-party +||tenmax.io^$third-party +||threatbook.cn^$third-party +||tomonline-inc.com^$third-party +||top-bloggers.com^$third-party +||topsem.com^$third-party +||tovery.net^$third-party +||turtlemobile.com.tw^$third-party +||twcouponcenter.com^$third-party +||vamaker.com^$third-party +||vdoing.com^$third-party +||vm5apis.com^$third-party +||webdissector.com^$third-party +||xtgreat.com^$third-party +||yigao.com^$third-party +||youle55.com^$third-party +||zampda.net^$third-party +||ztcadx.com^$third-party +! Croatian +||dotmetrics.net^$third-party +||xclaimwords.net^$third-party +! Czech +||affilbox.cz^$third-party +||analights.com^$third-party +||itop.cz^$third-party +||lookit.cz^$third-party +||monkeytracker.cz^$third-party +||navrcholu.cz^$third-party +||netagent.cz^$third-party +||performax.cz^$third-party +||pocitadlo.cz^$third-party +||programmatic.cz^$third-party +||semnicneposilejte.cz^$third-party +||smartselling.cz^$third-party +! Danish +||agillic.eu^$third-party +||andersenit.dk^$third-party +||chart.dk^$third-party +||digitaladvisor.dk^$third-party +||euroads.dk^$third-party +||gixmo.dk^$third-party +||hitcount.dk^$third-party +||infocollect.dk^$third-party +||livecounter.dk^$third-party +||livewebstats.dk^$third-party +||ncom.dk^$third-party +||netminers.dk^$third-party +||netstats.dk^$third-party +||parameter.dk^$third-party +||peakcounter.dk^$third-party +||telemetric.dk^$third-party +||tns-gallup.dk^$third-party +||zipstat.dk^$third-party +! Dutch +||active24stats.nl^$third-party +||istats.nl^$third-party +||mtrack.nl^$third-party +||mystats.nl^$third-party +||onlinesucces.nl^$third-party +||stealth.nl^$third-party +||svtrd.com^$third-party +||synovite-scripts.com^$third-party +||traffic4u.nl^$third-party +! Estonian +||counter.ok.ee^$third-party +! Finnish +||kavijaseuranta.fi^$third-party +||leiki.com^$third-party +||m-brain.fi^$third-party +||netmonitor.fi^$third-party +||tracking*.euroads.fi^$third-party +||vihtori-analytics.fi^$third-party +! Georgian +||tbcconnect.ge^$third-party +! Greek +||appocalypsis.com^$third-party +||linkwi.se^$third-party +! Hebrew +||enter-system.com^$third-party +||erate.co.il^$third-party +||fortvision.com^$third-party +||lead.im^$third-party +! Hungarian +||gpr.hu^$third-party +||hirmatrix.hu^$third-party +||mystat.hu^$third-party +||p24.hu^$third-party +! Icelandic +||modernus.is^$third-party +! Indonesian +||analytic.rocks^$third-party +||props.id^$third-party +! Italian +||0stats.com^$third-party +||24log.it^$third-party +||accessi.it^$third-party +||buzzoole.com^$third-party +||contatoreaccessi.com^$third-party +||cpmktg.com^$third-party +||ctusolution.com^$third-party +||digital-metric.com^$third-party +||distribeo.com^$third-party +||freecounter.it^$third-party +||freestat.ws^$third-party +||freestats.biz^$third-party +||freestats.net^$third-party +||freestats.tv^$third-party +||freestats.ws^$third-party +||geocontatore.com^$third-party +||gm-it.consulting^$third-party +||hiperstat.com^$third-party +||hitcountersonline.com^$third-party +||imetrix.it^$third-party +||ipfrom.com^$third-party +||italianadirectory.com^$third-party +||keyxel.com^$third-party +||laserstat.com^$third-party +||mwstats.net^$third-party +||mystat.it^$third-party +||ninestats.com^$third-party +||ntlab.org^$third-party +||pagerankfree.com^$third-party +||shinystat.it^$third-party +||sibautomation.com^$third-party +||spearad.video^$third-party +||specialstat.com^$third-party +||sphostserver.com^$third-party +||statistiche-free.com^$third-party +||statistiche.it^$third-party +||statistichegratis.net^$third-party +||statsforever.com^$third-party +||superstat.info^$third-party +||tetigi.com^$third-party +||thestat.net^$third-party +||trackset.it^$third-party +||trick17.it^$third-party +||vivistats.com^$third-party +||webads.eu^$third-party +||webmeter.ws^$third-party +||webmobile.ws^$third-party +||websanalytic.com^$third-party +||whoseesyou.com^$third-party +! Japanese +||accaii.com^$third-party +||accesstrade.net^$third-party +||actiontracking.jp^$third-party +||ad-fam.com^$third-party +||ad-track.jp^$third-party +||ad2iction.com^$third-party +||adapf.com^$third-party +||adgainersolutions.com^$third-party +||adgocoo.com^$third-party +||admatrix.jp^$third-party +||adpon.jp^$third-party +||adrange.net^$third-party +||af-z.jp^$third-party +||afi-b.com^$third-party +||aid-ad.jp^$third-party +||amoad.com^$third-party +||analyticsip.net^$third-party +||ar-x.site^$third-party +||aspservice.jp^$third-party +||bigmining.com^$third-party +||blogranking.net^$third-party +||canem-auris.com^$third-party +||caprofitx.com^$third-party +||catsys.jp^$third-party +||cetlog.jp^$third-party +||cheqzone.com^$third-party +||cosmi.io^$third-party +||d-markets.net^$third-party +||d2-apps.net^$third-party +||d2c.ne.jp^$third-party +||dbfocus.jp^$third-party +||deteql.net^$third-party +||dmtag.jp^$third-party +||docodoco.jp^$third-party +||docomo-analytics.com^$third-party +||e-click.jp^$third-party +||e-kaiseki.com^$third-party +||ebis.ne.jp^$third-party +||ec-concier.com^$third-party +||ec-optimizer.com^$third-party +||eco-tag.jp^$third-party +||eltex.co.jp^$third-party +||enhance.co.jp^$third-party +||f-counter.jp^$third-party +||f-counter.net^$third-party +||fpad.jp^$third-party +||fspark-ap.com^$third-party +||fw-ad.jp^$third-party +||gacraft.jp^$third-party +||geniee.jp^$third-party +||genieessp.jp^$third-party +||gmodmp.jp^$third-party +||gmossp-sp.jp^$third-party +||gsspcln.jp^$third-party +||gyro-n.com^$third-party +||h-cast.jp^$third-party +||hebiichigo.com^$third-party +||hitgraph.jp^$third-party +||i-mobile.co.jp^$third-party +||i2ad.jp^$third-party +||i2i.jp^$third-party +||iid-network.jp^$third-party +||im-apps.net^$third-party +||interactive-circle.jp^$third-party +||iogous.com^$third-party +||kaizenplatform.net^$third-party +||letro.jp^$third-party +||logly.co.jp^$third-party +||macromill.com^$third-party +||medipartner.jp^$third-party +||mobadme.jp^$third-party +||mobylog.jp^$third-party +||moshimo.com^$third-party +||omiki.com^$third-party +||owldata.com^$third-party +||pagoda56.com^$third-party +||pdmp.jp^$third-party +||performancefirst.jp^$third-party +||polymorphicads.jp^$third-party +||quant.jp^$third-party +||r-ad.ne.jp^$script,third-party +||rays-counter.com^$third-party +||rentracks.jp^$third-party +||research-artisan.com^$third-party +||rtoaster.jp^$third-party +||segs.jp^$third-party +||sibulla.com^$third-party +||smart-counter.net^$third-party +||smartnews-ads.com^$third-party +||speee-ad.jp^$third-party +||sygrip.info^$third-party +||talpa-analytics.com^$third-party +||taxel.jp^$third-party +||team-rec.jp^$third-party +||tgknt.com^$third-party +||thench.net^$third-party +||thesmilingpencils.com^$third-party +||trackfeed.com^$third-party +||uncn.jp^$third-party +||viaklera.com^$third-party +||wonder-ma.com^$third-party +||zerostats.com^$third-party +||ziyu.net^$third-party +! Korean +||acrosspf.com^$third-party +||adpick.co.kr^$third-party +||adtive.com^$third-party +||aicontents.net^$third-party +||contentsfeed.com^$third-party +||dawin.tv^$third-party +||logger.co.kr^$third-party +||oevery.com^$third-party +||rainbownine.net^$third-party +||smlog.co.kr^$third-party +||tenping.kr^$third-party +! Latvian +||cms.lv^$third-party +||mcloudglobal.com^$third-party +||on-line.lv^$third-party +||ppdb.pl^$third-party +||puls.lv^$third-party +||reitingi.lv^$third-party +||statistika.lv^$third-party +||top.lv^$third-party +||topsite.lv^$third-party +||webstatistika.lv^$third-party +||wos.lv^$third-party +! Lithuanian +||dcdn.lt/g.js +||easy.lv^$third-party +||maxtraffic.com^$third-party +||mxapis.com^$third-party +||stats.lt^$third-party +||visits.lt^$third-party +||www.hey.lt^$third-party +! Norwegian +||de17a.com^$third-party +||trafikkfondet.no^$third-party +||webstat.no^$third-party +||xtractor.no^$third-party +! Persian +||amarfa.ir^$third-party +||persianstat.com^$third-party +||persianstat.ir^$third-party +||tinystat.ir^$third-party +||yektanet.com^$third-party +! Polish +||adschoom.com^$third-party +||adstat.4u.pl^$third-party +||caanalytics.com^$third-party +||clickmatic.pl^$third-party +||conversion.pl^$third-party +||conversionlabs.net.pl^$third-party +||dmdi.pl^$third-party +||goprediction.com^$third-party +||gostats.pl^$third-party +||hub.com.pl^$third-party +||i22lo.com^$third-party +||inistrack.net^$third-party +||legenhit.com^$third-party +||naanalle.pl^ +||ngacm.com^$third-party +||ngastatic.com^$third-party +||nokaut.link^$third-party +||nsaudience.pl^$third-party +||refericon.pl^$third-party +||rejestr.org^$third-party +||sare25.com^$third-party +||stat.4u.pl^$third-party +||stat.pl^$third-party +||trafficscanner.pl^$third-party +||way2traffic.com^$third-party +! Portuguese +||ad5track.com^$third-party +||bob-recs.com^$third-party +||btg360.com.br^$third-party +||clearsale.com.br^$third-party +||dataroyal.com.br^$third-party +||dataunion.com.br^$third-party +||denakop.com^$third-party +||engageya.com^$third-party +||enviou.com.br^$third-party +||fulllab.com.br^$third-party +||goadopt.io^$third-party +||hariken.co^$third-party +||lomadee.com^$third-party +||marktest.pt^$third-party +||percycle.com^$third-party +||pmweb.com.br^$third-party +||retargeter.com.br^$third-party +||sambaads.com^$third-party +||shoptarget.com.br^$third-party +||solucx.com.br^$third-party +||tailtarget.com^$third-party +||trugaze.io^$third-party +||voxus.com.br^$third-party +||widgets.solutions^$third-party +! Romanian +||2222.ro^$third-party +||2parale.ro^$third-party +||2performant.com^$third-party +||aghtag.tech^$third-party +||agorahtag.tech^$third-party +||attr-2p.com^$third-party +||best-top.ro^$third-party +||gtop.ro^$third-party +||hit100.ro^$third-party +||pahtag.tech^$third-party +||profitshare.ro^$third-party +||retargeting.biz^$third-party +||statistics.ro^$third-party +||top-ro.ro^$third-party +||wtstats.ro^$third-party +||zontera.com^$third-party +! Russian +||109.169.66.161^$third-party,domain=~adult-site.ip +||1dmp.io^$third-party +||24log.ru^$third-party +||24smi.info^$third-party +||24smi.net^$third-party +||a-counter.kiev.ua^$third-party +||admile.ru^$third-party +||adsmediator.com^$third-party +||adx.com.ru^$third-party +||airlogs.ru^$third-party +||announcement.ru^$third-party +||apkonline.ru^$third-party +||audsp.com^$third-party +||avsplow.com^$third-party +||ban.su^$third-party +||bid.run^$third-party +||bidderrtb.com^$third-party +||botdetector.ru^$third-party +||botscanner.com^$third-party +||bumlam.com^$third-party +||checkru.net^$third-party +||cityua.net^$third-party +||clubcollector.com^$third-party +||cnstats.ru^$third-party +||comagic.ru^$third-party +||cpaevent.ru^$third-party +||cszz.ru^$third-party +||culturaltracking.ru^$third-party +||detmir-stats.ru^$third-party +||dircont3.com^$third-party +||directcrm.ru^$third-party +||e-kuzbass.ru^$third-party +||exe.bid^$third-party +||faststart.ru^$third-party +||gdeslon.ru^$third-party +||get4click.ru^$third-party +||giraff.io^$third-party +||gnezdo.ru^$third-party +||gostats.ru^$third-party +||hitmir.ru^$third-party +||hsdn.org^$third-party +||idntfy.ru^$third-party +||imrk.net^$third-party +||infostroy.nnov.ru^$third-party +||infox.sg^$third-party +||inrd.ru^$third-party +||instreamatic.com^$third-party +||interakt.ru^$third-party +||intergid.ru^$third-party +||iryazan.ru^$third-party +||kmindex.ru^$third-party +||leadhit.ru^$third-party +||leadslabpixels.net^$third-party +||lentainform.com^$third-party +||logua.com^$third-party +||logxp.ru^$third-party +||logz.ru^$third-party +||lookmy.info^$third-party +||lugansk-info.ru^$third-party +||madnet.ru^$third-party +||mediaplan.ru^$third-party +||mediatoday.ru^$third-party +||metrika-informer.com^$third-party +||mobtop.com^$third-party +||mokuz.ru^$third-party +||more-data.ru^$third-party +||musiccounter.ru^$third-party +||mystat-in.net^$third-party +||mytopf.com^$third-party +||netlog.ru^$third-party +||octotracking.com^$third-party +||opentracking.ru^$third-party +||otclick-adv.ru^$third-party +||pladform.ru^$third-party +||pmbox.biz^$third-party +||proext.com^$third-party +||quick-counter.net^$third-party +||relap.io^$third-party +||retag.xyz^$third-party +||rnet.plus^$third-party +||roistat.com^$third-party +||ru.net^$third-party +||rutarget.ru^$third-party +||sarov.ws^$third-party +||sas.com^$third-party +||sbermarketing.ru^$third-party +||semantiqo.com^$third-party +||sensor.org.ua^$third-party +||seo-master.net^$third-party +||site-submit.com.ua^$third-party +||stat.media^$third-party +||stat24.ru^$third-party +||targetads.io^$third-party +||targetix.net^$third-party +||tbex.ru^$third-party +||tds.io^$third-party +||teletarget.ru^$third-party +||theactivetag.com^$third-party +||tnative.ru^$third-party +||tophitbit.com^$third-party +||toptracker.ru^$third-party +||ttrace.ru^$third-party +||uarating.com^$third-party +||ulclick.ru^$third-party +||upravel.com^$third-party +||uptolike.com^$third-party,domain=~uptolike.ru +||utraff.com^$third-party +||uzrating.com^$third-party +||variti.net^$third-party +||vidigital.ru^$third-party +||vira.ru^$third-party +||volgograd-info.ru^$third-party +||vologda-info.ru^$third-party +||warlog.ru^$third-party +||web-visor.com^$third-party +||webest.info^$third-party +||webtalking.ru^$third-party +||webturn.ru^$third-party +||webvisor.com^$third-party +||webvisor.ru^$third-party +||wwgate.ru^$third-party +||yandexmetric.com^$third-party +||zero.kz^$third-party +! Serbian +! Slovak +||algopine.com^$third-party +||idot.cz^$third-party +||pocitadlo.sk^$third-party +||toplist.sk^$third-party +! Spanish +||24log.es^$third-party +||agency360.io^$third-party +||botize.com^$third-party +||ccrtvi.com^$third-party +||certifica.com^$third-party +||comitiumanalytics.com^$third-party +||contadordevisitas.es^$third-party +||contadorgratis.com^$third-party +||contadorgratis.es^$third-party +||contadorvisitasgratis.com^$third-party +||contadorweb.com^$third-party +||delidatax.net^$third-party +||easysol.net^$third-party +||eresmas.net^$third-party +||estadisticasgratis.com^$third-party +||flags.es^$third-party +||indigitall.com^$third-party +||intrastats.com^$third-party +||mabaya.com^$third-party +||micodigo.com^$third-party +||propelbon.com^$third-party +||protecmedia.com^$third-party +||socy.es^$third-party +! Swedish +||adsettings.com^$third-party +||adten.eu^$third-party +||adtr.io^$third-party +||bonnieradnetwork.se^$third-party +||brandmetrics.com^$third-party +||citypaketet.se^$third-party +||dep-x.com^$third-party +||lwadm.com^$third-party +||myvisitors.se^$third-party +||prospecteye.com^$third-party +||publish-int.se^$third-party +||research-int.se^$third-party +||sifomedia.se^$third-party +||suntcontent.se^$third-party +||tidningsnatet.se^$third-party +||tns-sifo.se^$third-party +||webserviceaward.com^$third-party +||yieldbird.com^$third-party +! Thai +||d-stats.com^$third-party +||tracker.stats.in.th^$third-party +||truehits.net^$third-party +||truehits3.gits.net.th^$third-party +! Turkish +||brainsland.com^$third-party +||cunda.ai^$third-party +||elmasistatistik.com.tr^$third-party +||onlinewebstat.com^$third-party +||realist.gen.tr^$third-party +||sayyac.com^$third-party +||sayyac.net^$third-party +||sitetistik.com^$third-party +||sortext.com^$third-party +||tagon.co^$third-party +||visilabs.net^$third-party +||webservis.gen.tr^$third-party +||webtemsilcisi.com^$third-party +||zirve100.com^$third-party +! Ukranian +||holder.com.ua^$third-party +||mediatraffic.com.ua^$third-party +||mycounter.com.ua^$third-party +||mycounter.ua^$third-party +||zmctrack.net^$third-party +||znctrack.net^$third-party +! Vietnamese +||adtimaserver.vn^$third-party +||amcdn.vn^$third-party +||ants.vn^$third-party +||contineljs.com^$third-party +||gostats.vn^$third-party +! -----------------Third-party tracking services-----------------! +! *** easylist:easyprivacy/easyprivacy_thirdparty.txt *** +-client-tracking.goodgamestudios.com/ +-wrapper-analytics-prod.cloudfunctions.net/ +||1.1.1.1/cdn-cgi/trace +||100widgets.com^$third-party +||105app.com/report/? +||1558334541.rsc.cdn77.org^ +||1worldsync.com/log? +||216.18.176.4/logger/ +||360buyimg.com/jdf/1.0.0/unit/log/ +||3j0pw4ed7uac-a.akamaihd.net^ +||3p-geo.yahoo.com^ +||3p-udc.yahoo.com^ +||4e4356b68404a5138d2d-33393516977f9ca8dc54af2141da2a28.ssl.cf1.rackcdn.com/sa7d76sa/ +||4taps.me/analytics/ +||51network.com^$third-party +||99widgets.com/counters/ +||9w2zed1szg.execute-api.us-east-1.amazonaws.com^ +||a.emea01.idio.episerver.net^ +||a.getflowbox.com^ +||a.hcaptcha.com^ +||a.mobify.com^ +||a.vturb.net^ +||a2z.com/sping? +||aan.amazon.com^$third-party +||accesswire.com/img.ashx +||activengage.com/overwatch/ +||activity-flow.vtex.com^ +||activity.wisepops.com^ +||ad-shield.io^$third-party +||ad.aloodo.com^ +||ad.mail.ru/*.gif?rnd=$third-party +||adbr.io/log? +||addtoany.com/menu/transparent.gif +||ade.googlesyndication.com^ +||adfox.yandex.ru^ +||adimo.co/api/tracking/ +||adlog.com.com^ +||adnz.co/api/ws-events-sink/ +||adnz.co/dmp/publisher.js +||adnz.co/header.js +||adobedc.net/collector/ +||ads-trk.vidible.tv^ +||adsolutions.com^$third-party +||adv-analytics-collector.videograph.ai^ +||adyen.com/checkoutshopper/images/analytics.png? +||adyen.com/checkoutshopper/v2/analytics/log? +||affiliate-api.raptive.com^ +||affiliates.minglematch.com^ +||affirm.com/api/v2/cookie_sent +||affirm.com/api/v2/session/touch_track +||afterpay.com^*/v1/event +||akamaihd.net/p1lakjen.gif +||akamaized.net/cookie_check/ +||akatracking.esearchvision.com^ +||aktion.esprit-club.com^$image +||alex.leonard.ie/misc-images/transparent.png +||alexa.com/minisiteinfo/$third-party +||alexa.com/traffic/ +||alexandria.marfeelcdn.com^ +||algolia.io/1/events? +||algolia.io/1/isalive +||alibaba.com/ts? +||alipay.com/service/clear.png? +||aliyun.com/actionlog/ +||allanalpass.com/track/ +||alpharank.io/api/pixel/ +||amazonaws.com/analytics. +||amazonaws.com/appmonitors/ +||amazonaws.com/avsmetrics/ +||amazonaws.com/beacon^ +||amazonaws.com/cdn.barilliance.com/ +||amazonaws.com/iglu.acme.com.dev.clixtream/tracker.js +||amazonaws.com/j.kissinsights.com/ +||amazonaws.com/js/reach.js +||amazonaws.com/jsstore/*/ge.js +||amazonaws.com/ki.js/ +||amazonaws.com/lp/js/tag.js? +||amazonaws.com/new.cetrk.com/ +||amazonaws.com/prod/entities +||amazonaws.com/prod/main?ref=$image,third-party +||amazonaws.com/prod/nobot +||amazonaws.com/prod/report-only +||amazonaws.com/production_beacon +||amazonaws.com/searchdiscovery-satellite-production/ +||amazonaws.com/snowplow-zitcha.js +||amazonaws.com/storejs/a/JKRHRQG/ge.js +||amazonaws.com/v1/apps/*/events +||amazonaws.com/webengage-files/ +||amazonaws.com^*/prod_analytics +||amazonpay.com/customerInsight? +||amp-error-reporting.appspot.com^ +||amplifypixel.outbrain.com^ +||ampproject.org/preconnect.gif +||ams-pageview-public.s3.amazonaws.com^ +||analyse.bcovery.com^ +||analytic-client.chickgoddess.com^ +||analytic-client.panowars.com^ +||analytic.rollout.io^ +||analytic.xingcloud.com^$third-party +||analyticcdn.globalmailer.com^ +||analytics-1.cavai.com^ +||analytics-api.klickly.com^ +||analytics-cf.bigcrunch.com^ +||analytics-cms.whitebeard.me^ +||analytics-consent-manager-v2-prod.azureedge.net^ +||analytics-prd.aws.wehaa.net^ +||analytics-prod-alb-292764149.us-west-2.elb.amazonaws.com^ +||analytics-production.hapyak.com^ +||analytics-scripts.cablelabs.com^ +||analytics-sg.tiktok.com^ +||analytics-static.ugc.bazaarvoice.com^ +||analytics.30m.com^ +||analytics.adobe.io^ +||analytics.agoda.com^ +||analytics.aimtell.com^ +||analytics.algolia.com^ +||analytics.amakings.com^ +||analytics.apnewsregistry.com^ +||analytics.audioeye.com^ +||analytics.avanser.com.au^ +||analytics.aweber.com^ +||analytics.bestreviews.com^ +||analytics.bitrix.info^ +||analytics.carambo.la^ +||analytics.carbaselive.com^ +||analytics.chegg.com^ +||analytics.cincopa.com^ +||analytics.clic2buy.com^ +||analytics.cloud.coveo.com^ +||analytics.cmn.com^ +||analytics.codigo.se^ +||analytics.contentexchange.me^ +||analytics.convertlanguage.com^ +||analytics.data.visenze.com^ +||analytics.dev.htmedia.in^ +||analytics.developer.riotgames.com^ +||analytics.digitalpfizer.com^ +||analytics.disney.go.com^ +||analytics.disneyinternational.com^ +||analytics.dvidshub.net^ +||analytics.edgekey.net^ +||analytics.eggoffer.com^ +||analytics.erepublic.com^ +||analytics.fabricators.ltd^$third-party +||analytics.facebook.com^$third-party +||analytics.fatmedia.io^ +||analytics.favcy.com^ +||analytics.firespring.com^ +||analytics.foresee.com^ +||analytics.formstack.com^ +||analytics.genial.ly^ +||analytics.google.com^$third-party +||analytics.gooogol.com^ +||analytics.groupe-seb.com^ +||analytics.growthphysics.com^ +||analytics.gvim.mobi^ +||analytics.iraiser.eu^ +||analytics.jazel.net^ +||analytics.jst.ai^ +||analytics.kaltura.com^ +||analytics.kapost.com^ +||analytics.klickly.com^ +||analytics.kongregate.io^ +||analytics.lemoolah.com^ +||analytics.livestream.com^ +||analytics.logsss.com^ +||analytics.lunaweb.cloud^ +||analytics.m7g.twitch.tv^ +||analytics.maikel.pro^ +||analytics.mailmunch.co^ +||analytics.matchbin.com^ +||analytics.midwesternmac.com^ +||analytics.mlstatic.com^ +||analytics.myfidevs.io^ +||analytics.myfinance.com^ +||analytics.newscred.com^ +||analytics.onlyonlinemarketing.com^ +||analytics.optilead.co.uk^ +||analytics.orenshmu.com^ +||analytics.ostr.io^ +||analytics.paddle.com^ +||analytics.pagefly.io^ +||analytics.pangle-ads.com^ +||analytics.piksel.com^ +||analytics.pinterest.com^$third-party +||analytics.pixels.ai^ +||analytics.plasmic.app^ +||analytics.pointdrive.linkedin.com^ +||analytics.pop2watch.com^ +||analytics.prezly.com^ +||analytics.qualityunit.com^ +||analytics.radiatemedia.com^ +||analytics.recruitics.com^ +||analytics.reyrey.net^ +||analytics.rogersmedia.com^ +||analytics.salesanalytics.io^ +||analytics.shareaholic.com^ +||analytics.shorte.st^ +||analytics.shorthand.com^ +||analytics.sitewit.com^ +||analytics.sleeknote.com^ +||analytics.snidigital.com^ +||analytics.strangeloopnetworks.com^ +||analytics.superstructure.ai^ +||analytics.supplyframe.com^ +||analytics.test.cheggnet.com^ +||analytics.themarketiq.com^ +||analytics.threedeepmarketing.com^ +||analytics.tiktok.com^ +||analytics.topseotoolkit.com^ +||analytics.tout.com^ +||analytics.unibuddy.co^ +||analytics.unilogcorp.com^ +||analytics.vanillaforums.com^ +||analytics.vdo.ai^ +||analytics.vendemore.com^ +||analytics.vixcloud.co^ +||analytics.webgains.io^ +||analytics.webpushr.com^ +||analytics.websolute.it^ +||analytics.wildtangent.com^ +||analytics.witglobal.net^ +||analytics.yahoo.com^ +||analytics.yext-static.com^ +||analytics.ynap.biz^ +||analytics.yola.net^ +||analytics.yolacdn.net^ +||analytics.ziftsolutions.com^ +||analytics1.vdo.ai^ +||analyticsehnwe.servicebus.windows.net^ +||analyticssec.overwolf.com^ +||ancestrycdn.com/tao/at/ +||anyclip.com/getuids? +||anyclip.com/v1/events +||anyclip.com/v1/lre-events? +||ao-freegeoip.herokuapp.com^ +||aol.com/ping? +||aolcdn.com/js/mg2.js +||aolcdn.com/omniunih_int.js +||ape-tagit.timeinc.net^ +||apester.com/event^ +||api-analytics-prd.pelcro.com^ +||api-iam.intercom.io/messenger/web/metrics +||api-location-prd.pelcro.com^$domain=newsweek.com +||api-v3.findify.io/v3/feedback +||api.autopilothq.com^ +||api.bit.ly/*/clicks?$third-party +||api.blink.net/a/ +||api.collarity.com/cws/*http +||api.country.is^$third-party +||api.ipgeolocation.io/getip +||api.iris.tv/update +||api.june.so^ +||api.sardine.ai/assets/loader.min.js$third-party +||api.wipmania.com^ +||apibaza.com/pixel/ +||apm-engine.meteor.com^$third-party,xmlhttprequest +||app.adjust.com^$third-party +||app.carnow.com/dealers/track_visitor +||app.link/_r?$script,third-party +||app.opmnstr.com/v2/geolocate/ +||app.posthog.com/e/?compression= +||app.posthog.com/e/?ip= +||app.posthog.com/static/array.js +||app.posthog.com/static/recorder-v2.js +||app.revenuehero.io/logs/ingest +||app.yesware.com/t/$third-party +||appinthestore.com/click/ +||apple.com/hvr/mw/v1/spile +||apple.com/mw/v1/reportAnalytics +||apple.www.letv.com^ +||applets.ebxcdn.com^ +||applicationinsights.azure.com^$third-party,domain=~azure.net +||appliedsemantics.com/images/x.gif +||applovin.com/shopify/*/pixel +||appmifile.com/webfile/globalweb/stat/ +||apps-pbd.ctraffic.io^ +||apps.omegatheme.com/facebook-pixel/ +||appsolutions.com/hitme?$third-party +||appspot.com/analytics/ +||appspot.com/api/track/ +||appspot.com/display? +||appspot.com/event? +||appspot.com/events.js +||appspot.com/stats? +||appspot.com/take? +||appspot.com/track-analytics-event +||arc.pub/clavis/training/events +||arclk.net/trax? +||arcpublishing.com/beacon +||argos.citruserve.com^ +||ariane.abtasty.com^ +||arkoselabs.com/metrics/ +||asayer.io/tracker.js +||assets.apollo.io/micro/website-tracker/ +||assets.moneymade.io/js/fp.min.js +||assets.yumpu.com/release/*/tracking.js +||assistant.watson.appdomain.cloud/analytics/ +||asterpix.com/tagcloudview/ +||at.cbsi.com/lib/api/client-info +||at.cbsi.com^*/event? +||atcdn.co.uk/frostbite/ +||atgsvcs.com/js/atgsvcs.js +||ati-host.net/event? +||atom-data.io/session/latest/track.html?$third-party +||attn.tv/tag/ +||attn.tv^*/dtag.js +||attributiontrackingga.googlecode.com^ +||auctiva.com/Default.aspx?query +||audience.newscgp.com^ +||audienceinsights.net^$third-party +||audioeye.com/ae.js +||audioeye.com/frame/cookieStorage.html +||audit.303br.net^ +||audit.median.hu^ +||auriro.net/views.cfm? +||aurora-d3.herokuapp.com^ +||auryc.com/v1/event +||autoline-top.com/counter.php? +||automate-prod.s3.amazonaws.com^$~script +||avo.app^*/track +||awaps.yandex.net^ +||awe.sm/conversions/ +||aweber.com/form/displays.htm?$image +||awsapprunner.com/api/frontend/client/metrics +||awswaf.com^*/report +||awswaf.com^*/telemetry +||ax.babe.today^ +||axislogger.appspot.com^ +||az.nzn.io^ +||az693360.vo.msecnd.net^ +||azureedge.net/javascripts/Tracking. +||azureedge.net/track +||azureedge.net^*/fnix.js +||azurewebsites.net/api/views? +||azurewebsites.net/Pixel? +||azurewebsites.net/TrackView/ +||azurewebsites.net^*/telemetry.js +||b.bedop.com^ +||b5media.com/bbpixel.php +||b7tp47v2nb3x-a.akamaihd.net^ +||b8cdn.com/assets/v1/analytics- +||backend.verbolia.com/content/js/velw.min.js +||baidu.com/pixel? +||baidu.com/push.js +||bamgrid.com/dust$domain=~disneyplus.com +||bamgrid.com/telemetry +||baqend.com/v1/rum/ +||barium.cheezdev.com^ +||basis.net/assets/up.js +||bat.bing.com^ +||bat.bing.net^ +||baxter.olx.org^ +||bazaarvoice.com/sid.gif +||bb.itwc.ca/js/cube.js +||bc.geocities. +||bc.marfeelcache.com^ +||bc0a.com/api/ +||bc0a.com/autopilot/ +||bc0a.com/be_ixf_js_sdk.js +||bc0a.com/marvel.js +||bdg.com/event? +||beacon.adelphic.com^ +||beacon.affil.walmart.com^ +||beacon.aimtell.com^ +||beacon.cdnma.com^ +||beacon.errorception.com^ +||beacon.flow.io^ +||beacon.klm.com^ +||beacon.riskified.com^ +||beacon.s.llnwi.net^ +||beacon.searchspring.io^ +||beacon.securestudies.com^ +||beacon.sftoaa.com^ +||beacon.sojern.com^ +||beacon.statful.com^ +||beacons.mediamelon.com^ +||beam.mjhlifesciences.com^ +||beamanalytics.b-cdn.net^ +||bee.tc.easebar.com^ +||bendingspoonsapps.com/v4/web-events +||bento.agoda.com^ +||bet365.de/Members/*&affiliate=$subdocument,third-party +||betano.de^*?btag=$subdocument,third-party +||bhphotovideo.com/imp/ +||bi.heyloyalty.com^ +||bi.medscape.com^ +||birdsend.co/assets/static/js/pixel/ +||birdsend.email/pixel +||birdsend.net/pixel +||bit.ly/stats? +||bitrix.info/ba.js +||bizseasky.com/dc/ +||bizseasky.com/mon +||bizseasky.com/tracker/ +||blend.com/event/ +||blink.net/e/ +||blip.bizrate.com^$script +||blogblog.com/tracker/ +||bmrg.reflected.net^ +||bobparsons.com/image.aspx? +||bolt.com/v1/log? +||bonfire.spklw.com^ +||booking.com/pxpixel.html +||botdetection.hbrsd.com^ +||bpath.com/count.dll? +||branch.io^$third-party +||brandcdn.com/pixel/ +||bravenet.com/counter/ +||braze.eu/api/v3/data/ +||breadpayments.com/log +||breadpayments.com/stats +||browser-intake-datadoghq.com^ +||browser.covatic.io^ +||browser.events.data.microsoft.com^$ping +||browser.pipe.aria.microsoft.com^ +||bs.yandex.ru^ +||bucklemail.com/a/$image +||burstcloud.co/jwe? +||bytedance.com/pixel/ +||byteoversea.com/captcha/report +||byteoversea.com/monitor_browser/ +||bzpics.com/jslib/st.js? +||c-date.com/pixel/ +||c.albss.com^ +||c.amazinglybrilliant.com.au^ +||c.bazo.io^ +||c.imedia.cz^ +||c.live.com^ +||c.mgid.com^ +||c.wen.ru^ +||c.ypcdn.com^*&ptid +||c.ypcdn.com^*?ptid +||c3metrics.medifast1.com^ +||cache2.delvenetworks.com^ +||californiatimes.com/privacy/$image +||calltrack.co^ +||calltrk.com/companies/ +||calvera-telemetry.polaris.me^ +||camel.headfarming.com^ +||canada.com/js/analytics/ +||capture-api.ap3prod.com^ +||capture.condenastdigital.com^ +||capture.trackjs.com^$third-party +||carambo.la/analytics/ +||carambo.la/logging/ +||cardinalcommerce.com/prod/log +||caspionlog.appspot.com^ +||castify-trk.playitviral.com^ +||cbsaavideo.com/measurements/ +||cbsivideo.com/measurements/ +||cc.swiftype.com^ +||ccexperimentsstatic.oracleoutsourcing.com^ +||cdn-channels-pixel.ex.co^ +||cdn-ds.com/analytics/ +||cdn.clkmc.com/cmc.js +||cdn.debugbear.com^$third-party +||cdn.one.store/xdomain_cookie.html +||cdn.polarbyte.com^ +||cdn.ravm.tv^ +||cdn.sourcesync.io/open-pixel/source-pixel.js +||cdn.statically.io/gh/opcdn/analytics/main/script.js +||cdn.usefathom.com^ +||cdnjs.work/metrics.js +||cdnma.com/apps/capture.js +||cdnplanet.com/static/rum/rum.js +||cdns.brsrvr.com^ +||ceros.com/a?data +||cf-pixelfront-analytics.widencdn.net^ +||cf.overblog.com^ +||cfmediaview.com/API/MV_Visit.ashx +||cgicounter.oneandone.co.uk^ +||cgicounter.puretec.de^ +||chanalytics.merchantadvantage.com^ +||channelexco.com/events +||chaport.com/api/public/v1/stats/ +||chargebee.com/api/internal/track_info_error +||check.ddos-guard.net^$third-party +||checkout.com/logger/ +||checkout.com/logging +||cimage.adobe.com^ +||circonus.com/hit? +||citygridmedia.com/tracker/ +||citysearch.com/tracker/ +||cityzen.io/Pixel/ +||civicscience.com/jot? +||ck.connatix.com^ +||cleantalk.org/pixel/ +||clearspring.com/at/ +||clearspring.com/t/ +||clerk.io/static/clerk.js +||clevertap-prod.com^$third-party +||click.appinthestore.com^ +||click360v2-ingest.azurewebsites.net^ +||clickdimensions.com/ts.js +||clickiocdn.com/clickiotag_log/ +||clickiocdn.com/consent/log/ +||clickiocdn.com/utr/ +||clicks.dealer.com^ +||clicks.tyuwq.com^ +||clickthru.lefbc.com^$third-party +||clicktime.symantec.com^$script,third-party +||clicktracker.iscan.nl^ +||client-analytics.braintreegateway.com^ +||client-logger.beta.salemove.com^ +||client-logger.salemove.com^ +||client.perimeterx.net^ +||clinch.co/a_js/client_pixels/ +||clipsyndicate.com/cs_api/cliplog? +||clixtell.com/track.js +||cloudapp.net/l/ +||clouderrorreporting.googleapis.com^ +||cloudflare-quic.com/cdn-cgi/trace +||cloudflare.com/cdn-cgi/trace$third-party,domain=~isbgpsafeyet.com|~wyndhamdestinations.com +||cloudfront-labs.amazonaws.com^ +||cloudfront.net*/keywee.min.js +||cloudfront.net*/sp.js| +||cloudfront.net*/tracker.js +||cloudfront.net*/trk.js +||cloudfront.net/?a= +||cloudfront.net/abw.js +||cloudfront.net/analytics.js +||cloudfront.net/analytics_$script +||cloudfront.net/analyticsengine/ +||cloudfront.net/autotracker +||cloudfront.net/beaver.js +||cloudfront.net/bti/ +||cloudfront.net/clipkit_assets/beacon- +||cloudfront.net/code/keen-2.1.0-min.js +||cloudfront.net/dough/*/recipe.js +||cloudfront.net/esf.js +||cloudfront.net/i?v= +||cloudfront.net/js/ca.js +||cloudfront.net/js/reach.js +||cloudfront.net/khp.js +||cloudfront.net/log.js? +||cloudfront.net/lp.js +||cloudfront.net/performable/ +||cloudfront.net/powr.js +||cloudfront.net/pt1x1.gif +||cloudfront.net/rc.js? +||cloudfront.net/rum/bacon.min.js +||cloudfront.net/scripts/cookies.js +||cloudfront.net/sentinel.js +||cloudfront.net/sitegainer_ +||cloudfront.net/sso.js +||cloudfront.net/t.gif +||cloudfront.net/t?event= +||cloudfront.net/tag-manager/ +||cloudfront.net/track.html +||cloudfront.net/track? +||cloudfront.net/trackb.html +||cloudfront.net/uba.js +||cloudfront.net/websites/sb.js +||cloudfront.net/zephyr.js +||cloudfront.net^*.bmp? +||cloudfunctions.net/commonBonnierDataLayer +||cloudfunctions.net/export-customizer-data-metrics +||cloudfunctions.net/function-record-stream-metric? +||cloudfunctions.net/ingest? +||cloudfunctions.net/sendwebpush-analytics +||cloudfunctions.net/vanalytics +||cloudmetrics.xenforo.com^ +||cltgtstor001.blob.core.windows.net^ +||clustrmaps.com/counter/$third-party +||cmail19.com/t/$image,third-party +||cmmeglobal.com/evt? +||cmmeglobal.com^*/page-view? +||cnetcontent.com/log? +||cnevids.com/metrics/ +||cnnx.io^*/tracker.js +||cnnx.io^*/tracking.js +||cnnx.link/roi/ +||cnpapers.com/scripts/library/ +||cnstrc.com/behavior? +||cnt.3dmy.net^ +||cnzz.com/stat. +||cod.bitrec.com^ +||coefficy.com/ip/ +||coherentpath.com/tracker/ +||collect-ap2.attraqt.io^ +||collect-eu.attraqt.io^ +||collect.alphastream.io^ +||collect.analyse.lnearn.com^ +||collect.bannercrowd.net^ +||collect.cloudsponge.com^ +||collect.igodigital.com^ +||collect.iteam-dress.com^ +||collect.rebelmouse.io^ +||collect.rewardstyle.com^ +||collect.usefathom.com^ +||collect.verify.lnearn.com^ +||collection.e-satisfaction.com^ +||collector-1.ex.co^ +||collector-api.99designs.com^ +||collector-api.frspecifics.com^ +||collector.api.video^ +||collector.appconsent.io^ +||collector.automote.co.nz^ +||collector.clareity.net^ +||collector.contentexchange.me^$third-party +||collector.getyourguide.com^ +||collector.mazeberry.com^ +||collector.sspinc.io^ +||collector5.zipy.ai^ +||comeon.com/tracking.php +||comic-rocket.com/metrics.js +||commerce.adobe.io/recs/ +||commerce.bing.com^ +||comms.thewhiskyexchange.com^$image +||communicatorcorp.com^*/conversiontracking.js +||compendiumblog.com/sp.js +||competitoor.com/analytics/ +||concert.io/lookup/ +||conde.io/beacon +||condenastdigital.com/content?$third-party +||confiant-integrations.global.ssl.fastly.net^ +||config-security.com/event +||confirmit.com/wix/inline.aspx? +||connatix.com/rtb/ +||connatix.com/tr/ +||connect.bolt.com/v1/log +||connect.facebook.net/signals/$third-party +||connect.facebook.net^*/fbds.js$third-party +||connect.facebook.net^*/pcm.js$third-party +||connect.idocdn.com^ +||connect.nosto.com/analytics/ +||connext-cdn.azureedge.net^ +||consensu.org/?log= +||consensu.org/geoip +||consentmanager.net/delivery/info/$third-party +||console.uxlens.com^ +||constellation.networknmedia.com/cdn-cgi/trace +||contactatonce.com/GetAgentStatusImage.aspx? +||contactatonce.com/VisitorContext.aspx? +||container.pepperjam.com^$third-party +||content.cpcache.com^*/js/ga.js +||contentdriver.com/api/impression +||contently.com/xdomain/ +||contentpass.net/stats?$third-party +||contents-tracking.beop.io^ +||control.cityofcairns.com^$third-party +||conversions.genieventures.co.uk^ +||convertflow.co^*/visitors/ +||convertkit.com^*/visit +||cookie-guard-erdee.ey.r.appspot.com^ +||cookies.livepartners.com^ +||cookiex.ngd.yahoo.com^ +||copyrightcontent.org/e/ +||core-apps.b-cdn.net^ +||corvidae.ai/pixel.min.js +||count-server.sharethis.com^ +||count.asnetworks.de^ +||count.carrierzone.com^ +||count.me.uk^ +||count.paycounter.com^ +||count.xxxssk.com^ +||counter.bloke.com^ +||counter.cam-content.com^ +||counter.hyipexplorer.com^ +||counter.jdi5.com^ +||counter.live4members.com^ +||counter.maases.com^ +||counter.packa2.cz^ +||counter.powr.io^ +||counter.powweb.com^ +||counter.rambler.ru^ +||counter.scribblelive.com^ +||counter.snackly.co^ +||counter.tldw.me^ +||counter.top.ge^ +||counter.yadro.ru^ +||counters.freewebs.com^ +||coveo.com/coveo.analytics.js/ +||covery.ai/fp/$third-party +||covet.pics/beacons +||cp.official-coupons.com^ +||cp.official-deals.co.uk^ +||cqloud.com/measurements/ +||crall.io/beacon/ +||creator.zmags.com^ +||credible.com/api/logs-fe +||crm-vwg.com/tracker/ +||crowdskout.com/analytics.js +||crowdskout.com/skout.js +||crowdskout.com^*/page-view +||crowdtwist.com/trck/$script +||crta.and.co.uk^ +||crta.dailymail.co.uk^ +||csi.gstatic.com^ +||csp-collector.appspot.com^ +||csp-reporting.cloudflare.com^ +||csp.secureserver.net^ +||csr.onet.pl^ +||ct.capterra.com^ +||ct.corpusapp.com^ +||ct.itbusinessedge.com^$third-party +||ct.needlive.com^ +||ct.pinterest.com^ +||ct.thegear-box.com^$third-party +||cts.businesswire.com^$third-party +||cts.vresp.com^$third-party +||curated.fieldtest.cc^ +||custom.search.yahoo.co.jp/images/window/*.gif +||customerlobby.com/ctrack- +||customfingerprints.bablosoft.com^ +||cws.conviva.com^ +||d.rcmd.jp^$image +||d.shareaholic.com^ +||dadi.technology^$third-party +||dash.getsitecontrol.com^ +||dashboard.nowdialogue.com/api/events/ +||data.circulate.com^ +||data.debugbear.com^$third-party +||data.digitalks.az^ +||data.eetech.com^ +||data.embeddables.com^ +||data.gosquared.com^ +||data.minute.ly^ +||data.nexxt.com^ +||data.queryly.com^ +||data.tm-awx.com/smile-web-v2/ +||data.tm-awx.com/smile-web.min.js +||data.wiris.cloud/telemetry/ +||data.woosmap.com^ +||data2.gosquared.com^ +||datadog-service.mvfglobal.com^ +||datasign.co/js/opn.js +||daxab.com/logger/ +||dcinfos-cache.abtasty.com^ +||dditscdn.com/*fingerprints +||dditscdn.com/?a= +||dditscdn.com/log/ +||dealer.com^*/tracker/ +||dealer.com^*/tracking/ +||dealerfire.com/analytics/ +||delivra.com/tracking/$third-party +||dell.com/TAG/tag.aspx?$third-party +||delvenetworks.com/player/plugins/analytics/ +||demandmedia.com/wm.js +||demandmedia.s3.amazonaws.com^$third-party +||dep.hmgroup.com^ +||deprecated-custom-domains.b-cdn.net^$third-party +||desipearl.com/tracker/ +||dfanalytics.dealerfire.com^ +||dgcollector.evidon.com^ +||diagnose.igstatic.com^ +||dig.ultimedia.com^ +||digimedia.com/pageviews.php? +||digitaloceanspaces.com/pixel/ +||direct-collect.dy-api.com^ +||direct-collect.dy-api.eu^ +||direct-events-collector.spot.im^ +||directnews.co.uk/feedtrack/ +||discovery.evvnt.com/prd/evvnt_discovery_plugin-latest.min.js +||disqus.com/api/ping +||disqus.com/event.js?$script +||disqus.com/stats.html +||disquscdn.com/next/embed/alfalfalfa. +||distillery.wistia.com^ +||dl.episerver.net^ +||dmcdn.net/behavior/ +||dnnapi.com/analytics/ +||doppiocdn.com/healthcheck +||doppiocdn.org/healthcheck +||doppler-beacon.cbsivideo.com^ +||doppler-client-events.cbsivideo.com^ +||doppler-reporting.cbsivideo.com^ +||dotaudiences.com^$third-party +||drift.com/impressions/ +||drift.com/targeting/evaluate_with_log +||drift.com/track +||dugout.co/das2.js +||dw.com.com^$script +||dx.mountain.com^ +||dynamic.ziftsolutions.com^ +||dynamicyield.com/batch? +||dynamicyield.com/clog +||dynamicyield.com/dpx? +||dynamicyield.com/imp? +||dynamicyield.com/rcomEvent? +||dynamicyield.com/uia? +||dynamicyield.com/var? +||e.channelexco.com^ +||e.ebidtech.com/cv/ +||ea.youmaker.com^ +||early-birds.fr/tracker/ +||ebayadservices.com/marketingtracking/ +||ec.walkme.com^ +||ecomm.events^ +||ecommstats.s3.amazonaws.com^ +||edge-hls.doppiocdn.com/ping +||edge.adobedc.net^ +||edge.bredg.com^$third-party +||edrone.me/trace? +||edw.edmunds.com/edw/edw1x1.gif +||eel.transistor.fm^ +||egmontpublishing.dk/tracking/ +||elpais.com/t.gif +||emarketeer.com/tracker/ +||endorsal.io/check/ +||ensighten.com/error/e.php? +||epimg.net/js/gdt/ +||epl.paypal-communication.com^$script +||epromote.co.za/track/ +||eq.userneeds.com^ +||era.easyvoyage.com^ +||errors.snackly.co^ +||et.educationdynamics.com^ +||etl.springbot.com^ +||etoro.com/tradesmonitor/ +||eu-mobile.events.data.microsoft.com^ +||ev.moneymade.io^ +||ev.stellarlabs.ai^ +||event-api.rdstation.com.br^ +||event-listener.air.tv^ +||event-logger.tagboard.com^ +||event-service.letslinc.com^ +||event-stream.spot.im^ +||event.api.drift.com^ +||event.collector.scopely.io^ +||event.instiengage.com^ +||event.syndigo.cloud^ +||event.webcollage.net^ +||eventapi.libring.com^ +||eventcollector.mcf-prod.a.intuit.com^ +||eventful.com/apps/generic/$image,third-party +||eventgateway.soundcloud.com^ +||eventlog.chatlead.com^ +||eventlog.inspsearchapi.com^ +||events-endpoint.pointandplace.com^ +||events.air.tv^ +||events.api.secureserver.net^ +||events.attentivemobile.com^ +||events.audiate.me^ +||events.brightline.tv^ +||events.btw.so^ +||events.demoup.com^ +||events.devcycle.com^ +||events.elev.io^ +||events.flagship.io^ +||events.getmodemagic.com^ +||events.getsitectrl.com^ +||events.jotform.com^ +||events.launchdarkly.com^$third-party +||events.mapbox.com^ +||events.matterport.com^ +||events.medio.com^ +||events.missena.io^ +||events.ocdn.eu^ +||events.paramount.tech^ +||events.realgravity.com^ +||events.release.narrativ.com^$subdocument,xmlhttprequest +||events.shareably.net^ +||events.splash-screen.net^ +||events.split.io^$domain=~collegeboard.org +||events.storifyme.com^ +||events.tryamped.com^ +||events.tubecup.org^ +||events.ubembed.com^ +||events.whisk.com^ +||events.yourcx.io^ +||eventsproxy.gargantuan.futureplc.com^ +||eveonline.com/redir.asp$third-party +||evergage.com/beacon/ +||everyaction.com/v1/Track/ +||evidon.com/pub/ +||eviesays.com/js/analytics/ +||evri.com/analytics/ +||evt.24.com^ +||evt.collarity.com^$image +||evt.houzz.com^ +||ex.co/content/monetization/legacy-pixels/ +||exacttarget.com^$~subdocument,third-party +||excite.ie/?click_in= +||exitintel.com/log/$third-party +||expedia.com/static/default/default/scripts/siteAnalytics.js +||expedia.com/vaclog/ +||experience.contextly.com^ +||extole.io/core.js +||extole.io^*/core.js +||ezoic.net/ezqlog? +||f-log-at.grammarly.io^ +||f-log-test.grammarly.io^ +||f.email.bjs.com^*/1x2.gif +||facebook.com*/impression.php +||facebook.com/adnw_request? +||facebook.com/ai.php? +||facebook.com/brandlift.php +||facebook.com/common/cavalry_endpoint.php? +||facebook.com/method/links.getstats? +||facebook.com/platform/cavalry_endpoint.php? +||facebook.com/platform/scribe_endpoint.php/ +||facebook.com/tr/ +||facebook.com/tr? +||facebook.com/w/$third-party +||facebook.com/xti.php? +||factors.ai/sdk/event/ +||fairfax.com.au/js/track/ +||faphouse.com/api/collector/ +||fast.fonts.net/jsapi/core/mt.js +||fast.wistia.net/assets/external/googleAds.js +||fastcdn.co/js/sptw. +||fbot.me/error +||fbot.me/events/ +||fbsbx.com/paid_ads_pixel/ +||fcmatch.google.com^ +||fcmatch.youtube.com^ +||feed.informer.com/fdstats +||feedblitz.com/imp?$third-party +||feedblitz.com^*.gif?$third-party +||feedify.net/thirdparty/json/track/ +||filament-stats.herokuapp.com^ +||files.envoke.com^*_nvk_tracking.js +||filesonic.com/referral/$third-party +||fingerprinter-production.herokuapp.com^ +||firebaselogging-pa.googleapis.com^ +||firecrux.com/track/$xmlhttprequest +||fitanalytics.com/metrics/ +||fkrkkmxsqeb5bj9r.s3.amazonaws.com^ +||flashstats.libsyn.com^ +||flex.msn.com/mstag/ +||flipp.com/beacons +||flix360.com/beat? +||flixcar.com/*/tracking/ +||flixcar.com/gvid +||flixcdn.com^*/track.js +||flixgvid.flix360.io^ +||flixster.com^*/analytics. +||flocktory.com^*/tracks/ +||flux-cdn.com/plugin/common/analytics/ +||flux.com/geo.html? +||fmnetwork.nl/tracking/ +||fog.pixual.co^ +||followistic.com/widget/stat/ +||footballmedia.com/tracking/ +||forethought.ai/workflow/tracking-event +||forms.aweber.com^*/displays.htm?id= +||formstack.com/forms/analytics.php +||formstack.com/forms/js/*/analytics_ +||fotomoto.com/analytics/ +||foureyes.io/fe-init.js +||fourmtagservices.appspot.com^ +||fp-cdn.azureedge.net^ +||fp-it-acc.portal101.cn/deviceprofile/ +||freecurrencyrates.com/statgif. +||freedom.com^*/analytic/ +||freedom.com^*/analytics/ +||freehostedscripts.net^*.php?site=*&s=*&h=$third-party +||fresh.inlinkz.com^$third-party +||frog.editorx.com^ +||frontend-logger.flippback.com/api/logging +||fs-client-logger.herokuapp.com^ +||ftimg.net/js/log.js? +||ftm.fluencyinc.co^ +||fudge.ai/metrics? +||future-fie-assets.co.uk^ +||future-price.co.uk^ +||futurecdn.net/bordeaux.js$xmlhttprequest +||futurecdn.net^*/abp.js +||futurehybrid.tech^$third-party +||futureplc.com/push_metrics/ +||fw.tv/embed/impressions +||g.msn.com^ +||g2insights-cdn.azureedge.net^ +||ga-beacon.appspot.com^ +||ga.chickgoddess.com/gs_api/stats/ +||ga.webdigi.co.uk^ +||gaijin.net/tag? +||gamedistribution.com/event? +||gamedock.io/gamemonkey-web-tracker/ +||gamegecko.com/gametrack? +||gannettdigital.com/capture_logger/ +||ganon.yahoo.com^ +||gatehousemedia.com/wickedlocal/ip.js +||gateway.bridged.media/Engagement/View +||gateway.bridged.media/Logging/ +||gateway.dev/log +||gateway.foresee.com^ +||gcion.com/gcion.ashx? +||gecko.space/count.js +||geckofoot.com/gfcounterimg.aspx? +||geckofoot.com/gfvisitormap.aspx? +||gem.com/api/o/$image,third-party +||generflow.com/client-logs/ +||genesis.malwarebytes.com^ +||geni.us/snippet.js +||geni.us/snippet.min.js +||geo.ertya.com^ +||geo.gorillanation.com^ +||geo.mezr.com^ +||geo.ngtv.io^ +||geo.query.yahoo.com^$~xmlhttprequest,domain=~mail.yahoo.com +||geo.thehindu.com^ +||geobar.ziffdavisinternational.com^ +||geoip.apps.avada.io^ +||geoip.instiengage.com^ +||geoip.nekudo.com^ +||geolocation.outreach.com^ +||geoservice.curse.com^ +||getelevar.com/shops/*/events.js +||getglue.com^*/count? +||getkudos.me/a?$image +||getmetrical.com/storagesync +||getpos.de/ext/ +||getrockerbox.com/pixel? +||gi-client-tracking.goodgamestudios.com^ +||gigya.com^*/cimp.gif? +||giosg.com^*/public/trace/ +||glam.com/cece/agof/ +||glam.com/ctagsimgcmd.act? +||glam.com/jsadimp.gif? +||glam.com^*/log.act? +||gleam.io/seen? +||gleam.io^$script,third-party +||global.localizecdn.com/api/lib/*.gif? +||global.ssl.fastly.net/native/ +||globalservices.conde.digital/p77xzrbz9z.js +||gml-grp.com^*&affid=$subdocument,third-party +||go.activengage.com^ +||go.com/capmon/GetDE/? +||go.techtarget.com^$image,xmlhttprequest +||go.toutapp.com^$third-party +||goadv.com^*/track.js +||goaffpro.com/track +||godaddy.com/js/gdwebbeacon.js +||gomoxie.solutions^*/events +||google.com/analytics/$third-party +||google.com/gsi/log? +||googleapis.com/aam.js +||googleapis.com/gadasource/gada.js +||googleapis.com/ivc.js +||googlecode.com^*/tracker.js +||googleusercontent.com/tracker/ +||gotdns.com/track/blank.aspx? +||gotmojo.com/track/ +||gotolstoy.com/events/ +||gowatchit.com/analytics.js +||gowatchit.com^*/tracking/ +||grabnetworks.com/beacons/ +||grabnetworks.com/ping? +||grafana.net/collect/ +||graphcomment.com/api/thread/*/stats +||green-griffin-860.appspot.com^ +||groupbycloud.com/gb-tracker-client-5.min.js +||gsp1.baidu.com^ +||gstatic.com/gadf/ga_dyn.js +||gstatic.com/retail/v2_event.js +||gstatic.com/wcm/impl- +||gstatic.com/wcm/loader.js +||gtmfsstatic.getgoogletagmanager.com^ +||gtrk.s3.amazonaws.com^ +||gu-pix.appspot.com^$third-party +||gubagoo.com/modules/tracking/ +||gubagoo.io/c/$image +||h-bid.com^$third-party +||h2porn.com/new-hit/? +||hadrianpaywall.com/views +||happen.spkt.io^ +||harvest.graindata.com^ +||hasbro.com/includes/js/metrics/ +||haymarket.com/injector/deliver/ +||hb.vhsrv.com^ +||hcmanager.swifteq.com/hc_events/ +||hdnux.com/HNP/stats/page_view? +||hearstmags.com^*/hdm-lib_hearstuser_proxy.html$third-party +||hearstnp.com/log? +||heg-cp.com/upm/$third-party +||hello.myfonts.net/count/ +||hello.staticstuff.net^ +||hellobar.com/ping? +||helloextend.com/tracking +||helloretail.com/serve/collect/ +||helloretail.com/serve/trackingUser +||helpshift.com/events/ +||heraldandtimeslabs.com/sugar.js +||heroku.com/?callback=getip$third-party +||heyday.io/idx/ +||heyflow.co/pixel/ +||hi.hellobar.com^ +||hicloud.com/download/web/dtm.js +||highway.cablecar.sph.com.sg^ +||highwebmedia.com/CACHE/js/output.92c98302d256.js +||hit.mybestpro.com^ +||hits.dealer.com^ +||hits.getelevar.com^ +||hits.gokwik.co^ +||hits.informer.com^ +||hktracker.hankookilbo.com^ +||hm.baidu.com^$third-party +||hocalwire.com/tracking- +||homedepot-static.com/data-collection/ +||homestore.com/srv/ +||honeycomb.io/1/events/ +||hop.clickbank.net^$script +||hornymatches.com^*/visit.php? +||hqq.tv/js/counters.js +||hrzn-nxt.com/pxl? +||hsforms.com/embed/v3/counters.gif +||hub.reacti.co/index.js +||hubspot.com/analytics/ +||hubspot.com/cs/loader-v2.js +||hubspot.com/img/trackers/ +||hubspot.com/tracking/ +||hubspot.com/usage-logging/ +||hushforms.com/visitorid? +||hydro-ma-proxy.akamaized.net^ +||hypercomments.com/widget/*/analytics.html +||i.compendium.com^ +||i.posthog.com^ +||i.s-microsoft.com/wedcs/ms.js +||i.viafoura.co^ +||iabusprivacy.pmc.com^ +||iadvize.com/collector/ +||ibmcloud.com/collector/ +||icbdr.com/images/pixel.gif +||id.google.*/verify/ +||id.verticalhealth.net/script.js?partnerid= +||iddu1vvb7sk8-a.akamaihd.net^ +||identification.hotmart.com^ +||iheart.com/events +||ihi.flowplayer.com^ +||imageshack.us^*/thpix.gif +||imgfarm.com/images/nocache/tr/*.gif?$image +||imgfarm.com/images/trk/myexcitetr.gif? +||imgfarm.com^*/mw.gif?$third-party +||imp.constantcontact.com^$third-party +||imp.pvnsolutions.com^ +||impdesk.com/smartpix/ +||impel.io/releases/analytics/ +||impress.vcita.com^ +||impressionmedia.cz/statistics/ +||inbound-analytics.pixlee.co^ +||incapdns.net/monitor.js +||incomaker.com//tracking/ +||ind.sh/view.php?$third-party +||indoleads.com/api/pixel-content/ +||inetstatic.com/tracking/ +||infinityid.condenastdigital.com^ +||infogr.am/logger.php? +||informer.yandex.ru^ +||infosniper.net/locate-ip-on-map.php +||infusionsoft.com^*/getTrackingCode? +||ingest.make.rvapps.io^ +||inmobi.com/?log +||inmoment.com.au/intercept/$third-party +||inmoment.com/intercept/$third-party +||inmoment.com/websurvey/$third-party +||innogamescdn.com/media/js/metrics- +||inphonic.com/tracking/ +||inq.com^*/onEvent?_ +||ins.connatix.com^ +||insiderdata360online.com/service/platform.js +||insight.mintel.com^$third-party +||insight.rapid7.com^$third-party +||insights.algolia.io^ +||insights.sitesearch360.com^ +||insitez.blob.core.windows.net^ +||instagram.com/logging/ +||instagram.com/logging_client_events +||instagram.com/paid_ads/ +||installiq.com/Pixels/ +||intake-analytics.wikimedia.org^ +||intelligems.io/track +||intelligencefocus.com^*/sensor.js +||intelligencefocus.com^*/websensor.aspx? +||intensedebate.com/remotevisit.php? +||intensedebate.com/widgets/blogstats/ +||intercomcdn.com/intercom*.js$domain=unblocked.la +||internetfuel.com/tracking/ +||intuitwebsites.com/tracking/ +||invite.leanlab.co^ +||invitejs.trustpilot.com^ +||io.narrative.io/?$third-party +||ip.lovely-app.com^ +||ip.momentummedia.com.au^ +||ippen.space/idat +||ipstatp.com/growth/fe_sdk/reportsdk/$third-party +||ipstatp.com/static_magic/pgc/tech/collect/$third-party +||iq.sixaxisllc.com^ +||iqzone.com^$third-party +||iraiser.eu/analytics.js +||isacglobal.com/sa.js +||isitelab.io/ite_sitecomV1ANA.min.js +||iterable.com/analytics.js +||iturl.in/analytics? +||iubenda.com/write? +||iyisayfa.net/inc.php? +||jailbaitchan.com/tp/ +||jangomail.com^*?UID$third-party +||jas.indeednps.com^ +||javascriptcounter.appspot.com^ +||jennifersoft.com^$third-party +||jill.fc.yahoo.com^ +||jly24aw29n5m-a.akamaihd.net^ +||jobvite.com/analytics.js +||jotform.io/getReferrer/$third-party +||jscache.com/static/page_moniker/ +||jsdelivr.net/gh/sensitiveio/sbtracker@master/ +||jsdelivr.net/npm/navigator.sendbeacon +||jsdelivr.net^*/fp.min.js +||jsrdn.com/creatives/ +||jsrdn.com/s/1.js +||jst.ai/vck.js +||jtracking-gate.lulusoft.com^ +||k.keyade.com^ +||k.streamrail.com^ +||kalstats.kaltura.com^ +||kbb.com/partner/$third-party +||kelkoogroup.net/st? +||kimonix.com/analytics/ +||kiwari.com^*/impressions.asp? +||kiwi.mdldb.net^ +||kiwisizing.com/api/log +||kk-resources.com/ks.js +||klarnaservices.com/v1/osm-client-script/ +||klarnaservices.com^$image,third-party +||klaviyo.com/onsite/js/sentry. +||klaviyo.com/onsite/track-analytics? +||klickly.com/track +||kmib.co.kr/ref/ +||kochava.com/track/$third-party +||kununu.com^*/tracking/ +||kxcdn.com/actor/$third-party +||kxcdn.com/assets/js/script.js +||kxcdn.com/prj/ +||kxcdn.com/track.js +||l-host.net/etn/omnilog? +||l.fairblocker.com^$third-party +||l.ooyala.com^ +||l.player.ooyala.com^ +||l.sharethis.com^ +||l.typesquare.com^ +||lambda-url.eu-west-1.on.aws^$ping +||lambda-url.us-east-1.on.aws/chug/event +||laurel.macrovision.com^ +||laurel.rovicorp.com^ +||lciapi.ninthdecimal.com^ +||lcs.naver.com^ +||leadliaison.com/tracking_engine/ +||leadpages.net/leadboxes/current/embed.js +||leadpages.net^*/tracking.js +||leadtracking.plumvoice.com^ +||leadvision.dotmailer.co.uk^$third-party +||lederer.nl/incl/stats.js.php? +||legacy.com/globalscripts/tracking/ +||legacy.com^*/unicaclicktracking.js? +||letv.com/cloud_pl/ +||letv.com/env/ +||levelaccess.net/analytics/ +||lh.bigcrunch.com^ +||lhinsights.com/collect? +||libcdnjs.com/api/event +||libs.platform.californiatimes.com/meteringjs/ +||licdn.com/*.gif?rnd= +||licensing.bitmovin.com/impression +||lift.acquia.com^ +||lightboxcdn.com/static/identity.html +||limbik.com/static/tracking-script.js +||lingows.appspot.com/page_data/? +||link.cosmopolitan.com^$image +||link.indiegogo.com/img/ +||link.informer.com^ +||link.messaging.usnews.com^$image +||link.myjewishpage.com^$image +||link.realself.com^$image +||linkbucks.com/visitScript/ +||linkdeli.com/widget.js +||linkedin.com/countserv/count/$third-party +||links.voyeurweb.com^ +||linkwithin.com/pixel.png +||list-manage.com/track/ +||list.fightforthefuture.org/mpss/o/*/o.gif +||listen.audiohook.com/*/pixel.png +||listrak.com/api/Activity/click +||listrak.com/api/Activity/impression +||listrakbi.com/activity/ +||listrakbi.com/api/ActivityEvents/ +||lit.connatix.com^ +||literally-analytics.appspot.com^ +||live-partner.com/tags? +||live-tv.top/js/k.min.js +||live.mrf.io/statics/marfeel/gardac-sync.js +||live2support.com^*/js_lstrk. +||livechatinc.com^*/control.cgi? +||livecounter.theyosh.nl^ +||livefyre.com/libs/tracker/ +||livefyre.com/tracking/ +||livefyre.com^*/tracker.js +||livefyre.com^*/tracking/ +||livehelpnow.net/lhn/handler/$image +||livelyvideo.tv/lb/logger +||liverail.com/?metric= +||liverail.com/track/? +||livestats.kaltura.com^ +||livestory.io/*/collect +||llama.fi/script.js +||lma.npaw.com^ +||loader-cdn.azureedge.net^ +||location3.com/analytics/ +||log-*.previewnetworks.com^ +||log-pq.shopfully.cloud^ +||log.aimtell.com^ +||log.cookieyes.com^ +||log.dpa.com^ +||log.go.com^ +||log.mediacategory.com^ +||log.nordot.jp^ +||log.olark.com^ +||log.outbrain.com^ +||log.pinterest.com^ +||log.reformal.ru^ +||log.seekda.com^ +||logger.snackly.co^ +||logging.je-apps.com^ +||logging.pw.adn.cloud^ +||loggingapi.spingo.com^ +||loglady.skypicker.com^ +||logs-api.shoprunner.com^ +||logs.animaapp.com^ +||logs.datadoghq.com^$third-party +||logs.mezmo.com^ +||logs.spilgames.com^ +||longtailvideo.com^*/yourlytics- +||loomia.com^*/setcookie.html +||lsimg.net^*/vs.js +||ltwebstatic.com/she_dist/libs/devices/fpv2. +||ltwebstatic.com^*/libs/sensors/ +||lucid.mjhassoc.com^ +||luminate.com/track/ +||lycos.com/hb.js +||m.clear.link/cpr/external/track +||m.stripe.com^$third-party,domain=~stripe.network +||ma.logsss.com^ +||magento-recs-sdk.adobe.net^ +||magnify.net/decor/track/ +||mail-app.com/pvtracker/ +||mail.ru/dstat? +||mail.ru/grstat? +||mail.ru/k? +||mandrillapp.com/track/ +||maptrackpro.com/track/ +||marker.io/widget/ping +||marketcat.co/pixel/ +||marketingautomation.services/client/ss.js +||marketingautomation.services/koi +||marketo.com/gw1/ +||marketo.com/rtp-api/ +||marsflag.com/mf2file/site/ext/tr.js +||martech.condenastdigital.com^ +||mas.nth.ch^ +||mashery.com/analytics/ +||materiel.net/r/$image +||mato.clanto.cloud^ +||matomo.clanto.cloud^ +||maven.io/api/userEvent/ +||mavencoalition.io/collect +||maxmind.com/app/$third-party +||maxmind.com/geoip/$third-party +||maxmind.com/js/country.js +||maxmind.com/js/device.js$third-party +||maxmind.com^*/geoip.js +||maxmind.com^*/geoip2.js +||mbsvr.net/js/tracker/ +||mc.webvisor.com^ +||mc.webvisor.org^ +||mc.yandex.com^ +||mc.yandex.ru^ +||mcdp-*.outbrain.com^ +||mcssl.com^*/track.ashx? +||mdxprod.io/analytics.js +||measure.refinery89.com^ +||media-imdb.com/twilight/? +||media-lab.ai/ana-sentry.js +||media-platform.com/common/js/lib/cxense/ +||mediabong.com/t/ +||mediabong.net/t/ +||mediadelivery.net/.metrics/ +||mediadelivery.net/rum.js +||mediaite.com^*/track/ +||mediametrics.mpsa.com^ +||mediaplex.com^*?mpt= +||meebo.com/cim/sandbox.php? +||merklesearch.com/merkle_track.js +||metabroadcast.com^*/log? +||metaffiliation.com^*^mclic= +||meteored.com/cmp/web/events/analytic/ +||metering.pagesuite.com^$third-party +||metrics-api.librato.com^ +||metrics-logger.spot.im^ +||metrics.api.drift.com^ +||metrics.beyondwords.io^ +||metrics.brightcove.com^ +||metrics.ctvdigital.net^ +||metrics.doppiocdn.com^ +||metrics.doppiostreams.com^ +||metrics.futureplc.engineering^ +||metrics.gs-chat.com^ +||metrics.kmsmep.com^ +||metrics.mdstrm.com^ +||metrics.onshape.com^ +||metrics.pico.tools^ +||metrics.scribblelive.com^ +||metrics.userguiding.com^ +||metrix.emagister.com^ +||mgmlcdn.com/stats/ +||minutemediacdn.com/campaign-manager-client/ +||mixpanel.com/track? +||mj-snowplow-static-js.s3.amazonaws.com^ +||mkcms.com/stats.js +||ml.com/enterprisetagging/ +||mlweb.dmlab.hu^ +||mmcdn.com/events/ +||mmi.bemobile.ua^ +||mochiads.com/clk/ +||moco.yukata.dev/get/$image,third-party +||moderate.cleantalk.org/ct-bot-detector-wrapper.js +||modules.ooyala.com^*/analytics- +||mon.domdog.io^ +||monitor-api.blackcrow.ai^ +||monitor-frontend-collector.a.bybit-aws.com^ +||monitor.azure.com^ +||monitoring.iraiser.eu^ +||monorail-edge.shopifysvc.com^ +||mormont.gamer-network.net^ +||movementventures.com/_uid.gif +||mowplayer.com/media/statistics/ +||mozilla.org/page/*/open.gif$third-party +||mql5.com/st? +||mql5.com/tr? +||mrf.io/statics/marfeel-sdk.js +||mrf.io/statics/marfeel/chunks/metrics- +||ms-trackingapi.phenompeople.com^ +||msadsscale.azureedge.net^ +||msecnd.net/jscripts/HA-$script +||msecnd.net/next/$script +||msecnd.net/script/raptor- +||msecnd.net/scripts/a/ai. +||msecnd.net/scripts/b/ai. +||msecnd.net/scripts/jsll- +||mshcdn.com/assets/metrics- +||mssdk.tiktokw.us/web/report? +||mtvnservices.com/aria/projectX/ +||mtvnservices.com/aria/uuid.html +||mtvnservices.com/measurements/ +||mtvnservices.com/metrics/ +||multiup.us/cdn-cgi/trace +||munchkin.marketo.net^ +||murdoog.com^*/Pixel/$image +||museter.com/track.php? +||musvc2.net/e/c? +||mv.treehousei.com^ +||mxmfb.com/rsps/img/ +||myblueday.com^*/count.asp? +||myfinance.com/widget/ +||myfreecams.com/mfc2/lib/o-mfccore.js +||mymarketing.co.il/Include/tracker.js +||myopenpass.com/v1/api/telemetry/event +||myprivacy.dpgmedia.net/audits +||myscoop-tracking.googlecode.com^$third-party +||mysdcc.sdccd.edu^*/.log/ +||mysociety.org/track/ +||mzbcdn.net/mngr/mtm.js +||nastydollars.com/trk/ +||native-ads-events-api.c4s-rd.services^ +||native-ads-events-api2.c4s-rd.services^ +||navattic.com/api/events/ +||naver.net/wcslog.js +||navlink.com/__utmala.js +||nbcudigitaladops.com/hosted/housepix.gif +||nbcudigitaladops.com/hosted/util/geo_data.js +||ncdn22.xyz/cdn-cgi/trace +||needle.com/pageload? +||needle.com/pageupdate? +||neocounter.neoworx-blog-tools.net^ +||neon-lab.com/neonbctracker.js +||net-tracker.notolytix.com^$third-party +||netbiscuits.net^*/analytics/ +||netclick.io/pixel/ +||netdna-ssl.com/tracker/ +||netlify-rum.netlify.app^ +||netne.net/stats/ +||netscape.com/c.cgi? +||neulion.vo.llnwd.net^*/track.js +||news.banggood.com/mo/$image,third-party +||newsanalytics.com.au^$third-party +||newscgp.com/cs/sync/ +||newsletters.nationalgeographic.com^$image,third-party +||newton.pm/events/track_bulk +||nexstardigital.net/segment.js +||nfcube.com/assets/img/pixel.gif +||ngpvan.com/v1/Track/ +||nice264.com/data?$third-party +||nile.works/api/save-perf? +||nile.works/TargetingWebAPP/ +||ninja.onap.io^ +||nitrous-analytics.s3.amazonaws.com^ +||noa.yahoo.com^ +||noflake-aggregator-http.narvar.com^ +||nojscontainer.pepperjam.com^$third-party +||nol.yahoo.com^ +||nosto.com/analytics/ +||notyf.com/pixel/ +||nova.dice.net^ +||nr.static.mmcdn.com^ +||ns-cdn.com^*/ns_vmtag.js +||ns.rvmkitt.com^ +||nude.hu/html/track.js +||nvidia.partners/telemetry/ +||nwr.static.mmcdn.com^ +||o.aolcdn.com/js/mg1.js +||observe-nexus.pointandplace.com^ +||observer.ip-label.net^ +||obseu.netgreencolumn.com^ +||ocmail1.in/rtw/$image +||oct8ne.com/Visitor/ +||octaneai.com^*/utrk +||octopart-analytics.com^$third-party +||oda.markitondemand.com^ +||odysee.com/api/v1/metric/ +||odysee.com/log/ +||ohnorobot.com/verify.pl? +||olytics.omeda.com^ +||ondigitalocean.app/insight-analytics.js +||one.store/v1/analytics/ +||onecount.net/onecount/oc_track/ +||onescreen.net/os/static/pixels/ +||onesignal.com/api/v*/apps/ +||onesignal.com/api/v1/sync/ +||onesignal.com/sdks/OneSignalSDKStyles +||onesignal.com/sdks/OneSignalSDKWorker +||onesignal.com/webPushAnalytics +||onespot-tracking.herokuapp.com^ +||onet.pl/eclk/ +||onet.pl^*/tags? +||onetrust.com^$ping +||onsugar.com/static/ck.php? +||ontraport.com/track.php +||ontraport.com/tracking.js +||oo-syringe.com/prod/moat.js +||ooyala.com/3rdparty/comscore_ +||ooyala.com/authorized?analytics +||ooyala.com/sas/analytics? +||ooyala.com/verify? +||ooyala.com^*/report?log +||openxcdn.net^$third-party +||opinary.com/v1/events +||optimeeze.appspot.com^ +||optmn.cloud/hb/ +||ora.tv/j/ora_evttracking.js +||orb.ee/collect +||ordergroove.com/log/offer? +||organicfruitapps.com/analytics/ +||orts.wixawin.com^$third-party +||osano.com/js/?action_name= +||otg.mblycdn.com/bundles/cmp.js +||outbrain.com/nanoWidget/externals/cookie/ +||outbrain.com/widgetOBUserSync/ +||outbrain.com^$third-party +||outbrain.com^*/widgetStatistics.js +||p.cquotient.com^ +||p.metrilo.com^ +||p.placed.com^ +||p.skimresources.com^ +||p.typekit.net^ +||p.yotpo.com^ +||p0.com/1x1 +||paddle.com^*/analytics.js +||page-events-ustats.udemy.com^ +||pagecloud.com/event +||pagefly.io/pagefly/core/analytics.js +||pages-stats.rbl.ms^ +||pagesense-collect.zoho.com^ +||pagesocket.glam.com^ +||pageturnpro.com/tracker.aspx? +||pair.com/itero/tracker_ftc/ +||panorama.wixapps.net^ +||pap.qualityunit.com^$third-party +||parallax.askmediagroup.com^ +||paramount.tech/lookup/ +||parkwhiz.com/events/ +||parsely.com/keys/$script,third-party +||partners.etoro.com^$script +||patreon.com/api/tracking +||payments-amazon.com^*/analytics.js +||payments.amazon.com/cs/uedata +||paypal.com/ptrk/ +||paypal.com/webapps/mch/cmd/? +||paypal.com/xoplatform/logger/api/logger +||paypal.com^*/pixel.gif$third-party +||paypalobjects.com^*/pixel.gif +||pbjs-stream.bydata.com^ +||pc161021.com/scripts/noui/eventlogger.js +||pc161021.com/scripts/noui/StatProvider.js +||pcrl.co/js/jstracker.min.js +||pega.com/logserver +||pegasus.unifygroup.com^ +||penton.com/analytics/ +||perf-events.cloud.unity3d.com^ +||perf.hsforms.com^ +||perfops.net/rom3/ +||performgroup.com/metrics/ +||perimeterx.net/api/v1/collector/ +||perr.h-cdn.com^ +||perso.aws.arc.pub^ +||petametrics.com^$domain=meidastouch.com +||petametrics.com^$image,third-party,xmlhttprequest +||pets.channeladvisor.com^ +||photobox.com/event +||photobox.com/logs +||phrasetech.com/api/collect +||pi.ispot.tv^ +||pi.pardot.com/analytics? +||piano.io/api/v3/customform/log/impression +||piano.io/tracker/ +||pico.tools/metrics/ +||pikapod.net/script.js +||ping-admin.ru^$third-party +||ping.dozuki.com^ +||pings.conviva.com^ +||pings.vidpulse.com^ +||pipe-collect.ebu.io^ +||pipedream.wistia.com^ +||pix.hyj.mobi^ +||pix.revjet.com^ +||pix.speedbit.com^$third-party +||pix.spot.im^ +||pixel-a.basis.net^ +||pixel.ampry.com^ +||pixel.anyclip.com^ +||pixel.archipro.co.nz^ +||pixel.blivenyc.com^ +||pixel.byspotify.com^ +||pixel.condenastdigital.com^ +||pixel.driveniq.com^ +||pixel.embed.su^ +||pixel.fohr.co^ +||pixel.lilystyle.ai^ +||pixel.locker2.com^ +||pixel.mintigo.com^ +||pixel.mtrcs.samba.tv^ +||pixel.newscred.com^ +||pixel.redgifs.com^ +||pixel.roymorgan.com^ +||pixel.s3xified.com^ +||pixel.safe-installation.com^ +||pixel.sprinklr.com^ +||pixel.videohub.tv^ +||pixel.wp.com^ +||pixel.yabidos.com^ +||pixel.yola.com^ +||pixels.afcdn.com^ +||pixlee.com/assets/fp.js +||pixlee.com/assets/keen- +||pixlee.com/assets/pixlee_events.js +||pl.connatix.com^ +||pla.fwdcdn.com^ +||platform.iteratehq.com^ +||platform.twitter.com/impressions.js +||plausible.io/js/p.js +||plausible.io/js/plausible. +||plausible.server.hakai.app^ +||plausibleio.workers.dev^$third-party +||play.adtonos.com^ +||play.ht/views/ +||player-metrics.instaread.co^ +||player.ooyala.com/errors/report? +||playhop.com/clck/ +||playtomic.com/Tracker/ +||plista.com/activity +||pm.boostintegrated.com^ +||pmi.flowplayer.com^ +||pn.ybp.yahoo.com/ab/secure/true/imp/ +||poool.fr/api/v3/access/event +||popup-static.unisender.com^ +||porpoise.azettl.net^ +||postageapp.com/receipt/$third-party +||poweredbyeden.com/widget/tracker/ +||ppx.com/tracking/ +||pr-bh.ybp.yahoo.com^ +||pr.blogflux.com^ +||prd-collector-anon.ex.co^ +||prd-collector-platform.ex.co^ +||presspage.com/statistics/ +||prf.vagnt.com^ +||pricespider.com/impression/ +||primedia.co.za/analytics/ +||primer.typekit.net^$xmlhttprequest +||prism.app-us1.com^$script,third-party +||prismaconnect.fr/prd/ping +||privacy-center.org^*/events +||privacy.outdoorsg.com^ +||processor.asccommunications.com^ +||prod.benchmarkemail.com/tracker.bundle.js +||prod.ew.srp.navigacloud.com^ +||prod.fennec.atp.fox^ +||prodregistryv2.org^ +||propps.com/v1/referrer/ +||providesupport.com/cmd/$image +||proxy.dzeio.com^ +||proxy.trysavvy.com^ +||proxycheck.io/v2/ +||pswec.com/px/$third-party +||pt.crossmediaservices.com^ +||pt.ispot.tv^ +||ptsc.shoplocal.com^ +||pub.pixels.ai/metrics-lib.js +||pub.sheknows.com^ +||pubimgs.net/main.gif? +||public.cobrowse.oraclecloud.com/rely/storage/ +||public.fbot.me/track/ +||publicbroadcasting.net/analytics/ +||pulse.shopflo.com^ +||purevideo.com^*/pvshim.gif? +||pushly.com/pushly-event-tracker +||pushpro.io/api/logging/ +||pussy.org^*.cgi?pid= +||pussy.org^*/track.php +||px-cdn.net/b/ +||px-cdn.net^*/collector +||px-cloud.net/b/s +||px.marchex.io^ +||px.mountain.com^ +||px.owneriq.net^ +||pxchk.net/b/s +||pylon.micstatic.com^ +||qcloud.com/report.go? +||qq.com/collect? +||qq.com/dataimport/ +||qq.com/heatmap/ +||qq.com/ping.js? +||qq.com/stats? +||quadpay.com/analytics/ +||qualifioapp.com/egw/events +||qualtrics.com/jfe/$script,third-party +||qualtrics.com/sie/$script,third-party +||qualtrics.com/WRSiteInterceptEngine/?Q_Impress=$third-party +||qualtrics.com^*/metrics +||quantcast.com/?log +||quantcast.mgr.consensu.org/?log +||qubitanalytics.appspot.com^ +||query1.petametrics.com^ +||quisma.com/tracking/ +||quora.com/_/ad/ +||quora.com/qevents.js +||qzzr.com/_uid.gif +||r.mail.ru^$script +||r.skimresources.com^ +||r.stripe.com^$script,xmlhttprequest +||rackcdn.com/gate.js +||rackcdn.com/stf.js +||radiotime.com/Report.ashx? +||radiotime.com/reports/ +||rakanto.com/cx_collector/ +||ramp.purch.com^ +||rampjs-cdn.system1.com^ +||rapidspike.com/performance/ +||rapidspike.com/static/js/timingpcg.min.js +||raygun.io/events? +||rbl.ms/res/users/tracking/ +||reach-id.orbit.tm-awx.com^ +||readcube.com/assets/track_ +||realm.hearst3pcc.com^ +||rebelmouse.com/pharos/ +||recart.com/tracking/ +||receive.wmcdp.io^ +||recipefy.net/analytics.js +||recs-api.conde.digital^ +||recs.richrelevance.com/rrserver/api/engage/trackExperienceEvent? +||recs.shareaholic.com^ +||recurly.com/js/v1/events +||redditsave.com/api/event +||redditstatic.com/ads/pixel.js +||redfast.com/ping/ +||reevoo.com/track_url/ +||refer.wordpress.com^ +||referrer.disqus.com^ +||reflow.tv/pixels/ +||rejoiner.com/tracker/ +||relaymedia.com/ping?$third-party +||removeads.workers.dev^ +||replit.app/tap/ +||replyat.com/gadgetpagecounter.asp? +||report.error-report.com^$subdocument +||reporting-api.gannettinnovation.com^ +||reporting.cdndex.io^ +||reporting.singlefeed.com^ +||reports-api.sqreen.io^ +||reports.hibu.com^ +||reports.sdiapi.com^ +||res.rbl.ms^ +||rest.wildstar-online.com^ +||retail-client-events-service.internal.salsify.com/events +||retargeting.newsmanapp.com^ +||reverbnation.com/widgets/trk/ +||rfksrv.com/rfk/$third-party +||rfksrv.com/rfkj/$image +||richrelevance.com/rrserver/tracking? +||rltd.io/tags/ +||roadster.com/roadster_dealer_analytics +||rodale.com/ga/ +||roomvo.com/services/event/ +||route.com/collect +||routeapp.io/route-analytics/ +||rs.sinajs.cn^ +||rt.flix360.com^ +||rtc.hibuwebsites.com/feature/metrics +||rtc.multiscreensite.com^ +||rtxpx-a.akamaihd.net^ +||rum.azion.com^ +||rum.azioncdn.net^ +||rum.corewebvitals.io^ +||rum.hlx.page^ +||rum.ingress.layer0.co^ +||rum.layer0.co^ +||rum.perfops.net^ +||rum.uptime.com^ +||rumstat.cdnvideo.ru^ +||run.app/data.log +||run.app/metrics/ +||rw.marchex.io^ +||s-microsoft.com/mscc/$~stylesheet +||s.autopilotapp.com^ +||s.beop.io^ +||s.logsss.com^ +||s.pinimg.com/ct/core.js +||s.srvsynd.com^ +||s.vibe.co^ +||s3.amazonaws.com/www.audiencenetwork.ai/ +||sa.scorpion.co^ +||saasexch.com/bapi/fe/usd/report/ +||safe-iplay.com/logger +||sail-horizon.com/horizon/$third-party +||sailthru.com/Sailthru_spacer_1x1.gif +||sajari.com/js/sj.js$third-party +||salescs.com/liveagent/scripts/track.js +||salesforce.com/sfga.js +||salesloft.com/sl.js +||salesmartly.com/client/log/ +||salesmartly.com/client/station/log? +||sascdn.com/mh_audience/ +||sawpf.com/1.0.js$third-party +||saymedia.com/latest/tetrapak.js +||scatec.io/collect +||schemaapp.com/pagecount +||schibsted.com/autoTracker +||sciencex.com/api/location/ +||scout.salesloft.com/r?tid= +||scout.us2.salesloft.com^$image +||scribd.com/api/v1/events +||scribol.com/traffix/widget_tracker/ +||script-api.kinja.com/script? +||scripts.psyma.com^ +||scripts.swifteq.com/hc_events.js +||sd-tagging.azurefd.net^ +||sdiapi.com/reporter/ +||sdk.51.la^$third-party +||sdrive.skoda-auto.com^ +||sdtagging.azureedge.net^ +||searchcompletion.com/BannerHandler.ashx +||secure-stats.pingdom.com^ +||secure.ifbyphone.com^$third-party +||secure.merchantadvantage.com^ +||secureprovide1.com/*=tracking$image +||secureserver.net/t/ +||seg.sharethis.com^ +||segments.adap.tv^$third-party +||sendtonews.com/stn_trk.gif? +||sermoncloud.com/logger/ +||service.trustpid.com^ +||session.timecommerce.net^ +||sessions.embeddables.com^ +||sexhd.pics/x/x.js +||sezzle.com/v1/event/log +||sfstatic.net/build/js/basicMetricsTracking. +||sftrack.searchforce.net^ +||sgali-mcs.byteoversea.com^ +||share-online.biz/affiliate/$third-party +||shareaholic.com/analytics_ +||shareaholic.com/partners.js +||shared.65twenty.com^ +||shareholder.com/track/ +||shareit.com/affiliate.html$third-party +||sharethis.com/increment_clicks? +||sharethis.com/pageviews? +||shopify-gtm-suite.getelevar.com/getelevar/*/dl-web-pixel-lax-custom.js +||shopify.com/shopifycloud/consent-tracking-api/ +||shopify.com/shopifycloud/web-pixels-manager/ +||shoplift.ai/api/events/ +||shoplocal.com/it.ashx? +||shopnetic.com^$third-party +||shorthand.com/analytics/ +||showstopped.com/owa/log.php +||showstopped.com/owa/modules/base/dist/owa.tracker.js +||shrtfly.vip/js/tag.js +||sinajs.cn/open/analytics/ +||sitebooster.com/sb/wix/p?$third-party +||sitefinity.com/collect/ +||sitescdn.net/ytag/ytag.min.js +||skeepers.io/data/collect +||skypack.dev/@amplitude/ +||skysa.com/tracker/ +||slackb.com^ +||slgnt.us/track +||sli-spark.com/b.png$third-party +||slidedeck.com^$image,third-party +||smart-data-systems.com^ +||smartertravel.com/ext/pixel/ +||smarthint.co/Scripts/i/SmartHintTrack.Full.min.js +||smarthint.co/track/ +||smrt.as^ +||snapkit.com/v1/sdk/metrics/ +||snaps.vidiemi.com^$third-party +||snowplow.swm.digital^ +||snowplowjs.darwin.cx^ +||soccer.ru/counter/ +||socialannex.com/c-sale-track/$script +||solutions.invocacdn.com^ +||souisa.com/analytics/ +||soundestlink.com/rest/forms/v2/track/ +||sourceforge.net/tracker/$~xmlhttprequest +||sp-wukong-tracker.b-cdn.net^ +||sp.tinymce.com^ +||spa-tracker.spapi.io^ +||sparklit.com/counter/ +||speedtest.dailymotion.com/latencies.js +||speedtrap.shopdirect.com^ +||spindl.link/events +||spiral.world/events/ +||splunkcloud.com/services/collector/ +||spot.im/v1.0.0/conversation/realtime/read +||spotpass.com/api/log +||spread.ly^*/statistics.php +||spresso.com/pim/public/events +||squarecdn.com/square-marketplace-js/chunk-analytics-vendors.js +||squarecdn.com/square-marketplace-js/chunk-analytics.js +||squarespace.com/universal/scripts-compressed/performance-$script,third-party +||src.freshmarketer.in^ +||srvmath.com^*/analytics.js +||ssa.stepstone.com^ +||ssc.shopstyle.com/collective.min.js +||ssl-images-amazon.com/images/I/31YXrY93hfL.js$domain=imdb.com +||ssr.streamrail.net^ +||st.cdnco.us^ +||st.linkfire.com^ +||staging-pt.ispot.tv^ +||starman.fathomdns.com^ +||stas.outbrain.com^ +||stat.absolutist.com^ +||stat.glaze.ai^ +||stat.mixi.media^ +||stat.moevideo.net^ +||stat.mydaddy.cc^ +||stat.segitek.hu^ +||stat.testme.cloud^ +||stat.u.sb^ +||stat.web-regie.com^ +||statdb.pressflex.com^ +||static-tracking.klaviyo.com^ +||static.fengkongcloud.com^ +||static.parsely.com^$third-party +||staticmoly.me/metric.php +||statistics.tattermedia.com^ +||statistics.wibiya.com^ +||statm.the-adult-company.com^ +||stats-bq.stylight.net^ +||stats-dev.brid.tv^ +||stats-messages.gifs.com^ +||stats-newyork1.bloxcms.com^ +||stats.big-boards.com^ +||stats.bitgravity.com^ +||stats.bluebillywig.com^ +||stats.bradmax.com^ +||stats.bunkr.ru^ +||stats.callnowbutton.com^ +||stats.cmcigroup.com^ +||stats.curds.io^ +||stats.datahjaelp.net^ +||stats.edicy.com^ +||stats.esecured.net^ +||stats.externulls.com^$domain=beeg.com +||stats.flixhq.live^ +||stats.fomo.com^ +||stats.gifs.com^ +||stats.heyoya.com^ +||stats.inergizedigitalmedia.com^ +||stats.itweb.co.za^ +||stats.kaltura.com^ +||stats.ksearchnet.com^ +||stats.live-video.net^$domain=kick.com +||stats.locallabs.com^ +||stats.lotlinx.com^ +||stats.mituyu.com^ +||stats.mpthemes.net^ +||stats.nebula.fi^ +||stats.netbopdev.co.uk^ +||stats.netdriven.com^ +||stats.olark.com^ +||stats.ozwebsites.biz^ +||stats.phoenix-widget.com^ +||stats.polldaddy.com^ +||stats.prebytes.com^ +||stats.pusher.com^ +||stats.pushloop.io^ +||stats.sa-as.com^ +||stats.sawlive.tv^ +||stats.screenresolution.org^ +||stats.shopify.com^ +||stats.smartclip.net^ +||stats.topofblogs.com^ +||stats.uscreen.io^ +||stats.varrando.com^ +||stats.viddler.com^ +||stats.webs.com^ +||stats.webstarts.com^$third-party +||stats.wp.com^ +||stats.wpmucdn.com^ +||stats.zotabox.com^ +||stats2.indianpornempire.com^ +||statsadv.dadapro.com^$third-party +||statsapi.screen9.com^ +||statscollector-1.agora.io^ +||statscollector.sd-rtn.com^ +||statsig.anthropic.com^ +||statsjs.klevu.com^ +||statt-collect.herokuapp.com^ +||stg-data-collector.playbuzz.com^ +||stg.truvidplayer.com/*/v.php?st= +||stileproject.com/vhtk/ +||storage.googleapis.com/afs-prod/tags +||storage.googleapis.com/nchq-dj-nid/prod/sp_v1.js +||storage.googleapis.com/snowplow-cto-office-tracker-bucket/ +||storage.googleapis.com/tm-frend-graffiti/ +||storage.syncmedia.io/libs/sm_capture_ +||stream-log.dditscdn.com^ +||streamads.com/view? +||streamoptim.com/log.js +||streamoptim.com/log/report? +||streams.cablecar.sph.com.sg^ +||streamtheworld.com/imp? +||stripe.com/?event= +||sts.eccmp.com^ +||stylitics.com/api/engagements +||su.pr/hosted_js$third-party +||sulia.com/papi/sulia_partner.js/$third-party +||sunlightmetrics.b-cdn.net^ +||sunset.com/tia/ +||surfshark.events^ +||surfside.io/event/ +||survey.interquest.com^ +||surveymonkey.com/resp/api/metrics +||surveywall-api.survata.com^$third-party +||svc.dynamics.com/f/m/$third-party +||svc.dynamics.com/t/w$third-party +||svibeacon.onezapp.com^ +||swarm.video/j79z9kzty.js +||swarm.video/track/ +||swiftypecdn.com/cc.js$third-party +||swiftypecdn.com/te.js$third-party +||sync.adap.tv^ +||synergizeonline.net/trackpoint/ +||system-beta.b-cdn.net^ +||syteapi.com/et? +||t.360playvid.info^ +||t.91syun.com^ +||t.a3cloud.net^ +||t.adx.opera.com^ +||t.arcade.show^ +||t.auditedmedia.org.au^ +||t.beop.io^ +||t.bimvid.com^ +||t.buyist.app^ +||t.c4tw.net^ +||t.castle.io^ +||t.cfjump.com^ +||t.channeladvisor.com^ +||t.clic2buy.com^ +||t.cometlytrack.com^ +||t.commandbar.com^ +||t.dgm-au.com^$third-party +||t.enuygun.com^ +||t.fullres.net^ +||t.ghostboard.io^ +||t.id.net/log +||t.irtyc.com^ +||t.jobsyn.org^ +||t.mail.sony-europe.com/r/? +||t.menepe.com^ +||t.metrilo.com^ +||t.pointandplace.com^ +||t.powerreviews.com^$third-party +||t.raptorsmartadvisor.com^ +||t.rentcafe.com^ +||t.screeb.app^ +||t.sharethis.com^ +||t.signalayer.com^ +||t.skimresources.com^ +||t.smile.eu^ +||t.spbx.app^ +||t.splicky.com^ +||t.spot.im^ +||t2.t2b.click^ +||taboola.com^$third-party +||taboolasyndication.com^$third-party +||tag-manager.playbuzz.com^ +||tag.aticdn.net^ +||tag.atom.gamedistribution.com^ +||tag.aumago.com^ +||tag.brandcdn.com^ +||tag.digops.sincro.io^ +||tag.elevaate.io^ +||tag.flagship.io^ +||tag.imagino.com^ +||tag.lexer.io^ +||tag.mtrcs.samba.tv^ +||tag.myplay.com^ +||tag.pearldiver.io^ +||tag.rightmessage.com^ +||tag.rmp.rakuten.com^ +||tag.statshop.fr^ +||tagger.opecloud.com^ +||taggstar.com^*/taggstar.min.js +||tags.catapultx.com^ +||tags.dxmdp.com^ +||tags.fullcontact.com^ +||tags.master-perf-tools.com^ +||tagtracking.vibescm.com^ +||target.mixi.media^ +||tarteaucitron.io/log/ +||tatadigital.com/analytics-engine/ +||technolutions.net/ping? +||technorati.com/technoratimedia-pixel.js +||techtarget.com^*/GetCookiesWithCallback? +||techweb.com/beacon/ +||telemetrics.klaviyo.com^ +||telemetry.goodlifefitness.com^ +||telemetry.phenixrts.com^ +||telemetry.reembed.com^ +||telemetry.smartframe.io^ +||telemetry.soundcloud.com^ +||telemetry.tableausoftware.com^ +||telemetry.vtex.com^ +||terabox.com/api/analytics? +||terabox.fun/api/analytics +||terabox.fun/api/getsyscfg?*web_share_ads_adsterra_config +||test.takedwn.ws^ +||th.bing.com/th/*&riu=$image,third-party +||the-group.net/aether/ +||themesltd.com/online-users-counter/$third-party +||theoplayer.com/t? +||threadloom.com/ga/ +||threedy.ai/api/event/ +||thron.com/shared/plugins/tracking/ +||tickaroo.com/api/collect/ +||tiktokv.com/web/report? +||tildacdn.com/pixel.png +||timejs.game.163.com^ +||tinybird.co/v0/events? +||tinypass.com/checkout/offer/trackShow +||tinypass.com^*/track? +||tinyurl.com/pixel.gif/ +||tk.pathmonk.com^ +||tkx.mp.lura.live/rest/v2/server_time +||tl.tradetracker.net^ +||tm-awx.com/pageview +||tm.tradetracker.net^ +||tm.vendemore.com^ +||tmp.argusplatform.com/js/wid.tracker.js +||tms.fmm.io^ +||tmtarget.com/tracking/ +||to.getnitropack.com^ +||toast.com/log +||toast.com/sendid? +||top-fwz1.mail.ru^ +||topix.net/t6track/ +||totallylayouts.com/tumblr/visitor-counter/counter.js +||touchcommerce.com/tagserver/logging/ +||tourradar.com/def/partner?$third-party +||tout.com/tracker.js +||tpx.tesseradigital.com^ +||tr-op.datatrics.com^ +||tr.cloud-media.fr^ +||tr.datatrics.com^ +||tr.marsflag.com^ +||tr.outbrain.com^ +||tr.snapchat.com^ +||tr.vitals.co^ +||tr.webantenna.info^ +||tra.scds.pmdstatic.net/sourcepoint/ +||traccoon.intellectsoft.net^ +||trace.swaven.com^ +||track-dark-bz.b-cdn.net^ +||track.360playvid.info^ +||track.91app.io^ +||track.atgstores.com^$third-party +||track.bannedcelebs.com^ +||track.btdmp.com^ +||track.coherentpath.com^ +||track.contently.com^ +||track.cordial.io^ +||track.digitalriver.com^ +||track.emerse.com^ +||track.hubspot.com^ +||track.hydro.online^ +||track.juno.com^ +||track.kinetiksoft.com^ +||track.mailerlite.com^ +||track.mituo.cn^ +||track.mp4.center^ +||track.mycliplister.com^ +||track.nopaperforms.com^ +||track.pricespider.com^ +||track.qoof.com^ +||track.searchignite.com^ +||track.searchiq.co^ +||track.shop2market.com^ +||track.sitetag.us^ +||track.social.com^ +||track.strife.com^ +||track.td3x.com^ +||track.uc.cn^ +||track.untd.com^ +||track.uppromote.com^ +||track.us.org^ +||track.venatusmedia.com^ +||track.vscash.com^ +||track.yfret.com^ +||track.yieldsoftware.com^ +||track.zappos.com^ +||trackdesk.com/tracking.js +||tracker-dot-optimeeze.appspot.com^ +||tracker-v4.gamedock.io^ +||tracker.affirm.com^ +||tracker.au.zitcha.app^ +||tracker.beezup.com^ +||tracker.cdnbye.com^ +||tracker.downdetector.com^ +||tracker.financialcontent.com^ +||tracker.gamedock.io^ +||tracker.gamemonkey.org^ +||tracker.gleanview.com^ +||tracker.hdtvcloud.com^ +||tracker.icerocket.com^ +||tracker.idocdn.com^ +||tracker.jkstremum.xyz^ +||tracker.keywordintent.com^ +||tracker.marinsoftware.com^ +||tracker.mrpfd.com^ +||tracker.myth.dev^ +||tracker.myyschool.xyz^ +||tracker.netklix.com^$script +||tracker.nitropay.com^ +||tracker.nocodelytics.com^ +||tracker.novage.com.ua^ +||tracker.prod.ams3.k8s.hyperia.sk^ +||tracker.services.vaix.ai^ +||tracker.smartframe.io^ +||tracker.softcube.com^ +||tracker.ssl0d.com^ +||tracker.timesgroup.com^ +||tracker.tubecj.com^ +||tracker.twenga. +||tracker.unbxdapi.com^ +||tracker.wigzopush.com^ +||tracker.wpserveur.net^ +||tracker.xgen.dev^ +||trackerapi.truste.com^ +||trackicollect.ibase.fr^$third-party +||tracking-api-4lasu2nlcq-ew.a.run.app^ +||tracking-api.hotmart.com^ +||tracking-api.mangopulse.net^ +||tracking-na.hawksearch.com^ +||tracking.adalyser.com^ +||tracking.ads.global-fashion-group.com^ +||tracking.aegpresents.com^ +||tracking.americaneagle.com^ +||tracking.audio.thisisdax.com^ +||tracking.b-cdn.net^ +||tracking.bababam.com^ +||tracking.brandmentions.com^ +||tracking.buygoods.com^ +||tracking.cerdmann.com^ +||tracking.chilipiper.com^ +||tracking.dealeranalytics.com^ +||tracking.diginetica.net^ +||tracking.drsfostersmith.com^$third-party +||tracking.drum.io^ +||tracking.dsmmadvantage.com^ +||tracking.edvisors.com^$third-party +||tracking.fanbridge.com^ +||tracking.feedperfect.com^ +||tracking.g2crowd.com^ +||tracking.godatafeed.com^ +||tracking.graphly.io^ +||tracking.hivecloud.net^ +||tracking.hyros.com^ +||tracking.intentsify.io^ +||tracking.interweave.com^$third-party +||tracking.jotform.com^ +||tracking.keywee.co^ +||tracking.leadlander.com^ +||tracking.lengow.com^ +||tracking.listhub.net^ +||tracking.livingsocial.com^ +||tracking.magnetmail.net^ +||tracking.markethero.io^ +||tracking.musixmatch.com^ +||tracking.olx-st.com^ +||tracking.pacharge.com^ +||tracking.plattformad.com^$third-party +||tracking.plinga.de^ +||tracking.practicefusion.com^$third-party +||tracking.prepr.io^ +||tracking.quisma.com^ +||tracking.rapidape.com^ +||tracking.scenepass.com^ +||tracking.searchmarketing.com^ +||tracking.sembox.it^$third-party +||tracking.server.bytecon.com^ +||tracking.sexcash.com^ +||tracking.sezzle.com^ +||tracking.sharplink.us^ +||tracking.skyword.com^$third-party +||tracking.sokrati.com^ +||tracking.synthasite.net^ +||tracking.target2sell.com^ +||tracking.thehut.net^ +||tracking.waterfrontmedia.com^ +||tracking.wisepops.com^ +||tracking1.brandmentions.com^ +||tracking2.channeladvisor.com^ +||trackingapi.trendemon.com/api/events/pageview? +||trackjs.com/agent/$script,third-party +||trackjs.com/releases/current/tracker.js +||trackjs.com/usage.gif? +||trackla.stackla.com^ +||tracksmart.se^$third-party +||tradablebits.com/pixels/ +||traffic.acwebconnecting.com^ +||traffic.prod.cobaltgroup.com^ +||traffic.shareaholic.com^ +||trafficfuelpixel.s3-us-west-2.amazonaws.com^ +||trafficmanager.net/uet/tracking_script? +||trakksocial.googlecode.com^$third-party +||trap.skype.com^ +||traq.li/tracker/ +||travix.com/log +||traxex.gannettdigital.com^ +||tree-nation.com/js/track.js +||trends.newsmaxwidget.com^ +||trib.al^$image,third-party +||trickyrock.com/redirect.aspx?pid=*&bid=$subdocument,third-party +||triggers.wfxtriggers.com^ +||trinitymedia.ai/api/collect? +||triplewhale-pixel.web.app^ +||tritondigital.com/ondemand/impression? +||trk.clinch.co^ +||trk.playitviral.com^ +||trk.storyly.io^ +||trk.techtarget.com^ +||trk2-wtb.swaven.com^ +||trustarc.com/cap? +||trustarc.com/log? +||trustcommander.net/iab-tcfapi/ +||trustedform.com/trustedform.js?provide_referrer +||trustmary.io/agg-event +||trustpilot.com/stats/ +||trx-cdn.zip.co^ +||trx.zip.co^ +||try.abtasty.com^ +||ts.tradetracker.net^ +||turnto.com/event +||tvpage.com/tvpa.min.js +||tvpage.com^*/__tvpa.gif? +||twitter.com/jot.html +||twitter.com/oct.js +||twitter.com/scribe/ +||typeform.com/*/insights/events^ +||uadblocker.com/pixel1.php?$third-party +||uc.cn/collect? +||ucounter.ucoz.net^ +||ucoz.net/stat/ +||uhit.eu/id/$third-party +||uid.mediacorp.sg^ +||uilogging.tcdevops.com^ +||uim.tifbs.net^ +||umami.aigenerations.net^ +||unibet.de/stan/campaign.do?*&affiliateId=$subdocument,third-party +||unifyintent.com/analytics/ +||units.knotch.it^ +||unpkg.com/web-vitals? +||uptime.com/static/rum/$third-party +||uriports.com/reports/$third-party +||urldefense.com^$image,third-party +||us-central1-markuphero.cloudfunctions.net^ +||usaoptimizedby.increasingly.co^ +||user.userguiding.com^ +||usercentrics.eu/session/$image +||userexperience.thehut.net^ +||usersegment.wpdigital.net^ +||usersonline.org/ping.php? +||userway.org/api/seo-widget/ +||userway.org/api/v1/stats +||usizy.com/external/pageview +||usr.interactiveone.com^ +||utics.nodejibi.in^ +||utils.global-e.com/set? +||utt.pm/utm/ +||v.shopify.com^ +||va.tawk.to/log +||validate.onecount.net^$image +||vanilladev.com/analytics. +||vast.com/vimpressions.js$third-party +||vcita.com/tr_ +||vdo.ai/core/logger.php? +||vdo.ai/core/scantrad-net/ +||vdrn.redplum.com^ +||vee24.com/c/PageBehaviour? +||veeseo.com/tracking/ +||ventunotech.com/beacon/ +||vercel-vitals.axiom.co^ +||vid.media.cm/m.js +||vidazoo.com/aggregate? +||vidazoo.com/event/ +||video-ad-stats.googlesyndication.com^ +||video-analytics-api.cloudinary.com^ +||video-cdn.net/event? +||video.google.com/api/stats/ +||videoevents.outbrain.com^ +||videoly.co^*/event/ +||videopress.com/plugins/stats/ +||vidible.tv/trk/ +||vidstream.pro/log/ +||vidstream.pro/ping/ +||viglink.com/api/ping$third-party +||vimeocdn.com/add/player-stats? +||vimeocdn.com/ga/ +||viralize.tv/track/ +||virgingames.com/tracker/ +||virginmedia.com^*/analytics/ +||virtueworldwide.com/ga-test/ +||virtuoussoftware.com/tracker/ +||visa.com/logging/logEvent$third-party +||vissle.me/track/ +||visual.ly/track.php? +||visualstudio.com/_da.gif? +||visualwebsiteoptimizer.com/dyn +||visualwebsiteoptimizer.com/ee.gif? +||visualwebsiteoptimizer.com/gv.gif? +||visualwebsiteoptimizer.com/j.php +||visualwebsiteoptimizer.com/server-side/track-user? +||vivociti.com/images/$third-party +||vizury.com/analyze/ +||vk.com/rtrg? +||vk.com/videostats.php +||vmixcore.com/vmixcore/playlog? +||vmweb.net/identity.min.js +||vo.msecnd.net/api/beYableJSv2.js +||vooxe.com/analytics.js +||vortex.data.microsoft.com^ +||voxmedia.com/beacon-min.js +||vs4.com/impr.php? +||vst.sibnet.ru^ +||vstat.borderlessbd.com^ +||vuukle.com/bq-publish? +||vuukle.com/getGeo +||vvhp.net/read/view.gif +||vwdealerdigital.com/cdn/sd.js +||w3track.com/newtrk/$third-party +||w4o7aea80ss3-a.akamaihd.net^ +||wallkit.net^*/user/event +||wantlive.com/pixel/ +||warnermedia.com/api/v1/events? +||watchtower.graindata.com^ +||wco.crownpeak.com^ +||wds.weqs.me^ +||weather.ca/counter.gif? +||web-tracker.smsbump.com^ +||web.valiuz.com^*/tag.js +||web1.51.la^ +||webcare.byside.com/agent/usert_agent.php +||webedia.fr/js/gs.js +||webeyo.com/ipinfo +||webgames.io/imp/ +||websdk.appsflyer.com^ +||webservices.websitepros.com^ +||webstats.thaindian.com^ +||websuccess-data.com/tracker.js +||webtrack.chd01.com^ +||webtrack.savoysystems.co.uk^$third-party +||webtracker.apicasystem.com^ +||webvoo.com/wt/Track.aspx +||webvoo.com^*/logtodb. +||webworx24.co.uk/123trace.php +||webzel.com/counter/ +||weglot.com/pageviews? +||wetpaint.com^*/track? +||whooshkaa.com/identify +||whooshkaa.com/listen/track +||whoson.com/poll.gif +||whoson.com/w.js +||whosread.com/counter/ +||widgeo.net/compteur.php? +||widgeo.net/geocompteur/ +||widgeo.net/hitparade.php +||widgeo.net/tracking.php? +||widget-pixels.outbrain.com^ +||widget.civey.com^$ping +||widget.educationdynamics.com^ +||widgetbox.com/syndication/track/ +||widgethost.com/pax/counter.js? +||widgets.outbrain.com/widgetMonitor/ +||widgets.sprinklecontent.com/v2/sprinkle.js +||widgetserver.com/metrics/ +||widgetserver.com/t/ +||widgetserver.com^*/image.gif? +||win.staticstuff.net^ +||witbee.com^*/collect +||wl-pixel.index.digital^ +||wn.com/count.js +||wogaa.sg/scripts/wogaa.js +||wondershare.es/jslibs/track.js +||wordmonetize.com^$third-party +||wordpress.com/geo/ +||workers.dev/api/event +||workers.dev/js/script.js +||worldssl.net/reporting.js +||worldztool.com^*/dotraceuser.php +||wp-engage.org/api/v5/post/activity/log/ +||wp.com/i/mu.gif$image +||wp.com/wp-content/js/bilmur.min.js +||ws.audioeye.com^ +||ws.sharethis.com^$script +||wsmcdn.audioeye.com^ +||wspisp.net/logger.php +||wstats.slashed.cloud^ +||wt.viagogo.net^ +||wtbevents.pricespider.com^ +||wtr-digital-analytics.ew.r.appspot.com^ +||x.babe.today^ +||x.disq.us^ +||x.weather.com^ +||xp2023-pix.s3.amazonaws.com^ +||yahoo.co.jp/js/s_retargeting.js +||yahoo.com/sync/casale/ +||yandex.*/data?referrer= +||yandex.ru/an/rtbcount/ +||yandex.ru/click/ +||yandex.ru/cycounter? +||yarpp.org/pixels/ +||yellow.ai/api/plugin/analytics? +||yellow.ai/integrations/analytics/ +||yext.com/plpixel? +||yimg.com/aaq/vzm/$script,domain=news.yahoo.com +||yimg.com/cx/vzm/cs.js +||yimg.com/ss/vops.js +||yimg.com/wi/ytc.js +||yoast-schema-graph.com^$third-party +||yotpo.com/widget-assets/yotpo-pixel/ +||yottaa.com/rapid.min.js +||yottaa.net/log-jh +||zapcdn.space/zapret.js +||zendesk.com/frontendevents/$xmlhttprequest +||zengenti.com/tags/ +||ziffdavisb2b.com^*/tracker.js +||zineone.com^*/event +||zip.co/analytics +||zoominfo.com/pixel/ +||zooplus.io/static/js/tracking-min.js +||zynga.com/track/ +! https://d3ward.github.io/toolz/adblock.html +||adsdk.yandex.ru^ +||analytics-api.samsunghealthcn.com^ +||analytics.mobile.yandex.net^ +||analytics.samsungknox.com^ +||app.chat.xiaomi.net^$third-party +||appmetrica.yandex.com^$third-party +||click.oneplus.cn^ +||cloudfront.net/test.png +||data.hicloud.com^$third-party +||extmaps-api.yandex.net^ +||logbak.hicloud.com^ +||logservice.hicloud.com^ +||logservice1.hicloud.com^ +||metrics-dra.dt.hicloud.com^ +||metrics.icloud.com^ +||metrics.mzstatic.com^ +||open.oneplus.net^$third-party +||supportmetrics.apple.com^ +||tracking.miui.com^ +||trk.pinterest.com^$third-party +||yandexadexchange.net^ +! cloudfront +||d10lpsik1i8c69.cloudfront.net^ +||d11bdev7tcn7wh.cloudfront.net^ +||d169bbxks24g2u.cloudfront.net^ +||d16fk4ms6rqz1v.cloudfront.net^ +||d1733r3id7jrw5.cloudfront.net^ +||d18p8z0ptb8qab.cloudfront.net^ +||d191y0yd6d0jy4.cloudfront.net^ +||d196fri2z18sm.cloudfront.net^ +||d1cr9zxt7u0sgu.cloudfront.net^ +||d1f0tbk1v3e25u.cloudfront.net^ +||d1f1eryiqyjs0r.cloudfront.net^*/track. +||d1get58iwmjrxx.cloudfront.net^ +||d1gp8joe0evc8s.cloudfront.net^ +||d1hyarjnwqrenh.cloudfront.net^ +||d1k8sb4xbepqao.cloudfront.net^ +||d1m6l9dfulcyw7.cloudfront.net^ +||d1n00d49gkbray.cloudfront.net^ +||d1qnmu4nrib73p.cloudfront.net^ +||d1r27qvpjiaqj3.cloudfront.net^ +||d1r2sy6oc0ariq.cloudfront.net^ +||d1r55yzuc1b1bw.cloudfront.net^ +||d1rgnfh960lz2b.cloudfront.net^ +||d1ros97qkrwjf5.cloudfront.net^ +||d1snv67wdds0p2.cloudfront.net/tracker/ +||d1t9uctetvi0tu.cloudfront.net^ +||d1tbj6eaenapdy.cloudfront.net^ +||d1vg5xiq7qffdj.cloudfront.net^ +||d1xfq2052q7thw.cloudfront.net^ +||d1z3r0i09bwium.cloudfront.net^ +||d1z9vm58yath60.cloudfront.net^ +||d20kffh39acpue.cloudfront.net^ +||d21o24qxwf7uku.cloudfront.net^ +||d21y75miwcfqoq.cloudfront.net^ +||d22v2nmahyeg2a.cloudfront.net^ +||d23p9gffjvre9v.cloudfront.net^ +||d241ujsiy3yht0.cloudfront.net +||d24cze5sab2jwg.cloudfront.net^ +||d24rtvkqjwgutp.cloudfront.net^ +||d2cpw6kwpff7n5.cloudfront.net^ +||d2ezz24t9nm0vu.cloudfront.net^ +||d2fj3s7h83rb61.cloudfront.net +||d2fuc4clr7gvcn.cloudfront.net/track.js +||d2gbtcuv3w9qyv.cloudfront.net^ +||d2ibu2ug0mt5qp.cloudfront.net^ +||d2j1fszo1axgmp.cloudfront.net^ +||d2j74sjmqqyf26.cloudfront.net^ +||d2kdl5wcwrtj90.cloudfront.net^ +||d2lxqodqbpy7c2.cloudfront.net^ +||d2nq0f8d9ofdwv.cloudfront.net/track.js +||d2o67tzzxkqap2.cloudfront.net^ +||d2oh4tlt9mrke9.cloudfront.net^ +||d2pozfvrp52dk4.cloudfront.net^ +||d2pt12ct4kmq21.cloudfront.net^ +||d2r1yp2w7bby2u.cloudfront.net^ +||d2rnkf2kqy5m6h.cloudfront.net^ +||d2t77mnxyo7adj.cloudfront.net^ +||d2tgfbvjf3q6hn.cloudfront.net^ +||d2wa5sea6guof0.cloudfront.net^ +||d2wu036mkcz52n.cloudfront.net^ +||d2wy8f7a9ursnm.cloudfront.net^ +||d2z0bn1jv8xwtk.cloudfront.net^ +||d31bfnnwekbny6.cloudfront.net/customers/ +||d31y97ze264gaa.cloudfront.net^ +||d34ko97cxuv4p7.cloudfront.net^ +||d34r8q7sht0t9k.cloudfront.net^ +||d35u1vg1q28b3w.cloudfront.net^ +||d39ion77s0ucuz.cloudfront.net^ +||d39yds8oe4n4jq.cloudfront.net^ +||d3bo67muzbfgtl.cloudfront.net^ +||d3cgm8py10hi0z.cloudfront.net^ +||d3cxv97fi8q177.cloudfront.net^ +||d3gi6isrskhoq.cloudfront.net^ +||d3hb14vkzrxvla.cloudfront.net/health-check +||d3iouejux1os58.cloudfront.net^ +||d3j1weegxvu8ns.cloudfront.net^ +||d3kyk5bao1crtw.cloudfront.net^ +||d3l3lkinz3f56t.cloudfront.net^ +||d3lqotgbn3npr.cloudfront.net^ +||d3m6sept6cnil5.cloudfront.net^ +||d3mapax0c3izpi.cloudfront.net/lib/ajax/events.js +||d3mskfhorhi2fb.cloudfront.net^ +||d3n6i6eorggdxk.cloudfront.net^ +||d3nn82uaxijpm6.cloudfront.net/8f96b1247cf4359f8fec.js +||d3or5d0jdz94or.cloudfront.net^ +||d3plfjw9uod7ab.cloudfront.net^ +||d3qxef4rp70elm.cloudfront.net/m.js +||d3r7h55ola878c.cloudfront.net^ +||d3s7ggfq1s6jlj.cloudfront.net^ +||d3sbxpiag177w8.cloudfront.net^ +||d3tglifpd8whs6.cloudfront.net^ +||d3uvwl4wtkgzo1.cloudfront.net^ +||d3vebqdofhigrn.cloudfront.net^ +||d4ax0r5detcsu.cloudfront.net^ +||d761erxl2qywg.cloudfront.net^ +||d81mfvml8p5ml.cloudfront.net^ +||danv01ao0kdr2.cloudfront.net^ +||dc8na2hxrj29i.cloudfront.net^ +||dc8xl0ndzn2cb.cloudfront.net^ +||dcv4p460uqa46.cloudfront.net^ +||dd6zx4ibq538k.cloudfront.net^ +||dggaenaawxe8z.cloudfront.net^ +||dh0c1bz67fuho.cloudfront.net^ +||di2xwvxz1jrvu.cloudfront.net^ +||dkupaw9ae63a8.cloudfront.net^ +||dl1d2m8ri9v3j.cloudfront.net^ +||dljnjom9md7c.cloudfront.net/02/zara.js +||dn34cbtcv9mef.cloudfront.net^ +||dniyppubkuut7.cloudfront.net^ +||dnn506yrbagrg.cloudfront.net^ +||dnxlgencstz4.cloudfront.net^ +||dqif5bl25s0bf.cloudfront.net^ +||dsbahmgppc0j4.cloudfront.net^ +||dtxtngytz5im1.cloudfront.net^ +||dtym7iokkjlif.cloudfront.net/dough/ +||du4rq1xqh3i1k.cloudfront.net^ +||duu8lzqdm8tsz.cloudfront.net^ +||dy2xcjk8s1dbz.cloudfront.net^ +||dzgwautxzdtn9.cloudfront.net^ +! Goatcounter CNAMES https://github.com/AdguardTeam/cname-trackers/issues/99 +||anal.sataniskwijt.be^ +||analytics.code.dccouncil.gov^ +||count.vidsrc.pro^ +||goat.hepicgamerz.com^ +||goat.nhimmeo.cf^ +||goat.skeetstats.xyz^ +||goat.tailspace.net^ +||st.mapleranks.com^ +||stats.boringproxy.io^ +||stats.how.wtf^ +! optimizely.com +||optimizely.com/client_storage/ +||optimizely.com/log +||optimizely.com/public/ +! firebase +||firebase.googleapis.com^$domain=terabox.fun +||firebaseinstallations.googleapis.com^$domain=terabox.fun +! https://gist.github.com/tinogomes/c425aa2a56d289f16a1f4fcb8a65ea65 +! Domains linking to 127.0.0.1 +! ||cefgo.com^ +! ||domaincontrol.com^ +! ||fbi.com^ +! ||lacolhost.com^ +! ||lndo.site^$third-party +! ||local.computer^ +! ||local.qinlili.bid^ +! ||local.sisteminha.com^ +! ||localho.st^ +! !||localhost.direct^ +! ||localtest.me^ +! ||lvh.me^ +! ||netfinity.hostedrmm.com^ +! ||nip.io^$third-party +! ||ssh.town^ +! ||supercalifragilisticexpialidocious.co.uk^ +! ||xip.io^ +! ||yoogle.com^ +! Ad-Shield +! https://github.com/uBlockOrigin/uAssets/issues/9717 +/^https:\/\/cdn\.jsdelivr\.net\/npm\/[-a-z_]{4,22}@latest\/dist\/script\.min\.js$/$script,third-party +! wix +||frog.wix.com/da-client? +||frog.wix.com/fed? +||frog.wix.com/hls2? +||frog.wix.com/p? +||frog.wix.com/pre? +||frog.wix.com^$image,ping,xmlhttprequest +! Fingerprinting +||ascpqnj-oam.global.ssl.fastly.net^ +||cloudfront.net/js/grin-sdk.js +||dingxiang-inc.com/ctu-group/constid-js/index.js +||fpcn.bpsgameserver.com^ +||fyrsbckgi-c.global.ssl.fastly.net^ +||ipqualityscore.com/api/$third-party +||mhxk.com^*/main/entry.common.$script +||mjca-yijws.global.ssl.fastly.net^ +||nofraud.com/js/device.js +||nofraud.com^*/customer_code.js +||poll-maker.com^*/scpolls.js +||rc.vtex.com.br^ +||realperson.de/system/third-party/rpfp/rpfp.min.js +||ref.dealerinspire.com^ +||resu.io/scripts/resclient.min.js +||socital.com^*/socital.js +||talkingdata.com^*/sdk_release.js +||targeting.voxus.tv^ +||trwl1.com/ascripts/gcrt.js +||vtex.com.br/rc/rc.js +! akamai +||akamai.com/crs/lgsitewise.js +||akamai.net/*.babylon.com/trans_box/ +||akamai.net/chartbeat. +||akamai.net^*/a.visualrevenue.com/ +||akamai.net^*/sitetracking/ +||akamaihd.net/*.gif?e= +||akamaihd.net/bping.php? +||akamaihd.net/javascripts/browserfp. +||akamaihd.net/log? +||akamaihd.net/push.gif? +||akamaihd.net^*.gif?d= +||akamaized.net/?u= +||akamaized.net/js3/tracker.js +||aksb-a.akamaihd.net^ +||ds-aksb-a.akamaihd.net^ +||e77lmzbqou0n-a.akamaihd.net^ +||ninja.akamaized.net^ +||pnekru6pxrum-a.akamaihd.net^ +||pxlgnpgecom-a.akamaihd.net^ +! fastly +||7q1z79gxsi.global.ssl.fastly.net^ +||clarium.global.ssl.fastly.net^ +||dfapvmql-q.global.ssl.fastly.net^ +||fastly.net/i? +||fastly.net/sp.js +||vwonwkaqvq-a.global.ssl.fastly.net^ +! CPU abuse +! https://publicwww.com/websites/%22cloudfront.net%2Fscript.js%22/ +||cloudfront.net./script.js +||cloudfront.net/script.js +! Seals, Websecurity, Protection etc. Unnecessary third-party scripts +||antillephone.com^$third-party +||beyondsecurity.com^$third-party +||geotrust.com^$third-party +||gmo-cybersecurity.com/siteseal/$third-party +||guarantee-cdn.com^$third-party +||howsmyssl.com^$third-party +||js.trendmd.com^$script,subdocument,third-party +||legitscript.com/seals/$script +||medals.bizrate.com^$third-party +||nsg.symantec.com^$third-party +||popup.laybuy.com^$subdocument,third-party +||privacy-policy.truste.com^$third-party +||scanalert.com/meter/ +||scanverify.com^$third-party +||seal.digicert.com^$third-party +||seal.globalsign.com^$third-party +||seal.godaddy.com^$third-party +||seal.networksolutions.com^$third-party +||seal.qualys.com^$third-party +||sealserver.trustwave.com^$third-party +||secure.trust-guard.com^$third-party +||securitymetrics.com^$third-party +||shield.sitelock.com^$third-party +||shopperapproved.com^$third-party +||siteintercept.allegiancetech.com^ +||smart-widget-assets.ekomiapps.de^$third-party +||trust-provider.com^*/trustlogo.js$third-party +||trusted-web-seal.cybertrust.ne.jp^ +||trustev.com/trustev.min.js$third-party +||verify.authorize.net^$third-party +||verify.safesigned.com^$third-party +||websecurity.norton.com^$third-party +||webutation.net/js/load_badge.js +||widgets.trustedshops.com^$third-party +! https://www.oligo.security/blog/0-0-0-0-day-exploiting-localhost-apis-from-the-browser +||0.0.0.0^$third-party,domain=~0.0.0.0|~127.0.0.1|~[::1]|~[::]|~local|~localhost +||[::]^$third-party,domain=~0.0.0.0|~127.0.0.1|~[::1]|~[::]|~local|~localhost +! Suspect trackers (from privacy badger) +||jsrdn.com/s/cs.js +! Rewrite to internal resources filters for Adblock Plus +||d1z2jf7jlzjs58.cloudfront.net^$rewrite=abp-resource:blank-js,domain=voici.fr +! -----------------International third-party tracking services-----------------! +! *** easylist:easyprivacy/easyprivacy_thirdparty_international.txt *** +! German +/rdir.baur.de/g.html?uid=$image +||78.46.19.203^$third-party,domain=~sprueche-zitate.net.ip +||ablida.net^$third-party +||adc-srv.net/retargeting.php +||adm24.de/hp_counter/$third-party +||advantage.digitalsunray.com^ +||aftonbladet.se/trafikfonden/ +||agitos.de/content/track? +||analytics.agenedia.com^ +||analytics.audionow.de^ +||analytics.cnd-motionmedia.de^$third-party +||analytics.gameforge.de^ +||analytics.idfnet.net^ +||analytics.loop-cloud.de^$third-party +||analytics.media-proweb.de^ +||analytics.praetor.im^$third-party +||andyhoppe.com/count/ +||api.fanmatics.com/event +||api.nexx.cloud/*/session/ +||api.tv.de/*/tracking/ +||artemis-cdn.ocdn.eu^ +||ats.otto.de^ +||audimark.de/tracking/ +||ba-content.de/cds/log/ +||bcs-computersysteme.com/cgi-local/hiddencounter/ +||beagle.prod.tda.link^ +||blacktri-a.akamaihd.net^ +||cdn.c-i.as^$script,third-party +||cgicounter.onlinehome.de^ +||clipkit.de/metrics? +||cloudfront.net/customers/24868.min.js +||com.econa.com^ +||counter.1i.kz^ +||counter.blogoscoop.net^ +||counter.webmart.de^ +||ctr-iwb.nmg.de^ +||ctr-opc.nmg.de^ +||ctr.nmg.de^$third-party +||d.adlpo.com^ +||d.nativendo.de^ +||d.omsnative.de^ +||data.econa.com^ +||data.kameleoon.io^ +||datacomm.ch^*/count.cgi? +||datahub-srgssr.ch/tracking/ +||djuf7jb483wz1.cloudfront.net/p/l.jpg +||et.twyn.com^ +||events.onet.pl^ +||export.newscube.de^$~subdocument +||fc.webmasterpro.de^$third-party +||fd.bawag.at^ +||filmaster.tv^*/flm.tracker.min.js +||freshclip.tv/tracking/ +||frontlineshop.com/ev/co/frontline?*&uid= +||gameforge.de/init.gif? +||geo.mtvnn.com^ +||geo.xcel.io^ +||giga.de/vw/$image,third-party +||global-media.de^*/track/ai.img +||goldsilbershop.de/go.cgi? +||hbx.df-srv.de^ +||hittracker.org/count.php +||hittracker.org/counter.php +||house27.ch/counter/ +||hyteck.de/count.js +||hyvyd.com/count$image,domain=mobile.de +||info.elba.at^$third-party +||insene.de/tag/$third-party +||iqcontentplatform.de/tracking/ +||liberty.schip.io/liberty-metrics/ +||live.cxo.name^ +||liveviewer.ez.no^ +||log.worldsoft-cms.info^ +||lr-port.de/tracker/ +||m.mobile.de/svc/track/ +||mapandroute.de/log.xhr? +||marktjagd.de/proxy/trackings/ +||mastertag.kpcustomer.de^ +||mastertag.q-sis.de^ +||mehrwertdienstekompetenz.de/cp/$third-party +||met.vgwort.de^ +||mindwerk.net/zaehlpixel.php? +||mlm.de/counter/ +||mlm.de/pagerank-ranking/ +||newelements.de/tracker/ +||nexx.cloud/play/beacon. +||nexxtv-events.servicebus.windows.net^ +||nlytcs.idfnet.net^ +||ntmb.de/count.html? +||oe-static.de^*/wws.js +||omsnative.de/tracking/ +||onlex.de/_counter.php +||onlinepresse.info/counter.php? +||onlyfree.de^*/counterservice/ +||orbidder.otto.de^ +||ottogroup.media/ogm.nitro. +||owen.prolitteris.ch^ +||pixel.poptok.com^ +||plausible.ams.to^ +||plista.com/getuid? +||plista.com/iframeShowItem.php +||px.staticfiles.at^ +||quiz.stroeermediabrands.de/pub/$image +||retrack.q-divisioncdn.de^ +||retresco.de^*/stats/$third-party +||script.idgentertainment.de/gt.js +||serverkompetenz.net/cpx.php? +||sheego.de/ar/$third-party +||sim-technik.de/dvs.gif? +||sim-technik.de^*&uniqueTrackId= +||skoom.de/gratis-counter/ +||somquery.sqrt-5041.de/tv/tracking-event +||sp.data.funkedigital.de^ +||spark.cloud.funkedigital.de/agnes.js +||spox.com/pub/js/track.js +||ss4w.de/counter.php? +||stat.clichehosting.de^ +||statistics.klicktel.de^ +||statistik.motorpresse.de^$third-party +||statistik.simaja.de^ +||stats.blogoscoop.net^ +||stats.clickforknowledge.com^ +||stats.digital-natives.de^ +||stats.frankfurterneuepresse.de^ +||stats.united-domains.de^ +||stats.urban-media.com^ +||stats2.algo.at^$third-party +||stilanzeigen.net/track/ +||stroeerdp.de^*_gtm.js +||strongvpn.com/aff/ +||suedtirol.live/slc.js +||t.etraveli.com^ +||t.nativendo.de^ +||t.quisma.com^ +||tagm.tchibo.de^ +||tms.danzz.ch^ +||top50-solar.de/solarcount/ +||track2.cliplister.com^ +||track2.dulingo.com^ +||track2.mycliplister.com^ +||tracker.euroweb.net^ +||tracker.winload.de^ +||tracking-live.kr3m.com^ +||tracking.base.de^ +||tracking.emsmobile.de^ +||tracking.gameforge.de^ +||tracking.hannoversche.de^ +||tracking.rtl.de^ +||tracking.s24.com^ +||tracking.srv2.de^ +||tracking.webtradecenter.com^ +||trck.bdi-services.de^ +||trck.spoteffects.net^ +||trecker.aklamio.com^ +||uni-duesseldorf.de/cgi-bin/nph-count? +||united-infos.net/event? +||veeseo.com^*/url.gif? +||veeseo.com^*/view/$image +||vertical-n.de/scripts/*/immer_oben.js +||verticalnetwork.de/scripts/*/immer_oben.js +||vtrtl.de^ +||webcounter.goweb.de^ +||wieistmeineip.de/ip-address/$third-party +||wo-cloud.com^$ping +||x.bloggurat.net^ +||xnewsletter.de/count/counter.php? +||zs.dhl.de^ +! Arabic +||shofonline.org/javashofnet/ti.js +! French +||01net.com/track/ +||abs.proxistore.com^ +||affiliation.planethoster.info^$third-party +||analytics.freespee.com^ +||analytics.valiuz.com^ +||at.360.audion.fm^ +||blogoutils.com/online-$third-party +||bnpparibas.fr/JavascriptInsert.js +||btstats.devtribu.fr^ +||c.woopic.com/tools/pdb.min.js +||caast.tv/v1/record.gif? +||calcul-pagerank.fr/client/$third-party +||canalplus-bo.net/web/*/tracker/? +||capping.sirius.press^ +||cdn-files.prsmedia.fr^*/xiti/ +||ced-ns.sascdn.com/diff/js/smart.js +||cloudfront.net^$script,domain=gentside.com +||collect-v6.51.la^ +||compteur.websiteout.net^ +||da-kolkoz.com/da-top/track/ +||devtribu.fr/t.php? +||dsj4qf77pyncykf2dki6isfcuy0orwhc.lambda-url.eu-west-1.on.aws^ +||e-pagerank.fr/bouton.gif?$third-party +||e.viously.com^ +||early-birds.fr/events/ +||easydmp.net/collect_ +||easydmp.net/etag. +||easydmp.net/get_delivery_data. +||email-reflex.com^$third-party +||events.newsroom.bi^ +||events.sk.ht^ +||free.fr/services/compteur_page.php? +||houston.advgo.net^ +||humanoid.fr/register-impression? +||i-services.net^*/compteur.php? +||img-static.com/CERISE.gif? +||ip7prksb2muxvmmh25t6rxl2te0tfulc.lambda-url.eu-west-1.on.aws^ +||jvc.gg^*/traffic.js +||leguide.com/js/lgtrk-*.js +||linguee.fr/white_pixel.gif +||m6web.fr/statsd/ +||marktplaats.net/identity/mid.js +||neteventsmedia.be/hit.cfm? +||netreviews.eu/index.php?action=act_access&$third-party +||nws.naltis.com^ +||offer.slgnt.eu^ +||optinproject.com/rt/visit/ +||osd.oxygem.it^ +||p.a2d.io/plx.js +||pagesjaunes.fr/stat/ +||piximedia.com^$third-party +||qiota.com/api/event +||rs.smc.tf^ +||scriptsgratuits.com/sg/stats/ +||service-webmaster.fr/cpt-visites/$third-party +||socialrank.fr/client/$third-party +||static-od.com/setup/$third-party +||stats-dc1.frz.io^ +||stats-factory.digitregroup.io^ +||stats.ipmgroup.be^ +||stats.macg.io^ +||stats.tipser.com^ +||t.360.audion.fm^ +||t.ofsys.com^ +||tag.agrvt.com^ +||tag.goldenbees.fr^ +||tag.leadplace.fr^ +||tim.nextinpact.com^ +||track.byzon.swelen.net^$third-party +||track.kyoads.com^ +||track.laredoute.fr^$image +||track.myli.io^ +||tracker-dot-dfty-optimeeze-leroymerlinfr.appspot.com^ +||tracking.ecookie.fr^ +||tracking.kdata.fr^ +||tracking.lqm.io^ +||tracking.netvigie.com^ +||tracking.voxeus.com^ +||trjs.mediafin.be/loader/trmfn-loader.js +||trk.a-dsp.com^ +||trk.adbutter.net^ +||tsphone.biz/pixelvoleur.jpg? +||veoxa.com/get_trackingcode. +||vidazoo.com/report/? +||viously.com^*/mt? +||visitping.rossel.be^ +||webreseau.com/impression.asp? +||webtutoriaux.com/services/compteur-visiteurs/index.php?$third-party +||wifeo.com/compteurs/$third-party +||woopic.com/Magic/o_vr.js +||wrapper.lemde.fr^$third-party +||ws3.smartp.com^ +||zebestof.com^$third-party +! Belarusian +||minsk-in.net/counter.php? +! Croatian +||aff*.kolektiva.net^ +! Chinese +-logging.nextmedia.com^ +||120.132.57.41/pjk/pag/ys.php +||163.com/sn.gif? +||3.cn/cesu/r? +||360.cn/mapping_service? +||4gtv.tv/js/ga_ +||adv-sv-stat.focus.cn^ +||aixifan.com/acsdk/log.min.js? +||alicdn.com/tkapi/click.js +||alimama.cn/inf.js +||alipay.com/common/um/lsa.swf +||analytics.meituan.net^ +||atanx.alicdn.com^ +||atom-log.3.cn^ +||baidu.com/cpro/ui/c.js +||baidu.com/cpro/ui/f.js +||baidu.com/h.js? +||baidu.com/hm.gif? +||baidu.com/js/m.js +||baidu.com/js/o.js +||baidu.com/x.js? +||beacon.sina.com.cn^ +||beaconcdn.qq.com^ +||bokecc.com/flash/playlog? +||bokecc.com/flash/timerecorder? +||busuanzi.ibruce.info^$third-party +||bzclk.baidu.com^ +||c.holmesmind.com^ +||cartx.cloud^ +||cbsi.com.cn/js/dw.js +||cdnmaster.com/sitemaster/sm360.js +||chuzushijian.cn/c.php +||click.bokecc.com^ +||click.taobao.com^$script +||cms.grandcloud.cn^$third-party +||cnzz.com/c.php? +||collector2c.zhihuishu.com^ +||counter.pixplug.in^$third-party +||cpro.baidustatic.com^$script,domain=sohu.com +||cri.cn/js/a1.js +||csdn.net^*/counter.js +||d17m68fovwmgxj.cloudfront.net^ +||da.netease.com^ +||datacollector-dra.dt.hicloud.com^ +||dcbpm.suning.cn^ +||dt.xfyun.cn^ +||dup.baidustatic.com^ +||eclick.baidu.com^ +||etwun.com:8080/counter.php? +||event.tagtoo.co^ +||experiments.sparanoid.net^ +||fourier.taobao.com^ +||g.yccdn.com^ +||gdt.qq.com^ +||gias.jd.com/js/td.js +||haostat.qihoo.com^ +||hudong.com/flux.js +||hyrankhit.meldingcloud.com^ +||ia.51.la^ +||ifengimg.com/sta_collection.*.js +||imp.ad-plus.cn^ +||imp.go.sohu.com^ +||imp.optaim.com^ +||iqiyi.com/pixel? +||itc.cn/pv/ +||ixigua.com/at/log/ +||js.letvcdn.com/js/*/stats/ +||js.static.m1905.cn/pingd.js +||log-api.cli.im^ +||log.hiiir.com^ +||log.qvb.qcloud.com^ +||log.tagtic.cn^ +||mcs.zijieapi.com^ +||mon.zijieapi.com^ +||msg.71.am^ +||netease.com/track/ +||netease.com/web/performance? +||nos.netease.com/udc-web/*.log.js +||p.aty.sohu.com^ +||p.tencentmind.com^ +||pos.baidu.com^ +||pr.nss.netease.com^ +||pstatp.com^*/raven.js +||pstatp.com^*/ttstatistics. +||pv.hd.sohu.com^ +||pv.kuaizhan.com^ +||pv.sohu.com^ +||px.effirst.com^ +||qbox.me/vds.js +||qidian.qq.com/report/ +||qq.com/speed +||r.sax.sina.com.cn^ +||report.meituan.com^ +||s.cdin.me/i.php +||sitemaji.com/nownews.php? +||sobeycloud.com/Services/Stat. +||sohu.com/pvpb.gif? +||sohu.com/stat/ +||ssac.suning.com^ +||stargame.com/g.js +||stat.ws.126.net^ +||stats.hanmaker.com^ +||sugs.m.sm.cn^ +||t.hypers.com.cn^ +||t.rainide.com^ +||tagtoo.co/js/unitrack.js +||taobao.com/tracker. +||tce.alicdn.com^ +||tieszhu.com/e.html +||tns.simba.taobao.com^ +||tongjiniao.com^$third-party +||tr.n2.hk^ +||track.storm.mg^ +||track.tomwx.net^ +||track.unidata.ai^ +||tracker-00.qvb.qcloud.com^ +||tracking.cat898.com^ +||tracklog.58.com^ +||trail.71baomu.com^ +||videostats.kakao.com^ +||w3t.cn^*/fx.js +||web-trace.ksapisrv.com^ +||webstat.qiumibao.com^ +||webtrack.pospal.cn^ +||wlog.kuaishou.com^ +||yigouw.com/c.js +! Croatian +||tracking.vid4u.org^ +! Czech +||a.centrum.cz^ +||bisko.mall.tv^ +||c.seznam.cz^ +||counter.cnw.cz^ +||h.imedia.cz^ +||h.seznam.cz/hit +||h.seznam.cz/js/dot-small.js +||hit.skrz.cz^ +||i.imedia.cz^ +||log.cpex.cz^ +||log.idnes.cz^ +||mer.stdout.cz^ +||pixel.biano.cz^ +||pixel.cpex.cz^ +||r2b2.cz/events.php? +||ssp.seznam.cz^ +||stat.cncenter.cz^ +||stat.kununu.cz^$third-party +||t.leady.com^ +||t.leady.cz^ +||track.leady.cz^ +! Danish +||bbl.k.dk/tracking/ +||blogtoppen.dk^*/bt_tracker.js +||counter.nope.dk^$third-party +||log.ecgh.dk^ +||newbie.dk/topref.php? +||newbie.dk^*/counter.php? +||sslproxy.dk^*/analytics.js +||statistics.jfmedier.dk^ +||trckr.nordiskemedier.dk^ +||wee.dk/modules/$third-party +! Dutch +||adcalls.nl^$third-party +||adult-trade.nl/lo/track.php +||amazonaws.com/prod/v1/track$domain=ixxi.com +||analytics.belgacom.be^ +||apm.tnet.nl^ +||bbvms.com/zone/js/zonestats.js +||bol.com/click/ +||botndm.nl^*/init.min.js +||cloudfunctions.net/webtraffic$domain=eurocampings.nl +||contentreveal.net/event/events.js +||ct.beslist.nl^ +||dmtgo.upc.biz^ +||go.planetnine.com^ +||hottraffic.nl^$third-party +||marktplaats.net/cnt/ +||mediahuis.be/cxense/ +||mhtr.be/public/tr/tracker.min.js +||navigator-analytics.tweakwise.com^ +||npo.nl/divolte/tt/web-event?$domain=zapp.nl +||pijper.io/visits/ +||pxr.nl/v1/stats/ +||rmgdapfnccsharpprd.azurewebsites.net^ +||sp.dpgmedia.net^ +||stat.24liveplus.com^ +||statistics.rbi-nl.com^ +||tags.hilabel.nl^ +||tr.mediafin.be^ +||trjs2.mediafin.be^ +||trkr.shoppingminds.net^ +||ugent.be/js/log.js +! Estonian +! Finnish +||almamedia.fi^*/scroll-monitor.min.js +||dnt-userreport.com^ +||er.sanoma-sndp.fi/stats/ +||er.sanoma-sndp.fi/v2/stats/ +||nelonenmedia.fi/logger/ +||tags.op-palvelut.fi^ +||vine.eu/track/ +! Georgian +||analytics.palitra.ge^ +||links.boom.ge^ +! Greek +||event-tracker-library.mediaownerscloud.com^ +||glami.gr/js/compiled/pt.js +||kwikmotion.com^*/videojs-kwikstat.min.js +||stats-real-clients.zentech.gr^ +! Hebrew +||walla.co.il/stats/ +! Hungarian +||gpr.hu/pr.pr? +||heartbeat.pmd.444.hu^ +||pixel.barion.com^ +||rum.marquardmedia.hu^ +||videostat-new.index.hu^ +||videostat.index.hu^ +! Icelandic +! Indian +||indiatimes.com/pixel? +||tvid.in/log/ +! Indonesian +||mediaquark.com/tracker.js +||oval.id/tracker/ +||parsley.detik.com^ +! Italian +||alice.it/cnt/ +||analytics.competitoor.com^ +||analytics.eikondigital.it^ +||analytics.gtechgroup.it^ +||analytics00.meride.tv^ +||analytics2-3-meride-tv.akamaized.net^ +||analytics2-meride-tv.akamaized.net^ +||api.rivpoint.com/*/event/ +||aruba.it/servlet/counterserver? +||audit.shaa.it^ +||bemail.it^*/analytics.js +||blasterzone.it/analytics/ +||click.kataweb.it^ +||cnt.iol.it^ +||digiland.it/count.cgi? +||diritalia.com^*/seosensor.js +||dmp.citynews.ovh^ +||dmpcdn.el-mundo.net^ +||dmpmetrics.rcsmetrics.it^ +||eage.it/count2.php? +||eventsink.api.redbee.live^ +||evnt.iol.it^ +||fb_servpub-a.akamaihd.net^ +||galada.it/omnitag/ +||gazzettaobjects.it^*/tracking/ +||glomera.com/stats +||gmdigital.it/vtrack-staging.js +||heatmaps.lcisoft.it^ +||heymatic.com^$third-party +||httdev.it/e/c? +||iltrovatore.it/vp.htm +||iol.it^*/clickserver.js +||iolam.it/service/trk +||iolam.it/trk +||italiaonline.it/script/ga. +||italiaonline.it/script/iol-body.js +||limone.iltrovatore.it^ +||livestats.matrix.it^ +||log.edidomus.it^ +||logger.kataweb.it^ +||mibatech.com/track/ +||mrwebmaster.it/work/stats.php? +||nanopress.it/lab.js +||nanostats.nanopress.it^ +||net-parade.it/tracker/ +||plausible.citynews.ovh^ +||plug.it/tracks/ +||plug.it^*/iol_evnt. +||plug.it^*/iol_evnt_ +||plug.it^*/track_ +||plug.it^*/tracking_ +||rcsobjects.it/rcs_tracking-service/v1/distro/HTML/trservice.shtml +||rd.alice.it^ +||redbee.serverside.ai^$image +||sembox.it/js/sembox-tracking.js +||stat.acca.it^ +||stat.valica.it^ +||stats.itsol.it^ +||stats.rcsobjects.it^ +||stats2.*.fdnames.com^ +||tag.triboomedia.it^ +||tourmake.it^*/stat/ +||tourmake.it^*/stats? +||tr.bt.matrixspa.it^ +||track.cedsdigital.it^ +||track.eadv.it^ +||track.veedio.it^ +||track.youniversalmedia.com^ +||tracker.bestshopping.com^ +||tracker.iltrovatore.it^ +||tracker.thinkermail.com^ +||tracking.trovaprezzi.it^ +||tracks.arubamediamarketing.it^ +||triboomedia.it^*/Bootstrap.js +||videomatictv.com/imps/ +||vppst.iltrovatore.it^ +||webbificio.com/add.asp? +||webbificio.com/wm.asp? +||websolutions.it/statistiche/ +||wmtools.it/wmtcounter.php? +||wopweb.net/services/counters/ +! Japanese +||199.116.177.156^$domain=~fc2.jp.ip +||a.flux.jp/analytics.collect.v1.CollectService/Collect +||a.o2u.jp^ +||ac.prism-world.jp.net^ +||acclog001.shop-pro.jp^ +||acclog002.shop-pro.jp^ +||actagtracker.jp/tag +||ad.daum.net^ +||affiliate.rakuten.co.jp^$script,third-party +||analytics-beacon.p.uliza.jp^ +||analytics.contents.by-fw.jp^ +||analytics.liveact.cri-mw.jp^ +||analytics.livesense.marketing^ +||analytics.partcommunity.com^ +||analytics.spearly.com^ +||analyzer51.fc2.com^ +||api.all-internet.jp^$third-party +||api.popin.cc/conversion2.js +||appront.net/click.js +||asumi.shinobi.jp^ +||b.sli-spark.com^ +||b0.yahoo.co.jp^ +||bance.jp/bnctag.js +||bidder.mediams.mb.softbank.jp^ +||blogroll.livedoor.net/img/blank.gif? +||blozoo.info/js/ranktool/ +||blozoo.info/js/reversetool/ +||bridge-ashiato.appspot.com/beacon/ +||bs.nakanohito.jp^ +||buzzurl.jp/api/counter/ +||bvr.ast.snva.jp^ +||bvr.snva.jp^ +||c-rings.net^$script,third-party +||client-log.karte.io^ +||clipkit.co/clipkit_assets/beacon- +||cloudfunctions.net/trackEvent +||cnobi.jp^*/js/imp. +||codemarketing.cloud/rest/ +||collector.t-idr.com^ +||cookie.sync.usonar.jp^ +||counter2.blog.livedoor.com^ +||crossees.com^ +||cs.nakanohito.jp^ +||cv-tracker.stanby.com^ +||delivery.satr.jp/event/ +||docomo.ne.jp/scripts/retargeting/retargeting.js +||estore.jp/beacon/ +||ev.tpocdm.com^ +||flux-cdn.com/client/ukiuki/flux_wikiwiki_AS_TM_AT.min.js +||future-shop.jp/rview.gif? +||hatmiso.net^$third-party +||ip2c.landscape.co.jp^ +||ipcheck.blogsys.jp^ +||jal.co.jp/common_rn/img/rtam.gif +||jal.co.jp/common_rn/js/rtam.js +||karte.io/libs/tracker. +||karte.io/mirror-record/ +||karte.io/rewrite-log/ +||kccsrecommend.site/torimochi_log/ +||kitchen.juicer.cc^ +||l-tike.com/akam/$script +||lcs.comico.jp^$image +||line-scdn.net^*/line_tag/ +||line.me/tag.gif$image +||livedoor.com/counter/ +||log.codemarketing.cloud^ +||log.f-tra.com^ +||log.gs3.goo.ne.jp^ +||log.popin.cc^ +||log000.goo.ne.jp^ +||logger.torimochi-ad.net^ +||logs.chatboost-cv.algoage.co.jp^ +||macromill.com/imp/ +||mail-count.matsui.co.jp^ +||metrics.streaks.jp^ +||mofa.go.jp^*/count.cgi? +||monipla.com/launch.js +||moshimo.com^*/impression? +||ocn-tag.sienca.jp/api/v1/event/pv +||omt.shinobi.jp^ +||otoshiana.com/ufo/ +||panda.kasika.io^ +||pia.jp/akam/$script +||pia.jp/images/pt.gif$image +||ping.paidy.com^ +||popin.cc/iframe/piuid.html +||popin.cc/js/pixel.js +||popin.cc/PopinService/Logs/ +||popin.cc/retarget/ +||popin.cc/test/popin_img_m.js +||popin.cc/test/popin_send_cookie_set_fail.js +||quant.jp/track/ +||rakuten-static.com/com/rat/ +||rasin.tech/heatmap- +||rasin.tech/scroll-logs/ +||rcm.shinobi.jp^ +||rd.rakuten.co.jp^$script +||re-volver.net/visitor/ +||receptions.smart-bdash.com/receptions/action/click +||reports-tsi.tangerine.io^ +||reproio.com^$third-party +||resultspage.com/js/sli-spark.js +||rlog.popin.cc^ +||rtg-adroute.focas.jp^ +||s.dc-tag.jp^ +||s.yimg.jp/images/listing/tool/cv/ytag.js +||sales-crowd.jp/js/sc-web-access-analysis.js +||sankei-digital.co.jp/log? +||sankei.co.jp/js/privacy/sando.js +||seesaa.jp/ot_square.pl? +||shinobi.jp/track? +||shinobi.jp/zen? +||site24x7rum.jp/beacon/ +||sitest.jp/tracking/ +||smaero.jp/js/access.js +||smart-bdash.com/receptions/action/impression +||smart-bdash.com/tracking-script/ +||snva.jp/api/bcon/basic? +||snva.jp/javascripts/reco/ +||sp-trk.com^$third-party +||speee-ad.akamaized.net^ +||spnx.jp/spnx-logger.js +||stats.streamhub.io^ +||stlog.d.dmkt-sp.jp^ +||stlog.dmarket.docomo.ne.jp^ +||storage.googleapis.com/rasin/*/hm.js +||sweet-candy.jp/c.php?$third-party +||sync.shinobi.jp^ +||sysmon.kakaku.com^ +||t.adlpo.com^ +||t.blog.livedoor.jp^ +||t.felmat.net^$third-party +||t.seesaa.net^ +||tag.cribnotes.jp^ +||targeting.focas.jp^ +||tetori-colorme.com/share/js/tracking.js +||tm.msgs.jp^ +||tr.c-tag.net^ +||tr.dec-connect.decsuite.com^ +||tr.slvrbullet.com^ +||track.list-finder.jp^ +||track.span-smt.jp^ +||track.thebase.in^ +||tracker-rec.smart-bdash.com^ +||tracker.520call.me^ +||tracker.durasite.net^ +||tracker.shanon-services.com^ +||tracker.smartseminar.jp^ +||trk.fensi.plus^ +||uh.nakanohito.jp^ +||ukw.jp/taglog/ +||userdive.com^$third-party +||x.t-idr.com/api/v1/identify +||x9.shinobi.jp^ +||yahoo.co.jp/js/retargeting.js +! Korean +||acelogger.heraldcorp.com^ +||ad.aceplanet.co.kr^ +||adlc-exchange.toast.com^ +||applog.ssgdfs.com^ +||assets.datarize.ai^ +||cafe24.com/cfa.js +||cafe24.com/weblog.js +||cm-exchange.toast.com^ +||dadispapi.gmarket.co.kr^ +||dco.coupang.com^ +||dtr-onsite-feed.datarize.ai^ +||event.hackle.io^ +||log.adplex.co.kr^ +||log.cizion.com^ +||log.mofa.go.kr^ +||log.pipeline.datarize.io^ +||log.targetpush.co.kr^ +||logger.bzu.kr^ +||logs-partners.coupang.com^ +||megadata.co.kr^ +||montelena.auction.co.kr^ +||mtag.mman.kr^ +||naver.com/mcollector/ +||ngc1.nsm-corp.com^ +||performanceplay.co.kr^ +||realtime-profiling.datarize.ai^ +||recobell.io/rest/logs? +||saluton.cizion.com^ +||sas.nsm-corp.com^ +||skplanet.com/pixel? +||skplanet.com/pixelb? +||t1.daumcdn.net/*/static/kp.js +||teralog.techhub.co.kr^ +||tracker.adbinead.com^ +||tracker.digitalcamp.co.kr^ +||tracking.adweb.co.kr^$third-party +||utsgw.auction.co.kr^ +! Latvian +||counter.hackers.lv^ +||pmo.ee/stats/ +||salidzini.lv^*/logo_button.gif?$third-party +! Lithuanian +! Norwegian +||cis.schibsted.com^ +||collect.adplogger.no^ +||ish.tumedia.no^ +||log.medietall.no^ +! Persian +||1abzar.ir/abzar/tools/stat/ +||webgozar.com/c.aspx*&t=counter +||webgozar.ir/c.aspx*&t=counter +! Polish +||analytics.ceneo.pl^ +||analytics.greensender.pl^$third-party +||ar1.aza.io^ +||ave-caesar-mas.modivo.io^ +||cafenews.pl/mpl/static/static.js? +||cmp.dreamlab.pl^ +||dsg.interia.pl^ +||hit.interia.pl^ +||liczniki.org/hit.php +||pixel.homebook.pl^ +||pixel6.wp.pl^ +||ppstatic.pl^*/track.js +||px.wp.pl^ +||scontent.services.tvn.pl^ +||snrbox.com/tck/ +||stats.asp24.pl^ +||stats.media.onet.pl^ +||stats.ulixes.pl^ +||statystyki.panelek.com^ +||tp.convertiser.com^ +||tracking.novem.pl^ +||trc.gpcdn.pl^ +||youlead.pl/st?browserid +! Portuguese +||7gra.us/path-tracker-js/ +||ad-tracker-api.luizalabs.com^ +||ads-collector.luizalabs.com^ +||analytics-coletor-site.ojc.com.br^ +||analytics-stamp.confi.com.vc^ +||analytics.spun.com.br^ +||b2w.io/event/ +||biggylabs.com.br/track-api/v2/track/site? +||collect.chaordicsystems.com^ +||events.chaordicsystems.com^ +||feature-flag-edge.live.clickbus.net^ +||hitserver.ibope.com.br^ +||jsuol.com/rm/clicklogger_ +||linximpulse.net/impulse/ +||lurker.olx.com.br^ +||melhorplano.net/scripts/tracker/ +||nctrk.abmail.com.br^ +||netdeal.com.br/open/event/ +||neurotrack.neurolake.io^ +||pageviews.tray.com.br^ +||sat.soluall.net^ +||segmentor.snowfox-ai.com^ +||statig.com.br/pub/setCookie.js? +||statistic.audima.co^ +||stats.gridmidia.com.br^ +||tags.cmp.tail.digital^ +||terra.com.br/metrics/ +||tiktok.tray.com.br^ +||track.noddus.com^ +||track.zapimoveis.com.br^ +||tracker.tolvnow.com^ +||trrsf.com.br/metrics/ +||visit-prod-us.occa.ocs.oraclecloud.com^ +||webstats.sapo.pt^ +||xl.pt/api/stats.ashx? +! Romanian +||7w.ro/js/trk.js +||enginey.altex.ro/events/ +||onnetwork.tv/cnt/ +||pixel.biano.ro^ +||profiling.avandor.com^ +||top.skyzone.ro^ +||views.cancan.ro^ +||vlogs.deja.media^ +! Russian +|http://a.pr-cy.ru^$third-party +|https://a.pr-cy.ru^$third-party +||1l-hit.mail.ru^ +||ad.mail.ru^$image,~third-party +||agates.ru/counters/ +||all-top.ru/cgi-bin/topcount.cgi? +||anycent.com/analytics/ +||api.vp.rambler.ru/events/ +||awaps.yandex.ru^ +||banstat.nadavi.net^ +||bigday.ru/counter.php? +||bitrix.info/bx_stat +||browser-updater.yandex.net^ +||c.bigmir.net^ +||cdn-rum.ngenix.net^ +||client-analytics.mts.ru^ +||cnstats.cdev.eu^ +||cnt.logoslovo.ru^ +||cnt.nov.ru^ +||cnt.rambler.ru^ +||cnt.rate.ru^ +||count.yandeg.ru^ +||counter.insales.ru^ +||counter.megaindex.ru^ +||counter.photopulse.ru^ +||counter.pr-cy.ru^ +||counter.reddigital.ru^ +||counter.smotrim.ru^ +||crm-analytics.imweb.ru^ +||csp.yandex.net^ +||d.wi-fi.ru^ +||dbex-tracker-v2.driveback.ru^ +||dp.ru/counter.gif? +||error.videonow.ru^ +||events.auth.gid.ru^ +||g4p.redtram.com^ +||ga-tracker-dot-detmir-bonus.appspot.com^ +||gainings.biz/counter.php? +||gde.ru/isapi/tracker.dll? +||hubrus.com^$third-party +||ifolder.ru/stat/? +||imgsmail.ru/gstat? +||ip.up66.ru^ +||izhevskinfo.ru/count/ +||k50.ru/tracker/ +||karelia.info/counter/ +||kraken.rambler.ru^ +||kvartirant.ru/counter.php? +||likemore-go.imgsmail.ru^$image +||linestudio.ru/counter/ +||logs.adplay.ru^ +||logs.viavideo.digital^ +||mail.ru/cm.gif? +||mango-office.ru/calltracking/ +||mango-office.ru/track/ +||mediaplus.fm/cntr.php? +||metka.ru/counter/ +||metrics.aviasales.ru^ +||mymetal.ru/counter/ +||myrealty.su/counter/ +||niknok.ru/count.asp? +||open.ua/stat/ +||penza-online.ru^*/userstats.pl? +||pinnacle.com/ru/?btag= +||piper.amocrm.ru^ +||prime.rambler.ru^$~script +||programmatica.com^$third-party +||promworld.ru^*/counter.php? +||properm.ru/top/counter_new.php? +||r.mail.ru^$image +||rambler.ru/counter.js +||redtram.com/px/ +||retailrocket.ru/content/javascript/tracking.js +||s.agava.ru^ +||s.holm.ru/stat/ +||scnt.rambler.ru^ +||scounter.rambler.ru^ +||sepyra.com^$third-party +||sishik.ru/counter.php? +||sov.stream^$third-party +||sp.aviasales.com^ +||sp.aviasales.ru^ +||st.hbrd.io^ +||stainlesssteel.ru/counter.php? +||stat.eagleplatform.com^ +||stat.fly.codes^ +||stat.rum.cdnvideo.ru^ +||stat.sputnik.ru^ +||stat.tvigle.ru^ +||statistics.fppressa.ru^ +||stats-*.p2pnow.ru^ +||stats.tazeros.com^ +||stats2.videonow.ru^ +||subscribe.ru/1.gif/$image +||t1.trex.media^ +||tags.soloway.ru^ +||target.mirtesen.ru^ +||target.smi2.net^ +||target.smi2.ru^ +||tbe.tom.ru^ +||telemetry.jivosite.com^ +||test.legitcode.ws^ +||tms-st.cdn.ngenix.net^ +||tms.dmp.wi-fi.ru^ +||top.elec.ru^ +||tracker.comagic.ru^ +||tracking.gpm-rtv.ru^ +||tracking.retailrocket.net^ +||traktor.ru^*/counter.php? +||uc.xddi.ru^ +||ulogin.ru/js/stats.js +||umnico.com/tracker/ +||upstats.yadro.ru^ +||uptolike.com/widgets/*/imp? +||visitor-microservice.ext.p-a.im^ +||visor.sberbank.ru^ +||webtrack.biz^$third-party +||wl-analytics.tsp.li^ +||xn--e1aaipcdgnfsn.su^*/counter.php +||yandeg.ru/count/ +||yandex.net/expjs/latest/exp.js +||yandex.ru/metrika/ +||zahodi-ka.ru/ic/index_cnt.fcgi? +||zahodi-ka.ru^*/schet.cgi? +! Serbian +||contentexchange.me/static/tracker.js +||hits.tf.rs^ +||moa.mediaoutcast.com^ +||w4m.rs/tracker.js +! Slovak +||engerio.sk/api/v1/listener/ +||stat.ringier.sk^ +||tipsport.sk/c/1x1.php? +! Slovene +||cpx.smind.si^ +! Spanish +||1to1.bbva.com^ +||ab.blogs.es^ +||advgo.net/hits/ +||advgo.net/mushroom/ +||analitica.webrpp.com^ +||analytics.lasegunda.ecn.cl^ +||analytics.mercadolibre.com^ +||analytics.neoogilvy.uy^ +||bpt.webedia-group.com^ +||citiservi.es/adstrack? +||collector-videoplayer.5centscdn.net^ +||contador.biobiochile.cl^ +||contadores.miarroba.com^ +||contadores.miarroba.es^ +||count.sibbo.net^ +||creatives.sunmedia.tv^ +||ctx.citiservi.es^ +||datanoticias.prisasd.com^ +||digitalproserver.com/mango-web-metrics/ +||enetres.net/StatisticsV1/ +||epimg.net/js/vr/vrs. +||g-stats.openhost.es^ +||madrid.report.botm.transparentedge.io^ +||mat.socy.es^ +||mdstrm.com/js/lib/streammetrics.js +||mtm.qdqmedia.com +||pub.servidoresge.com^ +||recogerconsentimiento.com/consent/ +||rt.cdnmedia.tv^ +||s3wfg.com/js/vortexloader.js +||smarte.rs/log +||sp.vtex.com^ +||stats.administrarweb.es^ +||stats.miarroba.info^ +||stats.qdq.com^ +||stats.sec.telefonica.com^ +||tag.shopping-feed.com^ +||track.sunmedia.tv^ +||track.tappx.com^ +||tracker.thinkindot.com^ +||tracking.smartmeapp.com^ +||tracking.univtec.com^ +||trsbf.com/static/fbs.min.js +||webpixel.smartmeapp.com^ +! Swedish +||aftonbladet.se/blogportal/view/statistics?$third-party +||collector.schibsted.io^ +||eniro.com/pixel/ +||evt-api.ntm.eu^ +||impression-tracker-service-5eimuebuhq-lz.a.run.app^ +||pji.nu/libs/pjpixel/ +||vizzit.se^$third-party +! Tajik +||pixel.smartmedia.tj^ +! Thai +||sal.isanook.com^ +||stat.matichon.co.th^ +! Turkish +||0.myikas.com^ +||analitik.bik.gov.tr^ +||analytics.cdnstr.com^$third-party +||analytics.faprika.net^ +||analytics.kkb.com.tr^ +||analytics.qushad.com^ +||analytics.turk.pro^$third-party +||c.keltis.com^ +||collector.wawlabs.com^ +||daioncdn.net/events? +||eticaret.pro/pixel/ +||hulyagedikci.com/vhit.php? +||iyzipay.com/buyer-protection/assets/js/analytics.js +||izinal.com/log +||log.collectaction.com^ +||sayac.kapital.com.tr^ +||statistics.daktilo.com^ +||stats.vidyome.com^ +||traffic.wdc.center^ +||web.tv/analytics/ +! Ukranian +||informers.sinoptik.ua^ +||top.zp.ua/counter/ +||tracker.multisearch.io^ +||tracker.prom.ua^ +||webvitals.luxnet.ua^ +! Vietnamese +||accesstrade.vn/js/trackingtag/ +||analytics.yomedia.vn^ +||f-emc.ngsp.gov.vn^ +||fpt.shop/fa_tracking.js +||px.dmp.zaloapp.com^ +||st-a.cdp.asia^ +||tracking.aita.gov.vn^ +||tracking3.vnncdn.net^ +||za.zalo.me^ +||za.zdn.vn^ +||zalo.me/v3/w/_zaf.gif +! -----------------Individual tracking systems-----------------! +! *** easylist:easyprivacy/easyprivacy_specific.txt *** +||1024tera.com/api/analytics? +||123rf.com/apicore-index/traffic_log +||40svintageporn.com/hit +||4hds.com/js/camstats.js +||4kporn.xxx/static/analytics/ +||4shared.com/js/d1VisitsCounter.4min.js +||6pm.com/err.cgi? +||6pm.com/onload.cgi? +||6pm.com/track.cgi? +||9gag.com/event/ +||9gag.com/track/ +||a-da.invideo.io^ +||a-reporting.nytimes.com^ +||a.electerious.com^ +||a.tellonym.me^ +||a10.nationalreview.com^ +||aa.avvo.com^ +||aawsat.com/pageview/ +||aax-eu-dub.amazon.com^$script +||aax-us-iad.amazon.com^$script +||ab-machine.forbes.com^ +||ab.chatgpt.com/v1/rgstr +||ab.fanatical.com^ +||about.me/track? +||abysscdn.com/cdn-cgi/trace +||academia.edu/record_hit? +||acast.com/api/stats +||accor.com/g/collect? +||accuterm.com/data/stat.js +||acronymfinder.com/~/tr.ashx +||actionviewphotography.com/api/stats? +||activate.latimes.com/pc/caltimes/?pulse2001= +||active.com/ig.track.js +||activity.fiverr.com^ +||adalytics.io/api/view +||adblockeronstape.me/stat/ +||adblockeronstreamtape.me/stat/ +||adblockeronstreamtape.xyz/stat/ +||adblockeronstrtape.xyz/stat/ +||adblockplustape.xyz/stat/ +||adblockstreamtape.art/stat/ +||adblockstreamtape.fr/stat/ +||adblockstreamtape.site/stat/ +||adblocktape.online/stat/ +||adblocktape.store/stat/ +||adblocktape.wiki/stat/ +||adc-js.nine.com.au^ +||adguard.com/-/event/ +||adl.bankofthewest.com^ +||adobe.io/system/log +||adobe.io/web/v1/metrics +||adtech-events.bookmyshow.com^ +||adv.drtuber.com^ +||advancedmp3players.co.uk/themes/basic/js/analytics.js +||advertisertape.com/stat/ +||adweek.com/wp-content/plugins/adw-parsley/ +||aegis.trovo.live^ +||aerlingus.com/ahktqsewxjhguuxe.js +||agbi.com/kqmp6? +||agoda.net/v2/track +||aim.cloudflare.com/__log +||airtable.com/internal/ +||airtel.in/analytics/pixel? +||aiv-delivery.net/Events/ +||aiv-delivery.net/v1/ReportEvent +||akamaihd.net/paay6hyr.gif? +||alb.reddit.com^ +||alicdn.com/AWSC/et/ +||aliexpress.com/ts? +||alipay.com/web/bi.do?ref= +||aljazeera.com/thirdparty/nr.js +||allaboutberlin.com/whoisthere.js +||allevents.in/actracker/ +||alljapanesepass.com/ascripts/gcu.js +||alljapanesepass.com/rstat +||als-svc.nytimes.com^ +||altruja.de/js/micro/integration-ga.js +||alwayslucky.com/platform/webvitals +||amazon.com/1/aiv-web-player/1/OE^ +||amazon.com/1/events/$domain=~aws.amazon.com +||amazon.com/e/xsp/imp? +||amazon.com/empty.gif?$image +||americanexpress.com/beacon +||amethyst.6pm.com^ +||amethyst.zappos.com^ +||amiunique.org/analytics.js +||amnesty.org/collect/ +||amplitude.chess.com^ +||ampltd.medal.tv^ +||ampltd.top.gg^ +||ampltd2.medal.tv^ +||anal.doubledouble.top^ +||analytics-api.dvdfab. +||analytics-batch.blitz.gg^ +||analytics-dataplane.invideo.io^ +||analytics-proxy.springboard.com^ +||analytics-server.arras.cx^ +||analytics-tracking.meetup.com^ +||analytics-wcms.joins.net^ +||analytics-zone-1.api.leadfamly.com^ +||analytics.3c5.com^ +||analytics.academy.com^ +||analytics.ahrefs.dev^ +||analytics.archive.org^ +||analytics.bitchute.com^ +||analytics.brave.com^ +||analytics.chase.com^ +||analytics.cookiefirst.dev^ +||analytics.crazygames.com^ +||analytics.designspiration.com^ +||analytics.eip.telegraph.co.uk^ +||analytics.faceitanalytics.com^ +||analytics.footballdb.com^ +||analytics.freemake.com^ +||analytics.gamesdrive.net^ +||analytics.getshogun.com^ +||analytics.global.sky.com^ +||analytics.hashnode.com^ +||analytics.inquisitr.com^ +||analytics.kaggle.io^ +||analytics.makeitmeme.com^ +||analytics.maxroll.gg^ +||analytics.ml.homedepot.ca^ +||analytics.mouthshut.com^ +||analytics.nike.com^ +||analytics.ovh.com^ +||analytics.oyorooms.com^ +||analytics.pgncs.notion.so^ +||analytics.plex.tv^ +||analytics.productreview.com.au^ +||analytics.qogita.com^ +||analytics.realestate.com.au^ +||analytics.silktide.com^ +||analytics.slashdotmedia.com^ +||analytics.synchrony.com^ +||analytics.ticketmaster. +||analytics.tomato.gg^ +||analytics.tradedoubler.com^ +||analytics.vedantu.com^ +||analytics.vortexscans.com^ +||analytics.wavebox.io^ +||analytics.yugen.to^ +||analyticsapi.qogita.com^ +||ancestry.com/core.js +||androidfilehost.com/libs/otf/stats.otf.php? +||anon-stats.eff.org^ +||antiadtape.com/stat/ +||apartments.com/clientvisit/al.gif? +||apester.com/cookie/bundle.js +||api-hotmart-tracking-manager.hotmart.com^ +||api-js.mixpanel.com^ +||api-router.kaspersky-labs.com/logger2/metrics/ +||api.audio.com/analytics/event +||api.channel.io/*/events +||api.doodle.com/data-layer/track +||api.ffm.to/sl/e/$image +||api.invideo.io/v3/send_analytics_event +||api.narrativ.com/favicon.ico +||api.samsungfind.com/log-collector +||api.streamelements.com/science/ +||api.takealot.com^$ping +||api.tsc.ca/Tracking/v1/events/ +||api.vk.com/method/statEvents. +||app-bnkr.b-cdn.net/js/lv.js +||app.box.com/app-api/split-proxy/api/metrics +||app.box.com/gen204 +||appanalysis.banggood.com^ +||apple-mapkit.com/mw/v1/reportAnalytics +||argtesa.com/cdn-cgi/trace +||armedangels.com/javascript/script.js +||arttrk.com/pixel/ +||as.coinbase.com/metrics +||assets.prod.abebookscdn.com/cdn/com/scripts/abepixel-$domain=abebooks.com +||ats.alot.com^ +||audacy.com/data-events/ +||aulart.com/wp-admin/admin-ajax.php?data_send=pageView +||aurum.tirto.id^ +||auth.services.adobe.com/signin/v1/audit +||autotrader.com/*/pep?pixallId +||autotrader.com/pixall/ +||avitop.com/aviation/hitlist.asp +||b629.electronicdesign.com^ +||ba-bamail.com/handlers/stats.ashx +||backcountry.com/api/log +||backend.academy.cs.cmu.edu/api/v0/event/ +||baidu.com/static/h.gif +||baidu.com^*/mwb2.gif? +||baidu.com^*/wb.gif? +||banggood.com/collectBanner? +||banggood.com/collectException +||bangkokpost.com/hits/ +||barrons.com/cookies/pixel.gif +||bat.maydream.com^ +||bats.video.yahoo.com^ +||bcbits.com/bundle/bundle/1/analytics-$domain=bandcamp.com +||bcbits.com/bundle/bundle/1/impl-$domain=bandcamp.com +||beacon.dropbox.com^ +||beacon.samsclub.com^ +||beacon.shazam.com^ +||beacon.shutterfly.com^ +||beacon.walmart.com^ +||beacon.wikia-services.com^ +||beacons.digital.disneyadvertising.com^ +||bearblog.dev/hit/ +||beforeitsnews.com/core/ajax/counter/count.php^ +||behance.net/log +||behance.net/v2/logs +||bestpornsites.tv/i/js/extra/metrics.js +||bfp.capitalone.com^ +||bgro41vnmb.execute-api.us-east-2.amazonaws.com/production$domain=masterworks.com +||bhphotovideo.com/aperture/shared/js/dataLayer.js +||bi.banggood.com^ +||bigw.com.au/api/event/ +||bigw.com.au/events/ +||bing.com/fd/ls/GLinkPing.aspx? +||bing.com/geolocation/write? +||bing.com/mouselog +||bing.com/notifications/render? +||bing.com/rewardsapp/reportActivity? +||binocule21c.merriam-webster.com^ +||biomedcentral.com/track/ +||bitchute.com/data/script.js +||blitz-analytics-batch-server.blitz.gg^ +||blockworks.co/_vercel/insights/ +||blue.nbc4i.com^ +||bmoharris.com/www/assets/analytics/loader.js +||bonprix.*/ajax/landmarks/ +||bonprix.*/ajax/marketing-parameters/ +||booking.com/c360/v1/track +||booking.com/collector/ +||booking.com/logo? +||booking.com/navigation_times +||booking.com/sendlayoutevents +||boomerang.dell.com^ +||box.com/index.php?rm=box_gen204_batch_record +||brightside.me/metric-collector +||browse-privately.net/event/ +||browsealoud.com/plus/scripts/$script +||browserling.com/api/stats-browsing +||bugsnag.shopbop.amazon.dev^ +||builder.io/api/v1/track +||buondua.com/hit/ +||butterfly-api.masterworks.com/v1/ +||butterly.com/node_modules/detect.js/detect.min.js +||buzzfeed.com/destination-sync.html +||bwbx.io/s3/javelin/public/hub/js/abba/$script,domain=bloomberg.co.jp|bloomberg.com +||byteoversea.com/monitor_web/ +||c.arstechnica.com^ +||c.fingerprint.com^ +||c.gq.com^ +||c.newyorker.com^ +||c.paypal.com^$image,script +||c.thredup.com^ +||c.vanityfair.com^ +||c.vogue.com^ +||c.wired.com^ +||c.wort-suche.com^ +||c.xbox.com^ +||c.ypcdn.com^$domain=yellowpages.com +||camgirls.casa/p.php +||campsaver.com/nelmio-js-logger/ +||canstockphoto.com/server.php?rqst=track +||canva.com/_ajax/ae/createBatch +||capital.com^$ping +||capitalone.com/collector/ +||cargurus.com/cars/cganalyticspageview.action +||cargurus.com/tr/ +||carsandbids.com/a/p +||cbc.ca/g/stats/ +||cc.cc/visit_log_ajax/visit_log_save_ajax.php? +||cdn.jsdelivr.net/npm/@adshield/ +||centerblog.net/stats.js +||cgtn.com/api/collect/ +||ch3ngl0rd.com/hit/ +||change.org/api-proxy/-/bandit/pull +||change.org/api-proxy/-/et +||change.org/api-proxy/-/event_tracker +||channel.io/front/v*/channels/*/events +||chatfuel.com/cf-analytics/ +||chatgpt.com/ces/v1/t +||chatroll.com/t.gif +||chewy.com/api/event/ +||chickadvisor.com/js/detect.min.js +||chronicle.medal.tv^ +||cidrap.umn.edu/core/modules/statistics +||cisco.com/c/dam/cdc/j/at.js +||civitai.com/api/page-view +||civitai.com/api/trpc/track.addView +||cl.canva.com^ +||cl.t3n.de^ +||clanker-events.squarespace.com^ +||clarice.streema.com^ +||classdojo.com/logs/ +||classistatic.com^*/js/lib/prebid-7.5.0.min.js$script,domain=kijiji.ca +||claude.ai/sentry^ +||click.aliexpress.com^$image +||click.nudevista.com^ +||clickindia.com/cimem/ad-post-ajax.php?FormName=browsingHistory +||client-log.box.com^ +||client-metrics.chess.com^ +||cloudflare.com/_cf/analytics.js +||cloudfront.net/tracker-latest.min.js +||cloudfront.net/vis_opt.js +||cloudfront.net/vis_opt_no_jquery.js +||cloudzilla.ai/ingest/ +||clp-mms.cloudpro.co.uk^ +||cm-mms.coachmag.co.uk^ +||cm.nordvpn.com^ +||cmp.vg.no^*/metrics/ +||cms-stats-view.vitrinabox.com^ +||cnt.hd21.com^ +||cnt.iceporn.com^ +||cnt.viptube.com^ +||cnt.vivatube.com^ +||cnt.xhamster.com^ +||codecademy.com/analytics/ +||coincheckup.com/report_events/ +||coincodex.com/cdn-cgi/trace +||cointelegraph.com/pixel? +||collect.air1.com^ +||collect.alipay.com^ +||collect.asics.com^ +||collect.banggood.com^ +||collect.deel.com^ +||collect.hollisterco.com^ +||collect.klove.com^ +||collect.reagroupdata.com.au^ +||collect.stepstone.co.uk^ +||collect.thunder-io.com^ +||collector-direct.xhamster.com^ +||collector-px0py5pczn.octopart.com^ +||collector.cint.com^ +||collector.fiverr.com^ +||collector.github.com^ +||collector.githubapp.com^ +||collector.megaxh.com^ +||collector.pi.spectrum.net^ +||collector.quillbot.com^ +||collector.taoxh.life^ +||collector.xhaccess.com^ +||collector.xhamster.com^ +||collector.xhamster.desi^ +||collector.xhamster2.com^ +||collector.xhamster3.com^ +||collector.xhamsterporno.mx^ +||collider.com/strpixel.png +||colvk.viki.io^ +||confiant.msn.com^ +||configurator.ecom-mobile-samsung.com/api/logger +||connatix.com/scripts/$~third-party +||connatix.com/us/google/ +||connect.airfrance.com/ach/api/event^ +||connecteam.com/bi/api/ReportHit/ +||consent.api.osano.com/record +||consent.ghostery.com/v1.js +||consent.trustarc.com/bannermsg? +||consent.trustarc.com/noticemsg? +||console-telemetry.oci.oraclecloud.com^ +||consumer.org.nz/session/ping/ +||containers.appdomain.cloud/api/send-log$domain=ibm.com +||cookpad.com/*/activity_logs +||copilot-telemetry.githubusercontent.com^ +||count.darkreader.app^ +||count.rin.ru^ +||counter.darkreader.app^ +||coursehero.com/v1/data-tracking +||coursera.org/eventing +||cpb.esprit.*/91405.js +||cpt.itv.com^ +||creately.com/static/js/creately-analytics- +||crta.metro.co.uk^ +||crumbs.robinhood.com^ +||crunchyroll.com/tracker? +||cryo.socialblade.com^ +||cstats.sankakucomplex.com^ +||cultofmac.com/djrxqhzkbsgf.js +||cvs.com/tnadstlinj.js +||cwt.citywire.info^ +||d.analyticsmania.com^ +||d.skk.moe^ +||d401.dollartree.com^ +||d712.theinformation.com^ +||dabu.askmediagroup.com^ +||dailymail.co.uk/geo/ +||dailymail.co.uk/rta2/ +||dailymotion.com/logger/ +||darkreader.org/data/top-backers.json +||darkreader.org/elements/backers- +||darkreader.org/elements/statistics.js +||data.allstate.com^ +||data.cheatography.com/banana.js +||data.guide.photobucket.com^ +||data.torry.io^ +||data.ublock-browser.com^ +||data.webullfintech.com/event/ +||data.whop.com/api/v1/track/ +||data.younow.com^ +||datadoghq.com/assets/dd-browser-logs-rum.js +||datadome.maisonsdumonde.com^ +||datayze.com/callback/record_visit? +||datum.jsdelivr.com^ +||dbhsejcg-meetup-com.cdnjs.network^ +||dc.banggood.com^ +||dcf.espn.com/privacy/ +||dd.auspost.com.au^ +||dd.nytimes.com^ +||ddome-tag.blablacar.com^ +||dealdash.com/tracker-json +||dealnews.com/lw/ul.php +||deepl.com/web/statistics +||deepnote.com/api/track +||deezer.com/ajax/gw-light.php?method=triton.pixelTracking& +||deliveroo.com^*/events +||deliveryrank.com/drapp070eb2deb1932e2101e6.js +||delta.com/datacollect +||deovr.com/api_logs/ +||desmos.com/analytics/js/ +||dev.to/fallback_activity_recorder +||developer.mozilla.org/submit/ +||developers.miro.com/pageview +||df.infra.shopee. +||df.infra.sz.shopee. +||dhl.com/g8Dj6P8TAg/ +||dhresource.com/dhs/fob/js/common/track/$domain=dhgate.com +||digg.com/library/tracker.js +||digital.flytedesk.com/js/head.js +||discover-metrics.cloud.seek.com.au^ +||discover.com/QaiuqHH6L7OpQ2dSZzdDRhs6/ +||dls-account.di.atlas.samsung.com^ +||dmtgvn.com/wrapper/js/common-engine.js$domain=rt.com +||docs.github.com/events +||dollartree.com/ccstoreui/*/analytics/ +||domainit.com/scripts/track.js +||domaintools.com/buffer.pgif? +||dominos.co.uk/qRgAwS/ +||dotesports.com/sp.js +||dp.shoprunner.com^ +||dribbble.com/client_app/events +||dribbble.com/client_app/screenshot_boost_ad_events +||dribbble.com/client_app/search_results +||dribbble.com/shots/log_views +||drop.com/impressionsBeacon +||drop.com/statBeacon +||dropbox.com/2/client_metrics +||dropbox.com/2/pap_event_logging +||dropbox.com/alternate_ +||dropbox.com/jse +||dropbox.com/log/ +||dropbox.com/log_js_sw_data +||dropbox.com/pithos/ux_analytics +||dropbox.com/prompt/log_impression? +||dropbox.com/unity_connection_log +||drudgereport.com/204.png +||drugs.com/api/logger/ +||drugs.com/img/pixel.gif +||dtag.breadfinancial.com^ +||dtksoft.com/ajax/log^ +||dubz.co/analytics/ +||dubz.live/analytics/ +||duckduckgo.com/t/ +||dumpster.cam4.com^ +||duolingo.com/2017-06-30/tracking-status +||e.quizlet.com^ +||e.used.ca/event +||e.zg-api.com/event$domain=zillow.com +||e2ma.net/track/ +||ea.epochbase.com^ +||ebay.com/delstats/ +||ebay.com^*/customer_image_service? +||ebay.com^*/madrona_loadscripts.js +||ebaystatic.com/cr/v/c01/c54e60e1-996e-4a53-a314-f44a6b151b40.min.js +||ebaystatic.com/cr/v/c01/nh24082119176031f8a0afcb42d.js +||ebaystatic.com/cr/v/c01/ubt241024192c097b9ddc0a81e0a.js +||ebaystatic.com^*tracking/configuration.js +||ec.thredup.com^ +||edge.staging.fullstory.com^ +||edisound.com/api/p/stats +||eec.crunchyroll.com^ +||effect.habr.com^ +||eharmony.ca/fd/ +||eharmony.co.uk/bd/ +||eighten-bloc-party.thebrowser.company/script.js +||ejlytics.editorji.com^ +||el.quizlet.com^ +||eldorado.gg/white-house/white_house_script_data_ +||elitesingles.com/cs/tp.png? +||embed.reddit.com/svc/shreddit +||embedme.top/embed/extra +||engagefront.meteomedia.com^ +||engagefront.theweathernetwork.com^ +||engagement.feedly.com^ +||engine.traceparts.com^ +||engineering.com/scripts/$script,domain=eng-tips.com +||eproof.drudgereport.com^ +||equirodi.*/addstat.php +||ericdraken.com/a/$script +||error-collector.ted.com^ +||error.fc2.com/blog/$image +||error.fc2.com/blog3/$script +||errorreports.couponcabin.com^ +||errors.darkreader.app^ +||espy.boehs.org^ +||et.nytimes.com^ +||et.tidal.com^ +||etsy.com/bcn/beacon +||etsy.com/clientlog +||etui.fs.ml.com^ +||etx.indiatimes.com^ +||euclid.kuula.co^ +||eurogamer-uk.eurogamer.net^ +||event-api.reverb.com^ +||event-collector.moviesanywhere.com^ +||event-router.olympics.com^ +||event.platform.autotrader.com.au^ +||event.platform.tunein.com^ +||eventhub.au01.miro.com/api/stream +||eventhub.eu01.miro.com/api/stream +||eventhub.us01.miro.com/api/stream +||eventlog.jackpot.de^ +||events-prod.autolist.com^ +||events-tracker.deliveroo.net^ +||events.api.godaddy.com^ +||events.baselime.io^ +||events.bsky.app^ +||events.character.ai^ +||events.clips4sale.com^ +||events.framer.com^ +||events.mercadolibre.com^ +||events.practo.com^ +||events.prd.api.max.com^ +||events.privy.com^ +||events.reddit.com^ +||events.redditmedia.com^ +||events.santander.co.uk^ +||events.squarespace.com^ +||events.turbosquid.com^ +||events2.www.edenfantasys.com^ +||evs.icy-lake.kickstarter.com^ +||evs.sgmt.loom.com^$script +||excess.duolingo.com/batch +||exp.notion.so^ +||expedia.*/cl/ +||experiences.wyng.com/api/*/event-api/events +||exporntoons.net/api/stats? +||expressvpn.com/__px.gif? +||exr-mms.expertreviews.co.uk^ +||extendoffice.com/analytics.js +||f.cdngeek.com^$domain=edugeek.net +||f362.nola.com^ +||facebook.com/a/bz? +||facebook.com/ajax/*/log.php +||facebook.com/ajax/*logging. +||facebook.com/ajax/mtouch_perf_page_load_timings/ +||facebook.com/ajax/qm/ +||facebook.com/sem_mpixel/ +||facebook.com/sw/log/init/ +||fanatics.com/api/track +||fancentro.com/lapi/statisticWriter/ +||fancentro.com/trck- +||fansedge.com/api/track +||fansshare.com/t.gif +||faphouse.com/collector/ +||farfetch.net/v1/marketing/trackings +||faro-collector-prod-*.grafana.net^ +||fastmail.com/api/event/ +||fathom.app.silverbeak.com^ +||fathom.tdvm.net^ +||fbo-statistics-collector-tc.is.flippingbook.com^ +||fc2.com/ana/analyzer.php +||fc2.com/ana/processor.php? +||fc2.com/counter_img.php? +||fdt.kraken.com^ +||feedly.com/mxpnl/ +||femetrics.grammarly.io^ +||feross.org/views +||fgn-plausible.serverable.com^ +||figma.com/api/figment-proxy/ +||figma.com/api/web_logger/ +||filext.com/pageview^ +||findmatches.com/bts.js +||findmatches.com/tri?tid= +||fingerprint.com/events/ +||fingerprintjs.com/visitors/ +||firebaselogging.googleapis.com^ +||fishki.net/counter/ +||fiverr.com/api/v1/activities +||flaticon.com/_ga? +||flipboard.com/api/v2/reporting +||flipboard.com/usage? +||flipkart.com/api/3/data/collector/ +||flirt4free.com/pixel/ +||flow.1passwordservices.com/api/v1/event +||flya.me/eventtrack +||foodcouture.net/public_html/ra/script.php +||formula1.com/api/track +||fortune.com/comscore-json/ +||foursquare.com/v2/private/logactions +||foxsports.com.au/akam/ +||fp.measure.office.com^ +||fpa-cdn.adweek.com^ +||fpa-cdn.arstechnica.com^ +||fpc.fingerprint.com^ +||fpt.microsoft.com^ +||freedownloadmanager.org/ajax/th_hit.php +||freedownloadmanager.org/ajax/th_view.php +||freepik.*/download.gif? +||freepik.com/_ga? +||freeplayervideo.com/cdn-cgi/trace +||freeprivacypolicy.com/track/ +||fresnel-events.vimeocdn.com^ +||fsho.st/tracker.js +||ft.com/ingest? +||fullscreen.nz/v1/tracking/$domain=threenow.co.nz +||fusevideo.io/api/event +||g-scale.org/scripts/EventLog.js +||g.ign.com^ +||g.mashable.com^ +||g.newtimes.com^ +||g.pcmag.com^ +||ga.nsimg.net^ +||gadgets360.com/analytics.js +||gaiaonline.com/internal/mkt_t.php? +||gak.webtoons.com^ +||gamedistribution.com/collect? +||gamejolt.com/tick/ +||gamemonetize.com/account/event.php? +||gamemonetize.com/account/eventvideo.php? +||gamivo.com/tcllc? +||gc.newsweek.com/front/js/counter.js +||gct.americanexpress.com^ +||gemoo-resource.com/js/analytics.js +||generalblue.com/js/pages/shared/analytics.min.js +||generic-function-log-data-7il2midpaa-nn.a.run.app^$domain=telus.com +||geo.brobible.com^ +||geo.nbcsports.com^ +||geo.yahoo.com^ +||geoip.boredpanda.com^ +||geoip.hmageo.com^ +||geoip.ifunny.co^ +||geolocation.forbes.com^ +||getadblock.com/js/log.js +||getpocket.com/web-utilities/public/static/te.js +||gettapeads.com/stat/ +||gettyimages.*/pulse$ping +||gg.asuracomic.net/api/views/collect +||gg.vevor.com^ +||ghacks.net/statics/px.gif +||gianteagle.com/webevents/ +||girlsofdesire.org/images/girlsofdesire.org/analytics.js +||github.com/_private/browser/stats +||github.dev/diagnostic? +||glassdoor.*/geb/events/ +||glassmoni.researchgate.net^ +||global.canon/00cmn/js/*/analytics- +||global.ssl.fastly.net^$domain=allmodern.com|argos.co.uk|basspro.com|birchlane.com|courier-journal.com|courierpress.com|desertsun.com|detroitnews.com|eddiebauer.com|freep.com|glassesusa.com|greenbaypressgazette.com|harborfreight.com|indystar.com|jsonline.com|kurtgeiger.com|legacy.com|lenovo.com|lohud.com|lowes.com|naplesnews.com|news-journalonline.com|northjersey.com|perigold.com|quickship.com|quikshiptoner.com|radiotimes.com|sainsburys.co.uk|sanuk.com|sheboyganpress.com|tallahassee.com|theadvertiser.com|thisweek.com|ugg.com|usatoday.com|wayfair.co.uk|wayfair.com|wwe.com +||globes.co.il/shared/s.ashx? +||gmetrics.getbeamer.com^ +||gnar.grammarly.com^ +||gnavi.co.jp/analysis/ +||go.fap18.net/ftt2/js.php +||go.pardot.com^ +||go.theregister.com^$image +||gobankingrates.com/fp/ +||gofundme.com/track +||gog-statics.com/js/frontpagelogintracking-$script,domain=gog.com +||gog-statics.com/js/loginTracking-$script,domain=gog.com +||goodfon.com/stat/ +||goodreads.com/logging +||goodreads.com/metrics_logging_batched +||goodreads.com/report_metric +||goodreads.com/track/ +||google.com/ads/measurement/ +||google.com/async/ddllog +||google.com/dssw.js +||google.com/images/phd/px.gif +||google.com/log? +||google.com/pagead/1p-conversion/ +||grabify.link/api/js +||grgnsht.nzxt.com^ +||groove.so/unlocker.js +||groupon.com/analytic/ +||groupondata.com/tracky +||gsght.com/twizards.js +||gso.amocrm.com/humans/ +||gtm.lercio.it^ +||gtm.wise.com^ +||gtreus.aliexpress.com^ +||gumtree.com.au/tracking/ +||gurgle.pcmag.com^ +||gurgle.spiceworks.com^ +||h031.familydollar.com^ +||hacksplaining.com/track +||hankookilbo.com/service/kt/trk.js$script,domain=koreatimes.co.kr +||harryrosen.com/analytics/ +||health-metrics-api.setapp.com^ +||healthline.com/api/metrics +||heap.drop.com^ +||hellopeter.com/api/consumer-tracking/ +||hilton.com/zJbufaUX/ +||hindustantimes.com/res/images/one-pixel.png +||hlogger.heraldcorp.com^ +||hltv.org/scripts/hltv-tracking.js +||hn-ping*.hashnode.com^ +||homedepot.ca/mr/thd-ca-prod.js +||hoo.be/api/hoobe/analytics +||hotels.com/api/bucketing/v1/evaluateExperimentsAndLog +||hotels.com/cl/data/omgpixel.json? +||hotpads.com/node/api/comscore +||hotstar.com/v1/identify +||hotstar.com/v1/track +||houzz.com/hsc/aetrk/ +||houzz.com/j/ajax/client-error-light? +||houzz.com/js/log? +||hqq.ac/cdn-cgi/trace +||hqq.to/cdn-cgi/trace +||hqq.tv/cdn-cgi/trace +||html5games.com/event/ +||htrace.wetvinfo.com^ +||huggingface.co/js/script.js +||hulkshare.com/ajax/tracker.php +||hulu.com/metricsconfig +||hypebeast.com/firebase-messaging-sw.js +||i.pokernews.com^ +||iam-rum-intake.datadoghq.com^ +||ibm.com/analytics/build/bluemix-analytics.min.js +||ibtimes.com/front/js/counter.js +||icgp.ie/overview/js/tracker.php +||idiva.com/analytics_ +||iguazu.doordash.com^ +||ih.newegg.com^ +||iheart.com/api/v3/playback/reporting +||ihg.com/logging/ +||imagefap.com/images/yes.gif? +||imagetwistcams.com/pixel/ +||imdb.com/api/_ajax/metrics/ +||imf.org/Assets/IMF/js/SocialScript.js +||imgur.com/albumview.gif? +||imgur.com/imageview.gif? +||impressions.svc.abillion.com^ +||improve.tempest.com^ +||in.brilliant.org^ +||indeed.com/cmp/_rpc/dwell-log? +||indeed.com/cmp/_rpc/flog +||indeed.com/cmp/_rpc/logentry +||indeed.com/m/rpc/frontendlogging +||indeed.com/rpc/$~xmlhttprequest +||indeed.com/rpc/pageload/perf +||independent.co.uk/iframe/native-cookiesync-frames.html +||indiatimes.com/personalisation/logdata/ +||indiatimes.com/savelogs? +||indmetric.rediff.com^ +||inews.co.uk/rta2/ +||infinityscans.net/api/collect +||info.com/pingback +||infoq.com/metrics/ +||informer.com/ajax/article_log.php +||ingest.coincodex.com^ +||ingest.make.rvohealth.com^ +||ingress.linktr.ee^ +||inq.com/tagserver/logging/logline +||insideevs.com/analytics.js +||insights-mxp-cdn.coursecareers.com^ +||instagram.com/ajax/bz +||instructables.com/counter +||intent.cmo.com.au^ +||intent.goodgearguide.com.au^ +||intent.macworld.co.uk^ +||intent.pcworld.idg.com.au^ +||intent.techadvisor.com^ +||internal-analytics.odoo.com^ +||internal-e.posthog.com^ +||internetslang.com/jass/ +||intg.snapchat.com^ +||intuitvisitorid.api.intuit.com^ +||investigationdiscovery.com/cms/collections/ +||investigationdiscovery.com/events/ +||invisionapp.com/analytics-api/ +||iono.fm/tracking? +||ip.cliphunter.com^ +||irs.gov/h4z97Hz8jMrNO/ +||isc-tracking.eventim.com^ +||isharemetric.rediff.com^ +||ivx.lacompagnie.com^ +||j927.statnews.com^ +||jansatta.com/api/capture/ua +||jav4tv.com/player/analytics +||javedit.com/e/public/ViewClick/ +||javhd.com/ascripts/gcu.js +||javhd.com/rstat +||jetbluevacations.com/apis/v2-analytics/ +||jfapiprod.optimonk.com^ +||jiji.co.ke/tag_event +||jockey.com/event/ +||jockey.com/scripts/omt-base.js +||joggo.run/api/events +||julius.ai/monitoring +||jumbo.zomato.com^ +||juno.com/start/javascript.do?message= +||justanswer.com/jatag/ +||justdial.com/jd-trkr +||k.p-n.io/event-stream +||k.qwant.com^ +||kaggle.com/api/i/diagnostics.MetricsService +||kansascity.com/nyb-zsooli/ +||kayak.*/vestigo/measure +||kbb.com/pixall/ +||kck.st/web/track +||kgoma.com/v1/stat/ +||khanacademy.org/api/internal/_analytics/ +||kinesis.us-east-1.analytics.edmentum.com^ +||klm.us/CWZUvc/ +||kloth.net/images/pixel.gif +||knewz.com/api/event +||kobo.com/TrackClicks +||kohls.com/mtFndb/ +||kohls.com/test_rum_nv? +||komoot.*/api/t/event +||kompass.com/logAdvertisements +||kour.io/api/track +||kroger.com/clickstream/ +||kudoslabs.gg/track/ +||l.usaa.com/e/v1/ +||lastminute.com/ose/processEvent +||lastminute.com/ose/tracking/ +||lastminute.com/s/hdp/hotel-details/api/logs +||lastminute.com/s/hdp/hotel-details/api/metrics +||lastpass.com/lpapi/content/pixels +||lastpass.com/m.php/proxy_tracker +||lego.com/api/dl-event-ingest +||lendingtree.com/analytics/ +||lendingtree.com/pixel/ +||lensdirect.com/page-tracking/ +||letsdoeit.com/tracking/ +||lexology.com/pd.js +||libhunt.com/api/ahoy/event +||librato-collector.genius.com^ +||lightstep.medium.systems^*/reports +||link.kogan.com^ +||link2.strawberrynet.com^$image +||linkedin.com/collect/ +||linkedin.com/li/track$xmlhttprequest +||linkedin.com/litms/utag/ +||linkedin.com/platform-telemetry/ +||linkedin.com/sensorCollect/ +||links.strava.com^$image +||linktr.ee/events +||linris.xyz/cdn-cgi/trace +||lists.ccmbg.com^ +||littlebigsnake.com/event? +||livejournal.com/ljcounter/ +||livejournal.com/log? +||liveperson.net/hc/*/?visitor= +||lms.roblox.com^ +||lnkd.in/li/track +||load.tm.all3dp.com/rqlevydw.js +||log-gateway.zoom.us^ +||log.china.cn^ +||log.genyt.net^ +||log.hypebeast.com^ +||log.klook.com^ +||log.quora.com^ +||log.snapdeal.com^ +||log.webnovel.com^ +||logger.nerdwallet.com^ +||logger007.cam4.com^ +||logging.api.intuit.com^ +||loglady.kiwi.com^ +||logs.hotstar.com^ +||logs.naukri.com^ +||logs.netflix.com^ +||logx.optimizely.com^ +||lolwot.com/B5xaqzSGvMTM.js +||lookawoman.com/t/ +||loom.com/insights-api/graphql +||loom.com/metrics/graphql +||lowes.com/gauge/ +||lowes.com/pharos/api/webTelemetry? +||lucida.su/api/event +||lyft.com/api/track +||lyngsat.com/system/loadclick.js +||m.facebook.com/ajax/weblite_load_logging/ +||m.facebook.com/ajax/weblite_resources_timing_logging/ +||ma.redhat.com^ +||macys.com/tag_path/ +||mail.proton.me/api/data/v1/stats +||mail.yahoo.com/f/track/ +||mangadex.org/api/event +||mangadex.org/p.js +||mangakoma.net/ajax/manga/view +||manomano.*/api/v1/sp-tracking/ +||manua.ls/g/collect? +||manua.ls/gtag +||mapcarta.com/logs +||mapquest.com/logger +||marketing.alibaba.com^ +||marketing.dropbox.com^ +||marty.zappos.com^ +||mat6tube.com/api/stats? +||mcc-tags.cisco.com^ +||mcs-ie.tiktokw.eu^ +||mcs-va-useast2a.tiktokv.com^ +||mcs-va.tiktokv.com^ +||mcs.tiktokv.us^ +||mcs.tiktokw.us^ +||mcs.us.tiktokv.com^ +||mdt.crateandbarrel.com^ +||medal.tv^$ping +||media.io/trk +||medium.com/_/batch +||meduza.io/stat/ +||megaplay.cc/cdn-cgi/trace +||megatron.igraal.com^ +||mensjournal.com/.bootscripts/analytics.min.js +||mentimeter.com/performance-metrics +||mercedes-benz.com/datadog- +||merriam-webster.com/lapi/v1/mwol-search/stats/lookup +||messari.io/js/wutangtrack.js +||messenger.com/ajax/bnzai? +||metacrawler.com/pingback +||metrics.audius.co^ +||metrics.bangbros.com^ +||metrics.camsoda.com^ +||metrics.freemake.com^ +||metrics.hackerrank.com^ +||metrics.hyperliquid.xyz^ +||metrics.onewegg.com^ +||metrics.roblox.com^ +||metrics.spkt.io^ +||metrics.syf.com^ +||metrics.ted.com^ +||metrics.th.gl^ +||metricsishare.rediff.com^ +||metro.co.uk/base/rta/ +||metro.co.uk/cvx/client/sync/fpc? +||metroweekly.com/tools/blog_add_visitor/ +||meucdn.vip/cdn-cgi/trace +||mewe.com/ubk4jrxn.js +||mi.academy.com/p/js/1.js +||mi.dickssportinggoods.com/p/js/1.js +||mi.grubhub.com^ +||miao.baidu.com^ +||midas.chase.com^ +||mixpanel-proxy.coingecko.com^ +||mixpanel-proxy.ted.com^ +||mixproxy.epoch.cloud^$domain=theepochtimes.com +||mktcs.cloudapps.cisco.com^ +||mo8it.com/count.js +||modanisa.com/al/j/analytics.js +||mollusk.apis.ign.com/metrics/ +||mon.us.tiktokv.com^ +||moneycontrol.com/news/services/get_comscore_pageview/ +||monitor.channel4.com^ +||motorsport.com/stat/ +||mov.t-mobile.com/p/js/1.js +||movetv.com/sa-events +||mp.imgur.com^ +||mp.theepochtimes.com^ +||mparticle.weather.com/identity/ +||mps.nbcuni.com/request/page/json/params/*&adunits=$xmlhttprequest +||mr.homedepot.ca^ +||msg-intl.qy.net^$image +||msn.com/collect/ +||msn.com/OneCollector/ +||mstm.motorsport.com^ +||myanimelist.net/static/logging.html +||mybbc-analytics.files.bbci.co.uk/reverb-client-js/smarttag- +||mylocal.co.uk/api/trpc/analytics. +||myspace.com/beacon/ +||na.groupondata.com^ +||naiz.eus/visits +||namethatporn.com/assets/imgs/1x1.gif +||narkive.com/ajax/TelemV2? +||nasi.etherscan.com^ +||nature.com/platform/track/ +||naukrigulf.com/ni/nibms/bms_display.php +||navan.com/api/analytics +||nbarizona.com/metrics/ +||nbc.com/webevents/ +||nbcnews.com/_next/static/chunks/ads.$script,domain=msnbc.com|nbcnews.com +||ncbi.nlm.nih.gov/core/pinger +||neatorama.com/story/view/ +||neeva.com/logql/log +||neighbourly.co.nz/event-tracking +||neowin.net/ws/$websocket +||net.haier.com^ +||netflix.com/ichnaea/log +||netflix.com/msl/playapi/cadmium/logblob/ +||netu.ac/cdn-cgi/trace +||netuplayer.top/cdn-cgi/trace +||netusia.xyz/cdn-cgi/trace +||newegg.com/amber3/tracking +||newegg.com/gfplib.js +||news.google.com/_/v +||newscom.com/js/v2/ga.js +||newser.com/utility.aspx? +||newsmax.com/js/analytics.js +||newzit.com/setABframe.html +||nexon.com/api/nxlog/ +||nexon.com/nxlog-collect/ +||nextdoor.*/ajax/ping_ndas/ +||nextdoor.com/events/ +||nflshop.com/api/track +||nid.thetimes.com/prod/sp/nid_sp.js +||nike.com/assets/measure/data-capture/ +||nimbusweb.me/gtlytics.js +||nitroscripts.com^$script,domain=pcguide.com +||no9pldds1lmn3.soundcloud.com^ +||noblocktape.com/stat/ +||noodle.backmarket.io^ +||noodlemagazine.com/api/stats? +||nordace.com/track.js +||nordstrom.com/api/cake/ +||nordstrom.com/api/cupcake/ +||norton.com/service/norton/head? +||notion.so/api/v*/teV1 +||novanthealth.org/v1/tagular/beam +||novelcool.com/files/js/yh_tj.js +||npa.thetimes.com/stats +||nr-data.noelleeming.co.nz^ +||nr.noelleeming.co.nz^ +||nslookup.io/pl.js +||ntvid.online/cdn-cgi/trace +||nyt.com/ads/tpc-check.html$domain=nytimes.com +||nytimes.com/v1/purr-cache +||nzpages.co.nz/modules/common/track.js +||observe.metarouter.io^ +||odysee.com/reports/ +||ohm-dot-hackster-io.appspot.com^ +||oklink.com/jsstat/ +||okx.com/jsstat/sb? +||online-umwandeln.de/analytics.js +||ontraport.com/opt_assets/static/js/logging.js +||opendesktop.org/l/fp +||ophan.theguardian.com^ +||oppo.com/api/country +||optimizely.com/js/geo.js +||optimizely.techtarget.com^ +||oracle.com/visitorinfo/ +||oracleimg.com/us/assets/metrics/ora_docs.js +||outbound.io/v2/identify +||outbound.io/v2/track +||overstock.com/analytics/ +||overstock.com/dlp? +||ovyerus.com/js/script.js +||p.ctpost.com/article? +||p.hentaiforce.net^ +||p.minds.com^ +||p.ost2.fyi/courses/*/save_user_state +||p.ost2.fyi/event^ +||p.sfx.ms/is/invis.gif +||pac.thescottishsun.co.uk^ +||pac.thesun.co.uk^ +||pac.thetimes.com^ +||papi.stylar.ai^ +||pappagallu.onefootball.com^ +||pardot.com/pd.js +||paypal.com/credit-presentment/log +||paypal.com/platform/tealeaftarget +||pcgamesn.com/cdn-cgi/trace +||pcmag.com/js/ga.js +||pcmag.com/js/z0WVjCBSEeGLoxIxOQVEwQ.min.js +||pcp.coupert.com^ +||pendo.scopus.com/data/ptm.gif +||perf.mouser.com^ +||performance-logger.minted.com^ +||perr.hola.org^ +||pf.newegg.com^ +||pftk.temu.com^ +||ph.thenextweb.com^ +||phonearena.com/_track.php +||pi.ai/proxy/api/event +||pie.org/g/collect? +||pikbest.com/?m=Stats& +||ping.hashnode.com^ +||ping.hungama.com^ +||pingback.giphy.com^ +||pingback.issuu.com^ +||pingo.staticmoly.me^ +||pinkvilla.com/comscore_response.php +||pixel.archive. +||pixel.archivecaslytosk.onion^ +||pixel.archiveiya74codqgiixo33q62qlrqtkgmcitqx5u2oeqnmn5bpcbiyd.onion^ +||pixel.clutter.com^ +||pixel.convertize.io^ +||pixel.facebook.com^ +||pixel.ionos.com^ +||pixel.nine.com.au^ +||pixel.tuko.co.ke^ +||pixelzirkus.gameforge.com^ +||pixiedust.buzzfeed.com^ +||pks-analytics.raenonx.cc^ +||pl.letsblock.it^ +||plausible.bots.gg^ +||plausible.corsme.com^ +||plausible.dragonfru.it^ +||plausible.omgapi.org^ +||plausible.safing.io^ +||plausible.tubemagic.com^ +||play.google.com/log +||player-cdn.com/cdn-cgi/trace +||player-telemetry.vimeo.com^ +||playvideohd.com/cdn-cgi/trace +||plenty.vidio.com^ +||plushd.bio/cdn-cgi/trace +||pluto.smallpdf.com^ +||pm.dailykos.com^ +||pm.geniusmonkey.com^ +||pog.com^$ping +||poki.com/observer/ +||politico.com/resource/assets/js.min/video-tracking. +||poptropica.com/brain/track.php? +||pornbox.com/event/ +||pornbox.com/stats/ +||porzo.com/js/analytics +||prairiedog.hashnode.com^ +||pravda.com.ua/counter/ +||prescouter.com/pd.js +||priceline.com/pws/v1/ace/impression/ +||priceline.com/svcs/mkt/tag/ +||princetonreview.com/logging/ +||prisma.io/gastats.js +||priv.gc.ca/m/m.js +||privacy-api.9gag.com^ +||privacyfriendly.netlify.app^ +||privacypolicies.com/track/ +||prod-events.nykaa.com^ +||progressive.com/Log/ +||promos.investing.com/*/digibox.gif? +||proporn.com/ajax/log/ +||proxima.midjourney.com^ +||pulpulyy.club/cdn-cgi/trace +||pulsar.ebay.com^ +||pulse.delta.com^ +||pumpkin.abine.com^ +||pushsquare.com/blank.gif +||px.srvcs.tumblr.com^ +||pxl.indeed.com^ +||qc.arstechnica.com^ +||qc.gq.com^ +||qc.newyorker.com^ +||qc.vanityfair.com^ +||qc.vogue.com^ +||qc.wired.com^ +||qm.redbull.com^ +||quibids.com/marketing/pixels/ +||quickmeme.com/tracker/ +||qwant.com/action/ +||qwant.com/impression/ +||qwant.com/maps/events +||qwant.com/v2/api/ux/surveys? +||qwerpdf.com/trk23/ +||r.3hentai.net^ +||r.apkpure.net^ +||r.bbci.co.uk^ +||raenonx.cc/api/tag +||raenonx.cc/g/usage/ +||raindrop.io/pb/api/event +||rakuten.com/rmsgjs/soj2.js +||ranker.com/api/px +||ranker.com/api/tr? +||ranker.com/api/tracking/comscore +||rankhit.china.com^ +||ras.yahoo.com^ +||rbc.ua/enghits/ +||react-admin-telemetry.marmelab.com^ +||realitytvworld.com/images/pixel.gif +||rec.banggood.com^ +||reddit.com/static/pixel.png$image +||reddit.com/timings/ +||redditmedia.com/gtm/jail? +||redditstatic.com/accountmanager/sentry. +||redditstatic.com/shreddit/sentry- +||redfin.com/rift? +||redgifs.com/v2/metrics/ +||reelgood.com/v3.0/checkip +||reichelt.com/setsid.php? +||relay.fiverr.com^ +||reports.tunein.com^ +||researchgate.net/track/ +||reverbnation.com/api/user/app_events +||rfk.biglots.com^ +||rfk.dsw.com/api/init/1/init.js +||rgshows.me/js/logger.js +||rgshows.me/js/statistics.js +||ring.staticmoly.me^ +||risextube.com/t/ +||roblox.com/_/_/1px.gif +||roblox.com/report +||roblox.com/www/e.png? +||rome.api.flipkart.com/api/1/fdp +||rps-p2.rockpapershotgun.com^ +||rps-uk.rockpapershotgun.com^ +||rs.mail.ru^ +||rss-loader.com/track/ +||rstat.rockmostbet.com^ +||rt.newswire.ca^ +||rt.prnewswire.com^ +||rta.dailymail.co.uk^ +||rta2.inews.co.uk^ +||rta2.metro.co.uk^ +||rta2.newzit.com^ +||rtds.progressive.com^ +||rum.api.intuit.com^ +||rum.condenastdigital.com^ +||rumble.com/l/ +||run.app/events$domain=imgur.com|worldstar.com|worldstarhiphop.com +||rv.modanisa.com^$script +||rvo-cohesion.healthline.com^ +||s.gofile.io^ +||s.infogram.com^ +||s.smallpdf.com/static/track-js- +||s.wayfair.com^ +||sa.uswitch.com^ +||saa.insideedition.com^ +||samsung.com/us/web/internal/logger +||sapi.tremendous.com^ +||sapphire-api.target.com^ +||scholar.google.com^$ping +||sciencechannel.com/events/ +||scloud.online/stat/ +||scoot.co.uk/ajax/log_ +||scribd.com/log/ +||search.anonymous.ads.brave.com^ +||search.aol.com/beacon/ +||search.brave.com/api/feedback$~third-party +||search.brave.com/serp/v1/static/serp-js/telemetry/ +||search.ch/audit/ +||searchenginejournal.com/xcs0MhRsfxHG.js +||searchiq.co/api/tr? +||secure.checkout.visa.com/logging/ +||seekingalpha.com/mone_event +||service.techzine.eu^ +||services.haaretz.com/ds/impression +||services.haaretz.com/ms-gstat-campaign/ +||servo-report.dvdfab. +||sexu.com/api/events +||sexu.com/api/ttrack +||sexybabepics.net/re/?ping +||sf-syn.com/conversion_outbound_tracker$subdocument,domain=sourceforge.net +||sharesies.com/v1/identify +||sharesies.com/v1/track +||shavetape.cash/stat/ +||shazam.com/services/metrics/ +||shobiddak.com/logging/ +||shopee.*/__t__$xmlhttprequest +||shopifysvc.com/v1/metrics +||shopmetric.rediff.com^ +||siberiantimes.com/counter/ +||sid.nordstrom.com^ +||sided.co/analytics/ +||silvergames.com/div/g.php? +||simplelogin.io/p/api/event +||sjc.cloud.optable.co^ +||skyscanner.*/slipstream/view +||slack-edge.com/bv1-10/slack_beacon. +||slack.com/beacon/ +||slack.com/clog/track/ +||slant.co/js/track.min.js +||slashdot.org/country.js +||slashdot.org/images/js.gif +||slickdeals.net/ajax/stats/ +||slideshare.net/frontend_tracking/ +||slipstream.skyscanner.net^ +||smartlink-api.amuse.io/api/analytics/ +||smassets.net/assets/anonweb/anonweb-click- +||smetrics.couponcabin.com^ +||smetrics.ralphlauren.com^ +||smutty.com/ajax/trcking/ +||snapchat.com/web/metrics +||sofire.terabox.app^ +||solvusoft.com^*/scripts/visitor.js +||soundcloud.com^$ping +||source.chromium.org/v1/logging +||sourcesync.io/analytics +||southwest.com/api/logging/v1/logging/ +||southwest.com/di/swadc/beacon/ +||sp.cargurus.co.uk^ +||sp.ecosia.org^ +||sp.pcoptimum.ca^ +||sp.welcometothejungle.com^ +||spanishdict.com/page-view-metadata +||spectrum.gettyimages.com^ +||speed.cloudflare.com/__log +||sportsmansguide.com/scripts/vendor/at_ +||spotifycdn.com/cdn/js/retargeting-pixels. +||spt.ahram.org.eg^ +||squarespace.com/api/1/performance/ +||squirrel.malaynahocker.com^ +||srchoffer.com/tracking/ +||srtb.msn.com^ +||srv.plesk.com^ +||ss.esade.edu^ +||ss.photospecialist.co.uk^ +||sst.shopware.com^ +||sstats.adobe.com^ +||st.sawlive.tv^ +||stackoverflow.com/_/client-timings +||stackshare.io/analytics. +||stan.xing.com^ +||stapadblockuser.art/stat/ +||stapadblockuser.click/stat/ +||stapadblockuser.info/stat/ +||stapadblockuser.xyz/stat/ +||stape.fun/stat/ +||stapewithadblock.beauty/stat/ +||stapewithadblock.monster/stat/ +||stapewithadblock.xyz/stat/ +||starfiles.co/analytics.php +||startpage.com/sp/$ping +||startpage.com/sp/dplpxs? +||startpage.com/sp/jst +||starzplay.com/resources/js/analytics.js +||stat.pubhtml5.com^ +||stat.tildacdn.com^ +||stat.turb.pw^ +||stat.vulkanvegas.com^ +||statista.com/data/ptm.gif +||statistics.darkreader.app^ +||statistics.streamdav.com^ +||stats.aerotime.aero^ +||stats.allenai.org^ +||stats.calcalist.co.il^ +||stats.chromatone.center^ +||stats.codeur.com^ +||stats.darkreader.app^ +||stats.davidickedelivery.com^ +||stats.gateio.ch^ +||stats.habr.com^ +||stats.ibtimes.co.in^ +||stats.ibtimes.sg^ +||stats.justpaste.it^ +||stats.mempool.space^ +||stats.newsweek.com^ +||stats.qwant.com^ +||stats.sandberg.world^ +||stats.searchftps.net^ +||stats.suenicholls.com^ +||stats.synedat.io^ +||stats.trimbles.ie^ +||stats.vidbinge.com^ +||stats.vk-portal.net^ +||stats.wordpress.com^ +||stats.wwitv.com^ +||stats2.mytuner.mobi^ +||statsegg.cdngeek.com^ +||stayz.com.au/cl/data/omgpixel.json +||storage.googleapis.com/t3n-de/assets/t3n/2018/scripts/msodrq.js +||stratascratch.com/monitoring? +||strcdn.org/cdn-cgi/trace +||strcloud.in/stat/ +||stream.corporatefinanceinstitute.com^ +||streamadblocker.cc/stat/ +||streamadblocker.com/stat/ +||streamadblocker.store/stat/ +||streamadblocker.xyz/stat/ +||streamate.com/api/metrics +||streamed.su/api/preload +||streamelements.com/z/i.js +||streamelements.com/z/s.js +||streamelements.com/z/t +||streamlabs.com/web/data/ping +||streamnoads.com/stat/ +||streamstats.prd.dlive.tv^ +||streamta.pe/stat/ +||streamta.site/stat/ +||streamtape.cc/stat/ +||streamtape.com/stat/ +||streamtape.net/stat/ +||streamtape.to/stat/ +||streamtape.xyz/stat/ +||streamtapeadblock.art/stat/ +||streamtapeadblockuser.art/stat/ +||streamtapeadblockuser.homes/stat/ +||streamtapeadblockuser.monster/stat/ +||streamtapeadblockuser.xyz/stat/ +||stripchat.com/pixel/ +||stripe.com/tracking/ +||strtape.cloud/stat/ +||strtapeadblock.club/stat/ +||strtapeadblocker.xyz/stat/ +||strtapewithadblock.art/stat/ +||strtapewithadblock.xyz/stat/ +||strtpe.link/stat/ +||stubhub.com/a/icph +||stytch.com/sdk/v1/events +||suaurl.com/adblock/js/smarttag.js +||sudokupad.app/api/event +||sumsub.com/api/tunnel/ +||sumsub.com/resources/fevents +||sumsub.com/stry/ +||support.github.com/_event +||support.github.com/_stats +||support.github.com/session/event +||support.github.com/session/user +||swarm.video/stats/ +||szrpr.raen.com^ +||t-mobile.com/self-service-commerce/v1/logging +||t.9gag.com^ +||t.airasia.com^ +||t.allmodern.com^ +||t.appsflyer.com^ +||t.av.st^ +||t.birchlane.com^ +||t.dailymail.co.uk^ +||t.deepnote.com^ +||t.freelancer.com^ +||t.indeed.com^ +||t.ionos.com^ +||t.jossandmain.com^ +||t.kck.st^ +||t.nypost.com^ +||t.pagesix.com^ +||t.paypal.com^$image +||t.perigold.com^ +||t.poki.io^ +||t.regionsjob.com^ +||t.wayfair.ca^ +||t.wayfair.co.uk^ +||t.wayfair.com^ +||t.y8.com^ +||t2.hulu.com^ +||t810.ctpost.com^ +||tagger.ope.scmp.com^ +||tagging.steelseries.com^ +||tags.air1.com^ +||tags.aljazeera.com^ +||tags.johnlewis.com^ +||tags.klove.com^ +||tags.news.com.au^$script +||tags.stepstone.com^ +||tahoe.com/imp +||taiwanplus.com/api/video/startVideo +||tao.barstoolsports.com^ +||tapeadsenjoyer.com/stat/ +||tapeadvertisement.com/stat/ +||tapeantiads.com/stat/ +||tapeblocker.com/stat/ +||tapelovesads.org/stat/ +||tapenoads.com/stat/ +||tapewithadblock.com/stat/ +||tapewithadblock.org/stat/ +||target-us.samsung.com^ +||target.com/consumers/v1/ingest/web/eventstream? +||target.com/consumers/v1/ttms/events? +||target.com/rum_analytics/ +||target.com/telemetry_data/ +||target.nationwide.com^ +||target.nejm.org^ +||targeting.washpost.nile.works^ +||tc.geniusmonkey.com^ +||tccd.douglas. +||td.airdroid.com^ +||telegraph.prd.api.max.com^ +||telem.sre.gopuff.com^ +||telemetry.adobe.io^ +||telemetry.algolia.com^ +||telemetry.api.playstation.com^ +||telemetry.canva.com^ +||telemetry.firez.one^ +||telemetry.stytch.com^ +||telemetry.tradingview.com^ +||tellerreport.com/react/pixel +||terabox.app/api/analytics? +||terabox.app/issue/terabox/ts_ad/ +||terabox.com/abdr? +||terabox.com/nodeapi/reporterror? +||termsfeed.com/track/ +||tgt.maep.ibm.com^ +||theblock.co/api/analytics +||theconversation.com/javascripts/lib/content_tracker_hook.js +||thedailybeast.com/static/js/thirdparty. +||thefreedictionary.com/_/tr.ashx? +||thehackernews.com/zscripts/ +||theladders.com/api/user-tracking/ +||thesun.co.uk/assets/client/analyticsListeners~ +||thesun.co.uk/assets/client/newrelicExperimentTracking~ +||thesun.ie/track? +||thetimes.co.uk/track? +||thetruth.com/pd.js +||thewindowsclub.com/wp-content/themes/genesis/lib/js/skip-links.min.js +||thisiswhyimbroke.com/api/user/gift-guide-thumbnail-homepage/tracking +||thisiswhyimbroke.com/api/user/tracking +||thriftbooks.com/scripts/sp.js +||thtk.temu.com^ +||tiendeo.*/_statsapi/ +||tif.ionos.com^ +||tiktok.com/captcha/report +||tiktok.com/ttwid/check/ +||tiktok.com/v1/list +||tiktok.com/web/report? +||tiktok.com/whale/ +||tiktokv.com/monitor_browser/ +||tiktokv.us/monitor_browser/ +||tilanalytics.timesinternet.in^ +||time.is/img/nod.png +||tms.delta.com/privacy/$image +||tms.eharmony.ca^ +||tms.hft.everyplate.com^ +||tms.hft.factor75.com^ +||tms.hft.greenchef.com^ +||tms.hft.hellofresh.com^ +||tnaflix.com/stats.php +||toms.com/*/FacebookCAPI-Event +||toms.com/*/PinterestCAPI-Event +||tongji-res.meizu.com^ +||top.gg/api/auctions/i +||top.wn.com^ +||totalcsgo.com/ctrack/ +||totaljobs.com/analytics/ +||totaljobs.com/chatbot/webhook/analytics +||totaljobs.com/chatbot/webhook/logger +||touch.myntra.com^ +||toyota.com/analytics/ +||tpcs.payu.in/pixelwithcookie.gif$domain=hindustantimes.com +||tr.clickstay.com^ +||tr.www.cloudflare.com^ +||tracemyip.org/vlg/ +||traceparts.com/logs +||track-visit.monday.com^ +||track.americansongwriter.com^ +||track.bestpornsites.tv^ +||track.dictionary.com^ +||track.eurogirlsescort.com^ +||track.kueez.com^ +||track.mrgugu.com^ +||track.netzero.net^ +||track.sodapdf.com^ +||track.thesaurus.com^ +||track.ttsave.app^ +||track.ultimate-guitar.com^ +||tracker.affiliate.iqbroker.com^ +||tracker.bang.com^ +||tracker.nbcuas.com^ +||tracker.ranker.com^ +||tracker.shopclues.com^ +||tracking.bloomberg.com^ +||tracking.carsales.com.au^ +||tracking.christianpost.com^ +||tracking.digitalocean.com^ +||tracking.engineering.cloud.seek.com.au^ +||tracking.game8.co^ +||tracking.hsn.com^ +||tracking.peopleareeverything.com^ +||tracking.rocketleague.com^ +||tracking.shopstyle.co.uk^ +||tracking.shopstyle.com^ +||tracking.unrealengine.com^ +||trackr.vivenu.com^ +||tradingview.com/ping +||trck.coomeet.com^ +||trckng.dainese.com^ +||trcksplt.miro.com^ +||treatment.grammarly.com^ +||tredir.go.com^ +||trends.privacywall.org^ +||tripadvisor.*/BALinkImpressionTracking/ +||tripadvisor.*/CookiePingback? +||tripadvisor.*/GARecord^ +||tripadvisor.*/MetricsAjax +||tripadvisor.*/wm/record +||tripcdn.com/bee/collect$domain=trip.com +||trivago.com/tracking/ +||trk.decido.io^ +||trk.tirto.id^ +||trumba.com/et.aspx? +||trustradius.com/api/v1/pageview +||trustradius.com/api/v2/collectMetrics +||truthsocial.com/instance/innovid.js +||trx3.famousfix.com^ +||ts.delfi.lt^ +||tubepornstars.com/js/analytics +||tubi.io/datascience/logging? +||tubitv.com/oz/performance/ +||tumblr.com/pop/js/modern/sentry- +||tumblr.com/services/bblog +||tunein.com/api/v1/log/ +||twitter.com/1.1/attribution +||twitter.com/1.1/jot +||twitter.com/9/measurement/ +||twitter.com/i/api/1.1/jot +||twitter.com/i/csp_report? +||twitter.com/i/jot +||twitter.com^*/log.json +||tyler-brown.com/api/stats? +||typepad.com/t/stats? +||ua.financialexpress.com/api/capture +||ua.indianexpress.com^ +||uber.com/_events +||uber.com/_track +||uber.com/careers/apply/_log +||ubereats.com/_errors +||ubereats.com/_events +||ubereats.com/_track +||ubt.tracking.shopee. +||ubuyanalytics.ubuy.com^ +||ucoz.com/stat/ +||ucweb.com/collect/ +||udemy.com/api-2.0/ecl +||ukdevilz.com/api/stats? +||ulogin.ru/stats.html +||ultimate-guitar.com/components/ab/event? +||ultimedia.com/deliver/statistiques/ +||um.contentstudio.io^ +||umami.wakarimasen.moe^ +||unibling.com/eclytics/ +||unity3d.com/v1/events +||unl1zvy2zuyn.franchiseplus.nl^ +||unsplash.com/nmetrics +||untappd.com/profile/impression? +||upi.com/story/stat/ +||uprinting.com/muffins/UPTracker- +||ups.com/img/icp.gif +||upstract.com/tokei/ +||upwork.com/shasta/suit +||upwork.com/upi/jslogger +||urs.metacritic.com^ +||useblackbox.io/telemetry +||user-metrics.onthemarket.com^ +||usmetric.rediff.com^ +||usnews.com/static/esi/usn-geo.json +||uviu.com/activity/ +||v.adblockultimate.net^ +||v.ctrl.blog^ +||vagrantup.com/api/auth/_log +||vanityfair.com/user-context?referrer +||vf.startpage.com^ +||video.mobile.yahoo.com/log|$xmlhttprequest +||views.arabnews.com^ +||views.asurascans.com^ +||vimeo.com/ablincoln/ +||vimeocdn.com/js_opt/logging_combined.min.js +||visualstudio.com/v2/track +||vitals.groww.in/collect +||vivaldi.*/rep/rep.js +||vizcloud.co/ping/ +||vk.com/al_video.php?act=ads_stat +||vk.com/al_video.php?act=inc_view_counter +||vk.com/al_video.php?act=live_heartbeat +||vk.com/al_video.php?act=track_player_events +||vk.com/al_video.php?act=watch_stat +||vk.com/js/lib/px.js +||vortex.hulu.com^ +||vrbo.com/edap/elo/v1/event/beacon +||vrbo.com/serp/api/metrics +||vsco.co/api/cantor/track +||w2g-mtrx.w2g.tv^ +||w2g-ping.b-cdn.net^ +||w3-reporting.reddit.com^ +||w6.chabad.org^ +||w9g7dlhw3kaank.www.eldorado.gg^ +||wa.childrensplace.com^ +||wa.gmx.co.uk^ +||wa.gymboree.com^ +||wa.pjplace.com^ +||wa.sugarandjade.com^ +||waaw.ac/cdn-cgi/trace +||waaw.to/cdn-cgi/trace +||waaw1.tv/cdn-cgi/trace +||waitrose.com/gDaVC7/ +||wal.wolfram.com^ +||walmart.ca/api/bsp/logger +||walmart.ca/api/home-page/logger +||walmart.ca/api/landing-page/beacon-logger +||walmartimages.com/dfw/4ff9c6c9-d9a0/$domain=walmart.com +||wapn1.flosports.tv^ +||watchadsontape.com/stat/ +||wattpad.com/js/tracker/app. +||wc.yahoodns.net^$image +||wccftech.com/cnt7vfDVvWa3.js +||wealthfront.com/event +||wealthfront.com/track_next?p= +||web.snapchat.com/web-analytics-v2/web/events +||web.whatsapp.com/wam +||webd-assets.cdn4dd.com/s.js$domain=doordash.com +||weblog.flyasiana.com^ +||webmd.com/static/v/c? +||weedmaps.com/pixel? +||wellsfargo.com/as/jsLog +||wellsfargo.com/dti_apg/ +||wellsfargo.com/jenny/ +||wellsfargo.com/tracking/ +||wfinterface.com/tracking/$domain=wellsfargo.com +||wh.ipaddress.com^ +||whattomine.com/stats +||wheregoes.com/api/event +||whistleout.com.au/track +||wikihow.com/x/collect? +||wikimonde.com/matom.js +||wikipedia.org/beacon/ +||windy.com/sedlina/ga/ +||wipo.int/wipo-analytics/ +||wish.com/api/analytics/ +||wiztube.xyz/cdn-cgi/trace +||wnyc.org/analytics/ +||wolfram.com/common/javascript/analytics.js +||wolfram.com/common/javascript/wal/latest/walLoad.js +||wondershare.com/trk +||worldremit.com/web-cms/api/metric +||wsj.com/cookies/pixel.gif +||wstats.e-wok.tv^ +||www.ebay.*/gh/dfpsvc? +||x.com/1.1/attribution +||x.com/1.1/jot +||x.com/9/measurement/ +||x.com/i/api/1.1/jot +||x.com/i/csp_report +||x.com/i/jot +||x.com^*/log.json +||xero.com/api/events/ +||xfinity.com/event/ +||xhamster.com/api/$ping +||xhamsterlive.com/pixel/ +||xhcdn.com/js/*.track.min.js +||xing.com/logjam/ +||xnxx.com/picserror/ +||xp.apple.com^ +||xvideos.com/picserror/ +||xxf.mobi/hit +||ya.ru/clck/ +||yahoo.com/_td_api/beacon/ +||yahoo.com/beacon/ +||yahoo.com/beacon? +||yahoo.com/pageview? +||yahoo.net/pixel.gif +||yandex.*/clck/$~ping +||yandex.*/count/ +||yandex.com/clck/ +||yandex.eu/clck/ +||yandex.ru/clck/ +||yandexcdn.com/cdn-cgi/trace +||yelp.*/sit_rep +||yelp.com/ad_acknowledgment +||yelp.com/ad_syndication_user_tracking +||yelp.com/spice? +||yes88kks.infinityscans.net^ +||yimg.com/aaq/wf/wf-darla- +||yodayo.com/scripts/pixel.js +||you.com/api/recordEvent +||youjizzlive.com/api/metrics +||youmaker.com/g/test +||yourupload.com/jwe? +||youtube-nocookie.com/api/stats/atr? +||youtube-nocookie.com/api/stats/delayplay? +||youtube-nocookie.com/api/stats/qoe? +||youtube-nocookie.com/ptracking? +||youtube-nocookie.com/robots.txt? +||youtube-nocookie.com/youtubei/v1/log_event? +||youtube.com/api/stats/ads? +||youtube.com/api/stats/delayplay? +||youtube.com/api/stats/qoe? +||youtube.com/get_video? +||youtube.com/pcs/activeview? +||youtube.com/ptracking? +||youtube.com/set_awesome? +||youtube.com/youtubei/v1/log_event? +||youtube.googleapis.com/youtubei/v1/log_event? +||youtubekids.com/api/stats/ads? +||youtubekids.com/api/stats/qoe? +||youtubekids.com/ptracking? +||youtubekids.com/youtubei/v1/log_event? +||z.cdp-dev.cnn.com^ +||z737.thestar.com^ +||za.qeeq.com^ +||zalando-lounge.*/api/tracking/ +||zalando-prive.*/api/tracking/ +||zappos.com/err.cgi? +||zappos.com/karakoram/js/main. +||zed.dev/api/send_page_event +||zenimpact.io/dist/zen_init.min.js +||zerohedge.com/statistics-ajax? +||zillowstatic.com/contact-pixel/$image,domain=zillow.com +||zion-telemetry-nonprod.api.cnn.io^ +||zion-telemetry.api.cnn.io^ +||zoosk.com/cs/tp.png? +||zumper.com/events +! OpenTable +://track.opentable. +! Vinted +://www.vinted.*/relay/events +! akamaihd.net +||akamaihd.net^$image,domain=globalnews.ca|nycgo.com|stcatharinesstandard.ca +! Non-legit domains +||edge-client^$script,domain=barrons.com +! Plausible selfhosted +||jeremiahlee.com/fanboynz.js +! confection.io +||hubspot.com/collected-forms/$xmlhttprequest,domain=confection.io +||s3.amazonaws.com/downloads.mailchimp.com/$script,domain=confection.io +||substation.confection.io^ +! Adobe +||lightning.ncaa.com/launch/$script +! onesignal.com +||onesignal.com^$domain=androidauthority.com|iphoneincanada.ca|rockpapershotgun.com|senpa.io|shineads.org +! Bing +||bing.com/fd/ls/l?IG= +||bing.com/fd/ls/lsp.aspx +||bing.com^*/glinkping.aspx$ping,xmlhttprequest +||bing.com^*/GLinkPingPost.aspx$ping,xmlhttprequest +! Site specific elements (due to EP) +###cxense-recs-in-article +##.embed-responsive-trendmd +! Aliexpress +||aliyuncs.com/r.png +||gj.mmstat.com^ +||oneid.mmstat.com^ +! https://github.com/easylist/easylist/commit/7a86afd +/rest/high/api/cogitoergosum +! (naiadsystems.com/icfcdn.com) +/api/events|$ping,~third-party +/api/statsd|$~third-party,xmlhttprequest +/api/v1/activity|$~third-party,xmlhttprequest +/api/v2/jsonlogger +||naiadsystems.com/api/v1/xment/ +! Port scanning Fingerprinting Trackers (Privacy and CPU abuse) +! https://nullsweep.com/why-is-this-website-port-scanning-me/ +/^https?:\/\/fdts\.ebay-kleinanzeigen\.de\/[a-z0-9]{13,18}\.js\?/$script,domain=kleinanzeigen.de +/^https?:\/\/pov\.spectrum\.net\/[a-zA-Z0-9]{14,}\.js/$script,domain=spectrum.net +/^https?:\/\/tjmaxx\.tjx\.com\/libraries\/[a-z0-9]{20,}/$script,xmlhttprequest,domain=tjx.com +/^https?:\/\/tmx\.(td|tdbank)\.com\/[a-z0-9]{14,18}\.js.*/$script,domain=mbna.ca|td.com|tdbank.com +/^https?:\/\/www\.ebay-kleinanzeigen\.de\/[a-z0-9]{8}\-[0-9a-f]{4}\-/$script,domain=kleinanzeigen.de +/^https?:\/\/www\.kroger\.com\/content\/{20,}/$script,xmlhttprequest,domain=kroger.com +||127.0.0.1^$third-party,domain=53.com|ameriprise.com|beachbody.com|chick-fil-a.com|citi.com|ebay.at|ebay.be|ebay.ca|ebay.ch|ebay.cn|ebay.co.uk|ebay.com|ebay.com.au|ebay.com.hk|ebay.com.my|ebay.com.sg|ebay.de|ebay.es|ebay.fr|ebay.ie|ebay.it|ebay.nl|ebay.ph|ebay.pl|equifax.ca|equifax.com|globo.com|gumtree.com|kleinanzeigen.de|lendup.com|mbna.ca|rusneb.ru|sciencedirect.com|sky.com|spectrum.net|td.com|tiaa.org|vedacheck.com|wepay.com|whatleaks.com +||cfa.fidelity.com^ +||citi.com^*/fp.js +||citibank.com.ph/JSO/js/fp.js +||citibank.com.ph/tmx/js/ +||citibank.com.sg/jso/js/fp.js +||citibank.com.sg/tmx/ +||clear.wallapop.com^ +||content.canadiantire.ca^ +||content.tab.com.au^ +||content22.bmo.com^ +||content22.citi.eu^$script +||content22.citibank.com.au^ +||content22.citibank.com.sg^$script +||content22.citibankonline.com^ +||content22.online.citi.com^ +||customer.homedepot.com^$script +||drfdisvc.walmart.com^ +||ebay.com/nkfytkqtoxtljvzbxhr.js$script,domain=ebay.com +||ebaystatic.com/rs/v/10341xh50yz21mhhydueu4m5wad.js +||ebaystatic.com/rs/v/dxtuvtkk2q3hpkc1xveeo13iaek.js +||ebaystatic.com/rs/v/klminxoj1uyzvo0p0qu4nhpg0qo.js +||ebaystatic.com/rs/v/s0hteylevy4bpkd12dvkd4yi5ms.js +||event.evtm.53.com^ +||idhtm.bb.com.br^ +||idstatus.sky.com^ +||img2021.navyfederal.org^ +||imgs.signifyd.com^ +||log-185a61e7.bendigobank.com.au^ +||mfasa.chase.com/auth/js/jpmc_bb_check.js +||olacontent.schwab.com^$script +||qfp.intuit.com^ +||rba-screen.healthsafe-id.com^ +||rsx.afterpay.com^ +||src.ebay-us.com/*=usllpic$script,domain=ebay.com +||svc2.sc.com^ +||tm-eps.neutrino.nu^ +||tmetrix.my.chick-fil-a.com^ +||tmx.td.com^ +||u47.pnc.com^ +||w-profiling.cibc.com^$script +||w-profiling.simplii.com^ +||wup-185a61e7.bendigobank.com.au^ +! Fingerprint +||bankofamerica.com/cookie-id.js +||bup.bankofamerica.com^ +||cdn1.skrill.com^ +||d276.ourmidland.com^ +||d810.mysanantonio.com^ +||dii.bankaust.com.au^ +||eventbus.intuit.com^ +||f775.thehour.com^ +||glassbox-hlx-igw.bankofamerica.com^ +||h353.ncadvertiser.com^ +||h559.stamfordadvocate.com^ +||halifax-online.co.uk/scripts/16c9d93d/ +||j198.registercitizen.com^ +||l936.expressnews.com^ +||o398.trumbulltimes.com^ +||pf.intuit.com^ +||q777.sfchronicle.com^ +||rail.bankofamerica.com^$script,~third-party,xmlhttprequest +||t570.wiltonbulletin.com^ +||tilt.bankofamerica.com^ +||u652.myplainview.com^ +||u927.sfgate.com^ +||w740.newstimes.com^ +||y738.nhregister.com^ +||y820.darientimes.com^ +||y900.greenwichtime.com^ +||z211.yourconroenews.com^ +||z492.ctinsider.com^ +||z680.beaumontenterprise.com^ +||zion.qbo.intuit.com^ +! Consent/GDPR tracking +! https://github.com/easylist/easylist/blob/08ad3ed93e8ddbc32b8860340f25e8ddf4074741/easyprivacy/easyprivacy_specific.txt#L2813 +://a02342. +||cb-mms.carbuyer.co.uk^ +||cmp.courrierinternational.com^ +||cmp.finn.no^ +||cmp.huffingtonpost.fr^ +||cmp.lavie.fr^ +||cmp.lemonde.fr^ +||cmp.lepoint.fr^ +||cmp.netzwelt.de^ +||cmp.nouvelobs.com^ +||cmp.tek.no^ +||cmp.telerama.fr^ +||d.sourcepoint.capitalfm.com^ +||fuse.forbes.com^ +||sourcepoint-mms.aetv.com^ +||sourcepoint-mms.history.com^ +||sourcepoint-mms.mylifetime.com^ +||trustarc.mgr.consensu.org/get? +||vg247-uk.vg247.com^ +! McClatchy sites (bellinghamherald.com,bnd.com,bradenton.com,centredaily.com etc) +! https://github.com/easylist/easylist/blob/4ec8049213fd2ede4682f1760764ae79cda7cc55/easyprivacy/easyprivacy_specific.txt#L1067 +/misites/* +/yozons-lib/* +! CSP Mining +$csp=child-src 'none'; frame-src 'self' *; worker-src 'none',domain=fileone.tv|theappguruz.com +$csp=child-src 'none'; frame-src *; worker-src 'none',domain=thepiratebay.org|vidoza.net +! *** easylist:easyprivacy/easyprivacy_specific_perimeterx.txt *** +! easyprivacy_specific_perimeterx.txt +||alaskaair.com/AlXMT4Ma/init.js +||anthropologie.com/XgWM9nuH/init.js +||apartmenttherapy.com/jAYekY18/init.js +||arcteryx.com/943r4Fb8/init.js +||asda.com/px/PX1UGLZTko/init.js +||ashleyfurniture.com/ouqLB4fq/init.js +||auctionzip.com/eKtvxkQ2/init.js +||b.px-cdn.net/api/v1/PXrf8vapwA/ +||bathandbodyworks.com/lsXlyYa5/init.js +||beaumontenterprise.com/413gkwMT/init.js +||belk.com/0iiey9LM/init.js +||bhphotovideo.com/3D8mkYG1/init.js +||bloomberg.com/8FCGYgk4/init.js +||bm.paypal.com/spd3TxHV/init.js +||booking.com/87sduif98q3rijax +||booktopia.com.au/Ns7aBMIv/init.js +||brownsshoes.com/IZ/2tcS0qiG/init.js +||build.com/2Ztkihy4/init.js +||calm.com/api/12Xk43jk/init.js +||calvinklein.us/n8ANl15k/init.js +||carbon38.com/A44kxi5a/init.js +||careermatch.com/oGckki0e/init.js +||carolsdaughter.com/IZ/uaPO0cuk/init.js +||carters.com/0F3091f3/init.js +||chron.com/413gkwMT/init.js +||cookpad.com/FqtAw5et/init.js +||couchsurfing.com/bEcn7fQX/init.js +||crunchbase.com/rw7M6iAV/init.js +||ctinsider.com/413gkwMT/init.js +||ctpost.com/413gkwMT/init.js +||discount.hk-hotel.com/QUkd4lO9/init.js +||drupal.org/VnPBBfwe/init.js +||expressnews.com/413gkwMT/init.js +||fiverr.com/px/client/PXK3bezZfO/main.min.js +||flixcart.com/px/gNtTli3A/init.js +||flooranddecor.com/v1HqbVho/init.js +||foodora.fi/lJuB4eTB/init.js +||foodora.se/lJuB4eTB/init.js +||foodpanda.bg/lJuB4eTB/init.js +||foodpanda.co.th/lJuB4eTB/init.js +||foodpanda.com.bd/lJuB4eTB/init.js +||foodpanda.com.kh/lJuB4eTB/init.js +||foodpanda.com.mm/lJuB4eTB/init.js +||foodpanda.com.tw/lJuB4eTB/init.js +||foodpanda.hk/lJuB4eTB/init.js +||foodpanda.la/lJuB4eTB/init.js +||foodpanda.my/lJuB4eTB/init.js +||foodpanda.ph/lJuB4eTB/init.js +||foodpanda.pk/lJuB4eTB/init.js +||foodpanda.ro/lJuB4eTB/init.js +||foodpanda.sg/lJuB4eTB/init.js +||freepeople.com/tN88Q85M/init.js +||hotpads.com/xOR1K5b6/init.js +||houstonchronicle.com/413gkwMT/init.js +||iherb.com/VtidNbtC/init.js +||internships.com/oGckki0e/init.js +||jimmyjohns.com/Abo2Yc8X/init.js +||joann.com/qXTWmr91/init.js +||kerastase-usa.com/IZ/PXXiuO7QTJ/init.js +||kget.com/CvbtpUrj/init.js +||kickstarter.com/Uy3R669N/init.js +||kiehls.com/IZ/PXG8ATFja1/init.js +||kiva.org/r3pNVz1F/init.js +||ktla.com/CvbtpUrj/init.js +||lancome-usa.com/IZ/PXq99AlOxk/init.js +||lmtonline.com/413gkwMT/init.js +||madlan.co.il/o4wPDYYd/init.js +||middletownpress.com/413gkwMT/init.js +||mrt.com/413gkwMT/init.js +||mysanantonio.com/413gkwMT/init.js +||ncadvertiser.com/413gkwMT/init.js +||newsnationnow.com/yZuPxxW0/init.js +||newstimes.com/413gkwMT/init.js +||nhregister.com/413gkwMT/init.js +||nyxcosmetics.com/IZ/PXLZNv2dn4/init.js +||octopart.com/kdRQnL15/init.js +||oshkosh.com/0F3091f3/init.js +||priceline.com/9aTjSd0n/init.js +||ralphlauren.com^*/init.js +||realtor.com/rdc_user_check/init.js +||registercitizen.com/413gkwMT/init.js +||sams.com.mx/px/PX87wpO5aK/init.js +||samsclub.com/px/PXsLC3j22K/init.js +||seattlepi.com/413gkwMT/init.js +||seekingalpha.com/xgCxM9By/init.js +||sensor.grubhub.com/O97ybH4J/init.js +||sfchronicle.com/413gkwMT/init.js +||sfgate.com/413gkwMT/init.js +||shiekh.com/iJ55yhVs/init.js +||shoebacca.com/YaRJwC0q/init.js +||simon.com/46SCNLxs/init.js +||skechers.com/dL6GOSf9/init.js +||skiphop.com/0F3091f3/init.js +||skyscanner.*/rf8vapwA/init.js +||snipesusa.com/6XNN2xkk/init.js +||spirit.com/kp4CLSb5/init.js +||ssense.com/58Asv359/init.js +||stamfordadvocate.com/413gkwMT/init.js +||stockx.com/16uD0kOF/init.js +||streeteasy.com/cZdhF737/init.js +||studeersnel.nl/27m703Hm/init.js +||studocu.com/27m703Hm/init.js +||sweetwater.com/p2TBVNJZ/init.js +||thehill.com/6zcfGH4h/init.js +||thehour.com/413gkwMT/init.js +||thekitchn.com/jAYekY18/init.js +||therealreal.com/ev56mY37/init.js +||timesunion.com/413gkwMT/init.js +||tumi.com/4i06uv8M/init.js +||walmart.ca/px/PXnp9B16Cq/init.js +||walmart.com/px/PXu6b0qd2S/init.js +||walmartcanada.ca/px/PXcfrcFEfA/init.js +||walmartcareerswithamission.com/px/PXcfrcFEfA/init.js +||walmartethics.com/px/PXcfrcFEfA/init.js +||walmartpetrx.com/1Ct9c6G3/init.js +||walmartrealty.com/px/PXcfrcFEfA/init.js +||wfla.com/CvbtpUrj/init.js +||wgno.com/CvbtpUrj/init.js +||whois.com/js/gtmDataLayer.js +||wine-searcher.com/K6S8okp3/init.js +||worthpoint.com/lIUjcOwl/init.js +||www.digikey.*/lO2Z493J/init.js +||www.mouser.*/4UAZUiaI/init.js +||yeti.com/T1p5rBaN/init.js +||zazzle.ca/botdefender/init.js +||zazzle.ca/svc/px +||zazzle.co.nz/botdefender/init.js +||zazzle.co.nz/svc/px +||zazzle.co.uk/botdefender/init.js +||zazzle.co.uk/svc/px +||zazzle.com.au/botdefender/init.js +||zazzle.com.au/svc/px +||zazzle.com/botdefender/init.js +||zazzle.com/svc/px +||zazzle.de/botdefender/init.js +||zazzle.de/svc/px +||zazzle.es/botdefender/init.js +||zazzle.es/svc/px +||zazzle.fr/botdefender/init.js +||zazzle.fr/svc/px +! ||zillow.com/HYx10rg3/init.js +||zoominfo.com/osx7m0dx/init.js +! -----------------Extension specific systems-----------------! +! *** easylist:easyprivacy/easyprivacy_specific_abp.txt *** +! easyprivacy_specific_abp.txt +! #if ext_abp +! Specific filters necessary for sites allowlisting with $genericblock filter option +/__utm.gif$domain=autobild.de|gofeminin.de +/nm_trck.gif?$domain=spiegel.de +||criteo.com^$domain=spiegel.de +||digidip.net^$domain=gofeminin.de +||disqus.com/api/ping?$domain=autobild.de +||emetriq.de^$domain=spiegel.de +||exelator.com^$domain=disqus.com +||facebook.com*/impression.php$domain=autobild.de +||google-analytics.com/analytics.js$domain=spiegel.de +||googletagmanager.com/gtm.js?$domain=autobild.de +||ioam.de^$domain=autobild.de|spiegel.de +||log.outbrain.com^$domain=autobild.de|widgets.outbrain.com +||meetrics.net^$domain=spiegel.de +||mxcdn.net^$domain=spiegel.de +||pippio.com^$domain=disqus.com +||referrer.disqus.com^$domain=autobild.de +||rlcdn.com^$domain=autobild.de|widgets.outbrain.com +||static.parsely.com^$domain=spiegel.de +||tealiumiq.com^$domain=autobild.de +||visualrevenue.com^$domain=autobild.de|spiegel.de +||xplosion.de^$domain=spiegel.de +! +! https://github.com/easylist/easylist/issues/18198 +@@||bam.nr-data.net^$xmlhttprequest,domain=abema.tv +@@||js-agent.newrelic.com^$script,domain=abema.tv +! #endif +! *** easylist:easyprivacy/easyprivacy_specific_uBO.txt *** +! easyprivacy_specific_uBO.txt +! #if ext_ublock + +! https://github.com/AdguardTeam/AdguardFilters/issues/180750 +||pcoptimizedsettings.com/wp-content/plugins/koko-analytics/$script,redirect=noop.js,important +||pcoptimizedsettings.com/wp-content/uploads/breeze/google/gtag.js$script,redirect=noop.js,important +! GPC +subway.com,ticketmaster.*,livewithkellyandmark.com,visible.com,porsche.com,uber.com,jdsports.com,engadget.com,yahoo.com,techcrunch.com,rivals.com,kkrt.com,crunchyroll.com,dnb.com,dnb.co.uk,weather.com,ubereats.com##+js(set, Navigator.prototype.globalPrivacyControl, false) +subway.com,ticketmaster.*,livewithkellyandmark.com,visible.com,porsche.com,uber.com,jdsports.com,engadget.com,yahoo.com,techcrunch.com,rivals.com,kkrt.com,crunchyroll.com,dnb.com,dnb.co.uk,weather.com,ubereats.com##+js(set, navigator.globalPrivacyControl, false) +! Clear GPC storage item +visible.com##+js(set-local-storage-item, browser-ids, $remove$) +! server-side GTM +bolighub.dk##+js(acs, document.getElementsByTagName, gtm.js) +! chartbeat.js redirect +||static.chartbeat.com/js/chartbeat_mab.js$script,redirect=chartbeat.js +||static.chartbeat.com/js/chartbeat.js$script,redirect=chartbeat.js +! Admiral popups +247sports.com,androidpolice.com,bringmethenews.com,mensjournal.com,arstechnica.com,audizine.com,blackenterprise.com,boston.com,britannica.com,cattime.com,cbr.com,cheatsheet.com,collider.com,comingsoon.net,cwtv.com,dogtime.com,esportstales.com,forums.hfboards.com,freep.com,fresnobee.com,gamerant.com,gbatemp.net,golfdigest.com,grabify.link,hancinema.net,hemmings.com,howtogeek.com,ijr.com,informazionefiscale.it,inquirer.net,insider-gaming.com,knowyourmeme.com,magesypro.pro,makeuseof.com,money.it,motorbiscuit.com,movieweb.com,nationalreview.com,nbcnews.com,neopets.com,nofilmschool.com,nypost.com,omg.blog,order-order.com,playstationlifestyle.net,pwinsider.com,savvytime.com,screenrant.com,siliconera.com,simpleflying.com,sporcle.com,stealthoptional.com,techlicious.com,technicpack.net,thedraftnetwork.com,thefashionspot.com,thegamer.com,thenerdstash.com,titantv.com,topspeed.com,twinfinite.net,videogamer.com,wnd.com,worldpopulationreview.com,wral.com,wrestlezone.com,wrestlinginc.com,xda-developers.com##+js(acs, document.createElement, admiral) +gbatemp.net##+js(set, admiral, noopFunc) +abc17news.com,adoredbyalex.com,agrodigital.com,al.com,aliontherunblog.com,allaboutthetea.com,allmovie.com,allmusic.com,allthingsthrifty.com,amessagewithabottle.com,androidpolice.com,antyradio.pl,artforum.com,artnews.com,awkward.com,awkwardmom.com,bailiwickexpress.com,barnsleychronicle.com,becomingpeculiar.com,bethcakes.com,blogher.com,bluegraygal.com,briefeguru.de,carmagazine.co.uk,cattime.com,cbr.com,chaptercheats.com,cleveland.com,collider.com,comingsoon.net,commercialobserver.com,competentedigitale.ro,crafty.house,dailyvoice.com,decider.com,didyouknowfacts.com,dogtime.com,dualshockers.com,dustyoldthing.com,faithhub.net,femestella.com,footwearnews.com,freeconvert.com,frogsandsnailsandpuppydogtail.com,fsm-media.com,funtasticlife.com,fwmadebycarli.com,gamerant.com,gfinityesports.com,givemesport.com,gulflive.com,helloflo.com,homeglowdesign.com,honeygirlsworld.com,hotcars.com,howtogeek.com,insider-gaming.com,insurancejournal.com,jasminemaria.com,kion546.com,lehighvalleylive.com,lettyskitchen.com,lifeinleggings.com,liveandletsfly.com,lizzieinlace.com,localnews8.com,lonestarlive.com,madeeveryday.com,maidenhead-advertiser.co.uk,makeuseof.com,mardomreport.net,masslive.com,melangery.com,milestomemories.com,mlive.com,modernmom.com,momtastic.com,mostlymorgan.com,motherwellmag.com,movieweb.com,muddybootsanddiamonds.com,musicfeeds.com.au,nationalreview.com,nj.com,nordot.app,nothingbutnewcastle.com,nsjonline.com,oakvillenews.org,observer.com,oregonlive.com,pagesix.com,pennlive.com,pinkonthecheek.com,predic.ro,puckermom.com,qtoptens.com,realgm.com,robbreport.com,royalmailchat.co.uk,samchui.com,sandrarose.com,screenrant.com,sheknows.com,sherdog.com,sidereel.com,silive.com,simpleflying.com,sloughexpress.co.uk,spacenews.com,sportsgamblingpodcast.com,spotofteadesigns.com,stacysrandomthoughts.com,ssnewstelegram.com,superherohype.com,syracuse.com,tablelifeblog.com,thebeautysection.com,thecelticblog.com,thecurvyfashionista.com,thefashionspot.com,thegamer.com,thenerdyme.com,thenonconsumeradvocate.com,theprudentgarden.com,thethings.com,timesnews.net,topspeed.com,toyotaklub.org.pl,travelingformiles.com,tutsnode.org,tvline.com##+js(rmnt, script, '"v4ac1eiZr0"') +baeldung.com,cheatsheet.com,pwinsider.com,mensjournal.com##+js(rmnt, script, admiral) +usatoday.com##+js(set, gnt.x.adm, '') +247sports.com,cbsnews.com,cbssports.com,indiewire.com,masslive.com,pennlive.com,nypost.com,pagesix.com,syracuse.com##+js(rmnt, script, '"data-adm-url"') +! anikore.jp +anikore.jp##html[class^="loading"]:style(visibility: visible !important;) +! fedex.com +fedex.com##+js(set-local-storage-item, fdx_enable_new_detail_page, true) +! mweb.jp +mwed.jp##+js(acs, document.createElement, keen-tracking) +! nicovideo.jp +nicovideo.jp##+js(no-fetch-if, stella) +nicovideo.jp##+js(no-xhr-if, stella) +! #if cap_html_filtering +abema.tv##^script:has-text(NREUM) +! #else +abema.tv##+js(rmnt, script, NREUM) +! #endif +! phileweb.com +||clarity.ms/tag/$script,domain=phileweb.com,important +phileweb.com##+js(set-attr, span[class] img.lazyload[width], src, [data-src]) +! e-begin.jp +e-begin.jp##.inviewSection:not(.is-show):style(transform: translateY(0) !important; opacity: 1 !important;) +! mustar.meitetsu.co.jp +||googletagmanager.com/gtm.js$domain=mustar.meitetsu.co.jp,important +mustar.meitetsu.co.jp##body[style="opacity: 0;"]:style(opacity: 1 !important;) +! EOF +! #endif +! -----------------Individual cname tracking systems-----------------! +! *** easylist:easyprivacy/easyprivacy_specific_cname_dataunlocker.txt *** +! easyprivacy_specific_cname_dataunlocker.txt +! https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/dataunlocker.txt +! CNAME https://github.com/easylist/easylist/issues/9383 https://github.com/AdguardTeam/cname-trackers/issues/15 +! Company name: DataUnlocker +||11b6n4ty2x3.taxliencode.com^ +||13js1lbtbj3.sparkloop.app^ +||16i6nuuc2ej.koelewijn.nl^ +||1a715b8q5m3j.www.logology.co^ +||1amehwchx31.bloxdhop.io^ +||1baq2nvd6n7.www.keevowallet.com^ +||1bpmtrvkqkj.pettoonies.com^ +||1bw7etm93lf.www.woodbrass.com^ +||1eusy6.boxoffice.adventuretix.com^ +||1hb4jkt1u2d.probemas.com^ +||1j2n061x3td.www.digi.no^ +||1k5vz1ejbcx.staging.probemas.com^ +||1kpv4njzilv.community.intersystems.com^ +||1vyt1eguj27.ommasign.com^ +||21fhq0t574p.talentkit.io^ +||21udflra4wd.app-dev.cainthus.com^ +||25ix8gm8ien.sandbox.panprices.com^ +||2829i2p88jx.www.csaladinet.hu^ +||2922qj5tf2n.swyftx.com.au^ +||2aa6f9qgrh9.acc.evservice.nl^ +||2e718yf5jypb.test.digitalsurge.io^ +||2rid9fii9chx.www.atlaslane.com^ +||2yqcaqbfnv.nextgen.shareablee.com^ +||3l0zszdzjhpw.www.comicleaks.com^ +||3wn3w3skxpym.round.t3.gg^ +||48z7wyjdsywu.www.revistaferramental.com.br^ +||4jaehnfqizyx.controlconceptsusa.com^ +||5jgwflo4y935b8udrp.www.pmn-nerez.cz^ +||5mc92su06suu.www.abhijith.page^ +||6nwp0r33a71m.app.dev.cardahealth.com^ +||6ynyejkv0j1s.app.tapmyback.com^ +||704g8xh7qfzx.www.intercity.technology^ +||771fnypadw0j.pt.themoneytizer.com^ +||78rkcgj4i8c6.www.cefirates.com^ +||7hdl8dlfjm4g.www.cybernetman.com^ +||8ehhtsv9bo7i.monkeylearn.com^ +||8ue4rp6yxyis.www.tapmyback.com^ +||8vwxqg.tapin.gg^ +||9b5gjkrnw71r.it.themoneytizer.com^ +||9kkjfywjz50v.www.eventus.io^ +||9l3cr6dvk2kb.adaptive.marketing^ +||9uim1pc4ej4n.ru.themoneytizer.com^ +||9ywl0cwf7e37m5yi.tapin.gg^ +||ac9kpxbans1l.staging.unstoppabledomains.com^ +||am3s622gcd6m.tt.live^ +||av6fm8zw2cvz.furucombo.app^ +||b1tow9h4erpw.anur.polymerdev.com^ +||b20p6lt350nt.app.polymersearch.com^ +||b536mpmxoqxa.www.themoneytizer.com^ +||b5j6itccyluq.nofluffjobs.com^ +||c319tpiw462o.segops.madisonspecs.com^ +||cqsecshf4rd9.www.tracktheta.com^ +||cqz6fn6aox.aporia.com^ +||cy98g9wuwn0n.angularjs.poc.glenigan.com^ +||dlziqh9bo7.boring.fm^ +||dsoxjxin5jji.controlconceptsusa.com^ +||e5obq1v261.www.lurkit.com^ +||f02b61sgc617.es.themoneytizer.com^ +||fkupm8697t19.eyevolution.de^ +||fq9vy0muyqi3.www.madrigalmaps.com^ +||fyznhp8inq9x.jaywilsonwebsolutions.com^ +||gl5g98t0vfjb.panprices.com^ +||gvmomuqjv1.swyftx.com^ +||hht8m6w8mnug.quine.sh^ +||ia84berzxy7v.de.themoneytizer.com^ +||ilkk97e98lvg.www.sidsplumbing.ie^ +||ivrnfvlcgubm.www.cefirates.com^ +||iwl2d7pa4yx1.www.logology.co^ +||ixa9ill0f7bg.grundbuch.zentraler-antragsservice.com^ +||jc917x3.adaptive.marketing^ +||jiktq0fr9hv6.meleton.ru^ +||kn81kivjwwc7.www.logology.co^ +||li3k4d70ig52.resourceya.com^ +||lj5s1u8ct5vz.app.chatpay.dev^ +||lofo3l15c674.platform.replai.io^ +||lv6od3a4sz12.www.logology.co^ +||m3uef4b38brmbntdzx.franchiseplus.nl^ +||m4zoxtrcea1k.controlconceptsusa.com^ +||m6c4t9vmqarj.www.cefirates.com^ +||mh9qqwotr890.koelewijn.nl^ +||mteme7li1d6r.vertexmarketingagency.com^ +||my8yyx7wcyyt.dev.monumentmetals-pwa.stgin.com^ +||n367tqpdxce0.quine.sh^ +||n4kb43cl2bsw.creatordrop.com^ +||nqyuel589fq5.esgrounding.com^ +||ns3w1qrlbk4s.tip.etip-staging.etip.io^ +||o3gxzoewxl1x.cp.zomro.com^ +||omyvimmw9wsk.t.mahapowerex.eu^ +||os270ojwwxtg.gameflow.tv^ +||otx23nu6rzon.prep.toppers.com^ +||p7h1silo3f.app.cainthus.com^ +||q4l5gz6lqog6.www.eventus.io^ +||qnlbs2m0uoto.www.videoath.com^ +||qqeuq1cmoooq.accuretawealth.com^ +||qri2r94eeajr.innovationcast.com^ +||qt5jl7r111h7.allesvoormijnvakantie.nl^ +||rgb9uinh2dej9ri.jacobzhang.de^ +||ros3d4dbs3px.salud-masculina.info^ +||s2whyufxmzam.chatpay.com.br^ +||soahu1wnmt6l.www.replai.io^ +||sr59t7wbx5.claricelin.com^ +||swaljol72dgv.controlconceptsusa.com^ +||sxwxswg8z1xe.www.arnowebtv.com^ +||t7baxp1xmw00.boxoffice.adventuretix.com^ +||ti3av8k3ikwm.resume.gerardbosch.xyz^ +||tnincvf1d1jl.de.themoneytizer.com^ +||tutbc1.www.tapmyback.com^ +||tzgurwizule3.app.cardahealth.com^ +||u0crsrah75fy.camberlion.com^ +||uhd5nn09mgml.fort-shop.kiev.ua^ +||umylynsr9b.quira.sh^ +||ut19suycy9vt.nowyformat.nofluffjobs.com^ +||vyz3nn85ed0e.controlconceptsusa.com^ +||vzal21mooz.hyperwrite.ai^ +||w38ju82bano4.cv.gerardbosch.xyz^ +||wayyaj8t094u.www.kodalia.com^ +||wiar9wff0ma9.ping.t3.gg^ +||xlvvy4msxr.coolinastore.com^ +||y4e04gql5o1b.www.nookgaming.com^ +||yrjpgjv35y9x.salud-masculina.info^ +||ysrrzgku6tar.us.themoneytizer.com^ +||z3617cz9ep.fitness.tappbrothers.com^ +||zkmhhr1fr79z.dictionary.basabali.org^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_a8net.txt *** +! easyprivacy_specific_cname_a8net.txt +! a8.net https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/a8_net.txt +! +! Disabled +! ||cart.matsuzaka-steak.com^ +! remove dube: ||www.a8clk.kanagawa-zero.com^ +! ||www.a8clk.amelia.ne.jp^ +||1909a8.satofull.jp^ +||a8-22.hana-yume.net^ +||a8-affiliate.kase3535.com^ +||a8-cv.lean-body.jp^ +||a8-hoiku.mama-9jin.com^ +||a8-itp.qoo10.jp^ +||a8-kouten.kouten.work^ +||a8-mamacareer.mama-9jin.com^ +||a8-wpxblog.secure.wpx.ne.jp^ +||a8-wpxshin.secure.wpx.ne.jp^ +||a8-xshop.secure.xserver.ne.jp^ +||a8.01cloud.jp^ +||a8.123.rheos.jp^ +||a8.2ndstreet.jp^ +||a8.abemashopping.jp^ +||a8.ablenet.jp^ +||a8.aga-hakata.com^ +||a8.ahcswiss.com^ +||a8.air-snet.com^ +||a8.aliceandolivia.jp^ +||a8.ama-mail.jp^ +||a8.amairo-sky.com^ +||a8.andethic.com^ +||a8.anipos.com^ +||a8.arrrt-shop.com^ +||a8.asdf.co.jp^ +||a8.au-hikarinet.com^ +||a8.avalon-works.com^ +||a8.b-cafe.net^ +||a8.bambi-craft.com^ +||a8.bandel.jp^ +||a8.banninkun.com^ +||a8.beerowle.com^ +||a8.benro.jp^ +||a8.big-hikari.com^ +||a8.biglobe.openplat.jp^ +||a8.biz.ne.jp^ +||a8.biziphone.com^ +||a8.bobby-jp.com^ +||a8.boco.co.jp^ +||a8.bon-quish.jp^ +||a8.bousui-pro.com^ +||a8.brandcosme.com^ +||a8.brandkaimasu.com^ +||a8.bridal-hills.com^ +||a8.buddyup.shop^ +||a8.buvlabo.com^ +||a8.calmia-clinic.com^ +||a8.careecen-shukatsu-agent.com^ +||a8.career.rexit.co.jp^ +||a8.careerpark.jp^ +||a8.casie.jp^ +||a8.cbd-cosme.jp^ +||a8.cbd-oil.jp^ +||a8.cbiz.io^ +||a8.centarc.com^ +||a8.chat-lady.jp^ +||a8.chiyo-moni.com^ +||a8.choomia.com^ +||a8.chuo-estate.net^ +||a8.clarah.jp^ +||a8.classicalelf.shop^ +||a8.clubgets.com^ +||a8.cocomeister.jp^ +||a8.coloria.jp^ +||a8.copyki-pr.com^ +||a8.cotta.jp^ +||a8.creativevillage.ne.jp^ +||a8.croaster-select.com^ +||a8.cucua.fun^ +||a8.cyclemarket.jp^ +||a8.cypris-online.jp^ +||a8.daredemomobile.com^ +||a8.de-limmo.jp^ +||a8.degicashop.com^ +||a8.denki-koji.work^ +||a8.denki-tatsujin.com^ +||a8.denwa-hikari.com^ +||a8.denwa-kaisen.jp^ +||a8.denwa-kanyuken.com^ +||a8.diakaimasu.jp^ +||a8.direia-to.net^ +||a8.doctorstretch.com^ +||a8.dolcibolle.com^ +||a8.drinco.jp^ +||a8.dstation.jp^ +||a8.dymtech.jp^ +||a8.earth-shiho.com^ +||a8.earthwater-cayenne.com^ +||a8.efax.co.jp^ +||a8.elife.clinic^ +||a8.emeao.jp^ +||a8.emestore.me^ +||a8.engineer-shukatu.jp^ +||a8.eonet.jp^ +||a8.eonet.ne.jp^ +||a8.epauler.co.jp^ +||a8.epo.info^ +||a8.erasutamo.onlinestaff.jp^ +||a8.everest.ac^ +||a8.evertrust-inc.com^ +||a8.exam-katekyo.com^ +||a8.exetime.jp^ +||a8.exwimax.jp^ +||a8.final-seo.jp^ +||a8.fishing-v.jp^ +||a8.fit-theme.com^ +||a8.foods.petokoto.com^ +||a8.form.run^ +||a8.fots.jp^ +||a8.fpo.bz^ +||a8.fracora.com^ +||a8.freeconsultant.btcagent.jp^ +||a8.freeengineer.btcagent.jp^ +||a8.ftcbeauty.com^ +||a8.fujiorganics.com^ +||a8.fxism.jp^ +||a8.gaizyu-taiji.com^ +||a8.geo-online.co.jp^ +||a8.global-mobility-service.com^ +||a8.gme.co.jp^ +||a8.golfland.co.jp^ +||a8.goodappeal.site^ +||a8.gtm.co.jp^ +||a8.guardian-mp.aerial-p.com^ +||a8.h-daiya.co.jp^ +||a8.hagent.jp^ +||a8.hakata-hisamatsu.net^ +||a8.hana-mail.jp^ +||a8.happy-card.jp^ +||a8.haptic.co.jp^ +||a8.healthyolive.com^ +||a8.heart-denpo.com^ +||a8.hemptouch.co.jp^ +||a8.hikari-flets.jp^ +||a8.hikari-n.jp^ +||a8.hikari-softbank.jp^ +||a8.hikarix.net^ +||a8.hitohana.tokyo^ +||a8.hitoma-tuhan.com^ +||a8.hoken-connect.com^ +||a8.hokengarden.com^ +||a8.hokkaido-nb.jp^ +||a8.i-netservice.net^ +||a8.i-staff.jp^ +||a8.idiy.biz^ +||a8.ihinnoseiriyasan.com^ +||a8.iisakafuji.online^ +||a8.ikkatsu.jp^ +||a8.industrial-branch.com^ +||a8.infinitussub.com^ +||a8.ippin-do.com^ +||a8.jiiawater.com^ +||a8.joygirl.jp^ +||a8.joylab.jp^ +||a8.joyvack.com^ +||a8.jp.peacebird.com^ +||a8.kajitaku.com^ +||a8.kami2323.com^ +||a8.kanbei.jp^ +||a8.kateikyoushi.kuraveil.jp^ +||a8.kddi-hikari.com^ +||a8.kekkon.kuraveil.jp^ +||a8.kimonomachi.co.jp^ +||a8.kinkaimasu.jp^ +||a8.kinkennet.jp^ +||a8.kinnikushokudo-ec.jp^ +||a8.kireisalone.style^ +||a8.kireiyu.com^ +||a8.kissmusic.net^ +||a8.kizuna-link.jp^ +||a8.kland.shop^ +||a8.knew.jp^ +||a8.kojyo-worker.com^ +||a8.kotei-denwa.com^ +||a8.kougu-kaitoriyasan.com^ +||a8.kujo-service.com^ +||a8.l-co-shop.jp^ +||a8.labiotte.jp^ +||a8.lacitashop.com^ +||a8.lalala-clean.com^ +||a8.lantelno.jp^ +||a8.lat-international.com^ +||a8.lavie-official.jp^ +||a8.learning.agaroot.jp^ +||a8.lens-labo.com^ +||a8.lens-ocean.com^ +||a8.liver-rhythm.jp^ +||a8.looom.jp^ +||a8.looop-denki.com^ +||a8.lwa-coating.com^ +||a8.lyprimo.jp^ +||a8.machino-housecleaning.com^ +||a8.maf.mentor-capital.jp^ +||a8.makeshop.jp^ +||a8.mamacosme.co.jp^ +||a8.mamaworks.jp^ +||a8.manara.jp^ +||a8.medireanetshopoi.com^ +||a8.migxl.com^ +||a8.minion-wifi.com^ +||a8.mira-feel.com^ +||a8.miror.jp^ +||a8.mishii-list.com^ +||a8.misshajp.com^ +||a8.mm-digitalsales.academy^ +||a8.mochu.jp^ +||a8.mogurun.com^ +||a8.moku.info^ +||a8.mosh.jp^ +||a8.musbell.co.jp^ +||a8.n-pri.jp^ +||a8.nachurabo.com^ +||a8.nanafu.tokyo^ +||a8.narikiri.me^ +||a8.nengahonpo.com^ +||a8.nengajyo.co.jp^ +||a8.neur.jp^ +||a8.next-hikari.jp^ +||a8.nezumi-guard.com^ +||a8.nezumi-kanzentaiji.com^ +||a8.nosh.jp^ +||a8.novicetokyo.com^ +||a8.o-tayori.com^ +||a8.obihiro-butaichi.jp^ +||a8.ocnk.net^ +||a8.okamotogroup.com^ +||a8.olightstore.jp^ +||a8.onamae.com^ +||a8.onecoinenglish.com^ +||a8.ones-ones.jp^ +||a8.otoku-line.jp^ +||a8.otonayaki.com^ +||a8.outline-gym.com^ +||a8.papapa.baby^ +||a8.parcys.com^ +||a8.pcnext.shop^ +||a8.pcwrap.com^ +||a8.petfood.mtflat.co.jp^ +||a8.pla-cole.wedding^ +||a8.pocket-m.jp^ +||a8.polyglots.net^ +||a8.princess-jp.com^ +||a8.print-netsquare.com^ +||a8.projectee.online^ +||a8.rank-quest.jp^ +||a8.recmount-plus.com^ +||a8.remobiz.jp^ +||a8.renkindo.com^ +||a8.ricafrosh.com^ +||a8.ringbell.co.jp^ +||a8.rinshosiken.com^ +||a8.route-roller.info^ +||a8.runway-harmonia.co.jp^ +||a8.ryugaku.kuraveil.jp^ +||a8.sakemuseum.com^ +||a8.sakuramobile.jp^ +||a8.sakuratravel.jp^ +||a8.sara-uv.com^ +||a8.schecon.com^ +||a8.seifu-ac.jp^ +||a8.seminarshelf.com^ +||a8.sennendo.jp^ +||a8.sharefull.com^ +||a8.shikaketegami.com^ +||a8.shikigaku.jp^ +||a8.shinnihonjisyo.co.jp^ +||a8.shitsukekun.com^ +||a8.shizq.store^ +||a8.shokubun.net^ +||a8.shop.basefood.co.jp^ +||a8.shop.km-link.jp^ +||a8.shop.nicosuma.com^ +||a8.shop.tsukijiwadatsumi.com^ +||a8.shopserve.jp^ +||a8.shukatsu-note.com^ +||a8.sibody.tw^ +||a8.skr-labo.jp^ +||a8.smart-onepage.com^ +||a8.smp.shanon.co.jp^ +||a8.snapmaker.jp^ +||a8.soelu.com^ +||a8.softbank-hikari.jp^ +||a8.sommelier.gift^ +||a8.sp-hoken.net^ +||a8.speever.jp^ +||a8.ssl.aispr.jp^ +||a8.st.oddspark.com^ +||a8.store.aceservice.jp^ +||a8.store.goo.ne.jp^ +||a8.strapya.com^ +||a8.sui-so.com^ +||a8.suma-sapo.net^ +||a8.sumai-planet.com^ +||a8.sumilena.co.jp^ +||a8.tabechoku.com^ +||a8.tailorenglish.jp^ +||a8.tapp-co.jp^ +||a8.taylormadegolf.jp^ +||a8.tcha-tcha-japan.com^ +||a8.tea-lab.co.jp^ +||a8.tecgate.jp^ +||a8.tech-base.net^ +||a8.techis.jp^ +||a8.tecpartners.jp^ +||a8.teddyworks.co.jp^ +||a8.the-session.jp^ +||a8.themoonmilk.jp^ +||a8.thermostand.jp^ +||a8.thg.co.jp^ +||a8.tideisturning.com^ +||a8.tokihana.net^ +||a8.tokyo-hills-clinic.com^ +||a8.tone.ne.jp^ +||a8.toraiz.jp^ +||a8.tour-sys.com^ +||a8.tour.jtrip.co.jp^ +||a8.track.entry.dokoyorimo.com^ +||a8.triple-m.jp^ +||a8.tscubic.com^ +||a8.uchi-iwai.net^ +||a8.uchideno-kozuchi.com^ +||a8.uluwatutiger.com^ +||a8.unicoffee.tech^ +||a8.uridoki.net^ +||a8.uzuz-college.jp^ +||a8.vector-park.jp^ +||a8.vinew.jp^ +||a8.virus-gekitai.com^ +||a8.volstar.jp^ +||a8.vtuber.sexy^ +||a8.watero.pet^ +||a8.web-hikari.net^ +||a8.webdeki.com^ +||a8.webist-cri.com^ +||a8.wemotion.co.jp^ +||a8.wifi-fami.com^ +||a8.wifi-tokyo-rentalshop.com^ +||a8.wifi.erasutamo.onlinestaff.jp^ +||a8.willcloud.jp^ +||a8.williesenglish.jp^ +||a8.wizrecruitment.012grp.co.jp^ +||a8.woodlife.jp^ +||a8.worldikids.com^ +||a8.ws.job.career-tasu.jp^ +||a8.www.keurig.jp^ +||a8.www.melonbooks.co.jp^ +||a8.www.nicosuma.com^ +||a8.www.retrospect.co.jp^ +||a8.www.seesaa.co.jp^ +||a8.www.smart-factor.co.jp^ +||a8.xn--google-873exa8m6161dbbyb.net^ +||a8.xn--y8jd4aybzqd.jp^ +||a8.yakumatch.com^ +||a8.yanoman.com^ +||a8.yayoi-kk.co.jp^ +||a8.yellmall.jp^ +||a8.yumejin.jp^ +||a8.yuzen-official.com^ +||a8.zen-camps.com^ +||a8.zeroku.jp^ +||a8.zipan.jp^ +||a8.zzz-land.com^ +||a802.xn--38jf6c4pa86a1dv833cexrb.com^ +||a803.xn--38jf6c4pa86a1dv833cexrb.com^ +||a8affiliate.liftup-turban.net^ +||a8aspconv.itx-home-router.com^ +||a8aspconv.nn-com.co.jp^ +||a8aspconv.ns-air.net^ +||a8aspconv.ns-softbank-hikari.com^ +||a8aspconv.xn--auso-net-h53gmnzi.com^ +||a8aspconv.xn--bgm-os4bt98xxicx4fqs5c8e8agvq.com^ +||a8aspconv.xn--biglobe-kc9k.com^ +||a8aspconv.xn--ipv6-yn4cxgwe959zqrkp58g.com^ +||a8aspconv.xn--ocn-ws1e.jp^ +||a8atcomsme.mellife.jp^ +||a8clic.alcosystem.co.jp^ +||a8click.daini2.co.jp^ +||a8click.you-up.com^ +||a8click.young-mobile.net^ +||a8clk.011330.jp^ +||a8clk.1osechi.com^ +||a8clk.292957.jp^ +||a8clk.9factor.com^ +||a8clk.account.matsui.co.jp^ +||a8clk.adeliv.treasure-f.com^ +||a8clk.adventkk.co.jp^ +||a8clk.afi1.emanon-sharesalon.com^ +||a8clk.aipo.com^ +||a8clk.alljewelry.jp^ +||a8clk.ambientlounge.co.jp^ +||a8clk.amelia.ne.jp^ +||a8clk.ancar.jp^ +||a8clk.ands-tech.com^ +||a8clk.angeliebe.co.jp^ +||a8clk.aoki-style.com^ +||a8clk.ap.livede55.com^ +||a8clk.app.offerbox.jp^ +||a8clk.apply-shop.menu.inc^ +||a8clk.asahi-net.or.jp^ +||a8clk.ashitarunrun.com^ +||a8clk.asp.jcity.co.jp^ +||a8clk.assecli.com^ +||a8clk.ato-barai.com^ +||a8clk.audiobook.jp^ +||a8clk.autoc-one.jp^ +||a8clk.bang.co.jp^ +||a8clk.beauteq.jp^ +||a8clk.bikeman.jp^ +||a8clk.biken-mall.com^ +||a8clk.biomarche.jp^ +||a8clk.birai-cm.com^ +||a8clk.biz-communication.jp^ +||a8clk.bizworkers.jp^ +||a8clk.booking.jetfi.jp^ +||a8clk.bresmile.jp^ +||a8clk.bungeisha.co.jp^ +||a8clk.buy-master.com^ +||a8clk.buyking.club^ +||a8clk.camerakaitori.jp^ +||a8clk.campaigns.speed-kaitori.jp^ +||a8clk.car-mo.jp^ +||a8clk.carbattery110.com^ +||a8clk.career.prismy.jp^ +||a8clk.carenessapp.lifekarte.com^ +||a8clk.cart.amahada.com^ +||a8clk.cart.co-heart.com^ +||a8clk.cart.dr-vegefru.com^ +||a8clk.cart.ordersupli.com^ +||a8clk.cart.raku-uru.jp^ +||a8clk.cd.ecostorecom.jp^ +||a8clk.cev.macchialabel.com^ +||a8clk.chance.com^ +||a8clk.chapup.jp^ +||a8clk.chat-wifi.site^ +||a8clk.checkout.leafee.me^ +||a8clk.chibakan-yachiyo.net^ +||a8clk.chuko-truck.com^ +||a8clk.cleaneo.jp^ +||a8clk.cocorotherapy.com^ +||a8clk.colone.cc^ +||a8clk.coreda.jp^ +||a8clk.cp.favorina.com^ +||a8clk.cp.formalklein.com^ +||a8clk.crefus.com^ +||a8clk.crowdworks.jp^ +||a8clk.cs.machi-ene.jp^ +||a8clk.cv.dreamsv.jp^ +||a8clk.cv.geechs-job.com^ +||a8clk.cv.hanaravi.jp^ +||a8clk.cv.kenkouichiba.com^ +||a8clk.cv.kihada.jp^ +||a8clk.cv.mensfashion.cc^ +||a8clk.cv.onedenki.jp^ +||a8clk.cv.only-story.jp^ +||a8clk.cv.shop.resalon.co.jp^ +||a8clk.cv.syukatsu-kaigi.jp^ +||a8clk.cv.t-fic.co.jp^ +||a8clk.cv.warau.jp^ +||a8clk.cv.yanuk.jp^ +||a8clk.d.toyo-case.co.jp^ +||a8clk.dfashion.docomo.ne.jp^ +||a8clk.digicafe.jp^ +||a8clk.doda.jp^ +||a8clk.dospara.co.jp^ +||a8clk.dr-10.com^ +||a8clk.dr-40.com^ +||a8clk.dr-8.com^ +||a8clk.driver-island.com^ +||a8clk.e-ninniku.jp^ +||a8clk.ec.halmek.co.jp^ +||a8clk.ec.oreno.co.jp^ +||a8clk.ectool.jp^ +||a8clk.englead.jp^ +||a8clk.es.akyrise.jp^ +||a8clk.ex-wifi.jp^ +||a8clk.excellence-aoyama.com^ +||a8clk.famm.us^ +||a8clk.fastsim.jp^ +||a8clk.fc-mado.com^ +||a8clk.fido-co.com^ +||a8clk.firadis.net^ +||a8clk.for-customer.com^ +||a8clk.form.coached.jp^ +||a8clk.formal.cariru.jp^ +||a8clk.formasp.jp^ +||a8clk.francfranc.com^ +||a8clk.fromcocoro.com^ +||a8clk.fujisan.co.jp^ +||a8clk.fuku-chan.jp^ +||a8clk.funds.jp^ +||a8clk.geo-arekore.jp^ +||a8clk.global-crown.com^ +||a8clk.globalbase.jp^ +||a8clk.golf-kace.com^ +||a8clk.grandg.com^ +||a8clk.grirose.jp^ +||a8clk.gurutas.jp^ +||a8clk.guruyaku.jp^ +||a8clk.hags-ec.com^ +||a8clk.hikakaku.com^ +||a8clk.hikarinobe.com^ +||a8clk.hoiku.fine.me^ +||a8clk.hoken-minaoshi-lab.jp^ +||a8clk.hokennews.jp^ +||a8clk.hom.adebtt.info^ +||a8clk.hotman-onlineshop.com^ +||a8clk.hozon.sp-site.jp^ +||a8clk.hurugicom.jp^ +||a8clk.ias.il24.net^ +||a8clk.inakakon.jp^ +||a8clk.info2.sunbridge.com^ +||a8clk.jaf.or.jp^ +||a8clk.janiking.jp^ +||a8clk.jlp-shop.jp^ +||a8clk.jobspring.jp^ +||a8clk.joggo.me^ +||a8clk.joppy.jp^ +||a8clk.just-buy.jp^ +||a8clk.justfitoffice.com^ +||a8clk.justy-consul.com^ +||a8clk.ka-shimo.com^ +||a8clk.kaitori-beerecords.jp^ +||a8clk.kaitori-janiyard.jp^ +||a8clk.kaitori-retrog.jp^ +||a8clk.kaitori-toretoku.jp^ +||a8clk.kaitori-yamatokukimono.jp^ +||a8clk.kaitori.kind.co.jp^ +||a8clk.kaitoriyasan.group^ +||a8clk.kake-barai.com^ +||a8clk.kanagawa-zero.com^ +||a8clk.kenkoukazoku.co.jp^ +||a8clk.kihada.jp^ +||a8clk.komochikon.jp^ +||a8clk.kyoto-health.co.jp^ +||a8clk.kyoyu-mochibun.com^ +||a8clk.label-seal-print.com^ +||a8clk.lasana.co.jp^ +||a8clk.laundry-out.jp^ +||a8clk.lens-1.jp^ +||a8clk.libinc.jp^ +||a8clk.life.bang.co.jp^ +||a8clk.lolipop.jp^ +||a8clk.loungemembers.com^ +||a8clk.low-ya.com^ +||a8clk.lp.yuyu-kenko.co.jp^ +||a8clk.ma-platform.com^ +||a8clk.macchialabel.com^ +||a8clk.macpaw.com^ +||a8clk.manabiz.jp^ +||a8clk.manage.conoha.jp^ +||a8clk.mapple-tour.com^ +||a8clk.marche.onward.co.jp^ +||a8clk.mat.duskin-hozumi.co.jp^ +||a8clk.meister-coating.com^ +||a8clk.mens-mr.jp^ +||a8clk.mens-rinx.jp^ +||a8clk.merry.duskin-hozumi.co.jp^ +||a8clk.miidas.jp^ +||a8clk.minnadeooyasan.com^ +||a8clk.mirrorball-recurit.emanon-sharesalon.com^ +||a8clk.mobile-norikae.com^ +||a8clk.mop.duskin-hozumi.co.jp^ +||a8clk.moriichi-net.co.jp^ +||a8clk.mouse-jp.co.jp^ +||a8clk.moving.a-tm.co.jp^ +||a8clk.mutukistyle.com^ +||a8clk.muumuu-domain.com^ +||a8clk.mynavi-creator.jp^ +||a8clk.mynavi-job20s.jp^ +||a8clk.mypage.awesome-wash.com^ +||a8clk.nandemo-kimono.com^ +||a8clk.nenga-kazoku.com^ +||a8clk.nenga.fumiiro.jp^ +||a8clk.netowl.jp^ +||a8clk.nikkoudou-kottou.com^ +||a8clk.nissen.co.jp^ +||a8clk.nobirun.jp^ +||a8clk.nta.co.jp^ +||a8clk.nyandaful.jp^ +||a8clk.okamoto-homelife.com^ +||a8clk.okawa-god.jp^ +||a8clk.okuta.com^ +||a8clk.olulu-online.jp^ +||a8clk.onemile.jp^ +||a8clk.only-story.jp^ +||a8clk.order-box.net^ +||a8clk.order.banana-wifi.com^ +||a8clk.order.lpio.jp^ +||a8clk.orders.bon-book.jp^ +||a8clk.osoujihonpo.com^ +||a8clk.owners-age.com^ +||a8clk.p-bandai.jp^ +||a8clk.pages.supporterz.jp^ +||a8clk.patpat.com^ +||a8clk.petelect.jp^ +||a8clk.petitjob.jp^ +||a8clk.photorevo.info^ +||a8clk.plusone.space^ +||a8clk.point-island.com^ +||a8clk.point-land.net^ +||a8clk.point-museum.com^ +||a8clk.point-stadium.com^ +||a8clk.psd.jp^ +||a8clk.purekon.jp^ +||a8clk.qracian365.com^ +||a8clk.radianne.jp^ +||a8clk.rarejob.com^ +||a8clk.rdlp.jp^ +||a8clk.recycle-net.jp^ +||a8clk.rei-book.com^ +||a8clk.rental.geo-online.co.jp^ +||a8clk.reserve.retty.me^ +||a8clk.resortbaito-dive.com^ +||a8clk.rf28.com^ +||a8clk.risou.com^ +||a8clk.satei-meijin.com^ +||a8clk.secure.freee.co.jp^ +||a8clk.secure.jetboy.jp^ +||a8clk.segatoys.com^ +||a8clk.service.ridera-inc.com^ +||a8clk.shadoten.com^ +||a8clk.shareboss.net^ +||a8clk.shikaku-square.com^ +||a8clk.shinnihon-seminar.com^ +||a8clk.shoes.regal.co.jp^ +||a8clk.shokutakubin.com^ +||a8clk.shop.echigofuton.jp^ +||a8clk.shop.kitamura.jp^ +||a8clk.shop.saraya.com^ +||a8clk.shop.shareme.jp^ +||a8clk.shop.sunsorit.co.jp^ +||a8clk.shop.tanita.co.jp^ +||a8clk.sikatoru.com^ +||a8clk.siro.duskin-hozumi.co.jp^ +||a8clk.sirtuinbooster.net^ +||a8clk.sixcore.ne.jp^ +||a8clk.skima.jp^ +||a8clk.skynet-c.jp^ +||a8clk.skyoffice.info^ +||a8clk.sma-ene.jp^ +||a8clk.smart-keiri.com^ +||a8clk.smile-zemi.jp^ +||a8clk.sohbi-company.com^ +||a8clk.solideajapan.com^ +||a8clk.speedcoaching.co.jp^ +||a8clk.staff.mynavi.jp^ +||a8clk.star-mall.net^ +||a8clk.starwifi.jp^ +||a8clk.store.kadokawa.co.jp^ +||a8clk.store.mago-ch.com^ +||a8clk.stylestore.jp^ +||a8clk.suguchoku.jp^ +||a8clk.sumafuri.jp^ +||a8clk.support-hoiku.com^ +||a8clk.supreme-noi.jp^ +||a8clk.sure-i.co.jp^ +||a8clk.t-fic.co.jp^ +||a8clk.taisho-beauty.jp^ +||a8clk.takken-job.com^ +||a8clk.takuhai.daichi-m.co.jp^ +||a8clk.tamiyashop.jp^ +||a8clk.tanp.jp^ +||a8clk.tastytable-food.com^ +||a8clk.teacon.jp^ +||a8clk.titivate.jp^ +||a8clk.toretoku.jp^ +||a8clk.tsuchiya-kaban.jp^ +||a8clk.tsunorice.com^ +||a8clk.uchinotoypoo.jp^ +||a8clk.unihertz.com^ +||a8clk.unionspo.com^ +||a8clk.ur-s.me^ +||a8clk.uzu.team^ +||a8clk.videocash.tv^ +||a8clk.voice-inc.co.jp^ +||a8clk.waq-online.com^ +||a8clk.web-camp.io^ +||a8clk.wedding.294p.com^ +||a8clk.weleda.jp^ +||a8clk.wi-ho.net^ +||a8clk.works.sagooo.com^ +||a8clk.world-family.co.jp^ +||a8clk.wpx.ne.jp^ +||a8clk.www.access-jp.jp^ +||a8clk.www.autoway.jp^ +||a8clk.www.big-m-one.com^ +||a8clk.www.cledepeau-beaute.com^ +||a8clk.www.clip-studio.com^ +||a8clk.www.daiohs.com^ +||a8clk.www.doicoffee.com^ +||a8clk.www.duskin-chiyoda.com^ +||a8clk.www.duskin-hozumi.co.jp^ +||a8clk.www.duskin-hozumi.jp^ +||a8clk.www.e87.com^ +||a8clk.www.fitnessshop.jp^ +||a8clk.www.flierinc.com^ +||a8clk.www.gaihekitosou-partners.jp^ +||a8clk.www.green-dog.com^ +||a8clk.www.italki.com^ +||a8clk.www.jaf.or.jp^ +||a8clk.www.just-size.net^ +||a8clk.www.ka-nabell.com^ +||a8clk.www.khaki.jp^ +||a8clk.www.netage.ne.jp^ +||a8clk.www.nortonstore.jp^ +||a8clk.www.oms.energy-itsol.com^ +||a8clk.www.rebo-success.co.jp^ +||a8clk.www.solar-partners.jp^ +||a8clk.www.solarmonitorlp.energy-itsol.com^ +||a8clk.www.uz.team^ +||a8clk.www.workport.co.jp^ +||a8clk.www.xebiocard.co.jp^ +||a8clk.www.zwei.com^ +||a8clk.xn--t8jx01hmvbgye566gd1f.com^ +||a8clk.xserver.ne.jp^ +||a8clk.y-station.net^ +||a8clk.ykd.co.jp^ +||a8clk.yourmystar.jp^ +||a8clk.yu-en.com^ +||a8clk.yubisashi.com^ +||a8clk.yumeyakata.com^ +||a8clk.ziaco.eco-life.tokyo^ +||a8clk.zigen-shop.com^ +||a8clk1.zkai.co.jp^ +||a8clkapply.mycredit.nexuscard.co.jp^ +||a8clkcv.lognavi.com^ +||a8clkcv.tcb-beauty.net^ +||a8cllk.arahataen.com^ +||a8cname.cloudwifi-nc.com^ +||a8cname.nj-e.jp^ +||a8cnv.rmsbeauty.jp^ +||a8cv.012grp.co.jp^ +||a8cv.03plus.net^ +||a8cv.1-class.jp^ +||a8cv.1sbc.com^ +||a8cv.464981.com^ +||a8cv.489pro.com^ +||a8cv.550909.com^ +||a8cv.a-resort.jp^ +||a8cv.a-ru-ku.co.jp^ +||a8cv.a-satei.com^ +||a8cv.accelfacter.co.jp^ +||a8cv.access-jp.jp^ +||a8cv.aff.life-110.com^ +||a8cv.aiambeauty.jp^ +||a8cv.akapon.kanritools.com^ +||a8cv.akihabara-x.jp^ +||a8cv.akippa.com^ +||a8cv.al-on.com^ +||a8cv.all-plan.co.jp^ +||a8cv.all24.jp^ +||a8cv.alvo.co.jp^ +||a8cv.amiami.jp^ +||a8cv.anapnet.com^ +||a8cv.androsophybaby.com^ +||a8cv.ans-ec.shop^ +||a8cv.aplod.jp^ +||a8cv.aquasilver.co.jp^ +||a8cv.araiba.net^ +||a8cv.atami-box.com^ +||a8cv.atgp.jp^ +||a8cv.auhikari-bykddi.com^ +||a8cv.b-concept.tokyo^ +||a8cv.b-noix.jp^ +||a8cv.babybjorn.jp^ +||a8cv.bag-repair.pro^ +||a8cv.baku-art.jp^ +||a8cv.balanslab.jp^ +||a8cv.bb-internet-qsyu.net^ +||a8cv.bbt757.com^ +||a8cv.be-slim-spbikyou.com^ +||a8cv.beaming.jp^ +||a8cv.bellcosme.com^ +||a8cv.bellevie-inc.co.jp^ +||a8cv.bettysbeauty.jp^ +||a8cv.beyondvape.jp^ +||a8cv.biken-mall.jp^ +||a8cv.biz-maps.com^ +||a8cv.bizcircle.jp^ +||a8cv.bizcomfort.jp^ +||a8cv.bloomonline.jp^ +||a8cv.bonaventura.shop^ +||a8cv.borderfree-official.com^ +||a8cv.brandeuse.jp^ +||a8cv.brandnet.info^ +||a8cv.bresmile.jp^ +||a8cv.bright-app.com^ +||a8cv.broadbandservice.jp^ +||a8cv.bugsfarm.jp^ +||a8cv.bulk.co.jp^ +||a8cv.busbookmark.jp^ +||a8cv.c-hikari.biz^ +||a8cv.ca-rent.jp^ +||a8cv.cacom.jp^ +||a8cv.calotore.com^ +||a8cv.career.medpeer.jp^ +||a8cv.careerpark-agent.jp^ +||a8cv.carryonmall.com^ +||a8cv.cart.bi-su.jp^ +||a8cv.cart3.toku-talk.com^ +||a8cv.cast-er.com^ +||a8cv.celav.net^ +||a8cv.celbest.urr.jp^ +||a8cv.cellbic.net^ +||a8cv.chefbox.jp^ +||a8cv.chillaxy.jp^ +||a8cv.chuoms.com^ +||a8cv.cinemage.shop^ +||a8cv.clickjob.jp^ +||a8cv.cloud-wi-fi.jp^ +||a8cv.cloudthome.com^ +||a8cv.coco-gourmet.com^ +||a8cv.codexcode.jp^ +||a8cv.codmon.com^ +||a8cv.contents-sales.net^ +||a8cv.control.cloudphotobook.com^ +||a8cv.coopnet.or.jp^ +||a8cv.cosmeonline.com^ +||a8cv.cosmo-water.net^ +||a8cv.cosmosfoods.jp^ +||a8cv.covermark.co.jp^ +||a8cv.cozuchi.com^ +||a8cv.cpi.ad.jp^ +||a8cv.cprime-japan.com^ +||a8cv.crecari.com^ +||a8cv.crefus.jp^ +||a8cv.crowdcredit.jp^ +||a8cv.crowdlinks.jp^ +||a8cv.cv2308001.tanomelu.com^ +||a8cv.daini-agent.jp^ +||a8cv.daisenham.com^ +||a8cv.danipita.com^ +||a8cv.danjiki-net.jp^ +||a8cv.dazzyclinic.jp^ +||a8cv.deiba.jp^ +||a8cv.delis.co.jp^ +||a8cv.designlearn.co.jp^ +||a8cv.direct-teleshop.jp^ +||a8cv.direct.shark.co.jp^ +||a8cv.diyfactory.jp^ +||a8cv.doctor-agent.com^ +||a8cv.doctoryotsu.com^ +||a8cv.dokoyorimo.com^ +||a8cv.dokugaku-dx.com^ +||a8cv.downjacket.pro^ +||a8cv.dream-licence.jp^ +||a8cv.dreambeer.jp^ +||a8cv.dreamchance.net^ +||a8cv.drsoie.com^ +||a8cv.dsc-nightstore.com^ +||a8cv.dshu.jp^ +||a8cv.duo.jp^ +||a8cv.e-3shop.com^ +||a8cv.e-3x.jp^ +||a8cv.e-d-v-j.co.jp^ +||a8cv.e-earphone.jp^ +||a8cv.e-stretch-diet.com^ +||a8cv.eakindo.com^ +||a8cv.ec.oliveunion.com^ +||a8cv.eco-ring.com^ +||a8cv.ecodepa.jp^ +||a8cv.eeo.today^ +||a8cv.egmkt.co.jp^ +||a8cv.eikajapan.com^ +||a8cv.emma-sleep-japan.com^ +||a8cv.encounter2017.jp^ +||a8cv.english-bootcamp.com^ +||a8cv.english-cc.com^ +||a8cv.english-village.net^ +||a8cv.entre-salon.com^ +||a8cv.entry.renet.jp^ +||a8cv.est-online.com^ +||a8cv.euria.store^ +||a8cv.exrg-premium.shop^ +||a8cv.eys-musicschool.com^ +||a8cv.f.012grp.co.jp^ +||a8cv.factoringzero.jp^ +||a8cv.fafa-shop.com^ +||a8cv.favorric.com^ +||a8cv.fc-japan.biz^ +||a8cv.fc-osoujikakumei.jp^ +||a8cv.first-spoon.com^ +||a8cv.fitness-terrace.com^ +||a8cv.focusneo.net^ +||a8cv.folio-sec.com^ +||a8cv.folli.jp^ +||a8cv.follome.motaras.co.jp^ +||a8cv.foresight.jp^ +||a8cv.forza-gran.com^ +||a8cv.fots.jp^ +||a8cv.fp-life.design^ +||a8cv.frecious.jp^ +||a8cv.free-max.com^ +||a8cv.freeks-japan.com^ +||a8cv.freelance-start.com^ +||a8cv.fujiplus.jp^ +||a8cv.fukuoka-factoring.net^ +||a8cv.fundrop.jp^ +||a8cv.futurefinder.net^ +||a8cv.fxtrade.co.jp^ +||a8cv.gaiasign.co.jp^ +||a8cv.gaikokujin-support.com^ +||a8cv.gaikouexterior-partners.jp^ +||a8cv.gakuen.omobic.com^ +||a8cv.gb-chat.com^ +||a8cv.gbset.jp^ +||a8cv.genesis-nipt.com^ +||a8cv.gigabaito.com^ +||a8cv.gimuiko.com^ +||a8cv.global-dive.jp^ +||a8cv.global-link-seminar.com^ +||a8cv.glocalnet.jp^ +||a8cv.glow-clinic.com^ +||a8cv.goodlucknail.com^ +||a8cv.goods-station.jp^ +||a8cv.goqoo.me^ +||a8cv.grace-grace.info^ +||a8cv.grassbeaute.jp^ +||a8cv.greed-island.ne.jp^ +||a8cv.haka.craht.jp^ +||a8cv.hal-tanteisya.com^ +||a8cv.hanamaro.jp^ +||a8cv.handmade-ch.jp^ +||a8cv.happy-bears.com^ +||a8cv.harasawa.co.jp^ +||a8cv.hardwarewallet-japan.com^ +||a8cv.hariocorp.co.jp^ +||a8cv.hello-people.jp^ +||a8cv.heybit.io^ +||a8cv.hi-tailor.jp^ +||a8cv.hikari-mega.com^ +||a8cv.hoken-laundry.com^ +||a8cv.holo-bell.com^ +||a8cv.homepage296.com^ +||a8cv.honeys-onlineshop.com^ +||a8cv.hoppin-garage.com^ +||a8cv.hor.jp^ +||a8cv.hotyoga-loive.com^ +||a8cv.houjin-keitai.com^ +||a8cv.housingbazar.jp^ +||a8cv.humming-water.com^ +||a8cv.hyperknife.info^ +||a8cv.i-office1.net^ +||a8cv.ias.il24.net^ +||a8cv.icoi.style^ +||a8cv.ieagent.jp^ +||a8cv.iekoma.com^ +||a8cv.iikyujin.net^ +||a8cv.ikapula.com^ +||a8cv.info.atgp.jp^ +||a8cv.inkan-takumi.com^ +||a8cv.interlink.or.jp^ +||a8cv.investment.mogecheck.jp^ +||a8cv.ioo-sofa.net^ +||a8cv.irodas.com^ +||a8cv.ishibashi.co.jp^ +||a8cv.ishibestcareer.com^ +||a8cv.ishizawa-lab.co.jp^ +||a8cv.isslim.jp^ +||a8cv.isuzu-rinji.com^ +||a8cv.itscoco.shop^ +||a8cv.iwamizu.com^ +||a8cv.iy-net.jp^ +||a8cv.japaden.jp^ +||a8cv.jbl-link.com^ +||a8cv.jcom.co.jp^ +||a8cv.jeansmate.co.jp^ +||a8cv.jemmy.co.jp^ +||a8cv.join-tech.jp^ +||a8cv.jokyonext.jp^ +||a8cv.joy-karaokerental.com^ +||a8cv.jp-shop.kiwabi.com^ +||a8cv.jp.metrocityworld.com^ +||a8cv.jp.redodopower.com^ +||a8cv.k-ikiiki.jp^ +||a8cv.kabu-online.jp^ +||a8cv.kagoya.jp^ +||a8cv.kaimonocart.com^ +||a8cv.kaimonoform.com^ +||a8cv.kaiteki.gr.jp^ +||a8cv.kaitori-okoku.jp^ +||a8cv.kaitorisatei.info^ +||a8cv.kajier.jp^ +||a8cv.kamurogi.net^ +||a8cv.karitoke.jp^ +||a8cv.kidsmoneyschool.net^ +||a8cv.kikubari-bento.com^ +||a8cv.king-makura.com^ +||a8cv.kk-orange.jp^ +||a8cv.kkmatsusho.jp^ +||a8cv.kn-waterserver.com^ +||a8cv.kobe38.com^ +||a8cv.kosodatemoney.com^ +||a8cv.kuih.jp^ +||a8cv.kurashi-bears.com^ +||a8cv.kusmitea.jp^ +||a8cv.kuzefuku-arcade.jp^ +||a8cv.kxn.co.jp^ +||a8cv.kyotokimono-rental.com^ +||a8cv.l-meal.com^ +||a8cv.laclulu.com^ +||a8cv.lalavie.jp^ +||a8cv.lancers.jp^ +||a8cv.laviepre.co.jp^ +||a8cv.lc-jewel.jp^ +||a8cv.lear-caree.com^ +||a8cv.leasonable.com^ +||a8cv.lens-1.jp^ +||a8cv.leoandlea.com^ +||a8cv.lianest.co.jp^ +||a8cv.lp.nalevi.mynavi.jp^ +||a8cv.lp.x-house.co.jp^ +||a8cv.lyprinol.jp^ +||a8cv.machi-ene.jp^ +||a8cv.machicon.jp^ +||a8cv.macloud.jp^ +||a8cv.madoguchi.com^ +||a8cv.maenomery.jp^ +||a8cv.magniflexk.com^ +||a8cv.mamarket.co.jp^ +||a8cv.mansiontech.com^ +||a8cv.marumochiya.net^ +||a8cv.mashumaro-bra.com^ +||a8cv.mbb-inc.com^ +||a8cv.mcc-lazer-hr.com^ +||a8cv.meetsmore.com^ +||a8cv.memberpay.jp^ +||a8cv.members.race.sanspo.com^ +||a8cv.menina-joue.jp^ +||a8cv.mentors-lwc.com^ +||a8cv.mi-vision.co.jp^ +||a8cv.minana-jp.com^ +||a8cv.minnano-eikaiwa.com^ +||a8cv.mitaina.tokyo^ +||a8cv.mobabiji.jp^ +||a8cv.modern-deco.jp^ +||a8cv.modescape.com^ +||a8cv.mogecheck.jp^ +||a8cv.mokumokumarket.com^ +||a8cv.momiji-tantei.com^ +||a8cv.mova-creator-school.com^ +||a8cv.ms-toushiguide.jp^ +||a8cv.mura.ne.jp^ +||a8cv.my-arrow.co.jp^ +||a8cv.nagatani-shop.com^ +||a8cv.naire-seisakusho.jp^ +||a8cv.naradenryoku.co.jp^ +||a8cv.natulahonpo.com^ +||a8cv.naturaltech.jp^ +||a8cv.naturebreath-store.com^ +||a8cv.naturecan-fitness.jp^ +||a8cv.nd-clinic.net^ +||a8cv.netvisionacademy.com^ +||a8cv.next1-one.jp^ +||a8cv.nichirei.co.jp^ +||a8cv.nifty.com^ +||a8cv.nigaoe.graphics.vc^ +||a8cv.nijiun.com^ +||a8cv.nikugatodoke.com^ +||a8cv.nippon-olive.co.jp^ +||a8cv.nipt-clinic.jp^ +||a8cv.nittei-group-alliance.com^ +||a8cv.o-juku.com^ +||a8cv.o-ken.com^ +||a8cv.oceanprincess.jp^ +||a8cv.ococorozashi.com^ +||a8cv.off-site.jp^ +||a8cv.ogaland.com^ +||a8cv.oisix.com^ +||a8cv.omakase-cyber-mimamori.net^ +||a8cv.omni7.jp^ +||a8cv.omobic.com^ +||a8cv.one-netbook.jp^ +||a8cv.online-mega.com^ +||a8cv.online.aivil.jp^ +||a8cv.online.bell-road.com^ +||a8cv.online.d-school.co^ +||a8cv.online.thekiss.co.jp^ +||a8cv.onlinestore.xmobile.ne.jp^ +||a8cv.onlinezemi.com^ +||a8cv.open-cage.com^ +||a8cv.orbis.co.jp^ +||a8cv.orochoku.shop^ +||a8cv.otakudathough.com^ +||a8cv.otoriyose.site^ +||a8cv.p-antiaging.com^ +||a8cv.paidy.com^ +||a8cv.palms-gym.com^ +||a8cv.perrot.co^ +||a8cv.pf.classicmusic.tokyo^ +||a8cv.phonim.com^ +||a8cv.photojoy.jp^ +||a8cv.physiqueframe.com^ +||a8cv.picksitter.com^ +||a8cv.pigeon-fw.com^ +||a8cv.pilates-k.jp^ +||a8cv.pocket-sommelier.com^ +||a8cv.postcoffee.co^ +||a8cv.pre-sana.com^ +||a8cv.premium.aidemy.net^ +||a8cv.presence.jp^ +||a8cv.print-gakufu.com^ +||a8cv.pro.omobic.com^ +||a8cv.quattrocart.com^ +||a8cv.quick-management.jp^ +||a8cv.r-maid.com^ +||a8cv.radi-cool.shop^ +||a8cv.rakumizu.jp^ +||a8cv.rawfood-lohas.com^ +||a8cv.rehome-navi.com^ +||a8cv.renoveru.jp^ +||a8cv.repairman.jp^ +||a8cv.repitte.jp^ +||a8cv.reservation.matching-photo.com^ +||a8cv.reserve.victoria.tokyo.jp^ +||a8cv.risu-japan.com^ +||a8cv.rita-style.co.jp^ +||a8cv.rmkrmk.com^ +||a8cv.rohto.co.jp^ +||a8cv.runteq.jp^ +||a8cv.ryomon.jp^ +||a8cv.s-darts.com^ +||a8cv.sabusuta.jp^ +||a8cv.safetycart.jp^ +||a8cv.saitoma.com^ +||a8cv.sakura-forest.com^ +||a8cv.sanix.jp^ +||a8cv.sankyo-fs.jp^ +||a8cv.saraschool.net^ +||a8cv.scheeme.com^ +||a8cv.se-navi.jp^ +||a8cv.second-hand.jp^ +||a8cv.secure.sakura.ad.jp^ +||a8cv.seikatsu-kojo.jp^ +||a8cv.select-type.com^ +||a8cv.selkalabo.com^ +||a8cv.sell.miraias.co.jp^ +||a8cv.setagayarecords.co^ +||a8cv.shadoten.com^ +||a8cv.sharing-tech.co.jp^ +||a8cv.sharing-tech.jp^ +||a8cv.shibarinashi-wifi.jp^ +||a8cv.shibuya-scramble-figure.com^ +||a8cv.shimomoto-cl.co.jp^ +||a8cv.shokubun.ec-design.co.jp^ +||a8cv.shokunosoyokaze.com^ +||a8cv.shop.matsuo1956.jp^ +||a8cv.shop.mintme.jp^ +||a8cv.shop.pixela.jp^ +||a8cv.shop.solve-grp.com^ +||a8cv.sibody.co.jp^ +||a8cv.signalift.com^ +||a8cv.sirusi.jp^ +||a8cv.sl-creations.store^ +||a8cv.slp.partners-re.co.jp^ +||a8cv.smart-shikaku.com^ +||a8cv.smoola.jp^ +||a8cv.snkrdunk.com^ +||a8cv.softbankhikari-collabo.net^ +||a8cv.somresta.jp^ +||a8cv.soundfun.co.jp^ +||a8cv.soyafarm.com^ +||a8cv.spalab-chintai.uk-corp.co.jp^ +||a8cv.spot-pj.com^ +||a8cv.staff-manzoku.co.jp^ +||a8cv.staffagent.co.jp^ +||a8cv.starpeg-music.com^ +||a8cv.store.alpen-group.jp^ +||a8cv.store.ion-e-air.jp^ +||a8cv.store.saneibd.com^ +||a8cv.store.tavenal.com^ +||a8cv.store.tiger-corporation.com^ +||a8cv.store.wiredbeans.jp^ +||a8cv.store.yslabo.net^ +||a8cv.story365.co.jp^ +||a8cv.str.classicmusic.tokyo^ +||a8cv.studycompass.io^ +||a8cv.studycompass.net^ +||a8cv.studygear.evidus.com^ +||a8cv.success-idea.com^ +||a8cv.sumai-surfin.com^ +||a8cv.sunmillion-ikiiki.jp^ +||a8cv.suzaku.or.jp^ +||a8cv.suzette-shop.jp^ +||a8cv.t-bang.jp^ +||a8cv.t-gaia.co.jp^ +||a8cv.taclinic.jp^ +||a8cv.taisyokudaiko.jp^ +||a8cv.tamago-repeat.com^ +||a8cv.taxi-qjin.com^ +||a8cv.techkidsschool.jp^ +||a8cv.tenishokunext.jp^ +||a8cv.tenkuryo.jp^ +||a8cv.tenshinocart.com^ +||a8cv.tmix.jp^ +||a8cv.tokei-syuri.jp^ +||a8cv.toko-navi.com^ +||a8cv.tokutoku-battery.com^ +||a8cv.tokyo-dive.com^ +||a8cv.tokyo-indoorgolf.com^ +||a8cv.tokyogas.bocco.me^ +||a8cv.tomodachi-my.com^ +||a8cv.tomorrow-bright.jp^ +||a8cv.tonyuclub.com^ +||a8cv.toushi-up.com^ +||a8cv.toybox-mnr.com^ +||a8cv.toysub.net^ +||a8cv.treasure-f.com^ +||a8cv.ulp-kyoto.jp^ +||a8cv.unias.jp^ +||a8cv.unico-fan.co.jp^ +||a8cv.untenmenkyo-yi.com^ +||a8cv.urocca.jp^ +||a8cv.usedfun.jp^ +||a8cv.veggie-toreru.jp^ +||a8cv.vieon.co.jp^ +||a8cv.w2solution.co.jp^ +||a8cv.wakan.shop^ +||a8cv.wake.fun^ +||a8cv.waterenergy.co.jp^ +||a8cv.waterserver.co.jp^ +||a8cv.web-planners.net^ +||a8cv.wedding.mynavi.jp^ +||a8cv.wellcrew.net^ +||a8cv.whynot.jp^ +||a8cv.will-agaclinic.com^ +||a8cv.will-gocon.net^ +||a8cv.willfu.jp^ +||a8cv.winkle.online^ +||a8cv.womanmoney.net^ +||a8cv.wordman.jp^ +||a8cv.worker.sukimaworks.app^ +||a8cv.workman.jp^ +||a8cv.worx.jp^ +||a8cv.www.bedstyle.jp^ +||a8cv.www.bigability.co.jp^ +||a8cv.www.bitlock.jp^ +||a8cv.www.chara-ani.com^ +||a8cv.www.club-sincerite.co.jp^ +||a8cv.www.covearth.co.jp^ +||a8cv.www.iropuri.com^ +||a8cv.www.mogecheck.jp^ +||a8cv.www.monologue.watch^ +||a8cv.www.pascaljp.com^ +||a8cv.www.sofastyle.jp^ +||a8cv.www2.sundai.ac.jp^ +||a8cv.xn--1lqs71d2law9k8zbv08f.tokyo^ +||a8cv.xn--eckl3qmbc6976d2udy3ah35b.com^ +||a8cv.xn--hckxam3skb2412b1hxe.com^ +||a8cv.xn--hdks151yx96c.com^ +||a8cv.y-osohshiki.com^ +||a8cv.ya-man.com^ +||a8cv.yakuzaishi.yakumatch.com^ +||a8cv.yakuzaishibestcareer.com^ +||a8cv.yamasa-suppon.com^ +||a8cv.yamato-gp.net^ +||a8cv.yamatokouso.com^ +||a8cv.ygm-clinic.or.jp^ +||a8cv.yobybo-japan.com^ +||a8cv.yohodo.net^ +||a8cv.yokoyamakaban.com^ +||a8cv.yoriso.com^ +||a8cv.you-shoku.net^ +||a8cv.yui.gift^ +||a8cv.yuyu-tei.jp^ +||a8cv.zacc.jp^ +||a8cv.zeroen-denki.com^ +||a8cv.zerorenovation.com^ +||a8cv.zoner.com^ +||a8cv2.vapelog.jp^ +||a8cventry.uqwimax.jp^ +||a8cvhoiku.kidsmate.jp^ +||a8cvtrack.sincere-garden.jp^ +||a8cvtrack.tokai.jp^ +||a8dev.hikarinet-s.com^ +||a8dns.webcircle.co.jp^ +||a8hokuro.ike-sunshine.co.jp^ +||a8itp.bitoka-japan.com^ +||a8itp.skinx-japan.com^ +||a8kotsujiko.ike-sunshine.co.jp^ +||a8live-vote.eventos.work^ +||a8lp-tebiki.e-sogi.com^ +||a8lpclk.club-marriage.jp^ +||a8n.radishbo-ya.co.jp^ +||a8net.augustberg.jp^ +||a8net.beyond-gym.com^ +||a8net.gset.co.jp^ +||a8net.hassyadai.com^ +||a8net.kitamura-print.com^ +||a8net.pg-learning.net^ +||a8net.sourcenext.com^ +||a8netcv.crebiq.com^ +||a8nikibi.ike-sunshine.co.jp^ +||a8onlineshop.trendmicro.co.jp^ +||a8redirect.cart.ec-sites.jp^ +||a8shop.nihon-trim.co.jp^ +||a8sup.chapup.jp^ +||a8tag.emprorm.com^ +||a8tag.suplinx.com^ +||a8tatoo.ike-sunshine.co.jp^ +||a8track.aidmybank.com^ +||a8track.bizdigi.jp^ +||a8track.speakbuddy-personalcoaching.com^ +||a8track.www.pontely.com^ +||a8trck.aisatsujo.com^ +||a8trck.aisatsujo.jp^ +||a8trck.helloactivity.com^ +||a8trck.j-sen.jp^ +||a8trck.sibody.co.jp^ +||a8trck.tolot.com^ +||a8trck.worldone.to^ +||a8trck.ws.formzu.net^ +||a8trk.www.std-lab.jp^ +||a8wakiga.ike-sunshine.co.jp^ +||a8wristcut.ike-sunshine.co.jp^ +||a8x.piece-kaitori.jp^ +||ac.livelty.com^ +||acv.auhikari-norikae.com^ +||acv.aun-air-wifi.com^ +||acv.aun-company.com^ +||acv.aun-n-hikari.com^ +||acv.aun-softbank-hikari.com^ +||acv.biglobe-hikari.net^ +||acv.cmf-hikari.net^ +||acv.crea-lp.com^ +||acv.fletsntt.com^ +||acv.hikariocn.com^ +||acv.hikarisoftbank.com^ +||acv.internet-moushikomi.net^ +||acv.kyushu-internet.com^ +||acv.mc-doctor.net^ +||acv.mc-nurse.net^ +||acv.mc-pharma.net^ +||acv.me-hikari.net^ +||acv.next-air-wifi.com^ +||acv.next-internet.info^ +||acv.nft-hikari.net^ +||acv.pikarahikari.net^ +||acv.softbank-hikaricollabo.com^ +||acv.xn--dckf5a1e821s9i7b.com^ +||acv.xn--lck7b0fy49k9y1b.com^ +||ad-a8.www.zeiri4.com^ +||ad.belleeau.jp^ +||ad.e-dpe.jp^ +||ad.houkei-shinjuku.com^ +||ad.ichiban-boshi.com^ +||ad.ichiru.net^ +||ad.jibunde-esute.com^ +||ad.kirara-support.jp^ +||ad.magokoro-care-shoku.com^ +||ad.rejichoice.jp^ +||ad.shinjuku-mens-chuoh.com^ +||ada8-2.ampleur.jp^ +||ada8.ampleur.jp^ +||ads.dandelionchocolate.jp^ +||af.gmobile.biz^ +||af.shozankan-shop.com^ +||afcv.champ-shop.com^ +||afep.pivn.shop^ +||affa8.hikkoshi-master.com^ +||afficv.lettuce.co.jp^ +||affiliate.couleur-labo.com^ +||affiliate.dietician-family.jp^ +||affiliate.htb-energy.co.jp^ +||affiliate.k-uno.co.jp^ +||affiliate.kgcshop.jp^ +||affiliate.ouchi.coop^ +||affiliate.petitwedding.com^ +||affiliate.taihoshop.jp^ +||affiliate.tripact.jp^ +||afi.biyou.web-marketing.ai^ +||afi.iino.life^ +||afi.school.web-marketing.ai^ +||afi.sougou.web-marketing.ai^ +||afi.ssl.gmobb.jp^ +||ahachi.dietnavi.com^ +||ahachi.dreamdenki.jp^ +||ai.kaishabaikyaku.com^ +||analytics.villagehouse.jp^ +||approach.wise1-golf.com^ +||asp.glasspp119.jp^ +||asp.hachipp119.com^ +||asp.taishokunext.com^ +||aspa8.ozmall.co.jp^ +||car-a8.tabirai.net^ +||click.techtree.jp^ +||clk.entry.surala.jp^ +||clk.glam-print.com^ +||clk.ingage.jp^ +||clk.liberty-e.com^ +||clk.wagon-hire.com^ +||clkcv.biglobehikari-kaisen.com^ +||clkcv.livede55.com^ +||contact.kdg-yobi.com^ +||cosme.caseepo.jp^ +||cp.cp.twendee.jp^ +||cv-match.sharebase.jp^ +||cv.2jikaikun.com^ +||cv.a-cial.com^ +||cv.a-hikkoshi.com^ +||cv.ag.cybersecurity-jp.com^ +||cv.agent-sana.com^ +||cv.atelier-shark.com^ +||cv.b2b.subscription-store.com^ +||cv.bc-force.com^ +||cv.belta-shop.jp^ +||cv.betrading.jp^ +||cv.bikoshaen.com^ +||cv.bloomeelife.com^ +||cv.cante-gym.com^ +||cv.cart.naturath.jp^ +||cv.colleize.com^ +||cv.cp-c21.com^ +||cv.denkichoice.jp^ +||cv.drive-hikari.net^ +||cv.e-tukline.jp^ +||cv.fire-bird.jp^ +||cv.gas-choice.net^ +||cv.h-docomo.com^ +||cv.hanna-saku.jp^ +||cv.hikari.organic^ +||cv.hikkoshizamurai.jp^ +||cv.hoikushi-bosyu.com^ +||cv.homepage-seisaku.jp^ +||cv.ignis.coach^ +||cv.it-kyujin.jp^ +||cv.japan-curtain.jp^ +||cv.jidoumail.com^ +||cv.joggo.jp^ +||cv.just-size.net^ +||cv.kuvings.jp^ +||cv.liability.jp^ +||cv.masteraxis.com^ +||cv.meo.tryhatch.co.jp^ +||cv.michiuru.jp^ +||cv.moena-eatstyle.net^ +||cv.my-lancul.com^ +||cv.nell.life^ +||cv.oiz-care.jp^ +||cv.online.ysroad.co.jp^ +||cv.optimo-slb.com^ +||cv.quocard.jp^ +||cv.rakuten-hikari.net^ +||cv.re-shop.jp^ +||cv.ryoutuki-kyujin.com^ +||cv.shiryoku1.com^ +||cv.stella-s.com^ +||cv.subscription-store.com^ +||cv.sumaho-hoken.jp^ +||cv.taskar.online^ +||cv.tenjin.cc^ +||cv.theatreacademy.info^ +||cv.tokyowork.jp^ +||cv.ui-chiho.clinic^ +||cv.virtualoffice-resonance.jp^ +||cv.web-sana.com^ +||cv.willbefit.jp^ +||cv.wp-avenue.com^ +||cv.www.jobcareer.jp^ +||cv.www.risetokyo.jp^ +||cv.www.rokuzan.net^ +||cv.xn--bcktcvdzde3c.biz^ +||cv.xn--zbs202g.com^ +||cv.zephylrin-x.net^ +||cv1.start-eo.jp^ +||cv1.stefany.co.jp^ +||dwuzxuvwlq.winticket.jp^ +||electricity2.tokyu-ps.jp^ +||ems-a8net-tracking.easy-myshop.jp^ +||herpes2.pa-ruit.jp^ +||investment.lianest.co.jp^ +||itp.yaku-job.com^ +||ja-jp-a8.etudehouse.com^ +||kaden.netoff.co.jp^ +||kikoe.aisei.co.jp^ +||kobetu.grand1corp.com^ +||listing-a8-itp.hello-storage.com^ +||lp.kumamoto4510.com^ +||mvc.shopjapan.co.jp^ +||nccaf.ncc-mens.com^ +||ntt-fletscv.ntt-flets.com^ +||onenet.gakujutsu.com^ +||p004.raffi-hair.com^ +||p005.raffi-hair.com^ +||pages2.rizap.jp^ +||pr.yokohama-chokin.com^ +||rsv.dankore.jp^ +||rsv.pairorder.jp^ +||salto.freeto.jp^ +||sekaopi.nocre.jp^ +||sfcv.chinavi-shop.jp^ +||shop.anu-cosme.com^ +||shopping.cellpure.co.jp^ +||smn.dankore.jp^ +||sokutei.car2828.jp^ +||st-a8.tscubic.com^ +||storea8tracking.alc.co.jp^ +||sub.booksdream-mypage.com^ +||sub.ecd.bookoffonline.co.jp^ +||sub.turningpoint.work^ +||summary.bookoffonline.co.jp^ +||sync-a8.cocolocala.jp^ +||tag.minimaid.co.jp^ +||test.shigoto-web.com^ +||test.zeus-wifi.jp^ +||testa8wifi.dokoyorimo.com^ +||thanks.hubspaces.jp^ +||thanks.olivesitter.com^ +||thanks.tsubaki-musicschool.com^ +||track-v4.ipadpresence.com^ +||track.craudia.com^ +||track.kiafudousan.com^ +||track.xmarketech.com^ +||tracking.196189.com^ +||tracking.lead-plus.jp^ +||traka8.crypto-mall.org^ +||trck-a8.j-depo.com^ +||trck.aeon.co.jp^ +||trck.atnenga.com^ +||trck.flexnet.co.jp^ +||trck.frutafrutashop.com^ +||trck.kenkiya.com^ +||trck.naco-do.com^ +||trck.nuwlnuwl.com^ +||trck.propo.co.jp^ +||trck.repesta.com^ +||trck.rework-s.com^ +||trck.stefany.co.jp^ +||trck02.magaseek.com^ +||trcka8.orobianco-jp.com^ +||trcka8net.bestlens.jp^ +||trcka8net.glens.jp^ +||trcka8net.irobot-jp.com^ +||trcka8net.lenszero.com^ +||trcka8net.qieto.net^ +||web.collaboration-access.com^ +||web.hikari-ocn.com^ +||web.hikari-softbank.com^ +||web.life-cw.com^ +||webtest.lpio.jp^ +||yoiku-sub.yoiku.support^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_plausible.txt *** +! easyprivacy_specific_cname_plausible.txt +! plausible.io cname (https://plausible.io/docs/custom-domain) +! Removed: +! ||stats.trimbles.ie^ +! ||stats.suenicholls.com^ +! +! Company name: Plausible Analytics https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/plausible-analytics.txt +! +! custom.plausible.io disguised trackers +! +! Company name: Plausible Analytics +||a-api.skz.dev^ +||a.aawp.de^ +||a.iiro.dev^ +||a.linkz.ai^ +||also.greatsecuritydebate.net^ +||an.xavierrosee.com^ +||analytics.adam.page^ +||analytics.andrewsmith.com.au^ +||analytics.arunraghavan.net^ +||analytics.basistheory.com^ +||analytics.betterplaces.nl^ +||analytics.certifriedit.com^ +||analytics.chattarize.de^ +||analytics.churchthemes.com^ +||analytics.codeforscience.org^ +||analytics.codeskulptor.org^ +||analytics.eikko.ai^ +||analytics.ericafischerphotography.com^ +||analytics.gamedatacrunch.com^ +||analytics.geekyminds.net^ +||analytics.hambleden-capital.com^ +||analytics.hiome.com^ +||analytics.kerns.co^ +||analytics.lifestyledemocracy.com^ +||analytics.littlekingdesigns.com^ +||analytics.lunge.de^ +||analytics.mambaui.com^ +||analytics.mc500.info^ +||analytics.multithread.studio^ +||analytics.mycater.fr^ +||analytics.naturequant.com^ +||analytics.qualityquestions.co^ +||analytics.ramiyer.io^ +||analytics.ramiyer.me^ +||analytics.recamov.com^ +||analytics.sideprojectsoftware.com^ +||analytics.sixfigureswine.com^ +||analytics.teamcovenant.com^ +||analytics.top10-charts.com^ +||analytics.trust.page^ +||analytics.uxmetrics.com^ +||analytics.valheimgamer.com^ +||analytics.vanilla-project.guide^ +||analytics.wayland.app^ +||analytics.whostheboss.co.uk^ +||analytics.whotargets.me^ +||analytics.winter.ink^ +||analytics.xiloc.net^ +||analytics.zevvle.com^ +||antitracking.owncast.online^ +||api.digitalpiloten.org^ +||api.elliehuxtable.com^ +||api.fuck.education^ +||api.ryanyao.design^ +||apis.4bn.xyz^ +||app-stats.supernotes.app^ +||artistchristinacarmel.ericksonbuilt.com^ +||assets.garron.blog^ +||assets.garron.me^ +||assets.mikeroulston.com^ +||assets.modeathletics.com^ +||assets.modehypertext.com^ +||aux.lansator.ro^ +||badwolf.open-election-compass.com^ +||besucher.nona.de^ +||bob.gitclear.com^ +||btstats.benakt.com^ +||cats.d20.rs^ +||cdn.arcstudiopro.com^ +||channelwatcher.panda.tech^ +||cheese.guac.live^ +||churro.noteapps.info^ +||count.gothaer-digital.de^ +||counter.cropvid.com^ +||counter.proxycrawl.com^ +||counter.subtitlebee.com^ +||counter.websitevoice.com^ +||cp.phiilu.com^ +||datum.appfleet.com^ +||ds.webprojectslab.com^ +||eliteclng.ericksonbuilt.com^ +||events.mikescerealshack.co^ +||explore.bytelab.uk^ +||external.techopian.com^ +||extramilefloorcare.ericksonbuilt.com^ +||f8phvntohv.tpetry.me^ +||galop.leferacheval-saintcloud.com^ +||hej.henriksommerfeld.se^ +||hi.koalendar.com^ +||hi.streetworkoutlist.com^ +||hola.xebel.co^ +||hstats.askmiso.com^ +||hurricane.tinybird.co^ +||info.bestbudgetapps.com^ +||informatics.filamentcolors.xyz^ +||insights.affilimate.com^ +||jinx.skullctf.com^ +||joy.ochronus.online^ +||kaladyaudiology.ericksonbuilt.com^ +||kingsandqueens.splowser.com^ +||l.lilyzhou.com^ +||l2k30jsa.theochu.com^ +||lkj23jlkajsa.realestate.help^ +||log.rhythmtowers.com^ +||loggychops.paulsmith.site^ +||logs.theccaa.com^ +||lytics.findairpods.com^ +||marsupial.roleup.com^ +||meter.bref.sh^ +||metric.methoddev.com^ +||metrics.creit.tech^ +||metrics.earrieta.dev^ +||metrics.recunia.de^ +||momotaro.craigmod.com^ +||momotaro.walkkumano.com^ +||munnin.hicsuntdra.co^ +||noushe.zevvle.com^ +||numbers.monthlyphotos.com^ +||nums.upscale.app^ +||p.classroombookings.com^ +||p.ejs.dev^ +||p.fairspot.host^ +||p.ianmjones.com^ +||p.iforge.app^ +||p.logbox.io^ +||p.marqueplace.com^ +||p.meilentrio.de^ +||p.ryanhalliday.com^ +||p.versacommerce.de^ +||p.victoria.dev^ +||p.viennaandbailey.co.nz^ +||p.wren.co^ +||p.www.viertaxa.com^ +||pa-stats.encore.dev^ +||pa.opqr.co^ +||pa.travelwhiz.app^ +||peards.zevvle.com^ +||pine.clk.click^ +||pine.nervecentral.com^ +||ping.naturadapt.com^ +||ping.resoluteoil.com^ +||pl.1feed.app^ +||pl.astro-akatemia.fi^ +||pl.astro.fi^ +||pl.carbon-tab.ethan.link^ +||pl.codetheweb.blog^ +||pl.ethan.link^ +||pl.fashmoms.com^ +||pl.getfamealy.com^ +||pl.hackathon-makers.com^ +||pl.hitthefrontpage.com^ +||pl.kanbanmail.app^ +||pl.kis-nagy.art^ +||pl.maya-astro.fi^ +||pl.mynorthstarapp.com^ +||pl.terraintinker.com^ +||pl.venusafe.com^ +||pl.volunteeringhb.org.nz^ +||pl.weinshops.online^ +||pla.wigglepixel.nl^ +||plan.devbyexample.com^ +||plans.fundtherebuild.com^ +||plas.imfeld.dev^ +||plau.artemsyzonenko.com^ +||plau.caisy.io^ +||plau.devitjobs.nl^ +||plau.devitjobs.uk^ +||plau.devitjobs.us^ +||plau.devjob.ro^ +||plau.germantechjobs.de^ +||plau.swissdevjobs.ch^ +||plauplauplau.app.budg.co^ +||plauplauplau.budg.co^ +||plaus.outpost.pub^ +||plaus.pentserv.com^ +||plausdj2ajskljzx0ikwkiasible.ethics.info^ +||plausibel.ablis.net^ +||plausible-stats.tangodelta.media^ +||plausible.adreform.com^ +||plausible.alexandar.me^ +||plausible.alpaga.io^ +||plausible.app.kdojang.com^ +||plausible.app.tlschedule.com^ +||plausible.bablab.com^ +||plausible.bacanalia.net^ +||plausible.baychi.org^ +||plausible.beanti.me^ +||plausible.benscarblog.com^ +||plausible.bostad.shop^ +||plausible.buildfirst.tech^ +||plausible.campwire.com^ +||plausible.canpoi.com^ +||plausible.conveyal.com^ +||plausible.corbettbarr.com^ +||plausible.countingindia.com^ +||plausible.dailytics.com^ +||plausible.deploymentfromscratch.com^ +||plausible.dev.logicboard.com^ +||plausible.dingran.me^ +||plausible.doctave.com^ +||plausible.ejs.dev^ +||plausible.eurostocks.nl^ +||plausible.exploreandcreate.com^ +||plausible.external.sine.foundation^ +||plausible.f1laps.com^ +||plausible.factly.in^ +||plausible.flowcv.io^ +||plausible.getlean.digital^ +||plausible.giveatip.io^ +||plausible.goldanger.de^ +||plausible.golfbreaks.com^ +||plausible.gryka.net^ +||plausible.gymglish.com^ +||plausible.haltakov.net^ +||plausible.help.exploreandcreate.com^ +||plausible.holderbaum-academy.de^ +||plausible.hopecanebay.com^ +||plausible.ionicelements.dev^ +||plausible.jeroenvandenboorn.nl^ +||plausible.joinself.com^ +||plausible.k6sbw.net^ +||plausible.kabaret.no^ +||plausible.kdojang.com^ +||plausible.kundenportal.io^ +||plausible.lesbianromantic.com^ +||plausible.logicboard.com^ +||plausible.mattpruitt.com^ +||plausible.mcj.co^ +||plausible.myvirtualsuper.com^ +||plausible.nickmazuk.com^ +||plausible.nmyvsn.net^ +||plausible.nuqu.org^ +||plausible.promlens.com^ +||plausible.prufit.co^ +||plausible.pumpkint.com^ +||plausible.quantumcomputingexplained.com^ +||plausible.quo.wtf^ +||plausible.rachel.systems^ +||plausible.reabra.com.br^ +||plausible.redchamp.net^ +||plausible.regex.help^ +||plausible.retune.de^ +||plausible.sbw.org^ +||plausible.shadygrovepca.org^ +||plausible.simplelogin.io^ +||plausible.srijn.net^ +||plausible.starlegacyfoundation.org^ +||plausible.strzibny.name^ +||plausible.sysloun.cz^ +||plausible.tac.dappstar.io^ +||plausible.tasteslikeme.ca^ +||plausible.tlschedule.com^ +||plausible.treelightsoftware.com^ +||plausible.urbanekuensteruhr.de^ +||plausible.veszelovszki.com^ +||plausible.visitu.com^ +||plausible.viteshot.com^ +||plausible.west.io^ +||plausible.x.baychi.org^ +||plausible.yalepaprika.com^ +||plausible.zest.dev^ +||plausible.zorin.com^ +||pls.ambue.com^ +||pls.fcrpg.net^ +||pls.skycastle.dev^ +||plsbl-staging.edison.se^ +||plsbl.edison.se^ +||prism.drivingkyoto.com^ +||prism.feurer-network.ch^ +||prism.netherlandlines.com^ +||prism.pablonouvelle.com^ +||prism.raumgleiter.com^ +||prism.singapouring.com^ +||prism.tramclockmunich.com^ +||pstat.akathists.com^ +||pstat.goodremotejobs.com^ +||pstats.cloudpal.app^ +||reddwarf.till-sanders.de^ +||reporting.autographapp.me^ +||retention.ankidecks.com^ +||s.allbootdisks.com^ +||s.cameratico.com^ +||s.crackedthecode.co^ +||s.cuoresportivo.no^ +||s.cybercompass.io^ +||s.ergotherapieblog.de^ +||s.fission.codes^ +||s.fraservotes.com^ +||s.freelanceratecalculator.com^ +||s.glimesh.tv^ +||s.innoq.com^ +||s.inspectelement.co^ +||s.leolabs.org^ +||s.mannes.tech^ +||s.maxrozen.com^ +||s.nerdfulmind.com^ +||s.repguard.uk^ +||s.saucisson-rebellion.fr^ +||s.sporks.space^ +||s.stgeorgeafc.com.au^ +||s.testingreactjs.com^ +||s.useeffectbyexample.com^ +||s.vucko.co^ +||sa.flux.community^ +||sats.mailbrew.com^ +||see.wasteorshare.com^ +||server.japanbyrivercruise.com^ +||server.olliehorn.com^ +||site-stats.supernotes.app^ +||sp.ballsdigroup.com^ +||sp.gameomatic.fr^ +||sp.jrklein.com^ +||sp.soniccares.com^ +||sp.spaceomatic.fr^ +||sp.wvoil.com^ +||st.anastasija.lt^ +||st.picshuffle.com^ +||st.preciousamber.com^ +||st.tulastudio.se^ +||starman.floorcleanse.co.uk^ +||stat.bill.harding.blog^ +||stat.landingpro.pl^ +||stat.recklesslove.co.za^ +||stat.umsu.de^ +||static.osalta.eu^ +||statistic.jac-systeme.de^ +||statistics.heatbeat.de^ +||statistik.apartments-tirolerhaus.at^ +||statman.sesong.info^ +||stats.69grad.de^ +||stats.acadevor.com^ +||stats.achtsame-yonimassage.de^ +||stats.activityvault.io^ +||stats.adlperformance.es^ +||stats.aixbrain.de^ +||stats.albert-kropp-gmbh.de^ +||stats.alibhai.co^ +||stats.alleaktien.de^ +||stats.alocreativa.com^ +||stats.am.ai^ +||stats.amaeya.media^ +||stats.amiibo.life^ +||stats.andrewlevinson.me^ +||stats.appcessible.org^ +||stats.arquido.com^ +||stats.artisansfiables.fr^ +||stats.artistchristinacarmel.com^ +||stats.asmodee.net^ +||stats.astrr.ru^ +||stats.asymptotic.io^ +||stats.auto-dombrowski.de^ +||stats.autofarm.network^ +||stats.bananatimer.com^ +||stats.bcdtravel.com^ +||stats.beanr.coffee^ +||stats.beatricew.com^ +||stats.beausimensen.com^ +||stats.belic.si^ +||stats.benui.ca^ +||stats.bernardobordadagua.com^ +||stats.bertwagner.com^ +||stats.bestservers.co^ +||stats.bholmes.dev^ +||stats.bikeschool.co.za^ +||stats.bimbase.nl^ +||stats.bitpost.app^ +||stats.blackbird-automotive.com^ +||stats.blackblog.cz^ +||stats.blockleviton.com^ +||stats.blog.catholicluv.com^ +||stats.blog.codingmilitia.com^ +||stats.blog.merckx.fr^ +||stats.blog.sean-wright.com^ +||stats.blog.sublimesecurity.com^ +||stats.bloke.blog^ +||stats.bmxdevils.be^ +||stats.book-rec.com^ +||stats.booncon.com^ +||stats.boscabeatha.ie^ +||stats.bostonedtech.org^ +||stats.breathly.app^ +||stats.brennholzauktion.com^ +||stats.briskoda.net^ +||stats.broddin.be^ +||stats.brumtechtapas.co.uk^ +||stats.buddiy.net^ +||stats.bungeefit.co.uk^ +||stats.burocratin.com^ +||stats.byma.com.br^ +||stats.byterocket.dev^ +||stats.cable.tech^ +||stats.callum.fyi^ +||stats.carrot2.org^ +||stats.carrotsearch.com^ +||stats.caseydunham.com^ +||stats.cassidyjames.com^ +||stats.catholicluv.com^ +||stats.centralswindonnorth-pc.gov.uk^ +||stats.cfcasts.com^ +||stats.chadly.net^ +||stats.changelog.com^ +||stats.chomp.haus^ +||stats.chronoslabs.net^ +||stats.cinqsecondes.fr^ +||stats.citizenos.com^ +||stats.clavisaurea.xyz^ +||stats.cleverdiabetic.com^ +||stats.cloud-backup-for-podio.com^ +||stats.coachinghive.com^ +||stats.code-it-studio.de^ +||stats.codinginfinity.me^ +||stats.codis.io^ +||stats.coditia.com^ +||stats.cohere.so^ +||stats.coldbox.org^ +||stats.connect.pm^ +||stats.convaise.com^ +||stats.corona-navi.de^ +||stats.covid.vitordino.com^ +||stats.craftybase.com^ +||stats.creativinn.com^ +||stats.crema.fi^ +||stats.cremashop.eu^ +||stats.cremashop.se^ +||stats.crewebo.de^ +||stats.crypdit.com^ +||stats.cryptmail.io^ +||stats.curbnumberpro.com^ +||stats.curtiscummings.me^ +||stats.dailyposter.com^ +||stats.danestevens.dev^ +||stats.danielwolf.photography^ +||stats.danner-landschaftsbau.at^ +||stats.dashbit.co^ +||stats.davidlms.com^ +||stats.davydepauw.be^ +||stats.dawn.md^ +||stats.declanbyrd.co.uk^ +||stats.deja-lu.de^ +||stats.depends-on-the-definition.com^ +||stats.develop.wwdcscholars.com^ +||stats.devenet.eu^ +||stats.devenet.info^ +||stats.devetkomentara.net^ +||stats.devrain.io^ +||stats.devskills.co^ +||stats.dexie.me^ +||stats.dflydev.com^ +||stats.diarmuidsexton.com^ +||stats.digiexpert.store^ +||stats.dillen.dev^ +||stats.divyanshu013.dev^ +||stats.dmail.co.nz^ +||stats.dmarcdigests.com^ +||stats.doana-r.com^ +||stats.doors.live^ +||stats.dotnetos.org^ +||stats.dotplan.io^ +||stats.doublejones.com^ +||stats.dreher-dreher.eu^ +||stats.drsaavedra.mx^ +||stats.dt-esthetique.ch^ +||stats.duetcode.io^ +||stats.earlygame.com^ +||stats.editorhawes.com^ +||stats.eedistudio.ie^ +||stats.eightyfourrooms.com^ +||stats.einsvieracht.de^ +||stats.ekomenyong.com^ +||stats.elementary.io^ +||stats.eliteclng.com^ +||stats.elixir-lang.org^ +||stats.elysenewland.com^ +||stats.emailrep.io^ +||stats.emk.at^ +||stats.emmah.net^ +||stats.emmas.site^ +||stats.engel-apotheke.de^ +||stats.engeldirekt.de^ +||stats.equium.io^ +||stats.erikinthekitchen.com^ +||stats.erlef.org^ +||stats.evenchilada.com^ +||stats.executebig.org^ +||stats.extramilefloorcare.com^ +||stats.eyehelp.co^ +||stats.fabiofranchino.com^ +||stats.faluninfo.at^ +||stats.faluninfo.ba^ +||stats.faluninfo.mk^ +||stats.faluninfo.rs^ +||stats.faluninfo.si^ +||stats.fastbackward.app^ +||stats.felipesere.com^ +||stats.femtobill.com^ +||stats.ferienwohnung-dombrowski.com^ +||stats.finalrabiesgeneration.org^ +||stats.findvax.us^ +||stats.flightsphere.com^ +||stats.florianfritz.net^ +||stats.flowphantom.com^ +||stats.frantic.im^ +||stats.frenlo.com^ +||stats.fs4c.org^ +||stats.fundimmo.com^ +||stats.fungus.computer^ +||stats.galeb.org^ +||stats.galleriacortona.com^ +||stats.geobox.app^ +||stats.gesund-vital-lebensfreude.com^ +||stats.getdoks.org^ +||stats.gethyas.com^ +||stats.getpickaxe.com^ +||stats.ghinda.com^ +||stats.glassmountains.co.uk^ +||stats.glyphs.fyi^ +||stats.gnalt.de^ +||stats.goldsguide.com^ +||stats.gounified.com^ +||stats.graphql-api.com^ +||stats.gras-system.org^ +||stats.gravitaswins.com^ +||stats.greatlakesdesign.co^ +||stats.groupconsent.eu^ +||stats.gslc.utah.edu^ +||stats.gtnetworks.com^ +||stats.guersanguillaume.com^ +||stats.guidingwallet.app^ +||stats.gynsprechstunde.de^ +||stats.hackershare.dev^ +||stats.halcyon.hr^ +||stats.hammertime.me^ +||stats.hauke.me^ +||stats.headhunted.com.au^ +||stats.henkverlinde.com^ +||stats.homepage-2021.askmiso-dev.com^ +||stats.homestow.com^ +||stats.hpz-scharnhausen.de^ +||stats.htmlcsstoimage.com^ +||stats.htp.org^ +||stats.hugoreeves.com^ +||stats.huysmanbouw.be^ +||stats.iamzero.dev^ +||stats.ibuildings.net^ +||stats.igassmann.me^ +||stats.igor4stir.com^ +||stats.in-tuition.net^ +||stats.incoming.co^ +||stats.increasinglyfunctional.com^ +||stats.indyhall.org^ +||stats.infoboard.de^ +||stats.innoq.com^ +||stats.instabudget.app^ +||stats.interactjs.io^ +||stats.interruptor.pt^ +||stats.intheloop.dev^ +||stats.intothebox.org^ +||stats.invoice.orballo.dev^ +||stats.ipadhire.co.nz^ +||stats.isabelsommerfeld.com^ +||stats.iscc-system.org^ +||stats.isthispoisonivy.website^ +||stats.ivs.rocks^ +||stats.jackwhiting.co.uk^ +||stats.jamesevers.co.uk^ +||stats.jamesilesantiques.com^ +||stats.jamhouse.app^ +||stats.jansix.at^ +||stats.jasonludden.dev^ +||stats.jdheyburn.co.uk^ +||stats.jerickson.net^ +||stats.jhsheridan.com^ +||stats.jjude.com^ +||stats.joaopedro.dev^ +||stats.jsbible.com^ +||stats.jtrees.io^ +||stats.jun-etan.com^ +||stats.justinwilliams.ca^ +||stats.kaladyaudiology.com^ +||stats.katharinascheitz.com^ +||stats.keirwhitaker.com^ +||stats.kendix.org^ +||stats.kensho.com^ +||stats.kettlebellbundle.com^ +||stats.kfcsint-lenaartsjeugd.be^ +||stats.klj-consult.com^ +||stats.knowkit.cloud^ +||stats.kod.ru^ +||stats.koehrer.de^ +||stats.koerner-logopaedie.de^ +||stats.kongressen.com^ +||stats.krauss.io^ +||stats.kryptoslogic.com^ +||stats.ks-labs.de^ +||stats.kyushoku2050.org^ +||stats.labibli.com^ +||stats.laptopsin.space^ +||stats.lastfm.matthiasloibl.com^ +||stats.latehours.net^ +||stats.lauracpa.ca^ +||stats.laxallstars.com^ +||stats.leaguestats.gg^ +||stats.leahcollection.com^ +||stats.learnlinux.tv^ +||stats.leavetrackapp.com^ +||stats.lefthoek.com^ +||stats.legendofnom.com^ +||stats.leoloso.com^ +||stats.lica.at^ +||stats.lik.fr^ +||stats.limitlessnetworks.eu^ +||stats.lippeshirts.de^ +||stats.literacysomerset.org^ +||stats.literaturkreis.online^ +||stats.lmdsp.com^ +||stats.localmetravel.com^ +||stats.lord.io^ +||stats.lstfnd.de^ +||stats.ltdhunt.com^ +||stats.luieremmer.net^ +||stats.lussoveloce.com^ +||stats.lyricall.cz^ +||stats.macosicons.com^ +||stats.madethis.gallery^ +||stats.maferland.com^ +||stats.magarantie5ans.fr^ +||stats.makerr.market^ +||stats.makingknown.xyz^ +||stats.maklerupdate.de^ +||stats.malte-bartels.de^ +||stats.martinbetz.eu^ +||stats.martyntaylor.com^ +||stats.mashword.com^ +||stats.mastermeup.com^ +||stats.masterybits.com^ +||stats.matthiasloibl.com^ +||stats.maximaconsulting.xyz^ +||stats.meetnfly.com^ +||stats.mein-futterlexikon.org^ +||stats.memberdrive.org^ +||stats.meno.science^ +||stats.mesenvies.fr^ +||stats.michaeloliver.dev^ +||stats.micv.works^ +||stats.missionrabies.com^ +||stats.moco-comics.com^ +||stats.mostlycoding.com.au^ +||stats.motion-effect.com^ +||stats.motorcyclepartsireland.ie^ +||stats.mrtnvh.com^ +||stats.multiplelenses.com^ +||stats.multiply.cloud^ +||stats.musicuniverse.education^ +||stats.myherocard.com^ +||stats.napaconnect.ca^ +||stats.navedislam.com^ +||stats.nddmed.com^ +||stats.nerdbusiness.com^ +||stats.newslit.co^ +||stats.nexagon.dk^ +||stats.nodewood.com^ +||stats.nonprofit.foundation^ +||stats.nothingbutnylon.com^ +||stats.nullsecure.com^ +||stats.nytecomics.com^ +||stats.obiit.co^ +||stats.obokat.se^ +||stats.odysseeseine.org^ +||stats.officefoosball.com^ +||stats.oldtinroof.com^ +||stats.oliveoil.pro^ +||stats.onepagelove.com^ +||stats.orbitalhealth.co^ +||stats.ordinarypuzzles.com^ +||stats.ortussolutions.com^ +||stats.osiemsiedem.com^ +||stats.otsohavanto.net^ +||stats.outpostdemo.com^ +||stats.ownpath.xyz^ +||stats.owre.se^ +||stats.p42.ai^ +||stats.parqet.com^ +||stats.parrot.dev^ +||stats.passwordyeti.com^ +||stats.pasteapp.io^ +||stats.pastorwagner.com^ +||stats.patout.dev^ +||stats.patriot.win^ +||stats.paulronge.se^ +||stats.paysagistes.pro^ +||stats.pebkac.io^ +||stats.pendleratlas.de^ +||stats.perpetual.pizza^ +||stats.petanode.com^ +||stats.petr.codes^ +||stats.phili.pe^ +||stats.philjava.com^ +||stats.photographer.com.au^ +||stats.pinoymusicstation.com^ +||stats.piplette.co^ +||stats.pitstone.co.uk^ +||stats.plainsending.com^ +||stats.planxti.com^ +||stats.poesieundgenuss.com^ +||stats.pointflottant.com^ +||stats.polekatfitness.com^ +||stats.poochplaces.dog^ +||stats.portalmonitor.io^ +||stats.postcollectors.com^ +||stats.poweringpastcoal.org^ +||stats.preeventualist.org^ +||stats.pri.org^ +||stats.pricewell.io^ +||stats.principedepaz.gt^ +||stats.print.work^ +||stats.processserver101.com^ +||stats.procumeni.cz^ +||stats.prodtype.com^ +||stats.profilehunt.net^ +||stats.profitablesignpricing.com^ +||stats.projectcongress.com^ +||stats.psychotherapieravensburg.de^ +||stats.pubfind.io^ +||stats.qovery.com^ +||stats.quicksilvercre.com^ +||stats.radicaldata.org^ +||stats.radicalweb.design^ +||stats.rasulkireev.com^ +||stats.reactician.com^ +||stats.readng.co^ +||stats.redlabelsports.com^ +||stats.redpandabooks.com^ +||stats.referralhero.com^ +||stats.rehaag-immobilien.de^ +||stats.reisemobil.pro^ +||stats.remotebear.io^ +||stats.reprage.com^ +||stats.respkt.de^ +||stats.reto.tv^ +||stats.revitfamily.app^ +||stats.rideinpeace.ie^ +||stats.rightourhistoryhawaii.com^ +||stats.robotika.ax^ +||stats.rocketvalidator.com^ +||stats.roderickduenas.com^ +||stats.ruhrfestspiele.de^ +||stats.rymawby.com^ +||stats.s-zt.at^ +||stats.sakurasky.com^ +||stats.sapnininkas.com^ +||stats.sascha-theobald.de^ +||stats.savoirplus-risquermoins.net^ +||stats.sax.net^ +||stats.scailable.net^ +||stats.scalesql.com^ +||stats.scottbartell.com^ +||stats.screenagers.com^ +||stats.screenwavemedia.com^ +||stats.seanbailey.dev^ +||stats.sebastiandombrowski.de^ +||stats.sebastiangale.ca^ +||stats.selectam.io^ +||stats.sendngnt.com^ +||stats.servicedesignjobs.com^ +||stats.seva.rocks^ +||stats.sexplore.app^ +||stats.shareup.app^ +||stats.shepherd.com^ +||stats.shh.io^ +||stats.shiftx.com^ +||stats.simplinetworks.com^ +||stats.sirdata.com^ +||stats.sixseven.at^ +||stats.ski.com^ +||stats.slicedthread.com^ +||stats.socialeurope.eu^ +||stats.soundbite.so^ +||stats.southswindon-pc.gov.uk^ +||stats.sparkloop.app^ +||stats.spreadtheworld.net^ +||stats.sprune.com^ +||stats.sqlteam.com^ +||stats.stack11.io^ +||stats.stackingthebricks.com^ +||stats.stacks.org^ +||stats.staging.hex.pm^ +||stats.steuer-soldaten.de^ +||stats.strawberry.rocks^ +||stats.studypages.com^ +||stats.sublimesecurity.com^ +||stats.suniboy.com^ +||stats.suominaikidoacademy.com^ +||stats.sushibyte.io^ +||stats.svemir.co^ +||stats.symbiofest.cz^ +||stats.tarasyarema.com^ +||stats.tax-venture.de^ +||stats.teamdetails.com^ +||stats.tedserbinski.com^ +||stats.teenranch.com^ +||stats.tekin.co.uk^ +||stats.terre-compagne.fr^ +||stats.textprotocol.org^ +||stats.theiere-tasse.com^ +||stats.thelandofar.be^ +||stats.thenewradiance.com^ +||stats.thingsthatkeepmeupatnight.dev^ +||stats.thomasbandt.com^ +||stats.thomasvitale.com^ +||stats.tijdschrift.zenleven.nl^ +||stats.time2unfold.com^ +||stats.timkhoury.com^ +||stats.timmo.immo^ +||stats.tinkerer.tools^ +||stats.tl8.io^ +||stats.tms-development.com^ +||stats.tms-development.de^ +||stats.tms-institut.de^ +||stats.tnc.sc^ +||stats.toiletmap.org.uk^ +||stats.training.fit^ +||stats.travelfodder.com^ +||stats.trenntoi.de^ +||stats.tresor.one^ +||stats.trigo.at^ +||stats.trussed.dev^ +||stats.tubecalculator.co.uk^ +||stats.twhl.xyz^ +||stats.ubiwiz.com^ +||stats.unka.space^ +||stats.unusualtourist.com^ +||stats.urbanfinn.com^ +||stats.urlaubsverwaltung.cloud^ +||stats.useeffect.dev^ +||stats.uxtools.co^ +||stats.v4.agirpourlenvironnement.org^ +||stats.vanityprojects.com^ +||stats.vdsnow.ru^ +||stats.vican.me^ +||stats.visions.ch^ +||stats.voltimum.com^ +||stats.wachstum.at^ +||stats.walkiees.co.uk^ +||stats.websnap.app^ +||stats.wecodeni.com^ +||stats.wellbeyond.com^ +||stats.westswindon-pc.gov.uk^ +||stats.whenpigsflybbq.com^ +||stats.whereisit5pmrightnow.com^ +||stats.wordvested.org^ +||stats.world.hey.com^ +||stats.wvs.org.uk^ +||stats.wvsindia.org^ +||stats.wwdcscholars.com^ +||stats.www.agirpourlenvironnement.org^ +||stats.wymanmobilenotary.com^ +||stats.xactcode.com^ +||stats.xn--antnio-dxa.pt^ +||stats.zimri.net^ +||statystyki.ekspertyzy-szkolenia.pl^ +||sts.authramp.com^ +||sts.eliasjarzombek.com^ +||sts.papyrs.com^ +||sts.tour-europe.org^ +||stts.sgab-srfp.ch^ +||stts.swisshranalytics.ch^ +||t.lastcast.fm^ +||tics.cortex.gg^ +||tics.seeker.gg^ +||tics.techdirt.com^ +||tipstats.onepagelove.com^ +||tock.weg.plus^ +||track.slickinbox.com^ +||traffic.hostedstatus.page^ +||traffic.taktikal.is^ +||triton.companyegg.com^ +||varys.asongofzandc.xyz^ +||views.emikajewelry.com^ +||views.ericcapella.com^ +||views.sikerlogistics.com^ +||views.sikerproducts.com^ +||views.wioks.com^ +||visitorcenter.ioafw.com^ +||visitorcenter.srwild.com^ +||visitors.gigianddavid.com^ +||vitals.cgddrd.me^ +||we-love-privacy.humane.club^ +||webstats.bijenpatel.com^ +||yolo.philipbjorge.com^ +||zahlen.olereissmann.de^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_tracedock.txt *** +! easyprivacy_specific_cname_tracedock.txt +! Company name: TraceDock https://github.com/AdguardTeam/cname-trackers/blob/master/data/microsites/tracedock.txt +! +||2tty.overstappen.nl^ +||api.bunzlaucastle.com^ +||app1.maatwerkonline.nl^ +||bc.semwerkt.nl^ +||box.bossdata.be^ +||cms.hardloopaanbiedingen.nl^ +||ee.impactextend.dk^ +||erp.qwic.nl^ +||host11.traffic-builders.com^ +||o2.ikontwerpflyers.nl^ +||s1.carnext.com^ +||s4.parkeren-amsterdam.com^ +||s4.parkeren-haarlem.nl^ +||s4.parkeren-utrecht.nl^ +||tdep.bunzlonline.nl^ +||tdep.growwwdigital.com^ +||tdep.sdim.nl^ +||tdep.suncamp.be^ +||tdep.suncamp.de^ +||tdep.suncamp.nl^ +||tdep.suncamp.pl^ +||tdep.teamnijhuis.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_at-internet.txt *** +! easyprivacy_specific_cname_at-internet.txt +! +! at-o.net https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/at-internet-(formerly-xiti).txt +! Removed due to dubes +! www.strawberry.basf.com +! +||71efe2183b8663ad5bf9d7a9320aeb48.leboncoin.fr^ +||a.20minutes.fr^ +||a.hellowork.com^ +||a.pourquoidocteur.fr^ +||a1.api.bbc.co.uk^ +||a1.api.bbc.com^ +||abncx.amv.fr^ +||ama.planet-wissen.de^ +||ama.quarks.de^ +||ama.wdr.de^ +||ama.wdrmaus.de^ +||ana.tv5unis.ca^ +||arrietty.nrj.fr^ +||at-cddc.actu-juridique.fr^ +||at.badische-zeitung.de^ +||atconnect.npo.nl^ +||ati-a1.946d001b783803c1.xhst.bbci.co.uk^ +||ati.sazka.cz^ +||aud.banque-france.fr^ +||avocado.laprovence.com^ +||avp.labanquepostale.fr^ +||blava.viessmann.sk^ +||brickworks.viessmann.sg^ +||buf.lemonde.fr^ +||c0012.brsimg.com^ +||checkpointcharlie.heizung.de^ +||chihiro.nostalgie.fr^ +||col.casa.it^ +||col.idealista.com^ +||col.idealista.it^ +||col.idealista.pt^ +||col.rentalia.com^ +||collect.meilleurtaux.com^ +||conimicutlighthouse.viessmann-us.com^ +||content.kleinezeitung.at^ +||crocetta.viessmann.it^ +||culture.intermedes.com^ +||d.deloitte.fr^ +||d.m-net.de^ +||d.santemagazine.fr^ +||d.uni-medias.com^ +||da.freo.nl^ +||da.maif.fr^ +||da.rabobank.nl^ +||dfr.deloitte.com^ +||dimensions.mappy.com^ +||donjigrad.viessmann.rs^ +||drau.viessmann.si^ +||epwa.europarl.europa.eu^ +||fabryczna.viessmann.pl^ +||faucons.viessmann.fr^ +||hal.courrierinternational.com^ +||hd.pe.fr^ +||hmg.handelsblatt.com^ +||hmg.wiwo.de^ +||hrbitov.viessmann.cz^ +||image.ard.de^ +||image.mdr.de^ +||images.kika.de^ +||insights.biallo.de^ +||insights.sport1.de^ +||johannes.voith.com^ +||kallerupstone.viessmann.dk^ +||kiki.rireetchansons.fr^ +||kistacity.viessmann.se^ +||lem.nouvelobs.com^ +||mediniku.viessmann.lt^ +||mefo1.zdf.de^ +||mkt.usz.ch^ +||montpalatin.handicap.fr^ +||pear.ca-eko-globetrotter.fr^ +||ponyo.cheriefm.fr^ +||protys.protys.fr^ +||res.elle.fr^ +||res.femina.fr^ +||res.franc-tireur.fr^ +||res.marianne.net^ +||res.programme-television.org^ +||res.public.fr^ +||ressources.annoncesbateau.com^ +||ressources.argusassurance.com^ +||ressources.caradisiac.com^ +||ressources.centraleauto.com^ +||ressources.lacentrale.fr^ +||ressources.lagazette.com^ +||ressources.lemoniteur.com^ +||ressources.lsa.fr^ +||ressources.mavoiturecash.fr^ +||ressources.promoneuve.fr^ +||ressources.usine-digitale.com^ +||ressources.usine-nouvelle.com^ +||rsc.lepoint.fr^ +||salzwerk.viessmann.de^ +||selvi.viessmann.com.tr^ +||severn.viessmann.co.uk^ +||sheeta.nrj-play.fr^ +||st1.lg.avendrealouer.fr^ +||steinbackhaus.viessmann.com^ +||steinernehaus.viessmann.at^ +||steinsala.viessmann.lu^ +||strawberry.basf.com^ +||tm.urssaf.fr^ +||torropinto.viessmann.es^ +||tse.telerama.fr^ +||uusimaa.viessmann.fi^ +||waati.quechoisir.org^ +||wareneingang.edeka.de^ +||wasserkraftwerkkessel.viessmann.ch^ +||waterlooberlin.viessmann.ca^ +||woodstock.viessmann.com.au^ +||wvvw.france24.com^ +||wvvw.francemediasmonde.com^ +||wvvw.infomigrants.net^ +||wvvw.mc-doualiya.com^ +||wvvw.rfi.fr^ +||y1.arte.tv^ +||zagrabiti.viessmann.hr^ +||zaventemdijleland.viessmann.be^ +||zelten.fritz-berger.de^ +||zug.sbb.ch^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_adobe.txt *** +! easyprivacy_specific_cname_adobe.txt +! Adobe https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/adobe-experience-cloud-(formerly-omniture).txt +! +! Company name: Adobe Experience Cloud (formerly Omniture) +! removed: *.tt.omtrdc.net (dube of EP) +! remove dube: wa.sugarandjade.com +! ||wa.pjplace.com^ +! ||wa.gymboree.com^ +! ||wa.childrensplace.com^ +! ||tgt.maep.ibm.com^ +! ||target-us.samsung.com^ +! ||sstats.adobe.com^ +! ||smetrics.couponcabin.com^ +! ||saa.insideedition.com^ +! ||telemetry.goodlifefitness.com^ +! ||adobedc.demdex.net^ +! ||target.nejm.org^ +! ||target.nationwide.com^ +! ||smetrics.ralphlauren.com^ +! ||edge.adobedc.net^ +! ||sams.manager-magazin.de^ +! ||www.metrics.argos.co.uk^ +! ||000scripps.hb.omtrdc.net^ +! ||www.smetrics.argos.co.uk^ +! ||www.sstats.bnpparibasfortis.be^ +! ||www.sstats.hellobank.be^ +! ||ssl.o.webmd.com^ +! ||std.o.webmd.com^ +! ||lp.go2.ringcentral.com^ +! ||w.smobile.wotif.com^ +! +||0tfsd2rwwu3xjstb.edge41.testandtarget.omniture.com^ +||1ps6e7sort397gy9.edge46.testandtarget.omniture.com^ +||20.edge46.testandtarget.omniture.com^ +||a.1800gotjunk.com^ +||a.acxiom.com^ +||a.addskills.se^ +||a.alzcombocare.com^ +||a.amw.com^ +||a.bigtennetwork.com^ +||a.dev-ajo.caixabank.com^ +||a.ehc.com^ +||a.ekero.se^ +||a.fchp.org^ +||a.fox.com^ +||a.foxsports.com^ +||a.foxsportsarizona.com^ +||a.foxsportscarolinas.com^ +||a.foxsportsdetroit.com^ +||a.foxsportsflorida.com^ +||a.foxsportshouston.com^ +||a.foxsportskansascity.com^ +||a.foxsportslocal.com^ +||a.foxsportsmidwest.com^ +||a.foxsportsnorth.com^ +||a.foxsportsohio.com^ +||a.foxsportssandiego.com^ +||a.foxsportssouth.com^ +||a.foxsportssouthwest.com^ +||a.foxsportstennessee.com^ +||a.foxsportswest.com^ +||a.foxsportswisconsin.com^ +||a.fxnetworks.com^ +||a.hjart-lungfonden.se^ +||a.ipoque.com^ +||a.koodomobile.com^ +||a.lls.org^ +||a.loi.nl^ +||a.medtronic.com^ +||a.mercuriurval.com^ +||a.micorp.com^ +||a.munters.cn^ +||a.munters.co.uk^ +||a.munters.com.au^ +||a.munters.com.mx^ +||a.munters.com^ +||a.munters.es^ +||a.munters.fi^ +||a.munters.it^ +||a.munters.jp^ +||a.munters.nl^ +||a.munters.se^ +||a.munters.us^ +||a.pork.org^ +||a.publicmobile.ca^ +||a.redbrickhealth.com^ +||a.replaytheseries.com^ +||a.rohde-schwarz.com.cn^ +||a.rohde-schwarz.com^ +||a.sami.se^ +||a.simonandschuster.com^ +||a.sj.se^ +||a.smetrics.sovereign.com^ +||a.sodra.com^ +||a.spv.se^ +||a.svenskfast.se^ +||a.tactics.com^ +||a.telus.com^ +||a.transportgruppen.se^ +||a.trivita.com^ +||a.wheelabratorgroup.com^ +||aa-aem.hamamatsu.com^ +||aa-metrics.aircard.jp^ +||aa-metrics.airpayment.jp^ +||aa-metrics.airregi.jp^ +||aa-metrics.airreserve.net^ +||aa-metrics.airrsv.net^ +||aa-metrics.airwait.jp^ +||aa-metrics.arg.x.recruit.co.jp^ +||aa-metrics.beauty.hotpepper.jp^ +||aa-metrics.bookingtable.jp^ +||aa-metrics.golf-jalan.net^ +||aa-metrics.handy.airregi.jp^ +||aa-metrics.handy.arg.x.recruit.co.jp^ +||aa-metrics.hokench.com^ +||aa-metrics.hotpepper-gourmet.com^ +||aa-metrics.hotpepper.jp^ +||aa-metrics.jalan.net^ +||aa-metrics.minterior.jp^ +||aa-metrics.ponparemall.com^ +||aa-metrics.r-cash.jp^ +||aa-metrics.recruit-card.jp^ +||aa-metrics.restaurant-board.com^ +||aa-metrics.s-lms.net^ +||aa-metrics.salonboard.com^ +||aa-metrics.tabroom.jp^ +||aa-metrics.trip-ai.jp^ +||aa.analog.com^ +||aa.athome.com^ +||aa.bathandbodyworks.com^ +||aa.cbs.com^ +||aa.cbsi.com^ +||aa.cbsnews.com^ +||aa.cbssports.com^ +||aa.cnet.com^ +||aa.comicbook.com^ +||aa.db-finanzberatung.de^ +||aa.deutsche-bank.de^ +||aa.dyson.at^ +||aa.dyson.be^ +||aa.dyson.ch^ +||aa.dyson.co.uk^ +||aa.dyson.com^ +||aa.dyson.de^ +||aa.dyson.dk^ +||aa.dyson.es^ +||aa.dyson.fr^ +||aa.dyson.ie^ +||aa.dyson.it^ +||aa.dyson.nl^ +||aa.dyson.pt^ +||aa.dyson.se^ +||aa.dysoncanada.ca^ +||aa.fyrst.de^ +||aa.gamespot.com^ +||aa.giantbomb.com^ +||aa.irvinecompanyapartments.com^ +||aa.irvinecompanyoffice.com^ +||aa.kyoceradocumentsolutions.com^ +||aa.last.fm^ +||aa.maxblue.de^ +||aa.mclaren.com^ +||aa.metacritic.com^ +||aa.neom.com^ +||aa.norisbank.de^ +||aa.pacificdentalservices.com^ +||aa.paramountplus.com^ +||aa.popculture.com^ +||aa.poptv.com^ +||aa.postbank.de^ +||aa.reebok.com^ +||aa.reebok.nl^ +||aa.sparebank1.no^ +||aa.tallink.com^ +||aa.tescomobile.com^ +||aa.thedoctorstv.com^ +||aa.tv.com^ +||aa.tvguide.com^ +||aa.wowma.jp^ +||aa.zdnet.com^ +||aaat.2ndstreet.jp^ +||aadata.april-international.com^ +||aainfo.anz.co.nz^ +||aametrics.aktia.fi^ +||aamt.msnbc.com^ +||aamt.nbcnews.com^ +||aamt.newsapp.telemundo.com^ +||aamt.today.com^ +||aanalytics.adelaide.edu.au^ +||aans.athome.com^ +||aas.bellemaison.jp^ +||aas.ismet.kz^ +||aas.mclaren.com^ +||aas.neom.com^ +||aas.visitsaudi.com^ +||abmeldung.information.o2.de^ +||abmeldung.information.whatsappsim.de^ +||abt.bauhaus.es^ +||abt.bauhaus.info^ +||abt.nike.com^ +||abt.nl.bauhaus^ +||academics.academicsuperstore.com^ +||acc.info.lumxpert.signify.com^ +||acc.marketing.adobedxcusteng.com^ +||access.hikaritv.net^ +||acemetrics.aaa.com^ +||acs.woolworths.com.au^ +||activity.newlook.com^ +||adb-analytics.live-now.com^ +||adb-secured.kijk.nl^ +||adb.kijk.nl^ +||adb.superrtl.de^ +||adb.toggoeltern.de^ +||adbedgeexp.aircanada.com^ +||adbmetrics.abc.es^ +||adbmetrics.blogasturias.com^ +||adbmetrics.canarias7.es^ +||adbmetrics.caravantur.eus^ +||adbmetrics.degustacastillayleon.es^ +||adbmetrics.diariosur.es^ +||adbmetrics.diariovasco.com^ +||adbmetrics.elcomercio.es^ +||adbmetrics.eldiariomontanes.es^ +||adbmetrics.elnortedecastilla.es^ +||adbmetrics.hoy.es^ +||adbmetrics.hyundai.com^ +||adbmetrics.ideal.es^ +||adbmetrics.koreanair.com^ +||adbmetrics.larioja.com^ +||adbmetrics.lasprovincias.es^ +||adbmetrics.laverdad.es^ +||adbmetrics.lomejordelvinoderioja.com^ +||adbmetrics.masterelcorreo.com^ +||adbmetrics.miperiodicodigital.com^ +||adbmetrics.vehiculosdeocasion.eus^ +||adbmetrics.vocento.com^ +||adbmetrics.welife.es^ +||adbmetrics.womennow.es^ +||adbmetrics.xn--futuroenespaol-1nb.es^ +||adbsmetrics.ep.hmc.co.kr^ +||adbsmetrics.everland.com^ +||adbsmetrics.genesis.com^ +||adbsmetrics.hanwha.com^ +||adbsmetrics.hyundai.com^ +||adbsmetrics.kia.com^ +||adbsmetrics.koreanair.com^ +||adbsmetrics.kt.com^ +||adbsmetrics.lgcaremall.com^ +||adbsmetrics.lotterentacar.net^ +||adbsmetrics.thewhoo.com^ +||adobe-analytics-dc.belastingdienst.nl^ +||adobe-analytics.vionicshoes.com^ +||adobe-dev-landingpageprefix.descubre.interbank.pe^ +||adobe-ep.cms.gov^ +||adobe-ep.cuidadodesalud.gov^ +||adobe-ep.healthcare.gov^ +||adobe-ep.insurekidsnow.gov^ +||adobe-ep.medicaid.gov^ +||adobe-ep.medicare.gov^ +||adobe-nonsecure.cjone.com^ +||adobe-secure.cjone.com^ +||adobe.aeonbank.co.jp^ +||adobe.autoscout24.at^ +||adobe.autoscout24.be^ +||adobe.autoscout24.bg^ +||adobe.autoscout24.com.tr^ +||adobe.autoscout24.com.ua^ +||adobe.autoscout24.com^ +||adobe.autoscout24.cz^ +||adobe.autoscout24.de^ +||adobe.autoscout24.es^ +||adobe.autoscout24.eu^ +||adobe.autoscout24.fr^ +||adobe.autoscout24.hr^ +||adobe.autoscout24.it^ +||adobe.autoscout24.lu^ +||adobe.autoscout24.nl^ +||adobe.autoscout24.pl^ +||adobe.autoscout24.ro^ +||adobe.autoscout24.ru^ +||adobe.autoscout24.se^ +||adobe.bupaglobal.com^ +||adobe.dynamic.ca^ +||adobe.falabella.com.ar^ +||adobe.falabella.com.co^ +||adobe.falabella.com.pe^ +||adobe.falabella.com^ +||adobe.filmstruck.com^ +||adobe.pmi.org^ +||adobe.sodimac.cl^ +||adobe.sukoonglobalhealth.com^ +||adobe.toridoll.com^ +||adobe.truckscout24.com^ +||adobe.wacoal.jp^ +||adobeanalytic.aerotek.com^ +||adobeanalytic.allegisglobalsolutions.com^ +||adobeanalytic.astoncarter.com^ +||adobeanalytic.teksystems.com^ +||adobeanalytics-http.hds.com^ +||adobeanalytics-https.hds.com^ +||adobeanalytics-secure.girlscouts.org^ +||adobeanalytics.actalentservices.com^ +||adobeanalytics.aerotek.com^ +||adobeanalytics.allegis-partners.com^ +||adobeanalytics.allegisglobalsolutions.com^ +||adobeanalytics.allegisgroup.com^ +||adobeanalytics.astoncarter.com^ +||adobeanalytics.bws.com.au^ +||adobeanalytics.danmurphys.com.au^ +||adobeanalytics.easi.com^ +||adobeanalytics.geico.com^ +||adobeanalytics.gettinghired.com^ +||adobeanalytics.medline.com^ +||adobeanalytics.mlaglobal.com^ +||adobeanalytics.populusgroup.com^ +||adobeanalytics.serveone.co.kr^ +||adobeanalytics.teksystems.com^ +||adobeanalytics.vice.com^ +||adobeedge.morganstanley.com^ +||adobeedge.my.gov.au^ +||adobemarketing.bodendirect.at^ +||adobemetrics.yellohvillage.co.uk^ +||adobemetrics.yellohvillage.com^ +||adobemetrics.yellohvillage.de^ +||adobemetrics.yellohvillage.es^ +||adobemetrics.yellohvillage.fr^ +||adobemetrics.yellohvillage.it^ +||adobemetrics.yellohvillage.nl^ +||adobes.marugame-seimen.com^ +||adobes.pmi.org^ +||adobetarget.yellohvillage.fr^ +||adtarget.barcainnovationhub.com^ +||adtarget.fcbarcelona.cat^ +||adtarget.fcbarcelona.co.it^ +||adtarget.fcbarcelona.com^ +||adtarget.fcbarcelona.es^ +||adtarget.fcbarcelona.fr^ +||adtarget.fcbarcelona.jp^ +||adtarget.fcbarcelona.net^ +||adtd.douglas.at^ +||adtd.douglas.be^ +||adtd.douglas.ch^ +||adtd.douglas.cz^ +||adtd.douglas.de^ +||adtd.douglas.hr^ +||adtd.douglas.hu^ +||adtd.douglas.it^ +||adtd.douglas.nl^ +||adtd.douglas.pl^ +||adtd.douglas.pt^ +||adtd.douglas.ro^ +||adtd.douglas.si^ +||adtd.douglas.sk^ +||adtd.niche-beauty.com^ +||adtd.parfumdreams.at^ +||adtd.parfumdreams.be^ +||adtd.parfumdreams.ch^ +||adtd.parfumdreams.co.uk^ +||adtd.parfumdreams.cz^ +||adtd.parfumdreams.de^ +||adtd.parfumdreams.dk^ +||adtd.parfumdreams.es^ +||adtd.parfumdreams.fi^ +||adtd.parfumdreams.fr^ +||adtd.parfumdreams.ie^ +||adtd.parfumdreams.it^ +||adtd.parfumdreams.nl^ +||adtd.parfumdreams.pl^ +||adtd.parfumdreams.pt^ +||adtd.parfumdreams.se^ +||aec-target.base.be^ +||aec-target.telenet.be^ +||aecid.santanderbank.com^ +||aep-target.credit-suisse.com^ +||aepxlg.adobe.com^ +||ainu.intel.cn^ +||ainu.intel.co.jp^ +||ainu.intel.co.kr^ +||ainu.intel.co.uk^ +||ainu.intel.com.au^ +||ainu.intel.com.br^ +||ainu.intel.com.tw^ +||ainu.intel.com^ +||ainu.intel.de^ +||ainu.intel.es^ +||ainu.intel.fr^ +||ainu.intel.in^ +||ainu.intel.it^ +||ainu.intel.la^ +||ainu.intel.pl^ +||ajo-lp-salesvelocity.adobedemo.com^ +||ajo-zensar.adobesandbox.com^ +||ajo1gdc.ajo1gdc.adobevlab.com^ +||al-smetrics.vizio.com^ +||ametrics.finn.no^ +||ametrics.lumen.com^ +||ametrics.mheducation.com^ +||ametrics.web.dnbbank.no^ +||an.avast.com^ +||an.avast.ru^ +||an.constantcontact.com^ +||an.milb.com^ +||an.mlb.com^ +||an.sny.tv^ +||an.theblaze.com^ +||an.yesnetwork.com^ +||analytic.alabama.aaa.com^ +||analytic.americanfunds.com^ +||analytic.buoyweather.com^ +||analytic.calif.aaa.com^ +||analytic.capitalgroup.com^ +||analytic.cibc.com^ +||analytic.fishtrack.com^ +||analytic.hawaii.aaa.com^ +||analytic.hotelclub.com^ +||analytic.newmexico.aaa.com^ +||analytic.northernnewengland.aaa.com^ +||analytic.simplyhealth.co.uk^ +||analytic.texas.aaa.com^ +||analytic.tidewater.aaa.com^ +||analytic.underarmour.com^ +||analytics-lgs.corebridgefinancial.com^ +||analytics-nssl.bradyid.com^ +||analytics-secure.dollargeneral.com^ +||analytics-ssl.allconnect.com^ +||analytics-ssl.bradyid.com^ +||analytics-ssl.seton.co.uk^ +||analytics.1800contacts.com^ +||analytics.adultswim.co.uk^ +||analytics.airindia.com^ +||analytics.airtron.com^ +||analytics.alrajhibank.com.sa^ +||analytics.americanfunds.com^ +||analytics.amig.com^ +||analytics.argeton.com^ +||analytics.asml.com^ +||analytics.autozone.com^ +||analytics.avis.de^ +||analytics.awhr.com^ +||analytics.bgr.com^ +||analytics.bigfishgames.com^ +||analytics.bleacherreport.com^ +||analytics.boing.es^ +||analytics.boomerangtv.co.uk^ +||analytics.box.com^ +||analytics.boxlunch.com^ +||analytics.brickaward.com^ +||analytics.canaltnt.es^ +||analytics.capitalgroup.com^ +||analytics.cartoonnetwork.co.uk^ +||analytics.cartoonnetwork.com.au^ +||analytics.cartoonnetwork.jp^ +||analytics.cartoonnetworkasia.com^ +||analytics.cartoonnetworkindia.com^ +||analytics.cartoonnetworkmena.com^ +||analytics.cdf.cl^ +||analytics.ceu.com^ +||analytics.changiairport.com^ +||analytics.chilevision.cl^ +||analytics.chvnoticias.cl^ +||analytics.cibc.com^ +||analytics.cibcrewards.com^ +||analytics.cirroenergy.com^ +||analytics.cnfanart.com^ +||analytics.cnnchile.com^ +||analytics.combatefreestyle.com^ +||analytics.conad.it^ +||analytics.concorsicartoonito.it^ +||analytics.corusent.com^ +||analytics.cyrillus.be^ +||analytics.cyrillus.ch^ +||analytics.cyrillus.com^ +||analytics.cyrillus.de^ +||analytics.cyrillus.fr^ +||analytics.data.lloydsbankinggroup.com^ +||analytics.directenergy.ca^ +||analytics.directenergy.com^ +||analytics.discountpowertx.com^ +||analytics.disneyplus.com^ +||analytics.egernsund.com^ +||analytics.egernsund.de^ +||analytics.esporteinterativo.com.br^ +||analytics.evo.co.uk^ +||analytics.firstbankcardcenter.com^ +||analytics.firstbankcardplcc.com^ +||analytics.firstnational.com^ +||analytics.fishtrack.com^ +||analytics.floridatravellife.com^ +||analytics.fnbfremont.com^ +||analytics.fnni.com^ +||analytics.futuro360.com^ +||analytics.geastore.com^ +||analytics.geoutletstore.com^ +||analytics.gestore.com^ +||analytics.gewaterheater.com^ +||analytics.greenmountain.com^ +||analytics.greenmountainenergy.com^ +||analytics.hardrock.com^ +||analytics.haworth.com^ +||analytics.hazeldenbettyford.org^ +||analytics.hiexpress.com^ +||analytics.hlntv.com^ +||analytics.holidayinn.com^ +||analytics.hollywoodlife.com^ +||analytics.homebank.ro^ +||analytics.homes.com^ +||analytics.hottopic.com^ +||analytics.id.amazongames.com^ +||analytics.ihg.com^ +||analytics.ishopchangi.com^ +||analytics.jjkellerconsulting.com^ +||analytics.jjkellerdatasense.com^ +||analytics.jjkellersafety.com^ +||analytics.johnson.ca^ +||analytics.joincambridge.com^ +||analytics.kellerencompass.com^ +||analytics.kellerpermits.com^ +||analytics.kellyservices.com^ +||analytics.lendio.com^ +||analytics.lexisnexisrisk.com^ +||analytics.makro.be^ +||analytics.makro.pt^ +||analytics.martinandosa.com^ +||analytics.massivwerthaus.at^ +||analytics.metro-cc.ru^ +||analytics.metro.be^ +||analytics.metro.co.in^ +||analytics.metro.de^ +||analytics.metro.fr^ +||analytics.metro.pk^ +||analytics.metro.ua^ +||analytics.midas-antilles.fr^ +||analytics.midas.be^ +||analytics.midas.ci^ +||analytics.midas.es^ +||analytics.midas.fr^ +||analytics.midas.it^ +||analytics.midas.pt^ +||analytics.midas.re^ +||analytics.midas.sn^ +||analytics.midas.tc^ +||analytics.mondotv.jp^ +||analytics.myapstore.com^ +||analytics.mystream.com^ +||analytics.national-lottery.co.uk^ +||analytics.navyfederal.org^ +||analytics.ncaa.com^ +||analytics.nordea.com^ +||analytics.nordea.dk^ +||analytics.nordea.fi^ +||analytics.nordea.no^ +||analytics.nordea.se^ +||analytics.nrg.com^ +||analytics.nrgprotects.com^ +||analytics.onlinehomeretail.co.uk^ +||analytics.pgatour.com^ +||analytics.phn.com^ +||analytics.picknrg.com^ +||analytics.pipelife-bewaesserung.at^ +||analytics.pipelife.at^ +||analytics.pipelife.bg^ +||analytics.pipelife.com.tr^ +||analytics.pipelife.com^ +||analytics.pipelife.cz^ +||analytics.pipelife.de^ +||analytics.pipelife.ee^ +||analytics.pipelife.hr^ +||analytics.pipelife.hu^ +||analytics.pipelife.ie^ +||analytics.pipelife.lt^ +||analytics.pipelife.lv^ +||analytics.pipelife.nl^ +||analytics.pipelife.no^ +||analytics.pipelife.pl^ +||analytics.pipelife.ro^ +||analytics.pipelife.rs^ +||analytics.pipelife.se^ +||analytics.pipelife.si^ +||analytics.plumbworld.co.uk^ +||analytics.pnc.com^ +||analytics.qualcomm.com^ +||analytics.ratioform.ch^ +||analytics.reliant.com^ +||analytics.runpath.com^ +||analytics.seagate.com^ +||analytics.shopncaasports.com^ +||analytics.simplii.com^ +||analytics.simplyhealth.co.uk^ +||analytics.sixt.be^ +||analytics.sixt.cn^ +||analytics.sixt.com^ +||analytics.sixt.de^ +||analytics.sixt.es^ +||analytics.sixt.fr^ +||analytics.sixt.jobs^ +||analytics.sixt.jp^ +||analytics.sixt.nl^ +||analytics.sixtcarsales.de^ +||analytics.sixtmiddleeast.com^ +||analytics.skinit.com^ +||analytics.smart.mercedes-benz.com^ +||analytics.soluforce.com^ +||analytics.sona-mira.co.jp^ +||analytics.southpointcasino.com^ +||analytics.spark.co.nz^ +||analytics.superstation.com^ +||analytics.surfline.com^ +||analytics.sydney.edu.au^ +||analytics.tabichan.jp^ +||analytics.tbs.com^ +||analytics.tcm.com^ +||analytics.techem.com^ +||analytics.techem.de^ +||analytics.thehartford.com^ +||analytics.theinstitutes.org^ +||analytics.tnt-tv.com^ +||analytics.tnt-tv.de^ +||analytics.tnt-tv.pl^ +||analytics.tnt-tv.ro^ +||analytics.tnt.africa^ +||analytics.tntdram.com^ +||analytics.tntdrama.com^ +||analytics.tntdramma.com^ +||analytics.tntsports.cl^ +||analytics.tntsports.com.ar^ +||analytics.tntsports.com.br^ +||analytics.tntsports.com^ +||analytics.tondach.pl^ +||analytics.toyotaforklift.com^ +||analytics.truckingauthority.com^ +||analytics.trutv.com^ +||analytics.turnertv.com^ +||analytics.ubs.com^ +||analytics.uhhospitals.org^ +||analytics.underarmour.com^ +||analytics.unive.nl^ +||analytics.verizon.com^ +||analytics.verizonwireless.com^ +||analytics.virginaustralia.com^ +||analytics.virginmobileusa.com^ +||analytics.visible.com^ +||analytics.warnertv.fr^ +||analytics.weldonowen.com^ +||analytics.wellington.com^ +||analytics.wienerberger-building-solutions.com^ +||analytics.wienerberger.al^ +||analytics.wienerberger.at^ +||analytics.wienerberger.ba^ +||analytics.wienerberger.be^ +||analytics.wienerberger.bg^ +||analytics.wienerberger.co.uk^ +||analytics.wienerberger.com^ +||analytics.wienerberger.cz^ +||analytics.wienerberger.de^ +||analytics.wienerberger.ee^ +||analytics.wienerberger.fi^ +||analytics.wienerberger.fr^ +||analytics.wienerberger.hr^ +||analytics.wienerberger.hu^ +||analytics.wienerberger.in^ +||analytics.wienerberger.it^ +||analytics.wienerberger.lt^ +||analytics.wienerberger.mk^ +||analytics.wienerberger.nl^ +||analytics.wienerberger.no^ +||analytics.wienerberger.pl^ +||analytics.wienerberger.ro^ +||analytics.wienerberger.rs^ +||analytics.wienerberger.se^ +||analytics.wienerberger.si^ +||analytics.wienerberger.sk^ +||analytics.xoomenergy.com^ +||analytics.zagg.com^ +||analytics1.dillards.com^ +||analyticsbusiness.ing.ro^ +||analyticsnarc.ro.ing.net^ +||analyticsnossl.forcepoint.com^ +||analyticsresults.bildungsforum.datev.de^ +||analyticsresults.datev-karriereblog.de^ +||analyticsresults.datev-magazin.de^ +||analyticsresults.datev-mymarketing.de^ +||analyticsresults.datev.com^ +||analyticsresults.datev.de^ +||analyticsresults.dev.datev.de^ +||analyticsresults.trialog-magazin.de^ +||analyticsssl.forcepoint.com^ +||anl.footlocker.com^ +||anmet.originenergy.com.au^ +||ans.avast.com^ +||ans.avast.ru^ +||ans.milb.com^ +||ans.mlb.com^ +||ans.worldbaseballclassic.com^ +||ans.yesnetwork.com^ +||as.autobild.de^ +||as.axelspringer.com^ +||as.bild.de^ +||as.businessinsider.de^ +||as.bz-berlin.de^ +||as.computerbild.de^ +||as.fitbook.de^ +||as.metal-hammer.de^ +||as.musikexpress.de^ +||as.myhomebook.de^ +||as.petbook.de^ +||as.rollingstone.de^ +||as.stylebook.de^ +||as.techbook.de^ +||as.travelbook.de^ +||as.welt.de^ +||as.wieistmeineip.de^ +||asc.e-conolight.com^ +||asc.solidworks.com^ +||asd.bauhaus.at^ +||asd.bauhaus.es^ +||asd.bauhaus.hr^ +||asd.bauhaus.info^ +||asd.bauhaus.lu^ +||asd.nl.bauhaus^ +||assets2.aainsurance.co.nz^ +||assets2.aami.com.au^ +||assets2.apia.com.au^ +||assets2.bingle.com.au^ +||assets2.cilinsurance.com.au^ +||assets2.gio.com.au^ +||assets2.shannons.com.au^ +||assets2.suncorp.com.au^ +||assets2.suncorpbank.com.au^ +||assets2.terrischeer.com.au^ +||assets2.vanz.vero.co.nz^ +||assets2.vero.co.nz^ +||assinatura.marketingbmg.bancobmg.com.br^ +||at-cdn.swisscom.ch^ +||at-ecomm.levi.com^ +||at.db-finanzberatung.de^ +||at.deutsche-bank.de^ +||at.maxblue.de^ +||at.mclaren.com^ +||at.neom.com^ +||at.norisbank.de^ +||at.postbank.de^ +||at.swisscom.ch^ +||at.vodafone.de^ +||atarget.adelaide.edu.au^ +||atarget.csu.edu.au^ +||atarget.firstrepublic.com^ +||atarget.harley-davidson.com^ +||atgt.grafana.com^ +||atsmetrics.adobe.com^ +||audience.standardchartered.com.tw^ +||awap.equifax.com^ +||axp.8newsnow.com^ +||axp.abc27.com^ +||axp.abc4.com^ +||axp.bigcountryhomepage.com^ +||axp.binghamtonhomepage.com^ +||axp.borderreport.com^ +||axp.brproud.com^ +||axp.cbs17.com^ +||axp.cbs42.com^ +||axp.cbs4indy.com^ +||axp.cenlanow.com^ +||axp.centralillinoisproud.com^ +||axp.cnyhomepage.com^ +||axp.conchovalleyhomepage.com^ +||axp.counton2.com^ +||axp.cw33.com^ +||axp.cw39.com^ +||axp.cw7az.com^ +||axp.dcnewsnow.com^ +||axp.everythinglubbock.com^ +||axp.fourstateshomepage.com^ +||axp.fox16.com^ +||axp.fox21news.com^ +||axp.fox2now.com^ +||axp.fox40.com^ +||axp.fox44news.com^ +||axp.fox4kc.com^ +||axp.fox56news.com^ +||axp.fox59.com^ +||axp.fox5sandiego.com^ +||axp.fox8.com^ +||axp.informnny.com^ +||axp.kark.com^ +||axp.kdvr.com^ +||axp.keloland.com^ +||axp.ketk.com^ +||axp.kfor.com^ +||axp.kget.com^ +||axp.khon2.com^ +||axp.klfy.com^ +||axp.koin.com^ +||axp.kron4.com^ +||axp.krqe.com^ +||axp.ksn.com^ +||axp.ksnt.com^ +||axp.ktalnews.com^ +||axp.ktla.com^ +||axp.ktsm.com^ +||axp.kxan.com^ +||axp.kxnet.com^ +||axp.localsyr.com^ +||axp.myarklamiss.com^ +||axp.mychamplainvalley.com^ +||axp.myfox8.com^ +||axp.myhighplains.com^ +||axp.mypanhandle.com^ +||axp.mystateline.com^ +||axp.mysterywire.com^ +||axp.mytwintiers.com^ +||axp.mywabashvalley.com^ +||axp.nbc4i.com^ +||axp.news10.com^ +||axp.newsnationnow.com^ +||axp.nwahomepage.com^ +||axp.ourquadcities.com^ +||axp.ozarksfirst.com^ +||axp.pahomepage.com^ +||axp.phl17.com^ +||axp.pix11.com^ +||axp.qcnews.com^ +||axp.rochesterfirst.com^ +||axp.siouxlandproud.com^ +||axp.snntv.com^ +||axp.texomashomepage.com^ +||axp.thehill.com^ +||axp.tristatehomepage.com^ +||axp.upmatters.com^ +||axp.valleycentral.com^ +||axp.wane.com^ +||axp.wate.com^ +||axp.wavy.com^ +||axp.wboy.com^ +||axp.wbtw.com^ +||axp.wcia.com^ +||axp.wdhn.com^ +||axp.wdtn.com^ +||axp.wearegreenbay.com^ +||axp.westernslopenow.com^ +||axp.wfla.com^ +||axp.wfxrtv.com^ +||axp.wgno.com^ +||axp.wgnradio.com^ +||axp.wgntv.com^ +||axp.whnt.com^ +||axp.who13.com^ +||axp.wiproud.com^ +||axp.wivb.com^ +||axp.wjbf.com^ +||axp.wjhl.com^ +||axp.wjtv.com^ +||axp.wkbn.com^ +||axp.wkrg.com^ +||axp.wkrn.com^ +||axp.wlns.com^ +||axp.wnct.com^ +||axp.woodtv.com^ +||axp.wowktv.com^ +||axp.wpri.com^ +||axp.wrbl.com^ +||axp.wreg.com^ +||axp.wric.com^ +||axp.wsav.com^ +||axp.wspa.com^ +||axp.wtaj.com^ +||axp.wtnh.com^ +||axp.wtrf.com^ +||axp.wvnstv.com^ +||axp.wwlp.com^ +||axp.wytv.com^ +||axp.yourbasin.com^ +||axp.yourbigsky.com^ +||axp.yourcentralvalley.com^ +||axp.yourerie.com^ +||b.aecf.org^ +||b.allsecur.nl^ +||b.escardio.org^ +||b.fox.com^ +||b.foxsports.com^ +||b.freshpair.com^ +||b.fxnetworks.com^ +||b.koodomobile.com^ +||b.law.com^ +||b.m.mynewplace.com^ +||b.medtronic.com^ +||b.mibank.com^ +||b.miretirement.com^ +||b.mitrust.com^ +||b.miwebflex.com^ +||b.mynewplace.com^ +||b.parade.com^ +||b.publicmobile.ca^ +||b.redbrickhealth.com^ +||b.rohde-schwarz.com^ +||b.rwjf.org^ +||b.simonandschuster.com^ +||b.simyo.de^ +||b.snow.com^ +||b.socialdemokraterna.se^ +||b.telus.com^ +||b2binsider.adobe.com^ +||bank.svb.com^ +||bcomniture.focus.de^ +||beer2s.millerbrewing.com^ +||bismetrics.experian.com^ +||biz1.kddi.com^ +||blau-subdomain.b.information.blau.de^ +||bluelp.2ask.blue.com.hk^ +||brands.lookfantastic.com^ +||bsna.galeria-kaufhof.de^ +||bsna.inno.be^ +||c.mibank.com^ +||c.musicradio.com^ +||c.snow.com^ +||candy.sees.com^ +||catalogs.printplace.com^ +||caterpillarsigns.coversandall.ca^ +||caterpillarsigns.coversandall.co.uk^ +||caterpillarsigns.coversandall.com.au^ +||caterpillarsigns.coversandall.com^ +||caterpillarsigns.coversandall.eu^ +||ccpd.jet2.com^ +||ccpd.jet2holidays.com^ +||cctrkom.creditcards.com^ +||cdp.cifinancial.com^ +||cesario.bt.no^ +||cgwebmetrics.capgroup.com^ +||charms.pugster.com^ +||christian.lifeway.com^ +||christians.lifeway.com^ +||ci.intuit.ca^ +||ci.intuit.co.uk^ +||ci.intuit.com^ +||ci.quickbooks.com^ +||clerks.doccheck.com^ +||clnmetrics.cisco.com^ +||cmon.congress.gov^ +||cname-aa.022022.net^ +||cname-aa.engineersguide.jp^ +||cname-aa.hatarakunavi.net^ +||cname-aa.staffservice-engineering.jp^ +||cname-aa.staffservice-medical.jp^ +||cname-aa.staffservice.co.jp^ +||code.randomhouse.com^ +||collect.allianz-technology.ch^ +||collect.allianz.ch^ +||collect.cap.ch^ +||collect.elvia.ch^ +||collect.helsana-preprod.ch^ +||collect.helsana.ch^ +||collect.vans.com.cn^ +||collect2.allianz.ch^ +||collection.saga.co.uk^ +||collector.betway.be^ +||collector.betway.com^ +||collector.hippodromeonline.com^ +||connectstats.mckesson.com^ +||consent.clientemais.paodeacucar.com^ +||consent.online.paodeacucar.com^ +||contoso-my.sharepoint.com^ +||cookies-adobe.kbc.be^ +||cp.deltadentalwa.com^ +||cs.analytics.lego.com^ +||csmetrics.wilton.com^ +||csvt002.harrisbank.com^ +||csvt005.heretakethewheel.com^ +||csvt009.bmoharris.com^ +||csvti.intuit.ca^ +||csvtq.intuit.co.uk^ +||csvtr.bmo.com^ +||csvtr02.bmocorpmc.com^ +||csvtr05.mosaikbusiness.com^ +||csvtr07.bmoinvestorline.com^ +||csvtr09.bmonesbittburns.com^ +||csvtr10.bmocm.com^ +||csvtr13.bmodelawaretrust.com^ +||csvtt.bmolife.com^ +||csvtu.bmolending.com^ +||cups.republicoftea.com^ +||data-ssl.pnet.co.za^ +||data-ssl.stepstone.at^ +||data-ssl.stepstone.be^ +||data-ssl.stepstone.de^ +||data-ssl.stepstone.fr^ +||data-ssl.stepstone.nl^ +||data-ssl.stepstone.pl^ +||data.2ask.blue.com.hk^ +||data.a.news.aida.de^ +||data.abc.es^ +||data.accenturemkt.adobesandbox.com^ +||data.accentureplcmkt.adobesandbox.com^ +||data.accionista.caixabank.com^ +||data.account.assurancewireless.com^ +||data.account.metrobyt-mobile.com^ +||data.accounts.t-mobile.com^ +||data.accountsamericas.coca-cola.com^ +||data.accountsapac.coca-cola.com^ +||data.accountsemea.coca-cola.com^ +||data.accountslatam.coca-cola.com^ +||data.admin-updates.airmiles.ca^ +||data.aem-sites-internal.adobe.com^ +||data.ajo-demosystem4.adobedemosystem.com^ +||data.ajo2emea.adobevlab.com^ +||data.ajodev.cbussuper.com.au^ +||data.ajopharmabeta.riteaid.com^ +||data.ajostg.cfs.com.au^ +||data.ajostg.colonialfirststate.com.au^ +||data.ajotest.cbussuper.com.au^ +||data.alert.servicenow.com^ +||data.americas.coca-cola.com^ +||data.apac.coca-cola.com^ +||data.articles.ringcentral.com^ +||data.asp.coca-cola.com^ +||data.au-email.princess.com^ +||data.au-guest.princess.com^ +||data.autocasion.com^ +||data.automaticas.realmadrid.com^ +||data.avid.com^ +||data.b.information.blau.de^ +||data.b2bmail.adobe.com^ +||data.bioplanet.be^ +||data.bless.blesscollectionhotels.com^ +||data.boletin.super99.com^ +||data.business.nordea.dk^ +||data.business.nordea.fi^ +||data.business.nordea.no^ +||data.business.nordea.se^ +||data.campagneinformative.inail.it^ +||data.campaign.cfs.com.au^ +||data.campaigns.cbussuper.com.au^ +||data.campaigns.cineplex.com^ +||data.campaigns.colonialfirststate.com.au^ +||data.campaigns.mediasuper.com.au^ +||data.campaigns.therecroom.com^ +||data.canon.club-news.com.hk^ +||data.cart.metrobyt-mobile.com^ +||data.carts.t-mobile.com^ +||data.chelseafc.com^ +||data.client-comms.nedbank.co.za^ +||data.cliente.clubeextra.com.br^ +||data.clientemais.paodeacucar.com^ +||data.clientes.caixabankpc.com^ +||data.clientes.palladiumhotelgroup.com^ +||data.club.costacoffee.in^ +||data.club.costacoffee.pl^ +||data.collectandgo.be^ +||data.collishop.be^ +||data.colruyt.be^ +||data.colruytgroup.com^ +||data.comms.coca-cola.com^ +||data.comms.hestapartners.com.au^ +||data.comms.pokerstars.com^ +||data.comms.pokerstars.fr^ +||data.communicatie.nn.nl^ +||data.communication.guard.me^ +||data.communications.cbussuper.com.au^ +||data.communications.manulife.ca^ +||data.comunicaciones.bancoentrerios.net^ +||data.comunicaciones.bancosanjuan.net^ +||data.comunicaciones.bancosantacruz.net^ +||data.comunicaciones.bancosantafe.net^ +||data.comunicaciones.ficohsa.hn^ +||data.comunicaciones.jetstereo.com^ +||data.comunicaciones.motomundohn.com^ +||data.comunicaciones.solvenza.hn^ +||data.comunicaciones.ultramotorhn.com^ +||data.comunitat.3cat.cat^ +||data.connect.riolasvegas.com^ +||data.connect.riteaid.com^ +||data.connectingthreads.com^ +||data.craftsamericana.com^ +||data.crm-edm.thsrc.com.tw^ +||data.crm.lizearle.com^ +||data.crm.soapandglory.com^ +||data.cs.officedepot.com^ +||data.csdev.officedepot.com^ +||data.customer-success-apac.adobe.com^ +||data.customer.amp.com.au^ +||data.customermail.bioplanet.be^ +||data.customermail.collectandgo.be^ +||data.customermail.colruyt.be^ +||data.customermail.mijnextra.be^ +||data.customermail.mijnxtra.be^ +||data.customermail.sparcolruytgroup.be^ +||data.customermail.syst.colruytgroup.com^ +||data.customermail.test.colruytgroup.com^ +||data.cx.hrhibiza.com^ +||data.cx.palladiumhotelgroup.com^ +||data.cx.theushuaiaexperience.com^ +||data.cxbevents.caixabank.com^ +||data.dats24.be^ +||data.deinfeedback.alditalk-kundenbetreuung.de^ +||data.descubre.interbank.pe^ +||data.dev-ajo.caixabank.com^ +||data.dev-notifications.future.smart.com^ +||data.devbmg.bancobmg.com.br^ +||data.devmail.northeast.aaa.com^ +||data.digital.costco.ca^ +||data.digital.costco.com^ +||data.discover.ringcentral.com^ +||data.dm.casio.com^ +||data.dm.casio.info^ +||data.dow.com^ +||data.dreambaby.be^ +||data.dreamland.be^ +||data.e.adobe.com^ +||data.e.lotteryoffice.com.au^ +||data.e.ringcentral.com^ +||data.e.visionmondiale.ca^ +||data.e.worldvision.ca^ +||data.ear.nespresso.com^ +||data.eat.nespresso.com^ +||data.eau.nespresso.com^ +||data.ebe.nespresso.com^ +||data.ebr.nespresso.com^ +||data.eca.nespresso.com^ +||data.ech.nespresso.com^ +||data.ecl.nespresso.com^ +||data.eco.nespresso.com^ +||data.ecz.nespresso.com^ +||data.ede.nespresso.com^ +||data.edge-cert.emailtechops.net^ +||data.edk.nespresso.com^ +||data.edm.chowtaifook.com^ +||data.education.aware.com.au^ +||data.ees.nespresso.com^ +||data.efr.nespresso.com^ +||data.egr.nespresso.com^ +||data.ehk.nespresso.com^ +||data.ehu.nespresso.com^ +||data.eit.nespresso.com^ +||data.ejp.nespresso.com^ +||data.ekr.nespresso.com^ +||data.elu.nespresso.com^ +||data.em.assurancewireless.com^ +||data.em.macys.com^ +||data.em.officedepot.com^ +||data.em.ringcentral.com^ +||data.em.t-mobile.com^ +||data.em.viking.com^ +||data.em.vikingcruises.com^ +||data.em2.cloudflare.com^ +||data.email-discovery.cjm.adobe.com^ +||data.email-disney.cjm.adobe.com^ +||data.email-kpn.cjm.adobe.com^ +||data.email-lightroom.cjm.adobe.com^ +||data.email-merkle.cjm.adobe.com^ +||data.email-mobiledx.cjm.adobe.com^ +||data.email-signify.cjm.adobe.com^ +||data.email-tsb.cjm.adobe.com^ +||data.email.aida.de^ +||data.email.belgiantrain.be^ +||data.email.gamma.be^ +||data.email.gamma.nl^ +||data.email.gobrightline.com^ +||data.email.hostplus.com.au^ +||data.email.islandsbanki.is^ +||data.email.jet2.com^ +||data.email.jet2holidays.com^ +||data.email.karwei.nl^ +||data.email.key.com^ +||data.email.metrobyt-mobile.com^ +||data.email.podcast.adobe.com^ +||data.email.princess.com^ +||data.email.q8.it^ +||data.email.realmadrid.com^ +||data.email.telmore.dk^ +||data.email.verizon.com^ +||data.email.virginatlantic.com^ +||data.email.yourmessage.aviva.co.uk^ +||data.email.yousee.dk^ +||data.emaillpb.adobe.com^ +||data.emails.aucklandairport.co.nz^ +||data.emails.caixabank.com^ +||data.emails.makro.es^ +||data.emails.makro.nl^ +||data.emails.metro.it^ +||data.emails.metro.ro^ +||data.emails.ringcentral.com^ +||data.emails.vidacaixa.es^ +||data.emailservice.vattenfall.nl^ +||data.emdev.officedepot.com^ +||data.emea.coca-cola.com^ +||data.eml.wegmans.com^ +||data.employercomms.aware.com.au^ +||data.emx.nespresso.com^ +||data.emy.nespresso.com^ +||data.enl.nespresso.com^ +||data.eno.nespresso.com^ +||data.enz.nespresso.com^ +||data.epl.nespresso.com^ +||data.epost.sbanken.no^ +||data.epost.snn.no^ +||data.epsilon.adobesandbox.com^ +||data.ept.nespresso.com^ +||data.erfahrung.o2.de^ +||data.ero.nespresso.com^ +||data.ese.nespresso.com^ +||data.esg.nespresso.com^ +||data.esk.nespresso.com^ +||data.eth.nespresso.com^ +||data.etr.nespresso.com^ +||data.etw.nespresso.com^ +||data.euk.nespresso.com^ +||data.europe.coca-cola.com^ +||data.events.cbussuper.com.au^ +||data.events.pokerstars.dk^ +||data.fans.alexalbon.com^ +||data.fans.realmadrid.com^ +||data.fans.williamsf1.com^ +||data.fundacion.realmadrid.org^ +||data.gc.qantas.com.au^ +||data.giftcards.dev.cjmadobe.com^ +||data.go.bartelldrugs.com^ +||data.grandpalladium.palladiumhotelgroup.com^ +||data.guest.princess.com^ +||data.hardrock.palladiumhotelgroup.com^ +||data.hello.consumercellular.com^ +||data.hk-email.princess.com^ +||data.hk-guest.princess.com^ +||data.hoteles.palladiumhotelgroup.com^ +||data.i.lotteryoffice.com.au^ +||data.i.mysticlake.com^ +||data.ibmnorthamerica.adobesandbox.com^ +||data.info.avianca.com^ +||data.info.aware.com.au^ +||data.info.consumercellular.com^ +||data.info.credit-suisse.com^ +||data.info.ficohsa.com.gt^ +||data.info.ficohsa.com.pa^ +||data.info.gobrightline.com^ +||data.info.jetstereo.com^ +||data.info.lumxpert.signify.com^ +||data.info.metro.fr^ +||data.info.motomundohn.com^ +||data.info.nordea.dk^ +||data.info.nordea.fi^ +||data.info.nordea.no^ +||data.info.nordea.se^ +||data.info.qb.intuit.com^ +||data.info.smart.com^ +||data.info.solvenza.hn^ +||data.info.ultramotorhn.com^ +||data.info.viking.com^ +||data.infobmg.bancobmg.com.br^ +||data.information.ayyildiz.de^ +||data.information.fonic.de^ +||data.information.o2.de^ +||data.information.telefonica.de^ +||data.information.whatsappsim.de^ +||data.inst.socios.realmadrid.com^ +||data.inswa.coca-cola.com^ +||data.investing.questrade.com^ +||data.jp-email.princess.com^ +||data.jp-guest.princess.com^ +||data.keybank.dev.cjmadobe.com^ +||data.latinamerica.coca-cola.com^ +||data.lavozdigital.es^ +||data.lifesize.com^ +||data.loyalty.timhortons.ca^ +||data.lp.eurobet.it^ +||data.m.metro-tr.com^ +||data.m.mysticlake.com^ +||data.m.philadelphiaeagles.com^ +||data.ma1.techvaladobe.com^ +||data.madridista-free.realmadrid.com^ +||data.madridista-premium.realmadrid.com^ +||data.magmail.northeast.aaa.com^ +||data.mail.callme.dk^ +||data.mail.metro.de^ +||data.mail.nn.nl^ +||data.mail.telia.dk^ +||data.mailing.kpn.com^ +||data.mailing.mcafee.com^ +||data.mailing.repsol.com^ +||data.mailtest.lexmei.online^ +||data.markadsmal.islandsbanki.is^ +||data.marketing-madridista-junior.realmadrid.com^ +||data.marketing-offers.airmiles.ca^ +||data.marketing.aeptest.a.intuit.com^ +||data.marketing.bancobmg.com.br^ +||data.marketing.boradetop.com.br^ +||data.marketing.doitbest.com^ +||data.marketing.ecg.magento.com^ +||data.marketing.giftcards.com^ +||data.marketing.onemarketinguxp.com^ +||data.marketing.perficientdemo.com^ +||data.marketing.smart.com^ +||data.marketing.stark.dk^ +||data.marketing.super99.com^ +||data.marketing.williamsf1.com^ +||data.marketingbmg.bancobmg.com.br^ +||data.member.aware.com.au^ +||data.member.unitedhealthcare.com^ +||data.membership.chowtaifook.com^ +||data.message.aircanada.com^ +||data.mkt.qb.intuit.com^ +||data.mktg.nfl.com^ +||data.mmail.northeast.aaa.com^ +||data.msg.wegmans.com^ +||data.msgs.westpac.com.au^ +||data.myhealth.riteaid.com^ +||data.nedbanktest.dev.cjmadobe.com^ +||data.news.airmiles.ca^ +||data.news.blesscollectionhotels.com^ +||data.news.eurobet.it^ +||data.news.lumxpert.signify.com^ +||data.news.palladiumhotelgroup.com^ +||data.news.paypal.com^ +||data.news.riyadhair.com^ +||data.news.wizconnected.com^ +||data.newsletter.avianca.com^ +||data.newsletter.italia.it^ +||data.newsletter.seasmiles.com^ +||data.noreply.timhortons.ca^ +||data.noreply.timsfinancial.ca^ +||data.northeast.aaa.com^ +||data.notice.assurancewireless.com^ +||data.notice.metrobyt-mobile.com^ +||data.notice.t-mobile.com^ +||data.notificaciones.ficohsa.com^ +||data.notification.giftcards.com^ +||data.notification.servicenow.com^ +||data.notifications.mylighting.signify.com^ +||data.notifications.portal.cooperlighting.com^ +||data.notifications.portal.signify.com^ +||data.notifications.riolasvegas.com^ +||data.okay.be^ +||data.online.clubeextra.com.br^ +||data.online.paodeacucar.com^ +||data.onlyyou.palladiumhotelgroup.com^ +||data.orders.costco.com^ +||data.outbound.luxair.lu^ +||data.page.worldvision.ca^ +||data.partner-offers.airmiles.ca^ +||data.partner-updates.airmiles.ca^ +||data.pharmacyservices.riteaid.com^ +||data.phg.palladiumhotelgroup.com^ +||data.pisos.com^ +||data.pnet.co.za^ +||data.prewards.palladiumhotelgroup.com^ +||data.promo.timhortons.ca^ +||data.promo.timhortons.com^ +||data.promos.timsfinancial.ca^ +||data.promotions.riolasvegas.com^ +||data.publicis-sapient-global-aep.publicissapient.com^ +||data.purchase.riteaid.com^ +||data.qaegift.giftcards.com^ +||data.qamailing.mcafee.com^ +||data.qamarketing.giftcards.com^ +||data.resources.ringcentral.com^ +||data.rewards.riteaid.com^ +||data.rmsocio.realmadrid.com^ +||data.securemetrics-apple.com^ +||data.service.aware.com.au^ +||data.service.cfs.com.au^ +||data.service.colonialfirststate.com.au^ +||data.service.manulife.ca^ +||data.service.miumiu.com^ +||data.service.paypal.com^ +||data.service.prada.com^ +||data.service.wizconnected.com^ +||data.services.telia.dk^ +||data.servicing.key.com^ +||data.sg-email.princess.com^ +||data.sg-guest.princess.com^ +||data.shop.williamsf1.com^ +||data.sm.princess.com^ +||data.smartinfo.future.smart.com^ +||data.smartmkt.future.smart.com^ +||data.smspromo.consumercellular.com^ +||data.socio.realmadrid.net^ +||data.stage-mail.fpl.com^ +||data.stage-message.aircanada.com^ +||data.stage-notifications.future.smart.com^ +||data.stageegift.giftcards.com^ +||data.stagemailing.mcafee.com^ +||data.stagemarketing.giftcards.com^ +||data.stageno.reply.fpl.com^ +||data.stepstone.be^ +||data.stepstone.de^ +||data.stepstone.nl^ +||data.surveys.aware.com.au^ +||data.t.epost.dnb.no^ +||data.t.worldvision.ca^ +||data.tc.jetstar.com^ +||data.thepointsguy.com^ +||data.tmail.northeast.aaa.com^ +||data.transaction.giftcards.com^ +||data.transactional.williamsf1.com^ +||data.trn.qb.intuit.com^ +||data.trx.costco.ca^ +||data.trx.costco.com^ +||data.tw-email.princess.com^ +||data.tw-guest.princess.com^ +||data.txn.puntoscolombia.com^ +||data.uk-email.princess.com^ +||data.uk-guest.princess.com^ +||data.umfrage.aetkasmart.de^ +||data.umfrage.ayyildiz.de^ +||data.umfrage.blau.de^ +||data.umfrage.nettokom.de^ +||data.umfrage.whatsappsim.de^ +||data.vinsolutions.com^ +||data.voyager.dev.cjmadobe.com^ +||data.web.doitbest.com^ +||data.welcome.realmadrid.com^ +||data.wunderman-email.cjm.adobe.com^ +||data.yashir.5555555.co.il^ +||data.yashir.9mil.co.il^ +||data.your.hesta.com.au^ +||data.your.hestaformercy.com.au^ +||data0.bell.ca^ +||data0.sympatico.ca^ +||data0.virginmobile.ca^ +||data1.bell.ca^ +||data1.sparkasse.at^ +||data1.virginmobile.ca^ +||data1.virginplus.ca^ +||datas.connectingthreads.com^ +||datas.knitpicks.com^ +||dc.audi.com^ +||dc.kfz-steuercheck.de^ +||dc.luzygas.ahorraconrepsol.com^ +||dc.madridistas.com^ +||dc.realmadrid.com^ +||dc.realmadridnext.com^ +||dc.reiseversicherung.de^ +||dc.repsol.com^ +||dc.repsol.es^ +||dc.stenaline.co.uk^ +||dc.stenaline.com^ +||dc.stenaline.cz^ +||dc.stenaline.de^ +||dc.stenaline.dk^ +||dc.stenaline.ee^ +||dc.stenaline.es^ +||dc.stenaline.fi^ +||dc.stenaline.fr^ +||dc.stenaline.ie^ +||dc.stenaline.it^ +||dc.stenaline.lt^ +||dc.stenaline.lv^ +||dc.stenaline.nl^ +||dc.stenaline.no^ +||dc.stenaline.pl^ +||dc.stenaline.ru^ +||dc.stenaline.se^ +||dc.stenalinetravel.com^ +||dc.tuenergia.repsol.com^ +||dc.waylet.es^ +||dc2.credit-suisse.com^ +||dcs.audi.com^ +||dcs.esprit.at^ +||dcs.esprit.au^ +||dcs.esprit.be^ +||dcs.esprit.co.uk^ +||dcs.esprit.com^ +||dcs.esprit.cz^ +||dcs.esprit.de^ +||dcs.esprit.dk^ +||dcs.esprit.es^ +||dcs.esprit.eu^ +||dcs.esprit.fi^ +||dcs.esprit.fr^ +||dcs.esprit.hk^ +||dcs.esprit.kr^ +||dcs.esprit.nl^ +||dcs.esprit.ph^ +||dcs.esprit.se^ +||dcs.esprit.sg^ +||dcs.esprit.tw^ +||dcs.esprit.us^ +||dcs.espritshop.ch^ +||dcs.espritshop.it^ +||dcs.espritshop.pl^ +||dcs.plussizetech.com^ +||dcs.reiseversicherung.de^ +||delivery.lululemon.com^ +||demo.emaillpb.adobe.com^ +||desuscripcion.phg.palladiumhotelgroup.com^ +||dev.email-signify.cjm.adobe.com^ +||di2.zooplus.es^ +||digistat.westjet.com^ +||digistats.westjet.com^ +||dii1.bitiba.be^ +||dii1.bitiba.cz^ +||dii1.bitiba.de^ +||dii1.bitiba.dk^ +||dii1.bitiba.fi^ +||dii1.bitiba.fr^ +||dii1.bitiba.it^ +||dii1.bitiba.pl^ +||dii1.zoochic-eu.ru^ +||dii1.zoohit.cz^ +||dii1.zoohit.si^ +||dii1.zoohit.sk^ +||dii1.zooplus.at^ +||dii1.zooplus.be^ +||dii1.zooplus.bg^ +||dii1.zooplus.ch^ +||dii1.zooplus.co.uk^ +||dii1.zooplus.com^ +||dii1.zooplus.de^ +||dii1.zooplus.dk^ +||dii1.zooplus.fi^ +||dii1.zooplus.fr^ +||dii1.zooplus.gr^ +||dii1.zooplus.hr^ +||dii1.zooplus.hu^ +||dii1.zooplus.ie^ +||dii1.zooplus.it^ +||dii1.zooplus.nl^ +||dii1.zooplus.no^ +||dii1.zooplus.pl^ +||dii1.zooplus.pt^ +||dii1.zooplus.ro^ +||dii1.zooplus.se^ +||dii2.bitiba.be^ +||dii2.bitiba.ch^ +||dii2.bitiba.co.uk^ +||dii2.bitiba.cz^ +||dii2.bitiba.de^ +||dii2.bitiba.dk^ +||dii2.bitiba.es^ +||dii2.bitiba.fi^ +||dii2.bitiba.fr^ +||dii2.bitiba.it^ +||dii2.bitiba.nl^ +||dii2.bitiba.pl^ +||dii2.bitiba.se^ +||dii2.shpd.ext.zooplus.io^ +||dii2.shpp.ext.zooplus.io^ +||dii2.zoobee.de^ +||dii2.zoochic-eu.ru^ +||dii2.zoohit.cz^ +||dii2.zoohit.si^ +||dii2.zoohit.sk^ +||dii2.zooplus.at^ +||dii2.zooplus.be^ +||dii2.zooplus.bg^ +||dii2.zooplus.ch^ +||dii2.zooplus.co.uk^ +||dii2.zooplus.com^ +||dii2.zooplus.de^ +||dii2.zooplus.dk^ +||dii2.zooplus.es^ +||dii2.zooplus.fi^ +||dii2.zooplus.fr^ +||dii2.zooplus.gr^ +||dii2.zooplus.hr^ +||dii2.zooplus.hu^ +||dii2.zooplus.ie^ +||dii2.zooplus.it^ +||dii2.zooplus.nl^ +||dii2.zooplus.no^ +||dii2.zooplus.pl^ +||dii2.zooplus.pt^ +||dii2.zooplus.ro^ +||dii2.zooplus.se^ +||dii3.bitiba.be^ +||dii3.bitiba.ch^ +||dii3.bitiba.co.uk^ +||dii3.bitiba.cz^ +||dii3.bitiba.de^ +||dii3.bitiba.dk^ +||dii3.bitiba.es^ +||dii3.bitiba.fi^ +||dii3.bitiba.fr^ +||dii3.bitiba.it^ +||dii3.bitiba.nl^ +||dii3.bitiba.pl^ +||dii3.bitiba.se^ +||dii3.zoochic-eu.ru^ +||dii3.zoohit.cz^ +||dii3.zoohit.si^ +||dii3.zoohit.sk^ +||dii3.zooplus.at^ +||dii3.zooplus.be^ +||dii3.zooplus.bg^ +||dii3.zooplus.ch^ +||dii3.zooplus.co.uk^ +||dii3.zooplus.com^ +||dii3.zooplus.de^ +||dii3.zooplus.dk^ +||dii3.zooplus.es^ +||dii3.zooplus.fi^ +||dii3.zooplus.fr^ +||dii3.zooplus.gr^ +||dii3.zooplus.hr^ +||dii3.zooplus.hu^ +||dii3.zooplus.ie^ +||dii3.zooplus.it^ +||dii3.zooplus.nl^ +||dii3.zooplus.no^ +||dii3.zooplus.pl^ +||dii3.zooplus.pt^ +||dii3.zooplus.ro^ +||dii3.zooplus.se^ +||dii4.bitiba.be^ +||dii4.bitiba.ch^ +||dii4.bitiba.co.uk^ +||dii4.bitiba.cz^ +||dii4.bitiba.de^ +||dii4.bitiba.dk^ +||dii4.bitiba.es^ +||dii4.bitiba.fi^ +||dii4.bitiba.fr^ +||dii4.bitiba.it^ +||dii4.bitiba.nl^ +||dii4.bitiba.pl^ +||dii4.bitiba.se^ +||dii4.zoochic-eu.ru^ +||dii4.zoohit.cz^ +||dii4.zoohit.si^ +||dii4.zoohit.sk^ +||dii4.zooplus.at^ +||dii4.zooplus.be^ +||dii4.zooplus.bg^ +||dii4.zooplus.ch^ +||dii4.zooplus.co.uk^ +||dii4.zooplus.com^ +||dii4.zooplus.de^ +||dii4.zooplus.dk^ +||dii4.zooplus.es^ +||dii4.zooplus.fi^ +||dii4.zooplus.fr^ +||dii4.zooplus.gr^ +||dii4.zooplus.hr^ +||dii4.zooplus.hu^ +||dii4.zooplus.ie^ +||dii4.zooplus.it^ +||dii4.zooplus.nl^ +||dii4.zooplus.no^ +||dii4.zooplus.pl^ +||dii4.zooplus.pt^ +||dii4.zooplus.ro^ +||dii4.zooplus.se^ +||dm-target.fishersci.com^ +||dm-target.thermofisher.com^ +||dplp1.ibmnorthamerica.adobesandbox.com^ +||dtmssl.bobcat.com^ +||dxaop.bcbsla.com^ +||dxop.bcbsla.com^ +||ecn-analytics-nssl.emc.com^ +||ecn-analytics.emc.com^ +||ecu.hagerty.com^ +||edge.afco.com^ +||edge.bell.ca^ +||edge.bigbrothercanada.ca^ +||edge.bridgetrusttitle.com^ +||edge.cafo.com^ +||edge.foodnetwork.ca^ +||edge.globaltv.com^ +||edge.grandbridge.com^ +||edge.hgtv.ca^ +||edge.historiatv.ca^ +||edge.history.ca^ +||edge.mcgriff.com^ +||edge.regionalacceptance.com^ +||edge.seriesplus.com^ +||edge.sheffieldfinancial.com^ +||edge.stacktv.ca^ +||edge.sterlingcapital.com^ +||edge.teletoonplus.ca^ +||edge.treehousetv.com^ +||edge.truist.com^ +||edge.truistmomentum.com^ +||edge.truistsecurities.com^ +||edge.wnetwork.com^ +||edgedc.falabella.com^ +||electronics.sony-latin.com^ +||em.em.officedepot.com^ +||emetrics.bose.ca^ +||emetrics.bose.com^ +||erutinmos.snagajob.com^ +||experience.acs.org.au^ +||experience.amp.co.nz^ +||experience.asb.co.nz^ +||experience.deceuninck.be^ +||experience.fbbrands.com^ +||experiences.cibc.com^ +||experiences.simplii.com^ +||fipsta.ravensberger-matratzen.de^ +||fipsta.urbanara.at^ +||fipsta.urbanara.co.uk^ +||fipsta.worldfitness.de^ +||firstparty.alloyio.com^ +||flashplayerfeedback.adobe.com^ +||forbes.realclearpolitics.com^ +||form.e.silverfernfarms.com^ +||fpc.changehealthcare.com^ +||fpc.firemountaingems.com^ +||fpcs.firemountaingems.com^ +||fpida.amphi.jp^ +||fpida.bodybook.jp^ +||fpida.cw-x.jp^ +||fpida.lingenoel.co.jp^ +||fpida.successwalk.jp^ +||fpida.une-nana-cool.com^ +||fpida.w-wing.jp^ +||fpida.wacoal.co.jp^ +||fpida.wacoalholdings.jp^ +||fpida.yue-japan.com^ +||fpssl-monitor-dal.omniture.com^ +||furnishings.bellacor.com^ +||gms.greatschools.org^ +||go2.ringcentral.com^ +||gw-analytics.panasonic.com^ +||hits.guardian.co.uk^ +||home.usg.com^ +||hqmetrics.sony.com^ +||hub.firestonecompleteautocare.com^ +||hubmetric.samsclub.com^ +||hubmetrics.samsclub.com^ +||i.americanblinds.com^ +||i.blinds.ca^ +||i.paypal.com^ +||icas.ikea.com^ +||icas.ikea.net^ +||ig.ig.com^ +||ig.igmarkets.com^ +||ig.nadex.com^ +||ik8uf01fm7neloo9.edge41.testandtarget.omniture.com^ +||img.biospace.com^ +||img.bwin.be^ +||img.bwin.com.mx^ +||img.bwin.com^ +||img.bwin.es^ +||img.bwin.it^ +||img.gamebookers.com^ +||img.healthecareers.com^ +||img.interhome.ch^ +||img.interhome.com^ +||img.interhome.se^ +||img.simply.bwin.com^ +||img.yemeksepeti.com^ +||incs.get-go.com^ +||incs.marketdistrict.com^ +||info.afl.com.au^ +||info.americas.coca-cola.com^ +||info.apac.coca-cola.com^ +||info.comms.coca-cola.com^ +||info.emea.coca-cola.com^ +||info.inswa.coca-cola.com^ +||info.latinamerica.coca-cola.com^ +||info.m.seek.co.nz^ +||info.m.seek.com.au^ +||info.penrithpanthers.com.au^ +||info.seaeagles.com.au^ +||info.seek.com^ +||info.sensis.com.au^ +||info.telstra.com.au^ +||info.telstra.com^ +||info.truelocal.com.au^ +||info.weststigers.com.au^ +||info.whitepages.com.au^ +||informatie.communicatie.nn.nl^ +||informatie.mail.nn.nl^ +||infos.anz-originator.com.au^ +||infos.anz.com.au^ +||infos.anz.com^ +||infos.anzmortgagesolutions.com.au^ +||infos.anzsmartchoice.com.au^ +||infos.b2dreamlab.com^ +||infos.belong.com.au^ +||infos.telstra.com.au^ +||infos.telstra.com^ +||infos.vodafone.com.au^ +||infos.whereis.com^ +||infos.whitepages.com.au^ +||infos.yellow.com.au^ +||insights.academy.com^ +||insights.bodogaffiliate.com^ +||insights.morrismohawk.ca^ +||insights.zinio.com^ +||iqmetrics.11freunde.de^ +||iqmetrics.ariva.de^ +||iqmetrics.btc-echo.de^ +||iqmetrics.cicero.de^ +||iqmetrics.del-2.org^ +||iqmetrics.dus.com^ +||iqmetrics.faz.net^ +||iqmetrics.forschung-und-wissen.de^ +||iqmetrics.freitag.de^ +||iqmetrics.hamburg-airport.de^ +||iqmetrics.handelsblatt.com^ +||iqmetrics.manager-magazin.de^ +||iqmetrics.marktundmittelstand.de^ +||iqmetrics.monopol-magazin.de^ +||iqmetrics.scinexx.de^ +||iqmetrics.spektrum.de^ +||iqmetrics.spiegel.de^ +||iqmetrics.sueddeutsche.de^ +||iqmetrics.tagesspiegel.de^ +||iqmetrics.wissen.de^ +||iqmetrics.wissenschaft.de^ +||iqmetrics.wiwo.de^ +||iqmetrics.zeit.de^ +||jinair.nsc.jinair.com^ +||jinair.sc.jinair.com^ +||journeys.journeyed.com^ +||jpaatr.astellas.jp^ +||jptgtr.astellas.jp^ +||kohlermetrics.kohler.com^ +||kohlermetricssecure.kohler.com^ +||l.dev-ajo.caixabank.com^ +||l.dm.casio.info^ +||l.training-page.worldvision.ca^ +||landing.lp.eurobet.it^ +||landing.madridista-free.realmadrid.com^ +||landingpage.emaillpb.adobe.com^ +||lewis.gct.com^ +||live.comunicaciones.jetstereo.com^ +||lp.b2bmail.adobe.com^ +||lp.club.costacoffee.in^ +||lp.club.costacoffee.pl^ +||lp.communications.manulife.ca^ +||lp.demo1.demoamericas275.adobe.com^ +||lp.demo10.demoamericas275.adobe.com^ +||lp.demo11.demoamericas275.adobe.com^ +||lp.demo12.demoamericas275.adobe.com^ +||lp.demo13.demoamericas275.adobe.com^ +||lp.demo14.demoamericas275.adobe.com^ +||lp.demo15.demoamericas275.adobe.com^ +||lp.demo16.demoamericas275.adobe.com^ +||lp.demo17.demoamericas275.adobe.com^ +||lp.demo18.demoamericas275.adobe.com^ +||lp.demo19.demoamericas275.adobe.com^ +||lp.demo2.demoamericas275.adobe.com^ +||lp.demo20.demoamericas275.adobe.com^ +||lp.demo3.demoamericas275.adobe.com^ +||lp.demo4.demoamericas275.adobe.com^ +||lp.demo5.demoamericas275.adobe.com^ +||lp.demo6.demoamericas275.adobe.com^ +||lp.demo7.demoamericas275.adobe.com^ +||lp.demo8.demoamericas275.adobe.com^ +||lp.demo9.demoamericas275.adobe.com^ +||lp.dmillersb.journeyusshared.adobe.com^ +||lp.dmillersbdev.journeyusshared.adobe.com^ +||lp.em.viking.com^ +||lp.email-kpn.cjm.adobe.com^ +||lp.email-lightroom.cjm.adobe.com^ +||lp.email-merkle.cjm.adobe.com^ +||lp.hol1.demoamericas275.adobe.com^ +||lp.hol10.demoamericas275.adobe.com^ +||lp.hol11.demoamericas275.adobe.com^ +||lp.hol12.demoamericas275.adobe.com^ +||lp.hol13.demoamericas275.adobe.com^ +||lp.hol14.demoamericas275.adobe.com^ +||lp.hol15.demoamericas275.adobe.com^ +||lp.hol16.demoamericas275.adobe.com^ +||lp.hol17.demoamericas275.adobe.com^ +||lp.hol18.demoamericas275.adobe.com^ +||lp.hol19.demoamericas275.adobe.com^ +||lp.hol2.demoamericas275.adobe.com^ +||lp.hol20.demoamericas275.adobe.com^ +||lp.hol4.demoamericas275.adobe.com^ +||lp.hol5.demoamericas275.adobe.com^ +||lp.hol6.demoamericas275.adobe.com^ +||lp.hol7.demoamericas275.adobe.com^ +||lp.hol8.demoamericas275.adobe.com^ +||lp.jkowalskisb.journeyusshared.adobe.com^ +||lp.jkowalskisbdev.journeyusshared.adobe.com^ +||lp.kkaufmansb.journeyusshared.adobe.com^ +||lp.owarnersb.journeyusshared.adobe.com^ +||lp.owarnersbdev.journeyusshared.adobe.com^ +||lptest.email-mobiledx.cjm.adobe.com^ +||m.communications.ihmvcu.org^ +||m.delltechnologies.com^ +||m.edweek.org^ +||m.olympia.it^ +||m.sm.princess.com^ +||m.topschooljobs.org^ +||m.trb.com^ +||m.univision.com^ +||maling.dn.no^ +||marketing.news.riyadhair.com^ +||matrix.hbo.com^ +||matrix.itshboanytime.com^ +||mbox.wegmans.com^ +||mbox12.offermatica.com^ +||mbox4.offermatica.com^ +||mbox5.offermatica.com^ +||mbox9.offermatica.com^ +||mbox9e.offermatica.com^ +||mcdmetric.aaa.com^ +||mcdmetrics.aaa.com^ +||mcdmetrics2.aaa.com^ +||mdws.1stchoicesavings.ca^ +||mdws.advancesavings.ca^ +||mdws.aldergrovecu.ca^ +||mdws.assiniboine.mb.ca^ +||mdws.banquelaurentienne.ca^ +||mdws.battlerivercreditunion.com^ +||mdws.beaubear.ca^ +||mdws.belgianalliancecu.mb.ca^ +||mdws.bergengrencu.com^ +||mdws.biggarcu.com^ +||mdws.bowvalleycu.com^ +||mdws.caissepopclare.com^ +||mdws.caseracu.ca^ +||mdws.cccu.ca^ +||mdws.ccunl.ca^ +||mdws.cdcu.com^ +||mdws.chinookcu.com^ +||mdws.chinookfinancial.com^ +||mdws.coastalfinancial.ca^ +||mdws.communitycreditunion.ns.ca^ +||mdws.communityfirst-cu.com^ +||mdws.communitytrust.ca^ +||mdws.consolidatedcreditu.com^ +||mdws.copperfin.ca^ +||mdws.cornerstonecu.com^ +||mdws.cua.com^ +||mdws.cvcu.bc.ca^ +||mdws.cwbank.com^ +||mdws.diamondnorthcu.com^ +||mdws.eaglerivercu.com^ +||mdws.eastcoastcu.ca^ +||mdws.easternedgecu.com^ +||mdws.eccu.ca^ +||mdws.ekccu.com^ +||mdws.encompasscu.ca^ +||mdws.enderbycreditunion.com^ +||mdws.envisionfinancial.ca^ +||mdws.estoniancu.com^ +||mdws.firstcu.ca^ +||mdws.firstontariocu.com^ +||mdws.fnbc.ca^ +||mdws.frontlinecu.com^ +||mdws.ganaraskacu.com^ +||mdws.gvccu.com^ +||mdws.hmecu.com^ +||mdws.icsavings.ca^ +||mdws.innovationcu.ca^ +||mdws.inovacreditunion.coop^ +||mdws.integriscu.ca^ +||mdws.interiorsavings.com^ +||mdws.islandsavings.ca^ +||mdws.kawarthacu.com^ +||mdws.lakelandcreditunion.com^ +||mdws.ldcu.ca^ +||mdws.lecu.ca^ +||mdws.leroycu.ca^ +||mdws.luminusfinancial.com^ +||mdws.minnedosacu.mb.ca^ +||mdws.montaguecreditu.com^ +||mdws.morellcreditu.com^ +||mdws.mvcu.ca^ +||mdws.nelsoncu.com^ +||mdws.newrosscreditunion.ca^ +||mdws.nivervillecu.mb.ca^ +||mdws.nlcu.com^ +||mdws.northerncu.com^ +||mdws.northsave.com^ +||mdws.northsydneycreditunion.com^ +||mdws.noventis.ca^ +||mdws.npscu.ca^ +||mdws.omista.com^ +||mdws.pccu.ca^ +||mdws.peacehills.com^ +||mdws.penfinancial.com^ +||mdws.portagecu.mb.ca^ +||mdws.prospera.ca^ +||mdws.provincialcu.com^ +||mdws.provincialemployees.com^ +||mdws.pscu.ca^ +||mdws.revcu.com^ +||mdws.rpcul.com^ +||mdws.samplecu.com^ +||mdws.sdcu.com^ +||mdws.shellcu.com^ +||mdws.southwestcu.com^ +||mdws.stridecu.ca^ +||mdws.sudburycu.com^ +||mdws.sunrisecu.mb.ca^ +||mdws.sunshineccu.com^ +||mdws.sydneycreditunion.com^ +||mdws.tandia.com^ +||mdws.tcufinancialgroup.com^ +||mdws.teachersplus.ca^ +||mdws.tignishcreditu.com^ +||mdws.ubcu.ca^ +||mdws.ukrainiancu.com^ +||mdws.unitycu.ca^ +||mdws.valleycreditunion.com^ +||mdws.valleyfirst.com^ +||mdws.vancity.com^ +||mdws.vantageone.net^ +||mdws.venturecu.ca^ +||mdws.vermilioncreditunion.com^ +||mdws.victorycreditunion.ca^ +||mdws.visioncu.ca^ +||mdws.wetaskiwincreditunion.com^ +||mdws.weyburncu.ca^ +||mdws.wfcu.ca^ +||mdws.wldcu.com^ +||mdws.wpcu.ca^ +||mdws.wscu.com^ +||mdws.yourcu.com^ +||med.androderm.com^ +||med.aptalispharma.com^ +||med.armourthyroid.com^ +||med.asacolhdhcp.com^ +||med.bystolic.com^ +||med.bystolichcp.com^ +||med.bystolicsavings.com^ +||med.cerexa.com^ +||med.dalvance.com^ +||med.delzicol.com^ +||med.fetzima.com^ +||med.fetzimahcp.com^ +||med.frxis.com^ +||med.gelnique.com^ +||med.liletta.com^ +||med.lilettahcp.com^ +||med.linzess.com^ +||med.linzesshcp.com^ +||med.live2thrive.org^ +||med.myandroderm.com^ +||med.namenda.com^ +||med.namzaric.com^ +||med.rectiv.com^ +||med.saphris.com^ +||med.savella.com^ +||med.savellahcp.com^ +||med.teflaro.com^ +||med.viibryd.com^ +||med.viibrydhcp.com^ +||med.vraylar.com^ +||meds.androderm.com^ +||meds.asacolhdhcp.com^ +||meds.avycaz.com^ +||meds.bystolicsavings.com^ +||meds.delzicol.com^ +||meds.fetzima.com^ +||meds.liletta.com^ +||meds.lilettahcp.com^ +||meds.linzess.com^ +||meds.linzesshcp.com^ +||meds.rapaflo.com^ +||meds.savella.com^ +||meds.viibryd.com^ +||meds.viibrydhcp.com^ +||met.jasperforge.org^ +||met.sewell.com^ +||met1.hp.com^ +||met2.hp.com^ +||metc.banfield.com^ +||metric-nonssl.nomura.co.jp^ +||metric.1035thearrow.com^ +||metric.4imprint.com^ +||metric.alexandani.com^ +||metric.angieslist.com^ +||metric.armstrong.com^ +||metric.armstrongceilings.com^ +||metric.asos.com^ +||metric.asos.de^ +||metric.atg.se^ +||metric.atlanta.net^ +||metric.australiansuper.com^ +||metric.barclaycardus.com^ +||metric.baylorhealth.com^ +||metric.billmelater.com^ +||metric.bostonscientific.com^ +||metric.caixabank.es^ +||metric.carview.co.jp^ +||metric.ch.nissan.co.jp^ +||metric.changiairport.com^ +||metric.cort.com^ +||metric.crateandbarrel.com^ +||metric.cshgreenwich.org^ +||metric.dertour.de^ +||metric.drsfostersmith.com^ +||metric.duluthtrading.com^ +||metric.emerils.com^ +||metric.fatcatalog.com^ +||metric.foodbusinessnews.net^ +||metric.fxdd.com^ +||metric.genesis.es^ +||metric.golfnow.com^ +||metric.handmark.com^ +||metric.hilton.com^ +||metric.iccu.com^ +||metric.ing.es^ +||metric.ingdirect.es^ +||metric.its.de^ +||metric.jahnreisen.de^ +||metric.jeppesen.com^ +||metric.lacaixa.es^ +||metric.lan.com^ +||metric.langhamhotels.com^ +||metric.lo.movement.com^ +||metric.longhornsteakhouse.com^ +||metric.m.nissan-global.com^ +||metric.makemytrip.com^ +||metric.mars.com^ +||metric.matchesfashion.com^ +||metric.meatpoultry.com^ +||metric.mein-its.de^ +||metric.melectronics.ch^ +||metric.millenniumhotels.com^ +||metric.morganshotelgroup.com^ +||metric.movement.com^ +||metric.napster.com^ +||metric.nissan.co.uk^ +||metric.nissan.cz^ +||metric.nissan.de^ +||metric.nissan.es^ +||metric.nissan.lt^ +||metric.nissan.lv^ +||metric.nissan.nl^ +||metric.nissan.no^ +||metric.nissan.sk^ +||metric.nissan.ua^ +||metric.nomura.co.jp^ +||metric.northeast.aaa.com^ +||metric.nrma.com.au^ +||metric.octanner.com^ +||metric.olivegarden.com^ +||metric.optum.com^ +||metric.panpacific.com^ +||metric.pepboys.com^ +||metric.philosophy.com^ +||metric.polyone.com^ +||metric.postoffice.co.uk^ +||metric.publicstorage.com^ +||metric.redlobster.com^ +||metric.rent.com^ +||metric.restockit.com^ +||metric.revolutionhealth.com^ +||metric.samsclub.com^ +||metric.schooloutfitters.com^ +||metric.schwab.com^ +||metric.schwabinstitutional.com^ +||metric.sciencemag.org^ +||metric.sdl.com^ +||metric.seetorontonow.com^ +||metric.serena.com^ +||metric.shop.com^ +||metric.thecapitalgrille.com^ +||metric.timewarnercable.com^ +||metric.toyotacertificados.com^ +||metric.toyotacertified.com^ +||metric.trulia.com^ +||metric.tsite.jp^ +||metric.vodacom.co.za^ +||metric.vodafone.com.eg^ +||metric.vodafone.hu^ +||metric.volkswagen-nutzfahrzeuge.de^ +||metric.volkswagen.com^ +||metric.volkswagen.de^ +||metric.volkswagen.es^ +||metric.volkswagen.ie^ +||metric.volkswagen.pl^ +||metric.wilsonelectronics.com^ +||metric.worldcat.org^ +||metric.yardhouse.com^ +||metricas.agzero.com.br^ +||metrics-ieeexplore.ieee.org^ +||metrics-target.siriusxm.com^ +||metrics.1800contacts.com^ +||metrics.24hourfitness.com^ +||metrics.28degreescard.com.au^ +||metrics.3838.com^ +||metrics.3m.com^ +||metrics.48.ie^ +||metrics.aa.com^ +||metrics.aavacations.com^ +||metrics.abbott.co.in^ +||metrics.abbott.co.jp^ +||metrics.abbott.com^ +||metrics.abbott^ +||metrics.abbottbrasil.com.br^ +||metrics.abbvie.com^ +||metrics.abercrombie.com^ +||metrics.absolute.com^ +||metrics.absolutetotalcare.com^ +||metrics.academy.com^ +||metrics.acbj.com^ +||metrics.accuweather.com^ +||metrics.acehardware.com^ +||metrics.actemrahcp.com^ +||metrics.activase.com^ +||metrics.activecommunities.com^ +||metrics.adacreisen.de^ +||metrics.adage.com^ +||metrics.adelaidenow.com.au^ +||metrics.adiglobal.us^ +||metrics.adobe.nb.com^ +||metrics.adobe.nbprivatewealth.com^ +||metrics.adt.com^ +||metrics.advancedmd.com^ +||metrics.aem.playstation.com^ +||metrics.aetn.com^ +||metrics.aetnamedicare.com^ +||metrics.affymetrix.com^ +||metrics.agentprovocateur.com^ +||metrics.agilent.com^ +||metrics.agtechnavigator.com^ +||metrics.aia.com^ +||metrics.aircanada.com^ +||metrics.airtran.com^ +||metrics.airtv.net^ +||metrics.alabama.aaa.com^ +||metrics.alecensa.com^ +||metrics.alexandani.com^ +||metrics.alienware.com^ +||metrics.allaboutyou.com^ +||metrics.allegisgroup.com^ +||metrics.allianz.com.au^ +||metrics.allianzlife.com^ +||metrics.allstate.com^ +||metrics.ally.com^ +||metrics.alpo.com^ +||metrics.ambetterhealth.com^ +||metrics.amd.com^ +||metrics.ameise.de^ +||metrics.american-airlines.nl^ +||metrics.americanairlines.be^ +||metrics.americanairlines.cl^ +||metrics.americanairlines.co.cr^ +||metrics.americanairlines.jp^ +||metrics.americanblinds.com^ +||metrics.americancentury.com^ +||metrics.americaninno.com^ +||metrics.americansignaturefurniture.com^ +||metrics.amersports.com^ +||metrics.amg.com^ +||metrics.amgfunds.com^ +||metrics.amplifon.com^ +||metrics.ancestry.ca^ +||metrics.ancestry.com.au^ +||metrics.ancestry.com^ +||metrics.ancestry.de^ +||metrics.angelinaballerina.com^ +||metrics.angi.com^ +||metrics.angieslist.com^ +||metrics.anhi.org^ +||metrics.anixter.com^ +||metrics.anntaylor.com^ +||metrics.ansys.com^ +||metrics.antena3.com^ +||metrics.anthem.com^ +||metrics.apartments.com^ +||metrics.apps.ge.com^ +||metrics.argenta.be^ +||metrics.argenta.eu^ +||metrics.argos.co.uk^ +||metrics.arkansastotalcare.com^ +||metrics.armstrong.com^ +||metrics.armstrongceilings.com^ +||metrics.armstrongflooring.com^ +||metrics.army.mod.uk^ +||metrics.as.com^ +||metrics.asos.com^ +||metrics.assurances-bnc.ca^ +||metrics.assurancewireless.com^ +||metrics.assuranthealth.com^ +||metrics.astrogaming.com^ +||metrics.asumag.com^ +||metrics.asurion.com^ +||metrics.asx.com.au^ +||metrics.atresmedia.com^ +||metrics.au.com^ +||metrics.audi.co.uk^ +||metrics.austar.com.au^ +||metrics.australiansuper.com^ +||metrics.autoclubmo.aaa.com^ +||metrics.avalara.com^ +||metrics.avastin-hcp.com^ +||metrics.aviationweek.com^ +||metrics.avnet.com^ +||metrics.axs.com^ +||metrics.babycenter.de^ +||metrics.baitoru-id.com^ +||metrics.baitoru.com^ +||metrics.baitorupro.com^ +||metrics.bakeryandsnacks.com^ +||metrics.bakeryawards.co.uk^ +||metrics.bakeryinfo.co.uk^ +||metrics.bananarepublic.eu^ +||metrics.bancobmg.com.br^ +||metrics.bankatfirst.com^ +||metrics.bankia.es^ +||metrics.bankofamerica.com^ +||metrics.banksa.com.au^ +||metrics.bankwest.com.au^ +||metrics.barclaycardus.com^ +||metrics.barclays.co.uk^ +||metrics.base.be^ +||metrics.bayer.com^ +||metrics.bayer.us^ +||metrics.bbva.com.ar^ +||metrics.bbva.com.co^ +||metrics.bbva.es^ +||metrics.bbva.mx^ +||metrics.bbva.pe^ +||metrics.bbvaleasing.mx^ +||metrics.bcbsks.com^ +||metrics.bcbsnc.com^ +||metrics.bcbsnd.com^ +||metrics.be.carrefour.eu^ +||metrics.bestandless.com.au^ +||metrics.bestrecipes.com.au^ +||metrics.beveragedaily.com^ +||metrics.bhf.org.uk^ +||metrics.billmelater.com^ +||metrics.biocompare.com^ +||metrics.biooncology.com^ +||metrics.biopharma-reporter.com^ +||metrics.bissell.com^ +||metrics.bitbang.com^ +||metrics.bizjournals.com^ +||metrics.bkb.ch^ +||metrics.blackbaud.com^ +||metrics.blackrock.com^ +||metrics.bmc.com^ +||metrics.bmo.com^ +||metrics.bmwusa.com^ +||metrics.bncollege.com^ +||metrics.bnymellon.com^ +||metrics.boats.com^ +||metrics.bobthebuilder.com^ +||metrics.bodyandsoul.com.au^ +||metrics.boehringer-ingelheim.es^ +||metrics.boozallen.com^ +||metrics.boq.com.au^ +||metrics.borgatapoker.com^ +||metrics.boscovs.com^ +||metrics.bose.ca^ +||metrics.bose.com^ +||metrics.bostonglobe.com^ +||metrics.bostonscientific.com^ +||metrics.breadfinancial.com^ +||metrics.bridgestoneamericas.com^ +||metrics.brighthorizons.com^ +||metrics.brilliantbylangham.com^ +||metrics.britishgas.co.uk^ +||metrics.brocade.com^ +||metrics.brooksbrothers.com^ +||metrics.brooksrunning.com^ +||metrics.bt.com.au^ +||metrics.bt.com^ +||metrics.bt.se^ +||metrics.buildasign.com^ +||metrics.bupa.com.au^ +||metrics.business.comcast.com^ +||metrics.buyersedge.com.au^ +||metrics.buysearchsell.com.au^ +||metrics.c2fo.com^ +||metrics.caesars.com^ +||metrics.cahealthwellness.com^ +||metrics.cairnspost.com.au^ +||metrics.caixabank.es^ +||metrics.calbaptist.edu^ +||metrics.calgary.ca^ +||metrics.calia.com^ +||metrics.calif.aaa.com^ +||metrics.calimera.com^ +||metrics.calvinklein.com^ +||metrics.calvinklein.us^ +||metrics.calwater.com^ +||metrics.camperboerse.com^ +||metrics.campingworld.com^ +||metrics.cancer.gov^ +||metrics.capella.edu^ +||metrics.capitalone.com^ +||metrics.caracoltv.com^ +||metrics.carbonite.com^ +||metrics.care.com^ +||metrics.career-education.monster.com^ +||metrics.carfax.com^ +||metrics.carnival.co.uk^ +||metrics.carnival.com.au^ +||metrics.carnival.com^ +||metrics.carpricesecrets.com^ +||metrics.carters.com^ +||metrics.carzone.ie^ +||metrics.casinosplendido.com^ +||metrics.casio.com.tw^ +||metrics.catalog.usmint.gov^ +||metrics.cathflo.com^ +||metrics.cb2.com^ +||metrics.cbc.ca^ +||metrics.cbc.youtube.mercedes-benz.com^ +||metrics.cbn.com^ +||metrics.ccma.cat^ +||metrics.cdiscount.com^ +||metrics.cedars-sinai.org^ +||metrics.cellcept.com^ +||metrics.census.gov^ +||metrics.centurylink.com^ +||metrics.channelfutures.com^ +||metrics.chapters.indigo.ca^ +||metrics.chatrwireless.com^ +||metrics.chghealthcare.com^ +||metrics.chipotle.com^ +||metrics.chrysler.com^ +||metrics.churchill.com^ +||metrics.cib.bnpparibas^ +||metrics.cigarsinternational.com^ +||metrics.citi.com^ +||metrics.citibank.com.my^ +||metrics.citibank.com^ +||metrics.citimortgage.com^ +||metrics.citizensbank.com^ +||metrics.claires.com^ +||metrics.cluballiance.aaa.com^ +||metrics.clubmonaco.ca^ +||metrics.cmfgroup.com^ +||metrics.cnb.com^ +||metrics.cnn.com^ +||metrics.coach.com^ +||metrics.coachfactory.com^ +||metrics.coalesse.com^ +||metrics.codesports.com.au^ +||metrics.columbia.com^ +||metrics.combinedinsurance.com^ +||metrics.comcast.com^ +||metrics.comenity.net^ +||metrics.commercialtrucktrader.com^ +||metrics.commonclaimsmistakesvideo.com^ +||metrics.company.co.uk^ +||metrics.comparethemarket.com^ +||metrics.confectionerynews.com^ +||metrics.consumerreports.org^ +||metrics.contractingbusiness.com^ +||metrics.conveniencestore.co.uk^ +||metrics.converse.com^ +||metrics.coolibar.com^ +||metrics.coordinatedcarehealth.com^ +||metrics.cornerbanca.ch^ +||metrics.correos.es^ +||metrics.cort.com^ +||metrics.corus.ca^ +||metrics.cosmeticsdesign-asia.com^ +||metrics.cosmeticsdesign-europe.com^ +||metrics.cosmeticsdesign.com^ +||metrics.cosstores.com^ +||metrics.costco.ca^ +||metrics.costco.com^ +||metrics.costcobusinesscentre.ca^ +||metrics.costcobusinessdelivery.com^ +||metrics.cotellic.com^ +||metrics.cottages.com^ +||metrics.countryfinancial.com^ +||metrics.couriermail.com.au^ +||metrics.covance.com^ +||metrics.coventryhealthcare.com^ +||metrics.cpsenergy.com^ +||metrics.crainsnewyork.com^ +||metrics.crateandbarrel.com^ +||metrics.creditacceptance.com^ +||metrics.crocs.com^ +||metrics.cru.org^ +||metrics.csmonitor.com^ +||metrics.csu.edu.au^ +||metrics.ctv.ca^ +||metrics.currys.co.uk^ +||metrics.cvs.com^ +||metrics.cycleworld.com^ +||metrics.cytivalifesciences.com^ +||metrics.dailytelegraph.com.au^ +||metrics.dairyreporter.com^ +||metrics.dandh.ca^ +||metrics.dandh.com^ +||metrics.darty.com^ +||metrics.datapipe.com^ +||metrics.dcshoes.com^ +||metrics.deakin.edu.au^ +||metrics.defenseone.com^ +||metrics.delhaizedirect.be^ +||metrics.delicious.com.au^ +||metrics.delta.com^ +||metrics.dentalcompare.com^ +||metrics.depakoteer.com^ +||metrics.der.com^ +||metrics.dertour-reisebuero.de^ +||metrics.dertour.de^ +||metrics.despegar.com^ +||metrics.dev.www.vwfs.de^ +||metrics.dhc.co.jp^ +||metrics.dhl.de^ +||metrics.digitaleditions.com.au^ +||metrics.directtv.com^ +||metrics.directv.com^ +||metrics.discover.com^ +||metrics.discovertrk.com^ +||metrics.dish.co^ +||metrics.dish.com^ +||metrics.distrelec.ch^ +||metrics.divosta.com^ +||metrics.diy.com^ +||metrics.diynetwork.com^ +||metrics.dockers.com^ +||metrics.dog.com^ +||metrics.dollar.com^ +||metrics.dollargeneral.com^ +||metrics.donaldson.com^ +||metrics.dreamvacationweek.com^ +||metrics.drklein.de^ +||metrics.droidsc.natwest.com^ +||metrics.droidsc.rbs.co.uk^ +||metrics.drsfostersmith.com^ +||metrics.drugpricinglaw.com^ +||metrics.duluthtrading.com^ +||metrics.dunkindonuts.com^ +||metrics.e-abbott.com^ +||metrics.e-wie-einfach.de^ +||metrics.eastcentral.aaa.com^ +||metrics.edb.gov.sg^ +||metrics.eddiebauer.com^ +||metrics.eddiev.com^ +||metrics.edgepark.com^ +||metrics.ee.co.uk^ +||metrics.egencia.ae^ +||metrics.egencia.be^ +||metrics.egencia.ca^ +||metrics.egencia.ch^ +||metrics.egencia.cn^ +||metrics.egencia.co.in^ +||metrics.egencia.co.nz^ +||metrics.egencia.co.uk^ +||metrics.egencia.co.za^ +||metrics.egencia.com.au^ +||metrics.egencia.com.hk^ +||metrics.egencia.com.sg^ +||metrics.egencia.com^ +||metrics.egencia.cz^ +||metrics.egencia.de^ +||metrics.egencia.dk^ +||metrics.egencia.es^ +||metrics.egencia.fi^ +||metrics.egencia.fr^ +||metrics.egencia.ie^ +||metrics.egencia.it^ +||metrics.egencia.nl^ +||metrics.egencia.no^ +||metrics.egencia.pl^ +||metrics.egencia.se^ +||metrics.ehc.com^ +||metrics.ehealthinsurance.com^ +||metrics.ehstoday.com^ +||metrics.einsure.com.au^ +||metrics.eiu.com^ +||metrics.eki-net.com^ +||metrics.el-mundo.net^ +||metrics.elal.com^ +||metrics.elgiganten.dk^ +||metrics.elle.co.jp^ +||metrics.ellechina.com^ +||metrics.elpais.com^ +||metrics.elsevier.com^ +||metrics.eltenedor.es^ +||metrics.emdeon.com^ +||metrics.emicizumabinfo.com^ +||metrics.emirates.com^ +||metrics.empiretoday.com^ +||metrics.enelenergia.it^ +||metrics.energyaustralia.com.au^ +||metrics.enspryng-hcp.com^ +||metrics.enspryng.com^ +||metrics.enterprise.com^ +||metrics.ereplacementparts.com^ +||metrics.erivedge.com^ +||metrics.esbriet.com^ +||metrics.esbriethcp.com^ +||metrics.escape.com.au^ +||metrics.esignal.com^ +||metrics.etihad.com^ +||metrics.etihadengineering.com^ +||metrics.etihadguest.com^ +||metrics.eu.playstation.com^ +||metrics.eurobet.it^ +||metrics.eversource.com^ +||metrics.evine.com^ +||metrics.evite.com^ +||metrics.evrysdi.com^ +||metrics.ewstv.com^ +||metrics.examinebiosimilars.com^ +||metrics.explore.calvinklein.com^ +||metrics.express.com^ +||metrics.extraespanol.warnerbros.com^ +||metrics.extratv.warnerbros.com^ +||metrics.faceipf.com^ +||metrics.familiaynutricion.com.co^ +||metrics.fancl.co.jp^ +||metrics.farmprogressdaily.com^ +||metrics.farmshopanddelishow.co.uk^ +||metrics.farnell.com^ +||metrics.fcacert.com^ +||metrics.fcbarcelona.com^ +||metrics.fcsamerica.com^ +||metrics.fedex.com^ +||metrics.feednavigator.com^ +||metrics.feedstuffsfoodlink.com^ +||metrics.ferguson.com^ +||metrics.fetnet.net^ +||metrics.fifa.com^ +||metrics.figis.com^ +||metrics.filemaker.com^ +||metrics.finn.no^ +||metrics.flagstar.com^ +||metrics.flexerasoftware.com^ +||metrics.flexshares.com^ +||metrics.fmdos.cl^ +||metrics.folksam.se^ +||metrics.foodanddrinkexpo.co.uk^ +||metrics.foodex.co.uk^ +||metrics.foodmanufacture.co.uk^ +||metrics.foodnavigator-asia.com^ +||metrics.foodnavigator-latam.com^ +||metrics.foodnavigator-usa.com^ +||metrics.foodnavigator.com^ +||metrics.foodnetwork.com^ +||metrics.forbestravelguide.com^ +||metrics.ford.com^ +||metrics.forecourttrader.co.uk^ +||metrics.fortinet.com^ +||metrics.fortune.com^ +||metrics.foxbusiness.com^ +||metrics.foxnews.com^ +||metrics.foxsports.com.au^ +||metrics.fpl.com^ +||metrics.fressnapf.at^ +||metrics.fressnapf.ch^ +||metrics.fressnapf.de^ +||metrics.friskies.com^ +||metrics.frontier.com^ +||metrics.ftd.com^ +||metrics.fuzeon.com^ +||metrics.galicia.ar^ +||metrics.gap.co.jp^ +||metrics.gap.co.uk^ +||metrics.gap.com^ +||metrics.gap.eu^ +||metrics.gapcanada.ca^ +||metrics.gazyva.com^ +||metrics.gcimetrics.com^ +||metrics.geelongadvertiser.com.au^ +||metrics.gemfinance.co.nz^ +||metrics.genentech-access.com^ +||metrics.genentech-forum.com^ +||metrics.genentech-pro.com^ +||metrics.genentechhemophilia.com^ +||metrics.generac.com^ +||metrics.genesis.es^ +||metrics.gengraf.com^ +||metrics.genzyme.com^ +||metrics.giftcards.com^ +||metrics.gio.com.au^ +||metrics.global.mandg.com^ +||metrics.global.nba.com^ +||metrics.globalgolf.com^ +||metrics.globalscape.com^ +||metrics.globe.com.ph^ +||metrics.glucerna.net^ +||metrics.gnc.com^ +||metrics.goalfinancial.net^ +||metrics.gobank.com^ +||metrics.goindigo.in^ +||metrics.goinggoing.com^ +||metrics.goldcoastbulletin.com.au^ +||metrics.golfgalaxy.com^ +||metrics.gomastercard.com.au^ +||metrics.gomedigap.com^ +||metrics.goodhousekeeping.co.uk^ +||metrics.gordonsjewelers.com^ +||metrics.gq.com.au^ +||metrics.grainger.com^ +||metrics.grandandtoy.com^ +||metrics.greatland.com^ +||metrics.greendot.com^ +||metrics.greenflag.com^ +||metrics.greenies.com^ +||metrics.growthasiasummit.com^ +||metrics.grundfos.com^ +||metrics.guess.hk^ +||metrics.handmark.com^ +||metrics.harborfreight.com^ +||metrics.hatarako.net^ +||metrics.hawaii.aaa.com^ +||metrics.hayesandjarvis.co.uk^ +||metrics.hbogo.com^ +||metrics.hbogola.com^ +||metrics.hbr.org^ +||metrics.health.com^ +||metrics.healthpartners.com^ +||metrics.heathrow.com^ +||metrics.heathrowexpress.com^ +||metrics.helpguide.sony.net^ +||metrics.helvetia.com^ +||metrics.her2treatment.com^ +||metrics.heraldsun.com.au^ +||metrics.herbalife.com^ +||metrics.herceptin.com^ +||metrics.herceptinhylecta.com^ +||metrics.hgtv.com^ +||metrics.hitentertainment.com^ +||metrics.hm.com^ +||metrics.hmhco.com^ +||metrics.hollandamerica.com^ +||metrics.hollisterco.com.hk^ +||metrics.hollisterco.com^ +||metrics.homeadvisor.com^ +||metrics.homedecorators.com^ +||metrics.hoseasons.co.uk^ +||metrics.hostech.co.uk^ +||metrics.hrblock.com^ +||metrics.hsamuel.co.uk^ +||metrics.htc.com^ +||metrics.hubert.com^ +||metrics.huffingtonpost.es^ +||metrics.huntington.com^ +||metrics.huntingtonsdiseasehcp.com^ +||metrics.hydraulicspneumatics.com^ +||metrics.hyundaiusa.com^ +||metrics.iconfitness.com^ +||metrics.ifc.org^ +||metrics.iij.ad.jp^ +||metrics.ikea.com^ +||metrics.illinois.gov^ +||metrics.industryweek.com^ +||metrics.inet.fi^ +||metrics.infiniti.com^ +||metrics.infomedics.it^ +||metrics.ing.es^ +||metrics.ingdirect.es^ +||metrics.ingredion.com^ +||metrics.inkcartridges.com^ +||metrics.insider.hagerty.com^ +||metrics.instyle.com^ +||metrics.insuramatch.com^ +||metrics.insurancesaver.com^ +||metrics.interbank.pe^ +||metrics.interestfree.com.au^ +||metrics.interhyp.de^ +||metrics.internationalwinechallenge.com^ +||metrics.intervalworld.com^ +||metrics.interweave.com^ +||metrics.investmentnews.com^ +||metrics.ionos-group.com^ +||metrics.ionos.at^ +||metrics.ionos.ca^ +||metrics.ionos.co.uk^ +||metrics.ionos.com^ +||metrics.ionos.de^ +||metrics.ionos.es^ +||metrics.ionos.fr^ +||metrics.ionos.it^ +||metrics.ionos.mx^ +||metrics.iossc.natwest.com^ +||metrics.iossc.rbs.co.uk^ +||metrics.ireport.com^ +||metrics.its.de^ +||metrics.ittoolbox.com^ +||metrics.ivivva.com^ +||metrics.iwakifc.com^ +||metrics.jamestowndistributors.com^ +||metrics.jcrew.com^ +||metrics.jcwhitney.com^ +||metrics.jeppesen.com^ +||metrics.jetblue.com^ +||metrics.jm-lexus.com^ +||metrics.joefresh.com^ +||metrics.johnhancock.com^ +||metrics.judgemathistv.warnerbros.com^ +||metrics.juiceplus.com^ +||metrics.jungheinrich-profishop.co.uk^ +||metrics.kadcyla.com^ +||metrics.kaercher.com^ +||metrics.kao.com^ +||metrics.kawai-juku.ac.jp^ +||metrics.kayosports.com.au^ +||metrics.kempinski.com^ +||metrics.kennethcole.com^ +||metrics.keno.com.au^ +||metrics.key.com^ +||metrics.keysight.com^ +||metrics.kia.com^ +||metrics.kidsnews.com.au^ +||metrics.kidspot.com.au^ +||metrics.kimberly-clark.com^ +||metrics.kindercare.com^ +||metrics.kipling-usa.com^ +||metrics.kirklands.com^ +||metrics.knowyourhdl.com^ +||metrics.knowyourtrigs.com^ +||metrics.kone.cn^ +||metrics.kpmg.com^ +||metrics.kpmg.us^ +||metrics.kristinehamn.se^ +||metrics.kumon.com^ +||metrics.kunilexusofcoloradosprings.com^ +||metrics.labcorp.com^ +||metrics.lacaixa.es^ +||metrics.lacounty.gov^ +||metrics.ladbrokes.be^ +||metrics.lafourchette.com^ +||metrics.lambweston.com^ +||metrics.landolakesinc.com^ +||metrics.langhamhotels.com^ +||metrics.lastminute.ch^ +||metrics.latitudefinancial.com.au^ +||metrics.latitudepay.com^ +||metrics.learning.monster.com^ +||metrics.learningcurve.com^ +||metrics.legalandgeneral.com^ +||metrics.legalsolutions.thomsonreuters.com^ +||metrics.leggmason.com^ +||metrics.levi.com^ +||metrics.lexus.com^ +||metrics.lexusofqueens.com^ +||metrics.lifetime.life^ +||metrics.liverpool.com.mx^ +||metrics.lmtonline.com^ +||metrics.loblaws.ca^ +||metrics.londoncoffeefestival.com^ +||metrics.lovefilm.com^ +||metrics.lowes.com^ +||metrics.lpl.com^ +||metrics.lucentis.com^ +||metrics.lululemon.ch^ +||metrics.lululemon.cn^ +||metrics.lululemon.co.jp^ +||metrics.lululemon.co.kr^ +||metrics.lululemon.co.nz^ +||metrics.lululemon.co.uk^ +||metrics.lululemon.com.au^ +||metrics.lululemon.com.hk^ +||metrics.lululemon.com^ +||metrics.lululemon.de^ +||metrics.lululemon.fr^ +||metrics.lww.com^ +||metrics.lycos.com^ +||metrics.ma500.co.uk^ +||metrics.madeformums.com^ +||metrics.maestrocard.com^ +||metrics.makemytrip.com^ +||metrics.mandg.com^ +||metrics.marcus.com^ +||metrics.marketing.lighting.philips.kz^ +||metrics.marksandspencer.com^ +||metrics.marksandspencer.eu^ +||metrics.marksandspencer.fr^ +||metrics.marksandspencer.ie^ +||metrics.marksandspencerlondon.com^ +||metrics.marriott.com^ +||metrics.marriottvacationclub.asia^ +||metrics.mars.com^ +||metrics.mastercard.com^ +||metrics.mastercardadvisors.com^ +||metrics.mastercardbusiness.com^ +||metrics.mastercardintl.com^ +||metrics.masters.com^ +||metrics.matchesfashion.com^ +||metrics.mathworks.cn^ +||metrics.mathworks.com^ +||metrics.matlab.com^ +||metrics.maurices.com^ +||metrics.maxgo.com^ +||metrics.maxizoo.be^ +||metrics.maxizoo.fr^ +||metrics.maxizoo.ie^ +||metrics.maxizoo.pl^ +||metrics.mca-insight.com^ +||metrics.med.roche.ru^ +||metrics.medical.roche.de^ +||metrics.meiers-weltreisen.de^ +||metrics.mein-dertour.de^ +||metrics.mein-its.de^ +||metrics.mein-jahnreisen.de^ +||metrics.mein-meiers-weltreisen.de^ +||metrics.melectronics.ch^ +||metrics.menshealth.co.uk^ +||metrics.metrobyt-mobile.com^ +||metrics.mfs.com^ +||metrics.mgmresorts.com^ +||metrics.mhn.com^ +||metrics.mhngs.com^ +||metrics.mibcookies.rbs.com^ +||metrics.midatlantic.aaa.com^ +||metrics.midwestliving.com^ +||metrics.miketheknight.com^ +||metrics.miles-and-more.com^ +||metrics.mindshareworld.com^ +||metrics.miniusa.com^ +||metrics.missselfridge.com^ +||metrics.misumi-ec.com^ +||metrics.mobilebanking.scotiabank.com^ +||metrics.modcloth.com^ +||metrics.moen.com^ +||metrics.monclick.it^ +||metrics.moneta.cz^ +||metrics.moodys.com^ +||metrics.moosejaw.com^ +||metrics.morganshotelgroup.com^ +||metrics.morganstanley.com^ +||metrics.morningadvertiser.co.uk^ +||metrics.morningstar.com^ +||metrics.morrisjenkins.com^ +||metrics.motorhomebookers.com^ +||metrics.motortrend.com^ +||metrics.mrporter.com^ +||metrics.mrrooter.com^ +||metrics.mum.edu^ +||metrics.mycareforward.com^ +||metrics.myclubwyndham.com^ +||metrics.mydish.com^ +||metrics.myprime.com^ +||metrics.myspringfield.com^ +||metrics.mytributes.com.au^ +||metrics.myvi.in^ +||metrics.myyellow.com^ +||metrics.nab.com.au^ +||metrics.nabbroker.com.au^ +||metrics.napaonline.com^ +||metrics.nascar.com^ +||metrics.nationalconvenienceshow.co.uk^ +||metrics.nationalgeographic.com^ +||metrics.nationaljournal.com^ +||metrics.nationalrestaurantawards.co.uk^ +||metrics.nba.com^ +||metrics.nbnco.com.au^ +||metrics.nebraskatotalcare.com^ +||metrics.nero.com^ +||metrics.nespresso.com^ +||metrics.nestlepurinacareers.com^ +||metrics.netxpress.biz^ +||metrics.netxpress.co.nz^ +||metrics.newark.com^ +||metrics.newbalance.co.uk^ +||metrics.newbalance.com^ +||metrics.newequipment.com^ +||metrics.newmexico.aaa.com^ +||metrics.newport.com^ +||metrics.newportlexus.com^ +||metrics.news.co.uk^ +||metrics.news.com.au^ +||metrics.newsadds.com.au^ +||metrics.newsconcierge.com.au^ +||metrics.newscorpaustralia.com^ +||metrics.newscorporatesubscriptions.com.au^ +||metrics.newyorkfarmshow.com^ +||metrics.nexmo.com^ +||metrics.nfl.com^ +||metrics.nflextrapoints.com^ +||metrics.nfluk.com^ +||metrics.nfm.com^ +||metrics.nfpa.org^ +||metrics.nhm.ac.uk^ +||metrics.nhmshop.co.uk^ +||metrics.nielsen.com^ +||metrics.nike.net^ +||metrics.nintendo.com^ +||metrics.nissan.co.uk^ +||metrics.nissan.ee^ +||metrics.nissan.es^ +||metrics.nissan.lt^ +||metrics.nissan.lv^ +||metrics.nissan.no^ +||metrics.nissanusa.com^ +||metrics.nmfn.com^ +||metrics.nn.nl^ +||metrics.noloan.com^ +||metrics.northeast.aaa.com^ +||metrics.northernnewengland.aaa.com^ +||metrics.northwesternmutual.com^ +||metrics.norvir.com^ +||metrics.nowtv.com^ +||metrics.nrma.com.au^ +||metrics.ntnews.com.au^ +||metrics.nutraingredients-asia.com^ +||metrics.nutraingredients-latam.com^ +||metrics.nutraingredients-usa.com^ +||metrics.nutraingredients.com^ +||metrics.nutraingredientsasia-awards.com^ +||metrics.nutropin.com^ +||metrics.nvidia.com^ +||metrics.nxtbook.com^ +||metrics.nyandcompany.com^ +||metrics.nycgo.com^ +||metrics.nylexpress.com^ +||metrics.nysdot.gov^ +||metrics.o2online.de^ +||metrics.ocrelizumabinfo.com^ +||metrics.ocrevus.com^ +||metrics.octanner.com^ +||metrics.oetker.de^ +||metrics.olgaintimates.com^ +||metrics.omniture.com^ +||metrics.omya.com^ +||metrics.onecall.com^ +||metrics.optimum.net^ +||metrics.optum.com^ +||metrics.oreck.com^ +||metrics.oreilly.com^ +||metrics.orlandofuntickets.com^ +||metrics.outsourcing-pharma.com^ +||metrics.pacsun.com^ +||metrics.palopmed.com^ +||metrics.panasonic.biz^ +||metrics.panasonic.com^ +||metrics.panasonic.jp^ +||metrics.pandora.com^ +||metrics.panerabread.com^ +||metrics.paperdirect.com^ +||metrics.parcelforce.com^ +||metrics.patientsatheart.com^ +||metrics.paysafecard.com^ +||metrics.pcrichard.com^ +||metrics.pebblebeach.com^ +||metrics.penny-reisen.de^ +||metrics.pennymacusa.com^ +||metrics.penton.com^ +||metrics.people.com^ +||metrics.peoplescourt.warnerbros.com^ +||metrics.pepboys.com^ +||metrics.perjeta.com^ +||metrics.petchow.net^ +||metrics.petco.com^ +||metrics.petinsurance.com^ +||metrics.petsmart.com^ +||metrics.pfizer.com^ +||metrics.pgi.com^ +||metrics.pgs.com^ +||metrics.phoenix.edu^ +||metrics.photos.com^ +||metrics.pinkribbonbottle.com^ +||metrics.pisces-penton.com^ +||metrics.plusrewards.com.au^ +||metrics.pmis.abbott.com^ +||metrics.politico.com^ +||metrics.politico.eu^ +||metrics.politicopro.com^ +||metrics.polivy.com^ +||metrics.popularwoodworking.com^ +||metrics.portal.roche.de^ +||metrics.post-gazette.com^ +||metrics.postoffice.co.uk^ +||metrics.powerreviews.com^ +||metrics.ppt.org^ +||metrics.prd.base.be^ +||metrics.prd.telenet.be^ +||metrics.premierinn.com^ +||metrics.priceless.com^ +||metrics.princess.com^ +||metrics.privilege.com^ +||metrics.probiotaamericas.com^ +||metrics.proquest.com^ +||metrics.protectmyid.com^ +||metrics.provincial.com^ +||metrics.proximus.be^ +||metrics.pru.co.uk^ +||metrics.prudential.com^ +||metrics.pruina.com^ +||metrics.psoriasisuncovered.com^ +||metrics.publiclands.com^ +||metrics.publicstorage.com^ +||metrics.pulmozyme.com^ +||metrics.puma.com^ +||metrics.purina-petcare.com^ +||metrics.purina.ca^ +||metrics.purinamills.com^ +||metrics.purinaone.com^ +||metrics.purinastore.com^ +||metrics.purinaveterinarydiets.com^ +||metrics.puritan.com^ +||metrics.pvh.com^ +||metrics.qatarairways.com^ +||metrics.questrade.com^ +||metrics.quiksilver.com^ +||metrics.quill.com^ +||metrics.quiltingcompany.com^ +||metrics.qvc.jp^ +||metrics.r200.co.uk^ +||metrics.radissonhotels.com^ +||metrics.radissonhotelsamericas.com^ +||metrics.rainbowmagic.co.uk^ +||metrics.ralphlauren.com^ +||metrics.ralphlauren.fr^ +||metrics.rarediseasesignup.com^ +||metrics.rbcgam.com^ +||metrics.rbcgma.com^ +||metrics.rci.com^ +||metrics.rcn.com^ +||metrics.rcsmetrics.it^ +||metrics.reallymoving.com^ +||metrics.realpropertymgt.com^ +||metrics.realsimple.com^ +||metrics.realtor.com^ +||metrics.refinitiv.com^ +||metrics.refrigeratedtransporter.com^ +||metrics.regal.es^ +||metrics.regions.com^ +||metrics.reliant.com^ +||metrics.renesas.com^ +||metrics.renfe.com^ +||metrics.rent.com^ +||metrics.reseguiden.se^ +||metrics.restaurant-hospitality.com^ +||metrics.restaurantonline.co.uk^ +||metrics.restockit.com^ +||metrics.retail-week.com^ +||metrics.rethinksma.com^ +||metrics.rewe-reisen.de^ +||metrics.rewe.de^ +||metrics.richmondamerican.com^ +||metrics.riteaid.com^ +||metrics.rituxan.com^ +||metrics.rituxanforgpampa-hcp.com^ +||metrics.rituxanforpv.com^ +||metrics.rituxanforra-hcp.com^ +||metrics.rituxanforra.com^ +||metrics.rituxanhycela.com^ +||metrics.robeco.com^ +||metrics.roche-applied-science.com^ +||metrics.roche-infohub.co.za^ +||metrics.roche.de^ +||metrics.rochehelse.no^ +||metrics.rocheksa.com^ +||metrics.rochenet.pt^ +||metrics.rockandpop.cl^ +||metrics.rolex.cn^ +||metrics.rotorooter.com^ +||metrics.roxy.com^ +||metrics.royalcaribbean.com^ +||metrics.royalmail.com^ +||metrics.royalmailgroup.com^ +||metrics.rozlytrek.com^ +||metrics.ryanhomes.com^ +||metrics.rydahls.se^ +||metrics.sainsburysbank.co.uk^ +||metrics.salliemae.com^ +||metrics.samsclub.com^ +||metrics.samsunglife.com^ +||metrics.sap.com^ +||metrics.sasktel.com^ +||metrics.saudiairlines.com^ +||metrics.savethechildren.org.uk^ +||metrics.sce.com^ +||metrics.schooloutfitters.com^ +||metrics.sciencemag.org^ +||metrics.scopus.com^ +||metrics.scottrade.com^ +||metrics.sdcvisit.com^ +||metrics.seabourn.com^ +||metrics.seawheeze.com^ +||metrics.seb.se^ +||metrics.sebgroup.com^ +||metrics.seloger.com^ +||metrics.sensai-cosmetics.com^ +||metrics.sentido.com^ +||metrics.sephora.com^ +||metrics.sephora.fr^ +||metrics.sephora.it^ +||metrics.sephora.pl^ +||metrics.sfchronicle.com^ +||metrics.sfr.fr^ +||metrics.sgproof.com^ +||metrics.shangri-la.com^ +||metrics.shannons.com.au^ +||metrics.sharecare.com^ +||metrics.sharpusa.com^ +||metrics.shinseibank.com^ +||metrics.shiremedinfo.com^ +||metrics.shop.learningcurve.com^ +||metrics.shop.superstore.ca^ +||metrics.shopjapan.co.jp^ +||metrics.shopmyexchange.com^ +||metrics.showtickets.com^ +||metrics.showtime.com^ +||metrics.similac.com.tr^ +||metrics.siriusxm.ca^ +||metrics.siriusxm.com^ +||metrics.sisal.it^ +||metrics.sj1.omniture.com^ +||metrics.sjo.omniture.com^ +||metrics.skandia.se^ +||metrics.skipton.co.uk^ +||metrics.skistar.com^ +||metrics.sky.com^ +||metrics.sky.it^ +||metrics.skynews.com.au^ +||metrics.sling.com^ +||metrics.smartauctionlogin.com^ +||metrics.smartstyle.com^ +||metrics.smartzip.com^ +||metrics.smbcnikko.co.jp^ +||metrics.smedia.com.au^ +||metrics.snapfish.ca^ +||metrics.softwareag.com^ +||metrics.solarwinds.com^ +||metrics.solaseedair.jp^ +||metrics.solinst.com^ +||metrics.somas.se^ +||metrics.sony.com^ +||metrics.sony.jp^ +||metrics.sothebys.com^ +||metrics.southeastfarmpress.com^ +||metrics.southwest.com^ +||metrics.sparkassendirekt.de^ +||metrics.spdrs.com^ +||metrics.spencersonline.com^ +||metrics.spirithalloween.com^ +||metrics.srpnet.com^ +||metrics.ssga.com^ +||metrics.stage.www.vwfs.de^ +||metrics.standardandpoors.com^ +||metrics.stanfordhealthcare.org^ +||metrics.staples.com.au^ +||metrics.staples.com^ +||metrics.staplesadvantage.com^ +||metrics.starhub.com^ +||metrics.startribune.com^ +||metrics.statefarm.com^ +||metrics.statestreet.com^ +||metrics.steelcase.com^ +||metrics.steinhafels.com^ +||metrics.stockhead.com.au^ +||metrics.store.irobot.com^ +||metrics.strategiccoach.com^ +||metrics.striderite.com^ +||metrics.strokeawareness.com^ +||metrics.stubhub.co.uk^ +||metrics.stubhub.de^ +||metrics.stubhub.fr^ +||metrics.stwater.co.uk^ +||metrics.suncorpbank.com.au^ +||metrics.sunflowerhealthplan.com^ +||metrics.sungard.com^ +||metrics.sunlife.com^ +||metrics.sunpower.com^ +||metrics.sunpowercorp.com^ +||metrics.supercoach.com.au^ +||metrics.supercuts.com^ +||metrics.support.e-abbott.com^ +||metrics.svd.se^ +||metrics.swinburne.edu.au^ +||metrics.synergy.net.au^ +||metrics.synopsys.com^ +||metrics.sysco.com^ +||metrics.t-mobile.com^ +||metrics.t-mobilemoney.com^ +||metrics.tacobell.com^ +||metrics.tagesspiegel.de^ +||metrics.takami-labo.com^ +||metrics.talbots.com^ +||metrics.tamiflu.com^ +||metrics.tarceva.com^ +||metrics.target.com^ +||metrics.taste.com.au^ +||metrics.tasteline.com^ +||metrics.taxi.com^ +||metrics.taylormadegolf.com^ +||metrics.taylors.edu.my^ +||metrics.tbs.com^ +||metrics.tcm.com^ +||metrics.tcs.com^ +||metrics.td.com^ +||metrics.tdworld.com^ +||metrics.te.com^ +||metrics.teachforamerica.org^ +||metrics.teampages.com^ +||metrics.teamviewer.cn^ +||metrics.teamviewer.com^ +||metrics.tecentriq-hcp.com^ +||metrics.tecentriq.com^ +||metrics.teeoff.com^ +||metrics.telegraph.co.uk^ +||metrics.telenet.be^ +||metrics.telenor.se^ +||metrics.tescobank.com^ +||metrics.teveten-us.com^ +||metrics.texas.aaa.com^ +||metrics.tgifridays.com^ +||metrics.theaustralian.com.au^ +||metrics.thechronicle.com.au^ +||metrics.thedailybeast.com^ +||metrics.thefork.com^ +||metrics.thegrocer.co.uk^ +||metrics.thehartford.com^ +||metrics.thelott.com^ +||metrics.themadisonsquaregardencompany.com^ +||metrics.themercury.com.au^ +||metrics.thenation.com^ +||metrics.theomnichannelconference.co.uk^ +||metrics.therestaurantconference.co.uk^ +||metrics.therestaurantshow.co.uk^ +||metrics.thetrainline.com^ +||metrics.theworlds50best.com^ +||metrics.thingspeak.com^ +||metrics.thingsremembered.com^ +||metrics.thomasandfriends.com^ +||metrics.thomastrackmaster.com^ +||metrics.thoughtworks.com^ +||metrics.three.co.uk^ +||metrics.three.ie^ +||metrics.thrifty.com^ +||metrics.thrivent.com^ +||metrics.tiaa-cref.org^ +||metrics.tiaa.org^ +||metrics.ticketmaster.com^ +||metrics.tidewater.aaa.com^ +||metrics.tidycats.com^ +||metrics.tienda.telcel.com^ +||metrics.tim.it^ +||metrics.timberland.com^ +||metrics.timberland.de^ +||metrics.timberland.es^ +||metrics.timberland.it^ +||metrics.time.com^ +||metrics.timeinc.net^ +||metrics.timewarner.com^ +||metrics.timewarnercable.com^ +||metrics.tips.com.au^ +||metrics.tirebusiness.com^ +||metrics.tlc.com^ +||metrics.tmz.com^ +||metrics.tnkase.com^ +||metrics.tntdrama.com^ +||metrics.tommy.com^ +||metrics.tomsofmaine.com^ +||metrics.toofab.com^ +||metrics.toolbox.inter-ikea.com^ +||metrics.top50boutiquehotels.com^ +||metrics.top50cocktailbars.com^ +||metrics.top50gastropubs.com^ +||metrics.topshop.com^ +||metrics.toptenreviews.com^ +||metrics.toryburch.com^ +||metrics.totalwine.com^ +||metrics.townsvillebulletin.com.au^ +||metrics.toyota.com^ +||metrics.toyotacertificados.com^ +||metrics.toyotacertified.com^ +||metrics.toysrus.com^ +||metrics.tp.edu.sg^ +||metrics.tractorsupply.com^ +||metrics.traderonline.com^ +||metrics.trammellcrow.com^ +||metrics.travelchannel.com^ +||metrics.travelmoneyonline.co.uk^ +||metrics.travelodge.com^ +||metrics.trendmicro.co.jp^ +||metrics.trendmicro.com^ +||metrics.trendyol.com^ +||metrics.trovix.com^ +||metrics.trucker.com^ +||metrics.tryg.dk^ +||metrics.tsb.co.uk^ +||metrics.tsn.ca^ +||metrics.ttiinc.com^ +||metrics.tulsaworld.com^ +||metrics.tv2.dk^ +||metrics.tyrashow.warnerbros.com^ +||metrics.tyson.com^ +||metrics.tysonfoodservice.com^ +||metrics.ubi.com^ +||metrics.uhc.com^ +||metrics.ukfoodanddrinkshows.co.uk^ +||metrics.ulsterbank.com^ +||metrics.unipolsai.it^ +||metrics.united-internet.de^ +||metrics.ups.com^ +||metrics.us.playstation.com^ +||metrics.usbank.com^ +||metrics.usfoods.com^ +||metrics.usmint.gov^ +||metrics.uso.org^ +||metrics.usopen.org^ +||metrics.vademecum.es^ +||metrics.valuecityfurniture.com^ +||metrics.vanquis.co.uk^ +||metrics.vans.com.au^ +||metrics.vcm.com^ +||metrics.venclextahcp.com^ +||metrics.verizon.com^ +||metrics.vermontcountrystore.com^ +||metrics.vero.co.nz^ +||metrics.viasat.com^ +||metrics.viceroyhotelsandresorts.com^ +||metrics.viega.de^ +||metrics.vikingline.ee^ +||metrics.virginatlantic.com^ +||metrics.virginaustralia.com^ +||metrics.virginmedia.com^ +||metrics.virtualservers.com^ +||metrics.vision-systems.com^ +||metrics.visitflorida.com^ +||metrics.vitas.com^ +||metrics.vocus.com^ +||metrics.vodafone.co.uk^ +||metrics.vodafone.com.eg^ +||metrics.vodafone.com.tr^ +||metrics.vodafone.es^ +||metrics.vodafone.hu^ +||metrics.vodafone.ro^ +||metrics.vogue.com.au^ +||metrics.volusion.com^ +||metrics.vonage.co.uk^ +||metrics.vonage.com^ +||metrics.vrst.com^ +||metrics.vrtx.com^ +||metrics.vueling.com^ +||metrics.vw.com^ +||metrics.vwfs.com.br^ +||metrics.vwfs.com^ +||metrics.vwfs.cz^ +||metrics.vwfs.de^ +||metrics.vwfs.es^ +||metrics.vwfs.fr^ +||metrics.vwfs.gr^ +||metrics.vwfs.ie^ +||metrics.vwfs.it^ +||metrics.vwfs.mx^ +||metrics.vwfs.pl^ +||metrics.vwfs.pt^ +||metrics.wacken.com^ +||metrics.walgreens.com^ +||metrics.walmart.com^ +||metrics.walmartmoneycard.com^ +||metrics.washingtonpost.com^ +||metrics.waste360.com^ +||metrics.watch.nba.com^ +||metrics.watlow.com^ +||metrics.wdc.com^ +||metrics.wealthmanagement.com^ +||metrics.weeklytimesnow.com.au^ +||metrics.westernunion.com^ +||metrics.westgateresorts.com^ +||metrics.westmarine.com^ +||metrics.westpac.com.au^ +||metrics.wgu.edu^ +||metrics.when.com^ +||metrics.wildadventures.com^ +||metrics.william-reed.com^ +||metrics.williamhill.com^ +||metrics.williamhill.es^ +||metrics.williams-sonoma.com^ +||metrics.wingatehotels.com^ +||metrics.winsc.natwest.com^ +||metrics.winsc.rbs.co.uk^ +||metrics.wm.com^ +||metrics.wmg.com^ +||metrics.wnba.com^ +||metrics.wolterskluwer.com^ +||metrics.womansday.com^ +||metrics.workforce.com^ +||metrics.workfront.com^ +||metrics.workingadvantage.com^ +||metrics.worldbank.org^ +||metrics.worlds50bestbars.com^ +||metrics.worldsbestsommeliersselection.com^ +||metrics.worldsbestvineyards.com^ +||metrics.worldsteakchallenge.com^ +||metrics.worldvision.org^ +||metrics.wu.com^ +||metrics.www.apus.edu^ +||metrics.www.career-education.monster.com^ +||metrics.www.vwfs.de^ +||metrics.wyndhamhotels.com^ +||metrics.wyndhamtrips.com^ +||metrics.xfinity.com^ +||metrics.xofluza.com^ +||metrics.xolairhcp.com^ +||metrics.ybs.co.uk^ +||metrics.yelloh.com^ +||metrics.yellowbook.com^ +||metrics.yellowpages.com^ +||metrics.yola.com^ +||metrics.youandyourwedding.co.uk^ +||metrics.yourlexusdealer.com^ +||metrics.zacks.com^ +||metrics1.citi.com^ +||metrics1.citibank.com^ +||metrics1.citibankonline.com^ +||metrics1.citicards.com^ +||metrics1.experian.com^ +||metrics1.thankyou.com^ +||metrics2.houselogic.com^ +||metrics2.williamhill.com^ +||metricss.bibliotheek.nl^ +||metricssecure.empiretoday.com^ +||metricssecure.luna.com^ +||metricssecure.nmfn.com^ +||metricssecure.northwesternmutual.com^ +||metricstur.www.svenskaspel.se^ +||metrix.511tactical.com^ +||metrix.avon.uk.com^ +||metrix.publix.com^ +||metrix.youravon.com^ +||mix-omniture.rbs.com^ +||mixomniture.rbs.com^ +||mktg.aa.f5.com^ +||ms.topschooljobs.org^ +||msub.mmail.northeast.aaa.com^ +||mtc.jetstar.com^ +||mtc.nhk.or.jp^ +||mtc.qantas.com^ +||mtcs.nhk-ondemand.jp^ +||mtcs.nhk.or.jp^ +||mtr.fluor.com^ +||mtrs.cooecfluor.com^ +||mtrs.fluor.com^ +||mtrs.fluorconstructors.com^ +||mtrs.fluoruniversity.com^ +||mtx.lastminute.com.au^ +||my.iheart.com^ +||myhome.usg.com^ +||n.earthlink.net^ +||n.fitchratings.com^ +||n.hdsupplysolutions.com^ +||n.lexusfinancial.com^ +||n.netquote.com^ +||n.toyotafinancial.com^ +||nanalytics.virginaustralia.com^ +||nats.xing.com^ +||natsp.xing.com^ +||newsletter.sst-apac.test.cjmadobe.com^ +||newtest.wunderman-email.cjm.adobe.com^ +||nmetrics.samsung.com^ +||nmetrics.samsungmobile.com^ +||nocaadobefpc.optus.com.au^ +||nom.familysearch.org^ +||nom.lds.org^ +||nomsc.kpn.com^ +||nossl.aafpfoundation.org^ +||nossl.basco.com^ +||notice-tmo.notice.assurancewireless.com^ +||nsc.coutts.com^ +||nsc.iombank.com^ +||nsc.natwest.com^ +||nsc.natwestgroup.com^ +||nsc.natwestgroupremembers.com^ +||nsc.natwestinternational.com^ +||nsc.rbs.co.uk^ +||nsc.rbs.com^ +||nsc.ulsterbank.co.uk^ +||nsc.ulsterbank.com^ +||nsc.ulsterbank.ie^ +||nscmetrics.shell.com^ +||nsm.dell.com^ +||nsm.sungardas.com^ +||nsmeasure.jstor.org^ +||nsmetrics.adelaidenow.com.au^ +||nsmetrics.couriermail.com.au^ +||nsmetrics.dailytelegraph.com.au^ +||nsmetrics.geelongadvertiser.com.au^ +||nsmetrics.goldcoastbulletin.com.au^ +||nsmetrics.heraldsun.com.au^ +||nsmetrics.levi.com^ +||nsmetrics.ni.com^ +||nsmetrics.theaustralian.com.au^ +||nsmetrics.themercury.com.au^ +||nsmetrics.vogue.com.au^ +||nsstatistics.calphalon.com^ +||nsteq.queensland.com^ +||o.bluewin.ch^ +||o.carmax.com^ +||o.efaxcorporate.com^ +||o.evoicereceptionist.com^ +||o.fandango.com^ +||o.j2.com^ +||o.j2global.com^ +||o.macworld.co.uk^ +||o.medallia.com^ +||o.opentable.co.uk^ +||o.opentable.com^ +||o.otrestaurant.com^ +||o.swisscom.ch^ +||o.webmd.com^ +||o.xbox.com^ +||o8.hyatt.com^ +||ocs.hagerty.com^ +||odc.1und1.de^ +||odc.wunderground.com^ +||oimg.login.cnbc.com^ +||oimg.m.calltheclose.cnbc.com^ +||oimg.nbcsports.com^ +||oimg.nbcuni.com^ +||oimg.universalorlandovacations.com^ +||oimg.universalstudioshollywood.com^ +||om-ssl.consorsbank.de^ +||om.abritel.fr^ +||om.aopa.org^ +||om.burberry.com^ +||om.cbsi.com^ +||om.churchofjesuschrist.org^ +||om.cyberrentals.com^ +||om.dowjoneson.com^ +||om.escapehomes.com^ +||om.etnetera.cz^ +||om.familysearch.org^ +||om.fewo-direkt.de^ +||om.greatrentals.com^ +||om.healthgrades.com^ +||om.homeaway.ca^ +||om.homeaway.co.in^ +||om.hoteis.com^ +||om.hoteles.com^ +||om.hotels.cn^ +||om.hotwire.com^ +||om.lds.org^ +||om.medreps.com^ +||om.norton.com^ +||om.owenscorning.com^ +||om.ringcentral.com^ +||om.rogersmedia.com^ +||om.servicelive.com^ +||om.sportsnet.ca^ +||om.symantec.com^ +||om.travelocity.ca^ +||om.travelocity.com^ +||om.triphomes.com^ +||om.vacationrentals.com^ +||om.vegasmeansbusiness.com^ +||om.venere.com^ +||om.visitbouldercity.com^ +||om.vrbo.com^ +||om.zdnet.com.au^ +||omahasteaks.com.102.122.207.net^ +||ometrics.ameds.com^ +||ometrics.netapp.com^ +||ometrics.warnerbros.com^ +||ometrics.wb.com^ +||omn.americanexpress.com^ +||omn.costumesupercenter.com^ +||omn.crackle.com^ +||omn.hasbro.com^ +||omn.murdoch.edu.au^ +||omn.rockpanel.co.uk^ +||omn.rockwool.com^ +||omn.sonypictures.com^ +||omn.wholesalehalloweencostumes.com^ +||omn2.hasbro.com^ +||omni.alaskaair.com^ +||omni.amsurg.com^ +||omni.avg.com^ +||omni.basspro.com^ +||omni.bluebird.com^ +||omni.bluecrossma.com^ +||omni.cancercenter.com^ +||omni.carecreditprovidercenter.com^ +||omni.cineplex.com^ +||omni.cn.saxobank.com^ +||omni.commercial.pccw.com^ +||omni.copaair.com^ +||omni.deere.com^ +||omni.deloittenet.deloitte.com^ +||omni.djoglobal.com^ +||omni.dsw.com^ +||omni.dxc.com^ +||omni.dxc.technology^ +||omni.elearners.com^ +||omni.genworth.com^ +||omni.holidaycheck.com^ +||omni.holidaycheck.cz^ +||omni.home.saxo^ +||omni.israelbonds.com^ +||omni.istockphoto.com^ +||omni.lightstream.com^ +||omni.nine.com.au^ +||omni.nwa.com^ +||omni.orvis.com^ +||omni.pcm.com^ +||omni.pemco.com^ +||omni.pluralsight.com^ +||omni.rei.com^ +||omni.rockethomes.com^ +||omni.sbicard.com^ +||omni.serve.com^ +||omni.sky.de^ +||omni.suntrust.com^ +||omni.superonline.net^ +||omni.syf.com^ +||omni.synchronybank.com^ +||omni.thermofisher.com^ +||omni.turkcell.com.tr^ +||omni.vikingrivercruises.com^ +||omni.westernasset.com^ +||omni.yellowpages.com^ +||omnifpc.devry.edu^ +||omnifpcs.devry.edu^ +||omnis.basspro.com^ +||omnis.firstdata.com^ +||omnis.pcmall.com^ +||omnistat.teleflora.com^ +||omnistats.jetblue.com^ +||omnistats.teleflora.com^ +||omnit.blinkfitness.com^ +||omnit.pureyoga.com^ +||omniture-dc-sec.cadence.com^ +||omniture-secure.valpak.com^ +||omniture-ssl.direct.asda.com^ +||omniture-ssl.groceries-qa.asda.com^ +||omniture-ssl.groceries.asda.com^ +||omniture-ssl.kia.com^ +||omniture-ssl.wal-mart.com^ +||omniture-ssl.walmart.ca^ +||omniture-ssl.walmart.com^ +||omniture.affarsliv.com^ +||omniture.chip.de^ +||omniture.chip.eu^ +||omniture.corel.com^ +||omniture.direct.asda.com^ +||omniture.groceries-qa.asda.com^ +||omniture.groceries.asda.com^ +||omniture.kcbd.com^ +||omniture.kennametal.com^ +||omniture.lg.com^ +||omniture.money.asda.com^ +||omniture.omgeo.com^ +||omniture.partycity.ca^ +||omniture.partycity.com^ +||omniture.rbs.com^ +||omniture.scotiabank.com^ +||omniture.stuff.co.nz^ +||omniture.theglobeandmail.com^ +||omniture.valpak.com^ +||omniture.waff.com^ +||omniture.wal-mart.com^ +||omniture.walmart.ca^ +||omniture.walmart.com^ +||omniture.yell.com^ +||omniture.yodlee.com^ +||omniture443.partycity.ca^ +||omniture443.partycity.com^ +||omns.americanexpress.com^ +||omns.crackle.com^ +||omns.murdoch.edu.au^ +||ompx.shopbop.com^ +||ompxs.shopbop.com^ +||oms.1067rock.ca^ +||oms.680news.com^ +||oms.avast.com^ +||oms.avg.com^ +||oms.avira.com^ +||oms.barrons.com^ +||oms.breakfasttelevision.ca^ +||oms.ccleaner.com^ +||oms.chatelaine.com^ +||oms.chatrwireless.com^ +||oms.cityline.tv^ +||oms.citynews.ca^ +||oms.citytv.com^ +||oms.country600.com^ +||oms.davita.com^ +||oms.dowjones.com^ +||oms.dowjoneson.com^ +||oms.easy1013.ca^ +||oms.factiva.com^ +||oms.fido.ca^ +||oms.fnlondon.com^ +||oms.fxnowcanada.ca^ +||oms.gendigital.com^ +||oms.goarmy.com^ +||oms.hellomagazine.com^ +||oms.jack969.com^ +||oms.macleans.ca^ +||oms.mansionglobal.com^ +||oms.marketwatch.com^ +||oms.mymcmurray.com^ +||oms.neimanmarcus.com^ +||oms.nhllive.com^ +||oms.norton.com^ +||oms.ocean985.com^ +||oms.omnitv.ca^ +||oms.reputationdefender.com^ +||oms.rogersmedia.com^ +||oms.snnow.ca^ +||oms.symantec.com^ +||oms.travelocity.ca^ +||oms.travelocity.com^ +||oms.tsc.ca^ +||oms.usnews.com^ +||oms.venere.com^ +||oms.wsj.com^ +||oms1.sportsnet.ca^ +||omsc.kpn.com^ +||omtr.financialengines.com^ +||omtr1.partners.salesforce.com^ +||omtr2.partners.salesforce.com^ +||omtrdc.jobsdb.com^ +||omtrdc.jobstreet.co.id^ +||omtrdc.jobstreet.com.my^ +||omtrdc.jobstreet.com.ph^ +||omtrdc.jobstreet.com.sg^ +||omtrdc.jobstreet.com^ +||omtrdc.jobstreet.vn^ +||omtrns.sstats.q8.dk^ +||onem.marketing.onemarketinguxp.com^ +||oopt.norauto.es^ +||opt.delta.com^ +||optimisation.co-oplegalservices.co.uk^ +||optimisation.coop.co.uk^ +||optimisation.data.lloydsbankinggroup.com^ +||optout.info.nordea.fi^ +||optout.info.nordea.no^ +||origin-smetrics.go365.com^ +||origin-target.humana.com^ +||os.efax.es^ +||os.efax.nl^ +||os.efaxcorporate.com^ +||os.evoice.com^ +||os.evoicereceptionist.com^ +||os.fandango.com^ +||os.j2.com^ +||os.j2global.com^ +||os.mbox.com.au^ +||os.mckinseyquarterly.com^ +||os.onebox.com^ +||os.send2fax.com^ +||os.shutterfly.com^ +||os.vudu.com^ +||osc.hrs.com^ +||oscs.palazzolasvegas.com^ +||osimg.discoveruniversal.com^ +||osimg.halloweenhorrornights.com^ +||osimg.nbcuni.com^ +||osimg.universalorlando.co.uk^ +||osimg.universalorlando.com^ +||osimg.universalorlandovacations.com^ +||osimg.universalparks.com^ +||osimg.universalstudioshollywood.com^ +||osimg.windsurfercrs.com^ +||osur.dell.com^ +||otr.kaspersky.ca^ +||otr.kaspersky.co.jp^ +||otr.kaspersky.co.uk^ +||otr.kaspersky.co.za^ +||otr.kaspersky.com.au^ +||otr.kaspersky.com.br^ +||otr.kaspersky.com.tr^ +||otr.kaspersky.com^ +||otr.kaspersky.de^ +||otr.kaspersky.es^ +||otr.kaspersky.fr^ +||otr.kaspersky.it^ +||otr.kaspersky.nl^ +||otr.kaspersky.pt^ +||otr.kaspersky.se^ +||otrack.workday.com^ +||otracks.workday.com^ +||ou.shutterfly.com^ +||outrigger-a.outrigger.com^ +||owa.carhartt.com^ +||ows.ihs.com^ +||owss.ihs.com^ +||p1.danskebank.co.uk^ +||p1.danskebank.dk^ +||p1.danskebank.ie^ +||p2.danskebank.co.uk^ +||p2.danskebank.dk^ +||p2.danskebank.fi^ +||p2.danskebank.no^ +||p2.danskebank.se^ +||page.e.silverfernfarms.com^ +||page.email.key.com^ +||pagedot.deutschepost.de^ +||pages.ajo.knak.link^ +||pages.comunicaciones.ficohsa.com.gt^ +||pages.email.princess.com^ +||pages.guest.princess.com^ +||pages.info.ficohsa.com.pa^ +||pages.mail.puntoscolombia.com^ +||pages.newsletter.avianca.com^ +||pbstats.jpmorgan.com^ +||pc.personalcreations.com^ +||pdmsmrt.buick.ca^ +||pdmsmrt.buick.com^ +||pdmsmrt.cadillac.com^ +||pdmsmrt.cadillaccanada.ca^ +||pdmsmrt.chevrolet.ca^ +||pdmsmrt.chevrolet.com^ +||pdmsmrt.gmc.com^ +||pdmsmrt.gmccanada.ca^ +||petal.calyxflowers.com^ +||plugs.jameco.com^ +||private.cervicalcancer-risk.com^ +||private.roche.com^ +||purpose.fressnapf.at^ +||purpose.fressnapf.ch^ +||purpose.fressnapf.de^ +||purpose.maxizoo.be^ +||purpose.maxizoo.fr^ +||purpose.maxizoo.ie^ +||purpose.maxizoo.pl^ +||re.stjude.org^ +||repdata.12newsnow.com^ +||repdata.9news.com^ +||repdata.app.com^ +||repdata.battlecreekenquirer.com^ +||repdata.caller.com^ +||repdata.clarionledger.com^ +||repdata.coloradoan.com^ +||repdata.courier-journal.com^ +||repdata.dnj.com^ +||repdata.eveningsun.com^ +||repdata.federaltimes.com^ +||repdata.floridatoday.com^ +||repdata.golfweek.com^ +||repdata.jacksonsun.com^ +||repdata.kiiitv.com^ +||repdata.kitsapsun.com^ +||repdata.lansingstatejournal.com^ +||repdata.lcsun-news.com^ +||repdata.ldnews.com^ +||repdata.marionstar.com^ +||repdata.montgomeryadvertiser.com^ +||repdata.naplesnews.com^ +||repdata.news-press.com^ +||repdata.news10.net^ +||repdata.newsleader.com^ +||repdata.northjersey.com^ +||repdata.packersnews.com^ +||repdata.postcrescent.com^ +||repdata.poughkeepsiejournal.com^ +||repdata.sctimes.com^ +||repdata.tallahassee.com^ +||repdata.thv11.com^ +||repdata.usatoday.com^ +||repdata.wcsh6.com^ +||repdata.wzzm13.com^ +||repdata.ydr.com^ +||repdata.yorkdispatch.com^ +||rolt7it2lhml5rxa.edge41.testandtarget.omniture.com^ +||rpt.kidsfootlocker.com^ +||s-adobe.wacoal.jp^ +||s-adobeanalytics.vice.com^ +||s-omniture.yell.com^ +||s-sitecatalyst.work.shiseido.co.jp^ +||s.acxiom.com^ +||s.americanblinds.com^ +||s.ameriprisestats.com^ +||s.blinds.ca^ +||s.blinds.com^ +||s.boydgaming.com^ +||s.bramptonguardian.com^ +||s.cadent.bloomberglaw.com^ +||s.caledonenterprise.com^ +||s.cambridgetimes.ca^ +||s.columbiathreadneedle.ch^ +||s.columbiathreadneedle.co.uk^ +||s.columbiathreadneedle.hk^ +||s.durhamregion.com^ +||s.flamboroughreview.com^ +||s.grace.com^ +||s.guelphmercury.com^ +||s.hamiltonnews.com^ +||s.hdsupplysolutions.com^ +||s.hm.com^ +||s.insidehalton.com^ +||s.insideottawavalley.com^ +||s.justblinds.com^ +||s.lenovo.com^ +||s.lexusfinancial.com^ +||s.metrics.artistsnetwork.com^ +||s.metrics.skyandtelescope.com^ +||s.metroland.com^ +||s.mississauga.com^ +||s.musicradio.com^ +||s.muskokaregion.com^ +||s.newhamburgindependent.ca^ +||s.niagarafallsreview.ca^ +||s.niagarathisweek.com^ +||s.northbaynipissing.com^ +||s.northumberlandnews.com^ +||s.orangeville.com^ +||s.ourwindsor.ca^ +||s.parrysound.com^ +||s.rosettastone.co.uk^ +||s.rosettastone.com^ +||s.rosettastone.de^ +||s.rosettastone.eu^ +||s.sachem.ca^ +||s.save.ca^ +||s.simcoe.com^ +||s.stcatharinesstandard.ca^ +||s.tccc-comms.com^ +||s.testneedle.co.uk^ +||s.theifp.ca^ +||s.thepeterboroughexaminer.com^ +||s.therecord.com^ +||s.thespec.com^ +||s.thestar.com^ +||s.toronto.com^ +||s.toyotafinancial.com^ +||s.waterloochronicle.ca^ +||s.wellandtribune.ca^ +||s.wheels.ca^ +||s.yorkregion.com^ +||s02.bestsecret.com^ +||s1.subaru.com^ +||sa.adidas.ae^ +||sa.adidas.be^ +||sa.adidas.ca^ +||sa.adidas.ch^ +||sa.adidas.cn^ +||sa.adidas.co.in^ +||sa.adidas.co.uk^ +||sa.adidas.co^ +||sa.adidas.com.ar^ +||sa.adidas.com.au^ +||sa.adidas.com.br^ +||sa.adidas.com.tr^ +||sa.adidas.com.vn^ +||sa.adidas.com^ +||sa.adidas.cz^ +||sa.adidas.de^ +||sa.adidas.dk^ +||sa.adidas.es^ +||sa.adidas.fi^ +||sa.adidas.fr^ +||sa.adidas.gr^ +||sa.adidas.hu^ +||sa.adidas.ie^ +||sa.adidas.it^ +||sa.adidas.jp^ +||sa.adidas.mx^ +||sa.adidas.nl^ +||sa.adidas.no^ +||sa.adidas.pl^ +||sa.adidas.pt^ +||sa.adidas.se^ +||sa.adidas.sk^ +||sa.bankofinternet.com^ +||sa.cookingchanneltv.com^ +||sa.discovery.com^ +||sa.discoveryplus.com^ +||sa.discoveryplus.in^ +||sa.diynetwork.com^ +||sa.dyson.no^ +||sa.eurosport.co.uk^ +||sa.eurosport.com^ +||sa.fchp.org^ +||sa.foodnetwork.com^ +||sa.hgtv.com^ +||sa.investigationdiscovery.com^ +||sa.oprah.com^ +||sa.reebok.co.uk^ +||sa.tactics.com^ +||sa.tlc.com^ +||sa.travelchannel.com^ +||saa-aem.hamamatsu.com^ +||saa.247sports.com^ +||saa.cbs.com^ +||saa.cbsi.com^ +||saa.cbsnews.com^ +||saa.cbssports.com^ +||saa.cnet.com^ +||saa.collegesportslive.com^ +||saa.comicbook.com^ +||saa.dabl.com^ +||saa.datasheets360.com^ +||saa.daveandbusters.com^ +||saa.drphil.com^ +||saa.dyson.ae^ +||saa.dyson.at^ +||saa.dyson.be^ +||saa.dyson.ch^ +||saa.dyson.co.il^ +||saa.dyson.co.kr^ +||saa.dyson.co.nz^ +||saa.dyson.co.th^ +||saa.dyson.co.uk^ +||saa.dyson.co.za^ +||saa.dyson.com.au^ +||saa.dyson.com.ee^ +||saa.dyson.com.kw^ +||saa.dyson.com.ro^ +||saa.dyson.com.sg^ +||saa.dyson.com.tr^ +||saa.dyson.com^ +||saa.dyson.cz^ +||saa.dyson.de^ +||saa.dyson.dk^ +||saa.dyson.es^ +||saa.dyson.fr^ +||saa.dyson.hk^ +||saa.dyson.hr^ +||saa.dyson.hu^ +||saa.dyson.ie^ +||saa.dyson.in^ +||saa.dyson.it^ +||saa.dyson.lt^ +||saa.dyson.lu^ +||saa.dyson.lv^ +||saa.dyson.mx^ +||saa.dyson.my^ +||saa.dyson.nl^ +||saa.dyson.no^ +||saa.dyson.pl^ +||saa.dyson.pt^ +||saa.dyson.qa^ +||saa.dyson.se^ +||saa.dyson.sk^ +||saa.dyson.vn^ +||saa.dysoncanada.ca^ +||saa.etonline.com^ +||saa.gamespot.com^ +||saa.giantbomb.com^ +||saa.globalspec.com^ +||saa.irvinecompanyapartments.com^ +||saa.last.fm^ +||saa.maxpreps.com^ +||saa.metacritic.com^ +||saa.mysmile.wellfit.com^ +||saa.pacificdentalservices.com^ +||saa.paramountplus.com^ +||saa.paramountpressexpress.com^ +||saa.pluto.tv^ +||saa.popculture.com^ +||saa.poptv.com^ +||saa.rachaelrayshow.com^ +||saa.smilegeneration.com^ +||saa.smithsonianchannel.com^ +||saa.sparebank1.no^ +||saa.sportsline.com^ +||saa.startrek.com^ +||saa.tallink.com^ +||saa.techrepublic.com^ +||saa.tescomobile.com^ +||saa.thedoctorstv.com^ +||saa.thedrewbarrymoreshow.com^ +||saa.tvguide.com^ +||saa.viacomcbspressexpress.com^ +||saa.wowma.jp^ +||saa.zdnet.com^ +||saadata.career.netjets.com^ +||saadata.executivejetmanagement.com^ +||saadata.netjets.com^ +||saainfo.anz.co.nz^ +||saam.gumtree.com.au^ +||saametrics.aktia.fi^ +||saametrics.vaisala.com^ +||saat.dow.com^ +||sabxt.teeoff.com^ +||saccess.hikaritv.net^ +||sace.aaa.com^ +||sadb.superrtl-licensing.de^ +||sadb.superrtl.de^ +||sadb.toggo.de^ +||sadb.toggoeltern.de^ +||sadbelytics.munichre.com^ +||sadbmetrics.15kvalencia.es^ +||sadbmetrics.7canibales.com^ +||sadbmetrics.abc.es^ +||sadbmetrics.alhambraventure.com^ +||sadbmetrics.andorrataste.com^ +||sadbmetrics.aupaathletic.com^ +||sadbmetrics.autocasion.com^ +||sadbmetrics.b-venture.com^ +||sadbmetrics.burgosconecta.es^ +||sadbmetrics.canarias7.es^ +||sadbmetrics.carreraempresas.com^ +||sadbmetrics.carteleraasturias.com^ +||sadbmetrics.cmacomunicacion.com^ +||sadbmetrics.congresomigueldelibes.es^ +||sadbmetrics.diariosur.es^ +||sadbmetrics.diariovasco.com^ +||sadbmetrics.donostimasterscup.com^ +||sadbmetrics.e-movilidad.com^ +||sadbmetrics.e-volucion.es^ +||sadbmetrics.elbalcondemateo.es^ +||sadbmetrics.elbierzonoticias.com^ +||sadbmetrics.elcomercio.es^ +||sadbmetrics.elcorreo.com^ +||sadbmetrics.elcorreoclasificados.com^ +||sadbmetrics.eldiariomontanes.es^ +||sadbmetrics.elnortedecastilla.es^ +||sadbmetrics.finanza.eus^ +||sadbmetrics.funandseriousgamefestival.com^ +||sadbmetrics.granadablogs.com^ +||sadbmetrics.habitatsoft.com^ +||sadbmetrics.hoy.es^ +||sadbmetrics.hoycinema.com^ +||sadbmetrics.huelva24.com^ +||sadbmetrics.ideal.es^ +||sadbmetrics.innova-bilbao.com^ +||sadbmetrics.lagacetadesalamanca.es^ +||sadbmetrics.larioja.com^ +||sadbmetrics.lasprovincias.es^ +||sadbmetrics.laverdad.es^ +||sadbmetrics.lavozdegalicia.es^ +||sadbmetrics.lavozdigital.es^ +||sadbmetrics.leonoticias.com^ +||sadbmetrics.localdigitalkit.com^ +||sadbmetrics.lomejordelvinoderioja.com^ +||sadbmetrics.madridfusion.net^ +||sadbmetrics.malagaenlamesa.com^ +||sadbmetrics.masterelcorreo.com^ +||sadbmetrics.miperiodicodigital.com^ +||sadbmetrics.mondragoncitychallenge.com^ +||sadbmetrics.motocasion.com^ +||sadbmetrics.muevetebasket.es^ +||sadbmetrics.mujerhoy.com^ +||sadbmetrics.nextspain.es^ +||sadbmetrics.nuevosvecinos.com^ +||sadbmetrics.oferplan.com^ +||sadbmetrics.pidecita.com^ +||sadbmetrics.pisocompartido.com^ +||sadbmetrics.pisos.cat^ +||sadbmetrics.pisos.com^ +||sadbmetrics.relevo.com^ +||sadbmetrics.rendibu.com^ +||sadbmetrics.rtve.es^ +||sadbmetrics.salamancahoy.es^ +||sadbmetrics.salon-sie.com^ +||sadbmetrics.sansebastiangastronomika.com^ +||sadbmetrics.suenasur.com^ +||sadbmetrics.surinenglish.com^ +||sadbmetrics.todoalicante.es^ +||sadbmetrics.topcomparativas.com^ +||sadbmetrics.turium.es^ +||sadbmetrics.tusanuncios.com^ +||sadbmetrics.tvr.es^ +||sadbmetrics.unoauto.com^ +||sadbmetrics.vamosacorrer.com^ +||sadbmetrics.vehiculosdeocasion.eus^ +||sadbmetrics.vehiculosocasionalava.com^ +||sadbmetrics.vehiculosocasionlarioja.com^ +||sadbmetrics.vidasolidaria.com^ +||sadbmetrics.vocento.com^ +||sadbmetrics.vocentoeventos.com^ +||sadbmetrics.welife.es^ +||sadbmetrics.womennow.es^ +||sadbmetrics.worldcanic.com^ +||sadbmetrics.xlsemanal.com^ +||sadbmetrics.zendalibros.com^ +||sadobe.autoscout24.at^ +||sadobe.autoscout24.be^ +||sadobe.autoscout24.de^ +||sadobe.autoscout24.es^ +||sadobe.autoscout24.fr^ +||sadobe.autoscout24.it^ +||sadobe.autoscout24.lu^ +||sadobe.autoscout24.nl^ +||sadobe.dentsu-ho.com^ +||sadobe.falabella.com.co^ +||sadobe.falabella.com.pe^ +||sadobe.falabella.com^ +||sadobe.homecenter.com.co^ +||sadobe.mercuryinsurance.com^ +||sadobe.sodimac.com.ar^ +||sadobeanalytics.geico.com^ +||sadobeanalytics.medline.com^ +||sadobemarketing.boden.co.uk^ +||sadobemarketing.boden.eu^ +||sadobemarketing.boden.fr^ +||sadobemarketing.bodenclothing.com.au^ +||sadobemarketing.bodendirect.at^ +||sadobemarketing.bodendirect.de^ +||sadobemarketing.bodenusa.com^ +||sadobemetrics.dr.dk^ +||sadobemetrics.la-z-boy.com^ +||saec-metrics.base.be^ +||saec-metrics.telenet.be^ +||sal.milanoo.com^ +||sam.manager-magazin.de^ +||samc.frankly.ch^ +||samc.swisscanto.com^ +||samc.zkb.ch^ +||samc.zuerilaufcup.ch^ +||same.zkb.ch^ +||same.zkb.co.uk^ +||sametrics.finn.no^ +||sams.11freunde.de^ +||sams.spiegel.de^ +||samt.frankly.ch^ +||samt.swisscanto.com^ +||samt.zkb.ch^ +||sanalytics.adobe.tp.gskpro.com^ +||sanalytics.adultswim.co.uk^ +||sanalytics.allianz-assistance.co.uk^ +||sanalytics.amig.com^ +||sanalytics.autozone.com^ +||sanalytics.bd.com^ +||sanalytics.boing.es^ +||sanalytics.boingtv.it^ +||sanalytics.boomerang-tv.hu^ +||sanalytics.boomerang-tv.pl^ +||sanalytics.boomerang-tv.ro^ +||sanalytics.boomerang.asia^ +||sanalytics.boomerang.com.br^ +||sanalytics.boomerangmena.com^ +||sanalytics.boomerangtv.co.uk^ +||sanalytics.boomerangtv.com.au^ +||sanalytics.boomerangtv.de^ +||sanalytics.boomerangtv.fr^ +||sanalytics.boomerangtv.it^ +||sanalytics.boomerangtv.nl^ +||sanalytics.boomerangtv.se^ +||sanalytics.box.com^ +||sanalytics.boxlunch.com^ +||sanalytics.canaltnt.es^ +||sanalytics.cartoonito.co.uk^ +||sanalytics.cartoonito.com.br^ +||sanalytics.cartoonito.com.tr^ +||sanalytics.cartoonito.de^ +||sanalytics.cartoonito.fr^ +||sanalytics.cartoonito.hu^ +||sanalytics.cartoonito.it^ +||sanalytics.cartoonito.pl^ +||sanalytics.cartoonito.pt^ +||sanalytics.cartoonito.ro^ +||sanalytics.cartoonitoafrica.com^ +||sanalytics.cartoonitocheidea.it^ +||sanalytics.cartoonnetwork.bg^ +||sanalytics.cartoonnetwork.cl^ +||sanalytics.cartoonnetwork.co.uk^ +||sanalytics.cartoonnetwork.com.ar^ +||sanalytics.cartoonnetwork.com.au^ +||sanalytics.cartoonnetwork.com.br^ +||sanalytics.cartoonnetwork.com.co^ +||sanalytics.cartoonnetwork.com.mx^ +||sanalytics.cartoonnetwork.com.tr^ +||sanalytics.cartoonnetwork.com.ve^ +||sanalytics.cartoonnetwork.cz^ +||sanalytics.cartoonnetwork.de^ +||sanalytics.cartoonnetwork.dk^ +||sanalytics.cartoonnetwork.es^ +||sanalytics.cartoonnetwork.fr^ +||sanalytics.cartoonnetwork.hu^ +||sanalytics.cartoonnetwork.it^ +||sanalytics.cartoonnetwork.jp^ +||sanalytics.cartoonnetwork.nl^ +||sanalytics.cartoonnetwork.no^ +||sanalytics.cartoonnetwork.pl^ +||sanalytics.cartoonnetwork.pt^ +||sanalytics.cartoonnetwork.ro^ +||sanalytics.cartoonnetwork.se^ +||sanalytics.cartoonnetworkarabic.com^ +||sanalytics.cartoonnetworkasia.com^ +||sanalytics.cartoonnetworkclimatechampions.com^ +||sanalytics.cartoonnetworkhq.com^ +||sanalytics.cartoonnetworkindia.com^ +||sanalytics.cartoonnetworkkorea.com^ +||sanalytics.cartoonnetworkla.com^ +||sanalytics.cartoonnetworkme.com^ +||sanalytics.cdf.cl^ +||sanalytics.cha-ching.com^ +||sanalytics.chilevision.cl^ +||sanalytics.chvnoticias.cl^ +||sanalytics.cnfanart.com^ +||sanalytics.cnnchile.com^ +||sanalytics.combatefreestyle.com^ +||sanalytics.disneyplus.com^ +||sanalytics.enterprise.spectrum.com^ +||sanalytics.esporteinterativo.com.br^ +||sanalytics.ewz.ch^ +||sanalytics.expomaritt.com^ +||sanalytics.express.de^ +||sanalytics.facilitiesshow.com^ +||sanalytics.fietsverzekering.nl^ +||sanalytics.firstbankcard.com^ +||sanalytics.firstnational.com^ +||sanalytics.fnbolending.com^ +||sanalytics.fnbsd.com^ +||sanalytics.fsbloomis.com^ +||sanalytics.futuro360.com^ +||sanalytics.gladbachlive.de^ +||sanalytics.hallmark.com^ +||sanalytics.hottopic.com^ +||sanalytics.houghtonstatebank.com^ +||sanalytics.ingredion.com^ +||sanalytics.johnson.ca^ +||sanalytics.kbdesignlondon.com^ +||sanalytics.ksta.de^ +||sanalytics.landmands.com^ +||sanalytics.latamwbd.com^ +||sanalytics.lovemoney.com^ +||sanalytics.mail-corp.com^ +||sanalytics.makro.cz^ +||sanalytics.makro.es^ +||sanalytics.makro.nl^ +||sanalytics.makro.pl^ +||sanalytics.makro.pt^ +||sanalytics.metro.co.in^ +||sanalytics.metro.de^ +||sanalytics.metro.fr^ +||sanalytics.metro.it^ +||sanalytics.mondotv.jp^ +||sanalytics.mopo.de^ +||sanalytics.mz-web.de^ +||sanalytics.nba.com^ +||sanalytics.ncaa.com^ +||sanalytics.powernewz.ch^ +||sanalytics.proactiv.com^ +||sanalytics.radioberg.de^ +||sanalytics.radiobonn.de^ +||sanalytics.radioerft.de^ +||sanalytics.radioeuskirchen.de^ +||sanalytics.radiokoeln.de^ +||sanalytics.radioleverkusen.de^ +||sanalytics.radiorur.de^ +||sanalytics.ratioform.ch^ +||sanalytics.ratioform.it^ +||sanalytics.rbs.com.au^ +||sanalytics.rbs.com^ +||sanalytics.rbs.nl^ +||sanalytics.rbsbank.dk^ +||sanalytics.rbsbank.no^ +||sanalytics.rundschau-online.de^ +||sanalytics.safestepskids.com^ +||sanalytics.safety-health-expo.co.uk^ +||sanalytics.scsbnet.com^ +||sanalytics.securebanklogin.com^ +||sanalytics.skinny.co.nz^ +||sanalytics.smart.mercedes-benz.com^ +||sanalytics.southpointcasino.com^ +||sanalytics.spark.co.nz^ +||sanalytics.sydney.edu.au^ +||sanalytics.sydneyuniversity.cn^ +||sanalytics.tabichan.jp^ +||sanalytics.tbs.com^ +||sanalytics.tcm.com^ +||sanalytics.tcmuk.tv^ +||sanalytics.teentitanstoptalent.com^ +||sanalytics.tnt-tv.de^ +||sanalytics.tnt-tv.pl^ +||sanalytics.tnt-tv.ro^ +||sanalytics.tnt.africa^ +||sanalytics.tntdrama.com^ +||sanalytics.tntgo.tv^ +||sanalytics.tntsports.cl^ +||sanalytics.tntsports.com.ar^ +||sanalytics.tntsports.com.br^ +||sanalytics.toonamiafrica.com^ +||sanalytics.tributarycapital.com^ +||sanalytics.trutv.com^ +||sanalytics.verizon.com^ +||sanalytics.verizonenterprise.com^ +||sanalytics.verizonwireless.com^ +||sanalytics.visible.com^ +||sanalytics.warnertv.de^ +||sanalytics.warnertv.fr^ +||sanalytics.warnertv.pl^ +||sanalytics.warnertv.ro^ +||sanalytics.warnertvspiele.de^ +||sanalytics.washingtoncountybank.com^ +||sanalytics.wbd.com^ +||sanalytics.wideroe.no^ +||sanalytics.yorkstatebank.com^ +||sanl.champssports.ca^ +||sanl.champssports.com^ +||sanl.eastbay.com^ +||sanl.footaction.com^ +||sanl.footlocker.at^ +||sanl.footlocker.be^ +||sanl.footlocker.ca^ +||sanl.footlocker.co.nz^ +||sanl.footlocker.co.uk^ +||sanl.footlocker.com.au^ +||sanl.footlocker.com^ +||sanl.footlocker.cz^ +||sanl.footlocker.de^ +||sanl.footlocker.dk^ +||sanl.footlocker.es^ +||sanl.footlocker.fr^ +||sanl.footlocker.gr^ +||sanl.footlocker.hu^ +||sanl.footlocker.ie^ +||sanl.footlocker.it^ +||sanl.footlocker.kr^ +||sanl.footlocker.lu^ +||sanl.footlocker.nl^ +||sanl.footlocker.no^ +||sanl.footlocker.pl^ +||sanl.footlocker.pt^ +||sanl.footlocker.se^ +||sanl.six02.com^ +||sanmet.originenergy.com.au^ +||sappmetrics.sprint.com^ +||sasc.solidworks.com^ +||satarget.csu.edu.au^ +||satarget.npubank.com.au^ +||satarget.southaustralia.com^ +||satgt.grafana.com^ +||sats.manager-magazin.de^ +||sats.spiegel.de^ +||sawap.equifax.com^ +||sb.mynewplace.com^ +||sbcomniture.focus.de^ +||sbrands.lookfantastic.com^ +||sc-nossl.speakeasy.net^ +||sc.blurb.fr^ +||sc.cmt.com^ +||sc.coutts.com^ +||sc.cvent.com^ +||sc.disneylandparis.com^ +||sc.doctorwho.tv^ +||sc.hl.co.uk^ +||sc.hm.com^ +||sc.holtsmilitarybank.co.uk^ +||sc.icarly.com^ +||sc.infor.com^ +||sc.iombank.com^ +||sc.lacapitale.com^ +||sc.locator-rbs.co.uk^ +||sc.lombard.co.uk^ +||sc.lombard.ie^ +||sc.londonlive.co.uk^ +||sc.metrics-shell.com^ +||sc.mtv.co.uk^ +||sc.mtv.tv^ +||sc.mtvne.com^ +||sc.muji.net^ +||sc.natwest.com^ +||sc.natwestgroup.com^ +||sc.natwestgroupremembers.com^ +||sc.natwestinternational.com^ +||sc.neteller.com^ +||sc.nick.co.uk^ +||sc.nick.com.au^ +||sc.nick.com^ +||sc.nick.tv^ +||sc.nickelodeon.se^ +||sc.nickelodeonarabia.com^ +||sc.nickjr.com^ +||sc.nicktoons.co.uk^ +||sc.paramount.com^ +||sc.paramountnetwork.com^ +||sc.payback.de^ +||sc.rbos.com^ +||sc.rbs.co.uk^ +||sc.rbs.com^ +||sc.restplatzboerse.de^ +||sc.rhapsody.com^ +||sc.sanitas.com^ +||sc.sonystyle.com.cn^ +||sc.supertv.it^ +||sc.ulsterbank.co.uk^ +||sc.ulsterbank.ie^ +||sc.unitymedia.de^ +||sc.vmware.com^ +||sc.voanews.com^ +||sc.wa.gto.db.com^ +||sc2.constantcontact.com^ +||sc2.infor.com^ +||sc2metrics.exacttarget.com^ +||scadobe.vpay.co.kr^ +||scanalytics.wral.com^ +||sci.intuit.ca^ +||sci.intuit.com^ +||sci.quickbooks.com^ +||scmetrics.exacttarget.com^ +||scmetrics.shell.com^ +||scmetrics.vodafone.it^ +||scnd.landsend.co.uk^ +||scnd.landsend.com^ +||scnd.landsend.de^ +||scode.randomhouse.com^ +||sconnectstats.mckesson.com^ +||scookies-adobe.24plus.be^ +||scookies-adobe.cbc.be^ +||scookies-adobe.kbc-group.com^ +||scookies-adobe.kbc.be^ +||scookies-adobe.kbc.com^ +||scookies-adobe.kbcbrussels.be^ +||scookies-adobe.kbcsecurities.com^ +||scookies-adobe.kching.be^ +||scp.deltadentalwa.com^ +||scrippscookingchannel.cookingchanneltv.com^ +||scrippsfoodnetnew.foodnetwork.com^ +||scrippshgtvnew.hgtv.com^ +||scs.allsecur.nl^ +||scs.arcteryx.com^ +||scs.lacapitale.com^ +||scs.lifenet-seimei.co.jp^ +||scsmetrics.ho-mobile.it^ +||scsmetrics.vodafone.it^ +||sdata.avid.com^ +||sdata.chelseafc.com^ +||sdata.connection.com^ +||sdata.efficientlearning.com^ +||sdata.govconnection.com^ +||sdata.lifesize.com^ +||sdata.macconnection.com^ +||sdata.sealedair.com^ +||sdata.wiley.com^ +||sdc.allianz-autowelt.com^ +||sdc.allianz-autowelt.de^ +||sdc.allianz-maklerakademie.de^ +||sdc.allianz-vertrieb.de^ +||sdc.allianz-vor-ort.de^ +||sdc.allianz.de^ +||sdc.allianzpp.com^ +||sdc.allvest.de^ +||sdc.aware.com.au^ +||sdc.azt-automotive.com^ +||sdc.firmenonline.de^ +||sdc.firststatesuper.com.au^ +||sdc.kfz-steuercheck.de^ +||sdc.kvm-ga.de^ +||sdc.meinebav.com^ +||sdc.risikolebensversicherungen.com^ +||sdc2.credit-suisse.com^ +||sdcs.felissimo.co.jp^ +||sdome.underarmour.co.jp^ +||sec-analytics.panasonic.co.uk^ +||secmetrics.bkb.ch^ +||secmetrics.friendscout24.it^ +||secmetrics.friendscout24.nl^ +||secmetrics.leggmason.com^ +||secmetrics.rakuten-checkout.de^ +||secmetrics.schaefer-shop.at^ +||secmetrics.schaefer-shop.be^ +||secmetrics.schaefer-shop.ch^ +||secmetrics.schaefer-shop.de^ +||secmetrics.schaefer-shop.nl^ +||secu.hagerty.ca^ +||secu.hagerty.com^ +||secu.hagertyagent.com^ +||secu.hagertybroker.ca^ +||secure-stat.canal-plus.com^ +||secure.adata.ca.com^ +||secure.analytics.crowneplaza.com^ +||secure.analytics.intercontinental.com^ +||secure.diet.mayoclinic.org^ +||secure.info.m.seek.co.nz^ +||secure.realwomenofphiladelphia.ca^ +||secure.sigmaaldrich.com^ +||secure.valpak.com^ +||secure.whattoexpect.com^ +||secureae-edge.ikea.com^ +||secureanalytics.avis.at^ +||secureanalytics.avis.be^ +||secureanalytics.avis.ch^ +||secureanalytics.avis.co.uk^ +||secureanalytics.avis.com.pt^ +||secureanalytics.avis.cz^ +||secureanalytics.avis.de^ +||secureanalytics.avis.dk^ +||secureanalytics.avis.es^ +||secureanalytics.avis.fr^ +||secureanalytics.avis.lu^ +||secureanalytics.avis.nl^ +||secureanalytics.avis.no^ +||secureanalytics.avis.se^ +||secureanalytics.avisautonoleggio.it^ +||secureanalytics.budget.at^ +||secureanalytics.budget.co.uk^ +||secureanalytics.budget.de^ +||secureanalytics.budget.dk^ +||secureanalytics.budget.es^ +||secureanalytics.budget.fr^ +||secureanalytics.budget.no^ +||secureanalytics.budget.se^ +||secureanalytics.budgetautonoleggio.it^ +||secureanalytics.nedbank.co.za^ +||secureclicks.geae.com^ +||secureclicks.geaviation.com^ +||securedata.bestellen-mijnspar.be^ +||securedata.bioplanet.be^ +||securedata.collectandgo.be^ +||securedata.collectandgo.fr^ +||securedata.collishop.be^ +||securedata.colruyt.be^ +||securedata.colruyt.fr^ +||securedata.colruytgroup.com^ +||securedata.colruytgroupacademy.be^ +||securedata.commander-monspar.be^ +||securedata.cru.be^ +||securedata.dats24.be^ +||securedata.dreambaby.be^ +||securedata.dreamland.be^ +||securedata.mijnspar.be^ +||securedata.monspar.be^ +||securedata.okay.be^ +||securedata.retailpartnerscolruytgroup.be^ +||securedata.solucious.be^ +||securedata.unsw.edu.au^ +||secureflashplayerfeedback.adobe.com^ +||securemetrics-z.v.aaplimg.com^ +||securemetrics.athletawell.com^ +||securemetrics.blackrock.com^ +||securemetrics.brhome.com^ +||securemetrics.dailycandy.com^ +||securemetrics.gap.co.jp^ +||securemetrics.gap.co.uk^ +||securemetrics.gap.eu^ +||securemetrics.gpsuniforms.com^ +||securemetrics.marthastewart.com^ +||securemetrics.nbnco.com.au^ +||securestats.callawaygolf.com^ +||securestats.odysseygolf.com^ +||securetags.aeroterra.com^ +||securetags.esri-portugal.pt^ +||securetags.esri.ca^ +||securetags.esri.ch^ +||securetags.esri.cl^ +||securetags.esri.co^ +||securetags.esri.com.tr^ +||securetags.esri.com^ +||securetags.esri.de^ +||securetags.esri.fi^ +||securetags.esri.in^ +||securetags.esri.nl^ +||securetags.esri.ro^ +||securetags.esri.rw^ +||securetags.esrichina.hk^ +||securetags.esriuk.com^ +||securetags.geotecnologias.com^ +||securetags.gisbaltic.eu^ +||securetags.igeo.com.bo^ +||securetags.img.com.br^ +||securetags.maps.com^ +||securetags.sigsa.info^ +||securetarget.nedbank.co.za^ +||securetenilstats.turner.com^ +||securetracking.huntington.com^ +||securewebhelp.govmint.com^ +||sedge.aarp.org^ +||sedge.nfl.com^ +||selectronics.sony-latin.com^ +||service.vrp.com^ +||serviceo.comcast.net^ +||serviceo.xfinity.com^ +||serviceos.comcast.net^ +||serviceos.xfinity.com^ +||sfeedback.equa.cz^ +||sfirst.penfed.org^ +||sfirstparty.here.com^ +||sfpc.changehealthcare.com^ +||sgms.greatschools.org^ +||sgw-analytics.panasonic.com^ +||shop.lids.ca^ +||shqmetrics.sony.com^ +||sicas.ikea.com^ +||sicas.ikea.net^ +||sig.ig.com^ +||sig.igmarkets.com^ +||sig.nadex.com^ +||simg.bwin.be^ +||simg.bwin.com^ +||simg.bwin.es^ +||simg.bwin.fr^ +||simg.bwin.it^ +||simg.discovery.com^ +||simg.gamebookers.com^ +||simg.interhome.at^ +||simg.interhome.be^ +||simg.interhome.com^ +||simg.interhome.de^ +||simg.interhome.fr^ +||simg.interhome.ie^ +||simg.interhome.no^ +||simg.interhome.pl^ +||simg.interhome.se^ +||simg.mgsgamesonline.com^ +||simg.premium.com^ +||simg.sh.bwin.de^ +||simg.yemeksepeti.com^ +||sinfo.dtcidev.co^ +||sinmo.chasecenter.com^ +||sit-metrics.nab.com.au^ +||sit-smetrics.nab.com.au^ +||site.emarketer.com^ +||site.johnlewis-insurance.com^ +||site.waitrose.com^ +||site2.emarketer.com^ +||sitecat.eset.com^ +||sitecat.troweprice.com^ +||sitecatalyst.pts.se^ +||sitecatalyst.smartsource.com^ +||sitecatalyst.work.shiseido.co.jp^ +||sitecatalysts.a-q-f.com^ +||sitecatalysts.saisoncard.co.jp^ +||sitecats.troweprice.com^ +||sitectlyst.saksfifthavenue.com^ +||sjourney.aarp.org^ +||sjourney.penfed.org^ +||sjremetrics.java.com^ +||slaunch.shopcanopy.com^ +||slaunch.spectrumtherapeutics.com^ +||sm.delltechnologies.com^ +||sm.edweek.org^ +||sm.macys.com^ +||sm.stjude.org^ +||sm.sungardas.com^ +||sm.trb.com^ +||smatning.volkswagen.se^ +||smatrix.hbo.com^ +||smeasurement.fcc-fac.ca^ +||smeasurement.infiniti.ca^ +||smeasurement.nissan.ca^ +||smetc.banfield.com^ +||smetric.4imprint.com^ +||smetric.ads.microsoft.com^ +||smetric.atg.se^ +||smetric.bahamabreeze.com^ +||smetric.baylorhealth.com^ +||smetric.betway.com^ +||smetric.bimsplus24.pl^ +||smetric.biogen.com^ +||smetric.carview.co.jp^ +||smetric.changiairport.com^ +||smetric.cheddars.com^ +||smetric.darden.com^ +||smetric.dtgonlineplus.de^ +||smetric.e-nichii.net^ +||smetric.eddiev.com^ +||smetric.efgonlineplus.de^ +||smetric.gconlineplus.at^ +||smetric.gconlineplus.de^ +||smetric.gebrueder-goetz.de^ +||smetric.gutonlineplus.de^ +||smetric.hilton.com^ +||smetric.hti24.pl^ +||smetric.htionlineplus.de^ +||smetric.hydrosolar24.pl^ +||smetric.iccu.com^ +||smetric.itgonlineplus.de^ +||smetric.lo.movement.com^ +||smetric.longhornsteakhouse.com^ +||smetric.m.nissan-global.com^ +||smetric.malaysiaairlines.com^ +||smetric.mandatum.fi^ +||smetric.markenschuhe.de^ +||smetric.millenniumhotels.com^ +||smetric.movement.com^ +||smetric.nfgonlineplus.de^ +||smetric.olivegarden.com^ +||smetric.panpacific.com^ +||smetric.parkroyalhotels.com^ +||smetric.philosophy.com^ +||smetric.redlobster.com^ +||smetric.sales.vikingline.com^ +||smetric.schwab.com^ +||smetric.schwabinstitutional.com^ +||smetric.schwabplan.com^ +||smetric.seasons52.com^ +||smetric.shop.com^ +||smetric.sydneywater.com.au^ +||smetric.tfgonlineplus.de^ +||smetric.thecapitalburger.com^ +||smetric.thecapitalgrille.com^ +||smetric.trulia.com^ +||smetric.tsite.jp^ +||smetric.volkswagen-nutzfahrzeuge.de^ +||smetric.volkswagen-veicolicommerciali.it^ +||smetric.volkswagen.ch^ +||smetric.volkswagen.com.au^ +||smetric.volkswagen.com^ +||smetric.volkswagen.de^ +||smetric.volkswagen.es^ +||smetric.volkswagen.ie^ +||smetric.volkswagen.it^ +||smetric.volkswagen.pl^ +||smetric.volkswagen.ru^ +||smetric.vw.ca^ +||smetric.vw.com.tr^ +||smetric.worldcat.org^ +||smetric.yardhouse.com^ +||smetricas.fgv.br^ +||smetrics-cns.panasonic.com^ +||smetrics-ieeexplore.ieee.org^ +||smetrics-smartcommerce.amazon.in^ +||smetrics.1011bigfm.com^ +||smetrics.1031freshradio.ca^ +||smetrics.1043freshradio.ca^ +||smetrics.1045freshradio.ca^ +||smetrics.1075daverocks.com^ +||smetrics.10daily.com.au^ +||smetrics.10play.com.au^ +||smetrics.1792bourbon.com^ +||smetrics.1800contacts.com^ +||smetrics.21nova.com^ +||smetrics.24hourfitness.com^ +||smetrics.28degreescard.com.au^ +||smetrics.360dx.com^ +||smetrics.3838.com^ +||smetrics.3cat.cat^ +||smetrics.3kronor.se^ +||smetrics.3m.com^ +||smetrics.48.ie^ +||smetrics.50southcapital.com^ +||smetrics.7-elevenfleet.com^ +||smetrics.7eleven.com.au^ +||smetrics.915thebeat.com^ +||smetrics.925thechuck.ca^ +||smetrics.931freshradio.ca^ +||smetrics.963bigfm.com^ +||smetrics.aa.co.uk^ +||smetrics.aa.com^ +||smetrics.aaas.org^ +||smetrics.aaasouth.com^ +||smetrics.aadimbalance.com^ +||smetrics.aainsurance.co.nz^ +||smetrics.aami.com.au^ +||smetrics.aamotors.com^ +||smetrics.aarp.org^ +||smetrics.aarpmedicareplans.com^ +||smetrics.aavacations.com^ +||smetrics.abacusplumbing.net^ +||smetrics.abanca.com^ +||smetrics.abbott.co.in^ +||smetrics.abbott.com.sg^ +||smetrics.abbott.com^ +||smetrics.abbott^ +||smetrics.abbottbrasil.com.br^ +||smetrics.abbottcore.com^ +||smetrics.abbottdiagnostics.com^ +||smetrics.abbottgps.com^ +||smetrics.abbottnutrition.com.my^ +||smetrics.abbottnutrition.com^ +||smetrics.abbottstore.com^ +||smetrics.abbottvascular.com^ +||smetrics.abbvie.com^ +||smetrics.abcspark.ca^ +||smetrics.abercrombie.cn^ +||smetrics.abercrombie.com^ +||smetrics.abercrombiekids.com^ +||smetrics.abilify.com^ +||smetrics.abilifyasimtufii.com^ +||smetrics.abilifyasimtufiihcp.com^ +||smetrics.abilifymaintena.com^ +||smetrics.abilifymaintenahcp.com^ +||smetrics.abilifymycite.com^ +||smetrics.abilifymycitehcp.com^ +||smetrics.absolute.com^ +||smetrics.absolutetotalcare.com^ +||smetrics.absorbcommunicationskit.com^ +||smetrics.academy.com^ +||smetrics.accaglobal.com^ +||smetrics.accredo.com^ +||smetrics.aclu.org^ +||smetrics.acpny.com^ +||smetrics.acs.org.au^ +||smetrics.act4yourheart.com^ +||smetrics.actemra.com^ +||smetrics.actemrahcp.com^ +||smetrics.actemrainfo.com^ +||smetrics.activase.com^ +||smetrics.active.com^ +||smetrics.activecommunities.com^ +||smetrics.activeendurance.com^ +||smetrics.activenetwork.com^ +||smetrics.adage.com^ +||smetrics.addabilify.com^ +||smetrics.adhduniversity.com^ +||smetrics.adiglobal.us^ +||smetrics.adnradio.cl^ +||smetrics.adpkdquestions.com^ +||smetrics.adt.com^ +||smetrics.adult.prevnar13.com^ +||smetrics.adultnutritionlearningcenter.com^ +||smetrics.advancedmd.com^ +||smetrics.advil.com^ +||smetrics.aegon.co.uk^ +||smetrics.aelca.es^ +||smetrics.aem.playstation.com^ +||smetrics.aena.es^ +||smetrics.aetn.com^ +||smetrics.aetnamedicare.com^ +||smetrics.afcom.com^ +||smetrics.affymetrix.com^ +||smetrics.afpjobs.amazon.com^ +||smetrics.afrique.pwc.com^ +||smetrics.afvclub.ca^ +||smetrics.afvclub.com^ +||smetrics.agentprovocateur.com^ +||smetrics.agilent.com^ +||smetrics.agillink.com^ +||smetrics.agra-net.com^ +||smetrics.aia.co.kr^ +||smetrics.aia.com^ +||smetrics.aida.de^ +||smetrics.airandgo.fr^ +||smetrics.aircanada.com^ +||smetrics.airmiles.ca^ +||smetrics.airngo.at^ +||smetrics.airngo.de^ +||smetrics.airngo.dk^ +||smetrics.airngo.it^ +||smetrics.airngo.nl^ +||smetrics.airngo.no^ +||smetrics.airngo.pt^ +||smetrics.airngo.se^ +||smetrics.airtv.net^ +||smetrics.ajinomoto.co.jp^ +||smetrics.aktiv-mit-psa.de^ +||smetrics.aktiv-mit-rheuma.de^ +||smetrics.albankaldawli.org^ +||smetrics.alecensa.com^ +||smetrics.alexandani.com^ +||smetrics.alfalaval.cn^ +||smetrics.alfalaval.com.au^ +||smetrics.alfalaval.com^ +||smetrics.alfalaval.kr^ +||smetrics.alfalaval.sg^ +||smetrics.alka.dk^ +||smetrics.alkamobil.dk^ +||smetrics.allegion.com^ +||smetrics.allenedmonds.ca^ +||smetrics.allenedmonds.com^ +||smetrics.alliancebernstein.com^ +||smetrics.allianz.com.au^ +||smetrics.allianzlife.com^ +||smetrics.allstate.com^ +||smetrics.allstatecorporation.com^ +||smetrics.allwellmedicare.com^ +||smetrics.ally.com^ +||smetrics.alpo.com^ +||smetrics.amaroso.com.au^ +||smetrics.ambetterhealth.com^ +||smetrics.ambetterofillinois.com^ +||smetrics.ambetterofnorthcarolina.com^ +||smetrics.ambetteroftennessee.com^ +||smetrics.americanairlines.com.au^ +||smetrics.americanairlines.com^ +||smetrics.americanairlines.es^ +||smetrics.americanairlines.in^ +||smetrics.americanblinds.com^ +||smetrics.americancentury.com^ +||smetrics.americanconnection.io^ +||smetrics.americanway.com^ +||smetrics.americastire.com^ +||smetrics.amersportsproclub.com^ +||smetrics.amfam.com^ +||smetrics.amg.com^ +||smetrics.amica.com^ +||smetrics.amp.co.nz^ +||smetrics.amplifon.com^ +||smetrics.amway-bulgaria-qas.com^ +||smetrics.amway-estonia.com^ +||smetrics.amway-qas.com.co^ +||smetrics.amway-qas.nl^ +||smetrics.amway-turkey-qas.com^ +||smetrics.amway.ch^ +||smetrics.amway.com.ar^ +||smetrics.amway.com.hn^ +||smetrics.amway.it^ +||smetrics.amway.my^ +||smetrics.amway.se^ +||smetrics.amway.sg^ +||smetrics.ancestry.ca^ +||smetrics.ancestry.co.uk^ +||smetrics.ancestry.com.au^ +||smetrics.ancestry.com^ +||smetrics.ancestry.de^ +||smetrics.angara.com^ +||smetrics.angi.com^ +||smetrics.anhi.org^ +||smetrics.animalhealthacademy.com.au^ +||smetrics.animalnetwork.com^ +||smetrics.anixter.com^ +||smetrics.anntaylor.com^ +||smetrics.ansible.com^ +||smetrics.ansys.com^ +||smetrics.antena3.com^ +||smetrics.anthem.com^ +||smetrics.anticoagulante.info^ +||smetrics.anwagolf.com^ +||smetrics.apellis.com^ +||smetrics.apia.com.au^ +||smetrics.apps.ge.com^ +||smetrics.aptashop.co.uk^ +||smetrics.arcobusinesssolutions.com^ +||smetrics.argenta.be^ +||smetrics.argenta.eu^ +||smetrics.argos.co.uk^ +||smetrics.arhealthwellness.com^ +||smetrics.arkansastotalcare.com^ +||smetrics.armadaskis.com^ +||smetrics.army.mod.uk^ +||smetrics.arnette.com^ +||smetrics.as.com^ +||smetrics.ascentric.co.uk^ +||smetrics.aservoequihaler.com^ +||smetrics.asgrow.com.mx^ +||smetrics.asics.com^ +||smetrics.asmithbowman.com^ +||smetrics.assurancewireless.com^ +||smetrics.assuranthealth.com^ +||smetrics.asteronlife.com.au^ +||smetrics.asumag.com^ +||smetrics.atecsports.com^ +||smetrics.atlantic.caa.ca^ +||smetrics.atlanticsuperstore.ca^ +||smetrics.atmosphere.ca^ +||smetrics.atomic.com^ +||smetrics.atresmedia.com^ +||smetrics.atresplayer.com^ +||smetrics.au.com^ +||smetrics.au.ugg.com^ +||smetrics.audi.co.uk^ +||smetrics.audifinance.ca^ +||smetrics.audifinancialservices.nl^ +||smetrics.australiancurriculum.edu.au^ +||smetrics.australiansuper.com^ +||smetrics.autodesk.com^ +||smetrics.automobilemag.com^ +||smetrics.automobilwoche.de^ +||smetrics.autonews.com^ +||smetrics.autotrader.com^ +||smetrics.avalara.com^ +||smetrics.avancesenrespiratorio.com^ +||smetrics.avastin-hcp.com^ +||smetrics.avastin.com^ +||smetrics.aveva.com^ +||smetrics.aviationweek.com^ +||smetrics.aviva.co.uk^ +||smetrics.avnet.com^ +||smetrics.axa-direct-life.co.jp^ +||smetrics.axs.com^ +||smetrics.azcompletehealth.com^ +||smetrics.babycenter.at^ +||smetrics.babycenter.ca^ +||smetrics.babycenter.com.au^ +||smetrics.babycenter.com.mx^ +||smetrics.babycenter.com.ph^ +||smetrics.babycenter.de^ +||smetrics.babycenter.in^ +||smetrics.babycenter.ru^ +||smetrics.babycentre.co.uk^ +||smetrics.babyjoyclub.com^ +||smetrics.babynes.ch^ +||smetrics.bakerbrothersplumbing.com^ +||smetrics.bamboohr.com^ +||smetrics.banamex.com^ +||smetrics.bancobmg.com.br^ +||smetrics.bancomundial.org^ +||smetrics.bancsabadell.com^ +||smetrics.bank-daiwa.co.jp^ +||smetrics.bankatfirst.com^ +||smetrics.bankaustria.at^ +||smetrics.bankinter.com^ +||smetrics.bankofamerica.com^ +||smetrics.bankofmelbourne.com.au^ +||smetrics.banksa.com.au^ +||smetrics.bankwest.com.au^ +||smetrics.banquemondiale.org^ +||smetrics.banter.com^ +||smetrics.barandblock.co.uk^ +||smetrics.barberinilenses.com^ +||smetrics.barcainnovationhub.com^ +||smetrics.barkandwhiskers.com^ +||smetrics.barracuda.com^ +||smetrics.base.be^ +||smetrics.baskinrobbins.com^ +||smetrics.bayer.africa^ +||smetrics.bayer.ca^ +||smetrics.bayer.co^ +||smetrics.bayer.com.ar^ +||smetrics.bayer.com.br^ +||smetrics.bayer.com.mx^ +||smetrics.bayer.com.tr^ +||smetrics.bayer.com^ +||smetrics.bayer.cr^ +||smetrics.bayer.cz^ +||smetrics.bayer.dz^ +||smetrics.bayer.ec^ +||smetrics.bayer.gt^ +||smetrics.bayer.ma^ +||smetrics.bayer.pe^ +||smetrics.bayer.sk^ +||smetrics.bayer.us^ +||smetrics.bbb.org^ +||smetrics.bbva.com.ar^ +||smetrics.bbva.com.co^ +||smetrics.bbva.com.uy^ +||smetrics.bbva.com^ +||smetrics.bbva.es^ +||smetrics.bbva.it^ +||smetrics.bbva.mx^ +||smetrics.bbva.pe^ +||smetrics.bbvacib.com^ +||smetrics.bbvaexperience.com^ +||smetrics.bbvanet.com.co^ +||smetrics.bbvanet.com.mx^ +||smetrics.bbvanetcash.pe^ +||smetrics.bbvaopenmind.com^ +||smetrics.bbvaresearch.com^ +||smetrics.bbvaseguros.mx^ +||smetrics.bcbsks.com^ +||smetrics.bcbsm.com^ +||smetrics.bcbsnc.com^ +||smetrics.bcbsnd.com^ +||smetrics.bd.dk^ +||smetrics.be.carrefour.eu^ +||smetrics.beachbody.com^ +||smetrics.beatsbydre.com.cn^ +||smetrics.beatsbydre.com^ +||smetrics.beaumontenterprise.com^ +||smetrics.beckmancoulter.com^ +||smetrics.becomeanex.org^ +||smetrics.beefeater.co.uk^ +||smetrics.belairdirect.com^ +||smetrics.belk.com^ +||smetrics.benefitcosmetics.com.cn^ +||smetrics.beneful.com^ +||smetrics.beneplace.com^ +||smetrics.bereadywith.com^ +||smetrics.besame.fm^ +||smetrics.bestbuy.com^ +||smetrics.bestdrive.cz^ +||smetrics.bestegg.com^ +||smetrics.bestinver.es^ +||smetrics.bestoforlando.com^ +||smetrics.bestofvegas.com^ +||smetrics.bet.com^ +||smetrics.beterhoren.nl^ +||smetrics.bevestor.de^ +||smetrics.bgov.com^ +||smetrics.bhgelite.com^ +||smetrics.bhgfinancial.com^ +||smetrics.bhgpersonal.com^ +||smetrics.bi-connect.com^ +||smetrics.bi-vetmedica.com^ +||smetrics.bigkidneybigproblem.com^ +||smetrics.biglots.com^ +||smetrics.bilfinans.no^ +||smetrics.binge.com.au^ +||smetrics.bingle.com.au^ +||smetrics.biomedtracker.com^ +||smetrics.biooncology.com^ +||smetrics.biophilia-fbbva.es^ +||smetrics.biore.com^ +||smetrics.biosimilarsbyboehringer.com^ +||smetrics.bissell.com^ +||smetrics.bittermens.com^ +||smetrics.bjs.com^ +||smetrics.bkstr.com^ +||smetrics.blair.com^ +||smetrics.blanchir-sp.net^ +||smetrics.blau.de^ +||smetrics.blockbuster.com^ +||smetrics.bloombergbna.com^ +||smetrics.bloombergindustry.com^ +||smetrics.bloomberglaw.com^ +||smetrics.bloombergtax.com^ +||smetrics.bloombergtaxtech.com^ +||smetrics.bluegrasscellular.com^ +||smetrics.bluemercury.com^ +||smetrics.bluenile.com^ +||smetrics.blueprintprep.com^ +||smetrics.bmc.com^ +||smetrics.bmo.com^ +||smetrics.bms-immuno-dermatologie.de^ +||smetrics.bms-io-academy.co.uk^ +||smetrics.bms-newfrontiers.com.au^ +||smetrics.bms-onkologie.de^ +||smetrics.bms.com^ +||smetrics.bmscustomerconnect.com^ +||smetrics.bmshealthcare.jp^ +||smetrics.bmsmedinfo.co.uk^ +||smetrics.bmsmedinfo.com^ +||smetrics.bmsmedinfo.de^ +||smetrics.bmsoncology.jp^ +||smetrics.bmspaf.org^ +||smetrics.bmsstudyconnect.com^ +||smetrics.bmwusa.com^ +||smetrics.bna.com^ +||smetrics.bncollege.com^ +||smetrics.bncvirtual.com^ +||smetrics.bnpparibas.com^ +||smetrics.bnymellon.com^ +||smetrics.bnymellonam.com^ +||smetrics.bodyforlife.com^ +||smetrics.bodyworkmall.com^ +||smetrics.boehringer-ingelheim.at^ +||smetrics.boehringer-ingelheim.ca^ +||smetrics.boehringer-ingelheim.com.br^ +||smetrics.boehringer-ingelheim.com^ +||smetrics.boehringer-ingelheim.de^ +||smetrics.boehringer-ingelheim.es^ +||smetrics.boehringer-ingelheim.hu^ +||smetrics.boehringer-ingelheim.it^ +||smetrics.boehringer-ingelheim.jp^ +||smetrics.boehringer-ingelheim.no^ +||smetrics.boehringer-ingelheim.pl^ +||smetrics.boehringer-ingelheim.sk^ +||smetrics.boehringer-ingelheim.tw^ +||smetrics.boehringer-ingelheim.ua^ +||smetrics.boehringer-ingelheim.us^ +||smetrics.boehringer-interaktiv.de^ +||smetrics.boehringerone.com^ +||smetrics.boom1019.com^ +||smetrics.boom997.com^ +||smetrics.boostinfinite.com^ +||smetrics.boostmobile.com^ +||smetrics.boothehvac.com^ +||smetrics.boozallen.com^ +||smetrics.boq.com.au^ +||smetrics.borgatacasino.com^ +||smetrics.borgatapoker.com^ +||smetrics.boscovs.com^ +||smetrics.boss.info^ +||smetrics.boston.com^ +||smetrics.bostonglobe.com^ +||smetrics.bottegaverde.es^ +||smetrics.bottegaverde.it^ +||smetrics.boundaryford.com^ +||smetrics.bpbusinesssolutions.com^ +||smetrics.bravenhealth.com^ +||smetrics.breezeforcats.com^ +||smetrics.brett-robinson.com^ +||smetrics.brewersfayre.co.uk^ +||smetrics.bridgestoneamericas.com^ +||smetrics.brinksprepaidmastercard.com^ +||smetrics.briteboxelectrical.com^ +||smetrics.britishgas.co.uk^ +||smetrics.broadlinespoton.de^ +||smetrics.brocade.com^ +||smetrics.brookdale.com^ +||smetrics.brooksbrothers.com^ +||smetrics.brumate.jp^ +||smetrics.bt.com.au^ +||smetrics.bt.com^ +||smetrics.buckeyehealthplan.com^ +||smetrics.buell.com^ +||smetrics.buffalotrace.com^ +||smetrics.buffalotracedistillery.com^ +||smetrics.builddirect.com^ +||smetrics.bupa.com.au^ +||smetrics.business.comcast.com^ +||smetrics.businessfinancemag.com^ +||smetrics.buyagift.co.uk^ +||smetrics.buyersedge.com.au^ +||smetrics.buytickets.virgintrains.co.uk^ +||smetrics.buytickets.westmidlandsrailway.co.uk^ +||smetrics.bzees.com^ +||smetrics.c2fo.com^ +||smetrics.cadenadial.com^ +||smetrics.cadenaser.com^ +||smetrics.caesars.com^ +||smetrics.cahealthwellness.com^ +||smetrics.calbaptist.edu^ +||smetrics.caleres.com^ +||smetrics.calia.com^ +||smetrics.caliastudio.com^ +||smetrics.calvinklein.ca^ +||smetrics.calvinklein.cn^ +||smetrics.calvinklein.us^ +||smetrics.calwater.com^ +||smetrics.campaigns.abbott.com.sg^ +||smetrics.camzyos.com^ +||smetrics.camzyoshcp.com^ +||smetrics.canosan.de^ +||smetrics.capella.edu^ +||smetrics.capitalone.com^ +||smetrics.caracol.com.co^ +||smetrics.carbonite.com^ +||smetrics.care.com^ +||smetrics.carfax.com^ +||smetrics.caribbeanjobs.com^ +||smetrics.carnival.co.uk^ +||smetrics.carnival.com.au^ +||smetrics.carnival.com^ +||smetrics.carolina.com^ +||smetrics.carparts.com^ +||smetrics.carphonewarehouse.com^ +||smetrics.carrieres.pwc.fr^ +||smetrics.carters.com^ +||smetrics.cartersoshkosh.ca^ +||smetrics.cartoonnetwork.ca^ +||smetrics.caser.es^ +||smetrics.caserexpatinsurance.com^ +||smetrics.caseys.com^ +||smetrics.cashnetusa.com^ +||smetrics.casinoladbrokes.be^ +||smetrics.casinosplendido.com^ +||smetrics.casio-intl.com^ +||smetrics.casio-watches.com^ +||smetrics.casio.co.jp^ +||smetrics.casio.com.tw^ +||smetrics.casio.com^ +||smetrics.casio.info^ +||smetrics.casio.jp^ +||smetrics.cast.r-agent.com^ +||smetrics.catalog.usmint.gov^ +||smetrics.catchow.com^ +||smetrics.cathflo.com^ +||smetrics.catxpert.dk^ +||smetrics.cbc.ca^ +||smetrics.cbc.youtube.mercedes-benz.com^ +||smetrics.cbn.com^ +||smetrics.ccma.cat^ +||smetrics.cdiscount.com^ +||smetrics.cedars-sinai.org^ +||smetrics.celebritycruises.com^ +||smetrics.cellcept.com^ +||smetrics.celticarehealthplan.com^ +||smetrics.census.gov^ +||smetrics.centene.com^ +||smetrics.centerpointenergy.com^ +||smetrics.centex.com^ +||smetrics.centralparknyc.org^ +||smetrics.centrum.com^ +||smetrics.centurylink.com^ +||smetrics.cepheid.com^ +||smetrics.ceratizit.com^ +||smetrics.cfainstitute.org^ +||smetrics.cfox.com^ +||smetrics.chadstone.com.au^ +||smetrics.channel.com^ +||smetrics.channelfutures.com^ +||smetrics.chapstick.com^ +||smetrics.charter.com^ +||smetrics.charter.no^ +||smetrics.charter.se^ +||smetrics.chase.com^ +||smetrics.chatrwireless.com^ +||smetrics.chelseafc.com^ +||smetrics.chemistanddruggist.co.uk^ +||smetrics.chghealthcare.com^ +||smetrics.chicagobusiness.com^ +||smetrics.chip1stop.com^ +||smetrics.christianscience.com^ +||smetrics.christies.com^ +||smetrics.chron.com^ +||smetrics.chrysler.com^ +||smetrics.churchill.com^ +||smetrics.ciena.com^ +||smetrics.cigar.com^ +||smetrics.cigarsinternational.com^ +||smetrics.cigna.com^ +||smetrics.cinemaxx.de^ +||smetrics.circulodelasalud.mx^ +||smetrics.circusny.com^ +||smetrics.cirquedusoleil.com^ +||smetrics.cisco.com^ +||smetrics.cisnfm.com^ +||smetrics.cit.com^ +||smetrics.citalia.com^ +||smetrics.citeline.com^ +||smetrics.citibank.ae^ +||smetrics.citibank.cn^ +||smetrics.citibank.co.th^ +||smetrics.citibank.co.uk^ +||smetrics.citibank.com.au^ +||smetrics.citibank.com.hk^ +||smetrics.citibank.com.my^ +||smetrics.citibank.com.ph^ +||smetrics.citibank.com.sg^ +||smetrics.citibank.com.vn^ +||smetrics.citibank.pl^ +||smetrics.citizensbank.com^ +||smetrics.civilsandutilities.com^ +||smetrics.cjoy.com^ +||smetrics.claris.com^ +||smetrics.clearly.ca^ +||smetrics.clementia.cz^ +||smetrics.clickbank.com^ +||smetrics.client-services.ca^ +||smetrics.cloudera.com^ +||smetrics.cluballiance.aaa.com^ +||smetrics.clubmarriott.in^ +||smetrics.clubmonaco.com^ +||smetrics.clubnoble.jp^ +||smetrics.clubreservations.com^ +||smetrics.cnb.com^ +||smetrics.cnn.com^ +||smetrics.cnr.com^ +||smetrics.coach.com^ +||smetrics.coachfactory.com^ +||smetrics.coca-cola.com^ +||smetrics.coca-colacanada.ca^ +||smetrics.coca-colaentuhogar.com^ +||smetrics.codan.dk^ +||smetrics.coffretdor-makeup.jp^ +||smetrics.coke2home.com^ +||smetrics.collinscomfort.com^ +||smetrics.columbia.com^ +||smetrics.combinedinsurance.com^ +||smetrics.comcast.com^ +||smetrics.comdata.com^ +||smetrics.comenity.net^ +||smetrics.comfortwave.com^ +||smetrics.commonclaimsmistakesvideo.com^ +||smetrics.commonwealth.com^ +||smetrics.comms.westpac.co.nz^ +||smetrics.comparethemarket.com^ +||smetrics.comphealth.com^ +||smetrics.concardis.com^ +||smetrics.concierto.cl^ +||smetrics.condodirect.com^ +||smetrics.connecticare.com^ +||smetrics.consumerreports.org^ +||smetrics.contactsdirect.com^ +||smetrics.controlcenter.com^ +||smetrics.converse.co.uk^ +||smetrics.converse.com^ +||smetrics.cookhouseandpub.co.uk^ +||smetrics.coolray.com^ +||smetrics.cooltoday.com^ +||smetrics.coordinatedcarehealth.com^ +||smetrics.copd-aktuell.de^ +||smetrics.copdinsideout.ca^ +||smetrics.corazon.cl^ +||smetrics.cornercard.ch^ +||smetrics.cornertrader.ch^ +||smetrics.corpay.com^ +||smetrics.corpaybusinesscard.com^ +||smetrics.corpayone.com^ +||smetrics.corpayone.dk^ +||smetrics.correos.es^ +||smetrics.cortefiel.com^ +||smetrics.cortevents.com^ +||smetrics.cortfurnitureoutlet.com^ +||smetrics.cortpartyrental.com^ +||smetrics.corus.ca^ +||smetrics.costacruise.com^ +||smetrics.costadelmar.com^ +||smetrics.costco.ca^ +||smetrics.costco.com^ +||smetrics.costcobusinesscentre.ca^ +||smetrics.costcobusinessdelivery.com^ +||smetrics.costumesupercenter.com^ +||smetrics.cotellic.com^ +||smetrics.cottages.com^ +||smetrics.coulditbehcm.com^ +||smetrics.country104.com^ +||smetrics.country105.com^ +||smetrics.countryfinancial.com^ +||smetrics.countryfinancialsecurityblog.com^ +||smetrics.countrypassport.com^ +||smetrics.covance.com^ +||smetrics.cox.com^ +||smetrics.cpaaustralia.com.au^ +||smetrics.cpsenergy.com^ +||smetrics.crain.com^ +||smetrics.crainscleveland.com^ +||smetrics.crainsdetroit.com^ +||smetrics.crainsnewyork.com^ +||smetrics.creditscore.com^ +||smetrics.crimewatchdaily.com^ +||smetrics.crocs.at^ +||smetrics.crocs.ca^ +||smetrics.crocs.co.uk^ +||smetrics.crocs.com^ +||smetrics.crocs.de^ +||smetrics.crocs.eu^ +||smetrics.crocs.fi^ +||smetrics.crocs.fr^ +||smetrics.crocs.nl^ +||smetrics.crocs.se^ +||smetrics.crocsespana.es^ +||smetrics.croma.com^ +||smetrics.cru.org^ +||smetrics.crystalski.co.uk^ +||smetrics.crystalski.ie^ +||smetrics.csmonitor.com^ +||smetrics.css.ch^ +||smetrics.csu.edu.au^ +||smetrics.ctm.uhc.com^ +||smetrics.ctshirts.com^ +||smetrics.ctv.ca^ +||smetrics.cua.com.au^ +||smetrics.cultura.com^ +||smetrics.cupraofficial.com^ +||smetrics.cupraofficial.de^ +||smetrics.curel.com^ +||smetrics.currys.co.uk^ +||smetrics.customersvc.com^ +||smetrics.customs.pwc.com^ +||smetrics.cvs.com^ +||smetrics.cvty.com^ +||smetrics.cyrillus.be^ +||smetrics.cytivalifesciences.co.jp^ +||smetrics.cytivalifesciences.co.kr^ +||smetrics.cytivalifesciences.com^ +||smetrics.daiwa-grp.jp^ +||smetrics.daiwa.jp^ +||smetrics.daiwatv.jp^ +||smetrics.dalisalda.com^ +||smetrics.dallasmidwest.com^ +||smetrics.dandh.ca^ +||smetrics.dandh.com^ +||smetrics.darty.com^ +||smetrics.dashandstars.com^ +||smetrics.datapipe.com^ +||smetrics.davidclulow.com^ +||smetrics.dcu.org^ +||smetrics.deakin.edu.au^ +||smetrics.dekalb.com.co^ +||smetrics.dekalb.com.mx^ +||smetrics.dekalbasgrowdeltapine.com^ +||smetrics.delacon.com.au^ +||smetrics.delbetalning.seb.se^ +||smetrics.delta.com^ +||smetrics.deltacargo.com^ +||smetrics.deltafarmpress.com^ +||smetrics.demarini.com^ +||smetrics.derneuekaemmerer.de^ +||smetrics.dertreasurer.de^ +||smetrics.desparasitaatumascota.es^ +||smetrics.destinythegame.com^ +||smetrics.detect-afib.com^ +||smetrics.deutschepost.com^ +||smetrics.deutschepost.de^ +||smetrics.deutscheranwaltspiegel.de^ +||smetrics.dev.www.vwfs.de^ +||smetrics.devcommittee.org^ +||smetrics.dfo.com.au^ +||smetrics.dha.com^ +||smetrics.dhc.co.jp^ +||smetrics.dhl.de^ +||smetrics.dickssportinggoods.com^ +||smetrics.die-stiftung.de^ +||smetrics.digicert.com^ +||smetrics.digital.pwc.ie^ +||smetrics.digitalbalance.com.au^ +||smetrics.diners.co.jp^ +||smetrics.dinersclub.dk^ +||smetrics.directauto.com^ +||smetrics.directline.com^ +||smetrics.directlineforbusiness.co.uk^ +||smetrics.directtv.com^ +||smetrics.directv.com^ +||smetrics.discounttire.com^ +||smetrics.discova.jp^ +||smetrics.discover.com^ +||smetrics.discovertrk.com^ +||smetrics.dish.co^ +||smetrics.dish.com^ +||smetrics.dishanywhere.com^ +||smetrics.dishpuertorico.com^ +||smetrics.dishwireless.com^ +||smetrics.disneychannel.ca^ +||smetrics.disneylachaine.ca^ +||smetrics.distrelec.ch^ +||smetrics.dlalekarzy.roche.pl^ +||smetrics.dnb.com^ +||smetrics.dnszone.jp^ +||smetrics.doctoramascotas.com^ +||smetrics.doingbusiness.org^ +||smetrics.dominos.com^ +||smetrics.donaldson.com^ +||smetrics.donovanac.com^ +||smetrics.doujinshi-print.com^ +||smetrics.dreamlabdata.com^ +||smetrics.dreamvacationweek.com^ +||smetrics.driveshare.com^ +||smetrics.drmartens.com.au^ +||smetrics.drschollsshoes.com^ +||smetrics.drugpricinglaw.com^ +||smetrics.dryerventwizard.com^ +||smetrics.dunkindonuts.com^ +||smetrics.dxc.com^ +||smetrics.e-abbott.com^ +||smetrics.e-casio.co.jp^ +||smetrics.e-wie-einfach.de^ +||smetrics.earpros.com^ +||smetrics.eas.com^ +||smetrics.easacademy.org^ +||smetrics.eascertified.com^ +||smetrics.eastwestbank.com^ +||smetrics.ebgsolutions.com^ +||smetrics.ecmweb.com^ +||smetrics.edc.ca^ +||smetrics.eddiebauer.com^ +||smetrics.edge.ca^ +||smetrics.edifice-watches.com^ +||smetrics.ee.co.uk^ +||smetrics.efirstbank.com^ +||smetrics.ehealthinsurance.com^ +||smetrics.einsure.com.au^ +||smetrics.eis-inc.com^ +||smetrics.eki-net.com^ +||smetrics.el-mundo.net^ +||smetrics.elal.com^ +||smetrics.elecare.com^ +||smetrics.electronicdesign.com^ +||smetrics.element14.com^ +||smetrics.elgallomasgallo.com.gt^ +||smetrics.elgallomasgallo.com.hn^ +||smetrics.elgallomasgallo.com.ni^ +||smetrics.elgiganten.se^ +||smetrics.eliquis.co.uk^ +||smetrics.eliquis.com^ +||smetrics.eliquisdataportal.com^ +||smetrics.eliquispatient.nl^ +||smetrics.elkjop.no^ +||smetrics.elpais.com^ +||smetrics.elsevier.com^ +||smetrics.emblemhealth.com^ +||smetrics.emicizumabinfo.com^ +||smetrics.empliciti.com^ +||smetrics.enelenergia.it^ +||smetrics.energia.ie^ +||smetrics.energy953radio.ca^ +||smetrics.energyaustralia.com.au^ +||smetrics.energytoday.biz^ +||smetrics.enjoy365.ch^ +||smetrics.enspryng-hcp.com^ +||smetrics.enspryng.com^ +||smetrics.enterprise.com^ +||smetrics.enterprisersproject.com^ +||smetrics.enterprisesg.gov.sg^ +||smetrics.enterprisesurveys.org^ +||smetrics.entrykeyid.com^ +||smetrics.eprice.it^ +||smetrics.equipmentwatch.com^ +||smetrics.equitable.com^ +||smetrics.erivedge.com^ +||smetrics.ernestjones.co.uk^ +||smetrics.es-diabetes.com^ +||smetrics.esbriet.com^ +||smetrics.esbriethcp.com^ +||smetrics.esignal.com^ +||smetrics.essds.com^ +||smetrics.essomastercard.no^ +||smetrics.esurance.com^ +||smetrics.etcanada.com^ +||smetrics.eticketing.abbott.com.sg^ +||smetrics.etihad.com^ +||smetrics.etihadaviationgroup.com^ +||smetrics.etihadcargo.com^ +||smetrics.etihadengineering.com^ +||smetrics.etihadguest.com^ +||smetrics.etihadholidays.com^ +||smetrics.etihadsecurelogistics.com^ +||smetrics.ets.org^ +||smetrics.eu.playstation.com^ +||smetrics.eurekalert.org^ +||smetrics.eurobet.it^ +||smetrics.eurocard.com^ +||smetrics.europafm.com^ +||smetrics.eurowings.com^ +||smetrics.evernorth.com^ +||smetrics.eversource.com^ +||smetrics.evicore.com^ +||smetrics.evine.com^ +||smetrics.evivanlanschot.nl^ +||smetrics.evolytics.com^ +||smetrics.evoshield.com^ +||smetrics.evrysdi.com^ +||smetrics.ewweb.com^ +||smetrics.examinebiosimilars.com^ +||smetrics.experian.co.uk^ +||smetrics.expoeast.com^ +||smetrics.exposehcm.com^ +||smetrics.expowest.com^ +||smetrics.express-scripts.com^ +||smetrics.express.com^ +||smetrics.expressnews.com^ +||smetrics.expressverified.ca^ +||smetrics.extranetperu.grupobbva.pe^ +||smetrics.ey.com^ +||smetrics.faceipf.com^ +||smetrics.facitlaan.dk^ +||smetrics.familiaynutricion.com.co^ +||smetrics.famousfootwear.ca^ +||smetrics.famousfootwear.com^ +||smetrics.fancl.co.jp^ +||smetrics.fancl.jp^ +||smetrics.fancyfeast.com^ +||smetrics.farnell.com^ +||smetrics.fatface.com^ +||smetrics.faz-konferenzen.de^ +||smetrics.faz.net^ +||smetrics.fcacert.com^ +||smetrics.fcbarcelona.cat^ +||smetrics.fcbarcelona.co.de^ +||smetrics.fcbarcelona.co.it^ +||smetrics.fcbarcelona.com^ +||smetrics.fcbarcelona.es^ +||smetrics.fcbarcelona.fr^ +||smetrics.fcbarcelona.jp^ +||smetrics.fedex.com^ +||smetrics.feedthe485.com^ +||smetrics.feelbanfresh.com^ +||smetrics.ferguson.com^ +||smetrics.ferris.ac.jp^ +||smetrics.ferroviedellostato.it^ +||smetrics.fetnet.net^ +||smetrics.ficohsa.hn^ +||smetrics.fifa.com^ +||smetrics.fiftyoutlet.com^ +||smetrics.filemaker.com^ +||smetrics.filmmagic.com^ +||smetrics.filtron.eu^ +||smetrics.finance-magazin.de^ +||smetrics.financing.vwfinance.ca^ +||smetrics.findomestic.it^ +||smetrics.fingerhut.com^ +||smetrics.finishline.com^ +||smetrics.finn.no^ +||smetrics.finning.com^ +||smetrics.fireballwhisky.com^ +||smetrics.firestonebpco.com^ +||smetrics.flagstar.com^ +||smetrics.flashnews.com.au^ +||smetrics.fleetcardapplication.com^ +||smetrics.fleetcardsusa.com^ +||smetrics.fleetcor.com^ +||smetrics.flex.amazon.ca^ +||smetrics.flex.amazon.co.jp^ +||smetrics.flex.amazon.co.uk^ +||smetrics.flex.amazon.com.au^ +||smetrics.flex.amazon.com.mx^ +||smetrics.flex.amazon.com.sg^ +||smetrics.flex.amazon.com^ +||smetrics.flex.amazon.in^ +||smetrics.flexera.com^ +||smetrics.flexerasoftware.com^ +||smetrics.flexshares.com^ +||smetrics.flightnetwork.com^ +||smetrics.flyfar.ca^ +||smetrics.fm96.com^ +||smetrics.fmdos.cl^ +||smetrics.fnac.be^ +||smetrics.fnac.ch^ +||smetrics.fnac.com^ +||smetrics.fnac.es^ +||smetrics.fnac.pt^ +||smetrics.fnacpro.com^ +||smetrics.foeniksprivatlaan.dk^ +||smetrics.fokuslaan.dk^ +||smetrics.fokuslan.no^ +||smetrics.folksam.se^ +||smetrics.folksamlopension.se^ +||smetrics.fondation.pwc.fr^ +||smetrics.foniksprivatlan.no^ +||smetrics.ford.ca^ +||smetrics.ford.com^ +||smetrics.forgingmagazine.com^ +||smetrics.fortinos.ca^ +||smetrics.fortnumandmason.com^ +||smetrics.fostercaretx.com^ +||smetrics.foxbusiness.com^ +||smetrics.foxnews.com^ +||smetrics.fpl.com^ +||smetrics.framesdirect.com^ +||smetrics.francosarto.com^ +||smetrics.franke.com^ +||smetrics.fraport-bulgaria.com^ +||smetrics.fraport-galaxy.de^ +||smetrics.fraport-slovenija.si^ +||smetrics.fraport.com^ +||smetrics.fraport.de^ +||smetrics.frasersproperty.com^ +||smetrics.freecreditscore.com^ +||smetrics.freedomfordsales.ca^ +||smetrics.freeplus-global.net^ +||smetrics.friskies.com^ +||smetrics.front-line.nl^ +||smetrics.frontier.com^ +||smetrics.frontline.co.th^ +||smetrics.ftd.ca^ +||smetrics.fuelman.com^ +||smetrics.future.smart.com^ +||smetrics.futuro.cl^ +||smetrics.fuzeon.com^ +||smetrics.fxsolutions.com^ +||smetrics.fyndus.de^ +||smetrics.g-shock.com^ +||smetrics.g-shock.jp^ +||smetrics.g-tune.jp^ +||smetrics.gaes.es^ +||smetrics.gatesnotes.com^ +||smetrics.gazyva.com^ +||smetrics.gcimetrics.com^ +||smetrics.geeksquad.com^ +||smetrics.gehealthcare.com^ +||smetrics.gemcreditline.co.nz^ +||smetrics.gemfinance.co.nz^ +||smetrics.gemplers.com^ +||smetrics.gemvisa.co.nz^ +||smetrics.genarts.com^ +||smetrics.genentech-access.com^ +||smetrics.genentech-forum.com^ +||smetrics.genentech-pro.com^ +||smetrics.genentechhemophilia.com^ +||smetrics.generac.com^ +||smetrics.genomeweb.com^ +||smetrics.gestionpriveegi.com^ +||smetrics.getravelop.com^ +||smetrics.ghirardelli.com^ +||smetrics.gibbsanddandy.com^ +||smetrics.gio.com.au^ +||smetrics.glasses.com^ +||smetrics.global.jcb^ +||smetrics.global.mandg.com^ +||smetrics.global.nba.com^ +||smetrics.globalbmsmedinfo.com^ +||smetrics.globalfinancingfacility.org^ +||smetrics.globalnews.ca^ +||smetrics.glucerna.ca^ +||smetrics.glucerna.com^ +||smetrics.gmfinancial.com^ +||smetrics.gobank.com^ +||smetrics.goccl.co.uk^ +||smetrics.goibibo.com^ +||smetrics.goindigo.in^ +||smetrics.goinggoing.com^ +||smetrics.goinggoinggone.com^ +||smetrics.golden1.com^ +||smetrics.golfgalaxy.com^ +||smetrics.gomastercard.com.au^ +||smetrics.gomedigap.com^ +||smetrics.goodsamrvinsurance.com^ +||smetrics.gordonsjewelers.com^ +||smetrics.grainger.com^ +||smetrics.grandandtoy.com^ +||smetrics.greatland.com^ +||smetrics.greatsouthernbank.com.au^ +||smetrics.greendot.com^ +||smetrics.greenflag.com^ +||smetrics.greenrow.com^ +||smetrics.greenstate.com^ +||smetrics.group.uhc.com^ +||smetrics.groupama.fr^ +||smetrics.grundfos.com^ +||smetrics.grupobancomundial.org^ +||smetrics.gs1us.org^ +||smetrics.gsbank.com^ +||smetrics.gsfresh.com^ +||smetrics.gsghukuk.com^ +||smetrics.gshock.com^ +||smetrics.gsipartners.com^ +||smetrics.gsretail.com^ +||smetrics.guaranteedrate.com^ +||smetrics.guaranteesmatter.com^ +||smetrics.guess.eu^ +||smetrics.guhl.com^ +||smetrics.gvb.ch^ +||smetrics.h-scc.jp^ +||smetrics.ha.com^ +||smetrics.haband.com^ +||smetrics.hagerty.co.uk^ +||smetrics.handelsbanken.co.uk^ +||smetrics.handelsbanken.com^ +||smetrics.handelsbanken.nl^ +||smetrics.handelsbanken.no^ +||smetrics.handelsbanken.se^ +||smetrics.happyfamilyorganics.com^ +||smetrics.harborfreight.com^ +||smetrics.harley-davidson.com^ +||smetrics.havenwellwithin.com^ +||smetrics.hayesandjarvis.co.uk^ +||smetrics.hbogo.com^ +||smetrics.hbonow.com^ +||smetrics.hbr.org^ +||smetrics.hbs.edu^ +||smetrics.hbsp.harvard.edu^ +||smetrics.hdcymru.co.uk^ +||smetrics.hdfcbank.com^ +||smetrics.health.com^ +||smetrics.healthcompare.com^ +||smetrics.healthengine.com.au^ +||smetrics.healthnet.com^ +||smetrics.healthnetaccess.com^ +||smetrics.healthnetadvantage.com^ +||smetrics.healthnetcalifornia.com^ +||smetrics.healthnetoregon.com^ +||smetrics.healthpartners.com^ +||smetrics.heartgardplus.com.tw^ +||smetrics.heathrow.com^ +||smetrics.heathrowexpress.com^ +||smetrics.hebdebit.com^ +||smetrics.hebprepaid.com^ +||smetrics.helios-gesundheit.de^ +||smetrics.hellobank.fr^ +||smetrics.helvetia.com^ +||smetrics.hemapedia.jp^ +||smetrics.hematoconnect.com.br^ +||smetrics.hemlibra.com^ +||smetrics.henkivakuutuskuntoon.fi^ +||smetrics.her2treatment.com^ +||smetrics.herbalife.com^ +||smetrics.herceptin.com^ +||smetrics.herceptinhylecta.com^ +||smetrics.heroesvacationclub.com^ +||smetrics.heromotocorp.com^ +||smetrics.herschel.com.au^ +||smetrics.herzstolpern.at^ +||smetrics.herzstolpern.de^ +||smetrics.hfma.org^ +||smetrics.hibiyakadan.com^ +||smetrics.higheroneaccount.com^ +||smetrics.highsmith.com^ +||smetrics.hillrom.com^ +||smetrics.history.ca^ +||smetrics.hitachi-hightech.com^ +||smetrics.hitachivantara.com^ +||smetrics.hks-power.co.jp^ +||smetrics.hm.com^ +||smetrics.hmhco.com^ +||smetrics.hoken.zexy.net^ +||smetrics.holcimelevate.com^ +||smetrics.hollandamerica.com^ +||smetrics.hollisterco.com^ +||smetrics.hollisterco.jp^ +||smetrics.home.kpmg^ +||smetrics.homeadvisor.com^ +||smetrics.homegoods.com^ +||smetrics.homes.com^ +||smetrics.homestatehealth.com^ +||smetrics.hoovers.com^ +||smetrics.horizonblue.com^ +||smetrics.horizonnjhealth.com^ +||smetrics.horsexperts.be^ +||smetrics.hoseasons.co.uk^ +||smetrics.hossintropia.com^ +||smetrics.hotsy.com^ +||smetrics.houseoffraser.co.uk^ +||smetrics.houseoffraser.com^ +||smetrics.howifightms.com^ +||smetrics.hpe.com^ +||smetrics.hr.abbott^ +||smetrics.hrblock.com^ +||smetrics.hsamuel.co.uk^ +||smetrics.htc.com^ +||smetrics.hubbl.com.au^ +||smetrics.hubert.ca^ +||smetrics.hubert.com^ +||smetrics.huffingtonpost.es^ +||smetrics.humana.com^ +||smetrics.huntington.com^ +||smetrics.huntingtonsdiseasehcp.com^ +||smetrics.hydraulicspneumatics.com^ +||smetrics.hypedc.com^ +||smetrics.hyundaiusa.com^ +||smetrics.i-law.com^ +||smetrics.i22.nadro.mx^ +||smetrics.ibercaja.es^ +||smetrics.ibfd.org^ +||smetrics.ice.gov^ +||smetrics.iceland.co.uk^ +||smetrics.icharlotte.com^ +||smetrics.icicibank.com^ +||smetrics.iconfitness.com^ +||smetrics.icorner.ch^ +||smetrics.identityguard.com^ +||smetrics.iehp.org^ +||smetrics.ifc.org^ +||smetrics.ig.ca^ +||smetrics.igmfinancial.com^ +||smetrics.iilg.com^ +||smetrics.ikea.com^ +||smetrics.ileitis.de^ +||smetrics.ilhealthpracticealliance.com^ +||smetrics.illinicare.com^ +||smetrics.illinois.gov^ +||smetrics.illumina.com.cn^ +||smetrics.illumina.com^ +||smetrics.ilovematlab.cn^ +||smetrics.ilyouthcare.com^ +||smetrics.immunooncology.be^ +||smetrics.impress-web.com^ +||smetrics.infinitematerialsolutions.com^ +||smetrics.infinitiusa.com^ +||smetrics.infomedics.it^ +||smetrics.informa.com^ +||smetrics.ingdirect.it^ +||smetrics.inkcartridges.com^ +||smetrics.inlyta.com^ +||smetrics.insider.hagerty.com^ +||smetrics.insight.com^ +||smetrics.inspectionpanel.org^ +||smetrics.insuramatch.com^ +||smetrics.insuranceday.com^ +||smetrics.insurancesaver.com^ +||smetrics.insurewithaudi.co.uk^ +||smetrics.insurewithseat.co.uk^ +||smetrics.insurewithskoda.co.uk^ +||smetrics.insurewithvolkswagen.co.uk^ +||smetrics.insurewithvwcv.co.uk^ +||smetrics.intact.ca^ +||smetrics.intactarr2pro.com.py^ +||smetrics.intactinsurance.com^ +||smetrics.interbank.com.pe^ +||smetrics.interbank.pe^ +||smetrics.interbankbenefit.pe^ +||smetrics.interestfree.com.au^ +||smetrics.intermountainhealthcare.org^ +||smetrics.internationalchampionscup.com^ +||smetrics.internetbanka.cz^ +||smetrics.intertek-etlsemko.com^ +||smetrics.intervalresortsupport.com^ +||smetrics.intervalworld.com^ +||smetrics.intralinks.com^ +||smetrics.investmentnews.com^ +||smetrics.investorsgroup.com^ +||smetrics.iossc.natwest.com^ +||smetrics.iossc.rbs.co.uk^ +||smetrics.iotworldtoday.com^ +||smetrics.iowatotalcare.com^ +||smetrics.ipb.citibank.com.sg^ +||smetrics.iprodeveloper.com^ +||smetrics.irishjobs.ie^ +||smetrics.iselect.com.au^ +||smetrics.islandford.ca^ +||smetrics.its.rmit.edu.au^ +||smetrics.ivivva.com^ +||smetrics.iwakifc.com^ +||smetrics.iwceexpo.com^ +||smetrics.jackson.com^ +||smetrics.jacuzzi.com^ +||smetrics.jamestowndistributors.com^ +||smetrics.jarboes.com^ +||smetrics.jardiance.com^ +||smetrics.jared.com^ +||smetrics.jboss.org^ +||smetrics.jcb.co.jp^ +||smetrics.jcpenney.com^ +||smetrics.jcrew.com^ +||smetrics.jeld-wen.com^ +||smetrics.jergens.com^ +||smetrics.jetblue.com^ +||smetrics.jeugdbibliotheek.nl^ +||smetrics.jewson.co.uk^ +||smetrics.jimwilsonchevrolet.com^ +||smetrics.jjill.com^ +||smetrics.jobs.ie^ +||smetrics.joefresh.com^ +||smetrics.johnfrieda.com^ +||smetrics.johnhancock.com^ +||smetrics.joules.com^ +||smetrics.joulesusa.com^ +||smetrics.jre-travel.com^ +||smetrics.juiceplus.com^ +||smetrics.jumpforward.com^ +||smetrics.jumpradio.ca^ +||smetrics.junsungki.com^ +||smetrics.jwpepper.com^ +||smetrics.jynarque.com^ +||smetrics.kadcyla.com^ +||smetrics.kaercher.com^ +||smetrics.kaiserpermanente.org^ +||smetrics.kamloopshonda.ca^ +||smetrics.kanebo-cosmetics.co.jp^ +||smetrics.kanebo-cosmetics.jp^ +||smetrics.kanebo-forum.net^ +||smetrics.kanebo-global.com^ +||smetrics.kanebo.co.th^ +||smetrics.kanebo.com^ +||smetrics.kanebocos.net^ +||smetrics.kanen-net.info^ +||smetrics.kansasfarmer.com^ +||smetrics.kao-kirei.com^ +||smetrics.kao.co.jp^ +||smetrics.kao.com^ +||smetrics.kaobeautybrands.com^ +||smetrics.karcher-futuretech.com^ +||smetrics.karcher.cn^ +||smetrics.karcher.com^ +||smetrics.karcher.cz^ +||smetrics.kate-global.net^ +||smetrics.kawai-juku.ac.jp^ +||smetrics.kay.com^ +||smetrics.kayosports.com.au^ +||smetrics.kayoutlet.com^ +||smetrics.kbb.com^ +||smetrics.kebuena.com.mx^ +||smetrics.kelownachev.com^ +||smetrics.kelownatoyota.com^ +||smetrics.kenwood.com^ +||smetrics.kerry.com^ +||smetrics.ketsusen.jp^ +||smetrics.keysight.co.kr^ +||smetrics.keysight.com.cn^ +||smetrics.keysight.com^ +||smetrics.kioxia-holdings.com^ +||smetrics.kioxia-iwate.co.jp^ +||smetrics.kioxia.com.cn^ +||smetrics.kioxia.com^ +||smetrics.kipling-usa.com^ +||smetrics.kipling.com^ +||smetrics.klikklan.no^ +||smetrics.kmshair.com^ +||smetrics.knowpneumonia.com^ +||smetrics.kol.se^ +||smetrics.kone.ae^ +||smetrics.kone.at^ +||smetrics.kone.be^ +||smetrics.kone.bg^ +||smetrics.kone.bi^ +||smetrics.kone.ca^ +||smetrics.kone.ch^ +||smetrics.kone.cn^ +||smetrics.kone.co.id^ +||smetrics.kone.co.il^ +||smetrics.kone.co.ke^ +||smetrics.kone.co.nz^ +||smetrics.kone.co.za^ +||smetrics.kone.com.au^ +||smetrics.kone.com.cy^ +||smetrics.kone.com.kh^ +||smetrics.kone.com.tr^ +||smetrics.kone.com^ +||smetrics.kone.cz^ +||smetrics.kone.de^ +||smetrics.kone.dk^ +||smetrics.kone.ee^ +||smetrics.kone.eg^ +||smetrics.kone.es^ +||smetrics.kone.fi^ +||smetrics.kone.fr^ +||smetrics.kone.gr^ +||smetrics.kone.hk^ +||smetrics.kone.hu^ +||smetrics.kone.ie^ +||smetrics.kone.in^ +||smetrics.kone.is^ +||smetrics.kone.it^ +||smetrics.kone.lt^ +||smetrics.kone.lv^ +||smetrics.kone.me^ +||smetrics.kone.mx^ +||smetrics.kone.nl^ +||smetrics.kone.no^ +||smetrics.kone.om^ +||smetrics.kone.pt^ +||smetrics.kone.rs^ +||smetrics.kone.se^ +||smetrics.kone.sk^ +||smetrics.kone.tw^ +||smetrics.kone.us^ +||smetrics.kone.vn^ +||smetrics.kowa-h.com^ +||smetrics.kpmg.com^ +||smetrics.kpmg.us^ +||smetrics.krebs.de^ +||smetrics.krugerseed.com^ +||smetrics.kyndryl.com^ +||smetrics.labaie.com^ +||smetrics.labsafety.com^ +||smetrics.lacounty.gov^ +||smetrics.ladbrokes.be^ +||smetrics.lakeshorelearning.com^ +||smetrics.lakeside.com^ +||smetrics.lakewoodchev.com^ +||smetrics.lambweston.com^ +||smetrics.landa.com^ +||smetrics.landg-life.com^ +||smetrics.landg.com^ +||smetrics.landolakes.com^ +||smetrics.landolakesfoodservice.com^ +||smetrics.landolakesinc.com^ +||smetrics.landrover.com^ +||smetrics.lanebryant.com^ +||smetrics.laredoute.fr^ +||smetrics.lasexta.com^ +||smetrics.latitudefinancial.co.nz^ +||smetrics.latitudefinancial.com.au^ +||smetrics.latitudefinancial.com^ +||smetrics.latitudepay.com.au^ +||smetrics.latitudepay.com^ +||smetrics.latrobe.edu.au^ +||smetrics.lazarediamond.jp^ +||smetrics.lcbo.com^ +||smetrics.ldproducts.com^ +||smetrics.leagueone.com^ +||smetrics.leasy.com^ +||smetrics.leasy.dk^ +||smetrics.leasy.se^ +||smetrics.legalandgeneral.com^ +||smetrics.leisuretimepassport.com^ +||smetrics.lenscrafters.ca^ +||smetrics.leonardo.essilorluxottica.com^ +||smetrics.lexmark.com^ +||smetrics.lexus.com^ +||smetrics.lexusonthepark.ca^ +||smetrics.libertymutual.com^ +||smetrics.lidea.today^ +||smetrics.lifestride.com^ +||smetrics.lifetime.life^ +||smetrics.lifree.com^ +||smetrics.lilly.com^ +||smetrics.lillymedical.com^ +||smetrics.lina.co.kr^ +||smetrics.lissage.jp^ +||smetrics.liveitup.com^ +||smetrics.lizearle.com^ +||smetrics.lloydslist.com^ +||smetrics.lloydslistintelligence.com^ +||smetrics.lmtonline.com^ +||smetrics.loblaws.ca^ +||smetrics.loewshotels.com^ +||smetrics.loft.com^ +||smetrics.lordabbett.com^ +||smetrics.los40.com.co^ +||smetrics.los40.com.mx^ +||smetrics.los40.com^ +||smetrics.louandgrey.com^ +||smetrics.louisianahealthconnect.com^ +||smetrics.lowes.com^ +||smetrics.lpl.com^ +||smetrics.ltdcommodities.com^ +||smetrics.lucentis.com^ +||smetrics.lululemon.ch^ +||smetrics.lululemon.cn^ +||smetrics.lululemon.co.jp^ +||smetrics.lululemon.co.kr^ +||smetrics.lululemon.co.nz^ +||smetrics.lululemon.co.uk^ +||smetrics.lululemon.com.au^ +||smetrics.lululemon.com.hk^ +||smetrics.lululemon.com^ +||smetrics.lululemon.de^ +||smetrics.lululemon.es^ +||smetrics.lululemon.fr^ +||smetrics.lundbeck.com^ +||smetrics.luxilon.com^ +||smetrics.lww.com^ +||smetrics.m1.com.sg^ +||smetrics.mabanque.bnpparibas^ +||smetrics.machinedesign.com^ +||smetrics.mackenzieinvestments.com^ +||smetrics.maclinfordcalgary.com^ +||smetrics.madewell.com^ +||smetrics.maestrocard.com^ +||smetrics.magic106.com^ +||smetrics.magnoliahealthplan.com^ +||smetrics.magnumicecream.com^ +||smetrics.majestic.co.uk^ +||smetrics.mamypoko.com^ +||smetrics.man-uat.com^ +||smetrics.mandai.com^ +||smetrics.mandatumam.com^ +||smetrics.mandatumlife.fi^ +||smetrics.mandatumtrader.fi^ +||smetrics.mandg.com^ +||smetrics.manheim.com^ +||smetrics.mann-filter.com^ +||smetrics.mann-hummel.com^ +||smetrics.maplesoft.com^ +||smetrics.marathonthegame.com^ +||smetrics.marcus.com^ +||smetrics.markandgraham.ca^ +||smetrics.markandgraham.com^ +||smetrics.markantalo.fi^ +||smetrics.marketfor.com^ +||smetrics.marketing.attralux.com^ +||smetrics.marketing.colorkinetics.com^ +||smetrics.marketing.interact-lighting.com.cn^ +||smetrics.marketing.interact-lighting.com^ +||smetrics.marketing.lighting.philips.at^ +||smetrics.marketing.lighting.philips.be^ +||smetrics.marketing.lighting.philips.bg^ +||smetrics.marketing.lighting.philips.ca^ +||smetrics.marketing.lighting.philips.ch^ +||smetrics.marketing.lighting.philips.cl^ +||smetrics.marketing.lighting.philips.co.id^ +||smetrics.marketing.lighting.philips.co.il^ +||smetrics.marketing.lighting.philips.co.in^ +||smetrics.marketing.lighting.philips.co.kr^ +||smetrics.marketing.lighting.philips.co.nz^ +||smetrics.marketing.lighting.philips.co.th^ +||smetrics.marketing.lighting.philips.co.uk^ +||smetrics.marketing.lighting.philips.co.za^ +||smetrics.marketing.lighting.philips.com.ar^ +||smetrics.marketing.lighting.philips.com.au^ +||smetrics.marketing.lighting.philips.com.br^ +||smetrics.marketing.lighting.philips.com.hk^ +||smetrics.marketing.lighting.philips.com.mx^ +||smetrics.marketing.lighting.philips.com.my^ +||smetrics.marketing.lighting.philips.com.ph^ +||smetrics.marketing.lighting.philips.com.pk^ +||smetrics.marketing.lighting.philips.com.tr^ +||smetrics.marketing.lighting.philips.com.tw^ +||smetrics.marketing.lighting.philips.com.vn^ +||smetrics.marketing.lighting.philips.cz^ +||smetrics.marketing.lighting.philips.de^ +||smetrics.marketing.lighting.philips.dk^ +||smetrics.marketing.lighting.philips.ee^ +||smetrics.marketing.lighting.philips.es^ +||smetrics.marketing.lighting.philips.fi^ +||smetrics.marketing.lighting.philips.fr^ +||smetrics.marketing.lighting.philips.gr^ +||smetrics.marketing.lighting.philips.hr^ +||smetrics.marketing.lighting.philips.hu^ +||smetrics.marketing.lighting.philips.it^ +||smetrics.marketing.lighting.philips.kz^ +||smetrics.marketing.lighting.philips.lt^ +||smetrics.marketing.lighting.philips.lv^ +||smetrics.marketing.lighting.philips.nl^ +||smetrics.marketing.lighting.philips.pl^ +||smetrics.marketing.lighting.philips.pt^ +||smetrics.marketing.lighting.philips.ru^ +||smetrics.marketing.lighting.philips.sa^ +||smetrics.marketing.lighting.philips.se^ +||smetrics.marketing.lighting.philips.ua^ +||smetrics.marketing.mazdalighting.fr^ +||smetrics.marketing.mazdalighting.pt^ +||smetrics.marketing.meethue.com^ +||smetrics.marketing.philips-hue.com^ +||smetrics.marketing.pila-led.com^ +||smetrics.marketing.signify.com^ +||smetrics.marksandspencer.com^ +||smetrics.marksandspencer.eu^ +||smetrics.marksandspencer.fr^ +||smetrics.marksandspencer.ie^ +||smetrics.marksandspencerlondon.com^ +||smetrics.marriott.com^ +||smetrics.marriottvacationclub.asia^ +||smetrics.marriottvacationclub.com^ +||smetrics.marshalls.com^ +||smetrics.marshandmclennan.com^ +||smetrics.martinfurnitureexperts.com^ +||smetrics.mastercard.com^ +||smetrics.mastercardadvisors.com^ +||smetrics.mastercardbrandcenter.com^ +||smetrics.mastercardbusiness.com^ +||smetrics.mastercardintl.com^ +||smetrics.mastercardmoments.com^ +||smetrics.mathworks.cn^ +||smetrics.mathworks.com^ +||smetrics.matlab.com^ +||smetrics.matlabexpo.com^ +||smetrics.maurices.com^ +||smetrics.maverik.com^ +||smetrics.maxi.ca^ +||smetrics.maxicoffee.com^ +||smetrics.maxicoffee.de^ +||smetrics.maxicoffee.it^ +||smetrics.maximintegrated.com^ +||smetrics.mazuri.com^ +||smetrics.mbsdirect.net^ +||smetrics.mcafee.com^ +||smetrics.mcdonalds.com^ +||smetrics.mcdpromotion.ca^ +||smetrics.mdlive.com^ +||smetrics.meccabingo.com^ +||smetrics.med-iq.com^ +||smetrics.med.roche.ru^ +||smetrics.medallia.com^ +||smetrics.media-global.net^ +||smetrics.mediakademie.at^ +||smetrics.mediakademie.de^ +||smetrics.medical.roche.de^ +||smetrics.medichanzo.com^ +||smetrics.medstarhealth.org^ +||smetrics.medxperts.pk^ +||smetrics.meetingsnet.com^ +||smetrics.melanom-info.dk^ +||smetrics.melanom-wissen.ch^ +||smetrics.memberdeals.com^ +||smetrics.members.co.jp^ +||smetrics.merch.bankofamerica.com^ +||smetrics.mercola.com^ +||smetrics.mercolamarket.com^ +||smetrics.mercy.net^ +||smetrics.metacam.co.uk^ +||smetrics.metacam.com^ +||smetrics.metlife.com^ +||smetrics.metrobyt-mobile.com^ +||smetrics.mfs.com^ +||smetrics.mgmresorts.com^ +||smetrics.mhlnews.com^ +||smetrics.mhsindiana.com^ +||smetrics.mhswi.com^ +||smetrics.mibcookies.rbs.com^ +||smetrics.michaeljfox.org^ +||smetrics.michaelkors.ca^ +||smetrics.michaelkors.com^ +||smetrics.michaelkors.de^ +||smetrics.michaelkors.es^ +||smetrics.michaelkors.eu^ +||smetrics.michaelkors.fr^ +||smetrics.michaelkors.global^ +||smetrics.michaelkors.it^ +||smetrics.michaelkors.uk^ +||smetrics.michaels.com^ +||smetrics.michigancompletehealth.com^ +||smetrics.michiganfarmer.com^ +||smetrics.microtelinn.com^ +||smetrics.mid-townford.com^ +||smetrics.midatlantic.aaa.com^ +||smetrics.midnightlounge.com^ +||smetrics.mieten.mercedes-benz.de^ +||smetrics.miga.org^ +||smetrics.miles-and-more.com^ +||smetrics.minisom.pt^ +||smetrics.miniusa.com^ +||smetrics.minsteronline.co.uk^ +||smetrics.miracle-ear.com^ +||smetrics.misrp.com^ +||smetrics.mistore.jp^ +||smetrics.misumi-ec.com^ +||smetrics.mitrelinen.co.uk^ +||smetrics.mitsubishi-motors.co.jp^ +||smetrics.mitsubishi-motors.com.au^ +||smetrics.mizuno.com^ +||smetrics.mizuno.jp^ +||smetrics.modernatx.com^ +||smetrics.modernhealthcare.com^ +||smetrics.modernphysician.com^ +||smetrics.mojemedicina.cz^ +||smetrics.moncoeurmavie.ca^ +||smetrics.mondex.com^ +||smetrics.moneta.cz^ +||smetrics.monetaauto.cz^ +||smetrics.monetaleasing.cz^ +||smetrics.moneymarketing.co.uk^ +||smetrics.monsanto.com^ +||smetrics.moodys.com^ +||smetrics.moony.com^ +||smetrics.moosejaw.com^ +||smetrics.morganstanley.com^ +||smetrics.morningstar.com^ +||smetrics.mosquitojoe.com^ +||smetrics.motegrity.com^ +||smetrics.motioncanada.ca^ +||smetrics.motionindustries.com^ +||smetrics.motorsportreg.com^ +||smetrics.motortrend.com^ +||smetrics.mounjaro.com^ +||smetrics.mountainhomeutah.com^ +||smetrics.mouse-jp.co.jp^ +||smetrics.moving.com^ +||smetrics.mphasis.com^ +||smetrics.mrappliance.ca^ +||smetrics.mrelectric.com^ +||smetrics.mrhandyman.ca^ +||smetrics.mro-network.com^ +||smetrics.mrplumberatlanta.com^ +||smetrics.mrplumberindy.com^ +||smetrics.mrporter.com^ +||smetrics.mrrooter.com^ +||smetrics.msccrociere.it^ +||smetrics.msccruceros.es^ +||smetrics.msccruises.be^ +||smetrics.msccruises.ca^ +||smetrics.msccruises.ch^ +||smetrics.msccruises.co.za^ +||smetrics.msccruises.de^ +||smetrics.msccruises.se^ +||smetrics.msccruzeiros.com.br^ +||smetrics.msg.com^ +||smetrics.mslifelines.com^ +||smetrics.msvoice.com^ +||smetrics.multikino.pl^ +||smetrics.multiview.com^ +||smetrics.mum.edu^ +||smetrics.murata.com^ +||smetrics.mutua.es^ +||smetrics.mutuactivos.com^ +||smetrics.mutuateayuda.es^ +||smetrics.mybenefits.com.au^ +||smetrics.mybonuscenter.com^ +||smetrics.mycondogetaway.com^ +||smetrics.mycontrolcard.com^ +||smetrics.mydccu.com^ +||smetrics.myhealthtoolkit.com^ +||smetrics.myio.com.au^ +||smetrics.mykirei.com^ +||smetrics.mylifestages.org^ +||smetrics.mymanheim.com^ +||smetrics.mymatrixx.com^ +||smetrics.mymercy.net^ +||smetrics.myonlineservices.ch^ +||smetrics.mysanantonio.com^ +||smetrics.mysensiva.com^ +||smetrics.mysleepyhead.com^ +||smetrics.myspringfield.com^ +||smetrics.myspringfield.mx^ +||smetrics.mystudywindow.com^ +||smetrics.myvi.in^ +||smetrics.myyellow.com^ +||smetrics.nab.com.au^ +||smetrics.nabbroker.com.au^ +||smetrics.nabtrade.com.au^ +||smetrics.nadaguides.com^ +||smetrics.nadro.mx^ +||smetrics.namestudio.com^ +||smetrics.napaonline.com^ +||smetrics.napaprolink.ca^ +||smetrics.napaprolink.com^ +||smetrics.nascar.com^ +||smetrics.nationalbusinessfurniture.com^ +||smetrics.nationalgeneral.com^ +||smetrics.nationalgrid.com^ +||smetrics.nationalhogfarmer.com^ +||smetrics.nationaltrust.org.uk^ +||smetrics.nationwide.co.uk^ +||smetrics.naturalizer.ca^ +||smetrics.naturalizer.com^ +||smetrics.nba.com^ +||smetrics.nbi-sems.com^ +||smetrics.nbjsummit.com^ +||smetrics.ncbank.co.jp^ +||smetrics.nebraskafarmer.com^ +||smetrics.nebraskatotalcare.com^ +||smetrics.neighborly.com^ +||smetrics.neighborlybrands.com^ +||smetrics.neighbourly.ca^ +||smetrics.nepro.com^ +||smetrics.nerium.kr^ +||smetrics.nesn.com^ +||smetrics.net-a-porter.com^ +||smetrics.netspend.com^ +||smetrics.nettokom.de^ +||smetrics.netxpress.biz^ +||smetrics.new.wyndhamvrap.com^ +||smetrics.newark.com^ +||smetrics.newbalance.com^ +||smetrics.newequipment.com^ +||smetrics.newfoundlandgrocerystores.ca^ +||smetrics.newport.com^ +||smetrics.nexium24hr.com^ +||smetrics.nexmo.com^ +||smetrics.nexusmentalhealth.com^ +||smetrics.nfl.com^ +||smetrics.nfpa.org^ +||smetrics.nhhealthyfamilies.com^ +||smetrics.ni.com^ +||smetrics.nielsen.com^ +||smetrics.nike.net^ +||smetrics.nintendo.com^ +||smetrics.nisbets.be^ +||smetrics.nisbets.co.nz^ +||smetrics.nisbets.co.uk^ +||smetrics.nisbets.com.au^ +||smetrics.nisbets.fr^ +||smetrics.nisbets.ie^ +||smetrics.nisbets.nl^ +||smetrics.nissanusa.com^ +||smetrics.noblehome.co.jp^ +||smetrics.nofrills.ca^ +||smetrics.noloan.com^ +||smetrics.nomorerules.net^ +||smetrics.nordiclaan.se^ +||smetrics.nordiclan.no^ +||smetrics.northernterritory.com^ +||smetrics.nottingham.ac.uk^ +||smetrics.nowtv.com^ +||smetrics.nowtv.it^ +||smetrics.npr.org^ +||smetrics.npubank.com.au^ +||smetrics.nrhtx.com^ +||smetrics.ntkm2.com^ +||smetrics.nuanceaudio.com^ +||smetrics.nuedexta.com^ +||smetrics.nuedextahcp.com^ +||smetrics.nutritionmatters.com^ +||smetrics.nutropin.com^ +||smetrics.nvidia.com^ +||smetrics.nycgo.com^ +||smetrics.nykaa.com^ +||smetrics.nykaafashion.com^ +||smetrics.nylaarp.com^ +||smetrics.nylexpress.newyorklife.com^ +||smetrics.nyulangone.org^ +||smetrics.o2online.de^ +||smetrics.oakley.com^ +||smetrics.oakleysi.com^ +||smetrics.obirin.ac.jp^ +||smetrics.obirin.jp^ +||smetrics.oceaniacruises.com^ +||smetrics.oclc.org^ +||smetrics.ocrelizumabinfo.com^ +||smetrics.ocrevus.com^ +||smetrics.oerproject.com^ +||smetrics.officefurniture.com^ +||smetrics.officeworks.com.au^ +||smetrics.ohiofarmer.com^ +||smetrics.ok.dk^ +||smetrics.okcashbag.com^ +||smetrics.oliverpeoples.com^ +||smetrics.omdia.com^ +||smetrics.omniture.com^ +||smetrics.ondacero.es^ +||smetrics.oneamerica.com^ +||smetrics.onetrust.com^ +||smetrics.ontechsmartservices.com^ +||smetrics.onureg.ch^ +||smetrics.onward.co.jp^ +||smetrics.opdivo.com^ +||smetrics.opdivo.dk^ +||smetrics.opdivoclinicaldata.com^ +||smetrics.opdivohcp.com^ +||smetrics.opdualag.com^ +||smetrics.openboxdirect.com^ +||smetrics.openinnovationnetwork.gov.sg^ +||smetrics.openshift.com^ +||smetrics.opensource.com^ +||smetrics.opnme.com^ +||smetrics.opsm.co.nz^ +||smetrics.opsm.com.au^ +||smetrics.optica.de^ +||smetrics.optimum.com^ +||smetrics.optimum.net^ +||smetrics.optum.com^ +||smetrics.orangetheory.com^ +||smetrics.oreilly.com^ +||smetrics.orencia.com^ +||smetrics.orenciapatient.se^ +||smetrics.otsuka-us.com^ +||smetrics.ott.showmax.com^ +||smetrics.ove.com^ +||smetrics.ovumkc.com^ +||smetrics.ownertoownercommunication.com^ +||smetrics.oxfam.org.uk^ +||smetrics.packersproshop.com^ +||smetrics.pacsun.com^ +||smetrics.pahealthwellness.com^ +||smetrics.pakietyserwisowe.pl^ +||smetrics.palopmed.com^ +||smetrics.panasonic.com^ +||smetrics.panasonic.jp^ +||smetrics.panasonic.net^ +||smetrics.pandora.com^ +||smetrics.pandora.net^ +||smetrics.panerabread.com^ +||smetrics.parkerandsons.com^ +||smetrics.partnerbrands.com^ +||smetrics.partnermastercard.com^ +||smetrics.partssource.com^ +||smetrics.payback.at^ +||smetrics.payback.de^ +||smetrics.payback.it^ +||smetrics.payback.mx^ +||smetrics.payback.net^ +||smetrics.payback.pl^ +||smetrics.paymarkfinans.dk^ +||smetrics.paymarkfinans.se^ +||smetrics.payment-estimator.vwcredit.com^ +||smetrics.paysafecard.com^ +||smetrics.pbainfo.org^ +||smetrics.pbteen.ca^ +||smetrics.pbteen.com^ +||smetrics.pch.com^ +||smetrics.pcid.ca^ +||smetrics.pcoptimum.ca^ +||smetrics.pdt.r-agent.com^ +||smetrics.peachjohn.co.jp^ +||smetrics.peakperformance.com^ +||smetrics.pearlevision.ca^ +||smetrics.pearlevision.com^ +||smetrics.pebblebeach.com^ +||smetrics.pedialyte.com^ +||smetrics.pediasure.com.my^ +||smetrics.pediasure.com^ +||smetrics.pedrodelhierro.com^ +||smetrics.peek-und-cloppenburg.de^ +||smetrics.penfed.org^ +||smetrics.penguin.co.uk^ +||smetrics.pennwell.com^ +||smetrics.pensionstallet.dk^ +||smetrics.people.com^ +||smetrics.peoplepets.com^ +||smetrics.peoplesjewellers.com^ +||smetrics.perjeta.com^ +||smetrics.persol.com^ +||smetrics.personalwirtschaft.de^ +||smetrics.petbarn.com.au^ +||smetrics.petcentric.com^ +||smetrics.petco.com^ +||smetrics.petersmithcadillac.com^ +||smetrics.petersmithgm.com^ +||smetrics.petsmart.com^ +||smetrics.petvaccinesclinic.com^ +||smetrics.pexion.co.uk^ +||smetrics.pfa.dk^ +||smetrics.pfaassetmanagement.dk^ +||smetrics.pfabank.dk^ +||smetrics.pfaejendomme.dk^ +||smetrics.pfizer.com^ +||smetrics.pfizer.nl^ +||smetrics.pfizercemp.com^ +||smetrics.pflege-onkologie.de^ +||smetrics.pgford.ca^ +||smetrics.pharmawebportal.com^ +||smetrics.phesgo.com^ +||smetrics.phoenix.edu^ +||smetrics.phoenix.gov^ +||smetrics.phoenixinwest.de^ +||smetrics.photos.com^ +||smetrics.pictet.com^ +||smetrics.pinkribbonbottle.com^ +||smetrics.pionline.com^ +||smetrics.plansponsor.com^ +||smetrics.plasticsnews.com^ +||smetrics.platformservices.co.uk^ +||smetrics.platypusshoes.com.au^ +||smetrics.playforpurpose.com.au^ +||smetrics.plumbenefits.com^ +||smetrics.plumbingtoday.biz^ +||smetrics.plumblineservices.com^ +||smetrics.plymouthrock.com^ +||smetrics.pmis.abbott.com^ +||smetrics.podiumpodcast.com^ +||smetrics.pods.com^ +||smetrics.politico.com^ +||smetrics.politico.eu^ +||smetrics.politicopro.com^ +||smetrics.polivy.com^ +||smetrics.pordentrodaesclerodermia.com.br^ +||smetrics.potterybarn.ca^ +||smetrics.potterybarn.com^ +||smetrics.potterybarnkids.ca^ +||smetrics.potterybarnkids.com^ +||smetrics.power97.com^ +||smetrics.powerelectronics.com^ +||smetrics.powertracagri.com^ +||smetrics.prada.com^ +||smetrics.pradaxapatient.se^ +||smetrics.pradaxapro.com^ +||smetrics.prado.com.sv^ +||smetrics.prd.base.be^ +||smetrics.prd.telenet.be^ +||smetrics.preautorizacionfs.com^ +||smetrics.precisionmedicineonline.com^ +||smetrics.premera.com^ +||smetrics.premierinn.com^ +||smetrics.presidentscup.com^ +||smetrics.prestigeclub.in^ +||smetrics.preventionworks.info^ +||smetrics.previcox.de^ +||smetrics.pricedigests.com^ +||smetrics.princess.com^ +||smetrics.prinovaglobal.com^ +||smetrics.privatebank.citibank.com^ +||smetrics.privilege.com^ +||smetrics.productcentral-stg.products.pwc.com^ +||smetrics.projectbaseline.com^ +||smetrics.promod.eu^ +||smetrics.promod.fr^ +||smetrics.proplan.com^ +||smetrics.prosper.com^ +||smetrics.prosure.com^ +||smetrics.protrek.jp^ +||smetrics.provigo.ca^ +||smetrics.provincial.com^ +||smetrics.proximus.be^ +||smetrics.pru.co.uk^ +||smetrics.prudential.com^ +||smetrics.pshpgeorgia.com^ +||smetrics.publicissapient.com^ +||smetrics.publiclands.com^ +||smetrics.pudahuel.cl^ +||smetrics.pulmonaryfibrosis360.com^ +||smetrics.pulmozyme.com^ +||smetrics.pulte.com^ +||smetrics.puma.com^ +||smetrics.purchase.audipureprotection.com^ +||smetrics.purchasingpower.com^ +||smetrics.purina.ca^ +||smetrics.purinamills.com^ +||smetrics.purinaone.com^ +||smetrics.purinaveterinarydiets.com^ +||smetrics.puritan.com^ +||smetrics.purolatornow.com^ +||smetrics.pvh.com^ +||smetrics.pwc-tls.it^ +||smetrics.pwc.at^ +||smetrics.pwc.be^ +||smetrics.pwc.ch^ +||smetrics.pwc.co.nz^ +||smetrics.pwc.co.tz^ +||smetrics.pwc.co.uk^ +||smetrics.pwc.co.za^ +||smetrics.pwc.com.ar^ +||smetrics.pwc.com.au^ +||smetrics.pwc.com.br^ +||smetrics.pwc.com.cy^ +||smetrics.pwc.com.pk^ +||smetrics.pwc.com.tr^ +||smetrics.pwc.com.uy^ +||smetrics.pwc.com^ +||smetrics.pwc.dk^ +||smetrics.pwc.ec^ +||smetrics.pwc.es^ +||smetrics.pwc.fi^ +||smetrics.pwc.fr^ +||smetrics.pwc.gi^ +||smetrics.pwc.hr^ +||smetrics.pwc.ie^ +||smetrics.pwc.in^ +||smetrics.pwc.is^ +||smetrics.pwc.lu^ +||smetrics.pwc.nl^ +||smetrics.pwc.no^ +||smetrics.pwc.pl^ +||smetrics.pwc.pt^ +||smetrics.pwc.ro^ +||smetrics.pwc.rs^ +||smetrics.pwc.tw^ +||smetrics.pwcalgerie.pwc.fr^ +||smetrics.pwcavocats.com^ +||smetrics.pwccn.com^ +||smetrics.pwcconsulting.co.kr^ +||smetrics.pwchk.com^ +||smetrics.pwclegal.ee^ +||smetrics.pwclegal.lu^ +||smetrics.pwcmaroc.pwc.fr^ +||smetrics.q107.com^ +||smetrics.q107fm.ca^ +||smetrics.qatarairways.com.qa^ +||smetrics.qatarairways.com^ +||smetrics.qcnet.com^ +||smetrics.quallentpharmaceuticals.com^ +||smetrics.quickenloans.org^ +||smetrics.quikshiptoner.com^ +||smetrics.quiksilver.com^ +||smetrics.quill.com^ +||smetrics.qvc.com^ +||smetrics.qvc.de^ +||smetrics.qvc.jp^ +||smetrics.qvcuk.com^ +||smetrics.rac.co.uk^ +||smetrics.rackroomshoes.com^ +||smetrics.racq.com.au^ +||smetrics.racv.com.au^ +||smetrics.radioacktiva.com^ +||smetrics.radioactiva.cl^ +||smetrics.radioimagina.cl^ +||smetrics.radiole.com^ +||smetrics.radissonhotels.com^ +||smetrics.ragsdaleair.com^ +||smetrics.rainbowintl.com^ +||smetrics.ralphlauren.be^ +||smetrics.ralphlauren.ch^ +||smetrics.ralphlauren.co.kr^ +||smetrics.ralphlauren.co.uk^ +||smetrics.ralphlauren.com.au^ +||smetrics.ralphlauren.com.my^ +||smetrics.ralphlauren.com.sg^ +||smetrics.ralphlauren.com.tw^ +||smetrics.ralphlauren.de^ +||smetrics.ralphlauren.es^ +||smetrics.ralphlauren.eu^ +||smetrics.ralphlauren.fr^ +||smetrics.ralphlauren.global^ +||smetrics.ralphlauren.ie^ +||smetrics.ralphlauren.it^ +||smetrics.ralphlauren.nl^ +||smetrics.ralphlauren.pt^ +||smetrics.ramada.com^ +||smetrics.rapidadvance.com^ +||smetrics.rarediseasesignup.com^ +||smetrics.rate.com^ +||smetrics.ray-ban.com^ +||smetrics.rci.com^ +||smetrics.rcsmetrics.it^ +||smetrics.rds.ca^ +||smetrics.realcanadiansuperstore.ca^ +||smetrics.realcommercial.com.au^ +||smetrics.reale.es^ +||smetrics.realestate.com.au^ +||smetrics.realpropertymgt.com^ +||smetrics.realsimple.com^ +||smetrics.realtor.com^ +||smetrics.recruit.co.jp^ +||smetrics.redbox.com^ +||smetrics.redbull.tv^ +||smetrics.redcapnow.com^ +||smetrics.redcross.org^ +||smetrics.redcrossblood.org^ +||smetrics.redletterdays.co.uk^ +||smetrics.reedbusiness.net^ +||smetrics.refinanso.cz^ +||smetrics.reg.kb.nl^ +||smetrics.regions.com^ +||smetrics.rejuvenation.com^ +||smetrics.rejuvenationhome.ca^ +||smetrics.remservsalarypackage.com.au^ +||smetrics.renesas.com^ +||smetrics.renesas.eu^ +||smetrics.renfe.com^ +||smetrics.rent.mercedes-benz.ch^ +||smetrics.rent.mercedes-benz.co.jp^ +||smetrics.rent.mercedes-benz.se^ +||smetrics.rentprogress.com^ +||smetrics.repco.co.nz^ +||smetrics.repco.com.au^ +||smetrics.residentlearningcenter.com^ +||smetrics.resilium.com.au^ +||smetrics.resortdeveloper.com^ +||smetrics.retailagents.tui.co.uk^ +||smetrics.rethinksma.com^ +||smetrics.rexulti.com^ +||smetrics.rexultihcp.com^ +||smetrics.rexultisavings.com^ +||smetrics.riamoneytransfer.com^ +||smetrics.rimac.com^ +||smetrics.rinpashu.jp^ +||smetrics.ris.ac.jp^ +||smetrics.riteaid.com^ +||smetrics.rituxan.com^ +||smetrics.rituxanforgpampa-hcp.com^ +||smetrics.rituxanforgpampa.com^ +||smetrics.rituxanforpv.com^ +||smetrics.rituxanforra-hcp.com^ +||smetrics.rituxanforra.com^ +||smetrics.rituxanhycela.com^ +||smetrics.riumachitearoom.jp^ +||smetrics.rlicorp.com^ +||smetrics.robeco.com^ +||smetrics.robeco.nl^ +||smetrics.roche-infohub.co.za^ +||smetrics.roche-uae.com^ +||smetrics.roche.com^ +||smetrics.roche.de^ +||smetrics.rochehelse.no^ +||smetrics.rochemd.bg^ +||smetrics.rochenet.pt^ +||smetrics.rocheonline.net^ +||smetrics.rocheplus.es^ +||smetrics.rochepro-eg.com^ +||smetrics.rochepro.hr^ +||smetrics.rock101.com^ +||smetrics.rockandpop.cl^ +||smetrics.rockettes.com^ +||smetrics.rockwellautomation.com^ +||smetrics.roland.com^ +||smetrics.rolex.com^ +||smetrics.roomandboard.com^ +||smetrics.roomservicebycort.com^ +||smetrics.roxy.com^ +||smetrics.royalcaribbean.com^ +||smetrics.rozlytrek.com^ +||smetrics.rtl.nl^ +||smetrics.rubbernews.com^ +||smetrics.ryanhomes.com^ +||smetrics.ryka.com^ +||smetrics.safeauto.com^ +||smetrics.sainsburysbank.co.uk^ +||smetrics.saks.com^ +||smetrics.saksoff5th.com^ +||smetrics.salliemae.com^ +||smetrics.salomon.com^ +||smetrics.samedelman.ca^ +||smetrics.samedelman.com^ +||smetrics.samsung.com.cn^ +||smetrics.samsung.com^ +||smetrics.samsunglife.com^ +||smetrics.sandbox.ford.com^ +||smetrics.santander.co.uk^ +||smetrics.santandertravelinsurance.co.uk^ +||smetrics.sap.com^ +||smetrics.saseurobonusmastercard.dk^ +||smetrics.saseurobonusmastercard.no^ +||smetrics.saseurobonusmastercard.se^ +||smetrics.sasktel.com^ +||smetrics.saudiairlines.com^ +||smetrics.savethechildren.org.uk^ +||smetrics.saxobank.com^ +||smetrics.saxxanlage.ostsaechsische-sparkasse-dresden.de^ +||smetrics.sazerac.com^ +||smetrics.sazeracbarrelselect.com^ +||smetrics.sazerachouse.com^ +||smetrics.sbisec.co.jp^ +||smetrics.sbishinseibank.co.jp^ +||smetrics.sbs.com.au^ +||smetrics.scandichotels.com^ +||smetrics.scandichotels.de^ +||smetrics.scandichotels.dk^ +||smetrics.scandichotels.fi^ +||smetrics.scandichotels.no^ +||smetrics.scandichotels.se^ +||smetrics.scarboroughtoyota.ca^ +||smetrics.sce.com^ +||smetrics.schindler-berufsbildung.ch^ +||smetrics.schindler.ae^ +||smetrics.schindler.ar^ +||smetrics.schindler.at^ +||smetrics.schindler.ba^ +||smetrics.schindler.be^ +||smetrics.schindler.ch^ +||smetrics.schindler.cl^ +||smetrics.schindler.co.id^ +||smetrics.schindler.co.il^ +||smetrics.schindler.co.th^ +||smetrics.schindler.co.uk^ +||smetrics.schindler.co.za^ +||smetrics.schindler.co^ +||smetrics.schindler.com.br^ +||smetrics.schindler.com.tr^ +||smetrics.schindler.com^ +||smetrics.schindler.de^ +||smetrics.schindler.eg^ +||smetrics.schindler.es^ +||smetrics.schindler.fi^ +||smetrics.schindler.fr^ +||smetrics.schindler.in^ +||smetrics.schindler.it^ +||smetrics.schindler.lt^ +||smetrics.schindler.lu^ +||smetrics.schindler.lv^ +||smetrics.schindler.ma^ +||smetrics.schindler.mt^ +||smetrics.schindler.mx^ +||smetrics.schindler.my^ +||smetrics.schindler.nl^ +||smetrics.schindler.pe^ +||smetrics.schindler.pl^ +||smetrics.schindler.pt^ +||smetrics.schindler.ro^ +||smetrics.schindler.sa^ +||smetrics.schindler.sg^ +||smetrics.schindler.vn^ +||smetrics.science.org^ +||smetrics.sciencecareers.org^ +||smetrics.sciencemagazinedigital.org^ +||smetrics.scottrade.com^ +||smetrics.sdcvisit.com^ +||smetrics.seabourn.com^ +||smetrics.seasearcher.com^ +||smetrics.seat-italia.it^ +||smetrics.seat.be^ +||smetrics.seat.ch^ +||smetrics.seat.co.nz^ +||smetrics.seat.co.uk^ +||smetrics.seat.com.mt^ +||smetrics.seat.com^ +||smetrics.seat.de^ +||smetrics.seat.es^ +||smetrics.seat.fi^ +||smetrics.seat.fr^ +||smetrics.seat.ie^ +||smetrics.seat.mx^ +||smetrics.seat.no^ +||smetrics.seat.pl^ +||smetrics.seat.pt^ +||smetrics.seat.se^ +||smetrics.seat.tn^ +||smetrics.seawheeze.com^ +||smetrics.seb.ee^ +||smetrics.seb.lt^ +||smetrics.seb.lv^ +||smetrics.seb.se^ +||smetrics.sebgroup.com^ +||smetrics.sebkort.com^ +||smetrics.secure.ehc.com^ +||smetrics.secureremserv.com.au^ +||smetrics.seeeliquisevidence.com^ +||smetrics.seguro.mediaset.es^ +||smetrics.seic.com^ +||smetrics.selectquote.com^ +||smetrics.sen.com.au^ +||smetrics.sensai-cosmetics.com^ +||smetrics.sephora.com^ +||smetrics.sephora.fr^ +||smetrics.sephora.it^ +||smetrics.sephora.pl^ +||smetrics.seriesplus.com^ +||smetrics.servicechampions.net^ +||smetrics.severntrent.com^ +||smetrics.sfchronicle.com^ +||smetrics.sfr.fr^ +||smetrics.shangri-la.com^ +||smetrics.sharecare.com^ +||smetrics.sheen.jp^ +||smetrics.shell.co.uk^ +||smetrics.shellenergy.co.uk^ +||smetrics.sherwoodbuickgmc.com^ +||smetrics.sherwoodmotorcars.com^ +||smetrics.sherwoodparkchev.com^ +||smetrics.shihang.org^ +||smetrics.shihangjituan.org^ +||smetrics.shinseibank.com^ +||smetrics.shionogi.co.jp^ +||smetrics.shionogi.tv^ +||smetrics.sho.com^ +||smetrics.shop.mrbostondrinks.com^ +||smetrics.shop.superstore.ca^ +||smetrics.shopjapan.co.jp^ +||smetrics.shopmyexchange.com^ +||smetrics.shopnbc.com^ +||smetrics.shoppersdrugmart.ca^ +||smetrics.shoppremiumoutlets.com^ +||smetrics.showcase.ca^ +||smetrics.showtickets.com^ +||smetrics.showtime.com^ +||smetrics.showtimeanytime.com^ +||smetrics.siapnge.com^ +||smetrics.siblu.com^ +||smetrics.siblu.de^ +||smetrics.siblu.es^ +||smetrics.siblu.fr^ +||smetrics.siblu.nl^ +||smetrics.sierra.com^ +||smetrics.silversummithealthplan.com^ +||smetrics.simargenta.be^ +||smetrics.similac.com^ +||smetrics.simplyink.com^ +||smetrics.singlife.com^ +||smetrics.siriusxm.ca^ +||smetrics.siriusxm.com^ +||smetrics.sisal.it^ +||smetrics.sitestuff.com^ +||smetrics.sivasdescalzo.com^ +||smetrics.sj.se^ +||smetrics.sjmtech.ma^ +||smetrics.skandia.se^ +||smetrics.skandiabanken.se^ +||smetrics.skechers.co.nz^ +||smetrics.skechers.com.au^ +||smetrics.skiphop.com^ +||smetrics.skipton.co.uk^ +||smetrics.skodafinancialservices.nl^ +||smetrics.sky.com^ +||smetrics.sky.de^ +||smetrics.sky.es^ +||smetrics.sky.it^ +||smetrics.skyhighsecurity.com^ +||smetrics.slalom.com^ +||smetrics.sleepnumber.com^ +||smetrics.sling.com^ +||smetrics.sloc.co.uk^ +||smetrics.slugger.com^ +||smetrics.smart-invest.sparkasse-wuppertal.de^ +||smetrics.smartcommerce.amazon.in^ +||smetrics.smartervacations.com^ +||smetrics.smartmove.us^ +||smetrics.smartstyle.com^ +||smetrics.smartvermoegen.de^ +||smetrics.smbcnikko.co.jp^ +||smetrics.smtb.jp^ +||smetrics.snapfish.ca^ +||smetrics.snapfish.ch^ +||smetrics.snapfish.co.nz^ +||smetrics.snapfish.co.uk^ +||smetrics.snapfish.com.au^ +||smetrics.snapfish.com^ +||smetrics.snapfish.fr^ +||smetrics.snapfish.it^ +||smetrics.snapfish.nl^ +||smetrics.snapfish.no^ +||smetrics.snapfish.pt^ +||smetrics.snapfish.se^ +||smetrics.societyofvaluedminds.org^ +||smetrics.sofina.co.jp^ +||smetrics.sofina.com^ +||smetrics.softcrylic.com^ +||smetrics.softwareag.com^ +||smetrics.sofy.jp^ +||smetrics.sofygirls.com^ +||smetrics.solarwinds.com^ +||smetrics.solaseedair.jp^ +||smetrics.solidigm.com^ +||smetrics.solidigm.de^ +||smetrics.solidigmtech.com.cn^ +||smetrics.solidigmtechnology.cn^ +||smetrics.solidigmtechnology.jp^ +||smetrics.solidigmtechnology.kr^ +||smetrics.solinst.com^ +||smetrics.solomobile.ca^ +||smetrics.solvingmdddisconnect.com^ +||smetrics.sony-africa.com^ +||smetrics.sony-asia.com^ +||smetrics.sony-europe.com^ +||smetrics.sony.at^ +||smetrics.sony.be^ +||smetrics.sony.bg^ +||smetrics.sony.ca^ +||smetrics.sony.ch^ +||smetrics.sony.cl^ +||smetrics.sony.co.cr^ +||smetrics.sony.co.id^ +||smetrics.sony.co.in^ +||smetrics.sony.co.kr^ +||smetrics.sony.co.nz^ +||smetrics.sony.co.th^ +||smetrics.sony.co.uk^ +||smetrics.sony.com.au^ +||smetrics.sony.com.br^ +||smetrics.sony.com.co^ +||smetrics.sony.com.do^ +||smetrics.sony.com.ec^ +||smetrics.sony.com.hn^ +||smetrics.sony.com.mx^ +||smetrics.sony.com.pa^ +||smetrics.sony.com.pe^ +||smetrics.sony.com.ph^ +||smetrics.sony.com.tr^ +||smetrics.sony.com.tw^ +||smetrics.sony.com.vn^ +||smetrics.sony.com^ +||smetrics.sony.cz^ +||smetrics.sony.de^ +||smetrics.sony.dk^ +||smetrics.sony.ee^ +||smetrics.sony.es^ +||smetrics.sony.eu^ +||smetrics.sony.fi^ +||smetrics.sony.fr^ +||smetrics.sony.gr^ +||smetrics.sony.hr^ +||smetrics.sony.hu^ +||smetrics.sony.ie^ +||smetrics.sony.it^ +||smetrics.sony.jp^ +||smetrics.sony.kz^ +||smetrics.sony.lt^ +||smetrics.sony.lu^ +||smetrics.sony.lv^ +||smetrics.sony.nl^ +||smetrics.sony.no^ +||smetrics.sony.pl^ +||smetrics.sony.pt^ +||smetrics.sony.ro^ +||smetrics.sony.ru^ +||smetrics.sony.se^ +||smetrics.sony.si^ +||smetrics.sony.sk^ +||smetrics.sony.ua^ +||smetrics.sonylatvija.com^ +||smetrics.sorgenia.it^ +||smetrics.sothebys.com^ +||smetrics.sotyktu.com^ +||smetrics.sotyktuhcp.com^ +||smetrics.sourceesb.com^ +||smetrics.southaustralia.com^ +||smetrics.southeastfarmpress.com^ +||smetrics.southerncomfort.com^ +||smetrics.southernglazers.com^ +||smetrics.southwest.com^ +||smetrics.southwestfarmpress.com^ +||smetrics.southwesthotels.com^ +||smetrics.southwestwifi.com^ +||smetrics.soyaparabebe.com.co^ +||smetrics.spaf-academy.pl^ +||smetrics.spanx.com^ +||smetrics.spargofinans.se^ +||smetrics.sparkassendirekt.de^ +||smetrics.spdrs.com^ +||smetrics.speedousa.com^ +||smetrics.spela.svenskaspel.se^ +||smetrics.spendwise.no^ +||smetrics.spendwise.se^ +||smetrics.spiriva.com^ +||smetrics.sportsbet.com.au^ +||smetrics.sportsmansguide.com^ +||smetrics.sprucemoney.com^ +||smetrics.sptoyota.com^ +||smetrics.srpnet.com^ +||smetrics.srptelecom.com^ +||smetrics.ssfcu.org^ +||smetrics.ssga.com^ +||smetrics.standardandpoors.com^ +||smetrics.stanfordchildrens.org^ +||smetrics.stanfordhealthcare.org^ +||smetrics.staples.com^ +||smetrics.staplesadvantage.co.nz^ +||smetrics.staplesadvantage.com.au^ +||smetrics.staplesadvantage.com^ +||smetrics.starhub.com^ +||smetrics.stark.dk^ +||smetrics.startribune.com^ +||smetrics.statefarm.com^ +||smetrics.statestreet.com^ +||smetrics.statnews.com^ +||smetrics.stewartseeds.com^ +||smetrics.stgeorge.com.au^ +||smetrics.store.irobot.com^ +||smetrics.store360.luxottica.com^ +||smetrics.strategyand.pwc.com^ +||smetrics.stressless.com^ +||smetrics.striderite.com^ +||smetrics.strokeawareness.com^ +||smetrics.stubhub.co.uk^ +||smetrics.stwater.co.uk^ +||smetrics.stylefind.com^ +||smetrics.subaruofsaskatoon.ca^ +||smetrics.suisai-global.net^ +||smetrics.sumitclub.jp^ +||smetrics.suncorp.co.nz^ +||smetrics.suncorp.com.au^ +||smetrics.suncorpbank.com.au^ +||smetrics.sunflowerhealthplan.com^ +||smetrics.sunglasshut.com^ +||smetrics.sunlife.ca^ +||smetrics.sunlife.com.vn^ +||smetrics.sunlife.com^ +||smetrics.sunlife.ie^ +||smetrics.sunlifeconnect.com^ +||smetrics.sunlifefinancialtrust.ca^ +||smetrics.sunlifeglobalinvestments.com^ +||smetrics.sunpower.com^ +||smetrics.sunshinehealth.com^ +||smetrics.super8.com^ +||smetrics.super99.com^ +||smetrics.superfleet.net^ +||smetrics.superiorhealthplan.com^ +||smetrics.supermarketnews.com^ +||smetrics.suppliesguys.com^ +||smetrics.sustainableplastics.com^ +||smetrics.suunto.com^ +||smetrics.svd.se^ +||smetrics.swalife.com^ +||smetrics.swinburne.edu.au^ +||smetrics.swisslife-select.de^ +||smetrics.synergy.net.au^ +||smetrics.synjardyhcp.com^ +||smetrics.synopsys.com^ +||smetrics.sysmex-support.com^ +||smetrics.t-mobile.com^ +||smetrics.t-mobilemoney.com^ +||smetrics.tab.com.au^ +||smetrics.tabletable.co.uk^ +||smetrics.tackntogs.com^ +||smetrics.tacobell.com^ +||smetrics.takami-labo.com^ +||smetrics.talbots.com^ +||smetrics.talkaboutlaminitis.co.uk^ +||smetrics.taltz.com^ +||smetrics.tamiflu.com^ +||smetrics.tarceva.com^ +||smetrics.target.com^ +||smetrics.targetoptical.com^ +||smetrics.tarrantcounty.com^ +||smetrics.tastingaustralia.com.au^ +||smetrics.tataaia.com^ +||smetrics.tataaig.com^ +||smetrics.taylormadegolf.com^ +||smetrics.taylors.edu.my^ +||smetrics.taymark.taylorcorp.com^ +||smetrics.tbs.com^ +||smetrics.tcm.com^ +||smetrics.tcs.com^ +||smetrics.tdc.dk^ +||smetrics.tdworld.com^ +||smetrics.te.com^ +||smetrics.teachforamerica.org^ +||smetrics.teambeachbody.com^ +||smetrics.tecentriq-hcp.com^ +||smetrics.tecentriq.com^ +||smetrics.techdata.com^ +||smetrics.tecoloco.co.cr^ +||smetrics.tecoloco.com^ +||smetrics.tedbaker.com^ +||smetrics.teeoff.com^ +||smetrics.telecel.com.gh^ +||smetrics.telegraph.co.uk^ +||smetrics.telenet.be^ +||smetrics.telenor.dk^ +||smetrics.telenor.se^ +||smetrics.teletoon.com^ +||smetrics.telustvplus.com^ +||smetrics.ten.com.au^ +||smetrics.tesco.com^ +||smetrics.tescobank.com^ +||smetrics.tetrapak.com^ +||smetrics.textbooks.com^ +||smetrics.tfl.gov.uk^ +||smetrics.tgw.com^ +||smetrics.the-farmer.com^ +||smetrics.theathletesfoot.co.nz^ +||smetrics.theathletesfoot.com.au^ +||smetrics.thebay.com^ +||smetrics.theetihadaviationgroup.com^ +||smetrics.thefa.com^ +||smetrics.thegpsa.org^ +||smetrics.thelawyer.com^ +||smetrics.themadisonsquaregardencompany.com^ +||smetrics.theoutnet.com^ +||smetrics.thepeakfm.com^ +||smetrics.theplayers.com^ +||smetrics.thespacecinema.it^ +||smetrics.thespecialeventshow.com^ +||smetrics.thetruth.com^ +||smetrics.thewhitecompany.com^ +||smetrics.thewolf.ca^ +||smetrics.thingspeak.com^ +||smetrics.thingsremembered.com^ +||smetrics.thinkstockphotos.com^ +||smetrics.thomasgalbraith.com^ +||smetrics.thomsonlakes.co.uk^ +||smetrics.thomsonski.co.uk^ +||smetrics.thorn.se^ +||smetrics.thoughtworks.com^ +||smetrics.three.co.uk^ +||smetrics.three.ie^ +||smetrics.thrivent.com^ +||smetrics.thriventfinancial.com^ +||smetrics.thymes.com^ +||smetrics.tiaa-cref.org^ +||smetrics.tiaa.org^ +||smetrics.ticket.dk^ +||smetrics.ticket.fi^ +||smetrics.ticket.no^ +||smetrics.ticket.se^ +||smetrics.ticketmaster.com^ +||smetrics.ticketsatwork.com^ +||smetrics.tienda.telcel.com^ +||smetrics.tiendamonge.com^ +||smetrics.tiffany.com.br^ +||smetrics.tiffany.com.mx^ +||smetrics.tiffany.kr^ +||smetrics.tiffany.ru^ +||smetrics.timberland.com^ +||smetrics.timberland.es^ +||smetrics.timberland.fr^ +||smetrics.timberland.it^ +||smetrics.time.com^ +||smetrics.timeforkids.com^ +||smetrics.timeinc.com^ +||smetrics.timeinc.net^ +||smetrics.timeout.com^ +||smetrics.tirebusiness.com^ +||smetrics.tjekdinpuls.dk^ +||smetrics.tlcgroup.com^ +||smetrics.tmz.com^ +||smetrics.tnkase.com^ +||smetrics.tochinavi.net^ +||smetrics.tokbox.com^ +||smetrics.tomecontroldesusalud.com^ +||smetrics.tommy.com^ +||smetrics.tommybahama.com^ +||smetrics.toofab.com^ +||smetrics.toptenreviews.com^ +||smetrics.totalwine.com^ +||smetrics.tourdownunder.com.au^ +||smetrics.toyota.com^ +||smetrics.toyotanorthwestedmonton.com^ +||smetrics.toyotaonthepark.ca^ +||smetrics.toysrus.com^ +||smetrics.toysrus.es^ +||smetrics.traction.com^ +||smetrics.tractorsupply.com^ +||smetrics.traderonline.com^ +||smetrics.trailer-bodybuilders.com^ +||smetrics.trainsfares.co.uk^ +||smetrics.transact711.com^ +||smetrics.transactfamilycard.com^ +||smetrics.travelchannel.com^ +||smetrics.travelmoneyonline.co.uk^ +||smetrics.travelzoo.com^ +||smetrics.treehousetv.com^ +||smetrics.trellix.com^ +||smetrics.trendmicro.co.jp^ +||smetrics.trendmicro.com^ +||smetrics.trendyol.com^ +||smetrics.trilliumadvantage.com^ +||smetrics.trilliumhealthplan.com^ +||smetrics.trilliumohp.com^ +||smetrics.tropicanafm.com^ +||smetrics.trucker.com^ +||smetrics.truckfleetmro.com^ +||smetrics.truffaut.com^ +||smetrics.trulicity.com^ +||smetrics.trustmark.com^ +||smetrics.truthinitiative.org^ +||smetrics.tryg.dk^ +||smetrics.trygghansa.se^ +||smetrics.tsc.ca^ +||smetrics.tsn.ca^ +||smetrics.ttiinc.com^ +||smetrics.tudorwatch.com^ +||smetrics.tui.co.uk^ +||smetrics.tui.no^ +||smetrics.tui.se^ +||smetrics.tuifly.fr^ +||smetrics.tuleva.fi^ +||smetrics.tune-h.com^ +||smetrics.tuneup.de^ +||smetrics.tunisie.pwc.fr^ +||smetrics.tuvsud.com^ +||smetrics.tv2.dk^ +||smetrics.twany-hadabae.jp^ +||smetrics.typ2podden.se^ +||smetrics.tyro.com^ +||smetrics.tyson.com^ +||smetrics.tysonfoodservice.com^ +||smetrics.u-can.co.jp^ +||smetrics.ubi.com^ +||smetrics.uconnect.dtm.chrysler.com^ +||smetrics.uhc.com^ +||smetrics.undercovertourist.com^ +||smetrics.unipolsai.it^ +||smetrics.unitymediabusiness.de^ +||smetrics.upc.ch^ +||smetrics.ups.com^ +||smetrics.urgentcomm.com^ +||smetrics.us.playstation.com^ +||smetrics.us.trintellix.com^ +||smetrics.usaaperks.com^ +||smetrics.usbank.com^ +||smetrics.usopen.org^ +||smetrics.utech-polyurethane.com^ +||smetrics.utilityanalyticsweek.com^ +||smetrics.valumart.ca^ +||smetrics.vangraaf.com^ +||smetrics.vans.co.nz^ +||smetrics.vans.com.au^ +||smetrics.variis.com^ +||smetrics.vcm.com^ +||smetrics.velocityfrequentflyer.com^ +||smetrics.verdugotienda.com^ +||smetrics.vergoelst.de^ +||smetrics.verisign.com^ +||smetrics.vermontcountrystore.com^ +||smetrics.vermontcreamery.com^ +||smetrics.vero.co.nz^ +||smetrics.vetmedica.de^ +||smetrics.vetplus.com.au^ +||smetrics.viabcp.com^ +||smetrics.viasat.com^ +||smetrics.viceroyhotelsandresorts.com^ +||smetrics.viega.at^ +||smetrics.viega.be^ +||smetrics.viega.com^ +||smetrics.viega.cz^ +||smetrics.viega.de^ +||smetrics.viega.dk^ +||smetrics.viega.es^ +||smetrics.viega.fr^ +||smetrics.viega.hr^ +||smetrics.viega.hu^ +||smetrics.viega.in^ +||smetrics.viega.it^ +||smetrics.viega.lt^ +||smetrics.viega.nl^ +||smetrics.viega.no^ +||smetrics.viega.pl^ +||smetrics.viega.pt^ +||smetrics.viega.rs^ +||smetrics.viega.se^ +||smetrics.viega.us^ +||smetrics.viewtabi.jp^ +||smetrics.viigalan.se^ +||smetrics.vikingline.ax^ +||smetrics.vikingline.ee^ +||smetrics.vikingline.fi^ +||smetrics.vince.com^ +||smetrics.virginatlantic.com^ +||smetrics.virginaustralia.com^ +||smetrics.virginmedia.com^ +||smetrics.virginmediabusiness.co.uk^ +||smetrics.virginmoney.com.au^ +||smetrics.virtual-cosme.net^ +||smetrics.virusbuster.jp^ +||smetrics.visiondirect.co.uk^ +||smetrics.visitsingapore.com.cn^ +||smetrics.visitsingapore.com^ +||smetrics.vitacost.com^ +||smetrics.vitalsource.com^ +||smetrics.vitamix.com^ +||smetrics.vitasure.com.tr^ +||smetrics.vodafone.al^ +||smetrics.vodafone.co.nz^ +||smetrics.vodafone.co.uk^ +||smetrics.vodafone.com.gh^ +||smetrics.vodafone.com.tr^ +||smetrics.vodafone.es^ +||smetrics.vodafone.gr^ +||smetrics.vodafone.in^ +||smetrics.vodafone.qa^ +||smetrics.vodafone.ro^ +||smetrics.vodafonecu.gr^ +||smetrics.vogue-eyewear.com^ +||smetrics.volkswagenfinancialservices.nl^ +||smetrics.volusion.com^ +||smetrics.vonage.ca^ +||smetrics.vonage.co.uk^ +||smetrics.vonage.com^ +||smetrics.vrst.com^ +||smetrics.vrtx.com^ +||smetrics.vsemirnyjbank.org^ +||smetrics.vueling.com^ +||smetrics.vw.com^ +||smetrics.vwfs-service-plans.io^ +||smetrics.vwfs.co.uk^ +||smetrics.vwfs.com.br^ +||smetrics.vwfs.com^ +||smetrics.vwfs.cz^ +||smetrics.vwfs.de^ +||smetrics.vwfs.es^ +||smetrics.vwfs.fr^ +||smetrics.vwfs.gr^ +||smetrics.vwfs.ie^ +||smetrics.vwfs.io^ +||smetrics.vwfs.it^ +||smetrics.vwfs.mx^ +||smetrics.vwfs.pl^ +||smetrics.vwfs.pt^ +||smetrics.vwpfs.nl^ +||smetrics.vyvansepro.com^ +||smetrics.walgreens.com^ +||smetrics.walmart.com^ +||smetrics.walmartmoneycard.com^ +||smetrics.walmartstores.com^ +||smetrics.wardsintelligence.informa.com^ +||smetrics.warners.com^ +||smetrics.waseda-ac.co.jp^ +||smetrics.washingtonpost.com^ +||smetrics.waste360.com^ +||smetrics.watch.nba.com^ +||smetrics.waterlooford.com^ +||smetrics.waterloolincoln.com^ +||smetrics.waters.com^ +||smetrics.wavespartnership.org^ +||smetrics.wdeportes.com^ +||smetrics.wdrake.com^ +||smetrics.webex.com^ +||smetrics.webnova.abbottnutrition.com^ +||smetrics.wedenik.com^ +||smetrics.weflive.com^ +||smetrics.wegmans.com^ +||smetrics.wellcareky.com^ +||smetrics.west.edu^ +||smetrics.westcoastuniversity.edu^ +||smetrics.westelm.ca^ +||smetrics.westelm.com^ +||smetrics.westernaustralia.com^ +||smetrics.westernfarmpress.com^ +||smetrics.westernskycommunitycare.com^ +||smetrics.westernunion.com^ +||smetrics.westgateresorts.com^ +||smetrics.westpac.com.au^ +||smetrics.westpacgroup.com.au^ +||smetrics.wgu.edu^ +||smetrics.whatsappsim.de^ +||smetrics.whitbreadinns.co.uk^ +||smetrics.whitbyoshawahonda.com^ +||smetrics.wibe.com^ +||smetrics.wileyplus.com^ +||smetrics.williamhill.com^ +||smetrics.williamhill.es^ +||smetrics.williamhill.it^ +||smetrics.williamhillplc.com^ +||smetrics.williams-sonoma.ca^ +||smetrics.williams-sonoma.com^ +||smetrics.williamscomfortair.com^ +||smetrics.williamsf1.com^ +||smetrics.wilson.com^ +||smetrics.wilsonniblett.com^ +||smetrics.wimbledon.com^ +||smetrics.winc.co.nz^ +||smetrics.winc.com.au^ +||smetrics.winespectator.com^ +||smetrics.winfieldunited.com^ +||smetrics.wireimage.com^ +||smetrics.wirmagazin.de^ +||smetrics.wixfilters.com^ +||smetrics.wm.com^ +||smetrics.wmaze.com^ +||smetrics.wmg.com^ +||smetrics.wnba.com^ +||smetrics.wnetwork.com^ +||smetrics.wolterskluwer.com^ +||smetrics.woma-group.com^ +||smetrics.womensecret.com^ +||smetrics.womensecret.mx^ +||smetrics.workforce.com^ +||smetrics.workfront.com^ +||smetrics.workingadvantage.com^ +||smetrics.worldbank.org^ +||smetrics.worldbankgroup.org^ +||smetrics.worldmarket.com^ +||smetrics.worldvision.org^ +||smetrics.wowtv.de^ +||smetrics.wradio.com.co^ +||smetrics.wradio.com.mx^ +||smetrics.wrs.com.sg^ +||smetrics.wsib2b.com^ +||smetrics.wszechnica.roche.pl^ +||smetrics.wu.com^ +||smetrics.wunetspendprepaid.com^ +||smetrics.www.hondros.edu^ +||smetrics.www.vwfs.de^ +||smetrics.wyndham.com^ +||smetrics.wyndhamhotelgroup.com^ +||smetrics.wyndhamhotels.com^ +||smetrics.wyndhamrewards.com^ +||smetrics.xe.com^ +||smetrics.xofluza.com^ +||smetrics.xolairhcp.com^ +||smetrics.y108.ca^ +||smetrics.yaencontre.com^ +||smetrics.ybs.co.uk^ +||smetrics.yellow.com.au^ +||smetrics.yellowpages.com.au^ +||smetrics.yesterdaysnews.com^ +||smetrics.yo-ko-o.com^ +||smetrics.yo-ko-o.jp^ +||smetrics.yourconroenews.com^ +||smetrics.yourdot.com^ +||smetrics.yourdot.net^ +||smetrics.yourheartyourdecision.com^ +||smetrics.yourindependentgrocer.ca^ +||smetrics.yrcw.com^ +||smetrics.ytv.com^ +||smetrics.zagg.com^ +||smetrics.zales.com^ +||smetrics.zalesoutlet.com^ +||smetrics.zehrs.ca^ +||smetrics.zeiss.com^ +||smetrics.zeposia.com^ +||smetrics.zeposiareg.ch^ +||smetrics.zexy-en-soudan.net^ +||smetrics.zexy-enmusubi.net^ +||smetrics.zimmerbiomet.com^ +||smetrics.ziplyfiber.com^ +||smetrics.zodiacshoes.com^ +||smetrics.zoneperfect.com^ +||smetrics.zurichlife.co.jp^ +||smetrics1.experian.com^ +||smetrics2.kaiserpermanente.org^ +||smetrics2.nokia.com^ +||smetrics2.williamhill.com^ +||smetricsadobe.hollandandbarrett.be^ +||smetricsadobe.hollandandbarrett.com^ +||smetricsadobe.hollandandbarrett.ie^ +||smetricsadobe.hollandandbarrett.nl^ +||smetricsqa.sierra.com^ +||smetricstur.www.svenskaspel.se^ +||smetrix.avon.uk.com^ +||smetrix.youravon.com^ +||sminerva.healthcentral.com^ +||smobile.wotif.com^ +||smodus.nike.com^ +||smon.activate.cz^ +||smon.blackhistorymonth.gov^ +||smon.congress.gov^ +||smon.copyright.gov^ +||smon.loc.gov^ +||sms.ajopharmabeta.riteaid.com^ +||sms.apac.coca-cola.com^ +||sms.em.officedepot.com^ +||sms.email-disney.cjm.adobe.com^ +||sms.email-mobiledx.cjm.adobe.com^ +||sms.info.smart.com^ +||sms.mcafee.com^ +||sms.nespresso.com^ +||sms.northeast.aaa.com^ +||sms.notice.assurancewireless.com^ +||sms.notice.metrobyt-mobile.com^ +||sms.notice.t-mobile.com^ +||sms.realmadrid1.test.cjmadobe.com^ +||sms.riteaid.com^ +||smtc.qantas.com.au^ +||smtc.qantas.com^ +||smtrcs.redhat.com^ +||smtx.belfius.be^ +||smtx.lastminute.com.au^ +||smtx.travel.com.au^ +||smy.iheart.com^ +||snalytics.accidenthero.at^ +||snalytics.allianz-assistance.at^ +||snalytics.allianz-assistance.es^ +||snalytics.allianz-assistance.ie^ +||snalytics.allianz-assistance.nl^ +||snalytics.allianz-reiseversicherung.de^ +||snalytics.allianz-travel.com.hk^ +||snalytics.allianz-voyage.fr^ +||snalytics.allyz.com^ +||snalytics.travelinsurance.ca^ +||so.blue.ch^ +||so.bluecinema.ch^ +||so.bluenews.ch^ +||so.blueplus.ch^ +||so.bluewin.ch^ +||so.boh.com^ +||so.desertschools.org^ +||so.opentable.co.uk^ +||so.opentable.com^ +||so.otrestaurant.com^ +||so.sunrise.ch^ +||so.swisscom.ch^ +||so8.hyatt.com^ +||socs.hagerty.com^ +||som.abritel.fr^ +||som.aluguetemporada.com.br^ +||som.athenahealth.com^ +||som.blockbuster.com^ +||som.cablestogo.co.uk^ +||som.cbsi.com^ +||som.constellation.com^ +||som.craftsman.com^ +||som.escapehomes.com^ +||som.gaservesamerica.com^ +||som.greatwolf.com^ +||som.healthgrades.com^ +||som.homeaway.com.au^ +||som.homeaway.com.co^ +||som.homeaway.com^ +||som.homeaway.pt^ +||som.hotels.com^ +||som.hotwire.com^ +||som.kenmore.com^ +||som.newenergy.com^ +||som.reethirah.oneandonlyresorts.com^ +||som.resortime.com^ +||som.ringcentral.com^ +||som.sears.com^ +||som.vrbo.com^ +||sometrics.netapp.com^ +||somn.hiltongrandvacations.com^ +||somn.sonypictures.com^ +||somn.wholesalehalloweencostumes.com^ +||somn.wholesalepartysupplies.com^ +||somni.accenture.com^ +||somni.alaskaair.com^ +||somni.americanwesthomes.com^ +||somni.amrock.com^ +||somni.amsurg.com^ +||somni.ashleyfurniturehomestore.com^ +||somni.aussiespecialist.com^ +||somni.australia.cn^ +||somni.australia.com^ +||somni.avg.com^ +||somni.banzel.com^ +||somni.bcg.com^ +||somni.bd.pcm.com^ +||somni.bell.ca^ +||somni.bgsaxo.it^ +||somni.bluebird.com^ +||somni.bluecrossma.com^ +||somni.bostonpizza.com^ +||somni.carecredit.com^ +||somni.carecreditprovidercenter.com^ +||somni.choicehotels.com^ +||somni.cineplex.com^ +||somni.cineplexdigitalmedia.com^ +||somni.cn.saxobank.com^ +||somni.copaair.com^ +||somni.cpobd.com^ +||somni.cpogenerac.com^ +||somni.cpopowermatic.com^ +||somni.cporotarytools.com^ +||somni.cposenco.com^ +||somni.cpowilton.com^ +||somni.cpoworkshop.com^ +||somni.creditonebank.com^ +||somni.csc.com^ +||somni.deere.com^ +||somni.deloittenet.deloitte.com^ +||somni.dexknows.com^ +||somni.dispatch.com^ +||somni.djoglobal.com^ +||somni.dsw.com^ +||somni.dxc.technology^ +||somni.edisonfinancial.ca^ +||somni.empr.com^ +||somni.endocrinologyadvisor.com^ +||somni.fathead.com^ +||somni.firsttechfed.com^ +||somni.genworth.com^ +||somni.getscarlet.com^ +||somni.giljimenez.com^ +||somni.hallmarkecards.com^ +||somni.hardrockhotels.com^ +||somni.home.saxo^ +||somni.huk.de^ +||somni.huk24.de^ +||somni.icicihfc.com^ +||somni.innforks.com^ +||somni.istockphoto.com^ +||somni.lightstream.com^ +||somni.mapac.thermofisher.com^ +||somni.moneytips.com^ +||somni.mycme.com^ +||somni.myrocket.com^ +||somni.myspendwell.com^ +||somni.mysynchrony.com^ +||somni.neighbourly.co.nz^ +||somni.neurologyadvisor.com^ +||somni.nine.com.au^ +||somni.orvis.com^ +||somni.pcm.com^ +||somni.pemco.com^ +||somni.playdium.com^ +||somni.pluralsight.com^ +||somni.qlmortgageservices.com^ +||somni.quickenloans.org^ +||somni.redcardreloadable.com^ +||somni.rei.com^ +||somni.reifund.org^ +||somni.rkt.zone^ +||somni.rocketaccount.com^ +||somni.rocketauto.com^ +||somni.rocketcard.com^ +||somni.rockethomes.com^ +||somni.rockethq.com^ +||somni.rocketloans.com^ +||somni.rocketmoney.com^ +||somni.rocketmortgage.ca^ +||somni.rocketmortgage.com^ +||somni.rocketmortgagesquares.com^ +||somni.rocketpro.com^ +||somni.rocketprotpo.com^ +||somni.sbicard.com^ +||somni.sbimobility.com^ +||somni.scmagazine.com^ +||somni.serve.com^ +||somni.silversea.com^ +||somni.sky.at^ +||somni.sky.de^ +||somni.sundancecatalog.com^ +||somni.suntrust.com^ +||somni.superonline.net^ +||somni.syf.com^ +||somni.synchrony.com^ +||somni.synchronybank.com^ +||somni.synchronybusiness.com^ +||somni.synchronycareers.com^ +||somni.tatacard.com^ +||somni.thatsmymortgage.com^ +||somni.thedarcyhotel.com^ +||somni.therecroom.com^ +||somni.thermofisher.com^ +||somni.turkcell.com.tr^ +||somni.vikingrivercruises.com^ +||somni.vrk.de^ +||somni.westernasset.com^ +||somni.winwithp1ag.com^ +||somni.yellowpages.com^ +||somnistats.jetblue.com^ +||somnit.blinkfitness.com^ +||somnit.equinox.com^ +||somniture.chip.de^ +||somniture.compactappliance.com^ +||somniture.corel.com^ +||somniture.edgestar.com^ +||somniture.faucetdirect.com^ +||somniture.handlesets.com^ +||somniture.kegerator.com^ +||somniture.lightingdirect.com^ +||somniture.livingdirect.com^ +||somniture.pullsdirect.com^ +||somniture.scotiabank.com^ +||somniture.scotiabank.mobi^ +||somniture.stuff.co.nz^ +||somniture.ventingdirect.com^ +||somniture.ventingpipe.com^ +||somniture.winecoolerdirect.com^ +||somniture.yodlee.com^ +||somt.honda.com^ +||somtr.financialengines.com^ +||somtrdc.jobsdb.com^ +||somtrdc.jobstreet.co.id^ +||somtrdc.jobstreet.com.my^ +||somtrdc.jobstreet.com.ph^ +||somtrdc.jobstreet.com.sg^ +||somtrdc.jobstreet.com^ +||somtrdc.jobstreet.vn^ +||soptimize.southwest.com^ +||sosc.hrs.com^ +||sowa.carhartt.com^ +||spc.personalcreations.com^ +||spersonalization.mrappliance.ca^ +||spersonalization.mrappliance.com^ +||spersonalization.mrelectric.com^ +||spersonalization.mrrooter.ca^ +||spersonalization.mrrooter.com^ +||spersonalization.rainbowintl.com^ +||sphc.caring4cancer.com^ +||spscas.hitachi-solutions.co.jp^ +||srepdata.12newsnow.com^ +||srepdata.13wmaz.com^ +||srepdata.app.com^ +||srepdata.armytimes.com^ +||srepdata.azcentral.com^ +||srepdata.caller.com^ +||srepdata.citizen-times.com^ +||srepdata.clarionledger.com^ +||srepdata.coloradoan.com^ +||srepdata.coshoctontribune.com^ +||srepdata.courier-journal.com^ +||srepdata.courierpostonline.com^ +||srepdata.dailyworld.com^ +||srepdata.desertsun.com^ +||srepdata.elpasotimes.com^ +||srepdata.eveningsun.com^ +||srepdata.fdlreporter.com^ +||srepdata.fox15abilene.com^ +||srepdata.freep.com^ +||srepdata.golfweek.com^ +||srepdata.greatfallstribune.com^ +||srepdata.guampdn.com^ +||srepdata.hometownlife.com^ +||srepdata.inyork.com^ +||srepdata.ithacajournal.com^ +||srepdata.jconline.com^ +||srepdata.jsonline.com^ +||srepdata.kcentv.com^ +||srepdata.kens5.com^ +||srepdata.kgw.com^ +||srepdata.kiiitv.com^ +||srepdata.kitsapsun.com^ +||srepdata.knoxnews.com^ +||srepdata.krem.com^ +||srepdata.ktvb.com^ +||srepdata.kvue.com^ +||srepdata.lansingstatejournal.com^ +||srepdata.ldnews.com^ +||srepdata.livingstondaily.com^ +||srepdata.marconews.com^ +||srepdata.marinecorpstimes.com^ +||srepdata.marionstar.com^ +||srepdata.marshfieldnewsherald.com^ +||srepdata.michigan.com^ +||srepdata.montgomeryadvertiser.com^ +||srepdata.mycentraljersey.com^ +||srepdata.mydesert.com^ +||srepdata.mynorthshorenow.com^ +||srepdata.naplesnews.com^ +||srepdata.navytimes.com^ +||srepdata.news-leader.com^ +||srepdata.newsleader.com^ +||srepdata.pal-item.com^ +||srepdata.postcrescent.com^ +||srepdata.poughkeepsiejournal.com^ +||srepdata.pressconnects.com^ +||srepdata.publicopiniononline.com^ +||srepdata.recordonline.com^ +||srepdata.redding.com^ +||srepdata.rgj.com^ +||srepdata.ruidosonews.com^ +||srepdata.shreveporttimes.com^ +||srepdata.tcpalm.com^ +||srepdata.tennessean.com^ +||srepdata.theadvertiser.com^ +||srepdata.thedailyjournal.com^ +||srepdata.thehuddle.com^ +||srepdata.thespectrum.com^ +||srepdata.thetimesherald.com^ +||srepdata.thetowntalk.com^ +||srepdata.usatoday.com^ +||srepdata.wausaudailyherald.com^ +||srepdata.wauwatosanow.com^ +||srepdata.wisfarmer.com^ +||srepdata.wkyc.com^ +||srepdata.ydr.com^ +||srepdata.yorkdispatch.com^ +||sreport.mitsubishicars.com^ +||ssa.asianfoodnetwork.com^ +||ssa.cookingchanneltv.com^ +||ssa.discovery.com^ +||ssa.discoveryplus.com^ +||ssa.discoveryplus.in^ +||ssa.discoveryrise.org^ +||ssa.eurosport.co.uk^ +||ssa.eurosport.com^ +||ssa.eurosport.de^ +||ssa.eurosport.dk^ +||ssa.eurosport.es^ +||ssa.eurosport.fr^ +||ssa.eurosport.hu^ +||ssa.eurosport.it^ +||ssa.eurosport.nl^ +||ssa.eurosport.no^ +||ssa.eurosport.pl^ +||ssa.eurosport.pt^ +||ssa.eurosport.ro^ +||ssa.eurosport.rs^ +||ssa.eurosport.se^ +||ssa.eurosportplayer.com^ +||ssa.food.com^ +||ssa.foodnetwork.com^ +||ssa.hgtv.com^ +||ssa.investigationdiscovery.com^ +||ssa.oprah.com^ +||ssa.tlc.com^ +||ssc.alhurra.com^ +||ssc.amerikaninsesi.org^ +||ssc.amerikaovozi.com^ +||ssc.amerikayidzayn.com^ +||ssc.amerikiskhma.com^ +||ssc.azadiradio.com^ +||ssc.azadliq.org^ +||ssc.azathabar.com^ +||ssc.azatliq.org^ +||ssc.azattyk.org^ +||ssc.azattyq.org^ +||ssc.azatutyun.am^ +||ssc.bellator.com^ +||ssc.benarnews.org^ +||ssc.bet.plus^ +||ssc.budgetair.co.uk^ +||ssc.budgetair.fr^ +||ssc.budgetair.nl^ +||ssc.cc.com^ +||ssc.currenttime.tv^ +||ssc.cvent.com^ +||ssc.dandalinvoa.com^ +||ssc.darivoa.com^ +||ssc.dengeamerika.com^ +||ssc.dengiamerika.com^ +||ssc.disneylandparis.com^ +||ssc.ekhokavkaza.com^ +||ssc.elsaha.com^ +||ssc.europalibera.org^ +||ssc.evropaelire.org^ +||ssc.favetv.com^ +||ssc.glasamerike.net^ +||ssc.golosameriki.com^ +||ssc.hl.co.uk^ +||ssc.holosameryky.com^ +||ssc.idelreal.org^ +||ssc.insidevoa.com^ +||ssc.irfaasawtak.com^ +||ssc.isleofmtv.com^ +||ssc.kavkazr.com^ +||ssc.kcamexico.com^ +||ssc.kidschoiceawards.com^ +||ssc.krymr.com^ +||ssc.logotv.com^ +||ssc.maghrebvoices.com^ +||ssc.martinoticias.com^ +||ssc.mashaalradio.com^ +||ssc.meuspremiosnick.com.br^ +||ssc.mtv.co.uk^ +||ssc.mtv.com.au^ +||ssc.mtv.com.br^ +||ssc.mtv.com^ +||ssc.mtv.de^ +||ssc.mtv.es^ +||ssc.mtv.it^ +||ssc.mtv.nl^ +||ssc.mtvema.com^ +||ssc.mtvi.com^ +||ssc.mtvjapan.com^ +||ssc.mtvla.com^ +||ssc.mtvmama.com^ +||ssc.muji.net^ +||ssc.muji.tw^ +||ssc.mundonick.com.br^ +||ssc.mundonick.com^ +||ssc.newnownext.com^ +||ssc.nick-asia.com^ +||ssc.nick.co.uk^ +||ssc.nick.com.au^ +||ssc.nick.com.pl^ +||ssc.nick.com^ +||ssc.nick.de^ +||ssc.nick.tv^ +||ssc.nickanimation.com^ +||ssc.nickatnite.com^ +||ssc.nickelodeon.be^ +||ssc.nickelodeon.ee^ +||ssc.nickelodeon.es^ +||ssc.nickelodeon.fr^ +||ssc.nickelodeon.gr^ +||ssc.nickelodeon.hu^ +||ssc.nickelodeon.la^ +||ssc.nickelodeon.lt^ +||ssc.nickelodeon.lv^ +||ssc.nickelodeon.nl^ +||ssc.nickelodeon.pt^ +||ssc.nickelodeon.ro^ +||ssc.nickelodeon.se^ +||ssc.nickelodeonafrica.com^ +||ssc.nickelodeonarabia.com^ +||ssc.nickhelps.com^ +||ssc.nickjr.com^ +||ssc.nickourworld.tv^ +||ssc.nicktv.it^ +||ssc.nwf.org^ +||ssc.ozodi.org^ +||ssc.ozodlik.org^ +||ssc.paramountnetwork.com^ +||ssc.pashtovoa.com^ +||ssc.polygraph.info^ +||ssc.radiofarda.com^ +||ssc.radiomarsho.com^ +||ssc.radiosawa.com^ +||ssc.radiosvoboda.org^ +||ssc.radiotavisupleba.ge^ +||ssc.radiotelevisionmarti.com^ +||ssc.radiyoyacuvoa.com^ +||ssc.rfa.org^ +||ssc.rferl.org^ +||ssc.severreal.org^ +||ssc.sibreal.org^ +||ssc.slobodnaevropa.mk^ +||ssc.slobodnaevropa.org^ +||ssc.smithsonianchannel.com^ +||ssc.smithsonianchannellatam.com^ +||ssc.southpark.de^ +||ssc.southpark.lat^ +||ssc.southparkstudios.co.uk^ +||ssc.southparkstudios.com.br^ +||ssc.southparkstudios.com^ +||ssc.southparkstudios.nu^ +||ssc.supertv.it^ +||ssc.svaboda.org^ +||ssc.svoboda.org^ +||ssc.svobodnaevropa.bg^ +||ssc.szabadeuropa.hu^ +||ssc.tvland.com^ +||ssc.urduvoa.com^ +||ssc.usagm.gov^ +||ssc.vh1.com^ +||ssc.vidcon.com^ +||ssc.vliegwinkel.nl^ +||ssc.vmaj.jp^ +||ssc.vmware.com^ +||ssc.voaafaanoromoo.com^ +||ssc.voaafrica.com^ +||ssc.voaafrique.com^ +||ssc.voabambara.com^ +||ssc.voabangla.com^ +||ssc.voacambodia.com^ +||ssc.voacantonese.com^ +||ssc.voachinese.com^ +||ssc.voadeewanews.com^ +||ssc.voahausa.com^ +||ssc.voaindonesia.com^ +||ssc.voakorea.com^ +||ssc.voalingala.com^ +||ssc.voandebele.com^ +||ssc.voanews.com^ +||ssc.voanouvel.com^ +||ssc.voaportugues.com^ +||ssc.voashona.com^ +||ssc.voasomali.com^ +||ssc.voaswahili.com^ +||ssc.voathai.com^ +||ssc.voatibetan.com^ +||ssc.voatiengviet.com^ +||ssc.voaturkce.com^ +||ssc.voazimbabwe.com^ +||ssc.votvot.tv^ +||ssc.vozdeamerica.com^ +||ssc.wa.gto.db.com^ +||ssc.zeriamerikes.com^ +||ssdc.bawag.com^ +||ssdc.easybank.at^ +||ssite.johnlewis-insurance.com^ +||ssite.johnlewis.com^ +||ssite.johnlewisfinance.com^ +||ssite.waitrose.com^ +||ssitecat.eset.com^ +||ssitectlyst.saksfifthavenue.com^ +||ssl-metrics.tim.it^ +||ssl-omtrdc.dmp-support.jp^ +||ssl-omtrdc.zexy.net^ +||ssl.aafp.org^ +||ssl.aafpfoundation.org^ +||ssl.brandlicensing.eu^ +||ssl.citgo.com^ +||ssl.graham-center.org^ +||ssl.licensemag.com^ +||ssl.magiconline.com^ +||ssl.modernmedicine.com^ +||ssl.motorcycleshows.com^ +||ssl.o.additudemag.com^ +||ssl.o.auspost.com.au^ +||ssl.o.coliquio.de^ +||ssl.o.emedicinehealth.com^ +||ssl.o.globalacademycme.com^ +||ssl.o.guidelines.co.uk^ +||ssl.o.guidelinesinpractice.co.uk^ +||ssl.o.jim.fr^ +||ssl.o.mdedge.com^ +||ssl.o.medhelp.org^ +||ssl.o.medicinenet.com^ +||ssl.o.medscape.co.uk^ +||ssl.o.medscape.com^ +||ssl.o.medscape.org^ +||ssl.o.medscapelive.com^ +||ssl.o.medsims.com^ +||ssl.o.onhealth.com^ +||ssl.o.qxmd.com^ +||ssl.o.rxlist.com^ +||ssl.o.the-hospitalist.org^ +||ssl.o.univadis.com^ +||ssl.o.univadis.de^ +||ssl.o.univadis.es^ +||ssl.o.univadis.fr^ +||ssl.o.univadis.it^ +||ssl.o.vitals.com^ +||ssl.o.webmdrx.com^ +||ssl.sciencechannel.com^ +||sslanalytics.sixt.co.uk^ +||sslanalytics.sixt.com^ +||sslanalytics.sixt.de^ +||sslanalytics.sixt.fr^ +||sslanalytics.sixt.it^ +||sslanalytics.sixt.nl^ +||ssldata.thepointsguy.com^ +||sslmetrics.vivint.com^ +||sslomni.canadiantire.ca^ +||sslsc.sanitas.com^ +||sslstats.canadapost-postescanada.ca^ +||sslstats.canadapost.ca^ +||sslstats.deltavacations.com^ +||sslstats.healthydirections.com^ +||sslstats.postescanada-canadapost.ca^ +||sslstats.ssl.postescanada-canadapost.ca^ +||sslstats.worldagentdirect.com^ +||ssmr.nuro.jp^ +||ssmr.so-net.ne.jp^ +||ssmr.sonynetwork.co.jp^ +||ssmr2.so-net.ne.jp^ +||sstat.3pagen.at^ +||sstat.detelefoongids.nl^ +||sstat.gilt.com^ +||sstat.jetsetter.co.uk^ +||sstat.jetsetter.com^ +||sstat.ncl.com^ +||sstat.outrigger.com^ +||sstat.spreadex.com^ +||sstatistikk.telenor.no^ +||sstats.aavacations.com^ +||sstats.adultswim.com^ +||sstats.afco.com^ +||sstats.airfarewatchdog.co.uk^ +||sstats.airfarewatchdog.com^ +||sstats.alfa.com^ +||sstats.alfalaval.com^ +||sstats.alliander.com^ +||sstats.americafirst.com^ +||sstats.arbetarskydd.se^ +||sstats.architecturaldigest.com^ +||sstats.asadventure.com^ +||sstats.asadventure.fr^ +||sstats.asadventure.lu^ +||sstats.asadventure.nl^ +||sstats.atu.at^ +||sstats.auto5.be^ +||sstats.backcountry.com^ +||sstats.bbt.com^ +||sstats.belgiantrain.be^ +||sstats.bever.nl^ +||sstats.bitdefender.com^ +||sstats.bnpparibasfortis.be^ +||sstats.bonappetit.com^ +||sstats.bookhostels.com^ +||sstats.bookingbuddy.co.uk^ +||sstats.bookingbuddy.com^ +||sstats.bookingbuddy.eu^ +||sstats.bridgetrusttitle.com^ +||sstats.build.com^ +||sstats.buycostumes.com^ +||sstats.cafo.com^ +||sstats.cartoonnetwork.com^ +||sstats.celcom.com.my^ +||sstats.checksimple.com^ +||sstats.cimentenligne.com^ +||sstats.cntraveler.com^ +||sstats.competitivecyclist.com^ +||sstats.condenast.com^ +||sstats.cookmedical.com^ +||sstats.coop.dk^ +||sstats.cotswoldoutdoor.com^ +||sstats.cupidandgrace.com^ +||sstats.deloitte.com^ +||sstats.deluxe.com^ +||sstats.dice.com^ +||sstats.dignityhealth.org^ +||sstats.directgeneral.com^ +||sstats.drugstore.com^ +||sstats.ds-pharma.com^ +||sstats.ds-pharma.jp^ +||sstats.economist.com^ +||sstats.emersonecologics.com^ +||sstats.epicurious.com^ +||sstats.estore-tco.com^ +||sstats.extendedstayhotels.com^ +||sstats.fairmont.com^ +||sstats.familyvacationcritic.com^ +||sstats.faucet.com^ +||sstats.fhb.com^ +||sstats.fintro.be^ +||sstats.fishersci.at^ +||sstats.fishersci.be^ +||sstats.fishersci.ca^ +||sstats.fishersci.ch^ +||sstats.fishersci.co.uk^ +||sstats.fishersci.com^ +||sstats.fishersci.de^ +||sstats.fishersci.es^ +||sstats.fishersci.fi^ +||sstats.fishersci.fr^ +||sstats.fishersci.ie^ +||sstats.fishersci.it^ +||sstats.fishersci.nl^ +||sstats.fishersci.no^ +||sstats.fishersci.pt^ +||sstats.fishersci.se^ +||sstats.gaba.co.jp^ +||sstats.gfi.com^ +||sstats.gibson.com^ +||sstats.girls1st.com^ +||sstats.girls1st.dk^ +||sstats.glamour.com^ +||sstats.gohealthinsurance.com^ +||sstats.golfdigest.com^ +||sstats.gourmet.com^ +||sstats.governmentcontractsusa.com^ +||sstats.grandbridge.com^ +||sstats.hannaandersson.com^ +||sstats.harlequin.com^ +||sstats.harrods.com^ +||sstats.hayu.com^ +||sstats.healthcare-sumitomo-pharma.jp^ +||sstats.hellobank.be^ +||sstats.hemtex.com^ +||sstats.hfflp.com^ +||sstats.hickoryfarms.com^ +||sstats.holcim.us^ +||sstats.hostelworld.com^ +||sstats.hostplus.com.au^ +||sstats.incorporate.com^ +||sstats.instawares.com^ +||sstats.investors.com^ +||sstats.iridesse.com^ +||sstats.juttu.be^ +||sstats.kroger.com^ +||sstats.lag-avtal.se^ +||sstats.lfg.com^ +||sstats.liander.nl^ +||sstats.libresse.ee^ +||sstats.libresse.fi^ +||sstats.libresse.hu^ +||sstats.libresse.rs^ +||sstats.lovelibra.com.au^ +||sstats.mcgriff.com^ +||sstats.meijer.com^ +||sstats.mora.jp^ +||sstats.motosport.com^ +||sstats.mt.com^ +||sstats.myafco.com^ +||sstats.myfidm.fidm.edu^ +||sstats.nalgene.com^ +||sstats.nana-maghreb.com^ +||sstats.newworldsreading.com^ +||sstats.newyorker.com^ +||sstats.nikkei.com^ +||sstats.norauto.es^ +||sstats.norauto.fr^ +||sstats.norauto.it^ +||sstats.norauto.pt^ +||sstats.o2extravyhody.cz^ +||sstats.o2family.cz^ +||sstats.o2knihovna.cz^ +||sstats.o2tv.cz^ +||sstats.o2tvsport.cz^ +||sstats.o2videoteka.cz^ +||sstats.o2vyhody.cz^ +||sstats.olivia.com^ +||sstats.omahasteaks.com^ +||sstats.oneilglobaladvisors.com^ +||sstats.onelambda.com^ +||sstats.onetime.com^ +||sstats.ooshop.com^ +||sstats.optionsxpress.com^ +||sstats.oui.sncf^ +||sstats.oyster.com^ +||sstats.paloaltonetworks.com^ +||sstats.paymypremiums.com^ +||sstats.paypal-metrics.com^ +||sstats.pitchfork.com^ +||sstats.portauthorityclothing.com^ +||sstats.postechnologygroup.com^ +||sstats.prevent.se^ +||sstats.primeratepfc.com^ +||sstats.raffles.com^ +||sstats.regionalacceptance.com^ +||sstats.rssc.com^ +||sstats.runnersneed.com^ +||sstats.sanmar.com^ +||sstats.scholastic.com^ +||sstats.seat.ch^ +||sstats.seat.lu^ +||sstats.seat.mx^ +||sstats.seat.pt^ +||sstats.securitas-direct.com^ +||sstats.self.com^ +||sstats.shaneco.com^ +||sstats.simzdarma.cz^ +||sstats.smartertravel.com^ +||sstats.snowandrock.com^ +||sstats.spark.co.nz^ +||sstats.sumitomo-pharma.co.jp^ +||sstats.sumitomo-pharma.com^ +||sstats.sumitomo-pharma.jp^ +||sstats.supply.com^ +||sstats.swissotel.com^ +||sstats.tdameritrade.com^ +||sstats.teenvogue.com^ +||sstats.telenor.se^ +||sstats.tena.ca^ +||sstats.tena.us^ +||sstats.thermofisher.com^ +||sstats.thermoscientific.com^ +||sstats.tiffany.at^ +||sstats.tiffany.ca^ +||sstats.tiffany.co.jp^ +||sstats.tiffany.co.uk^ +||sstats.tiffany.com.au^ +||sstats.tiffany.com^ +||sstats.tiffany.de^ +||sstats.tiffany.es^ +||sstats.tiffany.fr^ +||sstats.tiffany.ie^ +||sstats.tiffany.it^ +||sstats.truist-prd.com^ +||sstats.truist-tst.com^ +||sstats.truist.com^ +||sstats.truistinsurance.com^ +||sstats.truistleadershipinstitute.com^ +||sstats.truistsecurities.com^ +||sstats.uascrubs.com^ +||sstats.upack.com^ +||sstats.vacationclub.com^ +||sstats.vanityfair.com^ +||sstats.vattenfall.nl^ +||sstats.vattenfall.se^ +||sstats.vizergy.com^ +||sstats.vogue.com^ +||sstats.voyages-sncf.com^ +||sstats.wallisfashion.com^ +||sstats.wartsila.com^ +||sstats.webresint.com^ +||sstats.whattopack.com^ +||sstats.williamoneil.com^ +||sstats.wired.com^ +||sstats.wmagazine.com^ +||sstats.www.o2.cz^ +||sstats.yourchi.org^ +||sstats2.allure.com^ +||sstats2.architecturaldigest.com^ +||sstats2.golfdigest.com^ +||sstats2.gq.com^ +||sstats2.newyorker.com^ +||sstatstest.adobe.com^ +||ssuperstats.observepoint.com^ +||sswmetrics.bearskinairlines.com^ +||sswmetrics.firstair.ca^ +||sswmetrics.omanair.com^ +||sswmetrics.philippineairlines.com^ +||sswmetrics.sabre.com^ +||st-nlyss1.plala.or.jp^ +||st.bahn.de^ +||st.bahnhof.de^ +||st.der-kleine-ice.de^ +||st.discover-bavaria.com^ +||st.entdecke-deutschland-bahn.de^ +||st.fahrkartenshop2-bahn.de^ +||st.iceportal.de^ +||st.img-bahn.de^ +||st.mashable.com^ +||st.mazdausa.com^ +||st.newyorklife.com^ +||st.newyorklifeinvestments.com^ +||st.nylannuities.com^ +||st.nylinvestments.com^ +||st.onemazdausa.com^ +||st.s-bahn-muenchen-magazin.de^ +||st.wir-entdecken-bayern.de^ +||starget.aircanada.com^ +||starget.airmiles.ca^ +||starget.bitdefender.com^ +||starget.collegeboard.org^ +||starget.huntington.com^ +||starget.intel.cn^ +||starget.intel.co.jp^ +||starget.intel.co.kr^ +||starget.intel.co.uk^ +||starget.intel.com.br^ +||starget.intel.com.tr^ +||starget.intel.com.tw^ +||starget.intel.com^ +||starget.intel.de^ +||starget.intel.es^ +||starget.intel.fr^ +||starget.intel.in^ +||starget.intel.it^ +||starget.intel.la^ +||starget.intel.pl^ +||starget.intel.ru^ +||starget.ladbrokes.be^ +||starget.mathworks.com^ +||starget.morganstanley.com^ +||starget.nabtrade.com.au^ +||starget.orlandofuntickets.com^ +||starget.panerabread.com^ +||starget.plumbenefits.com^ +||starget.ticketsatwork.com^ +||starget.tv2.dk^ +||starget.uhc.com^ +||starget.vodafone.es^ +||starget.westjet.com^ +||starget.workingadvantage.com^ +||stat-ssl.akiba-souken.com^ +||stat-ssl.autoway.jp^ +||stat-ssl.bushikaku.net^ +||stat-ssl.career-tasu.jp^ +||stat-ssl.cc-rashinban.com^ +||stat-ssl.eiga.com^ +||stat-ssl.fx-rashinban.com^ +||stat-ssl.hitosara.com^ +||stat-ssl.icotto-jp.com^ +||stat-ssl.icotto.jp^ +||stat-ssl.idaten.ne.jp^ +||stat-ssl.idou.me^ +||stat-ssl.jobcube.com^ +||stat-ssl.kaago.com^ +||stat-ssl.kakaku.com^ +||stat-ssl.kakakumag.com^ +||stat-ssl.kinarino-mall.jp^ +||stat-ssl.kinarino.jp^ +||stat-ssl.kyujinbox.com^ +||stat-ssl.money-viva.jp^ +||stat-ssl.pathee.com^ +||stat-ssl.photohito.com^ +||stat-ssl.screeningmaster.jp^ +||stat-ssl.shift-one.jp^ +||stat-ssl.smfg.co.jp^ +||stat-ssl.sumaity.com^ +||stat-ssl.tabelog.com^ +||stat-ssl.tasclap.jp^ +||stat-ssl.teamroom.jp^ +||stat-ssl.tour-list.com^ +||stat-ssl.webcg.net^ +||stat-ssl.xn--pckua2a7gp15o89zb.com^ +||stat.buyersedge.com.au^ +||stat.canal-plus.com^ +||stat.carecredit.com^ +||stat.detelefoongids.nl^ +||stat.gomastercard.com.au^ +||stat.interestfree.com.au^ +||stat.jetsetter.com^ +||stat.kaago.com^ +||stat.kiwibank.co.nz^ +||stat.marshfieldclinic.org^ +||stat.mint.ca^ +||stat.ncl.com^ +||stat.outrigger.com^ +||stat.smbc.co.jp^ +||stat.smfg.co.jp^ +||stat.thegeneral.com^ +||stat.vocus.com^ +||stats-ssl.mdanderson.org^ +||stats.4travel.jp^ +||stats.aapt.com.au^ +||stats.adobe.com^ +||stats.adultswim.com^ +||stats.agl.com.au^ +||stats.airfarewatchdog.co.uk^ +||stats.airfarewatchdog.com^ +||stats.americafirst.com^ +||stats.apachecorp.com^ +||stats.aplaceformom.com^ +||stats.asadventure.nl^ +||stats.bankofthewest.com^ +||stats.bever.nl^ +||stats.bildconnect.de^ +||stats.bitdefender.com^ +||stats.blacksim.de^ +||stats.bookingbuddy.co.uk^ +||stats.bookingbuddy.com^ +||stats.bookingbuddy.eu^ +||stats.cafepress.com^ +||stats.canadapost-postescanada.ca^ +||stats.canadapost.ca^ +||stats.carecredit.com^ +||stats.cartoonnetwork.com^ +||stats.celcom.com.my^ +||stats.commonspirit.org^ +||stats.coop.dk^ +||stats.cruisingpower.com^ +||stats.cybersim.de^ +||stats.datamanie.cz^ +||stats.deloitte.com^ +||stats.deutschlandsim.de^ +||stats.dice.com^ +||stats.drillisch-online.de^ +||stats.economist.com^ +||stats.ellos.dk^ +||stats.exploratv.ca^ +||stats.extendedstayamerica.com^ +||stats.falck.dk^ +||stats.familyvacationcritic.com^ +||stats.fhb.com^ +||stats.firstmarkcu.org^ +||stats.fishersci.at^ +||stats.fishersci.com^ +||stats.fishersci.de^ +||stats.fishersci.it^ +||stats.franklincovey.com^ +||stats.getty.edu^ +||stats.gfi.com^ +||stats.gibson.com^ +||stats.guycarp.com^ +||stats.handyvertrag.de^ +||stats.hannaandersson.com^ +||stats.harrods.com^ +||stats.hayu.com^ +||stats.healthydirections.com^ +||stats.his-j.com^ +||stats.honeywell.com^ +||stats.iata.org^ +||stats.icimusique.ca^ +||stats.instawares.com^ +||stats.interestfree.com.au^ +||stats.jetzt-aktivieren.de^ +||stats.juttu.be^ +||stats.kroger.com^ +||stats.lag-avtal.se^ +||stats.leasy.dk^ +||stats.lumension.com^ +||stats.m2m-mobil.de^ +||stats.marshfieldclinic.org^ +||stats.marshfieldresearch.org^ +||stats.maxxim.de^ +||stats.mcgriff.com^ +||stats.mdanderson.org^ +||stats.meijer.com^ +||stats.merx.com^ +||stats.mint.ca^ +||stats.mt.com^ +||stats.nortonhealthcare.com^ +||stats.nyteknik.se^ +||stats.o2extravyhody.cz^ +||stats.omahasteaks.com^ +||stats.onetime.com^ +||stats.organizeit.com^ +||stats.oui.sncf^ +||stats.oyster.com^ +||stats.pacificdentalservices.com^ +||stats.postescanada-canadapost.ca^ +||stats.postescanada.ca^ +||stats.premiumsim.de^ +||stats.radio-canada.ca^ +||stats.radley.co.uk^ +||stats.radleylondon.com^ +||stats.rcinet.ca^ +||stats.refurbished-handys.de^ +||stats.rs-online.com^ +||stats.russellstover.com^ +||stats.safeway.com^ +||stats.seat.be^ +||stats.seat.es^ +||stats.seat.fr^ +||stats.seat.ie^ +||stats.seat.pt^ +||stats.sfwmd.gov^ +||stats.sim.de^ +||stats.sim24.de^ +||stats.simplytel.de^ +||stats.simzdarma.cz^ +||stats.smartdestinations.com^ +||stats.smartmobil.de^ +||stats.southernphone.com.au^ +||stats.spark.co.nz^ +||stats.steepandcheap.com^ +||stats.swissotel.com^ +||stats.tdameritrade.com^ +||stats.te.com^ +||stats.telenor.se^ +||stats.tennistalk.com^ +||stats.tfl.gov.uk^ +||stats.thegeneral.com^ +||stats.thermofisher.com^ +||stats.tiffany.ie^ +||stats.tnt.com^ +||stats.tou.tv^ +||stats.tradingacademy.com^ +||stats.truist.com^ +||stats.uticorp.com^ +||stats.vacationclub.com^ +||stats.vattenfall.nl^ +||stats.vattenfall.se^ +||stats.voyages-sncf.com^ +||stats.vulture.com^ +||stats.wallisfashion.com^ +||stats.wartsila.com^ +||stats.wartsila.net^ +||stats.whattopack.com^ +||stats.winsim.de^ +||stats.wired.com^ +||stats.wisconsingenomics.org^ +||stats.www.o2.cz^ +||stats.xactware.com^ +||stats.yourfone.de^ +||stats2.architecturaldigest.com^ +||stats2.bonappetit.com^ +||stats2.cntraveler.com^ +||stats2.golfdigest.com^ +||stats2.newyorker.com^ +||stats2.self.com^ +||stats2.wmagazine.com^ +||statse-omtrdc.deka.de^ +||statse.deka-etf.de^ +||statss.smartdestinations.com^ +||stbg.bankonline.sboff.com^ +||stbg.looksee.co.za^ +||stbg.sbgsecurities.co.ke^ +||stbg.stanbic.co.ug^ +||stbg.stanbicbank.co.bw^ +||stbg.stanbicbank.co.ke^ +||stbg.stanbicbank.co.tz^ +||stbg.stanbicbank.co.ug^ +||stbg.stanbicbank.co.zm^ +||stbg.stanbicbank.co.zw^ +||stbg.stanbicbank.com.gh^ +||stbg.stanbicibtccapital.com^ +||stbg.stanbicibtcinsurancebrokers.com^ +||stbg.stanbicibtcnominees.com^ +||stbg.stanbicibtctrustees.com^ +||stbg.standardbank.cd^ +||stbg.standardbank.co.ao^ +||stbg.standardbank.co.mw^ +||stbg.standardbank.co.mz^ +||stbg.standardbank.co.sz^ +||stbg.standardbank.co.za^ +||stbg.standardbank.com.na^ +||stbg.standardbank.com^ +||stbg.standardbank.mu^ +||stbg.standardlesothobank.co.ls^ +||std.o.globalacademycme.com^ +||std.o.medicinenet.com^ +||std.o.medscape.com^ +||std.o.rxlist.com^ +||stel.telegraaf.nl^ +||stereos2.crutchfield.com^ +||stereos2s.crutchfield.ca^ +||stereos2s.crutchfield.com^ +||sticketsmetrics.masters.com^ +||stmetrics.bbva.com.ar^ +||stmetrics.bbva.com.co^ +||stmetrics.bbva.es^ +||stmetrics.bbva.it^ +||stmetrics.bbva.mx^ +||stmetrics.bbva.pe^ +||stms.53.com^ +||stms.newline53.com^ +||stnt.express-scripts.com^ +||stnt.sky.at^ +||stnt.sky.de^ +||str.foodnetwork.ca^ +||str.globalnews.ca^ +||str2-bbyca-track.bestbuy.com^ +||str2-fsca-track.bestbuy.com^ +||strack.aetna.com^ +||strack.aetnabetterhealth.com^ +||strack.allianz.at^ +||strack.allianz.ch^ +||strack.apps.allianzworldwidecare.com^ +||strack.bestbuy.ca^ +||strack.cap.ch^ +||strack.collegeboard.com^ +||strack.collegeboard.org^ +||strack.community.concur.com^ +||strack.concur.ae^ +||strack.concur.ca^ +||strack.concur.com.sg^ +||strack.concur.com^ +||strack.concur.tw^ +||strack.elvia.ch^ +||strack.englandstore.com^ +||strack.entegris.com^ +||strack.evertondirect.evertonfc.com^ +||strack.f1store.formula1.com^ +||strack.fanatics-intl.com^ +||strack.freedommobile.ca^ +||strack.futureshop.ca^ +||strack.go.concur.com^ +||strack.manjiro.net^ +||strack.mentor.com^ +||strack.mercycareaz.org^ +||strack.onemarketinguxp.com^ +||strack.shaw.ca^ +||strack.shawdirect.ca^ +||strack.shawmobile.ca^ +||strack.softbankhawksstore.jp^ +||strack.store.manutd.com^ +||strack.sw.siemens.com^ +||strack.tarif.allianz.ch^ +||strack.www.allianzcare-corporate.com^ +||strack.www.allianzcare.com^ +||stracking.kyobo.co.kr^ +||stracking.myomee.com^ +||stracking.rogers.com^ +||stracking.trutv.com^ +||strackingvanrental.vanrental.de^ +||stscs.ditzo.nl^ +||stt.bupa.com.au^ +||stt.cpaaustralia.com.au^ +||stt.deakin.edu.au^ +||stt.dell.com^ +||stt.keno.com.au^ +||stt.nvidia.com^ +||stt.pluralsight.com^ +||stt.tab.com.au^ +||stt.thelott.com^ +||stt.tyro.com^ +||styles.hautelook.com^ +||subscription.mktg.nfl.com^ +||subscriptions.costco.ca^ +||subscriptions.costco.com^ +||subscriptions.e.silverfernfarms.com^ +||subscriptions.outbound.luxair.lu^ +||sucmetrics.hypovereinsbank.de^ +||sucmetrics.unicredit.de^ +||sucmetrics.unicredit.it^ +||sucmetrics.unicreditbanca.it^ +||sucmetrics.unicreditgroup.eu^ +||sud.holidayinsider.com^ +||sud.holidays.hrs.de^ +||suncanny.marvel.com^ +||suncanny.marvelhq.com^ +||superstats.observepoint.com^ +||sut.dailyfx.com^ +||sut.iggroup.com^ +||sw88.24kitchen.bg^ +||sw88.24kitchen.com.hr^ +||sw88.24kitchen.com.tr^ +||sw88.24kitchen.nl^ +||sw88.24kitchen.pt^ +||sw88.24kitchen.rs^ +||sw88.24kitchen.si^ +||sw88.abc.com^ +||sw88.cinemapp.com^ +||sw88.disney.be^ +||sw88.disney.bg^ +||sw88.disney.co.il^ +||sw88.disney.co.jp^ +||sw88.disney.co.za^ +||sw88.disney.com.au^ +||sw88.disney.cz^ +||sw88.disney.de^ +||sw88.disney.fi^ +||sw88.disney.hu^ +||sw88.disney.pl^ +||sw88.disney.pt^ +||sw88.disney.se^ +||sw88.disneymagicmoments.co.uk^ +||sw88.disneymagicmoments.co.za^ +||sw88.disneymagicmoments.de^ +||sw88.disneymagicmoments.fr^ +||sw88.disneynow.com^ +||sw88.disneyonstage.co.uk^ +||sw88.disneyoutlet.co.uk^ +||sw88.disneyrewards.com^ +||sw88.disneystore.co.uk^ +||sw88.disneystore.de^ +||sw88.disneystore.es^ +||sw88.disneystore.eu^ +||sw88.disneystore.fr^ +||sw88.disneystore.it^ +||sw88.disneytickets.co.uk^ +||sw88.espn.co.uk^ +||sw88.espn.com.co^ +||sw88.espn.com^ +||sw88.espnmanofthematch.nl^ +||sw88.espnplayer.com^ +||sw88.freeform.com^ +||sw88.fxchannel.pl^ +||sw88.fxnetworks.com^ +||sw88.fxturkiye.com.tr^ +||sw88.go.com^ +||sw88.lionkingeducation.co.uk^ +||sw88.natgeotv.com^ +||sw88.nationalgeographic.com^ +||sw88.nationalgeographic.de^ +||sw88.nationalgeographic.es^ +||sw88.nationalgeographic.fr^ +||sw88.nationalgeographicbrasil.com^ +||sw88.nationalgeographicla.com^ +||sw88.shopdisney.asia^ +||sw88.shopdisney.co.uk^ +||sw88.shopdisney.es^ +||sw88.shopdisney.eu^ +||sw88.starchannel-bg.com^ +||sw88.starchannel-hr.com^ +||sw88.starchannel-rs.com^ +||sw88.starchannel.be^ +||sw88.starchannel.nl^ +||sw88.thewaltdisneycompany.eu^ +||swa.asnbank.nl^ +||swa.b2cjewels.com^ +||swa.blgwonen.nl^ +||swa.bol.com^ +||swa.castorama.fr^ +||swa.consumentenbond.nl^ +||swa.devolksbank.nl^ +||swa.energiedirect.nl^ +||swa.eonline.com^ +||swa.essent.nl^ +||swa.gifts.com^ +||swa.localworld.co.uk^ +||swa.millesima.co.uk^ +||swa.millesima.com.hk^ +||swa.millesima.com^ +||swa.millesima.it^ +||swa.monabanq.com^ +||swa.nexive.it^ +||swa.onlineverzendservice.be^ +||swa.personalcreations.com^ +||swa.postnl.nl^ +||swa.regiobank.nl^ +||swa.snsbank.nl^ +||swa.st.com^ +||swa.t-mobile.nl^ +||swa.tjmaxx.tjx.com^ +||swa.vodafone.cz^ +||swa.vodafone.pt^ +||swa.wowcher.co.uk^ +||swasc.homedepot.ca^ +||swasc.homedepot.com^ +||swasc.kaufland.bg^ +||swasc.kaufland.com^ +||swasc.kaufland.cz^ +||swasc.kaufland.de^ +||swasc.kaufland.hr^ +||swasc.kaufland.md^ +||swasc.kaufland.pl^ +||swasc.kaufland.ro^ +||swasc.kaufland.sk^ +||swasc.thecompanystore.com^ +||sweb.ulta.com^ +||swebanalytics.acs.org^ +||swebanalytics.degulesider.dk^ +||swebanalytics.eniro.se^ +||swebanalytics.gulesider.no^ +||swebanalytics.krak.dk^ +||swebanalytics.panoramafirm.pl^ +||swebanalytics.pgatour.com^ +||swebanalytics.proff.no^ +||swebmetrics.avaya.com^ +||swebmetrics.ok.gov^ +||swebmetrics.oklahoma.gov^ +||swebmetrics.zebra.com^ +||swebreports.nature.org^ +||swebstats.americanbar.org^ +||swebstats.imf.org^ +||swebstats.us.aimia.com^ +||swebtraffic.executiveboard.com^ +||sxp.allianz.de^ +||t-s.actemra.com^ +||t-s.activase.com^ +||t-s.allergicasthma.com^ +||t-s.avastin-hcp.com^ +||t-s.avastin.com^ +||t-s.biooncology.com^ +||t-s.cellcept.com^ +||t-s.erivedge.com^ +||t-s.flufacts.com^ +||t-s.fuzeon.com^ +||t-s.gazyva.com^ +||t-s.gene.com^ +||t-s.genentech-access.com^ +||t-s.gpa-mpaclinical.com^ +||t-s.herceptin.com^ +||t-s.kadcyla.com^ +||t-s.kytril.com^ +||t-s.lucentis.com^ +||t-s.lucentisdirect.com^ +||t-s.lyticportfolio.com^ +||t-s.msimmunology.com^ +||t-s.perjeta.com^ +||t-s.revealvirology.com^ +||t-s.rheumatoidarthritis.com^ +||t-s.rituxan.com^ +||t-s.strokeawareness.com^ +||t-s.tamiflu.com^ +||t-s.tnkase.com^ +||t-s.transplantaccessservices.com^ +||t-s.valcyte.com^ +||t-s.xolairhcp.com^ +||t-s.xpansions.com^ +||t-s.zelboraf.com^ +||t.10er-tagesticket.de^ +||t.actemra.com^ +||t.avastin-hcp.com^ +||t.avastin.com^ +||t.bahn-mietwagen.de^ +||t.bahn.de^ +||t.biooncology.com^ +||t.cathflo.com^ +||t.cellcept.com^ +||t.db-gruppen.de^ +||t.emusic.com^ +||t.erivedge.com^ +||t.fuzeon.com^ +||t.gazyva.com^ +||t.gene.com^ +||t.genentech-access.com^ +||t.herceptin.com^ +||t.kadcyla.com^ +||t.lucentis.com^ +||t.lucentisdirect.com^ +||t.mazdausa.com^ +||t.msz-bahn.de^ +||t.nordea.com^ +||t.nordea.dk^ +||t.nordea.fi^ +||t.nordea.no^ +||t.nordea.se^ +||t.nylinvestments.com^ +||t.pandemictoolkit.com^ +||t.perjeta.com^ +||t.popsugar.com^ +||t.rail-and-drive.de^ +||t.rheumatoidarthritis.com^ +||t.rituxan.com^ +||t.strokeawareness.com^ +||t.tamiflu.com^ +||t.tarceva.com^ +||t.tnkase.com^ +||t.transplantaccessservices.com^ +||t.valcyte.com^ +||t.veranstaltungsticket-bahn.de^ +||t.xolairhcp.com^ +||t3e.firstchoice.co.uk^ +||t4e.sainsburys.co.uk^ +||ta.taxslayer.com^ +||tags.esri.ca^ +||tags.esri.com^ +||tags.esri.rw^ +||tags.igeo.com.bo^ +||target-omtrdc.deka.de^ +||target-test.cisco.com^ +||target.abanca.com^ +||target.accenture.com^ +||target.acpny.com^ +||target.afrique.pwc.com^ +||target.aia.co.kr^ +||target.aiavitality.co.kr^ +||target.alfaromeousa.com^ +||target.allianz.at^ +||target.allianz.ch^ +||target.amica.com^ +||target.ansys.com^ +||target.arcobusinesssolutions.com^ +||target.audifinancialservices.nl^ +||target.auspost.com.au^ +||target.bankofamerica.com^ +||target.bankwest.com.au^ +||target.base.be^ +||target.bcbsnd.com^ +||target.belairdirect.com^ +||target.bose.com^ +||target.bpbusinesssolutions.com^ +||target.breadfinancial.com^ +||target.bws.com.au^ +||target.caixabank.es^ +||target.cap.ch^ +||target.carrieres.pwc.fr^ +||target.caseys.com^ +||target.centerpointenergy.com^ +||target.champssports.ca^ +||target.champssports.com^ +||target.changehealthcare.com^ +||target.chase.com^ +||target.chrysler.com^ +||target.cisco.com^ +||target.claris.com^ +||target.comcast.com^ +||target.comdata.com^ +||target.commonspirit.org^ +||target.connecticare.com^ +||target.cox.com^ +||target.danmurphys.com.au^ +||target.dodge.com^ +||target.dzbank.de^ +||target.eastbay.com^ +||target.eaton.com^ +||target.edb.gov.sg^ +||target.element14.com^ +||target.elvia.ch^ +||target.emblemhealth.com^ +||target.eon.de^ +||target.ey.com^ +||target.farnell.com^ +||target.fiatusa.com^ +||target.firestonebpco.com^ +||target.fleetcardsusa.com^ +||target.footlocker.at^ +||target.footlocker.be^ +||target.footlocker.ca^ +||target.footlocker.co.uk^ +||target.footlocker.com.au^ +||target.footlocker.com^ +||target.footlocker.cz^ +||target.footlocker.de^ +||target.footlocker.dk^ +||target.footlocker.es^ +||target.footlocker.fr^ +||target.footlocker.gr^ +||target.footlocker.hu^ +||target.footlocker.ie^ +||target.footlocker.it^ +||target.footlocker.lu^ +||target.footlocker.nl^ +||target.footlocker.no^ +||target.footlocker.pl^ +||target.footlocker.pt^ +||target.footlocker.se^ +||target.fuelman.com^ +||target.galicia.ar^ +||target.groupama.fr^ +||target.gsghukuk.com^ +||target.healthengine.com.au^ +||target.helsana.ch^ +||target.hostech.co.uk^ +||target.hsn.com^ +||target.hyundaiusa.com^ +||target.ihg.com^ +||target.intact.ca^ +||target.investors.com^ +||target.jeep.com^ +||target.jwatch.org^ +||target.key.com^ +||target.kidsfootlocker.com^ +||target.kwiktripfleet.com^ +||target.letsgofrance.pwc.fr^ +||target.maxxia.com.au^ +||target.miaprova.com^ +||target.michaels.com^ +||target.microchip.com^ +||target.microsoft.com^ +||target.monaco.pwc.fr^ +||target.mtu-solutions.com^ +||target.myhealthtoolkit.com^ +||target.navenegocios.com^ +||target.netapp.com^ +||target.newark.com^ +||target.nflextrapoints.com^ +||target.nfm.com^ +||target.ni.com^ +||target.nrma.com.au^ +||target.onemarketinguxp.com^ +||target.onlinebanking.bancogalicia.com.ar^ +||target.openbank.de^ +||target.openbank.es^ +||target.openbank.nl^ +||target.openbank.pt^ +||target.owenscorning.com^ +||target.pandasecurity.com^ +||target.powertracagri.com^ +||target.prd.base.be^ +||target.prd.telenet.be^ +||target.premierinn.com^ +||target.publicissapient.com^ +||target.pwc-tls.it^ +||target.pwc.at^ +||target.pwc.be^ +||target.pwc.ch^ +||target.pwc.co.uk^ +||target.pwc.co.za^ +||target.pwc.com.ar^ +||target.pwc.com.au^ +||target.pwc.com.cy^ +||target.pwc.com.tr^ +||target.pwc.com.uy^ +||target.pwc.com^ +||target.pwc.dk^ +||target.pwc.es^ +||target.pwc.fr^ +||target.pwc.ie^ +||target.pwc.in^ +||target.pwc.is^ +||target.pwc.lu^ +||target.pwc.nl^ +||target.pwc.no^ +||target.pwc.pl^ +||target.pwc.pt^ +||target.pwc.ro^ +||target.pwc.rs^ +||target.pwc.tw^ +||target.pwcalgerie.pwc.fr^ +||target.pwcavocats.com^ +||target.pwclegal.lu^ +||target.pwcmaroc.pwc.fr^ +||target.questdiagnostics.com^ +||target.questrade.com^ +||target.qvc.com^ +||target.qvc.de^ +||target.qvcuk.com^ +||target.ram.com^ +||target.ramtrucks.com^ +||target.retail-week.com^ +||target.roger.ai^ +||target.sanitas.com^ +||target.securemaxxia.com.au^ +||target.sgproof.com^ +||target.sharkgaming.dk^ +||target.sharkgaming.no^ +||target.sharkgaming.se^ +||target.simulationworld.com^ +||target.sivasdescalzo.com^ +||target.skodafinancialservices.nl^ +||target.southernglazers.com^ +||target.spectrum.com^ +||target.sportsmansguide.com^ +||target.stanfordchildrens.org^ +||target.strategyand.pwc.com^ +||target.sunlife.ca^ +||target.sunlife.co.id^ +||target.sunlife.com.hk^ +||target.sunlife.com.ph^ +||target.sunlife.com.vn^ +||target.sunlife.com^ +||target.sunlifeglobalinvestments.com^ +||target.superfleet.net^ +||target.swinburne.edu.au^ +||target.synergy.net.au^ +||target.tataaia.com^ +||target.telenet.be^ +||target.theconvenienceawards.com^ +||target.thegrocer.co.uk^ +||target.thetruth.com^ +||target.theworlds50best.com^ +||target.totalwine.com^ +||target.toyota.com^ +||target.troweprice.com^ +||target.tsc.ca^ +||target.tunisie.pwc.fr^ +||target.ultramarfleet.ca^ +||target.veeam.com^ +||target.visitsingapore.com^ +||target.vodafone.es^ +||target.volkswagenfinancialservices.nl^ +||target.vudu.com^ +||target.vwfs.co.uk^ +||target.vwfs.com^ +||target.vwfs.cz^ +||target.vwfs.de^ +||target.vwfs.es^ +||target.vwfs.fr^ +||target.vwfs.gr^ +||target.vwfs.ie^ +||target.vwfs.it^ +||target.vwfs.mx^ +||target.vwfs.pl^ +||target.vwfs.pt^ +||target.walgreens.com^ +||target.wedenik.com^ +||target.westjet.com^ +||target.wsec06.bancogalicia.com.ar^ +||target.xfinity.com^ +||target.zeiss.com^ +||target.zeiss.de^ +||target.zinia.com^ +||targetab.metrobyt-mobile.com^ +||targetlr.adobe.com^ +||targetsecure.kohler.com^ +||targetsoc.spela.svenskaspel.se^ +||targettur.www.svenskaspel.se^ +||tdor-smetrics.td.com^ +||tel.telegraaf.nl^ +||telemetry.boxt.co.uk^ +||telemetry.chrobinson.com^ +||telemetry.commonspirit.org^ +||telemetry.dematic.com^ +||telemetry.marketscope.com^ +||telemetry.moveworks.com^ +||telemetry.navispherecarrier.com^ +||telemetry.owenscorning.com^ +||telemetry.ruthschris.com^ +||telemetry.stryker.com^ +||telemetry.webasto.com^ +||tenilstats.turner.com^ +||test-landing-page-122122.email-disney.cjm.adobe.com^ +||test-landing-page.a.news.aida.de^ +||testtarget.jeep.com^ +||tidy.intel.cn^ +||tidy.intel.co.jp^ +||tidy.intel.co.kr^ +||tidy.intel.com.br^ +||tidy.intel.com.tw^ +||tidy.intel.com^ +||tidy.intel.de^ +||tidy.intel.fr^ +||tidy.intel.in^ +||tidy.intel.la^ +||tmetrics.hdfcbank.com^ +||tmetrics.webex.com^ +||tms.53.com^ +||tnt.yemeksepeti.com^ +||toolboxadobe.inter-ikea.com^ +||tr1.kaspersky.ca^ +||tr1.kaspersky.com.tr^ +||tr1.kaspersky.com^ +||tr1.kaspersky.es^ +||tr1.kaspersky.ru^ +||tr2.kaspersky.co.uk^ +||tr2.kaspersky.com^ +||tr2.kaspersky.ru^ +||track.bestbuy.ca^ +||track.collegeboard.org^ +||track.concur.ca^ +||track.concur.com.au^ +||track.concur.com.sg^ +||track.concur.com^ +||track.evertondirect.evertonfc.com^ +||track.f1store.formula1.com^ +||track.inews.co.uk^ +||track.mentor.com^ +||track.nbastore.com.au^ +||track.nbastore.la^ +||track.nbastore.mn^ +||track.reservationcounter.com^ +||track.shop.atleticodemadrid.com^ +||tracker-aa.paf.es^ +||tracker-aa.pafbetscore.lv^ +||tracking-secure.csob.cz^ +||tracking.c.mercedes-benz.co.in^ +||tracking.c.mercedes-benz.com.cn^ +||tracking.c.mercedes-benz.de^ +||tracking.csob.cz^ +||tracking.cspire.com^ +||tracking.dailyglow.com^ +||tracking.lg.com^ +||tracking.m.mercedes-benz.ch^ +||tracking.m.mercedes-benz.co.in^ +||tracking.m.mercedes-benz.co.za^ +||tracking.m.mercedes-benz.com.cn^ +||tracking.m.mercedes-benz.com.sg^ +||tracking.m.mercedes-benz.ru^ +||tracking.mb.mercedes-benz.com^ +||tracking.omniture.nt.se^ +||tracking.redbutton.de^ +||tracking.rogers.com^ +||tracking.socialpublish.mercedes-benz.com^ +||tracking.t.mercedes-benz.co.in^ +||tracking.t.mercedes-benz.com.cn^ +||tracking.t.mercedes-benz.de^ +||tracking.techcenter.mercedes-benz.com^ +||tracking.trutv.com^ +||tracking.www5.mercedes-benz.com^ +||trackingaa.hitachienergy.com^ +||trackingssl.agemployeebenefits.be^ +||trackingssl.aginsurance.be^ +||trackingssl.drysolutions.be^ +||trackingssl.homeras.be^ +||trackingssl.vivay-broker.be^ +||trackingssl.yongo.be^ +||transit.ncsecu.org^ +||trg.bosch-home.es^ +||trk.chegg.com^ +||ts.popsugar.com^ +||tsa.taxslayer.com^ +||tt.natwest.com^ +||tt.pluralsight.com^ +||tt.rbs.co.uk^ +||tt.rbs.com^ +||tt.sj.se^ +||tt.ubs.com^ +||tt.ulsterbank.co.uk^ +||tt.ulsterbank.ie^ +||ttarget.eastwestbank.com^ +||ttmetrics.faz.net^ +||ttmetrics.jcpenney.com^ +||ucmetrics.hypovereinsbank.de^ +||ucmetrics.unicredit.it^ +||ucmetrics.unicreditbanca.it^ +||ucmetrics.unicreditgroup.eu^ +||ues.kicker.de^ +||ukg6sq48dy4zd6gn.edge41.testandtarget.omniture.com^ +||uncanny.marvel.com^ +||uncanny.marvelkids.com^ +||unsubscribe.e.silverfernfarms.com^ +||unsubscribe.email.verizon.com^ +||unsubscribe.promo.timhortons.ca^ +||ut.dailyfx.com^ +||ut.iggroup.com^ +||ut.upmc.com^ +||value.register.com^ +||vdmwntw1of9t8xgd.edge41.testandtarget.omniture.com^ +||visit.asb.co.nz^ +||visitor.novartisoncology.us^ +||visualscience.external.bbc.co.uk^ +||vs.target.com^ +||w88.abc.com^ +||w88.disneynow.com^ +||w88.espn.com^ +||w88.go.com^ +||w88.m.espn.go.com^ +||w88.natgeo.pt^ +||w88.natgeotv.com^ +||w88.nationalgeographic.com^ +||wa.and.co.uk^ +||wa.baltimoreravens.com^ +||wa.bol.com^ +||wa.castorama.fr^ +||wa.dailymail.co.uk^ +||wa.devolksbank.nl^ +||wa.epson.com^ +||wa.gifts.com^ +||wa.localworld.co.uk^ +||wa.ncr.com^ +||wa.nxp.com^ +||wa.personalcreations.com^ +||wa.postnl.nl^ +||wa.spring-gds.com^ +||wa.st.com^ +||wa.stubhub.com^ +||wa.t-mobile.nl^ +||wa.vodafone.cz^ +||wa.vodafone.de^ +||wa.vodafone.pt^ +||wa1.otto.de^ +||was.epson.com^ +||was.stubhub.com^ +||was.vodafone.de^ +||was.vodafone.nl^ +||wasc.homedepot.ca^ +||wasc.homedepot.com^ +||wasc.kaufland.ro^ +||wass.ihsmarkit.com^ +||wass.spglobal.com^ +||wat.gogoinflight.com^ +||wats.gogoinflight.com^ +||web.ajostg.cfs.com.au^ +||web.ajostg.colonialfirststate.com.au^ +||web.campaign.cfs.com.au^ +||web.campaigns.colonialfirststate.com.au^ +||web.e.lotteryoffice.com.au^ +||web.hammacher.com^ +||web.m.hurricanes.co.nz^ +||web.ulta.com^ +||webanalytics.astrogaming.com^ +||webanalytics.degulesider.dk^ +||webanalytics.eniro.se^ +||webanalytics.gulesider.no^ +||webanalytics.logicool.co.jp^ +||webanalytics.logitech.com.cn^ +||webanalytics.logitech.com^ +||webanalytics.logitechg.com.cn^ +||webanalytics.logitechg.com^ +||webanalytics.proff.no^ +||webanalyticsssl.websense.com^ +||webapp.e-post.smn.no^ +||webmetrics.avaya.com^ +||webmetrics.perkinelmer.com^ +||webmetrics.turnwrench.com^ +||webmetrics.zebra.com^ +||webs.hammacher.com^ +||websdkmetrics.blackrock.com^ +||webstat.4music.com^ +||webstat.garanti.com.tr^ +||webstat.vodafone.com^ +||webstats.americanbar.org^ +||webstats.cbre.com^ +||webstats.channel4.com^ +||webstats.imf.org^ +||webstats.kronos.com^ +||webstats.vfsco.com^ +||webstats.vodafone.com^ +||webstats.volvoce.com^ +||webstats.volvoit.com^ +||webtarget.astrogaming.com^ +||webtarget.logicool.co.jp^ +||webtarget.logitech.com.cn^ +||webtarget.logitech.com^ +||webtarget.logitechg.com.cn^ +||webtarget.logitechg.com^ +||webtraffic.executiveboard.com^ +||webtraffic.mastercontrol.com^ +||worldmtcs.nhk.jp^ +||ww0s.airtours.de^ +||ww0s.robinson.com^ +||ww0s.tui.com^ +||ww8.kohls.com^ +||ww9.kohls.com^ +||wwu.jjill.com^ +||wwv.jjill.com^ +||www-171.aig.com^ +||www-172.aig.com^ +||www-sadobe.384.co.jp^ +||www-sadobe.anabuki-community.com^ +||www-sadobe.anabuki.co.jp^ +||www-smt.daiichisankyo-hc.co.jp^ +||www.metrics.bankaustria.at^ +||www.notice.assurancewireless.com^ +||www.notice.metrobyt-mobile.com^ +||www.notice.t-mobile.com^ +||www.smetrics.imedeen.us^ +||www1.discountautomirrors.com^ +||www15.jedora.com^ +||www15.jtv.com^ +||www16.jtv.com^ +||www2.automd.com^ +||www2.autopartsplace.com^ +||www2.autopartsworld.com^ +||www2.discountairintake.com^ +||www2.discountautomirrors.com^ +||www2.discountbodyparts.com^ +||www2.discountbrakes.com^ +||www2.discountcarlights.com^ +||www2.extraspace.com^ +||www2.usautoparts.net^ +||www2s.automd.com^ +||www2s.autopartsgiant.com^ +||www2s.autopartswarehouse.com^ +||www2s.canadapartsonline.com^ +||www2s.carjunky.com^ +||www2s.discountautoshocks.com^ +||www2s.discountcatalyticconverters.com^ +||www2s.discountexhaustsystems.com^ +||www2s.discountfuelsystems.com^ +||www2s.extraspace.com^ +||www2s.speedyperformanceparts.com^ +||www2s.storage.com^ +||www2s.thepartsbin.com^ +||www2s.usautoparts.net^ +||www3.gfa.org^ +||www3s.bimmerpartswholesale.com^ +||www3s.ing.be^ +||www3s.pitstopautoparts.com^ +||www4s.ing.be^ +||www91.intel.co.jp^ +||www91.intel.co.kr^ +||www91.intel.co.uk^ +||www91.intel.com.br^ +||www91.intel.com.tr^ +||www91.intel.com.tw^ +||www91.intel.com^ +||www91.intel.de^ +||www91.intel.es^ +||www91.intel.fr^ +||www91.intel.in^ +||www91.intel.la^ +||www91.intel.pl^ +||wwwmetricssl.visitflorida.com^ +||x.timesunion.com^ +||xp.allianz.de^ +||xps.huk.de^ +||xps.huk24.de^ +||zisr3w3i2csfa76m.edge41.testandtarget.omniture.com^ +||zmetrics.boston.com^ +||zmetrics.msn.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_acton.txt *** +! easyprivacy_specific_cname_acton.txt +! actonsoftware.com disguised trackers https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/act-on.txt +! Disabled: +! ||go.fvtc.edu^ +! ||hfd.bridgetowermedia.com^ +! ||marketing.bluekai.com^ +! ||beyondmeasure.rigoltech.com^ +! ||africa.promo.skf.com^ +! ||africafr.promo.skf.com^ +! ||ai.promo.skf.com^ +! ||ar.promo.skf.com^ +! ||au.promo.skf.com^ +! ||austria.promo.skf.com^ +! ||baltics.promo.skf.com^ +! ||benelux.promo.skf.com^ +! ||bg.promo.skf.com^ +! ||br.promo.skf.com^ +! ||ca.promo.skf.com^ +! ||cl.promo.skf.com^ +! ||cn.promo.skf.com^ +! ||co.promo.skf.com^ +! ||communication.promo.skf.com^ +! ||cz.promo.skf.com^ +! ||de.promo.skf.com^ +! ||emea.promo.skf.com^ +! ||evolution.promo.skf.com^ +! ||fr.promo.skf.com^ +! ||gr.promo.skf.com^ +! ||hr.promo.skf.com^ +! ||hu.promo.skf.com^ +! ||iberian.promo.skf.com^ +! ||id.promo.skf.com^ +! ||il.promo.skf.com^ +! ||in.promo.skf.com^ +! ||industry.promo.skf.com^ +! ||it.promo.skf.com^ +! ||jp.promo.skf.com^ +! ||kaydonus.promo.skf.com^ +! ||kc.promo.skf.com^ +! ||lam.promo.skf.com^ +! ||lubrication.promo.skf.com^ +! ||lubricationcee-mea.promo.skf.com^ +! ||lubricationde.promo.skf.com^ +! ||lubricationus.promo.skf.com^ +! ||marine.promo.skf.com^ +! ||mx.promo.skf.com^ +! ||my.promo.skf.com^ +! ||pe.promo.skf.com^ +! ||ph.promo.skf.com^ +! ||pl.promo.skf.com^ +! ||ro.promo.skf.com^ +! ||rs.promo.skf.com^ +! ||seals.promo.skf.com^ +! ||sg.promo.skf.com^ +! ||sk.promo.skf.com^ +! ||tr.promo.skf.com^ +! ||tw.promo.skf.com^ +! ||uk.promo.skf.com^ +! ||us.promo.skf.com^ +! ||vehicleaftermarket.euw.promo.skf.com^ +! ||vietnam.promo.skf.com^ +! ||vsmeue.promo.skf.com^ +! ||vsmeuw.promo.skf.com^ +! ||! ||apprhs.hrm.healthgrades.com^ +! ||atlantic-general-hospital.hrm.healthgrades.com^ +! ||augustahealth.hrm.healthgrades.com^ +! ||bannerhealth.hrm.healthgrades.com^ +! ||baptisthealth.hrm.healthgrades.com^ +! ||beaconhealthsystem.hrm.healthgrades.com^ +! ||bjc.hrm.healthgrades.com^ +! ||california.providence.hrm.healthgrades.com^ +! ||carle.hrm.healthgrades.com^ +! ||centrastate.hrm.healthgrades.com^ +! ||centura.hrm.healthgrades.com^ +! ||childrens.hrm.healthgrades.com^ +! ||cvhp.hrm.healthgrades.com^ +! ||dignityhealth.hrm.healthgrades.com^ +! ||edward.hrm.healthgrades.com^ +! ||elcaminohospital.hrm.healthgrades.com^ +! ||essentiahealth.hrm.healthgrades.com^ +! ||genesishealth.hrm.healthgrades.com^ +! ||goshenhealth.hrm.healthgrades.com^ +! ||gundersenhealth.hrm.healthgrades.com^ +! ||hallmarkhealth.hrm.healthgrades.com^ +! ||hcafarwest.hrm.healthgrades.com^ +! ||hcagulfcoast.hrm.healthgrades.com^ +! ||hcahealthcare.hrm.healthgrades.com^ +! ||hillcrest.hrm.healthgrades.com^ +! ||honorhealth.hrm.healthgrades.com^ +! ||hospitals.hrm.healthgrades.com^ +! ||inova.hrm.healthgrades.com^ +! ||kennedyhealth.hrm.healthgrades.com^ +! ||lovelace.hrm.healthgrades.com^ +! ||mclaren-porthuron.hrm.healthgrades.com^ +! ||memhosp.hrm.healthgrades.com^ +! ||mhs.hrm.healthgrades.com^ +! ||ochsner.hrm.healthgrades.com^ +! ||overlakemedicalcenter.hrm.healthgrades.com^ +! ||pinnacleuniversity.hrm.healthgrades.com^ +! ||rsfh.hrm.healthgrades.com^ +! ||rush.hrm.healthgrades.com^ +! ||stamfordhealth.hrm.healthgrades.com^ +! ||stcharleshealthcare.hrm.healthgrades.com^ +! ||swedishcovenant.hrm.healthgrades.com^ +! ||uhealthsystem.hrm.healthgrades.com^ +! ||uhhospitals.hrm.healthgrades.com^ +! ||umassmemorial.hrm.healthgrades.com^ +! ||unchealthcare.hrm.healthgrades.com^ +! ||ecp.bdoaustralia.bdo.com.au^ +! ||tas.bdoaustralia.bdo.com.au^ +! ||wa.bdoaustralia.bdo.com.au^ +! +||12build.actonservice.com^ +||23andme.actonservice.com^ +||3347.wolf-gordon.com^ +||3347.wolfgordon.com^ +||3dm.3dimensional.com^ +||3mark.actonservice.com^ +||3plworldwide.actonservice.com^ +||a.evergage.com^ +||a.highroadsolution.com^ +||a10053.actonservice.com^ +||a10555.actonservice.com^ +||a10640.actonservice.com^ +||a10641.actonservice.com^ +||a10645.actonservice.com^ +||a10647.actonservice.com^ +||a10655.actonservice.com^ +||a10674.actonservice.com^ +||a10683.actonservice.com^ +||a10695.actonservice.com^ +||a10696.actonservice.com^ +||a10748.actonservice.com^ +||a11058.actonservice.com^ +||a11107.actonservice.com^ +||a11114.actonservice.com^ +||a11143.actonservice.com^ +||a11159.actonservice.com^ +||a11161.actonservice.com^ +||a11176.actonservice.com^ +||a11178.actonservice.com^ +||a11198.actonservice.com^ +||a11211.actonservice.com^ +||a11212.actonservice.com^ +||a11248.actonservice.com^ +||a11283.actonservice.com^ +||a11294.actonservice.com^ +||a11315.actonservice.com^ +||a11320.actonservice.com^ +||a11322.actonservice.com^ +||a11360.actonservice.com^ +||a11367.actonservice.com^ +||a11403.actonservice.com^ +||a11413003.actonservice.com^ +||a11426.actonservice.com^ +||a11436.actonservice.com^ +||a11442.actonservice.com^ +||a11443.actonservice.com^ +||a11463.actonservice.com^ +||a11468.actonservice.com^ +||a11481.actonservice.com^ +||a11501.actonservice.com^ +||a11516.actonservice.com^ +||a11519.actonservice.com^ +||a11522.actonservice.com^ +||a11531.actonservice.com^ +||a11537.actonservice.com^ +||a11538.actonservice.com^ +||a11540.actonservice.com^ +||a11550.actonservice.com^ +||a11576.actonservice.com^ +||a11584.actonservice.com^ +||a11585.actonservice.com^ +||a11588.actonservice.com^ +||a11601.actonservice.com^ +||a11645.actonservice.com^ +||a11690.actonservice.com^ +||a11735.actonservice.com^ +||a11801.actonservice.com^ +||a11823.actonservice.com^ +||a11843.actonservice.com^ +||a11860.actonservice.com^ +||a11862.actonservice.com^ +||a11868.actonservice.com^ +||a11872.actonservice.com^ +||a11888.actonservice.com^ +||a11904.actonservice.com^ +||a11928.actonservice.com^ +||a11929.actonservice.com^ +||a11942.actonservice.com^ +||a11943.actonservice.com^ +||a12014.actonservice.com^ +||a12016.actonservice.com^ +||a12019.actonservice.com^ +||a12058.actonservice.com^ +||a12083.actonservice.com^ +||a12093.actonservice.com^ +||a12132.actonservice.com^ +||a12139.actonservice.com^ +||a12142.actonservice.com^ +||a12160.actonservice.com^ +||a12179.actonservice.com^ +||a12180.actonservice.com^ +||a12192.actonservice.com^ +||a12238.actonservice.com^ +||a12254.actonservice.com^ +||a12255.actonservice.com^ +||a12256.actonservice.com^ +||a12269.actonservice.com^ +||a12273.actonservice.com^ +||a12287.actonservice.com^ +||a12290.actonservice.com^ +||a12329.actonservice.com^ +||a12332.actonservice.com^ +||a12336.actonservice.com^ +||a12409.actonservice.com^ +||a12433.actonservice.com^ +||a12440.actonservice.com^ +||a12516.actonservice.com^ +||a12517.actonservice.com^ +||a12520.actonservice.com^ +||a12533.actonservice.com^ +||a12538.actonservice.com^ +||a12547.actonservice.com^ +||a12559.actonservice.com^ +||a12561.actonservice.com^ +||a12572.actonservice.com^ +||a12619.actonservice.com^ +||a12678.actonservice.com^ +||a12683.actonservice.com^ +||a12684.actonservice.com^ +||a12719.actonservice.com^ +||a12724.actonservice.com^ +||a12732.actonservice.com^ +||a12734.actonservice.com^ +||a12765.actonservice.com^ +||a12770.actonservice.com^ +||a12777.actonservice.com^ +||a12791.actonservice.com^ +||a12793.actonservice.com^ +||a12798.actonservice.com^ +||a12826.actonservice.com^ +||a12852.actonservice.com^ +||a12872.actonservice.com^ +||a12876.actonservice.com^ +||a12893.actonservice.com^ +||a12894.actonservice.com^ +||a12924.actonservice.com^ +||a12930.actonservice.com^ +||a12935.actonservice.com^ +||a12956.actonservice.com^ +||a12991.actonservice.com^ +||a13007.actonservice.com^ +||a13009.actonservice.com^ +||a13010.actonservice.com^ +||a13016.actonservice.com^ +||a13017.actonservice.com^ +||a13027.actonservice.com^ +||a13044.actonservice.com^ +||a13050.actonservice.com^ +||a13072.actonservice.com^ +||a13080.actonservice.com^ +||a13083.actonservice.com^ +||a13101.actonservice.com^ +||a13104.actonservice.com^ +||a13111.actonservice.com^ +||a13112.actonservice.com^ +||a13118.actonservice.com^ +||a13119.actonservice.com^ +||a13132.actonservice.com^ +||a13183.actonservice.com^ +||a13188.actonservice.com^ +||a13199.actonservice.com^ +||a13209.actonservice.com^ +||a13294.actonservice.com^ +||a13302.actonservice.com^ +||a13309.actonservice.com^ +||a13320.actonservice.com^ +||a13357.actonservice.com^ +||a13363.actonservice.com^ +||a13375.actonservice.com^ +||a13389.actonservice.com^ +||a13398.actonservice.com^ +||a13404.actonservice.com^ +||a13422.actonservice.com^ +||a13425.actonservice.com^ +||a13460.actonservice.com^ +||a13472.actonservice.com^ +||a13476.actonservice.com^ +||a13548.actonservice.com^ +||a13557.actonservice.com^ +||a13605.actonservice.com^ +||a13620.actonservice.com^ +||a13650.actonservice.com^ +||a13651.actonservice.com^ +||a13653.actonservice.com^ +||a13654.actonservice.com^ +||a13664.actonservice.com^ +||a13678.actonservice.com^ +||a13692.actonservice.com^ +||a13709.actonservice.com^ +||a13715.actonservice.com^ +||a13724.actonservice.com^ +||a13796.actonservice.com^ +||a13835.actonservice.com^ +||a13850.actonservice.com^ +||a13860.actonservice.com^ +||a13866.actonservice.com^ +||a13868.actonservice.com^ +||a13885.actonservice.com^ +||a13890.actonservice.com^ +||a13912.actonservice.com^ +||a13913.actonservice.com^ +||a13931.actonservice.com^ +||a13938.actonservice.com^ +||a13951.actonservice.com^ +||a13956.actonservice.com^ +||a13980.actonservice.com^ +||a14001.actonservice.com^ +||a14010.actonservice.com^ +||a14041.actonservice.com^ +||a14057.actonservice.com^ +||a14063.actonservice.com^ +||a14069.actonservice.com^ +||a14070.actonservice.com^ +||a14082.actonservice.com^ +||a14089.actonservice.com^ +||a14103.actonservice.com^ +||a14107.actonservice.com^ +||a14109.actonservice.com^ +||a14142.actonservice.com^ +||a14163.actonservice.com^ +||a14164.actonservice.com^ +||a14167.actonservice.com^ +||a14181.actonservice.com^ +||a14214.actonservice.com^ +||a14249.actonservice.com^ +||a14259.actonservice.com^ +||a14267.actonservice.com^ +||a14273.actonservice.com^ +||a14277.actonservice.com^ +||a14282.actonservice.com^ +||a14284.actonservice.com^ +||a14315.actonservice.com^ +||a14338.actonservice.com^ +||a14339.actonservice.com^ +||a14349.actonservice.com^ +||a14362.actonservice.com^ +||a14374.actonservice.com^ +||a14376.actonservice.com^ +||a14377.actonservice.com^ +||a14378.actonservice.com^ +||a14382.actonservice.com^ +||a14383.actonservice.com^ +||a14384.actonservice.com^ +||a14412.actonservice.com^ +||a14414.actonservice.com^ +||a14415.actonservice.com^ +||a14418.actonservice.com^ +||a14429.actonservice.com^ +||a14448.actonservice.com^ +||a14457.actonservice.com^ +||a14481.actonservice.com^ +||a14482.actonservice.com^ +||a14485.actonservice.com^ +||a14489.actonservice.com^ +||a14505.actonservice.com^ +||a14512.actonservice.com^ +||a14515.actonservice.com^ +||a14516.actonservice.com^ +||a14518.actonservice.com^ +||a14527.actonservice.com^ +||a14535.actonservice.com^ +||a14540.actonservice.com^ +||a14556.actonservice.com^ +||a14559.actonservice.com^ +||a14572.actonservice.com^ +||a14576.actonservice.com^ +||a14587.actonservice.com^ +||a14596.actonservice.com^ +||a14606.actonservice.com^ +||a14629.actonservice.com^ +||a14637.actonservice.com^ +||a14641.actonservice.com^ +||a14644.actonservice.com^ +||a14647.actonservice.com^ +||a14655.actonservice.com^ +||a14661.actonservice.com^ +||a14663.actonservice.com^ +||a14690.actonservice.com^ +||a14700.actonservice.com^ +||a14724.actonservice.com^ +||a14732.actonservice.com^ +||a14774.actonservice.com^ +||a14775.actonservice.com^ +||a14778.actonservice.com^ +||a14788.actonservice.com^ +||a14797.actonservice.com^ +||a14808.actonservice.com^ +||a14814.actonservice.com^ +||a14835.actonservice.com^ +||a14951.actonservice.com^ +||a15567.actonservice.com^ +||a15569.actonservice.com^ +||a15575.actonservice.com^ +||a15599.actonservice.com^ +||a15601.actonservice.com^ +||a15613.actonservice.com^ +||a15614.actonservice.com^ +||a15633.actonservice.com^ +||a15654.actonservice.com^ +||a15661.actonservice.com^ +||a15662.actonservice.com^ +||a15668.actonservice.com^ +||a15673.actonservice.com^ +||a15675.actonservice.com^ +||a15691.actonservice.com^ +||a15703.actonservice.com^ +||a15717.actonservice.com^ +||a15736.actonservice.com^ +||a15742.actonservice.com^ +||a15745.actonservice.com^ +||a15760.actonservice.com^ +||a15777.actonservice.com^ +||a15781.actonservice.com^ +||a15782.actonservice.com^ +||a15788.actonservice.com^ +||a15807.actonservice.com^ +||a15817.actonservice.com^ +||a15818.actonservice.com^ +||a15831.actonservice.com^ +||a15832.actonservice.com^ +||a15833.actonservice.com^ +||a15838.actonservice.com^ +||a15857.actonservice.com^ +||a15877.actonservice.com^ +||a15908.actonservice.com^ +||a15909.actonservice.com^ +||a15927.actonservice.com^ +||a15932.actonservice.com^ +||a15933.actonservice.com^ +||a15943.actonservice.com^ +||a15944.actonservice.com^ +||a15949.actonservice.com^ +||a15955.actonservice.com^ +||a15960.actonservice.com^ +||a15964.actonservice.com^ +||a15988.actonservice.com^ +||a15991.actonservice.com^ +||a16009.actonservice.com^ +||a16016.actonservice.com^ +||a16017.actonservice.com^ +||a16018.actonservice.com^ +||a16028.actonservice.com^ +||a16030.actonservice.com^ +||a16031.actonservice.com^ +||a16041.actonservice.com^ +||a16048.actonservice.com^ +||a16052.actonservice.com^ +||a16054.actonservice.com^ +||a16060.actonservice.com^ +||a16065.actonservice.com^ +||a16067.actonservice.com^ +||a16068.actonservice.com^ +||a16070.actonservice.com^ +||a16078.actonservice.com^ +||a16084.actonservice.com^ +||a16088.actonservice.com^ +||a16089.actonservice.com^ +||a16096.actonservice.com^ +||a16097.actonservice.com^ +||a16101.actonservice.com^ +||a16102.actonservice.com^ +||a16108.actonservice.com^ +||a16113.actonservice.com^ +||a16119.actonservice.com^ +||a16121.actonservice.com^ +||a16122.actonservice.com^ +||a16133.actonservice.com^ +||a16157.actonservice.com^ +||a16161.actonservice.com^ +||a16176.actonservice.com^ +||a16178.actonservice.com^ +||a16179.actonservice.com^ +||a16206.actonservice.com^ +||a16207.actonservice.com^ +||a16208.actonservice.com^ +||a16215.actonservice.com^ +||a16219.actonservice.com^ +||a16220.actonservice.com^ +||a16238.actonservice.com^ +||a16241.actonservice.com^ +||a16242.actonservice.com^ +||a16257.actonservice.com^ +||a16258.actonservice.com^ +||a16269.actonservice.com^ +||a16279.actonservice.com^ +||a16282.actonservice.com^ +||a16291.actonservice.com^ +||a16292.actonservice.com^ +||a16302.actonservice.com^ +||a16303.actonservice.com^ +||a16317.actonservice.com^ +||a16378.actonservice.com^ +||a16385.actonservice.com^ +||a16398.actonservice.com^ +||a16404.actonservice.com^ +||a16408.actonservice.com^ +||a16418.actonservice.com^ +||a16443.actonservice.com^ +||a16445.actonservice.com^ +||a16450.actonservice.com^ +||a16453.actonservice.com^ +||a16454.actonservice.com^ +||a16468.actonservice.com^ +||a16473.actonservice.com^ +||a16475.actonservice.com^ +||a16476.actonservice.com^ +||a16477.actonservice.com^ +||a16478.actonservice.com^ +||a16479.actonservice.com^ +||a16485.actonservice.com^ +||a16502.actonservice.com^ +||a16508.actonservice.com^ +||a16509.actonservice.com^ +||a16513.actonservice.com^ +||a16517.actonservice.com^ +||a16523.actonservice.com^ +||a16524.actonservice.com^ +||a16526.actonservice.com^ +||a16527.actonservice.com^ +||a16528.actonservice.com^ +||a16529.actonservice.com^ +||a16530.actonservice.com^ +||a16531.actonservice.com^ +||a16532.actonservice.com^ +||a16533.actonservice.com^ +||a16537.actonservice.com^ +||a16542.actonservice.com^ +||a16543.actonservice.com^ +||a16557.actonservice.com^ +||a16560.actonservice.com^ +||a16570.actonservice.com^ +||a16573.actonservice.com^ +||a16581.actonservice.com^ +||a16583.actonservice.com^ +||a16585.actonservice.com^ +||a16588.actonservice.com^ +||a16589.actonservice.com^ +||a16609.actonservice.com^ +||a16611.actonservice.com^ +||a16611001.actonservice.com^ +||a16617.actonservice.com^ +||a16621.actonservice.com^ +||a16622.actonservice.com^ +||a16624.actonservice.com^ +||a16629.actonservice.com^ +||a16629001.actonservice.com^ +||a16634.actonservice.com^ +||a16635.actonservice.com^ +||a16638.actonservice.com^ +||a16656.actonservice.com^ +||a16656001.actonservice.com^ +||a16658.actonservice.com^ +||a16672.actonservice.com^ +||a16674.actonservice.com^ +||a16677.actonservice.com^ +||a16681.actonservice.com^ +||a16691.actonservice.com^ +||a16696.actonservice.com^ +||a16726.actonservice.com^ +||a16728.actonservice.com^ +||a16734.actonservice.com^ +||a16741.actonservice.com^ +||a16748.actonservice.com^ +||a16765.actonservice.com^ +||a16766.actonservice.com^ +||a16772.actonservice.com^ +||a16778.actonservice.com^ +||a16781.actonservice.com^ +||a16782.actonservice.com^ +||a16810.actonservice.com^ +||a16830.actonservice.com^ +||a16832.actonservice.com^ +||a16834.actonservice.com^ +||a16841.actonservice.com^ +||a16842.actonservice.com^ +||a16844.actonservice.com^ +||a16857.actonservice.com^ +||a16858.actonservice.com^ +||a16859.actonservice.com^ +||a16860.actonservice.com^ +||a16861.actonservice.com^ +||a16862.actonservice.com^ +||a16863.actonservice.com^ +||a16864.actonservice.com^ +||a16865.actonservice.com^ +||a16868.actonservice.com^ +||a16869.actonservice.com^ +||a16870.actonservice.com^ +||a16871.actonservice.com^ +||a16887.actonservice.com^ +||a16893.actonservice.com^ +||a16896.actonservice.com^ +||a16899.actonservice.com^ +||a16907.actonservice.com^ +||a16911.actonservice.com^ +||a16913.actonservice.com^ +||a16914.actonservice.com^ +||a16916.actonservice.com^ +||a16917.actonservice.com^ +||a16923.actonservice.com^ +||a16937.actonservice.com^ +||a16950.actonservice.com^ +||a16955.actonservice.com^ +||a16966.actonservice.com^ +||a16970.actonservice.com^ +||a16973.actonservice.com^ +||a16980.actonservice.com^ +||a16981.actonservice.com^ +||a17003.actonservice.com^ +||a17015.actonservice.com^ +||a17030.actonservice.com^ +||a17033.actonservice.com^ +||a17044.actonservice.com^ +||a17045.actonservice.com^ +||a17049.actonservice.com^ +||a17050.actonservice.com^ +||a17084.actonservice.com^ +||a17095.actonservice.com^ +||a17096.actonservice.com^ +||a17097.actonservice.com^ +||a17098.actonservice.com^ +||a17099.actonservice.com^ +||a17100.actonservice.com^ +||a17101.actonservice.com^ +||a17113.actonservice.com^ +||a17114.actonservice.com^ +||a17120.actonservice.com^ +||a17121.actonservice.com^ +||a17122.actonservice.com^ +||a17124.actonservice.com^ +||a17128.actonservice.com^ +||a17134.actonservice.com^ +||a17153.actonservice.com^ +||a17161.actonservice.com^ +||a17166.actonservice.com^ +||a17174.actonservice.com^ +||a17181.actonservice.com^ +||a17182.actonservice.com^ +||a17183.actonservice.com^ +||a17184.actonservice.com^ +||a17186.actonservice.com^ +||a17187.actonservice.com^ +||a17189.actonservice.com^ +||a17194.actonservice.com^ +||a17217.actonservice.com^ +||a17224.actonservice.com^ +||a17229.actonservice.com^ +||a17237.actonservice.com^ +||a17240.actonservice.com^ +||a17244.actonservice.com^ +||a17245.actonservice.com^ +||a17246.actonservice.com^ +||a17249.actonservice.com^ +||a17254.actonservice.com^ +||a17256.actonservice.com^ +||a17271.actonservice.com^ +||a17276.actonservice.com^ +||a17277.actonservice.com^ +||a17278.actonservice.com^ +||a17286.actonservice.com^ +||a17292.actonservice.com^ +||a17297.actonservice.com^ +||a17298.actonservice.com^ +||a17300.actonservice.com^ +||a17301.actonservice.com^ +||a17302.actonservice.com^ +||a17305.actonservice.com^ +||a17308.actonservice.com^ +||a17310.actonservice.com^ +||a17322.actonservice.com^ +||a17328.actonservice.com^ +||a17342.actonservice.com^ +||a17347.actonservice.com^ +||a17348.actonservice.com^ +||a17350.actonservice.com^ +||a17351.actonservice.com^ +||a17352.actonservice.com^ +||a17362.actonservice.com^ +||a17367.actonservice.com^ +||a17368.actonservice.com^ +||a17382.actonservice.com^ +||a17393.actonservice.com^ +||a17395.actonservice.com^ +||a17396.actonservice.com^ +||a17397.actonservice.com^ +||a17398.actonservice.com^ +||a17401.actonservice.com^ +||a17402.actonservice.com^ +||a17403.actonservice.com^ +||a17406.actonservice.com^ +||a17407.actonservice.com^ +||a17408.actonservice.com^ +||a17409.actonservice.com^ +||a17410.actonservice.com^ +||a17412.actonservice.com^ +||a17414.actonservice.com^ +||a17415.actonservice.com^ +||a17416.actonservice.com^ +||a17426.actonservice.com^ +||a17436.actonservice.com^ +||a17452.actonservice.com^ +||a17453.actonservice.com^ +||a17455.actonservice.com^ +||a17467.actonservice.com^ +||a17476.actonservice.com^ +||a17481.actonservice.com^ +||a17482.actonservice.com^ +||a17483.actonservice.com^ +||a17485.actonservice.com^ +||a17505.actonservice.com^ +||a17512.actonservice.com^ +||a17513.actonservice.com^ +||a17514.actonservice.com^ +||a17517.actonservice.com^ +||a17538.actonservice.com^ +||a17539.actonservice.com^ +||a17549.actonservice.com^ +||a17552.actonservice.com^ +||a17559.actonservice.com^ +||a17560.actonservice.com^ +||a17564.actonservice.com^ +||a17571.actonservice.com^ +||a17591.actonservice.com^ +||a17616.actonservice.com^ +||a17637.actonservice.com^ +||a17638.actonservice.com^ +||a17639.actonservice.com^ +||a17659.actonservice.com^ +||a17661.actonservice.com^ +||a17668.actonservice.com^ +||a17677.actonservice.com^ +||a17679.actonservice.com^ +||a17685.actonservice.com^ +||a17691.actonservice.com^ +||a17697.actonservice.com^ +||a17698.actonservice.com^ +||a17699.actonservice.com^ +||a17700.actonservice.com^ +||a17701.actonservice.com^ +||a17703.actonservice.com^ +||a17704.actonservice.com^ +||a17707.actonservice.com^ +||a17709.actonservice.com^ +||a17739.actonservice.com^ +||a17741.actonservice.com^ +||a17742.actonservice.com^ +||a17744.actonservice.com^ +||a17746.actonservice.com^ +||a17752.actonservice.com^ +||a17754.actonservice.com^ +||a17756.actonservice.com^ +||a17757.actonservice.com^ +||a17758.actonservice.com^ +||a17759.actonservice.com^ +||a17760.actonservice.com^ +||a17788.actonservice.com^ +||a17799.actonservice.com^ +||a17801.actonservice.com^ +||a17803.actonservice.com^ +||a17808.actonservice.com^ +||a17815.actonservice.com^ +||a17817.actonservice.com^ +||a17818.actonservice.com^ +||a17824.actonservice.com^ +||a17842.actonservice.com^ +||a17856.actonservice.com^ +||a17859.actonservice.com^ +||a17869.actonservice.com^ +||a17870.actonservice.com^ +||a17883.actonservice.com^ +||a17898.actonservice.com^ +||a17909.actonservice.com^ +||a17916.actonservice.com^ +||a17918.actonservice.com^ +||a18327.actonservice.com^ +||a18330.actonservice.com^ +||a18886.actonservice.com^ +||a19340.actonservice.com^ +||a19384.actonservice.com^ +||a19537.actonservice.com^ +||a19609.actonservice.com^ +||a19612.actonservice.com^ +||a19615.actonservice.com^ +||a19708.actonservice.com^ +||a19714.actonservice.com^ +||a19717.actonservice.com^ +||a19743.actonservice.com^ +||a19748.actonservice.com^ +||a19755.actonservice.com^ +||a19761.actonservice.com^ +||a19768.actonservice.com^ +||a19772.actonservice.com^ +||a19787.actonservice.com^ +||a19795.actonservice.com^ +||a19807.actonservice.com^ +||a19813.actonservice.com^ +||a19824.actonservice.com^ +||a19858.actonservice.com^ +||a19895.actonservice.com^ +||a19930.actonservice.com^ +||a19997.actonservice.com^ +||a20022.actonservice.com^ +||a20204.actonservice.com^ +||a20207.actonservice.com^ +||a20219.actonservice.com^ +||a20220.actonservice.com^ +||a20221.actonservice.com^ +||a20224.actonservice.com^ +||a20294.actonservice.com^ +||a20301.actonservice.com^ +||a20327.actonservice.com^ +||a20365.actonservice.com^ +||a20372.actonservice.com^ +||a20381.actonservice.com^ +||a20407.actonservice.com^ +||a20424.actonservice.com^ +||a20430.actonservice.com^ +||a20438.actonservice.com^ +||a20442.actonservice.com^ +||a20558.actonservice.com^ +||a20562.actonservice.com^ +||a20588.actonservice.com^ +||a20640.actonservice.com^ +||a20742.actonservice.com^ +||a20776.actonservice.com^ +||a20785.actonservice.com^ +||a20790.actonservice.com^ +||a20829.actonservice.com^ +||a20835.actonservice.com^ +||a20896.actonservice.com^ +||a20899.actonservice.com^ +||a20909.actonservice.com^ +||a20946.actonservice.com^ +||a20989.actonservice.com^ +||a21037.actonservice.com^ +||a21068.actonservice.com^ +||a21094.actonservice.com^ +||a21136.actonservice.com^ +||a21151.actonservice.com^ +||a21165.actonservice.com^ +||a21185.actonservice.com^ +||a21202.actonservice.com^ +||a21310.actonservice.com^ +||a21341.actonservice.com^ +||a21346.actonservice.com^ +||a21347.actonservice.com^ +||a21365.actonservice.com^ +||a21381.actonservice.com^ +||a21389.actonservice.com^ +||a21391.actonservice.com^ +||a21398.actonservice.com^ +||a21401.actonservice.com^ +||a21437.actonservice.com^ +||a21500.actonservice.com^ +||a21540.actonservice.com^ +||a21556.actonservice.com^ +||a21667.actonservice.com^ +||a21699.actonservice.com^ +||a21787.actonservice.com^ +||a21943.actonservice.com^ +||a21961.actonservice.com^ +||a22037.actonservice.com^ +||a22103.actonservice.com^ +||a22128.actonservice.com^ +||a22134.actonservice.com^ +||a22241.actonservice.com^ +||a22243.actonservice.com^ +||a22348.actonservice.com^ +||a22359.actonservice.com^ +||a22368.actonservice.com^ +||a22435.actonservice.com^ +||a22524.actonservice.com^ +||a22658.actonservice.com^ +||a22896.actonservice.com^ +||a22908.actonservice.com^ +||a22923.actonservice.com^ +||a22926.actonservice.com^ +||a22941.actonservice.com^ +||a23027.actonservice.com^ +||a23030.actonservice.com^ +||a23041.actonservice.com^ +||a23051.actonservice.com^ +||a23118.actonservice.com^ +||a23148.actonservice.com^ +||a23163.actonservice.com^ +||a23218.actonservice.com^ +||a23294.actonservice.com^ +||a23402.actonservice.com^ +||a23450.actonservice.com^ +||a23509.actonservice.com^ +||a23581.actonservice.com^ +||a23606.actonservice.com^ +||a23607.actonservice.com^ +||a23646.actonservice.com^ +||a23653.actonservice.com^ +||a23713.actonservice.com^ +||a23754.actonservice.com^ +||a23802.actonservice.com^ +||a23927.actonservice.com^ +||a24000.actonservice.com^ +||a24007.actonservice.com^ +||a24214.actonservice.com^ +||a24226.actonservice.com^ +||a24246.actonservice.com^ +||a24260.actonservice.com^ +||a24273.actonservice.com^ +||a24295.actonservice.com^ +||a24315.actonservice.com^ +||a24335.actonservice.com^ +||a24335001.actonservice.com^ +||a24336001.actonservice.com^ +||a24340.actonservice.com^ +||a24360.actonservice.com^ +||a24395.actonservice.com^ +||a24396.actonservice.com^ +||a24405.actonservice.com^ +||a24439.actonservice.com^ +||a24454.actonservice.com^ +||a24457.actonservice.com^ +||a24500.actonservice.com^ +||a24503.actonservice.com^ +||a24506.actonservice.com^ +||a24531.actonservice.com^ +||a24540.actonservice.com^ +||a24543.actonservice.com^ +||a24546.actonservice.com^ +||a24551.actonservice.com^ +||a24564.actonservice.com^ +||a24577001.actonservice.com^ +||a24579.actonservice.com^ +||a24584.actonservice.com^ +||a24591.actonservice.com^ +||a24592.actonservice.com^ +||a24600.actonservice.com^ +||a24606.actonservice.com^ +||a24612.actonservice.com^ +||a24630.actonservice.com^ +||a24638.actonservice.com^ +||a24642.actonservice.com^ +||a24648.actonservice.com^ +||a24669.actonservice.com^ +||a24681.actonservice.com^ +||a24703.actonservice.com^ +||a24718.actonservice.com^ +||a24727.actonservice.com^ +||a24730.actonservice.com^ +||a24733.actonservice.com^ +||a24744.actonservice.com^ +||a24766.actonservice.com^ +||a24780.actonservice.com^ +||a24786.actonservice.com^ +||a24792.actonservice.com^ +||a24793.actonservice.com^ +||a24809.actonservice.com^ +||a24812.actonservice.com^ +||a24820.actonservice.com^ +||a24842.actonservice.com^ +||a24843.actonservice.com^ +||a24846.actonservice.com^ +||a24849.actonservice.com^ +||a24853.actonservice.com^ +||a24858.actonservice.com^ +||a24863.actonservice.com^ +||a24865.actonservice.com^ +||a24868.actonservice.com^ +||a24869.actonservice.com^ +||a24898.actonservice.com^ +||a24899.actonservice.com^ +||a24907.actonservice.com^ +||a24910.actonservice.com^ +||a24923.actonservice.com^ +||a24962.actonservice.com^ +||a24982.actonservice.com^ +||a24985.actonservice.com^ +||a24998.actonservice.com^ +||a25026.actonservice.com^ +||a25032.actonservice.com^ +||a25041.actonservice.com^ +||a25057.actonservice.com^ +||a25065.actonservice.com^ +||a25067.actonservice.com^ +||a25077.actonservice.com^ +||a25080.actonservice.com^ +||a25095.actonservice.com^ +||a25098.actonservice.com^ +||a25134.actonservice.com^ +||a25152.actonservice.com^ +||a25158.actonservice.com^ +||a25186.actonservice.com^ +||a25197.actonservice.com^ +||a25210.actonservice.com^ +||a25216.actonservice.com^ +||a25224.actonservice.com^ +||a25226.actonservice.com^ +||a25233.actonservice.com^ +||a25247.actonservice.com^ +||a25250.actonservice.com^ +||a25303.actonservice.com^ +||a25306.actonservice.com^ +||a25307.actonservice.com^ +||a25309.actonservice.com^ +||a25329.actonservice.com^ +||a25350.actonservice.com^ +||a25351.actonservice.com^ +||a25370.actonservice.com^ +||a25378.actonservice.com^ +||a25381.actonservice.com^ +||a25393.actonservice.com^ +||a25406.actonservice.com^ +||a25409.actonservice.com^ +||a25412.actonservice.com^ +||a25427.actonservice.com^ +||a25488.actonservice.com^ +||a25493.actonservice.com^ +||a25497.actonservice.com^ +||a25513.actonservice.com^ +||a25526.actonservice.com^ +||a25535.actonservice.com^ +||a25540.actonservice.com^ +||a25545.actonservice.com^ +||a25546.actonservice.com^ +||a25569.actonservice.com^ +||a25572.actonservice.com^ +||a25580.actonservice.com^ +||a25598.actonservice.com^ +||a25599.actonservice.com^ +||a25601.actonservice.com^ +||a25604001.actonservice.com^ +||a25605.actonservice.com^ +||a25611.actonservice.com^ +||a25647.actonservice.com^ +||a25657.actonservice.com^ +||a25674.actonservice.com^ +||a25683.actonservice.com^ +||a25686.actonservice.com^ +||a25689.actonservice.com^ +||a25692.actonservice.com^ +||a25695.actonservice.com^ +||a25697.actonservice.com^ +||a25707.actonservice.com^ +||a25713.actonservice.com^ +||a25719.actonservice.com^ +||a25722.actonservice.com^ +||a25725.actonservice.com^ +||a25727.actonservice.com^ +||a25728.actonservice.com^ +||a25751.actonservice.com^ +||a25752.actonservice.com^ +||a25753.actonservice.com^ +||a25781.actonservice.com^ +||a25797.actonservice.com^ +||a25802.actonservice.com^ +||a25805.actonservice.com^ +||a25848.actonservice.com^ +||a25853.actonservice.com^ +||a25855.actonservice.com^ +||a25859.actonservice.com^ +||a25872.actonservice.com^ +||a25881.actonservice.com^ +||a25884.actonservice.com^ +||a25888.actonservice.com^ +||a25891.actonservice.com^ +||a25910.actonservice.com^ +||a25916.actonservice.com^ +||a25929001.actonservice.com^ +||a25939.actonservice.com^ +||a25949.actonservice.com^ +||a25950.actonservice.com^ +||a25953.actonservice.com^ +||a25956.actonservice.com^ +||a25977.actonservice.com^ +||a25985.actonservice.com^ +||a25994.actonservice.com^ +||a25998.actonservice.com^ +||a25999.actonservice.com^ +||a26011.actonservice.com^ +||a26020.actonservice.com^ +||a26040.actonservice.com^ +||a26043.actonservice.com^ +||a26052.actonservice.com^ +||a26055.actonservice.com^ +||a26062.actonservice.com^ +||a26064.actonservice.com^ +||a26069.actonservice.com^ +||a26089.actonservice.com^ +||a26095.actonservice.com^ +||a26135.actonservice.com^ +||a26138.actonservice.com^ +||a26164.actonservice.com^ +||a26168.actonservice.com^ +||a26175.actonservice.com^ +||a26177.actonservice.com^ +||a26193.actonservice.com^ +||a26199.actonservice.com^ +||a26204.actonservice.com^ +||a26226.actonservice.com^ +||a26232.actonservice.com^ +||a26236.actonservice.com^ +||a26239.actonservice.com^ +||a26245.actonservice.com^ +||a26251.actonservice.com^ +||a26259.actonservice.com^ +||a26260.actonservice.com^ +||a26268.actonservice.com^ +||a26284.actonservice.com^ +||a26287.actonservice.com^ +||a26292.actonservice.com^ +||a26301.actonservice.com^ +||a26310.actonservice.com^ +||a26312.actonservice.com^ +||a26327.actonservice.com^ +||a26361.actonservice.com^ +||a26362.actonservice.com^ +||a26391.actonservice.com^ +||a26394.actonservice.com^ +||a26395.actonservice.com^ +||a26410.actonservice.com^ +||a26448.actonservice.com^ +||a26463.actonservice.com^ +||a26469.actonservice.com^ +||a26472.actonservice.com^ +||a26475.actonservice.com^ +||a26479.actonservice.com^ +||a26495.actonservice.com^ +||a26521.actonservice.com^ +||a26530.actonservice.com^ +||a26539.actonservice.com^ +||a26582.actonservice.com^ +||a26591.actonservice.com^ +||a26597.actonservice.com^ +||a26612.actonservice.com^ +||a26629.actonservice.com^ +||a26632.actonservice.com^ +||a26634.actonservice.com^ +||a26648.actonservice.com^ +||a26650.actonservice.com^ +||a26655.actonservice.com^ +||a26664.actonservice.com^ +||a26665.actonservice.com^ +||a26676.actonservice.com^ +||a26695.actonservice.com^ +||a26698.actonservice.com^ +||a26705.actonservice.com^ +||a26710.actonservice.com^ +||a26711.actonservice.com^ +||a26758.actonservice.com^ +||a26767.actonservice.com^ +||a26770.actonservice.com^ +||a26779.actonservice.com^ +||a26781.actonservice.com^ +||a26807.actonservice.com^ +||a26813.actonservice.com^ +||a26816.actonservice.com^ +||a26826.actonservice.com^ +||a26839.actonservice.com^ +||a26855.actonservice.com^ +||a26857.actonservice.com^ +||a26871.actonservice.com^ +||a26879.actonservice.com^ +||a26889.actonservice.com^ +||a26900.actonservice.com^ +||a26962.actonservice.com^ +||a26965.actonservice.com^ +||a26970.actonservice.com^ +||a26991.actonservice.com^ +||a26996.actonservice.com^ +||a26998.actonservice.com^ +||a27004.actonservice.com^ +||a27013.actonservice.com^ +||a27031.actonservice.com^ +||a27035.actonservice.com^ +||a27050.actonservice.com^ +||a27059.actonservice.com^ +||a27061.actonservice.com^ +||a27063.actonservice.com^ +||a27064.actonservice.com^ +||a27067.actonservice.com^ +||a27069.actonservice.com^ +||a27070.actonservice.com^ +||a27072.actonservice.com^ +||a27075.actonservice.com^ +||a27081.actonservice.com^ +||a27084.actonservice.com^ +||a27087.actonservice.com^ +||a27091.actonservice.com^ +||a27092.actonservice.com^ +||a27110.actonservice.com^ +||a27117.actonservice.com^ +||a27129.actonservice.com^ +||a27133.actonservice.com^ +||a27138.actonservice.com^ +||a27147.actonservice.com^ +||a27157.actonservice.com^ +||a27159.actonservice.com^ +||a27172.actonservice.com^ +||a27175.actonservice.com^ +||a27183.actonservice.com^ +||a27196.actonservice.com^ +||a27199.actonservice.com^ +||a27205.actonservice.com^ +||a27234.actonservice.com^ +||a27238.actonservice.com^ +||a27252.actonservice.com^ +||a27297.actonservice.com^ +||a27300.actonservice.com^ +||a27303.actonservice.com^ +||a27304.actonservice.com^ +||a27307.actonservice.com^ +||a27319.actonservice.com^ +||a27320.actonservice.com^ +||a27323.actonservice.com^ +||a27325.actonservice.com^ +||a27331.actonservice.com^ +||a27337.actonservice.com^ +||a27339.actonservice.com^ +||a27342.actonservice.com^ +||a27348.actonservice.com^ +||a27355.actonservice.com^ +||a27358.actonservice.com^ +||a27378.actonservice.com^ +||a27384.actonservice.com^ +||a27387.actonservice.com^ +||a27394.actonservice.com^ +||a27396.actonservice.com^ +||a27397.actonservice.com^ +||a27402.actonservice.com^ +||a27409.actonservice.com^ +||a27421.actonservice.com^ +||a27424.actonservice.com^ +||a27435.actonservice.com^ +||a27441.actonservice.com^ +||a27457.actonservice.com^ +||a27459.actonservice.com^ +||a27461.actonservice.com^ +||a27469.actonservice.com^ +||a27472.actonservice.com^ +||a27474.actonservice.com^ +||a27501.actonservice.com^ +||a27519.actonservice.com^ +||a27563.actonservice.com^ +||a27571.actonservice.com^ +||a27574.actonservice.com^ +||a27581.actonservice.com^ +||a27584.actonservice.com^ +||a27587.actonservice.com^ +||a27593.actonservice.com^ +||a27596.actonservice.com^ +||a27598.actonservice.com^ +||a27602.actonservice.com^ +||a27617.actonservice.com^ +||a27619.actonservice.com^ +||a27620.actonservice.com^ +||a27626.actonservice.com^ +||a27629.actonservice.com^ +||a27647.actonservice.com^ +||a27657.actonservice.com^ +||a27666.actonservice.com^ +||a27673.actonservice.com^ +||a27679.actonservice.com^ +||a27686.actonservice.com^ +||a27691.actonservice.com^ +||a27692.actonservice.com^ +||a27700.actonservice.com^ +||a27712.actonservice.com^ +||a27728.actonservice.com^ +||a27743.actonservice.com^ +||a27809001.actonservice.com^ +||a27815.actonservice.com^ +||a27817.actonservice.com^ +||a27825.actonservice.com^ +||a27844.actonservice.com^ +||a27847.actonservice.com^ +||a27858.actonservice.com^ +||a27872.actonservice.com^ +||a27877.actonservice.com^ +||a27880.actonservice.com^ +||a27884.actonservice.com^ +||a27887.actonservice.com^ +||a27890.actonservice.com^ +||a27899.actonservice.com^ +||a27900.actonservice.com^ +||a27902.actonservice.com^ +||a27903.actonservice.com^ +||a27909.actonservice.com^ +||a27917.actonservice.com^ +||a27923.actonservice.com^ +||a27927.actonservice.com^ +||a27933.actonservice.com^ +||a27937.actonservice.com^ +||a27942.actonservice.com^ +||a27952.actonservice.com^ +||a27974.actonservice.com^ +||a27976.actonservice.com^ +||a27980.actonservice.com^ +||a27986.actonservice.com^ +||a27989.actonservice.com^ +||a27997.actonservice.com^ +||a28009.actonservice.com^ +||a28011.actonservice.com^ +||a28012.actonservice.com^ +||a28026.actonservice.com^ +||a28028.actonservice.com^ +||a28030.actonservice.com^ +||a28031.actonservice.com^ +||a28044.actonservice.com^ +||a28048001.actonservice.com^ +||a28050.actonservice.com^ +||a28071.actonservice.com^ +||a28087.actonservice.com^ +||a28093.actonservice.com^ +||a28101.actonservice.com^ +||a28115.actonservice.com^ +||a28128.actonservice.com^ +||a28133.actonservice.com^ +||a28137.actonservice.com^ +||a28143.actonservice.com^ +||a28191.actonservice.com^ +||a28200.actonservice.com^ +||a28216.actonservice.com^ +||a28228.actonservice.com^ +||a28230.actonservice.com^ +||a28239.actonservice.com^ +||a28243.actonservice.com^ +||a28248.actonservice.com^ +||a28275.actonservice.com^ +||a28278.actonservice.com^ +||a28284.actonservice.com^ +||a28287.actonservice.com^ +||a28296.actonservice.com^ +||a28298.actonservice.com^ +||a28302.actonservice.com^ +||a28307.actonservice.com^ +||a28308.actonservice.com^ +||a28310.actonservice.com^ +||a28316.actonservice.com^ +||a28320.actonservice.com^ +||a28328.actonservice.com^ +||a28335.actonservice.com^ +||a28337.actonservice.com^ +||a28348.actonservice.com^ +||a28350.actonservice.com^ +||a28351.actonservice.com^ +||a28379.actonservice.com^ +||a28390.actonservice.com^ +||a28397.actonservice.com^ +||a28401.actonservice.com^ +||a28410.actonservice.com^ +||a28416.actonservice.com^ +||a28440.actonservice.com^ +||a28443.actonservice.com^ +||a28472.actonservice.com^ +||a28481.actonservice.com^ +||a28487.actonservice.com^ +||a28490.actonservice.com^ +||a28493.actonservice.com^ +||a28496.actonservice.com^ +||a28499.actonservice.com^ +||a28500.actonservice.com^ +||a28513.actonservice.com^ +||a28515.actonservice.com^ +||a28518.actonservice.com^ +||a28527.actonservice.com^ +||a28530.actonservice.com^ +||a28533.actonservice.com^ +||a28539.actonservice.com^ +||a28541.actonservice.com^ +||a28547.actonservice.com^ +||a28557.actonservice.com^ +||a28565.actonservice.com^ +||a28579.actonservice.com^ +||a28599.actonservice.com^ +||a28609.actonservice.com^ +||a28619.actonservice.com^ +||a28627.actonservice.com^ +||a28647.actonservice.com^ +||a28653.actonservice.com^ +||a28690.actonservice.com^ +||a28702.actonservice.com^ +||a28708.actonservice.com^ +||a28719.actonservice.com^ +||a28720.actonservice.com^ +||a28725.actonservice.com^ +||a28729.actonservice.com^ +||a28772.actonservice.com^ +||a28778.actonservice.com^ +||a28788.actonservice.com^ +||a28791.actonservice.com^ +||a28793.actonservice.com^ +||a28795.actonservice.com^ +||a28797.actonservice.com^ +||a28816.actonservice.com^ +||a28838.actonservice.com^ +||a28858.actonservice.com^ +||a28876.actonservice.com^ +||a28891.actonservice.com^ +||a28895.actonservice.com^ +||a28896.actonservice.com^ +||a28911.actonservice.com^ +||a28914.actonservice.com^ +||a28935.actonservice.com^ +||a28941.actonservice.com^ +||a28962.actonservice.com^ +||a28968.actonservice.com^ +||a28979.actonservice.com^ +||a29009.actonservice.com^ +||a29025.actonservice.com^ +||a29032.actonservice.com^ +||a29045.actonservice.com^ +||a29047.actonservice.com^ +||a29064.actonservice.com^ +||a29071.actonservice.com^ +||a29072.actonservice.com^ +||a29084.actonservice.com^ +||a29088.actonservice.com^ +||a29090.actonservice.com^ +||a29091.actonservice.com^ +||a29097.actonservice.com^ +||a29112.actonservice.com^ +||a29134.actonservice.com^ +||a29152.actonservice.com^ +||a29160.actonservice.com^ +||a29167.actonservice.com^ +||a29170.actonservice.com^ +||a29171.actonservice.com^ +||a29177.actonservice.com^ +||a29192.actonservice.com^ +||a29197.actonservice.com^ +||a29198.actonservice.com^ +||a29201.actonservice.com^ +||a29206.actonservice.com^ +||a29213.actonservice.com^ +||a29218.actonservice.com^ +||a29225.actonservice.com^ +||a29228.actonservice.com^ +||a29235.actonservice.com^ +||a29238.actonservice.com^ +||a29251.actonservice.com^ +||a29255.actonservice.com^ +||a29270.actonservice.com^ +||a29277.actonservice.com^ +||a29282.actonservice.com^ +||a29286.actonservice.com^ +||a29312.actonservice.com^ +||a29315.actonservice.com^ +||a29319.actonservice.com^ +||a29322.actonservice.com^ +||a29330.actonservice.com^ +||a29354.actonservice.com^ +||a29358.actonservice.com^ +||a29364.actonservice.com^ +||a29388.actonservice.com^ +||a29395.actonservice.com^ +||a29397.actonservice.com^ +||a29412.actonservice.com^ +||a29418.actonservice.com^ +||a29421.actonservice.com^ +||a29424.actonservice.com^ +||a29429.actonservice.com^ +||a29431.actonservice.com^ +||a29433.actonservice.com^ +||a29440.actonservice.com^ +||a29478.actonservice.com^ +||a29483.actonservice.com^ +||a29508.actonservice.com^ +||a29521.actonservice.com^ +||a29523.actonservice.com^ +||a29539.actonservice.com^ +||a29546.actonservice.com^ +||a29547.actonservice.com^ +||a29553.actonservice.com^ +||a29565.actonservice.com^ +||a29582.actonservice.com^ +||a29586.actonservice.com^ +||a29643.actonservice.com^ +||a29655.actonservice.com^ +||a29673.actonservice.com^ +||a29682.actonservice.com^ +||a29685.actonservice.com^ +||a29688.actonservice.com^ +||a29710.actonservice.com^ +||a29715.actonservice.com^ +||a29721.actonservice.com^ +||a29751.actonservice.com^ +||a29757.actonservice.com^ +||a29763.actonservice.com^ +||a29772.actonservice.com^ +||a29774.actonservice.com^ +||a29784.actonservice.com^ +||a29794.actonservice.com^ +||a29798.actonservice.com^ +||a29817.actonservice.com^ +||a29820.actonservice.com^ +||a29823.actonservice.com^ +||a29827.actonservice.com^ +||a29831.actonservice.com^ +||a29832.actonservice.com^ +||a29846.actonservice.com^ +||a29866.actonservice.com^ +||a29868.actonservice.com^ +||a29881.actonservice.com^ +||a29902.actonservice.com^ +||a29975.actonservice.com^ +||a30003.actonservice.com^ +||a30010.actonservice.com^ +||a30526.actonservice.com^ +||a30667.actonservice.com^ +||a30668.actonservice.com^ +||a30798.actonservice.com^ +||a30867.actonservice.com^ +||a31047.actonservice.com^ +||a31112.actonservice.com^ +||a31248.actonservice.com^ +||a31254.actonservice.com^ +||a31734.actonservice.com^ +||a31970.actonservice.com^ +||a31985.actonservice.com^ +||a32224.actonservice.com^ +||a32227.actonservice.com^ +||a32270.actonservice.com^ +||a32359.actonservice.com^ +||a32559.actonservice.com^ +||a32800.actonservice.com^ +||a32808.actonservice.com^ +||a32858.actonservice.com^ +||a32861.actonservice.com^ +||a33167.actonservice.com^ +||a33174.actonservice.com^ +||a33374.actonservice.com^ +||a33393.actonservice.com^ +||a33437.actonservice.com^ +||a33519.actonservice.com^ +||a33612.actonservice.com^ +||a33882.actonservice.com^ +||a33994.actonservice.com^ +||a34357.actonservice.com^ +||a34396.actonservice.com^ +||a34436.actonservice.com^ +||a34504.actonservice.com^ +||a34524.actonservice.com^ +||a34529.actonservice.com^ +||a34549.actonservice.com^ +||a34553.actonservice.com^ +||a34648.actonservice.com^ +||a34718.actonservice.com^ +||a34764.actonservice.com^ +||a34773.actonservice.com^ +||a34894.actonservice.com^ +||a34938.actonservice.com^ +||a34969.actonservice.com^ +||a34989.actonservice.com^ +||a35094.actonservice.com^ +||a35110.actonservice.com^ +||a35161.actonservice.com^ +||a35310.actonservice.com^ +||a35388.actonservice.com^ +||a35415.actonservice.com^ +||a35421.actonservice.com^ +||a35511.actonservice.com^ +||a35617.actonservice.com^ +||a35688.actonservice.com^ +||a35697.actonservice.com^ +||a35827.actonservice.com^ +||a35851.actonservice.com^ +||a35907.actonservice.com^ +||a35910.actonservice.com^ +||a35933.actonservice.com^ +||a36025.actonservice.com^ +||a36117.actonservice.com^ +||a36162.actonservice.com^ +||a36168.actonservice.com^ +||a36210.actonservice.com^ +||a36213.actonservice.com^ +||a36216.actonservice.com^ +||a36243.actonservice.com^ +||a36279.actonservice.com^ +||a36331.actonservice.com^ +||a36531.actonservice.com^ +||a36535.actonservice.com^ +||a36539.actonservice.com^ +||a36575.actonservice.com^ +||a36590.actonservice.com^ +||a36723.actonservice.com^ +||a36755.actonservice.com^ +||a36777.actonservice.com^ +||a36791.actonservice.com^ +||a36961.actonservice.com^ +||a36966.actonservice.com^ +||a37023.actonservice.com^ +||a37518.actonservice.com^ +||a37619.actonservice.com^ +||a37641.actonservice.com^ +||a37695.actonservice.com^ +||a37697.actonservice.com^ +||a37929.actonservice.com^ +||a37941.actonservice.com^ +||a38028.actonservice.com^ +||a38031.actonservice.com^ +||a38137.actonservice.com^ +||a38256.actonservice.com^ +||a38619.actonservice.com^ +||a38742.actonservice.com^ +||a38757.actonservice.com^ +||a38761.actonservice.com^ +||a38820.actonservice.com^ +||a38951.actonservice.com^ +||a39173.actonservice.com^ +||a39176.actonservice.com^ +||a39177.actonservice.com^ +||a39210.actonservice.com^ +||a39465.actonservice.com^ +||a39468.actonservice.com^ +||a39498.actonservice.com^ +||a39539.actonservice.com^ +||a39606.actonservice.com^ +||a39662.actonservice.com^ +||a39705.actonservice.com^ +||a39744.actonservice.com^ +||a39780.actonservice.com^ +||a39804.actonservice.com^ +||a40194.actonservice.com^ +||a40248.actonservice.com^ +||a40452.actonservice.com^ +||a40545.actonservice.com^ +||a40554.actonservice.com^ +||a40587.actonservice.com^ +||a40865.actonservice.com^ +||a40890.actonservice.com^ +||a40898.actonservice.com^ +||a40899.actonservice.com^ +||a40901.actonservice.com^ +||a40904.actonservice.com^ +||a40905.actonservice.com^ +||a40907.actonservice.com^ +||a40910.actonservice.com^ +||a40913.actonservice.com^ +||a40916.actonservice.com^ +||a40917.actonservice.com^ +||a41166.actonservice.com^ +||a41172.actonservice.com^ +||a41199.actonservice.com^ +||a41309.actonservice.com^ +||a41334.actonservice.com^ +||a41342.actonservice.com^ +||a41385.actonservice.com^ +||a41505.actonservice.com^ +||a41522.actonservice.com^ +||a41547.actonservice.com^ +||a41550.actonservice.com^ +||a41553.actonservice.com^ +||a41556.actonservice.com^ +||a41558.actonservice.com^ +||a41609.actonservice.com^ +||a41628.actonservice.com^ +||a41643.actonservice.com^ +||a41691.actonservice.com^ +||a41714.actonservice.com^ +||a41768.actonservice.com^ +||a41947.actonservice.com^ +||a41976.actonservice.com^ +||a42072.actonservice.com^ +||a42073.actonservice.com^ +||a42096.actonservice.com^ +||a42330.actonservice.com^ +||a42368.actonservice.com^ +||a42382.actonservice.com^ +||a42384.actonservice.com^ +||a42575.actonservice.com^ +||a42579.actonservice.com^ +||a42580.actonservice.com^ +||a42605.actonservice.com^ +||a42623.actonservice.com^ +||a42624.actonservice.com^ +||a42625.actonservice.com^ +||a42626.actonservice.com^ +||a42628.actonservice.com^ +||a42701.actonservice.com^ +||a42707.actonservice.com^ +||a42767.actonservice.com^ +||a42807.actonservice.com^ +||a42845.actonservice.com^ +||a42872.actonservice.com^ +||a42900.actonservice.com^ +||a42906.actonservice.com^ +||a42917.actonservice.com^ +||a42918.actonservice.com^ +||a42919.actonservice.com^ +||a42920.actonservice.com^ +||a42926.actonservice.com^ +||a42927.actonservice.com^ +||a43050.actonservice.com^ +||a43094.actonservice.com^ +||a43242.actonservice.com^ +||a43245.actonservice.com^ +||a43246.actonservice.com^ +||a43248.actonservice.com^ +||a43253.actonservice.com^ +||a43254.actonservice.com^ +||a43256.actonservice.com^ +||a43257.actonservice.com^ +||a43260.actonservice.com^ +||a43261.actonservice.com^ +||a43263.actonservice.com^ +||a43271.actonservice.com^ +||a43273.actonservice.com^ +||a43285.actonservice.com^ +||a43286.actonservice.com^ +||a43287.actonservice.com^ +||a43290.actonservice.com^ +||a43293.actonservice.com^ +||a43294.actonservice.com^ +||a43295.actonservice.com^ +||a43296.actonservice.com^ +||a43305.actonservice.com^ +||a43307.actonservice.com^ +||a43309.actonservice.com^ +||a43312.actonservice.com^ +||a43315.actonservice.com^ +||a43317.actonservice.com^ +||a43318.actonservice.com^ +||a43320.actonservice.com^ +||a43321.actonservice.com^ +||a43326.actonservice.com^ +||a43329.actonservice.com^ +||a43333.actonservice.com^ +||a43337.actonservice.com^ +||a43338.actonservice.com^ +||a43339.actonservice.com^ +||a43345.actonservice.com^ +||a43347.actonservice.com^ +||a43348.actonservice.com^ +||a43351.actonservice.com^ +||a43354.actonservice.com^ +||a43366.actonservice.com^ +||a43367.actonservice.com^ +||a43368.actonservice.com^ +||a43369.actonservice.com^ +||a43372.actonservice.com^ +||a43373.actonservice.com^ +||a43375.actonservice.com^ +||a43376.actonservice.com^ +||a43378.actonservice.com^ +||a43379.actonservice.com^ +||a43380.actonservice.com^ +||a43381.actonservice.com^ +||a43385.actonservice.com^ +||a43386.actonservice.com^ +||a43396.actonservice.com^ +||a43406.actonservice.com^ +||a43409.actonservice.com^ +||a43410.actonservice.com^ +||a43411.actonservice.com^ +||a43412.actonservice.com^ +||a43414.actonservice.com^ +||a43421.actonservice.com^ +||a43422.actonservice.com^ +||a43423.actonservice.com^ +||a43424.actonservice.com^ +||a43444.actonservice.com^ +||a43445.actonservice.com^ +||a43447.actonservice.com^ +||a43454.actonservice.com^ +||a43456.actonservice.com^ +||a43461.actonservice.com^ +||a43462.actonservice.com^ +||a43465.actonservice.com^ +||a43472.actonservice.com^ +||a43474.actonservice.com^ +||a43477.actonservice.com^ +||a43478.actonservice.com^ +||a43479.actonservice.com^ +||a43480.actonservice.com^ +||a43482.actonservice.com^ +||a43486.actonservice.com^ +||a43494.actonservice.com^ +||a43498.actonservice.com^ +||a43501.actonservice.com^ +||a43504.actonservice.com^ +||a43507.actonservice.com^ +||a43521.actonservice.com^ +||a43523.actonservice.com^ +||a43524.actonservice.com^ +||a43527.actonservice.com^ +||a43528.actonservice.com^ +||a43530.actonservice.com^ +||a43533.actonservice.com^ +||a43534.actonservice.com^ +||a43538.actonservice.com^ +||a43539.actonservice.com^ +||a43542.actonservice.com^ +||a43545.actonservice.com^ +||a43546.actonservice.com^ +||a43547.actonservice.com^ +||a43548.actonservice.com^ +||a43550.actonservice.com^ +||a43553.actonservice.com^ +||a43554.actonservice.com^ +||a43557.actonservice.com^ +||a43558.actonservice.com^ +||a43561.actonservice.com^ +||a43562.actonservice.com^ +||a43569.actonservice.com^ +||a43571.actonservice.com^ +||a43572.actonservice.com^ +||a43573.actonservice.com^ +||a43576.actonservice.com^ +||a43577.actonservice.com^ +||a43582.actonservice.com^ +||a43587.actonservice.com^ +||a43590.actonservice.com^ +||a43591.actonservice.com^ +||a43593.actonservice.com^ +||a43594.actonservice.com^ +||a43595.actonservice.com^ +||a43596.actonservice.com^ +||a43597.actonservice.com^ +||a43601.actonservice.com^ +||a43604.actonservice.com^ +||a43606.actonservice.com^ +||a43607.actonservice.com^ +||a43611.actonservice.com^ +||a43613.actonservice.com^ +||a43614.actonservice.com^ +||a43619.actonservice.com^ +||a43621.actonservice.com^ +||a43624.actonservice.com^ +||a43626.actonservice.com^ +||a43628.actonservice.com^ +||a43630.actonservice.com^ +||a43634.actonservice.com^ +||a43640.actonservice.com^ +||a43645.actonservice.com^ +||a43649.actonservice.com^ +||a43658.actonservice.com^ +||a43661.actonservice.com^ +||a43662.actonservice.com^ +||a43665.actonservice.com^ +||a43666.actonservice.com^ +||a43667.actonservice.com^ +||a43668.actonservice.com^ +||a43672.actonservice.com^ +||a43677.actonservice.com^ +||a43678.actonservice.com^ +||a43685.actonservice.com^ +||a43694.actonservice.com^ +||a43698.actonservice.com^ +||a43702.actonservice.com^ +||a43708.actonservice.com^ +||a43710.actonservice.com^ +||a43711.actonservice.com^ +||a43712.actonservice.com^ +||a43715.actonservice.com^ +||a43723.actonservice.com^ +||a43724.actonservice.com^ +||a43725.actonservice.com^ +||a43726.actonservice.com^ +||a43733.actonservice.com^ +||a43735.actonservice.com^ +||a43736.actonservice.com^ +||a43737.actonservice.com^ +||a43738.actonservice.com^ +||a43740.actonservice.com^ +||a43746.actonservice.com^ +||a43748.actonservice.com^ +||a43749.actonservice.com^ +||a43750.actonservice.com^ +||a43751.actonservice.com^ +||a43757.actonservice.com^ +||a43762.actonservice.com^ +||a43765.actonservice.com^ +||a43766.actonservice.com^ +||a43767.actonservice.com^ +||a43770.actonservice.com^ +||a43772.actonservice.com^ +||a43775.actonservice.com^ +||a43778.actonservice.com^ +||a43780.actonservice.com^ +||a43782.actonservice.com^ +||a43784.actonservice.com^ +||a43785.actonservice.com^ +||a43786.actonservice.com^ +||a43787.actonservice.com^ +||a43789.actonservice.com^ +||a43790.actonservice.com^ +||a43791.actonservice.com^ +||a43792.actonservice.com^ +||a43794.actonservice.com^ +||a43795.actonservice.com^ +||a43797.actonservice.com^ +||a43800.actonservice.com^ +||a43801.actonservice.com^ +||a43803.actonservice.com^ +||a43804.actonservice.com^ +||a43805.actonservice.com^ +||a43806.actonservice.com^ +||a43807.actonservice.com^ +||a43814.actonservice.com^ +||a43818.actonservice.com^ +||a43820.actonservice.com^ +||a43821.actonservice.com^ +||a43830.actonservice.com^ +||a43834.actonservice.com^ +||a43838.actonservice.com^ +||a43839.actonservice.com^ +||a43840.actonservice.com^ +||a43843.actonservice.com^ +||a43846.actonservice.com^ +||a43847.actonservice.com^ +||a43848.actonservice.com^ +||a43849.actonservice.com^ +||a43853.actonservice.com^ +||a43855.actonservice.com^ +||a43856.actonservice.com^ +||a43858.actonservice.com^ +||a43860.actonservice.com^ +||a43863.actonservice.com^ +||a43866.actonservice.com^ +||a43869.actonservice.com^ +||a43870.actonservice.com^ +||a43871.actonservice.com^ +||a43875.actonservice.com^ +||a43876.actonservice.com^ +||a43878.actonservice.com^ +||a43889.actonservice.com^ +||a43893.actonservice.com^ +||a43896.actonservice.com^ +||a43899.actonservice.com^ +||a43901.actonservice.com^ +||a43906.actonservice.com^ +||a43909.actonservice.com^ +||a43910.actonservice.com^ +||a43913.actonservice.com^ +||a43918.actonservice.com^ +||a43919.actonservice.com^ +||a43921.actonservice.com^ +||a43922.actonservice.com^ +||a43923.actonservice.com^ +||a43924.actonservice.com^ +||a43933.actonservice.com^ +||a43934.actonservice.com^ +||a43937.actonservice.com^ +||a43939.actonservice.com^ +||a43951.actonservice.com^ +||a43952.actonservice.com^ +||a43954.actonservice.com^ +||a43957.actonservice.com^ +||a43966.actonservice.com^ +||a43967.actonservice.com^ +||a43968.actonservice.com^ +||a43972.actonservice.com^ +||a43976.actonservice.com^ +||a43977.actonservice.com^ +||a43981.actonservice.com^ +||a43982.actonservice.com^ +||a43993.actonservice.com^ +||a43994.actonservice.com^ +||a43995.actonservice.com^ +||a43996.actonservice.com^ +||a43999.actonservice.com^ +||a44000.actonservice.com^ +||a44022.actonservice.com^ +||a44023.actonservice.com^ +||a44031.actonservice.com^ +||a44036.actonservice.com^ +||a44043.actonservice.com^ +||a44050.actonservice.com^ +||a44051.actonservice.com^ +||a44055.actonservice.com^ +||a44057.actonservice.com^ +||a44058.actonservice.com^ +||a44090.actonservice.com^ +||a44093.actonservice.com^ +||a44094.actonservice.com^ +||a44095.actonservice.com^ +||a44096.actonservice.com^ +||a44097.actonservice.com^ +||a44102.actonservice.com^ +||a44105.actonservice.com^ +||a44107.actonservice.com^ +||a44111.actonservice.com^ +||a44112.actonservice.com^ +||a44113.actonservice.com^ +||a44116.actonservice.com^ +||a44119.actonservice.com^ +||a44120.actonservice.com^ +||a44121.actonservice.com^ +||a44122.actonservice.com^ +||a44125.actonservice.com^ +||a44127.actonservice.com^ +||a44128.actonservice.com^ +||a44130.actonservice.com^ +||a44131.actonservice.com^ +||a44134.actonservice.com^ +||a44135.actonservice.com^ +||a44137.actonservice.com^ +||a44138.actonservice.com^ +||a44143.actonservice.com^ +||a44145.actonservice.com^ +||a44147.actonservice.com^ +||a44148.actonservice.com^ +||a44155.actonservice.com^ +||a44156.actonservice.com^ +||a44157.actonservice.com^ +||a44171.actonservice.com^ +||a44172.actonservice.com^ +||a44177.actonservice.com^ +||a44178.actonservice.com^ +||a44179.actonservice.com^ +||a44182.actonservice.com^ +||a44183.actonservice.com^ +||a44184.actonservice.com^ +||a44190.actonservice.com^ +||a44193.actonservice.com^ +||a44195.actonservice.com^ +||a44200.actonservice.com^ +||a44201.actonservice.com^ +||a44203.actonservice.com^ +||a44205.actonservice.com^ +||a44211.actonservice.com^ +||a44213.actonservice.com^ +||a44214.actonservice.com^ +||a44222.actonservice.com^ +||a44224.actonservice.com^ +||a44227.actonservice.com^ +||a44230.actonservice.com^ +||a44232.actonservice.com^ +||a44233.actonservice.com^ +||a44241.actonservice.com^ +||a44246.actonservice.com^ +||a44251.actonservice.com^ +||a44263.actonservice.com^ +||a44267.actonservice.com^ +||a44269.actonservice.com^ +||a44270.actonservice.com^ +||a44271.actonservice.com^ +||a44272.actonservice.com^ +||a44273.actonservice.com^ +||a44274.actonservice.com^ +||a44275.actonservice.com^ +||a44277.actonservice.com^ +||a44281.actonservice.com^ +||a44287.actonservice.com^ +||a44289.actonservice.com^ +||a44293.actonservice.com^ +||a44300.actonservice.com^ +||a44301.actonservice.com^ +||a44304.actonservice.com^ +||a44305.actonservice.com^ +||a44306.actonservice.com^ +||a44307.actonservice.com^ +||a44308.actonservice.com^ +||a44309.actonservice.com^ +||a44310.actonservice.com^ +||a44311.actonservice.com^ +||a44313.actonservice.com^ +||a44314.actonservice.com^ +||a44315.actonservice.com^ +||a44316.actonservice.com^ +||a44320.actonservice.com^ +||a44321.actonservice.com^ +||a44322.actonservice.com^ +||a44325.actonservice.com^ +||a44329.actonservice.com^ +||a44332.actonservice.com^ +||a44342.actonservice.com^ +||a44344.actonservice.com^ +||a44347.actonservice.com^ +||a44352.actonservice.com^ +||a44354.actonservice.com^ +||a44356.actonservice.com^ +||a44357.actonservice.com^ +||a44358.actonservice.com^ +||a44359.actonservice.com^ +||a44363.actonservice.com^ +||a44364.actonservice.com^ +||a44370.actonservice.com^ +||a44371.actonservice.com^ +||a44379.actonservice.com^ +||a44395.actonservice.com^ +||a44396.actonservice.com^ +||a44397.actonservice.com^ +||a44413.actonservice.com^ +||a44529.actonservice.com^ +||a44530.actonservice.com^ +||a44539.actonservice.com^ +||a44548.actonservice.com^ +||a44557.actonservice.com^ +||a44569.actonservice.com^ +||a44575.actonservice.com^ +||a44581.actonservice.com^ +||a44587.actonservice.com^ +||a44595.actonservice.com^ +||a44596.actonservice.com^ +||a44599.actonservice.com^ +||a44614.actonservice.com^ +||a44619.actonservice.com^ +||a44621.actonservice.com^ +||a44627.actonservice.com^ +||a44644.actonservice.com^ +||a44656.actonservice.com^ +||a44662.actonservice.com^ +||a44670.actonservice.com^ +||a44685.actonservice.com^ +||a44686.actonservice.com^ +||a44687.actonservice.com^ +||a44688.actonservice.com^ +||a44708.actonservice.com^ +||a44712.actonservice.com^ +||a44734.actonservice.com^ +||a44745.actonservice.com^ +||a44746.actonservice.com^ +||a44748.actonservice.com^ +||a44765.actonservice.com^ +||a44766.actonservice.com^ +||a44770.actonservice.com^ +||a44772.actonservice.com^ +||a44775.actonservice.com^ +||a44784.actonservice.com^ +||a44785.actonservice.com^ +||a44791.actonservice.com^ +||a44795.actonservice.com^ +||a44820.actonservice.com^ +||a44828.actonservice.com^ +||a44831.actonservice.com^ +||a44833.actonservice.com^ +||a44834.actonservice.com^ +||a44838.actonservice.com^ +||a44839.actonservice.com^ +||a44840.actonservice.com^ +||a44845.actonservice.com^ +||a44848.actonservice.com^ +||a44853.actonservice.com^ +||a44857.actonservice.com^ +||a44862.actonservice.com^ +||a44863.actonservice.com^ +||a44865.actonservice.com^ +||a44867.actonservice.com^ +||a44876.actonservice.com^ +||a45000.actonservice.com^ +||a45001.actonservice.com^ +||a45002.actonservice.com^ +||a45009.actonservice.com^ +||a45012.actonservice.com^ +||a45021.actonservice.com^ +||a45024.actonservice.com^ +||a45035.actonservice.com^ +||a45040.actonservice.com^ +||a45044.actonservice.com^ +||a45050.actonservice.com^ +||a45064.actonservice.com^ +||a45071.actonservice.com^ +||a45080.actonservice.com^ +||a45115.actonservice.com^ +||a45125.actonservice.com^ +||a45126.actonservice.com^ +||a45139.actonservice.com^ +||a45144.actonservice.com^ +||a45155.actonservice.com^ +||a45157.actonservice.com^ +||a45158.actonservice.com^ +||a45163.actonservice.com^ +||a45165.actonservice.com^ +||a45167.actonservice.com^ +||a45171.actonservice.com^ +||a45175.actonservice.com^ +||a45192.actonservice.com^ +||a45193.actonservice.com^ +||a45194.actonservice.com^ +||a45197.actonservice.com^ +||a45205.actonservice.com^ +||a45208.actonservice.com^ +||a45213.actonservice.com^ +||a45218.actonservice.com^ +||a45223.actonservice.com^ +||a45225.actonservice.com^ +||a45226.actonservice.com^ +||a45230.actonservice.com^ +||a45231.actonservice.com^ +||a45233.actonservice.com^ +||a45235.actonservice.com^ +||a45241.actonservice.com^ +||a45245.actonservice.com^ +||a45246.actonservice.com^ +||a45256.actonservice.com^ +||a45260.actonservice.com^ +||a45261.actonservice.com^ +||a45262.actonservice.com^ +||a45263.actonservice.com^ +||a45266.actonservice.com^ +||a45268.actonservice.com^ +||a45270.actonservice.com^ +||a45271.actonservice.com^ +||a45272.actonservice.com^ +||a45274.actonservice.com^ +||a45275.actonservice.com^ +||a45276.actonservice.com^ +||a45277.actonservice.com^ +||a45278.actonservice.com^ +||a45279.actonservice.com^ +||a45282.actonservice.com^ +||a45289.actonservice.com^ +||a45290.actonservice.com^ +||a45295.actonservice.com^ +||a45298.actonservice.com^ +||a45300.actonservice.com^ +||a45305.actonservice.com^ +||a45306.actonservice.com^ +||a45307.actonservice.com^ +||a45310.actonservice.com^ +||a45318.actonservice.com^ +||a45330.actonservice.com^ +||a45331.actonservice.com^ +||a45337.actonservice.com^ +||a45338.actonservice.com^ +||a45351.actonservice.com^ +||a45353.actonservice.com^ +||a45356.actonservice.com^ +||a45357.actonservice.com^ +||a45358.actonservice.com^ +||a45359.actonservice.com^ +||a45360.actonservice.com^ +||a45362.actonservice.com^ +||a45363.actonservice.com^ +||a45364.actonservice.com^ +||a45365.actonservice.com^ +||a45366.actonservice.com^ +||a45367.actonservice.com^ +||a45375.actonservice.com^ +||a45395.actonservice.com^ +||a45403.actonservice.com^ +||a45405.actonservice.com^ +||a45406.actonservice.com^ +||a45411.actonservice.com^ +||a45415.actonservice.com^ +||a45420.actonservice.com^ +||a45427.actonservice.com^ +||a45428.actonservice.com^ +||a45429.actonservice.com^ +||a45443.actonservice.com^ +||a45445.actonservice.com^ +||a45449.actonservice.com^ +||a45451.actonservice.com^ +||a45452.actonservice.com^ +||a45456.actonservice.com^ +||a45463.actonservice.com^ +||a45477.actonservice.com^ +||a45478.actonservice.com^ +||a45498.actonservice.com^ +||a45499.actonservice.com^ +||a45500.actonservice.com^ +||a45504.actonservice.com^ +||a45508.actonservice.com^ +||a45513.actonservice.com^ +||a45514.actonservice.com^ +||a45519.actonservice.com^ +||a45520.actonservice.com^ +||a45521.actonservice.com^ +||a45526.actonservice.com^ +||a45539.actonservice.com^ +||a45542.actonservice.com^ +||a45548.actonservice.com^ +||a45553.actonservice.com^ +||a45554.actonservice.com^ +||a45570.actonservice.com^ +||a45579.actonservice.com^ +||a45580.actonservice.com^ +||a45584.actonservice.com^ +||a45592.actonservice.com^ +||a45594.actonservice.com^ +||a45609.actonservice.com^ +||a45612.actonservice.com^ +||a45623.actonservice.com^ +||a45629.actonservice.com^ +||a45634.actonservice.com^ +||a45636.actonservice.com^ +||a45641.actonservice.com^ +||a45648.actonservice.com^ +||a45655.actonservice.com^ +||a45656.actonservice.com^ +||a45660.actonservice.com^ +||a45662.actonservice.com^ +||a45682.actonservice.com^ +||a45686.actonservice.com^ +||a45697.actonservice.com^ +||a45704.actonservice.com^ +||a45710.actonservice.com^ +||a45712.actonservice.com^ +||a45713.actonservice.com^ +||a45716.actonservice.com^ +||a45718.actonservice.com^ +||a45720.actonservice.com^ +||a45722.actonservice.com^ +||a45733.actonservice.com^ +||a45734.actonservice.com^ +||a45751.actonservice.com^ +||a45752.actonservice.com^ +||a45759.actonservice.com^ +||a45760.actonservice.com^ +||a45770.actonservice.com^ +||a45772.actonservice.com^ +||a45785.actonservice.com^ +||a45794.actonservice.com^ +||a45797.actonservice.com^ +||a45810.actonservice.com^ +||a45817.actonservice.com^ +||a45823.actonservice.com^ +||a45831.actonservice.com^ +||a45836.actonservice.com^ +||a45841.actonservice.com^ +||a45851.actonservice.com^ +||a45855.actonservice.com^ +||a45856.actonservice.com^ +||a45857.actonservice.com^ +||a45863.actonservice.com^ +||a45868.actonservice.com^ +||a45886.actonservice.com^ +||a45887.actonservice.com^ +||a45899.actonservice.com^ +||a45910.actonservice.com^ +||a45911.actonservice.com^ +||a45963.actonservice.com^ +||a45964.actonservice.com^ +||a45973.actonservice.com^ +||a46060.actonservice.com^ +||a46062.actonservice.com^ +||a46069.actonservice.com^ +||a46090.actonservice.com^ +||a46097.actonservice.com^ +||a46106.actonservice.com^ +||a46122.actonservice.com^ +||a46136.actonservice.com^ +||a46180.actonservice.com^ +||a46248.actonservice.com^ +||a46268.actonservice.com^ +||a46300.actonservice.com^ +||a46303.actonservice.com^ +||a46306.actonservice.com^ +||a8780.actonservice.com^ +||a9643.actonservice.com^ +||aad-marketing.ascendeventmedia.com^ +||aad.actonservice.com^ +||aagon.actonservice.com^ +||aahamarketing.hubinternational.com^ +||aajtech.actonservice.com^ +||aamcompany.actonservice.com^ +||abclegal.actonservice.com^ +||abracon.actonservice.com^ +||absinfo.eagle.org^ +||absoft.actonservice.com^ +||acadian-asset.actonservice.com^ +||acclaro.actonservice.com^ +||accumula.actonservice.com^ +||accuride.actonservice.com^ +||accutrain.actonservice.com^ +||accuzip.actonservice.com^ +||acemetrix.actonservice.com^ +||acendas.actonservice.com^ +||aclordi.actonservice.com^ +||act-on-marketing.advancedsolutionsplm.com^ +||act-on-marketing.asidesignsoftware.com^ +||act-on-marketing.lifesciences.solutions^ +||act-on-marketing.slot3d.com^ +||act-on-marketing.xpedientsoftware.com^ +||act-on.ioactive.com^ +||act-on.milestoneinternet.com^ +||act-on.snb.com^ +||act-on.up.edu.pe^ +||act.boxerproperty.com^ +||act.colorlines.com^ +||act.convergencetraining.com^ +||act.cwsglobal.org^ +||act.davistech.edu^ +||act.enli.net^ +||act.lanap.com^ +||act.online.engineering.nyu.edu^ +||act.pivotpointsecurity.com^ +||act.plumvoice.com^ +||act.raceforward.org^ +||act.soneticscorp.com^ +||act.wernerelectric.com^ +||actie.milieudefensie.nl^ +||action.advisorycloud.com^ +||action.logixfiber.com^ +||action.totalcompbuilder.com^ +||action.totalrewardssoftware.com^ +||action.unifiedoffice.com^ +||acton.ajmfg.com^ +||acton.altep.com^ +||acton.bluetreesystems.com^ +||acton.brightspeed.com^ +||acton.dotcom-monitor.com^ +||acton.goldencomm.com^ +||acton.iriworldwide.com^ +||acton.locatesmarter.com^ +||acton.maintainer.com^ +||acton.marketing.knowlarity.com^ +||acton.oosis.com^ +||acton.outleads.com^ +||acton.prolabs.com^ +||acton.sightlife.org^ +||acton.simpleviewinc.com^ +||acton.the-tma.org^ +||acton.tourismireland.com^ +||acton.trefis.com^ +||actondev.actonservice.com^ +||actonhrm.mercuryhealthcare.com^ +||adm.adminstrumentengineering.com.au^ +||administrator.pnclassaction.com^ +||admission.concord.edu^ +||admissions.easterncollege.ca^ +||admissions.trios.com^ +||admit.mountsaintvincent.edu^ +||advancedsolutions.actonservice.com^ +||advanstar.actonservice.com^ +||advantageauburn.actonservice.com^ +||advantageind.actonservice.com^ +||advisers.kingstonsmith.co.uk^ +||advisor.raa.com^ +||advisors.beaconfinserv.com^ +||advisorycloud-dev.actonservice.com^ +||advtek.actonservice.com^ +||ae.cobweb.com^ +||aeromark.actonservice.com^ +||aftermath.actonservice.com^ +||afterschoolallstars.actonservice.com^ +||agcs-knowledge.allianz.com^ +||agvinfo.kollmorgen.com^ +||aicipc.actonservice.com^ +||aip.actonservice.com^ +||air-weigh.actonservice.com^ +||aircuity.actonservice.com^ +||airefcoinc.actonservice.com^ +||alamocapital.actonservice.com^ +||alereinc.actonservice.com^ +||aleroninc.actonservice.com^ +||alhi.actonservice.com^ +||alicat.actonservice.com^ +||allegiant-partners.actonservice.com^ +||alliantdata.actonservice.com^ +||alliedfundingcorp.actonservice.com^ +||allinsurance.allinsure.ca^ +||allreach.actonservice.com^ +||allrisks.actonservice.com^ +||allstarfg.actonservice.com^ +||almalasers.actonservice.com^ +||alphasimplex.actonservice.com^ +||alticoadvisors.actonservice.com^ +||altn.actonservice.com^ +||alwayscare.starmountlife.com^ +||alwayscarebenefits.actonservice.com^ +||amalto.actonservice.com^ +||americanmarketinggroup.actonservice.com^ +||americanportfolios.actonservice.com^ +||americanroller.actonservice.com^ +||americanuniversityofantigua.actonservice.com^ +||americanwatergroup.actonservice.com^ +||amersc.actonservice.com^ +||amigraphics.actonservice.com^ +||amimon.actonservice.com^ +||amitracks.actonservice.com^ +||amsunsolar.actonservice.com^ +||analytics.rivaliq.com^ +||anesthesiaos.actonservice.com^ +||antonsystems.actonservice.com^ +||ao-marketing.dbiyes.com^ +||ao-marketing.essendant.com^ +||ao-mkt.tableausoftware.com^ +||ao.jsitel.com^ +||ao.pioncomm.net^ +||ao.tolydigital.net^ +||aom.smartbrief.com^ +||aomarketing.blytheco.com^ +||aon.insurancemail.ca^ +||aon.smartbrief.com^ +||aooptout.zoominformation.com^ +||aopcoms.aoptec.com^ +||apbspeakers.actonservice.com^ +||apcerpharma.actonservice.com^ +||aperio.leicabiosystems.com^ +||apisensor.actonservice.com^ +||apllogistics.actonservice.com^ +||apparound.actonservice.com^ +||apply.bluetrustloans.com^ +||apply.maxlend.com^ +||apptus.actonservice.com^ +||aptare.actonservice.com^ +||apwip-dev.actonservice.com^ +||apwip.actonservice.com^ +||aqr.actonservice.com^ +||aragenbio.actonservice.com^ +||aragonresearch.actonservice.com^ +||argyleforum.actonservice.com^ +||arisglobal.actonservice.com^ +||arrayasolutions.actonservice.com^ +||art2wave.actonservice.com^ +||artisan.actonservice.com^ +||arvig.actonservice.com^ +||asap-systems.actonservice.com^ +||asc.asc-net.com^ +||ascassociation.actonservice.com^ +||ascendintegratedmedia.actonservice.com^ +||ascentcrm.actonservice.com^ +||asentech-dev.actonservice.com^ +||ashasafety.actonservice.com^ +||ashcroft.actonservice.com^ +||ashergroup.actonservice.com^ +||asiamarketing.sedgwick.com^ +||asimarketing.antonsystems.com^ +||assets.channelplay.in^ +||association.locktonaffinity.net^ +||assure360.actonservice.com^ +||asteriaed.actonservice.com^ +||astromed.actonservice.com^ +||at.sharpmarketing.eu^ +||atbs.actonservice.com^ +||aticti.actonservice.com^ +||atlanticlabequipment.actonservice.com^ +||atlastravel.actonservice.com^ +||atlasworldusa.actonservice.com^ +||atsmobile.actonservice.com^ +||attivoconsulting.actonservice.com^ +||audiofly.actonservice.com^ +||aumarketing.sedgwick.com^ +||aurelianlending.actonservice.com^ +||authentic3d.actonservice.com^ +||automate.gixxy.com^ +||automotive.autodeskcommunications.com^ +||autozone.actonservice.com^ +||avai.actonservice.com^ +||avalere.actonservice.com^ +||avaloninnovation.actonservice.com^ +||avandsecurity.actonservice.com^ +||avantidestinations.actonservice.com^ +||avantifinance.actonservice.com^ +||avertium.actonservice.com^ +||avid.actonservice.com^ +||aviko.actonservice.com^ +||avnet.actonservice.com^ +||avolvesoftware.actonservice.com^ +||axion-biosystems.actonservice.com^ +||axisgroupbenefits.axiscapital.com^ +||axisinsurance.axiscapital.com^ +||axisre.axiscapital.com^ +||bakercommunications.actonservice.com^ +||ballantine.actonservice.com^ +||ballymoregroup.actonservice.com^ +||bambee.actonservice.com^ +||bayshoresystems.actonservice.com^ +||bcanl.bca-autoveiling.nl^ +||bcc-ltd.actonservice.com^ +||bcob.charlotte.edu^ +||bcob.uncc.edu^ +||bcs.actonservice.com^ +||bdo.actonservice.com^ +||bdoaustralia.bdo.com.au^ +||beanworks.actonservice.com^ +||beaumont.actonservice.com^ +||bersondeanstevens.actonservice.com^ +||bestbuy.actonservice.com^ +||bestinfo.bluetrustloans.com^ +||bgiamericas.actonservice.com^ +||bi.concordesolutions.com^ +||bigcustomernetwork.actonservice.com^ +||biminibliss.rwbimini.com^ +||bioagiliytix.actonservice.com^ +||bioanalyticalmarketing.eurofins-info.com^ +||biophysicsgroup.actonservice.com^ +||bison.actonservice.com^ +||biworldwide.actonservice.com^ +||biznews.oregon.gov^ +||bizz.cochraneco.com^ +||bke.actonservice.com^ +||bkifg.actonservice.com^ +||blackbirdventures.actonservice.com^ +||blackmesh.actonservice.com^ +||bladv.actonservice.com^ +||blockchain.actonservice.com^ +||blog.b2lead.com^ +||blog.trinityconsultants.com^ +||blue-rocket.actonservice.com^ +||bluebusiness.actonservice.com^ +||blueinfo.marugroup.net^ +||bluemarblepayroll.actonservice.com^ +||bluemountains.actonservice.com^ +||blueoceanpharma.actonservice.com^ +||bluvue.actonservice.com^ +||blytheco.actonservice.com^ +||bmail.getventive.com^ +||bmiimaging.actonservice.com^ +||bobcad.actonservice.com^ +||bobswatches.actonservice.com^ +||bolingbrookgolfclub.actonservice.com^ +||bowl.actonservice.com^ +||br.bio-rad.com^ +||brainsell.actonservice.com^ +||brands.cambrio.com^ +||brascomarketing.actonservice.com^ +||briefing.actonservice.com^ +||bringg.actonservice.com^ +||brukernano.actonservice.com^ +||bu.actonservice.com^ +||bubblewrapp.actonservice.com^ +||build.bildgta.ca^ +||bulkbookstore.actonservice.com^ +||burnswhite.actonservice.com^ +||business-decision.actonservice.com^ +||business.franchiseforsale.com^ +||business.franchiseopportunities.com^ +||business.matchd.nl^ +||business.royal-cars.com^ +||businessgrouphealth.actonservice.com^ +||butlercc.actonservice.com^ +||buzz.logility.com^ +||buzz.neilsonmarketing.com^ +||c-c-l.actonservice.com^ +||c4cm.actonservice.com^ +||c4contexture.actonservice.com^ +||ca.ssl.holdmybeerconsulting.com^ +||caderonline.bu.edu^ +||caf.actonservice.com^ +||calgary-content.cresa.com^ +||caliberco.actonservice.com^ +||caljetelite.actonservice.com^ +||calldesignna.actonservice.com^ +||callsource.actonservice.com^ +||calmradio.actonservice.com^ +||camisado.actonservice.com^ +||campaign.csrxp.org^ +||campaign.lexjet.com^ +||campaigns.ashfieldengage.com^ +||campaigns.hygiena.com^ +||campaigns.micromass.com^ +||campaigns.mindplusmatter.com^ +||campaigns.primaverabss.com^ +||campaigns.wordandbrown.com^ +||canadamarketing.travelsavers.com^ +||capplanllc.actonservice.com^ +||caradonna.actonservice.com^ +||cardinalretirement.actonservice.com^ +||cargas.actonservice.com^ +||cargurus.actonservice.com^ +||carlisleit.actonservice.com^ +||carolina.actonservice.com^ +||cc.pennstatehealth.org^ +||celigo.actonservice.com^ +||centermarkplacements.actonservice.com^ +||central.actonservice.com^ +||cerionnano.actonservice.com^ +||certify.nasm.org^ +||cesa6.actonservice.com^ +||cfpwood.actonservice.com^ +||ch.sharpmarketing.eu^ +||channel-impact.actonservice.com^ +||channelblender.actonservice.com^ +||channelsignal.actonservice.com^ +||charlotte-content.cresa.com^ +||chartec.actonservice.com^ +||chevalierusa.actonservice.com^ +||chiefexecutive.actonservice.com^ +||ci42.rgp.com^ +||cil.isotope.com^ +||cincinnati-content.cresa.com^ +||circadence.actonservice.com^ +||cisco-eagle.actonservice.com^ +||citizensclimate.actonservice.com^ +||clariant.actonservice.com^ +||claruscommerce.actonservice.com^ +||classroominc.actonservice.com^ +||claynelsonlifebalance.actonservice.com^ +||cleanservices.actonservice.com^ +||clearbrands.actonservice.com^ +||click.aabacosmallbusiness.com^ +||click.amazingfacts.org^ +||click.avalere.com^ +||click.compli.com^ +||click.execrank.com^ +||click.lmbcustomersupport.com^ +||click.quickenloansnow.com^ +||click.zoominformation.com^ +||clickatell.actonservice.com^ +||cloud.trapptechnology.com^ +||cloudhosting.actonservice.com^ +||cm.prodo.com^ +||cmme.actonservice.com^ +||cns-service.actonservice.com^ +||cnsecurity.actonservice.com^ +||cobweb.actonservice.com^ +||cofactordigital.actonservice.com^ +||coffeycomm.actonservice.com^ +||cogstate.actonservice.com^ +||cohesive.actonservice.com^ +||collab9.actonservice.com^ +||college.business.oregonstate.edu^ +||collegeauthority.actonservice.com^ +||colliers.actonservice.com^ +||commercial.davey.com^ +||commondreams.actonservice.com^ +||comms.adss.com^ +||communicate.apcerls.com^ +||communicate.choicelogistics.com^ +||communicate.lightningprotection.com^ +||communication.avantifinance.co.nz^ +||communication.fits.me^ +||communication.jkseva.com^ +||communication.johnstongroup.ca^ +||communication.teakmedia.com^ +||communication.treston.com^ +||communications.all-risks.com^ +||communications.ameritrustgroup.com^ +||communications.engineering.oregonstate.edu^ +||communications.enrouteglobalexchange.com^ +||communications.fernenergy.co.nz^ +||communications.globalwidemedia.com^ +||communications.lydallpm.com^ +||communications.marlboroughgroup.com^ +||communications.meadowbrook.com^ +||communications.parmenion-im.co.uk^ +||communications.peopleadmin.com^ +||communications.prodways.com^ +||communications.qualico.com^ +||communications.rillion.com^ +||communications.securityins.net^ +||communications.taylorcorp.com^ +||communications.usfleettracking.com^ +||communications.worldtravelinc.com^ +||communications.ypo.org^ +||communique.assetzproperty.com^ +||community.actonline.org^ +||community.axiscapital.com^ +||community.chpw.org^ +||compliance.govdocs.com^ +||complianceupdates.aem.org^ +||compugen.actonservice.com^ +||compulite.actonservice.com^ +||compuware.actonservice.com^ +||comviewcorp.actonservice.com^ +||conference.flsmidth.com^ +||confiaen.legalitas.com^ +||connect.azulseven.com^ +||connect.blackmesh.com^ +||connect.businessldn.co.uk^ +||connect.chiropractic.ac.nz^ +||connect.ciena.com^ +||connect.clearonblack.com^ +||connect.dcblox.com^ +||connect.dexterchaney.com^ +||connect.digi.com^ +||connect.evocalize.com^ +||connect.frontier.com^ +||connect.invibio.com^ +||connect.kristechwire.com^ +||connect.landy.com^ +||connect.lightriver.com^ +||connect.mdtelephone.com^ +||connect.meringcarson.com^ +||connect.mikrocentrum.nl^ +||connect.munsonhealthcare.org^ +||connect.opendoorerp.com^ +||connect.planusa.org^ +||connect.prowareness.nl^ +||connect.purebranding.com^ +||connect.rallypoint.com^ +||connect.riseengineering.com^ +||connect.rush.edu^ +||connect.shopaplusrentals.com^ +||connect.shopezrentals.com^ +||connect.shoprentone.com^ +||connect.sigbee.com^ +||connect.stvincentcharity.com^ +||connect.thinkinterval.com^ +||connect.tpgtelecom.com.au^ +||connect.tribepictures.com^ +||connect.uniti.com^ +||connect.uofuhealth.org^ +||connect.walkerfirst.com^ +||connect.zehno.com^ +||connected.integrationpoint.com^ +||connectedmedicaltechnologies.actonservice.com^ +||conseil.seicgland.ch^ +||conseils.dotbase.com^ +||contact.adaptavist.com^ +||contact.aquaterraenergy.com^ +||contact.assaydepot.com^ +||contact.marathon-sports-ec.com^ +||contactcenter.presenceco.com^ +||content.4teamwork.ch^ +||content.actionbenefits.com^ +||content.aew.com^ +||content.bondbrothers.com^ +||content.brain-storm-email.com^ +||content.cammackhealth.com^ +||content.cannon-dunphy.com^ +||content.ceriumnetworks.com^ +||content.commandc.com^ +||content.czarnowski.com^ +||content.demand-on.com^ +||content.distium.com^ +||content.e-office.com^ +||content.enlightiumacademy.com^ +||content.fabasoft.com^ +||content.familyfeatures.com^ +||content.harrisproductsgroup.com^ +||content.hourigan.group^ +||content.hurix.com^ +||content.investresolve.com^ +||content.linesight.com^ +||content.logile.com^ +||content.mhs.net^ +||content.mrgmarketing.net^ +||content.msufcu.org^ +||content.ncek12.com^ +||content.ndm.net^ +||content.northcdatacenters.info^ +||content.ntwine-conferencing.com^ +||content.palram.com^ +||content.qumulo.com^ +||content.recordpoint.com^ +||content.rightsourcemarketing.com^ +||content.sffirecu.org^ +||content.tacticalma.com^ +||content.timetogather.co.uk^ +||content.wacom.com^ +||content.xpublisher.com^ +||contracts.mhainc.com^ +||convergentdental.actonservice.com^ +||conveyor.lewcoinc.com^ +||corporate-marketing.hrs.com^ +||corporate.averydennison.com^ +||corporatecommunications.bvifsc.vg^ +||cpihrinfo.cpihr.com^ +||crawford-industries.actonservice.com^ +||creationagency.actonservice.com^ +||crm.casabaca.com^ +||crm.masonmac.com^ +||crm.toyotago.com.ec^ +||crmcommunications.progressive.com^ +||crmonline.actonservice.com^ +||crs.actonservice.com^ +||ctg.actonservice.com^ +||ctiimage.actonservice.com^ +||culliganwaterco.actonservice.com^ +||cure.trueface.org^ +||customer.newsflare.com^ +||customercare.aircycle.com^ +||customerrelations.theinstitutes.org^ +||customersucceed.nanophase.com^ +||cxm.ingeniux.com^ +||czsk.sharpmarketing.eu^ +||dacocorp.actonservice.com^ +||daegis.actonservice.com^ +||dallas-content.cresa.com^ +||danielsmoving.actonservice.com^ +||datafiletechnologies.actonservice.com^ +||dav.davrontech.com^ +||dbbest.actonservice.com^ +||dc.actonservice.com^ +||de.bca-news.com^ +||de.sharpmarketing.eu^ +||dealerrelations.cargurus.com^ +||dedola.actonservice.com^ +||deepcrawl.actonservice.com^ +||dev-iradimed.actonservice.com^ +||dev-spamgourmet.actonservice.com^ +||dev-tacticalma.actonservice.com^ +||devacton.simpleviewinc.com^ +||devotionalclicks.amazingfacts.org^ +||dextersolutions.actonservice.com^ +||dfw.bakerbrothersplumbing.com^ +||dialog.dqs.de^ +||dialog.losberger.com^ +||digital.medimpact.com^ +||digital.opsbase.com^ +||digital.setpointis.com^ +||digitalmarketing.gogsg.com^ +||digitalmarketing.smu.edu.sg^ +||dimensionfunding.actonservice.com^ +||dincloud.actonservice.com^ +||dincloudllc.actonservice.com^ +||diningalliance.actonservice.com^ +||discover.covenanthealthcare.com^ +||discover.dignityhealth.org^ +||discover.kloverproducts.com^ +||discover.maringeneral.org^ +||discover.megafrost.gr^ +||discover.supplydepotstore.com^ +||discoverorg.actonservice.com^ +||displaymaxmerchandising.actonservice.com^ +||distribution.provenpharma.com^ +||dkno.netpartnering.com^ +||dm.syntelli.com^ +||dmarkconsulting.actonservice.com^ +||dmc.romotur.com^ +||dmcc.actonservice.com^ +||dohmen.actonservice.com^ +||dotvox.actonservice.com^ +||downtownit.actonservice.com^ +||dppublishinginc.actonservice.com^ +||dqs.actonservice.com^ +||driven.actonservice.com^ +||dryvit.actonservice.com^ +||duprelogistics.actonservice.com^ +||durst-group.actonservice.com^ +||e.kc-education.com^ +||e.meridiancm.com^ +||e.replacementdevicelawsuit.com^ +||e.unchealthcare.org^ +||eagle.actonservice.com^ +||econnect.actonservice.com^ +||ed1.newtekone.com^ +||ed4online.actonservice.com^ +||edeals.rbp.com^ +||edeals.rhymebiz.com^ +||edge.secure-24.com^ +||edm.healthroundtable.org^ +||edm.neoslife.com.au^ +||edriving.actonservice.com^ +||edtrainingcenter.actonservice.com^ +||education.brettdanko.com^ +||education.eatoncambridge.com^ +||education.graduateprogram.org^ +||eeco-net.actonservice.com^ +||efgam.actonservice.com^ +||elastoproxy.actonservice.com^ +||elconfidencialdigital.actonservice.com^ +||electrifai.actonservice.com^ +||elgas.actonservice.com^ +||elink.altru.org^ +||elink.rushcopley.com^ +||elogic-learning.actonservice.com^ +||em-info2.thermofisher.com^ +||em.stauffersafety.com^ +||email-hg.holyredeemer.com^ +||email.apexauctions.com^ +||email.axisintegrated.ca^ +||email.bowl.com^ +||email.cobsbread.com^ +||email.eomega.org^ +||email.festiva.com^ +||email.mhr.co.uk^ +||email.participaction.com^ +||email.thewithotel.com^ +||email.voices.com^ +||email.vollrathco.com^ +||email.zumaoffice.com^ +||emailmarketing.vidanthealth.com^ +||emarketing.landisgyr.com^ +||emarketing.moveo.com^ +||emarketing.zulkiepartners.com^ +||emcalliance.vmware.com^ +||emea.kollmorgen.com^ +||emisgroupplc.actonservice.com^ +||emkt.stefanini.com^ +||emplicity.actonservice.com^ +||enablement.vmware.com^ +||enablis.actonservice.com^ +||enchantedrock.actonservice.com^ +||endeavorbusinessmedia.actonservice.com^ +||enews.learninga-z.com^ +||engage.alphastarcm.com^ +||engage.atriosystems.com^ +||engage.ca.victorinsurance.com^ +||engage.ce.victorinsurance.com^ +||engage.clinipace.com^ +||engage.dorngroup.com^ +||engage.dovetailinsurance.com^ +||engage.ipcginsurance.com^ +||engage.krm22.com^ +||engage.mhainc.com^ +||engage.navigatorgpo.com^ +||engage.nigp.org^ +||engage.permission.com.au^ +||engage.physicstoday.org^ +||engage.ria-insurancesolutions.com^ +||engage.td.org^ +||engage.tines.com^ +||engage.us.victorinsurance.com^ +||enrolldi.glic.com^ +||enterprisehive.actonservice.com^ +||enterpriseimaging.agfahealthcare.com^ +||eo.pearlinsurance.com^ +||epcvip.actonservice.com^ +||epicgolive.rainresources.com^ +||equippo.actonservice.com^ +||equity.e2g.com^ +||erepublic.actonservice.com^ +||es.lucanet.com^ +||es.sharpmarketing.eu^ +||eschsupply.actonservice.com^ +||eservices.lubetech.com^ +||esri.nl.actonservice.com^ +||estore.biscoind.com^ +||eu.sharpmarketing.eu^ +||eumarketing.sedgwick.com^ +||events.trapptechnology.com^ +||evergage1.actonservice.com^ +||eversource.actonservice.com^ +||evolent.actonservice.com^ +||evolutionmarketing.actonservice.com^ +||exdmarketing.smu.edu.sg^ +||execreps.actonsoftware.com^ +||experience.faiu.com^ +||experience.rochesterregional.org^ +||experts.actonservice.com^ +||experts.cutter.com^ +||explore.coursefinders.com^ +||explore.landcentral.com^ +||expo.nada.org^ +||extendyourreach.actonservice.com^ +||eyc-marketing.eyc.com^ +||fac.fanucamerica.com^ +||facetwealth.actonservice.com^ +||farahatco.actonservice.com^ +||fastenermkt.averydennison.com^ +||fbsg.fayebsg.com^ +||fdbs.actonservice.com^ +||fdiinc.actonservice.com^ +||fea-cfd.simutechgroup.com^ +||fedsched.actonservice.com^ +||festo.actonservice.com^ +||ffr.actonservice.com^ +||fi.on-channel.com^ +||fiber.zayo.com^ +||fiduciaryfirst.actonservice.com^ +||filbrandtco.actonservice.com^ +||filemobile.actonservice.com^ +||files.urlinsgroup.com^ +||financialeducation-info.uchicago.edu^ +||financialservices.nada.org^ +||financialservices.teranet.ca^ +||findyourinfluence.actonservice.com^ +||finley.fecinc.com^ +||finley.finleyusa.com^ +||firstpac.actonservice.com^ +||flexibleplan.actonservice.com^ +||flexpod.ynsecureserver.net^ +||flipt.actonservice.com^ +||floorforce.actonservice.com^ +||flotech.actonservice.com^ +||fluentco.actonservice.com^ +||fly.caljetelite.com^ +||fmbankva.actonservice.com^ +||fna.fnainsurance.com^ +||foodpackaging.kpfilms.com^ +||forbidden.actonservice.com^ +||forbin.actonservice.com^ +||forms.accc-cancer.org^ +||forms.cooperaerobics.com^ +||forms.testoil.com^ +||forpci3.siege-corp.com^ +||foxt.actonservice.com^ +||foxtinfo.foxt.com^ +||fr.lucanet.com^ +||fr.sharpmarketing.eu^ +||franchise.goodearthcoffeehouse.com^ +||franchise.locktonaffinity.net^ +||franchise.tutoringacademy.ca^ +||franchiserecruitment.laserclinics.ca^ +||franchising.indooractivebrands.com^ +||franchising.kas.co.nz^ +||franchising.mcdonalds.ca^ +||franchising.pizzapizza.ca^ +||franklin-edu.actonservice.com^ +||franklin.edu.actonservice.com^ +||frankwatching.actonservice.com^ +||franoppnetwork.actonservice.com^ +||frenchgerleman.actonservice.com^ +||fridaymarketing.actonservice.com^ +||frontiermetal.actonservice.com^ +||fsresidential.actonservice.com^ +||ftfnews.actonservice.com^ +||fujifilmdb.fujifilmdiosynth.com^ +||fundraising.centuryresources.com^ +||funnelbox.actonservice.com^ +||futurebrand.actonservice.com^ +||futursalumnes.uic.es^ +||gameplanfinancial.actonservice.com^ +||gas-sensing.spec-sensors.com^ +||gatan.actonservice.com^ +||gblock.greenhousedata.com^ +||generaleducation.graduateprogram.org^ +||geonetric.actonservice.com^ +||get.airecontact.com^ +||get.evidence.care^ +||get.incisive.com^ +||get.informedmortgage.com^ +||get.nuapay.com^ +||getstarted.national.edu^ +||gettoknow.skookum.com^ +||giftplanning.westmont.edu^ +||gk.gkservices.com^ +||global-guardians.actonservice.com^ +||global.raboag.com^ +||globalcommunications.sc.com^ +||globallearningsystems.actonservice.com^ +||globalmed.actonservice.com^ +||glue.evansadhesive.com^ +||gmnameplate.actonservice.com^ +||go.accumaxglobal.com.au^ +||go.acelisconnectedhealth.com^ +||go.adaquest.com^ +||go.alliancefunds.com^ +||go.americangriddle.com^ +||go.anthonyliftgates.com^ +||go.bayshoresystems.com^ +||go.bciburke.com^ +||go.bitnami.com^ +||go.biz.uiowa.edu^ +||go.brandactive.com^ +||go.brandactiveinsights.com^ +||go.brunswickgroup.com^ +||go.c4weld.com^ +||go.carlisleft.com^ +||go.clsi.org^ +||go.convenenow.com^ +||go.cresa.plantemoran.com^ +||go.delve.com^ +||go.diagraph.com^ +||go.diagraphmsp.com^ +||go.dukane.com^ +||go.durst-group.com^ +||go.eacpds.com^ +||go.eapps.com^ +||go.engiestorage.com^ +||go.esri.fi^ +||go.evolutionmarketing.com.au^ +||go.expresslanedefensivedriving.com^ +||go.fabplaygrounds.com^ +||go.foremostmedia.com^ +||go.gemapowdercoating.net^ +||go.getreadyforthefuture.com^ +||go.godunnage.com^ +||go.gpcom.com^ +||go.hatcocorp.com^ +||go.infopulse.com^ +||go.isbamutual.com^ +||go.janesvilleinnovation.com^ +||go.lanair.com^ +||go.lanmark360.com^ +||go.leecompany.com^ +||go.lendspace.com^ +||go.linksource.com^ +||go.loveshaw.com^ +||go.madisoncollege.edu^ +||go.marfeel.com^ +||go.metalgoodsmfg.com^ +||go.mitchell1.com^ +||go.mktgcampaigns.com^ +||go.multi-conveyor.com^ +||go.mvtec.com^ +||go.mysalonsuite.com^ +||go.ngtvalves.com^ +||go.northsidemedia.com^ +||go.nvp.com^ +||go.ovsoftware.nl^ +||go.peppermarketing.com.au^ +||go.pgx.com^ +||go.pheasant.com^ +||go.phhlending.com^ +||go.polarking.com^ +||go.polarkingmobile.com^ +||go.polarleasing.com^ +||go.quartz-events.com^ +||go.quartzinvitations.com^ +||go.rex-bac-t.com^ +||go.riosalado.edu^ +||go.rtafleet.com^ +||go.salessurrogate.com^ +||go.segra.com^ +||go.shareknowledge.com^ +||go.simco-ion.com^ +||go.simplomarketing.com^ +||go.solaruniverse.com^ +||go.spartansolutions.com^ +||go.spiroidgearing.com^ +||go.tactile.co^ +||go.tactile.com^ +||go.tdyne.com^ +||go.ticketbiz.se^ +||go.tigertool.com^ +||go.tm4.com^ +||go.tmacteex.org^ +||go.toonboom.com^ +||go.transversal.com^ +||go.triumphlearning.com^ +||go.unifiedav.com^ +||go.unifysquare.com^ +||go.unitusccu.com^ +||go.uscad.com^ +||go.ustruckbody.com^ +||go.wireco.com^ +||go.wm.plantemoran.com^ +||go.woodsidecap.com^ +||go.wtcmachinery.com^ +||go.zic.co.nz^ +||go2.altaro.com^ +||goaccredited.actonservice.com^ +||gobeyond.superiorgroup.com^ +||gogofunding.actonservice.com^ +||gogovapps.actonservice.com^ +||goldencomm.actonservice.com^ +||goldenhelix.actonservice.com^ +||goldenpaints.actonservice.com^ +||gosenergy.actonservice.com^ +||goto.newmarklearning.com^ +||govirtualoffice.actonservice.com^ +||gowestgroup.actonservice.com^ +||gowhiteowl.actonservice.com^ +||grado.ufv.es^ +||grande.actonservice.com^ +||grassrootsunwired.actonservice.com^ +||greenbeacon.actonservice.com^ +||greencharge.actonservice.com^ +||greif.actonservice.com^ +||groupevents.sixflags.com^ +||grow.business.xerox.com^ +||growthmodemarketing.actonservice.com^ +||guardiancu.actonservice.com^ +||guidepointglobal.actonservice.com^ +||guideposts.actonservice.com^ +||halo.actonservice.com^ +||hancockhealth.hancockregional.org^ +||hardinet.actonservice.com^ +||harlan.actonservice.com^ +||hcu.actonservice.com^ +||health.brgeneral.org^ +||health.hillcrest.com^ +||healthcasts.actonservice.com^ +||healthgrades.actonservice.com^ +||heartflow.actonservice.com^ +||helens.actonservice.com^ +||hello.controlmap.io^ +||hello.emergeinteractive.com^ +||hello.highlandsolutions.com^ +||hellogain.actonservice.com^ +||hesconet.actonservice.com^ +||hhglobal.actonservice.com^ +||hi.bigduck.com^ +||hickeysmith.actonservice.com^ +||hines.actonservice.com^ +||hitachi-hightech-as.actonservice.com^ +||hiway.actonservice.com^ +||hodges.actonservice.com^ +||hodgesmace.actonservice.com^ +||homecareresources.rosemarksystem.com^ +||homehardware.actonservice.com^ +||horacemann.actonservice.com^ +||horizononline.actonservice.com^ +||hotel-marketing.hrs.com^ +||houston-content.cresa.com^ +||hpninfo.hoopis.com^ +||hq.handiquilter.com^ +||hra.nyp.org^ +||hrm.healthgrades.com^ +||hronboard.actonservice.com^ +||hrs.actonservice.com^ +||hu.sharpmarketing.eu^ +||hub.hubfinancial.com^ +||hub.hubinternational.com^ +||hunterindustries.actonservice.com^ +||huseby.actonservice.com^ +||hvac.goodcoinc.com^ +||hygiena.actonservice.com^ +||hyperdisk.actonservice.com^ +||iatspayments.actonservice.com^ +||ibamolecular.actonservice.com^ +||icahealth.actonservice.com^ +||icharts.actonservice.com^ +||icslearn.actonsoftware.com^ +||ideadevice.actonservice.com^ +||idrivelogistics.actonservice.com^ +||ids.actonservice.com^ +||ignite.liftigniter.com^ +||igpr.actonservice.com^ +||ihc.cellmarque.com^ +||immunocorp.actonservice.com^ +||impact-dm.actonservice.com^ +||incisive.actonservice.com^ +||independence.americanportfolios.com^ +||inetprocess.actonservice.com^ +||info-fsi.stanford.edu^ +||info-pacific.marsh.com^ +||info-trek.actonservice.com^ +||info.abadiscount.org^ +||info.abcnorcal.org^ +||info.abcsd.org^ +||info.acacialearning.com^ +||info.accupurls.com^ +||info.accutrain.com^ +||info.acoginsurance.com^ +||info.admtech.com.au^ +||info.advanced-energy.com^ +||info.advantageman.com^ +||info.aestiva.com^ +||info.afidence.com^ +||info.aia-co.aleragroup.com^ +||info.aiabbs.aleragroup.com^ +||info.aiabrg.aleragroup.com^ +||info.allcatcoverage.com^ +||info.alticoadvisors.com^ +||info.americanroller.com^ +||info.anglianwaterbusiness.co.uk^ +||info.apbspeakers.com^ +||info.apisensor.com^ +||info.apparound.com^ +||info.applied.com^ +||info.appliedtech.pro^ +||info.archerdx.com^ +||info.ardentsolutionsllc.aleragroup.com^ +||info.ascassociation.org^ +||info.ashergroup.com^ +||info.aspcapro.org^ +||info.assure360.com^ +||info.astronovainc.com^ +||info.atlaslift.com^ +||info.atlastravel.com^ +||info.augustahealth.org^ +||info.authentic4d.com^ +||info.autozonepro.com^ +||info.avantiplc.com^ +||info.avmalife.org^ +||info.avondixon.aleragroup.com^ +||info.awos.com^ +||info.azuga.com^ +||info.b2lead-marketing.com^ +||info.backbonemedia.com^ +||info.base2s.com^ +||info.battelle.org^ +||info.bauerbuilt.com^ +||info.bcn.nl^ +||info.beaconmedicare.aleragroup.com^ +||info.beaumont.org^ +||info.bellingrathwealth.com^ +||info.belltechlogix.com^ +||info.bematechus.com^ +||info.benico.aleragroup.com^ +||info.bgi.com^ +||info.biafs.aleragroup.com^ +||info.bintheredumpthatusa.com^ +||info.biocision.com^ +||info.biologos.org^ +||info.bkifg.com^ +||info.blazecu.com^ +||info.blueskytherapy.net^ +||info.brand.live^ +||info.briefing.com^ +||info.brilliantfs.com^ +||info.bris.bdo.com.au^ +||info.burnswhite.com^ +||info.bvcm.nl^ +||info.bvo.nl^ +||info.cafonline.org^ +||info.calnexsol.com^ +||info.calypto.com^ +||info.camchealth.org^ +||info.canterburyconsulting.com^ +||info.capitalonesettlement.com^ +||info.capsresearch.org^ +||info.cascadeo.com^ +||info.castlemetals.com^ +||info.ccbjournal.com^ +||info.centrak.com^ +||info.centurybizsolutions.com^ +||info.cfevr.org^ +||info.cgjordaninsurance.com^ +||info.charityvillage.com^ +||info.chat-desk.com^ +||info.cignex.com^ +||info.citymarketingamersfoort.nl^ +||info.claimscope.com^ +||info.clariant.com^ +||info.clarus-rd.com^ +||info.cleanharbors.com^ +||info.cleaningproducts.com^ +||info.clearfunction.com^ +||info.cloudsteer.com^ +||info.cmcagile.com^ +||info.cmworks.com^ +||info.columninfosec.com^ +||info.commonwealthcommercial.com^ +||info.compusource.com^ +||info.comsoft-direct.nl^ +||info.conceptuitgeefgroep.nl^ +||info.conres.com^ +||info.constellationbehavioralhealth.com^ +||info.cpenow.com^ +||info.cpihr.aleragroup.com^ +||info.cranes101.com^ +||info.creadis.com^ +||info.createeveryopportunity.org^ +||info.cresinsurance.com^ +||info.crisp.aleragroup.com^ +||info.crossmfg.com^ +||info.ctiimage.com^ +||info.culturespanmarketing.com^ +||info.cvosusa.com^ +||info.dailybuzzbarrel.com^ +||info.dairymaster.com^ +||info.data-basics.com^ +||info.datasci.com^ +||info.datiphy.com^ +||info.davidrio.com^ +||info.dbbest.com^ +||info.demandmetric.com^ +||info.dgq.de^ +||info.dickerson-group.aleragroup.com^ +||info.digitalsys.com^ +||info.dimensionfunding.com^ +||info.dlancegolf.com^ +||info.doigcorp.com^ +||info.drawingboard.com^ +||info.duprelogistics.com^ +||info.dynamictechservices.com^ +||info.e-tabs.com^ +||info.eagleinvsys.com^ +||info.easealert.com^ +||info.echelonprint.com^ +||info.eco.ca^ +||info.edriving.com^ +||info.edtrainingcenter.com^ +||info.eecoonline.com^ +||info.electrifai.net^ +||info.em-ametek.com^ +||info.emergentsx.com^ +||info.emersonecologics.com^ +||info.emishealth.com^ +||info.enduraproducts.com^ +||info.energizect.com^ +||info.epworthvilla.org^ +||info.escocorp.com^ +||info.esriaustralia.com.au^ +||info.esriindonesia.co.id^ +||info.esrimalaysia.com.my^ +||info.esrisingapore.com.sg^ +||info.etgroup.net^ +||info.eu.tmi.yokogawa.com^ +||info.exxcel.com^ +||info.fairwaywholesalelending.com^ +||info.familyfeatures.com^ +||info.fastfundlending.com^ +||info.fastroofquotes.com^ +||info.fazzi.com^ +||info.filesanywhere.com^ +||info.financefactors.com^ +||info.flattstationers.com^ +||info.fleetlanding.com^ +||info.flexoimpressions.com^ +||info.flyingwithjets.com^ +||info.flytevu.com^ +||info.fminet.com^ +||info.focuspos.com^ +||info.footstepsgroup.com^ +||info.formiik.com^ +||info.forumbenefits.aleragroup.com^ +||info.fosterslaw.ca^ +||info.foundationsoft.com^ +||info.fourkitchens.com^ +||info.fptransitions.com^ +||info.franklin.edu^ +||info.freedom-iot.com^ +||info.freedomcte.com^ +||info.frenchgerleman.com^ +||info.furykeywest.com^ +||info.gantryinc.com^ +||info.gatan.com^ +||info.gcaaltium.com^ +||info.gcgfinancial.aleragroup.com^ +||info.genesishealth.com^ +||info.geonetric.com^ +||info.girlswhoinvest.org^ +||info.gkg.net^ +||info.glenviewterrace.com^ +||info.globalventuring.com^ +||info.gluenetworks.com^ +||info.gluware.com^ +||info.goagilix.com^ +||info.goegyptian.com^ +||info.goldmine.com^ +||info.gravie.com^ +||info.graystone-eye.com^ +||info.greenbusinessnetwork.org^ +||info.greenosupply.com^ +||info.greentarget.com^ +||info.greif.com^ +||info.groupbenefits.aleragroup.com^ +||info.groupservices.aleragroup.com^ +||info.guardiancu.org^ +||info.gucu.org^ +||info.guideposts.org^ +||info.halo.com^ +||info.halogistics.com^ +||info.harmonyhit.com^ +||info.harvardapparatus.com^ +||info.hds-rx.com^ +||info.healthcareittoday.com^ +||info.healthcarescene.com^ +||info.heartflow.com^ +||info.heirtight.co^ +||info.helens.se^ +||info.hesconet.com^ +||info.hiway.org^ +||info.hmk-ins.aleragroup.com^ +||info.holisticprimarycare.net^ +||info.holmenpaper.com^ +||info.hoopla.net^ +||info.horanassoc.com^ +||info.huseby.com^ +||info.hygfinancialservicesinc.com^ +||info.iatspayments.com^ +||info.ibamolecular.com^ +||info.ibexherd.com^ +||info.ic3dprinters.com^ +||info.icahn.org^ +||info.icslearn.co.uk^ +||info.ielts.com.au^ +||info.iihnordic.dk^ +||info.ijungo.com^ +||info.imagethink.net^ +||info.imagimob.com^ +||info.inigral.com^ +||info.insurancehotline.com^ +||info.interworks.cloud^ +||info.invata.com^ +||info.invo-progressus.com^ +||info.ioactive.com^ +||info.ironcad.com^ +||info.itw-air.com^ +||info.itwcce.com^ +||info.iwerk.com^ +||info.jabil.com^ +||info.jacksoncoker.com^ +||info.jacounter.aleragroup.com^ +||info.janiczek.com^ +||info.jccc.edu^ +||info.jensenhughes.com^ +||info.jfahern.com^ +||info.johonnottechnologies.com^ +||info.jonas-construction.com^ +||info.jordansc.com^ +||info.josephmday.com^ +||info.jwpepper.com^ +||info.kahnlitwin.com^ +||info.kanetix.ca^ +||info.kedronuk.com^ +||info.key2.ca^ +||info.key4cleaningsupplies.com^ +||info.klasresearch.com^ +||info.kollmorgen.cn^ +||info.kollmorgen.com^ +||info.kratosdefense.com^ +||info.kuttatech.com^ +||info.labelworks.com^ +||info.laconservancy.org^ +||info.lakewoodwestend.org^ +||info.landstar.com^ +||info.lansingbp.com^ +||info.laseradvanced.com^ +||info.ledcrew.com^ +||info.liftfund.com^ +||info.lincolnloop.com^ +||info.linkmedia360.com^ +||info.livingwage.org.uk^ +||info.locbox.com^ +||info.lonebeaconmedia.com^ +||info.lowestrates.ca^ +||info.lsualumni.org^ +||info.macro4.com^ +||info.mactac.com^ +||info.madronafinancial.com^ +||info.magnumsystems.com^ +||info.magnuspen.com^ +||info.managementsuccess.com^ +||info.marketing.spxflow.com^ +||info.marshmsp.com^ +||info.marshpcs.com^ +||info.marublue.com^ +||info.maruedrcx.com^ +||info.marugroup.net^ +||info.marumatchbox.com^ +||info.mccloudservices.com^ +||info.med-iq.com^ +||info.membercoverage.com^ +||info.memberzone.com^ +||info.mergertech.com^ +||info.meriwest.com^ +||info.meyerandassoc.com^ +||info.mhzdesign.com^ +||info.michaelfoods.com^ +||info.micro-matics.com^ +||info.midwestdatacenterexperts.com^ +||info.milestoneinternet.com^ +||info.mindbreeze.com^ +||info.mmmlaw.com^ +||info.mobiusleadership.com^ +||info.mobmed.com^ +||info.moneycontrol.network18online.com^ +||info.monsooninc.com^ +||info.morganfranklin.com^ +||info.motion10.nl^ +||info.msconsultants.com^ +||info.mshs.com^ +||info.multichannelsystems.com^ +||info.multitech.com^ +||info.museumofthebible.org^ +||info.mvp.nl^ +||info.mwhccareers.com^ +||info.myservicepak.com^ +||info.naag.org^ +||info.nahealth.com^ +||info.nai-consulting.com^ +||info.narcdc.org^ +||info.naswinsure.com^ +||info.nationalfoodgroup.com^ +||info.natlenvtrainers.com^ +||info.navitassys.com^ +||info.navitor.com^ +||info.ncoi.nl^ +||info.neosllc.com^ +||info.nepsisadvisors.com^ +||info.neptune-software.com^ +||info.nescornow.com^ +||info.netec.com^ +||info.nets-inc.com^ +||info.network9.com^ +||info.ngfcu.us^ +||info.nibesvv.nl^ +||info.nicholsonclinic.com^ +||info.nilex.com^ +||info.norman-spencer.com^ +||info.normecfoodcare.com^ +||info.northcdatacenters.com^ +||info.northeast.aleragroup.com^ +||info.northshore.org^ +||info.novahealthcare.com^ +||info.novahomeloans.com^ +||info.nvtc.org^ +||info.ochsner.org^ +||info.ocr-inc.com^ +||info.oh-ins.com^ +||info.omep.org^ +||info.onlinetech.com^ +||info.ortecfinance.com^ +||info.osiriseducational.co.uk^ +||info.osufoundation.org^ +||info.padistance.org^ +||info.parallel6.com^ +||info.parivedasolutions.com^ +||info.patientwise.com^ +||info.patrickandco.com^ +||info.paydashboardinfo.com^ +||info.payroll4construction.com^ +||info.pentra.aleragroup.com^ +||info.pentra.com^ +||info.perceptics.com^ +||info.perfectpatients.com^ +||info.personable.com^ +||info.pestfree.direct^ +||info.pharmaseek.com^ +||info.philadelphia.aleragroup.com^ +||info.phionline.com^ +||info.phsmobile.com^ +||info.pillartopost.com^ +||info.pittsburgh.aleragroup.com^ +||info.pmg360research.com^ +||info.pmhsi.com^ +||info.polypak.com^ +||info.positioninteractive.com^ +||info.precisebusiness.com.au^ +||info.precoa.com^ +||info.prep101.com^ +||info.prodagio.com^ +||info.progressinvestment.com^ +||info.prontopilates.com^ +||info.prosperafinancial.com^ +||info.provencut.com^ +||info.r2cgroup.com^ +||info.racksquared.com^ +||info.rates.ca^ +||info.raytecled.com^ +||info.rbatriad.com^ +||info.re-sourcepartners.com^ +||info.reachtech.com^ +||info.readingpartners.org^ +||info.recoverypoint.com^ +||info.redlinesolutions.com^ +||info.relphbenefit.aleragroup.com^ +||info.relphbenefitadvisors.aleragroup.com^ +||info.reltio.com^ +||info.rescignos.com^ +||info.rev1ventures.com^ +||info.rhahvac.com^ +||info.rodenhiser.com^ +||info.romerlabs.com^ +||info.rumsey.com^ +||info.safecorhealth.com^ +||info.safeguardrisksolutions.com^ +||info.safelogic.com^ +||info.safety-kleen.com^ +||info.sagewater.com^ +||info.sante-group.com^ +||info.savesfbay.org^ +||info.sbsgroup.com.au^ +||info.scheidegger.nl^ +||info.schmidt-na.com^ +||info.schoolspecialtynews.com^ +||info.scoopinsurance.ca^ +||info.scottmadden.com^ +||info.scriptel.com^ +||info.secotools.com^ +||info.send-server.com^ +||info.senior-systems.com^ +||info.serverlift.com^ +||info.services.vivacom.bg^ +||info.sherriffhealthcaresearch.com^ +||info.shilohtech.com^ +||info.shirazi.aleragroup.com^ +||info.siege-corp.com^ +||info.siglentna.com^ +||info.simutechmultimedia.com^ +||info.sispartnerplatform.com^ +||info.skystem.com^ +||info.smartbrief.com^ +||info.smartstrategyapps.com^ +||info.smartstrategyonline.com^ +||info.smilemarketing.com^ +||info.solidscape.com^ +||info.southstarcapital.com^ +||info.spark-point.com^ +||info.spencerfane.com^ +||info.sseinc.com^ +||info.sswhitedental.com^ +||info.stdom.com^ +||info.stratus.hr^ +||info.suite1000.com^ +||info.summitministries.org^ +||info.suncloudhealth.com^ +||info.supercare.health^ +||info.superchoiceservices.com.au^ +||info.suzy.com^ +||info.sydist.com^ +||info.symbio.com^ +||info.synteract.com^ +||info.tcasonline.com^ +||info.technologia.com^ +||info.techoregon.org^ +||info.techwave.net^ +||info.teletrac.net^ +||info.terracesatcloverwood.org^ +||info.terradatum.com^ +||info.tetravx.com^ +||info.texastaxgroup.com^ +||info.theaba.org^ +||info.thecentennial.aleragroup.com^ +||info.themichaelmannteam.com^ +||info.themsrgroup.com^ +||info.themyersbriggs.com^ +||info.thepgaofamerica.com^ +||info.theprogressiveaccountant.com^ +||info.thesmsgroup.com^ +||info.thestoryoftexas.com^ +||info.thomsonlinear.com^ +||info.tidbank.no^ +||info.tiwoiltools.com^ +||info.tmlt.org^ +||info.totango.com^ +||info.touchtown.us^ +||info.tpctrainco.com^ +||info.tpctraining.com^ +||info.tradeinterchange.com^ +||info.trapptechnology.com^ +||info.treeoflifecenterus.com^ +||info.trendler.com^ +||info.trinityconsultants.com^ +||info.truemfg.com^ +||info.truitycu.org^ +||info.tscpainsure.org^ +||info.txeee.engr.utexas.edu^ +||info.tyfone.com^ +||info.uchealth.com^ +||info.uila.com^ +||info.unicosystem.com^ +||info.unicous.com^ +||info.upcurvecloud.com^ +||info.valencepm.com^ +||info.vaporstream.com^ +||info.vcsolutions.com^ +||info.venturesolutions.com^ +||info.veoci.com^ +||info.verifund.tech^ +||info.vesselsvalue.com^ +||info.vestapublicsafety.com^ +||info.vibro-acoustics.com^ +||info.vidanthealth.com^ +||info.vierhetseizoen.nl^ +||info.virtela.net^ +||info.virtusbenefits.aleragroup.com^ +||info.visitgranbury.com^ +||info.visitorlando.com^ +||info.vistasiteselection.com^ +||info.visuresolutions.com^ +||info.vizquest.com^ +||info.vorne.com^ +||info.voxbone.com^ +||info.w-systems.com^ +||info.wafergen.com^ +||info.walkingclassroom.org^ +||info.washingtoninstitute.org^ +||info.watertechonline.com^ +||info.wellbe.me^ +||info.weloveournewwindows.com^ +||info.wespath.com^ +||info.westerville.org^ +||info.woodward.com^ +||info.wsplanadvisor.com^ +||info.xactflex.com^ +||info.yankeehome.com^ +||info.zelmanassociates.com^ +||info.zoominfo-notice.com^ +||info.zoominfo-privacy.com^ +||info.zoominfo.io^ +||info.zoominfotechnologies.com^ +||info.zoomintel.com^ +||info.zuidema.nl^ +||info01.on24.com^ +||infoco.readingpartners.org^ +||infodc.readingpartners.org^ +||infola.readingpartners.org^ +||infoland.actonservice.com^ +||infontx.readingpartners.org^ +||infonyc.readingpartners.org^ +||inform.milestonegroup.com.au^ +||inform.milestonegroup.com^ +||information.cleanservices.co.uk^ +||information.fi360.com^ +||information.remploy.co.uk^ +||infosea.readingpartners.org^ +||infoservice.paratherm.com^ +||infosfba.readingpartners.org^ +||infospot.roanokegroup.com^ +||infotc.readingpartners.org^ +||infotul.readingpartners.org^ +||inkubate.actonservice.com^ +||innovate.bionix.com^ +||innovation.communica.world^ +||innovation.leeind.com^ +||innovation.rlgbuilds.com^ +||innovation.thinkcommunica.com^ +||innovations.provisur.com^ +||insight.boomer.com^ +||insight.redflashgroup.com^ +||insight.wittkieffer.com^ +||insights.alley.com^ +||insights.avad3.com^ +||insights.diamond-consultants.com^ +||insights.goodandprosper.com^ +||insights.hugheseurope.com^ +||insights.i-runway.com^ +||insights.jabian.com^ +||insights.jackporter.com^ +||insights.journey.world^ +||insights.nowitmatters.com^ +||insights.openfieldx.com^ +||insights.partnerwithfacet.com^ +||insights.squintopera.com^ +||install.orderwork.online^ +||insurance.caainsurancecompany.com^ +||insurance.thehullgroup.com^ +||insurancenoodle.actonservice.com^ +||int.actonservice.com^ +||int.deltafaucet.com^ +||intechservices.actonservice.com^ +||intelledox.actonservice.com^ +||intelli-shop.actonservice.com^ +||interedgemarketing.actonservice.com^ +||internalcomms.hubinternational.com^ +||international.wandw.ac.nz^ +||interworks.cloud.actonservice.com^ +||invata.actonservice.com^ +||invited.louwmanexclusive.nl^ +||inx-corp.actonservice.com^ +||ioactiveinc.actonservice.com^ +||ip.chipestimate.com^ +||ipinternational.actonservice.com^ +||iq.intellicyt.com^ +||isbamic.actonservice.com^ +||isentia.actonservice.com^ +||ishainsight.actonservice.com^ +||isoplexis.actonservice.com^ +||it.sharpmarketing.eu^ +||iwantglobal.actonservice.com^ +||jagransolutions.com.actonservice.com^ +||javs.actonservice.com^ +||jeedmact.sc.com^ +||jeffersonawards.actonservice.com^ +||jensenhughes.actonservice.com^ +||jetlinx.actonservice.com^ +||jifflenow.actonservice.com^ +||jobappplus.actonservice.com^ +||join.opencare.com^ +||joinsai.securitiesamerica.com^ +||joinus.holidayseniorliving.com^ +||jumpstartinc.actonservice.com^ +||jwpepper.actonsoftware.com^ +||kbs-services.actonservice.com^ +||kennisdomein.pqr.com^ +||kesko.actonservice.com^ +||kestlerfinancial.actonservice.com^ +||key2.actonservice.com^ +||keynotegroup.actonservice.com^ +||kidsdeservethebest.childrenswi.org^ +||kidsdeservethebest.chw.org^ +||kimberlyspa.actonservice.com^ +||kkhq.actonservice.com^ +||km.rightanswers.com^ +||know.gardner-webb.edu^ +||know.gimmal.com^ +||knowledge.equitymethods.com^ +||kone-cranes.actonservice.com^ +||kratosdefense.actonservice.com^ +||kristechwire.actonservice.com^ +||krm22.actonservice.com^ +||ksamarketing.sedgwick.com^ +||kurzweiledu.actonservice.com^ +||kuwaitmarketing.sedgwick.com^ +||kws.holdmybeerconsulting.com^ +||kyloepartners.actonservice.com^ +||lammico.actonservice.com^ +||landrykling.actonservice.com^ +||landstar.actonservice.com^ +||landuscooperative.actonservice.com^ +||lansinoh.actonservice.com^ +||lapiana.actonservice.com^ +||laplink.actonservice.com^ +||laserconcepts.actonservice.com^ +||lawyers.rigbycooke.com.au^ +||layeredinsight.actonservice.com^ +||lcscompanies.lcsnet.com^ +||leadcertain.actonservice.com^ +||leadership.zengerfolkman.com^ +||learn.altsourcesoftware.com^ +||learn.apartnership.com^ +||learn.brightspotstrategy.com^ +||learn.centricconsulting.com^ +||learn.healthyinteractions.com^ +||learn.image-iq.com^ +||learn.ultherapy.com^ +||ledgeviewpartners.actonservice.com^ +||leecompany.actonservice.com^ +||levementum.actonservice.com^ +||lgm.averydennison.com^ +||lhasalimited.actonservice.com^ +||libertyhomeequity.actonservice.com^ +||library.westernstatescat.com^ +||licensinginsights.ascap.com^ +||lighterthinnerstronger.fiber-line.com^ +||lilogy.actonservice.com^ +||link.hitachi-hightech.com^ +||links.asbury.org^ +||links.riverview.org^ +||loans.rategenius.com^ +||loansales.cbre.com^ +||lodicoandco.actonservice.com^ +||loginvsi.actonservice.com^ +||logistics.osmworldwide.com^ +||look-ahead.nurturemarketing.com^ +||lord.actonservice.com^ +||loveeveryday.brighterkind.com^ +||lowermybills.actonsoftware.com^ +||lp.fsresidential.com^ +||lp.mnp.ca^ +||lp.rallypoint.com^ +||ltcnetwork.mhainc.com^ +||lucanet.actonservice.com^ +||lumenera.actonservice.com^ +||lydallpm.actonservice.com^ +||lyonsdown.actonservice.com^ +||m-m.actonservice.com^ +||m.acmgloballab.com^ +||m.evolutiondigital.com^ +||m.smartmatch.email^ +||m.vistaresourcegroup.com^ +||m2t.actonservice.com^ +||ma.a3.se^ +||ma.axiomatics.com^ +||ma.betterbusiness.se^ +||ma.brightby.se^ +||ma.cbre.com^ +||ma.kyloepartners.com^ +||ma.lekab.com^ +||ma.lexicon.se^ +||ma.meritgo.se^ +||ma.meritmind.se^ +||ma.moblrn.com^ +||ma.mvr.se^ +||ma.mw-ind.com^ +||ma.pasco.com^ +||ma.preciofishbone.se^ +||ma.pricegain.com^ +||ma.prover.com^ +||ma.revideco.se^ +||ma.ri.se^ +||ma.smartplanes.se^ +||ma.tss.se^ +||ma.uslawns.com^ +||madisoncres.actonservice.com^ +||mafiahairdresser.actonservice.com^ +||maformationofficinale.actonservice.com^ +||mail-rite.actonservice.com^ +||mail.fathomdelivers.com^ +||mail.finwellgroup.com^ +||mail.firsthome.com^ +||mail.spandex.com^ +||mailer.conad.com^ +||mailer.gameloft.com^ +||mailers.fusioncharts.com^ +||mailers.unitedadlabel.com^ +||mailing.elconfidencialdigital.com^ +||manufacturing.autodeskcommunications.com^ +||marcom.biodex.com^ +||marcom.biodexrehab.com^ +||marcomauto.globalfoundries.com^ +||marcomm.woodward.com^ +||marcomms.maistro.com^ +||maricich.actonservice.com^ +||markentive.actonservice.com^ +||marketing-company.getinsured.com^ +||marketing-fl.waterstonemortgage.com^ +||marketing-info.cargurus.com^ +||marketing-test.aqr.com^ +||marketing-uk.reputation.com^ +||marketing-us.alere.com^ +||marketing-us.contentguru.com^ +||marketing-us.palettesoftware.com^ +||marketing.1-800boardup.com^ +||marketing.100days.co.il^ +||marketing.188weststjames.com^ +||marketing.1edisource.com^ +||marketing.2016cle.com^ +||marketing.2inspire.com^ +||marketing.3dcadtools.com^ +||marketing.3mark.com^ +||marketing.4over.com^ +||marketing.4sightcomms.com^ +||marketing.602.cz^ +||marketing.90degreebenefits.com^ +||marketing.a1cu.org^ +||marketing.a2btracking.com^ +||marketing.aaaflag.com^ +||marketing.aad.org^ +||marketing.aamcompany.com^ +||marketing.abaco.com^ +||marketing.abnbfcu.org^ +||marketing.absoft.co.uk^ +||marketing.acadian-asset.com^ +||marketing.accedo.tv^ +||marketing.acceleratedwealth.com^ +||marketing.accesscapitalgrp.com^ +||marketing.accesshardware.com^ +||marketing.accountorgroup.com^ +||marketing.accuride.com^ +||marketing.accurisksolutions.com^ +||marketing.acendas.com^ +||marketing.acieu.net^ +||marketing.acromag.com^ +||marketing.acrowire.com^ +||marketing.act-on.com^ +||marketing.activehousing.co.uk^ +||marketing.activeprospect.com^ +||marketing.acumenehr.com^ +||marketing.acumenmd.com^ +||marketing.adamasconsulting.com^ +||marketing.adept-telecom.co.uk^ +||marketing.advancedpowertech.com^ +||marketing.advancedpractice.com^ +||marketing.advanceflooring.co.nz^ +||marketing.advantage.tech^ +||marketing.advectas.se^ +||marketing.advicemedia.com^ +||marketing.advisorsres.com^ +||marketing.aefonline.org^ +||marketing.afterschoolallstars.org^ +||marketing.agracel.com^ +||marketing.airefco.com^ +||marketing.akaes.com^ +||marketing.alaskavisit.com^ +||marketing.alcopro.com^ +||marketing.alere.com^ +||marketing.alereforensics.com^ +||marketing.alfalak.com^ +||marketing.alhi.com^ +||marketing.all-wall.com^ +||marketing.allgress.com^ +||marketing.allmy-data.com^ +||marketing.almalasers.com^ +||marketing.almusnet.com^ +||marketing.alphabroder.ca^ +||marketing.alphabroder.com^ +||marketing.alphacommsolutions.com^ +||marketing.alphastarcm.com^ +||marketing.alsearsmd.com^ +||marketing.am.jll.com^ +||marketing.americanairlinescenter.com^ +||marketing.americanbathgroup.com^ +||marketing.americanweathertechsoffers.com^ +||marketing.amerindrisk.org^ +||marketing.amishcountry.org^ +||marketing.amocc.net^ +||marketing.analysysmason.com^ +||marketing.anchorage.net^ +||marketing.andaluciarealty.com^ +||marketing.angellmarketing.com^ +||marketing.aod-cloud.com^ +||marketing.aoneatm.com^ +||marketing.aotourism.com^ +||marketing.apllogistics.com^ +||marketing.apnconsultinginc.com^ +||marketing.apparound.com^ +||marketing.apptus.com^ +||marketing.aqr.com^ +||marketing.aragonresearch.com^ +||marketing.arcsona.com^ +||marketing.arenasports.net^ +||marketing.ariser.se^ +||marketing.arlington-capital.com^ +||marketing.arlington.org^ +||marketing.armsolutions.com^ +||marketing.arrayasolutions.com^ +||marketing.artemiscm.com^ +||marketing.asginsurance.com^ +||marketing.ashcroft.com^ +||marketing.ashianahomes.com^ +||marketing.asmarterwindow.com^ +||marketing.assetstrategy.com^ +||marketing.astecsolutions.com^ +||marketing.asteracu.com^ +||marketing.astm.org^ +||marketing.asurarisk.com^ +||marketing.atcautomation.com^ +||marketing.aten.com^ +||marketing.atlanticcitynj.com^ +||marketing.atlanticdiagnosticlaboratories.com^ +||marketing.att-smb.com^ +||marketing.attaneresults.com^ +||marketing.attivoconsulting.com^ +||marketing.attocube.com^ +||marketing.attunelive.com^ +||marketing.austiner.com^ +||marketing.autopayplus.com^ +||marketing.avantage.nl^ +||marketing.aventel.nl^ +||marketing.aviacode.com^ +||marketing.avtex.com^ +||marketing.awh.net^ +||marketing.awidubai.com^ +||marketing.ayesa.com^ +||marketing.balconette.co.uk^ +||marketing.baltimore.org^ +||marketing.barbizon.com^ +||marketing.barenbrug.co.uk^ +||marketing.baristaproshop.com^ +||marketing.barnumfg.com^ +||marketing.barsnet.com^ +||marketing.basalite.com^ +||marketing.baschrock-fg.com^ +||marketing.basyspro.com^ +||marketing.bayhealth.org^ +||marketing.bbsmartsolutions.com^ +||marketing.bca.srl^ +||marketing.bcaespana.es^ +||marketing.bcaportugal.pt^ +||marketing.bcltechnologies.com^ +||marketing.bcpas.com^ +||marketing.beachleymedical.com^ +||marketing.bellwethercorp.com^ +||marketing.beneplace.com^ +||marketing.benzcommunications.com^ +||marketing.beringer.net^ +||marketing.berktek.us^ +||marketing.bfandt.com^ +||marketing.bftwealth.com^ +||marketing.biomerieux-usa.com^ +||marketing.bioquell.com^ +||marketing.biotek.com^ +||marketing.bisongear.com^ +||marketing.biworldwide.co.uk^ +||marketing.blacktrace.com^ +||marketing.blastone.com^ +||marketing.blauw.com^ +||marketing.bldgcontrols.com^ +||marketing.bloomingtonmn.org^ +||marketing.bluebox.net^ +||marketing.bluebusiness.com^ +||marketing.bluefcu.com^ +||marketing.bluemarblepayroll.com^ +||marketing.bluvue.com^ +||marketing.bmlwealth.net^ +||marketing.bobswatches.com^ +||marketing.bodine-electric.com^ +||marketing.bodybilt.com^ +||marketing.boeingavenue8.nl^ +||marketing.bondcapital.ca^ +||marketing.bostwick-braun.com^ +||marketing.bouldercoloradousa.com^ +||marketing.boxerproperty.com^ +||marketing.boxmanstudios.com^ +||marketing.braintraffic.com^ +||marketing.branchserv.com^ +||marketing.brandingbusiness.com^ +||marketing.brandonindustries.com^ +||marketing.brandywinevalley.com^ +||marketing.braunintertec.com^ +||marketing.brucknertruck.com^ +||marketing.brukeroptics.com^ +||marketing.bruynzeel.org^ +||marketing.bswift.com^ +||marketing.btcelectronics.com^ +||marketing.budpack.com^ +||marketing.buffalojeans.com^ +||marketing.bulkbookstore.com^ +||marketing.buscircle.com^ +||marketing.business-events.lu^ +||marketing.business-sweden.se^ +||marketing.businesssystemsuk.com^ +||marketing.butlercc.edu^ +||marketing.c-c-l.com^ +||marketing.cabinsatgreenmountain.com^ +||marketing.cableloc.com^ +||marketing.cachetservices.com^ +||marketing.cadillacmichigan.com^ +||marketing.caldwell.com^ +||marketing.caldwellpartners.com^ +||marketing.caliberpublicsafety.com^ +||marketing.calilighting.com^ +||marketing.callahan.agency^ +||marketing.callmeonmycell.com^ +||marketing.callsource.com^ +||marketing.callutc.com^ +||marketing.calm.io^ +||marketing.campbellwealth.com^ +||marketing.campusadv.com^ +||marketing.candorcircuitboards.com^ +||marketing.caplin.com^ +||marketing.careservicesllc.com^ +||marketing.careworks.com^ +||marketing.cargas.com^ +||marketing.carillonlubbock.com^ +||marketing.carlisleit.com^ +||marketing.carltontechnologies.com^ +||marketing.carmichael-hill.com^ +||marketing.carolina.com^ +||marketing.castrum.uk^ +||marketing.catamarans.com^ +||marketing.cbancnetwork.com^ +||marketing.ccbtechnology.com^ +||marketing.celayix.com^ +||marketing.celebratinghomedirect.com^ +||marketing.cellero.com^ +||marketing.celona.io^ +||marketing.celsiusinternational.com^ +||marketing.centra.org^ +||marketing.centreforaviation.com^ +||marketing.centsoft.se^ +||marketing.certipay.com^ +||marketing.cfa.ca^ +||marketing.challengemyteam.co.uk^ +||marketing.championsales.com^ +||marketing.chancefinancialgroup.com^ +||marketing.charityfirst.com^ +||marketing.charliebaggsinc.com^ +||marketing.chemometec.com^ +||marketing.cheyenne.org^ +||marketing.choosechicago.com^ +||marketing.christchurchnz.com^ +||marketing.chromachecker.com^ +||marketing.ciandt.com^ +||marketing.circadence.com^ +||marketing.cisco-eagle.com^ +||marketing.citycollege.edu^ +||marketing.cjisgroup.com^ +||marketing.cla.aero^ +||marketing.claritydiagnostics.com^ +||marketing.clarityqst.com^ +||marketing.clarosanalytics.com^ +||marketing.classroominc.org^ +||marketing.cleardigital.com^ +||marketing.clearlaws.com^ +||marketing.clearviewlive.com^ +||marketing.clickatell.com^ +||marketing.clientsfirst-us.com^ +||marketing.cliffordpower.com^ +||marketing.clinigengroup.com^ +||marketing.cloudmerge.com^ +||marketing.cnalloys.co.uk^ +||marketing.coastalmississippi.com^ +||marketing.coastaloakins.com^ +||marketing.coconutmalorie.com^ +||marketing.codebaby.com^ +||marketing.cofactordigital.com^ +||marketing.cogentco.com^ +||marketing.colliers.com^ +||marketing.cologuardclassic.com^ +||marketing.comda.com^ +||marketing.comeovertoplover.com^ +||marketing.commercehomemortgage.com^ +||marketing.communityassociationmanagement.com^ +||marketing.complianceassociates.ca^ +||marketing.compmort.com^ +||marketing.computerguidance.com^ +||marketing.compuware.com^ +||marketing.confidentialcures.com^ +||marketing.congress.eular.org^ +||marketing.connect.scanstat.com^ +||marketing.connectandsell.com^ +||marketing.conney.com^ +||marketing.constructionmonitor.com^ +||marketing.construsoft.com^ +||marketing.consumermkts1.com^ +||marketing.contentguru.nl^ +||marketing.convergentusa.com^ +||marketing.copc.com^ +||marketing.coregroupusa.com^ +||marketing.corneagen.com^ +||marketing.cornerstonevegas.com^ +||marketing.corrigan.com^ +||marketing.couplescruise.com^ +||marketing.cpa2biz.com^ +||marketing.cpicompanies.com^ +||marketing.cpsi.com^ +||marketing.crawford-industries.com^ +||marketing.crbcunninghams.co.uk^ +||marketing.credoreference.com^ +||marketing.cresa.com^ +||marketing.crystalcoastnc.org^ +||marketing.ctic.ca^ +||marketing.cura-hpc.com^ +||marketing.curetoday.com^ +||marketing.customercarebg.com^ +||marketing.cvma.com^ +||marketing.cyber-edge.com^ +||marketing.cyber360solutions.com^ +||marketing.cygnetcloud.com^ +||marketing.cypram.com^ +||marketing.d4discovery.com^ +||marketing.dacocorp.com^ +||marketing.dairyland.com^ +||marketing.dais.com^ +||marketing.dantecdynamics.com^ +||marketing.darwinspet.com^ +||marketing.data-source.com^ +||marketing.data180.com^ +||marketing.datacenterdynamics.com^ +||marketing.dataflo.com^ +||marketing.datamark.net^ +||marketing.datamatics.com^ +||marketing.dataprise.com^ +||marketing.datawatchsystems.com^ +||marketing.dataxoom.net^ +||marketing.daveycoach.com^ +||marketing.davidcbaker.com^ +||marketing.dbh-group.com^ +||marketing.dcihollowmetal.com^ +||marketing.dcmh.net^ +||marketing.dcmservices.com^ +||marketing.ddc-cabtech.com^ +||marketing.deckerretirementplanning.com^ +||marketing.dedicated-db.com^ +||marketing.dedola.com^ +||marketing.deepcrawl.com^ +||marketing.deltechomes.com^ +||marketing.demagcranes.com^ +||marketing.deppecommunications.com^ +||marketing.dessy.com^ +||marketing.destinationcanada.com^ +||marketing.destinationgranby.com^ +||marketing.destinationtravelnetwork.com^ +||marketing.destinationvancouver.com^ +||marketing.dev-pro.net^ +||marketing.dhptraining.com^ +||marketing.dienerlaw.net^ +||marketing.digitaledge.marketing^ +||marketing.digitalwarehouse.com^ +||marketing.diningalliance.com^ +||marketing.discovercentralma.org^ +||marketing.discoverdenton.com^ +||marketing.discoverdunwoody.com^ +||marketing.discoverkalamazoo.com^ +||marketing.discoverlehighvalley.com^ +||marketing.discovernewport.org^ +||marketing.discoverorg.com^ +||marketing.discoverphl.com^ +||marketing.discoverpuertorico.com^ +||marketing.discoversantaclara.org^ +||marketing.discoversaratoga.org^ +||marketing.discoverstcharles.com^ +||marketing.discovertemple.com^ +||marketing.discovia.com^ +||marketing.dispatchtoday.com^ +||marketing.diverseco.com.au^ +||marketing.dmcc.ae^ +||marketing.dmcplc.co.uk^ +||marketing.dmihotels.com^ +||marketing.dnacenter.com^ +||marketing.docstar.com^ +||marketing.dohenycompanies.com^ +||marketing.doorway.com^ +||marketing.doprocess.com^ +||marketing.draycir.com^ +||marketing.dreamlawn.com^ +||marketing.dreamstyleremodeling.com^ +||marketing.driveline.co.nz^ +||marketing.driveulu.com^ +||marketing.dryvit.com^ +||marketing.dscdredge.com^ +||marketing.ducenit.com^ +||marketing.duckbrand.com^ +||marketing.dulsco.com^ +||marketing.duramarktechnologies.com^ +||marketing.dylangrayconsulting.com^ +||marketing.dynamicairshelters.com^ +||marketing.e-emphasys.com^ +||marketing.earthbend.com^ +||marketing.earthquakeauthority.com^ +||marketing.eastbanctech.com^ +||marketing.eastviewpress.com^ +||marketing.easydita.com^ +||marketing.eccoviasolutions.com^ +||marketing.ece.org^ +||marketing.ecgmc.com^ +||marketing.echohealthinc.com^ +||marketing.echostarmobile.com^ +||marketing.ecosystemintegrity.com^ +||marketing.ecslearn.com^ +||marketing.efleets.com^ +||marketing.ehimrx.com^ +||marketing.ehy.com^ +||marketing.elastoproxy.com^ +||marketing.electroind.com^ +||marketing.electroquip.co.nz^ +||marketing.ellingtonresort.com^ +||marketing.elrig.org^ +||marketing.emds.com^ +||marketing.emeraldheights.com^ +||marketing.emergenttech.com^ +||marketing.emirsoftware.com^ +||marketing.empire-pa.com^ +||marketing.emplicity.com^ +||marketing.employeedevelopmentsystems.com^ +||marketing.endologix.com^ +||marketing.energystewardsinc.com^ +||marketing.enhancedvision.com^ +||marketing.enrichmentjourneys.com^ +||marketing.enterprise-selling.com^ +||marketing.entrustinc.com^ +||marketing.envisionpackaging.com^ +||marketing.envylabs.com^ +||marketing.epsteinandwhite.com^ +||marketing.equipointpartners.com^ +||marketing.equiscript.com^ +||marketing.ergogenesis.com^ +||marketing.erioninsurance.com^ +||marketing.erm-ins.com^ +||marketing.eschelsfinancial.net^ +||marketing.eschenbach.com^ +||marketing.esecuritysolutions.com^ +||marketing.esenetworks.com^ +||marketing.espec.com^ +||marketing.essellc.com^ +||marketing.et.support^ +||marketing.etcnow.net^ +||marketing.eteamsys.com^ +||marketing.eugenecascadescoast.org^ +||marketing.eurofinsus.com^ +||marketing.evansbank.com^ +||marketing.evcp.com^ +||marketing.eventsforce.com^ +||marketing.evolveip.nl^ +||marketing.ewi.org^ +||marketing.exclusive-networks.com.au^ +||marketing.execshape.com^ +||marketing.executivetravel.com^ +||marketing.experiencecolumbus.com^ +||marketing.experiencegr.com^ +||marketing.experienceolympia.com^ +||marketing.experts.com^ +||marketing.exploreasheville.com^ +||marketing.explorecharleston.com^ +||marketing.exploreedmonton.com^ +||marketing.exploregwinnett.org^ +||marketing.explorenorthmyrtlebeach.com^ +||marketing.explorestlouis.com^ +||marketing.expworld.com^ +||marketing.exteresauto.com^ +||marketing.external.xerox.com^ +||marketing.extremenetworks.com^ +||marketing.eyc.com^ +||marketing.ezicarrental.co.nz^ +||marketing.facilityplus.com^ +||marketing.fatiguescience.com^ +||marketing.fedsched.com^ +||marketing.festiva.com^ +||marketing.festivaorlandoresort.com^ +||marketing.fhsr.com^ +||marketing.fiduciaryfirst.com^ +||marketing.firearmsins.com^ +||marketing.first-insight.com^ +||marketing.firstinsurancefunding.com^ +||marketing.firstpac.com^ +||marketing.five-startech.com^ +||marketing.five19creative.com^ +||marketing.flaire.com^ +||marketing.fleetfeetorlando.com^ +||marketing.fleetfeetraleigh.com^ +||marketing.fleetstar.com^ +||marketing.fletchercsi.com^ +||marketing.florencechamber.com^ +||marketing.flsmidth.com^ +||marketing.fluentco.com^ +||marketing.flycastpartners.com^ +||marketing.flynth.nl^ +||marketing.forbin.com^ +||marketing.forepartnership.com^ +||marketing.forgeplumbing.com.au^ +||marketing.forte.net^ +||marketing.fortsmith.org^ +||marketing.fortworth.com^ +||marketing.foxitsoftware1.com^ +||marketing.foxrehab.org^ +||marketing.fpaaust.com.au^ +||marketing.frogtape.com^ +||marketing.frontrowseatsllc.com^ +||marketing.ftfnews.com^ +||marketing.funmobility.com^ +||marketing.funraise.io^ +||marketing.fwcbd.com^ +||marketing.gables.com^ +||marketing.gasandsupply.com^ +||marketing.gatewayp.com^ +||marketing.gatlinburg.com^ +||marketing.gbg.com^ +||marketing.gca.net^ +||marketing.gebroederskoffie.nl^ +||marketing.genesis-fs.com^ +||marketing.genpak.com^ +||marketing.geowarehouse.ca^ +||marketing.gep.com^ +||marketing.getfidelis.com^ +||marketing.getoverdrive.com^ +||marketing.glenviewterrace.com^ +||marketing.globalbmg.com^ +||marketing.globalmedics.co.nz^ +||marketing.globalpetfoods.ca^ +||marketing.globalpointofcare.abbott^ +||marketing.globerunner.com^ +||marketing.gmcvb.com^ +||marketing.gogofunding.com^ +||marketing.gogovapps.com^ +||marketing.gogreat.com^ +||marketing.goldenpaints.com^ +||marketing.goochandhousego.com^ +||marketing.goodcoinc.com^ +||marketing.goodfunding.com^ +||marketing.goprovidence.com^ +||marketing.gorillagroup.com^ +||marketing.gosenergy.com^ +||marketing.gotobermuda.com^ +||marketing.gotolouisville.com^ +||marketing.gowestgroup.com^ +||marketing.gradientfg.com^ +||marketing.gramener.com^ +||marketing.grandecheese.com^ +||marketing.greatgunsmarketing.co.uk^ +||marketing.greatpointins.com^ +||marketing.greenbay.com^ +||marketing.greenbrierwv.com^ +||marketing.greycon.com^ +||marketing.groupmgmt.com^ +||marketing.growbinmaster.com^ +||marketing.growthmodemarketing.com^ +||marketing.grplans.com^ +||marketing.guardianfinancialgp.com^ +||marketing.guidepoint.com^ +||marketing.gulfshores.com^ +||marketing.gwcontainers.com^ +||marketing.halcousa.com^ +||marketing.halldale.com^ +||marketing.halobi.com^ +||marketing.hardysolutions.com^ +||marketing.harlancapital.com^ +||marketing.harrishealthcare.com^ +||marketing.haughn.com^ +||marketing.havenfinancialgroup.com^ +||marketing.hcrwealth.com^ +||marketing.hcsbenefits.com^ +||marketing.hcu.coop^ +||marketing.headwaycorp.com^ +||marketing.healthcarousel.com^ +||marketing.healthfoodinsurance.com^ +||marketing.healthtech.net^ +||marketing.hellomedia.com^ +||marketing.helloposition.com^ +||marketing.heronskey.org^ +||marketing.hfgagents.com^ +||marketing.hfore.com^ +||marketing.hgdata.com^ +||marketing.hhglobal.com^ +||marketing.highpoint.com^ +||marketing.highwoods.com^ +||marketing.higmi.com^ +||marketing.hilltopwealthsolutions.com^ +||marketing.hilltopwealthtax.com^ +||marketing.hines.com^ +||marketing.hodgesmace.com^ +||marketing.holocentric.com^ +||marketing.home-inspection-franchise-opportunity.com^ +||marketing.homedna.com^ +||marketing.homeofpurdue.com^ +||marketing.homesteadplans.com^ +||marketing.horizonfoodgroup.com^ +||marketing.horizonlims.com^ +||marketing.horizonsoftware.com^ +||marketing.hospicecarelc.org^ +||marketing.hughwood.com^ +||marketing.hvcb.org^ +||marketing.hyperdisk.com^ +||marketing.iaccompanies.com^ +||marketing.iaclarington.com^ +||marketing.iacm.com^ +||marketing.iansresearch.com^ +||marketing.iar.com^ +||marketing.ibermatica.com^ +||marketing.icatsoftware.com^ +||marketing.icreative.nl^ +||marketing.idquantique.com^ +||marketing.igel.com^ +||marketing.ijoinsolutions.com^ +||marketing.iloveny.com^ +||marketing.imageworkscreative.com^ +||marketing.imagexmedia.com^ +||marketing.imatrix.com^ +||marketing.impactinnovationgroup.com^ +||marketing.impexium.com^ +||marketing.inaani.com^ +||marketing.incrediwear.com^ +||marketing.indianadunes.com^ +||marketing.industrialformulatorsinc.com^ +||marketing.industrialspec.com^ +||marketing.inex.com^ +||marketing.influitive.com^ +||marketing.influxdb.com^ +||marketing.infrontconsulting.com^ +||marketing.ink-co.com^ +||marketing.insdesign.com^ +||marketing.insigniam.com^ +||marketing.insignio.de^ +||marketing.instrumentassociates.com^ +||marketing.insurancedesigners.com^ +||marketing.insureline.com^ +||marketing.insureon.com^ +||marketing.inszoneinsurance.com^ +||marketing.intellifuel.com^ +||marketing.interact911.com^ +||marketing.interedgemarketing.com^ +||marketing.intergraph.net^ +||marketing.interiorfcu.org^ +||marketing.intermax.nl^ +||marketing.inthenest.com^ +||marketing.intrado.com^ +||marketing.inventiconasia.com^ +||marketing.investwithwmg.com^ +||marketing.invitria.com^ +||marketing.iofficedelivers.com^ +||marketing.iongroup.com^ +||marketing.iriworldwide.com^ +||marketing.irvingtexas.com^ +||marketing.isaless.com^ +||marketing.ismguide.com^ +||marketing.itiball.com^ +||marketing.itsavvy.com^ +||marketing.itshome.com^ +||marketing.ivctechnologies.com^ +||marketing.iwsinc.com^ +||marketing.izeno.com^ +||marketing.jacksonholechamber.com^ +||marketing.janek.com^ +||marketing.javs.com^ +||marketing.jaysoncompany.com^ +||marketing.jdicleaning.com^ +||marketing.jensenprecast.com^ +||marketing.jmait.com^ +||marketing.johncrane.com^ +||marketing.johnsonmelloh.com^ +||marketing.johnstoncountync.org^ +||marketing.joyridecoffee.com^ +||marketing.jstokes.com^ +||marketing.jtsa.edu^ +||marketing.juicepharma.com^ +||marketing.kainmcarthur.com^ +||marketing.kestlerfinancial.com^ +||marketing.keylane.com^ +||marketing.keystonegp.com^ +||marketing.kimble-chase.com^ +||marketing.kinectsolar.com^ +||marketing.kingsiii.com^ +||marketing.kiran.com^ +||marketing.kisales.com^ +||marketing.knoxville.org^ +||marketing.konareefresort.com^ +||marketing.konecranes.com^ +||marketing.kozzyavm.com^ +||marketing.kpfilms.com^ +||marketing.kurtzon.com^ +||marketing.labdepotinc.com^ +||marketing.lakeco.com^ +||marketing.lakecountyfl.gov^ +||marketing.lakepointadvisorygroup.com^ +||marketing.landuscooperative.com^ +||marketing.laplinkemail.com^ +||marketing.latisys.com^ +||marketing.latourism.org^ +||marketing.lcmchealth.org^ +||marketing.leadables.com^ +||marketing.leading-edge.com^ +||marketing.leadingresponse.com^ +||marketing.learncia.com^ +||marketing.leasehawk.com^ +||marketing.leatherberryassociates.com^ +||marketing.ledgeviewpartners.com^ +||marketing.leegov.com^ +||marketing.lhbindustries.com^ +||marketing.libertyhomeequity.com^ +||marketing.libertyreverse.com^ +||marketing.lightstreamin.com^ +||marketing.lilogy.com^ +||marketing.lincoln.org^ +||marketing.linkdex.com^ +||marketing.liquidvoice.co.uk^ +||marketing.livepaniau.com^ +||marketing.livevol.com^ +||marketing.location3.com^ +||marketing.lord.com^ +||marketing.lorenz.ca^ +||marketing.lorenzproducts.com^ +||marketing.loslagosathotspringsvillage.com^ +||marketing.lstaff.com^ +||marketing.lumenera.com^ +||marketing.lumiradx.com^ +||marketing.luxurylink.com^ +||marketing.lystek.com^ +||marketing.m-m.net^ +||marketing.m3design.com^ +||marketing.machtfit.de^ +||marketing.maddenmo.com^ +||marketing.mafiahairdresser.com^ +||marketing.magnamachine.com^ +||marketing.magnet.ie^ +||marketing.magnetrol.com^ +||marketing.mailersusa.com^ +||marketing.mainstream-tech.com^ +||marketing.manchesterspecialty.com^ +||marketing.mandarine.pl^ +||marketing.manningltg.com^ +||marketing.mapleleafpromostore.com^ +||marketing.mapleleafpromotions.com^ +||marketing.maricich.com^ +||marketing.marineagency.com^ +||marketing.marketinggeneral.com^ +||marketing.marketingguys.nl^ +||marketing.martorusa.com^ +||marketing.marusyngro.com^ +||marketing.marybrowns.com^ +||marketing.masergy.com^ +||marketing.matchstick.legal^ +||marketing.mba.hkust.edu.hk^ +||marketing.mcgrawpowersports.com^ +||marketing.mcommgroup.com^ +||marketing.mdbeautyclinic.ca^ +||marketing.medata.com^ +||marketing.medfusion.com^ +||marketing.medical.averydennison.com^ +||marketing.medprostaffing.com^ +||marketing.medsolutions.com^ +||marketing.medsphere.com^ +||marketing.medxm1.com^ +||marketing.meetac.com^ +||marketing.meetboston.com^ +||marketing.meetprestige.com^ +||marketing.melitta.ca^ +||marketing.melitta.com^ +||marketing.merlinbusinesssoftware.com^ +||marketing.mesalabs.com^ +||marketing.metaltanks.com^ +||marketing.metropolislosangeles.com^ +||marketing.mgis.com^ +||marketing.mhe-demag.com^ +||marketing.mhinvest.com^ +||marketing.microlise.com^ +||marketing.middlemarketcenter.org^ +||marketing.midstate-sales.com^ +||marketing.midwestbath.com^ +||marketing.mie-solutions.com^ +||marketing.milesfinancialgroup.com^ +||marketing.millstonefinancial.net^ +||marketing.mimakiusa.com^ +||marketing.mindflowdesign.com^ +||marketing.miraflats.com^ +||marketing.miramarcap.com^ +||marketing.mirrorlaketamarackresort.com^ +||marketing.mixitusa.com^ +||marketing.mlnrp.com^ +||marketing.mnmpartnersllc.com^ +||marketing.mobile.org^ +||marketing.modalife.com^ +||marketing.moldex.com^ +||marketing.monetsoftware.com^ +||marketing.monochrome.co.uk^ +||marketing.moodypublishers.com^ +||marketing.mossinc.com^ +||marketing.motionsolutions.com^ +||marketing.motista.com^ +||marketing.motivation.se^ +||marketing.motleys.com^ +||marketing.moverschoiceinfo.com^ +||marketing.mowe.studio^ +||marketing.mplsnw.com^ +||marketing.mrcaff.org^ +||marketing.mtcperformance.com^ +||marketing.mtrustcompany.com^ +||marketing.multiad.com^ +||marketing.mxmsig.com^ +||marketing.mya.co.uk^ +||marketing.myadvice.com^ +||marketing.mycvcu.org^ +||marketing.mydario.com^ +||marketing.mypoindexter.com^ +||marketing.mypureradiance.com^ +||marketing.na.schoeck.com^ +||marketing.nabatakinc.com^ +||marketing.nace.org^ +||marketing.nada.org^ +||marketing.nanthealth.net^ +||marketing.napatech.com^ +||marketing.natilik.com^ +||marketing.nav-x.com^ +||marketing.navieninc.com^ +||marketing.navitascredit.com^ +||marketing.ncbrunswick.com^ +||marketing.net3technology.net^ +||marketing.netcel.com^ +||marketing.netplan.co.uk^ +||marketing.netrixllc.com^ +||marketing.netvlies.nl^ +||marketing.network-value.com^ +||marketing.networthadvisorsllc.com^ +||marketing.netwoven.com^ +||marketing.neurorelief.com^ +||marketing.newgenerationins.com^ +||marketing.newhomesource.com^ +||marketing.newnet.com^ +||marketing.neworleans.com^ +||marketing.newwestinsurance.com^ +||marketing.nexans.us^ +||marketing.nibusinessparkleasing.com^ +||marketing.nicepak.com^ +||marketing.nicholaswealth.com^ +||marketing.njcpa.org^ +||marketing.nopec.org^ +||marketing.norsat.com^ +||marketing.northgate.com^ +||marketing.novatel.com^ +||marketing.novelcoworking.com^ +||marketing.novicell.co.uk^ +||marketing.nowplayingutah.com^ +||marketing.nparallel.com^ +||marketing.npuins.com^ +||marketing.nsfocus.com^ +||marketing.nsfocusglobal.com^ +||marketing.nsford.com^ +||marketing.ntconsult.com^ +||marketing.nthdegree.com^ +||marketing.nu.com^ +||marketing.nualight.com^ +||marketing.nugrowth.com^ +||marketing.o3world.com^ +||marketing.objectpartners.com^ +||marketing.oceanclubmyrtlebeach.com^ +||marketing.oceangateresortfl.com^ +||marketing.ocozzio.com^ +||marketing.odfigroup.com^ +||marketing.olivers.dk^ +||marketing.omadi.com^ +||marketing.omgnational.com^ +||marketing.omnifymarketing.com^ +||marketing.ompimail.com^ +||marketing.onclive.com^ +||marketing.onececo.com^ +||marketing.oni.co.uk^ +||marketing.onkyousa.com^ +||marketing.openskygroup.com^ +||marketing.opexanalytics.com^ +||marketing.opga.com^ +||marketing.opoffice.com^ +||marketing.optimumenergyco.com^ +||marketing.optionmetrics.com^ +||marketing.optis-world.com^ +||marketing.optitex.com^ +||marketing.orbograph.com^ +||marketing.oremuscorp.com^ +||marketing.orionhealth.com^ +||marketing.orionrisk.com^ +||marketing.orionti.ca^ +||marketing.orolia.com^ +||marketing.orthofi.com^ +||marketing.oxfordcomputergroup.com^ +||marketing.pac.com^ +||marketing.pacificspecialty.com^ +||marketing.paducah.travel^ +||marketing.page1solutions.com^ +||marketing.pal-v.com^ +||marketing.palettesoftware.com^ +||marketing.pangea-cds.com^ +||marketing.panviva.com^ +||marketing.papersave.com^ +||marketing.paraflex.com^ +||marketing.parkmycloud.com^ +||marketing.parkseniorvillas.com^ +||marketing.partnerrc.com^ +||marketing.patriotcapitalcorp.com^ +||marketing.pattonhc.com^ +||marketing.pax8.com^ +||marketing.paysafe.com^ +||marketing.pcsww.com^ +||marketing.peakfinancialfreedomgroup.com^ +||marketing.peerapp.com^ +||marketing.pentaho.com^ +||marketing.peoplesafe.co.uk^ +||marketing.perfarm.com^ +||marketing.performancepolymers.averydennison.com^ +||marketing.performantcorp.com^ +||marketing.periscopewealthadvisors.com^ +||marketing.petsit.com^ +||marketing.pfg1.net^ +||marketing.piazzaavm.com.tr^ +||marketing.pinkerton.com^ +||marketing.pitcher-nsw.com.au^ +||marketing.planar.com^ +||marketing.plastiq.com^ +||marketing.plazahomemortgage.com^ +||marketing.plsx.com^ +||marketing.plus-projects.com^ +||marketing.pmanetwork.com^ +||marketing.polimortgage.com^ +||marketing.pollock.com^ +||marketing.polymerohio.org^ +||marketing.pooleaudi.co.uk^ +||marketing.porchlightatl.com^ +||marketing.potlatchdelticlandsales.com^ +||marketing.precisiondoor.tech^ +||marketing.premierpandp.com^ +||marketing.prescientnational.com^ +||marketing.primaryservices.com^ +||marketing.profmi.org^ +||marketing.projectares.academy^ +||marketing.promiles.com^ +||marketing.promoboxx.com^ +||marketing.pronaca.com^ +||marketing.prosperoware.com^ +||marketing.protegic.com.au^ +||marketing.protosell.se^ +||marketing.ptw.com^ +||marketing.puffininn.net^ +||marketing.punctuation.com^ +||marketing.pureaircontrols.com^ +||marketing.pureflorida.com^ +||marketing.puretechltd.com^ +||marketing.qivos.com^ +||marketing.qualificationcheck.com^ +||marketing.queenstownnz.nz^ +||marketing.quenchonline.com^ +||marketing.questforum.org^ +||marketing.quickattach.com^ +||marketing.quickencompare.com^ +||marketing.quickenloans.com^ +||marketing.quonticbank.com^ +||marketing.rals.com^ +||marketing.ramsayinnovations.com^ +||marketing.rapidlockingsystem.com^ +||marketing.rattleback.com^ +||marketing.rdoequipment.com^ +||marketing.readinghorizons.com^ +||marketing.readtolead.org^ +||marketing.realcomm.com^ +||marketing.realstorygroup.com^ +||marketing.recarroll.com^ +||marketing.redclassic.com^ +||marketing.redlion.net^ +||marketing.redwoodtech.de^ +||marketing.regenteducation.net^ +||marketing.reliablepaper.com^ +||marketing.remotelock.com^ +||marketing.resolutionre.com^ +||marketing.responsepoint.com^ +||marketing.resuelve.mx^ +||marketing.revcommercialgroup.com^ +||marketing.revegy.com^ +||marketing.revgroup.com^ +||marketing.revparts.com^ +||marketing.revrvgroup.com^ +||marketing.rfactr.com^ +||marketing.rfl.uk.com^ +||marketing.rhinofoods.com^ +||marketing.rimes.com^ +||marketing.riseagainsthunger.org^ +||marketing.risingfall.com^ +||marketing.riverfrontig.com^ +||marketing.rme360.com^ +||marketing.rmhoffman.com^ +||marketing.rmhoist.com^ +||marketing.robtheiraguy.com^ +||marketing.rocklakeig.com^ +||marketing.roofconnect.com^ +||marketing.rosica.com^ +||marketing.roxtec.com^ +||marketing.rsvpportal.com^ +||marketing.rtx.travel^ +||marketing.ruckuswireless.com^ +||marketing.ruf-briquetter.com^ +||marketing.runyonsurfaceprep.com^ +||marketing.rxaap.com^ +||marketing.saa.com^ +||marketing.saegissolutions.ca^ +||marketing.safesend.com^ +||marketing.safetreeretirement.com^ +||marketing.safetychix.com^ +||marketing.sambasafety.com^ +||marketing.sanantonioedf.com^ +||marketing.sanitysolutions.com^ +||marketing.santabarbaraca.com^ +||marketing.sap.events.deloitte.com^ +||marketing.savannahchamber.com^ +||marketing.scalematrix.com^ +||marketing.scenicsedona.com^ +||marketing.schneiderdowns.com^ +||marketing.schuff.com^ +||marketing.sectra.com^ +||marketing.sedgwick.com^ +||marketing.seemonterey.com^ +||marketing.self-helpfcu.org^ +||marketing.sensoft.ca^ +||marketing.sensysgatso.com^ +||marketing.sentinelgroup.com^ +||marketing.sentirlabs.com^ +||marketing.seobusinessreporter.com^ +||marketing.sepac.com^ +||marketing.sertantcapital.com^ +||marketing.setaram.com^ +||marketing.shadow-soft.com^ +||marketing.shippers-supply.com^ +||marketing.shoplet.com^ +||marketing.shoppingcenteradvisers.com^ +||marketing.shoresatorangebeach.com^ +||marketing.shoresmith.com^ +||marketing.shpfinancial.com^ +||marketing.shreveport-bossier.org^ +||marketing.shurtapemail.com^ +||marketing.sigmanest.com^ +||marketing.signaltheory.com^ +||marketing.simio.com^ +||marketing.simpartners.com^ +||marketing.simplion.com^ +||marketing.sinctech.com^ +||marketing.skorsports.nl^ +||marketing.slocal.com^ +||marketing.smartcoversystems.com^ +||marketing.smartowner.com^ +||marketing.smartvault.com^ +||marketing.socialbakers.com^ +||marketing.softwaresecure.com^ +||marketing.soha.io^ +||marketing.sojern.com^ +||marketing.soloprotect.com^ +||marketing.somero.com^ +||marketing.sosintl.com^ +||marketing.sossystems.co.uk^ +||marketing.soundtrackyourbrand.com^ +||marketing.sourceadvisors.com^ +||marketing.southeastmortgage.com^ +||marketing.southparkcapital.com^ +||marketing.southwestblinds.com^ +||marketing.sparktx.com^ +||marketing.spbatpa.org^ +||marketing.specgradeled.com^ +||marketing.speconthejob.com^ +||marketing.spectracom.com^ +||marketing.spigit.com^ +||marketing.spinnakermgmt.com^ +||marketing.sportsworld.org^ +||marketing.springfieldelectric.com^ +||marketing.squareonemea.com^ +||marketing.ssfllp.com^ +||marketing.sstid.com^ +||marketing.staffboom.com^ +||marketing.stahl.com^ +||marketing.stamen.com^ +||marketing.starrcompanies.com^ +||marketing.startfinder.com^ +||marketing.stateandfed.com^ +||marketing.stay-rlhc.com^ +||marketing.stellarmls.com^ +||marketing.stentel.com^ +||marketing.sterlingsolutions.com^ +||marketing.sti.com^ +||marketing.stillsecure.com^ +||marketing.stmh.org^ +||marketing.stockcero.com^ +||marketing.streck.com^ +||marketing.striveoffice.com^ +||marketing.strongpoint.io^ +||marketing.summittruckgroup.com^ +||marketing.suncrestadvisors.com^ +||marketing.sunny.org^ +||marketing.superiormobilemedics.com^ +||marketing.superiorrecreationalproducts.com^ +||marketing.superwindowsusa.com^ +||marketing.surfcityusa.com^ +||marketing.swdurethane.com^ +||marketing.swiftprepaid.com^ +||marketing.syntax.com^ +||marketing.syntrio.com^ +||marketing.systancia.com^ +||marketing.systempavers.com^ +||marketing.t2systems.com^ +||marketing.t4media.co.uk^ +||marketing.talbot-promo.com^ +||marketing.tallwave.com^ +||marketing.taos.com^ +||marketing.tarheelpaper.com^ +||marketing.tas.business^ +||marketing.tba.group^ +||marketing.tcgrecycling.com^ +||marketing.teamspirit.uk.com^ +||marketing.techbrite.com^ +||marketing.techcxo.com^ +||marketing.techinsurance.com^ +||marketing.techlogix.com^ +||marketing.technicalprospects.com^ +||marketing.technologyadvice.com^ +||marketing.techoregon.org^ +||marketing.teleswitch.com^ +||marketing.telstraphonewords.com.au^ +||marketing.temptimecorp.com^ +||marketing.tengointernet.com^ +||marketing.tenoapp.com^ +||marketing.ternian.com^ +||marketing.test-acton.com^ +||marketing.testforce.com^ +||marketing.testtargettreat.com^ +||marketing.tfawealthplanning.com^ +||marketing.thatsbiz.com^ +||marketing.thealtan.com^ +||marketing.thebasiccompanies.com^ +||marketing.thebeacongrp.com^ +||marketing.thebestirs.com^ +||marketing.thecea.ca^ +||marketing.thefusiongroup.com^ +||marketing.theinovogroup.com^ +||marketing.themonumentgroup.com^ +||marketing.theoccasionsgroup.com^ +||marketing.theofficestore.com^ +||marketing.thepalmbeaches.com^ +||marketing.theplasticsurgeryclinic.ca^ +||marketing.thequincygroupinc.com^ +||marketing.theresortatsummerlin.com^ +||marketing.thermocalc.se^ +||marketing.thesanfranciscopeninsula.com^ +||marketing.thewilsonagency.com^ +||marketing.thisisalpha.com^ +||marketing.thisiscleveland.com^ +||marketing.threadsol.com^ +||marketing.tidedrycleaners.com^ +||marketing.tignl.eu^ +||marketing.timmons.com^ +||marketing.tmaonline.info^ +||marketing.tmshealth.com^ +||marketing.tongue-tied-nw.co.uk^ +||marketing.toolkitgroup.com^ +||marketing.topekapartnership.com^ +||marketing.topspotims.com^ +||marketing.torrentcorp.com^ +||marketing.totalcsr.com^ +||marketing.tourismpg.com^ +||marketing.tourismrichmond.com^ +||marketing.tourismsaskatoon.com^ +||marketing.tourismwinnipeg.com^ +||marketing.towerfcu.org^ +||marketing.toxicology.abbott^ +||marketing.toyotaofeasley.com^ +||marketing.trackmarketing.net^ +||marketing.transcore.com^ +||marketing.transitair.com^ +||marketing.translations.com^ +||marketing.transperfect.com^ +||marketing.transtar1.com^ +||marketing.travelink.com^ +||marketing.travelks.com^ +||marketing.travelmarketreport.com^ +||marketing.travelportland.com^ +||marketing.travelsavers.com^ +||marketing.traveltags.com^ +||marketing.traversecity.com^ +||marketing.traxtech.com^ +||marketing.trextape.com^ +||marketing.triconamericanhomes.com^ +||marketing.triconresidential.com^ +||marketing.trimtabconsultants.com^ +||marketing.trubridge.com^ +||marketing.trucode.com^ +||marketing.trueinfluence.com^ +||marketing.trustarmarketing.com^ +||marketing.trusteedplans.com^ +||marketing.trustid.com^ +||marketing.tsadvertising.com^ +||marketing.ttcu.com^ +||marketing.tucasi.com^ +||marketing.tvcn.nl^ +||marketing.twofivesix.co^ +||marketing.txsource.net^ +||marketing.u-pic.com^ +||marketing.ugamsolutions.com^ +||marketing.ultimo.com^ +||marketing.uni-med.com^ +||marketing.unimar.com^ +||marketing.unionbenefits.co.uk^ +||marketing.unionhousesf.com^ +||marketing.unionwear.com^ +||marketing.unitedautocredit.net^ +||marketing.uoficreditunion.org^ +||marketing.uptopcorp.com^ +||marketing.urbanprojects.ec^ +||marketing.usailighting.com^ +||marketing.usaprogrip.com^ +||marketing.useadam.co.uk^ +||marketing.usequityadvantage.com^ +||marketing.usglobaltax.com^ +||marketing.usmedequip.com^ +||marketing.uxreactor.com^ +||marketing.vabi.nl^ +||marketing.vacationcondos.com^ +||marketing.vacationvillastwo.com^ +||marketing.valleyforge.org^ +||marketing.valv.com^ +||marketing.vantagepoint-financial.com^ +||marketing.vathorst.nl^ +||marketing.vault49.com^ +||marketing.veladx.com^ +||marketing.verantis.com^ +||marketing.verasci.com^ +||marketing.versatile-ag.ca^ +||marketing.versium.com^ +||marketing.vertexcs.com^ +||marketing.vfop.com^ +||marketing.vgm.com^ +||marketing.vgmeducation.com^ +||marketing.vgmhomelink.com^ +||marketing.vigon.com^ +||marketing.villageatwoodsedge.com^ +||marketing.vippetcare.com^ +||marketing.virginia.org^ +||marketing.virtual-images.com^ +||marketing.visailing.com^ +||marketing.visitabq.org^ +||marketing.visitannapolis.org^ +||marketing.visitannarbor.org^ +||marketing.visitaugusta.com^ +||marketing.visitbatonrouge.com^ +||marketing.visitbellevuewa.com^ +||marketing.visitbentonville.com^ +||marketing.visitbgky.com^ +||marketing.visitcasper.com^ +||marketing.visitcharlottesville.org^ +||marketing.visitchattanooga.com^ +||marketing.visitchesapeake.com^ +||marketing.visitchicagosouthland.com^ +||marketing.visitcookcounty.com^ +||marketing.visitcorpuschristi.com^ +||marketing.visitdenver.com^ +||marketing.visiteauclaire.com^ +||marketing.visitestespark.com^ +||marketing.visitfortwayne.com^ +||marketing.visitgreaterpalmsprings.com^ +||marketing.visitgreenvillesc.com^ +||marketing.visithamiltoncounty.com^ +||marketing.visitindy.com^ +||marketing.visitjamaica.com^ +||marketing.visitkingston.ca^ +||marketing.visitlex.com^ +||marketing.visitloscabos.travel^ +||marketing.visitlubbock.org^ +||marketing.visitmanisteecounty.com^ +||marketing.visitmdr.com^ +||marketing.visitmilwaukee.org^ +||marketing.visitmontrose.com^ +||marketing.visitmusiccity.com^ +||marketing.visitnapavalley.com^ +||marketing.visitnepa.org^ +||marketing.visitnewportbeach.com^ +||marketing.visitnorthplatte.com^ +||marketing.visitoakland.com^ +||marketing.visitomaha.com^ +||marketing.visitorlando.com^ +||marketing.visitpanamacitybeach.com^ +||marketing.visitpasadena.com^ +||marketing.visitpensacola.com^ +||marketing.visitphoenix.com^ +||marketing.visitraleigh.com^ +||marketing.visitrapidcity.com^ +||marketing.visitroanokeva.com^ +||marketing.visitsacramento.com^ +||marketing.visitsalisburync.com^ +||marketing.visitsaltlake.com^ +||marketing.visitsanantonio.com^ +||marketing.visitsanmarcos.com^ +||marketing.visitsarasota.org^ +||marketing.visitsmcsv.com^ +||marketing.visitsouthwalton.com^ +||marketing.visitspc.com^ +||marketing.visitspokane.com^ +||marketing.visittemeculavalley.com^ +||marketing.visittucson.org^ +||marketing.visitvancouverusa.com^ +||marketing.visitvirginiabeach.com^ +||marketing.visitwausau.com^ +||marketing.visitwichita.com^ +||marketing.visitwilliamsburg.com^ +||marketing.visitwilmingtonde.com^ +||marketing.visualskus.com^ +||marketing.voicefirstsolutions.com^ +||marketing.voiply.us^ +||marketing.voltexelectrical.co.nz^ +||marketing.voltexelectrical.com.au^ +||marketing.voxer.com^ +||marketing.vrijekavelsvathorst.nl^ +||marketing.vroozi.com^ +||marketing.wachsws.com^ +||marketing.wainscotsolutions.com^ +||marketing.waitrainer.com^ +||marketing.wallindustries.com^ +||marketing.wallstreetsystems.com^ +||marketing.washcochamber.com^ +||marketing.washington.org^ +||marketing.watchsystems.com^ +||marketing.watercannon.com^ +||marketing.wateriqtech.com^ +||marketing.watsonmortgagecorp.com^ +||marketing.wbbrokerage.com^ +||marketing.wbf.com^ +||marketing.wbm.com^ +||marketing.wealthcarecapital.com^ +||marketing.wealthhorizon.com^ +||marketing.weathersolve.com^ +||marketing.webdcmarketing.com^ +||marketing.webgruppen.no^ +||marketing.welending.com^ +||marketing.wellingtonwealthstrategies.com^ +||marketing.wesco.com.br^ +||marketing.whysymphony.com^ +||marketing.wildhorsepass.com^ +||marketing.willamettewines.com^ +||marketing.wilmingtonandbeaches.com^ +||marketing.windes.com^ +||marketing.wolfgordon.com^ +||marketing.worldlinkintegration.com^ +||marketing.worldnetpr.com^ +||marketing.wowrack.com^ +||marketing.wrightimc.com^ +||marketing.wsandco.com^ +||marketing.wtcutrecht.nl^ +||marketing.wvtourism.com^ +||marketing.xait.com^ +||marketing.xcenda.com^ +||marketing.xcess.nl^ +||marketing.xicato.com^ +||marketing.xportsoft.com^ +||marketing.xtralight.com^ +||marketing.yapmo.com^ +||marketing.yeovilaudi.co.uk^ +||marketing.yesmarketing.com^ +||marketing.ynsecureserver.net^ +||marketing.yongletape.averydennison.com^ +||marketing.youththink.net^ +||marketing.ytc.com^ +||marketing.zencos.com^ +||marketing.zenjuries.com^ +||marketing.zinniawealth.com^ +||marketing1.aiworldexpo.com^ +||marketing1.directimpactinc.com^ +||marketing1.leica-microsystems.com^ +||marketing1.neverfailgroup.com^ +||marketing2.absolutelybryce.com^ +||marketing2.channel-impact.com^ +||marketing2.globalpointofcare.abbott^ +||marketing2.leica-microsystems.com^ +||marketing2.newhomesource.com^ +||marketing2.technologyadvice.com^ +||marketing3.polarispacific.com^ +||marketing4.directimpactinc.com^ +||marketing6.directimpactinc.com^ +||marketingautomation.impexium.net^ +||marketingde.mti.com^ +||marketingemea.guidepoint.com^ +||marketinginfo.clutch.com^ +||marketingms.actonservice.com^ +||marketingus.hso.com^ +||markkinointi.kespro.com^ +||marsh.actonservice.com^ +||marshinsurance.actonservice.com^ +||mas.hronboard.me^ +||mas.marsh.com^ +||masternaut.actonservice.com^ +||matrix42.actonservice.com^ +||mbaco.actonservice.com^ +||mbainfo.ust.hk^ +||mbna.bruker.com^ +||mbns.bruker.com^ +||mbopt.bruker.com^ +||mbs.modernbuilderssupply.com^ +||mcw.actonservice.com^ +||mdfcrm.actonservice.com^ +||meanwellaustralia.actonservice.com^ +||meat.midanmarketing.com^ +||medhyg.actonservice.com^ +||media.claritylabsolutions.com^ +||media.elementsbehavioralhealth.com^ +||media.fsctrust.com^ +||media.gotham.com^ +||media.gstoneinc.com^ +||media.ignitium.com^ +||media.leahy-ifp.com^ +||media.pirtek.co.uk^ +||media.pirtek.de^ +||media.pirtek.nl^ +||media.polariswealth.net^ +||media.theartisansapproach.com^ +||mediacy.actonservice.com^ +||mediasolutions.netinsight.net^ +||mediasource.actonservice.com^ +||medisante.actonservice.com^ +||medtrainer.actonservice.com^ +||medxm1.actonservice.com^ +||member.usenix.org^ +||members.simplicity.coop^ +||membership.mortonarb.org^ +||merchant-mail.neosurf.com^ +||mesalabs.actonservice.com^ +||message.alldata.com^ +||metallic.actonservice.com^ +||metapack.actonservice.com^ +||meteachugood.holdmybeerconsulting.com^ +||metric.khkgears.us^ +||metrics.thesellingagency.com^ +||meylercapital.actonservice.com^ +||mfrmls.actonservice.com^ +||mg.mistrasgroup.com^ +||mhinvest.actonservice.com^ +||mhmp.bruker.com^ +||mhz-design.actonservice.com^ +||microfocus.qm-g.com^ +||microlise.actonservice.com^ +||micronetonline.actonservice.com^ +||microware.actonservice.com^ +||mie-solutions.actonservice.com^ +||mill-all.actonservice.com^ +||mimakiusa.actonservice.com^ +||missionrs.actonservice.com^ +||mkt-i.actonservice.com^ +||mkt.aderant.com^ +||mkt.animalsafety.neogen.com^ +||mkt.bluestate.co^ +||mkt.copernicusmd.com^ +||mkt.detechtion.com^ +||mkt.emea.neogen.com^ +||mkt.environmentsatwork.com^ +||mkt.foodsafety.neogen.com^ +||mkt.globalmentoring.com^ +||mkt.lifesciences.neogen.com^ +||mkt.marcom.neogen.com^ +||mktg.act-on.com^ +||mktg.aicipc.com^ +||mktg.alphawire.com^ +||mktg.bekapublishing.com^ +||mktg.destinationmarketing.org^ +||mktg.digineer.com^ +||mktg.jeffersonhealth.org^ +||mktg.laresdental.com^ +||mktg.marceldigital.com^ +||mktg.matssoft.com^ +||mktg.mecinc.com^ +||mktg.northwoodsoft.com^ +||mktg.rocklandmfg.com^ +||mktg.rtx.travel^ +||mktg.schlage.com^ +||mktg.senneca.com^ +||mktg.ummhealth.org^ +||mktg.xeniumhr.com^ +||mm.morrellinc.com^ +||mmarkhigh.actonservice.com^ +||mmc-ltd.actonservice.com^ +||moldex.actonservice.com^ +||more.socialflow.com^ +||moreinfo.onnowdigital.com^ +||moreinfo.powerpro360.com^ +||moreinfo.sdmyers.com^ +||morganfranklin.actonservice.com^ +||motion.kollmorgen.com^ +||motista.actonservice.com^ +||motorsports.locktonaffinity.net^ +||moxtra.actonservice.com^ +||mpc-co.actonservice.com^ +||mri.iradimed.com^ +||msbainfo.fbe.hku.hk^ +||mshs.actonservice.com^ +||msi.msigts.com^ +||msigbs.actonservice.com^ +||msitec.actonservice.com^ +||msufcu.actonservice.com^ +||mtracking.mhequipment.com^ +||multimedia.netplusentremont.ch^ +||mw-ind.actonservice.com^ +||mwa.meanwellaustralia.com.au^ +||my.bruker.com^ +||my.carolina.com^ +||my.exotravel.com^ +||my.igrafx.com^ +||mya.actonservice.com^ +||mycomm2.hackensackmeridian.org^ +||mydario.actonservice.com^ +||myexhibiteam.actonservice.com^ +||myretailmatch.actonservice.com^ +||naidileobram.actonservice.com^ +||nakisa.actonservice.com^ +||nanthealth.actonservice.com^ +||narc-dc.actonservice.com^ +||nccer.actonservice.com^ +||neathousepartners.actonservice.com^ +||nedasco.actonservice.com^ +||neosllc.actonservice.com^ +||netinsight.actonservice.com^ +||network.cogentco.com^ +||network.conterra.com^ +||network.lightpathfiber.com^ +||network.wintechnology.com^ +||newjersey-content.cresa.com^ +||news-info.gcgfinancial.com^ +||news.azcapitoltimes.com^ +||news.bestcompaniesgroup.com^ +||news.bpsecinc.com^ +||news.bridgetowermedia.com^ +||news.brokersalliance.com^ +||news.caamp.org^ +||news.chiefexecutive.net^ +||news.cmatcherlink.com^ +||news.colormagazine.com^ +||news.cpbj.com^ +||news.dailyreporter.com^ +||news.djcoregon.com^ +||news.finance-commerce.com^ +||news.journalrecord.com^ +||news.libn.com^ +||news.lvb.com^ +||news.masslawyersweekly.com^ +||news.mclaren.org^ +||news.mecktimes.com^ +||news.milawyersweekly.com^ +||news.molawyersmedia.com^ +||news.nada.org^ +||news.neworleanscitybusiness.com^ +||news.njbiz.com^ +||news.nydailyrecord.com^ +||news.petage.com^ +||news.rbj.net^ +||news.scbiznews.com^ +||news.scmanufacturingconference.com^ +||news.sp2.org^ +||news.strategiccfo360.com^ +||news.strategiccio360.com^ +||news.thedailyrecord.com^ +||news.thedolancompany.com^ +||news.valawyersweekly.com^ +||news.verimatrix.com^ +||newsletter.bcautoencheres.fr^ +||newsletter.davey.com^ +||newsletter.visitnc.com^ +||ngs.actonservice.com^ +||nordicmarketing.sedgwick.com^ +||nordics.sharpmarketing.eu^ +||northplains.actonservice.com^ +||northsidemediagroup.actonservice.com^ +||northwire.actonservice.com^ +||nova-healthcare.actonservice.com^ +||novarecoverycenter.actonservice.com^ +||now.infinitecampus.com^ +||now.tana.fi^ +||nparallel.actonservice.com^ +||nra.locktonaffinity.net^ +||nsfocus.actonservice.com^ +||nu.esri.nl^ +||nurture.mylivingvoice.com^ +||nuvi.actonservice.com^ +||oasisadvantage.actonservice.com^ +||oasismarketing.oasisadvantage.com^ +||objectpartners.actonservice.com^ +||oceanair.actonservice.com^ +||oceanautomotive.actonservice.com^ +||offers.hddistributors.com^ +||offers.jazelauto.com^ +||offers.storagepipe.com^ +||omadi.actonservice.com^ +||omgcreative.actonservice.com^ +||on.leagueapps.com^ +||on.librestream.com^ +||oncoclinicas.actonservice.com^ +||oncourselearning.actonservice.com^ +||one-workspace.matrix42.com^ +||onesourcebackground.actonservice.com^ +||online.siteboosters.de^ +||onlineis.actonservice.com^ +||onlinesellerenforcement.vorys.com^ +||onlinevacationcenter.actonservice.com^ +||opoffice.actonservice.com^ +||opportunity.businessbroker.net^ +||opportunityfund.actonservice.com^ +||opsveda.actonservice.com^ +||optis-world.actonservice.com^ +||optout.oracle-zoominfo-notice.com^ +||orbis.actonservice.com^ +||oregonstate.actonservice.com^ +||orionmarketing.actonservice.com^ +||orlmarketing.nfp.com^ +||ottawa-content.cresa.com^ +||outreach.allmy-data.com^ +||outreach.connectednation.org^ +||outreach.crossref.org^ +||outreach.kansashealthsystem.com^ +||outreach.semaconnect.com^ +||outreach.successforall.org^ +||outreach.teex.info^ +||outreach.veritivcorp.com^ +||pacstainless.actonservice.com^ +||page.asraymond.com^ +||page.ephesus.cooperlighting.com^ +||page.evergage.com^ +||page.ggled.net^ +||page.hpcspecialtypharmacy.com^ +||page.irco.com^ +||page.northstateconsultingllc.com^ +||page.vital4.net^ +||page1solutions.actonservice.com^ +||pages.aureon.com^ +||pages.cobweb.com^ +||pages.crd.com^ +||pages.distributionstrategy.com^ +||pages.exterro.com^ +||pages.jobaline.com^ +||pages.rategain.com^ +||pages.srsmith.com^ +||pages.telemessage.com^ +||pages.uila.com^ +||pages.vuzion.cloud^ +||pages.zenefits.com^ +||paintersusainc.actonservice.com^ +||pairin.actonservice.com^ +||pal-v.actonservice.com^ +||paladion.actonservice.com^ +||palramamericas.actonservice.com^ +||parallel6.actonservice.com^ +||partner.hubinternational.com^ +||partnership.evolenthealth.com^ +||patientpay.actonservice.com^ +||pawsplus.actonservice.com^ +||paydashboard.actonservice.com^ +||paynewest.actonservice.com^ +||pbc.programbrokerage.com^ +||pcci.pccinnovation.org^ +||pccipieces.actonservice.com^ +||people.mbtionline.com^ +||peoplehr.actonservice.com^ +||performantcorp.actonservice.com^ +||permission.au.actonservice.com^ +||phdinc.actonservice.com^ +||philadelphia-content.cresa.com^ +||phionline.actonservice.com^ +||phoenix-content.cresa.com^ +||photography.hursey.com^ +||phsmobile.actonservice.com^ +||phyins.actonservice.com^ +||picarro.actonservice.com^ +||pimpoint.inriver.com^ +||pipelinepub.actonservice.com^ +||pitcher.actonservice.com^ +||pivotpointsecurity.actonservice.com^ +||pl.sharpmarketing.eu^ +||pla.pearlinsurance.com^ +||plans.ceteraretirement.com^ +||ple.pearlinsurance.com^ +||pll.pearlinsurance.com^ +||plo.pearlinsurance.com^ +||polypak.actonservice.com^ +||portal.dcgone.com^ +||portal.insight.maruedr.com^ +||possibilities.theajinetwork.com^ +||postgraduate.smu.edu.sg^ +||postgraduate2.smu.edu.sg^ +||powerup.rsaworks.com^ +||ppadv.actonservice.com^ +||practicemanagement.securitiesamerica.com^ +||premiercio.actonservice.com^ +||primavera.actonservice.com^ +||privateclient.hubinternational.com^ +||processserver.abclegal.com^ +||product.cel-fi.com^ +||proffiliatesinc.actonservice.com^ +||progressivedev.actonservice.com^ +||promo.aprima.com^ +||promo.ewellix.com^ +||promo.reborncabinets.com^ +||promo.rmidirect.com^ +||promo.skf.com^ +||promos.sanmarcanada.com^ +||promos.trustedtours.com^ +||promotions.stationcasinos.com^ +||promotionspr.actonservice.com^ +||propay.actonservice.com^ +||properties.insiterealestate.com^ +||prospex.actonservice.com^ +||protapes.actonservice.com^ +||protosell.actonservice.com^ +||providentcrm.actonservice.com^ +||prowareness.actonservice.com^ +||prudential.distribution.team.prudential.co.uk^ +||ptw-i.actonservice.com^ +||publications.nomination.fr^ +||publicschoolworks.actonservice.com^ +||pulse.munsonhealthcare.org^ +||purpletalk.actonservice.com^ +||pushspring.actonservice.com^ +||pyrexar.actonservice.com^ +||q88.actonservice.com^ +||qc.qualicocommunitieswinnipeg.com^ +||qm-g.actonservice.com^ +||questintegrity.actonservice.com^ +||questions.theanswerco.com^ +||questrominfo.bu.edu^ +||quidel.actonservice.com^ +||quinceimaging.actonservice.com^ +||quirklogic.actonservice.com^ +||qumulo.actonservice.com^ +||radiometer.actonservice.com^ +||rakuten.actonservice.com^ +||rarnational.raisingareader.org^ +||rbis-solutions.averydennison.com^ +||readingpartners.actonservice.com^ +||readytrainingonline.actonservice.com^ +||realcomm.actonservice.com^ +||realestate.collinscu.org^ +||realize.goldenspiralmarketing.com^ +||realogic.actonservice.com^ +||realogicinc.actonservice.com^ +||recoverypoint.actonservice.com^ +||redbooks.actonservice.com^ +||redclassic.actonservice.com^ +||redlion.actonservice.com^ +||redthreadmarketing.actonservice.com^ +||redvector.actonservice.com^ +||rehmann.actonservice.com^ +||reico.actonservice.com^ +||reliable.elgas.com.au^ +||remarketing.oncourselearning.com^ +||remine.actonservice.com^ +||reppify.actonservice.com^ +||research.insidesales.com^ +||resolution.taxdefensenetwork.com^ +||resources.acarasolutions.com^ +||resources.acarasolutions.in^ +||resources.activatems.com^ +||resources.aldec.com^ +||resources.biz-tech-insights.com^ +||resources.broadleafresults.com^ +||resources.davey.com^ +||resources.digitcom.ca^ +||resources.faronics.com^ +||resources.harneys.com^ +||resources.linengineering.com^ +||resources.lumestrategies.com^ +||resources.recordpoint.com^ +||resources.sightlogix.com^ +||resources.superiorgroup.in^ +||resources.talentrise.com^ +||results.sierrapiedmont.com^ +||retirementliving.actsretirement.org^ +||retirementservices.firstallied.com^ +||reverb.digitalviscosity.com^ +||revgroup.actonservice.com^ +||rhahvac.actonservice.com^ +||rhinowebgroup.actonservice.com^ +||rightanswers.actonservice.com^ +||riscitsolutions.actonservice.com^ +||rmhoffman.actonservice.com^ +||roiscs.actonservice.com^ +||rollbar.actonservice.com^ +||romotur.actonservice.com^ +||root9b.actonservice.com^ +||roxtec.actonservice.com^ +||rsvp.markettraders.com^ +||rtvision.actonservice.com^ +||rumsey.actonservice.com^ +||ruw.roanokeunderwriting.com^ +||rxaap.actonservice.com^ +||rystadenergy.actonservice.com^ +||rzmarketing.realization.com^ +||s.usenix.org^ +||saas.stratitude.com^ +||sabic.actonservice.com^ +||saegissolutions.actonservice.com^ +||sales.avis.com^ +||sales.northeastind.com^ +||sales.texturacorp.com^ +||sales.virtualpbx.com^ +||salesandmarketing.aitcfis.com^ +||samarketing.sedgwick.com^ +||sc.actonservice.com^ +||scalematrix.actonservice.com^ +||schinnerer.actonservice.com^ +||science.schoolspecialtynews.com^ +||scispg.smu.edu.sg^ +||scmarketing.colliers.com^ +||scorebuddy.actonservice.com^ +||se.netpartnering.com^ +||seahorseinfo.agilent.com^ +||sealingdev.actonservice.com^ +||seamarketny.actonservice.com^ +||seb.sharpmarketing.eu^ +||securityins.actonservice.com^ +||sedgwickpooling.sedgwick.com^ +||segra.actonservice.com^ +||senior-systems.actonservice.com^ +||seniorliving.artisseniorliving.com^ +||seniorliving.atriumatnavesink.org^ +||seniorliving.blakehurstlcs.com^ +||seniorliving.blakeliving.com^ +||seniorliving.brandonwildelcs.com^ +||seniorliving.broadviewseniorliving.org^ +||seniorliving.capitalmanor.com^ +||seniorliving.casadelascampanas.com^ +||seniorliving.claremontplace.com^ +||seniorliving.covia.org^ +||seniorliving.cypressplaceseniorliving.com^ +||seniorliving.cypressvillageretirement.com^ +||seniorliving.eastridgeatcutlerbay.com^ +||seniorliving.essexmeadows.com^ +||seniorliving.fellowshipsl.org^ +||seniorliving.foxhillvillage.com^ +||seniorliving.freedomplazafl.com^ +||seniorliving.freedompointefl.com^ +||seniorliving.freedomsquarefl.com^ +||seniorliving.friendshipvillageaz.com^ +||seniorliving.friendsview.org^ +||seniorliving.fvbrandywine.com^ +||seniorliving.fvhollandseniorliving.com^ +||seniorliving.galleriawoodsseniorliving.com^ +||seniorliving.greystonecommunities.com^ +||seniorliving.heronskey.org^ +||seniorliving.jkv.org^ +||seniorliving.johnknox.com^ +||seniorliving.lakeportseniorliving.com^ +||seniorliving.lakeseminoleseniorliving.com^ +||seniorliving.laurelcirclelcs.com^ +||seniorliving.liveatwhitestone.org^ +||seniorliving.marshesofskidaway.com^ +||seniorliving.merionevanston.com^ +||seniorliving.monroevillageonline.org^ +||seniorliving.mooringsatlewes.org^ +||seniorliving.morningsideoffullerton.com^ +||seniorliving.mrcaff.org^ +||seniorliving.parkplaceelmhurst.com^ +||seniorliving.peacevillage.org^ +||seniorliving.plantationvillagerc.com^ +||seniorliving.plymouthplace.org^ +||seniorliving.presvillagenorth.org^ +||seniorliving.querenciabartoncreek.com^ +||seniorliving.regencyoaksseniorliving.com^ +||seniorliving.sagewoodlcs.com^ +||seniorliving.sandhillcove.com^ +||seniorliving.santamartaretirement.com^ +||seniorliving.seasonsretirement.com^ +||seniorliving.sinairesidences.com^ +||seniorliving.smithcrossing.org^ +||seniorliving.southportseniorliving.com^ +||seniorliving.springpointsl.org^ +||seniorliving.stoneridgelcs.com^ +||seniorliving.summitvista.com^ +||seniorliving.thechesapeake.org^ +||seniorliving.theglebe.org^ +||seniorliving.theglenatscrippsranch.com^ +||seniorliving.theheritagelcs.com^ +||seniorliving.theridgecottonwood.com^ +||seniorliving.theridgepinehurst.com^ +||seniorliving.theridgeseniorliving.com^ +||seniorliving.theterracesatbonitasprings.com^ +||seniorliving.thewoodlandsatfurman.org^ +||seniorliving.timberridgelcs.com^ +||seniorliving.trilliumwoodslcs.com^ +||seniorliving.vantagehouse.org^ +||seniorliving.villageatgleannloch.com^ +||seniorliving.welcometomonarchlanding.com^ +||seniorliving.welcometosedgebrook.com^ +||seniorliving.westminsteraustintx.org^ +||seniorliving.whitneycenter.com^ +||seniorliving.winchestergardens.com^ +||seniorliving.wyndemerelcs.com^ +||seniors.fairportbaptisthomes.org^ +||servcliente.marathon-sports-ec.com^ +||services.releasepoint.com^ +||servicing.unitedautocredit.net^ +||setaram.actonservice.com^ +||setonhill.actonservice.com^ +||sffirecu.actonservice.com^ +||sfsinfo.sabic.com^ +||sg.lucanet.com^ +||shelbypublishing.actonservice.com^ +||shipsmarter.idrivelogistics.com^ +||shop.iwantclips.com^ +||simple.siegelgale.com^ +||simscale.actonservice.com^ +||singleplatform.actonservice.com^ +||site.newzstand.com^ +||sitel.actonservice.com^ +||sjms.actonservice.com^ +||skf.actonservice.com^ +||skillshouse.actonservice.com^ +||slashnext.actonservice.com^ +||smartworksforme.actonservice.com^ +||smf.southernmetalfab.com^ +||smu.actonservice.com^ +||smuengage.smu.edu.sg^ +||snd.freshstartnews.com^ +||soccajoeys.actonservice.com^ +||solar.sharpmarketing.eu^ +||solidscape.actonservice.com^ +||solmax.actonservice.com^ +||solutions.a-1freeman.com^ +||solutions.amigraphics.com^ +||solutions.bwtek.com^ +||solutions.cmsa.org^ +||solutions.coreandmain.com^ +||solutions.getfluid.com^ +||solutions.intactstudio.ca^ +||solutions.kep-technologies.com^ +||solutions.lumosnetworks.com^ +||solutions.multitone.com^ +||solutions.oshaeducationcenter.com^ +||solutions.sertifi.com^ +||solutions.servometer.com^ +||solutions.snapfi.com^ +||solutions.toolepeet.com^ +||solutions.wellspring.com^ +||soneticscorp.actonservice.com^ +||sosintl.actonservice.com^ +||sotelsystems.actonservice.com^ +||southwest.pgaofamericagolf.com^ +||spa.admissions.ucdenver.edu^ +||spamtitan.actonservice.com^ +||spark.thelyst.com^ +||spec-sensors.actonservice.com^ +||spinnakermgmt.actonservice.com^ +||srmy.srglobal.com^ +||srsa.srglobal.com^ +||srsg.srglobal.com^ +||sruk.srglobal.com^ +||ssfllp.actonservice.com^ +||sswhitedental.actonservice.com^ +||stahl.actonservice.com^ +||stanburns.actonservice.com^ +||start.mediware.com^ +||start.mybillingtree.com^ +||start.ptl.org^ +||start.sharpclinical.com^ +||start.spark-thinking.com^ +||steel.newmill.com^ +||stentel.actonservice.com^ +||stormwind.actonservice.com^ +||strategycompanion.actonservice.com^ +||studentadvantage.actonservice.com^ +||subscriber.franchiseinsights.com^ +||subscriber.smallbusinessstartup.com^ +||success.act-on.com^ +||success.azzure-it.com^ +||success.benico.com^ +||success.ebmcatalyst.com^ +||success.ebmsoftware.com^ +||success.etgroup.ca^ +||success.getfluid.com^ +||success.intelligentdemand.com^ +||success.mapcom.com^ +||success.rhb.com^ +||success.vertigis.com^ +||success.vertigisstudio.com^ +||sugabyte.actonservice.com^ +||superiorgroup.actonservice.com^ +||support.flex.com^ +||support2.flex.com^ +||support3.flex.com^ +||svmarketing.destinationtoronto.com^ +||swim2000.actonservice.com^ +||symbio.actonservice.com^ +||synapse-da.actonservice.com^ +||synbiobeta.actonservice.com^ +||systancia-scp.actonservice.com^ +||system.nefiber.com^ +||t.ao.argyleforum.com^ +||t.ao.consumerfinancereport.com^ +||t.ao.walletjoy.com^ +||t.oticon.com^ +||tablesafe.actonservice.com^ +||target.actonservice.com^ +||targetrecruitllc.actonservice.com^ +||targetstore.actonservice.com^ +||taylorshellfish.actonservice.com^ +||teach.graduateprogram.org^ +||team.moxtra.com^ +||teamhodges.hodgesualumniandfriends.com^ +||techadv.actonservice.com^ +||technical.kyzen.com^ +||technologyadvice.actonservice.com^ +||techservices.trapptechnology.com^ +||telamoncom.actonservice.com^ +||tele2.actonservice.com^ +||telsmith.actonservice.com^ +||telstraphonewords.actonservice.com^ +||tengointernet.actonservice.com^ +||teracom.actonservice.com^ +||terradatum.actonservice.com^ +||test.actonservice.com^ +||testforce.actonservice.com^ +||teyourmarketing.trungaleegan.com^ +||thebasiccompanies.actonservice.com^ +||thebdx.actonservice.com^ +||thecea.actonservice.com^ +||thequickbooksteam.intuit.ca^ +||thesearchagency.actonservice.com^ +||thesuccessstars.actonservice.com^ +||think.phdinc.com^ +||thomsonreuters.actonservice.com^ +||tickets.smu.edu^ +||ticomix.actonservice.com^ +||timing.whenandhowagency.com^ +||tls.thelibrarystore.com^ +||tmlt.actonservice.com^ +||toonboom.actonservice.com^ +||toonboomanimation.actonservice.com^ +||toronto-content.cresa.com^ +||touch.multitaction.com^ +||touch.thenavisway.com^ +||touchtown.actonservice.com^ +||tourism.visitorlando.com^ +||towerfcu.actonservice.com^ +||townsquareinteractive.actonservice.com^ +||tpe.theparticipanteffect.com^ +||tqhosting.actonservice.com^ +||track.healthcare-distribution.com^ +||tracking.experiencescottsdale.com^ +||tradeshows.aem.org^ +||training.indigobusiness.co.uk^ +||transportation.external.conduent.com^ +||transportation.external.xerox.com^ +||trappcloudservices.trapptechnology.com^ +||trapptech.actonservice.com^ +||travel.caradonna.com^ +||travel.cruisesforless.com^ +||travel.ec-ovc.com^ +||travel.onlinevacationcenter.com^ +||travelmarketreport.actonservice.com^ +||treeoflifecenterus.actonservice.com^ +||triadtechnologies.actonservice.com^ +||triconah.actonservice.com^ +||trinityconsultants.actonservice.com^ +||triton.actonservice.com^ +||triumph.actonservice.com^ +||truefaced.actonservice.com^ +||truemfg.actonservice.com^ +||trust.mitutoyo.com^ +||trust.titanhq.com^ +||trustid.actonservice.com^ +||ttcu-union.actonservice.com^ +||ttmc.actonservice.com^ +||tvppa.actonservice.com^ +||uaemarketing.sedgwick.com^ +||ugmarketing.smu.edu.sg^ +||uk-marketing.roxtec.com^ +||uk.sharpmarketing.eu^ +||ukmarketing.sedgwick.com^ +||unifilabs.actonservice.com^ +||unitedautocredit.actonservice.com^ +||unitusccu.actonservice.com^ +||updates.aem.org^ +||updates.conexpoconagg.com^ +||us-marketing.roxtec.com^ +||us.lucanet.com^ +||us.onkyo.actonservice.com^ +||usaprogrip.actonservice.com^ +||usb-vna.coppermountaintech.com^ +||ussco-dev.actonservice.com^ +||utexas.actonservice.com^ +||value.kfcu.org^ +||velocitypartners.actonservice.com^ +||veoci.actonservice.com^ +||vertexcs.actonservice.com^ +||vetsource.actonservice.com^ +||vhans.siege-corp.com^ +||via.ssl.holdmybeerconsulting.com^ +||video.funnelbox.com^ +||vip.gophersport.com^ +||visit.monroecollege.edu^ +||visitorlando.actonsoftware.com^ +||vitalimages.actonservice.com^ +||vitalmedia.actonservice.com^ +||viu.actonservice.com^ +||viu.viubyhub.com^ +||vividcortex.actonservice.com^ +||voiply.actonservice.com^ +||vonazon.actonservice.com^ +||vt.mak.com^ +||warfieldtech.actonservice.com^ +||warrenfcu.actonservice.com^ +||washlaundry.actonservice.com^ +||wealthcarecapital.actonservice.com^ +||weare.ballymoregroup.com^ +||web.consolid8.com.au^ +||web.eisenhowerhealthnews.org^ +||web.iru.org^ +||web.vonazon.com^ +||web.yourerc.com^ +||weidenhammer.actonservice.com^ +||welcome.patientmatters.com^ +||welcome.qualicoliving.com^ +||welcome.visitthelandmark.com^ +||wernerelectric.actonservice.com^ +||westevents.presidio.com^ +||why.hdvest.com^ +||wissen.sage.de^ +||withyou.shorr.com^ +||woodruffsweitzer.actonservice.com^ +||woodtone.actonservice.com^ +||workspacesolutions.gos1.com^ +||worldnetpr.actonservice.com^ +||wsandco.actonservice.com^ +||ww2.ads-on-line.com^ +||ww2.businessgrouphealth.org^ +||ww2.vinhwellness.com^ +||www.bcaeurope.eu^ +||www.consulting.ramboll.com^ +||www.healthcare-distribution.com^ +||www.marketing.aftermath.com^ +||www.marketing.altn.com^ +||www.marketing.linguamatics.com^ +||www.paydashboardinfo.com^ +||www.wescam.info^ +||www1.cynergysolutions.net^ +||www1.mcsrentalsoftware.com^ +||www1.symmons.com^ +||www2.2ndgear.com^ +||www2.acsvalves.com^ +||www2.arvig.com^ +||www2.bimobject.com^ +||www2.bobcad.com^ +||www2.citizensclimatelobby.org^ +||www2.cremarc.com^ +||www2.dws-global.com^ +||www2.esri.se^ +||www2.extensis.com^ +||www2.quickbooks.co.uk^ +||www2.senetas.com^ +||www2.simplilearn.com^ +||www2.timecommunications.biz^ +||www2.tyrens.se^ +||www2.unit4.nl^ +||www2.yellowspring.co.uk^ +||www2.zacco.com^ +||www3.bimobject.com^ +||www3.motumb2b.com^ +||www3.strsoftware.com^ +||www4.bimobject.com^ +||www4.qualigence.com^ +||www5.bimobject.com^ +||www8.bimobject.com^ +||xait.actonservice.com^ +||xseedwealth.actonservice.com^ +||yourbrandlive.actonservice.com^ +||yourcare.pennstatehealth.org^ +||yourerc.actonservice.com^ +||yourfuture.walsh.edu^ +||yourhealth.bassett.org^ +||yourhealth.bassetthealthnews.org^ +||yourhealth.cooperhealth.org^ +||yourhealth.sahealth.com^ +||yourhealth.wellness.providence.org^ +||youronestopshop.themagnetgroup.com^ +||yoursolution.electrified.averydennison.com^ +||yoursolution.tapes.averydennison.com^ +||ypowpo.actonservice.com^ +||zenedge.actonservice.com^ +||zoominfo.actonservice.com^ +||zuidema.actonservice.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_otto.txt *** +! easyprivacy_specific_cname_otto.txt +! Company name: Otto Group https://github.com/AdguardTeam/cname-trackers/raw/master/data/trackers/otto-group.txt +! +||prod.nitrosniffer.ottogroup.io^ +||sniffer.nitro-production.otto.boreus.de^ +||sniffer.nitro-test-extern.otto.boreus.de^ +||te.ackermann.ch^ +||te.ambria.de^ +||te.baur.de^ +||te.creation-l.de^ +||te.frankonia.at^ +||te.frankonia.com^ +||te.frankonia.de^ +||te.frankoniamoda.ch^ +||te.heine-shop.nl^ +||te.heine.at^ +||te.heine.ch^ +||te.heine.de^ +||te.helline.fr^ +||te.imwalking.de^ +||te.jelmoli-shop.ch^ +||te.limango.de^ +||te.mirapodo.de^ +||te.mytoys.de^ +||te.nitro-production.otto.boreus.de^ +||te.nitro-test-extern.otto.boreus.de^ +||te.otto.de^ +||te.ottoversand.at^ +||te.quelle.de^ +||te.sheego.de^ +||te.sieh-an.at^ +||te.sieh-an.ch^ +||te.sieh-an.de^ +||te.universal.at^ +||te.waeschepur.de^ +||te.witt-international.cz^ +||te.witt-international.nl^ +||te.witt-international.sk^ +||te.witt-weiden.at^ +||te.witt-weiden.ch^ +||te.witt-weiden.de^ +||te.yomonda.de^ +||te.your-look-for-less.nl^ +||te.your-look-for-less.se^ +||test-extern.nitrosniffer.ottogroup.io^ +||tp.ackermann.ch^ +||tp.ambria.de^ +||tp.baur.de^ +||tp.creation-l.de^ +||tp.frankonia.at^ +||tp.frankonia.com^ +||tp.frankonia.de^ +||tp.frankoniamoda.ch^ +||tp.heine-shop.nl^ +||tp.heine.at^ +||tp.heine.ch^ +||tp.heine.de^ +||tp.imwalking.de^ +||tp.jelmoli-shop.ch^ +||tp.limango.de^ +||tp.mirapodo.de^ +||tp.mytoys.de^ +||tp.otto.de^ +||tp.ottoversand.at^ +||tp.quelle.de^ +||tp.sheego.de^ +||tp.sieh-an.at^ +||tp.sieh-an.ch^ +||tp.sieh-an.de^ +||tp.universal.at^ +||tp.waeschepur.de^ +||tp.witt-international.cz^ +||tp.witt-international.nl^ +||tp.witt-international.sk^ +||tp.witt-weiden.at^ +||tp.witt-weiden.ch^ +||tp.witt-weiden.de^ +||tp.yomonda.de^ +||tp.your-look-for-less.nl^ +||tp.your-look-for-less.se^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_commanders-act.txt *** +! easyprivacy_specific_cname_commanders-act.txt +! tagcommander.com disguised trackers https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/commanders-act.txt +! +||acquisition.klm.com^ +||configure.adlermode.com^ +||data.auchandirect.fr^ +||data.decathlon.co.uk^ +||data.decathlon.de^ +||data.decathlon.es^ +||data.decathlon.fr^ +||data.decathlon.it^ +||data.decathlon.pl^ +||data.ouigo.com^ +||data.ricaud.com^ +||data.ubi.com^ +||data.wptag.net^ +||logger.yp.ca^ +||sales.disneylandparis.com^ +||tag.boulanger.fr^ +||tagcommander.laredoute.be^ +||tagcommander.laredoute.ch^ +||tc.europcar.com.au^ +||tc.europcar.com^ +||tc.europcar.de^ +||tcdata.fnac.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_ingenious-technologies.txt *** +! easyprivacy_specific_cname_ingenious-technologies.txt +! Company name: Ingenious Technologies https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/ingenious-technologies.txt +! +||0.net.easyjet.com^ +||125.net.jumia.co.ke^ +||176.net.jumia.ma^ +||63-217-112-145.static.pccwglobal.net.iberostar.com^ +||68-175.net.jumia.co.ke^ +||69-74.net.jumia.sn^ +||71-177.net.jumia.ma^ +||admin.net.fidorbank.uk^ +||af.eficads.com^ +||affiliate.logitravel.com^ +||ai.net.anwalt.de^ +||ak-br-cdn.kwai.net.iberostar.com^ +||akv2-br-cdn.kwai.net.iberostar.com^ +||ali-pro-origin-pull.kwai.net.iberostar.com^ +||ali-pro-pull.kwai.net.iberostar.com^ +||amahami.net.anwalt.de^ +||anaconda.net.anwalt.de^ +||analytics.net.dz.jumia.com^ +||api.apiok.net.iberostar.com^ +||app.chat.global.xiaomi.net.iberostar.com^ +||appfloor.appcpi.net.iberostar.com^ +||apress.efscle.com^ +||arch.net.jumia.ug^ +||atl-b24-link.ip.twelve99.net.iberostar.com^ +||aws-br-cdn.kwai.net.iberostar.com^ +||aws-br-pic.kwai.net.iberostar.com^ +||bdtheque.net.jumia.com.gh^ +||bolt-gcdn.sc-cdn.net.iberostar.com^ +||bruny.net.anwalt.de^ +||bs-pro-origin-pull.kwai.net.iberostar.com^ +||cast.net.anwalt.de^ +||cdn.net.dz.jumia.com^ +||cdn.net.elogia.net^ +||cppm-kc2.net.jumia.ci^ +||csr11.net.asambeauty.com^ +||cust01-cucm-sub-07-cl6.int.net.jumia.ug^ +||dc01p-net-sslvpn0-ra.net.jumia.com.gh^ +||dclnxirp001cou.net.jumia.co.tz^ +||dev-cenam-mobilefirst.tmx-internacional.net.iberostar.com^ +||dit.whatsapp.net.iberostar.com^ +||dls-b23-link.ip.twelve99.net.iberostar.com^ +||dpm.demdex.net.iberostar.com^ +||dst05lp2.net.mydays.de^ +||edge-mobile-static.azureedge.net.iberostar.com^ +||ei-api.testlb-gwy.easyjet.com.edgekey.net.easyjet.com^ +||ellypsio.net.jumia.com.ng^ +||eniac.net.jumia.com.gh^ +||external-bos5-1.xx.fbcdn.net.iberostar.com^ +||external.fpbc1-1.fna.fbcdn.net.iberostar.com^ +||find.api.micloud.xiaomi.net.iberostar.com^ +||fse.net.anwalt.de^ +||ftwnwght.net.anwalt.de^ +||fulmar.net.anwalt.de^ +||g-br-cdn.kwai.net.iberostar.com^ +||g-fallback.whatsapp.net.iberostar.com^ +||g.whatsapp.net.iberostar.com^ +||gea-exchange-03.net.jumia.ug^ +||ginmon.efscle.com^ +||instagram.xx.fbcdn.net.iberostar.com^ +||ipv4-c006-mid001-telmex-isp.1.oca.nflxvideo.net.iberostar.com^ +||ipv4-c024-mia006-ix.1.oca.nflxvideo.net.iberostar.com^ +||ipv4-cs.intsig.net.iberostar.com^ +||jkanime.net.iberostar.com^ +||kernenergie.efscle.com^ +||lozano.net.anwalt.de^ +||maeketing.net.gafas.es^ +||mandant.net.anwalt.de^ +||marketing.net.asambeauty.com^ +||marketing.net.beate-uhse-movie.com^ +||marketing.net.brillen.com^ +||marketing.net.brillen.pl^ +||marketing.net.daraz.lk^ +||marketing.net.daraz.pk^ +||marketing.net.elogia.net^ +||marketing.net.fidor.de^ +||marketing.net.gafas.es^ +||marketing.net.home24.at^ +||marketing.net.home24.be^ +||marketing.net.home24.de^ +||marketing.net.home24.fr^ +||marketing.net.home24.nl^ +||marketing.net.iberostar.com^ +||marketing.net.idealo-partner.com^ +||marketing.net.jumia.co.ke^ +||marketing.net.jumia.com.gh^ +||marketing.net.jumia.com.ng^ +||marketing.net.jumia.ma^ +||marketing.net.occhiali24.it^ +||marketing.net.vsgamers.es^ +||marketing.net.x24factory.com^ +||marketing.tr.netsalesmedia.pl^ +||mc2o133jkwu19fv9.net.fidor.de^ +||mcfeely.net.mydays.de^ +||mdtnjvcsdbc02-eth1-0.net.mydays.de^ +||media-atl3-1.cdn.whatsapp.net.iberostar.com^ +||media-cdg4-1.cdn.whatsapp.net.iberostar.com^ +||media.fmid5-1.fna.whatsapp.net.iberostar.com^ +||mellamanjorge.net.anwalt.de^ +||mhbhwilson1.net.mydays.de^ +||mholland.net.anwalt.de^ +||mmg.whatsapp.net.iberostar.com^ +||mobile-events.eservice.emarsys.net.iberostar.com^ +||mohamed.net.anwalt.de^ +||naoforge.net.jumia.com.ng^ +||nbcxa65t001z.net.jumia.ug^ +||neoncsr21.net.anwalt.de^ +||net.24-ads.com^ +||net.brillen.de^ +||net.cadeautjes.nl^ +||net.contorion.de^ +||net.daraz.com.bd^ +||net.daraz.com^ +||net.deine-arena.de^ +||net.fashionsisters.de^ +||net.home24.ch^ +||net.home24.com^ +||net.home24.it^ +||net.iberia.com^ +||net.jumia.com.eg^ +||net.jumia.com^ +||net.mydays.ch^ +||net.shop.com.mm^ +||net.steiner-vision.de^ +||net.tradeers.de^ +||net.voopter.com.br^ +||net.zooroyal.de^ +||nsm.tr.netsalesmedia.pl^ +||p16-tiktokcdn-com.akamaized.net.iberostar.com^ +||partner.net.idealo-partner.com^ +||partner.portal.fidormarket.com^ +||partner.service.belboon.com^ +||phpmyadmin.toolmonger.net.jumia.co.tz^ +||pny.net.penny.de^ +||prime.net.jumia.co.tz^ +||pvn.rewe.de^ +||r.akipam.com^ +||r.jakuli.com^ +||r.lafamo.com^ +||r.niwepa.com^ +||r.powuta.com^ +||rbcore-wlc-3.net.jumia.co.ke^ +||renaultbankdirekt.efscle.com^ +||report.appmetrica.yandex.net.iberostar.com^ +||resolver.msg.global.xiaomi.net.iberostar.com^ +||router28.net.anwalt.de^ +||s010.net.jumia.sn^ +||samia.net.anwalt.de^ +||schwaebischhall.efscle.com^ +||scontent-atl3-2.xx.fbcdn.net.iberostar.com^ +||scontent-cdg4-1.xx.fbcdn.net.iberostar.com^ +||scontent-cdg4-2.xx.fbcdn.net.iberostar.com^ +||scontent.fpbc1-2.fna.fbcdn.net.iberostar.com^ +||scontent.xx.fbcdn.net.iberostar.com^ +||server2.www1.dr.goldenserviceawards.net.jumia.co.ke^ +||shhoix0fuonj0hz6.net.fidor.de^ +||sonar6-akl1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ams2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-arn2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-atl3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-bcn1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-bkk1-2.xx.fbcdn.net.iberostar.com^ +||sonar6-bog2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-bom1-2.xx.fbcdn.net.iberostar.com^ +||sonar6-bru2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ccu1-2.xx.fbcdn.net.iberostar.com^ +||sonar6-cdg4-1.xx.fbcdn.net.iberostar.com^ +||sonar6-cdg4-2.xx.fbcdn.net.iberostar.com^ +||sonar6-cdg4-3.xx.fbcdn.net.iberostar.com^ +||sonar6-cgk1-3.xx.fbcdn.net.iberostar.com^ +||sonar6-cph2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-cpt1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-del2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-den4-1.xx.fbcdn.net.iberostar.com^ +||sonar6-dfw5-1.xx.fbcdn.net.iberostar.com^ +||sonar6-dfw5-2.xx.fbcdn.net.iberostar.com^ +||sonar6-doh1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-dub4-1.xx.fbcdn.net.iberostar.com^ +||sonar6-eze1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-fco2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-fml20-1.xx.fbcdn.net.iberostar.com^ +||sonar6-for1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-fra3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-fra3-2.xx.fbcdn.net.iberostar.com^ +||sonar6-fra5-2.xx.fbcdn.net.iberostar.com^ +||sonar6-gig4-1.xx.fbcdn.net.iberostar.com^ +||sonar6-gmp1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-gru2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-gua1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ham3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-hel3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-hkt1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-hou1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-hyd1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ist1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-itm1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-jnb1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-kul2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-lax3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-lga3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-lhr6-2.xx.fbcdn.net.iberostar.com^ +||sonar6-lim1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-lis1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-los2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-maa2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mad1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mba1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mct1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mrs2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mty2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mxp1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-nrt1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ord5-2.xx.fbcdn.net.iberostar.com^ +||sonar6-pmo1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-qro1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-scl2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-sea1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-sin6-1.xx.fbcdn.net.iberostar.com^ +||sonar6-sjc3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-sof1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ssn1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-tir3-2.xx.fbcdn.net.iberostar.com^ +||sonar6-tpe1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-vie1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-xsp1-3.xx.fbcdn.net.iberostar.com^ +||sonar6-xxb1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-yyz1-1.xx.fbcdn.net.iberostar.com^ +||sonar6.fcul1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fgdl1-3.fna.fbcdn.net.iberostar.com^ +||sonar6.fgdl1-4.fna.fbcdn.net.iberostar.com^ +||sonar6.fgym1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fhmo1-2.fna.fbcdn.net.iberostar.com^ +||sonar6.fmlm1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fmzt1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fnog1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fntr4-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fpbc1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fpbc1-2.fna.fbcdn.net.iberostar.com^ +||sonar6.fver1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fzih1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.xy.fbcdn.net.iberostar.com^ +||srd1-pdx.net.jumia.ci^ +||static.whatsapp.net.iberostar.com^ +||stats.g.doubleclick.net.iberostar.com^ +||stereofixers.net.jumia.com.gh^ +||swissinside.easyjet.com.edgekey.net.easyjet.com^ +||tamus.net.anwalt.de^ +||thialfi.net.anwalt.de^ +||thumbs.net.anwalt.de^ +||tirandoalmedio.net.anwalt.de^ +||titomacia.net.anwalt.de^ +||tittendestages.net.anwalt.de^ +||tweetdeck.net.anwalt.de^ +||twistairclub.net.anwalt.de^ +||tx-br-cdn.kwai.net.iberostar.com^ +||tx-pro-pull.kwai.net.iberostar.com^ +||txv2-br-cdn.kwai.net.iberostar.com^ +||tyumen.net.anwalt.de^ +||ui.belboon.com^ +||umrvmb.net.anwalt.de^ +||us.appbackupapi.micloud.xiaomi.net.iberostar.com^ +||us.micardapi.micloud.xiaomi.net.iberostar.com^ +||us.noteapi.micloud.xiaomi.net.iberostar.com^ +||us.pdc.micloud.xiaomi.net.iberostar.com^ +||usw18-268-pdb.net.mydays.de^ +||v16m-default.akamaized.net.iberostar.com^ +||valdes.net.anwalt.de^ +||vd-test.net.anwalt.de^ +||vidfiles.net.mydays.de^ +||vl037.net.anwalt.de^ +||wasteland.net.anwalt.de^ +||whoami.akamai.net.iberostar.com^ +||wotasia2.login.wargaming.net.iberostar.com^ +||wotasia3.login.wargaming.net.iberostar.com^ +||wpe-client02-vm4.net.mydays.de^ +||ws-br-cdn.kwai.net.iberostar.com^ +||ws-pro-pull.kwai.net.iberostar.com^ +||www.brillen.demarketing.net.brillen.pl^ +||www.ciscenje.net.jumia.com.ng^ +||www.clients.net.anwalt.de^ +||www.csr31.net.anwalt.de^ +||www.iaccede.net.jumia.ug^ +||www.meuble-design.net.jumia.ug^ +||www.net.asambeauty.com^ +||www.restopascher.net.jumia.sn^ +||www1.na.sandbox.gwsweb.net.jumia.co.ke^ +||yoi05.youthorganizing.net.jumia.ci^ +||zds.net.anwalt.de^ +||zimadifirenze.net.anwalt.de^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_np6.txt *** +! easyprivacy_specific_cname_np6.txt +! tracking.bp01.net disguised trackers https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/np6.txt +! +! +||cotemaison.np6.com^ +||emailing.casden.banquepopulaire.fr^ +||epm.mailperformance.com^ +||f1.demo.np6.com^ +||f1.mailperf.com^ +||f1.mailperformance.com^ +||f1.mperf.com^ +||f1.np6.com^ +||infojeux.paris.fr^ +||lbv5.mperf.com^ +||mailtracking.tf1.com^ +||mp.pitchero.com^ +||news.mailperformance.com^ +||newsletter.ticketac.com^ +||shortener.np6.com^ +||sms.gestion.cetelem.fr^ +||sms.news.allopneus.com^ +||t8.mailperformance.com^ +||tr.3ou4xcb.cetelem.fr^ +||tr.3xcb.cofinoga.fr^ +||tr.aasi.espmp-agfr.net^ +||tr.abo.cotemaison.fr^ +||tr.account.np6.com^ +||tr.acd-comexpert.fr^ +||tr.acq-pjms.fr^ +||tr.actiflip.devisdirect.com^ +||tr.activeprospects.info^ +||tr.actu-companeo.com^ +||tr.actu.bricodepot.com^ +||tr.actu.reunica.com^ +||tr.actu.rmcbfmplay.com^ +||tr.actualites.bfmtv.com^ +||tr.actualites.reseau-lcd.org^ +||tr.actuentreprises.elior.fr^ +||tr.actupremium.com^ +||tr.actus-fdj.fr^ +||tr.adhesion.ircom-laverriere.com^ +||tr.afpa.espmp-cufr.net^ +||tr.ag2rlamondiale.fr^ +||tr.agefiseminaires.com^ +||tr.alex.espmp-agfr.net^ +||tr.allianz-trade.com^ +||tr.allopneus.com^ +||tr.animation.lexpress.fr^ +||tr.animation.micromania.fr^ +||tr.animations.alticemedia.com^ +||tr.animations.bfmtv.com^ +||tr.apou032.espmp-agfr.net^ +||tr.asp0010.espmp-nifr.net^ +||tr.asp0018.espmp-aufr.net^ +||tr.asp002q.espmp-aufr.net^ +||tr.asp002x.espmp-cufr.net^ +||tr.asp0085.espmp-nifr.net^ +||tr.asp008y.espmp-nifr.net^ +||tr.asp009j.espmp-aufr.net^ +||tr.asp009k.espmp-cufr.net^ +||tr.asp00a0.espmp-cufr.net^ +||tr.asp00a1.espmp-agfr.net^ +||tr.asp00a3.espmp-agfr.net^ +||tr.asp00a6.espmp-nifr.net^ +||tr.asp00ah.espmp-nifr.net^ +||tr.asp00am.espmp-cufr.net^ +||tr.asp1.espmp-agfr.net^ +||tr.asp102n.espmp-cufr.net^ +||tr.asp103z.espmp-nifr.net^ +||tr.asp104p.espmp-aufr.net^ +||tr.asp106d.espmp-cufr.net^ +||tr.asp106g.espmp-nifr.net^ +||tr.asp106m.espmp-agfr.net^ +||tr.asp108a.espmp-cufr.net^ +||tr.asp1098.espmp-cufr.net^ +||tr.asp109c.espmp-aufr.net^ +||tr.asp109e.espmp-cufr.net^ +||tr.asp109y.espmp-agfr.net^ +||tr.asp10a7.espmp-aufr.net^ +||tr.asp10ai.espmp-nifr.net^ +||tr.asp10ap.espmp-nifr.net^ +||tr.asp10ar.espmp-cufr.net^ +||tr.asp10b3.espmp-agfr.net^ +||tr.asp10bq.espmp-nifr.net^ +||tr.asp10bs.espmp-aufr.net^ +||tr.asp10c8.espmp-agfr.net^ +||tr.asp10cc.espmp-nifr.net^ +||tr.asp10cg.espmp-nifr.net^ +||tr.asp10ch.espmp-nifr.net^ +||tr.asp10cr.espmp-nifr.net^ +||tr.asp10d7.espmp-nifr.net^ +||tr.asp10de.espmp-agfr.net^ +||tr.asp10df.espmp-agfr.net^ +||tr.asp10dq.espmp-nifr.net^ +||tr.asp10dx.espmp-nifr.net^ +||tr.asp10ea.espmp-nifr.net^ +||tr.asp10f5.espmp-agfr.net^ +||tr.asp10f6.espmp-agfr.net^ +||tr.asp10fa.espmp-cufr.net^ +||tr.asp10fg.espmp-aufr.net^ +||tr.asp10fl.espmp-nifr.net^ +||tr.asp10fo.espmp-nifr.net^ +||tr.asp10fp.espmp-nifr.net^ +||tr.asp10fx.espmp-cufr.net^ +||tr.asp10ga.espmp-nifr.net^ +||tr.asp10ge.espmp-nifr.net^ +||tr.asp10h2.espmp-nifr.net^ +||tr.asp10hc.espmp-aufr.net^ +||tr.asp10hg.espmp-cufr.net^ +||tr.asp10hi.espmp-cufr.net^ +||tr.asp10hj.espmp-pofr.net^ +||tr.asp10if.espmp-cufr.net^ +||tr.asp2.espmp-agfr.net^ +||tr.asp202u.espmp-cufr.net^ +||tr.asp2032.espmp-aufr.net^ +||tr.asp2035.espmp-nifr.net^ +||tr.asp203m.espmp-cufr.net^ +||tr.asp2045.espmp-nifr.net^ +||tr.asp204q.espmp-cufr.net^ +||tr.asp205a.espmp-cufr.net^ +||tr.asp2063.espmp-nifr.net^ +||tr.asp206k.espmp-agfr.net^ +||tr.asp2070.espmp-aufr.net^ +||tr.asp2075.espmp-nifr.net^ +||tr.asp2076.espmp-pofr.net^ +||tr.asp2077.espmp-nifr.net^ +||tr.asp2078.espmp-nifr.net^ +||tr.asp207e.espmp-nifr.net^ +||tr.asp207f.espmp-cufr.net^ +||tr.assoc.cfsr-retine.com^ +||tr.avisecheance.maaf.fr^ +||tr.axa-millesimes.espmp-aufr.net^ +||tr.axa.espmp-aufr.net^ +||tr.b2d1.espmp-agfr.net^ +||tr.b2d1068.espmp-nifr.net^ +||tr.b2d106z.espmp-aufr.net^ +||tr.b2d107b.espmp-aufr.net^ +||tr.bati-partner.be^ +||tr.bati-partners.be^ +||tr.batirenover.info^ +||tr.batiweb.co^ +||tr.bel-pros.be^ +||tr.bern.espmp-nifr.net^ +||tr.bienvenue.envie-de-bien-manger.com^ +||tr.bizzquotes.co.uk^ +||tr.bobo.espmp-cufr.net^ +||tr.bodet.devisdirect.com^ +||tr.boletim.companeo.pt^ +||tr.boletim.meu-orcamento.pt^ +||tr.bouyguestelecom.espmp-aufr.net^ +||tr.brand.labelleadresse.com^ +||tr.btob-afaceri.ro^ +||tr.btob-cwf.com^ +||tr.btob-deals.co.uk^ +||tr.btob-pro.be^ +||tr.btob-pro.pt^ +||tr.btob.mhdfrance.fr^ +||tr.btobquotes.be^ +||tr.btobquotes.cl^ +||tr.btobquotes.com^ +||tr.btobquotes.mx^ +||tr.buenasofertas.pro^ +||tr.bureauveritas.espmp-aufr.net^ +||tr.business-deal.be^ +||tr.business-deal.cl^ +||tr.business-deal.com.br^ +||tr.business-deal.fr^ +||tr.business-deal.mx^ +||tr.business-deal.nl^ +||tr.business-quotes.co.uk^ +||tr.businessdev.younited-credit.es^ +||tr.cacf-acq.ipsos-surveys.com^ +||tr.cacf.ipsos-surveys.com^ +||tr.camara.eu.com^ +||tr.capu.espmp-agfr.net^ +||tr.carl.espmp-cufr.net^ +||tr.cart02d.espmp-agfr.net^ +||tr.carte.lcl.fr^ +||tr.cartegie.fr^ +||tr.cashback.floa.fr^ +||tr.cb4x.banque-casino.fr^ +||tr.cb4x.floa.fr^ +||tr.cclx.espmp-agfr.net^ +||tr.cdiscount.3wregie.com^ +||tr.ceeregion.moethennessy.com^ +||tr.christmas.petit-bateau.com^ +||tr.chronodrive.com^ +||tr.ciblexo.fr^ +||tr.cifa.espmp-nifr.net^ +||tr.cifa02b.espmp-aufr.net^ +||tr.cifa02d.espmp-aufr.net^ +||tr.cifa02k.espmp-aufr.net^ +||tr.cifa02l.espmp-nifr.net^ +||tr.citiesforlifeparis.latribune.fr^ +||tr.cj.bordeaux-metropole.fr^ +||tr.client.emailing.bnpparibas^ +||tr.clientes.younited-credit.com^ +||tr.clienti.younited-credit.com^ +||tr.clienti.younited-credit.it^ +||tr.clients-mediametrie.fr^ +||tr.clients.base-plus.fr^ +||tr.clients.boursobank.info^ +||tr.clients.boursorama.info^ +||tr.clients.compagnie-hyperactive.com^ +||tr.clients.europrogres.fr^ +||tr.clients.gemy.fr^ +||tr.clients.idaia.group^ +||tr.cnaf.espmp-nifr.net^ +||tr.cobranca.younited-credit.com^ +||tr.cogedim.espmp-agfr.net^ +||tr.collectif.groupe-vyv.fr^ +||tr.com-clients.sfr.fr^ +||tr.com-parc.sfr.fr^ +||tr.com-red.sfr.fr^ +||tr.com-web.sfr.fr^ +||tr.com.santiane.fr^ +||tr.com.sfr.fr^ +||tr.combca.fr^ +||tr.commande.location.boulanger.com^ +||tr.commercial.boursobank.info^ +||tr.communaute.caradisiac.com^ +||tr.communautes-mediametrie.fr^ +||tr.communication.alticemedia.com^ +||tr.communication.ancv.com^ +||tr.communication.armatis-lc.com^ +||tr.communication.arthur-bonnet.com^ +||tr.communication.b2b-actualites.com^ +||tr.communication.boursobank.info^ +||tr.communication.boursorama.info^ +||tr.communication.cgaaer.fr^ +||tr.communication.enkiapp.io^ +||tr.communication.harmonie-mutuelle.fr^ +||tr.communication.hennessy.com^ +||tr.communication.hybrigenics.com^ +||tr.communication.jardindacclimatation.fr^ +||tr.communication.lamaisondesstartups.com^ +||tr.communication.lvmh.fr^ +||tr.communication.lvmhdare.com^ +||tr.communication.mhdfrance.fr^ +||tr.communication.moethennessy.com^ +||tr.communication.moethennessydiageoconnect.com^ +||tr.communication.np6.com^ +||tr.communication.numericable.fr^ +||tr.communication.offresb2b.fr^ +||tr.communication.top-office.com^ +||tr.companeo-news.co.uk^ +||tr.comunicacao.younited-credit.com^ +||tr.comunicazione.younited-credit.com^ +||tr.contact.astuceco.fr^ +||tr.contact.canalplay.com^ +||tr.contact.canalplus.fr^ +||tr.contact.canalsat.fr^ +||tr.contact.cerel.net^ +||tr.contact.cereps.fr^ +||tr.contact.e-turf.fr^ +||tr.contact.henner.com^ +||tr.contact.lvmh.fr^ +||tr.contact.mhl-publishing.fr^ +||tr.contact.ruinart.com^ +||tr.contact.stof.fr^ +||tr.contact.thelist-emirates.fr^ +||tr.contrat.location.boulanger.com^ +||tr.contrat.lokeo.fr^ +||tr.contrats.cetelem.fr^ +||tr.contrats.cofinoga.fr^ +||tr.contrats.domofinance.fr^ +||tr.corporate.moethennessy.com^ +||tr.courriel.mae.fr^ +||tr.courriel.ouestnormandie.cci.fr^ +||tr.courrier.charentelibre.fr^ +||tr.courrier.larepubliquedespyrenees.fr^ +||tr.courrier.sudouest.fr^ +||tr.crc.henner.com^ +||tr.credito.universo.pt^ +||tr.crtl.espmp-aufr.net^ +||tr.customer-solutions.np6.com^ +||tr.cyberarchi.info^ +||tr.cyprusparadiseestates.com^ +||tr.cypruspremiervacations.com^ +||tr.datacom.espmp-pofr.net^ +||tr.demo.np6.com^ +||tr.designoutlet-contact.fr^ +||tr.devis-companeo.be^ +||tr.devis-companeo.com^ +||tr.devis-companeo.fr^ +||tr.devis-express.be^ +||tr.devis-professionnels.com^ +||tr.devis-professionnels.fr^ +||tr.devis.digital^ +||tr.devisminute-affranchissement.com^ +||tr.devisminute-alarme.com^ +||tr.devisminute-caisseenregistreuse.com^ +||tr.devisminute-fontainereseau.com^ +||tr.devisminute-geolocalisation.com^ +||tr.devisminute-gestiondepatrimoine.com^ +||tr.devisminute-gestiondutemps.com^ +||tr.devisminute-gestionpaie.com^ +||tr.devisminute-materieldestockage.com^ +||tr.devisminute-mutuelle.com^ +||tr.devisminute-operateur.com^ +||tr.devisminute-operateurpro.com^ +||tr.devisminute-securiteb2b.com^ +||tr.devisminute-siteecommerce.com^ +||tr.devisminute-weber.com^ +||tr.devize-companeo.ro^ +||tr.devizul-meu.ro^ +||tr.digitalacademy.np6.com^ +||tr.digitaldigest.lvmh.com^ +||tr.directferries.com^ +||tr.dirigeants.harmonie-mutuelle.fr^ +||tr.discover.perfectstay.com^ +||tr.djay.espmp-agfr.net^ +||tr.dkomaison.info^ +||tr.dnapresse.fr^ +||tr.docapost-sirs.com^ +||tr.dogstrust.org.uk^ +||tr.donateur.afm-telethon.fr^ +||tr.dossier-assurance.maaf.fr^ +||tr.drh-holding.lvmh.fr^ +||tr.e-mail.axa.fr^ +||tr.e-mail.axabanque.fr^ +||tr.e-travaux.info^ +||tr.e.entreprise-pm.fr^ +||tr.e.entreprise-pm.net^ +||tr.e.m-entreprise.fr^ +||tr.e.trouver-un-logement-neuf.com^ +||tr.easy-offertes.be^ +||tr.ecolab-france.fr^ +||tr.ecologie-shop.espmp-agfr.net^ +||tr.em.cdiscount-pro.com^ +||tr.em.cdiscountpro.com^ +||tr.email.aeroexpo.online^ +||tr.email.agriexpo.online^ +||tr.email.akerys.com^ +||tr.email.aktuariat.fr^ +||tr.email.archiexpo.com^ +||tr.email.bon-placement-immobilier.fr^ +||tr.email.contact-jaguar.fr^ +||tr.email.contact-landrover.fr^ +||tr.email.custom-campaign.com^ +||tr.email.d17.tv^ +||tr.email.d8.tv^ +||tr.email.directindustry.com^ +||tr.email.distributor-expo.com^ +||tr.email.gap-france.fr^ +||tr.email.grandjeupaysgourmand.fr^ +||tr.email.harmonie-mutuelle.fr^ +||tr.email.infocredit.orangebank.fr^ +||tr.email.janedeboy.com^ +||tr.email.maisonfoody.com^ +||tr.email.medicalexpo.com^ +||tr.email.mnpaf.fr^ +||tr.email.nauticexpo.com^ +||tr.email.pointfranchise.co.uk^ +||tr.email.rs-fr.com^ +||tr.email.securite-routiere.gouv.fr^ +||tr.email.solocal.com^ +||tr.email.thelem-assurances.fr^ +||tr.email.toute-la-franchise.com^ +||tr.email.videofutur.fr^ +||tr.email.virtual-expo.com^ +||tr.email.voyagesleclerc.com^ +||tr.emailatia.fr^ +||tr.emailing-wishesfactory.com^ +||tr.emailing.agencereference.com^ +||tr.emailing.canalbox.com^ +||tr.emailing.canalplay.com^ +||tr.emailing.canalplus-afrique.com^ +||tr.emailing.canalplus-caledonie.com^ +||tr.emailing.canalplus-caraibes.com^ +||tr.emailing.canalplus-maurice.com^ +||tr.emailing.canalplus-polynesie.com^ +||tr.emailing.canalplus-reunion.com^ +||tr.emailing.canalplus.ch^ +||tr.emailing.canalplus.fr^ +||tr.emailing.canalpro.fr^ +||tr.emailing.canalsat.ch^ +||tr.emailing.cifea-mkg.com^ +||tr.emailing.cnam-paysdelaloire.fr^ +||tr.emailing.cstar.fr^ +||tr.emailing.detours.canal.fr^ +||tr.emailing.grassavoye.com^ +||tr.emailing.pogioclub.be^ +||tr.emailing.studiocanal.com^ +||tr.emailing.tvcaraibes.tv^ +||tr.emailium.fr^ +||tr.emc.moethennessy.com^ +||tr.enedis-infos.fr^ +||tr.enews.customsolutions.fr^ +||tr.enquetes.actionlogement.fr^ +||tr.entreprise-pro.info^ +||tr.entreprise.axa.fr^ +||tr.envie-de-bien-manger.espmp-aufr.net^ +||tr.eqs.cpam67.net^ +||tr.ere.emailing.bnpparibas^ +||tr.espmp-agfr.net^ +||tr.estatesandwines.moethennessy.com^ +||tr.etravauxpro.fr^ +||tr.etude.sncd.org^ +||tr.eulerhermes.com^ +||tr.ev001.net^ +||tr.evenements.inpi.fr^ +||tr.expresofferte.be^ +||tr.fg3p.espmp-cufr.net^ +||tr.fidal.pro^ +||tr.fidalformation.pro^ +||tr.finance.moethennessy.com^ +||tr.fleetmatics.vraaguwofferte.be^ +||tr.forum.veuveclicquot.fr^ +||tr.fr.pro.accor.com^ +||tr.france.plimsoll.fr^ +||tr.futurecommerce.moethennessy.com^ +||tr.gen.espmp-agfr.net^ +||tr.gestion.cafineo.fr^ +||tr.gestion.cetelem.fr^ +||tr.gestion.coficabail.fr^ +||tr.gestion.cofinoga.fr^ +||tr.gestion.credit-moderne.fr^ +||tr.gestion.domofinance.fr^ +||tr.gestion.floa.fr^ +||tr.gestion.hondafinancialservices.fr^ +||tr.gestion.lexpress.fr^ +||tr.gestion.liberation.fr^ +||tr.gestion.norrsken.fr^ +||tr.gestion.sygmabnpparibas-pf.com^ +||tr.gplus.espmp-nifr.net^ +||tr.grez.espmp-nifr.net^ +||tr.group-appointments.lvmh.fr^ +||tr.group-hr.lvmh.fr^ +||tr.groupama-gne.fr^ +||tr.gtr.moethennessy.com^ +||tr.haute-maurienne-vanoise.net^ +||tr.hcahealthcare.co.uk^ +||tr.hello.maisonfoody.com^ +||tr.helloartisan.info^ +||tr.hmut.espmp-agfr.net^ +||tr.holidaycottages.co.uk^ +||tr.impayes.filiassur.com^ +||tr.info-btob-leaders.com^ +||tr.info-companeo.be^ +||tr.info-fr.assurant.com^ +||tr.info-jeux.paris.fr^ +||tr.info-pro.promoneuve.fr^ +||tr.info-strategie.fr^ +||tr.info.actionlogement.fr^ +||tr.info.aeroportdeauville.com^ +||tr.info.ag2rlamondiale.fr^ +||tr.info.aliae.com^ +||tr.info.annoncesbateau.com^ +||tr.info.aprr.fr^ +||tr.info.arialcnp.fr^ +||tr.info.astermod.net^ +||tr.info.aussois.com^ +||tr.info.bessans.com^ +||tr.info.bonneval-sur-arc.com^ +||tr.info.businesscreditcards.bnpparibasfortis.be^ +||tr.info.caissenationalegendarme.fr^ +||tr.info.camping-vagues-oceanes.com^ +||tr.info.capfun.com^ +||tr.info.cartesaffaires.bnpparibas^ +||tr.info.casino-proximites.fr^ +||tr.info.certypro.fr^ +||tr.info.clicochic.com^ +||tr.info.cnch.fr^ +||tr.info.comparadordeprestamos.es^ +||tr.info.conexancemd.com^ +||tr.info.conso-expert.fr^ +||tr.info.covid-resistance-bretagne.fr^ +||tr.info.dentexelans.com^ +||tr.info.e-leclerc.com^ +||tr.info.easyviaggio.com^ +||tr.info.easyviajar.com^ +||tr.info.easyvoyage.co.uk^ +||tr.info.easyvoyage.com^ +||tr.info.ecole-de-savignac.com^ +||tr.info.fulli.com^ +||tr.info.galian.fr^ +||tr.info.harmonie-mutuelle.fr^ +||tr.info.lacentrale.fr^ +||tr.info.lettre.cci.fr^ +||tr.info.linnc.com^ +||tr.info.linxea.com^ +||tr.info.mango-mobilites.fr^ +||tr.info.mango-mobilitesbyaprr.fr^ +||tr.info.mavoiturecash.fr^ +||tr.info.maxis-gbn.com^ +||tr.info.mcgarrybowen.com^ +||tr.info.mdbp.fr^ +||tr.info.mercialys.com^ +||tr.info.mobibam.com^ +||tr.info.np6.com^ +||tr.info.np6.fr^ +||tr.info.oceane-pme.com^ +||tr.info.offres-cartegie.fr^ +||tr.info.onboarding.corporatecards.bnpparibas^ +||tr.info.perl.fr^ +||tr.info.ph-bpifrance.fr^ +||tr.info.phsolidaire-bpifrance.fr^ +||tr.info.pret-bpifrance.fr^ +||tr.info.pretflashtpe-bpifrance.fr^ +||tr.info.projeo-finance.fr^ +||tr.info.promoneuve.fr^ +||tr.info.rebond-bpifrance.fr^ +||tr.info.reunica.com^ +||tr.info.rouen.aeroport.fr^ +||tr.info.rouen.cci.fr^ +||tr.info.snpden.net^ +||tr.info.solidarm.fr^ +||tr.info.svp.com^ +||tr.info.valcenis.com^ +||tr.info.vip-mag.co.uk^ +||tr.info.webikeo.fr^ +||tr.infolettre.securite-routiere.gouv.fr^ +||tr.infolettres.groupama.com^ +||tr.infomarche.hennessy.fr^ +||tr.information.fidalformations.fr^ +||tr.information.labelleadresse.com^ +||tr.information.lacollection-airfrance.be^ +||tr.information.lacollection-airfrance.ch^ +||tr.information.lacollection-airfrance.co.uk^ +||tr.information.lacollection-airfrance.fr^ +||tr.information.leclubtravel.fr^ +||tr.information.perfectstay.com^ +||tr.information.smartdeals-transavia-fr.com^ +||tr.information.thelist-emirates.fr^ +||tr.informations.harmonie-mutuelle.fr^ +||tr.informations.lcl.fr^ +||tr.infos-admissions.com^ +||tr.infos.afpa.fr^ +||tr.infos.allianz-trade.com^ +||tr.infos.ariase.com^ +||tr.infos.enerplus-bordeaux.fr^ +||tr.infos.fongecifcentre.com^ +||tr.infos.gazdebordeaux.fr^ +||tr.infos.lacarte.demenagez-moi.com^ +||tr.infos.lettre-resiliation.com^ +||tr.infos.odalys-vacances.com^ +||tr.inspiration.culture-data.fr^ +||tr.interieur.cotemaison.fr^ +||tr.interviews-mediametrie.fr^ +||tr.invest.younited-credit.com^ +||tr.invitation-mesdessous.fr^ +||tr.invitation.perfectstay.com^ +||tr.ipsos-surveys.com^ +||tr.ispaconsulting.com^ +||tr.italia.plimsoll.it^ +||tr.jend.espmp-pofr.net^ +||tr.jesuis.enformedelotus.com^ +||tr.jevoteenligne.fr^ +||tr.jimb.espmp-cufr.net^ +||tr.jkcd.espmp-cufr.net^ +||tr.jkcd.espmp-pofr.net^ +||tr.jkyg.espmp-cufr.net^ +||tr.kang.espmp-cufr.net^ +||tr.kedf.espmp-nifr.net^ +||tr.klse.espmp-agfr.net^ +||tr.kommunikation.younited-credit.com^ +||tr.kontakt.younited-credit.com^ +||tr.kpfc.espmp-nifr.net^ +||tr.kpyn.espmp-cufr.net^ +||tr.kpyn02a.espmp-cufr.net^ +||tr.kpyn02f.espmp-cufr.net^ +||tr.kpyn059.espmp-pofr.net^ +||tr.krus.espmp-agfr.net^ +||tr.lachaiselongue.fr^ +||tr.landrover.compte-financial-services.fr^ +||tr.laprairie.ifop.com^ +||tr.lbar.espmp-agfr.net^ +||tr.leads.direct^ +||tr.legrandjeu.boulanger.com^ +||tr.lesmarques.envie-de-bien-manger.com^ +||tr.lesmarquesenviedebienmanger.fr^ +||tr.lettre.dechets-infos.com^ +||tr.lettre.helianthal.fr^ +||tr.lettre.lecho-circulaire.com^ +||tr.leyravaud.devisdirect.com^ +||tr.liberation.espmp-aufr.net^ +||tr.livrephoto.espmp-aufr.net^ +||tr.loreal.ifop.com^ +||tr.louisvuittonmalletier.com^ +||tr.louvre-boites.com^ +||tr.ltbu.espmp-nifr.net^ +||tr.ltbu02o.espmp-agfr.net^ +||tr.lvmhappening.lvmh.fr^ +||tr.m.cwisas.com^ +||tr.macarte.truffaut.com^ +||tr.mail-companeo.fr^ +||tr.mail.cdiscount.com.ec^ +||tr.mail.cdiscount.com.pa^ +||tr.mail.digitalpjms.fr^ +||tr.mail.enviedebienmanger.fr^ +||tr.mail.floa.fr^ +||tr.mail.hagerservices.fr^ +||tr.mail.koregraf.com^ +||tr.mail.mdbp.fr^ +||tr.mail.moncoupdepouce.com^ +||tr.mail.perial.info^ +||tr.mail.primevere.com^ +||tr.mail.satisfactory.fr^ +||tr.mail.solocal.com^ +||tr.mail.vip-mag.co.uk^ +||tr.mail.vipmag.fr^ +||tr.mail.vo3000.com^ +||tr.mail1.macif.fr^ +||tr.mailatia.com^ +||tr.mailing.achatpublic.com^ +||tr.mailing.heliades.fr^ +||tr.mailing.laredoute.fr^ +||tr.mailing.lvmhappening.com^ +||tr.mailing.promodeclic.fr^ +||tr.mailingnp6.lavoirmoderne.com^ +||tr.mailmp.macif.net^ +||tr.mailperf.institut-de-la-protection-sociale.fr^ +||tr.mailperf.ngt-services.com^ +||tr.mailperformance.com^ +||tr.mailperformance.fr^ +||tr.maisonsdumonde.com^ +||tr.marg02n.espmp-agfr.net^ +||tr.marketing.bordeauxgironde.cci.fr^ +||tr.marketing.comparadordeprestamos.es^ +||tr.marketing.fulli.com^ +||tr.marketing.tennaxia.com^ +||tr.marketing.younited-credit.com^ +||tr.marketing.younited-credit.es^ +||tr.marketing.younited-credit.pt^ +||tr.marketingdisruption.co.uk^ +||tr.mart.espmp-agfr.net^ +||tr.mcom03b.espmp-aufr.net^ +||tr.mcom04p.espmp-aufr.net^ +||tr.media.harmonie-sante.fr^ +||tr.melhores-propostas.pt^ +||tr.membres.boursorama.info^ +||tr.mep.enkiapp.io^ +||tr.mes-bonsplans.be^ +||tr.mes-prestataires.fr^ +||tr.message.maaf.fr^ +||tr.mh-connect.moethennessy.com^ +||tr.mhch.moet.hennessy.com^ +||tr.mhdconnect.mhdfrance.fr^ +||tr.mhist.moethennessy.com^ +||tr.mhlab78.moethennessy.com^ +||tr.mhusa-trade-engagement.moethennessy.com^ +||tr.mhwinesestates.moethennessy.com^ +||tr.mijn-superaanbieding.be^ +||tr.mijnaanbieding.renowizz.be^ +||tr.mika.espmp-nifr.net^ +||tr.mktg.np6.com^ +||tr.mm.infopro-digital.com^ +||tr.mnoc.espmp-nifr.net^ +||tr.mnpd.espmp-agfr.net^ +||tr.moes.espmp-agfr.net^ +||tr.moja-wycena.pl^ +||tr.monagenligne.fr^ +||tr.mondevis-b2b.com^ +||tr.mondevis-pro.com^ +||tr.moving.fr^ +||tr.mp.aconclue-business.fr^ +||tr.mp.aconclue-entreprise.fr^ +||tr.mp.aconclue-pro.com^ +||tr.mp.actu-pm.fr^ +||tr.mp.infomanageo.fr^ +||tr.mp.ld-man.fr^ +||tr.mrls.espmp-agfr.net^ +||tr.mydevisentreprise.com^ +||tr.n.ferrero.fr^ +||tr.n.info.cdgp.fr^ +||tr.n.info.sygmabanque.fr^ +||tr.n.kinder.fr^ +||tr.n.nutella.fr^ +||tr.n.tic-tac.fr^ +||tr.nati02d.espmp-aufr.net^ +||tr.nespresso.com^ +||tr.nespresso.mailsservices.com^ +||tr.new.offres-cartegie.fr^ +||tr.news-abweb.com^ +||tr.news-chocolat.com^ +||tr.news-companeo.be^ +||tr.news-companeo.cl^ +||tr.news-companeo.com.br^ +||tr.news-companeo.fr^ +||tr.news-companeo.gr^ +||tr.news-companeo.mx^ +||tr.news-companeo.nl^ +||tr.news-companeo.pl^ +||tr.news-dfc.sciences-po.fr^ +||tr.news-fr.perfectstay.com^ +||tr.news-ingerop.com^ +||tr.news-longchamp.com^ +||tr.news.a-t.fr^ +||tr.news.a2micile.com^ +||tr.news.accessmastertour.com^ +||tr.news.accessmbatour.com^ +||tr.news.actu-man.com^ +||tr.news.ailleurs.com^ +||tr.news.alcyon.com^ +||tr.news.alibabuy.com^ +||tr.news.alinea.com^ +||tr.news.allopneus.com^ +||tr.news.aramisauto.com^ +||tr.news.assuragency.net^ +||tr.news.bruneau.fr^ +||tr.news.business-deal.co.uk^ +||tr.news.c-media.fr^ +||tr.news.cad-magazine.com^ +||tr.news.capfun.com^ +||tr.news.casino.fr^ +||tr.news.casinodrive.fr^ +||tr.news.casinomax.fr^ +||tr.news.cci-puydedome.com^ +||tr.news.cdiscount.com^ +||tr.news.cdiscountpro.com^ +||tr.news.cenpac.fr^ +||tr.news.chapsvision.com^ +||tr.news.chezmonveto.com^ +||tr.news.chilican.com^ +||tr.news.clicochic.com^ +||tr.news.companeo.es^ +||tr.news.companeo.ro^ +||tr.news.corsicaferries.com^ +||tr.news.corsicalinea.com^ +||tr.news.cotemaison.fr^ +||tr.news.cporadio.tv^ +||tr.news.crystal-partenaires.com^ +||tr.news.delifrance.com^ +||tr.news.deneuville-chocolat.fr^ +||tr.news.deshotelsetdesiles.com^ +||tr.news.devisdirect.be^ +||tr.news.devisdirect.com^ +||tr.news.digitpjms.fr^ +||tr.news.directeo.fr^ +||tr.news.easy-voyage.com^ +||tr.news.easyviaggio.com^ +||tr.news.easyviajar.com^ +||tr.news.easyvoyage.co.uk^ +||tr.news.easyvoyage.com^ +||tr.news.easyvoyage.de^ +||tr.news.economic-studies.fr^ +||tr.news.editions-lva.fr^ +||tr.news.enkiapp.io^ +||tr.news.entreprise-pm.com^ +||tr.news.epicery.com^ +||tr.news.eureden.com^ +||tr.news.eurodatatv.com^ +||tr.news.exclu.fr^ +||tr.news.extenso-telecom.com^ +||tr.news.externis.com^ +||tr.news.extrabook.com^ +||tr.news.flandrintechnologies.com^ +||tr.news.franceloc.fr^ +||tr.news.futuramedia.fr^ +||tr.news.geantcasino.fr^ +||tr.news.geomag.fr^ +||tr.news.glance-mediametrie.com^ +||tr.news.grandsmoulinsdeparis.com^ +||tr.news.groupe-armonia.com^ +||tr.news.hallobanden.be^ +||tr.news.happycap-foundation.fr^ +||tr.news.happycap.org^ +||tr.news.helvyre.fr^ +||tr.news.heredis.com^ +||tr.news.i24news.tv^ +||tr.news.ics.fr^ +||tr.news.infopro-digital.com^ +||tr.news.interforum.fr^ +||tr.news.itancia.com^ +||tr.news.jautomatise.com^ +||tr.news.kpmg-avocats.fr^ +||tr.news.kpmg.fr^ +||tr.news.kpmgacademy.fr^ +||tr.news.kpmgnet.fr^ +||tr.news.kuhn.com^ +||tr.news.la-collectionairfrance.fr^ +||tr.news.la-meilleure-voyance.com^ +||tr.news.labelleadresse.com^ +||tr.news.lacollection-airfrance.be^ +||tr.news.lacollection-airfrance.ch^ +||tr.news.lacollection-airfrance.co.uk^ +||tr.news.lacollection-airfrance.de^ +||tr.news.lacollection-airfrance.fr^ +||tr.news.lacollectionair-france.fr^ +||tr.news.lacollectionairfrance.be^ +||tr.news.lacollectionairfrance.co.uk^ +||tr.news.lacollectionairfrance.de^ +||tr.news.lacollectionairfrance.fr^ +||tr.news.lalettredelexpansion.com^ +||tr.news.latribunebordeaux.fr^ +||tr.news.leclubtravel.fr^ +||tr.news.lentillesmoinscheres.com^ +||tr.news.lentreprise.lexpress.fr^ +||tr.news.lexpansion.lexpress.fr^ +||tr.news.lexpress.fr^ +||tr.news.linxea.com^ +||tr.news.lisez.com^ +||tr.news.lokapimail.com^ +||tr.news.maisonfoody.com^ +||tr.news.maisons-du-monde.com^ +||tr.news.manufacturing.fr^ +||tr.news.mdbp.fr^ +||tr.news.mediametrie.fr^ +||tr.news.meillandrichardier.com^ +||tr.news.mi-oferta.es^ +||tr.news.moethennessy.com^ +||tr.news.mon-horoscope.info^ +||tr.news.monvoyant.fr^ +||tr.news.mperformance.fr^ +||tr.news.normandie.cci.fr^ +||tr.news.np6.com^ +||tr.news.ocs.fr^ +||tr.news.onetoonemba.com^ +||tr.news.ouestnormandie.cci.fr^ +||tr.news.parisinfo.com^ +||tr.news.perfectstay.com^ +||tr.news.perl.fr^ +||tr.news.pl.bata-esp.com^ +||tr.news.prosfora-mou.gr^ +||tr.news.receiveyourquote.co.uk^ +||tr.news.retailglobalsolutions.com^ +||tr.news.seine-estuaire.cci.fr^ +||tr.news.smartdeals-transavia-fr.com^ +||tr.news.smartdealstransavia-fr.com^ +||tr.news.sport2000.fr^ +||tr.news.styles.lexpress.fr^ +||tr.news.supercasino.fr^ +||tr.news.teklifim.pro^ +||tr.news.thelist-emirates.fr^ +||tr.news.themedtechforum.eu^ +||tr.news.tiptel.fr^ +||tr.news.toocampmail.com^ +||tr.news.toute-la-franchise.com^ +||tr.news.triskalia.fr^ +||tr.news.vetharmonie.fr^ +||tr.news.videofutur.fr^ +||tr.news.vip-diary.com^ +||tr.news.vip-mag.co.uk^ +||tr.news.vipmag.fr^ +||tr.news.vivrecotesud.fr^ +||tr.news.vo3000.com^ +||tr.news.votreargent.lexpress.fr^ +||tr.news.voyagesleclerc.com^ +||tr.news.vraaguwofferte.be^ +||tr.news.vraaguwofferte.com^ +||tr.news.younited-coach.com^ +||tr.news.younited-credit.com^ +||tr.news2pjms.fr^ +||tr.news5.cdiscount.com^ +||tr.news6.cdiscount.com^ +||tr.newsletter-stressless.com^ +||tr.newsletter.10h01.fr^ +||tr.newsletter.1664france.fr^ +||tr.newsletter.1oag.com^ +||tr.newsletter.actalians.fr^ +||tr.newsletter.afpa.fr^ +||tr.newsletter.assuragency.net^ +||tr.newsletter.astro-mail.com^ +||tr.newsletter.bassins-a-flot.fr^ +||tr.newsletter.bauermedia.fr^ +||tr.newsletter.bouygues-construction.com^ +||tr.newsletter.bouygues.com^ +||tr.newsletter.capdecision.fr^ +||tr.newsletter.chandon.com^ +||tr.newsletter.cuisine-plus.tv^ +||tr.newsletter.ecig-privee.fr^ +||tr.newsletter.erenumerique.fr^ +||tr.newsletter.etoiledevenus.com^ +||tr.newsletter.fotodiscount.com^ +||tr.newsletter.huilesdolive.fr^ +||tr.newsletter.leocare.eu^ +||tr.newsletter.location.boulanger.com^ +||tr.newsletter.lokeo.fr^ +||tr.newsletter.meilleurmobile.com^ +||tr.newsletter.milleis.fr^ +||tr.newsletter.mixr.net^ +||tr.newsletter.monmedium.com^ +||tr.newsletter.np6.com^ +||tr.newsletter.np6.fr^ +||tr.newsletter.opcoep.fr^ +||tr.newsletter.photoservice.com^ +||tr.newsletter.phyto.com^ +||tr.newsletter.plurielmedia.com^ +||tr.newsletter.tiragephoto.fr^ +||tr.newsletter.younited-credit.com^ +||tr.newsletterpagesjaunes.fr^ +||tr.newsletters-bonpoint.com^ +||tr.newsletters.alticemedia.com^ +||tr.newsletters.coedition-contact.fr^ +||tr.newsletters.odalys-vacances.com^ +||tr.newsletters.qapa-interim.fr^ +||tr.newsmarketing.allopneus.com^ +||tr.nl.2wls.net^ +||tr.nl.ardennes.cci.fr^ +||tr.nl.mondo-shop.fr^ +||tr.nl.myvipmag.fr^ +||tr.nl.services-sncf.com^ +||tr.nl2.sncf-fidelite.com^ +||tr.nmcm.espmp-cufr.net^ +||tr.notification-gdpr.bnpparibas-pf.fr^ +||tr.notification-gdpr.cafineo.fr^ +||tr.notification-gdpr.cofica.fr^ +||tr.notification-gdpr.cofinoga.fr^ +||tr.notification-gdpr.credit-moderne.fr^ +||tr.notification-gdpr.domofinance.fr^ +||tr.notification-gdpr.loisirs-finance.fr^ +||tr.notification-gdpr.norrsken.fr^ +||tr.notification-gdpr.personal-finance-location.bnpparibas^ +||tr.notification.cafineo.fr^ +||tr.notification.cdiscount.com^ +||tr.notification.cetelem.fr^ +||tr.notification.credit-moderne.fr^ +||tr.notification.norrsken.fr^ +||tr.notification.np6.com^ +||tr.np6.com^ +||tr.np6.fr^ +||tr.np6.orange.fr^ +||tr.observatoire.musee-orangerie.fr^ +||tr.observatoire.musee-orsay.fr^ +||tr.oferta-firmy.pl^ +||tr.ofertas-companeo.es^ +||tr.offer-companeo.co.uk^ +||tr.offerta-companeo.com^ +||tr.offerte.migliorifornitori.it^ +||tr.offre-btob.fr^ +||tr.offre-companeo.com^ +||tr.offre.devisdirect.com^ +||tr.offres-professionnelles.fr^ +||tr.offres.ap-regie.fr^ +||tr.offres.bfmtv.com^ +||tr.offresbtoc.engie.fr^ +||tr.offrevip.floa.fr^ +||tr.ojxm.espmp-aufr.net^ +||tr.online.longchamp.com^ +||tr.openinnovation.lvmh.com^ +||tr.orange-lease.fr^ +||tr.orcamento-online.pt^ +||tr.orcamentos-companeo.pt^ +||tr.oxatis.devisdirect.com^ +||tr.panels-mediametrie.fr^ +||tr.part.offres-cartegie.fr^ +||tr.partenaire.groupe-vyv.fr^ +||tr.partenaire.manageo.info^ +||tr.particuliers8.engie.com^ +||tr.partners.younited-credit.it^ +||tr.payment.lvmh.com^ +||tr.phjk.espmp-nifr.net^ +||tr.pixe.espmp-cufr.net^ +||tr.pm.pelhammedia.com^ +||tr.poker.np6.com^ +||tr.pole-emploi-services.com^ +||tr.pole-emploi.info^ +||tr.policyexpert.info^ +||tr.politicoevents.eu^ +||tr.politicolive.eu^ +||tr.politicomarketing.eu^ +||tr.portail.afpa.fr^ +||tr.prevention.harmonie-mutuelle.fr^ +||tr.preventivo.risparmiazienda.it^ +||tr.pro-renov.be^ +||tr.pro.odalys-vacances.com^ +||tr.pro.residencehappysenior.fr^ +||tr.programme-voyageur-sncf.com^ +||tr.projet.cotemaison.fr^ +||tr.promo.np6.fr^ +||tr.promotion.lexpress.fr^ +||tr.prosfores-companeo.gr^ +||tr.prosfores-etairias.gr^ +||tr.ps.espmp-agfr.net^ +||tr.psaparts.com^ +||tr.publicisdrugstore.espmp-agfr.net^ +||tr.qualitaetsumfrage.com^ +||tr.qualitaveicolo.com^ +||tr.qualite.groupama.com^ +||tr.qualite.groupebarriere.com^ +||tr.qualite.viparis.com^ +||tr.qualitevehicule.fr^ +||tr.qualityvehiclesurvey.com^ +||tr.quotes.digital^ +||tr.quotes4business.com^ +||tr.quotes4business.info^ +||tr.quotesforbusiness.cl^ +||tr.quotesforbusiness.co.uk^ +||tr.ratm.espmp-agfr.net^ +||tr.raym.espmp-agfr.net^ +||tr.reactivation.vertbaudet.fr^ +||tr.read.glose.com^ +||tr.recouvrement.finrec.com^ +||tr.recouvrement.seeric.com^ +||tr.recouvrement.younited-credit.com^ +||tr.redaction.essentiel-sante-magazine.fr^ +||tr.reglementaire.emailing.bnpparibas^ +||tr.relation-mediametrie.fr^ +||tr.relation.uneo.fr^ +||tr.renowizze.be^ +||tr.republicains-info.org^ +||tr.rh.auchan.com^ +||tr.route-solutiondata.fr^ +||tr.roxi02e.espmp-agfr.net^ +||tr.safrancom-esp.net^ +||tr.sash.espmp-aufr.net^ +||tr.sash02g.espmp-nifr.net^ +||tr.satisfaction.alinea.com^ +||tr.satisfaction.groupe-pv-cp.com^ +||tr.satisfaction.villagesnature.com^ +||tr.scienceshumaines.info^ +||tr.scienceshumaines.pro^ +||tr.secretary.wfitn.org^ +||tr.secteurentreprises.harmonie-mutuelle.fr^ +||tr.service.linxea.com^ +||tr.serviceclient.adagcaladoise.fr^ +||tr.serviceclient.bf-depannage.fr^ +||tr.serviceclient.confogaz.com^ +||tr.serviceclient.depanchauffageservice.fr^ +||tr.serviceclient.effica-service.fr^ +||tr.serviceclient.explore.fr^ +||tr.serviceclient.gazservicerapide.fr^ +||tr.serviceclient.ochauffage.fr^ +||tr.serviceclient.somgaz.fr^ +||tr.serviceclient.thermogaz.fr^ +||tr.serviceclient.younited-coach.com^ +||tr.serviceclient.younited-credit.com^ +||tr.services.alinea.com^ +||tr.services.caradisiac.com^ +||tr.servicesclients.canalplus.ch^ +||tr.servicesclients.canalplus.fr^ +||tr.servicoaocliente.younited-credit.com^ +||tr.sfr.espmp-aufr.net^ +||tr.sgjk.espmp-aufr.net^ +||tr.silvera-contact.fr^ +||tr.skin.espmp-agfr.net^ +||tr.smtp1.email-mediapost.fr^ +||tr.solendi.com^ +||tr.solocal.espmp-aufr.net^ +||tr.solution.uneo.fr^ +||tr.sort.espmp-nifr.net^ +||tr.souscription.floa.fr^ +||tr.spain.plimsoll.es^ +||tr.sportswear.np6.com^ +||tr.strategie.gouv.fr^ +||tr.suivi-client-edf.com^ +||tr.surveys.np6.com^ +||tr.tdgx.espmp-cufr.net^ +||tr.think.lvmh.fr^ +||tr.thisiseurope.moethennessy.com^ +||tr.tns.harmonie-mutuelle.fr^ +||tr.toner-service.fr^ +||tr.toner-services.fr^ +||tr.tonerservices.fr^ +||tr.tourisme.visit-lanarbonnaise.com^ +||tr.tpe.harmonie-mutuelle.fr^ +||tr.tr.bricodepot.com^ +||tr.trafficnews.lyria.com^ +||tr.ujsv.espmp-agfr.net^ +||tr.uk.icicibank.com^ +||tr.uk.katun.com^ +||tr.unaoffertaalgiorno.com^ +||tr.update.groupon.be^ +||tr.urfk.espmp-agfr.net^ +||tr.urfk02r.espmp-nifr.net^ +||tr.urfk02t.espmp-agfr.net^ +||tr.urfk02v.espmp-cufr.net^ +||tr.urfk02z.espmp-nifr.net^ +||tr.urfk03c.espmp-nifr.net^ +||tr.urfk03h.espmp-nifr.net^ +||tr.urfk03k.espmp-agfr.net^ +||tr.urfk03q.espmp-nifr.net^ +||tr.urfk03u.espmp-nifr.net^ +||tr.urfk03x.espmp-agfr.net^ +||tr.urfk041.espmp-cufr.net^ +||tr.urfk042.espmp-nifr.net^ +||tr.urfk044.espmp-nifr.net^ +||tr.urfk050.espmp-cufr.net^ +||tr.urfk052.espmp-cufr.net^ +||tr.urfk057.espmp-aufr.net^ +||tr.urfk05g.espmp-agfr.net^ +||tr.urfk05l.espmp-nifr.net^ +||tr.urfk05o.espmp-pofr.net^ +||tr.urfk06h.espmp-nifr.net^ +||tr.urfk06n.espmp-nifr.net^ +||tr.urfk06o.espmp-agfr.net^ +||tr.urfk06x.espmp-cufr.net^ +||tr.urfk06y.espmp-nifr.net^ +||tr.urfk07j.espmp-nifr.net^ +||tr.urfk07r.espmp-agfr.net^ +||tr.urfk07s.espmp-nifr.net^ +||tr.urfk080.espmp-agfr.net^ +||tr.urfk08c.espmp-cufr.net^ +||tr.vernede.huilesdolive.fr^ +||tr.vf7n.espmp-agfr.net^ +||tr.videofutur.fr^ +||tr.ville.bordeaux.fr^ +||tr.voeux-wishes.ipsilon-ip.com^ +||tr.voixduclient.harmonie-mutuelle.fr^ +||tr.votrealarme.securitasdirect.fr^ +||tr.vous.hellobank.fr^ +||tr.wa.wordappeal.com^ +||tr.welcome.easyviaggio.com^ +||tr.welcome.easyviajar.com^ +||tr.welcome.easyvoyage.co.uk^ +||tr.welcome.easyvoyage.com^ +||tr.welcome.easyvoyage.de^ +||tr.welcome.lacollection-airfrance.be^ +||tr.welcome.lacollection-airfrance.ch^ +||tr.welcome.lacollection-airfrance.co.uk^ +||tr.welcome.lacollection-airfrance.de^ +||tr.welcome.lacollection-airfrance.fr^ +||tr.welcome.lexpress.fr^ +||tr.welcome.moncoupdepouce.com^ +||tr.welcome.odalys-vacances.com^ +||tr.welcome.perfectstay.com^ +||tr.welcome.smartdeals-transavia-fr.com^ +||tr.welcome.thelist-emirates.fr^ +||tr.welcome.unaoffertaalgiorno.com^ +||tr.welcome.vipmag.fr^ +||tr.wuei.espmp-agfr.net^ +||tr.xlead.digital^ +||tr.xleads.digital^ +||tr.zojh.espmp-aluk.net^ +||tr1.bp06.net^ +||tr1.bp09.net^ +||tr1.bp26.net^ +||tr1.citroen-ipsos.com^ +||tr1.easy-v01.net^ +||tr1.lr001.net^ +||tr1.lr002.net^ +||tr1.lr003.net^ +||tr1.mailperf.com^ +||tr1.mailperformance.com^ +||tr1.mperf.com^ +||tr1.peugeot-ipsos.com^ +||tr1.psa-surveys.com^ +||tr4.mailperf.com^ +||tr5.mailperf.com^ +||tr5.mperf.com^ +||tr6.mperf.com^ +||tracking.allopneus.com^ +||www.bfc-mp.caisse-epargne.fr^ +||www.fodgfip.fr^ +||www.newsletter.banquepopulaire.fr^ +||www.np6.eu^ +||www.tr.bfc-mp.caisse-epargne.fr^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_criteo.txt *** +! easyprivacy_specific_cname_criteo.txt +! Criteo https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/criteo.txt +! +! +! Company name: Criteo +||aacjdq.pontoslivelo.com.br^ +||aadeda.niche-beauty.com^ +||aajdcp.brand-satei.me^ +||aajfoz.halfclub.com^ +||aajmmd.aireuropa.com^ +||aaktao.entel.cl^ +||aaqnpa.sizeofficial.se^ +||aaqrvt.thefryecompany.com^ +||aarqmo.culturekings.co.nz^ +||aaucna.casasbahia.com.br^ +||aazfby.auto.de^ +||aazmiw.reisenthel.com^ +||abbqns.gowabi.com^ +||abdpac.williamsshoes.com.au^ +||abdrjm.eurostarshotels.de^ +||abemms.atp-autoteile.de^ +||abgghj.moustakastoys.gr^ +||abjkfy.muuu.com^ +||abjtuq.exoticca.com^ +||abkdae.namshi.com^ +||abkobh.chobirich.com^ +||abpwqf.lolaflora.com.mx^ +||absscw.vegis.ro^ +||abuaac.suzette-shop.jp^ +||abuajs.e-monsite.com^ +||abvghl.udn.com^ +||abxslg.jollyroom.fi^ +||aciysf.destockage-fitness.com^ +||acxajt.jimmykey.com^ +||adhudg.nec-lavie.jp^ +||adixkr.culturekings.com.au^ +||adsnid.wagyushop.com^ +||adwmab.card-db.com^ +||adxzju.penti.com^ +||aebvay.mesinspirationsculinaires.com^ +||aeewjq.dr-vegefru.com^ +||aehudh.rakumachi.jp^ +||aeotgu.asi-reisen.de^ +||aerezb.nepamall.com^ +||aeuati.wedio.com^ +||aexhyo.pilatos.com^ +||afclms.xd-design.co.kr^ +||afdbwq.blivakker.no^ +||afhjxb.flaconi.de^ +||afilyo.tfehotels.com^ +||afizah.eprice.it^ +||afmvms.dealdash.com^ +||afoykb.ebook.de^ +||agcjee.sklep-nasiona.pl^ +||agcmtb.nameit.com^ +||aggalj.eloem.kr^ +||agoqaa.stockmann.com^ +||agxwhz.bloomingdales.sa^ +||ahbyjm.fiever.com.br^ +||ahfadj.aoki-style.com^ +||ahfzzc.konfio.mx^ +||ahhrtt.pixnet.net^ +||ahisft.moonmagic.com^ +||ahjucs.loberon.de^ +||ahngxh.palladiumhotelgroup.com^ +||ahnrmb.topvintage.de^ +||ahsxot.meaningfulbeauty.com^ +||ahuvjy.design-market.fr^ +||ahzqgr.au-sonpo.co.jp^ +||ahzygy.thesteelshop.com^ +||aiddut.particleformen.com^ +||aidsro.ostin.com^ +||aiieer.mangnut2.com^ +||aikhra.londonclub.sk^ +||aikrir.lcwaikiki.com^ +||aimvaa.gulet.at^ +||aincrd.champstudy.com^ +||ajbeqy.delfi.lt^ +||ajgkdt.eazy.de^ +||ajigzt.lampenwelt.de^ +||ajqaqk.unoliving.com^ +||ajtxoo.academiaassai.com.br^ +||ajvzis.triumph.com^ +||akgnwd.tocris.com^ +||akkieh.yumeyakata.com^ +||aknzmq.divvino.com.br^ +||akpiug.rarecarat.com^ +||akspdp.materialkitchen.com^ +||akzdrh.catofashions.com^ +||alexfj.elten-store.de^ +||alfeza.vueling.com^ +||algrcr.sandro-paris.com^ +||alhiop.thehandsome.com^ +||alrhry.cjthemarket.com^ +||alsgaj.chosun.com^ +||amcgns.giesswein.com^ +||amezqu.fabrykaform.pl^ +||aminks.underarmour.com.tr^ +||amvtwk.thebottleclub.com^ +||anijjm.winkelstraat.nl^ +||annwwu.guitarcenter.com^ +||antblz.mediaworld.it^ +||aoelfb.nanouniverse.jp^ +||aojhzj.watch.co.uk^ +||aolsvc.snowqueen.ru^ +||aonjkj.intermundial.es^ +||aoohaq.micromania.fr^ +||aoqcqh.eavalyne.lt^ +||aoqhfs.optikdodomu.cz^ +||aoulpo.puccini.pl^ +||aozmpm.jwell.com^ +||apfbrk.butorline.hu^ +||aphxav.green-acres.it^ +||aplobv.xexymix.com^ +||appgax.optica-optima.com^ +||apqcjj.celford.com^ +||apqmxf.curama.jp^ +||aqbron.battlepage.com^ +||aqmzbk.avectoi.kr^ +||aqorez.yamo.bio^ +||aqouep.aquaphor.ru^ +||aqwvwn.cultfurniture.com^ +||arigng.door.ac^ +||arphzc.woodica.pl^ +||arrlrk.edigital.hu^ +||arsaqf.yukoyuko.net^ +||aruoyf.peterhahn.ch^ +||arvwwu.stepstone.be^ +||asamgd.rossmann.de^ +||ascbdj.knivesandtools.de^ +||asnjih.apatchy.co.uk^ +||asoewk.jaanuu.com^ +||asttcp.vatera.hu^ +||asxxlo.interflora.es^ +||atblqu.rondorff.com^ +||atcbju.silvergoldbull.ca^ +||ateveq.street-beat.ru^ +||atgtfj.bettermusic.com.au^ +||atlkse.aosom.it^ +||atzzrq.tbs.co.jp^ +||aucqdk.autodoc.es^ +||audsoa.narumiya-online.jp^ +||audxht.effeweg.nl^ +||auhdzd.paprika-shopping.de^ +||aullwp.sportisimo.sk^ +||auoehd.liebscher-bracht.com^ +||ausclh.castlery.com^ +||autspe.notino.hr^ +||auwdff.dyfashion.ro^ +||avbtkz.locknlockmall.com^ +||aviite.freaksstore.com^ +||awbkht.verktygsproffsen.se^ +||awfzfs.kwantum.nl^ +||awggij.wplay.co^ +||awklir.0506mall.com^ +||awogtl.1stopbedrooms.com^ +||awowwo.forever21.com^ +||awrgkd.1000farmacie.it^ +||awuapj.landwatch.com^ +||axfevh.bandab.com.br^ +||axkcmb.mosigra.ru^ +||axkwyf.edinos.pl^ +||axnskz.power-stones.jp^ +||axoqjt.gommadiretto.it^ +||axoqvl.daf-shoes.com^ +||axpjcp.tennis-point.co.uk^ +||aydtkb.pikabu.ru^ +||aygccr.eonet.jp^ +||ayleaf.petersofkensington.com.au^ +||azbrtw.anydesk.com^ +||azcoct.bikkembergs.com^ +||azflce.fragrances.bg^ +||azlyta.immowelt.de^ +||azscgj.penningtons.com^ +||azveac.pearl.ch^ +||azwucq.locservice.fr^ +||azwxpp.nequittezpas.jp^ +||azxhnt.uniformadvantage.com^ +||baahnj.bezokularow.pl^ +||baffae.alcott.eu^ +||bagbgo.unitednude.eu^ +||bahrpo.dint.co.kr^ +||bahyei.himaraya.co.jp^ +||balkog.withmoment.co.kr^ +||basuey.toyscenter.it^ +||bavvgo.zingat.com^ +||bazlny.homepal.it^ +||bbagnw.sedaily.com^ +||bbbihe.vertbaudet.es^ +||bbubuq.aftco.com^ +||bbwqcs.vidaxl.ee^ +||bcdllh.esprit.co.uk^ +||bcfgwi.skidxb.com^ +||bcfhva.tradingpost.com.au^ +||bcigeg.pishposhbaby.com^ +||bcigfr.www.uoc.edu^ +||bcsjcj.nasdaq.com^ +||bcwljq.batteryempire.de^ +||bcybka.deinetuer.de^ +||bcytwb.student.com^ +||bderbn.foxtrot.com.ua^ +||bdickh.globalgolf.com^ +||bdkuth.smartbuyglasses.co.uk^ +||bdncut.pa-man.shop^ +||bdqzcj.micuento.com^ +||bdzcck.stadiumgoods.com^ +||beafdf.restaupro.com^ +||bebpon.zetronix.com^ +||beoofo.pairs.lv^ +||beqioy.promessedefleurs.com^ +||bfeagv.chicwish.com^ +||bfjoyp.plus.nl^ +||bfjpbw.herrenausstatter.de^ +||bfntkv.icon.co.cr^ +||bfvlgp.appstory.co.kr^ +||bfzikn.l-wine.ru^ +||bgaycm.exvital-shop.de^ +||bgevqy.moschino.com^ +||bgfmvc.amandalindroth.com^ +||bgupcq.westfalia.de^ +||bhawtp.vitacost.com^ +||bhcfpo.elfa.se^ +||bhcsub.sankeishop.jp^ +||bhgbqh.crocs.de^ +||bhmzab.totes.com^ +||bhwjoa.cotopaxi.com^ +||bhwkju.vivo.com^ +||bhxemw.charleskeith.com^ +||bibglj.timberland.fr^ +||bijkep.hotelesestelar.com^ +||bilahh.feuvert.fr^ +||bjdqbl.nippn-kenko.net^ +||bjfbac.hyundaivaudreuil.com^ +||bjpsuk.fray-id.com^ +||bjqnpe.i-office1.net^ +||bjuvux.andgino.jp^ +||bkmzhr.joint-space.co.jp^ +||bknqpb.dobredomy.pl^ +||bkogtr.vacationsbyrail.com^ +||bkpoef.jules.com^ +||bksckn.minhacasasolar.com.br^ +||blaltn.physicianschoice.com^ +||blfkmp.fti.de^ +||blmjbp.casamundo.pl^ +||blsoof.wirwinzer.de^ +||blzayw.ticketsmarter.com^ +||blziha.intimissimi.com^ +||bmjmse.softsurroundings.com^ +||bmnbzt.pool-systems.de^ +||bmodjx.mgos.jp^ +||bmyudk.clarins.de^ +||bmzuyj.nifty.com^ +||bnsmoi.valx.jp^ +||bnutnr.landandfarm.com^ +||bnvsjg.hometogo.de^ +||bnzkua.trussardi.com.br^ +||bobawb.pomellato.com^ +||boelsl.lastijerasmagicas.com^ +||boewzj.meiji-jisho.com^ +||bombrw.netshoes.com.br^ +||bopmkf.lolahome.es^ +||boqufs.2nn.jp^ +||bpgbcl.coconala.com^ +||bppbnn.vacanceole.com^ +||bpsxld.meutudo.com.br^ +||bqacmp.vidaxl.no^ +||bqhkix.mosmexa.ru^ +||bqoulb.nowo.pt^ +||bqvndd.ifood.com.br^ +||brgrwd.dansko.com^ +||brhwsg.makingnew.co.kr^ +||brjjkd.calzedonia.com^ +||brqory.notino.sk^ +||brrmpm.skanskin.kr^ +||brycys.24mx.se^ +||bsbmex.flaschenpost.ch^ +||bsjgdn.supergoop.com^ +||bskblt.6thstreet.com^ +||bsytzb.hago.kr^ +||btcfbr.mejshop.jp^ +||btmean.cardosystems.com^ +||btptod.aerzteblatt.de^ +||bttmkj.diesel.com^ +||buasmk.earthshoes.com^ +||budibu.saksfifthavenue.com^ +||bugdsm.buffalo-boots.com^ +||bugjyl.jkattire.co.uk^ +||bulozc.tui.be^ +||busrol.st-eustachenissan.com^ +||bvbqyq.odalys-vacances.com^ +||bvexmf.bigtv.ru^ +||bvkuwv.muumuu-domain.com^ +||bvubje.leboncoin.fr^ +||bwkpkx.projectxparis.com^ +||bwmxdg.kimono-365.jp^ +||bwntyd.neuve-a.net^ +||bwspqc.bloomonline.jp^ +||bwujxl.yoga-lava.com^ +||bxbuvv.zeelool.com^ +||bxiaev.linvosges.com^ +||bxlsct.ex-shop.net^ +||bxumze.buckscountycouriertimes.com^ +||bxumze.gadsdentimes.com^ +||bxumze.jacksonville.com^ +||bxumze.news-star.com^ +||bxumze.palmbeachpost.com^ +||bxumze.providencejournal.com^ +||bxumze.recordonline.com^ +||bxumze.times-gazette.com^ +||bxumze.tuscaloosanews.com^ +||byhqrw.gopeople.co.kr^ +||byjpsr.bobags.com.br^ +||bykwtf.victoriassecret.ae^ +||byqdtp.interpark.com^ +||bysfnu.bodeboca.com^ +||byxcbk.ipekevi.com^ +||bzaxgk.ecctur.com^ +||bzcuta.titleboxing.com^ +||bzlold.machi.to^ +||bznxqj.fiat.it^ +||bzqxze.remixshop.com^ +||bzuaqh.roan.nl^ +||caamcs.julipet.it^ +||cagkpu.suitdirect.co.uk^ +||cakmzz.schwab.de^ +||caknmq.rotita.com^ +||caowuq.babyliss-romania.ro^ +||cargdk.bakerross.co.uk^ +||cbnzop.c-c-j.com^ +||cbpgpg.bombshellsportswear.com^ +||cbudbs.tirendo.de^ +||cbuvhv.desertcart.ae^ +||ccdflm.limberry.de^ +||cchlhb.budgetsport.fi^ +||cciqma.cosabella.com^ +||ccztgy.elgiganten.dk^ +||cdeatz.spartoo.it^ +||cdfhpj.automobile.it^ +||cdjhcf.hometogo.es^ +||ceggfe.msc-kreuzfahrten.de^ +||ceoapr.donjoyperformance.com^ +||ceowyn.eseltree.com^ +||cfrnyp.kars4kids.org^ +||cfsaze.retailmenot.com^ +||cfyhym.weightwatchers.fr^ +||cgctsw.mytour.vn^ +||cgqkhc.trendyol.com^ +||cgsisl.owllabs.com^ +||chgwwj.klimate.nl^ +||choymp.pooldawg.com^ +||chpspb.bubbleroom.fi^ +||chrczt.vite-envogue.de^ +||chrooo.soccerandrugby.com^ +||cikvwv.dsdamat.com^ +||cikxuh.iciformation.fr^ +||cilvph.smartbuyglasses.com^ +||ciszhp.finanzfrage.net^ +||ciszhp.gesundheitsfrage.net^ +||ciszhp.motorradfrage.net^ +||cizzvi.beldona.com^ +||cjbdme.conquer.org^ +||cjcqls.onbuy.com^ +||cjejjz.thelasthunt.com^ +||cjfqtu.vitafy.ch^ +||cjlekm.correiodopovo.com.br^ +||cjnbqe.glamira.com.mx^ +||cjulor.marimekko.jp^ +||ckpxtt.justfly.com^ +||cksfgh.jaycar.com.au^ +||ckygge.mohd.it^ +||ckyhec.maxisport.com^ +||clhzet.ubierzswojesciany.pl^ +||clnbze.dziennikbaltycki.pl^ +||clnbze.dzienniklodzki.pl^ +||clnbze.dziennikpolski24.pl^ +||clnbze.dziennikzachodni.pl^ +||clnbze.echodnia.eu^ +||clnbze.expressbydgoski.pl^ +||clnbze.expressilustrowany.pl^ +||clnbze.gazetakrakowska.pl^ +||clnbze.gazetalubuska.pl^ +||clnbze.gazetawroclawska.pl^ +||clnbze.gk24.pl^ +||clnbze.gloswielkopolski.pl^ +||clnbze.gol24.pl^ +||clnbze.gp24.pl^ +||clnbze.gratka.pl^ +||clnbze.gs24.pl^ +||clnbze.kurierlubelski.pl^ +||clnbze.naszemiasto.pl^ +||clnbze.nowiny24.pl^ +||clnbze.nowosci.com.pl^ +||clnbze.nto.pl^ +||clnbze.polskatimes.pl^ +||clnbze.pomorska.pl^ +||clnbze.poranny.pl^ +||clnbze.regiodom.pl^ +||clnbze.stronakobiet.pl^ +||clnbze.telemagazyn.pl^ +||clohzp.hifi.lu^ +||cltxxq.cruises.united.com^ +||clyexf.decathlon.ie^ +||cmcyne.xoticpc.com^ +||cmgfbg.billetreduc.com^ +||cmhmpr.lolaliza.com^ +||cmrhvx.lojapegada.com.br^ +||cmtmwn.ditano.com^ +||cmttvv.bonprix.se^ +||cmzaly.gebrueder-goetz.de^ +||cngbpl.directliquidation.com^ +||cnlbxi.zoopla.co.uk^ +||cnpxwl.cheapcaribbean.com^ +||cntccc.publicrec.com^ +||cnxddc.lodenfrey.com^ +||cogxmr.travelplanet.pl^ +||colgui.vidaxl.pt^ +||coobuo.pinkpanda.cz^ +||cooyxg.tennis-point.de^ +||counmg.greatvaluevacations.com^ +||cowhmc.docmorris.de^ +||coyizl.embracon.com.br^ +||cpiibb.top-office.com^ +||cploms.hipicon.com^ +||cqbbpf.geewiz.co.za^ +||cqbkhv.anacapri.com.br^ +||cqemus.gartenhaus-gmbh.de^ +||cqishr.mobile.de^ +||cqlonl.spartoo.cz^ +||cqpmvc.caminteresse.fr^ +||cqpmvc.capital.fr^ +||cqpmvc.cesoirtv.com^ +||cqpmvc.cuisineactuelle.fr^ +||cqpmvc.gala.fr^ +||cqpmvc.prima.fr^ +||cqpmvc.programme-tv.net^ +||cqpmvc.programme.tv^ +||cqpmvc.voici.fr^ +||cqubdd.metro.co.uk^ +||cqubdd.thisismoney.co.uk^ +||criteo.gap.ae^ +||cruntn.receno.com^ +||crvayw.kagunosato.com^ +||crzohw.intersport.gr^ +||csalhh.okay.cz^ +||csbmey.viherpeukalot.fi^ +||csghyg.reginaclinic.jp^ +||cspmkl.gruppal.com^ +||csymrm.24mx.fr^ +||csyqts.tmon.co.kr^ +||ctiegx.kagu-wakuwaku.com^ +||ctjfdn.sandals.com^ +||ctlayn.talbots.com^ +||ctwqxs.autoscout24.at^ +||ctyjsf.cellphones.com.vn^ +||ctyojp.kibek.de^ +||cudgoz.mifcom.de^ +||cudrqv.sts.pl^ +||cueohf.actieforum.com^ +||cueohf.activo.mx^ +||cueohf.forumactif.com^ +||cueohf.forumattivo.com^ +||cueohf.forumieren.com^ +||cueohf.forumieren.de^ +||cueohf.forumotion.com^ +||cueohf.forumpro.fr^ +||cueohf.forumsactifs.com^ +||cueohf.hungarianforum.com^ +||cufroa.aboutyou.be^ +||cvhefd.ixbt.com^ +||cvoyrn.astotel.com^ +||cvpthv.vipoutlet.com^ +||cvtspo.moebel24.de^ +||cvzvun.vidaxl.de^ +||cwcdmm.zennioptical.com^ +||cxalid.turtlebeach.com^ +||cxasci.sprzedajemy.pl^ +||cxrfns.gu-global.com^ +||cxrptu.danland.dk^ +||cxsaev.stratiaskin.com^ +||cxwisl.jetstereo.com^ +||cyeabs.luxyhair.com^ +||cymuig.assem.nl^ +||cyntgd.anticipazionitv.it^ +||cyohmj.catawiki.com^ +||cyvxfq.jennikayne.com^ +||czdxto.radiopopular.pt^ +||cznfum.lumas.com^ +||cznluk.urbangymwear.co.uk^ +||czujjs.crownandcaliber.com^ +||czvdlp.hgregoire.com^ +||dafvng.sunrefre.jp^ +||daifez.thebay.com^ +||dajdnm.splits59.com^ +||dasych.drmartypets.com^ +||dazdmx.cobra.fr^ +||dbhbgz.suitableshop.nl^ +||dbmbfe.pegipegi.com^ +||dbmyvl.apartmentfinder.com^ +||dbpbyh.americanas.com.br^ +||dbyoei.styleggom.co.kr^ +||dbzgtg.infostrada.it^ +||dbzpek.nike.com^ +||dccfog.petco.com^ +||dcclaa.bunte.de^ +||dcclaa.daskochrezept.de^ +||dcclaa.einfachbacken.de^ +||dcclaa.elle.de^ +||dcclaa.freundin.de^ +||dcclaa.guter-rat.de^ +||dcclaa.harpersbazaar.de^ +||dcclaa.instyle.de^ +||dcclaa.meine-familie-und-ich.de^ +||dcclaa.slowlyveggie.de^ +||dckiwt.eataly.com^ +||dcnkrd.baseballsavings.com^ +||dcsqim.socialdeal.nl^ +||dcxusu.lacuracao.pe^ +||ddioce.wolverine.com^ +||ddlcvm.clas.style^ +||ddmfrg.modivo.bg^ +||ddnahc.mesbagages.com^ +||ddqwdh.sofastyle.jp^ +||ddsndt.azubiyo.de^ +||debjpy.globoshoes.com^ +||decvsm.xlmoto.se^ +||dejpog.sunstar-shop.jp^ +||denpjz.jamesedition.com^ +||detnmz.cuteness.com^ +||detnmz.ehow.com^ +||detnmz.hunker.com^ +||detnmz.livestrong.com^ +||detnmz.sapling.com^ +||detnmz.techwalla.com^ +||dffpxg.targus.com^ +||dfigxb.underarmour.com.mx^ +||dfitgc.yamamay.com^ +||dgaxzn.samma3a.com^ +||dgbftl.luckyvitamin.com^ +||dgbwya.evyapshop.com^ +||dgkpzy.2ch2.net^ +||dgmolb.irishjobs.ie^ +||dgynnj.koctas.com.tr^ +||dgztiz.conrad.se^ +||dhkyrl.discountmags.com^ +||dhmdja.trueprotein.com.au^ +||dhplma.pontofrio.com.br^ +||dhsjpz.bugaboo.com^ +||dhwmtx.stylewe.com^ +||diboji.class101.net^ +||didzrr.nutraholic.com^ +||dikhsb.vividseats.com^ +||diocgn.biltorvet.dk^ +||dioqto.totaljobs.com^ +||diypxh.tillys.com^ +||djbztw.marimekko.com^ +||djmzap.gamivo.com^ +||djnqoe.rani.com.tr^ +||djxjti.oil-stores.gr^ +||djxyhp.ashtondrake.com^ +||dkbicq.elektramat.nl^ +||dkclxi.sitkagear.com^ +||dkmvyl.kidsahoi.ch^ +||dkqibr.onlineverf.nl^ +||dkskbu.demae-can.com^ +||dkvvwq.aosom.ca^ +||dldotl.ouestfrance-auto.com^ +||dlesjf.fightsite.hr^ +||dlesjf.jutarnji.hr^ +||dlisuq.wbw-nail.com^ +||dljdgn.e-lens.com.br^ +||dlqxtm.sssports.com^ +||dlzbax.street-academy.com^ +||dmcnyf.nevzatonay.com^ +||dmdgdu.atmosphera.com^ +||dmqykw.thirtymall.com^ +||dmuwlm.fonteynspas.com^ +||dmvbpz.swimoutlet.com^ +||dncxgm.pegadorfashion.com^ +||dndvms.24s.com^ +||dnecea.vacances-lagrange.com^ +||dngpzy.bfmtv.com^ +||dngpzy.tradingsat.com^ +||dngpzy.zone-turf.fr^ +||dnhrxt.kintetsu-re.co.jp^ +||dnkeyt.svetsochtillbehor.se^ +||dnltkp.lampeetlumiere.fr^ +||dnxcok.pentik.com^ +||doabqu.s3.com.tw^ +||doagpm.promart.pe^ +||doclec.supersmart.com^ +||doclen.hypedc.com^ +||docyjy.ryderwear.com^ +||dolrfm.fotoregistro.com.br^ +||dopljl.noleggiosemplice.it^ +||dpckzt.mesrecettesfaciles.fr^ +||dptgdj.usagi-online.com^ +||dptkdh.joinhoney.com^ +||dqefxd.kaigoworker.jp^ +||dqntra.home-to-go.ca^ +||dqqfrs.qatarairways.com^ +||dqsfil.pikolinos.com^ +||druzja.canmart.co.kr^ +||drvive.lamoda.ru^ +||dsdjbj.abracadabra.com.br^ +||dshcej.aosom.co.uk^ +||dsvmgu.snipes.it^ +||dtnmyp.cocotorico.com^ +||dtqcpx.eskor.se^ +||dtzrrz.green-japan.com^ +||dujgiq.trendhim.pl^ +||duqqrl.jefchaussures.com^ +||dvczvm.cyfrowe.pl^ +||dvhcob.jtrip.co.jp^ +||dvmira.keskisenkello.fi^ +||dvrxgs.fc-moto.de^ +||dvvkov.agrieuro.de^ +||dwbotr.ssg.com^ +||dwglgp.dunelm.com^ +||dwrlwx.polo-motorrad.de^ +||dwtpxq.karaca-home.com^ +||dxeldq.madeindesign.com^ +||dxkuwz.domyown.com^ +||dxpxgy.jdsports.com^ +||dxqbfo.capfun.nl^ +||dxrkvm.cheryls.com^ +||dxrlkh.icanvas.com^ +||dyghye.fashionesta.com^ +||dynamic-content.croquetteland.com^ +||dyqebg.aboutyou.hr^ +||dysbvu.bodyandfit.com^ +||dyzmpx.speedway.fr^ +||dzbbzg.carfinance247.co.uk^ +||dzforp.buscape.com.br^ +||dzjhok.teufelaudio.at^ +||dzkygl.ullapopken.nl^ +||dzsevh.voyage-prive.com^ +||dzszbb.homes.co.jp^ +||dztatn.soulberry.jp^ +||dzuthv.fahrrad-xxl.de^ +||dzwqfq.alpitour.it^ +||eakaih.creditas.com^ +||eakwza.bipicar.com^ +||eatjav.ekosport.fr^ +||eauicw.artnature.co.jp^ +||ebfudo.underarmour.cl^ +||ebgagg.pink.rs^ +||ebgfyn.zenden.ru^ +||ebhjhw.bonprix.es^ +||ebmhpt.sneakscloud.com^ +||ebnpqi.carrefourlocation.fr^ +||ebreid.garneroarredamenti.com^ +||ebtxxz.travellink.se^ +||ebwupu.superbrightleds.com^ +||ebxirc.taylorstitch.com^ +||ecctjf.leroymerlin.com.br^ +||ecdoib.26p.jp^ +||ecefyu.geox.com^ +||edavbu.vittz.co.kr^ +||ednqjm.magnanni.com^ +||eduynp.fcl-hid.com^ +||eecfrq.edreams.de^ +||eedijm.bakeca.it^ +||eennme.vidaxl.sk^ +||eesexz.butyraj.pl^ +||eetzod.bemol.com.br^ +||eewdrt.fashiontofigure.com^ +||efadyz.smartbuyglasses.co.nz^ +||efbenj.adorebeauty.com.au^ +||efglbp.baur.de^ +||efplso.epost.go.kr^ +||efsqwi.krueger-dirndl.de^ +||efuxqe.tatilbudur.com^ +||efwhcj.emp-shop.se^ +||efxzea.badshop.de^ +||egbqvs.vila.com^ +||egdehs.selected.com^ +||eghrbf.immowelt.at^ +||egvemw.aboutyou.ee^ +||ehauzf.jewlr.ca^ +||ehavol.consul.com.br^ +||ehdkzm.ottoversand.at^ +||ehedwd.sikayetvar.com^ +||ehrlgb.izlato.sk^ +||eicyds.qoo10.jp^ +||eifeou.pandahall.com^ +||eiftfa.fashionette.de^ +||eikwax.marmot.com^ +||eimcqw.dickies.com^ +||einrfh.justanswer.com^ +||eiorzm.orvis.com^ +||eisdog.shape.com^ +||eitkrg.loriblu.com^ +||ejbbcf.finishline.com^ +||ejejip.bjjfanatics.com^ +||ejhyhg.travelist.pl^ +||ejimtl.costway.com^ +||ejkmld.tradus.com^ +||ejpcuw.mitsubishilaval.com^ +||ejrbgi.tous.com^ +||ekfwof.finnishdesignshop.fi^ +||eklexu.kibuba.com^ +||ekphpa.perfectlypriscilla.com^ +||eltlio.boribori.co.kr^ +||elyxvt.wilsonamplifiers.com^ +||embknh.perriconemd.com^ +||emdlqs.longtallsally.com^ +||emedns.bonify.de^ +||emrdnt.sumaity.com^ +||emzorz.allergybuyersclub.com^ +||enbazj.ilbianconero.com^ +||endljp.168chasa.bg^ +||endljp.abv.bg^ +||endljp.activenews.ro^ +||endljp.bazar.bg^ +||endljp.bgdnes.bg^ +||endljp.dariknews.bg^ +||endljp.edna.bg^ +||endljp.fakti.bg^ +||endljp.gong.bg^ +||endljp.kupujemprodajem.com^ +||endljp.nova.bg^ +||endljp.pariteni.bg^ +||endljp.sinoptik.bg^ +||endljp.vesti.bg^ +||endljp.ziuaconstanta.ro^ +||eniobs.moncler.com^ +||eofjtw.jjshouse.se^ +||eofwfj.ria.com^ +||eoiaso.onofre.com.br^ +||eoiqpm.gloria-jeans.ru^ +||eokdol.flaconi.at^ +||eokzre.jd-sports.com.au^ +||eolvci.olx.ro^ +||eonmxd.urban-research.jp^ +||eoocpp.fujiidaimaru.co.jp^ +||eozwcp.jetex.com^ +||epcdko.forevernew.com.au^ +||epezqy.plaisio.gr^ +||epixkf.dentrodahistoria.com.br^ +||epnfoq.cyberpowersystem.co.uk^ +||eqingl.ivet.bg^ +||eqkwat.histoiredor.com^ +||eqvioe.polihome.gr^ +||ergrbp.hobidunya.com^ +||ermiph.petermanningnyc.com^ +||esqjac.costakreuzfahrten.de^ +||esqxrp.bonprix-fl.be^ +||essmnx.edreams.ch^ +||eswpwi.xlmoto.pl^ +||etgaad.smartphoto.be^ +||etgkbu.unieuro.it^ +||etoqel.nordicnest.de^ +||etppmr.luko.eu^ +||etwovr.underarmour.eu^ +||etznkn.ec-store.net^ +||eubynl.baby-sweets.de^ +||euqsfp.belluna.jp^ +||eusdbk.philosophyofficial.com^ +||evhvza.sodimac.com.br^ +||evkjai.grandado.com^ +||evnzcl.ranking.ac^ +||evrget.nikkan-gendai.com^ +||evupmg.olehenriksen.com^ +||ewalxb.epicsports.com^ +||ewfarp.kappa.com^ +||ewfrnd.stockmann.ru^ +||eworfe.babyartikel.de^ +||ewygto.swanicoco.co.kr^ +||exbujk.glamood.com^ +||exmeqy.smartbuyglasses.de^ +||exwvpm.misumi-ec.com^ +||exxwhi.jmty.jp^ +||eyenox.eschuhe.de^ +||eyfygb.yourfirm.de^ +||eylnhf.jobhouse.jp^ +||eymiwj.cancan.ro^ +||eymiwj.ciao.ro^ +||eymiwj.promotor.ro^ +||eymiwj.prosport.ro^ +||eymqcj.lineonline.it^ +||eyqbvz.greysonclothiers.com^ +||eywvko.shaddy.jp^ +||eyypxz.canifa.com^ +||eyzthp.constellation.com^ +||eyzubm.gooutdoors.co.uk^ +||ezdjat.shoesme.nl^ +||ezhddx.thesouledstore.com^ +||eziccr.dedoles.cz^ +||ezobam.jdsports.nl^ +||ezuhbd.industrialdiscount.it^ +||ezvjys.belezanaweb.com.br^ +||fagtgb.acorn.com^ +||fahmta.accountingweb.co.uk^ +||fahmta.f1i.com^ +||fahmta.flashbak.com^ +||fahmta.lipsum.com^ +||fahmta.metoffice.gov.uk^ +||fahmta.polishexpress.co.uk^ +||fahmta.racefans.net^ +||fahmta.theaa.com^ +||faokwl.sklepogrodniczy.pl^ +||faqtjp.redley.com.br^ +||fauzxn.hairlavie.com^ +||fazphz.theiconic.com.au^ +||fbjpji.europcar.es^ +||fbycnk.chiaki.vn^ +||fcizcj.burlingtonfreepress.com^ +||fckxdb.hometogo.it^ +||fcnqkw.xeroshoes.com^ +||fcpszk.telestream.net^ +||fcswcx.cyrillus.fr^ +||fculcz.joann.com^ +||fdixsh.platypusshoes.com.au^ +||fdkeip.azafashions.com^ +||fdowic.hoiku.mynavi.jp^ +||fdxtbs.meeters.org^ +||febcyv.joshi-spa.jp^ +||feppiu.systemaction.es^ +||feqbqn.rent.com^ +||fespzx.sfr.fr^ +||feuqzl.woolrich.com^ +||ffrmel.gerryweber.com^ +||ffrmwn.musinsa.com^ +||ffuodj.lanebryant.com^ +||ffyvsn.evisu.com^ +||fgfecw.rebelle.com^ +||fgfukd.sakazen.co.jp^ +||fgjfwz.legami.com^ +||fglrgt.ruggable.com^ +||fgmaal.u-canshop.jp^ +||fgosob.unhcr.it^ +||fgqxcz.thehipstore.co.uk^ +||fhdnds.mrmarvis.com^ +||fhiwyq.axiory.com^ +||fhngty.vetsecurite.com^ +||fhqrnb.feelway.com^ +||fhrpqp.futfanatics.com.br^ +||fiawmk.empik.com^ +||fiimox.lebenskraftpur.de^ +||fimyxg.bloomberght.com^ +||fimyxg.haberturk.com^ +||fiowtf.hyggee.com^ +||firurx.invia.hu^ +||fizopp.duluthtrading.com^ +||fjdzgn.paulfredrick.com^ +||fjgcai.zlavomat.sk^ +||fjighz.armaniexchange.com^ +||fjkjaj.peterhahn.nl^ +||fjortk.braun-hamburg.com^ +||fjuccm.uktsc.com^ +||fkdaik.lightinthebox.com^ +||fkeupa.bett1.de^ +||fkmdky.lifehacker.ru^ +||fkmzox.teinei.co.jp^ +||fksngj.bonnyread.com.tw^ +||fkxlsc.fenix-store.com^ +||fldoai.municipal.com^ +||flnkmj.hometogo.fr^ +||flpwto.lohaco.jp^ +||fltuyy.philippemodel.com^ +||flznib.weblio.jp^ +||fmjgtp.dentalspeed.com^ +||fmpjka.moroccanoil.com^ +||fmqidg.letras.com^ +||fmqidg.letras.mus.br^ +||fmqidg.ouvirmusica.com.br^ +||fmssly.pets4homes.co.uk^ +||fmufpo.machicon.jp^ +||fnajvu.framingsuccess.com^ +||fnfhgj.secretsales.com^ +||fngwdl.allheart.com^ +||fnlvhy.wowma.jp^ +||fnmvok.aaaradiatory.cz^ +||fnoqgg.roninwear.com^ +||fokbrd.impo.ch^ +||foomjy.teacollection.com^ +||fpadga.mcruises.ru^ +||fpghll.rossmann.hu^ +||fpptmv.mrmarvis.co.uk^ +||fpvrgm.blackforestdecor.com^ +||fpxewa.ilmeteo.it^ +||fqcqnb.dwr.com^ +||fqppgv.cheapoair.com^ +||fqxnlh.kgcshop.co.kr^ +||fraalb.cebanatural.com^ +||frbdzc.goguynet.jp^ +||frbmdx.fwrd.com^ +||frdoki.acrylicpainting.work^ +||frdoki.athleticshoes.work^ +||frdoki.charcoal.work^ +||frdoki.copperprint.work^ +||frdoki.gamefactory.jp^ +||frdoki.heisei-housewarming.work^ +||frdoki.liquidfoundation.work^ +||frdoki.mineralfoundation.work^ +||frdoki.nailcolor.work^ +||frdoki.selftanning.work^ +||frdoki.studioglass.work^ +||frdoki.woodblock.work^ +||frqbff.hedleyandbennett.com^ +||frztrk.beaute-test.com^ +||frztrk.netmums.com^ +||fsbozl.dillards.com^ +||fsegfy.lepoint.fr^ +||fsqwdj.live-tennis.eu^ +||fsugco.rcn.nl^ +||ftaysn.meinekette.de^ +||ftmsyy.jbl.com.br^ +||ftnnce.autodoc.dk^ +||ftuart.chomedeynissan.com^ +||ftysya.aboutyou.de^ +||ftzets.silkfred.com^ +||fudezz.bolasport.com^ +||fudezz.grid.id^ +||fudezz.gridoto.com^ +||fudezz.kompas.com^ +||fudezz.kompas.tv^ +||fudezz.kompasiana.com^ +||fudezz.motorplus-online.com^ +||fudezz.sonora.id^ +||fufbgj.pazzo.com.tw^ +||fufoir.aif.ru^ +||fuicmy.hana-mail.jp^ +||fuooms.aetrex.com^ +||furlhp.kango.mynavi.jp^ +||fuzrct.gutteridge.com^ +||fuzrxc.aboutyou.nl^ +||fvuitt.alibabuy.com^ +||fvvyjd.jtv.com^ +||fwmqki.eckerle.de^ +||fwpugy.savilerowco.com^ +||fwsgvo.takami-labo.com^ +||fxfezg.bodylab24.de^ +||fxmdjr.mamastar.jp^ +||fxmdjr.saita-puls.com^ +||fxmdjr.yogajournal.jp^ +||fxmkij.jny.com^ +||fxsdex.longvadon.com^ +||fyccsw.eobuwie.com.pl^ +||fyebmf.lifenet-seimei.co.jp^ +||fygild.rueonline.com^ +||fywfld.fjellsport.no^ +||fzeidx.vidaxl.gr^ +||fzexkf.drogaraia.com.br^ +||fzgpzp.opodo.de^ +||fzqjvw.oakandluna.com^ +||gaafbi.fashiondays.hu^ +||gaccwr.dutramaquinas.com.br^ +||gagysn.floward.com^ +||gahhfg.bobo.com.br^ +||garvum.julesb.co.uk^ +||gastdn.wolfandbadger.com^ +||gbmfid.1mg.com^ +||gbncqh.koneko-breeder.com^ +||gbvrgf.hibarai.com^ +||gcoiys.cutsclothing.com^ +||gcowhi.thesalarycalculator.co.uk^ +||gcudsn.tradetested.co.nz^ +||gcwubi.happypancake.fi^ +||gcxiyx.inspireuplift.com^ +||gdfsrd.itslighting.kr^ +||gdphhl.elite-auto.fr^ +||gdqlno.weisshaus.de^ +||gdsngr.chainreactioncycles.com^ +||gecfnc.foresight.jp^ +||gedozw.autoscout24.cz^ +||gefkkw.cyberport.de^ +||gejzgq.gehaltsvergleich.com^ +||getpxq.rivolishop.com^ +||geygin.bonprix.ch^ +||gfeede.theminda.com^ +||gfgcwf.vidaxl.lv^ +||gfgywe.abril.com.br^ +||gflpvq.rufflebutts.com^ +||gfnokk.natro.com^ +||gforat.grahambrown.com^ +||gfqhvj.wunderkarten.de^ +||ggduev.cobone.com^ +||ggduzx.potterybarn.com.kw^ +||ghdlry.greetz.nl^ +||ghifrc.baldai1.lt^ +||ghnwss.fmsstores.gr^ +||ghonnz.columbiasports.co.jp^ +||ghrnbw.avocadostore.de^ +||ghrzlu.skechers.com.tr^ +||ghwkuv.lagirl.co.kr^ +||giojhm.finya.de^ +||givoiq.nichiigakkan-careerplus.jp^ +||gizsyj.thegrommet.com^ +||gjljde.kathmandu.co.nz^ +||gjmovc.epapoutsia.gr^ +||gjndsa.amaro.com^ +||gkcqyo.aquazzura.com^ +||gkfdkf.jdsports.co.uk^ +||gkgygj.verivox.de^ +||gkopqp.coccodrillo.eu^ +||gksqdt.reitmans.com^ +||glbgox.djoser.de^ +||glxdlf.tickets.ua^ +||glzsji.nordman.ru^ +||gmmhlk.techstar.ro^ +||gmpcyv.svinando.com^ +||gmqvql.furnwise.co.uk^ +||gmqyld.jacksonandperkins.com^ +||gmrhzf.wolfermans.com^ +||gmsllx.sorteonline.com.br^ +||gmufag.e1.ru^ +||gmufag.fontanka.ru^ +||gmufag.nn.ru^ +||gmufag.starhit.ru^ +||gmufag.woman.ru^ +||gmxcdm.vestel.com.tr^ +||gnfjvt.radpowerbikes.com^ +||gnfqtz.smartphoto.se^ +||gnkvyn.freeportstore.com^ +||gnnkrz.josbank.com^ +||gnozmx.locasun.fr^ +||gnrmty.eurovaistine.lt^ +||goazlf.mytoys.de^ +||gocuxy.baycrews.jp^ +||gogaej.momastore.jp^ +||gotpiu.regenbogen.com^ +||gozncj.stealthangelsurvival.com^ +||gpiljd.thetiebar.com^ +||gpiyhj.leopalace21.com^ +||gppppq.newcars.com^ +||gpsqnl.delsey.com^ +||gpukye.holabirdsports.com^ +||gpzhcc.lapeyre.fr^ +||gqhfjr.sizeofficial.es^ +||gqjppj.rentcafe.com^ +||gqjrfv.autodoc.fi^ +||gqlaur.currentcatalog.com^ +||gqmuky.kaigonohonne.com^ +||gqqxum.mannys.com.au^ +||gqraqz.e-domizil.de^ +||grnext.crockpot-romania.ro^ +||grofag.hollandandbarrett.ie^ +||grxokm.kirstein.de^ +||grxsaq.tagheuer.com^ +||grxxvx.centerparcs.nl^ +||grzhwl.adiamor.com^ +||gsbygc.clarks.eu^ +||gsftuy.nutripure.fr^ +||gsmqez.xcite.com^ +||gspjom.3balls.com^ +||gspqch.cake.jp^ +||gsyegj.shatura.com^ +||gtgvze.chintai.net^ +||gtzpic.opodo.co.uk^ +||guelvp.1111.com.tw^ +||guhyqz.hawesko.de^ +||guufxr.sdbullion.com^ +||guwuym.barneys.co.jp^ +||gvdqzy.milanoo.com^ +||gvfbpo.diafer.com.br^ +||gvxnff.soulara.com.au^ +||gwguyh.edreams.es^ +||gwizal.yumbutter.com^ +||gwropn.soelu.com^ +||gwupkw.flexform.com.br^ +||gxcaxz.cresus.fr^ +||gxleat.attenir.co.jp^ +||gxusko.pinkpanda.hu^ +||gxyaxf.pixartprinting.be^ +||gxyojn.underarmour.fr^ +||gybles.shopee.ph^ +||gyehtm.thebridge.it^ +||gyqbrs.qvc.it^ +||gyqntn.dekoruma.com^ +||gyvcwd.cdiscount.com^ +||gyvlgl.sportitude.com.au^ +||gyvyoc.dermoeczanem.com^ +||gyvzjp.conradelektronik.dk^ +||gyxtyd.yummicandles.com^ +||gyydua.dakine.com^ +||gzbcuy.mamarella.com^ +||gzjroa.bradsdeals.com^ +||gzlxvg.papy.co.jp^ +||halvwk.jetcost.ie^ +||hambtr.unilife.co.jp^ +||haoexw.buysellonline.jp^ +||hauhws.asgoodasnew.de^ +||hauixd.halistores.com^ +||hauzdj.quellogiusto.it^ +||haxdym.min-breeder.com^ +||hazawl.veke.fi^ +||hbaazk.bukalapak.com^ +||hbahrd.yogibo.jp^ +||hbfpvm.comolib.com^ +||hcdnpe.iareduceri.ro^ +||hchlqx.ghbass.com^ +||hcjarn.parfumsclub.de^ +||hcjpbc.closerweekly.com^ +||hcjpbc.intouchweekly.com^ +||hcjpbc.j-14.com^ +||hcjpbc.lifeandstylemag.com^ +||hcjpbc.mensjournal.com^ +||hcjpbc.muscleandfitness.com^ +||hcjpbc.okmagazine.com^ +||hcjpbc.radaronline.com^ +||hcjpbc.usmagazine.com^ +||hckjsc.kastner-oehler.at^ +||hclspy.gourmetencasa-tcm.com^ +||hcmhqb.radpowerbikes.ca^ +||hcsmec.decathlon.pt^ +||hczvwi.soldejaneiro.com^ +||hdicsm.autoscout24.be^ +||hdnagl.womensecret.com^ +||hdxdhu.zumnorde.de^ +||hearob.klix.ba^ +||hekhnn.turnkeyvr.com^ +||hemblx.vans.cl^ +||hesprh.sony.jp^ +||heuida.shopafrm.com^ +||hevqaz.submarino.com.br^ +||heyaxr.fashiondays.bg^ +||hfmogh.piatradesign.ro^ +||hfmphs.loccitane.com^ +||hfoghh.inter.it^ +||hfolmr.office-com.jp^ +||hfpwcx.supermercadosmas.com^ +||hfvura.noriel.ro^ +||hgprha.mizalle.com^ +||hgzqxe.hanesbrandsinc.jp^ +||hhbxcs.tylko.com^ +||hhwcqa.underarmour.com.br^ +||hidjoi.perfumesclub.com^ +||hijxfm.gaspedaal.nl^ +||hikmxb.botovo.cz^ +||hiknhe.tanabesports.com^ +||hipkqt.contorion.de^ +||hitmse.altinbas.com^ +||hiuplq.diretta.it^ +||hiuplq.eredmenyek.com^ +||hiuplq.flashscore.bg^ +||hiuplq.flashscore.ca^ +||hiuplq.flashscore.co.id^ +||hiuplq.flashscore.co.jp^ +||hiuplq.flashscore.co.ke^ +||hiuplq.flashscore.co.uk^ +||hiuplq.flashscore.com.au^ +||hiuplq.flashscore.com.br^ +||hiuplq.flashscore.com.ng^ +||hiuplq.flashscore.com.tr^ +||hiuplq.flashscore.com^ +||hiuplq.flashscore.de^ +||hiuplq.flashscore.dk^ +||hiuplq.flashscore.gr^ +||hiuplq.flashscore.in^ +||hiuplq.flashscore.nl^ +||hiuplq.flashscore.pl^ +||hiuplq.flashscore.pt^ +||hiuplq.flashscore.ro^ +||hiuplq.flashscore.se^ +||hiuplq.flashscore.sk^ +||hiuplq.flashscore.vn^ +||hiuplq.livescore.in^ +||hiuplq.livesport.cz^ +||hiuplq.liveticker.com^ +||hiuplq.resultados.com^ +||hiuplq.rezultati.com^ +||hiuplq.soccer24.com^ +||hiuplq.soccerstand.com^ +||hiuplq.tennis24.com^ +||hiyksu.karllagerfeldparis.com^ +||hjbgdc.fracora.com^ +||hjgcdi.farmacybeauty.com^ +||hjgkdv.fiverr.com^ +||hjyfhi.misterspex.fi^ +||hksfkh.otomotoprofi.pl^ +||hkskqs.belvilla.fr^ +||hlagkl.vinatis.com^ +||hleouh.feelunique.com^ +||hlhyzh.fann.cz^ +||hlqpie.waves.com^ +||hlreoc.gonuldensevenler.com^ +||hlygsp.modivo.ro^ +||hmakpa.saksoff5th.com^ +||hmcncq.pierreetvacances.com^ +||hmeagu.e87.com^ +||hmeoda.restplatzboerse.ch^ +||hmeqvp.essencemakeup.com^ +||hmfnaj.notino.bg^ +||hmgnjf.autoscout24.it^ +||hmjyvj.glamira.it^ +||hmlvxk.julian-fashion.com^ +||hmoctt.leboutique.com^ +||hmpfja.up-t.jp^ +||hmvbmf.vidaxl.es^ +||hmyjoj.5-fifth.com^ +||hmziwy.yearbookordercenter.com^ +||hnibej.transat.com^ +||hnnuaa.willhaben.at^ +||hnpgjp.cyclemarket.jp^ +||hntnca.petpetgo.com^ +||hnwttl.re-katsu.jp^ +||hnytrd.ssfshop.com^ +||hoojts.demmelhuber.net^ +||hpbrqr.daihatsu.co.jp^ +||hpcduz.shoemall.com^ +||hphtjv.orellfuessli.ch^ +||hplkcs.emp-shop.no^ +||hplrqg.interflora.fr^ +||hpxsci.miista.com^ +||hpymkg.air-austral.com^ +||hqfthz.betterlifeuae.com^ +||hqgkmj.marine-deals.co.nz^ +||hqiwnj.clarins.pt^ +||hqjuww.kolesa-darom.ru^ +||hqwtqa.intelligence-artificielle-school.com^ +||hqxbuy.rugs-direct.com^ +||hrcpql.candymagic.jp^ +||hrnhcu.kapiva.in^ +||hrprwf.proteinocean.com^ +||hruoxg.5vorflug.de^ +||hruyiq.auction.co.kr^ +||hrwgsq.loesdau.de^ +||hsaxca.americatv.com.pe^ +||hslkll.psychic.de^ +||hssyje.theathletesfoot.com.au^ +||hsvrww.plain-me.com^ +||hswgqa.jmsc.co.jp^ +||htcnbx.odkarla.cz^ +||htewng.plesio.bg^ +||hthzoa.notino.hu^ +||htmgrl.jollyroom.no^ +||htqfxh.vuch.cz^ +||hudhno.jdsports.es^ +||huechl.paige.com^ +||hugupq.selency.fr^ +||huqkbq.misterrunning.com^ +||husoxn.investors.com^ +||hutkse.wecandoo.fr^ +||hvpeme.petedge.com^ +||hvrhgt.the-sun.com^ +||hvrhgt.thescottishsun.co.uk^ +||hvrhgt.thesun.co.uk^ +||hvrhgt.thesun.ie^ +||hvrzig.e-domizil.ch^ +||hvteqk.snowleader.com^ +||hvuihu.undiz.com^ +||hvwgbj.wikinger-reisen.de^ +||hvxymx.tui.pl^ +||hwkfzf.meinauto.de^ +||hwnmhi.sunbeltrentals.com^ +||hwwjsi.aboutyou.pl^ +||hwyytk.verabradley.com^ +||hwyyuy.ringcentral.com^ +||hxbgxi.seikousa.com^ +||hxiabp.colins.com.tr^ +||hxmssa.wordans.nl^ +||hxnxxq.tophifi.pl^ +||hycywj.akkushop.de^ +||hyeorg.gmarket.co.kr^ +||hyibby.lampen24.be^ +||hykaqn.dormideo.com^ +||hyxvec.michaelpage.co.jp^ +||hyybul.kaskus.co.id^ +||hzeetn.natalie.mu^ +||hzoouw.s-re.jp^ +||hzuheh.palcloset.jp^ +||hzvsld.fr.filorga.com^ +||hzymxd.nocibe.fr^ +||hzzyhl.jobs.ch^ +||iaalxo.vans.ru^ +||iabdly.hoselink.com.au^ +||iabgvi.usadosbr.com^ +||iatoex.kahve.com^ +||iazwzp.lyst.com^ +||ibbmfq.decameron.com^ +||ibbmly.moneymetals.com^ +||ibkups.rci.com^ +||ibtmla.discovery-expedition.com^ +||icaubf.casamundo.de^ +||icfckg.myft.com.br^ +||icmakp.united-arrows.tw^ +||icoktb.onygo.com^ +||ictrjw.barcastores.com^ +||idbkfy.kango-roo.com^ +||idgptg.esm-computer.de^ +||idianw.warmteservice.nl^ +||idlqzb.puntoscolombia.com^ +||idndlc.kango-oshigoto.jp^ +||idqwqm.kkday.com^ +||ieeowa.marcjacobsbeauty.com^ +||iefiop.raizs.com.br^ +||iegwze.goldcar.es^ +||iepfcy.farmandfleet.com^ +||iesbpm.novasol.dk^ +||ievdpg.humanscale.com^ +||iffalh.y-aoyama.jp^ +||ifkzro.llbean.co.jp^ +||ifnyop.priceline.com^ +||ifqtfo.rugsusa.com^ +||ifxnyp.troquer.com.mx^ +||ifyane.balaan.co.kr^ +||igexlg.weltbild.de^ +||igfjkh.vw.com.tr^ +||igjytl.unice.com^ +||ignchq.kentaku.co.jp^ +||igxqyi.iese.edu^ +||igyswj.sixt.it^ +||ihcamp.ybtour.co.kr^ +||ihcrqa.sonnenklar.tv^ +||ihfwer.aboutyou.com^ +||ihnbqe.shane.co.jp^ +||ihpyig.hometogo.ch^ +||ihtnxu.tannergoods.com^ +||iiajtl.zeit.de^ +||iiqtru.aunworks.jp^ +||iirpzp.novasol.com^ +||ijaabm.bravotv.com^ +||ijaabm.eonline.com^ +||ijaabm.nbcsports.com^ +||ijaabm.rotoworld.com^ +||ijaabm.telemundo.com^ +||ijaabm.telemundodeportes.com^ +||ijaabm.usanetwork.com^ +||ijafud.heathcotes.co.nz^ +||ijhlca.lulus.com^ +||ijifwb.green-acres.fr^ +||ikdxfh.jollyroom.se^ +||ikneio.aquantindia.com^ +||ikvjvw.pharma.mynavi.jp^ +||ilepwo.bonprix.at^ +||ilfmju.right-on.co.jp^ +||ilnfdq.cybozu.co.jp^ +||iltcaf.immobilienscout24.de^ +||ilvqos.lyst.es^ +||imbhdu.housedo.co.jp^ +||imhwzc.blibli.com^ +||imjdmq.emcasa.com^ +||imjsfy.allbeauty.com^ +||imjxso.bristol.nl^ +||indiyo.38-8931.com^ +||inencr.woodhouseclothing.com^ +||inmtuj.jobs.ie^ +||inmuzp.popsockets.com^ +||inpney.warehouse-one.de^ +||inqjal.dickssportinggoods.com^ +||iobyeq.dallmayr-versand.de^ +||ioeczq.juno.co.uk^ +||ioedpk.oneill.com^ +||iofeth.pulsee.it^ +||iokhsx.unionmonthly.jp^ +||iooecb.bergzeit.de^ +||ioovmg.flexicar.es^ +||ioovrf.coen.co.jp^ +||iopqct.drogasil.com.br^ +||iopxiu.wingly.io^ +||ioxqdp.leatherology.com^ +||ipcfgw.pieces.com^ +||ipdmlm.yoriso.com^ +||iphufr.circleline.com^ +||ipixsi.aboutyou.fi^ +||ipkasp.nissan.co.jp^ +||iptmgi.akan.co.kr^ +||iptmih.hifi-regler.de^ +||ipummv.pharao24.de^ +||ipyjxs.chowsangsang.com^ +||iqbjqv.airarabia.com^ +||iqcxki.johosokuhou.com^ +||iqjwrk.crocodile.co.jp^ +||iquirc.motionrc.com^ +||iqyioj.harryanddavid.com^ +||irfiqx.babyneeds.ro^ +||irqewz.vilebrequin.com^ +||irqoqr.industrywest.com^ +||irurng.wondershare.jp^ +||iseuaa.olx.pl^ +||isjoui.cainz.com^ +||isovav.akomeya.jp^ +||itkdlu.equideow.com^ +||itznub.gap.co.uk^ +||iujeaa.menz-style.com^ +||iuryhk.soccer.com^ +||iuwiim.steigenberger.com^ +||ivbxao.roastmarket.de^ +||ivcxpw.kogan.com^ +||ivdguf.elephorm.com^ +||ivegss.autotrack.nl^ +||ivencq.nike.com.hk^ +||ivmwbl.hear.com^ +||ivwkkh.nexity.fr^ +||iwgfdj.iko-yo.net^ +||iwhzhi.packstyle.jp^ +||iwlnpw.claudiepierlot.com^ +||iwmjsk.jw.com.au^ +||iwpneu.eneba.com^ +||ixrzwf.decathlon.be^ +||ixsgoy.getpenta.com^ +||ixtzad.fetch.co.uk^ +||iycifx.coldwatercreek.com^ +||iyvzqt.agabangmall.com^ +||izbwce.secretoutlet.com.br^ +||izegag.shop24direct.de^ +||izremx.dentalplans.com^ +||izwgxw.acordocerto.com.br^ +||jambwe.transsibinfo.com^ +||janzoz.1001pneus.fr^ +||jaomlf.giftmall.co.jp^ +||jatflh.pharmamarket.be^ +||jatpmv.megacolchoes.com.br^ +||javvso.newone-shop.com^ +||jbbljg.autoscout24.bg^ +||jbezdi.ilsole24ore.com^ +||jcaqvl.twinset.com^ +||jcblar.floridarentals.com^ +||jcimgi.bestcuckoo.co.kr^ +||jcplzp.lancel.com^ +||jcpyyh.laredoute.es^ +||jdbjhd.saniweb.nl^ +||jdgtgb.4players.de^ +||jdgtgb.autoguru.de^ +||jdgtgb.buffed.de^ +||jdgtgb.desired.de^ +||jdgtgb.dnn.de^ +||jdgtgb.express.de^ +||jdgtgb.familie.de^ +||jdgtgb.fussballfieber.de^ +||jdgtgb.gamezone.de^ +||jdgtgb.giga.de^ +||jdgtgb.goettinger-tageblatt.de^ +||jdgtgb.haz.de^ +||jdgtgb.hildesheimer-allgemeine.de^ +||jdgtgb.kicker.de^ +||jdgtgb.kino.de^ +||jdgtgb.ksta.de^ +||jdgtgb.ln-online.de^ +||jdgtgb.lvz.de^ +||jdgtgb.mainpost.de^ +||jdgtgb.maz-online.de^ +||jdgtgb.meineorte.com^ +||jdgtgb.mopo.de^ +||jdgtgb.op-marburg.de^ +||jdgtgb.paz-online.de^ +||jdgtgb.pcgames.de^ +||jdgtgb.pcgameshardware.de^ +||jdgtgb.rnz.de^ +||jdgtgb.rundschau-online.de^ +||jdgtgb.spielaffe.de^ +||jdgtgb.sportbuzzer.de^ +||jdgtgb.stylevamp.de^ +||jdgtgb.t-online.de^ +||jdgtgb.tierfans.net^ +||jdgtgb.twitterperlen.de^ +||jdgtgb.unnuetzes.com^ +||jdgtgb.unsere-helden.com^ +||jdgtgb.volksstimme.de^ +||jdgtgb.watson.de^ +||jdgtgb.weser-kurier.de^ +||jdzmqj.thousandtrails.com^ +||jeccmq.wehkamp.nl^ +||jelndb.truereligion.com^ +||jeyttn.snipes.com^ +||jfltzz.riu.com^ +||jfnnzq.quelle.de^ +||jfpltp.eyeforfashion.pl^ +||jfyecc.machineseeker.com^ +||jgzhsu.caterer.com^ +||jhfuhi.b-exit.com^ +||jhnmpm.kiwoko.com^ +||jhprvk.skstoa.com^ +||jhpwrn.laredoute.ch^ +||jhrewn.venezia.pl^ +||jhzwle.ryuryumall.jp^ +||jiciqm.antalyahomes.com^ +||jifjai.instamotion.com^ +||jirnxq.guud.com^ +||jjcypx.vrai.com^ +||jjdciu.justspices.de^ +||jkgeyo.urbanara.de^ +||jkizha.theshoecompany.ca^ +||jknarp.kakaku.com^ +||jkwdsl.videt.ro^ +||jkzoac.headphones.com^ +||jldtlh.fashionnova.com^ +||jlffeu.nadula.com^ +||jlhwxm.spartoo.es^ +||jlnyti.mugo.com.tr^ +||jmcnwr.bricoprive.com^ +||jmvmrv.e-davidwalker.com^ +||jnkqnf.cifraclub.com.br^ +||jnkqnf.cifraclub.com^ +||jnkqnf.palcomp3.com.br^ +||jnzedp.his-j.com^ +||joqawz.snipes.nl^ +||joskgw.sewingmachinesplus.com^ +||jowtkv.vertbaudet.de^ +||jpfufu.xlmoto.co.uk^ +||jpluzr.autoc-one.jp^ +||jprbql.jdsports.fr^ +||jptobh.network.com.tr^ +||jpwfkn.besthotels.es^ +||jpwfrl.mona.de^ +||jqlzwb.bauhaus.fi^ +||jqsouo.gourmetcaree.jp^ +||jraasj.kobo.com^ +||jrfjcn.mebeli.bg^ +||jrucbb.guestreservations.com^ +||jrxrit.europcar.de^ +||jrzgcz.ciociariaoggi.it^ +||jrzgcz.latinaoggi.eu^ +||jshkyh.29cm.co.kr^ +||jsomtq.telescope.com^ +||jspqms.bellevue-ferienhaus.de^ +||jswlpe.modainpelle.com^ +||jswyrt.jp1880.de^ +||jszwxm.hometogo.nl^ +||jtbaoo.belvini.de^ +||jtosgk.123pneus.fr^ +||jttmym.gear4music.com^ +||jtxrou.saucony.com^ +||jtyutq.chaussures.fr^ +||jufhxk.audienhearing.com^ +||jujtcq.amnibus.com^ +||juzqsq.finanzcheck.de^ +||jvbvng.notino.it^ +||jviyau.pelicanwater.com^ +||jvpipr.hometogo.se^ +||jvrwil.gabor.de^ +||jvzlya.benesse.ne.jp^ +||jwcnjv.xlmoto.eu^ +||jweqai.amen.fr^ +||jwlvlo.icaniwill.dk^ +||jwmhqs.fsk.ru^ +||jwtnmo.promovacances.com^ +||jwvazl.mansurgavriel.com^ +||jwxqmj.thediamondstore.co.uk^ +||jxdptu.jouete-online.com^ +||jxeumx.hanaunni.com^ +||jxiwdw.ufret.jp^ +||jxoaza.yourmystar.jp^ +||jxpsrh.casamundo.co.uk^ +||jxsmzz.mytrauringstore.de^ +||jxvrhx.fotokoch.de^ +||jybnuw.mudah.my^ +||jynwlg.veromoda.com^ +||jyuicr.codemonkey.com^ +||jyumzv.dcshoes.com.br^ +||jyupgi.eurostarshotels.co.uk^ +||jyyqzt.sledstore.se^ +||jyyzvb.careerindex.jp^ +||jzauch.motostorm.it^ +||jzgfhr.nordicnest.com^ +||jzoxch.menswearhouse.com^ +||jzprtb.1stdibs.com^ +||jzqfac.bestsecret.ch^ +||kaacsi.belvilla.nl^ +||kabokc.webuy.com^ +||kaebyy.autouncle.se^ +||kalwub.mizuho-re.co.jp^ +||katylz.lojaspompeia.com^ +||kbcmdi.florsheim.com.au^ +||kbighx.absolventa.de^ +||kbviuj.enoteca.co.jp^ +||kbvxbw.bugatti-fashion.com^ +||kcgser.azialo.com^ +||kcqoej.roborock.com^ +||kcuzgn.fnac.be^ +||kcvwuw.iryouworker.com^ +||kcykhs.mrblue.com^ +||kdarje.garten-und-freizeit.de^ +||kdhmzv.oculosmeninaflor.com.br^ +||kdlsdk.neverfullydressed.co.uk^ +||kdpxgr.travellink.no^ +||kdqytm.vipre.com^ +||kdtbpt.brogsitter.de^ +||kebpln.darngoodyarn.com^ +||keoofp.gulfnews.com^ +||keqglr.panvel.com^ +||kftfhp.furusato-tax.jp^ +||kgbokc.masrefacciones.mx^ +||kgmmfk.galcomi.jp^ +||kgqxzw.blue-tomato.com^ +||kgqzgj.rougegorge.com^ +||khcdhu.saraschool.net^ +||khfiwx.sephora.com.br^ +||khfyas.bellybandit.com^ +||khgtwn.reifendirekt.de^ +||khimxz.shoesforcrews.com^ +||khiurx.tigerdirect.com^ +||kiddbs.baby-calendar.jp^ +||kierwg.enzzo.gr^ +||kighmh.nelson.nl^ +||kiqwal.autoscout24.es^ +||kiqwil.l-m.co.jp^ +||kirsrn.runway-webstore.com^ +||kjdfho.eidaihouse.com^ +||kjjuuy.icaniwill.fi^ +||kjmaoi.babor.com^ +||kjxmcn.eset.com^ +||kjxztu.biz-journal.jp^ +||kkcmcp.printemps.com^ +||kksuce.hankoya.com^ +||kkznoe.autouncle.ch^ +||kkznoe.autouncle.co.uk^ +||kkznoe.autouncle.it^ +||kkzpde.aboutyou.lt^ +||klhxyi.costakreuzfahrten.ch^ +||klktmc.parler.co.jp^ +||klqlmg.mitchellandness.com^ +||klwuhp.daehyuninside.com^ +||kmqghr.bristolshop.be^ +||kmqhmn.helen-marlen.com^ +||knapia.weightwatchers.com^ +||knfjhy.echo.msk.ru^ +||knjybs.luminis-films.com^ +||knlqeu.jewlr.com^ +||knopnf.asambeauty.com^ +||knorzj.wearfigs.com^ +||knymhv.ariat.com^ +||knzmrw.infojobs.net^ +||knzqjr.pult.ru^ +||koifrz.tvc-mall.com^ +||koowiu.obchod-vtp.cz^ +||kouopt.calvinklein.com.br^ +||kpbzar.warbyparker.com^ +||kpcyic.sportisimo.cz^ +||kpfvaq.schuhe.de^ +||kqchxa.denizbutik.com^ +||kqdqrj.traktorpool.de^ +||kqhckf.outfits24.de^ +||kqkcoq.vidaxl.fr^ +||kqkydl.postel-deluxe.ru^ +||kqscrl.bonprix.nl^ +||kqvtez.watt24.com^ +||kqzbph.zerohedge.com^ +||krgoad.mauboussin.fr^ +||krskux.newhaircaps.com.br^ +||kszpsc.waschbaer.ch^ +||kszuxn.snidel.com^ +||ktdcoy.lyst.it^ +||kthjuw.lyst.com.au^ +||ktoahv.ivet.rs^ +||ktocpw.silabg.com^ +||ktskxm.smartphoto.nl^ +||kuaifr.camicado.com.br^ +||kukckk.sagefinds.com^ +||kuusay.yalispor.com.tr^ +||kvfumh.fairwaystyles.com^ +||kvfunf.factorydirect.ca^ +||kvnkjd.kaigoshoku.mynavi.jp^ +||kvskic.jadore-jun.jp^ +||kwalnc.vans.co.kr^ +||kwbpge.jra-van.jp^ +||kwijfh.proactiv.com^ +||kwitvg.letudiant.fr^ +||kwqpix.ravenna.gr^ +||kwvbhj.jcpenney.com^ +||kwwgmv.tennistown.de^ +||kwwvxn.uniqlo.com^ +||kxbqbq.amicafarmacia.com^ +||kxkvpn.josera.de^ +||kxmrwu.ibarakinews.jp^ +||kxtqgp.mistermenuiserie.com^ +||kydcwp.landwirt.com^ +||kygelf.ludwig-von-kapff.de^ +||kyjoyk.modoza.com^ +||kyszhn.qvc.jp^ +||kyvpze.vidaxl.co.uk^ +||kzhesi.corcoran.com^ +||kzmual.superga.com^ +||kzsicw.chip.de^ +||kzsicw.cinema.de^ +||kzsicw.fitforfun.de^ +||kzsicw.focus.de^ +||kzsicw.tvspielfilm.de^ +||kzsicw.tvtoday.de^ +||kzsisc.3.dk^ +||kzutbh.takeappeal.com^ +||ladghy.jcb.co.jp^ +||ladxxr.sonovente.com^ +||lapkhy.aventon.com^ +||lapwkd.feelgood-shop.com^ +||lbgfqn.onward.co.jp^ +||lbgrwm.zolta.pl^ +||lbnrrh.autouncle.dk^ +||lcdsyj.daily.co.jp^ +||lcefua.timberland.ru^ +||lcodff.uta-net.com^ +||lcsopa.onamae.com^ +||lctfgw.evernew.ca^ +||lcwodl.bleulibellule.com^ +||lcztnn.asics-trading.co.jp^ +||ldckmk.divarese.com.tr^ +||ldgxsr.locasun-vp.fr^ +||ldhteg.mooihorloge.nl^ +||ldinry.drinks.ch^ +||ldorlv.seiban.co.jp^ +||ldqtdd.peing.net^ +||ldvalc.manzara.cz^ +||ldxpmz.people.com^ +||lebtpm.co-medical.com^ +||lekfso.hitohana.tokyo^ +||lenpmh.francoisesaget.com^ +||lexvek.gap.ae^ +||leynqj.newport.se^ +||lezntf.heydudeshoesusa.com^ +||lfapbe.quiksilver.co.jp^ +||lfbowp.talisa.com^ +||lfercl.tcb-beauty.net^ +||lfmhcb.sefamerve.com^ +||lfpfpl.andar.co.kr^ +||lfuzec.bglen.net^ +||lfxdqs.mamasandpapas.ae^ +||lfyqsi.erborian.com^ +||lgbdxo.azazie.com^ +||lgylib.dg-home.ru^ +||lgzkzp.bauhaus.at^ +||lhaqtn.lyst.ca^ +||lhcivu.dekbed-discounter.nl^ +||lhdidz.successories.com^ +||lhevhb.hjgreek.com^ +||lhewdj.fnac.pt^ +||lhlext.e-aircon.jp^ +||lhrzel.enterprise.com.tr^ +||lhzulh.tribeamrapali.com^ +||liecso.e-himart.co.kr^ +||ligxyv.hackers.co.kr^ +||liosix.mtvuutiset.fi^ +||ljbpfe.notino.es^ +||ljqpvo.hardrock.com^ +||ljyipz.nugnes1920.com^ +||ljzxdu.largus.fr^ +||lkhrtf.beveragefactory.com^ +||lkluoz.saraceniwines.com^ +||lknqfn.furla.com^ +||lkvkgk.levis.com.tr^ +||llkdiu.chacos.com^ +||llqutk.skechers.com.au^ +||llteig.framesdirect.com^ +||lltmch.zurifurniture.com^ +||llwoyl.mirraw.com^ +||lmavci.eloquii.com^ +||lmeniu.timberland.com.au^ +||lmgenf.ludwigbeck.de^ +||lmgvur.scbt.com^ +||lmldvr.centauro.net^ +||lmnqof.littletoncoin.com^ +||lmorsb.highstreettv.com^ +||lnjiwo.manzara.sk^ +||lnntnt.hsastore.com^ +||lntvby.banggood.com^ +||lnxfgm.party-calendar.net^ +||lodlww.carcon.co.jp^ +||loobmf.hardloop.fr^ +||lowgxl.yokumoku.jp^ +||lozjnq.stateandliberty.com^ +||lpbhnv.nbcbayarea.com^ +||lpbhnv.nbcboston.com^ +||lpbhnv.nbcchicago.com^ +||lpbhnv.nbcconnecticut.com^ +||lpbhnv.nbcdfw.com^ +||lpbhnv.nbclosangeles.com^ +||lpbhnv.nbcmiami.com^ +||lpbhnv.nbcnewyork.com^ +||lpbhnv.nbcphiladelphia.com^ +||lpbhnv.nbcsandiego.com^ +||lpbhnv.nbcwashington.com^ +||lpbhnv.necn.com^ +||lpbhnv.telemundo47.com^ +||lpbhnv.telemundo49.com^ +||lpbhnv.telemundo52.com^ +||lpbhnv.telemundonuevainglaterra.com^ +||lpbhnv.telemundopr.com^ +||lpbhnv.telemundosanantonio.com^ +||lpbhnv.telemundowashingtondc.com^ +||lpdbca.internetaptieka.lv^ +||lpfirw.kooding.com^ +||lpfsex.fabiboutique.com^ +||lpipua.kcar.com^ +||lpuqtu.propertyfinder.bh^ +||lpygsq.dorita.se^ +||lpyxrp.thewodlife.com.au^ +||lpzxed.em.com.br^ +||lpzxed.superesportes.com.br^ +||lpzxed.uai.com.br^ +||lqbinr.locker-room.co.kr^ +||lqdeyv.thepopcornfactory.com^ +||lqklml.amikado.com^ +||lqopyc.beermachines.ru^ +||lqpzdi.coppel.com^ +||lqsowt.mona-mode.fr^ +||lqvfkk.sosyopix.com^ +||lqxjrk.fbs.com^ +||lravwm.spa.cz^ +||lrdnuu.shopee.co.th^ +||lrdxki.hakutou-shop.com^ +||lrehgz.orix.co.jp^ +||lreust.joshinweb.jp^ +||lrfctq.wordans.co.uk^ +||lrhyty.weeronline.nl^ +||lrjnbf.sabon.co.jp^ +||lsixuz.agrifournitures.fr^ +||lslynl.chiashake.cz^ +||lspfuw.siwonschool.com^ +||lswfmx.stuartweitzman.com^ +||ltcmak.alodokter.com^ +||ltdczq.myhome.nifty.com^ +||ltecrf.dhgate.com^ +||lthbdc.become.co.jp^ +||lthdzu.sercotelhoteles.com^ +||lthzhy.elv.com^ +||ltnico.fnac.com^ +||ltqpej.vidaxl.ie^ +||ltripg.marti.mx^ +||ltsveh.wetteronline.at^ +||ltsveh.wetteronline.ch^ +||ltsveh.wetteronline.de^ +||ltycia.ba-sh.com^ +||ltzpth.sephora.fr^ +||luaqlg.blissy.com^ +||luegnh.sneakercage.gr^ +||lujaqg.e-blooming.com^ +||lujcig.modaforyou.pl^ +||lumtjt.plumbingonline.ca^ +||luptbq.lampsplus.com^ +||luumhi.whatonearthcatalog.com^ +||luuonz.motoblouz.com^ +||luwzem.skala.nl^ +||luzfpa.dltviaggi.it^ +||lvidqa.unisportstore.de^ +||lvivsu.peterhahn.de^ +||lvsats.gardner-white.com^ +||lwkvkd.maison-objet.com^ +||lwmnyf.modivo.hu^ +||lwozzk.legacy.com^ +||lwusnt.yogibo.kr^ +||lxiaho.lesfurets.com^ +||lxmnrl.eobuv.sk^ +||lxoemc.buonissimo.it^ +||lxoemc.dilei.it^ +||lxoemc.libero.it^ +||lxoemc.paginebianche.it^ +||lxoemc.siviaggia.it^ +||lxoemc.tuttocitta.it^ +||lxsway.alltforforaldrar.se^ +||lxsway.blogg.se^ +||lxsway.brollopstorget.se^ +||lxsway.familjeliv.se^ +||lxsway.kwiss.me^ +||lxsway.modette.se^ +||lxsway.nyheter24.se^ +||lxsway.tyda.se^ +||lxswqh.oyorooms.com^ +||lxwasy.tatragarden.ua^ +||lxwysd.hirmer.de^ +||lxztgb.musee-pla.com^ +||lyegyo.bluenile.com^ +||lyfrir.purehockey.com^ +||lynjbq.sizeofficial.nl^ +||lyxfra.shopee.com.my^ +||lyypsy.unisportstore.se^ +||lzcwbt.schuhcenter.de^ +||lziqkx.countryoutfitter.com^ +||lzrhay.farmaciasoccavo.it^ +||lzrljv.tradera.com^ +||lzvwxy.hometogo.pl^ +||lzwxzz.chintaistyle.jp^ +||maaiuh.tomorrowland.co.jp^ +||majdmw.gigasport.at^ +||makbti.bandofboats.com^ +||market.bellelily.com^ +||matytt.tone.ne.jp^ +||maxtat.55truck.com^ +||mbbhij.mi-home.pl^ +||mbelia.underarmour.co.uk^ +||mbeoxt.perfumesclub.pt^ +||mcacry.trendhim.it^ +||mccntp.raen.com^ +||mccylg.rutlandcycling.com^ +||mchtna.fashionplus.co.kr^ +||mckbpe.united-arrows.co.jp^ +||mckiey.thun.com^ +||mczpco.darty.com^ +||mczqzk.yves-rocher.hu^ +||mdokua.shiseido.co.jp^ +||mdugiz.jdsports.de^ +||mdxhon.allhomes.com.au^ +||mennoc.mezlan.com^ +||meypeg.videdressing.com^ +||mfamcw.sodexobeneficios.com.br^ +||mfmkkv.sorgenia.it^ +||mfxtlm.mobiup.ro^ +||mgbfxr.formongde.com^ +||mgbivj.hintaopas.fi^ +||mgclyt.costacruceros.es^ +||mgcnid.aboutyou.cz^ +||mgdmqr.parfium.bg^ +||mgefhu.seiska.fi^ +||mgefhu.suomi24.fi^ +||mggakg.littleblack.co.kr^ +||mgixgn.wittchen.com^ +||mgptul.finson.com^ +||mhauev.glasses.com^ +||mhidwg.elgiganten.se^ +||mhizzr.eurorelais.nl^ +||mhmzhc.trysnow.com^ +||mhnpec.nimaxi-online.com^ +||mhrkxi.thetrybe.com.au^ +||mhwbhn.tohapi.fr^ +||miexgq.forevernew.co.nz^ +||miqeuu.timberland.it^ +||mirvso.boggi.com^ +||mixxuo.sportys.gr^ +||mjfunt.bibi.com^ +||mjjvkx.monoprice.com^ +||mjnpya.marktplaats.nl^ +||mjsnvi.extraspace.com^ +||mjutjc.telstarsurf.de^ +||mjwnxc.julbie.com^ +||mjzkws.marcovasco.fr^ +||mkltfc.atgp.jp^ +||mkmkew.hometogo.no^ +||mkmree.dmm.co.jp^ +||mkolqj.ozonee.pl^ +||mksogv.oneclickdrive.com^ +||mkwntx.pinkpanda.de^ +||mkzpqu.sungboon.com^ +||mkztpk.invictastores.com^ +||mlfolu.nabava.net^ +||mlgubn.autouncle.de^ +||mlhtmc.macnificos.com^ +||mlkblr.la-becanerie.com^ +||mlkklg.suncamp.de^ +||mlmswk.janpara.co.jp^ +||mlqzau.koffer.com^ +||mluszz.eyelashgarage.jp^ +||mmobsz.edenviaggi.it^ +||mmulsx.comet.it^ +||mmwlwm.autoscout24.pl^ +||mnbyto.goo-net.com^ +||mnfqyj.corello.com.br^ +||mnrddc.journeys.com^ +||mnwljk.ibagy.com.br^ +||momyjw.jobninja.com^ +||mosvnx.livup.com.br^ +||mowvra.idlookmall.com^ +||mpglie.apartmentguide.com^ +||mpgtft.zoobeauval.com^ +||mpjtif.viabovag.nl^ +||mprkxf.teebooks.com^ +||mqesfg.bpm-power.com^ +||mqhaxf.keds.com^ +||mqhuzk.soffadirekt.se^ +||mqjpkx.lulli-sur-la-toile.com^ +||mqjsdu.eataly.net^ +||mqldrm.lgcity.ru^ +||mqojih.taschenkaufhaus.de^ +||mqsicr.smiggle.co.uk^ +||mquwyx.engelhorn.de^ +||mqvyob.vidaxl.fi^ +||mqwqas.marketbio.pl^ +||mqzoid.vintorte.com^ +||mrksmm.yumegazai.com^ +||msafoy.eyebuydirect.com^ +||mseeru.faz.net^ +||msfvwi.sieuthiyte.com.vn^ +||msioay.backcountry.com^ +||mtbflj.elementaree.ru^ +||mtcvyv.karakartal.com^ +||mtcvyv.sporx.com^ +||mtcvyv.superfb.com^ +||mtcvyv.webaslan.com^ +||mtkure.gazin.com.br^ +||mtoxtg.tezenis.com^ +||mtuqnl.roomys-webstore.jp^ +||mtvgxt.partirpascher.com^ +||mtvnbq.infopraca.pl^ +||mtyciy.solebox.com^ +||mugapi.lazzarionline.com^ +||muhttw.spotlightstores.com^ +||mujjrh.stylenanda.com^ +||mupmos.levis.com.au^ +||muqtti.motoin.de^ +||muwyib.lettuce.co.jp^ +||mvjkbj.2-carat.net^ +||mvjkbj.inazumanews2.com^ +||mwbhkv.plasico.bg^ +||mwbilx.pisos.com^ +||mwxema.galerieslafayette.com^ +||mxdzxd.mister-auto.com^ +||mxhunv.kurz-mal-weg.de^ +||mxmwqo.biosante.com.br^ +||mxpdsu.bhv.fr^ +||mxsvjc.hackers.ac^ +||myakiu.trendhim.ch^ +||mybjjg.vlan.be^ +||myxuak.mir-kubikov.ru^ +||mzldzb.crocs.pl^ +||mzwkss.chiccousa.com^ +||nafmxc.1083.fr^ +||namcah.alipearlhair.com^ +||navfja.answear.hu^ +||nbfopy.jjshouse.com^ +||nbizzi.store.ferrari.com^ +||nbohze.thenorthface.ru^ +||nbrngg.rinkaiseminar.co.jp^ +||nbyggk.jocee.jp^ +||ncbabz.hometogo.co.uk^ +||ncvsbz.bonds.com.au^ +||ncxxek.donedeal.ie^ +||nczils.pristineauction.com^ +||ndcywq.ullapopken.fr^ +||ndeooc.bubbleroom.no^ +||ndgrlo.visiondirect.com.au^ +||ndroyp.gettingpersonal.co.uk^ +||neaaom.ytn.co.kr^ +||nekgtz.bluestoneperennials.com^ +||neowiv.brumbrum.it^ +||nerldv.ullapopken.pl^ +||nffxqi.jorgebischoff.com.br^ +||nflxjp.residences-immobilier.com^ +||nfmvsq.giuseppezanotti.com^ +||nfptar.giordanoshop.com^ +||nfudeh.jadebag.co.kr^ +||ngazee.novostroy-m.ru^ +||ngcbjq.frecuento.com^ +||ngghll.me.co.kr^ +||ngueja.2ememain.be^ +||ngyxtr.ripcurl.com^ +||nhdhoj.ibs.it^ +||nhkoze.saneibd.com^ +||nhlvvh.sawadee.nl^ +||nhnazx.outdoorlook.co.uk^ +||nhqkbl.semilac.pl^ +||nirdjz.revolveclothing.com.au^ +||njnlih.realitatea.net^ +||njorya.aosom.de^ +||njtwub.schneider.de^ +||njxnsb.paodeacucar.com^ +||nkarmh.jmbullion.com^ +||nkothz.duskin.jp^ +||nkqxyn.misterspex.co.uk^ +||nkwvwb.fluevog.com^ +||nlbukc.babyworld.se^ +||nlgzhd.yoox.com^ +||nljjem.honeys-onlineshop.com^ +||nltihf.fashiondays.ro^ +||nltzqx.autodoc.co.uk^ +||nlvnht.miror.jp^ +||nmiodk.promiflash.de^ +||nnhxjd.zielonalazienka.pl^ +||nnivvr.zimmo.be^ +||nnkeoi.timarco.com^ +||nnkkxb.nuts.com^ +||nnobek.waschbaer.de^ +||nnofmj.studiof.com.co^ +||nnqyed.laredoute.be^ +||nntgna.dmm.com^ +||nnvoia.closetworld.com^ +||nogxjk.dackonline.se^ +||nohaxn.damattween.com^ +||nosjew.glamira.de^ +||npczil.maxandco.com^ +||npfopn.mix.tokyo^ +||nplden.legionathletics.com^ +||nprkvj.mall.sk^ +||npsopu.clearly.ca^ +||nptkpt.vangraaf.com^ +||npvbjv.yourroom.ru^ +||nqacsh.boosted.dk^ +||nqcbgz.cocopanda.se^ +||nqgmcp.chairish.com^ +||nqozgp.botland.com.pl^ +||nqxnvy.levi.com.hk^ +||nrjcur.pomelofashion.com^ +||nrquff.supurgemarket.com^ +||nrrgyk.hair-gallery.it^ +||nrstxi.envieshoes.gr^ +||nrtubi.sobrico.com^ +||nsedgj.bonprix.de^ +||nstclj.rubylane.com^ +||nthldc.europcar.co.uk^ +||ntopcd.underarmour.nl^ +||ntphyl.milan-jeunesse.com^ +||nturnm.unisport.dk^ +||nucgsx.indestructibleshoes.com^ +||nukktn.dorko.hu^ +||nuquds.citizenwatch.com^ +||nuyibu.pieper.de^ +||nuyujp.barstoolsports.com^ +||nvpdaa.brightcellars.com^ +||nvumcv.standoil.kr^ +||nvxlag.liligo.fr^ +||nwajdf.zakzak.co.jp^ +||nwbmvq.jockey.com^ +||nwfkjx.gadventures.com^ +||nwvupz.cljoias.com.br^ +||nwwucx.palemoba.com^ +||nxhqso.nordicnest.se^ +||nxnszu.ettoday.net^ +||nxovay.fo-online.jp^ +||nxwniq.aboutyou.ie^ +||nycwfz.kigili.com^ +||nyrxcy.teslaweld.com^ +||nytjyf.dholic.co.jp^ +||nyuyiw.linea-storia.co.kr^ +||nyvknh.compracerta.com.br^ +||nzmkzl.mytheresa.com^ +||nzqrfa.hushpuppies.com^ +||nzueib.dice.com^ +||nzuwat.miliboo.it^ +||nzzvvf.goldengoose.com^ +||oabnmx.jewelryexchange.com^ +||oaizwm.zox.la^ +||obfrok.partyking.no^ +||obhnrw.furniturebox.se^ +||obhxvb.tmktools.ru^ +||obnrap.neimanmarcus.com^ +||obooom.robinmaybag.com^ +||obqclg.dadway-onlineshop.com^ +||obqvss.debameubelen.be^ +||obrqts.hudforeclosed.com^ +||obtfhl.bellemaison.jp^ +||ocmxbu.hanatour.com^ +||ocpgll.bannerbuzz.ca^ +||ocwlhv.ecid.com.br^ +||odepcf.modetour.com^ +||odjdpy.jobware.de^ +||odkvrg.pedrodelhierro.com^ +||oebarc.ekosport.at^ +||oedbml.collage-shop.jp^ +||oedlmz.underarmour.it^ +||oedxix.lolipop.jp^ +||oesfco.glamira.pl^ +||oesonx.10000recipe.com^ +||oessbi.yves-rocher.ru^ +||oesxlp.atlasformen.co.uk^ +||oexcmv.concent.co.jp^ +||ofkqiy.knowfashionstyle.com^ +||ofqkbk.proclipusa.com^ +||ofvosb.jumbo.com.tr^ +||ofwdvh.suntransfers.com^ +||ogcsvq.sourcenext.com^ +||ognunn.chavesnamao.com.br^ +||ogpdwe.livin24.com^ +||ogwzby.peek-und-cloppenburg.de^ +||ogzucf.all4golf.de^ +||ohjrxj.personalizationmall.com^ +||ohrdit.kfzteile24.de^ +||ohsyat.jdsports.it^ +||ohtdbl.mister-auto.es^ +||oicmda.ugyismegveszel.hu^ +||oikckw.scarosso.com^ +||oiodyx.baldur-garten.de^ +||oitihv.drinks.de^ +||oiwnrl.theory.co.jp^ +||ojlsxt.pigment.co.kr^ +||ojmxro.yatsan.com^ +||ojufuk.vincecamuto.com^ +||ojvxtz.junonline.jp^ +||okhwxl.rnainc.jp^ +||oksiqv.styletread.com.au^ +||oktagv.immobilienscout24.at^ +||olhqou.realsimple.com^ +||olklgn.jh-profishop.de^ +||olpmni.acer.com^ +||olqsty.izipizi.com^ +||olroyk.ardene.com^ +||olspyo.laredoute.co.uk^ +||olwqxg.europcar.it^ +||olziko.maxmara.com^ +||omcshw.pharmasi.it^ +||omfoom.thepoolfactory.com^ +||omftdc.morijuku.com^ +||omjtca.emlakjet.com^ +||omvzcq.vidaxl.be^ +||omxodt.shredoptics.com^ +||oncahh.boxlunch.com^ +||onghfx.revolve.com^ +||onjjbn.koffiemarkt.be^ +||onjmsj.sumai-surfin.com^ +||onoztg.ultimate-guitar.com^ +||ontxgr.hofer-reisen.at^ +||oocrzh.byojet.com^ +||ooqbml.tac-school.co.jp^ +||oossod.potterybarn.ae^ +||opbdps.bonprix.fi^ +||opummf.himiwaybike.com^ +||oqbimz.aviasales.ru^ +||oqgrax.sissy-boy.com^ +||oqidne.itaka.pl^ +||ordbng.extra.com.br^ +||ordpmx.victorianplumbing.co.uk^ +||orlqtz.lampenwelt.ch^ +||orpggb.esprit.at^ +||orsmfg.notino.de^ +||ortkrq.damyller.com.br^ +||oscnjc.035000.com^ +||osczsk.lampeetlumiere.be^ +||osezny.intheswim.com^ +||oshlzg.takealot.com^ +||oshowm.allureville.com^ +||osjpyw.dico.com.mx^ +||osnksi.czytam.pl^ +||osuwzo.oyunfor.com^ +||osvdtm.theshopyohjiyamamoto.jp^ +||othisf.tagomago.pl^ +||otisxx.sullyn.com^ +||otkhyc.bueromarkt-ag.de^ +||otrnww.pipingrock.com^ +||oturvy.sanitairwinkel.nl^ +||otuumq.manyavar.com^ +||oufrqs.kunduz.com^ +||oufuqh.kant.ru^ +||oulpli.bettybarclay.com^ +||ounwut.thehappyplanner.com^ +||out.velpa.pl^ +||ouvjnb.westernbikeworks.com^ +||ovrsso.gemo.fr^ +||owpysc.lampenundleuchten.at^ +||owqbsl.kuhl.com^ +||owtjzn.so-nice.com.tw^ +||owzmdz.glamira.co.uk^ +||oxbskt.autotrader.com.au^ +||oxdejn.lavprisel.dk^ +||oxtrmw.marinarinaldi.com^ +||oyaswl.manor.ch^ +||oylyaz.mrkoll.se^ +||oyotii.sportokay.com^ +||oyoxyc.josefsteiner.at^ +||oyssqe.easyvoyage.com^ +||oyyqan.hejoscar.dk^ +||ozdoir.meundies.com^ +||ozkkuy.fabianafilippi.com^ +||oznlro.sanity.com.au^ +||ozvlyz.justmusic.de^ +||pabgey.siepomaga.pl^ +||paeppk.spar-mit.com^ +||pakdru.altrarunning.com^ +||papemz.rcwilley.com^ +||paqqlk.motatos.de^ +||pardko.pricerunner.com^ +||paupud.meillandrichardier.com^ +||payqjd.subito.it^ +||pbecrm.aquanet.ru^ +||pbvnwd.moongori.com^ +||pbxdny.angrybeards.cz^ +||pcdstm.petbarn.com.au^ +||pciidk.shopee.vn^ +||pciokm.glamuse.com^ +||pcykgc.onetravel.com^ +||pdftfe.thekooples.com^ +||pdlavr.erwinmueller.com^ +||pdsgaj.piquadro.com^ +||pduwvp.chanti.dk^ +||pdzutf.sftworks.jp^ +||pehkmy.edreams.pt^ +||pemskb.unitedcinemas.jp^ +||pepleb.ekosport.de^ +||peqvwk.notino.at^ +||pesaea.autoesa.cz^ +||pevftg.shopee.sg^ +||peyqvn.falke.com^ +||pfltjr.essentialnutrition.com.br^ +||pfuyhr.schutz.com.br^ +||pgkxhq.jamesallen.com^ +||phbnix.rocelec.com^ +||phcnvk.schalke04.de^ +||phczhg.johnjohndenim.com.br^ +||phgnxd.nike.com.br^ +||phhjak.frame-store.com^ +||phinnk.airtrip.jp^ +||phvylw.beurer-shop.de^ +||pibhjs.dongsuhfurniture.co.kr^ +||piddme.buyma.com^ +||pihxmq.98doci.com^ +||pinptg.milleni.com.tr^ +||pionmj.companyshop24.de^ +||pjbncv.ode.co.kr^ +||pjgaez.autouncle.at^ +||pjmryh.zapatos.es^ +||pjtshn.floraprima.de^ +||pjtxmd.epool.ru^ +||pkdimy.shoptime.com.br^ +||pkhevp.suplinx.com^ +||pkiawn.konvy.com^ +||pkimbc.bestsecret.com^ +||pkmvjx.my-store.ch^ +||pkqfky.direct-abris.com^ +||pktbag.flighthub.com^ +||pktytp.membershop.lv^ +||plbcsd.vidaxl.se^ +||plczro.21dressroom.com^ +||pljuin.lensmode.com^ +||plotzn.apmex.com^ +||plwfwc.teknozone.it^ +||plyizb.latour-lith.nl^ +||pmazpg.legalzoom.com^ +||pnaagn.haekplanter-heijnen.dk^ +||pnhesw.jtb.co.jp^ +||pnnpan.cv-library.co.uk^ +||pnovfl.karaca.com^ +||pntbrs.reflectwindow.com^ +||pnvnpy.scullyandscully.com^ +||polhvf.bootbarn.com^ +||porqhi.topictravel.nl^ +||ppgdyq.ideenmitherz.de^ +||ppgqvz.bigmotoringworld.co.uk^ +||pplpiq.pricerunner.se^ +||ppmakl.oscarcalcados.com.br^ +||ppssav.formal-message.com^ +||ppyflc.uniformnext.com^ +||pqcixi.sparco-official.com^ +||pqdhda.bluepops.co.kr^ +||pqghqs.eastcl.com^ +||pqiicj.misterspex.se^ +||pqlcpm.kindoh.co.kr^ +||pqlmae.lamaisonduchocolat.co.jp^ +||pqrede.fiatprofessional.com^ +||prhhqo.vintagevoyage.ru^ +||prkvlr.camper.com^ +||prnzxf.glamira.se^ +||prvizg.shurgard.be^ +||przucu.elkjop.no^ +||psbiaf.converse.com^ +||psfcnf.ochsnersport.ch^ +||pspqlm.rndsystems.com^ +||psqsjg.coach.com^ +||pswgpb.seshop.com^ +||ptlpel.tui.at^ +||ptmcos.beginning.kr^ +||ptrenx.vidaxl.com.au^ +||puiwrs.misterspex.de^ +||pumlmb.netcologne.de^ +||putphc.zuhre.com.tr^ +||pvfbav.sportler.com^ +||pvoheg.bubbleroom.se^ +||pvrugd.nieruchomosci-online.pl^ +||pwtftm.shingaku.mynavi.jp^ +||pxayti.hair-express.de^ +||pxbnou.ig.com.br^ +||pxgpnp.angara.com^ +||pxjkbj.bostonproper.com^ +||pxmzlk.redfin.com^ +||pxvlcc.crocs.fr^ +||pxxhbz.apamanshop.com^ +||pydnsv.ejobs.ro^ +||pyouad.autonvaraosat24.fi^ +||pyqfjx.medwing.com^ +||pyrkxp.novafotograf.com^ +||pytxsn.najlacnejsisport.sk^ +||pywiia.lfmall.co.kr^ +||pyxjkx.springjapan.com^ +||pzajdh.guicheweb.com.br^ +||pzxhyp.aeropostale.com^ +||qaghzg.planteon.pl^ +||qahxwy.goosecreekcandle.com^ +||qamnyl.bever.nl^ +||qasqhi.notino.pt^ +||qbermy.daxon.fr^ +||qblkeu.vamvelosiped.ru^ +||qbwkux.home24.at^ +||qcblzn.pinkpanda.it^ +||qceyjl.cellularoutfitter.com^ +||qcgtoz.cwjobs.co.uk^ +||qcmxuy.hardloop.de^ +||qcppad.merrell.com^ +||qdicel.marymaxim.com^ +||qdkaky.rikilovesriki.com^ +||qdnxys.cotswoldco.com^ +||qdqdfp.toitsutest-koukou.com^ +||qdvavs.trademax.se^ +||qedlai.restplatzboerse.com^ +||qejrwy.lazienkaplus.pl^ +||qerpks.rollei.de^ +||qexbcx.olx.kz^ +||qezfer.motelamiio.com^ +||qfbles.elefant.ro^ +||qfcxpa.dreamcloudsleep.com^ +||qfkmyf.clarins.com^ +||qflwqw.opodo.fr^ +||qfoiss.lendingtree.com^ +||qftpgz.socarrao.com.br^ +||qfvwfi.convenii.com^ +||qfwfbo.decofurnsa.co.za^ +||qgbnjd.coches.net^ +||qgcfcd.cairo.de^ +||qgmikp.fleurdumal.com^ +||qgumjp.asiae.co.kr^ +||qgumjp.joins.com^ +||qgumjp.mediatoday.co.kr^ +||qgutin.crocs.co.kr^ +||qifbmk.rodinnebaleni.cz^ +||qimcqs.hometogo.dk^ +||qitdsl.ralf.ru^ +||qivsvu.creedboutique.com^ +||qixipi.kathykuohome.com^ +||qjapso.r.pl^ +||qjcpcy.imkosmetik.com^ +||qjjgra.vendome.jp^ +||qjmsmj.invia.cz^ +||qjurou.laredoute.com^ +||qjxhxu.lakeside.com^ +||qjxiyt.respect-shoes.ru^ +||qjxkce.patriziapepe.com^ +||qkhhjm.autoscout24.nl^ +||qksbin.nocturne.com.tr^ +||qksxet.zeetours.nl^ +||qktnee.fribikeshop.dk^ +||qkxzdm.stellenanzeigen.de^ +||qldmga.criteo.work^ +||qldvnj.purepara.com^ +||qljiop.allabout.co.jp^ +||qllxvh.shopstyle.com^ +||qlmfpj.laura.ca^ +||qloevv.wikicasa.it^ +||qlqvej.bahia-principe.com^ +||qlsngs.paruvendu.fr^ +||qlspmy.xlmoto.be^ +||qlsszi.lululemon.co.nz^ +||qmcwpi.naturitas.es^ +||qmdbfv.grautecnico.com.br^ +||qmgwny.autobarn.com.au^ +||qmgzkb.dedoles.sk^ +||qmiiln.tower.jp^ +||qmlzcm.petshop.ru^ +||qmoyfh.xcite.com.sa^ +||qmtjvq.kuoni.ch^ +||qnbskk.oqvestir.com.br^ +||qnqdpy.edreams.net^ +||qnuzwe.nomanwalksalone.com^ +||qnwkbv.bestsecret.nl^ +||qnzczf.idc-otsuka.jp^ +||qoairs.scholl-shoes.com^ +||qohlsl.drawer.fr^ +||qonwdq.helmexpress.com^ +||qouxkn.natuurhuisje.nl^ +||qoygsv.born2be.pl^ +||qpielh.kfhi.or.kr^ +||qpuseo.notos.gr^ +||qqdflf.lpga.or.jp^ +||qqinrm.jagodo.vn^ +||qqmzen.elfadistrelec.no^ +||qqwxxf.levi.co.kr^ +||qriqiz.lifeisgood.com^ +||qrmccr.vernal.co.jp^ +||qrpwgt.drezzy.it^ +||qrrhvh.propertyfinder.ae^ +||qrtqsy.freshlycosmetics.com^ +||qrvsnt.citygrounds.com^ +||qsahny.smartbuyglasses.dk^ +||qswdme.modnakiecka.pl^ +||qtbaye.mona.ch^ +||qtdkfh.beautywelt.de^ +||qtdkxs.travellink.dk^ +||qtfnvf.ethika.com^ +||qttfwb.shaneco.com^ +||qtxxdm.levi.jp^ +||qtycwy.modivo.cz^ +||qumaef.conects.com^ +||qutsgp.calif.cc^ +||quyerj.northstyle.com^ +||qvbxza.stoneberry.com^ +||qvenxs.cash-piscines.com^ +||qveyyi.clarivate.com^ +||qvlcdw.ho-br.com^ +||qvmucs.abluestore.com^ +||qvnpxc.technopark.ru^ +||qvqtga.barenecessities.com^ +||qvsfrk.stephane-christian.com^ +||qvwick.mister-auto.de^ +||qvznqz.mekster.se^ +||qvzrde.mensagenscomamor.com^ +||qwfuug.phoneclick.it^ +||qwylpm.teljoy.co.za^ +||qxauwo.sportisimo.ro^ +||qxibrn.enviedefraise.fr^ +||qxkous.sweet-mommy.com^ +||qxsfaj.caloo.jp^ +||qxvqhy.miliboo.es^ +||qyatej.bocage.fr^ +||qygxrh.vandykes.com^ +||qymjpg.star-tex.ru^ +||qyogcr.amscope.com^ +||qypvnb.24mx.it^ +||qysknb.fukuishimbun.co.jp^ +||qysnzg.bien-zenker.de^ +||qyuzwd.maskworld.com^ +||qyvnic.footshop.cz^ +||qzcxtm.mango.com^ +||qzfxcf.coastal.com^ +||qzosds.gabalnara.com^ +||qzpkxf.edenboutique.ro^ +||qzqfud.casamineira.com.br^ +||qzwbod.blackdiamondequipment.com^ +||qzwktr.nazology.net^ +||qzwktr.nijimen.net^ +||qzwktr.world-fusigi.net^ +||qzxfnv.beams.co.jp^ +||raqwjl.dienthoaigiakho.vn^ +||raspnd.quadratec.com^ +||rbbgnn.hanshintigers.jp^ +||rbesql.just4camper.fr^ +||rbjmfj.dickies.ca^ +||rbncmx.chopperexchange.com^ +||rbrzcu.green-acres.gr^ +||rcbsrm.fivefoxes.co.jp^ +||rccnyh.airportrentalcars.com^ +||rcevcm.lyst.co.uk^ +||rcgwej.lights.co.uk^ +||rcqiho.emp.de^ +||rcqtck.dsquared2.com^ +||rcudsw.ths-net.jp^ +||rczwcs.brack.ch^ +||rddiqs.partyhallen.se^ +||rdfine.camelbrown.com^ +||rdlrbm.studying.jp^ +||rdvxxx.crushj.com^ +||reaonq.xn--hdks770u8f0a8dvzft.net^ +||reeokx.reima.com^ +||reeyzk.momq.co.kr^ +||refwkk.cas.sk^ +||refwkk.mojewypieki.com^ +||refwkk.omnicalculator.com^ +||refwkk.topky.sk^ +||refwkk.zoznam.sk^ +||refytq.camp-fire.jp^ +||relay.velpa.pl^ +||reltrd.peteralexander.com.au^ +||remnkv.doda.jp^ +||reqssx.centerparcs.fr^ +||rertrc.abc-mart.net^ +||retarget.gites-de-france.com^ +||reydrj.kozaczek.pl^ +||reydrj.papilot.pl^ +||reyzol.jdsports.dk^ +||rffsds.fsastore.com^ +||rfjrih.skinceuticals.com^ +||rfmfrg.yamap.com^ +||rgiixp.sperry.com^ +||rgjeqr.europcar.fr^ +||rgmseo.thejewellershop.com^ +||rgzrys.hangikredi.com^ +||rhdcmp.maxcolchon.com^ +||rhksxx.nencinisport.it^ +||rhlctb.jjkeller.com^ +||rhoxnc.studentuniverse.com^ +||rhybey.gap.co.jp^ +||riluwt.voxcinemas.com^ +||rimxqx.slickdeals.net^ +||riovdv.mustit.co.kr^ +||riundo.bonprix.no^ +||riwkmo.spacemarket.com^ +||riwnmh.novasol.co.uk^ +||rjgsjm.gigameubel.nl^ +||rjjynf.showcase-tv.com^ +||rjsouj.clubd.co.jp^ +||rkazse.infirmiere.co.jp^ +||rkstmr.cyrillus.ch^ +||rkxmow.novasol-vacaciones.es^ +||rlovoa.duckcamp.com^ +||rmdvca.belvilla.de^ +||rmmskb.fnacspectacles.com^ +||rmxhti.zpacks.com^ +||rnffgv.wemakeprice.com^ +||rnnstu.rentbeforeowning.com^ +||rnybul.gismeteo.lv^ +||rnybul.gismeteo.md^ +||rnyhid.pepperfry.com^ +||roedwy.imidapeptide.com^ +||roinjg.mkluzkoviny.cz^ +||rowsrm.atasunoptik.com.tr^ +||royzgi.giftishow.com^ +||rpfkgf.rp-online.de^ +||rpfkgf.saarbruecker-zeitung.de^ +||rpfkgf.volksfreund.de^ +||rpfqvl.donnerwetter.de^ +||rpiher.web-camp.io^ +||rpnvib.estilos.com.pe^ +||rpozzl.happy-size.de^ +||rqbdyk.evo.com^ +||rqbvgm.aleupominek.pl^ +||rqhtgf.pierrecardin.com.tr^ +||rqjjdi.bershka.com^ +||rqkmir.ferragamo.com^ +||rqkmnr.ifemme.co.kr^ +||rqyxdk.myanimelist.net^ +||rrbaib.tsutsumishop.jp^ +||rrgiuy.jackroad.co.jp^ +||rrincc.auto-doc.it^ +||rrjzyj.lepage.fr^ +||rrxldl.bol.de^ +||rrznha.lanvin-en-bleu.com^ +||rsaard.en-tea.com^ +||rsinqg.homelux.hu^ +||rsotku.mitsui-shopping-park.com^ +||rsuevw.unicef.or.jp^ +||rtegbv.jmclaughlin.com^ +||rtmugo.deindeal.ch^ +||rtneys.luuna.mx^ +||rtpmqv.smakon.jp^ +||rttkpr.bidolubaski.com^ +||rtxlni.doclasse.com^ +||rugttt.robinson.com^ +||ruhpbn.zhigaojixie.com^ +||ruvdkw.turk.net^ +||rvbqze.albamoda.de^ +||rverxn.autosphere.fr^ +||rvhzjg.desivero.com^ +||rvitam.xenos.nl^ +||rvtwqp.winparts.se^ +||rwdito.carsguide.com.au^ +||rwevib.harmontblaine.com^ +||rwfkzw.wuerth.it^ +||rwhneg.breaking-news.jp^ +||rwlnfq.alindashop.ro^ +||rwohdj.motocard.com^ +||rwpuqm.underarmour.es^ +||rwrnkb.lifelongcollectibles.com^ +||rwryla.theblockshop.com.au^ +||rxhsry.sortiraparis.com^ +||rxqqaq.hollandandbarrett.com^ +||rxtolo.domiporta.pl^ +||ryjknw.sonnenbrillen.com^ +||rymhet.posudamart.ru^ +||ryvapi.fragrancenet.com^ +||rzafbl.maxpeedingrods.com^ +||rzarxl.ovs.it^ +||rzdcyv.oreca-store.com^ +||rzgwpw.madeincookware.com^ +||rzoevr.qvc.de^ +||rzpjyz.pasona.co.jp^ +||saclel.zotapay.com^ +||sagxlv.daniellashevel.com^ +||sbdhdq.zeeman.com^ +||sbfrnq.naturalforme.fr^ +||sbmwgj.vidaxl.hu^ +||sbpzeq.lululemon.com.au^ +||sbttlj.togetter.com^ +||sbxxyx.notino.cz^ +||sbyneh.dailymail.co.uk^ +||scjlpq.navitime.co.jp^ +||scuhuh.cucannetshop.jp^ +||scuvcc.sportmax.com^ +||scuzgq.greencell.global^ +||scvgzt.onequince.com^ +||sdjthl.tvguide.dk^ +||sdlmaf.bestsecret.at^ +||sdpimt.lostgolfballs.com^ +||sebotr.rizeclinic.com^ +||sejdfu.coeur.de^ +||senlvg.secretsdujeu.com^ +||sepvbm.fromyouflowers.com^ +||seyfwl.bryk.pl^ +||seyfwl.deccoria.pl^ +||seyfwl.interia.pl^ +||seyfwl.maxmodels.pl^ +||seyfwl.okazjum.pl^ +||seyfwl.pomponik.pl^ +||seyfwl.smaker.pl^ +||seyfwl.styl.pl^ +||sezixz.officesupply.com^ +||sfajfu.boulanger.com^ +||sfbpok.theluxurycloset.com^ +||sffsgi.miele.com.tr^ +||sffyrc.ruparupa.com^ +||sfgysl.m-i.kr^ +||sfgysl.ppomppu.co.kr^ +||sfhgqy.i-sozoku.com^ +||sflvqq.pleinoutlet.com^ +||sfngya.centrecom.com.au^ +||sggsbd.fonteyn.nl^ +||sgwhvw.alura.com.br^ +||shjwhv.falsepeti.com^ +||shtptt.cupshe.com^ +||siazlw.cetroloja.com.br^ +||siewmi.uncommongoods.com^ +||sihoqd.sheridan.com.au^ +||sinkou.tireshop.com.br^ +||sipulo.katies.com.au^ +||sisdtb.climatempo.com.br^ +||siusmv.coraltravel.pl^ +||sizcsi.eobuv.cz^ +||sizybn.shipsltd.co.jp^ +||sjanff.v-moda.com^ +||sjmbua.matsui.co.jp^ +||sjprdu.oakhouse.jp^ +||sjryno.fullyloadedchew.com^ +||sjyzsm.danjohn.com^ +||skbnfa.filorga.com^ +||skmcwz.haselmode.co.kr^ +||skxbbj.clasic.jp^ +||slbunz.casamundo.fr^ +||slewvr.gp.se^ +||slryca.meyou.jp^ +||smbzbm.skymilescruises.com^ +||smqzbr.proozy.com^ +||smsulx.kijijiautos.ca^ +||smtccv.loveholidays.com^ +||smtpmail.velpa.pl^ +||smwvlc.intermixonline.com^ +||smxmlr.shimojima.jp^ +||snbwyi.heine.at^ +||snprxx.wwfmarket.com^ +||snvbhd.weltbild.at^ +||soejzg.efe.com.pe^ +||soelui.butosklep.pl^ +||sohiuc.sheego.de^ +||sorrhs.nescafe.com.tr^ +||sorxyx.vi.nl^ +||soubej.larebajavirtual.com^ +||soxnwz.lg.com^ +||spenvp.gate.shop^ +||spigte.shopee.tw^ +||spjysa.only.com^ +||spmaeu.gumtree.com.au^ +||spmyma.moscowfresh.ru^ +||sqdgwx.jobrapido.com^ +||sqdljj.kijiji.ca^ +||sqmazf.workamajig.com^ +||sqripu.selsey.pl^ +||sqtivj.vidaxl.hr^ +||srmdvb.ekohealth.com^ +||sroork.mrmarvis.nl^ +||srratl.mona-mode.at^ +||ssgamf.stories.com^ +||sshhfy.ray-ban.com^ +||ssigpc.servusmarktplatz.com^ +||ssjqkt.ekosport.it^ +||sspkbf.ragtag.jp^ +||ssuork.sixt.at^ +||ssushe.kennethcole.com^ +||stahhx.inversapub.com^ +||stehly.justfashionnow.com^ +||stfynw.esprit.be^ +||stktkt.profizelt24.de^ +||stliom.vidaxl.cz^ +||sufesj.shop4runners.com^ +||sufetv.chefuniforms.com^ +||supvka.colancolan.com^ +||suriwl.petsmart.com^ +||suxqvc.pinksisly.com^ +||suydnc.wwf.it^ +||svoywu.autoscout24.de^ +||svpury.sizeofficial.de^ +||svpxbr.drsquatch.com^ +||swdced.open32.nl^ +||swqleb.adidas.ru^ +||swwcyk.ahaber.com.tr^ +||swwcyk.atv.com.tr^ +||swwcyk.takvim.com.tr^ +||sxeimx.mydays.de^ +||sxjfhh.app.com^ +||sxjfhh.azcentral.com^ +||sxjfhh.battlecreekenquirer.com^ +||sxjfhh.caller.com^ +||sxjfhh.citizen-times.com^ +||sxjfhh.clarionledger.com^ +||sxjfhh.courier-journal.com^ +||sxjfhh.courierpostonline.com^ +||sxjfhh.delawareonline.com^ +||sxjfhh.delmarvanow.com^ +||sxjfhh.democratandchronicle.com^ +||sxjfhh.desertsun.com^ +||sxjfhh.desmoinesregister.com^ +||sxjfhh.detroitnews.com^ +||sxjfhh.floridatoday.com^ +||sxjfhh.freep.com^ +||sxjfhh.greenbaypressgazette.com^ +||sxjfhh.guampdn.com^ +||sxjfhh.hattiesburgamerican.com^ +||sxjfhh.hometownlife.com^ +||sxjfhh.indystar.com^ +||sxjfhh.jconline.com^ +||sxjfhh.jsonline.com^ +||sxjfhh.kitsapsun.com^ +||sxjfhh.knoxnews.com^ +||sxjfhh.lcsun-news.com^ +||sxjfhh.livingstondaily.com^ +||sxjfhh.lohud.com^ +||sxjfhh.montgomeryadvertiser.com^ +||sxjfhh.naplesnews.com^ +||sxjfhh.newarkadvocate.com^ +||sxjfhh.news-press.com^ +||sxjfhh.newsleader.com^ +||sxjfhh.northjersey.com^ +||sxjfhh.oklahoman.com^ +||sxjfhh.packersnews.com^ +||sxjfhh.pnj.com^ +||sxjfhh.poughkeepsiejournal.com^ +||sxjfhh.press-citizen.com^ +||sxjfhh.pressconnects.com^ +||sxjfhh.redding.com^ +||sxjfhh.rgj.com^ +||sxjfhh.sctimes.com^ +||sxjfhh.sheboyganpress.com^ +||sxjfhh.statesmanjournal.com^ +||sxjfhh.tallahassee.com^ +||sxjfhh.tcpalm.com^ +||sxjfhh.tennessean.com^ +||sxjfhh.theleafchronicle.com^ +||sxjfhh.thenewsstar.com^ +||sxjfhh.thespectrum.com^ +||sxjfhh.thetimesherald.com^ +||sxjfhh.thetowntalk.com^ +||sxjfhh.timesrecordnews.com^ +||sxjfhh.usatoday.com^ +||sxjfhh.vcstar.com^ +||sxmxpm.nectarsleep.com^ +||syfwnf.society6.com^ +||syqhvv.vivense.com^ +||sytuzk.nissanvimontlaval.com^ +||syvvsv.artex.com.br^ +||syycwa.barcelo.com^ +||szakms.bygghemma.se^ +||szgcnd.capfun.es^ +||szkbyo.zkai.co.jp^ +||sztpmc.branshes.com^ +||taduhy.timberland.co.uk^ +||taemhn.zamst-online.jp^ +||tagmwu.thalia.at^ +||takigx.tourneau.com^ +||takqyi.laurenhi.jp^ +||tatehj.nylaarp.com^ +||taznfx.renters.pl^ +||tbaqje.zadig-et-voltaire.com^ +||tbdhap.gamesonly.at^ +||tbihvt.pickawood.com^ +||tbjasp.cyrillus.de^ +||tbknig.ecc.jp^ +||tbmgyz.centerparcs.de^ +||tbvjrd.gocase.com.br^ +||tcbtus.opodo.com^ +||tccjxk.123.ru^ +||tchaxv.large.nl^ +||tczulp.econea.cz^ +||tdaqzz.graviditetskollen.nu^ +||tdbnom.madeleine.de^ +||tdbsoc.thegivingmovement.com^ +||tdjvod.chevignon.com.co^ +||teczbq.amicashop.com^ +||teijgy.herveleger.com^ +||telulr.golfgalaxy.com^ +||teraes.hgreg.com^ +||tevjso.konesso.pl^ +||tevzas.autoscout24.fr^ +||tewisg.monster.fi^ +||teyvmb.moniquelhuillier.com^ +||tfdtpa.dot-st.com^ +||tfoyfx.dukefotografia.com^ +||tfpeev.chanluu.com^ +||tfunqc.domonet.jp^ +||tfuodg.memolife.de^ +||tgbfha.lily-brw.com^ +||tgirgs.flinders.nl^ +||tgmklw.productreview.com.au^ +||tgsdiw.dedoles.de^ +||tgtgzo.otelz.com^ +||thaqyl.mediamarkt.nl^ +||thhesw.tre.it^ +||thsnvv.hollywoodschaukel-paradies.de^ +||ticvui.alexandani.com^ +||tiglck.technopolis.bg^ +||tioztp.unisportstore.nl^ +||tivixv.nutribullet.com^ +||tjbhng.hemington.com.tr^ +||tjitde.dodo.it^ +||tjnffp.tilebar.com^ +||tjwpfr.unitrailer.de^ +||tjyrup.templeandwebster.com.au^ +||tjzvuo.youcom.com.br^ +||tkgaws.seokplant.com^ +||tkjcqb.forrent.com^ +||tkmeyf.houseoflotus.jp^ +||tkvied.levi.com.my^ +||tkvxdj.cars.com^ +||tkykzv.polisorb.com^ +||tkzvse.whois.co.kr^ +||tlsalw.platypusshoes.co.nz^ +||tltkpu.jagran.com^ +||tltpyy.saatchiart.com^ +||tmbsxx.oxybul.com^ +||tmhgma.juwelo.de^ +||tmrhpl.nurse-agent.com^ +||tmwkya.jh-profishop.at^ +||tmxjdr.benaza.ro^ +||tncpzu.marelbo.com^ +||tnegqr.bohme.com^ +||tnhcsf.holzkern.com^ +||tniujy.natura.com.br^ +||tnxxtx.crepeerase.com^ +||toeopa.doutornature.com^ +||tpfrro.justlease.nl^ +||tpmexb.vans.co.nz^ +||tpubrk.eobuv.com^ +||tqbdio.medicare.pt^ +||tqiwqa.jdsports.ie^ +||tqkspo.neobyte.es^ +||tqtedm.kosmetik.at^ +||tqvacq.intrend.it^ +||tqxpnv.bauhaus.info^ +||trccvt.dhc.co.jp^ +||trkpzz.dcinside.com^ +||trpzjj.hrkgame.com^ +||trvonu.k-manga.jp^ +||tsbkht.puritan.com^ +||tsbmkf.zonnebrillen.com^ +||tsedvc.aboutyou.ch^ +||tshuxi.bbqguys.com^ +||tsliat.medme.pl^ +||tswafl.lascana.nl^ +||ttfpil.2dehands.be^ +||ttnnuo.racing-planet.de^ +||tuagol.gartenmoebel.de^ +||tufcum.margaretha.se^ +||tugngs.tui.com^ +||tuvevx.agent-sana.com^ +||tvcoag.brw.pl^ +||tvkfms.nta.co.jp^ +||tvuaeb.taqi.com.br^ +||twdhec.marioeletro.com^ +||twjobq.sixt.com^ +||twjobq.sixt.de^ +||twjobq.sixt.es^ +||twjobq.sixt.fr^ +||twjobq.sixt.nl^ +||twkbui.mansion-review.jp^ +||twoeej.carrefour.fr^ +||twsdne.petenkoiratarvike.com^ +||txaxkc.dsc-nightstore.com^ +||txfroe.decodoma.cz^ +||txfryh.terra.com.br^ +||txmmdl.lampy.pl^ +||txpbnm.sevellia.com^ +||txscpj.emp.ie^ +||txvoin.with2.net^ +||txyqik.jjshouse.fr^ +||tybfxw.puma.com^ +||tytpdz.climamarket.it^ +||tyvuwf.lameteoagricole.net^ +||tzovkp.aboutyou.at^ +||uaaooa.stansberryresearch.com^ +||ualkzq.moobel1.ee^ +||uaqcui.tennis-point.fr^ +||uarrdg.landsofamerica.com^ +||uasmdd.icaniwill.no^ +||uawefo.guylook.co.kr^ +||uazmti.a101.com.tr^ +||ubdjfy.maje.com^ +||ubdsej.notino.pl^ +||ubmdob.connection.com^ +||ubmups.houseofindya.com^ +||ubmwua.maisonsetappartements.fr^ +||ubpekn.sivillage.com^ +||ubqjbd.daviddonahue.com^ +||ubrihx.allbirds.jp^ +||ubvsjh.pointtown.com^ +||ubyjor.distrelec.ch^ +||ubykct.teufel.ch^ +||ucdvze.gudrunsjoden.com^ +||uclgnz.lunabazaar.com^ +||ucmahi.lectiva.com^ +||ucppeo.silux.hr^ +||udgrbq.malwarebytes.com^ +||udicje.perrys.co.uk^ +||udmmdl.dudalina.com.br^ +||udonjl.coopdeli.jp^ +||udrnks.vedder-vedder.com^ +||udrvvx.kabum.com.br^ +||udsgty.alkosto.com^ +||udxsuy.helline.fr^ +||udzucw.haggar.com^ +||uectfe.toptantr.com^ +||uedvam.tatilsepeti.com^ +||ueuqui.esprit.nl^ +||ufeonk.viravira.co^ +||uflfhl.mercci22.com^ +||ufnbgh.meierq.com^ +||ufqzrk.espritshop.ch^ +||ufsmcn.blackspade.com.tr^ +||ufwsfi.magasins-u.com^ +||ugdcxl.timeout.com.hk^ +||ugdcxl.timeout.com^ +||ugdcxl.timeout.es^ +||ugdcxl.timeout.jp^ +||ugdcxl.timeout.pt^ +||ughska.kids-world.dk^ +||ugkray.theloom.in^ +||uglwov.logic-immo.com^ +||ugzbsu.klimaworld.com^ +||uhenqb.manning.com^ +||uhlagm.rakurakuseisan.jp^ +||uhlkij.bonprix.it^ +||uhmpda.sunlocation.com^ +||uhrsek.shoemarker.co.kr^ +||uicjnk.gumtree.co.za^ +||uidpcx.planet.fr^ +||uifesg.modulor.de^ +||uigwgn.france-abonnements.fr^ +||uijciz.gunze.jp^ +||uilwmi.coop.nl^ +||uinpmz.iichi.com^ +||uiusqp.crowdcow.com^ +||uiwock.epantofi.ro^ +||ujbhri.pharmamarket.nl^ +||ujlwwo.lehner-versand.ch^ +||ujvqrs.meandem.com^ +||ujwfrf.uniformix.pl^ +||ujzqud.bestsecret.se^ +||ukaytg.cortefiel.com^ +||ukgfxw.satofull.jp^ +||ukjphn.vitaminler.com^ +||ukmnlp.techbang.com^ +||ukpgsb.agrieuro.es^ +||ukzjce.idus.com^ +||uldtqa.weekendmaxmara.com^ +||ulhyys.naehwelt.de^ +||ulidoo.montblanc.com^ +||ulinyo.bandito.com.tr^ +||ultund.misterspex.nl^ +||ulutlv.esprit.fr^ +||umazvs.raybiotech.com^ +||umdlbn.globetrotter.de^ +||umdpva.gakumado.mynavi.jp^ +||umhyck.belvilla.com^ +||umiaob.kireibiz.jp^ +||umtzwr.adidas.co.kr^ +||umwuxk.hotel.cz^ +||umxwew.hellobello.com^ +||uncmbg.timberland.de^ +||undurs.1md.org^ +||unyzea.aboutyou.sk^ +||uoblij.farmaline.be^ +||uofcdl.lagos.com^ +||uogqym.christopherandbanks.com^ +||uojpjo.miin-cosmetics.com^ +||uolwbz.heine.de^ +||uoqxdh.tendapro.it^ +||upeayz.eksisozluk.com^ +||upfmqr.carmensteffens.com.br^ +||uppbrl.thomassabo.com^ +||upqmpu.leasingtime.de^ +||upwkcv.vidaxl.ro^ +||upwwgd.zentempel.com^ +||uqckxr.chilli.se^ +||uqhpej.wiberrentacar.com^ +||urehgr.halekulani.com^ +||ureoaw.netthandelen.no^ +||uriokr.bauhaus.es^ +||urmgui.nationsphotolab.com^ +||uroqgj.wind.it^ +||urxbvw.tui.nl^ +||usdbbx.mmartan.com.br^ +||usgzei.vidaxl.ch^ +||usnvuj.skillfactory.ru^ +||usrkrz.zdravcity.ru^ +||usyyzz.winparts.nl^ +||usztct.gang.com.br^ +||utapbu.cykelkraft.se^ +||utgckq.reductionrevolution.com.au^ +||utjzyz.phillips.com^ +||utklhk.kojima.net^ +||utxokv.emp.co.uk^ +||uudbvq.skuola.net^ +||uuhejd.snipes.es^ +||uunczm.lescon.com.tr^ +||uurykr.pizzahut.com.mx^ +||uurzdr.global-style.jp^ +||uuzxaz.vidaxl.com^ +||uvccpk.1800petmeds.com^ +||uvgxhu.ezgif.com^ +||uvgxhu.sharemods.com^ +||uvpnpz.misterspex.ch^ +||uvqvvh.avva.com.tr^ +||uvzrtq.livingspaces.com^ +||uwdzbo.tgw.com^ +||uwxdru.hellovillam.com^ +||uxdse.sugarshape.de^ +||uxkurx.sportsmansguide.com^ +||uxqzcu.raunt.com^ +||uxtqtg.quattroruote.it^ +||uyivht.robertgraham.us^ +||uylodc.ecosa.com.au^ +||uyupgd.goalzero.com^ +||uzevnf.realtystore.com^ +||uzhobt.wholesalemarine.com^ +||uzipbs.weltbild.ch^ +||uzpkre.connor.com.au^ +||vahlnd.bogsfootwear.com^ +||vapxga.sieh-an.de^ +||vazulp.graniph.com^ +||vbkryy.pasonacareer.jp^ +||vbseje.stonehengehealth.com^ +||vbsjdd.olx.pt^ +||vbtdzb.fyndiq.se^ +||vdkjfd.hottopic.com^ +||vdmvyu.falk.de^ +||vdrebz.kathmandu.com.au^ +||vdrfga.deagoshop.ru^ +||vdrigb.8190.jp^ +||vdrxia.farmacosmo.it^ +||vdslnp.highkey.com^ +||vdvdjf.remotepc.com^ +||vdzrjr.kenminkyosai.or.jp^ +||vedznh.cumhuriyet.com.tr^ +||veosfi.woonexpress.nl^ +||veqvek.bnnbloomberg.ca^ +||veqvek.ctv.ca^ +||veqvek.ctvnews.ca^ +||veqvek.much.com^ +||veqvek.thebeaverton.com^ +||veqvek.tsn.ca^ +||vewbab.entertainmentearth.com^ +||vezsyr.bxblue.com.br^ +||vfmahn.slevomat.cz^ +||vfvcxv.naturhaeuschen.de^ +||vgavzy.spierandmackay.com^ +||vgazda.krefel.be^ +||vgbify.underarmour.de^ +||vgellr.esprit.de^ +||vglosh.courierpress.com^ +||vgrbvi.atncorp.com^ +||vhmewg.edreams.fr^ +||vhmjci.edreams.co.uk^ +||vhpabx.herffjones.com^ +||vhrbxb.vidaxl.nl^ +||vibsqr.theuiq.com^ +||vipwao.nutrimuscle.com^ +||vipyou.bulkpowders.es^ +||vjjgpt.diamond.jp^ +||vkbvny.ddanzi.com^ +||vkbvny.fow.kr^ +||vkctxy.yves-rocher.fi^ +||vkkasm.officechairsusa.com^ +||vkrdts.finestore.ro^ +||vkscdg.solocruceros.com^ +||vkxyjj.g2a.com^ +||vllsuv.skatedeluxe.com^ +||vmgihu.gelatopique.com^ +||vmjdpk.repairclinic.com^ +||vmsspl.tenamall.co.kr^ +||vmsxzx.buienradar.nl^ +||vmwody.seibu-k.co.jp^ +||vnlvxi.vivastreet.co.uk^ +||vnmopn.brax.com^ +||vnqcyq.noon.co.kr^ +||vnzwxk.e-bebek.com^ +||vocfhq.ilgiardinodeilibri.it^ +||vonvdn.garden.ne.jp^ +||voqysr.afr-web.co.jp^ +||voroud.wine.com.br^ +||vouzpu.tokyolife.co.jp^ +||voxtjm.about-you.ee^ +||vpemsb.autocasion.com^ +||vphsiv.gsshop.com^ +||vpivyf.meshki.com.au^ +||vpmdiq.propertyfinder.qa^ +||vpuuzj.schnullireich.de^ +||vqbidy.benetton.com^ +||vqjacf.mauriziocollectionstore.com^ +||vqpque.eloan.co.jp^ +||vqvuid.kobetsu.co.jp^ +||vqxlbd.billyreid.com^ +||vrhesh.avocadogreenmattress.com^ +||vrvjwr.mobelaris.com^ +||vrzmfy.fool.com^ +||vsfius.aranzulla.it^ +||vsqyaz.sweetwater.com^ +||vtffnz.blindsdirect.co.uk^ +||vtodss.livenation.com^ +||vttics.world.co.jp^ +||vuypew.ikks.com^ +||vvaaol.enuygun.com^ +||vvikao.brighton.com^ +||vvktyh.yotsuyagakuin.com^ +||vvnhhb.mebeles1.lv^ +||vvqizy.witt-weiden.de^ +||vwakpz.vidri.com.sv^ +||vwiind.beautyforever.com^ +||vwotiw.agazeta.com.br^ +||vwrgru.happymail.co.jp^ +||vxcjoz.nextadvisor.com^ +||vxlpha.weddingpark.net^ +||vxohkh.laboutiqueofficielle.com^ +||vxvibc.asahi-kasei.co.jp^ +||vyeysj.foto-mundus.de^ +||vyjwxc.elemis.com^ +||vyplzy.job-medley.com^ +||vyuodh.your-look-for-less.nl^ +||vyyikx.sixt.ch^ +||vyykdr.renogy.com^ +||vzcfqp.unibet.fr^ +||vzeyba.shopee.co.id^ +||vzhjnw.officedepot.com^ +||vzynem.lamporochljus.se^ +||waatch.gva.be^ +||waatch.hbvl.be^ +||waatch.nieuwsblad.be^ +||waatch.standaard.be^ +||waawuu.highfashionhome.com^ +||wabsgz.studocu.com^ +||wafoub.graindemalice.fr^ +||wamahe.wokularach.pl^ +||warrjy.feiler.jp^ +||wavrlh.cedok.cz^ +||wavzlt.michaelstars.com^ +||wbcygu.wardow.com^ +||wbiphu.johnbeerens.com^ +||wbkval.ecco.com^ +||wboeot.shop2gether.com.br^ +||wbswtr.decathlon.com.tr^ +||wchjfv.apartmenttherapy.com^ +||wddnff.bonprix.cz^ +||wdnyom.faces.com^ +||wdsgpy.lekarna.cz^ +||wdukge.midwayusa.com^ +||webmail.velpa.pl^ +||wejpuy.factor75.com^ +||wemqip.misli.com^ +||weoccn.bonito.pl^ +||wepany.tripbeat.com^ +||wesbgz.travel.co.jp^ +||wevbgr.vidaxl.it^ +||wezbvq.heine-shop.nl^ +||wfmcgd.msccruzeiros.com.br^ +||wgeaqi.laredoute.gr^ +||wgnrrd.culturekings.com^ +||wgpepw.boatoutfitters.com^ +||wgyapq.stormberg.com^ +||whahmy.timberland.es^ +||whcmij.altitude-sports.com^ +||whqkyq.leasingmarkt.de^ +||whwiab.pamono.it^ +||wigkxx.jetcost.com^ +||wirjoi.meetsmore.com^ +||wjssvg.descentekorea.co.kr^ +||wjtekf.vidaxl.bg^ +||wjzyrk.magiclife.com^ +||wklwyt.springer.com^ +||wkpjgh.toysrus.pt^ +||wkudly.realtruck.com^ +||wkuuuj.byther.kr^ +||wkympu.agnesb.co.jp^ +||wlkojk.orange.ro^ +||wlptux.habitaclia.com^ +||wlqtte.misterspex.at^ +||wlwtcr.toptoon.com^ +||wlxhzn.godfreys.com.au^ +||wmbldi.compass.it^ +||wmizdm.relax-job.com^ +||wmpmvk.whiskeyriff.com^ +||wmvroh.sgd.de^ +||wmxuba.aldoshoes.com^ +||wnegmu.timberland.nl^ +||wnfwzx.panpacific.com^ +||wngyjr.sportservice.pl^ +||wnozpl.escarpe.it^ +||wnvieu.enpal.de^ +||wnyywf.frankonia.de^ +||woosyt.portalesardegna.com^ +||woowjy.desa.com.tr^ +||woqcfy.sony.ru^ +||woutkw.type.jp^ +||wowrdm.stepstone.at^ +||wozdcc.vidaxl.at^ +||wpauvu.obuvki.bg^ +||wpgobx.feber.se^ +||wpgobx.marcusoscarsson.se^ +||wpkfti.1300k.com^ +||wppyub.mygenerator.com.au^ +||wpyvue.idealwine.com^ +||wqfflc.fupa.net^ +||wqfflc.gartendialog.de^ +||wqfflc.hausgarten.net^ +||wqfflc.plantopedia.de^ +||wqudcv.finnishdesignshop.com^ +||wqytxm.kurly.com^ +||wrkbha.lyst.de^ +||wrlnvt.pepita.hu^ +||wrugwj.bakerross.de^ +||wrvueo.mollis.ru^ +||wsnrfb.modlily.com^ +||wsuqzu.armani.com^ +||wsytyz.tts.ru^ +||wszwgs.cocopanda.fi^ +||wtdpkq.tausendkind.de^ +||wtesqx.news.mynavi.jp^ +||wtgnmr.golfdigest.co.jp^ +||wttbup.novasol.de^ +||wucvvh.surpricenow.com^ +||wvlirb.lexoffice.de^ +||wvoudw.magaseek.com^ +||wvrukp.globalcyclingnetwork.com^ +||wvzddr.quirumed.com^ +||wwbsll.nissen.co.jp^ +||wwnscv.myspringfield.com^ +||wwokkf.laredoute.ru^ +||wwrupv.tannico.it^ +||wxaaqr.plusdental.de^ +||wxbaal.ecosa.com.hk^ +||wxebye.aboutyou.hu^ +||wxgmca.orthofeet.com^ +||wxnxau.air-r.jp^ +||wxwsmt.matsmart.fi^ +||wyaopp.lacoccinelle.net^ +||wyelmp.vidaxl.si^ +||wywvyf.discuss.com.hk^ +||wywvyf.price.com.hk^ +||wywvyf.uwants.com^ +||wyzdlu.arhaus.com^ +||wyzqiy.pnet.co.za^ +||wzcnha.lenspure.com^ +||wzkhzb.cantao.com.br^ +||wzkjip.coru.com^ +||wzpwxe.4lapy.ru^ +||wzyjup.patch.com^ +||wzzhvn.hammer.de^ +||xaguwy.thomas-muenz.ru^ +||xbmady.daimaru-matsuzakaya.jp^ +||xbshje.smartbag.com.br^ +||xbwpfs.fotocasa.es^ +||xcedwa.contactsdirect.com^ +||xcgpdf.beautygarage.jp^ +||xcojhb.unitysquare.co.kr^ +||xdaoxa.footasylum.com^ +||xdbchs.bradfordexchange.com^ +||xdcpfs.shopdoen.com^ +||xdeiaf.elleshop.jp^ +||xdkwsh.farmacialoreto.it^ +||xdsblm.ullapopken.de^ +||xdvdrg.globalindustrial.com^ +||xejpzk.fram.fr^ +||xekjzy.rinascente.it^ +||xewihp.bayut.com^ +||xfobuc.serenaandlily.com^ +||xfzcds.netprint.ru^ +||xgefvi.iteshop.com^ +||xgezbc.tripmasters.com^ +||xgspzv.troyestore.com^ +||xgvenv.farmatodo.com.co^ +||xgyvaf.easydew.co.kr^ +||xhbzrk.hotmart.com^ +||xhohnr.fdm.pl^ +||xhqmvu.k-uno.co.jp^ +||xhuahy.juwelo.it^ +||xhxmhs.ounass.ae^ +||xibspj.komehyo.jp^ +||xiqvza.dickblick.com^ +||xitvce.webtretho.com^ +||xiuksf.worten.es^ +||xiznql.laredoute.it^ +||xjkpzh.voraxacessorios.com.br^ +||xjkugh.waterdropfilter.com^ +||xjoqmy.tuifly.be^ +||xjztuj.kbwine.com^ +||xkddvf.gigantti.fi^ +||xkgtxj.edomator.pl^ +||xkidkt.edenbrothers.com^ +||xknhwv.mobile01.com^ +||xkvmsr.hair.com^ +||xkzura.yves-rocher.se^ +||xlapmx.mcsport.ie^ +||xlbvvo.luisaviaroma.com^ +||xldnzg.trendhim.de^ +||xlhdtn.hugendubel.de^ +||xljqqe.hsn.com^ +||xludzt.alfastrah.ru^ +||xmcvqq.pinkpanda.ro^ +||xmfugv.tgn.co.jp^ +||xmohlh.melia.com^ +||xmqrvx.jewelry-queen-shop.com^ +||xmyvhu.soxo.pl^ +||xnukcp.cpcompany.com^ +||xpcpmr.gsm55.com^ +||xpygen.unger-fashion.com^ +||xpzswr.shasa.com^ +||xqdwwj.medpeer.jp^ +||xqslse.annadiva.nl^ +||xqtcur.kirklands.com^ +||xqupwc.emp.at^ +||xqzqdj.mfind.pl^ +||xransv.hometogo.com.au^ +||xrcksn.vvf-villages.fr^ +||xrnyhc.arumdri.co.kr^ +||xrnyhc.jokwangilbo.com^ +||xrnyhc.welltimes.co.kr^ +||xrxybn.kotofey-shop.ru^ +||xscmzs.tenki.jp^ +||xslmpq.ohou.se^ +||xsrzqh.ananzi.co.za^ +||xsrzqh.oferte360.ro^ +||xsrzqh.the-star.co.ke^ +||xsrzqh.vietnamplus.vn^ +||xsswcg.moglix.com^ +||xtazfx.50factory.com^ +||xtxwva.intersport.com.tr^ +||xudmrz.conforama.fr^ +||xugxwq.e-hoi.de^ +||xunzbx.mon-abri-de-jardin.com^ +||xuojhr.mobly.com.br^ +||xutolr.mainichikirei.jp^ +||xutolr.mantan-web.jp^ +||xuymgm.hostgator.mx^ +||xvteew.lacoste.jp^ +||xvyxgy.stz.com.br^ +||xwpoxv.birdies.com^ +||xwpzlz.gemimarket.it^ +||xwzebw.waja.co.jp^ +||xxjiqg.oysho.com^ +||xxpnnq.sklepmartes.pl^ +||xxsdtb.edreams.com^ +||xxxssv.jeulia.com^ +||xygxko.shop-apotheke.ch^ +||xyhojp.lacoste.com^ +||xymddt.clubeextra.com.br^ +||xymhzq.klingel.de^ +||xyxgbs.lezhin.com^ +||xyzznt.uterque.com^ +||xzjqlg.marella.com^ +||xztqfj.dreamvs.jp^ +||xzutow.affordablelamps.com^ +||xzwcng.vans.com.au^ +||yadtbk.blacks.co.uk^ +||yagoqv.smartbuyglasses.ca^ +||yajkhd.supersports.com^ +||yawxae.footpatrol.com^ +||yaxedj.vkf-renzel.de^ +||yazzuf.joyn.de^ +||ybgsyd.osharewalker.co.jp^ +||ybswii.swarovski.com^ +||ybzcmz.momoshop.com.tw^ +||ycembr.net-a-porter.com^ +||ychqww.aboutyou.lv^ +||ycjhuh.stripe-club.com^ +||ydbcct.nikigolf.jp^ +||ydbeuq.superpharm.pl^ +||ydccky.direnc.net^ +||ydcksa.certideal.com^ +||yddtah.takingshape.com^ +||ydosfw.filippa-k.com^ +||ydtzzw.firenzeviola.it^ +||ydtzzw.milannews.it^ +||ydtzzw.pianetabasket.com^ +||ydtzzw.torinogranata.it^ +||ydtzzw.tuttoc.com^ +||ydtzzw.tuttojuve.com^ +||ydtzzw.tuttomercatoweb.com^ +||ydtzzw.tuttonapoli.net^ +||ydtzzw.vocegiallorossa.it^ +||ydvsok.newbalance.jp^ +||yebvpc.gardengoodsdirect.com^ +||yefktd.avito.ru^ +||yehyqc.hugoboss.com^ +||yewrcd.govoyages.com^ +||yezztf.pinkelephant.co.kr^ +||yfaygn.natureetdecouvertes.com^ +||yfclaf.dsw.ca^ +||yfenys.prenatal.com^ +||yfepff.raymourflanigan.com^ +||yfkclv.asianetnews.com^ +||yfpvmd.reed.co.uk^ +||yftkzg.thisisfutbol.com^ +||yfwnsy.infraredsauna.com^ +||ygdogx.hearstmagazines.co.uk^ +||ygecho.wenz.de^ +||ygmpia.worten.pt^ +||ygopvz.windsorstore.com^ +||ygsoeu.size.co.uk^ +||ygtfgu.casamundo.nl^ +||ygxqjz.intersport.fi^ +||yhbdzh.farmasiint.com^ +||yhhuzt.gintarine.lt^ +||yhjgjk.wemakeup.it^ +||yhnwux.infomoney.com.br^ +||yhskfe.klipsch.com^ +||yhuamf.ktronix.com^ +||yhvewh.aboutyou.ro^ +||yiiwaq.mms.com^ +||yikrmn.ciceksepeti.com^ +||yiohzu.tsigs.com^ +||yixvbp.merkal.com^ +||yizlda.crocs.co.uk^ +||yjlbvd.pcfactory.cl^ +||yjlhep.skechers.co.nz^ +||yjpgxf.svsound.com^ +||yjpzqw.jackjones.com^ +||yjrcks.smile-zemi.jp^ +||yjxssk.apartments.com^ +||ykfrpx.kapten-son.com^ +||ykhqhe.domain.com.au^ +||ykmsxu.vitalabo.ch^ +||yknjjb.usaflex.com.br^ +||ykqapk.aboutyou.si^ +||ykskhw.candytm.pl^ +||ykxfoj.purchasingpower.com^ +||ylafwg.greenpoint.pl^ +||ylakmr.expressionscatalog.com^ +||ylsjdq.jegs.com^ +||ylsjka.conranshop.jp^ +||ymcvxo.check24.de^ +||ymixqb.nationalgeographic.com^ +||ymqnky.bagaggio.com.br^ +||ymrtre.scandinavianoutdoor.fi^ +||ymvikp.estadao.com.br^ +||ymviwl.just4camper.de^ +||ynagqs.vidaxl.pl^ +||ynemmp.goertz.de^ +||yngnwe.8division.com^ +||ynudoo.shoeby.nl^ +||ynwqna.mayblue.co.kr^ +||yogolp.beststl.com^ +||yoifwi.levi.com.ph^ +||yoxeha.afloral.com^ +||ypbfjo.paulsmith.co.jp^ +||ypcdbw.drive2.com^ +||ypcdbw.drive2.ru^ +||ypdewh.dokuritsu.mynavi.jp^ +||ypkado.clicrbs.com.br^ +||ypndvx.stepstone.fr^ +||ypqgnx.morizon.pl^ +||ypwzcq.tink.de^ +||ypzktj.fly.pl^ +||yqaxvu.leilian-online.com^ +||yqigli.tourlane.de^ +||yqorwz.weisshaus.at^ +||yqqhbd.yotsuyaotsuka.com^ +||yrepmy.jochen-schweizer.de^ +||yrrudp.inven.co.kr^ +||ysaaks.mobiauto.com.br^ +||yskvdo.gebrauchtwagen.at^ +||ysuwrg.meritocomercial.com.br^ +||yszedg.vidaxl.dk^ +||ytbnvm.firadis.net^ +||ytouvy.arezzo.com.br^ +||ytwtxi.beautybio.com^ +||yueqal.glassesusa.com^ +||yujmyt.theiconic.co.nz^ +||yuoyan.finanzen.de^ +||yurobl.rw-co.com^ +||yvcjyi.beymen.com^ +||yvdaeg.on-running.com^ +||yvdxij.applevacations.com^ +||yvsofs.tropeaka.com.au^ +||yvtgva.casa.it^ +||ywayoh.ecipo.hu^ +||ywcqef.lyst.com.nl^ +||ywhikg.surplex.com^ +||ywkiyt.candere.com^ +||ywojvu.kujten.com^ +||ywrcqa.11alive.com^ +||ywrcqa.12news.com^ +||ywrcqa.13newsnow.com^ +||ywrcqa.13wmaz.com^ +||ywrcqa.9news.com^ +||ywrcqa.abc10.com^ +||ywrcqa.cbs8.com^ +||ywrcqa.fox43.com^ +||ywrcqa.fox61.com^ +||ywrcqa.kare11.com^ +||ywrcqa.kcentv.com^ +||ywrcqa.kens5.com^ +||ywrcqa.khou.com^ +||ywrcqa.king5.com^ +||ywrcqa.ksdk.com^ +||ywrcqa.ktvb.com^ +||ywrcqa.kvue.com^ +||ywrcqa.newscentermaine.com^ +||ywrcqa.newswest9.com^ +||ywrcqa.wcnc.com^ +||ywrcqa.wfaa.com^ +||ywrcqa.wfmynews2.com^ +||ywrcqa.wgrz.com^ +||ywrcqa.whas11.com^ +||ywrcqa.wkyc.com^ +||ywrcqa.wltx.com^ +||ywrcqa.wnep.com^ +||ywrcqa.wqad.com^ +||ywrcqa.wthr.com^ +||ywrcqa.wtsp.com^ +||ywrcqa.wusa9.com^ +||ywrcqa.wwltv.com^ +||ywrcqa.wzzm13.com^ +||ywzmvh.trovaprezzi.it^ +||yxfqar.trendhim.com.au^ +||yxgcfb.petit-bateau.co.jp^ +||yxiqqh.dealchecker.co.uk^ +||yxkzip.brastemp.com.br^ +||yxqfkm.24mx.de^ +||yxsdgi.bedworld.net^ +||yxxuyo.nintendo.co.za^ +||yxzfdl.550909.com^ +||yyhijp.g123.jp^ +||yylqlk.agatinsvet.cz^ +||yyqlpi.danmusikk.no^ +||yyrtip.mujkoberec.cz^ +||yysjea.stepstone.nl^ +||yysqrv.berge-meer.de^ +||yywdph.multu.pl^ +||yzcfva.healthyplanetcanada.com^ +||yzcpqa.gumtree.com^ +||yzdljh.clarins.ca^ +||yzdltz.pricerunner.dk^ +||yzjqqj.emmiol.com^ +||yzvpco.hfashionmall.com^ +||yzzqza.vanillashu.co.kr^ +||zaawds.farmae.it^ +||zaiuhu.vacatia.com^ +||zatong.icaniwill.se^ +||zbdtkk.totvs.com^ +||zbfszb.calpis-shop.jp^ +||zbrfde.ozmall.co.jp^ +||zcbsft.thedoublef.com^ +||zcjemo.alwaysfashion.com^ +||zcnknu.oxxo.com.tr^ +||zcwcep.lojasrede.com.br^ +||zdbbqb.mancrates.com^ +||zdcjts.asics.com^ +||zdpsve.scrapbook.com^ +||zdqlel.restplatzboerse.at^ +||zefpks.dealdonkey.com^ +||zesgky.belambra.fr^ +||zfhlsg.repassa.com.br^ +||zftces.hoiku-job.net^ +||zftrez.unisportstore.no^ +||zfvdeu.novaconcursos.com.br^ +||zgfilz.propertyfinder.eg^ +||zgqgig.skillbox.ru^ +||zgumwv.stepstone.de^ +||zgwxoy.autoscout24.ro^ +||zhcxvk.qvc.com^ +||zhduni.rizap.jp^ +||zhqcir.netage.ne.jp^ +||zhyeqw.mercury.ru^ +||zicgoi.emmiegray.de^ +||zieyeq.intent24.fr^ +||zigpdx.ltbjeans.com^ +||zikazx.bouwmaat.nl^ +||zilhvf.hesperide.com^ +||zilmwz.gsm55.it^ +||ziqrso.24mx.no^ +||ziuggw.archon.pl^ +||ziwewm.tecovas.com^ +||zjbfke.centerparcs.be^ +||zjhlsx.exxpozed.de^ +||zjhswy.comeup.com.tr^ +||zjkpxw.tesco.hu^ +||zjrbwb.markenschuhe.de^ +||zjzain.aboutyou.bg^ +||zjzste.tom-tailor.de^ +||zkebwy.copenhagenstudios.com^ +||zkkkvb.welovebags.de^ +||zknrhv.sebago.com^ +||zkntjk.hikaku-cardloan.news.mynavi.jp^ +||zkqhqv.sizeofficial.it^ +||zkvxgc.nissui-kenko.com^ +||zldqcc.dodenhof.de^ +||zlgkpr.lottehotel.com^ +||zlvxiw.medicarelife.com^ +||zmfdxt.megastudy.net^ +||zmhsxr.hometogo.com^ +||zmlntc.green-acres.es^ +||zmmrpv.peterglenn.com^ +||zmpvij.bonprix.fr^ +||zmyopn.babadotop.com.br^ +||zmzkyj.agrieuro.com^ +||znlgke.jiobit.com^ +||znmtka.kikocosmetics.com^ +||znrttr.jaypore.com^ +||zodhqv.peterson.fr^ +||zodxgk.lecoqsportif.com^ +||zopqks.kavehome.com^ +||zopxzq.premiata.it^ +||zozwyc.moscot.com^ +||zpashl.amgakuin.co.jp^ +||zpnrnr.ab-in-den-urlaub.de^ +||zppfgh.renovatuvestidor.com^ +||zqkdzl.invia.sk^ +||zqwofo.liverpool.com.mx^ +||zrbbbj.tf.com.br^ +||zrjllb.zeb.be^ +||zrknjk.countrystorecatalog.com^ +||zrktaa.cityfurniture.com^ +||zrnsri.vogacloset.com^ +||zrsaff.petworld.no^ +||zrsetz.shutterstock.com^ +||zrxdzq.levelshoes.com^ +||ztarkm.johnnie-o.com^ +||ztbbpz.betten.de^ +||ztfjtn.liujo.com^ +||ztgblo.vidaxl.lt^ +||ztpdcg.stroilioro.com^ +||ztqnls.lojasrenner.com.br^ +||zudopk.callondoc.com^ +||zudver.matsmart.se^ +||zuqjug.nutrabay.com^ +||zurjxe.armine.com^ +||zusvfq.otorapor.com^ +||zvbqya.marideal.mu^ +||zvfzqw.cotta.jp^ +||zvhkzb.ambiendo.de^ +||zvlxlu.emsan.com.tr^ +||zvrbwf.drogerienatura.pl^ +||zvvpcz.puravita.ch^ +||zvvsvr.kettner-edelmetalle.de^ +||zwatgf.megaknihy.cz^ +||zwinqi.spartoo.pt^ +||zwiucp.ohmynews.com^ +||zwokia.aigle.com^ +||zxbumj.edreams.it^ +||zxqnbp.heute-wohnen.de^ +||zxqrdm.vinomofo.com^ +||zxrnfc.drinco.jp^ +||zxrrop.musely.com^ +||zxxvns.f64.ro^ +||zybveu.swappie.com^ +||zycnof.distrelec.de^ +||zzaoea.costacrociere.it^ +||zzqyxd.smartpozyczka.pl^ +||zzsqqx.shopjapan.co.jp^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_oracle.txt *** +! easyprivacy_specific_cname_oracle.txt +! Company name: Oracle Eloqua https://github.com/AdguardTeam/cname-trackers/blob/master/data/microsites/oracle-eloqua.txt +! +! Disabled: +! ||contactforms.53.com^ +! ||digital.att.com^ +! ||connect.telstrawholesale.com.au^ +! ||form.info-morimoto-real.jp^ +! ||medlemskap.fagforbundet.no^ +! ||go.oracle.com^ +! ||info.medtronicdiabetes.com^ +! ||info.mouser.com^ +! +||10stepswp.advancedtech.com^ +||1stparty.equifax.co.uk^ +||360direct.qualfon.com^ +||529conference.strategic-i.com^ +||a.aer.com^ +||a.swd5.com^ +||aarpannuity.newyorklife.com^ +||aarpfda.newyorklife.com^ +||aarpgfi.newyorklife.com^ +||aarpgli.newyorklife.com^ +||abastur.ubmmexico.com^ +||abo.schibsted.no^ +||acceptcards.americanexpress.co.uk^ +||access.acspubs.org^ +||access.sunpower.com^ +||accountancy.bppeloqua.com^ +||accounting.frbservices.org^ +||acq-au.americanexpress.com^ +||acq-hk.americanexpress.com^ +||acq-jp.americanexpress.com^ +||acq-sg.americanexpress.com^ +||acquisition.cbre.com.au^ +||act.firstdata.com^ +||actie.athlon.com^ +||action.hassconsult.co.ke^ +||activation.labcorp.com^ +||activation.thunderinsider.com^ +||active.sangfor.com^ +||activos.contacto.promerica.fi.cr^ +||adi.ni.com^ +||admin.smartgroup.com.au^ +||adminspace.carte-gr.total.fr^ +||adpia.client.adpinfo.com^ +||adpia130611.adpinfo.com^ +||adppartner.solutions.adpinfo.com^ +||advancing.acams.org^ +||advantages.americanexpress.com^ +||advise.gallup.com^ +||advisor.americanexpress.ca^ +||advisor.eaglestrategies.com^ +||advisor.newyorklifeannuities.com^ +||advisorservices.etradefinancial.com^ +||advisorservicesfpc.etradefinancial.com^ +||ae-go.experian.com^ +||afhleads.keurig.ca^ +||africa.edm.globalsources.com^ +||agentcomm.mercuryinsurance.com^ +||agexpo.americanexpress.com^ +||agribusiness.intelligence.informa.com^ +||ahhmkt.anhua.com.cn^ +||ahima.coniferhealth.com^ +||ai.mist.com^ +||ai.thermo.com^ +||ai.thermofisher.com^ +||aidc.barcodesgroup.com^ +||aladdinupdate.blackrock.com^ +||albanychicago.advancedtech.com^ +||ald.aldautomotive.be^ +||alerts.ironmountain.com^ +||alerts.wolterskluwerfs.com^ +||alertsatwork.americanexpress.com^ +||alias.cloud-marketing.dimensiondata.com^ +||allergy.thermo.com^ +||allergy.thermofisher.com^ +||alquiler.aldflex.es^ +||alquiler.carflex.es^ +||altalex.wolterskluwer.com^ +||alternativetechnology.arrow.com^ +||alumni.qualfon.com^ +||am.siemensplmevents.com^ +||amer.juniper.net^ +||americasbrandperformancesupport.hilton.com^ +||ams.oraclecloud.com^ +||analytics.banksneveraskthat.com^ +||analytics.blackboard.com^ +||analytics.cognyte.com^ +||analytics.ferguson.com^ +||analytics.flexpay.io^ +||analytics.pollardwater.com^ +||analytics.uwindsor.ca^ +||angebote.plex.com^ +||anmeldung.promatis.ch^ +||anmeldung.promatis.de^ +||announcement.lyreco.com^ +||answers.teradata.ch^ +||answers.teradata.co.uk^ +||answers.teradata.com.cn^ +||answers.teradata.com.sa^ +||answers.teradata.com^ +||answers.teradata.de^ +||answers.teradata.fr^ +||answers.teradata.hu^ +||answers.teradata.in^ +||answers.teradata.jp^ +||answers.teradata.mx^ +||answers.teradata.pl^ +||answers.teradata.ru^ +||answers.teradata.se^ +||antwort.hager.de^ +||aonemeaclientcouncil.aon.com^ +||ap.quadient.com^ +||apac-go.experian.com^ +||apac.adpinfo.com^ +||apac.juniper.net^ +||apac.zendesk.com^ +||apacenews.roche.com^ +||apcinfo.motorolasolutions.com^ +||apcinfo.vertexstandard.com^ +||api-websystems.landing.ni.com^ +||app.12thman.com^ +||app.12thmanfoundation.com^ +||app.aaas-science.org^ +||app.accelerate.zoominfo.com^ +||app.advertisingsolutions.att-mail.com^ +||app.arizonawildcats.com^ +||app.arkansasrazorbacks.com^ +||app.arts.kent.edu^ +||app.arts.uci.edu^ +||app.auburntigers.com^ +||app.augustaentertainmentcomplex.com^ +||app.bandimere.com^ +||app.baylorbears.com^ +||app.bbmannpah.com^ +||app.bceagles.com^ +||app.bluehens.com^ +||app.bncontacto.fi.cr^ +||app.bucky.uwbadgers.com^ +||app.budweisergardens.com^ +||app.bushnell.org^ +||app.business.westernunion.com^ +||app.byutickets.com^ +||app.calbears.com^ +||app.campaign.morganstanley.com^ +||app.campaign.trendmicro.com^ +||app.campaigns.fidelity.com^ +||app.care.eisenhowerhealthcares.org^ +||app.cb.pnc.com^ +||app.ceb.executiveboard.com^ +||app.centreinthesquare.com^ +||app.charlotte49ers.com^ +||app.chartwayarena.com^ +||app.cimarketing.aig.com^ +||app.cincinnatiarts.org^ +||app.classiccenter.com^ +||app.cofcsports.com^ +||app.collinscenterforthearts.com^ +||app.comms.aon.com^ +||app.communications.americanexpress.ca^ +||app.communications.citimortgage.com^ +||app.communications.jdsu.com^ +||app.compasslearning.biz^ +||app.connect.cch.ca^ +||app.connect.mandiant.com^ +||app.connect.synopsys.com^ +||app.connect.vmware.com^ +||app.connect.wgbh.org^ +||app.connect.wgby.org^ +||app.connections.te.com^ +||app.corp.tableausoftware.com^ +||app.crm.millenniumhotels.com^ +||app.csurams.com^ +||app.cubuffs.com^ +||app.customer.adaptiveinsights.com^ +||app.customer.adaptiveplanning.com^ +||app.customerservice.royalmail.com^ +||app.dawsoncreekeventscentre.com^ +||app.demand.nexsan.com^ +||app.demand.ni.com^ +||app.depaulbluedemons.com^ +||app.dtlphx.net^ +||app.e.dowjones.com^ +||app.e.flukecal.com^ +||app.e.gettyimages.com^ +||app.e.intercall.com^ +||app.e.kqed.org^ +||app.ecupirates.com^ +||app.email.fitchratings.com^ +||app.email.forrester.com^ +||app.emarketing.heat.com^ +||app.emueagles.com^ +||app.enable.atmel.com^ +||app.engineering.sae.org^ +||app.entertainment.comcast-spectacor.com^ +||app.fabulousfox.com^ +||app.fans.wolveslynx.com^ +||app.fightingillini.com^ +||app.fightingirish.com^ +||app.financialinstitutions.53.com^ +||app.fleet2.vauxhall.co.uk^ +||app.fordidahocenter.com^ +||app.foxtheatre.org^ +||app.frbcommunications.org^ +||app.friars.com^ +||app.gafreedom.com^ +||app.gaincapital.com^ +||app.georgiadogs.com^ +||app.get.comcastbiz.com^ +||app.gfis.genworth.com^ +||app.gfwm.genworth.com^ +||app.global.certain.com^ +||app.globalbusinesstravel.americanexpress.com^ +||app.go.bmc.com^ +||app.go.coxmedia.com^ +||app.go.csc.com^ +||app.go.endicia.com^ +||app.go.gogoair.com^ +||app.go.gogoinflight.com^ +||app.go.guidancesoftware.com^ +||app.go.healthways.com^ +||app.go.hult.edu^ +||app.go.jacksonhewitt.com^ +||app.go.livingstonintl.com^ +||app.go.maas360.com^ +||app.go.nhaschools.com^ +||app.go.nitropdf.com^ +||app.go.pentonmarketingservices.com^ +||app.go.sitel.com^ +||app.go.terremark.com^ +||app.go.wolterskluwerlb.com^ +||app.go.xo.com^ +||app.goairforcefalcons.com^ +||app.goarmywestpoint.com^ +||app.gobearcats.com^ +||app.gobulldogs.com^ +||app.godeacs.com^ +||app.goduke.com^ +||app.gofrogs.com^ +||app.gogriz.com^ +||app.goguecenter.auburn.edu^ +||app.goheels.com^ +||app.gohuskies.com^ +||app.gopack.com^ +||app.gophersports.com^ +||app.gopsusports.com^ +||app.gorhody.com^ +||app.goshockers.com^ +||app.gostanford.com^ +||app.gotigersgo.com^ +||app.goto.dowjones.com^ +||app.gozips.com^ +||app.green.omniture.com^ +||app.griztix.umt.edu^ +||app.growth.orange-business.com^ +||app.gseagles.com^ +||app.hailstate.com^ +||app.hawaiiathletics.com^ +||app.hawkeyesports.com^ +||app.health.bjc.org^ +||app.herdzone.com^ +||app.hokiesports.com^ +||app.hornettickets.csus.edu^ +||app.humanaresponses.com^ +||app.huskers.com^ +||app.info.actuate.com^ +||app.info.americanpublicmediagroup.org^ +||app.info.autotask.com^ +||app.info.aviationweek.com^ +||app.info.avid.com^ +||app.info.compellent.com^ +||app.info.coopenae.fi.cr^ +||app.info.fidelity.com^ +||app.info.fleetmatics.com^ +||app.info.idgenterprise.com^ +||app.info.jdpa.com^ +||app.info.markit.com^ +||app.info.polycom.com^ +||app.info.quark.com^ +||app.info.questrade.com^ +||app.info.recall.com^ +||app.info.redhat.com^ +||app.info.standardandpoors.com^ +||app.info.trinet.com^ +||app.info.truvenhealth.biz^ +||app.info.ubmchannel.com^ +||app.info.washcaps.com^ +||app.info.washingtonwizards.com^ +||app.inform.equifax.com^ +||app.information.cognos.com^ +||app.innovate.molex.com^ +||app.insider.cavs.net^ +||app.insight.cision.com^ +||app.insight.dnb.com^ +||app.insight.thompson.com^ +||app.iowaeventscenter.com^ +||app.iowawild.com^ +||app.iuhoosiers.com^ +||app.jmusports.com^ +||app.knowhow.ceridian.com^ +||app.krannertcenter.com^ +||app.kstatesports.com^ +||app.ksuowls.com^ +||app.kuathletics.com^ +||app.lacr.motorolasolutions.com^ +||app.lamy-liaisons.fr^ +||app.leadership.kenblanchard.com^ +||app.learn.datafoundry.com^ +||app.learn.ioninteractive.com^ +||app.learn.mindjet.com^ +||app.learn.rasmussen.edu^ +||app.libertyfirstcreditunionarena.com^ +||app.libertyflames.com^ +||app.m1.adsolutions.yp.com^ +||app.machspeed.bluecoat.com^ +||app.mail.mfg.macquarie.com^ +||app.mail.skillsoft.com^ +||app.mailings.erepublic.com^ +||app.mailserver.parker.com^ +||app.marketing.pro.sony.eu^ +||app.marketing.richardsonrfpd.com^ +||app.marketing.wolterskluwerfs.com^ +||app.markkinointi.aller.fi^ +||app.massmutualcenter.com^ +||app.meangreensports.com^ +||app.merchant.bankofamerica.com^ +||app.messages.sonicwall.com^ +||app.mgoblue.com^ +||app.miamihurricanes.com^ +||app.miamiredhawks.com^ +||app.mk.westernunion.com^ +||app.mktg.genesys.com^ +||app.mktg.novell.com^ +||app.mogosme.com^ +||app.msuspartans.com^ +||app.network.ecitele.com^ +||app.nevadawolfpack.com^ +||app.news.zend.com^ +||app.newsletter.bisnow.com^ +||app.nhra.com^ +||app.nissan.my-nissan-usa.com^ +||app.noreply.cummins.com^ +||app.now.bomgar.com^ +||app.now.nowtv.com^ +||app.nuhuskies.com^ +||app.nusports.com^ +||app.odusports.com^ +||app.ohiobobcats.com^ +||app.okcciviccenter.com^ +||app.okstate.com^ +||app.olemisssports.com^ +||app.online.microfocus.com^ +||app.osubeavers.com^ +||app.owlsports.com^ +||app.owners.hilton.com^ +||app.paciolan.com^ +||app.pacslo.org^ +||app.partner.fisglobal.com^ +||app.payments-response.americanexpress.co.uk^ +||app.payments.53.com^ +||app.pbr.com^ +||app.pennathletics.com^ +||app.pittsburghpanthers.com^ +||app.playhousesquare.org^ +||app.poconoraceway.com^ +||app.portland5.com^ +||app.post.vertafore.com^ +||app.ppacri.org^ +||app.profile.purina.com^ +||app.prsoftware.vocus.com^ +||app.pultegroup.com^ +||app.purduesports.com^ +||app.qnasdaqomx.com^ +||app.ramblinwreck.com^ +||app.ratingsinfo.standardandpoors.com^ +||app.recruit.caterermail.com^ +||app.reply.perkinelmer.com^ +||app.resources.netiq.com^ +||app.respond.aonhewitt.com^ +||app.response.adobesystemsinc.com^ +||app.response.aiu.edu.au^ +||app.response.americancentury.com^ +||app.response.americanexpress.ca^ +||app.response.americanexpress.com^ +||app.response.att-mail.com^ +||app.response.blackbaud.com^ +||app.response.cetera.com^ +||app.response.firstdata.com^ +||app.response.hanover.com^ +||app.response.hslda.org^ +||app.response.integratelecom.com^ +||app.response.intergraph.com^ +||app.response.j2global.com^ +||app.response.jacksonhealthcare.com^ +||app.response.kroll.com^ +||app.response.krollontrack.co.uk^ +||app.response.locumtenens.com^ +||app.response.markem-imaje.com^ +||app.response.ncr.com^ +||app.response.neopost.com^ +||app.response.softserveinc.com^ +||app.response.stratfor.com^ +||app.response.thermofisher.com^ +||app.response.transplace.com^ +||app.response.volarisgroup.com^ +||app.results.chronicle.com^ +||app.richmondspiders.com^ +||app.riverbed.com^ +||app.rolltide.com^ +||app.sbas.sage.com^ +||app.scarletknights.com^ +||app.selectyourtickets.com^ +||app.seminoles.com^ +||app.siemens-energy.com^ +||app.siemensplmevents.com^ +||app.sjsuspartans.com^ +||app.sjuhawks.com^ +||app.smart.vivint.com^ +||app.smumustangs.com^ +||app.snssecure.mcafee.com^ +||app.soec.ca^ +||app.solution.roxar.com^ +||app.solutions.intermec.com^ +||app.soonersports.com^ +||app.stratfor.com^ +||app.success.coniferhealth.com^ +||app.suse.com^ +||app.tableausoftware.com^ +||app.tech.pentontech.com^ +||app.texasperformingarts.org^ +||app.texassports.com^ +||app.texastech.com^ +||app.thefishercenter.com^ +||app.ticketatlantic.com^ +||app.ticketleader.ca^ +||app.ticketstaronline.com^ +||app.tribeathletics.com^ +||app.tsongascenter.com^ +||app.tuckerciviccenter.com^ +||app.tulanegreenwave.com^ +||app.tulsahurricane.com^ +||app.tysoncenter.com^ +||app.uabsports.com^ +||app.ucdavisaggies.com^ +||app.ucirvinesports.com^ +||app.uclabruins.com^ +||app.uhcougars.com^ +||app.umassathletics.com^ +||app.umterps.com^ +||app.und.com^ +||app.unlvrebels.com^ +||app.update.lenovo.com^ +||app.update.vodafone.co.uk^ +||app.updates.digicert.com^ +||app.usajaguars.com^ +||app.usctrojans.com^ +||app.utrockets.com^ +||app.villanova.com^ +||app.virginiasports.com^ +||app.vucommodores.com^ +||app.whartoncenter.com^ +||app.wine.tweglobal.com^ +||app.wsucougars.com^ +||app.wvusports.com^ +||app.www-102.aig.com^ +||app.xlcenter.com^ +||app.your.csc.com^ +||app.your.level3.com^ +||app.zmail.zionsbank.com^ +||appcloud.appyreward.com^ +||appinfosoryz.carte-gr.total.fr^ +||applicatifs.ricoh.fr^ +||application.rasmussen.edu^ +||application.ricoh.ch^ +||application.ricoh.co.uk^ +||application.ricoh.co.za^ +||application.ricoh.de^ +||application.ricoh.ie^ +||application.taleo.com^ +||appointments.covenanthealth.org^ +||appointments.providence.org^ +||appointments.swedish.org^ +||apps.go.hobsons.com^ +||apps.imaginecommunications.com^ +||apps.info.convio.com^ +||apps.software.netsimplicity.com^ +||appsecurezomation.carte-gr.total.fr^ +||ar.quadient.com^ +||archiv.promatis.de^ +||archived.first.eloqua.extrahop.com^ +||archived.learn.eloqua.extrahop.com^ +||arincol.arin-innovation.com^ +||art.carte-gr.total.fr^ +||as.balluff.com^ +||asia.atradius.com^ +||asia.interface.com^ +||asistente.christus.mx^ +||ask.antalis-verpackungen.at^ +||ask.antalis.co.uk^ +||ask.antalis.com.tr^ +||ask.antalis.com^ +||ask.antalis.dk^ +||ask.antalis.fr^ +||ask.antalis.lv^ +||ask.antalis.no^ +||ask.antalis.pl^ +||ask.antalis.pt^ +||ask.antalis.ro^ +||ask.antalis.se^ +||assets.eafit.edu.co^ +||assets.estudioseconomicos.co^ +||assets.oupe.es^ +||assets.spectrumhealthlakeland.org^ +||assistancetrack.changehealthcare.com^ +||ast-en.adp.ca^ +||ast-fr.adp.ca^ +||at-go.experian.com^ +||atencion.banrural.com.gt^ +||athl.lsusports.net^ +||attend.5gnorthamericaevent.com^ +||attend.motorcycleshows.com^ +||attend.networkxevent.com^ +||au-go.experian.com^ +||au-partners.ingrammicro.com^ +||au.interface.com^ +||au.mywd.com^ +||aus.amexforbusiness.com.au^ +||auth.carte-gr.total.fr^ +||autoimmunity.thermo.com^ +||autoimmunity.thermofisher.com^ +||automate.opex.com^ +||automation.pemco.com^ +||automationtest.pemco.com^ +||automotive-business.vodafone.com^ +||automotive.balluff.com^ +||autovista-fi.autovistagroup.com^ +||autovista-fr.autovistagroup.com^ +||autovista-se.autovistagroup.com^ +||autovistaintelligence.autovistagroup.com^ +||avaya-engage.avaya.com^ +||avs.adpinfo.com^ +||axentis.arclogics.com^ +||axp.avaya.com^ +||b.bloomberglp.com^ +||b2binfo.canon-europe.com^ +||b2bmarketing.swisscom.ch^ +||b2bmarketingsb.swisscom.ch^ +||b2bmarketingsb.swisscom.com^ +||b2bmkt.lge.co.kr^ +||backoffice.verintsystemsinc.com^ +||badirectoryz.carte-gr.total.fr^ +||bancopostapremia.bancoposta.it^ +||banks.adpinfo.com^ +||bapages.carte-gr.total.fr^ +||barracuda.carte-gr.total.fr^ +||bbbb.blackboard.com^ +||bbk.pnc.com^ +||bbworld.blackboard.com^ +||be-go.experian.com^ +||belgium.wolterskluwer.com^ +||belong.curtin.edu.au^ +||beneficios.davivienda.hn^ +||beneficios.davivienda.sv^ +||benefits.aon.com^ +||benelux2.secureforms.mcafee.com^ +||bestill.help.no^ +||better.herculesrx.com^ +||beuniquelyinsured.selective.com^ +||beyond.bluewolf.com^ +||bg-go.experian.com^ +||bienvenido.americanindustriesgroup.com^ +||bigdata.clarin.com^ +||biz.coface.com^ +||bizmkt.lguplus.com^ +||blackbook.coniferhealth.com^ +||bldr.mkt.samsung.com^ +||ble.ubm-licensing.com^ +||blog.myomnipod.com^ +||bnk.wolterskluwerfs.com^ +||boutique.ricoh.fr^ +||bpm.global360.com^ +||bps.ricoh.co.uk^ +||bps.ricoh.ie^ +||bpsemea.hilton.com^ +||br.adpinfo.com^ +||branch.verintsystemsinc.com^ +||branchout.pegs.com^ +||brand.adp.ca^ +||breakthrough.kronos.com^ +||btaconnect.americanexpress.at^ +||btaconnect.americanexpress.co.uk^ +||btaconnect.americanexpress.de^ +||btaconnect.americanexpress.es^ +||btaconnect.americanexpress.fr^ +||btaconnect.americanexpress.it^ +||btaenrolment.americanexpress.at^ +||btaenrolment.americanexpress.co.uk^ +||btaenrolment.americanexpress.it^ +||btaenrolment.americanexpress.nl^ +||bu.adpinfo.com^ +||business-cards.americanexpress.com^ +||business-pages.edfenergy.com^ +||business.keurig.com^ +||business.samsungusa.com^ +||business.vodafone.co.nz^ +||business.vodafone.com^ +||businessaffiliate.americanexpress.com^ +||businessengage.comcast.com^ +||businessmaking.progress.com^ +||businessmedia.americanexpress.com^ +||businessprocess.ricoh.de^ +||buzz.vocus.com^ +||by.mywd.com^ +||ca.connect.finning.com^ +||ca.creditacceptance.com^ +||ca.mattamyhomes.com^ +||calibration.ni.com^ +||camagess.carte-gr.total.fr^ +||campagne.enecozakelijk.nl^ +||campaign-fbsg.fujifilm.com^ +||campaign.amadeus.com^ +||campaign.bbmbonnier.se^ +||campaign.bpost.be.bpost.be^ +||campaign.daimlertruck.com^ +||campaign.fr.mazda.be^ +||campaign.glory-global.com^ +||campaign.hach.com.cn^ +||campaign.kpmg.co.il^ +||campaign.mazda.lu^ +||campaign.mazda.sk^ +||campaign.motorolasolutions.com^ +||campaign.nl.mazda.be^ +||campaign.outpayce.com^ +||campaign.phinmaproperties.com^ +||campaign.raymondcorp.com^ +||campaign.rockwellautomation.com^ +||campaign.ruukki.com^ +||campaign.shl.com^ +||campaign.ssab.com^ +||campaign.tandemdiabetes.com^ +||campaigninfo.motorolasolutions.com^ +||campaignresources.motorolasolutions.com^ +||campaigns-de.opentext.com^ +||campaigns-es.opentext.com^ +||campaigns-fr.opentext.com^ +||campaigns-it.opentext.com^ +||campaigns.amadeus.com^ +||campaigns.engage.cebglobal.com^ +||campaigns.glory-global.com^ +||campaigns.grenke.com^ +||campaigns.mellanox.com^ +||campaigns.messagemedia.com.au^ +||campaigns.netscout.com^ +||campaigns.opentext.com^ +||campaigns.ortec.com^ +||campaigns.panasonic.eu^ +||campaigns.rockwellautomation.com^ +||campaigns.sandhill.co.uk^ +||campaigns.technics.eu^ +||campaigns.verisk.com^ +||campaigns.xactware.com^ +||candidate.response.ingenovishealth.com^ +||carburanalyticsspace.carte-gr.total.fr^ +||carburez-a-l-emotion.carte-gr.total.fr^ +||cardexchanges.carte-gr.total.fr^ +||care.excellence.kaweahhealth.org^ +||care.mercycare.org^ +||care.oakstreethealth.com^ +||care.southeasthealth.org^ +||care.stlukes-stl.com^ +||care.universityhealth.com^ +||careers.coniferhealth.com^ +||carepay.gaf.com^ +||carreras.unisabana.edu.co^ +||cars.autopia.com.au^ +||cars.smartfleetaustralia.com.au^ +||cars.smartleasing.com.au^ +||carte.fleet-page.total.fr^ +||cascadion.thermo.com^ +||cascadion.thermofisher.com^ +||casl.couch-associates.com^ +||catracking.cubiq.com^ +||catracking.finning.com^ +||cbc.pnc.com^ +||ccaas.avaya.com^ +||ccmd.coveredca.com^ +||cd.chemistanddruggist.co.uk^ +||cdrive.compellent.com^ +||cen.acspubs.org^ +||cenbrandlab.acspubs.org^ +||cenjobs.acspubs.org^ +||central2.secureforms.mcafee.com^ +||challengeh.carte-gr.total.fr^ +||channel.cummins.com^ +||channel.informaengage.com^ +||channelevents.partnermcafee.com^ +||channelportal.netsuite.com^ +||channelusa.samsung.com^ +||chat.forddirectdealers.com^ +||check.frbservices.org^ +||chiefinvestmentofficer.strategic-i.com^ +||choose.adelaide.edu.au^ +||choose.nu.edu^ +||cihac.ubmmexico.com^ +||cimarketingforms.aig.com^ +||cimarketingforms.cimarketing.aig.com^ +||clarity-infographic.zebra.com^ +||click.rollouki.com^ +||click.vocus.com^ +||clicks.tableau.com^ +||client.trustaff.com^ +||clients.hermes-investment.com^ +||cloud.diagral.fr^ +||cloudhosting-business.vodafone.com^ +||cloverleaf.infor.com^ +||cm-in.americanexpress.com^ +||cm-jp.americanexpress.com^ +||cm-sg.americanexpress.com^ +||cm.informaengage.com^ +||cmc.americanexpress.co.uk^ +||cmr.customer.americanexpress.de^ +||cmrcustomer.americanexpress.co.uk^ +||cmrcustomer.americanexpress.es^ +||cn-go.experian.com^ +||cn.adpinfo.com^ +||cn.mywd.com^ +||cockpitdcbaima.carte-gr.total.fr^ +||collaborate.blackboard.com^ +||collections.equifax.com^ +||columbustech.tcsg.edu^ +||com.carte-gr.total.fr^ +||comm.toro.com^ +||commanslabdpp.carte-gr.total.fr^ +||commanslabdspace.carte-gr.total.fr^ +||commerce.edc.ca^ +||commercial.equifax.com^ +||commercial.inform.equifax.com^ +||comms.cigna.co.uk^ +||comms.cigna.es^ +||comms.cignaglobalhealth.com^ +||comms.cision.com^ +||comms.dfsco.com^ +||comms.groupmarketing.dimensiondata.com^ +||comms.hello.global.ntt^ +||comms.services.global.ntt^ +||comms.supplychain.nhs.uk^ +||communicate.cision.ca^ +||communicate.cision.co.uk^ +||communicate.prnewswire.co.uk^ +||communicate.prnewswire.com^ +||communicatelp.keysight.com^ +||communicatie.vub.be^ +||communication.adpinfo.com^ +||communication.futuresummits.com^ +||communication.hager.co.uk^ +||communication.imec.be^ +||communication.imechyperspectral.com^ +||communication.imeciclink.com^ +||communication.imecistart.com^ +||communication.imecitf.com^ +||communication.proximus.be^ +||communication.ricoh.at^ +||communication.ricoh.ch^ +||communication.ricoh.co.uk^ +||communication.ricoh.de^ +||communication.ricoh.it^ +||communication.ricoh.pt^ +||communications.adpinfo.com^ +||communications.aon.com^ +||communications.apilayer.com^ +||communications.cigna.com^ +||communications.embarcadero.com^ +||communications.fusioncharts.com^ +||communications.idera.com^ +||communications.lansa.com^ +||communications.parcours.fr^ +||communications.sencha.com^ +||communications.ultraedit.com^ +||communications.wpcarey.com^ +||community.fusesource.com^ +||compliance.coniferhealth.com^ +||computers.panasonic.eu^ +||comtelitalia.alcatel-lucent.com^ +||comunicacao.edpcomunicacao.com.br^ +||comunicacion.usj.es^ +||comunicaciones.davivienda.com.pa^ +||comunicaciones.daviviendacorredores.com^ +||comunicaciones.paginasamarillas.es^ +||comunicaciones.pymas.com.co^ +||comunicazioni.bancamediolanum.it^ +||conf.optum.com^ +||conference.all-energy.com.au^ +||conferences.cigna.com^ +||confirm.aon.com^ +||confirm.ptvgroup.com^ +||connect-qa.netapp.com^ +||connect.abm.netapp.com^ +||connect.acams.org^ +||connect.acspubs.org^ +||connect.arkadin.com^ +||connect.aucmed.edu^ +||connect.becker.com^ +||connect.blackboard.com^ +||connect.blog.netapp.com^ +||connect.build.com^ +||connect.cap.hcahealthcare.com^ +||connect.care.eehealth.org^ +||connect.care.hackensackmeridian.org^ +||connect.care.kansashealthsystem.com^ +||connect.care.lcmchealth.org^ +||connect.care.muschealth.org^ +||connect.care.sheppardpratt.org^ +||connect.care.wakemed.org^ +||connect.caringcrowd.org^ +||connect.carrier.com.ph^ +||connect.chapman.com^ +||connect.cloud.netapp.com^ +||connect.cognex.com^ +||connect.compellent.com^ +||connect.cont.hcahealthcare.com^ +||connect.content-hub.netapp.com^ +||connect.customers.netapp.com^ +||connect.delphi.international^ +||connect.dimensiondata.com^ +||connect.flowroute.com^ +||connect.fwd.hcahealthcare.com^ +||connect.gcd.hcahealthcare.com^ +||connect.geniecompany.com^ +||connect.grassicpas.com^ +||connect.handlesets.com^ +||connect.health.bjc.org^ +||connect.health.lexmed.com^ +||connect.health.mydocnews.com^ +||connect.healthcare.northbay.org^ +||connect.healthcare.rush.edu^ +||connect.info.halifaxhealthnews.org^ +||connect.insidelpl.com^ +||connect.intel.com^ +||connect.intercall.com^ +||connect.inxpo.com^ +||connect.ispo.com^ +||connect.labcorp.com^ +||connect.lgcns.com^ +||connect.link.boone.health^ +||connect.lionsclubs.org^ +||connect.mattamyhomes.com^ +||connect.medical.rossu.edu^ +||connect.medstarhealth.org^ +||connect.memorialcare.org^ +||connect.methodisthealthsystem.org^ +||connect.mhsystem.org^ +||connect.montagehealth.org^ +||connect.mycwt.com^ +||connect.ncd.hcahealthcare.com^ +||connect.netapp.co.il^ +||connect.netapp.co.kr^ +||connect.netapp.com.au^ +||connect.netapp.com.sg^ +||connect.netapp.com.tw^ +||connect.netapp.in^ +||connect.netapp.it^ +||connect.news.evergreenhealth.com^ +||connect.nfd.hcahealthcare.com^ +||connect.northoaks.org^ +||connect.palomarhealth.org^ +||connect.partner-connect.netapp.com^ +||connect.satl.hcahealthcare.com^ +||connect.schoolmessenger.com^ +||connect.senecacollege.ca^ +||connect.senecapolytechnic.ca^ +||connect.singlex.com^ +||connect.stihl.info^ +||connect.telstrawholesale.com^ +||connect.the-stockmarket.com^ +||connect.virginmediabusiness.co.uk^ +||connect.wfd.hcahealthcare.com^ +||connect.xo.com^ +||connect.zebra.com^ +||connect2.secureforms.mcafee.com^ +||connected.technologies.jci.com^ +||connected.verical.com^ +||connectfpc.zebra.com^ +||connection.arrow.com^ +||connection.verical.com^ +||connectlp.keysight.com^ +||connectportal.netapp.com^ +||connecttest.arubanetworks.com^ +||connectvet.rossu.edu^ +||connectwithus.cetera.com^ +||consulting.guidehouse.com^ +||consulting.icmi.com^ +||consulting.mcgladrey.com^ +||consumer.equifax.com^ +||consumer.inform.equifax.com^ +||contact-us.adp.ca^ +||contact.abc-companies.com^ +||contact.aon.com^ +||contact.coface.com^ +||contact.formasquare.com^ +||contact.iwgplc.com^ +||contact.kikusuiamerica.com^ +||contact.lesmills.com^ +||contact.nalgene.com^ +||contact.no18.com^ +||contact.regus.com^ +||contact.samsungsds.com^ +||contact.spacesworks.com^ +||contact.tsr-net.co.jp^ +||contactcenter.verintsystemsinc.com^ +||contactcentercala.verintsystemsinc.com^ +||contactecs.arrow.com^ +||contacto.gtc.com.gt^ +||contacto.lecleire.com.gt^ +||contactus.53.com^ +||content.accelalpha.com^ +||content.bazaarvoice.com^ +||content.blackboard.com^ +||content.box.net^ +||content.convio.com^ +||content.eaton.com^ +||content.ferguson.com^ +||content.juniper.net^ +||content.nxp.com^ +||content.ohcare.ohiohealth.com^ +||content.pollardwater.com^ +||content.powerdms.com^ +||content.prophet.com^ +||content.rackspace.co.uk^ +||content.tatatelebusiness.com^ +||content.verint.com^ +||content.wire.telstra.com^ +||contents.pwc.com^ +||controlexpenses.adp.ca^ +||convention.interfaceflor.com^ +||convision.davivienda.com^ +||cookie.amerigas.com^ +||cookie.cynch.com^ +||cookie.myamerigas.com^ +||cookiejar.atea.no^ +||cookies-sfs.siemens.com^ +||cookies.ec4u.com^ +||cookies.engage.russellinvestments.com^ +||cookies.grenke.ch^ +||cookies.grenke.com^ +||cookies.grenke.de^ +||cookies.siemens-advanta.com^ +||cookies.siemens-energy.com^ +||cookies.siemens-healthineers.com^ +||cookies.siemens.com^ +||cookies.wpcarey.com^ +||cookietracking.eatonpowersource.com^ +||coop.vmware.com^ +||corporate-klm.americanexpress.nl^ +||corporate.americanexpress.it^ +||corporate.mattamyhomes.com^ +||corporate.wpcarey.com^ +||corporatecard.americanexpress.nl^ +||corporatecards.americanexpress.com^ +||corporateforms.americanexpress.com^ +||corporatemembershiprewards.americanexpress.co.uk^ +||corporatemembershiprewards.americanexpress.es^ +||corporatemr.americanexpress.co.uk^ +||corporatemr.americanexpress.de^ +||corporatemr40k.americanexpress.co.uk^ +||corporatemrguide.americanexpress.co.uk^ +||corporatemrguide.americanexpress.de^ +||corporatepages.proximus.com^ +||corporateplatino.americanexpress.it^ +||cortellisconnections.thomsonreuters.com^ +||covenant.psjhealth.org^ +||cp.ir-central.irco.com^ +||create.encore-mx.com^ +||create.encoreglobal.com^ +||crm.ironmountain.com^ +||crm.landing.ni.com^ +||crm.leads360.com^ +||crm.velocify.com^ +||cs.coopeservidores.fi.cr^ +||cs.hot.net.il^ +||cs.nexttv.co.il^ +||ctc.wolterskluwer.com^ +||curious.cognyte.com^ +||custom.dowjones.com^ +||custom.info.shutterstock.com^ +||customer-engagement.verintsystemsinc.com^ +||customerexperience.verintsystemsinc.com^ +||customers-capitalbank-jo-877029.p06.elqsandbox.com^ +||customize.titanfactorydirect.com^ +||cx.quadient.com^ +||cyber-pages.att.com^ +||cyber-tracking.att.com^ +||cyber.boozallen.com^ +||cz-business.vodafone.com^ +||cz-cz.siemensplmevents.com^ +||cz-go.experian.com^ +||data.atea.no^ +||dbl.cadriamarketing.com^ +||dc.bluecoat.com^ +||dd.control4.com^ +||de-de.siemensplmevents.com^ +||de-go.experian.com^ +||de.contact.alphabet.com^ +||de.mywd.com^ +||de.verintsystemsinc.com^ +||defygravity.convio.com^ +||degree.insead.edu^ +||delete.atea.fi^ +||deleteme.intuit.com^ +||dell.compellent.com^ +||delphi.ni.com^ +||demandgen.ptc.com^ +||demo-mktg.vodafone.com^ +||dependable-s.hyster.com^ +||design.informabi.com^ +||design.nanawall.com^ +||details.pella.com^ +||dev-plan.intel.com^ +||dev.marketing.championhomes.com^ +||dev.marketing.skylinehomes.com^ +||devtracking.risk.lexisnexis.com^ +||dg.champion-compressors.com^ +||dg.compair.com^ +||dg.irco.com^ +||dg.ptl.irco.com^ +||dhdaa.duke.edu^ +||dhlsupplychain.dhl.com^ +||diagnostics.thermo.com^ +||dialer.leads360.com^ +||dialer.velocify.com^ +||dialogue.de.mazda.ch^ +||dialogue.fr.mazda.be^ +||dialogue.mazda.at^ +||dialogue.mazda.bg^ +||dialogue.mazda.co.uk^ +||dialogue.mazda.com.tr^ +||dialogue.mazda.cz^ +||dialogue.mazda.de^ +||dialogue.mazda.dk^ +||dialogue.mazda.es^ +||dialogue.mazda.eu^ +||dialogue.mazda.fr^ +||dialogue.mazda.gr^ +||dialogue.mazda.hr^ +||dialogue.mazda.hu^ +||dialogue.mazda.ie^ +||dialogue.mazda.it^ +||dialogue.mazda.nl^ +||dialogue.mazda.no^ +||dialogue.mazda.pl^ +||dialogue.mazda.pt^ +||dialogue.mazda.ro^ +||dialogue.mazda.rs^ +||dialogue.mazda.se^ +||dialogue.mazda.si^ +||dialogue.mazda.sk^ +||dialogue.nl.mazda.be^ +||diamages.carte-gr.total.fr^ +||digital-engineering.de^ +||digital-global.furniture-china.cn^ +||digital.adt-worldwide.com^ +||digital.adt.cl^ +||digital.adt.co.cr^ +||digital.adt.co.uk^ +||digital.adt.com.br^ +||digital.adt.com.es^ +||digital.adt.com.mx^ +||digital.adt.com.uy^ +||digital.aptaracorp.com^ +||digital.bebold.cx^ +||digital.cloud.travelport.com^ +||digital.dynatos.be^ +||digital.forddirectdealers.com^ +||digital.ironmountain.com^ +||digitalworkplace.ricoh.fr^ +||discover.10play.com.au^ +||discover.absciex.com.cn^ +||discover.absciex.com^ +||discover.aptly.de^ +||discover.averydennison.com^ +||discover.citeline.com^ +||discover.clarivate.com^ +||discover.conversantmedia.com^ +||discover.evaluate.com^ +||discover.fullsail.edu^ +||discover.harvardbusiness.org^ +||discover.immofinanz.com^ +||discover.jll.com^ +||discover.parker.com^ +||discover.pharmaignite.com^ +||discover.phenomenex.com^ +||discover.rewe-group.at^ +||discover.streamly.video^ +||discover.tenplay.com.au^ +||discover2.secureforms.mcafee.com^ +||distributors.balluff.com^ +||dk-go.experian.com^ +||dloeloqua.danskespil.dk^ +||dm.smfl.jp^ +||dmkt.solutions.cas.org^ +||dnews.alfaromeo.it^ +||dnews.fiat.it^ +||domorewithless.adp.ca^ +||downeconomywp.advancedtech.com^ +||download.createyournextcustomer.com^ +||download.dnv.com^ +||downloads.advancedtech.com^ +||downloads.coface.com^ +||downloads.mcgladrey.com^ +||downpayment.fernsby.com^ +||dozententag.ni.com^ +||drive.seagate.com^ +||drugtest.questdiagnostics.com^ +||dsdordering.kdrp.com^ +||dtestpromo.fiat.it^ +||dx.thermo.com^ +||dx.thermofisher.com^ +||e-img.hover.to^ +||e-learning.brainshark.com^ +||e.beckmancoulter.com^ +||e.darpro-solutions.com^ +||e.fdm.dk^ +||e.gettyimages.ae^ +||e.gettyimages.co.jp^ +||e.gettyimages.co.nz^ +||e.gettyimages.in^ +||e.gettyimages.nl^ +||e.gettyimages.pt^ +||e.nicklauschildrens.org^ +||e.pomonaelectronics.com^ +||e10.verticurl.com^ +||eagle.aon.com^ +||eastern2.secureforms.mcafee.com^ +||eatonaero.advancedtech.com^ +||eb.informabi.com^ +||ebooks.javer.com.mx^ +||economicadvantage.midamerican.com^ +||economies.adp.ca^ +||ecvmbusiness.mtn.co.za^ +||ed1.comcastbiz.com^ +||edge.ricoh-europe.com^ +||edpsmart.edpcomunicacao.com.br^ +||education.bendigotafe.edu.au^ +||education.leads360.com^ +||education.moodybible.org^ +||education.ricoh.ch^ +||education.ricoh.fr^ +||education.velocify.com^ +||educontinua.javeriana.edu.co^ +||efficiency.nl.visma.com^ +||efficiency.visma.com^ +||efficiency.visma.dk^ +||efficiency.visma.fi^ +||efficiency.visma.lv^ +||efficiency.visma.se^ +||efm.verintsystemsinc.com^ +||ehtel.endress.com^ +||electronics.edm.globalsources.com^ +||electronics.tradeshow.globalsources.com^ +||elia.thermofisher.com^ +||elink.serasaexperian.com.br^ +||eloq.fiducial.fr^ +||eloqua-tracking.kaiserpermanente.org^ +||eloqua-tracking.unity.com^ +||eloqua-tracking.unity3d.com^ +||eloqua-trackings.unity.com^ +||eloqua-trackings.unity3d.com^ +||eloqua-uat.motorolasolutions.com^ +||eloqua.53.com^ +||eloqua.acspubs.org^ +||eloqua.apexsql.com^ +||eloqua.binarytree.com^ +||eloqua.brakepartsinc.com^ +||eloqua.certiport.com^ +||eloqua.digitalpi.com^ +||eloqua.eafit.edu.co^ +||eloqua.eft.com^ +||eloqua.emdmillipore.com^ +||eloqua.erwin.com^ +||eloqua.ethicalcorp.com^ +||eloqua.exploreliberty.com^ +||eloqua.eyeforpharma.com^ +||eloqua.eyefortravel.com^ +||eloqua.gdlcouncil.org^ +||eloqua.impactconf.com^ +||eloqua.incite-group.com^ +||eloqua.infobip.com^ +||eloqua.insurancenexus.com^ +||eloqua.juilliard.edu^ +||eloqua.liberty.edu^ +||eloqua.mindhub.com^ +||eloqua.mindhubpro.com^ +||eloqua.moschampionship.com^ +||eloqua.newenergyupdate.com^ +||eloqua.nissan.com.tw^ +||eloqua.nuclearenergyinsider.com^ +||eloqua.oneidentity.com^ +||eloqua.onelogin.com^ +||eloqua.pearsonvue.ae^ +||eloqua.pearsonvue.co.jp^ +||eloqua.pearsonvue.co.uk^ +||eloqua.pearsonvue.com.cn^ +||eloqua.pearsonvue.com^ +||eloqua.petchem-update.com^ +||eloqua.pointcode.fr^ +||eloqua.psl.com.au^ +||eloqua.quadrotech-it.com^ +||eloqua.quest.com^ +||eloqua.radware.com^ +||eloqua.raybestos.com^ +||eloqua.roche.com^ +||eloqua.saiganeshk.com^ +||eloqua.sigmaaldrich.com^ +||eloqua.soprasteria.co.uk^ +||eloqua.syslog-ng.com^ +||eloqua.teknos.com^ +||eloqua.ufm.edu^ +||eloqua.undergraduateexam.in^ +||eloqua.upstreamintel.com^ +||eloquaimages.e.abb.com^ +||eloquamarketing.masterlock.com^ +||eloquatrack.kistler.com^ +||eloquatracking.internationalsos.com^ +||eloquatracking.iqvia.com^ +||eloquatracking.mindbody.io^ +||elq-tracking.genomes.atcc.org^ +||elq-trk.fullsail.edu^ +||elq.accuity.com^ +||elq.adaptris.com^ +||elq.analog.com^ +||elq.ansible.com^ +||elq.artsfestival.org^ +||elq.axeslive.com^ +||elq.blackrock.com^ +||elq.cirium.com^ +||elq.efront.com^ +||elq.eg.co.uk^ +||elq.egi.co.uk^ +||elq.enterprisersproject.com^ +||elq.feedbacknow.com^ +||elq.fisherinvestments.com^ +||elq.forrester.com^ +||elq.hamamatsu.com^ +||elq.icis.com^ +||elq.insource.co.jp^ +||elq.irobot.com^ +||elq.keysight.com.cn^ +||elq.keysight.com^ +||elq.lansa.com^ +||elq.macu.com^ +||elq.mh.mercuryhealthcare.com^ +||elq.modelgroup.com^ +||elq.mouser.ca^ +||elq.mouser.cn^ +||elq.mouser.com.tr^ +||elq.mouser.com^ +||elq.mouser.dk^ +||elq.mouser.fr^ +||elq.mouser.hk^ +||elq.mouser.it^ +||elq.mouser.jp^ +||elq.mouser.pe^ +||elq.mouser.tw^ +||elq.nextens.nl^ +||elq.openshift.com^ +||elq.opensource.com^ +||elq.proagrica.com^ +||elq.proconnect.intuit.com^ +||elq.redhat.com^ +||elq.scanningpens.ca^ +||elq.scanningpens.com.au^ +||elq.scanningpens.com^ +||elq.sonicwall.com^ +||elq.symantec.com^ +||elq.utas.edu.au^ +||elq.xperthr.co.uk^ +||elq.xperthr.nl^ +||elqact.gartner.com^ +||elqapp.clevelandbrowns.com^ +||elqapp.spectrum.com^ +||elqforms.qnx.com^ +||elqjourney.pwc.com^ +||elqtrack.broadridge.com^ +||elqtrack.kubotausa.com^ +||elqtrack.logarithmicsolutions.com^ +||elqtrack.poly.com^ +||elqtracking.capella.edu^ +||elqtracking.cengage.com^ +||elqtracking.destinationretirement.co.uk^ +||elqtracking.flexera.com^ +||elqtracking.hitachi-powergrids.com^ +||elqtracking.hitachienergy.com^ +||elqtracking.hub-group.co.uk^ +||elqtracking.hubfinancialsolutions.co.uk^ +||elqtracking.justadviser.com^ +||elqtracking.macegroup.com^ +||elqtracking.medidata.com^ +||elqtracking.mercer-retirement.co.uk^ +||elqtracking.pensionbuddy.co.uk^ +||elqtracking.revenera.com^ +||elqtracking.richardsonrfpd.com^ +||elqtracking.sandbox.wearejust.co.uk^ +||elqtracking.strayer.edu^ +||elqtracking.wearejust.co.uk^ +||elqtrck.motor.no^ +||elqtrck.nanawall.com^ +||elqtrk.cn.morningstar.com^ +||elqtrk.cummins.com^ +||elqtrk.hk.morningstar.com^ +||elqtrk.ibbotson.co.jp^ +||elqtrk.insight.tech^ +||elqtrk.intel.cn^ +||elqtrk.intel.co.il^ +||elqtrk.intel.co.jp^ +||elqtrk.intel.co.kr^ +||elqtrk.intel.co.uk^ +||elqtrk.intel.com.au^ +||elqtrk.intel.com.br^ +||elqtrk.intel.com.tr^ +||elqtrk.intel.com.tw^ +||elqtrk.intel.com^ +||elqtrk.intel.de^ +||elqtrk.intel.es^ +||elqtrk.intel.fr^ +||elqtrk.intel.in^ +||elqtrk.intel.it^ +||elqtrk.intel.la^ +||elqtrk.intel.pl^ +||elqtrk.intel.ru^ +||elqtrk.intel.sg^ +||elqtrk.intelrealsense.com^ +||elqtrk.morningstar.be^ +||elqtrk.morningstar.ch^ +||elqtrk.morningstar.com.au^ +||elqtrk.morningstar.com^ +||elqtrk.morningstar.de^ +||elqtrk.morningstar.hk^ +||elqtrk.morningstar.it^ +||elqtrk.morningstar.nl^ +||elqtrk.morningstar.no^ +||elqtrk.my.morningstar.com^ +||elqtrk.rsmus.com^ +||elqtrk.thailand.intel.com^ +||elqtrk.tw.morningstar.com^ +||elqtrkstg.intel.com^ +||elqview.kofax.com^ +||elqview.kofax.de^ +||elqview.kofax.jp^ +||elqview.uclahealth.org^ +||elqview2.uclahealth.org^ +||els298548211.medtronic.com^ +||em-email.thermofisher.com^ +||em.thermofisher.com^ +||email-am.jll-mena.com^ +||email-am.jll.ca^ +||email-am.jll.ch^ +||email-am.jll.cl^ +||email-am.jll.co.il^ +||email-am.jll.co.kr^ +||email-am.jll.co.th^ +||email-am.jll.co.za^ +||email-am.jll.com.ar^ +||email-am.jll.com.au^ +||email-am.jll.com.co^ +||email-am.jll.com.mo^ +||email-am.jll.com.mx^ +||email-am.jll.cz^ +||email-am.jll.de^ +||email-am.jll.es^ +||email-am.jll.fr^ +||email-am.jll.hu^ +||email-am.jll.it^ +||email-am.jll.pe^ +||email-am.joneslanglasalle.co.jp^ +||email-am.joneslanglasalle.com.vn^ +||email-am.stage.ca.jll.com^ +||email-am.us.jll.com^ +||email-ap.jll-mena.com^ +||email-ap.jll.ca^ +||email-ap.jll.co.id^ +||email-ap.jll.co.il^ +||email-ap.jll.co.in^ +||email-ap.jll.co.kr^ +||email-ap.jll.co.th^ +||email-ap.jll.co.uk^ +||email-ap.jll.com.ar^ +||email-ap.jll.com.au^ +||email-ap.jll.com.hk^ +||email-ap.jll.com.lk^ +||email-ap.jll.com.mx^ +||email-ap.jll.com.my^ +||email-ap.jll.com.ph^ +||email-ap.jll.com.sg^ +||email-ap.jll.com.tw^ +||email-ap.jll.de^ +||email-ap.jll.fi^ +||email-ap.jll.fr^ +||email-ap.jll.lu^ +||email-ap.jll.nz^ +||email-ap.jll.pe^ +||email-ap.joneslanglasalle.co.jp^ +||email-ap.joneslanglasalle.com.cn^ +||email-ap.joneslanglasalle.com.vn^ +||email-cm.jll-mena.com^ +||email-cm.jll.ca^ +||email-cm.jll.cl^ +||email-cm.jll.co.id^ +||email-cm.jll.co.il^ +||email-cm.jll.co.uk^ +||email-cm.jll.com.au^ +||email-cm.jll.com.hk^ +||email-cm.jll.com.mx^ +||email-cm.jll.com.sg^ +||email-cm.jll.fi^ +||email-cm.jll.hu^ +||email-cm.jll.nz^ +||email-cm.jll.pe^ +||email-cm.jllsweden.se^ +||email-cm.joneslanglasalle.co.jp^ +||email-cm.joneslanglasalle.com.vn^ +||email-em.jll-mena.com^ +||email-em.jll.be^ +||email-em.jll.ca^ +||email-em.jll.ch^ +||email-em.jll.cl^ +||email-em.jll.co.id^ +||email-em.jll.co.uk^ +||email-em.jll.co.za^ +||email-em.jll.com.co^ +||email-em.jll.com.hk^ +||email-em.jll.com.tr^ +||email-em.jll.de^ +||email-em.jll.fi^ +||email-em.jll.fr^ +||email-em.jll.ie^ +||email-em.jll.it^ +||email-em.jll.lu^ +||email-em.jll.nl^ +||email-em.jll.pe^ +||email-em.jll.pl^ +||email-em.jll.pt^ +||email-em.jll.ro^ +||email-em.jllsweden.se^ +||email-em.joneslanglasalle.co.jp^ +||email-em.joneslanglasalle.com.cn^ +||email-em.us.jll.com^ +||email-hk.americanexpress.com^ +||email-tw.americanexpress.com^ +||email.carte-gr.total.fr^ +||email.hockeytown.com^ +||email.info.exclusive-networks.com^ +||email.lottehotel.com^ +||email.mymandg.co.uk^ +||email.softwareag.com^ +||emailhoteldevelopment.ihg.com^ +||emea-go.experian.com^ +||emeadm.rockwellautomation.com^ +||emeanews.secureforms.partnermcafee.com^ +||en-gb.siemensplmevents.com^ +||en-sg.siemensplmevents.com^ +||en-us.coloplastcare.com^ +||encompassreport.elliemae.com^ +||endo.dentsply.com^ +||energy.eneco.be^ +||enews.alfaromeo.it^ +||engage-emea.jll.com^ +||engage.3m.co.cr^ +||engage.3m.co.id^ +||engage.3m.co.ke^ +||engage.3m.co.kr^ +||engage.3m.co.rs^ +||engage.3m.co.th^ +||engage.3m.co.uk^ +||engage.3m.co.za^ +||engage.3m.com.ar^ +||engage.3m.com.au^ +||engage.3m.com.bo^ +||engage.3m.com.br^ +||engage.3m.com.cn^ +||engage.3m.com.co^ +||engage.3m.com.do^ +||engage.3m.com.dz^ +||engage.3m.com.ec^ +||engage.3m.com.ee^ +||engage.3m.com.es^ +||engage.3m.com.gt^ +||engage.3m.com.hk^ +||engage.3m.com.hn^ +||engage.3m.com.hr^ +||engage.3m.com.jm^ +||engage.3m.com.kw^ +||engage.3m.com.kz^ +||engage.3m.com.lv^ +||engage.3m.com.mx^ +||engage.3m.com.my^ +||engage.3m.com.ni^ +||engage.3m.com.pa^ +||engage.3m.com.pe^ +||engage.3m.com.pk^ +||engage.3m.com.pr^ +||engage.3m.com.pt^ +||engage.3m.com.py^ +||engage.3m.com.qa^ +||engage.3m.com.ro^ +||engage.3m.com.sa^ +||engage.3m.com.sg^ +||engage.3m.com.sv^ +||engage.3m.com.tn^ +||engage.3m.com.tr^ +||engage.3m.com.tt^ +||engage.3m.com.tw^ +||engage.3m.com.ua^ +||engage.3m.com.uy^ +||engage.3m.com.vn^ +||engage.3mabrasive.co.kr^ +||engage.3mae.ae^ +||engage.3maustria.at^ +||engage.3mbelgie.be^ +||engage.3mbelgique.be^ +||engage.3mbulgaria.bg^ +||engage.3mcanada.ca^ +||engage.3mchile.cl^ +||engage.3mcompany.jp^ +||engage.3mdanmark.dk^ +||engage.3mdeutschland.de^ +||engage.3megypt.com.eg^ +||engage.3mfrance.fr^ +||engage.3mhellas.gr^ +||engage.3mindia.in^ +||engage.3mireland.ie^ +||engage.3misrael.co.il^ +||engage.3mitalia.it^ +||engage.3mlietuva.lt^ +||engage.3mmagyarorszag.hu^ +||engage.3mmaroc.ma^ +||engage.3mnederland.nl^ +||engage.3mnorge.no^ +||engage.3mnz.co.nz^ +||engage.3mphilippines.com.ph^ +||engage.3mpolska.pl^ +||engage.3mprivacyfilter.co.kr^ +||engage.3msafety.co.kr^ +||engage.3mschweiz.ch^ +||engage.3mslovensko.sk^ +||engage.3msuisse.ch^ +||engage.3msuomi.fi^ +||engage.3msverige.se^ +||engage.avalara.com^ +||engage.broadcom.com^ +||engage.build.com^ +||engage.dow.com^ +||engage.ferguson.com^ +||engage.hamiltoncaptel.com^ +||engage.informaconstructionmarkets.com^ +||engage.jacksonhewitt.com^ +||engage.jboss.com^ +||engage.jlclive.com^ +||engage.marketone.com^ +||engage.neogen.com^ +||engage.nuance.com^ +||engage.nuance.fr^ +||engage.poolspapatio.com^ +||engage.richardsonrfpd.com^ +||engage.shl.com^ +||engage.siriusdecisions.com^ +||engage.unisa.edu.au^ +||engage.uq.edu.au^ +||engage2demand.cisco.com^ +||engagemetrics.cisco.com^ +||engageru.3mrussia.ru^ +||engageru2.3mrussia.ru^ +||enquiry.marketingcube.com.au^ +||enterprise.dnb.ca^ +||enterprise2.secureforms.mcafee.com^ +||enterprises.proximus.be^ +||ep.regis.edu^ +||eqclicks.movember.com^ +||eqs.accountants.intuit.com^ +||eqs.intuit.com^ +||eqtrack.americashomeplace.com^ +||eroar.lionsclubs.org^ +||es-business.vodafone.com^ +||es-es.siemensplmevents.com^ +||es-go.experian.com^ +||es-mktg.vodafone.com^ +||es-sa.siemensplmevents.com^ +||es.adpinfo.com^ +||etc.lxhausys.com^ +||etk.locusrobotics.com^ +||etrack.ext.arubainstanton.com^ +||etrack.ext.arubanetworks.com^ +||etrack.ext.hpe.com^ +||ets.ni.com^ +||etscampaign.motorola.com^ +||eu.business.samsung.com^ +||eu.cignaglobalhealth.com^ +||eu.ironmountain.com^ +||eufunding.ukri.org^ +||eumeainfo.motorolasolutions.com^ +||eurotax-at.autovistagroup.com^ +||eurotax-be.autovistagroup.com^ +||eurotax-ch.autovistagroup.com^ +||eurotax-cz.autovistagroup.com^ +||eurotax-es.autovistagroup.com^ +||eurotax-hr.autovistagroup.com^ +||eurotax-hu.autovistagroup.com^ +||eurotax-nl.autovistagroup.com^ +||eurotax-pl.autovistagroup.com^ +||eurotax-pt.autovistagroup.com^ +||eurotax-ro.autovistagroup.com^ +||eurotax-si.autovistagroup.com^ +||eurotax-sk.autovistagroup.com^ +||eurotaxsrbija-si.autovistagroup.com^ +||evelynn.landing.ni.com^ +||evenement.ricoh.fr^ +||event.boozallen.com^ +||event.clubcorp.com^ +||event.dnv.com^ +||event.grassicpas.com^ +||event.jma.or.jp^ +||event.ortec.com^ +||event.raise3d.cn^ +||event.seatradecruiseevents.com^ +||event.seatradecruiseglobal.com^ +||event.thermofisher.com^ +||event.thermoscientific.cn^ +||event.thermoscientific.com^ +||event1.thermofisher.com^ +||event1.thermoscientific.com^ +||event3.thermofisher.com^ +||event3.thermoscientific.com^ +||eventos.abastur.com^ +||eventos.cihac.com^ +||eventos.mirecweek.com^ +||eventos.ubmmexico.com^ +||eventos.usj.es^ +||events.accuity.com^ +||events.avaya.com^ +||events.bendigotafe.edu.au^ +||events.blackboard.com^ +||events.careallies.com^ +||events.centex.com^ +||events.cigna.com^ +||events.coface.com^ +||events.elliemae.com^ +||events.engage.cebglobal.com^ +||events.executiveboard.com^ +||events.ferrari.com^ +||events.forddirectdealers.com^ +||events.glory-global.com^ +||events.gogoair.com^ +||events.golubcapital.com^ +||events.icmi.com^ +||events.interface.com^ +||events.kangan.edu.au^ +||events.marketingcube.com.au^ +||events.mbrl.ae^ +||events.mcgladrey.com^ +||events.mywd.com^ +||events.ndtco.com^ +||events.nuance.com^ +||events.oakstreethealth.com^ +||events.oddo-bhf.com^ +||events.pella.com^ +||events.rewe-group.at^ +||events.ricoh.ch^ +||events.ricoh.de^ +||events.ricoh.ie^ +||events.tafensw.edu.au^ +||events.verticurl.com^ +||exchange.carte-gr.total.fr^ +||execgroup.convio.com^ +||exhibit.coteriefashionevents.com^ +||exhibit.firex.co.uk^ +||exhibit.kbb.co.uk^ +||exhibit.magicfashionevents.com^ +||exhibit.myfashionevents.com^ +||exhibit.safety-health-expo.co.uk^ +||exhibit.ubm-events.com^ +||exhibition.edm.globalsources.com^ +||experience.aifsabroad.com^ +||experience.blackbaud.com^ +||experience.comcastbiz.com^ +||experience.jcu.edu.au^ +||experience.limelight.com^ +||experience.micromine.kz^ +||experience.phenomenex.com^ +||experience.rsm.com.au^ +||experience2013.elliemae.com^ +||experienceplatform.avaya.com^ +||experiencia.coopecaja.fi.cr^ +||expertise.logarithmicsolutions.com^ +||explore-dev.agilent.com^ +||explore-ft.agilent.com^ +||explore-uat.agilent.com^ +||explore.agilent.com^ +||explore.att.com^ +||explore.broncos.com.au^ +||explore.epsilon.com^ +||explore.firstnet.com^ +||explore.flexera.com^ +||explore.revenera.com^ +||explore.waldenu.edu^ +||ezgo.advancedtech.com^ +||facey.psjhealth.org^ +||factory.redbull.racing^ +||fan.info.heat.com^ +||fashion.edm.globalsources.com^ +||fashion.tradeshow.globalsources.com^ +||fasttrack.americanexpress.co.uk^ +||featured.bradyid.com^ +||fedexfield.redskins.com^ +||feedback.aon.com^ +||feedback.avigilon.com^ +||feedback.lifeguardarena.com^ +||feedback.nslsc-csnpe.ca^ +||ferias.usj.es^ +||files.info.posteitaliane.it^ +||findthetruth.allergyai.com^ +||fire.solutions.jci.com^ +||firstparty1.dentsplysirona.com^ +||firstpartycookie.gettyimages.com^ +||firstpartycookie.istockphoto.com^ +||flavors.firmenich.com^ +||food.informaengage.com^ +||food.pentonmarketingsvcs.com^ +||foodbrochure.advancedtech.com^ +||forex.americanexpress.com^ +||form.fusesource.com^ +||form.harvardbusiness.org^ +||form.innovative-design-lab.com^ +||form.vocalink.com^ +||formaciones.arin-innovation.com^ +||forms-emea.lenovo.com^ +||forms.anthology.com^ +||forms.b.oncourselearning.com^ +||forms.bankersalmanac.com^ +||forms.blackboard.com^ +||forms.bmc.com^ +||forms.bradyid.com^ +||forms.burriswindows.com^ +||forms.businessnews.telstra.com^ +||forms.campusmanagement.com^ +||forms.capitaliq.com^ +||forms.comcast-spectacor.com^ +||forms.cybersource.com^ +||forms.direxionfunds.com^ +||forms.egi.co.uk^ +||forms.embarcadero.com^ +||forms.enterprisenews.telstra.com^ +||forms.erepublic.com^ +||forms.executiveboard.com^ +||forms.fidelity.ca^ +||forms.fircosoft.com^ +||forms.fitchratings.com^ +||forms.flightglobal.com^ +||forms.icis.com^ +||forms.infor.com^ +||forms.irdeto.com^ +||forms.juniper.net^ +||forms.lenovo.com^ +||forms.mcgladrey.com^ +||forms.mdreducation.com^ +||forms.messe-muenchen.de^ +||forms.nexsan.com^ +||forms.nrs-inc.com^ +||forms.pella.com^ +||forms.pentonmarketingservices.com^ +||forms.personneltoday.com^ +||forms.poweritpro.com^ +||forms.progress.com^ +||forms.sharjahart.org^ +||forms.smarterbusiness.telstra.com^ +||forms.solarwinds.com^ +||forms.systeminetwork.com^ +||forms.telstraglobal.com^ +||forms.trendmicro.co.jp^ +||forms.vaisala.com^ +||forms.verisigninc.com^ +||forms.vistage.com^ +||forms.vmtechpro.com^ +||forms.web.roberthalf.com^ +||forms.xperthr.co.uk^ +||forms.xperthr.com^ +||forms.xtralis.com^ +||forms2.vistage.com^ +||fp.kalevavakuutus.fi^ +||fp.mandatum.fi^ +||fp.mandatumlife.fi^ +||fp.mandatumtrader.fi^ +||fpc.acpinternist.org^ +||fpc.acpjournals.org^ +||fpc.acponline.org^ +||fpc.annals.org^ +||fpc.arborcrowd.com^ +||fpc.attcenter.com^ +||fpc.cebglobal.com^ +||fpc.choosemylo.com^ +||fpc.ciel.com^ +||fpc.consumerportfolio.com^ +||fpc.gartner.com^ +||fpc.golubcapital.com^ +||fpc.immattersacp.org^ +||fpc.inxinternational.com^ +||fpc.laerdal.com^ +||fpc.pelican.com^ +||fpc.questoraclecommunity.org^ +||fpc.sage.com^ +||fpc.sg2.com^ +||fpc.singleplatform.com^ +||fpc.trimarkusa.com^ +||fpc.utexas.edu^ +||fpcdallasstars.nhl.com^ +||fpcsbulls.nba.com^ +||fpt.inxinternational.com^ +||fr-go.experian.com^ +||fr.adpinfo.com^ +||fr.contact.alphabet.com^ +||france.alphabet.com^ +||frc.redcross.fi^ +||fromhttptohttps.atea.fi^ +||frostnsullivan.advancedtech.com^ +||fusiontechnology.arrow.com^ +||future.coniferhealth.com^ +||future.jcu.edu.au^ +||future.uwindsor.ca^ +||fvc.alcatel-lucent.com^ +||fxipca.americanexpress.ca^ +||fxipreferral.americanexpress.com^ +||fxipwelcome.americanexpress.ca^ +||fxpayments.americanexpress.co.nz^ +||fxpayments.americanexpress.com.au^ +||fxreferral.americanexpress.com^ +||gateway.aimia.com^ +||gb.click.finning.com^ +||gba.kwm.com^ +||gbl.radware.com^ +||gbtracking.cubiq.com^ +||gbtracking.finning.com^ +||gc.titans.com.au^ +||gccmembershiprewards.americanexpress.de^ +||gccmembershiprewards.americanexpress.it^ +||gcn.tuv.com^ +||gdg.gardnerdenver.com^ +||gdmelqact.gartner.com^ +||gestiondocumentaire.ricoh.fr^ +||get.anthem.com^ +||get.diamanti.com^ +||get.docusign.com^ +||get.empireblue.com^ +||get.nl.ukg.be^ +||get.sage.com^ +||get.ukg.be^ +||get.ukg.ca^ +||get.ukg.co.uk^ +||get.ukg.com.au^ +||get.ukg.de^ +||get.ukg.fr^ +||get.ukg.in^ +||get.ukg.mx^ +||get.ukg.nl^ +||getconnected.infor.com^ +||getinfo.fullsail.edu^ +||ghp.adp.ca^ +||glass.autovistagroup.com^ +||glassguide-au.autovistagroup.com^ +||global-go.experian.com^ +||global-mktg.transunion.com^ +||global.cphi-china.cn^ +||global.fia-china.com^ +||global.successfactors.com^ +||global.zenprise.com^ +||globalbanking.wolterskluwer.com^ +||globaleloqua.americanexpress.com^ +||globalsolutions.risk.lexisnexis.com^ +||gn.informaengage.com^ +||go-communications.comed.com^ +||go-elqau.oracle.com^ +||go-marketing.comed.com^ +||go-response.thermofisher.com^ +||go-stage.oracle.com^ +||go.accredible.com^ +||go.air-electra.co.il^ +||go.ali-cle.org^ +||go.avalara.com^ +||go.avon.sk^ +||go.axione.com^ +||go.azets.dk^ +||go.azets.fi^ +||go.azets.no^ +||go.azets.se^ +||go.bandits.com^ +||go.billsmafia.com^ +||go.blackboard.com^ +||go.blackrock.com^ +||go.bouygues-construction.com^ +||go.brightspace.com^ +||go.canadalifecentre.ca^ +||go.cargotec.com^ +||go.carrefourclub.co.il^ +||go.century21.fr^ +||go.cf.labanquepostale.fr^ +||go.client.gazpasserelle.engie.fr^ +||go.climate.emerson.com^ +||go.comcastspectacor.com^ +||go.computacenter.com^ +||go.comres.emerson.com^ +||go.comres1.emerson.com^ +||go.contact.alphabet.com^ +||go.cornerstonebuildingbrands.com^ +||go.dallasstars.com^ +||go.deltek.com^ +||go.dunnhumby.com^ +||go.dxc.technology^ +||go.e.mailchimp.com^ +||go.earlywarning.com^ +||go.econnect.dellmed.utexas.edu^ +||go.edmontonoilers.com^ +||go.electra-consumer.co.il^ +||go.emeadatacenter.services.global.ntt^ +||go.emersonautomation.com^ +||go.engineeringim.com^ +||go.enterprise.spectrum.com^ +||go.event.eset.com^ +||go.exactonline.de^ +||go.exactonline.fr^ +||go.exactonline.nl^ +||go.eyefinity.com^ +||go.fairviewmicrowave.com^ +||go.fhlbny.com^ +||go.flukebiomedical.com^ +||go.fortifybuildingsolutions.com^ +||go.greenlee.emerson.com^ +||go.hager.com^ +||go.hager.ie^ +||go.hager.nl^ +||go.hager.pl^ +||go.hager.se^ +||go.healthgrades.com^ +||go.hello.navan.com^ +||go.heritagebuildings.com^ +||go.hitachienergy.com^ +||go.hocoma.com^ +||go.imaginecommunications.com^ +||go.info.verifi.com^ +||go.info.verticurl.com^ +||go.insinkerator.emerson.com^ +||go.int.vsp.com^ +||go.integraoptics.com^ +||go.intercall.com^ +||go.inxinternational.com^ +||go.itsehoitoapteekki.fi^ +||go.kareo.com^ +||go.klauke.emerson.com^ +||go.kurumsal.vodafone.com.tr^ +||go.l-com.com^ +||go.labcorp.com^ +||go.lasvegasaces.com^ +||go.laurelsprings.com^ +||go.mashery.com^ +||go.metallic.com^ +||go.mge.com^ +||go.milestek.com^ +||go.mitesp.com^ +||go.morningstar.com^ +||go.motivcx.com^ +||go.mwe.com^ +||go.my.elca.ch^ +||go.navepoint.com^ +||go.netwitness.com^ +||go.news.loyaltycompany.com^ +||go.oilkings.ca^ +||go.paze.com^ +||go.pearsonvue.com^ +||go.petrelocation.com^ +||go.plygem.com^ +||go.primeone.cloud^ +||go.protools.emerson.com^ +||go.psentertainment.com^ +||go.reach.utep.edu^ +||go.ridgid.emerson.com^ +||go.robertsonbuildings.com^ +||go.rochesterknighthawks.com^ +||go.rohrer.com^ +||go.sabres.com^ +||go.securitymsp.cisco.com^ +||go.servicenow.com^ +||go.sfcg.com^ +||go.sgs.com^ +||go.shutterstock.com^ +||go.sseairtricity.com^ +||go.steelbuilding.com^ +||go.syncsketch.com^ +||go.teknos.com^ +||go.teledynemarine.com^ +||go.testo.com^ +||go.transtector.com^ +||go.tuev.cn^ +||go.tuv.com^ +||go.ubmamg-media.com^ +||go.ukg.com^ +||go.ultimatesoftware.com^ +||go.visma.com^ +||go.vitality.com.ar^ +||go.vitalitybrasil.com^ +||go.vitecgroup.com^ +||go.vue.com^ +||go.wacom.com^ +||go.west.com^ +||go.www4.earlywarning.com^ +||go.zellepay.com^ +||go.zendesk.com^ +||go2.kofax.com^ +||go2.mathworks.com^ +||go5.global.toshiba^ +||gocertiport.pearsonvue.com^ +||gomerchant.groupon.com^ +||goto.firsttechfed.com^ +||goto.heartlandpaymentsystems.com^ +||government.informaengage.com^ +||governmentcloud.avaya.com^ +||gp.oddo-bhf.com^ +||gr-business.vodafone.com^ +||gr-go.experian.com^ +||grc2.secureforms.mcafee.com^ +||groundcare.dixiechopper.com^ +||groups.heatexperience.com^ +||grow.national.biz^ +||gsasolutionssecure.gsa.gov^ +||gslive.edm.globalsources.com^ +||gsmatch.edm.globalsources.com^ +||gsol.edm.globalsources.com^ +||gsols.edm.globalsources.com^ +||gsupplyair.carte-gr.total.fr^ +||guest.vistage.com^ +||happyholidays.coniferhealth.com^ +||harris.ni.com^ +||hasslefree.redwingshoes.com^ +||health.aonunited.com^ +||health.atlanticgeneral.org^ +||health.fishersci.com^ +||health.info.baptisthealth.com^ +||healthcare.fishersci.com^ +||healthcare.mcgladrey.com^ +||healthcare.oakstreethealth.com^ +||healthcare.thermofisher.com^ +||healthier.aahs.org^ +||healthier.luminishealth.org^ +||hello.bpost.be^ +||hello.bpost2.be^ +||hello.effervescents.com^ +||hello.grattezvotrecadeau.be^ +||hello.lesarcs-peiseyvallandry.com^ +||hello.ops.bpost.be^ +||hello.postuler.bpost.be^ +||hello.solliciteren.bpost.be^ +||hello.stbpost.be^ +||hello.trailblazers.com^ +||helpdesk.thinkhdi.com^ +||highered.franklincovey.com^ +||highlights-schadenmanager.schwacke.de^ +||highlights-schwackenet.schwacke.de^ +||hk-go.experian.com^ +||home.edm.globalsources.com^ +||hopeful.coh.org^ +||horizoneurope.ukri.org^ +||hospitality.redbull.racing^ +||hptechnology.arrow.com^ +||hr.adp.ca^ +||hsa.wageworks.info^ +||htc.oaken.com^ +||httr.redskins.com^ +||hu-business.vodafone.com^ +||hvac.solutions.jci.com^ +||i-ready.curriculumassociates.com^ +||i.moneytransfer.travelex.com^ +||ibmtechnology.arrow.com^ +||ideas.nanawall.com^ +||iduk.barcodesgroup.com^ +||ie-business.vodafone.com^ +||ie-go.experian.com^ +||ie-mktg.vodafone.com^ +||ieg.intel.com^ +||ifi-trk.informa.com^ +||iiceq.intuit.com^ +||image.go.aricent.com^ +||image.info.perkinelmer.com^ +||image.now.beyondtrust.info^ +||image.success.bluewolf.com^ +||image.thermoscientific.com^ +||imagenes.ubmmexico.com^ +||imagens.conteudo.algartelecom.com.br^ +||images.a.flukebiomedical.com^ +||images.access.imaginelearning.com^ +||images.aepinfo.com^ +||images.alliances.infor.com^ +||images.annuities.sfgmembers.com^ +||images.app.imaginecommunications.com^ +||images.arcb.com^ +||images.assets.aapa.org^ +||images.at.datawatch.com^ +||images.b2bindia.samsung.com^ +||images.b2bmkt.samsung.com^ +||images.bbs.barclaycard.co.uk^ +||images.bio.ozyme.fr^ +||images.biz.blackberry.com^ +||images.blackhat.com^ +||images.bncontacto.fi.cr^ +||images.bounceback.chiesiusa.com^ +||images.brand.j2.com^ +||images.business.fedex.com^ +||images.business.lenovo.com^ +||images.by.sensiolabs.com^ +||images.campaign.crmit.com^ +||images.campaign.reedexpo.at^ +||images.campaign.reedexpo.co.uk^ +||images.campaign.reedexpo.com^ +||images.campaign.reedexpo.de^ +||images.campaigns-qa.fidelity.com^ +||images.care.gundersenhealth.org^ +||images.care.ssmhealth.com^ +||images.care.tgh.org^ +||images.cargomarketing.email.aa.com^ +||images.chbusiness.samsung.com^ +||images.checkpoint.thomsonreuters.biz^ +||images.chef-lavan.tnuva.co.il^ +||images.cloud.cssus.com^ +||images.cloud.secure-24.com^ +||images.cloud.travelport.com^ +||images.cmbinsight.hsbc.com^ +||images.com.bouygues-es.com^ +||images.comm.pwc.com.br^ +||images.commercecloudevents.salesforce.com^ +||images.comms.cirium.com^ +||images.communication.carsales.com.au^ +||images.communication.maerskline.com^ +||images.communications.aldar.com^ +||images.communications.bt.com^ +||images.community.aidshealth.org^ +||images.compasslearning.biz^ +||images.comunicaciones.prosegur.es^ +||images.connect.ais.arrow.com^ +||images.connect.cebglobal.com^ +||images.connect.globalservices.arrow.com^ +||images.connect.hpe.com^ +||images.connect.mandiant.com^ +||images.connect.o2.co.uk^ +||images.connect.omron.eu^ +||images.connect.veritivcorp.com^ +||images.connect2.bt.com^ +||images.connect2.cebglobal.com^ +||images.connect2.globalservices.bt.com^ +||images.constellation.quintiles.com^ +||images.contact.cigna.com^ +||images.contact.princess.com^ +||images.contact.staubli.com^ +||images.contacto.unis.edu.gt^ +||images.content.aces-int.com^ +||images.content.dp.ae^ +||images.content.ser.de^ +||images.cornerstonebuildingbrands.com^ +||images.corp.berger-levrault.com^ +||images.crazynews.crazyshirts.com^ +||images.createyournextcustomer.com^ +||images.crowecomm.crowehorwath.com^ +||images.cs.consultdss.com^ +||images.cs.dsmihealth.com^ +||images.daikinchemicals.com^ +||images.deals.carpetone.com^ +||images.decisionhealth.com^ +||images.demand.awspls.com^ +||images.demand.brainshark.com^ +||images.demand.mcafee.com^ +||images.demand.naseba.com^ +||images.digital-markets.gartner.com^ +||images.directvbiz.att-mail.com^ +||images.discover.changehealthcare.com^ +||images.dm.itesm.mx^ +||images.donotreply.prudential.com^ +||images.drive.mercedes-benz.se^ +||images.dubaiholding.ae^ +||images.dvubootcamp.devry.edu^ +||images.e-insight.autovistagroup.com^ +||images.e-mail.deloittecomunicacao.com.br^ +||images.e.aquent.com^ +||images.e.bengals.com^ +||images.e.brother.com^ +||images.e.bulls.com^ +||images.e.chiefs.com^ +||images.e.congressionalfcu.org^ +||images.e.corenetglobal.org^ +||images.e.denverbroncos.com^ +||images.e.environicsanalytics.com^ +||images.e.gallup.com^ +||images.e.good2gotravelinsurance.com.au^ +||images.e.hillsbank.com^ +||images.e.ice.com^ +||images.e.istockphoto.com^ +||images.e.lexisnexis.com^ +||images.e.midmark.com^ +||images.e.mylanlabs.com^ +||images.e.pcm.com^ +||images.e.realtor.com^ +||images.e.royalmail.com^ +||images.e.seagate.com^ +||images.e.skandia.pl^ +||images.e.tcichemicals.com^ +||images.e.transunion.com^ +||images.e.tycois.com^ +||images.e.westuc.com^ +||images.e.xtelligentmedia.com^ +||images.e2.aig.com^ +||images.e3.aig.com^ +||images.edgenuity.com^ +||images.edm.carnivalaustralia.com^ +||images.edm.cunardinoz.com.au^ +||images.edm.princesscruises.com.au^ +||images.edm.propertyguru.com^ +||images.education.ifebp.org^ +||images.eloqua.fredhutch.org^ +||images.em.email-prudential.com^ +||images.em.groupon.com^ +||images.em.tdgarden.com^ +||images.email.air-worldwide.com^ +||images.email.fico.com^ +||images.email.hkaf.org^ +||images.emails.bokfinancial.com^ +||images.emails.ipcmedia.co.uk^ +||images.emarketing.hccs.edu^ +||images.emarketing.heat.com^ +||images.en25content.twilio.com^ +||images.energysolutions.evergy.com^ +||images.engage.brunswickgroup.com^ +||images.engage.cebglobal.com^ +||images.engage.elliemae.com^ +||images.engage.hamiltontel.com^ +||images.engage.hp.com^ +||images.engage.mettel.net^ +||images.engage.mims.com^ +||images.engage.nexperia.com^ +||images.engage.parexel.com^ +||images.engage.ubc.ca^ +||images.engageemea.jll.com^ +||images.enrollment.sunywcc.edu^ +||images.entreprise.com-bpifrance.fr^ +||images.eq.tm.intuit.com^ +||images.excellence.americanregistry.com^ +||images.experience.eneco.be^ +||images.explore.behr.com^ +||images.explore.editionhotels.com^ +||images.fans.mlse.com^ +||images.fanservices.jaguars.com^ +||images.financial-risk-solutions.thomsonreuters.info^ +||images.flippengroup.com^ +||images.fmpracticemanagement.lexisnexis.com^ +||images.frbusiness.samsung.com^ +||images.gc.georgiancollege.ca^ +||images.gcom.cigna.com^ +||images.get.kareo.com^ +||images.global.thomsonreuters.com^ +||images.globalempcomm.visa.com^ +||images.globalscm.eaton.com^ +||images.go.aifs.com^ +||images.go.alightsolutions.com^ +||images.go.anixter.com^ +||images.go.attcenter.com^ +||images.go.bge.com^ +||images.go.bluejacketslink.com^ +||images.go.braintreepayments.com^ +||images.go.broadridge1.com^ +||images.go.bryantstratton.edu^ +||images.go.citimortgage.com^ +||images.go.consumer.vsp.com^ +||images.go.cummins.com^ +||images.go.dentsplysirona.com^ +||images.go.diverseeducation.com^ +||images.go.elementfleet.com^ +||images.go.fastweb.it^ +||images.go.firsttechfed.com^ +||images.go.hardware.group^ +||images.go.hulft.com^ +||images.go.ifund.com.hk^ +||images.go.impinj.com^ +||images.go.insidelpl.com^ +||images.go.inxintl.com^ +||images.go.jll.com^ +||images.go.kpmgisraelmail.co.il^ +||images.go.mathworks.com^ +||images.go.metagenics.com^ +||images.go.mongodb.com^ +||images.go.na.sage.com^ +||images.go.optotechnik.zeiss.com^ +||images.go.pelican.com^ +||images.go.pioneer.com^ +||images.go.siriusdecisions.com^ +||images.go.staubli.com^ +||images.go.tennisfame.com^ +||images.go.thermofisher.com^ +||images.go.thompson.com^ +||images.go.trimarkusa.com^ +||images.go.vertivco.com^ +||images.grootzakelijk.kpn.com^ +||images.groupcommunications.royalmail.com^ +||images.guidance.choosemylo.com^ +||images.h.analog.com^ +||images.health.stlukes-stl.com^ +||images.healthlink.rsfh.com^ +||images.hq.scorecardrewards.com^ +||images.i.mesosphere.com^ +||images.identity.okta.com^ +||images.igdg.gardnerdenver.com^ +||images.ihs.com^ +||images.images.compagniedesalpes.fr^ +||images.ime.quintiles.com^ +||images.in.my1961.com^ +||images.info.acelatinamerica.com^ +||images.info.alibabacloud.com^ +||images.info.amexgbt.com^ +||images.info.aviationweek.com^ +||images.info.celum.com^ +||images.info.clubcorp.com^ +||images.info.coleparmer.com^ +||images.info.coopenae.fi.cr^ +||images.info.coopeservidores.fi.cr^ +||images.info.dfsco.com^ +||images.info.fibia.dk^ +||images.info.fticonsulting.com^ +||images.info.grenke.com^ +||images.info.grupovaughan.com^ +||images.info.informex.com^ +||images.info.innovateuk.org^ +||images.info.intrawest.com^ +||images.info.kpmgrealinsights.com^ +||images.info.la-z-boy.com^ +||images.info.legalsolutions.thomsonreuters.co.uk^ +||images.info.mercuryinsurance.com^ +||images.info.mercycare.org^ +||images.info.microstrategy.com^ +||images.info.monumentalsports.com^ +||images.info.newhope.com^ +||images.info.patheon.com^ +||images.info.pentontech.com^ +||images.info.posteitaliane.it^ +||images.info.proov.io^ +||images.info.rcgt.com^ +||images.info.resursbank.se^ +||images.info.rodekors.no^ +||images.info.seatradecruiseglobal.com^ +||images.info.shinoken.com^ +||images.info.siemensplmevents.com^ +||images.info.solidab.se^ +||images.info.telogis.com^ +||images.info.totalfleet.fr^ +||images.info.tupperware.at^ +||images.info.tupperware.be^ +||images.info.tupperware.de^ +||images.info.tupperware.pt^ +||images.info.tycosimplexgrinnell.com^ +||images.info.veritas.com^ +||images.info.visma.com^ +||images.info.wearejust.co.uk^ +||images.info.yourmobilitypartner.com^ +||images.info.yoursolutionspartner.com^ +||images.info.yousee.dk^ +||images.infofreddiemac.com^ +||images.informador.davivienda.com^ +||images.information.thmarch.co.uk^ +||images.inport.princess.com^ +||images.insight.extrahop.com^ +||images.insight.intrado.com^ +||images.insurance.leavitt.com^ +||images.integrity.synopsys.com^ +||images.interact.jll.com^ +||images.internalcomms.ntt.com^ +||images.it.business.samsung.com^ +||images.ita.ice.it^ +||images.join.masaisrael.org^ +||images.kampanjat.yle.fi^ +||images.klubb.bonnier.se^ +||images.lauthorities.com^ +||images.learn.arborcrowd.com^ +||images.learn.blr.com^ +||images.learn.cmdgroup.com^ +||images.learn.deloitte.com^ +||images.learn.drivemedical.com^ +||images.learn.follett.com^ +||images.learn.hitachiconsulting.com^ +||images.learn.hmhco.com^ +||images.learn.internationalsosfoundation.org^ +||images.learn.pharmacyclics.com^ +||images.learn.queenslibrary.org^ +||images.learn.shredit.com^ +||images.learn.unisourceworldwide.com^ +||images.link.penton3.com^ +||images.link.pentonagriculture.com^ +||images.link.pentonauto.com^ +||images.link.pentonaviation.com^ +||images.link.pentoncem.com^ +||images.link.pentonfinancialservices.com^ +||images.link.pentonfoodnews.com^ +||images.link.pentonlsm.com^ +||images.link.pentonnews.com^ +||images.livecreative.creativecircle.com^ +||images.logisticsnews.dbschenker.com^ +||images.loyalty.lindtusa.com^ +||images.lubricants.petro-canada.com^ +||images.luv.winsupplyinc.com^ +||images.m.onepeloton.com^ +||images.ma.kikusuiamerica.com^ +||images.mail-fellowesbrands.com^ +||images.mail.coloplast.com^ +||images.mail.dolce-gusto.com^ +||images.mail.tena.de^ +||images.mail01.arealink.co.jp^ +||images.mail01.learn.internationalsos.com^ +||images.mailaway.abritel.fr^ +||images.mailaway.fewo-direkt.de^ +||images.mailaway.homeaway.com^ +||images.mailaway.vrbo.com^ +||images.mailinfo.clarivate.com^ +||images.mailing.morningstar.com^ +||images.marketing-de.sage.com^ +||images.marketing.box.com^ +||images.marketing.bpp.com^ +||images.marketing.businessdirect.bt.com^ +||images.marketing.centerpointenergy.com^ +||images.marketing.deltaww.com^ +||images.marketing.demandfrontier.com^ +||images.marketing.emaarinfo.com^ +||images.marketing.habtoormotors.com^ +||images.marketing.henryscheinpracticesolutions.com^ +||images.marketing.invacare.com^ +||images.marketing.irobot.com^ +||images.marketing.kaec.net^ +||images.marketing.kaweahhealth.org^ +||images.marketing.ncc.se^ +||images.marketing.netapp.com^ +||images.marketing.richardsonrfpd.com^ +||images.marketing.selligent.com^ +||images.marketing.statistica.io^ +||images.marketing.strategic-i.com^ +||images.marketing.swhyhk.com^ +||images.marketing.zeusinc.com^ +||images.matservice.fcagroup.com^ +||images.max.max-finance.co.il^ +||images.mdtinternal.com^ +||images.medlem.naf.no^ +||images.medtronicdiabetes.com^ +||images.messages.seagate.com^ +||images.mkt.acindar.com.ar^ +||images.mkt.movida.com.br^ +||images.mkt.nectarconsulting.com.br^ +||images.mkt.zoominfo.com^ +||images.mkt.zte.com.cn^ +||images.mktg.dynabook.com^ +||images.mktgassets.symantec.com^ +||images.mm.eulerhermes.com^ +||images.moparservice.mopar.eu^ +||images.moresand.co.uk^ +||images.my1961.com^ +||images.myhealthyfinances.com^ +||images.myhome.modernize.com^ +||images.na.agcocorp.com^ +||images.na.sage.com^ +||images.nasdaqtech.nasdaq.com^ +||images.nationalproduction.wgbh.org^ +||images.news.auchan.lu^ +||images.news.extrahop.com^ +||images.news.lavoro.gov.it^ +||images.news.meraas.com^ +||images.news.panasonic.asia^ +||images.news.psjhealth.org^ +||images.news.thunderinsider.com^ +||images.news.wiley.com^ +||images.newsletter.hach.com.cn^ +||images.newsletter.larksuite.com^ +||images.newsletter.rewe-group.at^ +||images.notice.wageworks.com^ +||images.noticias.clarin.com^ +||images.notifications.aigdirect.com^ +||images.novedades.fibercorp.com.ar^ +||images.nwinsurance.pemco.com^ +||images.offers.princesscruises.co.uk^ +||images.on.karnovgroup.com^ +||images.online.bankofjordan.com.jo^ +||images.online.chancellors.co.uk^ +||images.online.mt.com^ +||images.ops.mailbpost.be^ +||images.oracle.netsuite.com^ +||images.outreach.pewtrusts.org^ +||images.p.smflc.jp^ +||images.pages.brightedge.com^ +||images.partner.fisglobal.com^ +||images.partnersupport.samsung.com^ +||images.performance.volvotrucks.com^ +||images.perspectives.jll.com^ +||images.portal.keppelelectric.com^ +||images.pr.thomsonreuters.com^ +||images.premier.email.shutterstock.com^ +||images.premiumdr.jp^ +||images.pride.kenya-airways.com^ +||images.pro.compagniedesalpes.fr^ +||images.programme.mavieclaire.com^ +||images.promo.mopar.eu^ +||images.protect-us.eset.com^ +||images.publicidad.cajalosandes.cl^ +||images.publishing.wiley.com^ +||images.purl.mercedes-benz.com^ +||images.query.adelaide.edu.au^ +||images.read.aspiresys.com^ +||images.register.deloittece.com^ +||images.register.lighthouse-media.com^ +||images.reldirect.lenovo.com^ +||images.respond.macktrucks.com^ +||images.respond.overheaddoor.com^ +||images.respons.aftenposten.no^ +||images.respons.schibsted.no^ +||images.response.aberdeenstandard.com^ +||images.response.amaliearena.com^ +||images.response.arcb.com^ +||images.response.architizer.com^ +||images.response.athenahealth.com^ +||images.response.bmw.co.nz^ +||images.response.bremer.com^ +||images.response.buydomains.com^ +||images.response.canesmail.com^ +||images.response.capex.com.ph^ +||images.response.cbre.com.au^ +||images.response.cisco.com^ +||images.response.demandbase.com^ +||images.response.denovo-us.com^ +||images.response.firmenich.com^ +||images.response.gcommerce.co.il^ +||images.response.handt.co.uk^ +||images.response.incontact.com^ +||images.response.lexmark.com^ +||images.response.mini.com.au^ +||images.response.motivatedigital.com^ +||images.response.nbnco.com.au^ +||images.response.orhp.com^ +||images.response.osv.com^ +||images.response.ricoh-europe.com^ +||images.response.softchoice.com^ +||images.response.vodafone.co.nz^ +||images.response.wexinc.com^ +||images.retail.ausbil.com.au^ +||images.rjf.raymondjames.com^ +||images.rsvp.capitalgrouppcs.com^ +||images.rx.reedexpo.ae^ +||images.sbs.americanexpress.com^ +||images.seemore.zebra.com^ +||images.service.boonedam.co.uk^ +||images.service.freo.nl^ +||images.service.ubmsinoexpo.com^ +||images.sfgmembers.com^ +||images.share.iheartmedia.com^ +||images.siteconnect.quintiles.com^ +||images.smartpay.changehealthcare.com^ +||images.smbdirect.lenovo.com^ +||images.solutions.createyournextcustomer.com^ +||images.solutions.dexmedia.com^ +||images.solutions.halliburton.com^ +||images.solutions.kellyservices.com^ +||images.srs.sfgmembers.com^ +||images.ssbusiness.samsung.com^ +||images.stanleyhealthcare.sbdinc.com^ +||images.studentlending.ca^ +||images.tableau.com^ +||images.tableausoftware.com^ +||images.tr-mail.bsh-group.com^ +||images.ubmamgevents.com^ +||images.uhealthsystem.miami.edu^ +||images.ultipro.ultimatesoftware.com^ +||images.uni.une.edu.au^ +||images.universidad.javeriana.edu.co^ +||images.update.lennar.com^ +||images.updates.hbo.com^ +||images.updates.hbonow.com^ +||images.v.cyberintel.verint.com^ +||images.verizonconnect.com^ +||images.voyage.apl.com^ +||images.warranty.2-10.com^ +||images.web.pirelli.com^ +||images.web.roberthalf.com^ +||images.workforce.equifax.com^ +||images2.verizonconnect.com^ +||images3.verizonconnect.com^ +||imagine.ricoh.nl^ +||imap1.carte-gr.total.fr^ +||imap2.carte-gr.total.fr^ +||imeetcentral.pgi.com^ +||img.aonunited.com^ +||img.e.sigsauer.com^ +||img.exb.emaildwtc.com^ +||img.go.coface.com^ +||img.hrm.groups.be^ +||img.learn.abreon.com^ +||img.link.cabinetry.com^ +||img.n.nasdaq.com^ +||img.newsletter.mazda.co.jp^ +||img.response.digicert.com^ +||img.website-security.symantec.com^ +||imgict.dwtcmarketing.com^ +||imginfo.insource.co.jp^ +||imgmail.mediasetpremium.it^ +||immunocap.thermofisher.com^ +||impact.carmeuse.com^ +||impact.go.economist.com^ +||in-business.vodafone.com^ +||in-go.experian.com^ +||in-mktg.vodafone.com^ +||indoeasia.edm.globalsources.com^ +||info.aacargo.com^ +||info.aag.com^ +||info.abbotsfordcentre.ca^ +||info.academynet.com^ +||info.adp.com^ +||info.aldcarmarket.com^ +||info.americanadvisorsgroup.com^ +||info.americas.mizuhogroup.com^ +||info.amperecomputing.com^ +||info.arclogics.com^ +||info.arp.com^ +||info.asce.org^ +||info.assets.reuters.com^ +||info.attcenter.com^ +||info.authorize.net^ +||info.avalara.com^ +||info.avigilon.com^ +||info.avtecinc.com^ +||info.banrural.com.gt^ +||info.bbvaautorenting.es^ +||info.bendigokangan.edu.au^ +||info.bendigotafe.edu.au^ +||info.bookkeepingconnect.pwc.com^ +||info.boozallen.com^ +||info.bouygues-es.com^ +||info.box.net^ +||info.cargoexpreso.com^ +||info.cellmedicine.com^ +||info.cengage.com^ +||info.checkin.pwc.com^ +||info.christus.mx^ +||info.clarivate.com^ +||info.clarivate.jp^ +||info.clevelandbrowns.com^ +||info.climatepledgearena.com^ +||info.commercial.keurig.com^ +||info.compasslearning.com^ +||info.compucom.com^ +||info.cybersource.com^ +||info.dailyfx.com^ +||info.darnelgroup.com^ +||info.deutscher-ausbildungsleiterkongress.de^ +||info.dfinsolutions.com^ +||info.dowjones.com^ +||info.e.royalmail.com^ +||info.edb.gov.sg^ +||info.eedinc.com^ +||info.elliemae.com^ +||info.engage.3m.com^ +||info.entega.de^ +||info.extrahop.com^ +||info.fdbhealth.com^ +||info.fieldandmain.com^ +||info.floridagators.com^ +||info.fortrea.com^ +||info.frbcommunications.org^ +||info.frbservices.org^ +||info.fscsecurities.com^ +||info.fxcm-chinese.com^ +||info.global-demand02.nec.com^ +||info.go.lorainccc.edu^ +||info.gtc.net.gt^ +||info.harte-hanks.com^ +||info.hila-leumit.co.il^ +||info.hmisrael.co.il^ +||info.igloosoftware.com^ +||info.insideview.com^ +||info.interface.com^ +||info.iowaeventscenter.com^ +||info.johnsoncontrols.com^ +||info.kace.com^ +||info.kalevavakuutus.fi^ +||info.kangan.edu.au^ +||info.kistler.com^ +||info.kita-aktuell.de^ +||info.kubotausa.com^ +||info.laley.es^ +||info.lamy-liaisons.fr^ +||info.landcentral.com^ +||info.lansa.com^ +||info.legal-solutions.thomsonreuters.co.uk^ +||info.lexisnexis.co.in^ +||info.lexisnexis.com.hk^ +||info.lexisnexis.com.my^ +||info.lexisnexis.com.sg^ +||info.liacourascenter.com^ +||info.lloydslistintelligence.com^ +||info.mackayshields.com^ +||info.mandatum.fi^ +||info.mandatumlife.fi^ +||info.marketingcube.com.au^ +||info.markmonitor.com^ +||info.mdsol.com^ +||info.metronet.com^ +||info.metronetbusiness.com^ +||info.metronetinc.com^ +||info.mkt.global.dnp.co.jp^ +||info.multiburo.com^ +||info.natera.com^ +||info.neg.co.jp^ +||info.netgear.be^ +||info.netgear.co.uk^ +||info.netgear.de^ +||info.nhlseattle.com^ +||info.o2business.de^ +||info.ohlogistics.com^ +||info.pbs.org^ +||info.pella.com^ +||info.philadelphiaunion.com^ +||info.phinmaproperties.com^ +||info.proedge.pwc.com^ +||info.protiviti.co.kr^ +||info.questoraclecommunity.org^ +||info.quova.com^ +||info.refinitiv.com^ +||info.restek.com^ +||info.reutersagency.com^ +||info.revvity.com^ +||info.rewe-group.at^ +||info.riskproducts.pwc.com^ +||info.sagepointfinancial.com^ +||info.sanantoniofc.com^ +||info.saverglass.com^ +||info.scene7.com^ +||info.scorecardrewards.com^ +||info.sec.rakuten.com.hk^ +||info.sg2.com^ +||info.shavve.co.il^ +||info.spurs.com^ +||info.sunsentinelmediagroup.com^ +||info.thecolonialcenter.com^ +||info.thermo.com^ +||info.thermofisher.com^ +||info.thermoscientific.com^ +||info.thunderhead.com^ +||info.transcontinental-printing.com^ +||info.treetopproducts.com^ +||info.ubmamevents.com^ +||info.uconnhuskies.com^ +||info.unis.edu.gt^ +||info.vaadsheli.co.il^ +||info.venyu.com^ +||info.verint.com^ +||info.versicherungspraxis24.de^ +||info.verwaltungspraxis24.de^ +||info.viant.com^ +||info.volvotrucks.us^ +||info.wkf.fr^ +||info.wolterskluwer.de^ +||info.wolterskluwer.nl^ +||info.woodburyfinancial.com^ +||info.workforce.pwc.com^ +||info.workforceorchestrator.pwc.com^ +||info1.thermofisher.com^ +||info1.thermoscientific.com^ +||info10.4thoughtmarketing.com^ +||info2.thermoscientific.com^ +||info3.thermofisher.com^ +||infopromerica.promerica.fi.cr^ +||inform.janssenpro.eu^ +||information.clubcorp.com^ +||information.cma-cgm.com^ +||information.frbcommunications.org^ +||information.lgcns.com^ +||information.skillsoft.com^ +||ingredients.firmenich.com^ +||innovation.m5.net^ +||innovations.luxaflex.com.au^ +||inqueritos-qa.cp.pt^ +||inqueritos.cp.pt^ +||ins.leavitt.com^ +||ins.wolterskluwerfs.com^ +||insight.aon.com^ +||insight.autovistagroup.com^ +||insight.business.hsbc.com^ +||insight.eurofinsexpertservices.fi^ +||insight.gbm.hsbc.com^ +||insight.leads360.com^ +||insight.optum.com^ +||insight.velocify.com^ +||insights.53.com^ +||insights.aiu.edu.au^ +||insights.aiu.sg^ +||insights.atradiuscollections.com^ +||insights.att.com^ +||insights.golubcapital.com^ +||insights.harvardbusiness.org^ +||insights.labcorp.com^ +||insights.networks.global.fujitsu.com^ +||insights.nexansdatacenter.com^ +||insights.prophet.com^ +||insightseries.redbull.racing^ +||inspire.changehealthcare.com^ +||inspire.ubmfashion.com^ +||insurance.alliant.com^ +||insurance.leads360.com^ +||insurance.velocify.com^ +||intel-trk.informa.com^ +||intel-trk.lloydslistintelligence.com^ +||intelpartneralliance.intel.com^ +||interact.crmtechnologies.com^ +||interest.truvenhealth.com^ +||internal.hcltech.com^ +||internalcomms.dbschenker.com^ +||international.edc.ca^ +||internationalpayments.americanexpress.com^ +||investments.aberdeenstandard.com^ +||investments.virtus.com^ +||investors.firmenich.com^ +||iot-business.vodafone.com^ +||iot.informaengage.com^ +||ipv3.landing.ni.com^ +||iready.curriculumassociates.com^ +||irmsolutions.choicepoint.com^ +||isac.thermofisher.com^ +||isbworld.aon.com^ +||it-business.vodafone.com^ +||it-go.experian.com^ +||itservices.ricoh.ch^ +||itservices.ricoh.co.uk^ +||itservices.ricoh.co.za^ +||itservices.ricoh.de^ +||itservices.ricoh.ie^ +||itservices.ricoh.no^ +||itt.enterprises.proximus.com^ +||iw.pentonmarketingsvcs.com^ +||ixia-elq.keysight.com^ +||ixia-lp.keysight.com^ +||ja-jp.siemensplmevents.com^ +||japan.secureforms.partnermcafee.com^ +||jhr.jacksonhealthcare.com^ +||jlfiber.advancedtech.com^ +||joc.marketing.atafreight.com^ +||jogtestdrive.jeep.com^ +||join.boozallen.com^ +||join.brandlicensing.eu^ +||join.coteriefashionevents.com^ +||join.decorex.com^ +||join.fhlbny.com^ +||join.figlobal.com^ +||join.ifsecglobal.com^ +||join.informa-events.com^ +||join.kbb.co.uk^ +||join.magicfashionevents.com^ +||join.myfashionevents.com^ +||join.pharmapackeurope.com^ +||join.projectfashionevents.com^ +||join.safety-health-expo.co.uk^ +||join.stratfor.com^ +||join.zendesk.com^ +||join02.informamarkets.com^ +||journey.cisco.com^ +||jp-go.experian.com^ +||jponmlkj.carte-gr.total.fr^ +||jubileo-ppb.carte-gr.total.fr^ +||justsayyes.infor.com^ +||kadlec.psjhealth.org^ +||kampanja.bhtelecom.ba^ +||kampanjat.atea.fi^ +||kampanjer.yxvisa.no^ +||kattoremontti.ruukki.com^ +||kl.klasselotteriet.dk^ +||klmcorporate.americanexpress.nl^ +||know.wolterskluwerlr.com^ +||knowledge.fdbhealth.com^ +||knowledge.vaisala.com^ +||kr-go.experian.com^ +||kunde.danskespil.dk^ +||la.idgenterprise.com^ +||lab.prodesp.sp.gov.br^ +||labs.verticurl.com^ +||lacinfo.motorolasolutions.com^ +||lakerspreferences.gleague.nba.com^ +||lakerspreferences.nba.com^ +||lan.landing.ni.com^ +||landing-activemeetings.wolterskluwer.com^ +||landing-annotext.wolterskluwer.com^ +||landing-dictnow.wolterskluwer.com^ +||landing-effacts.wolterskluwer.com^ +||landing-kleos.wolterskluwer.com^ +||landing-legisway.wolterskluwer.com^ +||landing-smartdocument.wolterskluwer.com^ +||landing-teamdocs.wolterskluwer.com^ +||landing-trimahn.wolterskluwer.com^ +||landing-trinotar.wolterskluwer.com^ +||landing-winra.wolterskluwer.com^ +||landing.clubcar.com^ +||landing.computershare.com^ +||landing.e.columbuscrew.com^ +||landing.georgeson.com^ +||landing.kccllc.com^ +||landing.kwm.com^ +||landing.lgensol.com^ +||landing.newyorkjets.com^ +||landing.wolterskluwer.hu^ +||landingpages.csustudycentres.edu.au^ +||landingpages.siemens-healthineers.com^ +||landings.omegacrmconsulting.com^ +||lantern.connect.o2.co.uk^ +||lantern.fortinet.com^ +||lantern7.wealth.mandg.com^ +||lantern8.wealth.mandg.com^ +||lantern9.mandg.com^ +||latam.thomsonreuters.com^ +||law.bppeloqua.com^ +||lead.blackrock.com^ +||leadmanagement.leads360.com^ +||leadmanagement.velocify.com^ +||leads.commercial.keurig.com^ +||learn.aiu.edu.au^ +||learn.amllp.com^ +||learn.amplypower.com^ +||learn.anthology.com^ +||learn.armanino.com^ +||learn.armaninollp.com^ +||learn.certiport.com^ +||learn.creditacceptance.com^ +||learn.fhlbny.com^ +||learn.grassicpas.com^ +||learn.houzz.com^ +||learn.huthwaite.com^ +||learn.insperity.com^ +||learn.jacksonhewitt.com^ +||learn.liensolutions.com^ +||learn.mvpindex.com^ +||learn.ndtco.com^ +||learn.nhaschools.com^ +||learn.oviahealth.com^ +||learn.panasonic.de^ +||learn.ricoh.ca^ +||learn.trapac.com^ +||learn.uwindsor.ca^ +||learn.wolterskluwerlb.com^ +||learn.wolterskluwerlr.com^ +||learn.wow.wowforbusiness.com^ +||learning.hmhco.com^ +||learnmore.protiviti.com^ +||lednews.powerint.com^ +||legalhold.ediscovery.com^ +||lets.go.haymarketmedicalnetwork.com^ +||lets.go.mcknightsnetwork.com^ +||lets.go.mmm-online.com^ +||lets.go.prweekus.com^ +||lfn.lfg.com^ +||library.acspubs.org^ +||library.daptiv.com^ +||lieudetravail.ricoh.fr^ +||lifescience.item24.de^ +||lifestyle.edm.globalsources.com^ +||lifestyle.tradeshow.globalsources.com^ +||like.reply.de^ +||lincoln-financial.lfd.com^ +||lincolnfinancialgroup.lfg.com^ +||lineside.networkrail.co.uk^ +||link.bankofscotland.co.uk^ +||link.global.amd.com^ +||link.halifax.co.uk^ +||link.infineon.com^ +||link.lloydsbank.com^ +||link.mbna.co.uk^ +||links.banking.scottishwidows.co.uk^ +||links.blackhorse.co.uk^ +||links.businessinsurance.bankofscotland.co.uk^ +||links.commercialemails.amcplc.com^ +||links.commercialemails.bankofscotland.co.uk^ +||links.commercialemails.blackhorse.co.uk^ +||links.commercialemails.halifax.co.uk^ +||links.commercialemails.lexautolease.co.uk^ +||links.commercialemails.lloydsbank.com^ +||links.e.response.mayoclinic.org^ +||links.email.bm-solutions.co.uk^ +||links.email.hx-intermediaries.co.uk^ +||links.emails-sharedealing.co.uk^ +||links.emails.birminghammidshires.co.uk^ +||links.global.protiviti.com^ +||links.go.shoretel.com^ +||links.insurance.lloydsbank.com^ +||links.lexautolease.co.uk^ +||links.news.riverview.org^ +||links.npsemails.mbna.co.uk^ +||links.qumu.com^ +||live.alljobs.co.il^ +||live.polycom.com^ +||live.techit.co.il^ +||log.cognex.com^ +||logistics.coyote.com^ +||logistics.dbschenker.com^ +||lp-eq.mitsuichemicals.com^ +||lp.adp.com^ +||lp.americas.business.samsung.com^ +||lp.antalis.com^ +||lp.apac.business.samsung.com^ +||lp.befly.com.br^ +||lp.capella.edu^ +||lp.connect.garnethealth.org^ +||lp.connectedcare.wkhs.com^ +||lp.copeland.com^ +||lp.deloittecomunicacao.com.br^ +||lp.dynabook.com^ +||lp.edpcomunicacao.com.br^ +||lp.email-particuliers.engie.fr^ +||lp.embarcadero.com^ +||lp.europe.business.samsung.com^ +||lp.flytour.com.br^ +||lp.fusioncharts.com^ +||lp.go.toyobo.co.jp^ +||lp.healthinfo.thechristhospital.com^ +||lp.info.aspirus.org^ +||lp.info.jeffersonhealth.org^ +||lp.internalcomms.exclusive-networks.com^ +||lp.jurion.de^ +||lp.leadingauthorities.com^ +||lp.marketing.engie-homeservices.fr^ +||lp.mkt-email.samsungsds.com^ +||lp.nexity.fr^ +||lp.northwestern.nm.org^ +||lp.oralia.fr^ +||lp.pro.engie.fr^ +||lp.response.deloitte.com^ +||lp.sekisuikasei.com^ +||lp.services.tuftsmedicine.org^ +||lp.smartbusiness.samsung.com^ +||lp.solutions.cegos.it^ +||lp.sophos.com^ +||lp.strayer.edu^ +||lp.svenskapostkodlotteriet.se^ +||lp.tfd-corp.co.jp^ +||lp.tix.lehigh.edu^ +||lp3.dentsplysirona.com^ +||lps-info.arval.com^ +||lrbelgium.wolterskluwer.com^ +||lrgermany.wolterskluwer.com^ +||lrhungary.wolterskluwer.com^ +||lritaly.wolterskluwer.com^ +||lrnetherlands.wolterskluwer.com^ +||lrpoland.wolterskluwer.com^ +||lrslovakia.wolterskluwer.com^ +||ltam2.secureforms.mcafee.com^ +||lxlx6p7y.arrow.com^ +||m.bumrungrad1378.com^ +||m.carte-gr.total.fr^ +||m.enerpac.com^ +||m.mywd.com^ +||m.premier.info.shutterstock.com^ +||ma.hitachi-systems.com^ +||ma.hmhco.com^ +||mackaytracking.newyorklifeinvestments.com^ +||mail.carte-gr.total.fr^ +||mail.dolce-gusto.at^ +||mail.dolce-gusto.be^ +||mail.dolce-gusto.bg^ +||mail.dolce-gusto.ca^ +||mail.dolce-gusto.cl^ +||mail.dolce-gusto.co.cr^ +||mail.dolce-gusto.co.il^ +||mail.dolce-gusto.co.kr^ +||mail.dolce-gusto.co.nz^ +||mail.dolce-gusto.co.uk^ +||mail.dolce-gusto.co.za^ +||mail.dolce-gusto.com.ar^ +||mail.dolce-gusto.com.au^ +||mail.dolce-gusto.com.mx^ +||mail.dolce-gusto.com.my^ +||mail.dolce-gusto.com.sg^ +||mail.dolce-gusto.com.tw^ +||mail.dolce-gusto.cz^ +||mail.dolce-gusto.de^ +||mail.dolce-gusto.dk^ +||mail.dolce-gusto.es^ +||mail.dolce-gusto.fi^ +||mail.dolce-gusto.fr^ +||mail.dolce-gusto.gr^ +||mail.dolce-gusto.hk^ +||mail.dolce-gusto.hu^ +||mail.dolce-gusto.ie^ +||mail.dolce-gusto.it^ +||mail.dolce-gusto.nl^ +||mail.dolce-gusto.no^ +||mail.dolce-gusto.pl^ +||mail.dolce-gusto.pt^ +||mail.dolce-gusto.ro^ +||mail.dolce-gusto.ru^ +||mail.dolce-gusto.se^ +||mail.dolce-gusto.sk^ +||mail.dolce-gusto.ua^ +||mail.dolce-gusto.us^ +||mail.information.maileva.com^ +||mail.rethinkretirementincome.co.uk^ +||mail2.carte-gr.total.fr^ +||mailer.carte-gr.total.fr^ +||mailgate.carte-gr.total.fr^ +||mailgw.carte-gr.total.fr^ +||mailin.carte-gr.total.fr^ +||mails.coloplast.com^ +||mailx.carte-gr.total.fr^ +||managedaccounts.nvenergy.com^ +||managedaccounts.pacificpower.net^ +||managedaccounts.rockymountainpower.net^ +||map.rockwellautomation.com^ +||march.landing.ni.com^ +||marketing-ap.mmc.co.jp^ +||marketing-form.fiat.com^ +||marketing-tracking.thomsonreuters.com^ +||marketing.adaptiveplanning.com^ +||marketing.agora.io^ +||marketing.alkhaleej.com.sa^ +||marketing.allenmotorgroup.co.uk^ +||marketing.aviationweek.com^ +||marketing.bajajelectricals.com^ +||marketing.business.vodafone.co.uk^ +||marketing.cigna.com^ +||marketing.clippergifts.at^ +||marketing.clippergifts.co.uk^ +||marketing.clippergifts.nl^ +||marketing.cloud.travelport.com^ +||marketing.colman.ac.il^ +||marketing.contenur.com^ +||marketing.edpcomunicacao.com.br^ +||marketing.enterprisedb.com^ +||marketing.euromaster.de^ +||marketing.global360.com^ +||marketing.golubcapital.com^ +||marketing.handt.co.uk^ +||marketing.hilton.com^ +||marketing.ianywhere.com^ +||marketing.igopost.no^ +||marketing.igopost.se^ +||marketing.income.com.sg^ +||marketing.naf.no^ +||marketing.netafim.cn^ +||marketing.netafim.com.br^ +||marketing.netafim.com.mx^ +||marketing.nova.gr^ +||marketing.omegahms.com^ +||marketing.omeir.com^ +||marketing.overheaddoor.com^ +||marketing.pelotongroup.com^ +||marketing.promotiv.se^ +||marketing.promotivnordics.dk^ +||marketing.psentertainment.com^ +||marketing.royalalaskanmovers.com^ +||marketing.salva.es^ +||marketing.sonac.biz^ +||marketing.spcapitaliq.com^ +||marketing.tandemdiabetes.com^ +||marketing.test.insead.edu^ +||marketing.uwmedicine.org^ +||marketing1.yealink.com^ +||marketingb2b.euromaster-neumaticos.es^ +||marketingforms.jdpa.com^ +||marketingpro.euromaster.fr^ +||marketreports.autovistagroup.com^ +||marketresearch.jacksonhealthcare.com^ +||markkinointi.igopost.fi^ +||martech.wavenet.com.tw^ +||mat.lgdisplay.com^ +||matrk.rockymountainpower.net^ +||mds.ricoh-europe.com^ +||mds.ricoh.ch^ +||mds.ricoh.co.uk^ +||mds.ricoh.co.za^ +||mds.ricoh.de^ +||mds.ricoh.es^ +||mds.ricoh.ie^ +||mds.ricoh.it^ +||mds.ricoh.no^ +||me.coact.org.au^ +||me.sigsauer.com^ +||mec.hilton.com^ +||media.redbull.racing^ +||media.ubmamevents.com^ +||medlemskap.nof.no^ +||meet.intercall.com^ +||meet.westuc.com^ +||meeting.nuance.com^ +||meetings.gaylordhotels.com^ +||memberships.clubcorp.com^ +||memelq.acs.org^ +||mercadeo.promerica.fi.cr^ +||message.sonicwall.com^ +||messages.blackhat.com^ +||metrics-go.experian.com^ +||metrics-now.experian.com^ +||metrics.mhi.com^ +||metricsinfo.edc.ca^ +||metricsinfoqac.edc.ca^ +||mexico.balluff.com^ +||micro.workplaceinvesting.fidelity.com^ +||microlearning.att.com^ +||microsite.pbs.org^ +||microsite.standardandpoors.com^ +||mini-site.larksuite-marketing.com^ +||mirec.ubmmexico.com^ +||mk.convera.com^ +||mkg.colfondos.co^ +||mkt-tracking.cloudmargin.com^ +||mkt.compactaprint.com.br^ +||mkt.consultdss.com^ +||mkt.unipega.com^ +||mktg.feedbacknow.com^ +||mktg.forrester.com^ +||mktg.northstardubai.com^ +||mlc.martela.se^ +||mobile-electronics.edm.globalsources.com^ +||mobile.blackboard.com^ +||mobile.tradeshow.globalsources.com^ +||mobile.vmware.com^ +||moodlerooms.blackboard.com^ +||more.groups.be^ +||more.spglobal.com^ +||mortgage.equifax.com^ +||mortgage.inform.equifax.com^ +||mortgage.leads360.com^ +||mortgage.velocify.com^ +||motm.adp.ca^ +||move.azets.com^ +||move.azets.dk^ +||move.azets.fi^ +||move.azets.no^ +||move.azets.se^ +||mroprospector.aviationweek.com^ +||ms.informaengage.com^ +||ms1.morganstanley.com^ +||msa-emea.secureforms.partnermcafee.com^ +||msa-uki.secureforms.partnermcafee.com^ +||mt-business.vodafone.com^ +||mws.verisk.com^ +||mx.carte-gr.total.fr^ +||mx.information.maileva.com^ +||mx.mywd.com^ +||mx2.carte-gr.total.fr^ +||my-go.experian.com^ +||my.catfinancial.com^ +||my.internationalsos.com^ +||my.iso.com^ +||my.kace.com^ +||my.kpmg.ca^ +||my.macu.com^ +||my.pannar.com^ +||my.totaljobs.com^ +||my.verisk.com^ +||my.xactware.co.uk^ +||my.xactware.com^ +||myevents.thalesgroup.com^ +||myfeed.thalesgroup.com^ +||myfuture.futureelectronics.com^ +||myhealth.ssmhealth.com^ +||myhotelbook.pegs.com^ +||myinfo.borland.com^ +||myinfo.eaton.com^ +||mypa-hk.americanexpress.com^ +||mypa-in-prop.americanexpress.com^ +||mypa-sg-prop.americanexpress.com^ +||myprofile.panasonic.eu^ +||myprofile.technics.eu^ +||mysite.webroot.com^ +||mystery.vfmleonardo.com^ +||mywebpage.ni.com^ +||na-pages.husqvarna.com^ +||namrinfo.motorolasolutions.com^ +||nationalaccounts.adp.com^ +||nbg.seagate.com^ +||nd.nasdaqtech.nasdaq.com^ +||ndi.nuance.com^ +||ned.themarketingscience.com^ +||networkingexchange.att.com^ +||networkprotection.mcafee.com^ +||networks.balluff.com^ +||newperspective.americanexpress.com^ +||news.cannesyachtingfestival.com^ +||news.communications-rmngp.fr^ +||news.crmtechnologies.com^ +||news.dbschenker.com^ +||news.equipbaie.com^ +||news.expoprotection.com^ +||news.fiac.com^ +||news.forddirectdealers.com^ +||news.iftm.fr^ +||news.income.com.sg^ +||news.inttra.com^ +||news.la-z-boy.com^ +||news.mazars.nl^ +||news.promo.fcagroup.com^ +||news.reedexpo.com.cn^ +||news.reedexpo.fr^ +||news.salon-aps.com^ +||news.seatrade-maritime.com^ +||news.sitl.eu^ +||news.supplychain-event.com^ +||news.tcsg.edu^ +||news2.secureforms.mcafee.com^ +||newsflash.elliemae.com^ +||newsletter.dolce-gusto.ch^ +||newsletter.standardandpoors.com^ +||newsletter.teletech.com^ +||newsletters.bancsabadell.com^ +||nidays.austria.ni.com^ +||nidays.suisse.ni.com^ +||nidays.switzerland.ni.com^ +||nl-go.experian.com^ +||nl-nl.coloplastcare.com^ +||nl.aon.com^ +||nonprofit.aon.com^ +||nordics.atradius.com^ +||nordicsbtaenrolment.americanexpress.co.uk^ +||notices.regis.edu^ +||noticias.grandt.com.ar^ +||notificaciones.conduce-seguro.es^ +||notify.eset.com^ +||novedades.telecomfibercorp.com.ar^ +||now.catersource.com^ +||now.cummins.com^ +||now.cumminsfiltration.com^ +||now.fintechfutures.com^ +||now.greenbuildexpo.com^ +||now.informaconnect01.com^ +||now.m5net.com^ +||now.myfashionevents.com^ +||now.wealthmanagement.com^ +||ns.carte-gr.total.fr^ +||ns2.carte-gr.total.fr^ +||nurse.fastaff.com^ +||nurse.trustaff.com^ +||nyhed.danskespil.dk^ +||nz-go.experian.com^ +||nzbusiness.vodafone.co.nz^ +||obrazy.dlabiznesu.pracuj.pl^ +||occidente.ubmmexico.com^ +||oci.dyn.com^ +||ocpi.americanexpress.ca^ +||offer.coface.com^ +||offer.lyreco.com^ +||offer.omniture.com^ +||offer.sj1.omniture.com^ +||offer.sjo.omniture.com^ +||offers.desertschools.org^ +||offers.la-z-boy.com^ +||oiat.dow.com^ +||oj.brothercloud.com^ +||okto1.spsglobal.com^ +||old.globalservices.arrow.com^ +||one-source.tax.thomsonreuters.com^ +||onecloud.avaya.com^ +||online-mt-com-455208869.p06.elqsandbox.com^ +||online.cphi.cn^ +||online.eaglepi.com^ +||online.expolifestyle.com^ +||online.hnoexpo.com^ +||online.hsrexpo.com^ +||online.jtiadvance.co.uk^ +||online.rwdls.com^ +||online.rwdstco.com^ +||online.sharjahart.org^ +||online.spsglobal.com^ +||onlineshop.ricoh.ch^ +||onlineshop.ricoh.de^ +||onlineshop.ricoh.it^ +||onlineshop.ricoh.lu^ +||onlineshop.ricoh.no^ +||onlineshop.ricoh.pl^ +||onmlkjiion.carte-gr.total.fr^ +||ops.sunpowercorp.com^ +||optifiantsion.carte-gr.total.fr^ +||optimize.mcafee.com^ +||optionen.hager.de^ +||optumcoding.optum.com^ +||oracle-netsuite-com-796203850.p04.elqsandbox.com^ +||oracle.marketingcube.com.au^ +||oracletechnology.arrow.com^ +||organizations.stratfor.com^ +||origin.www.images.2.forms.healthcare.philips.com^ +||our.sunshinecoast.qld.gov.au^ +||out.information.maileva.com^ +||outreach.sbf.org.sg^ +||owp-sg-prop.americanexpress.com^ +||owp-tw.americanexpress.com^ +||p01.sc.origins.en25.com^ +||p03.sc.origins.en25.com^ +||p04.sc.origins.en25.com^ +||p06.sc.origins.en25.com^ +||page.care.salinasvalleyhealth.com^ +||page.email.trinity-health.org^ +||page.griffinshockey.com^ +||page.health.tmcaz.com^ +||page.sangfor.com.cn^ +||page.sangfor.com^ +||page.thalesgroup.com^ +||pagename.care.ummhealth.org^ +||pages.arabiancentres.com^ +||pages.att.com^ +||pages.batteryworld.com.au^ +||pages.bayer.com^ +||pages.bioglan.com.au^ +||pages.canon.com.au^ +||pages.cenomicenters.com^ +||pages.concoursefinancial.com^ +||pages.contact.umpquabank.com^ +||pages.dubaifitnesschallenge.com^ +||pages.e.chooseumpquabank.com^ +||pages.erepublic.com^ +||pages.expowest.com^ +||pages.feedback.ignite.gleague.nba.com^ +||pages.feedback.vegasgoldenknights.com^ +||pages.financialintelligence.informa.com^ +||pages.health365.com.au^ +||pages.indigovision.com^ +||pages.info.anaheimducks.com^ +||pages.info.exclusive-networks.com^ +||pages.info.hondacenter.com^ +||pages.informatech1.com^ +||pages.intelligence.informa.com^ +||pages.kwm.com^ +||pages.ledger.com^ +||pages.lloydslist.com^ +||pages.lloydslistintelligence.com^ +||pages.magellangroup.com.au^ +||pages.maritimeintelligence.informa.com^ +||pages.mktg-upfield.com^ +||pages.mongodb.com^ +||pages.naturopathica.com.au^ +||pages.nbjsummit.com^ +||pages.news.realestate.bnpparibas^ +||pages.omdia.informa.com^ +||pages.pentonmktgsvcs.com^ +||pages.pharmaintelligence.informa.com^ +||pages.primalpictures.com^ +||pages.reply.broadwayinhollywood.com^ +||pages.reply.dpacnc.com^ +||pages.response.terex.com^ +||pages.sailgp.com^ +||pages.siemens-energy.com^ +||pages.siemens-info.com^ +||pages.siemens.com^ +||pages.titanmachinery.com^ +||pages.uchicagomedicine.org^ +||pages.usviolifeprofessional.mktg-upfield.com^ +||pages.wardsintelligence.informa.com^ +||paginaseloqua.unisabana.edu.co^ +||partenaireslld.temsys.fr^ +||partnermktg.symantec.com^ +||partners.avaya.com^ +||partners.redbull.racing^ +||partners.singularlogic.eu^ +||partnersuccess.cisco.com^ +||partnersuccessmetrics.cisco.com^ +||partnerwith.us.streetbond.com^ +||payments.americanexpress.co.uk^ +||payroll.smartsalary.com.au^ +||pci.aon.com^ +||pcm.symantec.com^ +||pcs.capgroup.com^ +||pd.bppeloqua.com^ +||pet-recycling.husky.ca^ +||pgs.aviationweek.com^ +||pgs.centreforaviation.com^ +||pgs.corporatetravelcommunity.com^ +||pgs.farmprogress.com^ +||phadia.thermo.com^ +||phadia.thermofisher.com^ +||phcbi-solution.phchd.com^ +||picis.optum.com^ +||pkg.balluff.com^ +||pl-go.experian.com^ +||platformsolutions.shutterstock.com^ +||playbook.convio.com^ +||plbusiness.samsung.com^ +||plongezdanslabdkj.carte-gr.total.fr^ +||plusavecmoins.adp.ca^ +||pm.eu.viatrisconnect.com^ +||pm.eu.viatrisconnect.de^ +||pm.eu.viatrisconnect.it^ +||poczta.carte-gr.total.fr^ +||podbooth.martela.com^ +||podbooth.martela.no^ +||podbooth.martela.se^ +||pop.carte-gr.total.fr^ +||pop.dmglobal.com^ +||pop3.carte-gr.total.fr^ +||porsche.nabooda-auto.com^ +||portal.krollontrack.co.uk^ +||posgrados-unisabana-edu-co-1207474081.p04.elqsandbox.com^ +||posgrados.unisabana.edu.co^ +||post.carte-gr.total.fr^ +||pp.scorecardrewards.com^ +||pr.cision.co.uk^ +||pr.cision.com^ +||pr.cision.fi^ +||pr.prnewswire.co.uk^ +||pr.prnewswire.com^ +||praluent-e.regeneron.com^ +||pre-employmentservices.adp.com^ +||preference.motorolasolutions.com^ +||preference.nuance.com^ +||preferencecenter.fticonsulting.com^ +||preferencecentre.americanexpress.co.uk^ +||preferencecentre.americanexpress.es^ +||preferencecentre.americanexpress.se^ +||preferences.acspubs.org^ +||preferences.bowerswilkins.com^ +||preferences.darglobal.co.uk^ +||preferences.definitivetechnology.com^ +||preferences.deloitte.ca^ +||preferences.denon.com^ +||preferences.dtlphx.net^ +||preferences.heatexperience.com^ +||preferences.la-lakers.com^ +||preferences.lakersgaming.com^ +||preferences.marantz.com^ +||preferences.marketone.com^ +||preferences.oakstreethealth.com^ +||preferences.polkaudio.com^ +||preferences.sb-lakers.com^ +||preferenza.nposistemi.it^ +||pregrados.javeriana.edu.co^ +||premierbuyer.edm.globalsources.com^ +||preview.fi-institutional.com.au^ +||primary.hasegawa.jp^ +||pro.stormwindstudios.com^ +||process.global360.com^ +||processusmetier.ricoh.fr^ +||procurement.cipscomms.org^ +||prod.tracking.refinitiv.com^ +||product.cloud.travelport.com^ +||productionprinting.ricoh.ch^ +||productionprinting.ricoh.co.uk^ +||productionprinting.ricoh.ie^ +||productivity-s.yale.com^ +||products.forddirectdealers.com^ +||products.ricoh-europe.com^ +||products.ricoh.ch^ +||products.ricoh.co.uk^ +||products.ricoh.ie^ +||produkte.ricoh.at^ +||produkte.ricoh.de^ +||produktionsdruck.ricoh.de^ +||profile.marketone.com^ +||profiling.afry.com^ +||profiling.eurofins.fi^ +||profiling.idbbn.com^ +||profiling.martela.com^ +||profiling.normet.com^ +||profiling.outokumpu.com^ +||profiling.plannja.com^ +||profiling.ruukki.com^ +||profit.edc.ca^ +||programmes-skema.skema-bs.fr^ +||programmes-skema.skema.edu^ +||programs.mellanox.com^ +||promo.alfaromeo.it^ +||promo.batesville.com^ +||promo.fiat.com^ +||promos.thermoscientific.com^ +||promotion.lginnotek.com^ +||promotion.lindt.az^ +||promotion.lindt.cr^ +||promotion.lindt.gt^ +||promotion.lindt.pa^ +||promotion.sedo.com^ +||promotions.batesville.com^ +||promotions.centex.com^ +||promotions.eq.delwebb.com^ +||promotions.hot.net.il^ +||promotions.kangan.edu.au^ +||promotions.la-z-boy.com^ +||promotions.thermofisher.com^ +||property.aon.com^ +||pruebascol.arin-innovation.com^ +||pt.balluff.com^ +||publicidad.davivienda.com.pa^ +||pubstr.acs.org^ +||pubstr.acspubs.org^ +||pubstr.chemrxiv.org^ +||purple.mongodb.com^ +||q.nasdaq.com^ +||qago.qiagen.com^ +||qr.dwtc.com^ +||r2r.utas.edu.au^ +||radio.moodybible.org^ +||ratings-events.standardandpoors.com^ +||rc.precisely.com^ +||rc.visionsolutions.com^ +||reach.ironmountain.com^ +||reach.terumo-bct.com^ +||read.lightreading.com^ +||read.telecoms.com^ +||ready.curriculumassociates.com^ +||ready.nerdery.com^ +||realbusiness.americanexpress.com^ +||realeducation.kangan.edu.au^ +||realsolutions.americanexpress.fr^ +||realsolutions.americanexpress.it^ +||realsolutions.americanexpress.se^ +||realtors.eq.delwebb.com^ +||recruit.go.apprenticeshipcommunity.com.au^ +||recruiting.dukekunshan.edu.cn^ +||redwingforbusiness.redwingsafety.com^ +||referafriend.box.com^ +||reg.enterpriseconnect.com^ +||reg.gdconf.com^ +||reg.hdiconference.com^ +||reg.informationweek.com^ +||reg.insecurity.com^ +||reg.iotworldtoday.com^ +||reg.nojitter.com^ +||reg.techweb.com^ +||reg.theaisummit.com^ +||reg.vrdconf.com^ +||reg.workspace-connect.com^ +||reg.xrdconf.com^ +||register-implants.dentsplysirona.com^ +||register.compellent.com^ +||register.denovo-us.com^ +||register.dnv.com^ +||register.harley-davidson.com^ +||register.markit.com^ +||register.purina.com^ +||register.redhat.com^ +||registration.promatis.com^ +||registro.omegacrmconsulting.com^ +||regmdr.pref.ims.dialog-direct.com^ +||relacionamento.edpcomunicacao.com.br^ +||relations.extrahop.com^ +||relay.carte-gr.total.fr^ +||relay.information.maileva.com^ +||relyonit.americanexpress.co.uk^ +||remote.carte-gr.total.fr^ +||rent.mgrc.com^ +||renting.aldautomotive.es^ +||reply.osv.com^ +||request.verisign.com^ +||research.dshb.biology.uiowa.edu^ +||research.gartner.com^ +||research.leads360.com^ +||research.velocify.com^ +||resources-it.opentext.com^ +||resources.att.com^ +||resources.blueprintgenetics.com^ +||resources.hermanmiller.com^ +||resources.icmi.com^ +||resources.inovis.com^ +||resources.l1id.com^ +||resources.mcgladrey.com^ +||resources.opentext.com^ +||resources.opentext.de^ +||resources.opentext.es^ +||resources.opentext.fr^ +||resources.rockwellautomation.com^ +||resources.thermofisher.com^ +||resources.xo.com^ +||resources2.secureforms.mcafee.com^ +||respond.firstdata.com^ +||respons.intern.schibsted.no^ +||response.abrdn.com^ +||response.accuitysolutions.com^ +||response.approva.net^ +||response.australian.physio^ +||response.b2b.bea.com^ +||response.bea.com^ +||response.careerstructure.com^ +||response.caterer.com^ +||response.catererglobal.com^ +||response.coh.org^ +||response.cpp.com^ +||response.cwjobs.co.uk^ +||response.deloittedigital.com^ +||response.desjardins.com^ +||response.economistevents.com^ +||response.eiuperspectives.com^ +||response.emirateswoman.com^ +||response.emoneyadvisor.com^ +||response.ez-dock.com^ +||response.fastaff.com^ +||response.hospital.fastaff.com^ +||response.idt.com^ +||response.informamarketsasia.com^ +||response.ingrammicrocloud.com^ +||response.iqpc.com^ +||response.kadient.com^ +||response.leadingauthorities.com^ +||response.littletikescommercial.com^ +||response.miracle-recreation.com^ +||response.nofault.com^ +||response.nxp.com^ +||response.operative.com^ +||response.optimummedical.co.uk^ +||response.playpower.com^ +||response.playworld.com^ +||response.polycom.com^ +||response.quest.com^ +||response.retailchoice.com^ +||response.reversepartner.genworth.com^ +||response.sagaftra.org^ +||response.sonosite.com^ +||response.stepstone.com^ +||response.tandberg.nl^ +||response.totaljobs.com^ +||response.travelex.co.jp^ +||response.turnkeyvr.com^ +||response.usnursing.com^ +||response.wbresearch.com^ +||response.wild.com^ +||response.xactware.com^ +||response2.buydomains.com^ +||responsed.abrdn.com^ +||responsemp.civica.co.uk^ +||responsemp.civica.com^ +||responses.diverseeducation.com^ +||responses.ingrammicro.com^ +||responses.wild.com^ +||responsesite.dsm-firmenich.com^ +||rethink.adp.com^ +||retirement.aonunited.com^ +||retirement.newyorklifeannuities.com^ +||reuniondepadres.unisabana.edu.co^ +||review.teradata.com^ +||rh.adp.ca^ +||rh.grupoocq.com.br^ +||rh.ocq.com.br^ +||rh.vettaquimica.com.br^ +||rims.aig.com^ +||ro-go.experian.com^ +||rs.adpinfo.com^ +||rsvp.heatexperience.com^ +||ru-go.experian.com^ +||ru-ru.siemensplmevents.com^ +||s.clientes.construrama.com^ +||s.corporate.cemex.com^ +||s.info.cemexgo.com^ +||s.latam.cemex.com^ +||s.sick.com^ +||s1133198723.sc.origins.en25.com^ +||s1325061471.sc.origins.en25.com^ +||s138663192.aon.com^ +||s1782711468.sc.origins.en25.com^ +||s1885709864.sc.origins.en25.com^ +||s2013560044.sc.origins.en25.com^ +||s205119.aon.com^ +||s2448.sc.origins.en25.com^ +||s2564.sc.origins.en25.com^ +||s3.landing.ni.com^ +||s362693299.aon.ca^ +||s362693299.aon.com^ +||s46849916.sc.origins.en25.com^ +||s615419487.sc.origins.en25.com^ +||s861531437.sc.origins.en25.com^ +||safety.west.com^ +||sales.hot.net.il^ +||saleslists.inform.equifax.com^ +||sandbox-connectlp.keysight.com^ +||sandbox-elq.keysight.com^ +||satracking.cubiq.com^ +||satracking.finning.com^ +||save.salary.com.au^ +||save.smartsalary.com.au^ +||savings.adp.ca^ +||say.hello.navan.com^ +||say.hello.tripactions.com^ +||sbx.daimlertruck.com^ +||schwacke.autovistagroup.com^ +||se-go.experian.com^ +||se-se.siemensplmevents.com^ +||seao.business.samsung.com^ +||sec.wolterskluwerfs.com^ +||secure-anzgo.arrow.com^ +||secure-e.healthiq.com^ +||secure-eugo.arrow.com^ +||secure.adp.ca^ +||secure.adpinfo.com^ +||secure.aifs.com^ +||secure.arg.email-prudential.com^ +||secure.arrow.com^ +||secure.constellation.iqvia.com^ +||secure.desjardinsassurancesgenerales.com^ +||secure.desjardinsgeneralinsurance.com^ +||secure.digital.mandg.com^ +||secure.ec4u.com^ +||secure.fortinet.com^ +||secure.gartnerevents.com^ +||secure.gartnerformarketers.com^ +||secure.immixgroup.com^ +||secure.info.awlgrip.com^ +||secure.info.domo.com^ +||secure.info.zetes.com^ +||secure.lapersonnelle.com^ +||secure.laurelsprings.com^ +||secure.mdtinternal.medtronic.com^ +||secure.medtronichealth.medtronic.com^ +||secure.medtronicinteract.com^ +||secure.medtroniclearn.com^ +||secure.mycalcas.com^ +||secure.nikkol.co.jp^ +||secure.omegacrmconsulting.com^ +||secure.orthology.com^ +||secure.sonosite.com^ +||secure.thepersonal.com^ +||secure.valleymed.org^ +||secure.visualsonics.com^ +||secure.vspdirect.com^ +||secure1.desjardinsassurancesgenerales.com^ +||secure1.desjardinsgeneralinsurance.com^ +||secure1.lapersonnelle.com^ +||secure1.thepersonal.com^ +||secure3.centralparknyc.org^ +||securecookies.dustin.dk^ +||securecookies.dustin.fi^ +||securecookies.dustin.nl^ +||securecookies.dustin.no^ +||securecookies.dustin.se^ +||securecookies.dustinhome.dk^ +||securecookies.dustinhome.fi^ +||securecookies.dustinhome.nl^ +||securecookies.dustinhome.no^ +||securecookies.dustinhome.se^ +||securecookiesdustininfo.dustin.com^ +||securecookiesdustininfo.dustin.dk^ +||securecookiesdustininfo.dustin.fi^ +||securecookiesdustininfo.dustin.nl^ +||securecookiesdustininfo.dustin.no^ +||securecookiesdustininfo.dustin.se^ +||securecookiesdustininfo.dustinhome.dk^ +||securecookiesdustininfo.dustinhome.fi^ +||securecookiesdustininfo.dustinhome.nl^ +||securecookiesdustininfo.dustinhome.no^ +||securecookiesdustininfo.dustinhome.se^ +||secured.avon-news.com^ +||secured.online.avon.com^ +||securedigital.pru.mandg.com^ +||securedigital.prudential.co.uk^ +||securedigital.wealth.mandg.com^ +||secureform.adaptris.com^ +||secureform.farmplan.co.uk^ +||secureform.proagrica.com^ +||secureforms.accuity.com^ +||secureforms.bankersalmanac.com^ +||secureforms.cirium.com^ +||secureforms.f4f.com^ +||secureforms.fircosoft.com^ +||secureforms.flightglobal.com^ +||secureforms.icis.com^ +||secureforms.nextens.nl^ +||secureforms.nrs-inc.com^ +||secureforms.sortingcodes.co.uk^ +||secureforms.xperthr.co.uk^ +||secureforms.xperthr.com^ +||secureforms.xperthr.nl^ +||secureinfo.edc.ca^ +||securetracking.eaton.com^ +||securetracking.golfpride.com^ +||securityintelligence.verint.com^ +||seek.intel.com^ +||seek.uwa.edu.au^ +||sendmoney.americanexpress.co.uk^ +||seniorlifestyles.amica.ca^ +||sentiment.icis.com^ +||service.athlon.com^ +||service.bechtle.com^ +||services.bdc.ca^ +||services.blackboard.com^ +||services.cairn.info^ +||services.eclerx.com^ +||services.edc.ca^ +||services.princes-trust.org.uk^ +||servicing.business.hsbc.com^ +||sg-go.experian.com^ +||sgsb.aba.com^ +||show.decorex.com^ +||show.kbb.co.uk^ +||signup.vovici.com^ +||simple.avaya.com^ +||simpletopay.americanexpress.co.uk^ +||simpletopay.americanexpress.com.au^ +||simpletopay.americanexpress.com^ +||sinfo.awrostamani.com^ +||site.att.com^ +||site.comunicaciones.iesa.es^ +||site.connect.mydrreddys.com^ +||site.firstnet.com^ +||site.infosysbpm.com^ +||site.tdk.com^ +||sites.campaignmgr.cisco.com^ +||sites.groo.co.il^ +||sites.siemens.com^ +||smallbusiness.adpinfo.com^ +||smart.boxtone.com^ +||smartcam.adt-worldwide.com^ +||smb-cashback.alcatel-lucent.com.au^ +||smb.info.shutterstock.com^ +||sme.proximus.be^ +||smkt.edm.globalsources.com^ +||sms.cf.labanquepostale.fr^ +||smtp.information.maileva.com^ +||smtp2.carte-gr.total.fr^ +||smtpauth.carte-gr.total.fr^ +||smtpauth.information.maileva.com^ +||smtpmail.carte-gr.total.fr^ +||smtpmail.information.maileva.com^ +||smtps.carte-gr.total.fr^ +||smtps.go.fr.scc.com^ +||sns2.secureforms.mcafee.com^ +||social.forddirectdealers.com^ +||social.insidelpl.com^ +||solar.sunpower.com^ +||solar.sunpowercorp.com^ +||solicitud.pacifico.com.pe^ +||solucionesreales.americanexpress.es^ +||solution.agc-chemicals.com^ +||solution.resonac.com^ +||solutions.aampglobal.com^ +||solutions.adp.ca^ +||solutions.adp.com^ +||solutions.arcb.com^ +||solutions.dbschenker.com^ +||solutions.desertfinancial.com^ +||solutions.equifax.co.uk^ +||solutions.lseg.com^ +||solutions.nuance.com^ +||solutions.oppd.com^ +||solutions.peco-energy.com^ +||solutions.redwingshoes.com^ +||solutions.refinitiv.cn^ +||solutions.refinitiv.com^ +||solutions.risk.lexisnexis.co.uk^ +||solutions.risk.lexisnexis.com^ +||solutions.saashr.com^ +||solutions.sabic.com^ +||solutions.sitech-wc.ca^ +||solutions.staubli.com^ +||solutions.stratus.com^ +||solutions.titanmachinery.com^ +||solutions.unysonlogistics.com^ +||solutions.vasque.com^ +||solutions.visaacceptance.com^ +||solutions.westrock.com^ +||solutions2.risk.lexisnexis.com^ +||solve.cranepi.com^ +||sources.nxp.com^ +||spaces.martela.com^ +||spaces.martela.fi^ +||spaces.martela.no^ +||spaces.martela.pl^ +||spaces.martela.se^ +||spain.thomsonreuters.com^ +||spam.carte-gr.total.fr^ +||specialevent.informaengage.com^ +||springboard.aon.com^ +||srqponmd.carte-gr.total.fr^ +||ssmile.dentsplysirona.com^ +||st.azcardinals.com^ +||start.adelaide.edu.au^ +||stat.ado.hu^ +||stat.altalex.com^ +||stat.bdc.ca^ +||stat.ciss.es^ +||stat.cuadernosdepedagogia.com^ +||stat.dauc.cz^ +||stat.dbschenker.com^ +||stat.guiasjuridicas.es^ +||stat.jogaszvilag.hu^ +||stat.juridicas.com^ +||stat.jusnetkarnovgroup.pt^ +||stat.kkpp.cz^ +||stat.kleos.cz^ +||stat.laley.es^ +||stat.laleynext.es^ +||stat.lamy-formation.fr^ +||stat.lamyetudiant.fr^ +||stat.lamyline.fr^ +||stat.legalintelligence.com^ +||stat.lex.pl^ +||stat.lexhub.tech^ +||stat.liaisons-sociales.fr^ +||stat.mersz.hu^ +||stat.praceamzda.cz^ +||stat.praetor-systems.cz^ +||stat.prawo.pl^ +||stat.profinfo.pl^ +||stat.rizeniskoly.cz^ +||stat.smarteca.cz^ +||stat.smarteca.es^ +||stat.starterre-campingcar.fr^ +||stat.starterre.fr^ +||stat.suresmile.dentsplysirona.com^ +||stat.taxlive.nl^ +||stat.ucetni-roku.cz^ +||stat.wk-formation.fr^ +||stat.wkf.fr^ +||stat.wolterskluwer.com^ +||stat.wolterskluwer.es^ +||stat.wolterskluwer.pl^ +||stat.wolterskluwer.pt^ +||stats.bdc.ca^ +||stats.hager.com^ +||stats.saverglass.com^ +||stats.sgs.com^ +||stay.lottehotel.com^ +||sth.mykingsevents.com^ +||stjoe.psjhealth.org^ +||storagetechnology.arrow.com^ +||strikenurse.usnursing.com^ +||study.jcu.edu.au^ +||study.vu.edu.au^ +||submit.info.shutterstock.com^ +||submit.vaisala.com^ +||subscribe.adpinfo.com^ +||subscribe.dnv.com^ +||subscribe.verintsystemsinc.com^ +||subscribe.vistage.com^ +||subscription.coface.com^ +||subscriptionmanagement.53.com^ +||subscriptions.bazaarvoice.com^ +||subscriptions.opentext.com^ +||subscriptions.reedpop.com^ +||subscriptionsbnk.wolterskluwerfs.com^ +||success.coface.com^ +||success.definitive-results.com^ +||summit.edm.globalsources.com^ +||support.panasonic.eu^ +||support.ricoh.de^ +||support.ricoh.fr^ +||survey-staging.mazda.com.au^ +||survey.communication.qualfon.com^ +||survey.mazda.com.au^ +||survey.xo.com^ +||surveys.executiveboard.com^ +||sustainability.ricoh.ch^ +||sustainability.ricoh.co.za^ +||sustainable.optum.com^ +||suunta.visma.fi^ +||sw.broadcom.com^ +||sweeps.la-z-boy.com^ +||symantec.ecs.arrow.com^ +||sys.hager.com^ +||t.12thman.com^ +||t.afry.com^ +||t.alumni.duke.edu^ +||t.antalis-verpackungen.at^ +||t.antalis.at^ +||t.antalis.be^ +||t.antalis.bg^ +||t.antalis.ch^ +||t.antalis.cl^ +||t.antalis.co.uk^ +||t.antalis.com.br^ +||t.antalis.com.tr^ +||t.antalis.cz^ +||t.antalis.de^ +||t.antalis.dk^ +||t.antalis.ee^ +||t.antalis.es^ +||t.antalis.fi^ +||t.antalis.fr^ +||t.antalis.hu^ +||t.antalis.ie^ +||t.antalis.lt^ +||t.antalis.lv^ +||t.antalis.nl^ +||t.antalis.no^ +||t.antalis.pl^ +||t.antalis.pt^ +||t.antalis.ro^ +||t.antalis.se^ +||t.antalis.sk^ +||t.antalisabitek.com^ +||t.antalisbolivia.com^ +||t.antalisperu.com^ +||t.appstatesports.com^ +||t.arizonawildcats.com^ +||t.arkansasrazorbacks.com^ +||t.arts.uci.edu^ +||t.auburntigers.com^ +||t.augustaentertainmentcomplex.com^ +||t.azets.com^ +||t.azets.dk^ +||t.azets.fi^ +||t.azets.no^ +||t.azets.se^ +||t.baylorbears.com^ +||t.bceagles.com^ +||t.bluehens.com^ +||t.bucky.uwbadgers.com^ +||t.budweisergardens.com^ +||t.bushnell.org^ +||t.byutickets.com^ +||t.calbears.com^ +||t.centreinthesquare.com^ +||t.charlotte49ers.com^ +||t.chartwayarena.com^ +||t.cincinnatiarts.org^ +||t.classiccenter.com^ +||t.cofcsports.com^ +||t.collinscenterforthearts.com^ +||t.cozone.com^ +||t.csurams.com^ +||t.cubuffs.com^ +||t.dawsoncreekeventscentre.com^ +||t.deloittece.com^ +||t.depaulbluedemons.com^ +||t.e.x.com^ +||t.ecupirates.com^ +||t.emueagles.com^ +||t.fabulousfox.com^ +||t.fairparkdallas.com^ +||t.fermion.fi^ +||t.festo.com^ +||t.fgcuathletics.com^ +||t.fightingillini.com^ +||t.fightingirish.com^ +||t.fordidahocenter.com^ +||t.foxtheatre.org^ +||t.friars.com^ +||t.georgiadogs.com^ +||t.goairforcefalcons.com^ +||t.goarmywestpoint.com^ +||t.gobearcats.com^ +||t.gobison.com^ +||t.goblackbears.com^ +||t.gobulldogs.com^ +||t.goccusports.com^ +||t.godeacs.com^ +||t.goduke.com^ +||t.gofrogs.com^ +||t.gogriz.com^ +||t.goguecenter.auburn.edu^ +||t.goheels.com^ +||t.gohuskies.com^ +||t.gojacks.com^ +||t.golobos.com^ +||t.gomocs.com^ +||t.gopack.com^ +||t.gophersports.com^ +||t.gopoly.com^ +||t.gopsusports.com^ +||t.goredbirds.com^ +||t.gorhody.com^ +||t.gostanford.com^ +||t.gotigersgo.com^ +||t.govandals.com^ +||t.gowyo.com^ +||t.goxavier.com^ +||t.gozips.com^ +||t.griztix.umt.edu^ +||t.gseagles.com^ +||t.hailstate.com^ +||t.hamptonpirates.com^ +||t.hawaiiathletics.com^ +||t.hawkeyesports.com^ +||t.herdzone.com^ +||t.hokiesports.com^ +||t.hornetsports.com^ +||t.huskers.com^ +||t.iowaeventscenter.com^ +||t.itsehoitoapteekki.fi^ +||t.iuhoosiers.com^ +||t.jmusports.com^ +||t.krannertcenter.com^ +||t.kstatesports.com^ +||t.ksuowls.com^ +||t.liberty.edu^ +||t.libertyfirstcreditunionarena.com^ +||t.libertyflames.com^ +||t.longbeachstate.com^ +||t.lsusports.net^ +||t.massmutualcenter.com^ +||t.meangreensports.com^ +||t.mgoblue.com^ +||t.miamihurricanes.com^ +||t.miamiredhawks.com^ +||t.mktg.genesys.com^ +||t.mmaeast.com^ +||t.montecarlosbm.com^ +||t.msubobcats.com^ +||t.msuspartans.com^ +||t.mynexity.fr^ +||t.navysports.com^ +||t.nevadawolfpack.com^ +||t.nexity-studea.com^ +||t.nexity.fr^ +||t.nhra.com^ +||t.niuhuskies.com^ +||t.nuhuskies.com^ +||t.nusports.com^ +||t.ohiobobcats.com^ +||t.okcciviccenter.com^ +||t.okstate.com^ +||t.olemisssports.com^ +||t.oralia.fr^ +||t.orion.fi^ +||t.osubeavers.com^ +||t.owlsports.com^ +||t.paciolan.com^ +||t.pbr.com^ +||t.pennathletics.com^ +||t.pittsburghpanthers.com^ +||t.playhousesquare.org^ +||t.poconoraceway.com^ +||t.portland5.com^ +||t.poyry.com^ +||t.pplcenter.com^ +||t.purduesports.com^ +||t.ragincajuns.com^ +||t.ramblinwreck.com^ +||t.restek.com^ +||t.richmondspiders.com^ +||t.rolltide.com^ +||t.scarletknights.com^ +||t.selectyourtickets.com^ +||t.seminoles.com^ +||t.sfajacks.com^ +||t.sjsuspartans.com^ +||t.sjuhawks.com^ +||t.soec.ca^ +||t.soonersports.com^ +||t.southernmiss.com^ +||t.texasperformingarts.org^ +||t.texassports.com^ +||t.texastech.com^ +||t.thalesgroup.com^ +||t.thefishercenter.com^ +||t.ticketatlantic.com^ +||t.ticketleader.ca^ +||t.ticketstaronline.com^ +||t.treventscomplex.com^ +||t.tribeathletics.com^ +||t.tulanegreenwave.com^ +||t.tulsahurricane.com^ +||t.tysoncenter.com^ +||t.uabsports.com^ +||t.ucdavisaggies.com^ +||t.ucirvinesports.com^ +||t.uclabruins.com^ +||t.uconnhuskies.com^ +||t.ucsdtritons.com^ +||t.uhcougars.com^ +||t.umassathletics.com^ +||t.umterps.com^ +||t.uncwsports.com^ +||t.und.com^ +||t.unlvrebels.com^ +||t.usajaguars.com^ +||t.usctrojans.com^ +||t.utahstateaggies.com^ +||t.utrockets.com^ +||t.villanova.com^ +||t.virginiasports.com^ +||t.vucommodores.com^ +||t.whartoncenter.com^ +||t.wsucougars.com^ +||t.wvusports.com^ +||t.xlcenter.com^ +||t.xtreamarena.com^ +||talent.aonunited.com^ +||talenteq.intuit.com^ +||target.connect.nicklauschildrens.org^ +||target.connect.nicklaushealth.org^ +||target.health.childrenswi.org^ +||tdbrochure.advancedtech.com^ +||teammate.arclogics.com^ +||tech.finalto.com^ +||tech.sangfor.com^ +||tech.softchoice.com^ +||techgifts.tradeshow.globalsources.com^ +||technology.informaengage.com^ +||technology1.informaengage.com^ +||technologyservices.equifax.com^ +||technologyservices.inform.equifax.com^ +||techprovider.intel.com^ +||techsupport.balluff.com^ +||teefiksummin.visma.fi^ +||teho.visma.fi^ +||temails.productnotice.thomsonreuters.com^ +||temsys.temsys.fr^ +||tesla-fortytwo.landing.ni.com^ +||test.go.provident.bank^ +||test.gogoinflight.com^ +||test.marketing.championhomes.com^ +||test.marketingcube.com.au^ +||test.paradyz.com^ +||test.siriusdecisions.com^ +||test.thomsonreuters.com^ +||testforms.fidelity.ca^ +||th-go.experian.com^ +||thrive.metagenics.com^ +||ticketoffice.liberty.edu^ +||tickets.gs-warriors.com^ +||tkelq.genesys.com^ +||tlm.adp.ca^ +||tm-marketing.wolterskluwer.com^ +||tmt.intelligence.informa.com^ +||todayintheword.moodybible.org^ +||tools.ricoh.co.uk^ +||tools.ricoh.de^ +||townhouses.woodlea.com.au^ +||tp.lexisnexis.co.nz^ +||tp.lexisnexis.com.au^ +||tr-business.vodafone.com^ +||tr-ms.bosch-home.com^ +||tr-ms.profilo.com^ +||tr-ms.siemens-home.bsh-group.com^ +||tr.informabi.com^ +||trace.insead.edu^ +||track-e.cypress.com^ +||track-e.infineon.com^ +||track-e.infineoncommunity.com^ +||track.abrdn.com^ +||track.abrdnacp.com^ +||track.abrdnaef.com^ +||track.abrdnaod.com^ +||track.abrdnawp.com^ +||track.abrdnfax.com^ +||track.abrdnfco.com^ +||track.abrdnifn.com^ +||track.abrdnjapan.co.uk^ +||track.abrdnnewindia.co.uk^ +||track.abrdnpit.co.uk^ +||track.asia-focus.co.uk^ +||track.asiadragontrust.co.uk^ +||track.auckland.ac.nz^ +||track.biz.lguplus.com^ +||track.cecobuildings.com^ +||track.clubcar.com^ +||track.connectwise.com^ +||track.cornerstonebuildingbrands.com^ +||track.deloitte.com^ +||track.docusign.ca^ +||track.docusign.co.uk^ +||track.docusign.com.au^ +||track.docusign.com.br^ +||track.docusign.com.es^ +||track.docusign.com^ +||track.docusign.de^ +||track.docusign.fr^ +||track.docusign.in^ +||track.docusign.it^ +||track.docusign.jp^ +||track.docusign.mx^ +||track.docusign.nl^ +||track.dunedinincomegrowth.co.uk^ +||track.education.intostudy.com^ +||track.estoneworks.com^ +||track.ferrari.com^ +||track.ferraridealers.com^ +||track.financialfairness.org.uk^ +||track.go.shokubai.co.jp^ +||track.heritagebuildings.com^ +||track.hg.healthgrades.com^ +||track.info.cancertherapyadvisor.com^ +||track.info.clinicaladvisor.com^ +||track.info.clinicalpainadvisor.com^ +||track.info.dermatologyadvisor.com^ +||track.info.empr.com^ +||track.info.endocrinologyadvisor.com^ +||track.info.gastroenterologyadvisor.com^ +||track.info.haymarketmedicalnetwork.com^ +||track.info.hematologyadvisor.com^ +||track.info.infectiousdiseaseadvisor.com^ +||track.info.mcknights.com^ +||track.info.mcknightshomecare.com^ +||track.info.mcknightsseniorliving.com^ +||track.info.medicalbag.com^ +||track.info.mmm-online.com^ +||track.info.neurologyadvisor.com^ +||track.info.oncologynurseadvisor.com^ +||track.info.ophthalmologyadvisor.com^ +||track.info.optometryadvisor.com^ +||track.info.prweekus.com^ +||track.info.psychiatryadvisor.com^ +||track.info.pulmonologyadvisor.com^ +||track.info.rarediseaseadvisor.com^ +||track.info.renalandurologynews.com^ +||track.info.rheumatologyadvisor.com^ +||track.info.thecardiologyadvisor.com^ +||track.inspirage.com^ +||track.into-giving.com^ +||track.intoglobal.com^ +||track.intostudy.com^ +||track.invtrusts.co.uk^ +||track.lesmills.com^ +||track.marketingcube.com.au^ +||track.murray-income.co.uk^ +||track.murray-intl.co.uk^ +||track.newdawn-trust.co.uk^ +||track.northamericanincome.co.uk^ +||track.plygem.com^ +||track.postkodlotteriet.se^ +||track.quad.com^ +||track.simonton.com^ +||track.solutions.ostechnology.co.jp^ +||track.solventum.com^ +||track.workfusion.com^ +||tracker.decomworld.com^ +||tracker.eft.com^ +||tracker.ethicalcorp.com^ +||tracker.eyeforpharma.com^ +||tracker.incite-group.com^ +||tracker.insurancenexus.com^ +||tracker.providence.org^ +||tracker.psjhealth.org^ +||tracker.swedish.org^ +||tracking-explore-uat.agilent.com^ +||tracking-explore.agilent.com^ +||tracking-sandbox.vodafone.co.uk^ +||tracking-uat.veritas.com^ +||tracking.aapa.org^ +||tracking.abraservice.com^ +||tracking.abrdn.com^ +||tracking.academicyear.org^ +||tracking.accent-technologies.com^ +||tracking.acceptance.industrial.omron.eu^ +||tracking.adp-iat.adp.ca^ +||tracking.adp-iat.adp.com^ +||tracking.adp.ca^ +||tracking.adp.com^ +||tracking.adpinfo.com^ +||tracking.adpri.org^ +||tracking.agora.io^ +||tracking.aifsabroad.com^ +||tracking.air-worldwide.com^ +||tracking.almax.com^ +||tracking.almirallmed.es^ +||tracking.alphacard.com^ +||tracking.amadeus.com^ +||tracking.americas.business.samsung.com^ +||tracking.analysis.hibu.com^ +||tracking.apac.business.samsung.com^ +||tracking.arabiancentres.com^ +||tracking.arbor.edu^ +||tracking.arcadis.com^ +||tracking.atea.dk^ +||tracking.atea.fi^ +||tracking.athlon.com^ +||tracking.att.com^ +||tracking.attexperts.com^ +||tracking.attsavings.com^ +||tracking.aupairinamerica.co.uk^ +||tracking.aupairinamerica.co.za^ +||tracking.aupairinamerica.com^ +||tracking.aupairinamerica.fr^ +||tracking.automotivemastermind.com^ +||tracking.averydennison.com^ +||tracking.bankofalbuquerque.com^ +||tracking.bankofoklahoma.com^ +||tracking.bankoftexas.com^ +||tracking.barcodediscount.com^ +||tracking.barcodegiant.com^ +||tracking.barcodesinc.com^ +||tracking.bbgevent.app^ +||tracking.bettingexpert.com^ +||tracking.biz.alabamapower.com^ +||tracking.blackboard.com^ +||tracking.blog.hibu.com^ +||tracking.bnpparibas.fr^ +||tracking.bokf.com^ +||tracking.bokfinancial.com^ +||tracking.bonava.de^ +||tracking.bonava.ee^ +||tracking.bonava.fi^ +||tracking.bonava.lt^ +||tracking.bonava.lv^ +||tracking.bonava.no^ +||tracking.bonava.ru^ +||tracking.bonava.se^ +||tracking.brady.co.uk^ +||tracking.brady.com.tr^ +||tracking.brady.es^ +||tracking.brady.eu^ +||tracking.brady.fr^ +||tracking.brady.pl^ +||tracking.bradycorp.it^ +||tracking.bradyid.com^ +||tracking.brevant.ca^ +||tracking.brgeneral.org^ +||tracking.build.com^ +||tracking.burriswindows.com^ +||tracking.business.comcast.com^ +||tracking.businessdirect.bt.com^ +||tracking.bv.com^ +||tracking.cairn.info^ +||tracking.campaigns.drax.com^ +||tracking.capitalbank.jo^ +||tracking.capterra.com^ +||tracking.care.essentiahealth.org^ +||tracking.care.muschealth.org^ +||tracking.care.salinasvalleyhealth.com^ +||tracking.cello-square.com^ +||tracking.cengage.com^ +||tracking.cenomicenters.com^ +||tracking.changehealthcare.com^ +||tracking.chem-agilent.com^ +||tracking.civica.co.uk^ +||tracking.clarivate.com^ +||tracking.coact.org.au^ +||tracking.cognyte.com^ +||tracking.coldspringusa.com^ +||tracking.compactappliance.com^ +||tracking.connect.nicklauschildrens.org^ +||tracking.connect.nicklaushealth.org^ +||tracking.connect.services.global.ntt^ +||tracking.connectedcare.wkhs.com^ +||tracking.construction.com^ +||tracking.contentmarketing.hibu.com^ +||tracking.continuingstudies.wisc.edu^ +||tracking.corporate.flightcentre.com^ +||tracking.corporatetraveler.us^ +||tracking.corporatetraveller.co.nz^ +||tracking.corporatetraveller.co.za^ +||tracking.corporatetraveller.com.au^ +||tracking.corptraveller.com^ +||tracking.corteva.ca^ +||tracking.corteva.us^ +||tracking.cpa.qa.web.visa.com^ +||tracking.cranepi.com^ +||tracking.creditacceptance.com^ +||tracking.culturalinsurance.com^ +||tracking.dataloen.dk^ +||tracking.dev2.pepsicopartners.com^ +||tracking.dfinsolutions.com^ +||tracking.digitalid.co.uk^ +||tracking.direxion.com^ +||tracking.dr-10.com^ +||tracking.dr-8.com^ +||tracking.drreddys.com^ +||tracking.dshb.biology.uiowa.edu^ +||tracking.dunnhumby.com^ +||tracking.dz.janssenmedicalcloud.me^ +||tracking.edb.gov.sg^ +||tracking.ehrintelligence.com^ +||tracking.eloq.soa.org^ +||tracking.eloqua.homeimprovementleads.com^ +||tracking.eloqua.modernize.com^ +||tracking.email.trinity-health.org^ +||tracking.emoneyadvisor.com^ +||tracking.endnote.com^ +||tracking.enlist.com^ +||tracking.ent.oviahealth.com^ +||tracking.epredia.com^ +||tracking.epsilon.com^ +||tracking.epsilon.postclickmarketing.com^ +||tracking.europe.business.samsung.com^ +||tracking.evanta.com^ +||tracking.events.adp.com^ +||tracking.evergy.com^ +||tracking.exclusive-networks.com^ +||tracking.eyefinity.com^ +||tracking.faucet.com^ +||tracking.faucetdirect.com^ +||tracking.fcmtravel.com^ +||tracking.fdbhealth.co.uk^ +||tracking.fdbhealth.com^ +||tracking.fdm.dk^ +||tracking.flowofwork.adp.com^ +||tracking.flukecal.com^ +||tracking.fr.adp.com^ +||tracking.fticonsulting.com^ +||tracking.ftitechnology.com^ +||tracking.fullsail.edu^ +||tracking.gartner.com^ +||tracking.gelia.com^ +||tracking.getapp.com^ +||tracking.global-demand02.nec.com^ +||tracking.go.atcc.org^ +||tracking.go.epsilon.com^ +||tracking.go.lorainccc.edu^ +||tracking.go.onshape.com^ +||tracking.go.provident.bank^ +||tracking.go.toyobo-mc.jp^ +||tracking.go.toyobo.co.jp^ +||tracking.goal.pl^ +||tracking.graduateschool.edu^ +||tracking.guidehouse.com^ +||tracking.handlesets.com^ +||tracking.hardoxwearparts.com^ +||tracking.hcltech.com^ +||tracking.health.bilh.org^ +||tracking.health.bjc.org^ +||tracking.health.lexmed.com^ +||tracking.health.tmcaz.com^ +||tracking.healthitanalytics.com^ +||tracking.healthitsecurity.com^ +||tracking.healthpayerintelligence.com^ +||tracking.hibu.com^ +||tracking.hiscox.com^ +||tracking.hot.net.il^ +||tracking.houzz.com^ +||tracking.idcardgroup.com^ +||tracking.idsuperstore.com^ +||tracking.idwholesaler.com^ +||tracking.idzone.com^ +||tracking.igloosoftware.com^ +||tracking.inexchange.com^ +||tracking.inexchange.fi^ +||tracking.inexchange.se^ +||tracking.infiniti-dubai.com^ +||tracking.info.ivanti.com^ +||tracking.info.jeffersonhealth.org^ +||tracking.info.methodisthealthsystem.org^ +||tracking.info.rcgt.com^ +||tracking.info.rochesterknighthawks.com^ +||tracking.info.servicenow.com^ +||tracking.info.zetes.com^ +||tracking.innovamarketinsights.com^ +||tracking.insead.edu^ +||tracking.insperity.com^ +||tracking.janssenmed.cz^ +||tracking.janssenmed.ro^ +||tracking.janssenmed.sk^ +||tracking.janssenmedicalcloud.be^ +||tracking.janssenmedicalcloud.ch^ +||tracking.janssenmedicalcloud.com^ +||tracking.janssenmedicalcloud.de^ +||tracking.janssenmedicalcloud.ee^ +||tracking.janssenmedicalcloud.es^ +||tracking.janssenmedicalcloud.eu^ +||tracking.janssenmedicalcloud.fr^ +||tracking.janssenmedicalcloud.gr^ +||tracking.janssenmedicalcloud.hr^ +||tracking.janssenmedicalcloud.ie^ +||tracking.janssenmedicalcloud.it^ +||tracking.janssenmedicalcloud.lt^ +||tracking.janssenmedicalcloud.me^ +||tracking.janssenmedicalcloud.nl^ +||tracking.janssenmedicalcloud.pl^ +||tracking.janssenmedicalcloud.pt^ +||tracking.janssenmedicalcloud.ro^ +||tracking.janssenmedicalcloud.se^ +||tracking.janssenmedicalcloud.sk^ +||tracking.janssenos.com^ +||tracking.kegerator.com^ +||tracking.kenblanchard.com^ +||tracking.kubota.ca^ +||tracking.lailiveevents.com^ +||tracking.laivideo.com^ +||tracking.laurelsprings.com^ +||tracking.leadingauthorities.com^ +||tracking.learn.carlingtech.com^ +||tracking.learn.oakstreethealth.com^ +||tracking.lenovo.com^ +||tracking.lenovopartnernetwork.com^ +||tracking.lfg.com^ +||tracking.lightingdirect.com^ +||tracking.lightingshowplace.com^ +||tracking.lindtusa.com^ +||tracking.link.boone.health^ +||tracking.liwest.at^ +||tracking.lonnogpersonalabc.visma.no^ +||tracking.lseg.com^ +||tracking.luminishealth.org^ +||tracking.ma.janssenmedicalcloud.me^ +||tracking.mail.ti.com.cn^ +||tracking.mail.ti.com^ +||tracking.mail.tij.co.jp^ +||tracking.mandg.co.uk^ +||tracking.marketing.frequentis.com^ +||tracking.marketone.com^ +||tracking.martela.com^ +||tracking.mathworks.com^ +||tracking.matsinc.com^ +||tracking.mattersurfaces.com^ +||tracking.max-stg.co.il^ +||tracking.max.co.il^ +||tracking.medicalcloud.janssen.com.tr^ +||tracking.mediwel.net^ +||tracking.mhealthintelligence.com^ +||tracking.mindshiftonline.com^ +||tracking.mizuhogroup.com^ +||tracking.mjbizconference.com^ +||tracking.mjbizdaily.com^ +||tracking.mkt-email.samsungsds.com^ +||tracking.mobiliteverte.engie.fr^ +||tracking.modelgroup.com^ +||tracking.monespaceprime.engie.fr^ +||tracking.motorolasolutions.com^ +||tracking.mtn.co.za^ +||tracking.mwe.com^ +||tracking.my.hq.com^ +||tracking.myaupairinamerica.com^ +||tracking.myregus.com^ +||tracking.myspacesworks.com^ +||tracking.netsuite.com^ +||tracking.news.evergreenhealth.com^ +||tracking.newyorklifeinvestments.com^ +||tracking.ng.janssenmedicalcloud.me^ +||tracking.nissan-dubai.com^ +||tracking.nl.visma.com^ +||tracking.ntl.no^ +||tracking.ocr.ca^ +||tracking.ohiohealth.com^ +||tracking.oldnational.com^ +||tracking.omron.at^ +||tracking.omron.eu^ +||tracking.omron.fr^ +||tracking.omron.pl^ +||tracking.omron.ro^ +||tracking.omron.se^ +||tracking.online.nl.adp.com^ +||tracking.online.wisc.edu^ +||tracking.opentable.com^ +||tracking.oppd.com^ +||tracking.oswegohealth.org^ +||tracking.outsetmedical.com^ +||tracking.parcelpending.com^ +||tracking.particuliers.engie.fr^ +||tracking.patientengagementhit.com^ +||tracking.pdc.wisc.edu^ +||tracking.peco.com^ +||tracking.pella.com^ +||tracking.pennmedicine.princetonhcs.org^ +||tracking.pepsicopartners.com^ +||tracking.petrelocation.com^ +||tracking.pgi.com^ +||tracking.pioneer.com^ +||tracking.pirelli.com^ +||tracking.plascoid.com^ +||tracking.precisely.com^ +||tracking.precollege.wisc.edu^ +||tracking.pro.engie.fr^ +||tracking.prodesa.com^ +||tracking.prophet.com^ +||tracking.prophix.com^ +||tracking.protective.com^ +||tracking.ps.shutterstock.com^ +||tracking.ptc.com^ +||tracking.pullsdirect.com^ +||tracking.puustelli.com^ +||tracking.puustelli.se^ +||tracking.quadient.com^ +||tracking.questdiagnostics.com^ +||tracking.realestate.bnpparibas^ +||tracking.regus.com^ +||tracking.relationshipone.com^ +||tracking.reply.broadwayinchicago.com^ +||tracking.reply.broadwayinhollywood.com^ +||tracking.reply.dpacnc.com^ +||tracking.response.terex.com^ +||tracking.rinoebastel.com^ +||tracking.risk.lexisnexis.co.jp^ +||tracking.risk.lexisnexis.co.uk^ +||tracking.risk.lexisnexis.com.br^ +||tracking.risk.lexisnexis.com^ +||tracking.rootinc.com^ +||tracking.rti-inc.com^ +||tracking.sabic.com^ +||tracking.sailgp.com^ +||tracking.schneider.com^ +||tracking.sciex.com^ +||tracking.securitymsp.cisco.com^ +||tracking.service.cz.nl^ +||tracking.service.just.nl^ +||tracking.sfitrucks.com^ +||tracking.shl.com^ +||tracking.shop.verymobile.it^ +||tracking.sierrawireless.com^ +||tracking.simpleaccess.com^ +||tracking.singlestore.com^ +||tracking.siriusdecisions.com^ +||tracking.smartbets.com^ +||tracking.smartbusiness.samsung.com^ +||tracking.softwareadvice.com^ +||tracking.solartrade-us.baywa-re.com^ +||tracking.solutions.parker.com^ +||tracking.speltips.se^ +||tracking.ssab.co^ +||tracking.ssab.com.br^ +||tracking.ssab.com.tr^ +||tracking.ssab.com^ +||tracking.ssab.dk^ +||tracking.ssab.es^ +||tracking.ssab.fi^ +||tracking.ssab.fr^ +||tracking.ssab.jp^ +||tracking.ssab.nl^ +||tracking.ssab.pe^ +||tracking.ssab.se^ +||tracking.stageandscreen.travel^ +||tracking.steelprize.com^ +||tracking.stemcell.com^ +||tracking.stericycle.com^ +||tracking.stihl-timbersports.com^ +||tracking.stihl.at^ +||tracking.stihl.be^ +||tracking.stihl.co.za^ +||tracking.stihl.com.au^ +||tracking.stihl.com.cy^ +||tracking.stihl.com^ +||tracking.stihl.de^ +||tracking.stihl.es^ +||tracking.stihl.fr^ +||tracking.stihl.gr^ +||tracking.stihl.hu^ +||tracking.stihl.it^ +||tracking.stihl.lu^ +||tracking.stihl.nl^ +||tracking.stihl.pt^ +||tracking.stihl.ua^ +||tracking.summer.wisc.edu^ +||tracking.syncsketch.com^ +||tracking.syncsort.com^ +||tracking.tdk.com.cn^ +||tracking.tdk.com^ +||tracking.te.com^ +||tracking.test.insead.edu^ +||tracking.theemeraldconference.com^ +||tracking.thermoinfo.com^ +||tracking.thiomucase.es^ +||tracking.thunderhead.com^ +||tracking.ti.com.cn^ +||tracking.ti.com^ +||tracking.tibnor.fi^ +||tracking.tij.co.jp^ +||tracking.trinet.com^ +||tracking.uberflip.com^ +||tracking.uk.adp.com^ +||tracking.umbrella.com^ +||tracking.umms.org^ +||tracking.unisabana.edu.co^ +||tracking.usj.es^ +||tracking.utas.edu.au^ +||tracking.ventingdirect.com^ +||tracking.ventingpipe.com^ +||tracking.venture-net.co.jp^ +||tracking.verisk.com^ +||tracking.veritas.com^ +||tracking.vertiv.com^ +||tracking.vertivco.com^ +||tracking.virginmediao2business.co.uk^ +||tracking.virtus.com^ +||tracking.visitdubai.com^ +||tracking.visma.co.uk^ +||tracking.visma.com^ +||tracking.visma.dk^ +||tracking.visma.fi^ +||tracking.visma.lt^ +||tracking.visma.lv^ +||tracking.visma.net^ +||tracking.visma.nl^ +||tracking.visma.no^ +||tracking.visma.ro^ +||tracking.visma.se^ +||tracking.vismaraet.nl^ +||tracking.vismaspcs.se^ +||tracking.vitalant.org^ +||tracking.vodafone.co.uk^ +||tracking.vodafone.com^ +||tracking.wettfreunde.net^ +||tracking.winecoolerdirect.com^ +||tracking.xmor.info^ +||tracking.y-nmc.jp^ +||tracking.yealink.com^ +||tracking.your.montagehealth.org^ +||tracking.zagranie.com^ +||tracking.zakelijk.cz.nl^ +||tracking1.cigna.com.hk^ +||tracking1.cigna.com^ +||tracking1.cignaglobal.com^ +||tracking1.cignaglobalhealth.com^ +||tracking1.labcorp.com^ +||tracking1.questdiagnostics.com^ +||tracking1.tena.com^ +||tracking2.bokf.com^ +||tracking2.bokfinancial.com^ +||tracking2.cigna.co.id^ +||tracking2.cigna.co.uk^ +||tracking2.cigna.com.tw^ +||tracking2.cignaglobal.com^ +||tracking2.labcorp.com^ +||tracking2.questdiagnostics.com^ +||tracking3.labcorp.com^ +||tracking3.lenovo.com^ +||tracking4.labcorp.com^ +||tracking5.labcorp.com^ +||trackingalumni.accenturealumni.com^ +||trackingcareers.accenture.com^ +||trackingeloqua.tec.mx^ +||trackinginternal.hcltech.com^ +||trackinginternal.ti.com^ +||trackinglrus.wolterskluwer.com^ +||trackingmms.accenture.com^ +||trackmarketing.staubli.com^ +||tracks1.ferrari.com^ +||tracks3.ferrari.com^ +||trackside.redbull.racing^ +||tradeshow.edm.globalsources.com^ +||trail.cleardocs.com^ +||trail.dominiosistemas.com.br^ +||trail.sweetandmaxwell.co.uk^ +||trail.thomsonreuters.ca^ +||trail.thomsonreuters.co.jp^ +||trail.thomsonreuters.co.kr^ +||trail.thomsonreuters.co.nz^ +||trail.thomsonreuters.co.uk^ +||trail.thomsonreuters.com.au^ +||trail.thomsonreuters.com.br^ +||trail.thomsonreuters.com.hk^ +||trail.thomsonreuters.com.my^ +||trail.thomsonreuters.com.sg^ +||trail.thomsonreuters.com^ +||trail.thomsonreuters.in^ +||training.hager.co.uk^ +||training.thunderhead.com^ +||transact.blackboard.com^ +||transplant.care.uhssa.com^ +||transplant.universityhealth.com^ +||trck.accredible.com^ +||trck.asset.malcotools.com^ +||trck.comms.watlow.com^ +||trck.copeland.com^ +||trck.e.atradius.com^ +||trck.el.supremapoker.com.br^ +||trck.employerservices.experian.com^ +||trck.feedback.ignite.gleague.nba.com^ +||trck.forfatterforbundet.no^ +||trck.go.emoneyadvisor.com^ +||trck.go.natera.com^ +||trck.graiman.com^ +||trck.info.fullsaildc3.com^ +||trck.internalnews.dbschenker.com^ +||trck.levata.com^ +||trck.medlem.elogit.no^ +||trck.medtronic.com^ +||trck.my.elca.ch^ +||trck.www4.earlywarning.com^ +||trck.www4.paze.com^ +||trck.www4.zellepay.com^ +||trelleborg.tecs1.com^ +||trk.admmontreal.com^ +||trk.admtoronto.com^ +||trk.advancedmanufacturingeast.com^ +||trk.advancedmanufacturingminneapolis.com^ +||trk.advisory.com^ +||trk.aeroengineconference.com^ +||trk.aeroenginesusa.com^ +||trk.afcom.com^ +||trk.aibusiness.com^ +||trk.airborn.com^ +||trk.aircharterguide.com^ +||trk.airchecklab.com^ +||trk.airdimensions.com^ +||trk.airportdata.com^ +||trk.albinpump.com^ +||trk.ali-cle.org^ +||trk.altis.com.gr^ +||trk.americancityandcounty.com^ +||trk.anthology.com^ +||trk.appliedintelligence.live^ +||trk.arozone.cn^ +||trk.arozone.com^ +||trk.astrasrilanka.com^ +||trk.aviationweek.com^ +||trk.avlr.net^ +||trk.bakewithstork.com^ +||trk.banktech.com^ +||trk.barcoproducts.ca^ +||trk.barcoproducts.com^ +||trk.batterytechonline.com^ +||trk.becel.ca^ +||trk.becel.com.br^ +||trk.becel.com^ +||trk.beefmagazine.com^ +||trk.berger-levrault.com^ +||trk.bertolli.co.uk^ +||trk.biomedboston.com^ +||trk.blueband.com.ec^ +||trk.blueband.com^ +||trk.bona.nl^ +||trk.bonella.com.ec^ +||trk.broomwade.com^ +||trk.brummelandbrown.com^ +||trk.business.westernunion.at^ +||trk.business.westernunion.ca^ +||trk.business.westernunion.ch^ +||trk.business.westernunion.co.nz^ +||trk.business.westernunion.co.uk^ +||trk.business.westernunion.com.au^ +||trk.business.westernunion.com^ +||trk.business.westernunion.de^ +||trk.business.westernunion.fr^ +||trk.business.westernunion.it^ +||trk.business.westernunion.pl^ +||trk.catersource.com^ +||trk.cf.labanquepostale.fr^ +||trk.championairtech.com^ +||trk.championpneumatic.com^ +||trk.channelfutures.com^ +||trk.channelleadershipsummit.com^ +||trk.channelpartnersconference.com^ +||trk.childrensfashionevents.com^ +||trk.citeline.com^ +||trk.compair.com^ +||trk.concisegroup.com^ +||trk.contact.alphabet.com^ +||trk.contact.umpquabank.com^ +||trk.contentmarketinginstitute.com^ +||trk.contentmarketingworld.com^ +||trk.convera.com^ +||trk.coteriefashionevents.com^ +||trk.countrycrock.com^ +||trk.createyournextcustomer.com^ +||trk.cremebonjour.fi^ +||trk.cremebonjour.se^ +||trk.croma.nl^ +||trk.cx.motivcx.com^ +||trk.cz.business.westernunion.com^ +||trk.daimlertruck.com^ +||trk.darkreading.com^ +||trk.datacenterknowledge.com^ +||trk.datacenterworld.com^ +||trk.delma.hu^ +||trk.delma.ro^ +||trk.delphiquest.com^ +||trk.designcon.com^ +||trk.designnews.com^ +||trk.digitaltveurope.com^ +||trk.dosatron.com^ +||trk.drdobbs.com^ +||trk.du-darfst.de^ +||trk.dvsystems.com^ +||trk.e.chooseumpquabank.com^ +||trk.e.mailchimp.com^ +||trk.elmlea.com^ +||trk.elmorietschle.com^ +||trk.elq.mcphersonoil.com^ +||trk.emcowheaton.com^ +||trk.en-cz.business.westernunion.com^ +||trk.en.business.westernunion.at^ +||trk.en.business.westernunion.ch^ +||trk.en.business.westernunion.de^ +||trk.en.business.westernunion.fr^ +||trk.en.business.westernunion.it^ +||trk.en.business.westernunion.pl^ +||trk.encore-can.com^ +||trk.encore-mx.com^ +||trk.encoreglobal.com^ +||trk.engie-homeservices.fr^ +||trk.engineeringwk.com^ +||trk.engineleasingandfinance-europe.com^ +||trk.enjoyplanta.com^ +||trk.enterpriseconnect.com^ +||trk.equifax.com.au^ +||trk.event.eset.com^ +||trk.everestblowers.com^ +||trk.everestvacuum.com^ +||trk.evtechexpo.com^ +||trk.evtechexpo.eu^ +||trk.farmprogress.com^ +||trk.farmprogressshow.com^ +||trk.feedstuffs.com^ +||trk.fieldandmain.com^ +||trk.fieldandmaininsurance.com^ +||trk.findfashionevents.com^ +||trk.fintechfutures.com^ +||trk.flora.com^ +||trk.flora.cz^ +||trk.flora.es^ +||trk.flora.pl^ +||trk.floraplant.at^ +||trk.floraspread.com.au^ +||trk.food-management.com^ +||trk.fr.business.westernunion.ca^ +||trk.fr.business.westernunion.ch^ +||trk.fruitdor.fr^ +||trk.futureelectronics.cn^ +||trk.futureelectronics.com^ +||trk.gamasutra.com^ +||trk.gamedeveloper.com^ +||trk.gardnerdenver.com.cn^ +||trk.gardnerdenver.com^ +||trk.gazpasserelle.engie.fr^ +||trk.gdconf.com^ +||trk.go.ingrammicro.com^ +||trk.go.ingrammicrocloud.com^ +||trk.greenbuildexpo.com^ +||trk.hankisonair.com^ +||trk.hartell.com^ +||trk.haskel.com^ +||trk.hello.navan.com^ +||trk.hibon.com^ +||trk.hoffmanandlamson.com^ +||trk.hppumps.com^ +||trk.huskerharvestdays.com^ +||trk.icantbelieveitsnotbutter.com^ +||trk.imeeventscalendar.com^ +||trk.imengineeringeast.com^ +||trk.imengineeringsouth.com^ +||trk.info.puntonet.ec^ +||trk.info.shutterstock.com^ +||trk.info.verifi.com^ +||trk.info.verticurl.com^ +||trk.informaconnect.com^ +||trk.informaengage.com^ +||trk.informatech.com^ +||trk.informationweek.com^ +||trk.ingersollrand.com^ +||trk.insurancetech.com^ +||trk.interop.com^ +||trk.ir-now.com^ +||trk.irco.com^ +||trk.itprotoday.com^ +||trk.iwceexpo.com^ +||trk.jeffersonhealth.org^ +||trk.jorc.com^ +||trk.kansashealthsystem.com^ +||trk.kirbybuilt.com^ +||trk.laetta.com^ +||trk.lasvegasaces.com^ +||trk.latta.se^ +||trk.lightreading.com^ +||trk.living.chartwell.com^ +||trk.lmipumps.com^ +||trk.lookbook.westernunion.com^ +||trk.mackayshields.com^ +||trk.magicfashionevents.com^ +||trk.mailchimp.com^ +||trk.margarinaiberia.com.mx^ +||trk.maximus-solution.com^ +||trk.md-kinney.com^ +||trk.mddionline.com^ +||trk.mdeawards.com^ +||trk.meetingsnet.com^ +||trk.metronet.com^ +||trk.metronetbusiness.com^ +||trk.microsyringes.com^ +||trk.midamericanenergy.com^ +||trk.milda.se^ +||trk.miltonroy.com^ +||trk.mk.westernunion.com^ +||trk.mktg.nec.com^ +||trk.mppumps.com^ +||trk.mt.business.westernunion.com^ +||trk.mycare.maimo.org^ +||trk.nashpumps.com^ +||trk.nationalhogfarmer.com^ +||trk.ndtco.com^ +||trk.neogen.com^ +||trk.networkcomputing.com^ +||trk.networkxevent.com^ +||trk.news.loyaltycompany.com^ +||trk.nojitter.com^ +||trk.novelis.com^ +||trk.nrn.com^ +||trk.nvenergy.com^ +||trk.oberdorferpumps.com^ +||trk.oma.dk^ +||trk.optum.com^ +||trk.oxywise.com^ +||trk.packagingdigest.com^ +||trk.paragondirect.com^ +||trk.parkitbikeracks.com^ +||trk.peceniejeradost.sk^ +||trk.pecenijeradost.cz^ +||trk.pedrogil.com^ +||trk.picnictables.com^ +||trk.planta.be^ +||trk.planta.pt^ +||trk.plantafin.fr^ +||trk.plasticstoday.com^ +||trk.powderandbulkshow.com^ +||trk.powderandbulksolids.com^ +||trk.powerdms.com^ +||trk.pro-activ.com^ +||trk.projectfashionevents.com^ +||trk.protiviti.com^ +||trk.ptl.irco.com^ +||trk.quantumbusinessnews.com^ +||trk.rama.com.co^ +||trk.rama.com^ +||trk.reach.utep.edu^ +||trk.reavell.com^ +||trk.recetasprimavera.com^ +||trk.restaurant-hospitality.com^ +||trk.riverview.org^ +||trk.robuschi.com^ +||trk.routesonline.com^ +||trk.runtechsystems.com^ +||trk.sais.ch^ +||trk.sana.com.tr^ +||trk.sanella.de^ +||trk.secure.icmi.com^ +||trk.seepex.com^ +||trk.send.waoo.dk^ +||trk.share.healthc2u.com^ +||trk.solo.be^ +||trk.solution.desjardins.com^ +||trk.sourcingatmagic.com^ +||trk.specialevents.com^ +||trk.speedbumpsandhumps.com^ +||trk.spsglobal.com^ +||trk.supermarketnews.com^ +||trk.tbivision.com^ +||trk.telecoms.com^ +||trk.the5gexchange.com^ +||trk.thea.at^ +||trk.theaisummit.com^ +||trk.thebatteryshow.com^ +||trk.thebatteryshow.eu^ +||trk.thebenchfactory.com^ +||trk.themspsummit.com^ +||trk.thinkhdi.com^ +||trk.thomaspumps.com^ +||trk.todocouplings.com^ +||trk.trashcontainers.com^ +||trk.treetopproducts.com^ +||trk.tricontinent.com^ +||trk.tu-auto.com^ +||trk.tulipan.es^ +||trk.tuthillpump.com^ +||trk.ummhealth.org^ +||trk.updates.juilliard.edu^ +||trk.urgentcomm.com^ +||trk.us.vacasa.com^ +||trk.vaqueiro.pt^ +||trk.violife.com^ +||trk.violifefoods.com^ +||trk.violifeprofessional.com^ +||trk.vitam.gr^ +||trk.vodafone.com.tr^ +||trk.wallstreetandtech.com^ +||trk.wardsauto.com^ +||trk.wealthmanagement.com^ +||trk.welchvacuum.com^ +||trk.wellsfargocenterphilly.com^ +||trk.williamspumps.com^ +||trk.yzsystems.com^ +||trk.zeks.com^ +||trk.zinsser-analytic.com^ +||trk01.informaconnect.com^ +||trk01.knect365.com^ +||trk02.knect365.com^ +||trk03.informatech.com^ +||trk03.knect365.com^ +||trk04.informatech.com^ +||trk05.informatech.com^ +||trk09.informa.com^ +||trk2.avalara.com^ +||trkcmi.informaconnect.com^ +||trust.flexpay.io^ +||trust.zebra.com^ +||try.blackboard.com^ +||try.tableau.com^ +||try.tableausoftware.com^ +||tv.totaljobs.com^ +||tw-go.experian.com^ +||u.audi-pureprotection.com^ +||u.fordprotectplans.com^ +||u.landing.ni.com^ +||uat.enterprises.proximus.com^ +||ucaas.avaya.com^ +||uk-business.vodafone.com^ +||uk-mktg.vodafone.com^ +||uk.adpinfo.com^ +||uk.contact.alphabet.com^ +||uk.partner.equifax.co.uk^ +||uk.realestate.bnpparibas^ +||uk.verintsystemsinc.com^ +||uki2.secureforms.mcafee.com^ +||ukri.innovateuk.org^ +||unifiedwfo.verintsystemsinc.com^ +||unsubscribe.datadelivers.com^ +||update.purina.com^ +||update.tcsg.edu^ +||updates.gaylordhotels.com^ +||us-go.experian.com^ +||us-now.experian.com^ +||us.mattamyhomes.com^ +||us.ricoh-usa.com^ +||usingyourcard.americanexpress.co.uk^ +||ussolutions.equifax.com^ +||ut.econnect.utexas.edu^ +||uxplora.davivienda.com^ +||vge-business.vodafone.com^ +||vge-mktg-secure.vodafone.com^ +||vge-mktg.vodafone.com^ +||video.verintsystemsinc.com^ +||videos.adp.ca^ +||videos.personneltoday.com^ +||view.americanbuildings.com^ +||view.aon.com^ +||view.centria.com^ +||view.kirbybuildingsystems.com^ +||view.metlspan.com^ +||view.nucorbuildingsystems.com^ +||vip.german.ni.com^ +||vip.granicus.com^ +||vip.maxtor.com^ +||vision.cbre.com.au^ +||vision.cbresi.com.au^ +||visit.adelaide.edu.au^ +||visit.atea.fi^ +||visit.donateblood.com.au^ +||visit.hypertherm.com^ +||visit.lifeblood.com.au^ +||visit.oakstreethealth.com^ +||visit.tafensw.edu.au^ +||visit.tenplay.com.au^ +||visitor.arabiancentres.com^ +||visitor.hotelex.cn^ +||visma.e-conomic.dk^ +||vismaturva.visma.fi^ +||voice.thewealthadvisor.com^ +||vois.vodafone.com^ +||w3.air-worldwide.com^ +||w4.air-worldwide.com^ +||water.tetrapak.com^ +||we.care.oswegohealth.org^ +||wealth.informabi.com^ +||web.akademiai.hu^ +||web.care.eehealth.org^ +||web.care.lcmchealth.org^ +||web.care.mclaren.org^ +||web.care.northoaks.org^ +||web.care.sheppardpratt.org^ +||web.care.uhssa.com^ +||web.care.wakemed.org^ +||web.connect.garnethealth.org^ +||web.destinationretirement.co.uk^ +||web.devry.edu^ +||web.health.childrenswi.org^ +||web.health.hannibalregional.org^ +||web.health.memorialcare.org^ +||web.healthcare.northbay.org^ +||web.healthnews.thechristhospital.com^ +||web.histoire.emailing.bnpparibas^ +||web.houstontexans.com^ +||web.houstontexansluxe.com^ +||web.hubfinancialsolutions.co.uk^ +||web.info.aspirus.org^ +||web.info.mymosaiclifecare.org^ +||web.lsse.net^ +||web.morganfranklin.com^ +||web.northwestern.nm.org^ +||web.nortonrosefulbright.com^ +||web.novogene.com^ +||web.novuna.co.uk^ +||web.novunabusinessfinance.co.uk^ +||web.novunapersonalfinance.co.uk^ +||web.orionpharma.com^ +||web.wearejust.co.uk^ +||web.winzer.com^ +||web2.perkinelmer.com^ +||web3.perkinelmer.com^ +||web8.perkinelmer.com^ +||webcasts.de.ni.com^ +||webcasts.partnermcafee.com^ +||webinar.dnv.com^ +||webinar.intel.com^ +||webinar.ndtco.com^ +||webinars.att.com^ +||webinars.blackboard.com^ +||webinars.cigna.com^ +||webinars.coface.com^ +||webinars.elliemae.com^ +||webinars.monster.com^ +||webinars.oncourselearning.com^ +||webinars.thermofisher.com^ +||webmail.carte-gr.total.fr^ +||webmail.information.maileva.com^ +||website-security.geotrust.com^ +||website-security.rapidssl.com^ +||website-security.thawte.com^ +||website-tracking.smartx.com^ +||webtracking.acams.org^ +||webtracking.aucmed.edu^ +||webtracking.becker.com^ +||webtracking.cuwebinars.com^ +||webtracking.devry.edu^ +||webtracking.medical.rossu.edu^ +||webtracking.moneylaundering.com^ +||webtracking.oncourselearning.com^ +||webtrackingvet.rossu.edu^ +||welcome.ciscopowerofpartnership.com^ +||welcome.coniferhealth.com^ +||welcome.e.chiefs.com^ +||welcome.floridagators.com^ +||welcome.item24.be^ +||welcome.item24.ch^ +||welcome.item24.com^ +||welcome.item24.cz^ +||welcome.item24.de^ +||welcome.item24.es^ +||welcome.item24.fr^ +||welcome.item24.hu^ +||welcome.item24.it^ +||welcome.item24.kr^ +||welcome.item24.mx^ +||welcome.item24.nl^ +||welcome.item24.pl^ +||welcome.item24.pt^ +||welcome.item24.us^ +||welcome.vodafone.com^ +||wellness.palomarhealth.org^ +||whatif.fr.adobe.com^ +||whatif.it.adobe.com^ +||whatif.nl.adobe.com^ +||whitepapers.blackboard.com^ +||whitepapers.rockwellautomation.com^ +||work.construction.com^ +||workforcetrends.advancedtech.com^ +||workplace.ricoh.de^ +||workplace.ricoh.ie^ +||workplace.ricoh.it^ +||workplacesolutions.equifax.com^ +||workplacesolutions.inform.equifax.com^ +||www-103.aig.com^ +||www-103.chartisinsurance.com^ +||www-104.aig.com^ +||www-105.aig.com^ +||www-106.aig.com^ +||www-107.aig.com^ +||www-109.aig.com^ +||www-110.aig.com^ +||www.acpprograms.org^ +||www.activisionnews.com^ +||www.adpinfo.com^ +||www.allergodil.cz^ +||www.allergodil.hu^ +||www.aonunited.com^ +||www.armolipid.com.ru^ +||www.avismarketing.gr^ +||www.cf.labanquepostale.fr^ +||www.chronischepancreatitis.nl^ +||www.comcastbiz.com^ +||www.communications.kra.go.ke^ +||www.completatusdatos.com^ +||www.connect.api.almirall.com^ +||www.connect.johndorys.co.za^ +||www.connect.panarottis.co.za^ +||www.connect.spurcorp.com^ +||www.enterprises.proximus.com^ +||www.epargnez.adp.ca^ +||www.epipenexpiryservice.com^ +||www.ess.tis.co.jp^ +||www.eu.viatrisconnect.com^ +||www.fordprotectplans.com^ +||www.fovissstejavercancun.com^ +||www.gaylordhotelsnews.com^ +||www.get.ukg.com^ +||www.glf.mt.com^ +||www.heatexperience.com^ +||www.infineon-community.com^ +||www.info.dunnhumby.com^ +||www.info.redhat.com^ +||www.infos-experts.adp.com^ +||www.ins-mercadeo.com^ +||www.ins-multiasistencia.com^ +||www.jabalproperties.org^ +||www.kings-email.com^ +||www.learn.dunnhumby.com^ +||www.longterminvestmentsolutions.com^ +||www.lowvolatilitysolutions.com^ +||www.ma-catinfo.com^ +||www.maserati.info^ +||www.mediwebinars.com^ +||www.medtronicsolutions.com^ +||www.mkt.uvg.edu.gt^ +||www.muni360.com^ +||www.mydocusign.com^ +||www.myfiltration.eaton.com^ +||www.mykingsevents.com^ +||www.mykingstickets.com^ +||www.myvehicle.eaton.com^ +||www.nepinplainsight.com^ +||www.newscatalanaoccidente.com^ +||www.newsgrupocatalanaoccidente.com^ +||www.newsplusultra.es^ +||www.on24-webinars.co.uk^ +||www.orionkeraily.fi^ +||www.partnermcafee.com^ +||www.quoteafs.com^ +||www.rdalpha.net^ +||www.registrocofinavit.com^ +||www.registrocumbresallegro.com^ +||www.registroeventosjaver.com^ +||www.registrojardinesdecastalias.com^ +||www.registrovalledelosencinos.com^ +||www.registrovalledesantiago.com^ +||www.registrovillaslapiedad.com^ +||www.retirementadvisorinsights.com^ +||www.safecoprograms.com^ +||www.saugellaviso.it^ +||www.save.adp.ca^ +||www.science.dunnhumby.com^ +||www.scienceaaas.org^ +||www.secondmicrosite.com^ +||www.secure.rc-club.ricoh.co.jp^ +||www.send.hollandcasino.nl^ +||www.service.cz.nl^ +||www.service.hollandcasino.nl^ +||www.service.just.nl^ +||www.solutions.prudential.com^ +||www.sp-newfunds.com^ +||www.subscriptions.nokiasiemensnetworks.com^ +||www.test92.com^ +||www.thalesgroup-events.com^ +||www.tracking.adp.ch^ +||www.tracking.adp.co.uk^ +||www.tracking.alabamapower.com^ +||www.training.graduateschool.edu^ +||www.undiaenlausj.com^ +||www.unrealpain.com^ +||www.us.roche-applied-science.com^ +||www.viatrisneuropathicpain.co.uk^ +||www.whennotsharingiscaring.com^ +||www.yourplanprovisions.com^ +||www.zakelijk.cz.nl^ +||www1.kawasaki-motors.com^ +||www2.carte-gr.total.fr^ +||www2.daikinchemicals.com^ +||www2.edgenuity.com^ +||www2.festo.com^ +||www2.firsttechfed.com^ +||www2.info.renesas.cn^ +||www3.americanprogressaction.org^ +||xvantage.ingrammicro.com^ +||your.maas.ptvgroup.com^ +||your.mapandguide.ptvgroup.com^ +||your.mapandmarket.ptvgroup.com^ +||your.routeoptimiser.ptvgroup.com^ +||your.trafficdata.ptvgroup.com^ +||your.vissim.ptvgroup.com^ +||your.vistro.ptvgroup.com^ +||your.visum.ptvgroup.com^ +||your.xserver.ptvgroup.com^ +||yourporsche.nabooda-auto.com^ +||yourporscheimg.nabooda-auto.com^ +||za-go.experian.com^ +||zakelijke-betalingsoplossingen.americanexpress.nl^ +||zakelijke-oplossingen-nld.americanexpress.nl^ +||zakelijkemarkt.vattenfall.nl^ +||zh-tw.siemensplmevents.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_ad-ebis.txt *** +! easyprivacy_specific_cname_ad-ebis.txt +! Company name: AD EBiS https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/ad-ebis.txt +! +! ebis.ne.jp disguised trackers +! +||a9d8e7b6i5s.andgino.jp^ +||aaa.aqualink.tv^ +||aaaa.jawfp2.org^ +||aaaa.nocor.jp^ +||ac-3.mix.tokyo^ +||ac-ebis-otrk.usen.com^ +||ac-ebis-stb.usen.com^ +||ac-ebis-uhome.usen.com^ +||ac-ebis.otoraku.jp^ +||ac-ebis.usen-ad.com^ +||ac-ebis.usen-insurance.com^ +||ac-ebis.usen-pos.com^ +||ac-ebis.usen-service.com^ +||ac-ebis.usen-store.com^ +||ac-ebis.usen.biz^ +||ac.geechs-job.com^ +||ad-ebis.bookpass.auone.jp^ +||ad-ebis.mynavi-job20s.jp^ +||ad-ebis.toysub.jp^ +||ad.320320.net^ +||ad.aim-universe.co.jp^ +||ad.aucfan.com^ +||ad.aucview.com^ +||ad.autorace.jp^ +||ad.kddi-fs.com^ +||ad.ordersuit.info^ +||ad.takasu.co.jp^ +||ad.tempstaff.co.jp^ +||ad.theatre.co.jp^ +||ad.theatreacademy.jp^ +||ad1.tone.ne.jp^ +||adbq.bk.mufg.jp^ +||ade.deskstyle.info^ +||ade.hirose-fx.co.jp^ +||ade.jfx.co.jp^ +||adebis-52667624.wowma.jp^ +||adebis-bkan.vbest.jp^ +||adebis-cname.jobmall.jp^ +||adebis-dojyo.dojyo.jp^ +||adebis-morijuku.morijuku.com^ +||adebis-rikon.vbest.jp^ +||adebis-saimu.vbest.jp^ +||adebis.464981.com^ +||adebis.afc-shop.com^ +||adebis.ahjikan-shop.com^ +||adebis.aij.co.jp^ +||adebis.angfa-store.jp^ +||adebis.bathclin.jp^ +||adebis.bbb-life.jp^ +||adebis.chojyu.com^ +||adebis.crowdcredit.jp^ +||adebis.daiwahouse.co.jp^ +||adebis.demae-can.com^ +||adebis.e-ohaka.com^ +||adebis.entetsu.co.jp^ +||adebis.ferret-one.com^ +||adebis.furisode-ichikura.jp^ +||adebis.gfs-official.com^ +||adebis.gfs.tokyo^ +||adebis.gogin.co.jp^ +||adebis.harutaka.jp^ +||adebis.hotstaff.co.jp^ +||adebis.jp.iface.com^ +||adebis.juku.st^ +||adebis.kamada.co.jp^ +||adebis.kaonavi.jp^ +||adebis.kirei-journal.jp^ +||adebis.kirin.co.jp^ +||adebis.kodomohamigaki.com^ +||adebis.kose.co.jp^ +||adebis.koutsujiko.jp^ +||adebis.leben-establish.jp^ +||adebis.leben-style.jp^ +||adebis.lifestylemag.jp^ +||adebis.livable.co.jp^ +||adebis.logoshome.jp^ +||adebis.mizunomori.com^ +||adebis.muscledeli.jp^ +||adebis.no.01.alo-organic.com^ +||adebis.nursery.co.jp^ +||adebis.o-baby.net^ +||adebis.pikaichi.co.jp^ +||adebis.qeee.jp^ +||adebis.real-style.co.jp^ +||adebis.report.clinic^ +||adebis.reruju.com^ +||adebis.rishiria-furel.com^ +||adebis.s-toushi.jp^ +||adebis.saison-pocket.com^ +||adebis.satori.marketing^ +||adebis.sbishinseibank.co.jp^ +||adebis.sbpayment.jp^ +||adebis.shinseibank.com^ +||adebis.shiseido.co.jp^ +||adebis.shopserve.jp^ +||adebis.sokamocka.com^ +||adebis.thd-web.jp^ +||adebis.theclinic.jp^ +||adebis.tipness.co.jp^ +||adebis.tohshin.co.jp^ +||adebis.toitoitoi.clinic^ +||adebis.tokyuhotels.co.jp^ +||adebis.toushi-up.com^ +||adebis.tspot.co.jp^ +||adebis.urban-research.jp^ +||adebis.zenyaku-hbshop.com^ +||adebis01.job-con.jp^ +||adebis02.juku.st^ +||adebis0508.brain-sleep.com^ +||adebis1.1rnavi.com^ +||adebis8628.matsui.co.jp^ +||adebiscname.au-sonpo.co.jp^ +||adebiscname.auone.jp^ +||adebiscname.sumirin-ht.co.jp^ +||adebisu.wowow.co.jp^ +||adex.kintetsu-re.co.jp^ +||adex.naruko333.jp^ +||adex.predear.com^ +||admeasure.hh-online.jp^ +||adnl.bk.mufg.jp^ +||adpromo.peppynet.com^ +||adtrack.alchemy-web.jp^ +||adtrack.loracle.jp^ +||adtrack.maisonlexia.com^ +||aesus.so-net.ne.jp^ +||analyse.hinemos.info^ +||axjfkc.kobayashi.co.jp^ +||bbbb.goace.jp^ +||beeline.beeline-tire.co.jp^ +||campaign-direct.eisai.jp^ +||campaign-direct.ketsuatsu-taisaku.xyz^ +||campaign-direct.kouketsuatsu-health.xyz^ +||ccc.aqualink.tokyo^ +||cmass.massmedian.co.jp^ +||cname-ade.gom-in.com^ +||cname-ade.hankoya.com^ +||cname-ade.original-calendar.com^ +||cname-ade.shachihata.biz^ +||cname-adebis.nice2meet.us^ +||cname-adebis.vcube.com^ +||cname.crank-in.net^ +||cname.ebis.folio-sec.com^ +||cname.finess.jp^ +||cname.gladis.jp^ +||cname.jaic-college.jp^ +||cname.jf-d.jp^ +||cname.kyusai.co.jp^ +||cname.lions-mansion.jp^ +||cname.mebiusseiyaku.co.jp^ +||cname.mitsuihome.co.jp^ +||cname.nikkei-cnbc.co.jp^ +||cname1.shakenkan.co.jp^ +||cname2.shaken-yoyaku.com^ +||cnameebis.eizoshigoto.com^ +||cnameebis.usagi-online.com^ +||cnameforitp.dermed.jp^ +||cnebis.chocola.com^ +||cnebis.eisai.jp^ +||cnebis.i-no-science.com^ +||corporate.frontierconsul.net^ +||cs0010sbeda.theory-clinic.com^ +||cs1470sbeda.schoolasp.com^ +||cs1863sbeda.glaucoma-arrest.net^ +||cs2113sbeda.hokto-onlineshop.jp^ +||cvs.kireimo.jp^ +||d-kint.d-kintetsu.co.jp^ +||digital.anicom-sompo.co.jp^ +||eb.bewithyou.jp^ +||eb.o-b-labo.com^ +||ebis-cname.mirai-japan.co.jp^ +||ebis-tracking.hirakata-skin-clinic.com^ +||ebis-tracking.okinawa-keisei.com^ +||ebis-tracking.shinyokohama-beauty.com^ +||ebis-tracking.tcb-beauty.net^ +||ebis-tracking.tcb-fukushima.com^ +||ebis-tracking.tcb-mito.com^ +||ebis-tracking.tcb-recruit.com^ +||ebis-tracking.tcb-setagaya.com^ +||ebis.15jikai.com^ +||ebis.2jikaikun.com^ +||ebis.aibashiro.jp^ +||ebis.apo-mjob.com^ +||ebis.as-1.co.jp^ +||ebis.ayura.co.jp^ +||ebis.bbo.co.jp^ +||ebis.belta.co.jp^ +||ebis.biyo-job.com^ +||ebis.bulk.co.jp^ +||ebis.care-tensyoku.com^ +||ebis.ce-parfait.com^ +||ebis.coyori.com^ +||ebis.cp.claudia.co.jp^ +||ebis.delis.co.jp^ +||ebis.eiyoushi-tensyoku.com^ +||ebis.forcas.com^ +||ebis.funai-finance.com^ +||ebis.funaisoken.co.jp^ +||ebis.glico-direct.jp^ +||ebis.gokusen-ichiba.com^ +||ebis.goldcrest.co.jp^ +||ebis.housekeeping.or.jp^ +||ebis.j-l-m.co.jp^ +||ebis.jinzai-business.com^ +||ebis.jobcan.jp^ +||ebis.jobcan.ne.jp^ +||ebis.jojoble.jp^ +||ebis.jukkou.com^ +||ebis.kan54.jp^ +||ebis.kimonoichiba.com^ +||ebis.kubara.jp^ +||ebis.lululun.com^ +||ebis.macchialabel.com^ +||ebis.makeshop.jp^ +||ebis.mucuna.co.jp^ +||ebis.n-pri.jp^ +||ebis.nomu-silica.jp^ +||ebis.okasan-online.co.jp^ +||ebis.onamae.com^ +||ebis.palclair.jp^ +||ebis.pasonatech.co.jp^ +||ebis.rabo.cat^ +||ebis.radish-pocket.com^ +||ebis.radishbo-ya.co.jp^ +||ebis.randstad.co.jp^ +||ebis.re-shop.jp^ +||ebis.rozetta.jp^ +||ebis.s-bisco.jp^ +||ebis.samurai271.com^ +||ebis.sbismile.co.jp^ +||ebis.seibu-k.co.jp^ +||ebis.sekisuihouse.co.jp^ +||ebis.sekisuihouse.com^ +||ebis.shabon.com^ +||ebis.smakon.jp^ +||ebis.studio-alice.co.jp^ +||ebis.studioindi.jp^ +||ebis.sunstar-shop.jp^ +||ebis.tokado.jp^ +||ebis.touhan-navi.com^ +||ebis.treasurenet.jp^ +||ebis.umulin-lab.com^ +||ebis.yumeyakata.com^ +||ebis01.vernal.co.jp^ +||ebis01.zkai.co.jp^ +||ebis2020.hoiku-job.net^ +||ebis202001.joyfit.jp^ +||ebisanalysis.mouse-jp.co.jp^ +||ebiscname.clark.ed.jp^ +||ebiscname.english-native.net^ +||ebiscname.infofactory.jp^ +||ebiscname.j-esthe-yoyaku.com^ +||ebiscname.j-esthe.com^ +||ebiscname.native-phrase.com^ +||ebiscname.urr.jp^ +||ebiscosme.tamagokichi.com^ +||ebisfracora.fracora.com^ +||ebisstore.tamagokichi.com^ +||ebistoppan1.kyowahakko-bio-campaign-1.com^ +||emc.dr-stick.shop^ +||frontierconsul02.tsunagaru-office.com^ +||greenjapan-cname.green-japan.com^ +||hokkaidobank.rapi.jp^ +||isebis.takamiclinic.or.jp^ +||isebis.yutoriform.com^ +||itp.phoebebeautyup.com^ +||itpebis03.recella3d.com^ +||marketing.biz.mynavi.jp^ +||marketing.zwei.com^ +||matsubun.matsubun.com^ +||maz.zba.jp^ +||mcad.mods-clinic.com^ +||mcad.mods-clinic.info^ +||mdm.hibinobi-mandom.jp^ +||media.geinoschool-hikaku.net^ +||mgn.ebis.xn--olsz5f0ufw02b.net^ +||msr.p-antiaging.com^ +||ncc.nip-col.jp^ +||nlp-japan.life-and-mind.com^ +||p5mcwdbu.ginzo-buy.jp^ +||partner.haru-shop.jp^ +||sem.tkc-biyou.jp^ +||seo.tkc110.jp^ +||sep02.hinagiku-life.jp^ +||sinceregarden.sincere-garden.jp^ +||test-ad.lucia-c.com^ +||test-ad.mens-lucia.com^ +||tracking.mysurance.co.jp^ +||tracking.nokai.jp^ +||tracking.wao-corp.com^ +||tracking.wao.ne.jp^ +||ureruadebis.papawash.com^ +||urerucname.manara.jp^ +||ureruebis.nintama.co.jp^ +||urr.kumamoto-food.com^ +||www-ebis.384.co.jp^ +||www2.hnavi.co.jp^ +||y8hxgv9m.kobetsu.co.jp^ +||z89yxner8h.datsumou-beauty-times.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_eulerian.txt *** +! easyprivacy_specific_cname_eulerian.txt +! Company name: Eulerian https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/eulerian.txt +! +! eulerian.net disguised trackers +! +||0sbm.consobaby.co.uk^ +||16ao.mathon.fr^ +||1ctc.sfr.fr^ +||2efj.economies.cheque-dejeuner.com^ +||2efj.up.coop^ +||3esm.consubebe.es^ +||5fm.985fm.ca^ +||66jo.societegenerale.fr^ +||6pal.consobaby.com^ +||6swu.cpa-france.org^ +||7lbd4.armandthiery.fr^ +||7mx.eider.com^ +||7mx.eidershop.com^ +||8ezc.sfr.fr^ +||a.audi.fr^ +||a.audifrance.fr^ +||a.oney.es^ +||a.parfumsclub.de^ +||a.perfumesclub.co.uk^ +||a.perfumesclub.com^ +||a.perfumesclub.fr^ +||a.perfumesclub.it^ +||a.perfumesclub.nl^ +||a.perfumesclub.pl^ +||a.perfumesclub.pt^ +||a.weareknitters.co.uk^ +||a.weareknitters.com^ +||a.weareknitters.de^ +||a.weareknitters.dk^ +||a.weareknitters.es^ +||a.weareknitters.fr^ +||a.weareknitters.nl^ +||a.weareknitters.no^ +||a.weareknitters.pl^ +||a.weareknitters.se^ +||a7e.monnierfreres.de^ +||a8ht.hipp.fr^ +||ab.oney.es^ +||ab.perfumesclub.com^ +||ali8.alinea.fr^ +||alp1.drimki.fr^ +||am.belambra.co.uk^ +||am.belambra.com^ +||anz7.allianz-voyage.fr^ +||aod4.societegenerale.fr^ +||ar.allrun.fr^ +||ar.i-run.fr^ +||azg1.emalu-store.com^ +||b1n.carabins.umontreal.ca^ +||bch8.destinia.co^ +||bdj5.terrassesmontecarlosbm.com^ +||bft5.destinia.fr^ +||bja2.destinia.cz^ +||bk.brookeo.fr^ +||blog.tagcentral.fr^ +||bn.voyage-prive.com^ +||bpe2.destinia.co.il^ +||bum7.bymycar.fr^ +||bwj4.hrhibiza.com^ +||c0i.ckoi.com^ +||c0p.cepsum.umontreal.ca^ +||c4dv.copinesdevoyage.com^ +||ca.clubavantages.net^ +||cbl6.destinia.gt^ +||cc.conforama.es^ +||cc.conforama.pt^ +||cf.campagnes-france.com^ +||ch.credithypo.com^ +||ch0p.darty.com^ +||cls7.theushuaiaexperience.com^ +||cpgo.avatacar.com^ +||cse3.chausport.com^ +||csm.magnetintell.com^ +||csv4.ebs-paris.fr^ +||ct5m.citadium.com^ +||ctp1.bforbank.com^ +||cvi6.destinia.qa^ +||cyf9.destinia.cl^ +||d2u.dauphinquebec.com^ +||dbj.quebecregion.com^ +||deut1.fdj.fr^ +||deut2.fdj.fr^ +||deut3.fdj.fr^ +||dko.vente-unique.nl^ +||dqs3.darjeeling.fr^ +||dsfe19.madeindesign.com^ +||dv59b.montecarlomeeting.com^ +||dw0c.sfr.fr^ +||dw7u.hotelsbarriere.com^ +||dxe2.heip.fr^ +||ea.armandthiery.fr^ +||ea.assuronline.com^ +||ea.auchantelecom.fr^ +||ea.audika.com^ +||ea.auvergne-direct.fr^ +||ea.bcassurance.fr^ +||ea.camping-and-co.com^ +||ea.carrefour.com^ +||ea.carrefour.fr^ +||ea.castorama.fr^ +||ea.catimini-boutique.com^ +||ea.catimini.com^ +||ea.ciblo.net^ +||ea.coffrefortplus.com^ +||ea.dcshoes-europe.com^ +||ea.devred.com^ +||ea.diamant-unique.com^ +||ea.easyvoyage.com^ +||ea.ecotour.com^ +||ea.elstarprevention.com^ +||ea.evaway.com^ +||ea.fleurancenature.com^ +||ea.fleurancenature.fr^ +||ea.francoisesaget.com^ +||ea.franziskasager.de^ +||ea.greenweez.com^ +||ea.greenweez.de^ +||ea.greenweez.es^ +||ea.greenweez.eu^ +||ea.habitat.de^ +||ea.habitat.fr^ +||ea.handsenderplus.com^ +||ea.histoiredor.com^ +||ea.hofmann.es^ +||ea.hofmann.pt^ +||ea.igraal.com^ +||ea.kauf-unique.at^ +||ea.kauf-unique.de^ +||ea.kidiliz.com^ +||ea.labelhabitation.com^ +||ea.lafrancedunordausud.fr^ +||ea.laredoute.pt^ +||ea.leskidunordausud.fr^ +||ea.lespagnedunordausud.fr^ +||ea.megustaescribir.com^ +||ea.megustaleer.com.pe^ +||ea.millet-mountain.ch^ +||ea.millet-mountain.com^ +||ea.millet-mountain.de^ +||ea.millet.fr^ +||ea.mistergatesdirect.com^ +||ea.mnt.fr^ +||ea.mondial-assistance.fr^ +||ea.mydailyhotel.com^ +||ea.mywarner.warnerbros.fr^ +||ea.natiloo.com^ +||ea.netvox-assurances.com^ +||ea.nextseguros.es^ +||ea.nomade-aventure.com^ +||ea.odalys-vacances.com^ +||ea.odalys-vacation-rental.com^ +||ea.onestep-boutique.com^ +||ea.online.carrefour.fr^ +||ea.peugeot-assurance.fr^ +||ea.placedestendances.com^ +||ea.poeleaboismaison.com^ +||ea.promovacances.com^ +||ea.quiksilver.eu^ +||ea.radiateurplus.com^ +||ea.rentacar.fr^ +||ea.reunica.com^ +||ea.roxy.eu^ +||ea.sadyr.es^ +||ea.smallable.com^ +||ea.sport2000.fr^ +||ea.telecommandeonline.com^ +||ea.tool-fitness.com^ +||ea.topsante.com^ +||ea.venta-del-diablo.com^ +||ea.venta-unica.com^ +||ea.vente-unique.be^ +||ea.vente-unique.ch^ +||ea.vente-unique.com^ +||ea.vente-unique.lu^ +||ea.vivus.es^ +||ea.voyage-prive.co.uk^ +||ea.voyage-prive.es^ +||ea.voyage-prive.it^ +||ea.warnerbros.fr^ +||eat9.thebeat925.ca^ +||ebc1.capifrance.fr^ +||ef.futuroscope.com^ +||ef.futuroscope.mobi^ +||eit3.destinia.nl^ +||ek8.voyage-prive.com^ +||elr.sfr.fr^ +||erb.tremblant.ca^ +||ert5.rmcsport.tv^ +||et.sncf.com^ +||eule1.pmu.fr^ +||eule3.pmu.fr^ +||eule4.pmu.fr^ +||eule5.pmu.fr^ +||euler.pmu.fr^ +||eulerian.alinea.fr^ +||eulerian.astro-way.com^ +||eulerian.belambra.be^ +||eulerian.belambra.fr^ +||eulerian.canal-plus.com^ +||eulerian.eidershop.com^ +||eulerian.eveiletjeux.com^ +||eulerian.look-voyages.fr^ +||eulerian.maison-facile.com^ +||eulerian.malakoffmederic.com^ +||eulerian.mathon.fr^ +||eulerian.monoprix.fr^ +||eulerian.netbooster.com^ +||eulerian.officiel-des-vacances.com^ +||eulerian.oxybul.com^ +||eulerian.sarenza.com^ +||eulerian.siandso.com^ +||eulerian.structube.com^ +||eulerian.telechargement.fr^ +||eulerian.tgv-europe.be^ +||eulerian.tgv-europe.com^ +||eulerian.tgv-europe.es^ +||eulerian.tgv-europe.it^ +||eulerian.tgv-europe.lu^ +||eulerian.tgv-europe.nl^ +||eulerian.thalasseo.com^ +||eulerian.voyage-prive.com^ +||eultech.fnac.com^ +||exd4.destinia.com.au^ +||f0nn.oney.fr^ +||f2.voyage-prive.com^ +||fal2.carrefour-banque.fr^ +||fbu8.hoteldeparismontecarlo.com^ +||fbu8.hotelhermitagemontecarlo.com^ +||fbu8.monte-carlo-beach.com^ +||fbu8.montecarlobay.com^ +||fbu8.montecarloluxuryhotels.com^ +||fbu8.montecarlosbm.com^ +||fbu8.montecarloseasonalsale.com^ +||fbu8.ticket-online.montecarlolive.com^ +||fkwc.sfr.fr^ +||fl5dpe.oui.sncf^ +||fma7.aegon.es^ +||fpb8.esce.fr^ +||fsz1.francoisesaget.com^ +||fsz1.franziskasager.de^ +||fzb5.laboratoire-giphar.fr^ +||fze8.carrefour-banque.fr^ +||fzu4.bysidecar.com^ +||g1be.swisslife-direct.fr^ +||gdm1.toner.fr^ +||gf7t.cheques-cadeaux-culturels.fr^ +||gfn1.ugap.fr^ +||gfv4.destinia.co.za^ +||gi7a.structube.com^ +||gif1.gifi.fr^ +||gli9.inseec-bs.com^ +||gnh2.destinia.lv^ +||gsg9.carrefour-banque.fr^ +||guq9.vente-unique.it^ +||gwtc.sfr.fr^ +||h00c.sfr.fr^ +||hbo5.concours-pass.com^ +||hby7.destinia.it^ +||hde1.repentignychevrolet.com^ +||hgf4.zanzicar.fr^ +||hkj8.evobanco.com^ +||idg1.idgarages.com^ +||igc0.destinia.at^ +||inv3te.oui.sncf^ +||iro.iperceptions.com^ +||irs.iperceptions.com^ +||j2i0.mathon.fr^ +||jcr3.onlyyouhotels.com^ +||jelr1.dili.fr^ +||jfo0.societegenerale.fr^ +||jfp6.destinia.de^ +||jg0c.sfr.fr^ +||jhm3.ifgexecutive.com^ +||jln3.cl-brands.com^ +||jln3.clstudios.com^ +||jn23.madeindesign.ch^ +||jn23.madeindesign.it^ +||jo2f.cheque-cadhoc.fr^ +||ju23.madeindesign.co.uk^ +||jun23.madeindesign.de^ +||jxy6.evobanco.es^ +||kep6.destinia.ie^ +||kvt5.blesscollectionhotels.com^ +||kwsjy9.oui.sncf^ +||lbc.lesbonscommerces.fr^ +||leo1.leon-de-bruxelles.fr^ +||let1.devialet.com^ +||lio8.destinia.com.pa^ +||ljb0.assuronline.com^ +||lp.to-lipton.com^ +||lrp7.carrefour-banque.fr^ +||lsv5.belambra.fr^ +||ltm6.destinia.se^ +||lwh1.carrefour-banque.fr^ +||ly8c.caci-online.fr^ +||lzuc.sfr.fr^ +||m3ds.subarumetropolitain.com^ +||mfd.myfirstdressing.com^ +||mgt7.madeindesign.it^ +||mi.miliboo.be^ +||mi.miliboo.ch^ +||mi.miliboo.co.uk^ +||mi.miliboo.com^ +||mi.miliboo.de^ +||mi.miliboo.es^ +||mi.miliboo.it^ +||mi.miliboo.lu^ +||mla3.societegenerale.fr^ +||mm.melia.com^ +||mmz3.beinsports.com^ +||mre6.destinia.ma^ +||msz3.destinia.cn^ +||mud4.destinia.com.eg^ +||mva1.maeva.com^ +||mwf7.montecarlowellness.com^ +||ncx2.voyage-prive.it^ +||net1.netski.com^ +||netc.sfr.fr^ +||ni8.lafuma-boutique.com^ +||ni8.lafuma.com^ +||nlf6.vente-unique.pl^ +||nmo1.orpi.com^ +||nmu3.destinia.be^ +||noa0.compteczam.fr^ +||nrg.red-by-sfr.fr^ +||nym5c.bonlook.com^ +||nym5c.laura.ca^ +||nyt1.biosens-leanature.fr^ +||o68c.sfr.fr^ +||oae6.carrefour-banque.fr^ +||oal2.destinia.co.uk^ +||oek7.april-moto.com^ +||ogb2.biopur-leanature.fr^ +||ogb2.biovie.com^ +||ogb2.eauthermalejonzac.com^ +||ogb2.jardinbio.fr^ +||ogb2.leanatureboutique.com^ +||ogb2.natessance.com^ +||ogb2.sobio-etic.com^ +||oit4.destinia.com.br^ +||oj2q8.montecarlosbm.book-secure.com^ +||ojm4.palladiumhotelgroup.com^ +||one2.onestep.fr^ +||oo.ooshop.com^ +||oph7o.montecarlosbm-corporate.com^ +||opim.pixmania.com^ +||opo4.assuronline.com^ +||oqr4.destinia.in^ +||ouk7.grantalexander.com^ +||p.pmu.fr^ +||pbox.no.photobox.com^ +||pbox.photobox.at^ +||pbox.photobox.be^ +||pbox.photobox.co.nz^ +||pbox.photobox.co.uk^ +||pbox.photobox.com.au^ +||pbox.photobox.de^ +||pbox.photobox.dk^ +||pbox.photobox.fr^ +||pbox.photobox.ie^ +||pbox.photobox.it^ +||pbox.photobox.nl^ +||pbox.photobox.se^ +||pcnphysio-com.ca-eulerian.net^ +||pgt1.voyage-prive.es^ +||piq4.inseec.education^ +||pjh7.us.chantelle.com^ +||pk1u.melanielyne.com^ +||pkc5.hardrockhoteltenerife.com^ +||pm.pmu.fr^ +||po.ponant.com^ +||pol3.cheque-domicile.fr^ +||pp.promocionesfarma.com^ +||ppp7.destinia.kr^ +||pqn7.cheque-dejeuner.fr^ +||prx6.destinia.ch^ +||ps.pmu.fr^ +||pu.pretunique.fr^ +||pv.partenaires-verisure.fr^ +||qal0.destinia.gr^ +||qbl4.ecetech.fr^ +||qjg4.destinia.asia^ +||qpc4.visilab.ch^ +||qpl9.destinia.dk^ +||qtj0.destinia.pl^ +||quk9.destinia.com.ar^ +||qyn6.ofertastelecable.es^ +||qzl8.destinia.fi^ +||qzu5.carrefour-banque.fr^ +||r1ztni.oui.sncf^ +||r4nds.absorba.com^ +||rce.iperceptions.com^ +||rdc.rachatdecredit.net^ +||rh1a.granions.fr^ +||rjg2.destinia.ly^ +||rmp4.destinia.uy^ +||rqz4.supdigital.fr^ +||rup5.destinia.ru^ +||rvz9.destinia.co.ro^ +||ry0.rythmefm.com^ +||s4e8.cascades.com^ +||sa.lesselectionsskoda.fr^ +||sa.skoda.fr^ +||sa.skodasuperb.fr^ +||sby1.madeindesign.de^ +||sd.securitasdirect.fr^ +||sfp7.eco-conscient.com^ +||sis8.premieremoisson.com^ +||six9e.canal.fr^ +||sk0.monnierfreres.eu^ +||ski1.skiset.com^ +||sno1.snowrental.com^ +||snr4.canalplus.com^ +||srm4.destinia.co.no^ +||ssrlot.lotoquebec.com^ +||ssy7.destinia.com.ua^ +||su1.les-suites.ca^ +||t.locasun-vp.fr^ +||t.locasun.co.uk^ +||t.locasun.de^ +||t.locasun.es^ +||t.locasun.fr^ +||t.locasun.it^ +||t.locasun.nl^ +||t.pmu.fr^ +||t.voyages-sncf.com^ +||t0y.toyota.ca^ +||t9h2.ricardocuisine.com^ +||t9k3a.jeanpaulfortin.com^ +||tdf1.easyviaggio.com^ +||tdf1.easyviajar.com^ +||tdf1.easyvols.fr^ +||tdf1.easyvoyage.co.uk^ +||tdf1.easyvoyage.com^ +||tdf1.easyvoyage.de^ +||tdf1.laredoute.fr^ +||tdf1.vente-unique.pt^ +||tdp1.vivabox.es^ +||tds1.vivabox.be^ +||tmy8.madeindesign.ch^ +||tnz3.carrefour-banque.fr^ +||tr.pmu.fr^ +||tsj0.madeindesign.com^ +||txv0.destinia.hu^ +||udr9.livera.nl^ +||ueb4.destinia.tw^ +||ued8.destinia.sg^ +||uhn9.up-france.fr^ +||ujq1.destinia.is^ +||upload.euleriancdn.net^ +||upz1.destinia.lt^ +||uue2.destinia.ir^ +||uwy4.aegon.es^ +||uzd1.madeindesign.com^ +||v.oney.es^ +||v.oui.sncf^ +||vbe.voyage-prive.be^ +||vch.voyage-prive.ch^ +||vde1.voyage-prive.de^ +||vfo.voyage-prive.co.uk^ +||vfo4.carrefour-banque.fr^ +||vgo.vegaoo.com^ +||vgo.vegaoo.pt^ +||vgo.vegaoopro.com^ +||vi.adviso.ca^ +||vnl1.voyage-prive.nl^ +||vpf4.euskaltelofertas.com^ +||vpl.voyage-prive.pl^ +||vqp3.madeindesign.co.uk^ +||vry9.destinia.com^ +||vs.verisure.fr^ +||why3.inseec.education^ +||wlp3.aegon.es^ +||wnd2.destinia.cat^ +||wph2.destinia.us^ +||www.dataholics.tech^ +||www.fasttrack.fr^ +||www.fasttracker.fr^ +||xay5o.toscane-boutique.fr^ +||xjq5.belambra.be^ +||xuc.monteleone.fr^ +||xy33.smallable.com^ +||xya4.groupefsc.com^ +||yf5.voyage-prive.at^ +||yh6u.dealeusedevoyages.com^ +||yoc.younited-credit.com^ +||ysl3.destinia.ec^ +||yst4.muchoviaje.com^ +||yyi7.consobaby.de^ +||zdx5.destinia.pe^ +||zkc5.fleurancenature.fr^ +||zlm2.ecetech.fr^ +||znq9.destinia.mx^ +||zrw1.destinia.jp^ +||zs.voyage-prive.com^ +||zsi7.destinia.do^ +||zum7cc.oui.sncf^ +||zyq2.destinia.sk^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_keyade.txt *** +! easyprivacy_specific_cname_keyade.txt +! Company name: Keyade https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/keyade.txt +! removed dubed in EP +! ||ka.ilius.net^ +! +! k.keyade.com disguised trackers +! +||click-ext.anxa.com^ +||clk.ubi.com^ +||k.brandalley.be^ +||k.brandalley.co.nl^ +||k.brandalley.de^ +||k.brandalley.es^ +||k.brandalley.fr^ +||k.flynas.com^ +||k.hofmann.es^ +||k.laredoute.com^ +||k.laredoute.es^ +||k.laredoute.pt^ +||k.laredoute.ru^ +||k.laredoute.se^ +||k.truffaut.com^ +||k.voyageursdumonde.be^ +||k.voyageursdumonde.ca^ +||k.voyageursdumonde.ch^ +||k.voyageursdumonde.fr^ +||keyade.alltricks.fr^ +||keyade.ooreka.fr^ +||keyade.uniqlo.com^ +||market-keyade.macif.fr^ +||tck.fr.transavia.com^ +||tck.photobox.com^ +||tck.wonderbox.fr^ +||www.keyade.fr^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_lead-forensics.txt *** +! easyprivacy_specific_cname_lead-forensics.txt +! Company name: Lead Forensics https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/lead-forensics.txt +! +! Removed dubes +! ||fp.measure.office.com^ +! ||secure.venture-365-inspired.com^ +! +||analytics-hub.3plearning.com^ +||analytics-prod2.glance-internal.inmobi.com^ +||analytics.glance.inmobi.com^ +||capture.norm0care.com^ +||cloud.webtrack.online^ +||data.diagnostics.office.com^ +||f5.track-mv-01.com^ +||mail.semilab.hu^ +||oca.microsoft.com^ +||partners.dudley.gov.uk^ +||secure.1-cl0ud.com^ +||secure.24-astute.com^ +||secure.24-information-acute.com^ +||secure.24-visionaryenterprise.com^ +||secure.365-bright-astute.com^ +||secure.365-visionary-insightful.com^ +||secure.365insightcreative.com^ +||secure.365smartenterprising.com^ +||secure.365syndicate-smart.com^ +||secure.52enterprisingdetails.com^ +||secure.7-companycompany.com^ +||secure.acor1sign.com^ +||secure.agile-company-247.com^ +||secure.agile-company-365.com^ +||secure.agile-enterprise-365.com^ +||secure.agile365enterprise.com^ +||secure.agilebusinessvision.com^ +||secure.agilecompanyintelligence.com^ +||secure.agiledata7.com^ +||secure.aiea6gaza.com^ +||secure.alda1mure.com^ +||secure.alea6badb.com^ +||secure.alga9frog.com^ +||secure.amos5lynn.com^ +||secure.aran9midi.com^ +||secure.arid5glop.com^ +||secure.badb5refl.com^ +||secure.bait4role.com^ +||secure.bali6nora.com^ +||secure.bank8line.com^ +||secure.barn5bake.com^ +||secure.bass2poll.com^ +||secure.benn8bord.com^ +||secure.bike6debt.com^ +||secure.blue2fund.com^ +||secure.boat3deer.com^ +||secure.bolt8snap.com^ +||secure.bred4tula.com^ +||secure.brie5jiff.com^ +||secure.burn5tilt.com^ +||secure.businessintuition247.com^ +||secure.bux1le001.com^ +||secure.cage6west.com^ +||secure.care5alea.com^ +||secure.cart8draw.com^ +||secure.cast9half.com^ +||secure.cavy9soho.com^ +||secure.ches5sort.com^ +||secure.chic9usia.com^ +||secure.chip2gift.com^ +||secure.chop8live.com^ +||secure.cloud-ingenuity.com^ +||secure.clue6load.com^ +||secure.coat0tire.com^ +||secure.coax7nice.com^ +||secure.companyperceptive-365.com^ +||secure.copy9loom.com^ +||secure.coup7cold.com^ +||secure.cuba7tilt.com^ +||secure.curl7bike.com^ +||secure.dana8herb.com^ +||secure.data-creativecompany.com^ +||secure.data-ingenuity.com^ +||secure.data-insight365.com^ +||secure.dawn3host.com^ +||secure.deng3rada.com^ +||secure.dens1raec.com^ +||secure.details24group.com^ +||secure.detailsinventivegroup.com^ +||secure.dial4gwyn.com^ +||secure.diet3dart.com^ +||secure.doll8tune.com^ +||secure.doll9jiva.com^ +||secure.dump4barn.com^ +||secure.east2pony.com^ +||secure.easy0bark.com^ +||secure.emeu0circ.com^ +||secure.enterprise-consortiumoperation.com^ +||secure.enterprise-inspired52.com^ +||secure.enterprise-operation-inspired.com^ +||secure.enterprise7syndicate.com^ +||secure.enterpriseforesight247.com^ +||secure.enterpriseintelligence-24.com^ +||secure.enterprisingconsortium.com^ +||secure.enterprisingoperation-7.com^ +||secure.etym6cero.com^ +||secure.fear7calk.com^ +||secure.feed5baby.com^ +||secure.feed5mown.com^ +||secure.file3size.com^ +||secure.flow8free.com^ +||secure.food9wave.com^ +||secure.frog9alea.com^ +||secure.game9time.com^ +||secure.gard4mass.com^ +||secure.garm9yuma.com^ +||secure.gaza2lote.com^ +||secure.gift2pair.com^ +||secure.give2hill.com^ +||secure.glue1lazy.com^ +||secure.golp4elik.com^ +||secure.grow1maid.com^ +||secure.haag0some.com^ +||secure.haig7anax.com^ +||secure.half1hell.com^ +||secure.hall3hook.com^ +||secure.harm6stop.com^ +||secure.hazy4cant.com^ +||secure.head3high.com^ +||secure.hear8crew.com^ +||secure.heat6have.com^ +||secure.herb2warn.com^ +||secure.herb7calk.com^ +||secure.hero6bell.com^ +||secure.hims1nice.com^ +||secure.hiss3lark.com^ +||secure.hook6vein.com^ +||secure.imaginative-24.com^ +||secure.imaginative-trade7.com^ +||secure.imaginativeenterprising-intelligent.com^ +||secure.informationcreativeinnovative.com^ +||secure.innovation-perceptive52.com^ +||secure.insight-52.com^ +||secure.insightful-cloud-365.com^ +||secure.insightful-cloud-7.com^ +||secure.insightful-company-52.com^ +||secure.insightful-enterprise-247.com^ +||secure.insightful-enterprise-intelligence.com^ +||secure.insightfulbusinesswisdom.com^ +||secure.insightfulcloudintuition.com^ +||secure.insightfulcompanyinsight.com^ +||secure.instinct-52.com^ +||secure.intelligence-enterprise.com^ +||secure.intelligence52.com^ +||secure.intelligent-business-wisdom.com^ +||secure.intelligent-company-365.com^ +||secure.intelligent-company-foresight.com^ +||secure.intelligent-consortium.com^ +||secure.intelligent-data-247.com^ +||secure.intelligentcloudforesight.com^ +||secure.intelligentcompanywisdom.com^ +||secure.intelligentdataintuition.com^ +||secure.intelligentdatawisdom.com^ +||secure.intuition-agile-7.com^ +||secure.intuitionoperation.com^ +||secure.intuitive-intuition.com^ +||secure.inventive52intuitive.com^ +||secure.inventiveinspired7.com^ +||secure.inventiveperception365.com^ +||secure.iron0walk.com^ +||secure.jaup0lake.com^ +||secure.jebb8hurt.com^ +||secure.jody0sora.com^ +||secure.josh7cuba.com^ +||secure.keep0bury.com^ +||secure.keet1liod.com^ +||secure.kick1pore.com^ +||secure.kilo6alga.com^ +||secure.kota3chat.com^ +||secure.kpr2exp21.com^ +||secure.lack4skip.com^ +||secure.lane5down.com^ +||secure.late6year.com^ +||secure.late8chew.com^ +||secure.lave6loki.com^ +||secure.lazy8krti.com^ +||secure.lead5beat.com^ +||secure.left5lock.com^ +||secure.line6agar.com^ +||secure.link5view.com^ +||secure.liod1ours.com^ +||secure.list1holp.com^ +||secure.loki8lave.com^ +||secure.loom3otto.com^ +||secure.lope4refl.com^ +||secure.lote1otto.com^ +||secure.mack7oyes.com^ +||secure.main5poem.com^ +||secure.make6pain.com^ +||secure.mali4blat.com^ +||secure.malm1coax.com^ +||secure.mari4norm.com^ +||secure.marx7loki.com^ +||secure.mass1soma.com^ +||secure.mean8sigh.com^ +||secure.meet3monk.com^ +||secure.mews2ruck.com^ +||secure.mile0tire.com^ +||secure.mill8grip.com^ +||secure.misc1bulk.com^ +||secure.moat4shot.com^ +||secure.mon-com-01.com^ +||secure.mown5gaze.com^ +||secure.navy9gear.com^ +||secure.neck6bake.com^ +||secure.nice3aiea.com^ +||secure.nipe4head.com^ +||secure.node7seat.com^ +||secure.nong3bram.com^ +||secure.nora7nice.com^ +||secure.norm0care.com^ +||secure.nyctrl32.com^ +||secure.oboe3broo.com^ +||secure.office-cloud-52.com^ +||secure.office-information-24.com^ +||secure.office-insightdetails.com^ +||secure.oita4bali.com^ +||secure.otto5loki.com^ +||secure.ours3care.com^ +||secure.page1monk.com^ +||secure.page9awry.com^ +||secure.pair1tune.com^ +||secure.pass8heal.com^ +||secure.path5wall.com^ +||secure.pdxor02.com^ +||secure.peak2poem.com^ +||secure.peep1alea.com^ +||secure.perceptionastute7.com^ +||secure.perceptive-innovation-ingenuity.com^ +||secure.perk0mean.com^ +||secure.plug1luge.com^ +||secure.plug4norm.com^ +||secure.poor5zero.com^ +||secure.pump8walk.com^ +||secure.raab3frog.com^ +||secure.rals4alum.com^ +||secure.rate2self.com^ +||secure.rate8deny.com^ +||secure.rear9axis.com^ +||secure.redd7liod.com^ +||secure.refl3alea.com^ +||secure.rigi9bury.com^ +||secure.rime8lope.com^ +||secure.ripe8book.com^ +||secure.risk8belt.com^ +||secure.roar9beer.com^ +||secure.rock5rice.com^ +||secure.rote8mino.com^ +||secure.ruth8badb.com^ +||secure.ryke4peep.com^ +||secure.said3page.com^ +||secure.sale0home.com^ +||secure.saon6harz.com^ +||secure.scan6show.com^ +||secure.seat6worn.com^ +||secure.sharpinspiration-instinct.com^ +||secure.shoo5woop.com^ +||secure.shrfbdg004.com^ +||secure.silk0palm.com^ +||secure.skye6oner.com^ +||secure.slim2disc.com^ +||secure.smart-business-365.com^ +||secure.smart-business-foresight.com^ +||secure.smart-business-ingenuity.com^ +||secure.smart-business-intuition.com^ +||secure.smart-cloud-intelligence.com^ +||secure.smart-company-365.com^ +||secure.smart-company-vision.com^ +||secure.smart-enterprise-365.com^ +||secure.smart-enterprise-52.com^ +||secure.smart-enterprise-7.com^ +||secure.smart-enterprise-acumen.com^ +||secure.smart24astute.com^ +||secure.smartenterprisewisdom.com^ +||secure.snta0034.com^ +||secure.soil5hear.com^ +||secure.soma9vols.com^ +||secure.sour1bare.com^ +||secure.sour7will.com^ +||secure.spit0stge.com^ +||secure.sugh8yami.com^ +||secure.svr007phz.com^ +||secure.swat8toot.com^ +||secure.tank3pull.com^ +||secure.team8save.com^ +||secure.tent0mown.com^ +||secure.text6film.com^ +||secure.tire1soak.com^ +||secure.tm1-001.com^ +||secure.toll6kerb.com^ +||secure.torn6back.com^ +||secure.toru0vane.com^ +||secure.tray0bury.com^ +||secure.tube6sour.com^ +||secure.tula9mari.com^ +||secure.vane3alga.com^ +||secure.venture-enterprising.com^ +||secure.venture365office.com^ +||secure.vice4beek.com^ +||secure.vick6duty.com^ +||secure.visionary-7-data.com^ +||secure.visionary-business-52.com^ +||secure.visionary-business-ingenuity.com^ +||secure.visionary-company-ingenuity.com^ +||secure.visionary-data-intuition.com^ +||secure.visionary-enterprise-ingenuity.com^ +||secure.visionary-enterprise-wisdom.com^ +||secure.visionary-intuitiveimaginative.com^ +||secure.visionary365enterprise.com^ +||secure.visionarybusiness7.com^ +||secure.visionarybusinessacumen.com^ +||secure.visionarycloudvision.com^ +||secure.visionarycompany52.com^ +||secure.vols7feed.com^ +||secure.wait8hurl.com^ +||secure.wake4tidy.com^ +||secure.want7feed.com^ +||secure.wauk1care.com^ +||secure.weed6tape.com^ +||secure.wild0army.com^ +||secure.wild8prey.com^ +||secure.wine9bond.com^ +||secure.wivo2gaza.com^ +||secure.yama1hove.com^ +||secure.yami8alea.com^ +||secure.yeld9auto.com^ +||secure.yirr5frog.com^ +||segment-api.inrix.com^ +||telemetry-eastus.trafficmanager.inmobi.com^ +||telemetry.sdk.inmobi.com^ +||utm.semilab.hu^ +||utm.shireburn.com^ +||watson.microsoft.com^ +||www.1-cl0ud.com^ +||www.1-creative-1.com^ +||www.100-flannelman.com^ +||www.123-tracker.com^ +||www.143nchrtl3.com^ +||www.1h2h54jkw.com^ +||www.200-rockergod.com^ +||www.200summit.com^ +||www.22-trk-srv.com^ +||www.24-visionaryenterprise.com^ +||www.33-trk-srv.com^ +||www.33infra-strat.com^ +||www.44-trk-srv.com^ +||www.44tele-infra.com^ +||www.52data-venture.com^ +||www.55-trk-srv.com^ +||www.66-trk-srv.com^ +||www.66infra-strat.com^ +||www.7-companycompany.com^ +||www.88infra-strat.com^ +||www.acor1sign.com^ +||www.active-trk7.com^ +||www.adgjl13.com^ +||www.agile-company-247.com^ +||www.agile-company-365.com^ +||www.agile-enterprise-365.com^ +||www.agile365enterprise.com^ +||www.agiledata7.com^ +||www.aiea6gaza.com^ +||www.alda1mure.com^ +||www.alea6badb.com^ +||www.alga9frog.com^ +||www.alnw3nsdi.com^ +||www.alskd34.com^ +||www.altabold1.com^ +||www.amos5lynn.com^ +||www.angorch-cdr7.com^ +||www.ape78cn2.com^ +||www.aqedsw4.com^ +||www.aran9midi.com^ +||www.arid5glop.com^ +||www.asdfg23.com^ +||www.atl-6-ga.com^ +||www.azera-s014.com^ +||www.badb5refl.com^ +||www.bae5tracker.com^ +||www.bait4role.com^ +||www.bali6nora.com^ +||www.bank8line.com^ +||www.bass2poll.com^ +||www.baw5tracker.com^ +||www.bdg001a.com^ +||www.benn8bord.com^ +||www.berg-6-82.com^ +||www.bis-dic15.com^ +||www.blocwhite7.com^ +||www.blue2fund.com^ +||www.blzsnd02.com^ +||www.boat3deer.com^ +||www.bolt8snap.com^ +||www.bosctrl32.com^ +||www.bred4tula.com^ +||www.brie5jiff.com^ +||www.burn5tilt.com^ +||www.business-path-55.com^ +||www.bux1le001.com^ +||www.cable-cen-01.com^ +||www.cage6west.com^ +||www.care5alea.com^ +||www.cart8draw.com^ +||www.cast9half.com^ +||www.cavy9soho.com^ +||www.cben9a9s1.com^ +||www.cdbgmj12.com^ +||www.cdert34.com^ +||www.central-core-7.com^ +||www.centralcore7.com^ +||www.ches5sort.com^ +||www.chic9usia.com^ +||www.chip2gift.com^ +||www.chop8live.com^ +||www.click-to-trace.com^ +||www.cloud-9751.com^ +||www.cloud-exploration.com^ +||www.cloud-ingenuity.com^ +||www.cloud-trail.com^ +||www.cloudpath82.com^ +||www.cloudtracer101.com^ +||www.clue6load.com^ +||www.cnej4912jks.com^ +||www.cnt-tm-1.com^ +||www.cntr-di5.com^ +||www.cntr-di7.com^ +||www.co85264.com^ +||www.coat0tire.com^ +||www.coax7nice.com^ +||www.connct-9.com^ +||www.copy9loom.com^ +||www.core-cen-54.com^ +||www.coup7cold.com^ +||www.crb-frm-71.com^ +||www.create-tracking.com^ +||www.cten10010.com^ +||www.cuba7tilt.com^ +||www.cube-78.com^ +||www.curl7bike.com^ +||www.dakic-ia-300.com^ +||www.dana8herb.com^ +||www.data-ingenuity.com^ +||www.data-insight365.com^ +||www.dawn3host.com^ +||www.dbrtkwaa81.com^ +||www.deng3rada.com^ +||www.dens1raec.com^ +||www.detailsinspiration-data.com^ +||www.dhenr54m.com^ +||www.dial4gwyn.com^ +||www.diet3dart.com^ +||www.direct-aws-a1.com^ +||www.direct-azr-78.com^ +||www.discover-path.com^ +||www.discovertrail.net^ +||www.djkeun1bal.com^ +||www.dkjn1bal2.com^ +||www.doll8tune.com^ +||www.doll9jiva.com^ +||www.domainanalytics.net^ +||www.dtc-330d.com^ +||www.dtc-v6t.com^ +||www.dthvdr9.com^ +||www.dump4barn.com^ +||www.east2pony.com^ +||www.easy0bark.com^ +||www.ed-clr-01.com^ +||www.efvrgb12.com^ +||www.ela-3-tnk.com^ +||www.elite-s001.com^ +||www.emeu0circ.com^ +||www.enterprise-consortiumoperation.com^ +||www.enterpriseforesight247.com^ +||www.enterprisingoperation-7.com^ +||www.etym6cero.com^ +||www.eue21east.com^ +||www.eue27west.com^ +||www.eventcapture03.com^ +||www.eventcapture06.com^ +||www.ever-track-51.com^ +||www.explore-123.com^ +||www.fear7calk.com^ +||www.feed5baby.com^ +||www.feed5mown.com^ +||www.file3size.com^ +||www.final-aws-01.com^ +||www.final-azr-01.com^ +||www.finger-info.net^ +||www.flow8free.com^ +||www.food9wave.com^ +||www.forensics1000.com^ +||www.frog9alea.com^ +||www.game9time.com^ +||www.gard4mass.com^ +||www.garm9yuma.com^ +||www.gaza2lote.com^ +||www.gbl007.com^ +||www.gblwebcen.com^ +||www.gift2pair.com^ +||www.glb12pkgr.com^ +||www.glb21pkgr.com^ +||www.gldsta-02-or.com^ +||www.glue1lazy.com^ +||www.golp4elik.com^ +||www.grow1maid.com^ +||www.gtcslt-di2.com^ +||www.gw100-10.com^ +||www.haag0some.com^ +||www.haig7anax.com^ +||www.half1hell.com^ +||www.hall3hook.com^ +||www.harm6stop.com^ +||www.hazy4cant.com^ +||www.head3high.com^ +||www.hear8crew.com^ +||www.heat6have.com^ +||www.herb2warn.com^ +||www.herb7calk.com^ +||www.hero6bell.com^ +||www.hims1nice.com^ +||www.hiss3lark.com^ +||www.hook6vein.com^ +||www.hrb1tng0.com^ +||www.hunt-leads.com^ +||www.hunter-details.com^ +||www.hvgcfx1.com^ +||www.imaginative-trade7.com^ +||www.inc9lineedge.com^ +||www.incline9edge.com^ +||www.indpcr1.com^ +||www.insightful-company-52.com^ +||www.insightfulbusinesswisdom.com^ +||www.insightfulcompanyinsight.com^ +||www.intelligence-enterprise.com^ +||www.intelligent-company-foresight.com^ +||www.intelligent-data-247.com^ +||www.intelligentcompanywisdom.com^ +||www.intelligentdatawisdom.com^ +||www.intuition-agile-7.com^ +||www.ip-a-box.com^ +||www.ip-route.net^ +||www.iproute66.com^ +||www.iron0walk.com^ +||www.jaup0lake.com^ +||www.jebb8hurt.com^ +||www.jenxsw21lb.com^ +||www.jody0sora.com^ +||www.josh7cuba.com^ +||www.jsnzoe301m.com^ +||www.keet1liod.com^ +||www.kick1pore.com^ +||www.kilo6alga.com^ +||www.kota3chat.com^ +||www.kpr2exp21.com^ +||www.kprbexp21.com^ +||www.ksk-mjto-001.com^ +||www.ksyrium0014.com^ +||www.lack4skip.com^ +||www.laksjd4.com^ +||www.lane5down.com^ +||www.lansrv020.com^ +||www.lansrv030.com^ +||www.lansrv040.com^ +||www.lansrv050.com^ +||www.lansrv060.com^ +||www.lansrv070.com^ +||www.lansrv080.com^ +||www.lansrv090.com^ +||www.late6year.com^ +||www.late8chew.com^ +||www.lave6loki.com^ +||www.lazy8krti.com^ +||www.ldfr-cloud.net^ +||www.lead-123.com^ +||www.lead-analytics-1000.com^ +||www.lead-watcher.com^ +||www.leads.goldenshovel.com^ +||www.ledradn.com^ +||www.left5lock.com^ +||www.letterbox-path.com^ +||www.letterboxtrail.com^ +||www.lforen-cloud-trace.com^ +||www.line6agar.com^ +||www.link5view.com^ +||www.liod1ours.com^ +||www.list1holp.com^ +||www.lmknjb1.com^ +||www.loki8lave.com^ +||www.loom3otto.com^ +||www.lope4refl.com^ +||www.lote1otto.com^ +||www.m1ll1c4n0.com^ +||www.mack7oyes.com^ +||www.main5poem.com^ +||www.make6pain.com^ +||www.mali4blat.com^ +||www.malm1coax.com^ +||www.mari4norm.com^ +||www.marx7loki.com^ +||www.mass1soma.com^ +||www.mavic852.com^ +||www.mbljpu9.com^ +||www.me1294hlx.com^ +||www.mean8sigh.com^ +||www.mediaedge-info.com^ +||www.meet3monk.com^ +||www.mews2ruck.com^ +||www.mialbj6.com^ +||www.mile0tire.com^ +||www.mill8grip.com^ +||www.misc1bulk.com^ +||www.mnbvc34.com^ +||www.moat4shot.com^ +||www.mon-com-01.com^ +||www.mon-com-net.com^ +||www.mown5gaze.com^ +||www.n-core-pipe.com^ +||www.navy9gear.com^ +||www.neck6bake.com^ +||www.network-handle.com^ +||www.nhyund4.com^ +||www.nice3aiea.com^ +||www.nipe4head.com^ +||www.node7seat.com^ +||www.nora7nice.com^ +||www.norm0care.com^ +||www.nw-rail-03.com^ +||www.ny79641.com^ +||www.nyc14ny.com^ +||www.nyctrl32.com^ +||www.oboe3broo.com^ +||www.ofnsv69.com^ +||www.oita4bali.com^ +||www.okc-5190.com^ +||www.okc-5191.com^ +||www.operationintelligence7.com^ +||www.optimum-xyz.com^ +||www.otto5loki.com^ +||www.ours3care.com^ +||www.page1monk.com^ +||www.page9awry.com^ +||www.pair1tune.com^ +||www.pass-1234.com^ +||www.pass8heal.com^ +||www.path-follower.com^ +||www.path-trail.com^ +||www.path5wall.com^ +||www.pdxor02.com^ +||www.peak-ip-54.com^ +||www.peak2poem.com^ +||www.peep1alea.com^ +||www.perk0mean.com^ +||www.pkrchp001.com^ +||www.plokij1.com^ +||www.plug1luge.com^ +||www.plug4norm.com^ +||www.poiuy12.com^ +||www.poor5zero.com^ +||www.poqwo3.com^ +||www.pri12mel.com^ +||www.prt-or-067.com^ +||www.pto-slb-09.com^ +||www.pump8walk.com^ +||www.qetup12.com^ +||www.qlzn6i1l.com^ +||www.qpwoei2.com^ +||www.r45j15.com^ +||www.raab3frog.com^ +||www.rals4alum.com^ +||www.rate2self.com^ +||www.rate8deny.com^ +||www.rdeswa1.com^ +||www.rear9axis.com^ +||www.redd7liod.com^ +||www.refl3alea.com^ +||www.rep0pkgr.com^ +||www.req12pkg.com^ +||www.req12pkgb.com^ +||www.rfr-69.com^ +||www.rigi9bury.com^ +||www.rime8lope.com^ +||www.ripe8book.com^ +||www.risk8belt.com^ +||www.rng-snp-003.com^ +||www.roar9beer.com^ +||www.rock5rice.com^ +||www.rote8mino.com^ +||www.ruth8badb.com^ +||www.ryke4peep.com^ +||www.s3network1.com^ +||www.s5network1.com^ +||www.saas-eue-1.com^ +||www.saas-euw-1.com^ +||www.said3page.com^ +||www.sale0home.com^ +||www.san-spr-01.net^ +||www.saon6harz.com^ +||www.sas15k01.com^ +||www.scan-trail.com^ +||www.scan6show.com^ +||www.sch-alt-91.com^ +||www.sch-crt-91.com^ +||www.se-core-pipe.com^ +||www.sea-nov-1.com^ +||www.seat6worn.com^ +||www.seatac15.com^ +||www.shoo5woop.com^ +||www.shrfbdg004.com^ +||www.skye6oner.com^ +||www.sl-ct5.com^ +||www.slim2disc.com^ +||www.smart-business-365.com^ +||www.smart-business-foresight.com^ +||www.smart-business-intuition.com^ +||www.smart-cloud-intelligence.com^ +||www.smart-company-365.com^ +||www.smart-company365.com^ +||www.smart-enterprise-365.com^ +||www.smart-enterprise-7.com^ +||www.smart-enterprise-acumen.com^ +||www.snta0034.com^ +||www.softtrack08.com^ +||www.soil5hear.com^ +||www.soma9vols.com^ +||www.sour1bare.com^ +||www.sour7will.com^ +||www.spit0stge.com^ +||www.spn-twr-14.com^ +||www.srv00infra.com^ +||www.srv1010elan.com^ +||www.srv2020real.com^ +||www.srvtrkxx1.com^ +||www.srvtrkxx2.com^ +||www.star-cntr-5.com^ +||www.sugh8yami.com^ +||www.svr-prc-01.com^ +||www.svr007phz.com^ +||www.sw-rail-7.com^ +||www.swat8toot.com^ +||www.syntace-094.com^ +||www.tank3pull.com^ +||www.tent0mown.com^ +||www.text6film.com^ +||www.tghbn12.com^ +||www.tgvrfc4.com^ +||www.the-lead-tracker.com^ +||www.tire1soak.com^ +||www.tm1-001.com^ +||www.toll6kerb.com^ +||www.torn6back.com^ +||www.toru0vane.com^ +||www.trace-2000.com^ +||www.track-web.net^ +||www.trackdiscovery.net^ +||www.trackercloud.net^ +||www.trackinvestigate.net^ +||www.trail-route.com^ +||www.trail-viewer.com^ +||www.trail-web.com^ +||www.trailbox.net^ +||www.tray0bury.com^ +||www.trksrv44.com^ +||www.trksrv45.com^ +||www.trksrv46.com^ +||www.tst14netreal.com^ +||www.tst16infra.com^ +||www.tube6sour.com^ +||www.tula9mari.com^ +||www.uhygtf1.com^ +||www.ult-blk-cbl.com^ +||www.vane3alga.com^ +||www.vcentury01.com^ +||www.venture-enterprising.com^ +||www.vice4beek.com^ +||www.vick6duty.com^ +||www.visionary-business-52.com^ +||www.visionary-data-intuition.com^ +||www.visionary-enterprise-ingenuity.com^ +||www.visionary-enterprise-wisdom.com^ +||www.visionary365enterprise.com^ +||www.visionarybusiness7.com^ +||www.visionarybusinessacumen.com^ +||www.visionarycompany52.com^ +||www.vols7feed.com^ +||www.wa52613.com^ +||www.wait8hurl.com^ +||www.want7feed.com^ +||www.wauk1care.com^ +||www.web-01-gbl.com^ +||www.web-cntr-07.com^ +||www.websiteexploration.com^ +||www.weed6tape.com^ +||www.wild0army.com^ +||www.wild8prey.com^ +||www.wivo2gaza.com^ +||www.www-path.com^ +||www.yama1hove.com^ +||www.yami8alea.com^ +||www.ydwsjt-2.com^ +||www.yeld9auto.com^ +||www.yirr5frog.com^ +||www.zcbmn14.com^ +||www.zmxncb5.com^ +||www.zxcvb23.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_webtrekk.txt *** +! easyprivacy_specific_cname_webtrekk.txt +! Company name: Webtrekk https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/webtrekk.txt +! +! webtrekk.net disguised trackers +! +||a.deutschehospitality.com^ +||a.hrewards.com^ +||a.jaz-hotel.com^ +||a.maxxhotel.com^ +||a.zleep.com^ +||abc.bayer04.de^ +||analytics.hermesworld.com^ +||analytics.myhermes.de^ +||app03.ikk-classic.de^ +||cdn7.baunetz.de^ +||census.misterspex.at^ +||census.misterspex.no^ +||count.bank99.at^ +||ctdfm.ilgiornale.it^ +||ctrkd.ilsole24ore.com^ +||da.bodenhaus.de^ +||da.hornbach.at^ +||da.hornbach.be^ +||da.hornbach.ch^ +||da.hornbach.cz^ +||da.hornbach.de^ +||da.hornbach.lu^ +||da.hornbach.nl^ +||da.hornbach.ro^ +||da.hornbach.se^ +||da.hornbach.sk^ +||data.adlermode.com^ +||data.all-in.de^ +||data.allgaeuer-zeitung.de^ +||data.babista.de^ +||data.campaign.prenatal.com^ +||data.campaign.toyscenter.it^ +||data.charles-colby.com^ +||data.engelhorn.com^ +||data.engelhorn.de^ +||data.goertz.de^ +||data.inbank.it^ +||data.janvanderstorm.de^ +||data.kulturkaufhaus.de^ +||data.leipzig.de^ +||data.main-ding.de^ +||data.mainpost.de^ +||data.mapp.com^ +||data.mediaworld.it^ +||data.shirtmaster.com^ +||data.vdi-wissensforum.de^ +||data.volksfreund.de^ +||data.westlotto.de^ +||daten.union-investment.de^ +||def.bayer04.de^ +||di.fotos-fuers-leben.ch^ +||di.ifolor.at^ +||di.ifolor.be^ +||di.ifolor.ch^ +||di.ifolor.com^ +||di.ifolor.de^ +||di.ifolor.dk^ +||di.ifolor.es^ +||di.ifolor.fi^ +||di.ifolor.fr^ +||di.ifolor.ie^ +||di.ifolor.it^ +||di.ifolor.lu^ +||di.ifolor.net^ +||di.ifolor.nl^ +||di.ifolor.se^ +||di.spreadmorelove.ch^ +||ed.emp-online.ch^ +||ed.emp-online.com^ +||ed.emp-online.es^ +||ed.emp-online.fr^ +||ed.emp-online.it^ +||ed.emp-shop.cz^ +||ed.emp-shop.dk^ +||ed.emp-shop.no^ +||ed.emp-shop.pl^ +||ed.emp-shop.se^ +||ed.emp-shop.sk^ +||ed.emp.at^ +||ed.emp.co.uk^ +||ed.emp.de^ +||ed.emp.fi^ +||ed.emp.ie^ +||ed.large.be^ +||ed.large.nl^ +||ed.originalpress.com^ +||eht.endress.com^ +||fiwinet.firmenwissen.com^ +||fiwinet.firmenwissen.de^ +||hbbtv-track.prosieben.de^ +||hbbtv-track.prosiebensat1puls4.com^ +||image.deginvest.de^ +||image.kfw-entwicklungsbank.de^ +||image.kfw-formularsammlung.de^ +||image.kfw-ipex-bank.de^ +||image.kfw.de^ +||images1.test.de^ +||img.buch.ch^ +||img.foodspring.at^ +||img.foodspring.ch^ +||img.foodspring.co.uk^ +||img.foodspring.cz^ +||img.foodspring.de^ +||img.foodspring.dk^ +||img.foodspring.es^ +||img.foodspring.fi^ +||img.foodspring.fr^ +||img.foodspring.hr^ +||img.foodspring.it^ +||img.foodspring.nl^ +||img.foodspring.se^ +||img.sparkasse-koelnbonn.de^ +||info.allango.net^ +||info.deltapublishing.co.uk^ +||info.derdiedaf.com^ +||info.genialklick.ch^ +||info.klett-sprachen.de^ +||intel.web.noleggiare.it^ +||intelligence.officialwesthamstore.com^ +||is.lg.com^ +||joda.corriereadriatico.it^ +||joda.ilgazzettino.it^ +||joda.ilmattino.it^ +||joda.ilmessaggero.it^ +||joda.leggo.it^ +||joda.quotidianodipuglia.it^ +||mapp.ewm.co.uk^ +||mapp.jysk.dk^ +||mapp.jysk.nl^ +||mapp.peacocks.co.uk^ +||mapp.yesstyle.com^ +||mff.messefrankfurt.com^ +||mit.bhw.de^ +||mit.db.com^ +||mit.deutsche-bank.de^ +||mit.deutschebank.be^ +||mit.deutschewealth.com^ +||mit.dslbank.de^ +||mit.dws.com^ +||mit.dws.de^ +||mit.postbank.de^ +||mit.researchlog.db.com^ +||mit.researchlog.dbresearch.com^ +||mit.researchlog.dbresearch.de^ +||mon.ingservices.nl^ +||now.peek-cloppenburg.de^ +||on.dextra.ch^ +||ot.obi-baumarkt.ch^ +||ot.obi-brico.ch^ +||ot.obi-italia.it^ +||ot.obi-ticino.ch^ +||ot.obi.at^ +||ot.obi.ba^ +||ot.obi.ch^ +||ot.obi.com^ +||ot.obi.cz^ +||ot.obi.de^ +||ot.obi.hu^ +||ot.obi.pl^ +||ot.obi.si^ +||ot.obi.sk^ +||pix.airbusgroup.com^ +||pix.eads.com^ +||pix.telekom-dienste.de^ +||pix.telekom.com^ +||pix.telekom.de^ +||pixel.augsburger-allgemeine.de^ +||proditor.sparda.de^ +||prophet.heise-academy.de^ +||prophet.heise.de^ +||scout.alpinetrek.co.uk^ +||scout.alpiniste.fr^ +||scout.berg-freunde.at^ +||scout.berg-freunde.ch^ +||scout.bergfreunde.de^ +||scout.bergfreunde.dk^ +||scout.bergfreunde.es^ +||scout.bergfreunde.eu^ +||scout.bergfreunde.fi^ +||scout.bergfreunde.it^ +||scout.bergfreunde.nl^ +||scout.bergfreunde.no^ +||scout.bergfreunde.se^ +||service.hcob-bank.de^ +||startrekk.flaconi.at^ +||startrekk.flaconi.ch^ +||startrekk.flaconi.de^ +||startrekk.flaconi.fr^ +||startrekk.flaconi.pl^ +||statistics.tuv.com^ +||sub1.cosmosdirekt.de^ +||t.mediaset.it^ +||text.benefitsatwork.be^ +||text.benefitsatwork.ch^ +||text.benefitsatwork.pl^ +||text.benefitsatwork.pt^ +||text.convenzioniaziendali.it^ +||text.mitarbeiterangebote.at^ +||text.mitarbeiterangebote.de^ +||text.rahmenvereinbarungen.de^ +||tippcom01.tipp24.com^ +||tr.computeruniverse.net^ +||tr.suedkurier.de^ +||track.emeza.ch^ +||track.emeza.com^ +||track.kiomi.com^ +||track.yellostrom.de^ +||tracking.eduscho.at^ +||tracking.netcologne.de^ +||tracking.shop.hunter.easynet.de^ +||tracking.tchibo.ch^ +||tracking.tchibo.com.tr^ +||tracking.tchibo.cz^ +||tracking.tchibo.de^ +||tracking.tchibo.hu^ +||tracking.tchibo.pl^ +||tracking.tchibo.sk^ +||trail-001.schleich-s.com^ +||trk.blume2000.de^ +||trk.krebsversicherung.de^ +||trk.nuernberger.com^ +||trk.nuernberger.de^ +||trk.nuernberger.digital^ +||w.ilfattoquotidiano.it^ +||w3.aktionaersbank.de^ +||w3.flatex.es^ +||w3.flatex.nl^ +||w7.berlin.de^ +||wa.planet-wissen.de^ +||wa.quarks.de^ +||wa.wdr.de^ +||wa.wdrmaus.de^ +||waaf.medion.com^ +||waaf1.aldi-gaming.de^ +||waaf1.aldi-music.de^ +||waaf1.aldilife.com^ +||waaf1.aldiphotos.co.uk^ +||waaf1.alditalk.de^ +||waaf1.hoferfotos.at^ +||watg.xxxlutz.com^ +||wbtrkk.deutschlandcard.de^ +||wbtrkk.teufel.ch^ +||wbtrkk.teufel.de^ +||wbtrkk.teufelaudio.at^ +||wbtrkk.teufelaudio.be^ +||wbtrkk.teufelaudio.co.uk^ +||wbtrkk.teufelaudio.com^ +||wbtrkk.teufelaudio.es^ +||wbtrkk.teufelaudio.fr^ +||wbtrkk.teufelaudio.it^ +||wbtrkk.teufelaudio.nl^ +||wbtrkk.teufelaudio.pl^ +||web.autobodytoolmart.com^ +||web.b2bimperialfashion.com^ +||web.b2bpleasefashion.com^ +||web.bankofscotland.de^ +||web.campaign.jaked.com^ +||web.campaign.miriade.com^ +||web.campaign.v73.it^ +||web.capriceshoes.com^ +||web.collisionservices.com^ +||web.communications.amouage.com^ +||web.comunicazioni.iol.it^ +||web.crm.beps.it^ +||web.crm.speedup.it^ +||web.diebayerische.de^ +||web.e.aldermore.co.uk^ +||web.e.bolts.co.uk^ +||web.e.compositesales.co.uk^ +||web.e.dekogardensupplies.co.uk^ +||web.e.drainagepipe.co.uk^ +||web.e.guttersupplies.co.uk^ +||web.e.obayaty.com^ +||web.e.panmacmillan.com^ +||web.e.pbslgroup.co.uk^ +||web.e.professionalbuildingsupplies.co.uk^ +||web.e.pvccladding.com^ +||web.e.soakaways.com^ +||web.email.farrow-ball.com^ +||web.email.pizzaexpress.com^ +||web.email.pmtonline.co.uk^ +||web.email.superga.co.uk^ +||web.email.topfarmacia.it^ +||web.email.turtlebay.co.uk^ +||web.email.umbro.co.uk^ +||web.email.zone3.com^ +||web.ideaautorepair.com^ +||web.info.aiteca.it^ +||web.info.bodybuildingwarehouse.co.uk^ +||web.info.bodybuildingwarehouse.com^ +||web.info.bonprix.es^ +||web.info.teamwarrior.com^ +||web.info.vantastic-foods.com^ +||web.info.varelotteriet.dk^ +||web.info.yeppon.it^ +||web.jana-shoes.com^ +||web.mail.parmalat.it^ +||web.mail.proximaati.com^ +||web.mailing.morawa.at^ +||web.mailing.storz-bickel.com^ +||web.mailing.vapormed.com^ +||web.mapp.docpeter.it^ +||web.mapp.edenred.it^ +||web.mapp.ilgiardinodeilibri.it^ +||web.mapp.naturzeit.com^ +||web.mapp.skousen.dk^ +||web.mapp.skousen.no^ +||web.mapp.tretti.se^ +||web.mapp.whiteaway.com^ +||web.mapp.whiteaway.no^ +||web.mapp.whiteaway.se^ +||web.marcotozzi.com^ +||web.marketing.jellybelly.com^ +||web.mytoys.de^ +||web.news.creedfragrances.co.uk^ +||web.news.dixiefashion.com^ +||web.news.eprice.it^ +||web.news.gnv.it^ +||web.news.imperialfashion.com^ +||web.news.lancel.com^ +||web.news.paganistore.com^ +||web.news.piquadro.com^ +||web.news.pleasefashion.com^ +||web.news.thebridge.it^ +||web.newsletter.koffer-to-go.de^ +||web.newsletter.viviennewestwood.com^ +||web.newsletterit.esprinet.com^ +||web.online.monnalisa.com^ +||web.redazione.milanofinanza.it^ +||web.sensilab.com^ +||web.sensilab.cz^ +||web.sensilab.de^ +||web.sensilab.dk^ +||web.sensilab.es^ +||web.sensilab.fi^ +||web.sensilab.hr^ +||web.sensilab.ie^ +||web.sensilab.it^ +||web.sensilab.org^ +||web.sensilab.pt^ +||web.sensilab.ro^ +||web.sensilab.se^ +||web.sensilab.si^ +||web.sensilab.sk^ +||web.sidsavage.com^ +||web.slim-joy.de^ +||web.slimjoy.com^ +||web.slimjoy.cz^ +||web.slimjoy.dk^ +||web.slimjoy.it^ +||web.slimjoy.ro^ +||web.slimjoy.se^ +||web.slimjoy.sk^ +||web.solesource.com^ +||web.tamaris.com^ +||web.tummy-tox.com^ +||web.tummytox.at^ +||web.tummytox.de^ +||web.tummytox.es^ +||web.tummytox.fr^ +||web.tummytox.it^ +||web.tummytox.pt^ +||web.tummytox.sk^ +||web.usautosupply.com^ +||web.web.tomasiauto.com^ +||web.x.ilpost.it^ +||webanalytics.also.com^ +||webmet.creditreform-mahnwesen.de^ +||webmet.creditreform.de^ +||website-usage.b2bendix.com^ +||website-usage.knorr-bremse.com^ +||webt.aqipa.com^ +||webt.eleonto.com^ +||webt.eu.teac-audio.com^ +||webt.pure-audio.com^ +||webt.store.okmilo.com^ +||webts.adac.de^ +||wt.ara.ad^ +||wt.ara.cat^ +||wt.arabalears.cat^ +||wt.dialog-versicherung.de^ +||wt.distrelec.com^ +||wt.envivas.de^ +||wt.generali.de^ +||wt.generalibewegtdeutschland.de^ +||wt.generalihealthsolutions.de^ +||wt.netze-bw.de^ +||wt.vhb.de^ +||wtm.interhyp.de^ +||wttd.douglas.at^ +||wttd.douglas.ch^ +||wttd.douglas.de^ +||wttd.douglas.it^ +||wttd.douglas.nl^ +||wttd.douglas.pl^ +||wttd.madeleine-fashion.be^ +||wttd.madeleine-fashion.nl^ +||wttd.madeleine-mode.at^ +||wttd.madeleine-mode.ch^ +||wttd.madeleine.co.uk^ +||wttd.madeleine.de^ +||wttd.madeleine.fr^ +||wttd.madeleine.gr^ +||www7.springer.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_wizaly.txt *** +! easyprivacy_specific_cname_wizaly.txt +! wizaly.com disguised trackers https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/wizaly.txt +! +||t-test.esvdigital.com^ +||t.wiz.meilleurtaux.com^ +||tk.abt.com^ +||tk.agrizone.net^ +||tk.aircaraibes.com^ +||tk.airfrance.ae^ +||tk.airfrance.am^ +||tk.airfrance.at^ +||tk.airfrance.be^ +||tk.airfrance.bf^ +||tk.airfrance.bg^ +||tk.airfrance.bj^ +||tk.airfrance.ca^ +||tk.airfrance.ch^ +||tk.airfrance.cm^ +||tk.airfrance.co.ao^ +||tk.airfrance.co.il^ +||tk.airfrance.co.jp^ +||tk.airfrance.co.kr^ +||tk.airfrance.co.th^ +||tk.airfrance.co.uk^ +||tk.airfrance.co.za^ +||tk.airfrance.cz^ +||tk.airfrance.de^ +||tk.airfrance.dj^ +||tk.airfrance.dk^ +||tk.airfrance.dz^ +||tk.airfrance.es^ +||tk.airfrance.fi^ +||tk.airfrance.fr^ +||tk.airfrance.ga^ +||tk.airfrance.gf^ +||tk.airfrance.gr^ +||tk.airfrance.hr^ +||tk.airfrance.ht^ +||tk.airfrance.id^ +||tk.airfrance.ie^ +||tk.airfrance.in^ +||tk.airfrance.it^ +||tk.airfrance.ma^ +||tk.airfrance.mg^ +||tk.airfrance.mq^ +||tk.airfrance.mu^ +||tk.airfrance.my^ +||tk.airfrance.ng^ +||tk.airfrance.nl^ +||tk.airfrance.pa^ +||tk.airfrance.pf^ +||tk.airfrance.pl^ +||tk.airfrance.pt^ +||tk.airfrance.re^ +||tk.airfrance.ro^ +||tk.airfrance.rs^ +||tk.airfrance.ru^ +||tk.airfrance.sa^ +||tk.airfrance.se^ +||tk.airfrance.sg^ +||tk.airfrance.sk^ +||tk.airfrance.sn^ +||tk.airfrance.tn^ +||tk.airfrance.ua^ +||tk.airfrance.us^ +||tk.airfrance.vn^ +||tk.alexandermcqueen.com^ +||tk.apprentis-auteuil.org^ +||tk.assurland.com^ +||tk.assurlandpro.com^ +||tk.atol.fr^ +||tk.balenciaga.com^ +||tk.biovea.com^ +||tk.blancheporte.be^ +||tk.blancheporte.fr^ +||tk.boutique.capital.fr^ +||tk.boutique.geo.fr^ +||tk.boutique.hbrfrance.fr^ +||tk.boutique.voici.fr^ +||tk.bricoprive.com^ +||tk.bullebleue.fr^ +||tk.cadeaux.com^ +||tk.conforama.fr^ +||tk.dietbon.fr^ +||tk.domitys.fr^ +||tk.dossier.co^ +||tk.engie.fr^ +||tk.etam.com^ +||tk.evaneos.ch^ +||tk.evaneos.de^ +||tk.evaneos.es^ +||tk.evaneos.fr^ +||tk.evaneos.it^ +||tk.evaneos.nl^ +||tk.france-abonnements.fr^ +||tk.frenchbee.com^ +||tk.gustaveroussy.fr^ +||tk.healthwarehouse.com^ +||tk.hypnia.co.uk^ +||tk.hypnia.de^ +||tk.hypnia.es^ +||tk.hypnia.fr^ +||tk.hypnia.nl^ +||tk.illicado.com^ +||tk.interflora.dk^ +||tk.interflora.es^ +||tk.interflora.fr^ +||tk.interflora.it^ +||tk.jeux.loro.ch^ +||tk.jim-joe.fr^ +||tk.kidsaround.com^ +||tk.kitchendiet.fr^ +||tk.klm.com^ +||tk.kusmitea.com^ +||tk.lacoste.com^ +||tk.lamaisonduchocolat.com^ +||tk.lcl.fr^ +||tk.little-big-change.com^ +||tk.lolivier.fr^ +||tk.lulli-sur-la-toile.com^ +||tk.m6boutique.com^ +||tk.macif.fr^ +||tk.maison123.com^ +||tk.manouvellevoiture.com^ +||tk.moveyourfit.com^ +||tk.msccruises.com^ +||tk.nhlottery.com^ +||tk.opinion-assurances.fr^ +||tk.petit-bateau.be^ +||tk.petit-bateau.co.uk^ +||tk.petit-bateau.de^ +||tk.petit-bateau.es^ +||tk.petit-bateau.fr^ +||tk.petit-bateau.it^ +||tk.planete-oui.fr^ +||tk.prismashop.fr^ +||tk.qare.fr^ +||tk.qobuz.com^ +||tk.rentacar.fr^ +||tk.rimowa.com^ +||tk.salomon.com^ +||tk.santevet.be^ +||tk.santevet.com^ +||tk.santevet.de^ +||tk.santevet.es^ +||tk.santevet.it^ +||tk.speedway.fr^ +||tk.svsound.com^ +||tk.teleshopping.fr^ +||tk.tikamoon.at^ +||tk.tikamoon.be^ +||tk.tikamoon.ch^ +||tk.tikamoon.co.uk^ +||tk.tikamoon.com^ +||tk.tikamoon.de^ +||tk.tikamoon.es^ +||tk.tikamoon.it^ +||tk.tikamoon.nl^ +||tk.transavia.com^ +||tk.ultrapremiumdirect.com^ +||tk.undiz.com^ +||tk.verisure.fr^ +||tk.viapresse.com^ +||tk.zenpark.com^ +||tracking-test.esearchvision.com^ +||trackv-test.esearchvision.com^ +||tv-test.esvdigital.com^ +||twiz.wizaly.co.uk^ +||twiz.wizaly.fr^ +||wiz.empowerhearing.com^ +||wiz.sncf-connect.com^ +||wz.allianz.fr^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_branch.txt *** +! easyprivacy_specific_cname_branch.txt +! Company name: Branch.io https://github.com/AdguardTeam/cname-trackers/blob/master/data/clickthroughs/branch_io.txt +! Disabled +! ||clickmail.stubhub.com^ +! ||links.strava.com^ +! ||wl.spotify.com^ +! ||go.playbackbone.com^ +! ||t.ac.pandora.com^ +! ||stream.9now.com.au^ +! +! Company name: Branch.io +! +||07b3.pandasuite.io^ +||0ddf.pandasuite.io^ +||1.ftb.al^ +||10008919.pomelo.fashion^ +||10079290.fluz.app^ +||10298198.arch.sofi.org^ +||10298198.info.sofi.org^ +||10298198.m.sofi.org^ +||10298198.o.sofi.org^ +||102d.pandasuite.io^ +||11959579.fun.joyrun.com^ +||12915784.care.sanvello.com^ +||12915784.help.sanvello.com^ +||16134024.artcollection.io^ +||161779.publy.co^ +||18052925.im.intermiles.com^ +||19035924.automated.almosafer.com^ +||19035924.email.almosafer.com^ +||19035924.loyalty.almosafer.com^ +||19035924.mktg.almosafer.com^ +||19035955.automated.tajawal.com^ +||19035955.email.tajawal.com^ +||19035955.loyalty.tajawal.com^ +||19035955.mktg.tajawal.com^ +||1e90.pandasuite.io^ +||2.wantsext.me^ +||20bd.pandasuite.io^ +||2143.pandasuite.io^ +||22153974.branch.rocks^ +||223f.pandasuite.io^ +||2540166.chalknation.com^ +||3565433061881492849.academyofconsciousleadership.com^ +||3587285621425460184.academyofconsciousleadership.net^ +||3889082.dev.att.llabs.io^ +||3935128650935608632.academyofconsciousleadership.org^ +||3988408442896783715.theacademyforconsciousleadership.com^ +||3b38.pandasuite.io^ +||3skickasurf.tre.se^ +||40caidaylimpia.catzolab.net^ +||492733704185584515.academyforconsciousculture.com^ +||4b.oktium.com^ +||5173.pandasuite.io^ +||52d8.pandasuite.io^ +||5363316.marketing.numi.com^ +||5363316.trackerinfo.southbeachdiet.com^ +||581b.pandasuite.io^ +||5e00.pandasuite.io^ +||6068372.huckleberry-labs.com^ +||6519114.automated.almosafer.com^ +||6519114.automated.tajawal.com^ +||6519114.email.tajawal.com^ +||6519114.loyalty.almosafer.com^ +||6519114.loyalty.tajawal.com^ +||6519114.mktg.almosafer.com^ +||6519114.mktg.tajawal.com^ +||6677648.reddoorz.com^ +||671c.pandasuite.io^ +||757d.pandasuite.io^ +||76ef.pandasuite.io^ +||7701534.emails.tntdrama.com^ +||8041691.comms.hipages.com.au^ +||8041691.engage.hipages.com.au^ +||8147563.1954.bk.com^ +||8147563.thekingdom.bk.com^ +||8147563.your-way.bk.com^ +||8820.pandasuite.io^ +||8d4b.pandasuite.io^ +||9189.pandasuite.io^ +||9544702.kazooby.com^ +||9693.pandasuite.io^ +||9735476.sender.skyscanner.com^ +||9735476.sender.skyscanner.net^ +||9735476.test.skyscanner.net^ +||9786.pandasuite.io^ +||9857064.hello.spriggy.com.au^ +||9857064.notice.spriggy.com.au^ +||9955951.pillar.app^ +||9984342.reddoorz.in^ +||9b55.pandasuite.io^ +||9bdb.pandasuite.io^ +||9kvnwwkj.pandasuite.io^ +||a-t.topya.com^ +||a.a23.in^ +||a.careangel.com^ +||a.getemoji.me^ +||a.hibbett.com^ +||a.ifit.io^ +||a.itim.es^ +||a.nelo.mx^ +||a.pickme.lk^ +||a.sbnw.in^ +||a.topya.com^ +||a2.slotxbros.com^ +||aakashapp.byjus.com^ +||abcd.coderays.com^ +||ablink.1954.bk.com^ +||ablink.8email.eightsleep.com^ +||ablink.a.radio.com^ +||ablink.account.one.app^ +||ablink.account.zip.co^ +||ablink.ae.linktr.ee^ +||ablink.alerts.forhers.com^ +||ablink.alerts.max.com^ +||ablink.arch.sofi.org^ +||ablink.c.grubhub.com^ +||ablink.care.sanvello.com^ +||ablink.comms.hipages.com.au^ +||ablink.comms.trainline.com^ +||ablink.comms.waveapps.com^ +||ablink.commsinfo.trainline.com^ +||ablink.daily.sofi.com^ +||ablink.e.hungryjacks.com.au^ +||ablink.e.jackpocket.com^ +||ablink.e.sanvello.com^ +||ablink.e.theiconic.com.au^ +||ablink.earn.liven.com.au^ +||ablink.edm.zip.co^ +||ablink.em.redmart.com^ +||ablink.email.creator.shopltk.com^ +||ablink.email.etsy.com^ +||ablink.email.luminarypodcasts.com^ +||ablink.email.pressreader.com^ +||ablink.emails.spothero.com^ +||ablink.emails.themarket.nz^ +||ablink.emails.vida.com^ +||ablink.engage.hipages.com.au^ +||ablink.engage.insighttimer.com^ +||ablink.enjoy.wonder.com^ +||ablink.feed.liven.com.au^ +||ablink.fun.joyrun.com^ +||ablink.go1.zip.co^ +||ablink.go2.zip.co^ +||ablink.go3.zip.co^ +||ablink.hello.innit.com^ +||ablink.hello.sanvello.com^ +||ablink.hello.spriggy.com.au^ +||ablink.hello.washmen.com^ +||ablink.help.innit.com^ +||ablink.help.sanvello.com^ +||ablink.help.shopwell.com^ +||ablink.info.felixmobile.com.au^ +||ablink.info.oneatwork.app^ +||ablink.info.pressreader.com^ +||ablink.info.sofi.org^ +||ablink.info.themarket.nz^ +||ablink.info.timhortons.ca^ +||ablink.info.timhortons.com^ +||ablink.info.vida.com^ +||ablink.juicer.li.me^ +||ablink.kfc.com.au^ +||ablink.lifecycle.onxmaps.com^ +||ablink.loyal.timhortons.ca^ +||ablink.loyal.timhortons.com^ +||ablink.loyalty.almosafer.com^ +||ablink.loyalty.tajawal.com^ +||ablink.m.feelcove.com^ +||ablink.m.jackpocket.com^ +||ablink.m.popeyes.com^ +||ablink.m.seatedapp.io^ +||ablink.m.sofi.org^ +||ablink.ma.linktr.ee^ +||ablink.mail.activearcade.ai^ +||ablink.mail.adobespark.com^ +||ablink.mail.flipfit.com^ +||ablink.mail.grailed.com^ +||ablink.mail.homecourt.ai^ +||ablink.mail.parkmobile.io^ +||ablink.mail.truemoney.com^ +||ablink.mail.winwinsave.com^ +||ablink.mail1.iheart.com^ +||ablink.marketing.adobemailing.com^ +||ablink.marketing.li.me^ +||ablink.marketing.max.com^ +||ablink.marketing.motortrend.com^ +||ablink.marketing.onxmaps.com^ +||ablink.media.10play.com.au^ +||ablink.mktg.almosafer.com^ +||ablink.mktg.tajawal.com^ +||ablink.msg.flipfit.com^ +||ablink.my.zip.co^ +||ablink.news.felixmobile.com.au^ +||ablink.news.forhers.com^ +||ablink.news.gooseinsurance.com^ +||ablink.news.kfc.co.za^ +||ablink.newsletters1.motortrend.com^ +||ablink.newsletters2.motortrend.com^ +||ablink.notice.spriggy.com.au^ +||ablink.notification.insighttimer.com^ +||ablink.notify.homecourt.ai^ +||ablink.nz-edm.zip.co^ +||ablink.o.sofi.org^ +||ablink.offers.checkout51.com^ +||ablink.offroad-marketing.onxmaps.com^ +||ablink.p.radio.com^ +||ablink.pomelo.fashion^ +||ablink.pomelofashion.com^ +||ablink.promos.timhortons.ca^ +||ablink.promos.timhortons.com^ +||ablink.qa.enjoy.wonder.com^ +||ablink.r.sofi.com^ +||ablink.rider.li.me^ +||ablink.seller.etsy.com^ +||ablink.send.joinjamjar.com.au^ +||ablink.sender.skyscanner.com^ +||ablink.sender.skyscanner.net^ +||ablink.service.max.com^ +||ablink.staging-e.klarna.com^ +||ablink.stream.max.com^ +||ablink.subscribers.motortrend.com^ +||ablink.support.oneatwork.app^ +||ablink.t.feelcove.com^ +||ablink.tchicken.popeyes.com^ +||ablink.test.iheart.com^ +||ablink.test.kfc.com.au^ +||ablink.test.skyscanner.net^ +||ablink.test.vida.com^ +||ablink.thekingdom.bk.com^ +||ablink.thekitchen.popeyes.com^ +||ablink.track.popeyes.com^ +||ablink.track.timhortons.ca^ +||ablink.track.timhortons.com^ +||ablink.uat.enjoy.wonder.com^ +||ablink.updates.creator.shopltk.com^ +||ablink.updates.gooseinsurance.com^ +||ablink.your-way.bk.com^ +||ablink.your.audacy.com^ +||ablinkclicktest.prod.aws.skyscnr.com^ +||ablinks-staging.email.tispr.com^ +||ablinks.comms.healthengine.com.au^ +||ablinks.e.foxsports.com.au^ +||ablinks.e.sportinanutshell.com.au^ +||ablinks.info.amaro.com^ +||ablinks.kfc.com.au^ +||ablinks.mail.claritymoney.com^ +||ablinks.mail.hinge.co^ +||ablinks.mail.pared.com^ +||ablinks.marketing.numi.com^ +||ablinks.news.amaro.com^ +||ablinks.news.learnwithhomer.com^ +||ablinks.notify.healthengine.com.au^ +||ablinks.trackerinfo.southbeachdiet.com^ +||ablinks.welcome.learnwithhomer.com^ +||ablinksemail.wirexapp.com^ +||ablinksuni.a.grubhub.com^ +||ablinksuni.a.seamless.com^ +||abmail.info.amaro.com^ +||abmail.peak.net^ +||abmail.test.iheart.com^ +||abmail2.e.hungryjacks.com.au^ +||acc-link-ccontact.focuscura.com^ +||accenture.epoise.com^ +||accenturetest.epoise.com^ +||access.ipro.net^ +||access.iprolive.com^ +||access2.ipro.net^ +||acesse.tc.com.br^ +||acro.egghead.link^ +||act.wynk.in^ +||activation.depop.com^ +||active-email.branch.rocks^ +||ad.gogox.com^ +||ad.inhaabit.com^ +||adl.kkguan.com^ +||admin.academyforconsciousleadership.net^ +||ads.tikpage.com^ +||afpd.groundwidgets.com^ +||aggelakia.openapp.link^ +||ailla.abphotos.link^ +||aivali.openapp.link^ +||al.airtel.in^ +||al.mtrx.dev^ +||al.mtrx.travel^ +||al.mtrxs.dev^ +||al.test.airtel.in^ +||alaburger.openapp.link^ +||alapita.openapp.link^ +||alerts.steadyapp.com^ +||alexa.dev.intecular.com^ +||alibabapizza.openapp.link^ +||alinks.outcomes4me.com^ +||alpha.go.levelbank.com^ +||amandi.openapp.link^ +||amazon-email.branch.rocks^ +||amo.myoyster.mx^ +||ana.e-ticket.co.jp^ +||analytics.adobe.ly^ +||analytics.crowdkeep.com^ +||analytics.eventbrite.com^ +||anapp.adobe.com^ +||android.txtsmarter.com^ +||anet.abphotos.link^ +||animaux.oworld.fr^ +||antico.openapp.link^ +||aod.echovisuals.com^ +||ap.hibbett.com^ +||ap.shouta.co^ +||app-branch.yummybazaar-qa.com^ +||app-clicks-corporate.firstrepublic.com^ +||app-clicks.firstrepublic.com^ +||app-dat.kingofthecurve.org^ +||app-dev.onyx.fit^ +||app-dev.stressbuoy.com^ +||app-jp.getmiles.com^ +||app-link-test.inkl.com^ +||app-link-test.republik.gg^ +||app-link.funfull.com^ +||app-link.inkl.com^ +||app-link.republik.gg^ +||app-link.smartvid.io^ +||app-link.udex.us^ +||app-qa.rnd.thronelabs.co^ +||app-redirect.wearephlo.com^ +||app-stage.mschfsneakers.com^ +||app-test.albrt.co^ +||app-test.barking.city^ +||app-test.barking.ee^ +||app-test.comparethemarket.com.au^ +||app-test.evntly.com^ +||app-test.get360fit.com^ +||app-test.goat.com^ +||app-test.hermo.my^ +||app-test.kisikates.com.tr^ +||app-test.klip.ae^ +||app-test.mogo.ca^ +||app-test.mywaggle.com^ +||app-test.nala.money^ +||app-test.planstr.com^ +||app-test.playtally.com^ +||app-test.thestaxapp.com^ +||app-test.utlob.com^ +||app-uat.latrobehealth.com.au^ +||app-uat.navyhealth.com.au^ +||app.1112.com^ +||app.2cents.audio^ +||app.5miles.us^ +||app.8tracks.com^ +||app.aaptiv.com^ +||app.acekuwait.com^ +||app.activityhero.com^ +||app.aksent.ai^ +||app.albrt.co^ +||app.allyos.com^ +||app.almosafer.com^ +||app.almutawapharmacies.com^ +||app.ammanmart.com^ +||app.anch.co^ +||app.appcity.com.au^ +||app.aquaservice.com^ +||app.areyouin.io^ +||app.atlasmission.com^ +||app.audibene.de^ +||app.auge.pro.br^ +||app.autotrader.com.au^ +||app.avopass.com^ +||app.awto.cl^ +||app.awto.com.br^ +||app.babycloud.in^ +||app.bajajfinservmarkets.in^ +||app.ballet.org.uk^ +||app.bancobv.com.br^ +||app.banqi.com.br^ +||app.barking.city^ +||app.barking.ee^ +||app.bateriasparacarrosbogota.com^ +||app.begin.is^ +||app.bekfood.de^ +||app.belbet.by^ +||app.belk.com^ +||app.bergenkino.no^ +||app.berrydates.com^ +||app.bettle.co^ +||app.bible.com^ +||app.biblelens.com^ +||app.bikeep.com^ +||app.bimbaylola.com^ +||app.bloombergconnects.org^ +||app.bovedainc.com^ +||app.bplepay.co.kr^ +||app.brain.ly^ +||app.brandclub.com^ +||app.bruce.work^ +||app.buildd.co^ +||app.butterflymx.com^ +||app.bws.com.au^ +||app.byjus.com^ +||app.caden.io^ +||app.cambolink21.com^ +||app.campaignhero.ai^ +||app.campbowwow.com^ +||app.capitalbikeshare.com^ +||app.cardbaazi.com^ +||app.cardiovisual.com^ +||app.carrierview.com^ +||app.carsguide.com.au^ +||app.catchconnect.com.au^ +||app.changemakerz.org^ +||app.citibikenyc.com^ +||app.citylink.ro^ +||app.clientbook.com^ +||app.clovia.com^ +||app.cmnet.cf^ +||app.coconuts.co^ +||app.colesmobile.com.au^ +||app.comparethemarket.com.au^ +||app.cookdtv.com^ +||app.coto.world^ +||app.cover.com^ +||app.ctc.ru^ +||app.cuahealth.com.au^ +||app.curesk.in^ +||app.currenciesdirect.com^ +||app.danmurphys.com.au^ +||app.deliverynow.vn^ +||app.delphia.com^ +||app.dev.pyypl.io^ +||app.dev.talksport.com^ +||app.dev.virginradio.co.uk^ +||app.deviceidfinder.com^ +||app.devyce.com^ +||app.dickssportinggoods.com^ +||app.discover.com^ +||app.dolinakrzny.digimuth.com^ +||app.domclick.ru^ +||app.dreambox.ru.com^ +||app.echo.co.uk^ +||app.echovisuals.com^ +||app.eland.kr^ +||app.elanic.in^ +||app.elly.com^ +||app.email.influitive.com^ +||app.entwickler.de^ +||app.etc.se^ +||app.etcel.se^ +||app.evntly.com^ +||app.exercisetimer.net^ +||app.experience297.com^ +||app.explico.sg^ +||app.fashalot.com^ +||app.favorited.com^ +||app.feedacat.com^ +||app.feedadog.com^ +||app.fitmint.io^ +||app.fixly.pl^ +||app.flatex.at^ +||app.flatex.de^ +||app.flowyour.money^ +||app.flykitt.com^ +||app.flyx.me^ +||app.food.li^ +||app.food.porn^ +||app.foody.vn^ +||app.forever21.com^ +||app.fount.bio^ +||app.fuse.cash^ +||app.fyscore.com^ +||app.gasengineersoftware.co.uk^ +||app.gastro-ausweis.de^ +||app.gempak.com^ +||app.get-e.com^ +||app.getbamboo.io^ +||app.getcubo.com^ +||app.getgifted.com^ +||app.getgigl.com^ +||app.getjerry.com^ +||app.getmiles.com^ +||app.getplayground.com^ +||app.getselect.co^ +||app.getsquirrel.io^ +||app.ggpoker.co.uk^ +||app.gobuncha.com^ +||app.gocheetah.com^ +||app.godtlevert.no^ +||app.gogovan.sg^ +||app.gogovan.tw^ +||app.golfgalaxy.com^ +||app.goodwearmall.com^ +||app.gopib.net^ +||app.goqii.com^ +||app.got-it.link^ +||app.grabon.in^ +||app.grapevine.in^ +||app.greenweez.com^ +||app.grubster.com.br^ +||app.gustave-et-rosalie.com^ +||app.gwsportsapp.in^ +||app.gymstreak.com^ +||app.handlemoa.com^ +||app.hapicolibri.fr^ +||app.happyar.world^ +||app.hauskey.com^ +||app.headuplabs.com^ +||app.health2sync.com^ +||app.healthteams.com.au^ +||app.hear.com^ +||app.heponda.com^ +||app.hermo.my^ +||app.hinge.co^ +||app.hirenodes.com^ +||app.hocngoainguhieuqua.com^ +||app.holdstation.com^ +||app.homelocatorapp.com^ +||app.homoola.com^ +||app.hotdoc.com.au^ +||app.iamblackbusiness.com^ +||app.idexevent.com^ +||app.infyn.it^ +||app.inkitt.com^ +||app.instantlocal.com^ +||app.intermexonline.com^ +||app.intermiles.com^ +||app.interprefy.com^ +||app.intros.com^ +||app.inutriciondeportiva.com^ +||app.iroomit.com^ +||app.itimes.com^ +||app.iwanttfc.com^ +||app.jamdoughnut.com^ +||app.jili178.us^ +||app.joatspace.com^ +||app.joinkroo.com^ +||app.joinraft.com^ +||app.jurishand.com^ +||app.kaptain11.com^ +||app.kcutsgo.com^ +||app.kernwerk.de^ +||app.kingofthecurve.org^ +||app.kippo.gg^ +||app.kisikates.com.tr^ +||app.klaim.us^ +||app.klip.ae^ +||app.klokahem.com^ +||app.kochamwino.com.pl^ +||app.kora.money^ +||app.koyamedical.com^ +||app.kumu.ph^ +||app.lark.com^ +||app.latrobehealth.com.au^ +||app.lawnlove.com^ +||app.learnz.hu^ +||app.levi.com^ +||app.libre.org^ +||app.link.livibank.com^ +||app.link.nba.com^ +||app.liven.com.au^ +||app.lootpop.com^ +||app.luckysweater.com^ +||app.luve.tv^ +||app.manager.privateaser.com^ +||app.marriott.com^ +||app.matchme.social^ +||app.me4u.ai^ +||app.meclub.com^ +||app.meihengyisheng.com^ +||app.meliuz.com.br^ +||app.memor-i.com^ +||app.menupromo.inlinefx.com^ +||app.mikedfitness.com^ +||app.mingo.chat^ +||app.mintmobile.com^ +||app.mobilapp.io^ +||app.mobilevikings.pl^ +||app.mogo.ca^ +||app.moneta.lk^ +||app.moneywalkie.com^ +||app.motiwy.com^ +||app.movebe.com^ +||app.movegb.com^ +||app.mschfsneakers.com^ +||app.mt11.io^ +||app.musely.com^ +||app.mybestphotobook.com^ +||app.mybliss.ai^ +||app.mycirclecare.com^ +||app.mylogoinc.com^ +||app.myrbhs.com.au^ +||app.mywaggle.com^ +||app.naga.com^ +||app.naked.insure^ +||app.nala.money^ +||app.nalogi.online^ +||app.nautilus.io^ +||app.navi.com^ +||app.navyhealth.com.au^ +||app.nhrmcmychart.com^ +||app.nootric.com^ +||app.now.vn^ +||app.nursef.ly^ +||app.ocamping.fr^ +||app.oceans.io^ +||app.ofisten.com^ +||app.onet.pl^ +||app.onyx.fit^ +||app.onyxcharge.com^ +||app.openfolio.com^ +||app.optus.com.au^ +||app.ouicsport.fr^ +||app.ovloop.com^ +||app.oze789.com^ +||app.p100.io^ +||app.pally.live^ +||app.pandasuite.io^ +||app.panomoments.com^ +||app.pawsket.com^ +||app.payomatic.com^ +||app.payon.mn^ +||app.pdf.ac^ +||app.pethoops.com^ +||app.pickwin.net^ +||app.pickyourtrail.com^ +||app.pixapp.com^ +||app.pointer.com.br^ +||app.pokerup.net^ +||app.pooler.io^ +||app.poolkingmobile.com^ +||app.popsa.com^ +||app.poupaenergia.pt^ +||app.powerwatch.io^ +||app.priceoff.com.br^ +||app.primeconcept.co.uk^ +||app.primexbt.com^ +||app.pro-vision.com^ +||app.producttube.com^ +||app.progressive.com^ +||app.puma.com^ +||app.puneeatouts.in^ +||app.pyypl.io^ +||app.qa.flykitt.com^ +||app.qa.fount.bio^ +||app.qeenatha.com^ +||app.qlan.gg^ +||app.qooxydz.net^ +||app.quidd.co^ +||app.quotesalarm.com^ +||app.radio.com^ +||app.radixdlt.com^ +||app.raneen.com^ +||app.rclb.pl^ +||app.realnewsnow.com^ +||app.renozee.com^ +||app.resq.club^ +||app.reuters.com^ +||app.ritual.io^ +||app.rlax.me^ +||app.rmbr.in^ +||app.roomsync.com^ +||app.scrpbx.co^ +||app.seasonshare.com^ +||app.segno.org^ +||app.select.id^ +||app.semusi.com^ +||app.sephora.com^ +||app.shopback.com^ +||app.shouta.co^ +||app.showroomprive.com^ +||app.singlife.com^ +||app.skideal-prod.ynadev.com^ +||app.skydo.cloud^ +||app.smartcredit.com^ +||app.smrtp.link^ +||app.snbla.com^ +||app.sortedai.com^ +||app.soultime.com^ +||app.sswt.co^ +||app.stadac.mobilapp.gmbh^ +||app.stagingsimpl.com^ +||app.streaktrivia.com^ +||app.stressbuoy.com^ +||app.studios.brain.ai^ +||app.subs.tv^ +||app.sunstone.in^ +||app.sweeps.fyi^ +||app.swiftgift.it^ +||app.swiftgift.me^ +||app.ta3weem.com^ +||app.tadatada.com^ +||app.tagachi.io^ +||app.tajawal.com^ +||app.talksport.com^ +||app.task.io^ +||app.teachfx.com^ +||app.test.elly.com^ +||app.th3rdwave.coffee^ +||app.theachieveapp.com^ +||app.theachieveproject.com^ +||app.thedealerapp.co.uk^ +||app.themaven.net^ +||app.thestaxapp.com^ +||app.thetimes.link^ +||app.thetriviabar.com^ +||app.thexlife.co^ +||app.thisiscleveland.com^ +||app.tikki.com^ +||app.times.radio^ +||app.tmro.com^ +||app.toastme.com^ +||app.topgrad.co.uk^ +||app.topten10mall.com^ +||app.torfx.com^ +||app.touchofmodern.com^ +||app.trade.mogo.ca^ +||app.trainfitness.ai^ +||app.trainline.com^ +||app.travelcom.com.tw^ +||app.trayls.com^ +||app.treering.com^ +||app.trell.co^ +||app.trimenu.com^ +||app.trulia.com^ +||app.trutv.com^ +||app.tsgo.io^ +||app.tutorela.com^ +||app.ugo.srl^ +||app.unlockar.com^ +||app.utlob.com^ +||app.vahak.in^ +||app.vidds.ee^ +||app.virdee.co^ +||app.virginradio.co.uk^ +||app.vitabuddy.de^ +||app.vitruvian.me^ +||app.voice.football^ +||app.vurse.com^ +||app.vyaparapp.in^ +||app.w3w.io^ +||app.waybetter.com^ +||app.well.co.uk^ +||app.what3words.com^ +||app.wish2wash.com^ +||app.wishtrend.com^ +||app.withutraining.com^ +||app.wonder.com^ +||app.wordgo.org^ +||app.wsop.ca^ +||app.wudju.de^ +||app.yolda.com^ +||app.yolda.io^ +||app.yollty.com^ +||app.youla.io^ +||app.yourmoji.co^ +||app.zip.co^ +||app.ziptoss.com^ +||app.zirtue.com^ +||app.zwilling.com^ +||app2.220cordncode.com^ +||application.mindshine.app^ +||application.mybiglove.ru^ +||applink-test.chalknation.com^ +||applink.aspiration.com^ +||applink.batterii.com^ +||applink.beta.aspiration.com^ +||applink.calciumhealth.com^ +||applink.cw.com.tw^ +||applink.designengineapp.com^ +||applink.discuss.com.hk^ +||applink.eventable.com^ +||applink.flipboard.com^ +||applink.fun88906.com^ +||applink.get-a-way.com^ +||applink.getbambu.com^ +||applink.getconfide.com^ +||applink.glicrx.com^ +||applink.groupthera.com^ +||applink.hellobacsi.com^ +||applink.hightail.com^ +||applink.hk01.com^ +||applink.hktester.com^ +||applink.joyrun.com^ +||applink.jurafuchs.de^ +||applink.mojilala.com^ +||applink.moolban.com^ +||applink.mypostcardapp.com^ +||applink.oskar.de^ +||applink.picmasters.de^ +||applink.pleizi.com^ +||applink.pod.io^ +||applink.podimo.com^ +||applink.psychonline.com^ +||applink.qa.tarjetabumeran.com^ +||applink.raaho.in^ +||applink.tarjetabumeran.com^ +||applink.test.jurafuchs.de^ +||applink.whizzl.com^ +||applink.youareaceo.com^ +||applink2.moolban.com^ +||applinks-test.flybuys.com.au^ +||applinks.afriflirt.com^ +||applinks.aventuraapp.com^ +||applinks.bikersnearby.com^ +||applinks.box8.in^ +||applinks.calpool.com^ +||applinks.capitalone.co.uk^ +||applinks.cougarsnearby.com^ +||applinks.cowboysnearby.com^ +||applinks.fliplearn.com^ +||applinks.flybuys.com.au^ +||applinks.hotspot.travel^ +||applinks.laoshi.io^ +||applinks.makemytrip.com^ +||applinks.tarrakki.com^ +||applinks.truckersnearby.com^ +||applinks.xdressr.com^ +||applinks.zerista.com^ +||appredirect.snapdeal.com^ +||apps-test.spectrum-member.com^ +||apps.airmeet.com^ +||apps.ayopop.id^ +||apps.bannerman.com^ +||apps.circle.com^ +||apps.crib.in^ +||apps.daxko-qa.com^ +||apps.daxko.com^ +||apps.ding.jobs^ +||apps.e-butler.com^ +||apps.jeffgalloway.com^ +||apps.myprepaidcenter.com^ +||apps.shakaguide.com^ +||apps.spectrum-member.com^ +||apps.uquote.io^ +||apps.weekendgowhere.sg^ +||apps.wholefoodsmarket.com^ +||apps.zingeroo.com^ +||apptest.gotvive.com^ +||apptest.gwsportsapp.in^ +||apptest.jow.fr^ +||apptest.truveiculos.com^ +||apptracker.torob.com^ +||appuat.intermiles.com^ +||apssdc.epoise.com^ +||apssdctest.epoise.com^ +||ar.interiordefine.com^ +||arch.onjoyri.de^ +||aria.inhaabit.com^ +||art.b.inhaabit.com^ +||ascmart.abphotos.link^ +||ask.wearelistening.co.nz^ +||assistant.dg1.com^ +||atb.mlb.com^ +||athlete.uninterrupted.com^ +||atiteasexam.quantresear.ch^ +||atlantablackstar.black.news^ +||atumanera.burgerking.com.mx^ +||authsmtp.happ.social^ +||avasgtest.branch.rocks^ +||awsexam.quantresear.ch^ +||b.arenum.games^ +||b.check-ins.com.my^ +||b.chme.io^ +||b.discotech.me^ +||b.dl.redcrossblood.org^ +||b.ewd.io^ +||b.getmaintainx.com^ +||b.gett.com^ +||b.home.com.au^ +||b.iheart.southwest.com^ +||b.itravel.southwest.com^ +||b.iwanna.southwest.com^ +||b.lyst.com^ +||b.mail.tabcorp.com.au^ +||b.pickme.lk^ +||b.prod1.youroffers.dominos.ca^ +||b.pscp.live^ +||b.sharechat.com^ +||b.sprucehealth.com^ +||b.staging.thechivery.com^ +||b.tate.it^ +||b.thechive.com^ +||b.thechivery.com^ +||b.todaytix.com^ +||b.vidmob.com^ +||b.whee.ly^ +||b.workhere.com^ +||b.your.rewardsemail.dominos.ca^ +||b.ysh.io^ +||b.zedge.me^ +||b73c.pandasuite.io^ +||baccarat.abzorbagames.com^ +||basket.mondo.link^ +||baton.cuetv.online^ +||battlenet.openapp.link^ +||bb.onjoyri.de^ +||bbanywhere.links.rosieapp.com^ +||bbs.theacademyforconsciousleadership.com^ +||bclicks.lyst.com^ +||bde.beformance.com^ +||bdl.xefyr.com^ +||bdtestsendpulse.branch.rocks^ +||be.slowmographer.co^ +||bears.daigostudio.com^ +||bepartof.wechain.eu^ +||beta-link.liilix.com^ +||betrice.wantsext.me^ +||betterhealthrewards.headuplabs.com^ +||bettermedical-app.hotdoc.com.au^ +||bf35f69f2c6f6bcda64064b1f5b49218.domain.com.au^ +||bfg.loanzify.app^ +||bh-test.groc.press^ +||bh.groc.press^ +||bi.irisdating.com^ +||bint.openapp.link^ +||bio.chups.co^ +||bit.beformance.com^ +||bizlink.dinifi.com^ +||bkstg.flyx.me^ +||bl-test.curatedplanet.com^ +||blackdagger.openapp.link^ +||blackenterprise.black.news^ +||blackjack.abzorbagames.com^ +||blavity.black.news^ +||blink.checkworkrights.com.au^ +||blinks.mindoktor.se^ +||blinks.outcomes4me.com^ +||blinkstest.mindoktor.se^ +||bluecore-email.branch.rocks^ +||bmf.branch.rocks^ +||bn.coupocket.com^ +||bnc-papago.naver.com^ +||bnc.autopass.xyz^ +||bnc.chewchunks.com^ +||bnc.citylink.ro^ +||bnc.cityscope.media^ +||bnc.findlife.com.tw^ +||bnc.luxurysportsrelocation.com^ +||bnc.mksp.io^ +||bnc.oustme.com^ +||bnc.squaretrade.com^ +||bnc.thewaya.com^ +||bnc.tripcody.com^ +||book.londonsoundacademy.com^ +||booking.getwaitnot.com^ +||boss.openapp.link^ +||bot.asksyllable.com^ +||bot.stackbots.com^ +||bot.streaktrivia.com^ +||botb.rtl2.de^ +||bp.mlb.com^ +||bpe.mlb.com^ +||bpeml.mlb.com^ +||br.ac.ebookers.ch^ +||br.ac.ebookers.com^ +||br.ac.ebookers.de^ +||br.ac.ebookers.fi^ +||br.ac.ebookers.fr^ +||br.ac.ebookers.ie^ +||br.ac.mrjet.se^ +||br.ac.orbitz.com^ +||br.ac.travelocity.com^ +||br.ac2.cheaptickets.com^ +||br.backmarket.fr^ +||br.email.lifesum.com^ +||br.eml.walgreens.com^ +||br.inhaabit.com^ +||br.kent.co.in^ +||br.links.kmartphotos.com.au^ +||br.links.kodakmoments.com^ +||br.potato1.influitive.com^ +||br.probablecausesolutions.com^ +||br.sprbl.st^ +||br.uk.beformance.com^ +||bractivacar.eccocar.com^ +||braddumacar.eccocar.com^ +||brainlands.stonefalcon.com^ +||bramerirent.eccocar.com^ +||bran.sightdots.com^ +||branch-4567w2a56q-test.salesfloor.net^ +||branch-4567w2a56q.salesfloor.net^ +||branch-5q8gbnve37.salesfloor.net^ +||branch-areena.yle.fi^ +||branch-c.hipages.com.au^ +||branch-consumer.hipages.com.au^ +||branch-dev.getmaintainx.com^ +||branch-g993dvyzae-test.salesfloor.net^ +||branch-g993dvyzae.salesfloor.net^ +||branch-io.smartr365.com^ +||branch-link.getseated.com^ +||branch-sandbox.thekono.com^ +||branch-sl-qc.trycircle.com^ +||branch-stage.jisp.com^ +||branch-test.locationlabs.com^ +||branch-test.rejuvenan.com^ +||branch-test.step.com^ +||branch-test.tbal.io^ +||branch-titan.rejuvenan.com^ +||branch-tradie.hipages.com.au^ +||branch-uutisvahti.yle.fi^ +||branch-ylefi.yle.fi^ +||branch.365soup.bibsolution.net^ +||branch.agmt.it^ +||branch.appryse.com^ +||branch.att.llabs.io^ +||branch.backbon3.com^ +||branch.bottradionetwork.com^ +||branch.callbridge.rocks^ +||branch.careforth.com^ +||branch.carvana.com^ +||branch.chelseafc.com^ +||branch.clicks.anchor.fm^ +||branch.codepressapp.com^ +||branch.connect.actionnetwork.com^ +||branch.craftsmanrepublic.com^ +||branch.dev.att.llabs.io^ +||branch.devishetty.net^ +||branch.dragonslayertravel.com^ +||branch.dstreet.finance^ +||branch.eccocar.com^ +||branch.employus.com^ +||branch.familybase.vzw.com^ +||branch.frankctan.com^ +||branch.getcredible.io^ +||branch.gosunpro.com^ +||branch.hyr.work^ +||branch.indi.com^ +||branch.kastapp.link^ +||branch.kiddom.co^ +||branch.lacarte.com^ +||branch.learny.co^ +||branch.liketk.it^ +||branch.link.loop.net.nz^ +||branch.livenation.com^ +||branch.locationlabs.com^ +||branch.mapstr.com^ +||branch.myoyster.mx^ +||branch.mypixie.co^ +||branch.nc.mails.sssports.com^ +||branch.olamoney.com^ +||branch.oneroof.co.nz^ +||branch.oraleye.com^ +||branch.parkingpanda.com^ +||branch.pgatour-mail.com^ +||branch.quantic.edu^ +||branch.rejuvenan.com^ +||branch.release.winfooz.com^ +||branch.reserveout.com^ +||branch.rockmyrun.com^ +||branch.servingchefs.com^ +||branch.seshfitnessapp.com^ +||branch.shoprunner.com^ +||branch.shuruapp.com^ +||branch.socar.kr^ +||branch.spaceback.me^ +||branch.step.com^ +||branch.supportgenie.io^ +||branch.t.slac.com^ +||branch.tadatada.com^ +||branch.tbal.io^ +||branch.thekono.com^ +||branch.threepiece.com^ +||branch.totalbrain.com^ +||branch.trevo.my^ +||branch.tripcody.com^ +||branch.uat.bfsgodirect.com^ +||branch.udl.io^ +||branch.vcf-test.vzw.dev.llabs.io^ +||branch.vsco.ninja^ +||branch.wallet.bitcoin.com^ +||branch.wawa.com^ +||branch.weeblme.com^ +||branch.wellsitenavigator.com^ +||branch.whatsnxt.app^ +||branch.xoxloveheart.com^ +||branch2.udl.io^ +||branchct.ncapp04.com^ +||branchcust.zulln.se^ +||branchio.hipages.com.au^ +||branchio.rsvp.com.au^ +||branchio.services.evaneos.com^ +||branchio.taxibeat.com^ +||branchioth.thehindu.co.in^ +||branchlink.adobespark.com^ +||branchlink.tripcody.com^ +||branchtest.cocoon.today^ +||branchtest.uk.puma.com^ +||branchtest.veryableops.com^ +||branchtest.whataburger.com^ +||branchtrk.lendingtree.com^ +||brands.picklebutnotcucumber.com^ +||bravantrent.eccocar.com^ +||brbristoltruckrentals.eccocar.com^ +||brc.aigrammar.net^ +||brc.emails.rakuten.com^ +||brc.englishdict.cc^ +||brc.englishtimes.cc^ +||brc.hellotalk.com^ +||brc.languageclass.cc^ +||brc2.aigrammar.net^ +||brcargreen.eccocar.com^ +||brcicar.eccocar.com^ +||brclickrent.eccocar.com^ +||brcrx.eccocar.com^ +||brdriveonrental.eccocar.com^ +||breasycarrental.eccocar.com^ +||brespark.eccocar.com^ +||brevnet.eccocar.com^ +||brfeneval.eccocar.com^ +||brfree2move.eccocar.com^ +||brgoazen.eccocar.com^ +||brgroupeollandini.eccocar.com^ +||brhellorentacar.eccocar.com^ +||brhimobility.eccocar.com^ +||brice-test.nawar.io^ +||brinstascooter.eccocar.com^ +||brioscoot.eccocar.com^ +||brldassustitucion.eccocar.com^ +||brlesrochesmarbella.eccocar.com^ +||brlikecarsharing.eccocar.com^ +||brllanesrentacar.eccocar.com^ +||brmbrenting.eccocar.com^ +||brmexrentacar.eccocar.com^ +||brmocean.eccocar.com^ +||brmoter.eccocar.com^ +||brmov.eccocar.com^ +||brmuvif.eccocar.com^ +||brmuvon.eccocar.com^ +||brnc.seidecor.com.br^ +||bronxvanilla.openapp.link^ +||brooklynway.openapp.link^ +||brpayless.eccocar.com^ +||brquazzar.eccocar.com^ +||brquikly.eccocar.com^ +||brrecordgo.eccocar.com^ +||brrentalservicefinland.eccocar.com^ +||brrhgrocarsharing.eccocar.com^ +||brshareandrent.eccocar.com^ +||brsmovecity.eccocar.com^ +||brsolenelocation.eccocar.com^ +||brtelefurgo.eccocar.com^ +||brtimove.eccocar.com^ +||brtimovesharing.eccocar.com^ +||brtrack.rummypassion.com^ +||brugocarz.eccocar.com^ +||brvallsrentacar.eccocar.com^ +||brvelocity.eccocar.com^ +||brwanacars.eccocar.com^ +||brwerental.eccocar.com^ +||bryurent.eccocar.com^ +||btn.listonic.com^ +||btn.rtl2.de^ +||build.1tap.tax^ +||bulgaria.openapp.link^ +||bulgariarestaurant.openapp.link^ +||buonasera.openapp.link^ +||buoypinger-app.sapsailing.com^ +||business.crib.in^ +||business.face2.io^ +||buyer.okiela.com^ +||c-t.topya.com^ +||c.aquaservice.com^ +||c.autozen.tv^ +||c.ixi.to^ +||c.lolamarket.com^ +||c.refun.do^ +||c.stext.id^ +||c.topya.com^ +||c.vcty.co^ +||c.werally.com^ +||c4c9.pandasuite.io^ +||c6lc.pandasuite.io^ +||c917.pandasuite.io^ +||ca.macheq.com^ +||caapp.levi.com^ +||campaigns.impactive.io^ +||campaigns.outvote.io^ +||card.getgifted.com^ +||card.pingpro.com^ +||careerconnect.epoise.com^ +||cartoon.hardalist.com^ +||cattell.loanzify.app^ +||cclink.carfax.com^ +||cdanjoyner4374.myre.io^ +||cdl.booksy.com^ +||cdl.lvsafe.io^ +||cdl2.booksy.com^ +||cfaexam.quantresear.ch^ +||cfb.8it.me^ +||chef.getmenoo.com^ +||chef.newtrina.com^ +||chelsea.clicks.hqo.co^ +||circle.pandasuite.io^ +||citizenship.quantresear.ch^ +||cl.inhaabit.com^ +||clevertapsendgrid.branch.rocks^ +||click-staging.food.mercato.com^ +||click-staging.getdreams.co^ +||click-testing.moselo.com^ +||click.aaptiv.com^ +||click.bible.com^ +||click.bitesquad.com^ +||click.blueapron.com^ +||click.carousell.com^ +||click.community.carousell.com^ +||click.depop.com^ +||click.devemails.skechers.com^ +||click.dice.com^ +||click.drizly.com^ +||click.e.affirm.com^ +||click.e.progressive.com^ +||click.e.tdbank.com^ +||click.em.soothe.com^ +||click.email.houndapp.com^ +||click.email.soundhound.com^ +||click.emails.creditonebank.com^ +||click.favordelivery.com^ +||click.food.mercato.com^ +||click.glamsquad.com^ +||click.instacartemail.com^ +||click.mail.carousell.com^ +||click.mail.thecarousell.com^ +||click.mail.theknot.com^ +||click.marketing.carousell.com^ +||click.moselo.com^ +||click.pockee.com^ +||click.redditmail.com^ +||click.signaturemarket.co^ +||click.sutra.co^ +||click.totallymoney.com^ +||click.transactional.carousell.com^ +||click.trycaviar.com^ +||click.trycobble.com^ +||click1.e.audacy.com^ +||click1.e.radio.com^ +||click1.email-postup.branch.rocks^ +||click1.email.audacy.com^ +||click2.email.ticketmaster.com^ +||clicked.ebates.com^ +||clicks.6thstreet.com^ +||clicks.burgerking.co.uk^ +||clicks.drizly.com^ +||clicks.email.shakeshack.com^ +||clicks.equinoxplus.com^ +||clicks.exploreshackle.app^ +||clicks.flaming.burger-king.ch^ +||clicks.food.mercato.com^ +||clicks.kfc.co.uk^ +||clicks.kfc.fr^ +||clicks.lifesum.com^ +||clicks.metronautapp.com^ +||clicks.point.app^ +||clicks.rallyrd.com^ +||clicks.shakeshack.com^ +||clicks.staging.worldremit.com^ +||clicks.thehive.hqo.co^ +||clicks.tunein.com^ +||clicks.variis.com^ +||clicks2.hqo.co^ +||clients.belairdirect.com^ +||clients.intact.ca^ +||clients.nbc-insurance.ca^ +||clk.mindfulsuite.com^ +||cltr.irlmail.org^ +||cmflinks.provesio.com^ +||cn1.stadiumgoods.com^ +||cn2.stadiumgoods.com^ +||cname.pebmed.com.br^ +||collect.ezidox.com^ +||colors.chamoji.com^ +||community.keeperz.app^ +||connect.goziohealth.com^ +||connect.huru.ai^ +||connect.im8.net^ +||connect.pixellot.link^ +||connectmychart.goziohealth.com^ +||content.booksplusapp.com^ +||content.mini.pix.style^ +||content.pix.style^ +||content.stage.mini.pix.style^ +||content.yole365.com^ +||content.youmiam.com^ +||contractor-app.buildforce.com^ +||converge.headuplabs.com^ +||cooking-app.lkk.com^ +||cp.rootielearning.com^ +||cq.hq1.influitive.com^ +||crepemania.openapp.link^ +||crew-qa.zubie.com^ +||crew.spektare.tv^ +||crew.zubie.com^ +||crrm.onjoyri.de^ +||crypto.egghead.link^ +||cscsexam.quantresear.ch^ +||ct-dev.taskhuman.com^ +||ct.irl.co^ +||ct.irl.com^ +||ct.irlmail.org^ +||ct.taskhuman.com^ +||ctd.drivescore.com^ +||cttest.branch.rocks^ +||cucaido.abphotos.link^ +||culture.pandasuite.io^ +||custom.tonyle.co^ +||customer.libertycarz.com^ +||cz-anag.m-shop.me^ +||cz-babynabytek.m-shop.me^ +||cz-babyplaza.m-shop.me^ +||cz-batteryimport.m-shop.me^ +||cz-cassidi.m-shop.me^ +||cz-countrylife.m-shop.me^ +||cz-efitness.m-shop.me^ +||cz-fightstore.m-shop.me^ +||cz-fitness007.m-shop.me^ +||cz-grafficon.m-shop.me^ +||cz-joealex.m-shop.me^ +||cz-laznejupiter.m-shop.me^ +||cz-myhealth.m-shop.me^ +||cz-newbag.m-shop.me^ +||cz-nobilistilia.m-shop.me^ +||cz-originalstore.m-shop.me^ +||cz-rekant.m-shop.me^ +||cz-rychleleky.m-shop.me^ +||cz-sasoo.m-shop.me^ +||cz-scootshop.m-shop.me^ +||cz-styx.m-shop.me^ +||cz-tattoomania.m-shop.me^ +||cz-topalkohol.m-shop.me^ +||cz-topgal.m-shop.me^ +||cz-trenyrkarna.m-shop.me^ +||cz-tropicliberec.m-shop.me^ +||cz-velkykosik.m-shop.me^ +||d-app.progressive.com^ +||d-snapshotapp.progressive.com^ +||d-staging.groc.press^ +||d.cybtel.com^ +||d.delahorro.app^ +||d.groc.press^ +||d.jugnoo.in^ +||d.mail.levi.com^ +||d.shopprecouriers.com^ +||d.stay-app.com^ +||d.whoscall.com^ +||d.xapcard.com^ +||d6ek.pandasuite.io^ +||dart.onjoyri.de^ +||dashboardbntest.branchcustom.xyz^ +||dba4.pandasuite.io^ +||ddlbr.timesclub.co^ +||de-metalshop.m-shop.me^ +||dealfastfood.openapp.link^ +||debug-inform.liilix.com^ +||debug-r.rover.com^ +||deep.mimizoo.dev^ +||deep.mlmtool.in^ +||deep.plant.chat^ +||deep.souk.com.br^ +||deeplink-app.olympia.nl^ +||deeplink-staging.tops.co.th^ +||deeplink.alpha.aspiration.com^ +||deeplink.api-sandbox.notarycam.com^ +||deeplink.app.notarycam.com^ +||deeplink.aspiration.com^ +||deeplink.autotrader.com.au^ +||deeplink.dashnow.my^ +||deeplink.estheticon.com^ +||deeplink.gocover.co.za^ +||deeplink.goodmeasures.com^ +||deeplink.instacartemail.com^ +||deeplink.intelligence.weforum.org^ +||deeplink.lamsaworld.com^ +||deeplink.locokids.cn^ +||deeplink.mobile360.io^ +||deeplink.newsandbox.notarycam.com^ +||deeplink.oxstreet.com^ +||deeplink.ring.md^ +||deeplink.supergreat.com^ +||deeplink.tytod.com^ +||deeplink.wagr.ai^ +||deeplink.wbnc.99array.com^ +||deeplink.winespectator.com^ +||deeplink.xeropan.com^ +||deeplinkdev.upoker.net^ +||deeplinks.amex.dynamify.com^ +||deeplinks.breaz.dynamify.com^ +||deeplinks.efeed.dynamify.com^ +||deeplinks.everyday.dynamify.com^ +||deeplinks.mindtickle.com^ +||deeplinks.myyogateacher.com^ +||deeplinks.pebblebee.com^ +||deeplinks.twelve.dynamify.com^ +||deeplinktest.yooture.info^ +||deeplinkuat.upoker.net^ +||delete-me-2.branchcustom.xyz^ +||delete-me.branchcustom.xyz^ +||delikoko.openapp.link^ +||delivery.email-pepipost.branch.rocks^ +||delivery.marketing.boutiqaat.com^ +||demo.gomi.do^ +||demojobsapp.epoise.com^ +||denver.thexlife.co^ +||descarga.veikul.com^ +||descargar.billeteramango.com^ +||descargar.telocompro.com.bo^ +||dev-app.insprd.co^ +||dev-business.stc.com.sa^ +||dev-deeplink.bigrichstore.com^ +||dev-dl.oneworldonesai.com^ +||dev-get.unhedged.com.au^ +||dev-get.wysa.uk^ +||dev-link.aira.io^ +||dev-link.getprizepool.com^ +||dev-link.myoptimity.com^ +||dev-share.beaconlearningapp.com^ +||dev-share.haloedapp.com^ +||dev-share.smartfashion.ai^ +||dev.getcontact.me^ +||dev.getemoji.me^ +||dev.gldn.io^ +||dev.go.levelbank.com^ +||dev.gomi.do^ +||dev.got-it.link^ +||dev.me.thequad.com^ +||dev.smartrbuyer.com^ +||dev.sswt.co^ +||development.me.thequad.com^ +||devlink.saganworks.com^ +||devlink.sprive.com^ +||devlink.thebpr.com^ +||devlinks.slicepay.in^ +||devtest.app-birdy.com^ +||devtest.cocoon.today^ +||dgd.okiela.com^ +||digicard.jollyhires.com^ +||digital.acutx.org^ +||dinocraft-test.animocabrands.com^ +||dinocraft.animocabrands.com^ +||direct.diarymuslim.com^ +||directions.mdanderson.org^ +||distiller.kano.link^ +||dl-dev.tablelist.com^ +||dl-dev.tytocare.com^ +||dl-qa.flipagram.com^ +||dl-qa.nonton.99array.com^ +||dl-stage.6tst.com^ +||dl-stage.zola.com^ +||dl-test.4buy.net^ +||dl-test.boutiqat.com^ +||dl-test.furni-shop.com^ +||dl-test.hadaaya.com^ +||dl-test.myathath.com^ +||dl-test.rivafashion.com^ +||dl.4buy.net^ +||dl.6thstreet.com^ +||dl.amazonmusic.com^ +||dl.autopay.eu^ +||dl.benefits.express-scripts.com^ +||dl.bimbaylola.com^ +||dl.booksy.com^ +||dl.boutiqaat.com^ +||dl.buildsafe.se^ +||dl.caavo.com^ +||dl.connectedboat.eu^ +||dl.correspondence.evernorth.com^ +||dl.dinngo.co^ +||dl.elaw.om^ +||dl.flipagram.com^ +||dl.flipkartwholesale.com^ +||dl.getdrivemark.com^ +||dl.grip.events^ +||dl.hadaaya.com^ +||dl.health-programs.express-scripts.com^ +||dl.klinq.com^ +||dl.mail.accredo.com^ +||dl.mail.express-scripts.com^ +||dl.manscore.com^ +||dl.nalbes.com^ +||dl.nekropol-khv.ru^ +||dl.oneworldonesai.com^ +||dl.orders.accredo.com^ +||dl.orders.express-scripts.com^ +||dl.popclub.co.in^ +||dl.purplle.com^ +||dl.right2vote.in^ +||dl.rivafashion.com^ +||dl.shopwell.com^ +||dl.tablelist.com^ +||dl.thebeat.co^ +||dl.tytocare.com^ +||dl.wooribank.com.kh^ +||dl.workindia.in^ +||dl.zola.com^ +||dl2.brandatt.com^ +||dldev.wooribank.com.kh^ +||dlh1.hilton.com^ +||dlink-staging.blueapron.com^ +||dlink.blueapron.com^ +||dlink.hsdyn.com^ +||dlink.upperinc.com^ +||dlp.egghead.link^ +||dls.guidrr.com^ +||dluat.pokerbros.net^ +||dluat.supremapoker.net^ +||do.exaai.chat^ +||do.usefireside.com^ +||domainbntest.branchcustom.xyz^ +||domino.flycl.ps^ +||download-staging.planify.io^ +||download.backpackergame.com^ +||download.bonnti.com^ +||download.coinseed.co^ +||download.connectie.com^ +||download.dackinc.com^ +||download.frolit.io^ +||download.getneema.com^ +||download.gravitus.com^ +||download.headhelp.io^ +||download.helponymous.com^ +||download.ibuzza.net^ +||download.innit.com^ +||download.joingofree.com^ +||download.kesh5.co.il^ +||download.kuailefun.com^ +||download.milkpot.com^ +||download.parkunload.com^ +||download.planify.io^ +||download.poolking.in^ +||download.quizdom.com^ +||download.quizdom.gr^ +||download.sendstack.africa^ +||download.sharexpere.com^ +||download.shiftsmart.com^ +||download.spotangels.com^ +||download.supercoating.com.hk^ +||download.wearelistening.co.nz^ +||download.withu.fit^ +||download.yuehlia.com^ +||download.zikirapp.com^ +||dp.tuex.ca^ +||drive.carpoollogistics.com^ +||drive.waitrapp.com^ +||driver.dctaxi.com^ +||driver.jugnoo.in^ +||e.e.themighty.com^ +||e.mail.levi.com^ +||e.shop.app^ +||e.synchronybank.com^ +||e.vcty.co^ +||e035.pandasuite.io^ +||e246.pandasuite.io^ +||e403.pandasuite.io^ +||eat.newtrina.com^ +||ebony.black.news^ +||edu.quizdom.gr^ +||educationlink.clear360.com^ +||ee93.pandasuite.io^ +||ef71.pandasuite.io^ +||elgreco.openapp.link^ +||elijah.tantawy.app^ +||elinks.dice.com^ +||em.getsimpleprints.com^ +||em.touchtunes.com^ +||em6802.musesapp.com^ +||email-activecampaign.branch.rocks^ +||email-activecampaign.keylyst.com^ +||email-adobe.branch.rocks^ +||email-appboy.branch.rocks^ +||email-betaout.branch.rocks^ +||email-bronto-stage.branch.rocks^ +||email-bronto.branch.rocks^ +||email-bss-new.branch.rocks^ +||email-campmon.branch.rocks^ +||email-cheetahmail.branch.rocks^ +||email-click-test-for-branch.vts.com^ +||email-clicks.vts.com^ +||email-cm.branch.rocks^ +||email-cordial.branch.rocks^ +||email-eloqua.branch.rocks^ +||email-emarsys.branch.rocks^ +||email-epsilon.branch.rocks^ +||email-full-sailthru.branch.rocks^ +||email-hubspot.branch.rocks^ +||email-icubespro.branch.rocks^ +||email-insider.branch.rocks^ +||email-iterable.branch.rocks^ +||email-klaviyo.branch.rocks^ +||email-link.mg-staging.surkus.com^ +||email-link.mg.surkus.com^ +||email-listrak.branch.rocks^ +||email-mailjet.branch.rocks^ +||email-mailup.branch.rocks^ +||email-mandrill.branch.rocks^ +||email-mandrill.id90travel.com^ +||email-marketo.branch.rocks^ +||email-messagegears.branch.rocks^ +||email-moengage.branch.rocks^ +||email-rapidmail.branch.rocks^ +||email-sailthru.branch.io^ +||email-selligent.branch.rocks^ +||email-sender.branch.rocks^ +||email-sendgrid.branch.rocks^ +||email-simple-sailthru.branch.rocks^ +||email-smartech.branch.rocks^ +||email-sp.branch.rocks^ +||email-staging.goodrx.com^ +||email-test.dmcperforma.com.br^ +||email-test.wirexapp.com^ +||email-vero.branch.rocks^ +||email-yesmail.branch.rocks^ +||email.agfuse.com^ +||email.app.theiconic.com.au^ +||email.branch.ninomail.com^ +||email.branchio.mg.kreezee.com^ +||email.chope.co^ +||email.clearscore.ca^ +||email.clearscore.co.za^ +||email.clearscore.com.au^ +||email.clearscore.com^ +||email.customerio.branch.rocks^ +||email.dev.mypopshop.app^ +||email.devishetty.com^ +||email.email-cusomerio.branch.rocks^ +||email.everyonesocial.apptio.com^ +||email.everyonesocial.bostonscientific.com^ +||email.everyonesocial.circle.com^ +||email.everyonesocial.colt.net^ +||email.everyonesocial.coupa.com^ +||email.everyonesocial.dykema.com^ +||email.everyonesocial.frontier.com^ +||email.everyonesocial.gumgum.com^ +||email.everyonesocial.hmausa.com^ +||email.everyonesocial.indeed.com^ +||email.everyonesocial.inmoment.com^ +||email.everyonesocial.integritystaffing.com^ +||email.everyonesocial.lexisnexisrisk.com^ +||email.everyonesocial.lumen.com^ +||email.everyonesocial.merckgroup.com^ +||email.everyonesocial.neat.no^ +||email.everyonesocial.ni.com^ +||email.everyonesocial.notarize.com^ +||email.everyonesocial.nuskin.com^ +||email.everyonesocial.rubrik.com^ +||email.everyonesocial.united.com^ +||email.everyonesocial.unity.com^ +||email.floatme.io^ +||email.fretello.com^ +||email.goodrx.com^ +||email.happ.social^ +||email.headsuphealth.com^ +||email.inteng-testing.com^ +||email.link.flipgive.com^ +||email.luminpdf.com^ +||email.mail.floatme.io^ +||email.member.theknot.com^ +||email.mg.everyonesocial.com^ +||email.mg.repuzzlic.com^ +||email.mg.test.everyonesocial.com^ +||email.msg.navyfederal.org^ +||email.msg.workday.com^ +||email.mypopshop.app^ +||email.pac-12.com^ +||email.pray.com^ +||email.qa.member.theknot.com^ +||email.reflectlyapp.com^ +||email.rentomojo.in^ +||email.rentomojo.org^ +||email.rentomojomailer.com^ +||email.shouta.co^ +||email.social.avasecurity.com^ +||email.social.f5.com^ +||email.social.qualtrics.com^ +||email.staging-link.flipgive.com^ +||email.strava.com^ +||email.thislife.com^ +||email.wingocard.com^ +||email.wirexapp.com^ +||email1.strava.com^ +||emailct.enfavr.com^ +||emailer45.clovinfo.com^ +||emails.ahctv.com^ +||emails.animalplanet.com^ +||emails.app.allcal.com^ +||emails.cookingchanneltv.com^ +||emails.destinationamerica.com^ +||emails.discoverygo.com^ +||emails.discoverylife.com^ +||emails.foodnetwork.com^ +||emails.hgtv.com^ +||emails.investigationdiscovery.com^ +||emails.motortrend.com^ +||emails.sciencechannel.com^ +||emails.shopupp.com^ +||emails.tlc.com^ +||emails.travelchannel.com^ +||emails.verishop.com^ +||emails.watchown.tv^ +||emb.soothe.com^ +||emlink.hermo.my^ +||emm.ca.puma.com^ +||emm.us.puma.com^ +||emsexam.quantresear.ch^ +||encuestas.billeteramango.com^ +||enroll.workforcewellness.com^ +||epoisejobs.epoise.com^ +||epoisepreptest.epoise.com^ +||espaniapizza.openapp.link^ +||espressoroom.openapp.link^ +||eu.gldn.io^ +||euapp.levi.com^ +||eureka-app.eurekaplatform.org^ +||event.spektare.com^ +||eventos.emkt.ingressorapido.com.br^ +||exchange.happ.social^ +||eximius.epoise.com^ +||exitachieve.myre.io^ +||expertsender.branch.rocks^ +||exprealty377.myre.io^ +||f.a23.in^ +||f928.pandasuite.io^ +||face2.ishoppingapp.com^ +||familydoctor-app.hotdoc.com.au^ +||familypractice-app.hotdoc.com.au^ +||fast.icars.cc^ +||fb.echovisuals.com^ +||feedback.campbellmetal.com^ +||feedback.imsmetals.com^ +||feedme.use-beez.com^ +||fetch.gethuan.com^ +||ff.pdf.ac^ +||fight.offtherecord.com^ +||fishing.daigostudio.com^ +||fleet-eml.postmates.com^ +||foodsouvlakibar.openapp.link^ +||fraudandcyberawareness.safeguard.hsbc.com^ +||friends.hyll.com^ +||fscareers.epoise.com^ +||fscareerstest.epoise.com^ +||ft.groc.press^ +||ftp.happ.social^ +||fullerton-app.hotdoc.com.au^ +||furnituredl.istaging.co^ +||fut.mondo.link^ +||g.getsimpler.me^ +||g.pathsha.re^ +||g.staging.pathsha.re^ +||g2048.rgluk.com^ +||g993dvyzae.branch.salesfloor.net^ +||ga.groc.press^ +||gallerysouvlakeri.openapp.link^ +||gawayez.e-postserv.com^ +||gb-asymbo.m-shop.me^ +||gear.echovisuals.com^ +||get-beta.kabbee.com^ +||get-dev.mastersapp.com^ +||get-lor.tacter.app^ +||get-stage.petdesk.com^ +||get-staging.even.com^ +||get-staging.iynk.com^ +||get-staging.soloyal.co^ +||get-test-employer.switchapp.com^ +||get-test.avakin.com^ +||get-test.livekick.com^ +||get-test.switchapp.com^ +||get.1tap.build^ +||get.1tap.io^ +||get.air-measure.com^ +||get.aivatar.co^ +||get.akim.bo^ +||get.amity.io^ +||get.atakama.com^ +||get.avakin.com^ +||get.babyalbum.com^ +||get.bambinoapp.com^ +||get.basicprint.co^ +||get.betheshyft.com^ +||get.biblechat.ai^ +||get.bigideas.club^ +||get.bizly.co^ +||get.buzzwallet.io^ +||get.call-levels.com^ +||get.catch.co^ +||get.cheapshot.co^ +||get.cityworthapp.com^ +||get.codehub.ninja^ +||get.conciergecare.app^ +||get.cryptocontrol.io^ +||get.dctaxi.com^ +||get.deplike.com^ +||get.emma-app.com^ +||get.endur.app^ +||get.even.com^ +||get.firstline.org^ +||get.flareapp.co^ +||get.found.app^ +||get.fudigo.com^ +||get.fullcourt.io^ +||get.getblood.com^ +||get.helloheart.com^ +||get.hiya.com^ +||get.homemealdeal.com^ +||get.howdy.co^ +||get.hugoapp.com^ +||get.ingomoney.com^ +||get.instalocum.com^ +||get.jan.ai^ +||get.jaranda.kr^ +||get.kabbee.com^ +||get.layer.com^ +||get.livekick.com^ +||get.loanzify.com^ +||get.lookout.com^ +||get.loopmobility.co^ +||get.lu.gg^ +||get.mastersapp.com^ +||get.medifi.com^ +||get.megastarfinancial.com^ +||get.miso.kr^ +||get.mistplay.com^ +||get.mndbdy.ly^ +||get.mojo.sport^ +||get.muchbetter.com^ +||get.myoyster.mx^ +||get.nala.money^ +||get.nfit.club^ +||get.noknok.co^ +||get.noonlight.com^ +||get.oneatwork.app^ +||get.openph.one^ +||get.peoople.app^ +||get.peoople.co^ +||get.plural.com^ +||get.pockit.com^ +||get.prapo.com^ +||get.printt.com^ +||get.printtapp.com^ +||get.prismapp.com^ +||get.pslove.com^ +||get.pslove.dev^ +||get.pulsega.me^ +||get.qapital.com^ +||get.recolor.info^ +||get.revolut.com^ +||get.reward.me^ +||get.riyazapp.com^ +||get.roomiapp.com^ +||get.sakay.ph^ +||get.schoolbuddy.app^ +||get.seedly.sg^ +||get.sidekick.health^ +||get.smart-guide.org^ +||get.snapask.com^ +||get.soloyal.co^ +||get.somontreal.ca^ +||get.speaky.com^ +||get.spenn.com^ +||get.spot.so^ +||get.staging.tellusapp.com^ +||get.starguide.app^ +||get.stationhead.com^ +||get.switchapp.com^ +||get.telexa.mn^ +||get.tellusapp.com^ +||get.thesmartapp.me^ +||get.toffapp.co^ +||get.tunableapp.com^ +||get.tunity.com^ +||get.utelly.com^ +||get.venmo.com^ +||get.vent.co^ +||get.vero.co^ +||get.vida.co^ +||get.videokits.com^ +||get.viggo.com^ +||get.viggo.energy^ +||get.watchcat.app^ +||get.wawa.games^ +||get.weme.sh^ +||get.wemoms.com^ +||get.wishmindr.com^ +||get.wyndy.com^ +||get.wysa.uk^ +||get.yellw.co^ +||get.yugengamers.com^ +||getapp.eltiempo.es^ +||getapp.joinleaf.com^ +||getapp.keepy.me^ +||getapp.marinemax.com^ +||getapp.myhappyforce.com^ +||getapp.priceza.com^ +||getdev.payso.ca^ +||getl4w.lookout.com^ +||gets.myoyster.mx^ +||gettunable.affinityblue.com^ +||geystikigonia.openapp.link^ +||gh.vsee.me^ +||ghd.vsee.me^ +||gi.inhaabit.com^ +||go-dev.callersmart.com^ +||go-dev.qantaswellbeing.com^ +||go-staging.qantaswellbeing.com^ +||go-test.bigspring.io^ +||go-test.goflux.de^ +||go-test.homepass.com^ +||go-test.karos.fr^ +||go-test.string.me^ +||go-test.tamed.fdm.dk^ +||go-test.wondavr.com^ +||go-uat.qantaswellbeing.com^ +||go.17app.co^ +||go.4010.ru^ +||go.4sq.com^ +||go.aero.com^ +||go.alpha.avant.com^ +||go.alphaapp.sharekey.com^ +||go.anifox.net^ +||go.app.sharekey.com^ +||go.asian.mingle.com^ +||go.askbee.my^ +||go.audacy.com^ +||go.augin.app^ +||go.aussie.mingle.com^ +||go.aussiesocial.innovatedating.com^ +||go.aussingles.ignite.technology^ +||go.avant.com^ +||go.backtest.io^ +||go.betql.co^ +||go.bigo.tv^ +||go.bilt.page^ +||go.blackppl.innovatedating.com^ +||go.bluecrewjobs.com^ +||go.bookmate.com^ +||go.booksy.com^ +||go.bouncie.com^ +||go.boxtiq.com^ +||go.brazil.innovatedating.com^ +||go.bro.social^ +||go.callersmart.com^ +||go.calo.app^ +||go.cardless.com^ +||go.cb-w.com^ +||go.channel.io^ +||go.checkncall.com^ +||go.cheerz.com^ +||go.chile.innovatedating.com^ +||go.china.innovatedating.com^ +||go.christsingles.mingle.com^ +||go.citizen.com^ +||go.clickipo.com^ +||go.colombia.innovatedating.com^ +||go.covoitici.fr^ +||go.cwtv.com^ +||go.dateinasia.innovatedating.com^ +||go.datingapp.mingle.com^ +||go.dev.hbnb.io^ +||go.dev.upnext.in^ +||go.devapp.sharekey.com^ +||go.develapme.com^ +||go.dgsta.com^ +||go.divorced.ignite.technology^ +||go.dngn.kr^ +||go.dreamgaragealabama.com^ +||go.driveclutch.com^ +||go.drivemyfreedom.com^ +||go.drivencarsallaccess.ca^ +||go.dubbi.com.br^ +||go.dutchbros.link^ +||go.ebat.es^ +||go.ebates.ca^ +||go.egypt.innovatedating.com^ +||go.emails.discoveryplus.com^ +||go.europe.mingle.com^ +||go.everfave.com^ +||go.ezidox.com^ +||go.faithfollow.com^ +||go.fem.mingle.com^ +||go.fiestabites.com^ +||go.filipinocupid.date^ +||go.filipinosingles.ignite.technology^ +||go.findaplayer.com^ +||go.findplay.it^ +||go.fitfusion.com^ +||go.flexwheels.com^ +||go.flipauto.com^ +||go.flipfit.com^ +||go.flyreel.co^ +||go.france.innovatedating.com^ +||go.freework.com^ +||go.frescofrigo.app^ +||go.frip.kr^ +||go.futupilot.com^ +||go.fyndi.ng^ +||go.gaia.com^ +||go.gaydate.ignite.technology^ +||go.gaysingles.ignite.technology^ +||go.germansingles.ignite.technology^ +||go.germany.innovatedating.com^ +||go.getcyclique.com^ +||go.getone.today^ +||go.ginmon.de^ +||go.gridwise.io^ +||go.hbnb.io^ +||go.hcmuaf.edu.vn^ +||go.heleman.org^ +||go.heybianca.co^ +||go.heyho.my^ +||go.holidayextras.co.uk^ +||go.homear.io^ +||go.homepass.com^ +||go.hongkong.innovatedating.com^ +||go.hongkongcupid.date^ +||go.huterra.com^ +||go.ibi.bo^ +||go.indo.innovatedating.com^ +||go.indonesiacupid.co^ +||go.insight.tv^ +||go.iran.innovatedating.com^ +||go.israel.innovatedating.com^ +||go.italy.innovatedating.com^ +||go.italysingles.ignite.technology^ +||go.japan.ignite.technology^ +||go.japan.innovatedating.com^ +||go.jillianmichaels.com^ +||go.jobtoday.com^ +||go.jsh.mingle.com^ +||go.justarrivd.com^ +||go.karos.fr^ +||go.kasa.co.kr^ +||go.keenvibe.com^ +||go.keenvibe.de^ +||go.korea.innovatedating.com^ +||go.koreacupid.co^ +||go.koreasingles.ignite.technology^ +||go.kvrma.net^ +||go.labonneadresse.ouest-france.fr^ +||go.lamour.ignite.technology^ +||go.lanemove.com^ +||go.latin.mingle.com^ +||go.latincupid.date^ +||go.lawly.app^ +||go.lbb.in^ +||go.leaf.fm^ +||go.lejour.com.br^ +||go.letspepapp.com^ +||go.lexuscompletesubscription.com^ +||go.lezsingles.ignite.technology^ +||go.list-it.ai^ +||go.llapac.com^ +||go.locosonic.com^ +||go.lukat.me^ +||go.lunchr.co^ +||go.majelan.com^ +||go.makwajy.com^ +||go.malay.innovatedating.com^ +||go.malaysiacupid.co^ +||go.malaysingles.ignite.technology^ +||go.mapstr.com^ +||go.mashable.com^ +||go.medicall.cc^ +||go.mercedesbenzsouthorlando.com^ +||go.merqueo.com^ +||go.mexicancupid.date^ +||go.mexico.innovatedating.com^ +||go.mindfi.co^ +||go.moka.ai^ +||go.muglife.com^ +||go.muslim.mingle.com^ +||go.muzz.com^ +||go.myfave.com^ +||go.mylike-app.com^ +||go.mytwc.com.au^ +||go.naratourapp.com^ +||go.netherlands.innovatedating.com^ +||go.noondate.com^ +||go.norway.innovatedating.com^ +||go.ondutydoc.com^ +||go.onecart.co.za^ +||go.onefc.com^ +||go.ortholive.com^ +||go.palpita.net^ +||go.panda-click.com^ +||go.panda.sa^ +||go.parents.mingle.com^ +||go.peak.net^ +||go.petmire.com^ +||go.piccolo.mobi^ +||go.picsart.com^ +||go.pinoy.innovatedating.com^ +||go.player2app.com^ +||go.poland.innovatedating.com^ +||go.polen-app.com^ +||go.porschedrive.com^ +||go.porscheparkingplus.com^ +||go.portfoliobyopenroad.com^ +||go.portugal.innovatedating.com^ +||go.power.trade^ +||go.powunity.com^ +||go.prealpha.avant.com^ +||go.prodapp.sharekey.com^ +||go.pubu.tw^ +||go.qantaswellbeing.com^ +||go.queer.ignite.technology^ +||go.rakuten.com^ +||go.rate.sh^ +||go.ratengoods.com^ +||go.real.co^ +||go.russia.innovatedating.com^ +||go.rzr.to^ +||go.saudiarabia.innovatedating.com^ +||go.seniorppl.mingle.com^ +||go.shokshak.com^ +||go.shop.app^ +||go.shoppremiumoutlets.com^ +||go.sirved.com^ +||go.skippy.ai^ +||go.smartjobr.com^ +||go.snipsnap.it^ +||go.socar.kr^ +||go.socar.my^ +||go.socialvenu.com^ +||go.southafrica.ignite.technology^ +||go.southafrica.innovatedating.com^ +||go.southafricacupid.co^ +||go.spain.innovatedating.com^ +||go.spot.com^ +||go.stagger.co^ +||go.staging.hbnb.io^ +||go.steps.me^ +||go.stgapp.sharekey.com^ +||go.streetbees.app^ +||go.stshr.co^ +||go.subaru-justdrive.com^ +||go.subscribe.mikealbert.com^ +||go.suiste.app^ +||go.sw.iftly.in^ +||go.sweet.io^ +||go.switzerland.innovatedating.com^ +||go.tab.com.au^ +||go.tamed.fdm.dk^ +||go.teepic.com^ +||go.teepik.com^ +||go.tellusapp.com^ +||go.test.mindfi.co^ +||go.test.shop.app^ +||go.thai.innovatedating.com^ +||go.tinder.com^ +||go.topicit.net^ +||go.trevo.my^ +||go.turkey.innovatedating.com^ +||go.twi.sm^ +||go.uae.innovatedating.com^ +||go.uk.innovatedating.com^ +||go.ukraine.innovatedating.com^ +||go.uksingles.ignite.technology^ +||go.unverbluemt.de^ +||go.usecaya.com^ +||go.venezuela.innovatedating.com^ +||go.viet.innovatedating.com^ +||go.voot.com^ +||go.voypost.com^ +||go.vsee.me^ +||go.wanna.com^ +||go.washland.ae^ +||go.webtoons.com^ +||go.weecare.co^ +||go.werbleapp.com^ +||go.whatchu.com^ +||go.wondavr.com^ +||go.worldwinner.com^ +||go.wu.com^ +||go.you-app.com^ +||go.zakatpedia.com^ +||go.zapyle.com^ +||go.zartoo.ir^ +||go.zebra.i-nox.de^ +||go.zoomex.com^ +||go.zvooq.com^ +||go2.letscliq.com^ +||goa.dngn.kr^ +||god.vsee.me^ +||godev.steps.me^ +||gone.pronhub.fun^ +||goseri-link.mysuki.io^ +||gotest.bouncie.com^ +||gotest.onecart.co.za^ +||gotest.onefc.com^ +||gotest.real.co^ +||gotest.taillight.com^ +||goto.nearlist.com^ +||goto.rosegal.com^ +||goto.zaful.com^ +||gotoaws.dresslily.com^ +||gotoaws.rosegal.com^ +||gotoaws.zaful.com^ +||gotoexp.dresslily.com^ +||gpplus-app.hotdoc.com.au^ +||gr.a23.in^ +||grc.openapp.link^ +||grn.openapp.link^ +||guardian-app.hotdoc.com.au^ +||guitarlearning.deplike.com^ +||guterrat.gaius.app^ +||gyradiko.openapp.link^ +||hanadev.branch.rocks^ +||hanastage.branch.rocks^ +||hanatest.branch.rocks^ +||harman.epoise.com^ +||harmantest.epoise.com^ +||harpra-companion-test.harvinar.com^ +||harpra-companion.harvinar.com^ +||hdu-deeplinks.mindtickle.com^ +||hello.ola.app^ +||hello.steadyapp.com^ +||hello.wellocution.com^ +||hf.forevernetworks.com^ +||hi.hipcamp.com^ +||hi.inhaabit.com^ +||hi.littlepixi.com^ +||hi.syllable.ai^ +||hi.wooribank.com^ +||hipizza.openapp.link^ +||hol.dir.tvsmiles.tv^ +||hootsuite.branch.rocks^ +||hop.dttd.app^ +||host.roxiapp.com^ +||hpark-adobe.branch.rocks^ +||hpark-beta-moengage.branch.rocks^ +||hpark-brazesp.branch.rocks^ +||hpark-iterable.branch.rocks^ +||hpark-iterable2.branch.rocks^ +||hpark-marketo.branch.rocks^ +||hpark.branch.rocks^ +||hparksendgrid.branch.rocks^ +||hparksendgridstage.branch.rocks^ +||hst2-invite.ander.ai^ +||hu-topgal.m-shop.me^ +||hubert.branch.rocks^ +||i-dev.villa.ge^ +||i-staging.villa.ge^ +||i.airtel.in^ +||i.appbox.me^ +||i.carry.bible^ +||i.degoo.com^ +||i.getemoji.me^ +||i.honk.me^ +||i.lf360.co^ +||i.live.xyz^ +||i.livexyz.com^ +||i.morons.us^ +||i.play.vividpicks.com^ +||i.poker2u.app^ +||i.pokerbros.net^ +||i.raise.me^ +||i.rttd.io^ +||i.sandbox.love^ +||i.shelf.im^ +||i.spyn.co^ +||i.temiz.co^ +||i.test.airtel.in^ +||i.toywords.games^ +||i.upoker.net^ +||ibf.smrtp.link^ +||igorsgtest.branch.rocks^ +||ilinks.petalcard.com^ +||ilpostoplus.openapp.link^ +||imagica.brain.ai^ +||imap.happ.social^ +||in.invitd.us^ +||in.upipr.co^ +||indir.boowetr.com^ +||indir.pembepanjur.com^ +||influencer.picklebutnotcucumber.com^ +||info.gyg.com.au^ +||inform.fsm.kz^ +||inform.liilix.com^ +||install.ibeor.com^ +||install.mushroomgui.de^ +||install.ottoradio.com^ +||install.playgpl.com^ +||install.pranavconstructions.com^ +||install.xchange.sabx.com^ +||int-shares.ri.la^ +||internet.degoo.com^ +||inv.mksp.io^ +||invest.rubicoin.com^ +||invitation.friendshipwallet.com^ +||invitation.mindbliss.com^ +||invitation.reyesmagos.app^ +||invitation.xmastimeapp.com^ +||invite-alternate.ritual.co^ +||invite-demo.easypark.net^ +||invite-sandbox.ritual.co^ +||invite-test.sadapay.pk^ +||invite.abra.com^ +||invite.airtabapp.com^ +||invite.ak-ecosystem.com^ +||invite.allflex.global^ +||invite.camfrog.com^ +||invite.carselonadaily.com^ +||invite.chalo.com^ +||invite.cippy.it^ +||invite.circleparties.com^ +||invite.coinmine.com^ +||invite.coinstats.app^ +||invite.colu.com^ +||invite.easypark.net^ +||invite.entrylevel.net^ +||invite.fashom.com^ +||invite.getwaitnot.com^ +||invite.gosunpro.com^ +||invite.gust.show^ +||invite.icars.cc^ +||invite.juke.ly^ +||invite.openhouse.study^ +||invite.paltalk.net^ +||invite.piceapp.com^ +||invite.ritual.co^ +||invite.sadapay.pk^ +||invite.supersonic.run^ +||invite.traktivity.com^ +||invite.trueteams.co^ +||invite.urbanclap.com^ +||invite.youmail.com^ +||invites.nospace.app^ +||io.piupiu.io^ +||iob.imgur.com^ +||ios.asktagapp.com^ +||ipn-app.hotdoc.com.au^ +||iqpizza.openapp.link^ +||iterable.convoy.com^ +||ivonitsa.openapp.link^ +||jhmkopen.minortom.net^ +||jobs.smpgn.co^ +||join-staging.kloaked.app^ +||join-test.pre-prod.spur.io^ +||join-test.step.com^ +||join.air.me^ +||join.airvet.com^ +||join.amorus.net^ +||join.asteride.co^ +||join.belive.sg^ +||join.blimp.homes^ +||join.callie.app^ +||join.deetzapp.com^ +||join.entrylevel.net^ +||join.evercoin.com^ +||join.fitgrid.com^ +||join.fusely.app^ +||join.gerak.asia^ +||join.getstarsapp.com^ +||join.haha.me^ +||join.homeyapp.net^ +||join.hu-manity.co^ +||join.hypercare.com^ +||join.kloaked.app^ +||join.lapse.app^ +||join.listmakerapp.com^ +||join.motion-app.com^ +||join.newtrina.com^ +||join.our-story.co^ +||join.parentlove.me^ +||join.pockit.com^ +||join.qa.fitgrid.com^ +||join.reakt.to^ +||join.schmooze.tech^ +||join.sizl.com^ +||join.slickapp.co^ +||join.spur.io^ +||join.staging.spur.io^ +||join.step.com^ +||join.stuypend.com^ +||join.talker.network^ +||join.thekrishi.com^ +||join.tlon.io^ +||join.travelxp.com^ +||join.vibely.io^ +||join.vtail.co^ +||joina.rune.ai^ +||joinb.rune.ai^ +||jp.ppgamingproxy.lol^ +||jumpto.use-beez.com^ +||jupiterhealth-app.hotdoc.com.au^ +||just.playvici.com^ +||k.itribe.in^ +||k50.rtl2.de^ +||k5app.byjus.com^ +||kamchatka-io.traveler.today^ +||kartik.devishetty.com^ +||kartik.devishetty.net^ +||kd.eland.kr^ +||keyes.myre.io^ +||kingnews.burgerking.co.za^ +||kl-branch-sandbox.thekono.com^ +||kl-branch.thekono.com^ +||kotopoulathanasis.openapp.link^ +||l-t.topya.com^ +||l-test.civic.com^ +||l-test.guesthug.com^ +||l.apna.co^ +||l.audibook.si^ +||l.azarlive.com^ +||l.bhaibandhu.com^ +||l.bigbasket.com^ +||l.biglion.ru^ +||l.brightside.com^ +||l.bspace.io^ +||l.civic.com^ +||l.claphere.com^ +||l.coastapp.com^ +||l.create.canva.com^ +||l.cultgear.com^ +||l.dev.audibook.si^ +||l.du.coach^ +||l.e.domain.com.au^ +||l.engage.canva.com^ +||l.getpyfl.com^ +||l.gocement.com^ +||l.gpay.to^ +||l.guesthug.com^ +||l.ialoc.app^ +||l.iamfy.co^ +||l.imax.com^ +||l.itribe.in^ +||l.jayshetty.me^ +||l.kodika.io^ +||l.lyfshort.com^ +||l.m.tradiecore.com.au^ +||l.mydoki.app^ +||l.myvoleo.com^ +||l.navx.co^ +||l.newnew.co^ +||l.nflo.at^ +||l.post2b.com^ +||l.prk.bz^ +||l.redcross.or.ke^ +||l.rovo.co^ +||l.siply.in^ +||l.sqrrl.in^ +||l.support.canva.com^ +||l.supremapoker.net^ +||l.t.domain.com.au^ +||l.thumbtack.com^ +||l.topya.com^ +||l.umba.com^ +||l.unfy.ai^ +||l.urban.com.au^ +||l.uvcr.me^ +||l.voalearningenglish.in^ +||l.voleousa.com^ +||l.whizzl.com^ +||l.workoutparty.co^ +||l.your.md^ +||lapescheria.openapp.link^ +||launch.aella.app^ +||launch.meetsaturn.com^ +||launch.vypr.it^ +||lb.billing01.email-allstate.com^ +||lb.marketing01.email-allstate.com^ +||lb.quote01.email-allstate.com^ +||lb.service01.email-allstate.com^ +||ldv.midoplay.com^ +||leak.welnes.online^ +||learn.infinitylearn.com^ +||learn.mywallst.app^ +||learn.rubicoin.com^ +||leb-app.diasporaid.com^ +||lets-dev.irl.com^ +||lets.instantify.it^ +||lets.playzingus.com^ +||lets.useflash.app^ +||lets.watcho.com^ +||level.badlandgame.com^ +||levi247.levi.com^ +||lhp-mortgage.loanzify.com^ +||li.rtl2.de^ +||link-acceptance.alan.com^ +||link-app-dev.agvisorpro.com^ +||link-app-preprod.agvisorpro.com^ +||link-app-staging.agvisorpro.com^ +||link-app.agvisorpro.com^ +||link-be-acceptance.alan.com^ +||link-be.alan.com^ +||link-beta.qonto.co^ +||link-ccontact.focuscura.com^ +||link-debug.killi.io^ +||link-dev.fandompay.com^ +||link-dev.gem.co^ +||link-dev.killi.io^ +||link-dev.sensemetrics.com^ +||link-dev.tradee.com^ +||link-es-acceptance.alan.com^ +||link-es.alan.com^ +||link-mind.alan.com^ +||link-partner.btaskee.com^ +||link-qc.trycircle.com^ +||link-staging.bestest.io^ +||link-staging.killi.io^ +||link-staging.samewave.com^ +||link-staging.viivio.io^ +||link-staging.youbooq.me^ +||link-test.360vuz.com^ +||link-test.avenue.us^ +||link-test.chalknation.com^ +||link-test.divcity.com^ +||link-test.external.wealth-park.com^ +||link-test.glide.com^ +||link-test.halal-navi.com^ +||link-test.hanpath.com^ +||link-test.ianacare.team^ +||link-test.steadio.co^ +||link-test.trendstag.com^ +||link-test.tumblbug.com^ +||link-web.tatadigital.com^ +||link.1112.com^ +||link.1800contacts.com^ +||link.24go.co^ +||link.321okgo.com^ +||link.360vuz.com^ +||link.3dbear.io^ +||link.7-eleven.vn^ +||link.abandonedmonkey.codes^ +||link.adhdinsight.com^ +||link.admin.kodakmoments.com^ +||link.afterpay.com^ +||link.ag.fan^ +||link.aioremote.net^ +||link.aira.io^ +||link.airfarm.io^ +||link.alan.com^ +||link.alerts.busuu.app^ +||link.allyapp.com^ +||link.altrua.icanbwell.com^ +||link.angel.com^ +||link.angelstudios.com^ +||link.animefanz.app^ +||link.announce.busuu.app^ +||link.antwak.com^ +||link.app.carrx.com^ +||link.app.dev.fixdapp.com^ +||link.app.fixdapp.com^ +||link.app.forhers.com^ +||link.app.hims.com^ +||link.app.medintegral.es^ +||link.app.notab.com^ +||link.appewa.com^ +||link.ascension-app.com^ +||link.atlys.com^ +||link.augmentedreality.jlg.com^ +||link.auraframes.com^ +||link.automated.almosafer.com^ +||link.avenue.us^ +||link.axshealthapp.com^ +||link.babyquip.com^ +||link.bambu.dev^ +||link.beebs.app^ +||link.beforekick.com^ +||link.beforespring.com^ +||link.bellu.gg^ +||link.bemachine.app^ +||link.bestest.io^ +||link.bigroom.tv^ +||link.bluecallapp.com^ +||link.blueheart.io^ +||link.bobmakler.com^ +||link.bodylove.com^ +||link.bolsanelo.com.br^ +||link.booknet.com^ +||link.booknet.ua^ +||link.booksy.com^ +||link.bounty.com^ +||link.broadly.com^ +||link.brottsplats-app.se^ +||link.btl.vin^ +||link.buddybet.com^ +||link.build.com^ +||link.bulbul.tv^ +||link.busuu.app^ +||link.buzzwallet.io^ +||link.californiapsychics.com^ +||link.capital-wellness.icanbwell.com^ +||link.captionwriter.app^ +||link.cardgamesbybicycle.com^ +||link.cardu.com^ +||link.careerfairplus.com^ +||link.carfax.com^ +||link.cargo.co^ +||link.cdl.freshly.com^ +||link.cerego.com^ +||link.chalknation.com^ +||link.cheerz.com^ +||link.chefsclub.com.br^ +||link.classicalradio.com^ +||link.cleaninglab.co.kr^ +||link.clearsky.jlg.com^ +||link.clever.menu^ +||link.clickipo.com^ +||link.clubmanagergame.com^ +||link.cluno.com^ +||link.cofyz.com^ +||link.collectivebenefits.com^ +||link.conio.com^ +||link.covve.com^ +||link.crazyquest.com^ +||link.creatively.life^ +||link.creditonemail.com^ +||link.crowdfireapp.com^ +||link.crumbl.com^ +||link.curious.com^ +||link.curve.com^ +||link.dana.id^ +||link.daryse.com^ +||link.dawriplus.com^ +||link.debatespace.app^ +||link.debatespace.io^ +||link.deliverr.ca^ +||link.design.unum.la^ +||link.dev-portal.icanbwell.com^ +||link.dev.appewa.com^ +||link.develapme.com^ +||link.developerinsider.co^ +||link.dinifi.com^ +||link.dior.com^ +||link.discotech.me^ +||link.dishcult.com^ +||link.district34.com^ +||link.doctorcareanywhere.com^ +||link.dongnealba.com^ +||link.doopage.com^ +||link.doppels.com^ +||link.dosh.cash^ +||link.dralilabolsanelo.com^ +||link.drum.io^ +||link.dubble.me^ +||link.dvendor.com^ +||link.e.blog.myfitnesspal.com^ +||link.easy.me^ +||link.edapp.com^ +||link.eksperience.net^ +||link.electroneum.com^ +||link.electrover.se^ +||link.em.sssports.com^ +||link.email.almosafer.com^ +||link.email.bnext.es^ +||link.email.myfitnesspal.com^ +||link.email.soothe.com^ +||link.email.tajawal.com^ +||link.emblyapp.com^ +||link.empleyo.com^ +||link.epmyalptest.com^ +||link.eventconnect.io^ +||link.evergreen-life.co.uk^ +||link.everlance.com^ +||link.evolia.com^ +||link.expiwell.com^ +||link.explorz.app^ +||link.extasy.com^ +||link.external.wealth-park.com^ +||link.fabulist.app^ +||link.faithplay.com^ +||link.fanfight.com^ +||link.fanzapp.io^ +||link.farm.seedz.ag^ +||link.favorited.com^ +||link.fieldcamp.com^ +||link.financie.online^ +||link.finfinchannel.com^ +||link.finnomena.com^ +||link.fitflo.app^ +||link.fitforbucks.com^ +||link.fjuul.com^ +||link.flickplay.co^ +||link.fn365.co.uk^ +||link.foodgroup.com^ +||link.foodi.fr^ +||link.foodiapp.com^ +||link.foodliapp.com^ +||link.foodnetwork.com^ +||link.forexhero.eu^ +||link.freetrade.io^ +||link.frescoymas.com^ +||link.fretello.com^ +||link.gamebrain.co.uk^ +||link.gem.co^ +||link.geo4.me^ +||link.geoparquelitoralviana.pt^ +||link.get.discovery.plus^ +||link.getamber.io^ +||link.getbaqala.com^ +||link.getcoral.app^ +||link.getdinr.com^ +||link.getfoodly.com^ +||link.getfxguru.com^ +||link.getoutpatient.com^ +||link.getremix.ai^ +||link.getsaturday.com^ +||link.getsendit.com^ +||link.getshortcut.co^ +||link.getsigneasy.com^ +||link.giide.com^ +||link.glicrx.com^ +||link.glide.com^ +||link.global.id^ +||link.globecar.app^ +||link.gokimboo.com^ +||link.gradeproof.com^ +||link.gradeviewapp.com^ +||link.granderota.riadeaveiro.pt^ +||link.gravio.com^ +||link.guoqi365.com^ +||link.halal-navi.com^ +||link.hallow.com^ +||link.happycar.info^ +||link.harveyssupermarkets.com^ +||link.hayhayapp.se^ +||link.hbogo.com^ +||link.hbonow.com^ +||link.hd.io^ +||link.heal.com^ +||link.healthbank.io^ +||link.heartbeathealth.com^ +||link.hello-au.circles.life^ +||link.hello-sg.circles.life^ +||link.hello.unum.la^ +||link.hello2-sg.circles.life^ +||link.hellobeerapp.com^ +||link.helloclue.com^ +||link.hermanpro.com^ +||link.hey.mypostcard.com^ +||link.heycloudy.co^ +||link.heyitsbingo.com^ +||link.heymiso.app^ +||link.hiccup.dev^ +||link.hivexchange.com.au^ +||link.hobbinity.com^ +||link.hola.health^ +||link.hugoapp.com^ +||link.huuu.ge^ +||link.hyre.no^ +||link.iabmexico.com.mx^ +||link.ianacare.team^ +||link.icecream.club^ +||link.igglo.com^ +||link.im.intermiles.com^ +||link.immobilienscout24.at^ +||link.imprint.co^ +||link.imumz.com^ +||link.individuology.com^ +||link.info.myfitnesspal.com^ +||link.inklusiv.io^ +||link.inoxmovies.com^ +||link.inploi.com^ +||link.insense.pro^ +||link.insider.in^ +||link.instabridge.com^ +||link.instaeats.com^ +||link.instnt.com^ +||link.invoiceowl.com^ +||link.itsdcode.com^ +||link.jawwy.tv^ +||link.jetsobee.com^ +||link.jetstar.com^ +||link.jig.space^ +||link.jitta.co^ +||link.jittawealth.co^ +||link.jmbl.app^ +||link.jobble.com^ +||link.joinswitch.co^ +||link.joinswoop.com^ +||link.joinworkpass.com^ +||link.justincase.jp^ +||link.keycollectorcomics.com^ +||link.kidfund.us^ +||link.kidzapp.com^ +||link.killi.io^ +||link.kindred.co^ +||link.kingsnews.whopper.co.za^ +||link.kitchnrock.com^ +||link.kofiz.ru^ +||link.kulina.id^ +||link.lcdg.io^ +||link.lead-out-app-staging.specialized.com^ +||link.lead-out-app.specialized.com^ +||link.legapass.com^ +||link.lendingtree.com^ +||link.letsdayout.com^ +||link.litnet.com^ +||link.localmasters.com^ +||link.lola.com^ +||link.lomolist.com^ +||link.loop11.com^ +||link.loopedlive.com^ +||link.loopslive.com^ +||link.loxclubapp.com^ +||link.loyalty.almosafer.com^ +||link.lpm.surkus.com^ +||link.lpt.surkus.com^ +||link.made.com^ +||link.mail.blidz.com^ +||link.mail.burgerking.ca^ +||link.mail.popsa.com^ +||link.mail.step.com^ +||link.mangoapp.com.py^ +||link.manutdfeed.com^ +||link.mark.app^ +||link.marketing.bleacherreport.com^ +||link.mbtihell.com^ +||link.medibuddy.app^ +||link.medium.com^ +||link.melissawoodhealth.com^ +||link.metronaut.app^ +||link.meumulti.com.br^ +||link.midnite.com^ +||link.million.one^ +||link.mindsetapp.com^ +||link.miratelemundo.com^ +||link.mix.com^ +||link.mixbit.com^ +||link.mixnpik.com^ +||link.mktg.almosafer.com^ +||link.mktg.tajawal.com^ +||link.mobstar.com^ +||link.modstylist.com^ +||link.morty.app^ +||link.mortyapp.com^ +||link.movespring.com^ +||link.moviemate.io^ +||link.mpg.football^ +||link.mpp.football^ +||link.mudrex.com^ +||link.mulliegolf.com^ +||link.mune.co^ +||link.muso.ai^ +||link.muuzzer.com^ +||link.myasnb.com.my^ +||link.mybridge.com^ +||link.myjourneypickleball.com^ +||link.myofx.eu^ +||link.myoptimity.com^ +||link.mypostcard.com^ +||link.mysuki.io^ +||link.mywallst.app^ +||link.nabla.com^ +||link.nate.tech^ +||link.nbcadmin.com^ +||link.nearpod.com^ +||link.neos.app^ +||link.never-missed.com^ +||link.news.bleacherreport.com^ +||link.news.clearpay.co.uk^ +||link.news.goeuro.com^ +||link.newsbeast.gr^ +||link.newspicks.us^ +||link.nextaveapp.com^ +||link.nextlevelsports.com^ +||link.nilclub.com^ +||link.notifications.busuu.app^ +||link.nutty.chat^ +||link.offers.kodakmoments.com^ +||link.olympya.com^ +||link.omghi.co^ +||link.onference.co^ +||link.onference.in^ +||link.onsight.librestream.com^ +||link.oomph.app^ +||link.orders.kodakmoments.com^ +||link.ottencoffee.co.id^ +||link.outgo.com.br^ +||link.outpatient.ai^ +||link.palletml.com^ +||link.pariksha.co^ +||link.patient.com^ +||link.pavilhaodaagua.pt^ +||link.payris.app^ +||link.payulatam.com^ +||link.pbrry.com^ +||link.pedidosonline.com^ +||link.perzzle.com^ +||link.phaze.io^ +||link.piesystems.io^ +||link.pillowcast.app^ +||link.place2biz.fr^ +||link.plaympe.com^ +||link.plazahogar.com.py^ +||link.pluckk.in^ +||link.plzgrp.it^ +||link.podercard.com^ +||link.point.app^ +||link.poputi.coffee^ +||link.portal.icanbwell.com^ +||link.pray.com^ +||link.prenuvo.com^ +||link.prokure.it^ +||link.pulsz.com^ +||link.purplebrick.io^ +||link.qa.bepretty.cl^ +||link.qa.heal.com^ +||link.qanva.st^ +||link.qeenatha.com^ +||link.qp.me^ +||link.quicktakes.io^ +||link.radiotunes.com^ +||link.rangde.in^ +||link.rc.faithplay.com^ +||link.rechat.com^ +||link.reflexhealth.co^ +||link.reklaimyours.com^ +||link.resy.com^ +||link.reuters.com^ +||link.revolut.com^ +||link.ride.specialized.com^ +||link.ride.staging.specialized.com^ +||link.ridewithvia.com^ +||link.ripple.thedacare.org^ +||link.rippling.com^ +||link.roomaters.com^ +||link.roveworld.xyz^ +||link.ruhgu.com^ +||link.saganworks.com^ +||link.samewave.com^ +||link.sandboxx.us^ +||link.saratogaocean.com^ +||link.savvy360.com^ +||link.sayferapp.com^ +||link.scoutfin.com^ +||link.seaflux.tech^ +||link.sendbirdie.com^ +||link.sendoutpost.com^ +||link.sensemetrics.com^ +||link.setyawan.dev^ +||link.sevencooks.com^ +||link.sheeriz.com^ +||link.shengcekeji.com^ +||link.shopbuo.com^ +||link.shopview.in^ +||link.shotgun.live^ +||link.shuffoe.com^ +||link.shutterfly.com^ +||link.sidechat.lol^ +||link.siftfoodlabels.com^ +||link.sixcycle.com^ +||link.skillacademy.org^ +||link.sluv.org^ +||link.smallcase.com^ +||link.smartrbuyer.com^ +||link.smile.com.au^ +||link.smokeandsoda.com^ +||link.snapfeet.io^ +||link.snaphabit.app^ +||link.snippz.com^ +||link.socar.my^ +||link.socash.io^ +||link.somm.io^ +||link.sooooon.com^ +||link.soultime.com^ +||link.space.ge^ +||link.sparrow.geekup.vn^ +||link.splittr.io^ +||link.sporthub.io^ +||link.sprive.com^ +||link.stabilitas.io^ +||link.staff.notab.com^ +||link.stage.easy.me^ +||link.staging.clearsky.jlg.com^ +||link.starshiphsa.com^ +||link.staycation.co^ +||link.staycircles.com^ +||link.steadio.co^ +||link.steezy.co^ +||link.stg.boxofficevr.com^ +||link.stg.imprint.co^ +||link.stickybeak.co^ +||link.stockalarm.io^ +||link.stockviva.com^ +||link.straitstimes.com^ +||link.stridekick.com^ +||link.studdy.ai^ +||link.stynt.com^ +||link.subscribly.com^ +||link.superlocal.com^ +||link.supermama.io^ +||link.superviz.com^ +||link.support.discovery.plus^ +||link.surbee.io^ +||link.swa.info^ +||link.swaypayapp.com^ +||link.swingindex.golf^ +||link.syfy-channel.com^ +||link.szl.ai^ +||link.t2o.io^ +||link.talescreator.com^ +||link.taptapapp.com^ +||link.target.com.au^ +||link.tastemade.com^ +||link.team.bnext.es^ +||link.team.bnext.io^ +||link.techmaxapp.com^ +||link.tempo.fit^ +||link.tenallaccess.com.au^ +||link.test.chalknation.com^ +||link.test.stickybeak.co^ +||link.testbook.com^ +||link.thejetjournal.com^ +||link.theprenatalnutritionlibrary.com^ +||link.thesecurityteam.rocks^ +||link.thisislex.app^ +||link.thue.do^ +||link.tigerhall.com^ +||link.tigerhall.isdemo.se^ +||link.tillfinancial.io^ +||link.togaapp.com^ +||link.tomoloyalty.com^ +||link.tomoloyaltysg.com^ +||link.touchtunes.com^ +||link.touchtunesmail.com^ +||link.tr.freshly.com^ +||link.tradee.com^ +||link.tradle.io^ +||link.tribeup.social^ +||link.truckerpath.com^ +||link.trycircle.com^ +||link.trymida.com^ +||link.trytaptab.com^ +||link.tubi.tv^ +||link.tul.io^ +||link.tumblbug.com^ +||link.tupinambaenergia.com.br^ +||link.tv.cbs.com^ +||link.uat.my.smartcrowd.ae^ +||link.ulive.chat^ +||link.up.com.au^ +||link.upperinc.com^ +||link.urbansitter.com^ +||link.us.paramountplus.com^ +||link.usa-network.com^ +||link.usechatty.com^ +||link.vavabid.fr^ +||link.velas.com^ +||link.vezeeta.com^ +||link.vibo.io^ +||link.victoriatheapp.com^ +||link.viivio.io^ +||link.viska.com^ +||link.voiapp.io^ +||link.volt.app^ +||link.vozzi.app^ +||link.wagerlab.app^ +||link.wait.nl^ +||link.wakatoon.com^ +||link.walem.io^ +||link.wappiter.com^ +||link.watchbravotv.com^ +||link.watchoxygen.com^ +||link.wazirx.com^ +||link.wearecauli.com^ +||link.weepec.com^ +||link.wefish.app^ +||link.wegowhere.com^ +||link.welcomeapp.se^ +||link.wetrade.app^ +||link.winndixie.com^ +||link.winwintechnology.com^ +||link.wisaw.com^ +||link.wix.app^ +||link.workmate.asia^ +||link.workwellnessinstitute.org^ +||link.worqout.io^ +||link.wow.ink^ +||link.xiahealth.com^ +||link.yesorno.bet^ +||link.yoodo.com.my^ +||link.youpickit.de^ +||link.your.storage^ +||link.yourway.burgerking.ca^ +||link.yuu.sg^ +||link.zikto.com^ +||link.zipsit.com^ +||link.zulily.com^ +||link.zurp.com^ +||link1.fanfight.com^ +||linkcmf.insights.md^ +||linkcmfdev.insights.md^ +||linkd.trybany.com^ +||linkdental.insights.md^ +||linkdentaldev.insights.md^ +||linkdev.sprive.com^ +||linker.lyrahealth.com^ +||linker.staging.lyrahealth.com^ +||linkhealth-app.hotdoc.com.au^ +||linking.venueapp-system.com^ +||linkort.insights.md^ +||linkortdev.insights.md^ +||linkprod.sprive.com^ +||links-anz.afterpay.com^ +||links-dev.letzbig.com^ +||links-dev.sandboxx.us^ +||links-dev.seed.co^ +||links-na.afterpay.com^ +||links-uk.clearpay.co.uk^ +||links.ab.soul-cycle.email^ +||links.agoratix.com^ +||links.ahctv.com^ +||links.alerts.depop.com^ +||links.alerts.forhims.com^ +||links.alerts.hims.com^ +||links.amiralearning.com^ +||links.animalplanet.com^ +||links.announce.touchsurgery.com^ +||links.aopcongress.com^ +||links.app.medintegral.es^ +||links.automated.almosafer.com^ +||links.aws.nexttrucking.com^ +||links.blueapron.com^ +||links.bookshipapp.com^ +||links.br.discoveryplus.com^ +||links.brickapp.se^ +||links.bubbloapp.com^ +||links.ca.discoveryplus.com^ +||links.campermate.com^ +||links.claphere.com^ +||links.colonelsclub.kfc.com^ +||links.comms3.jetprivilege.com^ +||links.communitycarehelp.com^ +||links.consultaapp.com^ +||links.cookingchanneltv.com^ +||links.customers.instacartemail.com^ +||links.dailypay.com^ +||links.damejidlo.cz^ +||links.danceinapp.com^ +||links.destinationamerica.com^ +||links.dev.rally.app^ +||links.development.danceinapp.com^ +||links.discovery.com^ +||links.discoverylife.com^ +||links.discoveryplus.com^ +||links.e.aecrimecentral.com^ +||links.e.aetv.com^ +||links.e.history.com^ +||links.e.historyvault.com^ +||links.e.lifetimemovieclub.com^ +||links.e.mylifetime.com^ +||links.e.wine.com^ +||links.earncarrot.com^ +||links.eatclub.com.au^ +||links.edm.noracora.com^ +||links.elmc.mylifetime.com^ +||links.em.aetv.com^ +||links.em.history.com^ +||links.em.mylifetime.com^ +||links.email.almosafer.com^ +||links.email.bravotv.com^ +||links.email.distrokid.com^ +||links.email.getgocafe.com^ +||links.email.getprizepool.com^ +||links.email.gianteagle.com^ +||links.email.greenlight.me^ +||links.email.nbc.com^ +||links.email.oxygen.com^ +||links.email.tajawal.com^ +||links.email.usanetwork.com^ +||links.emea.discoveryplus.com^ +||links.es.aecrimecentral.com^ +||links.evault.history.com^ +||links.extra.app^ +||links.fable.co^ +||links.fabletics.co.uk^ +||links.fabletics.com^ +||links.fabletics.de^ +||links.fabletics.es^ +||links.fabletics.fr^ +||links.feltapp.com^ +||links.fennel.com^ +||links.firecracker.me^ +||links.foodnetwork.com^ +||links.gamersafer.com^ +||links.gardyn.io^ +||links.gemspace.com^ +||links.getprizepool.com^ +||links.getupside.com^ +||links.glamsquad.com^ +||links.goodpup.com^ +||links.goveo.app^ +||links.grand.co^ +||links.h5.hilton.com^ +||links.h6.hilton.com^ +||links.hbe.io^ +||links.hgtv.com^ +||links.himoon.app^ +||links.hitrecord.org^ +||links.huckleberry-labs.com^ +||links.i.blueapron.com^ +||links.imcas.com^ +||links.impactwayv.com^ +||links.info.getgocafe.com^ +||links.info.gianteagle.com^ +||links.info.headspace.com^ +||links.info.kfc.com^ +||links.info.marketdistrict.com^ +||links.investigationdiscovery.com^ +||links.iopool.com^ +||links.joinhiive.com^ +||links.joinrooster.co.uk^ +||links.joro.app^ +||links.justfab.co.uk^ +||links.justfab.com^ +||links.justfab.de^ +||links.justfab.es^ +||links.justfab.fr^ +||links.keepitcleaner.com.au^ +||links.kha.com^ +||links.letzbig.com^ +||links.m.blueapron.com^ +||links.mail.stubhub.com^ +||links.marketing.getprizepool.com^ +||links.max.com^ +||links.mezurashigame.com^ +||links.mgmresorts.com^ +||links.motortrend.com^ +||links.myplace.co^ +||links.myvolly.com^ +||links.nbc.com^ +||links.nbcnews.com^ +||links.news.forhims.com^ +||links.news.hims.com^ +||links.nexttrucking.com^ +||links.notarize.com^ +||links.notifications.headspace.com^ +||links.official.vsco.co^ +||links.ohhey.depop.com^ +||links.openfit.com^ +||links.orders.kfc.com^ +||links.ottplay.com^ +||links.outskill.app^ +||links.own.tv^ +||links.oxstreet.com^ +||links.petpartner.co^ +||links.ph.discoveryplus.com^ +||links.picsart.com^ +||links.pinart.io^ +||links.pkrewards.com^ +||links.plated.com^ +||links.playon.tv^ +||links.quatreepingles.fr^ +||links.rally.app^ +||links.rathilpatel.com^ +||links.respilates.app^ +||links.riftapp.co^ +||links.riverratrounders.com^ +||links.samsclub.com^ +||links.schnucks.com^ +||links.sciencechannel.com^ +||links.seed.co^ +||links.sheroes.in^ +||links.shipt.com^ +||links.shoprunner.com^ +||links.shukran.com^ +||links.sidehide.com^ +||links.silverpop-email.branch.rocks^ +||links.sleep.com^ +||links.sleepscore.com^ +||links.sliceit.com^ +||links.slicepay.in^ +||links.soulsoftware.org^ +||links.sparkmail.branch.rocks^ +||links.staging-lifestepsapp.com^ +||links.stretchitapp.com^ +||links.subscribed.app^ +||links.sudokuplus.net^ +||links.swazzen.com^ +||links.sweet.io^ +||links.t.blueapron.com^ +||links.t.totallymoney.com^ +||links.t.wine.com^ +||links.teladoc.com^ +||links.thedyrt.com^ +||links.theinfatuation.com^ +||links.thephoenix.org^ +||links.thriveglobal.com^ +||links.tlc.com^ +||links.travelchannel.com^ +||links.tribe.fitness^ +||links.trutify.com^ +||links.tutorbin.com^ +||links.vestoapp.com^ +||links.vyzivovetabulky.sk^ +||links.weareher.com^ +||links.well.co^ +||links.wesponsored.com^ +||links.yayzy.com^ +||links.younify.tv^ +||links.younow.com^ +||links.yummly.com^ +||links2.chownowmail.com^ +||links2.fluent-forever.com^ +||links2.pillar.app^ +||linksbntest.branchcustom.xyz^ +||linkspine.insights.md^ +||linkspinedev.insights.md^ +||linktest.itsdcode.com^ +||linkto.driver.codes^ +||linktrace.diningcity.cn^ +||linkus.buddybet.com^ +||linkvet.insights.md^ +||linkvetdev.insights.md^ +||listen.trakks.com^ +||listen.tunein.com^ +||lk.parisfoodies.fr^ +||lk.vrstories.com^ +||lm.groc.press^ +||lnk-stg.welthee.com^ +||lnk-test.jointakeoff.com^ +||lnk.christmaslistapp.com^ +||lnk.culturetrip.com^ +||lnk.dgsta.com^ +||lnk.ernesto.it^ +||lnk.gleeph.net^ +||lnk.joinpopp.in^ +||lnk.jointakeoff.com^ +||lnk.most-days.com^ +||lnk.mostdays.com^ +||lnk.raceful.ly^ +||lnk.rush.gold^ +||lnk.welthee.com^ +||lnk2.patpat.com^ +||local-shares.ri.la^ +||location.imsmetals.com^ +||login.e-ticket.co.jp^ +||lotte.myomee.com^ +||lp.egghead.link^ +||lub-links.eyecue.io^ +||lw.b.inhaabit.com^ +||m-t.topya.com^ +||m-test.papertrail.io^ +||m.aecrimecentral.com^ +||m.aetv.com^ +||m.bell.ca^ +||m.bigroad.com^ +||m.bitmo.com^ +||m.bookis.com^ +||m.brain.ai^ +||m.d11.io^ +||m.dagym-manager.com^ +||m.dq.ca^ +||m.dq.com^ +||m.equinoxplus.com^ +||m.fontself.com^ +||m.fyi.tv^ +||m.giftry.com^ +||m.go4.io^ +||m.happ.social^ +||m.history.com^ +||m.historyvault.com^ +||m.ioicommunity.com.my^ +||m.irl.com^ +||m.irlmail.org^ +||m.jarvisinvest.com^ +||m.kaikuhealth.com^ +||m.lifetimemovieclub.com^ +||m.luckym.ca^ +||m.moomoo.com^ +||m.mylifetime.com^ +||m.natural.ai^ +||m.navi.com^ +||m.nxtgn.us^ +||m.origin.com.au^ +||m.papertrail.io^ +||m.pcmobile.ca^ +||m.petmire.com^ +||m.providers.alto.com^ +||m.realself.com^ +||m.rifird.com^ +||m.riipay.my^ +||m.rsvy.io^ +||m.shoppre.com^ +||m.shopprecouriers.com^ +||m.shoppreparcels.com^ +||m.showaddict.com^ +||m.suda.io^ +||m.topya.com^ +||m.varagesale.com^ +||m.vpc.ca^ +||m.wishmindr.com^ +||m1.stadiumgoods.com^ +||m2.washmen.com^ +||mac.macheq.com^ +||magic.freetrade.io^ +||mail.academyforconsciousleadership.net^ +||mail.blueapronwine.com^ +||mail.bravado.co^ +||mail.central.co.th^ +||mail.tops.co.th^ +||mail.wondery.com^ +||mail1.happ.social^ +||mail2.happ.social^ +||mailer.happ.social^ +||mailx.happ.social^ +||mallioras.openapp.link^ +||mandrillapp.zola.com^ +||mapp.biryanibykilo.com^ +||marceline.wantsext.me^ +||marketing.boostmi.com^ +||math.meistercody.com^ +||matrix.elecle.bike^ +||maui.shakaguide.com^ +||me.glamhive.com^ +||media.wave.qburst.com^ +||meinauto.hdd-dienste.de^ +||melodothogy.meng2x.com^ +||member-app.rightwayhealthcare.com^ +||members.atomcomplete.com^ +||merchant-app.th3rdwave.coffee^ +||merchant.libertycarz.com^ +||microsoft.eventionapp.com^ +||mikelperaia.openapp.link^ +||mit3app.3.dk^ +||mitt.3.se^ +||mitt3.3.se^ +||mk.appwebel.com^ +||mkt.wemakeprice.link^ +||ml.houzz.com^ +||mlinkdev.bookedout.com^ +||mlinks.fluz.app^ +||mlinks.helloalfred.com^ +||mm.openapp.link^ +||mobil.hry.yt^ +||mobile-event-alternative.cvent.me^ +||mobile-event-development.cvent.me^ +||mobile-event-staging.cvent.me^ +||mobile-event.cvent.me^ +||mobile.aspensnowmass.com^ +||mobile.bespontix.com^ +||mobile.bswift.com^ +||mobile.btgpactualdigital.com^ +||mobile.clickastro.com^ +||mobile.dat.com^ +||mobile.etiquetaunica.com.br^ +||mobile.everytap.com^ +||mobile.excedo.io^ +||mobile.expensify.com^ +||mobile.hippovideo.io^ +||mobile.locumprime.co.uk^ +||mobile.mailchimpapp.com^ +||mobile.reki.tv^ +||mobile.suiste.com^ +||mobiletest.aspensnowmass.com^ +||mobilize.tupinambaenergia.com.br^ +||mobwars-alternate.kano.link^ +||mobwars.kano.link^ +||money.clerkie.io^ +||monster.branch.rocks^ +||mousebusters.odencat.com^ +||mpakal.openapp.link^ +||msg.sqz.app^ +||mt.plateiq.com^ +||mtest.fontself.com^ +||mx.carfax.com^ +||mx.happ.social^ +||mx2.happ.social^ +||my-staging.villa.ge^ +||my-testing.tsgo.io^ +||my.bake-club.com^ +||my.blueprint-health.com^ +||my.fbird.co^ +||my.fynd.com^ +||my.gaius.app^ +||my.likeo.fr^ +||my.ndge.co^ +||my.nextgem.com^ +||my.powur.com^ +||my.showin.gs^ +||my.tsgo.io^ +||my.w.tt^ +||myapp.branch.rocks^ +||mymix.mixdevelopment.com^ +||mymix.mixtel.com^ +||mymix.mixtelematics.com^ +||myopia.gocheckkids.com^ +||mypowur.eyecue.io^ +||n.homepass.com^ +||nadelle.wantsext.me^ +||nala.headuplabs.com^ +||nasscom.epoise.com^ +||nasscomtest.epoise.com^ +||nbcnews.black.news^ +||nceexam.quantresear.ch^ +||nikitas.openapp.link^ +||nisaapp.nexus-dt.com^ +||norex-app.paihealth.no^ +||notice.hoopladigital.com^ +||notify.pray.com^ +||now.getwifireapp.com^ +||npr.black.news^ +||npteptptaexam.quantresear.ch^ +||ns1.happ.social^ +||nv.inhaabit.com^ +||o.catalyst.com.sa^ +||o.hmwy.io^ +||o.myomnicard.in^ +||oahu.shakaguide.com^ +||ochre-app.hotdoc.com.au^ +||on.allposters.com^ +||on.art.com^ +||on.hellostake.com^ +||one.appice.io^ +||one.godigit.com^ +||onelink.taptalk.io^ +||open-test.wynk.in^ +||open.ailo.app^ +||open.airtelxstream.in^ +||open.anghami.com^ +||open.bitcoinmagazine.app^ +||open.catchapp.mobi^ +||open.clerkie.io^ +||open.ditch.cash^ +||open.drivescore.com^ +||open.flow.com.mm^ +||open.fotition.com^ +||open.freeplayapp.com^ +||open.gaius.app^ +||open.getsigneasy.com^ +||open.homepass.com^ +||open.homey.app^ +||open.howbout.app^ +||open.kidu.com^ +||open.majelan.com^ +||open.melomm.com^ +||open.muze.chat^ +||open.novamoney.com^ +||open.speeko.co^ +||open.swapu.app^ +||open.theinnercircle.co^ +||open.ticketbro.com^ +||open.trakks.com^ +||open.uzitapp.com^ +||open.wynk.in^ +||openshop.m-shop.me^ +||oshp.io^ +||othanasis.openapp.link^ +||outdoor.theres.co^ +||oxqq.pandasuite.io^ +||p.cab.ua^ +||p3tq.pandasuite.io^ +||paramedicexam.quantresear.ch^ +||parentapp.byjus.com^ +||parents.app.playosmo.com^ +||partner-staging.miso.kr^ +||partner.librarius.com.ua^ +||partner.miso.kr^ +||partnerapp.kravein.com.au^ +||partnerapp.urbanclap.com^ +||partnerdev.extasy.com^ +||patrikios.openapp.link^ +||pay.truemoney.me^ +||payments.acutx.org^ +||paymentslink.dropp.cc^ +||pbm-email.rightwayhealthcare.com^ +||pdf.didgigo.com^ +||pe.txbe.at^ +||pergeroni.openapp.link^ +||pf.a23.in^ +||phlebotomyexam.quantresear.ch^ +||phoenix.thexlife.co^ +||phonetrack.hukumkaikka.in^ +||pint-dev-branch.airship.com^ +||pirateclan-alternate.kano.link^ +||pirateclan.kano.link^ +||pirounakia.openapp.link^ +||pitapan.openapp.link^ +||pitatisisminis.openapp.link^ +||pittaking.openapp.link^ +||pizzacamels.openapp.link^ +||pizzaexpress.openapp.link^ +||pizzaromea.openapp.link^ +||pl-topgal.m-shop.me^ +||play.ab05.bet^ +||play.b-t11.com^ +||play.colorplay.fun^ +||play.fanslide.com^ +||play.goldplay.me^ +||play.jdb888.club^ +||play.journey8.com^ +||play.maxgame.store^ +||play.nekobot.vip^ +||play.rheo.tv^ +||play.scavos.com^ +||play.skydreamcasino.net^ +||play.spdfun777.com^ +||play.spkr.com^ +||play.staging.underdogfantasy.com^ +||play.underdogfantasy.com^ +||play.waka8et.com^ +||play.wavelength.zone^ +||plv.geocomply.com^ +||poczta.happ.social^ +||pod.spoti.fi^ +||polis.openapp.link^ +||poll.pollinatepolls.com^ +||pool.onjoyri.de^ +||pool.onjoyride.com^ +||pop3.happ.social^ +||power.viggo.com^ +||prassas.openapp.link^ +||prasserie.openapp.link^ +||prealpha.go.levelbank.com^ +||premiumapp.byjus.com^ +||prenesi-mojm.mercator.si^ +||primary-app.hotdoc.com.au^ +||priority-app.hotdoc.com.au^ +||prismtest.epoise.com^ +||pro.bizportal.co.il^ +||pro.jig.space^ +||pro.pokerup.net^ +||production-link-ccontact.focuscura.com^ +||promo.cafexapp.com^ +||promo.gogo.org.ua^ +||promo.roadie.com^ +||promo.tops.co.th^ +||prunas.openapp.link^ +||psilikaki.openapp.link^ +||psmastersendgrid.branch.rocks^ +||psssaraki.openapp.link^ +||publish.tagstorm.com^ +||puzzle.spiriteq.com^ +||px.pandora.com^ +||pxsg.pandora.com^ +||q.skiplino.com^ +||qa-branch-app.liketoknow.it^ +||qa-brc.emails.rakuten.com^ +||qa-go.ebat.es^ +||qa-link.californiapsychics.com^ +||qa-prod.branch.rocks^ +||qaapp.forever21.com^ +||qbse.intuit.com^ +||qlp.egghead.link^ +||qr.juuice.com^ +||qr.printko.ro^ +||qrcode.visit-thassos.com^ +||qualitas-app.hotdoc.com.au^ +||quest.epoise.com^ +||question.snapiio.com^ +||questtest.epoise.com^ +||quick.openapp.link^ +||r-dev.urbansitter.net^ +||r.atlasearth.com^ +||r.blidzdeal.com^ +||r.cricbet.co^ +||r.cvglobal.co^ +||r.getcopper-dev.com^ +||r.getcopper.com^ +||r.guggy.com^ +||r.intimately.us^ +||r.morons.us^ +||r.onmyway.com^ +||r.phhhoto.com^ +||r.presspadnews.com^ +||r.rover.com^ +||r.sportsie.com^ +||racemanager-app.sapsailing.com^ +||randstad.epoise.com^ +||randstadtest.epoise.com^ +||rb.groc.press^ +||read.medium.com^ +||read.meistercody.com^ +||redditstream.arborapps.io^ +||redirect.cuballama.com^ +||redirect.indacar.io^ +||redirect.kataklop.com^ +||redirectdemoqpay.2c2p.com^ +||ref.elitehrv.com^ +||ref.mybb.id^ +||refer.chargerunning.com^ +||refer.dev.wagr.us^ +||refer.dragonfly.com.kh^ +||refer.gober.app^ +||refer.kheloapp.com^ +||refer.payluy.com.kh^ +||referral-ca.mixtiles.com^ +||referral.50fin.in^ +||referral.avena.io^ +||referral.mixtiles.com^ +||referral.monkitox.com^ +||referral.moonglabs.com^ +||referral.rvappstudio.com^ +||referral.setipe.com^ +||referral.upay.lk^ +||referral.yourcanvas.co^ +||referrals-test.ridealto.com^ +||referrals.getservice.com^ +||referrals.ridealto.com^ +||referrals.tradeapp.me^ +||referrals.zunify.me^ +||rel-link.californiapsychics.com^ +||relay.happ.social^ +||remaxmetro369.myre.io^ +||request.idangels.org^ +||resetpassword.surepetcare.io^ +||review.openapp.link^ +||rewards-my.greateasternlife.com^ +||rewards-sg.greateasternlife.com^ +||rimsha.viralof.online^ +||rl.finalprice.com^ +||rochelle.wantsext.me^ +||rooms.itsme.cool^ +||rooms.itsme.video^ +||roulette.abzorbagames.com^ +||routes.navibration.com^ +||rr.groc.press^ +||rtek-link.shares.social^ +||rx-test.capsulecares.com^ +||rx.capsulecares.com^ +||s-t.topya.com^ +||s.airgoat.com^ +||s.brin.io^ +||s.chatie.ai^ +||s.goat.com^ +||s.grabble.com^ +||s.grigora.com^ +||s.imagica.ai^ +||s.mygl.in^ +||s.myvoleo.com^ +||s.nextblock.sg^ +||s.salla.ps^ +||s.swishpick.com^ +||s.thebigfamily.app^ +||s.topya.com^ +||s.umba.com^ +||s.upoker.net^ +||s.utop.vn^ +||safepass.citizen.com^ +||safetravelsapp.progressive.com^ +||sailinsight-app.sapsailing.com^ +||sailinsight20-app.sapsailing.com^ +||sales.pandasuite.io^ +||saltsabar.openapp.link^ +||sbc-app-links.specialized.com^ +||scanner-link.covve.com^ +||scheduling.qualifi.hr^ +||securefamilylink.wireless.att.com^ +||see.yousoon.com^ +||sefkal.openapp.link^ +||selectjeeps.acutx.org^ +||selftour.walk.in^ +||sellerapp.musely.com^ +||send.merit.me^ +||send.preply.com^ +||sendgrid.employeelinkapp.com^ +||sendpulsenewtest.branch.rocks^ +||sendpulsetest.branch.rocks^ +||sense.cliexa.com^ +||sephora-qa.branch.rocks^ +||sephora-qa.branchstaging.com^ +||setup.physiapp.com^ +||sex.viralof.online^ +||sf-test.groc.press^ +||sf.groc.press^ +||sf4567w2a56q.branch.salesfloor.net^ +||sf5q8gbnve37.branch.salesfloor.net^ +||sg.carousellmotors.com^ +||sg3.notarize.com^ +||sh.b.inhaabit.com^ +||share-backcountry.onxmaps.com^ +||share-dev.perchwell.com^ +||share-dev1.sparemin.com^ +||share-hunt.onxmaps.com^ +||share-idi.dailyrounds.org^ +||share-local.sparemin.com^ +||share-staging.perchwell.com^ +||share-stg1.sparemin.com^ +||share-test.goswaggle.com^ +||share-test.tessie.com^ +||share-test.travelloapp.com^ +||share-test.usehamper.com^ +||share.1stphorm.app^ +||share.appdater.mobi^ +||share.appsaround.net^ +||share.appwinit.com^ +||share.atlantic.money^ +||share.aynrand.org^ +||share.beaconlearningapp.com^ +||share.bitzer.app^ +||share.blindside.pro^ +||share.bookey.app^ +||share.boostorder.com^ +||share.bttl.me^ +||share.ccorl.com^ +||share.check-ins.com.my^ +||share.cjcookit.com^ +||share.coupangeats.com^ +||share.dailyrounds.in^ +||share.drinki.com^ +||share.dunzo.in^ +||share.dusk.app^ +||share.eleph.app^ +||share.elixirapp.co^ +||share.elsanow.io^ +||share.entertainment.com^ +||share.finory.app^ +||share.flickasa.com^ +||share.foxtrotco.com^ +||share.furaha.co.uk^ +||share.getthatlemonade.com^ +||share.gleeph.net^ +||share.glorify-app.com^ +||share.gobx.com^ +||share.goswaggle.com^ +||share.haloedapp.com^ +||share.headliner.app^ +||share.helpthyneighbour.com^ +||share.heypubstory.com^ +||share.jisp.com^ +||share.jobeo.net^ +||share.jugnoo.in^ +||share.kamipuzzle.com^ +||share.keeano.com^ +||share.ksedi.com^ +||share.liv.rent^ +||share.mansi.io^ +||share.marrow.com^ +||share.moonlightcake.com^ +||share.mooodek.com^ +||share.mzaalo.com^ +||share.nearpod.us^ +||share.oneway.cab^ +||share.oppvenuz.com^ +||share.oyorooms.com^ +||share.palletml.com^ +||share.passportpower.app^ +||share.perchwell.com^ +||share.platoonline.com^ +||share.quin.cl^ +||share.quizizz.com^ +||share.rapfame.app^ +||share.realcrushconnection.com^ +||share.ridehip.com^ +||share.robinhood.com^ +||share.savvy-navvy.com^ +||share.scoreholio.com^ +||share.sharafdg.com^ +||share.sliver.tv^ +||share.soundit.com^ +||share.sparemin.com^ +||share.squadx.online^ +||share.stayplus.com^ +||share.stiya.com^ +||share.supp.film^ +||share.swishpick.com^ +||share.talkit.app^ +||share.tessie.com^ +||share.theladbible.com^ +||share.titanvest.com^ +||share.tops.co.th^ +||share.tornado.com^ +||share.tp666.vip^ +||share.tradeapp.me^ +||share.travelloapp.com^ +||share.vomevolunteer.com^ +||share.wayup.com^ +||share.wigle.me^ +||share.winit.nyc^ +||share.wolfspreads.com^ +||share.worldleaguelive.com^ +||share.yabelink.com^ +||share.yugengamers.com^ +||share2.360vuz.com^ +||shared.jodel.com^ +||sharedev.passportpower.app^ +||sharelink.oppvenuz.com^ +||sharen.oyorooms.com^ +||sharing.kptncook.com^ +||shell-recharge.tupinambaenergia.com.br^ +||sheregesh-io.traveler.today^ +||shop.myaeon2go.com^ +||shoppers-test.instacartemail.com^ +||shoppers.instacartemail.com^ +||shoppingapp.norwex.com^ +||short.afgruppen.no^ +||short.isdev.info^ +||showcase.inhaabit.com^ +||sign.use-neo.com^ +||sk-batteryimport.m-shop.me^ +||sk-sanasport.m-shop.me^ +||sk-topgal.m-shop.me^ +||skaffa.tidyapp.se^ +||skincheckwa-app.hotdoc.com.au^ +||skosgrill.openapp.link^ +||sl.trycircle.com^ +||slotabrosdev.zharev.com^ +||slotabrosuat.zharev.com^ +||sm-test.groc.press^ +||sm.groc.press^ +||sm.sylectus.com^ +||smbranch.nc.mails.sssports.com^ +||sms-vbs.branch.rocks^ +||sms.3.se^ +||sms.uphabit.com^ +||smtp.happ.social^ +||smtp2.happ.social^ +||smtpauth.happ.social^ +||snapshotapp.progressive.com^ +||snowman.odencat.com^ +||social.talenttitan.com^ +||social.tinyview.com^ +||socialflow.branch.rocks^ +||sp-app.fixly.pl^ +||splitexpenses.oworld.fr^ +||spread.epoolers.com^ +||ss.silkandsonder.com^ +||ssltest2.branch.io^ +||stadac.mobilapp.io^ +||stageapplink.reki.tv^ +||stagelink.lola.com^ +||stagelink.supershare.com^ +||stagelink.youareaceo.com^ +||staging-c.vcty.co^ +||staging-go.getsquire.com^ +||staging-link-ccontact.focuscura.com^ +||staging-link.docyt.com^ +||staging-link.kol.store^ +||staging-links.thriveglobal.com^ +||staging-refer.rooam.co^ +||staging.findeck.link^ +||staging.link.findeck.de^ +||staging.narrateapp.com^ +||staging.refer.wagr.us^ +||starchild.odencat.com^ +||starify.appsonic.fr^ +||start.hearsaysocial.com^ +||start.luscii.com^ +||start.ramp.com^ +||status.acutx.org^ +||stg-bnc-papago.naver.com^ +||stg-deeplink.ring.md^ +||store.echovisuals.com^ +||store.esquirrel.at^ +||studio.joinsalut.com^ +||subito.openapp.link^ +||summary.instaread.co^ +||super8-link.mysuki.io^ +||surpreendaapp.hanzo.com.br^ +||swa.anydma.com^ +||sxarakia.openapp.link^ +||t.bztest.origin.com.au^ +||t.comms.thetimes.co.uk^ +||t.discover.kayosports.com.au^ +||t.ecomms.origin.com.au^ +||t.haha.me^ +||t.hmwy.io^ +||t.icomms.origin.com.au^ +||t.newsletter.thetimes.co.uk^ +||t.prod1.discover.binge.com.au^ +||t.service.thetimes.co.uk^ +||t.staging-mail.tabcorp.com.au^ +||t.twenty.co^ +||t.vrbo.io^ +||t1.benefits.tops.co.th^ +||t1.discover.flashnews.com.au^ +||t1.stadiumgoods.com^ +||t2.click.subway.com^ +||tagourounakia.openapp.link^ +||talent.roxiapp.com^ +||talentsprint.epoise.com^ +||talk-test.stitch.cam^ +||talk.stitch.cam^ +||tally.bizanalyst.in^ +||tamedbc.roska.fr^ +||tap.carling.com^ +||tasteeat.openapp.link^ +||tba.smrtp.link^ +||td.emails.domain.com.au^ +||teen.zubie.com^ +||test-app.getgifted.com^ +||test-app.popsa.com^ +||test-app.thetimes.link^ +||test-applink.batterii.com^ +||test-b.todaytix.com^ +||test-eml.postmates.com^ +||test-fleet-eml.postmates.com^ +||test-link-ccontact.focuscura.com^ +||test-link.californiapsychics.com^ +||test-link.electrover.se^ +||test-link.foodiapp.com^ +||test-link.hellobeerapp.com^ +||test-link.payulatam.com^ +||test-link.rmbr.in^ +||test-link.stabilitas.io^ +||test-link.touchsurgery.com^ +||test-link.tradle.io^ +||test-link.volt.app^ +||test-links.cpgdata.com^ +||test-links.dipdip.com^ +||test-links.yelsa.app^ +||test-listen.tunein.com^ +||test-share.glorify-app.com^ +||test-starify.appsonic.fr^ +||test.asteride.co^ +||test.bilt.page^ +||test.customers.instacartemail.com^ +||test.emails.discovery.com^ +||test.fbird.co^ +||test.findeck.link^ +||test.findplay.it^ +||test.handy-alarm.com^ +||test.links.emails.br.discoveryplus.com^ +||test.links.emails.ca.discoveryplus.com^ +||test.links.emails.discoveryplus.com^ +||test.links.emails.emea.discoveryplus.com^ +||test.links.emails.ph.discoveryplus.com^ +||test.open.ggwpacademy.com^ +||test.openapp.link^ +||test.pooler.io^ +||test.smrtp.link^ +||test.spenn.com^ +||test.swa.info^ +||test.thei.co^ +||test2.majelan.com^ +||testbnc.mksp.io^ +||testbranch.onsequel.com^ +||testgo.huterra.com^ +||testing.news.forhers.com^ +||testing.news.forhims.com^ +||testing.news.hims.com^ +||testlink.blueheart.io^ +||testlink.droppin.us^ +||testlink.kidzapp.com^ +||testlink.peak.net^ +||testlink.saganworks.com^ +||testlink.urban.com.au^ +||testlink.victoriatheapp.com^ +||testlinks.ottplay.com^ +||testlinks.sliceit.com^ +||testreferral.upay.lk^ +||testsocial.eduthrill.com^ +||thanecityfc.spyn.co^ +||theme.echovisuals.com^ +||theroot.black.news^ +||thesource.black.news^ +||thraka.openapp.link^ +||timeclock.mytoolr.com^ +||tmapp.fitnessyard.com^ +||tmpbr.getgifted.com^ +||tmvasapp.fitnessyard.com^ +||to.4sq.com^ +||to.5mins.ai^ +||to.card.com^ +||to.degree.plus^ +||to.figr.me^ +||to.golfn.app^ +||to.quit.guru^ +||to.skooldio.com^ +||to.stynt.com^ +||to.uptime.app^ +||tommys.openapp.link^ +||tongkhohangnhat.abphotos.link^ +||top3.inhaabit.com^ +||toto.pandasuite.io^ +||trac.roomster.com^ +||track-mail.homage.co^ +||track-test.workframe.com^ +||track.cafu.com^ +||track.gleeph.net^ +||track.ivia.com^ +||track.newsplug.com^ +||track.roomster.com^ +||track.spothero.com^ +||track.workframe.com^ +||tracking.email-mandrill.pushd.com^ +||tracking.laredoute.fr^ +||tracking.sp.sofi.com^ +||tracking.staging.goshare.co^ +||tracks.roomster.com^ +||transmissionapp.jacoblegrone.com^ +||travel.stage.x.unikoom.com^ +||travel.x.unikoom.com^ +||trk-branch.balinea.com^ +||trk.bc.shutterfly.com^ +||trk.e.underarmour.com^ +||trk.flipfit.com^ +||trk.geico.com^ +||trk.luisaviaroma.com^ +||trk.s.sephora.com^ +||trk.send.safestyle.com.au^ +||trk.shoppremiumoutlets.com^ +||trk.squeezemassage.com^ +||trk.underarmour.com^ +||trk.us.underarmour.com^ +||trkemail.luisaviaroma.com^ +||trklink.luisaviaroma.com^ +||try.jaranda.kr^ +||try.joonapp.io^ +||try.popchart.family^ +||try.postmuseapp.com^ +||tsp.onjoyri.de^ +||tst-link-ccontact.focuscura.com^ +||tune.sckmediatv.com^ +||tw.spiriteq.com^ +||txt.appcity.com.au^ +||txt.fuelmyclub.com^ +||txt.hooplaguru.com^ +||txt.htltn.com^ +||txt.shopbanquet.com^ +||txt.showings.com^ +||txt.styr.com^ +||u-test.getgoose.com^ +||u.getgoose.com^ +||u.salony.com^ +||uat-client.belairdirect.com^ +||uat-client.intact.ca^ +||uat-client.nbc-insurance.ca^ +||uat-link.covve.com^ +||uat-scanner-link.covve.com^ +||uatrewards-my.greateasternlife.com^ +||uatrewards-sg.greateasternlife.com^ +||uatshare.entertainment.com^ +||ujvh.pandasuite.io^ +||uni.okane-reco-plus.com^ +||universal.okane-reco-plus.com^ +||universal.shakaguide.com^ +||universaldev.taylormadegolf.com^ +||unsubscribe.openapp.link^ +||uptvmovies.uptv.com^ +||ur.b.inhaabit.com^ +||url.density.exchange^ +||url1020.keycollectorcomics.com^ +||url1445.affirm.com^ +||url1451.careerkarma.info^ +||url1741.linktr.ee^ +||url1981.jhutnick.tantawy.app^ +||url2031.lemonaidhealth.com^ +||url2556.matthewherman.tantawy.app^ +||url259.artcollection.io^ +||url2987.affirm.com^ +||url3009.onbunches.com^ +||url3630.newsletter.experience-muse.com^ +||url3788.blazepizza.com^ +||url4142.dev.att.llabs.io^ +||url4324.affirm.ca^ +||url4324.affirm.com^ +||url485.yourname.tantawy.app^ +||url5290.dev-portal.icanbwell.com^ +||url6013.qa-app11-sendgrid.branch.rocks^ +||url6035.clay-sendgrid-test.branch.rocks^ +||url6143.branch.rocks^ +||url6146.bastien.tantawy.app^ +||url6514.affirm.com^ +||url6633.ana.tantawy.app^ +||url6933.email.marcon.au^ +||url7061.support.1dental.com^ +||url7542.fluz.app^ +||url7674.fitgenieapp.com^ +||url8196.mindrise.app^ +||url8258.jshek.branch.rocks^ +||url9609.account.experience-muse.com^ +||use.fvr.to^ +||use.lunos.app^ +||users.rentbabe.com^ +||v-t.topya.com^ +||v.angha.me^ +||v.cameo.com^ +||v.minu.be^ +||v.myvoleo.com^ +||v.topya.com^ +||vcs.kensington.my^ +||ve.velocityclinical.com^ +||verify.spin.app^ +||verify.test.spin.app^ +||verizon-branch.locationlabs.com^ +||video.bzfd.it^ +||video.vitcord.com^ +||viewer.pandasuite.io^ +||vikingclan.kano.link^ +||vip.agentteam.com.au^ +||visit.campermate.com^ +||visit.sendheirloom.com^ +||voeux2020.wearemip.com^ +||vote.speaqapp.com^ +||votedotorg.outvote.io^ +||votejoe.outvote.io^ +||vr.mttr.pt^ +||vr.vivareal.com^ +||vrasto.openapp.link^ +||vrcamdl.istaging.com^ +||vrcamdltest.istaging.com^ +||vtneexam.quantresear.ch^ +||wallet.chain.com^ +||wap.mylifetime.com^ +||watch.jawwy.tv^ +||watch.stctv.com^ +||watch.vipa.me^ +||wave.getonthewave.com^ +||we.kurly.com^ +||web.givingli.com^ +||webmail.happ.social^ +||webtoons.naver.com^ +||welcome.peek.com^ +||whatcounts.branch.rocks^ +||wl.bl.frequentvalues.com.au^ +||won.wooribank.com^ +||wop-bio.ubiwhere.com^ +||worker-app-dev.buildforce.com^ +||worker-app-staging.buildforce.com^ +||worker-app.buildforce.com^ +||wpunkt.newsweek.pl^ +||wsfc-t.topya.com^ +||wsfc.topya.com^ +||www.branch.rocks^ +||www.getone.today^ +||www.vetxanh.edu.vn^ +||www1.happ.social^ +||x.gldn.io^ +||x.xtar.io^ +||x88s.pandasuite.io^ +||y-t.topya.com^ +||y.topya.com^ +||yiyemail.branch.rocks^ +||yo.inbots.online^ +||you.pixellot.link^ +||you.stage.pixellot.link^ +||youate.co^ +||your.tmro.me^ +||yummylink.funcapital.com^ +||z.inlist.com^ +||zelle.odencat.com^ +||zombieslayer-alternate.kano.link^ +||zombieslayer.kano.link^ +! -----------------International individual tracking systems-----------------! +! *** easylist:easyprivacy/easyprivacy_specific_international.txt *** +! German +||1438976156.recolution.de^ +||20min.ch/ana/ +||aachener-zeitung.de/zva/drive.js +||absys.web.de^ +||aerzteblatt.de/inc/js/ga4.js +||agnes.waz.de^ +||analytics.adliners.de^ +||analytics.daasrv.net^ +||analytics.deutscher-apotheker-verlag.de^ +||analytics.moviepilot.de^ +||arlt.com/analytics/ +||arte.tv/log-player/ +||as.mirapodo.de^ +||as.mytoys.de^ +||as.yomonda.de^ +||autoscout24.de^$ping +||basicthinking.de/stats/ +||behave.sn.at^ +||berliner-stadtplan.com/t.gif +||bilder11.markt.de^ +||blogmura.com/js/*/gtag-event- +||braunschweiger-zeitung.de/stats/ +||buzzfeed.at/bi/bootstrap/ +||buzzfeed.de/bi/bootstrap/ +||bz-berlin.de/_stats/ +||chartsurfer.de/js/mtm.js +||chartsurfer.de/uscoll.php? +||chefkoch-cdn.de/agf/agf.js +||chefkoch.de/search/tracking/ +||chefkoch.de/tracking/ +||cinestar.de/collect/ +||click.alternate.de^ +||cmp2.channelpartner.de^ +||cnt.wetteronline.de^ +||comparis.ch/comparis/Tracking/ +||computerbase.de/analytics +||computerbase.de/api2/$ping,xmlhttprequest +||cp.finanzfrage.net/stats +||cpx.golem.de^ +||cpxl.golem.de^ +||d.rp-online.de^ +||dasoertliche.de/js/liwAnalytics.js +||data.sportdeutschland.tv^ +||dd.betano.com^ +||dein-plan.de/t.gif +||deine-tierwelt.de/ajax/responsive/stats.php? +||dejure.org/cgi-bin/sitzung.fcgi? +||derwesten.de/stats/ +||dforum.net/counter/ +||dv.chemie.de^ +||ens.luzernerzeitung.ch^ +||ens.nzz.ch^ +||ens.tagblatt.ch^ +||epimetheus.navigator.web.de^ +||epochtimes.de/mp/track/ +||event-collector.prd.data.s.joyn.de^ +||events.limango.com^ +||fc.vodafone.de^ +||fotocommunity.de/track/ +||fpoe.at/tracker/ +||froglytics.eventfrog.ch^ +||gegenstimme.tv/tracker/ +||geoip.finanzen.net^ +||glomex.com^$ping +||gmx.net/monitoring/ +||golem.de/staticrl/scripts/golem_cpxl_ +||hamburger-stadtplan.com/t.gif +||hannover-stadtplan.com/t.gif +||happysex.ch/app_jquery/Tracking.js +||hartgeld.com/cgi-sys/Count.cgi? +||heise.de/ivw-bin/ivw/cp/ +||herz-fuer-tiere.de^*/ad.gif? +||herz-fuer-tiere.de^*/sunshine.gif? +||hokuspokus.tarnkappe.info^ +||homegate.ch/g/collect? +||inside-channels.ch/proxy/engine/api/v1/auth/ping/ +||inside-it.ch/proxy/engine/api/v1/auth/ping/ +||jobs.ch/api/v1/public/product/track/ +||js.tag24.de/main.js +||k-aktuell.de/monitoring? +||kaufland.de/uts/events/ +||leipziger-stadtplan.com/t.gif +||llntrack.messe-duesseldorf.de^ +||lokalwerben.t-online.de^ +||lynx.gruender.de^ +||mat.ukraine-nachrichten.de^ +||metrics.n-tv.de^ +||moviepilot.de/assets/autotrack- +||mtb-news.de/metric/ +||muenchener-stadtplan.com/t.gif +||mydirtyhobby.de/tracker +||navigation-timing.meinestadt.de^ +||nct.ui-portal.de^ +||netzwelt.de/log? +||news.de/track.php +||newsdeutschland.com/RPC.php +||nickles.de/ivw/ +||nius.de/monitoring +||ostjob.ch/public/statistic/teaser/hit/ +||otto.de/error-logging/ +||otto.de/pass/scale-beacon-service/ +||otto.de^$ping +||oxifwsabgd.nzz.ch^ +||pi.technik3d.com^ +||pixel.ionos.de^ +||plausible.motorpresse.de^ +||potsdamer-stadtplan.com/t.gif +||pstt.mtb-news.de^ +||px.derstandard.at^ +||pxc.otto.de^ +||r.wz.de^ +||redaktionstest.net/cdn/$ping +||responder.wt.heise.de^ +||ricardo.ch/api/browser-statistics/ +||rt.bunte.de^ +||ruw.de/js/trackSidebarClicks.js +||schnaeppchenfuchs.com/js/default- +||sgtm.tennis-point.de^ +||shoop.de/mgtrx/ +||shop.rewe.de/api/xrd/web-vitals +||sparkasse.de/frontend/setTrackingCookie.htm +||sportnews.bz/pcookie? +||spreewaldkarte.de/t.gif +||sqs.quoka.de^ +||squirrel.cividi.ch^ +||srf.ch/udp/tracking/ +||ss.photospecialist.at^ +||ss.photospecialist.de^ +||statistic2.reichelt.de^ +||statistics.riskommunal.net^ +||stats.autoscout24.ch^ +||stats.rocketbeans.tv^ +||stats.sumikai.com^ +||steuertipps.de/scripts/tracking/ +||stol.it/pcookie? +||stuttgarter-nachrichten.de/cre-1.0/tracking/device.js +||subpixel.4players.de^ +||suche.web.de/click +||swmhdata.stuttgarter-nachrichten.de^ +||swmhdata.stuttgarter-zeitung.de^ +||t-online.de/to/web/click? +||t-online.de/toi/html/de/img/transp.bmp? +||t.wayfair.de^ +||tagm.eduscho.at^ +||tarnkappe.info^$ping +||taz.de/count/ +||teltarif.de/scripts/fb.js +||teltarif.de/scripts/ttt.js +||teltarif.de/ttt.go? +||teltarif.de^$ping +||tgw.gmx.ch^ +||tgw.gmx.net^ +||tgw.web.de^ +||timing.uhrforum.de^ +||tm.swp.de^ +||tr.wbstraining.de^ +||tracer.autoscout24.ch^ +||track.dws.de^ +||track.express.de^ +||track.noz.de^ +||track.rheinpfalz.de^ +||track.rundschau-online.de^ +||tracking.asialadies.de^ +||tracking.avladies.de^ +||tracking.badeladies.de^ +||tracking.behaarteladies.de^ +||tracking.bizarrladies.de^ +||tracking.busenladies.de^ +||tracking.deutscheladies.de^ +||tracking.devoteladies.de^ +||tracking.dominanteladies.de^ +||tracking.erfahreneladies.de^ +||tracking.escorts24.de^ +||tracking.exklusivladies.de^ +||tracking.finanzen.net^ +||tracking.fkk24.de^ +||tracking.fupa.net^ +||tracking.grosseladies.de^ +||tracking.hobbyladies.de^ +||tracking.immobilienscout24.de^ +||tracking.jungeladies.de^ +||tracking.krone.at^ +||tracking.kussladies.de^ +||tracking.ladies.de^ +||tracking.latinaladies.de^ +||tracking.live.wetter.at^ +||tracking.massierendeladies.de^ +||tracking.mollyladies.de^ +||tracking.noen.at^ +||tracking.nsladies.de^ +||tracking.nymphomaneladies.de^ +||tracking.oe24.at^ +||tracking.orientladies.de^ +||tracking.osteuropaladies.de^ +||tracking.piercingladies.de^ +||tracking.rasierteladies.de^ +||tracking.schokoladies.de^ +||tracking.tattooladies.de^ +||tracking.tsladies.de^ +||tracking.zaertlicheladies.de^ +||tracking.zierlicheladies.de^ +||tracksrv.zdf.de^ +||ui-portal.de/pos-cdn/tracklib/ +||united.web.de/confirm? +||united.web.de/event? +||vfd2dyn.vodafone.de^ +||vinted.de/relay/events +||wa.gmx.ch^ +||wa.gmx.net^ +||wa.web.de^ +||walbusch.de^$ping +||weltbild.de/tracking/ +||werkenntdenbesten.de/js/tracking. +||werkenntdenbesten.de/pd.js +||wikipedia.de/tracking.js +||witt-weiden.de^$ping +||wlw.de/unified_search_backend/api/v1/tracking/ +||xing.com^$ping +||ymprove.gmx.net^ +||ymprove.web.de^ +||zooplus.de/om/pxl/ +! Danish +||gtm.mandesager.dk^ +||ia.ekstrabladet.dk^ +||jv.dk/assets/statistics/ +||nrpukcsgboqr0gz2o8.www.bolighub.dk^ +! French +||2ememain.be/c3650cdf- +||2ememain.be/px/ +||actu.fr/assets/js/smarttag5280-1.js +||aliasdmc.fr/js/general_sts.js +||allocine.fr/_/geolocalize +||analytics.allovoisins.com^ +||analytics.clubic.com^ +||api.doctolib.fr/nr_insert_ +||api.odysee.com/locale/get +||api.ouedkniss.com^*&xTrackId= +||api.tacotax.fr/v2/amplitude_trackers +||at.pagesjaunes.fr^ +||batiactu.com/cap_ +||bmly.impots.gouv.fr^ +||boingtv.fr/track_view +||cdtm.cdiscount.com^ +||centerblog.net/a/in +||cesu.urssaf.fr/clm10 +||clubic.com/tview +||compteur.developpez.com^ +||courrierinternational.com/*&vtag= +||datalayer.orange.fr^ +||dd.leboncoin.fr^ +||decathlon.net/content/tracker.v2.prod.min.js +||developpez.com/public/js/log.js +||donnons.org/log.js +||e.legalstart.fr^ +||e.m6web.fr/events +||easeus.com/default/js/aff_buy_tracking.js +||ecranlarge.com/stat +||email.nautiljon.com/oo/$image +||europe1.fr/assets/europe1/estat. +||events-logs.doctolib.com^ +||flow.kiloutou.fr^ +||fourchette-et-bikini.fr/core/modules/statistics/ +||fr.shopping.rakuten.com/rakuten-static-deliver/mob/*/js/track.js +||fsm.lapresse.ca^ +||gamergen.com/ajax/actualites/addVue +||hits.porn.fr^ +||hlms.ecologie.gouv.fr^ +||horairesdouverture24.fr/ar.js +||ianimes.org/img/tracker.gif +||ici.radio-canada.ca/v5/*/trace/ +||igen.fr/modules/statistics/statistics.php +||insights.v3.decathlon.net^ +||iphoneaddict.fr/wp-content/*/counter.php +||iptvgratuit.net/wp-content/*/analytics.js +||jeu.net/hits.js +||jscrambler.com^$script,domain=airfrance.fr +||kwgs.letudiant.fr^ +||l.francetvinfo.fr^$script +||l.nicematin.com/pv.js +||lacentrale.fr/collect +||lacentrale.fr/static/fragment-sentry/lc-sentry.js +||lacoccinelle.net/tools.js +||laposte.fr/cdp/events? +||ldlc.com/V4px/js/ldlcmachine.js +||leboncoin.fr/rav-monitoring/ +||lecho.be/fb2? +||lecho.be/tag/tag- +||ledevoir.com/js/pianoAnalyticsTags.js +||lemonde.fr/*&cts= +||lemonde.fr/*&stc= +||lemonde.fr/bucket/*/tagistan. +||lemonde.fr^$ping +||leparking-moto.fr/jsV155/Tracker.js +||leparking.fr/*/Tracker.js +||lepoint.fr/img-l/$image +||liberation.fr/newsite/js/cmp/ +||logstash-3.radio-canada.ca^ +||ma-petite-recette.fr/visites +||marmiton.org/reloaded/errpix.php +||medoucine.com/tracking/ +||mesure-pro.engie.fr^ +||metrics-broker.prod.p.tf1.fr^ +||neko-san.fr/stats +||ocular.dealabs.com^ +||ouest-france.fr/v1/javascripts/*-googletag- +||ouest-france.fr/v1/javascripts/*-prebid- +||p.pagesjaunes.fr^ +||pagesjaunes.fr/pmp/ +||paruvendu.fr/*/stats/ +||pixel.dugwood.com^ +||pixel.ionos.fr^ +||promoneuve.fr/stat/ +||pt.legalstart.fr^ +||quellavelinge.com/referer.php? +||res.paruvendu.fr^ +||rts.ch^*/boreas_b01.js +||s5.charliehebdo.fr^ +||serv.letudiant.fr^ +||shemsfm.net/ar/setStats/ +||shemsfm.net/fr/setStats/ +||sncf-connect.com/apm +||sncf-connect.com/bff/api/v1/t/events +||space-blogs.net/include/counter/ +||sta.extreme-down. +||sta.wawacity. +||sta.zone-telechargement. +||stats*.credit-cooperatif.coop^ +||stats.sexemodel.com^ +||stats.zone-annuaire. +||stats.zone-telechargement. +||stt.wawacity.onl^ +||surace-jujitsu.fr/outils/compteur_php/ +||t.7sur7.be^$image +||t.blablacar.com^ +||tc2.hometogo.net^ +||techno-science.net/outils/serviceLoc.php? +||telerama.fr/*&ptag= +||tracker.mspy.com^ +||tracking.cdiscount.com^ +||unblog.fr/cu.js +||vinted.fr/relay/events +||wawacity.*/bypass +||woopic.com/z.gif +||wrhv.education.gouv.fr^ +||wstats.gameblog.fr^ +||wt.oscaro.com^ +||yandex.fr/clck/click +||zone-telechargement.al/analytics/ +||zoneadsl.com/api/get-ip +! Belarusian +||c1hit.zerkalo.io^ +||s1r.zerkalo.io^ +||s3r.zerkalo.io^ +||zerkalo.io/stat/ +! Arabic +||khamsat.com/ajax/account_stats? +||mosoah.com/analytics.js +||tags.aljazeera.net^ +! Bosnian +||insight.olx.ba^ +||klix.ba/pixel/ +! Chinese +||104.com.tw/log/ +||17173.com/ping.js +||17173.com/pv? +||4399.com/js/4399stat.js +||4399.com/plugins/tj/event? +||4399stat.5054399.com^ +||55bbs.com/east.html +||591.com.tw/stats/ +||9game.cn/stat/ +||a.itsmore.cn^ +||ac.dun.163.com^ +||ac.dun.163yun.com/v2/collect? +||accwww9.53kf.com^ +||adstats.tencentmusic.com^ +||al.autohome.com.cn^ +||alicdn.com/f/pcdn/i.php? +||ams.lelong.com.my^ +||analytics-gw.games.wanmei.com^ +||analytics.163.com^ +||analytics.cnblogs.com^ +||analytics.ifanrusercontent.com^ +||analytics.oceanengine.com^ +||analytics.shop.hisense.com^ +||analytics.yicai.com^ +||api.ea3w.com/hits.js +||apilog-web.acfun.cn^ +||apiwmda.58.com.cn^ +||applog.yiche.com^ +||autohome.com.cn/impress? +||baidu.com/api/bidder/ +||baidu.com/kan/api/ipLocation +||baidu.com^*/ps_default.gif? +||banana.le.com^ +||bc.qunar.com^ +||beacon.cdn.qq.com^ +||beacon.qq.com^ +||channel-analysis-js.gmw.cn^ +||cherry.le.com^ +||clewm.net/public/cli_analytics.js$domain=cli.im +||click.gamersky.com^ +||clickcount.cnool.net^ +||clientlog.music.163.com^ +||count.candou.com^ +||count5.pconline.com.cn^ +||counter.people.cn^ +||cstm.baidu.com^ +||ctrmi.cn/t/ +||data.bilibili.com^ +||dcard.tw/v1/events +||df.huya.com^ +||dig.lianjia.com^ +||dlswbr.baidu.com^ +||dolphin.deliver.ifeng.com^ +||douyucdn.cn/fish3/1.gif +||eastmoney.com/usercollect/ +||eastmoney.com/web/prd/jump_tracker.js +||eclick.360doc.com^ +||ems.youku.com^ +||err.ifengcloud.ifeng.com^ +||event.csdn.net^ +||fclog.baidu.com^ +||flog.pressplay.cc^ +||forum.zuvio.com.tw/api/article/finish +||fp-upload.dun.163.com^ +||frog.yuanfudao.com^ +||ftwo-feedback.autohome.com.cn^ +||ftwo-receiver.autohome.com.cn^ +||gentian-frd.hjapi.com^ +||gia.jd.com^ +||gk.sina.cn^ +||h5.analytics.126.net^ +||h5log.zongheng.com^ +||hisense.com/ta.js +||hktvmall.com/api/event +||hoyoverse.com/dora/biz/mihoyo-h5log/ +||huaxiang.eastmoney.com^ +||hujiang.com/v2/log +||i-cable.com/ci/tracking/ +||i-tm.com.tw/api/itm-tracker.js$domain=pixnet.net +||idm.api.autohome.com.cn^ +||ifeng.com/i?p= +||imgstat.baidu.com^ +||improving.wuzhuiso.com^ +||iqiyi.com/dsp_track3 +||iqiyi.com/track2? +||jcm.jd.com^$script,third-party +||jcmonitor.xcar.com.cn^ +||jiayuan.com^*/pv.js +||js.ea3w.com/pv.js +||kn007.net/snmp.php +||l.web.huya.com^ +||le.com/op/ +||log-upload-os.hoyoverse.com^ +||log.bitauto.com^ +||log.flight.qunar.com^ +||log.m.sm.cn^ +||log.mgtv.com^ +||log.mix.sina.com.cn^ +||log.sina.cn^ +||log.zongheng.com^ +||log2.sina.cn^ +||logs.51cto.com^ +||logtake.weidian.com^ +||m.diyibanzhu.buzz/17mb/script/tj.js +||m.diyibanzhu.buzz/17mb/script/wap.js +||mail.qq.com/cgi-bin/getinvestigate? +||map.baidu.com/newmap_test/static/common/images/transparent.gif +||metric.huya.com^ +||mi.com/stat/ +||monitor.music.qq.com^ +||mp.weixin.qq.com/mp/appmsgreport? +||mp.weixin.qq.com/mp/getappmsgad? +||mp.weixin.qq.com/mp/jsmonitor? +||mp.weixin.qq.com/mp/report? +||mp.weixin.qq.com/mp/webcommreport? +||msg.qy.net^ +||msgsndr.com/funnel/event +||mtrace.qq.com^ +||music.163.com/device/signature/create/deviceid.js +||music.163.com/weapi/feedback/weblog +||music.163.com/weapi/pl/count +||netstat.yunnan.cn^ +||nex.163.com^ +||p.data.cctv.com^ +||pan.baidu.com/api/report/ +||pan.baidu.com/pcloud/counter/refreshcount? +||pan.baidu.com/recent/report? +||pb.i.sogou.com^ +||people.cn/js/pa.js +||phpstat.cntcm.com.cn^ +||pingjs.qq.com^ +||pinkoi.com/_log/ +||pixel.kknews.cc^ +||poro.58.com^ +||pptv.com/stg/add? +||pptv.com/webdelivery/ +||pressplay.cc/marketing/event +||pv.ltn.com.tw^ +||pv.xcar.com.cn^ +||pvx.xcar.com.cn^ +||qhimg.com/11.0.1.js$script +||qihucdn.com/11.0.1.js$script +||qiyukf.com/webda/da.gif$domain=youdao.com +||qq.com/code.cgi? +||qq.com/collect/ +||qq.com/kvcollect? +||qq.com/p? +||qq.com/qqcom/ +||qq.com/report.cgi? +||qq.com/report/$image,xmlhttprequest +||qq.com/report| +||qq.com/stdlog +||qreport.qunar.com^ +||qzone.qq.com/iframe/report +||qzone.qq.com/wspeed.qq.com^ +||qzonestyle.gtimg.cn/qzone/v8/ic/iframeReport.js +||rcgi.video.qq.com^ +||referer.pixplug.in^ +||reportsk.web.sdo.com^ +||retcode.taobao.com^ +||reurl.cc/javascripts/tagtoo.js +||rlogs.youdao.com^ +||ro.aiwan4399.com^ +||s.360.cn^ +||s.pixfs.net/js/pixlogger.min.js +||s.pixfs.net/visitor.pixplug.in/ +||sbeacon.sina.com.cn^ +||sentry.music.163.com^ +||sfp.safe.baidu.com^ +||shopee.tw/__t__ +||shopee.tw/v2/shpsec/web/report +||shrek.6.cn^ +||sina.com.cn/view? +||sinajs.cn/open/api/js/wb.js +||sngmta.qq.com^ +||sofire.bdstatic.com^ +||sogou.com/cl.gif? +||sogoucdn.com/hhytrace/ +||sohu.com/adgtr/ +||sohu.com/count/ +||sohu.com/ip/$script +||sohu.com/pccollector +||sohu.com/pv.js +||soufun.com/click/ +||soufun.com/stats/ +||stadig.ifeng.com^ +||stat-58home.58che.com^ +||stat.*.v-56.com^ +||stat.caijing.com.cn^ +||stat.funshion.net^ +||stat.iteye.com^ +||stat.stheadline.com^ +||stat.uuu9.com^ +||stat.y.qq.com^ +||stat.zol.com.cn^ +||static.funshion.com/*/common/log/ +||static.qiyi.com/js/pingback/ +||statistic.qzone.qq.com^ +||statwup.huya.com^ +||steamchina.com/events/ +||sugar.zhihu.com^ +||t.home.news.cn^ +||tbskip.taobao.com^$script +||tf.360.cn^ +||theav.xyz/anyalytics +||theporn.cc/anyalytics? +||tianxun.com/ajax_website_statistics. +||titan24.com/scripts/stats.js +||tj.img4399.com^ +||tongji.mafengwo.cn^ +||tongji.techweb.com.cn^ +||tongji.xinmin.cn^ +||tongji2.vip.duba.net/__infoc.gif? +||top.baidu.com/js/nsclick.js +||toutiao.com/action_log/ +||toutiao.com^*/user_log/ +||tr.discuss.com.hk^ +||tr.price.com.hk^ +||trace.qq.com^ +||track.hujiang.com^ +||track.sohu.com^ +||track.tom.com^ +||trackcommon.hujiang.com^ +||tracker.ai.xiaomi.com^ +||trail.53kf.com^ +||udblog.huya.com^ +||uestat.video.qiyi.com^ +||urbtix.hk/api/internet/log/add? +||utrack.hexun.com^ +||uuu9.com/s.php? +||v.blog.sohu.com/dostat.do? +||vatrack.hinet.net^ +||vipstatic.com/mars/ +||visit.xchina.pics^ +||visitorapi.pixplug.in^$domain=pixnet.net +||wanmei.com/public/js/stat.js +||weather.com.cn/a1.js +||weibo.cn/h5logs/ +||weibo.com/aj/log/ +||weiyun.com/cgi-bin/tianshu_report +||weiyun.com/proxy/domain/boss.qzone.qq.com/fcg-bin/fcg_rep_strategy? +||wenku.baidu.com/tongji/ +||wkctj.baidu.com^ +||wl.jd.com^$third-party +||work.3dmgame.com/js/statistics.js +||wumii.com/images/pixel.png +||xcar.com.cn/exp/ +||xiaohongshu.com/api/collect +||xiaohongshu.com/api/v2/collect +||xiaomi.com/js/mstr.js? +||ylog.huya.com^ +||youku.com/log/ +||yxdown.com/count.js +||zcool.com.cn/track/ +||zhihu-web-analytics.zhihu.com^ +||zhihu.com/collector/ +||zhihu.com/zbst/events/ +||zio.xcar.com.cn^ +||zol-img.com.cn^*/logger.js +||zongheng.com^*/logger.min.js +||zz.bdstatic.com^ +! Croatian +||avaz.ba/update/hits/ +||jutarnji.hr/template/js/eph_analytics.js +! Czech +||cc.dalten.cz^ +||jslog.post.cz^ +||o2.cz^*-ga_o2cz_bundle.js? +||sa.kolik.cz^ +||seznam.cz^$ping +||stat.super.cz^ +||statistics.csob.cz^ +! Dutch +||2dehands.be/px/ +||analytics.rambla.be^ +||api.rtl.nl/monitoring/ +||bc34.wijnvoordeel.nl^ +||bol.com/tracking/ +||businessinsider.nl^*/tr.php +||c.vrt.be^ +||coolblue.nl/monitoring/ +||events.reclamefolder.nl^ +||expert.nl/daix.js +||fd.nl/pixel/ +||folderz.nl/clickstream/ +||infonu.nl/t.php? +||kieskeurig.nl/collect +||kieskeurig.nl/track- +||klik.nrc.nl/ping? +||log.rabobank.nl^ +||marktplaats.nl/add_counter_image. +||marktplaats.nl/metrics/ +||marktplaats.nl/px/ +||metrics.nu.nl^ +||njam.tv/tracking/ +||npo-data.nl/tag/v3/npotag.js +||npo-data.nl/tags/tag.min.js +||npo.nl/tag/atinternet/ +||pcmweb.nl/track/ +||pg.totaaltv.nl/api/metrics +||pipeline.lc.nl^$~script +||pipeline.rd.nl^$~script +||r.kleertjes.com^ +||rtl.nl/system/track/ +||sanoma.nl/pixel/ +||sat.sanoma.fi^ +||statistiek.rijksoverheid.nl^ +||stats.fd.nl^ +||t.ad.nl^$image +||t.bd.nl^$image +||t.bndestem.nl^$image +||t.destentor.nl^$image +||t.ed.nl^$image +||t.gelderlander.nl^$image +||t.hln.be^$image +||t.pzc.nl^$image +||t.tubantia.nl^$image +||tijd.be/fb/? +||tijd.be/fb2? +||tijd.be/track/ +||topspin.npo.nl^ +||track.pexi.nl^ +||tracking.voordeeluitjes.nl^ +||tvgids.nl/collect +||tweakers.nl/track/ +||txrx.bol.com^ +||u299.libelle-lekker.be^ +||vinted.nl/relay/events +||vroom.be^*/stats.js? +||vroom.be^*/stats.php? +! Finnish +||analytics.sanoma.fi^ +||api.nettix.fi/counter/$image +||data.reactandshare.com^ +||dax.yle.fi^ +||dp.alma.iltalehti.fi/v1/cookie +||events.il.fi^ +||hs.fi/stats +||huuto.net/js/analytic/ +||ilcdn.fi^*/Bootstrap.js +||io-tech.fi/io/www/delvr/lokiz.php +||is.fi/stats/ +||logger.omio.com^ +||mha.fi/simple.gif? +||mtv3.fi/remarketing.js +||nelonenmedia.fi/hitcounter$image +||omataloyhtio.fi/ffsw-pushcrew.js +||omataloyhtio.fi/kuvat/pi.gif$image +||omataloyhtio.fi/statb.asp +||puutarha.net/ffsw-pushcrew.js +||puutarha.net/statb.asp +||rac.ruutu.fi^ +||rakentaja.fi/kuvat/pi.gif$image +||rantapallo.fi/s/redirect/tracking? +||stat.mtv3.fi^ +||stats.fonecta.fi^ +||tori.fi/img/none.gif$image +||ts.fi/Statistics/Log$image +||ts.fi^*/spring.js +! Greek +||skroutz.gr/analytics/ +||skroutza.skroutz.gr/skroutza.min.js +||vidads.gr/imp/ +! Hebrew +||bravo.israelweather.co.il^ +||cellstats.mako.co.il^ +||ds.haaretz.co.il^ +||inn.co.il/Controls/HPJS.ashx?act=log +||services.haaretz.co.il^$ping +||stats.mako.co.il^ +||walla.co.il/CountsHP.asp? +||walla.co.il/impression/ +! Hungarian +||adat.borsonline.hu^ +||adat.ingatlanbazar.hu^ +||adat.koponyeg.hu^ +||adat.life.hu^ +||adat.mandiner.hu^ +||adat.mindmegette.hu^ +||adat.origo.hu^ +||adat.travelo.hu^ +||adat.veol.hu^ +||adat.videa.hu^ +||beam.telex.hu^ +||events.ingatlan.com^ +||hirtv.hu/ajaxx/_stat/ +||hirtv.hu/nx_general_stat.jpg? +||nyitvatartas24.hu/ar.js +||otthonterkep.hu/c.js +||outal.origo.hu^ +||rtl.hu/_stat/ +||videa.hu/flvplayer_setcookie.php? +! Indonesian +||analytic20.detik.com^ +||bukalapak.com/banner-redirector/impression +||bukalapak.com/track-external-visit +||bukalapak.com/track_external.json +||dt-tracker.mamikos.com^ +||ktracker.kumparan.com^ +||mygostore.com/api/log +||t.bukalapak.com^ +||ta.tokopedia.com/promo/v1/views +||tokopedia.com/helios-client/client-log +! Italian +/~shared/do/~/count/?$image +||alfemminile.com/logpix.php +||altervista.org/js/contatore.js +||altervista.org/js_tags/contatore.js +||altervista.org/stats/ +||altervista.org^*/tb_hits_ +||analytics.laregione.ch^ +||analytics.ticinolibero.ch^ +||analytics.tio.ch^ +||analytics.traderlink.com^ +||as.payback.it^ +||automobile.it/fb/ +||avvenire.it/content/js/track.es5.min.js? +||bachecaannunci.it/statins3.php? +||bnamic.com/referrer/ +||c-date.it/tracking? +||c-date.it^*/tracking2/tr.js +||c.corriere.it^ +||catalove.com/bimp/ +||catalove.com/ntv/ +||click.tv.repubblica.it^ +||clickserver.libero.it^ +||compare.easyviaggio.com^ +||data.segugio.it^ +||deagostinipassion.it/collezioni/analytics.js +||execution-ci360.rai.it^ +||fanpage.it/views/ +||freeonline.org/sito_track? +||gazzetta.it^*/stats.php? +||insights.cdt.ch^ +||joka.it/inquiero/isapi/csf.dll? +||la7.it/js-live/nielsen1.js +||lalaziosiamonoi.it/pixel +||laregione.ch/ext/av.php? +||leggo.it/index.php?$image +||libero.it//js/comscore/ +||libero.it/cgi-bin/ajaxtrace? +||libero.it/cgi-bin/cdcounter.cgi? +||libero.it/cgi-bin/cdcountersp.cgi? +||libero.it/cgi-bin/twit? +||libero.it/search/abin/ajaxtrace? +||libero.it^*/counter.php? +||lupoporno.com/js/analytics +||ma.register.it^ +||mediaset.it/cgi-bin/getcod.cgi? +||mtv.it/flux/trackingcodes/ +||paginebianche.it/cgi-bin/jbimpres.cgi? +||paginebianche.it/ip?dv= +||paginegialle.it/cgi-bin/getcod.cgi? +||paginegialle.it/cgi-bin/jimpres.cgi? +||paginegialle.it/engagement.js +||ppcdn.it/iol/tracklib.3.js +||raiplay.it/tracking/ +||repstatic.it^*/nielsen_static_mapping_repubblica_ +||seat.it/cgi-bin/getcod.cgi? +||servizi.unionesarda.it/controlli/ +||sgtm.tagmanageritalia.it^ +||smsaffari.it/count_new.php? +||spaziogames.it/ajax/player_impression.ashx? +||sst.colemanfurniture.com^ +||stats.splinder.com^ +||stats.stylight.it^ +||stats.suedtirolerjobs.it^ +||t.mediaset.it^ +||tantifilm.top^*/ping +||timinternet.it/timmobilestatic/img/*.gif? +||timinternet.it/timmobilestatic/jsPrivacy/gdl_function_cookie.js +||tio.ch/ext/u.php? +||tio.ch/lib/videojs/video-js-tiostats.js +||tiscali.it/banner-tiscali/stats.html? +||tla.traderlink.com^ +||topolino.it^*/omniture.php? +||track.tesiteca.it^ +||tracker.stileo.it^ +||tracking.donnemagazine.it^$script +||tracking.foodblog.it^$script +||tracking.gruppo.mps.it^ +||tracking.mammemagazine.it^$script +||tracking.motorimagazine.it^$script +||tracking.notizie.it^$script +||tracking.offerteshopping.it^$script +||tracking.style24.it^$script +||tracking.tuobenessere.it^$script +||tracking.viaggiamo.it^$script +||tuttocagliari.net/pixel +||tuttogratis.it/gopix.php? +||tuttomercatoweb.com/pixel +||video.mediaset.it/polymediashowanalytics/ +||videogame.it/a/logview/ +||vinted.it/relay/events +||virgilio.it/clientinfo.gif? +||virgilio.it/js/web-vitals-evnt/tracking.js +||volkswagen-italia.it^*/tracking/ +||vvvvid.it^$ping +||yachtingnetwork.it/stat/ +! Japanese +||abema-tv.com/v1/stats/ +||ad-platform.jmty.jp^ +||altema-log.com^ +||amazonaws.com/ai-img/aia.js +||ameba.jp/cookie/ +||ameblo.jp/accesslog/ +||ana.3751chat.com^ +||ana.chat.shalove.net^ +||ana.luvul.net^ +||ana.skypemeet.net^ +||analysis.aws.locondo.jp^ +||analysis.prod.joyfru.jiji.com^ +||analytics.castel.jp^ +||analytics.cocolog-nifty.com^ +||analytics.ikyu.com^ +||analytics.tver.jp^ +||analyzer.fc2.com^ +||analyzer2.fc2.com^ +||anyelse.com/stat^ +||askdoctors.jp/assets/packs/js/impression_tracker- +||astat.nikkei.com^ +||astral.nicovideo.jp^ +||baitoru.com/pu/js/2017/adobe_send_tracking.js +||barks.jp/v1/stats +||bc.nhk.jp^ +||beacon.radiko.jp^ +||beacon.watch.impress.co.jp^ +||beat.yourtv.jp^ +||bookoffonline.co.jp/files/inc_js/ac/ +||bookoffonline.co.jp/files/tracking/ +||carview.co.jp/include_api/log/ +||contx.net/collect.js +||count.upc.rakuten.co.jp^ +||crank-in.net/assets/common/js/sendpv.js +||ctr.po-kaki-to.com^ +||d-log.asahi.co.jp^ +||d-log.tv-asahi.co.jp^ +||d.tv-asahi.co.jp^ +||daiichi-kamotsu.co.jp/js/google_analytics.js +||dmm.com/analytics/ +||dmm.com/imp? +||doda.jp/DodaCommon/Html/js/RtoasterTrack.js +||doda.jp/DodaFront/Html/js/dodaPrime_pc_aaTag.js +||doda.jp/resources/dcfront/js/usrclkTracking.js +||dxlive.com/js/dtrace.js +||eq-beacon.stream.co.jp^ +||eq-player-log.cdnext.stream.ne.jp^ +||eropuru.com/plugin/tracking/ +||esports-world.jp/js/banner.event.js +||event.lib.visumo.io/js/hbn_track.js +||fensi.plus^*/tracking/ +||fspark-ap.com/ft/analytics_log +||g123.jp/stats? +||game-i.daa.jp/skin/analytics.php +||game8.jp/logs^ +||gizmodo.jp/api/SurveyCountCollection? +||goo.ne.jp^*/vltracedmd.js +||gtm.diamond.jp^ +||hatarako.net/api/recommend/analyze_logger +||hatena.ne.jp/api/log? +||i2i.jp/bin/ +||img.syosetu.org/js/c_ +||is-log.furunavi.jp^ +||j1.ax.xrea.com^ +||k-crm.jp/tracking.js +||kojima.net/excludes/KPC/js/kjm_gtm.js +||korewaeroi.com/fukugan_$subdocument +||link.tv-asahi.co.jp/tver/cookiesync? +||ln.ameba.jp^ +||log-lb.skyperfectv.co.jp^ +||log.recommend.nicovideo.jp^ +||logcollector.note.com^ +||logql.yahoo.co.jp^ +||m-oo-m.com/data/report/ +||mangaraw.to/api/v1/view/ +||masutabe.info/js/access.js +||mayla.jp/TRACKING/ +||measure.ameblo.jp^ +||medibot.delling.care/api/counts/ +||mixi.net/static/js/build/mixi-analysis.production.js +||mng.jiji.com/cookie.html +||muragon.com/js/normal/gtag-event.js +||mwed.jp/assets/packs/js/measurements/ +||next.rikunabi.com/api/logRecommendRealtimeI2AV2 +||nhk.or.jp^*/bc.js +||nicoad.nicovideo.jp/*/instream/tracking/ +||nicolive.cdn.nimg.jp/relive/sp/browser-logs. +||nicolive.cdn.nimg.jp/relive/sp/trackingService. +||nicovideo.jp/analyze/ +||nicovideo.jp/api/counter/ +||nikkei.com/.resources/tracking/ +||nvapi.nicovideo.jp/v1/bandit-machine/ +||odsyms15.com/impression? +||portal.kotodaman.jp/api/otel/v1/logs +||pvtag.yahoo.co.jp^ +||pw.gigazine.net^ +||pzd.rakuten.co.jp^ +||rakuten.co.jp/com/js/omniture/ +||rakuten.co.jp/gw.js +||ranking.fc2.com/analyze.js +||rat.rakuten.co.jp^ +||rdsig.yahoo.co.jp^$image +||rebuyengine.com/api/*/analytics/event/ +||rec1.smt.docomo.ne.jp/bcn_access_log/ +||recv-entry.tbs.co.jp^ +||recv-jnn.tbs.co.jp^ +||recv.tbs.co.jp^ +||retty.me/gen204.php +||retty.me/javascripts/common/logging.js +||revico.jp/providejs/revico_tracking.js +||revive-chat.io/js/tracking-min.js +||rtm-tracking.zozo.jp^ +||sankei.co.jp/js/analytics/ +||scinable.net/access? +||seesaawiki.jp/img/rainman.gif? +||service.webgoto.net/*?wAnalytics +||shipping.jp/raa/rd.js +||shopch.jp/com/js/analytics.js +||so-zou.jp/js/ga.js +||ssai.api.streaks.jp/*/ad_info? +||stats.nhk.or.jp^ +||sy.amebame.com^ +||sy.ameblo.jp^ +||t.rentio.jp^ +||t.syosetu.org^ +||tanweb.net/wordpress/?rest_route=/sng/v1/page-count +||tekoki-fuzoku-joho.com/js/ALinkPrepare_ +||temp.twicomi.com^ +||tower.jp/bundle/beacon +||track.buyma.com^ +||track.prod.smash.pet^ +||tracker.curama.jp^ +||tracking.ai.rakuten.co.jp^ +||tracking.game8.jp^ +||tracking.gnavi.co.jp^ +||travel.co.jp/js/analysis.js +||travel.co.jp/tracking.asp +||tsite.jp/static/analytics/ +||tv-asahi.co.jp/official/logging? +||twivideo.net/templates/ajax_link_click.php +||view.fujitv.co.jp^ +||visumo.jp/Content/js/tracking.js +||withnews.jp/assets/js/bcon.js +||wowow.co.jp/API/new_prg/get_tracking_url.php +||wrtn.ai/proxy/client/metrics +||x.allabout.co.jp^ +||yahoo.co.jp/b?p= +||yahoo.co.jp/p? +||yahoo.co.jp/s?s= +||yjtag.yahoo.co.jp^ +||zatsubitown.com/mailfriend/kaiseki +! Korean +||11st.co.kr/st/ +||ad-log.dable.io^ +||adoffice.11st.co.kr^ +||aem-collector.daumkakao.io^ +||auction.co.kr/ad/log.js +||auction.co.kr/montelena.js +||bizlog-gateway.myrealtrip.com^ +||cdp.yna.co.kr^ +||chosun.com/hitlog/ +||count.munhwa.com^ +||cue.search.naver.com/api/*/log/ +||data-logdelivery.wconcept.co.kr^ +||daumcdn.net^*/awsa.js +||dpg.danawa.com/*/rest/*getStampEvent +||gmarket.co.kr/js/common/uuid.js +||hits.zdnet.co.kr^ +||jdsports.co.kr/collect.php +||kyson.kakao.com^ +||l.m.naver.com^ +||log.etoday.co.kr^ +||log.kinolights.com^ +||log.tossinvest.com^ +||log.zdnet.co.kr^ +||naver.com/jackpotlog/ +||naver.com/PostView.nhn?$image +||nlog.naver.com^ +||pds.auction.co.kr^ +||rake.11st.co.kr^ +||seoul.co.kr/weblog/ +||shinsegae.com/topNPopup.do +||sp.naver.com^ +||ssgdfs.com/kr/common/getPageIcfCd +||stat.i3.dmm.com^ +||stat.tiara.daum.net^ +||stat.tiara.kakao.com^ +||stat.tiara.tistory.com^ +||stat.wanted.jobs^ +||tivan.naver.com^ +||track.tiara.daum.net^ +||track.tiara.kakao.com^ +||tracker.cauly.co.kr^ +||traders.co.kr/common/js/makePCookie.js +||uts.auction.co.kr^ +||utsssl.auction.co.kr^ +||wcs.naver.com^ +||weblog.coupang.com^ +||weblog.eseoul.go.kr^ +||weblog2.eseoul.go.kr^ +||ytn.co.kr/_comm/ylog.php? +! Latvian +||cv.ee/static/stat.php +||delfi.lv/t/p.js +||delphi.lv/t/t.js +||diena.lv/statistics/ +||inbox.lv^*/ga.js +||insbergs.lv/ins_statistics/ +||reklama.lv/services/espy.php +||ss.lv/counter/ +||stats.tunt.lv^ +||tanks.lv/top/stats.php +! Lithuanian +||15min.lt/cached/tgif$~third-party +||g.delfi.lt/g.js +||lrytas.lt/counter/ +! Malaysian +||event-tracking.hellohealthgroup.com^ +||propertyguru.com.my/api/consumer/vast-media/impression? +! Norwegian +||data.nrk.no^ +||kontrollportalen.no/kontroll/javascript/eventlog.js +||nrk.no^*/stats/ +||stats.proff.no^ +||stm.komplett.no^ +||tdep.hema.nl/main.js +||vg.no/stats/ +! Persian +||abadis.ir/ajaxcmd/setvisit/ +||aparat.com/gogol/ +||namnak.com/act/stats.json +||namnak.com/ga.js +! Polish +|http://x.o2.pl^ +||analytics.gazeta.pl^ +||collect.state.centrum24.pl^ +||dot.wp.pl^$script +||entryhit.wp.pl^ +||euro.com.pl/log-customer-visit +||eventstream.dodopizza.com^ +||ingbank.pl/mojeing/bs/xx.js +||interia.pl^*/hit. +||iplsc.com/inpl.log/ +||iwa.iplsc.com^ +||kropka.onet.pl^ +||mklik.gazeta.pl^ +||nasza-klasa.pl^*/pp_gemius +||p.gazeta.pl^ +||pixel.wp.pl^ +||rek.www.wp.pl^ +||savecart.pl/d/ +||squid.gazeta.pl/bdtrck/ +||stats.teledyski.info^ +||wp.pl/?rid= +||wtk.pl/js/WTKStats.js +||yctjw54slxrwwlh.trybawaryjny.pl^ +! Portuguese +||audience-mostread.r7.com^ +||click.uol.com.br^ +||csplog.kwai-pro.com^ +||dejavu.mercadolivre.com.br^ +||dn.pt/tag/ +||dna.uol.com.br^ +||g.bit.pt^ +||g.bitmag.com.br^ +||geoip.ativo.com^ +||globo-ab.globo.com^ +||globo.com/geo? +||hits.letras.mus.br^ +||horizon.globo.com^ +||jsuol.com.br/aud/$script +||lancenet.com.br/pw.js +||log-ads.r7.com^ +||logger.rm.uol.com.br^ +||logger.uol.com.br^ +||logsdk.kwai-pro.com^ +||matt.mercadolivre.com.br^ +||metrics.uol.com.br^ +||olx.com.br^*/lurker. +||poder360.com.br/_tracker +||r7.com/comscore/ +||sapo.*/clk?u= +||sapo.pt/Projects/sapoabd/ +||sinonimos.com.br/hits.php +||standvirtual.com^$ping +||strapi.clickjogos.com.br^ +||tags.globo.com^ +||terra.com.br^*/metrics.js +||track.exame.com^ +||track.olx.com.br^ +||tracker.bt.uol.com.br^ +||tracker.publico.pt^ +||uai.com.br^*/analytics.js +||unleash.livepix.gg^ +||uol.com.br/stats? +! Romanian +||agrointel.ro/ga.js +||agrointel.ro/track.js +||analytics.okazii.ro^ +||views.b1tv.ro^ +||views.romaniatv.net^ +! Russian +||2ch.hk^*/tracker.js? +||2gis.ru/_/log +||2gis.ru/_/metrics +||3dnews.ru/track +||4pda.ru/stat/ +||a.mts.ru^ +||a.pikabu.ru^ +||a.ria.ru^ +||ad.mail.ru/static/sync-loader.js +||ad7.bigmir.net^ +||adme.media/metric-collector +||affilate.hh.ru^ +||agroserver.ru/ct/ +||analytics.carambatv.ru^ +||api.litres.ru/tracker/ +||auto.ru/-/ajax/$~xmlhttprequest +||auto.ru/cookiesync/ +||avito.ru/stat/ +||babyblog.ru/pixel? +||c.sibnet.ru^ +||clck.dzen.ru^ +||consultant.ru/js/counter.js +||cosmo.ru/*/.js?i=*&r= +||counter.drom.ru^ +||counter.sibnet.ru^ +||cpa.hh.ru^ +||credistory.ru/api/v1/LiveMetrics/ +||cs42.pikabu.ru^ +||cs43.pikabu.ru^ +||cvt1.sibnet.ru^ +||data.glamour.ru^ +||drom.ru/dummy. +||dzen.ru/api/*/stats/ +||dzen.ru/clck/ +||dzen.ru/pingx +||dzeninfra.ru/ping? +||fb.ru/stat/ +||fontanka.ru/api/metrics/ +||fotostrana.ru/start/ +||goya.rutube.ru^$~image +||hh.ru/analytics^ +||hh.ru/stat? +||interfax.ru/cnt/ +||irecommend.ru/collect/ +||jetvis.ru/stat/ +||kommersant.ru/a.asp?p= +||kommersant.uk/banner_stats +||lamoda.ru/z? +||link.subscribe.ru^ +||livelib.ru/service/pinger +||livelib.ru/service/spv +||livelib.ru/service/traffic +||livelib.ru/service/visitlist/ +||lmcdn.ru^*/statistics.js +||log.dzen.ru^ +||log.ren.tv^ +||log.rutube.ru^ +||mail.ru/count/ +||metrika.kontur.ru^ +||mirtesen.ru/js/ms.js +||ms.dzen.ru^ +||ms.vk.com^ +||mts.ru/fe-api/logger +||mytoys.ru/ka_z.jpg? +||ngs.ru/s/ +||odnoklassniki.ru/dk?cmd=videoStatNew +||ok.ru/dk?cmd=videoStatNew +||ozon.ru/tracker/ +||pikabu.ru/ajax/analytics.php +||pikabu.ru/apps/*/analytics.js +||pikabu.ru/stat/ +||pixels.boxberry.ru^ +||rabota.by/analytics? +||rabota.by/stat? +||radar.imgsmail.ru^ +||rambler.ru/metrics/ +||rambler.ru/ts-metrics/ +||rbc.ru/click? +||rbc.ru/count/ +||rbc.ru/redir/stat/ +||rbc.ru/rightarror.gif +||rt.ru/proxy? +||rutube.ru/counters.html? +||rutube.ru/dbg/player_stat? +||seedr.ru^*/stats/ +||servernews.ru/track? +||sibnet.ru/counter.php? +||ssp.rambler.ru^ +||start.ru/logger/ +||stat.5-tv.ru^ +||stat.api.2gis.ru^ +||stat.bankiros.ru^ +||stat.pravmir.ru^ +||stat.russianfood.com^ +||stat.stars.ru^ +||stats.mos.ru^ +||superjob.ru/ws/ +||sync.rambler.ru^ +||tes-game.ru/stat/ +||tonkosti.ru/go.php? +||top-staging.mail.ru^ +||top.mail.ru/tc?js +||top.mail.ru/tpc.js +||top.mail.ru/tt?js +||trk.mail.ru^$image,script +||umschool.net/_jts/api/s/track +||vedomosti.ru/boom? +||vesti.ru/counter/ +||vstat.rtr-vesti.ru^ +||xapi.ozon.ru^$ping +||xray.mail.ru^ +||yandex.ru/log? +||yast.rutube.ru^ +! Slovak +||harvester.cms.markiza.sk^ +! Slovene +||24ur.com/bin/player/?mod=statistics& +||dnevnik.si/tracker/ +||go-usertrack-importer.pub.24ur.si^ +||ninja.data.olxcdn.com/ninja-olxba.js +||tracker.azet.sk^ +! Spanish +||abc.es/pixel/ +||aemet.es/js/stats.js +||analytics.bolavip.com^ +||analytics.emol.com^ +||analytics.redlink.com.ar^ +||audiencies.ccma.cat^ +||bankinter.com/res/img/documento_cargado.gif? +||caixabank.es/util/pixel.png? +||caliente.mx/integration-scripts/tracking.min.js +||coletor.terra.com^ +||compare.easyviajar.com^ +||data.acierto.com^ +||emol.com/bt/ping +||epimg.net/js/*/satelliteLib- +||esfbs.com/site/stat? +||esmas.com/scripts/esmas_stats.js +||estadisticas.lanacion.com.ar^ +||estadonline.publiguias.cl^ +||fnvma.milanuncios.com^ +||g.siliconweek.es^ +||genial.guru/metric-collector +||geo.emol.cl^ +||gruporeforma.com/clickGrupoReforma.js +||hits.antena3.com^ +||horizon-track.globo.com^ +||logs.openbank.com^ +||matt.mercadolibre. +||mediaserver.emol.cl/rtracker/ +||mega.promodescuentos.com^ +||mercadolibre.com/tracks^ +||mundodesconocido.com/tracker/ +||ocular.promodescuentos.com^ +||pixel.europapress.net^ +||px-intl.ucweb.com^ +||realtime.bbcl.cl^ +||rvv.emol.com^ +||sst.cooperativa.cl^ +||statsmp2.emol.com^ +||t-pan.triodos.com^ +||t13.cl/hit/ +||taringa.net/ajax/track-visit.php +||terra.com.mx/js/metricspar_ +||terra.com.mx^*/metrics_begin.js +||terra.com.mx^*/metrics_end.js +||terra.com/js/metrics/ +||terra.com^*/td.asp?bstat +||todomercadoweb.es/pixel +||tracker.jkplayers.com^ +||trrsf.com/metrics/ +||ubeat.tv/api/v1/sda/ +||uecdn.es/js/pbmu.js +||unm.emol.com^ +||wssgmstats.vibbo.com^ +||wsstats.coches.net^ +! Swedish +||aftonbladet.se/cnp-assets/glimr-sdk.js +||ai.idg.se^ +||ax.idg.se^ +||blocket.se/js/trafikfonden.js +||bonmed.se/monitoring? +||falkenbergtorget.se/sc.gif? +||fotbollskanalen.se^$ping +||fusion.bonniertidskrifter.se^ +||gx.idg.se^ +||prisjakt.nu/js.php?p=trafikfonden +||stat.nyheter24.se^ +! Thai +||dek-d.com^*/analytic.js +||scribe.wongnai.com^ +||ta.sanook.com^ +||thairath.co.th/event/ +! Turkish +||athena-event-provider.n11.com^ +||c.gazetevatan.com^ +||cimri.com/api/pixel +||d.haberler.com^ +||d.sondakika.com^ +||giquhome.com/0/sendEventV2 +||glami.com.tr/tracker/ +||h.n11.com^ +||haberler.com/dinamik/ +||hepsiburada.com/api/track +||hit.cnbce.com^ +||hstats.hepsiburada.com^ +||hstatstest.hepsiburada.com^ +||iys.org.tr/mti-popts.js +||kunduz.com/kunduzlytics.min.js +||magnipeople.com/0/sendEventV2 +||olegcassini.com.tr/0/sendEventV2 +||plausible.elbisebul.com^ +||sahibinden.com/sbbi/ +||stats.birgun.net^ +||tnspro.com.tr/0/sendEventV2 +||tracker.blutv.com^ +||tracker.grupanya.com^ +||womm.com.tr/0/sendEventV2 +! Ukrainian +|http://r.i.ua^ +|https://r.i.ua^ +||analytics.cosmonova.net^ +||at.ua/stat/ +||counter.nv.ua^ +||counter.ukr.net^ +||meta.ua/c.asp? +||obozrevatel.com/pixel.png +||piccy.info/c? +||piccy.org.ua/c? +||remp.nv.ua^ +||sport.ua/pixel/ +||target.ukr.net^ +! Vietnamese +||analytics.aita.gov.vn^ +||api.baomoi.com^$image +||coccoc.com/log +||log.ttbc-hcm.gov.vn^ +||logsbin.dantri.com.vn^ +||pixel.coccoc.com^ +||tka.tiki.vn/pixel/ +||track-srv.vietnamnet.vn^ +||w-api.baomoi.com^$image +! -----------------------Allowlists to fix broken sites------------------------! +! *** easylist:easyprivacy/easyprivacy_allowlist.txt *** +@@/cgi-bin/counter_module?action=list_models$subdocument,~third-party +@@||1.1.1.1/cdn-cgi/trace$xmlhttprequest,domain=myair.resmed.com|one.one.one.one +@@||1001trackstats.com/api/$xmlhttprequest,domain=songstats.com +@@||1trackapp.com/static/tracking/$script,stylesheet,~third-party +@@||8tm.net/static/img/fbpixel.png$~third-party +@@||a.usafacts.org/api/v4/Metrics$~third-party +@@||ab.blogs.es/abtest.png$domain=trendencias.com|xataka.com +@@||account.adobe.com/newrelic.js$~third-party +@@||accounts.home.id/authui/client/assets/vendors/new-relic.min.js$~third-party +@@||accounts.intuit.com/fe_logger?$~third-party +@@||addthis.com/*-angularjs.min.js$script,domain=ead.senac.br|missingkids.com|missingkids.org +@@||addthis.com/js/*/addthis_widget.js$script,domain=stagecoachbus.com +@@||admin.corrata.com/console/dcconsolews/event-log?$~third-party +@@||admin.memberspace.com/sites/*/analytics/views$~third-party +@@||adobedc.demdex.net/ee/v1/identity/$xmlhttprequest,domain=cibc.com +@@||adobedtm.com/launch-$script,xmlhttprequest +@@||adobedtm.com^*/launch-$script,xmlhttprequest +@@||adobedtm.com^*/s-code-$script +@@||adobedtm.com^*/satellite-$script +@@||aeries.net^*/require/analytics/views/$script,~third-party +@@||ajio.com/static/assets/vendors~static/chunk/common/libraries/fingerprintjs2.$script,~third-party +@@||akamaihd.net/nbad/player/*/appmeasurement.js$domain=watch.nba.com +@@||akamaihd.net/nbad/player/*/visitorapi.js$domain=watch.nba.com +@@||alphaapi.brandify.com/rest/clicktrack$xmlhttprequest,domain=traderjoes.com +@@||analytics-static.ugc.bazaarvoice.com/prod/$script,domain=hisense.co.uk +@@||analytics.amplitude.com^$~third-party +@@||analytics.analytics-egain.com/onetag/$script,domain=boohoo.com|digikey.at|digikey.be|digikey.bg|digikey.ca|digikey.ch|digikey.cn|digikey.co.il|digikey.co.nz|digikey.co.th|digikey.co.uk|digikey.co.za|digikey.com|digikey.com.au|digikey.com.br|digikey.com.mx|digikey.cz|digikey.de|digikey.dk|digikey.ee|digikey.es|digikey.fi|digikey.fr|digikey.gr|digikey.hk|digikey.hu|digikey.ie|digikey.in|digikey.it|digikey.jp|digikey.kr|digikey.lt|digikey.lu|digikey.lv|digikey.my|digikey.nl|digikey.no|digikey.ph|digikey.pl|digikey.pt|digikey.ro|digikey.se|digikey.sg|digikey.si|digikey.sk|digikey.tw +@@||analytics.casper.com/gtag/js$~third-party +@@||analytics.casper.com/gtm.js$~third-party +@@||analytics.edgekey.net/ma_library/html5/html5_malibrary.js$script,domain=mxplayer.in +@@||analytics.itunes.apple.com^$~third-party +@@||api-analytics.magstimconnect.net^$~third-party +@@||api-js.datadome.co/js/$domain=sso.garena.com +@@||api-mg2.db-ip.com^$xmlhttprequest,domain=journal-news.com +@@||api-public.roland.com/geoip$domain=bosstoneexchange.com +@@||api.aliagents.ai/api/v1/activity$~third-party,xmlhttprequest +@@||api.amplitude.com^$xmlhttprequest,domain=insiderintelligence.com +@@||api.app.mobilelocker.eu/api/latest/application-environment/ahoy/events$~third-party +@@||api.ipinfodb.com^$xmlhttprequest,domain=management30.com +@@||api.lab.amplitude.com/v1/vardata?$domain=gaiagps.com +@@||api.omappapi.com/v3/geolocate/json$domain=seclore.com +@@||api.perfops.net^$script,xmlhttprequest,domain=cdnperf.com|dnsperf.com +@@||api.touchnote.io^$xmlhttprequest,domain=app.touchnote.com +@@||api.vk.com/method/statEvents.$~third-party +@@||api.zeeg.me/api/analytics/events/$~third-party +@@||assets.fyers.in/Lib/analytics/Analytics.js$~third-party +@@||assets.msn.com/staticsb/statics/latest/adboxes/$script,~third-party +@@||att.com/scripts/adobe/prod/$script,~third-party +@@||att.com/scripts/adobe/virtual/detm-container-hdr.js$~third-party +@@||att.com/ui/services_co_myatt_common/$script,~third-party +@@||att.tv^*/VisitorAPI.js$script,~third-party +@@||autocomplete.clearbit.com^$xmlhttprequest +@@||azureedge.net/prod/smi/loader-config.json$domain=pressdemocrat.com +@@||bam.nr-data.net^$script,domain=kapwing.com +@@||bgp.he.net/images/flags/*.gif?$image,~third-party +@@||bjjhq.com/HttpCombiner.ashx?$script,~third-party +@@||blackcircles.ca^$script,~third-party +@@||blueconic.net/bostonglobemedia.js$domain=bostonglobe.com +@@||board-game.co.uk/cdn-cgi/zaraz/s.js$script,~third-party +@@||bookmate.com^*/impressions?$~third-party,xmlhttprequest +@@||bostonglobe.com/login/js/lib/AppMeasurement.js$~third-party +@@||browser-intake-datadoghq.com^$domain=pluto.tv +@@||browser.covatic.io/sdk/v1/bauer.js$script,domain=hellorayo.co.uk +@@||c.lytics.io/api/tag/$script,domain=time.com +@@||c.paypal.com/da/r/fb.js$script +@@||c.webtrends-optimize.com/acs/$image,script,domain=tvlicensing.co.uk +@@||canadacomputers.com/templates/ccnew/assets/js/jquery.browser-fingerprint-$~third-party +@@||cdc.gov/jscript/metrics/adobe/launch/$script,~third-party +@@||cdn-net.com/cc.js +@@||cdn.getblueshift.com/blueshift.js$script,domain=rentcafe.com +@@||cdn.heapanalytics.com^$script,domain=libertymutual.com +@@||cdn.jsdelivr.net^*/fp.min.js$script,domain=cuevana2.io +@@||cdn.listrakbi.com^$script,domain=mackenzie-childs.com +@@||cdn.matomo.cloud/tekuchi.matomo.cloud/matomo.js$domain=berkeleygroup.digital +@@||cdn.mxpnl.com/libs/$script,domain=get.pumpkin.care +@@||cdn.perfops.net/rom3/rom3.min.js$domain=cdnperf.com +@@||cdn.segment.com/analytics-next/ +@@||cdn.segment.com/analytics.js/$script,domain=abstractapi.com|app.cryptotrader.tax|driversed.com|fender.com|finerdesk.com|foxbusiness.com|foxnews.com|givingassistant.org|inxeption.io|reuters.com|squaretrade.com|swatches.interiordefine.com +@@||cdn.segment.com/next-integrations/integrations/ +@@||cdn.segment.com/v1/projects/ +@@||cdn.sophi.io/assets/$script,domain=nationalpost.com +@@||cdn.usefathom.com/script.js$domain=sharpen-free-design-generator.netlify.app +@@||cdn.viglink.com/api/vglnk.js$domain=9to5mac.com|electrek.co +@@||certona.net^*/scripts/resonance.js$script,domain=canadiantire.ca|finishline.com|summitracing.com|tumi.com +@@||channel.images.production.web.w4a.tv^*/ard.png?$domain=yallo.tv +@@||chart-embed.service.newrelic.com^$subdocument,xmlhttprequest +@@||chasecdn.com/web/*/eventtracker.js$domain=chase.com +@@||chat.d-id.com/assets/mixpanel.$~third-party +@@||check.ddos-guard.net/check.js$script +@@||cleverpush.com/channel/$script,domain=bsdex.de|heise.de +@@||cleverpush.com/sdk/$script,domain=heise.de +@@||cloudflare.com/ajax/libs/fingerprintjs2/$domain=extracttable.com|fckrasnodar.ru|login.kroton.com.br +@@||cloudflare.com/cdn-cgi/trace$domain=infyspringboard.onwingspan.com|injora.com|kiichin.com|myair.resmed.com|twgtea.com +@@||cloudflareinsights.com/beacon.min.js$script,domain=app.uniswap.org +@@||cloudfront.net/atrk.js$domain=luxuryrealestate.com +@@||cloudinary.com/perimeterx/$image,domain=perimeterx.com +@@||cnet.com/a/video-player/uvpjs-rv/$script,~third-party +@@||cohesionapps.com/cohesion/$domain=bankrate.com|frontier.com +@@||cohesionapps.com/preamp/$subdocument,xmlhttprequest,domain=frontier.com +@@||collections.archives.govt.nz/combo/*/gtag.js$script,~third-party +@@||collusion.com/static/newrelic.js$script,~third-party +@@||commerce.adobe.io^$xmlhttprequest,domain=superbrightleds.com +@@||community.brave.com/t/$xmlhttprequest +@@||connatix.com/min/connatix.renderer.infeed.min.js$domain=accuweather.com|collider.com|gamepress.gg|salon.com +@@||console.statsig.com/_next/$~third-party +@@||coremetrics.com*/eluminate.js +@@||coxbusiness.com/R136/assets/newrelic/newrelic.js$~third-party +@@||cpt-static.gannettdigital.com/universal-web-client/master/latest/elements/vendor/adobe/app-measurement.html$xmlhttprequest +@@||cpt-static.gannettdigital.com/universal-web-client/master/latest/elements/vendor/adobe/visitor-api.html$xmlhttprequest +@@||cqcounter.com^$domain=cqcounter.com +@@||crimemapping.com/cdn/*/analytics/eventtracking.js$~third-party +@@||criteo.com/delivery/$domain=canadiantire.ca +@@||cults3d.com/packs/js/quantcast-$~third-party +@@||cvs.com/shop-assets/js/VisitorAPI.js$~third-party +@@||d2ma0sm7bfpafd.cloudfront.net/wcsstore/waitrosedirectstorefrontassetstore/custom/js/analyticseventtracking/$script,domain=waitrosecellar.com +@@||d2wy8f7a9ursnm.cloudfront.net/v8/bugsnag.min.js$script,domain=forecastapp.com +@@||d347cldnsmtg5x.cloudfront.net/util/1x1.gif$image,domain=aplaceforeverything.co.uk +@@||d41.co/tags/ff-2.min.js$domain=ads.spotify.com +@@||data.adxcel-ec2.com^$image,domain=laguardia.edu +@@||datadoghq-browser-agent.com^$script,domain=bbcgoodfood.com|cdn.spatialbuzz.com|dashboard.getdriven.app|hungryroot.com|usa.experian.com +@@||delta.com/dlhome/ruxitagentjs$~third-party +@@||docs.google.com/*/viewdata$~third-party +@@||driverfix.com^*/index_src.php?tracking=$~third-party +@@||dw.com.com/js/dw.js$domain=cbsnews.com|tv.com +@@||dz9qn8fh4jznm.cloudfront.net/script.js$script,domain=bostonglobe.com +@@||easternbank.com/sites/easternbank/files/google_tag/eastern_bank/google_tag.script.js$script,~third-party +@@||easy-firmware.com/templates/default/html/*/assets/js/fingerprint2.min.js$script,~third-party +@@||ebanking.meezanbank.com/AmbitRetailFrontEnd/js/fingerprint2.min.js$~third-party +@@||ec.europa.eu/eurostat/databrowser/assets/analytics/piwik.js$script,~third-party +@@||ensighten.com^*/Bootstrap.js$domain=americanexpress.com|ba.com|bestbuy.com|britishairways.com|capitalone.com|caranddriver.com|cart.autodesk.com|citi.com|citigold.com.sg|citizensbank.com|dell.com|fidelity.com|france24.com|hp.com|norton.com|rfi.fr|sbs.com.au|sfgate.com|staples.com|target.com|verizonwireless.com|williamhill.com|womenshealthmag.com|zales.com +@@||ensighten.com^*/code/$script +@@||ensighten.com^*/scode/$script,domain=norton.com +@@||ensighten.com^*/serverComponent.php?$script +@@||etsy.com/api/v3/ajax/bespoke/*log_performance_metrics=$~third-party +@@||events.raceresult.com^$~third-party,xmlhttprequest +@@||evergage.com/api2/event/$domain=mbusa.com +@@||evil-inc.com/comic/advertising-age/$~third-party,xmlhttprequest +@@||extreme-ip-lookup.com^$script,domain=bulkbarn.ca +@@||ezodn.com/cmp/gvl.json$xmlhttprequest +@@||fast.fonts.net/jsapi/core/mt.js$script,domain=bkmedical.com|eclecticbars.co.uk|gables.com|itsolutions-inc.com|kinsfarmmarket.com|senate.gov +@@||fdi.fiduciarydecisions.com/a/lib/gtag/gtag.js$script,~third-party +@@||fdi.fiduciarydecisions.com/v/app/components/*/Analytics.js$script,~third-party +@@||fichub.com/plugins/adobe/lib/AppMeasurement.js$domain=natgeotv.com +@@||fichub.com/plugins/adobe/lib/VisitorAPI.js$domain=natgeotv.com +@@||filme.imyfone.com/assets/js/gatrack.js$~third-party +@@||firebase.google.com/docs/analytics/$~third-party +@@||forum.djicdn.com/static/js/sensorsdata.min.js$script,domain=forum.dji.com +@@||friendbuy.com^$domain=butcherbox.com +@@||ganyancanavari.com/js/fingerprint2.min.js$~third-party +@@||geoip-db.com/jsonp/$script,third-party +@@||geolocation-db.com/jsonp$script,domain=parts.hp.com +@@||getflywheel.com/addons/google-analytics/$~third-party +@@||getpublica.com/playlist.m3u8$xmlhttprequest +@@||github.com/gorhill/uBlock/*/src/web_accessible_resources/fingerprint2.js$~third-party +@@||globalatlanticannuity.com/assets/embed/gtm.js$script,~third-party +@@||glookup.info/api/json/$domain=grabify.link +@@||gnar.grammarly.com/events$xmlhttprequest,domain=account.grammarly.com +@@||groupbycloud.com/gb-tracker-client-3.min.js +@@||gstatic.com^*/firebase-performance-standalone.js$script,domain=flightradar24.com +@@||gsuite.tools/js/gtag.js$script,~third-party +@@||guce.advertising.com/collectIdentifiers$~third-party +@@||healthgateway.gov.bc.ca/snowplow.js$~third-party +@@||hello.myfonts.net/count/$stylesheet,domain=cfr.org|condor.com|furniturevillage.co.uk|luggagehero.com +@@||hobbyking.com^*/gtm.js$script,~third-party +@@||hotstarext.com/web-messages/core/error/v52.json$xmlhttprequest,domain=hotstar.com +@@||identity.mparticle.com^$xmlhttprequest +@@||ignitetv.rogers.com/js/api/fingerprint.js$script,~third-party +@@||ignitetv.shaw.ca/js/api/fingerprint.js$~third-party +@@||ikea.com^*/analyticsEvent.$script,~third-party +@@||imgur.com/min/px.js$~third-party +@@||indeed.com/rpc/log/myjobs/$~third-party +@@||intuitcdn.net/libs/*/track-star.min.js$script,domain=turbotax.intuit.com +@@||ipapi.co/json/$xmlhttprequest,domain=168.dailymaverick.co.za|audius.co +@@||ipinfo.io/?token=$domain=assurancemortgage.com|webtv.ert.gr +@@||ipinfo.io/json$domain=ptube.pipio.site|queye.co +@@||ipv4.seeip.org/jsonip$domain=empire-streaming.app +@@||join.southerncross.co.nz/quote/_assets/js/sx/app/helpers/gtm.js +@@||js-agent.newrelic.com^$domain=alliantcreditunion.com|giftcards.com|kapwing.com|live.griiip.com +@@||js.datadome.co/tags.js$script,domain=monster.ca|sso.garena.com|thefork.com +@@||js.monitor.azure.com/scripts/$script,domain=genya.it|microsoft.com|rubex.efilecabinet.net +@@||js.sentry-cdn.com^$script,domain=app.homebinder.com|book.dmm.com|etsy.com|interacty.me|jobs.ch|pizzahut.com.au +@@||jsrdn.com/s/$script,domain=distro.tv +@@||kameleoon.eu/kameleoon.js$script,domain=buttercloth.com|jules.com +@@||kaptcha.com/collect/sdk?$domain=palmettostatearmory.com|wyze.com +@@||kaxsdc.com/collect/sdk$xmlhttprequest,domain=vanillaereward.com +@@||kilimall.co.tz/sensorsdata.min.js$~third-party +@@||kilimall.com*/js/sensorsdata.min.js$script,domain=kilimall.co.ke +@@||kohls.com/ecustservice/js/sitecatalyst.js$script,~third-party +@@||lab.eu.amplitude.com^$xmlhttprequest,domain=bluelightcard.co.uk +@@||lacoste.com^*/click-analytics.js$~third-party +@@||lamycosphere.com/cdn/shop/*/assets/pixel.gif$image,~third-party +@@||languagecloud.sdl.com/node_modules/fingerprintjs2/dist/fingerprint2.min.js$~third-party +@@||leadpages.io/analytics/v1/observations/capture?$xmlhttprequest +@@||leanplum.com^$domain=arkadium.com +@@||legendstracking.com/js/legends-tracking.js$~third-party +@@||lenovo.com/_ui/desktop/common/js/AdobeAnalyticsEvent.js$script,~third-party +@@||lenovo.com/fea/js/adobeAnalytics/$script,~third-party,xmlhttprequest +@@||letmegpt.com/js/gpt.js$~third-party +@@||level.travel/tracker/tracker.js$script,~third-party +@@||lightning.bleacherreport.com/launch/*-source.min.js$~third-party +@@||lightning.bleacherreport.com^*/launch-$~third-party +@@||live.rezync.com^$script,domain=batteriesplus.com +@@||liveapi.cleverpush.com/websocket$websocket,domain=heise.de +@@||loader-cdn.azureedge.net/prod/smi/loader.min.js$domain=pressdemocrat.com +@@||logging.apache.org^$~third-party +@@||logo.clearbit.com^$image,third-party +@@||lr-ingest.io/LogRocket.min.js$domain=smartcare.com +@@||m1tm.insideevs.com/gtm.js$~third-party +@@||magento-recs-sdk.adobe.net/v2/index.js$script,domain=superbrightleds.com +@@||mapquestapi.com/logger/$domain=hertz.com +@@||maps.arcgis.com/apps/*/AppMeasurement.js$~third-party +@@||maptiles.ping-admin.ru^$image,domain=ping-admin.com +@@||martech.condenastdigital.com/lib/martech.js$script,domain=wired.com +@@||matomo.miraheze.org/matomo.js$script,~third-party +@@||maxmind.com/geoip/$xmlhttprequest,domain=ibanez.com +@@||maxmind.com^*/geoip.js$domain=aljazeera.com|ballerstatus.com|bikemap.net|carltonjordan.com|cashu.com|dr.dk|everydaysource.com|fab.com|girlgames4u.com|ip-address.cc|qatarairways.com|sat-direction.com|sotctours.com|stoli.com|vibe.com +@@||maxmind.com^*/geoip2.js$domain=bandai-hobby.net|boostedboards.com|donorschoose.org|driftinnovation.com|fallout4.com|ibanez.com|instamed.com|metronews.ca|mtv.com.lb|runningheroes.com|tama.com|teslamotors.com +@@||mbe.modelica.university/_next/static/*/pages/pageview.js$~third-party +@@||mclo.gs/js/logview.js$~third-party +@@||metrics.bangbros.com/tk.js$~third-party +@@||mlbstatic.com/mlb.com/adobe-analytics/$script,domain=mlb.com +@@||mmstat.com/eg.js$script,domain=aliexpress.com +@@||mopar.com/moparsvc/mopar-analytics-state$~third-party +@@||mozu.com^*/monetate.js$script,domain=acehardware.com +@@||mparticle.com/js/v2/*/mparticle.js$script,domain=bk.com|bravotv.com|cnbc.com|gymshark.com|motortrendondemand.com|nbcsports.com +@@||msecnd.net/scripts/jsll-$script,domain=forms.microsoft.com|office.com|sharepoint.com|teams.microsoft.com +@@||munchkin.marketo.net/munchkin.js$domain=st.com|telus.com +@@||mxpnl.com/libs/mixpanel-*.min.js$domain=change.org|frigidaire.com +@@||mxpnl.com^$domain=mixpanel.com +@@||my.goabode.com/assets/js/fp2.min.js$script,~third-party +@@||myaccount.chicagotribune.com/assets/scripts/tag-manager/googleTag.js$~third-party +@@||nakedwines.co.uk/search/hitcount?$~third-party +@@||nationwide.com/myaccount/includes/images/x.gif$~third-party +@@||natureetdecouvertes.com^*/pixel.png$~third-party +@@||netcoresmartech.com/smartechclient.js$domain=hdfcfund.com +@@||new.abb.com/ruxitagentjs_$~third-party +@@||newrelic.com/nr-*.min.js$domain=surveymonkey.co.uk|surveymonkey.com|surveymonkey.de +@@||next.co.uk/static-content/gtm-sdk/gtm.js$~third-party +@@||nike.com/assets/measure/data-capture/analytics-client.min.js$script,~third-party +@@||nintendolife.com/themes/base/javascript/fingerprint.js$~third-party +@@||nocookie.net^*/tracking-opt-in.min.js$script,domain=fandom.com +@@||noodid.ee/chordQuiz/$~third-party +@@||noxgroup.com/noxinfluencer/sensor_sdk/$script,domain=noxinfluencer.com +@@||nsfw.xxx/vendor/fingerprint/fingerprint2.min.js$script,~third-party +@@||nypost.com/blaize/datalayer$~third-party +@@||nytimes.com^*/EventTracker.js$~third-party +@@||odb.outbrain.com/utils/get?url=$script,domain=cnn.com +@@||ondemand.sas.com^$subdocument +@@||onenote.com^*/aria-web-telemetry +@@||online-metrix.net/fp/tags.js$domain=donorschoose.org +@@||onlinebanking.usbank.com/TUX/public/libs/adobe/appmeasurement.js$script,~third-party +@@||openfpcdn.io/botd/v1$script,domain=collinsdictionary.com +@@||optimove.net^$domain=app.touchnote.com +@@||ots.webtrends-optimize.com/$xmlhttprequest,domain=tvlicensing.co.uk +@@||outbrain.com/outbrain.js$domain=cnn.com +@@||p.typekit.net/p.css$stylesheet,domain=athleticpropulsionlabs.com|browserstack.com|bungie.net|business.untappd.com|petsafe.com|robertsspaceindustries.com +@@||palmettostatearmory.com/static/$script,~third-party +@@||pals.pa.gov/vendor/analytics/$~third-party +@@||parcel.app/webtrack.php?$~third-party +@@||parsely.com/keys/$script,domain=wmmr.com|wrif.com +@@||paypal.com/xoplatform/logger/api/logger$domain=play.leagueofkingdoms.com +@@||paypalobjects.com/*/pageView.js$script,domain=paypal.com +@@||paypalobjects.com/web/*/gAnalytics.js$script,domain=paypal.com +@@||pcoptimizedsettings.com/wp-content/plugins/koko-analytics/$~third-party +@@||pcoptimizedsettings.com/wp-content/uploads/breeze/google/gtag.js$~third-party +@@||pendo.io/agent/static/$script,domain=recruiting.adp.com +@@||plantyn.com/optiext/optiextension.dll$~third-party +@@||plausible.io/js/plausible.js$script,domain=sammobile.com +@@||plex.tv/api/v2/geoip$xmlhttprequest +@@||plugin.intuitcdn.net/vep-collab-smlk-ui/assets/vendor/glance/cobrowse/ +@@||plugins.matomo.org^$image,~third-party +@@||portal.cityspark.com/PortalScripts/DailyCamera$domain=dailycamera.com +@@||portal.cityspark.com/v1/event$domain=dailycamera.com +@@||postex.com/api/ping?$~third-party +@@||powerquality.eaton.com/include/js/elqScr.js$~third-party +@@||ps.w.org/wp-slimstat/$domain=wordpress.org +@@||pub.pixels.ai/prebid_standard.js$script,domain=standard.co.uk +@@||public.fbot.me/events/$domain=casper.com +@@||px-cdn.net/api/v2/collector/ocaptcha$xmlhttprequest +@@||qm.redbullracing.com/gtm.js$~third-party +@@||quantcast.com/wp-content/themes/quantcast/$domain=quantcast.com +@@||reactandshare.com^$domain=maanmittauslaitos.fi +@@||realclearpolitics.com/esm/assets/js/admiral.js$~third-party +@@||realclearpolitics.com/esm/assets/js/analytics/chartbeat.js$~third-party +@@||realclearpolitics.com/esm/assets/js/analytics/gaAnalytics.js$~third-party +@@||reallyfreegeoip.org/json/$domain=thekitchensafe.com +@@||redbull.com/gtm.js$~third-party +@@||res-x.com^*/Resonance.aspx? +@@||researchintel.com^*/feedback.asp$xmlhttprequest,domain=intel.com +@@||rest.edit.site/geoip-service/geoip$domain=systemshouse.com +@@||retailmenot.com/__wsm.gif$ping,~third-party,xmlhttprequest +@@||rfksrv.com/rfk/js/*/init.js$script,domain=riteaid.com|spirithalloween.com +@@||riverlink.etcchosted.com/widgets/com/mendix/widget/web/googletag/GoogleTag.js$~third-party +@@||rollbar.com^*/rollbar.min.js$domain=rollingstone.com|variety.com|wwd.com +@@||s-microsoft.com/mscc/statics/$script,domain=microsoft.com +@@||sc.youmaker.com/site/article/count? +@@||scorecardresearch.com^*/streamingtag_plugin_jwplayer.js +@@||sealserver.trustwave.com/seal.js$domain=zoom.us +@@||secure.logmein.com/scripts/Tracking/$script,domain=logme.in|logmein.com +@@||securegames.iwin.com/data/gtm.json$~third-party,xmlhttprequest +@@||seg-cdn.pumpkin.care/analytics.js/$~third-party +@@||seg-cdn.pumpkin.care/next-integrations/integrations/mixpanel/$domain=get.pumpkin.care +@@||seguridad.compensar.com/lib/js/fingerprint2.js$~third-party +@@||sephora-track.inside-graph.com/gtm/$domain=sephora.com +@@||sephora-track.inside-graph.com/ig.js$domain=sephora.com +@@||sephora.com/js/ufe/isomorphic/thirdparty/fp.min.js$script,~third-party +@@||sephora.com/js/ufe/isomorphic/thirdparty/VisitorAPI.js$~third-party +@@||service.apport.net/apport-spa-common/src/tracking/tracking.js$~third-party +@@||services.chipotle.com/__imp_apg__/$~third-party +@@||sharethis.com/button/buttons.js$domain=bristan.com +@@||shoonya.finvasia.com/fingerprint2.min.js$script,~third-party +@@||shop.bmw.com.au/assets/analytics-setup.js$~third-party +@@||shopify.com/shopifycloud/boomerang/shopify-boomerang-$domain=rydewear.com +@@||signalshares.com/webtrends.min.js$script,~third-party +@@||simcotools.app/assets/adsense-*.js$~third-party +@@||simpleanalyticsexternal.com^$script,domain=inleo.io +@@||smushcdn.com^*/1.gif$domain=retrounlim.com +@@||snap.licdn.com/li.lms-analytics/insight.min.js$domain=msci.com +@@||sohotheatre.com^*/PageView.js$~third-party +@@||solr.sas.com/query/$xmlhttprequest,domain=jmp.com +@@||sophos.com^*/tracking/gainjectmin.js$script,domain=community.sophos.com +@@||spark.co.nz/content/*/utag.sync.js$domain=skinny.co.nz +@@||src.fedoraproject.org/static/issues_stats.js?$~third-party +@@||src.litix.io/shakaplayer/*/shakaplayer-mux.js +@@||src.litix.io/videojs/*/videojs-mux.js +@@||ssl-images-amazon.com^*/satelliteLib-$script,domain=audible.com +@@||startribune.com/analytics-assets/sitecatalyst/appmeasurement.js$~third-party +@@||statcounter.com/css/packed/statcounter-$stylesheet,~third-party +@@||statcounter.com/js/packed/statcounter-$script,~third-party +@@||static.amazon.jobs/assets/analytics-$script,domain=amazon.jobs +@@||static.cloud.coveo.com/coveo.analytics.js/$domain=cabelas.com +@@||static.foxnews.com^*/VisitorAPI.js$domain=foxbusiness.com|foxnews.com +@@||static.knowledgehub.com/global/images/ping.gif?$~third-party +@@||static.myfinance.com/widget/$domain=savingspro.org +@@||stats.gleague.nba.com/templates/angular/tables/events/shots.html$~third-party +@@||stats.pusher.com/timeline/$script,domain=bringatrailer.com +@@||stats.sports.bellmedia.ca^$domain=rds.ca|tsn.ca +@@||stats.statbroadcast.com/interface/webservice/event/$~third-party +@@||stats.wnba.com/templates/angular/tables/events/$~third-party +@@||steamstatic.com/steam/apps/$image,domain=store.steampowered.com +@@||taboola.com/libtrc/*/loader.js$domain=dailymail.co.uk|foxsports.com +@@||tagcommander.com^*/tc_$script +@@||tags.news.com.au/prod/heartbeat/$script +@@||taplytics.com^$domain=royalbank.com +@@||target.microsoft.com/rest/$xmlhttprequest,domain=microsoft.com +@@||targetimg1.com/webui/$script,domain=target.com +@@||teams.microsoft.com/dialin-cdn-root/*/aria-web-telemetry-$~third-party +@@||telemetry.stytch.com/submit$domain=play.pixels.xyz +@@||tennispro.eu/min/?$script,~third-party +@@||thaiairways.com/static/common/js/wt_js/webtrends.min.js$~third-party +@@||thomas.co/sites/default/files/google_tag/primary/google_tag.script.js$script,~third-party +@@||tinypass.com^*/logAutoMicroConversion?$domain=chicago.suntimes.com +@@||tms.oracle.com/main/prod/utag.sync.js$~third-party +@@||tntdrama.com/modules/custom/ten_video/js/analytics_v2.js$~third-party +@@||tokbox.com/prod/logging/ClientEvent$domain=examroom.ai +@@||toyota.com/recall/static/js/custom/facebookPixel.js$~third-party +@@||traceparts.com/lib/piano-analytics/piano-analytics.js$script,~third-party +@@||track.shipstation.com/collections/trackingEvents.js$~third-party +@@||trackjs.com/agent/$script,domain=delta.com +@@||trackonomics.net/client/$script,domain=popsugar.com +@@||travel-assets.com/platform-analytics-prime/$domain=chase.com +@@||tunein.com/api/v1/comscore$~third-party +@@||unpkg.com/@adobe/magento-storefront-event-collector@$domain=osprey.com +@@||userapi.com^*.gif?extra=$image,domain=vk.com +@@||usplastic.com/js/hawk.js +@@||uwufufu.com/_nuxt/mixpanel.$~third-party +@@||vast.com/vimpressions.js$domain=everycarlisted.com +@@||vidible.tv^*/ComScore.StreamSense.js +@@||vidible.tv^*/ComScore.Viewability.js +@@||vivocha.com^*/vivocha.js?$script,domain=kartell.com +@@||we-stats.com/scripts/$script,domain=discover.com +@@||web-sdk.urbanairship.com/notify/$script,domain=etoro.com +@@||webtrends.com/js/webtrends.min.js$script,domain=tvlicensing.co.uk +@@||weightwatchers.com/optimizelyjs/$script,~third-party +@@||where2getit.com/traderjoes/rest/clicktrack?$domain=traderjoes.com +@@||widget.fitanalytics.com/widget.js$script,domain=pullandbear.com +@@||widget.trustpilot.com/bootstrap/$script,domain=amartfurniture.com.au|exodus.co.uk|imyfone.com +@@||wpfc.ml/b.gif$image,domain=holybooks.com +@@||wsj.net/iweb/static_html_files/cxense-candy.js$script,domain=marketwatch.com +@@||www.ups.com/WebTracking/processInputRequest +@@||wwwcache.wral.com/presentation/v3/scripts/providers/analytics/ga.js$~third-party +@@||xeroshoes.co.uk/affiliate/scripts/trackjs.js$~third-party +@@||xfinity.com/stream/js/api/fingerprint.js$~third-party +@@||yottaa.net^$script,domain=containerstore.com|hannaandersson.com +@@||zillow.com/rental-manager/proxy/rental-manager-api/api/v1/users/freemium/analytics/pageViews$~third-party +@@||zoominfo.com/c/amplitude-js$script,~third-party +! ! https://old.reddit.com/r/uBlockOrigin/comments/1czbcvg/foundit_is_blocking_searches_until_ublock_origin/ +@@||media.foundit.*/trex/public/theme_3/dist/js/userTracking.js$script,~third-party +! ! amplitude.com/libs +@@||amplitude.com/libs/$script,domain=elconfidencial.com|kink.com|pdfexpert.com|xe.com +! ! flag.lab.amplitude.com / api.lab.amplitude.com +@@||api.lab.amplitude.com^$domain=watch.outsideonline.com +@@||flag.lab.amplitude.com^$domain=watch.outsideonline.com +! ! googletagmanager.com/gtm.js +@@||googletagmanager.com/gtm.js$domain=3djuegosguias.com|3djuegospc.com|9to5mac.com|acehardware.com|acornonline.com|ads.spotify.com|aena.es|aeromexico.com|afisha.timepad.ru|aliexpress.com|almamedia.fi|ampparit.com|animeanime.jp|anond.hatelabo.jp|applesfera.com|aruba.it|arvopaperi.fi|atgtickets.com|atptour.com|aussiebum.com|auth.max.com|autobild.de|autorevue.cz|avis.com|axeptio.eu|backcountry.com|baywa-re.com|bbcgoodfood.com|benesse-style-care.co.jp|besplatka.ua|beterbed.nl|betten.de|binglee.com.au|bombas.com|book.impress.co.jp|bsa-whitelabel.com|bunte.de|butcherblockco.com|bybit.com|bybitglobal.com|caminteresse.fr|canadiantire.ca|capital.it|carcareplus.jp|carhartt-wip.com|casa.it|ccleaner.com|cdek.ru|cdon.fi|checkout.ao.com|chipotle.com|chronopost.fr|cinemacafe.net|cityheaven.net|clickup.com|cmoa.jp|como.fi|complex.com|compradiccion.com|computerbild.de|coolermaster.com|cora.fr|costco.co.jp|courses.monoprix.fr|cram.com|crello.com|cyclestyle.net|cyclingnews.com|cypress.io|dazeddigital.com|de.hgtv.com|deejay.it|dengekionline.com|dholic.co.jp|digitalocean.com|directoalpaladar.com|directv.com|dlsite.com|dmax.de|dmv.ca.gov|doodle.com|dropps.com|e15.cz|easternbank.com|ecovacs.com|edwardjones.com|eki-net.com|elcorteingles.es|elnuevodia.com|enmotive.com|episodi.fi|eprice.it|ergotron.com|espinof.com|euronics.ee|euronics.it|expressvpn.com|famesupport.com|fandom.com|feex.co.il|festoolusa.com|finanzen.at|finanzen.ch|finanzen.net|flets.com|flytap.com|focus.de|formula1.com|fortress.com.hk|fortune.com|freenet-funk.de|froxy.com|fum.fi|gamebusiness.jp|gamespark.jp|genbeta.com|glamusha.ru|globo.com|gorillamind.com|grandhood.dk|gravitydefyer.com|gumtree.com|harveynorman.co.nz|harveynorman.com.au|hatenacorp.jp|headlightrevolution.com|hepsiburada.com|herculesstands.com|hobbyhall.fi|hobbystock.jp|hostingvergelijker.nl|hotelfountaingate.com.au|idealo.at|idealo.de|iexprofs.nl|iltalehti.fi|independent.co.uk|inferno.fi|inside-games.jp|insiderstore.com.br|iodonna.it|iphoneitalia.com|j-wave.co.jp|jalan.net|jn.pt|join.kazm.com|journaldunet.com|jreastmall.com|junonline.jp|kakuyomu.jp|karriere.at|karriere.heldele.de|kauppalehti.fi|kedronparkhotel.com.au|kfc.co.jp|kinepolis.be|kinepolis.ch|kinepolis.es|kinepolis.fr|kinepolis.lu|kinepolis.nl|komputronik.pl|konami.com|la7.it|larousse.fr|lastampa.it|lasvegasentuidioma.com|lbc.co.uk|lecker.de|level.travel|life.fi|lift.co.za|linternaute.com|lippu.fi|loopearplugs.com|luko.eu|m1.com|m2o.it|magazineluiza.com.br|mainichi.jp|makitani.net|mall.heiwa.jp|mangaseek.net|mcgeeandco.com|mecindo.no|mediamarkt.nl|mediuutiset.fi|mercell.com|meritonsuites.com.au|midilibre.fr|mikrobitti.fi|mirapodo.de|mobilmania.cz|montcopa.org|morimotohid.com|mustar.meitetsu.co.jp|mycar-life.com|mysmartprice.com|nanikanokami.github.io|nap-camp.com|netcombo.com.br|newscafe.ne.jp|nflgamepass.com|ngv.vic.gov.au|nielsendodgechryslerjeepram.com|nihontsushin.com|noelleeming.co.nz|nordvpn.com|nourison.com|nove.tv|o2.co.uk|oakandfort.com|odia.ig.com.br|oetker-shop.de|okwave.jp|olx.ro|onepodcast.it|online-shop.mb.softbank.jp|online.ysroad.co.jp|onlineshop.ocn.ne.jp|order.fiveguys.com|papajohns.com|pccomponentes.com|petsathome.com|pgatoursuperstore.com|pioneer.eu|plaion.com|plantsome.ca|plex.tv|pohjanmaanhyvinvointi.fi|poprosa.com|porsche.com|portofoonwinkel.nl|post.ch|posti.fi|primeoak.co.uk|prisjakt.nu|prisonfellowship.org|prizehometickets.com.au|qrcode-monkey.com|radiko.jp|radio-canada.ca|radiobob.de|radiorur.de|rbbtoday.com|reanimal.jp|resemom.jp|response.jp|rocketnews24.com|rtl.de|rumba.fi|rustih.ru|rydercup.com|sanwacompany.co.jp|saraiva.com.br|saturn.at|savethechildren.it|scan.netsecurity.ne.jp|sciencesetavenir.fr|scotsman.com|service.smt.docomo.ne.jp|servicing.loandepot.com|shop.clifbar.com|shoprite.com|smartbox.com|soranews24.com|soundguys.com|soundi.fi|spektrum.de|sport1.de|sportingnews.com|sportiva.shueisha.co.jp|sportmaster.ru|spyder7.com|stage.parco.jp|store-jp.nintendo.com|str.toyokeizai.net|stressless.com|subscribe.greenbuildingadvisor.com|sunnybankhotel.com.au|superesportes.com.br|support.bose.com|support.brother.com|support.creative.com|support.knivesandtools.com|swarajyamag.com|swb.de|talent.lowes.com|talouselama.fi|tbsradio.jp|teddyfood.com|tekniikkatalous.fi|telia.no|thecw.com|theretrofitsource.com|ticketmaster.com|tickets.georgiaaquarium.org|tide.com|tilt.fi|tivi.fi|tn.com.ar|tomshw.it|topper.com.br|toyota-forklifts.se|trademe.co.nz|tradera.com|tredz.co.uk|trendencias.com|trendenciashombre.com|trendyol-milla.com|trendyol.com|tribuna.com|truckspring.com|tugatech.com.pt|tumi.com|tv-asahi.co.jp|type.jp|uclabruins.com|unieuro.it|uniqlo.com|upc.pl|upwork.com|uqr.to|uusisuomi.fi|veho.fi|vidaextra.com|video.lacnews24.it|video.repubblica.it|vip.de|virginmedia.com|vitonica.com|viviennewestwood-tokyo.com|vox.de|vtvgo.vn|wamiz.com|watson.ch|watsons.com.tr|workingclassheroes.co.uk|wowma.jp|wpb.shueisha.co.jp|www.gov.pl|xatakamovil.com|xxl.se|ymobile.jp|yotsuba-shop.com|youpouch.com|zakzak.co.jp|zazzle.com|zennioptical.com|zf1.tohoku-epco.co.jp|zinio.com|zive.cz|zozo.jp +! ! google-analytics.com/analytics.js +@@||google-analytics.com/analytics.js$domain=beinsports.com|brooklinen.com|carnesvizzera.ch|cmoa.jp|enmotive.com|healthrangerstore.com|hobbyhall.fi|infoconso-multimedia.fr|jackbox.tv|k2radio.com|koel.com|kowb1290.com|ligtv.com.tr|meritonsuites.com.au|nabortu.ru|news.gamme.com.tw|novatv.bg|papajohns.com|poiskstroek.ru|rzd.ru|saturn.at|schweizerfleisch.ch|skaties.lv|stressless.com|teddyfood.com|tracking.narvar.com|tradera.com|tribuna.com|truwin.com|tuasaude.com|unicef.de|viandesuisse.ch|vox.de|westernunion.com|worldsbiggestpacman.com|xxl.se +! ! googletagmanager.com/gtag/js +@@||googletagmanager.com/gtag/js$domain=17track.net|9to5mac.com|academy.com|acornonline.com|aena.es|afisha.timepad.ru|aliexpress.com|carhartt-wip.com|cbslocal.com|checkout.ao.com|cmoa.jp|cram.com|devclass.com|dholic.co.jp|docs.wps.com|ejgiftcards.com|enmotive.com|euronics.ee|factory.pixiv.net|fanpage.it|game.anymanager.io|globo.com|gmanetwork.com|herculesstands.com|honeystinger.com|hostingvergelijker.nl|huion.com|inforesist.org|kawasaki.com|kinepolis.be|kinepolis.ch|kinepolis.es|kinepolis.fr|kinepolis.lu|kinepolis.nl|liene-life.com|livongo.com|m.putlocker.how|mall.heiwa.jp|mediaite.com|mirrativ.com|modehasen.de|montcopa.org|nihontsushin.com|o2.co.uk|oko.sh|panflix.com.br|papajohns.com|plex.tv|radiosarajevo.ba|rintraccialamiaspedizione.it|schwab.com|seatmaps.com|showroom-live.com|skylar.com|square-enix.com|starblast.io|supplementmart.com.au|ticketmaster.com|timparty.tim.it|toptal.com|truckspring.com|virginmedia.com|virginplus.ca|winefolly.com|winhappy.com|xl-bygg.no|zf1.tohoku-epco.co.jp +! ! googleoptimize.com/optimize.js +@@||googleoptimize.com/optimize.js$domain=binglee.com.au|grasshopper.com|in.bookmyshow.com|inquirer.com|investing.com|lacomer.com.mx|lodgecastiron.com|tentree.ca|virginmedia.com +! ! google-analytics.com/mp/collect? +@@||google-analytics.com/mp/collect?$domain=startse.com +! ! google-analytics.com/plugins/ua/ec.js +@@||google-analytics.com/plugins/ua/ec.js$domain=saturn.at|teddyfood.com|xxl.se +! ! google-analytics.com/ga.js +@@||google-analytics.com/ga.js$domain=meritonsuites.com.au|realpage.com +! ! collect.igodigital.com/collect.js +@@||collect.igodigital.com/collect.js$domain=berkley-fishing.com|enoteca.co.jp|goodwillfinds.com|samash.com|viajeguanabara.com.br|vitalsource.com|wilsonparking.com.au +! ! browser.sentry-cdn.com +@@||browser.sentry-cdn.com^$domain=acustica-audio.com|dic.pixiv.net|doconcall.com.my|eco-clobber.co.uk|fundhero.io|marshmallow-qa.com|menshealth.com|ocado.com|podcasty.seznam.cz|roomster.com|shop.dns-net.de|spacemarket.com|timesprime.com|vivareal.com.br|womenshealthmag.com +! ! ||assets.adobedtm.com/extensions/*/AppMeasurement.min.js +@@||assets.adobedtm.com/extensions/*/AppMeasurement.min.js$domain=nbc.com|subwy.com|tatamotors.com|usanetwork.com +! ! adobedtm.com^*/satelliteLib- +@@||adobedtm.com^*/satelliteLib-$script,domain=absa.co.za|ally.com|americanexpress.com|as.com|auspost.com.au|backcountry.com|bmw.com.au|canadapost-postescanada.ca|ceair.com|collegeboard.org|conad.it|costco.com|crackle.com|crackle.com.ar|crackle.com.br|crackle.com.ec|crackle.com.mx|crackle.com.pe|crackle.com.py|crave.ca|crimewatchdaily.com|dhl.de|directline.com|elgiganten.se|elkjop.no|eonline.com|fcbarcelona.cat|fcbarcelona.cn|fcbarcelona.com|fcbarcelona.es|fcbarcelona.fr|fcbarcelona.jp|firststatesuper.com.au|gigantti.fi|godigit.com|hellobank.fr|hgtv.com|hrw.com|ilsole24ore.com|jeep.com|laredoute.be|laredoute.ch|laredoute.co.uk|laredoute.com|laredoute.es|laredoute.fr|laredoute.it|laredoute.pl|laredoute.pt|laredoute.ru|lenovo.com|lowes.com|malaysiaairlines.com|mastercard.us|mathworks.com|monoprice.com|myaetnasupplemental.com|nbcnews.com|nfl.com|nflgamepass.com|nofrills.ca|nrj.fr|oprah.com|oracle.com|pnc.com|poweredbycovermore.com|radiko.jp|realtor.com|redbull.tv|repco.co.nz|sbb.ch|searspartsdirect.com|shoppersdrugmart.ca|smooth.com.au|sony.jp|stuff.co.nz|subaru.com|support.nec-lavie.jp|tatacliq.com|telegraph.co.uk|timewarnercable.com|tou.tv|usanetwork.com|vanityfair.com|vtr.com|wayin.com|wired.com +! ! adobedtm.com^*-libraryCode_source.min.js +@@||adobedtm.com^*-libraryCode_source.min.js$domain=doda.jp +! ! adobedtm.com^*_source.min.js +@@||adobedtm.com^*_source.min.js$domain=ally.com|americanexpress.com|as.com|backcountry.com|crave.ca|disneyplus.disney.co.jp|hilton.com|hl.co.uk|homedepot.ca|kroger.com|mora.jp|nbarizona.com|pnc.com|tatacliq.com|telus.com +! ! adobedtm.com^*-source.min.js +@@||adobedtm.com^*-source.min.js$script,domain=53.com|aarp.org|ally.com|americanexpress.com|as.com|atresplayer.com|automobiles.honda.com|backcountry.com|bose.ae|bose.at|bose.ca|bose.ch|bose.cl|bose.co|bose.co.jp|bose.co.nz|bose.co.uk|bose.com|bose.com.au|bose.de|bose.dk|bose.es|bose.fi|bose.fr|bose.hk|bose.hu|bose.ie|bose.it|bose.lu|bose.mx|bose.nl|bose.no|bose.pe|bose.pl|bose.se|boseapac.com|bosebelgium.be|boselatam.com|bt.com|cadenaser.com|churchofjesuschrist.org|cibc.com|crave.ca|currys.co.uk|deutsche-bank.de|dollargeneral.com|etihad.com|fedex.com|guitarcenter.com|healthsafe-id.com|healthy.kaiserpermanente.org|helvetia.com|hgtv.com|hilton.com|homedepot.ca|ihg.com|imsa.com|ing.com.au|ingrammicro.com|kroger.com|lenovo.com|manager-magazin.de|marriott.com|mtvuutiset.fi|mybell.bell.ca|natwest.com|nbarizona.com|news.sky.com|personal.natwest.com|plasticsnews.com|pnc.com|poweredbycovermore.com|ralphlauren.com|samsung.com|sephora.com|snsbank.nl|ssrn.com|subway.com|tatacliq.com|telegraph.co.uk|telus.com|verizon.com|virginplus.ca|walgreens.com|xfinity.com +! ! adobedtm.com^*/mbox-contents- +@@||adobedtm.com^*/mbox-contents-$script,domain=absa.co.za|ally.com|americanexpress.com|as.com|backcountry.com|ceair.com|conad.it|costco.com|dhl.de|fcbarcelona.cat|fcbarcelona.cn|fcbarcelona.com|fcbarcelona.es|fcbarcelona.fr|fcbarcelona.jp|firststatesuper.com.au|hgtv.com|lenovo.com|lowes.com|nfl.com|oprah.com|pnc.com|shoppersdrugmart.ca|sony.jp|tatacliq.com|usanetwork.com|vanityfair.com|wired.com +! ! adobedtm.com/extensions/ +@@||adobedtm.com/extensions/$domain=antena3.com|apple.com|atresmedia.com|atresplayer.com|automobiles.honda.com|bravotv.com|cadenaser.com|crave.ca|foodnetwork.com|lasexta.com|telus.com|verizon.com|xfinity.com +! ! OtAutoBlock.js +@@||cookielaw.org^*/OtAutoBlock.js$domain=bancsabadell.com|darkreading.com|uphold.com +! ! cxense.com/document/search? +@@||cxense.com/document/search? +! ! cxense.com/persisted/execute +@@||cxense.com/persisted/execute$domain=nippon.com +! ! cxense.com/public/widget/ +@@||cxense.com/public/widget/$domain=bizjournals.com|businessinsider.de|computerbild.de|cxpublic.com|cyclestyle.net|friday.gold|friday.kodansha.co.jp|handelsblatt.com|inquirer.com|ksml.fi|mainichi.jp|marketwatch.com|nippon.com|savonsanomat.fi|shueisha.co.jp|tn.com.ar|tvnet.lv|wsj.com +! ! cxense.com/cx.cce.js +@@||cxense.com/cx.cce.js$domain=bizjournals.com|businessinsider.de|cxpublic.com|handelsblatt.com|inquirer.com|mainichi.jp|marketwatch.com|shueisha.co.jp|tarzanweb.jp|tn.com.ar|tvnet.lv|wsj.com +! ! cxense.com/cx.js +@@||cxense.com/cx.js$domain=13.cl|bizjournals.com|businessinsider.de|computerbild.de|cyclestyle.net|handelsblatt.com|inquirer.com|ksml.fi|mainichi.jp|marketwatch.com|nippon.com|savonsanomat.fi|shueisha.co.jp|str.toyokeizai.net|tarzanweb.jp|tn.com.ar|tv-tokyo.co.jp|tvnet.lv|wsj.com +! ! collector.appconsent.io +@@||collector.appconsent.io/hello$domain=lachainemeteo.com|lefigaro.fr +! ! imrworldwide.com/*ggc +@@||imrworldwide.com/novms/js/2/ggc$script,domain=9now.com.au|adelaidenow.com.au|advertiser.com.au|bestrecipes.com.au|byronnews.com.au|cairnspost.com.au|coffscoastadvocate.com.au|couriermail.com.au|dailyexaminer.com.au|espn.com|frasercoastchronicle.com.au|gattonstar.com.au|geelongadvertiser.com.au|gladstoneobserver.com.au|goldcoastbulletin.com.au|heraldsun.com.au|ipswichadvertiser.com.au|la7.it|news-mail.com.au|news.com.au|noosanews.com.au|ntnews.com.au|sky.it|sunshinecoastdaily.com.au|theaustralian.com.au|themercury.com.au|theweeklytimes.com.au|townsvillebulletin.com.au|tvnow.de|video.corriere.it|weeklytimesnow.com.au|whitsundaytimes.com.au +! ! imrworldwide.com/conf/ +@@||imrworldwide.com/conf/$script,domain=nbcolympics.com +! imrworldwide.com/v60.js +@@||imrworldwide.com/v60.js$domain=adelaidenow.com.au|advertiser.com.au|bestrecipes.com.au|byronnews.com.au|cairnspost.com.au|coffscoastadvocate.com.au|corriereadriatico.it|couriermail.com.au|dailyexaminer.com.au|fanpage.it|frasercoastchronicle.com.au|gattonstar.com.au|geelongadvertiser.com.au|gladstoneobserver.com.au|goldcoastbulletin.com.au|heraldsun.com.au|huffingtonpost.it|ilgazzettino.it|ilmattino.it|ilmessaggero.it|ipswichadvertiser.com.au|la7.it|last.fm|leggo.it|musicfeeds.com.au|news-mail.com.au|noosanews.com.au|ntnews.com.au|nzherald.co.nz|quotidianodipuglia.it|realestateview.com.au|sf.se|sunshinecoastdaily.com.au|theaustralian.com.au|themercury.com.au|theweeklytimes.com.au|threenow.co.nz|townsvillebulletin.com.au|video.deejay.it|video.espresso.repubblica.it|video.ilsecoloxix.it|video.lastampa.it|video.repubblica.it|weatherchannel.com.au|weeklytimesnow.com.au|whitsundaytimes.com.au +! ! mpsnare.iesnare.com +@@||mpsnare.iesnare.com^$script,domain=citi.com|citibank.com|jbhifi.com.au|login.skype.com|oreillyauto.com|power.fi|princessauto.com|ringcentral.com|screwfix.com|secure.coventrybuildingsociety.co.uk|usbank.com|verkkokauppa.com|vitacost.com|westernunion.com +! ! ingest.sentry.io/api/ +@@||ingest.sentry.io/api/$xmlhttprequest,domain=core.app|orionprotocol.io|play.tv3.lv|tesco.com|tesco.hu +! ! ci-mpsnare.iovation.com +@@||ci-mpsnare.iovation.com/snare.js$domain=equifax.ca +! ! lightning.cnn.com +@@||lightning.cnn.com^$script,domain=wfmz.com +! ! tag.aticdn.net +@@||tag.aticdn.net^$script,domain=gouv.fr|rte.ie|tv5monde.com|uktvplay.co.uk|visaconcierge.eu|yourstory.com +! ! cdn.optimizely.com/public +@@||cdn-pci.optimizely.com/public/*/sales_snippet.js$domain=talktalk.co.uk +@@||cdn.optimizely.com/public/*.json/tag.js$domain=mobile.de +! ! omtrdc.net +@@||omtrdc.net^*/mbox/json?$xmlhttprequest,domain=absa.co.za|att.com|pnc.com|vodafone.it +! ! tags.tiqcdn.com +@@||tags.tiqcdn.com/utag/*/utag.sync.js$domain=bankofamerica.com|hsbc.co.uk|samsung.com|sony.jp|visible.com|vmware.com +! statcounter.com charts https://github.com/uBlockOrigin/uAssets/issues/11321 +@@||gs.statcounter.com/chart.php$script,third-party +@@||statcounter.com/js//fusioncharts.charts.js +@@||statcounter.com/js/fusioncharts.js +@@||www.statcounter.com/images/$image,third-party +! ping exceptions +@@||api.babbel.io/gamma/v1/$ping,domain=babbel.com +! https://github.com/easylist/easylist/issues/10565 +@@||googletagmanager.com/gtm.js$domain=blaklader.at|blaklader.be|blaklader.ca|blaklader.com|blaklader.cz|blaklader.de|blaklader.dk|blaklader.ee|blaklader.es|blaklader.fi|blaklader.fr|blaklader.ie|blaklader.it|blaklader.nl|blaklader.no|blaklader.pl|blaklader.se|blaklader.uk +! Opera/Safari (buggy 3rd-party implementations) +! https://forums.lanik.us/viewtopic.php?f=64&t=45603&p=158333 +@@||bugsnag.com^$~third-party,domain=app.bugsnag.com +! Consent and video Fixes +@@||sourcepointcmp.bloomberg.*/ccpa.js$script,domain=bloomberg.co.jp|bloomberg.com +@@||sourcepointcmp.bloomberg.*/mms/get_site_data?$domain=bloomberg.co.jp|bloomberg.com +! CNAME (Specific allowlists) +@@||app.clarity.so^$~third-party +@@||cbsi.map.fastly.net^ +@@||content.ingbank.pl^ +@@||gva.et-gv.fr^$script,domain=culture.gouv.fr +@@||mycleverpush.com/iframe?$domain=bsdex.de +@@||n8s.jp^$script,domain=nikkei.com +@@||online-metrix.net^$script,domain=eki-net.com +@@||p11.techlab-cdn.com^$domain=wizzair.com +@@||sc.omtrdc.net^$domain=cibc.com +@@||team-rec.jp^$domain=search-voi.0101.co.jp|voi.0101.co.jp +@@||wwwimage-tve.cbsstatic.com^ +! Chrome bug (Endless loading causing site to crash https://forums.lanik.us/viewtopic.php?f=64&t=25152) +! Preliminarily allowlists Omniture s_code tracking pixels (script versions H.25 - H.25.2) due to breakage (https://adblockplus.org/forum/viewtopic.php?f=10&t=11378) if blocking the script causes issues +@@||omns.americanexpress.com/b/ss/ +@@||omtrdc.net/b/ss/$image,domain=ba.com|britishairways.com|halifax-online.co.uk +@@||omtrdc.net/rest/$xmlhttprequest +! Allowlists to fix broken pages of tracking companies +! Heatmap +@@||heatmap.it^$domain=heatmap.com|heatmap.it|heatmap.me|heatmap.org +@@||komas19.xyz/cdn-cgi/apps/$script,~third-party +! ----------------Allowlists to fix broken international sites-----------------! +! *** easylist:easyprivacy/easyprivacy_allowlist_international.txt *** +! +! ---------- German ---------- +! +@@||adconsole.ch/api/ws-businessclick/*/data.json$domain=finanzen.ch +@@||adnz.co/dmp/publisher.js$domain=finanzen.ch +@@||adnz.co/header.js?adTagId=$domain=finanzen.ch +@@||analytics.edgekey.net/html5/akamaihtml5-min.js$domain=br.de +@@||api-v4.trbo.com/r.php?$script,domain=blau.de +@@||apps.derstandard.at^*/TrackingCookieCheck?$subdocument +@@||asadcdn.com/adlib/$domain=computerbild.de +@@||asadcdn.com/assets/video/$domain=computerbild.de +@@||bilder-a.akamaihd.net/ip/js/ipdvdc/ipdvdc.min.js$domain=n-tv.de|toggo.de|vip.de +@@||businessclick.ch/index.js$domain=finanzen.ch +@@||classic.comunio.de/clubImg.phtml/$image,~third-party +@@||digitale-sammlungen.gwlb.de^*/pageview.js$script,domain=digitale-sammlungen.gwlb.de +@@||dynamicyield.com/scripts/*/dy-coll-nojq-min.js$domain=gigasport.at|gigasport.ch|gigasport.de +@@||energy.de^*/ivw.js?$domain=energy.de +@@||ens.nzz.ch^$~third-party +@@||geo.kaloo.ga/json/$script,domain=tagesspiegel.de +@@||google-analytics.com/gtm/js?$script,domain=unicef.de +@@||google-analytics.com/gtm/optimize.js$domain=focus.de +@@||googleoptimize.com/optimize.js?$domain=eventim.de +@@||gymnasedeburier.ch/themes/segment/js/$~third-party +@@||kameleoon.eu/images/$domain=welt.de +@@||kameleoon.eu/kameleoon.js$domain=welt.de +@@||kameleoon.io/geolocation^$domain=welt.de +@@||kameleoon.io/ip^$domain=welt.de +@@||l.ecn-ldr.de/loader/loader.js$domain=braun-hamburg.com +@@||online.mps-gba.de/praeludium/$script,domain=auto-motor-und-sport.de|caravaning.de|motorradonline.de +@@||outbrainimg.com^$third-party,domain=computerbild.de|fitbook.de|metal-hammer.de|rollingstone.de|stylebook.de +@@||pruefernavi.de/vendor/elasticsearch/elastic-apm-rum.umd.min.js$~third-party +@@||responder.wt-safetag.com/resp/api/get/$script,domain=myhermes.de +@@||sams.11freunde.de/ee/*/interact?$xmlhttprequest,domain=11freunde.de +@@||sams.spiegel.de/ee/irl1/v1/interact?$domain=spiegel.de +@@||script-at.iocnt.net/iam.js$domain=oe24.at +@@||showheroes.com/publishertag.js$domain=rollingstone.de +@@||showheroes.com/pubtag.js$domain=rollingstone.de +@@||spiegel.de/layout/js/http/netmind-$script +@@||taboola.com/libtrc/$script,domain=bild.de|computerbild.de|fitbook.de|jetzt.de|metal-hammer.de|musikexpress.de|noizz.de|rollingstone.de|stylebook.de|sueddeutsche.de|techbook.de|travelbook.de|welt.de|wieistmeineip.at|wieistmeineip.ch|wieistmeineip.de +@@||technical-service.net^$xmlhttprequest,domain=n-tv.de|rtl.de|vip.de +@@||tipico.de/js/modules/fingerprintjs2/fingerprint2.min.js$script,~third-party +@@||toggo.de/static/js/sourcepoint.js$domain=toggo.de +@@||trbo.com/plugin/trbo_$script,domain=blau.de +@@||ttmetrics.faz.net/rest/v1/delivery?$domain=faz.net +@@||uim.tifbs.net/js/$script,domain=web.de +@@||widgets.trustedshops.com/reviews/tsSticker/$domain=koziol-shop.de +! +! ---------- Greek ----------- +! +@@||extreme-ip-lookup.com/json/$xmlhttprequest,domain=skaitv.gr +! +! ---------- French ---------- +! +@@||actiris.be/urchin.js +@@||ausha.tsbluebox.com^$media,domain=podcast.ausha.co +@@||caf.fr^*/smarttag.js$script,~third-party +@@||cmp.telerama.fr/js/telerama.min.js$~third-party +@@||connect.facebook.net^*/fbevents.js$domain=elinoi.com +@@||forecast.lemonde.fr/p/event/pageview?$image,~third-party +@@||helix.videotron.com/js/api/fingerprint.js$~third-party +@@||logic-immo.com/lib/xiti/xiti.js$script,~third-party +@@||mabanque.fortuneo.fr/js/front/fingerprint2.js$script,domain=mabanque.fortuneo.fr +@@||pmdstatic.net/advertising-$script,xmlhttprequest,domain=programme-tv.net +@@||relevant-digital.com^$script,domain=20min.ch +@@||service-public.fr^*/assets/js/eulerian/eulerian.js$~third-party +@@||tag.aticdn.net/piano-analytics.js$script,domain=toureiffel.paris +@@||tra.scds.pmdstatic.net/sourcepoint/$domain=businessinsider.fr|caminteresse.fr|capital.fr|voici.fr +@@||trustcommander.net/iab-tcfapi/tcfapi.js$script,domain=tf1info.fr +! +! ---------- Arabic ---------- +! +@@||collector.leaddyno.com/shopify.js$script,domain=s4l.us +@@||nbe.com.eg/NBEeChannelManager/CallMW.aspx$~third-party +@@||rudaw.net/images/pixel.gif$~third-party +@@||static.leaddyno.com/js$script,domain=s4l.us +! +! ---------- Bosnian ---------- +! +@@||ocdn.eu/ucs/static/*/onesignal.js$script,domain=pulsonline.rs +! +! ---------- Bulgarian ---------- +! +! +! ---------- Chinese ---------- +! +@@||10086.cn/framework/modules/sdc.js$script,~third-party +@@||aixifan.com^*/sensorsdata.min.js?$domain=acfun.cn +@@||baidu.com/api/bidder/$domain=jump2.bdimg.com +@@||gtimg.com/qqcdn/*/beacon.min.js$script,domain=qq.com +@@||hk.on.cc/js/v4/urchin.js +@@||ipqualityscore.com/api/$script,domain=carousell.com.hk +@@||iwrite.unipus.cn/js/main/GPT.js$~third-party +@@||mail.163.com/fetrack/api/27/envelope/?sentry_key=$xmlhttprequest +@@||marketing.unionpayintl.com/offer-promote/static/sensorsdata.min.js$script,~third-party +@@||nobook.com/open-interface/official-sensors.git/$script,~third-party +@@||pubscholar.cn/static/common/fingerprint.js$script,~third-party +@@||pv.sohu.com/cityjson$domain=ems.com.cn +@@||statics.zcool.com.cn/track/sensors.$script,~third-party +@@||tianyancha.com^*/sensorsdata.$script,~third-party +! +! ---------- Czech ---------- +! +@@||1gr.cz/js/dtm/cache/satelliteLib-$domain=idnes.cz +@@||creditas.cz/cb/public/assets/SmartTag-$script,~third-party +@@||h.imedia.cz/js/cmp2/scmp.js$domain=seznam.cz +@@||hlidacstatu.cz/scripts/highcharts-6/modules/heatmap.js +@@||seznam.cz/?spec=*&url=$image,domain=search.seznam.cz +@@||tvcom-static.ssl.cdn.cra.cz/*/videojs.ga.js$script,domain=tvcom.cz +! +! ---------- Danish ---------- +! +@@||nemlog-in.dk/resources/js/adrum.js$~third-party +@@||spoc.sydtrafik.dk/CherwellPortal/dist/app/common/analytics/Analytics.js$~third-party +! +! ---------- Dutch ---------- +! +@@||3voor12.vpro.nl^*/streamsense.min.js$~third-party +@@||ad.crwdcntrl.net^$script,domain=rtl.nl +@@||gdh.postcodeloterij.nl/gdltm.js$domain=vriendenloterij.nl +@@||josiad.ns.nl/DG/DEFAULT/$xmlhttprequest +@@||marketingautomation.services^$script,domain=leeuwerik.nl +@@||tag.aticdn.net/piano-analytics.js$script,domain=boerzoektvrouw.kro-ncrv.nl +! +! ---------- Finnish ---------- +! +@@||analytics-sdk.yle.fi/yle-analytics.min.js$~third-party +@@||nelonenmedia.fi/logger/logger-ini.json$xmlhttprequest,domain=embed.sanoma-sndp.fi|supla.fi +! +! ---------- Hebrew ---------- +! +@@||amazonaws.com/static.madlan.co.il/*/heatmap.json?$xmlhttprequest +@@||haaretz.co.il/logger/p.gif?$image,xmlhttprequest +@@||mixpanel.com/track/?data=$xmlhttprequest,domain=eloan.co.il +@@||mxpnl.com/libs/mixpanel-*.min.js$domain=eloan.co.il +@@||themarker.com/logger/p.gif?$image,xmlhttprequest +@@||trc.taboola.com/inncoil/log/3/available$subdocument,domain=inn.co.il +! +! ---------- Hungarian ---------- +! +@@||keytiles.com/tracking/$script,domain=blikk.hu +@@||kozkutak.hu/getdata.php?v*=pageview$~third-party +! +! ---------- Icelandic ---------- +! +! +! ---------- Italian ---------- +! +@@||adobedtm.com^*/AppMeasurement.min.js$script,domain=sky.it +@@||adobetag.com/d2/telecomitalia/live/Aggregato119TIM.js$domain=tim.it +@@||analytics.edgekey.net/config/beacon-$xmlhttprequest,domain=raiplay.it +@@||cdnb.4strokemedia.com/carousel/v4/comscore-JS-$script +@@||chartbeat.com/js/chartbeat_brightcove_plugin.js$domain=capital.it|deejay.it|m2o.it +@@||clerk.io/clerk.js$script,domain=trony.it +@@||codicefl.shinystat.com/cgi-bin/getserver.cgi?$script,domain=3bmeteo.com|quotidiano.net +@@||digitrend.it/wonder-marketing/assets/wordpress/js/videojs.ga.js?$script,domain=vrsicilia.it +@@||jsdelivr.net^*/keen-tracking.min.js$domain=nextquotidiano.it +@@||kataweb.it/wt/wt.js?http$domain=gelocal.it|video.huffingtonpost.it|video.ilsecoloxix.it|video.lastampa.it|video.repubblica.it +@@||livesicilia.it/wp-content/plugins/digistream/digiplayer/js/videojs.ga.js?$script,~third-party +@@||qds.it/wp-content/plugins/digistream/digiplayer/js/videojs.ga.js?$script,~third-party +@@||radio24.ilsole24ore.com/plugins/cordova-plugin-nielsen/www/nielsen.js$script,~third-party +@@||repubblica.it/pw/pw.js?deskurl=$domain=gelocal.it|ilsecoloxix.it|lastampa.it +@@||sgtm.farmasave.it^$script,~third-party +@@||speedcurve.com/js/lux.js$script,domain=tv8.it +@@||thron.com/shared/plugins/tracking/current/tracking-library-min.js$domain=dainese.com +@@||timvision.it/libs/fingerprint/fingerprint.js +@@||track.adform.net/serving/scripts/trackpoint$script,domain=sky.it +! +! ---------- Indonesian ---------- +! +@@||detik.com/urchin.js +! +! ---------- Japanese ---------- +! +@@||allabout.co.jp/mtx_cnt.js$script,~third-party +@@||analytics.digitalpfizer.com/js/prod/pcc/pf_appmeasurement.js$domain=pfizer-covid19-vaccine.jp +@@||atwiki.jp/common/_img/spacer.gif?$image,domain=atwiki.jp +@@||b-cloud.templatebank.com/js/gtag.js$~third-party +@@||bdash-cloud.com/recommend-script/$script,domain=junonline.jp +@@||bdash-cloud.com/tracking-script/*/tracking.js$domain=junonline.jp +@@||c-web.cedyna.co.jp/customer/img/spacer.gif?$~third-party +@@||carsensor.net/usedcar/modules/clicklog_top_lp_revo.php$xmlhttprequest +@@||cdn.kaizenplatform.net^$script,domain=navi.onamae.com +@@||clarity.ms/tag/$script,domain=phileweb.com +@@||cmn.gyro-n.com/js/gyr.min.js$domain=benesse-style-care.co.jp +@@||cpt.geniee.jp/hb/*/wrapper.min.js$domain=hoyme.jp +@@||delivery.satr.jp^$script,domain=mieru-ca.com +@@||deteql.net/recommend/provision?$xmlhttprequest,domain=t-fashion.jp +@@||disneyplus.disney.co.jp/view/vendor/analytics/$~third-party +@@||dmp.im-apps.net/pms/*/pmt.js$domain=zakzak.co.jp +@@||docodoco.jp^*/docodoco?key=$script,domain=jrtours.co.jp +@@||e-stat.go.jp/modules/custom/retrieve/src/js/stat.js?$script,~third-party +@@||ev.tpocdm.com^$xmlhttprequest,domain=wowma.jp +@@||f-gear.ec-optimizer.com/img/spacer.gif$image,domain=ec.f-gear.co.jp +@@||f-gear.ec-optimizer.com/search4.do$script,domain=ec.f-gear.co.jp +@@||f-gear.ec-optimizer.com/speights/searchresult2fgear.js$script,domain=ec.f-gear.co.jp +@@||gamerch.com/s3-assets/library/js/fingerprint2.min.js?$script,~third-party +@@||geolocation-db.com/json/$domain=admanager.line.biz +@@||get.s-onetag.com/*/tag.min.js$domain=zakzak.co.jp +@@||googleadservices.com/pagead/conversion_async.js$script,domain=jp.square-enix.com +@@||googletagservices.com/tag/js/gpt.js$domain=fukuishimbun.co.jp +@@||guinnessworldrecords.jp/ezais/analytics$~third-party +@@||h-cast.jp^$script,domain=bookoffonline.co.jp +@@||howtonote.jp/google-analytics/$image,~third-party +@@||js.appboycdn.com/web-sdk/$domain=kfc.co.jp +@@||justmyshop.com/gate/criteo/product-id.js$~third-party +@@||k-img.com/script/analytics/s_code.js$script,domain=kakaku.com +@@||karte.io/libs/tracker.$domain=online.ysroad.co.jp|zf1.tohoku-epco.co.jp|zozo.jp +@@||l.logly.co.jp/lift$script,domain=sponichi.co.jp +@@||line-scdn.net^*/torimochi.js$script,domain=demae-can.com +@@||linksynergy.com/minified_logic.js$xmlhttprequest +@@||log000.goo.ne.jp/gcgw.js$domain=nttxstore.jp +@@||logly.co.jp/recommend/$image,domain=benesse.ne.jp|sponichi.co.jp +@@||moneypartners.co.jp/web/*/fingerprint.js$~third-party +@@||nakanohito.jp^*/bi.js$domain=kenko-tokina.co.jp|myna.go.jp +@@||nittsu.com/Tracking/Scripts/Tracking/track.js +@@||play.dlsite.com/csr/viewer/lib/newrelic.js +@@||pvtag.yahoo.co.jp^$script,domain=paypaymall.yahoo.co.jp +@@||rt.rtoaster.jp^$image,domain=ec-store.net +@@||rtoaster.jp/Rtoaster.js$domain=peachjohn.co.jp|satofull.jp +@@||rtoaster.jp^$script,domain=cecile.co.jp|ec-store.net|jreastmall.com|lexus.jp|melonbooks.co.jp +@@||s.yimg.jp/images/listing/tool/cv/ytag.js$domain=redstoneonline.jp +@@||s.yjtag.jp/tag.js$script,domain=baseball.yahoo.co.jp|bousai.yahoo.co.jp|soccer.yahoo.co.jp|www.epson.jp +@@||sail-horizon.com/spm/spm.v1.min.js$script,domain=voguegirl.jp +@@||sankei.co.jp/js/analytics/skd.Analysis.js$script +@@||sanspo.com/parts/chartbeat/$xmlhttprequest +@@||snva.jp/javascripts/reco/$script,domain=store.charle.co.jp +@@||suumo.jp/sp/js/beacon.js$script,~third-party +@@||tm.r-ad.ne.jp/128/ra346756.js$script,domain=hpdsp.net +@@||toweroffantasy-global.com/events/accounttransfer/public/js/fingerprint.js$~third-party +@@||townwork.net/js/AppMeasurement.js$~third-party +@@||twitter.com/oct.js$domain=jp.square-enix.com +@@||type.jp/common/js/clicktag.js +@@||ukw.jp^*/?cbk=$script,domain=system5.jp +@@||useinsider.com/ins.js$domain=pizzahut.jp +@@||user.userguiding.com/sdk/identify$xmlhttprequest,domain=xaris.ai +@@||webcdn.stream.ne.jp^*/referrer.js$domain=stream.ne.jp +@@||yjtag.yahoo.co.jp/tag?$script,domain=bousai.yahoo.co.jp +@@||yu.xyz.mn/images/event.gif?$image,~third-party +@@||zinro.net/m/log.php +! +! ---------- Korean ---------- +! +@@||naver.net/wcslog.js$domain=m.tv.naver.com +@@||ssl.pstatic.net/sstatic/sdyn.js$script,domain=search.naver.com +! +! ---------- Latvian ---------- +! +@@||gemius.pl/gplayer.js$script,third-party +! +! ---------- Macedonian ---------- +! +@@||motika.com.mk/wp-content/plugins/ajax-hits-counter/display-hits.rapid.php$~third-party +! +! ---------- Norwegian ---------- +! +@@||cat.telia.no/gtm.js$script,domain=telia.no +@@||hvemder.no/js/hitcount.min.js$~third-party +@@||komplett.no/gtm.js$script,~third-party +! +! ---------- Polish ---------- +! +@@||gemius.pl/gstream.js +@@||hit.gemius.pl/__/redataredir?$domain=ing.pl +@@||hit.interia.pl/iwa_core$script,~third-party +@@||iwa.iplsc.com/iwa.js$script +@@||login.ingbank.pl^*/satelliteLib-$script +@@||polfan.pl/app/vendor/fingerprint2.min.js$~third-party +@@||pushpushgo.com/js/$script,domain=centrumriviera.pl +@@||sascdn.com/tag/$script,domain=filmweb.pl +@@||smog.moja-ostroleka.pl/mapa/sensorsdata.json$~third-party +@@||staty.portalradiowy.pl/wstats/$script,third-party +! +! ---------- Portuguese ---------- +! +@@||auth2.picpay.com^*/event-tracking.js$script,~third-party +@@||d.tailtarget.com/profiles.js$domain=superesportes.com.br +@@||google-analytics.com/urchin.js$domain=record.xl.pt +@@||players.fichub.com/plugins/adobe/$domain=24kitchen.pt +@@||serasaexperian.com.br/dist/scripts/fingerprint2.js$~third-party +@@||sibs.com/fingerprint/sfp2/fp2.min.js$script,domain=net24.bancomontepio.pt +@@||siteapps.com^$script,domain=netcombo.com.br +@@||tags.t.tailtarget.com/t3m.js?$domain=superesportes.com.br +! +! ---------- Romanian ---------- +! +@@||content.adunity.com/aulib.js$script,domain=b1tv.ro +@@||imobiliare.ro/js/gtm.js$script,~third-party +@@||neo.btrl.ro/Scripts/services/fingerprint2.min.js$~third-party +@@||stream.adunity.com^$xmlhttprequest,domain=b1tv.ro +! +! ---------- Russian ---------- +! +@@||afisha.ru/proxy/videonetworkproxy.ashx?$xmlhttprequest +@@||criteo.net/js/ld/publishertag.js$domain=novayagazeta.ru +@@||dict.rambler.ru/fcgi-bin/$xmlhttprequest,domain=rambler.ru +@@||fplay.online/log_event$~third-party,xmlhttprequest +@@||k12-company.ru^*/statistics.js$script +@@||krok8.com/wp-content/plugins/pageviews/pageviews.min.js$script,~third-party +@@||labrc.pw/advstats/$xmlhttprequest +@@||mc.yandex.ru/metrika/tag.js$script,domain=auto.yandex|coddyschool.com +@@||mealty.ru/js/ga_events.js$~third-party +@@||mycargo.rzd.ru/dst/scripts/common/analytics-helper.js$~third-party +@@||online.bcs.ru^*/piwik.bcs.js$script +@@||openfpcdn.io/fingerprintjs/v3/iife.min.js$script,domain=mos03education.ru +@@||pay.citylink.pro/stats/services/$~third-party +@@||pladform.ru/dive/$xmlhttprequest +@@||pladform.ru/player$subdocument +@@||planetazdorovo.ru/pics/transparent_pixel.png$image,~third-party +@@||playep.pro/log_event$~third-party,xmlhttprequest +@@||player.fc-zenit.ru/msi/geoip?$xmlhttprequest +@@||player.smotrim.ru/js/piwik.js$~third-party +@@||player.vgtrk.com/js/stat.js? +@@||playy.online/log_event$~third-party,xmlhttprequest +@@||plplayer.online/log_event$~third-party,xmlhttprequest +@@||rtr-vesti.ru/pvc_cdn/js/stat.js$domain=player.vgtrk.com +@@||smotrim.ru/js/stat.js$script +@@||swa.mail.ru/cgi-bin/counters?$script +@@||toplay.biz/log_event$~third-party,xmlhttprequest +@@||ucoz.net/cgi/uutils.fcg?$script,third-party +@@||wargag.ru/public/js/counter.js? +@@||widget.myrentacar.me^$script,subdocument +@@||yandex.ru/metrika/tag.js$script,domain=kuchenland.ru +@@||yandex.ru/metrika/watch.js$domain=alean.ru|anoncer.net|nabortu.ru|samozapis-spb.ru|tv.yandex.ru|tvrain.ru +@@||yandex.ru/watch/$xmlhttprequest,domain=anoncer.net +@@||yandex.ru/webvisor/$xmlhttprequest,domain=anoncer.net +! +! ---------- Spanish ---------- +! +@@||api.apolomedia.com/static/libs/event-tracking.min.js$script +@@||cdn.smartclip-services.com^$script,domain=cerebriti.com +@@||cloudfront.net/libs/amplitude-$script,domain=elconfidencial.com +@@||elconfidencial.com^*/AnalyticsEvent.js +@@||elconfidencial.com^*/EventTracker.js +@@||metrics.el-mundo.net/b/ss/$image,domain=expansion.com +@@||mi.tigo.com.co/plugins/cordova-plugin-fingerprint-aio/$script,~third-party +@@||spxl.socy.es^$script,xmlhttprequest,domain=3djuegosguias.com|3djuegospc.com|applesfera.com|compradiccion.com|directoalpaladar.com|espinof.com|genbeta.com|poprosa.com|trendencias.com|trendenciashombre.com|vidaextra.com|vitonica.com|xatakamovil.com +! +! ---------- Swedish ---------- +! +@@||lwadm.com/lw/pbjs?pid=$script,domain=sydostran.se +@@||picsearch.com/js/comscore.js$domain=dn.se +! +! ---------- Thai ---------- +! +! +! ---------- Turkish ---------- +! +@@||cdn.segmentify.com^$script,domain=gratis.com +@@||merlincdn.net^*/common/images/spacer.gif$image,domain=turkcell.com.tr +! +! ---------- Ukrainian ---------- +! +@@||gemius.pl/gplayer.js$domain=tsn.ua +@@||multitest.ua/static/bower_components/boomerang/boomerang.js$~third-party +@@||privatbank.ua/content/*/fp2.min.js$~third-party +@@||uaprom.net/image/blank.gif?$image +! +! ---------- Vietnamese ---------- +! +@@||netcoresmartech.com/smartechclient.js$domain=cgv.vn +! +! ---------- Anti-Adblock ---------- +! +@@|http://r.i.ua/s?*&p*&l$image,domain=swordmaster.org + +! Title: Online Malicious URL Blocklist (AdGuard Home) +! Updated: 2025-01-24T00:09:41Z +! Expires: 1 day (update frequency) +! Homepage: https://gitlab.com/malware-filter/urlhaus-filter +! License: https://gitlab.com/malware-filter/urlhaus-filter#license +! Source: https://urlhaus.abuse.ch/api/ +||01fa443f.solaraweb-alj.pages.dev^ +||1.179.62.255^ +||1.179.63.130^ +||1.179.63.145^ +||1.179.63.146^ +||1.181.70.42^ +||1.214.192.147^ +||1.224.3.245^ +||1.69.19.244^ +||1.69.60.255^ +||1.70.11.38^ +||1.70.138.148^ +||1.70.14.188^ +||1.70.14.245^ +||1.70.143.225^ +||1.70.165.167^ +||1.70.9.119^ +||1.92.86.239^ +||100.16.168.239^ +||101.101.160.56^ +||101.126.11.168^ +||101.126.18.76^ +||101.126.21.197^ +||101.133.156.69^ +||101.168.63.24^ +||101.200.220.118^ +||101.201.227.94^ +||101.201.247.232^ +||101.255.40.18^ +||101.35.228.105^ +||101.35.235.124^ +||101.36.117.41^ +||101.37.34.164^ +||101.43.16.149^ +||101.43.2.116^ +||101.91.125.228^ +||102.0.4.86^ +||102.141.234.18^ +||102.165.122.114^ +||102.182.253.33^ +||102.214.110.81^ +||102.216.105.81^ +||102.216.69.112^ +||102.223.106.188^ +||102.23.88.11^ +||102.39.242.53^ +||102.53.15.17^ +||102.53.15.18^ +||102.53.15.54^ +||102.68.74.28^ +||102.68.74.45^ +||102.68.74.46^ +||102.68.74.69^ +||103.1.157.126^ +||103.101.157.34^ +||103.101.81.142^ +||103.110.33.188^ +||103.117.120.68^ +||103.121.195.3^ +||103.123.98.86^ +||103.125.163.10^ +||103.130.212.99^ +||103.134.132.196^ +||103.137.36.6^ +||103.138.40.45^ +||103.142.68.62^ +||103.146.202.41^ +||103.147.119.30^ +||103.148.113.135^ +||103.149.87.18^ +||103.16.75.50^ +||103.163.119.220^ +||103.163.215.73^ +||103.164.191.74^ +||103.164.200.170^ +||103.167.89.125^ +||103.173.173.98^ +||103.173.254.78^ +||103.174.191.145^ +||103.182.195.18^ +||103.187.146.29^ +||103.187.151.107^ +||103.188.82.218^ +||103.192.179.31^ +||103.20.3.200^ +||103.206.226.74^ +||103.207.4.245^ +||103.217.215.238^ +||103.220.214.246^ +||103.221.254.140^ +||103.227.118.45^ +||103.230.153.181^ +||103.234.159.119^ +||103.235.33.186^ +||103.235.66.238^ +||103.237.174.27^ +||103.237.174.30^ +||103.237.78.126^ +||103.24.179.18^ +||103.240.163.205^ +||103.242.12.203^ +||103.243.25.70^ +||103.245.10.51^ +||103.245.78.68^ +||103.247.13.147^ +||103.247.218.186^ +||103.253.154.142^ +||103.253.43.60^ +||103.39.139.222^ +||103.4.147.109^ +||103.41.204.104^ +||103.42.198.103^ +||103.42.198.20^ +||103.42.201.36^ +||103.42.243.57^ +||103.43.128.123^ +||103.43.18.19^ +||103.43.18.71^ +||103.43.6.114^ +||103.43.6.118^ +||103.50.4.171^ +||103.50.4.173^ +||103.50.4.174^ +||103.57.121.123^ +||103.6.5.3^ +||103.62.233.206^ +||103.69.219.250^ +||103.69.88.185^ +||103.69.88.70^ +||103.7.27.90^ +||103.71.46.122^ +||103.75.32.45^ +||103.77.173.146^ +||103.78.215.82^ +||103.79.113.45^ +||103.83.89.142^ +||103.84.39.181^ +||103.90.207.13^ +||103.90.207.234^ +||103.90.207.58^ +||103.92.101.54^ +||103.96.128.3^ +||104.151.245.17^ +||104.167.221.146^ +||104.168.45.33^ +||104.171.59.40^ +||104.193.59.142^ +||104.243.129.2^ +||105.112.93.194^ +||105.187.43.117^ +||106.111.126.176^ +||106.14.126.40^ +||106.14.213.29^ +||106.14.69.133^ +||106.15.224.147^ +||106.15.239.51^ +||106.246.224.219^ +||106.41.108.208^ +||106.41.47.26^ +||106.41.82.23^ +||106.42.31.65^ +||106.55.149.249^ +||106.56.151.232^ +||106.75.62.120^ +||107.145.144.57^ +||107.172.196.61^ +||107.172.31.5^ +||107.172.51.228^ +||107.180.89.159^ +||108.162.187.11^ +||108.77.140.113^ +||109.107.78.7^ +||109.108.84.121^ +||109.111.182.149^ +||109.137.108.215^ +||109.182.50.96^ +||109.195.82.21^ +||109.207.216.197^ +||109.210.138.197^ +||109.245.220.229^ +||109.248.6.229^ +||109.253.4.210^ +||109.69.79.44^ +||109.69.8.230^ +||109.73.242.146^ +||109.87.223.241^ +||109.92.143.90^ +||110.172.170.111^ +||110.172.187.21^ +||110.178.37.13^ +||110.178.72.226^ +||110.178.74.169^ +||110.178.75.240^ +||110.179.123.200^ +||110.182.114.180^ +||110.182.12.145^ +||110.182.148.247^ +||110.182.248.129^ +||110.182.251.145^ +||110.183.18.82^ +||110.183.31.137^ +||110.183.49.142^ +||110.239.6.17^ +||110.239.6.20^ +||110.34.7.5^ +||110.35.225.129^ +||110.40.51.56^ +||110.41.2.207^ +||110.74.207.194^ +||110.90.9.121^ +||111.118.128.47^ +||111.173.118.193^ +||111.176.20.173^ +||111.176.23.239^ +||111.185.226.69^ +||111.185.23.52^ +||111.230.25.167^ +||111.231.145.137^ +||111.42.156.130^ +||111.46.219.240^ +||111.70.15.198^ +||111.70.15.220^ +||111.70.24.154^ +||111.74.21.155^ +||112.124.28.233^ +||112.124.71.123^ +||112.166.18.116^ +||112.21.124.242^ +||112.217.207.130^ +||112.225.42.11^ +||112.231.228.74^ +||112.239.98.51^ +||112.242.150.166^ +||112.245.251.54^ +||112.247.15.178^ +||112.248.101.112^ +||112.248.112.141^ +||112.248.127.178^ +||112.248.140.16^ +||112.248.140.24^ +||112.248.60.12^ +||112.248.82.126^ +||112.25.237.58^ +||112.27.189.32^ +||112.31.180.128^ +||112.31.189.32^ +||112.33.27.73^ +||112.4.110.22^ +||112.81.124.2^ +||112.93.137.103^ +||113.116.206.235^ +||113.156.110.218^ +||113.160.185.79^ +||113.160.251.236^ +||113.165.90.144^ +||113.184.239.42^ +||113.186.143.166^ +||113.190.234.214^ +||113.214.56.228^ +||113.214.56.232^ +||113.214.56.234^ +||113.219.177.95^ +||113.221.15.77^ +||113.221.24.194^ +||113.221.27.133^ +||113.221.74.199^ +||113.221.96.7^ +||113.225.52.198^ +||113.228.212.168^ +||113.228.248.136^ +||113.229.186.46^ +||113.229.187.178^ +||113.229.43.4^ +||113.230.101.153^ +||113.230.120.140^ +||113.230.31.15^ +||113.230.31.40^ +||113.231.225.157^ +||113.231.82.185^ +||113.236.108.33^ +||113.236.153.230^ +||113.236.214.231^ +||113.236.223.231^ +||113.237.137.182^ +||113.237.57.248^ +||113.238.106.156^ +||113.238.13.194^ +||113.238.14.103^ +||113.238.15.202^ +||113.238.175.13^ +||113.24.134.236^ +||113.24.150.189^ +||113.25.236.130^ +||113.250.188.15^ +||113.254.192.161^ +||113.26.171.48^ +||113.26.178.178^ +||113.26.197.123^ +||113.26.55.162^ +||113.27.32.167^ +||113.31.111.76^ +||113.50.0.109^ +||113.59.144.139^ +||113.7.61.114^ +||113.98.201.248^ +||114.215.27.238^ +||114.226.168.195^ +||114.226.198.189^ +||114.227.108.120^ +||114.227.15.45^ +||114.228.11.211^ +||114.228.170.126^ +||114.228.189.220^ +||114.234.14.172^ +||114.238.31.209^ +||114.239.168.5^ +||114.242.26.64^ +||114.247.47.52^ +||114.55.106.136^ +||114.7.160.114^ +||114.7.20.38^ +||114.7.209.193^ +||114.96.89.69^ +||115.165.209.73^ +||115.178.100.190^ +||115.245.112.26^ +||115.28.26.10^ +||115.48.143.59^ +||115.49.104.254^ +||115.49.24.29^ +||115.49.79.252^ +||115.50.17.121^ +||115.50.210.66^ +||115.50.222.76^ +||115.50.49.186^ +||115.51.101.115^ +||115.51.34.121^ +||115.52.23.79^ +||115.53.241.190^ +||115.54.181.19^ +||115.55.129.9^ +||115.55.163.97^ +||115.55.193.248^ +||115.55.216.245^ +||115.55.40.172^ +||115.55.50.40^ +||115.55.8.220^ +||115.56.112.117^ +||115.56.121.97^ +||115.56.153.64^ +||115.56.156.21^ +||115.56.169.253^ +||115.56.183.155^ +||115.58.113.12^ +||115.59.231.137^ +||115.61.110.14^ +||115.61.51.3^ +||115.62.33.219^ +||115.63.10.226^ +||115.63.11.199^ +||115.63.14.129^ +||115.63.144.161^ +||115.63.22.123^ +||115.63.46.217^ +||115.63.54.18^ +||115.63.9.235^ +||115.79.187.72^ +||116.105.134.178^ +||116.110.186.173^ +||116.136.142.2^ +||116.138.12.179^ +||116.138.161.75^ +||116.138.20.199^ +||116.138.221.228^ +||116.138.29.53^ +||116.138.46.67^ +||116.139.178.110^ +||116.139.179.84^ +||116.140.162.21^ +||116.15.50.242^ +||116.193.143.20^ +||116.196.92.13^ +||116.196.95.100^ +||116.198.229.197^ +||116.206.151.203^ +||116.212.144.187^ +||116.55.178.89^ +||116.55.76.254^ +||116.58.21.218^ +||116.58.62.74^ +||116.58.78.122^ +||116.58.83.76^ +||116.62.69.12^ +||116.72.19.113^ +||116.99.7.69^ +||117.120.28.114^ +||117.131.92.150^ +||117.157.17.194^ +||117.192.238.95^ +||117.196.161.96^ +||117.200.203.126^ +||117.200.237.29^ +||117.200.87.15^ +||117.202.0.15^ +||117.202.69.182^ +||117.202.82.186^ +||117.206.178.133^ +||117.206.18.161^ +||117.206.181.35^ +||117.206.181.61^ +||117.206.190.191^ +||117.206.191.73^ +||117.206.72.223^ +||117.209.0.174^ +||117.209.113.233^ +||117.209.12.158^ +||117.209.15.61^ +||117.209.18.47^ +||117.209.24.147^ +||117.209.241.20^ +||117.209.44.138^ +||117.209.47.191^ +||117.209.82.126^ +||117.209.82.186^ +||117.209.82.32^ +||117.209.86.209^ +||117.209.87.56^ +||117.209.90.100^ +||117.209.93.141^ +||117.209.93.41^ +||117.209.95.149^ +||117.209.95.82^ +||117.211.211.124^ +||117.211.42.0^ +||117.211.45.209^ +||117.212.174.249^ +||117.213.242.118^ +||117.213.41.195^ +||117.213.84.7^ +||117.215.129.223^ +||117.215.129.232^ +||117.215.55.182^ +||117.216.139.132^ +||117.216.139.140^ +||117.216.139.142^ +||117.216.139.143^ +||117.216.139.145^ +||117.216.139.148^ +||117.216.139.218^ +||117.216.29.236^ +||117.219.116.164^ +||117.219.123.192^ +||117.219.33.39^ +||117.219.34.108^ +||117.220.148.51^ +||117.220.201.118^ +||117.221.175.54^ +||117.221.244.117^ +||117.223.1.61^ +||117.231.152.136^ +||117.235.111.78^ +||117.235.123.152^ +||117.235.127.61^ +||117.235.150.244^ +||117.235.37.199^ +||117.235.42.170^ +||117.235.96.57^ +||117.240.155.245^ +||117.241.74.251^ +||117.241.74.25^ +||117.244.208.3^ +||117.244.69.172^ +||117.244.71.164^ +||117.244.74.231^ +||117.247.101.185^ +||117.247.101.217^ +||117.247.101.63^ +||117.250.224.107^ +||117.253.147.15^ +||117.253.152.93^ +||117.253.4.164^ +||117.253.96.124^ +||117.254.103.199^ +||117.254.98.170^ +||117.50.190.56^ +||117.50.194.20^ +||117.50.95.62^ +||117.54.142.254^ +||117.60.101.71^ +||117.63.139.247^ +||117.72.36.133^ +||117.72.39.83^ +||117.72.70.169^ +||117.86.150.67^ +||118.127.105.182^ +||118.127.112.49^ +||118.127.117.170^ +||118.174.123.254^ +||118.178.133.241^ +||118.179.121.235^ +||118.179.254.98^ +||118.179.41.46^ +||118.189.125.90^ +||118.189.172.141^ +||118.200.131.212^ +||118.212.35.175^ +||118.232.137.101^ +||118.24.121.59^ +||118.251.21.168^ +||118.26.174.163^ +||118.69.157.212^ +||118.70.244.17^ +||118.70.91.63^ +||118.71.250.6^ +||119.109.247.92^ +||119.114.156.166^ +||119.115.151.244^ +||119.115.66.208^ +||119.117.161.190^ +||119.117.164.234^ +||119.117.177.3^ +||119.117.242.70^ +||119.117.42.221^ +||119.117.61.117^ +||119.117.62.159^ +||119.118.33.0^ +||119.119.191.108^ +||119.13.179.133^ +||119.13.179.136^ +||119.13.179.16^ +||119.13.179.180^ +||119.13.179.185^ +||119.13.179.186^ +||119.13.179.189^ +||119.13.179.222^ +||119.13.179.225^ +||119.13.179.227^ +||119.13.179.75^ +||119.13.179.78^ +||119.13.179.84^ +||119.13.179.92^ +||119.15.239.133^ +||119.15.254.44^ +||119.15.85.142^ +||119.15.92.78^ +||119.162.227.200^ +||119.163.86.236^ +||119.179.247.250^ +||119.179.248.250^ +||119.179.32.104^ +||119.180.13.106^ +||119.180.78.83^ +||119.183.129.159^ +||119.183.50.199^ +||119.185.240.254^ +||119.186.205.196^ +||119.189.237.108^ +||119.193.158.215^ +||119.203.212.165^ +||119.23.208.137^ +||119.236.250.89^ +||119.252.167.172^ +||119.40.84.254^ +||119.40.91.22^ +||119.45.127.116^ +||119.91.25.19^ +||12.196.184.34^ +||120.157.11.76^ +||120.157.89.151^ +||120.238.189.72^ +||120.24.38.217^ +||120.25.163.165^ +||120.26.164.174^ +||120.26.166.249^ +||120.46.28.4^ +||120.50.10.30^ +||120.61.191.232^ +||120.61.70.140^ +||120.61.75.62^ +||120.86.112.121^ +||121.101.130.14^ +||121.101.130.152^ +||121.101.191.106^ +||121.101.191.150^ +||121.127.231.166^ +||121.127.231.189^ +||121.127.231.251^ +||121.167.209.164^ +||121.185.252.173^ +||121.200.63.162^ +||121.200.63.165^ +||121.202.211.2^ +||121.224.11.220^ +||121.226.215.210^ +||121.231.177.248^ +||121.231.240.167^ +||121.232.187.225^ +||121.233.233.158^ +||121.236.245.225^ +||121.238.104.162^ +||121.238.145.63^ +||121.37.170.202^ +||121.40.112.176^ +||121.40.19.66^ +||121.40.55.28^ +||121.41.89.22^ +||121.43.104.75^ +||121.43.110.28^ +||121.73.163.190^ +||122.151.3.108^ +||122.156.143.62^ +||122.160.164.103^ +||122.170.110.131^ +||122.179.136.112^ +||122.193.52.24^ +||122.201.25.95^ +||122.230.250.221^ +||122.254.13.239^ +||122.51.183.116^ +||122.51.52.109^ +||122.51.75.246^ +||123.0.226.180^ +||123.0.249.249^ +||123.10.135.24^ +||123.11.174.48^ +||123.112.97.90^ +||123.114.81.161^ +||123.117.136.97^ +||123.12.177.193^ +||123.128.180.191^ +||123.129.130.193^ +||123.129.133.38^ +||123.132.156.223^ +||123.132.158.84^ +||123.132.224.187^ +||123.14.115.238^ +||123.14.75.190^ +||123.143.141.75^ +||123.154.27.115^ +||123.156.89.123^ +||123.159.71.249^ +||123.170.103.83^ +||123.172.80.204^ +||123.173.71.238^ +||123.173.85.253^ +||123.175.101.100^ +||123.175.114.70^ +||123.175.66.240^ +||123.175.67.105^ +||123.183.165.65^ +||123.185.109.154^ +||123.185.228.88^ +||123.185.9.57^ +||123.188.223.87^ +||123.188.95.165^ +||123.189.130.182^ +||123.19.178.15^ +||123.19.181.228^ +||123.190.79.162^ +||123.190.88.211^ +||123.190.95.41^ +||123.193.21.48^ +||123.200.171.184^ +||123.200.177.172^ +||123.200.177.3^ +||123.200.178.82^ +||123.231.247.114^ +||123.235.29.162^ +||123.253.12.111^ +||123.4.184.13^ +||123.4.218.43^ +||123.4.236.209^ +||123.4.66.194^ +||123.4.76.212^ +||123.5.144.243^ +||123.5.155.207^ +||123.5.159.83^ +||123.5.167.157^ +||123.53.111.211^ +||123.56.191.147^ +||123.57.209.214^ +||123.57.230.183^ +||123.57.250.154^ +||123.60.182.88^ +||123.8.11.95^ +||123.8.160.177^ +||123.8.172.58^ +||123.9.127.75^ +||123.9.16.34^ +||123.9.196.167^ +||123.9.247.128^ +||123.ywxww.net^ +||124.123.123.15^ +||124.129.148.250^ +||124.130.163.127^ +||124.135.140.126^ +||124.153.20.102^ +||124.153.22.49^ +||124.19.77.89^ +||124.19.79.164^ +||124.19.79.176^ +||124.194.46.204^ +||124.218.93.53^ +||124.220.235.28^ +||124.221.100.215^ +||124.221.199.60^ +||124.221.5.207^ +||124.223.200.131^ +||124.234.157.85^ +||124.235.239.62^ +||124.248.65.242^ +||124.29.249.182^ +||124.41.225.49^ +||124.45.19.159^ +||124.67.254.109^ +||124.70.0.56^ +||124.70.140.100^ +||124.71.137.28^ +||124.71.158.149^ +||124.71.164.7^ +||124.71.73.181^ +||124.91.59.228^ +||124.94.166.57^ +||125.124.96.12^ +||125.168.166.40^ +||125.168.90.89^ +||125.175.73.61^ +||125.186.91.61^ +||125.40.113.52^ +||125.40.151.237^ +||125.41.207.69^ +||125.41.231.227^ +||125.41.4.240^ +||125.41.8.175^ +||125.44.195.89^ +||125.44.244.53^ +||125.44.255.91^ +||125.44.50.249^ +||125.45.16.148^ +||125.45.64.7^ +||125.47.56.226^ +||125.47.58.19^ +||125.47.68.96^ +||126.23.203.236^ +||129.151.210.233^ +||129.222.204.191^ +||130.185.193.208^ +||132.255.117.198^ +||132.255.192.122^ +||133.106.109.18^ +||134.122.176.216^ +||134.249.141.119^ +||136.169.119.33^ +||138.122.43.76^ +||138.19.251.214^ +||138.207.174.248^ +||138.219.137.204^ +||138.36.239.20^ +||139.159.155.204^ +||139.167.198.110^ +||139.196.237.171^ +||139.198.15.223^ +||139.255.30.107^ +||139.5.152.14^ +||139520.aioc.qbgxl.com^ +||14.0.204.188^ +||14.103.48.107^ +||14.142.209.198^ +||14.161.6.225^ +||14.168.238.123^ +||14.200.203.114^ +||14.224.162.164^ +||14.224.174.212^ +||14.224.190.45^ +||14.229.101.247^ +||14.230.197.88^ +||14.233.131.196^ +||14.234.166.20^ +||14.235.160.105^ +||14.240.194.221^ +||14.245.211.233^ +||14.29.160.181^ +||14.33.239.247^ +||14.45.99.185^ +||14.51.122.49^ +||14.52.208.93^ +||14.54.96.182^ +||140.192.101.212^ +||140.237.7.186^ +||140.238.122.17^ +||141.105.87.18^ +||141.11.33.73^ +||141.134.214.217^ +||141.155.36.213^ +||141.237.18.205^ +||144.172.71.105^ +||144.48.169.8^ +||144.6.87.144^ +||144.91.79.54^ +||146.0.42.82^ +||146.120.241.207^ +||146.19.24.68^ +||146.196.120.194^ +||146.196.120.21^ +||146.196.120.91^ +||146.56.118.137^ +||146.66.164.51^ +||147.124.212.226^ +||147.124.216.113^ +||147.185.221.25^ +||147.45.44.131^ +||147.45.44.23^ +||147.50.240.62^ +||147.91.249.85^ +||148.103.1.178^ +||149.210.40.48^ +||149.62.200.106^ +||149.88.73.206^ +||14stirling.dyndns.org^ +||150.107.205.29^ +||150.116.144.1^ +||150.129.202.193^ +||150.129.202.197^ +||150.158.25.244^ +||150.158.37.254^ +||151.106.34.115^ +||151.236.247.230^ +||151.248.56.14^ +||151.45.96.107^ +||152.136.140.85^ +||152.168.125.249^ +||152.231.66.204^ +||152.32.202.240^ +||152.67.4.43^ +||153.158.209.82^ +||153.162.250.21^ +||153.37.77.156^ +||154.0.129.114^ +||154.0.129.134^ +||154.125.180.244^ +||154.126.178.16^ +||154.126.186.44^ +||154.16.66.225^ +||154.198.49.151^ +||154.213.186.47^ +||154.213.189.141^ +||154.213.192.22^ +||154.84.212.18^ +||154.92.14.41^ +||154.92.19.29^ +||155.4.101.251^ +||156.155.176.210^ +||156.200.109.155^ +||156.224.19.17^ +||156.236.75.199^ +||156.238.227.41^ +||156.245.12.92^ +||156.253.250.102^ +||156.255.2.100^ +||157.173.120.37^ +||157.255.22.43^ +||158.101.196.44^ +||158.101.35.62^ +||158.140.133.56^ +||158.255.83.134^ +||158.255.83.209^ +||158.255.83.71^ +||159.100.17.221^ +||159.117.181.82^ +||159.148.48.50^ +||159.196.71.244^ +||159.224.143.43^ +||159.250.122.151^ +||159.75.114.131^ +||161.248.55.219^ +||161.248.55.49^ +||162.191.190.249^ +||162.219.216.183^ +||163.142.94.196^ +||163.182.13.103^ +||164.126.129.225^ +||165.154.184.75^ +||165.154.244.73^ +||165.220.134.146^ +||165.220.157.19^ +||165.73.108.6^ +||166.141.239.47^ +||166.144.131.188^ +||166.150.43.236^ +||166.166.188.230^ +||166.167.172.14^ +||167.250.49.155^ +||168.138.162.78^ +||168.194.107.119^ +||168.228.6.22^ +||168.62.178.160^ +||169.224.101.15^ +||170.210.81.101^ +||170.210.81.104^ +||170.55.7.234^ +||170.80.0.224^ +||171.118.235.191^ +||171.231.149.177^ +||171.231.40.133^ +||171.240.182.47^ +||171.246.87.12^ +||171.248.173.76^ +||171.249.34.77^ +||171.250.152.197^ +||1717.1000uc.com^ +||172-105-66-118.ip.linodeusercontent.com^ +||172.105.66.118^ +||172.105.88.18^ +||172.115.81.23^ +||172.73.72.87^ +||173.178.94.224^ +||173.235.65.44^ +||174.7.42.250^ +||174.71.237.86^ +||174.71.238.93^ +||174.71.253.35^ +||174.76.179.235^ +||175.107.6.68^ +||175.111.183.93^ +||175.111.183.94^ +||175.138.99.228^ +||175.146.153.105^ +||175.146.222.90^ +||175.146.246.21^ +||175.146.53.200^ +||175.147.231.129^ +||175.147.235.10^ +||175.147.243.29^ +||175.147.247.177^ +||175.148.93.45^ +||175.149.140.180^ +||175.149.87.237^ +||175.150.126.160^ +||175.150.71.208^ +||175.151.152.91^ +||175.151.177.144^ +||175.151.64.145^ +||175.165.192.230^ +||175.165.45.128^ +||175.165.47.174^ +||175.165.82.200^ +||175.165.83.249^ +||175.165.85.52^ +||175.167.104.71^ +||175.169.244.249^ +||175.172.136.117^ +||175.173.101.228^ +||175.173.123.116^ +||175.173.150.202^ +||175.174.102.250^ +||175.174.46.107^ +||175.175.106.234^ +||175.175.243.35^ +||175.175.61.97^ +||175.30.94.35^ +||175.31.191.190^ +||175.42.126.20^ +||175.8.29.220^ +||176.104.33.39^ +||176.113.115.163^ +||176.113.115.170^ +||176.113.115.19^ +||176.113.115.215^ +||176.113.115.33^ +||176.113.115.37^ +||176.114.218.229^ +||176.115.245.19^ +||176.12.6.42^ +||176.120.211.83^ +||176.122.27.90^ +||176.122.28.26^ +||176.190.102.65^ +||176.192.78.254^ +||176.195.191.123^ +||176.221.111.222^ +||176.254.186.89^ +||176.36.148.87^ +||176.37.170.214^ +||176.38.22.34^ +||176.62.179.34^ +||176.65.35.214^ +||176.91.18.95^ +||176.98.200.30^ +||176.98.26.35^ +||176.98.27.115^ +||177.103.184.142^ +||177.124.61.98^ +||177.128.81.58^ +||177.23.136.226^ +||177.247.15.185^ +||177.52.48.235^ +||178.131.101.80^ +||178.131.166.102^ +||178.131.180.250^ +||178.131.59.215^ +||178.131.62.104^ +||178.131.81.7^ +||178.131.95.168^ +||178.135.60.25^ +||178.136.225.254^ +||178.151.143.2^ +||178.151.163.54^ +||178.151.34.26^ +||178.160.216.103^ +||178.160.216.125^ +||178.165.112.168^ +||178.165.79.24^ +||178.169.136.50^ +||178.170.251.9^ +||178.173.39.201^ +||178.176.204.240^ +||178.176.204.250^ +||178.177.200.61^ +||178.182.253.59^ +||178.183.136.35^ +||178.183.171.233^ +||178.183.171.237^ +||178.183.205.197^ +||178.183.85.67^ +||178.188.30.171^ +||178.189.56.214^ +||178.19.174.250^ +||178.210.50.116^ +||178.211.135.170^ +||178.212.51.161^ +||178.212.52.92^ +||178.213.121.8^ +||178.214.196.26^ +||178.214.241.150^ +||178.215.224.133^ +||178.215.238.129^ +||178.216.164.48^ +||178.218.50.182^ +||178.222.2.50^ +||178.236.126.246^ +||178.236.129.164^ +||178.239.120.153^ +||178.34.157.178^ +||178.34.182.186^ +||178.34.183.162^ +||178.48.132.250^ +||178.50.217.117^ +||178.60.25.240^ +||178.61.160.6^ +||178.77.228.166^ +||178.84.167.164^ +||178.92.186.144^ +||178.94.164.112^ +||178.94.183.151^ +||178.94.188.29^ +||178.94.252.63^ +||179.118.199.209^ +||179.189.254.54^ +||179.190.109.156^ +||179.236.0.232^ +||18.166.176.228^ +||180.103.55.92^ +||180.108.59.67^ +||180.115.157.175^ +||180.115.79.240^ +||180.116.218.96^ +||180.167.115.186^ +||180.176.149.202^ +||180.184.42.11^ +||180.211.169.2^ +||180.211.187.190^ +||180.247.135.12^ +||180.250.160.26^ +||180.76.138.238^ +||180.92.228.37^ +||181.10.211.18^ +||181.117.210.108^ +||181.129.106.146^ +||181.129.177.162^ +||181.143.124.58^ +||181.143.20.60^ +||181.166.191.183^ +||181.171.188.254^ +||181.204.218.148^ +||181.205.125.58^ +||181.205.84.211^ +||181.211.15.10^ +||181.211.252.34^ +||181.224.243.165^ +||181.233.95.24^ +||181.233.95.25^ +||181.233.95.26^ +||181.233.95.27^ +||181.233.95.28^ +||181.233.95.29^ +||181.233.95.30^ +||181.36.153.151^ +||181.37.126.89^ +||181.39.227.171^ +||181.48.119.70^ +||181.49.0.178^ +||181.49.47.190^ +||181.71.191.178^ +||181.94.210.3^ +||181.94.245.254^ +||182.109.0.22^ +||182.112.188.255^ +||182.113.212.180^ +||182.113.38.235^ +||182.113.42.93^ +||182.113.43.30^ +||182.113.57.106^ +||182.114.194.191^ +||182.116.14.115^ +||182.117.137.94^ +||182.117.4.57^ +||182.117.49.245^ +||182.117.71.151^ +||182.117.8.154^ +||182.119.230.53^ +||182.120.36.90^ +||182.121.156.134^ +||182.121.171.228^ +||182.121.247.243^ +||182.121.40.172^ +||182.121.95.80^ +||182.122.153.128^ +||182.122.235.93^ +||182.123.208.102^ +||182.123.252.127^ +||182.124.199.127^ +||182.126.192.40^ +||182.126.87.20^ +||182.126.90.242^ +||182.127.101.97^ +||182.127.161.230^ +||182.127.28.144^ +||182.127.6.229^ +||182.160.109.98^ +||182.233.119.113^ +||182.239.74.135^ +||182.240.27.171^ +||182.241.136.43^ +||182.241.146.108^ +||182.243.152.26^ +||182.243.8.86^ +||182.252.66.18^ +||182.252.66.2^ +||182.253.115.155^ +||182.253.115.156^ +||182.253.205.235^ +||182.253.60.194^ +||182.253.60.197^ +||182.253.60.198^ +||182.59.133.14^ +||182.72.167.124^ +||182.76.43.169^ +||182.92.236.252^ +||182.92.99.95^ +||182.93.83.124^ +||183.159.17.148^ +||183.171.53.141^ +||183.30.204.235^ +||183.81.156.121^ +||184.185.30.182^ +||185.101.239.41^ +||185.106.176.102^ +||185.11.61.104^ +||185.11.61.121^ +||185.114.137.114^ +||185.118.19.154^ +||185.12.78.161^ +||185.126.195.110^ +||185.127.218.102^ +||185.127.22.75^ +||185.13.165.53^ +||185.131.95.55^ +||185.133.214.138^ +||185.136.193.107^ +||185.136.193.117^ +||185.136.195.187^ +||185.138.68.19^ +||185.142.53.190^ +||185.142.53.205^ +||185.142.53.43^ +||185.142.53.59^ +||185.142.53.6^ +||185.143.139.113^ +||185.147.125.76^ +||185.147.40.65^ +||185.148.3.216^ +||185.151.108.232^ +||185.152.219.150^ +||185.157.247.12^ +||185.162.140.242^ +||185.168.227.130^ +||185.180.196.46^ +||185.190.20.228^ +||185.191.89.120^ +||185.191.89.122^ +||185.191.89.127^ +||185.196.8.37^ +||185.2.229.122^ +||185.20.19.72^ +||185.208.158.96^ +||185.208.159.149^ +||185.21.223.166^ +||185.212.60.145^ +||185.215.113.16^ +||185.215.113.205^ +||185.215.113.206^ +||185.215.113.209^ +||185.215.113.31^ +||185.215.113.38^ +||185.215.113.5^ +||185.215.113.66^ +||185.215.113.84^ +||185.220.84.182^ +||185.220.87.163^ +||185.224.107.4^ +||185.23.192.224^ +||185.236.46.120^ +||185.237.157.98^ +||185.29.8.22^ +||185.29.86.142^ +||185.34.20.221^ +||185.34.22.140^ +||185.34.22.25^ +||185.43.16.137^ +||185.43.19.103^ +||185.43.228.126^ +||185.49.168.84^ +||185.56.172.234^ +||185.57.69.125^ +||185.61.246.225^ +||185.71.69.198^ +||185.81.68.147^ +||185.81.68.148^ +||186.101.230.253^ +||186.118.121.223^ +||186.121.239.114^ +||186.125.133.242^ +||186.125.133.243^ +||186.125.133.244^ +||186.138.107.5^ +||186.154.93.81^ +||186.159.0.129^ +||186.159.4.25^ +||186.189.199.6^ +||186.206.248.208^ +||186.211.153.18^ +||186.211.154.33^ +||186.232.94.98^ +||186.233.59.20^ +||186.3.78.195^ +||186.42.113.6^ +||186.42.121.70^ +||186.42.98.2^ +||186.67.115.166^ +||186.90.103.112^ +||186.97.185.91^ +||186.97.185.92^ +||186.97.185.93^ +||186.97.185.94^ +||187.115.56.93^ +||187.144.179.225^ +||187.247.242.34^ +||187.44.116.185^ +||188.0.131.200^ +||188.12.184.204^ +||188.121.161.31^ +||188.129.251.7^ +||188.137.36.53^ +||188.147.139.57^ +||188.147.165.187^ +||188.148.245.96^ +||188.149.38.168^ +||188.150.21.103^ +||188.150.42.185^ +||188.150.45.193^ +||188.151.133.177^ +||188.170.32.148^ +||188.170.48.204^ +||188.175.134.62^ +||188.190.57.41^ +||188.2.23.244^ +||188.20.51.118^ +||188.212.158.75^ +||188.237.250.100^ +||188.246.177.214^ +||188.252.114.222^ +||188.254.223.175^ +||188.254.255.246^ +||188.38.106.89^ +||188.4.248.174^ +||188.43.201.109^ +||188.44.110.215^ +||188.68.95.174^ +||188.72.6.218^ +||188.81.134.196^ +||188.93.245.85^ +||188.95.186.50^ +||189.131.104.235^ +||189.162.150.252^ +||189.196.45.102^ +||189.204.177.98^ +||189.61.50.98^ +||190.0.0.138^ +||190.104.195.210^ +||190.104.213.45^ +||190.108.227.250^ +||190.108.63.242^ +||190.109.168.146^ +||190.109.205.237^ +||190.109.223.202^ +||190.109.223.242^ +||190.109.227.93^ +||190.109.228.157^ +||190.109.228.22^ +||190.110.204.150^ +||190.110.206.134^ +||190.110.210.50^ +||190.113.124.155^ +||190.117.240.144^ +||190.121.12.123^ +||190.128.195.138^ +||190.129.2.198^ +||190.144.235.236^ +||190.144.235.237^ +||190.144.235.238^ +||190.144.235.239^ +||190.145.123.18^ +||190.145.205.178^ +||190.184.144.221^ +||190.185.119.13^ +||190.2.237.104^ +||190.201.197.139^ +||190.205.99.186^ +||190.211.215.35^ +||190.215.253.57^ +||190.217.148.227^ +||190.220.229.49^ +||190.248.145.19^ +||190.4.44.202^ +||190.4.51.242^ +||190.57.135.90^ +||190.7.153.18^ +||190.92.29.206^ +||190.96.1.233^ +||190.96.214.111^ +||191.36.194.65^ +||191.96.207.229^ +||192.124.216.14^ +||192.140.225.33^ +||192.162.49.16^ +||192.176.50.190^ +||192.186.101.138^ +||192.210.215.7^ +||192.210.229.52^ +||192.252.182.98^ +||193.106.58.174^ +||193.123.237.45^ +||193.143.1.180^ +||193.143.1.42^ +||193.151.15.151^ +||193.160.10.213^ +||193.169.146.186^ +||193.176.252.85^ +||193.189.172.10^ +||193.189.188.129^ +||193.200.78.24^ +||193.227.240.231^ +||193.228.134.161^ +||193.228.134.234^ +||193.228.135.75^ +||193.239.254.115^ +||193.93.248.103^ +||193.95.254.50^ +||194.122.191.15^ +||194.143.137.96^ +||194.144.250.22^ +||194.145.227.21^ +||194.183.186.164^ +||194.187.148.143^ +||194.187.149.116^ +||194.187.151.163^ +||194.187.151.189^ +||194.208.107.76^ +||194.208.52.223^ +||194.208.56.189^ +||194.208.56.60^ +||194.26.192.76^ +||194.31.220.210^ +||194.36.80.223^ +||194.36.80.225^ +||194.37.81.64^ +||194.38.23.2^ +||194.54.162.137^ +||195.101.213.209^ +||195.103.203.106^ +||195.133.11.40^ +||195.135.42.75^ +||195.144.235.42^ +||195.162.70.105^ +||195.177.92.71^ +||195.178.110.224^ +||195.189.218.150^ +||195.208.145.49^ +||195.211.101.219^ +||195.211.197.30^ +||195.218.152.38^ +||195.22.237.98^ +||195.230.23.72^ +||195.34.102.234^ +||195.34.205.242^ +||195.34.91.22^ +||195.46.176.2^ +||195.64.182.106^ +||195.85.205.151^ +||195.9.192.52^ +||196.188.80.240^ +||196.190.65.105^ +||196.2.14.197^ +||196.202.220.96^ +||196.41.63.178^ +||196.43.113.182^ +||196.45.130.38^ +||197.155.64.126^ +||197.159.1.58^ +||197.159.8.222^ +||197.232.133.112^ +||197.245.244.254^ +||197.254.71.110^ +||197.44.77.98^ +||197.89.37.116^ +||197.94.193.35^ +||198.2.85.240^ +||198.2.94.34^ +||198.251.82.160^ +||198.46.178.132^ +||198.50.242.157^ +||198.98.60.244^ +||2.125.243.227^ +||2.143.41.27^ +||2.176.75.196^ +||2.179.179.148^ +||2.179.220.195^ +||2.180.18.194^ +||2.180.18.98^ +||2.180.2.38^ +||2.180.23.84^ +||2.180.9.57^ +||2.183.9.88^ +||2.184.54.225^ +||2.187.118.22^ +||2.187.7.29^ +||2.42.168.99^ +||2.54.83.78^ +||2.54.84.139^ +||2.54.85.89^ +||2.54.88.115^ +||2.54.88.188^ +||2.54.88.189^ +||2.54.88.190^ +||2.54.88.215^ +||2.54.88.216^ +||2.54.89.128^ +||2.54.89.165^ +||2.54.89.174^ +||2.54.89.221^ +||2.55.66.215^ +||2.55.73.161^ +||2.55.77.66^ +||2.55.96.121^ +||2.55.98.253^ +||2.57.122.121^ +||2.58.56.243^ +||20.124.90.24^ +||20.189.117.246^ +||20.243.255.185^ +||200.109.201.16^ +||200.11.216.34^ +||200.111.102.27^ +||200.122.211.138^ +||200.123.142.116^ +||200.123.251.66^ +||200.232.246.110^ +||200.29.120.130^ +||200.35.49.74^ +||200.40.61.38^ +||200.53.28.170^ +||200.58.80.108^ +||200.59.85.238^ +||200.59.86.78^ +||200.61.163.235^ +||200.69.219.25^ +||200.72.199.205^ +||200.81.127.208^ +||200.90.15.65^ +||201.132.14.166^ +||201.143.139.92^ +||201.183.247.58^ +||201.184.179.195^ +||201.184.231.250^ +||201.184.84.106^ +||201.20.100.30^ +||201.20.122.114^ +||201.20.93.86^ +||201.243.245.166^ +||201.46.47.251^ +||201.46.47.252^ +||201.74.222.52^ +||202.107.235.202^ +||202.107.26.214^ +||202.131.234.26^ +||202.131.244.202^ +||202.139.20.12^ +||202.139.20.15^ +||202.139.20.27^ +||202.139.20.69^ +||202.139.21.198^ +||202.141.166.71^ +||202.148.20.138^ +||202.148.26.242^ +||202.148.5.34^ +||202.151.29.65^ +||202.152.45.93^ +||202.154.187.26^ +||202.169.234.117^ +||202.169.234.56^ +||202.178.125.67^ +||202.183.103.221^ +||202.189.196.233^ +||202.191.123.196^ +||202.22.143.159^ +||202.29.95.12^ +||202.3.248.178^ +||202.3.248.179^ +||202.4.110.130^ +||202.4.124.58^ +||202.5.50.108^ +||202.5.51.43^ +||202.5.52.110^ +||202.5.61.33^ +||202.53.164.210^ +||202.53.164.214^ +||202.53.164.46^ +||202.53.164.90^ +||202.57.39.2^ +||202.59.90.106^ +||202.63.242.37^ +||202.78.201.3^ +||203.109.201.77^ +||203.115.101.242^ +||203.115.103.19^ +||203.145.165.14^ +||203.150.253.15^ +||203.160.56.67^ +||203.17.23.194^ +||203.176.137.54^ +||203.188.254.138^ +||203.189.158.140^ +||203.2.65.29^ +||203.204.186.225^ +||203.204.217.190^ +||203.223.44.206^ +||203.232.37.151^ +||203.76.147.182^ +||203.80.244.154^ +||204.11.227.214^ +||206.204.128.37^ +||206.214.35.106^ +||207.231.111.48^ +||207.231.111.82^ +||208.131.166.46^ +||208.68.68.178^ +||208.76.223.60^ +||208.89.168.31^ +||209.16.67.24^ +||209.162.229.229^ +||209.42.55.161^ +||210.125.101.75^ +||210.4.69.226^ +||210.4.70.30^ +||210.4.75.110^ +||210.56.13.114^ +||210.56.21.206^ +||211.108.60.155^ +||211.14.236.29^ +||211.186.82.229^ +||211.192.113.231^ +||211.192.113.232^ +||211.197.121.81^ +||211.204.100.20^ +||211.220.36.213^ +||211.227.10.2^ +||211.32.30.181^ +||211.38.102.233^ +||211.40.16.243^ +||212.107.232.167^ +||212.107.239.43^ +||212.113.107.84^ +||212.113.35.236^ +||212.154.131.153^ +||212.154.135.81^ +||212.154.209.206^ +||212.156.209.128^ +||212.164.252.18^ +||212.18.223.226^ +||212.18.223.229^ +||212.200.106.94^ +||212.224.86.22^ +||212.225.179.160^ +||212.225.186.186^ +||212.225.218.208^ +||212.231.226.35^ +||212.233.125.238^ +||212.251.68.204^ +||212.3.211.157^ +||212.39.67.248^ +||212.42.117.138^ +||212.43.34.226^ +||212.55.98.177^ +||212.70.156.70^ +||212.73.75.82^ +||212.85.166.12^ +||212.85.176.23^ +||212.93.103.10^ +||212.98.186.8^ +||212.98.231.10^ +||213.100.195.174^ +||213.109.234.217^ +||213.120.230.115^ +||213.147.120.145^ +||213.155.192.139^ +||213.222.45.158^ +||213.236.160.24^ +||213.5.19.220^ +||213.6.101.83^ +||213.6.64.86^ +||213.6.74.138^ +||213.87.112.128^ +||213.87.95.224^ +||213.91.236.237^ +||213.92.254.186^ +||213.96.13.100^ +||216.155.92.204^ +||216.188.216.17^ +||216.201.80.197^ +||216.244.201.251^ +||216.247.208.187^ +||216.247.214.225^ +||216.45.73.229^ +||216.9.224.66^ +||217.10.37.35^ +||217.114.43.149^ +||217.125.11.90^ +||217.208.204.56^ +||217.218.235.202^ +||217.58.56.138^ +||217.65.15.51^ +||217.77.11.216^ +||217.84.190.216^ +||217.86.136.170^ +||217.92.214.15^ +||218.108.181.2^ +||218.147.147.172^ +||218.155.74.6^ +||218.22.21.248^ +||218.60.178.225^ +||218.60.183.61^ +||218.86.123.43^ +||218.92.65.139^ +||218.93.175.62^ +||219.155.174.192^ +||219.155.210.45^ +||219.155.227.50^ +||219.156.124.63^ +||219.156.175.91^ +||219.156.49.198^ +||219.157.132.28^ +||219.157.52.95^ +||219.71.85.54^ +||219.73.22.64^ +||219.77.202.117^ +||220.170.216.162^ +||220.180.255.224^ +||220.201.17.247^ +||220.77.246.196^ +||220.77.246.202^ +||220.79.237.18^ +||220.79.237.194^ +||220.92.94.202^ +||221.1.155.102^ +||221.10.233.217^ +||221.120.98.22^ +||221.14.176.74^ +||221.143.49.222^ +||221.15.161.62^ +||221.15.244.57^ +||221.15.93.4^ +||221.15.93.93^ +||221.163.170.129^ +||221.193.234.162^ +||221.202.223.227^ +||221.203.202.152^ +||222.101.88.180^ +||222.134.174.219^ +||222.137.21.136^ +||222.137.237.4^ +||222.138.110.87^ +||222.139.77.97^ +||222.139.86.136^ +||222.140.159.222^ +||222.140.161.149^ +||222.140.181.191^ +||222.141.120.114^ +||222.141.122.222^ +||222.142.196.22^ +||222.142.39.70^ +||222.168.225.158^ +||222.186.172.42^ +||222.187.223.34^ +||222.244.110.238^ +||222.245.2.10^ +||222.245.2.83^ +||222.246.108.77^ +||222.252.15.21^ +||222.88.186.81^ +||223.10.26.117^ +||223.10.52.27^ +||223.10.6.199^ +||223.108.58.13^ +||223.12.186.46^ +||223.12.5.155^ +||223.13.37.176^ +||223.13.60.118^ +||223.13.86.66^ +||223.15.17.199^ +||223.15.9.79^ +||223.151.252.123^ +||223.151.254.174^ +||223.151.74.40^ +||223.151.76.154^ +||223.16.143.101^ +||223.18.128.87^ +||223.197.231.77^ +||223.247.198.16^ +||223.255.163.249^ +||223.8.11.79^ +||223.8.188.16^ +||223.8.208.43^ +||223.8.210.37^ +||223.8.210.38^ +||223.8.220.92^ +||223.8.29.169^ +||223.8.44.50^ +||223.82.83.143^ +||223.9.144.207^ +||223.9.151.183^ +||23.241.17.95^ +||23.27.51.244^ +||23.94.169.124^ +||23.95.44.80^ +||23.95.79.71^ +||230.sub-166-166-188.myvzw.com^ +||24.106.221.230^ +||24.109.148.130^ +||24.115.40.227^ +||24.120.175.134^ +||24.121.0.66^ +||24.234.159.5^ +||24.64.128.57^ +||24.79.48.21^ +||24.88.242.6^ +||24.90.239.49^ +||24.93.22.147^ +||27.102.129.91^ +||27.109.167.214^ +||27.109.209.218^ +||27.147.132.114^ +||27.147.142.59^ +||27.147.222.15^ +||27.147.225.2^ +||27.156.154.3^ +||27.159.154.179^ +||27.202.20.152^ +||27.207.12.45^ +||27.207.230.70^ +||27.207.244.202^ +||27.213.25.4^ +||27.215.121.249^ +||27.215.177.193^ +||27.215.209.51^ +||27.215.211.237^ +||27.215.80.2^ +||27.215.84.107^ +||27.215.86.196^ +||27.215.87.16^ +||27.217.119.158^ +||27.217.129.181^ +||27.220.240.167^ +||27.37.108.107^ +||27.37.111.91^ +||27.37.112.163^ +||27.37.115.184^ +||27.37.228.130^ +||27.37.75.222^ +||27.37.82.147^ +||27.37.85.194^ +||27.37.93.175^ +||27.54.121.126^ +||27.64.217.43^ +||27.9.242.83^ +||2882.tpddns.cn^ +||29.251.196.35.bc.googleusercontent.com^ +||31.0.136.2^ +||31.0.199.8^ +||31.0.241.65^ +||31.125.243.56^ +||31.141.245.82^ +||31.154.235.131^ +||31.171.223.162^ +||31.171.223.183^ +||31.173.70.100^ +||31.184.194.114^ +||31.185.103.48^ +||31.186.217.44^ +||31.186.54.111^ +||31.186.54.203^ +||31.192.232.50^ +||31.214.180.12^ +||31.222.113.214^ +||34.45.47.180^ +||35.196.251.29^ +||36.110.15.211^ +||36.138.125.70^ +||36.140.28.13^ +||36.49.51.144^ +||36.49.65.2^ +||36.64.202.57^ +||36.64.209.97^ +||36.64.210.218^ +||36.64.219.140^ +||36.64.23.219^ +||36.66.105.177^ +||36.66.108.167^ +||36.66.139.36^ +||36.66.150.221^ +||36.66.16.133^ +||36.66.231.15^ +||36.66.40.27^ +||36.66.58.226^ +||36.67.155.2^ +||36.67.2.177^ +||36.67.251.227^ +||36.67.66.178^ +||36.88.109.138^ +||36.88.180.115^ +||36.88.244.2^ +||36.88.6.203^ +||36.89.11.81^ +||36.89.149.213^ +||36.89.21.251^ +||36.89.240.75^ +||36.91.144.195^ +||36.91.171.37^ +||36.91.180.50^ +||36.92.188.82^ +||36.92.188.84^ +||36.92.188.85^ +||36.92.188.86^ +||36.92.207.29^ +||36.92.24.250^ +||36.92.68.241^ +||36.92.77.11^ +||36.92.93.101^ +||36.93.219.59^ +||36.93.53.193^ +||36.94.219.31^ +||36.94.29.82^ +||36.95.14.237^ +||36.95.166.82^ +||36.97.200.96^ +||360down7.miiyun.cn^ +||37.139.249.103^ +||37.143.133.215^ +||37.157.212.138^ +||37.157.219.158^ +||37.192.22.166^ +||37.193.88.34^ +||37.194.25.119^ +||37.202.49.118^ +||37.205.81.56^ +||37.220.123.125^ +||37.233.63.185^ +||37.252.66.188^ +||37.252.69.92^ +||37.252.86.167^ +||37.255.217.87^ +||37.34.209.216^ +||37.52.16.21^ +||37.57.33.51^ +||37.9.35.70^ +||39.100.33.142^ +||39.100.70.46^ +||39.102.210.162^ +||39.103.150.56^ +||39.103.217.92^ +||39.104.22.98^ +||39.104.73.194^ +||39.105.31.193^ +||39.106.152.236^ +||39.106.216.88^ +||39.107.136.241^ +||39.107.254.213^ +||39.108.142.219^ +||39.108.145.133^ +||39.108.237.194^ +||39.126.138.39^ +||39.126.51.23^ +||39.175.56.202^ +||39.175.56.248^ +||39.175.56.249^ +||39.71.188.63^ +||39.74.28.220^ +||39.77.249.173^ +||39.79.13.228^ +||39.90.129.61^ +||39.90.150.255^ +||39.91.15.225^ +||39.98.107.227^ +||39.98.174.154^ +||39.98.48.153^ +||39.99.131.244^ +||41.139.172.245^ +||41.146.13.97^ +||41.146.71.77^ +||41.160.128.130^ +||41.184.188.49^ +||41.190.142.206^ +||41.190.69.6^ +||41.190.70.78^ +||41.203.218.38^ +||41.205.90.51^ +||41.215.23.222^ +||41.215.69.106^ +||41.216.189.127^ +||41.231.37.153^ +||41.71.51.243^ +||41.76.195.60^ +||41.76.195.90^ +||41.77.74.90^ +||41.78.75.186^ +||42.115.228.169^ +||42.115.60.134^ +||42.176.108.235^ +||42.176.248.156^ +||42.177.20.134^ +||42.177.201.110^ +||42.178.28.94^ +||42.178.96.98^ +||42.178.97.179^ +||42.179.110.155^ +||42.179.153.137^ +||42.179.5.202^ +||42.180.239.30^ +||42.180.38.70^ +||42.192.195.221^ +||42.224.144.160^ +||42.224.192.51^ +||42.225.60.63^ +||42.225.61.150^ +||42.226.65.205^ +||42.226.70.14^ +||42.227.197.79^ +||42.227.246.165^ +||42.227.32.215^ +||42.228.144.230^ +||42.228.221.66^ +||42.229.157.88^ +||42.230.71.202^ +||42.231.104.23^ +||42.231.76.48^ +||42.232.214.120^ +||42.232.84.232^ +||42.233.89.160^ +||42.235.1.187^ +||42.235.100.74^ +||42.235.181.165^ +||42.235.185.119^ +||42.235.45.200^ +||42.237.6.187^ +||42.239.154.35^ +||42.239.188.192^ +||42.239.227.203^ +||42.239.255.173^ +||42.243.138.69^ +||42.4.108.109^ +||42.4.193.88^ +||42.5.4.243^ +||42.51.37.127^ +||42.52.108.194^ +||42.53.121.198^ +||42.53.2.201^ +||42.53.79.36^ +||42.54.179.95^ +||42.55.11.182^ +||42.55.31.121^ +||42.55.59.77^ +||42.55.9.184^ +||42.56.163.77^ +||42.57.38.253^ +||42.58.131.95^ +||42.58.143.20^ +||42.59.236.234^ +||42.59.246.209^ +||42.59.75.193^ +||42.6.163.89^ +||42.6.200.21^ +||42.6.250.169^ +||42.7.101.162^ +||42.7.122.56^ +||42.7.134.48^ +||42.7.134.90^ +||42.7.136.118^ +||42.7.196.67^ +||42.7.237.199^ +||42.7.237.54^ +||42.85.219.184^ +||42.86.170.226^ +||42.86.174.218^ +||42.86.181.99^ +||42.86.53.155^ +||42.86.56.226^ +||42.87.173.165^ +||42.87.185.46^ +||42.87.220.207^ +||42.98.133.140^ +||43.132.12.146^ +||43.132.13.252^ +||43.133.36.25^ +||43.134.118.131^ +||43.134.58.195^ +||43.139.216.112^ +||43.143.123.40^ +||43.143.235.189^ +||43.143.48.234^ +||43.153.222.28^ +||43.224.0.5^ +||43.230.157.52^ +||43.230.158.26^ +||43.240.65.55^ +||43.241.17.143^ +||43.241.17.145^ +||43.245.131.27^ +||43.246.208.199^ +||43.249.172.195^ +||43.249.193.54^ +||43.249.52.210^ +||43.249.54.246^ +||43.252.159.216^ +||43.252.8.46^ +||43.255.216.26^ +||44.193.202.139^ +||44.197.200.249^ +||45.114.152.19^ +||45.115.236.152^ +||45.115.252.130^ +||45.115.253.60^ +||45.116.68.12^ +||45.116.68.70^ +||45.118.79.103^ +||45.121.33.122^ +||45.121.33.18^ +||45.128.146.227^ +||45.128.233.72^ +||45.138.183.226^ +||45.14.226.28^ +||45.141.26.134^ +||45.141.26.180^ +||45.141.26.234^ +||45.143.200.244^ +||45.15.137.119^ +||45.15.9.44^ +||45.151.62.216^ +||45.154.14.21^ +||45.161.217.70^ +||45.177.227.126^ +||45.192.96.63^ +||45.194.35.180^ +||45.221.96.37^ +||45.224.100.254^ +||45.86.155.29^ +||45.87.5.2^ +||45.93.20.135^ +||45.93.20.67^ +||46.10.63.155^ +||46.100.63.216^ +||46.107.32.176^ +||46.125.88.212^ +||46.141.62.238^ +||46.151.56.42^ +||46.16.102.32^ +||46.173.163.110^ +||46.175.138.75^ +||46.176.48.219^ +||46.180.176.202^ +||46.20.55.130^ +||46.20.55.131^ +||46.20.55.132^ +||46.20.55.133^ +||46.20.55.134^ +||46.209.88.218^ +||46.210.109.1^ +||46.210.92.196^ +||46.210.95.249^ +||46.229.134.127^ +||46.229.139.93^ +||46.231.32.135^ +||46.236.65.253^ +||46.24.237.234^ +||46.249.148.216^ +||46.250.54.75^ +||46.26.209.75^ +||46.27.44.23^ +||46.29.234.67^ +||46.35.179.223^ +||46.39.247.173^ +||46.43.79.53^ +||46.44.203.207^ +||46.52.164.170^ +||46.6.12.230^ +||46.6.14.187^ +||46.60.98.178^ +||46.72.31.77^ +||46.8.46.114^ +||46.97.137.50^ +||46.97.201.25^ +||46.97.36.186^ +||46.97.36.202^ +||46.98.200.158^ +||47.100.63.226^ +||47.101.206.165^ +||47.102.218.169^ +||47.103.126.166^ +||47.103.44.184^ +||47.104.169.91^ +||47.104.173.216^ +||47.104.181.208^ +||47.107.29.90^ +||47.108.134.185^ +||47.108.142.95^ +||47.109.137.82^ +||47.109.178.54^ +||47.109.77.180^ +||47.109.77.84^ +||47.109.90.134^ +||47.113.107.52^ +||47.115.54.19^ +||47.116.192.150^ +||47.120.25.38^ +||47.120.3.3^ +||47.120.46.210^ +||47.120.60.201^ +||47.121.137.189^ +||47.181.114.185^ +||47.208.201.208^ +||47.212.206.136^ +||47.236.179.229^ +||47.236.244.191^ +||47.236.53.118^ +||47.238.84.157^ +||47.243.175.24^ +||47.243.23.38^ +||47.244.167.171^ +||47.35.24.97^ +||47.50.169.82^ +||47.76.249.169^ +||47.76.49.150^ +||47.84.203.243^ +||47.90.142.15^ +||47.92.166.33^ +||47.93.243.161^ +||47.94.179.9^ +||47.94.196.131^ +||47.95.197.166^ +||47.97.105.148^ +||47.98.177.117^ +||47.98.194.85^ +||49.142.114.242^ +||49.156.46.134^ +||49.213.157.76^ +||49.232.126.36^ +||49.234.48.162^ +||49.64.118.121^ +||49.87.68.3^ +||5-157-110-232.dyn.eolo.it^ +||5.154.67.251^ +||5.157.110.232^ +||5.166.231.35^ +||5.181.28.63^ +||5.181.3.225^ +||5.191.21.161^ +||5.198.242.56^ +||5.20.176.98^ +||5.200.72.26^ +||5.201.179.68^ +||5.234.128.170^ +||5.253.59.205^ +||5.26.174.234^ +||5.28.38.135^ +||5.64.133.0^ +||5.89.112.21^ +||50.65.169.30^ +||51.210.148.4^ +||54.187.141.249^ +||54.83.104.93^ +||58.115.127.68^ +||58.137.135.190^ +||58.145.168.170^ +||58.152.32.99^ +||58.153.57.68^ +||58.186.98.80^ +||58.215.245.2^ +||58.42.186.222^ +||58.47.104.83^ +||58.47.123.141^ +||58.8.185.176^ +||58.87.94.238^ +||59.110.136.135^ +||59.110.172.50^ +||59.12.26.161^ +||59.133.38.163^ +||59.153.80.90^ +||59.154.122.196^ +||59.154.123.20^ +||59.154.252.26^ +||59.175.183.106^ +||59.182.120.81^ +||59.182.208.164^ +||59.182.90.204^ +||59.184.241.181^ +||59.187.205.72^ +||59.19.13.27^ +||59.20.59.150^ +||59.29.46.120^ +||59.54.88.94^ +||59.59.6.86^ +||59.88.16.229^ +||59.88.31.81^ +||59.88.32.94^ +||59.89.234.20^ +||59.89.236.141^ +||59.89.236.1^ +||59.92.161.139^ +||59.92.163.173^ +||59.92.226.69^ +||59.92.68.138^ +||59.93.19.180^ +||59.93.191.47^ +||59.93.22.70^ +||59.96.140.128^ +||59.96.140.223^ +||59.96.142.45^ +||59.98.198.35^ +||59.98.199.115^ +||59.99.133.26^ +||59.99.213.157^ +||60.16.165.90^ +||60.166.36.5^ +||60.18.215.229^ +||60.18.56.9^ +||60.18.68.76^ +||60.188.59.126^ +||60.19.239.114^ +||60.21.175.36^ +||60.211.47.72^ +||60.22.23.50^ +||60.22.87.18^ +||60.22.89.251^ +||60.23.127.245^ +||60.246.106.122^ +||60.253.126.4^ +||60.29.43.10^ +||61.131.3.86^ +||61.137.135.89^ +||61.137.139.66^ +||61.137.203.166^ +||61.142.105.111^ +||61.154.0.139^ +||61.156.213.147^ +||61.157.18.84^ +||61.167.212.115^ +||61.182.69.190^ +||61.183.16.127^ +||61.2.111.239^ +||61.2.45.132^ +||61.215.136.198^ +||61.3.93.252^ +||61.52.103.58^ +||61.52.211.127^ +||61.52.26.79^ +||61.53.116.104^ +||61.53.127.53^ +||61.53.74.73^ +||61.65.59.95^ +||61.70.0.22^ +||61.88.48.186^ +||61.88.49.245^ +||61.88.50.73^ +||61.88.50.74^ +||61.88.50.76^ +||61.88.92.150^ +||61.9.34.78^ +||62.1.103.60^ +||62.12.77.90^ +||62.122.96.124^ +||62.151.149.35^ +||62.162.113.34^ +||62.169.235.215^ +||62.176.113.135^ +||62.176.7.134^ +||62.202.20.85^ +||62.32.86.42^ +||62.44.203.178^ +||62.56.225.99^ +||62.60.226.64^ +||62.73.121.49^ +||62.84.179.62^ +||62.87.151.53^ +||63.78.214.18^ +||64.140.100.194^ +||64.140.100.201^ +||64.140.105.9^ +||64.140.99.97^ +||64.227.161.158^ +||64.234.95.70^ +||65.49.44.84^ +||66.181.166.140^ +||66.214.27.140^ +||66.23.157.229^ +||66.43.223.111^ +||66.49.95.131^ +||66.63.187.200^ +||66.63.187.214^ +||66.63.187.225^ +||66.63.187.69^ +||66.71.242.67^ +||66.71.242.68^ +||66.71.242.69^ +||66.71.242.70^ +||66.71.249.146^ +||67.213.59.251^ +||67.214.245.59^ +||68.107.218.106^ +||68.108.119.30^ +||68.115.131.242^ +||68.225.217.95^ +||68.226.36.150^ +||69.165.74.109^ +||69.70.215.126^ +||69.75.168.226^ +||70.166.89.181^ +||70.39.20.176^ +||70.45.241.192^ +||71.207.64.66^ +||71.42.105.54^ +||72.167.39.236^ +||72.175.25.81^ +||72.180.130.39^ +||72.219.74.233^ +||72.43.124.223^ +||73.87.50.238^ +||74.64.155.4^ +||74.72.72.247^ +||75.136.50.41^ +||75.18.210.21^ +||75.183.98.139^ +||75.8.215.99^ +||76.53.38.126^ +||76.76.195.174^ +||77.105.161.58^ +||77.237.29.219^ +||77.238.209.82^ +||77.240.97.71^ +||77.247.88.101^ +||77.247.88.84^ +||77.46.170.18^ +||77.65.45.186^ +||77.70.95.84^ +||77.72.254.210^ +||77.73.49.254^ +||77.89.199.242^ +||77.89.245.118^ +||78.11.94.15^ +||78.11.94.29^ +||78.110.74.83^ +||78.132.81.53^ +||78.136.240.220^ +||78.153.52.58^ +||78.165.123.51^ +||78.186.157.83^ +||78.188.137.146^ +||78.188.215.66^ +||78.188.82.30^ +||78.25.120.196^ +||78.26.136.125^ +||78.26.81.99^ +||78.29.14.127^ +||78.29.19.18^ +||78.30.234.163^ +||78.30.245.243^ +||78.51.198.50^ +||78.70.203.243^ +||78.83.245.86^ +||79.101.0.33^ +||79.111.119.241^ +||79.117.34.254^ +||79.120.54.194^ +||79.121.110.34^ +||79.124.40.46^ +||79.124.72.22^ +||79.165.16.125^ +||79.175.42.206^ +||79.23.130.80^ +||79.40.67.90^ +||79.52.185.45^ +||8.130.24.191^ +||8.131.63.6^ +||8.134.163.72^ +||8.135.237.16^ +||8.137.114.210^ +||8.138.27.20^ +||8.138.81.152^ +||8.138.96.41^ +||8.140.239.162^ +||8.140.242.49^ +||8.141.166.236^ +||8.141.95.197^ +||8.148.5.183^ +||8.149.128.131^ +||8.154.18.17^ +||8.156.64.248^ +||8.209.212.26^ +||8.210.236.92^ +||8.217.7.79^ +||8.218.138.77^ +||8.219.134.35^ +||80.11.228.144^ +||80.11.36.4^ +||80.14.38.66^ +||80.19.172.50^ +||80.191.218.136^ +||80.210.27.206^ +||80.210.35.140^ +||80.23.51.234^ +||80.23.51.236^ +||80.23.51.237^ +||80.24.87.77^ +||80.249.6.118^ +||80.28.228.106^ +||80.41.66.13^ +||80.64.30.50^ +||80.64.76.65^ +||80.68.196.6^ +||80.73.70.114^ +||80.76.51.164^ +||80.76.51.231^ +||81.10.240.105^ +||81.12.157.98^ +||81.151.48.202^ +||81.16.123.55^ +||81.16.242.236^ +||81.16.247.116^ +||81.16.247.69^ +||81.16.247.81^ +||81.16.247.83^ +||81.16.249.96^ +||81.16.254.181^ +||81.19.23.183^ +||81.196.96.73^ +||81.211.8.190^ +||81.218.175.244^ +||81.23.169.206^ +||81.233.48.173^ +||81.42.247.62^ +||81.42.249.132^ +||81.45.183.125^ +||81.57.79.124^ +||82.102.166.41^ +||82.103.100.244^ +||82.114.200.50^ +||82.117.197.102^ +||82.127.74.198^ +||82.140.14.10^ +||82.144.211.181^ +||82.148.194.54^ +||82.156.0.140^ +||82.156.108.180^ +||82.193.118.99^ +||82.193.120.99^ +||82.200.140.66^ +||82.31.159.47^ +||82.52.227.103^ +||82.58.135.41^ +||82.65.37.116^ +||82.76.12.91^ +||82.77.57.16^ +||82.96.151.84^ +||82.99.230.98^ +||83-87-76-41.cable.dynamic.v4.ziggo.nl^ +||83.147.127.49^ +||83.147.93.226^ +||83.149.17.194^ +||83.166.197.212^ +||83.209.41.236^ +||83.218.189.21^ +||83.218.189.57^ +||83.219.1.198^ +||83.220.121.158^ +||83.220.249.234^ +||83.229.122.83^ +||83.234.147.99^ +||83.234.203.16^ +||83.234.218.234^ +||83.239.105.190^ +||83.249.236.177^ +||83.249.243.32^ +||83.253.55.207^ +||83.59.41.7^ +||83.87.117.75^ +||83.87.76.41^ +||83.96.147.6^ +||84.1.110.226^ +||84.15.147.5^ +||84.15.43.52^ +||84.194.129.172^ +||84.199.4.170^ +||84.200.154.119^ +||84.200.24.34^ +||84.205.55.156^ +||84.22.48.234^ +||84.241.25.65^ +||84.242.139.154^ +||84.244.20.168^ +||84.255.42.67^ +||84.29.231.9^ +||85-95-173-28.saransk.ru^ +||85.105.79.209^ +||85.130.160.219^ +||85.15.254.129^ +||85.175.101.203^ +||85.187.172.75^ +||85.187.82.120^ +||85.207.44.106^ +||85.209.134.186^ +||85.22.139.189^ +||85.230.143.101^ +||85.25.72.70^ +||85.29.137.243^ +||85.31.47.154^ +||85.31.47.24^ +||85.72.39.196^ +||85.73.149.211^ +||85.89.178.102^ +||85.89.188.97^ +||85.94.170.150^ +||85.95.173.28^ +||86.101.187.225^ +||86.101.187.226^ +||86.102.177.140^ +||86.106.101.159^ +||86.106.155.155^ +||86.120.181.49^ +||86.120.181.54^ +||86.120.181.56^ +||86.120.181.60^ +||86.120.181.61^ +||86.121.112.111^ +||86.121.112.188^ +||86.121.112.70^ +||86.121.113.12^ +||86.121.113.72^ +||86.121.113.85^ +||86.121.113.87^ +||86.127.104.61^ +||86.127.12.193^ +||86.140.204.27^ +||86.181.172.176^ +||86.228.133.175^ +||86.28.209.247^ +||86.34.137.138^ +||86.38.171.81^ +||86.84.3.30^ +||87.120.112.166^ +||87.120.113.47^ +||87.120.113.52^ +||87.120.115.240^ +||87.120.115.26^ +||87.120.116.179^ +||87.120.117.138^ +||87.120.117.183^ +||87.120.125.166^ +||87.120.125.72^ +||87.120.127.19^ +||87.121.112.22^ +||87.121.86.234^ +||87.121.86.2^ +||87.197.107.203^ +||87.197.160.196^ +||87.197.97.129^ +||87.249.142.126^ +||87.251.102.94^ +||87.251.249.41^ +||87.26.194.197^ +||87.97.161.106^ +||88.119.151.142^ +||88.119.193.17^ +||88.119.95.176^ +||88.123.92.100^ +||88.135.26.83^ +||88.204.58.118^ +||88.209.197.53^ +||88.24.41.80^ +||88.24.76.180^ +||88.245.209.51^ +||88.247.206.153^ +||88.248.194.163^ +||88.248.204.94^ +||88.248.81.112^ +||88.25.206.201^ +||88.250.198.87^ +||88.28.177.134^ +||88.28.177.135^ +||88.28.218.163^ +||88.5.243.25^ +||88.88.147.126^ +||89.109.11.99^ +||89.121.250.206^ +||89.121.254.94^ +||89.133.95.164^ +||89.135.142.235^ +||89.140.176.228^ +||89.149.127.214^ +||89.149.71.22^ +||89.165.170.74^ +||89.175.186.155^ +||89.184.185.198^ +||89.190.76.126^ +||89.197.154.116^ +||89.216.100.166^ +||89.216.107.99^ +||89.218.249.86^ +||89.218.42.242^ +||89.231.14.137^ +||89.233.158.18^ +||89.25.214.254^ +||89.254.173.147^ +||89.28.58.132^ +||89.28.58.97^ +||89.31.226.224^ +||89.35.233.220^ +||89.39.108.205^ +||90.174.6.8^ +||90.176.171.4^ +||90.182.214.197^ +||90.182.214.225^ +||90.227.7.171^ +||90.230.28.6^ +||90.45.15.114^ +||90.45.68.107^ +||90.68.161.157^ +||91-202-233-151.plesk.page^ +||91.130.61.223^ +||91.139.153.236^ +||91.139.18.3^ +||91.164.39.142^ +||91.192.33.128^ +||91.196.121.81^ +||91.202.233.145^ +||91.202.233.151^ +||91.202.233.169^ +||91.202.233.181^ +||91.203.89.146^ +||91.205.131.242^ +||91.207.245.16^ +||91.215.61.181^ +||91.215.85.11^ +||91.216.28.112^ +||91.228.64.59^ +||91.231.190.163^ +||91.232.188.116^ +||91.235.181.104^ +||91.244.112.102^ +||91.244.169.56^ +||91.246.214.25^ +||91.80.129.17^ +||91.80.139.92^ +||91.80.154.192^ +||91.92.188.72^ +||91.92.204.65^ +||91.92.82.180^ +||91.92.94.138^ +||91.92.98.94^ +||912648.aioc.qbgxl.com^ +||92.114.191.82^ +||92.118.170.81^ +||92.127.156.174^ +||92.149.242.141^ +||92.203.169.39^ +||92.203.169.41^ +||92.241.19.127^ +||92.241.77.214^ +||92.255.57.112^ +||92.255.57.155^ +||92.255.85.130^ +||92.255.85.34^ +||92.40.118.29^ +||92.40.60.61^ +||93.117.75.7^ +||93.117.90.136^ +||93.118.104.33^ +||93.118.112.68^ +||93.122.182.148^ +||93.123.109.120^ +||93.123.109.39^ +||93.123.53.204^ +||93.123.89.226^ +||93.175.223.140^ +||93.177.240.118^ +||93.182.76.169^ +||93.188.34.16^ +||93.189.222.80^ +||93.45.110.227^ +||93.47.199.117^ +||93.63.154.162^ +||94.154.35.238^ +||94.154.35.88^ +||94.154.35.94^ +||94.154.84.37^ +||94.156.167.138^ +||94.156.177.109^ +||94.174.32.51^ +||94.183.159.51^ +||94.197.228.249^ +||94.226.135.252^ +||94.232.42.84^ +||94.240.37.34^ +||94.241.90.73^ +||94.244.113.217^ +||94.251.5.51^ +||94.254.23.48^ +||94.255.218.185^ +||94.28.123.75^ +||94.40.25.60^ +||94.52.86.60^ +||94.74.128.50^ +||94.74.144.229^ +||94.76.156.101^ +||95.127.234.248^ +||95.141.135.138^ +||95.153.254.21^ +||95.158.161.51^ +||95.158.175.214^ +||95.158.69.35^ +||95.167.25.74^ +||95.170.112.158^ +||95.170.112.61^ +||95.170.113.236^ +||95.170.113.242^ +||95.170.114.70^ +||95.170.116.28^ +||95.170.119.100^ +||95.170.119.57^ +||95.170.119.90^ +||95.170.203.178^ +||95.230.215.65^ +||95.244.139.76^ +||95.255.114.11^ +||95.38.24.186^ +||95.43.74.253^ +||95.47.248.146^ +||95.78.118.134^ +||95.80.77.125^ +||96.250.166.185^ +||96.76.18.90^ +||98.103.171.36^ +||98.109.126.66^ +||98.180.230.180^ +||99.118.215.24^ +||99.139.100.137^ +||99.233.83.22^ +||99.234.132.85^ +||99.71.130.109^ +||99smoothfm.com^ +||a11xxx1.oss-cn-hongkong.aliyuncs.com^ +||a12xxx1.oss-cn-hongkong.aliyuncs.com^ +||a15aaa1.oss-cn-hongkong.aliyuncs.com^ +||a16eea1.oss-cn-hongkong.aliyuncs.com^ +||a17rrr1.oss-cn-hongkong.aliyuncs.com^ +||a18qqq1.oss-cn-hongkong.aliyuncs.com^ +||a19ccc1.oss-cn-hongkong.aliyuncs.com^ +||a23uuu1.oss-cn-hongkong.aliyuncs.com^ +||a26bbb1.oss-cn-hongkong.aliyuncs.com^ +||abissnet.net^ +||adf6.adf6.com^ +||admin.aishangzhua.com^ +||aefieiaehfiaehr.top^ +||agapi.cqjjb.cn^ +||ah-scanning.oss-cn-hongkong.aliyuncs.com^ +||ai-kling.online^ +||alien-training.com^ +||aosafrica.co.za^ +||api.accueil-coinbase.com^ +||api.aide-coinbase.com^ +||api.co-operativefinance.com^ +||api.ewfiles.net^ +||api.hostize.com^ +||api.information-binance.com^ +||api.rappel-coinbase.com^ +||armanayegh.com^ +||arting.ee^ +||aulist.com^ +||autoparts-online.uk^ +||avastcxp.com^ +||avastcxt.com^ +||avastexodus.com^ +||avastmetamask.com^ +||avastng.com^ +||avastop.com^ +||avastpdq.com^ +||avastpdr.com^ +||azgint.com^ +||b46.oss-cn-hongkong.aliyuncs.com^ +||bafybeicnmx2fcaolinpdaiqjo7hgsourg3qzaxf57psdrbqic4qrm4pf3i.ipfs.dweb.link^ +||bafybeicoo7kwhmnl6q7prd65aimf5byzrihrklgviebm2pkyzyepdaigf4.ipfs.dweb.link^ +||baixetudopcwindows.github.io^ +||banthis.su^ +||best.obs.cn-sz1.ctyun.cn^ +||bitkiselurunsiparis.com^ +||blackhattoolz.com^ +||bruplong.oss-accelerate.aliyuncs.com^ +||buscascolegios.diit.cl^ +||c0e5b87c.solaraweb-alj.pages.dev^ +||c3poolbat.oss-accelerate.aliyuncs.com^ +||c3poolbat2.oss-ap-northeast-1.aliyuncs.com^ +||campingkaymakis.ath.forthnet.gr^ +||catbaparadisehotel.com.vn^ +||cdaonline.com.ar^ +||cdn.ly.9377.com^ +||cfs10.blog.daum.net^ +||cfs13.tistory.com^ +||cfs7.blog.daum.net^ +||cfs9.blog.daum.net^ +||chemsky.tn^ +||chinaapper.com^ +||chmod0777kk.com^ +||ciscocdn.com^ +||cnom.sante.gov.ml^ +||coach.028csc.com^ +||coadymarine.com^ +||conn.masjesu.zip^ +||cpc138130-hatf10-2-0-cust814.9-3.cable.virginm.net^ +||cranky-nash.91-202-233-151.plesk.page^ +||credovsnra.com^ +||crestereamuschilor.ro^ +||cryptopotato.net^ +||crystalpvp.ru^ +||cs.go.kg^ +||csg-app.com^ +||d.kpzip.com^ +||dangtienluc.com^ +||data.yhydl.com^ +||dazhongyao.com^ +||dcwblida.dz^ +||deauduafzgezzfgm.top^ +||desquer.ens.uabc.mx^ +||device.redirec.com^ +||disk.accord1key.cn^ +||divvanews.com^ +||djhyzhicai.com^ +||dl.aginjector.com^ +||dl.natgo.cn^ +||dld.jxwan.com^ +||dow.andylab.cn^ +||down.ftp21.cc^ +||down.fwqlt.com^ +||down.mvip8.ru^ +||down.pcclear.com^ +||down.ruanmei.com^ +||down10d.zol.com.cn^ +||download-winsdownload-wins.oss-cn-hangzhou.aliyuncs.com^ +||download.caihong.com^ +||download.cudo.org^ +||download.emailorganizer.com^ +||download.skycn.com^ +||download.suxiazai.com^ +||downsexv.com^ +||dragonhack.shop^ +||dz0nhlj1q8ac3.cloudfront.net^ +||e4l4.com^ +||eager-haslett.91-202-233-151.plesk.page^ +||ec2-18-166-176-228.ap-east-1.compute.amazonaws.com^ +||ecolumy.com^ +||ecs-123-60-182-88.compute.hwclouds-dns.com^ +||ecs-124-71-158-149.compute.hwclouds-dns.com^ +||elisans.novayonetim.com^ +||eoufaoeuhoauengi.su^ +||epanpano.com^ +||epei77.direct.quickconnect.to^ +||f24-zfcloud.zdn.vn^ +||f2pverifynow.com^ +||file.blackint3.com^ +||file.edunet.ac^ +||files5.uludagbilisim.com^ +||fill-tomap.com^ +||flechabusretiro.com.ar^ +||ftp.ywxww.net^ +||fundrescuetech.com^ +||funletters.net^ +||furryporn.top^ +||gachetroi.com^ +||gawx.florenda.com^ +||gemini-desktop.com^ +||get-start.oss-ap-southeast-7.aliyuncs.com^ +||gets-quant.oss-ap-southeast-7.aliyuncs.com^ +||gh-hr.cn^ +||glennmedina.com^ +||globallaborsupply.com^ +||hardcore-cartwright.194-26-192-76.plesk.page^ +||hhbs.hhu.edu.cn^ +||hhynetwork.com^ +||hitman-pro.ru^ +||hitstation.nl^ +||hnjgdl.geps.glodon.com^ +||hntngln1.com^ +||hobobot.net^ +||honeybooterz.cve-2021-36260.ru^ +||hook.ftp21.cc^ +||host-195-103-203-106.business.telecomitalia.it^ +||host-95-255-114-11.business.telecomitalia.it^ +||hr2019.vrcom7.com^ +||hradvanceportal.com^ +||i0001.clarodrive.com^ +||imtoken8.cc^ +||information-binance.com^ +||ingonherbal.com^ +||ini.sh-pp.com^ +||inspirepk.org^ +||jaffarkhan.com^ +||jahez.me^ +||javierlopez.eu^ +||jobcity.com^ +||jointings.org^ +||karer.by^ +||karoonpc.com^ +||keyser-api.eu^ +||kio.giize.com^ +||kuakuawenjian.oss-cn-hangzhou.aliyuncs.com^ +||kypeti.com^ +||library.arihantmbainstitute.ac.in^ +||lindnerelektroanlagen.de^ +||linkvilleplayers.org^ +||loader.hxsoftwares.com^ +||loader.oxy.st^ +||loeghaiofiehfihf.to^ +||lsks.volamngayxua.net^ +||lti.cs.vt.edu^ +||lusii.oss-ap-southeast-1.aliyuncs.com^ +||m.gutousoft.com^ +||maciejowice.dobrybip.pl^ +||main.dsn.ovh^ +||mandarin.net.au^ +||maxmoney.com^ +||medises.co.kr^ +||mertvinc.com.tr^ +||messiku.com^ +||microsoft-analyse.com^ +||microsoft-auth-network.cc^ +||miner-tolken.com^ +||mininews.kpzip.com^ +||misljen.net^ +||mitgpssms.com^ +||mobile-bank.pages.dev^ +||modest-sinoussi.91-202-233-151.plesk.page^ +||moonloaderupdate.ru^ +||mta0.kio.giize.com^ +||my.cloudme.com^ +||myguyapp.com^ +||mymin11.oss-cn-hangzhou.aliyuncs.com^ +||namthaibinh.net^ +||nerve.untergrund.net^ +||newhip.oss-cn-beijing.aliyuncs.com^ +||noithaticon.vn^ +||ns1.koleso.tc^ +||odoo.kseibitools.com^ +||ojang.pe.kr^ +||opolis.io^ +||osecweb.ir^ +||oys0ro.static.otenet.gr^ +||p3.zbjimg.com^ +||p6.zbjimg.com^ +||palharesinformatica.com.br^ +||park.chuitian.cn^ +||parmisbuilding.com^ +||pb.agnt.ru^ +||pid.fly160.com^ +||pilzmacher.com^ +||pirati.privatedns.org^ +||plunder.dedyn.io^ +||pns.org.pk^ +||poloplus.ro^ +||protechasia.com^ +||pub-37d3986658af451c9d52bb9f482b3e2d.r2.dev^ +||pub-92c456788ff540628e0e809709842c78.r2.dev^ +||pub-cdd0dd27ae6a4aee9841d397e0496374.r2.dev^ +||pub-d6448def2aba44ce96071bebcc1ce641.r2.dev^ +||qed245t3kreiscryoz-gueterslohewr33w.de^ +||qiniuyunxz.yxflzs.com^ +||qlqd5zqefmkcr34a.onion.sh^ +||quanly.jxmienphi.net^ +||quanlyphongnet.com^ +||quit.do.am^ +||rappel-coinbase.com^ +||rayjenthomas.duckdns.org^ +||rb3.ftnt.io^ +||rd.chuitian.cn^ +||rddissisifigifidi.net^ +||reifenquick.de^ +||resourceedge.org^ +||reusable-flex.com^ +||ronnin-v2.com^ +||rphingenieria.com^ +||safe.ywxww.net^ +||safefiles2.oss-cn-beijing.aliyuncs.com^ +||saveyourcinema.ca^ +||schytcdagl.com^ +||security-service-api-link.cc^ +||ser.nrovn.xyz^ +||sergiolamoski.com^ +||server.toeicswt.co.kr^ +||sfa.com.ar^ +||sgz-1302338321.cos.ap-guangzhou.myqcloud.com^ +||shangmei-test.oss-cn-beijing.aliyuncs.com^ +||shell.dimitrimedia.com^ +||sirault.be^ +||sister-1324943887.cos.ap-guangzhou.myqcloud.com^ +||soft.110route.com^ +||soft.wsyhn.com^ +||softbank126023203236.bbtec.net^ +||softdl.360tpcdn.com^ +||soportegira.net^ +||spaceframe.mobi.space-frame.co.za^ +||sporcketngearforu.com^ +||src1.minibai.com^ +||ssl.ftp21.cc^ +||staplebrokenmetaliyro.blogspot.com^ +||static.3001.net^ +||stdown.dinju.com^ +||storage.soowim.co.kr^ +||studioq202.com^ +||sufikhat.com^ +||support.clz.kr^ +||symbiatec-fi.com^ +||symbietic.com^ +||symdlotic.com^ +||tao025.com^ +||tao221.com^ +||tao816.com^ +||tao977.com^ +||taodianla.com^ +||tdejb.com^ +||tecni-soft.com^ +||tecunonline.com^ +||temirtau-adm.ru^ +||tengfeidn.com^ +||test.aionclassic.pro^ +||tests.yjzj.org^ +||tianyinsoft.top^ +||tiaoshibao.com^ +||tjsemicoke.com^ +||traefik-dashboard.val.io.vn^ +||travelwithmanta.co.za^ +||treinamento.convenio.to.gov.br^ +||tualcaldia.com^ +||up1035rwa5zk.prodemadoutorado.org^ +||upadaria.org^ +||update.cg100iii.com^ +||update.vlnguba.com^ +||update.volam2005pk.com^ +||updateinfo-portal.com^ +||upload.vina-host.com^ +||utorrent-backup-server.top^ +||utorrent-backup-server2.top^ +||utorrent-backup-server3.top^ +||utorrent-backup-server4.top^ +||utorrent-backup-server5.top^ +||utorrent-servers.xyz^ +||uyul.oss-cn-beijing.aliyuncs.com^ +||valseg.com.br^ +||vbccorretoradeseguros.com.br^ +||view-reserve.com^ +||vmi1547155.contaboserver.net^ +||websites-security.com^ +||weco.oss-eu-central-1.aliyuncs.com^ +||weco2.oss-me-east-1.aliyuncs.com^ +||win-network-checker.cc^ +||win.down.55kantu.com^ +||windriversfiles.imeitools.com^ +||www999999asgasg-1327129302.cos.ap-chengdu.myqcloud.com^ +||www999999safagqwhg-1327129302.cos.ap-chengdu.myqcloud.com^ +||wynecare.com^ +||wz.3911.com^ +||xiangshunjy.com^ +||ximonite.com^ +||xingpai.weilay.com.cn^ +||xn--on3b15m2lco2u.com^ +||xn--yh4bx88a.com^ +||xss-1253555722.cos.ap-singapore.myqcloud.com^ +||yaocanting.com^ +||youfirst.hradvanceportal.com^ +||ysbaojia.com^ +||ywxww.net^ +||yzkzixun.com^ +||z.shavsl.com^ +||zenocore.net^ +||zffsg.oss-ap-northeast-2.aliyuncs.com^ +||zhengxinpeixun.oss-cn-qingdao.aliyuncs.com^ +||zhikey.com^ +||zip-store.oss-ap-southeast-1.aliyuncs.com^ +||zlonline.oss-cn-shenzhen.aliyuncs.com^ +||znrq.zifwxq.cn^ + +[Adblock Plus 1.1] +!Blocklist for use with Adblock Plus. Use the following URL to add +!AdBlock Plus: + +! +! abp:subscribe?location=http%3A%2F%2Fpgl.yoyo.org%2Fadservers%2Fserverlist.php%3Fhostformat%3Dadblockplus%26mimetype%3Dplaintext&title=Peter%20Lowe%27s%20list + +! +!For more information about this list, see: https://pgl.yoyo.org/adservers/ +!---- +!Last modified: Wed, 15 Jan 2025 14:33:58 GMT +!Homepage: https://pgl.yoyo.org/adservers/ +!Format: adblockplus +!Entries: 3548 +!Credits: Peter Lowe - pgl@yoyo.org - pgl on github - https://pgl.yoyo.org/ +!This URL: https://pgl.yoyo.org/adservers/serverlist.php?hostformat=adblockplus&showintro=1&mimetype=plaintext +!Policy: https://pgl.yoyo.org/adservers/policy.php +!Other formats: https://pgl.yoyo.org/adservers/formats.php +! +||1-1ads.com^ +||101com.com^ +||180hits.de^ +||180searchassistant.com^ +||1rx.io^ +||2020mustang.com^ +||207.net^ +||247media.com^ +||24log.com^ +||24pm-affiliation.com^ +||2linkpath.com^ +||2mdn.net^ +||2o7.net^ +||2znp09oa.com^ +||30ads.com^ +||3337723.com^ +||33across.com^ +||360yield.com^ +||3lift.com^ +||3o9s.short.gy^ +||4clicker.pro^ +||4d5.net^ +||4info.com^ +||4jnzhl0d0.com^ +||50websads.com^ +||518ad.com^ +||5mcwl.pw^ +||6ldu6qa.com^ +||6sc.co^ +||777partner.com^ +||77tracking.com^ +||7bpeople.com^ +||7cnq.net^ +||7search.com^ +||82o9v830.com^ +||a-ads.com^ +||a.mktw.net^ +||a.muloqot.uz^ +||a.sakh.com^ +||a.ucoz.net^ +||a.ucoz.ru^ +||a.vartoken.com^ +||a.vfghd.com^ +||a.vfgtb.com^ +||a.xanga.com^ +||a135.wftv.com^ +||a5.overclockers.ua^ +||aa-metrics.beauty.hotpepper.jp^ +||aa-metrics.recruit-card.jp^ +||aa-metrics.trip-ai.jp^ +||aaddzz.com^ +||aax-eu-dub.amazon.com^ +||aaxads.com^ +||abacho.net^ +||abc-ads.com^ +||ablink.comms.trainline.com^ +||ablink.info.wise.com^ +||ablink.news.emails-puregym.com^ +||ablinks.mail.hinge.co^ +||aboardlevel.com^ +||abruptroad.com^ +||absorbingband.com^ +||abstractedauthority.com^ +||abtasty.com^ +||ac.rnm.ca^ +||accountsdoor.com^ +||acemlnb.com^ +||acridtwist.com^ +||actionsplash.com^ +||actonsoftware.com^ +||actualdeals.com^ +||actuallysheep.com^ +||actuallysnake.com^ +||acuityads.com^ +||acuityplatform.com^ +||ad-balancer.at^ +||ad-balancer.net^ +||ad-cupid.com^ +||ad-delivery.net^ +||ad-pay.de^ +||ad-rotator.com^ +||ad-score.com^ +||ad-server.gulasidorna.se^ +||ad-space.net^ +||ad-up.com^ +||ad.71i.de^ +||ad.a8.net^ +||ad.abcnews.com^ +||ad.abctv.com^ +||ad.aboutwebservices.com^ +||ad.abum.com^ +||ad.admitad.com^ +||ad.allboxing.ru^ +||ad.altervista.org^ +||ad.amgdgt.com^ +||ad.anuntis.com^ +||ad.auditude.com^ +||ad.bitmedia.io^ +||ad.bizo.com^ +||ad.bondage.com^ +||ad.centrum.cz^ +||ad.cgi.cz^ +||ad.choiceradio.com^ +||ad.cooks.com^ +||ad.digitallook.com^ +||ad.dnoticias.pt^ +||ad.domainfactory.de^ +||ad.exyws.org^ +||ad.grafika.cz^ +||ad.gt^ +||ad.hbv.de^ +||ad.hyena.cz^ +||ad.iinfo.cz^ +||ad.infoseek.com^ +||ad.intl.xiaomi.com^ +||ad.jacotei.com.br^ +||ad.jetsoftware.com^ +||ad.keenspace.com^ +||ad.lgappstv.com^ +||ad.liveinternet.ru^ +||ad.lupa.cz^ +||ad.mediastorm.hu^ +||ad.mg^ +||ad.musicmatch.com^ +||ad.myapple.pl^ +||ad.mynetreklam.com.streamprovider.net^ +||ad.nachtagenten.de^ +||ad.nettvservices.com^ +||ad.nttnavi.co.jp^ +||ad.nwt.cz^ +||ad.period-calendar.com^ +||ad.profiwin.de^ +||ad.prv.pl^ +||ad.reachlocal.com^ +||ad.simgames.net^ +||ad.style^ +||ad.tapthislink.com^ +||ad.technoratimedia.com^ +||ad.tv2.no^ +||ad.universcine.com^ +||ad.usatoday.com^ +||ad.virtual-nights.com^ +||ad.wavu.hu^ +||ad.weatherbug.com^ +||ad.wsod.com^ +||ad.wz.cz^ +||ad.xiaomi.com^ +||ad.xmovies8.si^ +||ad.xrea.com^ +||ad.ztylez.com^ +||ad0.bigmir.net^ +||ad01.mediacorpsingapore.com^ +||ad1.emule-project.org^ +||ad1.kde.cz^ +||ad2.iinfo.cz^ +||ad2.lupa.cz^ +||ad2.netriota.hu^ +||ad2.nmm.de^ +||ad2.xrea.com^ +||ad3.iinfo.cz^ +||ad3.xrea.com^ +||ad4game.com^ +||ad4mat.com^ +||ad4mat.de^ +||ad4mat.net^ +||adabra.com^ +||adaction.de^ +||adadvisor.net^ +||adalliance.io^ +||adanging.blog^ +||adap.tv^ +||adapt.tv^ +||adaranth.com^ +||adbilty.me^ +||adblade.com^ +||adblade.org^ +||adblockanalytics.com^ +||adbooth.net^ +||adbot.com^ +||adbrite.com^ +||adbroker.de^ +||adbunker.com^ +||adbutler.com^ +||adbuyer3.lycos.com^ +||adcampo.com^ +||adcannyads.com^ +||adcash.com^ +||adcast.deviantart.com^ +||adcel.co^ +||adcell.de^ +||adcenter.net^ +||adclick.com^ +||adclient1.tucows.com^ +||adclixx.net^ +||adcolony.com^ +||adcomplete.com^ +||adconion.com^ +||adcontent.gamespy.com^ +||adcovery.com^ +||adcycle.com^ +||add.newmedia.cz^ +||addfreestats.com^ +||addme.com^ +||adecn.com^ +||adeimptrck.com^ +||ademails.com^ +||adengage.com^ +||adetracking.com^ +||adeure.com^ +||adexc.net^ +||adexchangegate.com^ +||adexchangeprediction.com^ +||adexpose.com^ +||adext.inkclub.com^ +||adf.ly^ +||adfeed.marchex.com^ +||adflight.com^ +||adforce.com^ +||adform.com^ +||adform.net^ +||adformdsp.net^ +||adgardener.com^ +||adhaven.com^ +||adhese.be^ +||adhese.com^ +||adhigh.net^ +||adhoc4.net^ +||adhunter.media^ +||adimage.guardian.co.uk^ +||adimages.been.com^ +||adimages.carsoup.com^ +||adimages.go.com^ +||adimages.homestore.com^ +||adimages.omroepzeeland.nl^ +||adimages.sanomawsoy.fi^ +||adimg.com.com^ +||adimg.uimserv.net^ +||adimg1.chosun.com^ +||adimgs.sapo.pt^ +||adingo.jp^ +||adinjector.net^ +||adinterax.com^ +||adisfy.com^ +||adition.com^ +||adition.de^ +||adition.net^ +||adizio.com^ +||adjix.com^ +||adjug.com^ +||adjuggler.com^ +||adjuggler.yourdictionary.com^ +||adjust.com^ +||adjustnetwork.com^ +||adk2.co^ +||adk2.com^ +||adland.ru^ +||adlegend.com^ +||adlightning.com^ +||adlog.com.com^ +||adloox.com^ +||adlooxtracking.com^ +||adlure.net^ +||adm.fwmrm.net^ +||admagnet.net^ +||admailtiser.com^ +||adman.gr^ +||adman.otenet.gr^ +||admanagement.ch^ +||admanager.btopenworld.com^ +||admanager.carsoup.com^ +||admanmedia.com^ +||admantx.com^ +||admarketplace.net^ +||admarvel.com^ +||admaster.com.cn^ +||admatchly.com^ +||admedia.com^ +||admeld.com^ +||admeridianads.com^ +||admex.com^ +||admidadsp.com^ +||adminder.com^ +||adminshop.com^ +||admix.in^ +||admixer.net^ +||admized.com^ +||admob.com^ +||admonitor.com^ +||adn.lrb.co.uk^ +||adnami.io^ +||adnet.asahi.com^ +||adnet.biz^ +||adnet.de^ +||adnet.ru^ +||adnetasia.com^ +||adnetwork.net^ +||adnetworkperformance.com^ +||adnews.maddog2000.de^ +||adnium.com^ +||adnxs-simple.com^ +||adnxs.com^ +||adocean.pl^ +||adonspot.com^ +||adoptum.net^ +||adoric-om.com^ +||adorigin.com^ +||adotmob.com^ +||adpepper.dk^ +||adpepper.nl^ +||adperium.com^ +||adpia.vn^ +||adplus.co.id^ +||adplxmd.com^ +||adprofits.ru^ +||adpushup.com^ +||adrazzi.com^ +||adreactor.com^ +||adreclaim.com^ +||adrecover.com^ +||adrecreate.com^ +||adremedy.com^ +||adreporting.com^ +||adrevolver.com^ +||adriver.ru^ +||adrolays.de^ +||adrotate.de^ +||adrotic.girlonthenet.com^ +||adrta.com^ +||ads-backend.chaincliq.com^ +||ads-bilek.com^ +||ads-click.com^ +||ads-dev.pinterest.com^ +||ads-game-187f4.firebaseapp.com^ +||ads-kesselhaus.com^ +||ads-trk.vidible.tv^ +||ads-twitter.com^ +||ads.365.mk^ +||ads.5ci.lt^ +||ads.73dpi.com^ +||ads.a-snag-smartmoney.fyi^ +||ads.aavv.com^ +||ads.abovetopsecret.com^ +||ads.aceweb.net^ +||ads.acpc.cat^ +||ads.acrosspf.com^ +||ads.activestate.com^ +||ads.adfox.ru^ +||ads.administrator.de^ +||ads.adred.de^ +||ads.adsbtc.fun^ +||ads.adstream.com.ro^ +||ads.adultfriendfinder.com^ +||ads.advance.net^ +||ads.adverline.com^ +||ads.affiliates.match.com^ +||ads.alive.com^ +||ads.alt.com^ +||ads.amdmb.com^ +||ads.amigos.com^ +||ads.annabac.com^ +||ads.apn.co.nz^ +||ads.appsgeyser.com^ +||ads.as4x.tmcs.net^ +||ads.as4x.tmcs.ticketmaster.com^ +||ads.asiafriendfinder.com^ +||ads.aspalliance.com^ +||ads.avazu.net^ +||ads.bb59.ru^ +||ads.betfair.com^ +||ads.bigchurch.com^ +||ads.bigfoot.com^ +||ads.bing.com^ +||ads.bittorrent.com^ +||ads.blog.com^ +||ads.bluemountain.com^ +||ads.boerding.com^ +||ads.boylesports.com^ +||ads.brabys.com^ +||ads.bumq.com^ +||ads.canalblog.com^ +||ads.casinocity.com^ +||ads.casumoaffiliates.com^ +||ads.cbc.ca^ +||ads.cc^ +||ads.cc-dt.com^ +||ads.centraliprom.com^ +||ads.channel4.com^ +||ads.cheabit.com^ +||ads.citymagazine.si^ +||ads.clasificadox.com^ +||ads.co.com^ +||ads.colombiaonline.com^ +||ads.com.com^ +||ads.comeon.com^ +||ads.creative-serving.com^ +||ads.cybersales.cz^ +||ads.dada.it^ +||ads.dailycamera.com^ +||ads.deltha.hu^ +||ads.dennisnet.co.uk^ +||ads.desmoinesregister.com^ +||ads.detelefoongids.nl^ +||ads.deviantart.com^ +||ads.devmates.com^ +||ads.digital-digest.com^ +||ads.digitalmedianet.com^ +||ads.digitalpoint.com^ +||ads.directionsmag.com^ +||ads.doit.com.cn^ +||ads.domeus.com^ +||ads.dtpnetwork.biz^ +||ads.eagletribune.com^ +||ads.easy-forex.com^ +||ads.economist.com^ +||ads.elcarado.com^ +||ads.electrocelt.com^ +||ads.elitetrader.com^ +||ads.emdee.ca^ +||ads.emirates.net.ae^ +||ads.epi.sk^ +||ads.epltalk.com^ +||ads.eu.msn.com^ +||ads.expat-blog.biz^ +||ads.fairfax.com.au^ +||ads.fastcomgroup.it^ +||ads.fasttrack-ignite.com^ +||ads.femmefab.nl^ +||ads.ferianc.com^ +||ads.filmup.com^ +||ads.financialcontent.com^ +||ads.flooble.com^ +||ads.fool.com^ +||ads.footymad.net^ +||ads.forbes.net^ +||ads.formit.cz^ +||ads.fortunecity.com^ +||ads.fotosidan.se^ +||ads.friendfinder.com^ +||ads.gamecity.net^ +||ads.gamespyid.com^ +||ads.gamigo.de^ +||ads.gaming-universe.de^ +||ads.gaming1.com^ +||ads.getlucky.com^ +||ads.gld.dk^ +||ads.gmodules.com^ +||ads.goyk.com^ +||ads.gplusmedia.com^ +||ads.gradfinder.com^ +||ads.grindinggears.com^ +||ads.gsm-exchange.com^ +||ads.gsmexchange.com^ +||ads.guardian.co.uk^ +||ads.guardianunlimited.co.uk^ +||ads.guru3d.com^ +||ads.hbv.de^ +||ads.hearstmags.com^ +||ads.heartlight.org^ +||ads.hollywood.com^ +||ads.horsehero.com^ +||ads.hsoub.com^ +||ads.ibest.com.br^ +||ads.ibryte.com^ +||ads.icq.com^ +||ads.ign.com^ +||ads.imagistica.com^ +||ads.imgur.com^ +||ads.independent.com.mt^ +||ads.infi.net^ +||ads.internic.co.il^ +||ads.ipowerweb.com^ +||ads.itv.com^ +||ads.jewishfriendfinder.com^ +||ads.jobsite.co.uk^ +||ads.justhungry.com^ +||ads.kabooaffiliates.com^ +||ads.kaktuz.net^ +||ads.kelbymediagroup.com^ +||ads.kinxxx.com^ +||ads.kompass.com^ +||ads.krawall.de^ +||ads.leovegas.com^ +||ads.lesbianpersonals.com^ +||ads.liberte.pl^ +||ads.lifethink.net^ +||ads.linkedin.com^ +||ads.livenation.com^ +||ads.lordlucky.com^ +||ads.ma7.tv^ +||ads.mail.bg^ +||ads.mariuana.it^ +||ads.massinfra.nl^ +||ads.mcafee.com^ +||ads.mediaodyssey.com^ +||ads.mediasmart.es^ +||ads.medienhaus.de^ +||ads.meetcelebs.com^ +||ads.mgnetwork.com^ +||ads.miarroba.com^ +||ads.mic.com^ +||ads.mmania.com^ +||ads.mobilebet.com^ +||ads.msn.com^ +||ads.multimania.lycos.fr^ +||ads.muslimehelfen.org^ +||ads.mvscoelho.com^ +||ads.myadv.org^ +||ads.ndtv1.com^ +||ads.networksolutions.com^ +||ads.newgrounds.com^ +||ads.newmedia.cz^ +||ads.newsint.co.uk^ +||ads.newsquest.co.uk^ +||ads.nj.com^ +||ads.nola.com^ +||ads.nordichardware.com^ +||ads.nordichardware.se^ +||ads.nyi.net^ +||ads.nytimes.com^ +||ads.nyx.cz^ +||ads.nzcity.co.nz^ +||ads.o2.pl^ +||ads.oddschecker.com^ +||ads.okcimg.com^ +||ads.ole.com^ +||ads.oneplace.com^ +||ads.opensubtitles.org^ +||ads.optusnet.com.au^ +||ads.outpersonals.com^ +||ads.oxyshop.cz^ +||ads.passion.com^ +||ads.paymonex.net^ +||ads.pexi.nl^ +||ads.pfl.ua^ +||ads.phpclasses.org^ +||ads.pinterest.com^ +||ads.planet.nl^ +||ads.pni.com^ +||ads.pof.com^ +||ads.powweb.com^ +||ads.printscr.com^ +||ads.prisacom.com^ +||ads.program3.com^ +||ads.psd2html.com^ +||ads.pubmatic.com^ +||ads.quoka.de^ +||ads.radio1.lv^ +||ads.recoletos.es^ +||ads.rediff.com^ +||ads.redlightcenter.com^ +||ads.revjet.com^ +||ads.samsung.com^ +||ads.saymedia.com^ +||ads.schmoozecom.net^ +||ads.scifi.com^ +||ads.seniorfriendfinder.com^ +||ads.servebom.com^ +||ads.shizmoo.com^ +||ads.shopstyle.com^ +||ads.sift.co.uk^ +||ads.sjon.info^ +||ads.smartclick.com^ +||ads.socialtheater.com^ +||ads.soft32.com^ +||ads.soweb.gr^ +||ads.space.com^ +||ads.sun.com^ +||ads.suomiautomaatti.com^ +||ads.supplyframe.com^ +||ads.syscdn.de^ +||ads.themovienation.com^ +||ads.thestar.com^ +||ads.thrillsaffiliates.com^ +||ads.tiktok.com^ +||ads.tmcs.net^ +||ads.todoti.com.br^ +||ads.toplayaffiliates.com^ +||ads.townhall.com^ +||ads.travelaudience.com^ +||ads.trinitymirror.co.uk^ +||ads.tripod.com^ +||ads.tripod.lycos.co.uk^ +||ads.tripod.lycos.de^ +||ads.tripod.lycos.es^ +||ads.tripod.lycos.it^ +||ads.tripod.lycos.nl^ +||ads.tso.dennisnet.co.uk^ +||ads.twitter.com^ +||ads.twojatv.info^ +||ads.ultimate-guitar.com^ +||ads.uncrate.com^ +||ads.unison.bg^ +||ads.usatoday.com^ +||ads.uxs.at^ +||ads.v-lazer.com^ +||ads.verticalresponse.com^ +||ads.vgchartz.com^ +||ads.virtual-nights.com^ +||ads.virtuopolitan.com^ +||ads.vnumedia.com^ +||ads.walkiberia.com^ +||ads.watson.ch^ +||ads.weather.ca^ +||ads.web.de^ +||ads.webinak.sk^ +||ads.webmasterpoint.org^ +||ads.websiteservices.com^ +||ads.whoishostingthis.com^ +||ads.wiezoekje.nl^ +||ads.wikia.nocookie.net^ +||ads.wineenthusiast.com^ +||ads.wwe.biz^ +||ads.xhamster.com^ +||ads.xtra.co.nz^ +||ads.yahoo.com^ +||ads.yap.yahoo.com^ +||ads.yimg.com^ +||ads.yldmgrimg.net^ +||ads.youtube.com^ +||ads.yumenetworks.com^ +||ads1-adnow.com^ +||ads1.mediacapital.pt^ +||ads1.msn.com^ +||ads1.rne.com^ +||ads1.virtual-nights.com^ +||ads10.speedbit.com^ +||ads180.com^ +||ads2.brazzers.com^ +||ads2.contentabc.com^ +||ads2.femmefab.nl^ +||ads2.gamecity.net^ +||ads2.hsoub.com^ +||ads2.net-communities.co.uk^ +||ads2.rne.com^ +||ads2.virtual-nights.com^ +||ads2.webdrive.no^ +||ads2.xnet.cz^ +||ads2004.treiberupdate.de^ +||ads24h.net^ +||ads3-adnow.com^ +||ads3.contentabc.com^ +||ads3.gamecity.net^ +||ads3.virtual-nights.com^ +||ads4.gamecity.net^ +||ads4.virtual-nights.com^ +||ads4homes.com^ +||ads5.virtual-nights.com^ +||ads6.gamecity.net^ +||ads7.gamecity.net^ +||adsafeprotected.com^ +||adsatt.abc.starwave.com^ +||adsatt.abcnews.starwave.com^ +||adsatt.espn.go.com^ +||adsatt.espn.starwave.com^ +||adsatt.go.starwave.com^ +||adsby.bidtheatre.com^ +||adsbydelema.com^ +||adscale.de^ +||adscholar.com^ +||adscience.nl^ +||adsco.re^ +||adscpm.com^ +||adsdaq.com^ +||adsdk.yandex.ru^ +||adsend.de^ +||adsensecustomsearchads.com^ +||adserve.ams.rhythmxchange.com^ +||adserve.gkeurope.de^ +||adserve.io^ +||adserve.jbs.org^ +||adserver.71i.de^ +||adserver.adultfriendfinder.com^ +||adserver.adverty.com^ +||adserver.anawe.cz^ +||adserver.ariase.org^ +||adserver.bdoce.cl^ +||adserver.betandwin.de^ +||adserver.bing.com^ +||adserver.bizedge.com^ +||adserver.bizhat.com^ +||adserver.break-even.it^ +||adserver.cams.com^ +||adserver.cdnstream.com^ +||adserver.cherryfind.co.uk^ +||adserver.com^ +||adserver.diariodosertao.com.br^ +||adserver.digitoday.com^ +||adserver.echdk.pl^ +||adserver.friendfinder.com^ +||adserver.generationiron.com^ +||adserver.hwupgrade.it^ +||adserver.ilango.de^ +||adserver.industryarena.com^ +||adserver.info7.mx^ +||adserver.irishwebmasterforum.com^ +||adserver.janes.com^ +||adserver.kontent.com^ +||adserver.lecool.com^ +||adserver.mobi^ +||adserver.news.com.au^ +||adserver.nydailynews.com^ +||adserver.o2.pl^ +||adserver.oddschecker.com^ +||adserver.omroepzeeland.nl^ +||adserver.otthonom.hu^ +||adserver.pampa.com.br^ +||adserver.piksel.mk^ +||adserver.pl^ +||adserver.portugalmail.net^ +||adserver.pressboard.ca^ +||adserver.sanomawsoy.fi^ +||adserver.sciflicks.com^ +||adserver.scr.sk^ +||adserver.smgfiles.com^ +||adserver.theonering.net^ +||adserver.trojaner-info.de^ +||adserver.tupolska.com^ +||adserver.twitpic.com^ +||adserver.virginmedia.com^ +||adserver.waggonerguide.com^ +||adserver01.de^ +||adserverplus.com^ +||adserverpub.com^ +||adserversolutions.com^ +||adserverxxl.de^ +||adservice.google.com^ +||adservice.google.com.mt^ +||adserving.unibet.com^ +||adservingfront.com^ +||adservrs.com^ +||adservrs.com.edgekey.net^ +||adsfac.eu^ +||adsfac.net^ +||adsfac.us^ +||adsfeed.brabys.com^ +||adshrink.it^ +||adside.com^ +||adsiduous.com^ +||adskeeper.co.uk^ +||adskeeper.com^ +||adsklick.de^ +||adskpak.com^ +||adsmart.com^ +||adsmart.net^ +||adsmartracker.com^ +||adsmetadata.startappservice.com^ +||adsmogo.com^ +||adsnative.com^ +||adsoftware.com^ +||adsolut.in^ +||adspeed.net^ +||adspirit.de^ +||adsponse.de^ +||adspredictiv.com^ +||adspsp.com^ +||adsroller.com^ +||adsrv.deviantart.com^ +||adsrv.eacdn.com^ +||adsrv.iol.co.za^ +||adsrv.kobi.tv^ +||adsrv.moebelmarkt.tv^ +||adsrv2.swidnica24.pl^ +||adsrvr.org^ +||adstacks.in^ +||adstanding.com^ +||adstat.4u.pl^ +||adstest.weather.com^ +||adsupply.com^ +||adswizz.com^ +||adsxyz.com^ +||adsynergy.com^ +||adsys.townnews.com^ +||adsystem.simplemachines.org^ +||adt598.com^ +||adtech-digital.ru^ +||adtech.com^ +||adtech.de^ +||adtechjp.com^ +||adtechus.com^ +||adtegrity.net^ +||adthis.com^ +||adthrive.com^ +||adtiger.de^ +||adtilt.com^ +||adtng.com^ +||adtology.com^ +||adtoma.com^ +||adtrace.org^ +||adtrack.voicestar.com^ +||adtraction.com^ +||adtrade.net^ +||adultadvertising.com^ +||adv-adserver.com^ +||adv.donejty.pl^ +||adv.freeonline.it^ +||adv.hwupgrade.it^ +||adv.mpvc.it^ +||adv.nexthardware.com^ +||adv.webmd.com^ +||adv.wp.pl^ +||adv.yo.cz^ +||advangelists.com^ +||advariant.com^ +||adventory.com^ +||adventurousamount.com^ +||advert.bayarea.com^ +||advert.dyna.ultraweb.hu^ +||adverticum.com^ +||adverticum.net^ +||advertise.com^ +||advertiseireland.com^ +||advertiserurl.com^ +||advertising.com^ +||advertisingbanners.com^ +||advertisingbox.com^ +||advertmarket.com^ +||advertmedia.de^ +||advertpro.ya.com^ +||advertserve.com^ +||advertwizard.com^ +||advideo.uimserv.net^ +||adview.com^ +||advisormedia.cz^ +||adviva.net^ +||advnt.com^ +||adwebone.com^ +||adwhirl.com^ +||adworldnetwork.com^ +||adworx.at^ +||adworx.nl^ +||adx.gayboy.at^ +||adxpansion.com^ +||adxpose.com^ +||adyoulike.com^ +||adz.rashflash.com^ +||adz2you.com^ +||adzbazar.com^ +||adzerk.net^ +||adzerk.s3.amazonaws.com^ +||adzestocp.com^ +||adzrevads.com^ +||aerserv.com^ +||af-ad.co.uk^ +||affec.tv^ +||affili.net^ +||affiliate.1800flowers.com^ +||affiliate.dtiserv.com^ +||affiliate.rusvpn.com^ +||affiliate.travelnow.com^ +||affiliate.treated.com^ +||affiliatefuture.com^ +||affiliates.allposters.com^ +||affiliates.babylon.com^ +||affiliates.digitalriver.com^ +||affiliates.globat.com^ +||affiliates.streamray.com^ +||affiliates.thinkhost.net^ +||affiliates.thrixxx.com^ +||affiliates.ultrahosting.com^ +||affiliatetracking.com^ +||affiliatetracking.net^ +||affiliatewindow.com^ +||afflnx.com^ +||afftracking.justanswer.com^ +||afraidlanguage.com^ +||agkn.com^ +||ah-ha.com^ +||ahalogy.com^ +||aheadday.com^ +||aim4media.com^ +||airpush.com^ +||aistat.net^ +||ak0gsh40.com^ +||alchemist.go2cloud.org^ +||alclick.com^ +||alenty.com^ +||alexa-sitestats.s3.amazonaws.com^ +||algorix.co^ +||aliasanvil.com^ +||alikeaddition.com^ +||alipromo.com^ +||all4spy.com^ +||alluringbucket.com^ +||aloofmetal.com^ +||aloofvest.com^ +||alphonso.tv^ +||als-svc.nytimes.com^ +||amazingcounters.com^ +||amazon-adsystem.com^ +||americash.com^ +||amung.us^ +||analytics-production.hapyak.com^ +||analytics.adpost.org^ +||analytics.algoepico.net^ +||analytics.bitrix.info^ +||analytics.cloudron.io^ +||analytics.cohesionapps.com^ +||analytics.emarketer.com^ +||analytics.ext.go-tellm.com^ +||analytics.google.com^ +||analytics.htmedia.in^ +||analytics.icons8.com^ +||analytics.inlinemanual.com^ +||analytics.jst.ai^ +||analytics.justuno.com^ +||analytics.lucid.app^ +||analytics.mailmunch.co^ +||analytics.mobile.yandex.net^ +||analytics.momentum-institut.at^ +||analytics.myfinance.com^ +||analytics.ostr.io^ +||analytics.phando.com^ +||analytics.picsart.com^ +||analytics.pinterest.com^ +||analytics.pointdrive.linkedin.com^ +||analytics.poolshool.com^ +||analytics.posttv.com^ +||analytics.santander.co.uk^ +||analytics.shorte.st^ +||analytics.swiggy.com^ +||analytics.tiktok.com^ +||analytics.xelondigital.com^ +||analytics.yahoo.com^ +||analyticsapi.happypancake.net^ +||ancientact.com^ +||androiddownload.net^ +||angossa.com^ +||aniview.com^ +||annonser.dagbladet.no^ +||annoyedairport.com^ +||annoyingacoustics.com^ +||anrdoezrs.net^ +||anstrex.com^ +||anuncios.edicaoms.com.br^ +||anxiousapples.com^ +||api.amplitude.com^ +||api.appmetrica.yandex.ru^ +||api.eu.amplitude.com^ +||api.intensifier.de^ +||api.iterable.com^ +||api.kameleoon.com^ +||api.lab.amplitude.com^ +||api.rudderlabs.com^ +||api2.amplitude.com^ +||apolloprogram.io^ +||app-analytics-v2.snapchat.com^ +||app-analytics.snapchat.com^ +||app-measurement.com^ +||app.pendo.io^ +||app2.salesmanago.pl^ +||appboycdn.com^ +||appsflyer.com^ +||aps.hearstnp.com^ +||apsalar.com^ +||aptabase.com^ +||apture.com^ +||apu.samsungelectronics.com^ +||aquaticowl.com^ +||ar1nvz5.com^ +||aralego.com^ +||arc1.msn.com^ +||archswimming.com^ +||ard.xxxblackbook.com^ +||aromamirror.com^ +||as.webmd.com^ +||as2.adserverhd.com^ +||aserv.motorsgate.com^ +||asewlfjqwlflkew.com^ +||aso1.net^ +||assets1.exgfnetwork.com^ +||assoc-amazon.com^ +||aswpapius.com^ +||aswpsdkus.com^ +||at-adserver.alltop.com^ +||at-o.net^ +||atdmt.com^ +||athena-ads.wikia.com^ +||ato.mx^ +||attractionbanana.com^ +||attribution.report^ +||atwola.com^ +||auctionads.com^ +||auctionads.net^ +||aud.pubmatic.com^ +||audience.media^ +||audience2media.com^ +||audienceinsights.com^ +||audit.median.hu^ +||audit.webinform.hu^ +||augur.io^ +||auto-bannertausch.de^ +||avalonalbum.com^ +||avazutracking.net^ +||avenuea.com^ +||avocet.io^ +||awempire.com^ +||awin1.com^ +||awstrack.me^ +||awzbijw.com^ +||axiomaticalley.com^ +||axonix.com^ +||ay.delivery^ +||ayads.co^ +||aztracking.net^ +||b-s.tercept.com^ +||b.videoamp.com^ +||b3.videoamp.com^ +||ba.afl.rakuten.co.jp^ +||backbeatmedia.com^ +||banik.redigy.cz^ +||banner.ambercoastcasino.com^ +||banner.buempliz-online.ch^ +||banner.cotedazurpalace.com^ +||banner.coza.com^ +||banner.easyspace.com^ +||banner.elisa.net^ +||banner.eurogrand.com^ +||banner.finzoom.ro^ +||banner.goldenpalace.com^ +||banner.inyourpocket.com^ +||banner.linux.se^ +||banner.media-system.de^ +||banner.nixnet.cz^ +||banner.noblepoker.com^ +||banner.northsky.com^ +||banner.rbc.ru^ +||banner.reinstil.de^ +||banner.tanto.de^ +||banner.titan-dsl.de^ +||banner10.zetasystem.dk^ +||bannerads.de^ +||bannerboxes.com^ +||bannerconnect.com^ +||bannerconnect.net^ +||bannergrabber.internet.gr^ +||bannerimage.com^ +||bannermall.com^ +||bannermanager.bnr.bg^ +||bannerpower.com^ +||banners.adultfriendfinder.com^ +||banners.amigos.com^ +||banners.asiafriendfinder.com^ +||banners.babylon-x.com^ +||banners.bol.com.br^ +||banners.cams.com^ +||banners.clubseventeen.com^ +||banners.czi.cz^ +||banners.dine.com^ +||banners.direction-x.com^ +||banners.freett.com^ +||banners.friendfinder.com^ +||banners.getiton.com^ +||banners.iq.pl^ +||banners.passion.com^ +||banners.payserve.com^ +||banners.resultonline.com^ +||banners.sys-con.com^ +||banners.thomsonlocal.com^ +||banners.videosz.com^ +||banners.virtuagirlhd.com^ +||bannerserver.com^ +||bannershotlink.perfectgonzo.com^ +||bannersng.yell.com^ +||bannerspace.com^ +||bannerswap.com^ +||bannertesting.com^ +||bannertrack.net^ +||bannery.cz^ +||bannieres.wdmedia.net^ +||bans.bride.ru^ +||baremetrics.com^ +||barnesandnoble.bfast.com^ +||basebanner.com^ +||basketballbelieve.com^ +||baskettexture.com^ +||bat.bing.com^ +||bawdybeast.com^ +||baypops.com^ +||bbelements.com^ +||bbn.img.com.ua^ +||beachfront.com^ +||beacon.gu-web.net^ +||beacons.gcp.gvt2.com^ +||beacons.gvt2.com^ +||bebi.com^ +||beemray.com^ +||begun.ru^ +||behavioralengine.com^ +||belstat.com^ +||belstat.nl^ +||benefits.sovendus.com^ +||benfly.net^ +||berp.com^ +||bespoke.iln8.net^ +||best-click.pro^ +||bestboundary.com^ +||bestbuy.7tiv.net^ +||bewilderedblade.com^ +||bfmio.com^ +||bhcumsc.com^ +||bid.pubmatic.com^ +||bidbarrel.cbsnews.com^ +||bidclix.com^ +||bidclix.net^ +||bidr.io^ +||bidsopt.com^ +||bidswitch.net^ +||bidtellect.com^ +||bidvertiser.com^ +||big-bang-ads.com^ +||bigbangmedia.com^ +||bigclicks.com^ +||bigreal.org^ +||bikesboard.com^ +||billboard.cz^ +||birthdaybelief.com^ +||bitmedianetwork.com^ +||bizible.com^ +||bizographics.com^ +||bizrate.com^ +||bizzclick.com^ +||bkrtx.com^ +||blingbucks.com^ +||blis.com^ +||blockadblock.com^ +||blogads.com^ +||blogcounter.de^ +||blogherads.com^ +||blogtoplist.se^ +||blogtopsites.com^ +||blueconic.com^ +||blueconic.net^ +||bluekai.com^ +||bluelithium.com^ +||bluewhaleweb.com^ +||blushingbeast.com^ +||blushingbread.com^ +||bm.annonce.cz^ +||bn.bfast.com^ +||bnrs.ilm.ee^ +||boffoadsapi.com^ +||boilingbeetle.com^ +||bongacash.com^ +||boomads.com^ +||boomtrain.com^ +||boredcrown.com^ +||boudja.com^ +||bounceads.net^ +||bounceexchange.com^ +||bowie-cdn.fathomdns.com^ +||box.anchorfree.net^ +||bpath.com^ +||bpu.samsungelectronics.com^ +||braincash.com^ +||brand-display.com^ +||brandreachsys.com^ +||brandybison.com^ +||braze.eu^ +||breadbalance.com^ +||breakableinsurance.com^ +||breaktime.com.tw^ +||brealtime.com^ +||bridgetrack.com^ +||brightcom.com^ +||brightinfo.com^ +||brightmountainmedia.com^ +||broadboundary.com^ +||broadcastbed.com^ +||broaddoor.com^ +||broadstreetads.com^ +||browser-http-intake.logs.datadoghq.com^ +||browser-http-intake.logs.datadoghq.eu^ +||bs.yandex.ru^ +||btglss.net^ +||btrll.com^ +||bttrack.com^ +||buysellads.com^ +||buzzonclick.com^ +||bwp.download.com^ +||c.bigmir.net^ +||c.corporate-fundraising.co.uk^ +||c1exchange.com^ +||c212.net^ +||cakesdrum.com^ +||calculatingcircle.com^ +||calculatingtoothbrush.com^ +||calculatorstatement.com^ +||call-ad-network-api.marchex.com^ +||callousbrake.com^ +||callrail.com^ +||calmcactus.com^ +||calypsocapsule.com^ +||campaign.bharatmatrimony.com^ +||caniamedia.com^ +||capriciouscorn.com^ +||captainbicycle.com^ +||carambo.la^ +||carbonads.com^ +||carbonads.net^ +||caringcast.com^ +||carscannon.com^ +||cartstack.com^ +||carvecakes.com^ +||casalemedia.com^ +||casalmedia.com^ +||cash4members.com^ +||cash4popup.de^ +||cashcrate.com^ +||cashengines.com^ +||cashfiesta.com^ +||cashpartner.com^ +||cashstaging.me^ +||casinopays.com^ +||casinorewards.com^ +||casinotraffic.com^ +||cattlecommittee.com^ +||causecherry.com^ +||cautiouscredit.com^ +||cbanners.virtuagirlhd.com^ +||cdn.bannerflow.com^ +||cdn.branch.io^ +||cdn.freshmarketer.com^ +||cdn.heapanalytics.com^ +||cdn.keywee.co^ +||cdn.mouseflow.com^ +||cdn.onesignal.com^ +||cdn.scarabresearch.com^ +||cdn.segment.com^ +||cdnondemand.org^ +||ceciliavenus.com^ +||cedato.com^ +||celtra.com^ +||centerpointmedia.com^ +||cetrk.com^ +||cgicounter.puretec.de^ +||chairscrack.com^ +||channelintelligence.com^ +||chargecracker.com^ +||chart.dk^ +||chartbeat.com^ +||chartbeat.net^ +||chartboost.com^ +||checkstat.nl^ +||cherriescare.com^ +||chickensstation.com^ +||childlikecrowd.com^ +||chinsnakes.com^ +||chitika.net^ +||chubbycreature.com^ +||citrusad.net^ +||cityads.telus.net^ +||cj.com^ +||cjbmanagement.com^ +||cjlog.com^ +||cl.turkishairlines.com^ +||cl0udh0st1ng.com^ +||claria.com^ +||clck.ru^ +||clevernt.com^ +||click-1.pl^ +||click-2.eu^ +||click.airmalta-mail.com^ +||click.aliexpress.com^ +||click.allkeyshop.com^ +||click.bkdpt.com^ +||click.cartsguru.io^ +||click.cision.com^ +||click.classmates.com^ +||click.comm.rcibank.co.uk^ +||click.crm.ba.com^ +||click.digital.metaquestmail.com^ +||click.discord.com^ +||click.e.bbcmail.co.uk^ +||click.e.progressive.com^ +||click.e.zoom.us^ +||click.em.blizzard.com^ +||click.email.bbc.com^ +||click.email.lhh.com^ +||click.email.microsoftemail.com^ +||click.email.sonos.com^ +||click.email.strawberry.no^ +||click.emails.argos.co.uk^ +||click.fool.com^ +||click.hookupinyourcity.com^ +||click.hooligapps.com^ +||click.i.southwesternrailway.com^ +||click.infoblox.com^ +||click.justwatch.com^ +||click.kmindex.ru^ +||click.mail.hotels.com^ +||click.mail.salesforce.com^ +||click.mailing.ticketmaster.com^ +||click.mkt.grab.com^ +||click.news.vans.com^ +||click.nl.npr.org^ +||click.nvgaming.nvidia.com^ +||click.redditmail.com^ +||click.twcwigs.com^ +||click.v.visionlab.es^ +||click2freemoney.com^ +||click360v2-ingest.azurewebsites.net^ +||click4.pro^ +||clickadddilla.com^ +||clickadz.com^ +||clickagents.com^ +||clickbank.com^ +||clickbooth.com^ +||clickboothlnk.com^ +||clickbrokers.com^ +||clickcease.com^ +||clickcompare.co.uk^ +||clickdensity.com^ +||clickedyclick.com^ +||clickfuse.com^ +||clickhereforcellphones.com^ +||clicklink.jp^ +||clickngo.pro^ +||clickonometrics.pl^ +||clicks.deliveroo.co.uk^ +||clicks.equantum.com^ +||clicks.eventbrite.com^ +||clicks.monzo.com^ +||clickserve.cc-dt.com^ +||clicktag.de^ +||clickthruserver.com^ +||clickthrutraffic.com^ +||clicktrack.pubmatic.com^ +||clicktrack.ziyu.net^ +||clicktracks.com^ +||clicktrade.com^ +||clickxchange.com^ +||clickyab.com^ +||clickz.com^ +||clientgear.com^ +||clientmetrics-pa.googleapis.com^ +||clikerz.net^ +||cliksolution.com^ +||clixgalore.com^ +||clk1005.com^ +||clk1011.com^ +||clk1015.com^ +||clkrev.com^ +||clksite.com^ +||closedcows.com^ +||cloudflareinsights.com^ +||clrstm.com^ +||cluster.adultworld.com^ +||clustrmaps.com^ +||cmp.dmgmediaprivacy.co.uk^ +||cmvrclicks000.com^ +||cnomy.com^ +||cnt.spbland.ru^ +||cnt1.pocitadlo.cz^ +||cnvlink.com^ +||cny.yoyo.org^ +||codeadnetwork.com^ +||cognitiv.ai^ +||cointraffic.io^ +||coldbalance.com^ +||collector-dev.cdp-dev.cnn.com^ +||collector.cdp.cnn.com^ +||colonize.com^ +||comfortablecheese.com^ +||commindo-media-ressourcen.de^ +||commissionmonster.com^ +||communications.melitaltd.com^ +||compactbanner.com^ +||comparereaction.com^ +||compiledoctor.com^ +||comprabanner.it^ +||conditionchange.com^ +||conductrics.com^ +||connatix.com^ +||connectad.io^ +||connextra.com^ +||consciouschairs.com^ +||consciouscheese.com^ +||consensad.com^ +||consensu.org^ +||contadores.miarroba.com^ +||content.acc-hd.de^ +||content.ad^ +||content22.online.citi.com^ +||contextweb.com^ +||contrack.link^ +||controlcola.com^ +||converge-digital.com^ +||conversantmedia.com^ +||conversionbet.com^ +||conversionruler.com^ +||convertingtraffic.com^ +||convrse.media^ +||cookies.cmpnet.com^ +||cootlogix.com^ +||copycarpenter.com^ +||copyrightaccesscontrols.com^ +||coremetrics.com^ +||cosmosjackson.com^ +||count.rin.ru^ +||count.west263.com^ +||counted.com^ +||counter.bloke.com^ +||counter.cnw.cz^ +||counter.cz^ +||counter.dreamhost.com^ +||counter.mirohost.net^ +||counter.mojgorod.ru^ +||counter.rambler.ru^ +||counter.search.bg^ +||counter.snackly.co^ +||counting.kmindex.ru^ +||coupling-media.de^ +||coxmt.com^ +||cozyhillside.com^ +||cpalead.com^ +||cpays.com^ +||cpmstar.com^ +||cpu.samsungelectronics.com^ +||cpx-traffic.com^ +||cpx.to^ +||cpxinteractive.com^ +||cqcounter.com^ +||crabbychin.com^ +||craktraffic.com^ +||crashchance.com^ +||crashlytics.com^ +||crashlyticsreports-pa.googleapis.com^ +||cratecamera.com^ +||crawlability.com^ +||crazyegg.com^ +||crazypopups.com^ +||creatives.livejasmin.com^ +||crimsonmeadow.com^ +||criteo.com^ +||criteo.net^ +||critictruck.com^ +||crowdedmass.com^ +||crowdgravity.com^ +||crsspxl.com^ +||crta.dailymail.co.uk^ +||crtv.mate1.com^ +||crwdcntrl.net^ +||crypto-loot.org^ +||crystalboulevard.com^ +||cs.co^ +||curtaincows.com^ +||cushiondrum.com^ +||customad.cnn.com^ +||customads.co^ +||customers.kameleoon.com^ +||cutechin.com^ +||cxense.com^ +||cyberbounty.com^ +||d-collect.jennifersoft.com^ +||d-collector.jennifersoft.com^ +||d.adroll.com^ +||d1f0tbk1v3e25u.cloudfront.net^ +||d2cmedia.ca^ +||d81mfvml8p5ml.cloudfront.net^ +||dabiaozhi.com^ +||dacdn.visualwebsiteoptimizer.com^ +||dacdn.vwo.com^ +||dakic-ia-300.com^ +||damageddistance.com^ +||damdoor.com^ +||dancemistake.com^ +||dapper.net^ +||data.namesakeoscilloscopemarquis.com^ +||datenow.link^ +||daughterstone.com^ +||dc-storm.com^ +||de17a.com^ +||deal-on.eu^ +||dealdotcom.com^ +||decenterads.com^ +||decisivebase.com^ +||decisivedrawer.com^ +||decisiveducks.com^ +||decknetwork.net^ +||decoycreation.com^ +||deepintent.com^ +||delegatediscussion.com^ +||delicatecascade.com^ +||deloo.de^ +||deloplen.com^ +||deloton.com^ +||demandbase.com^ +||demdex.net^ +||deployads.com^ +||desiredirt.com^ +||detailedgovernment.com^ +||detectdiscovery.com^ +||dev.visualwebsiteoptimizer.com^ +||dewdroplagoon.com^ +||dianomi.com^ +||didtheyreadit.com^ +||digestiondrawer.com^ +||digital-ads.s3.amazonaws.com^ +||digitalmerkat.com^ +||direct-events-collector.spot.im^ +||direct-re2.pl^ +||directaclick.com^ +||directleads.com^ +||directorym.com^ +||directtrack.com^ +||discountclick.com^ +||discreetfield.com^ +||displayvertising.com^ +||disqusads.com^ +||dist.belnk.com^ +||distillery.wistia.com^ +||distributionneck.com^ +||districtm.ca^ +||districtm.io^ +||dk4ywix.com^ +||dmp.mall.tv^ +||dmtracker.com^ +||dmtracking.alibaba.com^ +||dmtracking2.alibaba.com^ +||dnsdelegation.io^ +||do-global.com^ +||dockdigestion.com^ +||dogcollarfavourbluff.com^ +||domaining.in^ +||domdex.com^ +||dotmetrics.net^ +||dotomi.com^ +||doubleclick.com^ +||doubleclick.de^ +||doubleclick.net^ +||doublepimp.com^ +||doubleverify.com^ +||dpbolvw.net^ +||dpu.samsungelectronics.com^ +||dq95d35.com^ +||drumcash.com^ +||drydrum.com^ +||dsp.colpirio.com^ +||dsp.io^ +||dstillery.com^ +||dustyhammer.com^ +||dyntrk.com^ +||e-m.fr^ +||e-planning.net^ +||e.kde.cz^ +||e37364.dscd.akamaiedge.net^ +||eadexchange.com^ +||eas.almamedia.fi^ +||easyhits4u.com^ +||ebayadvertising.com^ +||ebuzzing.com^ +||ecircle-ag.com^ +||ecleneue.com^ +||eclick.vn^ +||eclkmpbn.com^ +||eclkspbn.com^ +||ecoupons.com^ +||edaa.eu^ +||edgexads.com^ +||eiv.baidu.com^ +||ejyymghi.com^ +||elasticchange.com^ +||elderlytown.com^ +||elephantqueue.com^ +||elitedollars.com^ +||elitetoplist.com^ +||em1.yoursantander.co.uk^ +||email-link.adtidy.info^ +||email-link.adtidy.net^ +||email-link.adtidy.org^ +||email-links.crowdfireapp.com^ +||email-open.adtidy.net^ +||email-open.adtidy.org^ +||email.mg1.substack.com^ +||emailer.stockbit.com^ +||emaillinks.soundiiz.com^ +||emebo.io^ +||emerse.com^ +||emetriq.de^ +||emjcd.com^ +||emltrk.com^ +||emodoinc.com^ +||emptyescort.com^ +||emxdigital.com^ +||energeticladybug.com^ +||engage.tines.com^ +||engage.windows.com^ +||engagebdr.com^ +||engageya.com^ +||engine.espace.netavenir.com^ +||engineertrick.com^ +||enginenetwork.com^ +||enormousearth.com^ +||enquisite.com^ +||ensighten.com^ +||entercasino.com^ +||entrecard.s3.amazonaws.com^ +||enviousthread.com^ +||epom.com^ +||epp.bih.net.ba^ +||eqads.com^ +||eqy.link^ +||erne.co^ +||ero-advertising.com^ +||estat.com^ +||esty.com^ +||et.educationdynamics.com^ +||et.nytimes.com^ +||etahub.com^ +||etargetnet.com^ +||etracker.com^ +||etracker.de^ +||eu-adcenter.net^ +||eule1.pmu.fr^ +||eulerian.net^ +||eurekster.com^ +||euros4click.de^ +||eusta.de^ +||evadav.com^ +||evadavdsp.pro^ +||eventexistence.com^ +||events-eu.freshsuccess.com^ +||events-us.freshsuccess.com^ +||everestads.net^ +||everesttech.net^ +||evergage.com^ +||eversales.space^ +||evs.sgmt.loom.com^ +||evyy.net^ +||exampleshake.com^ +||exchange-it.com^ +||exchangead.com^ +||exchangeclicksonline.com^ +||exclusivebrass.com^ +||exelate.com^ +||exelator.com^ +||exhibitsneeze.com^ +||exit76.com^ +||exitexchange.com^ +||exitfuel.com^ +||exoclick.com^ +||exosrv.com^ +||experianmarketingservices.digital^ +||explorads.com^ +||exponea.com^ +||exponential.com^ +||express-submit.de^ +||extractobservation.com^ +||extreme-dm.com^ +||extremetracking.com^ +||eyeblaster.com^ +||eyeota.net^ +||eyeviewads.com^ +||eyewonder.com^ +||ezula.com^ +||f7ds.liberation.fr^ +||fabric.io^ +||fadedsnow.com^ +||fairfeeling.com^ +||fallaciousfifth.com^ +||fam-ad.com^ +||farethief.com^ +||farmergoldfish.com^ +||fast-redirecting.com^ +||fastclick.com^ +||fastclick.com.edgesuite.net^ +||fastclick.net^ +||fastly-insights.com^ +||faultycanvas.com^ +||fave.co^ +||fc.webmasterpro.de^ +||feathr.co^ +||feedbackresearch.com^ +||feedjit.com^ +||feedmob.com^ +||fimserve.com^ +||findcommerce.com^ +||findyourcasino.com^ +||fingahvf.top^ +||fireads.online^ +||fireads.org^ +||fireworkadservices.com^ +||fireworkanalytics.com^ +||fireworks-advertising.com^ +||firstlightera.com^ +||firsttexture.com^ +||fixedfold.com^ +||flairadscpc.com^ +||flakyfeast.com^ +||flashtalking.com^ +||fleshlightcash.com^ +||flexbanner.com^ +||flimsycircle.com^ +||flimsythought.com^ +||floodprincipal.com^ +||flourishinginnovation.com^ +||floweryflavor.com^ +||flowgo.com^ +||flurry.com^ +||fly-analytics.com^ +||foo.cosmocode.de^ +||foresee.com^ +||forex-affiliate.net^ +||forkcdn.com^ +||forwrdnow.com^ +||fpctraffic.com^ +||fpjs.io^ +||fqtag.com^ +||free-counter.co.uk^ +||freebanner.com^ +||freecounterstat.com^ +||freelogs.com^ +||freepay.com^ +||freestats.com^ +||freestats.tv^ +||freewebcounter.com^ +||freewheel.com^ +||freewheel.tv^ +||freezingbuilding.com^ +||frequentflesh.com^ +||freshrelevance.com^ +||frightenedpotato.com^ +||fronttoad.com^ +||frtyj.com^ +||frtyk.com^ +||fullstory.com^ +||functionalcrown.com^ +||functionalfeather.com^ +||funklicks.com^ +||funnelytics.io^ +||furryfork.com^ +||fusionads.net^ +||fusionquest.com^ +||futuristicapparatus.com^ +||futuristicfairies.com^ +||futuristicfifth.com^ +||futuristicframe.com^ +||fuzzybasketball.com^ +||fvl1f.pw^ +||fwcdn1.com^ +||fwcdn2.com^ +||fxstyle.net^ +||g2.gumgum.com^ +||ga.clearbit.com^ +||gadsbee.com^ +||galaxien.com^ +||game-advertising-online.com^ +||gamesites100.net^ +||gamesites200.com^ +||gammamaximum.com^ +||gaug.es^ +||gavvia.com^ +||gearwom.de^ +||generateoffice.com^ +||geo.digitalpoint.com^ +||geobanner.adultfriendfinder.com^ +||georiot.com^ +||geovisite.com^ +||getclicky.com^ +||getintent.com^ +||getmyads.com^ +||getxmlisi.com^ +||giddycoat.com^ +||glisteningsign.com^ +||globalismedia.com^ +||gloriousbeef.com^ +||gloyah.net^ +||gmads.net^ +||gml.email^ +||go-clicks.de^ +||go-link.network^ +||go-mpulse.net^ +||go-rank.de^ +||go-redirect.pl^ +||go.dhs.gov^ +||go.eu.sparkpostmail1.com^ +||go.first.org^ +||go.icann.org^ +||go.scmagazine.com^ +||go.usa.gov^ +||go.xlirdr.com^ +||go2affise.com^ +||godseedband.com^ +||goingplatinum.com^ +||goldstats.com^ +||gondolagnome.com^ +||google-analytics.com^ +||googleadservices.com^ +||googleanalytics.com^ +||googlesyndication.com^ +||googletagmanager.com^ +||googletagservices.com^ +||gostats.com^ +||gothamads.com^ +||gotoyahoo.com^ +||gotraffic.net^ +||gp.dejanews.com^ +||graizoah.com^ +||grandfatherguitar.com^ +||granlite.com^ +||grapeshot.co.uk^ +||greyinstrument.com^ +||greystripe.com^ +||grouchybrothers.com^ +||groundtruth.com^ +||gscontxt.net^ +||gstaticx.com^ +||guardeddirection.com^ +||guardedschool.com^ +||gunggo.com^ +||h-bid.com^ +||h-trck.com^ +||h0.t.hubspotemail.net^ +||h78xb.pw^ +||habitualhumor.com^ +||halcyoncanyon.com^ +||haltingbadge.com^ +||hammerhearing.com^ +||handsomehose.com^ +||handyfireman.com^ +||handyincrease.com^ +||haplesshydrant.com^ +||harrenmedia.com^ +||harrenmedianetwork.com^ +||hb.afl.rakuten.co.jp^ +||hb.vntsm.com^ +||hbb.afl.rakuten.co.jp^ +||hbopenbid.pubmatic.com^ +||hdscout.com^ +||heap.com^ +||hearinglizards.com^ +||heimi-lwx.com^ +||hellobar.com^ +||helpcollar.com^ +||hentaicounter.com^ +||herbalaffiliateprogram.com^ +||hexcan.com^ +||hexusads.fluent.ltd.uk^ +||heyos.com^ +||hf5rbejvpwds.com^ +||hfc195b.com^ +||hgads.com^ +||hightrafficads.com^ +||hilariouszinc.com^ +||histats.com^ +||hit-parade.com^ +||hit.ua^ +||hit.webcentre.lycos.co.uk^ +||hitbox.com^ +||hitcounters.miarroba.com^ +||hitlist.ru^ +||hitlounge.com^ +||hitometer.com^ +||hits-i.iubenda.com^ +||hits.europuls.eu^ +||hits.informer.com^ +||hits.puls.lv^ +||hits.sh^ +||hits.theguardian.com^ +||hits4me.com^ +||hitslink.com^ +||hittail.com^ +||hlok.qertewrt.com^ +||hocgeese.com^ +||hollowafterthought.com^ +||homelycrown.com^ +||homepageking.de^ +||honorableland.com^ +||hostedads.realitykings.com^ +||hotjar.com^ +||hotlog.ru^ +||hotrank.com.tw^ +||hoverowl.com^ +||hs-analytics.net^ +||hs-banner.com^ +||hsadspixel.net^ +||hsleadflows.net^ +||hsn.uqhv.net^ +||htlbid.com^ +||httpool.com^ +||hubspotlinks.com^ +||hueads.com^ +||hueadsortb.com^ +||hueadsxml.com^ +||hurricanedigitalmedia.com^ +||hydramedia.com^ +||hyperbanner.net^ +||hypertracker.com^ +||hyprmx.com^ +||hystericalcloth.com^ +||i-i.lt^ +||i1media.no^ +||i305175.net^ +||ia.iinfo.cz^ +||iad.anm.co.uk^ +||iadnet.com^ +||iasds01.com^ +||ibillboard.com^ +||icptrack.com^ +||id5-sync.com^ +||idealadvertising.net^ +||idevaffiliate.com^ +||idtargeting.com^ +||ientrymail.com^ +||iesnare.com^ +||ifa.tube8live.com^ +||ignals.com^ +||ilbanner.com^ +||ilead.itrack.it^ +||illustriousoatmeal.com^ +||image2.pubmatic.com^ +||image3.pubmatic.com^ +||image4.pubmatic.com^ +||image6.pubmatic.com^ +||imagecash.net^ +||images-pw.secureserver.net^ +||img.prohardver.hu^ +||imgpromo.easyrencontre.com^ +||immensehoney.com^ +||imonomy.com^ +||imp.i312864.net^ +||importedincrease.com^ +||impossibleexpansion.com^ +||imprese.cz^ +||impressionmedia.cz^ +||impressionmonster.com^ +||improvedigital.com^ +||imrworldwide.com^ +||inclk.com^ +||incognitosearches.com^ +||incoming-telemetry.thunderbird.net^ +||incoming.telemetry.mozilla.org^ +||indexexchange.com^ +||indexstats.com^ +||indexww.com^ +||indieclick.com^ +||industrybrains.com^ +||inetlog.ru^ +||infinite-ads.com^ +||infinityads.com^ +||infoevent.startappservice.com^ +||infolinks.com^ +||inmobi.com^ +||inner-active.com^ +||innocentwax.com^ +||innovid.com^ +||inquisitiveinvention.com^ +||insgly.net^ +||insightexpress.com^ +||insightexpressai.com^ +||inskinad.com^ +||inspectlet.com^ +||install.365-stream.com^ +||instantmadness.com^ +||insticator.com^ +||intelliads.com^ +||intelligenceadx.com^ +||interactive.forthnet.gr^ +||intercom-clicks.com^ +||intergi.com^ +||internalcondition.com^ +||internetfuel.com^ +||interreklame.de^ +||intnotif.club^ +||ioam.de^ +||ip.ro^ +||ip193.cn^ +||iperceptions.com^ +||ipredictive.com^ +||ipstack.com^ +||irchan.com^ +||ireklama.cz^ +||is-tracking-pixel-api-prod.appspot.com^ +||itop.cz^ +||its-that-easy.com^ +||ivwbox.de^ +||ivykiosk.com^ +||iyfbodn.com^ +||iyfnzgb.com^ +||j93557g.com^ +||jadeitite.com^ +||jads.co^ +||jauchuwa.net^ +||jcount.com^ +||jdoqocy.com^ +||jinkads.de^ +||joetec.net^ +||joyoussurprise.com^ +||js-agent.newrelic.com^ +||js-api.otherlevels.com^ +||js-tags.otherlevels.com^ +||js.iterable.com^ +||js.users.51.la^ +||jsecoin.com^ +||jsrdn.com^ +||jubilantglimmer.com^ +||juiceblocks.com^ +||juicyads.com^ +||juicyads.me^ +||jumptap.com^ +||jungroup.com^ +||justicejudo.com^ +||justpremium.com^ +||justrelevant.com^ +||k.iinfo.cz^ +||kameleoon.eu^ +||kanoodle.com^ +||kargo.com^ +||kindads.com^ +||kissmetrics.com^ +||klclick.com^ +||klclick1.com^ +||kliks.nl^ +||klsdee.com^ +||kmpiframe.keepmeposted.com.mt^ +||knitstamp.com^ +||knorex.com^ +||knottyswing.com^ +||komoona.com^ +||kompasads.com^ +||kontera.com^ +||kost.tv^ +||kpu.samsungelectronics.com^ +||krxd.net^ +||kt5850pjz0.com^ +||ktu.sv2.biz^ +||kubient.com^ +||l1.britannica.com^ +||l6b587txj1.com^ +||lakequincy.com^ +||lameletters.com^ +||larati.net^ +||largebrass.com^ +||laughcloth.com^ +||launchbit.com^ +||layer-ad.de^ +||layer-ads.de^ +||lbn.ru^ +||lead02.com^ +||leadboltads.net^ +||leadclick.com^ +||leadinfo.net^ +||leadingedgecash.com^ +||leadplace.fr^ +||leadspace.com^ +||leadzupc.com^ +||leaplunchroom.com^ +||leftliquid.com^ +||lemmatechnologies.com^ +||lemnisk.co^ +||lever-analytics.com^ +||lfeeder.com^ +||lfstmedia.com^ +||lgsmartad.com^ +||li.alibris.com^ +||li.azstarnet.com^ +||li.dailycaller.com^ +||li.gatehousemedia.com^ +||li.gq.com^ +||li.hearstmags.com^ +||li.livingsocial.com^ +||li.mw.drhinternet.net^ +||li.onetravel.com^ +||li.patheos.com^ +||li.pmc.com^ +||li.realtor.com^ +||li.walmart.com^ +||li.ziffimages.com^ +||liadm.com^ +||lifeimpressions.net^ +||liftdna.com^ +||ligatus.com^ +||ligatus.de^ +||lightspeedcash.com^ +||lightstep.medium.systems^ +||lijit.com^ +||link-booster.de^ +||link.axios.com^ +||link.email.usmagazine.com^ +||link.go.chase^ +||link.sbstck.com^ +||link.theatlantic.com^ +||link.uk.expediamail.com^ +||link4ads.com^ +||linkbuddies.com^ +||linkexchange.com^ +||linkprice.com^ +||linkrain.com^ +||linkreferral.com^ +||links-ranking.de^ +||links.email.crunchbase.com^ +||links.prosservice.fr^ +||links.zoopla.co.uk^ +||linkstorms.com^ +||linkswaper.com^ +||linksynergy.com^ +||linktarget.com^ +||linkvertise.com^ +||liquidad.narrowcastmedia.com^ +||litix.io^ +||live.trmzum.com^ +||liveadexchanger.com^ +||liveintent.com^ +||livelylaugh.com^ +||livelyreward.com^ +||liverail.com^ +||livingsleet.com^ +||lizardslaugh.com^ +||lkqd.com^ +||lnks.gd^ +||loading321.com^ +||loadsurprise.com^ +||locked4.com^ +||lockerdome.com^ +||log.btopenworld.com^ +||log.logrocket.io^ +||log.pinterest.com^ +||log.videocampaign.co^ +||logger.snackly.co^ +||logs.roku.com^ +||logs.spilgames.com^ +||logsss.com^ +||logua.com^ +||look.djfiln.com^ +||look.ichlnk.com^ +||look.opskln.com^ +||look.ufinkln.com^ +||loopme.com^ +||loudlunch.com^ +||lowest-price.eu^ +||lp3tdqle.com^ +||lucidmedia.com^ +||luckyorange.com^ +||ludicrousarch.com^ +||lyricshook.com^ +||lytics.io^ +||lzjl.com^ +||m.trb.com^ +||m2.ai^ +||m32.media^ +||m4n.nl^ +||m6r.eu^ +||mackeeperapp.mackeeper.com^ +||madclient.uimserv.net^ +||madcpms.com^ +||madinad.com^ +||madisonavenue.com^ +||madvertise.de^ +||magicadz.co^ +||magicaljoin.com^ +||magsrv.com^ +||mail-ads.google.com^ +||maltiverse.lt.acemlnc.com^ +||manageadv.cblogs.eu^ +||mantisadnetwork.com^ +||mapcommand.com^ +||marinsm.com^ +||markedmeasure.com^ +||marketing.888.com^ +||marketing.desertcart.com^ +||marketing.net.brillen.de^ +||marketing.net.home24.de^ +||marketing.net.occhiali24.it^ +||marketing.nyi.net^ +||marketing.osijek031.com^ +||marketingsolutions.yahoo.com^ +||marketo.com^ +||marlowpillow.sjv.io^ +||marriedbelief.com^ +||mas.sector.sk^ +||massivemark.com^ +||matchcraft.com^ +||matheranalytics.com^ +||mathtag.com^ +||matomo.activate.cz^ +||matomo.crossiety.app^ +||mautic.com^ +||max.i12.de^ +||maximiser.net^ +||maxonclick.com^ +||mbs.megaroticlive.com^ +||mcdlks.com^ +||mcs-va.tiktok.com^ +||mcs-va.tiktokv.com^ +||meadowlullaby.com^ +||measlymiddle.com^ +||measure.office.com^ +||measuremap.com^ +||meatydime.com^ +||media-adrunner.mycomputer.com^ +||media.funpic.de^ +||media.net^ +||media01.eu^ +||media6degrees.com^ +||mediaarea.eu^ +||mediabridge.cc^ +||mediacharger.com^ +||mediafuse.com^ +||mediageneral.com^ +||mediaiqdigital.com^ +||mediamath.com^ +||mediamgr.ugo.com^ +||mediaplazza.com^ +||mediaplex.com^ +||mediascale.de^ +||mediaserver.bwinpartypartners.it^ +||mediasmart.io^ +||mediasquare.fr^ +||mediatext.com^ +||mediavine.com^ +||mediavoice.com^ +||mediax.angloinfo.com^ +||mediaz.angloinfo.com^ +||mediumshort.com^ +||medleyads.com^ +||medyanetads.com^ +||meetrics.net^ +||megacash.de^ +||megapu.sh^ +||megastats.com^ +||megawerbung.de^ +||meltmilk.com^ +||memorizeneck.com^ +||merequartz.com^ +||messagenovice.com^ +||metadsp.co.uk^ +||metaffiliation.com^ +||metajaws.com^ +||metanetwork.com^ +||methodcash.com^ +||metrics-logger.spot.im^ +||metrics.api.drift.com^ +||metrics.articulate.com^ +||metrics.cnn.com^ +||metrics.consumerreports.org^ +||metrics.foxnews.com^ +||metrics.getrockerbox.com^ +||metrics.gfycat.com^ +||metrics.govexec.com^ +||metrics.icloud.com^ +||metrics.mzstatic.com^ +||metrilo.com^ +||mfadsrvr.com^ +||mg2connext.com^ +||mgid.com^ +||microstatic.pl^ +||microticker.com^ +||milotree.com^ +||minewhat.com^ +||mintegral.com^ +||minusmental.com^ +||mittencattle.com^ +||mix2ads.com^ +||mixedreading.com^ +||mixpanel.com^ +||mkto-ab410147.com^ +||mktoresp.com^ +||ml314.com^ +||mlm.de^ +||mlsend.com^ +||mltrk.io^ +||mmismm.com^ +||mmstat.com^ +||mmtro.com^ +||mntzrlt.net^ +||moartraffic.com^ +||moat.com^ +||moatads.com^ +||moatpixel.com^ +||mobclix.com^ +||mobfox.com^ +||mobileanalytics.us-east-1.amazonaws.com^ +||mobilefuse.com^ +||modernpricing.com^ +||mon-va.byteoversea.com^ +||mon.byteoversea.com^ +||monarchads.com^ +||monetate.net^ +||monetizer101.com^ +||monsterpops.com^ +||mookie1.com^ +||mopub.com^ +||motionlessmeeting.com^ +||motionspots.com^ +||mousestats.com^ +||movad.net^ +||movemeal.com^ +||mparticle.com^ +||mpstat.us^ +||mr-rank.de^ +||mrskincash.com^ +||mstrlytcs.com^ +||mtrcs.samba.tv^ +||mtree.com^ +||munchkin.marketo.net^ +||mundanenail.com^ +||mundanepollution.com^ +||musiccounter.ru^ +||muteknife.com^ +||muwmedia.com^ +||mxptint.net^ +||myads.company^ +||myads.net^ +||myads.telkomsel.com^ +||myaffiliateprogram.com^ +||mybbc-analytics.files.bbci.co.uk^ +||mybetterdl.com^ +||mybloglog.com^ +||mybuys.com^ +||mycounter.ua^ +||mydas.mobi^ +||mylead-tracking.tracknow.info^ +||mylead.global^ +||mylink-today.com^ +||mypagerank.net^ +||mypowermall.com^ +||mystat-in.net^ +||mystat.pl^ +||mytop-in.net^ +||n2.mouseflow.com^ +||n69.com^ +||naj.sk^ +||nappyattack.com^ +||nappyneck.com^ +||nastydollars.com^ +||nativeroll.tv^ +||navegg.com^ +||navigator.io^ +||navrcholu.cz^ +||ncaudienceexchange.com^ +||ndparking.com^ +||nebulacrescent.com^ +||nedstatbasic.net^ +||needlessnorth.com^ +||needyneedle.com^ +||neighborlywatch.com^ +||nend.net^ +||neocounter.neoworx-blog-tools.net^ +||nervoussummer.com^ +||net-filter.com^ +||netaffiliation.com^ +||netagent.cz^ +||netclickstats.com^ +||netcommunities.com^ +||netdirect.nl^ +||netech.postaffiliatepro.com^ +||netmera-web.com^ +||netmera.com^ +||netmng.com^ +||netpool.netbookia.net^ +||netshelter.net^ +||neudesicmediagroup.com^ +||newads.bangbros.com^ +||newnet.qsrch.com^ +||newnudecash.com^ +||newopenx.detik.com^ +||newsadsppush.com^ +||newsletter-link.com^ +||newstarads.com^ +||newt1.adultadworld.com^ +||newt1.adultworld.com^ +||nexac.com^ +||nexage.com^ +||ng3.ads.warnerbros.com^ +||nitroclicks.com^ +||nocturnalloom.com^ +||noiselessplough.com^ +||nondescriptcrowd.com^ +||nondescriptnote.com^ +||nondescriptstocking.com^ +||novem.pl^ +||npttech.com^ +||nr-data.net^ +||nr.mmcdn.com^ +||nr.static.mmcdn.com^ +||ns1p.net^ +||ntv.io^ +||ntvk1.ru^ +||nullitics.com^ +||nuseek.com^ +||nutritiousbean.com^ +||nzaza.com^ +||o2.mouseflow.com^ +||o333o.com^ +||oafishobservation.com^ +||oas.benchmark.fr^ +||oas.repubblica.it^ +||oas.roanoke.com^ +||oas.toronto.com^ +||oas.uniontrib.com^ +||oascentral.chicagobusiness.com^ +||oascentral.fortunecity.com^ +||oascentral.register.com^ +||objecthero.com^ +||obscenesidewalk.com^ +||observantice.com^ +||oclasrv.com^ +||odbierz-bony.ovp.pl^ +||oewa.at^ +||offaces-butional.com^ +||offer.fyber.com^ +||offer.sponsorpay.com^ +||offerforge.com^ +||offermatica.com^ +||ogads-pa.googleapis.com^ +||oglasi.posjetnica.com^ +||ogury.com^ +||ojrq.net^ +||omnijay.com^ +||omniture.com^ +||omtrdc.net^ +||onaudience.com^ +||onclasrv.com^ +||onclickads.net^ +||oneandonlynetwork.com^ +||onenetworkdirect.com^ +||onestat.com^ +||onestatfree.com^ +||online-metrix.net^ +||online.miarroba.com^ +||onlinecash.com^ +||onlinecashmethod.com^ +||onlinerewardcenter.com^ +||onscroll.com^ +||onthe.io^ +||opads.us^ +||open.oneplus.net^ +||openad.tf1.fr^ +||openad.travelnow.com^ +||openads.friendfinder.com^ +||openads.org^ +||openadsnetwork.com^ +||openbid.pubmatic.com^ +||openx.angelsgroup.org.uk^ +||openx.cairo360.com^ +||openx.net^ +||openx.skinet.cz^ +||openx.smcaen.fr^ +||openx2.kytary.cz^ +||operationchicken.com^ +||opienetwork.com^ +||opmnstr.com^ +||oppuz.com^ +||optimallimit.com^ +||optimizely.com^ +||optimost.com^ +||optmd.com^ +||optmnstr.com^ +||optmstr.com^ +||optnmstr.com^ +||optnx.com^ +||orbsrv.com^ +||orientedargument.com^ +||orionember.com^ +||ota.cartrawler.com^ +||otto-images.developershed.com^ +||outbrain.com^ +||overconfidentfood.com^ +||overkick.com^ +||overture.com^ +||ow.pubmatic.com^ +||owebmoney.ru^ +||owlsr.us^ +||owneriq.net^ +||oxado.com^ +||oxcash.com^ +||oxen.hillcountrytexas.com^ +||p-n.io^ +||paa-reporting-advertising.amazon^ +||pagead.l.google.com^ +||pagefair.com^ +||pagerank-ranking.de^ +||pageranktop.com^ +||painstakingpickle.com^ +||paleleaf.com^ +||panatenlink.pl^ +||panickypancake.com^ +||panoramicplane.com^ +||parachutehome.sjv.io^ +||parchedsofa.com^ +||pardonpopular.com^ +||parentpicture.com^ +||parsely.com^ +||parsimoniouspolice.com^ +||partner-ads.com^ +||partner.pelikan.cz^ +||partnerad.l.google.com^ +||partnerads.ysm.yahoo.com^ +||partnercash.de^ +||partners.priceline.com^ +||partplanes.com^ +||passeura.com^ +||paychat.fuse-cloud.com^ +||paycounter.com^ +||paypopup.com^ +||pbnet.ru^ +||pbterra.com^ +||pc-tc.s3-eu-west-1.amazonaws.com^ +||pcash.imlive.com^ +||peep-auktion.de^ +||peer39.com^ +||pennyweb.com^ +||pepperjamnetwork.com^ +||perceivequarter.com^ +||percentmobile.com^ +||perfectaudience.com^ +||perfiliate.com^ +||performancerevenue.com^ +||performancerevenues.com^ +||performancing.com^ +||permutive.com^ +||personagraph.com^ +||petiteumbrella.com^ +||pgl.example.com^ +||pgl.example0101^ +||pgmediaserve.com^ +||pgpartner.com^ +||pheedo.com^ +||phoenix-adrunner.mycomputer.com^ +||photographpan.com^ +||piano.io^ +||piet2eix3l.com^ +||pimproll.com^ +||ping.ublock.org^ +||pipedream.wistia.com^ +||pippio.com^ +||piquantpigs.com^ +||pix.spot.im^ +||pixel.condenastdigital.com^ +||pixel.keywee.co^ +||pixel.sojern.com^ +||pixel.watch^ +||pixel.yabidos.com^ +||placed.com^ +||placeframe.com^ +||placidactivity.com^ +||plausible.avris.it^ +||plausibleio.workers.dev^ +||play4traffic.com^ +||playhaven.com^ +||pleasantpump.com^ +||plista.com^ +||plotrabbit.com^ +||pltraffic8.com^ +||pluckypocket.com^ +||plugrush.com^ +||pocketfaucet.com^ +||poemprompt.com^ +||pointlesshour.com^ +||pointlessprofit.com^ +||pointroll.com^ +||pokkt.com^ +||polishedfolly.com^ +||popads.net^ +||popcash.net^ +||popmyads.com^ +||popplantation.com^ +||popub.com^ +||popunder.ru^ +||popunhot1.blogspot.com^ +||popup.msn.com^ +||popupmoney.com^ +||popupnation.com^ +||popuptraffic.com^ +||porngraph.com^ +||porntrack.com^ +||possibleboats.com^ +||possiblepencil.com^ +||post.spmailtechno.com^ +||postback.iqm.com^ +||postrelease.com^ +||ppc.adhere.marchex.com^ +||pr-star.de^ +||praddpro.de^ +||prchecker.info^ +||prebid.org^ +||predictad.com^ +||premium-offers.com^ +||presetrabbits.com^ +||previousplayground.com^ +||prf.hn^ +||priceypies.com^ +||pricklydebt.com^ +||priefy.com^ +||primetime.net^ +||privatecash.com^ +||prmtracking.com^ +||pro-market.net^ +||probablepartner.com^ +||processplantation.com^ +||proext.com^ +||profero.com^ +||profitrumour.com^ +||programattik.com^ +||projectwonderful.com^ +||promo.badoink.com^ +||promobenef.com^ +||promos.bwin.it^ +||promos.fling.com^ +||promote.pair.com^ +||promotions-884485.c.cdn77.org^ +||pronetadvertising.com^ +||propellerads.com^ +||propellerclick.com^ +||proper.io^ +||props.id^ +||prosper.on-line-casino.ca^ +||protectcrev.com^ +||protectsubrev.com^ +||protestcopy.com^ +||proton-tm.com^ +||protraffic.com^ +||provenpixel.com^ +||prpops.com^ +||prsitecheck.com^ +||prufenzo.xyz^ +||pstmrk.it^ +||psychedelicchess.com^ +||ptoushoa.com^ +||pub.chez.com^ +||pub.club-internet.fr^ +||pub.hardware.fr^ +||pub.network^ +||pub.realmedia.fr^ +||pubdirecte.com^ +||publicidad.elmundo.es^ +||publicidees.com^ +||publicsofa.com^ +||pubmine.com^ +||pubnative.net^ +||puffyloss.com^ +||puffypaste.com^ +||puffypull.com^ +||puffypurpose.com^ +||pureclarity.net^ +||pushame.com^ +||pushance.com^ +||pushazer.com^ +||pushengage.com^ +||pushno.com^ +||pushtrack.co^ +||pushwhy.com^ +||px.dynamicyield.com^ +||px.gfycat.com^ +||pxf.io^ +||pxl-mailtracker.com^ +||pxl.iqm.com^ +||pymx5.com^ +||q.azcentral.com^ +||q1connect.com^ +||qctop.com^ +||ql.tc^ +||qnsr.com^ +||qrlsx.com^ +||quaintcan.com^ +||quantcast.com^ +||quantcount.com^ +||quantserve.com^ +||quantummetric.com^ +||quarterserver.de^ +||quickkoala.io^ +||quietknowledge.com^ +||quinst.com^ +||quirkysugar.com^ +||quisma.com^ +||quizzicalzephyr.com^ +||r.logrocket.io^ +||r.msn.com^ +||r.scoota.co^ +||r.sibmail.havasit.com^ +||r1.visualwebsiteoptimizer.com^ +||r2.visualwebsiteoptimizer.com^ +||r3.visualwebsiteoptimizer.com^ +||raac33.net^ +||rabbitrifle.com^ +||radar.cedexis.com^ +||radiate.com^ +||radiateprose.com^ +||rads.realadmin.pl^ +||railwayreason.com^ +||rambunctiousflock.com^ +||rampidads.com^ +||randkuj.xyz^ +||randkula.online^ +||rankchamp.de^ +||ranking-charts.de^ +||ranking-hits.de^ +||ranking-links.de^ +||ranking-liste.de^ +||rankingchart.de^ +||rankingscout.com^ +||rankyou.com^ +||rapidcounter.com^ +||raresummer.com^ +||rate.ru^ +||ratings.lycos.com^ +||rayjump.com^ +||rcadserver.com^ +||re-direct.pl^ +||re-direct1.com^ +||reachjunction.com^ +||reactx.com^ +||readingguilt.com^ +||readymoon.com^ +||realcastmedia.com^ +||realclever.com^ +||realclix.com^ +||realmedia-a800.d4p.net^ +||realsrv.com^ +||realtechnetwork.com^ +||realtracker.com^ +||rebelhen.com^ +||rebelswing.com^ +||rec5.visualwebsiteoptimizer.com^ +||recapture.io^ +||receptiveink.com^ +||receptivereaction.com^ +||recoco.it^ +||reconditerake.com^ +||record.bonniergaming.com^ +||record.mrwin.com^ +||redirecting8.eu^ +||redirectingat.com^ +||redirectvoluum.com^ +||redrection.pro^ +||redshell.io^ +||reduxmedia.com^ +||referralware.com^ +||referrer.disqus.com^ +||regnow.com^ +||regularplants.com^ +||reklam.rfsl.se^ +||reklama.mironet.cz^ +||reklamcsere.hu^ +||reklamdsp.com^ +||relmaxtop.com^ +||reloadphoto.com^ +||rememberdiscussion.com^ +||remox.com^ +||report-1.appmetrica.webvisor.com^ +||report-2.appmetrica.webvisor.com^ +||report-partners.appmetrica.yandex.net^ +||report.ap.yandex-net.ru^ +||report.appmetrica.yandex.net^ +||republika.onet.pl^ +||resalag.com^ +||resonantbrush.com^ +||resonate.com^ +||responsiveads.com^ +||restrainstorm.com^ +||retargeter.com^ +||revcatch.com^ +||revcontent.com^ +||reveal.clearbit.com^ +||revenuedirect.com^ +||revenuehits.com^ +||revive.dubcnm.com^ +||revive.haskovo.net^ +||revive.netriota.hu^ +||revive.plays.bg^ +||revlift.io^ +||revprotect.com^ +||revstats.com^ +||rexadvert.xyz^ +||reyden-x.com^ +||rhombusads.com^ +||rhythmone.com^ +||richaudience.com^ +||richmails.com^ +||richstring.com^ +||rightstats.com^ +||riktok.pl^ +||ringplant.com^ +||ringsrecord.com^ +||ritzykey.com^ +||ritzyrepresentative.com^ +||rlcdn.com^ +||rle.ru^ +||rmads.msn.com^ +||rmedia.boston.com^ +||roar.com^ +||robotreplay.com^ +||rockabox.co^ +||rockagainst.com^ +||rok.com.com^ +||rollconnection.com^ +||rose.ixbt.com^ +||rotabanner.com^ +||roxr.net^ +||rqtrk.eu^ +||rs6.net^ +||rta.dailymail.co.uk^ +||rtb.gumgum.com^ +||rtbadzesto.com^ +||rtbflairads.com^ +||rtbplatform.net^ +||rtbpop.com^ +||rtbpopd.com^ +||rtmark.net^ +||rtxplatform.com^ +||ru4.com^ +||rubiconproject.com^ +||rum-http-intake.logs.datadoghq.com^ +||rum-http-intake.logs.datadoghq.eu^ +||runads.com^ +||rundsp.com^ +||ruralrobin.com^ +||s.adroll.com^ +||s.dmmew.com^ +||s1-adfly.com^ +||s20dh7e9dh.com^ +||s2d6.com^ +||sabio.us^ +||sadloaf.com^ +||safeanalytics.net^ +||sail-horizon.com^ +||samplesamba.com^ +||samsungacr.com^ +||samsungads.com^ +||sanalytics.disneyplus.com^ +||sanity-dataplane.rudderstack.com^ +||savoryorange.com^ +||sbird.xyz^ +||sbx.pagesjaunes.fr^ +||sc-analytics.appspot.com^ +||scambiobanner.aruba.it^ +||scanscout.com^ +||scarcesign.com^ +||scaredsnakes.com^ +||scaredsong.com^ +||scaredswing.com^ +||scarfsmash.com^ +||scatteredheat.com^ +||scintillatingscissors.com^ +||scintillatingsilver.com^ +||scissorsstatement.com^ +||scopelight.com^ +||scorecardresearch.com^ +||scratch2cash.com^ +||screechingfurniture.com^ +||screechingstocking.com^ +||screechingstove.com^ +||scripte-monster.de^ +||scrubswim.com^ +||sdkfjxjertertry.com^ +||seadform.net^ +||searchmarketing.com^ +||searchramp.com^ +||secre.jp^ +||secretspiders.com^ +||secure.webconnect.net^ +||securedopen-bp.com^ +||securemetrics.apple.com^ +||securemetrics.apple.com.cn^ +||sedoparking.com^ +||sedotracker.com^ +||segment-cdn.producthunt.com^ +||selectivesummer.com^ +||semasio.net^ +||sendmepixel.com^ +||seraphichorizon.com^ +||serendipityecho.com^ +||serpentshampoo.com^ +||serv0.com^ +||servads.net^ +||servclick1move.com^ +||serve.tercept.com^ +||servedby-buysellads.com^ +||servedbyadbutler.com^ +||servedbyopenx.com^ +||servethis.com^ +||services.hearstmags.com^ +||serving-sys.com^ +||sessioncam.com^ +||sexcounter.com^ +||sexlist.com^ +||sextracker.com^ +||shakegoldfish.com^ +||shakytaste.com^ +||shareasale.com^ +||sharethrough.com^ +||sher.index.hu^ +||shesubscriptions.com^ +||shinystat.com^ +||shinystat.it^ +||shiveringspot.com^ +||shiverscissors.com^ +||shockinggrass.com^ +||shoppingads.com^ +||showads.pubmatic.com^ +||shrillspoon.com^ +||shxtrk.com^ +||sicksmash.com^ +||sidebar.angelfire.com^ +||signalayer.com^ +||sillyscrew.com^ +||silvermob.com^ +||simpleanalytics.io^ +||simpli.fi^ +||simulateswing.com^ +||sincerebuffalo.com^ +||sinoa.com^ +||sitedataprocessing.com^ +||siteimproveanalytics.com^ +||siteimproveanalytics.io^ +||siteintercept.qualtrics.com^ +||sitemeter.com^ +||sixscissors.com^ +||sixsigmatraffic.com^ +||sizmek.com^ +||skimresources.com^ +||skisofa.com^ +||skroutza.skroutz.gr^ +||skylink.vn^ +||slopeaota.com^ +||smaato.com^ +||smart-data-systems.com^ +||smart-traffik.com^ +||smart-traffik.io^ +||smart4ads.com^ +||smartadserver.com^ +||smartclip.net^ +||smartlook.com^ +||smartstream.tv^ +||smartyads.com^ +||smashquartz.com^ +||smashsurprise.com^ +||smetrics.10daily.com.au^ +||smetrics.bestbuy.com^ +||smetrics.ctv.ca^ +||smetrics.fedex.com^ +||smetrics.foxnews.com^ +||smetrics.walgreens.com^ +||smetrics.washingtonpost.com^ +||smilingcattle.com^ +||smilingwaves.com^ +||smoggysnakes.com^ +||smrtb.com^ +||snapads.com^ +||snoobi.com^ +||socialspark.com^ +||softclick.com.br^ +||soggysponge.com^ +||soggyzoo.com^ +||soicos.com^ +||sombersea.com^ +||sombersquirrel.com^ +||sombersurprise.com^ +||somniture.stuff.co.nz^ +||somoaudience.com^ +||sonobi.com^ +||sortable.com^ +||sourcepoint.vice.com^ +||sovrn.com^ +||spacash.com^ +||spaceleadster.com^ +||spadelocket.com^ +||sparklingshelf.com^ +||sparkstudios.com^ +||speakol.com^ +||specially4u.net^ +||specificmedia.co.uk^ +||specificpop.com^ +||speedomizer.com^ +||speedshiftmedia.com^ +||spezialreporte.de^ +||spiffymachine.com^ +||spinbox.techtracker.com^ +||spinbox.versiontracker.com^ +||spinnaker-js.com^ +||spirebaboon.com^ +||sponsorads.de^ +||sponsorpro.de^ +||spookysleet.com^ +||spotlessstamp.com^ +||spotscenered.info^ +||spotx.tv^ +||spotxchange.com^ +||springbot.com^ +||springserve.com^ +||sprysummit.com^ +||spulse.net^ +||spylog.com^ +||spywarelabs.com^ +||spywords.com^ +||srvmath.com^ +||srvtrck.com^ +||srwww1.com^ +||sshowads.pubmatic.com^ +||sskzlabs.com^ +||st.dynamicyield.com^ +||st.pubmatic.com^ +||stack-sonar.com^ +||stackadapt.com^ +||stakingsmile.com^ +||stalesummer.com^ +||starffa.com^ +||starkscale.com^ +||startapp.com^ +||stat-track.com^ +||stat.cliche.se^ +||stat.dyna.ultraweb.hu^ +||stat.pl^ +||stat.webmedia.pl^ +||stat.xiaomi.com^ +||stat.zenon.net^ +||stat24.com^ +||stat24.meta.ua^ +||statcounter.com^ +||statdynamic.com^ +||static-tracking.klaviyo.com^ +||static.fmpub.net^ +||static.itrack.it^ +||static.kameleoon.com^ +||staticads.btopenworld.com^ +||statistik-gallup.net^ +||statm.the-adult-company.com^ +||stats.blogger.com^ +||stats.hyperinzerce.cz^ +||stats.merriam-webster.com^ +||stats.mirrorfootball.co.uk^ +||stats.nextgen-email.com^ +||stats.olark.com^ +||stats.pusher.com^ +||stats.rdphv.net^ +||stats.self.com^ +||stats.stb-ottow.de^ +||stats.townnews.com^ +||stats.wordpress.com^ +||stats.wp.com^ +||stats.x14.eu^ +||stats2.self.com^ +||stats4all.com^ +||statserv.net^ +||statsie.com^ +||statxpress.com^ +||steadfastsound.com^ +||steadfastsystem.com^ +||steelhouse.com^ +||steelhousemedia.com^ +||stickyadstv.com^ +||stiffgame.com^ +||stimulatingsneeze.com^ +||stomachscience.com^ +||stopstomach.com^ +||storetail.io^ +||stormyachiever.com^ +||storygize.net^ +||strack.pubmatic.com^ +||straightnest.com^ +||stretchsquirrel.com^ +||strivesidewalk.com^ +||stupendoussleet.com^ +||stupendoussnow.com^ +||subscribe.hearstmags.com^ +||succeedscene.com^ +||sugoicounter.com^ +||sulkycook.com^ +||summerobject.com^ +||sumo.com^ +||sumome.com^ +||superawesome.tv^ +||superchichair.com^ +||superclix.de^ +||superficialsquare.com^ +||supersonicads.com^ +||superstats.com^ +||supertop.ru^ +||supertop100.com^ +||supply.colossusssp.com^ +||supportwaves.com^ +||surfmusik-adserver.de^ +||surveygizmobeacon.s3.amazonaws.com^ +||sw88.espn.com^ +||swan-swan-goose.com^ +||swankysquare.com^ +||swingslip.com^ +||swordgoose.com^ +||synonymoussticks.com^ +||t.appsflyer.com^ +||t.bawafx.com^ +||t.carta.com^ +||t.co^ +||t.eloqua.com^ +||t.email.superdrug.com^ +||t.en25.com^ +||t.firstpromoter.com^ +||t.insigit.com^ +||t.irtyd.com^ +||t.leady.com^ +||t.mmtrkr.com^ +||t.news.browns-restaurants.co.uk^ +||t.notif-colissimo-laposte.info^ +||t.podcast.co^ +||t.pubmatic.com^ +||t.salesmatemail.com^ +||t.vacations.disneydestinations.com^ +||t.visit.disneydestinations.com^ +||t.visitorqueue.com^ +||t.x.co^ +||taboola.com^ +||tag-demo.mention-me.com^ +||tag.mention-me.com^ +||tagcommander.com^ +||tagger.opecloud.com^ +||tags.tiqcdn.com^ +||tagtoo.com^ +||tagular.com^ +||tailsweep.com^ +||tailsweep.se^ +||takethatad.com^ +||tamgrt.com^ +||tangibleteam.com^ +||tangyamount.com^ +||tapad.com^ +||tapfiliate.com^ +||tapinfluence.com^ +||tapjoy.com^ +||tappx.com^ +||targad.de^ +||target.microsoft.com^ +||targeting.api.drift.com^ +||targeting.nzme.arcpublishing.com^ +||targeting.voxus.tv^ +||targetingnow.com^ +||targetnet.com^ +||targetpoint.com^ +||tatsumi-sys.jp^ +||tawdryson.com^ +||tcads.net^ +||teads.tv^ +||tealeaf.com^ +||tealium.cbsnews.com^ +||tealium.com^ +||tealiumiq.com^ +||tedioustooth.com^ +||teenrevenue.com^ +||telaria.com^ +||telemetrics.klaviyo.com^ +||telemetry.dropbox.com^ +||telemetry.goodlifefitness.com^ +||telemetry.malwarebytes.com^ +||telemetry.v.dropbox.com^ +||temelio.com^ +||tend.io^ +||tendertest.com^ +||terriblethumb.com^ +||text-link-ads.com^ +||textad.sexsearch.com^ +||textads.biz^ +||textlinks.com^ +||tfag.de^ +||the-ozone-project.com^ +||theadex.com^ +||theadhost.com^ +||thebugs.ws^ +||themoneytizer.com^ +||therapistla.com^ +||thinkitten.com^ +||thirdparty.bnc.lt^ +||thirdrespect.com^ +||thirstytwig.com^ +||thomastorch.com^ +||throtle.io^ +||thruport.com^ +||thunderhead.com^ +||tia.timeinc.net^ +||ticketaunt.com^ +||ticklesign.com^ +||ticksel.com^ +||tics.techdirt.com^ +||tidaltv.com^ +||tidint.pro^ +||tinybar.com^ +||tinytendency.com^ +||tiresomethunder.com^ +||tkbo.com^ +||tls.telemetry.swe.quicinc.com^ +||tlvmedia.com^ +||tm.br.de^ +||tnkexchange.com^ +||tns-counter.ru^ +||to-go1.eu^ +||top-casting-termine.de^ +||top-site-list.com^ +||top.list.ru^ +||top.mail.ru^ +||top100-images.rambler.ru^ +||top100.mafia.ru^ +||top123.ro^ +||top20free.com^ +||topforall.com^ +||toplist.cz^ +||toplist.pornhost.com^ +||toplista.mw.hu^ +||toplistcity.com^ +||topsir.com^ +||topsite.lv^ +||topsites.com.br^ +||topstats.com^ +||totemcash.com^ +||touchclarity.com^ +||tour.brazzers.com^ +||track-on.eu^ +||track-on.pl^ +||track.adform.net^ +||track.anchorfree.com^ +||track.canva.com^ +||track.contently.com^ +||track.effiliation.com^ +||track.flexlinks.com^ +||track.flexlinkspro.com^ +||track.freemmo2017.com^ +||track.game18click.com^ +||track.lettingaproperty.com^ +||track.mailalert.io^ +||track.mailerlite.com^ +||track.miro.com^ +||track.nationalgunrights.org^ +||track.privacyatclearbit.com^ +||track.przejdzdostrony.pl^ +||track.pubmatic.com^ +||track.segmetrics.io^ +||track.software-codes.com^ +||track.spe.schoolmessenger.com^ +||track.themaccleanup.info^ +||track.ultravpn.com^ +||track.unear.net^ +||track.vcdc.com^ +||track.viewdeos.com^ +||track1.viewdeos.com^ +||trackalyzer.com^ +||trackedlink.net^ +||trackedweb.net^ +||tracker-pm2.spilleren.com^ +||tracker.bannerflow.com^ +||tracker.cdnbye.com^ +||tracker.icerocket.com^ +||tracker.metricswave.com^ +||tracker.mmdlv.it^ +||tracker.samplicio.us^ +||tracking.42-01pr5-osm-secure.co.uk^ +||tracking.5-47737-bi.co.uk^ +||tracking.epicgames.com^ +||tracking.hyros.com^ +||tracking.ibxlink.com^ +||tracking.intentsify.io^ +||tracking.intl.miui.com^ +||tracking.jiffyworld.com^ +||tracking.markethero.io^ +||tracking.miui.com^ +||tracking.netalerts.io^ +||tracking.olx-st.com^ +||tracking.orixa-media.com^ +||tracking.shopstyle.com^ +||tracking.thinkabt.com^ +||tracking.utlservice.com^ +||tracking.wetter.at^ +||tracking01.walmart.com^ +||tracking101.com^ +||tracking22.com^ +||trackingsoft.com^ +||trackmysales.com^ +||tradeadexchange.com^ +||tradedoubler.com^ +||traffic-exchange.com^ +||traffic.hyteck.de^ +||trafficfactory.biz^ +||trafficforce.com^ +||trafficholder.com^ +||traffichunt.com^ +||trafficjunky.net^ +||trafficleader.com^ +||trafficrouter.io^ +||trafficshop.com^ +||trafficspaces.net^ +||trafficstrategies.com^ +||trafficswarm.com^ +||trafficz.com^ +||traffiq.com^ +||trafic.ro^ +||traktrafficflow.com^ +||tranquilplume.com^ +||tranquilside.com^ +||travis.bosscasinos.com^ +||trck.a8.net^ +||trcklion.com^ +||treasuredata.com^ +||trekdata.com^ +||tremendoustime.com^ +||tremorhub.com^ +||trendcounter.com^ +||trendmd.com^ +||trialfire.com^ +||tribalfusion.com^ +||triplelift.com^ +||triptease.io^ +||trk.bad-tool-tell-doubt.xyz^ +||trk.bc.shutterfly.com^ +||trk.pinterest.com^ +||trk.techtarget.com^ +||trk42.net^ +||trkn.us^ +||trknths.com^ +||trkoptimizer.com^ +||trkpnt.ongage.net^ +||trmit.com^ +||truckstomatoes.com^ +||truculentrate.com^ +||truehits.net^ +||truehits1.gits.net.th^ +||truehits2.gits.net.th^ +||trust.titanhq.com^ +||trustpid.com^ +||trustx.org^ +||tsyndicate.com^ +||tsyndicate.net^ +||tubemogul.com^ +||tumbleicicle.com^ +||turboadv.com^ +||turn.com^ +||twittad.com^ +||twyn.com^ +||tynt.com^ +||typicalteeth.com^ +||tyroo.com^ +||uarating.com^ +||ucfunnel.com^ +||udkcrj.com^ +||udncoeln.com^ +||uib.ff.avast.com^ +||ukoffzeh.com^ +||ultimateclixx.com^ +||ultramercial.com^ +||ultraoranges.com^ +||unaccountablepie.com^ +||unarmedindustry.com^ +||unbecominglamp.com^ +||understoodocean.com^ +||undertone.com^ +||unidentifiedanalytics.web.app^ +||unknowntray.com^ +||unloadyourself.com^ +||unrulymedia.com^ +||untd.com^ +||untidyquestion.com^ +||unusualtitle.com^ +||unwieldyhealth.com^ +||unwieldyimpulse.com^ +||upu.samsungelectronics.com^ +||url9467.comms-2.zoopla.co.uk^ +||urlcash.net^ +||urldata.net^ +||us.a1.yimg.com^ +||user-shield-check.com^ +||userreplay.com^ +||userreplay.net^ +||users.maxcluster.net^ +||utils.mediageneral.net^ +||utl-1.com^ +||uu.domainforlite.com^ +||v1.cnzz.com^ +||v1adserver.com^ +||valerie.forbes.com^ +||validclick.com^ +||valuead.com^ +||valueclick.com^ +||valueclickmedia.com^ +||valuecommerce.com^ +||vanfireworks.com^ +||vcommission.com^ +||veille-referencement.com^ +||velismedia.com^ +||venetrigni.com^ +||vengefulgrass.com^ +||ventivmedia.com^ +||venturead.com^ +||vericlick.com^ +||vertamedia.com^ +||verticalmass.com^ +||vervewireless.com^ +||vgnp3trk.com^ +||vibrantmedia.com^ +||vibrantsundown.com^ +||vid.pubmatic.com^ +||vidcpm.com^ +||video-stats.video.google.com^ +||videoadex.com^ +||videoegg.com^ +||videostats.kakao.com^ +||vidible.tv^ +||vidora.com^ +||view4cash.de^ +||viglink.com^ +||virtualvincent.com^ +||visiblemeasures.com^ +||visistat.com^ +||visitbox.de^ +||visual-pagerank.fr^ +||visualrevenue.com^ +||vivads.net^ +||vivtracking.com^ +||vmmpxl.com^ +||voicefive.com^ +||volatilevessel.com^ +||voluum.com^ +||voluumtrk2.com^ +||vpon.com^ +||vrs.cz^ +||vtracy.de^ +||vungle.com^ +||w55c.net^ +||wa.and.co.uk^ +||waardex.com^ +||warmafterthought.com^ +||washbanana.com^ +||wateryvan.com^ +||wdads.sx.atl.publicus.com^ +||wdfl.co^ +||web-stat.com^ +||web.informer.com^ +||web2.deja.com^ +||webads.co.nz^ +||webads.nl^ +||webanalytics.zohodcm.com^ +||webcash.nl^ +||webcontentassessor.com^ +||webcounter.cz^ +||webcounter.goweb.de^ +||webgains.com^ +||weborama.com^ +||weborama.fr^ +||webpower.com^ +||webreseau.com^ +||webseoanalytics.com^ +||websponsors.com^ +||webstat.channel4.com^ +||webstat.com^ +||webstat.net^ +||webtrackerplus.com^ +||webtraffic.se^ +||webtraxx.de^ +||webxcdn.com^ +||wellmadefrog.com^ +||welved.com^ +||werbung.meteoxpress.com^ +||wetrack.it^ +||whaleads.com^ +||wheredoyoucomefrom.ovh^ +||whirlwealth.com^ +||whiskyqueue.com^ +||whispa.com^ +||whisperingcascade.com^ +||whisperingcrib.com^ +||whisperingsummit.com^ +||whoisonline.net^ +||wickedreports.com^ +||widespace.com^ +||widget.educationdynamics.com^ +||widget.privy.com^ +||wikia-ads.wikia.com^ +||win.iqm.com^ +||window.nixnet.cz^ +||wintricksbanner.googlepages.com^ +||wirecomic.com^ +||wirypaste.com^ +||wisepops.com^ +||witch-counter.de^ +||wittypopcorn.com^ +||wizaly.com^ +||wl.spotify.com^ +||wlmarketing.com^ +||wonderlandads.com^ +||wondoads.de^ +||woopra.com^ +||worldwide-cash.net^ +||worldwidedigitalads.com^ +||worriednumber.com^ +||wt-eu02.net^ +||wt.bankmillennium.pl^ +||www-banner.chat.ru^ +||www-google-analytics.l.google.com^ +||www.dnps.com^ +||www.kaplanindex.com^ +||www.photo-ads.co.uk^ +||www8.glam.com^ +||wwwpromoter.com^ +||x-traceur.com^ +||x6.yakiuchi.com^ +||xad.com^ +||xapads.com^ +||xchange.ro^ +||xertive.com^ +||xfreeservice.com^ +||xg4ken.com^ +||xiti.com^ +||xovq5nemr.com^ +||xplusone.com^ +||xponsor.com^ +||xpu.samsungelectronics.com^ +||xq1.net^ +||xtendmedia.com^ +||xtracker.logimeter.com^ +||xxxcounter.com^ +||xxxmyself.com^ +||y.ibsys.com^ +||yab-adimages.s3.amazonaws.com^ +||yadro.ru^ +||yepads.com^ +||yesads.com^ +||yesadvertising.com^ +||yieldads.com^ +||yieldlab.net^ +||yieldmanager.net^ +||yieldmo.com^ +||yieldoptimizer.com^ +||yieldtraffic.com^ +||yldbt.com^ +||ymetrica1.com^ +||yoads.net^ +||yoggrt.com^ +||youradexchange.com^ +||ypu.samsungelectronics.com^ +||zangocash.com^ +||zanox-affiliate.de^ +||zanox.com^ +||zantracker.com^ +||zarget.com^ +||zbwp6ghm.com^ +||zdbb.net^ +||zedo.com^ +||zemanta.com^ +||zencudo.co.uk^ +||zenkreka.com^ +||zenzuu.com^ +||zephyrlabyrinth.com^ +||zeus.developershed.com^ +||zeusclicks.com^ +||zion-telemetry.api.cnn.io^ +||zippingcare.com^ +||zlp6s.pw^ +||zm232.com^ +||zmedia.com^ +||zonewedgeshaft.com^ +||zpu.samsungelectronics.com^ +||zqtk.net^ +||zy16eoat1w.com^ +||zzhc.vnet.cn^ + +[Adblock Plus 2.0; uBlock Origin] +! Title: Brave Unbreak +! Expires: 12 hours + +! https://github.com/easylist/easylist/issues/19234 +@@||mssl.fwmrm.net/libs/$domain=southpark.de|southparkstudios.co.uk|southparkstudios.com.br|southparkstudios.com +@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=southpark.de|southparkstudios.co.uk|southparkstudios.com.br|southparkstudios.com +! +! Counter wsj.com breakage (images not showing) +! https://github.com/uBlockOrigin/uAssets/issues/24960 +@@||cloudfront.net/o?*fqdn=$xhr,3p,domain=marketwatch.com|wsj.com +@@||cloudfront.net/*.js|$script,3p,domain=marketwatch.com|wsj.com + +! Generic blocks +.com/watch.*&kw=$third-party +.click/gd/ +.shop/cuid/ + +! workaround https://github.com/brave/brave-browser/issues/42496 +! reliabletv.me##+js(rpnt, script, /function isBrave[\s\S]*(?=const doAuthCheck)/) +reliabletv.me##+js(rpnt, script, /const doRedirect = 1;[\s\S]*(?=const doAuthCheck)/, const doRedirect = 1;) + +! strict3p workaround +! /^https:\/\/[a-z]\d{3}\.[a-z]+\.com\/script\.js$/$script,1p,redirect-rule=noopjs,strict3p,from=com +/^https:\/\/[a-z]\d{3}\.[a-z]+\.com\/script\.js$/$script,1p,redirect-rule=noopjs,domain=beaumontenterprise.com|bigrapidsnews.com|chicagotribune.com|courant.com|ctinsider.com|ctpost.com|expressnews.com|greenwichtime.com|houstonchronicle.com|lmtonline.com|mcall.com|michigansthumb.com|mrt.com|myjournalcourier.com|myplainview.com|newstimes.com|nydailynews.com|orlandosentinel.com|ourmidland.com|pilotonline.com|seattlepi.com|sfchronicle.com|sfgate.com|stamfordadvocate.com|sun-sentinel.com|thehour.com|theintelligencer.com|thetelegraph.com|timesunion.com + +! quora-perf issues +! https://community.brave.com/t/report-buggy-behaviour-on-one-exclusive-website/591130 +! https://community.brave.com/t/quora-not-responding-and-loading/589272/4 +! https://community.brave.com/t/brave-and-the-quora-website/590785 +quora.com#@#:xpath(//div[not(@class="ui_qtext_para") and contains(text(), 'ad by')]/parent::div/parent::div/parent::div[@id]) +quora.com#@#:xpath(//div[not(@class="ui_qtext_para") and contains(text(), 'promoted') and contains(text(), 'by')]/parent::a/parent::div/parent::div/parent::div[@id]) +quora.com#@#:xpath(//div[not(@class="ui_qtext_para") and contains(text(), 'Quora') and contains(text(), 'by') and contains(text(), 'Business')]/parent::a/parent::div/parent::div/parent::div[@id]) +quora.com#@#.FeedStory.feed_item > div > div:has-text(/by Quora for Business/i) +quora.com#@#.Toggle.SimpleToggle.ToggleAnswerFooterWrapper > div:has-text(/Promoted/i) +quora.com#@#:xpath(//span[contains(text(), 'by')]/ancestor::*[contains(concat(' ', @class, ' '), ' external_link ')]/../../..) +quora.com#@#:xpath(//p[(text()='d')]/../../../../..) + +! lang specific anti-adblock +france.tv##+js(prevent-fetch, fwmrm) +sussyscan.com##+js(prevent-fetch, www3.doubleclick.net) + + +! domain=com workaround (popads) +! /^https:\/\/[a-z]{8,12}\.com\/en\/(?:[a-z]{2,5}\/){0,2}[a-z]{2,}\?(?:[a-z]+=(?:\d+|[a-z]+)&)*?id=[12]\d{6}/$script,3p,match-case,to=com +! /^https?:\/\/(?:www\.|[0-9a-z]{7,10}\.)?[-0-9a-z]{5,}\.com\/\/?(?:[0-9a-z]{2}\/){2,3}[0-9a-f]{32}\.js/$script,3p,redirect-rule=noop.js,to=com +! /^https:\/\/[a-z]{3,5}\.[a-z]{10,14}\.top\/[a-z]{10,16}\/[a-z]{5,6}(?:\?d=\d)?$/$script,3p,match-case,to=top +! /^https?:\/\/[a-z]{8,15}\.com\/$/$xhr,3p,method=head,header=access-control-expose-headers:/X-DirectionPartner-Id/,to=com +! ://www.*.css|$script,3p,header=link:/\/>;rel=preconnect/,to=com +! /^https?:\/\/(?:[a-z]{2}\.)?[a-z]{7,14}\.com\/r(?=[a-z]*[0-9A-Z])[0-9A-Za-z]{10,16}\/[A-Za-z]{5}(?:\?param=\w+)?$/$script,3p,match-case,to=com +/^https:\/\/[a-z]{8,12}\.com\/en\/(?:[a-z]{2,5}\/){0,2}[a-z]{2,}\?(?:[a-z]+=(?:\d+|[a-z]+)&)*?id=[12]\d{6}/$script,3p +/^https:\/\/[a-z]{3,5}\.[a-z]{10,14}\.top\/[a-z]{10,16}\/[a-z]{5,6}(?:\?d=\d)?$/$script,xhr,3p +/^https?:\/\/(?:www\.|[0-9a-z]{7,10}\.)?[-0-9a-z]{5,}\.com\/\/?(?:[0-9a-z]{2}\/){2,3}[0-9a-f]{32}\.js/$script,3p,redirect-rule=noop.js +/^https?:\/\/[a-z]{8,15}\.com\/$/$xhr,3p +/^https:\/\/www\.[a-z]{8,16}\.com\/[a-z]{4,7}-[a-z]{4,7}\.min\.css$/$script,3p +/^https:\/\/www\.[a-z]{8,16}\.com\/[a-z]{4,14}\.min\.css$/$script,3p +/^https?:\/\/(?:[a-z]{2}\.)?[a-z]{7,14}\.com\/r(?=[a-z]*[0-9A-Z])[0-9A-Za-z]{10,16}\/[A-Za-z]{5}(?:\?param=\w+)?$/$script,3p,match-case + +! idjav.info (NSFW) Work around +! *$xhr,3p,redirect-rule=nooptext:-1,method=head,to=~adblockanalytics.com|~doubleclick.net|~pagead2.googlesyndication.com +*$xhr,3p,redirect-rule=nooptext:-1,domain=avdbapi.com + +! southparkstudios.com +! https://community.brave.com/t/southparkstudios-com-adblock-detected/581673/7 +||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$important,redirect-rule=noopjs,from=southparkstudios.com + +! test (possible redirection issue) +twitter.com##+js(remove-cookie, d_prefs) +twitter.com##+js(remove-cookie, twid) +twitter.com##+js(remove-cookie, personalization_id) + +! Adshield +blog.esuteru.com,blog.livedoor.jp,carscoops.com,eurointegration.com.ua,ff14net.2chblog.jp,flatpanelshd.com,golf-live.at,horairesdouverture24.fr,hoyme.jp,itainews.com,jin115.com,kreuzwortraetsel.de,lamire.jp,m.economictimes.com,modhub.us,motherlyvisions.com,ndtvprofit.com,news4vip.livedoor.biz,nyitvatartas24.hu,onecall2ch.com,palabr.as,picrew.me,pravda.com.ua,rabitsokuhou.2chblog.jp,raetsel-hilfe.de,suzusoku.blog.jp,the-crossword-solver.com,thestockmarketwatch.com,verkaufsoffener-sonntag.com,winfuture.de,word-grabber.com,wort-suchen.de,yugioh-starlight.com##iframe[src="about:blank"]:remove() + +! csp + doc (remove doc) *$doc,csp=script-src-attr 'none',to=flatpanelshd.com|sportsrec.com|badmouth1.com|picrew.me|lamire.jp +*$csp=script-src-attr 'none',domain=badmouth1.com|blog.esuteru.com|eurointegration.com.ua|flatpanelshd.com|hoyme.jp|issuya.com|iusm.co.kr|jin115.com|lamire.jp|picrew.me|sportsrec.com +! +! win7/8 YT crashes +! CNAME: account.adobe.com +@@||account.adobe.com^ +! CNAME: pol.dk +@@||www.pol.dk^ +! CNAME: autonews.com (https://community.brave.com/t/autonews-com-images-dont-load/488276) +@@||s3-prod.autonews.com^$domain=autonews.com +! CNAME: linkvertise.com +@@||taboola.com/libtrc/linkvertise-link-to/loader.js$domain=linkvertise.com +@@||taboola.map.fastly.net^$domain=linkvertise.com +! CNAME: https://api.atlassian.com/metal/ingest +! https://github.com/brave/adblock-lists/issues/752 +@@||api.atlassian.com^$first-party +! CNAME: https://yab.yomiuri.co.jp/adv/presage/3.html +@@||yab.yomiuri.co.jp/adv/$first-party +@@||omicroncdn.net^$domain=yab.yomiuri.co.jp +! CNAME: https://www.imdb.com/video/vi935705113?playlistId=tt1568346 +@@||cloudfront.net^$domain=imdb.com|media-imdb.com +! CNAME: xing.com +@@||cloudfront.net^$domain=xing.com +! CNAME: iraiser.eu +@@||iraiser.eu^$image,stylesheet,subdocument +@@||cdn.iraiser.eu^ +! CNAME: https://darknetdiaries.com/episode/78/ +@@||traffic.megaphone.fm^$domain=megaphone.fm|darknetdiaries.com +@@||adserver.va3.megaphone.cloud.$domain=megaphone.fm|darknetdiaries.com +! theatlantic.com anti-blocker filters +||theatlantic.blueconic.net$domain=theatlantic.com +||theatlantic.com/please-support-us^ +! navigator.clipboard checks +webplatform.news##+js(aopw, navigator.clipboard) +! navigator.connection checks +pandora.com,userlytics.com##+js(set, navigator.connection, {}) +! :has +youtube.com##ytd-rich-item-renderer:has(ytd-display-ad-renderer) +9gag.com##article:has(.promoted) +! Fix browser lockup on skepticalscience.com (https://github.com/brave/brave-browser/issues/5406) +||skepticalscience.net/widgets/heat_widget/js/heat_content.js$script,domain=skepticalscience.com +! adops.com unusable without this +@@||adops.com^$~third-party +@@||www.scrumpoker.online^$~third-party +! https://github.com/brave/brave-browser/issues/31954 +crunchyroll.com##+js(set-local-storage-item, /_evidon_consent_ls_\d+/, $remove$) +! fixes for several requests bypassing default blocklists +||aolcdn.com/*/adsWrapper.js$script +||zergnet.com^$script,third-party +! https://coveryourtracks.eff.org/ Cover your tracks test +||trackersimulator.org^ +||eviltracker.net^ +||do-not-tracker.org^ +! omegascans.org/nsfwyoutube.com/torlock.com +/^https:\/\/[0-9a-f]{10}\.[0-9a-f]{10}\.com\/[0-9a-f]{32}\.js$/$script,3p,domain=fastpic.org|torlock.com|nsfwyoutube.com|omegascans.org|animeland.tv|streamhub.to|unblockit.africa +! Disable PDFJS which we include by default's telemetry +||pdfjs.robwu.nl +! GPC issues +! weather.com https://github.com/brave/brave-browser/issues/35431 +eventbrite.com,weather.com##+js(set, Navigator.prototype.globalPrivacyControl, false) +eventbrite.com,weather.com##+js(set, navigator.globalPrivacyControl, false) +! Soft anti-adblock +maxroll.gg##+js(trusted-set-local-storage-item, adBlockWarning, '{"value":true}') +! Scroll bar-consent +collegeconfidential.com##body:style(overflow: auto !important; max-height: 1px !important;) +! open-in-app reddit nag +reddit.com##+js(trusted-set-local-storage-item, xpromo-consolidation, $currentDate$) +! Fix preloader (facebook check) +igniteunmc.com##.preloader +! +! Brave-social (temp) +! List used by Brave for preventing social elements from loading +! +! Facebook +||graph.facebook.com^$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||static.ak.connect.facebook.com^$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||connect.facebook.net^*/sdk.js$third-party,domain=~account.mondoconv.it|~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||connect.facebook.net^*/all.js$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||connect.facebook.com^*/all.js$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||connect.facebook.com^*/sdk.js$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||connect.facebook.net^*/sdk/$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||connect.facebook.net^*/fp.js$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +! Facebook Plugins (3rd-party embedded plugins) +||facebook.com^*/plugins/$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||facebook.com/plugins/$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +! Twitter +||api.twitter.com^$third-party,domain=~tweetdeck.com|~twitter.com|~twitter.jp|~x.com +||platform.twitter.com^$third-party,domain=~tweetdeck.com|~twitter.com|~twitter.jp|~x.com +||api.x.com^$third-party,domain=~tweetdeck.com|~twitter.com|~twitter.jp|~x.com +||platform.x.com^$third-party,domain=~tweetdeck.com|~twitter.com|~twitter.jp|~x.com +! +! Note that options will be added to exclude these filters soon. They +! are added both as a blocking rule and as an exception rule so that +! an exception is hit and will override what's in tracking protection protection. +! Facebook logins and embeds +@@||connect.facebook.net^*/sdk/$tag=fb-embeds +@@||connect.facebook.net^*/sdk.js$tag=fb-embeds +@@||connect.facebook.net^*/all.js$tag=fb-embeds +@@||connect.facebook.com^*/all.js$tag=fb-embeds +@@||connect.facebook.com^*/sdk.js$tag=fb-embeds +@@||connect.facebook.net^*/fp.js$tag=fb-embeds +@@||static.ak.connect.facebook.com^$tag=fb-embeds +@@||facebook.com/plugins/$tag=fb-embeds +@@||facebook.com^*/plugins/$tag=fb-embeds +@@||graph.facebook.com^$tag=fb-embeds +! Facebook tracking events +/fbevents-amd.js +/fbevents.js +/fbevents.min.js +||facebook.com/tr/ +||facebook.com/tr? +! Facebook fixes +@@||connect.facebook.net^$script,domain=denver.org +! Twitter embeds +@@||api.twitter.com^$tag=twitter-embeds +@@||platform.twitter.com^$tag=twitter-embeds +@@||api.x.com^$tag=twitter-embeds +@@||platform.x.com^$tag=twitter-embeds +! LinkedIn in embeds +@@||licdn.com^$tag=linked-in-embeds +@@||platform.linkedin.com^$tag=linked-in-embeds +@@||linkedin.com/games/$tag=linked-in-embeds +! jcrew.com reviews not showing +jcrew.com##+js(cookie-remover.js, dns_cookie) +! Fix sign in icon on https://app.mysms.com/#login +@@||developers.google.com/identity/$image,domain=mysms.com +! Adservers (ios) +||pixfuture.com^$third-party +||taboola.com^$third-party +! Allow doubleclick clickthrough (ios) +@@||ad.doubleclick.net/ddm/clk/$domain=ad.doubleclick.net +! google adsettings (ios) +@@||www.google.com/ads/preferences/$first-party +@@||adssettings.google.com^$first-party +! Fix nordpass/protomail clickthrough on ios +@@/aff_c?offer_id= +@@?offer_id=*&aff_id= +! ca.yahoo.com (ios) +/av/ads/*$domain=yahoo.com +! https://www.nintendo.co.jp/ring/index.html (https://github.com/brave/brave-browser/issues/11448) +@@||nintendo.co.jp/ring/assets_top/img/adv/$~third-party +! suumo.jp (ios) +@@||suumo.jp/sp/js/beacon.js$script,domain=suumo.jp +! usps.com fix (ios) +@@||tools.usps.com/go/scripts/tracking.js$script,domain=tools.usps.com +! Fix startpage ads +startpage.com###gcsa-top +! Fix onesignal.com example push notifications +@@||googletagmanager.com/gtm.js$script,domain=onesignal.com +! Fix for https://www.home.neustar/ (blank page) +@@||neustar.biz^$domain=home.neustar +! Blockfi Notifcations +@@||braze.com^$third-party,domain=blockfi.com +! https://canyoublockit.com/extreme-test/ (https://github.com/brave/brave-browser/issues/12929) +canyoublockit.com##+js(aopr, atob) +canyoublockit.com##+js(acis, atob, decodeURIComponent) +! Fix livemint.com (anti-adblock) +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$xmlhttprequest,domain=livemint.com +! Broken video playback on tn.com.ar (https://community.brave.com/t/the-blocker-does-not-allow-you-to-watch-the-video/76691) +@@||googletagmanager.com/gtm.js$script,domain=tn.com.ar +! portscanning script +gap.com,ibanking-services.com,connectonebank.com,tescobank.com,sbisec.co.jp,tsb.co.uk,tiaabank.com,tiaa.org,directpay.irs.gov,t-mobile.com,simplii.com,citibank.com.au,fisglobal.com,adp.com,skyid.sky.com,onehealthcareid.com,betfair.es,betfair.com.au,paddypower.com,healthsafe-id.com,canadiantire.ca,sportchek.ca,ingbank.pl,optumbank.com,mbna.ca,tdcommercialbanking.com,coastcapitalsavings.com,my100bank.com,royalbank.com,td.com,spectrum.net,quicken.com,citibankonline.com,bmo.com,eftps.gov,optumbank.com,samsclub.com,intuit.com,betfair.com,sofi.com,53.com,ameriprise.com,cibc.com,citi.com,discover.com,fidelity.com,homedepot.com,sciencedirect.com,ebay.com,ebay-kleinanzeigen.de,tdbank.com,walmart.com##+js(acis, tmx_post_session_params_fixed) +! slate.com Anti-adblock workaround https://github.com/brave/brave-browser/issues/15702 +! thehindu.com https://www.reddit.com/r/brave_browser/comments/10hh4j6/this_site_is_detecting_braveandroid_adblock/ +||tinypass.com^$domain=slate.com|www.thehindu.com +wetter.com,spiegel.de##[referrerpolicy] +! Warning message +||spiegel.de/public/shared/generated/3rdparty/js/msg_without_detection. +! atozmath.com Anti-adblock +atozmath.com###lblAdContent +!! -- ported from uBO Annoyances filters (START) +! https://github.com/uBlockOrigin/uAssets/issues/1343 +! https://github.com/uBlockOrigin/uAssets/issues/1879 +agar.io##+js(aopw, hasAdblock) +@@||imasdk.googleapis.com/js/sdkloader/outstream.js$script,domain=agar.io +agar.io###advertisement +! https://github.com/uBlockOrigin/uAssets/issues/1445 +wings.io##+js(aopr, hasAdblock) +wings.io###mpu-top +! https://github.com/uBlockOrigin/uAssets/issues/1446 +brutal.io###mpu-top +brutal.io##+js(set, hasAdblock, false) +! https://github.com/uBlockOrigin/uAssets/issues/1447 +starve.io###trevda +! https://github.com/uBlockOrigin/uAssets/issues/1582 +! https://github.com/jspenguin2017/uBlockProtector/issues/974 +! https://github.com/NanoMeow/QuickReports/issues/8 +! https://www.reddit.com/r/uBlockOrigin/comments/9tj2zp/help_to_get_past_this_adblocker_block/ +! https://forums.lanik.us/viewtopic.php?f=62&t=43097 +! https://github.com/NanoMeow/QuickReports/issues/1382 +! https://github.com/NanoMeow/QuickReports/issues/1528 +! https://github.com/uBlockOrigin/uAssets/issues/6517 +! https://github.com/NanoMeow/QuickReports/issues/3246 +al.com,allkpop.com,calendarpedia.co.uk,ccn.com,cleveland.com,comicsands.com,duffelblog.com,gamepur.com,gamerevolution.com,interestingengineering.com,keengamer.com,listenonrepeat.com,mandatory.com,mlive.com,musicfeeds.com.au,newatlas.com,pgatour.com,readlightnovel.org,secondnexus.com,sevenforums.com,sport24.co.za,superherohype.com,thefashionspot.com,theodysseyonline.com,totalbeauty.com,westernjournal.com##+js(aopr, __cmpGdprAppliesGlobally) +! techonthenet warning anti adb +techonthenet.com##+js(set-cookie, sabl, 1) +! https://github.com/uBlockOrigin/uAssets/issues/2185 +@@||socialblade.com^$ghide +socialblade.com##.cas-container +socialblade.com##.cas-wide-container +socialblade.com##div[style^="width: 300px; height: 250px;"][style*="background: #fff;"] +socialblade.com##div[style^="width: 860px; min-height: 90px"] +socialblade.com###bottomAd:style(position: absolute !important; left: -4000px !important;) +! https://github.com/NanoAdblocker/NanoFilters/issues/63 +sportsnet.ca##+js(aopr, uxGuid) +! https://github.com/NanoAdblocker/NanoFilters/issues/87 +realcleardefense.com##+js(set, warning_widget.check_ad_block_status, noopFunc) +! https://github.com/NanoAdblocker/NanoFilters/issues/134 +tv.mademyday.com##.blnotice +! https://github.com/jspenguin2017/uBlockProtector/issues/968 +iosgods.com##+js(aopw, CheckAdLoad) +! phys.org anti-adblock nag +@@||phys.org^$ghide +phys.org##.amp-unresolved +phys.org##.adsbygoogle +phys.org##.ads-336x280 +! https://github.com/NanoAdblocker/NanoFilters/issues/145 +minijuegos.com###adBlockDisclaimer +! https://github.com/uBlockOrigin/uAssets/issues/3006 +gardenista.com##+js(set, adsAreBlocked, false) +! https://github.com/NanoAdblocker/NanoFilters/issues/156 +punto-informatico.it##+js(aopr, blazemedia_adBlock) +! https://github.com/uBlockOrigin/uAssets/issues/3115 +@@||umterps.com^$ghide +umterps.com##.single-ad +! https://github.com/uBlockOrigin/uAssets/issues/3204 +myfxbook.com##+js(nostif, checkForAds) +! https://github.com/uBlockOrigin/uAssets/issues/3220 +planete-205.com###nonono +! https://github.com/uBlockOrigin/uAssets/issues/3221 +@@||vide-greniers.org^$ghide +||pagead2.googlesyndication.com/pagead/$script,redirect=noopjs,domain=vide-greniers.org +! https://github.com/uBlockOrigin/uAssets/issues/3318 +hqq.tv##+js(nostif, check, 100) +! https://github.com/NanoMeow/QuickReports/issues/29 +! https://reddit.com/r/uBlockOrigin/comments/ea6rv3 +zerohedge.com###abd-banner +zerohedge.com##.modal__overlay +! https://github.com/reek/anti-adblock-killer/issues/4147 +@@||racefans.net^$ghide +racefans.net##.textwidget +! https://github.com/NanoMeow/QuickReports/issues/47 +gearside.com##+js(set, nebula.session.flags.adblock, undefined) +! https://github.com/uBlockOrigin/uAssets/issues/3382 +emol.com##+js(aopr, addLink) +! https://github.com/uBlockOrigin/uAssets/issues/3411 +@@||radioline.co/*/ad$1p +! https://github.com/uBlockOrigin/uAssets/issues/3278#issuecomment-421038747 +nytimes.com##+js(set, _adBlockCheck, true) +! https://github.com/uBlockOrigin/uAssets/issues/3466 +! https://github.com/NanoMeow/QuickReports/issues/4672 +||googlesyndication.com/pagead/js/adsbygoogle.js$xhr,redirect=noop.js,domain=unknowncheats.me +*$xhr,redirect-rule=nooptext,domain=unknowncheats.me +! https://github.com/uBlockOrigin/uAssets/issues/3489 +columbiaspectator.com##+js(nostif, ads, 2000) +! https://github.com/uBlockOrigin/uAssets/issues/3545 +springfieldspringfield.co.uk##+js(aopr, addLink) +! https://github.com/NanoMeow/QuickReports/issues/142 +flyertalk.com##+js(acs, $, AdBlock) +! https://github.com/NanoMeow/QuickReports/issues/179 +esercizinglese.com,pelisfull.tv##+js(aopw, adBlockDetected) +masternodes.pro###adblocker +! https://github.com/NanoMeow/QuickReports/issues/182 +ancient.eu##+js(set, ADBdetected, noopFunc) +! https://github.com/NanoMeow/QuickReports/issues/215 +gota.io##+js(aopr, fuckAdBlock) +! https://github.com/uBlockOrigin/uAssets/issues/3743 +greenocktelegraph.co.uk##+js(aopr, _sp_._networkListenerData) +! https://github.com/uBlockOrigin/uAssets/issues/3790 +kashmirobserver.net##+js(acs, document.getElementById, ad-blocker) +! https://github.com/uBlockOrigin/uAssets/issues/3797 +allafinedelpalo.it##+js(aopr, ABDSettings) +! https://github.com/uBlockOrigin/uAssets/issues/3814 +cathouseonthekings.com##+js(acs, document.getElementById, .ab_detected) +! https://github.com/uBlockOrigin/uAssets/issues/3846 +kollyinsider.com##+js(aopw, adMessage) +! https://github.com/uBlockOrigin/uAssets/issues/3862 +ewrc-results.com##+js(aopw, adBlockEnabled) +! https://github.com/uBlockOrigin/uAssets/issues/3865 +raven-mythic.com##+js(aopw, $adframe) +! https://github.com/uBlockOrigin/uAssets/issues/3868 +investmentnews.com###blocker +! https://github.com/uBlockOrigin/uAssets/issues/3855 +intramed.net##+js(set, adblock, false) +! https://github.com/uBlockOrigin/uAssets/issues/3888 +protest.eu##+js(set, BIA.ADBLOCKER, false) +! https://github.com/uBlockOrigin/uAssets/issues/3877 +/wp-content/plugins/simple-adblock-notice/*$~css +books-world.net,pc3mag.com##+js(nostif, Adblocker, 10000) +centrumher.eu##[class^="san_howtowhitelist_"] +centrumher.eu##+js(acs, jQuery, undefined) +! https://github.com/uBlockOrigin/uAssets/issues/3885 +northwestfirearms.com,techkings.org##+js(set, samDetected, true) +! https://github.com/uBlockOrigin/uAssets/issues/3908 +@@||enfsolar.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/3913 +@@||brightonandhovenews.org^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/3912 +japancamerahunter.com##+js(acs, jQuery, ads) +! https://github.com/uBlockOrigin/uAssets/issues/3918 +remotelyawesomejobs.com###ad-plea +! https://github.com/uBlockOrigin/uAssets/issues/3919 +@@||rightwingtribune.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/3925 +heypoorplayer.com##+js(aopr, ABDSettings) +! https://github.com/uBlockOrigin/uAssets/issues/3931 +spookshow.net##+js(set, adBlockFunction, trueFunc) +! https://github.com/uBlockOrigin/uAssets/issues/3928 +@@||gamerotic.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/3934 +tastycookery.com##+js(aeld, DOMContentLoaded, .js-popup-adblock) +! https://github.com/uBlockOrigin/uAssets/issues/3935 +@@||resdz.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/3940 +airlinercafe.com##+js(acs, jQuery, ads) +! https://github.com/uBlockOrigin/uAssets/issues/3941 +@@||ricochet.media^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/3953 +halotracker.com##+js(aopw, adBlockDetected) +! fosshub.com/PSPad.html warning antiadb +fosshub.com##+js(set, checkAds, trueFunc) +! https://github.com/uBlockOrigin/uAssets/issues/3962 +juancarlosmolinos.net##+js(aopw, ABDSettings) +! https://github.com/uBlockOrigin/uAssets/issues/3963 +stoneyroads.com##.ad-container +! https://github.com/uBlockOrigin/uAssets/issues/3964 +pokemonforever.com##+js(set, google_jobrunner, true) +! https://github.com/NanoMeow/QuickReports/issues/267 +bucketpages.com##+js(nostif, #advert-tracker, 500) +! https://forums.lanik.us/viewtopic.php?f=64&t=42119#p143017 +carsguide.com.au##+js(set, isAdblockDisabled, true) +carsguide.com.au###adBlockMessage +! https://github.com/NanoMeow/QuickReports/issues/309 +@@||dermatologytimes.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/4120 +! https://github.com/NanoMeow/QuickReports/issues/32 +motherjones.com##.mj-adblock-widget +! https://github.com/NanoMeow/QuickReports/issues/422 +@@||topspeed.com^$ghide +topspeed.com##.adsninja-ad-zone +topspeed.com##.txt-ad +topspeed.com##.daily-vid-ad +topspeed.com##.top-horizontal-ad-content +! https://github.com/uBlockOrigin/uAssets/issues/4268#issuecomment-445478692 +@@||mywrestling.com.pl^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/4268#issuecomment-445481905 +webwereld.nl##+js(set, adsAreShown, true) +! anti adb warning /bigleaguepolitics . com +@@||bigleaguepolitics.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/4388 +palemoon.org##+js(set, abd, false) +! https://github.com/NanoMeow/QuickReports/issues/505 +@@||soundonsound.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/4447 +@@||jrocknews.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/4551 +@@||creditonebank.com^$ghide +! https://forums.lanik.us/viewtopic.php?p=144782#p144782 +aoezone.net##+js(set, aoezone_adchecker, true) +! https://github.com/uBlockOrigin/uAssets/issues/4650 +r7.com###inner-ad-container +! https://github.com/NanoMeow/QuickReports/issues/590 +xnxx.com##+js(aopr, fuckAdBlock) +! https://github.com/NanoMeow/QuickReports/issues/631 +randaris.app##.adblock-box +! nachrichten . at anti adb +@@||nachrichten.at^$ghide +! https://www.reddit.com/r/uBlockOrigin/comments/annrln/polygon_antiadblock/ +heroesneverdie.com##+js(nostif, adsBlocked) +! https://github.com/NanoMeow/QuickReports/issues/648 +! https://github.com/jspenguin2017/uBlockProtector/issues/1019 +curbed.com,eater.com,funnyordie.com,mmafighting.com,mmamania.com,polygon.com,racked.com,riftherald.com,sbnation.com,theverge.com,vox.com##+js(nostif, adsBlocked) +! bdcraft +@@||bdcraft.net^$ghide +bdcraft.net##+js(set, adsbygoogle, null) +bdcraft.net##.cc-banner +bdcraft.net##.hostBtn +bdcraft.net##.adsbygoogle +bdcraft.net###bottombanner +bdcraft.net###header > .wrapper > [class] +! https://github.com/uBlockOrigin/uAssets/issues/4950 +diynetwork.com##.o-AdhesionNotifier +! https://github.com/NanoMeow/QuickReports/issues/713 +@@||eppingforestguardian.co.uk^$ghide +eppingforestguardian.co.uk##.dfp-ad +eppingforestguardian.co.uk##.mar-block-ad +! https://github.com/NanoMeow/QuickReports/issues/714 +||code.adsales.snidigital.com/lib/*/sni-ads.min.js$script,domain=travelchannel.com +! https://github.com/NanoMeow/QuickReports/issues/783 +ruwix.com##+js(nostif, NoAd, 8000) +! https://github.com/NanoMeow/QuickReports/issues/1324 +@@||globalnews.ca^$ghide +globalnews.ca##.ad-container +globalnews.ca###headerAd +! https://github.com/uBlockOrigin/uAssets/issues/186#issuecomment-486142318 +wired.co.uk##+js(set, ads_not_blocked, true) +! https://github.com/NanoMeow/QuickReports/issues/1073 +polygon.com##+js(nostif, adsBlocked) +! https://github.com/NanoMeow/QuickReports/issues/1071 +twinkietown.com##+js(nostif, adsBlocked) +! https://forums.lanik.us/viewtopic.php?f=62&t=42960 +tv2.no###aabl-container +! https://github.com/NanoMeow/QuickReports/issues/1114 +@@||dcdirtylaundry.com^$ghide +! https://github.com/NanoMeow/QuickReports/issues/1126 +@@||sostariffe.it^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/2101#issuecomment-491625176 +zdnet.de##+js(aopr, can_i_run_ads) +! https://github.com/NanoMeow/QuickReports/issues/1209 +cinemablend.com##+js(aopr, __cmpGdprAppliesGlobally) +! https://github.com/uBlockOrigin/uAssets/issues/5613 +@@||metabattle.com^$ghide +! turbolab .it anti adb warning +turbolab.it##+js(nostif, warning) +! https://github.com/NanoMeow/QuickReports/issues/1311 +medicalnewstoday.com##.sticky_ad_container +! https://github.com/NanoMeow/QuickReports/issues/1338 +buienradar.nl##+js(set, hideBannerBlockedMessage, true) +buienradar.nl###adholderContainerHeader +! glamourmagazine.co.uk anti adb annoyance +glamourmagazine.co.uk##+js(set, ads_not_blocked, true) +! https://github.com/NanoMeow/QuickReports/issues/1527 +@@||mentalmars.com^$ghide +! https://github.com/NanoMeow/QuickReports/issues/1588 +@@||independent.ie^$ghide +! https://forums.lanik.us/viewtopic.php?f=62&t=43327&p=148979#p148979 +@@||nzz.ch^$ghide +nzz.ch###adnz_maxiboard_1 +! https://github.com/NanoMeow/QuickReports/issues/1620 +@@||airbnbhell.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/6093 +@@||cdnjs.cloudflare.com/ajax/libs/blockadblock/*/blockadblock.min.js$script,domain=starblast.io +@@||starblast.io^$ghide +*$script,redirect-rule=noopjs,domain=starblast.io +! https://github.com/NanoMeow/QuickReports/issues/1396 +@@||wired.com^$ghide +wired.com##.ad +! https://github.com/NanoMeow/QuickReports/issues/1780 +@@||belfasttelegraph.co.uk^$ghide +! https://github.com/NanoMeow/QuickReports/issues/1832 +@@||flightaware.com^$ghide +! https://www.reddit.com/r/uBlockOrigin/comments/d5ekq0/antiadblock_detected_wwwlesoirbe/ +lesoir.be##+js(aopr, abStyle) +! https://github.com/NanoMeow/QuickReports/issues/1865 +@@||typing-speed.net^$ghide +! https://forums.lanik.us/viewtopic.php?f=62&t=43618 +bold.dk##+js(acs, eval, abd) +! https://github.com/NanoMeow/QuickReports/issues/1933 +@@||as.com^$ghide +as.com##.publi +! https://github.com/NanoMeow/QuickReports/issues/1948 +pureinfotech.com##+js(acs, jQuery, ai_adb) +! https://forums.lanik.us/viewtopic.php?f=62&t=43651 +fairyabc.com##+js(nostif, adblock) +! https://github.com/uBlockOrigin/uAssets/issues/6405 +otvfoco.com.br##+js(aopr, addLink) +! https://github.com/uBlockOrigin/uAssets/issues/6421 +portalportuario.cl##+js(aopr, addLink) +! https://github.com/uBlockOrigin/uAssets/issues/6471 +glitterphoto.net##.adBlocked +! https://github.com/NanoMeow/QuickReports/issues/2119 +@@||dumpert.nl^$ghide +! https://github.com/NanoMeow/QuickReports/issues/2123 +@@||beinsports.com^$ghide +! https://github.com/NanoMeow/QuickReports/issues/2143 +@@||mizonatv.com^$ghide +! https://github.com/NanoMeow/QuickReports/issues/2154 +nakedcapitalism.com##+js(aopw, ABD) +! https://github.com/NanoMeow/QuickReports/issues/2257 +laptopmag.com##+js(aopr, _sp_.mms.startMsg) +! https://github.com/uBlockOrigin/uAssets/issues/6572 +windows101tricks.com##+js(aopr, __cmpGdprAppliesGlobally) +windows101tricks.com##+js(set, better_ads_adblock, 0) +! https://github.com/NanoMeow/QuickReports/issues/2545 +forum.nlmod.net##+js(acs, document.createElement, adblock) +! https://github.com/uBlockOrigin/uAssets/issues/6759 +fontsfree.pro##+js(set, adBlock, false) +! https://github.com/NanoMeow/QuickReports/issues/2635 +theherald-news.com##+js(nostif, null) +! https://github.com/NanoMeow/QuickReports/issues/2605 +insidermonkey.com##+js(aopr, ABD) +! https://github.com/NanoMeow/QuickReports/issues/2640 +venea.net##+js(aeld, , ads) +! https://github.com/NanoMeow/QuickReports/issues/2341 +@@||puhutv.com^$ghide +! edmontonjournal .com anti adb warning +@@||edmontonjournal.com^$ghide +! gamebanana anti adblock notice +gamebanana.com##+js(aopr, adBlockDetected) +! https://github.com/AdguardTeam/AdguardFilters/issues/42495#issuecomment-574761083 +@@||metropoles.com^$ghide +! https://github.com/AdguardTeam/AdguardFilters/issues/42495#issuecomment-574761083 +@@||metropoles.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/6877 +theregister.co.uk##+js(aopr, adtoniq) +! almasdarnews .com warning anti adb #2421 +almasdarnews.com##+js(acs, jQuery, ai_adb) +! https://github.com/NanoMeow/QuickReports/issues/2972 +livescience.com##+js(aopr, _sp_.mms.startMsg) +! https://github.com/NanoMeow/QuickReports/issues/2981 +@@||queer.pl^$ghide +queer.pl#@#[class^="ad-"] +queer.pl##.box-adv +! https://github.com/uBlockOrigin/uAssets/issues/6945 +@@||snipboard.io^$ghide +! musicradar .com and other sites anti adb warning +digitalcameraworld.com,guitarworld.com,musicradar.com##+js(aopr, _sp_.mms.startMsg) +! https://github.com/uBlockOrigin/uAssets/issues/6956 +mocospace.com##+js(nostif, adblocker) +! bigten .org anti adb warning +@@||bigten.org^$xhr,1p +! ai_adb warning +casertace.net,civildigital.com,lesmoutonsenrages.fr,venusarchives.com,verpornocomic.com##+js(acs, jQuery, ai_adb) +! https://github.com/AdguardTeam/AdguardFilters/issues/50414 +civicx.com##.adblock_detector +! mp3fy .com anti adb warning +@@||mp3fy.com^$ghide +! https://github.com/NanoMeow/QuickReports/issues/3924 +radarbox.com##+js(set, ads_enabled, true) +! https://forums.lanik.us/viewtopic.php?p=153251#p153251 +keighleynews.co.uk##+js(aopr, _sp_.mms.startMsg) +! mt07-forum/auto-treff anti-adb +mt07-forum.de,auto-treff.com##+js(acs, $, offsetHeight) +! https://github.com/NanoMeow/QuickReports/issues/3310 +dxmaps.com##+js(nostif, adsbygoogle, 5000) +! photoshop-online anti-adb +photoshop-online.biz##+js(nostif, google_jobrunner) +photoshop-online.biz##div.aslot +! https://github.com/NanoMeow/QuickReports/issues/3447 +loudersound.com##+js(aopr, _sp_._networkListenerData) +! photoshop-online anti-adb +photoshop-online.biz##+js(nostif, google_jobrunner) +photoshop-online.biz##div.aslot +! https://github.com/NanoMeow/QuickReports/issues/3447 +loudersound.com##+js(aopr, _sp_._networkListenerData) +! https://forums.lanik.us/viewtopic.php?p=153944#p153944 +deezer.com##+js(nostif, bait) +deezer.com##.abp-banner +! https://github.com/AdguardTeam/AdguardFilters/issues/53425 +adslayuda.com##+js(set, better_ads_adblock, null) +! https://github.com/NanoMeow/QuickReports/issues/3559 +creativebloq.com##+js(aopr, _sp_.mms.startMsg) +! https://github.com/NanoMeow/QuickReports/issues/3578 +simpleflying.com##.simpl-adlabel +! https://github.com/AdguardTeam/AdguardFilters/issues/53650 +masrawy.com##+js(acs, document.getElementById, adblockerdetected) +! https://github.com/AdguardTeam/AdguardFilters/issues/53694 +milfzr.com##+js(acs, $, juicyads) +! litecompare .com anti adb notice +@@||litecompare.com^$ghide +! fiscomania .com anti adb notice +@@||fiscomania.com^$ghide +! playbill .com anti adb warning +playbill.com##+js(nostif, offsetHeight) +! https://github.com/NanoMeow/QuickReports/issues/3687 +t3.com##+js(aopr, _sp_.mms.startMsg) +! https://github.com/AdguardTeam/AdguardFilters/issues/54544 +smokingmeatforums.com##+js(acs, $, btoa) +! https://affiliate.fc2.com/ anti-adblock +affiliate.fc2.com##+js(nostif, checkFeed, 1000) +! thegatewaypundit .com anti adb warning +thegatewaypundit.com##+js(aeld, , adtoniq) +! https://github.com/uBlockOrigin/uAssets/issues/7359 +@@||9lives.be^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/7371 +jeu2048.fr##+js(aopw, FuckAdBlock) +! https://github.com/uBlockOrigin/uAssets/issues/7363 +@@||holowczak.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/7373 +*$script,redirect-rule=noopjs,domain=luchaonline.com +! https://github.com/uBlockOrigin/uAssets/issues/7384 +taperaki.gr##.widget_et_ads +! https://github.com/uBlockOrigin/uAssets/issues/7417 +baby.be##.warning +! https://www.reddit.com/r/uBlockOrigin/comments/gmtlci/adblocking_detected/ +||wetransfer.net/*/adblocker$3p,domain=wetransfer.com +! https://github.com/AdguardTeam/AdguardFilters/issues/55781 +stevensducks.com###sidearm-adblock-modal +! https://github.com/AdguardTeam/AdguardFilters/issues/55846 +trojmiasto.pl##+js(aopr, adBlockDetected) +! https://github.com/NanoMeow/QuickReports/issues/3914 +diffchecker.com##+js(nostif, adStillHere) +! https://github.com/NanoMeow/QuickReports/issues/3963 +moving2canada.com##.ad-blocker-notice +! https://github.com/AdguardTeam/AdguardFilters/issues/56652 +poedb.tw##+js(aopr, adBlockDetected) +! https://github.com/NanoMeow/QuickReports/issues/3169 +malekal.com##+js(nostif, adb) +! https://github.com/AdguardTeam/AdguardFilters/issues/57295 +motortrader.com.my##+js(aopr, canRunAds) +! https://github.com/NanoMeow/QuickReports/issues/4161 +abola.pt##+js(acs, $, Adblock) +! https://github.com/AdguardTeam/AdguardFilters/issues/58166 +betaprofiles.com##.adblock +! thisisfutbol .com anti adb notice +@@||thisisfutbol.com^$ghide +thisisfutbol.com##.ad-billboard +thisisfutbol.com##.c-header__advert +thisisfutbol.com###snack_dex6 +! https://github.com/AdguardTeam/AdguardFilters/issues/59414 +tileman.io##.adbanner:remove() +! mbs.jp right click +mbs.jp##+js(aopw, document.oncontextmenu) +! https://github.com/NanoMeow/QuickReports/issues/4372 +polyflore.net##+js(nostif, adBlockDetected) +! https://github.com/AdguardTeam/AdguardFilters/issues/59933 +nightpoint.io##+js(nofab) +! https://github.com/AdguardTeam/AdguardFilters/issues/59995 +chemz.io##.menu_ad1Box +! https://github.com/NanoAdblocker/NanoFilters/issues/540 +longecity.org##+js(set, abp, false) +! humanbenchmark .com warning anti adb +*$script,3p,domain=humanbenchmark.com +! https://github.com/NanoMeow/QuickReports/issues/4489 +cpuid.com##+js(nostif, blocked, 1000) +! https://github.com/AdguardTeam/AdguardFilters/issues/61381 +ratebeer.com##[class^="AdBlockDetector"] +! https://github.com/NanoMeow/QuickReports/issues/4489 +cpuid.com##+js(nostif, blocked, 1000) +! https://github.com/AdguardTeam/AdguardFilters/issues/61381 +ratebeer.com##[class^="AdBlockDetector"] +! abcya .com anti adb - warning +*$script,domain=abcya.com,redirect-rule=noopjs +! https://github.com/AdguardTeam/AdguardFilters/issues/61999 +good-football.org##+js(aopr, adBlockDetected) +! https://github.com/uBlockOrigin/uAssets/issues/11242 +@@||dailyvoice.com^$ghide +*$xhr,redirect-rule=nooptext,domain=dailyvoice.com +dailyvoice.com###nativo_rightrail1 +! https://github.com/AdguardTeam/AdguardFilters/issues/67845 +jimnong.tistory.com##.adblock-on +! json2csharp.com anti-adb +*$script,redirect-rule=noopjs,domain=json2csharp.com +! nextplatform.com anti adb +nextplatform.com###adtoniq-msgr-bar +! 2iptv .com warning anti adb +2iptv.com##+js(nostif, google_jobrunner) +! Anti-adb keybr.com +keybr.com##.Placeholder +! https://github.com/uBlockOrigin/uAssets/issues/8554 +htmlgames.com##.banner +! https://github.com/uBlockOrigin/uAssets/issues/8551 +pbinfo.ro##.text-warning +! https://github.com/uBlockOrigin/uAssets/issues/8578 +@@||freedomoutpost.com^$ghide +! https://github.com/AdguardTeam/AdguardFilters/issues/82216 +lcpdfr.com##+js(acs, $, AdBlock) +! https://github.com/AdguardTeam/AdguardFilters/issues/76660 +whatfontis.com##+js(acs, $, adBlock) +! scrolller.com anti-adb +scrolller.com##.notification[style^="height: 189px;"] +! https://github.com/AdguardTeam/AdguardFilters/issues/77665 +xtv.cz##+js(nostif, pgblck) +! https://github.com/AdguardTeam/AdguardFilters/issues/80139 +theblaze.com##+js(aopw, admrlWpJsonP) +! https://github.com/uBlockOrigin/uAssets/issues/8968 +revistavanityfair.es##+js(aopr, initAdBlockerPanel) +! https://github.com/AdguardTeam/AdguardFilters/issues/81778 +spielspiele.de##.is-blocked +! https://github.com/AdguardTeam/AdguardFilters/issues/83664 +@@||dmax.de^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/9208 +nbcsports.com##+js(aopw, admrlWpJsonP) +! katholisches. info warning popup +katholisches.info##+js(nostif, pop) +! https://github.com/AdguardTeam/AdguardFilters/issues/84616 +ubuntudde.com##+js(acs, String.prototype.charCodeAt, ai_) +! https://github.com/uBlockOrigin/uAssets/issues/9339 +streaminglearningcenter.com##+js(nostif, ads) +! https://github.com/AdguardTeam/AdguardFilters/issues/57758 +audiostereo.pl##+js(nostif, adb) +! https://github.com/uBlockOrigin/uAssets/issues/2060 +nicematin.com##+js(aeld, , AdB) +! https://github.com/uBlockOrigin/uAssets/issues/9666 +tiermaker.com##+js(nostif, &adslot) +! https://github.com/uBlockOrigin/uAssets/issues/9828 +dez.ro#@#.ad-placement +! https://github.com/uBlockOrigin/uBlock-issues/issues/1700 +windguru.net###warning-content +! https://github.com/uBlockOrigin/uAssets/issues/9878 +hendersonville.com##.adblock-detected +! https://www.reddit.com/r/uBlockOrigin/comments/q31fnc/mocahorg_adblocker_detection/ +mocah.org##+js(nosiif, adsbygoogle) +! https://github.com/uBlockOrigin/uAssets/issues/10233 +epn.bz##+js(set, ab, false) +! https://www.reddit.com/r/uBlockOrigin/comments/qbcvtc/nbc_sports_anti_ad_block_workaround/ +nbcsportsedge.com##+js(aopw, admrlWpJsonP) +! https://www.reddit.com/r/uBlockOrigin/comments/qkf91l/timeanddatecom/ +@@||timeanddate.com^$ghide +timeanddate.com###ad300 +! https://github.com/uBlockOrigin/uAssets/issues/10781 +@@||coinpayu.com^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/10976 +dhd24.com#@#.adunit +! https://github.com/uBlockOrigin/uAssets/issues/11129 +ssuathletics.com##+js(acs, document.querySelector, adblock) +! https://github.com/uBlockOrigin/uAssets/issues/3068 +pornhub.*##+js(rc, hasAdAlert, header) +pornhub.*###js-abContainterMain +! https://github.com/uBlockOrigin/uAssets/issues/11762 +grandoldteam.com##+js(acs, $, test) +! https://github.com/uBlockOrigin/uAssets/issues/11775 +gamingsinners.com##+js(acs, $, test) +! warning msg +elitepvpers.com##+js(nostif, $) +elitepvpers.com##+js(acs, $, Promise) +geeksforgeeks.org##+js(acs, showAdblockerModal) +! codehelppro.com anti-adblock +@@||codehelppro.com^$ghide +codehelppro.com##.adsbygoogle +! https://github.com/uBlockOrigin/uAssets/issues/12462 +coolwallpapers.me##+js(nosiif, dfgh-adsbygoogle) +! https://github.com/AdguardTeam/AdguardFilters/issues/113837 +@@||freshersnow.com^$ghide +freshersnow.com##.adsbygoogle +! allthingsvegas. com anti adb warning +@@||allthingsvegas.com^$ghide +! waves4you. com anti adblock +waves4you.com##+js(aost, String.prototype.charCodeAt, ai_) +! techus. website anti adb soft +techus.website##+js(nostif, ai_) +! anti adb warning leekduck. com +leekduck.com##+js(nostif, abp) +! https://github.com/AdguardTeam/AdguardFilters/issues/122484 +iskandinavya.com##+js(aopr, kan_vars.adblock) +! https://github.com/uBlockOrigin/uAssets/pull/14563 +! https://github.com/AdguardTeam/AdguardFilters/issues/175983 +! https://github.com/uBlockOrigin/uAssets/issues/23536 +esologs.com,fflogs.com,swtorlogs.com,warcraftlogs.com##+js(acs, attachToDom, ad-fallback) +esologs.com,fflogs.com,swtorlogs.com,warcraftlogs.com##.side-rail-ads +! https://github.com/AdguardTeam/AdguardFilters/issues/129173 +craftpip.github.io##+js(nostif, adsok) +! www.dailyprincetonian.com anti-adb +||blink.net/iframe.html$domain=dailyprincetonian.com +! https://profreehost.com/ anti-adb +||profreehost.com/includes/js/customBottom.js$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/15784 +@@||discordbotlist.com^$ghide +! grabify. link anti adb warning +@@||grabify.link^$ghide +! sneakernews.com anti-adb +sneakernews.com##+js(aopr, sneakerGoogleTag) +! freefilesync. org anti-blocker +freefilesync.org#@#.adsbygoogle +! https://raider.io/ anti-adb +||intergient.com^$script,domain=raider.io,redirect-rule=noopjs +! jojoy.io anti-adb - triggered only on mobile +jojoy.io###ad_block_reminder_dialog +! https://github.com/uBlockOrigin/uAssets/issues/16896 +mgsm.pl##+js(acs, checkAdblockBait) +mgsm.pl##^script:has-text(checkAdblockBait) +! romviet.com anti adblock annoyance +romviet.com##+js(noeval-if, AdBlocker) +! squidboards.com anti-adb +squidboards.com##.top_block +! Soft Anti-Blocker +jsfiddle.net##+js(nostif, modal) +regexr.com##div.hello +! https://github.com/uBlockOrigin/uAssets/issues/18169 +ikorektor.pl##+js(nostif, ad) +ikorektor.pl###ad-top-dsk +ikorektor.pl##.adx1 +! https://github.com/uBlockOrigin/uAssets/issues/18180 +theonegenerator.com##+js(no-fetch-if, ads) +! https://github.com/uBlockOrigin/uAssets/issues/19271#issuecomment-1664958435 +161.97.70.5##+js(rmnt, script, isadb) +! https://github.com/uBlockOrigin/uAssets/issues/19280 +zerogpt.net##+js(nostif, adsbygoogle) +! https://github.com/uBlockOrigin/uAssets/issues/20113 +photopea.com##.confirm:has-text(AdBlocker) +||photopea.com/img/pp_wide.png^$image,1p +||photopea.com/img/pp_tall.png^$image,1p +photopea.com##+js(set, console.clear, noopFunc) +photopea.com##.bnotify +! getemoji.com anti adblock annoyance +getemoji.com##+js(set-session-storage-item, fs.adb.dis, 1) +! https://github.com/uBlockOrigin/uAssets/issues/20294 +marinetraffic.com##+js(set, mtGlobal.disabledAds, true) +marinetraffic.com##.under-map-wrapper:upward(1) +! https://www.reddit.com/r/uBlockOrigin/comments/17iihqp/anime_news_network_rolled_out_antiadblocker/ +animenewsnetwork.com##+js(set, ANN.ads.adblocked, false) +! https://www.reddit.com/r/uBlockOrigin/comments/17mifyx/adblocker_detected_on_hackthebox_website/ +||hackthebox.com/build/assets/just-detect-adblock-$script,1p +! https://github.com/uBlockOrigin/uAssets/issues/20657 +alfred.camera##+js(aeld, DOMContentLoaded, ads) +alfred.camera##+js(nosiif, ads) +! https://github.com/uBlockOrigin/uAssets/issues/21072 +@@||iphoneincanada.ca^$ghide +iphoneincanada.ca##.adthrive-ad +! https://community.brave.com/t/asheville-com-ad-appearing/522978 +asheville.com##+js(nostif, adblock) +! nsmb .com anti-adb +nsmb.com##+js(no-xhr-if, googlesyndication) +nsmb.com###header-banner +! https://github.com/uBlockOrigin/uAssets/issues/22140 +mcskinhistory.com##+js(no-fetch-if, ads) +! viewing .nyc banners +viewing.nyc##+js(no-fetch-if, googlesyndication) +! https://github.com/uBlockOrigin/uAssets/issues/22349 +op.gg##.adfree-td +op.gg##.adfree-banner +! tweaking4all .com anti-adb banners +tweaking4all.com##+js(nostif, adsbygoogle, 2000) +! https://github.com/uBlockOrigin/uAssets/issues/22693 +vnexpress.net##+js(set, adblock, 2) +! https://www.reddit.com/r/uBlockOrigin/comments/1b906te/pop_up_that_says_to_not_use_adblockers_on/ +d4armory.io,helldivers.io##+js(aopr, nitroAds) +helldivers.io###gwvideo +! fightful .com anti-adb modal +fightful.com##+js(nosiif, getComputedStyle) +! conservationmag .org anti-adb popup +@@||conservationmag.org^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/26038 +! thenation.com anti-adb +||site-config.com^$3p +||content-settings.com^$3p +||config-factory.com^$3p +! https://github.com/EasyDutch-uBO/EasyDutch/issues/127 +solarmagazine.nl##+js(no-xhr-if, ads) +! https://github.com/uBlockOrigin/uAssets/issues/23472 +timeanddate.com##+js(aeld, load, ad-wrap) +! https://www.reddit.com/r/uBlockOrigin/comments/1crhv1q/ubo_detected_on_klsescreener/ +klsescreener.com##+js(acs, document.getElementById, adblock) +! https://github.com/uBlockOrigin/uAssets/issues/23851 +weibo.com##+js(nowoif, &disp=popup, 1) +! https://www.reddit.com/r/uBlockOrigin/comments/1d204k4/antiadblock_message_at_httpswwwlcpdfrcom/ +lcpdfr.com##+js(aopr, FuckAdBlock) +! https://www.swagbucks.com/ - anti-adb +swagbucks.com#@#.ad_warn +swagbucks.com#@##topAd +! https://www.swagbucks.com/ - anti-adb +swagbucks.com#@#.ad_warn +swagbucks.com#@##topAd +! https://www.reddit.com/r/uBlockOrigin/comments/1dkss3r/readcomiconline_detecting_adblock/ +readcomiconline.li##+js(rmnt, script, checkAdsBlocked) +! https://www.autopareri.com/ - soft anti-adb +autopareri.com##+js(no-fetch-if, googlesyndication) +! https://github.com/uBlockOrigin/uAssets/issues/24975 +||cined.com/content/plugins/abss-adblock +! https://www.etools.ch anti-adb +@@||etools.ch^$ghide +! https://github.com/uBlockOrigin/uAssets/issues/25268 +curseforge.com##+js(no-fetch-if, googlesyndication) +! https://www.reddit.com/r/uBlockOrigin/comments/1fnvf02/camspider_adblock_notice/ +camspider.com##+js(set-local-storage-item, adblockNoticePermaDismiss, true) +! https://github.com/uBlockOrigin/uAssets/issues/25437 +html5.gamedistribution.com###gd__adblocker__overlay +! https://zonatmo.com/ - anti-adb +zonatmo.com##+js(nostif, adb-enabled) +! https://github.com/uBlockOrigin/uAssets/issues/25846 +ajanstv.com.tr##+js(nostif, adblock) +###kanews-modal-adblock +! https://github.com/uBlockOrigin/uAssets/issues/25990 +karistudio.com##div.confuse:remove() +! https://github.com/uBlockOrigin/uAssets/issues/26042 +@@||time.is^$script,1p +!! -- ported from uBO Annoyances filters (END) +!! -- ported from Fanboy Annoyances filters (START) +! theblock.co (newsletter blocks, overlays) +theblock.co##.newsletterModal +theblock.co##.newsletterBox +theblock.co##.modal-container +theblock.co##body:style(overflow: auto !important;) +!! -- ported from Fanboy Annoyances filters (END) +!! -- Exception rules for uBO Quick Fixes -- (START) +youtube.com#@#+js(json-prune, playerResponse.adPlacements playerResponse.playerAds playerResponse.adSlots adPlacements playerAds adSlots legacyImportant) +!! --Exception rules for uBO Quick Fixes -- (END) +! Temp fix for CBS/Paramountplus (https://github.com/brave/brave-browser/issues/12705) +@@||s0.2mdn.net/instream/html5/ima3.js$script,domain=paramountplus.com|cbs.com +@@||adservice.google.com/adsid/integrator.js$script,domain=paramountplus.com|cbs.com +||ad.doubleclick.net^$image,redirect=1x1.gif,domain=cbs.com|paramountplus.com +! Fix blank screen +||fastly.net^$script,important,redirect=noopjs,domain=cbs.com,badfilter +! nbc (Video Ads fixes) +! player.theplatform.com##+js(nbc) +! Anti-adblock: concert.io (vox sites) +twinkietown.com,chicago.suntimes.com,theverge.com,vox.com,eater.com,polygon.com,sbnation.com,curbed.com,theringer.com,mmafighting.com,racked.com,mmamania.com,funnyordie.com,riftherald.com##+js(nostif, adsBlocked) +twinkietown.com,chicago.suntimes.com,theverge.com,vox.com,eater.com,polygon.com,sbnation.com,curbed.com,theringer.com,mmafighting.com,racked.com,mmamania.com,funnyordie.com,riftherald.com##.adblock-allowlist-messaging__wrapper +||concert.io/lib/adblock/$subdocument +! +! Re-added: +! https://community.brave.com/t/unable-to-open-reddit-com-urls-in-private-tabs/503125/ +! https://github.com/uBlockOrigin/uAssets/commit/eee6fec5647e3014d1da144d0cd9888254fa09a4 +||reddit.com^$removeparam=rdt,doc,badfilter +! ghide +@@||filmisub.cc^$ghide +@@||compuhoy.com^$ghide +@@||fluttercampus.com^$ghide +@@||samuraiscan.org^$ghide +! https://a2zapk.io/dload/1323593/file/ https://community.brave.com/t/a2zapk-io-anti-adblock/549363 +||googlesyndication.com^$image,redirect-rule=1x1.gif,domain=educatiocenter.online|a2zapk.io +! streameast.* wildcard rules +streameast.is,streameast.live,streameast.xyz,streameast.io,streameast.to,thestreameast.to,thestreameast.gg##+js(aeld, /^/, 0x) +streameast.is,streameast.live,streameast.xyz,streameast.io,streameast.to,thestreameast.to,thestreameast.gg##+js(nosiif, visibility, 1000) +streameast.is,streameast.live,streameast.xyz,streameast.io,streameast.to,thestreameast.to,thestreameast.gg##+js(nowebrtc) +streameast.is,streameast.live,streameast.xyz,streameast.io,streameast.to,thestreameast.to,thestreameast.gg##+js(nostif, sadbl) +*$xhr,redirect-rule=nooptext,domain=streameast.to|thestreameast.to|thestreameast.gg|streameast.io|streameast.is|streameast.live|streameast.xyz +*$image,redirect-rule=32x32.png,domain=streameast.to|thestreameast.to|thestreameast.gg|streameast.io|streameast.is|streameast.live|streameast.xyz +*$image,redirect-rule=32x32.png,domain=streameast.to|thestreameast.to|thestreameast.gg|streameast.io|streameast.is|streameast.live|streameast.xyz +! chp anti-adblock +fresheroffcampus.com,cizzyscripts.com##+js(aopw, startCheckingAdblock) +! uBO-domain wildcard workaround rnbxclusive1.* https://github.com/uBlockOrigin/uAssets/pull/12579 +@@||rnbxclusive1.me^$ghide +rnbxclusive1.me##+js(aopw, _pop) +! uBO-domain wildcard workaround fmovies.* +fmovies.to,fmovies.world,fmovies.ps,fmovies.wtf,fmovies.taxi,fmovies.pub,fmovies.cafe,fmovies.co##+js(aeld, , break;case $.) +fmovies.to,fmovies.world,fmovies.ps,fmovies.wtf,fmovies.taxi,fmovies.pub,fmovies.cafe,fmovies.co##+js(acs, JSON.parse, break;case $.) +fmovies.to,fmovies.world,fmovies.ps,fmovies.wtf,fmovies.taxi,fmovies.pub,fmovies.cafe,fmovies.co##+js(acs, parseInt, break;case $.) +! uBO-domain wildcard workaround crichd +crichd.tv,crichd.ac,crichd.com,crichd.vip##+js(aopr, AaDetector) +crichd.tv,crichd.ac,crichd.com,crichd.vip##+js(acis, JSON.parse, break;case $.) +crichd.tv,crichd.ac,crichd.com,crichd.vip##+js(aopw, _pop) +! uBO-domain wildcard workaround lightnovelpub/webnovelpub.com/other mirrors +@@*$ghide,domain=lightnovelpub.com|lightnovelworld.com|novelpub.com|webnovelpub.com +lightnovelpub.com,webnovelpub.com,novelpub.com,lightnovelworld.com,lightnovelspot.com##.sticky-body +lightnovelpub.com,webnovelpub.com##+js(no-setTimeout-if, =>) +lightnovelpub.com,webnovelpub.com##+js(no-setTimeout-if, /appendChild|e\("/) +lightnovelpub.com,webnovelpub.com,novelpub.com,lightnovelworld.com,lightnovelspot.com##.FJCbkSro +lightnovelpub.com,webnovelpub.com,novelpub.com,lightnovelworld.com,lightnovelspot.com##.IKuOHDYt +! uBO-domain wildcard workaround kissanime +kimcartoon.*,kissanime.*,kaas.*,kickassanimes.*,kissasiantv.*,kissasian.*,kisscartoon.*##+js(acis, String.fromCharCode, /btoa|break/) +kimcartoon.*,kissanime.*,kaas.*,kickassanimes.*,kissasiantv.*,kissasian.*,kisscartoon.*##+js(acis, JSON.parse, break;case $.) +kimcartoon.*,kissanime.*,kaas.*,kickassanimes.*,kissasiantv.*,kissasian.*,kisscartoon.*##+js(window.open-defuser) +kimcartoon.*,kissanime.*,kaas.*,kickassanimes.*,kissasiantv.*,kissasian.*,kisscartoon.*##+js(set, check_adblock, true) +@@||kissasian.*$ghide +@@||kissasiantv.*$ghide +@@||kisscartoon.*$ghide +@@||kimcartoon.*$ghide +@@||kissanime.*$ghide +@@||kaas.*$ghide +! Anti-adblock (https://old.reddit.com/r/brave_browser/comments/zjtfyg/adblock_adblockers/) +! https://github.com/brave/adblock-rust/issues/194 +*$script,redirect-rule=noopjs,domain=kimcartoon.si|9animes.ru|kisscartoon.sh|kimcartoon.li|kisscartoon.nz|kissanime.com.ru|kissanime.sx|kissanime.org.ru|kissanime.co|gogoanime.gs|animesuge.to|kiss-anime.su|kissasian.pe|kissasian.li|kissasian.fan|kissasian.com.ru|kissasian.es +! Standard sheilds mode +timesunion.com##+js(aopw, blueConicPreListeners) +! Hide ads in standard blocking mode +kimcartoon.si,9animes.ru,kisscartoon.sh,kimcartoon.li,kisscartoon.nz,kissanime.com.ru,kissanime.sx,kissanime.org.ru,kissanime.co,gogoanime.gs,animesuge.to,kissasian.pe,kissasian.li,kissasian.fan,kissasian.com.ru,kissasian.es##div[style*="position:relative;text-align:"] +! uBO-domain wildcard workaround tube8/pornhub +redtube.com,redtube.net##+js(acis, Object.defineProperty, trafficjunky) +redtube.com,redtube.net##+js(set, page_params.holiday_promo, true) +tube8.com,tube8.es,tube8.fr##+js(acis, Object.defineProperty, trafficjunky) +tube8.com,tube8.es,tube8.fr##+js(aeld, , _0x) +tube8.com,tube8.es,tube8.fr##+js(aopw, IS_ADBLOCK) +tube8.com,tube8.es,tube8.fr##+js(nowoif) +tube8.com,tube8.es,tube8.fr##+js(set, page_params.holiday_promo, true) +pornhub.com##+js(set, page_params.holiday_promo, true) +! uBO-domain wildcard workaround animepahe.com/mmkvcage.site/pahe.li +animepahe.ru##+js(aopw, _pop) +animepahe.ru,kwik.si##+js(acis, String.fromCharCode, 'shift') +animepahe.ru,kwik.si##+js(aopr, open) +animepahe.ru,kwik.si##+js(aopr, PopAds) +! uBO-domain wildcard workaround +*$script,3p,domain=igg-games.com +*$xhr,subdocument,3p,domain=igg-games.com +@@||cdn.fastcomments.com^$script,domain=igg-games.com +@@||ajax.googleapis.com^$script,domain=igg-games.com +@@||challenges.cloudflare.com^$domain=igg-games.com +@@||fastcomments.com/*comment$frame,domain=igg-games.com +@@||staticm.fastcomments.com^$image,domain=igg-games.com +! uBO-domain wildcard workaround +@@||cdn.gotraffic.net^$domain=bloomberg.com|bloomberg.co.jp +! Potential Tracker, Annoyance +||govdelivery.com^$third-party +! Bait,Anti-adblock +@@||onceagain.mooo.com^$script,domain=bigbtc.win +! https://www.thestreameast.to/ (Anti-Brave) +||cdn.streambeast.io/aclib.js +! partial import of https://raw.githubusercontent.com/uBlockOrigin/uAssets/master/filters/ubo-link-shorteners.txt +*$frame,redirect-rule=noopframe,domain=taazaalerts.com|mahabhulekh712.in|awolio.com|cgbsesupport.com|eternalcbse.in|foreverhealth.in|gplinks.co|jobwaala.in|kaisekareblog.com|learnwithsaif.in|minijankari.com|news36tech.com|nhmgujarat.in|odiamusicsong.com|sugargliderfaqs.com|theringtonesworld.in|w3hindi.in|picassoappk.com|geniuseducares.com|pmyojanasarkari.in|netflixvip.in|mghindinews.in|gentletrail.in|raidersixgameapk.com|sarkariexam365.com|digitalfacts4u.com|odiasongsworld.com|friv4school.in|instander.me|jankari4u.com|trancebazar.com|mdsuuniversity.org|odishadjs.link|pagalmp3status.com|flyshayari.com|powerrangergames.com|kishanganjnews.in|tipdoot.in +@@||gplinks.in/track/$script,xhr,domain=taazaalerts.com|mahabhulekh712.in|anumin.com|awolio.com|cgbsesupport.com|eternalcbse.i|foreverhealth.in|gplinks.co|jobwaala.in|kaisekareblog.com|learnwithsaif.in|minijankari.com|news36tech.com|nhmgujarat.in|odiamusicsong.com|sugargliderfaqs.com|theringtonesworld.in|w3hindi.in|picassoappk.com|geniuseducares.com|pmyojanasarkari.in|netflixvip.in|mghindinews.in|gentletrail.in|raidersixgameapk.com|sarkariexam365.com|digitalfacts4u.com|odiasongsworld.com|friv4school.in|instander.me|jankari4u.com|trancebazar.com|mdsuuniversity.org|odishadjs.link|pagalmp3status.com|flyshayari.com|powerrangergames.com|kishanganjnews.in|tipdoot.in +@@||doubleclick.net^$script,xhr,domain=taazaalerts.com|mahabhulekh712.in|anumin.com|awolio.com|cgbsesupport.com|eternalcbse.i|foreverhealth.in|gplinks.co|jobwaala.in|kaisekareblog.com|learnwithsaif.in|minijankari.com|news36tech.com|nhmgujarat.in|odiamusicsong.com|sugargliderfaqs.com|theringtonesworld.in|w3hindi.in|picassoappk.com|geniuseducares.com|pmyojanasarkari.in|netflixvip.in|mghindinews.in|gentletrail.in|raidersixgameapk.com|sarkariexam365.com|digitalfacts4u.com|odiasongsworld.com|friv4school.in|instander.me|jankari4u.com|trancebazar.com|mdsuuniversity.org|odishadjs.link|pagalmp3status.com|flyshayari.com|powerrangergames.com|kishanganjnews.in|tipdoot.in +@@*$ghide,domain=taazaalerts.com|mahabhulekh712.in|anumin.com|awolio.com|cgbsesupport.com|eternalcbse.i|foreverhealth.in|gplinks.co|jobwaala.in|kaisekareblog.com|learnwithsaif.in|minijankari.com|news36tech.com|nhmgujarat.in|odiamusicsong.com|sugargliderfaqs.com|theringtonesworld.in|w3hindi.in|picassoappk.com|geniuseducares.com|pmyojanasarkari.in|netflixvip.in|mghindinews.in|gentletrail.in|raidersixgameapk.com|sarkariexam365.com|digitalfacts4u.com|odiasongsworld.com|friv4school.in|instander.me|jankari4u.com|trancebazar.com|mdsuuniversity.org|odishadjs.link|pagalmp3status.com|flyshayari.com|powerrangergames.com|kishanganjnews.in|tipdoot.in +taazaalerts.com,mahabhulekh712.in,anumin.com,awolio.com,cgbsesupport.com,eternalcbse.in,foreverhealth.in,jobwaala.in,kaisekareblog.com,learnwithsaif.in,minijankari.com,news36tech.com,nhmgujarat.in,odiamusicsong.com,sugargliderfaqs.com,theringtonesworld.in,w3hindi.in,picassoappk.com,geniuseducares.com,pmyojanasarkari.in,netflixvip.in,mghindinews.in,gentletrail.in,raidersixgameapk.com,sarkariexam365.com,digitalfacts4u.com,odiasongsworld.com,friv4school.in,instander.me,jankari4u.com,trancebazar.com,mdsuuniversity.org,odishadjs.link,pagalmp3status.com,flyshayari.com,powerrangergames.com,kishanganjnews.in,tipdoot.in##+js(aopw, AdBDetected) +taazaalerts.com,mahabhulekh712.in,anumin.com,awolio.com,cgbsesupport.com,eternalcbse.in,foreverhealth.in,jobwaala.in,kaisekareblog.com,learnwithsaif.in,minijankari.com,news36tech.com,nhmgujarat.in,odiamusicsong.com,sugargliderfaqs.com,theringtonesworld.in,w3hindi.in,picassoappk.com,geniuseducares.com,pmyojanasarkari.in,netflixvip.in,mghindinews.in,gentletrail.in,raidersixgameapk.com,sarkariexam365.com,digitalfacts4u.com,odiasongsworld.com,friv4school.in,instander.me,jankari4u.com,trancebazar.com,mdsuuniversity.org,odishadjs.link,pagalmp3status.com,flyshayari.com,powerrangergames.com,kishanganjnews.in,tipdoot.in##+js(set, count, 0) +! Anti-Brave checks +barnesandnoble.com,webdexscans.com,aipebel.com,zealy.io,sportsnet.ca,marcus.com,whatsapp.com,uploadmall.com,geforcenow.com,xfinity.com,zoom.us,help.sakarnewz.com,vizzy.io,goto.com,gotowebinar.com,cinedesi.in,thevouz.in,techishant.in,tejtime24.com,hackerrank.com,lego.com,telehealth.epic.com,google.com,cnn.com,kefayde.com,careersides.com,nayisahara.com,wikifilmia.com,infinityskull.com,viewmyknowledge.com,iisfvirtual.in,starxinvestor.com,dainandinvarta.com,upscseva.in,gyansanatan.in,jiosaavnproapk.download,techexpress360.in,cardekhoindia.in,dardmukti.in,rulingnews.com,tmxskyspace.in,mygamesreward.com,wheelofpets.com,myarchive.in,jobpataka.com,islamqahanafi.com,e-gujarati.in,heybeng.com,jobeducareer.com,kinemastermods.in,furecipes.com,app.gather.town,mukhyamantriyojana.in,mahabhulekh712.in,taazaalerts.com,anumin.com,awolio.com,cgbsesupport.com,eternalcbse.in,foreverhealth.in,jobwaala.in,kaisekareblog.com,learnwithsaif.in,minijankari.com,news36tech.com,newzwala.co.in,nhmgujarat.in,odiamusicsong.com,smartsetkari.in,sugargliderfaqs.com,theringtonesworld.in,w3hindi.in,picassoappk.com,geniuseducares.com,pmyojanasarkari.in,netflixvip.in,mghindinews.in,gentletrail.in,ndlifestylego.com,raidersixgameapk.com,potter-world.com,sarkariexam365.com,digitalfacts4u.com,odiasongsworld.com,friv4school.in,instander.me,jankari4u.com,trancebazar.com,mdsuuniversity.org,odishadjs.link,pagalmp3status.com,flyshayari.com,powerrangergames.com,kishanganjnews.in,velodata.app,adobe.com,openai.com,coinbase.com,ba.com,britishairways.com,podcastle.ai,claroty.com,streambeast.io,streameast.to,streameast.is,streameast.live,thestreameast.to,streameast.io,youtube.com,facebook.com,japscan.lol,mirrativ.com,userlytics.com,jiocinema.com,roll20.net,myaccountaccess.com,optus.com.au,trezor.io,ganohr.net,megacloud.tv,coingax.com,capitaloneshopping.com,comohoy.com,leak.sx,pornleaks.in,bigbtc.win,formula1.com,revadvert.com,pistonheads.com,itv.com,everywherepaycard.com,cosme-de.com,lens-labo.net,opendroneid.org,kalista-beauty.com,projectcircuitbreaker.com,wheel.health,thera-link.com,rapid-cloud.co,musenboya.com,instantconsult.com.au,zoro.to,twitch.tv,healthrangerstore.com,saramart.com,html-code-generator.com,support-lock.com,fordeal.com,hyundaipowerequipment.co.uk,playl2.net,volcom.ca,itrum.org,thunder-io.com,nothing.tech,pythonstudy.xyz,calcolastipendionetto.it,psychologytoday.com,krunker.io,gommonauti.it,btdig.com,archive.is,archive.today,archive.vn,archive.fo,archive.md,archive.li,archive.ph,archiveiya74codqgiixo33q62qlrqtkgmcitqx5u2oeqnmn5bpcbiyd.onion,pethouse.com.au,uploadbank.com,divnil.com,capitaloneoffers.com,capitalone.com##+js(brave-fix) +! Anti-Brave checks (aopw) +cnnespanol.cnn.com##+js(rmnt, script, location.replace) +marcus.com,hackerrank.com##+js(aopr, navigator.brave) +marcus.com,geforcenow.com##+js(set, navigator.brave, undefined) +! +! https://github.com/uBlockOrigin/uAssets/issues/22160 +! https://github.com/uBlockOrigin/uAssets/issues/22385 +! +! Standard blocking of Bing mouselog tracker (is blocked in Aggressive) +||bing.com/mouselog$script,redirect-rule=noopjs,domain=bing.com +! EasyDutch https://github.com/EasyDutch-uBO/EasyDutch/blob/main/EasyDutch/Anti-Adblock.txt (START) +! https://github.com/AdguardTeam/AdguardFilters/issues/115542 +@@||kijk.nl^$ghide +@@||ads-talpa.adhese.com/json/$xhr,domain=kijk.nl +*$image,domain=kijk.nl,redirect-rule=1x1.gif +! 2022-01-29 +autoweek.nl##+js(set, isAdBlockActive, false) +! 2021-11-09 +@@||looopings.nl/wp-banners.js +looopings.nl##+js(acis, document.getElementById, .style.display=) +! 2021-10-29 +dumpert.nl##+js(setTimeout-defuser, AdBlockerCheck) +dumpert.nl#@#.ads_box +! 2021-08-09 +doorbraak.be,gowiththevlo.nl##+js(aopw, advanced_ads_check_adblocker) +! 2021-08-07 +@@||hb.improvedigital.com/pbw/headerlift.min.js$script,3p,domain=funnygames.be|funnygames.nl|spele.be|spele.nl +! 2021-08-06 +funnygames.nl,funnygames.be,spele.be,spele.nl##.is-billboard +funnygames.nl,funnygames.be,spele.be,spele.nl##.is-skyscraper +marokko.nl##+js(set, ads_toegestaan, true) +@@*$ghide,domain=modekoninginmaxima.nl|quickclaims.nl +! 2021-06-01 +notebookcheck.nl##+js(acis, document.getElementById, send) +! 2021-05-04 +112midden-zeeland.nl##+js(aopr, anOptions) +! 2021-04-28 +webwereld.nl##+js(set, adBlockStatus, false) +nu.nl##+js(set, isAdBlockEnabled, false) +! 2021-04-27 +@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=vtm.be +directwonen.nl#@#.adsbox +girlscene.nl##+js(set, adblock, 0) +! EasyDutch https://github.com/EasyDutch-uBO/EasyDutch/blob/main/EasyDutch/Anti-Adblock.txt (END) +! globalnews.ca Anti-adblock +@@||globalnews.ca^$ghide +globalnews.ca##.l-headerAd__container +globalnews.ca##.c-newsletterSignup +! Fix yandex.ru blocking on 3dnews.ru +||aflt.market.yandex.ru^$script,third-party +! Broken search on https://www.capitalone.com/search +@@||nexus.ensighten.com/capitalone/Bootstrap.js$script,domain=capitalone.com +! ip-approval bug +||ip-approval.com^$third-party,domain=mufon.com +! Anti-adblock: tryhardsports.com +tryhardsports.com,medjournaldaily.com##.tie-popup +tryhardsports.com,medjournaldaily.com##+js(rc, tie-popup-is-opend, body, stay) +tryhardsports.com,medjournaldaily.com##html:style(overflow:auto !important) +! Anti-adblock: lapresse.ca +||lapresse-ca.lapresse.ca^$domain=lapresse.ca +! Fix foxnews video playback +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$script,domain=foxbusiness.com|foxnews.com +@@||fncstatic.com/static/isa/app/lib/VisitorAPI.js$script,domain=foxbusiness.com|foxnews.com +! Temp fix for Google funding Yellow Bar (https://github.com/brave/brave-browser/issues/11945) +##div[style*="box-shadow: rgb(136, 136, 136) 0px 0px 12px; color: "] +! To counter $ghide in uBO +geekzone.co.nz,elpais.com,abc.es,lapresse.ca##div[style*="box-shadow: rgb(136, 136, 136) 0px 0px 12px; color: "] +! Fix googlefunding issues (Android) https://github.com/uBlockOrigin/uAssets/blob/master/filters/filters.txt#L21331 +! googlefunding (latimes.com) (fix scroll) +latimes.com##body:style(overflow: auto !important;) +! https://github.com/brave/brave-browser/issues/23154 +accuweather.com,kupujemprodajem.com,polovniautomobili.com##+js(remove-attr, class, .ads-not-loaded, stay) +! Cookie consent :remove fix +computerbase.de#@#+js(rc, consent-dialog-open, body) +computerbase.de#@#.js-consent.consent +! async-hide delay +davidstea.com,ibotta.com,polovniautomobili.com##+js(rc, async-hide, , stay) +! googlefunding (foxnews / foxbusiness) +||foxnews.com^*choices.js$script,domain=foxnews.com|foxbusiness.com +! Anti-adblock: indiatimes.com / timesofindia.com +@@||indiatimes.com/ads.cms$script,domain=indiatimes.com +@@/ad-banner-zedo/*$image,domain=indiatimes.com|timesofindia.com +@@||timesofindia.com/acms/$xmlhttprequest,domain=timesofindia.com +! /track/view| fix for amazon tracking +@@||amazon.*/shiptrack/view.html$~third-party +! ebay.co.uk + ebay.com and other ebay regions (https://github.com/brave/brave-browser/issues/5019) +@@||ebay.com/experience/listing_auto_complete/$xmlhttprequest +! ebay image upload issue (https://github.com/brave/brave-browser/issues/5190) +@@||ebay.com/ws/$xmlhttprequest +! api.ebay.com (https://community.brave.com/t/referral-not-getting-download-and-comfirmed/75898) +@@||api.ebay.com^$xmlhttprequest,subdocument +! env fixes +novinky.cz#@#+js(aost, Math, inlineScript) +! Regex fix (doujindesu.tv) +/gpuo/xcea/* +/lko?id=$script,3p +/xcea/lko? +! Regex fix (counter complex ubo regex) +$xhr,3p,domain=nxbrew.com +$script,3p,domain=animixplay.to|animepahe.ru|nxbrew.com|kwik.si +@@||disqus.com/count-data.js$script,domain=animixplay.to +@@||disqus.com/embed.js$script,domain=animixplay.to +@@||cdn.jsdelivr.net^$script,domain=kwik.si +! Korean adblock (cosmetic) +newtoki64.com##.basic-banner +newtoki64.com##.board-tail-banner +! Anti-adblock: pandora.com (IoS) +@@||pandora.com/static/ads/ +! blockadblock +blockadblock.com##+js(nobab) +! Anti-adblock: gazzetta.it +@@||rcsobjects.it^*/openx/$script,domain=gazzetta.it +! Anti-adblock: geoguessr.com +@@||geoguessr.com/_ads/$script,xmlhttprequest,domain=geoguessr.com +! thehindu.com (https://github.com/brave/brave-browser/issues/4808) +@@||thgim.com/static/js/ads.min.js$script,domain=thehindu.com +! *#@#div.adsbygoogle.Ad-Container.sidebar-ad:style(display:block !important) +! Anti-adblock kbizoom.com +mylivewallpapers.com,nsw2u.com,kbizoom.com##div.adsbygoogle.Ad-Container.sidebar-ad:style(display:block !important) +! thequint.com Anti-adblock (address thequint.com#@#span:has-text(ADVERTISEMENT)) +! Also other generic exceptions +@@||thequint.com^$ghide +! Blank spaces aftonbladet.se (:upward) +aftonbladet.se##.css-4thb3o +aftonbladet.se##.css-1d3w5wq +! scrolller.com (anti-adblock, upward) +scrolller.com##.popup--fixed +! Cosmetic fixes (https://github.com/brave/brave-browser/issues/14825) +! Mobile-app (trusted) Open-in-app +imgur.com##+js(trusted-set-local-storage-item, see_imgur_oia, '{"closed":true}') +! fixes from remove() +apnews.com##+js(ra, data-leaderboard-is-fixed, html, stay) +thejakartapost.com##+js(rc, tjp-single__content-ads, div, stay) +! Counter blocked by extension warnings +naver.com###veta_top +naver.com###veta_branding +naver.com##.banner_area +! Anti-Adblock: bild.de +@@||asadcdn.com/adlib/$script,stylesheet,domain=bild.de +! Adblock-Tracking: (News corp AU sites) +@@||tags.news.com.au/prod/adblock/adblock.js$script,domain=foxsports.com.au|kidspot.com.au|cairnspost.com.au|ntnews.com.au|goldcoastbulletin.com.au|townsvillebulletin.com.au|themercury.com.au|news.com.au|taste.com.au|heraldsun.com.au|dailytelegraph.com.au|adelaidenow.com.au|bodyandsoul.com.au|bestrecipes.com.au|whimn.com.au|vogue.com.au|delicious.com.au|escape.com.au|weeklytimesnow.com.au|geelongadvertiser.com.au +! Adblock-Tracking: MediaNews Group +@@||townnews.com^*/flex/components/ads/$script,domain=southernchestercountyweeklies.com|dailylocal.com|delcotimes.com|morningjournal.com|delconewsnetwork.com|montgomerynews.com|mainlinemedianews.com|news-herald.com|cnweekly.com|troyrecord.com|southjerseylocalnews.com|saratogian.com|oneidadispatch.com|dailyfreeman.com|trentonian.com|berksmontnews.com|thenewsherald.com|dailytribune.com|theoaklandpress.com|voicenews.com|themorningsun.com|pottsmerc.com|phoenixvillenews.com|timesherald.com|thereporteronline.com|pvnews.com|tbrnews.com|pressandguide.com|gazettes.com|macombdaily.com +@@/static/js/ads.js$script,domain=redlandsdailyfacts.com|pasadenastarnews.com|dailybulletin.com|marinij.com|montereyherald.com|presstelegram.com|times-standard.com|chicoer.com|whittierdailynews.com|dailydemocrat.com|dailynews.com|ocregister.com|pe.com|buffzone.com|orovillemr.com|journal-advocate.com|reporterherald.com|broomfieldenterprise.com|record-bee.com|sentinelandenterprise.com|bostonherald.com|nashobavalleyvoice.com|eptrail.com|akronnewsreporter.com|willitsnews.com|redbluffdailynews.com|thevalleydispatch.com|twincities.com|burlington-record.com|fortmorgantimes.com|coloradodaily.com|lamarledger.com|timescall.com|canoncitydailyrecord.com|excelsiorcalifornia.com|advocate-news.com|paradisepost.com|redwoodtimes.com|denverpost.com|mendocinobeacon.com +! Rambler Network +lenta.ru,championat.com,passion.ru,wmj.ru,eda.ru,rambler.ru,motor.ru,autorambler.ru,letidor.ru,quto.ru,rns.online,gazeta.ru##+js(json-prune, Blocks) +! Rambler (imported from Adguard) +afisha.ru,letidor.ru,autorambler.ru,wmj.ru,motor.ru,passion.ru,quto.ru,eda.ru,rns.online,championat.com,gazeta.ru,lenta.ru,rambler.ru##+js(aopw, Object.prototype.getPlaceSelectorByBannerId) +! https://canyoublockit.com/extreme-test/ +! https://old.reddit.com/r/brave_browser/comments/158399q/popup_ads_not_getting_blocked_in_brave/ +canyoublockit.com##+js(nowoif) +! rutracker.net (regional) +||rutrk.org^$domain=rutracker.net +||betsonsport.ru^$domain=rutracker.net +! Fix endless loading on epaper.timesgroup.com +@@||googletagservices.com/tag/js/gpt.js$script,domain=epaper.timesgroup.com +! ad-shield fixes broken sites (will show ads, but not a broken site) +! https://github.com/brave/brave-browser/issues/35084 +! https://github.com/brave/brave-browser/issues/36328 +@@||css-load.com^ +! Fix nfl.com video playback +@@||googletagservices.com/tag/js/gpt.js$script,domain=nfl.com +! Fix twitter images +@@||pbs.twimg.com/media/$image,third-party +@@||pbs.twimg.com/ext_tw_video_thumb/$image,third-party +@@||abs.twimg.com/emoji/$image,third-party +@@||pbs.twimg.com/profile_images/$image,third-party +@@||pbs.twimg.com/amplify_video_thumb/$image,third-party +! mycima.me +mycima.biz##+js(acis, parseInt, break;case $.) +! Fix consent issue on porsche.com (IOS) +@@||googletagmanager.com/gtm.js$script,domain=porsche.com +! Debounce fixes +! https://github.com/brave/brave-browser/issues/22437 +||tradedoubler.com^$third-party,badfilter +||doubleclick.net^$third-party,badfilter +||atdmt.com^$badfilter +||demdex.net^$badfilter +||awin1.com^$third-party,badfilter +||shareasale.com^$third-party,badfilter +||valuecommerce.com^$third-party,badfilter +||linksynergy.com^$third-party,badfilter +! Debounce fixes (image,script,xml) Which will allow the debounce. +||tradedoubler.com^$image,script,subdocument,xmlhttprequest,third-party +||doubleclick.net^$image,script,subdocument,xmlhttprequest,third-party +||atdmt.com^$image,script,subdocument,xmlhttprequest +||demdex.net^$image,script,subdocument,xmlhttprequest +||awin1.com^$image,script,xmlhttprequest,subdocument,third-party +||shareasale.com^$image,script,xmlhttprequest,subdocument,third-party +||valuecommerce.com^$image,script,xmlhttprequest,subdocument,third-party +||linksynergy.com^$image,script,xmlhttprequest,subdocument,third-party +! nytimes.com (fixes no images) +@@||securepubads.g.doubleclick.net/tag/js/gpt.js$script,domain=nytimes.com +! Peter Lowe fixes +||awstrack.me^$badfilter +||blockthrough.com^$badfilter +||criteo.com^$badfilter +||app.pendo.io^$badfilter +||pubmatic.com^$badfilter +||appsflyer.com^$badfilter +||tapfiliate.com^$badfilter +! Fix blank page on flipp.com +@@||wishabi.net^$image,domain=flipp.com +! Fix "Alien Warning" script check on dslreports.com https://community.brave.com/t/alien-script-detected-inline-code-at-dslreports-com-speedtest/173716/ +dslreports.com###errorlog +! Anti-adblock: docker.events.cube365.net +cube365.net##+js(aopr, bootbox.alert) +! Allow ads on DDG: brave-browser/issues#4533 +@@||duckduckgo.com/m.js +@@||duckduckgo.com/share/spice/amazon/ +! Easyprivacy Notifcations (For ios) +||accengage.net^$third-party +||actirinius.com^$third-party +||aimtell.com^$third-party +||alertme.news^$third-party +||amazonaws.com/cdn.aimtell.com/ +||aswpsdkus.com^$third-party +||bildirt.com^$third-party +||bosspush.com^$third-party +||browserpusher.com^$third-party +||cdn-sitegainer.com^$third-party +||cleverpush.com^$third-party +||copush.com^$third-party +||cracataum.com^$third-party +||digitalpush.org^$third-party +||feraciumus.com^$third-party +||fkondate.com^$third-party +||foxpush.com^$third-party +||foxpush.net^$third-party +||getpushmonkey.com^$third-party +||getsupernova.com^$third-party +||gravitec.net^$third-party +||heroesdom.com^$third-party +||jeeng.com^$third-party +||kattepush.com^$third-party +||master-push.com^$third-party +||master-push.net^$third-party +||misrepush.com^$third-party +||moengage.com^$third-party +||nativesubscribe.pro^$third-party +||notifadz.com^$third-party +||notifpush.com^$third-party +||notify.solutions^$third-party +||olgtex.com^$third-party +||on-push.com^$third-party +||onesignal.com^$third-party +||provesrc.com^$third-party +||psh.one^$third-party +||push-ad.com^$third-party +||push-house.net^$third-party +||pushalert.co^$third-party +||pushengage.com^$third-party +||reprocautious.com^$third-party +||snd.tc^$third-party +||truepush.com^$third-party +||viapush.com^$third-party +||xtremepush.com^$third-party +! Additional Adservers (for ios) +||pushsar.com^ +||offerimage.com^ +||rtmark.net^ +! adManager popups (regex workaround) +xasiat.com##+js(rmnt, script, adManager) +! ios popups +animexin.dev,goku.sx,leercapitulo.co,1hd.to,streamingcommunity.ooo,yuppow.com,flowermanga.net,sussytoons.site,omegascans.org,4anime.gg,animeflix.ltd,watchomovies.guru,streamblasters.pm,popcorntimeonline.xyz,vidmoly.to,seriesonline.ac,rogmovies.fun,9kmovies.party,saidochesto.top,uqload.net,animeonline.ninja,netuplayer.top,movieshdwatch.to,yomovies.express,brjogostorrent.net,9anime.org.lv,whisperingauroras.comos.xyz,1azayf9w.xyz,1hd.to,1qwebplay.xyz,1stream.eu,2024tv.ru,2embed.me,4kwebplay.xyz,4stream.watch,81u6xl9d.xyz,8kwebplay.xyz,9animetv.to,abolishstand.net,abysscdn.com,actvid.rs,akamaicdn.life,aliezstream.pro,alions.pro,animeflv.com.co,animeflv.cz,animeflv.net,animeflv.run,animeflv.one,animeflv.si,animeflv.zip,animeland.tv,animepahe.ru,animeunity.ch,animeunity.com.co,animeunity.me,animeunity.to,aniwatchtv.to,aniwave.se,aniwave.to,aniwavetv.to,anix.ac,anix.to,anix.vc,aniyae.net,antenasport.online,antennasports.ru,antronio.cl,aparttent.com,apl326.me,apl332.me,apl337.me,apl351.me,arlive.shop,attackertv.so,autoembed.cc,awish.pro,b4ucast.com,b5yucast.com,bansports.store,bedsport.live,bestsolaris.com,betterstream.cc,bingsport.xyz,bitcoinsport.pro,bizz-streams2u.xyz,bolly4u.promo,bollyflix.how,brookethoughi.com,browncrossing.net,brownheaven.net,buffstreams.ai,buffstreams.app,bunkrr.su,bunniescdn.online,c8365730d4.nl,canyoublockit.com,cdnplaypro.com,chapmanganato.to,choosingnothing.com,cineb.rs,cineby.ru,cinego.tv,compensationcoincide.net,cookiewebplay.xyz,cool-etv.net,coolrea.link,couchtuner.show,cr7soccer.site,cracksports.me,crackstreams.app,cricfree.live,crichd.bi,crichd.vip,crichdplays.ru,cricplay2.xyz,cricstream.me,crvsport.ru,cuervotv.me,cuevana.biz,cuevana.is,currentcruelty.net,d0000d.com,daddy-stream.xyz,daddylive.ru,daddynews.online,dailytechs.shop,databasegdriveplayer.xyz,datanodes.to,designeroccasion.com,dlhd.so,dlhd.sx,dlions.pro,doc.moplay.org,dood.la,dood.li,dood.re,dood.watch,dood.wf,doood.site,dotmovies.guru,dudestream.com,dwish.pro,dynamicsupply.net,edwardarriveoften.com,elegantpelican.dev,elixx.xyz,embed.meomeo.pw,embed.su,embedsports.me,embedstreams.me,embtaku.pro,emturbovid.com,euro2024direct.ru,extremosports.club,eyespeeled.click,f2movies.to,fastpic.org,fastreams.com,fbstreams.pm,file-zz40pd56-embed.com,filelions.top,filemoon.nl,filemoon.sx,filemooon.top,filmhost13.xyz,fiveyardlab.com,flashsports.org,flixhq.to,flstv.online,fmovies.co,fmoviesz.la,foostreamtv.xyz,footballstreams.lol,forex4news.info,forgepattern.net,freekicksoccer.org,freestreams-live.my,fstream365.com,fullassia.com,fusevideo.io,futbolandres.xyz,gameflex.lat,gamehdlive.online,gameshdlive.net,gamovideo.com,gbf7wrqapjg1js045ye8.com,gdmirrorbot.nl,generalpill.net,gettapeads.com,givemereddit.eu,gnicirp.com,go-streamer.net,goca4u.com,gocast.pro,godzcast.com,godzlive.com,gogoanime2.org,gogoanime3.cc,gogoanimes.fi,gogoanimes.org,golassiahub.com,gomstream.info,googlvideo.com,goone.pro,grostembed.online,halftimer.shop,hanatyury.online,hdcast123.com,hdfilme.my,hdmovie2.chat,hdtoday.cc,hdtodayz.to,hexload.com,hianime.mn,hianime.nz,hianime.to,hianime.tv,himovies.sx,hitomi.la,hlsplayer.org,hoca2.com,hoca4u.com,hocast4.com,hqq.tv,hydrahd.me,igg-games.com,ilovetoplay.xyz,jav.guru,javclan.com,joyousplay.xyz,jwplayerhls.com,kaas.ro,kaas.to,kerapoxy.cc,kickassanime.mx,kickassanimes.io,klz9.com,komikindo.tv,kwik.si,lavents.la,ldcstreaming.info,leveling-solo.org,lewblivehdplay.ru,librarywhispering.com,linecrystal.com,linenstandard.net,listeamed.net,live.esportivos.click,live.esportivos.fun,live.esportivos.one,live.redditf.xyz,live9.pro,livefootball24.com,livesports4u.pw,livestreames.us,lol-foot.ru,lolcalhost.ru,loriwithinfamily.com,luluvdo.com,mangabat.com,manhuatop.org,manhwadesu.bio,manhwatop.com,masa49.com,maxstream.org,mcloud.bz,megacdn.co,megacloud.tube,megacloud.tv,megaf.cc,messitv.org,methstreams.to,mgeko.cc,minoplres.xyz,missav.com,misshit.top,mixdrop.ps,mlbbox.me,mmastreams.me,movies2watch.tv,movies4u.loan,movies4us.co,moviesapi.club,moviesjoy.is,mp4upload.com,multiembed.mov,my.mail.ru,myflixer.gs,myflixerz.to,mylivestream.pro,mystreamnetwork.site,nativesurge.info,nbabox.me,nbadigestnow.com,nbcssports.shop,neko-sama.fr,netu.ac,netuplayer.top,newsdigestcap.com,neymartv.net,nhentai.net,niaomea.me,nizarstream.com,njav.tv,nobodywalked.com,ok.ru,olympuscomic.com,omeplay.com,onhockey.tv,pahe.ink,paltrypaste.com,peakpx.com,pepepeyo.xyz,pladrac.net,play.frembed.lol,player-cdn.com,player.mangafrenzy.net,poop.run,popcdn.day,pornhub.com,poscitechs.lol,poscitechs.shop,premiumembeding.cloud,primasport.one,processbigger.com,qqwebplay.xyz,quest4play.xyz,rabbitstream.net,rapid-cloud.co,readcomiconline.li,reddit-soccerstreams.online,reddit-streams.online,reddithd.lol,redtube.com,reliabletv.me,ridomovies.tv,rojadirecta1.site,rollingwheel.store,ronaldo7.pro,roselife.site,rugbystreams.me,rule34hentai.net,s2watch.link,s3taku.com,sandratableother.com,serverf4.org,sflix2.to,sharonwhiledemocratic.com,shazysport.pro,shootv.in,smartermuver.com,snapinsta.monster,soccer100.shop,socceronline.me,soccerstream100.co,sons-stream.com,speci4leagle.com,sport-play.xyz,sport7s01.com,sportea.link,sports-stream.click,sportshub.fan,sportshub.stream,sportsnest.co,sportsonline.si,sportsonline.so,sportsurge.net,sporttuna.online,sporttuna.pro,sporttuna.site,sporttuna.pro,sportzonline.online,steakguard.com,storyy.shop,strcloud.in,stream.sportsspeed.site,stream23.live,streambtw.com,streambucket.net,streamcaster.live,streameast.app,streameast.gd,streamed.su,streamexpert.pro,streamhd247.info,streamhub.to,streamingon.org,streamking.live,streamruby.com,streamsoccer.site,streamtape.com,streamtp1.com,streamvid.net,streamwish.com,streamwish.to,stronstream.shop,stylisheleg4nt.com,subtitlecat.com,super-sports.shop,swatchseries.is,sxyprn.com,sxyprn.net,tapeadsenjoyer.com,techclips.net,tennisonline.me,tharen.cfd,thedaddy.to,tikitakatv.net,tntsports.site,toongod.org,toonstream.co,topembed.pw,topstreams.info,totalsportek.football,tripplestream.com,tube.perverzija.com,tube8.com,tutlehd4.xyz,tv1337.buzz,tv247365.info,tv247365.net,tvsportslive.fr,ufckhabib.com,upstream.to,uqload.to,usgate.xyz,ustream.pro,v-network.site,vacantseats.click,valhallas.click,vegamovies.st,venusembed.site,viaplaysports.online,vid142.site,vid2a41.site,vid2faf.site,vid41c.site,vidco.pro,vidhideplus.com,vidlink.pro,vidmoly.to,vidplay.online,vidsrc.me,vidsrc.net,vidsrc.stream,vidsrc.to,vidsrc.top,vidsrc.xyz,vidstreaming.xyz,visortmo.com,viwlivehdplay.ru,vixcloud.co,vkprime.com,vkspeed.com,vodstream.xyz,voe.sx,voodc.com,vsichkifilmi.net,vstream.store,vvid30c.site,webtor.io,whisperingauroras.com,wideiptv.top,wikisport.best,worldsports.me,wwwstream.pro,xgroovy.com,xhamster.com,xmegadrive.com,xrivonet.info,xsportbox.com,ydc1wes.me,yourupload.com,youtubevanced.com,yts.mx,zinmanga.com,zizicoi.online,zonatmo.com,zoroxtv.to##+js(nowoif) +! popups +animexin.dev,movi.pk,flowermanga.net,omegascans.org,4anime.gg,streamblasters.pm,hexload.com,brjogostorrent.net,9anime.org.lv,1azayf9w.xyz,1qwebplay.xyz,1stream.eu,4kwebplay.xyz,4stream.watch,81u6xl9d.xyz,9animetv.to,absentescape.net,abysscdn.com,alions.pro,animeflv.net,animeland.tv,animepahe.ru,animeunity.to,aniwatchtv.to,aniwave.se,aniwave.to,aniwavetv.to,anix.ac,anix.to,anix.vc,antennasports.ru,aparttent.com,apl332.me,apl337.me,apl351.me,arlive.shop,autoembed.cc,bedsport.live,bestsolaris.com,bizz-streams2u.xyz,bolly4u.promo,bollyflix.how,brownheaven.net,buffstreams.app,bunniescdn.online,c8365730d4.nl,cdnplaypro.com,chapmanganato.to,choosingnothing.com,cineb.rs,cinego.tv,cineby.ru,cloutgist.com,codesnse.com,cookiewebplay.xyz,coolrea.link,couchtuner.show,cracksports.me,crackstreams.app,cricfree.live,crichd.bi,crichdplays.ru,cricplay2.xyz,cricstream.me,crvsport.ru,cuervotv.me,cuevana.biz,cuevana.is,daddy-stream.xyz,datanodes.to,designeroccasion.com,dlhd.so,dlhd.sx,dood.wf,doood.site,dotmovies.guru,dwish.pro,dynamicsupply.net,elixx.xyz,embedstream.me,embedstreams.me,emturbovid.com,euro2024direct.ru,extremosports.club,f2movies.to,fastreams.com,file-zz40pd56-embed.com,filemoon.nl,fiveyardlab.com,flstv.online,fmoviesz.la,focus4ca.com,footballstreams.lol,forex4news.info,forgepattern.net,freestreams-live.my,gamehdlive.online,gdmirrorbot.nl,generalpill.net,givemereddit.eu,go-streamer.net,godzcast.com,godzlive.com,gogoanime2.org,gogoanimes.fi,gogoanimes.org,hanatyury.online,hdcast123.com,hdfilme.my,hdtodayz.to,hianime.to,hitomi.la,hocast4.com,hydrahd.me,ilovetoplay.xyz,jav.guru,javclan.com,jwplayerhls.com,kaas.ro,kaas.to,kerapoxy.cc,kickassanime.mx,kickassanimes.io,klz9.com,kwik.si,lewblivehdplay.ru,librarywhispering.com,linecrystal.com,listeamed.net,live.esportivos.click,live.esportivos.fun,live.esportivos.one,live.redditf.xyz,live9.pro,livefootball24.com,livestreames.us,lol-foot.ru,lolcalhost.ru,loriwithinfamily.com,mangabat.com,manhuatop.org,manhwatop.com,masa49.com,maxstream.org,mcloud.bz,megaf.cc,methstreams.to,mgeko.cc,misshit.top,mixdrop.si,mlbbox.me,mmastreams.me,movies2watch.tv,movies4u.food,movies4us.co,moviesapi.club,mp4upload.com,myflixer.gs,myflixerz.to,mylivestream.pro,nativesurge.info,nbabox.me,neymartv.net,olympuscomic.com,paltrypaste.com,pepepeyo.xyz,play.frembed.lol,poop.run,popcdn.day,pornhub.com,poscitechs.lol,poscitechs.shop,primasport.one,rapid-cloud.co,readcomiconline.li,reddithd.lol,redtube.com,rugbystreams.me,s2watch.link,s3taku.com,sandratableother.com,sflix.to,sflix2.to,shazysport.pro,smartermuver.com,snapinsta.monster,socceronline.me,sons-stream.com,speci4leagle.com,sportea.link,sports-stream.click,sportshub.fan,sportshub.stream,sportsnest.co,sportsonline.si,sporttuna.online,sporttuna.site,storyy.shop,stream23.live,streambtw.com,streambucket.net,streameast.gd,streamed.su,streamexpert.pro,streamhd247.pro,streamruby.com,streamsoccer.site,streamtp1.com,streamwish.to,stronstream.shop,stylisheleg4nt.com,subtitlecat.com,super-sports.shop,sxyprn.com,sxyprn.net,techclips.net,tennisonline.me,thedaddy.to,toonstream.co,topembed.pw,topstreams.info,totalsportek.football,tube.perverzija.com,tube8.com,tutlehd4.xyz,tv1337.buzz,tv247365.info,tv247365.net,tvsportslive.fr,ufckhabib.com,usgate.xyz,vacantseats.click,valhallas.click,vegamovies.st,viaplaysports.online,vid142.site,vid2a41.site,vid2faf.site,vid41c.site,vidco.pro,vidhideplus.com,vidplay.online,vidsrc.net,vidsrc.top,vidstreaming.xyz,visortmo.com,viwlivehdplay.ru,vixcloud.co,vkprime.com,vsichkifilmi.net,vstream.store,vvid30c.site,webtor.io,whisperingauroras.com,wideiptv.top,worldsports.me,wwwstream.pro,xgroovy.com,xhamster.com,xsportbox.com,yts.mx,zizicoi.online,zonatmo.com,zvision.link##+js(rmnt, script, break;case $.) +! acs, String.fromCharCode, /btoa|break/ +klz9.com,toonstream.nl,dwish.pro,tvsportslive.fr,myflixer.gs,readcomiconline.li,animeunity.to,vkprime.com,vixcloud.co,jwplayerhls.com,vidsrc.net,hdtodayz.to,tennisonline.me,cricstream.me,socceronline.me,worldsports.me,euro2024direct.ru,manhwatop.com,anix.vc,movies4u.food,emturbovid.com,cloutgist.com,codesnse.com,vidsrc.top,movies2watch.tv,choosingnothing.com,lol-foot.ru,techclips.net,streamexpert.pro,librarywhispering.com,fiveyardlab.com,vacantseats.click,freestreams-live.my,sportshub.stream,streambtw.com,stylisheleg4nt.com,wideiptv.top,popcdn.day,mlbbox.me,speci4leagle.com,sons-stream.com,linecrystal.com,apl337.me,mp4,upload.com,vid142.site,mcloud.bz,aniwave.to,antennasports.ru,webtor.io,yts.mx,vidsrc.to,dood.la,megacloud.tv,voe.sx,himovies.sx,rabbitstream.net,vid41c.site,tv247365.net,cuervotv.me,streamhd247.pro,embedstream.me,bestsolaris.com,poscitechs.shop,apl332.me,viwlivehdplay.ru,godzcast.com,s2watch.link,givemereddit.eu,embedstreams.me,brownheaven.net,focus4ca.com,designeroccasion.com,cricfree.live,cricplay2.xyz,livefootball24.com,1stream.eu,dlhd.sx,hocast4.com,absentescape.net,fullassia.com,mylivestream.pro,viaplaysports.online,mrsoccer.club,tnt-sportslive.xyz,cr7soccer.com,7soccerhd.xyz,tsnsports.online,shazysport.pro,super-sports.shop,bansports.store,streamhd247.info,mystreamnetwork.site,vstream.store,tikitakatv.net,streamking.live,fastreams.com,foostreamtv.xyz,nbcssports.shop,bitcoinsport.pro,sportzonline.online,bingsport.xyz,futbolandres.eu,xrivonet.info,sporttuna.site,sporttuna.pro,daddynews.online,forgepattern.net,sportsonline.si,nizarstream.com,cr7soccer.site,ldcstreaming.info,shootv.in##+js(acs, String.fromCharCode, /btoa|break/) +! /^https?:\/\/[a-z]{5,12}\.com\/[0-9a-h]{1,17}\?[0-9a-zA-Z]{1,21}=[0-9a-zA-Z]{300,1300}/$xhr,3p,match-case,method=get,header=via:/1[.:]1/,to=com +! https://www.buffstreams.ai/ +/^https?:\/\/[-a-z]{5,12}\.[a-z]{3,6}\/[0-9a-h]{1,17}\?[0-9a-zA-Z]{1,21}=[%0-9a-zA-Z]{200,1300}/$xhr,3p,match-case +! https://9xflix.wang/m/ +! /^https?:\/\/(?:www\.|[0-9a-z]{7,10}\.)?[-0-9a-z]{5,}\.com\/\/?(?:[0-9a-f]{2}\/){2,3}[0-9a-f]{32}\.js/$script,3p,to=com +/^https?:\/\/(?:www\.|[0-9a-z]{7,10}\.)?[-0-9a-z]{5,}\.com\/\/?(?:[0-9a-f]{2}\/){2,3}[0-9a-f]{32}\.js$/$script,3p +! /^https:\/\/[a-z]{3,5}\.[a-z]{10,14}\.top\/[a-z]{10,16}\/[a-z]{5,6}(?:\?d=\d)?$/$script,3p,match-case,to=top +! toonstream.nl +/^https:\/\/[a-z]{3,5}\.[a-z]{10,14}\.top\/[a-z]{10,16}\/[a-z]{5,6}(?:\?d=\d)?$/$script,3p,match-case +! /^https:\/\/[0-9a-f]{10}\.[0-9a-f]{10}\.com\/[0-9a-f]{32}\.js$/$script,3p,to=com +! basahin.icu +/^https:\/\/[0-9a-f]{10}\.[0-9a-f]{10}\.com\/[0-9a-f]{32}\.js$/$script,3p +! popads https://www.tvids.to/ +/^https:\/\/[a-z]{8,16}\.com\/[a-z]{6,17}\?[a-zA-Z=&,].*&s=.*/$script,3p +! popads (specific) +/^https:\/\/www\.[a-z]{5,11}\.com\/[a-zA-Z]{1,6}\/[a-z]{3,6}.*\.min\.js/$script,3p,domain=tvids.to|rojadirectas.pro|bingewatch.to|alphatron.tv|seriesonline.ac|sflix.to|sflix2.to|9animetv.to|aniwatchtv.to|f2movies.to|eyespeeled.click|thedaddy.to|sporttuna.xyz|cookiewebplay.xyz|givemereddit.eu +! streamwish.to +streamwish.to##+js(set-constant, xRds, true) +streamwish.to##+js(set-constant, cRAds, false) +streamwish.to##+js(abort-on-property-read, __Y) +! embasic.pro (HEAD ADS work around) +animexin.dev,leercapitulo.co,goku.sx,solarmovieru.com,mangatv.net,movies4u.bid,1hd.to,movi.pk,streamingcommunity.ooo,yuppow.com,vipleague.im,flowermanga.net,animepahe.ru,new.sussytoons.site,omegascans.org,4anime.gg,animeflix.ltd,streamblasters.pm,watchomovies.guru,likemanga.ink,popcorntimeonline.xyz,vidmoly.to,seriesonline.ac,rogmovies.fun,9kmovies.party,embed.su,databasegdriveplayer.xyz,bingewatch.to,alphatron.tv,moviesjoytv.to,uqload.net,watchadsontape.com,animeonline.ninja,netuplayer.top,movieshdwatch.to,yomovies.house,minoplres.xyz,9anime.org.lv,brjogostorrent.net,fullmoviesw.com,vegamovies4u.beauty,whisperingauroras.comos.xyz,9animetv.to,abysscdn.com,alions.pro,animeflv.net,animeflv.zip,animesuge.skin,aniwatchtv.to,aniwave.se,asuracomic.net,autoembed.cc,awish.pro,berlagu.com,bunniescdn.online,chapmanganato.to,cineb.rs,cinego.tv,cineby.ru,cracksports.me,cuevana.is,dood.wf,doood.site,drakecomic.org,edgedeliverynetwork.com,embasic.pro,emturbovid.com,f2movies.to,filemoon.nl,flixhq.to,fmovies.co,freemovieswatch.cc,gogoanime3.cc,gogoanimes.fi,hanatyury.online,hdtoday.cc,hianime.mn,hianime.nz,hianime.to,hianime.tv,hitomi.la,hydrahd.me,klz9.com,listeamed.net,livesteching.com,luluvdo.com,mangabat.com,mangaworld.ac,mangaworldadult.net,manhastro.com,manhuatop.org,mcloud.vvid30c.site,megacloud.tube,metrolagu.cam,mgeko.cc,mlbbox.me,mmastreams.me,movies2watch.tv,moviesapi.club,myflixer.gs,nbabox.me,olympuscomic.com,pepepeyo.xyz,play.frembed.lol,poophd.vip,rawxz.to,reliabletv.me,rugbystreams.me,s3embtaku.pro,sandratableother.com,sflix.to,sflix2.to,snapinsta.monster,streamruby.com,toongod.org,toonstream.co,uqloads.xyz,vegamovies.st,vidstreaming.xyz,zizicoi.online,zonatmo.com##+js(no-fetch-if, method:HEAD) +! nowoif WILDCARDS (Desktop) +animexin.*,leercapitulo.*,goku.*,solarmovieru.*,mangatv.*,movies4u.*,1hd.*,movi.*,streamingcommunity.*,flowermanga.*,animepahe.*,new.sussytoons.*,omegascans.*,4anime.*,animeflix.*,streamblasters.*,watchomovies.*,likemanga.*,popcorntimeonline.*,seriesonline.*,rogmovies.*,yomovies.*,9kmovies.*,hitomi.*,toongod.*,hydrahd.*,mangafire.*,theflixertv.*,hurawatch.*,gomovies.*,chapmanganato.*,sporttuna.*,sportsonline.*,thedaddy.*,filemoon.*,dlhd.*,couchtuner.*,movies4us.*,fmoviesz.*,gogoanime2.*,gogoanimes.*,animeunity.*,fullmoviesw.*,123moviesfree.*,1233movies.*,123movies-series.*,putlocker.*,moviesjoytv.*,alphatron.*,dood.*,doood.*,hdtodayz.*,hianime.*,cinego.*,hdtoday.*,gogoanime3.*,freemovieswatch.*,fmovies.*,f2movies.*,flixhq.*,rugbystreams.*,vegamovies.*,aniwatchtv.*,aniwave.*,9anime.*,9animetv.*,animeonline.*,antennasports.*,readcomiconline.*,myflixer.*,Toonstream.*,fullassia.*,yts.*,rojadirectas.*,movies4ufree.*,tennisonline.*,cricstream.*,socceronline.*##+js(nowoif) +! (HEAD ADS work around) WILDCARDS (Desktop) +animexin.*,leercapitulo.*,goku.*,solarmovieru.*,mangatv.*,movies4u.*,1hd.*,movi.*,streamingcommunity.*,flowermanga.*,animepahe.*,new.sussytoons.*,omegascans.*,4anime.*,animeflix.*,streamblasters.*,watchomovies.*,likemanga.*,popcorntimeonline.*,vidmoly.*,seriesonline.*,rogmovies.*,yomovies.*,9kmovies.*,hitomi.*,toongod.*,hydrahd.*,vipbox.*,mangafire.*,theflixertv.*,hurawatch.*,gomovies.*,chapmanganato.*,sporttuna.*,sportsonline.*,thedaddy.*,filemoon.*,dlhd.*,couchtuner.*,movies4us.*,fmoviesz.*,gogoanime2.*,gogoanimes.*,animeunity.*,fullmoviesw.*,123moviesfree.*,1233movies.*,123movies-series.*,putlocker.*,moviesjoytv.*,alphatron.*,dood.*,doood.*,hdtodayz.*,hianime.*,cinego.*,hdtoday.*,gogoanime3.*,freemovieswatch.*,fmovies.*,f2movies.*,flixhq.*,rugbystreams.*,vegamovies.*,aniwatchtv.*,aniwave.*,animeflv.*,9anime.*,9animetv.*,animeonline.*,antennasports.*,readcomiconline.*,myflixer.*,toonstream.*,fullassia.*,yts.*,rojadirectas.*,fbstreams.*,movies4ufree.*,tennisonline.*,cricstream.*,socceronline.*##+js(no-fetch-if, method:HEAD) +! embedme.top +embedme.top##+js(abort-current-script, JSON.parse, showTrkURL) +embedme.top##+js(abort-current-script, Math, /window\['(?:\\x[0-9a-f]{2}){2}/) +embedme.top##+js(noeval-if, /popunder/i) +embedme.top##+js(abort-current-script, document.documentElement, break;case $.) +! viprow.nu/vipbox.lc +viprow.nu,vipbox.lc,vipboxtv.sk##+js(aopr, Adcash) +viprow.nu,vipbox.lc,vipboxtv.sk##+js(nowoif, //) +viprow.nu,vipbox.lc,vipboxtv.sk##+js(acs, document.documentElement, break;case $.) +viprow.nu,vipbox.lc,vipboxtv.sk##+js(aeld, , break;case $.) +viprow.nu,vipbox.lc,vipboxtv.sk##+js(set, path, '') +viprow.nu,vipbox.lc,vipboxtv.sk##+js(nowoif, , 10) +viprow.nu,vipbox.lc,vipboxtv.sk##+js(acs, JSON.parse, atob) +viprow.nu,vipbox.lc,vipboxtv.sk##+js(json-prune, *, *.adserverDomain) +viprow.nu,vipbox.lc,vipboxtv.sk##+js(acs, navigator, FingerprintJS) +viprow.nu,vipbox.lc,vipboxtv.sk##+js(rmnt, script, /h=decodeURIComponent|popundersPerIP/) +viprow.nu##.position-absolute +viprow.nu,vipbox.lc,vipboxtv.sk##+js(rmnt, script, ;}}};break;case $.) +! komikdewasa.art +$script,third-party,domain=komikdewasa.art|komikdewasa.mom +@@||cloudflare.com^$script,domain=komikdewasa.art|komikdewasa.mom +! *$script,3p,denyallow=google.com|googleapis.com|gstatic.com|hcaptcha.com|recaptcha.net,from=sxyprn.* +! sxyprn.com|sxyprn.net +.com/*=$script,3p,domain=sxyprn.com|sxyprn.net +! yts.mx +$script,third-party,domain=yts.mx +@@||cdn.jsdelivr.net^$script,domain=yts.mx +yts.mx##+js(remove-node-text, script, /h=decodeURIComponent|popundersPerIP/) +yts.mx##+js(abort-current-script, parseInt, break;case $.) +yts.mx##+js(abort-current-script, document.createElement, admc) +yts.mx##+js(no-setTimeout-if, admc) +yts.mx##+js(abort-on-property-read, runAdblock) +yts.mx##+js(addEventListener-defuser, , _0x) +yts.mx##+js(nowebrtc) +yts.mx##+js(remove-node-text, script, document.write) +! antennasports.ru +$script,third-party,domain=antennasports.ru +! Russian specific rules +mail.ru##.tgb__link +mail.ru##.trg-banners +mail.ru##.trg-b-banner +! livejournal fix +livejournal.com##+js(aopr, window.webpackJsonpSSPjs) +livejournal.com##+js(aopr, webpackJsonpSSPjs) +! Chinese specific rules +/^https?:\/\/asset.bixjf.com\/[0-9]{4}\/[a-z]{2,}\/[0-9].*(.jpg$)/$image,domain=imkan.tv +/^https?:\/\/asset.bixjf.com\/[0-9]{4}\/ad\/[0-9].*/$domain=imkan.tv +! (Brave-ios Japanese specific ) +@@||flamingo.gomobile.jp^$script,domain=7net.omni7.jp +! pointmall.rakuten.co.jp +pointmall.rakuten.co.jp##.side-ad +pointmall.rakuten.co.jp##style + div.side-box:has(> ul > li > a[href^="https://ac.ebis.ne.jp/tr_set.php"][target="_blank"][rel="noopener noreferrer"]) +pointmall.rakuten.co.jp##.mypage-ads +pointmall.rakuten.co.jp##.side-mypage-ad-wrap +pointmall.rakuten.co.jp##.gamelist-ads +! 5ch.net (Japanese) Desktop/Mobile IOS/Android-specific blocks +||thench.net^$third-party +||mediad2.jp^$third-party +||microad.net^$third-party +||ad-stir.com^$third-party +||proparm.jp^$third-party +||i2ad.jp^$third-party +! https://github.com/AdguardTeam/AdguardFilters/issues/85641 +modalina.jp##+js(aopr, AdBlockLimitation) +/ad/alliance_ +/loadPopIn. +/itsads/* +||nikkeibp.co.jp/images/n/hr/2018/banner/bnr_ +||pia.jp/uploads5/files/5415/4478/4511/ticket_bnr03_1.jpg +||pia.jp/uploads5/files/9215/6082/1152/ticket_top_B3002501906.jpg +||4gamer.net/img/*_jack_ +||4gamer.net/img/blackdesert_ +||asahicom.jp/ad/ +||r10s.jp/com/rat/js/rat-main.js +||yomiuri.co.jp/media/2019/06/190530_1000x240_B-002.jpg +||ismedia.jp/common/money-gendai/images/header/sponsored.png +||chosunonline.com/common/ifr01/$subdocument +||top.bcdn.jp/i/hd_banner/ +||estlier.net^$third-party +||netmile.co.jp/images/bnr/sugutama_640_120.png +||netmile.co.jp/user/images/regist-sub-bnr.png +||pt.appirits.com^$third-party +||yads.c.yimg.jp^$third-party +||logly.co.jp/lift_widget.js +||yimg.jp^*/loader.js +||cvote.a-ch.net^$third-party +||cheqzone.com^$third-party +||contents.oricon.co.jp/pc/img/_parts/news/fig-news03.jpg +||nikkei.com/.resources/static/nad/ +||reemo-ad.jp^$third-party +||orca-pass.net^$third-party +||probo.biz^$third-party +||pitadtag.jp^$third-party +||itmedia.co.jp/spv/images/career_en_300x250.jpg +||itmedia.co.jp/spv/images/career_en_320x50.jpg +@@||vippers.jp/settings/ad.js +@@||netmile.co.jp/ad/images/banner/$image +@@||netmile.co.jp/features/catchpig/images/bnr_120_60.png +@@||netmile.co.jp/features/furufuru/images/$image +@@||samplefan.com/img/ad/$image +@@||netmile.co.jp/features/jan/images/bnr_120_60.png +@@||ad.pr.ameba.jp/tpc/$xmlhttprequest +@@||amebame.com/pub/ads/$domain=ameblo.jp +@@||stat100.ameba.jp/blogportal/img/banner/$image + +! Title: Brave Specific +! Expires: 2 days + +! Specific filters (Tracking or ads) for Brave +||0.0.0.0^$third-party,domain=~[::]|~[::ffff:0:0] +||[::]^$third-party,domain=~0.0.0.0|~[::ffff:0:0] +||[::ffff:0:0]^$third-party,domain=~0.0.0.0|~[::] +||localhost^$third-party,domain=~127.0.0.1|~[::1]|~[::ffff:7f00:1] +||127.0.0.1^$third-party,domain=~localhost|~[::1]|~[::ffff:7f00:1] +||[::1]^$third-party,domain=~localhost|~127.0.0.1|~[::ffff:7f00:1] +||[::ffff:7f00:1]^$third-party,domain=~localhost|~127.0.0.1|~[::1] + +! brave.com specfic filters +@@||ads.brave.software^$first-party +@@||ads-admin.bravesoftware.com^$first-party +@@||ads.bravesoftware.com^$first-party +@@||ads-admin.brave.com^$first-party +@@||ads-admin.brave.software^$first-party +@@||ads.brave.com^$first-party +@@||brave.com^$image,stylesheet,first-party +@@||go-updater.brave.com^ +! basicattentiontoken.org specfic filters +@@||basicattentiontoken.org^$ghide +@@||basicattentiontoken.org^$first-party +! search.brave.com specfic filters +! https://github.com/uBlockOrigin/uAssets/blob/master/filters/privacy.txt#L207 +search.brave.com#@#+js(no-fetch-if, body:browser) +search.brave.com###search-ad +! stats.brave.com +@@||stats.brave.com^$ghide +@@||stats.brave.com^$first-party +! community.brave.com +@@||community.brave.com^$ghide + +! Generic blocks +.top/cuid/? +.shop/opf/ +.shop/cuid/ +.shop/gd/ +.click/tsk/ +.click/opf/ +.click/gd/ +/push/i?clk + +! Fix localhost block on Trezor Bridge/Connect +! https://community.brave.com/t/bug-brave-shields-break-trezor-bridge-connect-when-accessing-wallet/219544/ +@@||127.0.0.1^$domain=trezor.io + +! https://github.com/brave/brave-browser/issues/43050 +@@||127.0.0.1^$domain=pcsupport.lenovo.com + +!!! START OF UBO EXCEPTIONS +! https://github.com/uBlockOrigin/uAssets/issues/23456 +@@||127.0.0.1^$xhr,domain=figma.com +! +! https://github.com/uBlockOrigin/uAssets/issues/19005 +@@||127.0.0.1^$xhr,domain=battlelog.battlefield.com +! +! https://github.com/uBlockOrigin/uAssets/pull/20768 +@@||127.0.0.1^$3p,domain=musicbrainz.org +! +! https://github.com/uBlockOrigin/uAssets/pull/22475 +@@||127.0.0.1^$domain=client.foldingathome.org +! +! https://github.com/uBlockOrigin/uAssets/issues/21960 +@@||127.0.0.1^$domain=mega.nz +! +! https://github.com/uBlockOrigin/uAssets/commit/b0e28ffe +@@||127.0.0.1^$domain=intel.cn|intel.co.id|intel.co.jp|intel.co.kr|intel.com|intel.com.br|intel.com.tw|intel.de|intel.fr|intel.la|intel.vn +! +! https://github.com/uBlockOrigin/uAssets/issues/23388 +@@||localhost^$domain=deutsche-rentenversicherung.de +@@||127.0.0.1^$domain=bund.de|organspende-register.de|bayernportal.de|mv-serviceportal.de +! +! https://github.com/uBlockOrigin/uAssets/pull/24488 +@@||localhost^$websocket,domain=www.faceit.com +!!! END OF UBO EXCEPTIONS + +! De-AMP rule that uses the De-AMP scriptlet +google.*##+js(de-amp) + +! YouTube theater mode fix scriptlet rule +youtube.*##+js(brave-youtube-theater-fix) + +! Trusted open-in-app notices +alltrails.com##+js(trusted-set-local-storage-item, banner-dismissal-date, $now$) + +! YouTube navigation fix scriptlet rule +youtube.*##+js(brave-youtube-navigation-fix) + +! pageview-api detection +music.youtube.com##+js(brave-video-bg-play) +101espn.com,1027espn.com,1045espn.com,10play.com.au,11alive.com,1430espnfresno.com,6play.fr,7plus.com.au,973espn.com,9now.com.au,abc7news.com,abcactionnews.com,abema.tv,acast.com,accuradio.com,accuweather.com,acorn.tv,airtelxstream.in,altitudenow.com,altt.co.in,amcplus.com,ancientfaith.com,app.hzp.co,app.idagio.com,ardmediathek.de,arte.tv,ascoltareradio.com,audacy.com,audible.com,awa.fm,ballysports.com,bandcamp.com,bbc.co.uk,beinsports.com,bestpodcasts.co.uk,bigeradio.com,bilibili.com,binge.com.au,bitchute.com,boomplay.com,brighteon.com,britbox.com,c-span.org,canalplus.com,captivate.fm,castbox.fm,channel4.com,charlestonsportsradio.com,cheddar.tv,classicalking.org,classicalradio.com,classicalwcrb.org,clickorlando.com,cnn.com,cpac.ca,crave.ca,crunchyroll.com,curiositystream.com,cwtv.com,dazn.com,deezer.com,detroitpbs.org,di.fm,digitalradioplus.com.au,directv.com,discoveryplus.com,disneyplus.com,docplay.com,dr.dk,dstv.com,earthcam.com,eska.tv,espn.com,espnlouisville.com,espnradio941.com,espnrichmond.com,espnsiouxfalls.com,espnur.com,fanatiz.com,fandango.com,fandor.com,filmin.es,filmin.pt,fmradiofree.com,fmstream.org,fountain.fm,fox13news.com,fox35orlando.com,foxla.com,foxsports.com,foxtel.com.au,foxweather.com,france.tv,free-radio.us,freefy.app,freely.co.uk,fubo.tv,gaana.com,gem.cbc.ca,getmeradio.com,globalplayer.com,goodpods.com,goplay.be,gpb.org,hayu.com,hellorayo.co.uk,hidive.com,hoichoi.tv,hotstar.com,hulu.com,idahoptv.org,ieradio.org,iheart.com,internet-radio.com,itv.com,iview.abc.net.au,jango.com,jiocinema.com,jiosaavn.com,jiotv.com,joyn.de,kanopy.com,kdfc.com,kera.org,kick.com,kijk.nl,kkrt.com,knowledge.ca,kpbs.org,kqed.org,kron4.com,ktvu.com,kusc.org,liferadio.ca,listennotes.com,listnr.com,littlive.com,live.mystreamplayer.com,live365.com,liveone.com,liveradio.uk,liveradiouk.com,loadedradio.com,local10.com,mainepublic.org,max.com,maxdome.de,megaphone.fm,metalheartradio.com,milehighsports.com,montanapbs.org,mubi.com,music.amazon.ca,music.amazon.co.jp,music.amazon.co.uk,music.amazon.com,music.amazon.com.au,music.amazon.de,music.amazon.es,music.amazon.fr,music.amazon.it,music.apple.com,music.youtube.com,mytuner-radio.com,nba.com,nbcbayarea.com,nbcboston.com,nbcmiami.com,nbcnews.com,nbcsports.com,nebula.tv,nederlandseradio.nl,neontv.co.nz,netflix.com,nettradionorge.com,newson.us,nfl.com,nicovideo.jp,northernpublicradio.org,nostv.pt,nowtv.com,npo.nl,npoklassiek.nl,nzherald.co.nz,odysee.com,onlineradio.pl,onlineradiobox.com,orange.es,overcast.fm,pandora.com,paramountplus.com,pbs12.org,pbsfm.org.au,pbskids.org,pbssocal.org,pbswisconsin.org,peacocktv.com,philo.com,play.anghami.com,play.asti.ga,play.xumo.com,player.amperwave.net,player.simplecast.com,player.fm,player.listenlive.co,player.pl,player.streamguys.com,playeur.com,plex.tv,plus.nasa.gov,pluto.tv,pocketcasts.com,podbay.fm,podcast24.fr,podcastaddict.com,podcasts-online.org,podcasts.apple.com,podcasts.feedspot.com,podcasts.nz,podimo.com,podtail.com,polsatboxgo.pl,primevideo.com,protonradio.com,qobuz.com,raddio.net,radiko.jp,radio-australia.org,radio-stations.co.nz,radio-uk.co.uk,radio.de,radio.garden,radio.net,radio.org.nz,radio.org.se,radio.pp.ru,radioau.net,radiolisten.de,radioonline.fm,radioparadise.com,radios.lu,radioside.com,radioswissclassic.ch,rakuten.tv,randa.tv,rcast.net,rnz.co.nz,rockradio.com,roku.com,rova.nz,rtve.es,rumble.com,sbs.com.au,securenetsystems.net,shudder.com,siriusxm.com,skygo.co.nz,slingtv.com,sonatica.fm,sonyliv.com,soundcloud.com,spectrumsportsnet.com,sportscapitoldc.com,sportsnet.ca,spotify.com,spreaker.com,stacktv.ca,stan.com.au,starplus.com,starz.com,streema.com,stuff.co.nz,ted.com,telenet.tv,tencentmusic.com,theclassicalstation.org,thegame730am.com,threenow.co.nz,tidal.com,tiktok.com,tntdrama.com,totallyradio.com.au,tsn.ca,tubitv.com,tunein.com,tuner.bonneville.com,tv.kakao.com,tv.naver.com,tving.com,tvn24.pl,tvnz.co.nz,twitch.tv,u.co.uk,ukonlineradio.com,ukradiolive.com,viaplay.com,video.cascadepbs.org,video.unext.jp,video.vermontpublic.org,videoland.com,viki.com,vimeo.com,vix.com,watch.att.com,watch.jme.tv,wavve.com,wcmu.org,weather.com,wesh.com,wfmt.com,wfmu.org,wgbh.org,wibw.com,wlbt.com,wlxg.com,wmtv15news.com,wned.org,wnyc.org,wondery.com,worldchannel.org,wowow.co.jp,wowtv.de,wpbf.com,wptv.com,wqxr.org,wynk.in,xfinity.com,yourclassical.org,zdf.de##+js(brave-disable-pageview-api) + + +! Used for Brave QA tests +?335962573013224749$image,xhr,domain=dev-pages.brave.software|dev-pages.bravesoftware.com +! Rules for testing cosmetic filters in frames +dev-pages.brave.software,dev-pages.bravesoftware.com##+js(set, window.BRAVE_TEST_VALUE, true) + +! Title: Brave Social +! Description: List used by Brave for preventing social elements from loading +! Expires: 2 days + +! Facebook +||connect.facebook.net^$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +||connect.facebook.com^$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +! Facebook Plugins (3rd-party embedded plugins) +||facebook.com/plugins/$third-party,domain=~atlassolutions.com|~facebook.com|~facebook.de|~facebook.fr|~facebook.net|~fb.com|~fb.me|~fbcdn.net|~fbsbx.com|~friendfeed.com|~instagram.com|~internalfb.com|~messenger.com|~oculus.com|~whatsapp.com|~workplace.com +! Twitter +||api.twitter.com^$third-party,domain=~tweetdeck.com|~twitter.com|~twitter.jp +||platform.twitter.com^$third-party,domain=~tweetdeck.com|~twitter.com|~twitter.jp +! Linkedin +||licdn.com^$third-party,domain=~linkedin.com|~lnkd.in +||linkedin.com^$third-party +! Outbrain +||outbrain.com^$third-party,domain=~sphere.com + +! Brave desktop filters + +! Title: Brave Android-Specific Rules +! Expires: 2 days + +! https://github.com/brave/brave-browser/issues/16629 +diariodocentrodomundo.com.br,01net.com,gizchina.com,pocketpc.ch##.mrf-adv__wrapper + +! Title: Brave SugarCoat Rules +! Expires: 7 days + +! dell.com +||ensighten.com/dell/marketing/code/280f261e277ca609b7450f5304929274.js$script,important,domain=dell.com,redirect=async-sugarcoat-04394153a7ce417b88e3fe1790a4e6a269bfebe5 +! live.house.gov +||google-analytics.com/analytics.js$script,important,domain=house.gov,redirect=async-sugarcoat-8a459c41783885dc83d30f5b7da2359091f4e607 diff --git a/data/easylist.to/easylist/easylist.txt b/data/easylist.to/easylist/easylist.txt index baa872b1..b8fb7e9a 100644 --- a/data/easylist.to/easylist/easylist.txt +++ b/data/easylist.to/easylist/easylist.txt @@ -1,8157 +1,933 @@ [Adblock Plus 2.0] -! Version: 201906281109 +! Version: 202501241003 ! Title: EasyList -! Last modified: 28 Jun 2019 11:09 UTC +! Last modified: 24 Jan 2025 10:03 UTC ! Expires: 4 days (update frequency) -! Homepage: https://easylist.to/ -! Licence: https://easylist.to/pages/licence.html +! *** easylist:template_header.txt *** ! ! Please report any unblocked adverts or problems ! in the forums (https://forums.lanik.us/) -! or via e-mail (easylist.subscription@gmail.com). +! or via e-mail (easylist@protonmail.com). +! +! Homepage: https://easylist.to/ +! Licence: https://easylist.to/pages/licence.html ! GitHub issues: https://github.com/easylist/easylist/issues ! GitHub pull requests: https://github.com/easylist/easylist/pulls ! ! -----------------------General advert blocking filters-----------------------! ! *** easylist:easylist/easylist_general_block.txt *** -&act=ads_ -&ad.vid=$~xmlhttprequest -&ad_box_ -&ad_channel= -&ad_classid= -&ad_code= -&ad_height= -&ad_ids= -&ad_keyword= -&ad_network_ -&ad_number= -&ad_revenue= -&ad_slot= -&ad_sub= -&ad_time= -&ad_type= -&ad_type_ -&ad_url= -&ad_zones= -&adbannerid= -&adclient= -&adcount= -&adflag= -&adgroupid= -&adlist= -&admeld_ -&admid=$~subdocument -&adname= -&adnet= -&adnum= -&adpageurl= -&Ads_DFP= -&adsafe= -&adserv= -&adserver= -&adsize= -&adslot= -&adslots= -&adsourceid= -&adspace= -&adsrc= -&adstrade= -&adstype= -&AdType= -&adunit= -&adurl= -&adv_keywords= -&advert_ -&advertiserid= -&advid=$~image -&advtile= -&adzone= -&banner_id= -&bannerid= -&clicktag=http -&customSizeAd= -&displayads= -&expandable_ad_ -&forceadv= -&gerf=*&guro= -&gIncludeExternalAds= -&googleadword= -&img2_adv= -&jumpstartadformat= -&largead= -&maxads= -&pltype=adhost^ -&popunder= -&program=revshare& -&prvtof=*&poru= -&show_ad_ -&showad= -&simple_ad_ -&smallad= -&smart_ad_ -&strategy=adsense& -&type=ad& -&UrlAdParam= -&video_ads_ -&videoadid= -&view=ad& -&zoneid=*&direct= -+advertorial. -+adverts/ --2/ads/ --2011ad_ --300x100ad2. --728-90- --ad-001- --ad-180x150px. --ad-200x200- --ad-24x24. --ad-300x250. --ad-300x450. --ad-300x600- --ad-303x481- --ad-313x232. --ad-336x280- --ad-340x400- --ad-400. --ad-472x365. --ad-640x480. --ad-970- --ad-banner- --ad-banner. --ad-big. --ad-bottom- --ad-button- --ad-category- --ad-choices. --ad-code/ --ad-column- --ad-content/ --ad-cube. --ad-data/ --ad-ero- --ad-exo- --ad-gif- --ad-gif1- --ad-home. --ad-hrule- --ad-hrule. --ad-iframe. --ad-iframe/ --ad-large. --Ad-Large_ --ad-left. --ad-limits. --ad-link- --ad-live. --ad-loading. -ad-manager/$~stylesheet --ad-map/ --ad-marker. --ad-master/ --ad-mpu+ --ad-new_ --ad-pixel- --ad-plugin- --ad-random/ --ad-refresh. --ad-refresh/ --ad-reload. --ad-reload/ --ad-resize- --ad-right. --ad-rotator- --ad-rotators/ --ad-scripts? --ad-server/ --ad-shortcodes/ --ad-sidebar- --ad-sidebar. --ad-strip. --ad-switcher. --ad-text_ --ad-tile. --ad-top. --ad-unit. --ad-unit/ --ad-util- --ad-util. --ad-utility- --ad-vertical- --ad-zone. --ad.jpg.pagespeed. --ad.jpg? --ad.jsp| --ad.php? --ad/dist/ --ad/embed. --ad/iframe/ --ad/main. --ad/right_ --ad/source/ --ad0. --ad03. --ad1. --ad2. --ad2_ --ad3. --Ad300x250. --Ad300x90- --ad4. --ad5. --ad_125x125. --ad_banner- --ad_injector/ --ad_leaderboard/ --adap.$domain=~l-adap.org --adbanner. --adblack- --adbox- --adcentre. --adchain. --adcompanion. --adfliction. --adfliction/ --adhelper. --adhere2. --adimage- --adman/ --admarvel/ --adnow.$domain=~zappistore.com --adops. --adrotation. --ads-180x --ads-530x85. --ads-728x --ads-banner. --ads-bottom. --ads-Feature- --ads-iframe. --ads-init& --ads-management/ --ads-manager/ --ads-master/ --ads-ns. --ads-placement. --ads-plugin/ --ads-prod/ --ads-production. --ads-right. --ads-rotator/ --ads-widget/ --ads-widget? --ads.generated. --ads.gif --ads.js? --ads.php? --ads.swf --ads/728x --ads/ad- --ads/assets/ --ads/get? --ads/img/ --ads/oas/ --ads/static- --ads/video. --ads/videoblaster/ --ads1.htm --ads2.htm --ads3.htm --ads3.jpg --ads4.htm --Ads_728x902. --ads_9_3. --Ads_Billboard_ --adscript. --adsense2. --adserver- --adserver. --adserver/ --adskin. --adslots. --adsmanager/ --adsonar. --adspace. --adspace_ --adSponsors. --adspot- --adsscript. --adswizz- --adsystem- --adtechfront. --adtopbanner- --adtrack. --adv-v1/ --adv.jpg --adv.js --advert-100x100. --Advert-JPEG- --advert-label- --advert-placeholder. --advert.jpg? --advert.swf --advert1. --advert2. --advert3. --advert_August. --advertise.$domain=~i-advertise.net|~mb-advertise.gr --advertise/ --advertise01. --advertisement-icon. --advertisement-management/ --advertisement. --advertisement/script. --advertisement_ --advertising/assets/ --advertising/vast/ --advertising11. --advertising2- --advertising_ --advertisment- --advertorial. --adverts.libs. --adverts.min. --advt. --adwords.$domain=~consultant-adwords.com|~consultant-adwords.fr|~freelance-adwords.com|~freelance-adwords.fr --affiliate-link. --affiliates/img_ --amazon-ads/ --amazon-apstag/ --article-ad- --article-ad. --article-ads- --article-advert- --assets/ads. --auto-ads- --banner-768. --banner-ad- --banner-ad. --banner-ad/ --banner-ads- --banner-ads/ --Banner-Advert- --banner.swf? --banner300x250. --banner468x60. --bannerads/ --bg_ads. --billboard-ads/ --bin/ad_ --Block-ad- --blog-ad- --book-ad- --Box-Ad. --box2-ad? --cert_ad_ --content-ad- --content-ad. --ContentAd- --contest-ad. --contrib-ads. --contrib-ads/ --core-ads. --cpm-ad. --cpm-ads. --cust-ad. --dfp-ads/ --dfp-adunits. --display-ads. --doubleclick-plugin/ --doubleclick.js --doubleclick.min.js --euads. --fe-ads/ --featured-ads. --featured-ads/ --feed-ads. --fleshlight2. --floater_ads_ --floorboard-ads/ --footerads- --footerads. --gallery_ad/ --games/ads/ --gif-advert. --google-ad. --google-ads- --google-ads/ --google-adsense. --google2-ad- --gpt-ad-$~xmlhttprequest --housead- --iframe-ad. --iframe-ads/ --image-ad. --image/Ads/ --images/ad- --img/ads/ --inspire-ad. --intern-ads/ --js-advertising- --karbonn-ad- --layer-ad. --layer-ads/ --leaderboard-ad- --load-ads. --load-advert. --ltvads. --main/ad. --mid-ad. --native-ad. --native-ad/ --nav-ad. --NewAd. --news-ad- --newsletter-ad- --NewStockAd- --Online-ad- --online-advert. --outsidersads- --page-ad. --page-ad? --page-peel/ --pagead-id. --PagePeelPro/ --panel-ad. --panel_ad_ --peel-ads- --permads. --plugins-wppas- --pop-under/ --popexit. --popunder. --popup-ad. --popup-ads- --pri/adv- --printhousead- --publicidad. --rail-ads. --rail-ads/ --rectangle/ad- --Results-Sponsored. --right-ad. --rightrailad- --rollout-ad- --scrollads. --search-ads. --seasonal-ad. --show-ads. --side-ad- --side-ad. --sidebar-ad. --simple-ads. --sky-ad. --Skyscraper-Ad. --skyscrapper160x600. --small-ad. --source/ads/ --sponsor-ad. --SponsorAd. --sponsored-links- --sprite-ad. --sticky-ad- --strip-ads- --sync2ad- --tag-ad. --template-ads/ --text-ads. --theme/ads/ --third-ad. --top-ad. --top-ads. --tower-ad- --us/ads/ --video-ads/ --web-ad- --Web-Ad. --Web-Ads. --web-advert- --Web-Advert. --webAd- --webad1. --widget-advertisement/ --your-ad-here- --your-ads-here. -.1d/ads/ -.a3s?n=*&zone_id= -.ace.advertising. -.ad-cloud. -.ad-ocad. -.ad-sys. -.ad-target. -.ad-traffic. -.ad.final. -.ad.footer+ -.ad.footer. -.ad.json? -.ad.page. -.ad.premiere. -.ad.wrapper. -.ad/tag. -.ad1.nspace -.ad6media.$domain=~ad6media.fr -.ad_home_ -.adbanner. -.adbutler- -.adcenter.$domain=~adcenter.nu -.adengine. -.adforge. -.adframesrc. -.adgearpubs. -.adgoitechnologie. -.adinject.$domain=~adinject.com -.adlabs.$domain=~adlabs.ru -.admarvel. -.admicro. -.adnetwork.$domain=~adnetwork.ie|~adnetwork.sk -.adnigma. -.adnwif. -.adpartner.$domain=~adpartner.cz -.adpIds= -.adplacement= -.adresult.$domain=~adresult.ch -.adriver.$~object-subrequest -.adrotate. -.adru. -.ads-and-tracking. -.ads-lazy. -.ads-min. -.ads-tool. -.ads.controller. -.ads.core. -.ads.css -.ads.darla. -.ads.loader- -.ads.zones. -.ads1- -.ads1. -.ads2- -.ads3- -.ads4- -.ads5- -.ads9. -.ads_clickthru. -.adsales. -.adsame- -.adsbox.$domain=~adsbox.in -.adsby. -.adsdk. -.adsense. -.adserv/ -.adserve. -.adserve2. -.adserver. -.adserver01. -.adserver1. -.adService.$domain=~adservice.com -.adspace. -.adsremote. -.adsync. -.adtech_ -.adtooltip& -.adv.cdn. -.advert.$domain=~advert.ae|~advert.io|~advert.ly -.AdvertismentBottom. -.advertmarket. -.advertrecycling. -.adwolf. -.ae/ads/ -.ai/ads. -.am/adv/ -.ar/ads/ -.ashx?ad= +-ad-sidebar.$image +-ad.jpg.pagespeed.$image +-ads-manager/$domain=~wordpress.org +-ads/assets/$script,domain=~web-ads.org +-assets/ads.$~script +-banner-ads-$~script +-contrib-ads.$~stylesheet +-sponsor-ad.$image +-web-advert-$image +.adriver.$~object,domain=~adriver.co +.ads.controller.js$script +.advert.$domain=~advert.ae|~advert.ge|~advert.io|~advert.ly|~advert.media|~advert.org.pl +.ar/ads/$~xmlhttprequest .ashx?AdID= -.asp?coad -.aspx?ad= .aspx?adid= -.at/ads/ -.au/ads/ -.az/adv/ -.banner%20ad. -.bbn.by/ -.be/ads/ -.biz/ad. -.biz/ad/ -.biz/ad2/ -.biz/ads/ -.bns1.net/ -.box.ad. -.br/ads/ -.bz/ads/ -.ca/ads- -.ca/ads/ -.cc/ads/ +.az/adv/$~xmlhttprequest +.br/ads/$~xmlhttprequest +.ca/ads/$~xmlhttprequest .cfm?ad= -.cfm?advideo% .cgi?ad= -.ch/ads/ -.ch/adv/ -.clkads. -.club/ads. -.co/ads/ -.co/ads? -.com/?ad= -.com/?wid= -.com/a?network -.com/a?pagetype -.com/a?size -.com/ad.$domain=~ad-tuning.de -.com/ad/$~image,third-party,domain=~mediaplex.com -.com/ad/$~third-party,domain=~blogs.technet.microsoft.com|~channel4.com|~cspace.com|~linkedin.com|~mediaplex.com|~online.wsj.com -.com/ad1/ -.com/ad2/ -.com/ad6/ -.com/ad? -.com/adclk? -.com/adds/ -.com/adgallery -.com/adinf/ -.com/adlib/ -.com/adlib_ -.com/adpicture -.com/ads- -.com/ads. -.com/ads/$image,object,subdocument -.com/ads? -.com/ads_ -.com/adv/ -.com/adv3/ -.com/adv? -.com/adv_ -.com/advs- -.com/adx/ -.com/adx_ -.com/adz/ -.com/bads/ -.com/doubleclick/ -.com/gads/ -.com/im-ad/ -.com/im_ad/ -.com/iplgadshow -.com/js.ng/ -.com/js/ad. -.com/js/ads/ -.com/js/adsense -.com/miads/ -.com/ntfc.php?$script -.com/peels/ -.com/pm/ad- -.com/promodisplay? -.com/ss/ad/ -.com/video-ad- -.cyad1. -.cz/affil/ -.cz/bannery/ -.dartconfig.js -.digital/ads/ -.displayAds& -.ec/ads/ -.eg/ads/ -.es/ads/ -.es/adv/ -.eu/ads/ -.eu/adv/ -.exp_ad- -.fi/ads/ -.fm/ads/ -.fr/ads. -.ga/ads. -.gg/ads/ -.gif?ad= -.GoogleDfpSlot. -.gr/ads/ -.hk/ads/ -.homad. -.HomepageAdvertismentBottom. -.hr/ads. -.html?ad= -.html?ad_ +.click/cuid/?$third-party +.click/rf/$third-party +.club/js/popunder.js$script +.cn/sc/*?n=$script,third-party +.com/*=bT1zdXY1JnI9 +.com/4/js/$third-party +.com/ad/$~image,third-party,domain=~mediaplex.com|~warpwire.com|~wsj.com +.com/adv/$domain=~adv.asahi.com|~advantabankcorp.com|~alltransistors.com|~archiproducts.com|~tritondigital.com +.com/api/posts?token=$third-party +.com/sc/*?n=$script,third-party +.com/script/a.js$third-party +.com/script/asset.js$third-party +.com/script/cdn.js$third-party +.com/script/compatibility.js$third-party +.com/script/document.js$third-party +.com/script/file.js$third-party +.com/script/foundation.js$third-party +.com/script/frustration.js$third-party +.com/script/image.js$third-party +.com/script/mui.js$third-party +.com/script/script.js$third-party +.com/script/utils.js$third-party +.com/script/xbox.js$third-party +.com/watch.*.js?key= +.cz/adv/$image,domain=~caoh.cz +.cz/affil/$image +.cz/bannery/$image +.fuse-cloud.com/$~xmlhttprequest .html?clicktag= -.iads.js -.ie/ads/ -.il/ads. -.il/ads/ -.im/ntfc.php?$script -.in/ads. -.in/ads/ -.info/ad_ -.info/ads- -.info/ads/ -.initdoubleclickadselementcontent? -.intad. -.intad/ -.internads. -.io/ads. -.is/ads/ -.jp/ads/ -.js?dfp= -.jsp?adcode= -.ke/ads/ -.lazyad- -.lazyload-ad- -.lazyload-ad. -.link/ads/ -.lk/ads/ -.me/ads- -.me/ads/ -.mobileads. -.mv/ads/ -.mx/ads/ -.my/ads/ -.name/ads/ -.nativeads. -.net/_adv/ -.net/ad- -.net/ad/$~object-subrequest -.net/ad2/ -.net/ad_ -.net/adgallery -.net/adj; -.net/ads- -.net/ads. -.net/ads/ -.net/ads? -.net/ads_ -.net/adt? -.net/adv/ -.net/affiliate/ -.net/bnr/ -.net/flashads -.net/gads/ -.net/noidadx/ -.net/pfadj/ -.net/pops.js -.net/vghd_ -.ng/ads/ -.nl/ad2/ -.nl/ads/ -.no/ads/ -.nu/ads/ -.nz/ads/ -.oasfile. -.oastagging. -.online/ads/ -.openad.$domain=~openad.lv -.openx.$domain=~openx.com -.openxtag. -.org/ad- -.org/ad. -.org/ad/ -.org/ad_ -.org/adgallery1 -.org/ads- -.org/ads/ -.org/ads_ -.org/adv/ -.org/exit.js -.org/gads/ -.org/pops.js -.ph/ads/ -.php/ad/ -.php/ads/ +.jp/ads/$third-party,domain=~hs-exp.jp +.lol/js/pub.min.js$third-party +.lol/sw.js$third-party +.net/ad2/$~xmlhttprequest +.org/ad/$domain=~ylilauta.org +.org/ads/$~xmlhttprequest +.org/script/compatibility.js$third-party .php?ad= -.php?ad_ .php?adsid= .php?adv= -.php?adv_ -.php?affid= .php?clicktag= -.php?id=ads_ -.php?nats= -.php?zone_id= +.php?zone_id=$~xmlhttprequest .php?zoneid= -.pj?adv= -.pk/ads/ -.pl/ads/ -.popunder.js -.popup_im. -.popupvideoad. -.propellerads. -.pw/ads/ -.refit.ads. -.refreshAds. -.ro/ads/ -.rolloverad. -.ru/ads/ -.se/*placement=$script,subdocument,third-party -.se/*redirect&$script,subdocument,third-party -.se/ads/ -.sh/ads/ -.shortcuts.search. -.show_ad_ -.sk/ads/ -.sponsorads. -.streamads. -.swf?1&clicktag= -.swf?2&clicktag= -.swf?ad= -.swf?click= -.swf?clicktag= -.swf?clickthru= -.swf?iurl=http -.swf?link1=http -.swf?link=http -.swf?popupiniframe= -.text-link-ads. -.textads. -.th/ads/ -.theadtech. -.to/ads/ -.topad. -.tv/adl. -.tv/ads. -.tv/ads/ -.twoads. -.tz/ads/ -.uk/ads. -.uk/ads/ -.uk/adv/ -.us/ad/*? -.us/ads. -.us/ads/ -.utils.ads. -.vert.ad. -.videoad3. -.videoad4. -.weborama.js -.widgets.ad? -.win/ads/ -.ws/ads/ -.xinhuanetAD. -.xxx/ads/ -.xyz/ads/ -.za/ads. -.za/ads/ -.zm/ads/ -.zw/ads/ -/!advert_ -/0/ads/* -/04/ads- -/1/ads/*$~image -/1/ads_ -/120ad. -/120ads/* -/125ads/* -/125x125_ADS/* -/125x125_banner. -/125x125ad. -/126_ad. -/160_ad_ -/17/ads/* -/1912/ads/* -/1afr.php? -/2/ads/*$~image -/2010/ads/* -/2010main/ad/* -/2011/ads/* -/2013/ad/* -/2013/ads/* -/2014/ads/* -/2015/ads/* -/2018-ads- -/24-7ads. -/24adscript. -/250x250-adverts. -/250x250_advert_ -/300-ad- -/300250_ad- -/300_ad_ -/300ad. -/300by250ad. -/300x250ad. -/300x250adbg. -/300x250ads. -/300x250advert. -/300x500_ad -/336x280ads. -/3_ads. -/3pt_ads. -/468-banner. -/468ad. -/468x60ad. -/468xads. -/658x96xadv_ -/728_ad_ -/728x80topad. -/728x90banner. -/768x90ad. -/?addyn|* -/?adv_partner -/?advideo/* +.pk/ads/$~xmlhttprequest +.pw/ads/$~xmlhttprequest +.ru/ads/$~xmlhttprequest +.shop/gd/$third-party +.shop/tsk/$third-party +.top/cuid/?$third-party +.top/gd/*?md=$third-party +/?abt_opts=1& +/?fp=*&poru=$subdocument /?view=ad -/_/ads/* -/_30/ads/* -/__adstop. -/_ads/* -/_affiliatebanners/* -/_global/ads/* -/_img/ad_ -/_js2/oas. -/_scripts/_oas/* -/_svc/ad/* /a-ads.$third-party -/a/ads/* -/a/display.php? -/a1/*?sub=$third-party -/a2/?sub=$third-party -/a2/ads/* -/a3/?sub=$third-party -/a7delivery_ -/aa/www/* -/aamsz= -/ABAdsv1. -/abm.asp? -/abm.aspx -/abmw.asp -/abmw/* -/abnl/?begun^ -/abnl/?narodads^ -/about-these-ads. -/absolutebm.aspx? -/abvAds_ -/AbvProductAds/* -/acc_random= -/active-ad- -/ad%20banners/* -/ad%20images/* -/ad-125. -/ad-300topleft. -/ad-300x250. -/ad-300x254. -/ad-300x300. -/ad-350x350- -/ad-400. -/ad-410x300. -/ad-468- -/ad-600- -/AD-970x90. -/ad-ace/* -/ad-amz. -/ad-api- -/ad-api/* -/ad-audit. -/ad-background. -/ad-banner- -/ad-banner. -/ad-bckg. -/ad-bin/* -/ad-blacklist. -/ad-bottom. -/ad-box- -/ad-boxes- -/ad-bucket. -/ad-builder. -/ad-button1. -/ad-callback. -/ad-catalogue- -/ad-cdn. -/ad-channel- -/ad-choices- -/ad-choices. -/ad-controller. -/ad-creatives- -/ad-creatives/* -/ad-emea. -/ad-engine. -/ad-exchange. -/ad-feature- -/ad-feedback. -/ad-feedback/* -/ad-fix- -/ad-flashgame. -/ad-format. -/ad-forumhome/* -/ad-frame. -/ad-frame/* -/ad-gallery.$~stylesheet -/ad-half_ -/ad-hcm. -/ad-header. -/ad-home- -/ad-hug. -/ad-identifier. -/ad-ifr. -/ad-iframe- -/ad-iframe. -/ad-iframe? -/ad-image. -/ad-images/* -/ad-ina. -/ad-indicator- -/ad-inject/* -/ad-injection/* -/ad-inserter- -/ad-inserter/* -/ad-int- -/ad-invalid- -/ad-issue. -/ad-label- -/ad-label. -/ad-layering- -/ad-layers- -/ad-layers. -/ad-layout/*$~script,~stylesheet -/ad-leaderboard. -/ad-left. -/ad-letter. -/ad-lil. -/ad-link/* -/ad-loader- -/ad-loader. -/ad-loading. -/ad-local.$domain=~ad-local.de -/ad-logger/* -/ad-manager/* -/ad-managment/* -/ad-maven- -/ad-methods. -/ad-minister- -/ad-minister.$domain=~ad-minister.app -/ad-minister/*$domain=~ad-minister.app -/ad-modules/* -/ad-navi/* -/ad-nytimes. -/ad-offer1. -/ad-openx. -/ad-overlay- -/ad-overlay. -/ad-page/* -/ad-plate/* -/ad-plugin/* -/ad-point/* -/ad-position- -/ad-pub. -/ad-pulse. -/ad-record. -/ad-refresh- -/ad-refresh. -/ad-renderer. -/ad-right2. -/ad-ros- -/ad-rotator- -/ad-scroll. -/ad-serve? -/ad-server. -/ad-server/* -/ad-side/* -/ad-sidebar- -/ad-skin- -/ad-skyscraper. -/ad-source/* -/ad-sovrn. -/ad-specs. -/ad-sprite. -/ad-srv. -/ad-strip. -/ad-stub- -/ad-studio/* -/ad-styles. -/ad-tag- -/ad-tag2. -/ad-tags/* -/ad-tandem. -/ad-template. -/ad-template/* -/ad-text. -/ad-third-party/* -/ad-title. -/ad-top- -/ad-top. -/ad-top/* -/ad-topbanner- -/ad-unit- -/ad-updated- -/ad-utilities. -/ad-vert. -/ad-vertical- -/ad-verticalbar. -/ad-view- -/ad-wisteria. -/ad.ams. -/ad.ashx? -/Ad.asmx/* -/ad.asp? -/ad.aspx? -/ad.cgi? -/ad.code? -/ad.css? -/ad.epl? -/ad.gif| -/ad.html? -/ad.info. -/ad.jsp? -/ad.mason? -/ad.min. -/ad.php3? -/ad.php? -/ad.php| -/ad.popup? -/ad.premium- -/ad.redirect. -/ad.sense/* -/ad.serve. -/ad.skin. -/ad.slot. -/ad.valary? -/ad.view? -/ad.xml$xmlhttprequest -/ad.ytn. -/ad/*&ifid= -/ad/130- -/ad/402_ -/ad/600- -/ad/728- -/ad/938- -/ad/940- -/ad/960x60. -/ad/?host= -/ad/?section= -/ad/?site= -/ad/a.aspx? -/ad/activateFlashObject. -/ad/ad2/* -/ad/add_ -/ad/adp_ -/ad/afc_ -/ad/article_ -/ad/audsci. -/ad/b_view? -/ad/banner. -/ad/banner/* -/ad/banner? -/ad/banner_ -/ad/bannerdetails/* -/ad/bannerimg/* -/ad/banners/* -/ad/bbl- -/ad/behavpixel. -/ad/bin/* -/ad/blank. -/ad/blog_ -/ad/bottom. -/ad/bsb. -/ad/card- -/ad/clients/* -/ad/common/* -/ad/common_ -/ad/commons/* -/ad/content/* -/ad/cpmstar/* -/ad/cross- -/ad/css/*$domain=~cspace.com -/ad/directcall/* -/ad/empty. -/ad/extra/* -/ad/extra_ -/ad/files/* -/AD/Footer_ -/ad/frame1. -/ad/framed? -/ad/generate? -/ad/getban? -/ad/getbanandfile? -/ad/google/* -/ad/google_ -/ad/guest/* -/ad/homepage? -/ad/html/* -/ad/iframe. -/ad/iframe/* -/ad/image/* -/ad/images/* -/ad/img/* -/ad/index. -/ad/index/* -/Ad/Index? -/ad/index_ -/ad/inline? -/ad/integral- -/ad/inventory/* -/ad/js/banner9232. -/ad/js/pushdown. -/ad/jsonp/* -/ad/leaderboard. -/ad/listing- -/ad/live- -/ad/load. -/ad/load_ -/ad/loaders/* -/ad/loading. -/ad/log/* -/ad/login- -/ad/logo/* -/ad/material/* -/ad/middle. -/ad/mpu/* -/ad/multfusion. -/ad/network/* -/Ad/Oas? -/ad/omakasa. -/ad/ongoing/* -/ad/p/jsonp? -/ad/play1. -/ad/player_ -/ad/player| -/ad/pong? -/ad/popup. -/Ad/premium/* -/ad/preview/* -/ad/quigo/* -/ad/random_ -/ad/realclick. -/ad/realclick/* -/ad/rectangle. -/ad/reklamy. -/ad/request? -/ad/right2. -/ad/rotate? -/ad/script/* -/ad/select? -/ad/semantic_ -/ad/serve. -/ad/show. -/ad/side_ -/ad/skin_ -/ad/skyscraper. -/ad/skyscrapper. -/ad/slider/* -/ad/small- -/ad/spacer. -/ad/special. -/ad/sponsored- -/ad/sponsors/* -/ad/static_ -/ad/status? -/ad/superbanner. -/ad/swf/* -/ad/takeover/* -/ad/textlinks/* -/ad/thumbs/* -/ad/timing. -/ad/top. -/ad/top/* -/ad/top1. -/ad/top2. -/ad/top3. -/ad/top_ -/ad/view/* -/ad/View3. -/ad/wisteria/* -/ad/zeus/* -/ad0.$domain=~ad0.com|~ad0.dev|~ad0.org|~vereinslinie.de -/ad000/* -/ad01. -/ad02/background_ -/ad1-728- -/ad1.$domain=~ad1.de|~ad1.in|~vereinslinie.de -/ad1/index. -/ad11c. -/ad12. -/ad120x60. -/ad125. -/ad125b. -/ad125x125. -/ad132m. -/ad132m/* -/ad134m/* -/ad136/* -/ad15. -/ad16.$domain=~ad16.asmrc.org -/ad160. -/ad160k. -/ad160px. -/ad160x600. -/ad1_ -/ad1place. -/ad1r. -/ad1x1home. -/ad2-728- -/ad2.$domain=~vereinslinie.de -/ad2/index. -/ad2/res/* -/ad2010. -/ad234. -/ad24.png -/ad24/* -/ad247realmedia/* -/ad250. -/ad290x60_ -/ad2_ -/ad2border. -/ad2con. -/ad2gate. -/ad2gather. -/ad2push. -/ad2you/* -/ad3.$domain=~ad3.eu|~vereinslinie.de -/ad300. -/ad300f. -/ad300f2. -/ad300home. -/ad300s. -/ad300ws. -/ad300x. -/ad300x145. -/ad300x250- -/ad300x250. -/ad300x250_ -/ad336. -/ad350. -/ad3_ima. -/ad3i. -/ad4.$domain=~ad4.wpengine.com|~vereinslinie.de -/ad41_ -/ad468. -/ad468x60. -/ad468x80. -/ad4i. -/ad5. -/ad6. -/ad600x250. -/ad600x330. -/ad7. -/ad728- -/ad728. -/AD728cat. -/ad728f. -/ad728f2. -/ad728home. -/ad728rod. -/ad728s. -/ad728t. -/ad728w. -/ad728ws. -/ad728x. -/ad728x15. -/ad728x15_ -/ad728x90- -/ad728x90. -/ad8. -/ad?channel= -/ad?cid= +/a/?ad= +/a/display.php?$script +/ab_fl.js$script +/ad--unit.htm| +/ad-choices-$image +/ad-choices.png$image +/ad-scripts--$script +/ad-scroll.js$script +/ad-server.$~script +/ad.cgi?$~xmlhttprequest +/ad.css?$stylesheet +/ad.html?$~xmlhttprequest +/ad.min.js$script +/ad/ad_common.js$script +/ad/dfp/*$script +/ad/getban?$script +/ad/image/*$image +/ad/images/*$image,domain=~studiocalling.it +/ad/img/*$image,domain=~eki-net.com|~jiji.com +/ad300.jpg$image +/ad300.png$image +/ad728.png$image /ad?count= -/ad?currentview= -/ad?data= -/ad?iframe_ -/ad?pos_ -/ad?sponsor= /ad?type= -/ad_120_ -/ad_200x90_ -/ad_234x60_ -/ad_250x250_ -/ad_300. -/ad_300250. -/ad_300_ -/ad_4_tag_ -/ad_600_ -/ad_600x160_ -/ad_600x500/* -/ad_728. -/ad_728_ -/ad_960x90_ -/ad_agency/* -/ad_announce. -/ad_area. -/ad_art/* -/ad_article_ -/Ad_Arub_ -/ad_axt_ -/ad_banner. -/ad_banner/* -/ad_banner1. -/ad_banner2. -/ad_banner_ -/ad_bannerPool- -/ad_banners/* -/ad_bar_ -/ad_base. -/ad_big_ -/ad_blog. -/ad_bomb/* -/ad_bot. -/ad_bottom. -/ad_box. -/ad_box1. -/ad_box2. -/ad_box? -/ad_box_ -/ad_boxes/* -/ad_bsb. -/ad_button. -/ad_cache/* -/ad_campaign? -/ad_campaigns/* -/ad_caption. -/ad_check. -/ad_choices. -/ad_choices_ -/ad_code. -/ad_common. -/ad_commonside. -/ad_commonside_ -/ad_companion? -/ad_config. -/ad_configuration. -/ad_configurations_ -/ad_container_ -/ad_content. -/ad_contents/* -/ad_count. -/ad_counter. -/ad_counter_ -/ad_create. -/ad_creatives. -/ad_data/* -/ad_data_ -/ad_delivery? -/ad_detect. -/ad_digital. -/ad_dir/* -/ad_display. -/ad_display_ -/ad_drivers/* -/ad_ebound. -/ad_editorials_ -/ad_engine? -/ad_entry_ -/ad_exo. -/ad_feed. -/ad_feedback_ -/ad_file/* -/ad_files/* -/ad_fill. -/ad_filler. -/ad_filmstrip/* -/ad_fixedad. -/ad_flash/* -/ad_flat_ -/ad_floater. -/ad_folder/* -/ad_footer. -/ad_footer_ -/ad_forum_ -/ad_frame. -/ad_frame? -/ad_frm. -/ad_function. -/ad_ga_callback. -/ad_generator. -/ad_generator? -/ad_gif/* -/ad_gif_ -/ad_google. -/ad_h.css? -/ad_hcl_ -/ad_hcr_ -/ad_head_ -/ad_header. -/ad_header_ -/ad_headerbg. -/ad_height/* -/ad_holder/* -/ad_home. -/ad_home2011_ -/ad_home_ -/ad_homepage_ -/ad_horisontal. -/ad_horiz. -/ad_horizontal. -/ad_html/* -/ad_icons/* -/ad_iframe. -/ad_iframe_ -/ad_ima- -/ad_image. -/ad_image2. -/ad_images/* -/ad_img. -/ad_img/* -/ad_include. -/Ad_Index? -/ad_index_ -/ad_insert. -/ad_isp_ -/ad_jnaught/* -/ad_keywords. -/ad_label2_ -/ad_label728. -/ad_label_ -/ad_large. -/ad_lazyload. -/ad_leader. -/ad_leader_ -/ad_leaderboard. -/ad_leaderboard/* -/ad_left. -/ad_left_ -/ad_legend_ -/ad_link. -/ad_links/* -/ad_listpage. -/ad_load. -/ad_loader. -/ad_loader2. -/ad_locations/* -/ad_log_ -/ad_lomadee. -/ad_manage. -/ad_manager. -/ad_manager/* -/ad_master_ -/ad_mbox. -/ad_media/* -/ad_medium_ -/ad_mini_ -/ad_mobile. -/ad_mpu. -/ad_multi_ -/ad_navigbar_ -/ad_news. -/ad_note. -/ad_notice. -/ad_oas/* -/ad_offersmail_ -/ad_onclick. -/ad_ops/* -/ad_option_ -/ad_overlay. -/ad_page_ -/ad_paper_ -/ad_parts. -/ad_peel/*$script -/ad_pics/* -/ad_pir. -/ad_pop. -/ad_pop1. -/ad_popup_ +/ad_728.jpg$image +/ad_728.js$script +/ad_banner/*$image,domain=~ccf.com.cn +/ad_bottom.jpg$image +/ad_bottom.js$script +/ad_counter.aspx$ping +/ad_header.js$script +/ad_home.js$script +/ad_images/*$image,domain=~5nd.com|~dietnavi.com +/ad_img/*$image +/ad_manager/*$image,script /ad_pos= /ad_position= -/ad_position_ -/ad_premium. -/ad_premium_ -/ad_preroll- -/ad_print. -/ad_rectangle_ -/ad_red. -/ad_refresh. -/ad_refresher. -/ad_reloader_ -/ad_remon_ -/ad_render_ -/ad_renderv4_ -/ad_rentangle. -/ad_req. -/ad_request. -/ad_resize. -/ad_right. -/ad_right_ -/ad_rotation. -/ad_rotator. -/ad_rotator/* -/ad_rotator_ -/ad_screen. -/ad_script. -/ad_script_ -/ad_scroller. -/ad_selectMainfixedad. -/ad_serv. -/ad_serve. -/ad_serve_ -/ad_server. -/ad_server/* -/ad_serverV2. -/ad_servlet. -/ad_shared/* -/ad_show. -/ad_show? -/ad_side. -/ad_sidebar/* -/ad_sizes= -/ad_skin_ -/ad_sky. -/ad_skyscraper. -/ad_slideout. -/ad_slots. -/ad_space. -/ad_spot. -/ad_square. -/ad_square_ -/ad_squares. -/ad_srv. -/ad_status. -/ad_stem/* -/ad_sticky. -/ad_styling_ -/ad_supertile/* -/ad_support. -/ad_sys/* -/ad_syshome. -/ad_system/* -/ad_tab. -/ad_tag. -/ad_tag_ -/ad_tags_ -/ad_text. -/ad_text_ -/ad_tickets. -/ad_tile/* -/ad_timer. -/ad_title_ -/ad_tools/* -/ad_top. -/ad_top/* -/ad_top_ -/ad_topgray2. -/ad_tower_ -/ad_tpl. -/ad_ttb. -/ad_txt. -/ad_units. -/ad_units/* -/ad_units? -/ad_upload/* -/ad_util. -/ad_utils. -/ad_utils/* -/ad_ver/* -/ad_vert. -/ad_vertical. -/ad_video.htm -/ad_video1. -/ad_view_ -/ad_wide_ -/ad_width/* -/ad_wrapper. -/ad_www_ -/adactions. -/adaffiliate_ -/AdAgent_ -/adanalytics. -/adanim/* -/adaptvadplayer. -/adaptvadservervastvideo. -/adaptvexchangevastvideo. -/adarena/* -/adasiatagmanager. -/adasset/* -/adasset4/* -/adasync. -/adb.js?tag= -/adback. -/adback? -/AdBackground. -/adban. -/adbanner. -/adbanner/* -/adbanner2. -/adbanner2/* -/adbanner_ -/adbanners/* -/adbar.$domain=~adbar.fi|~adbar.io -/adbar/* -/adbar2_ -/adbar_ -/adbars. -/adbase. -/adbayimg/* -/adbeacon. -/adbebi_ -/adbet- -/adbetween/* -/adbg.jpg -/adbl1/* -/adbl2/* -/adbl3/* -/adblade-publisher-tools/* -/adblob. -/adblock.ash -/adblock.js -/adblock26. -/adblock?id= -/adblockl. -/adblockr. -/adbn? -/adboost.$domain=~adboost.fr|~adboost.io|~adboost.se|~adboost.sellerboost.de -/adborder. -/adbot160. -/adbot300. -/adbot728. -/adbot_ -/adbotleft. -/adbotright. -/adbottom. -/adbox. -/adbox/* -/adbox1. -/adbox2. -/adbox_ -/adboxbk. -/AdBoxDiv. -/adboxes/* -/adboxtable- -/adbreak_ -/adbridg. -/adbrite- -/adbrite. -/adbrite/* -/adbrite2. -/adbrite_ -/adbriteinc. -/adbriteincleft2. -/adbriteincright. -/adbroker. -/adbroker/* -/adbtr. -/adbucket. -/adbucks/* -/adbug_ -/adbureau. -/adbutler- -/adbutler/* -/adbytes. -/adcache. -/adcall. -/adcalloverride. -/adcampaigns/* -/adcase.$domain=~adcase.ru -/adcash- -/adcash.$domain=~adcash.com -/adcash| -/adcast01_ -/adcast_ -/adcde.js -/adcdn. -/adcell/* -/adcenter.$script,domain=~adcenter.capgemini.com|~adcenter.nu|~m-m-g.com -/adcentral. -/adCfg. -/adcframe. -/adcgi? -/adchain- -/adchain. -/adchannel_ -/adcheck. -/adcheck? -/adchoice. -/adchoice/* -/adchoice_ -/adchoices- -/adchoices. -/adchoices/* -/adchoices16. -/adchoices2. -/adchoices_ -/adchoicesfooter. -/adchoicesicon. -/adchoiceslogo. -/adchoicesv4. -/adcircle. -/adcla/* -/adclick- -/adclick. -/adclick/* -/adClick? -/adclient- -/adclient. -/adclient/* -/adclix.$~image -/adclixad. -/adClosefeedbackUpgrade. -/adclutter. -/adcode. -/adcode/* -/adcode_ -/adcodes/* -/adcollector. -/adcommon? -/adcomp. -/adcomponent/* -/adconfig. -/adconfig/* -/adcontainer? -/adcontent.$~object-subrequest -/adcontent/* -/adcontents_ -/adcontrol. -/adcontrol/* -/adcontroller. -/adcore.$domain=~adcore.ch|~adcore.com.au|~adcore.ua -/adcore_$domain=~adcore.ch|~adcore.com.au -/adcount.$domain=~adcount.com|~adcount.fi -/adcounter. -/adcreative. -/adcreative/* -/adcreatives/* -/adcss/* -/adctrl/* -/adcxtnew_ -/adcycle. -/adcycle/* -/add728. -/addata.$domain=~addata.io -/addatasandbox? -/addeals/* -/addefend. -/addefend/* -/addelivery/* -/addeliverymodule/* -/addisplay.$domain=~addisplay.ca -/addon/ad/* -/addons/ads/* -/adds_banner/* -/addyn/3.0/* +/ad_right.$subdocument +/ad_rotator/*$image,script,domain=~spokane.exchange +/ad_server.cgi$subdocument +/ad_side.$~xmlhttprequest +/ad_skyscraper.gif$image +/ad_top.jpg$image +/ad_top.js$script +/adanalytics.js$script +/adaptive_components.ashx?type=ads& +/adaptvadplayer.js$script +/adasync.js$script +/adasync.min.js$script +/adbanners/*$image +/adchoice.png$image +/adcount.js$script /addyn|*;adtech; /addyn|*|adtech; -/adedge/* -/AdElement/* -/adenc. -/adenc_ -/adengage- -/adengage. -/adengage/* -/adengage0. -/adengage1. -/adengage2. -/adengage3. -/adengage4. -/adengage5. -/adengage6. -/adengage_ -/adengine. -/adengine/* -/adengine_ -/adentry. -/aderlee_ads. -/adError/* -/adevent.$domain=~adevent.com -/adevents.$domain=~adevents.com|~adevents.com.au -/adexample? -/adexclude/* -/adexternal. -/adf.cgi? -/adfactor/* -/adfactor_ -/adfactory- -/adfactory.$domain=~adfactory.rocks -/adfactory_ -/adfarm.$~image,third-party,domain=~mediaplex.com -/adfarm.$~third-party,domain=~mediaplex.com -/adfarm/* -/adfeed. -/adfeedback/* -/adfeeds. -/adfeedtestview. -/adfetch. -/adfetch? -/adfetcher? -/adfever_ -/adfile. -/adfile/* -/adfiles. -/adfiles/* -/adfillers/* -/adflag. -/adflash. -/adflashes/* -/adfliction- -/adflow.$domain=~adflow.com.au|~adflow.io|~adflow.marketing|~adflow.pl -/adfly/* -/adfolder/* -/adfootcenter. -/adfooter. -/adFooterBG. -/adfootleft. -/adfootright. -/adforgame160x600. -/adforgame728x90. -/adforgame728x90_ -/adforge. -/AdForm_trackpoint. -/AdForm_trackpoint_ -/adformats/* -/AdformVideo_ -/adforums/* -/adfox.$domain=~adfox.de|~adfox.group|~adfox.hu -/adfox/* -/adfoxLoader_ -/adfr. -/adframe. -/adframe/* -/adframe120. -/adframe120x240. -/adframe2. -/adframe468. -/adframe728a. -/adframe728b. -/adframe728b2. -/adframe728bot. -/adframe728homebh. -/adframe? -/adframe_ -/adframebottom. -/adframecommon. -/adframemiddle. -/adframes. -/adframes/* -/adframetop. -/adframewrapper. -/adfrequencycapping. -/adfrm. -/adfront/* -/adfshow? -/adfuncs. -/adfunction. -/adfunctions. -/adgallery1. -/adgallery1| -/adgallery2. -/adgallery2| -/adgallery3. -/adgallery3| -/adgalleryheader. -/adgear.js -/adgear/* -/adgear1- -/adgear2- -/adgearsegmentation. -/adgenerator. -/adgeo/* -/adGet. -/adgetter. -/adgitize- -/adgooglefull2. -/adGpt. -/adgraphics/* -/adguard.$domain=~adguard.com|~adguard.mobi|~adguard.oneskyapp.com|~greinr.com -/adguru. -/adhads. -/adhalfbanner. -/adhandler. +/adengine.js$script +/adfox/loader.js$script +/adfx.loader.bind.js$script /adhandler/*$~subdocument -/adhandlers- -/adhandlers2. -/adheader. -/adheadertxt. -/adheading_ -/adhelper. -/adhese. -/adhese_ -/adhints/* -/adhomepage. -/adhomepage2. -/adhood. -/adhost.$domain=~adhost.dk -/adhref.$domain=~adhref.com -/adhtml/* -/adhub. -/adhug_ -/adicon_ -/adiframe. -/adiframe/* -/adiframe1. -/adiframe18. -/adiframe2. -/adiframe7. -/adiframe9. -/adiframe? -/adiframe_ -/adiframeanchor. -/adiframem1. -/adiframem2. -/adiframetop. /adiframe|*|adtech; -/adify_ -/adifyad. -/adifyids. -/adifyoverlay. -/adim.html?ad -/adimage. -/adimage/* -/adimage? -/adimages. -/adimages/*$~subdocument -/adimg.$domain=~adimg.ru -/adimg/* -/adinator/* -/adinclude. -/adinclude/* -/adindex/* -/adindicatortext. -/adInfoInc/* -/adinit. -/adinject.$domain=~adinject.com -/adinjector. -/adinjector_ -/adinsert. -/adinsertionplugin. -/adinsertjuicy. -/adinterax. -/adiquity. -/adiro.$domain=~adiro.se -/aditems/* -/adition. -/adixs. -/adj.php? -/adjk. -/adjoin. -/adjs. -/adjs/* -/adjs? -/adjs_ -/adjsmp. -/adjson. -/adjug. -/adjuggler? -/adkeys. -/adkingpro- -/adkingpro/* -/adl.php -/adlabel.$domain=~adlabel.adgoal.de -/adlabel_ -/adlabs.js -/AdLanding. -/adlanding/* -/adlandr. -/adlantis. -/adlantisloader. -/adlargefooter. -/adlargefooter2. -/adlayer. -/adlayer/* -/adlead.$domain=~adlead.com -/adleader. -/adleaderboardtop. -/adleft. -/adleft/* -/adleftsidebar. -/adlens- -/adlesse. -/adlib.$domain=~adlib.info|~adlib.mu|~catharijneconvent.nl -/adlift4. -/adlift4_ -/adline.$domain=~adline.co.il -/adlink-$domain=~adlinktech.com -/adlink.$domain=~adlink.guru|~adlinktech.com -/adlink/*$domain=~adlinktech.com -/adLink728. -/adlink? -/adlink_ -/adlinks. -/adlinks2. -/adlinks_ -/adlist_ -/adload. -/adloader. -/adloader/* -/adlock300. -/adlog.php? -/adlogix. -/adm/ad/* -/admage. -/admain. -/admain| -/adman-$domain=~adman-industries.com -/adman.$domain=~adman.com|~adman.ee|~adman.studio -/adman/* -/adman_ -/admanagement/* -/admanagementadvanced. -/admanager.$~object-subrequest,domain=~admanager.google.com -/admanager/*$~object-subrequest -/admanager3. -/admanager_ -/admanagers/* -/admanagerstatus/* -/admanproxy. -/ADMark/* -/admarker. -/admarker_ -/admarket/* -/adMarketplace. -/admarubanners. -/admarvel. -/admaster.$domain=~admaster.biz -/admaster? -/admatch- -/admatcher.$~object-subrequest,~xmlhttprequest -/admatcherclient. -/admatik. -/admaven.js -/admaven.min.js -/admax.$domain=~admax.cn|~admax.co|~admax.eu|~admax.fi|~admax.info|~admax.net|~admax.nu|~admax.org|~admax.se|~admax.us -/admax/* -/admaxads. -/admcoreext. -/admeasure. -/admedia.$domain=~admedia.co.il|~admedia.com|~admedia.net.au -/admedia/* -/admega. -/admeld. -/admeld/* -/admeld_ -/admeldscript. -/admentor/* -/admentor302/* -/admentorasp/* -/admentorserve. -/admeta. -/admeta/cm? -/admetamatch? -/admez. -/admez/* -/admgr. -/admicro2. -/admicro_ -/admin/ad_ -/admin/banners/* -/admin/sponsors/* -/adminibanner2. -/admixer- -/admixer_ -/admob. -/adModule. -/admonitor- -/admonitor. -/admvn_pop. -/adnap/* -/adNdsoft/* -/adnet.$domain=~adnet.agency|~adnet.hr -/ADNet/* -/adnet2. -/adnetmedia.$domain=~adnetmedia.hu -/adnetwork.$domain=~adnetwork.ai|~adnetwork.ie -/adnetwork/* -/adnetwork300. -/adnetwork468. -/adnetwork_ -/adnew2. -/adnews.$domain=~adnews.pl -/AdNewsclip14. -/AdNewsclip15. -/adnex. -/adnext.$domain=~adnext.pl -/adnexus- -/adng.html -/adning/* -/adnl. -/adnotice. -/adnow- -/adobject. -/adocean. -/adometry- -/adometry. -/adometry? -/adonline. -/adonly468. -/adops.$domain=~adops.co.il -/adops/* -/adopshost. -/adopspush- -/adoptimised. -/AdOptimizer. -/adoptionicon. -/adoptions.$domain=~efollett.com -/adorika300. -/adorika728. -/ados.js -/ados? -/adotube_adapter. -/adotubeplugin. -/adoverlay. -/adoverlay/* -/adoverlayplugin. -/adoverride. -/adp-pro/* -/adp.htm -/adpage-$domain=~adpage.com.ua|~adpage.io -/adpage.$domain=~adpage.com.ua|~adpage.io -/adpage/*$domain=~adpage.com.ua|~adpage.io -/adpagem. -/adpages/*$domain=~adpages.com -/adpai. -/adpan/* -/adpanel/* -/adpanelcontent. -/adpartner. -/adparts/* -/adpatch. -/adpeeps. -/adpeeps/* -/adperf_ -/adperfdemo. -/adphoto.$domain=~adphoto.eu|~adphoto.fr|~adphoto.pl -/adpic. -/adpic/* -/adpicture. -/adpicture1. -/adpicture1| -/adpicture2. -/adpicture2| -/adpictures/* -/adping. -/adpix/* -/adplace/* -/adplace5_ -/adPlaceholder. -/adplacement. -/adplan4. -/adplay. -/adplayer- -/adplayer.$domain=~adplayer.media -/adplayer/* -/adplugin. -/adplugin/* -/adplugin_ -/adpoint. -/adpolestar/* -/adpool/* -/adpop.$domain=~adpop.io|~adpop.me|~adpop.ro -/adpop32. -/adpopup. -/adPos? -/adPositions. -/adpositionsizein- -/AdPostInjectAsync. -/AdPreview/* -/adprime.$domain=~adprime.pl -/adproducts/* -/adprove_ -/adprovider. -/adproxy. -/adproxy/* -/AdPub/* -/adpush/* -/adquality/* -/adratio. -/adrawdata/* -/adreactor/* -/adreadytractions. -/adrec.$domain=~adrec.paris-sorbonne.fr -/adreclaim- -/adrectanglebanner? -/adrefresh- -/adrefresh. -/adrelated. -/adreload. -/adreload? -/adremote. -/adrendererfactory. -/adreplace/* -/adreplace160x600. -/adreplace728x90. -/adrequest.$domain=~adrequest.com -/adRequest?$domain=~adrequest.com -/adrequests. -/adrequestvo. -/adrequisitor- -/adrevenue/* -/adrevolver/* -/adrich. -/adright.$domain=~adright.com -/adright/* -/adrightcol. -/adriver.$~object-subrequest -/adriver/* -/adriver_$~object-subrequest -/adrobot.$domain=~adrobot.com.au -/adrolays. -/adRoll. -/adroller. -/adrollpixel. -/adroot/* -/adrot. -/adrot_ -/adrotat. -/adrotate- -/adrotate. -/adrotate/* -/adrotation. -/adrotator. -/adrotator/* -/adrotator2. -/adrotator_ -/adrotv2. -/adrun. -/adruptive. -/ads-01. -/ads-02. -/ads-03. -/ads-04. -/ads-05. -/ads-06. -/ads-07. -/ads-1. -/ads-2. -/ads-250. -/ads-300- -/ads-300. -/ads-5. -/ads-admin. -/ads-api. -/ads-arc. -/ads-banner -/Ads-bdl? -/ads-beacon. -/ads-blogs- -/ads-cch- -/ads-common. -/ads-config. -/ads-foot. -/ads-footer. -/ads-gpt. -/ads-header- -/ads-holder. -/ads-home. -/ads-inside- -/ads-intros. -/ads-leader| -/ads-min. -/ads-mobileweb- -/ads-module. -/ads-module/* -/ads-mopub? -/ads-net. -/ads-new. -/ads-no- -/ads-nodep. -/ads-pd. -/ads-rectangle. -/ads-rec| -/ads-request. -/ads-restrictions. -/ads-reviews- -/ads-right. -/ads-sa. -/ads-screen. -/ads-scroller- -/ads-segmentjs. -/ads-service. -/ads-sidebar- -/ads-skyscraper. -/ads-sky| -/ads-sticker. -/ads-sticker2. -/ads-top. -/ads-vast- -/Ads.ashx -/ads.asp? -/ads.aspx -/ads.bmp? -/ads.bundle. -/ads.cfm? -/ads.client- -/ads.cms -/ads.compat. -/ads.css -/ads.dll/* -/ads.gif -/ads.htm -/ads.jplayer. -/ads.js. -/ads.js/* -/ads.js? -/ads.json? -/ads.jsp -/ads.load. -/ads.min.js -/ads.pbs -/ads.php -/ads.pl? -/ads.png -/ads.release/* -/ads.swf -/ads.txt -/ads.v5.js -/ads.w3c. -/ads/1. -/ads/125l. -/ads/125r. -/ads/160. -/ads/160/* -/ads/2. -/ads/2010/* -/ads/250x120_ -/ads/3. -/ads/300. -/ads/3002. -/ads/300x120_ -/ads/468. -/ads/468a. -/ads/728- -/ads/728. -/ads/728b. -/ads/728x90above_ -/ads/?id= -/ads/?page= -/ads/?QAPS_ -/ads/?uniq= -/ads/a. -/ads/ab/* -/ads/abrad. +/adimage.$image,script,stylesheet +/adimages.$script +/adjs.php$script +/adlayer.php$script +/adlog.php$image +/admanager.js$script +/admanager.min.js$script +/admanager/*$~object,~xmlhttprequest,domain=~admanager.line.biz|~blog.google|~sevio.com +/admgr.js$script +/admitad.js$script +/adocean.js$script +/adpartner.min.js$script +/adplayer.$script,domain=~adplayer.pro +/adpopup.js$script +/adrecover-new.js$script +/adrecover.js$script +/adright.$~xmlhttprequest,domain=~aaahaltontaxi.ca|~adright.com +/ads-250.$image +/ads-async.$script +/ads-common.$image,script +/ads-front.min.js$script +/ads-frontend.min.js$script +/ads-native.js$script +/ads-templateslist.$script +/ads-vast-vpaid.js?$script +/ads.bundle.js$script +/ads.bundle.min.js$script +/ads.cfm?$subdocument +/ads.jplayer.$stylesheet +/ads.pl?$~xmlhttprequest +/ads/!rotator/* +/ads/300.$subdocument /ads/acctid= -/ads/ad- -/ads/ad. -/ads/ad_ -/ads/adp4. -/ads/adrime/* -/Ads/adrp0. -/ads/ads-$~stylesheet -/ads/ads. -/ads/ads/* -/ads/ads_ -/ads/adv/* -/ads/adx/* -/ads/afc/* -/ads/aff- -/ads/all_ -/ads/article- -/ads/article. -/ads/as_header. -/ads/assets/* -/ads/async/* -/ads/b/* -/ads/banid/* -/ads/banner- -/ads/banner. -/ads/banner/* -/ads/banner01. -/ads/banner? -/ads/banner_ -/ads/banners/* -/ads/base. -/ads/beacon. -/ads/behicon. -/ads/bg_ -/ads/bilar/* -/Ads/Biz_ -/ads/blank. -/ads/bottom. -/ads/bottom/* -/ads/box/* -/ads/box300. -/ads/branding/* -/ads/bt/* -/ads/btbuckets/* -/Ads/Builder. -/ads/bz_ -/ads/cbr. -/ads/center- -/ads/center. -/ads/checkViewport. -/ads/click_ -/ads/cnvideo/* -/ads/common/* -/ads/community? -/ads/config/* -/ads/configuration/* -/ads/contextual. -/ads/contextual_ -/ads/contextuallinks/* -/ads/create_ -/ads/creatives/* -/ads/cube- -/ads/daily. -/ads/daily_ -/ads/dart. -/ads/default_ -/ads/delivery? -/ads/design- -/ads/dfp. -/ads/dfp/* -/ads/dfp? -/ads/dhtml/* -/ads/directory/* -/ads/display/* -/ads/displaytrust. -/ads/dj_ -/ads/drive. -/ads/ds/* -/ads/elementViewability. -/ads/empty. -/ads/exit. -/ads/exo_ -/ads/fb- -/ads/flash/* -/ads/flash_ -/ads/flashbanners/* -/ads/footer- -/ads/footer. -/ads/footer_ -/ads/forum- -/ads/forums/* -/ads/freewheel/* -/ads/frontpage/* -/ads/g/* -/ads/generatedHTML/* -/ads/generator/* -/ads/getall -/ads/google1. -/ads/google2. -/ads/google_ -/ads/gpt/* -/ads/gpt_ -/ads/gray/* -/ads/head. -/ads/header- -/ads/header. -/ads/header/* -/ads/header_ -/ads/home/* -/ads/homepage/* -/ads/horizontal/* -/ads/house/* -/ads/house_ -/ads/html/* -/ads/htmlparser. -/ads/iframe -/ads/im2. -/ads/image/* -/ads/images/* -/ads/imbox- -/ads/img/* -/ads/index- -/ads/index. -/ads/index/* -/ads/index_ -/ads/indexmarket. -/ads/indexsponsors/* -/Ads/InFullScreen. -/ads/initialize/* -/ads/inline. -/ads/inner_ -/ads/intermarkets_ -/ads/interstitial. -/ads/interstitial/* -/ads/jquery. -/ads/js. -/ads/js/* -/ads/js_ -/ads/jsbannertext. -/ads/labels/* -/ads/layer. -/ads/leaderboard- -/ads/leaderboard. -/ads/leaderboard/* -/ads/leaderboard? -/ads/leaderboard_ -/ads/leaderbox. -/ads/like/* -/ads/load. -/ads/main. -/ads/marketing/* -/ads/masthead_ -/ads/menu_ -/ads/middle/* -/ads/mobiles/* -/ads/motherless. -/ads/mpu/* -/ads/mpu2? -/ads/mpu? -/ads/msn/* -/ads/mt_ -/ads/narf_ -/ads/native/* -/ads/navbar/* -/ads/ninemsn. -/ads/oas- -/ads/oas/* -/ads/oas_ -/ads/original/* -/ads/oscar/* -/ads/outbrain? -/ads/overlay- -/ads/overlay/* -/ads/p/* -/ads/page. -/ads/panel. -/ads/payload/* -/ads/pc. -/ads/pencil/* -/ads/player- -/ads/plugs/* -/ads/pop. -/ads/popout. -/ads/popshow. -/ads/popup. -/ads/popup_ -/ads/post- -/ads/postscribe. -/ads/preloader/* -/ads/preroll- -/ads/preroll/* -/ads/preroll_ -/ads/pro/* -/ads/prod/* -/ads/profile/* -/ads/promo_ -/ads/proposal/* -/ads/proximic. -/ads/proxy- -/AdS/RAD. -/ads/rail- -/ads/rawstory_ -/ads/real_ -/ads/rect_ -/ads/rectangle_ -/Ads/Refresher. -/ads/request. -/ads/reskins/* -/ads/right. -/ads/right/* -/ads/ringtone_ -/ads/rotate/* -/ads/rotate_ -/ads/scriptinject. -/ads/scripts/* -/ads/select/* -/ads/serveIt/* -/ads/show. -/ads/show/* -/ads/side- -/ads/sidebar- -/ads/sidedoor/* -/ads/sitewide_ -/ads/skins/* -/ads/sky_ -/ads/smi24- -/ads/spacer. -/ads/sponsor -/ads/square- -/ads/square. -/ads/square2. -/ads/square3. -/ads/src/* -/ads/storysponsors/* -/ads/sub/* -/ads/swfobject. -/ads/syndicated/* -/ads/taboola/* -/ads/takeovers/* -/ads/targeting. -/ads/text/* -/ads/third- -/ads/tile- -/ads/top- -/ads/top. -/ads/tr_ -/ads/tracker/* -/ads/triggers/* -/ads/tso -/ads/txt_ -/ads/v2/* -/ads/vertical/* -/ads/vg/* -/ads/video/* -/ads/video_ -/ads/view. -/ads/views/* -/ads/vip_ -/ads/vmap/*$~xmlhttprequest -/ads/web/* -/ads/webplayer. -/ads/webplayer? -/ads/welcomescreen. -/ads/widebanner. -/ads/widget. -/ads/writecapture. -/ads/www/* -/ads/xtcore. -/ads/yahoo/* -/ads/zergnet. -/ads/zone/* -/ads0. -/ads01. -/ads05. -/ads09a/* -/ads1. -/ads1/* -/ads10. -/ads10/* -/ads100. -/ads11. -/ads11/* -/ads12. -/ads125. -/ads125_ -/ads160. -/ads160x600- -/ads160x600. -/ads160x600px. -/ads18. -/ads2. -/ads2/* -/ads20. -/ads2012/* -/ads2013/* -/ads2015/* -/ads203. -/ads210. -/ads2_ -/ads2x300. -/ads2x300new. -/ads3. -/ads3/* -/ads300. -/ads300_250. -/ads300adn2. -/ads300x250. -/ads300X2502. -/ads300x250_ -/ads300x250px. -/ads4.$domain=~ads4.city -/ads4/* -/ads468. -/ads468x60. -/ads468x60_ -/ads4j. -/ads4n. -/ads5. -/ads5/* -/ads5t. -/ads6. -/ads6/* -/ads600- -/ads620x60/* -/ads7. -/ads7/* -/ads728. -/ads728adn2. -/ads728e. -/ads728x90_ -/ads728x90a. -/ads790. -/ads8. -/ads8/* -/ads88. -/ads9. -/ads9/* +/ads/banners/*$image +/ads/cbr.js$script +/ads/custom_ads.js$script +/ads/footer.$~xmlhttprequest +/ads/gam_prebid-$script +/ads/get-ads-by-zones/?zones% +/ads/image/*$image +/ads/images/*$image,domain=~eoffcn.com +/ads/index.$~xmlhttprequest +/ads/index/*$~xmlhttprequest,domain=~kuchechina.com +/ads/leaderboard-$~xmlhttprequest +/ads/rectangle_$subdocument +/ads/revgen.$script +/ads/serve?$script +/ads/show.$script +/ads/slideup.$script +/ads/spacer.$image +/Ads/sponsor.$stylesheet +/ads/square-$image,domain=~spoolimports.com +/ads/ta_wppas/*$third-party +/ads/targeted| +/ads/video/*$script +/ads1.$~xmlhttprequest,domain=~ads-i.org +/ads468.$image +/ads468x60.$image +/ads728.$image +/ads728x90.$image /ads?apid -/ads?callback +/ads?client= /ads?id= +/ads?object_$script /ads?param= -/ads?spaceid /ads?zone= /ads?zone_id= -/ads_1. -/ads_160_ -/ads_3. -/ads_300. -/ads_300_ -/ads_6. -/ads_728_ -/ads_9_ -/ads_ad_ -/ads_assets/* -/ads_banner_ -/ads_banners/* -/ads_bg. -/ads_bottom. -/ads_bottom_ -/ads_box_ -/ads_check. -/ads_code. -/ads_code_ -/ads_codes/* -/ads_common_library. -/ads_config. -/ads_controller. -/ads_detect. -/ads_dfp/* -/ads_display. -/ads_door. -/ads_event. -/ads_files/* -/Ads_Fix. -/ads_footer. -/ads_frame. -/ads_gallery/* -/ads_global. -/ads_gnm/* -/ads_google. -/ads_google_ -/ads_home? -/ads_home_ -/ads_ifr. -/ads_iframe. -/ads_image/* -/ads_images/* -/ads_leaderboard_ -/ads_left_ -/ads_load/* -/ads_loader. -/ads_manager. -/ads_medrec_ -/ads_min_ -/ads_new. -/ads_new/* -/ads_openx_ -/ads_patron. -/ads_php/* -/ads_premium. -/ads_pro/* -/ads_r. -/ads_redirect. -/ads_reporting/* -/ads_script- -/ads_server_ -/ads_show_ -/ads_sidebar. -/ads_sprout_ -/ads_start. -/ads_t/* -/ads_text_ -/ads_thumb/* -/ads_top_ -/ads_topbar_ -/ads_ui. -/ads_videos/* -/ads_view. -/Ads_WFC. -/ads_yahoo. -/adsa468. -/adsa728. -/adsadclient31. -/adsadview. -/AdsAjaxRefresh. -/adsales/* -/adsall.$domain=~adsall.net -/adsame. -/adsame/* -/adsame1. -/adsample. -/adsandbox. -/adsandtps/* -/adsAPI. -/adsarticlescript. -/AdsAsync. -/adsatt. -/adsbanner- -/adsbanner. -/adsbanner/* -/adsbannerjs. -/adsbox.$domain=~adsbox.com.sg|~adsbox.in -/adsby. -/adsbyadsn. -/adsbycurse. -/adsbyfalcon. -/adsbygoogle. -/adsbytenmax. -/adscale.$domain=~adscale.com|~adscale.io|~adscale.net -/adscale1. -/adscale_$domain=~adscale.com -/adscalebigsize. -/adscalecontentad. -/adscaleskyscraper. -/adscbg/* -/adscdn. -/adscloud. -/adscluster. -/adsco.$domain=~adsco.com|~adsco.nl -/adscontent. -/adscontent2. -/adscontrol. -/adscot/* -/adscpv/* -/adscript-dfp- -/adscript-dfp. -/adscript-dianomi. -/adscript-optimera. -/adscript. -/adscript1. -/adscript? -/adscript_ -/adscripts/* -/adscripts1. -/adscripts2. -/adscripts3. -/adscroll. -/adsdaq_ -/adsdaqbanner_ -/adsdaqbox_ -/adsdaqsky_ -/adsDateValidation. -/adsdelivery. -/adsdfp/* -/adsdk/* -/adsdm. -/adsdyn160x160. -/adsDynLoad/* -/adsearch.$domain=~adsearch.fr -/adSearch? -/adsec. -/adsecondary. -/adsegmentation. -/adseller/* -/adsen/* -/adsence. -/adsenceSearch. -/adsenceSearchTop. -/adsEnd. -/adsense- -/adsense.$domain=~adsense.az|~adsense.googleblog.com -/adsense/* -/adsense1. -/adsense2. -/adsense23. -/adsense24. -/adsense250. -/adsense3. -/adsense4. -/adsense5. -/adsense? -/adsense_$domain=~adsense.googleblog.com|~support.google.com -/AdsenseBlockView. -/adsensecommon. -/adsensegb. -/adsensegoogle. -/adsensets. -/adsensev2. -/adsenze. -/adseo.$domain=~adseo.com|~adseo.pl -/adseo/* -/adseperator_ -/adser/* -/adserv. -/adserv/* -/adserv1. -/adserv2. -/adserv3. -/adserv_ -/adserve- -/adserve. -/adserve/* -/adserve_ -/adserver- -/adserver.$~xmlhttprequest -/adserver/* -/adserver01. -/adserver1- -/adserver1. -/adserver2. -/adserver2/* -/adserver3. -/adserver7/* -/adserver8strip. -/adserver? -/adserver_ -/adserverc. -/adserverdata. -/adServerDfp. -/adserverpub? -/adservers- -/adserversolutions/* -/adserverstore. -/adservervastvideovizu. -/adservice- -/adservice.$domain=~adservice.io -/adservice/* -/adservices. -/adservices/* -/adservice| -/adserving. -/adserving/* -/adserving_ -/AdServlet? -/adserv|*|adtech; -/adsession. -/adsession_ -/adsetup. -/adsetup_ -/adsfac. -/adsfetch. -/adsfile. -/adsfiles. -/adsfinal. -/adsfix. -/adsfloat. -/adsfolder/* -/adsfooter -/adsframe. -/adsfull/* -/adsfuse- -/adsgame. -/adsGooglePP3. -/adshandler. -/adshandler/* -/adshare.$domain=~adshare.tv|~echosign.com -/adshare/*$domain=~adsharetoolbox.com -/adshare3. -/adsheader. -/adshow- -/adshow. -/adshow/* -/adshow2. -/adshow? -/adshow_ -/adshtml2/* -/adsi-j. -/adsico. -/adsico2. -/adsico3. -/adsicon/* -/adsidebar. -/adsidebarrect. -/adsiframe. -/adsiframe/* -/adsign.$domain=~adsign.no -/adsimage/* -/adsimages/* -/adsImg/* -/adsinclude. -/adsindie/* -/adsinsert. -/adsinteractive- -/adsite/* -/adsites/* -/adsjs. -/adsjs/* -/adsjson. -/adskin/* -/adsky. -/adskyright. -/adskyscraper. -/adslide. -/adslider- -/adslider/* -/adslides. -/adsline. -/adslots. -/adslug- -/adslug_ -/adslugs/* -/adsm2. -/adsmanagement/* -/adsmanager/* -/adsManagerV2. -/adsmapping/* -/adsMB/* -/adsmedia_ -/adsmin/* -/adsmm.dll/* -/adsmodules/* -/adsnative_ -/adsnew. -/adsnew/* -/adsnip. -/adsnippet. -/adsniptrack. -/adsonar. -/adsonphoto/* -/adsopenx/* -/adsource_ -/adsoverlay_ -/adsp/* -/adspa. -/adspace. -/adspace/* -/adspace1. -/AdSpace160x60. -/adspace2. -/adspace? -/adspacer. -/adspan. -/adspd. -/adspeeler/* -/adspending01. -/adspf. -/adspi. -/adsplay. -/Adsplex- -/AdsPlugin. -/adsPlugin/* -/adsplupu. -/adsponsor. -/adspot.$domain=~adspot.lk -/adspot/* -/adspot_ -/adspots/* -/adspro/* -/adspromo- -/adspromo. -/AdsPublisher. -/adsq/* -/adsquare.$domain=~adsquare.ma -/adsquareleft. -/adsrc. -/adsrc300. -/adsremote. -/adsreporting/* -/adsresources/* -/adsrich. -/adsright. -/adsrot. -/adsrot2. -/adsrotate. -/adsrotate1left. -/adsrotate1right. -/adsrotate2left. -/adsrotateheader. -/AdsRotateNEW1right. -/AdsRotateNEW2right. -/AdsRotateNEWHeader. -/adsrotator. -/adsrule. -/adsrules/* -/adsrv. -/adsrv/* -/adsrv2/* -/adsrvmedia/* -/adss.asp -/adsscript. -/adsserv. -/adsservedby. -/adsserver. -/adsservice. -/AdsShow. -/adsshow/* -/adssp. -/adssrv. -/adst.php -/adstacodaeu. -/adstakeover. -/adstatic. -/adstatic/* -/adstatics/* -/adstemp/* -/adstemplate/* -/adsterra.$domain=~adsterra.com -/adsterra/* -/adstitle. -/adstop. -/adstop728. -/adstop_ -/adstorage. -/adstr3mov. -/adstracking. -/adstract/* -/adStrategies/* -/adstream. -/Adstream? -/adstream_ -/adstreamjscontroller. -/adStrip. -/adstrk. -/adstrm/* -/adstub. -/adstube/* -/adstubs/* -/adstx. -/adstyle. -/adsummos. -/adsummos2. -/adsup. -/adsvariables. -/adsvc2. -/adsvo. -/adsvr. -/adsvr2. -/adswap- -/adswap. -/adswap/* -/adsweb. -/adswide. -/adswidejs. -/adsword. -/adswrapper. -/adswrapper3. -/adswrapperintl. -/adswrappermsni. -/adsx/* -/adsx728. -/adsx_728. -/adsxml/* -/adsync/* -/adsyndication. -/adsyndication/* -/adsynth- -/adsys. -/adsys/* -/adsystem. -/adsystem/* +/ads_banners/*$image +/ads_bg.$image +/ads_controller.js$script +/ads_iframe.$subdocument +/ads_image/*$image +/ads_images/*$image,domain=~wildlifeauctions.co.za +/adsAPI.js$script +/adsbanner-$image +/adsbanner/*$image +/adscontroller.js$script +/adscroll.js$script +/adsdelivery/*$subdocument +/adserv.$script +/adserve/*$script +/adserver.$~stylesheet,~xmlhttprequest +/adserver3.$image,script +/adsforwp-front.min.css$stylesheet +/adsimage/*$image,domain=~kamaz-service.kz|~theatreticketsdirect.co.uk +/adsimages/*$image,domain=~bdjobstoday.com +/adsimg/*$image +/adslide.js$script +/adsmanager.css$stylesheet +/adsmanager.nsf/*$image +/adsplugin/js/*$script +/adsscript.$script +/adsTracking.$script +/adsWrapper.js$script /ads~adsize~ -/adtable_ -/adtabs. -/adtadd1. -/adtag. -/adtag/* -/adtag? -/adtag_ -/adtagcms. -/adtaggingsubsec. -/adtago. -/adTagRequest. -/adtags. -/adtags/* -/adtagtc. -/adtagtranslator. -/adtaily_ -/adtaobao. -/adtech- -/adtech.$domain=~adtech.md -/adtech/* /adtech; -/adtech_ -/adtechglobalsettings.js -/adtechHeader. -/adtechscript. -/adTemplates/* -/adtest. -/adtest/* -/adtext. -/adtext2. -/adtext4. -/adtext_ -/adtextmpu2. -/adtimage. -/adtitle. -/adtology. -/adtomo/* -/adtonomy. -/adtool/* -/adTools. -/adtools/* -/adtools2. -/adtooltip/* -/adtop. -/adtop160. -/adtop300. -/adtop728. -/adtopcenter. -/adtopleft. -/adtopmidsky. -/adtopright. -/adtopsky. -/adtrack.$domain=~adtrack.ca -/adtrack/* -/adtracker. -/adtracker/* -/adtracker? -/adtracking. -/adtracking/* -/adtraff. -/adttext- -/adttext. -/adtvideo. -/adtxt. -/adtype. -/adtype= -/adultadworldpop_ -/adultimate. -/adunit. -/adunit/*$domain=~propelmedia.com -/adunits. -/adunits/* -/adunits? -/adunittop| -/adunix. -/adutil. -/adutils. -/aduxads. -/aduxads/* -/adv-1. -/adv-2. -/adv-banner- -/adv-banner. -/adv-bannerize- -/adv-banners/* -/adv-definitions- -/adv-div- -/adv-dmp/* -/adv-expand/* -/adv-ext- -/adv-f. -/adv-header. -/adv-mobile. -/adv-placeholder. -/adv-scroll- -/adv-scroll. -/adv-socialbar- -/adv.asp -/adv.css? -/adv.html -/adv.jsp -/adv.php -/adv.png -/adv/?rad_$domain=~rakuten.co.jp -/adv/adriver -/adv/ads/* -/adv/adv_ -/adv/background/* -/adv/banner/* -/adv/banner1/* -/adv/banner_ -/adv/bottomBanners. -/adv/box- -/ADV/Custom/* -/adv/desktop/* -/adv/interstitial. -/adv/interstitial/* -/adv/kelkoo/* -/adv/kelkoo_ -/adv/lrec_ -/adv/managers/* -/adv/mjx. -/adv/mobile/* -/adv/preroll_ -/adv/rdb. -/adv/script1. -/adv/script2. -/adv/search. -/adv/skin. -/adv/skin_ -/adv/sponsor/* -/adv/sprintf- -/adv/topbanner. -/adv/topBanners. -/adv02.$domain=~dobro.systems -/adv03.$domain=~dobro.systems -/adv1. -/Adv150. -/adv180x150. -/adv2. -/adv3. -/adv4.$domain=~adv4.me -/Adv468. -/adv5. -/adv6. -/adv8. -/adv_2. -/adv_468. -/adv_468_ -/adv_background/* -/adv_banner_ -/adv_box_ -/adv_burt_ -/adv_display. -/adv_flash. -/adv_frame/* -/adv_head. -/adv_horiz. -/adv_hp. -/adv_image/* -/adv_left_ -/adv_library3. -/adv_link. -/adv_manager_ -/adv_out. -/adv_player_ -/adv_rcs/* -/adv_script_ -/adv_server. -/adv_teasers. -/adv_top. -/adv_vert. -/adv_vertical. -/advadserve/* -/advalue/* -/advalue_ -/advaluewriter. -/advanced-ads- -/advanced-ads/* -/advanced-advertising- -/advault. -/advbanner/* -/advbanners/* -/advcontents. -/advcounter. -/advdl. -/advdoc/* -/advelvet- -/advengine. -/adver-left. -/adver.$domain=~adver.biz|~adver.media -/adver_hor. -/adverfisement. -/adverfisement2. -/adverserve. -/adversting/* -/adversting? -/advert-$domain=~advert-solutions.com|~advert-technology.com|~advert-technology.ru -/advert.$domain=~advert.ae|~advert.io|~motortrader.com.my -/advert/* -/advert01. -/advert1- -/advert1. -/advert1/* -/advert2- -/advert2. -/advert24. -/advert3. -/advert31. -/advert32. -/advert33. -/advert34. -/advert35. -/advert36. -/advert37. -/advert4. -/advert5. -/advert6. -/advert8. -/advert? -/advert_ -/AdvertAssets/* -/advertbanner. -/advertbanner2. -/advertbox. -/advertbuttons_ -/advertguruonline1. -/adverth. -/adverthorisontalfullwidth. -/advertical. -/advertise-$domain=~ads.microsoft.com|~advertise-solution.nl|~bingads.microsoft.com -/advertise.$domain=~ads.microsoft.com|~advertise.apartments.com|~advertise.directoryofillustration.com|~advertise.isleofskye.com|~advertise.market|~advertise.medillsb.com|~advertise.movem.co.uk|~advertise.sobihamilton.ca|~advertise.sphamovingads.com|~advertise.welovebuzz.com|~bingads.microsoft.com|~engineering.com -/advertise/*$domain=~legl.co -/advertise125x125. -/advertise_ -/advertisebanners/* -/advertisehere. -/advertisement-$domain=~berlin-airport.de -/advertisement.$domain=~advertisement.solutions.zalando.com -/advertisement/* -/advertisement1. -/advertisement160. -/advertisement2. -/advertisement3. -/advertisement_ -/advertisementAPI/* -/advertisementheader. -/advertisementmapping. -/advertisementrotation. -/advertisements- -/advertisements. -/advertisements/* -/advertisements2. -/advertisements? -/advertisements_ -/AdvertisementShare. -/advertisementview/* -/advertiser.$domain=~advertiser.adverbid.com|~advertiser.autorepairconnect.com|~advertiser.growmobile.com|~advertiser.livthecity.com|~advertiser.vungle.com|~linkpizza.com|~panel.rightflow.com|~trialpay.com|~unity3d.com -/advertiser/*$domain=~ads.microsoft.com|~affili.net|~affiliprint.com|~bingads.microsoft.com|~linkpizza.com|~mobileapptracking.com|~trialpay.com -/advertisers.$image,script,subdocument,domain=~advertisers.adversense.com|~advertisers.careerone.com.au|~advertisers.dk|~advertisers.easyweddings.com.au|~advertisers.io|~advertisers.leadia.ru|~advertisers.ypfboost.ph|~panel.rightflow.com -/advertisers/*$domain=~datalift360.com|~home.tapjoy.com|~panel.rightflow.com|~propelmedia.com|~publisuites.com -/advertiserwidget. -/advertises/* -/advertisewithus_ -/advertising-$domain=~abramarketing.com|~advertising-direct.com|~advertising-factory.de|~microsoft.com|~outbrain.com|~yellowimages.com -/advertising.$domain=~advertising.amazon.ae|~advertising.amazon.ca|~advertising.amazon.cn|~advertising.amazon.co.jp|~advertising.amazon.co.uk|~advertising.amazon.com|~advertising.amazon.com.au|~advertising.amazon.com.mx|~advertising.amazon.de|~advertising.amazon.es|~advertising.amazon.fr|~advertising.amazon.in|~advertising.amazon.it|~advertising.amazon.sa|~advertising.berlin-airport.de|~advertising.bulurum.com|~advertising.byhoxby.com|~advertising.dailymotion.com|~advertising.expedia.com|~advertising.lavenir.net|~advertising.mobile.de|~advertising.org.il|~advertising.roku.com|~advertising.sevenwestmedia.com.au|~advertising.shpock.com|~advertising.theguardian.com -/advertising/*$~xmlhttprequest,domain=~advertising.org.il|~commercialplanet.eu|~kloterfarms.com|~temple.edu|~themarker.com -/advertising02. -/advertising2. -/advertising300x250. -/advertising? -/advertising_ -/advertisingbanner. -/advertisingbanner/* -/advertisingbanner1. -/advertisingbanner_ -/advertisingbutton. -/advertisingcontent/* -/advertisingimageexte/* -/AdvertisingIsPresent6? -/advertisinglinks_ -/advertisingmanual. -/advertisingmodule. -/advertisings. -/advertisingwidgets/* -/advertisment- -/advertisment. -/advertisment/* -/advertisment1- -/advertisment4. -/advertisment_ -/advertisments/* -/advertize_ -/advertlayer. -/advertmedia/* -/advertmsig. -/advertorial/* -/advertorial_ -/advertorials/* -/advertphp/* -/advertpixelmedia1. -/advertpro/* -/advertrail. -/advertright. -/adverts.$domain=~adverts.ie|~adverts.org.ua -/adverts/* -/adverts_ -/advertserve. -/advertsky. -/advertsquare. -/advertss/* -/advertstub. -/adverttop. -/advertverticallong. -/advertwebapp. -/adverweb. -/advf1. -/advfiles/* -/advFrameCollapse. -/advhd. -/advice-ads. -/advideo.$domain=~advideo.pro -/adview.$domain=~adview.mu|~adview.online -/adview/* -/adview? -/adview_ -/adviewas3. -/adviewed. -/adviewer. -/adviframe/* -/advinfo. -/advision.$domain=~advision.cl|~advision.dk -/adVisit. -/advlink300. -/advloader. -/advobj. -/advolatility. -/advpartnerinit. -/advph. -/advPop. -/advpreload. -/advris/* -/advrotator. -/advs-instream. -/advs.ads. -/advs/* -/advs_actv. -/advscript. -/advscripts/* -/advshow. -/advt.$domain=~advt.ch -/advt/* -/advt2. -/advtarget/* -/advtBanner. -/advtemplate/* -/advtemplate_ -/advts/* -/advweb. -/AdvWindow/* -/advzones/* -/adw.$domain=~adw.be|~adw.olsztyn.pl|~adw.org -/adw1. -/adw2. -/adw3. -/adweb.$domain=~adweb.clarkson.edu|~adweb.com.au|~adweb.cz -/adweb2. -/adweb33. -/adwidget/* -/adwidget_ -/adwidgets/* -/adwise/* -/adWiseShopPlus1. -/adwiz. -/adwiz/* -/adwizard. -/adwizard/* -/adwizard_ -/adwolf. -/adwords.$domain=~ppc.ee|~radom.pl -/adwords/* -/adwordstracking.js -/adWorking/* -/adworks.$domain=~adworks.att.com|~adworks.co.il|~adworks.jobijoba.io|~adworks.net -/adworks/* -/adworldmedia/* -/adworx. -/adworx_ -/adwrapper/* -/adwrapperiframe. -/adwriter2. -/adx-exchange. -/adx.$domain=~adx.cx|~adx.uk.com|~adx.world|~adx.wowfi.com -/adx/ads? -/adx/iframe. -/adx/js/* -/adx/mobile/* -/adx160. -/adx2. -/adx_blacklist.js -/adx_exo_ -/adx_flash. -/adx_iframe_ -/adxads. -/adxcm_ -/adxrotate/* -/adxsite. -/adxv. -/adxx.php? -/adyard. -/adyard300. -/adyea. -/adyoulike. -/adz-x/* -/adz/css/* -/adz/images/* -/adz/js/* -/adz/solus/* -/adz/sponsors/* -/adzbanner/* -/adzbotm. -/adzerk2_ -/adzilla/* -/adzintext- -/adzone. -/adzone/* -/adzone1. -/adzone4. -/adzone_ -/AdZoneAdXp. -/adzonebelowplayer. -/adzonebottom. -/adzonecenteradhomepage. -/adzoneleft. -/adzonelegend. -/adzoneplayerright. -/AdZonePlayerRight2. -/adzoneright. -/adzones. -/adzones/* -/adzonesidead. -/adzonetop. -/adztop. -/afc-match?q= -/afcads. -/afcsearchads. -/afdsafads/* -/aff-exchange/* -/aff.htm -/aff/ads_ -/aff/banners/* -/aff/images/* -/aff_ad? -/aff_banner/* -/aff_banners/* -/aff_frame. -/affad? -/affads/* -/affbanner/* -/affbanners/* -/affbeat/banners/* -/affclick/* -/affilatebanner. -/affiliate-assets/banner/* -/Affiliate-Banner- -/affiliate-content/* -/affiliate-program/* -/affiliate.linker/* -/affiliate/ad/* -/affiliate/ads/* -/affiliate/banner/* -/affiliate/banners/* -/affiliate/displayWidget? -/affiliate/promo- -/affiliate/promo/* -/affiliate/script.php? -/affiliate/small_banner/* -/affiliate_banner/* -/affiliate_banners/* -/affiliate_base/banners/* -/affiliate_link.js -/affiliate_member_banner/* -/affiliate_resources/* -/affiliate_show_banner. -/affiliate_show_iframe. -/affiliateads/* -/affiliateadvertisement. -/affiliatebanner/* -/affiliatebanners/* -/affiliateimages/* -/affiliates.*.aspx? -/affiliates/*/show_banner. -/affiliates/banner -/affiliates/contextual. -/affiliateserver. -/affiliatetags/* -/affiliatewiz/* -/affiliation/*$domain=~esi.evetech.net -/affiliation_banners/* -/affiliationcash. -/affilinet/*$domain=~affilinet-inside.com|~affilinet-inside.fr -/affilitebanners/* -/affimages/* -/affimg/* -/affliate-banners/* -/affpic/* -/afr.php? -/afr?auid= -/afs/ads/* -/ahmestatic/ads/* -/aimatch_ad_ -/AIV-Ad- -/ajax-ad/* -/ajax-advert- -/ajax-advert. -/ajax/ad/* -/ajax/ads/* -/ajax/ads_ -/ajaxAd? -/ajaxads. -/ajrotator/* -/ajs.php? -/ajs?auid= +/adtools.js$script +/adtrack.$domain=~adtrack.ca|~adtrack.yacast.fr +/adultdvdparadisecompopinsecound.js$script +/adunit/track-view| +/adutil.js$script +/adv-banner-$image +/adv-scroll-sidebar.js$script +/adv-scroll.$script +/adv_out.js$third-party +/adv_vert.js$script +/AdvAdsV3/*$script,stylesheet +/advanced-ads-$script,stylesheet,domain=~transinfo.pl|~wordpress.org +/advbanner.frontend.js$script +/advert.$~script,~xmlhttprequest,domain=~advert.ae|~advert.club|~advert.com.tr|~advert.ee|~advert.ge|~advert.io|~advert.media|~advert.org.pl|~motortrader.com.my +/advertising/banners/*$image +/adverts.$~script,~xmlhttprequest,domain=~0xacab.org|~adverts.ie|~adverts.org.ua|~github.com|~gitlab.com +/adverts/*$~xmlhttprequest +/advrotator_banner_largo.htm$subdocument +/adz/js/adz.$script +/aff/banners/*$image +/aff/images/*$image +/aff_ad?$script +/aff_banner/*$image +/aff_banners/*$image +/affbanners/*$image +/affiliate/ad/*$image +/affiliate/ads/*$image +/affiliate/banner/*$image +/affiliate/banners/*$image +/affiliateads/*$image +/affiliates/banner$image +/afr.php?$~xmlhttprequest +/afx_prid/*$script +/ajs.php?$script /ajs?zoneid= -/ak-ads- -/ak/ads/* -/all/ad/* -/all_ads/* -/alternativeads/* -/alternet.ad? -/alwebad_ -/am/ads. -/amazon-ad- -/amazon-apstag. +/amazon-ad-link-$stylesheet /amazon-associates-link-$~stylesheet -/amazon-async- -/amazon/iframeproxy- -/amazon/widget/* -/amp-ad- -/amp4ads- -/amzn_ads. -/amzn_omakase. -/anchorad. -/annonse.$domain=~annonse.nu -/annonse/* -/annonser. -/annonser/* -/announce/adv/* -/anyad.js -/ape-ad- -/api-ads. -/api.ad. -/Api/Ad. -/api/ad/* -/api/ads/* -/api/v1/ad/* -/apopwin. -/app.ads- -/app.ads. -/app/ads. -/app/ads/* -/aptads/* -/arcAdsJS/* -/Article-Ad- -/article-advert- -/article_ad. -/article_ads- -/articlempuadvert/* -/articleSponsorDeriv_ -/artimediatargetads. -/as/gb2?stid= -/as/gb?stid= -/as3overstreamplatformadapter. -/as_u/ads/* -/aseadnshow. -/aspbanner_inc.asp? -/asset/ad/* -/asset/adv/* -/assets/ad- -/assets/ad/* -/assets/ads- -/assets/ads. -/assets/ads/* -/assets/ads3- -/assets/ads_ -/assets/adv/* -/assets/doubleclick/* -/assets/js/ad. -/assets/sponsored/* -/ast/ads/* -/async/ads- -/asyncadload. -/asyncjs.$domain=~asyncjs.com -/asyncspc. -/atcode-bannerize/* -/athena/tag/? -/atlads/* -/atnads/* -/AtomikAd/* -/atrads. -/attachad. -/AttractiveAds/* -/AttractiveAds_ -/AttractiveAdsCube. -/au2m8_preloader/* -/audio-ads/* -/audioads/* -/auditudeadunit. -/auditudebanners. -/austria_ad. -/auto.ad. -/auto_ad_ -/avant-ad- -/Avatar_ad_ -/awe2.js -/awempire. -/awepop. -/axt/ad_ -/b.ads. -/back-ad. -/background_ad_ -/BackgroundAd40. -/backgroundAdvertising. -/backlinxxx/js/* -/badge_ad_ -/ban.php? -/ban/image? -/ban/json/* -/ban160.php -/ban300.html -/ban300.php -/ban728.html -/ban728.php -/ban728x90. -/ban_ad. -/ban_m.php? -/banimpress. -/banman.asp? -/banman/* -/banmanpro/* -/Banner-300x250. -/banner-ad- -/banner-ad. -/banner-ad/* -/banner-ad_ -/banner-ads- -/banner-ads/* -/banner-adv- -/banner-affiliate- +/amp-ad-$script +/amp-auto-ads-$script +/amp-connatix-$script +/amp-sticky-ad-$script +/amp-story-auto-ads-$script +/amp4ads-host-v0.js$script +/ane-popup-1/ane-popup.js$script +/ane-popup-banner.js$script +/api.ads.$script,domain=~ads.instacart.com|~www.ads.com +/api/ad.$script +/api/users?token=$subdocument,third-party +/apopwin.js$script +/apstag.js$script +/apu.php?$script +/arcads.js$script +/asset/ad/*$image +/assets/ads/*$~image,domain=~outlook.live.com +/asyncjs.php$script +/asyncspc.php$third-party +/awaps-ad-sdk-$script +/ban.php?$~xmlhttprequest +/ban728x90.$image +/banman/ad.aspx$image +/banner-ad.$~script,~xmlhttprequest +/banner-ads-rotator/*$script,stylesheet +/banner-ads/*$image,domain=~1agosto.com +/banner-affiliate-$image /banner.asp?$third-party -/banner.ca? -/banner.cgi? -/banner.gif? -/banner.htm? -/banner.php -/banner.ws? -/banner/468 -/banner/700 -/banner/ad. -/banner/ad/* -/banner/ad_ -/banner/adv/* -/banner/adv_ -/banner/affiliate/* -/banner/amazon/* -/banner/javascript/zone? -/banner/rtads/* -/banner/show.php -/banner/sponsor_ -/banner/url/zone? -/banner/virtuagirl -/banner160x600- -/banner20468x60. -/banner460x80. -/banner468. -/banner468_ -/banner468a. -/banner468x60. -/banner468x80. -/banner728x90_ -/banner_125x -/banner_468. -/banner_468x -/banner_ad. -/banner_ad_ -/banner_ads. -/banner_ads/* -/banner_ads_ -/banner_adv/* -/banner_control.php? -/banner_db.php? -/banner_dfp. -/banner_file.php? -/banner_id/* -/banner_iframe_ -/banner_image.php? -/banner_js.*? -/banner_OAS.js -/banner_skyscraper. -/banner_view. -/banner_zanox/* -/banner_zedo/* -/bannerad. -/bannerad/* -/bannerad1- -/bannerad2- -/bannerad3. -/bannerad6. -/bannerad_ -/bannerads- -/bannerads. -/bannerads/* -/banneradsajax. -/banneradsgenerator. -/banneradverts/* -/banneradviva. -/bannercode.php -/bannerconduit. -/bannerdeliver.php -/bannerexchange/* -/bannerfarm. -/bannerfarm/* -/bannerfile/ad_ -/bannerframe.*? -/bannerframeopenads. -/bannerframeopenads_ -/bannerinc. -/bannerjs.php? -/bannermaker/* -/bannermanager/* -/bannermarktxxx. -/bannermvt. -/bannerpump. -/bannerrotate. -/bannerrotater/* -/bannerrotation. -/bannerrotation/* -/banners.*&iframe= -/banners.cgi? -/banners.php?id -/banners/160 -/banners/300 -/banners/460 -/banners/468 -/banners/728 -/banners/ad/* -/banners/ad10. -/banners/ad11. -/banners/ad_ -/banners/ads- -/banners/ads. -/banners/ads/* -/banners/adv/* -/banners/adv_ -/banners/aff. -/banners/affil/* -/banners/affiliate/* -/banners/ffadult/* -/banners/googlebanner -/banners/promo/* -/banners_rotation. -/bannersAds_ -/bannerscript/* -/bannerserve/* -/bannerserver/* -/bannerserver3/* -/bannerserver3| -/bannerserver? -/bannersyndication. -/bannerview.*? -/bannerwerbung/* -/bannery/*?banner= -/bansrc/* -/bar-ad. -/baseAd. -/baselinead. -/basePopunder. -/basic/ad/* -/bauer.ads. -/bbad. -/bbad1. -/bbad10. -/bbad2. -/bbad3. -/bbad4. -/bbad5. -/bbad6. -/bbad7. -/bbad8. -/bbad9. -/bci-ads. -/bci-ads/* -/bckgrnd_ad. -/bdcustomadsense- -/bdvws.js -/beacon/ad/* -/beacon/ads? -/behaviorads/* -/bennerad.min. -/beta-ad. -/betrad.js -/bftv/ads/* -/bg-advert- -/bg/ads/* -/bg_ads_ -/bg_adv_ -/bgads/* -/bi_affiliate.js -/bidvertiser/tags/* -/big-ad-switch- -/big-ad-switch/* -/bigad. -/bigad_ -/bigads/* -/bigboxad. -/bigtopl.swf -/bin/ads/* -/binary/ad/* -/bizad. -/bkgrndads/* -/Block-Ad. -/blockad_ -/blocks/ads/* -/blog-ad- -/blog/ads/* -/blog_ad? -/blog_ads/* -/blogad. -/blogad02. -/blogad_ -/blogads- -/blogads. -/blogads/* -/blogads2_ -/blogads3/* -/blogads_ -/blogadsbg. -/bloggerex. -/blogoas- -/bmndoubleclickad. -/bnr.php? -/bnr_ad_ -/bnr_show.php?id=$script -/bnr_xload.php?*&pub= -/bnrad/* -/bnrimg. -/bnrsrv. -/bodyads/* -/BOM/Ads/* -/bookad/* -/bookads. -/bookads2. -/boomad. -/bottom-ad- -/bottom-ads. -/bottom-advert- -/bottom_ad. -/bottom_ads. -/bottom_adv. -/bottom_adv_ -/bottomad. -/bottomad/* -/bottomads. -/bottomsidead/* -/Box-ad- -/box_ad_ -/box_ads_ -/boxad. -/boxad1. -/boxad2. -/boxad3. -/boxad_ -/brand-ad- -/brandingAd. -/breakad_ -/breaking_ad/* -/brightcovead. -/brokenAd. -/brsAssets/ads/* -/bsa-pro- -/bserver/* -/btads/* -/btbuckets/btb.js -/btmads. -/btmadsx. -/btn_ad_ -/btstryad. -/bucketads. -/buddyw_ad. -/buildAdfoxBanner. -/buildAdriverBanner. -/bundle/ads. -/bundles/Ad/* -/bundles/ads- -/bunyad_ -/burt/adv_ -/butler.php?type= -/button_ads/* -/buttonad/* -/ButtonAd_ -/buttonads. -/buttonads/* -/buyad. -/buyclicks/* -/buyer/dyad/* -/buysellads- -/buysellads. -/buzz/ads/* -/bvadtgs. -/bytemark_ad. -/c_ad.aspx? -/cache/ads_ -/cactus-ads/* -/cads-min.js -/calendar-ads/* -/call/pubif/* -/call/pubj/* -/call_ads/* -/callads5. -/callAdserver? -/cam4pop2.js -/camaoadsense. -/camaoAdsenseHomepage. -/camfuzeads/* -/campaign/advertiser_ -/campus/ads/* -/carbonads- -/carbonads/* -/carousel_ads. -/carouselads. -/carsadtaggenerator.js -/cashad. -/cashad2. -/category-sponsorship/* -/catfishads/* -/cb.php?sub$script,third-party -/cb_ads_manager/* -/cbgads. -/cci-ads- -/cdn-ad- -/cdn.ad. -/cdn.ads. -/cdn/adx/* -/cds.ad. -/centerads. -/central/ads/* -/centralresource/ad_ -/ceoads/* -/cgi-bin/ad/* -/cgi-bin/ads. -/cgi-bin/ads/* -/cgi-bin/ads_ -/cgi-exe/ad. -/cgi/ad_ -/channelblockads. -/chaturbatebest.js -/checkm8footer_ -/checkm8header_ -/china-ad. -/chinaadclient. -/chitika-ad? -/chocolate.cgi? -/chorus_ads. -/chrome-ad. -/ciaad. -/circads. -/cjadsprite. -/ck.php?nids -/clarityray.js -/ClassAds/* -/classifieds/banners/* -/click/ads_ -/click/creative/* -/click/zone? +/banner.cgi?$image +/banner.php$~xmlhttprequest,domain=~research.hchs.hc.edu.tw +/banner/affiliate/*$image,subdocument +/banner/html/zone?zid= +/banner_468.$image +/banner_ads/*$~xmlhttprequest,domain=~clickbd.com +/bannerads/*$~xmlhttprequest,domain=~coldwellbankerhomes.com +/banners.cgi?$~xmlhttprequest +/banners/468$image +/banners/728$image +/banners/ads-$~xmlhttprequest +/banners/ads.$~xmlhttprequest +/banners/adv/*$~xmlhttprequest +/banners/affil/*$image +/banners/affiliate/*$image +/bobs/iframe.php?site= +/bottom-ads.jpg$image,domain=~saltwaterisland.com +/bottom-ads.png$image +/bottomad.png$image +/bottomads.js$script +/bsa-plugin-pro-scripteo/frontend/js/script.js$script +/bsa-pro-scripteo/frontend/js/script.js$script +/btag.min.js$third-party +/buysellads.js$script +/calcalist_gpt_ads.js$script +/cgi-bin/ad/*$~xmlhttprequest /click?adv= -/clickads/* -/clickboothad. -/clicksor. -/clicktag.engine?$document -/clickunder. -/clients/ads/* -/clkads. -/cm/ads/* -/CME-ad- -/cmg_ad. -/cmlink/ads- -/cms/ads/* -/cms/js/ad_ -/cms_ads/* -/cn-advert. -/cnads.js -/cnnslads. -/cnxad- -/CoastMarketplaceAdCategoriesAuctionsEstateGarageSales? -/CoastMarketplaceAdCategoriesJobs? -/CoastMarketplaceAdCategoriesRealEstateForSaleOrRent? -/codaadconfig. -/CofAds/* -/coldseal_ad. -/collections/ads- -/collisionadmarker. -/colorscheme/ads/* -/column-ad- -/columnadcounter. -/columnads/* -/com/ads/* -/combo?darla/* -/comm/AD_ -/comment-ad- -/comment-ad. -/commercial/sponsor/* -/commercial_horizontal. -/commercial_top. -/common-ads/* -/common/ad. -/common/ad/* -/common/ad_ -/common/ads/* -/common/ads? -/common/ads_ -/common/adv_ -/common/dart_wrapper_ -/common/results.htm?block=*[colorAdSeparator]$subdocument,~third-party -/common_ad. -/commonAD. -/commons/ad/* -/commspace_ad. -/companion_ad. -/companion_ads. -/companionAdFunc. -/compban.html? -/compiled/ads- -/Component/Ad/* -/Components/Ad/* -/components/ads/* -/components/ads_ -/conad. -/conad_$domain=~conad.it -/concert_ads- -/concertads- -/configspace/ads/* -/cont-adv. -/contads. -/contaxe_ -/content-ads. -/content/ad/* -/content/ad_ -/content/ads/* -/content/adv/* -/content_ad. -/content_ad_ -/contentAd. -/contentad/* -/contentad_ -/contentAdServlet? -/contentadvert1. -/contentadxxl. -/contentad| -/contentmobilead. -/context_ad/* -/context_ads. -/contextad. -/contextads. -/contextualad. -/contpop.js| -/contribute_ad. -/controller.ad. -/controller/ad- -/controller/ads/* -/controllerimg/adv/* -/Controls/ADV/* -/convertjsontoad. -/core-ads- -/core/ad/* -/core/ads/* -/coread/* -/corner-ad. -/corner_ads/* -/cornerbig.swf -/cornerpeel-bbn/* -/cornersmall.swf -/country_ad. -/couponAd. -/cover_ad. -/coxads/* -/cpm160. -/cpm728. -/cpm_ad. -/cpmbanner. -/cpmcampaigns/* -/cpmrect. -/cpx-ad. -/cpx-advert/* -/cpx_ads. -/cpxads. -/cramitin/ads_ -/crossdomainads. -/crossoverad- -/csp/ads? -/css/ad- -/css/ad. -/css/ads- -/css/ads. -/css/ads300_ -/css/adsense -/css/adv. -/css/adz. -/cssjs/ads/* -/ctamlive160x160. -/cube_ads/* -/cubead. -/cubeads/* -/cubeads_ -/curlad. -/curveball/ads/* -/custads/* -/custom/ads -/custom/doubleclick/* -/custom11x5ad. -/custom_ads/* -/customad. -/customadmode. -/customads/* -/customadsense. -/customcontrols/ads/* -/customerad_ -/cutead. -/cvs/ads/* -/cwggoogleadshow. -/cyad. -/cyad1. -/d/ads/* -/daily/ads/* -/dart_ads. -/dart_ads/* -/dart_enhancements/* -/dartad/* -/dartadengine. -/dartadengine2. -/dartads. -/dartcall. -/dartfunctions. -/data/ads/* -/data/init2?site_id= -/data/init?site_id= -/dateads. -/davad_ad_ -/dblclick. -/dblclickad. -/dclk/dfp/* -/dclk_ads. -/dclk_ads_ -/dcloadads/* -/ddlads/* -/de/ads/* -/default-adv/* -/default/ads/* -/default_ads/* -/default_adv. -/default_oas. -/defaultad. -/defaultad? -/defaults_ads/* -/defer_ads. -/deferads. -/defersds. -/delay-ad. -/delayedad. -/delfi-ads/* -/deliver.jphp? -/deliver.nmi? -/deliver/wr? -/deliverad/* -/deliverads. -/deliverjs.nmi? -/deliversd/* -/deliversds. -/delivery.ads. -/delivery.php?pool_id= -/delivery.php?rnd= -/delivery/*?advplaces= -/delivery/afr. -/delivery/ag. -/delivery/al.php -/delivery/apu.php -/delivery/avw. -/delivery/fc. -/delivery/fl. -/delivery/hb.php -/delivery/lg3. -/delivery/spc. -/delivery/vbafr.php -/delivery_ads/* -/deluxe/ad. -/demo/ads/* -/DemoAd. -/descpopup.js -/design/ads/* -/desktop-ad- -/develop/ads_ -/devicead/* -/dfp-ads. -/dfp-ads/* -/dfp-custom/* -/dfp.js -/dfp.min.js -/dfp/async. -/dfp/blocks/* -/dfp/common/* -/dfp/dc.js -/dfp/dfp- -/dfp/head/* -/dfp/jquery. -/dfp_ads/* -/dfp_delivery.js -/dfp_init. -/dfp_js/* -/dfp_overlay. -/dfp_skin.js -/dfpad/* -/dfpads. -/dfpInAngular. -/dfpload.js -/dfpsds. -/dfpsearchads. -/dictionary/ads/* -/dif/?cid -/dig_ad. -/digest/ads. -/digg_ads. -/digg_ads_ -/dinclinx.com/* -/direct_ads. -/direct_ads/* -/directads. -/directadvert- -/directadvert. -/directrev. -/discuss_ad/* -/DispAd_ -/display-ad/* -/display-ads- -/display-ads/* -/display.ad. -/display/ads/* -/display?ad_ -/display_ad -/displayad. -/displayad/* -/displayad? -/displayadbanner_ -/displayAdFrame. -/displayadiframe. -/displayadleader. -/displayads. -/displayads/* -/displayads1. -/displayads2. -/displayads3. -/displayadsiframe. -/displaybanner/* -/dist/ads. -/div-ads. -/divad/* -/dlfeatads. -/dmcads_ -/dmn-advert. -/dne_ad. -/dns_ad/* -/dnsads. -/domainads/* -/door/ads/* -/doors/ads/* -/doubleclick.aspx -/doubleclick.js -/doubleclick.min -/doubleclick.php -/doubleclick.swf -/doubleclick/iframe. -/doubleclick_ads. -/doubleclick_ads/* -/doubleclickad. -/doubleclickads. -/doubleclickads/* -/doubleclickads? -/doubleclickbannerad? -/doubleclickcontainer. -/doubleclickinstreamad. -/doubleclickloader. -/doubleclickplugin. -/doubleclicktag. -/doublepimp2.js -/downads. -/download-ad. -/download/ad. -/download/ad/* -/download/ads -/dpics/ads/* -/drawad. -/driveragentad1. -/driveragentad2. -/drivingrevenue/* -/droelf.kit/a/* -/dropdown_ad. -/dsg/bnn/* -/DSN-Ad- -/dspads. -/dtiadvert125x125. -/dtim300x250.$script -/dtmads/* -/dummy_ad_ -/dxd/ads/* -/dyn_banner. -/dyn_banners_ -/dynamic-ad- -/dynamic-ad/* -/dynamic/ads/* -/dynamic_ads/* -/DynamicAd/* -/dynamicad? -/dynamiccsad? -/dynamicvideoad? -/dynanews/ad- -/dynbanner/flash/* -/e-advertising/* -/e-vertising/* -/eas-fif.htm -/eas?*^easformat= -/eas?camp=*;cre= -/eas?cu=*;cre= -/eas?cu=*;ord= -/eas_fif. -/eas_tag.1.0.js -/easyads.$domain=~easyads.io|~easyads.lk -/easyads/*$domain=~easyads.io -/easyadstrack. -/easyazon- -/ebay_ads/* -/ebayad. -/eco_ads/* -/ecom/magnet. -/editable/ads/* -/eht.js?site_ -/emailads/* -/embed-ad- -/embed/ads. -/embed_ad. -/emediatead. -/empty_ad_ -/EmreAds. -/ems/ads. -/en/ads/* -/eng/ads/* -/eplanningv4. -/eporner-banner- -/ept_in.php? -/ero-1. -/ero-ads- -/ero-ads_ -/ero-advertising. -/ero.htm -/ero_hosted_ -/ero_line_ -/eroad.php -/eroad2. -/eroads. -/eroadvertising. -/eroadvertorial2. -/eroadvertorial3. -/erobanner. -/eros.htm -/eshopoffer. -/esi/ads/* -/etology.$domain=~etology.com -/euads/* -/eureka-ads. -/eureka/eureka.js -/eureka_ban/* -/europixads. -/event.ng/* -/exads/* -/excellence/ads/* -/exchange_banner_ -/exit_popup -/exitpop. -/exitpopunder. -/exitpopunder_ -/exitpopup. -/exitsplash. -/exo120x60. -/exo5x1. -/exo_bck_ -/exoads/* -/exobanner. -/exoclick.$domain=~exoclick.bamboohr.co.uk|~exoclick.com|~exoclick.kayako.com -/exoclick/*$domain=~exoclick.com -/exoclickright. -/exoclickright1. -/exoclickright2. -/exoclickright3. -/exoclick| -/exosrvcode- -/expads- -/expandable_ad.php -/expandable_ad? -/expandingads. -/expandy-ads. -/expop.js +/cms_ads.js$script +/code/https-v2.js?uid= +/code/native.js?h=$script +/code/pops.js?h=$script +/code/silent.js?h=$script +/common/ad.js$script +/common_ad.js$script +/concert_ads-$script +/content-ads.js$script +/content/ads/*$~xmlhttprequest +/cpmbanners.js$script +/css/ads-$stylesheet +/css/adsense.$stylesheet +/css/adv.$stylesheet +/curveball/ads/*$image +/customer/ads/ad.php?id= +/deliverad/fc.js$script +/delivery.php?zone= +/delivery/ag.php$script,subdocument +/delivery/apu.php$script,subdocument +/delivery/avw.php$script,subdocument +/delivery/fc.php$script,subdocument +/delivery/lg.php$script,subdocument +/dfp.min.js$third-party +/dfp_async.js$script +/dfpNew.min.js$script +/didna_config.js$script +/direct.hd?n= +/discourse-adplugin-$script +/dmcads_$script +/doubleclick.min$script +/drsup-admanager-ajax.js$script +/ec5bcb7487ff.js$script +/exitpop.js$script +/exitpopup.js$script +/exitsplash.php$script +/exoads/*$script +/exoclick.$~script,~xmlhttprequest,domain=~exoclick.bamboohr.co.uk|~exoclick.kayako.com +/exonb/*$script +/exonob/*$script /exports/tour/*$third-party -/exports/tour_20/* -/ext/adform- -/ext/ads/* -/ext_ads. -/extadv/* -/extendedadvert. -/external/ad. -/external/ad/* -/external/ads/* -/external_ads. -/externalad. -/ExternalAdNetworkViewlogLogServlet? -/externalads/* -/externalhtmladrenderer. -/extra_ads/* -/eyewondermanagement. -/eyewondermanagement28. -/facebookaff/* -/facebookaff2/* -/facebooksex. -/fan-ads.$script -/fastclick160. -/fastclick728. -/fatads. -/fbads/* -/fc_ads. -/fea_ads. -/feature/ads/* -/featuredadshome. -/feedads. -/fetchJsAd. -/fif.html?s= -/fifligatus. -/file/ad. -/file/ads/* -/fileadmin/ads/* -/files/ad- -/files/ad/* -/files/ads- -/files/ads/* -/fimserve. -/finads. -/first-ad_ -/flag_ads. -/flash-ads. -/flash-ads/* -/flash/ad/* -/flash/ad_ -/flash/ads/* -/flash/advertis -/flash_ads. -/flashad. -/flashad3. -/flashads.$domain=~flashads.co.id -/flashads/* -/flashpeelads/* -/flatad. -/flesh_banner -/fleshlight.$domain=~fleshlight.com|~fleshlight.zendesk.com -/fleshlightcash_ -/flexads? -/fliionosadcapture- -/flirt4free. -/float-ads/* -/float_ad. -/floatad_ -/floatads. -/floatadv. -/floater_ad. -/floating-ad- -/floatingad. -/FloatingAd_ -/floatingads. -/floaty_rotator -/flowplayer.ads. -/flv-ad- -/flvad_ -/flvads/* -/flyad. -/flyad/* -/flyads/* -/flyers/ads/* -/flyertown_module.js -/flytead. -/fm-ads1. -/fm-ads2. -/fm-ads3. -/fm-ads4. -/fn_ads. -/footad- -/footad. -/footer-ad- -/footer-ad. -/footer-ads/* -/footer_ad. -/footer_ad_ -/footer_ads. -/footer_ads_ -/footerad. -/footerad? -/footerads. -/footerads/* -/footertextads. -/forads. -/forum/ads/* -/forum/ads_ -/forum_ad. -/forums/ad/* -/ForumViewTopicBottomAD. -/ForumViewTopicContentAD. -/fp.rb?$document -/frame_ads_ -/framead- -/framead. -/framead/* -/framead_ -/frameads. -/frameads1. -/frameads_ -/frameadsz. -/freead. -/freead2. -/frequencyads. -/friendfinder_ -/frnads. -/front/ad/* -/front/ads- -/frontads/* -/frontend/ads/* -/frontpagead/* -/ftp/adv/* -/full/ads/* -/fullad. -/fulladbazee. -/fuseads/* -/fwadmanager. -/gadgets/ad/* -/gads.html -/gads.js -/gadv-right. -/gadv-top. -/gafc.js -/gafsads? -/gafv_adapter. -/galleryad. -/gam.html? -/gam_ad. -/gam_ad_ -/gam_ads. -/gamads/* -/game-ads. -/gamead/* -/gameadsync. -/gamersad. -/games_ad_ -/GAN_Ads/* -/gannett/ads/* -/gate-ad- -/gatewayAds. -/gawker/ads. -/gazette/ads/* -/geitonpop. -/gen-ad- -/gen_ads_ -/genads/* -/general-ad- -/general/ads -/generate_ad. -/generate_ads. -/generateAds. -/generateadtag. -/generated/key.js? -/generateplayerads. -/generic-ad. -/generic.ads. -/genericrichmediabannerad/* -/geo-ads_ -/geo/ads. -/geo_banner.htm? -/geoad/* -/geobox.html -/GeoDynBanner.php?wmid= -/ges_ads/* -/get-ad. -/get-ad/* -/get-advert- -/get.*/get.$script -/get.ad? -/get/ad. -/get/ad/* -/get/ad? -/get?pvt=*&ab=$xmlhttprequest -/get_ad_ -/get_adds_ -/get_ads. -/get_ads/* -/get_banner.asp? -/getad.$domain=~getad.pl -/getad/* -/getAd; -/getad? -/getAdAjax/* -/getadcontent. -/getadds. -/GetAdForCallBack? -/getadframe. -/getAdList? -/getads- -/getads. -/getads/* -/getads? -/getadserver. -/getadsettingsjs? -/getAdsForClient? -/getads| -/getadvertimageservlet? -/getAdvertisement^ -/getadvertiserimage. -/getadverts? -/GetADVOverlay. -/getarticleadvertimageservlet? -/getban.php? -/getbanner.cfm? -/getbanner.php? -/getdigitalad/* -/getfeaturedadsforshow. -/gethalfpagead. -/getinlineads/* -/getJsonAds? -/getmarketplaceads. -/getmdhlayer. -/getmdhlink. -/getmyad/* -/getrcmd.js? -/getsad.php? -/getsponslinks. -/getsponslinksauto. -/getTextAD. -/GetVASTAd? -/getvdopiaads. -/getvideoad. -/getwebsitead/* -/gexternalad. -/gfx/ad- -/gfx/ad/* -/gfx/ads/* -/ggad/* -/ggadsense. -/gifs/ads/* -/gigyatargetad. -/glam160. -/glam300. -/glam728. -/glam_ads. -/global-ads_ -/global/ad/* -/global/ads. -/global/ads/* -/global_advs. -/globalad.$domain=~globalad.com.br -/globaladprostyles. -/globalads- -/globalAdTag. -/globalbannerad. -/glp?r=*&rw=*&rh=*&ww=*&wh=$script,~third-party -/goodtagmanagerapi. -/googad300by600. -/googima.js -/google-ad- -/google-ad? -/Google-Ads- -/google-ads. -/google-ads/* -/google-adsense- -/google-adsense. -/google-adverts- -/google-adwords -/google-afc- -/google-afc. -/google/ad? -/google/adv. -/google160. -/google728. -/google_ad. -/google_ad_ -/google_ads. -/google_ads/* -/google_ads_ -/google_adsense- -/google_adv/* -/google_afc. -/google_afc_ -/google_afs. -/google_afs_widget/* -/google_caf.js? -/google_lander2.js -/google_radlinks_ -/googlead- -/googlead. -/googlead1. -/googlead160. -/GoogleAd300. -/googlead336x280. -/googlead_ -/googleadarticle. -/GoogleAdBg. -/googleadcode. -/googleaddfooter. -/googleaddisplayframe. -/googleadhp. -/googleadhpbot. -/googleadhtml/* -/googleadiframe_ -/googleadright. -/googleads- -/googleads.$domain=~googleads.blog|~googleads.media -/googleads/* -/googleads1. -/googleads2. -/googleads3widetext. -/googleads_ -/googleadsafc_ -/googleadsafs_ -/googleAdScripts. -/GoogleAdSense- -/googleadsense. -/googleadsmodule. -/googleAdTaggingSubSec. -/googleadunit? -/googleafc. -/googleafs. -/googleafvadrenderer. -/googlecontextualads. -/GoogleDFP. -/googleheadad. -/googleleader. -/googleleads. -/googlempu. -/gourmetads- -/gpt_ads- -/graphics/ad_ -/graphics/ads/* -/grid-ad. -/groupon/ads/* -/gsnads- -/gt6skyadtop. -/gtags/pin_tag. -/gtv_ads. -/guardianleader. -/guardrailad_ -/guest/ad/* -/gujAd. -/GujAd/* -/gutterAd. -/gutterspacead. -/hads- -/halfadvert/* -/Handlers/Ads. -/hcm_ads/* -/hdadvertisment- -/header-ad- -/header-ad. -/header_ad_ -/header_ads_ -/headerad. -/headeradd2. -/headerads. -/headerads1. -/headerAdvertismentTab. -/headermktgpromoads. -/headvert. -/Heat_Ad. -/hiadone_ -/hikaku/banner/* -/hitbar_ad_ -/holl_ad. -/home/_ads -/home/ad_ -/home/ads- -/home/ads/* -/home/ads_ -/home/sponsor_ -/home30/ad. -/home_adv. -/homeadsscript. -/homeoutside/ads/* -/homepage-ads/* -/homepage/ads/* -/homepage_ad_ -/homepage_ads/*$domain=~swedishbeauty.com -/homepageadvertright. -/homeslideadtop/* -/HomeStaticAds/* -/HompageStickyAd. -/horizontal_ad. -/horizontal_advert_ -/horizontalAd. -/hostedads. -/hostedbannerads. -/hostgator-ad. -/hosting/ads/* -/hostkey-ad. -/house-ad. -/house-ad/* -/house-ads/* -/house_ad- -/house_ad_ -/house_ads/* -/housead.$domain=~housead.ru -/housead/* -/housead_ -/houseads. -/houseads/* -/houseads? -/hoverad. -/hpcwire/ads/* -/hserver/* -/ht.js?site_ -/html.ng/* -/html/ad. -/html/ad/* -/html/ads/* -/html/ads_ -/html/sponsors/* -/htmlads/* -/httpads/* -/hubxt.*/js/eht.js? -/hubxt.*/js/ht.js -/hw-ads. -/i/ads/* -/i/adv/* -/i_ads. -/ia/ads/* -/iabadvertisingplugin.swf -/IBNjspopunder. -/ico-ad- -/icon_ad. -/icon_ads_ -/icon_advertising_ -/idevaffiliate/banners/* -/idleAd. -/idleAds. -/iFall_AD_ -/ifolder-ads. -/iframe-ad. -/iframe-ad/* -/iframe-ad? -/iframe-ads/* -/iframe-mgid- -/iframe.ad/* -/iframe/ad/* -/iframe/ad_ -/iframe/ads/* -/iframe_ad. -/iframe_ad? -/iframe_ad_ -/iframe_ads. -/iframe_ads/* -/iframe_ads_ -/iframe_chitika_ -/iframe_sponsor_ -/iframead. -/iframead/* -/iframead_ -/iframeadcontent. -/iframeadopinionarticle_ -/iframeads. -/iframeads/* -/iframeadsense. -/iframeadsensewrapper. -/iFramedAdTemplate/* -/iframedartad. -/iframes/ad/* -/ifrm_ads/* -/ignite.partnerembed.js -/ignitecampaigns.com/* -/ilivid-ad- -/im-ad/im-rotator. -/im-ad/im-rotator2. -/im-popup/* -/im.cams. -/ima/ads_ -/imaads. -/imads.js -/image/ad/* -/image/ads/* -/image/ads_ -/image/adv/* -/image/affiliate/* -/image/sponsors/* -/image_ads/* -/imageads/* -/imagecache_ads/* -/images-ad/* -/images-v2/ad_ -/images.ads. -/images.adv/* -/images/ad- -/images/ad.$domain=~ngohq.com -/images/ad/* -/images/ad2/* -/images/adds/* -/images/ads- -/images/ads. -/images/ads/* -/images/ads_ -/images/adv- -/images/adv. -/images/adv/* -/images/adv_ -/images/adver- -/images/adz- -/images/adz/* -/images/aff- -/images/affs/* -/images/awebanner -/images/bg_ad/* -/images/gads_ -/images/livejasmin/* -/images/sponsored. -/images/sponsored/* -/images/vghd -/images1/ad_ -/images2/ads/* -/images_ad/* -/images_ads/* -/imagesadspro/* -/imfloat. -/img-ads. -/img-ads/* -/img-advert- -/img.ads. -/img/_ad. -/img/ad- -/img/ad. -/img/ad/* -/img/ad_$domain=~rakuten.co.jp -/img/ads/* -/img/adv. -/img/adv/* -/img/aff/* -/img2/ad/* -/img3/ads/* -/img_ad/* -/img_ad_ -/img_ads/* -/img_adv/* -/imgaad/* -/imgad. -/imgad? -/imgad_ -/imgAdITN. -/imgads/* -/imgaffl/* -/imgs/ad/* -/imgs/ads/* -/imlive.gif -/imlive300_ -/imlive5. -/imp.ads/* -/imp?slot= -/impactAds. -/impop. -/impopup/* -/inad.$domain=~inad.com|~inad.info -/inc/ad- -/inc/ad. -/inc/ads/* -/inc_ad. -/inc_ad_ -/inc_ads. -/inc_v2/ad_ -/include/ad/* -/include/ad_ -/include/ads/* -/include/adsdaq -/included_ads/* -/includes/ad. -/includes/ad_ -/includes/ads/* -/includes/ads_ -/includes/adv/* -/incmpuad. -/incotrading-ads/* -/index-ad- -/index-ad. -/index_ad/* -/index_ads. -/indexmobilead2. -/indexrealad. -/indexwaterad. -/infinity.js.aspx?guid= -/info/ads/* -/inhouse_ads/* -/initdefineads. -/initialize_ads- -/initlayeredwelcomead- -/injectad. -/INjspopunder. -/inline_ad. -/inline_ad_ -/inline_ads. -/InlineAds. -/inlineads/* -/inlinetextads? -/inner-ads- -/inner-ads/* -/innerads. -/inpost-ad^ -/inquirer/ads/* -/insertA.d.js -/insertAd. -/insertads. -/insideAD. -/instreamad/* -/intelliad. -/intellitext.$domain=~intellitext.com|~intellitext.hu|~intellitext.us -/interad.$domain=~interad.gr -/interadv/* -/interface/ads/* -/intermediate-ad- -/internAds. -/internal-ad- -/internet_ad_ -/internetad/* -/interstital-redirector. -/interstitial-ad. -/interstitial-ad/* -/interstitial-ad? -/interstitial_ad. -/interstitialadvert/* -/interstitials/ad_ -/InterYield/* -/intextadd/* -/intextads. -/introduction_ad. -/inv/ads/* -/inventory/ad/* -/investors-advertising/* -/invideoad. -/inviteads/* -/inx-ad. -/ip-advertising/* -/ipadad. -/iprom-ad/* -/iqadcontroller. -/irc_ad_ -/ireel/ad*.jpg -/is.php?ipua_id=*&search_id= -/iserver/ccid= -/iserver/site= -/isgadvertisement/* -/ispy/ads/* -/iStripper-poppingModels/* -/itxads/* -/iwadsense. -/j/ads.js -/jamnboad. -/JavaScript/Ads- -/javascript/ads. -/javascript/ads/* -/javascript/oas. -/javascript/oas? -/Javascripts/Abigail.js -/javascripts/ads. -/javascripts/ads/* -/Javascripts/Cindy- -/Javascripts/Cindy.js -/Javascripts/Darla- -/Javascripts/Darla.js -/Javascripts/Eleanor.js -/Javascripts/Gilda-May.js -/Javascripts/Gilda.js -/Javascripts/SBA- -/jcorner.php?partner= -/jetpack-ads/* -/jitads. -/jivoxadplayer. -/jlist-affiliates/* -/JPlayerAdFoxAdvertisementPlugin. -/jqads. -/jquery-ads. -/jquery.ad. -/jquery.adi. -/jquery.adx. -/jquery/ad. -/jquery_FOR_AD/* -/jqueryadvertising. -/js.ad/size= -/js.ng/cat= -/js.ng/channel_ -/js.ng/pagepos= -/js.ng/site= -/js.ng/size= -/js/ads- -/js/ads. -/js/ads_ -/js/adv. -/js/adv/* -/js/adz. -/js/doubleclick/* -/js/oas- -/js/oas. -/js/ppu.$script -/js/youmuffpu.js -/js2.ad/size= -/js_ad_utf8. -/js_ads/* -/js_ads_ -/js_adv- -/js_adv_ -/jsad.php -/jsad/* -/jsads- -/jsAds/* -/jsadscripts/* -/JSAdservingSP. -/jsc/ads. -/jsfiles/ads/* -/json/ad/* -/jsonad/* -/jsplayerads- -/jspopunder. -/jstextad. -/jsVideoPopAd. -/jtcashbanners/* -/juicyads_ -/jumpstartunpaidad. -/k_ads/* -/kads-ajax. -/kaksvpopup. -/KalahariAds. -/kampyle.js -/kantarmedia. -/kento-ads- -/keyade.js -/keyword_ad. -/KfAd/* -/kitad. -/kogeePopupAd. -/kredit-ad. -/kskads. -/L411_Ad_ -/landerbanners/* -/landingads? -/landingadvertisements/* -/large_ads/* -/layad. -/layer-ad. -/layer-ads. -/layer-advert- -/layer.php?bid= -/layer/ad. -/layer/ads. -/layer160x600. -/layer_ad? -/layerad- -/layerad. -/LayerAd^ -/layerads- -/layerads. -/layerads_ -/layout.inc.php?img -/layout/ad. -/layout/ads/* -/lazy-ads- -/lazy-ads. -/lazy-ads@ -/lazyad- -/lazyad. -/lbl_ad. -/leadads/* -/leader_ad. -/leaderad. -/Leaderboard-Ads- -/leaderboard-advert. -/leaderboard_ad. -/leaderboard_ad/* -/leaderboard_adv/* -/leaderboardad. -/leaderboardadblock. -/leaderboardads. -/ledad. -/left-ads. -/left_ad/* -/left_ad_ -/left_ads. -/leftad. -/leftad_ -/leftads. -/leftbottomads. -/leftsidebarads. -/lg.php?adid= -/lib/ad.js -/lib/ads. -/libc/ads/* -/library/ads/* -/library/adv/* -/lifelockad. -/lifeshowad/* -/lightad. -/lightboxad^ -/lightboxbannerad^ -/lijit-ad- -/lijitads. -/limitedads/* -/linkad2. -/linkads. -/linkadv. -/linkadv_ -/linkedads/* -/links_sponsored_ -/live-gujAd. -/live/ads_ -/live_ad. -/livead- -/liveads. -/livejasmin.$domain=~livejasmin.com -/livejasmin/*&id= -/livejasmin2. -/livejasmin_ -/livejasmine03. -/livejasmine05. -/load-ads| -/load_ad? -/loadad.aspx? -/loadads. -/loadads/* -/loadadsmain. -/loadadsmainparam. -/loadadsparam. -/loadadwiz. -/loaded?b=$xmlhttprequest -/loading_ads. -/local-ad. -/local_ads_ -/localAd/* -/LocalAd_ -/localAdData/* -/LocalAdNet/* -/localads. -/localcom-ad- -/locker.php?pub=*&gateid=$script -/log_ad? -/log_ad_ -/logad? -/logo-ad. -/logo-ads. -/logo/ads_ -/logoads. -/logoutad. -/longad. -/lotto_ad_ -/lrec_ad. -/lserver/* -/m-ad.css? -/m0ar_ads. -/mac-ad? -/mad.aspx? -/mad_ad. -/mads.php? -/magazine/ads. -/magic-ad/* -/magic-ads/* -/main/ad/* -/main/ad_ -/main/ads/* -/main_ad. -/main_ad/* -/main_ad_ -/mainad.$domain=~mainad.ru -/mainpagepopupadv1. -/manageads/* -/mapquest/Ads/* -/marfeel_sw. -/marginaleadservlet? -/marketing-banners/* -/marketing/banners/* -/marketing/banners_ -/markpop.js -/masonad.gif -/masterad. -/match_ads. -/matomyads. -/matomyads300X250. -/matrix/ad/* -/maxadselect. -/maxi_ad. -/mbads? -/mbn_ad. -/mcad.php -/mda-ads/* -/mDialogAdModule. -/meas.ad.pr. -/media/ad/* -/media/ads/* -/media/adv/* -/media_ads/* -/mediaAd. -/megaad. -/mellowads. -/meme_ad. -/metaad. -/metaadserver/* -/metsbanner. -/mgid-ad- -/mgid-header. -/mgid.html -/microad.$domain=~microad.co.id -/microads/* -/microsofttag/* -/middle_adv_ -/middleads. -/min/ads/* -/mini-ads/* -/mini_ads. -/miniadbar/* -/miniads? -/miniadvert. -/minify/ads- -/minpagead/* -/mint/ads/* -/misc/ad- -/misc/ads. -/misc/ads/* -/miva_ads. -/MixBerryAdsProduction/* -/mjx-oas. -/mkadsrv. -/mktad. -/ml9pagepeel. -/mmsAds. -/mmt_ad. -/mnads1. -/mob-ad. -/mobile-ad. -/mobile-ads/* -/mobile_ad. -/mobile_ad/* -/mobile_ads- -/mobilead_ -/mobileads. -/mobileads/* -/mobilephonesad/* -/mod_ad/* -/mod_pagepeel_banner/* -/modalad. -/module-ads/* -/module/ads/* -/modules/ad/* -/modules/ad_ -/modules/ads/* -/modules/adv/* -/modules/dfp/* -/modules/doubleclick/* -/modules_ads. -/momsads. -/monetization/ads- -/moneyball/ads/* -/MonsterAd- -/mont-min.js -/mp3-ad/* -/mpads/* -/mpbads. -/mpbads2. -/mpu-dm.htm -/mpuad. -/MPUAd/* -/MPUAdHelper. -/mpuguardian. -/mpumessage. -/mrskinleftside. -/msgads. -/msn-1.js -/msn-exo- -/msnadimg. -/msnads/* -/msnads1. -/msnpop. -/msnpopsingle2. -/msnpopup. -/msnpopup4. -/mstextad? -/MTA-Ad- -/mtvi_ads_ -/multiad/* -/my-ad-injector/* -/my-ad-integration. -/myads/* -/mydirtyhobby.$domain=~mydirtyhobby.com|~mydirtyhobby.de -/myfreepaysitebanner. -/mylayer-ad/* -/mysimpleads/* -/n/adv_ -/n2ad_ -/n4403ad. -/n_ads/* -/na.ads. -/nad_exo. -/namediaad. -/natad. -/native-ad- -/native-ads- -/native-advertising/* -/nativead. -/nativead/* -/NativeAdManager. -/nativeads- -/nativeads. -/nativeads/* -/nav-ad- -/nav_ad/* -/navad/* -/navads/* -/navigation/ad/* -/nb/ads/* -/nbcuadops- -/nd_affiliate. -/neo/ads/* -/neoads. -/netads. -/netreachtextads/* -/netseerads. -/netshelter/* -/netspiderads2. -/netspiderads3. -/network_ad. -/neudesicad. -/new-ads/* -/new/ad/* -/new/ads/* -/new_ads/* -/new_oas. -/newad. -/newAd/* -/newad2? -/newad? -/newadcfg/* -/newAdfoxConfig. -/newads. -/newads/* -/newAdsScript. -/newadv/* -/newadvert/* -/newaff/float -/newBuildAdfoxBanner. -/newdesign/ad/* -/newimages/ads/* -/newimplugs. -/newPS/ad/* -/newrightcolad. -/news/ads/* -/news_ad. -/newsite/ads/* -/newsletterads/* -/newsletters/ads/* -/newsmaxadcontrol. -/newtopmsgad. -/nextad/* -/nextdaymedia-ads/* -/nflads. -/nmads_ -/no_ads. -/nonrotatingads/* -/noodleAdFramed. -/noscript-ad? -/noticead. -/notifyad. -/now/ads/*$~xmlhttprequest -/nsfw/sponsors/* -/nugg.min.js -/nuggad. -/nuggad/* -/Nuggad? -/nymag_ads. -/nymag_ads_ -/nzmeads/* -/o2ad. -/o2contentad. -/oas-config. -/oas.aspx -/oas.js -/oas/ad/* -/oas/banners/* -/oas/iframe. -/oas/oas- -/OAS/show? -/oas_ad. -/oas_ad/* -/oas_ad_ -/oas_ads. -/oas_handler. -/oas_home_ -/oas_mjx. -/oas_mjx1. -/oas_mjx2. -/oas_mjx3. -/oasadconnector. -/oasadframe. -/oasadfunction. -/oasadfunctionlive. -/oasbanner_ -/oascache/* -/oascentral.$~object-subrequest -/oascentral/* -/oasconfig/* -/oascontroller. -/oasdefault/* -/oasisi- -/oasisi. -/oasx/* -/oiopub-ads/* -/oiopub-direct/*$~stylesheet -/old/ads- -/omb-ad- -/ome.ads. -/oncc-ad. -/onead. -/onead_ -/onecam4ads. -/onesheet-ad- -/online-ad_ -/Online-Adv- -/online/ads/* -/online_ads/*$domain=~rexona.com -/onlineads/* -/OnlineAdServing/* -/onplayerad. -/ontopadvertising. -/openad.$domain=~openad.lv -/openads- -/openads. -/openads/* -/openads2/* -/openads_ -/openadserver/* -/openx-$domain=~openx.com -/openx.$domain=~openx.tv -/openx/* -/openx_ -/openxtag. -/optonlineadcode. -/opxads. -/orbitads. -/origin-ad- -/original/ad_ -/other/ads/* -/outbrain-min. -/outline-ads- -/outstream_ad- -/overlay-ad. -/overlay_ad_ -/overlayad.$domain=~buliba.pl -/overlayads. -/overture.$script,stylesheet,domain=~overture.doremus.org -/overture/*$script,subdocument -/overture_ -/ovt_show.asp? -/owa.MessageAdList. -/ox/www/* -/ox_ultimate/www/* -/p2-header-ad- -/p2-header-ad/* -/p2/ads/* -/p2ads/* -/p8network.js +/exports/tour_20/*$subdocument +/external/ad.$script +/external/ads/*$image +/fel456.js$script +/fgh1ijKl.js$script +/flashad.asp$subdocument +/flashad.js$script +/float_ad.js$script +/floatads.$script +/floating-ad-rotator-$script,stylesheet +/floatingad.js$script +/floatingads.js$script +/flyad.js$script +/footer_ad.js$script,domain=~streamruby.com +/footer_ads.php$subdocument +/footerads.php$script +/fro_lo.js$script +/frontend_loader.js$script +/ftt2/js.php$script +/funcript*.php?pub= +/gdpr-ad-script.js$script +/get/?go=1&data=$subdocument +/get?go=1&data=$subdocument +/globals_ps_afc.js$script +/google-adsense.js$script +/google_adsense-$script +/gospel2Truth.js$third-party +/gpt.js$script +/gpt_ads-public.js$script +/GunosyAdsSDKv2.js$script +/house-ads/*$image +/hoverad.js$script +/hserver/channel= +/hserver/site= +/ht.js?site_$script +/image/ad/*$image +/image/ads/*$image,domain=~edatop.com +/image/affiliate/*$image +/imageads/*$image +/images2/Ads/*$image +/img/ad/*$~xmlhttprequest,domain=~weblio.jp +/img/aff/*$image +/img_ad/*$image,domain=~daily.co.jp|~ehonnavi.net +/in/show/?mid=$third-party +/include/ad/*$script +/includes/ads/*$script +/index-ad-$stylesheet +/index-ad.js$script +/index_ad/*$image +/index_ads.js$script +/infinity.js.aspx?$script +/inhouse_ads/*$image +/inlineads.aspx$subdocument +/insertads.js$script +/internAds.css$stylesheet +/istripper.gif$image +/jquery.ad.js$script +/jquery.adi.js$script +/jquery.adx.js?$script +/jquery.dfp.js?$script +/jquery.dfp.min.js?$script +/jquery.lazyload-ad-$script +/jquery.lazyload-ad.js$script +/jquery.openxtag.js$script +/jquery.popunder.js$script +/js/ad_common.js$script +/js/advRotator.js$script +/jsAds-1.4.min.js$script +/jshexi.hj?lb= +/jspopunder.js$script +/jspopunder.min.js$script +/lazyad-loader.js$script +/lazyad-loader.min.js$script +/left_ads.js$script +/leftad.js$script +/leftad.png$image +/legion-advertising-atlasastro/*$script +/li.blogtrottr.com/imp?$image +/link?z=$subdocument +/livejasmin.$~xmlhttprequest,domain=~livejasmin.com +/mads.php$subdocument +/maven/am.js$script +/media/ads/*$image +/media_ads/*$image +/microad.js$script +/mnpw3.js$script +/mod_ijoomla_adagency_zone/*$~xmlhttprequest +/mod_pagepeel_banner/*$image,script +/module-ads-html-$script +/module/ads/*$~xmlhttprequest +/modules/ad/*$~xmlhttprequest +/modules/ads/*$~xmlhttprequest +/MPUAdHelper.js$script +/mysimpleads/mysa_output.php$script +/native/ts-master.$subdocument +/nativeads-v2.js$script +/nativeads.js$script +/nativeads/script/*$script +/nativebanner/ane-native-banner.js$script +/nb/frot_lud.js$script +/neverblock/*$script +/new/floatadv.js$script +/ntv.json?key= +/nwm-pw2.min.js$script +/nxst-advertising/dist/htlbid-advertising.min.js +/oiopub-direct/js.php$script +/oncc-ad.js$script +/oncc-adbanner.js$script /p?zoneId= -/packages/adz/* -/packages/dfp/* -/pads/default/* -/page-ads. -/page-peel -/page/ad/* -/pagead. -/pagead/ads? -/pagead/conversion. -/pagead/conversion/* -/pagead/gen_ -/pagead/html/* -/pagead/js/* -/pagead/lvz? -/pagead/osd. -/pagead2. -/pagead46. -/pagead? -/pageadimg/* -/pageads/* -/PageBottomAD. -/pagecall_dfp_async. -/pagecurl/* -/pageear. -/pageear/* -/pageear_ -/pagepeel- -/pagepeel. -/pagepeel/* -/pagepeel_ -/pagepeelads. -/pagepeelpro. -/pages/ads -/PageTopAD. -/paidads/* -/paidlisting/* -/panelad. -/park_html_functions.*.js -/park_html_functions.js -/park_html_functions_general.js -/parking_caf_ -/parseForAds. -/partner-ad- -/partner.ads. -/partner_ads/* -/partner_ads_ -/partnerad. -/partnerads. -/partnerads/* -/partnerads_ -/partneradwidget. -/partnerbanner. -/partnerbanner/* -/partners/ad- -/partners/ads/* -/partners/get-banner. -/partnersadbutler/* -/parts/ad/* -/pauseadextension. -/payperpost. -/paytmscripts.js -/pb-ads/* -/pc/ads. -/pc_ads. -/pcad.js? -/pch_ad/* -/pcOfficialAdTags; -/pdpads. -/peel.js -/peel.php? -/peel/?webscr= -/peel1.js -/peel_ads/* -/peelad. -/peelad/* -/peelads/* -/peelaway_images/* -/peelbackscript/ad_ -/peeljs.php -/peeltl. -/peeltr. -/pencilad. -/perfads. -/performance_ads/* -/performancingads/* -/permanent/ads/* -/persadpub/* -/petrol-ad- -/pfpadv. -/pgad. -/pgrightsideads. -/photo728ad. -/photoad. -/photoads/* -/photoflipper/ads/* -/photogallaryads. -/php/ad/* -/php/ads/* -/phpads. -/phpads/* -/phpads2/* -/phpadserver/* -/phpadsnew/* -/phpbanner/banner_ -/pic/ads/* -/pic_adv/* -/picAd. -/pickle-adsystem/* -/pics/ads/* -/picture/ad/* -/pictureads/* -/pictures/ads/* -/pilot_ad. -/pitattoad. -/pix/ads/* -/pixelads/* -/place-ads/* -/placead_ -/placeholder-ad- -/placements/ad_ -/play/ad/* -/player/ad/* -/player/ads. -/player/ads/* -/player_ads/* -/playerjs/ads. -/players/ads. -/pledgead. -/plugin/ad/* -/plugins/ad. -/plugins/ads- -/plugins/ads/* -/plugins/mts-wp-in-post-ads/* -/plugins/page-cornr- -/plugins/wp-moreads/*$~stylesheet -/plugins/wp125/*$~stylesheet -/plugins/wp_actionpop/* -/plugins_ads_ -/plus/ad_ -/poker-ad. -/poll-ad- -/polopoly_fs/ad- -/pool.ads. -/pool/ad/* -/pop-under. -/pop.js| -/pop2.js| -/pop?tid= -/pop_ad. -/pop_adfy. -/pop_ads. -/pop_camgirlcity. -/pop_under. -/pop_under/* -/popad- -/popad. -/popads. -/popads/* -/popads_ -/popadscpm. -/poplivejasmine. -/popounder4. -/poprotator. -/popshow.$~stylesheet -/popu.js -/popunder- -/popunder. -/popunder/* -/popunder1. -/popunder1_ -/popunder2. -/popunder4. -/popunder5. -/popunder7. -/popunder? -/popunder_ -/popunderblogs. -/popundercode. -/popundercode18. -/popunderjs/* -/popunderking. -/popunders. -/popunders/* -/popunderWeb- -/popundr. -/popundr_ -/popup-builder-$~image,~stylesheet -/popup-domination/*$~stylesheet -/popup/log|$~third-party,xmlhttprequest -/popup2.js -/popup3.js -/popup_ad. -/popup_code. -/popupad/* -/popupads. -/popupdfp. -/popupunder. -/post-ad- -/post/ads/* -/post_ads_ -/postad. -/postprocad. -/postprofilehorizontalad. -/postprofileverticalad. -/posts_ad. -/pounder-$~image -/pp-ad. -/ppd_ads. -/ppd_ads_ -/predictad. -/prehead/ads_ -/premierebtnad/* -/premium_ad. -/premiumads/* -/premiumadzone. -/prerollad. -/prerollads. -/previews/ad/* -/printad. -/printad/* -/printads/* -/PRNAd300x150. -/proads/* -/proadvertising. -/proadvertising_ -/processad. -/processads. +/page-peel$~xmlhttprequest +/pagead/1p-user-list/*$image +/pagead/conversion.js$script +/pageear.js$script +/pageear/*$script +/pagepeel.$~xmlhttprequest +/pagepeelpro.js?$script +/partnerads/js/*$script +/partneradwidget.$subdocument +/partnerbanner.$~xmlhttprequest,domain=~toltech.cn +/partners/ads/*$image +/peel.php?$script +/peel_ads.js$script +/peelads/*$script +/pfe/current/*$third-party +/phpads/*$script +/phpadsnew/*$image,script +/phpbb_ads/*$~xmlhttprequest +/pix/ads/*$image +/pixel/puclc?$third-party +/pixel/pure$third-party +/pixel/purs?$third-party +/pixel/purst?$third-party +/pixel/sbe?$third-party +/player/ads/*$~xmlhttprequest +/plg_adbutlerads/*$script,stylesheet +/plugin/ad/*$script +/plugins/ad-invalid-click-protector/*$script +/plugins/adrotate-pro-latest/*$script +/plugins/adrotate-pro/*$script +/plugins/adrotate/*$script +/plugins/ads/*$~xmlhttprequest +/plugins/adsanity-$stylesheet +/plugins/advanced-ads/*$domain=~transinfo.pl|~wordpress.org +/plugins/ane-banners-entre-links/*$script,stylesheet +/plugins/ane-preroll$~xmlhttprequest +/plugins/cactus-ads/*$script,stylesheet +/plugins/cpx-advert/*$script +/plugins/dx-ads/*$script +/plugins/easyazon-$script,stylesheet +/plugins/meks-easy-ads-widget/*$stylesheet +/plugins/mts-wp-in-post-ads/*$script,stylesheet +/plugins/popunderpro/*$script +/plugins/thirstyaffiliates/*$script,stylesheet +/plugins/ultimate-popunder/*$~stylesheet +/pop_8/pop_8_$script +/popin-min.js$script +/popunder1.js$script +/popunder1000.js$script +/popunder2.js$script +/popup-domination/*$script +/popup2.js$script +/popup3.js$script +/popup_ad.js$script +/popup_code.php$script +/popupads.js$script +/prbt/v1/ads/?_= +/prism_ad/*$script /processing/impressions.asp? -/prod/ads- -/product-ad/* -/product-ads/* -/product_ad_widget/* -/ProductAd. -/productAds/* -/production/ads/* -/prog-sponsor/* -/projectwonderful_ -/promo-ads/* -/promo/ad_ -/promo/ads/* -/promo/affiframe. -/promo/banners/* -/promo300by250. -/promo300x250. -/promoAd. -/promoads/* -/promobuttonad. -/promoloaddisplay? -/promoredirect?*&campaign=*&zone= -/PromosAds/* -/promotion/geoip/* -/promotions/ads. -/promotions/ads/* -/promotions/ads? -/promotools. -/promotools/* -/promotools1. -/propadbl. -/propads2. -/propellerad. -/propellerAdsPush/* -/protection/ad/* -/proto2ad. -/provideadcode. -/provider_ads/* -/proxxorad. -/proxyadcall? -/pub/ad/* -/pub/ads/* -/pub/js/ad. -/pub_images/*$third-party -/pubad. -/pubads. -/pubads_ -/public/ad/* -/public/ad? -/public/ads/* -/public/ads_ -/public/adv/* -/public/js/ad/* -/publicidad.$~object-subrequest,~stylesheet -/publicidad/* -/publicidad_$~stylesheet -/publicidade. -/publicidade/* -/publicidades/* -/publisher.ad. -/pubmatic_ -/pubs_aff.asp? -/puff_ad? -/pullads. -/punder.js -/punder.php -/purch-ad- -/pushdownAd. -/putl.php? -/PVButtonAd. -/qandaads/* -/qd_ads/* -/qj-ads. -/qpon_big_ad -/quadadvert. -/quads. -/questions/ads/* -/quick-adsense-reloaded/* -/quick_ads/* -/quigo_ad -/qwa? -/r_ads/* -/radioAdEmbed. -/radioadembedgenre. -/radioAdEmbedGPT. -/radopenx? -/rads/b/* -/rail_ad_ -/railad. -/railads. -/railsad. -/railsad_ -/RainbowTGXServer/* -/ram/ads/* -/randomad. -/randomad120x600nsfw. -/randomad160x600nsfw. -/randomad2. -/randomad300x250nsfw. -/randomad728x90nsfw. -/randomad_ -/randomads. -/rassets1/ads- -/rawtubelivead. -/rcolads1. -/rcolads2. -/rcom-ads- -/rcom-ads. -/rcom-video-ads. -/rcsad_ -/rdm-ad- -/RdmAdFeed. -/realmedia/ads/* -/realmedia_banner. -/realmedia_banner_ -/realmedia_mjx. -/realmedia_mjx_ -/reclama/* -/reclame/* -/recommendations/ad. -/recordadsall. -/rect_ad. -/rectangle_ad. -/rectangle_advertorials_ -/redirect?tid= -/redirect_awe. -/refads/* -/refreshads- -/refreshsyncbannerad? -/RefSplDicAdsTopL. -/reklam-ads2. -/reklam.$domain=~reklam.com.tr -/reklam/*$domain=~reklam.com.tr -/reklama.$~stylesheet,domain=~reklama.mariafm.ru -/reklama/* -/reklama1. -/reklama2. -/reklama3. -/reklama4. -/reklama5. -/reklame/* -/related-ads. -/relatedads. -/releases/ads/* -/relevance_ad. -/remove-ads. -/remove_ads. -/render-ad/* -/renderBanner.do? -/renewalad/* -/repeat_adv. -/reporo_ -/report_ad. -/report_ad_ -/requestadvertisement. -/requestmyspacead. -/reqwads? -/resources/ad. -/resources/ads/* -/resources/ads_ -/responsive-ad- -/responsive-ad. -/responsive-ads. -/responsive/ad_ -/responsive_ads. -/responsive_dfp. -/responsive_dfp_ -/restorationad- -/retrad. -/retrieve-ad. -/revboostprocdnadsprod. -/revcontent. -/revealaads. -/revealaads/* -/revealads. -/revealads/* -/revealads2/* -/rg-erdr.php$xmlhttprequest -/rg-rlog.php$xmlhttprequest -/rgads. -/rhspushads/* -/richoas. -/right-ad- -/right_ad. -/right_ad^ -/right_ad_ -/right_ads. -/rightad. -/rightad/* -/rightAd1. -/rightAd2. -/rightads.$domain=~rightads.co.uk -/rightbanner/* -/rightnavads. -/rightnavadsanswer. -/rightrailgoogleads. -/rightsideaddisplay. -/righttopads. -/RivistaGoogleDFP. -/RivistaOpenX. -/rollad. -/rolloverads/* -/rolloverbannerad. -/root_ad. -/rotad/* -/rotads/* -/rotateads. -/rotatedads1. -/rotatedads13. -/rotatedads2. -/rotating_banner.php -/rotatingad. -/rotatingpeels. -/rotatingtextad. -/rotation/banner -/rotationad. -/rotatorad300x250. -/rotatoradbottom. -/roturl.js -/rpc/ad/* -/rpgetad. -/rsads.js -/rsads/* -/rsc_ad_ -/rss/ads/* -/rss2/?*&hp=*&np=$script,third-party -/rss2/?*&np=*&hp=$script,third-party -/rss2/?hp=*&np=$script,third-party -/rss2/?np=*&hp=$script,third-party -/rswebsiteads/* -/rtb/worker.php? -/rubicon_blacklist.js -/rule34/ads/* -/rule34v2/ads/* -/s?*&slot= -/s_ad.aspx? -/sadasds.js -/safead/* -/sailthru.js -/salesad/* -/sam-pro-free/* -/sam-pro-images/* -/sample300x250ad. -/sample728x90ad. -/samplead1. -/samsung_ad. -/sas/ads/* -/satnetads. -/satnetgoogleads. -/savvyads. -/sb-relevance.js -/sbnr.ads? -/scanscout. -/scanscoutoverlayadrenderer. -/scanscoutplugin. -/scaradcontrol. -/scn.php? -/script-adv- -/script/ad.$~script -/script/ads. -/script/ads_ -/script/banniere_*.php?id=*&ref=$script,third-party -/script/oas/* -/scripts/ad- -/scripts/ad. -/scripts/ad/* -/scripts/ad_ -/scripts/ads. -/scripts/ads/* -/scripts/AdService_ -/scripts/adv. -/scripts/afc/* -/scripts/feedmeCaf.php?q=*&d=*&ron=$script -/scripts/zanox- -/scrollAd- -/scrollads/* -/scrpads. -/sd_ads_ -/search-ads? -/search.php?uid=*.*&src= -/search/ad/* -/search/ads? -/search/ads_ -/search_ads. -/searchad. -/searchad_ -/searchads/* -/searchAdsIframe. -/secondads. -/secondads_ -/secretmedia-sdk- -/secureads. -/securepubads. -/seo-ads. -/serv.ads. -/serve.ads. -/servead. -/servead/* -/ServeAd? -/serveads. -/Server/AD/* -/server/ads/* -/servewebads/* -/service/ad/* -/service/ads/* -/service/adv/* -/services/ads/* -/services/getbanner? -/servlet/view/* -/settings/ad. -/sevenads. -/sevenl_ad. -/share/ads/* -/shared/ad_ -/shared/ads. -/shared/ads/* -/shortmediads/* -/show-ad. -/show-ads. -/show.ad? -/show.cgi?adp -/show?zone_id= -/show_ad. -/show_ad? -/show_ad_ -/show_ads.js -/show_ads_ -/showad. -/showad/* -/showAd300- -/showAd300. -/showad_ -/showadcode. -/showadcode2. -/showadcontent. -/showadjs. -/showads. -/showads^ -/showads_ -/showadv2. -/showadvert. -/showadvertising. -/showban.asp? -/showbanner. -/showcasead/* -/showcode?adids= -/showflashad. -/showindex-ad- -/ShowInterstitialAd. -/showJsAd/* -/showmarketingmaterial. -/showpost-ad- -/showsidebar-ad- -/showSp.php? -/side-ad- -/side-ad. -/side-ads- -/side_adverts. -/sidead. -/sidead/* -/sidead1. -/sidead2. -/sidead3. -/sidead300x250. -/sideadiframe. -/sideads. -/sideads/* -/sideads| -/sideadvtmp. -/sidebar-ad- -/sidebar-ads/* -/sidebar_ad. -/sidebar_ad_ -/sidebar_ads/* -/sidebarad/* -/SidebarAds. -/sidebaradvertisement. -/sidecol_ad. -/sidekickads. -/sidelinead. -/siframead. -/silver/ads/* -/silverads. -/simad.min.js -/simpleads/* -/simpleadvert. -/simpleadvert/* -/singleadextension. -/sisterads. -/site-ads/* -/site-advert. -/site/ad/* -/site/ads/* -/site/ads? -/site/dfp- +/production/ad-$script +/production/ads/*$script +/promo.php?c=$third-party +/promo/ads/*$~xmlhttprequest +/promotools.$subdocument +/public/ad/*$image +/public/ads/*$image +/publicidad/*$~xmlhttprequest +/publicidade.$~xmlhttprequest +/publicidade/*$~xmlhttprequest +/publicidades/*$~xmlhttprequest +/push/p.js?$third-party +/rad_singlepageapp.js$script +/RdmAdFeed.js$script +/rdrr/renderer.js$third-party +/RealMedia/ads/*$~xmlhttprequest +/redirect/?spot_id=$third-party +/reklam/*$~xmlhttprequest,domain=~cloudflare.com|~github.com|~reklam.com.tr +/reklama2.jpg$image +/reklama2.png$image,domain=~aerokuz.ru +/reklama3.jpg$image +/reklama3.png$image +/reklama4.jpg$image +/reklama4.png$image +/reklame/*$~xmlhttprequest +/ren.gif?$image +/resources/ads/*$~xmlhttprequest +/responsive/ad_$subdocument +/responsive_ads.js$script +/right_ads.$~xmlhttprequest +/rightad.js$script +/s.ashx?btag$script +/sbar.json?key= +/sc-tagmanager/*$script +/script/aclib.js$third-party +/script/antd.js$third-party +/script/app_settings.js$third-party +/script/atg.js$third-party +/script/atga.js$third-party +/script/g0D.js$third-party +/script/g0dL0vesads.js$third-party +/script/intrf.js$third-party +/script/ippg.js$third-party +/script/java.php?$xmlhttprequest +/script/jeSus.js$third-party +/script/liB1.js$third-party +/script/liB2.js$third-party +/script/naN.js$third-party +/script/native_render.js$third-party +/script/native_server.js$third-party +/script/npa2.min.js$third-party +/script/nwsu.js$third-party +/script/suv4r.js$third-party +/script/thankYou.js$third-party +/script/uBlock.js$third-party +/script/wait.php?*=$xmlhttprequest +/script/xxAG1.js$third-party +/scripts/js3caf.js$script +/sdk/push_web/?zid=$third-party +/servead/request/*$script,subdocument +/serveads.php$script +/servlet/view/*$script +/set_adcode?$image +/sft-prebid.js$script +/show-ad.js$script +/show_ad.js$script +/showban.asp?$image +/showbanner.js$script +/side-ads-$~xmlhttprequest +/side-ads/*$~xmlhttprequest +/side_ads/*$~xmlhttprequest +/sidead.js$script +/sidead1.js$script +/sideads.js$script +/sidebar_ad.jpg$image +/sidebar_ad.png$image +/sidebar_ads/*$~xmlhttprequest /site=*/size=*/viewid= /site=*/viewid=*/size= -/site_ads. -/site_ads/* -/site_under. -/siteads. -/siteads/* -/siteadvert. -/siteafs.txt? -/sitefiles/ads/* -/siteimages/ads- -/sitemanagement/ads/* -/sites/ad_ -/sitewide/ads/* /size=*/random=*/viewid= -/skin/ad/* -/skin/ad3/* -/skin/adv/* -/skin3/ads/* -/skin_ad- -/skinad. -/skinads/* -/skins/ads- -/skins/ads/* -/skn_ad/* -/skyad. -/skyad_ -/skyadjs/* -/skyadright. -/skybannerview. -/skybar_ad. -/skyframeopenads. -/skyframeopenads_ -/skyscraper-ad. -/skyscraper_ad_ -/skyscraperad. -/slafc.js -/slide_in_ads_ -/slideadverts/* -/slideinad. -/slider-ad- -/slider.ad. -/slider_ad. -/sliderAd/* -/sliderad3. -/SliderAd_ -/SliderJobAdList. -/slideshow/ads. -/slideshowintad? -/slidetopad. -/slot/dfp/* -/smalAds. -/small_ad. -/small_ad_ -/small_ads/* -/smallad- -/smalladblockbg- -/smalltopl. -/smart-ad-server. -/smart_ad/* -/smartad- -/smartad.$domain=~smartad.ai -/smartad/* -/smartAd? -/smartad_ -/smartads.$domain=~smartads.cz|~smartads.io -/smartadserver.$domain=~smartadserver.com|~smartadserver.com.br|~smartadserver.de|~smartadserver.es|~smartadserver.fr|~smartadserver.it|~smartadserver.pl|~smartadserver.ru -/smartlinks.epl? -/smb/ads/* -/smeadvertisement/* -/smedia/ad/* -/smoozed-ad/* -/SmpAds. -/sni-ads. -/socialads.$domain=~socialads.eu|~socialads.guru -/socialads/* -/somaadscaleskyscraperscript. -/some-ad. -/someads. -/sp/delivery/* -/spac_adx. -/space_ad. -/spacead/* +/skin/ad/*$image,script +/skin/adv/*$~xmlhttprequest +/skyscraperad.$image +/slide_in_ads_close.gif$image +/slider_ad.js$script +/sliderad.js$script +/small_ad.$image,domain=~eh-ic.com +/sp/delivery/*$script /spacedesc= -/spark_ad. -/spc.php -/spc_fi.php -/spcjs.php -/spcjs_min. -/special-ads/* -/special_ad. -/special_ads/* -/SpecialAdCampaigns/* -/specialads/* -/specialfeatureads/* -/spiderad/* -/splash_ads_ -/SplashAd_ -/spo_show.asp? -/sponlink. -/spons/banners/* -/spons_links_ -/sponser. -/sponseredlinksros. -/sponsers.cgi -/sponsimages/* -/sponslink_ -/sponsor%20banners/* -/sponsor-ad -/sponsor-banner. -/sponsor-box? -/sponsor-links. -/sponsor/click. -/sponsor_ads. -/sponsor_select. -/sponsorad. -/sponsorad2. -/sponsoradds/* -/sponsorads. -/sponsorads/* -/sponsorbanners/* -/sponsorbg/* -/sponsored-backgrounds/* -/sponsored-banner- -/sponsored-content- -/sponsored-links- -/sponsored-links. -/sponsored-links/* -/sponsored_ad. -/sponsored_ad/* -/sponsored_ad_ -/sponsored_ads/* -/sponsored_by. -/sponsored_content- -/sponsored_content/* -/sponsored_link. -/sponsored_links. -/sponsored_links1. -/sponsored_links_ -/sponsored_listings. -/sponsored_text. -/sponsored_title. -/sponsored_top. -/sponsoredads/* -/sponsoredbanner/* -/sponsoredcontent. -/sponsoredheadline. -/sponsoredlinks. -/sponsoredlinks/* -/sponsoredlinks? -/sponsoredlinksiframe. -/sponsoredlisting. -/sponsorHeaderDeriv_ -/sponsoringbanner/* -/sponsorpaynetwork. -/sponsors-ads/* -/sponsors.js? -/sponsors/ads/* -/sponsors/amg.php? -/sponsors/sponsors. -/sponsors_box. -/sponsorsgif. -/sponsorship/targeting/* -/sponsorshipimage- -/sponsorstrips/* -/spotlight-ad? -/SpotlightAd- -/spotlightads/* -/spotx_adapter. -/spotxchangeplugin. -/spotxchangevpaid. -/square-ad. -/square-ads/* -/squaread. -/squareads. -/sr.ads. -/src/ads_ -/srec_ad_ -/srv/ad/* -/ss3/ads/* -/ssc_ad. -/standalone/ads- -/standard_ads. -/static-ad- -/static.ad. -/static.ads.$domain=~ads.ae -/static/ad- -/static/ad/* -/static/ad_ -/static/ads/* -/static/adv/* -/static/js/4728ba74bc.js$~third-party -/static_ads/* -/staticadslot. -/stats/?t_sid= -/sticker_ad. -/sticky-ad- -/sticky_ad. -/stickyad. -/stickyad2. -/stickyads. -/stocksad. -/storage/ads/* -/storage/adv/* -/stories/ads/* -/story_ad. -/story_ads_ -/storyadcode. -/storyads. -/stream-ad. -/streamads. -/streamads/* -/streamatepop. -/studioads/* -/stuff/ad- -/style_ad. -/styleads2. -/styles/ad/* -/Styles/Ad_ -/styles/ads. -/styles/ads/* -/subAd. -/subad2_ -/subadz. -/subnavads/* -/subs-ads/* -/sugar-ads. -/sugar-ads/* -/sugarads- -/superads-$script -/superads_ -/supernorthroomad. -/svnad/* -/swf/ad- -/swf/ads/* -/swfbin/ad- -/swfbin/ad3- -/swfbin/ad3_ -/switchadbanner. -/SWMAdPlayer. -/syads. -/synad2. -/synad3. -/sync2ad. -/syndication/ad. -/sys/ad/* -/system/ad/* -/system/ads/* -/system/ads_ -/system_ad. -/systemad.$domain=~systemad.com.pl|~systemad.eu|~systemad.pl -/systemad_ -/t-ads.$domain=~t-ads.org -/t.php?uid=*.*&src= -/tabads/* -/tableadnorth. -/tabunder/pop. -/tag-adv. -/tag_adv/* -/tag_oas. -/tag_sys. -/tagadv_ -/talkads/* -/targetingAd. -/taxonomy-ads. -/td-ads- -/td_ads/* -/tdlads/* -/tds-ads- -/teamplayer-ads. -/teaseimg/ads/* -/technomedia.$domain=~technomedia.co -/telegraph-advertising/* -/teletoon_ad. -/tempads/* -/template/ad. -/templateadvimages/* -/templates/ad. -/templates/ad/* -/templates/ads/* -/templates/adv_ -/testads/* -/testingad. -/text_ad. -/text_ad_ -/text_ads. -/text_ads_ -/textad. -/textad/* -/textad1. -/textad? -/textad_ -/textadbannerH5. -/textadrotate. -/textads- -/textads. -/textads/* -/textads_ -/textadspromo_ -/tfs-ad. -/tg.php?uid= -/thdgoogleadsense. -/thebannerserver.net/* -/third-party/dfp/* -/thirdparty/ad/* -/thirdpartyads/* -/thirdpartyframedad/* -/thumb-ads. -/thumbs/ads/* -/thunder/ad. -/ticker_ad. -/tickeradsget. -/tidaladplugin. -/tii_ads. -/tikilink? -/TILE_ADS/* -/tileads/* -/tinlads. -/tinyad. -/tit-ads. -/title-ad/* -/title_ad. -/tizers.php? -/tl.ads- -/tmnadsense- -/tmnadsense. -/tmo/ads/* -/tmobilead. -/tncms/ads/* -/toggleAds. -/toigoogleads. -/toigoogleleads_ -/tomorrowfocusAd. -/too_ad/* -/toolkitads. -/tools/ad. -/toonad. -/top-ad- -/top-ad. -/top-ad/* -/top-ad_ -/top-ads. -/top_ad. -/top_ad/* -/top_ad_ -/top_ads. -/top_ads/* -/top_ads_ -/top_adv_ -/topad. -/topad/* -/topad3. -/topad_ -/topadbg. -/topadfooter. -/topadheader. -/topadImg. -/topads. -/topads/* -/topads1. -/topads2. -/topads3. -/topads_ -/topads| -/topadv. -/topadvert. -/topleftads. -/topperad. -/toprightads. -/tops.ads. -/torget_ads. -/totalmedia/* -/Totem-Cash/* -/totemcash/*$image -/totemcash1. -/tower_ad_ -/towerbannerad/* -/tr2/ads/* -/track.php?click=*&domain=*&uid=$xmlhttprequest -/track.php?uid=*.*&d= -/track_ad_ -/trackads/* -/tracked_ad. -/tracking/events/* -/trade_punder. -/tradead_ -/TradeAds/* -/tradedoubler. -/trafficadpdf02. -/trafficads. -/trafficengineads. -/TrafficHaus/* -/trafficsynergysupportresponse_ -/transad. -/travidia/* -/tremoradrenderer. -/trendad. -/triadshow. -/tribalad. -/tripplead/* -/tsc.php?*&ses= +/spc.php?$script +/spcjs.php$script +/special/specialCtrl.js$script +/sponsor-ad$image +/sponsorad.jpg$image +/sponsorad.png$image,domain=~hmassoc.org +/sponsored_link.gif$image +/sponsors/ads/*$image +/squaread.jpg$image +/sticky_ads.js$script +/stickyad.js$script +/stickyads.js$script +/style_ad.css$stylesheet +/suurl4.php?$third-party +/suurl5.php$third-party +/suv4.js$third-party +/suv5.js$third-party +/Sw_commonAD.js$script +/taboola-footer.js$script +/taboola-header.js$script +/taboola_8.9.1.js$script +/targetingAd.js$script +/targetpushad.js$script +/tmbi-a9-header-$script +/tncms/ads/*$script +/tnt.ads.$script +/top-ad.$~xmlhttprequest +/top_ad.$~xmlhttprequest,domain=~sunco.co.jp +/top_ads.$~xmlhttprequest +/topad.html$subdocument +/triadshow.asp$script,subdocument /ttj?id= -/ttz_ad. -/tubeadvertising. -/turbo_ad. -/tvgdartads. -/TWBadbanner. -/twgetad3. -/TwtAd_ -/txt_ad. -/txt_ad_ -/txt_adv. -/txtad. -/txtAd1. -/txtads/* -/u-ads. -/u/ads/* -/u?pub= -/uberlayadrenderer. -/ucstat. -/ugoads. -/ugoads_inner. -/ui/ads/* -/ui/adv. -/ui/adv_ -/uk.ads. -/uk/ads/* -/ukc-ad. -/unibluead. -/unity/ad/* -/up/ads/* -/update_ads/* -/update_layer/layer_os_new.php -/uplimg/ads/* -/upload/ads/*$domain=~ads.ae -/UploadAds/* -/uploaded/ads/* -/UploadedAds/* -/uploads/ads/*$domain=~bayie.com -/uploads/adv/* -/uploads/adv_ -/uploads/xadv_ -/upsellingads/* -/us-ads. -/usenext16. -/user/ads? -/user_ads/* -/userad.$domain=~userad.info -/userad/* -/userads/* -/userimages/ads/* -/usernext. -/utep/ad/* -/utep_ad.js -/v1/ads. -/v1/ads/* -/v2/ads. -/v2/ads/* -/v3/ads/* -/v3/ads? -/v5/ads/* -/v7/ads/* -/v9/adv/* -/vads/* -/valueclick-ad. -/valueclick. -/valueclickbanner. -/valueclickvert. -/vast/ads- -/vast_ads_ -/VASTAdPlugin. -/vastads. -/vb/ads/* -/vboard/ads/* -/vbvua.js -/vclkads. -/vendor-ads- -/vericaladtitle. -/vert728ad. -/vert_ad. -/verticaladrotatorv2. -/vghd.gif -/vghd.swf -/vghd2.gif -/VHDpoppingModels/* -/viagogoads. -/vice-ads. -/vidadv. -/video-ad-overlay. -/video-ad. -/video-ads-management. -/video-ads-player. -/video-ads/* -/video.ads. -/video/ad/* -/video/ads/* -/video2adrenderer. -/video_ad. -/video_ad_ -/video_ads. -/video_ads/* -/videoad. -/VideoAd/* -/videoad_new. -/VideoAdContent? -/videoadrenderer. -/videoads. -/videoads/* -/VideoAdsServingService/* -/videoadv- -/videoadv. -/videojs.ads- -/videojs.ads. -/videojs.sda. -/videostreaming_ads. -/videowall-ad. -/view/ads/* -/view/banner/* -/view_banner. -/viewad. -/viewad/* -/viewad? -/viewbannerad. -/viewer/rad? -/viewid=*/site=*/size= -/views/ads/* -/vifGoogleAd. -/virtuagirl. -/virtuagirl/* -/virtuagirl3. -/virtuagirlhd. -/virtual_girl_ -/virtualgirl/* -/virtualgirlhd- -/vision/ads/* -/visitoursponsors. -/vld.ads? -/vnads. -/vnads/* -/vogue_ads/* -/vpaidad3. -/vpaidadrenderer. -/vplayerad. -/vrdinterads- -/vsl/js/* -/vsl/vst/* -/vtextads. -/VXLayerAd- -/w/ads/* -/w/d/capu.php?z=$script,third-party -/w_ad.aspx? -/waframedia16. -/wahoha. -/wallpaper_ads/* -/wallpaperads/* -/watchit_ad. -/waterad2. -/wave-ad- -/wbadvert/* -/weather-sponsor/* -/weather/ads/* -/web-ad_ -/web-ads. -/web-ads/* -/web/ads/* -/web2_ad. -/web_ads/* -/webad.$domain=~webad.io -/WebAd/*$domain=~motortrader.com.my -/webad? -/webadimg/* -/webads. -/webads/* -/webads_ -/webadserver. -/webadvert. -/webadvert/* -/webadvert3/* -/webadverts/* -/webapp/ads- -/webmailad.$domain=~webmailad.com -/webmaster_ads/* -/weborama.js -/websie-ads- -/websie-ads3. -/wedel_ad. -/weeklyAdsLabel. -/welcome_ad. -/welcomead. -/welcomeadredirect. -/werbebanner/* -/widget-advert. -/widget-advert? -/widget/ad/* -/widget/ads. -/widget/ads/* -/widgetad. -/widgetadsense. -/widgets/ads. -/widgets/ms/*.php? -/widgets/sponsored/* -/wipeads/* -/wire/ads/* -/wired/ads/* -/wix-ad. -/wixads. -/wixads/* -/wlbetathome/bannerflow/* -/wmads. -/wordpress-ads-plug-in/* -/work.php?n=*&size=*&c= -/wp-ad.min. -/wp-bannerize- -/wp-bannerize. -/wp-bannerize/* -/wp-banners.js -/wp-banners/* -/wp-content/ads/* -/wp-content/mbp-banner/* +/umd/advertisingWebRenderer.min.js$script +/ut.js?cb= +/utx?cb=$third-party +/v2/a/push/js/*$third-party +/v2/a/skm/*$third-party +/vast/?zid= +/velvet_stack_cmp.js$script +/vendors~ads. +/video_ads.$script +/videoad.$~xmlhttprequest,domain=~videoad.in +/videoad/*$script +/videoads/*$~xmlhttprequest +/videojs.ads-$script,stylesheet +/videojs.ads.css$stylesheet +/videojs.sda.js$script +/view/ad/*$subdocument +/view_banner.php$image +/virtuagirlhd.$image +/web/ads/*$image +/web_ads/*$image +/webads/*$image,domain=~cccc.edu|~meatingplace.com +/widget-advert?$subdocument +/wordpress-ads-plug-in/*$script,stylesheet +/wp-auto-affiliate-links/*$script,stylesheet +/wp-bannerize-$script,stylesheet +/wp-bannerize.$script,stylesheet +/wp-bannerize/*$script,stylesheet +/wp-content/ads/*$~xmlhttprequest +/wp-content/mbp-banner/*$image +/wp-content/plugins/amazon-auto-links/*$script,stylesheet /wp-content/plugins/amazon-product-in-a-post-plugin/* /wp-content/plugins/automatic-social-locker/* -/wp-content/plugins/banner-manager/* -/wp-content/plugins/bhcb/lock.js +/wp-content/plugins/banner-manager/*$script /wp-content/plugins/bookingcom-banner-creator/* /wp-content/plugins/bookingcom-text2links/* -/wp-content/plugins/fasterim-optin/* -/wp-content/plugins/m-wp-popup/*$~stylesheet -/wp-content/plugins/platinumpopup/* +/wp-content/plugins/fasterim-optin/*$~xmlhttprequest +/wp-content/plugins/m-wp-popup/*$script +/wp-content/plugins/platinumpopup/*$script,stylesheet +/wp-content/plugins/popad/*$script,stylesheet +/wp-content/plugins/the-moneytizer/*$script /wp-content/plugins/useful-banner-manager/* -/wp-content/plugins/wp-super-popup-pro/* -/wp-content/plugins/wp-super-popup/*$~stylesheet +/wp-content/plugins/wp-ad-guru/*$script,stylesheet +/wp-content/plugins/wp-super-popup-pro/*$script +/wp-content/plugins/wp-super-popup/*$script /wp-content/uploads/useful_banner_manager_banners/* -/wp-popup-scheduler/* -/wp-srv/ad/* -/wp_ad_250_ -/wp_pro_ad_system/* -/wpads/iframe. -/wpbanners_show.php -/wppas. -/wppas/* -/wppas_ -/wpproadds. -/wpproads. -/wrapper/ads/* -/writelayerad. -/wwe_ads. -/wwe_ads/* -/www/ad/* -/www/ad_ -/www/ads/* -/www/deliver/* -/www/deliverx/* -/www/delivery/* -/www/js/ad/* -/www/xengine/* -/wwwads. -/x5advcorner. -/xads.js -/xads.php -/xadvertisement. -/xbanner.js -/xbanner.php? -/xclicks. -/xfiles/ads/* -/xhfloatAdv. -/xhr/ad/* -/xlayer/layer.php?uid=$script -/xml/ad/* -/xml/ads_ -/xmladparser. -/xnxx-ads. -/xpcadshow. -/xpiads. -/xpopunder. -/xpopup.js -/xtendmedia.$domain=~xtendmedia.dk -/xwords. -/xxxmatch_ -/yads- -/yads. -/yads/* -/yads_ -/yahoo-ad- -/yahoo-ads/* -/yahoo/ads. -/yahoo_overture. -/YahooAd_ -/yahooads. -/yahooads/* -/yahooadsapi. -/yahooadsobject. -/yahoofeedproxy. -/yellowpagesads/* -/yesbaby. -/yhs/ads? -/yieldads. -/yieldlab. -/yieldmanager/* -/yieldmo- -/yin-ad/* -/yld/js/* -/yld_mgr/* -/your-ad- -/your-ad. -/your_ad. -/yourad1. -/youradhere. -/youradhere468- -/youradhere_ -/ypad/* -/ysc_csc_news -/ysmads. -/ysmwrapper.js -/yume_ad_library_ -/yzx? -/z-ads. -/z/ads/* -/zagcookie_ -/zalando-ad- -/zanox/banner/* -/zanox_ad/* -/zaz-admanager. -/zaz-admanager/* -/zedo_ -/zxy? +/wp-popup-scheduler/*$script,stylesheet +/wp_pro_ad_system/templates/*$script,stylesheet +/wpadgu-adblock.js$script +/wpadgu-clicks.js$script +/wpadgu-frontend.js$script +/wpbanners_show.php$script +/wppas.min.css$stylesheet +/wppas.min.js$script +/wpxbz-theme.js$script +/www/delivery/*$script,subdocument +/xpopup.js$script +/zcredirect? /~cdn/ads/* +://a.*/ad-provider.js$third-party ://a.ads. -://ad.*/jstag^ -://adcl.$domain=~adcl.com -://ads.$domain=~ads.ac.uk|~ads.adstream.com.ro|~ads.am|~ads.bigbom.com|~ads.brave.com|~ads.colombiaonline.com|~ads.comeon.com|~ads.elcarado.com|~ads.google.com|~ads.harvard.edu|~ads.lapalingo.com|~ads.lordlucky.com|~ads.mobilebet.com|~ads.msstate.edu|~ads.nc|~ads.nimses.com|~ads.quasaraffiliates.com|~ads.red|~ads.route.cc|~ads.safi-gmbh.ch|~ads.sk|~ads.socialtheater.com|~ads.taboola.com|~ads.toplayaffiliates.com|~ads.viksaffiliates.com|~ads.watson.ch|~ads.xtribeapp.com|~ads.yahoosmallbusiness.com|~badassembly.com|~caravansforsale.co.uk|~fusac.fr|~memo2.nl|~reempresa.org|~seriouswheels.com -://adv.$domain=~adv.bet|~adv.cincsys.com|~adv.co.it|~adv.cryptonetlabs.it|~adv.derfunke.at|~adv.ee|~adv.gg|~adv.michaelgat.com|~adv.msk.ru|~adv.ru|~adv.vg|~adv.works|~adv.yomiuri.co.jp|~advids.co|~erti.se|~escreverdireito.com|~farapp.com|~forex-tv-online.com|~r7.com|~typeform.com|~welaika.com +://ad-api- +://ad1. +://adn.*/zone/$subdocument +://ads.$~image,~xmlhttprequest,domain=~ads.8designers.com|~ads.ac.uk|~ads.adstream.com.ro|~ads.allegro.pl|~ads.am|~ads.amazon|~ads.apple.com|~ads.atmosphere.copernicus.eu|~ads.band|~ads.bestprints.biz|~ads.bikepump.com|~ads.brave.com|~ads.buscaempresas.co|~ads.business.bell.ca|~ads.cafebazaar.ir|~ads.colombiaonline.com|~ads.comeon.com|~ads.cvut.cz|~ads.doordash.com|~ads.dosocial.ge|~ads.dosocial.me|~ads.elevateplatform.co.uk|~ads.finance|~ads.google.cn|~ads.google.com|~ads.gree.net|~ads.gurkerl.at|~ads.harvard.edu|~ads.instacart.com|~ads.jiosaavn.com|~ads.kaipoke.biz|~ads.kazakh-zerno.net|~ads.kifli.hu|~ads.knuspr.de|~ads.listonic.com|~ads.luarmor.net|~ads.magalu.com|~ads.mercadolivre.com.br|~ads.mgid.com|~ads.microsoft.com|~ads.midwayusa.com|~ads.mobilebet.com|~ads.mojagazetka.com|~ads.msstate.edu|~ads.mst.dk|~ads.mt|~ads.nc|~ads.nipr.ac.jp|~ads.olx.pl|~ads.pinterest.com|~ads.remix.es|~ads.rohlik.cz|~ads.rohlik.group|~ads.route.cc|~ads.safi-gmbh.ch|~ads.scotiabank.com|~ads.selfip.com|~ads.shopee.cn|~ads.shopee.co.th|~ads.shopee.com.br|~ads.shopee.com.mx|~ads.shopee.com.my|~ads.shopee.kr|~ads.shopee.ph|~ads.shopee.pl|~ads.shopee.sg|~ads.shopee.tw|~ads.shopee.vn|~ads.smartnews.com|~ads.snapchat.com|~ads.socialtheater.com|~ads.spotify.com|~ads.studyplus.co.jp|~ads.taboola.com|~ads.tiktok.com|~ads.tuver.ru|~ads.twitter.com|~ads.typepad.jp|~ads.us.tiktok.com|~ads.viksaffiliates.com|~ads.vk.com|~ads.watson.ch|~ads.x.com|~ads.yandex|~reempresa.org +://ads2. +://adserving. +://adsrv. +://adsserver. +://adv.$domain=~adv.asahi.com|~adv.bet|~adv.blue|~adv.chunichi.co.jp|~adv.cincsys.com|~adv.cryptonetlabs.it|~adv.derfunke.at|~adv.design|~adv.digimatix.ru|~adv.ec|~adv.ee|~adv.gg|~adv.hokkaido-np.co.jp|~adv.kompas.id|~adv.lack-girl.com|~adv.mcr.club|~adv.mcu.edu.tw|~adv.michaelgat.com|~adv.msk.ru|~adv.neosystem.co.uk|~adv.peronihorowicz.com.br|~adv.rest|~adv.ru|~adv.tools|~adv.trinet.ru|~adv.ua|~adv.vg|~adv.yomiuri.co.jp|~advancedradiology.com|~advids.co|~farapp.com|~pracuj.pl|~r7.com|~typeform.com|~welaika.com +://aff-ads. ://affiliate.$third-party ://affiliates.$third-party ://affiliates2.$third-party -://ax-d.*/jstag^ ://banner.$third-party ://banners.$third-party -://bwp.*/search$domain=~pulte.com -://delivery.*/jstag^ -://feeds.*/~a/ -://findnsave.*.*/api/groupon.json? -://findnsave.*.*/td/portablerop.aspx? -://oas.*@ -://ox-*/jstag^ -://pop-over. -://promo.$third-party -://rss.*/~a/ -://synad. -://wrapper.*/a? -://xml.*/redirect?*&pubid=$subdocument -:8080/ads/ -;ad_meta= -;adsense_ -;cue=pre;$object-subrequest -;iframeid=ad_ -=ad&action= -=ad-leaderboard- -=ad-rectangle- -=ad320x50- -=ad_iframe& -=ad_iframe_ -=adbanner_ -=adcenter& -=adcode& -=adexpert& -=adimg&impression= -=adlabs& -=admeld& -=adMenu& -=admeta& -=admodeliframe& -=adreplacementWrapperReg. -=adsCallback& -=adscripts& -=adsfinal. -=adshow& -=adslot& -=adspremiumplacement& -=adtech_ -=adunit& -=advanced-ads- -=advert/ -=advertiser. -=advertiser/ -=advertorial&$domain=~linkpizza.com -=adView&$domain=~adview.online -=akiba_ads_ -=banners_ad& -=big-ad-switch_ -=clkads/ -=com_ads& -=dartad_ -=deliverAdFrame& -=display_ad& -=DisplayAd& -=displayAds& -=dynamicads& -=dynamicwebad& -=eureka_ -=GetSponsorAds& -=half-page-ad& -=iframe_adv& -=js_ads& -=loadAdStatus& -=oas_tag. -=PAGE_AD_ -=partnerad& -=pmd-advertising- -=rightAds_ -=searchadslider| -=showsearchgoogleads& -=simpleads/ -=textads& -=tickerReportAdCallback_ -=web&ads= -=webad2& -?*=x55g%3add4vv4fy. -?action=ads& -?ad.vid= -?ad_ids= -?ad_number= -?ad_partner= -?ad_size= -?ad_tag= -?ad_type= -?ad_width= -?adarea= -?adcentric= -?adclass= -?adcontext= -?adCount= -?adflashid= -?adformat= -?adfox_ -?adloc= -?adlocation= -?adpage= -?adPageCd= -?adpartner= -?ads=$domain=~booking.loganair.co.uk -?ads_params= -?adsdata= -?adsite= -?adsize= -?adslot= -?adspot_ -?adtag= -?adTagUrl= -?adtarget= -?adtechplacementid= -?adtype= -?adunit= -?adunit_id= -?adunitid= -?adunitname= -?adv/id= -?adv_type= -?adversion= -?advert_key= -?advertisement= -?advertiser= -?advertiser_id=$domain=~panel.rightflow.com -?advertiserid=$domain=~adadyn.com|~outbrain.com|~seek.co.nz|~seek.com.au -?advertising= -?advideo_ -?advsystem= -?advtile= -?advurl= -?adx= -?adzone= -?aff_id=*&offer_id= -?AffiliateID=*&campaignsVpIds= -?banner.id= -?banner_id= +://news-*/process.js?id=$third-party +://news-*/v2-sw.js$third-party +://oascentral. +://promo.$~media,third-party,domain=~myshopify.com|~promo.com|~shopifycloud.com|~slidely.com +://pt.*?psid=$third-party +://sli.*/imp?s=$image +://uads.$third-party,xmlhttprequest +?ab=1&zoneid= +?adspot_$domain=~sponichi.co.jp +?advertiser_id=$domain=~ads.pinterest.com ?bannerid= -?bannerXGroupId= -?canp=adv_ -?category=ad& -?dfpadname= -?exo_zones= -?file=ads& -?framId=ad_ -?g1t2h=*&t1m2k3= -?getad=&$~object-subrequest -?goto=ad| -?handler=ads& -?idaffiliation= -?img_adv= -?impr?pageid= -?module=ads/ -?OASTagURL= -?offer_id=*&aff_id= -?phpAds_ -?poll=ad_ -?PopAd= -?q=ads_ +?cs=*&abt=0&red=1&sm=$third-party ?service=ad& -?sid=ads -?simple_ad_ -?type=ad& -?type=oas_pop& -?view=ad& -?vmAdID= -?wm=*&prm=rev& +?usid=*&utid= +?whichAd=freestar& ?wppaszoneid= -?wpproads- -?wpproadszoneid= -?ZoneID=*&PageID=*&SiteID= -?ZoneID=*&SiteID=*&PageID= -^fp=*&prvtof= -^mod=wms&do=view_*&zone= -^pid=Ads^ -_100_ad. -_125ad. -_160_ad_ -_160x550. -_250ad. -_300x250Banner_ -_468x60ad. -_728x90ad_ -_acorn_ad_ -_ad&zone= -_ad-125x125. -_ad.gif| -_ad.jsp? -_ad.php? -_ad.png? -_ad/display? -_ad/full_ -_AD/jquery. -_ad/public/ -_ad/section_ -_ad/show/ -_ad01. -_ad01_ -_ad1.$~stylesheet -_ad103. -_ad120x120_ -_Ad125. -_ad1a. -_ad1b. -_ad2. -_ad234x90- -_ad3. -_ad300. -_ad300x250. -_ad4. -_ad5. -_ad6.$domain=~facebook.com|~messenger.com -_ad640. -_ad728x90. -_ad9. -_ad?darttag= -_ad?size= -_ad_125x125. -_ad_2012. -_ad_250. -_ad_300. -_ad_336x280. -_ad_350x250. -_ad_728_ -_ad_actron. -_ad_article_ -_ad_background. -_ad_banner. -_ad_banner_ -_ad_big. -_ad_block& -_ad_bottom. -_ad_box. -_ad_bsb. -_ad_center. -_ad_change. -_ad_choices. -_ad_choices_ -_ad_close. -_ad_code. -_ad_content. -_ad_controller. -_ad_count. -_ad_count= -_ad_courier. -_ad_desktop_ -_ad_div= -_ad_domain_ -_ad_end_ -_ad_engine/ -_ad_expand_ -_ad_feed. -_ad_footer. -_ad_footer_ -_ad_frame. -_ad_handler. -_ad_harness. -_ad_head. -_ad_header. -_ad_heading. -_ad_homepage. -_ad_ids= -_ad_iframe. -_ad_image_ -_ad_images/ -_ad_init/ -_ad_integration. -_ad_interactive. -_ad_label. -_ad_layer_ -_ad_leaderboard. -_ad_lib. -_ad_logo. -_ad_middle_ -_ad_minileaderboard. -_ad_new_ -_ad_number= -_ad_one. -_ad_over_ -_ad_page_ -_ad_placeholder- -_ad_position_ -_ad_promo2. -_ad_render_ -_ad_renderer_ -_ad_right. -_ad_right_ -_ad_rolling. -_ad_run. -_ad_sense/ -_ad_server. -_ad_service. -_ad_serving. -_ad_show& -_ad_side. -_ad_sidebar_ -_ad_size. -_ad_sky. -_ad_skyscraper. -_ad_slot/ -_ad_slot= -_ad_small. -_ad_sponsor/ -_ad_square. -_ad_tall. -_ad_teaserarticledetail/ -_ad_template_ -_ad_top_ -_ad_url= -_ad_utils- -_ad_vertical. -_ad_video_ -_ad_view= -_ad_widesky. -_ad_wrapper. -_ad_yellow. -_ad_zone_ -_adagency/ -_adaptvad. -_adbanner. -_adbanner/ -_adbanner_ -_adbanners. -_adbar. -_adbg1a. -_adbg2. -_adbg2a. -_adbit. -_adblue. -_adBottom_ -_adbox. -_adbox_ -_adbreak. -_adcall. -_adcall_ -_adchoice. -_adchoices. -_adcode_ -_adcom. -_adcontent/ -_adcount= -_adengage. -_adengage_ -_adengine_ -_adframe. -_adframe/ -_adframe_ -_adfunction. -_adgebraAds_ -_adhere. -_adhesion. -_adhoc? -_adhome. -_adhome_ -_adhoriz. -_adhub_ -_adify. -_adjug. -_adlabel_ -_adlesse. -_adlib. -_adlinkbar. -_adlog. -_admanager/ -_admarking_ -_admin/ads/ -_adminka/ -_adnetwork. -_adobjects. -_adoverride. -_adpage= -_adpartner. -_adplugin. -_adright. -_adright2. -_adrotator. -_adrow- -_ads-affiliates_ -_ads-rtk. -_ads.cgi -_ads.cms? -_ads.html -_ads.js. -_ads.js? -_ads.php? -_ads/css/ -_ads/horiz/ -_ads/horiz_ -_ads/iframe. -_ads/inhouse/ -_ads/ip/ -_ads/js/ -_ads/mobile/ -_ads/square/ -_ads1- -_ads1. -_ads12. -_ads150x150/ -_ads2. -_ads3. -_ads8. -_ads9. -_ads? -_Ads_300x300. -_ads_async. -_ads_cached. -_ads_contextualtargeting_ -_ads_control. -_ads_framework. -_ads_Home. -_ads_iframe. -_ads_iframe_ -_ads_index_ -_ads_multi. -_ads_new. -_ads_only& -_ads_partner. -_ads_reporting. -_ads_single_ -_ads_targeting. -_ads_text. -_ads_top. -_ads_updater- -_ads_v8. -_adsbgd. -_adscommon. -_adscript. -_adsdaq. -_adsense. -_adsense_ -_adserve. -_adserve/ -_adserved. -_adserver. -_adserver/ -_adsetup. -_adsetup_ -_adsframe. -_adshare. -_adshow. -_adsjs. -_adskin. -_adskin_ -_adslist. -_adsonar. -_adspace- -_adspace3. -_adspace_ -_adsperfectmarket/ -_adsrv= -_adsrv? -_adssource. -_adstat. -_adsys. -_adsys_ -_adsystem/ -_adtags. -_adtech& -_adtech- -_adtech. -_adtech/$~stylesheet -_adtech_ -_adtext_ -_adtitle. -_adtoma. -_adtop. -_adtxt. -_adunit. -_adunits/ -_adv/300. -_adv/leaderboard_ -_adv/overlay/ -_adv_468. -_Adv_Banner_ -_adv_label. -_advert. -_advert/ -_Advert09. -_advert1. -_advert_1. -_advert_2. -_advert_label. -_advert_overview. -_advert_sliders/ -_advert_vert +?wpstealthadsjs= +_ad_250.$image +_ad_300.$image _advertise-$domain=~linkedin.com -_advertise. -_advertise180. -_advertisehere. -_advertisement- -_advertisement. -_advertisement/ -_advertisement_$domain=~media.ccc.de -_advertisementbar. -_advertisements/ -_advertisementtxt_ -_advertising. -_advertising/ -_advertising_header. -_advertising_iframe. -_advertisment. -_advertorial. -_advertorial/ -_advertorial3. -_advertorial_ -_advertorials/ -_advertphoto. -_adverts.js -_adverts/ -_adverts3. -_advertsarea. -_AdvertsImgs/ -_adview? -_adview_ -_advservices. -_advsetup. -_adwrap. -_adwriter. -_afd_ads. -_affiliate/banners/ -_affiliate_ad. -_afs_ads. -_alt/ads/ -_argus_ad_ -_article_ad- -_assets/ads/ -_asyncspc. -_background_ad. -_background_ad/ -_banner-ad. -_banner_ad- -_banner_ad. -_banner_ad/ -_banner_ad_ -_banner_ads. -_Banner_Ads_ -_banner_adv300x250px. -_banner_adv_ -_bannerad. -_BannerAd_ -_bannerads_ -_bannerview.php?*&aid= -_bg_ad_left. -_blank_ads. -_blogads. -_blogads_ -_bottom_ads. -_bottom_ads_ -_box_ad_ -_btnad_ -_bucks_ad. -_button_ad_ -_buttonad. -_buzzAd_ -_centre_ad. -_cgbanners.php? -_ChatAd_ -_collect/ads/ -_commonAD. -_companionad. -_content/sponsored_ -_content_ad. -_content_ad_ -_contest_ad_ -_custom_ad. -_custom_ad_ -_dart_ads. -_dart_interstitial. -_dashad_ -_dfp.php? -_dfp_targeting. -_Digital_Ads- -_dispad_ -_displayad_ -_displaytopads. -_doubleclick. -_doubleclick_ad. -_down_ad_ -_dropdown_ad. -_dynamicads/ -_elements/ads/ -_engine_ads_ -_english/adv/ -_externalad. -_fach_ad. -_fbadbookingsystem& -_feast_ad. -_files/ad. -_files/ads/ -_fixed_ad. -_floating_ad_ -_floatingad_ -_FLYAD. -_footer_ad_ -_framed_ad/ -_friendlyduck. -_fullscreen_ad. -_gads_bottom. -_gads_footer. -_gads_top. -_gallery_ads. -_gallery_image_ads_$~stylesheet -_genads/ -_generic_ad. -_geobanner. -_google_ad. -_google_ads. -_google_ads/ -_google_ads_ -_googlead. -_googleads_ -_googleDFP. -_grid_ad? -_header_ad. -_header_ad_ -_headerad. -_headline_ad. -_homad. -_homadconfig. -_home_ad. -_home_ad_ -_hosting_ad. -_house_ad_ -_hr_advt/ -_html5/ads. -_iad.html? -_id/ads/ -_iframe_ad_ -_images/ad. -_images/ad_ -_images/ads/ -_index_ad. -_inline_advert& -_inlineads. -_jpopunder/ -_js/ads.js -_js4ad2. -_js_ads. -_js_ads/ -_jtads/ -_juiceadv. -_juicyads. -_layerad. -_lazy_ads/ -_leaderboard_ad_ -_left_ad. -_link_ads- -_live/ad/ -_load_ad? -_loader_adv- -_logadslot& -_longad_ -_mailLoginAd. -_main_ad. -_mainad. -_mar_ad/ -_maxi_ad/ -_media/ads/ -_mid_ad. -_middle_ads. -_mmsadbanner/ -_mobile/js/ad. -_Mobile_Ad_ -_mpu_widget? -_nine_ad/ -_online_ad. -_onlinead_ -_openx. -_openx/ -_org_ad. -_overlay_ad. -_paid_ads/ -_paidadvert_ -_panel_ads. -_partner_ad. -_pcads_ -_pchadtree. -_picsad_ -_platform_ads. -_platform_ads_ -_player_ads_ -_plus/ads/ -_pop_ad. -_pop_ad/ -_pop_under. -_popunder. -_popunder_ -_popupunder. -_post_ads. -_preorderad. -_prime_ad. -_promo_ad/ -_psu_ad. -_pushads. -_radio_ad_ -_railads. -_rebid.js -_rectangle_ads. +_advertisment.$~xmlhttprequest +_images/ad.$image _reklama_$domain=~youtube.com -_reporting_ads. -_request_ad. -_response_ad. -_right_ad. -_right_ads. -_right_ads/ -_right_ads_ -_rightad. -_rightad1. -_rightad_ -_rightmn_ads. -_search/ads.js -_sectionfront_ad. -_show_ads. -_show_ads= -_show_ads_ -_sidead. -_sidebar_ad. -_sidebar_ad/ -_sidebar_ad_ -_sidebarad_ -_site_sponsor -_skinad. -_skybannerview. -_skyscraper160x600. -_slider_ad. -_Slot_Adv_ -_small_ad. -_smartads_ -_sponsor/css/ -_sponsor_banners/ -_sponsor_logic. -_sponsoredlinks_ -_Spot-Ad_ -_square_ad- -_square_ad. -_static/ads/ -_static_ads. -_sticky_ad. -_StickyAd. -_StickyAdFunc. -_survey_ad_ -_tagadvertising. -_temp/ad_ -_text_ads. -_textad_$~media -_textads. -_textads/ -_theme/ads/ -_tile_ad_ -_top_ad. -_top_ad_ -_topad. -_tribalfusion. -_txt_ad_ -_type=adimg& -_UIM-Ads_ -_valueclick. -_vertical_ad. -_video_ads/ -_video_ads_ -_videoad. -_vodaaffi_ -_web-advert. -_Web_ad. -_web_ad_ -_webad. -_WebAd^ -_webad_ -_WebBannerAd_ -_widget_ad. -_yahooads/ -_your_ad. -_zedo. -takeover_background. -takeover_banner_ ||cacheserve.*/promodisplay/ ||cacheserve.*/promodisplay? -||com/banners/$image,object,subdocument ||online.*/promoredirect?key= -||ox-d.*^auid= -||serve.*/promoload? +! https://github.com/easylist/easylist/issues/11123 +.com/ed/java.js$script +/ed/fol457.$script +! ad-ace (to avoid bait) +/plugins/ad-ace/assets/js/coupons.js$script +/plugins/ad-ace/assets/js/slot-slideup.js$script +/plugins/ad-ace/includes/shoppable-images/*$script +! readcomiconline.li +/Ads/bid300a.aspx$subdocument +/Ads/bid300b.aspx$subdocument +/Ads/bid300c.aspx$subdocument +/Ads/bid728.aspx$subdocument +! Amazon +/e/cm?$subdocument +/e/ir?$image,script +! +/in/track?data= +/senddata?site=banner +/senddata?site=inpage +! propu.sh variants +/ntfc.php?$script +! Clickadu servers +.com/src/ppu/$third-party +/aas/r45d/vki/*$third-party +/bultykh/ipp24/7/*$third-party +/ceef/gdt3g0/tbt/*$third-party +/fyckld0t/ckp/fd3w4/*$third-party +/i/npage/*$script,third-party +/lv/esnk/*$script,third-party +/pn07uscr/f/tr/zavbn/*$third-party +/q/tdl/95/dnt/*$third-party +/sc4fr/rwff/f9ef/*$third-party +/script/awesome.js$third-party +/ssp/req/*/?pb=$third-party +/t/9/heis/svewg/*$third-party +! streamhub.gg/qehyheswr3i8 / uploadhub.to/842q2djqdfub +/tabu/display.js$script +! (NSFW) exoads on donstick.com sites +/myvids/click/*$script,subdocument +/myvids/mltbn/*$script,subdocument +/myvids/mltbn2/*$script,subdocument +/myvids/rek/*$script,subdocument +! https://github.com/easylist/easylist/commit/6295313 +://rs-stripe.wsj.com/stripe/image? +! Dodgy sites +/?l=*&s=*&mprtr=$~third-party,xmlhttprequest +/push-skin/skin.min.js$script +/search/tsc.php? +! https://github.com/easylist/easylist/issues/5054 +/full-page-script.js$script ! bc.vc (https://github.com/NanoMeow/QuickReports/issues/198) /earn.php?z=$popup,subdocument ! https://github.com/uBlockOrigin/uAssets/issues/2364 -/pop2.js?*=$script -! al.ly https://forums.lanik.us/viewtopic.php?f=62&t=36357 -/full-page-script.$script -/urlshortener.js -/urlshortener.min.js -! Native advert -/\:\/\/data.*\.com\/[a-zA-Z0-9]{30,}/$third-party,xmlhttprequest -! Propellerads -/\.(accountant|bid|click|club|com|cricket|date|download|faith|link|loan|lol|men|online|party|racing|review|science|site|space|stream|top|trade|webcam|website|win|xyz|com)\/(([0-9]{2,9})(\.|\/)(css|\?)?)$/$script,stylesheet,third-party,xmlhttprequest -/\.accountant\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.bid\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.click\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.club\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.com\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.cricket\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.date\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.download\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.faith\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.link\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.loan\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.lol\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.men\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.online\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.party\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.racing\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.review\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.science\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.site\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.space\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.stream\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.top\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.trade\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.webcam\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.website\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.win\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\.xyz\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\:\/\/[a-z0-9]{5,40}\.com\/[0-9]{2,9}\/$/$script,stylesheet,third-party,xmlhttprequest -/\:\/\/[a-z0-9]{5,}\.com\/[A-Za-z0-9]{3,}\/$/$script,third-party,xmlhttprequest -! /\.com/.*[0-9]{2,7}\//$third-party,xmlhttprequest -! /\:\/\/([0-9]{1,3}\.){3}[0-9]{1,3}/$third-party,xmlhttprequest +/pop2.js?r=$script ! Ad-insertion script (see on: celebrityweightloss.com, myfirstclasslife.com, cultofmac.com) -/ez_aba_load/* +/beardeddragon/armadillo.js$script +/beardeddragon/drake.js$script +/beardeddragon/gilamonster.js$script +/beardeddragon/iguana.js$script +/beardeddragon/tortoise.js$script +/beardeddragon/turtle.js$script +/beardeddragon/wyvern.js$script +/detroitchicago/anaheim.js$script +/detroitchicago/augusta.js$script +/detroitchicago/boise.js$script +/detroitchicago/cmbdv2.js$script +/detroitchicago/cmbv2.js$script +/detroitchicago/denver.js$script +/detroitchicago/gateway.js$script +/detroitchicago/houston.js$script +/detroitchicago/kenai.js$script +/detroitchicago/memphis.js$script +/detroitchicago/minneapolis.js$script +/detroitchicago/portland.js$script +/detroitchicago/raleigh.js$script +/detroitchicago/reportads.js$script +/detroitchicago/rochester.js$script +/detroitchicago/sidebarwall.js$script +/detroitchicago/springfield.js$script +/detroitchicago/stickyfix.js$script +/detroitchicago/tampa.js$script +/detroitchicago/tulsa.js$script +/detroitchicago/tuscon.js$script +/detroitchicago/vista.js$script +/detroitchicago/vpp.gif?$image +/detroitchicago/wichita.js$script +/edmonton.webp$script +/ezcl.webp?$script /ezf-min.$script /ezo/*$script,~third-party,domain=~yandex.by|~yandex.com|~yandex.kz|~yandex.ru|~yandex.ua /ezoic/*$script,~third-party -! Self hosted Ad scripts (seen on: ibtimes.co.uk/newsweek.com) -/ima3.js -/imasdk/* -! https://github.com/sanosay/exads-adblock -.php?mg=$image -/_b*.php?img=$image -/_p*.php?img=$image -/_p4.php$script -/_ra_lib*.js$script -/ac/rep.php$script -/b3.php?*=$script -/b3.php?img=$image -/ba_*/?fel=$script -/backend_loader.php$script,~third-party -/bl.php?*=$image,script -/dg.php?wr= -/ebldr.php -/ebloader. -/ex/b.php -/exads- -/exbl.js? -/exbl.min.js? -/exbl.php? -/exbls1.js? -/exblss1.js? -/exo-force- -/exo-loader/* -/exo_frnd_ -/exo_na/*$script,subdocument -/floader.js$script -/fro_lo.js$script -/frontend_loader.js$script -/frontend_loador.js$script -/iamback.php$script -/lib/?img=$image -/misc/ex_loader. -/nb/avanti. -/nb/frontale. -/scripts/sweet/*$script -_nb_sys.$script,~third-party -_prx/ba_$script +/jellyfish.webp$script +/parsonsmaize/chanute.js$script +/parsonsmaize/mulvane.js$script +/parsonsmaize/olathe.js$script +/tardisrocinante/austin.js$script +/tardisrocinante/surgeonv2.js$script +/tardisrocinante/vitals.js$script ! prebid scripts --prebid- --prebid.$script --prebid/ -.prebid.js -/adn-hb/* -/adn.ano. -/ads/prebid_ -/anprebid/* -/AudienceNetworkPrebid. -/AudienceNetworkPrebidLite. -/biddr-*.js -/ext/prebid -/jppolPrebid. -/newPrebid. -/pb.min. -/pbjs-*.js -/prebid- -/prebid.$domain=~prebid.org -/prebid/* -/prebid1. -/prebid14.js -/prebid2. -/prebid? -/prebid_$script -/prodprebidheader- -/pubfig.js -/pubfig.min.js -/st_prebid.js -/tagman/* -_prebid_ -! /g00 adware insertion -! https://github.com/uBlockOrigin/uAssets/issues/227 -/g00/*/clientprofiler/adb -! Doubleclick -/jquery.dfp.js$script -/jquery.dfp.min.js$script +.prebid-bundle.js$script +.prebid.$domain=~prebid.org +/ad/postbid_handler1.$script +/ads_prebid_async.js$script +/gpt-prebid.js$script +/pbjsandwichdirecta9-$script +/plugins/prebidjs/*$script +/porpoiseant/*$script +/prebid-js-$script +/prebid-min-$script +/prebid.$script,domain=~prebid.org +/prebid/*$script +/prebid1.$script +/prebid2.$script +/prebid3.$script +/prebid4.$script +/prebid5.$script +/prebid6.$script +/prebid7.$script +/prebid8.$script +/prebid9.$script +/prebid_$script,third-party +/prebidlink/*$script +/tagman/*$domain=~abelssoft.de +_prebid.js$script +! +&sadbl=1&abtg=$third-party +&sadbl=1&chu=$third-party ! linkbucks.com script /webservices/jsparselinks.aspx?$script -! CDN-based filters -/cdn-cgi/pe/bag2?*.speednetwork1.com -/cdn-cgi/pe/bag2?*adsrvmedia -/cdn-cgi/pe/bag2?*ajs.php -/cdn-cgi/pe/bag2?r*.adglare.org -/cdn-cgi/pe/bag2?r*.adroll.com -/cdn-cgi/pe/bag2?r*.amazonaws.com*secure.js -/cdn-cgi/pe/bag2?r*.codeonclick.com -/cdn-cgi/pe/bag2?r*.content-ad.net -/cdn-cgi/pe/bag2?r*.qualitypublishers.com -/cdn-cgi/pe/bag2?r*.worldoffersdaily.com -/cdn-cgi/pe/bag2?r*.zergnet.com -/cdn-cgi/pe/bag2?r*adblade.com -/cdn-cgi/pe/bag2?r*adk2.co -/cdn-cgi/pe/bag2?r*ads.exoclick.com -/cdn-cgi/pe/bag2?r*adsnative.com -/cdn-cgi/pe/bag2?r*advertserve.com -/cdn-cgi/pe/bag2?r*az708531.vo.msecnd.net -/cdn-cgi/pe/bag2?r*bnserving.com -/cdn-cgi/pe/bag2?r*clkrev.com -/cdn-cgi/pe/bag2?r*content.ad -/cdn-cgi/pe/bag2?r*contextual.media.net -/cdn-cgi/pe/bag2?r*cpx.to -/cdn-cgi/pe/bag2?r*eclkmpbn.com -/cdn-cgi/pe/bag2?r*eclkspsa.com -/cdn-cgi/pe/bag2?r*ero-advertising.com -/cdn-cgi/pe/bag2?r*googleadservices.com -/cdn-cgi/pe/bag2?r*intellitxt.com -/cdn-cgi/pe/bag2?r*juicyads.com -/cdn-cgi/pe/bag2?r*linksmart.com -/cdn-cgi/pe/bag2?r*mellowads.com -/cdn-cgi/pe/bag2?r*pipsol.net -/cdn-cgi/pe/bag2?r*popads.net -/cdn-cgi/pe/bag2?r*popcash.net -/cdn-cgi/pe/bag2?r*puserving.com -/cdn-cgi/pe/bag2?r*revcontent.com -/cdn-cgi/pe/bag2?r*revdepo.com -/cdn-cgi/pe/bag2?r*srvpub.com -/cdn-cgi/pe/bag2?r*zwaar.org -/cdn-cgi/pe/bag?r*cpalead.com -/cdn-cgi/pe/bag?r*pubads.g.doubleclick.net -! adinsertion used on gizmodo.in lifehacker.co.in -/datomata.widget.js -! Common adserver string -/mediahosting.engine$document,script,subdocument -/Redirect.a2b?$document,script,subdocument -/sitetestclickcount.engine$document,script,subdocument -/Tag.eng$document,script,subdocument -/Tag.rb$document,script,subdocument -! White papers insert -/sl/assetlisting/? +! domain parking redirection +/page/bouncy.php?$document ! Peel script -/jquery.peelback. +/jquery.peelback.$script ! Anti-Adblock --adblocker-detection/ --adblocker-detector/ --detect-adblock. -/abdetect.js -/abDetector.js -/abp_detection/* -/abtest_ab.js -/ad-blocker.js -/ad-blocking-alert/* -/adb.min.js -/adb_detector. -/adblock-alerter/* -/adblock-blocker/* -/adblock-detect. -/adblock-detector. -/adblock-message. -/adblock-notify-by-bweb/* -/adblock-relief.js -/adblock-relief/* -/adblock.gif? -/adblock_detect. -/adblock_detector. -/adblock_detector2. -/adblock_logger. -/adblockchecker. -/adblockdetect. -/adblockdetect/* -/adblockdetection. -/adblockDetector. -/adBlockDetector/* -/adblockdetectorwithga. -/adblocker-leader. -/adblocker.js -/adBlockerTrack_ -/adblockkiller. -/adblockpopup. -/adbuddy.$domain=~adbuddy.be|~adbuddy.beeldstudio.be -/adsblocker. +/ad-blocking-advisor/*$script,stylesheet +/ad-blocking-alert/*$stylesheet +/adblock-detect.$script +/adblock-detector.min.js$script +/adblock-notify-by-bweb/*$script,stylesheet +/adblock_detector2.$script +/adblock_logger.$script +/adblockdetect.js$script +/adBlockDetector/*$script +/ads-blocking-detector.$script /anti-adblock/*$~stylesheet -/anti_ab. -/antiadblock. -/antiblock_script/* -/blockblock/blockblock.jquery.js -/BlockerBanner/*$xmlhttprequest -/Disable%2BAdblock. -/disabled_adBlock. -/fuckadb.js -/fuckadblock.js -/fuckadblock.min.js -/fuckingadblockplus. -/ibd-block-adblocker/* -/jgc-adblocker- -/jgcabd-detect- -/no-adblock/* -/wp-content/plugins/anti-block/* -/wp-content/plugins/anti_ad_blocker/* -_atblockdetector/ +/blockblock/blockblock.jquery.js$script +/jgcabd-detect-$script +/no-adblock/*$script,stylesheet ! *** easylist:easylist/easylist_general_block_dimensions.txt *** -,160x600; -,468x60- -,468x60; -,728x90, -,970x90; -120-600. -120_600_ --120x240. --120x300. --120x400. --120x60- --120x60. -120x600- -120x600. -120x600_ --120x600c. --125x40- -160-600. --160x400- --160x600- +-160x600-$image,subdocument -160x600. -160x600_ --160x600b. --161x601- -300-250. --300x250-$~xmlhttprequest +-300x250-$image -300x250_ -300x600. -460x68. @@ -8160,22 +936,16 @@ _atblockdetector/ -468-60. -468-60_ -468_60. --468by60. --468x060- --468x060_ -468x60- -468x60. -468x60/ -468x60_ --468x60px- --468x60px. -468x70. --468x80- +-468x80-$image -468x80. -468x80/ -468x80_ -468x90. --480x120. -480x60- -480x60. -480x60/ @@ -8184,23 +954,17 @@ _atblockdetector/ -500x100. -600x70. -600x90- --700-200. --720x120- -720x90- -720x90. +-728-90- -728-90. -728.90. --728x90& -728x90- -728x90. -728x90/ -728x90_ --728x90a_ --728x90px- --728x90px2. -729x91- -780x90- --800x150. -980x60- -988x60. .120x600. @@ -8220,38 +984,24 @@ _atblockdetector/ .480x60. .480x60/ .480x60_ -.650x100. .728x90- -.728x90. .728x90/ .728x90_ .900x100. /120-600- /120-600. -/1200x70_ /120_600. /120_600/* /120_600_ -/120x240_ /120x600- /120x600. /120x600/* /120x600_ -/125x240/* -/125x300_ -/125x400/* /125x600- /125x600_ /130x600- -/130x600. -/150-500. -/150_500. -/150x200- -/150x300_ -/150x600_ /160-600- /160-600. -/160.html$subdocument /160_600. /160_600_ /160x400- @@ -8260,38 +1010,25 @@ _atblockdetector/ /160x600. /160x600/* /160x600_ -/160x600partner. -/170x700. -/180x150- /190_900. -/190x600. -/230x90_ -/234x60/* -/270x90- /300-250- /300-250. -/300.html$subdocument +/300-600_ /300_250_ /300x150_ /300x250- -/300x250. -/300x250/*$~media +/300x250.$image /300x250_ /300x250b. -/300x250px- -/300x250px_ /300x350. /300x600- /300x600_ -/300x90_ -/320x250. +/300xx250. +/320x250.$image /335x205_ /336x280- /336x280. /336x280_ -/340x85_ -/4-6-8x60. -/400x297. /428x60. /460x60. /460x80_ @@ -8299,33 +1036,25 @@ _atblockdetector/ /468-60- /468-60. /468-60_ -/468_60. +/468_60.$image /468_60_ /468_80. /468_80/* /468x060. /468x060_ +/468x150- /468x280. /468x280_ /468x60- -/468x60. +/468x60.$~script /468x60/* /468x60_ -/468x60a. -/468x60a_ -/468x60b. -/468x60v1_ -/468x70- /468x72. /468x72_ /468x80- /468x80. -/468x80/* /468x80_ -/468x80b. -/468x80g. /470x030_ -/475x150- /480x030. /480x030_ /480x60- @@ -8335,56 +1064,35 @@ _atblockdetector/ /480x70_ /486x60_ /496_98_ -/500x90. -/530x60_ -/540x80_ +/600-160- /600-60. /600-90. /600_120_ /600_90_ -/600x160_ /600x75_ -/600x90. +/600x90.$image /60x468. /640x100/* /640x80- /660x120_ -/660x60. /700_100_ /700_200. /700x100. -/700x120. -/700x250. -/700x90. /728-90- /728-90. /728-90/* /728-90_ -/728.html$subdocument /728_200. /728_200_ /728_90. /728_90/* /728_90_ -/728_90n. -/728by90_ -/728x15. -/728x180- -/728x79_ /728x90- -/728x90. +/728x90.$image /728x90/* -/728x901. -/728x90? /728x90_ -/728x90b. -/728x90b/* -/728x90d. -/728x90g. -/728x90h. -/728x90l. -/728x90top. /750-100. +/750_150. /750x100. /760x120. /760x120_ @@ -8392,191 +1100,55 @@ _atblockdetector/ /768x90- /768x90. /780x90. +/800x160/* /800x90. /80x468_ -/900x130_ -/900x350_ -/950_250. /960_60_ /980x90. -/_iframe728x90. -/ban468. -/bottom728.html -/bottom728x90. -/head486x60. -/img/468_60 -/img/728_90 -/L300xH250/* -/lightake728x90. -/new160x600/* -/new300x250/* -/top468.html -/top728.html -/top728x90. -120-600.gif| -120x500.gif| -120x600.gif? -120x600.gif| -120x600.html| -120x600.htm| -120x600.png| -120x600.swf? -120x600.swf| -125x600.gif| -125x600.swf? -125x600.swf| -133x394.gif| -160x300.gif| -160x600.gif| -160x600.html| -160x600.htm| -160x600.jpg| -160x600.php? -160x600.php| -160x600.png| -160x600.swf? -160x600.swf| -160x6001.jpg| -450x55.jpg| -460x70.jpg| -468-60.gif| -468-60.swf? -468-60.swf| -468_60.gif| -468x60.gif| -468x60.html| -468x60.htm| -468x60.jpg| -468x60.php? -468x60.php| -468x60.swf? -468x60.swf| -468x60_1.gif| -468x60_2.jpg| -468x80.gif| -470x60.gif| -470x60.jpg| -470x60.swf? -470x60.swf| -480x60.png| -480x80.jpg| -700_200.gif| -700_200.jpg| -700x200.gif| -728x290.gif| -728x90.gif| -728x90.html| -728x90.htm| -728x90.jpg| -728x90.php? -728x90.php| -728x90.png| -728x90.swf? -728x90.swf| -728x90_2.jpg| -750x80.swf| -750x90.gif| -760x90.jpg| -=120x600, -=120x600; -=160x160; -=160x600& -=160x600, -=160x600; -=234x60; -=234x60_ -=300x250& -=300x250, +/w300/h250/* +/w728/h90/* =300x250/ -=300x250; -=300x250_ -=300x300; =336x280, -=336x280; -=440x410; -=468x60& -=468x60, =468x60/ -=468x60; =468x60_ =468x80_ -=480x60; -=728x90& -=728x90, =728x90/ -=728x90; -=728x90_ -=760x120& -=888x10; -=900x60; -_100x480_ -_115x220. -_120_60. _120_600. _120_600_ -_120_x_600. -_120h600. _120x240. _120x240_ _120x500. -_120x60. _120x600- _120x600. _120x600_ -_120x600a. -_120x600px. -_120x60_ -_120x800a. _125x600_ +_128x600. _140x600. _140x600_ _150x700_ _160-600. _160_600. _160_600_ -_160by600_ -_160x1600. -_160x290. _160x300. _160x300_ _160x350. _160x400. -_160x500. -_160x600& _160x600- _160x600. _160x600/ _160x600_ -_160x600b. -_180x300_ -_180x450_ -_200x600_ _300-250- -_300.htm -_300_250. -_300_250_ -_300_60_ -_300x160_ _300x250- _300x250. _300x250_ -_300x250a_ -_300x250b. -_300x250px. -_300x250v2. _300x600. _300x600_ _320x250_ _323x120_ _336x120. -_336x280_ -_336x280a. -_336x280s. -_336x850. _350_100. _350_100_ _350x100. -_370x270. _400-80. _400x60. _400x68. @@ -8587,11 +1159,9 @@ _438x60. _438x60_ _460_60. _460x60. -_465x110_ _468-60. -_468.gif -_468.htm -_468_60- +_468-60_ +_468_60-$~script _468_60. _468_60_ _468_80. @@ -8601,14 +1171,13 @@ _468x060. _468x060_ _468x100. _468x100_ +_468x118. _468x120. _468x60- _468x60. _468x60/ _468x60_ _468x60b. -_468x60px_ -_468x6o_ _468x80- _468x80. _468x80/ @@ -8623,942 +1192,296 @@ _480x60/ _480x60_ _486x60. _486x60_ -_490-90_ -_500x440. -_540_70. -_540_70_ -_550x150. -_555x70. -_580x100. -_585x75- -_585x75_ -_590x105. -_600-90. -_600x120_ -_600x160. -_600x180. -_600x80. -_600x90. -_620x203_ -_638x200_ -_650x350. -_650x80_ -_672x120_ -_680x93_ -_682x90_ _700_100_ _700_150_ _700_200_ -_700x200. _720_90. _720x90. _720x90_ _728-90. _728-90_ -_728.htm _728_90. _728_90_ -_728_x_90_ -_728by90_ -_728x-90. -_728x150. _728x60. -_728x90& _728x90- _728x90. _728x90/ -_728x901. _728x90_ -_728x90a. -_728x90a_ -_728x90b_ -_728x90pg_ -_728x90px- -_728x90px. -_728x90px_ -_728x90v1. -_730_440. -_730x60_ -_730x90_ -_745_60. -_745_90. _750x100. _760x100. -_760x90_ -_764x70. -_764x70_ _768x90_ -_796x110_ -_798x99_ _800x100. _800x80_ -_80x468. -_900x350. -_936x60. -_960_90. -_970x30_ -_980x100. -_a468x60. ! *** easylist:easylist/easylist_general_block_popup.txt *** -&link_type=offer$popup,third-party +&adb=y&adb=y^$popup +&fp_sid=pop$popup,third-party &popunder=$popup &popundersPerIP=$popup -&pppi=*=http$popup -&program=revshare&$popup -&r=*&zoneid=$popup -&rf=*&zoneid=$popup &zoneid=*&ad_$popup --ads-campaign/$popup +&zoneid=*&direct=$popup .co/ads/$popup -.com/?adv=$popup -.com/?zoneid=$popup .com/ads?$popup -.engine?PlacementId=$popup +.fuse-cloud.com/$popup .net/adx.php?$popup -/?a_aid=*&$popup -/?cver=0&refer$popup -/?cver=1&refer$popup -/?ip=*&zoneid=$popup -/?pid=*&dn=$popup +.prtrackings.com$popup /?placement=*&redirect$popup -/?pmxy=$popup -/?r=*&zoneid=$popup /?redirect&placement=$popup -/?reef=$popup -/?sid=*site_id=*conv_id=$popup /?zoneid=*&timeout=$popup +/_xa/ads?$popup /a/display.php?$popup /ad.php?tag=$popup /ad.php?zone$popup -/ad.php|$popup /ad/display.php$popup /ad/window.php?$popup -/ad132m/*$popup /ad_pop.php?$popup /adclick.$popup /adClick/*$popup /adClick?$popup /AdHandler.aspx?$popup /adpreview?$popup -/ads.htm$popup /ads/click?$popup /adServe/*$popup /adserver.$popup /AdServer/*$popup,third-party /adstream_sx.ads/*$popup -/adsxml.php$popup -/adsynserveuserid=$popup -/adsys/*$popup -/advlink.$popup /adx.php?source=$popup -/aff/zbo.php?$popup /aff_ad?$popup /afu.php?$popup -/apu.php?*&zoneid=$popup -/bani/index.php?id=$popup -/click.track?$popup +/api/users?token=$popup /click?adv=$popup -/click?pid=*&offer$popup,domain=~checkmoney.com.ua -/cpm/*?subid_$popup -/cradver.$popup,third-party -/dynamic/url/zone?*&pid=$popup,third-party -/fp.eng?$popup -/fp.engine?$popup,third-party -/goads|$popup -/goad|$popup -/itab/*&pid=$popup -/lib/*&adb=$popup -/lr.php?zoneid=$popup -/open?shu=$popup -/play?*&refer=$popup -/play?aver=$popup -/play?refer=$popup +/gtm.js?$popup +/links/popad$popup +/out?zoneId=$popup /pop-imp/*$popup -/popad|$popup -/popout.$popup +/pop.go?ctrlid=$popup /popunder.$popup +/popunder/in/click/*$popup /popunder_$popup /popupads.$popup -/promoredirect?*&campaign=*&zone=$popup -/punder.php$popup -/query?bver=$popup -/query?shu=$popup -/realmedia/ads/*$popup -/Redirect.*&dcid=$popup -/Redirect.*MediaSegmentId=$popup -/Redirect.a1b?$popup -/Redirect.eng?$popup -/Redirect.engine$popup -/Redirect.rb?$popup -/redirect.spark?$popup,third-party -/rotator.php?$popup -/servlet/ajrotator/*$popup -/show?*&refer=$popup +/prod/go.html?$popup +/prod/redirect.html?lu=$popup +/redirect/?spot_id=$popup +/redirect?tid=$popup /show?bver=$popup -/showads/*$popup -/spopunder^$popup -/srvclk.php?$popup +/smartpop/*$popup /tr?id=*&tk=$popup -/watch?*&refer=$popup -/watch?key=$popup,third-party -/watch?refer=$popup -/watch?shu=$popup,third-party -/xdirect.html?$popup -/yesbaby.$popup -://ads.$popup -://adv.$popup -=popunder&$popup -=popunders&$popup -=redirect_adv&$popup -?ad_domain=$popup -?AdUrl=$popup -?bannerid=*&punder=$popup -?bver=1&refer=$popup -?direct=*&zoneid=$popup -?iiadext=$popup -?partnerkey=*&utm_source=$popup -?xref=*&zoneid=$popup -?zoneid=*_bannerid=$popup -_popunder+$popup -! popupads -=direct&siteId=*=http$popup +/zcredirect?$popup +/zcvisitor/*$popup +/zp-redirect?$popup +://adn.*/zone/$popup +://ads.$popup,domain=~smartnews.com +://adv.$popup,domain=~adv.kompas.id|~adv.lack-girl.com ! Commonly used popup scripts on movie/tv streaming sites |javascript:*setTimeout$popup |javascript:*window.location$popup ! Used with many websites to generate multiple popups -|blob:$popup |data:text$popup,domain=~clker.com |dddata:text$popup ! ------------------------General element hiding rules-------------------------! ! *** easylist:easylist/easylist_general_hide.txt *** -###A9AdsMiddleBoxTop -###A9AdsOutOfStockWidgetTop -###A9AdsServicesWidgetTop -###AD-300x250 -###AD-300x250-1 -###AD-300x250-2 -###AD-300x250-3 -###AD-HOME-LEFT -###AD001 -###AD1line -###AD2line -###AD300Right -###AD300_VAN -###AD300x250 -###AD300x600 -###AD728Top -###ADEXPERT_PUSHDOWN -###ADEXPERT_RECTANGLE -###ADInterest -###ADNETwallBanner1 -###ADNETwallBanner2 -###ADSLOT_1 -###ADSLOT_2 -###ADSLOT_3 -###ADSLOT_4 -###ADSLOT_SKYSCRAPER -###ADSPACE02 -###ADSPACE03 -###ADSPACE04 -###ADS_2 -###ADSlideshow -###ADSpro -###ADV120x90 -###ADVERTISE_HERE_ROW -###ADVERTISE_RECTANGLE1 -###ADVERTISE_RECTANGLE2 -###ADVTG_CONTAINER_pushdown -###ADVTLEFT1 -###ADVTLEFT2 -###ADVTRIGHT1 -###ADV_VIDEOBOX_2_CNT -###ADVleaderboard +###AC_ad ###AD_160 ###AD_300 ###AD_468x60 -###AD_C -###AD_CONTROL_13 -###AD_CONTROL_22 -###AD_CONTROL_28 -###AD_CONTROL_29 -###AD_CONTROL_8 ###AD_G ###AD_L ###AD_ROW ###AD_Top -###AD_Zone -###AD_banner -###AD_banner_bottom -###AD_gallery -###AD_google -###AD_half -###AD_newsblock -###AD_rectangle -###AD_rr_a ###AD_text -###ADback ###ADbox -###ADgoogle_newsblock -###ADoverThePlayer -###ADsmallWrapper -###AFF_popup -###APC_ads_details -###AUI_A9AdsMiddleBoxTop -###AUI_A9AdsWidgetAdsWrapper -###Ad-0-0-Slider -###Ad-0-1-Slider -###Ad-1-0-Slider -###Ad-1-1-Slider -###Ad-1-2-Slider ###Ad-3-Slider ###Ad-4-Slider -###Ad-5-2-Slider -###Ad-8-0-Slider -###Ad-9-0-Slider ###Ad-Container +###Ad-Content ###Ad-Top -###Ad160x600 -###Ad160x600_0_adchoice -###Ad300x145 -###Ad300x250 -###Ad300x250_0 -###Ad300x600_0_adchoice -###Ad3Left -###Ad3Right -###Ad3TextAd -###Ad728x90 -###Ad990 -###AdAboveGame -###AdArea -###AdAreaH -###AdAuth1 -###AdAuth2 -###AdAuth3 -###AdAuth4 ###AdBanner -###AdBannerSmallContainer -###AdBanner_F1 -###AdBanner_S ###AdBar -###AdBar1 ###AdBigBox +###AdBillboard ###AdBlock -###AdBlockBottomSponsor ###AdBottomLeader ###AdBottomRight -###AdBox160 ###AdBox2 -###AdBox300 -###AdBox728 -###AdBoxMoreGames -###AdButtons ###AdColumn -###AdContainer ###AdContainerTop -###AdContentModule_F -###AdContent_0_0_pnlDiv -###AdControl_TowerAd -###AdDetails_GoogleLinksBottom -###AdDetails_InsureWith -###AdDetails_SeeMoreLink +###AdContent ###AdDisclaimer -###AdDisplay_LongLink -###AdDisplay_TallLink -###AdDiv -###AdExtraBlock -###AdFeedbackLinkID_lnkItem -###AdFoxDiv -###AdFrame1 -###AdFrame2 -###AdFrame4 ###AdHeader -###AdHouseRectangle -###AdImage -###AdIndexTower -###AdLayer1 -###AdLayer2 -###AdLeaderboard2RunofSite -###AdLeaderboardBottom -###AdLeaderboardTop -###AdLocationMarketPage -###AdMPUHome -###AdMediumRectangle1300x250 -###AdMediumRectangle2300x250 -###AdMediumRectangle3300x250 ###AdMiddle -###AdMobileLink -###AdPanel -###AdPanelBigBox -###AdPanelLogo ###AdPopUp -###AdPubsPromo -###AdRectangle ###AdRectangleBanner -###AdSense-Skyscraper ###AdSense1 ###AdSense2 ###AdSense3 -###AdSenseBottomAds -###AdSenseDiv -###AdSenseMiddleAds -###AdSenseResults1_adSenseSponsorDiv -###AdSenseTopAds ###AdServer -###AdShopSearch -###AdShowcase -###AdShowcase_F -###AdShowcase_F1 -###AdSky23 ###AdSkyscraper -###AdSlot_AF-Right-Multi +###AdSlot_megabanner ###AdSpaceLeaderboard -###AdSpacing -###AdSponsor_SF -###AdSpotMovie -###AdSquare02 -###AdSubsectionShowcase_F1 -###AdTaily_Widget_Container -###AdTargetControl1_iframe ###AdTop -###AdTopBlock ###AdTopLeader -###AdTrackVideoPlayer ###AdWidgetContainer +###AdWrapperSuperCA ###AdZone1 ###AdZone2 -###Ad_976x105 ###Ad_BelowContent ###Ad_Block -###Ad_Center1 -###Ad_Premier -###Ad_Right1 -###Ad_RightBottom -###Ad_RightTop ###Ad_TopLeaderboard ###Adbanner -###Adc1_AdContainer -###Adc2_AdContainer -###Adc3_AdContainer -###AdcBB_AdContainer -###Adcode ###Adlabel -###Adrectangle -###Ads-C -###Ads-D-728x90-hori -###Ads270x510-left -###Ads470by50 ###AdsBannerTop +###AdsBillboard ###AdsBottomContainer -###AdsBottomIframe -###AdsCarouselBoxArea -###AdsContainerTop ###AdsContent -###AdsContent_SearchShortRecB_UPSSR ###AdsDiv ###AdsFrame -###AdsHome2 -###AdsLeader -###AdsLeft_1 -###AdsPlayRight_1 +###AdsPubperform ###AdsRight -###AdsShowCase +###AdsSky ###AdsTopContainer -###AdsVideo250 ###AdsWrap +###Ads_BA_BS +###Ads_BA_BUT +###Ads_BA_BUT2 ###Ads_BA_BUT_box ###Ads_BA_CAD ###Ads_BA_CAD2 -###Ads_BA_CAD2_Text -###Ads_BA_CAD_box ###Ads_BA_FLB ###Ads_BA_SKY -###Ads_CAD -###Ads_OV_BS -###Ads_Special +###Ads_BA_VID ###Ads_TFM_BS -###Ads_google_01 -###Ads_google_02 -###Ads_google_03 -###Ads_google_04 -###Ads_google_05 +###Ads_google_bottom_wide ###Adsense300x250 ###AdsenseBottom ###AdsenseTop -###Adtag300x250Bottom -###Adtag300x250Top -###Adv-div +###Adsterra ###Adv10 ###Adv11 ###Adv8 ###Adv9 -###AdvArea -###AdvBody ###AdvContainer -###AdvContainerBottom -###AdvContainerMidCenter -###AdvContainerMiddleRight -###AdvContainerTopCenter -###AdvContainerTopRight ###AdvFooter -###AdvFrame1 -###AdvHead ###AdvHeader ###Adv_Footer -###Adv_Main_content -###Adv_Maxi_Leaderboard_A -###Adv_Maxi_Leaderboard_B -###Adv_Superbox_A -###Adv_Superbox_B -###Adv_Superbox_C -###Adv_Superbox_D -###Advert1 -###AdvertMPU23b +###AdvertMid1 +###AdvertMid2 ###AdvertPanel ###AdvertText ###AdvertiseFrame ###Advertisement1 ###Advertisement2 -###AdvertisementRightColumnRectangle +###AdvertisementDiv +###AdvertisementLeaderboard ###Advertisements ###AdvertisingDiv_0 -###AdvertisingLeaderboard -###AdvertismentHomeTopRight ###Advertorial ###Advertorials -###AdvertsBottom -###AdvertsBottomR -###Adverts_AdDetailsBottom_300x600 -###Adverts_AdDetailsMiddle_300x250 -###ArticleBottomAd -###BANNER_160x600 -###BANNER_300x250 -###BANNER_728x90 -###BB1-ad -###BBCPH_MCPH_MCPH_P_ArticleAd1 -###BBCPH_MCPH_MCPH_P_OasAdControl1Panel -###BBCPH_MCPH_MCPH_P_OasAdControl2Panel -###BBCPH_MCPH_MCPH_SponsoredLinks1 -###BBoxAd -###BDV_fullAd -###BackgroundAdContainer -###Banner300x250Module +###AnchorAd +###ArticleContentAd ###Banner728x90 ###BannerAd ###BannerAds ###BannerAdvert ###BannerAdvertisement -###BannerXGroup -###BelowFoldAds ###BigBoxAd ###BigboxAdUnit -###BillBoardAdd ###BodyAd ###BodyTopAds ###Body_Ad8_divAdd ###BotAd -###Bottom468x60AD -###BottomAd0 ###BottomAdContainer -###BottomAdSpacer -###BottomAds -###BottomPageAds ###BottomRightAdWrapper -###BrokerBox-AdContainer ###ButtonAd -###CONTENTAD -###CSpromo120x90 -###ClickPop_LayerPop_Container -###ClickStory_ViewAD1 -###ClickStory_ViewRightAD2 -###Col2-1-ComboAd-Proxy -###CommonHeaderAd -###CompanyDetailsNarrowGoogleAdsPresentationControl -###CompanyDetailsWideGoogleAdsPresentationControl ###ContentAd -###ContentAd1 -###ContentAd2 -###ContentAdPlaceHolder1 -###ContentAdPlaceHolder2 -###ContentAdView -###ContentAdXXL -###ContentAdtagRectangle -###ContentPlaceHolder1_adds -###ContentPlaceHolder1_advertControl1_advertLink -###ContentPlaceHolder1_advertControl3_advertLink -###ContentPlaceHolder1_pnlGoogleAds -###ContentPolepositionAds_Result ###Content_CA_AD_0_BC ###Content_CA_AD_1_BC -###ConversationDivAd -###CornerAd -###CountdownAdvert -###DARTad300x250 -###DEFAULT_ADV4_SWF -###DFM-adPos-bottomline -###DFPAD_MR -###DFP_in_article_mpu ###DFP_top_leaderboard -###DartAd300x250 -###DartAd990x90 -###DealsPageSideAd -###DivAd -###DivAd1 -###DivAd2 -###DivAd3 -###DivAdA -###DivAdB -###DivAdC -###DivAdEggHeadCafeTopBanner -###DivAdForumSplitBottom -###DivMsnCamara -###DivTopAd -###DividerAd -###DynamicAD -###FFN_imBox_Container -###FIN_300_250_position2_ad -###FIN_300_x_250_600_position2_ad -###FIN_300x250_pos1_ad -###FIN_300x80_facebook_ad -###FIN_468x60_sponsor_ad -###FIN_640x60_promo_ad -###FIN_728_90_leaderboard_ad -###FIN_ad_300x100_pos_1 -###FIN_videoplayer_300x250ad -###FRONTADVT2 -###FRONTADVT3 -###FRONTADVT4 -###FRONTADVT5 -###FRONTADVT8 ###FooterAd ###FooterAdBlock ###FooterAdContainer -###ForumSponsorBanner -###Freeforums-AdS-footer-728x90 -###Freeforums-AdS-header-728x90 -###FrontPageRectangleAd -###GOOGLEADS_BOT -###GOOGLEADS_CENTER -###GOOGLE_ADS_13 -###GOOGLE_ADS_151 -###GOOGLE_ADS_16 -###GOOGLE_ADS_2 -###GOOGLE_ADS_49 -###GOOGLE_ADS_56 -###GOOGLE_ADS_94 -###GameMediumRectangleAD -###GamePageAdDiv -###GoogleADsense -###GoogleADthree ###GoogleAd ###GoogleAd1 ###GoogleAd2 ###GoogleAd3 -###GoogleAdExploreMF ###GoogleAdRight ###GoogleAdTop -###GoogleAds250X200 -###GoogleAdsPlaceHolder -###GoogleAdsPresentationControl ###GoogleAdsense -###GoogleAdsenseMerlinWrapper -###GoogleLeaderBoardAdUnit -###GoogleLeaderBoardAdUnitSeperator -###GoogleRelatedAds -###GoogleSponsored -###Google_Adsense_Main -###HALExchangeAds -###HALHouseAd -###HB_News-ad -###HEADERAD -###HOME_TOP_RIGHT_BOXAD -###HP_adUnits -###H_Ad_728x90 -###H_Ad_Wrap +###HP1-ad +###HP2-ad +###HeadAd ###HeaderAD ###HeaderAd ###HeaderAdBlock -###HeaderAdSidebar ###HeaderAdsBlock -###HeaderAdsBlockFront -###HeaderBannerAdSpacer -###HeaderTextAd ###HeroAd ###HomeAd1 -###HomeBannerAd -###Home_AdSpan -###HomepageAdSpace -###HorizontalAd -###HouseAd -###HouseAdInsert -###IC1-ad -###IC2-ad -###ID_Ad_Sky +###IFrameAd +###IFrameAd1 +###IK-ad-area +###IK-ad-block ###IM_AD -###IN_HOUSE_AD_SWITCHER_0 -###IframeAdBannerSmallContainer -###ImageAdSideColumn -###ImageRotaAreaAD -###InterstitialAD_0_1ckp -###IslandAd_DeferredAdSpacediv -###JobsearchResultsAds -###Journal_Ad_125 -###Journal_Ad_300 -###JuxtapozAds -###KH-contentAd -###LB_Row_Ad -###LM_ad_unit -###LS-google-ad -###LargeRectangleAd -###LeaderTop-ad -###LeaderboardAdvertising -###LeaderboardNav_ad_placeholder +###LayoutBottomAdBox +###LayoutHomeAdBoxBottom ###LeftAd ###LeftAd1 -###LeftAdF1 -###LeftAdF2 -###LeftSideBarAD -###LftAd -###LittleAdvert -###LoungeAdsDiv -###LovelabAdoftheDay -###LowerContentAd -###MAINAD-box ###MPUAdSpace ###MPUadvertising -###MPUadvertisingDetail -###M_AD ###MainAd -###MainAd1 -###MainContent_ucTopRightAdvert -###MainHeader1_FRONTADVT10 -###MainHeader1_FRONTADVT11 -###MainRightStrip1_RIGHTADVT2 -###MainRightStrip1_RIGHTADVT3 -###MainRightStrip1_RIGHTADVT4 -###MainRightStrip1_RIGHTADVT5 -###MainSponsoredLinks -###MastheadAd -###MediumRectangleAD -###Meebo\:AdElement\.Root -###MidPageAds -###MiddleRightRadvertisement -###Module-From_Advertisers -###MyAdHeader -###MyAdSky -###MyAdsId -###NavAD -###Nightly_adContainer -###NormalAdModule -###OAS2 -###OASMiddleAd -###OASRightAd -###OAS_AD_TOPRIGHT -###OAS_Top -###OAS_posBottom -###OAS_posRight -###OAS_posTopRight -###OpenXAds -###OverrideAdArea -###PPX_imBox_Container -###PREFOOTER_LEFT_BOXAD -###PREFOOTER_RIGHT_BOXAD -###PageLeaderAd -###PaneAdvertisingContainer -###PartialYahooJSAds-bottom-ads -###PartialYahooJSAds-top-ads -###PhotoAd1 -###PostSponsorshipContainer -###PreRollAd -###PushDownAd -###RHS2Adslot -###RadAdSkyscraper -###RadAd_Skyscraper -###RelevantAds -###RgtAd1 -###RhsIsland_DeferredAdSpacediv +###NR-Ads +###PromotionAdBox ###RightAd ###RightAdBlock ###RightAdSpace ###RightAdvertisement -###RightBottom300x250AD -###RightColumn125x125AD -###RightColumnAdContainer -###RightColumnSkyScraperAD -###RightNavTopAdSpot -###RightRailSponsor -###RightSponsoredAd -###RollOutAd970x66 -###RollOutAd970x66iframe -###SBAArticle -###SBABottom -###SBAInHouse -###SBATier1 -###SBATier2 -###SBATier3 -###SE20-ad-container -###SE_ADLINK_LAY_gd -###SIDEMENUAD -###SIM_ad_300x100_homepage_pos1 -###SIM_ad_300x250-600_pos1 -###SIM_ad_300x250_pos2 -###SIM_ad_468x60_homepage_pos1 -###SIM_ad_468x60_homepage_pos2 -###SIM_ad_468x60_homepage_pos3 -###SIM_ad_728x90_bottom -###SRPadsContainer -###ScoreboardAd -###SearchAd_PlaceHolder -###SearchAdsBottom -###SearchAdsTop -###Section-Ads -###SectionAd300-250 -###SectionSponsorAd -###ServerAd -###SideAdMpu -###SideBarAdWidget -###SideMpuAdBar ###SidebarAd ###SidebarAdContainer ###SitenavAdslot ###SkyAd ###SkyscraperAD -###SlideShow_adv -###SlideShow_adv2 -###SpecialAds -###Spons-Link -###SponsorBarWrap ###SponsoredAd ###SponsoredAds ###SponsoredLinks -###SponsoredResultsTop ###SponsorsAds -###TDads -###TL_footer_advertisement -###TOPADS -###TOP_ADROW -###TOP_RIGHT_BOXAD -###TPVideoPlayerAd300x250 -###Tadspacecbar -###Tadspacefoot -###Tadspacehead -###Tadspacemrec -###TextLinkAds -###ThemeSection_adbanner2 -###ThemeSection_adbanner3 -###ThreadAd -###TipTopAdSpace -###TitleAD -###Top-Ad-Container -###Top1AdWrapper -###Top468x60AD +###StickyBannerAd +###Top-ad ###TopADs ###TopAd ###TopAd0 ###TopAdBox ###TopAdContainer -###TopAdDiv ###TopAdPlacement ###TopAdPos ###TopAdTable ###TopAdvert ###TopBannerAd -###TopCenterAdUnit -###TopGoogleCustomAd ###TopRightRadvertisement -###TopSideAd -###TopTextAd -###VM-MPU-adspace -###VM-footer-adspace -###VM-footer-adwrap -###VM-header-adspace -###VM-header-adwrap -###VertAdBox -###VertAdBox0 -###WNAd1 -###WNAd103 -###WNAd17 -###WNAd20 -###WNAd41 -###WNAd43 -###WNAd46 -###WNAd47 -###WNAd49 -###WNAd52 -###WNAd63 -###WarningCodecBanner +###VPNAdvert ###WelcomeAd -###WindowAdHolder -###WordFromSponsorAdvertisement -###XEadLeaderboard -###XEadSkyscraper -###YahooAdParentContainer -###YahooAdsContainer -###YahooAdsContainerPowerSearch -###YahooContentAdsContainerForBrowse -###YahooSponsoredResults -###Zergnet -###\5f _mom_ad_12 -###\5f _mom_ad_2 -###_ads -###a4g-floating-ad -###a_ad10Sp -###a_ad11Sp -###abHeaderAdStreamer +###aad-header-1 +###aad-header-2 +###aad-header-3 ###ab_adblock -###abc-AD_topbanner -###about_adsbottom ###above-comments-ad ###above-fold-ad ###above-footer-ads ###aboveAd -###aboveGbAd ###aboveNodeAds +###above_button_ad ###aboveplayerad ###abovepostads -###acAdContainer -###acm-ad-tag-300x250-atf -###acm-ad-tag-300x250-btf -###acm-ad-tag-728x90-atf -###acm-ad-tag-728x90-btf +###acm-ad-tag-lawrence_dfp_mobile_arkadium +###ad--article--home-mobile-paramount-wrapper +###ad--article-bottom-wrapper +###ad--article-top +###ad--sidebar ###ad-0 ###ad-1 -###ad-1000x90-1 -###ad-1050 -###ad-109 -###ad-118 -###ad-120-left -###ad-120x600-1 -###ad-120x600-other -###ad-120x600-sidebar -###ad-120x60Div ###ad-125x125 -###ad-13 -###ad-133 -###ad-143 ###ad-160 -###ad-160-long ###ad-160x600 -###ad-160x600-sidebar -###ad-160x600-wrapper -###ad-162 -###ad-17 -###ad-170 -###ad-180x150-1 -###ad-19 -###ad-197 ###ad-2 ###ad-2-160x600 -###ad-200x200_newsfeed -###ad-21 -###ad-213 -###ad-220x90-1 -###ad-230x100-1 -###ad-240x400-1 -###ad-240x400-2 ###ad-250 ###ad-250x300 -###ad-28 -###ad-29 ###ad-3 ###ad-3-300x250 ###ad-300 @@ -9569,97 +1492,55 @@ _popunder+$popup ###ad-300X250-2 ###ad-300a ###ad-300b -###ad-300x-container ###ad-300x250 ###ad-300x250-0 -###ad-300x250-01 -###ad-300x250-02 -###ad-300x250-1 ###ad-300x250-2 ###ad-300x250-b -###ad-300x250-mobile-LL_1 -###ad-300x250-right -###ad-300x250-right0 ###ad-300x250-sidebar ###ad-300x250-wrapper -###ad-300x250Div ###ad-300x250_mid +###ad-300x250_mobile ###ad-300x250_top -###ad-300x40-1 -###ad-300x40-2 -###ad-300x40-5 -###ad-300x60-1 ###ad-300x600_top -###ad-32 -###ad-320 -###ad-336 -###ad-350 -###ad-37 -###ad-376x280 ###ad-4 -###ad-4-300x90 -###ad-5-images -###ad-55 -###ad-63 -###ad-635x40-1 -###ad-655 +###ad-5 +###ad-6 ###ad-7 ###ad-728 ###ad-728-90 ###ad-728x90 -###ad-728x90-1 -###ad-728x90-leaderboard-top -###ad-728x90-top -###ad-728x90-top0 -###ad-732 -###ad-734 -###ad-74 -###ad-88 -###ad-88-wrap -###ad-970 -###ad-98 +###ad-8 +###ad-9 +###ad-Content_1 +###ad-Content_2 +###ad-Rectangle_1 +###ad-Rectangle_2 +###ad-Superbanner ###ad-a -###ad-a1 -###ad-abs-b-0 -###ad-abs-b-1 -###ad-abs-b-10 -###ad-abs-b-2 -###ad-abs-b-3 -###ad-abs-b-4 -###ad-abs-b-5 -###ad-abs-b-6 -###ad-abs-b-7 -###ad-absolute-160 ###ad-ads -###ad-adsensemedium ###ad-advertorial ###ad-affiliate +###ad-after ###ad-anchor -###ad-area ###ad-around-the-web ###ad-article ###ad-article-in ###ad-aside-1 -###ad-atf-mid -###ad-atf-top ###ad-background ###ad-ban -###ad-banner ###ad-banner-1 -###ad-banner-970 -###ad-banner-980 ###ad-banner-atf -###ad-banner-body-top ###ad-banner-bottom +###ad-banner-btf ###ad-banner-desktop ###ad-banner-image -###ad-banner-lock ###ad-banner-placement ###ad-banner-top ###ad-banner-wrap +###ad-banner_atf-label ###ad-bar ###ad-base -###ad-beauty +###ad-bb-content ###ad-below-content ###ad-bg ###ad-big @@ -9668,52 +1549,45 @@ _popunder+$popup ###ad-billboard ###ad-billboard-atf ###ad-billboard-bottom +###ad-billboard01 ###ad-blade ###ad-block ###ad-block-125 +###ad-block-2 +###ad-block-aa ###ad-block-bottom ###ad-block-container ###ad-border ###ad-bottom -###ad-bottom-300x250 ###ad-bottom-banner +###ad-bottom-fixed ###ad-bottom-right-container ###ad-bottom-wrapper -###ad-bottomright ###ad-box ###ad-box-1 ###ad-box-2 ###ad-box-bottom -###ad-box-first ###ad-box-halfpage ###ad-box-leaderboard +###ad-box-left ###ad-box-rectangle ###ad-box-rectangle-2 ###ad-box-right -###ad-box-second ###ad-box1 ###ad-box2 -###ad-boxATF ###ad-boxes -###ad-br-container +###ad-break ###ad-bs -###ad-btf-bot ###ad-btm ###ad-buttons ###ad-campaign ###ad-carousel ###ad-case ###ad-center +###ad-chips ###ad-circfooter ###ad-code ###ad-col -###ad-colB-1 -###ad-column -###ad-container -###ad-container-1 -###ad-container-2 -###ad-container-adaptive-1 -###ad-container-adaptive-3 ###ad-container-banner ###ad-container-fullpage ###ad-container-inner @@ -9721,250 +1595,173 @@ _popunder+$popup ###ad-container-mpu ###ad-container-outer ###ad-container-overlay +###ad-container-top-placeholder ###ad-container1 ###ad-contentad -###ad-cube-Bottom -###ad-cube-Middle -###ad-cube-sec -###ad-cube-top +###ad-desktop-bottom +###ad-desktop-takeover-home +###ad-desktop-takeover-int +###ad-desktop-top ###ad-desktop-wrap ###ad-discover ###ad-display-ad ###ad-display-ad-placeholder ###ad-div-leaderboard -###ad-double-spotlight-container ###ad-drawer -###ad-e-container ###ad-ear -###ad-extra-comments ###ad-extra-flat -###ad-f-container ###ad-featured-right -###ad-first-post -###ad-five -###ad-five-75x50s -###ad-flex-first +###ad-fixed-bottom ###ad-flex-top ###ad-flyout -###ad-footer ###ad-footer-728x90 -###ad-footprint-160x600 -###ad-for-map -###ad-frame ###ad-framework-top ###ad-front-btf ###ad-front-footer -###ad-front-page-160x600-placeholder -###ad-front-sponsoredlinks ###ad-full-width ###ad-fullbanner-btf ###ad-fullbanner-outer ###ad-fullbanner2 -###ad-fullbanner2-billboard-outer ###ad-fullwidth -###ad-gamepage-leaderboard -###ad-gamepage-mpu1 -###ad-gamepage-mpu2 -###ad-giftext -###ad-globalleaderboard -###ad-google-chrome-sidebar ###ad-googleAdSense -###ad-gpt-bottomrightrec -###ad-gpt-leftrec -###ad-gpt-rightrec ###ad-gutter-left ###ad-gutter-right ###ad-halfpage -###ad-header -###ad-header-728x90 +###ad-halfpage1 +###ad-halfpage2 +###ad-head +###ad-header-1 +###ad-header-2 +###ad-header-3 ###ad-header-left ###ad-header-mad ###ad-header-mobile ###ad-header-right ###ad-holder -###ad-homepage-content-well -###ad-homepage-top-wrapper ###ad-horizontal ###ad-horizontal-header ###ad-horizontal-top -###ad-idreammedia -###ad-img -###ad-in-post +###ad-incontent ###ad-index -###ad-inner -###ad-inside1 -###ad-inside2 -###ad-interstitial-wrapper -###ad-interstitialBottom -###ad-interstitialTop -###ad-introtext -###ad-jack -###ad-label +###ad-inline-block ###ad-label2 +###ad-large-banner-top ###ad-large-header -###ad-lb ###ad-lb-secondary -###ad-ldr-spot ###ad-lead +###ad-leadboard1 +###ad-leadboard2 ###ad-leader ###ad-leader-atf ###ad-leader-container +###ad-leader-wrapper ###ad-leaderboard -###ad-leaderboard-1 -###ad-leaderboard-1-container -###ad-leaderboard-2 -###ad-leaderboard-2-container +###ad-leaderboard-atf ###ad-leaderboard-bottom ###ad-leaderboard-container ###ad-leaderboard-footer +###ad-leaderboard-header ###ad-leaderboard-spot ###ad-leaderboard-top -###ad-leaderboard-top-container +###ad-leaderboard970x90home +###ad-leaderboard970x90int ###ad-leaderboard_bottom ###ad-leadertop -###ad-left -###ad-left-sidebar-ad-1 -###ad-left-sidebar-ad-2 -###ad-left-sidebar-ad-3 -###ad-left-timeswidget -###ad-links-content -###ad-list-row ###ad-lrec +###ad-m-rec-content ###ad-main ###ad-main-bottom ###ad-main-top -###ad-makeup ###ad-manager -###ad-manager-ad-bottom-0 -###ad-manager-ad-top-0 +###ad-masthead ###ad-medium ###ad-medium-lower ###ad-medium-rectangle ###ad-medrec -###ad-medrec_premium -###ad-megaban2 -###ad-megasky +###ad-medrec__first ###ad-mid ###ad-mid-rect ###ad-middle -###ad-middlethree -###ad-middletwo ###ad-midpage ###ad-minibar ###ad-module ###ad-mpu -###ad-mpu-premium-1 -###ad-mpu-premium-2 -###ad-mpu-topRight-container -###ad-mpu-warning -###ad-mpu1-spot -###ad-mpu2 -###ad-mpu2-spot -###ad-mpu600-right-container ###ad-mrec ###ad-mrec2 ###ad-new -###ad-news-sidebar-300x250-placeholder ###ad-north -###ad-north-base -###ad-northeast ###ad-one ###ad-other ###ad-output ###ad-overlay +###ad-p3 ###ad-page-1 -###ad-page-sky-300-a1 -###ad-page-sky-300-a2 -###ad-page-sky-left ###ad-pan3l ###ad-panel ###ad-pencil -###ad-placard +###ad-performance +###ad-performanceFullbanner1 +###ad-performanceRectangle1 ###ad-placeholder +###ad-placeholder-horizontal +###ad-placeholder-vertical ###ad-placement ###ad-plate +###ad-player ###ad-popup -###ad-popup1 -###ad-position-a -###ad-position1 +###ad-popup-home +###ad-popup-int ###ad-post +###ad-promo ###ad-push ###ad-pushdown ###ad-r -###ad-rbkua ###ad-rec-atf +###ad-rec-btf ###ad-rec-btf-top -###ad-recommend ###ad-rect ###ad-rectangle -###ad-rectangle-flag ###ad-rectangle1 ###ad-rectangle1-outer ###ad-rectangle2 ###ad-rectangle3 -###ad-region-1 ###ad-results -###ad-rian ###ad-right -###ad-right-3 +###ad-right-bar-tall ###ad-right-container ###ad-right-sidebar -###ad-right-sidebar-ad-1 -###ad-right-sidebar-ad-2 -###ad-right-skyscraper-container ###ad-right-top ###ad-right2 ###ad-right3 -###ad-righttop -###ad-ros-atf-300x90 -###ad-ros-btf-300x90 -###ad-rotate-home ###ad-rotator ###ad-row -###ad-row-1 -###ad-s1 -###ad-safe -###ad-sb -###ad-secondary-sidebar-1 ###ad-section ###ad-separator ###ad-shop ###ad-side ###ad-side-text ###ad-sidebar -###ad-sidebar-1 -###ad-sidebar-2 -###ad-sidebar-3 -###ad-sidebar-300x80 -###ad-sidebar-4 -###ad-sidebar-5 -###ad-sidebar-6 ###ad-sidebar-btf ###ad-sidebar-container ###ad-sidebar-mad ###ad-sidebar-mad-wrapper -###ad-sidebar-right_300-1 -###ad-sidebar-right_300-2 -###ad-sidebar-right_300-3 -###ad-sidebar-right_bitgold -###ad-sidebar-tall ###ad-sidebar1 ###ad-sidebar2 -###ad-sidebarleft-bottom -###ad-sidebarleft-top -###ad-single-spotlight-container +###ad-site-header ###ad-skin +###ad-skm-below-content ###ad-sky -###ad-sky-atf -###ad-sky-btf ###ad-skyscraper -###ad-skyscraper-feedback -###ad-skyscraper1-outer -###ad-sla-sidebar300x250 +###ad-slideshow +###ad-slideshow2 +###ad-slot ###ad-slot-1 ###ad-slot-2 +###ad-slot-3 ###ad-slot-4 -###ad-slot-mpu-1-desktop +###ad-slot-5 +###ad-slot-502 +###ad-slot-lb ###ad-slot-right ###ad-slot-top ###ad-slot1 @@ -9972,189 +1769,74 @@ _popunder+$popup ###ad-slot4 ###ad-slug-wrapper ###ad-small-banner -###ad-smartboard_1 -###ad-smartboard_2 -###ad-smartboard_3 -###ad-software-description-300x250-placeholder -###ad-software-sidebar-300x250-placeholder ###ad-space -###ad-space-1 -###ad-space-2 ###ad-space-big -###ad-special ###ad-splash -###ad-sponsored-traffic ###ad-sponsors ###ad-spot ###ad-spot-bottom ###ad-spot-one -###ad-springboard-300x250 -###ad-squares +###ad-standard ###ad-standard-wrap ###ad-stickers -###ad-story-bottom-in -###ad-story-bottom-out +###ad-sticky-footer-container ###ad-story-right ###ad-story-top ###ad-stripe -###ad-tab -###ad-tail-placeholder -###ad-tape ###ad-target -###ad-target-Leaderbord ###ad-teaser -###ad-techwords ###ad-text -###ad-textad-single ###ad-three -###ad-tlr-spot ###ad-top ###ad-top-250 ###ad-top-300x250 ###ad-top-728 ###ad-top-banner -###ad-top-banner-placeholder -###ad-top-leader ###ad-top-leaderboard ###ad-top-left ###ad-top-lock +###ad-top-low ###ad-top-right ###ad-top-right-container ###ad-top-text-low ###ad-top-wrap ###ad-top-wrapper ###ad-tower -###ad-tower1 -###ad-trailerboard-spot -###ad-tray ###ad-two -###ad-typ1 -###ad-unit -###ad-uprrail1 -###ad-video -###ad-video-page +###ad-undefined +###ad-unit-right-bottom-160-600 +###ad-unit-right-middle-300-250 +###ad-unit-top-banner +###ad-vip-article ###ad-west ###ad-wide-leaderboard ###ad-wrap -###ad-wrap-2 -###ad-wrap-right +###ad-wrap2 ###ad-wrapper ###ad-wrapper-728x90 -###ad-wrapper-left -###ad-wrapper-right -###ad-wrapper1 -###ad-yahoo-simple -###ad-zone-1 -###ad-zone-2 -###ad-zone-article-header-leaderboard -###ad-zone-default-sidebar -###ad-zone-inline -###ad001 -###ad002 -###ad01 -###ad02 -###ad1-468x400 -###ad1-home +###ad-wrapper-footer-1 +###ad-wrapper-main-1 +###ad-wrapper-sidebar-1 +###ad-wrapper-top-1 ###ad1-placeholder -###ad1-wrapper -###ad1006 -###ad101 -###ad10Sp -###ad11 -###ad11Sp -###ad120x600 -###ad120x600container -###ad120x60_override -###ad125B -###ad125BL -###ad125BR -###ad125TL -###ad125TR ###ad125x125 ###ad160 -###ad160-2 ###ad160600 -###ad160Container -###ad160Wrapper -###ad160a ###ad160x600 -###ad160x600right -###ad180 -###ad1Sp -###ad1_holder -###ad1_top-left -###ad2-home -###ad2-label -###ad2-original-placeholder ###ad250 -###ad260x60 -###ad2CONT -###ad2Sp -###ad2_footer -###ad2_iframe -###ad2_inline -###ad2gameslayer ###ad300 ###ad300-250 -###ad300-title -###ad300250top -###ad300IndexBox -###ad300X250 ###ad300_250 -###ad300_a -###ad300_x_250 -###ad300b -###ad300c -###ad300text -###ad300top -###ad300x100Middle -###ad300x150 -###ad300x250 -###ad300x250Module -###ad300x250_336x280_300x600_336x850 -###ad300x250_336x280_bottom -###ad300x250_callout -###ad300x250box -###ad300x250box2 -###ad300x250c -###ad300x50 -###ad300x60 -###ad300x600 -###ad300x600_callout -###ad300x600pos2 -###ad31 -###ad32 -###ad330x240 ###ad336 -###ad336atf -###ad336iiatf ###ad336x280 -###ad368_2578 -###ad375x85 -###ad3Article -###ad3small ###ad468 -###ad468_hidden ###ad468x60 -###ad468x60-story -###ad468x60_top -###ad470 ###ad480x60 -###ad508x125 -###ad520x85 -###ad526x250 -###ad5_inline ###ad6 ###ad600 -###ad600x90 -###ad650 -###ad720x90bot ###ad728 ###ad72890 -###ad72890foot -###ad728Bottom ###ad728Box -###ad728BoxBtm ###ad728Header ###ad728Mid ###ad728Top @@ -10162,101 +1844,57 @@ _popunder+$popup ###ad728X90 ###ad728foot ###ad728h -###ad728mid ###ad728top ###ad728x90 ###ad728x90_1 -###ad728x90asme -###ad728x90box -###ad76890topContainer -###ad768top1 ###ad90 -###ad97090 +###ad900 +###ad970 +###ad970x90_exp ###adATF300x250 -###adAd +###adATF728x90 +###adATFLeaderboard +###adAside ###adBTF300x250 -###adBTF300x250IC ###adBadges -###adBanner ###adBanner1 -###adBanner10 -###adBanner120x600 -###adBanner160x600 -###adBanner160x610 -###adBanner2 -###adBanner3 ###adBanner336x280 -###adBanner4 -###adBanner728 -###adBanner728_bot -###adBanner9 ###adBannerBottom -###adBannerBreaking ###adBannerHeader ###adBannerSpacer ###adBannerTable ###adBannerTop -###adBannerWrap -###adBannerWrapperFtr ###adBar ###adBelt -###adBladeDeskArt +###adBillboard ###adBlock01 -###adBlock125 ###adBlockBanner ###adBlockContainer ###adBlockContent ###adBlockOverlay -###adBlockTop ###adBlocks -###adBody01 -###adBody02 -###adBody03 -###adBody04 -###adBody06 -###adBottbanner ###adBottom ###adBox -###adBox11 -###adBox16 -###adBox350 -###adBox390 -###adBoxUpperRight ###adBrandDev ###adBrandingStation ###adBreak -###adCENTRAL -###adCTXSp ###adCarousel ###adChannel ###adChoiceFooter ###adChoices ###adChoicesIcon ###adChoicesLogo -###adCirc300X200 -###adCirc300X250 -###adCirc300x300 -###adCirc620X100 -###adCirc_620_100 -###adClickLeft -###adClickMe -###adClickRight ###adCol ###adColumn ###adColumn3 -###adCompanionBanner -###adCompanionSubstitute ###adComponentWrapper -###adContainerCC -###adContainerForum +###adContainer ###adContainer_1 ###adContainer_2 ###adContainer_3 ###adContent ###adContentHolder ###adContext -###adControl1 -###adDailyDeal ###adDiv ###adDiv0 ###adDiv1 @@ -10264,108 +1902,73 @@ _popunder+$popup ###adDiv4 ###adDiv728 ###adDivContainer -###adDivleaderboard -###adDivminimodulebutton1 -###adDivminimodulebutton2 -###adDivminimodulebutton3 -###adDivmrec -###adDivmrecadhomepage ###adFiller -###adFixFooter ###adFlashDiv ###adFooter -###adFooterTitel ###adFot -###adFoxBanner -###adFps ###adFrame -###adFtofrs ###adGallery -###adGmWidget ###adGoogleText -###adGroup1 -###adGroup4 ###adHeader ###adHeaderTop ###adHeaderWrapper +###adHeading +###adHeightstory ###adHolder ###adHolder1 ###adHolder2 ###adHolder3 -###adHolder300x250 ###adHolder4 ###adHolder5 ###adHolder6 +###adHome +###adHomeTop ###adIframe -###adInBetweenPosts -###adInCopy ###adInhouse -###adInstoryOneWrap -###adInstoryTwoWrap -###adInteractive1 -###adInteractive4 -###adInteractiveInline ###adIsland ###adLB -###adLContain ###adLabel +###adLarge ###adLayer +###adLayerTop ###adLayout ###adLeader ###adLeaderTop ###adLeaderboard ###adLeaderboard-middle -###adLeaderboardUp ###adLeft ###adLink ###adLink1 -###adLink300 -###adLocation-1 -###adLocation-2 -###adLocation-3 -###adLocation-4 ###adLounge ###adLrec ###adMOBILETOP ###adMPU ###adMPUHolder -###adMagAd ###adMain ###adMarketplace ###adMed ###adMedRect -###adMediaWidget ###adMediumRectangle ###adMeld ###adMessage -###adMid1 ###adMid2 -###adMiddle0Frontpage -###adMiddle_imgAd -###adMiniPremiere -###adMobileSquarePremiumContainer -###adMonster1 -###adMoveHere +###adModal ###adMpu ###adMpuBottom -###adNshareWrap -###adOne ###adOuter -###adPLaceHolderTop728 -###adPUSHDOWNBANNER -###adPageContainer -###adPanelAjaxUpdate ###adPartnerLinks ###adPlaceHolder1 ###adPlaceHolder2 -###adPlaceHolderRight -###adPlaceScriptrightSidebarFirstBanner -###adPlaceScriptrightSidebarSecondBanner -###adPlaceScripttopBanner +###adPlacement_1 +###adPlacement_2 +###adPlacement_3 +###adPlacement_4 +###adPlacement_7 +###adPlacement_8 +###adPlacement_9 ###adPlacer -###adPopBOTtOM ###adPopover -###adPosOne +###adPopup ###adPosition0 ###adPosition14 ###adPosition5 @@ -10373,38 +1976,24 @@ _popunder+$popup ###adPosition7 ###adPosition9 ###adPush -###adRContain -###adRectangleFooter -###adRectangleHeader +###adPushdown1 +###adReady ###adRight ###adRight1 ###adRight2 ###adRight3 ###adRight4 ###adRight5 -###adRightColumnHolder -###adSPLITCOLUMNTOPRIGHT ###adScraper ###adSection -###adSense -###adSenseBottomDiv ###adSenseBox -###adSenseContentTop -###adSenseLoadingPlaceHolder ###adSenseModule -###adSenseResultAdblock -###adSenseResults -###adSenseSidebarBottom -###adSenseTall ###adSenseWrapper -###adServer_marginal ###adSet -###adShortTower ###adSide +###adSide1-container ###adSideButton ###adSidebar -###adSidebarSpecial -###adSidebarSq ###adSite ###adSkin ###adSkinBackdrop @@ -10414,147 +2003,46 @@ _popunder+$popup ###adSkyPosition ###adSkyscraper ###adSlider -###adSlot-inPage-300x250-right -###adSlot01 -###adSlot02 +###adSlot-dmpu +###adSlot-dontMissLarge +###adSlot-leader +###adSlot-leaderBottom ###adSlot1 ###adSlot2 -###adSlot2_grid ###adSlot3 -###adSlot3_grid ###adSlot4 -###adSlot4_grid -###adSlot_center ###adSlug ###adSpace -###adSpace0 -###adSpace1 -###adSpace10 -###adSpace11 -###adSpace12 -###adSpace13 -###adSpace14 -###adSpace15 -###adSpace16 -###adSpace17 -###adSpace18 -###adSpace19 -###adSpace2 -###adSpace20 -###adSpace21 -###adSpace22 -###adSpace23 -###adSpace24 -###adSpace25 -###adSpace3 -###adSpace300_ifrMain -###adSpace4 -###adSpace5 -###adSpace6 -###adSpace7 -###adSpace8 -###adSpace9 ###adSpaceBottom -###adSpace_footer -###adSpace_right -###adSpace_top +###adSpaceHeight ###adSpacer ###adSpecial -###adSplotlightEm -###adSponsor -###adSpot-Leader -###adSpot-banner -###adSpot-island -###adSpot-mrec1 -###adSpot-promobox1 -###adSpot-promobox2 -###adSpot-sponsoredlinks -###adSpot-textbox1 -###adSpot-twin -###adSpot-widestrip -###adSpotAdvertorial -###adSpotIsland -###adSpotIslandLarge -###adSpotSponsoredLinks -###adSpotholder-EGN -###adSpotlightSquare1 ###adSqb ###adSquare -###adStaticA ###adStrip -###adSuperAd -###adSuperPremiere -###adSuperSkyscraper ###adSuperbanner -###adTableCell ###adTag -###adTag-genre -###adTag1 -###adTag2 -###adTakeOverInner -###adTakeOverLeft -###adTakeOverRight -###adTeaser ###adText -###adText01 -###adText02 -###adText2 -###adTextCustom ###adTextLink -###adTextRt -###adText_container -###adThree -###adTicker -###adTiff ###adTile ###adTop -###adTop1 -###adTop2 -###adTopBanner-inner -###adTopBanner1 -###adTopBig -###adTopBox300x300 ###adTopContent +###adTopLREC +###adTopLarge ###adTopModule -###adTopbanner -###adTopboxright ###adTower -###adTower1 -###adTower2 -###adTwo -###adUn_1 -###adUn_2 -###adUn_3 +###adUnderArticle ###adUnit -###adValue -###adVcss ###adWideSkyscraper ###adWrap ###adWrapper -###adWrapper1 -###adWrapperLeft -###adWrapperRight ###adWrapperSky -###adZoneTop -###ad_0 -###ad_02 -###ad_03 -###ad_04 ###ad_1 -###ad_120_sidebar -###ad_120x600 -###ad_120x90 -###ad_130x250_inhouse ###ad_160 ###ad_160_600 ###ad_160_600_2 -###ad_160_container_left -###ad_160_container_right -###ad_160_sidebar ###ad_160x160 ###ad_160x600 -###ad_175x300 -###ad_190x90 ###ad_2 ###ad_250 ###ad_250x250 @@ -10562,245 +2050,119 @@ _popunder+$popup ###ad_300 ###ad_300_250 ###ad_300_250_1 -###ad_300_250_inline -###ad_300_container -###ad_300_interruptor -###ad_300_wrapper -###ad_300a -###ad_300b -###ad_300c -###ad_300misc -###ad_300x100 -###ad_300x100_m_c ###ad_300x250 -###ad_300x250Ando -###ad_300x250_1 -###ad_300x250_2 -###ad_300x250_3 -###ad_300x250_container -###ad_300x250_content_column -###ad_300x250_frame -###ad_300x250_m_c -###ad_300x250_secondary -###ad_300x250_startgame -###ad_300x250m -###ad_300x60 -###ad_300x600 -###ad_300x600_1 -###ad_300x90 ###ad_336 -###ad_336_singlebt -###ad_350_200 -###ad_380x35 ###ad_4 -###ad_45 -###ad_450x280 ###ad_468_60 -###ad_468x120 ###ad_468x60 -###ad_470x60a -###ad_48 -###ad_49 ###ad_5 -###ad_500 -###ad_500_label -###ad_500x150 -###ad_51 -###ad_57 -###ad_6 -###ad_7 -###ad_700_90 -###ad_700x430 ###ad_728 ###ad_728_90 -###ad_728_foot -###ad_728_holder -###ad_728a -###ad_728b -###ad_728h ###ad_728x90 -###ad_728x90_container -###ad_728x90_content -###ad_728x90home -###ad_728x91 ###ad_8 -###ad_88x31 ###ad_9 -###ad_940 -###ad_984 -###ad_990x90 -###ad_A -###ad_B ###ad_B1 ###ad_Banner ###ad_Bottom -###ad_C -###ad_C2 -###ad_D -###ad_DisplayAd1 -###ad_DisplayAd2 -###ad_E -###ad_Entry_160x600 -###ad_Entry_728x90 -###ad_F -###ad_Feature_Middlebar_468x60 -###ad_G -###ad_H -###ad_Header_768x90 -###ad_Home_300x250 -###ad_I -###ad_J -###ad_K -###ad_L ###ad_LargeRec01 -###ad_M ###ad_Middle ###ad_Middle1 -###ad_N -###ad_NorthBanner -###ad_O -###ad_P -###ad_Position1 ###ad_Pushdown ###ad_R1 ###ad_Right ###ad_Top -###ad_Top2 -###ad_TopLongBanner ###ad_Wrap -###ad_YieldManager-160x600 -###ad_YieldManager-300x250 -###ad_YieldManager-728x90 -###ad_above_article -###ad_above_game +###ad__billboard ###ad_ad ###ad_adsense -###ad_after_navbar +###ad_after_header_1 ###ad_anchor -###ad_and_content_ad_box ###ad_area -###ad_article_btm +###ad_article1_1 +###ad_article1_2 +###ad_article2_1 +###ad_article2_2 +###ad_article3_1 +###ad_article3_2 ###ad_banner -###ad_bannerManage_1 ###ad_banner_1 -###ad_banner_120x600 -###ad_banner_125x300 -###ad_banner_300x250 ###ad_banner_468x60 ###ad_banner_728x90 -###ad_banner_728x90_bot ###ad_banner_bot -###ad_banner_example ###ad_banner_top ###ad_banners -###ad_banners_content ###ad_bar ###ad_bar_rect -###ad_bellow_post +###ad_before_header ###ad_bg ###ad_bg_image ###ad_big ###ad_bigbox ###ad_bigbox_companion ###ad_bigrectangle -###ad_bigsize -###ad_bigsize_wrapper ###ad_billboard -###ad_billboard2 -###ad_billboard_ifm ###ad_block ###ad_block_0 ###ad_block_1 ###ad_block_2 -###ad_block_300x250 ###ad_block_mpu -###ad_board_after_forums -###ad_board_before_forums +###ad_bnr_atf_01 +###ad_bnr_atf_02 +###ad_bnr_atf_03 +###ad_bnr_btf_07 +###ad_bnr_btf_08 ###ad_body ###ad_bottom -###ad_bottom_1x1 -###ad_bottom_728x90 -###ad_bottom_another -###ad_bottom_article_text -###ad_bottom_footer -###ad_bottombrandtext ###ad_box -###ad_box02 -###ad_box160a -###ad_box300x250 -###ad_box_2 -###ad_box_ad_0 -###ad_box_ad_1 -###ad_box_colspan ###ad_box_top ###ad_branding -###ad_bs_area +###ad_bsb +###ad_bsb_cont ###ad_btmslot -###ad_bucket_med_rectangle_1 -###ad_bucket_med_rectangle_2 +###ad_button ###ad_buttons -###ad_category_middle ###ad_cell ###ad_center -###ad_center_monster -###ad_channel -###ad_chitikabanner_120x600LH ###ad_choices -###ad_circ300x250 -###ad_circ_300_200 -###ad_circ_300x250 -###ad_circ_300x300 ###ad_close ###ad_closebtn -###ad_cna2 ###ad_comments -###ad_companion_banner -###ad_complex -###ad_comps_top ###ad_cont -###ad_cont1 -###ad_cont2 +###ad_cont_superbanner ###ad_container ###ad_container_0 ###ad_container_300x250 -###ad_container_marginal ###ad_container_side ###ad_container_sidebar ###ad_container_top ###ad_content -###ad_content_before_first_para +###ad_content_1 +###ad_content_2 +###ad_content_3 ###ad_content_fullsize ###ad_content_primary ###ad_content_right ###ad_content_top ###ad_content_wrap +###ad_contentslot_1 +###ad_contentslot_2 ###ad_creative_2 ###ad_creative_3 ###ad_creative_5 -###ad_crown_top -###ad_cyborg -###ad_dfp_premiumrec +###ad_dfp_rec1 ###ad_display_300_250 ###ad_display_728_90 ###ad_div ###ad_div_bottom ###ad_div_top -###ad_embed_300x250 -###ad_fb_circ -###ad_feature ###ad_feedback -###ad_fg -###ad_firstpost -###ad_flyrelax ###ad_foot ###ad_footer ###ad_footer1 ###ad_footerAd -###ad_footer_s -###ad_footer_small ###ad_frame ###ad_frame1 -###ad_front_three +###ad_from_bottom ###ad_fullbanner ###ad_gallery ###ad_gallery_bot @@ -10809,92 +2171,41 @@ _popunder+$popup ###ad_global_header ###ad_global_header1 ###ad_global_header2 -###ad_google_Link -###ad_google_content336 -###ad_googlebanner_160x600LH -###ad_grp1 -###ad_grp2 -###ad_gutter_top ###ad_h3 -###ad_haha_1 -###ad_haha_4 ###ad_halfpage -###ad_hdr_2 ###ad_head ###ad_header ###ad_header_1 ###ad_header_container -###ad_header_logo_placeholder -###ad_headerlarge -###ad_help_link_new -###ad_hf -###ad_hide_for_menu ###ad_holder ###ad_home ###ad_home_middle ###ad_horizontal -###ad_horseshoe_left -###ad_horseshoe_right -###ad_horseshoe_spacer -###ad_horseshoe_top -###ad_hotpots -###ad_houseslot1_desktop ###ad_houseslot_a ###ad_houseslot_b -###ad_hy_01 -###ad_hy_02 -###ad_hy_03 -###ad_hy_04 -###ad_hy_05 -###ad_hy_06 -###ad_hy_07 -###ad_hy_08 -###ad_iframe_160_by_600_middle -###ad_iframe_300 +###ad_hp ###ad_img -###ad_img_banner -###ad_in_arti -###ad_infoboard_box -###ad_inplace_1 -###ad_interestmatch -###ad_interestmatch400 +###ad_interthread ###ad_island ###ad_island2 -###ad_island_incontent -###ad_island_incontent2 -###ad_keywrods -###ad_kvadrat_under_player ###ad_label ###ad_large ###ad_large_rectangular -###ad_lastpost +###ad_lateral ###ad_layer -###ad_layer1 -###ad_layer2 ###ad_ldb ###ad_lead1 ###ad_leader ###ad_leaderBoard ###ad_leaderboard -###ad_leaderboard2 -###ad_leaderboard3 -###ad_leaderboard728x90 -###ad_leaderboard_1 -###ad_leaderboard_flex -###ad_leaderboard_master -###ad_leaderboard_middle ###ad_leaderboard_top -###ad_leaderboardtwo -###ad_leaderborder_container1 ###ad_left ###ad_left_1 ###ad_left_2 ###ad_left_3 ###ad_left_skyscraper -###ad_left_skyscraper_2 ###ad_left_top ###ad_leftslot -###ad_lft ###ad_link ###ad_links ###ad_links_footer @@ -10904,9 +2215,7 @@ _popunder+$popup ###ad_main ###ad_main_leader ###ad_main_top -###ad_main_top_01 -###ad_main_top_05 -###ad_main_top_08 +###ad_marginal ###ad_marker ###ad_mast ###ad_med_rect @@ -10914,63 +2223,39 @@ _popunder+$popup ###ad_medium_rectangle ###ad_medium_rectangular ###ad_mediumrectangle -###ad_megabanner -###ad_menu_header ###ad_message -###ad_messageboard_x10 ###ad_middle -###ad_middle_122 -###ad_middle_2 ###ad_middle_bottom ###ad_midstrip -###ad_ml ###ad_mobile ###ad_module -###ad_most_pop_234x60_req_wrapper ###ad_mpu ###ad_mpu2 ###ad_mpu300x250 -###ad_mpu_1 -###ad_mpuav -###ad_mpuslot -###ad_mrcontent ###ad_mrec ###ad_mrec1 ###ad_mrec2 -###ad_msgplus-gallery-5 -###ad_myFrame -###ad_netpromo +###ad_mrec_intext +###ad_mrec_intext2 ###ad_new +###ad_news_article ###ad_newsletter -###ad_num_1 -###ad_num_2 -###ad_num_3 ###ad_one ###ad_overlay -###ad_overlay_content -###ad_overlay_countdown -###ad_overture +###ad_overlayer ###ad_panel -###ad_panel_1 -###ad_panel_2 ###ad_panorama_top ###ad_pencil -###ad_ph_1 ###ad_place ###ad_placeholder -###ad_play_300 ###ad_player ###ad_plugs +###ad_popup_background +###ad_popup_wrapper ###ad_post -###ad_post_300 ###ad_poster -###ad_pr_info ###ad_primary -###ad_primaryAd -###ad_promoAd -###ad_promotion_wrap ###ad_publicidad -###ad_pushupbar-closed ###ad_rail ###ad_rec_01 ###ad_rect @@ -10979,94 +2264,48 @@ _popunder+$popup ###ad_rect3 ###ad_rect_body ###ad_rect_bottom -###ad_rect_c +###ad_rect_btf_01 +###ad_rect_btf_02 +###ad_rect_btf_03 +###ad_rect_btf_04 +###ad_rect_btf_05 ###ad_rectangle -###ad_rectangle_medium -###ad_rectangular ###ad_region1 ###ad_region2 ###ad_region3 ###ad_region5 -###ad_related_links_div -###ad_related_links_div_program -###ad_replace_div_0 -###ad_replace_div_1 -###ad_report_leaderboard -###ad_report_rectangle ###ad_results ###ad_right -###ad_right3 -###ad_rightSidebarFirstBanner -###ad_rightSidebarSecondBanner -###ad_right_1 ###ad_right_box -###ad_right_column1_1 -###ad_right_column2_1 -###ad_right_content_article_page -###ad_right_content_home -###ad_right_main -###ad_right_out -###ad_right_rail_bottom -###ad_right_rail_flex -###ad_right_rail_top -###ad_right_second -###ad_right_skyscraper -###ad_right_skyscraper_2 ###ad_right_top ###ad_rightslot -###ad_righttop-300x250 -###ad_ros_tower ###ad_rotator-2 ###ad_rotator-3 ###ad_row ###ad_row_home ###ad_rr_1 -###ad_rside -###ad_rside_link -###ad_script_head ###ad_sec ###ad_sec_div ###ad_secondary -###ad_sense -###ad_sense_help -###ad_sgd ###ad_short ###ad_sidebar ###ad_sidebar1 ###ad_sidebar2 ###ad_sidebar3 ###ad_sidebar_1 +###ad_sidebar_left_container +###ad_sidebar_news ###ad_sidebar_top -###ad_silo +###ad_sidebody +###ad_site_header ###ad_sitebar ###ad_skin -###ad_sky -###ad_sky1 -###ad_sky2 -###ad_sky3 -###ad_skyscraper -###ad_skyscraper1 -###ad_skyscraper120 -###ad_skyscraper160x600 -###ad_skyscraper2 -###ad_skyscraper_1 -###ad_skyscraper_right -###ad_skyscraper_text ###ad_slot ###ad_slot_bottom ###ad_slot_leaderboard -###ad_slot_livesky -###ad_slot_right_bottom -###ad_slot_right_top -###ad_slot_sky_top ###ad_small -###ad_space -###ad_space_300_250 -###ad_space_728 ###ad_space_top ###ad_sponsored -###ad_sponsorship_2 -###ad_spot300x250 ###ad_spot_a ###ad_spot_b ###ad_spotlight @@ -11074,339 +2313,174 @@ _popunder+$popup ###ad_squares ###ad_ss ###ad_stck -###ad_strapad -###ad_stream10 -###ad_stream11 -###ad_stream12 -###ad_stream16 -###ad_stream17 -###ad_stream19 -###ad_stream8 +###ad_sticky_wrap ###ad_strip +###ad_superbanner ###ad_table ###ad_takeover ###ad_tall ###ad_tbl -###ad_term_bottom_place -###ad_text:not(textarea) -###ad_thread1_1 -###ad_thread_first_post_content -###ad_thread_last_post_content -###ad_tile_home ###ad_top ###ad_topBanner +###ad_topScroller ###ad_top_728x90 ###ad_top_banner ###ad_top_bar -###ad_top_header_center ###ad_top_holder ###ad_topbanner ###ad_topmob ###ad_topnav ###ad_topslot -###ad_topslot_b -###ad_tp_banner_1 -###ad_tp_banner_2 ###ad_two ###ad_txt ###ad_under_game ###ad_unit +###ad_unit1 ###ad_unit2 -###ad_unit_slot1 -###ad_unit_slot2 -###ad_unit_slot3 -###ad_unit_slot4 ###ad_vertical ###ad_video_abovePlayer ###ad_video_belowPlayer ###ad_video_large -###ad_website_top +###ad_video_root +###ad_wallpaper ###ad_wide ###ad_wide_box +###ad_wideboard ###ad_widget ###ad_widget_1 ###ad_window +###ad_wp ###ad_wp_base ###ad_wrap ###ad_wrapper ###ad_wrapper1 ###ad_wrapper2 -###ad_x10 -###ad_x20 ###ad_xrail_top ###ad_zone -###ad_zone1 -###ad_zone2 -###ad_zone3 -###adamazonbox -###adaptv_ad_player_div ###adaptvcompanion -###adbForum +###adb_bottom ###adbackground -###adbanner -###adbanner-home-left -###adbanner-home-right -###adbanner-middle -###adbanner-top-left -###adbanner-top-right -###adbanner00001 -###adbanner00002 -###adbanner00003 -###adbanner00004 -###adbanner00005 +###adbanner-container ###adbanner1 -###adbanner_abovethefold_300 -###adbanner_mobile_top ###adbannerbox ###adbannerdiv ###adbannerleft ###adbannerright ###adbannerwidget ###adbar -###adbar_ad_1_div -###adbar_ad_2_div -###adbar_ad_3_div -###adbar_ad_4_div -###adbar_ads_container_div -###adbar_main_div -###adbarbox -###adbard -###adbdiv -###adbg_ad_0 -###adbg_ad_1 ###adbig ###adblade -###adblade-disc -###adbladeSp ###adblade_ad -###adblkad -###adblock -###adblock-300x250 ###adblock-big -###adblock-jango ###adblock-leaderboard ###adblock-small ###adblock1 ###adblock2 ###adblock4 -###adblock_header_ad_1 -###adblock_header_ad_1_inner -###adblock_sidebar_ad_2 -###adblock_sidebar_ad_2_inner -###adblock_v ###adblockbottom -###adblockerMess -###adblockermessage -###adblockerwarnung -###adblockrighta -###adblocktop -###adblocktwo ###adbn -###adbn_UMU ###adbnr -###adbnr-l ###adboard ###adbody ###adbottom -###adbottomgao +###adbottomleft +###adbottomright ###adbox -###adbox-indivisual-body-topright -###adbox-placeholder-topbanner +###adbox--hot_news_ad +###adbox--page_bottom_ad +###adbox--page_top_ad +###adbox-inarticle ###adbox-topbanner ###adbox1 ###adbox2 -###adbox300600 -###adbox300x250_1 -###adbox300x250_2 +###adbox_content ###adbox_right -###adbrite -###adbrite_inline_div -###adbritebottom ###adbutton ###adbuttons -###adcarousel -###adcatfish ###adcell ###adcenter ###adcenter2 ###adcenter4 ###adchoices-icon -###adchoices_container +###adchoicesBtn ###adclear ###adclose ###adcode -###adcode1 -###adcode10 -###adcode2 -###adcode3 -###adcode4 ###adcolContent ###adcolumn -###adcolumnwrapper ###adcontainer ###adcontainer1 -###adcontainer125px ###adcontainer2 -###adcontainer250x250 ###adcontainer3 ###adcontainer5 ###adcontainerRight -###adcontainer___gelement_adbanner_2_0 -###adcontainer_top_ads -###adcontainsm -###adcontent +###adcontainer_ad_content_top ###adcontent1 +###adcontent2 ###adcontextlinks -###adcontrolPushSite -###adcontrolhalfbanner -###adcontrolisland -###add-top -###add720 -###add_160x600 -###add_720bottom -###add_block_ad1 -###add_block_ad2 -###add_ciao2 -###add_space_google -###add_space_sidebar ###addbottomleft -###addiv-bottom -###addiv-top -###addspaceleft -###addspaceright +###addemam-wrapper +###addvert ###adfactor-label ###adfloat ###adfooter ###adfooter_728x90 -###adfooter_hidden ###adframe:not(frameset) ###adframetop -###adfreead -###adhalfbanner_wrapper +###adfreeDeskSpace ###adhalfpage ###adhead -###adhead_g ###adheader -###adheadhubs ###adhesion ###adhesionAdSlot ###adhesionUnit ###adhide ###adholder +###adholderContainerHeader ###adhome ###adhomepage -###adhzh -###adid10601 -###adid2161 -###adiframe1_iframe -###adiframe2_iframe -###adiframe3_iframe -###adigniter -###adimg -###adimg0 -###adimg1 -###adimg3 -###adimg4 -###adimg6 -###adition_Skyscraper -###adition_content_ad ###adjacency -###adjacent-list-ad -###adjs_id -###adk2_slider_top_right -###adkit_content-block -###adkit_content-foot -###adkit_footer -###adkit_mrec1 -###adkit_mrec2 -###adkit_rectangle -###adkit_rnav-bt -###adkit_rnav-fb -###adl_120x600 -###adl_250x250 -###adl_300x100 -###adl_300x120 -###adl_300x250 -###adl_300x250_td -###adl_728x90 -###adl_individual_1 -###adl_leaderboard -###adl_medium_rectangle ###adlabel ###adlabelFooter ###adlabelfooter ###adlabelheader ###adlanding -###adlandscape -###adlargeverti -###adlargevertimarginauto ###adlayer ###adlayerContainer -###adlayer_back ###adlayerad ###adleaderboard -###adleaderboard_flex -###adleaderboardb -###adleaderboardb_flex ###adleft -###adlhs -###adlink-13 -###adlink-133 -###adlink-19 -###adlink-197 -###adlink-213 -###adlink-28 -###adlink-55 -###adlink-74 -###adlink-98 ###adlinks -###adlinkws -###adlove ###adlrec +###adm-inline-article-ad-1 +###adm-inline-article-ad-2 ###admain -###admanagerResultListBox -###admanager_leaderboard -###admanager_top_banner -###admaru_reminder +###admasthead ###admid -###admiddle3 -###admiddle3center -###admiddle3left -###admiddleCenter +###admobilefoot +###admobilefootinside +###admobilemiddle +###admobiletop +###admobiletopinside ###admod2 -###admon-300x250 -###admon-728x90 +###admpubottom +###admpubottom2 ###admpufoot -###admputop +###admpumiddle +###admpumiddle2 +###admputop2 ###admsg -###admulti520 ###adnet -###adnews ###adnorth -###adnote -###adops_cube -###adops_leaderboard -###adops_skyscraper -###adoptionsimg -###adoverlaysrc -###adpanel-block +###ados1 +###ados2 +###ados3 +###ados4 ###adplace -###adplaceholder_mpu01 ###adplacement -###adplacer_preroll1 -###adplate-content ###adpos-top -###adpos1-leaderboard -###adpos_3 +###adpos2 ###adposition -###adposition-C -###adposition-FPMM -###adposition-REM2 -###adposition-SHADE -###adposition-TOCSS -###adposition-TVSP -###adposition-inner-REM1 -###adposition-inner-REM3 ###adposition1 ###adposition10 ###adposition1_container @@ -11414,265 +2488,165 @@ _popunder+$popup ###adposition3 ###adposition4 ###adpositionbottom -###adpostloader -###adpromo -###adprovider-default ###adrect -###adrectangle -###adrectanglea -###adrectanglea_flex -###adrectanglea_hidden -###adrectangleb -###adrectangleb_flex -###adrectmarginauto -###adrhs -###adrig ###adright ###adright2 ###adrightbottom -###adrightgame -###adrighthome ###adrightrail ###adriver_middle ###adriver_top +###adrotator ###adrow -###adrow-house ###adrow1 ###adrow3 ###ads-1 ###ads-125 -###ads-125-2 -###ads-160x600 ###ads-200 -###ads-200x200-a ###ads-250 ###ads-300 ###ads-300-250 -###ads-300x250-L3-2 ###ads-336x280 ###ads-468 ###ads-5 ###ads-728x90 ###ads-728x90-I3 ###ads-728x90-I4 -###ads-A -###ads-B -###ads-B1 -###ads-C -###ads-C1 -###ads-E -###ads-E1 -###ads-F -###ads-G -###ads-H -###ads-K ###ads-area ###ads-article-left ###ads-banner ###ads-banner-top ###ads-bar -###ads-bigbox-no1 +###ads-before-content +###ads-bg +###ads-bg-mobile +###ads-billboard ###ads-block -###ads-block-frame ###ads-blog ###ads-bot ###ads-bottom -###ads-box-header-pb -###ads-by-google -###ads-category -###ads-center-text ###ads-col -###ads-contain-125 +###ads-container ###ads-container-2 ###ads-container-anchor +###ads-container-single ###ads-container-top ###ads-content ###ads-content-double -###ads-dell -###ads-div2 -###ads-dw ###ads-footer ###ads-footer-inner ###ads-footer-wrap ###ads-google -###ads-h-left -###ads-h-right ###ads-header ###ads-header-728 ###ads-home-468 ###ads-horizontal -###ads-hoster-2 -###ads-indextext -###ads-king +###ads-inread +###ads-inside-content ###ads-leader ###ads-leaderboard ###ads-leaderboard1 +###ads-left ###ads-left-top -###ads-link ###ads-lrec ###ads-main -###ads-main-bottom ###ads-menu ###ads-middle -###ads-mn ###ads-mpu ###ads-outer +###ads-pagetop ###ads-panel -###ads-panorama-A1 -###ads-post-468 -###ads-post10 -###ads-prices -###ads-rhs +###ads-pop +###ads-position-header-desktop ###ads-right ###ads-right-bottom -###ads-right-cube ###ads-right-skyscraper -###ads-right-text ###ads-right-top -###ads-right-twobottom -###ads-rt -###ads-sidebar -###ads-sidebar-bottom -###ads-sidebar-skyscraper-unit -###ads-sidebar-top ###ads-slot -###ads-sponsored-boxes -###ads-sticky -###ads-submit +###ads-space +###ads-superBanner ###ads-text ###ads-top ###ads-top-728 -###ads-tp +###ads-top-wrap ###ads-under-rotator -###ads-vers7 ###ads-vertical ###ads-vertical-wrapper ###ads-wrap ###ads-wrapper ###ads1 -###ads100Box -###ads100Middlei4 ###ads120 -###ads120_600-widget-2 ###ads125 -###ads160_600-widget-3 -###ads160_600-widget-5 -###ads160_600-widget-7 -###ads160left ###ads1_box -###ads1_sidebar ###ads2 +###ads2_block ###ads2_box +###ads2_container ###ads3 ###ads300 ###ads300-250 -###ads300Bottom -###ads300Top -###ads300hp -###ads300k ###ads300x200 ###ads300x250 ###ads300x250_2 -###ads300x250_single -###ads315 -###ads336Box ###ads336x280 -###ads340web ###ads4 ###ads468x60 ###ads50 ###ads7 ###ads728 -###ads72890top ###ads728bottom ###ads728top ###ads728x90 ###ads728x90_2 -###ads790 -###adsBannerFrame +###ads728x90top ###adsBar ###adsBottom -###adsBox-460_left -###adsBox-dynamic-right -###adsBoxResultsPage -###adsCTN -###adsCombo02_1 -###adsCombo02_2 -###adsCombo02_3 -###adsCombo02_4 -###adsCombo02_5 -###adsCombo02_6 -###adsCombo02_7 ###adsContainer ###adsContent ###adsDisplay -###adsDiv0 -###adsDiv1 -###adsDiv2 -###adsDiv3 -###adsDiv4 -###adsDiv5 -###adsDiv6 -###adsDiv7 -###adsGooglePos -###adsHeadLine ###adsHeader ###adsHeading -###adsID -###adsIframe -###adsIfrme1 -###adsIfrme2 -###adsIfrme3 -###adsIfrme4 ###adsLREC -###adsLeftZone1 -###adsLeftZone2 +###adsLeft ###adsLinkFooter +###adsMobileFixed ###adsMpu -###adsNarrow ###adsPanel -###adsProdHighlight_wrap ###adsRight ###adsRightDiv -###adsRightVideo -###adsSPRBlock -###adsSuperCTN +###adsSectionLeft +###adsSectionRight +###adsSquare +###adsTG +###adsTN ###adsTop ###adsTopLeft +###adsTopMobileFixed ###adsZone ###adsZone1 ###adsZone2 -###adsZone_1 -###ads_01 -###ads_120x60_block +###ads[style^="position: absolute; z-index: 30; width: 100%; height"] +###ads_0_container ###ads_160 -###ads_2015 -###ads_2015_1 ###ads_3 ###ads_300 ###ads_300x250 -###ads_320_260 -###ads_320_260_2 +###ads_4 ###ads_728 ###ads_728x90 -###ads_absolute_left -###ads_absolute_right -###ads_back +###ads_728x90_top ###ads_banner ###ads_banner1 ###ads_banner_header -###ads_banner_right1 -###ads_bar -###ads_belowforumlist ###ads_belownav ###ads_big -###ads_bigrec1 -###ads_bigrec2 -###ads_bigrec3 ###ads_block +###ads_body_1 +###ads_body_2 +###ads_body_3 +###ads_body_4 +###ads_body_5 +###ads_body_6 ###ads_bottom -###ads_bottom_inner -###ads_bottom_outer ###ads_box ###ads_box1 ###ads_box2 @@ -11680,7 +2654,6 @@ _popunder+$popup ###ads_box_right ###ads_box_top ###ads_button -###ads_by_google ###ads_campaign ###ads_catDiv ###ads_center @@ -11689,21 +2662,22 @@ _popunder+$popup ###ads_combo2 ###ads_container ###ads_content -###ads_dynamicShowcase -###ads_eo +###ads_desktop_r1 +###ads_desktop_r2 ###ads_expand ###ads_footer ###ads_fullsize ###ads_h +###ads_h1 +###ads_h2 ###ads_halfsize ###ads_header -###ads_header_games ###ads_horiz ###ads_horizontal ###ads_horz -###ads_html1 -###ads_html2 -###ads_im +###ads_in_modal +###ads_in_video +###ads_inline_z ###ads_inner ###ads_insert_container ###ads_layout_bottom @@ -11713,34 +2687,20 @@ _popunder+$popup ###ads_left ###ads_left_top ###ads_line -###ads_mads_r1 -###ads_mads_r2 ###ads_medrect ###ads_notice -###ads_pave +###ads_overlay +###ads_page_top ###ads_place ###ads_placeholder ###ads_player -###ads_player_audio -###ads_player_line -###ads_postdownload -###ads_pro_468_60_on_vid -###ads_r_c +###ads_popup ###ads_right ###ads_right_sidebar ###ads_right_top -###ads_section_textlinks -###ads_side -###ads_sidebar_bgnd -###ads_sidebar_roadblock -###ads_sky ###ads_slide_div ###ads_space ###ads_space_header -###ads_special_center -###ads_sponsFeed-headline -###ads_sponsFeed-left -###ads_sponsored_link_pixel ###ads_superbanner1 ###ads_superbanner2 ###ads_superior @@ -11760,58 +2720,28 @@ _popunder+$popup ###ads_tower_top ###ads_vert ###ads_video -###ads_watch_top_square ###ads_wide ###ads_wrapper -###ads_zone27 ###adsbot ###adsbottom -###adsbottombluesleft ###adsbox ###adsbox-left ###adsbox-right -###adsbox1 -###adsbox2 -###adsbox3 -###adsbox336x280 -###adsbox4 -###adsbox728x90 -###adsbysourcewidget-2 ###adscenter ###adscolumn ###adscontainer -###adscontainer_background_back_index1100_all -###adscontainer_banner_new_bottom_index_1060 -###adscontainer_banner_new_second_index_1060 -###adscontainer_banner_new_top_index_1060_2 ###adscontent -###adsctl00_AdsHome2 -###adsd_contentad_r1 -###adsd_contentad_r2 -###adsd_contentad_r3 -###adsd_topbanner -###adsd_txt_sky -###adsdaq160600 -###adsdaq300250 -###adsdaq72890 ###adsdiv -###adsdiv300 -###adsdiv468 -###adsdiv_close ###adsection -###adsense ###adsense-2 ###adsense-468x60 ###adsense-area ###adsense-bottom -###adsense-end-300 -###adsense-head-spacer +###adsense-container-bottom ###adsense-header -###adsense-letterbox ###adsense-link +###adsense-links ###adsense-middle -###adsense-module-bottom -###adsense-new ###adsense-post ###adsense-right ###adsense-sidebar @@ -11819,111 +2749,80 @@ _popunder+$popup ###adsense-text ###adsense-top ###adsense-wrap -###adsense03 -###adsense04 -###adsense05 ###adsense1 -###adsense160600 ###adsense2 -###adsense2pos -###adsense300x250 ###adsense468 ###adsense6 ###adsense728 ###adsenseArea +###adsenseContainer ###adsenseHeader ###adsenseLeft -###adsenseOne ###adsenseWrap -###adsense_200_200_article -###adsense_300x250 -###adsense_article_bottom -###adsense_article_left ###adsense_banner_top ###adsense_block -###adsense_block_238x200 -###adsense_block_350x320 ###adsense_bottom_ad ###adsense_box ###adsense_box2 -###adsense_box_video -###adsense_honeytrap +###adsense_center ###adsense_image ###adsense_inline -###adsense_item_detail ###adsense_leaderboard ###adsense_overlay -###adsense_placeholder_2 +###adsense_r_side_sticky_container ###adsense_sidebar -###adsense_testa ###adsense_top -###adsense_unit5 -###adsense_ziel -###adsensebreadcrumbs ###adsenseheader ###adsensehorizontal ###adsensempu -###adsensepo -###adsensepos -###adsensequadr ###adsenseskyscraper ###adsensetext -###adsensetopmobile -###adsensetopplay +###adsensetop ###adsensewide -###adsensewidget-3 ###adserv -###adserve-Banner -###adserve-Leaderboard -###adserve-MPU -###adserve-Sky -###adserver_HeaderAd -###adsfundo -###adsground -###adshometop -###adshowbtm -###adshowtop +###adsframe_2 ###adside -###adsideblock1 -###adsider -###adsiframe ###adsimage +###adsitem +###adskeeper ###adskinleft ###adskinlink ###adskinright ###adskintop ###adsky -###adskyleftdiv -###adskyrightdiv ###adskyscraper ###adskyscraper_flex ###adsleft1 ###adslider ###adslist -###adslistbox -###adslot -###adslot-2-container -###adslot-3-container -###adslot-4-container +###adslot-below-updated +###adslot-download-abovefiles +###adslot-half-page +###adslot-homepage-middle +###adslot-infobox +###adslot-left-skyscraper +###adslot-side-mrec +###adslot-site-footer +###adslot-site-header +###adslot-sticky-headerbar +###adslot-top-rectangle ###adslot1 -###adslot1173 -###adslot1189 -###adslot1202 ###adslot2 ###adslot3 +###adslot300x250ATF +###adslot300x250BTF ###adslot4 ###adslot5 ###adslot6 ###adslot7 -###adslot_c2 -###adslot_m1 -###adslot_m2 -###adslot_m3 -###adsmegabanner +###adslot_1 +###adslot_2 +###adslot_left +###adslot_rect +###adslot_top +###adsmgid ###adsmiddle -###adsnews ###adsonar -###adsonarBlock ###adspace ###adspace-1 ###adspace-2 @@ -11933,481 +2832,236 @@ _popunder+$popup ###adspace-bottom ###adspace-leaderboard-top ###adspace-one -###adspace-panorama ###adspace-top ###adspace300x250 ###adspaceBox -###adspaceBox300 -###adspaceBox300_150 -###adspaceBox300white ###adspaceRow ###adspace_header ###adspace_leaderboard ###adspace_top ###adspacer ###adspan -###adspdl-container -###adspecial_offer_box ###adsplace1 ###adsplace2 ###adsplace4 ###adsplash -###adsponsorImg -###adsponsored_links_box ###adspot -###adspot-1 -###adspot-149x170 -###adspot-1x4 -###adspot-2 -###adspot-295x60 -###adspot-2a -###adspot-2b -###adspot-300x110-pos-1 -###adspot-300x125 -###adspot-300x250-pos-1 -###adspot-300x250-pos-2 -###adspot-300x250-pos1 -###adspot-300x250-pos3 -###adspot-300x600-pos1 -###adspot-468x60-pos-2 -###adspot-620x270-pos-1 -###adspot-620x45-pos-1 -###adspot-620x45-pos-2 -###adspot-728x90 -###adspot-728x90-pos-2 -###adspot-728x90-pos1 -###adspot-a ###adspot-bottom -###adspot-c -###adspot-d ###adspot-top -###adspot300x250 -###adspot_220x90 -###adspot_300x250 -###adspot_300x250A_desktop -###adspot_468x60 -###adspot_728x90 -###adspotlight1 ###adsquare ###adsquare2 ###adsright -###adss -###adssidebar2 -###adssidebar3 +###adsside ###adsspace -###adstd ###adstext2 -###adstop -###adstory ###adstrip -###adstripbottom -###adstripnew -###adstuff -###adswidget1-quick-adsense -###adswidget2-quick-adsense -###adswidget2-quick-adsense-reloaded-2 -###adswizzBanner -###adsxpls2 -###adszed-728x90 ###adtab -###adtab-feedback2 -###adtable_top -###adtag5 -###adtag8 -###adtag_right_side -###adtagfooter -###adtagheader -###adtagrightcol -###adtags_left -###adtaily -###adtaily-widget-light -###adtechWallpaper -###adtech_0 -###adtech_1 -###adtech_2 -###adtech_3 -###adtech_728or920_2 -###adtech_googleslot_03c -###adtech_leaderboard01 -###adtech_takeover -###adtechbanner728 ###adtext -###adtext-top-content -###adtoniq-msg-bar ###adtop -###adtopDet -###adtopHeader -###adtopPrograma -###adtop_dfp -###adtopbanner -###adtopbox -###adtopcenter -###adtophp -###adtrafficright ###adtxt -###adu-sto -###adundergame -###adunderpicture ###adunit -###adunit-mpu-atf -###adunit-mpu-atf-feed -###adunit-mpu-atf-sidebar -###adunit-mpu-btf-1 -###adunit-mpu-btf-6 -###adunit-mpu-btf-article -###adunit-mpu-btf-article-2 -###adunit-mpu-btf-sidebar -###adunit-mpu-second -###adunit-pages1x1 -###adunit-roadblock -###adunit300x500 -###adunit_article_center_bottom_computer -###adunit_article_center_middle1_computer -###adunit_article_center_middle4_computer -###adunit_article_center_middle6_computer -###adunit_article_center_top_computer -###adunit_article_right_middle2_computer -###adunit_article_right_top_computer -###adunit_main_center_bottom_computer -###adunit_main_right_middle2_computer -###adunit_main_right_top_computer +###adunit-article-bottom ###adunit_video ###adunitl ###adv-01 ###adv-300 +###adv-Bottom +###adv-BoxP +###adv-Middle +###adv-Middle1 +###adv-Middle2 +###adv-Scrollable ###adv-Top +###adv-TopLeft +###adv-banner +###adv-banner-r ###adv-box -###adv-comments-placeholder ###adv-companion-iframe ###adv-container -###adv-ext-ext-1 -###adv-ext-ext-2 -###adv-fb-container -###adv-google -###adv-gpt-masthead-leaderboard-container1 +###adv-gpt-box-container1 +###adv-gpt-masthead-skin-container1 +###adv-halfpage +###adv-header +###adv-leaderblock ###adv-leaderboard ###adv-left ###adv-masthead ###adv-middle ###adv-middle1 ###adv-midroll -###adv-mpux +###adv-native ###adv-preroll ###adv-right ###adv-right1 ###adv-scrollable -###adv-servers-com-1 ###adv-sticky-1 ###adv-sticky-2 -###adv-strip ###adv-text ###adv-title ###adv-top -###adv-x34 -###adv-x35 -###adv-x36 -###adv-x37 -###adv-x38 -###adv-x39 -###adv-x40 -###adv130x195 -###adv160x600 -###adv170 -###adv2_ban -###adv300bottom -###adv300top +###adv-top-skin ###adv300x250 ###adv300x250container -###adv3_ban ###adv468x90 ###adv728 ###adv728x90 ###adv768x90 -###advCard1 -###advCard2 -###advCard3 +###advBoxBottom ###advCarrousel ###advHome -###advHomevideo -###advMegaBanner +###advHook-Middle1 ###advRectangle ###advRectangle1 -###advSidebarDocBox ###advSkin ###advTop -###advTopRight_anchor ###advWrapper -###adv_01 -###adv_02 -###adv_11 ###adv_300 -###adv_300_600 -###adv_300x250_1 -###adv_300x250_2 -###adv_300x250_3 -###adv_468x60_content -###adv_5 -###adv_52 -###adv_6 -###adv_62 -###adv_65 -###adv_7 -###adv_70 -###adv_71 ###adv_728 ###adv_728x90 -###adv_73 -###adv_94 -###adv_96 -###adv_97 -###adv_98 ###adv_BoxBottom ###adv_Inread ###adv_IntropageOvl ###adv_LdbMastheadPush ###adv_Reload ###adv_Skin -###adv_adsense_300_dx -###adv_adsense_300_m -###adv_banner_featured -###adv_banner_sidebar -###adv_bkg_cont ###adv_bootom ###adv_border -###adv_box_a ###adv_center ###adv_config ###adv_contents -###adv_contents_tem -###adv_google_300 -###adv_google_728 -###adv_halfpage -###adv_halfpage_title +###adv_footer ###adv_holder -###adv_id ###adv_leaderboard +###adv_mob ###adv_mpu1 ###adv_mpu2 ###adv_network -###adv_outbrain_SB_1_sidebar ###adv_overlay ###adv_overlay_content ###adv_r ###adv_right ###adv_skin -###adv_skin_1 -###adv_skin_1_a ###adv_sky -###adv_sponsorRowFooter -###adv_sponsorRowHeader -###adv_sponsor_cat ###adv_textlink -###adv_textual_google_div ###adv_top -###adv_top_banner_wrapper -###adv_top_strip -###adv_video_sidebar -###adv_videobox ###adv_wallpaper ###adv_wallpaper2 -###adv_wideleaderboard +###advads_ad_widget-18 +###advads_ad_widget-19 +###advads_ad_widget-8 ###adver ###adver-top -###adver1 -###adver2 -###adver3 -###adver4 -###adver5 -###adver6 -###adver7 ###adverFrame ###advert-1 ###advert-120 ###advert-2 ###advert-ahead +###advert-article +###advert-article-1 +###advert-article-2 +###advert-article-3 ###advert-banner +###advert-banner-container ###advert-banner-wrap +###advert-banner2 ###advert-block ###advert-boomer ###advert-box ###advert-column ###advert-container-top ###advert-display +###advert-fireplace ###advert-footer ###advert-footer-hidden ###advert-header -###advert-hpu ###advert-island ###advert-leaderboard ###advert-left -###advert-links-bottom ###advert-mpu -###advert-placeholder-post-content-image-1 +###advert-posterad +###advert-rectangle ###advert-right -###advert-right-not-home ###advert-sky ###advert-skyscaper ###advert-skyscraper -###advert-stickysky +###advert-slider-top ###advert-text ###advert-top ###advert-top-banner ###advert-wrapper ###advert1 -###advert1hp ###advert2 -###advert234_container -###advert2area -###advert2areasmall -###advert300x260 -###advert3area -###advert3areasmall ###advertBanner ###advertBox ###advertBoxRight ###advertBoxSquare ###advertColumn ###advertContainer -###advertControl4_advertLink -###advertCover ###advertDB -###advertIframe -###advertMPUContainer -###advertMarkerHorizontalConatiner -###advertMarkerVerticalConatiner ###advertOverlay ###advertRight ###advertSection -###advertSeparator ###advertTop ###advertTopLarge ###advertTopSmall ###advertTower ###advertWrapper -###advert_01 -###advert_04 -###advert_05 -###advert_07 ###advert_1 -###advert_125x125 -###advert_250x250 -###advert_300x2502 -###advert_300x2503 -###advert_561_01 -###advert_561_02 -###advert_561_03 -###advert_561_04_container -###advert_561_04_left_end -###advert_561_04_right_end -###advert_561_05 -###advert_561_07 -###advert_back_160x600 -###advert_back_300x250_1 -###advert_back_300x250_2 ###advert_banner ###advert_belowmenu -###advert_bottom_100x70 ###advert_box ###advert_container -###advert_container_300 ###advert_header -###advert_home01 -###advert_home02 -###advert_home03 -###advert_home04 -###advert_image1_0 -###advert_image2_0 -###advert_image3_0 ###advert_leaderboard -###advert_lrec_format -###advert_media ###advert_mid ###advert_mpu -###advert_mpu_1 -###advert_mpu_2 ###advert_right1 -###advert_right_skyscraper ###advert_sky ###advert_top -###advert_yell ###advertblock -###advertblock160 -###advertblock300 ###advertborder -###advertborder160 -###advertbox2 -###advertbox3 -###advertbox4 -###advertcalc -###adverthome -###adverti -###advertiframebottom +###adverticum_r_above +###adverticum_r_above_container +###adverticum_r_side_container ###advertise +###advertise-block ###advertise-here -###advertise-here-sidebar -###advertise-now ###advertise-sidebar ###advertise1 ###advertise2 ###advertiseBanner -###advertiseGoogle -###advertiseHere ###advertiseLink ###advertise_top ###advertisediv -###advertiseheretop -###advertisement-10 -###advertisement-13 -###advertisement-16 ###advertisement-300x250 -###advertisement-4 -###advertisement-7 -###advertisement-728x90 +###advertisement-bottom ###advertisement-content -###advertisement-detail1 -###advertisement-detail2 ###advertisement-large -###advertisement-rightcolumn +###advertisement-placement ###advertisement-text ###advertisement1 -###advertisement160x600 ###advertisement2 ###advertisement3 ###advertisement728x90 ###advertisementArea -###advertisementBottomThreadUser ###advertisementBox -###advertisementDIV2 -###advertisementFooterTop -###advertisementHeaderBottom ###advertisementHorizontal -###advertisementLigatus -###advertisementPrio2 ###advertisementRight -###advertisementRightcolumn0 -###advertisementRightcolumn1 -###advertisementThread ###advertisementTop -###advertisement_RightPanel ###advertisement_banner +###advertisement_belowscreenshots ###advertisement_block ###advertisement_box ###advertisement_container ###advertisement_label ###advertisement_notice ###advertisement_title -###advertisementblock1 -###advertisementblock2 -###advertisementblock3 ###advertisements_bottom ###advertisements_sidebar ###advertisements_top ###advertisementsarticle -###advertisementsxml ###advertiser-container ###advertiserLinks -###advertiserReports -###advertisers-caption ###advertisetop ###advertising-160x600 ###advertising-300x250 @@ -12415,389 +3069,213 @@ _popunder+$popup ###advertising-banner ###advertising-caption ###advertising-container -###advertising-control -###advertising-mockup ###advertising-right ###advertising-skyscraper ###advertising-top -###advertising2 -###advertising2-preroll -###advertising3 -###advertising300x250 -###advertisingBlocksLeaderboard -###advertisingBottomFull ###advertisingHrefTop ###advertisingLeftLeft ###advertisingLink -###advertisingModule160x600 -###advertisingModule728x90 ###advertisingRightColumn ###advertisingRightRight ###advertisingTop ###advertisingTopWrapper -###advertising_1 -###advertising_2 ###advertising_300 -###advertising_300_under -###advertising_300x105 ###advertising_320 ###advertising_728 -###advertising_728_under -###advertising_btm +###advertising__banner__content ###advertising_column ###advertising_container ###advertising_contentad +###advertising_div ###advertising_header ###advertising_holder -###advertising_horiz_cont -###advertising_iab +###advertising_leaderboard ###advertising_top_container ###advertising_wrapper -###advertisment-block-1 ###advertisment-horizontal +###advertisment-text ###advertisment1 -###advertismentBottom728x90_ -###advertismentElementInUniversalbox ###advertisment_content ###advertisment_panel -###advertismentgoogle -###advertistop_td ###advertleft ###advertorial ###advertorial-box ###advertorial-wrap ###advertorial1 -###advertorial_block_3 ###advertorial_links -###advertorial_red_listblock ###adverts +###adverts--footer ###adverts-top-container ###adverts-top-left ###adverts-top-middle ###adverts-top-right +###adverts_base +###adverts_post_content ###adverts_right ###advertscroll ###advertsingle ###advertspace ###advertssection -###adverttext -###adverttext160 ###adverttop -###advetisement_300x250 ###advframe -###advgeoul -###advgoogle -###advman-2 ###advr_mobile ###advsingle ###advt -###advt-right-skyscraper ###advt_bottom ###advtbar +###advtcell ###advtext ###advtop ###advtopright -###advx3_banner -###adwhitepaperwidget +###adwallpaper ###adwidget ###adwidget-5 ###adwidget-6 ###adwidget1 ###adwidget2 -###adwidget2_hidden -###adwidget3_hidden -###adwidget_hidden -###adwin -###adwin_rec -###adwith -###adwords-4-container -###adwords-box -###adwrap-295x295 -###adwrap-722x90 -###adwrap-729x90 -###adwrap-966x90 ###adwrapper ###adxBigAd ###adxBigAd2 ###adxLeaderboard ###adxMiddle -###adxMiddle5 ###adxMiddleRight -###adxSponLink -###adxSponLink2 -###adxSponLinkA ###adxToolSponsor ###adx_ad -###adx_ad_bottom -###adx_ad_bottom_close -###adxtop ###adxtop2 ###adzbanner -###adzerk -###adzerk1 -###adzerk2 -###adzerk_by ###adzone -###adzone-halfpage_1 -###adzone-leaderboard_1 -###adzone-leaderboard_2 ###adzone-middle1 ###adzone-middle2 -###adzone-mpu_1 -###adzone-mpu_2 -###adzone-parallax_1 ###adzone-right -###adzone-sidebarSmallPromo1 -###adzone-sidebarSmallPromo2 -###adzone-teads ###adzone-top -###adzone-wallpaper -###adzone-weatherbar-logo -###adzoneBANNER ###adzone_content ###adzone_wall ###adzonebanner ###adzoneheader -###aetn_3tier_ad_bar -###af_ad_large -###af_ad_small -###af_adblock ###afc-container -###aff-ad-0 +###affiliate_2 ###affiliate_ad -###affinityBannerAd -###after-content-ad -###after-content-ads -###after-header-ad-left -###after-header-ad-right +###after-dfp-ad-mid1 +###after-dfp-ad-mid2 +###after-dfp-ad-mid3 +###after-dfp-ad-mid4 +###after-dfp-ad-top ###after-header-ads ###after-top-menu-ads ###after_ad -###afterpostad -###agencies_ad -###agi-ad300x250 -###agi-ad300x250overlay -###agi-sponsored -###alert_ads +###after_bottom_ad +###after_heading_ad +###after_title_ad ###amazon-ads ###amazon_ad -###amazon_bsa_block -###ami_ad_cntnr -###amsSparkleAdFeedback -###amsSparkleAdWrapper -###amzn-native-ad-0 -###amzn-native-ad-1 -###amzn-native-ad-2 -###amzn_assoc_ad_div_adunit0_0 -###anAdScGame300x250 ###analytics_ad -###analytics_banner +###anchor-ad ###anchorAd -###annoying_ad -###annoying_extra_ad_wrapper -###anyvan-ad -###ap-widget-ad -###ap-widget-ad-label -###ap_adframe -###ap_adtext -###ap_cu_overlay -###ap_cu_wrapper +###aniview-ads +###aom-ad-right_side_1 +###aom-ad-right_side_2 +###aom-ad-top ###apiBackgroundAd -###apiTopAdContainer -###apiTopAdWrap -###apmNADiv -###apolload -###app_advertising_pregame_content -###app_advertising_rectangle -###app_advertising_rectangle_ph -###apt-homebox-ads -###araHealthSponsorAd -###area-adcenter -###area-left-ad -###area13ads -###area1ads ###article-ad ###article-ad-container +###article-ad-content +###article-ads ###article-advert -###article-advert-dfp -###article-agora-ad +###article-aside-top-ad ###article-billboard-ad-1 ###article-bottom-ad ###article-box-ad ###article-content-ad +###article-footer-ad ###article-footer-sponsors ###article-island-ad ###article-sidebar-ad -###article-sponspred-content -###article-top-728x90-ad-wrapper ###articleAd ###articleAdReplacement ###articleBoard-ad +###articleBottom-ads ###articleLeftAdColumn ###articleSideAd -###article_LeftAdWords -###article_SponsoredLinks +###articleTop-ads ###article_ad ###article_ad_1 ###article_ad_3 ###article_ad_bottom -###article_ad_bottom_cont ###article_ad_container -###article_ad_rt1 ###article_ad_top -###article_ad_top_cont ###article_ad_w ###article_adholder ###article_ads ###article_advert ###article_banner_ad ###article_body_ad1 -###article_bottom_ad01 ###article_box_ad -###article_gallery_desktop_ad -###article_left_ad01 -###article_sidebar_ad -###article_sidebar_ad_02 ###articlead1 ###articlead2 ###articlead300x250r ###articleadblock +###articlefootad ###articletop_ad -###articleview_ad -###articleview_ad2 -###artist-ad-container -###as24-magazine-rightcol-adtag-1 +###aside-ad-container ###asideAd ###aside_ad ###asideads ###asinglead -###atad1 -###atad2 -###atlasAdDivGame -###atwAdFrame0 -###atwAdFrame1 -###atwAdFrame2 -###atwAdFrame3 -###atwAdFrame4 -###autos_banner_ad -###aw-ad-container -###awds-nt1-ad -###awesome-ad -###awp_advertisements-2 -###axdsense1 -###b-ad-choices -###b-adw -###b5-skyscraper-ad-3 -###b5_ad_footer -###b5_ad_sidebar1 -###b5_ad_top -###b5ad300 -###bLinkAdv -###b_ad1 -###b_ad138 -###b_ad172 -###b_ad2792 -###b_ad3 -###b_ad3564 -###babAdTop +###ax-billboard +###ax-billboard-bottom +###ax-billboard-sub +###ax-billboard-top ###backad -###background-ad-head-spacer +###background-ad-cover ###background-adv ###background_ad_left ###background_ad_right ###background_ads ###backgroundadvert -###ban_300x250 -###ban_728x90 +###banADbanner ###banner-300x250 -###banner-300x250-area -###banner-300x250-north -###banner-300x600-area -###banner-336x280-north -###banner-336x280-south ###banner-468x60 ###banner-728 -###banner-728adtag -###banner-728adtag-bottom ###banner-728x90 -###banner-728x90-area ###banner-ad ###banner-ad-container -###banner-ad-first ###banner-ad-large -###banner-ad-last -###banner-ad-loader -###banner-ad-square-first -###banner-ad-square-last ###banner-ads ###banner-advert -###banner-advert-container ###banner-lg-ad +###banner-native-ad ###banner-skyscraper -###banner120x600 -###banner250x250 -###banner300-top-right ###banner300x250 ###banner468 ###banner468x60 -###banner600 -###banner660x90 ###banner728 ###banner728x90 -###banner975_container ###bannerAd -###bannerAdContainer1_1 -###bannerAdContainer1_2 -###bannerAdContainer1_3 -###bannerAdContainer1_4 -###bannerAdContainer1_5 -###bannerAdContainer1_6 -###bannerAdContainer2_1 -###bannerAdContainer2_2 -###bannerAdContainer2_3 -###bannerAdContainer2_4 -###bannerAdContainer2_5 -###bannerAdContainer2_6 ###bannerAdFrame -###bannerAdLInk -###bannerAdRight3 ###bannerAdTop ###bannerAdWrap ###bannerAdWrapper -###bannerAd_ctr -###bannerAd_rdr ###bannerAds ###bannerAdsense ###bannerAdvert ###bannerGoogle -###banner_280_240 -###banner_300_250 -###banner_300x250_sidebar -###banner_468x60 -###banner_ad -###banner_ad_Sponsored ###banner_ad_bottom -###banner_ad_div_fw ###banner_ad_footer ###banner_ad_module ###banner_ad_placeholder ###banner_ad_top -###banner_admicro ###banner_ads ###banner_adsense ###banner_adv ###banner_advertisement ###banner_adverts ###banner_content_ad -###banner_mpu1 -###banner_mpu3 ###banner_sedo ###banner_slot ###banner_spacer ###banner_topad ###banner_videoad ###banner_wrapper_top -###bannerad ###bannerad-bottom ###bannerad-top ###bannerad2 @@ -12805,132 +3283,71 @@ _popunder+$popup ###bannerads ###banneradspace ###banneradvert3 -###barAdWrapper -###base-advertising-top -###base-board-ad -###baseAdvertising -###baseMedRec +###banneradvertise +###bannerplayer-wrap ###baseboard-ad ###baseboard-ad-wrapper -###basket-adContainer ###bbContentAds ###bb_ad_container +###bb_top_ad ###bbadwrap -###bbccom_leaderboard -###bbccom_leaderboard_container -###bbccom_mpu -###bbccom_sponsor_section -###bbccom_sponsor_section_text -###bbccom_storyprintsponsorship -###bbo_ad1 -###bcaster-ad -###bdnads-top-970x90 ###before-footer-ad ###below-listings-ad ###below-menu-ad-header ###below-post-ad +###below-title-ad ###belowAd ###belowContactBoxAd ###belowNodeAds -###below_comments_ad_holder ###below_content_ad_container ###belowad ###belowheaderad ###bg-custom-ad -###bg-footer-ads -###bg-footer-ads2 -###bg_YieldManager-160x600 -###bg_YieldManager-300x250 -###bg_YieldManager-728x90 -###bg_banner_120x600 -###bg_banner_468x60 -###bg_banner_728x90 ###bgad -###bh_adFrame_ag_300x250_atf -###bh_adFrame_bh_300x250_atf -###bh_adFrame_bh_300x250_btf -###big-ad-switch ###big-box-ad ###bigAd ###bigAd1 ###bigAd2 ###bigAdDiv -###bigBannerAd ###bigBoxAd ###bigBoxAdCont ###big_ad ###big_ad_label ###big_ads ###bigad -###bigad300outer ###bigadbox -###bigadframe +###bigads ###bigadspace ###bigadspot ###bigboard_ad -###bigboard_ad_ini -###bigbox-ad ###bigsidead -###billboard-ad-container +###billboard-ad +###billboard-atf ###billboard_ad ###bingadcontainer2 -###bl11adv -###blancco-ad -###block--ex_dart-ex_dart_adblade_article -###block-ad_blocks-0 -###block-ad_cube-0 -###block-ad_cube-1 +###blkAds1 +###blkAds2 +###blkAds3 +###blkAds4 +###blkAds5 +###block-ad-articles ###block-adsense-0 ###block-adsense-2 -###block-adsense_managed-0 -###block-adtech-middle1_300x250 -###block-adtech-middle2_300x250 -###block-adtech-top_300x250 -###block-advert-content -###block-advert-content2 +###block-adsense-banner-article-bottom +###block-adsense-banner-channel-bottom +###block-adsenseleaderboard ###block-advertisement ###block-advertorial -###block-appnexus-x20-oas-ad -###block-appnexus-x70-oas-ad-300x100 -###block-bean-artadocean-splitter -###block-bean-artadocean-text-link-1 -###block-bean-artadocean-text-link-2 -###block-bean-artadocean300x250-1 -###block-bean-artadocean300x250-3 -###block-bean-artadocean300x250-6 -###block-bean-in-content-ad -###block-boxes-taboola -###block-br-hhog-module-br-hhog-ad-billboard-front -###block-dart-dart-tag-ad_top_728x90 -###block-dart-dart-tag-gfc-ad-top-2 -###block-dctv-ad-banners-wrapper -###block-dfp-billboard-leaderboard -###block-dfp-mpu-1 -###block-dfp-mpu-2 -###block-dfp-mpu-3 -###block-dfp-skyscraper_left_1 -###block-dfp-skyscraper_left_2 +###block-articlebelowtextad +###block-articlefrontpagead +###block-articletopadvert ###block-dfp-top -###block-dfptag-leaderboard-btf -###block-dfptag-rail-pos-1 -###block-dfptag-rail-pos-2 -###block-dfptag-rail-pos-3 -###block-dfptag-rail-pos-4 -###block-display-ads-leaderboard -###block-eboundadds -###block-eboundsidebaradd1 -###block-ex_dart-ex_dart_adblade_article -###block-ex_dart-ex_dart_sidebar_ad_block_bottom -###block-ex_dart-ex_dart_sidebar_ad_block_top -###block-fan-ad-fan-ad-front-leaderboard-bottom -###block-fan-ad-fan-ad-front-medrec-top -###block-fcc-advertising-first-sidebar-ad -###block-gavias-vinor-advrightheader +###block-frontpageabovepartnersad +###block-frontpagead +###block-frontpagesideadvert1 ###block-google-ads -###block-ibtimestv-player-companion-ad -###block-localcom-localcom-ads -###block-ltadvertising-ltadvertising -###block-nst-googledfp-site-takeover +###block-googleads3 +###block-googleads3-2 ###block-openads-0 ###block-openads-1 ###block-openads-13 @@ -12939,36 +3356,7 @@ _popunder+$popup ###block-openads-3 ###block-openads-4 ###block-openads-5 -###block-openads-brand -###block-panels-mini-top-ads -###block-sidebarad1 ###block-sponsors -###block-spti_ga-spti_ga_adwords -###block-thewrap_ads_250x300-0 -###block-thewrap_ads_250x300-1 -###block-thewrap_ads_250x300-2 -###block-thewrap_ads_250x300-3 -###block-thewrap_ads_250x300-4 -###block-thewrap_ads_250x300-5 -###block-thewrap_ads_250x300-6 -###block-thewrap_ads_250x300-7 -###block-views-Advertorial-block_5 -###block-views-Advertorial-block_6 -###block-views-Advertorial-block_7 -###block-views-ad-directory-block -###block-views-ads-header-0-block-block -###block-views-ads-header-top-block-block -###block-views-ads-sidebar-block-block -###block-views-ads-under-the-slider-block -###block-views-advertisement-block_1 -###block-views-advertisements-block -###block-views-advt-story-bottom-block -###block-views-block-detail-page-ads-block-3 -###block-views-custom-advertisement-2-block--2 -###block-views-custom-advertisement-block--2 -###block-views-premium-ad-slideshow-block -###block-views-sidebar-ad -###block-views-sponsor-block ###blockAd ###blockAds ###block_ad @@ -12978,78 +3366,48 @@ _popunder+$popup ###block_advert1 ###block_advert2 ###block_advertisement -###block_timeout_sponsored_0 ###blog-ad ###blog-advert -###blog-header-ad -###blogImgSponsor -###blog_ad_area -###blog_ad_content -###blog_ad_opa -###blog_ad_right -###blog_ad_top ###blogad ###blogad-wrapper -###blogad_728x90_header -###blogad_right_728x91_bottom -###blogad_top_300x250_sidebar ###blogads -###blogads_most_right_ad -###blox-big-ad -###blox-big-ad-bottom -###blox-big-ad-top -###blox-halfpage-ad -###blox-tile-ad -###blox-tower-ad +###bm-HeaderAd ###bn_ad ###bnr-300x250 ###bnr-468x60 ###bnr-728x90 ###bnrAd -###bnrhd468 ###body-ads ###bodyAd1 ###bodyAd2 ###bodyAd3 ###bodyAd4 -###body_728_ad ###body_ad -###bodymainAd -###bonus-offers-advertisement -###book-ad -###bookmarkListDeckAdPlaceholder -###boss_banner_ad-2 -###boss_banner_ad-3 -###bot_ad -###bot_ads -###botad -###botads2 -###bott_ad2 -###bott_ad2_300 -###bottom-728-ad +###body_centered_ad ###bottom-ad ###bottom-ad-1 +###bottom-ad-area ###bottom-ad-banner ###bottom-ad-container ###bottom-ad-leaderboard +###bottom-ad-slot ###bottom-ad-tray ###bottom-ad-wrapper ###bottom-add +###bottom-adhesion +###bottom-adhesion-container ###bottom-ads ###bottom-ads-bar ###bottom-ads-container ###bottom-adspot ###bottom-advertising -###bottom-article-ad-336x280 -###bottom-banner-spc ###bottom-boxad -###bottom-pinned-ad +###bottom-not-ads ###bottom-side-ad ###bottom-sponsor-add ###bottomAd ###bottomAd300 ###bottomAdBlcok -###bottomAdCCBucket ###bottomAdContainer ###bottomAdSection ###bottomAdSense @@ -13057,38 +3415,25 @@ _popunder+$popup ###bottomAdWrapper ###bottomAds ###bottomAdvBox -###bottomAdvertTab ###bottomBannerAd ###bottomContentAd ###bottomDDAd -###bottomFullAd -###bottomGoogleAds ###bottomLeftAd ###bottomMPU ###bottomRightAd -###bottomRightAdContainer -###bottomRightAdSpace -###bottomRightPanelAdContainer -###bottomSponsorAd ###bottom_ad +###bottom_ad_728 ###bottom_ad_area ###bottom_ad_box -###bottom_ad_container -###bottom_ad_left ###bottom_ad_region -###bottom_ad_right ###bottom_ad_unit ###bottom_ad_wrapper ###bottom_adbox ###bottom_ads -###bottom_ads_container -###bottom_advert_container ###bottom_adwrapper ###bottom_banner_ad -###bottom_banner_adsense -###bottom_ex_ad_holder +###bottom_fixed_ad_overlay ###bottom_leader_ad -###bottom_overture ###bottom_player_adv ###bottom_sponsor_ads ###bottom_sponsored_links @@ -13113,15 +3458,7 @@ _popunder+$popup ###box-ad ###box-ad-section ###box-ad-sidebar -###box-ads-small-1 -###box-ads-small-2 -###box-ads-tr -###box-ads-x600 -###box-ads300-picture-detail -###box-adv-rn_u ###box-content-ad -###box-googleadsense-1 -###box-googleadsense-r ###box1ad ###box2ad ###boxAD @@ -13129,259 +3466,96 @@ _popunder+$popup ###boxAd300 ###boxAdContainer ###boxAdvert -###boxLightImageGalleryAd +###boxLREC ###box_ad ###box_ad_container ###box_ad_middle ###box_ads ###box_advertisement -###box_advertising_info ###box_advertisment ###box_articlead -###box_mod_googleadsense ###box_text_ads ###boxad -###boxad1 -###boxad2 -###boxad3 -###boxad4 -###boxad5 ###boxads -###boxes-box-ad300x250set2 -###boxes-box-ad300x250set2block -###boxes-box-ad_300x250_1 -###boxes-box-ad_728x90_1 -###boxes-box-ad_mpu -###boxtube-ad ###bpAd -###bpcads-bottom-footer -###bpcads-top-leaderboard -###bps-header-ad-container -###bq_homeMiddleAd -###br_ad -###brand-box-ad -###brand-box-ad-1-container -###branding_ad_comment -###branding_ad_header -###branding_click -###browse-ad-container -###browse_ads_ego_container -###browsead -###bsaadvert -###bsap_aplink +###br-ad-header +###breadcrumb_ad +###breakbarad +###bsa_add_holder_g +###bt-ad +###bt-ad-header ###btfAdNew +###btm_ad ###btm_ads ###btmad -###btmsponsoredcontent -###btn-sponsored-features +###btnAdDP ###btnAds ###btnads -###btr_horiz_ad -###budget_adDiv -###burn_header_ad -###bus-center-ad +###btopads ###button-ads -###button-ads-horizontal -###button-ads-vertical -###buttonAdWrapper1 -###buttonAdWrapper2 -###buttonAds -###buttonAdsContainer ###button_ad_container -###button_ad_wrap ###button_ads -###buttonad-widget-3 -###buttonad-widget-4 ###buy-sell-ads ###buySellAds ###buysellads -###buysellads-4x1 -###c-adzone -###c4_ad -###c4ad-Middle1 -###c4ad-Top-parent -###c_ad_sb -###c_ad_sky -###c_sponsoredSquare -###c_upperad -###c_upperad_c -###c_wdt_ads_2 -###caAdLarger +###carbon-ads-container-bg +###carbonadcontainer +###carbonads ###carbonads-container ###card-ads-top -###catad -###catalyst-125-ads -###catalyst-ads-2 ###category-ad ###category-sponsor -###category_sponsorship_ad -###cb-ad -###cb_medrect1_div -###cbs-video-ad-overlay -###cbz-ads-text-link -###cbz-comm-advert-1 ###cellAd ###center-ad ###center-ad-group -###center-ads-72980 -###center-three-ad -###centerAdsHeadlines -###centerBelowExtraSponsoredLinks -###center_ad-0 ###centerads -###central-ads -###cgp-bigbox-ad +###ch-ad-outer-right ###ch-ads -###channel-ads-300-box -###channel-ads-300x600-box ###channel_ad ###channel_ads -###chartAdWrap -###charts_adv -###chatAdv2 -###chatad -###cherry_ads -###chitikaAdBlock -###ciHomeRHSAdslot ###circ_ad -###circ_ad_300x100 -###circ_ad_620x100 ###circ_ad_holder ###circad_wrapper -###city_House_Ad_300x137 +###classifiedsads ###clickforad -###cliczone-advert-left -###cliczone-advert-right ###clientAds ###closeAdsDiv ###closeable-ad -###cltAd -###cmMediaRotatorAdTLContainer -###cmn_ad_box -###cmn_ad_tag_head -###cmn_toolbar_ad -###cms_ad_leaderboard -###cms_ad_masterslot -###cms_ad_skyscraper -###cnhi_premium_ads -###cnnAboveFoldBelowAd -###cnnBottomAd -###cnnCMAd -###cnnRR336ad -###cnnSponsoredPods -###cnnTopAd -###cnnTowerAd -###cnnVPAd -###cnn_cnn_adtag-3 -###coAd -###cobalt-ad-1-container -###coda_ad_728x90_9 -###cokeAd +###cloudAdTag ###col-right-ad -###col3_advertising ###colAd -###colRightAd -###collapseobj_adsection -###college_special_ad -###column-ads-bg -###column2-145x145-ad -###column4-google-ads +###colombiaAdBox ###columnAd -###columnTwoAdContainer -###column_adverts -###column_extras_ad ###commentAdWrapper ###commentTopAd ###comment_ad_zone ###comments-ad-container ###comments-ads -###comments_advert -###commercial-textlinks -###commercial_ads -###commercial_ads_footer -###common_right_ad_wrapper -###common_right_adspace -###common_right_lower_ad_wrapper -###common_right_lower_adspace -###common_right_lower_player_ad_wrapper -###common_right_lower_player_adspace -###common_right_player_ad_wrapper -###common_right_player_adspace -###common_right_right_adspace -###common_top_adspace -###community_ads +###comments-standalone-mpu ###compAdvertisement -###comp_AdsLeaderboardBottom -###comp_AdsLeaderboardTop ###companion-ad ###companionAd ###companionAdDiv ###companion_Ad ###companionad -###componentAdRectangle -###componentAdSkyscraper -###conduitAdPopupWrapper +###connatix +###connatix-moveable +###connatix_placeholder_desktop ###container-ad -###container-ad-content-rectangle -###container-ad-topright -###container-advMoreAbout -###container-polo-ad -###container-righttopads -###container-topleftads -###containerAds980 -###containerLocalAds -###containerLocalAdsInner -###containerMrecAd -###containerSqAd ###container_ad -###container_top_ad -###contener_pginfopop1 ###content-ad -###content-ad-header ###content-ad-side ###content-ads ###content-adver -###content-advertising-header -###content-advertising-right -###content-adwrapper -###content-area-ad -###content-columns-post-ad-bottom -###content-columns-post-ad-top +###content-contentad ###content-header-ad ###content-left-ad ###content-right-ad ###contentAd -###contentAdBottomRight -###contentAdHalfpage ###contentAdSense ###contentAdTwo ###contentAds -###contentAds300x200 -###contentAds300x250 -###contentAds667x100 -###contentAdsCatArchive -###contentBottomAdLeaderboard ###contentBoxad -###contentFooterAD -###contentMain_sponsoredResultsPanel -###contentTopAds2 -###content_0_storyarticlepage_main_0_pnlAdSlot -###content_0_storyarticlepage_main_0_pnlAdSlotInner -###content_0_storyarticlepage_sidebar_0_pnlAdSlot -###content_0_storyarticlepage_sidebar_11_pnlAdSlot -###content_0_storyarticlepage_sidebar_6_pnlAdSlot -###content_11_pnlAdSlot -###content_11_pnlAdSlotInner -###content_16_pnlAdSlot -###content_16_pnlAdSlotInner -###content_2_pnlAdSlot -###content_2_pnlAdSlotInner -###content_3_twocolumnrightfocus_right_bottomright_0_pnlAdSlot -###content_3_twocolumnrightfocus_right_bottomright_1_pnlAdSlot -###content_4_threecolumnallfocus_right_0_pnlAdSlot -###content_7_pnlAdSlot -###content_7_pnlAdSlotInner -###content_9_twocolumnleftfocus_b_right_1_pnlAdSlot ###content_Ad ###content_ad ###content_ad_1 @@ -13389,312 +3563,67 @@ _popunder+$popup ###content_ad_block ###content_ad_container ###content_ad_placeholder -###content_ad_square -###content_ad_top ###content_ads -###content_ads_content -###content_ads_footer +###content_ads_top ###content_adv ###content_bottom_ad ###content_bottom_ads -###content_box_300body_sponsoredoffers -###content_box_adright300_google -###content_lower_center_right_ad ###content_mpu -###content_right_ad -###content_right_advert -###content_right_area_ads -###content_right_side_advertisement_on_top_wrapper ###contentad -###contentad-adsense-getfile-1 -###contentad-adsense-getfile-top-1 ###contentad-adsense-homepage-1 -###contentad-adsense-homepage-2 ###contentad-commercial-1 ###contentad-content-box-1 ###contentad-footer-tfm-1 -###contentad-last-medium-rectangle-1 ###contentad-lower-medium-rectangle-1 -###contentad-sponsoredlinks-1 -###contentad-story-bottom-1 ###contentad-story-middle-1 -###contentad-story-top-1 ###contentad-superbanner-1 -###contentad-superbanner-2 ###contentad-top-adsense-1 ###contentad-topbanner-1 -###contentad_imtext -###contentad_right -###contentad_urban ###contentadcontainer ###contentads -###contentarea-ad -###contentarea-ad-widget-area -###contentinlineAd -###contents_post_ad -###contest-ads ###contextad ###contextual-ads ###contextual-ads-block -###contextual-ads-bricklet -###contextual-dummy-ad ###contextualad -###corner_ad ###cornerad -###cosponsor -###cosponsorTab -###coverADS ###coverads -###cpad_242306 -###cph_cph_tlda_pnlAd -###cpsmalladv ###criteoAd -###crowd-ignite -###crowd-ignite-header -###csBotterAd -###csTopAd -###ct-ad-lb -###ctl00_AdPanel1 -###ctl00_AdPanelISRect2 -###ctl00_AdWords -###ctl00_Adspace_Top_Height -###ctl00_BottomAd -###ctl00_BottomAd2_AdArea -###ctl00_BottomAdPanel -###ctl00_ContentMain_BanManAd468_BanManAd -###ctl00_ContentPlaceHolder1_AdRotator3 -###ctl00_ContentPlaceHolder1_BannerAd_TABLE1 -###ctl00_ContentPlaceHolder1_DrillDown1_trBannerAd -###ctl00_ContentPlaceHolder1_TextAd_Pulse360AdPanel -###ctl00_ContentPlaceHolder1_ad12_adRotator_divAd -###ctl00_ContentPlaceHolder1_blockAdd_divAdvert -###ctl00_ContentPlaceHolder1_ctl00_ContentPlaceHolder1_pnlGoogleAdsPanel -###ctl00_ContentPlaceHolder1_ctl00_StoryContainer1_ImageHouseAd -###ctl00_ContentPlaceHolder1_toplead_news1_dvFlashAd +###crt-adblock-a +###crt-adblock-b ###ctl00_ContentPlaceHolder1_ucAdHomeRightFO_divAdvertisement ###ctl00_ContentPlaceHolder1_ucAdHomeRight_divAdvertisement -###ctl00_ContentPlaceHolder_PageHeading_Special_divGoogleAd2 -###ctl00_ContentRightColumn_RightColumn_Ad1_BanManAd -###ctl00_ContentRightColumn_RightColumn_Ad1_googlePublisherAd -###ctl00_ContentRightColumn_RightColumn_Ad2_BanManAd -###ctl00_ContentRightColumn_RightColumn_Ad2_googlePublisherAd -###ctl00_ContentRightColumn_RightColumn_PremiumAd1_ucBanMan_BanManAd -###ctl00_Content_SquareAd_AdBox -###ctl00_Content_skyAd -###ctl00_Footer1_v5footerad -###ctl00_FooterHome1_AdFooter1_AdRotatorFooter -###ctl00_GoogleAd1 -###ctl00_GoogleAd3 -###ctl00_GoogleSkyscraper -###ctl00_Header1_AdHeader1_LabelHeaderScript -###ctl00_HyperLinkHouseAd -###ctl00_ImageHouseAd -###ctl00_LHTowerAd -###ctl00_LeftHandAd -###ctl00_MainContent_adDiv1 -###ctl00_MainContent_adDiv2 -###ctl00_MasterHolder_IBanner_adHolder -###ctl00_RightBanner_AdvertisementText -###ctl00_SiteHeader1_TopAd1_AdArea -###ctl00_TopAd -###ctl00_TowerAd -###ctl00_VBanner_adHolder -###ctl00__Content__RepeaterReplies_ctl03__AdReply -###ctl00_adCar ###ctl00_adFooter -###ctl00_advert_LargeMPU_div_AdPlaceHolder -###ctl00_advert_WideSky_Right_divOther -###ctl00_bottom_advert_728x90 -###ctl00_cphMainContent_lblPartnerAds -###ctl00_cphMain_adView_dlAds_ctl01_advert_AboveAds_divOther -###ctl00_cphMain_hlAd1 -###ctl00_cphMain_hlAd2 -###ctl00_cphMain_hlAd3 -###ctl00_cphMain_phMain_ctl00_ctl03_ctl00_topAd -###ctl00_cphRoblox_boxAdPanel -###ctl00_ctl00_MainPlaceHolder_itvAdSkyscraper -###ctl00_ctl00_RightColumn1_ctl04_csc300x250Ad1 -###ctl00_ctl00_RightColumn1_ctl04_pnlAdBlock300x250Ad1 -###ctl00_ctl00_RightPanePlaceHolder_pnlAdv -###ctl00_ctl00_ctl00_Main_Main_PlaceHolderGoogleTopBanner_MPTopBannerAd -###ctl00_ctl00_ctl00_Main_Main_SideBar_MPSideAd -###ctl00_ctl00_ctl00_divAdsTop -###ctl00_ctl00_ctl00_tableAdsTop -###ctl00_ctl00_ctl00_tdBannerAd -###ctl00_ctl00_pnlAdBottom -###ctl00_ctl00_pnlAdTop -###ctl00_ctl01_ctl00_tdBannerAd -###ctl00_ctl05_ctl00_tableAdsTop -###ctl00_ctl05_ctl00_tdBannerAd -###ctl00_ctl08_ctl00_tableAdsTop -###ctl00_ctl11_AdvertisementText -###ctl00_ctrlAdvert6_iframeAdvert -###ctl00_ctrlAdvert7_iframeAdvert -###ctl00_ctrlAdvert8_iframeAdvert -###ctl00_divAdSuper -###ctl00_dlTilesAds -###ctl00_fc_ctl02_AdControl -###ctl00_fc_ctl03_AdControl -###ctl00_fc_ctl04_AdControl -###ctl00_fc_ctl06_AdControl -###ctl00_headerAdd ###ctl00_leaderboardAdvertContainer -###ctl00_m_skinTracker_m_adLBL -###ctl00_mainContent_lblSponsor -###ctl00_phContents_ctlNewsPanel_rptMainColumn_ctl02_ctlLigatusAds_pnlContainer -###ctl00_phContents_ctlNewsPanel_rptMainColumn_ctl02_pnlLigatusAds -###ctl00_phCrackerMain_ucAffiliateAdvertDisplayMiddle_pnlAffiliateAdvert -###ctl00_phCrackerMain_ucAffiliateAdvertDisplayRight_pnlAffiliateAdvert -###ctl00_pnlAdTop -###ctl00_siteHeader_bannerAd ###ctl00_skyscraperAdvertContainer -###ctl00_tc_ctl03_AdControl -###ctl00_tc_ctl04_AdControl -###ctl00_tc_ctl05_AdControl -###ctl00_tc_ctl06_AdControl -###ctl00_tc_ctl14_AdControl -###ctl00_tc_ctl15_AdControl -###ctl00_tc_ctl16_AdControl -###ctl00_tc_ctl18_AdControl -###ctl00_tc_ctl19_AdControl ###ctl00_topAd -###ctl00_ucAffiliateAdvertDisplay_pnlAffiliateAdvert ###ctl00_ucFooter_ucFooterBanner_divAdvertisement -###ctl08_ad1 -###ctlDisplayAd1_lblAd -###ctl_bottom_ad -###ctl_bottom_ad1 -###ctr-ad -###ctr_adtech2 -###ctr_adtech_mpu_bot -###ctr_adtech_mpu_top -###ctrlsponsored -###ctx_listing_ads -###ctx_listing_ads2 ###cubeAd ###cube_ad ###cube_ads -###cube_ads_inner -###cubead -###cubead-2 -###cubead2 -###currencies-sponsored-by -###custom-advert-leadboard-spacer -###custom-small-ad ###customAd ###customAds -###cxnAdrail -###d-adCont543x90 -###d-adCont728x90Inner -###d4_ad_google02 -###dAdverts -###dItemBox_ads -###d_AdLink -###dap300x250 -###dart-300x250 -###dart-container-728x90 -###dart_160x600 -###dart_300x250 -###dart_ad_block -###dart_ad_island -###dartad11 -###dartad13 -###dartad16 -###dartad17 -###dartad19 -###dartad25 -###dartad28 -###dartad8 -###dartad9 -###daumAd -###db_ad -###dc-display-right-ad-1 -###dc_ad_data_1 -###dc_ad_data_2 -###dc_ad_data_4 -###dc_advertisement -###dcadSpot-Leader -###dcadSpot-LeaderFooter -###dclinkad -###dcol-sponsored -###dcomad_728x90_0 -###dcomad_ad_728x90_1 -###dcomad_top_300x250_0 -###dcomad_top_300x250_1 -###dcomad_top_300x251_2 -###dd-ad-head-wrapper -###ddAd +###customad +###darazAd ###ddAdZone2 -###defer-adright -###desktop-ad-btf -###desktop-aside-ad-container -###desktop-atf_sidebar_sticky -###desktop-unrec-ad -###detail_page_vid_topads -###devil-ad -###dfp-ad-1 -###dfp-ad-2 -###dfp-ad-billboard_leaderboard -###dfp-ad-billboard_leaderboard-wrapper -###dfp-ad-boombox -###dfp-ad-boombox-wrapper -###dfp-ad-boombox_2 -###dfp-ad-boombox_2-wrapper -###dfp-ad-boombox_3 -###dfp-ad-boombox_3-wrapper -###dfp-ad-boombox_4 -###dfp-ad-boombox_4-wrapper -###dfp-ad-boombox_5 -###dfp-ad-boombox_5-wrapper -###dfp-ad-clone_of_sidebar_top -###dfp-ad-content_1-wrapper -###dfp-ad-content_2-wrapper -###dfp-ad-content_3-wrapper -###dfp-ad-content_4-wrapper -###dfp-ad-dfp_ad_atf_728x90 -###dfp-ad-dfp_ad_atf_728x90-wrapper +###desktop-ad-top +###desktop-sidebar-ad +###desktop_middle_ad_fixed +###desktop_top_ad_fixed +###dfp-ad-bottom-wrapper +###dfp-ad-container ###dfp-ad-floating -###dfp-ad-fm_300x250-wrapper -###dfp-ad-half_page-wrapper -###dfp-ad-half_page_sidebar-wrapper -###dfp-ad-home_1-wrapper -###dfp-ad-home_2-wrapper -###dfp-ad-home_3-wrapper -###dfp-ad-homepage_300x250-wrapper -###dfp-ad-homepage_728x90 -###dfp-ad-homepage_728x90-wrapper -###dfp-ad-kids_300x250-wrapper -###dfp-ad-large_rectangle -###dfp-ad-large_rectangle-wrapper ###dfp-ad-leaderboard ###dfp-ad-leaderboard-wrapper -###dfp-ad-local_300x250-wrapper ###dfp-ad-medium_rectangle ###dfp-ad-mediumrect-wrapper -###dfp-ad-mediumrectangle-wrapper -###dfp-ad-mediumrectangle2-wrapper -###dfp-ad-mosad_1 -###dfp-ad-mosad_1-wrapper ###dfp-ad-mpu1 ###dfp-ad-mpu2 -###dfp-ad-mpu_1 -###dfp-ad-mpu_1-wrapper -###dfp-ad-mpu_2 -###dfp-ad-mpu_2-wrapper -###dfp-ad-mpu_3 -###dfp-ad-mpu_3-wrapper -###dfp-ad-ne_carousel_300x250 -###dfp-ad-ne_carousel_300x250-wrapper -###dfp-ad-ne_column3a_300x250 -###dfp-ad-ne_column3a_300x250-wrapper -###dfp-ad-ne_news2_468x60 -###dfp-ad-ne_news2_468x60-wrapper -###dfp-ad-pencil_pushdown -###dfp-ad-pencil_pushdown-wrapper ###dfp-ad-right1 +###dfp-ad-right1-wrapper ###dfp-ad-right2 +###dfp-ad-right2-wrapper ###dfp-ad-right3 -###dfp-ad-schedule_300x250-wrapper +###dfp-ad-right4-wrapper ###dfp-ad-slot2 ###dfp-ad-slot3 ###dfp-ad-slot3-wrapper @@ -13705,72 +3634,50 @@ _popunder+$popup ###dfp-ad-slot6-wrapper ###dfp-ad-slot7 ###dfp-ad-slot7-wrapper -###dfp-ad-stamp_1 -###dfp-ad-stamp_1-wrapper -###dfp-ad-stamp_2 -###dfp-ad-stamp_2-wrapper -###dfp-ad-stamp_3 -###dfp-ad-stamp_3-wrapper -###dfp-ad-stamp_4 -###dfp-ad-stamp_4-wrapper -###dfp-ad-top -###dfp-ad-tower_1 -###dfp-ad-tower_1-wrapper -###dfp-ad-tower_2 -###dfp-ad-tower_2-wrapper -###dfp-ad-tower_half_page -###dfp-ad-tower_half_page-wrapper -###dfp-ad-tv_300x250-wrapper -###dfp-ad-wallpaper -###dfp-ad-wallpaper-wrapper +###dfp-ad-top-wrapper +###dfp-ap-2016-interstitial ###dfp-article-mpu -###dfp-article-related-mpu -###dfp-global_top -###dfp-home_after-headline_leaderboard +###dfp-atf +###dfp-atf-desktop +###dfp-banner +###dfp-banner-popup +###dfp-billboard1 +###dfp-billboard2 +###dfp-btf +###dfp-btf-desktop +###dfp-footer-desktop +###dfp-header +###dfp-header-container +###dfp-ia01 +###dfp-ia02 +###dfp-interstitial +###dfp-leaderboard +###dfp-leaderboard-desktop +###dfp-masthead ###dfp-middle ###dfp-middle1 -###dfp-srp-leaderboard -###dfp-srp-mobile-top +###dfp-mtf +###dfp-mtf-desktop +###dfp-rectangle +###dfp-rectangle1 +###dfp-ros-res-header_container ###dfp-tlb -###dfp-wallpaper-wrapper +###dfp-top-banner ###dfpAd -###dfp_ad_1 -###dfp_ad_16 -###dfp_ad_2 -###dfp_ad_20 -###dfp_ad_21 -###dfp_ad_3 -###dfp_ad_7 -###dfp_ad_DictHome_300x250 -###dfp_ad_DictHome_728x90 -###dfp_ad_Entry_160x600 -###dfp_ad_Entry_180x150 -###dfp_ad_Entry_300x250 -###dfp_ad_Entry_728x90 -###dfp_ad_Entry_Btm_300x250 -###dfp_ad_Entry_EntrySetA_300x250 -###dfp_ad_Entry_EntrySetA_728x90 -###dfp_ad_Entry_EntrySetB_300x250 -###dfp_ad_Entry_EntrySetB_728x90 -###dfp_ad_Entry_EntrySetC_728x90 -###dfp_ad_Home_300x250 -###dfp_ad_Home_728x90 -###dfp_ad_Home_Btm_300x250 -###dfp_ad_IC_728x90 -###dfp_ad_InternalAdX_300x250_right -###dfp_ad_Internal_EntryBr_300x250 -###dfp_ad_Internal_Home_250x262 -###dfp_ad_Result_728x90 -###dfp_ad_SecContent_300x250 -###dfp_ad_Thesaurus_728x90 ###dfp_ad_mpu +###dfp_ads_4 +###dfp_ads_5 +###dfp_bigbox_2 +###dfp_bigbox_recipe_top ###dfp_container -###dfp_unit_Desktop_MPU_BTF_1 -###dfp_unit_Desktop_MPU_BTF_2 +###dfp_leaderboard ###dfpad-0 +###dfpslot_tow_2-0 +###dfpslot_tow_2-1 +###dfrads-widget-3 ###dfrads-widget-6 ###dfrads-widget-7 -###dhm-bar +###dianomiNewsBlock ###dict-adv ###direct-ad ###disable-ads-container @@ -13778,91 +3685,61 @@ _popunder+$popup ###displayAd ###displayAdSet ###display_ad -###display_ads_footer -###display_ads_footer_last -###displayad_bottom-page +###displayad_carousel +###displayad_rectangle ###div-ad-1x1 -###div-ad-1x1_3 -###div-ad-2 ###div-ad-bottom -###div-ad-coupon_1 -###div-ad-coupon_10 -###div-ad-coupon_11 -###div-ad-coupon_12 -###div-ad-coupon_2 -###div-ad-coupon_3 -###div-ad-coupon_4 -###div-ad-coupon_5 -###div-ad-coupon_6 -###div-ad-coupon_7 -###div-ad-coupon_8 -###div-ad-coupon_9 ###div-ad-flex ###div-ad-inread ###div-ad-leaderboard ###div-ad-r ###div-ad-r1 ###div-ad-top +###div-ad-top_banner ###div-adcenter1 ###div-adcenter2 -###div-adid-4000 -###div-dfp-BelowContnet -###div-dfp-bottom_leaderboard -###div-gpt-ad-lr-cube1 -###div-gpt-ad-mrec-5 -###div-gpt-ad-spotlight -###div-gpt-ad-top_banner -###div-id-for-interstitial-ad +###div-advert +###div-contentad_1 +###div-footer-ad +###div-gpt-LDB1 +###div-gpt-MPU1 +###div-gpt-MPU2 +###div-gpt-MPU3 +###div-gpt-Skin +###div-gpt-inline-main +###div-gpt-mini-leaderboard1 +###div-gpt-mrec ###div-insticator-ad-1 ###div-insticator-ad-2 +###div-insticator-ad-3 +###div-insticator-ad-4 +###div-insticator-ad-5 +###div-insticator-ad-6 +###div-insticator-ad-9 +###div-leader-ad ###div-social-ads -###div-vip-ad-banner -###div-web-ad-billboard -###div-web-ad-content-article -###div-web-ad-content-ressort -###div-web-ad-marginale-1 -###div-web-ad-marginale-2 -###div-web-ad-marginale-3 -###div-web-ad-marginale-4 -###div-web-ad-marginale-5 -###div-web-ad-performance ###divAd -###divAdBox ###divAdDetail ###divAdHere ###divAdHorizontal ###divAdLeft ###divAdMain ###divAdRight -###divAdSpecial ###divAdWrapper -###divAdd728x90 -###divAdd_Right -###divAdd_Top ###divAds ###divAdsTop ###divAdv300x250 ###divAdvertisement -###divAdvertisingSection -###divArticleInnerAd -###divBannerTopAds -###divBottomad1 -###divBottomad2 ###divDoubleAd -###divExoLayerWrapper ###divFoldersAd ###divFooterAd ###divFooterAds -###divLeftAd12 -###divLeftRecAd -###divMenuAds -###divReklamaTop -###divRightNavAdsLoader +###divSponAds ###divSponsoredLinks +###divStoryBigAd1 +###divThreadAdBox ###divTopAd ###divTopAds -###divWNAdHeader -###divWNAdUnitLanding ###divWrapper_Ad ###div_ad_TopRight ###div_ad_float @@ -13870,93 +3747,35 @@ _popunder+$popup ###div_ad_leaderboard ###div_advt_right ###div_belowAd -###div_content_mid_lft_ads +###div_bottomad +###div_bottomad_container ###div_googlead -###div_header_sponsors -###div_prerollAd_1 -###div_side_big_ad -###div_video_ads ###divadfloat -###divadsensex -###divmiddlerightad -###divuppercenterad -###divupperrightad -###dlads -###dni-advertising-skyscraper-wrapper -###dni-header-ad -###dnn_AdBannerPane -###dnn_Advertisement ###dnn_adSky ###dnn_adTop ###dnn_ad_banner ###dnn_ad_island1 ###dnn_ad_skyscraper -###dnn_ad_sponsored_links -###dnn_banner_120x600 -###dnn_banner_486x60 -###dnn_ctl00_Ad2Pane -###dnn_dnn_dartBanner -###dnn_googleAdsense_a -###dnn_playerAd ###dnn_sponsoredLinks -###docmainad -###dogear_promo -###dotnAd_300x250_c20 -###double-card-ad -###double-inline-ads -###doubleClickAds3 -###doubleClickAds_bottom_big_box -###doubleClickAds_bottom_skyscraper -###doubleClickAds_top_banner -###doubleclick-dfp -###doubleclick-island -###download-leaderboard-ad-bottom -###download-leaderboard-ad-top ###downloadAd ###download_ad -###download_ad-box ###download_ads -###download_slide_ad -###dp_ad_1 -###dp_ads1 +###dragads ###ds-mpu ###dsStoryAd -###ds_ad_north_leaderboard -###dvAd1Data -###dvAd1main -###dvAd2Center -###dvAd5Data -###dvAd5Main -###dvAdHead -###dvCenterAd -###dvad2 -###dvad2main -###dvad5 -###dvad6cntnr -###dvad6main -###dvadfirst -###dvadfirstmain -###dvadscnd -###dvadsecondmain -###dvsmladlft -###dvsmladrgt +###dsk-banner-ad-a +###dsk-banner-ad-b +###dsk-banner-ad-c +###dsk-banner-ad-d +###dsk-box-ad-c +###dsk-box-ad-d +###dsk-box-ad-f +###dsk-box-ad-g +###dv-gpt-ad-bigbox-wrap ###dynamicAdDiv -###dynamicAdWinDiv -###ear_ad -###eastAds -###ebsponsoredads -###editorsmpu -###elections-ad-container -###elite-ads ###em_ad_superbanner ###embedAD ###embedADS -###embedded-ad -###embeded_ad_content_container -###entrylist_ad -###epmads-holder -###eshopad-728x90 -###eventAd ###event_ads ###events-adv-side1 ###events-adv-side2 @@ -13964,78 +3783,25 @@ _popunder+$popup ###events-adv-side4 ###events-adv-side5 ###events-adv-side6 -###evotopTen_advert -###ex-ligatus -###ex_dart--ex_dart_header_ad -###exads ###exoAd -###expandableAd -###expandable_welcome_ad -###expanderadblock -###external-links-column-ad ###externalAd -###extra-search-ads -###extraAd -###extraAdsBlock -###ezadswidget-2 -###f2p-ad-cnt -###f_ad -###f_adsky -###facebook-ad -###fav-advert -###fav-advertwrap -###fb_adbox -###fb_rightadpanel -###fearless_responsive_image_ad-2 -###featAds +###ezmobfooter ###featureAd ###featureAdSpace ###featureAds ###feature_ad -###feature_adlinks ###featuread -###featured-ad-left -###featured-ad-right ###featured-ads -###featured-advertisements -###featuredAdContainer2 -###featuredAdWidget ###featuredAds -###featuredSponsors -###featured_ad_links -###featured_ad_widget_area -###featured_sponsor_cnt -###feed_links_ad_container -###feedjiti-footerTR -###ffsponsors -###file_sponsored_link -###fin_ad_728x90_bottom -###fin_advertorial_features -###fin_dc_ad_300x100_pos_1 -###fin_ds_homepage_adtag_468x60 -###first-300-ad -###first-adframe -###first-adlayer -###firstAdUnit +###first-ads ###first_ad -###first_ad_unit ###firstad -###fixed-mob-ad +###fixed-ad ###fixedAd -###flAdData6 -###fl_hdrAd -###flash_ads_1 -###flashad -###flex_sponsored_links -###flexiad -###flipbookAd -###floatAD_l -###floatAD_r -###floatAd-left -###floatAd-right -###floatAdv +###fixedban +###floatAd ###floatads -###floating-ad-spacer +###floating-ad-wrapper ###floating-ads ###floating-advert ###floatingAd @@ -14043,10 +3809,10 @@ _popunder+$popup ###floatingAds ###floating_ad ###floating_ad_container -###floatyContent -###flyingBottomAd -###foot-ad-1 -###foot-add +###floating_ads_bottom_textcss_container +###floorAdWrapper +###foot-ad-wrap +###foot-ad2-wrap ###footAd ###footAdArea ###footAds @@ -14058,8 +3824,7 @@ _popunder+$popup ###footer-ad-col ###footer-ad-google ###footer-ad-large -###footer-ad-loader -###footer-ad-shadow +###footer-ad-slot ###footer-ad-unit ###footer-ad-wrapper ###footer-ads @@ -14072,16 +3837,14 @@ _popunder+$popup ###footer-adwrapper ###footer-affl ###footer-banner-ad -###footer-im-ad ###footer-leaderboard-ad ###footer-sponsored +###footer-sponsors ###footerAd -###footerAdBg ###footerAdBottom ###footerAdBox ###footerAdDiv -###footerAdLink -###footerAdSpecial +###footerAdWrap ###footerAdd ###footerAds ###footerAdsPlacement @@ -14091,20 +3854,16 @@ _popunder+$popup ###footerGoogleAd ###footer_AdArea ###footer_ad -###footer_ad_01 ###footer_ad_block -###footer_ad_cloud ###footer_ad_container ###footer_ad_frame ###footer_ad_holder -###footer_ad_inventory ###footer_ad_modules ###footer_adcode ###footer_add ###footer_addvertise ###footer_ads ###footer_ads_holder -###footer_adsense_ad ###footer_adspace ###footer_adv ###footer_advertising @@ -14115,194 +3874,90 @@ _popunder+$popup ###footerads ###footeradsbox ###footeradvert -###form_bottomad -###forum_top_ad -###forumlist-ad -###four_ads -###fp_rh_ad -###fpad1 -###fpad2 -###fpv_companionad -###fr_ad_center -###fr_adtop +###forum-top-ad-bar ###frameAd -###frameTextAd2 -###frame_admain -###free_ad -###frmRightnavAd -###frnAdSky -###frnBannerAd -###frnContentAd +###frmSponsAds ###front-ad-cont +###front-page-ad ###front-page-advert ###frontPageAd -###front_ad728 -###front_adtop_content ###front_advert ###front_mpu -###front_mpu_content -###frontlowerad -###frontpage_ad1 -###frontpage_ad2 ###ft-ad -###ft-ad-1 -###ft-ad-container ###ft-ads -###ft_mpu -###ftad1 -###ftad2 ###full_banner_ad -###fulldown_ads_box -###fulldown_ads_frame -###fullsizebanner_468x60 -###fullstory-google-textad -###fusionad -###fw-advertisement ###fwAdBox -###g-adblock2 +###fwdevpDiv0 +###fwdevpDiv1 +###fwdevpDiv2 ###gAds -###gBnrAd -###gBottomRightAd +###gStickyAd ###g_ad -###g_ads_left_top_banner_ads -###g_ads_right_top_banner_ads ###g_adsense -###ga_300x250 ###gad300x250 ###gad728x90 -###gads-pub ###gads300x250 +###gadsOverlayUnit ###gads_middle -###galactic_sponsors_sidebar -###galleries-tower-ad ###gallery-ad ###gallery-ad-container -###gallery-ad-m0 ###gallery-advert ###gallery-below-line-advert -###gallery-page-ad-bigbox -###gallery-random-ad ###gallery-sidebar-advert -###gallery-slideshow-interstitial-ad ###gallery_ad ###gallery_ads ###gallery_header_ad ###galleryad1 +###gam-ad-ban1 ###game-ad -###game-info-ad -###gameAdMiddle -###gameAdTopMiddle -###gameSquareAd -###game_header_ad -###game_profile_ad_300_250 ###gamead ###gameads -###gamepage_ad -###gameplay_ad -###games-mpu-container -###games_ad_container ###gasense -###gbl_topmost_ad -###gcommonad -###genad ###geoAd -###getUnderplayerIDAd -###gf-mrecs-ads -###gft-adChoicesCopy ###gg_ad ###ggl-ad -###gglads -###gglads213A -###gglads213B -###ggogle_AD -###gl_ad_300 ###glamads -###glinkswrapper ###global-banner-ad -###globalHeader_divAd ###globalLeftNavAd ###globalTopNavAd ###global_header_ad ###global_header_ad_area -###gm-ad-lrec -###gmi-ResourcePageAd -###gmi-ResourcePageLowerAd -###gnadww -###go-ads-double-2 -###go-ads-double-3 ###goad1 ###goads -###gog_ad -###gold_sponsors_sidebar ###gooadtop ###google-ad -###google-ad-art -###google-ad-table-right -###google-ad-tower ###google-ads -###google-ads-5 ###google-ads-bottom ###google-ads-bottom-container ###google-ads-container -###google-ads-container1 +###google-ads-detailsRight +###google-ads-directoryViewRight ###google-ads-header -###google-ads-left-side ###google-adsense -###google-adsense-for-content -###google-adsense-mpusize -###google-adv-728x90 ###google-adwords ###google-afc +###google-dfp-bottom +###google-dfp-top ###google-post-ad ###google-post-adbottom ###google-top-ads -###google-top-horizontal-adv_full -###google336x280 -###google468x60 ###googleAd ###googleAdArea ###googleAdBottom ###googleAdBox -###googleAdMid -###googleAdSenseAdRR ###googleAdTop -###googleAdView -###googleAdYarrp -###googleAd_words ###googleAds -###googleAdsFrame -###googleAdsSml ###googleAdsense ###googleAdsenseAdverts -###googleAdsenseBanner -###googleAdsenseBannerBlog -###googleAdwordsModule -###googleAfcContainer ###googleSearchAds -###googleShoppingAdsRight -###googleShoppingAdsTop -###googleSubAds -###googleTxtAD -###google_ad -###google_ad_468x60_contnr -###google_ad_EIRU_newsblock -###google_ad_below_stry +###google_ad_1 +###google_ad_2 +###google_ad_3 ###google_ad_container -###google_ad_container_right_side_bar -###google_ad_inline -###google_ad_test -###google_ad_top +###google_ad_slot ###google_ads ###google_ads_1 -###google_ads_aCol ###google_ads_box -###google_ads_div_Blog_300 -###google_ads_div_Front-160x600 -###google_ads_div_Raw_Override -###google_ads_div_Second_160 -###google_ads_div_header1 -###google_ads_div_header2 -###google_ads_div_video_wallpaper_ad_container ###google_ads_frame ###google_ads_frame1_anchor ###google_ads_frame2_anchor @@ -14310,111 +3965,51 @@ _popunder+$popup ###google_ads_frame4_anchor ###google_ads_frame5_anchor ###google_ads_frame6_anchor -###google_ads_frame_quad -###google_ads_frame_vert -###google_ads_test -###google_ads_top -###google_ads_wide ###google_adsense ###google_adsense_ad -###google_adsense_home_468x60_1 -###google_textlinks ###googlead -###googlead-leaderboard -###googlead-left -###googlead-post-mpu -###googlead-sidebar-middle -###googlead-sidebar-top -###googlead01 -###googlead1 ###googlead2 -###googlead_outside -###googleadbig -###googleadds ###googleadleft ###googleads ###googleads1 -###googleads_h_injection -###googleads_mpu_injection ###googleadsense -###googleadsense300x250 -###googleadsrc ###googleadstop ###googlebanner -###googleblock300 ###googlesponsor ###googletextads -###googtxtad ###gpt-ad-1 +###gpt-ad-banner ###gpt-ad-halfpage +###gpt-ad-outofpage-wp ###gpt-ad-rectangle1 ###gpt-ad-rectangle2 +###gpt-ad-side-bottom ###gpt-ad-skyscraper -###gpt-ad-story_rectangle3 -###gpt-adsene-article-bottom +###gpt-instory-ad +###gpt-leaderboard-ad ###gpt-mpu -###gpt2_ads_widget-10 -###gpt2_ads_widget-6 -###gpt2_ads_widget-7 -###gpt2_ads_widget-8 -###gpt2_ads_widget-9 -###gpt_ad_panorama_top -###gpt_ad_small_insider_1 -###gpt_unit_videoAdSlot1_0 +###gpt-sticky ###grdAds ###gridAdSidebar -###gridAdSidebarRight ###grid_ad -###grouponAdContainer -###gsyadrectangleload -###gsyadrightload -###gsyadtop -###gsyadtopload -###gtAD -###gtm_dfp_leaderboard_top -###gtopadvts -###gtv_tabSponsor -###gwd-ad -###gwt-debug-ad -###h-ads -###hAd -###hAdv -###h_ads0 -###h_ads1 ###half-page-ad ###halfPageAd -###halfe-page-ad-box -###hb-header-ad -###hcf-ad-wrapper -###hd-ads -###hd-banner-ad -###hd_ad -###hd_ad_wp -###hdr-ad -###hdr-banner-ad -###hdrAdBanner -###hdrAds -###hdtv_ad_ss +###half_page_ad_300x600 +###halfpagead ###head-ad -###head-ad-1 -###head-ad-space +###head-ad-text-wrap +###head-ad-timer ###head-ads ###head-advertisement -###head-banner468 -###head1ad ###headAd ###headAds ###headAdv -###headGoogleAffiliateLinkblock ###head_ad -###head_ad0 -###head_ad_area ###head_ads ###head_advert ###headad ###headadvert ###header-ad -###header-ad-1 ###header-ad-background ###header-ad-block ###header-ad-bottom @@ -14423,16 +4018,17 @@ _popunder+$popup ###header-ad-label ###header-ad-left ###header-ad-placeholder -###header-ad-rectangle-container ###header-ad-right +###header-ad-slot ###header-ad-wrap ###header-ad-wrapper ###header-ad2 -###header-ad2010 ###header-ads ###header-ads-container +###header-ads-holder ###header-ads-wrapper ###header-adsense +###header-adserve ###header-adspace ###header-adv ###header-advert @@ -14443,36 +4039,21 @@ _popunder+$popup ###header-advrt ###header-banner-728-90 ###header-banner-ad -###header-banner-spc +###header-banner-ad-wrapper ###header-block-ads ###header-box-ads -###header-google -###header-house-ad -###header-lb-ad -###header-leader-ad -###header-leader-ad-2 -###header-menu-horizontal-ad-superbanner -###header-top-ads-text ###headerAd ###headerAdBackground -###headerAdButton ###headerAdContainer ###headerAdSpace ###headerAdUnit ###headerAdWrap ###headerAds -###headerAds4 ###headerAdsWrapper ###headerAdv ###headerAdvert -###headerBannerAdNew -###headerNewAdsContainer -###headerNewAdsContainerB ###headerTopAd -###headerTopAdWide -###header_1_adv ###header_ad -###header_ad_167 ###header_ad_728 ###header_ad_728_90 ###header_ad_banner @@ -14486,8 +4067,6 @@ _popunder+$popup ###header_adcode ###header_ads ###header_ads2 -###header_ads_2 -###header_ads_p ###header_adsense ###header_adv ###header_advert @@ -14496,113 +4075,68 @@ _popunder+$popup ###header_advertising ###header_adverts ###header_bottom_ad -###header_flag_ad -###header_leaderboard_ad_container -###header_mainad ###header_publicidad ###header_right_ad ###header_sponsors ###header_top_ad ###headerad +###headerad_large ###headeradbox ###headeradcontainer ###headerads ###headeradsbox ###headeradsense ###headeradspace -###headeradvert1div ###headeradvertholder ###headeradwrap ###headergooglead -###headerprimaryad ###headersponsors ###headingAd -###headline-sponsor ###headline_ad -###headlinesAdBlock -###hi5-ad-1 -###hidadvnet -###hiddenadAC -###hide_ad_section_v2 -###hideads -###hideads1 -###hl-sponsored-links -###hl-sponsored-results -###hl-top-ad -###hldhdAds -###hly_ad_side_bar_tower_left -###hly_inner_page_google_ad -###hm_rht_adcontainer -###hmt-widget-ad-unit-3 -###holder-storyad -###holdunderad +###hearst-autos-ad-wrapper ###home-ad ###home-ad-block ###home-ad-slot -###home-adv-300x250 ###home-advert-module ###home-advertise ###home-banner-ad -###home-delivery-ad ###home-left-ad -###home-page-listing-ad -###home-pgtop-adv ###home-rectangle-ad -###home-right-col-ad ###home-side-ad ###home-top-ads ###homeAd ###homeAdLeft ###homeAds -###homeArticlesAd -###homeBottomAdWrapperInner -###homeMPU -###homePageBotAd ###homeSideAd -###homeTopRightAd ###home_ad -###home_ad_sub_spotlight -###home_ads_top_hold ###home_ads_vert +###home_advertising_block ###home_bottom_ad ###home_contentad -###home_feature_ad -###home_lower_center_right_ad ###home_mpu -###home_sec2_adverts ###home_sidebar_ad -###home_spensoredlinks ###home_top_right_ad ###homead -###homegoogletextad ###homeheaderad ###homepage-ad ###homepage-adbar ###homepage-footer-ad ###homepage-header-ad -###homepage-right-rail-ad ###homepage-sidebar-ad ###homepage-sidebar-ads +###homepage-sponsored ###homepageAd ###homepageAdsTop ###homepageFooterAd ###homepageGoogleAds -###homepage__desktop-lead-ad-wrap -###homepage__lead-ad-slot ###homepage_ad ###homepage_ad_listing -###homepage_middle_ads -###homepage_middle_ads_2 -###homepage_middle_ads_3 ###homepage_rectangle_ad ###homepage_right_ad ###homepage_right_ad_container ###homepage_top_ad ###homepage_top_ads -###homepagead_300x250 ###homepageadvert -###homestream-advert3 -###hometop_234x60ad ###hometopads ###horAd ###hor_ad @@ -14612,7 +4146,6 @@ _popunder+$popup ###horizontal-ad ###horizontal-adspace ###horizontal-banner-ad -###horizontal-banner-ad-container ###horizontalAd ###horizontalAdvertisement ###horizontal_ad @@ -14620,78 +4153,40 @@ _popunder+$popup ###horizontal_ad_top ###horizontalad ###horizontalads -###hot-deals-ad ###hottopics-advert ###hours_ad ###houseAd ###hovered_sponsored +###hp-desk-after-header-ad ###hp-header-ad -###hp-mpu ###hp-right-ad ###hp-store-ad -###hpSponsor -###hpV2_300x250Ad -###hpV2_googAds -###hp_ad300x250 -###hp_right_ad_300 -###i9lsdads -###i_ads_table -###iaa_ad -###ibt_local_ad728 -###icePage_SearchLinks_AdRightDiv -###icePage_SearchLinks_DownloadToolbarAdRightDiv -###icePage_SearchResults_ads0_SponsoredLink -###icePage_SearchResults_ads1_SponsoredLink -###icePage_SearchResults_ads2_SponsoredLink -###icePage_SearchResults_ads3_SponsoredLink -###icePage_SearchResults_ads4_SponsoredLink -###icom-ad-top +###hpAdVideo +###humix-vid-ezAutoMatch ###idDivAd -###idMapAdvertising -###idRightAdArea -###idSponsoredresultend -###idSponsoredresultstart ###id_SearchAds -###ifmSocAd ###iframe-ad -###iframe-ad-container-Top3 ###iframeAd_2 -###iframeRightAd -###iframeTopAd ###iframe_ad_2 -###iframe_ad_300 -###iframe_ad_728 -###iframe_container300x250 -###iframead-300x250 -###ignad_medrec -###ii_banner_ads ###imPopup -###im_box ###im_popupDiv -###im_popupFixed ###ima_ads-2 ###ima_ads-3 ###ima_ads-4 -###imageGalleryAd -###imageGalleryAdHeadLine -###imageGalleryAdPlaceholder -###image_ad_short -###image_selector_ad -###imageadsbox -###imgCollContentAdIFrame +###imgAddDirectLink ###imgad1 ###imu_ad_module ###in-article-ad +###in-article-mpu ###in-content-ad -###in-story-ad-wrapper -###in-video-ad-center-main -###inVideoAd -###in_ad_col_a -###in_post_ad_middle_1 -###in_serp_ad -###inadspace +###inArticleAdv ###inarticlead ###inc-ads-bigbox +###incontent-ad-2 +###incontent-ad-3 +###incontentAd1 +###incontentAd2 +###incontentAd3 ###index-ad ###index-bottom-advert ###indexSquareAd @@ -14700,12 +4195,10 @@ _popunder+$popup ###indexad300x250l ###indexsmallads ###indiv_adsense -###infinite-adslot-1 -###influads_block ###infoBottomAd +###infoboxadwrapper ###inhousead ###initializeAd -###injectableTopAd ###inline-ad ###inline-ad-label ###inline-advert @@ -14718,47 +4211,36 @@ _popunder+$popup ###inlineBottomAd ###inline_ad ###inline_ad_section -###inline_search_ad ###inlinead ###inlineads -###inlinegoogleads -###inlist-ad-block ###inner-ad ###inner-ad-container ###inner-advert-row -###inner-deals-ads ###inner-top-ads ###innerad ###innerpage-ad -###innovativeadspan ###inside-page-ad ###insideCubeAd -###insidearticleBodyAd -###insider_ad_wrapper +###instant_ad ###insticator-container ###instoryad -###instoryadtext -###instoryadwrap -###insurance-ad-1-container ###int-ad -###intAdUnit ###int_ad ###interads +###intermediate-ad ###internalAdvert ###internalads +###interstitial-shade ###interstitialAd ###interstitialAdContainer ###interstitialAdUnit ###interstitial_ad ###interstitial_ad_container -###interstitial_ad_wrapper ###interstitial_ads -###interviews-ad -###intraTextAd +###intext_ad ###introAds +###intro_ad_1 ###invid_ad -###ip-ad-leaderboard -###ip-ad-skyscraper ###ipadv ###iq-AdSkin ###iqadcontainer @@ -14767,97 +4249,43 @@ _popunder+$popup ###iqadtile11 ###iqadtile14 ###iqadtile15 +###iqadtile16 ###iqadtile2 ###iqadtile3 ###iqadtile4 -###iqadtile5 +###iqadtile41 +###iqadtile6 ###iqadtile8 ###iqadtile9 -###iqd_align_Ad -###iqd_mainAd -###iqd_rightAd -###iqd_topAd -###ir-sidebar-ad -###irgoogleadsense +###iqadtile99 ###islandAd ###islandAdPan ###islandAdPane ###islandAdPane2 -###islandAdPaneGoogle -###islandAdSponsored ###island_ad_top ###islandad -###isliveContainer -###issue-sidebar-ad -###item-detail-feature-ad -###itemGroupAd2 -###iv160ad -###iv728ad -###iwad -###j_ad -###j_special_ad -###jetso-ad -###ji_medShowAdBox -###jmp-ad-buttons -###job_ads_container ###jobs-ad -###jobsAdBox -###joead -###joead2 ###js-ad-billboard ###js-ad-leaderboard -###js-adslot-300x250-storyrec ###js-image-ad-mpu -###js-outbrain-ads-module -###js-outbrain-rightrail-ads-module ###js-page-ad-top -###js-react-video-player-ad-right -###js-site-nav-ad-wrap -###js-story__ad-storyrec ###js-wide-ad -###js_adsense -###jt-advert -###jupiter-ads -###ka_adFullBanner -###ka_adMediumRectangle -###ka_adRightSkyscraperWide -###ka_adsense_container -###ka_samplead -###kads-main -###kamidarticle-adnotice -###kamidarticle-middle-content -###karmaAds -###kaufDA-widget -###kb-ad-banner -###kbbAdsMainCenterAd -###kdz_ad1 -###kdz_ad2 -###keen_overlay_ad_display -###keyadvertcontainer -###khAdSpace -###ksperAD -###l_home-keen_ad_mask -###landing-adserve -###landing-adserver -###lapho-top-ad-1 +###js_commerceInsetModule +###jsid-ad-container-post_above_comment +###jsid-ad-container-post_below_comment ###large-ads +###large-bottom-leaderboard-ad +###large-leaderboard-ad +###large-middle-leaderboard-ad ###large-rectange-ad ###large-rectange-ad-2 -###large-screen-ads ###large-skyscraper-ad ###largeAd ###largeAds ###large_rec_ad1 ###largead -###lateAd -###lateralAdWrapper -###launchpad-ads-2 -###layerAds_layerDiv -###layerTLDADSERV ###layer_ad ###layer_ad_content -###layer_ad_main -###layer_adv1 ###layerad ###layeradsense ###layout-header-ad-wrapper @@ -14874,6 +4302,7 @@ _popunder+$popup ###leadad_2 ###leader-ad ###leader-board-ad +###leader-companion > a[href] ###leaderAd ###leaderAdContainer ###leaderAdContainerOuter @@ -14884,58 +4313,32 @@ _popunder+$popup ###leaderad_section ###leaderadvert ###leaderboard-ad -###leaderboard-ad-1 -###leaderboard-ad-1-container -###leaderboard-ad-1_iframe -###leaderboard-ad-2 -###leaderboard-ad-2_iframe -###leaderboard-ad-3 -###leaderboard-ad-3_iframe -###leaderboard-ad-4 -###leaderboard-ad-4_iframe -###leaderboard-ad-5 -###leaderboard-ad-5_iframe -###leaderboard-ad-bottom -###leaderboard-ad-bottom-container -###leaderboard-ad-container -###leaderboard-ad-container-1 +###leaderboard-advert ###leaderboard-advertisement +###leaderboard-atf ###leaderboard-bottom-ad +###leaderboard.ad ###leaderboardAd -###leaderboardAdArea -###leaderboardAdArea2 -###leaderboardAdLabel -###leaderboardAdSibling ###leaderboardAdTop ###leaderboardAds ###leaderboardAdvert -###leaderboardAdvertFooter -###leaderboardBottomAd ###leaderboard_728x90 ###leaderboard_Ad -###leaderboard__advertising ###leaderboard_ad -###leaderboard_ad_gam -###leaderboard_ad_main -###leaderboard_ad_unit ###leaderboard_ads ###leaderboard_bottom_ad ###leaderboard_top_ad ###leaderboardad -###leaderboardadtagwidget-2 -###learad ###leatherboardad ###left-ad ###left-ad-1 ###left-ad-2 ###left-ad-col +###left-ad-iframe ###left-ad-skin ###left-bottom-ad ###left-col-ads-1 ###left-content-ad -###left-lower-adverts -###left-lower-adverts-container -###left-rail-ad ###leftAD ###leftAdAboveSideBar ###leftAdCol @@ -14950,7 +4353,6 @@ _popunder+$popup ###leftBanner-ad ###leftColumnAdContainer ###leftGoogleAds -###leftSectionAd300-100 ###leftTopAdWrapper ###left_ad ###left_ads @@ -14964,187 +4366,103 @@ _popunder+$popup ###left_global_adspace ###left_side_ads ###left_sidebar_ads -###left_skyscraper_ad ###left_top_ad -###left_ws_ad_container ###leftad ###leftadg ###leftads ###leftcolAd ###leftcolumnad ###leftforumad -###leftframeAD ###leftrail_dynamic_ad_wrapper ###lg-banner-ad -###lgfRightBarAd -###lhsBottomAd -###li-right-geobooster-oas ###ligatus ###ligatus_adv ###ligatusdiv ###lightboxAd -###lilo_imageAd -###linebreak-ads ###linkAdSingle ###linkAds ###link_ads ###linkads -###links-ads-detailnews ###listadholder ###liste_top_ads_wrapper ###listing-ad ###live-ad -###lj_ad_row -###load-adslargerect ###localAds +###localpp ###locked-footer-ad-wrapper ###logoAd ###logoAd2 ###logo_ad ###long-ad -###long-ad-box ###long-ad-space ###long-bottom-ad-wrapper ###longAdSpace ###longAdWrap ###long_advert_header ###long_advertisement -###loopme-interscroller-ad-container ###lower-ad-banner +###lower-ads ###lower-advertising +###lower-home-ads ###lowerAdvertisement ###lowerAdvertisementImg ###lower_ad +###lower_content_ad_box ###lowerads ###lowerthirdad -###lowertop-adverts -###lowertop-adverts-container -###lpAdPanel ###lrec_ad ###lrecad -###lsadvert-left_menu_1 -###lsadvert-left_menu_2 -###lsadvert-top -###mBannerAd -###m_top_adblock -###madison_ad_248_100 -###madskills-ad-manager-0 -###madskills-ad-manager-1 -###madskills-ad-manager-2 -###madskills-ad-manager-3 -###magnify_player_continuous_ad +###m-banner-bannerAd ###main-ad -###main-ad160x600 -###main-ad160x600-img -###main-ad728x90 ###main-advert -###main-advert1 -###main-advert2 -###main-advert3 -###main-bottom-ad -###main-bottom-ad-tray -###main-content-ad1 -###main-content-adcontent1 -###main-header-ad-wrap -###main-header-ad-wrap-home -###main-header-advertisement -###main-middle-ad -###main-right-ad-tray -###main-tj-ad ###mainAd ###mainAd1 ###mainAdUnit ###mainAdvert -###mainAdvertismentP -###mainHeaderAdvertisment -###mainMenu_divTopAd ###mainPageAds ###mainPlaceHolder_coreContentPlaceHolder_rightColumnAdvert_divControl ###main_AD ###main_ad ###main_ads ###main_content_ad -###main_left_side_ads -###main_page_970x250_1_ad ###main_rec_ad -###main_right_side_ads -###main_right_side_ads_130_01 ###main_top_ad -###main_top_ad_container -###major_ad -###maker-rect-ad +###mainui-ads +###mapAdsSwiper ###mapAdvert -###marcoad -###marketing-promo -###marketingRotator -###marketplace-ad-1 -###marketplace-ad-2 ###marketplaceAds +###marquee-ad ###marquee_ad -###masSearchAd -###mason_adv_bp_1 -###mason_adv_bp_2 -###mason_adv_bp_3 -###mason_adv_bp_4 -###mason_adv_rn_2 ###mastAd ###mastAdvert -###mast_ad_wrap -###mast_ad_wrap_btm -###mast_logo_advertisement ###mastad -###masterTopAds ###masterad -###mastercardAd -###masthead-ad ###masthead_ad ###masthead_ads_container ###masthead_topad -###matchFooterAd -###mbbs-ad-in-content-shortcode -###mc-videoads-overlay -###mc_ad -###md-sidebar-video-companion-ad-loaded -###md_adLoader -###md_topad -###me-adspace-002 ###med-rect-ad ###med-rectangle-ad ###medRecAd ###medReqAd ###media-ad -###media-ad-thumbs -###media-temple-ad -###mediaAdLeaderboard -###media_ad -###mediaget_box -###mediagoogleadsense -###mediaplayer_adburner ###medium-ad -###medium-rectangle-ad1 ###mediumAd1 ###mediumAdContainer ###mediumAdvertisement ###mediumRectangleAd -###mediumrectangle_300x250 ###medrec_bottom_ad ###medrec_middle_ad ###medrec_top_ad ###medrectad ###medrectangle_banner -###mee-ad-wrapper -###memberad -###mens-journal-feature-ad -###menu-ads -###menuAds ###menuad -###menubanner-ad-content +###menubarad ###mgid-container -###mhheader_ad -###mi_story_assets_ad -###microAdDiv -###microsoft_ad -###mid-ad300x250 +###mgid_iframe +###mid-ad-slot-1 +###mid-ad-slot-3 +###mid-ad-slot-5 +###mid-ads ###mid-table-ad ###midAD ###midRightAds @@ -15155,7 +4473,6 @@ _popunder+$popup ###mid_left_ads ###mid_mpu ###mid_roll_ad_holder -###midadd ###midadspace ###midadvert ###midbarad @@ -15163,15 +4480,10 @@ _popunder+$popup ###midcolumn_ad ###middle-ad ###middle-ad-destin -###middle-story-ad-container -###middleRightColumnAdvert +###middleAd ###middle_ad ###middle_ads -###middle_bannerad -###middle_bannerad_section -###middle_body_advertising ###middle_mpu -###middle_sponsor_ads ###middlead ###middleads ###middleads2 @@ -15179,75 +4491,39 @@ _popunder+$popup ###midrect_ad ###midstrip_ad ###mini-ad -###mini-panel-dart_stamp_ads -###mini-panel-dfp_stamp_ads -###mini-panel-top_ads -###mini-panel-two_column_ads -###miniAdsAd -###mini_ads_inset -###mkto_mid_ad -###mn_ads -###moa-ads-long -###mobile-ad-container -###mobile-ads-link -###mobileAd_holder -###mobile_ad_spot_header -###mochila-column-right-ad-300x250 -###mochila-column-right-ad-300x250-1 -###mod-ad-gemini-rm-1 -###mod-ad-msu-1 -###mod-ad-msu-2 -###mod-partner-center +###mobile-adhesion +###mobile-ads-ad +###mobile-footer-ad-wrapper +###mobileAdContainer +###mobile_ads_100_pc +###mobile_ads_block ###mod_ad ###mod_ad_top ###modal-ad -###modal_videoAd_wrapper -###module-ad-300x250 -###module-ad-728x90 -###module-google_ads +###module-ads-01 +###module-ads-02 ###module_ad ###module_box_ad -###module_sky_scraper ###monsterAd -###moogleAd -###mordern_adbar_wrap -###more_ad -###moreads -###morefooterads -###mos-adCarouselContainer -###mosBannerAd -###mosTileAds -###most_popular_ad -###motionAd -###movads10 -###movieads -###mozo-ad -###mph-rightad -###mpl_adv_text -###mpr-ad-leader -###mpr-ad-wrapper-1 -###mpr-ad-wrapper-2 ###mpu-ad ###mpu-advert ###mpu-cont ###mpu-content ###mpu-sidebar +###mpu1_parent ###mpu2 ###mpu2_container -###mpu300250 +###mpu2_parent ###mpuAd ###mpuAdvert -###mpuAdvertMob ###mpuContainer ###mpuDiv ###mpuInContent ###mpuSecondary ###mpuSlot ###mpuWrapper -###mpuWrapper600 ###mpuWrapperAd ###mpuWrapperAd2 -###mpu_300x250 ###mpu_ad ###mpu_ad2 ###mpu_adv @@ -15255,194 +4531,49 @@ _popunder+$popup ###mpu_box ###mpu_container ###mpu_div -###mpu_firstpost ###mpu_holder ###mpu_text_ad +###mpu_top ###mpuad ###mpubox ###mpuholder -###mpuholder01 -###mpusLeftAd -###mr_banner_topad -###mrec-advertisement -###mrecAdContainer -###mrecPlacement -###mrt-node-Col2-1-AdBlockPromo -###mrt-node-Col2-1-ComboAd -###mrt-node-Lead-2-AdBlockPromo -###mrt-node-tgtm-Col2-4-ComboAd -###msAds -###ms_ad -###msad -###msnAds_inner -###msn_header_ad -###msnau_ad_medium_rectangle -###mtSponsor -###mt_adv -###mts_ad_widget -###mu_2_ad -###multiLinkAdContainer -###multi_ad -###multibar-ads ###mvp-foot-ad-wrap ###mvp-post-bot-ad -###mvp_160_ad ###my-ads -###my-adsFPAD -###my-adsFPL -###my-adsFPT -###my-adsLDR -###my-adsLDRB -###my-adsLREC -###my-adsLREC2 -###my-adsLREC4-base -###my-adsMAST -###my-medium-rectangle-ad-1-container -###my-medium-rectangle-ad-2-container -###myAd -###myElementAd -###my_ad_mpu -###myads_HeaderButton -###mydfpad -###n_sponsor_ads -###na_adblock -###name-advert -###namecom_ad_hosting_main ###narrow-ad ###narrow_ad_unit -###nat-ad-300x250 -###natadad300x250 -###nationalAd_secondary_btm -###nationalAd_secondary_top -###national_ad -###national_microlink_ads -###nationalad +###native-ads-placeholder ###native_ad2 -###nativeadsteaser +###native_ads +###nav-ad-container ###navAdBanner ###nav_ad ###nav_ad_728_mid ###navads-container ###navbar_ads -###navi_banner_ad_780 ###navigation-ad -###nba160PromoAd -###nba300Ad -###nbaGI300ad -###nbaHeaderAds -###nbaHouseAnd600Ad -###nbaLeft600Ad -###nbaMidAds -###nbaVid300Ad -###nbabot728ad -###nbcAd300x250 -###nbcShowcaseAds -###nc-header-ads -###netBoard-ad -###network_header_ad_1 -###new-ad-footer -###new-ad-leaderboard -###new-ad-sidebottom -###new-ad-sidetop +###navlinkad ###newAd -###newPostProfileAd -###newPostProfileVerticalAd -###newTopAds -###new_ad_728_90 -###new_ad_header -###new_topad -###newadmpu -###newads -###news-adocs -###news_advertorial_content -###news_advertorial_top -###news_article_ad_mrec -###news_article_ad_mrec_right -###news_left_ad -###news_right_ad -###newstream_first_ad -###newuser_ad -###ng_rtcol_ad -###nia_ad -###nib-ad -###nlrightsponsorad -###noresults_ad_container -###noresultsads -###northad -###northbanner-advert -###northbanner-advert-container -###noticeAd_pc_wrap +###ng-ad +###ng-ad-lbl +###ni-ad-row +###nk_ad_top ###notify_ad -###np_content_ads_module -###nrAds -###nrcAd_Top -###ns_ad1 -###ns_ad2 -###ns_ad3 -###ntvAdZone ###ntvads -###nuevo_ad -###oanda_ads -###oas_Middle -###oas_Middle1 -###oas_Middle2 -###oas_Right -###oas_Right1 -###oas_Right2 -###oas_Section1 -###oas_Takeover -###oas_Top -###oas_Top1 -###oas_asponsor -###oas_wide_skyscraper -###oas_x70 -###ob_sponsoredcontent -###oba_message -###objadscript -###oem_ad -###ofie_ad -###omnibar_ad -###onPauseAdOverlayDesktop -###onespot-ads -###online_ad -###onpageads -###onpageadstext -###onscroll-ad-holder-mpu2 -###openx-slc ###openx-text-ad ###openx-widget -###openx_iframe -###origami-ad-container -###osDirAd2Post -###osads_300 -###outbrain-paid -###outbrainAdWrapper -###outbrain_dual_ad_fs_0_dual -###outbrain_vertical -###outerAd300 -###outerTwrAd -###outer_div_top_ad -###outsideAds -###ovAd -###ovAdWrap ###ovadsense ###overlay-ad-bg -###overlay-advertising ###overlay_ad ###overlayad ###overlayadd -###overtureSponsoredLinks +###p-Ad ###p-advert ###p-googlead ###p-googleadsense -###p-googleadsense-portletlabel ###p2HeaderAd ###p2squaread -###p360_ad_unit -###p_lt_zoneContent_SubContent_p_lt_zoneRight_IFrameAd_panelAd -###page-ad-container-TopLeft ###page-ad-top -###page-advert-3rdrail ###page-advertising ###page-header-ad ###page-top-ad @@ -15453,63 +4584,35 @@ _popunder+$popup ###pageAdvert ###pageBannerAd ###pageLeftAd -###pageOwnershipAd_side +###pageMiddleAdWrapper ###pageRightAd +###page__outside-advertsing ###page_ad ###page_ad_top -###page_content_top_ad ###page_top_ad ###pageads_top ###pagebottomAd -###pagelet_adbox -###pagelet_netego_ads -###pagelet_search_ads2 -###pagelet_side_ads ###pagination-advert -###paidlistingAds ###panel-ad ###panelAd ###panel_ad1 ###panoAdBlock -###parade_300ad -###parade_300ad2 ###partner-ad ###partnerAd ###partnerMedRec -###partnerSitesBannerAd ###partner_ads ###pause-ad +###pause-ads ###pauseAd -###pb_adbanner -###pb_report_ad -###pc-billboard-ad -###pcworldAdBottom -###pcworldAdTop +###pc-div-gpt-ad_728-3 ###pencil-ad ###pencil-ad-container ###perm_ad ###permads ###persistentAd ###personalization_ads -###pf-dialog-ads -###pg-ad-160x600 -###pg-ad-item-160x600 ###pgAdWrapper -###pgFooterAd -###pgHeaderAd -###pgSquareAd -###pgad_Bottom3 -###phContent_CommentsAjax_divAdTop -###photoAdvert -###photoAndAdBox -###photo_ad_google -###picad_div -###pinball_ad -###pinned_advert_top -###pinned_advert_top_wrapper -###pixAd -###plAds -###plat_sponsors_sidebar +###ph_ad ###player-ads ###player-advert ###player-advertising @@ -15523,45 +4626,21 @@ _popunder+$popup ###player_top_ad ###playerad ###playerads -###playvideotopad -###plrAd -###pmad-in1 -###pnAd2 -###pnlADS -###pnlRedesignAdvert -###pnl_BannerAdServed -###pod-ad-video-page -###pof_ads_Wrapper -###polar-sidebar-sponsored +###pop.div_pop ###pop_ad ###popadwrap ###popback-ad ###popoverAd -###popular-column-ad -###populate_ad_bottom -###populate_ad_left -###populate_ad_textupper -###populate_ad_textupper_textlink ###popupAd ###popupBottomAd -###popup_domination_lightbox_wrapper +###popup_ad_wrapper ###popupadunit -###portlet-advertisement-left -###portlet-advertisement-right -###pos_ContentAd2 ###post-ad -###post-ad-01 -###post-ad-02 -###post-ad-hd -###post-ad-layer ###post-ads -###post-adsense-top-banner ###post-bottom-ads ###post-content-ad -###post-main-banner-ad ###post-page-ad ###post-promo-ad -###post5_adbox ###postAd ###postNavigationAd ###post_ad @@ -15569,138 +4648,67 @@ _popunder+$popup ###post_adsense ###post_adspace ###post_advert -###post_id_ad_bot ###postads0 -###postpageaddiv ###ppcAdverts +###ppvideoadvertisement ###pr_ad ###pr_advertising ###pre-adv ###pre-footer-ad -###pre-main-banner-ad -###pre_advertising_wrapper -###pregame_header_ad -###preloaded-ad-frame -###premSpons -###premier-ad-space +###preAds_ad_mrec_intext +###preAds_ad_mrec_intext2 ###preminumAD -###premiumAdBottom ###premiumAdTop ###premium_ad -###premium_ad_inside ###premiumad ###premiumads -###premiumsponsorbox ###prerollAd ###preroll_ads -###preroll_compainion_ad -###priceGrabberAd -###primary_mpu_placeholder -###prime-ad-space -###print-advertisement -###print-header-ad +###primis-container +###primis_player ###print_ads ###printads -###privateadbox ###privateads -###pro_ads_custom_widgets-2 -###pro_ads_custom_widgets-3 -###pro_ads_custom_widgets-5 -###pro_ads_custom_widgets-7 -###pro_ads_custom_widgets-8 -###product-adsense -###profileAdHeader -###proj-bottom-ad ###promo-ad ###promoAds ###promoFloatAd ###promo_ads -###ps-ad-iframe -###ps-top-ads-sponsored -###ps-vertical-ads -###psmpopup -###pswp_advert -###pub-right-bottom-ads -###pub-right-top-ads ###pub468x60 ###pub728x90 -###publicGoogleAd ###publicidad -###publicidad-video -###publicidad_120 ###publicidadeLREC -###pulse360_1 ###pushAd ###pushDownAd -###pushdown-ad ###pushdownAd ###pushdownAdWrapper ###pushdown_ad ###pusher-ad ###pvadscontainer -###qaSideAd -###qadserve_728x90_StayOn_div -###qm-ad-big-box -###qm-ad-sky -###qm-dvdad -###qpon_big_ad-teaser -###qtopAd-graybg ###quads-ad1_widget -###quads-ad2 ###quads-ad2_widget -###quads-ad4 -###quick_ads_frame_bottom -###quidgetad -###quigo -###quigo-ad -###quigo_ad -###quinAdLeaderboard -###r-ad-tag -###r-ads-listings -###r-ads-preview-top -###r1SoftAd -###r_ad3_ad -###r_adver -###ra-taboola-bottom -###radioProfileAds -###rafael_side_ads_widget-5 +###quads-admin-ads-js +###r89-desktop-top-ad +###radio-ad-container ###rail-ad-wrap ###rail-bottom-ad ###railAd ###rail_ad ###rail_ad1 ###rail_ad2 -###raw-search-desktop-advertising-tower-1 -###rbAdWrapperRt -###rbAdWrapperTop -###rc_edu_span5AdDiv -###rd_banner_ad -###reader-ad-container -###realEstateAds -###rearad -###recommendedAdContainer +###rec_spot_ad_1 +###recommendAdBox ###rect-ad ###rectAd ###rect_ad ###rectad ###rectangle-ad ###rectangleAd -###rectangleAdSpace ###rectangleAdTeaser1 ###rectangle_ad -###rectangle_ad_smallgame ###redirect-ad ###redirect-ad-modal -###redirect_ad_1_div -###redirect_ad_2_div ###reference-ad -###refine-300-ad -###refine-ad -###refreshable_ad5 ###region-node-advert -###region-regions-ad-top -###region-top-ad -###reklam-728x90 ###reklam_buton ###reklam_center ###reklama @@ -15709,90 +4717,73 @@ _popunder+$popup ###reklama_left_up ###reklama_right_up ###related-ads -###related-projects-sponsor +###related-news-1-bottom-ad +###related-news-1-top-ad ###related_ad ###related_ads ###related_ads_box -###relatedvideosads2 -###relocation_ad_container -###remove_ads_button1 -###remove_ads_button2 +###removeAdsSidebar ###removeadlink ###responsive-ad +###responsive-ad-sidebar-container +###responsive_ad +###responsivead +###result-list-aside-topadsense ###resultSponLinks ###resultsAdsBottom ###resultsAdsSB ###resultsAdsTop -###rg_right_ad ###rh-ad ###rh-ad-container ###rh_tower_ad -###rhapsodyAd ###rhc_ads -###rhsBottomAd ###rhs_ads ###rhs_adverts ###rhsads ###rhsadvert ###richad ###right-ad -###right-ad-1 ###right-ad-block ###right-ad-col +###right-ad-iframe ###right-ad-skin -###right-ad-title ###right-ad1 -###right-adds ###right-ads -###right-ads-3 -###right-ads-4 +###right-ads-rail ###right-advert ###right-bar-ad ###right-box-ad -###right-col-ad-600 ###right-content-ad ###right-featured-ad -###right-mpu-1-ad-container -###right-uppder-adverts -###right-uppder-adverts-container +###right-rail-ad-slot-content-top +###right-widget-b-ads_widget-9 +###right-widget-c-ads_widget-7 +###right-widget-d-ads_widget-36 +###right-widget-top-ads_widget-23 ###right1-ad -###right160x600ads_part -###right2Ad_Iframe +###right1ad ###rightAD ###rightAd ###rightAd1 -###rightAd160x600 -###rightAd160x600two -###rightAd300x250 -###rightAd300x250Lower ###rightAdBar +###rightAdBlock ###rightAdColumn ###rightAdContainer -###rightAdDiv1 -###rightAdDiv2 -###rightAdDiv3 -###rightAdHideLinkContainer ###rightAdHolder -###rightAd_Iframe +###rightAdUnit ###rightAd_rdr ###rightAds ###rightAdsDiv -###rightBanner-ad ###rightBlockAd ###rightBottomAd -###rightBoxAdvertisement -###rightBoxAdvertisementLast ###rightColAd ###rightColumnAds -###rightColumnMpuAd -###rightColumnSkyAd -###rightDoubleClick -###rightMortgageAd +###rightRailAds ###rightSideAd ###rightSideAdvert -###rightSideSquareAdverts ###right_Ads2 ###right_ad +###right_ad_1 ###right_ad_2 ###right_ad_box ###right_ad_container @@ -15801,7 +4792,6 @@ _popunder+$popup ###right_ads ###right_ads_box ###right_adsense -###right_adv1-v2 ###right_advert ###right_advertisement ###right_advertising @@ -15813,15 +4803,8 @@ _popunder+$popup ###right_column_ad_container ###right_column_ads ###right_column_adverts -###right_column_internal_ad_container -###right_column_top_ad_unit -###right_gallery_ad -###right_global_adspace -###right_mini_ad -###right_panel_ads ###right_player_ad -###right_rail_ad_header -###right_side_bar_ami_ad +###right_side_ad ###right_sidebar_ads ###right_top_ad ###right_top_gad @@ -15833,254 +4816,98 @@ _popunder+$popup ###rightadBorder2 ###rightadContainer ###rightadcell -###rightadd300 ###rightadg ###rightadhome -###rightadpat ###rightads ###rightads300x250 ###rightadsarea -###rightadvertbar-doubleclickads ###rightbar-ad ###rightbar_ad -###rightcol_mgid ###rightcol_sponsorad -###rightcolhouseads -###rightcollongad -###rightcolumn_300x250ad -###rightcolumn_ad_gam -###rightforumad ###rightgoogleads -###rightinfoad ###rightrail-ad -###rightrail-ad-1 -###rightrail_ad-0 ###rightside-ads ###rightside_ad -###rightsideadstop ###rightskyad -###righttop-adverts -###righttop-adverts-container -###ringtone-ad-bottom -###ringtone-ad-top -###rladvt -###rm_ad_text -###rmx-ad-cta-box -###roadsheet-advertising -###rockmelt-ad-top -###rolldown-ad -###ros_ad -###rotate_textads_1 -###rotating-ad-display -###rotating-ads-wrap +###rm-adslot-bigsizebanner_1 +###rm-adslot-contentad_1 ###rotating_ad ###rotatingads ###row-ad -###row2AdContainer ###rowAdv -###rprightHeaderAd -###rpuAdUnit-0 -###rrAdWrapper -###rr_MSads -###rr_ad -###rr_gallery_ad -###rside_ad -###rside_adbox -###rt-ad -###rt-ad-top -###rt-ad468 ###rtAdvertisement -###rtMod_ad -###rt_side_top_google_ad -###rtcol_advert_1 -###rtcol_advert_2 -###rtm_div_562 -###rtm_html_226 -###rtm_html_920 -###rtmm_right_ad -###rtmod_ad -###rtn_ad_160x600 -###rubicsTextAd -###rxgcontent -###rxgfooter -###rxgheader -###rxgleftbar -###rxgrightbar -###sAdsBox -###s_ads_header -###say-center-contentad -###sb-ad-sq -###sb_ad_links -###sb_advert -###sbads-top -###scoreAD -###script_ad_0 ###scroll-ad ###scroll_ad -###scroll_banner_ad -###scrollingads -###sct_side_ads -###sdac_bottom_ad_widget-3 -###sdac_footer_ads_widget-3 -###sdac_skyscraper_ad_widget-3 -###sdac_top_ad_widget-3 -###sdbr_ad_cnt ###search-ad ###search-ads1 ###search-google-ads -###search-results-sponsored ###search-sponsor ###search-sponsored-links -###search-sponsored-links-top ###searchAd -###searchAdFrame -###searchAdSenseBox -###searchAdSenseBoxAd -###searchAdSkyscraperBox ###searchAds -###searchGoogleAdBottom -###searchPaneGoogleAd ###search_ad ###search_ads -###search_result_ad -###searchresult_advert_right -###searchsponsor -###sec_adspace -###second-adframe -###second-adlayer -###second-right-ad-tray -###second-story-ad -###secondAD -###secondBoxAd -###secondBoxAdContainer ###second_ad_div ###secondad -###secondary_ad_inventory -###secondaryad -###secondrowads -###sect-ad-300x100 -###sect-ad-300x250 -###sect-ad-300x250-2 ###section-ad -###section-ad-1-728 -###section-ad-300-250 -###section-ad-4-160 ###section-ad-bottom -###section-blog-ad -###section-container-ddc_ads -###section-footer-ribbonad -###section-pagetop-ad -###section-sub-ad ###section_ad ###section_advertisements -###section_advertorial_feature -###sector-widget__tiny-ad ###self-ad -###self_serve_ads -###sensis_island_ad_1 -###sensis_island_ad_1_column -###sensis_island_ad_2 -###sensis_island_ad_2_column -###sensis_island_ad_3 -###sensis_island_ad_3_column -###serveAd1 -###serveAd2 -###serveAd3 -###servfail-ads -###sew-ad1 -###sew_advertbody -###sfif-wrapper-keywordad-0 -###sgAdHeader -###sgAdScGp160x600 -###shell-ad_bnr_atf_01 -###shell-ad_bnr_btf_01 -###shell-ad_rect_atf_02 -###shell-ad_rect_btf_01 -###shellnavAd -###shoppingads -###shortads -###shortnews_advert +###sev1mposterad ###show-ad -###show-player-right-ad +###show-sticky-ad ###showAd ###show_ads -###show_ads1 -###show_right_ad -###show_top_ad1 ###showads ###showcaseAd -###sic_superBannerAd-loader -###sic_superBannerAdTop ###side-ad ###side-ad-container ###side-ads ###side-ads-box ###side-banner-ad -###side-big-ad-bottom -###side-big-ad-middle ###side-boxad -###side-content-ad-1 -###side-content-ad-2 -###side-halfpage-ad -###side-skyscraper-ad -###side160x600banner ###sideABlock -###sideABlockHeader ###sideAD ###sideAd ###sideAd1 ###sideAd2 +###sideAd3 +###sideAd4 ###sideAdArea ###sideAdLarge ###sideAdSmall ###sideAdSub ###sideAds -###sideAdsBis ###sideBannerAd ###sideBar-ads ###sideBarAd -###sideBySideAds ###sideSponsors ###side_ad -###side_ad_call -###side_ad_container_A ###side_ad_module ###side_ad_wrapper -###side_adkit ###side_ads -###side_ads_by_google -###side_adv_2 ###side_adverts ###side_longads -###side_sky_ad ###side_skyscraper_ad ###side_sponsors ###sidead ###sidead1 -###sidead1mask -###sideadbox ###sideads ###sideads_container ###sideadscol -###sideadtop-to ###sideadvert ###sideadzone -###sidebar-125x125-ads -###sidebar-125x125-ads-below-index ###sidebar-ad -###sidebar-ad-300 +###sidebar-ad-1 +###sidebar-ad-2 ###sidebar-ad-block ###sidebar-ad-boxes -###sidebar-ad-holdd -###sidebar-ad-holdd-middle -###sidebar-ad-loader ###sidebar-ad-middle -###sidebar-ad-space ###sidebar-ad-wrap ###sidebar-ad1 ###sidebar-ad2 ###sidebar-ad3 -###sidebar-ad_dbl ###sidebar-ads ###sidebar-ads-content ###sidebar-ads-narrow @@ -16090,21 +4917,11 @@ _popunder+$popup ###sidebar-adv ###sidebar-advertise-text ###sidebar-advertisement -###sidebar-banner300 -###sidebar-corner-ad -###sidebar-feed-ad ###sidebar-left-ad -###sidebar-long-advertise ###sidebar-main-ad -###sidebar-post-120x120-banner -###sidebar-post-300x250-banner -###sidebar-scroll-ad-container -###sidebar-sponsor-link ###sidebar-sponsors ###sidebar-top-ad ###sidebar-top-ads -###sidebar2-ads -###sidebar2ads ###sidebarAd ###sidebarAd1 ###sidebarAd2 @@ -16112,6 +4929,7 @@ _popunder+$popup ###sidebarAdSpace ###sidebarAdUnitWidget ###sidebarAds +###sidebarAdvTop ###sidebarAdvert ###sidebarSponsors ###sidebarTextAds @@ -16120,25 +4938,20 @@ _popunder+$popup ###sidebar_ad_1 ###sidebar_ad_2 ###sidebar_ad_3 -###sidebar_ad_adam +###sidebar_ad_big ###sidebar_ad_container ###sidebar_ad_top ###sidebar_ad_widget ###sidebar_ad_wrapper ###sidebar_adblock ###sidebar_ads -###sidebar_ads_180 ###sidebar_box_add -###sidebar_mini_ads -###sidebar_sponsoredresult_body ###sidebar_topad -###sidebar_txt_ad_links ###sidebarad -###sidebarad_300x600-33 -###sidebarad_300x600-4 +###sidebarad0 ###sidebaradpane +###sidebarads ###sidebaradsense -###sidebaradver_advertistxt ###sidebaradverts ###sidebard-ads-wrapper ###sidebargooglead @@ -16146,21 +4959,14 @@ _popunder+$popup ###sidebarrectad ###sideline-ad ###sidepad-ad -###silver_sponsors_sidebar -###simple_ads_manager_ad_widget-2 -###simple_ads_manager_widget-3 -###simple_ads_manager_widget-4 -###simplyhired_job_widget ###single-ad ###single-ad-2 ###single-adblade ###single-mpu -###singleADS -###singleADS3 ###singleAd ###singleAdsContainer -###single_ad_above_content ###singlead +###singleads ###site-ad-container ###site-ads ###site-header__ads @@ -16168,33 +4974,26 @@ _popunder+$popup ###site-sponsor-ad ###site-sponsors ###siteAdHeader -###site_body_header_banner_ad ###site_bottom_ad_div ###site_content_ad_div ###site_top_ad ###site_wrap_ad ###sitead -###sitemap_ad_left ###skcolAdSky ###skin-ad ###skin-ad-left-rail-container ###skin-ad-right-rail-container ###skinTopAd -###skin_ADV_DIV ###skin_adv ###skinad-left ###skinad-right -###skinmid-ad -###skinmid-ad_iframe ###skinningads ###sky-ad ###sky-ads ###sky-left ###sky-right -###sky-top-ad ###skyAd ###skyAdContainer -###skyAdNewsletter ###skyScraperAd ###skyScrapperAd ###skyWrapperAds @@ -16206,8 +5005,6 @@ _popunder+$popup ###skyline_ad ###skyscrapeAd ###skyscraper-ad -###skyscraper-ad-1 -###skyscraper-ad-2 ###skyscraperAd ###skyscraperAdContainer ###skyscraperAdWrap @@ -16217,60 +5014,29 @@ _popunder+$popup ###skyscraper_advert ###skyscraperadblock ###skyscrapper-ad -###slcontent3_6_sbottom_0_pnlAdSlot +###slideAd ###slide_ad ###slidead ###slideboxad ###slider-ad ###sliderAdHolder ###slider_ad -###slideshow-middle-ad -###slideshowAd -###slideshow_ad_300x250 ###sm-banner-ad ###smallAd -###smallBannerAdboard ###small_ad -###small_ad_banners_vertical ###small_ads ###smallad ###smallads ###smallerAd -###smoozed-ad -###smxTextAd -###socialAD -###socialBarAd -###socialBarAdMini -###some-ads -###some-ads-holder -###some-more-ads -###sortsite1-bottom-ad -###source-ad-native-sticky-wrapper -###source_ad -###source_content_ad ###sp-adv-banner-top -###sp-advtop1 -###sp-advtop3 -###spec_offer_ad2 -###special-deals-ad -###specialAd_one -###specialAd_two +###specialAd ###special_ads ###specialadfeatures -###specialadvertisingreport_container ###specials_ads ###speed_ads ###speeds_ads -###speeds_ads_fstitem -###speedtest_mrec_ad -###sphereAd -###sphereAd-wrap -###spl_ad -###spnAds -###spnslink +###splashy-ad-container-top ###sponBox -###sponLinkDiv_1 -###sponLinkDiv_2 ###spon_links ###sponlink ###sponlinks @@ -16278,14 +5044,16 @@ _popunder+$popup ###sponsLinks ###spons_links ###sponseredlinks +###sponsor-box-widget +###sponsor-flyout ###sponsor-flyout-wrap ###sponsor-links +###sponsor-partners ###sponsor-sidebar-container ###sponsorAd ###sponsorAd1 ###sponsorAd2 ###sponsorAdDiv -###sponsorBanners32 ###sponsorBar ###sponsorBorder ###sponsorContainer0 @@ -16300,7 +5068,6 @@ _popunder+$popup ###sponsor_300x250 ###sponsor_ad ###sponsor_ads -###sponsor_banderole ###sponsor_bar ###sponsor_bottom ###sponsor_box @@ -16310,23 +5077,18 @@ _popunder+$popup ###sponsor_header ###sponsor_link ###sponsor_no -###sponsor_partner_single ###sponsor_posts ###sponsor_right ###sponsored-ads -###sponsored-bucket -###sponsored-features +###sponsored-carousel-nucleus ###sponsored-footer ###sponsored-inline ###sponsored-links +###sponsored-links-alt ###sponsored-links-container -###sponsored-links-list -###sponsored-links-media-ads ###sponsored-listings ###sponsored-message -###sponsored-not ###sponsored-products -###sponsored-products-dp_feature_div ###sponsored-recommendations ###sponsored-resources ###sponsored-search @@ -16338,81 +5100,45 @@ _popunder+$popup ###sponsoredBottom ###sponsoredBox1 ###sponsoredBox2 -###sponsoredContentTile_midCol -###sponsoredContentTile_rightCol ###sponsoredFeaturedHoz ###sponsoredHoz ###sponsoredLinks ###sponsoredLinksBox -###sponsoredLinks_Bottom -###sponsoredLinks_Top ###sponsoredList -###sponsoredProducts2_feature_div -###sponsoredProducts_feature_div ###sponsoredResults ###sponsoredResultsWide -###sponsoredSiteMainline -###sponsoredSiteSidebar ###sponsoredTop -###sponsoredWd ###sponsored_ads -###sponsored_ads_v4 ###sponsored_container ###sponsored_content -###sponsored_game_row_listing ###sponsored_head ###sponsored_label -###sponsored_link ###sponsored_link_bottom ###sponsored_links ###sponsored_native_ad -###sponsored_news -###sponsored_option -###sponsored_v12 +###sponsoredad ###sponsoredads ###sponsoredlinks -###sponsoredlinks_cntr -###sponsoredlinks_left_wrapper -###sponsoredlinkslabel -###sponsoredresultsBottom_body -###sponsoredresults_top -###sponsoredwellcontainerbottom +###sponsorfeature ###sponsorlink ###sponsors-article ###sponsors-block ###sponsors-home ###sponsorsBox ###sponsorsContainer -###sponsors_right_container -###sponsors_top_container -###sponsorsads1 -###sponsorsads2 +###sponsorship-area-wrapper ###sponsorship-box -###sponsorshipBadge ###sporsored-results -###sports_only_ads -###spotXAd -###spotadvert -###spotadvert1 -###spotadvert2 -###spotadvert3 -###spotadvert5 -###spotlight-ad-container-block -###spotlight-ad_iframe ###spotlight-ads ###spotlightAds ###spotlight_ad ###spotlightad -###spr_ad_bg -###spreadly-advertisement-container ###sprint_ad ###sqAd ###sq_ads ###square-ad ###square-ad-box -###square-ad-slider-wrapper ###square-ad-space -###square-ad-space_btm ###square-ads ###square-sponsors ###squareAd @@ -16423,137 +5149,60 @@ _popunder+$popup ###squareAds ###squareGoogleAd ###square_ad -###square_lat_adv ###squaread -###squareadAdvertiseHere +###squareadevertise ###squareadvert ###squared_ad -###srp_adsense-top -###ss-ad-container -###ss-ad-overlay -###ss-ads-container -###st_topads -###stageAds -###starad -###start_middle_container_advertisment -###static_textads_1 +###staticad ###stationad ###sticky-ad +###sticky-ad-bottom ###sticky-ad-container -###sticky-top-ad-spacer -###sticky-top-ad-wrap +###sticky-ad-header +###sticky-add-side-block +###sticky-ads +###sticky-ads-top +###sticky-custom-ads +###sticky-footer-ad +###sticky-footer-ads +###sticky-left-ad +###sticky-rail-ad ###stickyAd ###stickyAdBlock ###stickyBottomAd +###stickySidebarAd ###stickySkyAd -###sticky_ad_bar -###sticky_adv_container +###sticky_sidebar_ads ###stickyad ###stickyads ###stickyleftad ###stickyrightad ###stopAdv -###stopAdvt -###story-90-728-area +###stop_ad3 ###story-ad -###story-ad-1-wrapper -###story-ad-2-wrapper -###story-ad-4-wrapper -###story-ad-a -###story-ad-b -###story-ad-top -###story-ad-wrap ###story-bottom-ad -###story-leaderboard-ad -###story-page-embedded-after2-ad -###story-page-leaderboard-ad -###story-separator-ads -###story-sponsoredlinks ###storyAd -###storyAdWrap ###story_ad ###story_ads -###story_main_mpu -###story_unseen_ad ###storyad2 -###storyblock-ad -###strip_adv ###stripadv -###style_ad_bottom -###subAdsFooter -###subbgad ###subheaderAd -###submenu-ads -###subpage-ad-right -###subpage-ad-top -###subpageAd -###subpage_234x60ad -###sugarad-stitial-overlay -###super_ad -###supp-ad1 -###supp-ad1-player -###svp-ad -###swads -###sway-banner-ad -###sway-banner-ad-container -###sway-banner-ad1 -###sweep_right_ad -###sweep_top_ad -###swfAd1 -###swfAd5 -###syn_headerad_zone -###synced-ad -###synch-ad -###systemad_background -###t7ad -###tabAdvertising -###table_ads -###taboola-above-article-thumbnails-title -###taboola-ad -###taboola-adverts -###taboola-below -###taboola-below-article-thumbnails-3rd -###taboola-below-home-thumbnails-homepage -###taboola-content -###taboola-footer-ad -###taboola-right-rail-stream-2nd -###taboola-right-rail-thumbnails-1st -###taboola-top-banner-abp -###taboola_related -###tailResultAd ###takeover-ad ###takeover_ad ###takeoverad -###targetWeeklyAd -###targetWeeklyAdLogo -###targeted-ads -###tblAd -###tblReklama2 -###tbl_googlead -###tbo_headerads -###tcHeaderMobileLeaderBoard-advertisement-desktop -###tcwAd -###td-GblHdrAds -###td-applet-ads_2_container -###td-applet-ads_container +###td-ad-placeholder ###tdAds -###tdBannerTopAds -###tdGoogleAds -###td_adunit1 -###td_adunit1_wrapper ###td_adunit2 ###td_sponsorAd -###teaser-adtag-left -###teaser-adtag-right -###temp-ads -###template_ad_leaderboard -###template_affiliates -###tertiary_advertising -###test_adunit_160_article +###team_ad +###teaser1[style^="width:autopx;"] +###teaser2[style^="width:autopx;"] +###teaser3[style="width: 100%;text-align: center;display: scroll;position:fixed;bottom: 0;margin: 0 auto;z-index: 103;"] +###teaser3[style^="width:autopx;"] ###text-ad ###text-ads +###text-intext-ads ###text-link-ads -###text-linkAD ###textAd ###textAd1 ###textAds @@ -16563,62 +5212,26 @@ _popunder+$popup ###text_advert ###textad ###textad3 -###textad_block -###textads_right_container ###textlink-advertisement -###textlink_ads_placeholder ###textsponsor -###tf_page_ad_content_bottom -###tgAD_imu_2 -###tgAD_imu_3 -###tgAD_imu_4 -###tgt1-Bottom-0-AdBlockPromo-Proxy -###tgt1-Col2-0-ComboAd-Proxy -###tgt1-Col2-1-ComboAd-Proxy -###tgt1-Col2-2-AdBlockPromo-Proxy -###the-last-ad-standing -###theAd -###theadsADT3 -###thefooterad -###thelistBottomAd -###themis-ads -###thheaderadcontainer -###thirdPartySponsorLinkAds -###third_party_ads -###thisisnotanad -###thistad -###thread-ad -###ti-sway-ad +###tfm_admanagerTeaser ###tile-ad ###tileAds -###tilia_ad -###tippytop-ad -###title-sponsor-banner -###title-wide-sponsored-by -###tmcomp_ad -###tmgAd_div_mpu_1 -###tmglBannerAd -###tmn_ad_1 -###tmn_ad_2 -###tmn_ad_3 -###tmp2_promo_ad -###tnt_ad_column +###tmInfiniteAd ###toaster_ad -###tobsideAd -###today_ad_bottom -###toolbarSlideUpAd ###top-ad -###top-ad-970x250 +###top-ad-area ###top-ad-banner ###top-ad-container ###top-ad-content ###top-ad-desktop +###top-ad-div ###top-ad-google -###top-ad-left-spot -###top-ad-menu -###top-ad-position-inner +###top-ad-iframe ###top-ad-rect -###top-ad-right-spot +###top-ad-slot +###top-ad-slot-0 +###top-ad-slot-1 ###top-ad-unit ###top-ad-wrapper ###top-adblock @@ -16626,31 +5239,29 @@ _popunder+$popup ###top-ads ###top-ads-1 ###top-ads-contain -###top-ads-tabs +###top-ads-container ###top-adspot ###top-advert ###top-advertisement ###top-advertisements +###top-advertising-content ###top-banner-ad +###top-banner-ad-browser +###top-buy-sell-ads ###top-dfp +###top-head-ad ###top-leaderboard-ad ###top-left-ad ###top-middle-add ###top-not-ads ###top-right-ad -###top-search-ad-wrapper -###top-sidebar-ad-300x250 +###top-right-ad-slot +###top-skin-ad +###top-skin-ad-bg ###top-sponsor-ad ###top-story-ad -###top100_ad300right -###top100_ad300rightbottom -###top2_ads -###top300x250ad -###top3_ads -###top728ad ###topAD ###topAd -###topAd300x250_ ###topAd728x90 ###topAdArea ###topAdBanner @@ -16660,7 +5271,6 @@ _popunder+$popup ###topAdDiv ###topAdDropdown ###topAdHolder -###topAdSenseDiv ###topAdShow ###topAdSpace ###topAdSpace_div @@ -16675,73 +5285,56 @@ _popunder+$popup ###topAdv ###topAdvBox ###topAdvert -###topAdvert-09 ###topBanner-ad ###topBannerAd ###topBannerAdContainer ###topBannerAdv -###topContentAdTeaser ###topImgAd -###topLBAd -###topLeaderAdAreaPageSkin ###topLeaderboardAd ###topMPU ###topMpuContainer -###topNavLeaderboardAdHolder -###topOpenXAdSlot -###topOverallAdArea -###topRightBlockAdSense +###topSponsorBanner ###topSponsoredLinks ###top_AD ###top_ad -###top_ad-sense +###top_ad-360 ###top_ad_area ###top_ad_banner ###top_ad_block ###top_ad_box ###top_ad_container -###top_ad_game -###top_ad_inventory -###top_ad_parent -###top_ad_strip ###top_ad_td ###top_ad_unit -###top_ad_widget_area ###top_ad_wrapper ###top_ad_zone -###top_adblock_fix ###top_add ###top_ads +###top_ads_box ###top_ads_container ###top_ads_region ###top_ads_wrap ###top_adsense_cont ###top_adspace ###top_adv -###top_adv-v2 -###top_adv_220 -###top_adv_728 ###top_advert ###top_advert_box ###top_advertise ###top_advertising ###top_banner_ads -###top_banner_adsense ###top_container_ad -###top_content_ad_inner_container -###top_google_ad_container ###top_google_ads -###top_header_ad_wrapper ###top_mpu ###top_mpu_ad ###top_rectangle_ad ###top_right_ad +###top_row_ad ###top_span_ad ###top_sponsor_ads ###top_sponsor_text ###top_wide_ad ###topad ###topad-728x90 +###topad-block ###topad-wrap ###topad1 ###topad2 @@ -16757,8 +5350,10 @@ _popunder+$popup ###topadcell ###topadcontainer ###topaddwide -###topadh +###topadleft ###topadone +###topadplaceholder +###topadright ###topads-spacer ###topads-wrapper ###topadsblock @@ -16766,8 +5361,6 @@ _popunder+$popup ###topadsense ###topadspace ###topadvert -###topadvertisements -###topadvertisementwrapper ###topadwrap ###topadz ###topadzone @@ -16777,14 +5370,12 @@ _popunder+$popup ###topbanneradtitle ###topbar-ad ###topbarAd -###topbar_Adc1_AdContainer +###topbarad ###topbarads ###topcustomad ###topheader_ads -###topicPageAdsense ###topleaderAd ###topleaderboardad -###topnav-ad-shell ###topnavad ###toppannonse ###topright-ad @@ -16797,220 +5388,99 @@ _popunder+$popup ###topsponsored ###toptextad ###tor-footer-ad -###tour300Ad -###tour728Ad -###tourSponsoredLinksContainer ###tower1ad ###towerAdContainer ###towerad -###tpd-box-ad-b -###tr-ad -###tr-ad-mpu01 -###tr-ad-mpu02 -###tr-adv-banner -###trafficrevenue2 +###tpd-post-header-ad +###tpl_advertising ###transparentad -###travel_ad ###trc_google_ad -###trendex-sponsor-ad -###trib2-footer-ad-back -###trib2-leaderboard-ad-back -###tripleAdInner -###tripleAdOuter -###ts-ad_module -###tsad1 -###tsad2 -###ttp_ad_slot1 -###ttp_ad_slot2 -###tube_ad -###turnAD -###tut_ads -###tvd-ad-top -###tvplayer_main_adwrap -###twenty_seventeen_advert_slider -###twogamesAd -###txfPageMediaAdvertVideo -###txtAdcontainer2 -###txtTextAd -###txt_link_ads -###txtads -###ucfooterad -###ugly-ad -###ui-about-these-ads-img -###ultraWideAdContainer -###underPlayerAd -###under_content_ad -###under_story_ad -###undergameAd -###universalAdContainer -###uploadMrecAd +###txtAdHeader ###upper-ads -###upperAdvertisementImg ###upperMpu ###upperRightAds ###upper_adbox ###upper_advertising ###upper_small_ad ###upperad -###urban_contentad_1 -###urban_contentad_2 -###urban_contentad_article -###usa_ad_728x90 -###usenetAdsTable -###uvp_ad_container -###uzcrsite -###vListAds -###v_ad -###vap_adsense-top -###variant_adsLazyLoad -###vc_side_ad -###vdiAd -###vdls-adv -###vdls-advs +###velsof_wheel_container ###vert-ads ###vertAd2 ###vert_ad ###vert_ad_placeholder ###vertad1 +###vertical.ad ###verticalAds ###vertical_ad ###vertical_ads -###vhDivAdSlot300x250 -###vid-left-ad -###vid-right-ad -###vidAdBottom -###vidAdRight -###vidAdTop +###verticalads ###video-ad ###video-ad-companion-rectangle ###video-adv -###video-adv-300 ###video-adv-wrapper ###video-advert -###video-coverage-ad-300x250 ###video-embed-ads -###video-header-advert ###video-in-player-ad -###video-in-player-ad-container ###video-side-adv +###video-sponsor-links ###video-under-player-ad ###videoAd ###videoAdContainer ###videoAdvert ###videoCompanionAd +###videoOverAd +###videoOverAd300 ###videoPauseAd -###videoPlayerAdLayer -###video_ads_background -###video_ads_overdiv ###video_adv ###video_advert -###video_advert2 -###video_advert3 ###video_advert_top -###video_cnv_ad ###video_embed_ads -###video_hor_bottom_ads +###video_hor_bot_ads ###video_overlay_ad -###video_reklamy -###video_vert_right_ads -###videoadlogo +###videoad +###videoad-script-cnt ###videoads -###videopageadblock -###view-photo-ad ###viewAd1 -###view_ads_bottom_bg -###view_ads_bottom_bg_middle -###view_ads_content_bg -###view_ads_top_bg -###view_ads_top_bg_middle -###view_adtop -###viewer-ad-bottom -###viewer-ad-top -###viewer_ads_wrapper -###viewportAds -###viewvid_ad300x250 +###viewabilityAdContainer ###visual-ad -###votvAds_inner -###vsw-ads -###vsw_ad +###vuukle-quiz-and-ad ###vuukle_ads_square2 -###vz_im_ad ###wTopAd -###wXcds12-ad ###wallAd ###wall_advert -###wallpaper-ad-link -###wallpaperAd_left -###wallpaperAd_left3 -###wallpaperAd_right -###wallpaperAd_right2 -###wallpaperAd_right2_1 -###wallpaper_flash_ad -###wallpaper_header_ad -###walltopad -###watch-now-ad -###watch7-sidebar-ads -###watch_sponsored -###wb-ad-grid ###wd-sponsored -###wd_ads ###weather-ad ###weather_sponsor ###weatherad -###weblink_ads_container -###websearchAdvert -###welcomeAdsContainer ###welcome_ad -###welcome_ad_mrec -###welcome_advertisement -###welcomeadMask -###wf_ContentAd -###wf_FrontSingleAd -###wf_SingleAd -###wf_bottomContentAd ###wg_ads ###wgtAd -###wh_ad_4 -###whatsnews_footer_ad -###whatsnews_top_ad ###whitepaper-ad -###whoisRightAdContainer -###whoisRightAdContainerBottom -###whoisRightAdContainerTop -###wibiyaAdRotation -###wibiyaToolbarAdUnitFlash ###wide-ad ###wideAdd ###wide_ad_unit ###wide_ad_unit2 -###wide_ad_unit_2 -###wide_ad_unit_top -###wide_ad_unit_up +###wide_ad_unit3 ###wide_adv ###wide_right_ad -###wideskyscraper_160x600_left -###wideskyscraper_160x600_right ###widget-ads-3 ###widget-ads-4 ###widget-adv-12 ###widget-box-ad-1 ###widget-box-ad-2 -###widget-style-ad -###widgetADT3 ###widget_Adverts ###widget_ad ###widget_advertisement ###widget_thrive_ad_default-2 ###widget_thrive_ad_default-4 +###widgetwidget_adserve ###widgetwidget_adserve2 -###windowads ###wl-pencil-ad -###wog-300x250-ads ###wow-ads ###wp-insert-ad-widget-1 ###wp-topAds -###wp125adwrap_2c ###wp_ad_marker +###wp_adbn_root ###wp_ads_gpt_widget-16 ###wp_ads_gpt_widget-17 ###wp_ads_gpt_widget-18 @@ -17018,831 +5488,568 @@ _popunder+$popup ###wp_ads_gpt_widget-21 ###wp_ads_gpt_widget-4 ###wp_ads_gpt_widget-5 -###wp_pro_ad_system_ad_zone ###wpladbox1 ###wpladbox2 ###wrapAd ###wrapAdRight -###wrapAdTop ###wrapCommentAd -###wrap_ad_main +###wrapper-AD_G +###wrapper-AD_L +###wrapper-AD_L2 +###wrapper-AD_L3 +###wrapper-AD_PUSH +###wrapper-AD_R +###wrapper-ad +###wrapper-ad970 ###wrapperAdsTopLeft ###wrapperAdsTopRight ###wrapperRightAds ###wrapper_ad_Top -###wrapper_ad_island2 ###wrapper_sponsoredlinks ###wrapper_topad -###wsAdWrapper -###x-ad-item-themed-skyscraper-placekeeper -###x-houseads -###x01-ad -###x300_ad -###xColAds -###xadtop -###xlAd -###xybrad -###y-ad-units -###y708-ad-expedia -###y708-ad-lrec -###y708-ad-partners -###y708-ad-ysm -###y708-advertorial-competitions -###y708-advertorial-marketplace -###yahoo-ads -###yahoo-ads-content +###wtopad ###yahoo-sponsors ###yahooAdsBottom ###yahooSponsored -###yahoo_ad -###yahoo_ad_contanr ###yahoo_ads -###yahoo_sponsor_links -###yahoo_sponsor_links_title ###yahoo_text_ad -###yahooad-tbl ###yahooads -###yan-advert-north -###yan-advert-nt1 -###yan-question-advert -###yan-sponsored ###yandex_ad +###yandex_ad2 ###yatadsky -###ybf-ads -###yfi-sponsor -###yfi_ads_4x4 -###yfi_fp_ad_fx -###yfi_fp_ad_mort -###yfi_fp_ad_nns -###yfi_pf_ad_mort -###ygrp-sponsored-links -###yieldaddiv -###ylf-lrec -###ylf-lrec2 -###ymap_adbanner -###yn-gmy-ad-lrec -###yom-ad-tbs-as -###ypaAdWrapper-BottomAds -###ypaAdWrapper-TopAds -###ypaAdWrapper-cclass ###yrail_ads ###yreSponsoredLinks ###ysm_ad_iframe -###yt-adsfull-widget-2 -###yt-adsfull-widget-3 -###yw-sponsoredad ###zMSplacement1 ###zMSplacement2 ###zMSplacement3 ###zMSplacement4 ###zMSplacement5 ###zMSplacement6 -###zag_square_ad -###zoneAdserverMrec -###zoneAdserverSuper -###zoneAdvertisment -###zone_a_ad -###zone_b_ad -###zone_c_ads -###zztextad -##.AD-POST -##.AD-RC-300x250 -##.AD-Rotate -##.AD-label300x250 -##.AD300 -##.AD300Block -##.AD300x250 -##.AD300x250A -##.AD300x600-wrapper -##.AD355125 -##.AD728 -##.AD728x90L +###zdcFloatingBtn +###zeus_top-banner +###zone-adsense +###zsAdvertisingBanner +##.-advertsSidebar ##.ADBAR -##.ADBnrArea ##.ADBox -##.ADCLOUD ##.ADFooter -##.ADITION ##.ADInfo ##.ADLeader ##.ADMiddle1 ##.ADPod -##.ADS-Content-Sidebar -##.ADS-MainContent ##.ADServer ##.ADStyle -##.ADTextSingle ##.ADTop -##.ADV-Space +##.ADVBig +##.ADVFLEX_250 +##.ADVParallax +##.ADV_Mobile ##.AD_2 -##.AD_300x100 -##.AD_300x250 -##.AD_300x265 -##.AD_302x252 -##.AD_336_120 -##.AD_336_280 -##.AD_970_90 -##.AD_ALBUM_ITEMLIST -##.AD_Leaderboard -##.AD_MOVIE_ITEM -##.AD_MOVIE_ITEMLIST -##.AD_MOVIE_ITEMROW ##.AD_area -##.AD_mid300 -##.AD_textinfo -##.AD_underpost ##.ADbox ##.ADmid -##.ADouter_div ##.ADwidget -##.A__smallSuperbannerAdvert-main -##.AcceptableTextAds -##.Accordion_ad +##.ATF_wrapper +##.Ad--Align +##.Ad--empty ##.Ad--header +##.Ad--loading +##.Ad--presenter ##.Ad--sidebar -##.Ad-300x100 -##.Ad-Container -##.Ad-Container-976x166 +##.Ad-Advert_Container ##.Ad-Header -##.Ad-IframeWrap -##.Ad-MPU -##.Ad-Wrapper-300x100 +##.Ad-Inner +##.Ad-adhesive +##.Ad-hor-height ##.Ad-label ##.Ad-leaderboard -##.Ad-postDFP1 -##.Ad-postDFP2 -##.Ad120x600 -##.Ad160x600 -##.Ad160x600left -##.Ad160x600right -##.Ad247x90 +##.Ad.Leaderboard ##.Ad300 -##.Ad300x -##.Ad300x250 -##.Ad300x250L -##.Ad300x250_top +##.Ad3Tile ##.Ad728x90 ##.AdBar ##.AdBody:not(body) ##.AdBorder +##.AdBottomPage ##.AdBox ##.AdBox160 ##.AdBox7 ##.AdBox728 -##.AdBoxStyle -##.AdBoxStyleHome -##.AdCaption +##.AdCenter ##.AdCommercial -##.AdContainer-Banner +##.AdCompactheader +##.AdContainer ##.AdContainer-Sidebar -##.AdContainer160x600 -##.AdContainerBottom -##.AdContainerBox308 -##.AdContainerModule -##.AdFrameLB -##.AdGraph -##.AdGrayBox ##.AdHeader ##.AdHere ##.AdHolder -##.AdIndicator -##.AdInfo -##.AdInjectContainer ##.AdInline -##.AdInline_left +##.AdInsLink ##.AdLeft1 ##.AdLeft2 -##.AdLeftbarBorderStyle ##.AdMedium ##.AdMessage ##.AdMod ##.AdModule -##.AdModule_Content -##.AdModule_ContentLarge -##.AdModule_Hdr -##.AdMultiPage +##.AdOneColumnContainer +##.AdOuterMostContainer ##.AdPanel ##.AdPlaceHolder -##.AdProS728x90Container +##.AdPlaceholder +##.AdPlacementContainer ##.AdProduct ##.AdRight1 ##.AdRight2 -##.AdRingtone -##.AdScriptBox -##.AdSectionHeader ##.AdSense ##.AdSenseLeft -##.AdSense_Header -##.AdSense_Sidebar -##.AdSidebar ##.AdSlot -##.AdSlotHeader -##.AdSlot__Commercial ##.AdSpace -##.AdStandard -##.AdTextSmallFont +##.AdSpeedWP +##.AdTagModule ##.AdTitle ##.AdTop ##.AdUnit -##.AdUnit300 -##.AdUnit300x250 -##.AdUnit300x600 -##.AdUnitBox ##.AdWidget_ImageWidget -##.AdZone120 -##.AdZone316 -##.Ad_120x600 -##.Ad_120x600_holder -##.Ad_160x600_holder -##.Ad_160x600_inner -##.Ad_300x250 -##.Ad_300x250_holder -##.Ad_468x60 -##.Ad_728x90 -##.Ad_728x90_holder ##.Ad_C ##.Ad_D -##.Ad_D_Wrapper -##.Ad_E_Wrapper ##.Ad_Label -##.Ad_Label_foursquare ##.Ad_Right -##.Ad_Tit ##.Ad_container -##.Adbuttons -##.Adbuttons-sidebar -##.AdnetBox +##.Ads--center ##.Ads-768x90 +##.Ads-background ##.Ads-leaderboard ##.Ads-slot -##.Ads2x1000 +##.Ads-sticky ##.AdsBottom -##.AdsBottom336X280 +##.AdsBox ##.AdsBoxBottom ##.AdsBoxSection ##.AdsBoxTop -##.AdsLeft_list -##.AdsLinks1 -##.AdsLinks2 -##.AdsPlayRight_list -##.AdsRec -##.Ads_3 -##.Ads_4 -##.Ads_forum +##.AdsLayout__top-container +##.AdsRectangleWrapper +##.AdsSlot +##.Ads__wrapper +##.Ads_header ##.Adsense ##.AdsenseBox -##.AdsenseBoxCenter -##.AdsenseDivFooter -##.AdsenseDownload -##.AdsenseForum -##.AdsenseLarge -##.AdsenseTechsupport -##.Adspottop +##.Adsterra ##.Adtext -##.Adv300x250 -##.Adv300x250Box ##.Adv468 -##.AdvBoxSidebar -##.Adv_Left ##.Advert-label ##.Advert300x250 ##.AdvertContainer -##.AdvertMidPage -##.AdvertiseWithUs -##.Advertisehere2 +##.AdvertWrapper +##.AdvertisementAfterHeader +##.AdvertisementAfterPost +##.AdvertisementAsidePost ##.AdvertisementText ##.AdvertisementTextTag ##.AdvertisementTop ##.Advertisment ##.AdvertorialTeaser -##.Advman_Widget -##.Advrt -##.Advrt_desktop -##.AdvtNews ##.AdvtSample -##.AdvtSample2 -##.AdvtSample4 -##.AffAD +##.AdzerkBanner ##.AffiliateAds -##.AmazonSimpleAdmin_widget +##.AppFooter__BannerAd +##.Arpian-ads +##.Article-advert ##.ArticleAd +##.ArticleAdSide +##.ArticleAdWrapper ##.ArticleInlineAd -##.ArticleLayout-nativeAdLabel -##.ArticleLeaderboard_ad -##.ArticlePage-ad -##.BCA_Advertisement -##.BGoogleAds300 -##.BOT-ADS +##.ArticleInnerAD +##.Article__Ad +##.BOX_Ad +##.BOX_LeadAd ##.Banner300x250 ##.Banner468X60 -##.BannerAD728 -##.BannerAd -##.Banner_Group -##.Banner_Group_Ad_Label ##.BigBoxAd ##.BigBoxAdLabel +##.Billboard-ad +##.Billboard-ad-holder +##.Billboard_2-ad-holder +##.Billboard_3-ad-holder +##.Billboard_4-ad-holder +##.Billboard_5-ad-holder ##.BlockAd -##.BlueTxtAdvert +##.BottomAd-container ##.BottomAdContainer +##.BottomAdsPartial ##.BottomAffiliate -##.BottomGoogleAds ##.BoxAd ##.BoxAdWrap -##.BoxSponsorBottom -##.BtmAd -##.BtmSponsAd +##.BoxRail-ad ##.ButtonAd -##.CG_adkit_leaderboard -##.CG_details_ad_dropzone -##.CWReviewsProdInfoAd -##.Cheat__footer-ad-container -##.Cheat__outbrain -##.CollisionAdMarker -##.ComAread ##.CommentAd -##.CommentGoogleAd +##.ConnatixAd ##.ContentAd -##.ContentAd2 ##.ContentAds -##.DAWRadvertisement -##.DartAdvert -##.DeptAd -##.DetachedAd -##.DetailAds +##.ContentBottomAd +##.ContentTextAd +##.ContentTopAd +##.DFPad ##.DisplayAd -##.DomAdsDiv -##.DoubleClickRefreshable -##.EzAdsLUPro -##.EzAdsSearchPro -##.EzAdsWidget -##.FT_Ad -##.FeaturedAdIndexAd -##.FlatAds -##.FlowersAdContainer +##.FirstAd ##.FooterAd ##.FooterAdContainer ##.FooterAds -##.FooterTileAdOuter_Div -##.Footer_AD_Links_DIV -##.Footer_Default_AD_Message_DIV -##.GAME_Ad160x600 -##.GOOGLE_AD -##.G_ads -##.G_ads_m -##.GalleryViewerAdSuppress -##.GetRightAds -##.Google-Ad-728x90 -##.GoogleAd -##.GoogleAdInfo -##.GoogleAdSencePanel -##.GoogleAdSenseBottomModule -##.GoogleAdSenseRightModule -##.GoogleAdWords_container -##.GoogleAdsBox -##.GoogleAdsItem +##.Footer_1-ad-holder +##.GRVAd +##.GRVMpuWrapper +##.GRVMultiVideo +##.Gallery-Content-BottomAd +##.GeminiAdItem +##.GeminiNativeAd ##.GoogleAdv ##.GoogleDfpAd -##.GoogleDfpAdModule-advertisementLabel -##.Googleads728 -##.GreenHomeAd -##.GridHouseAdRight -##.HGLoneAdTitleFrame -##.HPG_Ad_B -##.HPNewAdsBannerDiv -##.HPRoundedAd +##.GoogleDfpAd-Content +##.GoogleDfpAd-Float +##.GoogleDfpAd-container +##.GoogleDfpAd-wrap +##.GoogleDfpAd-wrapper +##.GoogleDfpAdModule +##.GoogleDoubleClick-SponsorText +##.GroupAdSense ##.HeaderAd ##.HeaderAds ##.HeaderBannerAd -##.HeaderLeaderAd ##.HeadingAdSpace ##.Hero-Ad -##.HomeAd1Label ##.HomeAds -##.HomeContentAd -##.HomePageAD -##.HomeSidebarAd -##.Hotels-Results-InlineAd -##.IABAdSpace -##.IM_ad_unit ##.InArticleAd ##.IndexRightAd -##.InternalAdPanel1 -##.JobListMidAd -##.LL_Widget_Advertorial -##.LN_Related_Posts_bottom_adv -##.LargeOuterBoxAdsense -##.LargeRightAd +##.InsertedAd ##.LastAd +##.LayoutBottomAds +##.LayoutHomeAds +##.LayoutHomeAdsAd +##.LayoutPromotionAdsNew ##.LazyLoadAd ##.LeaderAd ##.LeaderAdvertisement ##.LeaderBoardAd -##.LeaderboardAdTagWidget -##.LeftAd -##.LeftButtonAdSlot -##.LeftTowerAd -##.LeftWideSkyscraperAdPanel -##.Left_Content_Google_Ad -##.Ligatus -##.Loge_AD -##.LoungeAdsBottomLinks -##.M2Advertisement -##.MBoxAdM -##.MBoxAdR -##.MBoxAdRight -##.MDCadSummary -##.MD_adZone -##.MOS-ad-hack +##.LearderAd_Border +##.ListicleAdRow ##.MPUHolder -##.MPUTitleWrapperClass ##.MPUad -##.MREC_ads -##.M__leaderboardAdvert-image -##.MadClose -##.MainAdCont -##.Main_right_Adv_incl +##.MapLayout_BottomAd +##.MapLayout_BottomMobiAd ##.MarketGid_container -##.MasterLeftContentColumnThreeColumnAdLeft ##.MbanAd -##.MedRecAD-border -##.MediumRectangleAdPanel ##.MiddleAd ##.MiddleAdContainer ##.MiddleAdvert ##.MiddleRightRadvertisement -##.MspAd -##.NAPmarketAdvert -##.NGOLocalFooterAd +##.NA_ad +##.NR-Ads +##.NativeAdContainerRegion ##.NavBarAd -##.NewsAds -##.OAS_position_TopLeft -##.OSOasAdModule -##.OSProfileAdSenseModule -##.OpaqueAdBanner -##.OpenXad -##.OuterAdvertisingContainer -##.PERFORMANCE_AD_COMPLETE -##.PERFORMANCE_AD_RELATED -##.PU_DoubleClickAdsContent +##.Normal-add +##.OAS_wrap +##.OcelotAdModule +##.OcelotAdModule-ad +##.PPD_ADS_JS ##.Page-ad ##.PageTopAd -##.PartialProgrammaticAd -##.PartialProgrammaticAd-ads +##.PcSideBarAd ##.PencilAd -##.Post-All-Advertment -##.Post5ad -##.Post8ad -##.Post9ad +##.PostAdvertisementBeforePost ##.PostSidebarAd -##.PremiumObitAdBar +##.Post__ad +##.PrimisResponsiveStyle ##.PrintAd-Slider ##.ProductAd -##.PushDownAdPane ##.PushdownAd -##.RBboxAd -##.RC-AD -##.RGAdBoxMainDiv -##.RHR-ADS -##.RR_ad -##.RW_ad300 -##.RealtorAd ##.RectangleAd +##.Rectangle_1-ad-holder +##.Rectangle_2-ad-holder +##.Rectangle_3-ad-holder ##.RelatedAds ##.ResponsiveAd -##.Right-Column-AD-Container -##.Right300x250AD ##.RightAd ##.RightAd1 ##.RightAd2 -##.RightAdWrapper -##.RightAdvertiseArea ##.RightAdvertisement -##.RightGoogleAFC ##.RightGoogleAd ##.RightRailAd -##.RightRailAdbg -##.RightRailAdtext -##.RightRailTop300x250Ad -##.RightSponsoredAdTitle +##.RightRailAds ##.RightTowerAd -##.SBAArticle -##.SBABottom -##.SBABottom1 -##.SBAInHouse -##.SBAMR -##.SBARightBottom -##.SBARightTop -##.SBATier1 -##.SBATier2 -##.SBATier3 -##.SBAUA -##.SHAd2 -##.SIM_ad_140x140_homepage_tv_promo -##.SRPads ##.STR_AdBlock ##.SecondaryAd ##.SecondaryAdLink +##.Section-ad ##.SectionSponsor -##.ShootingAd -##.ShootingAdLeft -##.ShowAdDisplay ##.SideAd ##.SideAdCol ##.SideAds +##.SideWidget__ad +##.Sidebar-ad +##.Sidebar-ad--300x600 ##.SidebarAd ##.SidebarAdvert -##.SidebarMiddleAdContainer -##.SidekickItem-Ads -##.SimpleAcceptableTextAds -##.SimpleAcceptebleTextAds -##.SitesGoogleAdsModule -##.Sitewide_AdLabel +##.SidebarRightAdvertisement +##.SimpleAd ##.SkyAdContainer ##.SkyAdContent ##.SkyScraperAd -##.SkyscraperAD-border -##.SmartAdZoneList +##.SovrnAd ##.Sponsor-container -##.SponsorAds ##.SponsorHeader ##.SponsorIsland ##.SponsorLink ##.SponsoredAdTitle ##.SponsoredArticleAd ##.SponsoredContent -##.SponsoredLinkItemTD +##.SponsoredContentWidget ##.SponsoredLinks -##.SponsoredLinksGrayBox ##.SponsoredLinksModule ##.SponsoredLinksPadding ##.SponsoredLinksPanel ##.SponsoredResults ##.Sponsored_link -##.SponsorshipText ##.SquareAd -##.Squareadspot -##.StandardAdLeft -##.StandardAdRight +##.Sticky-AdContainer ##.StickyAdRail__Inner ##.SummaryPage-HeaderAd -##.TOP-ADS -##.TRADING_AD_RELATED -##.TRU-onsite-ads-leaderboard -##.TTButtAd -##.Tadspacemrec ##.TextAd ##.TextAdds -##.TheEagleGoogleAdSense300x250 -##.ThreeAds -##.TimelineAd -##.TmnAdsense +##.Textads ##.TopAd +##.TopAdBox ##.TopAdContainer ##.TopAdL ##.TopAdR ##.TopAds ##.TopBannerAd -##.TopLeaderboardAdPanel ##.TopRightRadvertisement ##.Top_Ad +##.TrackedBannerPromo +##.TrackedSidebarPromo ##.TrafficAd ##.U210-adv-column -##.UFSquareAd -##.UIStandardFrame_SidebarAds -##.UIWashFrame_SidebarAds ##.UnderAd -##.UpperAdsContainer -##.V7-advert -##.V7-advert-info ##.VerticalAd ##.Video-Ad ##.VideoAd ##.WPBannerizeWidget ##.WP_Widget_Ad_manager -##.Webnegar_Ad_Box -##.Webnegar_Ad_Core -##.WideAdContainer ##.WideAdTile ##.WideAdsLeft ##.WidgetAdvertiser -##.WiredWidgetsDartAds -##.WiredWidgetsGoogleAds -##.WithAds -##.XEad -##.YEN_Ads_120 -##.YEN_Ads_125 -##.ZventsSponsoredLabel -##.ZventsSponsoredList +##.WidthAd +##.\[\&_\.gdprAdTransparencyCogWheelButton\]\:\!pjra-z-\[5\] ##._SummaryPageHeaderAdView ##._SummaryPageSidebarStickyAdView -##.__hub--ad -##.__lg-ad -##.__small-ad -##.__wide-ad -##.__xX20sponsored20banners +##._ads +##._ads-full ##._ap_adrecover_ad +##._ap_apex_ad ##._articleAdvert ##._bannerAds ##._bottom_ad_wrapper ##._fullsquaread ##._has-ads -##._iub_cs_activate_google_ads -##._top_ad_wrapper +##._popIn_recommend_article_ad +##._popIn_recommend_article_ad_reserved +##._table_ad_div_wide ##.a-ad -##.a-article-teaser--sponsored -##.a-d-container -##.a-d-rotate_widgets +##.a-d-250 +##.a-d-90 +##.a-dserver +##.a-dserver_text ##.a-sponsor -##.a160x600 -##.a300x250 -##.a468x60 -##.a728x90 -##.a970x250_1_ad_label -##.aa_AdAnnouncement -##.aa_ad-160x600 -##.aa_ad-728x15 -##.aa_sb_ad_300x250 -##.aadsection_b1 -##.aadsection_b2 -##.aalb-pa-ad-unit -##.aalb-pc-ad-unit -##.aalb-pg-ad-unit -##.aarpe-ad-wrapper -##.aarpe-fixed-ad -##.ab-prompt -##.abAdArea -##.abAdPositionBoxB -##.abBoxAd +##.ab-ad_placement-article ##.ablock300 ##.ablock468 ##.ablock728 -##.about_adsense ##.above-header-advert -##.aboveCommentAdBladeWrapper ##.aboveCommentAds -##.aboveCommentAdsWrapper -##.above_discussion_ad -##.above_miniscore_ad ##.abovead -##.abp-homepage-right-ad -##.absoluteAd_wss +##.ac-banner-ad +##.ac-widget-placeholder ##.ac_adbox -##.ac_adbox_inner -##.acf-ad -##.acm_ad_zones +##.acm-ad-tag-unit ##.ad--300 ##.ad--300x250 ##.ad--468 ##.ad--468-60 ##.ad--728x90 -##.ad--BANNER -##.ad--MAIN +##.ad--970-750-336-300 +##.ad--970-90 +##.ad--article ##.ad--article-top +##.ad--articlemodule ##.ad--b +##.ad--banner +##.ad--banner2 +##.ad--banniere_basse +##.ad--banniere_haute +##.ad--billboard ##.ad--bottom ##.ad--bottom-label ##.ad--bottommpu +##.ad--boundries +##.ad--button ##.ad--c +##.ad--center ##.ad--centered +##.ad--container +##.ad--content +##.ad--content-ad ##.ad--dart ##.ad--desktop ##.ad--displayed +##.ad--droite_basse +##.ad--droite_haute +##.ad--droite_middle ##.ad--e ##.ad--fallback ##.ad--footer ##.ad--fullsize ##.ad--google -##.ad--homepage-mrec +##.ad--halfpage +##.ad--header ##.ad--homepage-top -##.ad--horseshoe -##.ad--horseshoe__content ##.ad--in-article +##.ad--in-content +##.ad--inArticleBanner +##.ad--inline ##.ad--inner -##.ad--just-in-feed ##.ad--large ##.ad--leaderboard -##.ad--marker-inner +##.ad--loading ##.ad--medium-rectangle +##.ad--medium_rectangle +##.ad--medium_rectangle_outstream +##.ad--mediumrectangle +##.ad--mid ##.ad--mid-content +##.ad--mobile ##.ad--mpu +##.ad--native +##.ad--nativeFlex +##.ad--no-bg ##.ad--noscroll -##.ad--panorama +##.ad--object +##.ad--outstream +##.ad--overlayer +##.ad--p1 +##.ad--p2 +##.ad--p3 +##.ad--p4 +##.ad--p6 +##.ad--p7 ##.ad--placeholder +##.ad--pubperform ##.ad--pushdown +##.ad--rail ##.ad--rectangle +##.ad--rectangle1 +##.ad--rectangle2 ##.ad--right +##.ad--rightRail ##.ad--scroll -##.ad--showmob +##.ad--section ##.ad--sidebar +##.ad--sky +##.ad--skyscraper +##.ad--slider +##.ad--slot +##.ad--sponsor-content ##.ad--square-rectangle -##.ad--stroer +##.ad--sticky +##.ad--stripe +##.ad--stroeer +##.ad--subcontainer ##.ad--top -##.ad--top-label +##.ad--top-desktop ##.ad--top-leaderboard ##.ad--top-slot -##.ad-01 -##.ad-02 +##.ad--topmobile +##.ad--topmobile2 +##.ad--topmobile3 +##.ad--wallpaper +##.ad--widget +##.ad--wrapper ##.ad-1 -##.ad-101 ##.ad-120-60 -##.ad-120-600-inner ##.ad-120x60 ##.ad-120x600 ##.ad-120x90 -##.ad-125 ##.ad-125x125 -##.ad-140x45-2 -##.ad-150 +##.ad-13 +##.ad-137 +##.ad-14 ##.ad-160 ##.ad-160-160 ##.ad-160-600 -##.ad-160-above ##.ad-160x600 -##.ad-160x600-gallery -##.ad-160x600-home -##.ad-160x600-wrap -##.ad-160x600x1 -##.ad-160x600x2 -##.ad-160x600x3 -##.ad-194 -##.ad-195x90 ##.ad-2 ##.ad-200 -##.ad-200-big -##.ad-200-small ##.ad-200x200 -##.ad-228x94 -##.ad-230x90 -##.ad-234 -##.ad-246x90 ##.ad-250 -##.ad-250x125 -##.ad-250x250 ##.ad-250x300 -##.ad-260x60 -##.ad-270x100 ##.ad-3 ##.ad-300 -##.ad-300-250 +##.ad-300-2 ##.ad-300-250-600 ##.ad-300-600 ##.ad-300-b -##.ad-300-b-absolute ##.ad-300-block -##.ad-300-blog ##.ad-300-dummy ##.ad-300-flex +##.ad-300-x-250 +##.ad-300250 +##.ad-300X250 +##.ad-300X250-body ##.ad-300x ##.ad-300x100 ##.ad-300x200 ##.ad-300x250 -##.ad-300x250-first -##.ad-300x250-home -##.ad-300x250-right0 -##.ad-300x250-section -##.ad-300x250-singlepost -##.ad-300x250_600x250 ##.ad-300x600 -##.ad-300x70 -##.ad-300x75 -##.ad-319x128 +##.ad-336 ##.ad-336x280 ##.ad-336x280B ##.ad-350 -##.ad-355x75 -##.ad-3x1 ##.ad-4 ##.ad-468 ##.ad-468x120 ##.ad-468x60 ##.ad-5 ##.ad-544x250 +##.ad-55 ##.ad-560 ##.ad-6 ##.ad-600 +##.ad-600-h ##.ad-635x40 ##.ad-7 -##.ad-720-affiliate ##.ad-728 ##.ad-728-90 ##.ad-728-banner +##.ad-728-x-90 ##.ad-728x90 -##.ad-728x90--a2g ##.ad-728x90-1 ##.ad-728x90-top ##.ad-728x90-top0 +##.ad-728x90-wrapper ##.ad-728x90_forum ##.ad-768 +##.ad-8 ##.ad-88-60 -##.ad-88-text ##.ad-88x31 +##.ad-9 +##.ad-90 ##.ad-90x600 ##.ad-970 -##.ad-970x50 +##.ad-970-250 +##.ad-970-90 +##.ad-970250 +##.ad-970x250 ##.ad-970x90 -##.ad-980-1 -##.ad-BANNER -##.ad-CUSTOM +##.ad-Advert_Placeholder ##.ad-E ##.ad-LREC ##.ad-LREC2 @@ -17850,7 +6057,6 @@ _popunder+$popup ##.ad-MPU ##.ad-MediumRectangle ##.ad-PENCIL -##.ad-RR ##.ad-S ##.ad-Square ##.ad-SuperBanner @@ -17860,45 +6066,67 @@ _popunder+$popup ##.ad-ab ##.ad-abc ##.ad-above-header +##.ad-accordion +##.ad-active ##.ad-adSense ##.ad-adcode +##.ad-adhesion ##.ad-adlink-bottom ##.ad-adlink-side +##.ad-adsense ##.ad-adsense-block-250 +##.ad-advertisement-horizontal +##.ad-affiliate ##.ad-after-content +##.ad-after-header ##.ad-align-none +##.ad-aligncenter +##.ad-alignment ##.ad-alsorectangle -##.ad-alternative -##.ad-amongst-container ##.ad-anchor -##.ad-area +##.ad-aps-wide +##.ad-area--pd ##.ad-area-small ##.ad-article-breaker +##.ad-article-inline +##.ad-article-teaser +##.ad-article-wrapper +##.ad-aside-pc-billboard ##.ad-atf -##.ad-atf-medRect -##.ad-auction-footer-container -##.ad-auction-header -##.ad-auction-header-container -##.ad-b +##.ad-atf-top ##.ad-background -##.ad-background-intra-body -##.ad-banner +##.ad-background-center +##.ad-background-container +##.ad-ban +##.ad-banner-2 +##.ad-banner-250x600 ##.ad-banner-300 -##.ad-banner-bkgd +##.ad-banner-300x250 +##.ad-banner-5 +##.ad-banner-6 +##.ad-banner-728x90 ##.ad-banner-bottom-container +##.ad-banner-box +##.ad-banner-btf ##.ad-banner-container +##.ad-banner-content +##.ad-banner-full-wrapper +##.ad-banner-header ##.ad-banner-image -##.ad-banner-label +##.ad-banner-inlisting ##.ad-banner-leaderboard ##.ad-banner-placeholder +##.ad-banner-single ##.ad-banner-smaller +##.ad-banner-static ##.ad-banner-top ##.ad-banner-top-wrapper -##.ad-banner-vertical ##.ad-banner-wrapper -##.ad-banner728-top -##.ad-banr +##.ad-banners ##.ad-bar +##.ad-bar-header +##.ad-bb +##.ad-before-header ##.ad-below ##.ad-below-images ##.ad-below-player @@ -17909,27 +6137,33 @@ _popunder+$popup ##.ad-bigbanner ##.ad-bigbillboard ##.ad-bigbox +##.ad-bigbox-double-inread ##.ad-bigbox-fixed -##.ad-bigboxSub ##.ad-bigsize ##.ad-billboard ##.ad-bline ##.ad-block -##.ad-block-240x400 +##.ad-block--300 +##.ad-block--leader ##.ad-block-300 -##.ad-block-300-widget -##.ad-block-300x250 +##.ad-block-banner-container ##.ad-block-big ##.ad-block-bottom -##.ad-block-clear-back +##.ad-block-btf +##.ad-block-container +##.ad-block-header ##.ad-block-holder -##.ad-block-in-post +##.ad-block-inside +##.ad-block-mod +##.ad-block-section ##.ad-block-square +##.ad-block-sticky-ad ##.ad-block-wide +##.ad-block-wk ##.ad-block-wrapper -##.ad-blog2biz +##.ad-block-wrapper-dev ##.ad-blogads -##.ad-board +##.ad-bnr ##.ad-body ##.ad-boombox ##.ad-border @@ -17938,25 +6172,33 @@ _popunder+$popup ##.ad-bot ##.ad-bottom ##.ad-bottom-container +##.ad-bottom-right-container ##.ad-bottom728x90 ##.ad-bottomLeft ##.ad-bottomleader ##.ad-bottomline +##.ad-box-2 ##.ad-box-300x250 -##.ad-box-adsea +##.ad-box-auto ##.ad-box-caption ##.ad-box-container ##.ad-box-title ##.ad-box-up +##.ad-box-video +##.ad-box-wrapper ##.ad-box1 ##.ad-box2 ##.ad-box3 +##.ad-box:not(#ad-banner):not(:empty) +##.ad-box_h ##.ad-boxamp-wrapper ##.ad-boxbottom ##.ad-boxes -##.ad-boxrr-wrapper +##.ad-boxsticky ##.ad-boxtop +##.ad-brdr-btm ##.ad-break +##.ad-break-item ##.ad-breaker ##.ad-breakout ##.ad-browse-rectangle @@ -17964,55 +6206,78 @@ _popunder+$popup ##.ad-btn ##.ad-btn-heading ##.ad-bug-300w +##.ad-burnside ##.ad-button ##.ad-buttons +##.ad-c-label ##.ad-cad ##.ad-calendar ##.ad-call-300x250 ##.ad-callout +##.ad-callout-wrapper ##.ad-caption ##.ad-card ##.ad-card-container +##.ad-carousel ##.ad-cat ##.ad-catfish ##.ad-cell +##.ad-cen +##.ad-cen2 +##.ad-cen3 ##.ad-center ##.ad-centered +##.ad-centering ##.ad-chartbeatwidget ##.ad-choices ##.ad-circ ##.ad-click ##.ad-close-button -##.ad-cluster -##.ad-cluster-container +##.ad-cls +##.ad-cls-fix +##.ad-cnt +##.ad-code ##.ad-codes ##.ad-col ##.ad-col-02 -##.ad-collapsible-container +##.ad-colour ##.ad-column ##.ad-comment ##.ad-companion +##.ad-complete +##.ad-component +##.ad-component-fullbanner2 +##.ad-component-wrapper ##.ad-contain ##.ad-contain-300x250 ##.ad-contain-top -##.ad-container--featured_videos +##.ad-container--inline ##.ad-container--leaderboard +##.ad-container--masthead +##.ad-container--mrec ##.ad-container--stripe -##.ad-container--taboola +##.ad-container--top ##.ad-container-160x600 ##.ad-container-300x250 ##.ad-container-728 ##.ad-container-728x90 -##.ad-container-994x282 -##.ad-container-LEADER +##.ad-container-adsense +##.ad-container-banner-top ##.ad-container-bot ##.ad-container-bottom -##.ad-container-dk +##.ad-container-box ##.ad-container-embedded +##.ad-container-header +##.ad-container-inner +##.ad-container-inthread ##.ad-container-leaderboard ##.ad-container-left +##.ad-container-m +##.ad-container-medium-rectangle +##.ad-container-middle ##.ad-container-multiple ##.ad-container-pave +##.ad-container-property ##.ad-container-responsive ##.ad-container-right ##.ad-container-side @@ -18020,67 +6285,96 @@ _popunder+$popup ##.ad-container-tool ##.ad-container-top ##.ad-container-topad +##.ad-container-wrapper ##.ad-container1 +##.ad-container3x ##.ad-container__ad-slot +##.ad-container__leaderboard +##.ad-container__sticky-wrapper ##.ad-container_row ##.ad-content ##.ad-content-area ##.ad-content-rectangle +##.ad-content-slot +##.ad-content-wrapper ##.ad-context ##.ad-cover +##.ad-critical +##.ad-cta +##.ad-current ##.ad-curtain ##.ad-custom-size ##.ad-d +##.ad-decoration ##.ad-defer ##.ad-desktop +##.ad-desktop-in-content +##.ad-desktop-legacy +##.ad-desktop-native-1 +##.ad-desktop-native-2 ##.ad-desktop-only +##.ad-desktop-right +##.ad-detail ##.ad-dfp-column ##.ad-dfp-row ##.ad-disclaimer +##.ad-disclaimer-container +##.ad-disclaimer-text ##.ad-display ##.ad-displayed -##.ad-div -##.ad-div-a0-wrapper -##.ad-div-t0-wrapper ##.ad-diver ##.ad-divider +##.ad-dog +##.ad-dog__cnx-container +##.ad-dog__ratio-16x9 ##.ad-dt -##.ad-dynamic-showcase-top +##.ad-dx_wrp ##.ad-e ##.ad-element -##.ad-embedded ##.ad-enabled ##.ad-engage +##.ad-entity-container ##.ad-entry-wrapper ##.ad-ex -##.ad-ex-wide-container ##.ad-exchange ##.ad-expand ##.ad-external -##.ad-f-monster ##.ad-fadein ##.ad-fadeup ##.ad-feature-content ##.ad-feature-sponsor ##.ad-feature-text +##.ad-featured-video-caption ##.ad-feedback +##.ad-fi ##.ad-field ##.ad-filler +##.ad-filmstrip +##.ad-first ##.ad-fix ##.ad-fixed ##.ad-flag ##.ad-flex ##.ad-flex-center +##.ad-float +##.ad-floating +##.ad-floor ##.ad-footer ##.ad-footer-empty ##.ad-footer-leaderboard -##.ad-force-center +##.ad-format-300x250 +##.ad-format-300x600 ##.ad-forum ##.ad-frame +##.ad-frame-container ##.ad-full ##.ad-full-width ##.ad-fullbanner ##.ad-fullbanner-btf-container +##.ad-fullbannernohieght +##.ad-fullwidth +##.ad-gap-sm +##.ad-giga ##.ad-google ##.ad-google-contextual ##.ad-gpt @@ -18095,23 +6389,36 @@ _popunder+$popup ##.ad-grid-125 ##.ad-grid-container ##.ad-group -##.ad-grp +##.ad-halfpage +##.ad-halfpage-placeholder ##.ad-hdr ##.ad-head ##.ad-header +##.ad-header-below ##.ad-header-container +##.ad-header-creative +##.ad-header-inner-wrap ##.ad-header-pencil +##.ad-header-placeholder ##.ad-header-sidebar +##.ad-header-small-square ##.ad-heading -##.ad-headliner-container +##.ad-height-250 +##.ad-height-280 +##.ad-height-600 ##.ad-here +##.ad-hero ##.ad-hide-mobile ##.ad-hideable +##.ad-hint ##.ad-hldr-tmc ##.ad-ho ##.ad-hold ##.ad-holder +##.ad-holder-center +##.ad-holder-mob-300 ##.ad-home-bottom +##.ad-home-leaderboard-placeholder ##.ad-home-right ##.ad-homeleaderboard ##.ad-homepage @@ -18120,103 +6427,112 @@ _popunder+$popup ##.ad-homepage-one ##.ad-hor ##.ad-horizontal +##.ad-horizontal-large ##.ad-horizontal-top -##.ad-housepromo-d-wrapper +##.ad-horizontal-top-wrapper +##.ad-hoverable ##.ad-hpto -##.ad-iab-txt ##.ad-icon ##.ad-identifier ##.ad-iframe -##.ad-imagehold -##.ad-img -##.ad-img300X250 -##.ad-in-300x250 +##.ad-iframe-container +##.ad-in-content ##.ad-in-content-300 ##.ad-in-post ##.ad-in-read ##.ad-in-results -##.ad-incontent-ad-plus-billboard-top -##.ad-incontent-ad-plus-bottom -##.ad-incontent-ad-plus-middle -##.ad-incontent-ad-plus-middle2 -##.ad-incontent-ad-plus-middle3 -##.ad-incontent-ad-plus-top +##.ad-inStory +##.ad-incontent ##.ad-incontent-wrap -##.ad-index ##.ad-index-main ##.ad-indicator-horiz +##.ad-info-wrap ##.ad-inline ##.ad-inline-article +##.ad-inline-block ##.ad-inner ##.ad-inner-container +##.ad-inner-container-background ##.ad-innr -##.ad-inpage-video-top ##.ad-insert -##.ad-inserter ##.ad-inserter-widget +##.ad-inside ##.ad-integrated-display ##.ad-internal ##.ad-interruptor ##.ad-interstitial -##.ad-intromercial ##.ad-island ##.ad-item ##.ad-item-related ##.ad-label ##.ad-lable ##.ad-landscape +##.ad-large-1 ##.ad-large-game +##.ad-last +##.ad-lat +##.ad-lat2 ##.ad-layer ##.ad-lazy -##.ad-lazy-support-yes ##.ad-lb +##.ad-ldrbrd ##.ad-lead ##.ad-lead-bottom ##.ad-leader +##.ad-leader-board ##.ad-leader-bottom ##.ad-leader-plus-top ##.ad-leader-top ##.ad-leader-wrap ##.ad-leader-wrapper ##.ad-leaderboard +##.ad-leaderboard-base ##.ad-leaderboard-companion ##.ad-leaderboard-container -##.ad-leaderboard-hero -##.ad-leaderboard-marquee +##.ad-leaderboard-flex +##.ad-leaderboard-footer +##.ad-leaderboard-header ##.ad-leaderboard-middle +##.ad-leaderboard-placeholder +##.ad-leaderboard-slot ##.ad-leaderboard-splitter ##.ad-leaderboard-top ##.ad-leaderboard-wrapper -##.ad-leaderboard_river ##.ad-leaderbody ##.ad-leaderheader ##.ad-leadtop -##.ad-left -##.ad-left3 +##.ad-left-1 +##.ad-left-top ##.ad-leftrail +##.ad-lib-div ##.ad-line ##.ad-link +##.ad-link-block ##.ad-link-label ##.ad-link-left ##.ad-link-right ##.ad-links ##.ad-links-text +##.ad-list-desktop +##.ad-list-item ##.ad-loaded +##.ad-loader ##.ad-location ##.ad-location-container -##.ad-location-header ##.ad-lock ##.ad-lock-content -##.ad-lower_rec -##.ad-lower_river ##.ad-lowerboard ##.ad-lrec +##.ad-m-banner +##.ad-m-mrec +##.ad-m-rec ##.ad-mad ##.ad-main ##.ad-manager-ad -##.ad-marker +##.ad-manager-placeholder +##.ad-manager-wrapper +##.ad-margin ##.ad-marketplace -##.ad-marketplace-horizontal ##.ad-marketswidget ##.ad-marquee ##.ad-masthead @@ -18227,23 +6543,35 @@ _popunder+$popup ##.ad-med-rec ##.ad-med-rect ##.ad-med-rect-tmp -##.ad-medRec -##.ad-media-marquee -##.ad-media-marquee-btn ##.ad-medium +##.ad-medium-container +##.ad-medium-content ##.ad-medium-rectangle +##.ad-medium-rectangle-base ##.ad-medium-two +##.ad-medium-widget ##.ad-medrect ##.ad-megaboard ##.ad-message ##.ad-messaging -##.ad-mid-article-container +##.ad-microsites ##.ad-midleader ##.ad-mobile +##.ad-mobile--sticky +##.ad-mobile-300x150 +##.ad-mobile-300x250 +##.ad-mobile-300x50 ##.ad-mobile-banner -##.ad-mobile-mpu +##.ad-mobile-flex-inc +##.ad-mobile-flex-pos2 +##.ad-mobile-incontent-ad-plus +##.ad-mobile-mpu-plus-outstream-inc +##.ad-mobile-nav-ad-plus ##.ad-mod +##.ad-mod-section +##.ad-mod-section-728-90 ##.ad-module +##.ad-mount ##.ad-mpl ##.ad-mpu ##.ad-mpu-bottom @@ -18255,16 +6583,19 @@ _popunder+$popup ##.ad-mpu-top ##.ad-mpu__aside ##.ad-mpufixed +##.ad-mr-article ##.ad-mrec ##.ad-mrect ##.ad-msg -##.ad-msgunit ##.ad-msn -##.ad-national-1 -##.ad-native-dfp +##.ad-native +##.ad-native-top-sidebar ##.ad-nav-ad ##.ad-nav-ad-plus ##.ad-new +##.ad-new-box +##.ad-no-css +##.ad-no-mobile ##.ad-no-notice ##.ad-no-style ##.ad-noBorderAndMargin @@ -18272,11 +6603,15 @@ _popunder+$popup ##.ad-note ##.ad-notice ##.ad-notice-small +##.ad-observer +##.ad-oms ##.ad-on +##.ad-on-top ##.ad-one ##.ad-other -##.ad-outer-container +##.ad-outer ##.ad-outlet +##.ad-outline ##.ad-output-middle ##.ad-output-wrapper ##.ad-outside @@ -18285,6 +6620,7 @@ _popunder+$popup ##.ad-padding ##.ad-page-leader ##.ad-page-medium +##.ad-page-setting ##.ad-pagehead ##.ad-panel ##.ad-panel-wrap @@ -18292,50 +6628,79 @@ _popunder+$popup ##.ad-panel__container--styled ##.ad-panel__googlead ##.ad-panorama -##.ad-panorama-outer-container -##.ad-parallax-wrap -##.ad-parent-hockey -##.ad-passback-o-rama +##.ad-parallax +##.ad-parent-billboard +##.ad-parent-class +##.ad-parent-halfpage ##.ad-pb ##.ad-peg +##.ad-pencil-margin ##.ad-permalink ##.ad-personalise ##.ad-place ##.ad-place-active ##.ad-place-holder -##.ad-placeholder -##.ad-placement +##.ad-placeholder--mpu +##.ad-placeholder-leaderboard +##.ad-placeholder-wrapper +##.ad-placeholder-wrapper-dynamic +##.ad-placeholder__inner +##.ad-placement-left +##.ad-placement-right +##.ad-places ##.ad-plea +##.ad-poc +##.ad-poc-admin ##.ad-point +##.ad-popup +##.ad-popup-content +##.ad-pos +##.ad-pos-0 +##.ad-pos-1 +##.ad-pos-2 +##.ad-pos-3 +##.ad-pos-4 +##.ad-pos-5 +##.ad-pos-6 +##.ad-pos-7 +##.ad-pos-8 +##.ad-pos-middle ##.ad-pos-top ##.ad-position ##.ad-position-1 +##.ad-position-2 +##.ad-poss ##.ad-post ##.ad-post-footer -##.ad-post300X250 +##.ad-post-top ##.ad-postText ##.ad-poster +##.ad-posterad-inlisting ##.ad-preloader-container +##.ad-preparing ##.ad-prevent-jump ##.ad-primary +##.ad-primary-desktop ##.ad-primary-sidebar ##.ad-priority -##.ad-pro70 +##.ad-program-list +##.ad-program-top ##.ad-promo -##.ad-promoted-game -##.ad-promotion-native ##.ad-pub ##.ad-push ##.ad-pushdown ##.ad-r ##.ad-rac-box ##.ad-rail -##.ad-reader +##.ad-rail-wrapper +##.ad-ratio +##.ad-rb-hover ##.ad-reader-con-item ##.ad-rect ##.ad-rect-atf-01 ##.ad-rect-top-right ##.ad-rectangle +##.ad-rectangle-1 ##.ad-rectangle-banner ##.ad-rectangle-container ##.ad-rectangle-long @@ -18343,68 +6708,73 @@ _popunder+$popup ##.ad-rectangle-text ##.ad-rectangle-wide ##.ad-rectangle-xs -##.ad-refresh +##.ad-rectangle2 +##.ad-rectanglemed ##.ad-region ##.ad-region-delay-load -##.ad-region__top ##.ad-related ##.ad-relatedbottom -##.ad-resource-center-top +##.ad-render-space +##.ad-responsive ##.ad-responsive-slot ##.ad-responsive-wide +##.ad-result +##.ad-rev-content ##.ad-rh -##.ad-ri ##.ad-right ##.ad-right-header -##.ad-right-txt ##.ad-right1 ##.ad-right2 ##.ad-right3 +##.ad-risingstar-container ##.ad-roadblock ##.ad-root ##.ad-rotation +##.ad-rotator ##.ad-row +##.ad-row-box +##.ad-row-horizontal +##.ad-row-horizontal-top ##.ad-row-viewport ##.ad-s ##.ad-s-rendered -##.ad-salutations ##.ad-sample -##.ad-scl ##.ad-script-processed ##.ad-scroll ##.ad-scrollpane ##.ad-search-grid +##.ad-secondary-desktop ##.ad-section ##.ad-section-body +##.ad-section-one +##.ad-section-three +##.ad-section__skyscraper ##.ad-sense ##.ad-sense-ad -##.ad-sense-ad__panel-header--srp ##.ad-sep -##.ad-served -##.ad-sharethrough-top +##.ad-separator ##.ad-shifted ##.ad-show-label -##.ad-show-text ##.ad-showcase ##.ad-side ##.ad-side-one ##.ad-side-top +##.ad-side-wrapper ##.ad-sidebar -##.ad-sidebar-180-150 -##.ad-sidebar-300-250 -##.ad-sidebar-ad-message -##.ad-sidebar-border -##.ad-sidebar-btf-1 -##.ad-sidebar-outer -##.ad-sidebar300 -##.ad-sidebar_right_above -##.ad-sidebar_right_below -##.ad-sidekick +##.ad-sidebar-mrec +##.ad-sidebar-skyscraper ##.ad-siderail ##.ad-signup +##.ad-single-bottom ##.ad-sitewide -##.ad-size-iab-uap-leaderboard-728x90 -##.ad-size-iab-uap-medium-rectangle-300x250 +##.ad-size-300x600 +##.ad-size-728x90 +##.ad-size-landscape +##.ad-size-leaderboard +##.ad-size-medium-rectangle +##.ad-size-medium-rectangle-flex +##.ad-size-mpu +##.ad-skeleton ##.ad-skin-link ##.ad-sky ##.ad-sky-left @@ -18412,13 +6782,11 @@ _popunder+$popup ##.ad-sky-wrap ##.ad-skyscr ##.ad-skyscraper -##.ad-skyscraper-label ##.ad-skyscraper1 ##.ad-skyscraper2 ##.ad-skyscraper3 ##.ad-slider -##.ad-slot -##.ad-slot--container-inline +##.ad-slot--container ##.ad-slot--inline ##.ad-slot--mostpop ##.ad-slot--mpu-banner-ad @@ -18427,34 +6795,56 @@ _popunder+$popup ##.ad-slot--top ##.ad-slot--top-above-nav ##.ad-slot--top-banner-ad -##.ad-slot--top-banner-ad-desktop +##.ad-slot--wrapper ##.ad-slot-1 ##.ad-slot-2 ##.ad-slot-234-60 ##.ad-slot-300-250 ##.ad-slot-728-90 ##.ad-slot-a +##.ad-slot-article ##.ad-slot-banner +##.ad-slot-bigbox +##.ad-slot-billboard +##.ad-slot-box ##.ad-slot-container +##.ad-slot-container-1 +##.ad-slot-desktop +##.ad-slot-full-width +##.ad-slot-header +##.ad-slot-horizontal +##.ad-slot-inview +##.ad-slot-placeholder +##.ad-slot-rail +##.ad-slot-replies +##.ad-slot-replies-header +##.ad-slot-responsive ##.ad-slot-sidebar ##.ad-slot-sidebar-b ##.ad-slot-tall +##.ad-slot-top ##.ad-slot-top-728 +##.ad-slot-widget +##.ad-slot-wrapper +##.ad-slotRg +##.ad-slotRgc ##.ad-slot__ad--top ##.ad-slot__content ##.ad-slot__label ##.ad-slot__oas +##.ad-slots-wrapper ##.ad-slug +##.ad-small +##.ad-small-1 +##.ad-small-2 ##.ad-smallBP ##.ad-source ##.ad-sp ##.ad-space -##.ad-space-container ##.ad-space-mpu-box ##.ad-space-topbanner -##.ad-spacer +##.ad-spacing ##.ad-span -##.ad-special-article ##.ad-speedbump ##.ad-splash ##.ad-sponsor @@ -18466,36 +6856,54 @@ _popunder+$popup ##.ad-sponsors ##.ad-spot ##.ad-spotlight +##.ad-spteaser ##.ad-sq-super ##.ad-square +##.ad-square-placeholder ##.ad-square2-container ##.ad-square300 ##.ad-squares ##.ad-stack +##.ad-standard ##.ad-statement +##.ad-static ##.ad-sticky +##.ad-sticky-banner +##.ad-sticky-bottom ##.ad-sticky-container +##.ad-sticky-slot +##.ad-sticky-wrapper +##.ad-stickyhero +##.ad-stickyhero--standard +##.ad-stickyhero-enable-mobile ##.ad-story-inject ##.ad-story-top +##.ad-strategic ##.ad-strip +##.ad-style2 ##.ad-subnav-container ##.ad-subtitle +##.ad-summary ##.ad-superbanner +##.ad-superbanner-node ##.ad-t +##.ad-t-text ##.ad-table ##.ad-tabs ##.ad-tag ##.ad-tag-square +##.ad-tag__inner +##.ad-tag__wrapper +##.ad-takeover +##.ad-takeover-homepage ##.ad-tall -##.ad-target2-wrapper +##.ad-tech-widget +##.ad-temp ##.ad-text -##.ad-text-blockA01 -##.ad-text-blockB01 +##.ad-text-centered ##.ad-text-label ##.ad-text-link ##.ad-text-links -##.ad-text-placeholder-3 -##.ad-textG01 ##.ad-textads ##.ad-textlink ##.ad-thanks @@ -18508,106 +6916,160 @@ _popunder+$popup ##.ad-top-728 ##.ad-top-728x90 ##.ad-top-banner +##.ad-top-billboard +##.ad-top-billboard-init ##.ad-top-box-right +##.ad-top-container +##.ad-top-desktop +##.ad-top-featured ##.ad-top-in ##.ad-top-lboard ##.ad-top-left +##.ad-top-mobile ##.ad-top-mpu +##.ad-top-padding ##.ad-top-rectangle +##.ad-top-right-container ##.ad-top-side +##.ad-top-slot +##.ad-top-spacing +##.ad-top-wrap-inner ##.ad-top-wrapper -##.ad-top1 -##.ad-top2 ##.ad-topbanner -##.ad-topleader +##.ad-topper ##.ad-topright -##.ad-total -##.ad-total1 ##.ad-tower ##.ad-tower-container ##.ad-towers +##.ad-transition +##.ad-trck +##.ad-two +##.ad-twos ##.ad-txt +##.ad-txt-red ##.ad-type -##.ad-type1 -##.ad-type10 -##.ad-type2 -##.ad-type3 -##.ad-under-video +##.ad-type-branding +##.ad-type-cube +##.ad-type-flex-leaderboard ##.ad-unit +##.ad-unit--leaderboard +##.ad-unit-2 ##.ad-unit-300 ##.ad-unit-300-wrapper -##.ad-unit-970x90 -##.ad-unit-anchor ##.ad-unit-container -##.ad-unit-editorial-well ##.ad-unit-horisontal ##.ad-unit-inline-center ##.ad-unit-label -##.ad-unit-medium-retangle ##.ad-unit-mpu ##.ad-unit-panel -##.ad-unit-site-takeover +##.ad-unit-secondary +##.ad-unit-sponsored-bar +##.ad-unit-t ##.ad-unit-text ##.ad-unit-top ##.ad-unit-wrapper +##.ad-unit__inner +##.ad-units-single-header-wrapper ##.ad-update -##.ad-upper_rec -##.ad-us -##.ad-v -##.ad-v2 -##.ad-vendor-text-link ##.ad-vert ##.ad-vertical ##.ad-vertical-container ##.ad-vertical-stack-ad -##.ad-vtu -##.ad-w300 -##.ad-wallpaper-container -##.ad-wallpaper-panorama-container +##.ad-view-zone +##.ad-w-300 +##.ad-w-728 +##.ad-w-970 ##.ad-warning +##.ad-warp +##.ad-watermark ##.ad-wgt ##.ad-wide ##.ad-wide-bottom +##.ad-wide-wrap ##.ad-widget ##.ad-widget-area +##.ad-widget-box ##.ad-widget-list +##.ad-widget-sizes +##.ad-widget-wrapper +##.ad-widgets ##.ad-width-300 ##.ad-width-728 -##.ad-windowshade-full -##.ad-wings__link ##.ad-wireframe ##.ad-wireframe-wrapper ##.ad-with-background ##.ad-with-header-wrapper -##.ad-with-us -##.ad-wrap -##.ad-wrap--leaderboard -##.ad-wrap--mrec -##.ad-wrap01 -##.ad-wrap02 +##.ad-with-notice +##.ad-wp +##.ad-wp-720 +##.ad-wppr +##.ad-wppr-container +##.ad-wrap-leaderboard +##.ad-wrap-transparent +##.ad-wrap:not(#google_ads_iframe_checktag) +##.ad-wrap_wallpaper +##.ad-wrapp ##.ad-wrapper +##.ad-wrapper--ad-unit-wrap ##.ad-wrapper--articletop -##.ad-wrapper--flexibleportrait -##.ad-wrapper--slideshowhalfpage +##.ad-wrapper--lg +##.ad-wrapper--sidebar +##.ad-wrapper-250 +##.ad-wrapper-bg +##.ad-wrapper-desktop ##.ad-wrapper-left +##.ad-wrapper-mobile +##.ad-wrapper-mobile-atf +##.ad-wrapper-outer +##.ad-wrapper-solid ##.ad-wrapper-sticky ##.ad-wrapper-top ##.ad-wrapper-with-text ##.ad-wrapper__ad-slug -##.ad-x10x20x30 -##.ad-x31-full -##.ad-xrcol +##.ad-xs-title ##.ad-zone ##.ad-zone-ajax ##.ad-zone-container -##.ad-zone-s-q-l +##.ad.addon +##.ad.bottomrect +##.ad.box +##.ad.brandboard +##.ad.card +##.ad.center +##.ad.contentboard +##.ad.desktop-970x250 +##.ad.element +##.ad.floater-link +##.ad.gallery +##.ad.halfpage +##.ad.inner +##.ad.item +##.ad.leaderboard +##.ad.maxiboard +##.ad.maxisky +##.ad.middlerect +##.ad.module +##.ad.monsterboard +##.ad.netboard +##.ad.post-area +##.ad.promotion +##.ad.rectangle +##.ad.rectangle_2 +##.ad.rectangle_3 +##.ad.rectangle_home_1 +##.ad.section +##.ad.sidebar-module +##.ad.size-300x250 +##.ad.skybridgeleft +##.ad.small-mpu +##.ad.small-teaser ##.ad.super -##.ad01 -##.ad01-obj +##.ad.wideboard_tablet ##.ad02 ##.ad03 ##.ad04 ##.ad08sky +##.ad1-float ##.ad1-left ##.ad1-right ##.ad10 @@ -18619,7 +7081,6 @@ _popunder+$popup ##.ad120_600 ##.ad120x120 ##.ad120x240GrayBorder -##.ad120x240backgroundGray ##.ad120x60 ##.ad120x600 ##.ad125 @@ -18632,9 +7093,11 @@ _popunder+$popup ##.ad160_blk ##.ad160_l ##.ad160_r +##.ad160b ##.ad160x160 ##.ad160x600 ##.ad160x600GrayBorder +##.ad160x600_1 ##.ad160x600box ##.ad170x30 ##.ad18 @@ -18649,6 +7112,7 @@ _popunder+$popup ##.ad1b ##.ad1left ##.ad1x1 +##.ad2-float ##.ad200 ##.ad200x60 ##.ad220x50 @@ -18659,14 +7123,9 @@ _popunder+$popup ##.ad236x62 ##.ad240 ##.ad250 -##.ad250-h1 -##.ad250-h2 -##.ad250_250 -##.ad250c ##.ad250wrap ##.ad250x250 ##.ad250x300 -##.ad257 ##.ad260 ##.ad260x60 ##.ad284x134 @@ -18685,24 +7144,17 @@ _popunder+$popup ##.ad300_ver2 ##.ad300b ##.ad300banner -##.ad300mrec1 +##.ad300px ##.ad300shows ##.ad300top ##.ad300w -##.ad300x-placeholder ##.ad300x100 -##.ad300x111 ##.ad300x120 ##.ad300x150 ##.ad300x250 ##.ad300x250-1 ##.ad300x250-2 -##.ad300x250-home -##.ad300x250-hp-features ##.ad300x250-inline -##.ad300x250-stacked -##.ad300x2501 -##.ad300x250GrayBorder ##.ad300x250Module ##.ad300x250Right ##.ad300x250Top @@ -18718,6 +7170,7 @@ _popunder+$popup ##.ad300x40 ##.ad300x50-right ##.ad300x600 +##.ad300x600cat ##.ad300x600post ##.ad300x77 ##.ad300x90 @@ -18734,12 +7187,16 @@ _popunder+$popup ##.ad350 ##.ad350r ##.ad360 +##.ad366 +##.ad3rdParty ##.ad400 ##.ad400right ##.ad400x40 ##.ad450 ##.ad468 ##.ad468_60 +##.ad468box +##.ad468innerboxadpic ##.ad468x60 ##.ad468x60Wrap ##.ad468x60_main @@ -18754,12 +7211,9 @@ _popunder+$popup ##.ad620x70 ##.ad626X35 ##.ad640x480 -##.ad640x60 ##.ad644 ##.ad650x140 ##.ad652 -##.ad670x83 -##.ad68570 ##.ad70 ##.ad728 ##.ad72890 @@ -18768,104 +7222,42 @@ _popunder+$popup ##.ad728_blk ##.ad728_cont ##.ad728_wrap +##.ad728b ##.ad728cont ##.ad728h +##.ad728top ##.ad728x90 ##.ad728x90-1 ##.ad728x90-2 -##.ad728x90-main_wrap -##.ad728x90WithLabel -##.ad728x90_2 -##.ad728x90_container -##.ad728x90_wrap ##.ad728x90box ##.ad728x90btf -##.ad728x90container -##.ad768x90 -##.ad90 -##.ad90x780 -##.ad940x30 -##.ad954x60 -##.ad960 -##.ad960x185 -##.ad960x90 -##.ad970x30 -##.ad970x90 -##.ad980 -##.ad980x120 -##.ad980x50box -##.ad987 +##.ad970 +##.ad970_250 ##.adActive -##.adAgate ##.adAlert -##.adAlone300 ##.adArea -##.adArea674x60 ##.adAreaLC ##.adAreaNative -##.adAreaNativeDmm ##.adAreaTopTitle ##.adArticleBanner ##.adArticleBody -##.adArticleBottomWrap -##.adArticleRecommend -##.adArticleSidetile -##.adArticleTopText -##.adAuto -##.adBGcolor +##.adArticleSideTop300x250 ##.adBan -##.adBanner ##.adBanner300x250 ##.adBanner728x90 -##.adBannerTyp1 -##.adBannerTypSortableList -##.adBannerTypW300 -##.adBar -##.adBarCenter -##.adBarLeft -##.adBarRight -##.adBelt -##.adBgBottom -##.adBgClick -##.adBgMId -##.adBgTop -##.adBigBoxFirst -##.adBigBoxSecond -##.adBigBoxThird ##.adBillboard ##.adBkgd ##.adBlock -##.adBlock-300-250 -##.adBlock160x600Spot1 ##.adBlock728 ##.adBlockBottom -##.adBlockBottomBreak -##.adBlockNext ##.adBlockSpacer ##.adBlockSpot -##.adBlock_1 -##.adBlock_14 -##.adBlock_15 -##.adBlock_17 -##.adBlock_2 -##.adBlock_3 -##.adBlock_6 -##.adBlock_8 -##.adBlock_9 -##.adBodyBlockBottom ##.adBorder ##.adBorders -##.adBottomBoard -##.adBottomLink -##.adBottomboxright ##.adBox -##.adBox-a -##.adBox-mr +##.adBox-small ##.adBox1 ##.adBox2 -##.adBox230X96 -##.adBox250 -##.adBox3b ##.adBox5 ##.adBox6 ##.adBox728 @@ -18877,79 +7269,55 @@ _popunder+$popup ##.adBoxContent ##.adBoxFooter ##.adBoxHeader -##.adBoxInBignews ##.adBoxSidebar ##.adBoxSingle ##.adBoxTitle ##.adBox_1 ##.adBox_3 -##.adBrandpanel ##.adBtm -##.adBuyRight -##.adBwrap -##.adCMRight -##.adCMSlide ##.adCall ##.adCaptionText ##.adCell ##.adCenter ##.adCenterAd -##.adCentered ##.adCentertile ##.adChoice ##.adChoiceLogo ##.adChoicesLogo -##.adClm +##.adChrome ##.adClose ##.adCode -##.adColBgBottom ##.adColumn ##.adColumnLeft ##.adColumnRight ##.adComponent ##.adCont -##.adContRight ##.adContTop ##.adContainer1 -##.adContainerRectangle ##.adContainerSide -##.adContainer_125x125 -##.adContainer_728x90 -##.adContainerg6 ##.adContent ##.adContentAd ##.adContour ##.adCopy ##.adCreative -##.adCs +##.adCreator ##.adCube -##.adDeclare ##.adDefRect -##.adDialog -##.adDingT +##.adDetails_ad336 ##.adDiv -##.adDivSmall -##.adDomInner -##.adDomOutter ##.adDrawer +##.adDyn ##.adElement -##.adEmployment ##.adExpanded -##.adExternalPage -##.adFender3 ##.adFooterLinks ##.adFrame ##.adFrameCnt ##.adFrameContainer -##.adFrameMobile ##.adFrames -##.adFtr +##.adFuel-label ##.adFull -##.adFullWidth -##.adFullWidthBottom -##.adFullWidthMiddle +##.adFullbanner ##.adGlobalHeader -##.adGogleBox ##.adGoogle ##.adGroup ##.adHalfPage @@ -18958,58 +7326,60 @@ _popunder+$popup ##.adHeaderAdbanner ##.adHeaderText ##.adHeaderblack +##.adHeading ##.adHeadline ##.adHeadlineSummary ##.adHed +##.adHeight200 +##.adHeight270 +##.adHeight280 +##.adHeight313 +##.adHeight600 ##.adHolder ##.adHolder2 +##.adHolderStory ##.adHoldert ##.adHome300x250 +##.adHomeSideTop300x250 ##.adHorisontal ##.adHorisontalNoBorder ##.adHorizontalTextAlt ##.adHplaceholder ##.adHz -##.adIMm +##.adIDiv ##.adIframe ##.adIframeCount ##.adImg ##.adImgIM ##.adInArticle ##.adInContent -##.adInNews ##.adInfo -##.adInfoLargeLeaderboard +##.adInitRemove ##.adInner ##.adInnerLeftBottom +##.adInsider ##.adInteractive ##.adIsland ##.adItem ##.adLabel -##.adLabel160x600 -##.adLabel300x250 ##.adLabelLine ##.adLabels ##.adLargeRec ##.adLargeRect ##.adLat ##.adLeader +##.adLeaderBoard_container ##.adLeaderForum ##.adLeaderboard ##.adLeaderboardAdContainer ##.adLeft ##.adLine -##.adLine300x100 -##.adLine300x250 -##.adLine300x600 ##.adLink ##.adLinkCnt ##.adListB -##.adLoaded ##.adLoader ##.adLocal ##.adLocation -##.adLocation-zerg ##.adMPU ##.adMPUHome ##.adMRECHolder @@ -19017,30 +7387,27 @@ _popunder+$popup ##.adMarkerBlock ##.adMastheadLeft ##.adMastheadRight +##.adMed ##.adMedRectBox ##.adMedRectBoxLeft ##.adMediaMiddle -##.adMediaNet ##.adMediumRectangle -##.adMegaBoard -##.adMeldGuts ##.adMessage -##.adMgsBanner ##.adMiddle +##.adMinHeight280 +##.adMinHeight313 ##.adMiniTower -##.adMinisLR -##.adMkt2Colw ##.adMod ##.adModule +##.adModule--inner +##.adModule--outer +##.adModule-outer ##.adModule300 ##.adModuleAd -##.adModule_square2 ##.adMpu ##.adMpuHolder ##.adMrginBottom ##.adNarrow -##.adNetPromo -##.adNewsChannel ##.adNoBorder ##.adNoOutline ##.adNone @@ -19053,63 +7420,61 @@ _popunder+$popup ##.adOne ##.adOuterContainer ##.adOverlay -##.adPageBorderL -##.adPageBorderR ##.adPanel ##.adPanelContent +##.adPanorama ##.adPlaceholder -##.adPlaceholder35 -##.adPlaceholder54 -##.adPlaceholder_foot +##.adPlacement ##.adPod ##.adPosition +##.adPremium ##.adRecommend ##.adRecommendRight ##.adRect ##.adRectangle +##.adRectangle-pos-large +##.adRectangle-pos-medium +##.adRectangle-pos-small ##.adRectangleBanner ##.adRectangleUnit -##.adRegionSelector ##.adRemove -##.adReportsLink +##.adRenderer +##.adRendererInfinite ##.adResponsive ##.adResult ##.adResults ##.adRight ##.adRightSide +##.adRightSky ##.adRoller ##.adRotator ##.adRow ##.adRowTopWrapper ##.adSKY -##.adSTHomePage ##.adSection -##.adSection_rt -##.adSelfServiceAdvertiseLink ##.adSenceImagePush ##.adSense +##.adSense-header ##.adSepDiv ##.adServer ##.adSeven ##.adSide -##.adSide203 -##.adSide230 +##.adSideBarMPU +##.adSideBarMPUTop ##.adSidebarButtons -##.adSidetileplus -##.adSize_MedRec ##.adSizer ##.adSkin -##.adSkinLayerConfig ##.adSky -##.adSky600 -##.adSkyOrMpu ##.adSkyscaper ##.adSkyscraper -##.adSkyscraperHolder ##.adSlice ##.adSlide ##.adSlot +##.adSlot-container +##.adSlotAdition +##.adSlotCnt ##.adSlotContainer +##.adSlotHeaderContainer ##.adSlug ##.adSpBelow ##.adSpace @@ -19120,13 +7485,12 @@ _popunder+$popup ##.adSplash ##.adSponsor ##.adSponsorText +##.adSponsorhipInfo ##.adSpot -##.adSpot-brought ##.adSpot-mrec -##.adSpot-searchAd ##.adSpot-textBox -##.adSpot-textBoxGraphicRight -##.adSpot-twin +##.adSpotBlock +##.adSpotFullWidth ##.adSpotIsland ##.adSquare ##.adStatementText @@ -19141,36 +7505,38 @@ _popunder+$popup ##.adTXTnew ##.adTab ##.adTag +##.adTag-top ##.adTag-wrap +##.adTagThree +##.adTagTwo ##.adText +##.adTextDownload ##.adTextPmpt +##.adTextStreaming +##.adTextWrap ##.adTicker ##.adTile ##.adTileWrap ##.adTiler +##.adTip ##.adTitle ##.adTitleR ##.adTop -##.adTopBanner_nomobile ##.adTopBk ##.adTopFloat ##.adTopHome +##.adTopLB ##.adTopLeft -##.adTopLink ##.adTopRight ##.adTopWrapper -##.adTop_placement ##.adTopboxright -##.adTout -##.adTower ##.adTwo ##.adTxt ##.adType2 -##.adUltra +##.adUnderArticle ##.adUnit ##.adUnitHorz ##.adUnitVert -##.adUnitVert_noImage ##.adVar ##.adVertical ##.adVideo @@ -19183,21 +7549,19 @@ _popunder+$popup ##.adWideSkyscraperRight ##.adWidget ##.adWidgetBlock -##.adWidgetSponsor ##.adWithTab +##.adWizard-ad ##.adWord +##.adWords-bg ##.adWrap ##.adWrapLg ##.adWrapper +##.adWrapper1 ##.adZone ##.adZoneRight ##.ad_0 ##.ad_1 -##.ad_1000x90 -##.ad_100x100 -##.ad_1150_290 -##.ad_1160_91 -##.ad_1200 +##.ad_1000_125 ##.ad_120x60 ##.ad_120x600 ##.ad_120x90 @@ -19207,161 +7571,119 @@ _popunder+$popup ##.ad_160 ##.ad_160_600 ##.ad_160x600 -##.ad_176_inner -##.ad_180x150 -##.ad_1day9 +##.ad_188_inner ##.ad_2 ##.ad_200 -##.ad_200x200 -##.ad_234x60 ##.ad_240 -##.ad_240x400 -##.ad_242_90_top -##.ad_250 +##.ad_250250 ##.ad_250x200 ##.ad_250x250 -##.ad_250x250_w -##.ad_260_210 +##.ad_290_290 ##.ad_3 ##.ad_300 ##.ad_300250 -##.ad_300Home -##.ad_300Side -##.ad_300_120 ##.ad_300_250 ##.ad_300_250_1 ##.ad_300_250_2 -##.ad_300_250_cpv ##.ad_300_250_wrapper ##.ad_300_600 -##.ad_300_608 -##.ad_300s +##.ad_300by250 ##.ad_300x100 -##.ad_300x240 ##.ad_300x250 -##.ad_300x250_box_right -##.ad_300x250_live -##.ad_300x50 -##.ad_300x500 -##.ad_300x60 +##.ad_300x250_container ##.ad_300x600 ##.ad_320x250_async -##.ad_320x360 -##.ad_326x260 -##.ad_330x110 ##.ad_336 -##.ad_336_gr_white ##.ad_336x280 -##.ad_336x90 -##.ad_338_282 -##.ad_350x100 ##.ad_350x250 ##.ad_4 -##.ad_400x200 ##.ad_468 ##.ad_468x60 -##.ad_4_row ##.ad_5 ##.ad_600 -##.ad_630x130 ##.ad_640 -##.ad_640x90 -##.ad_680x15 +##.ad_640x480 ##.ad_728 ##.ad_72890 -##.ad_72890_box ##.ad_728Home ##.ad_728_90 ##.ad_728_90_1 -##.ad_728_90_top ##.ad_728_90b -##.ad_728_in ##.ad_728_top -##.ad_728_unit -##.ad_728_v2 ##.ad_728x90 ##.ad_728x90-1 ##.ad_728x90-2 -##.ad_728x90_top +##.ad_728x90_container ##.ad_728x90b -##.ad_88x31 -##.ad_925x90 -##.ad_954-60 -##.ad_960 -##.ad_970_2 -##.ad_970x90_prog -##.ad_980x260 -##.ad_CustomAd +##.ad_90 +##.ad_970x250 +##.ad_970x250_300x250 +##.ad_970x250_container +##.ad_Bumper ##.ad_Flex ##.ad_Left ##.ad_Right -##.ad__caption +##.ad__300x250 +##.ad__300x600 +##.ad__970x250 +##.ad__align ##.ad__centered ##.ad__container ##.ad__content -##.ad__in-loop -##.ad__in-loop--desktop +##.ad__full--width +##.ad__header +##.ad__holder +##.ad__image +##.ad__in_article ##.ad__inline ##.ad__item ##.ad__label ##.ad__leaderboard +##.ad__mobi +##.ad__mobile-footer ##.ad__mpu ##.ad__placeholder ##.ad__rectangle -##.ad__superbanner -##.ad__width-by-height +##.ad__section-border +##.ad__sidebar +##.ad__space +##.ad__sticky +##.ad__template +##.ad__window ##.ad__wrapper -##.ad_a -##.ad_adInfo -##.ad_ad_160 -##.ad_ad_300 -##.ad_adblade -##.ad_adsense_spacer ##.ad_adv +##.ad_after_section ##.ad_amazon ##.ad_area ##.ad_area_two -##.ad_article_head -##.ad_article_island_nopad -##.ad_article_top_left -##.ad_atf_300x250 -##.ad_atf_728x90 -##.ad_avu_300x250 ##.ad_back ##.ad_background -##.ad_bank_wrapper +##.ad_background_1 +##.ad_background_true ##.ad_banner ##.ad_banner2 ##.ad_banner_2 -##.ad_banner_234 ##.ad_banner_250x250 ##.ad_banner_468 +##.ad_banner_728 ##.ad_banner_728x90_inner ##.ad_banner_border ##.ad_banner_div ##.ad_bar ##.ad_below_content -##.ad_belowmenu +##.ad_belowfirstpost_frame ##.ad_bg -##.ad_bg_300x250 ##.ad_bgskin ##.ad_big_banner ##.ad_bigbox ##.ad_billboard -##.ad_biz ##.ad_blk ##.ad_block ##.ad_block_1 ##.ad_block_2 -##.ad_block_300x250 -##.ad_block_336 -##.ad_block_338 -##.ad_block__336_d1 -##.ad_block_leader2 -##.ad_bn +##.ad_block_widget ##.ad_body ##.ad_border -##.ad_border_true ##.ad_botbanner ##.ad_bottom ##.ad_bottom_728 @@ -19369,273 +7691,196 @@ _popunder+$popup ##.ad_bottom_left ##.ad_bottom_mpu ##.ad_bottom_space -##.ad_bottom_title -##.ad_bottomline ##.ad_box ##.ad_box1 ##.ad_box2 -##.ad_box300x250 ##.ad_box_2 +##.ad_box_6 +##.ad_box_9 ##.ad_box_ad ##.ad_box_div -##.ad_box_new -##.ad_box_righ -##.ad_box_right_120 +##.ad_box_header ##.ad_box_spacer -##.ad_box_title ##.ad_box_top -##.ad_boxright1 ##.ad_break +##.ad_break2_container ##.ad_break_container ##.ad_btf -##.ad_btf_300x250 -##.ad_btf_728x90 -##.ad_buttom_banner -##.ad_buttons_300 -##.ad_buttons_320 -##.ad_c +##.ad_btn +##.ad_btn-white +##.ad_btn1 +##.ad_btn2 +##.ad_by ##.ad_callout -##.ad_callout_inline ##.ad_caption ##.ad_center ##.ad_center_bottom ##.ad_centered -##.ad_cheat ##.ad_choice ##.ad_choices ##.ad_cl ##.ad_claim ##.ad_click +##.ad_cls_fix ##.ad_code ##.ad_col -##.ad_col_a ##.ad_column ##.ad_column_box -##.ad_column_hl ##.ad_common +##.ad_con ##.ad_cont ##.ad_cont_footer ##.ad_contain ##.ad_container -##.ad_container_300x250 -##.ad_container_5 -##.ad_container_6 -##.ad_container_7 -##.ad_container_728x90 -##.ad_container_8 -##.ad_container_9 -##.ad_container__sidebar -##.ad_container__top ##.ad_container_body +##.ad_container_bottom ##.ad_content +##.ad_content_below +##.ad_content_bottom ##.ad_content_wide +##.ad_content_wrapper ##.ad_contents ##.ad_crown ##.ad_custombanner +##.ad_d_big ##.ad_db ##.ad_default -##.ad_deferrable ##.ad_description -##.ad_descriptor ##.ad_desktop ##.ad_disclaimer +##.ad_div ##.ad_div_banner ##.ad_div_box ##.ad_div_box2 +##.ad_element ##.ad_embed -##.ad_eniro -##.ad_entry_title_under -##.ad_entrylists_end -##.ad_event_mast_wrapper -##.ad_external -##.ad_eyebrow ##.ad_feature -##.ad_filler -##.ad_flash -##.ad_flat-boxright10 -##.ad_flat-boxright6 -##.ad_flat-boxright9 ##.ad_float ##.ad_floating_box -##.ad_font +##.ad_fluid ##.ad_footer ##.ad_footer_super_banner -##.ad_for_layout ##.ad_frame -##.ad_framed -##.ad_front_promo -##.ad_full_click +##.ad_frame_around ##.ad_fullwidth -##.ad_gal +##.ad_gam ##.ad_global_header ##.ad_google -##.ad_google_shhide ##.ad_gpt +##.ad_grein_botn ##.ad_grid ##.ad_group -##.ad_gutter_top ##.ad_half_page ##.ad_halfpage -##.ad_hat_728 -##.ad_hat_banner_300 -##.ad_hat_top +##.ad_hd ##.ad_head ##.ad_head_rectangle -##.ad_head_wide ##.ad_header -##.ad_header_lb -##.ad_header_left -##.ad_header_noad +##.ad_header_top ##.ad_heading ##.ad_headline -##.ad_help_link ##.ad_holder -##.ad_home_block -##.ad_home_top_bnr -##.ad_honcode_label ##.ad_horizontal -##.ad_horizontal_marker ##.ad_hover_href -##.ad_hpm -##.ad_hr -##.ad_hyper_wrap -##.ad_identifier ##.ad_iframe2 -##.ad_ifrwrap ##.ad_image -##.ad_image_container ##.ad_img ##.ad_imgae_150 -##.ad_in_column -##.ad_in_head +##.ad_in_article +##.ad_in_text +##.ad_incontent ##.ad_index02 ##.ad_indicator -##.ad_info_block ##.ad_inline +##.ad_inline_wrapper +##.ad_inner ##.ad_inset ##.ad_island -##.ad_island2_spacer -##.ad_island_feedback -##.ad_island_spacer -##.ad_isolation ##.ad_item -##.ad_jnaught -##.ad_js_deal_top -##.ad_keywords_bot -##.ad_keywords_bot_r -##.ad_l ##.ad_label -##.ad_label1 -##.ad_label2a -##.ad_label_centered -##.ad_label_long -##.ad_label_method -##.ad_label_top ##.ad_large -##.ad_launchpad +##.ad_lb ##.ad_leader ##.ad_leader_bottom ##.ad_leader_plus_top ##.ad_leaderboard ##.ad_leaderboard_atf +##.ad_leaderboard_master ##.ad_leaderboard_top +##.ad_leaderboard_wrap +##.ad_left ##.ad_left_cell ##.ad_left_column ##.ad_lft -##.ad_line ##.ad_line2 ##.ad_link -##.ad_link1 -##.ad_link_468 -##.ad_link_area -##.ad_link_label -##.ad_link_label_vert ##.ad_links -##.ad_linkunit ##.ad_lnks ##.ad_loc ##.ad_long ##.ad_lrec +##.ad_lrgsky ##.ad_lt ##.ad_main ##.ad_maintopad ##.ad_margin +##.ad_marker ##.ad_masthead ##.ad_med ##.ad_medium_rectangle -##.ad_medium_wg ##.ad_medrec ##.ad_medrect ##.ad_megabanner ##.ad_message -##.ad_microlen ##.ad_mid_post_body ##.ad_middle ##.ad_middle_banner -##.ad_middle_hub_page -##.ad_mnu ##.ad_mobile ##.ad_mod ##.ad_module -##.ad_movFocus ##.ad_mp ##.ad_mpu ##.ad_mpu_top ##.ad_mr ##.ad_mrec -##.ad_mrec_title_article -##.ad_mrect -##.ad_mrectangle -##.ad_msg ##.ad_native ##.ad_native_xrail -##.ad_new_box01 -##.ad_new_box02 ##.ad_news -##.ad_news_text -##.ad_newsstream ##.ad_no_border ##.ad_note ##.ad_notice -##.ad_nsRT_300_250 -##.ad_nsbd_300_250 +##.ad_oms ##.ad_on_article ##.ad_one +##.ad_one_one +##.ad_one_third ##.ad_outer ##.ad_overlays ##.ad_p360 ##.ad_pagebody ##.ad_panel -##.ad_panel_1 -##.ad_panel_2 -##.ad_panorama_extra +##.ad_paragraphs_desktop_container ##.ad_partner ##.ad_partners -##.ad_perma-panorama +##.ad_pause ##.ad_pic +##.ad_place ##.ad_placeholder +##.ad_placeholder_d_b +##.ad_placeholder_d_s +##.ad_placeholder_d_sticky ##.ad_placement -##.ad_placement_300x250 -##.ad_placement_small -##.ad_plane_336 ##.ad_plus -##.ad_policy_link_br -##.ad_poll ##.ad_position ##.ad_post -##.ad_posttop -##.ad_power ##.ad_primary ##.ad_promo ##.ad_promo1 ##.ad_promo_spacer +##.ad_push ##.ad_r -##.ad_r1_menu -##.ad_rakuten -##.ad_rakuten_wrapper ##.ad_rec ##.ad_rect -##.ad_rect_contr ##.ad_rectangle ##.ad_rectangle_300_250 ##.ad_rectangle_medium @@ -19644,59 +7889,48 @@ _popunder+$popup ##.ad_regular2 ##.ad_regular3 ##.ad_reminder -##.ad_report_btn +##.ad_response ##.ad_rhs +##.ad_right ##.ad_rightSky +##.ad_right_300_250 ##.ad_right_cell ##.ad_right_col -##.ad_right_column -##.ad_right_column160 ##.ad_rightside ##.ad_row -##.ad_row_bottom_item -##.ad_rtg300 +##.ad_scroll ##.ad_secondary -##.ad_section_300x250 -##.ad_section_728x90 ##.ad_segment ##.ad_sense_01 ##.ad_sense_footer_container ##.ad_share_box -##.ad_shopingmall -##.ad_shuffling_text ##.ad_side ##.ad_side_box ##.ad_side_rectangle_banner ##.ad_sidebar ##.ad_sidebar_bigbox +##.ad_sidebar_inner +##.ad_sidebar_left +##.ad_sidebar_right ##.ad_size_160x600 ##.ad_skin ##.ad_sky +##.ad_sky2 +##.ad_sky2_2 ##.ad_skyscpr ##.ad_skyscraper ##.ad_skyscrapper ##.ad_slider_out ##.ad_slot +##.ad_slot_inread ##.ad_slot_right ##.ad_slug -##.ad_slug_font -##.ad_slug_healthgrades -##.ad_slug_table ##.ad_small -##.ad_sonar ##.ad_space ##.ad_space_300_250 -##.ad_space_730 -##.ad_space_holder -##.ad_space_in -##.ad_space_rgt -##.ad_space_w300_h250 ##.ad_spacer -##.ad_special_badge -##.ad_spons_box ##.ad_sponsor ##.ad_sponsor_fp -##.ad_sponsoredlinks ##.ad_sponsoredsection ##.ad_spot ##.ad_spot_b @@ -19706,14 +7940,15 @@ _popunder+$popup ##.ad_square_r ##.ad_square_r_top ##.ad_square_top +##.ad_start +##.ad_static ##.ad_station ##.ad_story_island ##.ad_stream ##.ad_stream_hd -##.ad_strip_noline ##.ad_sub ##.ad_supersize -##.ad_swf +##.ad_table ##.ad_tag ##.ad_tag_middle ##.ad_text @@ -19739,6 +7974,7 @@ _popunder+$popup ##.ad_top_mpu ##.ad_top_right ##.ad_topic_content +##.ad_topmain ##.ad_topright ##.ad_topshop ##.ad_tower @@ -19746,6 +7982,8 @@ _popunder+$popup ##.ad_trick_header ##.ad_trick_left ##.ad_ttl +##.ad_two +##.ad_two_third ##.ad_txt2 ##.ad_type_1 ##.ad_type_adsense @@ -19753,18 +7991,23 @@ _popunder+$popup ##.ad_under ##.ad_under_royal_slider ##.ad_unit +##.ad_unit_300 ##.ad_unit_300_x_250 +##.ad_unit_600 ##.ad_unit_rail +##.ad_unit_wrapper +##.ad_unit_wrapper_main ##.ad_url ##.ad_v2 ##.ad_v3 -##.ad_v300 ##.ad_vertisement -##.ad_viewtop +##.ad_w +##.ad_w300h450 ##.ad_w300i ##.ad_w_us_a300 ##.ad_warn ##.ad_warning +##.ad_watch_now ##.ad_watermark ##.ad_wid300 ##.ad_wide @@ -19777,6 +8020,9 @@ _popunder+$popup ##.ad_word ##.ad_wrap ##.ad_wrapper +##.ad_wrapper_300 +##.ad_wrapper_970x90 +##.ad_wrapper_box ##.ad_wrapper_false ##.ad_wrapper_fixed ##.ad_wrapper_top @@ -19785,40 +8031,37 @@ _popunder+$popup ##.ad_xrail_top ##.ad_zone ##.adace-adi-popup-wrapper -##.adadded -##.adageunicorns +##.adace-slideup-slot-wrap +##.adace-slot +##.adace-slot-wrapper +##.adace-sponsors-box +##.adace-vignette +##.adalert-overlayer +##.adalert-toplayer ##.adamazon ##.adarea ##.adarea-long ##.adarticle -##.adb-728x90 +##.adb-top ##.adback -##.adbadge -##.adban-hold-narrow +##.adban ##.adband -##.adbanner ##.adbanner-300-250 ##.adbanner-bottom ##.adbanner1 -##.adbanner2nd ##.adbannerbox -##.adbanneriframe ##.adbannerright ##.adbannertop -##.adbar ##.adbase ##.adbbox ##.adbckgrnd -##.adbelowfirstpost ##.adbetween +##.adbetweenarticles ##.adbkgnd ##.adblade ##.adblade-container ##.adbladeimg ##.adblk -##.adblock-240-400 -##.adblock-300-300 -##.adblock-600-120 ##.adblock-bottom ##.adblock-header ##.adblock-header1 @@ -19829,10 +8072,11 @@ _popunder+$popup ##.adblock-wide ##.adblock300 ##.adblock300250 -##.adblock300x250Spot1 ##.adblock728x90 +##.adblock__banner ##.adblock_noborder ##.adblock_primary +##.adblockdiv ##.adblocks-topright ##.adboard ##.adborder @@ -19847,10 +8091,12 @@ _popunder+$popup ##.adbox-468x60 ##.adbox-border-desk ##.adbox-box +##.adbox-header ##.adbox-outer ##.adbox-rectangle ##.adbox-sidebar ##.adbox-slider +##.adbox-style ##.adbox-title ##.adbox-topbanner ##.adbox-wrapper @@ -19866,6 +8112,7 @@ _popunder+$popup ##.adboxTopBanner ##.adboxVert ##.adbox_300x600 +##.adbox_310x400 ##.adbox_366x280 ##.adbox_468X60 ##.adbox_border @@ -19874,65 +8121,69 @@ _popunder+$popup ##.adbox_cont ##.adbox_largerect ##.adbox_left +##.adbox_top ##.adboxbg ##.adboxbot ##.adboxclass +##.adboxcm ##.adboxcontent ##.adboxcontentsum ##.adboxes ##.adboxesrow +##.adboxid +##.adboxlarge ##.adboxlong ##.adboxo +##.adboxtop ##.adbreak ##.adbrite2 -##.adbrite_post +##.adbtn +##.adbtns +##.adbttm_right_300 +##.adbttm_right_label ##.adbucks -##.adbuddy-protected ##.adbug +##.adbutler-inline-ad +##.adbutler-top-banner +##.adbutler_top_banner ##.adbutton ##.adbutton-block ##.adbuttons -##.adbygoogle -##.adc160 -##.adc336 -##.adc728 ##.adcard ##.adcasing ##.adcenter -##.adcenterRowWrapper ##.adchange ##.adchoices ##.adchoices-link ##.adclass ##.adcode +##.adcode-widget ##.adcode2 +##.adcode300x250 +##.adcode728x90 ##.adcode_container +##.adcodetextwrap300x250 ##.adcodetop ##.adcol1 ##.adcol2 ##.adcolumn ##.adcolumn_wrapper ##.adcomment +##.adcon ##.adcont +##.adcontainer-Leaderboard +##.adcontainer-Rectangle +##.adcontainer2 ##.adcontainer300x250l ##.adcontainer300x250r -##.adcontent_box -##.adcontn +##.adcontainer_big +##.adcontainer_footer ##.adcopy -##.adcrt980x250 -##.adctr -##.add-column2 -##.add-header-area ##.add-sidebar ##.add300 ##.add300top ##.add300x250 -##.add768 -##.addResources -##.add_300_250 -##.add_300x250 -##.add_728x90_teckpage -##.add_baner +##.addAdvertContainer ##.add_topbanner ##.addarea ##.addarearight @@ -19940,7 +8191,6 @@ _popunder+$popup ##.addboxRight ##.addisclaimer ##.addiv -##.addivwhite ##.adds2 ##.adds300x250 ##.adds620x90 @@ -19949,23 +8199,21 @@ _popunder+$popup ##.addwide ##.adengageadzone ##.adenquire -##.adexpl -##.adf_tisers +##.adex-ad-text ##.adfbox ##.adfeedback ##.adfeeds -##.adfieldbg ##.adfix -##.adfix-300x250 ##.adflag ##.adflexi ##.adfliction -##.adfloatleft -##.adfloatright ##.adfoot ##.adfootbox ##.adfooter -##.adformobile +##.adform__topbanner +##.adfoxly-overlay +##.adfoxly-place-delay +##.adfoxly-wrapper ##.adframe ##.adframe2 ##.adframe_banner @@ -19973,28 +8221,26 @@ _popunder+$popup ##.adfree ##.adfront ##.adfront-head -##.adg-rects -##.adg_cell -##.adg_native_home -##.adg_row -##.adg_table -##.adg_table_cell -##.adg_table_row +##.adfrp +##.adfull ##.adgear -##.adgear-bb -##.adgear_header -##.adgeletti-ad-div -##.adgoogle_block +##.adgmleaderboard +##.adguru-content-html +##.adguru-modal-popup ##.adhalfhome +##.adhalfpage +##.adhalfpageright ##.adhead -##.adhead_h -##.adhead_h_wide ##.adheader -##.adheader100 -##.adheader401 -##.adheader416 +##.adheightpromo +##.adheighttall ##.adherebox ##.adhesion-block +##.adhesion-header +##.adhesion:not(body) +##.adhesiveAdWrapper +##.adhesiveWrapper +##.adhesive_holder ##.adhi ##.adhide ##.adhint @@ -20003,35 +8249,25 @@ _popunder+$popup ##.adholder2 ##.adholderban ##.adhoriz -##.adhref_box_ads -##.adical_contentad ##.adiframe -##.adiframe250x250 +##.adindex +##.adindicator ##.adinfo ##.adinjwidget ##.adinner ##.adinpost ##.adinsert -##.adinsert-bdr ##.adinsert160 ##.adinside ##.adintext -##.adintext-unten ##.adintro ##.adisclaimer ##.adisland -##.adition_Skyscraper ##.adits -##.adjimage2 ##.adjlink +##.adk-slot ##.adkicker -##.adkingprobanner -##.adkingprocontainer ##.adkit -##.adkit-advert -##.adkit-lb-footer -##.adkit_free_html -##.adl125 ##.adlabel-horz ##.adlabel-vert ##.adlabel1 @@ -20044,6 +8280,7 @@ _popunder+$popup ##.adlayer ##.adleader ##.adleft1 +##.adleftph ##.adlgbox ##.adline ##.adlink @@ -20053,13 +8290,10 @@ _popunder+$popup ##.adlist ##.adlist1 ##.adlist2 -##.adlist__item--midstream -##.adlnklst ##.adloaded ##.adlsot ##.admain ##.adman -##.admania_themead ##.admarker ##.admaster ##.admediumred @@ -20068,99 +8302,83 @@ _popunder+$popup ##.admessage ##.admiddle ##.admiddlesidebar -##.administer-ad +##.admngr +##.admngrfr +##.admngrft ##.admods ##.admodule ##.admoduleB ##.admpu ##.admpu-small ##.admputop -##.admsg__mrec ##.admz ##.adnSpot -##.adnSpotaa ##.adname -##.adnation-banner -##.adnet120 ##.adnet_area -##.adnewslist -##.adnl_zone ##.adnotecenter ##.adnotice -##.adnu +##.adnotification +##.adnz-ad-placeholder +##.adocean ##.adocean728x90 -##.adonmedianama +##.adocean_desktop_section ##.adops -##.adp-AdPrefix ##.adpacks ##.adpacks_content -##.adpad300 -##.adpad300spacer ##.adpadding -##.adpadtwo_div ##.adpane +##.adparent ##.adpic ##.adplace ##.adplace_center +##.adplaceholder +##.adplaceholder-top ##.adplacement ##.adplate-background +##.adplugg-tag ##.adpod -##.adpos-19 -##.adpos-20 -##.adpos-25 -##.adpos-26 -##.adpos-8 +##.adpopup +##.adpos-300-mobile ##.adpost ##.adposter_pos ##.adproxy ##.adrec ##.adrechts -##.adrecom-pic ##.adrect ##.adrectangle ##.adrectwrapper -##.adrequest-iframe-wrapper +##.adrevtising-buttom ##.adright -##.adright265x90 ##.adright300 +##.adrightlg ##.adrightsm ##.adrighttop ##.adriverBanner ##.adroot ##.adrotate-sponsor +##.adrotate-widget +##.adrotate_ads_row ##.adrotate_top_banner ##.adrotate_widget ##.adrotate_widgets +##.adrotatediv ##.adrow -##.adrow-post -##.adrow1 -##.adrow1box1 -##.adrow1box3 -##.adrow1box4 -##.adrow2 -##.adrrr ##.adrule ##.ads--bottom-spacing ##.ads--desktop ##.ads--full -##.ads--menu-principal +##.ads--no-preload ##.ads--sidebar ##.ads--single ##.ads--square +##.ads--super ##.ads--top ##.ads-1 ##.ads-120x600 ##.ads-125 -##.ads-125-widget -##.ads-160-head ##.ads-160x600 ##.ads-160x600-outer -##.ads-166-70 -##.ads-180-65 ##.ads-2 -##.ads-220x90 -##.ads-250 -##.ads-290 ##.ads-3 ##.ads-300 ##.ads-300-250 @@ -20169,46 +8387,43 @@ _popunder+$popup ##.ads-300x250-sidebar ##.ads-300x300 ##.ads-300x600 -##.ads-300x80 -##.ads-301 -##.ads-336-197-qu +##.ads-300x600-wrapper-en +##.ads-320-50 +##.ads-320x250 +##.ads-336x280 ##.ads-468 -##.ads-468x60-bordered -##.ads-560-65 -##.ads-600-box ##.ads-728 ##.ads-728-90 ##.ads-728by90 ##.ads-728x90 -##.ads-728x90-wrap -##.ads-729 -##.ads-970x90 +##.ads-980x90 ##.ads-above-comments ##.ads-ad -##.ads-ads-top ##.ads-advertorial -##.ads-area ##.ads-article-right ##.ads-articlebottom +##.ads-aside ##.ads-banner ##.ads-banner-bottom ##.ads-banner-js ##.ads-banner-middle +##.ads-banner-spacing +##.ads-banner-top ##.ads-banner-top-right +##.ads-base ##.ads-beforecontent ##.ads-below-content ##.ads-below-home +##.ads-below-view-content +##.ads-between-comments ##.ads-bg ##.ads-bigbox -##.ads-bing-belly +##.ads-bilboards ##.ads-bing-bottom ##.ads-bing-top ##.ads-block ##.ads-block-bottom-wrap -##.ads-block-link-000 ##.ads-block-link-text -##.ads-block-marketplace-container -##.ads-block-menu-center ##.ads-block-panel-tipo-1 ##.ads-block-rightside ##.ads-block-top @@ -20216,62 +8431,67 @@ _popunder+$popup ##.ads-border ##.ads-bottom ##.ads-bottom-block +##.ads-bottom-center ##.ads-bottom-content ##.ads-bottom-left ##.ads-bottom-right ##.ads-box ##.ads-box-border -##.ads-box-header -##.ads-box-header-marketplace-right -##.ads-box-header-pb -##.ads-box-header-ws -##.ads-box-header-wsl +##.ads-box-cont +##.ads-bt ##.ads-btm ##.ads-by -##.ads-by-google-0 +##.ads-by-google ##.ads-callback ##.ads-card ##.ads-carousel -##.ads-cars-larger -##.ads-cars-top2 -##.ads-categories-bsa +##.ads-center +##.ads-centered +##.ads-cnt ##.ads-code ##.ads-col -##.ads-container-mediumrectangle -##.ads-container__inner +##.ads-cols +##.ads-cont ##.ads-content +##.ads-core-placer ##.ads-custom +##.ads-decorator +##.ads-desktop ##.ads-div -##.ads-divider -##.ads-express +##.ads-el +##.ads-end-content ##.ads-favicon ##.ads-feed ##.ads-fieldset -##.ads-fif -##.ads-flow ##.ads-footer -##.ads-full +##.ads-fr +##.ads-global-header +##.ads-global-top ##.ads-google ##.ads-google-bottom ##.ads-google-top +##.ads-grp ##.ads-half ##.ads-header +##.ads-header-desktop ##.ads-header-left ##.ads-header-right ##.ads-here +##.ads-hints ##.ads-holder -##.ads-home-top-buttons-wrap +##.ads-home +##.ads-homepage-2 ##.ads-horizontal ##.ads-horizontal-banner -##.ads-horizontal-icons-wrap -##.ads-iframe ##.ads-image ##.ads-inarticle ##.ads-inline ##.ads-inner -##.ads-interlinks +##.ads-instance +##.ads-internal ##.ads-item ##.ads-label +##.ads-label-inverse ##.ads-large ##.ads-leaderboard ##.ads-leaderboard-border @@ -20279,18 +8499,21 @@ _popunder+$popup ##.ads-leaderbord ##.ads-left ##.ads-line -##.ads-link -##.ads-links-general ##.ads-list ##.ads-loaded ##.ads-long ##.ads-main ##.ads-margin +##.ads-marker ##.ads-medium-rect ##.ads-middle ##.ads-middle-top +##.ads-minheight ##.ads-mini +##.ads-mini-3rows +##.ads-mobile ##.ads-module +##.ads-module-alignment ##.ads-movie ##.ads-mpu ##.ads-narrow @@ -20299,80 +8522,107 @@ _popunder+$popup ##.ads-one ##.ads-outer ##.ads-panel -##.ads-player-03 -##.ads-popup-corner +##.ads-parent +##.ads-pholder +##.ads-placeholder +##.ads-placeholder-inside +##.ads-placeholder-wrapper +##.ads-placment ##.ads-post ##.ads-post-closing +##.ads-post-footer ##.ads-post-full +##.ads-posting ##.ads-profile ##.ads-rail +##.ads-rect ##.ads-rectangle ##.ads-relatedbottom +##.ads-rendering-fix ##.ads-right ##.ads-right-min ##.ads-rotate -##.ads-rpline-com +##.ads-row ##.ads-scroller-box ##.ads-section ##.ads-side ##.ads-sidebar ##.ads-sidebar-boxad +##.ads-sidebar-widget +##.ads-sign ##.ads-single ##.ads-site +##.ads-size-small +##.ads-skin +##.ads-skin-mobile ##.ads-sky +##.ads-skyscraper +##.ads-skyscraper-container-left +##.ads-skyscraper-container-right +##.ads-skyscraper-left +##.ads-skyscraper-right ##.ads-small +##.ads-small-horizontal +##.ads-small-squares ##.ads-smartphone +##.ads-social-box +##.ads-sponsored-title ##.ads-sponsors -##.ads-sponsors-125-left -##.ads-sponsors-125-right ##.ads-square +##.ads-square-large +##.ads-square-small ##.ads-squares -##.ads-static-video-overlay +##.ads-star +##.ads-stick-footer +##.ads-sticky ##.ads-story +##.ads-story-leaderboard-atf ##.ads-stripe ##.ads-styled ##.ads-superbanner +##.ads-system ##.ads-text ##.ads-title -##.ads-tittle +##.ads-to-hide ##.ads-top ##.ads-top-728 +##.ads-top-center ##.ads-top-content +##.ads-top-fixed +##.ads-top-home ##.ads-top-left +##.ads-top-main ##.ads-top-right ##.ads-top-spacer +##.ads-topbar ##.ads-two ##.ads-txt -##.ads-u-1 ##.ads-ul -##.ads-vertical-icons-wrap -##.ads-video-zone-container +##.ads-verticle +##.ads-wall-container ##.ads-wide ##.ads-widget ##.ads-widget-content ##.ads-widget-content-wrap ##.ads-widget-link -##.ads-widget-partner-gallery -##.ads-widget-sponsor-gallery ##.ads-wrap ##.ads-wrapper +##.ads-wrapper-top ##.ads-x1 -##.ads-x1-super ##.ads-zone +##.ads.bottom +##.ads.box +##.ads.cell +##.ads.cta +##.ads.grid-layout +##.ads.square +##.ads.top +##.ads.widget ##.ads01 -##.ads02 -##.ads03 -##.ads04 -##.ads05 -##.ads06 -##.ads07 -##.ads08 -##.ads09 ##.ads1 ##.ads10 -##.ads1000x100 ##.ads11 -##.ads12 +##.ads120 ##.ads120_600 ##.ads120_600-widget ##.ads120_80 @@ -20380,22 +8630,11 @@ _popunder+$popup ##.ads123 ##.ads125 ##.ads125-widget -##.ads13 -##.ads14 -##.ads15 ##.ads160 ##.ads160-600 -##.ads160_600-widget -##.ads160x600 -##.ads180x150 -##.ads1_250 -##.ads1_label -##.ads1_sidebar ##.ads2 -##.ads24Block ##.ads250 ##.ads250-250 -##.ads250_96 ##.ads2Block ##.ads3 ##.ads300 @@ -20403,100 +8642,75 @@ _popunder+$popup ##.ads300-250 ##.ads300250 ##.ads300_250 -##.ads300_250-widget ##.ads300_600-widget ##.ads300box -##.ads300n -##.ads300nb -##.ads300x -##.ads300x100 -##.ads300x250 -##.ads300x250-thumb ##.ads300x600 -##.ads315 -##.ads320x100 -##.ads324-wrapper -##.ads324-wrapper2ads ##.ads336_280 ##.ads336x280 ##.ads4 -##.ads460 -##.ads460_home ##.ads468 ##.ads468x60 -##.ads486x100 -##.ads486x100-1 -##.ads598x98 -##.ads5blocks ##.ads600 -##.ads667x100 ##.ads720x90 ##.ads728 ##.ads728_90 +##.ads728b ##.ads728x90 ##.ads728x90-1 -##.ads728x90-thumb ##.ads970 +##.adsAdvert ##.adsArea ##.adsBanner -##.adsBelowHeadingNormal +##.adsBannerLink ##.adsBlock +##.adsBlockContainerHorizontal ##.adsBot ##.adsBottom -##.adsBox ##.adsBoxTop -##.adsByTJ ##.adsCap -##.adsCategoryIcon -##.adsCategoryTitleLink ##.adsCell ##.adsColumn -##.adsCombo02_1 -##.adsCombo02_2 -##.adsCombo02_3 -##.adsCombo02_4 -##.adsCombo02_5 -##.adsCombo02_6 -##.adsCombo02_7 ##.adsConfig ##.adsCont ##.adsDef +##.adsDesktop ##.adsDetailsPage ##.adsDisclaimer ##.adsDiv +##.adsFirst ##.adsFixed ##.adsFull ##.adsHeader -##.adsHeaderFlog ##.adsHeading +##.adsHeight300x250 +##.adsHeight720x90 +##.adsHome-full ##.adsImages ##.adsInner -##.adsInsideResults_v3 ##.adsLabel ##.adsLibrary ##.adsLine +##.adsList ##.adsMPU ##.adsMag +##.adsMarker ##.adsMiddle +##.adsMvCarousel +##.adsNetwork ##.adsOuter ##.adsOverPrimary ##.adsPlaceHolder ##.adsPostquare +##.adsPushdown ##.adsRectangleMedium ##.adsRight ##.adsRow -##.adsShield -##.adsSpace300x250 -##.adsSpace300x600 -##.adsSpace650x100 +##.adsSecond +##.adsSectionRL ##.adsSpacing -##.adsStickyLeft -##.adsStickyRight -##.adsTableBlox +##.adsSticky ##.adsTag ##.adsText -##.adsTextHouse -##.adsThema ##.adsTop ##.adsTopBanner ##.adsTopCont @@ -20504,89 +8718,58 @@ _popunder+$popup ##.adsTowerWrap ##.adsTxt ##.adsWidget -##.adsWithUs ##.adsWrap -##.adsYN -##.adsZoneBlock2 -##.ads_1 -##.ads_120x60 -##.ads_120x60_index -##.ads_125_square ##.ads_160 ##.ads_180 ##.ads_2 ##.ads_3 ##.ads_300 -##.ads_300250_wrapper -##.ads_300x100 -##.ads_300x239 +##.ads_300_250 ##.ads_300x250 ##.ads_300x600 -##.ads_305 -##.ads_320 -##.ads_320_100 -##.ads_330 -##.ads_337x280 -##.ads_350 -##.ads_3col ##.ads_4 -##.ads_460up ##.ads_468 ##.ads_468x60 -##.ads_672 ##.ads_720x90 ##.ads_728 ##.ads_728x90 +##.ads_Header +##.ads__article__header +##.ads__aside +##.ads__container ##.ads__header +##.ads__horizontal ##.ads__hyperleaderboard--hyperleaderboard +##.ads__inline ##.ads__interstitial -##.ads__leaderboard--footer -##.ads__leaderboard--header ##.ads__link ##.ads__listing -##.ads__listing--inner_horizontal_first -##.ads__listing--inner_horizontal_last -##.ads__listing--small_center -##.ads__listing--small_left -##.ads__listing--small_right +##.ads__mid +##.ads__middle +##.ads__midpage-fullwidth +##.ads__native +##.ads__right-rail-ad ##.ads__sidebar -##.ads__sidebar--home_column -##.ads__sidebar--sidebar_first -##.ads__sidebar--sidebar_fourth -##.ads__sidebar--sidebar_second -##.ads__sidebar--sidebar_third +##.ads__top ##.ads_ad_box -##.ads_ad_box2 -##.ads_admeld -##.ads_adsense1 ##.ads_after ##.ads_after_more ##.ads_amazon -##.ads_amazon_outer ##.ads_area ##.ads_article +##.ads_ba_cad ##.ads_banner -##.ads_banner_between -##.ads_banner_between_string -##.ads_banniere ##.ads_bar ##.ads_before +##.ads_between_content ##.ads_bg ##.ads_big -##.ads_big-half -##.ads_big_right -##.ads_big_right_code ##.ads_bigrec ##.ads_block -##.ads_block250 ##.ads_border ##.ads_box ##.ads_box_headline -##.ads_brace -##.ads_by -##.ads_by_tico -##.ads_catDiv -##.ads_catDivRight +##.ads_box_type1 ##.ads_center ##.ads_code ##.ads_column @@ -20594,83 +8777,58 @@ _popunder+$popup ##.ads_container_top ##.ads_content ##.ads_css -##.ads_der -##.ads_disc_anchor -##.ads_disc_leader -##.ads_disc_lwr_square -##.ads_disc_rectangle -##.ads_disc_skyscraper -##.ads_disc_square -##.ads_disclaimer ##.ads_div -##.ads_entrymore -##.ads_folat_left +##.ads_div1 ##.ads_foot ##.ads_footer ##.ads_footerad -##.ads_frame_wrapper +##.ads_full_1 ##.ads_google ##.ads_h +##.ads_h1 +##.ads_h2 ##.ads_header ##.ads_header_bottom ##.ads_holder +##.ads_home ##.ads_horizontal -##.ads_in_list_autosize -##.ads_infoBtns -##.ads_inline_640 -##.ads_inside2 +##.ads_inview ##.ads_item ##.ads_label -##.ads_large_ads -##.ads_layout_sky ##.ads_lb ##.ads_leader ##.ads_leaderboard ##.ads_left -##.ads_linkb_728 -##.ads_loc_bottom -##.ads_loc_side -##.ads_lr_wrapper -##.ads_lr_wrapper2 ##.ads_main ##.ads_main_hp +##.ads_media ##.ads_medium ##.ads_medium_rectangle ##.ads_medrect -##.ads_meraki_widget_asa ##.ads_middle +##.ads_middle-container ##.ads_middle_container +##.ads_mobile_vert ##.ads_mpu -##.ads_mpu_small -##.ads_obrazek ##.ads_outer ##.ads_outline +##.ads_place +##.ads_place_160 +##.ads_place_top +##.ads_placeholder ##.ads_player ##.ads_post -##.ads_post_end -##.ads_post_end_code -##.ads_post_start -##.ads_post_start_code -##.ads_qc1 -##.ads_qc2 -##.ads_r +##.ads_prtext ##.ads_rectangle -##.ads_rem ##.ads_remove ##.ads_right ##.ads_rightbar_top -##.ads_sc_bl -##.ads_sc_bl_i -##.ads_sc_ls_i -##.ads_sc_tb -##.ads_sc_tl_i -##.ads_sep -##.ads_show_if ##.ads_side ##.ads_sideba ##.ads_sidebar -##.ads_sidebar_360 -##.ads_sidebar_360_b +##.ads_single_center +##.ads_single_side +##.ads_single_top ##.ads_singlepost ##.ads_slice ##.ads_slot @@ -20681,42 +8839,41 @@ _popunder+$popup ##.ads_square ##.ads_takeover ##.ads_text -##.ads_ticker_main ##.ads_tit ##.ads_title ##.ads_top +##.ads_top_1 ##.ads_top_banner ##.ads_top_both -##.ads_top_promo +##.ads_top_middle +##.ads_top_nav ##.ads_topbanner -##.ads_topic_300 -##.ads_topic_after ##.ads_topleft ##.ads_topright ##.ads_tower ##.ads_tr -##.ads_under_fileinfo -##.ads_under_player +##.ads_under_data +##.ads_unit ##.ads_up -##.ads_up_big2 -##.ads_upper_right_wrap -##.ads_verticalSpace -##.ads_vtlLink -##.ads_vtlList +##.ads_video ##.ads_wide ##.ads_widesky ##.ads_widget -##.ads_without_height +##.ads_wrap +##.ads_wrap-para ##.ads_wrapper -##.ads_wrapperads_top ##.adsafp -##.adsame-banner-box +##.adsanity-alignnone ##.adsanity-group ##.adsanity-single ##.adsarea +##.adsartical +##.adsbanner1 +##.adsbanner2 ##.adsbantop ##.adsbar ##.adsbg300 +##.adsbillboard ##.adsblock ##.adsblockvert ##.adsbnr @@ -20725,54 +8882,57 @@ _popunder+$popup ##.adsboth ##.adsbottom ##.adsbottombox -##.adsbox +##.adsbox--masthead ##.adsbox-square +##.adsbox970x90 +##.adsbox990x90 ##.adsboxBtn ##.adsbox_300x250 ##.adsboxitem -##.adsbttmpg +##.adsbx728x90 ##.adsbyadop -##.adsbycircumventioncentral -##.adsbygoogle +##.adsbyexoclick +##.adsbyexoclick-wrapper +##.adsbygalaksion ##.adsbygoogle-box +##.adsbygoogle-noablate +##.adsbygoogle-wrapper ##.adsbygoogle2 -##.adsbymahimeta -##.adsbysinodia -##.adsbyyahoo -##.adsc -##.adscaleAdvert -##.adscaleP6_canvas +##.adsbypublift +##.adsbypubmax +##.adsbytrafficjunky +##.adsbyvli +##.adsbyxa ##.adscaleTop -##.adscatalog +##.adscenter +##.adscentertext ##.adsclick ##.adscontainer ##.adscontent250 ##.adscontentcenter +##.adscontntad ##.adscreen -##.adsd_shift100 -##.adsdisplaygames +##.adsdelivery +##.adsdesktop ##.adsdiv -##.adsection ##.adsection_a2 ##.adsection_c2 ##.adsection_c3 -##.adsence-domain +##.adsenbox ##.adsens ##.adsense-250 -##.adsense-300x256-widget -##.adsense-300x256-widget-2 +##.adsense-300-600 ##.adsense-336 +##.adsense-336-280 ##.adsense-468 -##.adsense-ad +##.adsense-728-90 +##.adsense-ad-results ##.adsense-ads ##.adsense-afterpost ##.adsense-area ##.adsense-article -##.adsense-attribution ##.adsense-block ##.adsense-box -##.adsense-category -##.adsense-category-bottom ##.adsense-center ##.adsense-code ##.adsense-container @@ -20782,68 +8942,52 @@ _popunder+$popup ##.adsense-googleAds ##.adsense-header ##.adsense-heading -##.adsense-image-detail +##.adsense-iframe-container +##.adsense-inline ##.adsense-left ##.adsense-links -##.adsense-links2 -##.adsense-midtext -##.adsense-mod-border +##.adsense-loading ##.adsense-module ##.adsense-overlay ##.adsense-post -##.adsense-review -##.adsense-reviews-float +##.adsense-resposivo-meio ##.adsense-right ##.adsense-slot ##.adsense-square ##.adsense-sticky-slide ##.adsense-title ##.adsense-top -##.adsense-top-bar -##.adsense-topics-detail ##.adsense-unit -##.adsense-wide-background ##.adsense-widget -##.adsense-widget-horizontal +##.adsense-wrapper ##.adsense1 ##.adsense160x600 ##.adsense250 ##.adsense3 ##.adsense300 -##.adsense300_top +##.adsense300x250 ##.adsense728 ##.adsense728x90 ##.adsenseAds ##.adsenseBannerArea ##.adsenseBlock ##.adsenseContainer -##.adsenseGreenBox -##.adsenseInPost -##.adsenseLargeRectangle ##.adsenseList ##.adsenseRow ##.adsenseSky ##.adsenseWrapper ##.adsense_200 -##.adsense_200x200 ##.adsense_336_280 -##.adsense_728x15_center +##.adsense_728x90_container ##.adsense_ad -##.adsense_afc_related_art -##.adsense_bdc_v2 ##.adsense_block ##.adsense_bottom -##.adsense_box01 ##.adsense_container +##.adsense_content_300x250 ##.adsense_div_wrapper -##.adsense_full_width ##.adsense_inner ##.adsense_label ##.adsense_leader -##.adsense_left_lu -##.adsense_mainbox01 -##.adsense_managed -##.adsense_managed_ ##.adsense_media ##.adsense_menu ##.adsense_mpu @@ -20853,40 +8997,31 @@ _popunder+$popup ##.adsense_sidebar ##.adsense_sidebar_top ##.adsense_single -##.adsense_small_square ##.adsense_top ##.adsense_top_ad -##.adsense_top_lu ##.adsense_unit ##.adsense_wrapper -##.adsense_x88 ##.adsensebig -##.adsenseblock_bottom -##.adsenseblock_top ##.adsensefloat ##.adsenseformat ##.adsenseframe ##.adsenseleaderboard -##.adsenselr -##.adsensem_widget -##.adsensemainpage -##.adsensesky -##.adsensesq -##.adsensex336 +##.adsensemobile ##.adsenvelope ##.adsep -##.adseparator ##.adserve_728 +##.adserverBox ##.adserver_zone ##.adserverad ##.adserving ##.adset +##.adsfloat +##.adsfloatpanel ##.adsforums ##.adsghori ##.adsgrd ##.adsgvert -##.adsh -##.adshl +##.adsheight-250 ##.adshome ##.adshowbig ##.adshowcase @@ -20894,18 +9029,21 @@ _popunder+$popup ##.adside ##.adside-box-index ##.adside-box-single +##.adside_box ##.adsidebar ##.adsidebox ##.adsider ##.adsincs2 ##.adsinfo ##.adsingle +##.adsingle-r +##.adsingleph ##.adsitem ##.adsize728 ##.adsizer ##.adsizewrapper -##.adsjx ##.adskeeperWrap +##.adsky ##.adsleaderboard ##.adsleaderboardbox ##.adsleff @@ -20916,31 +9054,47 @@ _popunder+$popup ##.adslink ##.adslist ##.adslisting +##.adslisting2 ##.adslistingz +##.adsload +##.adsloading ##.adslogan ##.adslot +##.adslot--leaderboard ##.adslot-area ##.adslot-banner ##.adslot-billboard +##.adslot-feature +##.adslot-inline-wide ##.adslot-mpu ##.adslot-rectangle ##.adslot-widget +##.adslot970 ##.adslotMid ##.adslot_1 +##.adslot_1m +##.adslot_2 +##.adslot_2m +##.adslot_3 ##.adslot_300 +##.adslot_3d +##.adslot_3m +##.adslot_4 ##.adslot_728 ##.adslot__ad-container ##.adslot__ad-wrapper ##.adslot_blurred ##.adslot_bot_300x250 +##.adslot_collapse ##.adslot_popup ##.adslot_side1 ##.adslothead ##.adslotleft ##.adslotright +##.adslotright_1 +##.adslotright_2 ##.adslug -##.adslx-bottom2015 -##.adslx2015 +##.adsmaintop ##.adsmall ##.adsmaller ##.adsmalltext @@ -20949,18 +9103,28 @@ _popunder+$popup ##.adsmedrect ##.adsmedrectright ##.adsmessage +##.adsmobile +##.adsninja-ad-zone +##.adsninja-ad-zone-container-with-set-height +##.adsninja-rail-zone ##.adsnippet_widget ##.adsns +##.adsntl ##.adsonar-after ##.adsonofftrigger ##.adsoptimal-slot +##.adsother ##.adspace ##.adspace-300x600 ##.adspace-336x280 ##.adspace-728x90 ##.adspace-MR +##.adspace-lb ##.adspace-leaderboard +##.adspace-lr ##.adspace-mpu +##.adspace-mtb +##.adspace-top ##.adspace-widget ##.adspace1 ##.adspace180 @@ -20969,10 +9133,12 @@ _popunder+$popup ##.adspace_2 ##.adspace_bottom ##.adspace_buysell +##.adspace_right ##.adspace_rotate ##.adspace_skyscraper ##.adspace_top ##.adspacer +##.adspacer2 ##.adspan ##.adspanel ##.adspecial390 @@ -20980,9 +9146,10 @@ _popunder+$popup ##.adsplash-160x600 ##.adsplat ##.adsponsor +##.adspop ##.adspost ##.adspot -##.adspot-300x250-pos1-container +##.adspot-desk ##.adspot-title ##.adspot1 ##.adspot200x90 @@ -20994,13 +9161,18 @@ _popunder+$popup ##.adsprefooter ##.adspreview ##.adsrecnode +##.adsresponsive ##.adsright ##.adss ##.adss-rel +##.adssidebar2 ##.adsskyscraper +##.adsslotcustom2 +##.adsslotcustom4 ##.adssmall ##.adssquare ##.adssquare2 +##.adsterra ##.adstext ##.adstextpad ##.adstipt @@ -21008,13 +9180,14 @@ _popunder+$popup ##.adstop ##.adstory ##.adstrip -##.adstxt ##.adstyle -##.adsupperugo -##.adsupperugo_txt +##.adsverting +##.adsvideo +##.adswallpapr ##.adswidget +##.adswiper ##.adswitch -##.adsxpls +##.adswordatas ##.adsystem_ad ##.adszone ##.adt-300x250 @@ -21023,14 +9196,18 @@ _popunder+$popup ##.adtab ##.adtable ##.adtag +##.adtc ##.adtech ##.adtech-ad-widget ##.adtech-banner ##.adtech-boxad -##.adtech-top-ad +##.adtech-copy +##.adtech-video-2 +##.adtech-wrapper ##.adtechMobile ##.adtech_wrapper ##.adtester-container +##.adtext-bg ##.adtext_gray ##.adtext_horizontal ##.adtext_onwhite @@ -21038,147 +9215,151 @@ _popunder+$popup ##.adtext_white ##.adtextleft ##.adtextright -##.adtexts -##.adthx +##.adthrive +##.adthrive-ad +##.adthrive-content +##.adthrive-header +##.adthrive-header-container +##.adthrive-placeholder-content +##.adthrive-placeholder-header +##.adthrive-placeholder-static-sidebar +##.adthrive-placeholder-video +##.adthrive-sidebar +##.adthrive-video-player +##.adthrive_custom_ad ##.adtile ##.adtips ##.adtips1 +##.adtitle ##.adtoggle ##.adtop ##.adtop-border ##.adtops ##.adtower ##.adtravel -##.adtv_300_250 +##.adttl ##.adtxt ##.adtxtlinks ##.adult-adv +##.adun ##.adunit ##.adunit-300-250 ##.adunit-active +##.adunit-adbridg ##.adunit-container +##.adunit-container_sitebar_1 +##.adunit-googleadmanager +##.adunit-lazy ##.adunit-middle ##.adunit-parent ##.adunit-purch ##.adunit-side ##.adunit-title +##.adunit-top ##.adunit-wrap +##.adunit-wrapper ##.adunit125 ##.adunit160 ##.adunit300x250 ##.adunit468 ##.adunitContainer -##.adunit_210x509 -##.adunit_300x100 ##.adunit_300x250 -##.adunit_300x600 -##.adunit_607x110 ##.adunit_728x90 ##.adunit_content ##.adunit_footer ##.adunit_leaderboard -##.adunit_maincol_right ##.adunit_rectangle -##.adunitfirst -##.adunitrd -##.adup-ad-container -##.adv--desktop-top -##.adv--intermingled -##.adv--leaderboard +##.adv--h600 ##.adv--square +##.adv-120x600 ##.adv-160 +##.adv-160x600 ##.adv-200-200 ##.adv-250-250 ##.adv-300 ##.adv-300-1 ##.adv-300-250 +##.adv-300-600 ##.adv-300x250 ##.adv-300x250-generic ##.adv-336-280 ##.adv-4 ##.adv-468-60 +##.adv-468x60 ##.adv-700 ##.adv-728 +##.adv-728-90 ##.adv-970 +##.adv-970-250 +##.adv-970-250-2 ##.adv-980x60 ##.adv-ad +##.adv-ads-selfstyle +##.adv-aside ##.adv-background ##.adv-banner ##.adv-bar -##.adv-before-news-body ##.adv-block +##.adv-block-container ##.adv-border ##.adv-bottom ##.adv-box +##.adv-box-holder ##.adv-box-wrapper +##.adv-carousel ##.adv-center ##.adv-click -##.adv-comment--opened -##.adv-comments ##.adv-cont ##.adv-cont1 -##.adv-container ##.adv-conteiner ##.adv-dvb ##.adv-format-1 ##.adv-full-width ##.adv-google +##.adv-gpt-desktop-wrapper +##.adv-gpt-wrapper-desktop ##.adv-halfpage ##.adv-header -##.adv-home-300x600 +##.adv-holder ##.adv-in-body ##.adv-inset ##.adv-intext ##.adv-intext-label ##.adv-key ##.adv-label -##.adv-lb -##.adv-lb-wrap ##.adv-leaderboard ##.adv-leaderboard-banner -##.adv-list -##.adv-list__link -##.adv-list_inner -##.adv-lshaped-wrapper -##.adv-mid-rect -##.adv-mid-rect--right +##.adv-link--left +##.adv-link--right +##.adv-mobile-wrapper ##.adv-mpu -##.adv-mpu-shoulder ##.adv-outer -##.adv-overlay ##.adv-p -##.adv-phone -##.adv-phone-hp -##.adv-rectangle ##.adv-right ##.adv-right-300 ##.adv-rotator ##.adv-script-container -##.adv-search-ad ##.adv-sidebar -##.adv-sidelabel -##.adv-slide-block-wrapper +##.adv-skin-spacer ##.adv-slot-container -##.adv-square-banner -##.adv-squarebox-banner -##.adv-teaser-divider ##.adv-text ##.adv-top +##.adv-top-banner ##.adv-top-container ##.adv-top-page +##.adv-top-skin ##.adv-under-video ##.adv-unit ##.adv-videoad ##.adv-x61 ##.adv1 +##.adv120 ##.adv200 -##.adv200_border ##.adv250 ##.adv300 ##.adv300-250 ##.adv300-250-2 ##.adv300-70 -##.adv300_100 ##.adv300left ##.adv300x100 ##.adv300x250 @@ -21188,33 +9369,24 @@ _popunder+$popup ##.adv350 ##.adv460x60 ##.adv468 -##.adv468x110 ##.adv468x90 ##.adv728 -##.adv728_90 ##.adv728x90 ##.advBottom ##.advBottomHome ##.advBox -##.advDesktop300x250 -##.advImagesbox ##.advInt -##.advLB_PageMiddle ##.advLeaderboard ##.advRightBig ##.advSquare ##.advText -##.advTicker -##.advVideobox -##.advWrappers -##.adv_1 +##.advTop ##.adv_120 ##.adv_120_600 ##.adv_120x240 ##.adv_120x600 ##.adv_160_600 ##.adv_160x600 -##.adv_2 ##.adv_250 ##.adv_250_250 ##.adv_300 @@ -21223,38 +9395,19 @@ _popunder+$popup ##.adv_300x250 ##.adv_336_280 ##.adv_468_60 -##.adv_630 ##.adv_728_90 ##.adv_728x90 -##.adv_90 -##.adv_PageTop ##.adv__box -##.adv__container--300x250 -##.adv__container--728x90 -##.adv__text +##.adv__leaderboard +##.adv__wrapper ##.adv_aff -##.adv_amazon_single ##.adv_banner ##.adv_banner_hor ##.adv_bg -##.adv_blocker ##.adv_box ##.adv_box_narrow -##.adv_cnt -##.adv_code -##.adv_default_box_container -##.adv_display -##.adv_flash -##.adv_floater_left -##.adv_floater_right -##.adv_headerleft -##.adv_headerright -##.adv_hed ##.adv_here ##.adv_img -##.adv_in_body_a -##.adv_info_text -##.adv_jump ##.adv_leaderboard ##.adv_left ##.adv_link @@ -21264,39 +9417,38 @@ _popunder+$popup ##.adv_main_right_down_wrapper ##.adv_medium_rectangle ##.adv_message -##.adv_page_blocker_overlay +##.adv_msg ##.adv_panel -##.adv_pointer_home -##.adv_pointer_section ##.adv_right -##.adv_sd_dx ##.adv_side1 ##.adv_side2 ##.adv_sidebar -##.adv_sidebar_300x250 -##.adv_standard_d -##.adv_td ##.adv_title ##.adv_top -##.adv_tr ##.adv_txt ##.adv_under_menu -##.adv_underpost -##.adv_x_1 -##.adv_x_2 -##.advads-5 +##.advads-background +##.advads-close-button +##.advads-parallax-container ##.advads-sticky +##.advads-target ##.advads-widget +##.advads_ad_widget-11 +##.advads_ad_widget-18 +##.advads_ad_widget-2 +##.advads_ad_widget-21 +##.advads_ad_widget-3 +##.advads_ad_widget-4 +##.advads_ad_widget-5 +##.advads_ad_widget-8 +##.advads_ad_widget-9 ##.advads_widget -##.advallyAdhesionUnit +##.advance-ads ##.advart -##.advbanner_300x250 -##.advbanner_300x600 -##.advbanner_970x90 ##.advbig -##.advbptxt ##.adver ##.adver-block +##.adver-header ##.adver-left ##.adver-text ##.adverTag @@ -21304,43 +9456,36 @@ _popunder+$popup ##.adver_bot ##.adver_cont_below ##.adver_home -##.adveratising -##.adverdown -##.adverhrz -##.adverserve145 -##.adverstisement_right ##.advert--background ##.advert--banner-wrap ##.advert--fallback ##.advert--header +##.advert--in-sidebar +##.advert--inline ##.advert--leaderboard -##.advert--mpu -##.advert--mpu--rhs +##.advert--loading +##.advert--outer ##.advert--placeholder -##.advert--transition -##.advert--vc -##.advert--vc__wrapper +##.advert--right-rail +##.advert--square ##.advert-100 ##.advert-120x90 ##.advert-160x600 ##.advert-300 ##.advert-300-side -##.advert-300x100-side -##.advert-300x250-container ##.advert-728 ##.advert-728-90 ##.advert-728x90 -##.advert-760 -##.advert-arch-top ##.advert-article-bottom ##.advert-autosize +##.advert-background ##.advert-banner +##.advert-banner-container ##.advert-banner-holder ##.advert-bannerad +##.advert-bar ##.advert-bg-250 ##.advert-block -##.advert-bloggrey -##.advert-body-not-home ##.advert-border ##.advert-bot-box ##.advert-bottom @@ -21348,8 +9493,8 @@ _popunder+$popup ##.advert-bronze ##.advert-bronze-btm ##.advert-btm +##.advert-card ##.advert-center -##.advert-center_468x60 ##.advert-col ##.advert-col-center ##.advert-competitions @@ -21358,73 +9503,72 @@ _popunder+$popup ##.advert-content-item ##.advert-detail ##.advert-dfp -##.advert-double-mpu ##.advert-featured ##.advert-footer -##.advert-full-home-sec -##.advert-full-raw ##.advert-gold ##.advert-group ##.advert-head ##.advert-header-728 -##.advert-home-380x120 ##.advert-horizontal -##.advert-iab-300-250 -##.advert-iab-468-60 ##.advert-image ##.advert-info +##.advert-inner ##.advert-label ##.advert-leaderboard ##.advert-leaderboard2 ##.advert-loader -##.advert-lower-right ##.advert-mini ##.advert-mpu ##.advert-mrec ##.advert-note ##.advert-overlay ##.advert-pane +##.advert-panel +##.advert-placeholder +##.advert-placeholder-wrapper +##.advert-preview-wrapper ##.advert-right +##.advert-row ##.advert-section ##.advert-sidebar ##.advert-silver ##.advert-sky +##.advert-skyright ##.advert-skyscraper +##.advert-slider +##.advert-spot-container +##.advert-sticky-wrapper ##.advert-stub ##.advert-text ##.advert-three -##.advert-tile ##.advert-title ##.advert-top ##.advert-top-footer ##.advert-txt -##.advert-under-hedaer ##.advert-unit ##.advert-wide -##.advert-words +##.advert-wingbanner-left +##.advert-wingbanner-right ##.advert-wrap ##.advert-wrap1 ##.advert-wrap2 ##.advert-wrapper -##.advert-wrapper_rectangle_aside +##.advert-wrapper-exco +##.advert.box +##.advert.desktop +##.advert.mobile +##.advert.mpu +##.advert.skyscraper ##.advert1 ##.advert120 ##.advert1Banner ##.advert2 ##.advert300 -##.advert300-home -##.advert300x100 -##.advert300x250 -##.advert300x300 -##.advert300x440 -##.advert300x600 -##.advert350ih ##.advert4 ##.advert5 ##.advert728_90 ##.advert728x90 ##.advert8 -##.advertAreaFrame ##.advertBanner ##.advertBar ##.advertBlock @@ -21434,25 +9578,22 @@ _popunder+$popup ##.advertColumn ##.advertCont ##.advertContainer -##.advertContent ##.advertDownload ##.advertFullBanner -##.advertGenerator +##.advertHeader ##.advertHeadline -##.advertIframe -##.advertIslandWrapper ##.advertLink ##.advertLink1 +##.advertMPU ##.advertMiddle ##.advertMpu ##.advertRight ##.advertSideBar ##.advertSign +##.advertSlider ##.advertSlot ##.advertSuperBanner ##.advertText -##.advertTh -##.advertThInnBg ##.advertTitleSky ##.advertWrapper ##.advert_300x250 @@ -21462,11 +9603,9 @@ _popunder+$popup ##.advert__fullbanner ##.advert__leaderboard ##.advert__mpu +##.advert__sidebar ##.advert__tagline ##.advert_area -##.advert_back_160x600 -##.advert_back_300x250 -##.advert_back_300xXXX ##.advert_banner ##.advert_banners ##.advert_block @@ -21475,13 +9614,10 @@ _popunder+$popup ##.advert_cont ##.advert_container ##.advert_div -##.advert_djad -##.advert_google_content -##.advert_google_title +##.advert_foot ##.advert_header ##.advert_home_300 ##.advert_img -##.advert_in_post ##.advert_label ##.advert_leaderboard ##.advert_line @@ -21489,136 +9625,114 @@ _popunder+$popup ##.advert_main ##.advert_main_bottom ##.advert_mpu -##.advert_mpu_body_hdr ##.advert_nav ##.advert_note -##.advert_rectangle_aside +##.advert_pos ##.advert_small -##.advert_societe_general -##.advert_source ##.advert_span -##.advert_surr ##.advert_text +##.advert_title ##.advert_top ##.advert_txt ##.advert_wrapper -##.advertasingtxt ##.advertbar ##.advertbox ##.adverteaser ##.advertembed -##.advertheader-red ##.adverthome +##.adverticum_container +##.adverticum_content +##.advertis ##.advertis-left ##.advertis-right +##.advertise-1 +##.advertise-2 ##.advertise-box ##.advertise-here -##.advertise-homestrip ##.advertise-horz ##.advertise-info -##.advertise-inquiry ##.advertise-leaderboard ##.advertise-link -##.advertise-link-post-bottom ##.advertise-list +##.advertise-pic ##.advertise-small ##.advertise-square ##.advertise-top ##.advertise-vert -##.advertiseBlack ##.advertiseContainer ##.advertiseHere -##.advertiseLabel234x60 -##.advertiseLabel300x250 ##.advertiseText ##.advertise_ads ##.advertise_box -##.advertise_box1 -##.advertise_box4 +##.advertise_brand ##.advertise_carousel ##.advertise_here ##.advertise_link ##.advertise_link_sidebar ##.advertise_links ##.advertise_sec +##.advertise_text ##.advertise_txt ##.advertise_verRight ##.advertisebtn ##.advertisedBy -##.advertisement--appnexus ##.advertisement-1 -##.advertisement-160-600 ##.advertisement-2 -##.advertisement-234-60 ##.advertisement-250 ##.advertisement-300 -##.advertisement-300-250 ##.advertisement-300x250 -##.advertisement-300x600 -##.advertisement-728-90 -##.advertisement-728x90 -##.advertisement-750-60 -##.advertisement-BottomRight -##.advertisement-after ##.advertisement-background ##.advertisement-banner -##.advertisement-before -##.advertisement-bkg ##.advertisement-block ##.advertisement-bottom ##.advertisement-box -##.advertisement-caption +##.advertisement-card ##.advertisement-cell -##.advertisement-comment ##.advertisement-container ##.advertisement-content ##.advertisement-copy -##.advertisement-dashed +##.advertisement-footer +##.advertisement-google ##.advertisement-header -##.advertisement-information-link +##.advertisement-holder +##.advertisement-image ##.advertisement-label -##.advertisement-label-up-white ##.advertisement-layout -##.advertisement-leader-board -##.advertisement-leader-board-second ##.advertisement-leaderboard +##.advertisement-leaderboard-lg +##.advertisement-left +##.advertisement-link ##.advertisement-nav -##.advertisement-other ##.advertisement-placeholder ##.advertisement-position1 ##.advertisement-right -##.advertisement-right-rail ##.advertisement-sidebar ##.advertisement-space ##.advertisement-sponsor -##.advertisement-swimlane ##.advertisement-tag ##.advertisement-text ##.advertisement-title ##.advertisement-top ##.advertisement-txt ##.advertisement-wrapper +##.advertisement.leaderboard +##.advertisement.rectangle +##.advertisement.under-article ##.advertisement1 ##.advertisement300x250 ##.advertisement468 ##.advertisementBackground ##.advertisementBanner -##.advertisementBannerVertical ##.advertisementBar ##.advertisementBlock ##.advertisementBox -##.advertisementCenterer -##.advertisementColumnGroup +##.advertisementBoxBan ##.advertisementContainer ##.advertisementFull -##.advertisementGif ##.advertisementHeader ##.advertisementImg ##.advertisementLabel -##.advertisementLabelFooter -##.advertisementOutsider ##.advertisementPanel -##.advertisementReloadable ##.advertisementRotate ##.advertisementSection ##.advertisementSmall @@ -21627,74 +9741,63 @@ _popunder+$popup ##.advertisement_160x600 ##.advertisement_300x250 ##.advertisement_728x90 -##.advertisement__728x90 +##.advertisement__header ##.advertisement__label ##.advertisement__leaderboard -##.advertisement__title -##.advertisement_above_footer -##.advertisement_article_center_bottom_computer -##.advertisement_article_center_middle1_computer -##.advertisement_article_center_middle4_computer -##.advertisement_article_center_middle6_computer -##.advertisement_article_center_top_computer -##.advertisement_article_right_middle2_computer -##.advertisement_article_right_top_computer -##.advertisement_below_news_article -##.advertisement_block_234_60 -##.advertisement_block_468_60 +##.advertisement__wrapper ##.advertisement_box -##.advertisement_btm -##.advertisement_caption ##.advertisement_container -##.advertisement_flag -##.advertisement_flag_sky -##.advertisement_g +##.advertisement_footer ##.advertisement_header ##.advertisement_horizontal -##.advertisement_main_center_bottom_computer -##.advertisement_main_right_middle2_computer -##.advertisement_main_right_top_computer +##.advertisement_mobile +##.advertisement_part ##.advertisement_post -##.advertisement_river ##.advertisement_section_top -##.advertisement_sky +##.advertisement_text ##.advertisement_top -##.advertisement_watchFooter -##.advertisementonblue -##.advertisementonwhite +##.advertisement_wrapper ##.advertisements-link ##.advertisements-right ##.advertisements-sidebar -##.advertisementsOutterDiv -##.advertisements_contain -##.advertisementsubtitle +##.advertisements_heading +##.advertisementwrap ##.advertiser ##.advertiser-links -##.advertisesingle -##.advertisespace_div -##.advertising--desktop -##.advertising--mobile ##.advertising--row -##.advertising--tablet ##.advertising--top -##.advertising-aside-top ##.advertising-banner ##.advertising-block -##.advertising-box-top-teaser +##.advertising-container +##.advertising-container-top ##.advertising-content +##.advertising-disclaimer ##.advertising-fixed ##.advertising-header +##.advertising-iframe ##.advertising-inner ##.advertising-leaderboard -##.advertising-local-links ##.advertising-lrec +##.advertising-mediumrectangle ##.advertising-mention +##.advertising-middle +##.advertising-middle-i ##.advertising-notice +##.advertising-right +##.advertising-right-d +##.advertising-right-i +##.advertising-section +##.advertising-side +##.advertising-side-hp ##.advertising-srec ##.advertising-top ##.advertising-top-banner ##.advertising-top-box ##.advertising-top-category +##.advertising-top-desktop +##.advertising-vert +##.advertising-wrapper +##.advertising1 ##.advertising160 ##.advertising2 ##.advertising300_home @@ -21703,56 +9806,65 @@ _popunder+$popup ##.advertising728_3 ##.advertisingBanner ##.advertisingBlock -##.advertisingBlocks -##.advertisingFooterXL ##.advertisingLabel ##.advertisingLegend ##.advertisingLrec ##.advertisingMob +##.advertisingRight ##.advertisingSlide ##.advertisingTable +##.advertisingTop ##.advertising_300x250 ##.advertising_banner ##.advertising_block ##.advertising_bottom_box ##.advertising_box_bg +##.advertising_header_1 ##.advertising_hibu_lef ##.advertising_hibu_mid ##.advertising_hibu_rig +##.advertising_horizontal_title ##.advertising_images +##.advertising_square +##.advertising_top +##.advertising_vertical_title ##.advertising_widget +##.advertising_wrapper ##.advertisingarea ##.advertisingarea-homepage ##.advertisingimage ##.advertisingimage-extended ##.advertisingimageextended -##.advertisingimageextended-link ##.advertisment ##.advertisment-banner ##.advertisment-label ##.advertisment-left-panal ##.advertisment-module ##.advertisment-rth -##.advertisment-small-container ##.advertisment-top ##.advertismentBox ##.advertismentContainer ##.advertismentContent ##.advertismentText -##.advertisment_300x250 ##.advertisment_bar ##.advertisment_caption ##.advertisment_full +##.advertisment_notice ##.advertisment_two ##.advertize ##.advertize_here +##.advertizing-banner ##.advertlabel ##.advertleft +##.advertlink ##.advertnotice +##.advertop ##.advertorial ##.advertorial-2 ##.advertorial-block +##.advertorial-image ##.advertorial-promo-box +##.advertorial-teaser ##.advertorial-wrapper ##.advertorial2 ##.advertorial_728x90 @@ -21761,18 +9873,26 @@ _popunder+$popup ##.advertorialtitle ##.advertorialview ##.advertorialwidget +##.advertouter ##.advertplay ##.adverts +##.adverts--banner ##.adverts-125 ##.adverts-inline ##.adverts2 +##.advertsLeaderboard ##.adverts_RHS +##.adverts_footer_advert +##.adverts_footer_scrolling_advert +##.adverts_header_advert +##.adverts_side_advert ##.advertspace ##.adverttext ##.adverttop ##.advfrm ##.advg468 ##.advhere +##.adviewDFPBanner ##.advimg160600 ##.advimg300250 ##.advn_zone @@ -21780,18 +9900,15 @@ _popunder+$popup ##.advr ##.advr-wrapper ##.advr_top -##.advr_txtcss ##.advrectangle ##.advrst -##.advskin ##.advslideshow ##.advspot ##.advt ##.advt-banner-3 ##.advt-block -##.advt-box +##.advt-right ##.advt-sec -##.advt-text ##.advt300 ##.advt720 ##.advtBlock @@ -21800,20 +9917,24 @@ _popunder+$popup ##.advt_468by60px ##.advt_indieclick ##.advt_single -##.advt_title ##.advt_widget +##.advtbox +##.advtcell ##.advtext ##.advtimg ##.advtitle ##.advtop ##.advtop-leaderbord ##.advttopleft -##.advword +##.advv_box +##.adwblue ##.adwert ##.adwhitespace ##.adwide +##.adwideskyright ##.adwidget ##.adwithspace +##.adwobs ##.adwolf-holder ##.adword-box ##.adword-structure @@ -21825,15 +9946,23 @@ _popunder+$popup ##.adwords-container ##.adwordsHeader ##.adwords_in_content +##.adworks ##.adwrap +##.adwrap-mrec ##.adwrap-widget +##.adwrap_MPU +##.adwrapper--desktop ##.adwrapper-lrec ##.adwrapper1 ##.adwrapper948 +##.adwrappercls +##.adwrappercls1 ##.adx-300x250-container ##.adx-300x600-container +##.adx-ads ##.adx-wrapper ##.adx-wrapper-middle +##.adx_center ##.adxli ##.adz-horiz ##.adz-horiz-ext @@ -21844,169 +9973,157 @@ _popunder+$popup ##.adzone-footer ##.adzone-preview ##.adzone-sidebar -##.adzone_ad_5 -##.adzone_ad_6 -##.adzone_ad_7 -##.adzone_ad_8 -##.adzone_ad_9 +##.adzone_skyscraper ##.af-block-ad-wrapper +##.af-label-ads ##.afc-box +##.aff-big-unit ##.aff-iframe +##.affcodes ##.afffix-custom-ad ##.affiliate-ad ##.affiliate-footer ##.affiliate-link -##.affiliate-mrec-iframe ##.affiliate-sidebar ##.affiliate-strip ##.affiliateAdvertText ##.affiliate_ad ##.affiliate_header_ads -##.affiliate_header_ads_container -##.affiliates-sidebar -##.affiliation728x90 -##.affinityAdHeader -##.afns-ad-sponsor-logo -##.afsAdvertising -##.afsAdvertisingBottom -##.afs_ads -##.aft-top-728x90 -##.aftContentAdLeft -##.aftContentAdRight ##.after-content-ad -##.after-first-post-ad-1 +##.after-intro-ad ##.after-post-ad ##.after-post-ads ##.after-story-ad-wrapper ##.after_ad ##.after_comments_ads +##.after_content_banner_advert ##.after_post_ad -##.afterpostadbox -##.agi-adsaleslinks -##.agi-adtop +##.afw_ad +##.aggads-ad +##.ahe-ad +##.ai-top-ad-outer ##.aisle-ad -##.aisoad ##.ajax_ad ##.ajaxads ##.ajdg_bnnrwidgets ##.ajdg_grpwidgets -##.al-wss-ad -##.alb-content-ad +##.alice-adslot +##.alice-root-header-ads__ad--top +##.align.Ad ##.alignads -##.allow-ads -##.allpages_ad_bottom -##.allpages_ad_top -##.alt-ad-box ##.alt_ad -##.alternatives_ad +##.alt_ad_block +##.altad ##.am-adContainer -##.am-articleItem--bodyAds +##.am-adslot +##.am-bazaar-ad ##.amAdvert ##.am_ads +##.amazon-auto-links ##.amazon_ad -##.amsSparkleAdWrapper -##.anc_ads_show +##.amazonads +##.ampFlyAdd +##.ampforwp-sticky-custom-ad +##.anchor-ad ##.anchor-ad-wrapper ##.anchorAd -##.anchoringTopAdDefault -##.annonce_textads -##.annons_themeBlock +##.anchored-ad-widget ##.annonstext -##.another_text_ad -##.answer_ad_content -##.aol-knot-fullscreen-right-ad -##.aol-twist-flyout-ad -##.aolSponsoredLinks -##.aopsadvert -##.ap_str_ad -##.apiAdMarkerAbove +##.anyad +##.anzeige_banner +##.aoa_overlay +##.ap-ad-block +##.ape-ads-container +##.apexAd ##.apiAds -##.apiButtonAd -##.app-advertisements +##.app-ad ##.app_ad_unit ##.app_advertising_skyscraper -##.apxContentAd +##.app_nexus_banners_common +##.ar-header-m-ad +##.arc-ad-wrapper +##.arcAdsBox +##.arcAdsContainer +##.arcad-block-container ##.archive-ad ##.archive-ads -##.area1_2_ad1 -##.area5_ad +##.archive-radio-ad-container ##.areaAd ##.area_ad ##.area_ad03 ##.area_ad07 ##.area_ad09 -##.aroundAdUnit +##.area_ad2 +##.arena-ad-col +##.art-text-ad ##.artAd ##.artAdInner -##.art_ad_aside -##.art_ad_top ##.art_ads -##.art_aisde_ads -##.art_new_ads_468_60 -##.artcl_promo_ad +##.artcl_ad_dsk ##.article--ad -##.article--adv__before ##.article--content-ad ##.article-ad -##.article-ad-300x250 -##.article-ad-970x90 ##.article-ad-align-left ##.article-ad-blk ##.article-ad-bottom ##.article-ad-box ##.article-ad-cont +##.article-ad-container +##.article-ad-holder +##.article-ad-horizontal ##.article-ad-left +##.article-ad-legend ##.article-ad-main ##.article-ad-placeholder +##.article-ad-placement ##.article-ad-primary ##.article-ad-row ##.article-ad-row-inner +##.article-ad-section ##.article-ads -##.article-adv-right-sideBar ##.article-advert ##.article-advert--text ##.article-advert-container ##.article-advert-dfp ##.article-aside-ad +##.article-aside-top-ad +##.article-content-ad ##.article-content-adwrap ##.article-first-ad +##.article-footer-ad ##.article-footer-ad-container ##.article-footer__ad ##.article-footer__ads -##.article-google-adsense -##.article-grid__item--advert ##.article-header-ad +##.article-header__railAd ##.article-inline-ad ##.article-mid-ad -##.article-news-videoad -##.article-sidebar__advert +##.article-small-ads ##.article-sponsor -##.article-sponsored-content-list +##.article-sponsorship-header ##.article-top-ad -##.article-upper-ad-unit -##.article-v2-rail__advert -##.article-view__footer-ad ##.articleADbox ##.articleAd -##.articleAd300x250 -##.articleAdBlade ##.articleAdHeader -##.articleAdSlot2 -##.articleAdTop ##.articleAdTopRight ##.articleAds ##.articleAdsL ##.articleAdvert +##.articleBottom-ads ##.articleEmbeddedAdBox ##.articleFooterAd -##.articleHeadAdRow -##.articlePage3rdPartyContentStrip +##.articleHeaderAd +##.articleTop-ads ##.articleTopAd -##.article__ad-ir +##.article__ad-holder +##.article__adblock +##.article__adhesion ##.article__adv ##.article_ad -##.article_ad250 -##.article_ad_container2 +##.article_ad_1 +##.article_ad_2 +##.article_ad_text +##.article_ad_top ##.article_adbox ##.article_ads_banner ##.article_bottom-ads @@ -22015,101 +10132,59 @@ _popunder+$popup ##.article_google_ads ##.article_inline_ad ##.article_inner_ad -##.article_list_in_ad -##.article_middle_ad ##.article_mpu -##.article_mpu_box -##.article_page_ads_bottom -##.article_sponsored_links ##.article_tower_ad ##.articlead ##.articleads -##.articlebodyad -##.articlepage_ads_1 -##.articlepage_ads_top -##.artist-ad-wrapper +##.articles-ad-block ##.artnet-ads-ad -##.as-admedia -##.as_ad -##.as_social_footer -##.aseadn ##.aside-ad +##.aside-ad-space ##.aside-ad-wrapper ##.aside-ads +##.aside-ads-top ##.asideAd -##.aside_AD01 -##.aside_AD02 -##.aside_AD06 -##.aside_AD08 -##.aside_AD09 +##.aside_ad ##.aside_ad_large -##.aside_banner_ads -##.aside_google_ads -##.associated-ads ##.async-ad-container -##.atcode_wp_bnn -##.atf-ad-medRect -##.atf-ad-medrec +##.at-header-ad +##.at-sidebar-ad +##.atf-ad ##.atfAds -##.atf_ad300 -##.atf_ad_box +##.atf_adWrapper +##.atomsAdsCellModel ##.attachment-advert_home ##.attachment-dm-advert-bronze ##.attachment-dm-advert-gold ##.attachment-dm-advert-silver ##.attachment-sidebar-ad -##.attachment-sidebarAd -##.attachment-sidebar_ad ##.attachment-squareAd -##.attachment-weather-header-ad -##.auction-nudge -##.autoAd -##.autoshow-top-ad -##.aux-ad-widget-1 -##.aux-ad-widget-2 -##.avertissement-download +##.avadvslot +##.avap-ads-container +##.avert--leaderboard +##.avert--sidebar +##.avert-text +##.azk-adsense ##.b-ad -##.b-ad-footerBanner -##.b-ad-topBanner -##.b-ad-wrapper-side-midi -##.b-ads728 -##.b-ads_300 -##.b-ads_gpt -##.b-ads_iframe -##.b-adsuniversal-wrap +##.b-ad-main +##.b-adhesion ##.b-adv -##.b-adv-art -##.b-adv-mobi -##.b-adv-teaser ##.b-advert -##.b-advert__grid +##.b-advertising__down-menu ##.b-aside-ads -##.b-astro-sponsored-links_horizontal -##.b-astro-sponsored-links_vertical -##.b5-ad-pushdown -##.b5_widget_skyscraper_ad -##.b5ad_bigbox -##.b5ad_skyscraper -##.b_ad -##.b_ad480 +##.b-header-ad +##.b-right-rail--ads +##.bAdvertisement ##.b_adLastChild ##.b_ads ##.b_ads_cont ##.b_ads_r ##.b_ads_top -##.back300ad +##.background-ad +##.background-ads +##.background-adv ##.backgroundAd -##.badge-gag-ads-container -##.bads300 -##.badxcn -##.bam-dcRefreshableAd -##.ban-720-container -##.ban300side -##.ban420x200 -##.ban420x260 -##.ban680x450 -##.ban728 -##.ban980x90 +##.bam-ad-slot ##.bank-rate-ad ##.banmanad ##.banner--ad @@ -22125,195 +10200,149 @@ _popunder+$popup ##.banner-468x60 ##.banner-728 ##.banner-728x90 -##.banner-950x50 ##.banner-ad -##.banner-ad-300x250 ##.banner-ad-b ##.banner-ad-below ##.banner-ad-block +##.banner-ad-bottom-fixed ##.banner-ad-container +##.banner-ad-contianer ##.banner-ad-footer +##.banner-ad-image +##.banner-ad-inner ##.banner-ad-label +##.banner-ad-large +##.banner-ad-pos ##.banner-ad-row +##.banner-ad-skeleton-box ##.banner-ad-space +##.banner-ad-wrap ##.banner-ad-wrapper -##.banner-ads -##.banner-ads-300x250 +##.banner-ad2 +##.banner-ads-right ##.banner-ads-sidebar ##.banner-adsense ##.banner-adv ##.banner-advert +##.banner-advert-wrapper +##.banner-advertisement +##.banner-advertising ##.banner-adverts +##.banner-asd__title ##.banner-buysellads -##.banner-paid-ad-label -##.banner-rectangleMedium -##.banner-sidebar-300x250 +##.banner-img > .pbl +##.banner-sponsorship ##.banner-top-ads -##.banner-top-banner-728x90 -##.banner1-728x90 ##.banner120x600 -##.banner125x125 ##.banner160 ##.banner160x600 -##.banner250_250 +##.banner200x200 ##.banner300 -##.banner300_250 -##.banner300by250 -##.banner300x84 +##.banner300x250 ##.banner336 ##.banner336x280 ##.banner350 ##.banner468 -##.banner468by60 ##.banner728 ##.banner728-ad ##.banner728-container ##.banner728x90 +##.bannerADS ##.bannerADV ##.bannerAd +##.bannerAd-module ##.bannerAd3 -##.bannerAd300x250 ##.bannerAdContainer -##.bannerAdHHP ##.bannerAdLeaderboard ##.bannerAdRectangle ##.bannerAdSearch ##.bannerAdSidebar ##.bannerAdTower ##.bannerAdWrap -##.bannerAdWrapper300x250 -##.bannerAdWrapper730x86 -##.bannerAd_rdr ##.bannerAds ##.bannerAdvert ##.bannerAside -##.bannerGAd +##.bannerGoogle ##.bannerRightAd -##.bannerTopAdLeft -##.bannerTopAdRight -##.bannerWrapAdwords ##.banner_160x600 -##.banner_234x90 +##.banner_240x400 ##.banner_250x250 ##.banner_300_250 ##.banner_300x250 -##.banner_300x250_2 -##.banner_300x250_3 ##.banner_300x600 ##.banner_468_60 ##.banner_468x60 ##.banner_728_90 -##.banner_728x90 -##.banner_ad ##.banner_ad-728x90 -##.banner_ad_233x90 ##.banner_ad_300x250 ##.banner_ad_728x90 +##.banner_ad_container ##.banner_ad_footer ##.banner_ad_full ##.banner_ad_leaderboard -##.banner_ads +##.banner_ad_link +##.banner_ad_wrapper ##.banner_ads1 -##.banner_ads_300x250 -##.banner_ads_home -##.banner_ads_home_inner -##.banner_adv -##.banner_altervista_300X250 -##.banner_altervista_728X90 -##.banner_mpu_integrated ##.banner_reklam ##.banner_reklam2 ##.banner_slot ##.bannerad -##.bannerad-125tower -##.bannerad-468x60 ##.bannerad3 -##.banneradbottomholder ##.banneradd ##.bannerads -##.banneradsensetop -##.banneradsensetoptitle ##.banneradv ##.bannerandads -##.bannergoogle ##.bannergroup-ads -##.bannergroupadvertisement -##.banneritem-ads -##.banneritem_ad -##.bannerplace728 +##.bannermpu ##.banners_ad -##.banners_ad_inside ##.bannervcms ##.bar_ad -##.barkerAd -##.barstool_ad_floater ##.base-ad-mpu +##.base-ad-slot ##.base-ad-top ##.base_ad -##.base_printer_widgets_AdBreak +##.baseboard-ad +##.bb-ad ##.bb-ad-mrec -##.bb-adv-160x600 -##.bb-adv-300x250 -##.bb-article-sponsor -##.bb-md-adv7 ##.bbccom-advert ##.bbccom_advert -##.bbsTopAd -##.bci-ad ##.bcom_ad -##.bean-advertisment -##.bean-bag-ad -##.bean-dfp-ad-unit -##.beauty_ads -##.before-comment-ad ##.before-header-ad ##.before-injected-ad +##.below-ad-border ##.below-article-ad-sidebar -##.below-feature-ad-hide-based-height ##.below-nav-ad +##.belowMastheadWrapper ##.belowNavAds ##.below_game_ad +##.below_nav_ad_wrap ##.below_player_ad -##.belowthread_advert -##.belowthread_advert_container -##.belt-ad -##.belt_ad -##.bet_AdBlock -##.beteasy_sbad -##.beteasyadtxt -##.bets-ads -##.betteradscontainer -##.between_page_ads -##.bex_ad -##.bg-ad-link -##.bg-ad-top +##.bg-ad-gray ##.bg-ads +##.bg-ads-space +##.bg-grey-ad ##.bgAdBlue ##.bg_ad -##.bgadgray10px +##.bg_ads ##.bgcolor_ad -##.bgnavad -##.bgr_adv_div +##.bgr-ad-leaderboard +##.bh-ads ##.bh_ad_container +##.bidbarrel-ad ##.big-ad ##.big-ads ##.big-advertisement ##.big-box-ad -##.big-rekl-holder ##.big-right-ad ##.bigAd ##.bigAdContainer ##.bigAds ##.bigAdvBanner -##.bigAdvMiddle -##.bigAdvMiddlea ##.bigBoxAdArea ##.bigCubeAd ##.big_ad ##.big_ad2 ##.big_ads -##.big_center_ad -##.big_rectangle_page_ad ##.bigad ##.bigad1 ##.bigad2 @@ -22322,59 +10351,38 @@ _popunder+$popup ##.bigads ##.bigadtxt1 ##.bigbox-ad +##.bigbox.ad ##.bigbox_ad ##.bigboxad ##.bigsponsor ##.billboard-ad -##.billboard300x250 +##.billboard-ad-one +##.billboard-ad-space +##.billboard-ads +##.billboard.ad ##.billboardAd ##.billboard__advert ##.billboard_ad +##.billboard_ad_wrap +##.billboard_adwrap ##.bing-ads-wrapper ##.bing-native-ad -##.biz-ad -##.biz-ads -##.biz-adtext -##.biz-details-ad -##.biz-list-ad -##.bizCardAd -##.bizDetailAds -##.bkg-ad-browse -##.bl_adv_right -##.blacboard-ads-container -##.blk_advert -##.blocAdInfo -##.bloc_ads_notice -##.bloc_adsense_acc -##.block--ad-superleaderboard +##.bl300_ad +##.block--ad ##.block--ads -##.block--advertising -##.block--advertising-header -##.block--bean-artadocean-splitter -##.block--bean-artadocean-text-link-1 -##.block--bean-artadocean-text-link-2 -##.block--bean-artadocean300x250-1 -##.block--bean-artadocean300x250-3 -##.block--bean-artadocean300x250-6 +##.block--dfp +##.block--doubleclick ##.block--simpleads -##.block--views-premium-ad-slideshow-block ##.block-ad +##.block-ad-entity ##.block-ad-header ##.block-ad-leaderboard -##.block-ad-masthead -##.block-ad-middle -##.block-ad-mpu ##.block-ad-wrapper -##.block-ad300 -##.block-ad_injector -##.block-ad_tag ##.block-admanager ##.block-ads ##.block-ads-bottom -##.block-ads-eplanning -##.block-ads-eplanning-300x250top-general -##.block-ads-eplanning-300x600 ##.block-ads-home +##.block-ads-system ##.block-ads-top ##.block-ads-yahoo ##.block-ads1 @@ -22382,223 +10390,112 @@ _popunder+$popup ##.block-ads3 ##.block-ads_top ##.block-adsense -##.block-adsense-managed -##.block-adsense_managed -##.block-adspace-full ##.block-adtech ##.block-adv +##.block-advert ##.block-advertisement +##.block-advertisement-banner-block ##.block-advertising ##.block-adzerk -##.block-altads -##.block-ami-ads -##.block-appnexus-sidebar-banner-oas-ad -##.block-bean-adocean -##.block-bf_ads ##.block-bg-advertisement -##.block-bg-advertisement-region-1 ##.block-boxes-ad -##.block-boxes-ga_ad -##.block-deca_advertising -##.block-dennis-adsense-afc +##.block-cdw-google-ads ##.block-dfp ##.block-dfp-ad ##.block-dfp-blocks -##.block-display-ads ##.block-doubleclick_ads -##.block-ec_ads -##.block-eg_adproxy -##.block-fan-ad -##.block-fc_ads -##.block-fcc-advertising -##.block-fcc-advertising-first-sidebar-ad -##.block-featured-sponsors -##.block-first-sidebar-ad -##.block-gc_ad -##.block-gg_ads +##.block-fusion-ads ##.block-google-admanager -##.block-google-admanager-dfp -##.block-google_admanager -##.block-google_admanager2 -##.block-hcm-ads -##.block-hcm_ads -##.block-heremedia-ads -##.block-inner-adds -##.block-itg-ads -##.block-ltadvertising -##.block-maniad -##.block-module-ad -##.block-module-ad-300x250 -##.block-module-ad-300x600 -##.block-mps -##.block-nmadition -##.block-nst-googledfp -##.block-ohtdisplayad ##.block-openads -##.block-openadstream ##.block-openx -##.block-pm_doubleclick -##.block-pt-ads +##.block-quartz-ads ##.block-reklama ##.block-simpleads ##.block-skyscraper-ad -##.block-sn-ad -##.block-sn-ad-blog-wrapper ##.block-sponsor ##.block-sponsored-links -##.block-thirdage-ads -##.block-vh-adjuggler -##.block-views-blockdetail-page-ads-block-3 -##.block-wtg_adtech +##.block-the-dfp +##.block-wrap-ad ##.block-yt-ads -##.block-zagat_ads -##.block1--ads ##.blockAd -##.blockAd300x97 ##.blockAds ##.blockAdvertise -##.block__advertising -##.block__advertising-content -##.block__advertising-header +##.block__ads__ad ##.block_ad -##.block_ad_floating_bar +##.block_ad1 +##.block_ad303x1000_left +##.block_ad303x1000_right ##.block_ad_middle -##.block_ad_sb_text -##.block_ad_sb_text2 -##.block_ad_sponsored_links -##.block_ad_sponsored_links-wrapper -##.block_ad_sponsored_links_localized -##.block_ad_sponsored_links_localized-wrapper ##.block_ad_top ##.block_ads ##.block_adslot ##.block_adv ##.block_advert -##.block_bigad +##.block_article_ad ##.blockad ##.blocked-ads -##.blockid_google-adsense-block -##.blockrightsmallads -##.blocsponsor ##.blog-ad -##.blog-ad-leader-inner +##.blog-ad-image ##.blog-ads -##.blog-ads-container -##.blog-ads-top ##.blog-advertisement -##.blog-view-ads -##.blog2AdIntegrated ##.blogAd ##.blogAdvertisement -##.blogArtAd -##.blogBigAd ##.blog_ad -##.blog_ad_continue -##.blog_divider_ad ##.blogads -##.blogads-sb-home -##.blogroll-ad-img -##.blogs_2_square_ad -##.blox3featuredAd -##.blue-ad -##.blxAdopsPlacement -##.bmg-sidebar-ads-125 -##.bmg-sidebar-ads-300 -##.bn-post-excerpt-cat-sponsored +##.bmd_advert ##.bn_ads -##.bn_advert -##.bn_textads ##.bnr_ad -##.bo-top-ad-bottom -##.bo-top-left-ad -##.bo-top-right-ad -##.bodaciousad ##.body-ad ##.body-ads -##.body-adzone +##.body-top-ads ##.bodyAd ##.body_ad -##.body_sponsoredresults_bottom -##.body_sponsoredresults_middle -##.body_sponsoredresults_top -##.body_width_ad ##.bodyads ##.bodyads2 -##.bodybannerad -##.bodyrectanglead -##.bomAd -##.bonnier-ad -##.bonnier-ads -##.bonnier-ads-ad-bottom -##.bonnier-ads-ad-top -##.bookad -##.bookseller-header-advt -##.booster-ad -##.bostad -##.bot-728x90-ad -##.bot-affiliate +##.bordered-ad ##.botAd -##.botRectAd ##.bot_ad ##.bot_ads -##.botad2 ##.bottom-ad +##.bottom-ad--bigbox ##.bottom-ad-banner ##.bottom-ad-box ##.bottom-ad-container ##.bottom-ad-desktop -##.bottom-ad-fr ##.bottom-ad-large ##.bottom-ad-placeholder -##.bottom-ad-tagline ##.bottom-ad-wrapper +##.bottom-ad-zone ##.bottom-ad2 ##.bottom-ads +##.bottom-ads-container ##.bottom-ads-sticky ##.bottom-ads-wrapper -##.bottom-ads728 ##.bottom-adv +##.bottom-adv-container ##.bottom-banner-ad -##.bottom-center-adverts -##.bottom-game-ad -##.bottom-large-google-ad -##.bottom-leaderboard-adslot +##.bottom-fixed-ad ##.bottom-left-ad -##.bottom-left-fixed-ad ##.bottom-main-adsense +##.bottom-mobile-ad ##.bottom-mpu-ad +##.bottom-post-ad-space +##.bottom-post-ads ##.bottom-right-advert -##.bottom-rightadvtsment ##.bottom-side-advertisement -##.bottom-slider-ads -##.bottom-sponsored-header -##.bottom2-adv ##.bottomAd ##.bottomAdBlock ##.bottomAdContainer ##.bottomAds -##.bottomAdsTitle -##.bottomAdvTxt ##.bottomAdvert ##.bottomAdvertisement -##.bottomAdvt -##.bottomArticleAds -##.bottomBannerAd -##.bottomBannerAdsSmallBotLeftHolder -##.bottomELAd -##.bottomFriendsAds -##.bottomReviewAd ##.bottom_ad ##.bottom_ad_block ##.bottom_ad_placeholder ##.bottom_ad_responsive -##.bottom_adbreak ##.bottom_ads -##.bottom_ads_wrapper_inner ##.bottom_adsense ##.bottom_adspace -##.bottom_advert_728x90 -##.bottom_advertise ##.bottom_banner_ad ##.bottom_banner_advert_text ##.bottom_bar_ads @@ -22607,60 +10504,30 @@ _popunder+$popup ##.bottom_rightad ##.bottom_side_ad ##.bottom_sponsor +##.bottom_sticky_ad ##.bottomad -##.bottomad-bg -##.bottomadarea ##.bottomads -##.bottomadtag -##.bottomadtop ##.bottomadvert -##.bottomadwords -##.bottombarad -##.bottomgooglead -##.bottomleader -##.bottomleader-ad-wrapper -##.bottomrightrailAd -##.bottomvidad ##.botton_advertisement ##.box-ad -##.box-ad-a -##.box-ad-grey -##.box-ad-mr1 -##.box-ad-right-column -##.box-ad-unit-j -##.box-ad-wsr +##.box-ad-middle ##.box-ads -##.box-ads-small ##.box-adsense -##.box-adv-300-home -##.box-adv-300-text-bottom -##.box-adv-social +##.box-adsense-top ##.box-advert -##.box-advert-sponsored ##.box-advertisement -##.box-advertising1 +##.box-advertising ##.box-adverts +##.box-bannerads +##.box-bannerads-leaderboard-fallback ##.box-entry-ad -##.box-entry-ad-bottom-single -##.box-entry-detail--ad +##.box-fixed-ads ##.box-footer-ad -##.box-google-text-ad -##.box-radvert -##.box-recommend-ad -##.box-sidebar-ad -##.box-sidebar-ad-125 -##.box-sidebar-ad-160 -##.box-sidebar-ad-300 -##.box-taboola-content -##.box1-ad ##.boxAd ##.boxAdContainer -##.boxAdFields -##.boxAdMrec ##.boxAds -##.boxAdsInclude +##.boxAds2 ##.boxAdvertisement -##.boxOuterAD ##.boxSponsor ##.box_ad ##.box_ad_container @@ -22669,95 +10536,42 @@ _popunder+$popup ##.box_ad_spacer ##.box_ad_wrap ##.box_ads -##.box_ads728x90_holder ##.box_adv -##.box_adv1 -##.box_adv2 ##.box_adv_728 -##.box_adv_hp -##.box_adv_new +##.box_advert ##.box_advertising -##.box_advertising_info -##.box_advertisment_62_border ##.box_content_ad ##.box_content_ads +##.box_layout_ad ##.box_publicidad ##.box_sidebar-ads -##.box_textads -##.box_title_ad ##.boxad ##.boxad1 -##.boxad120 +##.boxad2 ##.boxadcont ##.boxads ##.boxadv -##.boxcontentad -##.boxsponsor2 -##.boxyads -##.bpcads-bottom-footer -##.bpcads-top-leaderboard ##.bps-ad-wrapper ##.bps-advertisement -##.bps-advertisement-inline-ads -##.bps-advertisement-placeholder -##.bps-search-chitika-ad -##.bq_ad_320x250 ##.bq_adleaderboard ##.bq_rightAd ##.br-ad -##.br-ad-text ##.br-ad-wrapper -##.br-banner-ad -##.br-right-rail-ad -##.brand_ad -##.branding-ad-gallery -##.branding-ad-wrapper -##.bravo-ad ##.breadads -##.breadcumbad ##.break-ads -##.breakad_container ##.breaker-ad ##.breakerAd -##.breakingNewsModuleSponsor -##.breakthrough-ad +##.briefNewsAd +##.brn-ads-box +##.brn-ads-mobile-container +##.brn-ads-sticky-wrapper ##.broker-ad -##.broker-ads -##.broker-ads-center -##.broker_box_ad -##.brokerad ##.browse-ad-container -##.browse-banner_ad -##.browse-by-make-ad -##.browser_boot_ad -##.bs-ad -##.bsAdvert -##.bsa-in-post-ad-125-125 -##.bsaProContainer -##.bsa_ads -##.bsa_it_ad -##.bsac -##.bsac-container -##.bt_ad -##.btf-ad-medRect -##.btfAds +##.browsi-ad ##.btm_ad -##.btm_ad_container -##.btn-ad -##.btn-newad ##.btn_ad -##.budget_ads_1 -##.budget_ads_2 -##.budget_ads_3 -##.budget_ads_bg -##.bulk-img-ads -##.bullet-sponsored-links -##.bullet-sponsored-links-gray ##.bump-ad ##.bunyad-ad -##.burstContentAdIndex -##.businessads -##.busrep_poll_and_ad_container ##.buttom_ad ##.buttom_ad_size ##.button-ad @@ -22768,344 +10582,231 @@ _popunder+$popup ##.button_ad ##.button_ads ##.button_advert +##.button_left_ad +##.button_right_ad ##.buttonad -##.buttonad_v2 ##.buttonadbox ##.buttonads ##.buySellAdsContainer ##.buysellAds -##.buysellAdsSmall ##.buzzAd -##.buzz_ad_block -##.buzz_ad_wrap -##.bx_ad -##.bx_ad_right -##.bxad -##.bz-ad -##.bzads-ic-ad-300-250-600 +##.c-Ad +##.c-Adhesion +##.c-ArticleAds ##.c-ad -##.c-ad--text-only -##.c-ad--unlabeled +##.c-ad--adStickyContainer +##.c-ad--bigbox +##.c-ad--header +##.c-ad-flex +##.c-ad-fluid +##.c-ad-placeholder ##.c-ad-size2 ##.c-ad-size3 +##.c-adDisplay +##.c-adDisplay_container +##.c-adOmnibar +##.c-adSense +##.c-adSkyBox +##.c-adbutler-ad +##.c-adbutler-ad__wrapper ##.c-adcontainer +##.c-ads ##.c-adunit ##.c-adunit--billboard ##.c-adunit--first ##.c-adunit__container +##.c-adv3__inner +##.c-advert ##.c-advert-app ##.c-advert-superbanner ##.c-advertisement ##.c-advertisement--billboard -##.c-advertisement--leaderboard ##.c-advertisement--rectangle -##.c-advertisement--rectangle-float ##.c-advertising -##.c-control--adchoice -##.c-fallback-ad -##.c-fallback-ad--house -##.c-news-feed-ads -##.c-res-ad +##.c-advertising__banner-area +##.c-adverts +##.c-advscrollingzone +##.c-box--advert +##.c-gallery-vertical__advert +##.c-googleadslot +##.c-gpt-ad +##.c-header__ad +##.c-header__advert-container +##.c-pageArticleSingle_bottomAd +##.c-prebid +##.c-sidebar-ad-stream__ad ##.c-sitenav-adslot -##.c-teaser__advertising -##.c300x250-advert -##.c3_adverts -##.cA-adStack -##.cA-adStrap -##.cColumn-TextAdsBox -##.cLeftTextAdUnit -##.c_adsky -##.c_google_adsense_nxn -##.c_ligatus_nxn +##.c-sitenavPlaceholder__ad +##.c_nt_ad ##.cableads -##.calendarAd +##.cactus-ads +##.cactus-header-ads +##.caja_ad +##.california-ad +##.california-sidebar-ad ##.calloutAd -##.calls-to-action__sidebar-ad-container -##.can_ad_slug -##.canoeAdvertorial +##.carbon-ad ##.carbon_ads ##.carbonad ##.carbonad-tag +##.carbonads-widget ##.card--ad ##.card--article-ad -##.card--type-html-native-ad ##.card-ad ##.card-ads -##.cards-categorical-list-ad -##.care2_adspace -##.careerAdviceAd1 -##.carouselbanner_advert -##.carouselbannersad -##.cat-adv -##.cat-adv1 -##.cat-advb0 -##.cat-advl2 -##.cat_context_ad -##.catalog-listing-ad-item +##.card-article-ads +##.cardAd ##.catalog_ads -##.catalyst-ads -##.cate_right_ad -##.category-ad -##.category-advertorial -##.category-top-ads -##.categorySponsorAd -##.category__big_game_container_body_games_advertising -##.categoryfirstad -##.categoryfirstadwrap -##.categorypage_ad1 -##.categorypage_ad2 -##.catfish_ad +##.category-ad:not(html):not(body):not(.post) +##.category-ads:not(html):not(body):not(.post) +##.categoryMosaic-advertising +##.categoryMosaic-advertisingText +##.cazAd ##.cb-ad-banner ##.cb-ad-container -##.cb_ads -##.cb_navigation_ad -##.cbolaBannerStructure +##.cbd_ad_manager ##.cbs-ad -##.cbs-ad-unit -##.cbs-ad-unit-wrapper -##.cbstv_ad_label -##.cbzadvert -##.cbzadvert_block -##.cc-adv-label -##.cc-adv-wrapper ##.cc-advert -##.ccAdbottom -##.ccAdsize -##.ccAdtop -##.cct-tempskinad -##.cdAdContainer -##.cdAdTitle -##.cdLanderAd -##.cdc-ad -##.cde_ads_right_top_300x250 -##.cdmainlineSearchAdParent -##.cdo-ad -##.cdo-ad-section -##.cdo-dicthomepage-btm-ad -##.cdsidebarSearchAdParent ##.center-ad -##.center-ad-banner -##.center-gray-ad-txt +##.center-ad-long +##.center-tag-rightad ##.centerAD ##.centerAd -##.centerAdBar ##.centerAds -##.centerAdvHeader ##.center_ad ##.center_add ##.center_ads -##.center_adsense +##.center_inline_ad ##.centerad ##.centerads ##.centeradv ##.centered-ad -##.centered_wide_ad -##.centralizer-adx -##.cg_ad_slug -##.cgs-ad-spot -##.ch_advertisement -##.change-ad-h-btn -##.change_AdContainer -##.changeableadzone +##.ch-ad-item ##.channel--ad +##.channel-ad ##.channel-adv +##.channel-icon--ad +##.channel-icon__ad-buffer +##.channel-sidebar-big-box-ad +##.channelBoxAds ##.channel_ad_2016 -##.channel_brand_ad -##.chartad -##.chartlist-row--interlist-ad +##.chapter-bottom-ads +##.chapter-top-ads +##.chart_ads ##.chitika-ad -##.chitikaAdBlock -##.chitikaAdCopy -##.chrt-subheader__adv -##.cinemabotad -##.ck-ad -##.cl-ad-inpager -##.cl-ad-slot-post1 -##.cl-ad-slot-post2 -##.clHeader_Ad -##.classifiedAdSplit -##.classifiedAdThree -##.cldt-ad-top -##.clearerad +##.cl-ad-billboard +##.clAdPlacementAnchorWrapper +##.clever-core-ads ##.clickforceads +##.clickio-side-ad ##.client-ad -##.close-ad-wrapper -##.close2play-ads -##.cls_PostBottomInArticleAdsence_divContents -##.cls_PostFooterAdsence_divContents -##.cm-ad -##.cm-ad-row -##.cm-hero-ad -##.cm-rp01-ad -##.cm-rp02-ad -##.cm-take-a-break-ad-area -##.cmAd -##.cmAdCentered -##.cmAdContainer -##.cmAdFind -##.cmAdSponsoredLinksBox -##.cmBottomAdRight -##.cmMediaRotatorAd -##.cmMediaRotatorAdSponsor -##.cmRecentOnAirAds -##.cmTeaseAdSponsoredLinks -##.cm_ads -##.cmam_responsive_ad_widget_class -##.cmg-ads -##.cmi-content-3ads-horizontal -##.cms-Advert -##.cms-magazine-rightcol-adtag -##.cms_ad_contentad -##.cn24-ads -##.cn24-ads-160x600 -##.cn24-ads-300x250 -##.cn24-ads-600x290 -##.cnAdContainer -##.cnAdDiv -##.cnAdzerkDiv -##.cnIframeAdvertisements -##.cn_ad_placement +##.clsy-c-advsection +##.cms-ad +##.cn-advertising ##.cnbcHeaderAd -##.cnbcRailAd -##.cnbc_badge_banner_ad_area -##.cnbc_banner_ad_area -##.cnbc_leaderboard_ad -##.cnn160AdFooter -##.cnnAd -##.cnnSearchSponsorBox -##.cnnStoreAd -##.cnnStoryElementBoxAd -##.cnnWCAdBox -##.cnnWireAdLtgBox -##.cnn_728adbin -##.cnn_adbygbin -##.cnn_adcntr300x100 -##.cnn_adcntr728x90 -##.cnn_adcntr728x90t -##.cnn_adspc300x100 -##.cnn_adspc336cntr -##.cnn_adtitle -##.cnn_fabcatad -##.cnn_grpnadclk -##.cnn_pt_ad -##.cnn_sectprtnrbox_cb -##.cnn_sectprtnrbox_grpn336 -##.cns-ads-stage -##.cnt-ad-square -##.cnt-half-page-ads -##.cnt-header-ad -##.cnt-right-box-ad -##.cnt-right-vertical-ad -##.cnt-right-vertical-ad-home -##.cntAd -##.cnt_ad -##.cntrad -##.cobalt-ad -##.codeneric_ultimate_ads_manager_ad_wrapper +##.cnc-ads +##.cnx-player +##.cnx-player-wrapper +##.coinzilla-ad +##.coinzilla-ad--mobile ##.col-ad ##.col-ad-hidden ##.col-has-ad ##.col-line-ad +##.col2-ads +##.colAd ##.colBoxAdframe -##.colRightAd +##.colBoxDisplayAd ##.col_ad -##.col_adunit300x250 -##.col_header_ads_300x250 ##.colads -##.collapse-ad-mob-wrapper +##.collapsed-ad ##.colombiaAd ##.column-ad -##.column2-ad +##.columnAd ##.columnAdvert ##.columnBoxAd ##.columnRightAdvert -##.column_3_ad -##.com-ad-server +##.combinationAd ##.comment-ad ##.comment-ad-wrap ##.comment-advertisement ##.comment_ad ##.comment_ad_box -##.commentsFavoritesAd -##.commentsbannerad -##.commercial-ad -##.commercial-ad-long ##.commercialAd -##.common-adv-box -##.common_advertisement_title -##.communityAd -##.comp_AdsFrontPage_300x600 ##.companion-ad ##.companion-ads ##.companionAd ##.companion_ad -##.company-page__top-ad-container -##.compareBrokersAds -##.component-sponsored-links -##.conTSponsored -##.con_widget_advertising -##.conductor_ad -##.confirm_ad_left -##.confirm_ad_right -##.confirm_leader_ad +##.complex-ad +##.component-ar-horizontal-bar-ad +##.components-Ad-___Ad__ad +##.con_ads +##.connatix +##.connatix-container +##.connatix-hodler +##.connatix-holder +##.connatix-main-container +##.connatix-wrapper +##.connatix-wysiwyg-container ##.consoleAd ##.cont-ad -##.contads_middle -##.contained-ad-container -##.contained-ad-shaft -##.contained-ad-wrapper ##.container--ad +##.container--ads +##.container--ads-leaderboard-atf ##.container--advert ##.container--bannerAd -##.container--header-ads ##.container-ad-600 -##.container-adbanner-global -##.container-adbanner-list -##.container-adbanner-mobile +##.container-ad-left ##.container-adds -##.container-advMoreAbout +##.container-adrotate +##.container-ads ##.container-adwords +##.container-banner-ads +##.container-bottom-ad +##.container-first-ads ##.container-lower-ad ##.container-rectangle-ad ##.container-top-adv -##.container-type-banner-advert ##.containerAdsense ##.containerSqAd +##.container__ad +##.container__box--ads ##.container_ad -##.container_row_ad -##.container_serendipity_plugin_google_adsense +##.container_ad_v +##.container_publicidad +##.containerads ##.contains-ad +##.contains-advertisment +##.content--right-ads ##.content-ad ##.content-ad-article ##.content-ad-box +##.content-ad-container ##.content-ad-left -##.content-ad-outer-container ##.content-ad-right ##.content-ad-side ##.content-ad-widget ##.content-ad-wrapper ##.content-ads +##.content-ads-bottom ##.content-advert ##.content-advertisment +##.content-bottom-ad ##.content-bottom-mpu -##.content-box-inner-adsense -##.content-cliff__ad -##.content-cliff__ad-container +##.content-contentad ##.content-footer-ad ##.content-footer-ad-block ##.content-header-ad -##.content-item-ad-top ##.content-kuss-ads -##.content-list__ad-label +##.content-leaderboard-ad +##.content-leaderboard-ads +##.content-page-ad_wrap ##.content-result-ads -##.content-single__advertisment -##.content-single__block_top_ad -##.content-top-mpu -##.content-unit-ad +##.content-top-ad-item ##.content1-ad ##.content2-ad ##.contentAd -##.contentAd510 +##.contentAd--sb1 ##.contentAdBox ##.contentAdContainer ##.contentAdFoot @@ -23117,133 +10818,87 @@ _popunder+$popup ##.contentTopAd ##.contentTopAdSmall ##.contentTopAds -##.content_468_ad +##.content__ad +##.content__ad__content ##.content_ad ##.content_ad_728 ##.content_ad_head ##.content_ad_side ##.content_ads -##.content_ads_index ##.content_adsense ##.content_adsq ##.content_advert ##.content_advertising ##.content_advt ##.content_bottom_adsense -##.content_column2_ad +##.content_gpt_top_ads ##.content_inner_ad ##.content_left_advert -##.content_middle_adv -##.content_tagsAdTech ##.contentad +##.contentad-end ##.contentad-home -##.contentad300x250 -##.contentad_right_col +##.contentad-storyad-1 +##.contentad-superbanner-2 +##.contentad-top +##.contentad2 ##.contentadarticle -##.contentadfloatl ##.contentadleft ##.contentads1 ##.contentads2 -##.contentadstartpage -##.contentadstop1 -##.contentadvside +##.contentbox_ad ##.contentleftad -##.contentpage_searchad -##.contents-ads-bottom-left -##.contenttextad -##.contentwellad -##.contentwidgetads ##.contest_ad ##.context-ads ##.contextualAds ##.contextual_ad_unit -##.convert-media-ad -##.copy-adChoices -##.core-adplace -##.cornerBoxInnerWhiteAd ##.cornerad -##.cosmo-ads -##.cp-adsInited -##.cp-smalladv -##.cp_ad -##.cpaAdPosition ##.cpmstarHeadline ##.cpmstarText -##.cpp-text-ad -##.cr_ad -##.cranky-ads-zone -##.create_ad -##.credited_ad -##.criAdv +##.crain-advertisement ##.criteo-ad -##.cross_delete_ads +##.crm-adcontain ##.crumb-ad -##.cs-adv-wrapper -##.cs-mpu -##.csPromoAd -##.csa-adsense -##.cscTextAd -##.cse_ads -##.csiAd_medium -##.csm-strategy-id-ad-placements-dynamic-1 ##.cspAd -##.css-live-widget_googleAdBlock -##.ct-ad-article -##.ct-ad-article-wrapper +##.css--ad ##.ct-ads +##.ct-advert +##.ct-advertising-footer ##.ct-bottom-ads ##.ct_ad ##.cta-ad -##.ctn-advertising -##.ctnAdSkyscraper -##.ctnAdSquare300 -##.ctn_ads_rhs -##.ctn_ads_rhs_organic -##.ctpl-duplicated-ad -##.ctr-tss-ads ##.cube-ad ##.cubeAd ##.cube_ad ##.cube_ads -##.cubead-widget -##.currency_ad ##.custom-ad +##.custom-ad-area ##.custom-ad-container -##.custom-ad-one ##.custom-ads ##.custom-advert-banner -##.custom-banner-leaderboard-ad +##.custom-sticky-ad-container ##.customAd +##.custom_ad +##.custom_ad_responsive ##.custom_ads +##.custom_ads_positions ##.custom_banner_ad ##.custom_footer_ad ##.customadvert ##.customized_ad_module ##.cwAdvert -##.cwv2Ads ##.cxAdvertisement -##.cyads650x100 -##.d1-top-ad -##.d499d-ads-160x90-left -##.d499d-ads-160x90-right -##.d499d-ads-311x300-up -##.d499d-ads-635x100 +##.d3-c-adblock +##.d3-o-adv-block ##.da-custom-ad-box ##.dac__banner__wrapper -##.dac__mpu-card -##.dac__stream-mpu-card -##.darla_ad +##.daily-adlabel ##.dart-ad ##.dart-ad-content ##.dart-ad-grid -##.dart-ad-taboola ##.dart-ad-title ##.dart-advertisement ##.dart-leaderboard ##.dart-leaderboard-top -##.dart-medsquare -##.dartAd300 -##.dartAd491 ##.dartAdImage ##.dart_ad ##.dart_tag @@ -23251,119 +10906,151 @@ _popunder+$popup ##.dartadbanner ##.dartadvert ##.dartiframe -##.datafile-ad ##.dc-ad -##.dc-banner -##.dc-half-banner -##.dc-widget-adv-125 -##.dcAdvertHeader ##.dcmads ##.dd-ad ##.dd-ad-container -##.dda-ad -##.ddc-table-ad ##.deckAd ##.deckads -##.default-teaser__adv -##.demo-advert +##.demand-supply ##.desktop-ad ##.desktop-ad-banner +##.desktop-ad-container +##.desktop-ad-inpage +##.desktop-ad-slider ##.desktop-ads +##.desktop-adunit ##.desktop-advert -##.desktop-aside-ad +##.desktop-article-top-ad ##.desktop-aside-ad-hide -##.desktop-postcontentad-wrapper +##.desktop-lazy-ads +##.desktop-sidebar-ad-wrapper +##.desktop-top-ad-wrapper +##.desktop.ad +##.desktopAd ##.desktop_ad +##.desktop_mpu ##.desktop_only_ad ##.desktopads -##.desktoponlyad -##.detach_container__sponsor-link ##.detail-ad ##.detail-ads -##.detailMpu -##.detailSidebar-adPanel +##.detail__ad--small ##.detail_ad ##.detail_article_ad ##.detail_top_advert ##.details-advert -##.devil-ad-spot -##.dfad -##.dfad_first -##.dfad_last -##.dfad_pos_1 -##.dfad_pos_2 -##.dfad_pos_3 -##.dfad_pos_4 -##.dfad_pos_5 -##.dfad_pos_6 -##.dfads-javascript-load +##.dfm-featured-bottom-flex-container ##.dfp-ad -##.dfp-ad-advert_mpu_body_1 +##.dfp-ad-bigbox2-wrap ##.dfp-ad-container +##.dfp-ad-container-box +##.dfp-ad-container-wide ##.dfp-ad-full ##.dfp-ad-hideempty +##.dfp-ad-lazy +##.dfp-ad-lead2-wrap +##.dfp-ad-lead3-wrap +##.dfp-ad-midbreaker-wrap +##.dfp-ad-midbreaker2-wrap +##.dfp-ad-placeholder ##.dfp-ad-rect +##.dfp-ad-region-1 +##.dfp-ad-region-2 +##.dfp-ad-tags +##.dfp-ad-top-wrapper ##.dfp-ad-unit ##.dfp-ad-widget ##.dfp-ads-ad-article-middle ##.dfp-ads-embedded ##.dfp-adspot +##.dfp-article-ad ##.dfp-banner ##.dfp-banner-slot +##.dfp-billboard-wrapper +##.dfp-block +##.dfp-bottom ##.dfp-button +##.dfp-close-ad +##.dfp-double-mpu ##.dfp-dynamic-tag +##.dfp-fixedbar +##.dfp-here-bottom +##.dfp-here-top +##.dfp-interstitial ##.dfp-leaderboard +##.dfp-leaderboard-container +##.dfp-mrec +##.dfp-panel ##.dfp-plugin-advert +##.dfp-position +##.dfp-slot ##.dfp-slot-wallpaper +##.dfp-space ##.dfp-super-leaderboard ##.dfp-tag-wrapper +##.dfp-top ##.dfp-top1 ##.dfp-top1-container +##.dfp-top_leaderboard +##.dfp-wrap +##.dfp-wrapper +##.dfpAd +##.dfpAdUnitContainer +##.dfpAds +##.dfpAdspot ##.dfpAdvert -##.dfp_ad +##.dfp_ATF_wrapper +##.dfp_ad--outbrain ##.dfp_ad_block ##.dfp_ad_caption ##.dfp_ad_content_bottom ##.dfp_ad_content_top ##.dfp_ad_footer ##.dfp_ad_header -##.dfp_ad_inner +##.dfp_ad_pos ##.dfp_ad_unit +##.dfp_ads_block +##.dfp_frame ##.dfp_slot +##.dfp_strip +##.dfp_top-ad +##.dfp_txt ##.dfp_unit +##.dfp_unit--interscroller ##.dfp_unit-ad_container +##.dfpad ##.dfrads -##.dhAdContainer14 +##.dfx-ad +##.dfx-adBlock1Wrapper +##.dg-gpt-ad-container ##.dianomi-ad -##.diggable-ad-sponsored +##.dianomi-container +##.dianomi-embed +##.dianomiScriptContainer +##.dianomi_context ##.dikr-responsive-ads-slot +##.discourse-adplugin ##.discourse-google-dfp ##.display-ad ##.display-ad-block +##.display-adhorizontal ##.display-ads-block ##.display-advertisement ##.displayAd -##.displayAd728x90Js ##.displayAdCode ##.displayAdSlot ##.displayAdUnit ##.displayAds ##.display_ad ##.display_ads_right -##.display_adv_show -##.display_advrst -##.div-google-adx -##.div-gpt-ad -##.div-gpt-ad--interstitiel -##.div-gpt-ad--top +##.div-gpt-ad-adhesion-leaderboard-wrap +##.div-insticator-ad ##.divAd ##.divAdright +##.divAds ##.divAdsBanner ##.divAdsLeft ##.divAdsRight -##.divAdvTopRight -##.divGoogleAdsTop -##.divMAD2 ##.divReklama ##.divRepAd ##.divSponsoredBox @@ -23371,82 +11058,48 @@ _popunder+$popup ##.divTopADBanner ##.divTopADBannerWapper ##.divTopArticleAd -##.div_adv300 -##.div_adv620 -##.div_adv728 ##.div_advertisement -##.div_advertorial -##.div_advstrip -##.div_banner468 ##.divad1 ##.divad2 ##.divad3 ##.divads -##.divadsensex ##.divider-ad ##.divider-advert ##.divider-full-width-ad ##.divider_ad ##.dlSponsoredLinks -##.dm-ads-125 -##.dm-ads-350 -##.dmRosMBAdBox +##.dm-adSlotBillboard +##.dm-adSlotNative1 +##.dm-adSlotNative2 +##.dm-adSlotNative3 +##.dm-adSlotRectangle1 +##.dm-adSlotRectangle2 +##.dm-adSlotSkyscraper +##.dm-adSlot__sticky +##.dm_ad-billboard ##.dm_ad-container -##.dmco_advert_iabrighttitle -##.dn-ad-small +##.dm_ad-halfpage +##.dm_ad-leaderboard +##.dm_ad-link +##.dm_ad-skyscraper +##.dmpu-ad ##.dn-ad-wide -##.dod_ad +##.dotcom-ad ##.double-ad ##.double-ads -##.double-click-ad -##.double-square-ad -##.doubleGoogleTextAd -##.double_adsense -##.double_click_widget -##.doubleclick-ad -##.doubleclick_adtype +##.doubleClickAd +##.doubleclickAds ##.download-ad ##.downloadAds ##.download_ad -##.download_adv_text_video -##.download_link_sponsored -##.downloadad -##.drop-ad -##.dropdownAds -##.ds-ad -##.ds-ad-300 -##.ds-ad-col-container -##.ds-ad-container -##.ds-ad-container-300 -##.ds-ad-container-728 -##.ds-ad-container-home -##.ds-ad-container-ros -##.ds-ad-home -##.ds-ad-inner -##.ds-ad-ros ##.dsk-box-ad-d ##.dsq_ad -##.dt-ad-top-content +##.dt-sponsor +##.dtads-desktop +##.dtads-slot ##.dual-ads ##.dualAds -##.dva_ad -##.dvad1 -##.dvad2 -##.dvad3 -##.dvad3mov -##.dvad4 -##.dvad4cont -##.dvad5 -##.dvad5cont -##.dvadevent -##.dvadvhw -##.dvcvmidads -##.dvcvrgtad -##.dw-sticky-ad -##.dw-sticky-ad-inner -##.dw-sticky-ad-left -##.dwn_link_adv -##.dynamic-ad-wrap-b +##.dyn-sidebar-ad ##.dynamic-ads ##.dynamicAdvertContainer ##.dynamicLeadAd @@ -23455,120 +11108,77 @@ _popunder+$popup ##.dynamicad2 ##.e-ad ##.e-advertise +##.e3lan +##.e3lan-top +##.e3lan-widget-content +##.e3lan300-100 +##.e3lan300-250 +##.e3lan300_250-widget +##.eaa-ad ##.eads -##.earAdv -##.east_ad_bg -##.east_ad_block ##.easy-ads ##.easyAdsBox ##.easyAdsSinglePosition -##.easyazon-block -##.eb_ad280 ##.ebayads -##.ec-ads -##.ec-ads-remove-if-empty -##.ec_ad_banner -##.econo-ads1 +##.ebm-ad-target__outer +##.ecommerce-ad ##.ecosia-ads +##.eddy-adunit ##.editor_ad -##.editorial-adsense -##.editors-ads -##.ehs-adbridge -##.eight8_advertisment_box_all_posts -##.ej-advertisement-text +##.eg-ad +##.eg-custom-ad ##.element--ad ##.element-ad ##.element-adplace -##.em-ad -##.em-ads-widget -##.em_ad_300x250 -##.em_ads_box_dynamic_remove +##.element_contentad1 +##.element_contentad2 +##.element_contentad3 +##.element_contentad4 +##.element_contentad5 +##.elementor-widget-wp-widget-advads_ad_widget ##.embAD ##.embed-ad ##.embedded-article-ad ##.embeddedAd ##.embeddedAds -##.emm-ad +##.embedded_ad_wrapper +##.empire-prefill-container-injected +##.empire-unit-prefill-container ##.empty-ad -##.endemic_ads -##.eng_ads -##.engagement_ad -##.eniro_ad -##.enterpriseAd +##.endAHolder +##.endti-adlabel ##.entry-ad ##.entry-ads -##.entry-ads-110 -##.entry-body-ad ##.entry-bottom-ad -##.entry-injected-ad +##.entry-bottom-ads ##.entry-top-ad ##.entryAd -##.entry_sidebar_ads +##.entry_ad ##.entryad -##.eol-ads -##.ep-advertisment-link -##.epicgame-ads -##.esp_publicidad -##.esv-pub-300x600 -##.et-single-post-ad -##.etad ##.etn-ad-text ##.eu-advertisment1 -##.eu-advertisment2 -##.eu-miniadvertisment -##.event-ads -##.event-ads-inside -##.ew-ad-placeholder -##.exec-advert-flash -##.exo-native-widget -##.exo-native-widget-header -##.exo-native-widget-outer-container -##.exo1-native-widget -##.expanding-ad -##.expertsAd -##.explore-ad -##.ext-ad +##.evo-ads-widget +##.evolve-ad +##.ex_pu_iframe +##.exo_wrapper +##.external-ad ##.external-add -##.externalAdComponent -##.extra-ad -##.extrasColumnFuseAdLocal -##.ez-ad -##.ez-clientAd ##.ezAdsWidget -##.ezAdsense ##.ezmob-footer +##.ezmob-footer-desktop ##.ezo_ad ##.ezoic-ad +##.ezoic-ad-adaptive +##.ezoic-adpicker-ad ##.ezoic-floating-bottom ##.f-ad ##.f-item-ad -##.fN-affiliateStrip -##.f_Ads -##.fa-google-ad -##.facebook-ad -##.fbCalendarAds -##.fbPhotoSnowboxAds -##.fblockad +##.f-item-ad-inhouse ##.fbs-ad--ntv-home-wrapper -##.fbs-ad--progressive ##.fbs-ad--top-wrapper ##.fbs-ad--topx-wrapper -##.fc_splash_ad -##.fd-ad -##.fd-display-ad -##.fdDisplayAdGrid -##.fdc_ad -##.fe-blogs__desktop-ad -##.fe-blogs__sidebar-ad -##.fe-blogs__sidebar-ad--sticky-fix -##.fe-blogs__sidebar-ad-wrapper -##.fe-blogs__top-ad -##.fe-blogs__top-ad-wrapper -##.fe-blogs__top-ad-wrapper-leaderboard -##.feSideAdBlock -##.feSideAdv -##.feat_ads -##.feature-advertorial-image +##.fc_clmb_ad +##.fce_ads ##.featureAd ##.feature_ad ##.featured-ad @@ -23579,81 +11189,61 @@ _popunder+$popup ##.featuredAds ##.featuredBoxAD ##.featured_ad -##.featured_ad_item -##.featured_advertisers_box ##.featuredadvertising -##.features-advertorial-wrapper -##.features-advetorial-heading -##.features-advetorial-wrapper ##.feed-ad -##.feed-s-update--is-sponsored -##.feed-shared-post-meta--is-sponsored -##.feed-shared-update--is-sponsored -##.feedBottomAd -##.feeds-adblade -##.ffz_bottom_ad -##.fg_Ad -##.fgc-advertising -##.fi-adv-halfpage -##.fi-adv-placeholder -##.fi_adsense -##.field-name-shared-ad-placement-landscape -##.field-name-sticky-ads-div -##.finpostsads -##.firefly-sidebar-ad -##.fireplaceadleft -##.fireplaceadright -##.fireplaceadtop -##.first-ad -##.first-ad-wrap +##.feed-ad-wrapper +##.fh_ad_microbuttons +##.field-59-companion-ad +##.fig-ad-content +##.first-article-ad-block +##.first-banner-ad +##.first-leaderbord-adv +##.first-leaderbord-adv-mobile +##.firstAd-container ##.first_ad +##.first_party_ad_wrapper ##.first_post_ad ##.firstad -##.firstadsmobile ##.firstpost_advert ##.firstpost_advert_container -##.fist-advertise-box -##.five-col-adpubs -##.fiveMinCompanionBanner -##.fix-ad -##.fixed-ad-160x600 +##.fix_ad +##.fixadheight +##.fixadheightbottom +##.fixed-ad-aside ##.fixed-ad-bottom -##.fixed-ad-bottom--banner -##.fixed-ad300-1 -##.fixed-ads-header +##.fixed-ads +##.fixed-bottom-ad +##.fixed-sidebar-ad ##.fixedAds +##.fixedLeftAd ##.fixedRightAd -##.fixed_ad_336x280 -##.fixed_bottom_ad -##.fl-ads -##.fl-adsense -##.fl_adbox -##.flagads -##.flash-advertisement +##.fixed_ad +##.fixed_adslot +##.fixed_advert_banner +##.fjs-ad-hide-empty +##.fla-ad ##.flashAd ##.flash_ad ##.flash_advert ##.flashad ##.flashadd ##.flex-ad +##.flex-posts-ads ##.flexAd +##.flexAds +##.flexContentAd ##.flexad ##.flexadvert -##.flexbanneritemad ##.flexiad -##.flipbook_v2_sponsor_ad ##.flm-ad -##.float-footer-ad-wrap -##.floatAdv ##.floatad ##.floatads ##.floated-ad ##.floated_right_ad +##.floating-ads ##.floating-advert ##.floatingAds -##.flurryAdsType1 ##.fly-ad -##.flyercity-ads ##.fm-badge-ad ##.fnadvert ##.fns_td_wrap @@ -23668,12 +11258,16 @@ _popunder+$popup ##.footad ##.footer-300-ad ##.footer-ad -##.footer-ad-elevated ##.footer-ad-full-wrapper +##.footer-ad-labeling +##.footer-ad-row ##.footer-ad-section ##.footer-ad-squares -##.footer-ad1 +##.footer-ad-unit +##.footer-ad-wrap +##.footer-adrow ##.footer-ads +##.footer-ads-slide ##.footer-ads-wrapper ##.footer-ads_unlocked ##.footer-adsbar @@ -23681,14 +11275,16 @@ _popunder+$popup ##.footer-advert ##.footer-advert-large ##.footer-advertisement -##.footer-advertisement-container ##.footer-advertisements +##.footer-advertising ##.footer-advertising-area ##.footer-banner-ad +##.footer-banner-ads ##.footer-floating-ad ##.footer-im-ad ##.footer-leaderboard-ad -##.footer-ribbon-ad +##.footer-post-ad-blk +##.footer-prebid ##.footer-text-ads ##.footerAd ##.footerAdModule @@ -23700,15 +11296,16 @@ _popunder+$popup ##.footerAdverts ##.footerBottomAdSec ##.footerFullAd -##.footerGoogleAdMainWarp +##.footerPageAds ##.footerTextAd +##.footer__ads--content +##.footer__advert ##.footer_ad ##.footer_ad336 ##.footer_ad_container ##.footer_ads ##.footer_adv ##.footer_advertisement -##.footer_banner_ad_container ##.footer_block_ad ##.footer_bottom_ad ##.footer_bottomad @@ -23716,113 +11313,103 @@ _popunder+$popup ##.footer_text_ad ##.footer_text_adblog ##.footerad -##.footerads ##.footeradspace ##.footertextadbox -##.for-taboola -##.foreign-ad01 -##.foreign-ad02 +##.forbes-ad-container ##.forex_ad_links ##.fortune-ad-unit ##.forum-ad ##.forum-ad-2 +##.forum-teaser-ad ##.forum-topic--adsense ##.forumAd ##.forum_ad_beneath -##.forumtopad ##.four-ads -##.four-six-eight-ad -##.four_button_threeone_ad -##.four_percent_ad +##.fp-ad-nativendo-one-third +##.fp-ad-rectangle ##.fp-ad300 -##.fp-adinsert ##.fp-ads ##.fp-right-ad ##.fp-right-ad-list ##.fp-right-ad-zone ##.fp_ad_text -##.fr_ad_loading +##.fp_adv-box ##.frame_adv ##.framead -##.freedownload_ads -##.freegame_bottomad -##.freewheelDEAdLocation +##.freestar-ad-container +##.freestar-ad-sidebar-container +##.freestar-ad-wide-container +##.freestar-incontent-ad ##.frn_adbox -##.frn_adbox_placeholder -##.frn_contAdHead -##.frn_cont_adbox -##.frn_placeholder_google_ads -##.fromoursponsor +##.front-ad ##.front_ad ##.frontads +##.frontendAd ##.frontone_ad -##.frontpage-google-ad -##.frontpage-mpu-section-ad -##.frontpage-right-ad -##.frontpage-right-ad-hide +##.frontpage__article--ad ##.frontpage_ads -##.fs-ad-block -##.fs1-advertising ##.fsAdContainer -##.fs_ad_300x250 +##.fs_ad ##.fs_ads ##.fsrads ##.ft-ad -##.ftb-native-ads -##.ftdAdBar -##.ftdContentAd -##.ftr_ad -##.ftv-ad-sumo ##.full-ad +##.full-ad-wrapper +##.full-ads ##.full-adv ##.full-bleed-ad +##.full-bleed-ad-container +##.full-page-ad +##.full-top-ad-area ##.full-width-ad ##.full-width-ad-container ##.full-width-ads ##.fullAdBar +##.fullBleedAd ##.fullSizeAd +##.fullWidthAd ##.full_AD -##.full_ad ##.full_ad_box ##.full_ad_row ##.full_width_ad ##.fulladblock +##.fullbanner_ad ##.fullbannerad +##.fullpage-ad +##.fullsize-ad-square +##.fullwidth-advertisement ##.fusion-ads -##.fusion-advert -##.fusionAd -##.fusionAdLink -##.future_dfp-inline_ad -##.fw-mod-ad +##.fuv_sidebar_ad_widget ##.fwAdTags +##.fw_ad ##.g-ad ##.g-ad-fix +##.g-ad-leaderboard ##.g-ad-slot -##.g-ad-slot-toptop -##.g-adblock3 ##.g-adver ##.g-advertisement-block ##.g1-ads +##.g1-advertisement ##.g2-adsense ##.g3-adsense -##.g3rtn-ad-site +##.gAdMTable +##.gAdMainParent +##.gAdMobileTable +##.gAdOne +##.gAdOneMobile ##.gAdRows ##.gAdSky +##.gAdThreeDesktop +##.gAdThreeMobile +##.gAdTwo ##.gAds ##.gAds1 ##.gAdsBlock ##.gAdsContainer ##.gAdvertising ##.g_ad -##.g_ad336 -##.g_ads_200 -##.g_ads_728 ##.g_adv -##.g_ggl_ad -##.ga-ad-split ##.ga-ads -##.ga-textads-bottom -##.ga-textads-top ##.gaTeaserAds ##.gaTeaserAdsBox ##.gabfire_ad @@ -23830,326 +11417,189 @@ _popunder+$popup ##.gad-container ##.gad-right1 ##.gad-right2 +##.gad300x600 +##.gad336x280 +##.gadContainer ##.gad_container -##.gads300x250 -##.gads_cb ##.gads_container ##.gadsense -##.gadstxtmcont2 -##.gall_ad -##.galleria-AdOverlay -##.galleria-ad-2 -##.galleria-adsense +##.gadsense-ad ##.gallery-ad ##.gallery-ad-container ##.gallery-ad-counter ##.gallery-ad-holder +##.gallery-ad-lazyload-placeholder ##.gallery-ad-overlay -##.gallery-ad-wrapper +##.gallery-adslot-top ##.gallery-injectedAd ##.gallery-sidebar-ad +##.gallery-slide-ad ##.galleryAds -##.galleryAdvertPanel ##.galleryLeftAd ##.galleryRightAd -##.gallery_300x100_ad -##.gallery__aside-ad -##.gallery__bottom-ad -##.gallery__footer-ad ##.gallery_ad ##.gallery_ad_wrapper ##.gallery_ads_box -##.gallery_post--interstitial_ad +##.galleryad ##.galleryads -##.gam-300x250-default-ad-container +##.gam-ad +##.gam-ad-hz-bg ##.gam_ad_slot ##.game-ads ##.game-category-ads -##.game-right-ad-container -##.game-usps__display-ad ##.gameAd ##.gameBottomAd -##.game__adv_containerLeaderboard -##.game_right_ad -##.game_under_ad ##.gamepage_boxad -##.gamepageadBox -##.gameplayads ##.games-ad-wrapper -##.games-ad300 -##.gamesPage_ad_container -##.gamesPage_ad_content -##.gamezebo_ad -##.gamezebo_ad_info ##.gb-ad-top -##.gbl_adstruct -##.gbl_advertisement -##.gdgt-header-advertisement -##.gdgt-postb-advertisement -##.gdm-ad -##.geeky_ad -##.gels-inlinead -##.gemini-ad -##.gen_side_ad -##.general-adzone -##.general_banner_ad -##.generations-container__ad-space -##.generic-ad-module -##.generic-ad-title -##.generic_300x250_ad -##.geoAd -##.getridofAds -##.getridofAdsBlock -##.gfp-banner -##.ggads -##.ggadunit -##.ggadwrp -##.gglAds +##.gb_area_ads +##.general-ad +##.genericAds ##.ggl_ads_row ##.ggl_txt_ads -##.gglads300 -##.gl_ad -##.glamsquaread -##.glance_banner_ad -##.global-adsense +##.giant_pushbar_ads_l +##.glacier-ad ##.globalAd -##.globalAdLargeRect -##.globalAdLeaderBoard -##.global_banner_ad -##.gm-ad-lrec -##.gms-ad-centre -##.gms-advert -##.gn_ads +##.gnm-ad-unit +##.gnm-ad-unit-container +##.gnm-ad-zones +##.gnm-adhesion-ad +##.gnm-banner-ad +##.gnm-bg-ad ##.go-ad -##.go-ads-widget-ads-wrap -##.goAdverticum -##.goafrica-ad -##.goglad -##.goog_ad -##.googad +##.goAdMan +##.goads ##.googads -##.google-2ad +##.google-2ad-m ##.google-ad ##.google-ad-160-600 ##.google-ad-468-60 ##.google-ad-728-90 -##.google-ad-afc-header ##.google-ad-block -##.google-ad-bottom-outer ##.google-ad-container ##.google-ad-content -##.google-ad-fix -##.google-ad-iframe +##.google-ad-header2 ##.google-ad-image -##.google-ad-pad +##.google-ad-manager ##.google-ad-placeholder -##.google-ad-side_ad ##.google-ad-sidebar ##.google-ad-space -##.google-ad-space-vertical -##.google-ad-square-sidebar -##.google-ad-top-outer ##.google-ad-widget -##.google-ad-wrapper-ui ##.google-ads -##.google-ads-boxout +##.google-ads-billboard +##.google-ads-bottom ##.google-ads-container ##.google-ads-footer-01 ##.google-ads-footer-02 -##.google-ads-group +##.google-ads-in_article ##.google-ads-leaderboard ##.google-ads-long -##.google-ads-obj ##.google-ads-responsive ##.google-ads-right -##.google-ads-rodape ##.google-ads-sidebar -##.google-ads-slim ##.google-ads-widget ##.google-ads-wrapper -##.google-ads2 -##.google-adsbygoogle ##.google-adsense -##.google-advertisement -##.google-advertisement_txt +##.google-advert-sidebar ##.google-afc-wrapper -##.google-csi-ads -##.google-dfp-ad-label -##.google-entrepreneurs-ad +##.google-bottom-ads +##.google-dfp-ad-caption +##.google-dfp-ad-wrapper ##.google-right-ad -##.google-side-ad ##.google-sponsored ##.google-sponsored-ads ##.google-sponsored-link ##.google-sponsored-links -##.google-text-ads -##.google-user-ad -##.google300x250 -##.google300x250BoxFooter -##.google300x250TextDetailMiddle -##.google300x250TextFooter ##.google468 -##.google468_60 -##.google728x90 -##.google728x90TextDetailTop ##.googleAd -##.googleAd-content -##.googleAd-list -##.googleAd300x250 -##.googleAd300x250_wrapper -##.googleAd728OuterTopAd ##.googleAdBox ##.googleAdContainer -##.googleAdContainerSingle -##.googleAdFoot ##.googleAdSearch ##.googleAdSense -##.googleAdSenseModule -##.googleAdTopTipDetails ##.googleAdWrapper -##.googleAd_160x600 -##.googleAd_1x1 -##.googleAd_728x90 -##.googleAd_body ##.googleAdd ##.googleAds -##.googleAds336 -##.googleAds728 -##.googleAds_article_page_above_comments +##.googleAdsContainer ##.googleAdsense -##.googleAdsense468x60 -##.googleAdv1 -##.googleBannerWrapper -##.googleContentAds -##.googleInsideAd -##.googleLgRect -##.googleProfileAd -##.googleSearchAd_content -##.googleSearchAd_sidebar -##.googleSideAd -##.googleSkyWrapper -##.googleSubjectAd -##.google_728x90 +##.googleAdv ##.google_ad -##.google_ad3 -##.google_ad336 -##.google_ad_bg -##.google_ad_btn ##.google_ad_container -##.google_ad_first ##.google_ad_label -##.google_ad_mrec -##.google_ad_right ##.google_ad_wide ##.google_add -##.google_add_container ##.google_admanager ##.google_ads -##.google_ads_468x60 -##.google_ads_bom_block -##.google_ads_bom_title ##.google_ads_content -##.google_ads_header11 ##.google_ads_sidebar -##.google_ads_v3 ##.google_adsense ##.google_adsense1 -##.google_adsense1_footer ##.google_adsense_footer -##.google_adsense_sidebar_left ##.google_afc ##.google_afc_ad -##.google_afc_articleintext -##.google_afc_categorymain -##.google_top_adsense -##.google_top_adsense1 -##.google_top_adsense1_footer -##.google_top_adsense_footer -##.google_txt_ads_mid_big_img ##.googlead -##.googlead-sidebar ##.googleadArea -##.googlead_idx_b_97090 -##.googlead_idx_h_97090 -##.googlead_iframe -##.googlead_outside ##.googleadbottom ##.googleadcontainer ##.googleaddiv -##.googleaddiv2 -##.googleadiframe ##.googleads -##.googleads-bottommiddle ##.googleads-container -##.googleads-topmiddle -##.googleads_300x250 -##.googleads_title +##.googleads-height ##.googleadsense ##.googleadsrectangle -##.googleadvertisemen120x600 +##.googleadv ##.googleadvertisement ##.googleadwrap ##.googleafc -##.googlebanwide -##.googleimagead1 -##.googleimagead2 -##.googlepostads -##.googlepublisherads -##.googley_ads -##.gp-advertisement-wrapper -##.gpAdBox -##.gpAdFooter ##.gpAds -##.gp_adbanner--bottom -##.gp_adbanner--top -##.gpadvert ##.gpt-ad +##.gpt-ad-container +##.gpt-ad-sidebar-wrap +##.gpt-ad-wrapper ##.gpt-ads +##.gpt-billboard +##.gpt-breaker-container +##.gpt-container +##.gpt-leaderboard-banner +##.gpt-mpu-banner ##.gpt-sticky-sidebar -##.gr-adcast -##.gr-ads +##.gpt.top-slot +##.gptSlot +##.gptSlot-outerContainer +##.gptSlot__sticky-footer +##.gptslot ##.gradientAd ##.graphic_ad -##.gray_top_ad_container ##.grev-ad +##.grey-ad ##.grey-ad-line ##.grey-ad-notice ##.greyAd ##.greyad ##.grid-ad -##.grid-ad-section +##.grid-ad-col__big ##.grid-advertisement +##.grid-block-ad ##.grid-item-ad -##.grid-sm-ad-300 ##.gridAd ##.gridAdRow ##.gridSideAd +##.grid_ad_container ##.gridad +##.gridlove-ad ##.gridstream_ad +##.ground-ads-shared ##.group-ad-leaderboard ##.group-google-ads +##.group-item-ad ##.group_ad -##.grv_is_sponsored ##.gsAd -##.gsfAd -##.gsl-ads -##.gt_ad -##.gt_ad_300x250 -##.gt_ad_728x90 -##.gt_adlabel -##.gtadlb -##.gtop_ad -##.guide-ad +##.gtm-ad-slot +##.guide__row--fixed-ad +##.guj-ad--placeholder ##.gujAd -##.gutter-ad-left -##.gutter-ad-right -##.gutter-ad-wrapper -##.gutterAdHorizontal +##.gutterads ##.gw-ad -##.gx_ad -##.h-ad -##.h-ad-728x90-bottom -##.h-ad-remove +##.h-adholder ##.h-ads ##.h-adver ##.h-large-ad-box @@ -24157,300 +11607,235 @@ _popunder+$popup ##.h11-ad-top ##.h_Ads ##.h_ad -##.ha-o-house-ad ##.half-ad ##.half-page-ad +##.half-page-ad-1 +##.half-page-ad-2 ##.halfPageAd ##.half_ad_box +##.halfpage_ad +##.halfpage_ad_1 ##.halfpage_ad_container +##.happy-inline-ad ##.has-ad -##.hasads -##.hbPostAd -##.hbi-ad-advertiser -##.hbox_top_sponsor -##.hc_news_mobile_body_bottomAd -##.hcf-ad -##.hcf-ad-rectangle -##.hcf-cms-ad -##.hd-adv -##.hdTopAdContainer -##.hd_advert -##.hd_below_player_ad +##.has-adslot +##.has-fixed-bottom-ad +##.hasAD ##.hdr-ad -##.hdr-ad-text ##.hdr-ads ##.hdrAd ##.hdr_ad ##.head-ad ##.head-ads ##.head-banner468 +##.head-top-ads ##.headAd ##.head_ad ##.head_ad_wrapper ##.head_ads -##.head_ads_900 ##.head_adv ##.head_advert ##.headad ##.headadcontainer -##.header--ad-space ##.header-ad ##.header-ad-area ##.header-ad-banner ##.header-ad-box -##.header-ad-column +##.header-ad-container +##.header-ad-desktop ##.header-ad-frame -##.header-ad-new-wrap -##.header-ad-slot +##.header-ad-holder +##.header-ad-region +##.header-ad-row ##.header-ad-space +##.header-ad-top +##.header-ad-widget ##.header-ad-wrap ##.header-ad-wrapper ##.header-ad-zone -##.header-ad234x60left -##.header-ad234x60right ##.header-adbanner ##.header-adbox ##.header-adcode ##.header-adplace ##.header-ads +##.header-ads-area ##.header-ads-container ##.header-ads-holder ##.header-ads-wrap +##.header-ads-wrapper ##.header-adsense +##.header-adslot-container +##.header-adspace ##.header-adv ##.header-advert -##.header-advert-container ##.header-advert-wrapper +##.header-advertise ##.header-advertisement +##.header-advertising +##.header-and-footer--banner-ad ##.header-article-ads ##.header-banner-ad ##.header-banner-ads +##.header-banner-advertising ##.header-bannerad -##.header-google-ads -##.header-google-adsense970 -##.header-menu-horizontal-ads -##.header-menu-horizontal-ads-content +##.header-bottom-adboard-area +##.header-pencil-ad ##.header-sponsor -##.header-taxonomy-image-sponsor ##.header-top-ad -##.header15-ad -##.header3-advert -##.header728-ad +##.header-top_ads ##.headerAd ##.headerAd1 -##.headerAdArea -##.headerAdCode +##.headerAdBanner ##.headerAdContainer ##.headerAdPosition +##.headerAdSpacing ##.headerAdWrapper ##.headerAds +##.headerAds250 ##.headerAdspace ##.headerAdvert +##.headerAdvertisement ##.headerTextAd ##.headerTopAd ##.headerTopAds +##.header__ad ##.header__ads +##.header__ads-wrapper ##.header__advertisement -##.header__weather__ad ##.header_ad -##.header_ad_2 +##.header_ad1 ##.header_ad_center ##.header_ad_div ##.header_ad_space ##.header_ads +##.header_ads-container ##.header_ads_box -##.header_ads_promotional -##.header_adsense_banner -##.header_adv2 -##.header_adv3 -##.header_adv_optional +##.header_adspace ##.header_advert ##.header_advertisement -##.header_advertisement_text ##.header_advertisment -##.header_classified_ads ##.header_leaderboard_ad -##.header_link_ad -##.header_right_ad +##.header_top_ad ##.headerad -##.headerad-720 -##.headerad-placeholder ##.headeradarea -##.headeradhome -##.headeradinfo +##.headeradblock ##.headeradright ##.headerads ##.heading-ad-space ##.headline-adblock ##.headline-ads ##.headline_advert -##.heatmapthemead_ad_widget -##.heavy_ad +##.hederAd ##.herald-ad ##.hero-ad -##.hero-ad-special -##.hi5-ad +##.hero-ad-slot +##.hero-advert +##.heroAd ##.hidden-ad ##.hide-ad -##.hideAdMessage -##.hideIfEmptyAd -##.hidePauseAdZone -##.hideStartAdZone-container ##.hide_ad -##.hide_internal_ad -##.highlight-news-ad -##.highlights-ad +##.hidead ##.highlightsAd -##.hioxInternalAd -##.hl-ad-row__mrec -##.hl-ads-holder-0 -##.hl-post-center-ad -##.hm-sec-ads -##.hm_adlist -##.hm_advertisment -##.hm_top_right_google_ads -##.hm_top_right_google_ads_budget +##.hm-ad +##.hmad ##.hn-ads -##.home-300x250-ad -##.home-activity-ad +##.holder-ad +##.holder-ads ##.home-ad -##.home-ad--promo -##.home-ad--top +##.home-ad-bigbox ##.home-ad-container +##.home-ad-inline ##.home-ad-links ##.home-ad-region-1 -##.home-ad1 -##.home-ad2 -##.home-ad3 -##.home-ad4 -##.home-ad728 +##.home-ad-section ##.home-ads ##.home-ads-container -##.home-ads-container1 +##.home-ads1 ##.home-adv-box ##.home-advert -##.home-area3-adv-text ##.home-body-ads -##.home-features-ad +##.home-page-ad ##.home-sidebar-ad -##.home-sidebar-ad-300 -##.home-slider-ads ##.home-sponsored-links ##.home-sticky-ad ##.home-top-ad -##.home-top-of-page__top-box-ad -##.home-top-right-ads ##.homeAd ##.homeAd1 ##.homeAd2 ##.homeAdBox ##.homeAdBoxA -##.homeAdBoxBetweenBlocks -##.homeAdBoxInBignews -##.homeAdFullBlock ##.homeAdSection -##.homeAddTopText +##.homeBoxMediumAd ##.homeCentreAd ##.homeMainAd ##.homeMediumAdGroup +##.homePageAdSquare ##.homePageAds -##.homeSubAd -##.homeTextAds -##.home__ad-small -##.home__ad-small-label +##.homeTopAdContainer ##.home_ad -##.home_ad300 -##.home_ad720_inner -##.home_ad_300x100 -##.home_ad_300x250 ##.home_ad_bottom ##.home_ad_large +##.home_ad_title ##.home_adblock -##.home_adholder ##.home_advert ##.home_advertisement -##.home_advertorial -##.home_box_latest_ads ##.home_mrec_ad -##.home_offer_adv -##.home_sidebar_ads -##.home_sway_adv -##.home_top_ad_slider -##.home_top_ad_slides -##.home_top_right_ad -##.home_top_right_ad_label -##.homead -##.homeadnews ##.homeadwrapper -##.homefront468Ad -##.homepage-300-250-ad +##.homepage--sponsor-content ##.homepage-ad -##.homepage-ad-block-padding -##.homepage-ad-buzz-col +##.homepage-ad-block ##.homepage-ad-module ##.homepage-advertisement ##.homepage-banner-ad ##.homepage-footer-ad ##.homepage-footer-ads -##.homepage-right-rail-ad -##.homepage-small-touts-ad -##.homepage-sponsoredlinks-container -##.homepage-square-ad -##.homepage300ad +##.homepage-page__ff-ad-container +##.homepage-page__tag-ad-container +##.homepage-page__video-ad-container ##.homepageAd -##.homepageFlexAdOuter -##.homepageMPU -##.homepage__ad -##.homepage__ad--middle-leader-board -##.homepage__ad--top-leader-board -##.homepage__ad--top-mrec +##.homepage__native-ad ##.homepage_ads -##.homepage_ads_firstrow -##.homepage_ads_fourthrow -##.homepage_ads_secondrow -##.homepage_ads_thirdrow ##.homepage_block_ad -##.homepage_middle_right_ad -##.homepageinline_adverts -##.homesmallad -##.homestream-ad ##.hor-ad ##.hor_ad -##.hori-play-page-adver -##.horisont_ads +##.horiAd ##.horiz_adspace +##.horizontal-ad +##.horizontal-ad-container ##.horizontal-ad-holder +##.horizontal-ad-wrapper ##.horizontal-ad2 +##.horizontal-ads +##.horizontal-advert-container +##.horizontal-full-ad +##.horizontal.ad ##.horizontalAd ##.horizontalAdText ##.horizontalAdvert +##.horizontal_Fullad ##.horizontal_ad ##.horizontal_adblock ##.horizontal_ads -##.horizontalbtad ##.horizontaltextadbox ##.horizsponsoredlinks ##.hortad +##.hotad_bottom +##.hotel-ad ##.house-ad +##.house-ad-small +##.house-ad-unit ##.house-ads ##.houseAd ##.houseAd1 ##.houseAdsStyle ##.housead -##.hover_300ad ##.hover_ads ##.hoverad ##.hp-ad-container ##.hp-ad-grp -##.hp-col4-ads -##.hp-content__ad -##.hp-inline-ss-service-ad -##.hp-main__rail__footer__ad -##.hp-slideshow-right-ad -##.hp-ss-service-ad -##.hp2-adtag -##.hpPollQuestionSponsor -##.hpPriceBoardSponsor +##.hp-adsection +##.hp-sectionad +##.hpRightAdvt ##.hp_320-250-ad ##.hp_ad_300 ##.hp_ad_box @@ -24459,482 +11844,374 @@ _popunder+$popup ##.hp_adv300x250 ##.hp_advP1 ##.hp_horizontal_ad -##.hp_t_ad ##.hp_textlink_ad -##.hp_w_ad -##.hpa-ad1 -##.hr-ads -##.hr_ad -##.hr_advt -##.hrad -##.hss-ad -##.hss-ad-300x250_1 -##.hss_static_ad -##.hst-contextualads -##.ht_ad_widget +##.htl-ad +##.htl-ad-placeholder ##.html-advertisement -##.html-block-ads -##.html-component-ad-filler ##.html5-ad-progress-list +##.hw-ad--frTop ##.hyad -##.hype_adrotate_widget -##.i360ad +##.hyperAd +##.i-amphtml-element.live-updates.render-embed +##.i-amphtml-unresolved ##.iAdserver -##.i_ad ##.iab300x250 ##.iab728x90 ##.ib-adv -##.ib-figure-ad -##.ibm_ad_bottom -##.ibm_ad_text -##.ibt-top-ad -##.ic-ads -##.icit-ch-advert ##.ico-adv ##.icon-advertise -##.icon-myindependentad ##.iconAdChoices ##.icon_ad_choices ##.iconads -##.icx_ad -##.id-Advert -##.id-Article-advert -##.idGoogleAdsense -##.idMultiAd -##.id_footer_social -##.idc-adContainer -##.idc-adWrapper -##.ident_right_ad ##.idgGoogleAdTag ##.ie-adtext -##.ie-sponsoredbox ##.iframe-ad ##.iframe-ads ##.iframeAd ##.iframeAds -##.iframead -##.iframeadflat -##.im-topAds -##.image-ad-336 +##.ima-ad-container ##.image-advertisement ##.image-viewer-ad ##.image-viewer-mpu ##.imageAd -##.imageAdBoxTitle ##.imageAds -##.imageGalleryAdHeadLine ##.imagead ##.imageads -##.images-adv -##.imagetable_ad ##.img-advert ##.img_ad ##.img_ads ##.imgad -##.imgur-ad -##.impactAdv -##.import_video_ad_bg -##.imuBox -##.in-ad -##.in-article-adsense -##.in-article-mpu +##.in-article-ad +##.in-article-ad-placeholder +##.in-article-ad-wrapper +##.in-article-adx ##.in-between-ad ##.in-content-ad -##.in-content-ad--container -##.in-node-ad-300x250 +##.in-content-ad-wrapper ##.in-page-ad +##.in-slider-ad ##.in-story-ads -##.in-story-text-ad -##.inArticleAdInner +##.in-text-ad +##.in-text__advertising +##.in-thumb-ad +##.in-thumb-video-ad ##.inPageAd -##.inStoryAd-news2 ##.in_ad ##.in_article_ad +##.in_article_ad_wrapper ##.in_content_ad_container ##.in_content_advert -##.in_up_ad_game +##.inarticlead +##.inc-ad +##.incontent-ad1 ##.incontentAd ##.incontent_ads -##.indEntrySquareAd -##.indent-advertisement ##.index-adv -##.index-after-second-post-ad ##.index_728_ad ##.index_ad ##.index_ad_a2 ##.index_ad_a4 ##.index_ad_a5 ##.index_ad_a6 -##.index_ad_column2 ##.index_right_ad -##.indexad -##.indie-sidead -##.indy_googleads -##.inf-admedia -##.inf-admediaiframe -##.info-ads -##.info-advert-160x600 -##.info-advert-300x250 -##.info-advert-728x90 -##.info-advert-728x90-inside -##.infoBoxThreadPageRankAds -##.ingameadbox -##.ingameboxad -##.ingridAd -##.inhouseAdUnit +##.infinity-ad ##.inhousead +##.injected-ad ##.injectedAd ##.inline-ad ##.inline-ad-card +##.inline-ad-container +##.inline-ad-desktop ##.inline-ad-placeholder ##.inline-ad-text ##.inline-ad-wrap ##.inline-ad-wrapper ##.inline-adblock ##.inline-advert +##.inline-banner-ad +##.inline-display-ad +##.inline-google-ad-slot ##.inline-mpu -##.inline-mpu-left -##.inline-panorama-ad +##.inline-story-add ##.inlineAd ##.inlineAdContainer ##.inlineAdImage ##.inlineAdInner ##.inlineAdNotice ##.inlineAdText -##.inlineAdTour -##.inlineAd_content ##.inlineAdvert ##.inlineAdvertisement +##.inlinePageAds ##.inlineSideAd ##.inline_ad ##.inline_ad_container ##.inline_ad_title ##.inline_ads ##.inlinead -##.inlinead-tagtop +##.inlinead_lazyload ##.inlineadsense ##.inlineadtitle ##.inlist-ad ##.inlistAd ##.inner-ad ##.inner-ad-disclaimer -##.inner-advt-banner-3 +##.inner-ad-section +##.inner-adv +##.inner-advert ##.inner-post-ad -##.inner468ad -##.innerAd300 ##.innerAdWrapper ##.innerAds ##.innerContentAd +##.innerWidecontentAd ##.inner_ad ##.inner_ad_advertise -##.inner_adv ##.inner_big_ad ##.innerad -##.innerpostadspace ##.inpostad +##.inr_top_ads ##.ins_adwrap -##.insert-advert-ver01 ##.insert-post-ads -##.insertAd_AdSlice -##.insertAd_Rectangle -##.insertAd_TextAdBreak ##.insert_ad +##.insert_ad_column ##.insert_advertisement -##.insert_text_body_ad_prod ##.insertad -##.insideStoryAd ##.inside_ad -##.inside_ad_box ##.insideads ##.inslide-ad -##.instructionAdvHeadline -##.insurance-ad +##.insticator-ads +##.instream_ad +##.intAdRow ##.intad -##.inteliusAd_image ##.interAd -##.interbody-ad-unit -##.interest-based-ad ##.internal-ad ##.internalAd -##.internalAdSection -##.internalAdsContainer ##.internal_ad ##.interstitial-ad -##.interstitial-ad600 -##.interstitial468x60 -##.interstitial__ad--wrapper -##.interstitial_ad_wrapper +##.intext-ads +##.intra-article-ad +##.intro-ad ##.ion-ad ##.ione-widget-dart-ad -##.ipm-sidebar-ad-middle -##.iprom-ad +##.ipc-advert +##.ipc-advert-class ##.ipsAd ##.ipsAdvertisement ##.iqadlinebottom ##.iqadmarker +##.iqadtile_wrapper +##.is-ad +##.is-carbon-ad +##.is-desktop-ads ##.is-mpu +##.is-preload-ad +##.is-script-ad ##.is-sponsored -##.is24-adplace +##.is-sticky-ad ##.isAd -##.is_trackable_ad +##.isAdPage ##.isad_box +##.ise-ad ##.island-ad ##.islandAd ##.islandAdvert ##.island_ad -##.island_ad_right_top ##.islandad -##.isocket_ad_row +##.item--ad ##.item-ad ##.item-ad-leaderboard -##.item-ads ##.item-advertising ##.item-container-ad -##.item-housead -##.item-housead-last -##.item-inline-ad ##.itemAdvertise ##.item_ads -##.itinerary-index-advertising -##.itw-ad -##.iw-leaderboard-ad +##.itsanad +##.j-ad ##.jLinkSponsored -##.j_ads -##.ja-ads -##.jalbum-ad-container -##.jam-ad -##.jc_ad_container +##.jannah_ad ##.jg-ad-5 ##.jg-ad-970 -##.jimdoAdDisclaimer -##.jl-ads-leaderboard -##.job-ads-container -##.jobAds -##.jobkeywordads +##.jobbioapp ##.jobs-ad-box ##.jobs-ad-marker -##.joead728 -##.jp-advertisment-promotional ##.jquery-adi ##.jquery-script-ads ##.js-ad -##.js-ad--comment ##.js-ad-banner-container +##.js-ad-buttons ##.js-ad-container -##.js-ad-doubleimu ##.js-ad-dynamic -##.js-ad-hideable +##.js-ad-frame ##.js-ad-home -##.js-ad-hover -##.js-ad-imu -##.js-ad-konvento -##.js-ad-loaded ##.js-ad-loader-bottom -##.js-ad-prepared -##.js-ad-primary ##.js-ad-slot -##.js-ad-space-container ##.js-ad-static +##.js-ad-unit ##.js-ad-unit-bottom ##.js-ad-wrapper -##.js-adExternalPage +##.js-ad_iframe ##.js-adfliction-iframe ##.js-adfliction-standard ##.js-ads ##.js-ads-carousel -##.js-adv-rotator-image ##.js-advert -##.js-advert--responsive -##.js-advert--vc ##.js-advert-container -##.js-advert-upsell-popup -##.js-advertising__placeholder1 +##.js-adzone +##.js-anchor-ad +##.js-article-advert-injected ##.js-billboard-advert ##.js-dfp-ad ##.js-dfp-ad-bottom -##.js-dfpAdPosSR +##.js-dfp-ad-top +##.js-gpt-ad ##.js-gptAd ##.js-header-ad +##.js-header-ad-wrapper +##.js-lazy-ad +##.js-mapped-ad +##.js-mpu ##.js-native-ad -##.js-outbrain-container +##.js-no-sticky-ad +##.js-overlay_ad ##.js-react-simple-ad -##.js-site-header-advert +##.js-results-ads +##.js-right-ad-block +##.js-sidebar-ads +##.js-skyscraper-ad ##.js-slide-right-ad ##.js-slide-top-ad -##.js-slim-nav-ad ##.js-sticky-ad ##.js-stream-ad -##.js-stream-featured-ad ##.js-toggle-ad -##.jsOneAd +##.jsAdSlot +##.jsMPUSponsor ##.js_adContainer -##.js_contained-ad-container +##.js_ad_wrapper +##.js_deferred-ad +##.js_desktop-horizontal-ad +##.js_midbanner_ad_slot +##.js_preheader-ad-container +##.js_slideshow-full-width-ad +##.js_slideshow-sidebar-ad +##.js_sticky-top-ad ##.jsx-adcontainer -##.juicyads_300x250 -##.jumboAd ##.jw-ad ##.jw-ad-block ##.jw-ad-label ##.jw-ad-media-container ##.jw-ad-visible -##.kads-main -##.kcAds -##.kd_ads_block -##.kdads-empty -##.kdads-link -##.keyword-ads-block -##.kip-advertisement -##.kip-banner-ad -##.kitara-sponsored -##.kl-ad -##.knowledgehub_ad -##.koadvt -##.kopa-ads-widget -##.kw_advert -##.kw_advert_pair -##.kwd_bloack -##.l-350-250-ad-words +##.kakao_ad_area +##.keen_ad +##.kiwi-ad-wrapper-300x250 +##.kiwi-ad-wrapper-728x90 +##.kiwi-ad-wrapper-950x80 +##.kumpulads-post +##.kumpulads-side +##.kwizly-psb-ad ##.l-ad -##.l-ad-300 -##.l-ad-728 +##.l-ad-top +##.l-ads ##.l-adsense +##.l-article__ad ##.l-bottom-ads +##.l-grid--ad-card ##.l-header-advertising -##.l-region--ad -##.l300x250ad -##.l_ad_sub +##.l-section--ad +##.l1-ads-wrapper ##.label-ad +##.label_advertising_text ##.labelads -##.labeled_ad -##.ladbrokes_sbad -##.landing-advertise -##.landing-feed--ad-vertical -##.landing-page-ads -##.landingAdRail -##.landing_adbanner -##.large-ad-center ##.large-advert -##.large-btn-ad -##.large-right-ad ##.largeAd -##.largeRecAdNewsContainerRight ##.largeRectangleAd ##.largeUnitAd ##.large_ad -##.large_add_container -##.largesideadpane -##.last-left-ad -##.last-right-ad -##.lastAdvertorial -##.lastLiAdv -##.lastRowAd +##.lastAdHolder ##.lastads -##.lastpost_advert ##.latest-ad -##.latest-news__ad--desktop -##.latest-posts__sidebar-ad-container -##.layer-ad-bottom -##.layer-ad-top -##.layer-xad -##.layer_text_ad -##.layeradinfo ##.layout-ad -##.layout__content-ad -##.layout__top-ad -##.layout_communityad_right_ads +##.layout__right-ads +##.layout_h-ad ##.lazy-ad +##.lazy-ad-unit ##.lazy-adv ##.lazyad +##.lazyadsense ##.lazyadslot +##.lazyload-ad ##.lazyload_ad ##.lazyload_ad_article ##.lb-ad ##.lb-adhesion-unit ##.lb-advert-container ##.lb-item-ad -##.lbadtxt -##.lbc-ad -##.lbl-advertising -##.lblAdvert -##.lcontentbox_ad ##.ld-ad ##.ld-ad-inner +##.ldm_ad ##.lead-ad ##.lead-ads -##.lead-advert -##.lead-board-ad-cont-home -##.leadAd ##.leader-ad ##.leader-ad-728 ##.leaderAd -##.leaderAdSlot ##.leaderAdTop ##.leaderAdvert -##.leaderBoardAdHolder +##.leaderBoardAdWrapper ##.leaderBoardAdvert -##.leaderOverallAdArea ##.leader_ad ##.leader_aol ##.leaderad ##.leaderboard-ad ##.leaderboard-ad-belt +##.leaderboard-ad-component ##.leaderboard-ad-container ##.leaderboard-ad-dummy -##.leaderboard-ad-green +##.leaderboard-ad-fixed ##.leaderboard-ad-grid -##.leaderboard-ad-inner ##.leaderboard-ad-main ##.leaderboard-ad-module ##.leaderboard-ad-pane +##.leaderboard-ad-placeholder +##.leaderboard-ad-section ##.leaderboard-ad-unit +##.leaderboard-ad-wrapper ##.leaderboard-adblock ##.leaderboard-ads +##.leaderboard-ads-text ##.leaderboard-advert ##.leaderboard-advertisement +##.leaderboard-main-ad +##.leaderboard-top-ad +##.leaderboard-top-ad-wrapper +##.leaderboard.advert +##.leaderboard1AdWrapper ##.leaderboardAd -##.leaderboardAdContainer -##.leaderboardAdContainerInner +##.leaderboardAdWrapper ##.leaderboardFooter_ad -##.leaderboard_ad +##.leaderboardRectAdWrapper ##.leaderboard_ad_container -##.leaderboard_ad_top_responsive ##.leaderboard_ad_unit -##.leaderboard_ad_unit_groups ##.leaderboard_ads +##.leaderboard_adsense ##.leaderboard_adv ##.leaderboard_banner_ad -##.leaderboard_text_ad_container ##.leaderboardad ##.leaderboardadmiddle ##.leaderboardadtop ##.leaderboardadwrap -##.leadgenads +##.lee-track-ilad ##.left-ad -##.left-ad180 ##.left-ads ##.left-advert -##.left-column-rectangular-ad -##.left-column-virtical-ad ##.left-rail-ad -##.left-rail-ad__wrapper -##.left-rail-horizontal-ads -##.left-sidebar-box-ads ##.left-sponser-ad -##.left-takeover-ad -##.left-takeover-ad-sticky -##.left120X600AdHeaderText ##.leftAd ##.leftAdColumn ##.leftAdContainer -##.leftAd_bottom_fmt -##.leftAd_top_fmt ##.leftAds +##.leftAdsEnabled ##.leftAdsFix -##.leftAdsFix1 +##.leftAdvDiv ##.leftAdvert ##.leftCol_advert ##.leftColumnAd -##.leftPaneAd ##.left_300_ad ##.left_ad ##.left_ad_160 @@ -24945,16 +12222,13 @@ _popunder+$popup ##.left_adlink ##.left_ads ##.left_adsense -##.left_adv ##.left_advertisement_block ##.left_col_ad -##.left_col_adv ##.left_google_add -##.left_sidebar_wide_ad ##.leftad ##.leftadd ##.leftadtag -##.leftbar_ad_160_600 +##.leftbar_ad2 ##.leftbarads ##.leftbottomads ##.leftnavad @@ -24962,289 +12236,189 @@ _popunder+$popup ##.leftsidebar_ad ##.lefttopad1 ##.legacy-ads -##.legal-ad-choice-icon -##.lextraleftmoreads +##.lft_advt_container ##.lg-ads-160x90 -##.lg-ads-311x300-down -##.lg-ads-311x300-up ##.lg-ads-311x500 ##.lg-ads-635x100 -##.lgRecAd -##.lg_ad -##.liboxads +##.lg-ads-skin-container ##.ligatus ##.lightad ##.lijit-ad -##.lineList_ad ##.linead -##.linelist-item-ad ##.linkAD +##.linkAds ##.link_ad -##.link_adslider -##.link_advertise ##.linkads -##.linkedin-sponsor -##.links_google_adx ##.list-ad +##.list-adbox ##.list-ads ##.list-feature-ad -##.listAdvertGenerator +##.list-footer-ad ##.listad -##.listicle--ad-rail -##.listing-content-ad-container -##.listing-inline-ad +##.listicle-instream-ad-holder ##.listing-item-ad ##.listingAd -##.listing__ads--right -##.listings-ad-block -##.listings-bottom-ad-w ##.listings_ad -##.literatumAd -##.little_vid_ads -##.live-search-list-ad-container -##.live_tv_sponsorship_ad -##.liveads -##.liveblog__highlights__ad -##.livingsocial-ad -##.ljad -##.llsAdContainer -##.lnad -##.loadadlater +##.lite-page-ad +##.live-ad +##.lng-ad ##.local-ads ##.localad ##.location-ad ##.log_ads ##.logged_out_ad ##.logo-ad -##.logoAd-hanging ##.logoAds ##.logo_AdChoices ##.logoad ##.logoutAd ##.logoutAdContainer +##.long-ads ##.longAd ##.longAdBox ##.longAds -##.longBannerAd ##.long_ad ##.longform-ad ##.loop-ad -##.loop_google_ad -##.lottery-ad-container ##.lower-ad ##.lower-ads ##.lowerAd ##.lowerAds -##.lowerContentBannerAd -##.lowerContentBannerAdInner ##.lower_ad -##.lp_az_billboard__via_content_header_ad_ -##.lpt_adsense_bottom_content -##.lqm-ads -##.lqm_ad ##.lr-ad +##.lr-pack-ad ##.lr_skyad -##.lsn-yahooAdBlock -##.lt_ad -##.lt_ad_call -##.luma-ad -##.luxeAd -##.lx_ad_title -##.lyad +##.lrec-container +##.lst_ads ##.lyrics-inner-ad-wrap ##.m-ContentAd ##.m-ad -##.m-ad--open +##.m-ad-brick ##.m-ad-region -##.m-ad-region-leaderboard -##.m-ad-tvguide-box +##.m-ad-unit +##.m-ad__wrapper +##.m-adaptive-ad-component ##.m-advert ##.m-advertisement ##.m-advertisement--container +##.m-balloon-header--ad ##.m-block-ad +##.m-content-advert +##.m-content-advert-wrap ##.m-dfp-ad-text -##.m-gallery-overlay--ad-top ##.m-header-ad -##.m-header-ad--slot ##.m-in-content-ad -##.m-in-content-ad--slot ##.m-in-content-ad-row -##.m-in-content-ad-row--bonus -##.m-layout-advertisement -##.m-mem--ad -##.m-sidebar-ad -##.m-sidebar-ad--slot +##.m-jac-ad ##.m-sponsored -##.m4-adsbygoogle -##.mTopAd +##.m1-header-ad +##.m2n-ads-slot +##.m_ad ##.m_ad1 ##.m_ad300 ##.m_banner_ads ##.macAd ##.macad ##.mad_adcontainer -##.madison_ad ##.magAd ##.magad -##.magazine_box_ad -##.mailAdElem ##.main-ad +##.main-ad-container +##.main-ad-gallery +##.main-add-sec ##.main-ads ##.main-advert ##.main-advertising ##.main-column-ad ##.main-footer-ad -##.main-google-ad-container +##.main-header-ad +##.main-header__ad-wrapper ##.main-right-ads -##.main-tabs-ad-block -##.main-top-ad-container ##.mainAd ##.mainAdContainer ##.mainAds -##.mainEcoAd ##.mainLeftAd ##.mainLinkAd ##.mainRightAd ##.main_ad -##.main_ad_adzone_5_ad_0 -##.main_ad_adzone_6_ad_0 -##.main_ad_adzone_7_ad_0 -##.main_ad_adzone_7_ad_1 -##.main_ad_adzone_8_ad_0 -##.main_ad_adzone_8_ad_1 -##.main_ad_adzone_9_ad_0 -##.main_ad_adzone_9_ad_1 -##.main_ad_bg -##.main_ad_bg_div -##.main_ad_container ##.main_adbox ##.main_ads ##.main_adv -##.main_advert_section -##.main_intro_ad -##.main_right_ad -##.main_wrapper_upper_ad_area -##.mainadWrapper -##.mainadbox -##.mango_ads ##.mantis-ad -##.mantis__recommended__item--external -##.mantis__recommended__item--sponsored +##.mantisadd ##.manual-ad -##.mapAdvertising -##.map_google_ad -##.map_media_banner_ad +##.map-ad ##.mapped-ad +##.mar-block-ad +##.mar-leaderboard--bottom +##.margin-advertisement ##.margin0-ads -##.marginadsthin ##.marginalContentAdvertAddition -##.market-ad -##.market-ad-small ##.marketing-ad ##.marketplace-ad ##.marketplaceAd -##.marketplaceAdShell -##.markplace-ads ##.marquee-ad +##.masonry-tile-ad ##.masonry__ad ##.master_post_advert ##.masthead-ad -##.masthead-ad-control ##.masthead-ads ##.mastheadAds -##.masthead_ad_banner -##.masthead_ads_new -##.masthead_topad -##.matador_sidebar_ad_600 +##.masthead__ad ##.match-ad -##.match-results-cards-ad ##.mb-advert +##.mb-advert__incontent ##.mb-advert__leaderboard--large ##.mb-advert__mpu ##.mb-advert__tweeny ##.mb-block--advert-side ##.mb-list-ad -##.mc-ad-chrome -##.mcx-content-ad -##.md-adv +##.mc_floating_ad +##.mc_text_ads_box ##.md-advertisement -##.mdl-ad -##.mdl-quigo -##.me-rtm -##.medColModAd -##.medRecContainer ##.medRect -##.med_ad_box -##.media--ad -##.media-ad-rect -##.media-advert -##.media-network-ad -##.media-temple-ad-wrapper-link +##.media-viewer__ads-container ##.mediaAd ##.mediaAdContainer -##.mediaResult_sponsoredSearch -##.media_ad -##.mediamotive-ad -##.medianet-ad -##.medium-google-ad-container ##.medium-rectangle-ad -##.medium-rectangle-advertisement ##.medium-top-ad +##.mediumRectAdWrapper ##.mediumRectagleAd ##.mediumRectangleAd ##.mediumRectangleAdvert ##.medium_ad -##.medium_rectangle_ad_container ##.mediumad -##.medo-ad-section -##.medo-ad-wideskyscraper ##.medrec-ad ##.medrect-ad ##.medrect-ad2 ##.medrectAd ##.medrect_ad -##.medrectadv4 -##.mee-ad-detail-billboard +##.mega-ad ##.member-ads -##.memberAdsContainer -##.member_ad_banner -##.meme_adwrap -##.memrise_ad ##.menu-ad ##.menuAd -##.menuAds-cage -##.menuItemBannerAd -##.menuad -##.menueadimg -##.merchantAdsBoxColRight -##.merkai_ads_wid -##.mess_div_adv -##.messageBoardAd ##.message_ads -##.metaRedirectWrapperBottomAds -##.metaRedirectWrapperTopAds +##.meta-ad ##.meta_ad -##.metaboxType-sponsor -##.mf-ad300-container +##.metabet-adtile +##.meteored-ads +##.mf-adsense-leaderboard +##.mf-adsense-rightrail ##.mg_box_ads ##.mgid-wrapper -##.micro_ad +##.mgid_3x2 ##.mid-ad-wrapper +##.mid-ads ##.mid-advert -##.mid-page-2-advert +##.mid-article-banner-ad ##.mid-post-ad ##.mid-section-ad ##.midAd ##.midAdv-cont ##.midAdv-cont2 -##.mid_4_ads +##.midAdvert ##.mid_ad -##.mid_article_ad_label ##.mid_banner_ad -##.mid_page_ad -##.mid_page_ad_big -##.mid_right_ads -##.mid_right_inner_id_ad ##.midad ##.midarticlead ##.middle-ad @@ -25255,6 +12429,7 @@ _popunder+$popup ##.middleAdLeft ##.middleAdMid ##.middleAdRight +##.middleAdWrapper ##.middleAds ##.middleBannerAd ##.middle_AD @@ -25264,89 +12439,68 @@ _popunder+$popup ##.middlead ##.middleadouter ##.midpost-ad +##.min-height-ad ##.min_navi_ad ##.mini-ad ##.mini-ads -##.miniHeaderAd ##.mini_ads -##.mini_ads_bottom -##.mini_ads_right ##.miniad ##.miniads ##.misc-ad ##.misc-ad-label ##.miscAd -##.mit-adv-comingsoon +##.mj-floating-ad-wrapper ##.mks_ads_widget -##.ml-advert -##.ml-adverts-sidebar-1 -##.ml-adverts-sidebar-2 -##.ml-adverts-sidebar-4 -##.ml-adverts-sidebar-bottom-1 -##.ml-adverts-sidebar-bottom-2 -##.ml-adverts-sidebar-bottom-3 -##.ml-adverts-sidebar-random -##.mlaAd -##.mm-ad-mpu ##.mm-ad-sponsored -##.mm-banner970-90-ad +##.mm-ads-adhesive-ad +##.mm-ads-gpt-adunit +##.mm-ads-leaderboard-header +##.mm-banner970-ad ##.mmads -##.mmc-ad -##.mmc-ad-wrap-2 -##.mmcAd_Iframe -##.mnopolarisAd ##.mntl-gpt-adunit -##.mo_googlead +##.mntl-sc-block-adslot +##.moads-top-banner ##.moads-widget +##.mob-ad-break-text ##.mob-adspace +##.mob-hero-banner-ad-wrap +##.mob_ads ##.mobads ##.mobile-ad ##.mobile-ad-container +##.mobile-ad-negative-space +##.mobile-ad-placeholder +##.mobile-ad-slider +##.mobile-ads +##.mobile-fixed-ad +##.mobile-instream-ad-holder ##.mobile-instream-ad-holder-single -##.mobile-related-ad +##.mobileAd ##.mobileAdWrap -##.mobileAdvertInStreamHighlightText ##.mobileAppAd +##.mobile_ad_banner ##.mobile_ad_container -##.mobile_article_ad2 ##.mobile_featuredad -##.mobile_featuredad_article -##.mobile_index_ad +##.mobile_leaderboard_ad ##.mobileadbig +##.mobileadunit ##.mobilesideadverts ##.mod-ad -##.mod-ad-1 -##.mod-ad-2 -##.mod-ad-300x250 -##.mod-ad-600 -##.mod-ad-box -##.mod-ad-google-afc -##.mod-ad-lrec -##.mod-ad-n -##.mod-ad-risingstar ##.mod-adblock -##.mod-adcpc -##.mod-adopenx ##.mod-ads -##.mod-big-ad-switch -##.mod-big-banner-ad ##.mod-google-ads -##.mod-google-ads-container -##.mod-home-mid-advertisement ##.mod-horizontal-ad ##.mod-sponsored-links -##.mod-trbad -##.mod-tss-ads-wrapper ##.mod-vertical-ad ##.mod_ad -##.mod_ad_imu -##.mod_ad_t25 +##.mod_ad_container ##.mod_ad_text ##.mod_ad_top ##.mod_admodule ##.mod_ads ##.mod_advert ##.mod_index_ad +##.mod_js_ad ##.mod_openads ##.mod_r_ad ##.mod_r_ad1 @@ -25357,6 +12511,7 @@ _popunder+$popup ##.module-ads ##.module-advert ##.module-advertisement +##.module-box-ads ##.module-image-ad ##.module-rectangleads ##.module-sponsored-ads @@ -25366,6 +12521,7 @@ _popunder+$popup ##.moduleAdvert ##.moduleAdvertContent ##.moduleBannerAd +##.module__ad-wide ##.module_ad ##.module_ad_disclaimer ##.module_box_ad @@ -25380,7 +12536,6 @@ _popunder+$popup ##.moduletable-googleads ##.moduletable-rectangleads ##.moduletable_ad-right -##.moduletable_ad160x600_center ##.moduletable_ad300x250 ##.moduletable_adtop ##.moduletable_advertisement @@ -25389,33 +12544,28 @@ _popunder+$popup ##.moduletableexclusive-ads ##.moduletablesquaread ##.moduletabletowerad -##.modulo-publicidade ##.mom-ad -##.momizat-ads ##.moneyball-ad -##.monitor-g-ad-300 -##.monitor-g-ad-468 ##.monsterad -##.more-content-and-ads -##.moreAdBlock -##.morestarcontentandads ##.mos-ad ##.mosaicAd -##.mostpop_sponsored_ad ##.motherboard-ad +##.movable-ad +##.movv-ad ##.mp-ad ##.mpsponsor ##.mpu-ad ##.mpu-ad-con +##.mpu-ad-river ##.mpu-ad-top ##.mpu-advert ##.mpu-c -##.mpu-container-blank ##.mpu-footer ##.mpu-fp ##.mpu-holder ##.mpu-leaderboard ##.mpu-left +##.mpu-left-bk ##.mpu-mediatv ##.mpu-right ##.mpu-title @@ -25425,635 +12575,396 @@ _popunder+$popup ##.mpu-unit ##.mpu-wrap ##.mpu-wrapper -##.mpu01 -##.mpu250 -##.mpu600 ##.mpuAd ##.mpuAdArea ##.mpuAdSlot ##.mpuAdvert ##.mpuArea +##.mpuBlock ##.mpuBox ##.mpuContainer -##.mpuMiddle -##.mpuTextAd ##.mpu_Ad ##.mpu_ad ##.mpu_advert -##.mpu_advertisement_border ##.mpu_container -##.mpu_gold ##.mpu_holder ##.mpu_placeholder -##.mpu_platinum ##.mpu_side -##.mpu_text_ad +##.mpu_wrapper ##.mpuad ##.mpuads -##.mpuholderportalpage -##.mr-dfp-ad +##.mr1_adwrap +##.mr2_adwrap +##.mr3_adwrap +##.mr4_adwrap +##.mrec-ads +##.mrec-banners +##.mrecAds ##.mrec_advert -##.ms-ad-superbanner -##.ms-ads-link -##.ms_header_ad -##.msat-adspace -##.msfg-shopping-mpu +##.mrf-adv +##.mrf-adv__wrapper ##.msg-ad ##.msgad -##.mslo-ad -##.mslo-ad-300x250 -##.mslo-ad-728x66 -##.mslo-ad-holder -##.msnChannelAd -##.msn_ad_wrapper -##.mst_ad_top -##.msw-js-advert ##.mt-ad-container -##.mt-ads -##.mt-header-ads -##.mt_adv -##.mt_adv_v -##.mtv-adChoicesLogo -##.mtv-adv -##.multiad2 -##.multiadwrapper -##.multiple-ad-tiles -##.mvAd -##.mvAdHdr +##.mt_ad +##.mt_ads +##.mtop_adfit +##.mu-ad-container +##.mv_atf_ad_holder ##.mvp-ad-label ##.mvp-feat1-list-ad +##.mvp-flex-ad +##.mvp-post-ad-wrap ##.mvp-widget-ad ##.mvp-widget-feat2-side-ad ##.mvp_ad_widget -##.mvp_block_type_ad_module -##.mvw_onPageAd1 -##.mwaads -##.mx-box-ad -##.mxl_ad_inText_250 -##.my-ad250x300 +##.mw-ad ##.my-ads ##.myAds -##.myAdsBox ##.myAdsGroup -##.myTestAd -##.my_ad -##.myadmid -##.myimg-advert -##.mypicadsarea -##.myplate_ad -##.nSponsoredLcContent -##.nSponsoredLcTopic -##.n_ad -##.na-adcontainer -##.naMediaAd -##.nadvt300 +##.my__container__ad +##.n1ad-center-300 ##.narrow_ad_unit ##.narrow_ads +##.national_ad ##.nationalad ##.native-ad +##.native-ad-article ##.native-ad-container ##.native-ad-item -##.native-ad-link -##.native-ad-promoted-provider +##.native-ad-mode +##.native-ad-slot ##.native-adv ##.native-advts +##.native-leaderboard-ad ##.native-sidebar-ad +##.native.ad ##.nativeAd -##.nativeAd-sponsor-position -##.nativeMessageAd ##.native_ad +##.native_ad_inline +##.native_ad_wrap +##.native_ads ##.nativead -##.nativeadasideplaceholder -##.nativeads-unt -##.nativeadserversidecontentmodule -##.nature-ad ##.nav-ad +##.nav-ad-gpt-container +##.nav-ad-plus-leader ##.nav-adWrapper -##.nav-keywords__item--native-ad -##.navAdsBanner -##.navBads -##.nav__adbanner ##.nav_ad -##.nav_textads -##.navad -##.navadbox -##.navcommercial -##.navi_ad300 +##.navbar-ad-section +##.navbar-ads +##.navbar-header-ad ##.naviad -##.nba300Ad -##.nba728Ad -##.nbaAdNotice -##.nbaAroundAd2 -##.nbaT3Ad160 -##.nbaTVPodAd -##.nbaTextAds -##.nbaTwo130Ads -##.nbc_Adv -##.nbc_ad_carousel_wrp -##.nc-dealsaver-container -##.nc-exp-ad -##.nchadcont -##.nda-ad -##.nda-ad--leaderboard ##.ndmadkit ##.netPost_ad1 ##.netPost_ad3 ##.netads ##.netshelter-ad -##.network-ad-two -##.new-ad-box -##.new-ads-scroller -##.newArv_2nd_adv_blk ##.newHeaderAd -##.newPex_forumads -##.newTopAdContainer ##.new_ad1 +##.new_ad_left +##.new_ad_normal +##.new_ad_wrapper_all +##.new_ads_unit ##.newad ##.newad1 -##.newadsky-wrapper ##.news-ad -##.news-ad-block-a ##.news-ad-square-a ##.news-ad-square-box -##.news-place-ad-info -##.newsAd +##.news-ads-top +##.news-item--ad ##.news_ad_box -##.news_article_ad_google -##.news_article_ads -##.news_footer_ad_container -##.news_imgad +##.news_vibrant_ads_banner ##.newsad ##.newsblock-ads ##.newsfeed_adunit -##.newsletter_ad -##.newsstackedAds -##.newstream_ad -##.newsviewAdBoxInNews -##.newsvinemsn_adtype -##.nexusad -##.nf-adbox +##.newspack_global_ad +##.nfy-ad +##.nfy-ad-teaser +##.nfy-ad-tile +##.nfy-ad-wrapper +##.nfy-cobo-ad +##.nfy-col-ad ##.ng-ad-banner -##.ng-ad-container-300-250 -##.ngs-adv-async -##.ninemsn-footer-ad -##.ninth-box-ad -##.nivo-ad-container -##.nl2ads -##.nn-mpu -##.no1postadvert -##.noAdForLead -##.noTitleAdBox +##.ng-ad-insert +##.nm-ad +##.nn_mobile_mpu_wrapper ##.node-ad -##.node-content-ad -##.node-left-ad-under-img ##.node_ad_wrapper -##.nomobilead -##.non-empty-ad -##.nonsponserIABAdBottom ##.normalAds +##.normal_ads ##.normalad ##.northad ##.not-an-ad-header ##.note-advertisement -##.noticeAd_pc_wrap +##.np-ad +##.np-ad-background +##.np-ad-border +##.np-ads-wrapper +##.np-adv-container +##.np-advert_apu +##.np-advert_apu-double +##.np-advert_info ##.np-header-ad +##.np-header-ads-area ##.np-right-ad -##.npAdGoogle -##.npSponsorTextAd ##.nrAds -##.nr_partners -##.nrelate .nr_partner ##.nsAdRow -##.nscr300Ad -##.nscrMidAdBlock -##.nscrT1AdBlock -##.ntnlad +##.nts-ad ##.ntv-ad -##.ntv-rail-ad -##.nu2ad ##.nuffnangad -##.nui-ad-layout +##.nuk-ad-placeholder +##.nv-ads-wrapper ##.nw-ad -##.nw-ad-468x60 ##.nw-ad-label -##.nw-taboola +##.nw-c-leaderboard-ad ##.nw-top-ad -##.nzs-ads +##.nw_adv_square +##.nx-billboard-ad +##.nx-placeholder-ad +##.o-ad ##.o-ad-banner-top ##.o-ad-container -##.o-ads -##.o-ads--center ##.o-advert ##.o-listing__ad -##.o-story-content__ad +##.o-site-header__advert ##.oad-ad ##.oas-ad -##.oas-bottom-ads +##.oas-container ##.oas-leaderboard-ads -##.oasInAds ##.oas_ad ##.oas_add ##.oas_advertisement -##.oas_desktop_banner -##.oas_sidebar_v7 -##.oas_x20 -##.oas_x21 -##.oas_x70 ##.oasad ##.oasads ##.ob_ads_header ##.ob_container .item-container-obpd ##.ob_dual_right > .ob_ads_header ~ .odb_div -##.ob_nm_paid -##.oba_message -##.ocp-sponsor -##.odc-nav-ad -##.ody-sponsor -##.offer-ad -##.offer_sponsoredlinks +##.offads +##.oi-add-block ##.oi-header-ad -##.oi_horz_ad_container ##.oio-banner-zone ##.oio-link-sidebar ##.oio-openslots ##.oio-zone-position -##.old-advertorial-block -##.omnitureAdImpression -##.on-demand-ad -##.onAd +##.oko-adhesion ##.on_player_ads -##.on_single_ad_box -##.one-ad ##.oneColumnAd -##.onethirdadholder -##.onf-ad -##.onsite-ads-728w -##.opaAd -##.open-ad-container-mobile -##.openads -##.openadstext_after -##.openx -##.openx-ad -##.openx_10 -##.openx_11 -##.openx_15 -##.openx_16 -##.openx_17 -##.openx_3 -##.openx_4 -##.openx_ad -##.openx_frame -##.openxbuttons -##.optional-ad -##.os-advertisement -##.os-header-ad -##.osan-ads -##.other-posts-ads -##.other_adv2 -##.otherheader_ad -##.otj_adspot -##.outbrain_ad_li -##.outbrain_dual_ad_whats_class -##.outbrain_ul_ad_top +##.onet-ad +##.online-ad-container +##.opd_adsticky +##.otd-ad-top ##.outer-ad-container +##.outer-ad-unit-wrapper ##.outerAdWrapper -##.outerAd_300x250_1 -##.outeradcontainer -##.outermainadtd1 -##.outgameadbox +##.outerAds +##.outer_ad_container ##.outside_ad -##.outstream-ad-outer-wrapper -##.ovAdLabel -##.ovAdPromo -##.ovAdSky -##.ovAdartikel -##.ov_spns -##.ovadsenselabel +##.outsider-ad +##.ov-ad-slot ##.overflow-ad ##.overlay-ad ##.overlay-ad-container ##.overlay-ads +##.overlay-box-ad ##.overlay_ad -##.ox-holder -##.ox_ad -##.ozadtop -##.ozadtop3 ##.p-ad +##.p-ad-block +##.p-ad-dfp-banner +##.p-ad-dfp-middle-rec +##.p-ad-feature-pr ##.p-ad-outbreak ##.p-ad-rectangle -##.p-post-ad -##.p2_right_ad +##.p-ad-thumbnail-txt +##.p-ads-billboard +##.p-ads-rec +##.p-post-ad:not(html):not(body) ##.p75_sidebar_ads -##.pAdsBlock2 ##.p_adv ##.p_topad -##.pa_ads_label +##.package_adBox ##.padAdvx -##.padd-adv -##.paddingBotAd -##.pads2 -##.pads_bulk_widget ##.padvertlabel ##.page-ad -##.page-ad-container ##.page-ads ##.page-advert +##.page-advertisement +##.page-bottom-fixed-ads ##.page-box-ad +##.page-break-ad ##.page-footer-ad ##.page-header-ad -##.page-pencil-ad-container-bottom +##.page-header_ad +##.page-top-ads +##.pageAd +##.pageAdSkin ##.pageAdSkinUrl ##.pageAds -##.pageBottomGoogleAd ##.pageFooterAd ##.pageGoogleAd -##.pageGoogleAdFlat -##.pageGoogleAdSubcontent ##.pageGoogleAds -##.pageGoogleAdsContainer ##.pageHeaderAd ##.pageHeaderAds -##.pageLeaderAd -##.pageSkinAds ##.pageTopAd +##.page__top-ad-wrapper ##.page_ad -##.page_content_right_ad ##.pagead -##.pagebuilder_ad -##.pageclwideadv -##.pagefair-acceptable -##.pagenavindexcontentad -##.pair_ads -##.pan-ad-inline -##.pan-ad-inline1 -##.pan-ad-inline2 -##.pan-ad-inline3 -##.pan-ad-sidebar-top -##.pan-ad-sidebar1 -##.pan-ad-sidebar2 -##.pane-ad-ads-all -##.pane-ad-block -##.pane-ad-manager-bottom-right-rail-circ -##.pane-ad-manager-middle -##.pane-ad-manager-middle1 -##.pane-ad-manager-right -##.pane-ad-manager-right1 -##.pane-ad-manager-right2 -##.pane-ad-manager-right3 -##.pane-ad-manager-shot-business-circ -##.pane-ad-manager-subscribe-now -##.pane-adonews-ad +##.pagepusheradATF +##.pages__ad +##.pane-ad-pane ##.pane-ads -##.pane-adv-manager -##.pane-advertorials-homepage-advertorial-rotator -##.pane-bzads-bzadwrapper-120x60-partner -##.pane-bzads-fintech-300x250 -##.pane-dart-dart-tag-gfc-ad-rail-3 -##.pane-dfp-dfp-ad-atf-728x90 -##.pane-frontpage-ad-banner -##.pane-frontpage-ad-banner-hk -##.pane-kl-global-middle-ad -##.pane-mp-advertisement-rectangle -##.pane-openx +##.pane-sasia-ad ##.pane-site-ads ##.pane-sponsored-links -##.pane-textlinkads-26 -##.pane-tgx-ad -##.pane-tw-ad-master-ad-300x250a -##.pane-tw-ad-master-ad-300x600 -##.pane-tw-adjuggler-tw-adjuggler-half-page-ad -##.pane-two-column-ads ##.pane_ad_wide ##.panel-ad -##.panel-ad-mr +##.panel-adsense ##.panel-advert -##.panel-body-adsense -##.panel__column--vc-advert -##.panel__row--with-vc-advert +##.panel.ad ##.panel_ad ##.paneladvert -##.panoramic_ad_placeholder -##.paragraphs-item-advertisement -##.paralaxBackgorundAdwords +##.par-ad +##.par-adv-slot +##.parade-ad-container +##.parent-ad-desktop ##.partial-ad ##.partner-ad -##.partner-ads-container -##.partner-adsonar -##.partner-overlay-top-ad +##.partner-ad-module-wrapper +##.partner-ads-list ##.partnerAd -##.partnerAdTable ##.partner_ads ##.partnerad_container ##.partnersTextLinks -##.paszone_container -##.patronad -##.pb-ad -##.pb-ad-curated -##.pb-f-ad-flex -##.pb-f-ad-leaderboard -##.pb-f-ads-ad -##.pb-f-ads-dfp-big-box-300x250 -##.pb-f-ads-dfp-box-300x450 -##.pb-f-ads-dfp-halfpage-300x600 -##.pb-f-ads-dfp-leaderboard-728x90 -##.pb-f-ads-taboola-article-well -##.pb-f-ads-taboola-right-rail-alt -##.pb-f-advert-dfp-double-mpu -##.pb-mod-ad-flex -##.pb-mod-ad-leaderboard +##.pauseAdPlacement +##.pb-slot-container ##.pc-ad ##.pcads_widget ##.pd-ads-mpu -##.pdpads_desktop -##.peg_ad +##.pdpads ##.penci-ad-box ##.penci-ad-image +##.penci-ad_box +##.penci-adsense-below-slider +##.penci-google-adsense ##.penci-google-adsense-1 -##.penci-google-adsense-2 -##.penci_list_banner_widget +##.penci-promo-link +##.penci_list_bannner_widget ##.pencil-ad ##.pencil-ad-container +##.pencil-ad-section ##.pencil_ad -##.performancingads_region +##.perm_ad ##.pf_content_ad ##.pf_sky_ad ##.pf_top_ad -##.pfimgAds ##.pg-ad-block ##.pg-adnotice ##.pg-adtarget -##.pgAdSection_Home_MasterSponsers ##.pgevoke-fp-bodyad2 -##.pgevoke-parentsection-Sponsored-Content ##.pgevoke-story-rightrail-ad1 ##.pgevoke-story-topads +##.pgevoke-topads ##.ph-ad -##.ph-ad-desktop -##.ph-ad-mediumrectangle ##.photo-ad -##.photo-news-list-advertisement +##.photo-ad-pad ##.photoAd ##.photoad -##.photobox-adbox -##.pics_detail_ad -##.pics_footer_ad -##.picto_ad -##.pin-ad -##.pixtrack-adcode -##.pj-ad -##.pkad -##.pkgTemplateAdWrapper -##.pl__superad -##.pl_adv1 -##.pl_adv1_t -##.pl_adv1_wr -##.pl_adv1_wr2 -##.pla_ad -##.place-ads +##.phpads_container +##.phpbb-ads-center +##.pix_adzone ##.placeholder-ad +##.placeholder-dfp ##.placeholderAd +##.plain-ad ##.plainAd -##.play-page-ads -##.playAds1 -##.playAds2 ##.player-ad ##.player-ad-overlay ##.player-ads ##.player-ads2 -##.player-leaderboard-ad-wrapper +##.player-section__ads-banners ##.player-under-ad ##.playerAd ##.playerAdv ##.player_ad ##.player_ad2 ##.player_ad_box -##.player_hide_ad -##.player_hover_ad -##.player_page_ad_box -##.playlist-row-ad -##.plistaList > .itemLinkPET -##.plistaList > .plista_widget_underArticle_item[data-type="pet"] -##.plista_inimg_box -##.plista_widget_belowArticleRelaunch_item[data-type="pet"] -##.plista_widget_i300x250 -##.plista_widget_retrescoAd_1 -##.plista_widget_retrescoAd_2 +##.playerad +##.playerdads ##.plugin-ad +##.plugin-ad-container ##.pm-ad +##.pm-ad-unit ##.pm-ad-zone +##.pm-ads-banner +##.pm-ads-inplayer ##.pm-banner-ad -##.pmad-in2 -##.pmg-sponsoredlinks -##.pn-ad -##.pn_dfpads -##.pnp_ad -##.poac_ads_text -##.pod-ad -##.pod-ad-300 -##.pod-ad-box -##.podRelatedAdLinksWidget -##.podSponsoredLink -##.poll_sponsor_ad -##.pop-up-ad -##.popAdContainer -##.popadtext -##.popunder-adv -##.popup-ad -##.popupAd -##.popupAdOuter -##.popupAdWrapper -##.popup_ad -##.portal-advert -##.portalCenterContentAdBottom -##.portalCenterContentAdMiddle -##.portalCenterContentAdTop -##.portal_searchresultssponsoredlist -##.portalcontentad -##.pos_advert +##.pmc-adm-boomerang-pub-div +##.polar-ad +##.polaris-ad--wrapper-desktop +##.polarisMarketing +##.polaris__ad +##.polaris__below-header-ad-wrapper +##.position-ads ##.post-ad +##.post-ad-title +##.post-ad-top +##.post-ad-type ##.post-ads +##.post-ads-top ##.post-adsense-bottom ##.post-advert ##.post-advert-row ##.post-advertisement -##.post-advertisement-section -##.post-full-ad -##.post-full-ad-wrapper -##.post-googlead ##.post-load-ad -##.post-nativeadcarousel -##.post-pick-ad +##.post-news-ad +##.post-sidebar-ad ##.post-sponsored -##.post-zergnet-wrap ##.postAd ##.postWideAd -##.post__ad -##.post__article-top-ad-wrapper -##.post__body-ad-center -##.post__inarticle-ad-template -##.post__sidebar__ad ##.post_ad ##.post_ads ##.post_advert -##.post_seperator_ad -##.post_sponsor_unit +##.post_detail_right_advert ##.post_sponsored ##.postad ##.postads -##.postadsense -##.postbit_ad_block -##.postbit_adbit_register -##.postbit_adcode -##.postbit_adcode_old -##.postbody_ads -##.poster-ad-asset-module +##.postbit-ad ##.poster_ad -##.postfooterad -##.postgroup-ads -##.postgroup-ads-middle -##.power_by_sponsor -##.pp_ads_global_before_menu +##.posts-ad +##.pp-ad-container +##.pp_ad_code_adtxt ##.ppb_ads -##.ppp_interior_ad -##.ppr_priv_sponsored_coupon_listing -##.pq-ad -##.pr-ad-tower -##.pr-widget -##.pre-roll-ad -##.pre-title-ad -##.prebodyads +##.ppr_priv_footer_banner_ad_billboard +##.ppr_priv_header_banner_ad +##.ppr_priv_horizon_ad +##.pr_adslot_0 +##.pr_adslot_1 +##.preheader_advert ##.premium-ad ##.premium-ads ##.premium-adv -##.premiumAdOverlay -##.premiumAdOverlayClose -##.premiumInHouseAd -##.premium_ad_container -##.premiumad -##.preview-ad -##.pricead-border +##.premium-mpu-container +##.priad +##.priad-1 ##.primary-ad +##.primary-ad-widget ##.primary-advertisment -##.primary_sidebar_ad +##.primis-player-container +##.primis-video +##.primis-wrapper +##.print-ad-wrapper +##.print-adslot ##.printAds -##.pro_ad_adzone -##.pro_ad_system_ad_container -##.pro_ad_zone -##.prod_grid_ad +##.product-ad ##.product-ads -##.product-bar-ads ##.product-inlist-ad ##.profile-ad-container +##.profile-ads-container ##.profile__ad-wrapper ##.profile_ad_bottom ##.profile_ad_top +##.programtic-ads ##.promo-ad -##.promo-box--ad -##.promo-box--leaderboard-ad -##.promo-class-brand-getprice ##.promo-mpu -##.promo-news__adv -##.promo-topper__ad ##.promoAd ##.promoAds ##.promoAdvertising @@ -26062,113 +12973,66 @@ _popunder+$popup ##.promo_border ##.promoad ##.promoboxAd -##.promoted-outbrain ##.promoted_content_ad +##.promotionAdContainer ##.promotionTextAd -##.promotional-feature-ads -##.proof_ad -##.propel-ad +##.proper-ad-insert ##.proper-ad-unit -##.prw_sponsoredListings_hotels_simple_sponsored_listing -##.prw_sponsoredListings_restaurants_tripads_coverpage -##.prw_sponsoredListings_restaurants_tripads_slot0 ##.ps-ad -##.ps-ligatus_placeholder +##.pt-ad--container +##.pt-ad--scroll ##.pt_ad03 ##.pt_col_ad02 -##.pubDesk -##.pub_300x250 -##.pub_300x250m -##.pub_728x90 -##.publiboxright300 +##.pub_ads ##.publication-ad -##.publicidadSuperior ##.publicidad_horizontal ##.publicidade -##.publicidade-dotted -##.publicidade-full-banner -##.publicidade-vertical-layout -##.publicity-box +##.publisher_ad +##.pubtech-adv-slot ##.puff-ad ##.puff-advertorials ##.pull-ad ##.pull_top_ad ##.pullad -##.pulse360ad -##.pulsir-ad -##.puppyAd ##.purchad ##.push--ad ##.push-ad -##.push-item--advertisement +##.push-adv ##.pushDownAd ##.pushdown-ad ##.pushdownAd -##.pw_wb_ad_300x250 -##.pwgAdWidget -##.pxz-ad-widget -##.pxz-taskbar-anchor -##.pyv-afc-ads-container -##.qa_ad_left -##.qm-ad -##.qm-ad-content -##.qm-ad-content-news -##.quads-ad1_widget -##.quads-ad2 -##.quads-ad2_widget.first -##.quads-ad4 +##.pwa-ad +##.pz-ad-box +##.quads-ad-label +##.quads-bg-ad ##.quads-location -##.question_page_ad ##.queue_ad -##.quick-adsense-up -##.quick-tz-ad -##.quicklinks-ad +##.queued-ad ##.quigo ##.quigo-ad -##.quigoAdCenter -##.quigoAdRight -##.quigoMod ##.quigoads -##.quotead -##.qzvAdDiv ##.r-ad -##.r7ad +##.r-pause-ad-container +##.r89-outstream-video ##.r_ad -##.r_ad_1 -##.r_ad_box -##.r_adbx_top ##.r_ads -##.r_col_add -##.rad_container -##.radium-ad-spot -##.radium-builder-widget-ad-spot -##.rads_banner -##.raff_ad ##.rail-ad +##.rail-ads-1 ##.rail-article-sponsored ##.rail__ad -##.rail__mps-ad ##.rail_ad ##.railad ##.railadspace -##.ramsay-advert -##.rbFooterSponsors -##.rbRectAd -##.rc_ad_300x100 -##.rc_ad_300x250 -##.rd_header_ads -##.rdio-homepage-widget -##.re-Ads-l -##.readerads -##.readermodeAd -##.realtor-ad -##.rebel-ad-unit-header +##.ray-floating-ads-container +##.rc-sponsored +##.rcom-freestar-ads-widget +##.re-AdTop1Container +##.ready-ad ##.rec_ad -##.recent-post-widget-ad +##.recent-ad ##.recentAds ##.recent_ad_holder -##.recommend-ad-one -##.recommend-ad-two +##.recipeFeatureAd ##.rect-ad ##.rect-ad-1 ##.rectAd300 @@ -26185,159 +13049,118 @@ _popunder+$popup ##.rectangle_ad ##.rectanglead ##.rectangleads -##.red-adv -##.redads_cont -##.reedwan_adds300x250_widget -##.referrerDetailAd ##.refreshAds -##.refreshable_ad +##.region-ad-bottom-leaderboard +##.region-ad-pan ##.region-ad-right ##.region-ad-top ##.region-ads -##.region-ads-1 +##.region-ads-content-top ##.region-banner-ad -##.region-dfp-ad-content-bottom -##.region-dfp-ad-content-top ##.region-dfp-ad-footer ##.region-dfp-ad-header -##.region-footer-ad-full ##.region-header-ad ##.region-header-ads -##.region-interstitial-ads -##.region-leader-ad-bottom -##.region-leader-ad-top -##.region-middle-ad -##.region-regions-ad-top -##.region-regions-ad-top-inner ##.region-top-ad -##.region-top-ad-position -##.region-top-advertisement -##.region-widget-ad-top-0 -##.regular_728_ad +##.region-top-ad-block +##.regular-ads ##.regularad +##.rekl-left +##.rekl-right +##.rekl-top +##.rekl_left +##.rekl_right +##.rekl_top +##.rekl_top_wrapper ##.reklam ##.reklam-block +##.reklam-kare +##.reklam-masthead ##.reklam2 ##.reklam728 -##.reklam_mgid -##.reklam_mgid1 ##.reklama -##.reklama-c -##.reklama-content-1 -##.reklama-content-2 ##.reklama-vert ##.reklama1 -##.reklame-right-col ##.reklame-wrapper ##.reklamka -##.rel_ad_box ##.related-ad ##.related-ads -##.related-al-ads -##.related-al-content-w150-ads -##.related-content-story__stories--sponsored-1 -##.related-content-story__stories--sponsored-2 -##.related-content-story__stories--sponsored-3 -##.related-guide-adsense ##.relatedAds -##.relatedContentAd -##.related_post_google_ad -##.relatesearchad -##.remads +##.related_ad ##.remnant_ad ##.remove-ads -##.removeAdsLink -##.removeAdsStyle -##.reportAdLink +##.remove-ads-link +##.res_ad ##.resads-adspot -##.residentialads -##.resourceImagetAd -##.respAds ##.responsive-ad +##.responsive-ad-header-container +##.responsive-ad-wrapper ##.responsive-ads -##.responsiveAdHiding ##.responsiveAdsense +##.responsive_ad_top +##.responsive_ads_468x60 ##.result-ad ##.result-sponsored ##.resultAd ##.result_ad -##.result_item_ad-adsense ##.resultad ##.results-ads -##.resultsAdsBlockCont -##.results_sponsor_right -##.rev-content-sponsored -##.rev_square_side_door -##.revcontent-main-ad +##.revcontent-wrap ##.review-ad -##.reviewMidAdvertAlign -##.review_ad1 -##.reviewpage_ad2 -##.reviews-box-ad -##.rf_circ_ad_460x205 -##.rg-ad -##.rght300x250 -##.rgt-300x250-ad -##.rgt-ad -##.rgt_ad +##.reviews-display-ad +##.revive-ad ##.rh-ad ##.rhads -##.rhc-ad-bottom ##.rhs-ad ##.rhs-ads-panel ##.rhs-advert-container -##.rhs-advert-link -##.rhs-advert-title +##.rhs-mrec-wrapper +##.rhs_ad ##.rhs_ad_title +##.rhs_ads ##.rhsad ##.rhsadvert -##.ribbon-ad-container -##.ribbon-ad-matte ##.right-ad -##.right-ad-300x250 +##.right-ad-1 +##.right-ad-2 +##.right-ad-3 +##.right-ad-4 +##.right-ad-5 ##.right-ad-block ##.right-ad-container ##.right-ad-holder -##.right-ad-tagline +##.right-ad-wrapper ##.right-ad2 +##.right-ad350px250px ##.right-ads ##.right-ads2 ##.right-adsense ##.right-adv ##.right-advert +##.right-advertisement ##.right-col-ad ##.right-column-ad -##.right-navAdBox +##.right-column-ads ##.right-rail-ad -##.right-rail-ad-banner -##.right-rail-ad-bottom-container -##.right-rail-ad-top-container -##.right-rail-broker-ads -##.right-rail__ad -##.right-rail__container--ad +##.right-rail-ad-container +##.right-rail-box-ad-container ##.right-side-ad ##.right-side-ads ##.right-sidebar-box-ad ##.right-sidebar-box-ads ##.right-sponser-ad -##.right-square-ad-blocks -##.right-takeover-ad -##.right-takeover-ad-sticky ##.right-top-ad ##.right-video-dvertisement ##.rightAD ##.rightAd ##.rightAd1 ##.rightAd2 +##.rightAdBlock ##.rightAdBox ##.rightAdColumn ##.rightAdContainer -##.rightAd_bottom_fmt -##.rightAd_top_fmt ##.rightAds ##.rightAdsFix -##.rightAdsFix1 -##.rightAds_ie_fix ##.rightAdvert ##.rightAdverts ##.rightBoxAd @@ -26357,16 +13180,13 @@ _popunder+$popup ##.rightTopAdWrapper ##.right_ad ##.right_ad_1 -##.right_ad_160 ##.right_ad_2 ##.right_ad_box ##.right_ad_box1 -##.right_ad_common_block -##.right_ad_innercont ##.right_ad_text ##.right_ad_top ##.right_ad_unit -##.right_adlist +##.right_ad_wrap ##.right_ads ##.right_ads_column ##.right_adsense_box_2 @@ -26377,352 +13197,156 @@ _popunder+$popup ##.right_advertisement ##.right_block_advert ##.right_box_ad -##.right_box_ad_rotating_container ##.right_col_ad -##.right_col_ad_300_250 ##.right_column_ads ##.right_content_ad -##.right_content_ad_16 -##.right_google_ads -##.right_hand_advert_column ##.right_image_ad ##.right_long_ad ##.right_outside_ads -##.right_picAd -##.right_side-partyad ##.right_side_ads ##.right_side_box_ad ##.right_sponsor_main ##.rightad -##.rightad250 -##.rightad300 -##.rightad600 -##.rightad_1 -##.rightad_2 -##.rightadbig +##.rightadHeightBottom ##.rightadblock -##.rightadbox1 ##.rightadd ##.rightads ##.rightadunit ##.rightadv -##.rightbigcolumn_ads -##.rightbigcolumn_ads_nobackground -##.rightbox_content_ads ##.rightboxads -##.rightcol-adbox -##.rightcol-block-ads -##.rightcol_boxad -##.rightcol_div_openx2 ##.rightcolads ##.rightcoladvert -##.rightcoltowerad -##.rightcolumndesktopad160x600 -##.rightmenu_ad -##.rightnav_adsense -##.rightpanelad -##.rightrail-ad-block -##.rightrail_ads +##.rightrail-ad-placed ##.rightsideAd -##.righttop-advt -##.ringtone-ad -##.risingstar-ad -##.risingstar-ad-inner -##.riverAdLoaded -##.riverAdsLoaded -##.riverSponsor -##.rj-ads-wrap-sq -##.rmp-ad-container -##.rmx-ad -##.rnav_ad -##.rngtAd -##.rockmelt-ad -##.rockmeltAdWrapper +##.river-item-sponsored +##.rj-ads-wrapper +##.rm-adslot ##.rolloverad -##.rot_ads +##.roof-ad +##.root-ad-anchor ##.rotating-ad ##.rotating-ads -##.rotatingAdvertisement -##.rotatingBannerWidget -##.rotatingadsection -##.rotator_ad_overlay -##.round_box_advert -##.roundedCornersAd -##.roundingrayboxads ##.row-ad -##.row-ad-fb +##.row-ad-leaderboard ##.rowAd ##.rowAds ##.row_header_ads -##.rowad -##.rowgoogleads -##.rr-300x250-ad -##.rr-300x600-ad +##.rpd_ads +##.rr-ad ##.rr_ads -##.rr_skyad -##.rs_ad_bot +##.rs-ad +##.rs-advert +##.rs-advert__container +##.rs_ad_block ##.rs_ad_top -##.rside_adbox -##.rt-ad -##.rt-ad-body -##.rt-ad-flash -##.rt-ad-inline -##.rt-ad-leaderboard -##.rt-ad-mb -##.rt-ad-related -##.rt-ad-side -##.rtAdFtr -##.rtAd_bx -##.rtSideHomeAd ##.rt_ad -##.rt_ad1_300x90 -##.rt_ad_300x250 -##.rt_ad_call -##.rt_advert_name -##.rt_el_advert -##.rt_top_adv -##.rtd_ads_text -##.rtmad -##.rtmm_right_ad -##.runner-ad +##.rwSideAd +##.rwdArticleInnerAdBlock ##.s-ad ##.s-ads -##.s-hidden-sponsored-item -##.s2k_ad -##.s9_productAds -##.sType-ad -##.s_ad -##.s_ad2 -##.s_ad_160x600 -##.s_ad_300x250 ##.s_ads -##.s_ads_label -##.s_layouts_articleAdWrapper -##.s_sponsored_ads -##.sa-mainad -##.sa_AdAnnouncement ##.sadvert -##.sam-ad -##.sam-pro-ad -##.sam-pro-container +##.sagreklam +##.sal-adv-gpt ##.sam_ad -##.savvyad_unit -##.say-center-contentad ##.sb-ad -##.sb-ad-margin -##.sb-ad-sq-bg -##.sb-ad2 -##.sb-ad3 ##.sb-ads -##.sb-ads-here -##.sb-top-sec-ad ##.sbAd ##.sbAdUnitContainer ##.sbTopadWrapper ##.sb_ad ##.sb_ad_holder -##.sb_adsN -##.sb_adsNv2 -##.sb_adsW -##.sb_adsWv2 -##.sbadtxt ##.sc-ad -##.sc_ad -##.sc_iframe_ad ##.scad -##.scanAd -##.scb-ad -##.scc_advert -##.schedule_ad -##.sci-ad-main -##.sci-ad-sub -##.scoopads -##.scraper_ad_unit -##.screenshots_ads ##.script-ad -##.script_ad_0 +##.scroll-ad-item-container ##.scroll-ads -##.scrollableArticleAds -##.scroller-ad-place-holder +##.scroll-track-ad ##.scrolling-ads ##.sda_adbox +##.sdc-advert__top-1 ##.se-ligatus ##.search-ad -##.search-ad-no-ratings ##.search-advertisement -##.search-message-container-ad -##.search-result-sponsored +##.search-result-list-item--sidebar-ad +##.search-result-list-item--topad ##.search-results-ad -##.search-results-page__ad-sense ##.search-sponsor ##.search-sponsored ##.searchAd ##.searchAdTop ##.searchAds -##.searchCenterBottomAds -##.searchCenterTopAds -##.searchResultAd -##.searchRightBottomAds -##.searchRightMiddleAds -##.searchSponsorItem -##.searchSponsoredResultsBox -##.searchSponsoredResultsList -##.search_ad_box -##.search_column_results_sponsored -##.search_inline_web_ad -##.search_results_ad -##.search_results_sponsored_top ##.searchad ##.searchads -##.sec-ad -##.sec_headline_adbox -##.second-post-ads-wrapper -##.secondadsmobile +##.secondary-ad-widget ##.secondary-advertisment -##.secondaryAdModule ##.secondary_ad -##.sectiads ##.section-ad -##.section-ad-related +##.section-ad-unit ##.section-ad-wrapper ##.section-ad2 -##.section-adbox-bottom -##.section-adbox1 ##.section-ads ##.section-adtag ##.section-adv -##.section-advert-banner ##.section-advertisement -##.section-aside-ad -##.section-aside-ad2 -##.section-front__side-bar-ad -##.section-front__top-ad -##.section-publicity ##.section-sponsor -##.section-sponsors__label -##.section_AD +##.section-widget-ad ##.section_ad ##.section_ad_left -##.section_adarea -##.section_google-adsense -##.section_mpu_wrapper -##.section_mpu_wrapper_wrapper -##.sector-widget__tiny-ad -##.selection-grid-advert -##.selfServeAds -##.seoTopAds -##.sepContentAd -##.series-ad -##.serp-adv-item -##.serp-adv__head -##.serp_sponsored +##.section_ads +##.seoAdWrapper ##.servedAdlabel ##.serviceAd -##.servsponserLinks -##.set_ad -##.sex-party-ad ##.sexunder_ads -##.sfadSlot -##.sfsp_adadvert +##.sf_ad_box +##.sg-adblock ##.sgAd -##.sh-ad-box -##.sh-ad-section -##.sh-leftAd +##.sh-section-ad ##.shadvertisment -##.shareToolsItemAd +##.sheknows-infuse-ad ##.shift-ad -##.shoppingGoogleAdSense -##.shortads ##.shortadvertisement +##.show-desk-ad +##.show-sticky-ad ##.showAd ##.showAdContainer -##.showAd_No -##.showAd_Yes -##.showad_box ##.showads ##.showcaseAd ##.showcasead -##.shunno-sidebar-advert -##.shunno_widget_sidebar_advert -##.shunno_widget_sidebar_sovrnadsmall -##.si-adRgt -##.sics-component__ad-space +##.shr-ads-container ##.sidbaread ##.side-ad -##.side-ad-120-bottom -##.side-ad-120-middle -##.side-ad-120-top -##.side-ad-160-bottom -##.side-ad-160-middle -##.side-ad-160-top ##.side-ad-300 -##.side-ad-300-bottom -##.side-ad-300-middle -##.side-ad-300-top -##.side-ad-big ##.side-ad-blocks ##.side-ad-container ##.side-ad-inner -##.side-ad-panel ##.side-ad-top -##.side-ad1 -##.side-ad2 -##.side-ad3 ##.side-ads ##.side-ads-block -##.side-ads-container ##.side-ads-wide -##.side-ads300 -##.side-ads_sticky-group +##.side-adv-block +##.side-adv-text ##.side-advert ##.side-advertising ##.side-adverts -##.side-bar-ad-position1 -##.side-bar-ad-position2 -##.side-mod-preload-big-ad-switch -##.side-rail-ad-wrap -##.side-sky-banner-160 -##.side-video-ads-wrapper +##.side-bar-ad ##.sideAd ##.sideAdLeft -##.sideAdTall ##.sideAdWide -##.sideAdv -##.sideAdv-wrapper -##.sideBannerAdsLarge -##.sideBannerAdsSmall -##.sideBannerAdsXLarge ##.sideBarAd -##.sideBarCubeAd ##.sideBlockAd ##.sideBoxAd -##.sideBoxM1ad -##.sideBoxMiddleAd -##.sideBoxStackedAdWrap -##.sideBySideAds -##.sideToSideAd -##.side_300_ad +##.side__ad +##.side__ad-box ##.side_ad ##.side_ad2 -##.side_ad300 -##.side_ad_1 -##.side_ad_2 -##.side_ad_3 -##.side_ad_box_mid -##.side_ad_box_top ##.side_ad_top ##.side_add_wrap ##.side_ads ##.side_adsense ##.side_adv -##.side_adv_01 -##.side_adv_left -##.side_adv_right +##.side_col_ad_wrap ##.sidead -##.sidead_150 -##.sidead_300 -##.sidead_300250_ht -##.sidead_550125 ##.sideadmid ##.sideads ##.sideads_l @@ -26730,80 +13354,59 @@ _popunder+$popup ##.sideadtable ##.sideadvert ##.sideadverts -##.sidebar--mps_ad -##.sidebar-320__box_adv -##.sidebar-350ad -##.sidebar-above-medium-rect-ad-unit -##.sidebar-ad -##.sidebar-ad-300 -##.sidebar-ad-300x250-cont -##.sidebar-ad-a +##.sidebar-ad-area ##.sidebar-ad-b ##.sidebar-ad-box -##.sidebar-ad-box-caption ##.sidebar-ad-c ##.sidebar-ad-component ##.sidebar-ad-cont ##.sidebar-ad-container -##.sidebar-ad-container-1 -##.sidebar-ad-container-2 -##.sidebar-ad-container-3 ##.sidebar-ad-div +##.sidebar-ad-label ##.sidebar-ad-rect ##.sidebar-ad-slot +##.sidebar-ad-top +##.sidebar-ad-wrapper ##.sidebar-adbox ##.sidebar-ads -##.sidebar-ads-no-padding +##.sidebar-ads-block ##.sidebar-ads-wrap +##.sidebar-adsdiv ##.sidebar-adv-container ##.sidebar-advert ##.sidebar-advertisement +##.sidebar-advertisment ##.sidebar-adverts ##.sidebar-adverts-header -##.sidebar-atf-ad-wrapper +##.sidebar-banner-ad ##.sidebar-below-ad-unit ##.sidebar-big-ad ##.sidebar-big-box-ad -##.sidebar-block-adsense ##.sidebar-bottom-ad ##.sidebar-box-ad ##.sidebar-box-ads ##.sidebar-content-ad ##.sidebar-header-ads -##.sidebar-paid-ad-label ##.sidebar-skyscraper-ad +##.sidebar-sponsored ##.sidebar-sponsors ##.sidebar-square-ad +##.sidebar-sticky--ad ##.sidebar-text-ad ##.sidebar-top-ad -##.sidebar300adblock +##.sidebar-tower-ad +##.sidebarAD ##.sidebarAd -##.sidebarAdBlock -##.sidebarAdLink -##.sidebarAdNotice -##.sidebarAdUnit -##.sidebarAds300px ##.sidebarAdvert -##.sidebarCloseAd -##.sidebarNewsletterAd -##.sidebar_ADBOX ##.sidebar__ad -##.sidebar__ad-label ##.sidebar_ad -##.sidebar_ad_1 -##.sidebar_ad_2 -##.sidebar_ad_3 ##.sidebar_ad_300 ##.sidebar_ad_300_250 -##.sidebar_ad_580 ##.sidebar_ad_container -##.sidebar_ad_container_div ##.sidebar_ad_holder ##.sidebar_ad_leaderboard ##.sidebar_ad_module ##.sidebar_ads -##.sidebar_ads-300x250 -##.sidebar_ads_336 ##.sidebar_ads_left ##.sidebar_ads_right ##.sidebar_ads_title @@ -26813,25 +13416,22 @@ _popunder+$popup ##.sidebar_box_ad ##.sidebar_right_ad ##.sidebar_skyscraper_ad -##.sidebar_small_ad ##.sidebar_sponsors ##.sidebarad -##.sidebarad160 ##.sidebarad_bottom ##.sidebaradbox ##.sidebaradcontent ##.sidebarads ##.sidebaradsense +##.sidebarbox__advertising ##.sidebarboxad ##.sidebox-ad -##.sideheadnarrowad -##.sideheadsponsorsad -##.sidelist_ad +##.sidebox_ad +##.sideright_ads ##.sideskyad +##.signad ##.simple-ad-placeholder -##.simple_ads_manager_block_widget ##.simple_ads_manager_widget -##.simple_ads_manager_zone_widget ##.simple_adsense_widget ##.simplead-container ##.simpleads-item @@ -26839,20 +13439,21 @@ _popunder+$popup ##.single-ad-anchor ##.single-ad-wrap ##.single-ads -##.single-google-ad -##.single-item-page-ads +##.single-ads-section +##.single-bottom-ads +##.single-mpu ##.single-post-ad -##.single-post-ads-750x90 +##.single-post-ads +##.single-post-bottom-ads ##.single-top-ad ##.singleAd ##.singleAdBox ##.singleAdsContainer +##.singlePostAd ##.single_ad +##.single_ad_300x250 ##.single_advert ##.single_bottom_ad -##.single_fm_ad_bottom -##.single_post_ads_cont -##.single_related_posts_ad_container ##.single_top_ad ##.singlead ##.singleads @@ -26861,86 +13462,58 @@ _popunder+$popup ##.singlepostad ##.singlepostadsense ##.singpagead +##.sister-ads ##.site-ad-block ##.site-ads -##.site-footer__ad-area +##.site-bottom-ad-slot ##.site-head-ads -##.site-header-ad-notification -##.site-header__advert-container -##.site-nav-ad-inner +##.site-header-ad +##.site-header__ads ##.site-top-ad ##.siteWideAd ##.site_ad ##.site_ad--gray ##.site_ad--label -##.site_ad--wrapper -##.site_ad_120_600 -##.site_ad_300x250 +##.site_ads ##.site_sponsers ##.sitesponsor -##.sitesprite_ads -##.six-ads-wrapper ##.skinAd -##.skinAdv02 -##.skin_ad_638 -##.skinad-l -##.skinad-r -##.skinny-sidebar-ad ##.sky-ad ##.sky-ad1 ##.skyAd ##.skyAdd ##.skyAdvert ##.skyAdvert2 -##.skyCraper_bannerLong -##.skyCraper_bannerShort ##.sky_ad ##.sky_ad_top -##.sky_scraper_ad -##.skyjobsadtext +##.skyad ##.skyscraper-ad ##.skyscraper-ad-1 ##.skyscraper-ad-container +##.skyscraper.ad ##.skyscraperAd ##.skyscraper_ad -##.skyscraper_bannerAdHome -##.skyscraper_banner_ad -##.sl-art-ad-midflex -##.sl-header-ad -##.sl_ad1 -##.sl_ad2 -##.sl_ad3 -##.sl_ad4 -##.sl_ad5 -##.sl_ad6 -##.sl_ad7 -##.sl_admarker -##.sleekadbubble +##.skyscrapper-ads-container +##.slate-ad ##.slide-ad -##.slide-advert -##.slide-advert_float ##.slideAd ##.slide_ad ##.slidead +##.slider-ads +##.slider-item-ad ##.slider-right-advertisement-banner ##.sliderad ##.slideshow-ad ##.slideshow-ad-container ##.slideshow-ad-wrapper ##.slideshow-ads -##.slideshow-advertisement-note ##.slideshowAd -##.slideshow_ad_300 -##.slideshow_ad_note ##.slideshowadvert -##.slot_728_ad -##.slot__ad -##.slot_integrated_ad -##.slpBigSlimAdUnit -##.slpSquareAdUnit ##.sm-ad +##.sm-admgnr-unit +##.sm-ads +##.sm-advertisement ##.sm-widget-ad-holder -##.smAdText_r ##.sm_ad ##.small-ad ##.small-ad-header @@ -26949,70 +13522,25 @@ _popunder+$popup ##.smallAd ##.smallAdContainer ##.smallAds -##.smallAdsContainer -##.smallAdv ##.smallAdvertisments -##.smallSkyAd1 -##.smallSkyAd2 ##.small_ad ##.small_ad_bg ##.small_ads -##.small_sidebar_ad_container ##.smallad -##.smallad-left ##.smalladblock ##.smallads ##.smalladscontainer -##.smalladword -##.smallbutton-adverts -##.smallsideadpane ##.smallsponsorad +##.smart-ad ##.smartAd -##.smart_ads_bom_title -##.smartadtags_300250 -##.smartadtagsbutt_orange_30025002 -##.sml-item-ad -##.sn-ad-300x250 -##.snarcy-ad -##.sng_card_ads -##.snoadnetwork -##.social-ad -##.softronics-ad -##.sous_actus_ad -##.southad -##.sovrn_ad_unit -##.sp-ad -##.spLinks -##.sp_ad -##.spaceAdds -##.spc-ads-leaderboard -##.spc-ads-sky -##.specialAd175x90 -##.specialAdsContent -##.specialAdsLabel -##.specialAdsLink -##.specialAdvertising -##.specialHeaderAd -##.special_ad_section -##.specials_ads -##.speedyads -##.sphereAdContainer -##.spl-ads -##.spl_ad -##.spl_ad2 -##.spl_ad_plus -##.splashscreen-ad-modal -##.splitAd -##.splitAdResultsPane -##.splitter_ad -##.splitter_ad_holder -##.spn_links_box -##.spnsr-wrapper -##.spnsrAdvtBlk -##.spnsrCntnr -##.spnsr_right -##.spon-links -##.spon125 +##.smartad +##.smn-new-gpt-ad +##.snhb-ads-en +##.snippet-ad +##.snoadrotatewidgetwrap +##.speakol-widget +##.spinAdvert +##.splashy-ad-container ##.spon_link ##.sponadbox ##.sponlinkbox @@ -27021,25 +13549,12 @@ _popunder+$popup ##.sponsBox ##.sponsLinks ##.sponsWrap -##.spons_link_header -##.spons_links ##.sponsbox ##.sponser-link -##.sponserIABAdBottom ##.sponserLink -##.sponsersads -##.sponsertop -##.sponsforums-middle ##.sponslink -##.sponsor-300 -##.sponsor-728 -##.sponsor-ad -##.sponsor-ad-1 -##.sponsor-ad-title -##.sponsor-ad-wrapper ##.sponsor-ads ##.sponsor-area -##.sponsor-area-top ##.sponsor-block ##.sponsor-bottom ##.sponsor-box @@ -27047,36 +13562,27 @@ _popunder+$popup ##.sponsor-inner ##.sponsor-left ##.sponsor-link -##.sponsor-link-banner -##.sponsor-link-text ##.sponsor-links -##.sponsor-logo -##.sponsor-module-target ##.sponsor-popup ##.sponsor-post -##.sponsor-promo ##.sponsor-right -##.sponsor-services ##.sponsor-spot ##.sponsor-text ##.sponsor-text-container -##.sponsor120x600 -##.sponsor728x90 +##.sponsor-wrap ##.sponsorAd ##.sponsorArea -##.sponsorBannerWrapper ##.sponsorBlock ##.sponsorBottom ##.sponsorBox -##.sponsorBox_right_rdr +##.sponsorFooter +##.sponsorFooter-container ##.sponsorLabel ##.sponsorLink ##.sponsorLinks -##.sponsorMaskhead ##.sponsorPanel ##.sponsorPost ##.sponsorPostWrap -##.sponsorPuffsHomepage ##.sponsorStrip ##.sponsorText ##.sponsorTitle @@ -27084,16 +13590,13 @@ _popunder+$popup ##.sponsor_ad ##.sponsor_ad1 ##.sponsor_ad2 -##.sponsor_ad3 ##.sponsor_ad_area -##.sponsor_advert_link +##.sponsor_ad_section ##.sponsor_area ##.sponsor_bar ##.sponsor_block -##.sponsor_button_ad ##.sponsor_columns ##.sponsor_div -##.sponsor_div_title ##.sponsor_footer ##.sponsor_image ##.sponsor_label @@ -27109,61 +13612,39 @@ _popunder+$popup ##.sponsorads ##.sponsoradtitle ##.sponsored-ad +##.sponsored-ad-container ##.sponsored-ad-label -##.sponsored-ad-ob ##.sponsored-add ##.sponsored-ads +##.sponsored-article ##.sponsored-article-item -##.sponsored-b -##.sponsored-by-label -##.sponsored-by__label -##.sponsored-chunk +##.sponsored-article-widget +##.sponsored-block +##.sponsored-buttons ##.sponsored-container ##.sponsored-container-bottom -##.sponsored-content ##.sponsored-default ##.sponsored-display-ad -##.sponsored-editorial -##.sponsored-features ##.sponsored-header -##.sponsored-headlines -##.sponsored-headlines-wrap -##.sponsored-headshop -##.sponsored-inmail -##.sponsored-inmail-legacy ##.sponsored-link ##.sponsored-links -##.sponsored-links-alt-b -##.sponsored-links-col -##.sponsored-links-holder -##.sponsored-links-red -##.sponsored-links-right -##.sponsored-links-tbl -##.sponsored-offers-box ##.sponsored-post ##.sponsored-post-container -##.sponsored-post_ad -##.sponsored-products-container ##.sponsored-result -##.sponsored-result-row-2 ##.sponsored-results ##.sponsored-right -##.sponsored-right-border -##.sponsored-rule ##.sponsored-slot ##.sponsored-tag ##.sponsored-text -##.sponsored-text-links -##.sponsored-text-links__ads -##.sponsored-title ##.sponsored-top ##.sponsored-widget ##.sponsoredAd -##.sponsoredAdLine ##.sponsoredAds +##.sponsoredBanners ##.sponsoredBar ##.sponsoredBottom ##.sponsoredBox +##.sponsoredContent ##.sponsoredEntry ##.sponsoredFeature ##.sponsoredInfo @@ -27175,94 +13656,74 @@ _popunder+$popup ##.sponsoredLinks ##.sponsoredLinks2 ##.sponsoredLinksBox -##.sponsoredLinksGadget -##.sponsoredLinksHead -##.sponsoredLinksHeader ##.sponsoredListing -##.sponsoredName ##.sponsoredProduct ##.sponsoredResults ##.sponsoredSearch -##.sponsoredShowcasePanel -##.sponsoredSideInner -##.sponsoredStats ##.sponsoredTop ##.sponsored_ad ##.sponsored_ads ##.sponsored_bar_text ##.sponsored_box -##.sponsored_box_search ##.sponsored_by -##.sponsored_content -##.sponsored_glinks ##.sponsored_link ##.sponsored_links ##.sponsored_links2 ##.sponsored_links_box ##.sponsored_links_container ##.sponsored_links_section -##.sponsored_links_title_container -##.sponsored_links_title_container_top -##.sponsored_links_top +##.sponsored_post ##.sponsored_result ##.sponsored_results -##.sponsored_results-container +##.sponsored_sidepanel ##.sponsored_ss ##.sponsored_text +##.sponsored_title ##.sponsored_well ##.sponsoredby -##.sponsoredibbox ##.sponsoredlink -##.sponsoredlinkHed ##.sponsoredlinks -##.sponsoredlinks-article -##.sponsoredlinkscontainer ##.sponsoredresults -##.sponsoredtabl -##.sponsoredtextlink_container_ovt ##.sponsorheader -##.sponsoring_link ##.sponsoringbanner ##.sponsorlink ##.sponsorlink2 ##.sponsormsg +##.sponsors-advertisment ##.sponsors-box ##.sponsors-footer ##.sponsors-module ##.sponsors-widget ##.sponsorsBanners -##.sponsors_300x250 -##.sponsors__wide ##.sponsors_box_container -##.sponsors_fieldset ##.sponsors_links ##.sponsors_spacer ##.sponsorsbanner ##.sponsorsbig +##.sponsorship-banner-bottom ##.sponsorship-box ##.sponsorship-chrome ##.sponsorship-container +##.sponsorship-leaderboard ##.sponsorshipContainer ##.sponsorship_ad ##.sponsorshipbox ##.sponsorwrapper +##.sponstitle ##.sponstop -##.sport-mpu-box -##.sportsbet_sbad ##.spot-ad ##.spotlight-ad -##.spotlight-ad-left ##.spotlightAd -##.sprite-ad_label_vert -##.sqAd2 +##.spt-footer-ad ##.sq_ad +##.sqrd-ad-manager ##.square-ad -##.square-ad--latest-video -##.square-ad--neg-margin ##.square-ad-1 ##.square-ad-container ##.square-ad-pane +##.square-ads ##.square-advt +##.square-adwrap ##.square-sidebar-ad ##.square-sponsorship ##.squareAd @@ -27271,196 +13732,133 @@ _popunder+$popup ##.squareAddtwo ##.squareAds ##.square_ad -##.square_ad_wrap -##.square_ads -##.square_advert_inner -##.square_banner_ad -##.square_button_ads ##.squaread ##.squaread-container ##.squareadMain ##.squareads ##.squared_ad +##.squirrel_widget ##.sr-adsense ##.sr-advert -##.sr-in-feed-ads -##.sr-side-ad-block -##.sr_google_ad -##.src_parts_gen_ad -##.srp-grid-speed-ad3 -##.ss-ad-banner -##.ss-ad-mpu -##.ss-ad-thumbnail -##.ss-ad-tower -##.ss-ad_mrec -##.ss_advertising -##.stProAd -##.stack-ad-container -##.stack-ad-placeholder -##.stack-l-ad-center -##.stackedads1 -##.stackedads2 -##.stand-alone-adzone -##.standalone-ad-container -##.standalone_txt_ad -##.standard-ad -##.star-ad -##.start__advertising_container -##.start__newest__big_game_container_body_games_advertising -##.start_overview_adv_container -##.statTop_adsense +##.sraAdvert +##.srp-sidebar-ads +##.ssp-advert +##.standalonead +##.standard-ad-container +##.standard_ad_slot ##.static-ad ##.staticAd +##.static_mpu_wrap ##.staticad -##.staticad_mark125 -##.std_ad_container -##.ste-ad +##.sterra-ad +##.stick-ad-container +##.stickad ##.sticky-ad +##.sticky-ad-bottom +##.sticky-ad-container +##.sticky-ad-footer +##.sticky-ad-header ##.sticky-ad-wrapper +##.sticky-ads +##.sticky-ads-container +##.sticky-ads-content +##.sticky-adsense +##.sticky-advert-widget +##.sticky-bottom-ad +##.sticky-footer-ad +##.sticky-footer-ad-container +##.sticky-navbar-ad-container +##.sticky-rail-ad-container +##.sticky-side-ad ##.sticky-sidebar-ad ##.sticky-top-ad-wrap -##.stickyAdLink +##.stickyAd +##.stickyAdWrapper ##.stickyAdsGroup -##.stickyMultiAd-processed +##.stickyContainerMpu +##.stickyRailAd +##.sticky_ad_sidebar ##.sticky_ad_wrapper +##.sticky_ads +##.stickyad +##.stickyads ##.stickyadv +##.stky-ad-footer +##.stm-ad-player ##.stmAdHeightWidget -##.stock-ticker-ad-tag ##.stock_ad ##.stocks-ad-tag ##.store-ads ##.story-ad ##.story-ad-container -##.story-header-ad +##.story-ad-right ##.story-inline-advert -##.story-page-embedded-ad -##.story-page-embedded-ad-center -##.story-top-ad-fix +##.storyAd ##.storyAdvert -##.storyInlineAdBlock -##.story_AD +##.story__top__ad ##.story_ad_div -##.story_ads_right_spl -##.story_ads_right_spl_budget -##.story_advertisement_container_top -##.story_advertisement_wrapper_bottom ##.story_body_advert -##.story_right_adv ##.storyad ##.storyad300 +##.storyadHolderAfterLoad ##.stpro_ads -##.str-300x250-ad -##.str-300x600-ad -##.str-horizontal-ad-wrapper -##.str-slim-nav-ad ##.str-top-ad +##.strack_bnr +##.strack_cli ##.strawberry-ads +##.strawberry-ads__pretty-container ##.stream-ad ##.streamAd ##.strip-ad ##.stripad ##.sub-ad -##.sub-feature-ad -##.sub-header-ad ##.subAdBannerArea ##.subAdBannerHeader ##.subNavAd -##.sub_ad_banner8_wrap -##.sub_cont_AD01 -##.sub_cont_AD02 -##.sub_cont_AD04 -##.sub_cont_AD06 -##.sub_cont_AD07 ##.subad -##.subadimg -##.subcontent-ad -##.subheadAdPanel -##.subheaderAdlogo ##.subheader_adsense -##.subjects_ad ##.submenu_ad -##.subtitle-ad-container +##.subnav-ad-layout +##.subnav-ad-wrapper +##.subscribeAd +##.subscriber-ad +##.subscribox-ad +##.sudoku-ad ##.sugarad -##.suit-ad-inject -##.suitcase-ad -##.sunfw-pos-all_adv_728_90_nm +##.suggAd ##.super-ad -##.super-leaderboard-advert -##.superLeaderOverallAdArea -##.supercommentad_left -##.supercommentad_right -##.supernews-ad-widget -##.superscroll-ad -##.supp-ads -##.support-adv -##.supportAdItem +##.superbanner-adcontent ##.support_ad -##.surveyad -##.sweet-deals-ad -##.syAd -##.syHdrBnrAd -##.sykscraper-ad -##.syndicatedAds -##.szoAdBox -##.szoSponsoredPost -##.t10ad -##.tAd -##.tAds ##.tabAd ##.tabAds ##.tab_ad ##.tab_ad_area ##.table-ad -##.table-ad-fb -##.table_ad_bg -##.tablebordersponsor -##.tablet_ad_box -##.tablet_ad_head -##.taboola-above-article-thumbnails -##.taboola-ad -##.taboola-inbetweener -##.taboola-item -##.taboola-left-rail-wrapper -##.taboola-partnerlinks-ad -##.taboola-unit -##.taboola-widget -##.taboola_advertising -##.taboola_blk -##.taboola_lhs -##.tadsanzeige -##.tadsbanner -##.tadselement -##.takeOverAdLink +##.tableAd1 +##.tablet-ad +##.tadm_ad_unit +##.takeover-ad ##.tallAdvert ##.tallad -##.tangential-ad -##.tb-ad -##.tblAds -##.tblTopAds -##.tbl_ad -##.tbox_ad +##.tappx-ad +##.tbboxad ##.tc-adbanner +##.tc_ad ##.tc_ad_unit -##.tckr_adbrace -##.td-Adholder -##.td-TrafficWeatherWidgetAdGreyBrd +##.tcf-ad +##.td-a-ad ##.td-a-rec-id-custom_ad_1 ##.td-a-rec-id-custom_ad_2 ##.td-a-rec-id-custom_ad_3 ##.td-a-rec-id-custom_ad_4 ##.td-a-rec-id-custom_ad_5 -##.td-a-rec-id-event_bottom_ad -##.td-a-rec-id-h12_obj_bottom_ad -##.td-a-rec-id-h3_object_bottom_ad -##.td-a-rec-id-ud_b4x_post_ad ##.td-ad -##.td-ad-background-link:not(body) +##.td-ad-m +##.td-ad-p +##.td-ad-tp ##.td-adspot-title -##.td-header-ad-wrap -##.td-header-sp-ads +##.td-sponsor-title ##.tdAdHeader -##.tdBannerAd -##.tdFeaturedAdvertisers ##.td_ad ##.td_footer_ads ##.td_left_widget_ad @@ -27468,110 +13866,62 @@ _popunder+$popup ##.td_reklama_bottom ##.td_reklama_top ##.td_spotlight_ads -##.td_topads -##.tdad125 -##.tealiumAdSlot -##.teaser--native-ad +##.teaser--advertorial ##.teaser-ad ##.teaser-advertisement -##.teaser-small--ad ##.teaser-sponsor ##.teaserAd ##.teaserAdContainer ##.teaserAdHeadline -##.teaser_adtiles -##.teaser_advert_content +##.teaser_ad +##.templates_ad_placement +##.test-adsense ##.testAd-holder -##.text-ad -##.text-ad-300 -##.text-ad-links -##.text-ad-links2 ##.text-ad-sitewide ##.text-ad-top -##.text-ads ##.text-advertisement -##.text-g-advertisement -##.text-g-group-short-rec-ad -##.text-g-net-group-news-half-page-ad-300x600-or-300x250 -##.text-g-net-grp-google-ads-article-page -##.text-g-nn-web-group-ad-halfpage -##.text-g-sponsored-ads -##.text-g-sponsored-links -##.textAd +##.text-panel-ad +##.text-sponsor ##.textAd3 -##.textAdBG ##.textAdBlock -##.textAdBlwPgnGrey ##.textAdBox -##.textAdMinimum ##.textAds ##.textLinkAd ##.textSponsor -##.text_ad -##.text_ad_description ##.text_ad_title ##.text_ad_website -##.text_ads ##.text_ads_2 -##.text_link_ads_adultforce -##.text_linkad_wrapper +##.text_ads_wrapper +##.text_adv ##.textad ##.textadContainer -##.textad_headline ##.textadbox -##.textadheadline ##.textadlink -##.textads -##.textads_left -##.textads_right ##.textadscontainer ##.textadsds ##.textadsfoot ##.textadtext -##.textadtxt -##.textadtxt2 -##.textbanner-ad -##.textlink-ads ##.textlinkads -##.tf_page_ad_search -##.tfagAd -##.tge-ad +##.th-ad ##.thb_ad_before_header +##.thb_ad_header ##.theAdvert -##.the_list_ad_zone ##.theads ##.theleftad -##.themeblvd-ad-square-buttons -##.themidad +##.themonic-ad1 ##.themonic-ad2 -##.third-box-ad +##.themonic-ad3 +##.themonic-ad6 ##.third-party-ad -##.thirdAd160Cont -##.thirdAdBot -##.thirdAdHead -##.thirdPartySponsorLink__ad -##.thirdPartySponsorLink__ads -##.thirdage_ads_300x250 -##.thirdage_ads_728x90 -##.thisIsAd -##.thisIsAnAd -##.this_is_an_ad -##.thisisad -##.thread-ad -##.thread-ad-holder -##.threadAdsHeadlineData -##.three-ads -##.three-promoted-ads ##.thumb-ads ##.thumb_ad ##.thumbnailad ##.thumbs-adv ##.thumbs-adv-holder -##.tibu_ad -##.ticket-ad ##.tile--ad ##.tile-ad ##.tile-ad-container +##.tile-advert ##.tileAdContainer ##.tileAdWrap ##.tileAds @@ -27580,55 +13930,38 @@ _popunder+$popup ##.tile_ad_container ##.tips_advertisement ##.title-ad -##.title_adbig -##.tj_ad_box -##.tj_ad_box_top -##.tjads -##.tl-ad -##.tl-ad-dfp -##.tl-ad-display-3 -##.tl-ad-render -##.tm-ad -##.tm-ad-leaderboard -##.tm-ad-mrec -##.tm-ads -##.tm_ad200_widget -##.tm_topads_468 -##.tm_widget_ad200px -##.tmg-ad -##.tmg-ad-300x250 -##.tmg-ad-mpu -##.tmnAdsenseContainer -##.tmsads -##.tmz-dart-ad -##.tn-ads-widget -##.tncms-region-ads +##.tl-ad-container +##.tmiads +##.tmo-ad +##.tmo-ad-ezoic +##.tncls_ad +##.tncls_ad_250 +##.tncls_ad_300 +##.tnt-ads ##.tnt-ads-container +##.tnt-dmp-reactive +##.tnw-ad ##.toaster-ad -##.toggle-adinmap -##.tone_adspace_300x250 -##.tone_adspace_300x600 -##.tone_adspace_right -##.toolad -##.toolbar-ad -##.toolsAd -##.toolssponsor-ads +##.toolkit-ad-shell ##.top-300-ad ##.top-ad -##.top-ad-1 -##.top-ad-above-header +##.top-ad-728 +##.top-ad-970x90 ##.top-ad-anchor ##.top-ad-area +##.top-ad-banner-wrapper ##.top-ad-bloc ##.top-ad-block ##.top-ad-center ##.top-ad-container ##.top-ad-content +##.top-ad-deck ##.top-ad-desktop ##.top-ad-div ##.top-ad-horizontal ##.top-ad-inside -##.top-ad-multiplex +##.top-ad-module +##.top-ad-recirc ##.top-ad-right ##.top-ad-sidebar ##.top-ad-slot @@ -27637,94 +13970,94 @@ _popunder+$popup ##.top-ad-unit ##.top-ad-wrap ##.top-ad-wrapper +##.top-ad-zone ##.top-ad1 ##.top-ad__sticky-wrapper ##.top-adbox ##.top-ads +##.top-ads-amp +##.top-ads-block ##.top-ads-bottom-bar +##.top-ads-container +##.top-ads-mobile ##.top-ads-wrapper ##.top-adsense ##.top-adsense-banner ##.top-adspace ##.top-adv +##.top-adv-container ##.top-adverbox ##.top-advert ##.top-advertisement -##.top-affiliate ##.top-banner-468 ##.top-banner-ad ##.top-banner-ad-container ##.top-banner-ad-wrapper ##.top-banner-add +##.top-banner-ads +##.top-banner-advert ##.top-bar-ad-related ##.top-box-right-ad ##.top-content-adplace -##.top-fbs-ad -##.top-fbs-ad-sticky +##.top-dfp-wrapper ##.top-fixed-ad ##.top-half-page-ad ##.top-header-ad +##.top-header-ad1 ##.top-horiz-ad +##.top-horizontal-ad ##.top-item-ad -##.top-large-google-ad ##.top-leaderboard-ad -##.top-left-nav-ad +##.top-left-ad ##.top-menu-ads -##.top-most-adv -##.top-nav-ad -##.top-outer-ad-container -##.top-primary-sponsored +##.top-post-ad +##.top-post-ads ##.top-right-ad -##.top-right-advert -##.top-rightadvtsment ##.top-side-advertisement +##.top-sidebar-ad ##.top-sidebar-adbox +##.top-site-ad ##.top-sponsored-header -##.top-story__ads -##.top-treehouse-ad +##.top-story-ad +##.top-topics__ad ##.top-wide-ad-container -##.top-wrapper-sponsored-fb +##.top.ad +##.top250Ad ##.top300ad ##.topAD +##.topAd ##.topAd728x90 ##.topAdBanner ##.topAdBar +##.topAdBlock ##.topAdCenter ##.topAdContainer ##.topAdIn ##.topAdLeft ##.topAdRight +##.topAdSpacer ##.topAdWrap ##.topAdWrapper ##.topAdd ##.topAds -##.topAdsLeftMid2 -##.topAdsRight -##.topAdsRight2 +##.topAdsWrappper ##.topAdvBox ##.topAdvert ##.topAdvertisement ##.topAdvertistemt ##.topAdverts +##.topAlertAds ##.topArtAd ##.topArticleAds ##.topBannerAd -##.topBannerAdSectionR ##.topBarAd ##.topBoxAdvertisement -##.topGoogleAd -##.topHeaderLeaderADWrap ##.topLeaderboardAd -##.topNavRMAd -##.topPC-adWrap -##.topPagination_ad -##.topRailAdSlot ##.topRightAd ##.top_Ad +##.top__ad ##.top_ad -##.top_ad-tw ##.top_ad1 -##.top_ad_336x280 ##.top_ad_728 ##.top_ad_728_90 ##.top_ad_banner @@ -27746,6 +14079,7 @@ _popunder+$popup ##.top_adbox2 ##.top_adh ##.top_ads +##.top_ads_container ##.top_adsense ##.top_adspace ##.top_adv @@ -27763,42 +14097,35 @@ _popunder+$popup ##.top_header_ad_inner ##.top_right_ad ##.top_rightad +##.top_side_adv ##.top_sponsor ##.topad-area ##.topad-bar ##.topad-bg ##.topad1 ##.topad2 -##.topad_the_www_subtitle ##.topadbar ##.topadblock ##.topadbox +##.topadcont ##.topadrow ##.topads ##.topads-spacer +##.topadsbx ##.topadsection ##.topadspace ##.topadspot ##.topadtara ##.topadtxt -##.topadtxt120 -##.topadtxt300 -##.topadtxt428 -##.topadtxt728 ##.topadvert -##.topadvertisementsegment +##.topbannerAd +##.topbar-ad-parent ##.topbar-ad-unit ##.topboardads -##.topcontentadvertisement -##.topfootad -##.topicDetailsAdRight -##.topic_inad -##.topnavSponsor -##.topratedBoxAD +##.topright_ad +##.topside_ad ##.topsidebarad -##.topstoriesad -##.toptenAdBoxA -##.tourFeatureAd +##.tout-ad ##.tout-ad-embed ##.tower-ad ##.tower-ad-abs @@ -27809,294 +14136,176 @@ _popunder+$popup ##.towerAdLeft ##.towerAds ##.tower_ad +##.tower_ad_desktop ##.tower_ad_disclaimer ##.towerad ##.tp-ad-label ##.tp_ads +##.tpd-banner-ad-container +##.tpd-banner-desktop ##.tpd-box-ad-d -##.tpd-box-ad-e -##.tr-ad-adtech -##.tr-ad-adtech-placement -##.tr-ad-inset -##.tr-sponsored -##.trSpAD1 -##.track_adblock -##.trafficAdSpot -##.trafficjunky-ad -##.trb_ar_sponsoredmod -##.trb_gptAd -##.trb_header_adBanner_combo -##.trb_header_adBanner_large -##.trb_masthead_adBanner -##.trb_pageAdHolder -##.trb_soh ##.trc-content-sponsored ##.trc-content-sponsoredUB -##.treeAdBlockWithBanner_right -##.trending__ad -##.tribal-ad -##.trip_ad_center -##.trueads -##.ts-ad -##.ts-ad-leaderboard -##.ts-ad-wrapper -##.ts-ad_unit_bigbox -##.ts-banner_ad -##.ts-featured_ad -##.ts-sponsored-links -##.ts-top-most-ads -##.tsfrm-sponsor-logo-content +##.trend-card-advert +##.trend-card-advert__title ##.tsm-ad -##.tsmAd ##.tt_ads -##.ttlAdsensel -##.tto-sponsored-element -##.tucadtext -##.tv-ad-aside -##.tvkidsArticlesBottomAd -##.tvs-mpu -##.twitter-ad -##.two-col-ad-inArticle -##.twoColumnAd -##.two_ads -##.twoadcoll -##.twoadcolr -##.tx-aa-adverts -##.tx_smartadserver_pi1 -##.txt-ads -##.txtAd -##.txtAd5 -##.txtAds -##.txt_ad +##.ttb_adv_bg +##.tw-adv-gpt ##.txt_ads ##.txtad_area +##.txtadbox ##.txtadvertise -##.tynt-ad-container ##.type-ad -##.type_ads_default -##.type_adscontainer -##.type_miniad -##.type_promoads -##.tz_ad300_widget -##.tz_ad_widget -##.uds-ad -##.uds-ads -##.ui-ad -##.ui-ads -##.ui-advertising__container -##.ui-advertising_position1 -##.uim-ad -##.ukAds -##.ukn-banner-ads -##.ukn-inline-advert +##.u-ads +##.u-lazy-ad-wrapper +##.udn-ads +##.ue-c-ad ##.ult_vp_videoPlayerAD -##.unSponsored +##.under-header-ad +##.under-player-ad ##.under-player-ads ##.under_ads -##.undertimyads +##.underplayer__ad ##.uniAdBox -##.uniAds -##.uniblue-text-ad -##.unireg-ad-narrow +##.unionAd ##.unit-ad -##.universalboxADVBOX01 -##.universalboxADVBOX03 -##.universalboxADVBOX04a -##.unspoken-adplace -##.upcloo-adv-content -##.upcomingMob_2nd_adv_blk ##.upper-ad-box ##.upper-ad-space -##.urban-ad-rect -##.urban-ad-top -##.us-advertisement -##.us-txt-ad -##.useful_banner_manager_banners_rotation -##.useful_banner_manager_rotation_widget -##.useful_banner_manager_widget -##.usenext +##.upper_ad +##.upx-ad-placeholder +##.us_ad ##.uvs-ad-full-width -##.v5rc_336x280ad -##.vAd_160x600 -##.vAds -##.v_ad ##.vadvert ##.variable-ad ##.variableHeightAd -##.vbox-verticalad ##.vce-ad-below-header ##.vce-ad-container ##.vce-header-ads ##.vce_adsense_expand ##.vce_adsense_widget ##.vce_adsense_wrapper -##.ve2_post_adsense +##.vdvwad ##.vert-ad -##.vert-ad-ttl ##.vert-ads -##.vert-adsBlock ##.vertad +##.vertical-ad ##.vertical-ads ##.vertical-adsense +##.vertical-trending-ads ##.verticalAd ##.verticalAdText ##.vertical_ad ##.vertical_ads ##.verticalad -##.verysmallads -##.vhs_small_ad -##.vi-lb-placeholder[title="ADVERTISEMENT"] -##.vidadtext -##.video-about-ad -##.video-ad +##.vf-ad-comments +##.vf-conversation-starter__ad +##.vf-promo-gtag +##.vf-promo-wrapper +##.vf3-conversations-list__promo +##.vi-sticky-ad +##.video-ad-bottom +##.video-ad-container ##.video-ad-content -##.video-ad-short ##.video-ads ##.video-ads-container +##.video-ads-grid ##.video-ads-wrapper -##.video-adtech-mpu-ad -##.video-innerAd-320x250 -##.video-player-ad-center +##.video-adv +##.video-advert +##.video-archive-ad +##.video-boxad +##.video-inline-ads +##.video-page__adv ##.video-right-ad ##.video-right-ads +##.video-side__adv_title ##.videoAd-wrapper ##.videoAd300 ##.videoBoxAd +##.videoOverAd300 +##.videoOverAdSmall ##.videoPauseAd ##.videoSideAds ##.video_ad -##.video_ad_fadein ##.video_ads -##.video_ads_overdiv -##.video_ads_overdiv2 -##.video_advertisement_box -##.video_detail_box_ads -##.video_footer_advertisement -##.video_top_ad +##.videoad +##.videoad-base ##.videoad2 -##.videoadbox ##.videos-ad ##.videos-ad-wrap ##.view-Advertisment ##.view-ad -##.view-ads-header-top-block -##.view-ads-sidebar-block -##.view-ads-under-the-slider +##.view-ads +##.view-advertisement ##.view-advertisements -##.view-advertisements-300 ##.view-advertorials ##.view-adverts -##.view-advt-story-bottom ##.view-article-inner-ads -##.view-custom-advertisement -##.view-display-id-ads_all ##.view-homepage-center-ads ##.view-id-Advertisment -##.view-id-ad -##.view-id-ads_header_top_block -##.view-id-ads_sidebar_block -##.view-id-ads_under_the_slider -##.view-id-advertisements -##.view-id-advertisements_300 -##.view-id-advt_story_bottom -##.view-id-custom_advertisement -##.view-id-simpleads_advertisements -##.view-id-topheader_ad +##.view-id-ads +##.view-id-advertisement ##.view-image-ads -##.view-promo-mpu-right -##.view-simpleads-advertisements ##.view-site-ads -##.view-topheader-ad -##.view-video-advertisements -##.viewContentItemAd ##.view_ad -##.view_ads_advertisements -##.view_ads_bottom_bg -##.view_ads_bottom_bg_middle -##.view_ads_content_bg -##.view_ads_top_bg -##.view_ads_top_bg_middle -##.view_rig_ad ##.views-field-field-ad -##.views-field-field-adbox-1 -##.views-field-field-adbox-2 -##.views-field-field-advertisement-image -##.views-field-field-html-ad -##.views-field-field-image-ad -##.vip-club-ad -##.virgin-mpu ##.visibleAd -##.visor-breaker-ad -##.visuaAD400 -##.visuaAD900 -##.vitee-ad ##.vjs-ad-iframe ##.vjs-ad-overlay ##.vjs-ima3-ad-container +##.vjs-marker-ad +##.vjs-overlay.size-300x250 ##.vl-ad-item +##.vl-advertisment +##.vl-header-ads ##.vlog-ad -##.vmp-ad -##.voc-advertising -##.vod_ad -##.vrfadzone +##.vm-ad-horizontal +##.vmag_medium_ad +##.vodl-ad__bigsizebanner +##.vpnad ##.vs-advert-300x250 -##.vs_dfp_standard_postbit_ad ##.vsw-ads ##.vswAdContainer -##.vt_h1_ad ##.vuukle-ad-block ##.vuukle-ads -##.vw-header-ads-leader-board -##.vw-header-ads-wrapper -##.vw-single-header-ads -##.vxp_ad300x250 -##.vxp_adContainer -##.w-Ads-small +##.vw-header__ads ##.w-ad-box +##.w-adsninja-video-player ##.w-content--ad ##.wAdvert ##.w_AdExternal ##.w_ad -##.wa_adsbottom +##.waf-ad ##.wahAd ##.wahAdRight +##.waldo-display-unit +##.waldo-placeholder +##.waldo-placeholder-bottom +##.wall-ads-control +##.wall-ads-left +##.wall-ads-right ##.wallAd ##.wall_ad -##.wall_ad_hd -##.wallad -##.wantads -##.waterfall-ad-anchor -##.wazi-ad-link ##.wcAd -##.wd-adunit -##.wd_ads -##.wdca_ad_item -##.wdca_custom_ad -##.wdp_ad -##.wdp_adDiv -##.wdt_ads -##.weather-ad-wrapper -##.weather-sponsor-ad -##.weather-sponsorDiv -##.weatherAdSpot -##.weather_ad +##.wcfAdLocation ##.weatherad -##.web-result-sponsored -##.webad-cnt -##.webad_link -##.webads336x280 -##.webadvert-container -##.webit-ads +##.web_ads ##.webpart-wrap-advert +##.website-ad-space ##.well-ad +##.werbungAd ##.wfb-ad ##.wg-ad-square +##.wh-advert ##.wh_ad -##.white-ad-block +##.wh_ad_inner +##.when-show-ads ##.wide-ad ##.wide-ad-container +##.wide-ad-new-layout ##.wide-ad-outer -##.wide-ad2015 +##.wide-ads-container ##.wide-advert ##.wide-footer-ad ##.wide-header-ad @@ -28105,6 +14314,7 @@ _popunder+$popup ##.wideAdTable ##.widePageAd ##.wide_ad +##.wide_adBox_footer ##.wide_ad_unit ##.wide_ad_unit_top ##.wide_ads @@ -28113,9 +14323,14 @@ _popunder+$popup ##.wide_sponsors ##.widead ##.wideadbox +##.widget--ad +##.widget--ajdg_bnnrwidgets +##.widget--local-ads ##.widget-300x250ad ##.widget-ad ##.widget-ad-codes +##.widget-ad-image +##.widget-ad-script ##.widget-ad-sky ##.widget-ad-zone ##.widget-ad300x250 @@ -28123,46 +14338,41 @@ _popunder+$popup ##.widget-ads ##.widget-adsense ##.widget-adv -##.widget-advert-728 +##.widget-advads-ad-widget ##.widget-advert-970 ##.widget-advertisement -##.widget-ami-newsmax -##.widget-entry-ads-160 -##.widget-gpt2-ami-ads -##.widget-group-Ads -##.widget-highlight-ads -##.widget-pane-section-ad-content +##.widget-dfp ##.widget-sponsor +##.widget-sponsor--container ##.widget-text-ad -##.widget1-ad -##.widget10-ad -##.widget4-ad -##.widget6-ad -##.widget7-ad ##.widgetAD -##.widgetAdScrollContainer +##.widgetAds ##.widgetSponsors -##.widgetYahooAds -##.widget_728x90_advertisement +##.widget_300x250_advertisement ##.widget_ad ##.widget_ad-widget ##.widget_ad125 ##.widget_ad300 ##.widget_ad_300 -##.widget_ad_300x250_atf -##.widget_ad_300x250_btf -##.widget_ad_300x250_btf_b ##.widget_ad_boxes_widget +##.widget_ad_layers_ad_widget ##.widget_ad_rotator ##.widget_ad_widget +##.widget_adace_ads_widget ##.widget_admanagerwidget ##.widget_adrotate_widgets ##.widget_ads +##.widget_ads_entries +##.widget_ads_widget ##.widget_adsblock ##.widget_adsensem ##.widget_adsensewidget ##.widget_adsingle +##.widget_adswidget1-quick-adsense +##.widget_adswidget2-quick-adsense +##.widget_adswidget3-quick-adsense ##.widget_adv_location +##.widget_adv_text ##.widget_advads_ad_widget ##.widget_advert ##.widget_advert_content @@ -28171,936 +14381,703 @@ _popunder+$popup ##.widget_advertisements ##.widget_advertisment ##.widget_advwidget -##.widget_adwidget -##.widget_appmanager_sponsoredpostswidget -##.widget_awpcp-random-ads -##.widget_bestgoogleadsense +##.widget_alaya_ad +##.widget_arvins_ad_randomizer +##.widget_awaken_pro_medium_rectangle_ad ##.widget_better-ads -##.widget_boss_banner_ad -##.widget_catchbox_adwidget -##.widget_cevo_contentad -##.widget_codeneric_ad_widget ##.widget_com_ad_widget +##.widget_core_ads_desk ##.widget_cpxadvert_widgets ##.widget_customad_widget ##.widget_customadvertising -##.widget_cxad ##.widget_dfp -##.widget_dfp_lb-widget -##.widget_econaabachoadswidget -##.widget_emads -##.widget_etcenteredadwidget +##.widget_doubleclick_widget +##.widget_ep_rotating_ad_widget +##.widget_epcl_ads_fluid ##.widget_evolve_ad_gpt_widget -##.widget_fearless_responsive_image_ad -##.widget_googleads +##.widget_html_snippet_ad_widget ##.widget_ima_ads -##.widget_internationaladserverwidget ##.widget_ione-dart-ad +##.widget_ipm_sidebar_ad ##.widget_island_ad -##.widget_jr_125ads -##.widget_maxbannerads -##.widget_nb-ads -##.widget_new_sponsored_content -##.widget_newscorpau_ads +##.widget_joblo_complex_ad +##.widget_long_ads_widget +##.widget_newspack-ads-widget +##.widget_njads_single_widget ##.widget_openxwpwidget ##.widget_plugrush_widget -##.widget_po_ads_widget -##.widget_postmedia_layouts_ad -##.widget_sdac_bottom_ad_widget -##.widget_sdac_companion_video_ad_widget -##.widget_sdac_footer_ads_widget -##.widget_sdac_skyscraper_ad_widget -##.widget_sdac_top_ad_widget +##.widget_pmc-ads-widget +##.widget_quads_ads_widget +##.widget_rdc_ad_widget ##.widget_sej_sidebar_ad -##.widget_sidebarad_300x250 -##.widget_sidebarad_300x600 +##.widget_sidebar_adrotate_tedo_single_widget ##.widget_sidebaradwidget ##.widget_singlead ##.widget_sponsored_content +##.widget_supermag_ad ##.widget_supernews_ad -##.widget_taboola ##.widget_text_adsense +##.widget_themoneytizer_widget ##.widget_thesun_dfp_ad_widget -##.widget_uds-ads -##.widget_vb_sidebar_ad -##.widget_wnd_ad_widget +##.widget_tt_ads_widget +##.widget_viral_advertisement ##.widget_wp-bannerize-widget ##.widget_wp_ads_gpt_widget ##.widget_wp_insert_ad_widget -##.widget_wpshower_ad +##.widget_wpex_advertisement +##.widget_wpstealthads_widget ##.widgetads ##.width-ad-slug ##.wikia-ad -##.wikia_ad_placeholder -##.wingadblock -##.wis_adControl -##.with-background-ads -##.with-wrapper-ads -##.withAds -##.with_ctecad -##.wixAdsdesktopBottomAd -##.wl-ad -##.wloadIframeAD -##.wn-ad -##.wnIframeAd -##.wnMultiAd -##.wnad -##.wp125_write_ads_widget +##.wio-xbanner +##.worldplus-ad +##.wp-ads-target +##.wp-block-ad-slot +##.wp-block-gamurs-ad +##.wp-block-tpd-block-tpd-ads ##.wp125ad -##.wp125ad_1 ##.wp125ad_2 -##.wpInsertAdWidget -##.wpInsertInPostAd ##.wp_bannerize +##.wp_bannerize_banner_box ##.wp_bannerize_container -##.wp_bnn -##.wp_bnnatcode_wp_bnn +##.wpadcenter-ad-container ##.wpadvert -##.wpbrad -##.wpbrad-ad -##.wpbrad-zone ##.wpd-advertisement -##.wpfp_custom_ad -##.wpfp_custom_ad_content -##.wpi_ads -##.wpmrec -##.wpn_ad_content +##.wpex-ads-widget ##.wppaszone -##.wpproaddlink -##.wpproadgrid -##.wpproadszone -##.wptouch-ad +##.wpvqgr-a-d-s ##.wpx-bannerize ##.wpx_bannerize -##.wr-ad-slot -##.wr-home-top-adv +##.wpx_bannerize_banner_box ##.wrap-ad ##.wrap-ads ##.wrap_boxad ##.wrapad ##.wrapper-ad -##.wrapper-ad-sidecol -##.wrapper-google-ads -##.wrapper-sidebar_ads_box -##.wrapper-sidebar_ads_half-page -##.wrapper-sponsored-fb -##.wrapperAdSky +##.wrapper-header-ad-slot ##.wrapper_ad ##.wrapper_advertisement -##.wrb1_x1_adv -##.wrb1_x7_adv -##.wrb2_ls1_adv -##.wrb2_ls3_adv -##.wrb2_x1_adv -##.wrb3_ls1_adv -##.wrb3_x1_adv -##.wrb4_x1_adv -##.wrb6_x1_adv -##.ws-ad -##.wsSearchResultsRightSponsoredLinks -##.wsSponsoredLinksRight -##.wsTopSposoredLinks -##.ws_contentAd660 -##.wsj-ad:not(.adActivate) -##.wsj-responsive-ad-wrap -##.wui-ad-container +##.wrapperad ##.ww_ads_banner_wrapper -##.wx-adchoices -##.wx-gptADS -##.x-ad -##.x-home-ad__content -##.x-home-ad__content-inner -##.x-tile__advert -##.x01-ad -##.x03-adunit -##.x04-adunit -##.x81_ad_detail -##.xads-blk-bottom-hld -##.xads-blk-top-hld -##.xads-blk-top2-hld -##.xads-blk1 -##.xads-blk2 -##.xads-ojedn +##.xeiro-ads ##.xmlad -##.xs_epic_circ_ad -##.xs_epic_sponsor_label -##.xtopadvert +##.xpot-horizontal ##.y-ads ##.y-ads-wide -##.y5_ads -##.y5_ads2 -##.y7-advertisement -##.y7adHEAD -##.y7adS -##.y7s-lrec ##.yaAds ##.yad-sponsored -##.yahoo-ad-leader-north -##.yahoo-ad-leader-south -##.yahoo-ad-lrec-north -##.yahoo-banner-ad-container -##.yahoo-sponsored -##.yahoo-sponsored-links -##.yahoo-sponsored-result ##.yahooAd ##.yahooAds -##.yahooContentMatch ##.yahoo_ad ##.yahoo_ads ##.yahooad -##.yahooad-image -##.yahooad-urlline ##.yahooads -##.yahootextads_content_bottom -##.yam-plus-ad-container ##.yan-sponsored -##.yat-ad -##.yellow_ad -##.yfi-fp-ad-logo -##.ygrp-ad -##.yieldads-160x600 -##.yieldads-728x90 -##.yl-lrec-wrap -##.yls-sponlink -##.yom-ad -##.yom-ad-LREC -##.yom-ad-LREC2 -##.yom-ad-LREC3 -##.yom-ad-MREC2 -##.yom-ad-moneyball -##.youradhere -##.youtubeSuperLeaderBoardAdHolder -##.youtubeSuperLeaderOverallAdArea -##.yrail_ad_wrap -##.yrail_ads -##.ysmsponsor -##.ysp-dynamic-ad -##.ysponsor -##.yt-adsfull-widget -##.ytp-ad-progress -##.ytp-ad-progress-list -##.yui3-ad -##.yw-ad -##.z-ad-display -##.z-ad-lockerdome-inline -##.z-lockerdome-inline -##.z-sponsored-block -##.zRightAdNote -##.zaba-advertising -##.zc-grid-ad -##.zc-grid-position-ad -##.zem_rp_promoted -##.zerg-colm -##.zerg-widget -##.zeti-ads -##.ziffad-wrapper +##.ympb_target +##.zeus-ad +##.zeusAdWrapper +##.zeusAd__container +##.zmgad-full-width +##.zmgad-right-rail ##.zone-advertisement ##.zoneAds +##.zox-post-ad-wrap +##.zox-post-bot-ad +##.zox-widget-side-ad +##.zox_ad_widget +##.zox_adv_widget ##AD-SLOT -##AD-TRIPLE-BOX -##ADS-RIGHT -##AFS-AD ##DFP-AD -##FBS-AD -##LEADERBOARD-AD -##[ad-id^="googlead"] -##[href*="//xml.revrtb.com/"] -##[href^="https://maskip.co/"] -##[id^="bunyad_ads_"] -##[lazy-ad="leftbottom_banner"] -##[lazy-ad="leftthin_banner"] -##[lazy-ad="lefttop_banner"] -##[lazy-ad="top_banner"] -##[onclick^="window.open('http://adultfriendfinder.com/search/"] -##[onclick^="window.open('https://www.brazzersnetwork.com/landing/"] -##[onclick^="window.open('window.open('//delivery.trafficfabrik.com/"] -##[src^="/Redirect.a2b?"] -##a[data-obtrack^="http://paid.outbrain.com/network/redir?"] -##a[data-oburl^="http://paid.outbrain.com/network/redir?"] -##a[data-oburl^="https://paid.outbrain.com/network/redir?"] -##a[data-redirect^="http://click.plista.com/pets"] -##a[data-redirect^="http://paid.outbrain.com/network/redir?"] -##a[data-redirect^="https://paid.outbrain.com/network/redir?"] -##a[data-redirect^="this.href='http://paid.outbrain.com/network/redir?"] -##a[data-url^="http://paid.outbrain.com/network/redir?"] -##a[data-url^="http://paid.outbrain.com/network/redir?"] + .author -##a[data-widget-outbrain-redirect^="http://paid.outbrain.com/network/redir?"] -##a[href$="/vghd.shtml"] -##a[href*=".adk2x.com/"] -##a[href*=".adsrv.eacdn.com/"] > img -##a[href*=".allsports4you.club"] -##a[href*=".approvallamp.club/"] -##a[href*=".bang.com/"][href*="&aff="] -##a[href*=".clkcln.com/"] -##a[href*=".clksite.com/"] -##a[href*=".ichlnk.com/"] -##a[href*=".inclk.com/"] -##a[href*=".intab.fun/"] -##a[href*=".irtyc.com/"] -##a[href*=".qertewrt.com/"] -##a[href*=".revimedia.com/"] -##a[href*="//3wr110.xyz/"] -##a[href*="//ridingintractable.com/"] -##a[href*="/adServe/banners?"] -##a[href*="/adrotate-out.php?"] -##a[href*="/cmd.php?ad="] -##a[href*="/servlet/click/zone?"] -##a[href*="5iclx7wa4q.com"] -##a[href*="=Adtracker"] -##a[href*="=adscript"] -##a[href*="=exoclick"] -##a[href*="?adlivk="][href*="&refer="] -##a[href*="a2g-secure.com"] -##a[href*="ad2upapp.com/"] -##a[href*="deliver.trafficfabrik.com"] -##a[href*="delivery.trafficfabrik.com"] -##a[href*="emprestimo.eu"] -##a[href*="googleme.eu"] -##a[href*="mfroute.com/"] -##a[href*="onclkds."] -##a[href*="pussl3.com"] -##a[href^=" http://ads.ad-center.com/"] -##a[href^=" http://n47adshostnet.com/"] -##a[href^=" http://www.sex.com/"][href*="&utm_"] -##a[href^="//00ae8b5a9c1d597.com/"] -##a[href^="//40ceexln7929.com/"] -##a[href^="//4c7og3qcob.com/"] -##a[href^="//4f6b2af479d337cf.com/"] -##a[href^="//5e1fcb75b6d662d.com/"] -##a[href^="//88d7b6aa44fb8eb.com/"] -##a[href^="//adbit.co/?a=Advertise&"] -##a[href^="//ads.ad-center.com/"] -##a[href^="//api.ad-goi.com/"] -##a[href^="//awejmp.com/"] -##a[href^="//bwnjijl7w.com/"] -##a[href^="//db52cc91beabf7e8.com/"] -##a[href^="//go.onclasrv.com/"] -##a[href^="//go.vedohd.org/"] -##a[href^="//healthaffiliate.center/"] -##a[href^="//jsmptjmp.com/"] -##a[href^="//look.djfiln.com/"] -##a[href^="//medleyads.com/spot/"] -##a[href^="//nlkdom.com/"] -##a[href^="//oardilin.com/"] -##a[href^="//porngames.adult/?SID="] -##a[href^="//srv.buysellads.com/"] -##a[href^="//voyeurhit.com/cs/"] -##a[href^="//www.mgid.com/"] -##a[href^="//www.pd-news.com/"] -##a[href^="//z6naousb.com/"] -##a[href^="//zenhppyad.com/"] -##a[href^="http://1phads.com/"] -##a[href^="http://2pxg8bcf.top/"] -##a[href^="http://360ads.go2cloud.org/"] -##a[href^="http://3wr110.net/"] -##a[href^="http://45eijvhgj2.com/"] -##a[href^="http://4c7og3qcob.com/"] -##a[href^="http://6kup12tgxx.com/"] -##a[href^="http://9amq5z4y1y.com/"] -##a[href^="http://9nl.es/"] -##a[href^="http://NowDownloadAll.com"] -##a[href^="http://a.adquantix.com/"] -##a[href^="http://a63t9o1azf.com/"] -##a[href^="http://abc2.mobile-10.com/"] -##a[href^="http://ad-apac.doubleclick.net/"] -##a[href^="http://ad-emea.doubleclick.net/"] -##a[href^="http://ad.au.doubleclick.net/"] -##a[href^="http://ad.doubleclick.net/"] -##a[href^="http://ad.yieldmanager.com/"] -##a[href^="http://adclick.g.doubleclick.net/"] -##a[href^="http://adexprt.me/"] -##a[href^="http://adf.ly/?id="] -##a[href^="http://adfarm.mediaplex.com/"] -##a[href^="http://adlev.neodatagroup.com/"] -##a[href^="http://admingame.info/"] -##a[href^="http://adprovider.adlure.net/"] -##a[href^="http://adrunnr.com/"] -##a[href^="http://ads.activtrades.com/"] -##a[href^="http://ads.ad-center.com/"] -##a[href^="http://ads.affbuzzads.com/"] -##a[href^="http://ads.betfair.com/redirect.aspx?"] -##a[href^="http://ads.expekt.com/affiliates/"] -##a[href^="http://ads.integral-marketing.com/"] -##a[href^="http://ads.pheedo.com/"] -##a[href^="http://ads.sprintrade.com/"] -##a[href^="http://ads2.williamhill.com/redirect.aspx?"] -##a[href^="http://adserver.adreactor.com/"] -##a[href^="http://adserver.adtech.de/"] -##a[href^="http://adserver.adtechus.com/"] -##a[href^="http://adserver.itsfogo.com/"] -##a[href^="http://adserving.liveuniversenetwork.com/"] -##a[href^="http://adserving.unibet.com/"] -##a[href^="http://adsrv.keycaptcha.com"] -##a[href^="http://adtrack123.pl/"] -##a[href^="http://adtrackone.eu/"] -##a[href^="http://adtransfer.net/"] -##a[href^="http://adultfriendfinder.com/p/register.cgi?pid="] -##a[href^="http://aff.ironsocket.com/"] -##a[href^="http://affiliate.coral.co.uk/processing/"] -##a[href^="http://affiliate.glbtracker.com/"] -##a[href^="http://affiliate.godaddy.com/"] -##a[href^="http://affiliates.pinnaclesports.com/processing/"] -##a[href^="http://affiliates.score-affiliates.com/"] -##a[href^="http://aflrm.com/"] -##a[href^="http://amzn.to/"] > img[src^="data"] -##a[href^="http://anonymous-net.com/"] -##a[href^="http://api.content.ad/"] -##a[href^="http://api.ringtonematcher.com/"] -##a[href^="http://at.atwola.com/"] -##a[href^="http://azmobilestore.co/"] -##a[href^="http://b.bestcompleteusa.info/"] -##a[href^="http://banners.victor.com/processing/"] -##a[href^="http://bc.vc/?r="] -##a[href^="http://bcntrack.com/"] -##a[href^="http://bcp.crwdcntrl.net/"] -##a[href^="http://bestchickshere.com/"] -##a[href^="http://bestorican.com/"] -##a[href^="http://betahit.click/"] -##a[href^="http://bluehost.com/track/"] -##a[href^="http://bodelen.com/"] -##a[href^="http://bonusfapturbo.nmvsite.com/"] -##a[href^="http://bs.serving-sys.com/"] -##a[href^="http://buysellads.com/"] -##a[href^="http://c.actiondesk.com/"] -##a[href^="http://c.jumia.io/"] -##a[href^="http://c.ketads.com/"] -##a[href^="http://callville.xyz/"] -##a[href^="http://campaign.bharatmatrimony.com/cbstrack/"] -##a[href^="http://campaign.bharatmatrimony.com/track/"] -##a[href^="http://campeeks.com/"][href*="&utm_"] -##a[href^="http://casino-x.com/?partner"] -##a[href^="http://cdn.adsrvmedia.net/"] -##a[href^="http://cdn.adstract.com/"] -##a[href^="http://cdn3.adbrau.com/"] -##a[href^="http://cdn3.adexprts.com/"] -##a[href^="http://centertrust.xyz/"] -##a[href^="http://chaturbate.com/affiliates/"] -##a[href^="http://cinema.friendscout24.de?"] -##a[href^="http://click.guamwnvgashbkashawhgkhahshmashcas.pw/"] -##a[href^="http://click.payserve.com/"] -##a[href^="http://click.plista.com/pets"] -##a[href^="http://clickandjoinyourgirl.com/"] -##a[href^="http://clicks.binarypromos.com/"] -##a[href^="http://clicks.guamwnvgashbkashawhgkhahshmashcas.pw/"] -##a[href^="http://clickserv.sitescout.com/"] -##a[href^="http://clk.directrev.com/"] -##a[href^="http://clkmon.com/adServe/"] -##a[href^="http://codec.codecm.com/"] -##a[href^="http://connectlinking6.com/"] -##a[href^="http://contractallsticker.net/"] -##a[href^="http://cpaway.afftrack.com/"] -##a[href^="http://cwcams.com/landing/click/"] -##a[href^="http://d2.zedo.com/"] -##a[href^="http://data.ad.yieldmanager.net/"] -##a[href^="http://data.committeemenencyclopedicrepertory.info/"] -##a[href^="http://data.linoleictanzaniatitanic.com/"] -##a[href^="http://databass.info/"] -##a[href^="http://ddownload39.club/"] -##a[href^="http://dethao.com/"] -##a[href^="http://dftrck.com/"] -##a[href^="http://down1oads.com/"] -##a[href^="http://download-performance.com/"] -##a[href^="http://dwn.pushtraffic.net/"] -##a[href^="http://earandmarketing.com/"] -##a[href^="http://easydownload4you.com/"] -##a[href^="http://eclkmpsa.com/"] -##a[href^="http://elite-sex-finder.com/?"] -##a[href^="http://elitefuckbook.com/"] -##a[href^="http://engine.newsmaxfeednetwork.com/"] -##a[href^="http://espn.zlbu.net/"] -##a[href^="http://ethfw0370q.com/"] -##a[href^="http://extra.bet365.com/"][href*="?affiliate="] -##a[href^="http://farm.plista.com/pets"] -##a[href^="http://feedads.g.doubleclick.net/"] -##a[href^="http://feeds1.validclick.com/"] -##a[href^="http://ffxitrack.com/"] -##a[href^="http://fileloadr.com/"] -##a[href^="http://fileupnow.rocks/"] -##a[href^="http://finaljuyu.com/"] -##a[href^="http://findersocket.com/"] -##a[href^="http://freesoftwarelive.com/"] -##a[href^="http://fsoft4down.com/"] -##a[href^="http://fusionads.net"] -##a[href^="http://g1.v.fwmrm.net/ad/"] -##a[href^="http://galleries.pinballpublishernetwork.com/"] -##a[href^="http://galleries.securewebsiteaccess.com/"] -##a[href^="http://games.ucoz.ru/"][target="_blank"] -##a[href^="http://gca.sh/user/register?ref="] -##a[href^="http://get.slickvpn.com/"] -##a[href^="http://getlinksinaseconds.com/"] -##a[href^="http://go.ad2up.com/"] -##a[href^="http://go.mobisla.com/"] -##a[href^="http://go.oclaserver.com/"] -##a[href^="http://go.seomojo.com/tracking202/"] -##a[href^="http://go.trafficshop.com/"] -##a[href^="http://goldmoney.com/?gmrefcode="] -##a[href^="http://googleads.g.doubleclick.net/pcs/click"] -##a[href^="http://green.trafficinvest.com/"] -##a[href^="http://greensmoke.com/"] -##a[href^="http://guideways.info/"] -##a[href^="http://hd-plugins.com/download/"] -##a[href^="http://hdplugin.flashplayer-updates.com/"] -##a[href^="http://hpn.houzz.com/"] -##a[href^="http://hyperies.info/"] -##a[href^="http://hyperlinksecure.com/go/"] -##a[href^="http://igromir.info/"] -##a[href^="http://imads.integral-marketing.com/"] -##a[href^="http://install.securewebsiteaccess.com/"] -##a[href^="http://intent.bingads.com/"] -##a[href^="http://istri.it/?"] -##a[href^="http://jobitem.org/"] -##a[href^="http://join3.bannedsextapes.com/track/"] -##a[href^="http://k2s.cc/code/"] -##a[href^="http://k2s.cc/pr/"] -##a[href^="http://keep2share.cc/pr/"] -##a[href^="http://landingpagegenius.com/"] -##a[href^="http://latestdownloads.net/download.php?"] -##a[href^="http://linksnappy.com/?ref="] -##a[href^="http://liversely.com/"] -##a[href^="http://liversely.net/"] -##a[href^="http://lp.ezdownloadpro.info/"] -##a[href^="http://lp.ilivid.com/"] -##a[href^="http://lp.ncdownloader.com/"] -##a[href^="http://marketgid.com"] -##a[href^="http://media.paddypower.com/redirect.aspx?"] -##a[href^="http://mgid.com/"] -##a[href^="http://mmo123.co/"] -##a[href^="http://mo8mwxi1.com/"] -##a[href^="http://mojofun.info/"] -##a[href^="http://n.admagnet.net/"] -##a[href^="http://n217adserv.com/"] -##a[href^="http://onclickads.net/"] -##a[href^="http://online.ladbrokes.com/promoRedirect?"] -##a[href^="http://paid.outbrain.com/network/redir?"] -##a[href^="http://pan.adraccoon.com?"] -##a[href^="http://papi.mynativeplatform.com:80/pub2/"] -##a[href^="http://partner.sbaffiliates.com/"] -##a[href^="http://play4k.co/"] -##a[href^="http://pokershibes.com/index.php?ref="] -##a[href^="http://popup.taboola.com/"] -##a[href^="http://prochina.link/"] -##a[href^="http://prochina.space/"] -##a[href^="http://promos.bwin.com/"] -##a[href^="http://prousa.work/"] -##a[href^="http://pubads.g.doubleclick.net/"] -##a[href^="http://pwrads.net/"] -##a[href^="http://record.betsafe.com/"] -##a[href^="http://record.commissionking.com/"] -##a[href^="http://record.sportsbetaffiliates.com.au/"] -##a[href^="http://refer.webhostingbuzz.com/"] -##a[href^="http://refpaano.host/"] -##a[href^="http://s5prou7ulr.com/"] -##a[href^="http://s9kkremkr0.com/"] -##a[href^="http://searchtabnew.com/"] -##a[href^="http://secure.cbdpure.com/aff/"] -##a[href^="http://secure.hostgator.com/~affiliat/"] -##a[href^="http://secure.signup-page.com/"] -##a[href^="http://secure.signup-way.com/"] -##a[href^="http://see-work.info/"] -##a[href^="http://serve.williamhill.com/promoRedirect?"] -##a[href^="http://server.cpmstar.com/click.aspx?poolid="] -##a[href^="http://servicegetbook.net/"] -##a[href^="http://sharesuper.info/"] -##a[href^="http://spygasm.com/track?"] -##a[href^="http://srvpub.com/"] -##a[href^="http://stateresolver.link/"] -##a[href^="http://steel.starflavor.bid/"] -##a[href^="http://syndication.exoclick.com/"] -##a[href^="http://t.mdn2015x1.com/"] -##a[href^="http://t.mdn2015x2.com/"] -##a[href^="http://t.mdn2015x3.com/"] -##a[href^="http://t.wowtrk.com/"] -##a[href^="http://taboola-"][href*="/redirect.php?app.type="] -##a[href^="http://tezfiles.com/pr/"] -##a[href^="http://tour.affbuzzads.com/"] -##a[href^="http://track.adform.net/"] -##a[href^="http://track.affiliatenetwork.co.za/"] -##a[href^="http://track.incognitovpn.com/"] -##a[href^="http://track.trkvluum.com/"] -##a[href^="http://tracker.mybroadband.co.za/"] -##a[href^="http://tracking.crazylead.com/"] -##a[href^="http://tracking.deltamediallc.com/"] -##a[href^="http://tracking.toroadvertising.com/"] -##a[href^="http://traffic.tc-clicks.com/"] -##a[href^="http://trk.mdrtrck.com/"] -##a[href^="http://ul.to/ref/"] -##a[href^="http://uploaded.net/ref/"] -##a[href^="http://us.marketgid.com"] -##a[href^="http://vinfdv6b4j.com/"] -##a[href^="http://vo2.qrlsx.com/"] -##a[href^="http://web.adblade.com/"] -##a[href^="http://webgirlz.online/landing/"] -##a[href^="http://websitedhoome.com/"] -##a[href^="http://webtrackerplus.com/"] -##a[href^="http://wgpartner.com/"] -##a[href^="http://wopertific.info/"] -##a[href^="http://www.123-reg.co.uk/affiliate2.cgi"] -##a[href^="http://www.1clickdownloader.com/"] -##a[href^="http://www.1clickmoviedownloader.info/"] -##a[href^="http://www.TwinPlan.com/AF_"] -##a[href^="http://www.accuserveadsystem.com/accuserve-go.php?"] -##a[href^="http://www.adbrite.com/mb/commerce/purchase_form.php?"] -##a[href^="http://www.adskeeper.co.uk/"] -##a[href^="http://www.adxpansion.com"] -##a[href^="http://www.afco2go.com/srv.php?"] -##a[href^="http://www.affbuzzads.com/affiliate/"] -##a[href^="http://www.affiliates1128.com/processing/"] -##a[href^="http://www.afgr2.com/"] -##a[href^="http://www.afgr3.com/"] -##a[href^="http://www.amazon.co.uk/exec/obidos/external-search?"] -##a[href^="http://www.babylon.com/welcome/index?affID"] -##a[href^="http://www.badoink.com/go.php?"] -##a[href^="http://www.bet365.com/"][href*="&affiliate="] -##a[href^="http://www.bet365.com/"][href*="?affiliate="] -##a[href^="http://www.bitlord.me/share/"] -##a[href^="http://www.bluehost.com/track/"] > img -##a[href^="http://www.brightwheel.info/"] -##a[href^="http://www.cdjapan.co.jp/aff/click.cgi/"] -##a[href^="http://www.clickansave.net/"] -##a[href^="http://www.clkads.com/adServe/"] -##a[href^="http://www.dealcent.com/register.php?affid="] -##a[href^="http://www.dl-provider.com/search/"] -##a[href^="http://www.down1oads.com/"] -##a[href^="http://www.download-provider.org/"] -##a[href^="http://www.downloadplayer1.com/"] -##a[href^="http://www.downloadthesefiles.com/"] -##a[href^="http://www.downloadweb.org/"] -##a[href^="http://www.drowle.com/"] -##a[href^="http://www.easydownloadnow.com/"] -##a[href^="http://www.epicgameads.com/"] -##a[href^="http://www.faceporn.net/free?"] -##a[href^="http://www.fbooksluts.com/"] -##a[href^="http://www.firstclass-download.com/"] -##a[href^="http://www.firstload.com/affiliate/"] -##a[href^="http://www.firstload.de/affiliate/"] -##a[href^="http://www.flashx.tv/downloadthis"] -##a[href^="http://www.fleshlight.com/"] -##a[href^="http://www.fonts.com/BannerScript/"] -##a[href^="http://www.fpcTraffic2.com/blind/in.cgi?"] -##a[href^="http://www.freefilesdownloader.com/"] -##a[href^="http://www.friendlyadvertisements.com/"] +##[class^="adDisplay-module"] +##[class^="amp-ad-"] +##[class^="div-gpt-ad"] +##[data-ad-cls] +##[data-ad-name] +##[data-adbridg-ad-class] +##[data-adshim] +##[data-asg-ins] +##[data-block-type="ad"] +##[data-css-class="dfp-inarticle"] +##[data-d-ad-id] +##[data-desktop-ad-id] +##[data-dynamic-ads] +##[data-ez-name] +##[data-freestar-ad][id] +##[data-id^="div-gpt-ad"] +##[data-identity="adhesive-ad"] +##[data-m-ad-id] +##[data-mobile-ad-id] +##[data-name="adaptiveConstructorAd"] +##[data-rc-widget] +##[data-revive-zoneid] +##[data-role="tile-ads-module"] +##[data-template-type="nativead"] +##[data-testid="adBanner-wrapper"] +##[data-testid="ad_testID"] +##[data-testid="prism-ad-wrapper"] +##[data-type="ad-vertical"] +##[data-wpas-zoneid] +##[href="//sexcams.plus/"] +##[href="https://jdrucker.com/gold"] > img +##[href="https://masstortfinancing.com"] img +##[href="https://ourgoldguy.com/contact/"] img +##[href="https://www.masstortfinancing.com/"] > img +##[href^="http://clicks.totemcash.com/"] +##[href^="http://mypillow.com/"] > img +##[href^="http://www.mypillow.com/"] > img +##[href^="https://aads.com/campaigns/"] +##[href^="https://ad.admitad.com/"] +##[href^="https://ad1.adfarm1.adition.com/"] +##[href^="https://affiliate.fastcomet.com/"] > img +##[href^="https://antiagingbed.com/discount/"] > img +##[href^="https://ap.octopuspop.com/click/"] > img +##[href^="https://awbbjmp.com/"] +##[href^="https://charmingdatings.life/"] +##[href^="https://clicks.affstrack.com/"] > img +##[href^="https://cpa.10kfreesilver.com/"] +##[href^="https://glersakr.com/"] +##[href^="https://go.xlrdr.com"] +##[href^="https://ilovemyfreedoms.com/landing-"] +##[href^="https://istlnkcl.com/"] +##[href^="https://join.girlsoutwest.com/"] +##[href^="https://join.playboyplus.com/track/"] +##[href^="https://join3.bannedsextapes.com"] +##[href^="https://mylead.global/stl/"] > img +##[href^="https://mypatriotsupply.com/"] > img +##[href^="https://mypillow.com/"] > img +##[href^="https://mystore.com/"] > img +##[href^="https://noqreport.com/"] > img +##[href^="https://optimizedelite.com/"] > img +##[href^="https://rapidgator.net/article/premium/ref/"] +##[href^="https://shiftnetwork.infusionsoft.com/go/"] > img +##[href^="https://track.aftrk1.com/"] +##[href^="https://track.fiverr.com/visit/"] > img +##[href^="https://turtlebids.irauctions.com/"] img +##[href^="https://v.investologic.co.uk/"] +##[href^="https://wct.link/click?"] +##[href^="https://www.avantlink.com/click.php"] img +##[href^="https://www.brighteonstore.com/products/"] img +##[href^="https://www.cloudways.com/en/?id"] +##[href^="https://www.herbanomic.com/"] > img +##[href^="https://www.hostg.xyz/"] > img +##[href^="https://www.mypatriotsupply.com/"] > img +##[href^="https://www.mypillow.com/"] > img +##[href^="https://www.profitablegatecpm.com/"] +##[href^="https://www.restoro.com/"] +##[href^="https://www.targetingpartner.com/"] +##[href^="https://zone.gotrackier.com/"] +##[href^="https://zstacklife.com/"] img +##[id^="ad-wrap-"] +##[id^="ad_sky"] +##[id^="ad_slider"] +##[id^="section-ad-banner"] +##[name^="google_ads_iframe"] +##[onclick^="location.href='https://1337x.vpnonly.site/"] +##a-ad +##a[data-href^="http://ads.trafficjunky.net/"] +##a[data-url^="https://vulpix.bet/?ref="] +##a[href*=".adsrv.eacdn.com/"] +##a[href*=".engine.adglare.net/"] +##a[href*=".foxqck.com/"] +##a[href*=".g2afse.com/"] +##a[href*="//daichoho.com/"] +##a[href*="//jjgirls.com/sex/Chaturbate"] +##a[href*="/jump/next.php?r="] +##a[href^=" https://www.friendlyduck.com/AF_"] +##a[href^="//ejitsirdosha.net/"] +##a[href^="//go.eabids.com/"] +##a[href^="//s.st1net.com/splash.php"] +##a[href^="//s.zlinkd.com/"] +##a[href^="//startgaming.net/tienda/" i] +##a[href^="//stighoazon.com/"] +##a[href^="http://adultfriendfinder.com/go/"] +##a[href^="http://annulmentequitycereals.com/"] +##a[href^="http://avthelkp.net/"] +##a[href^="http://bongacams.com/track?"] +##a[href^="http://cam4com.go2cloud.org/aff_c?"] +##a[href^="http://coefficienttolerategravel.com/"] +##a[href^="http://com-1.pro/"] +##a[href^="http://deskfrontfreely.com/"] +##a[href^="http://dragfault.com/"] +##a[href^="http://dragnag.com/"] +##a[href^="http://eighteenderived.com/"] +##a[href^="http://eslp34af.click/"] +##a[href^="http://guestblackmail.com/"] +##a[href^="http://handgripvegetationhols.com/"] +##a[href^="http://li.blogtrottr.com/click?"] +##a[href^="http://muzzlematrix.com/"] +##a[href^="http://naggingirresponsible.com/"] +##a[href^="http://partners.etoro.com/"] +##a[href^="http://premonitioninventdisagree.com/"] +##a[href^="http://revolvemockerycopper.com/"] +##a[href^="http://sarcasmadvisor.com/"] +##a[href^="http://stickingrepute.com/"] +##a[href^="http://tc.tradetracker.net/"] > img +##a[href^="http://trk.globwo.online/"] +##a[href^="http://troopsassistedstupidity.com/"] +##a[href^="http://vnte9urn.click/"] +##a[href^="http://www.adultempire.com/unlimited/promo?"][href*="&partner_id="] ##a[href^="http://www.friendlyduck.com/AF_"] -##a[href^="http://www.friendlyquacks.com/"] -##a[href^="http://www.gamebookers.com/cgi-bin/intro.cgi?"] -##a[href^="http://www.getyourguide.com/?partner_id="] -##a[href^="http://www.graboid.com/affiliates/"] -##a[href^="http://www.greenmangaming.com/?tap_a="] -##a[href^="http://www.hitcpm.com/"] -##a[href^="http://www.idownloadplay.com/"] -##a[href^="http://www.incredimail.com/?id="] -##a[href^="http://www.installads.net/"] -##a[href^="http://www.ireel.com/signup?ref"] -##a[href^="http://www.linkbucks.com/referral/"] -##a[href^="http://www.liutilities.com/"] -##a[href^="http://www.liversely.net/"] -##a[href^="http://www.menaon.com/installs/"] -##a[href^="http://www.mobileandinternetadvertising.com/"] -##a[href^="http://www.my-dirty-hobby.com/?sub="] -##a[href^="http://www.myfreecams.com/?co_id="][href*="&track="] -##a[href^="http://www.myfreepaysite.com/sfw.php?aid"] -##a[href^="http://www.myfreepaysite.com/sfw_int.php?aid"] -##a[href^="http://www.mysuperpharm.com/"] -##a[href^="http://www.myvpn.pro/"] -##a[href^="http://www.on2url.com/app/adtrack.asp"] -##a[href^="http://www.paddypower.com/?AFF_ID="] -##a[href^="http://www.pheedo.com/"] -##a[href^="http://www.pinkvisualgames.com/?revid="] -##a[href^="http://www.pinkvisualpad.com/?revid="] -##a[href^="http://www.plus500.com/?id="] -##a[href^="http://www.quick-torrent.com/download.html?aff"] -##a[href^="http://www.ragazzeinvendita.com/?rcid="] -##a[href^="http://www.revenuehits.com/"] -##a[href^="http://www.ringtonematcher.com/"] -##a[href^="http://www.roboform.com/php/land.php"] -##a[href^="http://www.securegfm.com/"] -##a[href^="http://www.seekbang.com/cs/"] -##a[href^="http://www.sex.com/?utm_"] -##a[href^="http://www.sex.com/pics/?utm_"] -##a[href^="http://www.sex.com/videos/?utm_"] -##a[href^="http://www.sexgangsters.com/?pid="] -##a[href^="http://www.sfippa.com/"] -##a[href^="http://www.socialsex.com/"] -##a[href^="http://www.streamate.com/exports/"] -##a[href^="http://www.streamtunerhd.com/signup?"] -##a[href^="http://www.terraclicks.com/"] -##a[href^="http://www.text-link-ads.com/"] -##a[href^="http://www.tirerack.com/affiliates/"] -##a[href^="http://www.torntv-downloader.com/"] -##a[href^="http://www.torntvdl.com/"] -##a[href^="http://www.twinplan.com/AF_"] -##a[href^="http://www.uniblue.com/cm/"] -##a[href^="http://www.urmediazone.com/signup"] -##a[href^="http://www.usearchmedia.com/signup?"] -##a[href^="http://www.wantstraffic.com/"] -##a[href^="http://www.webtrackerplus.com/"] -##a[href^="http://www.xmediaserve.com/"] -##a[href^="http://www.yourfuckbook.com/?"] -##a[href^="http://www1.clickdownloader.com/"] -##a[href^="http://www5.smartadserver.com/call/pubjumpi/"] -##a[href^="http://wxdownloadmanager.com/dl/"] -##a[href^="http://xads.zedo.com/"] -##a[href^="http://xtgem.com/click?"] -##a[href^="http://y1jxiqds7v.com/"] -##a[href^="http://yads.zedo.com/"] -##a[href^="http://z1.zedo.com/"] -##a[href^="http://zevera.com/afi.html"] +##a[href^="http://www.h4trck.com/"] +##a[href^="http://www.iyalc.com/"] +##a[href^="https://123-stream.org/"] +##a[href^="https://1betandgonow.com/"] +##a[href^="https://6-partner.com/"] +##a[href^="https://81ac.xyz/"] +##a[href^="https://a-ads.com/"] ##a[href^="https://a.adtng.com/"] -##a[href^="https://aaucwbe.com/"] -##a[href^="https://ad.atdmt.com/"] +##a[href^="https://a.bestcontentfood.top/"] +##a[href^="https://a.bestcontentoperation.top/"] +##a[href^="https://a.bestcontentweb.top/"] +##a[href^="https://a.candyai.love/"] +##a[href^="https://a.medfoodhome.com/"] +##a[href^="https://a.medfoodsafety.com/"] +##a[href^="https://a2.adform.net/"] +##a[href^="https://ab.advertiserurl.com/aff/"] +##a[href^="https://activate-game.com/"] ##a[href^="https://ad.doubleclick.net/"] +##a[href^="https://ad.zanox.com/ppc/"] > img ##a[href^="https://adclick.g.doubleclick.net/"] -##a[href^="https://adhealers.com/"] -##a[href^="https://ads.ad4game.com/"] -##a[href^="https://ads.trafficpoizon.com/"] -##a[href^="https://adserver.adreactor.com/"] -##a[href^="https://adswick.com/"] -##a[href^="https://adultfriendfinder.com/go/page/landing"] -##a[href^="https://affiliates.bet-at-home.com/processing/"] -##a[href^="https://atomidownload.com/"] -##a[href^="https://awejmp.com/"] -##a[href^="https://awentw.com/"] -##a[href^="https://badoinkvr.com/"] -##a[href^="https://betway.com/"][href*="&a="] -##a[href^="https://bnsjb1ab1e.com/"] +##a[href^="https://ads.betfair.com/redirect.aspx?"] +##a[href^="https://ads.leovegas.com/"] +##a[href^="https://ads.planetwin365affiliate.com/"] +##a[href^="https://adultfriendfinder.com/go/"] +##a[href^="https://ak.hauchiwu.com/"] +##a[href^="https://ak.oalsauwy.net/"] +##a[href^="https://ak.psaltauw.net/"] +##a[href^="https://ak.stikroltiltoowi.net/"] +##a[href^="https://allhost.shop/aff.php?"] +##a[href^="https://auesk.cfd/"] +##a[href^="https://ausoafab.net/"] +##a[href^="https://aweptjmp.com/"] +##a[href^="https://awptjmp.com/"] +##a[href^="https://baipahanoop.net/"] +##a[href^="https://banners.livepartners.com/"] +##a[href^="https://bc.game/"] +##a[href^="https://black77854.com/"] +##a[href^="https://bngprm.com/"] +##a[href^="https://bngpt.com/"] +##a[href^="https://bodelen.com/"] +##a[href^="https://bongacams10.com/track?"] ##a[href^="https://bongacams2.com/track?"] ##a[href^="https://bs.serving-sys.com"] -##a[href^="https://bullads.net/get/"] -##a[href^="https://chaturbate.com/affiliates/"] -##a[href^="https://chaturbate.com/in/?tour="] -##a[href^="https://chaturbate.com/in/?track="] -##a[href^="https://chaturbate.jjgirls.com/"][href*="?tour="] -##a[href^="https://chaturbate.xyz/"] -##a[href^="https://click.plista.com/pets"] +##a[href^="https://cam4com.go2cloud.org/"] +##a[href^="https://camfapr.com/landing/click/"] +##a[href^="https://cams.imagetwist.com/in/?track="] +##a[href^="https://chaturbate.com/in/?"] +##a[href^="https://chaturbate.jjgirls.com/?track="] +##a[href^="https://claring-loccelkin.com/"] +##a[href^="https://click.candyoffers.com/"] +##a[href^="https://click.dtiserv2.com/"] +##a[href^="https://click.hoolig.app/"] +##a[href^="https://click.linksynergy.com/fs-bin/"] > img +##a[href^="https://clickadilla.com/"] +##a[href^="https://clickins.slixa.com/"] +##a[href^="https://clicks.pipaffiliates.com/"] ##a[href^="https://clixtrac.com/"] -##a[href^="https://control.trafficfabrik.com/"] -##a[href^="https://dcs.adgear.com/clicks/"] -##a[href^="https://dediseedbox.com/clients/aff.php?"] -##a[href^="https://djtcollectorclub.org/"][href*="?affiliate_id="] -##a[href^="https://dltags.com/"] -##a[href^="https://evaporate.pw/"] -##a[href^="https://farm.plista.com/pets"] -##a[href^="https://fileboom.me/pr/"] -##a[href^="https://flirtaescopa.com/"] -##a[href^="https://freeadult.games/"] -##a[href^="https://gamescarousel.com/"] -##a[href^="https://gghf.mobi/"] -##a[href^="https://go.ad2up.com/"] -##a[href^="https://go.onclasrv.com/"] -##a[href^="https://go.stripchat.com/"][href*="&campaignId="] -##a[href^="https://go.trkclick2.com/"] -##a[href^="https://gogoman.me/"] -##a[href^="https://googleads.g.doubleclick.net/pcs/click"] -##a[href^="https://iac.ampxdirect.com/"] -##a[href^="https://iactrivago.ampxdirect.com/"] -##a[href^="https://ilovemyfreedoms.com/"][href*="?affiliate_id="] -##a[href^="https://incisivetrk.cvtr.io/click?"] -##a[href^="https://intrev.co/"] -##a[href^="https://jmp.awempire.com/"] -##a[href^="https://keep2share.cc/pr/"] +##a[href^="https://combodef.com/"] +##a[href^="https://ctjdwm.com/"] +##a[href^="https://ctosrd.com/"] +##a[href^="https://ctrdwm.com/"] +##a[href^="https://datewhisper.life/"] +##a[href^="https://disobediencecalculatormaiden.com/"] +##a[href^="https://dl-protect.net/"] +##a[href^="https://drumskilxoa.click/"] +##a[href^="https://eergortu.net/"] +##a[href^="https://engine.blueistheneworanges.com/"] +##a[href^="https://engine.flixtrial.com/"] +##a[href^="https://engine.phn.doublepimp.com/"] +##a[href^="https://explore-site.com/"] +##a[href^="https://fc.lc/ref/"] +##a[href^="https://financeads.net/tc.php?"] +##a[href^="https://gamingadlt.com/?offer="] +##a[href^="https://get-link.xyz/"] +##a[href^="https://getmatchedlocally.com/"] +##a[href^="https://getvideoz.click/"] +##a[href^="https://gml-grp.com/"] +##a[href^="https://go.admjmp.com"] +##a[href^="https://go.bbrdbr.com"] +##a[href^="https://go.bushheel.com/"] +##a[href^="https://go.cmtaffiliates.com/"] +##a[href^="https://go.dmzjmp.com"] +##a[href^="https://go.etoro.com/"] > img +##a[href^="https://go.goaserv.com/"] +##a[href^="https://go.grinsbest.com/"] +##a[href^="https://go.hpyjmp.com"] +##a[href^="https://go.hpyrdr.com/"] +##a[href^="https://go.markets.com/visit/?bta="] +##a[href^="https://go.mnaspm.com/"] +##a[href^="https://go.rmhfrtnd.com/"] +##a[href^="https://go.skinstrip.net"][href*="?campaignId="] +##a[href^="https://go.strpjmp.com/"] +##a[href^="https://go.tmrjmp.com"] +##a[href^="https://go.trackitalltheway.com/"] +##a[href^="https://go.xlirdr.com"] +##a[href^="https://go.xlivrdr.com"] +##a[href^="https://go.xlviiirdr.com"] +##a[href^="https://go.xlviirdr.com"] +##a[href^="https://go.xlvirdr.com"] +##a[href^="https://go.xtbaffiliates.com/"] +##a[href^="https://go.xxxiijmp.com"] +##a[href^="https://go.xxxijmp.com"] +##a[href^="https://go.xxxjmp.com"] +##a[href^="https://go.xxxvjmp.com/"] +##a[href^="https://golinks.work/"] +##a[href^="https://helmethomicidal.com/"] +##a[href^="https://hot-growngames.life/"] +##a[href^="https://in.rabbtrk.com/"] +##a[href^="https://intenseaffiliates.com/redirect/"] +##a[href^="https://iqbroker.com/"][href*="?aff="] +##a[href^="https://ismlks.com/"] +##a[href^="https://italarizege.xyz/"] +##a[href^="https://itubego.com/video-downloader/?affid="] +##a[href^="https://jaxofuna.com/"] +##a[href^="https://join.dreamsexworld.com/"] +##a[href^="https://join.sexworld3d.com/track/"] +##a[href^="https://join.virtuallust3d.com/"] +##a[href^="https://join.virtualtaboo.com/track/"] +##a[href^="https://juicyads.in/"] +##a[href^="https://kiksajex.com/"] +##a[href^="https://l.hyenadata.com/"] ##a[href^="https://land.brazzersnetwork.com/landing/"] -##a[href^="https://land.rk.com/landing/"] -##a[href^="https://landing1.brazzersnetwork.com"] -##a[href^="https://lingthatsparleso.info/"] +##a[href^="https://landing.brazzersnetwork.com/"] +##a[href^="https://lead1.pl/"] +##a[href^="https://lijavaxa.com/"] +##a[href^="https://lnkxt.bannerator.com/"] +##a[href^="https://lobimax.com/"] +##a[href^="https://loboclick.com/"] +##a[href^="https://lone-pack.com/"] +##a[href^="https://losingoldfry.com/"] ##a[href^="https://m.do.co/c/"] > img -##a[href^="https://medleyads.com/"] -##a[href^="https://members.linkifier.com/public/affiliateLanding?refCode="] -##a[href^="https://mk-ads.com/"] -##a[href^="https://mk-cdn.net/"] -##a[href^="https://paid.outbrain.com/network/redir?"] -##a[href^="https://playuhd.host/"] -##a[href^="https://porndeals.com/?track="] -##a[href^="https://porngames.adult/?SID="] -##a[href^="https://prf.hn/click/"][href*="/adref:"] +##a[href^="https://maymooth-stopic.com/"] +##a[href^="https://mediaserver.entainpartners.com/renderBanner.do?"] +##a[href^="https://mediaserver.gvcaffiliates.com/renderBanner.do?"] +##a[href^="https://mmwebhandler.aff-online.com/"] +##a[href^="https://myclick-2.com/"] +##a[href^="https://natour.naughtyamerica.com/track/"] +##a[href^="https://ndt5.net/"] +##a[href^="https://ngineet.cfd/"] +##a[href^="https://offhandpump.com/"] +##a[href^="https://osfultrbriolenai.info/"] +##a[href^="https://pb-front.com/"] +##a[href^="https://pb-imc.com/"] +##a[href^="https://pb-track.com/"] +##a[href^="https://play1ad.shop/"] +##a[href^="https://playnano.online/offerwalls/?ref="] +##a[href^="https://porntubemate.com/"] +##a[href^="https://postback1win.com/"] +##a[href^="https://prf.hn/click/"][href*="/adref:"] > img +##a[href^="https://prf.hn/click/"][href*="/camref:"] > img +##a[href^="https://prf.hn/click/"][href*="/creativeref:"] > img ##a[href^="https://pubads.g.doubleclick.net/"] -##a[href^="https://redirect.ero-advertising.com/"] -##a[href^="https://refpaano.host/"] -##a[href^="https://retiremely.com/"] -##a[href^="https://rev.adsession.com/"] -##a[href^="https://secure.adnxs.com/clktrb?"] -##a[href^="https://secure.bstlnk.com/"] -##a[href^="https://secure.cbdpure.com/aff/"] -##a[href^="https://secure.eveonline.com/ft/?aid="] -##a[href^="https://servedbyadbutler.com/"] -##a[href^="https://sexdatingz.live/"] -##a[href^="https://spygasm.com/track?"] -##a[href^="https://squren.com/rotator/?atomid="] -##a[href^="https://syndication.exoclick.com/splash.php?"] -##a[href^="https://t.mobtya.com/"] -##a[href^="https://topoffers.com/"][href*="/?pid="] -##a[href^="https://torguard.net/aff.php"] -##a[href^="https://track.52zxzh.com/"] +##a[href^="https://quotationfirearmrevision.com/"] +##a[href^="https://random-affiliate.atimaze.com/"] +##a[href^="https://rixofa.com/"] +##a[href^="https://s.cant3am.com/"] +##a[href^="https://s.deltraff.com/"] +##a[href^="https://s.ma3ion.com/"] +##a[href^="https://s.optzsrv.com/"] +##a[href^="https://s.zlink3.com/"] +##a[href^="https://s.zlinkd.com/"] +##a[href^="https://serve.awmdelivery.com/"] +##a[href^="https://service.bv-aff-trx.com/"] +##a[href^="https://sexynearme.com/"] +##a[href^="https://slkmis.com/"] +##a[href^="https://snowdayonline.xyz/"] +##a[href^="https://softwa.cfd/"] +##a[href^="https://startgaming.net/tienda/" i] +##a[href^="https://static.fleshlight.com/images/banners/"] +##a[href^="https://streamate.com/landing/click/"] +##a[href^="https://svb-analytics.trackerrr.com/"] +##a[href^="https://syndicate.contentsserved.com/"] +##a[href^="https://syndication.dynsrvtbg.com/"] +##a[href^="https://syndication.exoclick.com/"] +##a[href^="https://syndication.optimizesrv.com/"] +##a[href^="https://t.acam.link/"] +##a[href^="https://t.adating.link/"] +##a[href^="https://t.ajrkm1.com/"] +##a[href^="https://t.ajrkm3.com/"] +##a[href^="https://t.ajump1.com/"] +##a[href^="https://t.aslnk.link/"] +##a[href^="https://t.hrtye.com/"] +##a[href^="https://tatrck.com/"] +##a[href^="https://tc.tradetracker.net/"] > img +##a[href^="https://tm-offers.gamingadult.com/"] +##a[href^="https://tour.mrskin.com/"] +##a[href^="https://track.1234sd123.com/"] ##a[href^="https://track.adform.net/"] -##a[href^="https://track.clickmoi.xyz/"] -##a[href^="https://track.healthtrader.com/"] -##a[href^="https://track.themadtrcker.com/"] -##a[href^="https://track.trkinator.com/"] -##a[href^="https://tracking.truthfinder.com/?a="] -##a[href^="https://trackjs.com/?utm_source"] -##a[href^="https://traffic.bannerator.com/"] -##a[href^="https://trafficmedia.center/"] -##a[href^="https://transfer.xe.com/signup/track/redirect?"] -##a[href^="https://trklvs.com/"] -##a[href^="https://trust.zone/go/r.php?RID="] -##a[href^="https://uncensored.game/"] -##a[href^="https://uncensored3d.com/"] -##a[href^="https://understandsolar.com/signup/?lead_source="][href*="&tracking_code="] -##a[href^="https://vodexor.us/"] -##a[href^="https://watchmygirlfriend.tv/"] -##a[href^="https://windscribe.com/promo/"] -##a[href^="https://www.adskeeper.co.uk/"] +##a[href^="https://track.afcpatrk.com/"] +##a[href^="https://track.aftrk3.com/"] +##a[href^="https://track.totalav.com/"] +##a[href^="https://track.wg-aff.com"] +##a[href^="https://tracker.loropartners.com/"] +##a[href^="https://tracking.avapartner.com/"] +##a[href^="https://traffdaq.com/"] +##a[href^="https://trk.nfl-online-streams.club/"] +##a[href^="https://trk.softonixs.xyz/"] +##a[href^="https://turnstileunavailablesite.com/"] +##a[href^="https://twinrdsrv.com/"] +##a[href^="https://upsups.click/"] +##a[href^="https://vo2.qrlsx.com/"] +##a[href^="https://voluum.prom-xcams.com/"] +##a[href^="https://witnessjacket.com/"] +##a[href^="https://www.adskeeper.com"] ##a[href^="https://www.adultempire.com/"][href*="?partner_id="] -##a[href^="https://www.adxtro.com/"] -##a[href^="https://www.arthrozene.com/"][href*="?tid="] -##a[href^="https://www.bebi.com"] +##a[href^="https://www.adxsrve.com/"] +##a[href^="https://www.bang.com/?aff="] +##a[href^="https://www.bet365.com/"][href*="affiliate="] ##a[href^="https://www.brazzersnetwork.com/landing/"] -##a[href^="https://www.camsoda.com/enter.php?id="] -##a[href^="https://www.camyou.com/?cam="][href*="&track="] -##a[href^="https://www.dsct1.com/"] +##a[href^="https://www.dating-finder.com/?ai_d="] +##a[href^="https://www.dating-finder.com/signup/?ai_d="] +##a[href^="https://www.dql2clk.com/"] +##a[href^="https://www.endorico.com/Smartlink/"] ##a[href^="https://www.financeads.net/tc.php?"] -##a[href^="https://www.firstload.com/affiliate/"] ##a[href^="https://www.friendlyduck.com/AF_"] -##a[href^="https://www.goldenfrog.com/vyprvpn?offer_id="][href*="&aff_id="] -##a[href^="https://www.googleadservices.com/pagead/aclk?"] -##a[href^="https://www.incontri-matura.com/"] -##a[href^="https://www.moscarossa.biz/"] +##a[href^="https://www.geekbuying.com/dynamic-ads/"] +##a[href^="https://www.googleadservices.com/pagead/aclk?"] > img +##a[href^="https://www.highcpmrevenuenetwork.com/"] +##a[href^="https://www.highperformancecpmgate.com/"] +##a[href^="https://www.infowarsstore.com/"] > img +##a[href^="https://www.liquidfire.mobi/"] +##a[href^="https://www.mrskin.com/account/"] +##a[href^="https://www.mrskin.com/tour"] ##a[href^="https://www.nutaku.net/signup/landing/"] -##a[href^="https://www.oboom.com/ad/"] -##a[href^="https://www.popads.net/users/"] -##a[href^="https://www.pornhat.com/"][rel="nofollow"] -##a[href^="https://www.share-online.biz/affiliate/"] -##a[href^="https://www.spyoff.com/"] -##a[href^="https://www.what-sexdating.com/"] -##a[href^="https://zononi.com/"] -##a[onclick*="//m.economictimes.com/etmack/click.htm"] -##a[onmousedown^="this.href='/wp-content/embed-ad-content/"] -##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] -##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] + .ob_source -##a[onmousedown^="this.href='http://staffpicks.outbrain.com/network/redir?"][target="_blank"] -##a[onmousedown^="this.href='http://staffpicks.outbrain.com/network/redir?"][target="_blank"] + .ob_source -##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] -##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] + .ob_source -##a[style="display:block;width:300px;min-height:250px"][href^="http://li.cnet.com/click?"] -##a[target="_blank"][href^="http://api.taboola.com/"] -##a[target="_blank"][onmousedown="this.href^='http://paid.outbrain.com/network/redir?"] +##a[href^="https://www.onlineusershielder.com/"] +##a[href^="https://www.sheetmusicplus.com/"][href*="?aff_id="] +##a[href^="https://www.toprevenuegate.com/"] +##a[href^="https://www8.smartadserver.com/"] +##a[href^="https://xbet-4.com/"] +##a[href^="https://zirdough.net/"] +##a[style="width:100%;height:100%;z-index:10000000000000000;position:absolute;top:0;left:0;"] +##ad-shield-ads +##ad-slot +##app-ad +##app-advertisement +##app-large-ad +##ark-top-ad ##aside[id^="adrotate_widgets-"] -##aside[id^="advads_ad_widget-"] -##aside[id^="div-gpt-ad"] -##aside[id^="tn_ads_widget-"] -##aside[itemtype="https://schema.org/WPAdBlock"] +##atf-ad-slot ##bottomadblock -##div[class*="-storyBodyAd-"] -##div[class*="_AdInArticle_"] -##div[class^="Ad__adContainer"] -##div[class^="Ad__bigBox"] -##div[class^="Ad__container"] -##div[class^="AdhesionAd_"] -##div[class^="BlockAdvert-"] -##div[class^="ResponsiveAd-"] -##div[class^="ad_border_"] -##div[class^="ad_position_"] -##div[class^="adbanner_"] -##div[class^="adpubs-"] -##div[class^="ads-partner-"] -##div[class^="awpcp-random-ads"] -##div[class^="backfill-taboola-home-slot-"] -##div[class^="block-openx-"] -##div[class^="gemini-ad"] -##div[class^="index_adAfterContent_"] -##div[class^="index_adBeforeContent_"] -##div[class^="index_displayAd_"] -##div[class^="largeRectangleAd_"] -##div[class^="lifeOnwerAd"] -##div[class^="local-feed-banner-ads"] -##div[class^="pane-google-admanager-"] -##div[class^="proadszone-"] -##div[data-ad-underplayer] -##div[data-mediatype="advertising"] -##div[data-native_ad] -##div[data-spotim-slot] -##div[data-subscript="Advertising"] -##div[id^="ADV-SLOT-"] -##div[id^="YFBMSN"] -##div[id^="acm-ad-tag-"] -##div[id^="ad-cid-"] +##display-ad-component +##display-ads +##div[aria-label="Ads"] +##div[class^="Adstyled__AdWrapper-"] +##div[data-ad-placeholder] +##div[data-ad-targeting] +##div[data-ad-wrapper] +##div[data-adname] +##div[data-adunit-path] +##div[data-adunit] +##div[data-adzone] +##div[data-alias="300x250 Ad 1"] +##div[data-alias="300x250 Ad 2"] +##div[data-contentexchange-widget] +##div[data-dfp-id] +##div[data-id-advertdfpconf] ##div[id^="ad-div-"] -##div[id^="ad-gpt-"] ##div[id^="ad-position-"] -##div[id^="ad-server-"] -##div[id^="ad_bigbox_"] -##div[id^="ad_script_"] -##div[id^="adfox_"] +##div[id^="ad_position_"] +##div[id^="adngin-"] ##div[id^="adrotate_widgets-"] -##div[id^="ads120_600-widget"] -##div[id^="ads250_250-widget"] -##div[id^="ads300_100-widget"] -##div[id^="ads300_250-widget"] -##div[id^="ads300_600-widget"] ##div[id^="adspot-"] -##div[id^="advads-"] -##div[id^="advads_"] -##div[id^="advt-"] -##div[id^="block-views-topheader-ad-block-"] -##div[id^="cns_ads_"] ##div[id^="crt-"][style] ##div[id^="dfp-ad-"] -##div[id^="dfp-slot-"] ##div[id^="div-ads-"] -##div[id^="div-adtech-ad-"] -##div[id^="div-gpt-ad"] -##div[id^="div_ad_stack_"] -##div[id^="div_openx_ad_"] -##div[id^="dmRosAdWrapper"] -##div[id^="drudge-column-ads-"] -##div[id^="google_ads_iframe_"] +##div[id^="ezoic-pub-ad-"] ##div[id^="google_dfp_"] +##div[id^="gpt_ad_"] ##div[id^="lazyad-"] -##div[id^="proadszone-"] -##div[id^="q1-adset-"] -##div[id^="tms-ad-dfp-"] -##div[id^="yandex_ad"] -##div[itemtype="http://schema.org/WPAdBlock"] -##div[itemtype="http://www.schema.org/WPAdBlock"] -##iframe[id^="google_ads_frame"] -##iframe[id^="google_ads_iframe"] -##iframe[src^="http://ad.yieldmanager.com/"] -##iframe[src^="http://cdn1.adexprt.com/"] -##iframe[src^="http://cdn2.adexprt.com/"] -##img[alt^="Fuckbook"] -##p[id^="div-gpt-ad-"] -##script[src^="http://free-shoutbox.net/app/webroot/shoutbox/sb.php?shoutbox="] + #freeshoutbox_content +##div[id^="optidigital-adslot"] +##div[id^="rc-widget-"] +##div[id^="st"][style^="z-index: 999999999;"] +##div[id^="sticky_ad_"] +##div[id^="vuukle-ad-"] +##gpt-ad +##guj-ad +##hl-adsense +##img[src^="https://images.purevpnaffiliates.com"] +##ps-connatix-module +##span[data-ez-ph-id] +##span[id^="ezoic-pub-ad-placeholder-"] ##topadblock -! brave browser overlay ad -##.brave-overlay +##zeus-ad +! baits +##.Ad-Container:not(.adsbygoogle) +##.ad-area:not(.text-ad) +##.ad-placeholder:not(#filter_ads_by_classname):not(#detect_ad_empire):not(#detect):not(.adsbox) +##.ad-slot:not(.adsbox):not(.adsbygoogle) +##.sidebar-ad:not(.adsbygoogle) +##[data-ad-manager-id]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-ad-module]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-ad-width]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[data-adblockkey]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(html):not(.adsbygoogle) +##[data-advadstrackid]:not([style$="left: -10000px !important; top: -1000px !important;"]):not(.adsbygoogle) +##[id^="div-gpt-ad"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]):not([style="pointer-events: none; height: 1px; width: 0px; opacity: 0; visibility: hidden; position: fixed; bottom: 0px;"]) +##div[id^="div-gpt-"]:not([style^="width: 1px; height: 1px; position: absolute; left: -10000px; top: -"]):not([style="pointer-events: none; height: 1px; width: 0px; opacity: 0; visibility: hidden; position: fixed; bottom: 0px;"]) +! https://musicalartifacts.com/ https://ww25.spinningrats.online/ +! Parked domains +###target.pk-page-ready #pk-status-message +! sellwild-loader +###sellwild-loader +! fansided. mentalfloss.com,netflixlife.com,winteriscoming.net,ipreferreading.com +##.ad_1tdq7q5 +##.style_k8mr7b-o_O-style_uhlm2 +! 247slots.org/247checkers.com/247backgammon.org/247hearts.com etc +##.aspace-300x169 +##.aspace-300x250 +! actvid.com,f2movies.to,fmovies.ink,fmovies.ps,fmoviesto.cc,himovies.to,movies2watch.tv,moviesjoy.to,soap2day.rs +###hgiks-middle +###hgiks-top +! flashscore.co.uk,soccer24.com,flashscore.it +##.boxOverContent__banner +! https://publicwww.com/websites/%22happy-under-player%22/ +##.happy-under-player +! https://github.com/easylist/easylist/pull/16654 +##.mntl-leaderboard-header +##.mntl-leaderboard-spacer +! shopee.cl,shopee.cn,shopee.co.id,shopee.co.th.. https://github.com/easylist/easylist/pull/16659 +##.shopee-search-user-brief +! Ads for parked domains https://github.com/easylist/easylist/commit/f96a71b82c +##a[href*="&maxads="] +##a[href*=".cfm?domain="][href*="&fp="] +! CitrusAd +##.CitrusBannerWrapper--enollj +##[class^="tile-picker__CitrusBannerContainer-sc-"] +##citrus-ad-wrapper +! realclear +##.RC-AD +##.RC-AD-BOX-BOTTOM +##.RC-AD-BOX-MIDDLE +##.RC-AD-BOX-TOP +##.RC-AD-TOP-BANNER +! element specific +##ins.adsbygoogle[data-ad-client] +##ins.adsbygoogle[data-ad-slot] +! (NSFW) club-rileyreid.com,clubmiamalkova.com,lanarhoades.mypornstarblogs.com +###mgb-container > #mgb +! https://github.com/easylist/easylist/pull/11962 +###kt_player > a[target="_blank"] +###kt_player > div[style$="display: block;"][style*="inset: 0px;"] +! Slashdot "Deals" (covers web/ipfs/onion) +###slashboxes > .deals-rail +##.scroll-fixable.rail-right > .deals-rail +! dailypost.co.uk/dailystar.co.uk https://github.com/easylist/easylist/issues/9657 +##.click-track.partner +##.click-track.shop-window-affiliate +! local12.com/bakersfieldnow.com/katv.com +##.index-module_adBeforeContent__UYZT +##.interstory_first_mobile +##.interstory_second_mobile +! Gannett https://github.com/easylist/easylist/issues/13015 +###gnt_atomsnc +###gpt-dynamic_native_article_4 +###gpt-high_impact +###gpt-poster +##.gnt_em_vp__tavp +##.gnt_em_vp_c[data-g-s="vp_dk"] +##.gnt_flp +##.gnt_rr_xpst +##.gnt_rr_xst +##.gnt_tb.gnt_tbb +##.gnt_tbr.gnt_tb +##.gnt_x +##.gnt_x__lbl +##.gnt_xmst +! people.com/ seriouseats.com +##.mntl-jwplayer-broad.article__broad-video-jw +! (invideo advertising) +###Player_Playoncontent +###Player_Playoncontent_footer +###aniview--player +###cmg-video-player-placeholder +###jwplayer-container-div +###jwplayer_contextual_player_div +###kargo-player +###mm-player-placeholder-large-screen +###mplayer-embed +###primis-holder +###primis_intext +###vidazoo-player +##.GRVPrimisVideo +##.GRVVideo +##.ac-lre-desktop +##.ac-lre-player-ph +##.ac-lre-wrapper +##.ad-container--hot-video +##.ae-player__itv +##.ami-video-wrapper +##.ampexcoVideoPlayer +##.aniview-inline-player +##.anyClipWrapper +##.aplvideo +##.article-connatix-wrap +##.article-detail-ad +##.avp-p-wrapper +##.ck-anyclips +##.ck-anyclips-article +##.exco-container +##.ez-sidebar-wall-ad +##.ez-video-wrap +##.htl-inarticle-container +##.js-widget-distroscale +##.js-widget-send-to-news +##.jwPlayer--floatingContainer +##.legion_primiswrapper +##.mm-embed--sendtonews +##.mm-widget--sendtonews +##.nts-video-wrapper +##.oovvuu-embed-player +##.playwire-article-leaderboard-ad +##.pmc-contextual-player +##.pop-out-eplayer-container +##.popup-box-ads +##.primis-ad +##.primis-ad-wrap +##.primis-custom +##.primis-player +##.primis-player__container +##.primis-video-player +##.primis_1 +##.s2nContainer +##.send-to-news +##.van_vid_carousel +##.video--container--aniview +##.vidible-wrapper +##.wps-player-wrap +##[class^="s2nPlayer"] +! hianime.to +##.pizza-x.pizza +##.pizza-y.pizza +! Ad widgets +##.BeOpWidget +! VPN Affiliate Banners +##a[href^="https://billing.purevpn.com/aff.php"] > img +##a[href^="https://fastestvpn.com/lifetime-special-deal?a_aid="] +##a[href^="https://get.surfshark.net/aff_c?"][href*="&aff_id="] > img +##a[href^="https://go.nordvpn.net/aff"] > img +##a[href^="https://torguard.net/aff.php"] > img +##a[href^="https://track.ultravpn.com/"] +##a[href^="https://www.get-express-vpn.com/offer/"] +##a[href^="https://www.goldenfrog.com/vyprvpn?offer_id="][href*="&aff_id="] +##a[href^="https://www.privateinternetaccess.com/"] > img +##a[href^="https://www.purevpn.com/"][href*="&utm_source=aff-"] +! areanews.com.au,armidaleexpress.com.au,avonadvocate.com.au,batemansbaypost.com.au +##.grid > .container > #aside-promotion +! revcontent +##.default_rc_theme +##.inf-onclickvideo-adbox +##.inf-onclickvideo-container +! internetradiouk.com / jamaicaradio.net / onlineradios.in etc +##.add-box-side +##.add-box-top +! https://github.com/easylist/easylist/issues/3902 +##.partner-loading-shown.partner-label ! Mgid -##[id*="MGWrap"] -##[id*="MarketGid"] -##[id*="ScriptRoot"] -! Ad-Maven -###\5f _admvnlb_modal_container -! ducksolutions -##a[href^="http://duckcash.eu/"] -##a[href^="http://www.cash-duck.com/"] -##a[href^="http://www.coinducks.com/"] -##a[href^="http://www.duckcash.eu/"] -##a[href^="http://www.ducksnetwork.com/"] -##a[href^="http://www.duckssolutions.com/"] -##a[href^="http://www.fducks.com/"] -##a[href^="http://www.moneyducks.com/"] -##a[href^="http://www.richducks.com/"] -##input[onclick^="window.open('http://www.FriendlyDuck.com/"] -##input[onclick^="window.open('http://www.friendlyduck.com/"] +##div[id*="MarketGid"] +##div[id*="ScriptRoot"] ! ezoic ###ezmob_footer -! Anti-adblock (https://forums.lanik.us/viewtopic.php?f=62&t=32738) -###\5f _nq__hh[style="display:block!important"] -! Trust zone -##a[href*=".trust.zone"] ! Adreclaim -###rc-row-container -##.impo-b-overlay -##.impo-b-stitial -##.rc-cta[data-target] -##.rc-item-wrapper ##.rec-sponsored ##.rec_article_footer ##.rec_article_right @@ -29109,1148 +15086,29590 @@ _popunder+$popup ##.rec_container_right ##.rec_title_footer ##[onclick*="content.ad/"] -##a[href^="http://internalredirect.site/"] -##a[href^="http://rekoverr.com/"] -##div > [class][onclick*=".updateAnalyticsEvents"] ! ampproject +##.amp-ad ##.amp-ad-container -##.amp-ad-wrapper +##.amp-ad__wrapper +##.amp-ads +##.amp-ads-container ##.amp-adv-container +##.amp-adv-wrapper +##.amp-article-ad-element +##.amp-flying-carpet-text-border +##.amp-sticky-ad-custom +##.amp-sticky-ads +##.amp-unresolved ##.amp_ad_1 ##.amp_ad_header ##.amp_ad_wrapper ##.ampad +##.ct_ampad ##.spotim-amp-list-ad ##AMP-AD -! Dealnews (Hearst Newspapers) -##div[class$="dealnews"] > .dealnews -! Genric mobile element +##amp-ad +##amp-ad-custom +##amp-connatix-player +##amp-fx-flying-carpet +! Generic mobile element ###mobile-swipe-banner -! Sinclair Broadcast Group +! Sinclair Broadcast Group (ktul.com/komonews.com/kfdm.com/wjla.com/etc.) ###banner_pos1_ddb_0 ###banner_pos2_ddb_0 ###banner_pos3_ddb_0 ###banner_pos4_ddb_0 +###ddb_fluid_native_ddb_0 +###premium_ddb_0 ###rightrail_bottom_ddb_0 ###rightrail_pos1_ddb_0 ###rightrail_pos2_ddb_0 ###rightrail_pos3_ddb_0 ###rightrail_top_ddb_0 ###story_bottom_ddb_0 +###story_bottom_ddb_1 ###story_top_ddb_0 -##.component-ddb-300x250-v2 -##.component-ddb-728x90-v1 -##.component-ddb-728x90-v2 -##.ddb -! Yavli -##.gbfwa > div[class$="_item"] -! Mozo widget -##iframe[src^="http://static.mozo.com.au/strips/"] +##.index-module_adBeforeContent__AMXn +##.index-module_rightrailBottom__IJEl +##.index-module_rightrailTop__mag4 +##.index-module_sd_background__Um4w +##.premium_PremiumPlacement__2dEp0 +! In video div +###ultimedia_wrapper ! In advert promo ##.brandpost_inarticle -! Forumotion.com related sites -###main-content > [style="padding:10px 0 0 0 !important;"] -##td[valign="top"] > .mainmenu[style="padding:10px 0 0 0 !important;"] -! Whistleout widget -###rhs_whistleout_widget -###wo-widget-wrap -! Asset Listings -###assetsListings[style="display: block;"] -! Magnify transparient advert on video -###magnify_widget_playlist_item_companion -! easyvideo.me / videozoo.me / paypanda.net -###flowplayer > div[style="position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px; z-index: 999;"] -###flowplayer > div[style="z-index: 208; position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px;"] -##.Mpopup + #Mad > #MadZone -! https://adblockplus.org/forum/viewtopic.php?f=2&t=17016 -##.l-container > #fishtank -! Google -###center_col > #\5f Emc -###center_col > #main > .dfrd > .mnr-c > .c._oc._zs -###center_col > #res > #topstuff + #search > div > #ires > #rso > #flun -###center_col > #resultStats + #tads -###center_col > #resultStats + #tads + #res + #tads -###center_col > #resultStats + div + #res + #tads -###center_col > #resultStats + div[style="border:1px solid #dedede;margin-bottom:11px;padding:5px 7px 5px 6px"] -###center_col > #taw > #tvcap > .commercial-unit-desktop-top -###center_col > #taw > #tvcap > .rscontainer -###center_col > div[style="font-size:14px;margin-right:0;min-height:5px"] > div[style="font-size:14px;margin:0 4px;padding:1px 5px;background:#fff8e7"] -###cnt #center_col > #res > #topstuff > .ts -###cnt #center_col > #taw > #tvcap > .c._oc._Lp -###main_col > #center_col div[style="font-size:14px;margin:0 4px;padding:1px 5px;background:#fff7ed"] -###mbEnd[cellspacing="0"][cellpadding="0"] -###mclip_container:last-child -###mn #center_col > div > h2.spon:first-child -###mn #center_col > div > h2.spon:first-child + ol:last-child -###mn div[style="position:relative"] > #center_col > ._Ak -###mn div[style="position:relative"] > #center_col > div > ._dPg -###resultspanel > #topads -###rhs_block .mod > .gws-local-hotels__booking-module -###rhs_block .mod > .luhb-div > div[data-async-type="updateHotelBookingModule"] -###rhs_block .xpdopen > ._OKe > div > .mod > ._yYf -###rhs_block > #mbEnd -###rhs_block > .ts[cellspacing="0"][cellpadding="0"][style="padding:0"] -###rhs_block > ol > .rhsvw > .kp-blk > .xpdopen > ._OKe > ol > ._DJe > .luhb-div -###rhs_block > script + .c._oc._Ve.rhsvw -###rhswrapper > #rhssection[border="0"][bgcolor="#ffffff"] -###ssmiwdiv[jsdisplay] -###tads + div + .c -###tads.c -###tadsb.c -###tadsto.c -###topstuff > #tads -##.GB3L-QEDGY .GB3L-QEDF- > .GB3L-QEDE- -##.GFYY1SVD2 > .GFYY1SVC2 > .GFYY1SVF5 -##.GFYY1SVE2 > .GFYY1SVD2 > .GFYY1SVG5 -##.GHOFUQ5BG2 > .GHOFUQ5BF2 > .GHOFUQ5BG5 -##.GJJKPX2N1 > .GJJKPX2M1 > .GJJKPX2P4 -##.GKJYXHBF2 > .GKJYXHBE2 > .GKJYXHBH5 -##.GPMV2XEDA2 > .GPMV2XEDP1 > .GPMV2XEDJBB -##.ch[onclick="ga(this,event)"] -##.commercial-unit-desktop-rhs > .iKidV > .Ee92ae + .P2mpm + .hp3sk -##.commercial-unit-mobile-bottom -##.commercial-unit-mobile-top .jackpot-main-content-container > .UpgKEd + .nZZLFc > .vci -##.gws-flights-book__ads-wrapper -##.lads[width="100%"][style="background:#FFF8DD"] -##.mod > ._jH + .rscontainer -##.mw > #rcnt > #center_col > #taw > #tvcap > .c -##.mw > #rcnt > #center_col > #taw > .c -##.ra[align="left"][width="30%"] -##.ra[align="right"][width="30%"] -##.ra[width="30%"][align="right"] + table[width="70%"][cellpadding="0"] -##.rhsvw[style="background-color:#fff;margin:0 0 14px;padding-bottom:1px;padding-top:1px;"] -##.rscontainer > .ellip -##.section-result[data-result-ad-type] -##.widget-pane-section-result[data-result-ad-type] -##div[data-flt-ve="sponsored_search_ads"] -##div[role="navigation"] + c-wiz > div > .kxhcC -##div[role="navigation"] + c-wiz > script + div > .kxhcC -##header#hdr + #main > div[data-hveid] ! Sedo -###ads > .dose > .dosesingle -###content > #center > .dose > .dosesingle -###content > #right > .dose > .dosesingle -###header + #content > #left > #rlblock_left +##.container-content__container-relatedlinks +! PubExchange +###pubexchange_below_content +##.pubexchange_module +! Outbrain +###around-the-web +###g-outbrain +###js-outbrain-ads-module +###js-outbrain-module +###js-outbrain-relateds +###outbrain +###outbrain-id +###outbrain-section +###outbrain-wrapper +###outbrain1 +###outbrainAdWrapper +###outbrainWidget +###outbrain_widget_0 +##.ArticleFooter-outbrain +##.ArticleOutbrainLocal +##.OUTBRAIN +##.Outbrain +##.adv_outbrain +##.article_OutbrainContent +##.box-outbrain +##.c2_outbrain +##.component-outbrain +##.js-outbrain-container +##.mid-outbrain +##.ob-p.ob-dynamic-rec-container +##.ob-smartfeed-wrapper +##.ob-widget-header +##.outBrainWrapper +##.outbrain +##.outbrain-ad-slot +##.outbrain-ad-units +##.outbrain-ads +##.outbrain-bg +##.outbrain-bloc +##.outbrain-content +##.outbrain-group +##.outbrain-module +##.outbrain-placeholder +##.outbrain-recommended +##.outbrain-reserved-space +##.outbrain-single-bottom +##.outbrain-widget +##.outbrain-wrap +##.outbrain-wrapper +##.outbrain-wrapper-container +##.outbrain-wrapper-outer +##.outbrainAdHeight +##.outbrainWidget +##.outbrain__main +##.outbrain_container +##.outbrain_skybox +##.outbrainad +##.outbrainbox +##.promoted-outbrain +##.responsive-ad-outbrain +##.sics-component__outbrain +##.sidebar-outbrain +##.single__outbrain +##.voc-ob-wrapper +##.widget_outbrain +##.widget_outbrain_widget +##a[data-oburl^="https://paid.outbrain.com/network/redir?"] +##a[data-redirect^="https://paid.outbrain.com/network/redir?"] +##a[href^="https://paid.outbrain.com/network/redir?"] +##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] +##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] + .ob_source ! Taboola -##.reading-list-rail-taboola -##.trc_rbox .syndicatedItem -##.trc_rbox_border_elm .syndicatedItem -##.trc_rbox_div .syndicatedItem -##.trc_rbox_div .syndicatedItemUB -##.trc_rbox_div a[target="_blank"][href^="http://tab"] -##.trc_related_container div[data-item-syndicated="true"] -! Tripadvisor -###MAIN.ShowTopic > .ad -! uCoz -! https://adblockplus.org/forum/viewtopic.php?f=2&t=13414 -##div[id^="mainads"] -! yavli.com Sponsored content -##.__y_elastic .__y_item -##.__y_inner > .__y_item -##.__y_outer -##.__yinit .__y_item -##.__ywl .__y_item -##.__ywvr .__y_item -##.__zinit .__y_item -##.icons-rss-feed + .icons-rss-feed div[class$="_item"] -##.inlineNewsletterSubscription + .inlineNewsletterSubscription div[class$="_item"] -##.jobs-information-call-to-action + .jobs-information-call-to-action div[class$="_item"] +###block-boxes-taboola +###block-taboolablock +###component-taboola-below-article-feed +###component-taboola-below-article-feed-2 +###component-taboola-below-homepage-feed +###js-Taboola-Container-0 +###moduleTaboolaRightRail +###original_taboola +###possible_taboola +###taboola +###taboola-above-homepage-thumbnails +###taboola-ad +###taboola-adverts +###taboola-below +###taboola-below-article-1 +###taboola-below-article-thumbnails +###taboola-below-article-thumbnails-2 +###taboola-below-article-thumbnails-express +###taboola-below-article-thumbnails-mg +###taboola-below-article-thumbnails-photo +###taboola-below-article-thumbnails-v2 +###taboola-below-disco-board +###taboola-below-forum-thumbnails +###taboola-below-homepage-thumbnails-2 +###taboola-below-homepage-thumbnails-3 +###taboola-below-main-column +###taboola-belowarticle +###taboola-bottom +###taboola-bottom-main-column +###taboola-div +###taboola-homepage-thumbnails +###taboola-homepage-thumbnails-desktop +###taboola-horizontal-toolbar +###taboola-in-feed-thumbnails +###taboola-mid-article-thumbnails +###taboola-mid-article-thumbnails-ii +###taboola-mid-main-column-thumbnails +###taboola-mobile-article-thumbnails +###taboola-native-right-rail-thumbnails +###taboola-placeholder +###taboola-right-rail +###taboola-right-rail-express +###taboola-right-rail-text-right +###taboola-right-rail-thumbnails +###taboola-right-rail-thumbnails-2nd +###taboola-text-2-columns-mix +###taboola-vid-container +###taboola-widget-wrapper +###taboola_bottom +###taboola_responsive_wrapper +###taboola_side +###taboola_wrapper +##.article-taboola +##.divider-taboola +##.grid__module-sizer_name_taboola +##.js-taboola +##.m-article-taboola +##.mc-column-Taboola +##.nya-slot[style] +##.slottaboola +##.taboola +##.taboola-above-article +##.taboola-above-article-thumbnails +##.taboola-ad +##.taboola-banner +##.taboola-block +##.taboola-bottom-adunit +##.taboola-container +##.taboola-frame +##.taboola-general +##.taboola-in-plug-wrap +##.taboola-inbetweener +##.taboola-item +##.taboola-like-block +##.taboola-module +##.taboola-recommends +##.taboola-sidebar +##.taboola-sidebar-container +##.taboola-skip-wrapper +##.taboola-thumbnails-container +##.taboola-vertical +##.taboola-widget +##.taboola-wrapper +##.taboolaArticle +##.taboolaDiv +##.taboolaHeight +##.taboola__container +##.taboola_blk +##.taboola_body_ad +##.taboola_container +##.taboola_lhs +##.taboola_module +##.taboolaloader +##.trb_taboola +##.trc-first-recommendation +##.trc-spotlight-first-recommendation +##.trc_excludable +##.trc_rbox +##.trc_rbox_border_elm +##.trc_rbox_div +##.trc_related_container +##.trc_spotlight_item +##.van_taboola +##.widget_taboola +##[data-taboola-options] +##[data-testid="commercial-label-taboola"] +##[data-testid^="taboola-"] +##amp-embed[type="taboola"] +##div[id^="taboola-stream-"] ! Zergnet -###boxes-box-zergnet_module -###right_rail-zergnet -###zergnet -###zergnet-wrapper ##.ZERGNET -##.component-zergnet -##.content-zergnet -##.js-footer-zerg ##.module-zerg -##.o-zergnet ##.sidebar-zergnet -##.td-zergnet -##.widget-ami-zergnet -##.widget_ok_zergnet_widget -##.zergmod +##.zerg-widget +##.zerg-widgets ##.zergnet ##.zergnet-holder ##.zergnet-row +##.zergnet-unit ##.zergnet-widget ##.zergnet-widget-container ##.zergnet-widget__header ##.zergnet-widget__subtitle -##.zergnetBLock -##.zergnetpower -##.zergpowered -##a[href^="http://www.zergnet.com/i/"] +##.zergnet__container ##div[id^="zergnet-widget"] -! *** easylist:easylist/easylist_whitelist_general_hide.txt *** -thedailygreen.com#@##AD_banner -webmail.verizon.net#@##AdColumn -jobs.wa.gov.au,lalovings.com#@##AdContainer -jobs.wa.gov.au,ksl.com#@##AdHeader -sprouts.com,tbns.com.au#@##AdImage -games.com#@##Adcode -designspotter.com#@##AdvertiseFrame -wikimedia.org#@##Advertisements -newser.com#@##BottomAdContainer -freeshipping.com,freeshippingrewards.com#@##BottomAds -orientaldaily.on.cc#@##ContentAd -kizi.com,playedonline.com#@##PreRollAd -japantimes.co.jp#@##RightAdBlock -isource.com,nytimes.com,ocregister.com,pe.com#@##TopAd -statejournal.com#@##WNAd41 -dailyfinancegroup.com#@##ad-area -dormy.se,marthastewart.com#@##ad-background -chinradioottawa.com#@##ad-bg -fropper.com,themonthly.com.au,wildsnow.com#@##ad-container -apnaohio.com,ifokus.se,miradiorumba.com#@##ad-header -egreetings.com#@##ad-header-728x90 -elle.com#@##ad-leaderboard -chicagocrusader.com,garycrusader.com#@##ad-main -wg-gesucht.de#@##ad-panel +! *** easylist:easylist/easylist_allowlist_general_hide.txt *** +dez.ro#@##ad-carousel +so-net.ne.jp#@##ad-p3 53.com#@##ad-rotator -harpcolumn.com#@##ad-text -gismeteo.com,gismeteo.lt,gismeteo.lv,gismeteo.md#@##ad-top -afterdawn.com#@##ad-top-banner-placeholder -babyzone.com#@##ad-top-wrapper -edgesuite.net#@##ad-unit -amctv.com,collegeslackers.com,ufoevidence.org,wg-gesucht.de#@##ad-wrapper -egotastic.com,nehandaradio.com#@##ad468 -bristol247.com,zap2it.com#@##ad728 -natgeo.tv#@##ad728x90 -campusdish.com#@##adBanner -4029tv.com,wesh.com,wmur.com#@##adBelt -imdb.com#@##adComponentWrapper -remixshare.com#@##adDiv -surf.to#@##adFrame -ginatricot.com#@##adGallery -jobs.wa.gov.au,ksl.com#@##adHeader -indecisionforever.com#@##adHolder -youkioske.com#@##adLayer -mediabistro.com#@##adLeader -mercurynews.com#@##adPosition0 -mautofied.com,segundamano.es#@##adText -sanmarcosrecord.com#@##ad_1 -sanmarcosrecord.com#@##ad_2 -sanmarcosrecord.com#@##ad_3 -sanmarcosrecord.com#@##ad_4 -sanmarcosrecord.com#@##ad_5 -vgchartz.com#@##ad_728_90 -karjalainen.fi#@##ad_area -todaystmj4.com#@##ad_banner -sexzindian.com#@##ad_center -apnaohio.com,syfygames.com#@##ad_content -michaels.com#@##ad_header -eonline.com#@##ad_leaderboard -umbro.com#@##ad_main -9stream.com,seeon.tv,sportlemon.tv,youjizz.com#@##ad_overlay -neonalley.com,streetinsider.com,vizanime.com#@##ad_space -wretch.cc#@##ad_square -bestadsontv.com#@##ad_table -oxforddictionaries.com#@##ad_topslot -nbc.com,syfygames.com,theawl.com#@##ad_unit -afro-ninja.com#@##ad_wrap -adspot.lk,amnestyusa.org,commoncause.org,drownedinsound.com,hardocp.com,prosperityactions.com#@##ad_wrapper -livestrong.com#@##adaptv_ad_player_div -analogplanet.com,audiostream.com,hometheater.com,innerfidelity.com,shutterbug.com,stereophile.com#@##adbackground -homeclick.com#@##adbanner -bplaced.net,explosm.net,pocket-lint.com,tweakguides.com#@##adbar -adblockplus.org,clipconverter.cc#@##adblock -amfiindia.com#@##adbody -2leep.com,landwirt.com,quaintmere.de#@##adbox -games.com#@##adcode -gamesfreak.net,jobs.wa.gov.au,lalovings.com#@##adcontainer -about.com,ehow.com#@##adcontainer1 +techymedies.com#@##ad-top +afterdawn.com,download.fi,edukas.fi#@##ad-top-banner-placeholder +ufoevidence.org#@##ad-wrapper +sdf-event.sakura.ne.jp#@##ad_1 +sdf-event.sakura.ne.jp#@##ad_2 +sdf-event.sakura.ne.jp#@##ad_3 +sdf-event.sakura.ne.jp#@##ad_4 +mediafire.com#@##ad_banner +drc1bk94f7rq8.cloudfront.net#@##ad_link +streetinsider.com#@##ad_space +adtunes.com#@##ad_thread_first_post_content +aga-clinic-experience.jp#@##ad_top +linuxtracker.org#@##adbar +kingcard.com.tw#@##adbox +gifmagic.com,lalovings.com#@##adcontainer +about.com#@##adcontainer1 guloggratis.dk#@##adcontent -changeofaddressform.com#@##adhead -jobs.wa.gov.au#@##adheader -choone.com#@##adimg1 -popcap.com#@##adlayer -adnews.pl#@##adnews -mercurynews.com,siliconvalley.com#@##adposition3 -gamecopyworld.com,gamecopyworld.eu,morningstar.com#@##adright -lifeinvader.com#@##ads-col -herstage.com#@##ads-wrapper -skelbiu.lt#@##adsHeader -loganair.co.uk#@##adsIframe -mexx.ca#@##ads_bottom -gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.se#@##ads_right -hcplzen.cz,lamag.com#@##ads_top -gayexpress.co.nz#@##ads_wrapper -videozed.net#@##adsdiv -carryconcealed.net,haberler.com,instiz.net,promoce.cz,ps3scenefiles.com,sondakika.com#@##adsense -remixshare.com#@##adsense_block -jeeppatriot.com#@##adsense_inline -autoweek.com,cooperhewitt.org,core77.com,metblogs.com,oreilly.com,thisisthehive.net#@##adspace -e24.se#@##adspace_top -smh.com.au,theage.com.au#@##adspot-300x250-pos-1 -theage.com.au#@##adspot-300x250-pos-2 -heavy.com#@##adstop -mautofied.com,thisisads.co.uk#@##adtext -4sysops.com,autogidas.lt,ew.com,globalsecurity.org#@##adtop -al.com,cleveland.com,gulflive.com,lehighvalleylive.com,masslive.com,mlive.com,nj.com,nola.com,oregonlive.com,pennlive.com,silive.com,syracuse.com#@##adv-masthead -lawinfo.com#@##adv-top -inverterbolsa.com#@##advert1 -lakeviewfinancial.net#@##advert2 -dice.com#@##advertContainer -felcia.co.uk#@##advert_box -tiv.pw#@##advertisement1 -telkomspeedy.com#@##advertisetop -govolsxtra.com,legacy.com#@##advertising_wrapper -flyroyalbrunei.com#@##adverts -tirebusiness.com#@##advtop -bionity.com,frumforum.com,windows7gadgets.net#@##adwrapper -allieiswired.com,catb.org#@##banner-ad -asuragen.com#@##bannerAd -visitscotland.com#@##bannerAdWrapper -macrumors.com#@##banner_topad -alltimesgames.com,go.com,kennedyhealth.org,modernmedicine.com#@##bannerad -hotels.mapov.com,redcanoecu.com#@##bigAd -sudoku.com.au#@##bigad -eenadu.net,themediaonline.co.za#@##body_ad -freeshipping.com#@##bottomAds -unicreatures.com#@##bottom_ad -www.google.ac,www.google.ad,www.google.ae,www.google.al,www.google.am,www.google.as,www.google.at,www.google.az,www.google.ba,www.google.be,www.google.bf,www.google.bg,www.google.bi,www.google.bj,www.google.bs,www.google.bt,www.google.by,www.google.ca,www.google.cat,www.google.cd,www.google.cf,www.google.cg,www.google.ch,www.google.ci,www.google.cl,www.google.cm,www.google.co.ao,www.google.co.bw,www.google.co.ck,www.google.co.cr,www.google.co.id,www.google.co.il,www.google.co.in,www.google.co.jp,www.google.co.ke,www.google.co.kr,www.google.co.ls,www.google.co.ma,www.google.co.mz,www.google.co.nz,www.google.co.th,www.google.co.tz,www.google.co.ug,www.google.co.uk,www.google.co.uz,www.google.co.ve,www.google.co.vi,www.google.co.za,www.google.co.zm,www.google.co.zw,www.google.com,www.google.com.af,www.google.com.ag,www.google.com.ai,www.google.com.ar,www.google.com.au,www.google.com.bd,www.google.com.bh,www.google.com.bn,www.google.com.bo,www.google.com.br,www.google.com.by,www.google.com.bz,www.google.com.cn,www.google.com.co,www.google.com.cu,www.google.com.cy,www.google.com.do,www.google.com.ec,www.google.com.eg,www.google.com.et,www.google.com.fj,www.google.com.gh,www.google.com.gi,www.google.com.gt,www.google.com.hk,www.google.com.jm,www.google.com.jo,www.google.com.kh,www.google.com.kw,www.google.com.lb,www.google.com.ly,www.google.com.mm,www.google.com.mt,www.google.com.mx,www.google.com.my,www.google.com.na,www.google.com.ng,www.google.com.ni,www.google.com.np,www.google.com.om,www.google.com.pa,www.google.com.pe,www.google.com.pg,www.google.com.ph,www.google.com.pk,www.google.com.pr,www.google.com.py,www.google.com.qa,www.google.com.ru,www.google.com.sa,www.google.com.sb,www.google.com.sg,www.google.com.sl,www.google.com.sv,www.google.com.tj,www.google.com.tn,www.google.com.tr,www.google.com.tw,www.google.com.ua,www.google.com.uy,www.google.com.vc,www.google.com.ve,www.google.com.vn,www.google.cv,www.google.cz,www.google.de,www.google.dj,www.google.dk,www.google.dm,www.google.dz,www.google.ee,www.google.es,www.google.fi,www.google.fm,www.google.fr,www.google.ga,www.google.ge,www.google.gg,www.google.gl,www.google.gm,www.google.gp,www.google.gr,www.google.gy,www.google.hk,www.google.hn,www.google.hr,www.google.ht,www.google.hu,www.google.ie,www.google.im,www.google.iq,www.google.is,www.google.it,www.google.it.ao,www.google.je,www.google.jo,www.google.jp,www.google.kg,www.google.ki,www.google.kz,www.google.la,www.google.li,www.google.lk,www.google.lt,www.google.lu,www.google.lv,www.google.md,www.google.me,www.google.mg,www.google.mk,www.google.ml,www.google.mn,www.google.ms,www.google.mu,www.google.mv,www.google.mw,www.google.ne,www.google.ne.jp,www.google.ng,www.google.nl,www.google.no,www.google.nr,www.google.nu,www.google.pl,www.google.pn,www.google.ps,www.google.pt,www.google.ro,www.google.rs,www.google.ru,www.google.rw,www.google.sc,www.google.se,www.google.sh,www.google.si,www.google.sk,www.google.sm,www.google.sn,www.google.so,www.google.sr,www.google.st,www.google.td,www.google.tg,www.google.tl,www.google.tm,www.google.tn,www.google.to,www.google.tt,www.google.us,www.google.vg,www.google.vu,www.google.ws#@##bottomads +ads.nipr.ac.jp#@##ads-header +miuithemers.com#@##ads-left +ads.nipr.ac.jp#@##ads-menu +finvtech.com,herstage.com,sportynew.com,travel13.com#@##ads-wrapper +mafagames.com,telkomsel.com#@##adsContainer +video.tv-tokyo.co.jp,zeirishi-web.com#@##adspace +globalsecurity.org#@##adtop +ewybory.eu#@##adv-text +basinnow.com,e-jpccs.jp,oxfordlearnersdictionaries.com#@##advertise +fcbarcelona.dk#@##article_ad +catb.org#@##banner-ad hifi-forsale.co.uk#@##centerads -shoryuken.com#@##cmn_ad_tag_head -lava360.com#@##content-header-ad -arquivo.wiki.br,orientaldaily.on.cc#@##contentAd -gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.se#@##content_ads -tgfcer.com#@##content_adv -orientaldaily.on.cc#@##contentad -mouser.com#@##ctlDisplayAd1_lblAd -bestbuy.com#@##dart-container-728x90 -oxforddictionaries.com#@##dfp_ad_Entry_728x90 -oxforddictionaries.com#@##dfp_ad_Home_728x90 -israelnationalnews.com,mtanyct.info,presstv.com,presstv.ir#@##divAd -chicagotribune.com,puzzles.usatoday.com#@##div_prerollAd_1 -epicshare.net#@##download_ad -discuss.com.hk,uwants.com#@##featuread -clickbd.com#@##featured-ads -racingjunk.com#@##featuredAds -headlinestoday.intoday.in#@##footer_ad -investopedia.com#@##footer_ads -adultswim.com#@##game-ad -pescorner.net#@##googlead -chicagoreader.com,sfexaminer.com#@##gridAdSidebar -cozi.com,uwcu.org#@##head-ad -fashionmagazine.com#@##header-ads -newgrowbook.com#@##headerAd -independenttraveler.com#@##headerAdContainer -airplaydirect.com,cmt.com,hollywoodoops.com#@##header_ad -guysen.com#@##homead -aetv.com#@##ka_adRightSkyscraperWide -journalrecord.com#@##leaderAd -newegg.com#@##leaderBoardAd -blogcritics.org#@##leaderboard-ad -ratecity.com.au#@##leaderboard-advertisement -boattrader.com#@##left-ad -eva.vn#@##left_ads -briefing.com#@##leftad -wyomingnews.com#@##leftads -sunnewsnetwork.ca#@##logoAd -truecar.com#@##logo_ad -wellsfargo.com#@##mainAd -straighttalk.com,theloop.com.au#@##main_ad -cyclingnews.com#@##mpu2 -cyclingnews.com#@##mpu2_container -cyclingnews.com#@##mpu_container +wsj.com#@##footer-ads +deepgoretube.site#@##fwdevpDiv0 +developers.google.com#@##google-ads +plaza.rakuten.co.jp#@##headerAd +airplaydirect.com,zeirishi-web.com#@##header_ad +665.jp#@##leftad tei-c.org#@##msad -www.yahoo.com#@##my-adsFPAD -4kidstv.com#@##myAd -180upload.nl,epicshare.net,lemuploads.com,megarelease.org#@##player_ads -govolsxtra.com#@##pre_advertising_wrapper -box10.com,chicagotribune.com,enemy.com,flashgames247.com,hackedarcadegames.com,puzzles.usatoday.com#@##prerollAd -flickr.com#@##promo-ad -dailygames.com#@##publicidad -mmgastro.pl#@##reklama -smilelocal.com#@##rh-ad +cnn.com#@##outbrain_widget_0 +suntory.co.jp#@##page_ad +box10.com#@##prerollAd +spjai.com#@##related_ads eva.vn#@##right_ads -repair-home.com#@##right_adsense -rollingstone.com#@##search-sponsor -gumtree.co.za,gumtree.pl,kijiji.ca#@##searchAd -logic-immo.be,motortrade.me#@##search_ads -spinner.com#@##sideAd -japantoday.com#@##side_ads -gaelick.com,romstone.net#@##sidebar-ads -facebook.com,japantoday.com#@##sidebar_ads -allthingsd.com#@##skybox-ad -zapak.com#@##sponsorAdDiv -members.portalbuzz.com#@##sponsors-home -3dmark.com,yougamers.com#@##takeover_ad -acceptableads.com#@##text-ads -audioacrobat.com#@##theAd -foodbeast.com,mensfitness.com#@##top-ad -boards.adultswim.com#@##top-ad-content -isource.com#@##topAd -playstationlifestyle.net#@##topAdSpace -sdtimes.com#@##topAdSpace_div -ceporn.net#@##topAds -inverterbolsa.com#@##topAdvert -neowin.net#@##topBannerAd -morningstar.se,zootoo.com#@##top_ad -hbwm.com#@##top_ads -72tips.com,bumpshack.com,isource.com,millionairelottery.com,pdrhealth.com,psgroove.com,psx-scene.com,stickydillybuns.com#@##topad -bdjobs.com#@##topadvert -audiostream.com,soundandvision.com,stereophile.com#@##topbannerad -theblaze.com#@##under_story_ad -my-magazine.me,nbc.com,theglobeandmail.com#@##videoAd -sudoku.com.au#@#.ADBAR -sudoku.com.au#@#.AdBar -superbikeplanet.com#@#.AdBody:not(body) -co-operative.coop,co-operativetravel.co.uk,cooptravel.co.uk#@#.AdBox -backpage.com#@#.AdInfo -chicagoreader.com#@#.AdSidebar -buy.com,superbikeplanet.com#@#.AdTitle -home-search.org.uk#@#.AdvertContainer -homeads.co.nz#@#.HomeAds -travelzoo.com#@#.IM_ad_unit -ehow.com#@#.RelatedAds -everydayhealth.com#@#.SponsoredContent -apartments.com#@#.ad-300x250 -channelnewsasia.com#@#.ad-970 -optimum.net#@#.ad-banner -bash.fm,tbns.com.au#@#.ad-block -felcia.co.uk#@#.ad-body -auctionstealer.com#@#.ad-border -members.portalbuzz.com#@#.ad-btn -assetbar.com,jazzradio.com,o2.pl#@#.ad-button -bahtsold.com,propertysold.asia#@#.ad-cat -small-universe.com#@#.ad-cell -jobmail.co.za,odysseyware.com#@#.ad-display -foxnews.com,yahoo.com#@#.ad-enabled -seattletimes.com#@#.ad-fixed -mac-torrent-download.net,motortrade.me#@#.ad-header -bigfishaudio.com,cnbcafrica.com,dublinairport.com,yahoo.com#@#.ad-holder +665.jp,e-jpccs.jp#@##rightad +39.benesse.ne.jp,techeyesonline.com#@##side-ad +lexicanum.com#@##sidebar-ad +mars.video#@##stickyads +jansatta.com#@##taboola-below-article-1 +azclick.jp,tubefilter.com#@##topAd +soundandvision.com,stereophile.com#@##topbannerad +gamingcools.com#@#.Adsense +m.motonet.fi#@#.ProductAd +flightview.com#@#.ad-160-600 +job.inshokuten.com,kurukura.jp#@#.ad-area +kincho.co.jp,niji-gazo.com#@#.ad-block +ikkaku.net#@#.ad-bottom +job.inshokuten.com,sexgr.net,webbtelescope.org,websaver.ca#@#.ad-box:not(#ad-banner):not(:empty) +dbook.docomo.ne.jp,dmagazine.docomo.ne.jp#@#.ad-button +livedoorblogstyle.jp#@#.ad-center +newegg.com#@#.ad-click +backcar.fr,encuentra24.com,flat-ads.com,job.inshokuten.com#@#.ad-content +dbook.docomo.ne.jp,dmagazine.docomo.ne.jp#@#.ad-cover +xda-developers.com#@#.ad-current +wallpapers.com#@#.ad-enabled +nolotiro.org#@#.ad-hero +wallpapers.com#@#.ad-holder transparencyreport.google.com#@#.ad-icon -freebitco.in,recycler.com,usedvictoria.com#@#.ad-img -kijiji.ca#@#.ad-inner -daanauctions.com,queer.pl#@#.ad-item -cnet.com#@#.ad-leader-top -businessinsider.com#@#.ad-leaderboard -daanauctions.com,jerseyinsight.com#@#.ad-left -reformgovernmentsurveillance.com#@#.ad-link -guloggratis.dk,motortrade.me#@#.ad-links -honey.ninemsn.com.au#@#.ad-loaded -gumtree.com#@#.ad-panel -forums.soompi.com#@#.ad-placement -apartmenttherapy.com,thekitchn.com#@#.ad-rail -jerseyinsight.com#@#.ad-right -forbes.com#@#.ad-row -saavn.com#@#.ad-scroll -chase.com,signatus.eu#@#.ad-section -wmagazine.com#@#.ad-served -asterisk.org,ifokus.se#@#.ad-sidebar +flat-ads.com,lastpass.com#@#.ad-img +docomo.ne.jp#@#.ad-label +guloggratis.dk#@#.ad-links +so-net.ne.jp#@#.ad-notice +so-net.ne.jp#@#.ad-outside +letroso.com#@#.ad-padding +nicoad.nicovideo.jp#@#.ad-point +tapahtumat.iijokiseutu.fi,tapahtumat.kaleva.fi,tapahtumat.koillissanomat.fi,tapahtumat.lapinkansa.fi,tapahtumat.pyhajokiseutu.fi,tapahtumat.raahenseutu.fi,tapahtumat.rantalakeus.fi,tapahtumat.siikajokilaakso.fi#@#.ad-popup +hulu.com#@#.ad-root +honor.com#@#.ad-section +wiki.fextralife.com#@#.ad-sidebar wegotads.co.za#@#.ad-source -10tv.com#@#.ad-square -speedtest.net#@#.ad-stack -jobmail.co.za,junkmail.co.za,version2.dk#@#.ad-text -buccaneers.com,dallascowboys.com,jaguars.com,kcchiefs.com,liveside.net,neworleanssaints.com,patriots.com,philadelphiaeagles.com,seahawks.com,steelers.com,sulekha.com,vikings.com#@#.ad-top -etonline.com,fool.com,interscope.com#@#.ad-unit -billboard.com#@#.ad-unit-300-wrapper -speedtest.net#@#.ad-vertical-container -tvlistings.aol.com#@#.ad-wide -howtopriest.com,nydailynews.com#@#.ad-wrap -citylab.com,dealsonwheels.com,fastcodesign.com,happypancake.com,lifeinvader.com,makers.com,tasteofhome.com#@#.ad-wrapper -harpers.org#@#.ad300 -parade.com#@#.ad728 -interviewmagazine.com#@#.ad90 -sudoku.com.au#@#.adBar -abcfamily.go.com,livestrong.com,mega.mu#@#.adBlock -aftenposten.no#@#.adBottomBoard -expedia.com,ksl.com#@#.adBox +alliedwindow.com,isewanferry.co.jp,jreu-h.jp,junkmail.co.za,nexco-hoken.co.jp,version2.dk#@#.ad-text +job.inshokuten.com#@#.ad-title +videosalon.jp#@#.ad-widget +honor.com#@#.ad-wrap:not(#google_ads_iframe_checktag) +lifeinvader.com,marginalreport.net,spanishdict.com,studentski-servis.com#@#.ad-wrapper +xda-developers.com#@#.ad-zone +xda-developers.com#@#.ad-zone-container +wordparts.ru#@#.ad336 +leffatykki.com#@#.ad728x90 +cw.com.tw#@#.adActive thoughtcatalog.com#@#.adChoicesLogo -amfiindia.com,expressz.hu,gumtree.co.za,hotgamesforgirls.com,mycareer.com.au,quotefx.com#@#.adContent -superbikeplanet.com#@#.adDiv -mercurynews.com,siliconvalley.com#@#.adElement -birdchannel.com,catchannel.com,dogchannel.com,fishchannel.com,horsechannel.com,smallanimalchannel.com,youngrider.com#@#.adFrame -interpals.net#@#.adFrameCnt -autotrader.co.za#@#.adHead -autotrader.co.za,ctv.ca,ctvnews.ca#@#.adHeader -ctvbc.ctv.ca#@#.adHeaderblack -thebulletinboard.com#@#.adHeadline -namesecure.com,superhry.cz#@#.adHolder -superhry.cz#@#.adHoldert -autotrader.co.za,gumtree.co.nz,gumtree.co.za,gumtree.com,gumtree.com.au,gumtree.ie,gumtree.pl,gumtree.sg,ikea.com,kijiji.ca,ksl.com#@#.adImg -ceskatelevize.cz,ct24.cz,escortera.com#@#.adItem -greatergood.com,tweakers.net,uol.com.br#@#.adLink -abc.go.com#@#.adMessage +dailymail.co.uk,namesecure.com#@#.adHolder +ikkaku.net#@#.adImg +hdfcbank.com#@#.adLink seznam.cz#@#.adMiddle -cheaptickets.com,orbitz.com#@#.adMod -outspark.com#@#.adModule -hotels.mapov.com#@#.adOverlay -advertiser.ie#@#.adPanel -shockwave.com#@#.adPod -aggeliestanea.gr#@#.adResult -pogo.com#@#.adRight -is.co.za,smc.edu,ticketsnow.com#@#.adRotator -microsoft.com,northjersey.com#@#.adSpace -1380thebiz.com,1520thebiz.com,1520wbzw.com,760kgu.biz,880thebiz.com,am1260thebuzz.com,biz1190.com,business1110ktek.com,kdow.biz,kkol.com,money1055.com,takealot.com,twincitiesbusinessradio.com#@#.adSpot -autotrader.co.za,thebulletinboard.com#@#.adText -autotrader.co.za,ksl.com,superbikeplanet.com#@#.adTitle -empowher.com#@#.adTopHome -streamcloud.eu#@#.adWidget -cocktailsoftheworld.com,hotgamesforgirls.com,supersonicads.com#@#.adWrap -sanmarcosrecord.com#@#.ad_1 -techreport.com#@#.ad_160 -courierpostonline.com#@#.ad_160x600 -focustaiwan.tw,sanmarcosrecord.com#@#.ad_2 -sanmarcosrecord.com#@#.ad_3 -elledecor.com,nydailynews.com,tvland.com#@#.ad_728x90 -globest.com#@#.ad_960 -nirmaltv.com#@#.ad_Right -focustaiwan.tw,lavozdegalicia.es#@#.ad_block +aggeliestanea.gr,infotel.ca#@#.adResult +macys.com,news24.jp#@#.adText +clien.net,mediafire.com#@#.ad_banner +interior-hirade.co.jp#@#.ad_bg +sozai-good.com#@#.ad_block panarmenian.net#@#.ad_body -joins.com#@#.ad_bottom -go.com,robhasawebsite.com,thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se#@#.ad_container -bebusiness.eu,environmentjob.co.uk,lowcarbonjobs.com,myhouseabroad.com#@#.ad_description -318racing.org,linuxforums.org,modelhorseblab.com#@#.ad_global_header -gizmodo.jp,kotaku.jp,lifehacker.jp#@#.ad_head_rectangle -horsemart.co.uk,merkatia.com,mysportsclubs.com,news.yahoo.com#@#.ad_header -olx.pt,whatuni.com#@#.ad_img -bebusiness.eu,myhouseabroad.com,njuskalo.hr,starbuy.sk.data10.websupport.sk#@#.ad_item -timesofmalta.com#@#.ad_leaderboard -yirmidorthaber.com#@#.ad_middle -rediff.com#@#.ad_outer -tvland.com#@#.ad_promo -weather.yahoo.com#@#.ad_slug_table -chinapost.com.tw#@#.ad_space -huffingtonpost.ca,huffingtonpost.co.uk,huffingtonpost.com,huffingtonpost.in#@#.ad_spot -bbs.newhua.com,starbuy.sk.data10.websupport.sk#@#.ad_text -fastseeksite.com,njuskalo.hr#@#.ad_title -oxforddictionaries.com#@#.ad_trick_header -oxforddictionaries.com#@#.ad_trick_left -wg-gesucht.de#@#.ad_wrap -athensmagazine.gr#@#.ad_wrapper -choone.com#@#.adarea -espni.go.com,m.espn.com,nownews.com,nva.gov.lv#@#.adbanner -fifthinternational.org,sudoku.com.au#@#.adbar -smilelocal.com#@#.adbottom -thelog.com#@#.adbutton -lancasteronline.com#@#.adcolumn -archiwumallegro.pl#@#.adcont -bmwoglasnik.si,completemarkets.com,superbikeplanet.com#@#.addiv -linux.com#@#.adframe -nick.com#@#.adfree -choone.com#@#.adheader -northjersey.com,rabota.by#@#.adholder -backpage.com#@#.adinfo -pcmag.com#@#.adkit -insomnia.gr,kingsinteriors.co.uk,superbikeplanet.com#@#.adlink -bmwoglasnik.si,clickindia.com#@#.adlist -find-your-horse.com#@#.admain -smilelocal.com#@#.admiddle -tomwans.com#@#.adright -skatteverket.se#@#.adrow1 -skatteverket.se#@#.adrow2 -community.pictavo.com#@#.ads-1 -community.pictavo.com#@#.ads-2 -community.pictavo.com#@#.ads-3 -mommyish.com#@#.ads-300-250 -pch.com#@#.ads-area -hellogiggles.com#@#.ads-bg -queer.pl#@#.ads-col +jabank-tokushima.or.jp,joins.com,jtbc.co.kr#@#.ad_bottom +ienohikari.net#@#.ad_btn +m.nettiauto.com,m.nettikaravaani.com,m.nettikone.com,m.nettimoto.com,m.nettivaraosa.com,m.nettivene.com,nettimokki.com#@#.ad_caption +classy-online.jp,thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se#@#.ad_container +walkingclub.org.uk#@#.ad_div +admanager.line.biz#@#.ad_frame +modelhorseblab.com#@#.ad_global_header +myhouseabroad.com,njuskalo.hr,starbuy.sk.data10.websupport.sk#@#.ad_item +final-fantasy.cc#@#.ad_left +muzines.co.uk#@#.ad_main +jabank-tokushima.or.jp#@#.ad_middle +huffingtonpost.co.uk#@#.ad_spot +kpanews.co.kr#@#.ad_top +genshinimpactcalculator.com#@#.adban +weatherwx.com#@#.adbutton +boots.com#@#.adcard +mediance.com#@#.adcenter +indiatimes.com#@#.adhide +insomnia.gr,kingsinteriors.co.uk#@#.adlink +ascii.jp#@#.adrect +epawaweather.com#@#.adrow +gemini.yahoo.com#@#.ads +in.fo,moovitapp.com#@#.ads-banner +bdsmlr.com#@#.ads-container +happyend.life#@#.ads-core-placer ads.nipr.ac.jp,burzahrane.hr#@#.ads-header -members.portalbuzz.com#@#.ads-holder +heatware.com#@#.ads-image t3.com#@#.ads-inline -celogeek.com,checkrom.com#@#.ads-item -circus-dev.com#@#.ads-list -bannerist.com#@#.ads-right -apple.com#@#.ads-section -community.pictavo.com,juicesky.com#@#.ads-title -queer.pl#@#.ads-top -getwallpapers.com#@#.ads1 +miuithemers.com#@#.ads-left +hatenacorp.jp,milf300.com#@#.ads-link +forbes.com#@#.ads-loaded +fireload.com#@#.ads-mobile +fuse-box.info#@#.ads-row +juicesky.com#@#.ads-title +mastersclub.jp#@#.ads.widget +getwallpapers.com,wallpaperaccess.com,wallpapercosmos.com,wallpaperset.com#@#.ads1 jw.org#@#.adsBlock -download.cnet.com#@#.ads_catDiv -santabanta.com#@#.ads_div -shopmos.net#@#.ads_top -quebarato.com.br,search.conduit.com#@#.ads_wrapper +cars.mitula.ae#@#.adsList +bilinovel.com#@#.ads_ad_box +trustnet.com#@#.ads_right +search.conduit.com#@#.ads_wrapper alluc.org#@#.adsbottombox -magebam.com#@#.adsbox -advancedrenamer.com,epicbundle.com,weightlosereally.com,willyoupressthebutton.com#@#.adsbygoogle copart.com#@#.adscontainer starbike.com#@#.adsense_wrapper live365.com#@#.adshome -chupelupe.com#@#.adside -nationalpost.com#@#.adsizewrapper -fodey.com,tuxpi.com#@#.adslot -wg-gesucht.de#@#.adslot_blurred -4kidstv.com,banknbt.com,kwik-fit.com,mac-sports.com#@#.adspace +javbix.com#@#.adsleft cutepdf-editor.com#@#.adtable -absolute.com#@#.adtile -smilelocal.com#@#.adtop +gigazine.net#@#.adtag +kmsv.jp#@#.adtitle +brandexperience-group.com#@#.adv-banner dobro.systems#@#.adv-box dobro.systems#@#.adv-list -promodj.com#@#.adv300 dobro.systems#@#.advBox -goal.com#@#.adv_300 -strongdiesel.com#@#.adv_txt -pistonheads.com#@#.advert-block -eatsy.co.uk#@#.advert-box -bigcommerce.com,chycor.co.uk#@#.advert-container -pistonheads.com,welovethe90s.fi#@#.advert-content -mobifrance.com#@#.advert-horizontal -citifmonline.com,horsedeals.com.au#@#.advert-wrapper +yuik.net#@#.advads-widget +bigcommerce.com#@#.advert-container +labartt.com#@#.advert-detail jamesedition.com#@#.advert2 -pdc.tv#@#.advertColumn -basingstokehomebid.org.uk,homefindersomerset.co.uk#@#.advertContainer -longstonetyres.co.uk#@#.advertLink -longstonetyres.co.uk#@#.advertText -niedziela.nl#@#.advert_container +rupors.com#@#.advertSlider browsershots.org#@#.advert_list -pets4homes.co.uk#@#.advertbox -itavisen.no#@#.advertisement-1 -zalora.co.id,zalora.co.th,zalora.com.my,zalora.com.ph,zalora.sg#@#.advertisement-block -wired.com#@#.advertisement__leaderboard -buyout.pro,news.com.au,zlinked.com#@#.advertiser -anobii.com,ceporn.net#@#.advertisment +zalora.co.id,zalora.co.th,zalora.com.hk,zalora.com.my,zalora.com.ph,zalora.com.tw,zalora.sg#@#.advertisement-block +adquick.com,buyout.pro,news.com.au,zlinked.com#@#.advertiser +anobii.com#@#.advertisment grist.org,ing.dk,version2.dk#@#.advertorial -bavaria86.com,ransquawk.com,trh.sk#@#.adverts stjornartidindi.is#@#.adverttext +videosalon.jp#@#.adwidget staircase.pl#@#.adwords consumerist.com#@#.after-post-ad -thisismoney.co.uk#@#.article-advert +dailymail.co.uk,thisismoney.co.uk#@#.article-advert deluxemusic.tv#@#.article_ad -jiji.ng#@#.b-advert -pbs.org#@#.banner-ad -annfammed.org#@#.banner-ads -plus.net#@#.banner300 -mlb.com#@#.bannerAd -milenio.com#@#.banner_728x90 -mergermarket.com#@#.banner_ad -cumbooks.co.za,eurweb.com,infoplease.com#@#.bannerad -popporn.com,webphunu.net#@#.block-ad -economist.com#@#.block-ec_ads -diena.lt#@#.block-simpleads -oliveoiltimes.com#@#.blog-ads -hispanicbusiness.com#@#.bottom-ad -newagestore.com#@#.bottom-ads -nytimes.com#@#.bottom-left-ad -123poi.com#@#.bottomAds +adeam.com#@#.atf-wrapper +dr.dk#@#.banner-ad-container +popporn.com#@#.block-ad +shop.asobistore.jp#@#.block-sponsor +rspro.xyz#@#.body-top-ads +shanjinji.com#@#.bottom_ad ixbtlabs.com#@#.bottom_ad_block -queer.pl#@#.box-ads -wired.com#@#.box-radvert -ibtimes.co.in#@#.box-recommend-ad -strongdiesel.com#@#.box_ads -strongdiesel.com#@#.box_adv -theonion.com#@#.boxad -meridiana.it#@#.boxadv -abc.net.au#@#.btn-ad -socialclub.rockstargames.com#@#.btnSocial -weather.yahoo.com#@#.can_ad_slug -deployhappiness.com,dmitrysotnikov.wordpress.com,faravirusi.com#@#.category-ad -gegenstroemung.org#@#.change_AdContainer -deals.kinja.com#@#.commerce-inset -findicons.com,tattoodonkey.com#@#.container_ad -insidefights.com#@#.container_row_ad -theology.edu#@#.contentAd +9l.pl#@#.boxAds +canonsupports.com#@#.box_ads +stuff.tv#@#.c-ad +thedigestweb.com#@#.c-ad-banner +rspro.xyz#@#.c-ads +deployhappiness.com,dmitrysotnikov.wordpress.com,faravirusi.com,freedom-shift.net,lovepanky.com,markekaizen.jp,netafull.net,photopoint.com.ua,posh-samples.com#@#.category-ad:not(html):not(body) +business-hack.net,clip.m-boso.net,iine-tachikawa.net,meihong.work#@#.category-ads:not(html):not(body) +studio55.fi#@#.column-ad +fontspace.com,skyrimcommands.com#@#.container-ads verizonwireless.com#@#.contentAds -freevoipdeal.com,voipstunt.com#@#.content_ads -glo.msn.com#@#.cp-adsInited -adexchanger.com,gottabemobile.com,thinkcomputers.org#@#.custom-ad -youtube.com#@#.ddb -theweek.com#@#.desktop-ad -wwlp.com#@#.dfp-ad -ripley.cl#@#.dfp-ad-unit -flightcentre.co.uk,out.com#@#.dfp-tag-wrapper -dn.se#@#.displayAd -deviantart.com#@#.download_ad -bestgunsafepro.com#@#.easyazon-block -economist.com#@#.ec-ads-remove-if-empty -boattrader.com#@#.featured-ad -racingjunk.com#@#.featuredAdBox -webphunu.net#@#.flash-advertisement +disk.yandex.by,disk.yandex.com,disk.yandex.kz,disk.yandex.ru,disk.yandex.uz,freevoipdeal.com,voipstunt.com,yadi.sk#@#.content_ads +adexchanger.com,gottabemobile.com,mrmoneymustache.com,thinkcomputers.org#@#.custom-ad +roomclip.jp#@#.display-ad +anime-japan.jp#@#.display_ad +humix.com#@#.ez-video-wrap +thestudentroom.co.uk#@#.fixed_ad songlyrics.com#@#.footer-ad -employmentguide.com#@#.footer-ads -selectparkhomes.com#@#.footer_ad -koopik.com#@#.footerad -ebayclassifieds.com,guloggratis.dk#@#.gallery-ad -time.com#@#.google-sponsored -gumtree.co.za#@#.googleAdSense -nicovideo.jp#@#.googleAds +634929.jp,d-hosyo.co.jp#@#.footer_ads +guloggratis.dk#@#.gallery-ad davidsilverspares.co.uk#@#.greyAd -komando.com#@#.grid-item-ad -forums.digitalspy.com,waer.org#@#.has-ad -minecraftforge.net#@#.hasads -adexchanger.com,assetbar.com,burningangel.com,donthatethegeek.com,drunkenstepfather.com,intomobile.com,poderpda.com,politicususa.com,seattlepi.com,sfgate.com,startingstrongman.com,thenationonlineng.net,thinkcomputers.org,wccftech.com,wholelifestylenutrition.com#@#.header-ad -greenbayphoenix.com,photobucket.com#@#.headerAd -dailytimes.com.pk,swns.com#@#.header_ad -associatedcontent.com#@#.header_ad_center -kidzworld.com#@#.header_advert -plugcomputer.org#@#.headerad -haaretz.com#@#.headerads -gnc.co.uk,iedrc.org#@#.home-ad -1065thearch.com,949cincinnati.com,98kupd.com,altaz933.com,b105.com,click989.com,kazg1440.com,kslx.com,movin925.com,nbcsports1060.com,theworldwidewolf.com,warm1069.com,wil92.com,wkrq.com,wshechicago.com,wtmx.com#@#.home-ads -heals.co.uk,questapartments.com.au#@#.homeAd -worldsnooker.com#@#.homead -gq.com#@#.homepage-ad -straighttalk.com#@#.homepage_ads -radaronline.com#@#.horizontal_ad -bodas.com.mx,bodas.net,daveramsey.com,economist.com,flightcentre.co.uk,mariages.net,matrimonio.com,payback.pl,ripley.cl,ripley.com.pe,weddingspot.co.uk,wsj.com#@#.img_ad -a-k.tel,baldai.tel,boracay.tel,covarrubias.tel#@#.imgad -lespac.com#@#.inner_ad -classifiedads.com#@#.innerad -gizbrain.com,szlifestyle.com#@#.insert-post-ads -silveradoss.com#@#.ipsAd -magazines-download.com#@#.item-ads -amazinglytimedphotos.com#@#.item-container-ad -rollingstone.com#@#.js-sticky-ad -kseries.me#@#.jw-ad -everybodysucksbutus.com,usatoday.com#@#.leaderboard-ad -ajcn.org,annfammed.org#@#.leaderboard-ads -lolhit.com#@#.leftAd -lolhit.com#@#.leftad -ebayclassifieds.com#@#.list-ad -bahtsold.com,comodoroenventa.com,propertysold.asia#@#.list-ads -euspert.com#@#.listad +deep-edge.net,forums.digitalspy.com,marketwatch.com#@#.has-ad +si.com#@#.has-fixed-bottom-ad +naver.com#@#.head_ad +infosecurity-magazine.com#@#.header-ad-row +mobiili.fi#@#.header_ad +iedrc.org#@#.home-ad +tpc.googlesyndication.com#@#.img_ad +thelincolnite.co.uk#@#.inline-ad +elektro.info.pl,mashingup.jp#@#.is-sponsored +gizmodo.jp#@#.l-ad +vukajlija.com#@#.large-advert +realgfporn.com#@#.large-right-ad atea.com,ateadirect.com,knowyourmobile.com,nlk.org.np#@#.logo-ad -eagleboys.com.au#@#.marketing-ad -driverscollection.com#@#.mid_ad -donga.com#@#.middle_AD -thenewamerican.com#@#.module-ad -nationalpost.com,www.msn.com#@#.nativead -eatthis.com#@#.nav-ad -ziehl-abegg.com#@#.newsAd +insideevs.com#@#.m1-header-ad +doda.jp,tubefilter.com#@#.mainAd +austurfrett.is,boards.4chan.org,boards.4channel.org#@#.middlead +thespruce.com#@#.mntl-leaderboard-spacer +sankei.com#@#.module_ad +seura.fi,www.msn.com#@#.nativead +platform.liquidus.net#@#.nav_ad dogva.com#@#.node-ad -dn.se#@#.oasad -climbingbusinessjournal.com,kunstpiste.com#@#.oio-banner-zone -antronio.com,frogueros.com#@#.openx -youtube.com#@#.overlay-ads -adn.com#@#.page-ad -daum.net,rottentomatoes.com#@#.page_ad -bachofen.ch#@#.pfAd -speedtest.net#@#.plainAd -m.vporn.com#@#.playerAd -iitv.info#@#.player_ad -vodu.ch#@#.player_hover_ad -bigfootpage.com,gumtree.com#@#.post-ad -venturebeat.com#@#.post-sponsored -ayosdito.ph,christianhouseshare.com.au,trovit.pl#@#.post_ad -freeads.co.uk,gumtree.co.za,sahibinden.com#@#.postad -wesh.com#@#.premiumAdOverlay -wesh.com#@#.premiumAdOverlayClose -ebaumsworld.com,timeoutbengaluru.net,timeoutdelhi.net#@#.promoAd -abaporufilmes.com.br#@#.publicidade -ebay.co.uk,theweek.com#@#.pushdown-ad -engadget.com#@#.rail-ad -interpals.net#@#.rbRectAd -collegecandy.com#@#.rectangle_ad -salon.com#@#.refreshAds -foreignaffairs.com#@#.region-top-ad-position -uploadic.com#@#.reklam -doradcy24.pl,mmgastro.pl,offmoto.com,slovaknhl.sk#@#.reklama -tradera.com#@#.reportAdLink -bilzonen.dk#@#.resultad -airlinequality.com#@#.review-ad -7-eleven.com#@#.right-ad -theberrics.com,weddingchannel.com#@#.rightAd -post-gazette.com#@#.right_ad -dailymotion.com#@#.right_ads_column -theberrics.com,w3schools.com,x17online.com#@#.rightad -tobarandualchais.co.uk#@#.rightadv -gumtree.co.za#@#.searchAds -mail.yahoo.com#@#.searchad -avizo.cz,bisexual.com#@#.searchads -ipsluk.co.uk#@#.section-sponsor -arbetsformedlingen.se,wunderground.com#@#.showAd -almanacnews.com,danvillesanramon.com,mv-voice.com,paloaltoonline.com,pleasantonweekly.com#@#.showads -agelioforos.gr,audioholics.com,domainrural.com.au#@#.side-ad -suntimes.com#@#.side-bar-ad-position1 -timesofoman.com#@#.sideAd -fool.com#@#.sidebar-ads -adspot.lk,recycler.com#@#.single-ad -myaccount.nytimes.com#@#.singleAd -cbsnews.com,gamespot.com#@#.skinAd -radaronline.com#@#.sky_ad -comicbookmovie.com#@#.skyscraperAd -reuters.com#@#.slide-ad -caarewards.ca#@#.smallAd -boylesports.com#@#.small_ad -hebdenbridge.co.uk,store.gameshark.com#@#.smallads -theforecaster.net#@#.sponsor-box -photocrowd.com#@#.sponsor-logo -childfund.org#@#.sponsorBlock -xhamster.com#@#.sponsorBottom -getprice.com.au#@#.sponsoredLinks -golfmanagerlive.com#@#.sponsorlink -giantlife.com,hellobeautiful.com,newsone.com,theurbandaily.com#@#.sticky-ad -technical.ly#@#.story-ad -ibtimes.co.in#@#.taboola-ad -thoughtcatalog.com#@#.tc_ad_unit -star.txstate.edu#@#.td-ad -star.txstate.edu#@#.td-header-ad-wrap -kanui.com.br,nytimes.com#@#.text-ad +rottentomatoes.com#@#.page_ad +gumtree.com#@#.postad +komplett.dk,komplett.no,komplett.se,komplettbedrift.no,komplettforetag.se,newegg.com#@#.product-ad +newegg.com#@#.product-ads +ebaumsworld.com#@#.promoAd +galaopublicidade.com#@#.publicidade +eneuro.org,jneurosci.org#@#.region-ad-top +offmoto.com#@#.reklama +msn.com#@#.serversidenativead +audioholics.com,classy-online.jp#@#.side-ad +ekitan.com,kissanadu.com#@#.sidebar-ad +independent.com#@#.sidebar-ads +cadlinecommunity.co.uk#@#.sidebar_advert +proininews.gr#@#.small-ads +eh-ic.com#@#.small_ad +hebdenbridge.co.uk#@#.smallads +geekwire.com#@#.sponsor_post +toimitilat.kauppalehti.fi#@#.sponsored-article +zdnet.com#@#.sponsoredItem kingsofchaos.com#@#.textad -antronio.com,cdf.cl,frogueros.com#@#.textads -anythinghollywood.com,aylak.com#@#.top-ad -mobilesyrup.com#@#.top-ad-container -boards.adultswim.com#@#.top-ad-content -programmableweb.com#@#.top-ad-wrapper -afbmotorcycles.co.uk#@#.top-advert -nypress.com,timescall.com#@#.topAds -horsemart.co.uk,torrentv.org#@#.top_ad -conversations.nokia.com#@#.top_ad_div -egmnow.com#@#.top_ad_wrap -imagepicsa.com,sun.mv,trailvoy.com#@#.top_ads -earlyamerica.com,infojobs.net#@#.topads -nfl.com#@#.tower-ad -express.de,focus.de#@#.trc-content-sponsored -express.de,focus.de#@#.trc_rbox .syndicatedItem -express.de,focus.de#@#.trc_rbox_border_elm .syndicatedItem -express.de,focus.de#@#.trc_rbox_div .syndicatedItem -express.de,focus.de#@#.trc_related_container div[data-item-syndicated="true"] -yahoo.com#@#.type_ads_default -wingsbirdpro.com#@#.vertical-ads -vinden.se#@#.view_ad -nytimes.com#@#.wideAd -britannica.com,cam4.com#@#.withAds -statejournal.com#@#.wnad -americannews.com,theuspatriot.com#@#.wpInsertInPostAd -cnsm.com.br#@#.wp_bannerize -weather.yahoo.com#@#.yom-ad +k24tv.co.ke#@#.top-ad +cp24.com#@#.topAd +jabank-tokushima.or.jp#@#.top_ad +outinthepaddock.com.au#@#.topads +codedevstuff.blogspot.com,hassiweb-programming.blogspot.com#@#.vertical-ads +ads.google.com,youtube.com#@#.video-ads +javynow.com#@#.videos-ad +elnuevoherald.com,sacbee.com#@#.wps-player-wrap +gumtree.com.au,s.tabelog.com#@#[data-ad-name] +mebelcheap.ru#@#[data-adblockkey] +globsads.com#@#[href^="http://globsads.com/"] +mypillow.com#@#[href^="http://mypillow.com/"] > img +mypillow.com#@#[href^="http://www.mypillow.com/"] > img +mypatriotsupply.com#@#[href^="https://mypatriotsupply.com/"] > img +mypillow.com#@#[href^="https://mypillow.com/"] > img +mystore.com#@#[href^="https://mystore.com/"] > img +noqreport.com#@#[href^="https://noqreport.com/"] > img +sinisterdesign.net#@#[href^="https://secure.bmtmicro.com/servlets/"] +herbanomic.com#@#[href^="https://www.herbanomic.com/"] > img +techradar.com#@#[href^="https://www.hostg.xyz/aff_c"] +mypatriotsupply.com#@#[href^="https://www.mypatriotsupply.com/"] > img +mypillow.com#@#[href^="https://www.mypillow.com/"] > img +restoro.com#@#[href^="https://www.restoro.com/"] +zstacklife.com#@#[href^="https://zstacklife.com/"] img +amazon.com,cancam.jp,faceyourmanga.com,isc2.org,liverc.com,mit.edu,muscatdaily.com,olx.pl,saitama-np.co.jp,timesofoman.com,virginaustralia.com#@#[id^="div-gpt-ad"] revimedia.com#@#a[href*=".revimedia.com/"] -trust.zone#@#a[href*=".trust.zone"] -bitrebels.com#@#a[href*="/adrotate-out.php?"] -theporndude.com#@#a[href*="theporndude.com"] -pornstarbyface.com#@#a[href^="//awejmp.com/"] -santander.co.uk#@#a[href^="http://ad-emea.doubleclick.net/"] -jabong.com,people.com,techrepublic.com,time.com#@#a[href^="http://ad.doubleclick.net/"] -pcmag.com,watchever.de#@#a[href^="http://adfarm.mediaplex.com/"] -betbeaver.com,betwonga.com,matched-bet.net#@#a[href^="http://ads.betfair.com/redirect.aspx?"] -betwonga.com#@#a[href^="http://ads2.williamhill.com/redirect.aspx?"] -betwonga.com#@#a[href^="http://adserving.unibet.com/"] -adultfriendfinder.com#@#a[href^="http://adultfriendfinder.com/p/register.cgi?pid="] -betwonga.com,matched-bet.net#@#a[href^="http://affiliate.coral.co.uk/processing/"] -marketgid.com,mgid.com#@#a[href^="http://marketgid.com"] -iab.com,marketgid.com,mgid.com#@#a[href^="http://mgid.com/"] -betwonga.com#@#a[href^="http://online.ladbrokes.com/promoRedirect?"] -linkedin.com,tasteofhome.com#@#a[href^="http://pubads.g.doubleclick.net/"] -marketgid.com,mgid.com#@#a[href^="http://us.marketgid.com"] -adskeeper.co.uk#@#a[href^="http://www.adskeeper.co.uk/"] -betbeaver.com,betwonga.com#@#a[href^="http://www.bet365.com/home/?affiliate"] -fbooksluts.com#@#a[href^="http://www.fbooksluts.com/"] -fleshjack.com,fleshlight.com#@#a[href^="http://www.fleshlight.com/"] -google.ca,google.co.nz,google.co.uk,google.com,google.com.au,google.de#@#a[href^="http://www.liutilities.com/"] -socialsex.com#@#a[href^="http://www.socialsex.com/"] -fuckbookhookups.com#@#a[href^="http://www.yourfuckbook.com/?"] -buzzfeed.com#@#a[href^="https://ad.doubleclick.net/"] +dr.dk,smartadserver.de#@#a[href*=".smartadserver.com"] +slickdeals.net#@#a[href*="adzerk.net"] +sweetdeals.com#@#a[href*="https://www.sweetdeals.com/"] img +legacy.com#@#a[href^="http://pubads.g.doubleclick.net/"] +canstar.com.au,mail.yahoo.com#@#a[href^="https://ad.doubleclick.net/"] badoinkvr.com#@#a[href^="https://badoinkvr.com/"] -healthmeans.com#@#a[href^="https://servedbyadbutler.com/"] -trust.zone#@#a[href^="https://trust.zone/"] -financeads.de#@#a[href^="https://www.financeads.net/tc.php?"] +xbdeals.net#@#a[href^="https://click.linksynergy.com/"] +naughtyamerica.com#@#a[href^="https://natour.naughtyamerica.com/track/"] +bookworld.no#@#a[href^="https://ndt5.net/"] privateinternetaccess.com#@#a[href^="https://www.privateinternetaccess.com/"] -marketgid.com,mgid.com#@#a[id^="mg_add"] +marcpapeghin.com#@#a[href^="https://www.sheetmusicplus.com/"][href*="?aff_id="] politico.com#@#a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] -cookinglight.com,ew.com,foodandwine.com,fortune.com,hellogiggles.com,myrecipes.com,people.com,si.com,time.com,travelandleisure.com#@#div[data-native_ad] -marketgid.com,mgid.com#@#div[id^="MarketGid"] -sensacionalista.com.br#@#div[id^="advads-"] -flightcentre.co.uk,out.com#@#div[id^="dfp-ad-"] -amazon.com,beqala.com,concursovirtual.com.br,daveramsey.com,drupalcommerce.org,ensonhaber.com,eurweb.com,faceyourmanga.com,isc2.org,lavozdegalicia.es,liverc.com,liverpoolfc.com,loksatta.com,mit.edu,muscatdaily.com,olx.pl,payback.pl,peekyou.com,pianobuyer.com,podomatic.com,ripley.cl,ripley.com.pe,suntimes.com,timesofoman.com,virginaustralia.com,wlj.net,zavvi.com#@#div[id^="div-gpt-ad"] -daveramsey.com,foodkick.com,olx.pl,ripley.cl,ripley.com.pe#@#div[id^="google_ads_iframe_"] -lavozdegalicia.es#@#div[itemtype="http://schema.org/WPAdBlock"] -bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#iframe[id^="google_ads_frame"] -bodas.com.mx,bodas.net,concursovirtual.com.br,daveramsey.com,economist.com,flightcentre.co.uk,foodkick.com,lavozdegalicia.es,liverpoolfc.com,mariages.net,matrimonio.com,olx.pl,payback.pl,pianobuyer.com,ripley.cl,ripley.com.pe,thoughtcatalog.com,vroomvroomvroom.com.au,weddingspot.co.uk,wsj.com,zillow.com#@#iframe[id^="google_ads_iframe"] -weather.yahoo.com#@#iframe[src^="http://ad.yieldmanager.com/"] +heaven-burns-red.com#@#article.ad +play.google.com#@#div[aria-label="Ads"] +news.artnet.com,powernationtv.com,worldsurfleague.com#@#div[data-ad-targeting] +cookinglight.com#@#div[data-native_ad] +googleads.g.doubleclick.net#@#div[id^="ad_position_"] +out.com#@#div[id^="dfp-ad-"] +cancam.jp,saitama-np.co.jp#@#div[id^="div-gpt-"] +xdpedia.com#@#div[id^="ezoic-pub-ad-"] +forums.overclockers.ru#@#div[id^="yandex_ad"] +! ! invideo ad +si.com#@##mplayer-embed +click2houston.com,clickondetroit.com,clickorlando.com,ksat.com,news4jax.com,wsls.com#@#.ac-widget-placeholder +screenrant.com#@#.ad-current +screenrant.com#@#.ad-zone +screenrant.com#@#.ad-zone-container +screenrant.com,xda-developers.com#@#.adsninja-ad-zone +adamtheautomator.com,mediaite.com,packhacker.com,packinsider.com#@#.adthrive +mediaite.com,packhacker.com,packinsider.com#@#.adthrive-content +mediaite.com,packhacker.com,packinsider.com#@#.adthrive-video-player +click2houston.com,clickondetroit.com,clickorlando.com,ksat.com,news4jax.com,wsls.com#@#.anyClipWrapper +accuweather.com,cheddar.tv,deadline.com,elnuevoherald.com,heraldsun.com,olhardigital.com.br,tvinsider.com#@#.cnx-player-wrapper +accuweather.com#@#.connatix-player +huffpost.com#@#.connatix-wrapper +screenrant.com#@#.w-adsninja-video-player +! ! ins.adsbygoogle +advancedrenamer.com,androidrepublic.org,anonymousemail.me,apkmirror.com,cdromance.com,demos.krajee.com,epicbundle.com,korail.pe.kr,nextbigtrade.com,phcorner.net,pixiz.com,skmedix.pl,spoilertv.com,teemo.gg,willyoupressthebutton.com#@#ins.adsbygoogle[data-ad-client] +advancedrenamer.com,androidrepublic.org,anonymousemail.me,apkmirror.com,cdromance.com,demos.krajee.com,epicbundle.com,korail.pe.kr,nextbigtrade.com,phcorner.net,pixiz.com,skmedix.pl,spoilertv.com,teemo.gg,willyoupressthebutton.com#@#ins.adsbygoogle[data-ad-slot] +! ! .adslot +apkmirror.com,tuxpi.com#@#.adslot +! ! .adverts +bavaria86.com,ransquawk.com,tf2r.com,trh.sk#@#.adverts +! webike domains, fix broken page +japan-webike.be,japan-webike.ca,japan-webike.ch,japan-webike.dk,japan-webike.ie,japan-webike.it,japan-webike.kr,japan-webike.nl,japan-webike.se,webike-china.cn,webike.ae,webike.co.at,webike.co.hu,webike.co.il,webike.co.uk,webike.com.ar,webike.com.bd,webike.com.gr,webike.com.kh,webike.com.mm,webike.com.ru,webike.com.tr,webike.com.ua,webike.cz,webike.de,webike.es,webike.fi,webike.fr,webike.hk,webike.id,webike.in,webike.la,webike.mt,webike.mx,webike.my,webike.net,webike.net.br,webike.net.pl,webike.ng,webike.no,webike.nz,webike.ph,webike.pk,webike.pt,webike.sg,webike.tw#@#.ad_box +japan-webike.be,japan-webike.ca,japan-webike.ch,japan-webike.dk,japan-webike.ie,japan-webike.it,japan-webike.kr,japan-webike.nl,japan-webike.se,webike-china.cn,webike.ae,webike.co.at,webike.co.hu,webike.co.il,webike.co.uk,webike.com.ar,webike.com.bd,webike.com.gr,webike.com.kh,webike.com.mm,webike.com.ru,webike.com.tr,webike.com.ua,webike.cz,webike.de,webike.es,webike.fi,webike.fr,webike.hk,webike.id,webike.in,webike.la,webike.mt,webike.mx,webike.my,webike.net,webike.net.br,webike.net.pl,webike.ng,webike.no,webike.nz,webike.ph,webike.pk,webike.pt,webike.sg,webike.tw#@#.ad_title ! Anti-Adblock -opensubtitles.org#@##AD_Top -mypoints.com#@##ad-main -bitcoiner.net#@##ad-top -zeez.tv#@##ad_overlay -cnet.com#@##adboard -olweb.tv#@##ads1 -gooprize.com,jsnetwork.fr#@##ads_bottom -adlice.com,androiding.how,appwikia.com,bagas31.com,elchapuzasinformatico.com,noticiasautomotivas.com.br,oklivetv.com,sharefreeall.com,shufflespain.es,simply-debrid.com,unixmen.com,xsportnews.com,xup.in,xup.to#@##adsense spoilertv.com#@##adsensewide -8muses.com#@##adtop -anisearch.com,lilfile.com#@##advertise -yafud.pl#@##bottomAd -thesimsresource.com#@##leaderboardad -aplus.com,explosm.net#@##sponsoredwellcontainerbottom -wornandwound.com#@#.ad-grid -fox.com#@#.ad-unit -grifthost.com#@#.ad468 -apkmirror.com#@#.adsWidget -androidrepublic.org,anonymousemail.me,apkmirror.com,boxbit.co.in,bsmotoring.com,classic-retro-games.com,coingamez.com,demos.krajee.com,doulci.net,eveskunk.com,filecore.co.nz,freebitco.in,gnomio.com,kadinlarkulubu.com,niresh.co,nzb.su,orlygift.com,pixiz.com,r1db.com,sc2casts.com,spoilertv.com,unlocktheinbox.com,zeperfs.com#@#.adsbygoogle -apkmirror.com#@#.adslot browsershots.org#@#.advert_area -wtkplay.pl#@#.advertising_banner -velasridaura.com#@#.advertising_block -guitarforum.co.za,tf2r.com#@#.adverts -africasports.net,bakersfield.com,cheatpain.com,diplomat.so,directwonen.nl,dramacafe.in,eveskunk.com,farsondigitalwatercams.com,file4go.com,freeccnaworkbook.com,gaybeeg.info,hack-sat.com,is-arquitectura.es,jornaisdesportivospdf.com,keygames.com,latesthackingnews.com,localeyes.dk,manga2u.co,mangasky.co,minecraftskins.com,online.dramacafe.tv,perrosycachorros.net,phoronix.com,ps3news.com,psarips.com,psicologiayautoayuda.com,recetasreceta.com,smplayer.sourceforge.net,thenewboston.com,tubitv.com,youtubecristiano.net#@#.afs_ads -coindigger.biz#@#.banner160x600 -anisearch.com#@#.chitikaAdBlock -theladbible.com#@#.content_tagsAdTech -topzone.lt#@#.forumAd -localeyes.dk#@#.pub_300x250 -localeyes.dk#@#.pub_300x250m -localeyes.dk#@#.pub_728x90 -soschildrensvillages.ca#@#.section-sponsor -localeyes.dk#@#.text-ad -localeyes.dk#@#.text-ad-links -localeyes.dk#@#.text-ads -localeyes.dk#@#.textAd -localeyes.dk#@#.text_ad -localeyes.dk,pixiz.com,televall.com.mx,turkanime.tv,videopremium.tv#@#.text_ads -menstennisforums.com#@#.top_ads -coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ! ---------------------------Third-party advertisers---------------------------! ! *** easylist:easylist/easylist_adservers.txt *** -||007-gateway.com^$third-party -||04dn8g4f.space^$third-party -||0emn.com^$third-party -||0fmm.com^$third-party -||0icep80f.com^$third-party -||0pixl.com^$third-party -||0xwxmj21r75kka.com^$third-party -||101m3.com^$third-party -||102320fef81194c7b0c7c6bbe64d845d.com^$third-party -||103092804.com^$third-party -||104.154.237.93^$third-party -||10fbb07a4b0.se^$third-party -||10pipsaffiliates.com^$third-party -||1100i.com^$third-party +! Non-flagged (Generic blocks) +||00f8c4bb25.com^ +||012024jhvjhkozekl.space^ +||0127c96640.com^ +||01counter.com^ +||01jud3v55z.com^ +||023e6510cc.com^ +||0265331.com^ +||0342b40dd6.com^ +||03505ed0f4.com^ +||03b5f525af.com^ +||03eea1b6dd.com^ +||04-f-bmf.com^ +||044da016b3.com^ +||04c8b396bf.com^ +||04e0d8fb0f.com^ +||05fa754f24.com^ +||0676el9lskux.top^ +||06a21eff24.com^ +||06cffaae87.com^ +||070880.com^ +||0760571ca9.com^ +||07a1624bd7.com^ +||07d0bc4a48.com^ +||0926a687679d337e9d.com^ +||095f2fc218.com^ +||09b1fcc95e.com^ +||0a0d-d3l1vr.b-cdn.net^ +||0a8d87mlbcac.top^ +||0af2a962b0102942d9a7df351b20be55.com^ +||0b0db57b5f.com^ +||0b7741a902.com^ +||0b85c2f9bb.com^ +||0cc29a3ac1.com^ +||0cdn.xyz^ +||0cf.io^ +||0d076be0f4.com^ +||0eade9dd8d.com^ +||0emn.com^ +||0f461325bf56c3e1b9.com^ +||0ffaf504b2.com^ +||0fmm.com^ +||0gw7e6s3wrao9y3q.pro^ +||0i0i0i0.com^ +||0ijvby90.skin^ +||0l1201s548b2.top^ +||0redird.com^ +||0sntp7dnrr.com^ +||0sywjs4r1x.com^ +||0td6sdkfq.com^ +||0x01n2ptpuz3.com^ +||101m3.com^ +||103092804.com^ +||107e9a08a8.com^ +||1090pjopm.de^ +||10c26a1dd6.com^ +||10desires.com^ +||10nvejhblhha.com^ +||10q6e9ne5.de^ +||10sn95to9.de^ +||11g1ip22h.de^ +||12112336.pix-cdn.org^ +||1221e236c3f8703.com^ +||123-movies.bz^ +||123movies.to^ +||123w0w.com^ +||12a640bb5e.com^ +||12aksss.xyz^ +||12ezo5v60.com^ +||130gelh8q.de^ +||13199960a1.com^ +||132ffebe8c.com^ +||1370065b3a.com^ +||137kfj65k.de^ +||13b3403320.com^ +||13b696a4c1.com^ +||13c4491879.com^ +||13p76nnir.de^ +||148dfe140d0f3d5e.com^ +||14cpoff22.de^ +||14fefmsjd.de^ +||14i8trbbx4.com^ +||15d113e19a.com^ +||16-merchant-s.com^ +||16iis7i2p.de^ +||16pr72tb5.de^ +||1704598c25.com^ +||17co2k5a.de^ +||17do048qm.de^ +||17fffd951d.com^ +||181m2fscr.de^ +||184c4i95p.de^ +||18788fdb24.com^ +||18tlm4jee.de^ +||190b1f9880.com^ +||19515bia.de^ +||19d7fd2ed2.com^ +||1a65658575.com^ +||1a8f9rq9c.de^ +||1aqi93ml4.de^ +||1b14e0ee42d5e195c9aa1a2f5b42c710.com^ +||1b32caa655.com^ +||1b384556ae.com^ +||1b3tmfcbq.de^ +||1b9cvfi0nwxqelxu.pro^ +||1be76e820d.com^ +||1betandgonow.com^ +||1bf00b950c.com^ +||1bm3n8sld.de^ +||1c447fc5b7.com^ +||1c7cf19baa.com^ +||1ccbt.com^ +||1cctcm1gq.de^ +||1ckbfk08k.de^ +||1db10dd33b.com^ +||1dbv2cyjx0ko.shop^ +||1dtdsln1j.de^ +||1empiredirect.com^ +||1ep.co^ +||1ep2l1253.de^ +||1f63b94163.com^ +||1f6bf6f5a3.com^ +||1f84e33459.com^ +||1f98dc1262.com^ +||1fcf60d54c.com^ +||1fd92n6t8.de^ +||1fkx796mw.com^ +||1fwjpdwguvqs.com^ +||1g46ls536.de^ +||1gbjadpsq.de^ +||1hkmr7jb0.de^ +||1i8c0f11.de^ +||1igare0jn.de^ +||1itot7tm.de^ +||1j02claf9p.pro^ +||1j771bhgi.de^ +||1jpbh5iht.de^ +||1jsskipuf8sd.com^ +||1jutu5nnx.com^ +||1knhg4mmq.de^ +||1lbk62l5c.de^ +||1lj11b2ii.de^ +||1m72cfole.de^ +||1mrmsp0ki.de^ +||1nfltpsbk.de^ +||1nimo.com^ +||1nqrqa.de^ +||1ns1rosb.de^ +||1odi7j43c.de^ +||1p1eqpotato.com^ +||1p8ln1dtr.de^ +||1phads.com^ +||1pqfa71mc.de^ +||1push.io^ +||1qgxtxd2n.com^ +||1r4g65b63.de^ +||1r8435gsqldr.com^ +||1redira.com^ +||1redirb.com^ +||1redirc.com^ +||1rx.io^ +||1rxntv.io^ +||1s1r7hr1k.de^ +||1sqfobn52.de^ +||1talking.net^ +||1tds26q95.de^ +||1ts03.top^ +||1ts07.top^ +||1ts17.top^ +||1ts19.top^ +||1web.me^ +||1winpost.com^ +||1wtwaq.xyz^ +||1xlite-016702.top^ +||1xlite-503779.top^ +||1xlite-522762.top^ +||1xzf53lo.xyz^ +||2-05.com^ +||2020mustang.com^ +||2022welcome.com^ +||2024jphatomenesys36.top^ +||206ads.com^ +||20dollars2surf.com^ +||20l2ldrn2.de^ +||20trackdomain.com^ +||20tracks.com^ +||2122aaa0e5.com^ +||2137dc12f9d8.com^ +||218emo1t.de^ +||21hn4b64m.de^ +||21sexturycash.com^ +||21wiz.com^ +||2295b1e0bd.com^ +||22blqkmkg.de^ +||22c29c62b3.com^ +||22cbbac9cd.com^ +||22lmsi1t5.de^ +||22media.world^ +||23hssicm9.de^ +||24-sportnews.com^ +||240aca2365.com^ +||2435march2024.com^ +||2447march2024.com^ +||2449march2024.com^ +||244kecmb3.de^ +||2469april2024.com^ +||2471april2024.com^ +||2473april2024.com^ +||2475april2024.com^ +||2477april2024.com^ +||2479april2024.com^ +||247dbf848b.com^ +||2481april2024.com^ +||2483may2024.com^ +||2491may2024.com^ +||2495may2024.com^ +||2497may2024.com^ +||2499may2024.com^ +||24affiliates.com^ +||24newstech.com^ +||24s1b0et1.de^ +||24x7adservice.com^ +||25073bb296.com^ +||250f0ma86.de^ +||250f851761.com^ +||2520june2024.com^ +||254a.com^ +||258a912d15.com^ +||25obpfr.de^ +||2619374464.com^ +||2639iqjkl.de^ +||26485.top^ +||26ea4af114.com^ +||26q4nn691.de^ +||27igqr8b.de^ +||28e096686b.com^ +||291hkcido.de^ +||295a9f642d.com^ +||2989f3f0ff.com^ +||29a7397be5.com^ +||29apfjmg2.de^ +||29b124c44a.com^ +||29s55bf2.de^ +||29vpnmv4q.com^ +||2a1b1657c6.com^ +||2a2k3aom6.de^ +||2a4722f5ee.com^ +||2a4snhmtm.de^ +||2a6d9e5059.com^ +||2aefgbf.de^ +||2b2359b518.com^ +||2b9957041a.com^ +||2bd1f18377.com^ +||2ben92aml.com^ +||2bps53igop02.com^ +||2c4rrl8pe.de^ +||2c5d30b6f1.com^ +||2cba2742a4.com^ +||2cjlj3c15.de^ +||2cnjuh34jbman.com^ +||2cnjuh34jbpoint.com^ +||2cnjuh34jbstar.com^ +||2cvnmbxnc.com^ +||2d1f81ac8e.com^ +||2d283cecd5.com^ +||2d439ab93e.com^ +||2d5ac65613.com^ +||2d6g0ag5l.de^ +||2de65ef3dd.com^ +||2e4b7fc71a.com^ +||2e5e4544c4.com^ +||2e754b57ca.com^ +||2e8dgn8n0e0l.com^ +||2ecfa1db15.com^ +||2f1a1a7f62.com^ +||2f2bef3deb.com^ +||2f5de272ff.com^ +||2f72472ace.com^ +||2f8a651b12.com^ +||2fb8or7ai.de^ +||2ffabf3b1d.com^ +||2fgrrc9t0.de^ +||2fnptjci.de^ +||2g2kaa598.de^ +||2gg6ebbhh.de^ +||2h4els889.com^ +||2h6skj2da.de^ +||2hdn.online^ +||2hisnd.com^ +||2hpb1i5th.de^ +||2i30i8h6i.de^ +||2i87bpcbf.de^ +||2iiyrxk0.com^ +||2imon4qar.de^ +||2jmis11eq.de^ +||2jod3cl3j.de^ +||2k6eh90gs.de^ +||2kn40j226.de^ +||2linkpath.com^ +||2llmonds4ehcr93nb.com^ +||2lqcd8s9.de^ +||2ltm627ho.com^ +||2lwlh385os.com^ +||2m3gdt0gc.de^ +||2m55gqleg.de^ +||2mf9kkbhab31.com^ +||2mg2ibr6b.de^ +||2mke5l187.de^ +||2mo3neop.de^ +||2nn7r6bh1.de^ +||2om93s33n.de^ +||2p1kreiqg.de^ +||2pc6q54ga.de^ +||2qj7mq3w4uxe.com^ +||2rb5hh5t6.de^ +||2re6rpip2.de^ +||2rlgdkf7s.de^ +||2rmifan7n.de^ +||2s02keqc1.com^ +||2s2enegt0.de^ +||2smarttracker.com^ +||2spdo6g9h.de^ +||2t4f7g9a.de^ +||2ta5l5rc0.de^ +||2tfg9bo2i.de^ +||2tlc698ma.de^ +||2tq7pgs0f.de^ +||2track.info^ +||2trafficcmpny.com^ +||2ts55ek00.de^ +||2ucz3ymr1.com^ +||2xs4eumlc.com^ +||300daytravel.com^ +||302kslgdl.de^ +||303ag0nc7.de^ +||303marketplace.com^ +||305421ba72.com^ +||3071caa5ff.com^ +||307ea19306.com^ +||307i6i7do.de^ +||308d13be14.com^ +||30986g8ab.de^ +||30d5shnjq.de^ +||30e4a37eb7.com^ +||30hccor10.de^ +||30koqnlks.de^ +||30m4hpei1.de^ +||30p70ar8m.de^ +||30pk41r1i.de^ +||30se9p8a0.de^ +||30tgh64jp.de^ +||3103cf02ec.com^ +||3120jpllh.de^ +||314b24ffc5.com^ +||314gqd3es.de^ +||316feq0nc.de^ +||317796hmh.de^ +||318pmmtrp.de^ +||3192a7tqk.de^ +||31aceidfj.de^ +||31aqn13o6.de^ +||31bqljnla.de^ +||31cm5fq78.de^ +||31d6gphkr.de^ +||31daa5lnq.de^ +||31def61c3.de^ +||31o0jl63.de^ +||31v1scl527hm.shop^ +||321naturelikefurfuroid.com^ +||3221dkf7m2.com^ +||32596c0d85.com^ +||32ae2295ab.com^ +||341k4gu76ywe.top^ +||3467b7d02e.com^ +||34d5566a50.com^ +||350c2478fb.com^ +||3575e2d4e6.com^ +||357dbd24e2.com^ +||35volitantplimsoles5.com^ +||360popads.com^ +||360protected.com^ +||360yield-basic.com^ +||360yield.com^ +||3622911ae3.com^ +||366378fd1d.com^ +||367p.com^ +||37.44x.io^ +||38dbfd540c.com^ +||38ds89f8.de^ +||38fbsbhhg0702m.shop^ +||39268ea911.com^ +||395b8c2123.com^ +||39e6p9p7.de^ +||3a17d27bf9.com^ +||3ac1b30a18.com^ +||3ad2ae645c.com^ +||3b1ac6ca25.com^ +||3bc9b1b89c.com^ +||3bq57qu8o.com^ +||3cb9b57efc.com^ +||3cg6sa78w.com^ +||3d5affba28.com^ +||3dfcff2ec15099df0a24ad2cee74f21a.com^ +||3e1898dbbe.com^ +||3e6072834f.com^ +||3ead4fd497.com^ +||3fc0ebfea0.com^ +||3fwlr7frbb.pro^ +||3g25ko2.de^ +||3gbqdci2.de^ +||3haiaz.xyz^ +||3j8c56p9.de^ +||3lift.com^ +||3lr67y45.com^ +||3mhg.online^ +||3mhg.site^ +||3myad.com^ +||3ng6p6m0.de^ +||3pkf5m0gd.com^ +||3qfe1gfa.de^ +||3redlightfix.com^ +||3twentyfour.xyz^ +||3u4zyeugi.com^ +||3wr110.net^ +||3zap7emt4.com^ +||40209f514e.com^ +||4088846d50.com^ +||40ceexln7929.com^ +||4164d5b6eb.com^ +||41b5062d22.com^ +||41eak.life^ +||4239cc7770.com^ +||42ce2b0955.com^ +||42jdbcb.de^ +||433bcaa83b.com^ +||43e1628a5f.com^ +||43ors1osh.com^ +||43sjmq3hg.com^ +||43t53c9e.de^ +||442fc29954.com^ +||4497e71924.com^ +||44e29c19ac.com^ +||44fc128918.com^ +||452tapgn.de^ +||453130fa9e.com^ +||45cb7b8453.com^ +||45f2a90583.com^ +||46186911.vtt^ +||466f89f4d1.com^ +||4690y10pvpq8.com^ +||46bd8e62a2.com^ +||46f4vjo86.com^ +||47c8d48301.com^ +||485f197673.com^ +||4885e2e6f7.com^ +||49b6b77e56.com^ +||49d4db4864.com^ +||4a9517991d.com^ +||4armn.com^ +||4b6994dfa47cee4.com^ +||4b7140e260.com^ +||4bad5cdf48.com^ +||4c935d6a244f.com^ +||4co7mbsb.de^ +||4d15ee32c1.com^ +||4d33a4adbc.com^ +||4d3f87f705.com^ +||4d658ab856.com^ +||4d9e86640a.com^ +||4da1c65ac2.com^ +||4dex.io^ +||4dsbanner.net^ +||4dtrk.com^ +||4e0622e316.com^ +||4e645c7cf2.com^ +||4ed196b502.com^ +||4ed5560812.com^ +||4f2sm1y1ss.com^ +||4fb0cadcc3.com^ +||4ffecd1ee4.com^ +||4g0b1inr.de^ +||4hfchest5kdnfnut.com^ +||4iazoa.xyz^ +||4k7kca7aj0s4.top^ +||4kggatl1p7ps.top^ +||4lke.online^ +||4m4ones1q.com^ +||4p74i5b6.de^ +||4rabettraff.com^ +||4wnet.com^ +||4wnetwork.com^ +||50368ce0a6.com^ +||50f0ac5daf.com^ +||5165c0c080.com^ +||52dvzo62i.com^ +||536fbeeea4.com^ +||53c2dtzsj7t1.top^ +||53e91a4877.com^ +||53ff0e58f9.com^ +||544c1a86a1.com^ +||551ba6c442.com^ +||562i7aqkxu.com^ +||5661c81449.com^ +||56bfc388bf12.com^ +||56ovido.site^ +||56rt2692.de^ +||574ae48fe5.com^ +||578d72001a.com^ +||57d38e3023.com^ +||582155316e.com^ +||590578zugbr8.com^ +||598f0ce32f.com^ +||59e6ea7248001c.com^ +||5a6c114183.com^ +||5advertise.com^ +||5ae3a94233.com^ +||5b10f288ee.com^ +||5b3fbababb.com^ +||5be7319a8b.com^ +||5bf6d94b92.com^ +||5btekl14.de^ +||5c4ccd56c9.com^ +||5cf8606941.com^ +||5e1b8e9d68.com^ +||5e49fd4c08.com^ +||5e6ef8e03b.com^ +||5ea36e0eb5.com^ +||5ed55e7208.com^ +||5eef1ed9ac.com^ +||5f631bb110.com^ +||5f6dmzflgqso.com^ +||5f6efdfc05.com^ +||5f93004b68.com^ +||5fet4fni.de^ +||5h3oyhv838.com^ +||5icim50.de^ +||5ivy3ikkt.com^ +||5mno3.com^ +||5nfc.net^ +||5nt1gx7o57.com^ +||5o8aj5nt.de^ +||5pi13h3q.de^ +||5toft8or7on8tt.com^ +||5umpz4evlgkm.com^ +||5vbs96dea.com^ +||5vpbnbkiey24.com^ +||5wuefo9haif3.com^ +||5xd3jfwl9e8v.com^ +||5xp6lcaoz.com^ +||6-partner.com^ +||6001628d3d.com^ +||600z.com^ +||6061de8597.com^ +||6068a17eed25.com^ +||60739ebc42.com^ +||61598081d6.com^ +||6179b859b8.com^ +||61t2ll6yy.com^ +||61zdn1c9.skin^ +||62a77005fb.com^ +||62ca04e27a.com^ +||63912b9175.com^ +||639c909d45.com^ +||63r2vxacp0pr.com^ +||63voy9ciyi14.com^ +||64580df84b.com^ +||65wenv5f.xyz^ +||665166e5a9.com^ +||6657e4f5c2.com^ +||66a3413a7e.com^ +||66a5e92d66.com^ +||67trackdomain.com^ +||68069795d1.com^ +||6863fd0afc.com^ +||688de7b3822de.com^ +||68amt53h.de^ +||68aq8q352.com^ +||68d6b65e65.com^ +||699bfcf9d9.com^ +||69b61ba7d6.com^ +||69i.club^ +||69oxt4q05.com^ +||69v.club^ +||6a0d38e347.com^ +||6a34d15d38.com^ +||6ac78725fd.com^ +||6b6c1b838a.com^ +||6b70b1086b.com^ +||6b856ee58e.com^ +||6bgaput9ullc.com^ +||6ca9278a53.com^ +||6ce02869b9.com^ +||6dc2699b37.com^ +||6de72955d8.com^ +||6e391732a2.com^ +||6e6cd153a6.com^ +||6gi0edui.xyz^ +||6glece4homah8dweracea.com^ +||6hdw.site^ +||6j296m8k.de^ +||6oi7mfa1w.com^ +||6ped2nd3yp.com^ +||6r9ahe6qb.com^ +||6snjvxkawrtolv2x.pro^ +||6ujk8x9soxhm.com^ +||6v41p4bsq.com^ +||6zy9yqe1ew.com^ +||7-7-7-partner.com^ +||71dd1ff9fd.com^ +||721ffc3ec5.com^ +||722cba612c.com^ +||72hdgb5o.de^ +||7378e81adf.com^ +||73a70e581b.com^ +||7411603f57.com^ +||741a18df39.com^ +||742ba1f9a9.com^ +||743fa12700.com^ +||754480bd33.com^ +||75h4x7992.com^ +||76416dc840.com^ +||76f74721ab.com^ +||7719094ddf.com^ +||7757139f7b.com^ +||775cf6f1ae.com^ +||776173f9e6.com^ +||777seo.com^ +||77bd7b02a8.com^ +||7807091956.com^ +||7868d5c036.com^ +||78733f9c3c.com^ +||78bk5iji.de^ +||7944bcc817.com^ +||79dc3bce9d.com^ +||79k52baw2qa3.com^ +||79xmz3lmss.com^ +||7amz.com^ +||7anfpatlo8lwmb.com^ +||7app.top^ +||7bchhgh.de^ +||7bd9a61155.com^ +||7c3514356.com^ +||7ca78m3csgbrid7ge.com^ +||7ee4c0f141.com^ +||7fc0966988.com^ +||7fkm2r4pzi.com^ +||7fva8algp45k.com^ +||7hor9gul4s.com^ +||7insight.com^ +||7jrahgc.de^ +||7lyonline.com^ +||7me0ssd6.de^ +||7ng6v3lu3c.execute-api.us-east-1.amazonaws.com^ +||7nt9p4d4.de^ +||80055404.vtt^ +||81438456aa.com^ +||817dae10e1.com^ +||81c875a340.com^ +||828af6b8ce.com^ +||831xmyp1fr4i.shop^ +||845d6bbf60.com^ +||847h7f51.de^ +||8499583.com^ +||84aa71fc7c.com^ +||84f101d1bb.com^ +||84gs08xe1.com^ +||8578eb3ec8.com^ +||85a90880b9.com^ +||85fef60641.com^ +||864feb57ruary.com^ +||869cf3d7e4.com^ +||877f80dfaa.com^ +||884de19f2b.com^ +||888promos.com^ +||88d7b6aa44fb8eb.com^ +||88eq7spm.de^ +||89dfa3575e.com^ +||8d96fe2f01.com^ +||8db4fde90b.com^ +||8de5d7e235.com^ +||8ec9b7706a.com^ +||8exx9qtuojv1.shop^ +||8f2b4c98e7.com^ +||8il2nsgm5.com^ +||8j1f0af5.de^ +||8jay04c4q7te.com^ +||8jl11zys5vh12.pro^ +||8kj1ldt1.de^ +||8n67t.com^ +||8nugm4l6j.com^ +||8po6fdwjsym3.com^ +||8s32e590un.com^ +||8stream-ai.com^ +||8trd.online^ +||8wtkfxiss1o2.com^ +||905trk.com^ +||90e7fd481d.com^ +||910de7044f.com^ +||91199a.xyz^ +||9119fa4031.com^ +||9130ec9212.com^ +||915c63962f.com^ +||916cad6201.com^ +||91cd3khn.de^ +||91df02fe64.com^ +||921b6384ac.com^ +||92888e5ff3.com^ +||92e6136b5d.com^ +||92e703f830.com^ +||92f77b89a1b2df1b539ff2772282e19b.com^ +||937e30a10b.com^ +||938az.xyz^ +||943d6e0643.com^ +||94789b3f8f.com^ +||94ded8b16e.com^ +||95b1e00252.com^ +||95d127d868.com^ +||95ppq87g.de^ +||95urbehxy2dh.top^ +||971bf5ec60.com^ +||97e7f92376.com^ +||990828ab3d.com^ +||994e4a6044.com^ +||997b409959.com^ +||9996777888.com^ +||99fe352223.com^ +||9a55672b0c.com^ +||9a71b08258.com^ +||9a857c6721.com^ +||9ads.mobi^ +||9analytics.live^ +||9bbbabcb26.com^ +||9bf9309f6f.com^ +||9cbj41a5.de^ +||9cd76b4462bb.com^ +||9d2cca15e4.com^ +||9d603009eb.com^ +||9d87b35397.com^ +||9dccbda825.com^ +||9dmnv9z0gtoh.com^ +||9e3810a418.com^ +||9eb0538646.com^ +||9eb10b7a3d04a.com^ +||9efc2a7246.com^ +||9gg23.com^ +||9hitdp8uf154mz.shop^ +||9japride.com^ +||9l3s3fnhl.com^ +||9l5ss9l.de^ +||9ohy40tok.com^ +||9r7i9bo06157.top^ +||9s4l9nik.de^ +||9t5.me^ +||9tp9jd4p.de^ +||9tumza4dp4o9.com^ +||9x4yujhb0.com^ +||9xeqynu3gt7c.com^ +||9xob25oszs.com^ +||a-ads.com^ +||a-b-c-d.xyz^ +||a-mo.net^ +||a-waiting.com^ +||a00s.net^ +||a06bbd98194c252.com^ +||a08387be3d.com^ +||a0905c77de.com^ +||a11d3c1b4d.com^ +||a11k.com^ +||a11ybar.com^ +||a14net.com^ +||a14refresh.com^ +||a14tdsa.com^ +||a166994a16.com^ +||a1c99093b6.com^ +||a1hosting.online^ +||a2b219c0ce.com^ +||a2tw6yoodsag.com^ +||a32d9f2cc6.com^ +||a32fc87d2f.com^ +||a34aba7b6c.com^ +||a35e803f21.com^ +||a3b2c775eb.com^ +||a3yqjsrczwwp.com^ +||a48d53647a.com^ +||a4f074a2f8.com^ +||a4mt150303tl.com^ +||a5b80ef67b.com^ +||a5g.oves.biz^ +||a5game.win^ +||a5jogo.biz^ +||a5jogo.club^ +||a64x.com^ +||a67c5c438d.com^ +||a6dc99d1a8.com^ +||a700fb9c8d.com^ +||a717b6d31e.com^ +||a85d43cd02.com^ +||a8e8c59504.com^ +||a91e9c75f8.com^ +||a9ae7df45f.com^ +||aa2e7ea3fe.com^ +||aaa.vidox.net^ +||aaa85877ba.com^ +||aaaaaco.com^ +||aaacdbf17d.com^ +||aaacompany.net^ +||aab-check.me^ +||aabproxydomaintests.top^ +||aabproxytests.top^ +||aabtestsproxydomain.top^ +||aafdcq.com^ +||aagm.link^ +||aagmmrktriz.vip^ +||aarghclothy.com^ +||aarswtcnoz.com^ +||aawdlvr.com^ +||aaxads.com^ +||ab1n.net^ +||ab4tn.com^ +||ab913aa797e78b3.com^ +||ab93t2kc.de^ +||abadit5rckb.com^ +||abamatoyer.com^ +||abange.com^ +||abaolokvmmvlv.top^ +||abaolokvmmwrb.top^ +||abarbollidate.com^ +||abashfireworks.com^ +||abasshowish.guru^ +||abattoirpleatsprinkle.com^ +||abazelfan.com^ +||abbasidquippy.shop^ +||abbateerupted.com^ +||abberantdiscussion.com^ +||abberantdoggie.com^ +||abberantpawnpalette.com^ +||abbotinexperienced.com^ +||abbotpredicateemma.com^ +||abbotsgalen.com^ +||abbreviateenlargement.com^ +||abbreviatepoisonousmonument.com^ +||abbronzongor.com^ +||abburmyer.com^ +||abchygmsaftnrr.xyz^ +||abclefabletor.com^ +||abcogzozbk.com^ +||abdedenneer.com^ +||abdicatebirchcoolness.com^ +||abdicatesyrupwhich.com^ +||abdlnk.com^ +||abdlnkjs.com^ +||abdsp.com^ +||abdurantom.com^ +||abedbrings.com^ +||abedgobetweenbrittle.com^ +||abedwest.com^ +||abeighkenches.com^ +||abelekidr.com^ +||abelestheca.com^ +||abethow.com^ +||abgeobalancer.com^ +||abgligarchan.com^ +||abh.jp^ +||abhorcarious.com^ +||abiderestless.com^ +||abjectionblame.com^ +||abjectionpatheticcoloured.com^ +||abkmbrf.com^ +||abkoxlikbzs.com^ +||ablativekeynotemuseum.com^ +||ableandworld.info^ +||ableandworldwid.com^ +||ablebodiedsweatisolated.com^ +||ablecolony.com^ +||ablestsigma.click^ +||abletopreseyna.com^ +||ablitleoor.com^ +||ablkkukpaoc.com^ +||abluentshinny.com^ +||abluvdiscr.com^ +||ablybeastssarcastic.com^ +||ablyinviting.com^ +||abmismagiusom.com^ +||abmunnaa.com^ +||abnegationbanquet.com^ +||abnegationdenoteimprobable.com^ +||abnegationsemicirclereproduce.com^ +||abniorant.com^ +||abnormalgently.com^ +||abnormalmansfield.com^ +||abnormalwidth.com^ +||abnrkespuk.com^ +||aboardhotdog.com^ +||aboardstepbugs.com^ +||abodedistributionpan.com^ +||abolid.com^ +||abonnementpermissiveenliven.com^ +||aboriginesprimary.com^ +||aboundplausibleeloquent.com^ +||aboutpersonify.com^ +||abouttill.com^ +||aboveboardstunning.com^ +||aboveredirect.top^ +||abovethecityo.com^ +||abparasr.com^ +||abpicsrc.com^ +||abpjs23.com^ +||abpnow.xyz^ +||abqmfewisf.com^ +||abrhydona.com^ +||abridgesynchronizepleat.com^ +||abruptalertness.com^ +||abruptboroughjudgement.com^ +||abruptcompliments.com^ +||abruptcooperationbummer.com^ +||abruptlydummy.com^ +||abruptlyretortedbat.com^ +||abruptnesscarrier.com^ +||absenceoverload.com^ +||absentcleannewspapers.com^ +||absentlybiddingleopard.com^ +||absentlygratefulcamomile.com^ +||absentmissingaccept.com^ +||abservinean.com^ +||abskursin.com^ +||abslroan.com^ +||absolosisa.com^ +||absolutelyconfession.com^ +||absolutelytowns.com^ +||absoluteroute.com^ +||absolveparticlesanti.com^ +||absolvewednesday.com^ +||absorbedscholarsvolatile.com^ +||absorbinginject.com^ +||absorbingwiden.com^ +||absorptionsuspended.com^ +||abstortvarna.com^ +||absurdbatchconfess.com^ +||absurdunite.com^ +||abtaurosa.club^ +||abtfliping.top^ +||abtrcker.com^ +||abtyroguean.com^ +||abtyroguer.com^ +||abusedbabysitters.com^ +||abusiveserving.com^ +||abwhyag.com^ +||abwlrooszor.com^ +||abyamaskor.com^ +||abyocawlfe.com^ +||abzaligtwd.com^ +||ac35e1ff43.com^ +||acacdn.com^ +||academyblocked.com^ +||academyenrage.com^ +||acalraiz.xyz^ +||acam-2.com^ +||acbbpadizl.com^ +||accecmtrk.com^ +||accedemotorcycle.com^ +||accedeproductive.com^ +||acceleratedrummer.com^ +||accelerateswitch.com^ +||acceleratetomb.com^ +||accentneglectporter.com^ +||acceptablearablezoological.com^ +||acceptablebleat.com^ +||acceptablereality.com^ +||acceptvigorously.com^ +||access-mc.com^ +||access.vidox.net^ +||accesshomeinsurance.co^ +||accidentalinfringementfat.com^ +||accidentallyrussian.com^ +||acclaimcraftsman.com^ +||acclaimed-travel.pro^ +||accmgr.com^ +||accommodatingremindauntie.com^ +||accommodationcarpetavid.com^ +||accompanimentachyjustified.com^ +||accompanimentcouldsurprisingly.com^ +||accompanycollapse.com^ +||accompanynovemberexclusion.com^ +||accomplishmentailmentinsane.com^ +||accomplishmentstrandedcuddle.com^ +||accordancespotted.com^ +||accordinglyair.com^ +||accountantpacketassail.com^ +||accountresponsesergeant.com^ +||accountswindy.com^ +||accruefierceheartache.com^ +||accuracyswede.com^ +||accusedstone.com^ +||accuserannouncementadulthood.com^ +||accuserutility.com^ +||accustomedinaccessible.com^ +||acdcdn.com^ +||acdcmarimo.com^ +||acdn01.vidox.net^ +||ace-adserver.com^ +||acecapprecarious.com^ +||acediscover.com^ +||acelacien.com^ +||acemdvv.com^ +||aceporntube.com^ +||acerbityjessamy.com^ +||acertb.com^ +||achcdn.com^ +||achelessarkaskew.com^ +||achelesscorporaltreaty.com^ +||achelessintegralsigh.com^ +||achesbunters.shop^ +||acheworry.com^ +||achievablecpmrevenue.com^ +||achievehardboiledheap.com^ +||achieveweakness.com^ +||achingborder.com^ +||achnyyjlxrfkwt.xyz^ +||achoachemain.com^ +||achuphaube.com^ +||achycompassionate.com^ +||acidicresist.pro^ +||acinaredibles.com^ +||ackcdn.net^ +||acknowledgecalculated.com^ +||ackuwxjbk.com^ +||aclemonliner.com^ +||aclickads.com^ +||aclktrkr.com^ +||acloudvideos.com^ +||acmaknoxwo.com^ +||acmdihtumpuj.com^ +||acme.vidox.net^ +||acofrnsr44es3954b.com^ +||acoossz.top^ +||acorneroft.org^ +||acornexhaustpreviously.com^ +||acoudsoarom.com^ +||acqmeaf.com^ +||acqpizkpo.com^ +||acqtfeofpa.com^ +||acquaintance423.fun^ +||acquaintanceunbearablecelebrated.com^ +||acquaintcollaboratefruitless.com^ +||acquaintedpostman.com^ +||acquaintplentifulemotions.com^ +||acquirethem.com^ +||acrelicenseblown.com^ +||acridbloatparticularly.com^ +||acridtaxiworking.com^ +||acrityezra.shop^ +||acrossbrittle.com^ +||acrosscountenanceaccent.com^ +||acrossheadquartersanchovy.com^ +||acscdn.com^ +||actglimpse.com^ +||actiflex.org^ +||actiondenepeninsula.com^ +||actionisabella.com^ +||activelysmileintimate.com^ +||activemetering.com^ +||activepoststale.com^ +||actpbfa.com^ +||actpx.com^ +||actressdoleful.com^ +||actrkn.com^ +||actuallyfrustration.com^ +||actuallyhierarchyjudgement.com^ +||acuityplatform.com^ +||acvdubxihrk.com^ +||acvnhayikyutjsn.xyz^ +||ad-adblock.com^ +||ad-addon.com^ +||ad-back.net^ +||ad-balancer.net^ +||ad-bay.com^ +||ad-cheers.com^ +||ad-delivery.net^ +||ad-flow.com^ +||ad-guardian.com^ +||ad-indicator.com^ +||ad-m.asia^ +||ad-mapps.com^ +||ad-maven.com^ +||ad-nex.com^ +||ad-recommend.com^ +||ad-score.com^ +||ad-server.co.za^ +||ad-serverparc.nl^ +||ad-srv.net^ +||ad-stir.com^ +||ad-vice.biz^ +||ad-vortex.com^ +||ad-wheel.com^ +||ad.gt^ +||ad.guru^ +||ad.linksynergy.com^ +||ad.mox.tv^ +||ad.tradertimerz.media^ +||ad1data.com^ +||ad1rtb.com^ +||ad2the.net^ +||ad2up.com^ +||ad2upapp.com^ +||ad4.com.cn^ +||ad4905c1db.com^ +||ad999.biz^ +||adactioner.com^ +||adappi.co^ +||adaptationmargarineconstructive.com^ +||adaptationwrite.com^ +||adaptcunning.com^ +||adaranth.com^ +||adaround.net^ +||adarutoad.com^ +||adb7rtb.com^ +||adbison-redirect.com^ +||adbit.co^ +||adblck.com^ +||adblock-360.com^ +||adblock-guru.com^ +||adblock-offer-download.com^ +||adblock-one-protection.com^ +||adblock-pro.org^ +||adblock-zen-download.com^ +||adblock-zen.com^ +||adblockanalytics.com^ +||adblocker-instant.xyz^ +||adblockers.b-cdn.net^ +||adbmi.com^ +||adbooth.com^ +||adbooth.net^ +||adbox.lv^ +||adbpage.com^ +||adbrite.com^ +||adbro.me^ +||adbuddiz.com^ +||adbuff.com^ +||adbuka.com.ng^ +||adbull.com^ +||adbutler-fermion.com^ +||adbutler.com^ +||adbyss.com^ +||adc-teasers.com^ +||adcannyxml.com^ +||adcash.com^ +||adcastplus.net^ +||adcde.com^ +||adcdnx.com^ +||adcentrum.net^ +||adchap.com^ +||adcharriot.com^ +||adcheap.network^ +||adchemical.com^ +||adcl1ckspr0f1t.com^ +||adclerks.com^ +||adclick.pk^ +||adclickbyte.com^ +||adclickmedia.com^ +||adclicks.io^ +||adcloud.net^ +||adcolo.com^ +||adconjure.com^ +||adcontext.pl^ +||adcovery.com^ +||adcrax.com^ +||adcron.com^ +||adddumbestbarrow.com^ +||addelive.com^ +||addictionmulegoodness.com^ +||addin.icu^ +||addinginstancesroadmap.com^ +||addiply.com^ +||additionalbasketdislike.com^ +||additionalcasualcabinet.com^ +||additionalmedia.com^ +||additionmagical.com^ +||additionssurvivor.com^ +||addizhi.top^ +||addkt.com^ +||addlnk.com^ +||addoer.com^ +||addonsmash.com^ +||addotnet.com^ +||addressanythingbridge.com^ +||addroplet.com^ +||addthief.com^ +||adeditiontowri.org^ +||adelphic.net^ +||adenza.dev^ +||adersaucho.net^ +||adevbom.com^ +||adevppl.com^ +||adex.media^ +||adexchangecloud.com^ +||adexchangedirect.com^ +||adexchangegate.com^ +||adexchangeguru.com^ +||adexchangemachine.com^ +||adexchangeprediction.com^ +||adexchangetracker.com^ +||adexcite.com^ +||adexmedias.com^ +||adexprts.com^ +||adfahrapps.com^ +||adfeedstrk.com^ +||adfgetlink.net^ +||adfgfeojqx.com^ +||adfootprints.com^ +||adforcast.com^ +||adforgeinc.com^ +||adform.net^ +||adfpoint.com^ +||adframesrc.com^ +||adfrontiers.com^ +||adfusion.com^ +||adfyre.co^ +||adg99.com^ +||adgard.net^ +||adgardener.com^ +||adgebra.co.in^ +||adglare.net^ +||adglare.org^ +||adglaze.com^ +||adgoi.com^ +||adgorithms.com^ +||adgzfujunv.com^ +||adhealers.com^ +||adherenceofferinglieutenant.com^ +||adherencescannercontaining.com^ +||adhoc4.net^ +||adhub.digital^ +||adiingsinspiri.org^ +||adiingsinspiringt.com^ +||adiquity.com^ +||aditms.me^ +||aditsafeweb.com^ +||adjectiveresign.com^ +||adjmntesdsoi.love^ +||adjoincomprise.com^ +||adjs.media^ +||adjustbedevilsweep.com^ +||adjusteddrug.com^ +||adjustmentconfide.com^ +||adjux.com^ +||adkaora.space^ +||adkernel.com^ +||adklimages.com^ +||adl-hunter.com^ +||adlane.info^ +||adligature.com^ +||adlogists.com^ +||adlserq.com^ +||adltserv.com^ +||admachina.com^ +||admangrauc.com^ +||admangrsw.com^ +||admanmedia.com^ +||admasters.media^ +||admax.network^ +||adme-net.com^ +||admediatex.net^ +||admedit.net^ +||admedo.com^ +||admeking.com^ +||admeme.net^ +||admeridianads.com^ +||admez.com^ +||admicro.vn^ +||admidainsight.com^ +||administerjuniortragedy.com^ +||admirableoverdone.com^ +||admiralugly.com^ +||admiredclumsy.com^ +||admiredexcrete.com^ +||admiredresource.pro^ +||admirerinduced.com^ +||admissibleconductfray.com^ +||admissibleconference.com^ +||admissiblecontradictthrone.com^ +||admission.net^ +||admissiondemeanourusage.com^ +||admissionreceipt.com^ +||admitad-connect.com^ +||admitad.com^ +||admixer.net^ +||admjmp.com^ +||admob.com^ +||admobe.com^ +||admothreewallent.com^ +||admpire.com^ +||adnami2.io^ +||adnetworkperformance.com^ +||adnext.fr^ +||adngin.com^ +||adnico.jp^ +||adnigma.com^ +||adnimo.com^ +||adnotebook.com^ +||adnxs-simple.com^ +||adnxs.com^ +||adnxs.net^ +||adnxs1.com^ +||adocean.pl^ +||adomic.com^ +||adoni-nea.com^ +||adonion.com^ +||adonweb.ru^ +||adoopaqueentering.com^ +||adop.co^ +||adoperatorx.com^ +||adopexchange.com^ +||adopstar.uk^ +||adoptedproducerdiscernible.com^ +||adoptioneitherrelaxing.com^ +||adoptum.net^ +||adorableold.com^ +||adoredstation.pro^ +||adornenveloperecognize.com^ +||adornmadeup.com^ +||adorx.store^ +||adotic.com^ +||adotmob.com^ +||adotone.com^ +||adotube.com^ +||adovr.com^ +||adpacks.com^ +||adpartner.pro^ +||adpass.co.uk^ +||adpatrof.com^ +||adperium.com^ +||adpicmedia.net^ +||adpinion.com^ +||adpionier.de^ +||adplushub.com^ +||adplxmd.com^ +||adpmbexo.com^ +||adpmbexoxvid.com^ +||adpmbglobal.com^ +||adpmbtf.com^ +||adpmbtj.com^ +||adpmbts.com^ +||adpod.in^ +||adpointrtb.com^ +||adpone.com^ +||adpresenter.de^ +||adqit.com^ +||adquery.io^ +||adreadytractions.com^ +||adrealclick.com^ +||adrecreate.com^ +||adrenalpop.com^ +||adrenovate.com^ +||adrent.net^ +||adrevenuerescue.com^ +||adrgyouguide.com^ +||adriftscramble.com^ +||adright.co^ +||adright.fs.ak-is2.net^ +||adright.xml-v4.ak-is2.net^ +||adright.xml.ak-is2.net^ +||adrino.io^ +||adrkspf.com^ +||adrokt.com^ +||adrta.com^ +||adrunnr.com^ +||ads-delivery.b-cdn.net^ +||ads-static.conde.digital^ +||ads-twitter.com^ +||ads.lemmatechnologies.com^ +||ads.rd.linksynergy.com^ +||ads1-adnow.com^ +||ads2550.bid^ +||ads2ads.net^ +||ads3-adnow.com^ +||ads4g.pl^ +||ads4trk.com^ +||ads5-adnow.com^ +||ads6-adnow.com^ +||adsafeprotected.com^ +||adsafety.net^ +||adsagony.com^ +||adsame.com^ +||adsbar.online^ +||adsbeard.com^ +||adsbetnet.com^ +||adsblocker-ultra.com^ +||adsblockersentinel.info^ +||adsbtrk.com^ +||adscale.de^ +||adscampaign.net^ +||adscdn.net^ +||adschill.com^ +||adscienceltd.com^ +||adsco.re^ +||adscreendirect.com^ +||adscustsrv.com^ +||adsdk.com^ +||adsdot.ph^ +||adsemirate.com^ +||adsensecamp.com^ +||adsensecustomsearchads.com^ +||adser.io^ +||adservb.com^ +||adservc.com^ +||adserve.ph^ +||adserved.net^ +||adserverplus.com^ +||adserverpub.com^ +||adservf.com^ +||adservg.com^ +||adservicemedia.dk^ +||adservon.com^ +||adservr.de^ +||adservrs.com^ +||adsessionserv.com^ +||adsexo.com^ +||adsfac.eu^ +||adsfac.net^ +||adsfac.us^ +||adsfan.net^ +||adsfarm.site^ +||adsfcdn.com^ +||adsforindians.com^ +||adsfundi.com^ +||adsfuse.com^ +||adshack.com^ +||adshere.online^ +||adshopping.com^ +||adshort.space^ +||adsignals.com^ +||adsilo.pro^ +||adsinstant.com^ +||adskape.ru^ +||adskeeper.co.uk^ +||adskeeper.com^ +||adskpak.com^ +||adslidango.com^ +||adsloom.com^ +||adslot.com^ +||adsluna.com^ +||adsmarket.com^ +||adsnative.com^ +||adsoftware.top^ +||adsonar.com^ +||adsoptimal.com^ +||adsovo.com^ +||adsp.com^ +||adspdbl.com^ +||adspeed.net^ +||adspi.xyz^ +||adspirit.de^ +||adsplay.in^ +||adspop.me^ +||adspredictiv.com^ +||adspyglass.com^ +||adsquash.info^ +||adsrv.me^ +||adsrv.net^ +||adsrv.wtf^ +||adstarget.net^ +||adstean.com^ +||adstico.io^ +||adstik.click^ +||adstook.com^ +||adstracker.info^ +||adstreampro.com^ +||adsupply.com^ +||adsupplyssl.com^ +||adsurve.com^ +||adsvids.com^ +||adsvolum.com^ +||adsvolume.com^ +||adswam.com^ +||adswizz.com^ +||adsxtits.com^ +||adsxtits.pro^ +||adsxyz.com^ +||adt328.com^ +||adt545.net^ +||adt567.net^ +||adt574.com^ +||adt598.com^ +||adtag.cc^ +||adtago.s3.amazonaws.com^ +||adtags.mobi^ +||adtaily.com^ +||adtaily.pl^ +||adtelligent.com^ +||adtival.com^ +||adtlgc.com^ +||adtng.com^ +||adtoadd.com^ +||adtoll.com^ +||adtoma.com^ +||adtonement.com^ +||adtoox.com^ +||adtorio.com^ +||adtotal.pl^ +||adtpix.com^ +||adtrace.online^ +||adtrace.org^ +||adtraction.com^ +||adtrgt.com^ +||adtrieval.com^ +||adtrk18.com^ +||adtrk21.com^ +||adtrue.com^ +||adtrue24.com^ +||adtscriptduck.com^ +||adttmsvcxeri.com^ +||aduld.click^ +||adultadvertising.net^ +||adultcamchatfree.com^ +||adultcamfree.com^ +||adultcamliveweb.com^ +||adultgameexchange.com^ +||adultiq.club^ +||adultlinkexchange.com^ +||adultmoviegroup.com^ +||adultoafiliados.com.br^ +||adultsense.net^ +||adultsense.org^ +||adultsjuniorfling.com^ +||aduptaihafy.net^ +||advancedadblocker.pro^ +||advanceencumbrancehive.com^ +||advancinginfinitely.com^ +||advancingprobationhealthy.com^ +||advang.com^ +||advantageglobalmarketing.com^ +||advantagepublicly.com^ +||advantagespire.com^ +||advard.com^ +||adventory.com^ +||adventurouscomprehendhold.com^ +||adverbrequire.com^ +||adversaldisplay.com^ +||adversalservers.com^ +||adverserve.net^ +||adversespurt.com^ +||adversesuffering.com^ +||advertbox.us^ +||adverti.io^ +||advertica-cdn.com^ +||advertica-cdn2.com^ +||advertica.ae^ +||advertica.com^ +||advertiseimmaculatecrescent.com^ +||advertiserurl.com^ +||advertiseserve.com^ +||advertiseworld.com^ +||advertiseyourgame.com^ +||advertising-cdn.com^ +||advertisingiq.com^ +||advertisingvalue.info^ +||advertjunction.com^ +||advertlane.com^ +||advertlets.com^ +||advertmarketing.com^ +||advertnetworks.com^ +||advertpay.net^ +||adverttulimited.biz^ +||advfeeds.com^ +||advice-ads.s3.amazonaws.com^ +||advinci.co^ +||adviralmedia.com^ +||advise.co^ +||adviseforty.com^ +||advisorded.com^ +||advisorthrowbible.com^ +||adviva.net^ +||advmaker.ru^ +||advmaker.su^ +||advmonie.com^ +||advocacyablaze.com^ +||advocacyforgiveness.com^ +||advocate420.fun^ +||advotionhot.com^ +||advotoffer.com^ +||advp1.com^ +||advp2.com^ +||advp3.com^ +||advpx.com^ +||advpy.com^ +||advpz.com^ +||advtise.net^ +||advtrkone.com^ +||adwalte.info^ +||adway.org^ +||adwx6vcj.com^ +||adx1.com^ +||adx1js.s3.amazonaws.com^ +||adxadserv.com^ +||adxbid.info^ +||adxchg.com^ +||adxfire.in^ +||adxfire.net^ +||adxhand.name^ +||adxion.com^ +||adxnexus.com^ +||adxpansion.com^ +||adxpartner.com^ +||adxplay.com^ +||adxpower.com^ +||adxpremium.services^ +||adxproofcheck.com^ +||adxprtz.com^ +||adxscope.com^ +||adxsrver.com^ +||adxxx.biz^ +||adzhub.com^ +||adziff.com^ +||adzilla.name^ +||adzincome.in^ +||adzintext.com^ +||adzmedia.com^ +||adzmob.com^ +||adzoc.com^ +||adzouk1tag.com^ +||adzpier.com^ +||adzpower.com^ +||adzs.com^ +||ae-edqfrmstp.one^ +||aedileundern.shop^ +||aeefpine.com^ +||aeeg5idiuenbi7erger.com^ +||aeelookithdifyf.com^ +||aeffe3nhrua5hua.com^ +||aegagrilariats.top^ +||aelgdju.com^ +||aenoprsouth.com^ +||aeolinemonte.shop^ +||aerialmistaken.com^ +||aeriedwhicker.shop^ +||aerobiabassing.com^ +||aerodynomach.com^ +||aeroplaneversion.com^ +||aeroseoutfire.top^ +||aesary.com^ +||aetgjds.com^ +||afahivar.com^ +||afahivar.coom^ +||afcnuchxgo.com^ +||afcontent.net^ +||afcyhf.com^ +||afdads.com^ +||afearprevoid.com^ +||aff-online.com^ +||aff-track.net^ +||aff.biz^ +||aff1xstavka.com^ +||affabilitydisciple.com^ +||affableindigestionstruggling.com^ +||affablewalked.com^ +||affairsthin.com^ +||affasi.com^ +||affbot1.com^ +||affbot3.com^ +||affcpatrk.com^ +||affectdeveloper.com^ +||affectincentiveyelp.com^ +||affectionatelypart.com^ +||affectionavenue.site^ +||affelseaeinera.org^ +||affflow.com^ +||affiescoryza.top^ +||affili.st^ +||affiliate-robot.com^ +||affiliate-wg.com^ +||affiliateboutiquenetwork.com^ +||affiliatedrives.com^ +||affiliateer.com^ +||affiliatefuel.com^ +||affiliatefuture.com^ +||affiliategateways.co^ +||affiliatelounge.com^ +||affiliatemembership.com^ +||affiliatenetwork.co.za^ +||affiliates.systems^ +||affiliatesensor.com^ +||affiliatestonybet.com^ +||affiliatewindow.com^ +||affiliationworld.com^ +||affilijack.de^ +||affiliride.com^ +||affiliserve.com^ +||affinitad.com^ +||affinity.com^ +||affirmbereave.com^ +||affiz.net^ +||affjamohw.com^ +||afflat3a1.com^ +||afflat3d2.com^ +||afflat3e1.com^ +||affluentretinueelegance.com^ +||affluentshinymulticultural.com^ +||affmoneyy.com^ +||affnamzwon.com^ +||affordspoonsgray.com^ +||affordstrawberryoverreact.com^ +||affoutrck.com^ +||affpa.top^ +||affplanet.com^ +||affrayteaseherring.com^ +||affroller.com^ +||affstrack.com^ +||affstreck.com^ +||afftrack.com^ +||afftrackr.com^ +||affyrtb.com^ +||afgr1.com^ +||afgr10.com^ +||afgr11.com^ +||afgr2.com^ +||afgr3.com^ +||afgr4.com^ +||afgr5.com^ +||afgr6.com^ +||afgr7.com^ +||afgr8.com^ +||afgr9.com^ +||afgtrwd1.com^ +||afgwsgl.com^ +||afgzipohma.com^ +||afi-thor.com^ +||afiliapub.click^ +||afilliatetraff.com^ +||afkearupl.com^ +||afkwa.com^ +||afloatroyalty.com^ +||afm01.com^ +||afnhc.com^ +||afnyfiexpecttha.info^ +||afodreet.net^ +||afosseel.net^ +||afqsrygmu.com^ +||afr4g5.de^ +||afre.guru^ +||afreetsat.com^ +||afrfmyzaka.com^ +||africaewgrhdtb.com^ +||africawin.com^ +||afshanthough.pro^ +||afterdownload.com^ +||afterdownloads.com^ +||afternoonpregnantgetting.com^ +||aftqhamina.com^ +||aftrk1.com^ +||aftrk3.com^ +||afxjwyg.com^ +||afy.agency^ +||afzueoruiqlx.online^ +||agabreloomr.com^ +||agacelebir.com^ +||agadata.online^ +||agaenteitor.com^ +||agafurretor.com^ +||agagaure.com^ +||agagolemon.com^ +||againboundless.com^ +||againoutlaw.com^ +||againponderous.com^ +||agajx.com^ +||agalarvitaran.com^ +||agalumineonr.com^ +||agamagcargoan.com^ +||agamantykeon.com^ +||aganicewride.click^ +||agaoctillerya.com^ +||agaomastaran.com^ +||agaroidapposer.top^ +||agaskrelpr.com^ +||agaswalotchan.com^ +||agatarainpro.com^ +||agaue-vyz.com^ +||agauxietor.com^ +||agavanilliteom.com^ +||agazskanda.shop^ +||agbuekehb.com^ +||agcdn.com^ +||ageaskedfurther.com^ +||ageetsaimouphih.net^ +||agency2.ru^ +||agffrusilj.com^ +||agflkiombagl.com^ +||aggdubnixa.com^ +||aggravatecapeamoral.com^ +||aggregateknowledge.com^ +||aggregationcontagion.com^ +||aggressivedifficulty.com^ +||aggressivefrequentneckquirky.com^ +||aghppuhixd.com^ +||agilaujoa.net^ +||agileskincareunrented.com^ +||agisdayra.com^ +||agitatechampionship.com^ +||agl001.bid^ +||agl002.online^ +||agl003.com^ +||agle21xe2anfddirite.com^ +||aglocobanners.com^ +||agloogly.com^ +||aglvtwawyzaa.com^ +||agmtrk.com^ +||agnrcrpwyyn.com^ +||agoniedlaissez.com^ +||agooxouy.net^ +||agqoshfujku.com^ +||agqovdqajj.com^ +||agrarianbeepsensitivity.com^ +||agrarianbrowse.com^ +||agraustuvoamico.xyz^ +||agreeableopinion.pro^ +||agreedairdalton.com^ +||agriculturaltacticautobiography.com^ +||agriculturealso.com^ +||agriculturepenthouse.com^ +||agrmufot.com^ +||agroupsaineph.net^ +||agscirowwsr.com^ +||agtongagla.com^ +||agukalty.net^ +||agurgeed.net^ +||agvdvpillox.com^ +||ahadsply.com^ +||ahagreatlypromised.com^ +||ahaurgoo.net^ +||ahbdsply.com^ +||ahcdsply.com^ +||ahdvpuovkaz.com^ +||aheadreflectczar.com^ +||ahfmruafx.com^ +||ahjshyoqlo.com^ +||ahlefind.com^ +||ahmar2four.xyz^ +||ahokaski.com^ +||ahomsoalsoah.net^ +||ahoxirsy.com^ +||ahporntube.com^ +||ahqovxli.com^ +||ahscdn.com^ +||ahtalcruzv.com^ +||ahvradotws.com^ +||ahwbedsd.xyz^ +||aibseensoo.net^ +||aibsgc.com^ +||aibvlvplqwkq.com^ +||aickeebsi.com^ +||aidata.io^ +||aidraiphejpb.com^ +||aidspectacle.com^ +||aiejlfb.com^ +||aiftakrenge.com^ +||aigaithojo.com^ +||aigheebsu.net^ +||aigneloa.com^ +||aignewha.com^ +||aigniltosesh.net^ +||aiiirwciki.com^ +||aijurivihebo.com^ +||aikat-vim.com^ +||aikidosaimable.com^ +||aikraith.net^ +||aikravoapu.com^ +||aikrighawaks.com^ +||aiksohet.net^ +||ailaulsee.com^ +||ailil-fzt.com^ +||ailrilry.com^ +||ailrouno.net^ +||ailteesh.net^ +||aimatch.com^ +||aimaudooptecma.net^ +||aimaunongeez.net^ +||aimpocket.com^ +||aimportfoliosquid.com^ +||aimukreegee.net^ +||aintydevelelastic.com^ +||ainuftou.net^ +||aipofeem.net^ +||aipoufoomsaz.xyz^ +||aiqidwcfrm.com^ +||aiquqqaadd.xyz^ +||airablebuboes.com^ +||airairgu.com^ +||airartapt.site^ +||airaujoog.com^ +||airbornefrench.com^ +||airborneold.com^ +||airconditionpianoembarrassment.com^ +||aircraftairliner.com^ +||aircraftreign.com^ +||airdilute.com^ +||airdoamoord.com^ +||airgokrecma.com^ +||airlessquotationtroubled.com^ +||airpush.com^ +||airsoang.net^ +||airtightcounty.com^ +||airtightfaithful.com^ +||airyeject.com^ +||aisletransientinvasion.com^ +||aisorussooxacm.net^ +||aistekso.net^ +||aistekso.nett^ +||aitertemob.net^ +||aitoocoo.xyz^ +||aitsatho.com^ +||aiveemtomsaix.net^ +||aivoonsa.xyz^ +||aiwlxmy.com^ +||aiwutgxp.love^ +||aixcdn.com^ +||aj1070.online^ +||aj1090.online^ +||aj1432.online^ +||aj1559.online^ +||aj1574.online^ +||aj1716.online^ +||aj1907.online^ +||aj1913.online^ +||aj1985.online^ +||aj2031.online^ +||aj2218.online^ +||aj2396.online^ +||aj2397.online^ +||aj2532.bid^ +||aj2550.bid^ +||aj2555.bid^ +||aj2627.bid^ +||aj3038.bid^ +||ajaiguhubeh.com^ +||ajar-substance.com^ +||ajestigie.com^ +||ajgzylr.com^ +||ajillionmax.com^ +||ajjawcxpao.com^ +||ajkzd9h.com^ +||ajmpeuf.com^ +||ajoosheg.com^ +||ajrkm1.com^ +||ajrkm3.com^ +||ajscdn.com^ +||ajvjpupava.com^ +||ajvnragtua.com^ +||ajxx98.online^ +||ajzgkegtiosk.com^ +||ak-tracker.com^ +||akaiksots.com^ +||akaroafrypan.com^ +||akdbr.com^ +||akeedser.com^ +||akentaspectsof.com^ +||akijk.life^ +||akilifox.com^ +||akinrevenueexcited.com^ +||akjorcnawqp.com^ +||akjoyjkrwaraj.top^ +||aklaqdzukadh.com^ +||aklmjylwvkjbb.top^ +||aklorswikk.com^ +||akmxts.com^ +||akqktwdk.xyz^ +||aksleaj.com^ +||aktwusgwep.com^ +||akutapro.com^ +||akvqulocj.com^ +||akvvraarxa.com^ +||al-adtech.com^ +||alackzokor.com^ +||alacrityimitation.com^ +||alaeshire.com^ +||alagaodealing.com^ +||alanibelen.com^ +||alargeredrubygsw.info^ +||alarmsubjectiveanniversary.com^ +||alas4kanmfa6a4mubte.com^ +||alasvow.com^ +||alaudrup.net^ +||albeitinflame.com^ +||albeittuitionsewing.com^ +||albeitvoiceprick.com^ +||albireo.xyz^ +||albraixentor.com^ +||albumshrugnotoriety.com^ +||albumsomer.com^ +||alcatza.com^ +||alcaydecubages.com^ +||alchemysocial.com^ +||alcidkits.com^ +||alcroconawa.com^ +||aldosesmajeure.com^ +||aldragalgean.com^ +||alecclause.com^ +||alecizeracloir.click^ +||aleilu.com^ +||alepinezaptieh.com^ +||alertlogsemployer.com^ +||alespeonor.com^ +||alesrepreswsenta.com^ +||aletrenhegenmi.com^ +||alexatracker.com^ +||alexisbeaming.com^ +||alfa-track.info^ +||alfa-track2.site^ +||alfasense.com^ +||alfatraffic.com^ +||alfelixstownrus.org^ +||alfelixstownrusis.info^ +||alfredvariablecavalry.com^ +||algg.site^ +||algolduckan.com^ +||algothitaon.com^ +||algovid.com^ +||alhennabahuma.com^ +||alhypnoom.com^ +||alia-iso.com^ +||aliadvert.ru^ +||aliasesargueinsensitive.com^ +||aliasfoot.com^ +||alibabatraffic.com^ +||alibisprocessessyntax.com^ +||alienateafterward.com^ +||alienateappetite.com^ +||alienatebarnaclemonstrous.com^ +||alienateclergy.com^ +||alienaterepellent.com^ +||aliensold.com^ +||alifeupbrast.com^ +||alightbornbell.com^ +||alingrethertantin.info^ +||aliposite.site^ +||alipromo.com^ +||aliquidalgesic.top^ +||aliteartful.com^ +||alitems.co^ +||alitems.com^ +||alitems.site^ +||alivebald.com^ +||aliwjo.com^ +||aliyothvoglite.top^ +||aliyswrk.com^ +||alizebruisiaculturer.org^ +||aljurqbdsxhcgh.com^ +||alkentinedaugha.com^ +||alklinker.com^ +||alkqryamjo.com^ +||allabc.com^ +||allactualjournal.com^ +||allactualstories.com^ +||alladvertisingdomclub.club^ +||allcommonblog.com^ +||allcoolnewz.com^ +||allcoolposts.com^ +||allegationcolanderprinter.com^ +||allegianceenableselfish.com^ +||alleliteads.com^ +||allemodels.com^ +||allenhoroscope.com^ +||allenmanoeuvre.com^ +||allenprepareattic.com^ +||allergicloaded.com^ +||alleviatepracticableaddicted.com^ +||allfb8dremsiw09oiabhboolsebt29jhe3setn.com^ +||allfreecounter.com^ +||allfreshposts.com^ +||allhotfeed.com^ +||allhugeblog.com^ +||allhugefeed.com^ +||allhugenews.com^ +||allhugenewz.com^ +||allhypefeed.com^ +||alliancejoyousbloat.com^ +||allicinarenig.com^ +||allloveydovey.fun^ +||allmt.com^ +||allocatedense.com^ +||allocatelacking.com^ +||allocationhistorianweekend.com^ +||allodsubussu.com^ +||allorfrryz.com^ +||allotnegate.com^ +||allotupwardmalicious.com^ +||allow-to-continue.com^ +||allowancepresidential.com^ +||allowchamber.com^ +||allowflannelmob.com^ +||allowingjustifypredestine.com^ +||allowsmelodramaticswindle.com^ +||alloydigital.com^ +||allpornovids.com^ +||allskillon.com^ +||allsports4free.live^ +||allsports4free.online^ +||allstat-pp.ru^ +||alltopnewz.com^ +||alltopposts.com^ +||alludedaridboob.com^ +||allure-ng.net^ +||allureencourage.com^ +||allureoutlayterrific.com^ +||allusionfussintervention.com^ +||allworkovergot.com^ +||allyes.com^ +||allyprimroseidol.com^ +||almareepom.com^ +||almasatten.com^ +||almetanga.com^ +||almightyexploitjumpy.com^ +||almightypush.com^ +||almightyroomsimmaculate.com^ +||almondusual.com^ +||almonryminuter.com^ +||almostspend.com^ +||almstda.tv^ +||alnormaticalacyc.org^ +||alnzupnulzaw.com^ +||aloatchuraimti.net^ +||aloftloan.com^ +||alonehepatitisenough.com^ +||alongsidelizard.com^ +||alony.site^ +||aloofformidabledistant.com^ +||alota.xyz^ +||aloudhardware.com^ +||aloveyousaidthe.info^ +||alovirs.com^ +||alpangorochan.com^ +||alpenridge.top^ +||alphabetforesteracts.com^ +||alphabetlayout.com^ +||alphabird.com^ +||alphagodaddy.com^ +||alpheratzscheat.top^ +||alphonso.tv^ +||alpidoveon.com^ +||alpine-vpn.com^ +||alpistidotea.click^ +||alpjpyaskpiw.com^ +||alreadyballetrenting.com^ +||alreadywailed.com^ +||alrightcorozo.com^ +||alrightlemonredress.com^ +||alsdebaticalfelixsto.org^ +||alsindustrate.info^ +||alsindustratebil.com^ +||alsolrocktor.com^ +||altaicpranava.shop^ +||altairaquilae.top^ +||altarrousebrows.com^ +||altcoin.care^ +||alterassumeaggravate.com^ +||alterhimdecorate.com^ +||alternads.info^ +||alternatespikeloudly.com^ +||alternativecpmgate.com^ +||alternativeprofitablegate.com^ +||altfafbih.com^ +||altitude-arena.com^ +||altitudeweetonsil.com^ +||altowriestwispy.com^ +||altpubli.com^ +||altrk.net^ +||altronopubacc.com^ +||altynamoan.com^ +||alwaysdomain01.online^ +||alwayspainfully.com^ +||alwayswheatconference.com^ +||alwhichhereal.com^ +||alwhichhereallyw.com^ +||alwingulla.com^ +||alxbgo.com^ +||alxsite.com^ +||alysson.de^ +||alzlwkeavrlw.top^ +||alzwlqexqeh.com^ +||am10.ru^ +||am11.ru^ +||am15.net^ +||amala-wav.com^ +||amalakale.com^ +||amalt-sqc.com^ +||amarceusan.com^ +||amateurcouplewebcam.com^ +||amattepush.com^ +||amazinelistrun.pro^ +||amazon-adsystem.com^ +||amazon-cornerstone.com^ +||ambaab.com^ +||ambeapres.shop^ +||ambientplatform.vn^ +||ambiguitypalm.com^ +||ambiliarcarwin.com^ +||ambitiousdivorcemummy.com^ +||ambolicrighto.com^ +||ambra.com^ +||ambuizeler.com^ +||ambushharmlessalmost.com^ +||amcmuhu.com^ +||amelatrina.com^ +||amendableirritatingprotective.com^ +||amendablepartridge.com^ +||amendablesloppypayslips.com^ +||amendsgeneralize.com^ +||amendsrecruitingperson.com^ +||amentsmodder.com^ +||ameoutofthe.info^ +||ameowli.com^ +||amesgraduatel.xyz^ +||amexcadrillon.com^ +||amfennekinom.com^ +||amgardevoirtor.com^ +||amgdgt.com^ +||amhippopotastor.com^ +||amhpbhyxfgvd.com^ +||amiabledelinquent.com^ +||amidoxypochard.com^ +||aminopay.net^ +||amjllwbovlyba.top^ +||amjoltiktor.com^ +||amjsiksirkh.com^ +||amkbpcc.com^ +||amkxihjuvo.com^ +||amlumineona.com^ +||amlyyqjvjvzmm.top^ +||ammankeyan.com^ +||amnew.net^ +||amnoctowlan.club^ +||amntx1.net^ +||amnwpircuomd.com^ +||amoberficin.top^ +||amoddishor.com^ +||amon1.net^ +||amonar.com^ +||amoochaw.com^ +||amorouslimitsbrought.com^ +||amorphousankle.com^ +||amountdonutproxy.com^ +||amourethenwife.top^ +||amoutjsvp-u.club^ +||amp.rd.linksynergy.com^ +||amp.services^ +||ampcr.io^ +||amplitudesheriff.com^ +||amplitudeundoubtedlycomplete.com^ +||amppidarwoqg.com^ +||ampxchange.com^ +||amre.work^ +||amshroomishan.com^ +||amtmenlana.com^ +||amtracking01.com^ +||amtropiusr.com^ +||amucresol.com^ +||amuletcontext.com^ +||amunfezanttor.com^ +||amunlhntxou.com^ +||amused-ground.com^ +||amusementchillyforce.com^ +||amusementrehearseevil.com^ +||amusementstepfatherpretence.com^ +||amyfixesfelicity.com^ +||amzargfaht.com^ +||amzbtuolwp.com^ +||anacampaign.com^ +||anadignity.com^ +||anaemiaperceivedverge.com^ +||analitits.com^ +||analogydid.com^ +||analytics-active.net^ +||anamaembush.com^ +||anamuel-careslie.com^ +||anapirate.com^ +||anastasia-international.com^ +||anastasiasaffiliate.com^ +||anatomyabdicatenettle.com^ +||anatomybravely.com^ +||anattospursier.com^ +||ancalfulpige.co.in^ +||ancamcdu.com^ +||anceenablesas.com^ +||anceenablesas.info^ +||ancestor3452.fun^ +||ancestorpoutplanning.com^ +||ancestortrotsoothe.com^ +||anceteventur.info^ +||ancientconspicuousuniverse.com^ +||ancznewozw.com^ +||anddescendedcocoa.com^ +||andohs.net^ +||andomedia.com^ +||andomediagroup.com^ +||andriesshied.com^ +||android-cleaners.com^ +||androundher.info^ +||andtheircleanw.com^ +||anentsyshrug.com^ +||aneorwd.com^ +||anewgallondevious.com^ +||anewrelivedivide.com^ +||anewwisdomrigour.com^ +||angege.com^ +||angelesdresseddecent.com^ +||angelesfoldingpatsy.com^ +||angelesperiod.com^ +||angelsaidthe.info^ +||angioiddiantre.top^ +||angledunion.top^ +||angletolerate.com^ +||anglezinccompassionate.com^ +||angrilyanimatorcuddle.com^ +||angrilyinclusionminister.com^ +||angryheadlong.com^ +||anguishedjudgment.com^ +||anguishlonesome.com^ +||anguishmotto.com^ +||anguishworst.com^ +||angularamiablequasi.com^ +||angularconstitution.com^ +||anickeebsoon.com^ +||animatedjumpydisappointing.com^ +||animaterecover.com^ +||animits.com^ +||animoseelegy.top^ +||aninter.net^ +||anisoinmetrize.top^ +||ankdoier.com^ +||ankolisiloam.com^ +||anldnews.pro^ +||anlytics.co^ +||anmdr.link^ +||anmhtutajog.com^ +||annesuspense.com^ +||annlolrjytowfga.xyz^ +||annotationdiverse.com^ +||annotationmadness.com^ +||announcedseaman.com^ +||announcement317.fun^ +||announcementlane.com^ +||announceproposition.com^ +||announcinglyrics.com^ +||annoyancejesustrivial.com^ +||annoyancepreoccupationgrowled.com^ +||annoyanceraymondexcepting.com^ +||annoynoveltyeel.com^ +||annulmentequitycereals.com^ +||annussleys.com^ +||annxwustakf.com^ +||anomalousmelt.com^ +||anomalousporch.com^ +||anonymousads.com^ +||anonymoustrunk.com^ +||anopportunitytost.info^ +||anothermemory.pro^ +||anpptedtah.com^ +||ansusalina.com^ +||answerroad.com^ +||antananarbdivu.com^ +||antarcticfiery.com^ +||antarcticoffended.com^ +||antaresarcturus.com^ +||antcixn.com^ +||antcxk.com^ +||antecedentbees.com^ +||antecedentbuddyprofitable.com^ +||antennaputyoke.com^ +||antennawritersimilar.com^ +||antentgu.co.in^ +||anteog.com^ +||anthemportalcommence.com^ +||antiadblock.info^ +||antiadblocksystems.com^ +||antiaecroon.com^ +||antiagingbiocream.com^ +||antibot.me^ +||anticipatedthirteen.com^ +||anticipateplummorbid.com^ +||anticipationit.com^ +||anticipationnonchalanceaccustomed.com^ +||antijamburet.com^ +||antiquespecialtyimpure.com^ +||antiquitytissuepod.com^ +||antiredcessant.com^ +||antivirussprotection.com^ +||antjgr.com^ +||antlerlode.com^ +||antlerpickedassumed.com^ +||antmyth.com^ +||antoiew.com^ +||antonysurface.com^ +||antpeelpiston.com^ +||antralhokier.shop^ +||antyoubeliketheap.com^ +||anuclsrsnbcmvf.xyz^ +||anurybolded.shop^ +||anwhitepinafore.info^ +||anxiouslyconsistencytearing.com^ +||anxkuzvfim.com^ +||anxomeetqgvvwt.xyz^ +||anybodyproper.com^ +||anybodysentimentcircumvent.com^ +||anydigresscanyon.com^ +||anyinadeditiont.com^ +||anymad.com^ +||anymind360.com^ +||anymoreappeardiscourteous.com^ +||anymorearmsindeed.com^ +||anymorecapability.com^ +||anymorehopper.com^ +||anymoresentencevirgin.com^ +||anysolely.com^ +||anytimesand.com^ +||anywaysreives.com^ +||anzabboktk.com^ +||aoalmfwinbsstec23.com^ +||aoihaizo.xyz^ +||aopapp.com^ +||aortismbutyric.com^ +||ap-srv.net^ +||ap3lorf0il.com^ +||apartemployee.com^ +||apartinept.com^ +||apartsermon.com^ +||apatheticdrawerscolourful.com^ +||apatheticformingalbeit.com^ +||apbieqqb.xyz^ +||apcatcltoph.com^ +||apcpaxwfej.com^ +||apeefacheefirs.net^ +||apeidol.com^ +||apescausecrag.com^ +||apesdescriptionprojects.com^ +||apglinks.net^ +||api168168.com^ +||apiculirackman.top^ +||apidata.info^ +||apiecelee.com^ +||apistatexperience.com^ +||aplombwealden.shop^ +||apnpr.com^ +||apnttuttej.com^ +||apologiesneedleworkrising.com^ +||apologizingrigorousmorally.com^ +||aporasal.net^ +||aporodiko.com^ +||apostilprinks.com^ +||apostlegrievepomp.com^ +||apostropheammunitioninjure.com^ +||app.tippp.io^ +||app2up.info^ +||appads.com^ +||apparatusditchtulip.com^ +||apparelbrandsabotage.com^ +||appbravebeaten.com^ +||appcloudactive.com^ +||appcloudvalue.com^ +||appealingyouthfulhaphazard.com^ +||appealtime.com^ +||appearancegravel.com^ +||appearedcrawledramp.com^ +||appearednecessarily.com^ +||appearedon.com^ +||appearzillionnowadays.com^ +||appeaseprovocation.com^ +||appendad.com^ +||appendixballroom.com^ +||appendixbureaucracycommand.com^ +||appendixwarmingauthors.com^ +||applabzzeydoo.com^ +||applandforbuddies.top^ +||applandlight.com^ +||apple.analnoe24.com^ +||applesometimes.com^ +||applicationmoleculepersonal.com^ +||applicationplasticoverlap.com^ +||applicationsattaindevastated.com^ +||appmateforbests.com^ +||appnow.sbs^ +||appoineditardwide.com^ +||appointedchildorchestra.com^ +||appointeeivyspongy.com^ +||appollo-plus.com^ +||appraisalaffable.com^ +||apprefaculty.pro^ +||approachconducted.com^ +||approbationoutwardconstrue.com^ +||appropriate-bag.pro^ +||appropriatepurse.com^ +||approved.website^ +||apps1cdn.com^ +||appsget.monster^ +||appspeed.monster^ +||appstorages.com^ +||appsyoga.com^ +||apptjmp.com^ +||apptquitesouse.com^ +||appwebview.com^ +||appwtehujwi.com^ +||appyrinceas.com^ +||appzery.com^ +||appzeyland.com^ +||aprilineffective.com^ +||apritvun.com^ +||apromoweb.com^ +||apsmediaagency.com^ +||apsoacou.xyz^ +||apsoopho.net^ +||apt-ice.pro^ +||aptdiary.com^ +||aptimorph.com^ +||aptlydoubtful.com^ +||apus.tech^ +||apvdr.com^ +||apxlv.com^ +||apzgcipacpu.com^ +||aq30me9nw.com^ +||aq7ua5ma85rddeinve.com^ +||aqcutwom.xyz^ +||aqhijerlrosvig.com^ +||aqhz.xyz^ +||aqjbfed.com^ +||aqkkoalfpz.com^ +||aqncinxrexa.com^ +||aqnnysd.com^ +||aqptziligoqn.com^ +||aqspcbz.com^ +||aquentlytujim.com^ +||aqxme-eorex.site^ +||arabicpostboy.shop^ +||araifourabsa.net^ +||aralego.com^ +||aralomomolachan.com^ +||araneidboruca.com^ +||arbersunroof.com^ +||arbourrenewal.com^ +||arbutterfreer.com^ +||arcedcoss.top^ +||archaicchop.com^ +||archaicgrilledignorant.com^ +||archaicin.com^ +||archbishoppectoral.com^ +||archedmagnifylegislation.com^ +||archerpointy.com^ +||archiewinningsneaking.com^ +||architectmalicemossy.com^ +||architecturecultivated.com^ +||architectureholes.com^ +||arcossinsion.shop^ +||arcost54ujkaphylosuvaursi.com^ +||ardentlyexposureflushed.com^ +||ardentlyoddly.com^ +||ardruddigonan.com^ +||ardschatota.com^ +||ardsklangr.com^ +||ardslediana.com^ +||ardssandshrewon.com^ +||ardsvenipedeon.com^ +||arduousyeast.com^ +||areamindless.com^ +||areasnap.com^ +||areelektrosstor.com^ +||areliux.cc^ +||arenalitteraccommodation.com^ +||arenigcools.shop^ +||arenosegesten.shop^ +||argenabovethe.com^ +||argeredru.info^ +||arglingpistole.com^ +||arguebakery.com^ +||arguerepetition.com^ +||argumentsadrenaline.com^ +||argumentsmaymadly.com^ +||arilsoaxie.xyz^ +||ariotgribble.com^ +||aristianewr.club^ +||arithpouted.com^ +||arkdcz.com^ +||arketingefifortw.com^ +||arkfacialdaybreak.com^ +||arkfreakyinsufficient.com^ +||arkunexpectedtrousers.com^ +||arleavannya.com^ +||armamentsummary.com^ +||armarilltor.com^ +||armedtidying.com^ +||armillakanthan.com^ +||arminius.io^ +||arminuntor.com^ +||armisticeexpress.com^ +||armoursviolino.com^ +||army.delivery^ +||armypresentlyproblem.com^ +||arnchealpa.com^ +||arnepurxlbsjiih.xyz^ +||arnimalconeer.com^ +||arnofourgu.com^ +||aromamidland.com^ +||aromatic-possibility.pro^ +||aromaticunderstanding.pro^ +||arosepageant.com^ +||aroundpayslips.com^ +||aroundridicule.com^ +||arousedimitateplane.com^ +||arrangeaffectedtables.com^ +||arrangementhang.com^ +||arraysurvivalcarla.com^ +||arrearsdecember.com^ +||arrearstreatyexamples.com^ +||arrestjav182.fun^ +||arrivaltroublesome.com^ +||arrivedcanteen.com^ +||arrivedeuropean.com^ +||arrivingallowspollen.com^ +||arrlnk.com^ +||arrnaught.com^ +||arrowpotsdevice.com^ +||arrqumzr.com^ +||arsfoundhert.info^ +||arsfoundhertobe.com^ +||arshelmeton.com^ +||arsoniststuffed.com^ +||arswabluchan.com^ +||artditement.info^ +||artefacloukas.click^ +||arterybasin.com^ +||arteryeligiblecatchy.com^ +||artevinesor.com^ +||arthyredir.com^ +||articlegarlandferment.com^ +||articlepawn.com^ +||articulatefootwearmumble.com^ +||artistictastesnly.info^ +||artlessdeprivationunfriendly.com^ +||artoas301endore.com^ +||artonsbewasand.com^ +||artreconnect.com^ +||artsygas.com^ +||arvigorothan.com^ +||arvyxowwcay.com^ +||arwartortleer.com^ +||arwhismura.com^ +||arwobaton.com^ +||as5000.com^ +||asacdn.com^ +||asafesite.com^ +||asajojgerewebnew.com^ +||asandcomemu.info^ +||asbaloney.com^ +||asbulbasaura.com^ +||asccdn.com^ +||asce.xyz^ +||ascensionunfinished.com^ +||ascentflabbysketch.com^ +||ascentloinconvenience.com^ +||ascertainedthetongs.com^ +||ascertainintend.com^ +||ascraftan.com^ +||asdasdad.net^ +||asdf1.online^ +||asdf1.site^ +||asdfdr.cfd^ +||asdidmakingby.info^ +||asdkfefanvt.com^ +||asdpoi.com^ +||asecv.xyz^ +||asespeonom.com^ +||asewlfjqwlflkew.com^ +||asf4f.us^ +||asferaligatron.com^ +||asfgeaa.lat^ +||asgccummig.com^ +||asgclick.com^ +||asgclickkl.com^ +||asgclickpp.com^ +||asgildedalloverw.com^ +||asgorebysschan.com^ +||ashacgqr.com^ +||ashamedbirchpoorly.com^ +||ashamedtriumphant.com^ +||ashameoctaviansinner.com^ +||ashasvsucoce.com^ +||ashasvsucocesis.com^ +||ashcdn.com^ +||ashhgo.com^ +||ashlarinaugur.com^ +||ashlingzanyish.com^ +||ashoreyuripatter.com^ +||ashoupsu.com^ +||ashrivetgulped.com^ +||ashturfchap.com^ +||asiangfsex.com^ +||asidefeetsergeant.com^ +||asipnfbxnt.com^ +||asjknjtdthfu.com^ +||askdomainad.com^ +||askewusurp.shop^ +||askingsitting.com^ +||asklfnmoqwe.xyz^ +||asklinklanger.com^ +||asklots.com^ +||askprivate.com^ +||asksquay.com^ +||aslaironer.com^ +||aslaprason.com^ +||asleavannychan.com^ +||aslnk.link^ +||asnincadar.com^ +||asnoibator.com^ +||asnothycan.info^ +||asnothycantyou.info^ +||aso1.net^ +||asogkhgmgh.com^ +||asopn.com^ +||asoursuls.com^ +||asozordoafie.com^ +||aspaceloach.com^ +||asparagusburstscanty.com^ +||asparagusinterruption.com^ +||asparaguspallorspoken.com^ +||asparaguspopcorn.com^ +||aspectreinforce.com^ +||aspectsofcukorp.com^ +||asperencium.com^ +||asperityhorizontally.com^ +||aspignitean.com^ +||aspirationliable.com^ +||asqconn.com^ +||asraichuer.com^ +||asrelatercondi.org^ +||asrety.com^ +||asricewaterhouseo.com^ +||asrop.xyz^ +||asrowjkagg.com^ +||assailusefullyenemies.com^ +||assassinationsteal.com^ +||assaultmolecularjim.com^ +||assbwaaqtaqx.com^ +||assembleservers.com^ +||assertedclosureseaman.com^ +||assertedelevateratio.com^ +||assertnourishingconnection.com^ +||assetize.com^ +||assignedeliminatebonfire.com^ +||assignmentlonesome.com^ +||assimilatecigarettes.com^ +||assistancelawnthesis.com^ +||assistantasks.com^ +||assithgibed.shop^ +||asslakothchan.com^ +||associationwish.com^ +||assodbobfad.com^ +||assortmentberry.com^ +||assortplaintiffwailing.com^ +||asstaraptora.com^ +||assuagefaithfullydesist.com^ +||assumeflippers.com^ +||assumptivepoking.com^ +||assuranceapprobationblackbird.com^ +||assuredtroublemicrowave.com^ +||assuremath.com^ +||assuretwelfth.com^ +||asswalotr.com^ +||ast2ya4ee8wtnax.com^ +||astaicheedie.com^ +||astarboka.com^ +||astasiacalamar.top^ +||astato.online^ +||astehaub.net^ +||astemolgachan.com^ +||asterbiscusys.com^ +||asteriskwaspish.com^ +||asterrakionor.com^ +||astersrepent.top^ +||astesnlyno.org^ +||astespurra.com^ +||astirduller.com^ +||astivysauran.com^ +||astkyureman.com^ +||astnoivernan.com^ +||astoapsu.com^ +||astoecia.com^ +||astogepian.com^ +||astonishingpenknifeprofessionally.com^ +||astonishlandmassnervy.com^ +||astonishmentfuneral.com^ +||astoundweighadjoining.com^ +||astra9dlya10.com^ +||astrokompas.com^ +||astrologyflyabletruth.com^ +||astronomybreathlessmisunderstand.com^ +||astronomycrawlingcol.com^ +||astronomyfitmisguided.com^ +||astronomytesting.com^ +||astscolipedeor.com^ +||astspewpaor.com^ +||astumbreonon.com^ +||asverymuc.org^ +||asverymucha.info^ +||atabekdoubly.top^ +||atableofcup.com^ +||ataiyalstrays.com^ +||atala-apw.com^ +||atalouktaboutrice.com^ +||atampharosom.com^ +||atanorithom.com^ +||atappanic.click^ +||atas.io^ +||atcelebitor.com^ +||atcoordinate.com^ +||atctpqgota.com^ +||atdeerlinga.com^ +||atdmaincode.com^ +||atdmt.com^ +||atdrilburr.com^ +||ate60vs7zcjhsjo5qgv8.com^ +||ateaudiblydriving.com^ +||atedlitytlement.info^ +||aterroppop.com^ +||atethebenefitsshe.com^ +||atgallader.com^ +||atgenesecton.com^ +||athalarilouwo.net^ +||athbzeobts.com^ +||atheismperplex.com^ +||atherthishinhe.com^ +||athitmontopon.com^ +||athivopou.com^ +||athletedebride.top^ +||athletedurable.com^ +||athletethrong.com^ +||athlg.com^ +||athoaphu.xyz^ +||atholicncesispe.info^ +||athostouco.com^ +||athumiaspuing.click^ +||athvicatfx.com^ +||athyimemediat.com^ +||athyimemediates.info^ +||aticalfelixstownrus.info^ +||aticalmaster.org^ +||atinsolutions.com^ +||ationforeahyouglas.com^ +||ationforeathyougla.com^ +||ativesathyas.info^ +||atjigglypuffor.com^ +||atjogdfzivre.com^ +||atlhjtmjrj.com^ +||atlxpstsf.com^ +||atmalinks.com^ +||atmetagrossan.com^ +||atmewtwochan.com^ +||atmosphericurinebra.com^ +||atmtaoda.com^ +||ato.mx^ +||atodiler.com^ +||atollanaboly.com^ +||atomex.net^ +||atomicarot.com^ +||atonato.de^ +||atonementelectronics.com^ +||atonementfosterchild.com^ +||atonementimmersedlacerate.com^ +||atpanchama.com^ +||atpansagean.com^ +||atpawniarda.com^ +||atqwilfishom.com^ +||atraff.com^ +||atraichuor.com^ +||atriahatband.com^ +||atriblethetch.com^ +||atris.xyz^ +||atrkmankubf.com^ +||atrociouspsychiatricparliamentary.com^ +||atrocityfingernail.com^ +||atsabwhkox.com^ +||atservineor.com^ +||atshroomisha.com^ +||attacarbo.com^ +||attachedkneel.com^ +||attaindisableneedlework.com^ +||attaintobiit.shop^ +||attemptingstray.com^ +||attempttensionfrom.com^ +||attempttipsrye.com^ +||attendedconnectionunique.com^ +||attentioniau.com^ +||attentionsbreastfeeding.com^ +||attentionsoursmerchant.com^ +||attenuatenovelty.com^ +||attepigom.com^ +||attestationaudience.com^ +||attestationoats.com^ +||attestationovernightinvoluntary.com^ +||attestcribaccording.com^ +||attesthelium.com^ +||atthewonderfu.com^ +||atticepuces.com^ +||atticshepherd.com^ +||attingepicrate.com^ +||attractioninvincibleendurance.com^ +||attractivesurveys.com^ +||attractwarningkeel.com^ +||attrapincha.com^ +||attributedbroadcast.com^ +||attributedconcernedamendable.com^ +||attributedharnesssag.com^ +||attributedrelease.com^ +||attritioncombustible.com^ +||atttkaapqvh.com^ +||atwola.com^ +||atzekromchan.com^ +||au2m8.com^ +||aubaigeep.com^ +||auboalro.xyz^ +||auburn9819.com^ +||aucaikse.com^ +||auchoahy.net^ +||auchoons.net^ +||auckodsailtoas.net^ +||aucoudsa.net^ +||audiblereflectionsenterprising.com^ +||audiblyjinx.com^ +||audiencebellowmimic.com^ +||audiencefuel.com^ +||audiencegarret.com^ +||audienceprofiler.com^ +||audiobenasty.shop^ +||audionews.fm^ +||auditioneasterhelm.com^ +||auditioningantidoteconnections.com^ +||auditioningborder.com^ +||auditioningdock.com^ +||auditoriumgiddiness.com^ +||auditorydetainriddle.com^ +||auditude.com^ +||audmrk.com^ +||audrault.xyz^ +||auenpiuqxw.com^ +||auesk.cfd^ +||aufeeque.com^ +||auforau.com^ +||aufrcchptuk.com^ +||auftithu.xyz^ +||augaiksu.xyz^ +||augailou.com^ +||aughableleade.info^ +||augilrunie.net^ +||augurersoilure.space^ +||august15download.com^ +||augustjadespun.com^ +||auhungou.com^ +||aujooxoo.com^ +||aukalerim.com^ +||aukrgukepersao.com^ +||auksizox.com^ +||aukthwaealsoext.com^ +||auktshiejifqnk.com^ +||aulingimpora.club^ +||aulrains.com^ +||aulrertogo.xyz^ +||aulseewhie.com^ +||aulsidakr.com^ +||aulteeby.net^ +||aultesou.net^ +||aultopurg.xyz^ +||aultseemedto.xyz^ +||aumaupoy.net^ +||aumsarso.com^ +||aumsookr.com^ +||aumtoost.net^ +||auneechuksee.net^ +||auneghus.net^ +||aungudie.com^ +||aunsagoa.xyz^ +||aunsaick.com^ +||aunstollarinets.com^ +||auntieminiature.com^ +||auntishmilty.com^ +||auphirtie.com^ +||aupsugnee.com^ +||auptirair.com^ +||aurirdikseewhoo.net^ +||auroraveil.bid^ +||aurousroseola.com^ +||aursaign.net^ +||aurseerd.com^ +||aurtegeejou.xyz^ +||ausoafab.net^ +||ausomsup.net^ +||auspiceguile.com^ +||auspipe.com^ +||aussadroach.net^ +||aussoackou.net^ +||austaihauna.com^ +||austeemsa.com^ +||austere-familiar.com^ +||austeritylegitimate.com^ +||austow.com^ +||autchoog.net^ +||autchopord.net^ +||auteboon.net^ +||authaptixoal.com^ +||authognu.com^ +||authookroop.com^ +||authoritativedollars.com^ +||authoritiesemotional.com^ +||authorizeddear.pro^ +||authorsjustin.com^ +||auto-deploy.pages.dev^ +||auto-im.com^ +||autobiographysolution.com^ +||autochunkintriguing.com^ +||automatedtraffic.com^ +||automateyourlist.com^ +||automaticallyindecisionalarm.com^ +||automenunct.com^ +||autoperplexturban.com^ +||autopsyfowl.com^ +||auxiliarydonor.com^ +||auxiliaryspokenrationalize.com^ +||auxml.com^ +||auytiuhpu.com^ +||avads.co.uk^ +||availablesyrup.com^ +||avalancheofnews.com^ +||avalanchers.com^ +||avatarweb.site^ +||avazu.net^ +||avazutracking.net^ +||avbang3431.fun^ +||avbulb3431.fun^ +||avdebt3431.fun^ +||avecmessougnauy.net^ +||avenaryconcent.com^ +||aveneverseeno.info^ +||avengeburglar.com^ +||avengeghosts.com^ +||avenueinvoke.com^ +||aversionwives.com^ +||avgads.space^ +||avgive3431.fun^ +||avhduwvirosl.com^ +||avhjzemp.com^ +||avhtaapxml.com^ +||aviationbe.com^ +||aviewrodlet.com^ +||avkktuywj.xyz^ +||avloan3431.fun^ +||avmonk3431.fun^ +||avocetdentary.shop^ +||avoihyfziwbn.com^ +||avorgy3431.fun^ +||avouchamazeddownload.com^ +||avowdelicacydried.com^ +||avroad3431.fun^ +||avrom.xyz^ +||avrqaijwdqk.xyz^ +||avrrhodabbk.com^ +||avsink3431.fun^ +||avthelkp.net^ +||avtvcuofgz.com^ +||avucugkccpavsxv.xyz^ +||avview3431.fun^ +||avvxcexk.com^ +||avwgzujkit.com^ +||avwjyvzeymmb.top^ +||avygpim.com^ +||awaitifregularly.com^ +||awaitingutilize.com^ +||awakeclauseunskilled.com^ +||awakeexterior.com^ +||awakenedsour.com^ +||awardchirpingenunciate.com^ +||awardcynicalintimidating.com^ +||aware-living.pro^ +||awarecatching.com^ +||awarenessfundraiserstump.com^ +||awarenessinstance.com^ +||awarenessunprofessionalcongruous.com^ +||awasrqp.xyz^ +||awavjblaaewba.top^ +||away-stay.com^ +||awaydefinitecreature.com^ +||awbbcre.com^ +||awbbjmp.com^ +||awbbsat.com^ +||awbrwrybywaov.top^ +||awcrpu.com^ +||awecr.com^ +||awecre.com^ +||awecrptjmp.com^ +||aweinkbum.com^ +||awejmp.com^ +||awelsorsulte.com^ +||awembd.com^ +||awemdia.com^ +||awempt.com^ +||awemwh.com^ +||awentw.com^ +||aweproto.com^ +||aweprotostatic.com^ +||aweprt.com^ +||awepsi.com^ +||awepsljan.com^ +||awept.com^ +||awesome-blocker.com^ +||awesomeprizedrive.co^ +||awestatic.com^ +||awestc.com^ +||aweyqalyljbj.top^ +||awfulmorning.pro^ +||awfulresolvedraised.com^ +||awhauchoa.net^ +||awhausaifoog.com^ +||awheecethe.net^ +||awhoonule.net^ +||awhoupsou.com^ +||awistats.com^ +||awjadlbwiawt.com^ +||awkwardsuperstition.com^ +||awlaxvnpyf.com^ +||awldcupu.com^ +||awledconside.xyz^ +||awlov.info^ +||awltovhc.com^ +||awmbed.com^ +||awmdelivery.com^ +||awmocpqihh.com^ +||awmplus.com^ +||awmserve.com^ +||awnexus.com^ +||awnwhocamewi.info^ +||awokeconscious.com^ +||awooshimtay.net^ +||awoudsoo.xyz^ +||awpcrpu.com^ +||awprt.com^ +||awptjmp.com^ +||awptlpu.com^ +||aws-itcloud.net^ +||awstaticdn.net^ +||awsurveys.com^ +||awvracajcsu.com^ +||awwagqorqpty.com^ +||awwnaqax.com^ +||awwprjafmfjbvt.xyz^ +||awxgfiqifawg.com^ +||axalgyof.xyz^ +||axbofpnri.com^ +||axdbzqorym.com^ +||axeldivision.com^ +||axepallorstraits.com^ +||axill.com^ +||axillovely.com^ +||axjndvucr.com^ +||axkwmsivme.com^ +||axmocklwa.com^ +||axonix.com^ +||axtlqoo.com^ +||axwnmenruo.com^ +||axwwvfugh.com^ +||axxbbzab.com^ +||axxxfam.com^ +||axxxfeee.lat^ +||axzxkeawbo.com^ +||ay.delivery^ +||ay5u9w4jjc.com^ +||ayads.co^ +||ayaghlq.com^ +||ayarkkyjrmqzw.top^ +||ayboll.com^ +||aycrxa.com^ +||aydandelion.com^ +||ayehxorfaiqry.com^ +||ayga.xyz^ +||ayiztaefkfzs.com^ +||aykqyjzbkkkra.top^ +||aymijlwl.com^ +||aymobi.online^ +||ayrather.com^ +||aywivflptwd.com^ +||ayzylwqazaemj.top^ +||azads.com^ +||azawv.rocks^ +||azbaclxror.com^ +||azbjjbwkeokvj.top^ +||azcmcacuc.com^ +||azenka.one^ +||azeriondigital.com^ +||azj57rjy.com^ +||azjmp.com^ +||azmsmufimw.com^ +||aznapoz.info^ +||aznraxov.com^ +||azoaltou.com^ +||azoogleads.com^ +||azorbe.com^ +||azotvby.com^ +||azpresearch.club^ +||azskk.com^ +||aztecash.com^ +||azulcw7.com^ +||azurousdollar.shop^ +||azxdkucizr.com^ +||azygotesonless.com^ +||b-5-shield.com^ +||b-m.xyz^ +||b014381c95cb.com^ +||b02byun5xc3s.com^ +||b0oie4xjeb4ite.com^ +||b116785e75.com^ +||b1181fb1.site^ +||b194c1c862.com^ +||b1d51fd3c4.com^ +||b1dd039f40.com^ +||b21379380e.com^ +||b21be0a0c8.com^ +||b225.org^ +||b23010ff32.com^ +||b3b4e76625.com^ +||b3b526dee6.com^ +||b3mccglf4zqz.shop^ +||b3stcond1tions.com^ +||b3z29k1uxb.com^ +||b41732fb1b.com^ +||b42rracj.com^ +||b50faca981.com^ +||b57dqedu4.com^ +||b58ncoa1c07f.com^ +||b5e75c56.com^ +||b6b2d31f7e.com^ +||b6f16b3cd2.com^ +||b73uszzq3g9h.com^ +||b76751e155.com^ +||b7bf007bbe.com^ +||b8ce2eba60.com^ +||b8pfulzbyj7h.com^ +||ba46b70722.com^ +||baaomenaltho.com^ +||babbnrs.com^ +||bablohfleshes.com^ +||babun.club^ +||babyboomboomads.com^ +||babyniceshark.com^ +||babysittingrainyoffend.com^ +||baccarat112.com^ +||baccarat212.com^ +||bachelorfondleenrapture.com^ +||bachelorfranz.com^ +||bacishushaby.com^ +||back-drag.pro^ +||backedliar.com^ +||backfiremountslippery.com^ +||backfirestomachreasoning.com^ +||backgroundcocoaenslave.com^ +||backinghinge.shop^ +||backseatabundantpickpocket.com^ +||backseatmarmaladeconsiderate.com^ +||backseatrunners.com^ +||backssensorunreal.com^ +||backsweka.com^ +||backupcelebritygrave.com^ +||baconbedside.com^ +||baculeprudery.com^ +||badeldestarticulate.com^ +||badgeclodvariable.com^ +||badgegirdle.com^ +||badgeimpliedblind.com^ +||badgerchance.com^ +||badjocks.com^ +||badrookrafta.com^ +||badsecs.com^ +||badslopes.com^ +||badspads.com^ +||badtopwitch.work^ +||badword.xyz^ +||baect.com^ +||baetylalgorab.com^ +||bagelseven.com^ +||bageltiptoe.com^ +||baggageconservationcaught.com^ +||baghlachalked.com^ +||baghoglitu.net^ +||baghoorg.xyz^ +||bagiijdjejjcficbaag.world^ +||bagjuxtapose.com^ +||baglaubs.com^ +||baguioattalea.com^ +||bahaismlenaean.shop^ +||bahmemohod.com^ +||bahom.cloud^ +||bahswl.com^ +||baigostapsid.net^ +||baihoagleewhaum.net^ +||baileybenedictionphony.com^ +||bailihaiw.com^ +||bailorunwaged.com^ +||bainushe.com^ +||baipahanoop.net^ +||baiphefim.com^ +||baiseesh.net^ +||baithoph.net^ +||baitpros.net^ +||baiweero.com^ +||baiweluy.com^ +||bajowsxpy.com^ +||bakabok.com^ +||bakatvackzat.com^ +||bakertangiblebehaved.com^ +||bakeryunprofessional.com^ +||bakld.com^ +||baktceamrlic.com^ +||bakteso.ru^ +||balconybudgehappening.com^ +||balconypeer.com^ +||baldappetizingun.com^ +||baldo-toj.com^ +||baldwhizhens.com^ +||baledenseabbreviation.com^ +||baletingo.com^ +||ballarduous.com^ +||ballastaccommodaterapt.com^ +||ballasttheir.com^ +||balldevelopedhangnail.com^ +||ballisticforgotten.com^ +||ballotjavgg124.fun^ +||ballroomexhibitionmid.com^ +||ballroomswimmer.com^ +||balmexhibited.com^ +||baloneyunraked.com^ +||balphyra.com^ +||balvalur.com^ +||bam-bam-slam.com^ +||bambarmedia.com^ +||bampxqmqtlumucs.xyz^ +||bamtinseefta.xyz^ +||banalrestart.com^ +||banawgaht.com^ +||banclip.com^ +||bandageretaliateemail.com^ +||banddisordergraceless.com^ +||bande2az.com^ +||bandelcot.com^ +||bandoraclink.com^ +||bandsaislevow.com^ +||banerator.net^ +||banetabbeetroot.com^ +||bangedzipperbet.com^ +||bangtyranclank.com^ +||banhq.com^ +||banistersconvictedrender.com^ +||banisterslighten.com^ +||bankerbargainingquickie.com^ +||bankerconcludeshare.com^ +||bankerpotatoesrustle.com^ +||bankervehemently.com^ +||bankingbloatedcaptive.com^ +||bankingconcede.com^ +||bankingkind.com^ +||bankingpotent.com^ +||banneradsday.com^ +||banners5html2.com^ +||bantengdisgown.shop^ +||banterteeserving.com^ +||bantervaleral.com^ +||baobabsruesome.com^ +||bapdvtk.com^ +||barazasieve.click^ +||barbabridgeoverprotective.com^ +||barbecuedilatefinally.com^ +||barbmerchant.com^ +||bardatm.ru^ +||bardeearmsize.com^ +||bardicjazzed.com^ +||barecurldiscovering.com^ +||barefootedleisurelypizza.com^ +||barelydresstraitor.com^ +||barelysobby.top^ +||barelytwinkledelegate.com^ +||baresi.xyz^ +||bargainintake.com^ +||bargeagency.com^ +||bargedale.com^ +||barkanpickee.com^ +||barlo.xyz^ +||barmenosmetic.com^ +||barnabaslinger.com^ +||barnaclecocoonjest.com^ +||barnaclewiped.com^ +||baronsurrenderletter.com^ +||barrackssponge.com^ +||barrenhatrack.com^ +||barrenusers.com^ +||barricadecourse.com^ +||barringjello.com^ +||barscreative1.com^ +||barsshrug.com^ +||barteebs.xyz^ +||barterproductionsbang.com^ +||bartondelicate.com^ +||bartonpriority.com^ +||baseauthenticity.co.in^ +||baseballletters.com^ +||baseballrabble.com^ +||basedcloudata.com^ +||basedpliable.com^ +||basementprognosis.com^ +||baseporno.com^ +||basepush.com^ +||basheighthnumerous.com^ +||bashnourish.com^ +||bashwhoopflash.com^ +||basicallyspacecraft.com^ +||basicflownetowork.co.in^ +||basictreadcontract.com^ +||basicwhenpear.com^ +||basindecisive.com^ +||basisscarcelynaughty.com^ +||basisvoting.com^ +||baskdisk.com^ +||basketballshameless.com^ +||basketexceptionfeasible.com^ +||baskgodless.com^ +||baskpension.com^ +||bastarduponupon.com^ +||baste-znl.com^ +||bastingestival.com^ +||bastsmorular.shop^ +||batanwqwo.com^ +||bataviforsee.com^ +||batchhermichermicsecondly.com^ +||batcrack.icu^ +||batebalmy.com^ +||bathabed.com^ +||bathcuddle.com^ +||bathepoliteness.com^ +||batheunits.com^ +||bathroombornsharp.com^ +||battepush.com^ +||battleautomobile.com^ +||baubogla.com^ +||baucheedoa.net^ +||bauchleredries.com^ +||bauptone.com^ +||bauptost.net^ +||baushoaptauw.net^ +||bauviseph.com^ +||bauwonaujouloo.net^ +||bauzoanu.com^ +||bavrix.top^ +||bavxuhaxtqi.com^ +||bawickie.com^ +||bawixi.xyz^ +||bawlerhanoi.website^ +||baxotjdtesah.com^ +||baylnk.com^ +||bayonetukiyoe.top^ +||bayshorline.com^ +||baywednesday.com^ +||bazamodov.ru^ +||bazao.xyz^ +||bbangads.b-cdn.net^ +||bbcrgate.com^ +||bbd834il.de^ +||bbgtranst.com^ +||bbrdbr.com^ +||bbrjelrxnp.com^ +||bc84617c73.com^ +||bcaakxxuf.com^ +||bcd8072b72.com^ +||bceptemujahb.com^ +||bcjikwflahufgo.xyz^ +||bclikeqt.com^ +||bcloudhost.com^ +||bcprm.com^ +||bd33500074.com^ +||bd51static.com^ +||bdbovbmfu.xyz^ +||bdckqpofmclr.com^ +||bdhsahmg.com^ +||bdspulleys.top^ +||bdxhujrned.buzz^ +||be-frioaj.love^ +||be30660063.com^ +||be51586160.com^ +||bea988787c.com^ +||beachanatomyheroin.com^ +||beakerweedjazz.com^ +||beakexcursion.com^ +||beakobjectcaliber.com^ +||beakpee.com^ +||bealafulup.com^ +||beamedshipwreck.com^ +||beamobserver.com^ +||beanborrowed.com^ +||bearableforever.com^ +||bearableusagetheft.com^ +||bearagriculture.com^ +||beardinrather.com^ +||beardyapii.com^ +||bearerdarkfiscal.com^ +||beastintruder.com^ +||beastlyrapillo.shop^ +||beastssmuggleimpatiently.com^ +||beaststokersleazy.com^ +||beataehoose.shop^ +||beatifulapplabland.com^ +||beatifulllhistory.com^ +||beauartisticleaflets.com^ +||beautifulasaweath.info^ +||beautifullyinflux.com^ +||beauty1.xyz^ +||beavertron.com^ +||beaxewr.com^ +||beblass.com^ +||bebloommulvel.com^ +||bebreloomr.com^ +||bebseegn.com^ +||becamedevelopfailure.com^ +||beccc1d245.com^ +||bechatotan.com^ +||becketcoffee.com^ +||beckoverreactcasual.com^ +||becombeeer.com^ +||becomeapartner.io^ +||becomeobnoxiousturk.com^ +||becomesfusionpriority.com^ +||becomesobtrusive.com^ +||becominggunpowderpalette.com^ +||becorsolaom.com^ +||becrustleom.com^ +||becuboneor.com^ +||bedaslonej.com^ +||bedaslonejul.cc^ +||bedbaatvdc.com^ +||beddermidlegs.shop^ +||bedevilantibiotictoken.com^ +||bedirectuklyecon.com^ +||bedodrioer.com^ +||bedodrioon.com^ +||bedrapiona.com^ +||bedsideseller.com^ +||bedvbvb.com^ +||bedwhimpershindig.com^ +||beechverandahvanilla.com^ +||beefcollections.com^ +||beegotou.net^ +||beegrenugoz.com^ +||beehiveavertconfessed.com^ +||beehomemade.com^ +||beemauhu.xyz^ +||beemolgator.com^ +||beenoper.com^ +||beeperdecisivecommunication.com^ +||beepoven.com^ +||beeraggravationsurfaces.com^ +||beeshooloap.net^ +||beestraitstarvation.com^ +||beestuneglon.com^ +||beetrootshady.com^ +||beetrootsquirtexamples.com^ +||beevakum.net^ +||beevalt.com^ +||beewhoapuglih.net^ +||befirstcdn.com^ +||beforehandeccentricinhospitable.com^ +||beforehandopt.com^ +||begantotireo.xyz^ +||beggarlymeatcan.com^ +||beginfrightsuit.com^ +||beginnerfurglow.com^ +||beginnerhooligansnob.com^ +||beginninggoondirections.com^ +||beginningirresponsibility.com^ +||beginningstock.com^ +||beginoppressivegreet.com^ +||begknock.com^ +||begnawnkaliphs.top^ +||begracetindery.com^ +||begwhistlinggem.com^ +||behalflose.com^ +||behalfpagedesolate.com^ +||behalfplead.com^ +||behavedforciblecashier.com^ +||behavelyricshighly.com^ +||behaviorbald.com^ +||beheldconformoutlaw.com^ +||behim.click^ +||behindextend.com^ +||behindfebruary.com^ +||beholdcontents.com^ +||behoppipan.com^ +||beigecombinedsniffing.com^ +||beingajoyto.info^ +||beingajoytow.com^ +||beingsjeanssent.com^ +||beitandfalloni.com^ +||bejirachir.com^ +||bejolteonor.com^ +||beklefkiom.com^ +||bekrookodilechan.com^ +||belamicash.com^ +||belatedsafety.pro^ +||belatedwricht.com^ +||belavoplay.com^ +||beleafwens.shop^ +||belengougha.com^ +||belfrycaptured.com^ +||belfrynonfiction.com^ +||belia-glp.com^ +||belickitungchan.com^ +||beliefnormandygarbage.com^ +||believableboy.com^ +||believemefly.com^ +||believeradar.com^ +||believersymphonyaunt.com^ +||beliketheappyri.info^ +||bellacomparisonluke.com^ +||bellamyawardinfallible.com^ +||bellatrixmeissa.com^ +||bellmandrawbar.com^ +||bellowframing.com^ +||bellowtabloid.com^ +||bellpressinginspector.com^ +||belom.site^ +||belombrea.com^ +||belongedenemy.com^ +||belovedset.com^ +||beltarklate.live^ +||beltsingey.shop^ +||beltwaythrust.com^ +||beludicolor.com^ +||belwrite.com^ +||bemachopor.com^ +||bemadsonline.com^ +||bemanectricr.com^ +||bemedichamchan.com^ +||bemiltankor.com^ +||bemiresunlevel.com^ +||bemobpath.com^ +||bemobtrcks.com^ +||bemobtrk.com^ +||bemocksmunched.com^ +||bemolintrans.shop^ +||bemsongy.com^ +||benced.com^ +||benchdropscommerce.com^ +||benchsuited.com^ +||bendfrequency.com^ +||bendingroyaltyteeth.com^ +||beneathallowing.com^ +||beneathgirlproceed.com^ +||benefactorstoppedfeedback.com^ +||beneficialviewedallude.com^ +||benefitssheasha.com^ +||benelph.de^ +||benengagewriggle.com^ +||benevolencepair.com^ +||benidorinor.com^ +||benignitydesirespring.com^ +||benignityprophet.com^ +||benignitywoofovercoat.com^ +||benonblkd.xyz^ +||benoopto.com^ +||bensonshowd.com^ +||bentyquod.shop^ +||benumelan.com^ +||bepansaer.com^ +||beparaspr.com^ +||bepatsubcool.click^ +||bepawrepave.com^ +||bephungoagno.com^ +||bepilelaities.com^ +||berchchisel.com^ +||bereaveconsciousscuffle.com^ +||bereaveencodefestive.com^ +||bergletiphis.shop^ +||berkshiretoday.xyz^ +||berlipurplin.com^ +||berriescourageous.com^ +||berryheight.com^ +||berryhillfarmgwent.com^ +||berthsorry.com^ +||bertrambawdily.shop^ +||berush.com^ +||berwickveered.shop^ +||besandileom.com^ +||besaylecran.com^ +||besidesparties.com^ +||besitreggae.com^ +||besmeargleor.com^ +||best-girls-around.com^ +||best-offer-for-you.com^ +||best-prize.life^ +||best-seat.pro^ +||best-u.vip^ +||best-video-app.com^ +||best-vpn-app.com^ +||bestadbid.com^ +||bestadload.com^ +||bestadsforyou.com^ +||bestadsrv.com^ +||bestaryua.com^ +||bestchainconnection.com^ +||bestcleaner.online^ +||bestclicktitle.com^ +||bestcond1tions.com^ +||bestcontentaccess.top^ +||bestcontentfacility.top^ +||bestcontentfee.top^ +||bestcontentfood.top^ +||bestcontentfund.top^ +||bestcontenthost.com^ +||bestcontentjob.top^ +||bestcontentoperation.top^ +||bestcontentplan.top^ +||bestcontentprogram.top^ +||bestcontentproject.top^ +||bestcontentprovider.top^ +||bestcontentservice.top^ +||bestcontentsite.top^ +||bestcontenttrade.top^ +||bestcontentuse.top^ +||bestcontentweb.top^ +||bestconvertor.club^ +||bestcpmnetwork.com^ +||bestdisplaycontent.com^ +||bestdisplayformats.com^ +||bestevermotorie.com^ +||bestfuckapps.com^ +||bestfunnyads.com^ +||bestladymeet.life^ +||bestloans.tips^ +||bestmmogame.com^ +||bestofmoneysurvey.top^ +||bestonlinecasino.club^ +||bestowgradepunch.com^ +||bestprizerhere.life^ +||bestreceived.com^ +||bestresulttostart.com^ +||bestrevenuenetwork.com^ +||besttracksolution.com^ +||bestvenadvertising.com^ +||bestwaterhouseoyo.info^ +||bestwinterclck.name^ +||betads.xyz^ +||betahit.click^ +||betalonflamechan.com^ +||betemolgar.com^ +||beterrakionan.com^ +||betforakiea.com^ +||betgorebysson.club^ +||betimbur.com^ +||betjoltiktor.com^ +||betklefkior.com^ +||betmasquerainchan.com^ +||betnidorinoan.net^ +||betotodilea.com^ +||betotodileon.com^ +||betpupitarr.com^ +||betray1266.fun^ +||betrayalmakeoverinstruct.com^ +||betrayedcommissionstocking.com^ +||betrayedrecorderresidence.com^ +||betrendatimon.top^ +||betriolua.com^ +||betrustdoms.com^ +||betshucklean.com^ +||bett2you.net^ +||bett2you.org^ +||bettacaliche.click^ +||bettentacruela.com^ +||betteradsystem.com^ +||bettercontentservice.top^ +||betterdirectit.com^ +||betterdomino.com^ +||bettermeter.com^ +||bettin2you.com^ +||bettingpartners.com^ +||beturtwiga.com^ +||betwinner1.com^ +||betxerneastor.club^ +||betzapdoson.com^ +||beunblkd.xyz^ +||beveledetna.com^ +||bevelerimps.com^ +||beverleyagrarianbeep.com^ +||bewailenquiredimprovements.com^ +||bewailindigestionunhappy.com^ +||bewarevampiresister.com^ +||bewathis.com^ +||bewhechaichi.net^ +||bewoobaton.com^ +||bewperspiths.top^ +||beyanmaan.com^ +||bf-ad.net^ +||bfast.com^ +||bfjhhdmznjh.club^ +||bflgokbupydgr.xyz^ +||bflnandtxqb.com^ +||bfnsnehjbkewk.com^ +||bfxytxdpnk.com^ +||bg4nxu2u5t.com^ +||bgecvddelzg.com^ +||bgkec.global^ +||bh3.net^ +||bhalukecky.com^ +||bhcont.com^ +||bhddsiuo.com^ +||bhigziaww.com^ +||bhkfnroleqcjhm.xyz^ +||bhlom.com^ +||bhlph.com^ +||bhohazozps.com^ +||bhotiyadiascia.com^ +||bhqbirsac.site^ +||bhqfnuq.com^ +||bhqvi.com^ +||bhwfvfevnqg.com^ +||biancasunlit.com^ +||biaseddocumentationacross.com^ +||biasedpushful.com^ +||biaxalstiles.com^ +||bibitheedseck.net^ +||biblecollation.com^ +||biblesausage.com^ +||bibletweak.com^ +||bichosdamiana.com^ +||bicyclelistoffhandpaying.com^ +||bicyclelistworst.com^ +||bid-engine.com^ +||bid.glass^ +||bidadx.com^ +||bidbadlyarsonist.com^ +||bidbeneficial.com^ +||bidberry.net^ +||bidbrain.app^ +||bidclickmedia.com^ +||bidderads.com^ +||biddingfitful.com^ +||bidfhimuqwij.com^ +||bidiology.com^ +||bidster.net^ +||bidsxchange.com^ +||bidtheatre.com^ +||bidtimize.com^ +||bidvance.com^ +||bidverdrd.com^ +||bieldfacia.top^ +||biemedia.com^ +||bifnosblfdpslg.xyz^ +||bifrufhci.com^ +||bigamybigot.space^ +||bigappboi.com^ +||bigbasketshop.com^ +||bigbolz.com^ +||bigbootymania.com^ +||bigchoicegroup.com^ +||bigeagle.biz^ +||bigelowcleaning.com^ +||biggainsurvey.top^ +||biggerluck.com^ +||biggestgainsurvey.top^ +||bigheartedresentfulailment.com^ +||bigotstatuewider.com^ +||bigrourg.net^ +||bigstoreminigames.space^ +||bihunekus.com^ +||biirmjnw.icu^ +||bikrurda.net^ +||bilateralgodmother.com^ +||bilingualwalking.com^ +||bilkersteds.com^ +||billiardsdripping.com^ +||billiardsnotealertness.com^ +||billiardssequelsticky.com^ +||billionstarads.com^ +||billybobandirect.org^ +||billygroups.com^ +||billyhis.com^ +||billypub.com^ +||biloatiw.com^ +||bilsoaphaik.net^ +||bilsyndication.com^ +||bimlocal.com^ +||bin-layer.ru^ +||bin-tds.site^ +||binaryborrowedorganized.com^ +||binaryfailure.com^ +||binaryrecentrecentcut.com^ +||bincatracs.com^ +||bineukdwithme.com^ +||bineukdwithmef.info^ +||binomlink.com^ +||binomnet.com^ +||binomnet3.com^ +||binomtrcks.site^ +||bioces.com^ +||biographyaudition.com^ +||biolw.cloud^ +||biopsyheadless.com^ +||biopsyintruder.com^ +||biosda.com^ +||bipgialxcfvad.xyz^ +||biphic.com^ +||biplihopsdim.com^ +||biptolyla.com^ +||birdnavy.com^ +||birlersbhunder.com^ +||birlinnfrugged.com^ +||biroads.com^ +||birqmiowxfh.com^ +||birthday3452.fun^ +||birthdayinhale.com^ +||biserka.xyz^ +||bisetsoliped.com^ +||bisozkfiv.com^ +||bissailre.com^ +||bit-ad.com^ +||bitbeat7.com^ +||bitdefender.top^ +||bitdragonapp.monster^ +||biteneverthelessnan.com^ +||bitesized-commission.pro^ +||bithow.com^ +||bitsspiral.com^ +||bittenlacygreater.com^ +||bitterborder.pro^ +||bitterdefeatmid.com^ +||bitterlynewspaperultrasound.com^ +||bitternessjudicious.com^ +||bittygravely.com.com^ +||bittygravely.com^ +||bittyordinaldominion.com^ +||biturl.co^ +||bitx.tv^ +||biunialpawnie.top^ +||biuskye.com^ +||biuyuximbrutr.com^ +||bivos.xyz^ +||biwipuque.com^ +||bizographics.com^ +||bizonads-ssp.com^ +||bizoniatump.click^ +||bizrotator.com^ +||bj1110.online^ +||bj2550.com^ +||bjafafesg.com^ +||bjakku.com^ +||bjjkuoxidr.xyz^ +||bjqug.xyz^ +||bjxiangcao.com^ +||bkirfeu.com^ +||bkjhqkohal.com^ +||bklhnlv.com^ +||bkojzevpe.com^ +||bkr5xeg0c.com^ +||bktdmqdcvshs.xyz^ +||bktsauna.com^ +||bkujacocdop.com^ +||bkyqhavuracs.com^ +||bl0uxepb4o.com^ +||bl230126pb.com^ +||blabbasket.com^ +||blackandwhite-temporary.com^ +||blackcurrantinadequacydisgusting.com^ +||blackenheartbreakrehearsal.com^ +||blackenseaside.com^ +||blacklinknow.com^ +||blacklinknowss.co^ +||blackmailarmory.com^ +||blackmailbrigade.com^ +||blackmailingpanic.com^ +||blackmailshoot.com^ +||blackname.biz^ +||blacknessfinancialresign.com^ +||blacknesskangaroo.com^ +||blacknesskeepplan.com^ +||blacurlik.com^ +||bladespanel.com^ +||bladessweepunprofessional.com^ +||bladswetis.com^ +||blamads.com^ +||blamechevyannually.com^ +||bland-factor.pro^ +||blanddish.pro^ +||blank-tune.pro^ +||blareclockwisebead.com^ +||blaring-chocolate.com^ +||blarnyzizzles.shop^ +||blasphemebelfry.com^ +||blastcahs.com^ +||blastpainterclerk.com^ +||blastsufficientlyexposed.com^ +||blastworthwhilewith.com^ +||blatwalm.com^ +||blaze-media.com^ +||blazesomeplacespecification.com^ +||blazonstowel.com^ +||blbesnuff.digital^ +||blcdog.com^ +||bleaborahmagtgi.org^ +||bleachimpartialtrusted.com^ +||blearspellaea.shop^ +||bleedingofficecontagion.com^ +||blehcourt.com^ +||blendedbird.com^ +||blessedhurtdismantle.com^ +||blessgravity.com^ +||blesshunt.com^ +||blessinghookup.com^ +||blessingsome.com^ +||blg-1216lb.com^ +||blindefficiency.pro^ +||blindnessmisty.com^ +||blindnessselfemployedpremature.com^ +||blinkedlanentablelanentableunavailable.com^ +||blinkjork.com^ +||blinkpainmanly.com^ +||blinktowel.com^ +||blismedia.com^ +||blisscleopatra.com^ +||blissfulclick.pro^ +||blissfuldes.com^ +||blissfulmass.com^ +||blisterpompey.com^ +||blistest.xyz^ +||bllom.cloud^ +||blmibao.com^ +||bloblohub.com^ +||blobsurnameincessant.com^ +||block-ad.com^ +||blockadsnot.com^ +||blockchain-ads.com^ +||blockchaintop.nl^ +||blockingdarlingshrivel.com^ +||blocksly.org^ +||blogger2020.com^ +||bloggerex.com^ +||blogherads.com^ +||blogostock.com^ +||blondeopinion.com^ +||blondhoverhesitation.com^ +||bloodagitatedbeing.com^ +||bloodlessarchives.com^ +||bloodmaintenancezoom.com^ +||blooks.info^ +||blossomfertilizerproperly.com^ +||blowlanternradical.com^ +||blownsuperstitionabound.com^ +||blowsebarbers.shop^ +||blu5fdclr.com^ +||blubberrivers.com^ +||blubberspoiled.com^ +||bludgeentraps.com^ +||bludwan.com^ +||blue-coffee.pro^ +||blue99703.com^ +||blueberryastronomy.com^ +||bluedawning.com^ +||blueingpoori.com^ +||bluelinknow.com^ +||blueparrot.media^ +||blueswordksh.com^ +||bluffybluffysterility.com^ +||bluishgrunt.com^ +||bluitesqiegbo.xyz^ +||blunderadventurouscompound.com^ +||blurbreimbursetrombone.com^ +||bmcdn1.com^ +||bmcdn2.com^ +||bmcdn3.com^ +||bmcdn4.com^ +||bmcdn5.com^ +||bmcdn6.com^ +||bmjidc.xyz^ +||bmkz57b79pxk.com^ +||bmlcuby.com^ +||bmycupptafr.com^ +||bmzgcv-eo.rocks^ +||bn5x.net^ +||bnagilu.com^ +||bncloudfl.com^ +||bngdin.com^ +||bngdyn.com^ +||bngmadjd.de^ +||bngprl.com^ +||bngprm.com^ +||bngpst.com^ +||bngpt.com^ +||bngrol.com^ +||bngtrak.com^ +||bngwlt.com^ +||bnhnkbknlfnniug.xyz^ +||bnhtml.com^ +||bnmjjwinf292.com^ +||bnmkl.com^ +||bnmnkib.com^ +||bnmtgboouf.com^ +||bnpknicjeb.com^ +||bnr.sys.lv^ +||bnrdom.com^ +||bnrs.it^ +||bnrsis.com^ +||bnrslks.com^ +||bnserving.com^ +||bo2ffe45ss4gie.com^ +||boabeeniptu.com^ +||boacheeb.com^ +||boachiheedooy.net^ +||boagleetsurvey.space^ +||boahnoy.com^ +||boalawoa.xyz^ +||boannre.com^ +||boannred.com^ +||boaphaps.net^ +||boardmotion.xyz^ +||boardpress-b.online^ +||boarshrubforemost.com^ +||boastemployer.com^ +||boastfive.com^ +||boasttrial.com^ +||boastwelfare.com^ +||boatheeh.com^ +||boatjadeinconsistency.com^ +||boatoamo.com^ +||bobabillydirect.org^ +||bobboro.com^ +||bobgames-prolister.com^ +||bobpiety.com^ +||bobqucc.com^ +||bockblunter.top^ +||bocoyoutage.com^ +||bodaichi.xyz^ +||bodccpzqyyy.com^ +||bodelen.com^ +||bodieshomicidal.com^ +||bodilypotatoesappear.com^ +||bodilywondering.com^ +||bodyignorancefrench.com^ +||bodytasted.com^ +||boffinsoft.com^ +||boffoadsfeeds.com^ +||boffonewelty.com^ +||bofhlzu.com^ +||bogletdent.shop^ +||bogrodius.com^ +||bogus-disk.com^ +||bohkhufmvwim.online^ +||boilabsent.com^ +||boiledperseverance.com^ +||boilerefforlessefforlessregistered.com^ +||boilingloathe.com^ +||boilingtrust.pro^ +||boilingviewed.com^ +||boilslashtasted.com^ +||bokeden.com^ +||boksaumetaixa.net^ +||boldboycott.com^ +||boldscantyfrustrating.com^ +||boledrouth.top^ +||bollyocean.com^ +||boloptrex.com^ +||bolrookr.com^ +||bolsek.ru^ +||bolssc.com^ +||bolteffecteddanger.com^ +||boltepse.com^ +||bomqonpfzx.com^ +||bonad.io^ +||bonafides.club^ +||bondagecoexist.com^ +||bondagetrack.com^ +||bondfondif.com^ +||bonduccodline.com^ +||bonepa.com^ +||bonertraffic13.info^ +||bonertraffic14.info^ +||bonesinoffensivebook.com^ +||bongacams7.com^ +||bongaucm.xyz^ +||bonnettaking.com^ +||bonomans.com^ +||bonorumarctos.top^ +||bonus-app.net^ +||bonusmaniac.com^ +||bonusshatter.com^ +||bonyspecialist.pro^ +||bonzai.ad^ +||boodaisi.xyz^ +||boodiecawquaw.top^ +||boogopee.com^ +||bookadil.com^ +||bookbannershop.com^ +||bookedbonce.top^ +||bookeryboutre.com^ +||bookletfreshmanbetray.com^ +||bookmakers.click^ +||bookmsg.com^ +||bookpostponemoreover.com^ +||bookshelfcomplaint.com^ +||bookstaircasenaval.com^ +||bookstoreforbiddeceive.com^ +||boom-boom-vroom.com^ +||boomads.com^ +||boominfluxdrank.com^ +||boomouso.xyz^ +||boomspomard.shop^ +||booseed.com^ +||booshoatoocotez.net^ +||boost-next.co.jp^ +||boostaubeehy.net^ +||boostcdn.net^ +||boostclic.com^ +||boostcpm.su^ +||booster-vax.com^ +||booster.monster^ +||boostog.net^ +||bootharchie.com^ +||boothoaphi.com^ +||bootstrap-framework.org^ +||bootstraplugin.com^ +||bootvolleyball.com^ +||boovoogie.net^ +||bop-bop-bam.com^ +||boqmjxtkwn.com^ +||borablejoky.shop^ +||borakmolests.top^ +||bordsnewsjule.com^ +||boreaszolaism.com^ +||borehatchetcarnival.com^ +||boreusorgans.top^ +||borhaj.com^ +||boringbegglanced.com^ +||boringoccasion.pro^ +||bornebeautify.com^ +||bororango.com^ +||borotango.com^ +||boroup.com^ +||borrowedtransition.com^ +||borrowingbalm.com^ +||borrowjavgg124.fun^ +||borumis.com^ +||borzjournal.ru^ +||bosda.xyz^ +||boshaulr.net^ +||bosomunidentifiedbead.com^ +||bosplyx.com^ +||bossdescendentrefer.com^ +||bossyinternal.pro^ +||bostonwall.com^ +||bostopago.com^ +||bot-checker.com^ +||bothererune.com^ +||bothoorgoamsab.net^ +||bothsemicolon.com^ +||bothwest.pro^ +||botsaunirt.com^ +||bottledchagrinfry.com^ +||bottledfriendship.com^ +||bottleschance.com^ +||bottlescharitygrowth.com^ +||bottleselement.com^ +||boudinminding.shop^ +||boudja.com^ +||boufikesha.net^ +||boughtjovialamnesty.com^ +||bouhaisaufy.com^ +||bouhoagy.net^ +||bouleethie.net^ +||boulevardpilgrim.com^ +||bounceads.net^ +||bouncebidder.com^ +||bouncy-wheel.pro^ +||boundarygoose.com^ +||boundsinflectioncustom.com^ +||boupeeli.com^ +||bouptosaive.com^ +||bourrepardale.com^ +||boustahe.com^ +||bousyapinoid.top^ +||bouteesh.com^ +||bouwehee.xyz^ +||bouwhaici.net^ +||bowedcounty.com^ +||boweddemand.com^ +||bowermisrule.com^ +||bowerywill.com^ +||bowldescended.com^ +||bowlprick.com^ +||bowlpromoteintimacy.com^ +||boxappellation.com^ +||boxernightdilution.com^ +||boxernipplehopes.com^ +||boxerparliamenttulip.com^ +||boxif.xyz^ +||boxiti.net^ +||boxlikepavers.com^ +||boxofficehelping.com^ +||boxofwhisper.com^ +||boycottcandle.com^ +||boyfriendtrimregistered.com^ +||boyishdetrimental.com^ +||boyughaye.com^ +||boyunakylie.com^ +||boywhowascr.info^ +||bp9l1pi60.pro^ +||bpazidzib.com^ +||bpmvdlt.com^ +||bpmvkvb.com^ +||bptracking.com^ +||bqeuffmdobmpoe.xyz^ +||bqkwfioyd.xyz^ +||bqsnmpwxwd.buzz^ +||br3azil334nutsz.com^ +||br3i.space^ +||bracespickedsurprise.com^ +||braceudder.com^ +||brada.buzz^ +||bradleysolarconstant.com^ +||braflipperstense.com^ +||bragspiritualstay.com^ +||braidprosecution.com^ +||braidrainhypocrite.com^ +||braidsagria.com^ +||brainient.com^ +||brainlessshut.com^ +||brainlyads.com^ +||brainsdulc.com^ +||braintb.com^ +||brakesequator.com^ +||brakestrucksupporter.com^ +||braketoothbrusheject.com^ +||brakiefissive.com^ +||braktern.com^ +||branchr.com^ +||branchyherbs.uno^ +||brand-display.com^ +||brand.net^ +||brandads.net^ +||brandaffinity.net^ +||brandamen.com^ +||brandclik.com^ +||branddnewcode1.me^ +||brandlabs.ai^ +||brandnewapp.pro^ +||brandnewsnorted.com^ +||brandreachsys.com^ +||brandscallioncommonwealth.com^ +||branleranger.com^ +||brasscurls.com^ +||brassstacker.com^ +||brasthingut.com^ +||bravespace.pro^ +||bravetense.com^ +||bravotrk.com^ +||brawlperennialcalumny.com^ +||brazenwholly.com^ +||brazilprocyon.com^ +||breadpro.com^ +||breadsincerely.com^ +||breadthneedle.com^ +||breakfastinvitingdetergent.com^ +||breakfastsinew.com^ +||breakingarable.com^ +||breakingfeedz.com^ +||breakingreproachsuspicions.com^ +||breakthroughfuzzy.com^ +||breardsfyce.shop^ +||breastfeedingdelightedtease.com^ +||breathtakingdetachwarlock.com^ +||brecaqogx.com^ +||brechimys.shop^ +||brechtembrowd.com^ +||bred4tula.com^ +||breechesbottomelf.com^ +||breechessteroidconsiderable.com^ +||breedergig.com^ +||breederpainlesslake.com^ +||breederparadisetoxic.com^ +||breedingpulverize.com^ +||breedtagask.com^ +||breezefraudulent.com^ +||brewailmentsubstance.com^ +||brewingjoie.com^ +||brewsuper.com^ +||bridedeed.com^ +||brideshieldstaircase.com^ +||bridgearchly.com^ +||bridgetrack.com^ +||briefaccusationaccess.com^ +||briefcasebuoyduster.com^ +||briefengineer.pro^ +||brieflizard.com^ +||briefready.com^ +||briefredos.click^ +||brightcriticism.com^ +||brightenpleasurejest.com^ +||brighteroption.com^ +||brightonclick.com^ +||brightscarletclo.com^ +||brightshare.com^ +||brikinhpaxk.com^ +||brillianceherewife.com^ +||brimmallow.com^ +||bringchukker.com^ +||bringglacier.com^ +||bringthrust.com^ +||brinkprovenanceamenity.com^ +||brioletredeyes.com^ +||bristlemarinade.com^ +||bristlepuncture.com^ +||britaininspirationsplendid.com^ +||brithungown.com^ +||britishbeheldtask.com^ +||britishgrease.com^ +||britishinquisitive.com^ +||brittleraising.com^ +||brittlesturdyunlovable.com^ +||brixfdbdfbtp.com^ +||brizzdirging.top^ +||brksxofnsadkb.xyz^ +||bro.kim^ +||bro4.biz^ +||broadensilkslush.com^ +||broadliquorsecretion.com^ +||broadsheetblaze.com^ +||broadsheetcounterfeitappeared.com^ +||broadsheetorsaint.com^ +||broadsheetspikesnick.com^ +||broadsimp.site^ +||broadsview.site^ +||brocardcored.com^ +||broced.co^ +||brocode1s.com^ +||brocode2s.com^ +||brocode3s.com^ +||brodieoccurs.shop^ +||brodmn.com^ +||brodownloads.site^ +||brogetcode1s.com^ +||brogetcode4s.cc^ +||broghpiquet.com^ +||broidensordini.com^ +||brokemeritreduced.com^ +||brokennails.org^ +||brokerbabe.com^ +||brokercontinualpavement.com^ +||brokergesture.com^ +||brokerspunacquired.com^ +||bromanoters.shop^ +||bromidsluluai.com^ +||bromiuswickets.shop^ +||bromoilnapalms.com^ +||bromoneg.shop^ +||bromusic.site^ +||bromusic3s.site^ +||bronca.site^ +||bronzeinside.com^ +||broochtrade.com^ +||brookredheadpowerfully.com^ +||broredir1s.site^ +||brothersparklingresolve.com^ +||broughtenragesince.com^ +||broughtincompatiblewasp.com^ +||broweb.site^ +||brown-gas.com^ +||broworker4s.com^ +||broworker6s.com^ +||broworker7.com^ +||broworkers5s.com^ +||browse-boost.com^ +||browserdownloadz.com^ +||browserr.top^ +||browsers.support^ +||browsesafe-page.info^ +||browsiprod.com^ +||browsobsolete.com^ +||brqhyzk.com^ +||brtsumthree.com^ +||brucelead.com^ +||bruceleadx.com^ +||bruceleadx1.com^ +||brughsasha.shop^ +||bruisedpaperworkmetre.com^ +||bruiseslumpy.com^ +||bruisesromancelanding.com^ +||brunchcreatesenses.com^ +||brunetteattendanceawful.com^ +||bruntstabulae.com^ +||brutishlylifevoicing.com^ +||brygella.com^ +||bryny.xyz^ +||bryond.com^ +||bsantycbjnf.com^ +||bsbrcdna.com^ +||bservr.com^ +||bsgbd77l.de^ +||bshrdr.com^ +||bsilzzc.com^ +||bsjusnip.com^ +||bsvhxfxckrmixla.xyz^ +||btagmedia.com^ +||btdirectnav.com^ +||btdnav.com^ +||btkwlsfvc.com^ +||btnativedirect.com^ +||btodsjr.com^ +||btpnative.com^ +||btpnav.com^ +||btpremnav.com^ +||btprmnav.com^ +||bttrack.com^ +||btvhdscr.com^ +||btvuiqgio.xyz^ +||btxxxnav.com^ +||buatru.xyz^ +||bubbledevotion.com^ +||bubblestownly.com^ +||bubbly-condition.pro^ +||bubrintta.com^ +||buckeyekantars.com^ +||buckumoore.com^ +||buckwheatchipwrinkle.com^ +||bucojjqcica.com^ +||buddhicopts.com^ +||buddyassetstupid.com^ +||buddyguests.com^ +||budgepenitent.com^ +||budgepoachaction.com^ +||budgetportrait.com^ +||budsminepatent.com^ +||budvawshes.ru^ +||buffalocommercialplantation.com^ +||buffcenturythreshold.com^ +||buffethypothesis.com^ +||buffetreboundfoul.com^ +||bugattest.com^ +||bugdt-ica.rocks^ +||bugleczmoidgxo.com^ +||buglesembarge.top^ +||bugs2022.com^ +||bugsattended.com^ +||bugsenemies.com^ +||bugstractorbring.com^ +||buicks.xyz^ +||buikolered.com^ +||buildnaq91.site^ +||buildneighbouringteam.com^ +||builthousefor.com^ +||builtinintriguingchained.com^ +||builtinproceeding.com^ +||bujerdaz.com^ +||bukshiunchair.shop^ +||bukusukses.com^ +||bukzvsflpo.com^ +||bulbofficial.com^ +||bulbousloth.shop^ +||bulcqmteuc.com^ +||bulginglair.com^ +||bulgingquintet.top^ +||bulkaccompanying.com^ +||bulkconflictpeculiarities.com^ +||bulkd.co^ +||bulky-battle.com^ +||bulkyfriend.com^ +||bull3t.co^ +||bullads.net^ +||bulletinwarmingtattoo.com^ +||bulletproxy.ch^ +||bullfeeding.com^ +||bullionglidingscuttle.com^ +||bullionyield.com^ +||bullyingmusetransaction.com^ +||bulochka.xyz^ +||bulrev.com^ +||bulserv.com^ +||bultaika.net^ +||bulyiel.com^ +||bumaqblyqviw.fun^ +||bumblecash.com^ +||bumlabhurt.live^ +||bummalodenary.top^ +||bummerentertain.com^ +||bumog.xyz^ +||bumpexchangedcadet.com^ +||bumpthank.com^ +||bumxmomcu.com^ +||bunbeautifullycleverness.com^ +||bundlerenown.com^ +||bunfreezer.com^ +||bungalowdispleasedwheeled.com^ +||bungaloweighteenbore.com^ +||bungalowlame.com^ +||bungalowsimply.com^ +||bungeedubbah.com^ +||bungingimpasto.com^ +||bunglersignoff.com^ +||bunintruder.com^ +||bunjaraserumal.com^ +||bunnslibby.com^ +||bunquaver.com^ +||bunth.net^ +||bunzamxbtj.space^ +||buoyant-quote.pro^ +||buoycranberrygranulated.com^ +||buoydeparturediscontent.com^ +||bupatp.com^ +||bupnjndj.com^ +||buqajvxicma.com^ +||buqkrzbrucz.com^ +||buram.xyz^ +||burbarkholpen.com^ +||bureauelderlydivine.com^ +||bureautrickle.com^ +||bureauxcope.casa^ +||burgea.com^ +||burglaryeffectuallyderange.com^ +||burglaryrunner.com^ +||burialsupple.com^ +||burlapretorted.com^ +||burlyenthronebye.com^ +||burntarcherydecompose.com^ +||burntclear.com^ +||burydwellingchristmas.com^ +||busedsoccage.shop^ +||busherdebates.com^ +||bushibousy.click^ +||bushsurprising.com^ +||busilyenterprisingforetaste.com^ +||businessenviron.com^ +||businessessities.com^ +||businesslinenow.com^ +||businessmenmerchandise.com^ +||businesstremendoushad.com^ +||buskerreshoes.website^ +||busticsfibrose.com^ +||bustlefungus.com^ +||bustlemiszone.com^ +||bustling-let.pro^ +||busychopdenounce.com^ +||butcherhashexistence.com^ +||buticiodized.shop^ +||butterflypronounceditch.com^ +||butterflyunkindpractitioner.com^ +||buttersource.com^ +||buuftxcii.com^ +||buxbaumiaceae.sbs^ +||buxfmookn.com^ +||buyadvupfor24.com^ +||buyeasy.by^ +||buyfrightencheckup.com^ +||buylnk.com^ +||buyvisblog.com^ +||buzzardcraizey.com^ +||buzzdancing.com^ +||buzzingdiscrepancyheadphone.com^ +||buzzvids-direct.com^ +||bvaklczasp.com^ +||bvengezq.com^ +||bvmcdn.com^ +||bvmcdn.net^ +||bwgmymp.com^ +||bwoqusogsrar.com^ +||bwozo9iqg75l.shop^ +||bwpuoba.com^ +||bwtcilgll.com^ +||bwtpaygvgunxx.com^ +||bwvofgqhmab.com^ +||bxacmsvmxb.com^ +||bxbkh.love^ +||bxpwfdmmhlgccon.com^ +||bxrtwyavhyb.online^ +||bxsk.site^ +||bxvlyrw.com^ +||byambipoman.com^ +||byardoccurs.com^ +||byaronan.com^ +||bybastiodoner.com^ +||bycarver.com^ +||bycelebian.com^ +||byfoongusor.com^ +||bygliscortor.com^ +||bygoingawning.shop^ +||bygonearabin.top^ +||bygoneskalpas.shop^ +||bygoneudderpension.com^ +||bygsworlowe.info^ +||byhoppipan.com^ +||bynamebosh.com^ +||bynix.xyz^ +||bypassmaestro.com^ +||bytesdictatescoop.com^ +||bytogeticr.com^ +||bywordmiddleagedpowder.com^ +||byyanmaor.com^ +||byzoruator.com^ +||bzamusfalofn.com^ +||bzniungh.com^ +||bzoodfalqge.online^ +||bzwo2lmwioxa.com^ +||bzydilasq.com^ +||c-trzylshv.vip^ +||c019154d29.com^ +||c0594.com^ +||c0ae703671.com^ +||c0me-get-s0me.net^ +||c12c813990.com^ +||c1595223cf.com^ +||c26817682b.com^ +||c26b742fa3.com^ +||c2dbb597b0.com^ +||c3759f7e8a.com^ +||c43a3cd8f99413891.com^ +||c44wergiu87heghoconutdx.com^ +||c473f6ab10.com^ +||c5cdfd1601.com^ +||c5e739a769.com^ +||c67209d67f.com^ +||c6ec2f3763.com^ +||c7vw6cxy7.com^ +||c81cd15a01.com^ +||c83cf15c4f.com^ +||c917ed5198.com^ +||c9emgwai66zi.com^ +||c9l.xyz^ +||ca3b526022.com^ +||ca4psell23a4bur.com^ +||ca5f66c8ef.com^ +||caahwq.com^ +||caapuxmi.com^ +||cabackoverlax.com^ +||cabbagesemestergeoffrey.com^ +||cabhwq.com^ +||cabnnr.com^ +||cabombaskopets.life^ +||cachegorilla.com^ +||cachuadirked.top^ +||cadencedisruptgoat.com^ +||cadlsyndicate.com^ +||cadrctlnk.com^ +||cadsecs.com^ +||cadsimz.com^ +||cadskiz.com^ +||caecadissoul.com^ +||caesarmausoleum.com^ +||cafeteriasobwaiter.com^ +||cagakzcwyr.com^ +||cageinattentiveconfederate.com^ +||caglaikr.net^ +||caglonseeh.com^ +||cagolgzazof.com^ +||cagothie.net^ +||cahxpivu.com^ +||caicuptu.xyz^ +||caigobou.com^ +||caigoowheephoa.xyz^ +||cailegra.com^ +||caimovaur.net^ +||caistireew.net^ +||caitoasece.com^ +||caiwauchegee.net^ +||caizaipt.net^ +||caizutoh.xyz^ +||cajangeurymus.com^ +||cakangautchus.net^ +||calamitydisc.com^ +||calamityfortuneaudio.com^ +||calasterfrowne.info^ +||calcpol.com^ +||calculateproducing.com^ +||calendarpedestal.com^ +||calibrelugger.com^ +||calksenfire.com^ +||callalelel.info^ +||calledoccultimprovement.com^ +||callprintingdetailed.com^ +||callyourinformer.com^ +||calm-length.pro^ +||calmbytedishwater.com^ +||calmlyilldollars.com^ +||calmlyvacuumwidth.com^ +||calomelsiti.com^ +||caltertangintin.com^ +||caltropsheerer.shop^ +||calvali.com^ +||calyclizaires.com^ +||camads.net^ +||camberchimp.com^ +||cambridgeinadmissibleapathetic.com^ +||cameesse.net^ +||camelcappuccino.com^ +||cameraunfit.com^ +||camiocw.com^ +||cammpaign.com^ +||camouque.net^ +||campingknown.com^ +||camplacecash.com^ +||campootethys.com^ +||camprime.com^ +||camptrck.com^ +||camptwined.com^ +||campusmister.com^ +||cams.gratis^ +||camschat.net^ +||camshq.info^ +||camsitecash.com^ +||camzap.com^ +||can-get-some.in^ +||can-get-some.net^ +||canadianbedevil.com^ +||canarystarkcoincidence.com^ +||cancriberths.com^ +||candiedguilty.com^ +||candleannihilationretrieval.com^ +||candyai.love^ +||candyhiss.com^ +||candypeaches.com^ +||candyschoolmasterbullying.com^ +||canededicationgoats.com^ +||canellecrazy.com^ +||canelorets.com^ +||canganzimbi.com^ +||cank.xyz^ +||canoemissioninjunction.com^ +||canoevaguely.com^ +||canoperation.com^ +||canopusacrux.com^ +||canopusacrux.top^ +||canopusastray.top^ +||canstrm.com^ +||canvassblanketjar.com^ +||canzosswager.com^ +||cap-cap-pop.com^ +||capaciousdrewreligion.com^ +||caperedlevi.com^ +||capesunlocks.com^ +||capetumbledcrag.com^ +||caphaiks.com^ +||caphrizing.com^ +||capitalhasterussian.com^ +||capitalistblotbits.com^ +||capndr.com^ +||capounsou.com^ +||cappens-dreperor.com^ +||capricetheme.com^ +||captainad.com^ +||captchafine.live^ +||captionconjecture.com^ +||captivatecustomergentlemen.com^ +||captivatepestilentstormy.com^ +||captivebleed.com^ +||captiveimpossibleimport.com^ +||captivityhandleicicle.com^ +||captorbaryton.com^ +||capturescaldsomewhat.com^ +||capwilyunseen.com^ +||caraganaarborescenspendula.com^ +||caravancomplimentenabled.com^ +||caravanfried.com^ +||caravanremarried.com^ +||caravelvirent.com^ +||carbonads.com^ +||carcflma.de^ +||careersletbacks.com^ +||carefree-ship.pro^ +||carelesssequel.com^ +||carelesstableinevitably.com^ +||caressleazy.com^ +||carfulsranquel.com^ +||cargodescent.com^ +||caribedkurukh.com^ +||caricaturechampionshipeye.com^ +||cariousimpatience.com^ +||cariousinevitably.com^ +||carlosappraisal.com^ +||carlossteady.com^ +||carnelbawrel.com^ +||carnivalaudiblelemon.com^ +||carnivalradiationwage.com^ +||caroakitab.com^ +||carolpresume.shop^ +||carpenterexplorerdemolition.com^ +||carpfreshtying.com^ +||carpincur.com^ +||carpuslarrups.com^ +||carriedamiral.com^ +||carrierdestined.com^ +||carryingfarmerlumber.com^ +||carsickpractice.com^ +||cartining-specute.com^ +||cartmansneest.com^ +||carungo.com^ +||carverfashionablegorge.com^ +||carverfrighten.com^ +||carvermotto.com^ +||carvyre.com^ +||casalemedia.com^ +||cascademuscularbodyguard.com^ +||cascadewatchful.com^ +||casecomedytaint.com^ +||casefyparamos.com^ +||cash-ads.com^ +||cash-duck.com^ +||cash-program.com^ +||cash4members.com^ +||cashbattleindictment.com^ +||cashbeside.com^ +||cashcinemaunbiased.com^ +||cashewsforlife208.com^ +||cashibohs.digital^ +||cashlayer.com^ +||cashmylinks.com^ +||cashtrafic.com^ +||cashtrafic.info^ +||casinohacksforyou.com^ +||casinousagevacant.com^ +||casionest292flaudient.com^ +||casitasoutgnaw.com^ +||caskcountry.com^ +||caspion.com^ +||cassabahotcake.top^ +||cassetteenergyincoming.com^ +||cassetteflask.com^ +||cassettesandwicholive.com^ +||cassinamawger.top^ +||castedbreth.shop^ +||casterpretic.com^ +||castingmannergrim.com^ +||castleconscienceenquired.com^ +||casualhappily.com^ +||casumoaffiliates.com^ +||cataloguerepetition.com^ +||catastropheillusive.com^ +||catchymorselguffaw.com^ +||cateringblizzardburn.com^ +||catgride.com^ +||catharskeek.top^ +||cathedralinthei.info^ +||cathodeoutwood.com^ +||catholicprevalent.com^ +||cathrynslues.com^ +||catiligh.ru^ +||cattishfearfulbygone.com^ +||cattishhistoryexplode.com^ +||cattishinquiries.com^ +||cattleabruptlybeware.com^ +||catukhyistke.info^ +||catwalkoutled.com^ +||catwenbat.com^ +||catwrite.com^ +||caubichofus.com^ +||caugrush.com^ +||caukoaph.net^ +||cauldronrepellentcanvass.com^ +||caulicuzooque.net^ +||cauliflowercutlerysodium.com^ +||cauliflowertoaster.com^ +||cauliflowervariability.com^ +||caulisnombles.top^ +||caunauptipsy.com^ +||caunuscoagel.com^ +||causingfear.com^ +||causingguard.com^ +||causoque.xyz^ +||caustopa.net^ +||cauthaushoas.com^ +||cautionpursued.com^ +||cauvousy.net^ +||cauyuksehink.info^ +||cavebummer.com^ +||cavewrap.care^ +||caviarconcealed.com^ +||cawedburial.com^ +||cawquawwoldy.shop^ +||cayelychobenl.com^ +||cb3251add6.com^ +||cb61190372.com^ +||cb7f35d82c.com^ +||cba-fed-igh.com^ +||cba6182add.com^ +||cbbd18d467.com^ +||cbd2dd06ba.com^ +||cbdedibles.site^ +||cbfpiqq.com^ +||cbro.win^ +||cbyqzt.xy^ +||cc-dt.com^ +||cc72fceb4f.com^ +||ccaa0e51d8.com^ +||ccaahdancza.com^ +||cchdbond.com^ +||ccjzuavqrh.com^ +||ccmiocw.com^ +||ccn08sth.de^ +||ccrkpsu.com^ +||ccryxqgqf.com^ +||ccypzigf.com^ +||cd828.com^ +||cdbqmlngkmwkpvo.xyz^ +||cdceed.de^ +||cdctwm.com^ +||cddtsecure.com^ +||cdn-adtrue.com^ +||cdn-server.cc^ +||cdn-server.top^ +||cdn-service.com^ +||cdn.house^ +||cdn.kelpo.cloud^ +||cdn.optmn.cloud^ +||cdn.sdtraff.com^ +||cdn12359286.ahacdn.me^ +||cdn2-1.net^ +||cdn28786515.ahacdn.me^ +||cdn2cdn.me^ +||cdn2reference.com^ +||cdn2up.com^ +||cdn3.hentaihaven.fun^ +||cdn3reference.com^ +||cdn44221613.ahacdn.me^ +||cdn4ads.com^ +||cdn4image.com^ +||cdn5.cartoonporn.to^ +||cdn7.network^ +||cdn7.rocks^ +||cdnads.com^ +||cdnako.com^ +||cdnapi.net^ +||cdnativ.com^ +||cdnativepush.com^ +||cdnaz.win^ +||cdnbit.com^ +||cdncontentstorage.com^ +||cdnfimgs.com^ +||cdnflex.me^ +||cdnfreemalva.com^ +||cdngain.com^ +||cdngcloud.com^ +||cdnid.net^ +||cdnkimg.com^ +||cdnondemand.org^ +||cdnpc.net^ +||cdnpsh.com^ +||cdnquality.com^ +||cdnrl.com^ +||cdnspace.io^ +||cdntechone.com^ +||cdntestlp.info^ +||cdntrf.com^ +||cdnvideo3.com^ +||cdnware.com^ +||cdnware.io^ +||cdoqjxlnegnhm.com^ +||cdotrvjaiupk.com^ +||cdrvrs.com^ +||cdryuoe.com^ +||cdsbnrs.com^ +||cdtbox.rocks^ +||cdtxegwndfduk.xyz^ +||cdvmgqs-ggh.tech^ +||cdwmpt.com^ +||cdwmtt.com^ +||ce82020873.com^ +||ceaankluwuov.today^ +||ceasechampagneparade.com^ +||ceasedheave.com^ +||ceaslesswisely.com^ +||cec41c3e84.com^ +||cedrt6.pro^ +||ceebethoatha.com^ +||ceebikoph.com^ +||ceefsyqotuagk.com^ +||ceegriwuwoa.net^ +||ceeheesa.com^ +||ceekougy.net^ +||ceemoptu.xyz^ +||ceeqgwt.com^ +||ceethipt.com^ +||ceetuweevozegu.xyz^ +||ceezepegleze.xyz^ +||cef7cb85aa.com^ +||cegloockoar.com^ +||ceilingbruiseslegend.com^ +||cekgsyc.com^ +||ceklcxte.com^ +||celeb-ads.com^ +||celebnewsuggestions.com^ +||celebratedrighty.com^ +||celebrationfestive.com^ +||celebsreflect.com^ +||celeritascdn.com^ +||celeryisolatedproject.com^ +||cellaraudacityslack.com^ +||cellspsoatic.com^ +||celsiusours.com^ +||cematuran.com^ +||cementobject.com^ +||cemeterybattleresigned.com^ +||cemiocw.com^ +||cenaclesuccoth.com^ +||cennter.com^ +||centalkochab.com^ +||centeredfailinghotline.com^ +||centeredmotorcycle.com^ +||centlyhavebed.com^ +||centralnervous.net^ +||centredrag.com^ +||centrenicelyteaching.com^ +||centurybending.com^ +||centwrite.com^ +||cephidcoastal.top^ +||cepsidsoagloko.net^ +||cer43asett2iu5m.com^ +||ceramicalienate.com^ +||cerealsrecommended.com^ +||cerealssheet.com^ +||ceremonyavengeheartache.com^ +||certaintyurnincur.com^ +||certificaterainbow.com^ +||certified-apps.com^ +||ceryldelaine.com^ +||ces2007.org^ +||ceschemicalcovenings.info^ +||cesebsir.xyz^ +||cesebtp.com^ +||cessationcorrectmist.com^ +||cessationhamster.com^ +||cessationrepulsivehumid.com^ +||cestibegster.com^ +||ceteembathe.com^ +||cetxouafsctgf.com^ +||ceveq.click^ +||cevocoxuhu.com^ +||cexofira.com^ +||cexucetum.com^ +||ceznscormatio.com^ +||cf76b8779a.com^ +||cfcloudcdn.com^ +||cfd546b20a.com^ +||cfgr1.com^ +||cfgr5.com^ +||cfgrcr1.com^ +||cfivfadtlr.com^ +||cfqfnpbjy.com^ +||cfrsoft.com^ +||cftpolished4.top^ +||cftpolished5.top^ +||cfusionsys.com^ +||cfzrh-xqwrv.site^ +||cgbupajpzo-t.rocks^ +||cgcobmihb.com^ +||cgeckmydirect.biz^ +||cgphqnflgee.com^ +||cgpnhjatakwqnjd.xyz^ +||cgtwpoayhmqi.online^ +||chachors.net^ +||chacmausto.net^ +||chadseer.xyz^ +||chaeffulace.com^ +||chaerel.com^ +||chaghets.net^ +||chaibsoacmo.com^ +||chainads.io^ +||chainconnectivity.com^ +||chaindedicated.com^ +||chaintopdom.nl^ +||chainwalladsery.com^ +||chainwalladsy.com^ +||chaipoodrort.com^ +||chaiptut.xyz^ +||chaipungie.xyz^ +||chairgaubsy.com^ +||chairmansmile.com^ +||chaisefireballresearching.com^ +||chalaips.com^ +||chalconvex.top^ +||chalkedretrieval.com^ +||challengetoward.com^ +||chambermaidthree.xyz^ +||chambershoist.com^ +||chambersinterdependententirely.com^ +||chambersthanweed.com^ +||chameleostudios.com^ +||champerwatts.com^ +||championshipcoma.com^ +||chancecorny.com^ +||chancellorharrowbelieving.com^ +||chancellorstocky.com^ +||changedmuffin.com^ +||changejav128.fun^ +||changinggrumblebytes.com^ +||changingof.com^ +||channeldrag.com^ +||chaomemoria.top^ +||chapcompletefire.com^ +||chapseel.com^ +||characterizecondole.com^ +||characterrealization.com^ +||characterrollback.com^ +||chargenews.com^ +||chargeplatform.com^ +||chargerepellentsuede.com^ +||chargingconnote.com^ +||chargingforewordjoker.com^ +||charitypaste.com^ +||charleyobstructbook.com^ +||chaseherbalpasty.com^ +||chassirsaud.com^ +||chastehandkerchiefclassified.com^ +||chats2023.online^ +||chaubseet.com^ +||chauckee.net^ +||chaudrep.net^ +||chauffeurreliancegreek.com^ +||chaugroo.net^ +||chauinubbins.com^ +||chauksoam.xyz^ +||chaunsoops.net^ +||chaussew.net^ +||chautcho.com^ +||chbwe.space^ +||cheap-celebration.pro^ +||cheapenleaving.com^ +||cheatingagricultural.com^ +||cheatinghans.com^ +||check-iy-ver-172-3.site^ +||check-now.online^ +||check-out-this.site^ +||check-tl-ver-12-3.com^ +||check-tl-ver-12-8.top^ +||check-tl-ver-154-1.com^ +||check-tl-ver-17-8.com^ +||check-tl-ver-268-a.buzz^ +||check-tl-ver-294-2.com^ +||check-tl-ver-54-1.com^ +||check-tl-ver-54-3.com^ +||check-tl-ver-85-2.com^ +||check-tl-ver-94-1.com^ +||checkaf.com^ +||checkbookdisgusting.com^ +||checkcdn.net^ +||checkinggenerations.com^ +||checkitoutxx.com^ +||checkluvesite.site^ +||checkm8.com^ +||checkoutfree.com^ +||checkup02.biz^ +||checkupbankruptfunction.com^ +||chedsoossepsux.net^ +||cheebetoops.com^ +||cheebilaix.com^ +||cheecmou.com^ +||cheedroumsoaphu.net^ +||cheefimtoalso.xyz^ +||cheeghek.xyz^ +||cheeksognoura.net^ +||cheekysleepyreproof.com^ +||cheepurs.xyz^ +||cheeradvise.com^ +||cheerfullyassortment.com^ +||cheerfullybakery.com^ +||cheerfulwaxworks.com^ +||cheeringashtrayherb.com^ +||cheerlessbankingliked.com^ +||cheeroredraw.com^ +||cheerysavouryridge.com^ +||cheerysequelhoax.com^ +||cheesydrinks.com^ +||cheesyreinsplanets.com^ +||cheesythirtycloth.com^ +||cheethilaubo.com^ +||cheetieaha.com^ +||chefattend.com^ +||chefishoani.com^ +||cheksoam.com^ +||chelonebarpost.com^ +||chelsady.net^ +||chemitug.net^ +||chemtoaxeehy.com^ +||chengaib.net^ +||chequeholding.com^ +||cheqzone.com^ +||cherrynanspecification.com^ +||cherteevahy.net^ +||chetahtalc.com^ +||chetchen.net^ +||chetchoa.com^ +||chethgentman.live^ +||chettikmacrli.com^ +||chezoams.com^ +||chfpgcbe.com^ +||chhvjvkmlnmu.click^ +||chiamfxz.com^ +||chiantiriem.com^ +||chibaigo.com^ +||chicheecmaungee.net^ +||chicks4date.com^ +||chicoamseque.net^ +||chief-cry.pro^ +||chiefegg.pro^ +||chieflyquantity.com^ +||chiglees.com^ +||chijauqybb.xyz^ +||childbirthabolishment.com^ +||childbirthprivaterouge.com^ +||childhoodstudioconversation.com^ +||childhoodtilt.com^ +||childishenough.com^ +||childlessporcupinevaluables.com^ +||childlyfitchee.shop^ +||childrenplacidityconclusion.com^ +||childtruantpaul.com^ +||chilicached.com^ +||chimerabellowstranger.com^ +||chimneydicier.com^ +||chimneylouderflank.com^ +||chinacontraryintrepid.com^ +||chinagranddad.com^ +||chinaslauras.com^ +||chioneflake.com^ +||chioursorspolia.com^ +||chipheeshimseg.net^ +||chipleader.com^ +||chipmanksmochus.com^ +||chiralboutons.top^ +||chirksspawny.com^ +||chirppronounceaccompany.com^ +||chirtakautoa.xyz^ +||chitchaudsoax.net^ +||chitika.net^ +||chitsnooked.com^ +||chiwaiwhor.xyz^ +||chl7rysobc3ol6xla.com^ +||chmnscaurie.space^ +||cho7932105co3l2ate3covere53d.com^ +||choachim.com^ +||choacmax.xyz^ +||choafaidoonsoy.net^ +||choagrie.com^ +||choakalsimen.com^ +||choakaucmomt.com^ +||choalsegroa.xyz^ +||choamikr.com^ +||choapeek.com^ +||choathaugla.net^ +||chockspunts.shop^ +||chocolatesingconservative.com^ +||choconart.com^ +||chodraihooksar.com^ +||choiceencounterjackson.com^ +||chokedsmelt.com^ +||chokeweaknessheat.com^ +||cholatetapalos.com^ +||choobatchautoo.net^ +||choocmailt.com^ +||choogeet.net^ +||choomsiesurvey.top^ +||choongou.com^ +||choongou.xyz^ +||chooretsi.net^ +||chooseimmersed.com^ +||chooseroverlaidspecies.com^ +||choossux.com^ +||chooxaur.com^ +||chophairsacky.xyz^ +||choppedtrimboulevard.com^ +||choppedwhisperinggirlie.com^ +||choppyevectic.shop^ +||choptacache.com^ +||choreinevitable.com^ +||chortutsoufu.xyz^ +||choruslockdownbumpy.com^ +||chorwatcurlike.com^ +||choseing.com^ +||chosenchampagnesuspended.com^ +||chosencurlews.com^ +||choto.xyz^ +||choudairtu.net^ +||choufauphik.net^ +||chouftak.net^ +||choughigrool.com^ +||chouksee.xyz^ +||choulsoans.xyz^ +||choumtonunignou.net^ +||choupsee.com^ +||chouraip.com^ +||chourdain.com^ +||chouthep.net^ +||chowsedwarsaws.shop^ +||chozipeem.com^ +||chrantary-vocking.com^ +||chrisignateignatedescend.com^ +||chrisrespectivelynostrils.com^ +||christeningfathom.com^ +||christeningscholarship.com^ +||chronicads.com^ +||chroniclesugar.com^ +||chroococcoid.sbs^ +||chrysostrck.com^ +||chryvast.com^ +||chshcms.net^ +||chsrkred.com^ +||chtntr.com^ +||chubbymess.pro^ +||chuckledpulpparked.com^ +||chugaiwe.net^ +||chugsorlando.com^ +||chulhawakened.com^ +||chullohagrode.com^ +||chultoux.com^ +||chumpaufte.xyz^ +||chumsaft.com^ +||chuptuwais.com^ +||churauwoch.com^ +||churchalexis.com^ +||churchkhela.site^ +||churchyardalludeaccumulate.com^ +||churci.com^ +||chyjobopse.pro^ +||chyvz-lsdpv.click^ +||ciajnlhte.xyz^ +||cicamica.xyz^ +||cidrulj.com^ +||ciedpso.com^ +||cifawsoqvawj.com^ +||cigaretteintervals.com^ +||cigarettenotablymaker.com^ +||cigfhaztaqu.com^ +||ciizxsdr.com^ +||ciksolre.net^ +||cima-club.club^ +||cimeterbren.top^ +||cimm.top^ +||cimoghuk.net^ +||cimtaiphos.com^ +||cincherdatable.com^ +||cinema1266.fun^ +||cinemagarbagegrain.com^ +||cinuraarrives.com^ +||cipledecline.buzz^ +||cippusforebye.com^ +||ciqzagzwao.com^ +||circleblart.shop^ +||circuitingratitude.com^ +||circulationnauseagrandeur.com^ +||circumstanceshurdleflatter.com^ +||circumstantialplatoon.com^ +||circusinjunctionarrangement.com^ +||cirrateremord.com^ +||cirtaisteept.net^ +||ciscoesfirring.guru^ +||cisheeng.com^ +||citadelpathstatue.com^ +||citatumpity.com^ +||cithernassorts.com^ +||citizenhid.com^ +||citizenshadowrequires.com^ +||citsoaboanak.net^ +||cityadspix.com^ +||citydsp.com^ +||cityonatallcolumns.com^ +||citysite.net^ +||civadsoo.net^ +||civetformity.com^ +||civilization474.fun^ +||civilizationfearfulsniffed.com^ +||civilizationperspirationhoroscope.com^ +||civilizationthose.com^ +||ciwedsem.xyz^ +||ciwhacheho.pro^ +||cixompoqpbgh.com^ +||cizujougneem.com^ +||cj2550.com^ +||cjbyfsmr.life^ +||cjekfmidk.xyz^ +||cjewz.com^ +||cjgrlbxciqsbr.com^ +||cjlph.com^ +||cjqncwfxrfrwbdd.com^ +||cjrlsw.info^ +||cjrvsw.info^ +||cjuzydnvklnq.today^ +||cjvdfw.com^ +||cjxomyilmv.com^ +||ckgeflumkryp.com^ +||ckgsrzu.com^ +||ckiepxrgriwvbv.xyz^ +||ckitwlmqy-c.today^ +||ckngjplc.com^ +||ckrf1.com^ +||ckynh.com^ +||ckywou.com^ +||cl0udh0st1ng.com^ +||clackbenefactor.com^ +||cladlukewarmjanitor.com^ +||cladp.com^ +||cladupius.com^ +||claim-reward.vidox.net^ +||claimcousins.com^ +||claimcutejustly.com^ +||claimedentertainment.com^ +||claimedinvestcharitable.com^ +||claimedthwartweak.com^ +||clairekabobs.com^ +||clampalarmlightning.com^ +||clangearnest.com^ +||clankexpelledidentification.com^ +||clarifyeloquentblackness.com^ +||claspdressmakerburka.com^ +||claspeddeceiveposter.com^ +||claspedtwelve.com^ +||claspsnuff.com^ +||classesfolksprofession.com^ +||classessavagely.com^ +||classic-bonus.com^ +||classiccarefullycredentials.com^ +||classickalunti.com^ +||classicsactually.com^ +||classicseight.com^ +||clauseantarcticlibel.com^ +||clauseemploy.com^ +||clausepredatory.com^ +||clavusangioma.com^ +||clbaf.com^ +||clbjmp.com^ +||clcknads.pro^ +||clcktrck.com^ +||clckysudks.com^ +||cldlr.com^ +||clean-browsing.com^ +||clean.gg^ +||cleanatrocious.com^ +||cleanbrowser.network^ +||cleaneratwrinkle.com^ +||cleanerultra.club^ +||cleanflawlessredir.com^ +||cleaningmaturegallop.com^ +||cleanmediaads.com^ +||cleanmypc.click^ +||cleannow.click^ +||cleanplentifulnomad.com^ +||cleanresound.com^ +||cleantrafficrotate.com^ +||clear-request.com^ +||clear-speech.pro^ +||clearac.com^ +||clearadnetwork.com^ +||clearancejoinjavelin.com^ +||clearancemadnessadvised.com^ +||clearlymisguidedjealous.com^ +||clearonclick.com^ +||cleavepreoccupation.com^ +||cleaverinfatuated.com^ +||cleftmeter.com^ +||clemencyexceptionpolar.com^ +||clenchedfavouritemailman.com^ +||clerkrevokesmiling.com^ +||clerrrep.com^ +||cleverculture.pro^ +||cleverjump.org^ +||clevernesscolloquial.com^ +||clevernessdeclare.com^ +||clevernt.com^ +||cleverwebserver.com^ +||clevv.com^ +||clewedpepsi.top^ +||clicadu.com^ +||click-cdn.com^ +||click.scour.com^ +||click2earnfree.com^ +||click4.pro^ +||click4free.info^ +||clickadin.com^ +||clickadsource.com^ +||clickagy.com^ +||clickalinks.xyz^ +||clickallow.net^ +||clickandanalytics.com^ +||clickaslu.com^ +||clickbooth.com^ +||clickboothlnk.com^ +||clickcash.com^ +||clickcdn.co^ +||clickco.net^ +||clickdescentchristmas.com^ +||clickexperts.net^ +||clickgate.biz^ +||clickintext.com^ +||clickmi.net^ +||clickmobad.net^ +||clicknano.com^ +||clicknerd.com^ +||clickopop1000.com^ +||clickoutnetwork.care^ +||clickpapa.com^ +||clickperks.info^ +||clickprotects.com^ +||clickpupbit.com^ +||clickreverendsickness.com^ +||clicks4tc.com^ +||clicksgear.com^ +||clicksor.net^ +||clickterra.net^ +||clickthruhost.com^ +||clickthruserver.com^ +||clicktimes.bid^ +||clicktraceclick.com^ +||clicktrixredirects.com^ +||clicktroute.com^ +||clicktrpro.com^ +||clickupto.com^ +||clickurlik.com^ +||clickwhitecode.com^ +||clickwinks.com^ +||clickwork7secure.com^ +||clickxchange.com^ +||clictrck.com^ +||cliegacklianons.com^ +||cliencywast.top^ +||clientoutcry.com^ +||cliffaffectionateowners.com^ +||cliffestablishedcrocodile.com^ +||climatedetaindes.com^ +||clipperroutesevere.com^ +||cliquesteria.net^ +||clixcrafts.com^ +||clixsense.com^ +||clixwells.com^ +||clkepd.com^ +||clknrtrg.pro^ +||clkofafcbk.com^ +||clkrev.com^ +||clksite.com^ +||clkslvmiwadfsx.xyz^ +||clktds.org^ +||clmbtech.com^ +||clnk.me^ +||cloba.xyz^ +||clobberprocurertightwad.com^ +||clockwisefamilyunofficial.com^ +||clockwiseleaderfilament.com^ +||clogcheapen.com^ +||clogstepfatherresource.com^ +||clonesmesopic.com^ +||clonkfanion.com^ +||closeattended.com^ +||closedpersonify.com^ +||closestaltogether.com^ +||closeupclear.top^ +||clotezar.com^ +||clothepardon.com^ +||clothesgrimily.com^ +||clothingsphere.com^ +||clothingtentativesuffix.com^ +||clottedloathe.shop^ +||cloud-stats.info^ +||cloudflare.solutions^ +||cloudfrale.com^ +||cloudiiv.com^ +||cloudimagesa.com^ +||cloudimagesb.com^ +||cloudioo.net^ +||cloudlessmajesty.com^ +||cloudlessverticallyrender.com^ +||cloudlogobox.com^ +||cloudpsh.top^ +||cloudtrack-camp.com^ +||cloudtraff.com^ +||cloudvideosa.com^ +||cloudypotsincluded.com^ +||cloutlavenderwaitress.com^ +||clovhmweksy.buzz^ +||clpeachcod.com^ +||clrstm.com^ +||cluethydash.com^ +||cluewesterndisreputable.com^ +||clumperrucksey.life^ +||clumsinesssinkingmarried.com^ +||clumsyshare.com^ +||clunkedisolex.com^ +||clunkyentirelinked.com^ +||cluodlfare.com^ +||clusterdamages.top^ +||clusterposture.com^ +||clutchlilts.com^ +||cluttercallousstopped.com^ +||clutteredassociate.pro^ +||cm-trk3.com^ +||cm-trk5.com^ +||cmadserver.de^ +||cmbestsrv.com^ +||cmclean.club^ +||cmfads.com^ +||cmhoriu.com^ +||cmjvuwtgfzl.com^ +||cmpgns.net^ +||cmpsywu.com^ +||cmrdr.com^ +||cms100.xyz^ +||cmtrkg.com^ +||cn846.com^ +||cndcfvmc.com^ +||cndynza.click^ +||cngcpy.com^ +||cnkupkiuvkcq.xyz^ +||cnmnb.online^ +||cnnected.org^ +||cnt.my^ +||cntrealize.com^ +||cnxlskkkebks.xyz^ +||co5457chu.com^ +||co5n3nerm6arapo7ny.com^ +||coagrohos.com^ +||coalbandmanicure.com^ +||coalitionfits.com^ +||coaphauk.net^ +||coarseauthorization.com^ +||coashoohathaija.net^ +||coastdisinherithousewife.com^ +||coastlineahead.com^ +||coastlinebravediffers.com^ +||coastlinejudgement.com^ +||coationexult.com^ +||coatsanguine.com^ +||coatslilachang.com^ +||coaxpaternalcubic.com^ +||cobalten.com^ +||cobiasonymy.top^ +||cobwebcomprehension.com^ +||cobwebhauntedallot.com^ +||cobwebzincdelicacy.com^ +||cockyinaccessiblelighter.com^ +||cockysnailleather.com^ +||cocoaexpansionshrewd.com^ +||coconutfieryreferee.com^ +||coconutsumptuousreseptivereseptive.com^ +||cocoonelectronicsconfined.com^ +||coctwomp.com^ +||codedexchange.com^ +||codefund.app^ +||codefund.io^ +||codemylife.info^ +||codeonclick.com^ +||coderformylife.info^ +||codesbro.com^ +||codezap.com^ +||codmanrefan.shop^ +||cododeerda.net^ +||codsdnursjrclse.com^ +||coedmediagroup.com^ +||coefficienttolerategravel.com^ +||coendouspare.com^ +||coexistsafetyghost.com^ +||coffeemildness.com^ +||coffingfannies.top^ +||cofounderspecials.com^ +||cogentpatientmama.com^ +||cogentwarden.com^ +||cogitatetrailsplendid.com^ +||cognatebenefactor.com^ +||cognitionmesmerize.com^ +||cognizancesteepleelevate.com^ +||cogsnarks.shop^ +||cohade.uno^ +||cohawaut.com^ +||coherencemessengerrot.com^ +||cohereoverdue.com^ +||coherepeasant.com^ +||cohortgripghetto.com^ +||cohtsfkwaa.com^ +||coinad.media^ +||coinadster.com^ +||coinblocktyrusmiram.com^ +||coincideadventure.com^ +||coinio.cc^ +||coinverti.com^ +||cokepompositycrest.com^ +||cokerymyocele.shop^ +||colanbalkily.com^ +||colanderdecrepitplaster.com^ +||colarak.com^ +||cold-cold-freezing.com^ +||cold-priest.com^ +||coldflownews.com^ +||coldhardcash.com^ +||coldnessswarthyclinic.com^ +||coldsandwich.pro^ +||colemalist.top^ +||colentkeruing.top^ +||colhickcommend.com^ +||coliassfeurytheme.com^ +||collapsecuddle.com^ +||collarchefrage.com^ +||collectbladders.com^ +||collectedroomfinancially.com^ +||collectingexplorergossip.com^ +||collectinggraterjealousy.com^ +||collection-day.com^ +||collectiveablygathering.com^ +||collectorcommander.com^ +||collectrum.com^ +||colleem.com^ +||collieskelpy.com^ +||colloqlarum.com^ +||colloquialassassinslavery.com^ +||collowhypoxis.com^ +||colognenobilityfrost.com^ +||colognerelish.com^ +||colonialismmarch.com^ +||colonistnobilityheroic.com^ +||coloniststarter.com^ +||colonwaltz.com^ +||colorfulspecialinsurance.com^ +||colorhandling.com^ +||colossalanswer.com^ +||colourevening.com^ +||coltagainst.pro^ +||columngenuinedeploy.com^ +||columnistcandour.com^ +||columnisteverything.com^ +||com-wkejf32ljd23409system.net^ +||comafilingverse.com^ +||comalonger.com^ +||comarind.com^ +||combatboatsplaywright.com^ +||combatundressaffray.com^ +||combia-tellector.com^ +||combinestronger.com^ +||combitly.com^ +||combotag.com^ +||combustibleaccuracy.com^ +||come-get-s0me.com^ +||come-get-s0me.net^ +||comeadvertisewithus.com^ +||comedianthirteenth.com^ +||comedyjav128.fun^ +||comefukmendat.com^ +||comemumu.info^ +||comemunicatet.com^ +||comeplums.com^ +||comerhurlentertain.com^ +||cometadministration.com^ +||cometappetit.shop^ +||cometothepointaton.info^ +||comettypes.com^ +||comfortable-preparation.pro^ +||comfortablehealheadlight.com^ +||comfortablepossibilitycarlos.com^ +||comfortabletypicallycontingent.com^ +||comfortclick.co.uk^ +||comfreeads.com^ +||comfyunhealthy.com^ +||comicplanet.net^ +||comicsscripttrack.com^ +||comihon.com^ +||comilar-efferiff.icu^ +||comitalmows.com^ +||commandsorganizationvariations.com^ +||commarevelation.com^ +||commastick.com^ +||commendhalf.com^ +||commentaryspicedeceived.com^ +||commercefrugal.com^ +||commercialvalue.org^ +||commiseratefiveinvitations.com^ +||commission-junction.com^ +||commissionkings.ag^ +||commissionlounge.com^ +||committeedischarged.com^ +||committeeoutcome.com^ +||commodekissing.top^ +||commodityallengage.com^ +||commongratificationtimer.com^ +||commongrewadmonishment.com^ +||commonvivacious.com^ +||communicatedsuitcompartment.com^ +||communication3x.fun^ +||comoideludes.shop^ +||comparativeexclusion.com^ +||comparativelyoccursdeclaration.com^ +||compareddiagram.com^ +||comparedsilas.com^ +||comparepoisonous.com^ +||compareproprietary.com^ +||compassionatebarrowpine.com^ +||compassionaterough.pro^ +||compatriotelephant.com^ +||compazenad.com^ +||compensationdeviseconnote.com^ +||compensationpropulsion.com^ +||competemerriment.com^ +||competencesickcake.com^ +||compiledonatevanity.com^ +||compileformality.com^ +||compilegates.com^ +||complainfriendshipperry.com^ +||complaintbasscounsellor.com^ +||complaintconsequencereply.com^ +||complaintsoperatorbrewing.com^ +||complainttattooshy.com^ +||complementinstancesvarying.com^ +||complete-afternoon.pro^ +||complexastare.shop^ +||complicationpillsmathematics.com^ +||complimentingredientnightfall.com^ +||complimentworth.com^ +||complotdulcify.shop^ +||compositeclauseviscount.com^ +||compositeoverdo.com^ +||compositeprotector.com^ +||compositereconnectadmiral.com^ +||composureenfold.com^ +||comprehensionaccountsfragile.com^ +||comprehensive3x.fun^ +||comprehensiveunconsciousblast.com^ +||compresssavvydetected.com^ +||compriseinflammable.com^ +||compromiseadaptedspecialty.com^ +||compulsiveimpassablehonorable.com^ +||computeafterthoughtspeedometer.com^ +||comradeglorious.com^ +||comradeorientalfinance.com^ +||comunicazio.com^ +||comurbate.com^ +||comymandars.info^ +||conative.network^ +||concealedcredulous.com^ +||concealmentbrainpower.com^ +||concealmentmimic.com^ +||concedederaserskyline.com^ +||conceitedfedapple.com^ +||conceivedtowards.com^ +||concentrationminefield.com^ +||conceptualizefact.com^ +||concerneddisinterestedquestioning.com^ +||concernedwhichever.com^ +||concludedstoredtechnique.com^ +||conclusionsmushyburn.com^ +||concord.systems^ +||concoursegrope.com^ +||concrete-cabinet.pro^ +||concreteapplauseinefficient.com^ +||concreteprotectedwiggle.com^ +||concussionsculptor.com^ +||condensedconvenesaxophone.com^ +||condensedmassagefoul.com^ +||condensedspoon.com^ +||condescendingcertainly.com^ +||conditioneavesdroppingbarter.com^ +||condles-temark.com^ +||condodgy.com^ +||condolencessumcomics.com^ +||conductiveruthless.com^ +||conductmassage.com^ +||conduit-banners.com^ +||conduit-services.com^ +||conerchina.top^ +||conetizable.com^ +||confabureas.com^ +||confdatabase.com^ +||confectioneryconnected.com^ +||confectionerycrock.com^ +||conferencelabourerstraightforward.com^ +||confergiftargue.com^ +||confessioneurope.com^ +||confesssagacioussatisfy.com^ +||confessundercover.com^ +||confidentexplanationillegal.com^ +||confidethirstyfrightful.com^ +||configurationluxuriantinclination.com^ +||confinecrisisorbit.com^ +||confinehindrancethree.com^ +||confinemutual.com^ +||confirmationefficiency.com^ +||confirmexplore.com^ +||conformcashier.com^ +||conforminteractbuzz.com^ +||conformityblankshirt.com^ +||conformityproportion.com^ +||confounddistressedrectangle.com^ +||confrontation2.fun^ +||confrontationdrunk.com^ +||confrontationwanderer.com^ +||confrontbitterly.com^ +||congealsubgit.shop^ +||congratulationsgraveseem.com^ +||congressbench.com^ +||congressvia.com^ +||congruousannualplanner.com^ +||conicsfizzles.com^ +||conjeller-chikemon.com^ +||connectad.io^ +||connectedchaise.com^ +||connectignite.com^ +||connectingresort.com^ +||connectionsdivide.com^ +||connectionsoathbottles.com^ +||connectoritineraryswimming.com^ +||connectreadoasis.com^ +||connecttoday.eu^ +||connextra.com^ +||connotethembodyguard.com^ +||conoret.com^ +||conqueredallrightswell.com^ +||conquereddestination.com^ +||conquerleaseholderwiggle.com^ +||consargyle.com^ +||consciousness2.fun^ +||consciousnessmost.com^ +||consecutionwrigglesinge.com^ +||consensusarticles.com^ +||consensushistorianarchery.com^ +||consensusindustryrepresentation.com^ +||consessionconsessiontimber.com^ +||consideratepronouncedcar.com^ +||consideration3x.fun^ +||consideringscallion.com^ +||consistedlovedstimulate.com^ +||consistpromised.com^ +||consmo.net^ +||consolationgratitudeunwise.com^ +||consoupow.com^ +||conspiracyore.com^ +||constableleapedrecruit.com^ +||constellation3x.fun^ +||constellationbedriddenexams.com^ +||constellationtrafficdenounce.com^ +||consternationmysticalstuff.com^ +||constintptr.com^ +||constituentcreepingabdicate.com^ +||constitutekidnapping.com^ +||constraingood.com^ +||constraintarrearsadvantages.com^ +||constructbrought.com^ +||constructionrejection.com^ +||constructpiece.com^ +||constructpoll.com^ +||constructpreachystopper.com^ +||consukultinge.info^ +||consukultingeca.com^ +||consultantvariabilitybandage.com^ +||consultation233.fun^ +||consultingballetshortest.com^ +||contagiongrievedoasis.com^ +||contagionwashingreduction.com^ +||contagiousbookcasepants.com^ +||containingwaitdivine.com^ +||containssubordinatecologne.com^ +||contalyze.com^ +||contaminateconsessionconsession.com^ +||contaminatefollow.com^ +||contaminatespontaneousrivet.com^ +||contehos.com^ +||contemplatepuddingbrain.com^ +||contemplatethwartcooperation.com^ +||contemporarytechnicalrefuge.com^ +||content-rec.com^ +||contentabc.com^ +||contentango.online^ +||contentcave.co.kr^ +||contentclick.co.uk^ +||contentcrocodile.com^ +||contentedinterimregardless.com^ +||contentedsensationalprincipal.com^ +||contentjs.com^ +||contentmayinterest.com^ +||contentmentchef.com^ +||contentmentfairnesspesky.com^ +||contentmentwalterbleat.com^ +||contentmentweek.com^ +||contentprotectforce.com^ +||contentproxy10.cz^ +||contentr.net^ +||contentshamper.com^ +||conterensky.com^ +||contextweb.com^ +||continentalaileendepict.com^ +||continentalfinishdislike.com^ +||continentcoaximprovement.com^ +||continuallycomplaints.com^ +||continuallyninetysole.com^ +||continuation423.fun^ +||continue-installing.com^ +||continuousselfevidentinestimable.com^ +||contradiction2.fun^ +||contradictshaftfixedly.com^ +||contrapeachen.com^ +||contributorfront.com^ +||contributorshaveangry.com^ +||contried.com^ +||conumal.com^ +||convalescemeltallpurpose.com^ +||convdlink.com^ +||convellparcels.click^ +||convenienceappearedpills.com^ +||conveniencepickedegoism.com^ +||convenientcertificate.com^ +||conventional-nurse.pro^ +||conventionalrestaurant.com^ +||conventionalsecond.pro^ +||convers.link^ +||conversationwaspqueer.com^ +||conversitymir.org^ +||convertedbumperbiological.com^ +||convertedhorace.com^ +||convertexperiments.com^ +||convertmb.com^ +||convictedpavementexisting.com^ +||convincedpotionwalked.com^ +||convrse.media^ +||convsweeps.com^ +||conyak.com^ +||coodouphenooh.xyz^ +||cooeyeddarbs.com^ +||coogauwoupto.com^ +||coogoanu.net^ +||coogumak.com^ +||coohaiwhoonol.net^ +||coojohoaboapee.xyz^ +||cookerybands.com^ +||cookerywrinklefad.com^ +||cookieless-data.com^ +||cookinghither.com^ +||cookingsorting.com^ +||coolappland.com^ +||coolappland1.com^ +||coolehim.xyz^ +||coolerconvent.com^ +||coolerpassagesshed.com^ +||coolestblockade.com^ +||coolestreactionstems.com^ +||coolherein.com^ +||cooljony.com^ +||coollyadmissibleclack.com^ +||coolnesswagplead.com^ +||cooloffer.cfd^ +||coolpornvids.com^ +||coolserving.com^ +||coolstreamsearch.com^ +||coonandeg.xyz^ +||coonouptiphu.xyz^ +||cooperateboneco.com^ +||coopsoaglipoul.net^ +||coordinatereopen.com^ +||coosync.com^ +||cootlogix.com^ +||coovouch.com^ +||copacet.com^ +||copalmsagency.com^ +||copeaxe.com^ +||copemorethem.live^ +||copieraback.com^ +||copieranewcaller.com^ +||copiercarriage.com^ +||coppercranberrylamp.com^ +||copyrightmonastery.com^ +||cor8ni3shwerex.com^ +||cordclck.cc^ +||cordinghology.info^ +||core.dimatter.ai^ +||coreexperiment.com^ +||corenotabilityhire.com^ +||corgompaup.com^ +||corgouzaptax.com^ +||corneey.com^ +||corneredsedatetedious.com^ +||corneredtomb.com^ +||cornerscheckbookprivilege.com^ +||cornersindecisioncertified.com^ +||cornflowercopier.com^ +||cornflowershallow.com^ +||coronafly.ru^ +||corpsehappen.com^ +||correctdilutetrophy.com^ +||correlationcocktailinevitably.com^ +||correspondaspect.com^ +||corruptsolitaryaudibly.com^ +||corveseiren.com^ +||cosedluteo.com^ +||cosignpresentlyarrangement.com^ +||cosmeticsgenerosity.com^ +||cosmicpartially.com^ +||cosponsorgarnetmorphing.com^ +||costaquire.com^ +||costhandbookfolder.com^ +||costivecohorts.top^ +||coststunningconjure.com^ +||costumefilmimport.com^ +||cosysuppressed.com^ +||cotchaug.com^ +||coticoffee.com^ +||cottoidearldom.com^ +||cottoncabbage.com^ +||cottondivorcefootprint.com^ +||coucalhidated.com^ +||couchedbliny.top^ +||coudswamper.com^ +||couldmisspell.com^ +||couldobliterate.com^ +||couledochemy.net^ +||counaupsi.com^ +||councernedasesi.com^ +||counciladvertising.net^ +||counsellinggrimlyengineer.com^ +||countdownlogic.com^ +||countdownwildestmargarine.com^ +||countenancepeculiaritiescollected.com^ +||counteractpull.com^ +||counterfeitbear.com^ +||counterfeitnearby.com^ +||countertrck.com^ +||countessrestrainasks.com^ +||countriesnews.com^ +||countybananasslogan.com^ +||coupageoutrant.guru^ +||couplestupidity.com^ +||coupsonu.net^ +||coupteew.com^ +||couptoug.net^ +||courageousaway.com^ +||courageousdiedbow.com^ +||courierembedded.com^ +||coursebonfire.com^ +||coursejavgg124.fun^ +||coursewimplongitude.com^ +||courthousedefective.com^ +||courthouselaterfunctions.com^ +||cousingypsy.com^ +||cousinscostsalready.com^ +||couwainu.xyz^ +||couwhivu.com^ +||couwooji.xyz^ +||coveredsnortedelectronics.com^ +||coveredstress.com^ +||covertcourse.com^ +||coveteddutifulprescribe.com^ +||covettunica.com^ +||covivado.club^ +||cowtpvi.com^ +||coxgypsine.shop^ +||coxiesthubble.com^ +||coxziptwo.com^ +||coyureviral.com^ +||cozenedkwanza.top^ +||cozeswracks.com^ +||cpa-optimizer.online^ +||cpa3iqcp.de^ +||cpabeyond.com^ +||cpaconvtrk.net^ +||cpalabtracking.com^ +||cpaoffers.network^ +||cpaokhfmaccu.com^ +||cpaway.com^ +||cpays.com^ +||cpcmart.com^ +||cpcvabi.com^ +||cplayer.pw^ +||cplhpdxbdeyvy.com^ +||cpm-ad.com^ +||cpm.biz^ +||cpm20.com^ +||cpmadvisors.com^ +||cpmclktrk.online^ +||cpmgatenetwork.com^ +||cpmmedia.net^ +||cpmnetworkcontent.com^ +||cpmprofitablecontent.com^ +||cpmprofitablenetwork.com^ +||cpmrevenuegate.com^ +||cpmrevenuenetwork.com^ +||cpmrocket.com^ +||cpmspace.com^ +||cpmtree.com^ +||cpng.lol^ +||cpngiubbcnq.love^ +||cpqgyga.com^ +||cpuim.com^ +||cpvadvertise.com^ +||cpvlabtrk.online^ +||cpx24.com^ +||cpxadroit.com^ +||cpxdeliv.com^ +||cpxinteractive.com^ +||cqlupb.com^ +||cqnmtmqxecqvyl.com^ +||cqrvwq.com^ +||cr-brands.net^ +||cr.adsappier.com^ +||cr00.biz^ +||cr08.biz^ +||cr09.biz^ +||crabletfrijole.shop^ +||crackbroadcasting.com^ +||crackquarrelsomeslower.com^ +||crackyunfence.com^ +||craftsmangraygrim.com^ +||crafty-math.com^ +||craharice.com^ +||crajeon.com^ +||crakbanner.com^ +||crakedquartin.com^ +||cramlastfasten.com^ +||crampcrossroadbaptize.com^ +||crampincompetent.com^ +||crankyderangeabound.com^ +||crateralbumcarlos.com^ +||craterwhsle.com^ +||craveidentificationanoitmentanoitment.com^ +||crawlcoxed.com^ +||crawledlikely.com^ +||crawlerjamie.shop^ +||crayonreareddreamt.com^ +||crazefiles.com^ +||crazesmalto.com^ +||crazy-baboon.com^ +||crazylead.com^ +||crbbgate.com^ +||crcgrilses.com^ +||crdefault.link^ +||crdefault1.com^ +||creaghtain.com^ +||creamssicsite.com^ +||creamy-confidence.pro^ +||creaseinprofitst.com^ +||createsgummous.com^ +||creative-bars1.com^ +||creative-serving.com^ +||creative-stat1.com^ +||creativecdn.com^ +||creativedisplayformat.com^ +||creativefix.pro^ +||creativeformatsnetwork.com^ +||creativelardyprevailed.com^ +||creativesumo.com^ +||creaturescoinsbang.com^ +||creaturespendsfreak.com^ +||crechecatholicclaimed.com^ +||crectipumlu.com^ +||credentialsfont.com^ +||credentialstrapdoormagnet.com^ +||credibilityyowl.com^ +||creditbitesize.com^ +||credotrigona.com^ +||creeksettingbates.com^ +||creeperfutileforgot.com^ +||creepybuzzing.com^ +||crengate.com^ +||crentexgate.com^ +||creojnpibos.com^ +||crepgate.com^ +||creptdeservedprofanity.com^ +||cresfpho2ntesepapillo3.com^ +||crestfallenwall.com^ +||crestislelocation.com^ +||cretgate.com^ +||crevicedepressingpumpkin.com^ +||cribbewildered.com^ +||criesstarch.com^ +||crimblepitbird.shop^ +||crimeevokeprodigal.com^ +||criminalalcovebeacon.com^ +||criminalmention.pro^ +||criminalweightforetaste.com^ +||crimsondozeprofessional.com^ +||crippledwingant.com^ +||crisistuesdayartillery.com^ +||crisp-freedom.com^ +||crispdune.com^ +||crispentirelynavy.com^ +||crisphybridforecast.com^ +||crisppennygiggle.com^ +||critariatele.pro^ +||criticaltriggerweather.com^ +||criticheliumsoothe.com^ +||criticismdramavein.com^ +||criticizewiggle.com^ +||crjpgate.com^ +||crjpingate.com^ +||crm4d.com^ +||crmentjg.com^ +||crmpt.livejasmin.com^ +||croakedrotonda.com^ +||crochetmedimno.top^ +||crockejection.com^ +||crockerycrowdedincidentally.com^ +||crockuncomfortable.com^ +||crocopop.com^ +||crokerhyke.com^ +||cromq.xyz^ +||croni.site^ +||crookrally.com^ +||croplake.com^ +||crossroadoutlaw.com^ +||crossroadsubquery.com^ +||crossroadzealimpress.com^ +||crouchyearbook.com^ +||crowdeddisk.pro^ +||crowdnextquoted.com^ +||crptentry.com^ +||crptgate.com^ +||crrepo.com^ +||crsope.com^ +||crsspxl.com^ +||crtracklink.com^ +||crudedelicacyjune.com^ +||crudelouisa.com^ +||crudemonarchychill.com^ +||crudequeenrome.com^ +||crudyfilters.com^ +||crueltysugar.shop^ +||cruiserx.net^ +||crumblerefunddiana.com^ +||crumbrationally.com^ +||crumbtypewriterhome.com^ +||crummygoddess.com^ +||crumplylenient.com^ +||crunchslipperyperverse.com^ +||crustywainmen.shop^ +||crvxhuxcel.com^ +||crxmaotidrf.xyz^ +||cryjun.com^ +||cryonicromero.com^ +||cryorganichash.com^ +||crypticrallye.com^ +||crypto-ads.net^ +||cryptoatom.care^ +||cryptobeneluxbanner.care^ +||cryptojimmy.care^ +||cryptomaster.care^ +||cryptomcw.com^ +||cryptonewsdom.care^ +||cryptotyc.care^ +||cs1olr0so31y.shop^ +||cschyogh.com^ +||csdf4dn.pro^ +||cshbglcfcmirnm.xyz^ +||cskcnipgkq.club^ +||csldbxey.com^ +||cslidubsdtdeya.com^ +||csqtsjm.com^ +||cssuvtbfeap.com^ +||csy8cjm7.xyz^ +||ctasnet.com^ +||ctengine.io^ +||cteripre.com^ +||ctiotjobkfu.com^ +||ctm-media.com^ +||ctnsnet.com^ +||ctofestoon.click^ +||ctoosqtuxgaq.com^ +||ctosrd.com^ +||ctrdwm.com^ +||ctrlaltdel99.com^ +||ctrtrk.com^ +||ctsbiznoeogh.site^ +||ctsdwm.com^ +||ctubhxbaew.com^ +||ctvnmxl.com^ +||ctwmcd.com^ +||cubchillysail.com^ +||cubeuptownpert.com^ +||cubiclerunner.com^ +||cubicnought.com^ +||cucaftultog.net^ +||cuckooretire.com^ +||cuddlethehyena.com^ +||cudgeletc.com^ +||cudgelsupportiveobstacle.com^ +||cudjgcnwoo-s.icu^ +||cue-oxvpqbt.space^ +||cuefootingrosy.com^ +||cueistratting.com^ +||cuesingle.com^ +||cuevastrck.com^ +||cufultahaur.com^ +||cugaksoogleptix.xyz^ +||cuhlsl.info^ +||cuinageaquilid.com^ +||cuisineenvoyadvertise.com^ +||cuisineomnipresentinfinite.com^ +||cullemple-motline.com^ +||culmedpasses.cam^ +||cultergoy.com^ +||culturalcollectvending.com^ +||cumbersomeduty.pro^ +||cumbersomesteedominous.com^ +||cunealfume.shop^ +||cupboardbangingcaptain.com^ +||cupboardgold.com^ +||cupidirresolute.com^ +||cupidonmedia.com^ +||cupidrecession.com^ +||cupidtriadperpetual.com^ +||cuplikenominee.com^ +||cupoabie.net^ +||cupswiss.com^ +||cupulaeveinal.top^ +||curatekrait.com^ +||curatelsack.com^ +||curledbuffet.com^ +||curlsl.info^ +||curlsomewherespider.com^ +||curlyhomes.com^ +||currantsummary.com^ +||currencychillythoughtless.com^ +||currencyoffuture.com^ +||curriculture.com^ +||curryoxygencheaper.com^ +||cursecrap.com^ +||cursedspytitanic.com^ +||curseintegralproduced.com^ +||cursormedicabnormal.com^ +||cursorsympathyprime.com^ +||curvyalpaca.cc^ +||curyrentattributo.org^ +||cuseccharm.com^ +||cusecwhitten.com^ +||cushionblarepublic.com^ +||cuslsl.info^ +||custodycraveretard.com^ +||custodycrutchfaintly.com^ +||customads.co^ +||customapi.top^ +||customarydesolate.com^ +||customernormallyseventh.com^ +||customsalternative.com^ +||customselliot.com^ +||cuteab.com^ +||cutelylookups.shop^ +||cuterbond.com^ +||cutescale.online^ +||cutlipsdanelaw.shop^ +||cutsauvo.net^ +||cutsoussouk.net^ +||cuttingstrikingtells.com^ +||cuttlefly.com^ +||cuwlmupz.com^ +||cuzsgqr.com^ +||cvaetfspprbnt.com^ +||cvastico.com^ +||cvgto-akmk.fun^ +||cvvemdvrojgo.com^ +||cvxwaslonejulyha.info^ +||cwoapffh.com^ +||cwqljsecvr.com^ +||cwuaxtqahvk.com^ +||cxeiymnwjyyi.xyz^ +||cyamidfenbank.life^ +||cyan92010.com^ +||cyanidssurmit.top^ +||cyathosaloesol.top^ +||cyberblitzdown.click^ +||cybertronads.com^ +||cybkit.com^ +||cycledaction.com^ +||cycleworked.com^ +||cyclistforgotten.com^ +||cyclstriche.com^ +||cycndlhot.xyz^ +||cyeqeewyr.com^ +||cyg-byzlgtns.world^ +||cygnus.com^ +||cylnkee.com^ +||cyneburg-yam.com^ +||cynem.xyz^ +||cynismdrivage.top^ +||cynoidfudging.shop^ +||cypfdxbynb.com^ +||cypresslocum.com^ +||cyrociest.shop^ +||cytomecruor.top^ +||cyuyvjwyfvn.com^ +||cyvjmnu.com^ +||czaraptitude.com^ +||czedgingtenges.com^ +||czh5aa.xyz^ +||czuvzixm.com^ +||czvdyzt.com^ +||czwxrnv.com^ +||czyoxhxufpm.com^ +||d-agency.net^ +||d03804f2c8.com^ +||d03ab571b4.com^ +||d08l9a634.com^ +||d0main.ru^ +||d15a035f27.com^ +||d19a04d0igndnt.cloudfront.net^ +||d1a0c6affa.com^ +||d1f76eb5a4.com^ +||d1x9q8w2e4.xyz^ +||d24ak3f2b.top^ +||d26e83b697.com^ +||d29gqcij.com^ +||d2e3e68fb3.com^ +||d2j45sh7zpklsw.cloudfront.net^ +||d2kecuadujf2df.cloudfront.net^ +||d2ship.com^ +||d2tc1zttji8e3a.cloudfront.net^ +||d37914770f.com^ +||d3c.life^ +||d3c.site^ +||d3edbb478c.com^ +||d3u0wd7ppfhcxv.cloudfront.net^ +||d43849fz.xyz^ +||d44501d9f7.com^ +||d483501b04.com^ +||d49ae3cc10.com^ +||d52a6b131d.com^ +||d56cfcfcab.com^ +||d592971f36.com^ +||d5chnap6b.com^ +||d5db478dde.com^ +||d6030fe5c6.com^ +||d78eee025b.com^ +||d7c6491da0.com^ +||d8c04a25e8.com^ +||d9db994995.com^ +||d9fb2cc166.com^ +||da-ads.com^ +||da066d9560.com^ +||da52d550a0.com^ +||daailynews.com^ +||daboovip.xyz^ +||daccroi.com^ +||dacmaiss.com^ +||dacmursaiz.xyz^ +||dacnmevunbtu.com^ +||dacpibaqwsa.com^ +||dadsats.com^ +||dadsimz.com^ +||dadslimz.com^ +||dadsoks.com^ +||daejyre.com^ +||daffaite.com^ +||daffodilnotifyquarterback.com^ +||dagassapereion.com^ +||dagheepsoach.net^ +||dagnar.com^ +||dagnurgihjiz.com^ +||dagobasswotter.top^ +||daicagrithi.com^ +||daichoho.com^ +||daicoaky.net^ +||dailyalienate.com^ +||dailyc24.com^ +||dailychronicles2.xyz^ +||dainouluph.net^ +||daintydragged.com^ +||daintyinternetcable.com^ +||daiphero.com^ +||dairebougee.com^ +||dairouzy.net^ +||dairyworkjourney.com^ +||daiwheew.com^ +||daizoode.com^ +||dajswiacllfy.com^ +||dakjddjerdrct.online^ +||dakotasboreens.top^ +||daldk.com^ +||dalecigarexcepting.com^ +||dalecta.com^ +||daleperceptionpot.com^ +||dallavel.com^ +||dallthroughthe.info^ +||daltongrievously.com^ +||daly2024.com^ +||dalyai.com^ +||dalyio.com^ +||dalymix.com^ +||dalysb.com^ +||dalysh.com^ +||dalysv.com^ +||damagecontributionexcessive.com^ +||damagedmissionaryadmonish.com^ +||damedamehoy.xyz^ +||damgurwdblf.xyz^ +||damnightmareleery.com^ +||dampapproach.com^ +||dampedvisored.com^ +||dana123.com^ +||dancefordamazed.com^ +||dandelionnoddingoffended.com^ +||dandinterpersona.com^ +||dandyblondewinding.com^ +||danesuffocate.com^ +||dangerfiddlesticks.com^ +||dangeridiom.com^ +||dangerinsignificantinvent.com^ +||dangerouslyprudent.com^ +||dangerousratio.pro^ +||dangersfluentnewsletter.com^ +||danmounttablets.com^ +||dannyuncoach.com^ +||dansimseng.xyz^ +||dantasg.com^ +||dantbritingd.club^ +||danzhallfes.com^ +||dapcerevis.shop^ +||daphnews.com^ +||dapper.net^ +||dapperdeal.pro^ +||dapro.cloud^ +||dapsotsares.com^ +||daptault.com^ +||darcycapacious.com^ +||darcyjellynobles.com^ +||dareka4te.shop^ +||darghinruskin.com^ +||daringsupport.com^ +||dariolunus.com^ +||darkandlight.ru^ +||darkenedplane.com^ +||darkercoincidentsword.com^ +||darkerillegimateillegimateshade.com^ +||darkerprimevaldiffer.com^ +||darknesschamberslobster.com^ +||darksmartproprietor.com^ +||darnerzaffers.top^ +||darnvigour.com^ +||dartextremely.com^ +||darvongasps.shop^ +||darvorn.com^ +||darwinpoems.com^ +||dasensiblem.org^ +||dasesiumworkhovdimi.info^ +||dashbida.com^ +||dashboardartistauthorized.com^ +||dashdryopes.shop^ +||dashedclownstubble.com^ +||dashedheroncapricorn.com^ +||dashgreen.online^ +||dashnakdrey.com^ +||dasperdolus.com^ +||data-data-vac.com^ +||data-px.services^ +||datajsext.com^ +||datanoufou.xyz^ +||datatechdrift.com^ +||datatechone.com^ +||datatechonert.com^ +||datazap.online^ +||date-till-late.us^ +||date2024.com^ +||date2day.pro^ +||date4sex.pro^ +||dateddeed.com^ +||datesnsluts.com^ +||datessuppressed.com^ +||datesviewsticker.com^ +||dateszone.net^ +||datetrackservice.com^ +||datewhisper.life^ +||datexurlove.com^ +||datherap.xyz^ +||dating-banners.com^ +||dating-roo3.site^ +||dating2cloud.org^ +||datingcentral.top^ +||datingero.com^ +||datingiive.net^ +||datingkoen.site^ +||datingstyle.top^ +||datingtoday.top^ +||datingtopgirls.com^ +||datingvr.ru^ +||datqagdkurce.com^ +||datsunepizzoa.com^ +||daughterinlawrib.com^ +||daughtersarbourbarrel.com^ +||daukshewing.com^ +||dauntgolfconfiscate.com^ +||dauntroof.com^ +||dauntssquills.com^ +||dauptoawhi.com^ +||dausoofo.net^ +||davycrile.com^ +||dawirax.com^ +||dawmal.com^ +||dawncreations.art^ +||dawndadmark.live^ +||dawnfilthscribble.com^ +||dawplm.com^ +||dawtittalky.shop^ +||daybookclags.com^ +||daybreakarchitecture.com^ +||dayqy.space^ +||daytimeentreatyalternate.com^ +||dayznews.biz^ +||dazeactionabet.com^ +||dazedarticulate.com^ +||dazedengage.com^ +||dazeoffhandskip.com^ +||dazhantai.com^ +||db20da1532.com^ +||db33180b93.com^ +||db72c26349.com^ +||dbbsrv.com^ +||dbclix.com^ +||dberthformttete.com^ +||dbizrrslifc.com^ +||dbnxlpbtoqec.com^ +||dbr9gtaf8.com^ +||dbtbfsf.com^ +||dbvpikc.com^ +||dbwmzcj-r.click^ +||dbycathyhoughs.com^ +||dbyulufecdvsgr.com^ +||dc-feed.com^ +||dc-rotator.com^ +||dcfnihzg81pa.com^ +||dcgjpojm.space^ +||dcjaefrbn.xyz^ +||dcjrdjwf.com^ +||dd0122893e.com^ +||dd1xbevqx.com^ +||dd4ef151bb.com^ +||dd9l0474.de^ +||ddbhm.pro^ +||dddashasledopyt.com^ +||dddashasledopyt.xyz^ +||dddomainccc.com^ +||ddkf.xyz^ +||ddndbjuseqi.com^ +||ddrsemxv.com^ +||ddtvskish.com^ +||ddzk5l3bd.com^ +||dead-put.com^ +||deadlyrelationship.com^ +||deadmentionsunday.com^ +||deafening-benefit.pro^ +||dealcurrent.com^ +||dealgodsafe.live^ +||deallyighabove.info^ +||dealsfor.life^ +||dearestimmortality.com^ +||deasandcomemunic.com^ +||deavelydragees.shop^ +||debateconsentvisitation.com^ +||debauchinteract.com^ +||debaucky.com^ +||debausouseets.net^ +||debonerscroop.top^ +||debrisstern.com^ +||debtsbosom.com^ +||debtsevolve.com^ +||debutpanelquizmaster.com^ +||decadedisplace.com^ +||decademical.com^ +||decadenceestate.com^ +||decatyldecane.com^ +||decaysskeery.shop^ +||decaytreacherous.com^ +||deceittoured.com^ +||decemberaccordingly.com^ +||decencysoothe.com^ +||decenthat.com^ +||decentpension.com^ +||deceptionhastyejection.com^ +||decide.dev^ +||decidedlychips.com^ +||decidedlyenjoyableannihilation.com^ +||decidedmonsterfarrier.com^ +||decimalediblegoose.com^ +||decisionmark.com^ +||decisionnews.com^ +||decisivewade.com^ +||deckedsi.com^ +||deckengilder.shop^ +||decknetwork.net^ +||declarcercket.org^ +||declaredtraumatic.com^ +||declinebladdersbed.com^ +||declk.com^ +||decmutsoocha.net^ +||decoctionembedded.com^ +||decomposedismantle.com^ +||decoraterepaired.com^ +||decorationhailstone.com^ +||decordingholo.org^ +||decossee.com^ +||decpo.xyz^ +||decreasetome.com^ +||decrepitgulpedformation.com^ +||decswci.com^ +||dedicatedmedia.com^ +||dedicatedsummarythrone.com^ +||dedicateimaginesoil.com^ +||dedicationfits.com^ +||dedicationflamecork.com^ +||deditiontowritin.com^ +||deductionobtained.com^ +||dedukicationan.info^ +||deebcards-themier.com^ +||deedeedwinos.com^ +||deedeisasbeaut.info^ +||deedkernelhomesick.com^ +||deefauph.com^ +||deeginews.com^ +||deehalig.net^ +||deejehicha.xyz^ +||deemconpier.com^ +||deemwidowdiscourage.com^ +||deenoacepok.com^ +||deepboxervivacious.com^ +||deephicy.net^ +||deepirresistible.com^ +||deepmetrix.com^ +||deepnewsjuly.com^ +||deeprootedladyassurance.com^ +||deeprootedpasswordfurtively.com^ +||deeprootedstranded.com^ +||deepsaifaide.net^ +||deethout.net^ +||deewansturacin.com^ +||defacebunny.com^ +||defandoar.xyz^ +||defaultspurtlonely.com^ +||defaultswigcounterfeit.com^ +||defeatedadmirabledivision.com^ +||defeature.xyz^ +||defenceblake.com^ +||defendantlucrative.com^ +||defenseneckpresent.com^ +||defensive-bad.com^ +||deferapproximately.com^ +||deferjobfeels.com^ +||deferrenewdisciple.com^ +||defiancebelow.com^ +||defiancefaithlessleague.com^ +||defiantmotherfamine.com^ +||deficitsilverdisability.com^ +||definedbootnervous.com^ +||definitial.com^ +||deforcediau.com^ +||defpush.com^ +||defybrick.com^ +||degeneratecontinued.com^ +||degeronium.com^ +||degg.site^ +||deghooda.net^ +||degradationrethink.com^ +||degradationtransaction.com^ +||degradeaccusationshrink.com^ +||degradeexpedient.com^ +||degreebristlesaved.com^ +||degutu.xyz^ +||dehimalowbowohe.info^ +||deitynosebleed.com^ +||dejjjdbifojmi.com^ +||deksoarguph.net^ +||del-del-ete.com^ +||delayedmall.pro^ +||delfsrld.click^ +||delicateomissionarched.com^ +||delicatereliancegodmother.com^ +||delicious-slip.pro^ +||delicioustaco.b-cdn.net^ +||delightacheless.com^ +||delightedheavy.com^ +||delightedintention.com^ +||delightedplash.com^ +||delightedprawn.com^ +||delightful-page.pro^ +||delightfulmachine.pro^ +||delightspiritedtroop.com^ +||deligrassdull.com^ +||deliman.net^ +||deline-sunction.com^ +||deliquencydeliquencyeyesight.com^ +||deliriousglowing.com^ +||deliriumalbumretreat.com^ +||deliv12.com^ +||delivereddecisiverattle.com^ +||delivery.momentummedia.com.au^ +||delivery45.com^ +||delivery47.com^ +||delivery49.com^ +||delivery51.com^ +||deliverydom.com^ +||deliverymod.com^ +||deliverymodo.com^ +||deliverytrafficnews.com^ +||deliverytraffico.com^ +||deliverytraffnews.com^ +||deliverytriumph.com^ +||delmarviato.com^ +||delnapb.com^ +||delookiinasfier.cc^ +||deloplen.com^ +||deloton.com^ +||deltarockies.com^ +||deltraff.com^ +||deludeweb.com^ +||delusionaldiffuserivet.com^ +||delusionpenal.com^ +||delutza.com^ +||deluxe-download.com^ +||delveactivity.com^ +||demand.supply^$script +||demanding-application.pro^ +||demba.xyz^ +||demeanourgrade.com^ +||demisemyrick.com^ +||demiseskill.com^ +||democracyendlesslyzoo.com^ +||democracyseriously.com^ +||democraticflushedcasks.com^ +||demolishforbidhonorable.com^ +||demonstrationsurgical.com^ +||demonstrationtimer.com^ +||demonstudent.com^ +||demowebcode.online^ +||demtaudeeg.com^ +||denariibrocked.com^ +||denayphlox.top^ +||denbeigemark.com^ +||dendranthe4edm7um.com^ +||dendrito.name^ +||denetsuk.com^ +||dengelmeg.com^ +||denialrefreshments.com^ +||deniedsolesummer.com^ +||denoughtanot.info^ +||denouncecomerpioneer.com^ +||densigissy.net^ +||densouls.com^ +||dental-drawer.pro^ +||dentalillegally.com^ +||denthaitingshospic.com^ +||denunciationsights.com^ +||deostr.com^ +||deparkcariole.shop^ +||departedcomeback.com^ +||departedsilas.com^ +||departgross.com^ +||departmentcomplimentary.com^ +||departmentscontinentalreveal.com^ +||departtrouble.com^ +||departurealtar.com^ +||dependablepumpkinlonger.com^ +||dependeddebtsmutual.com^ +||dependentdetachmentblossom.com^ +||dependentwent.com^ +||dependpinch.com^ +||dependsbichir.shop^ +||dephasevittate.com^ +||depictdeservedtwins.com^ +||depleteappetizinguniverse.com^ +||deploremythsound.com^ +||deployads.com^ +||deponerdidym.top^ +||deporttideevenings.com^ +||depositpastel.com^ +||depotdesirabledyed.com^ +||depravegypsyterrified.com^ +||depreciateape.com^ +||depreciatelovers.com^ +||depressedchamber.com^ +||depsabsootchut.net^ +||derateissuant.top^ +||derevya2sh8ka09.com^ +||deridenowadays.com^ +||deridetapestry.com^ +||derisiveflare.com^ +||derisiveheartburnpasswords.com^ +||derivativelined.com^ +||deriveddeductionguess.com^ +||derivedrecordsstripes.com^ +||derowalius.com^ +||dersouds.com^ +||derthurnyjkomp.com^ +||desabrator.com^ +||descargarpartidosnba.com^ +||descendantdevotion.com^ +||descendentwringthou.com^ +||descentsafestvanity.com^ +||deschikoritaa.com^ +||descrepush.com^ +||described.work^ +||descriptionheels.com^ +||descriptionhoney.com^ +||descriptivetitle.pro^ +||descz.ovh^ +||desekansr.com^ +||desenteir.com^ +||desertsutilizetopless.com^ +||deserveannotationjesus.com^ +||desgolurkom.com^ +||deshelioptiletor.com^ +||deshourty.com^ +||designatejay.com^ +||designerdeclinedfrail.com^ +||designernoise.com^ +||designeropened.com^ +||designingbadlyhinder.com^ +||designingpupilintermediary.com^ +||designsrivetfoolish.com^ +||desireddelayaspirin.com^ +||desiregig.com^ +||desiremolecule.com^ +||deslatiosan.com^ +||despairrim.com^ +||desperateambient.com^ +||despicablereporthusband.com^ +||despotbenignitybluish.com^ +||dessertgermdimness.com^ +||dessly.ru^ +||destinysfavored.xyz^ +||destituteuncommon.com^ +||destroyedspear.com^ +||destructionhybrids.com^ +||desugeng.xyz^ +||desvibravaom.com^ +||detachedbates.com^ +||detachedknot.com^ +||detailedshuffleshadow.com^ +||detailexcitement.com^ +||detectedadvancevisiting.com^ +||detectivegrilled.com^ +||detectivesbaseballovertake.com^ +||detectivesexception.com^ +||detectivespreferably.com^ +||detectmus.com^ +||detectvid.com^ +||detentionquasipairs.com^ +||detentsclonks.com^ +||detergenthazardousgranddaughter.com^ +||detergentkindlyrandom.com^ +||determineapp.com^ +||determineworse.com^ +||deterrentpainscodliver.com^ +||detestgaspdowny.com^ +||detour.click^ +||deturbcordies.com^ +||devastatedshorthandpleasantly.com^ +||devcre.site^ +||developmentbulletinglorious.com^ +||developmentgoat.com^ +||devgottia.github.io^ +||deview-moryant.icu^ +||devilnonamaze.com^ +||deviseoats.com^ +||deviseundress.com^ +||devotionhesitatemarmalade.com^ +||devotionhundredth.com^ +||devoutdoubtfulsample.com^ +||devoutgrantedserenity.com^ +||devuba.xyz^ +||dewincubiatoll.com^ +||dewreseptivereseptiveought.com^ +||dexchangegenius.com^ +||dexchangeinc.com^ +||deximedia.com^ +||dexoucheekripsu.net^ +||dexplatform.com^ +||dexpredict.com^ +||deymalaise.com^ +||deziloaghop.com^ +||dfd55780d6.com^ +||dfdgfruitie.xyz^ +||dffa09cade.com^ +||dfnetwork.link^ +||dfpnative.com^ +||dfpstitial.com^ +||dfpstitialtag.com^ +||dfrgboisrpsd.com^ +||dfsdkkka.com^ +||dft9.online^ +||dfvlaoi.com^ +||dfyui8r5rs.click^ +||dfyvcihusajf.com^ +||dgafgadsgkjg.top^ +||dgkmdia.com^ +||dgmaustralia.com^ +||dgnlrpth-a.today^ +||dgpcdn.org^ +||dgptxzz.com^ +||dgqtsligihid.com^ +||dgxmvglp.com^ +||dhadbeensoattr.info^ +||dhalafbwfcv.com^ +||dharnaslaked.top^ +||dhkecbu.com^ +||dhkrftpc.xyz^ +||dhoma.xyz^ +||dhootiepawed.com^ +||dhuimjkivb.com^ +||di7stero.com^ +||diabeteprecursor.com^ +||diaenecoshed.com^ +||diagramjawlineunhappy.com^ +||diagramtermwarrant.com^ +||diagramwrangleupdate.com^ +||dialling-abutory.com^ +||dialoguemarvellouswound.com^ +||dialogueshipwreck.com^ +||diametersunglassesbranch.com^ +||dianomioffers.co.uk^ +||dibbuksnoonlit.shop^ +||dibrachndoderm.com^ +||dibsemey.com^ +||dicerchaster.top^ +||dicesstipo.com^ +||diceunacceptable.com^ +||dicheeph.com^ +||dichoabs.net^ +||diclotrans.com^ +||dicouksa.com^ +||dictatepantry.com^ +||dictatormiserablealec.com^ +||dictatorsanguine.com^ +||dictumstortil.com^ +||didspack.com^ +||diedpractitionerplug.com^ +||diedstubbornforge.com^ +||diench.com^ +||dietarydecreewilful.com^ +||dietschoolvirtually.com^ +||differencenaturalistfoam.com^ +||differenchi.pro^ +||differentevidence.com^ +||differentlydiscussed.com^ +||differfundamental.com^ +||differpurifymustard.com^ +||differsassassin.com^ +||differsprosperityprotector.com^ +||diffhobbet.click^ +||difficultyearliestclerk.com^ +||difficultyefforlessefforlessthump.com^ +||diffidentniecesflourish.com^ +||diffusedpassionquaking.com^ +||diffusionsubletunnamed.com^ +||difice-milton.com^ +||difyferukentasp.com^ +||digadser.com^ +||digestionethicalcognomen.com^ +||diggingrebbes.com^ +||digiadzone.com^ +||digital2cloud.com^ +||digitaldsp.com^ +||digitalmediapp.com^ +||dignityhourmulticultural.com^ +||dignityprop.com^ +||dignityunattractivefungus.com^ +||diguver.com^ +||digyniahuffle.com^ +||diingsinspiri.com^ +||dikeaxillas.com^ +||dikkoplida.cam^ +||dilatenine.com^ +||dilateriotcosmetic.com^ +||dilowhang.com^ +||dilruwha.net^ +||diltqdxecyicf.com^ +||dilutegulpedshirt.com^ +||dilutesnoopzap.com^ +||dimedoncywydd.com^ +||dimeearnestness.com^ +||dimeeghoo.com^ +||dimessing-parker.com^ +||dimfarlow.com^ +||dimlmhowvkrag.xyz^ +||dimmerlingowashable.com^ +||dimnaamebous.com^ +||dimnessinvokecorridor.com^ +||dimnessslick.com^ +||dimpledplan.pro^ +||dinecogitateaffections.com^ +||dinejav11.fun^ +||dinerbreathtaking.com^ +||dinerinvite.com^ +||dingerhoes.shop^ +||dinghologyden.org^ +||dingswondenthaiti.com^ +||dingytiredfollowing.com^ +||diningconsonanthope.com^ +||diningprefixmyself.com^ +||diningsovereign.com^ +||dinkeysosmetic.shop^ +||dinkiersenhora.com^ +||dinnercreekawkward.com^ +||dinomicrummies.com^ +||dinseegny.com^ +||diobolazafran.top^ +||diplnk.com^ +||diplomatomorrow.com^ +||dipodesoutane.shop^ +||dippingearlier.com^ +||dippingunstable.com^ +||diptaich.com^ +||dipusdream.com^ +||dipxmakuja.com^ +||dirdoophounu.net^ +||direct-specific.com^ +||directaclick.com^ +||directcpmfwr.com^ +||directdexchange.com^ +||directflowlink.com^ +||directleads.com^ +||directlycoldnesscomponent.com^ +||directlymilligramresponded.com^ +||directnavbt.com^ +||directorym.com^ +||directoutside.pro^ +||directrankcl.com^ +||directrev.com^ +||directtaafwr.com^ +||directtrack.com^ +||directtrck.com^ +||dirtrecurrentinapptitudeinapptitude.com^ +||dirty.games^ +||dirtyasmr.com^ +||disable-adverts.com^ +||disableadblock.com^ +||disabledincomprehensiblecitizens.com^ +||disabledmembership.com^ +||disablepovertyhers.com^ +||disadvantagenaturalistrole.com^ +||disagreeableallen.com^ +||disagreeopinionemphasize.com^ +||disappearanceinspiredscan.com^ +||disappearancetickfilth.com^ +||disappearedpuppetcovered.com^ +||disappearingassertive.com^ +||disappointally.com^ +||disappointingbeef.com^ +||disappointingupdatependulum.com^ +||disapprovalpulpdiscourteous.com^ +||disastrousdetestablegoody.com^ +||disastrousfinal.pro^ +||disbeliefenvelopemeow.com^ +||disburymixy.shop^ +||disccompose.com^ +||discernibletickpang.com^ +||dischargecompound.com^ +||dischargedcomponent.com^ +||dischargemakerfringe.com^ +||disciplecousinendorse.com^ +||disciplineagonywashing.com^ +||disciplineinspirecapricorn.com^ +||discloseapplicationtreason.com^ +||disclosestockingsprestigious.com^ +||disclosesweepraincoat.com^ +||discomantles.com^ +||disconnectthirstyron.com^ +||discontenteddiagnosefascinating.com^ +||discospiritirresponsible.com^ +||discountstickersky.com^ +||discourseoxidizingtransfer.com^ +||discoverethelwaiter.com^ +||discoverybarricaderuse.com^ +||discoveryreedpiano.com^ +||discreetchurch.com^ +||discreetmotortribe.com^ +||discretionpollclassroom.com^ +||discussedirrelevant.com^ +||discussedpliant.com^ +||discussingmaze.com^ +||disdainsneeze.com^ +||disdeinrechar.top^ +||diseaseexternal.com^ +||diseaseplaitrye.com^ +||disembarkappendix.com^ +||disfigured-survey.pro^ +||disfiguredirt.com^ +||disfiguredrough.pro^ +||disguised-dad.com^ +||disguisedgraceeveryday.com^ +||disgustassembledarctic.com^ +||disgustedawaitingcone.com^ +||dishcling.com^ +||disheartensunstroketeen.com^ +||dishesha.net^ +||dishevelledoughtshall.com^ +||dishoneststuff.pro^ +||dishonourfondness.com^ +||dishwaterconcedehearty.com^ +||disingenuousdismissed.com^ +||disingenuousmeasuredere.com^ +||disinheritbottomwealthy.com^ +||disintegratenose.com^ +||disintegrateredundancyfen.com^ +||diskaa.com^ +||dislikequality.com^ +||dismalcompassionateadherence.com^ +||dismantlepenantiterrorist.com^ +||dismantleunloadaffair.com^ +||dismastrostra.com^ +||dismaybrave.com^ +||dismaytestimony.com^ +||dismissedsmoothlydo.com^ +||dismisssalty.com^ +||dismountpoint.com^ +||dismountthreateningoutline.com^ +||disobediencecalculatormaiden.com^ +||disorderbenign.com^ +||disowp.info^ +||disparitydegenerateconstrict.com^ +||dispatchfeed.com^ +||dispensedessertbody.com^ +||dispersecottage.com^ +||disperserepeatedly.com^ +||displaceprivacydemocratic.com^ +||displaycontentnetwork.com^ +||displaycontentprofit.com^ +||displayfly.com^ +||displayformatcontent.com^ +||displayformatrevenue.com^ +||displaynetworkcontent.com^ +||displaynetworkprofit.com^ +||displayvertising.com^ +||displeasedprecariousglorify.com^ +||displeasedwetabridge.com^ +||displeasurethank.com^ +||disploot.com^ +||dispop.com^ +||disposableearnestlywrangle.com^ +||disposalsirbloodless.com^ +||disposedbeginner.com^ +||disputeretorted.com^ +||disqualifygirlcork.com^ +||disquietstumpreducing.com^ +||disquietwokesupersede.com^ +||disreputabletravelparson.com^ +||disrespectpreceding.com^ +||dissatisfactionparliament.com^ +||dissatisfactionrespiration.com^ +||dissemblebendnormally.com^ +||dissipatecombinedcolon.com^ +||dissolvedessential.com^ +||dissolvetimesuspicions.com^ +||distancefilmingamateur.com^ +||distancemedicalchristian.com^ +||distant-handle.pro^ +||distant-session.pro^ +||distantbelly.com^ +||distinctpiece.pro^ +||distinguishedshrug.com^ +||distinguishtendhypothesis.com^ +||distortunfitunacceptable.com^ +||distractedavail.com^ +||distractfragment.com^ +||distractiontradingamass.com^ +||distraughtsexy.com^ +||distressedsoultabloid.com^ +||distributionfray.com^ +||distributionland.website^ +||distributionrealmoth.com^ +||districtm.ca^ +||districtm.io^ +||distrustacidaccomplish.com^ +||distrustawhile.com^ +||distrustuldistrustulshakencavalry.com^ +||disturbancecommemorate.com^ +||dit-dit-dot.com^ +||ditceding.com^ +||ditchbillionrosebud.com^ +||ditdotsol.com^ +||ditwrite.com^ +||divedresign.com^ +||divergeimperfect.com^ +||diverhaul.com^ +||divertbywordinjustice.com^ +||divetroubledloud.com^ +||dividedkidblur.com^ +||dividedscientific.com^ +||divideinch.com^ +||dividetribute.com^ +||dividucatus.com^ +||divingshown.com^ +||divinitygasp.com^ +||divinitygoggle.com^ +||divisiondrearilyunfiled.com^ +||divisionprogeny.com^ +||divorcebelievable.com^ +||divvyprorata.com^ +||dizzyporno.com^ +||dizzyshe.pro^ +||dj-updates.com^ +||dj2550.com^ +||djadoc.com^ +||djfiln.com^ +||djghtqdbptjn.com^ +||djmqwdcwebstaxn.com^ +||djmwxpsijxxo.xyz^ +||djosbhwpnfxmx.com^ +||djrsvwtt.com^ +||dkfqrsqg.com^ +||dkrbus.com^ +||dkvhqgnyrnbxsi.com^ +||dkxrubgc.com^ +||dl-rms.com^ +||dle-news.xyz^ +||dlfvgndsdfsn.com^ +||dlgeebfbcp.com^ +||dlski.space^ +||dmavtliwh.global^ +||dmetherearlyinhes.info^ +||dmeukeuktyoue.info^ +||dmhbbivu.top^ +||dmhclkohnrpvg.com^ +||dmiredindeed.com^ +||dmiredindeed.info^ +||dmm-video.online^ +||dmphcubeiux.com^ +||dmrtx.com^ +||dmsktmld.com^ +||dmuqumodgwm.com^ +||dmvbdfblevxvx.com^ +||dmzjmp.com^ +||dn9.biz^ +||dnagwyxbi.rocks^ +||dnavexch.com^ +||dnavtbt.com^ +||dncnudcrjprotiy.xyz^ +||dnemkhkbsdbl.com^ +||dnfs24.com^ +||dntigerly.top^ +||dnvgecz.com^ +||doadacefaipti.net^ +||doaipomer.com^ +||doajauhopi.xyz^ +||doaltariaer.com^ +||doanaudabu.net^ +||doapovauma.net^ +||doappcloud.com^ +||doastaib.xyz^ +||doblazikena.com^ +||doblonsurare.shop^ +||dociblessed.com^ +||dockboulevardshoes.com^ +||dockdeity.com^ +||dockoolser.net^ +||doctorenticeflashlights.com^ +||doctorhousing.com^ +||doctorpost.net^ +||doctoryoungster.com^ +||documentaryextraction.com^ +||documentaryselfless.com^ +||dodaihoptu.xyz^ +||dodgyvertical.com^ +||dodouhoa.com^ +||doesbitesizeadvantages.com^ +||doflygonan.com^ +||dofrogadiera.com^ +||dogecalloo.com^ +||doggessasbolin.com^ +||doghasta.com^ +||dogiedimepupae.com^ +||dogolurkr.com^ +||dogprocure.com^ +||dogt.xyz^ +||dogwrite.com^ +||dokaboka.com^ +||dokondigit.quest^ +||dokseptaufa.com^ +||dolatiaschan.com^ +||dolatiosom.com^ +||dolefulcaller.com^ +||dolefulitaly.com^ +||dolehum.com^ +||dolemeasuringscratched.com^ +||doleyorpinc.website^ +||dolils.click^ +||dollarade.com^ +||dolohen.com^ +||dolphinabberantleaflet.com^ +||dolphincdn.xyz^ +||doltishapodes.shop^ +||domainanalyticsapi.com^ +||domaincntrol.com^ +||domainparkingmanager.it^ +||domakuhitaor.com^ +||dombnrs.com^ +||domccktop.com^ +||domdex.com^ +||domenictests.top^ +||domesticsomebody.com^ +||domfehu.com^ +||domicileperil.com^ +||domicilereduction.com^ +||dominaeusques.com^ +||dominantcodes.com^ +||dominatedisintegratemarinade.com^ +||dominikpers.ru^ +||domipush.com^ +||domnlk.com^ +||dompeterapp.com^ +||domslc.com^ +||domuipan.com^ +||donarycrips.com^ +||donateentrailskindly.com^ +||donationobliged.com^ +||donecperficiam.net^ +||donescaffold.com^ +||doninjaskr.com^ +||donkstar1.online^ +||donkstar2.online^ +||donmehalumnal.top^ +||donttbeevils.de^ +||doo888x.com^ +||doobaupu.xyz^ +||doodiwom.com^ +||doodlelegitimatebracelet.com^ +||doodoaru.net^ +||dooloust.net^ +||doomail.org^ +||doomcelebritystarch.com^ +||doomdoleinto.com^ +||doomedafarski.com^ +||doomedlimpmantle.com^ +||doomna.com^ +||doompuncturedearest.com^ +||doopimim.net^ +||doorbanker.com^ +||doorboyouthear.com^ +||doormantdoormantbumpyinvincible.com^ +||doostaiy.com^ +||doostozoa.net^ +||doozersunkept.com^ +||dopansearor.com^ +||dope.autos^ +||dopecurldizzy.com^ +||dopor.info^ +||doprinplupr.com^ +||doptefoumsifee.xyz^ +||doptik.ru^ +||doraikouor.com^ +||dorimnews.com^ +||dorkingvoust.com^ +||dortmark.net^ +||doruffleton.com^ +||doruffletr.com^ +||dosamurottom.com^ +||doscarredwi.org^ +||dosconsiderate.com^ +||doseadraa.com^ +||doshellosan.com^ +||dositsil.net^ +||dosliggooor.com^ +||dosneaselor.com^ +||dossmanaventre.top^ +||dotandads.com^ +||dotappendixrooms.com^ +||dotchaudou.com^ +||dotcom10.info^ +||dotdealingfilling.com^ +||dothepashandelthingwebrouhgtfromfrance.top^ +||dotranquilla.com^ +||dotsrv.com^ +||dotyruntchan.com^ +||double-check.com^ +||double.net^ +||doubleadserve.com^ +||doublemax.net^ +||doubleonclick.com^ +||doublepimp.com^ +||doublepimpssl.com^ +||doublerecall.com^ +||doubleview.online^ +||doubtcigardug.com^ +||doubtedprompts.com^ +||doubtmeasure.com^ +||doubtslutecia.com^ +||douchaiwouvo.net^ +||doucheraisiny.com^ +||douchucoam.net^ +||doufoushig.xyz^ +||dougale.com^ +||douhooke.net^ +||doukoula.com^ +||douthosh.net^ +||douwhawez.com^ +||douwotoal.com^ +||doveexperttactical.com^ +||dovictinian.com^ +||down1oads.com^ +||download-adblock-zen.com^ +||download-privacybear.com^ +||download-ready.net^ +||download4.cfd^ +||download4allfree.com^ +||downloadboutique.com^ +||downloading-addon.com^ +||downloading-extension.com^ +||downloadmobile.pro^ +||downloadyt.com^ +||downlon.com^ +||downparanoia.com^ +||downright-administration.pro^ +||downstairsnegotiatebarren.com^ +||downtransmitter.com^ +||downwardstreakchar.com^ +||dowrylatest.com^ +||doyenssudsier.click^ +||dozubatan.com^ +||dozzlegram-duj-i-280.site^ +||dpahlsm.com^ +||dpdnav.com^ +||dphwyvcmdki.com^ +||dpmsrv.com^ +||dprivatedquali.org^ +||dprtb.com^ +||dpseympatijgpaw.com^ +||dpstack.com^ +||dptwwmktgta.com^ +||dqdrsgankrum.org^ +||dqeaa.com^ +||dqgmtzo.com^ +||dqjkzrx.com^ +||dqqlwldixzxx.com^ +||dqxifbm.com^ +||dr0.biz^ +||dr22.biz^ +||dr6.biz^ +||dr7.biz^ +||drabimprovement.com^ +||drablyperms.top^ +||draftbeware.com^ +||draftedorgany.com^ +||dragdisrespectmeddling.com^ +||dragfault.com^ +||dragnag.com^ +||dralintheirbr.com^ +||dramamutual.com^ +||dramasoloist.com^ +||dranktonsil.com^ +||drapefabric.com^ +||drapingleden.com^ +||dratingmaject.com^ +||draughtpoisonous.com^ +||drawbackcaptiverusty.com^ +||drawerenter.com^ +||drawergypsyavalanche.com^ +||drawingsingmexican.com^ +||drawingwheels.com^ +||drawnperink.com^ +||drawx.xyz^ +||draystownet.com^ +||drctcldfbfwr.com^ +||drctcldfe.com^ +||drctcldfefwr.com^ +||drctcldff.com^ +||drctcldfffwr.com^ +||dreadfulprofitable.com^ +||dreadluckdecidedly.com^ +||dreambooknews.com^ +||dreamintim.net^ +||dreamnews.biz^ +||dreamsaukn.org^ +||dreamteamaffiliates.com^ +||drearypassport.com^ +||drenastheycam.com^ +||drenchsealed.com^ +||dressceaseadapt.com^ +||dresserbirth.com^ +||dresserderange.com^ +||dresserfindparlour.com^ +||dressingdedicatedmeeting.com^ +||dressmakerdecisivesuburban.com^ +||dressmakertumble.com^ +||drewitecossic.com^ +||dreyeli.info^ +||dreyntbynames.top^ +||drfaultlessplays.com^ +||dribbleads.com^ +||dribturbot.com^ +||driedanswerprotestant.com^ +||driedcollisionshrub.com^ +||drillcompensate.com^ +||drinksbookcaseconsensus.com^ +||dripe.site^ +||drivago.top^ +||drivercontinentcleave.com^ +||drivewayilluminatedconstitute.com^ +||drivewayperrydrought.com^ +||drivingfoot.website^ +||drizzlefirework.com^ +||drizzlepose.com^ +||drizzlerules.com^ +||drkness.net^ +||drleez.xyz^ +||dromoicassida.com^ +||dronediscussed.com^ +||dronetmango.com^ +||droopingfur.com^ +||dropdoneraining.com^ +||droppalpateraft.com^ +||droppingforests.com^ +||droppingprofessionmarine.com^ +||dropsclank.com^ +||drownbossy.com^ +||drpggagxsz.com^ +||drsmediaexchange.com^ +||drtlgtrnqvnr.xyz^ +||drubbersestia.com^ +||druggedforearm.com^ +||drugstoredemuretake.com^ +||druguniverseinfected.com^ +||drumfailedthy.com^ +||drummercorruptprime.com^ +||drummercrouchdelegate.com^ +||drumskilxoa.click^ +||drunkendecembermediocre.com^ +||drunkindigenouswaitress.com^ +||drxxnhks.com^ +||dryabletwine.com^ +||drybariums.shop^ +||drylnk.com^ +||ds3.biz^ +||ds7hds92.de^ +||dsadghrthysdfadwr3sdffsdaghedsa2gf.xyz^ +||dsnextgen.com^ +||dsoodbye.xyz^ +||dsp.wtf^ +||dsp5stero.com^ +||dspmega.com^ +||dspmulti.com^ +||dspultra.com^ +||dsstrk.com^ +||dstevermotori.org^ +||dstimaariraconians.info^ +||dsultra.com^ +||dsxwcas.com^ +||dt4ever.com^ +||dt51.net^ +||dtadnetwork.com^ +||dtbfpygjdxuxfbs.xyz^ +||dtheharityhild.info^ +||dthipkts.com^ +||dtmjpefzybt.fun^ +||dtmpub.com^ +||dtootmvwy.top^ +||dtprofit.com^ +||dtsan.net^ +||dtscdn.com^ +||dtscout.com^ +||dtsedge.com^ +||dtssrv.com^ +||dtx.click^ +||dtyathercockrem.com^ +||dtybyfo.com^ +||dtylhedgelnham.com^ +||dualmarket.info^ +||dualp.xyz^ +||duamilsyr.com^ +||dubdetectioniceberg.com^ +||dubdiggcofmo.com^ +||dubshub.com^ +||dubvacasept.com^ +||dubzenom.com^ +||duchough.com^ +||duckannihilatemulticultural.com^ +||duckedabusechuckled.com^ +||ducksintroduce.com^ +||ductclickjl.com^ +||ductedcestoid.top^ +||ductquest.com^ +||ducubchooa.com^ +||dudialgator.com^ +||dudleynutmeg.com^ +||dudragonitean.com^ +||duesirresponsible.com^ +||duetads.com^ +||dufflesmorinel.com^ +||dufixen.com^ +||dufoilreslate.shop^ +||duftiteenfonce.com^ +||duftoagn.com^ +||dugapiece.com^ +||duglompu.xyz^ +||dugothitachan.com^ +||dugraukeeck.net^ +||dugrurdoy.com^ +||duili-mtp.com^ +||duimspruer.life^ +||dukesubsequent.com^ +||dukingdraon.com^ +||dukirliaon.com^ +||duksomsy.com^ +||dulativergs.com^ +||duleonon.com^ +||dulillipupan.com^ +||dulladaptationcontemplate.com^ +||dullstory.pro^ +||dulojet.com^ +||dulsesglueing.com^ +||dulwajdpoqcu.com^ +||dumbpop.com^ +||dumkcuakrlka.com^ +||dummieseardrum.com^ +||dumpaudible.com^ +||dumpconfinementloaf.com^ +||dumplingclubhousecompliments.com^ +||dunderaffiliates.com^ +||dungeonisosculptor.com^ +||dunsathelia.click^ +||duo-zlhbjsld.buzz^ +||duplicateallycomics.com^ +||duplicateankle.com^ +||duplicatebecame.com^ +||duplicatepokeheavy.com^ +||dupsyduckom.com^ +||dupy-hsjctyn.icu^ +||durableordinarilyadministrator.com^ +||durantconvey.com^ +||durith.com^ +||duskinglocus.com^ +||dust-0001.delorazahnow.workers.dev^ +||dustersee.com^ +||dustourregraft.top^ +||dustratebilate.com^ +||dustywrenchdesigned.com^ +||dutorterraom.com^ +||dutydynamo.co^ +||dutygoddess.com^ +||dutythursday.com^ +||duvuerxuiw.com^ +||duwtkigcyxh.com^ +||duzbhonizsk.com^ +||duzeegotimu.net^ +||dvaminusodin.net^ +||dvbwfdwae.com^ +||dvkxchzb.com^ +||dvvemmg.com^ +||dvxrxm-cxo.top^ +||dvypar.com^ +||dvzkkug.com^ +||dwelledfaunist.shop^ +||dwellerfosset.shop^ +||dwellsew.com^ +||dwetwdstom1020.com^ +||dwfupceuqm.com^ +||dwhitdoedsrag.org^ +||dwightadjoining.com^ +||dwqjaehnk.com^ +||dwvbfnqrbif.com^ +||dwydqnclgflug.com^ +||dxmjyxksvc.com^ +||dxouwbn7o.com^ +||dxtv1.com^ +||dyerbossier.top^ +||dyhvtkijmeg.xyz^ +||dyipkcuro.rocks^ +||dylop.xyz^ +||dymoqrupovgefjq.com^ +||dynamicadx.com^ +||dynamicapl.com^ +||dynamicjsconfig.com^ +||dynamitedata.com^ +||dynamosbakongo.shop^ +||dynpaa.com^ +||dynspt.com^ +||dynsrvbaa.com^ +||dynsrvtbg.com^ +||dynsrvtyu.com^ +||dynssp.com^ +||dyptanaza.com^ +||dysenteryappeal.com^ +||dysfunctionalrecommendation.com^ +||dytabqo.com^ +||dz4ad.com^ +||dzfilkmol.com^ +||dzhjmp.com^ +||dzienkudrow.com^ +||dzigzdbqkc.com^ +||dzijggsdx.com^ +||dzinzafogdpog.com^ +||dzkpopetrf.com^ +||dzliege.com^ +||dzsopgxm.com^ +||dzsorpf.com^ +||dzubavstal.com^ +||dzuowpapvcu.com^ +||e-cougar.fr^ +||e0ad1f3ca8.com^ +||e0e5bc8f81.com^ +||e19533834e.com^ +||e1d56c0a5f.com^ +||e2bec62b64.com^ +||e2ertt.com^ +||e3202e1cad.com^ +||e437040a9a.com^ +||e59a2ad79a.com^ +||e5asyhilodice.com^ +||e67repidwnfu7gcha.com^ +||e6wwd.top^ +||e770af238b.com^ +||e7e34b16ed.com^ +||e8100325bc.com^ +||e822e00470.com^ +||e9d13e3e01.com^ +||ea011c4ae4.com^ +||eabids.com^ +||eabithecon.xyz^ +||eac0823ca94e3c07.com^ +||eacdn.com^ +||eachiv.com^ +||eaed8c304f.com^ +||eagainedameri.com^ +||eagainedamerican.org^ +||eagleapi.io^ +||eaglebout.com^ +||eaglestats.com^ +||eakelandorder.com^ +||eakelandorders.org^ +||ealeo.com^ +||eallywasnothy.com^ +||eamsanswer.com^ +||eanangelsa.info^ +||eanddescri.com^ +||eanff.com^ +||eanwhitepinafor.com^ +||eardepth-prisists.com^ +||earinglestpeoples.info^ +||earlapssmalm.com^ +||earlierdimrepresentative.com^ +||earlierindians.com^ +||earliesthuntingtransgress.com^ +||earlinessone.xyz^ +||earlyfortune.pro^ +||earnify.com^ +||earningsgrandpa.com^ +||earningstwigrider.com^ +||earphonespulse.com^ +||earplugmolka.com^ +||earringsatisfiedsplice.com^ +||earshambitty.com^ +||earthquakehomesinsulation.com^ +||eas696r.xyz^ +||easctmguafe.global^ +||easeavailandpro.info^ +||easegoes.com^ +||easeinternmaterialistic.com^ +||easelegbike.com^ +||easerefrain.com^ +||eashasvsucoc.info^ +||easierroamaccommodation.com^ +||easilygreateststuff.com^ +||eastergurgle.com^ +||eastfeukufu.info^ +||eastfeukufunde.com^ +||eastrk-dn.com^ +||eastrk-lg.com^ +||easy-dating.org^ +||easyaccess.mobi^ +||easyad.com^ +||easyads28.mobi^ +||easyads28.pro^ +||easyfag.com^ +||easyflirt-partners.biz^ +||easygoingasperitydisconnect.com^ +||easygoingseducingdinner.com^ +||easygoingtouchybribe.com^ +||easylummos.com^ +||easymrkt.com^ +||easysearch.click^ +||easysemblyjusti.info^ +||eatasesetitoefa.info^ +||eatasesetitoefany.com^ +||eaterdrewduchess.com^ +||eatmenttogeth.com^ +||eavefrom.net^ +||eavesdroplimetree.com^ +||eavesofefinegoldf.info^ +||eawp2ra7.top^ +||eazyleads.com^ +||eb36c9bf12.com^ +||ebannertraffic.com^ +||ebb174824f.com^ +||ebc998936c.com^ +||ebd.cda-hd.co^ +||ebengussaubsooh.net^ +||ebetoni.com^ +||ebigrooxoomsust.net^ +||eblastengine.com^ +||ebnarnf.com^ +||ebolat.xyz^ +||ebonizerebake.com^ +||ebooktheft.com^ +||ebqptawxdxrrdsu.xyz^ +||ebsbqexdgb.xyz^ +||ebuzzing.com^ +||ebz.io^ +||ec49775bc5.com^ +||ec7be59676.com^ +||echeegoastuk.net^ +||echefoph.net^ +||echinusandaste.com^ +||echoachy.xyz^ +||echocultdanger.com^ +||echoeshamauls.com^ +||echopixelwave.net^ +||ecipientconc.org^ +||ecityonatallcol.info^ +||eckleinlienic.click^ +||eckonturricalsbu.org^ +||eclkmpbn.com^ +||eclkmpsa.com^ +||eclqhkyjqpcv.com^ +||ecoastandhei.org^ +||econenectedith.info^ +||economyhave.com^ +||econsistentlyplea.com^ +||ecoulsou.xyz^ +||ecpms.net^ +||ecrwqu.com^ +||ecstatic-rope.pro^ +||ectsofcukorpor.com^ +||ecusemis.com^ +||ecvjrxlrql.com^ +||ecxgjqjjkpsx.com^ +||eda153603c.com^ +||edaciousedaciousflaxalso.com^ +||edaciousedacioushandkerchiefcol.com^ +||edacityedacitycorrespondence.com^ +||edacityedacityhandicraft.com^ +||edacityedacitystrawcrook.com^ +||edaightutaitlastwe.info^ +||edalloverwiththinl.info^ +||edallthroughthe.info^ +||edbehindforhewa.info^ +||edbritingsynt.info^ +||edconsideundence.org^ +||edcvsfr.org^ +||edeensiwaftaih.xyz^ +||ederrassi.com^ +||edgbas.com^ +||edgevertise.com^ +||edgychancymisuse.com^ +||ediatesuperviso.com^ +||edibleinvite.com^ +||edingrigoguter.com^ +||edioca.com^ +||edirectuklyeco.info^ +||edition25.com^ +||editionoverlookadvocate.com^ +||edixagnesag.net^ +||edlilu.com^ +||ednewsbd.com^ +||edokouksuk.net^ +||edonhisdhi.com^ +||edoumeph.com^ +||edralintheirbrights.com^ +||edrevenuedur.xyz^ +||edstevermotorie.com^ +||edthechildrenandthe.info^ +||edtheparllase.com^ +||edtotigainare.info^ +||edttmar.com^ +||edttwm.com^ +||edu-lib.com^ +||edua29146y.com^ +||educatedcoercive.com^ +||educationalapricot.com^ +||educationalroot.com^ +||educationrailway.website^ +||educedsteeped.com^ +||edutechlearners.com^ +||edvfwlacluo.com^ +||edvxygh.com^ +||edwmpt.com^ +||ee625e4b1d.com^ +||eebuksaicmirte.net^ +||eecd.xyz^ +||eecheweegru.com^ +||eechicha.com^ +||eecjrmd.com^ +||eecmaivie.com^ +||eeco.xyz^ +||eedsaung.net^ +||eefa308edc.com^ +||eegamaub.net^ +||eegeeglou.com^ +||eegheecog.net^ +||eeghooptauy.net^ +||eegnacou.com^ +||eegookiz.com^ +||eegroosoad.com^ +||eeheersoat.com^ +||eehir.tech^ +||eeht-vxywvl.club^ +||eehuzaih.com^ +||eejersenset.net^ +||eejipukaijy.net^ +||eekeeghoolsy.com^ +||eekqdetpwnlj.com^ +||eekreeng.com^ +||eekrogrameety.net^ +||eeksoabo.com^ +||eeleekso.com^ +||eelerzambo.com^ +||eelroave.xyz^ +||eemsautsoay.net^ +||eenbies.com^ +||eengange.com^ +||eengilee.xyz^ +||eepengoons.net^ +||eephaush.com^ +||eephizie.com^ +||eephoawaum.com^ +||eepsoumt.com^ +||eeptempy.xyz^ +||eeptoabs.com^ +||eeptushe.xyz^ +||eergithi.com^ +||eergortu.net^ +||eeriemediocre.com^ +||eertoamogn.net^ +||eesidesukbeingaj.com^ +||eesnfoxhh.com^ +||eespekw.com^ +||eessoong.com^ +||eessoost.net^ +||eetognauy.net^ +||eetsooso.net^ +||eewhapseepoo.net^ +||eexailti.net^ +||eeyrfrqdfey.xyz^ +||eezaurdauha.net^ +||eezavops.net^ +||eezegrip.net^ +||ef9i0f3oev47.com^ +||efanyorgagetni.info^ +||efdjelx.com^ +||efef322148.com^ +||efemsvcdjuov.com^ +||effacedefend.com^ +||effateuncrisp.com^ +||effectedscorch.com^ +||effectivecpmcontent.com^ +||effectivecpmgate.com^ +||effectivecreativeformat.com^ +||effectivecreativeformats.com^ +||effectivedisplaycontent.com^ +||effectivedisplayformat.com^ +||effectivedisplayformats.com^ +||effectivegatetocontent.com^ +||effectivemeasure.net^ +||effectiveperformancenetwork.com^ +||effectscouncilman.com^ +||effectuallylazy.com^ +||effeminatecementsold.com^ +||efficiencybate.com^ +||efindertop.com^ +||eforhedidnota.com^ +||efrnedmiralpenb.info^ +||efumesok.xyz^ +||egalitysarking.com^ +||egazedatthe.xyz^ +||egeemsob.com^ +||eggsreunitedpainful.com^ +||eglaitou.com^ +||eglipteepsoo.net^ +||egmfjmhffbarsxd.xyz^ +||egotizeoxgall.com^ +||egpdbp6e.de^ +||egraglauvoathog.com^ +||egretswamper.com^ +||egrogree.xyz^ +||egrousoawhie.com^ +||egykofo.com^ +||eh0ag0-rtbix.top^ +||ehadmethe.xyz^ +||ehgavvcqj.xyz^ +||ehokeeshex.com^ +||ehpxmsqghx.xyz^ +||ehrydnmdoe.com^ +||ehutzaug.life^ +||eibzywva.com^ +||eidoscruster.com^ +||eighteenderived.com^ +||eighteenprofit.com^ +||eightygermanywaterproof.com^ +||eiimvmchepssb.xyz^ +||eikegolehem.com^ +||eirbrightscarletcl.com^ +||eisasbeautifula.info^ +||eisasbeautifulas.com^ +||eiteribesshaints.com^ +||eitfromtheothe.org^ +||ejcet5y9ag.com^ +||ejdkqclkzq.com^ +||ejidocinct.top^ +||ejipaifaurga.com^ +||ejitmssx-rk.icu^ +||ejsgxapv.xyz^ +||ejuiashsateam.info^ +||ejuiashsateampl.info^ +||ekb-tv.ru^ +||ekgloczbsblg.com^ +||ekiswtcddpfafm.xyz^ +||ekjihosmeeeu.com^ +||ekmas.com^ +||ekwzxay.com^ +||ekxyrwvoegb.xyz^ +||eladove.com^ +||elasticad.net^ +||elasticalsdebatic.org^ +||elasticstuffyhideous.com^ +||elatedynast.com^ +||elaterconditing.info^ +||elaydark.com^ +||eldestcontribution.com^ +||eleavers.com^ +||eleazarfilasse.shop^ +||electionmmdevote.com^ +||electnext.com^ +||electosake.com^ +||electranowel.com^ +||electric-contest.pro^ +||electricalbicyclelistnonfiction.com^ +||electricalsedate.com^ +||electricalyellincreasing.com^ +||electronicauthentic.com^ +||electronicconstruct.com^ +||electronicsmissilethreaten.com^ +||elegantmassoy.shop^ +||elementary-travel.pro^ +||elementcircumscriberotten.com^ +||elentmatch.com^ +||elepocial.pro^ +||elevatedperimeter.com^ +||elewasgiwiththi.info^ +||elgnnpl-ukgs.global^ +||elhdxexnra.xyz^ +||elicaowl.com^ +||elinikrehoackou.xyz^ +||elitedistasteful.com^ +||elitistcompensationstretched.com^ +||eliwitensirg.net^ +||elizaloosebosom.com^ +||elizathings.com^ +||ellcurvth.com^ +||elliotannouncing.com^ +||ellipticaldatabase.pro^ +||eloawiphi.net^ +||elongatedmiddle.com^ +||elonreptiloid.com^ +||elooksjustlikea.info^ +||eloquentvaluation.com^ +||elpfulinotahere.com^ +||elrecognisefro.com^ +||elsewhereopticaldeer.com^ +||elugnoasargo.com^ +||elutesmerc.com^ +||eluviabattler.com^ +||elymusyomin.click^ +||emailflyfunny.com^ +||emailon.top^ +||emaxudrookrora.net^ +||emban.site^ +||embarkdisrupt.com^ +||embarrasschill.com^ +||embarrassment2.fun^ +||embassykeg.com^ +||embeamratline.top^ +||embezzlementthemselves.com^ +||embirashires.top^ +||embodygoes.com^ +||embogsoarers.com^ +||embowerdatto.com^ +||embracetrace.com^ +||embrawnseeping.top^ +||embtrk.com^ +||embwmpt.com^ +||emediate.dk^ +||emeraldhecticteapot.com^ +||emergedmassacre.com^ +||emigrantbeasts.com^ +||emigrantmovements.com^ +||eminent-hang.pro^ +||emitmagnitude.com^ +||emjpbua.com^ +||emjrwypl.xyz^ +||emkarto.fun^ +||emlifok.info^ +||emmapigeonlean.com^ +||emnucmhhyjjgoy.xyz^ +||emotot.xyz^ +||empdat.com^ +||emperorsmall.com^ +||empirecdn.io^ +||empirelayer.club^ +||empiremassacre.com^ +||empiremoney.com^ +||empirepolar.com^ +||emploejuiashsat.info^ +||employermopengland.com^ +||employindulgenceafraid.com^ +||employmentcreekgrouping.com^ +||employmentpersons.com^ +||empond.com^ +||emptieskischen.shop^ +||empusacooner.com^ +||emsservice.de^ +||emulationeveningscompel.com^ +||emulsicchacker.com^ +||emumuendaku.info^ +||emxdgt.com^ +||enactdubcompetitive.com^ +||enacttournamentcute.com^ +||enamelcourage.com^ +||enarmuokzo.com^ +||encaseauditorycolourful.com^ +||encasesmelly.com^ +||encesprincipledecl.info^ +||enchanted-stretch.pro^ +||encirclehumanityarea.com^ +||encirclesheriffemit.com^ +||enclosedsponge.com^ +||enclosedswoopbarnacle.com^ +||encloselavanga.com^ +||encodehelped.com^ +||encodeinflected.com^ +||encounterboastful.com^ +||encounterponder.com^ +||encouragedrealityirresponsible.com^ +||encouragedunrulyriddle.com^ +||encouragingpistolassemble.com^ +||encumberbiased.com^ +||encumberglowingcamera.com^ +||encumbranceunderlineheadmaster.com^ +||encyclopediacriminalleads.com^ +||endangersquarereducing.com^ +||endationforea.com^ +||endinglocksassume.com^ +||endingmedication.com^ +||endingrude.com^ +||endlessloveonline.online^ +||endlesslyalwaysbeset.com^ +||endod.site^ +||endorico.com^ +||endorsecontinuefabric.com^ +||endorsementgrasshopper.com^ +||endorsementpeacefullycuff.com^ +||endorsementpsychicwry.com^ +||endorsesmelly.com^ +||endowmentoverhangutmost.com^ +||endream.buzz^ +||endurancetransmitted.com^ +||enduresopens.com^ +||endwaysdsname.com^ +||endymehnth.info^ +||energeticdryeyebrows.com^ +||energeticprovocation.com^ +||energeticrecognisepostcard.com^ +||energypopulationpractical.com^ +||eneughghaffir.com^ +||eneverals.biz^ +||eneverseen.org^ +||engagedgoat.com^ +||engagedsmuggle.com^ +||engagefurnishedfasten.com^ +||engagementdepressingseem.com^ +||engagementpolicelick.com^ +||engdhnfrc.com^ +||enginedriverbathroomfaithfully.com^ +||enginejav182.fun^ +||engineseeker.com^ +||engraftrebite.com^ +||engravetexture.com^ +||enhanceconnection.co.in^ +||enhanceinterestinghasten.com^ +||enhclxug.xyz^ +||enherappedo.cc^ +||enigmahazesalt.com^ +||enjaaiwix.com^ +||enjehdch.xyz^ +||enjoyedsexualpromising.com^ +||enlardlunatum.com^ +||enlargementerroronerous.com^ +||enlargementwolf.com^ +||enlightencentury.com^ +||enlnks.com^ +||enmitystudent.com^ +||enodiarahnthedon.com^ +||enoneahbu.com^ +||enoneahbut.org^ +||enormous-society.pro^ +||enormouslynotary.com^ +||enormouslysubsequentlypolitics.com^ +||enot.fyi^ +||enoughglide.com^ +||enoughts.info^ +||enoughturtlecontrol.com^ +||enquirysavagely.com^ +||enrageeyesnoop.com^ +||enraptureshut.com^ +||enrichyummy.com^ +||ensignpancreasrun.com^ +||ensoattractedby.info^ +||ensosignal.com^ +||enstylegantry.shop^ +||ensuebusinessman.com^ +||ensuecoffled.shop^ +||entaildollar.com^ +||entailgossipwrap.com^ +||entangledivisionbeagle.com^ +||enteredcocktruthful.com^ +||entertaininauguratecontest.com^ +||enticeobjecteddo.com^ +||entirelyhonorary.com^ +||entitledbalcony.com^ +||entitledpleattwinkle.com^ +||entjgcr.com^ +||entlyhavebeden.com^ +||entlypleasantt.info^ +||entlypleasanttacklin.com^ +||entrailsintentionsbrace.com^ +||entreatkeyrequired.com^ +||entreatyfungusgaily.com^ +||entrecard.s3.amazonaws.com^ +||entterto.com^ +||enueduringhere.info^ +||envious-low.com^ +||enviousforegroundboldly.com^ +||enviousinevitable.com^ +||environmental3x.fun^ +||envisageasks.com^ +||envoyauthorityregularly.com^ +||envoystormy.com^ +||enx5.online^ +||enzav.xyz^ +||eofst.com^ +||eoftheappyrinc.info^ +||eogaeapolaric.com^ +||eondunpea.com^ +||eoneintheworldw.com^ +||eonsmedia.com^ +||eontappetito.com^ +||eopleshouldthink.info^ +||eoqmbnaelaxrg.com^ +||eoredi.com^ +||eosads.com^ +||eoveukrnme.info^ +||eoweridus.com^ +||eoxaxdglxecvguh.xyz^ +||epacash.com^ +||epailseptox.com^ +||epaulebeardie.com^ +||epededonemile.com^ +||epektpbbzkbig.com^ +||epersaonwhois.com^ +||epffwffubmmdokm.com^ +||ephebedori.life^ +||epheefere.net^ +||epicgameads.com^ +||epilinserts.com^ +||epipialbeheira.com^ +||epizzoacoses.com^ +||eplndhtrobl.com^ +||epnredirect.ru^ +||epochheelbiography.com^ +||epsaivuz.com^ +||epsashoofil.net^ +||epsauthoup.com^ +||epsuphoa.xyz^ +||eptougry.net^ +||epu.sh^ +||epushclick.com^ +||eputysolomon.com^ +||epvjljye.com^ +||epylliafending.com^ +||eqads.com^ +||eqdudaj.com^ +||eqrjuxvhvclqxw.xyz^ +||equabilityassortshrubs.com^ +||equabilityspirepretty.com^ +||equablequeue.com^ +||equanimitymortifyminds.com^ +||equanimitypresentimentelectronics.com^ +||equatorroom.com^ +||equides.pro^ +||equipmentapes.com^ +||equippeddetachmentabberant.com^ +||equiptmullein.top^ +||equirekeither.xyz^ +||equitydefault.com^ +||er6785sc.click^ +||era67hfo92w.com^ +||erafterabigyellow.info^ +||eralyearsfoundherto.com^ +||eramass.com^ +||eraptbiyoyj.com^ +||eraudseen.xyz^ +||eravesofefineg.info^ +||eravesofefinegoldf.com^ +||eravprvvqqc.xyz^ +||erbiscusysexbu.info^ +||ercoeteasacom.com^ +||erdeallyighab.com^ +||erdecisesgeorg.info^ +||eredthechildre.info^ +||ereerdepi.com^ +||ereflewoverthecit.info^ +||erenchinterried.pro^ +||eresultedinncre.info^ +||ergadx.com^ +||ergjohl.com^ +||ergonomicparadeupstroke.com^ +||eringosdye.com^ +||erkteplkjs.com^ +||erm5aranwt7hucs.com^ +||erniphiq.com^ +||ero-advertising.com^ +||ero-cupid.com^ +||ero-vtuber.com^ +||erofherlittleboy.com^ +||erosionyonderviolate.com^ +||erosyndc.com^ +||erovation.com^ +||erqhabrsfqxw.com^ +||errantstetrole.com^ +||errbandsillumination.com^ +||erringstartdelinquent.com^ +||errolandtessa.com^ +||errorpalpatesake.com^ +||errors.house^ +||ersgaxbmd.xyz^ +||ershniff.com^ +||ersislaqands.com^ +||ertainoutweile.org^ +||ertgthrewdownth.info^ +||ertistsldahehu.com^ +||eru5tdmbuwxm.com^ +||eruthoxup.com^ +||ervantasrelaterc.com^ +||erxdq.com^ +||erylhxttodh.xyz^ +||eryondistain.com^ +||erysilenitmanb.com^ +||esaidees.com^ +||esasaimpi.net^ +||esathyasesume.info^ +||esauphultough.net^ +||esbeginnyweakel.org^ +||esbqetmmejjtksa.xyz^ +||escalatenetwork.com^ +||escortlist.pro^ +||esculicturbans.com^ +||escy55gxubl6.com^ +||esereperigee.shop^ +||eserinemersion.shop^ +||esescvyjtqoda.xyz^ +||esfwkjsim.com^ +||eshkol.io^ +||eshkol.one^ +||eshoohasteeg.com^ +||eshouloo.net^ +||esjvrfq.com^ +||eskilhavena.info^ +||eskimi.com^ +||eslp34af.click^ +||esmystemgthro.org^ +||esnlynotquiteso.com^ +||esoussatsie.xyz^ +||especedasya.com^ +||especiallyspawn.com^ +||espionagegardenerthicket.com^ +||espionageomissionrobe.com^ +||espleestrick.com^ +||essential-trash.com^ +||essentialshookmight.com^ +||establishambient.com^ +||establishedmutiny.com^ +||estafair.com^ +||estainuptee.com^ +||estaterenderwalking.com^ +||estatestrongest.com^ +||estatueofthea.info^ +||estimatedrick.com^ +||estkewasa.com^ +||estouca.com^ +||esumedadele.info^ +||eswsentatives.info^ +||et5k413t.rest^ +||etcodes.com^ +||eteveredgove.info^ +||etflpbk.com^ +||ethaistoothi.com^ +||ethalojo.com^ +||etheappyrincea.info^ +||ethecityonata.com^ +||ethelbrimtoe.com^ +||ethelvampirecasket.com^ +||etherart.online^ +||ethicalpastime.com^ +||ethicbecamecarbonate.com^ +||ethicel.com^ +||ethichats.com^ +||ethikuma.link^ +||ethoamee.xyz^ +||ethophipek.com^ +||ethylicestops.top^ +||etingplansfo.buzz^ +||etiquettegrapesdoleful.com^ +||etm1lv06e6j6.shop^ +||etobepartouk.com^ +||etobepartoukfare.info^ +||etoexukpreses.com^ +||etothepointato.info^ +||etougais.net^ +||etphoneme.com^ +||ettilt.com^ +||etxahpe.com^ +||etymonsibycter.com^ +||etypicthawier.shop^ +||eu-soaxtatl.life^ +||eu5qwt3o.beauty^ +||euauosx.xyz^ +||euchresgryllus.com^ +||eucosiaepeiric.com^ +||eudoxia-myr.com^ +||eudstudio.com^ +||euizhltcd6ih.com^ +||eukova.com^ +||eulogiafilial.com^ +||eumarkdepot.com^ +||eunow4u.com^ +||eunpprzdlkf.online^ +||euphemyhogton.com^ +||euqamqasa.com^ +||europacash.com^ +||europe-discounts.com^ +||europefreeze.com^ +||euros4click.de^ +||eurse.com^ +||euskarawordman.shop^ +||eusvnhgypltw.life^ +||euvtoaw.com^ +||euz.net^ +||ev-dating.com^ +||evaluateuncanny.com^ +||evaluationfixedlygoat.com^ +||evaporateahead.com^ +||evaporatehorizontally.com^ +||evaporatepublicity.com^ +||evasiondemandedlearning.com^ +||eveenaiftoa.com^ +||evejartaal.com^ +||evemasoil.com^ +||evenghiougher.com^ +||eventbarricadewife.com^ +||eventfulknights.com^ +||eventsbands.com^ +||eventuallysmallestejection.com^ +||eventucker.com^ +||ever8trk.com^ +||everalmefarketin.com^ +||everdreamsofc.info^ +||evergreenfan.pro^ +||evergreentroutpitiful.com^ +||everlastinghighlight.com^ +||everydowered.com^ +||everyoneawokeparable.com^ +||everyoneglamorous.com^ +||everypilaus.com^ +||everywheresavourblouse.com^ +||evfisahy.xyz^ +||evgytklqupoi.com^ +||evidencestunundermine.com^ +||evidentoppositepea.com^ +||evivuwhoa.com^ +||evjrrljcfohkvja.xyz^ +||evoutouk.com^ +||evouxoup.com^ +||evpgztcfxc.com^ +||evrae.xyz^ +||evsw-zfdmag.one^ +||evtwkkh.com^ +||evushuco.com^ +||evwmwnd.com^ +||evzhzppj5kel.com^ +||ewaighee.xyz^ +||ewallowi.buzz^ +||ewasgilded.info^ +||ewdxisdrc.com^ +||ewerhodub.com^ +||ewesmedia.com^ +||ewhareey.com^ +||ewituhinlargeconsu.com^ +||ewnkfnsajr.com^ +||ewqkrfjkqz.com^ +||ewrgryxjaq.com^ +||ewrolidenratrigh.info^ +||ewruuqe5p8ca.com^ +||exacdn.com^ +||exactorpilers.shop^ +||exactsag.com^ +||exaltationinsufficientintentional.com^ +||exaltbelow.com^ +||exaltflatterrequested.com^ +||examensmott.top^ +||exampledumb.com^ +||examsupdatesupple.com^ +||exasperationdashed.com^ +||exasperationincorporate.com^ +||exasperationplotincarnate.com^ +||excavatorglide.com^ +||exceedinglydiscovered.com^ +||exceedinglytells.com^ +||excelfriendsdistracting.com^ +||excellenceads.com^ +||excellentafternoon.com^ +||excellentsponsor.com^ +||excellingvista.com^ +||excelrepulseclaimed.com^ +||excelwrinkletwisted.com^ +||exceptingcomesomewhat.com^ +||exceptionalharshbeast.com^ +||exceptionsmokertriad.com^ +||exceptionsoda.com^ +||excessivelybeveragebeat.com^ +||excessstumbledvisited.com^ +||exchange-traffic.com^ +||excitead.com^ +||excitementcolossalrelax.com^ +||excitementoppressive.com^ +||excitinginstitute.com^ +||excitingstory.click^ +||exclaimrefund.com^ +||exclkplat.com^ +||exclplatmain.com^ +||excretekings.com^ +||excruciationhauledarmed.com^ +||excuseparen.com^ +||excusewalkeramusing.com^ +||exdynsrv.com^ +||executeabattoir.com^ +||executionago.com^ +||executivetumult.com^ +||exemplarsensor.com^ +||exemplarychemistry.com^ +||exertionbesiege.com^ +||exgjhawccb.com^ +||exhaleveteranbasketball.com^ +||exhaustfirstlytearing.com^ +||exhaustingflames.com^ +||exhibitapology.com^ +||exhibitedpermanentstoop.com^ +||exi8ef83z9.com^ +||exilepracticableresignation.com^ +||exilesgalei.shop^ +||existenceassociationvoice.com^ +||existenceprinterfrog.com^ +||existencethrough.com^ +||existingcraziness.com^ +||exists-mazard.icu^ +||existsvolatile.com^ +||existteapotstarter.com^ +||exmvpyq.com^ +||exnesstrack.com^ +||exoads.click^ +||exobafrgdf.com^ +||exoclick.com^ +||exodsp.com^ +||exodusjailhousetarantula.com^ +||exofrwe.com^ +||exomonyf.com^ +||exoprsdds.com^ +||exosiignvye.xyz^ +||exosrv.com^ +||exoticfarmer.pro^ +||expdirclk.com^ +||expectationtragicpreview.com^ +||expectedballpaul.com^ +||expelledmotivestall.com^ +||expensivepillowwatches.com^ +||experienceabdomen.com^ +||experiencesunny.com^ +||experimentalconcerningsuck.com^ +||experimentalpersecute.com^ +||expertnifg.com^ +||expiry-renewal.click^ +||explainpompeywistful.com^ +||explodedecompose.com^ +||explodemedicine.com^ +||exploderunway.com^ +||exploitpeering.com^ +||explore-site.com^ +||explorecomparison.com^ +||explosivegleameddesigner.com^ +||expmediadirect.com^ +||expocrack.com^ +||exporder-patuility.com^ +||exportspring.com^ +||exposepresentimentunfriendly.com^ +||exposureawelessawelessladle.com^ +||expressalike.com^ +||expressingblossomjudicious.com^ +||expressjustifierlent.com^ +||expressmealdelivery.shop^ +||expressproducer.com^ +||exptlgooney.com^ +||expulsionfluffysea.com^ +||exquisitefundlocations.com^ +||exquisiteseptember.com^ +||exrtbsrv.com^ +||exrzo.love^ +||ext-jscdn.com^ +||extend.tv^ +||extendingboundsbehave.com^ +||extendprophecycontribution.com^ +||extension-ad-stopper.com^ +||extension-ad.com^ +||extension-install.com^ +||extensions-media.com^ +||extensionworthwhile.com^ +||extensivemusseldiscernible.com^ +||extentacquire.com^ +||extentbananassinger.com^ +||extenuatemusketsector.com^ +||exterminateantique.com^ +||exterminatesuitcasedefenceless.com^ +||externalfavlink.com^ +||extincttravelled.com^ +||extinguishadjustexceed.com^ +||extinguishtogethertoad.com^ +||extra33.com^ +||extractdissolve.com^ +||extracthorizontaldashing.com^ +||extractionatticpillowcase.com^ +||extractsupperpigs.com^ +||extremereach.io^ +||extremityzincyummy.com^ +||extrer.com^ +||exurbdaimiel.com^ +||exxaygm.com^ +||eyauknalyticafra.info^ +||eycameoutoft.info^ +||eyeballdisquietstronghold.com^ +||eyebrowsasperitygarret.com^ +||eyebrowscrambledlater.com^ +||eyebrowsneardual.com^ +||eyelashcatastrophe.com^ +||eyenider.com^ +||eyeota.net^ +||eyere.com^ +||eyereturn.com^ +||eyeviewads.com^ +||eyewondermedia.com^ +||eyhcervzexp.com^ +||eynol.xyz^ +||eynpauoatsdawde.com^ +||eyoxkuhco.com^ +||eyrybuiltin.shop^ +||ezaicmee.xyz^ +||ezblockerdownload.com^ +||ezcgojaamg.com^ +||ezcsceqke.tech^ +||ezexfzek.com^ +||ezidygd.com^ +||ezjhhapcoe.com^ +||ezmob.com^ +||eznoz.xyz^ +||ezpawdumczbxe.com^ +||ezsbhlpchu.com^ +||ezyenrwcmo.com^ +||f-hgwmesh.buzz^ +||f07neg4p.de^ +||f092680893.com^ +||f0eba64ba6.com^ +||f10f9df901.com^ +||f145794b22.com^ +||f14b0e6b0b.com^ +||f1617d6a6a.com^ +||f1851c0962.com^ +||f19bcc893b.com^ +||f224b87a57.com^ +||f27386cec2.com^ +||f28bb1a86f.com^ +||f2c4410d2a.com^ +||f2svgmvts.com^ +||f3010e5e7a.com^ +||f3f202565b.com^ +||f43f5a2390.com^ +||f4823894ba.com^ +||f53d954cc5.com^ +||f58x48lpn.com^ +||f59408d48d.com^ +||f5ff45b3d4.com^ +||f62b2a8ac6.com^ +||f794d2f9d9.com^ +||f8260adbf8558d6.com^ +||f83d8a9867.com^ +||f84add7c62.com^ +||f8b536a2e6.com^ +||f8be4be498.com^ +||f95nkry2nf8o.com^ +||fa77756437.com^ +||faaof.com^ +||fabricwaffleswomb.com^ +||fabriczigzagpercentage.com^ +||facesnotebook.com^ +||faciledegree.com^ +||facileravagebased.com^ +||faciliatefightpierre.com^ +||facilitatevoluntarily.com^ +||facilitycompetition.com^ +||facilityearlyimminent.com^ +||fackeyess.com^ +||factoruser.com^ +||fadegranted.com^ +||fadesunshine.com^ +||fadf617f13.com^ +||fadfussequipment.com^ +||fadingsulphur.com^ +||fadraiph.xyz^ +||fadrovoo.xyz^ +||fadsims.com^ +||fadsimz.com^ +||fadsipz.com^ +||fadskis.com^ +||fadskiz.com^ +||fadslimz.com^ +||fadszone.com^ +||fadtetbwsmk.xyz^ +||faestara.com^ +||fafmimgubcm.com^ +||faggapmunost.com^ +||faggotstagily.shop^ +||faggrim.com^ +||fagovwnavab.com^ +||fagywalu.pro^ +||failedmengodless.com^ +||failingaroused.com^ +||failpendingoppose.com^ +||failurehamburgerillicit.com^ +||failuremaistry.com^ +||failureyardjoking.com^ +||faintedtwistedlocate.com^ +||faintestlogic.com^ +||faintestmingleviolin.com^ +||faintjump.com^ +||faintstates.com^ +||faiphoawheepur.net^ +||fairauthasti.xyz^ +||faireegli.net^ +||fairfaxhousemaid.com^ +||fairnesscrashedshy.com^ +||fairnessels.com^ +||fairnessmolebedtime.com^ +||faisaphoofa.net^ +||faised.com^ +||faithaiy.com^ +||faithfullywringfriendship.com^ +||faiverty-station.com^ +||faiwastauk.com^ +||fajukc.com^ +||fakesorange.com^ +||falcatayamalka.com^ +||falkag.net^ +||falkwo.com^ +||fallenleadingthug.com^ +||fallhadintense.com^ +||falloutspecies.com^ +||falsechasingdefine.com^ +||falsifybrightly.com^ +||falsifylilac.com^ +||familiarpyromaniasloping.com^ +||familyborn.com^ +||familycomplexionardently.com^ +||famous-mall.pro^ +||famousremainedshaft.com^ +||fanciedrealizewarning.com^ +||fancydoctrinepermanently.com^ +||fancywhim.com^ +||fandelcot.com^ +||fandmo.com^ +||fangatrocious.com^ +||fangsblotinstantly.com^ +||fangsswissmeddling.com^ +||fanocaraway.shop^ +||fantasticgap.pro^ +||fanza.cc^ +||faoll.space^ +||fapmeth.com^ +||fapstered.com^ +||faptdsway.ru^ +||faqkfuxadok.com^ +||faquirrelot.com^ +||faramkaqxoh.com^ +||farceurincurve.com^ +||fardasub.xyz^ +||fareputfeablea.com^ +||farewell457.fun^ +||farfeljabots.top^ +||fargwyn.com^ +||farmedreicing.shop^ +||farmmandatehaggard.com^ +||farteniuson.com^ +||fartherpensionerassure.com^ +||fartmoda.com^ +||farwine.com^ +||fascespro.com^ +||fascinateddashboard.com^ +||fasfsv-sli.love^ +||fasgazazxvi.com^ +||fashionablegangsterexplosion.com^ +||fastapi.net^ +||fastcdn.info^ +||fastclick.net^ +||fastdld.com^ +||fastdlr.com^ +||fastdmr.com^ +||fastdntrk.com^ +||fastenchange.com^ +||fastennonsenseworm.com^ +||fastenpaganhelm.com^ +||faster-trk.com^ +||fastesteye.com^ +||fastidiousilliteratehag.com^ +||fastincognitomode.com^ +||fastlnd.com^ +||fastnativead.com^ +||fatalespedlery.com^ +||fatalityplatinumthing.com^ +||fatalityreel.com^ +||fatalshould.com^ +||fatchilli.media^ +||fatenoticemayhem.com^ +||fatheemt.com^ +||fathomcleft.com^ +||fatsosjogs.com^ +||fattierpeso.com^ +||fatzuclmihih.com^ +||faubaudunaich.net^ +||faudouglaitu.com^ +||faughold.info^ +||faugrich.info^ +||faugstat.info^ +||faukeeshie.com^ +||faukoocifaly.com^ +||fauneeptoaso.com^ +||fauphesh.com^ +||fauphoaglu.net^ +||fausamoawhisi.net^ +||fauseepetoozuk.xyz^ +||fausothaur.com^ +||favoredkuwait.top^ +||favorite-option.pro^ +||favourablerecenthazardous.com^ +||fawhotoads.net^ +||faxqaaawyb.com^ +||fazanppq.com^ +||fb-plus.com^ +||fb55957409.com^ +||fbappi.co^ +||fbcdn2.com^ +||fbgdc.com^ +||fbkzqnyyga.com^ +||fbmedia-bls.com^ +||fbmedia-ckl.com^ +||fbmedia-dhs.com^ +||fc29334d79.com^ +||fc3ppv.xyz^ +||fc7c8be451.com^ +||fc861ba414.com^ +||fcc217ae84.com^ +||fccinteractive.com^ +||fceedf7652.com^ +||fckmedate.com^ +||fcwlctdg.com^ +||fd2cd5c351.com^ +||fd39024d2a.com^ +||fd5orie8e.com^ +||fdawdnh.com^ +||fdelphaswcealifornica.com^ +||fdiirjong.com^ +||fdmmgwlcg.com^ +||fdxbilemeofrx.com^ +||fe7qygqi2p2h.com^ +||feadbe5b97.com^ +||feadrope.net^ +||fearplausible.com^ +||featbooksterile.com^ +||featurelink.com^ +||featuremedicine.com^ +||featuresthrone.com^ +||febadu.com^ +||febatigr.com^ +||februarybogus.com^ +||februarynip.com^ +||fecguzhzeia.vip^ +||fedapush.net^ +||fedassuagecompare.com^ +||federalacerbitylid.com^ +||federalcertainty.com^ +||fedot.site^ +||fedqdf.quest^ +||fedra.info^ +||fedsit.com^ +||feed-ads.com^ +||feed-xml.com^ +||feedboiling.com^ +||feedfinder23.info^ +||feedingminder.com^ +||feedisbeliefheadmaster.com^ +||feedyourheadmag.com^ +||feedyourtralala.com^ +||feefoamo.net^ +||feegozoa.com^ +||feegreep.xyz^ +||feelfereetoc.top^ +||feelingsmixed.com^ +||feelingssignedforgot.com^ +||feeloshu.com^ +||feelresolve.com^ +||feelseveryone.com^ +||feelsjet.com^ +||feetdonsub.live^ +||feethach.com^ +||feetheho.com^ +||feevaihudofu.net^ +||feevolaphie.net^ +||feewostoo.com^ +||fefoasoa.xyz^ +||feghijupvucw.com^ +||feignoccasionedmound.com^ +||feignthat.com^ +||feintelbowsburglar.com^ +||feistyhelicopter.com^ +||fejla.com^ +||feline-angle.pro^ +||felingual.com^ +||fellrummageunpleasant.com^ +||felonauditoriumdistant.com^ +||feltatchaiz.net^ +||femalesunderpantstrapes.com^ +||femefaih.com^ +||femin.online^ +||femininetextmessageseducing.com^ +||femqrjwnk.xyz^ +||femsoahe.com^ +||femsurgo.com^ +||femuriah.top^ +||fenacheaverage.com^ +||feneverybodypsychological.com^ +||fenixm.com^ +||fenloxstream.wiki^ +||fennecsenlard.shop^ +||fer2oxheou4nd.com^ +||feralopponentplum.com^ +||ferelatedmothes.com^ +||fermolo.info^ +||feroffer.com^ +||ferrycontinually.com^ +||fertilestared.com^ +||fertilisedforesee.com^ +||fertilisedsled.com^ +||fertilizerpairsuperserver.com^ +||fertilizerpokerelations.com^ +||ferventhoaxresearch.com^ +||feshekubsurvey.space^ +||fessoovy.com^ +||festtube.com^ +||fetchedhighlight.com^ +||fetidbelow.com^ +||fetidgossipleaflets.com^ +||feuageepitoke.com^ +||feudalmalletconsulate.com^ +||feudalplastic.com^ +||feuingcrche.com^ +||feverfreeman.com^ +||fevhviqave.xyz^ +||fewergkit.com^ +||fewerreteach.shop^ +||fexyop.com^ +||feyauknalyticafr.com^ +||ffbvhlc.com^ +||fffbd1538e.com^ +||ffofcetgurwrd.com^ +||ffsewzk.com^ +||fftgasxe.xyz^ +||fgbnnholonge.info^ +||fgbthrsxnlo.xyz^ +||fgeivosgjk.com^ +||fgigrmle.xyz^ +||fgk-jheepn.site^ +||fgoqnva.com^ +||fgpmxwbxnpww.xyz^ +||fh259by01r25.com^ +||fhahujwafaf.com^ +||fharfyqacn.com^ +||fhcdbufjnjcev.com^ +||fhdwtku.com^ +||fhepiqajsdap.com^ +||fhgh9sd.com^ +||fhisladyloveh.xyz^ +||fhldb.site^ +||fhsmtrnsfnt.com^ +||fhv00rxa2.com^ +||fhyazslzuaw.com^ +||fhzgeqk.com^ +||fiatgrabbed.com^ +||fibaffluencebetting.com^ +||fibberpuddingstature.com^ +||fibdistrust.com^ +||fibmaths.com^ +||fibnuxptiah.com^ +||fibrefilamentherself.com^ +||fibrehighness.com^ +||fibrilono.top^ +||fibrosecormus.shop^ +||ficinhubcap.com^ +||fickle-brush.com^ +||fickleclinic.com^ +||ficklepilotcountless.com^ +||fictionauspice.com^ +||fictionfittinglad.com^ +||ficusoid.xyz^ +||fidar.site^ +||fiddleweaselloom.com^ +||fidelity-media.com^ +||fidelitybarge.com^ +||fieldparishskip.com^ +||fieldyatomic.com^ +||fiendpreyencircle.com^ +||fieryinjure.com^ +||fierymint.com^ +||fierysolemncow.com^ +||fieslobwg.com^ +||fightingleatherconspicuous.com^ +||fightmallowfiasco.com^ +||fightsedatetyre.com^ +||figuredcounteractworrying.com^ +||fiigtxpejme.com^ +||fiinann.com^ +||fiinnancesur.com^ +||fijbyiwn.com^ +||fijekone.com^ +||fikedaquabib.com^ +||filashouphem.com^ +||filasofighit.com^ +||filasseseeder.com^ +||filerocket.link^ +||filese.me^ +||filetarget.com^ +||filetarget.net^ +||filhibohwowm.com^ +||fillingcater.com^ +||fillingimpregnable.com^ +||filmesonlinegratis.com^ +||filternannewspaper.com^ +||filtertopplescream.com^ +||filthnair.click^ +||filthybudget.com^ +||filthysignpod.com^ +||fimserve.com^ +||fin.ovh^ +||finafnhara.com^ +||finalice.net^ +||finance-hot-news.com^ +||finanvideos.com^ +||finchoiluntainted.com^ +||findanonymous.com^ +||findbetterresults.com^ +||finder2024.com^ +||findingattending.com^ +||findingexchange.com^ +||findromanticdates.com^ +||findsjoyous.com^ +||findslofty.com^ +||findsrecollection.com^ +||fine-click.pro^ +||fine-wealth.pro^ +||finedintersection.com^ +||finednothue.com^ +||fineest-accession.life^ +||fineporno.com^ +||finessesherry.com^ +||fingahvf.top^ +||fingernaildevastated.com^ +||fingerprevious.com^ +||fingerprintoysters.com^ +||finisheddaysflamboyant.com^ +||finized.co^ +||finkyepbows.com^ +||finmarkgaposis.com^ +||finnan2you.com^ +||finnan2you.net^ +||finnan2you.org^ +||finnnann.com^ +||finreporter.net^ +||finsoogn.xyz^ +||fiorenetwork.com^ +||fipopashis.net^ +||fipzammizac.com^ +||firaapp.com^ +||firdoagh.net^ +||firearminvoluntary.com^ +||firelnk.com^ +||fireplaceroundabout.com^ +||firesinfamous.com^ +||firewoodpeerlessuphill.com^ +||fireworkraycompared.com^ +||fireworksane.com^ +||fireworksjowrote.com^ +||firkedpace.life^ +||firmhurrieddetrimental.com^ +||firmmaintenance.com^ +||first-rate.com^ +||firstlightera.com^ +||firstlyfirstpompey.com^ +||firtaips.com^ +||firtorent-yult-i-274.site^ +||fishermanplacingthrough.com^ +||fishermanslush.com^ +||fishesparkas.shop^ +||fishingstuddy.com^ +||fishingtouching.com^ +||fishmangyral.com^ +||fishybackgroundmarried.com^ +||fishyshortdeed.com^ +||fistdoggie.com^ +||fistevasionjoint.com^ +||fistofzeus.com^ +||fistsurprising.com^ +||fistulewiretap.shop^ +||fitcenterz.com^ +||fitfuldemolitionbilliards.com^ +||fitsazx.xyz^ +||fitsjamescommunicated.com^ +||fitssheashasvs.info^ +||fitthings.info^ +||fittitfucose.com^ +||fivetrafficroads.com^ +||fivulsou.xyz^ +||fiwhibse.com^ +||fixdynamics.info^ +||fixed-complex.pro^ +||fixedencampment.com^ +||fixespreoccupation.com^ +||fixpass.net^ +||fizawhwpyda.com^ +||fizzysquirtbikes.com^ +||fjaqxtszakk.com^ +||fjojdlcz.com^ +||fkbkun.com^ +||fkbwtoopwg.com^ +||fkcubmmpn.xyz^ +||fkllodaa.com^ +||fkodq.com^ +||fksnk.com^ +||fkwkzlb.com^ +||flabbygrindproceeding.com^ +||flabbyyolkinfection.com^ +||flagads.net^ +||flagmantensity.com^ +||flairadscpc.com^ +||flakesaridphysical.com^ +||flakeschopped.com^ +||flamebeard.top^ +||flaminglamesuitable.com^ +||flamtyr.com^ +||flannelbeforehand.com^ +||flanneldatedly.com^ +||flannellegendary.com^ +||flapsoonerpester.com^ +||flarby.com^ +||flashb.id^ +||flashingmeansfond.com^ +||flashingnicer.com^ +||flashingnumberpeephole.com^ +||flashlightstypewriterparquet.com^ +||flashnetic.com^ +||flatepicbats.com^ +||flatsrice.com^ +||flatteringscanty.com^ +||flatwaremeeting.com^ +||flaw.cloud^ +||flawerosion.com^ +||flaweyesight.com^ +||flawgrandparentsmysterious.com^ +||flaxconfession.com^ +||flaxdescale.com^ +||flaxierfilmset.com^ +||flcrcyj.com^ +||fldes6fq.de^ +||fleaderned.com^ +||fleahat.com^ +||fleckfound.com^ +||fleenaive.com^ +||fleetenreplevy.com^ +||fleetingretiredsafe.com^ +||fleetingtrustworthydreams.com^ +||fleraprt.com^ +||flewroundandro.info^ +||flexcheekadversity.com^ +||flexlinks.com^ +||flickerbridge.com^ +||flickerworlds.com^ +||fliedridgin.com^ +||fliffusparaph.com^ +||flimsymarch.pro^ +||flinchasksmain.com^ +||flipool.com^ +||flippantguilt.com^ +||flirtatiousconsultyoung.com^ +||flirtclickmatches.life^ +||flirtfusiontoys.toys^ +||flitespashka.top^ +||flixdot.com^ +||flixtrial.com^ +||floatingbile.com^ +||floatingdrake.com^ +||floccischlump.com^ +||flockexecute.com^ +||flockinjim.com^ +||flogpointythirteen.com^ +||floitcarites.com^ +||floodingonion.com^ +||floorednightclubquoted.com^ +||flopaugustserpent.com^ +||flopexemplaratlas.com^ +||floralrichardapprentice.com^ +||floraopinionsome.com^ +||floristgathering.com^ +||floroonwhun.com^ +||flossdiversebates.com^ +||flounderhomemade.com^ +||flounderpillowspooky.com^ +||flourishbriefing.com^ +||flourishinghardwareinhibit.com^ +||flousecuprate.top^ +||flower1266.fun^ +||flowerbooklet.com^ +||flowerdicks.com^ +||flowitchdoctrine.com^ +||flowln.com^ +||flowsearch.info^ +||flowwiththetide.xyz^ +||flrdra.com^ +||fluencydepressing.com^ +||fluencyinhabited.com^ +||fluese.com^ +||fluffychair.pro^ +||fluffytracing.com^ +||fluid-company.pro^ +||fluidallobar.com^ +||fluidintolerablespectacular.com^ +||fluingdulotic.com^ +||flukepopped.com^ +||flungsnibble.com^ +||fluoricfatback.com^ +||fluqualificationlarge.com^ +||flurrylimmu.com^ +||flushconventional.com^ +||flushedheartedcollect.com^ +||flushoriginring.com^ +||flusoprano.com^ +||fluxads.com^ +||flyads1.com^ +||flyerseafood.com^ +||flyerveilconnected.com^ +||flyingadvert.com^ +||flyingperilous.com^ +||flyingsquirellsmooch.com^ +||flylikeaguy.com^ +||flymob.com^ +||flytechb.com^ +||flytonearstation.com^ +||fmapiosb.xyz^ +||fmbyqmu.com^ +||fmhyysk.com^ +||fmoezqerkepc.com^ +||fmpub.net^ +||fmsads.com^ +||fmstigat.online^ +||fmtwonvied.com^ +||fmv9kweoe06r.com^ +||fmversing.shop^ +||fnaycb.com^ +||fnbauniukvi.com^ +||fnelqqh.com^ +||fnlojkpbe.com^ +||fnyaynma.com^ +||fnzuymy.com^ +||foaglaid.xyz^ +||foagrucheedauza.net^ +||foakiwhazoja.com^ +||foaloocasho.net^ +||foalwoollenwolves.com^ +||foamingemda.top^ +||foapsovi.net^ +||foasowut.xyz^ +||focalex.com^ +||focusedserversgloomy.com^ +||focusedunethicalerring.com^ +||focwcuj.com^ +||fodsoack.com^ +||foemanearbash.com^ +||foerpo.com^ +||foflib.org^ +||fogeydawties.com^ +||foggydefy.com^ +||foggytube.com^ +||foghug.site^ +||fogsham.com^ +||fogvnoq.com^ +||foheltou.com^ +||fohikrs.com^ +||foiblespesage.shop^ +||folbwkw.com^ +||foldedaddress.com^ +||foldedprevent.com^ +||foldinginstallation.com^ +||foliumumu.com^ +||followeraggregationtraumatize.com^ +||followjav182.fun^ +||follyeffacegrieve.com^ +||folseghvethecit.com^ +||fomalhautgacrux.com^ +||fondfelonybowl.com^ +||fondlescany.top^ +||fondnessverge.com^ +||fondueoutwish.top^ +||fonsaigotoaftuy.net^ +||fontdeterminer.com^ +||foodieblogroll.com^ +||foogloufoopoog.net^ +||fooguthauque.net^ +||foojeshoops.xyz^ +||foolishcounty.pro^ +||foolishjunction.com^ +||foolishyours.com^ +||foolproofanatomy.com^ +||foomaque.net^ +||fooptoat.com^ +||foorcdn.com^ +||foostoug.com^ +||footar.com^ +||footcomefully.com^ +||foothoaglous.com^ +||foothoupaufa.com^ +||footnote.com^ +||footprintsfurnish.com^ +||footprintssoda.com^ +||footprintstopic.com^ +||footstepnoneappetite.com^ +||foozoujeewhy.net^ +||fopteefteex.com^ +||foptoovie.com^ +||forads.pro^ +||foramoongussor.com^ +||foranetter.com^ +||forarchenchan.com^ +||forasmum.live^ +||foraxewan.com^ +||forazelftor.com^ +||forbareditolyl.top^ +||forbeautiflyr.com^ +||forbeginnerbedside.com^ +||forbidcrenels.com^ +||forcedbedmagnificent.com^ +||forceddenial.com^ +||forcelessgreetingbust.com^ +||forcetwice.com^ +||forciblelad.com^ +||forciblepolicyinner.com^ +||forcingclinch.com^ +||forearmdiscomfort.com^ +||forearmsickledeliberate.com^ +||forearmthrobjanuary.com^ +||forebypageant.com^ +||foreelementarydome.com^ +||foreflucertainty.com^ +||foregroundhelpingcommissioner.com^ +||foreignassertive.com^ +||foreignerdarted.com^ +||foreignmistakecurrent.com^ +||forensiccharging.com^ +||forensicssociety.com^ +||forenteion.com^ +||foreseegigglepartially.com^ +||forestallbladdermajestic.com^ +||forestallunconscious.com^ +||forexclub.ru^ +||forfeitsubscribe.com^ +||forflygonom.com^ +||forfrogadiertor.com^ +||forgetinnumerablelag.com^ +||forgivenesscourtesy.com^ +||forgivenessdeportdearly.com^ +||forgivenesspeltanalyse.com^ +||forhavingartistic.info^ +||forklacy.com^ +||forlumineoner.com^ +||forlumineontor.com^ +||formalitydetached.com^ +||formarshtompchan.com^ +||formatinfo.top^ +||formationunavoidableenvisage.com^ +||formationwallet.com^ +||formatresourcefulresolved.com^ +||formatstock.com^ +||formedwrapped.com^ +||formerdisagreepectoral.com^ +||formerdrearybiopsy.com^ +||formerlyhorribly.com^ +||formerlyparsleysuccess.com^ +||formidableprovidingdisguised.com^ +||formidablestems.com^ +||formilenter.space^ +||formingclayease.com^ +||formismagiustor.com^ +||formsassistanceclassy.com^ +||formteddy.com^ +||formulacountess.com^ +||formulamuseconnected.com^ +||formyasemia.shop^ +||fornaxmetered.com^ +||forooqso.tv^ +||forprimeapeon.com^ +||forsawka.com^ +||forseisemelo.top^ +||forsphealan.com^ +||fortaillowon.com^ +||fortcratesubsequently.com^ +||forthdestiny.com^ +||forthdigestive.com^ +||forthnorriscombustible.com^ +||forthright-car.pro^ +||fortitudeare.com^ +||fortorterrar.com^ +||fortpavilioncamomile.com^ +||fortpush.com^ +||fortunateconvenientlyoverdone.com^ +||fortyflattenrosebud.com^ +||fortyphlosiona.com^ +||forumboiling.com^ +||forumpatronage.com^ +||forumtendency.com^ +||forunfezanttor.com^ +||forwardkonradsincerely.com^ +||forwhimsicottan.com^ +||forworksyconus.com^ +||forwrdnow.com^ +||foryanmachan.com^ +||forzubatr.com^ +||fosiecajeta.com^ +||fossensy.net^ +||fossilconstantly.com^ +||fotoompi.com^ +||fotsaulr.net^ +||fouderezaifi.net^ +||foughtdiamond.com^ +||fouguesteenie.com^ +||fouleewu.net^ +||foulfurnished.com^ +||foundationhemispherebossy.com^ +||foundationhorny.com^ +||foupeestokiy.net^ +||foupeethaija.com^ +||fourteenthcongratulate.com^ +||fouwheepoh.com^ +||fouwiphy.net^ +||fovdvoz.com^ +||fowlerexplore.com^ +||foxpush.io^ +||fozoothezou.com^ +||fpadserver.com^ +||fpgedsewst.com^ +||fpnpmcdn.net^ +||fpukxcinlf.com^ +||fqhnnknhufocejx.com^ +||fqirjff.com^ +||fqqcfpka-ui.top^ +||fqrwtrkgbun.com^ +||fqtadpehoqx.com^ +||fqtjp.one^ +||fquyv.one^ +||fractionfridgejudiciary.com^ +||fraer.cloud^ +||frailfederaldemeanour.com^ +||framentyder.pro^ +||frameworkdeserve.com^ +||frameworkjaw.com^ +||framingmanoeuvre.com^ +||francoistsjacqu.info^ +||franecki.net^ +||franeski.net^ +||franticimpenetrableflourishing.com^ +||frap.site^ +||fratchyaeolist.com^ +||fraudulentintrusive.com^ +||frayed-common.pro^ +||frayforms.com^ +||frdjs-2.co^ +||freakishmartyr.com^ +||freakperjurylanentablelanentable.com^ +||frecklessfrecklesscommercialeighth.com^ +||fredmoresco.com^ +||free-datings.com^ +||free-domain.net^ +||freebiesurveys.com^ +||freeconverter.io^ +||freecounter.ovh^ +||freecounterstat.ovh^ +||freedatinghookup.com^ +||freeearthy.com^ +||freefrog.site^ +||freefromads.com^ +||freefromads.pro^ +||freelancebeheld.com^ +||freelancepicketpeople.com^ +||freelancerarity.com^ +||freepopnews.skin^ +||freesoftwarelive.com^ +||freestar.io^ +||freetrckr.com^ +||freezedispense.com^ +||freezereraserelated.com^ +||freezescrackly.com^ +||freezyquieten.com^ +||fregtrsatnt.com^ +||freiodablazer.com^ +||frenchequal.pro^ +||frencheruptionshelter.com^ +||frenchhypotheticallysubquery.com^ +||frenghiacred.com^ +||frequencyadvocateadding.com^ +||frequentagentlicense.com^ +||frequentbarrenparenting.com^ +||frequentimpatient.com^ +||fresh8.co^ +||freshannouncement.com^ +||freshpops.net^ +||frettedmalta.top^ +||frezahkthnz.com^ +||frfetchme.com^ +||frfsjjtis.com^ +||fri4esianewheywr90itrage.com^ +||frictionliteral.com^ +||frictionterritoryvacancy.com^ +||fridayaffectionately.com^ +||fridayarched.com^ +||fridaypatnod.com^ +||fridaywake.com^ +||fridgejakepreposition.com^ +||friedretrieve.com^ +||friendshipconcerning.com^ +||friendshipposterity.com^ +||friendsoulscombination.com^ +||frigatemirid.com^ +||frighten3452.fun^ +||fringecompetenceranger.com^ +||fringeforkgrade.com^ +||fringesdurocs.com^ +||friskthimbleliver.com^ +||fristminyas.com^ +||frivolous-copy.pro^ +||frizzannoyance.com^ +||frocogue.store^ +||frolnk.com^ +||fromjoytohappiness.com^ +||fromoffspringcaliber.com^ +||frompilis.com^ +||frontcognizance.com^ +||fronthlpr.com^ +||frookshop-winsive.com^ +||froseizedorganization.com^ +||frostplacard.com^ +||frostscanty.com^ +||frostyonce.com^ +||frothadditions.com^ +||frowzeveronal.com^ +||frowzlynecklet.top^ +||frpa-vpdpwc.icu^ +||frstlead.com^ +||frtya.com^ +||frtyd.com^ +||frtyl.com^ +||frugalrevenge.com^ +||frugalseck.com^ +||fruitfullocksmith.com^ +||fruitfulthinnersuspicion.com^ +||fruitlesshooraytheirs.com^ +||fruitnotability.com^ +||frustrationtrek.com^ +||frutwafiwah.com^ +||fryawlauk.com^ +||fsalfrwdr.com^ +||fsccafstr.com^ +||fsltwwmfxqh.fun^ +||fsseeewzz.lol^ +||fsseeewzz.quest^ +||fstsrv1.com^ +||fstsrv13.com^ +||fstsrv16.com^ +||fstsrv2.com^ +||fstsrv3.com^ +||fstsrv4.com^ +||fstsrv5.com^ +||fstsrv8.com^ +||fstsrv9.com^ +||fsznjdg.com^ +||ftajryaltna.com^ +||ftblltrck.com^ +||ftd.agency^ +||ftheusysianeduk.com^ +||ftjcfx.com^ +||ftmcofsmfoebui.xyz^ +||ftmeahbqbemwx.com^ +||ftslrfl.com^ +||ftte.fun^ +||ftte.xyz^ +||ftv-publicite.fr^ +||fualujqbhqyn.xyz^ +||fubsoughaigo.net^ +||fucategallied.com^ +||fuckmehd.pro^ +||fuckthat.xyz^ +||fucmoadsoako.com^ +||fudukrujoa.com^ +||fuelpearls.com^ +||fugcgfilma.com^ +||fugitiveautomaticallybottled.com^ +||fuhbimbkoz.com^ +||fukpapsumvib.com^ +||fuksaighetchy.net^ +||fulbe-whs.com^ +||fulfilleddetrimentpot.com^ +||fulhamscaboose.website^ +||fulheaddedfea.com^ +||fulltraffic.net^ +||fullylustreenjoyed.com^ +||fulvideozrt.click^ +||fulylydevelopeds.com^ +||fumeuprising.com^ +||fumtartujilse.net^ +||funappgames.com^ +||funbestgetjoobsli.org^ +||funcats.info^ +||functionsreturn.com^ +||fundatingquest.fun^ +||fundingexceptingarraignment.com^ +||fungiaoutfame.com^ +||fungus.online^ +||funjoobpolicester.info^ +||funklicks.com^ +||funnelgloveaffable.com^ +||funneltourdreams.com^ +||funnysack.com^ +||funsoups.com^ +||funtoday.info^ +||funufc.fun^ +||funyarewesbegi.com^ +||fupembtsdkx.com^ +||fuphekaur.net^ +||furlsstealbilk.com^ +||furnacecubbuoyancy.com^ +||furnishedrely.com^ +||furnishsmackfoolish.com^ +||furnitureapplicationberth.com^ +||furorshahdon.com^ +||furstraitsbrowse.com^ +||furtheradmittedsickness.com^ +||furtherbasketballoverwhelming.com^ +||furzetshi.com^ +||fuse-cloud.com^ +||fuseplatform.net^ +||fusilpiglike.com^ +||fusionads.net^ +||fusoidactuate.com^ +||fusrv.com^ +||fussy-highway.pro^ +||fussysandwich.pro^ +||futilepreposterous.com^ +||futseerdoa.com^ +||future-hawk-content.co.uk^ +||futureads.io^ +||futureus.com^ +||fuxcmbo.com^ +||fuywsmvxhtg.com^ +||fuzakumpaks.com^ +||fuzzydinnerbedtime.com^ +||fuzzyincline.com^ +||fuzzyvisuals.com^ +||fv-bpmnrzkv.vip^ +||fvckeip.com^ +||fvcwqkkqmuv.com^ +||fvgxfupisy.com^ +||fvmiafwauhy.fun^ +||fvohyywkbc.com^ +||fwbejnuplyuxufm.xyz^ +||fwbntw.com^ +||fwealjdmeptu.com^ +||fwmrm.net^ +||fwqmwyuokcyvom.xyz^ +||fwtrck.com^ +||fxdepo.com^ +||fxdmnmsna.space^ +||fxjpbpxvfofa.com^ +||fxmnba.com^ +||fxmvxhwcusaq.com^ +||fxpqcygxjib.com^ +||fxrbsadtui.com^ +||fxsvifnkts.com^ +||fyblppngxdt.com^ +||fydapcrujhguy.xyz^ +||fyglovilo.pro^ +||fylkerooecium.click^ +||fynox.xyz^ +||fyresumefo.com^ +||fzamtef.com^ +||fzcbgedizbt.click^ +||fzivunnigra.com^ +||fzmflvwn.tech^ +||fzrdxsgdnibnus.com^ +||fzszuvb.com^ +||g-xtqrgag.rocks^ +||g0-g3t-msg.com^ +||g0-g3t-msg.net^ +||g0-g3t-som3.com^ +||g0-get-msg.net^ +||g0-get-s0me.net^ +||g0gr67p.de^ +||g0wow.net^ +||g2afse.com^ +||g33ktr4ck.com^ +||g33tr4c3r.com^ +||g5rkmcc9f.com^ +||g8tor.com^ +||ga-ads.com^ +||gabblecongestionhelpful.com^ +||gabblewhining.com^ +||gabledsamba.com^ +||gabsailr.com^ +||gacoufti.com^ +||gadsabs.com^ +||gadsatz.com^ +||gadskis.com^ +||gadslimz.com^ +||gadspms.com^ +||gadspmz.com^ +||gadssystems.com^ +||gaelsdaniele.website^ +||gafmajosxog.com^ +||gagdungeon.com^ +||gagebonus.com^ +||gagheroinintact.com^ +||gaghygienetheir.com^ +||gagxsbnbu.xyz^ +||gaibjhicxrkng.xyz^ +||gaietyexhalerucksack.com^ +||gaijiglo.net^ +||gaimauroogrou.net^ +||gaimoupy.net^ +||gainingpartyyoga.com^ +||gaiphaud.xyz^ +||gaipochipsefoud.net^ +||gaireegroahy.net^ +||gaishaisteth.com^ +||gaisteem.net^ +||gaitcubicle.com^ +||gaitoath.com^ +||gaizoopi.net^ +||gajoytoworkwith.com^ +||gakairohekoa.com^ +||gakrarsabamt.net^ +||galaxydiminution.com^ +||galaxypush.com^ +||galeaeevovae.com^ +||galepush.net^ +||gallicize25.fun^ +||gallonjav128.fun^ +||galloonzarf.shop^ +||gallopextensive.com^ +||gallopsalmon.com^ +||gallupcommend.com^ +||galootsmulcted.shop^ +||galopelikeantelope.com^ +||galotop1.com^ +||galvanize26.fun^ +||gam3ah.com^ +||gamadsnews.com^ +||gamadspro.com^ +||gambar123.com^ +||gameads.io^ +||gamersad.com^ +||gamersshield.com^ +||gamersterritory.com^ +||gamescarousel.com^ +||gamescdnfor.com^ +||gamesims.ru^ +||gamesrevenue.com^ +||gamesyour.com^ +||gaming-adult.com^ +||gamingadlt.com^ +||gamingonline.top^ +||gammamkt.com^ +||gammaplatform.com^ +||gammradiation.space^ +||gamonalsmadevel.com^ +||ganalyticshub.net^ +||gandmotivat.info^ +||gandmotivatin.info^ +||gandrad.org^ +||ganehangmen.com^ +||gangsterpracticallymist.com^ +||gangsterstillcollective.com^ +||ganismpro.com^ +||gannetsmechant.com^ +||gannett.gcion.com^ +||gapchanging.com^ +||gapersinglesa.com^ +||gapgrewarea.com^ +||gapperlambale.shop^ +||gapsiheecain.net^ +||gaptooju.net^ +||gaqscipubhi.com^ +||gaquxe8.site^ +||garbagebanquetintercept.com^ +||garbagereef.com^ +||garbanzos24.fun^ +||gardenbilliontraced.com^ +||gardeningseparatedudley.com^ +||gardoult.com^ +||gargantuan-menu.pro^ +||garlandprotectedashtray.com^ +||garlandshark.com^ +||garlicice.store^ +||garmentfootage.com^ +||garmentsgovernmentcloset.com^ +||garnishpoints.com^ +||garnishwas.com^ +||garosesia.com^ +||garotas.info^ +||garotedwhiff.top^ +||garrafaoutsins.top^ +||garretassociate.com^ +||garretdistort.com^ +||garrisonparttimemount.com^ +||garsleviter.shop^ +||gartaurdeeworsi.net^ +||gaskinneepour.com^ +||gasolinefax.com^ +||gasolinerent.com^ +||gaspedtowelpitfall.com^ +||gateimmenselyprolific.com^ +||gatejav12.fun^ +||gatetocontent.com^ +||gatetodisplaycontent.com^ +||gatetotrustednetwork.com^ +||gatherjames.com^ +||gatsbybooger.shop^ +||gaudoaphuh.net^ +||gaudymercy.com^ +||gaufoosa.xyz^ +||gaujagluzi.xyz^ +||gaujephi.xyz^ +||gaujokop.com^ +||gaukeezeewha.net^ +||gaulshiite.life^ +||gaunchdelimes.com^ +||gauntletjanitorjail.com^ +||gauntletslacken.com^ +||gaupaufi.net^ +||gaupsaur.xyz^ +||gaushaih.xyz^ +||gaustele.xyz^ +||gauvaiho.net^ +||gauwanouzeebota.net^ +||gauwoocoasik.com^ +||gauzedecoratedcomplimentary.com^ +||gauzeglutton.com^ +||gavearsonistclever.com^ +||gayadpros.com^ +||gaytwddahpave.com^ +||gazati.com^ +||gazpachos28.fun^ +||gazumpers27.fun^ +||gazumping30.fun^ +||gb1aff.com^ +||gbbdkrkvn.xyz^ +||gbengene.com^ +||gbfys.global^ +||gblcdn.com^ +||gbpkmltxpcsj.xyz +||gbztputcfgp.com^ +||gcpusibqpnulkg.com^ +||gcvir.xyz^ +||gcybnvhleaebkp.com^ +||gdasaasnt.com^ +||gdbtlmsihonev.xyz^ +||gdecording.info^ +||gdecordingholo.info^ +||gdktgkjfyvd.xyz^ +||gdlxtjk.com^ +||gdmconvtrck.com^ +||gdmdigital.com^ +||gdmgsecure.com^ +||gdrcaguddyj.space^ +||geargrope.com^ +||gecdwmkee.com^ +||geckad.com^ +||geckibou.com^ +||gecksnabbie.shop^ +||gecl.xyz^ +||geechaid.xyz^ +||geedoovu.net^ +||geegleshoaph.com^ +||geejetag.com^ +||geejushoaboustu.net^ +||geephenuw.com^ +||geeptaunip.net^ +||geerairu.net^ +||geetacog.xyz^ +||geethaihoa.com^ +||geethaiw.xyz^ +||geethoap.com^ +||geewedurisou.net^ +||geiybze.com^ +||gejusherstertithap.info^ +||gekeebsirs.com^ +||gelatineabstainads.com^ +||gelatinelighter.com^ +||gelescu.cloud^ +||gelhp.com^ +||gemaricspieled.com^ +||gemfowls.com^ +||gen-ref.com^ +||genbalar.com^ +||generalizebusinessman.com^ +||generallyrefinelollipop.com^ +||genericlink.com^ +||generosityfrozecosmic.com^ +||generousclickmillennium.com^ +||generousfilming.com^ +||genesismedia.com^ +||geneticesteemreasonable.com^ +||genfpm.com^ +||geniad.net^ +||genieedmp.com^ +||genieessp.com^ +||genishury.pro^ +||geniusbanners.com^ +||geniusdexchange.com^ +||geniusonclick.com^ +||gensonal.com^ +||gentle-report.com^ +||geoaddicted.net^ +||geodaljoyless.com^ +||geodator.com^ +||geogenyveered.com^ +||geometryworstaugust.com^ +||geompzr.com^ +||geotrkclknow.com^ +||geraflows.com^ +||germainnappy.click^ +||germanize24.fun^ +||germinatewishesholder.com^ +||germmasonportfolio.com^ +||germyrefeign.com^ +||gersutsaix.net^ +||geruksom.net^ +||gesanbarrat.com^ +||geslinginst.shop^ +||gessiptoab.net^ +||get-gx.net^ +||get-here-click.xyz^ +||get-me-wow. +||get-partner.life^ +||getadx.com^ +||getadzuki.com^ +||getalltraffic.com^ +||getarrectlive.com^ +||getbiggainsurvey.top^ +||getbrowbeatgroup.com^ +||getconatyclub.com^ +||getgx.net^ +||getjad.io^ +||getmatchedlocally.com^ +||getmetheplayers.click^ +||getnee.com^ +||getnewsfirst.com^ +||getnomadtblog.com^ +||getnotix.co^ +||getoptad360.com^ +||getoverenergy.com^ +||getpopunder.com^ +||getrunbestlovemy.info^ +||getrunkhomuto.info^ +||getrunmeellso.com^ +||getrunsirngflgpologey.com^ +||getscriptjs.com^ +||getsharedstore.com^ +||getsmartyapp.com^ +||getsozoaque.xyz^ +||getsthis.com^ +||getsurv4you.org^ +||getter.cfd^ +||gettine.com^ +||gettingcleaveassure.com^ +||gettingtoe.com^ +||gettjohytn.com^ +||gettraffnews.com^ +||gettrf.org^ +||getvideoz.click^ +||getxml.org^ +||getxmlisi.com^ +||getyourbitco.in^ +||getyoursoft.ru^ +||gevmrjok.com^ +||gforanythingam.com^ +||gfsdloocn.com^ +||gfstrck.com^ +||gfufutakba.com^ +||gfunwoakvgwo.com^ +||gfwvrltf.xyz^ +||gfxdn.pics^ +||gfxetkgqti.xyz^ +||ggetsurv4youu.com^ +||gggetsurveey.com^ +||gggpht.com^ +||gggpnuppr.com^ +||ggjqqmwwolbmhkr.com^ +||ggkk.xyz^ +||gglnntqufw.life^ +||gglx.me^ +||ggmxtaluohw.com^ +||ggsfq.com^ +||ggwifobvx.com^ +||ggxcoez.com^ +||ggxqzamc.today^ +||gharryronier.click^ +||ghettosteal.shop^ +||ghhleiaqlm.com^ +||ghlyrecomemurg.com^ +||ghnvfncbleiu.xyz^ +||ghostchisel.com^ +||ghostnewz.com^ +||ghostsinstance.com^ +||ghosttardy.com^ +||ghsheukwasa.com^ +||ghsheukwasana.info^ +||ghtry.amateurswild.com^ +||ghuzwaxlike.shop^ +||ghyhwiscizax.com^ +||ghyktyahsb.com^ +||ghyxmovcyj.com^ +||giantaffiliates.com^ +||giantexit.com^ +||gianwho.com^ +||giaythethaonuhcm.com^ +||gibadvpara.com^ +||gibaivoa.com^ +||gibbetfloyt.shop^ +||gibevay.ru^ +||gibizosutchoakr.net^ +||giboxdwwevu.com^ +||gichaisseexy.net^ +||giftedhazelsecond.com^ +||gifturealdol.top^ +||gigabitadex.com^ +||gigacpmserv.com^ +||gigahertz24.fun^ +||giganticlived.com^ +||giggleostentatious.com^ +||gigjjgb.com^ +||gigsmanhowls.top^ +||gihehazfdm.com^ +||gilarditus.com^ +||gildshone.com^ +||gillsapp.com^ +||gillsisabellaunarmed.com^ +||gillynn.com^ +||gimme-promo.com^ +||gimpsgenips.com^ +||ginchoirblessed.com^ +||gingagonkc.com^ +||ginglmiresaw.com^ +||ginningsteri.com^ +||ginnyclairvoyantapp.com^ +||ginsaitchosheer.net^ +||ginsicih.xyz^ +||gipeucn.icu^ +||gipostart-1.co^ +||gipsiesthyrsi.com^ +||gipsouglow.com^ +||gipsyhit.com^ +||gipsytrumpet.com^ +||giraingoats.net^ +||girlfriendwisely.com^ +||girlsflirthere.life^ +||girlsglowdate.life^ +||girlstretchingsplendid.com^ +||girlwallpaper.pro^ +||girnalnemean.com^ +||girtijoo.com^ +||gishejuy.com^ +||gishpurer.shop^ +||gismoarette.top^ +||gitajwl.com^ +||gitoku.com^ +||gitsurtithauth.net^ +||givaphofklu.com^ +||givedressed.com^ +||givenconserve.com^ +||givesboranes.com^ +||givide.com^ +||giving-weird.pro^ +||givingsol.com^ +||giwkclu.com^ +||gixeedsute.net^ +||gixiluros.com^ +||gixtgaieap.xyz^ +||gjigle.com^ +||gjjvjbe.com^ +||gjonfartyb.com^ +||gjwos.org^ +||gk79a2oup.com^ +||gkaosmmuso.com^ +||gkbhrj49a.com^ +||gkbvnyk.com^ +||gkcltxp.com^ +||gkdafpdmiwwd.xyz^ +||gkencyarcoc.com^ +||gkrtgrcquwttq.xyz^ +||gkrtmc.com^ +||gkumbcmntra.com^ +||gkwcxsgh.com^ +||gkyju.space^ +||gkyornyu.com^ +||gl-cash.com^ +||gla63a4l.de^ +||glabsuckoupy.net^ +||glacierwaist.com^ +||gladsince.com^ +||glaghoowingauck.net^ +||glaickoxaksy.com^ +||glaicmauxoah.net^ +||glaidalr.net^ +||glaidekeemp.net^ +||glaidipt.net^ +||glaignatsensah.xyz^ +||glaijauk.xyz^ +||glaikrolsoa.com^ +||glaisseexoar.net^ +||glaiwhee.net^ +||glaixich.net^ +||glakaits.net^ +||glancedforgave.com^ +||glanderdisjoin.com^ +||glandinterest.com^ +||glaringregister.com^ +||glashampouksy.net^ +||glassesoftruth.com^ +||glassmilheart.com^ +||glasssmash.site^ +||glatatsoo.net^ +||glatsevudoawi.net^ +||glaubuph.com^ +||glaultoa.com^ +||glaurtas.com^ +||glauthew.net^ +||glazepalette.com^ +||glaziergagged.shop^ +||glbtrk.com^ +||gldkzr-lpqw.buzz^ +||gldrdr.com^ +||gleagainedam.info^ +||gleaminsist.com^ +||gleampendulumtucker.com^ +||glecmaim.net^ +||gledroupsens.xyz^ +||gleefulcareless.com^ +||gleeglis.net^ +||gleegloo.net^ +||gleejoad.net^ +||gleeltukaweetho.xyz^ +||gleemsomto.com^ +||gleemsub.com^ +||gleerdoacmockuy.xyz^ +||gleetchisurvey.top^ +||gleewhor.xyz^ +||gleloamseft.xyz^ +||glelroalso.xyz^ +||gleneditor.com^ +||glenmexican.com^ +||glersakr.com^ +||glersooy.net^ +||glerteeb.com^ +||gletchauka.net^ +||gletsimtoagoab.net^ +||glevoloo.com^ +||glideimpulseregulate.com^ +||glidelamppost.com^ +||gligheew.xyz^ +||gligoubsed.com^ +||glimpaid.net^ +||glimpsedrastic.com^ +||glimpsemankind.com^ +||glimtors.net^ +||glipigaicm.net^ +||gliptoacaft.net^ +||gliraimsofu.net^ +||glistening-novel.pro^ +||glitteringinsertsupervise.com^ +||glitteringobsessionchanges.com^ +||glitteringstress.pro^ +||glizauvo.net^ +||glo-glo-oom.com^ +||gloacmug.net^ +||gloagaus.xyz^ +||gloalrie.com^ +||gloaphoo.net^ +||globaladblocker.com^ +||globaladmedia.com^ +||globaladmedia.net^ +||globaladsales.com^ +||globaladv.net^ +||globalinteractive.com^ +||globaloffers.link^ +||globalsuccessclub.com^ +||globaltraffico.com^ +||globeofnews.com^ +||globeshyso.com^ +||globoargoa.net^ +||globwo.online^ +||glochatuji.com^ +||glochisprp.com^ +||glodsaccate.com^ +||glofodazoass.com^ +||gloghauzolso.xyz^ +||glogoowo.net^ +||glogopse.net^ +||glokta.info^ +||gloltaiz.xyz^ +||glomocon.xyz^ +||glonsophe.com^ +||gloodsie.com^ +||glooftezoad.net^ +||gloogruk.com^ +||gloohozedoa.xyz^ +||gloomilybench.com^ +||gloomilychristian.com^ +||gloomilysuffocate.com^ +||gloonseetaih.com^ +||gloophoa.net^ +||gloorsie.com^ +||gloriacheeseattacks.com^ +||glorialoft.com^ +||glorifyfactor.com^ +||glorifytravelling.com^ +||gloriousboileldest.com^ +||gloriousmemory.pro^ +||glorsugn.net^ +||glossydollyknock.com^ +||glouftarussa.xyz^ +||gloufteglouw.com^ +||glougloowhoumt.net^ +||gloumoonees.net^ +||gloumsee.net^ +||gloumsie.net^ +||glounugeepse.xyz^ +||glouseer.net^ +||glousoonomsy.xyz^ +||gloussowu.xyz^ +||gloustoa.net^ +||gloutanacard.com^ +||gloutchi.com^ +||glouvugnirsy.net^ +||glouxaih.net^ +||glouxalt.net^ +||glouzokrache.com^ +||gloveroadmap.com^ +||glovet.xyz^ +||glowdot.com^ +||glowedhyalins.com^ +||glowhoatooji.net^ +||glowingnews.com^ +||gloytrkb.com^ +||glsfreeads.com^ +||glssp.net^ +||gludqoqmuwbc.com^ +||glugherg.net^ +||glugreez.com^ +||gluilyepacme.shop^ +||glukropi.com^ +||glumtitu.net^ +||glumtoazaxom.net^ +||glungakra.com^ +||glursihi.net^ +||glutchoaksa.com^ +||glutenmuttsensuous.com^ +||gluttonstayaccomplishment.com^ +||gluttonybuzzingtroubled.com^ +||gluttonydressed.com^ +||gluwhoas.com^ +||gluxouvauure.com^ +||glvhvesvnp.com^ +||glwcxdq.com^ +||glxtest.site^ +||gmads.net^ +||gme-trking.com^ +||gmehcotihh.com^ +||gmgllod.com^ +||gmihupgkozf.com^ +||gmiqicw.com^ +||gmixiwowford.com^ +||gmkflsdaa.com^ +||gmknz.com^ +||gml-grp.com^ +||gmltiiu.com^ +||gmthhftif.com^ +||gmxvmvptfm.com^ +||gmyze.com^ +||gmzdaily.com^ +||gnashesfanfare.com^ +||gnatterjingall.com^ +||gnditiklas.com^ +||gndyowk.com^ +||gnnnzxuzv.com^ +||gnssivagwelwspe.xyz^ +||gnyjxyzqdcjb.com^ +||go-cpa.click^ +||go-g3t-msg.com^ +||go-g3t-push.net^ +||go-g3t-s0me.com^ +||go-g3t-s0me.net^ +||go-g3t-som3.com^ +||go-rillatrack.com^ +||go-srv.com^ +||go-static.info^ +||go.syndcloud.com^ +||go2.global^ +||go2affise.com^ +||go2app.org^ +||go2jump.org^ +||go2linktrack.com^ +||go2media.org^ +||go2offer-1.com^ +||go2oh.net^ +||go2rph.com^ +||go2speed.org^ +||go6shde9nj2itle.com^ +||goaboomy.com^ +||goaciptu.net^ +||goads.pro^ +||goadx.com^ +||goaffmy.com^ +||goajuzey.com^ +||goalebim.com^ +||goaleedeary.com^ +||goalfirework.com^ +||goaserv.com^ +||goasrv.com^ +||goatauthut.xyz^ +||goatsnulls.com^ +||gobacktothefuture.biz^ +||gobetweencomment.com^ +||gobicyice.com^ +||gobitta.info^ +||gobletauxiliary.com^ +||gobletclosed.com^ +||goblocker.xyz^ +||gobmodfoe.com^ +||goboksehee.net^ +||gobreadthpopcorn.com^ +||gockardajaiheb.net^ +||godacepic.com^ +||godforsakensubordinatewiped.com^ +||godlessabberant.com^ +||godmotherelectricity.com^ +||godpvqnszo.com^ +||godroonrefrig.com^ +||godspeaks.net^ +||goeducklactase.com^ +||goesintakehaunt.com^ +||gofenews.com^ +||goferinlaik.com^ +||gogglebox26.fun^ +||gogglemessenger.com^ +||gogglerespite.com^ +||gogord.com^ +||gohere.pl^ +||gohznbe.com^ +||goingkinch.com^ +||goingtoothachemagician.com^ +||goingtopunder.com^ +||gold-line.click^ +||gold2762.com^ +||golden-gateway.com^ +||goldfishsewbruise.com^ +||gollarpulsus.com^ +||goloeaorist.com^ +||golsaiksi.net^ +||gomain.pro^ +||gomain2.pro^ +||gombotrubu.com^ +||gomnlt.com^ +||gomucreu.com^ +||gonairoomsoo.xyz^ +||gonakedowing.com^ +||goneawaytogy.info^ +||goobakocaup.com^ +||goobefirumaupt.net^ +||goocivede.com^ +||good-ads-online.com^ +||goodadvert.ru^ +||goodandsoundcontent.com^ +||goodappforyou.com^ +||goodbusinesspark.com^ +||gooddemands.com^ +||goodgamesmanship.com^ +||goodnesshumiliationtransform.com^ +||goodnightbarterleech.com^ +||goodstriangle.com^ +||goodyhitherto.com^ +||googie-anaiytics.com^ +||googleapi.club^ +||googletagservices.com^ +||goohimom.net^ +||goomaphy.com^ +||goonsphiltra.top^ +||gooods4you.com^ +||goosebomb.com^ +||goosierappetit.com^ +||goothoozuptut.net^ +||goourl.me^ +||gophykopta.com^ +||goplayhere.com^ +||goraccodisobey.com^ +||goraps.com^ +||goredi.com^ +||goreoid.com^ +||gorgeousirreparable.com^ +||gorgestartermembership.com^ +||gorgetooth.com^ +||gorilladescendbounds.com^ +||gorillatraffic.xyz^ +||gorillatrking.com^ +||goschenelect.com^ +||goshbiopsy.com^ +||gositego.live^ +||gosoftwarenow.com^ +||gosrv.cl^ +||gossipcase.com^ +||gossipinvest.com^ +||gossipsize.com^ +||gossipylard.com^ +||gossishauphy.com^ +||gostoamt.com^ +||got-to-be.com^ +||got-to-be.net^ +||goteat.xyz^ +||gotheremploye.com^ +||gotherresethat.info^ +||gotibetho.pro^ +||gotohouse1.club^ +||gotoyahoo.com^ +||gotrackier.com^ +||gouheethsurvey.space^ +||gounodogaptofok.net^ +||gousouse.com^ +||goutee.top^ +||gouthoat.com^ +||govbusi.info^ +||governessmagnituderecoil.com^ +||governessstrengthen.com^ +||governmentwithdraw.com^ +||gowfsubsept.shop^ +||gowspow.com^ +||gpcrn.com^ +||gpfaquowxnaum.xyz^ +||gpibcoogfb.com^ +||gpjwludjwldi.com^ +||gplansforourcom.com^ +||gplgqqg.com^ +||gpodxdmnivc.com^ +||gporkecpyttu.com^ +||gpsecureads.com^ +||gpseyeykuwgn.rocks^ +||gpynepb.com^ +||gqalqi656.com^ +||gqckjiewg.com^ +||gqfuf.com^ +||gqjdweqs.com^ +||gqjeqaqrxexmd.com^ +||gqrvpwdps.com^ +||gquwuefddojikxo.xyz^ +||gr3hjjj.pics^ +||graboverhead.com^ +||gracefullisten.pro^ +||gracefullouisatemperature.com^ +||gracelessaffected.com^ +||gracesmallerland.com^ +||grachouss.com^ +||gradecastlecanadian.com^ +||gradecomposuresanctify.com^ +||gradredsoock.net^ +||gradualmadness.com^ +||graduatedspaghettiauthorize.com^ +||grafzen.com^ +||graigloapikraft.net^ +||graimoorg.net^ +||grainshen.com^ +||grairdou.com^ +||grairgoo.com^ +||grairsoa.com^ +||grairtoorgey.com^ +||graitaulrocm.net^ +||graithos.net^ +||graitsie.com^ +||graivaik.com^ +||graivampouth.net^ +||graizoah.com^ +||graizout.net^ +||grallichalvas.com^ +||gralneurooly.com^ +||grammarselfish.com^ +||gramotherwise.com^ +||granaryvernonunworthy.com^ +||grandchildpuzzled.com^ +||granddadfindsponderous.com^ +||grandezza31.fun^ +||grandocasino.com^ +||grandpagrandmotherhumility.com^ +||grandpashortestmislead.com^ +||grandsupple.com^ +||grandwatchesnaive.com^ +||grangilo.net^ +||granseerdissee.net^ +||grantedorphan.com^ +||grantedpigsunborn.com^ +||granthspillet.top^ +||grantinsanemerriment.com^ +||graphnitriot.com^ +||grapseex.com^ +||grapselu.com^ +||graptaupsi.net^ +||grartoag.xyz^ +||grashaksoudry.net^ +||grasshusk.com^ +||grasutie.net^ +||gratataxis.shop^ +||graterpatent.com^ +||gratertwentieth.com^ +||gratificationdesperate.com^ +||gratificationopenlyseeds.com^ +||gratifiedfemalesfunky.com^ +||gratifiedmatrix.com^ +||gratifiedsacrificetransformation.com^ +||gratifiedshoot.com^ +||gratitudeobservestayed.com^ +||gratituderefused.com^ +||grauglak.com^ +||graugnoogimsauy.net^ +||grauhoat.xyz^ +||graukaigh.com^ +||graulsaun.com^ +||graungig.xyz^ +||grauroocm.com^ +||graushauls.xyz^ +||grauxouzair.com^ +||grave-orange.pro^ +||gravecheckbook.com^ +||gravelyoverthrow.com^ +||graveshakyscoot.com^ +||graveuniversalapologies.com^ +||gravyponder.com^ +||graxooms.com^ +||graywithingrope.com^ +||grazingmarrywomanhood.com^ +||greaserenderelk.com^ +||great-spring.pro^ +||greatappland.com^ +||greataseset.org^ +||greatcpm.com^ +||greatdexchange.com^ +||greatlifebargains2024.com^ +||greatlyclip.com^ +||greatnessmuffled.com^ +||grecheer.com^ +||greckoaghoate.net^ +||grecmaru.com^ +||gredritchupsa.net^ +||gredroug.net^ +||greebomtie.com^ +||greececountryfurious.com^ +||greecewizards.com^ +||greedcocoatouchy.com^ +||greedrum.net^ +||greedyfire.com^ +||greeftougivy.com^ +||greekmankind.com^ +||greekroo.xyz^ +||greekunbornlouder.com^ +||green-red.com^ +||green-search-engine.com^ +||green4762.com^ +||greenads.org^ +||greenandhappiness.com^ +||greenfox.ink^ +||greenlinknow.com^ +||greenmortgage.pro^ +||greenplasticdua.com^ +||greenrecru.info^ +||greepseedrobouk.net^ +||greerogloo.net^ +||greeter.me^ +||greetpanda.org^ +||greewepi.net^ +||greezoob.net^ +||grefaunu.com^ +||grefutiwhe.com^ +||grehamsoah.xyz^ +||greheelsy.net^ +||grehtrsan.com^ +||greltoat.xyz^ +||gremsaup.net^ +||grenkolgav.com^ +||grepeiros.com^ +||greptump.com^ +||greroaso.com^ +||grersomp.xyz^ +||greshipsah.com^ +||gresteedoong.net^ +||gretaith.com^ +||gretnsassn.com^ +||gretunoakulo.com^ +||greuy.xyz^ +||greworganizer.com^ +||grewquartersupporting.com^ +||grexackugnee.net^ +||greystripe.com^ +||grfpr.com^ +||gribseep.net^ +||gridder.co^ +||gridedloamily.top^ +||gridrelay27.co^ +||grievethereafter.com^ +||griftedhindoo.com^ +||grigholtuze.net^ +||grignetheronry.shop^ +||grigsreshown.top^ +||griksoorgaultoo.xyz^ +||griksoud.net^ +||grillcheekunfinished.com^ +||grimacecalumny.com^ +||grimdeplorable.com^ +||grimytax.pro^ +||grinbettyreserve.com^ +||grincircus.com^ +||gripehealth.com^ +||gripperpossum.com^ +||gripping-bread.com^ +||gripspigyard.com^ +||grirault.net^ +||gristleupanaya.com^ +||gritaware.com^ +||grixaghe.xyz^ +||grizzled-reality.pro^ +||grizzlier30.fun^ +||grizzlies30.fun^ +||grmtas.com^ +||groaboara.com^ +||groabopith.xyz^ +||groagnoaque.com^ +||groameeb.com^ +||groampez.xyz^ +||groamsal.net^ +||groaxonsoow.net^ +||groazaimsadroa.xyz^ +||grobido.info^ +||grobungairdoul.net^ +||grobuveexeb.net^ +||grocerycookerycontract.com^ +||grocerysurveyingentrails.com^ +||groguzoo.net^ +||groinopposed.com^ +||grojaigrerdugru.xyz^ +||groleegni.net^ +||gromairgexucmo.net^ +||gronsoakoube.net^ +||grooksom.com^ +||groomoub.com^ +||groompemait.net^ +||groomseezo.net^ +||groorsoa.net^ +||grooseem.net^ +||grootcho.com^ +||grootsouque.net^ +||grooverend.com^ +||gropecemetery.com^ +||gropefore.com^ +||grortalt.xyz^ +||grotaich.net^ +||grotchaijoo.net^ +||groujeemoang.xyz^ +||groumaux.net^ +||groundinquiryoccupation.com^ +||groundlesscrown.com^ +||groundlesstightsitself.com^ +||groupcohabitphoto.com^ +||groupian.io^ +||grourouksoop.net^ +||groutoazikr.net^ +||groutoozy.com^ +||groutsukooh.net^ +||grova.buzz^ +||grova.xyz^ +||growebads.com^ +||growingcastselling.com^ +||growingtotallycandied.com^ +||growjav11.fun^ +||growledavenuejill.com^ +||grown-inpp-code.com^ +||growngame.life^ +||grownupsufferinginward.com^ +||growthbuddy.app^ +||grphfzutw.xyz^ +||grsm.io^ +||grt02.com^ +||grtaanmdu.com^ +||grtexch.com^ +||grtyj.com^ +||grubsnuchale.com^ +||grucchebarmfel.click^ +||grucmost.xyz^ +||grudgewallet.com^ +||grufeegny.xyz^ +||gruffsleighrebellion.com^ +||grumpyslayerbarton.com^ +||grunoaph.net^ +||gruntremoved.com^ +||gruponn.com^ +||grurawho.com^ +||grushoungy.com^ +||grutauvoomtoard.net^ +||gruwzapcst.com^ +||grwp3.com^ +||grygrothapi.pro^ +||gscontxt.net^ +||gsjln04hd.com^ +||gsnb048lj.com^ +||gsnqhdo.com^ +||gsurihy.com^ +||gt5tiybvn.com^ +||gtbdhr.com^ +||gtitcah.com^ +||gtoonfd.com^ +||gtosmdjgn.xyz^ +||gtsads.com^ +||gtsgeoyb.com^ +||gtslufuf.xyz^ +||gtubumgalb.com^ +||gtusaexrlpab.world^ +||gtwoedjmjsevm.xyz^ +||gtxlouky.xyz^ +||gtyjpiobza.com^ +||guangzhuiyuan.com^ +||guaranteefume.com^ +||guardedrook.cc^ +||guardedtabletsgates.com^ +||guardiandigitalcomparison.co.uk^ +||guardiannostrils.com^ +||guardsslate.com^ +||guasarestant.com^ +||gubsikroord.net^ +||guchihyfa.pro^ +||guckoash.net^ +||gudohuxy.uno^ +||gueriteiodic.com^ +||guerrilla-links.com^ +||guesswhatnews.com^ +||guestblackmail.com^ +||guestsfingertipchristian.com^ +||gugglethao.com^ +||guhomnfuzq.com^ +||guhscaafjp.com^ +||guidonsfeeing.com^ +||guiltjadechances.com^ +||guineaacrewayfarer.com^ +||guineashock.top^ +||guitarfelicityraw.com^ +||guitarjavgg124.fun^ +||gujakqludcuk.com^ +||gukmodukuleqasfo.com^ +||gukrathokeewhi.net^ +||gulfimply.com^ +||gullible-lawyer.pro^ +||gullibleanimated.com^ +||gulsyangtao.guru^ +||gumbolersgthb.com^ +||gumcongest.com^ +||gumlahdeprint.com^ +||gummierhedera.life^ +||gumon.site^ +||gunlockpepped.shop^ +||gunwaleneedsly.com^ +||gunzblazingpromo.com^ +||guptetoowheerta.net^ +||guro2.com^ +||gurynyce.com^ +||gusadrwacg.com^ +||gushfaculty.com^ +||gussame.com^ +||gussbkpr.website^ +||gussiessmutchy.com^ +||gussimsosurvey.space^ +||gustyalumnal.top^ +||gutazngipaf.com^ +||gutobtdagruw.com^ +||gutockeewhargo.net^ +||gutrnesak.com^ +||gutwn.info^ +||guvmcalwio.com^ +||guvsxiex.xyz^ +||guvwolr.com^ +||guxedsuba.com^ +||guxidrookr.com^ +||guypane.com^ +||guzdhs26.xyz^ +||gvfkzyq.com^ +||gvkzvgm.com^ +||gvt2.com^ +||gvzsrqp.com^ +||gwallet.com^ +||gwbone-cpw.today^ +||gwfcpecnwwtgn.xyz^ +||gwggiroo.com^ +||gwogbic.com^ +||gwtixda.com^ +||gx101.com^ +||gxdzfyg.com^ +||gxfh59u4.xyz^ +||gxnfz.com^ +||gxordgtvjr.com^ +||gxpomhvalxwuh.com^ +||gxsdfcnyrgxdb.com^ +||gxtmsmni.com^ +||gxuscpmrexyyj.com^ +||gyeapology.top^ +||gyfumobo.com^ +||gylor.xyz^ +||gymgipsy.com^ +||gymnasiumfilmgale.com^ +||gynietrooe.com^ +||gypperywyling.com^ +||gypsiedjilt.com^ +||gypsitenevi.com^ +||gypsumsnocks.com^ +||gypufahuyhov.xyz^ +||gytlingpaint.top^ +||gyvwigvwqkm.com^ +||gyxkmpf.com^ +||gzglmoczfzf.com^ +||gzifhovadhf.com^ +||gzihfaatdohk.com^ +||gzqihxnfhq.com^ +||h-zrhgpygrkj.fun^ +||h0w-t0-watch.net^ +||h12-media.com^ +||h52ek3i.de^ +||h5lwvwj.top^ +||h5r2dzdwqk.com^ +||h74v6kerf.com^ +||h827r1qbhk12pt.click^ +||h8brccv4zf5h.com^ +||haamumvxavsxwac.xyz^ +||habirimodioli.com^ +||habitualexecute.com^ +||habovethecit.info^ +||habovethecity.info^ +||habsoowhaum.net^ +||habutaeirisate.com^ +||hadfrizzprofitable.com^ +||hadmiredinde.info^ +||hadronid.net^ +||hadsans.com^ +||hadsanz.com^ +||hadseaside.com^ +||hadsecz.com^ +||hadsimz.com^ +||hadsokz.com^ +||hadtwobr.info^ +||hadute.xyz^ +||haffnetworkmm.com^ +||hafhwagagswy.com^ +||hafonmadp.com^ +||hagdenlupulic.top^ +||hagdispleased.com^ +||hagech.com^ +||haggingmasha.top^ +||haghalra.com^ +||haglance.com^ +||hagnutrient.com^ +||haihaime.net^ +||haikcarlage.com^ +||hailstonenerve.com^ +||hailstonescramblegardening.com^ +||hailtighterwonderfully.com^ +||haimagla.com^ +||haimimie.xyz^ +||hainoruz.com^ +||haircutlocally.com^ +||haircutmercifulbamboo.com^ +||hairdosjugs.top^ +||hairdresserbayonet.com^ +||hairoak.com^ +||hairpinoffer.com^ +||hairy-level.pro^ +||haithalaneroid.com^ +||haitingshospi.info^ +||haixomz.xyz^ +||haizedaufi.net^ +||hajecurie.shop^ +||hajoopteg.com^ +||hakeemmuffled.top^ +||hakqkhtlav.com^ +||haksaigho.com^ +||half-concert.pro^ +||halfhills.co^ +||halfpriceozarks.com^ +||halftimeaircraftsidewalk.com^ +||halftimestarring.com^ +||halibiulobcokt.top^ +||halileo.com^ +||hallanjerbil.com^ +||hallucinatecompute.com^ +||halogennetwork.com^ +||halthomosexual.com^ +||haltough.net^ +||haltowe.info^ +||halveimpendinggig.com^ +||hamantaipei.com^ +||hamburgerintakedrugged.com^ +||hamletuponcontribute.com^ +||hamletvertical.com^ +||hammamfehmic.com^ +||hammereternal.com^ +||hammerhewer.top^ +||hammockpublisherillumination.com^ +||hampersolarwings.com^ +||hamperstirringoats.com^ +||hamulustueiron.com^ +||handbagadequate.com^ +||handbaggather.com^ +||handbagwishesliver.com^ +||handboyfriendomnipotent.com^ +||handcuffglare.com^ +||handedpokies.com^ +||handfulnobodytextbook.com^ +||handfulsobcollections.com^ +||handgripvegetationhols.com^ +||handgunoatbin.com^ +||handkerchiefpeeks.com^ +||handkerchiefpersonnel.com^ +||handkerchiefstapleconsole.com^ +||handlingblare.com^ +||handshakesexyconquer.com^ +||handsomebend.pro^ +||handtub.com^ +||handwritingdigestion.com^ +||handy-tab.com^ +||handymanlipsballast.com^ +||hangnailamplify.com^ +||hangnailhasten.com^ +||hangoveratomeventually.com^ +||hangoverknock.com^ +||hankrivuletperjury.com^ +||hannahfireballperceive.com^ +||hanqpwl.com^ +||haoelo.com^ +||happenemerged.com^ +||happeningdeliverancenorth.com^ +||happeningflutter.com^ +||happy-davinci-53144f.netlify.com^ +||happydate.today^ +||happypavilion.com^ +||haqafzlur.com^ +||harassinganticipation.com^ +||harassingindustrioushearing.com^ +||harassmentgrowl.com^ +||harassmenttrolleyculinary.com^ +||hardabbuy.live^ +||hardaque.xyz^ +||hardcoretrayversion.com^ +||harderjuniormisty.com^ +||hardynylon.com^ +||hareeditoriallinked.com^ +||haresmodus.com^ +||hariheadacheasperity.com^ +||harksifrit.com^ +||harmfulsong.pro^ +||harmless-sample.pro^ +||harmvaluesrestriction.com^ +||harnessabreastpilotage.com^ +||harrenmedianetwork.com^ +||harrowliquid.com^ +||harrydough.com^ +||harrymercurydynasty.com^ +||harshlygiraffediscover.com^ +||harshplant.com^ +||hartattenuate.com^ +||hasdrs.com^ +||hash-hash-tag.com^ +||hashpreside.com^ +||hasomsdcoojm.com^ +||hastecoat.com^ +||hatagashira.com^ +||hatchetrenaissance.com^ +||hatchord.com^ +||hatedhazeflutter.com^ +||hatefulbane.com^ +||hatlesswhsle.com^ +||hats-47b.com^ +||hatwasallo.com^ +||hatwasallokmv.info^ +||hatzhq.net^ +||hauboisphenols.com^ +||hauchiwu.com^ +||haughtydistinct.com^ +||haughtysafety.com^ +||hauledforewordsentimental.com^ +||hauledresurrectiongosh.com^ +||hauledskirmish.com^ +||haulme.info^ +||haulstugging.com^ +||haunigre.net^ +||haunteddishwatermortal.com^ +||hauntingfannyblades.com^ +||hauntingwantingoblige.com^ +||hauphoak.xyz^ +||hauphuchaum.com^ +||hauraiwaurulu.net^ +||hautoust.com^ +||hauufhgezl.com^ +||haveflat.com^ +||havegrosho.com^ +||havenalcoholantiquity.com^ +||havencharacteristic.com^ +||havenwrite.com^ +||havingsreward.com^ +||hawkyeye5ssnd.com^ +||hawsuffer.com^ +||haxbyq.com^ +||haychalk.com^ +||haymowsrakily.com^ +||hazelhideous.com^ +||hazelmarks.com^ +||hazelocomotive.com^ +||hazicu.hothomefuck.com^ +||hazoopso.net^ +||hb-247.com^ +||hb94dnbe.de^ +||hbhood.com^ +||hbloveinfo.com^ +||hbmode.com^ +||hborq.com^ +||hbzikbe.com^ +||hcpvkcznxj.com^ +||hcvjvmunax.com^ +||hcyhiadxay.com^ +||hd100546c.com^ +||hdacode.com^ +||hdat.xyz^ +||hdbcdn.com^ +||hdbcoat.com^ +||hdbcode.com^ +||hdbcome.com^ +||hdbkell.com^ +||hdbkome.com^ +||hdbtop.com^ +||hdpreview.com^ +||hdqrswhipped.top^ +||hdsiygrmtghotj.com^ +||hdvcode.com^ +||hdxpqgvqm.com^ +||hdywrwnvf-h.one^ +||he7ll.com^ +||headacheaim.com^ +||headachehedgeornament.com^ +||headclutterdialogue.com^ +||headerdisorientedcub.com^ +||headirtlseivi.org^ +||headlightinfinitelyhusband.com^ +||headline205.fun^ +||headline3452.fun^ +||headphonedecomposeexcess.com^ +||headphoneveryoverdose.com^ +||headquarterinsufficientmaniac.com^ +||headquarterscrackle.com^ +||headquartersimpartialsexist.com^ +||headstonerinse.com^ +||headup.com^ +||headyblueberry.com^ +||healthfailed.com^ +||healthsmd.com^ +||healthy-inside.pro^ +||heapbonestee.com^ +||heardaccumulatebeans.com^ +||heardsoppy.com^ +||heartbreakslotserpent.com^ +||heartedshapelessforbes.com^ +||hearthmint.com^ +||heartilyscales.com^ +||heartlessrigid.com^ +||heartsawpeat.com^ +||heartynail.pro^ +||heartyten.com^ +||heaterpealarouse.com^ +||heathertravelledpast.com^ +||heatjav12.fun^ +||heatprecipitation.com^ +||heavenfull.com^ +||heavenly-landscape.com^ +||heavenproxy.com^ +||heavespectaclescoefficient.com^ +||heavyuniversecandy.com^ +||hebenonwidegab.top^ +||hectorfeminine.com^ +||hectorobedient.com^ +||hedgehoghugsyou.com^ +||hedgyactable.com^ +||hedgybateman.com^ +||hedmisreputys.info^ +||hedwigsantos.com^ +||heedetiquettedope.com^ +||heedlessplanallusion.com^ +||heedmicroscope.com^ +||heefothust.net^ +||heehoujaifo.com^ +||heejuchee.net^ +||heelsmerger.com^ +||heeraiwhubee.net^ +||heerosha.com^ +||heeteefu.com^ +||heethout.xyz^ +||hegazedatthe.info^ +||hegeju.xyz^ +||hehighursoo.com^ +||heiressplane.com^ +||heiressscore.com^ +||heiresstolerance.com^ +||heirloomreasoning.com^ +||heirsacost.com^ +||heixidor.com^ +||hejqtbnmwze.com^ +||hekowutus.com^ +||heldciviliandeface.com^ +||heleric.com^ +||helesandoral.com^ +||helic3oniusrcharithonia.com^ +||heliumwinebluff.com^ +||hellominimshanging.com^ +||helltraffic.com^ +||helmethomicidal.com^ +||helmetregent.com^ +||helmfireworkssauce.com^ +||helmingcensers.shop^ +||helmpa.xyz^ +||helmregardiso.com^ +||helpfulduty.pro^ +||helpfulrectifychiefly.com^ +||helpingnauseous.com^ +||helplylira.top^ +||hem41xm47.com^ +||hembrandsteppe.com^ +||hemcpjyhwqu.com^ +||hemhiveoccasion.com^ +||hemineedunks.com^ +||hemtatch.net^ +||hemyn.site^ +||hencefusionbuiltin.com^ +||hencemakesheavy.com^ +||hencesharply.com^ +||henriettaproducesdecide.com^ +||hentaibiz.com^ +||hentaigold.net^ +||hentaionline.net^ +||heoidln.com^ +||heparlorne.org^ +||hephungoomsapoo.net^ +||hepk-gmwitvk.world^ +||hepsaign.com^ +||heptix.net^ +||heraldet.com^ +||heratheacle.com^ +||herbalbreedphase.com^ +||herbamplesolve.com^ +||hercockremarke.info^ +||herconsequence.com^ +||herdmenrations.com^ +||hereaftertriadcreep.com^ +||herebybrotherinlawlibrarian.com^ +||hereincigarettesdean.com^ +||heremployeesihi.info^ +||heresanothernicemess.com^ +||herhomeou.xyz^ +||heritageamyconstitutional.com^ +||herlittleboywhow.info^ +||herma-tor.com^ +||hermichermicbroadcastinglifting.com^ +||hermichermicfurnished.com^ +||heroblastgeoff.com^ +||herodiessujed.org^ +||heroinalerttactical.com^ +||heromainland.com^ +||herringgloomilytennis.com^ +||herringlife.com^ +||herslenderw.info^ +||herynore.com^ +||hesatinaco.com^ +||hesoorda.com^ +||hespe-bmq.com^ +||hesterinoc.info^ +||hestutche.com^ +||hesudsuzoa.com^ +||hetadinh.com^ +||hetahien.com^ +||hetaint.com^ +||hetapugs.com^ +||hetapus.com^ +||hetariwg.com^ +||hetartwg.com^ +||hetarust.com^ +||hetaruvg.com^ +||hetaruwg.com^ +||hetnu.com^ +||hetsouds.net^ +||heusysianedu.com^ +||hevc.site^ +||heweop.com^ +||hewhimaulols.com^ +||hewiseryoun.com^ +||hewokhn.com^ +||hewomenentail.com^ +||hewonderfulst.info^ +||hexinemicerun.top^ +||hexitolsafely.top^ +||hexovythi.pro^ +||heybarnacle.com^ +||heycompassion.com^ +||heycryptic.com^ +||hf5rbejvpwds.com^ +||hfdfyrqj-ws.club^ +||hfeoveukrn.info^ +||hffxc.com^ +||hfhppxseee.com^ +||hfiwcuodr.com^ +||hfkncj-qalcg.top^ +||hfpuhwqi.xyz^ +||hfufkifmeni.com^ +||hg-bn.com^ +||hgbn.rocks^ +||hghit.com^ +||hgjxjis.com^ +||hgtokjbpw.com^ +||hgub2polye.com^ +||hgx1.online^ +||hgx1.site^ +||hgx1.space^ +||hh9uc8r3.xyz^ +||hhbypdoecp.com^ +||hhiswingsandm.info^ +||hhit.xyz^ +||hhjow.com^ +||hhklc.com^ +||hhkld.com^ +||hhmako.cloud^ +||hhndmpql.com^ +||hhuohqramjit.com^ +||hhvbdeewfgpnb.xyz^ +||hhzcuywygcrk.com^ +||hi-xgnnkqs.buzz^ +||hiadone.com^ +||hiasor.com^ +||hibids10.com^ +||hichhereallyw.info^ +||hickunwilling.com^ +||hidcupcake.com^ +||hiddenseet.com^ +||hidemembershipprofane.com^ +||hidgfbsitnc.fun^ +||hidingenious.com^ +||hierarchytotal.com^ +||hifakritsimt.com^ +||highconvertingformats.com^ +||highcpmcreativeformat.com^ +||highcpmgate.com^ +||highcpmrevenuegate.com^ +||highcpmrevenuenetwork.com^ +||highercldfrev.com^ +||highercldfrevb.com^ +||higheurest.com^ +||highjackclients.com^ +||highlypersevereenrapture.com^ +||highlyrecomemu.info^ +||highmaidfhr.com^ +||highnets.com^ +||highperformancecpm.com^ +||highperformancecpmgate.com^ +||highperformancecpmnetwork.com^ +||highperformancedformats.com^ +||highperformancedisplayformat.com^ +||highperformanceformat.com^ +||highperformancegate.com^ +||highprofitnetwork.com^ +||highratecpm.com^ +||highrevenuecpm.com^ +||highrevenuecpmnetrok.com^ +||highrevenuecpmnetwork.com^ +||highrevenuegate.com^ +||highrevenuenetwork.com^ +||highwaycpmrevenue.com^ +||highwaysenufo.guru^ +||higouckoavuck.net^ +||hiidevelelastic.com^ +||hiiona.com^ +||hikestale.com^ +||hikinghourcataract.com^ +||hikrfneh.xyz^ +||hikvar.ru^ +||hilakol.uno^ +||hilarioustasting.com^ +||hilarlymcken.info^ +||hilarlymckensec.info^ +||hildrenasth.info^ +||hildrenastheyc.info^ +||hilerant.site^ +||hiletterismypers.com^ +||hillbackserve.com^ +||hillsarab.com^ +||hillstree.site^ +||hilltopads.com^ +||hilltopads.net^ +||hilltopgo.com^ +||hilove.life^ +||hilsaims.net^ +||himediads.com^ +||himediadx.com^ +||himekingrow.com^ +||himgta.com^ +||himhedrankslo.xyz^ +||himosteg.xyz^ +||himselfthoughtless.com^ +||himunpracticalwh.info^ +||hinaprecent.info^ +||hindervoting.com^ +||hindsightchampagne.com^ +||hinepurify.shop^ +||hingfruitiesma.info^ +||hinkhimunpractical.com^ +||hinoidlingas.com^ +||hinowlfuhrz.com^ +||hintgroin.com^ +||hip-97166b.com^ +||hipals.com^ +||hipersushiads.com^ +||hipintimacy.com^ +||hippobulse.com^ +||hiprofitnetworks.com^ +||hipunaux.com^ +||hirdairge.com^ +||hiredeitysibilant.com^ +||hirelinghistorian.com^ +||hiringairport.com^ +||hirurdou.net^ +||hispherefair.com^ +||hissedapostle.com^ +||hisstrappedperpetual.com^ +||histi.co^ +||historicalsenseasterisk.com^ +||historyactorabsolutely.com^ +||hisurnhuh.com^ +||hitbip.com^ +||hitchimmerse.com^ +||hitcpm.com^ +||hithertodeform.com^ +||hitlnk.com^ +||hivingscope.click^ +||hivorltuk.com^ +||hixoamideest.com^ +||hiynquvlrevli.com^ +||hizanpwhexw.com^ +||hizlireklam.com^ +||hj6y7jrhnysuchtjhw.info^ +||hjalma.com^ +||hjklq.com^ +||hjmawbrxzq.space^ +||hjrvsw.info^ +||hjsvhcyo.com^ +||hjuswoulvp.xyz^ +||hjvvk.com^ +||hjxajf.com^ +||hkaphqknkao.com^ +||hkfgsxpnaga.xyz^ +||hkilops.com^ +||hksnu.com^ +||hljmdaz.com^ +||hlmiq.com^ +||hlserve.com^ +||hlyrecomemum.info^ +||hmafhczsos.com^ +||hmfxgjcxhwuix.com^ +||hmkwhhnflgg.space^ +||hmsykhbqvesopt.xyz^ +||hmuylvbwbpead.xyz^ +||hmxg5mhyx.com^ +||hn1l.site^ +||hnejuupgblwc.com^ +||hnrgmc.com^ +||hntkeiupbnoaeha.xyz^ +||hnxhksg.com^ +||hoa44trk.com^ +||hoacauch.net^ +||hoadaphagoar.net^ +||hoadavouthob.com^ +||hoaleenech.com^ +||hoanoola.net^ +||hoardjan.com^ +||hoardpastimegolf.com^ +||hoarsecoupons.top^ +||hoatebilaterdea.info^ +||hoaxcookingdemocratic.com^ +||hoaxresearchingathletics.com^ +||hoaxviableadherence.com^ +||hobbiesshame.online^ +||hobbleobey.com^ +||hockeycomposure.com^ +||hockeyhavoc.com^ +||hockeysacredbond.com^ +||hockicmaidso.com^ +||hoctor-pharity.xyz^ +||hoealec.com^ +||hoggetforfend.com^ +||hoglinsu.com^ +||hogmc.net^ +||hognaivee.com^ +||hohamsie.net^ +||hoickedfoamer.top^ +||hoickpinyons.com^ +||hoicksfq.xyz^ +||hokarsoud.com^ +||hoktrips.com^ +||holahupa.com^ +||holdenthusiastichalt.com^ +||holdhostel.space^ +||holdingholly.space^ +||holdingwager.com^ +||holdsoutset.com^ +||holenhw.com^ +||holidaycoconutconsciousness.com^ +||hollow-love.com^ +||hollowcharacter.com^ +||hollysocialspuse.com^ +||holmicnebbish.com^ +||holsfellen.shop^ +||holspostcardhat.com^ +||holyskier.com^ +||homagertereus.click^ +||homepig4.xyz^ +||homesickclinkdemanded.com^ +||homespotaudience.com^ +||homestairnine.com^ +||homesyowl.com^ +||homeycommemorate.com^ +||homicidalseparationmesh.com^ +||homicidelumpforensic.com^ +||homicidewoodenbladder.com^ +||homosexualfordtriggers.com^ +||honestlydeploy.com^ +||honestlyquick.com^ +||honestlystalk.com^ +||honestlyvicinityscene.com^ +||honestpeaceable.com^ +||honeycombabstinence.com^ +||honeycombastrayabound.com^ +||honeymoondisappointed.com^ +||honeymoonregular.com^ +||honeyreadinesscentral.com^ +||honitonchyazic.com^ +||honksbiform.com^ +||honorable-customer.pro^ +||honorablehalt.com^ +||honorbustlepersist.com^ +||honourprecisionsuited.com^ +||honoursdashed.com^ +||honoursimmoderate.com^ +||honwjjrzo.com^ +||honzoenjewel.shop^ +||hoo1luha.com^ +||hoodboth.com^ +||hoodentangle.com^ +||hoodingluster.com^ +||hoodoosdonsky.com^ +||hoofexcessively.com^ +||hoofsduke.com^ +||hoojique.xyz^ +||hookawep.net^ +||hookupfowlspredestination.com^ +||hooliganmedia.com^ +||hooligs.app^ +||hoomigri.com^ +||hoood.info^ +||hoopbeingsmigraine.com^ +||hoopersnonpoet.com^ +||hoophaub.com^ +||hoophejod.com^ +||hooptaik.net^ +||hooterwas.com^ +||hootravinedeface.com^ +||hoowuliz.com^ +||hopdream.com^ +||hopedpluckcuisine.com^ +||hopefulbiologicaloverreact.com^ +||hopefullyapricot.com^ +||hopefullyfloss.com^ +||hopefulstretchpertinent.com^ +||hopelessrolling.com^ +||hopesteapot.com^ +||hopghpfa.com^ +||hoppermagazineprecursor.com^ +||hoppershortercultivate.com^ +||hoppersill.com^ +||hoptopboy.com^ +||hoqqrdynd.com^ +||horaceprestige.com^ +||horgoals.com^ +||horizontallyclenchretro.com^ +||horizontallycourtyard.com^ +||horizontallypolluteembroider.com^ +||horizontallywept.com^ +||hormosdebris.com^ +||hornsobserveinquiries.com^ +||hornspageantsincere.com^ +||horny.su^ +||hornylitics.b-cdn.net^ +||horrible-career.pro^ +||horribledecorated.com^ +||horriblysparkling.com^ +||horridbinding.com^ +||horsebackbeatingangular.com^ +||horsesbarium.com^ +||hortestoz.com^ +||hortitedigress.com^ +||hosierygossans.com^ +||hosieryplum.com^ +||hosierypressed.com^ +||hospitalsky.online^ +||hostave.net^ +||hostave4.net^ +||hostingcloud.racing^ +||hosupshunk.com^ +||hot4k.org^ +||hotbqzlchps.com^ +||hotdeskbabes.pro^ +||hotegotisticalturbulent.com^ +||hotgvibe.com^ +||hothoodimur.xyz^ +||hotkabachok.com^ +||hotlinedisappointed.com^ +||hotnews1.me^ +||hottedholster.com^ +||hottercensorbeaker.com^ +||hotwords.com^ +||houdodoo.net^ +||houfopsichoa.com^ +||hougriwhabool.net^ +||houhoumooh.net^ +||houlaijy.com^ +||hourglasssealedstraightforward.com^ +||hoursencirclepeel.com^ +||hourstreeadjoining.com^ +||householdlieutenant.com^ +||housejomadkc.com^ +||houselsforwelk.top^ +||housemaiddevolution.com^ +||housemaidvia.com^ +||housemalt.com^ +||housewifereceiving.com^ +||houthaub.xyz^ +||houwheesi.com^ +||hoverclassicalroused.com^ +||hoverpopery.shop^ +||hoverr.co^ +||hoverr.media^ +||how-t0-wtch.com^ +||howboxmab.site^ +||howdoyou.org^ +||howeloisedignify.com^ +||howeverdipping.com^ +||howhow.cl^ +||howlexhaust.com^ +||howls.cloud^ +||howploymope.com^ +||hoyaga.xyz^ +||hoybgsquc.com^ +||hp1mufjhk.com^ +||hpeaxbmuh.com^ +||hpilzison-r.online^ +||hpk42r7a.de^ +||hpmstr.com^ +||hppvkbfcuq.com^ +||hpqalsqjr.com^ +||hpskiqiafxshdf.com^ +||hpyjmp.com^ +||hpyrdr.com^ +||hqpass.com^ +||hqscene.com^ +||hqsexpro.com^ +||hqwa.xyz^ +||hrahdmon.com^ +||hrczhdv.com^ +||hrenbjkdas.com^ +||hrfdulynyo.xyz^ +||hrihfiocc.com^ +||hrmdw8da.net^ +||hrogrpee.de^ +||hrtennaarn.com^ +||hrtvluy.com^ +||hrtyc.com^ +||hrtye.com^ +||hruwegwayoki.com^ +||hrwbr.life^ +||hrxkdrlobmm.com^ +||hsateamplayeranydw.info^ +||hsdaknd.com^ +||hsfewosve.xyz^ +||hskctjuticq.com^ +||hsklyftbctlrud.com^ +||hsrvz.com^ +||htanothingfruit.com^ +||htdvt.com^ +||htfpcf.xyz^ +||htintpa.tech^ +||htkcm.com^ +||htl.bid^ +||htlbid.com^ +||htliaproject.com^ +||htmonster.com^ +||htnvpcs.xyz^ +||htobficta.com^ +||htoptracker11072023.com^ +||htpirf.xyz^ +||htplaodmknel.one^ +||httpsecurity.org^ +||hturnshal.com^ +||htyrmacanbty.com^ +||huafcpvegmm.xyz^ +||huapydce.xyz^ +||hubbabu2bb8anys09.com^ +||hubbyobjectedhugo.com^ +||hubhc.com^ +||hubhubhub.name^ +||hublosk.com^ +||hubrisone.com^ +||hubristambacs.com^ +||hubsauwha.net^ +||hubturn.info^ +||huceeckeeje.com^ +||hucejo.uno^ +||hueadsxml.com^ +||huehinge.com^ +||hugeedate.com^ +||hugenicholas.com^ +||hugfromoctopus.com^ +||hugodeservedautopsy.com^ +||hugregregy.pro^ +||hugysoral.digital^ +||huhcoldish.com^ +||huigt6y.xyz^ +||hukelpmetoreali.com^ +||hukogpanbs.com^ +||hulocvvma.com^ +||humandiminutionengaged.com^ +||humatecortin.com^ +||humbleromecontroversial.com^ +||humiliatemoot.com^ +||humilityslammedslowing.com^ +||hummingexam.com^ +||humoralpurline.com^ +||humoristshamrockzap.com^ +||humpdecompose.com^ +||humplollipopsalts.com^ +||humremjobvipfun.com^ +||humro.site^ +||humsoolt.net^ +||hunchbackconebelfry.com^ +||hunchbackrussiancalculated.com^ +||hunchmotherhooddefine.com^ +||hunchnorthstarts.com^ +||hunchsewingproxy.com^ +||hundredpercentmargin.com^ +||hundredscultureenjoyed.com^ +||hundredshands.com^ +||hunter-hub.com^ +||hunterlead.com^ +||huntershoemaker.com^ +||huqbeiy.com^ +||hurdlesomehowpause.com^ +||hurkarubypaths.com^ +||hurlaxiscame.com^ +||hurlcranky.com^ +||hurlmedia.design^ +||hurlyzamorin.top^ +||huronews.com^ +||hurriedboob.com^ +||hurriednun.com^ +||hurriedpiano.com^ +||husbandnights.com^ +||husfly.com^ +||hushpub.com^ +||hushultalsee.net^ +||husky-tomorrow.pro^ +||huskypartydance.com^ +||huszawnuqad.com^ +||hutlockshelter.com^ +||hutoumseet.com^ +||huwuftie.com^ +||huzzahscurl.top^ +||hvkwmvpxvjo.xyz +||hvooyieoei.com^ +||hwderdk.com^ +||hwhqbjhrqekbvh.com^ +||hwof.info^ +||hwosl.cloud^ +||hwpnocpctu.com^ +||hwydapkmi.com^ +||hxaubnrfgxke.xyz^ +||hxlkiufngwbcxri.com^ +||hxoewq.com^ +||hycantyoubelik.com^ +||hycantyoubeliketh.com^ +||hydraulzonure.com^ +||hydrogendeadflatten.com^ +||hydrogenpicklenope.com^ +||hyfvlxm.com^ +||hygeistagua.com^ +||hygricurceole.com^ +||hyistkechaukrguke.com^ +||hymenvapour.com^ +||hype-ads.com^ +||hypemakers.net^ +||hyperbanner.net^ +||hyperlinksecure.com^ +||hyperoi.com^ +||hyperpromote.com^ +||hypertrackeraff.com^ +||hypervre.com^ +||hyphenatedion.com^ +||hyphenion.com^ +||hyphentriedpiano.com^ +||hypnotizebladdersdictate.com^ +||hypochloridtilz.click^ +||hypocrisysmallestbelieving.com^ +||hyrcycmtckbcpyf.xyz^ +||hyrewusha.pro^ +||hysteriaculinaryexpect.com^ +||hysteriaethicalsewer.com^ +||hystericalarraignment.com^ +||hytxg2.com^ +||hyzoneshilpit.com^ +||hz9x6ka2t5gka7wa6c0wp0shmkaw7xj5x8vaydg0aqp6gjat5x.com^ +||hzr0dm28m17c.com^ +||hzychcvdmjo.com^ +||i-svzgrtibs.rocks^ +||i4nstr1gm.com^ +||i4rsrcj6.top^ +||i65wsmrj5.com^ +||i7ece0xrg4nx.com^ +||i8xkjci7nd.com^ +||i99i.org^ +||ia4d7tn68.com^ +||iaculturerpartment.org^ +||ianik.xyz^ +||ianjumb.com^ +||iarrowtoldilim.info^ +||iasbetaffiliates.com^ +||iasrv.com^ +||ibbmkdooqkj.com^ +||ibidemkorari.com^ +||ibikini.cyou^ +||iboobeelt.net^ +||ibrapush.com^ +||ibryte.com^ +||ibugreeza.com^ +||ibutheptesitrew.com^ +||icalnormaticalacyc.info^ +||icdirect.com^ +||icelessbogles.com^ +||icetechus.com^ +||icfjair.com^ +||ichhereallyw.info^ +||ichimaip.net^ +||iciftiwe.com^ +||icilyassertiveindoors.com^ +||icilytired.com^ +||ickersanthine.com^ +||iclickcdn.com^ +||iclnxqe.com^ +||iconatrocity.com^ +||iconcardinal.com^ +||icsoqxwevywn.com^ +||icubeswire.co^ +||icyreprimandlined.com^ +||id5-sync.com^ +||iddeyrdpgq.com^ +||ideahealkeeper.com^ +||ideal-collection.pro^ +||idealintruder.com^ +||idealmedia.io^ +||ideapassage.com^ +||identifierssadlypreferred.com^ +||identifyillustration.com^ +||identityrudimentarymessenger.com^ +||idescargarapk.com^ +||idiafix.com^ +||idiothungryensue.com^ +||idioticskinner.com^ +||idioticstoop.com^ +||idleslowish.shop^ +||idolsstars.com^ +||idownloadgalore.com^ +||idswinpole.casa^ +||idthecharityc.info^ +||idydlesswale.info^ +||idyllteapots.com^ +||ie3wisa4.com^ +||ie8eamus.com^ +||ielmzzm.com^ +||ieluqiqttdwv.com^ +||ieo8qjp3x9jn.pro^ +||ietyofedinj89yewtburgh.com^ +||ieyavideatldcb.com^ +||ieyri61b.xyz^ +||iezxmddndn.com^ +||if20jadf8aj9bu.shop^ +||ifdbdp.com^ +||ifdmuggdky.com^ +||ifdnzact.com^ +||ifdvfqtcy.com^ +||ifefashionismscold.com^ +||ifigent.com^ +||ifjbtjf.com^ +||ifknittedhurtful.com^ +||ifrmebinfatqir.com^ +||ifsjqcqja.xyz^ +||ifulasaweatherc.info^ +||ig0nr8hhhb.com^ +||igainareputaon.info^ +||igaming-warp-service.io^ +||ightsapph.info^ +||iginnis.site^ +||iglegoarous.net^ +||igloaptopto.net^ +||igloohq.com^ +||iglooprin.com^ +||ignals.com^ +||ignobleordinalembargo.com^ +||ignorantmethod.pro^ +||ignorerationalize.com^ +||ignoresfahlerz.com^ +||ignoresphlorol.com^ +||ignorespurana.com^ +||igoamtaimp.com^ +||igoognou.xyz^ +||igouthoatsord.net^ +||igpkppknqeblj.com^ +||igraard.xyz^ +||igvhfmubsaqty.xyz^ +||igwatrsthg.site^ +||ihappymuttered.info^ +||ihavelearnat.xyz^ +||ihavenewdomain.xyz^ +||ihdcnwbcmw.com^ +||ihhqwaurke.com^ +||ihiptootchouds.xyz^ +||ihkybtde.com^ +||ihnhnpz.com^ +||ihoolrun.net^ +||ihpsthaixd.com^ +||ii9g0qj9.de^ +||iicheewi.com^ +||iifvcfwiqi.com^ +||iigmlx.com^ +||iinzwyd.com^ +||iionads.com^ +||iisabujdtg.com^ +||iistillstayherea.com^ +||iiwm70qvjmee.com^ +||ijaurdus.xyz^ +||ijhweandthepe.info^ +||ijhxe.com^ +||ijhyugb.com^ +||ijjorsrnydjcwx.com^ +||ijobloemotherofh.com^ +||ijtlu.tech^ +||ijwkdmzru.com^ +||ikahnruntx.com^ +||ikcaru.com^ +||ikengoti.com^ +||ikouthaupi.com^ +||ikspoopfp.com^ +||ikssllnhrb.com^ +||ikunselt.com^ +||ikwzrix.com^ +||ilajaing.com^ +||ilaterdeallyig.info^ +||ilaterdeallyighab.info^ +||ilddiwltjm.com^ +||ileeckut.com^ +||ilgtauox.com^ +||iliketomakingpics.com^ +||ilkindweandthe.info^ +||illallwoe.com^ +||illegaleaglewhistling.com^ +||illegallyrailroad.com^ +||illegallyshoulder.com^ +||illicitdandily.cam^ +||illishrastus.com^ +||illiterate-finance.com^ +||illiticguiding.com^ +||illnessentirely.com^ +||illocalvetoes.com^ +||illscript.com^ +||illuminatedusing.com^ +||illuminateinconveniencenutrient.com^ +||illuminatelocks.com^ +||illuminous.xyz^ +||illusiondramaexploration.com^ +||illustrious-challenge.pro^ +||ilo134ulih.com^ +||iloacmoam.com^ +||iloossoobeel.com^ +||iloptrex.com^ +||ilovemakingpics.com^ +||iltharidity.top^ +||ilubn48t.xyz^ +||iluemvh.com^ +||ilumtoux.net^ +||ilvnkzt.com^ +||ilxhsgd.com^ +||ilyf4amifh.com^ +||imageadvantage.net^ +||imagiflex.com^ +||imaginableblushsensor.com^ +||imaginableexecutedmedal.com^ +||imaginaryawarehygienic.com^ +||imaginaryspooky.com^ +||imagingkneelankiness.com^ +||imagoluchuan.com^ +||imamictra.com^ +||imasdk.googleapis.com^ +||imathematica.org^ +||imatrk.net^ +||imbarkfrailty.com^ +||imcdn.pro^ +||imcod.net^ +||imemediates.org^ +||imeto.site^ +||imgfeedget.com^ +||imghst-de.com^ +||imglnkd.com^ +||imglnke.com^ +||imgot.info^ +||imgot.site^ +||imgqmng.com^ +||imgsdn.com^ +||imgsniper.com^ +||imgwebfeed.com^ +||imiclk.com^ +||imidicsecular.com^ +||imitateupsettweak.com^ +||imitationname.com^ +||imitrck.net^ +||imitrk.com^ +||imkirh.com^ +||immaculategirdlewade.com^ +||immaculatestolen.com^ +||immenseatrociousrested.com^ +||immenseoriententerprise.com^ +||immersedtoddle.com^ +||immerseweariness.com^ +||immigrantbriefingcalligraphy.com^ +||immigrantpavement.com^ +||immigrationcrayon.com^ +||imminentadulthoodpresumptuous.com^ +||immoderatefranzyuri.com^ +||immoderateyielding.com^ +||immortaldeliberatelyfined.com^ +||immoxdzdke.com^ +||imp2aff.com^ +||impact-betegy.com^ +||impactdisagreementcliffs.com^ +||impactify.media^ +||impactradius-go.com^ +||impactradius.com^ +||impactserving.com^ +||impactslam.com^ +||impartial-steal.pro^ +||impartialpath.com^ +||impatientliftdiploma.com^ +||impatientlyastonishing.com^ +||impavidmarsian.com^ +||impeccablewriter.com^ +||impendingboisterousastray.com^ +||impenetrableauthorslimbs.com^ +||imperativetheirs.com^ +||imperialbattervideo.com^ +||imperialtense.com^ +||imperturbableappearance.pro^ +||imperturbableawesome.com^ +||impetremondial.com^ +||implix.com^ +||implycollected.com^ +||impofobulimic.top^ +||impolitefreakish.com^ +||impore.com^ +||importanceborder.com^ +||importanceexhibitedamiable.com^ +||importantcheapen.com^ +||importantlyshow.com^ +||imposecalm.com^ +||imposi.com^ +||impossibilityaboriginalblessed.com^ +||imposterlost.com^ +||imposterreproductionforeman.com^ +||impostersierraglands.com^ +||impostorconfused.com^ +||impostorjoketeaching.com^ +||impostororchestraherbal.com^ +||impressionableegg.pro^ +||impressioncheerfullyswig.com^ +||impressivecontinuous.com^ +||impressiveporchcooler.com^ +||impressivewhoop.com^ +||imprintmake.com^ +||improperadvantages.com^ +||impropertoothrochester.com^ +||improvebeams.com^ +||improvebin.com^ +||improvebin.xyz^ +||improvedcolumnist.com^ +||improviseprofane.com^ +||impulselikeness.com^ +||impureattirebaking.com^ +||imstks.com^ +||imuhmgptdoae.com^ +||imvjcds.com^ +||imyanmarads.com^ +||in-appadvertising.com^ +||in-bdcvlj.love^ +||in-page-push.com^ +||in-page-push.net^ +||inabsolor.com^ +||inaccessiblefebruaryimmunity.com^ +||inadmissiblesomehow.com^ +||inadnetwork.xyz^ +||inaltariaon.com^ +||inamiaaglow.life^ +||inaneamenvote.com^ +||inanitystorken.com^ +||inappi.co^ +||inappi.me^ +||inappropriate2.fun^ +||inareputaonforha.com^ +||inareputaonforhavin.com^ +||inasmedia.com^ +||inattentivereferredextend.com^ +||inbbredraxing.com^ +||inboldoreer.com^ +||inbornbird.pro^ +||inbrowserplay.com^ +||incapableenormously.com^ +||incarnategrannystem.com^ +||incarnatepicturesque.com^ +||incentivefray.com^ +||incessanteffectmyth.com^ +||incessantfinishdedicated.com^ +||incessantvocabularydreary.com^ +||incidentbunchludicrous.com^ +||inclk.com^ +||incloak.com^ +||incloseoverprotective.com^ +||includemodal.com^ +||includeoutgoingangry.com^ +||incomebreatherpartner.com^ +||incomejumpycurtains.com^ +||incomparable-pair.com^ +||incompatibleconfederatepsychological.com^ +||incompleteplacingmontleymontley.com^ +||incompleteshock.pro^ +||incompletethong.com^ +||incomprehensibleacrid.com^ +||inconsequential-working.com^ +||inconsistencygasdifficult.com^ +||inconveniencemimic.com^ +||incorphishor.com^ +||increaseplanneddoubtful.com^ +||increaseprincipal.com^ +||increasevoluntaryhour.com^ +||increasinglycockroachpolicy.com^ +||incremydeal.sbs^ +||indebannets.com^ +||indebtedatrocious.com^ +||indecisionevasion.com^ +||indefinitelytonsil.com^ +||indefinitelyunlikelyplease.com^ +||indegroeh.com^ +||indeliblehang.pro^ +||indelicatecanvas.com^ +||indelicatepokedoes.com^ +||indelphoxom.com^ +||independencelunchtime.com^ +||independenceninthdumbest.com^ +||indexeslaughter.com^ +||indexww.com^ +||indiansgenerosity.com^ +||indictmentlucidityof.com^ +||indictmentparliament.com^ +||indifferencemissile.com^ +||indigestionmarried.com^ +||indignationmapprohibited.com^ +||indignationstripesseal.com^ +||indiscreetarcadia.com^ +||indiscreetjobroutine.com^ +||indisputablegailyatrocity.com^ +||indisputableulteriorraspberry.com^ +||indodrioor.com^ +||indooritalian.com^ +||indor.site^ +||inedibleendless.com^ +||ineffectivebrieflyarchitect.com^ +||ineffectivenaive.com^ +||ineptsaw.com^ +||inestimableloiteringextortion.com^ +||inexpedientdatagourmet.com^ +||inexplicablecarelessfairly.com^ +||infamousprescribe.com^ +||infanterole.com^ +||infatuated-difference.pro^ +||infectedrepentearl.com^ +||inferiorkate.com^ +||infestpunishment.com^ +||infindiasernment.com^ +||infinitypixel.online^ +||infirmaryboss.com^ +||inflameemanent.cam^ +||inflateimpediment.com^ +||inflationbreedinghoax.com^ +||inflationhumanity.com^ +||inflationmileage.com^ +||inflectionhaughtyconcluded.com^ +||inflectionquake.com^ +||infles.com^ +||inflictgive.com^ +||influencedbox.com^ +||influencedsmell.com^ +||influencer2020.com^ +||influencesow.com^ +||influenzathumphumidity.com^ +||influxtabloidkid.com^ +||influxtravellingpublicly.com^ +||infnexhjihlxyhf.xyz^ +||infonewsz.care^ +||infopicked.com^ +||informalequipment.pro^ +||informationpenetrateconsidering.com^ +||informedderiderollback.com^ +||informereng.com^ +||informeresapp.com^ +||infra.systems^ +||infractructurelegislation.com^ +||infrashift.com^ +||infuriateseducinghurry.com^ +||ingablorkmetion.com^ +||ingigalitha.com^ +||ingotedbooze.com^ +||ingotheremplo.info^ +||ingredientwritten.com^ +||ingsinspiringt.info^ +||inhabitantsherry.com^ +||inhabitkosha.com^ +||inhabitsensationdeadline.com^ +||inhaleecstatic.com^ +||inhanceego.com^ +||inherentdecide.com^ +||inheritancepillar.com^ +||inheritedgeneralrailroad.com^ +||inheritedgravysuspected.com^ +||inheritedunstable.com^ +||inheritedwren.com^ +||inheritknow.com^ +||inhospitablebamboograduate.com^ +||inhospitablededucefairness.com^ +||inhospitablemasculinerasp.com^ +||inhumanswancondo.com^ +||initiallycoffee.com^ +||initiallycompetitionunderwear.com^ +||initiateadvancedhighlyinfo-program.info^ +||injcxwircl.com^ +||injectreunionshorter.com^ +||injuredjazz.com^ +||injuredripplegentleman.com^ +||injuryglidejovial.com^ +||inkestyle.net^ +||inkfeedmausoleum.com^ +||inkingleran.com^ +||inklikesearce.com^ +||inklinkor.com^ +||inkornesto.com^ +||inksgurjun.top^ +||inkstorulus.top^ +||inkstorylikeness.com^ +||inktad.com^ +||inlugiar.com^ +||inmespritr.com^ +||inmhh.com^ +||inminuner.com^ +||innbyhqtltpivpg.xyz^ +||inncreasukedrev.info^ +||innity.net^ +||innocencestrungdocumentation.com^ +||innocent154.fun^ +||innovationcomet.com^ +||innovationlizard.com^ +||inntentativeflame.com^ +||innyweakela.co^ +||inoculateconsessionconsessioneuropean.com^ +||inopportunelowestattune.com^ +||inorseph.xyz^ +||inpage-push.com^ +||inpage-push.net^ +||inpagepush.com^ +||inputwriter.com^ +||inquiredcriticalprosecution.com^ +||inquiryblue.com^ +||inquiryclank.com^ +||inrhyhorntor.com^ +||inrotomr.com^ +||inrsfubuavjii.xyz^ +||insanitycongestion.com^ +||insanityquietlyviolent.com^ +||inscribereclaim.com^ +||inscriptiontinkledecrepit.com^ +||insectearly.com^ +||insecurepaint.pro^ +||insecurepainting.pro^ +||insecuritydisproveballoon.com^ +||insensibleconjecturefirm.com^ +||insensitivedramaaudience.com^ +||insensitiveintegertransactions.com^ +||inseparablebeamsdavid.com^ +||insertjav182.fun^ +||insertludicrousintimidating.com^ +||inservinea.com^ +||inshelmetan.com^ +||insideconnectionsprinting.com^ +||insideofnews.com^ +||insightexpress.com^ +||insightexpressai.com^ +||insigit.com^ +||insistauthorities.com^ +||insistballisticclone.com^ +||insistent-worker.com^ +||insistinestimable.com^ +||insistpeerbeef.com^ +||insitepromotion.com^ +||insnative.com^ +||insouloxymel.com^ +||inspakedolts.shop^ +||inspectcol.com^ +||inspectmergersharpen.com^ +||inspectorstrongerpill.com^ +||inspikon.com^ +||inspiringperiods.com^ +||inspxtrc.com^ +||instaflrt.com^ +||install-adblockers.com^ +||install-adblocking.com^ +||install-check.com^ +||install-extension.com^ +||installationconsiderableunaccustomed.com^ +||installscolumnist.com^ +||installslocalweep.com^ +||instancesflushedslander.com^ +||instant-adblock.xyz^ +||instantdollarz.com^ +||instantlyallergic.com^ +||instantlyharmony.com^ +||instantnewzz.com^ +||instarspouff.shop^ +||instaruptilt.com^ +||instinctiveads.com^ +||institutehopelessbeck.com^ +||instraffic.com^ +||instructive-glass.com^ +||instructiveengine.pro^ +||instructoroccurrencebag.com^ +||instructscornfulshoes.com^ +||instrumenttactics.com^ +||insultingnoisysubjects.com^ +||insultingvaultinherited.com^ +||insultoccupyamazed.com^ +||insultresignation.com^ +||insurecarrot.com^ +||inswebt.com^ +||inswellbathes.com^ +||integralinstalledmoody.com^ +||integrationproducerbeing.com^ +||integrityprinciplesthorough.com^ +||intellectpunch.com^ +||intellectualhide.com^ +||intellectualintellect.com^ +||intellibanners.com^ +||intelligenceadx.com^ +||intelligenceconcerning.com^ +||intelligenceretarget.com^ +||intelligentcombined.com^ +||intelligentjump.com^ +||intellipopup.com^ +||intendedeasiestlost.com^ +||intendedoutput.com^ +||intentanalysis.com^ +||intentbinary.com^ +||intentionalbeggar.com^ +||intentionscommunity.com^ +||intentionscurved.com^ +||intentionsplacingextraordinary.com^ +||inter1ads.com^ +||interbasevideopregnant.com^ +||interbuzznews.com^ +||interclics.com^ +||interdependentpredestine.com^ +||interdfp.com^ +||interestalonginsensitive.com^ +||interestededit.com^ +||interestingpracticable.com^ +||interestmoments.com^ +||interestsubsidereason.com^ +||interfacemotleyharden.com^ +||interference350.fun^ +||intergient.com^ +||interimmemory.com^ +||interiorchalk.com^ +||intermediatebelownomad.com^ +||intermediatelattice.com^ +||internewsweb.com^ +||internodeid.com^ +||interpersonalskillse.info^ +||interplanetary.video^ +||interposedflickhip.com^ +||interpretprogrammesmap.com^ +||interrogationpeepchat.com^ +||interruptchalkedlie.com^ +||interruptionapartswiftly.com^ +||intersads.com^ +||intersectionboth.com^ +||intersectionweigh.com^ +||interstateflannelsideway.com^ +||interstitial-07.com^ +||interstitial-08.com^ +||intervention304.fun^ +||intervention423.fun^ +||interviewabonnement.com^ +||interviewearnestlyseized.com^ +||interviewidiomantidote.com^ +||interviewsore.com^ +||intimacybroadcast.com^ +||intimidatekerneljames.com^ +||intnative.com^ +||intnotif.club^ +||intolerableshrinestrung.com^ +||intorterraon.com^ +||intothespirits.com^ +||intrafic22.com^ +||intricateinscription.com^ +||intriguingsuede.com^ +||intro4ads.com^ +||introphin.com^ +||intruderalreadypromising.com^ +||intrustedzone.site^ +||intuitiontrenchproduces.com^ +||intunetossed.shop^ +||intuseseorita.com^ +||inumbreonr.com^ +||inupnae.com^ +||inurneddoggish.com^ +||invaderimmenseimplication.com^ +||invaluablebuildroam.com^ +||invariablyunpredictable.com^ +||invast.site^ +||inventionallocatewall.com^ +||inventionwere.com^ +||inventionyolk.com^ +||inventoryproducedjustice.com^ +||inventsloosely.com^ +||investcoma.com^ +||investigationsuperbprone.com^ +||invibravaa.com^ +||invisiblepine.com^ +||invitewingorphan.com^ +||invol.co^ +||involvementvindictive.com^ +||invordones.com^ +||inwardinjustice.com^ +||inwraptsekane.com^ +||ioadserve.com^ +||iociley.com^ +||iodicrebuff.com^ +||iodideeyebath.cam^ +||iodinedulylisten.com^ +||ioffers.icu^ +||iogjhbnoypg.com^ +||ionigravida.com^ +||ioniserpinones.com^ +||ioniseryeaoman.shop^ +||ionistkhaya.website^ +||ionogenbakutu.shop^ +||iononetravoy.com^ +||ionscormationwind.info^ +||ionwindonpetropic.info^ +||iopiopiop.net^ +||ioredi.com^ +||iovia-pmj.com^ +||ip00am4sn.com^ +||ipcejez.com^ +||iphaigra.xyz^ +||iphumiki.com^ +||ipmentrandingsw.com^ +||ippleshiswashis.info^ +||ipqnteseqrf.xyz^ +||ipredictive.com^ +||iprom.net^ +||ipromcloud.com^ +||ipsaigloumishi.net^ +||ipsowrite.com^ +||iptautup.com^ +||iptoagroulu.net^ +||ipurseeh.xyz^ +||iqmlcia.com^ +||iqpqoamhyccih.xyz^ +||iqrkkaooorvx.com^ +||iqtest365.online^ +||irbtwjy.com^ +||irbysdeepcy.com^ +||iredindeedeisasb.com^ +||iredirect.net^ +||iresandal.info^ +||irhpzbrnoyf.com^ +||irisaffectioneducate.com^ +||irishormone.com^ +||irisunitepleased.com^ +||irkantyip.com^ +||irkerecue.com^ +||irksomefiery.com^ +||irmyckddtm.com^ +||irnmh.fun^ +||ironcladtrouble.com^ +||ironicaldried.com^ +||ironicnickraspberry.com^ +||irousbisayan.com^ +||irradiateher.com^ +||irradiatestartle.com^ +||irrationalcontagiousbean.com^ +||irrationalsternstormy.com^ +||irregularstripes.com^ +||irresponsibilityhookup.com^ +||irresponsibilityprograms.com^ +||irries.com^ +||irritableironymeltdown.com^ +||irritablepopcornwanderer.com^ +||irritateinformantmeddle.com^ +||irritationunderage.com^ +||irtya.com^ +||irtyf.com^ +||isabellagodpointy.com^ +||isabellahopepancake.com^ +||isaminecutitis.shop^ +||isawthenews.com^ +||isbnrs.com^ +||isboost.co.jp^ +||isbycgqyhsze.world^ +||isdrzkoyvrcao.com^ +||isgost.com^ +||ishousumo.com^ +||isiu0w9gv.com^ +||islamiclyricallyvariable.com^ +||islandgeneric.com^ +||islandracistreleased.com^ +||islerobserpent.com^ +||ismlks.com^ +||isobaresoffit.com^ +||isobelheartburntips.com^ +||isobelincidentally.com^ +||isohits.com^ +||isolatedovercomepasted.com^ +||isolatedransom.com^ +||isolationoranges.com^ +||isparkmedia.com^ +||isreputysolomo.com^ +||issomeoneinth.info^ +||issuedindiscreetcounsel.com^ +||istkechaukrguk.com^ +||istlnkbn.com^ +||istoanaugrub.xyz^ +||istsldaheh.com^ +||iswhatappyouneed.net^ +||iszjwxqpyxjg.com^ +||italianexpecting.com^ +||italianextended.com^ +||italianforesee.com^ +||italianhackwary.com^ +||italianout.com^ +||italitecasbah.com^ +||itblisseyer.com^ +||itcameruptr.com^ +||itchhandwritingimpetuous.com^ +||itchinglikely.com^ +||itchingselfless.com^ +||itchytidying.com^ +||itcleffaom.com^ +||itdise.info^ +||itemolgaer.com^ +||itemperrycreek.com^ +||itespurrom.com^ +||itflorgesan.com^ +||itgiblean.com^ +||itheatmoran.com^ +||ithocawauthaglu.net^ +||ithoughtsustache.info^ +||iththinleldedallov.info^ +||itineraryborn.com^ +||itinerarymonarchy.com^ +||itlitleoan.com^ +||itmamoswineer.com^ +||itnhosioqb.com^ +||itnuzleafan.com^ +||itpatratr.com^ +||itponytaa.com^ +||itpqdzs.com^ +||itrigra.ru^ +||itroggenrolaa.com^ +||itrustzone.site^ +||itselforder.com^ +||itskiddien.club^ +||itskiddoan.club^ +||itsparedhonor.com^ +||itswabluon.com^ +||ittogepiom.com^ +||ittontrinevengre.info^ +||ittorchicer.com^ +||ittoxicroakon.club^ +||ittyphlosiona.com^ +||itukydteamwouk.com^ +||itundermineoperative.com^ +||itvalleynews.com^ +||itweedler.com^ +||itweepinbelltor.com^ +||itwoheflewround.info^ +||ityonatallco.info^ +||itzekromom.com^ +||iuc1.online^ +||iuc1.space^ +||iudleaky.shop^ +||iuqmon117bj1f4.shop^ +||iuwzdf.com^ +||iv-akuifxp.love^ +||ivemjdir-g.top^ +||ivesofefinegold.info^ +||ivggagxczuoc.com^ +||ivoacooghoug.xyz^ +||ivoryvestigeminus.com^ +||ivoukraufu.com^ +||ivstracker.net^ +||ivtqo.com^ +||ivuzjfkqzx.com^ +||ivycarryingpillar.com^ +||ivyrethink.com^ +||iwalrfpapfdn.xyz^ +||iwantuonly.com^ +||iwantusingle.com^ +||iwhejirurage.com^ +||iwhoosty.com^ +||iwmavidtg.com^ +||iwouhoft.com^ +||iwovfiidszrk.tech^ +||iwuh.org^ +||iwwznvvqzwqw.com^ +||iwyrldaeiyv.com^ +||ixafr.com^ +||ixnow.xyz^ +||ixnp.com^ +||ixtbiwi-jf.world^ +||ixwereksbeforeb.info^ +||ixwloxw.com^ +||ixxljgh.com^ +||iy8yhpmgrcpwkcvh.pro^ +||iyfbodn.com^ +||iyfnz.com^ +||iyfnzgb.com^ +||iyoztgdrxbcs.com^ +||iyqaosd.com^ +||iystrbftlwif.icu^ +||iyyuvkd.com^ +||iyzhcfro.com^ +||izapteensuls.com^ +||izavugne.com^ +||izbmbmt.com^ +||izeeto.com^ +||izitrckr.com^ +||izjzkye.com^ +||izlok.xyz^ +||izlutev.com^ +||izoaghiwoft.net^ +||izrnvo.com^ +||izumoukraumsew.net^ +||j45.webringporn.com^ +||j6mn99mr0m2n.com^ +||j6rudlybdy.com^ +||ja2n2u30a6rgyd.com^ +||jaabviwvh.com^ +||jaadms.com^ +||jaavnacsdw.com^ +||jackao.net^ +||jacketexpedient.com^ +||jacketzerobelieved.com^ +||jackpotcollation.com^ +||jackpotcontribute.com^ +||jacksonduct.com^ +||jacksonours.com^ +||jaclottens.live^ +||jacmolta.com^ +||jacqsojijukj.xyz^ +||jacsmuvkymw.com^ +||jacwkbauzs.com^ +||jadcenter.com^ +||jads.co^ +||jaftouja.net^ +||jaggedshoebruised.com^ +||jaggedunaccustomeddime.com^ +||jagnoans.com^ +||jaifeeveely.com^ +||jaigaivi.xyz^ +||jainecizous.xyz^ +||jaineshy.com^ +||jaipheeph.com^ +||jaiphoaptom.net^ +||jakescribble.com^ +||jaletemetia.com^ +||jalewaads.com^ +||jambosmodesty.com^ +||jamstech.store^ +||janads.shop^ +||janemmf.com^ +||jangiddywashed.com^ +||jangleachy.com^ +||jangonetwork.com^ +||janitorhalfchronicle.com^ +||januaryprinter.com^ +||janzmuarcst.com^ +||japanbros.com^ +||japegr.click^ +||japootchust.net^ +||japw.cloud^ +||jaqxaqoxwhce.com^ +||jareechargu.xyz^ +||jargonwillinglybetrayal.com^ +||jarguvie.xyz^ +||jarsoalton.com^ +||jarteerteen.com^ +||jarvispopsu.com^ +||jashautchord.com^ +||jatfugios.com^ +||jatobaviruela.com^ +||jatomayfair.life^ +||jattepush.com^ +||jaubeebe.net^ +||jaubumashiphi.net^ +||jauchuwa.net^ +||jaudoleewe.xyz^ +||jaumevie.com^ +||jauntycrystal.com^ +||jaupaptaifoaw.net^ +||jauphauzee.net^ +||jaupozup.xyz^ +||jaurouth.xyz^ +||jauwaust.com^ +||java8.xyz^ +||javabsence11.fun^ +||javacid.fun^ +||javascriptcdnlive.com^ +||javdawn.fun^ +||javgenetic11.fun^ +||javgg.eu^ +||javgulf.fun^ +||javjean.fun^ +||javlicense11.fun^ +||javmanager11.fun^ +||javmust.fun^ +||javpremium11.fun^ +||javtrouble11.fun^ +||javtype.fun^ +||javunaware11.fun^ +||javwait.fun^ +||jawanbun.com^ +||jawinfallible.com^ +||jawpcowpeas.top^ +||jazzlowness.com^ +||jazzyzest.cfd^ +||jb-dqxiin.today^ +||jbbyyryezqqvq.top^ +||jbib-hxyf.icu^ +||jblkvlyurssx.xyz^ +||jbm6c54upkui.com^ +||jbrlsr.com^ +||jbtul.com^ +||jbvoejzamqjzl.top^ +||jbwiujl.com^ +||jbzmwqmqwowaz.top^ +||jc32arlvqpv8.com^ +||jcedzifarqa.com^ +||jclrwjceymgec.com^ +||jcosjpir.com^ +||jcqueawk.xyz^ +||jcrnbnw.com^ +||jd3j7g5z1fqs.com^ +||jdeekqk-bjqt.fun^ +||jdoeknc.com^ +||jdoqocy.com^ +||jdspvwgxbtcgkd.xyz^ +||jdt8.net^ +||jealousstarw.shop^ +||jealousupholdpleaded.com^ +||jealousyingeniouspaths.com^ +||jealousyscreamrepaired.com^ +||jeannenoises.com^ +||jeanspurrcleopatra.com^ +||jebhnmggi.xyz^ +||jechusou.com^ +||jecoglegru.com^ +||jecromaha.info^ +||jeczxxq.com^ +||jedcocklaund.top^ +||jeefaiwochuh.net^ +||jeehathu.com^ +||jeejujou.net^ +||jeekomih.com^ +||jeerouse.xyz^ +||jeersoddisprove.com^ +||jeeryzest.com^ +||jeesaupt.com^ +||jeestauglahity.net^ +||jeetyetmedia.com^ +||jefweev.com^ +||jeghosso.net^ +||jegoypoabxtrp.com^ +||jehobsee.com^ +||jeinugsnkwe.xyz^ +||jekesjzv.com^ +||jelllearnedhungry.com^ +||jellyhelpless.com^ +||jellyprehistoricpersevere.com^ +||jelokeryevbyy.top^ +||jemonews.com^ +||jeniz.xyz^ +||jenkincraved.com^ +||jennyunfit.com^ +||jennyvisits.com^ +||jenonaw.com^ +||jeopardizegovernor.com^ +||jeopardycruel.com^ +||jeopardyselfservice.com^ +||jeperdee.net^ +||jepsauveel.net^ +||jergocast.com^ +||jerkisle.com^ +||jeroud.com^ +||jerseydisplayed.com^ +||jerusalemstatedstill.com^ +||jerust.com^ +||jessamyimprovementdepression.com^ +||jestbiases.com^ +||jestinquire.com^ +||jetordinarilysouvenirs.com^ +||jetseparation.com^ +||jetti.site^ +||jetx.info^ +||jewbushpisay.top^ +||jewdombenin.com^ +||jewelbeeperinflection.com^ +||jewelcampaign.com^ +||jewelstastesrecovery.com^ +||jewgn8une.com^ +||jewhouca.net^ +||jezailmasking.com^ +||jezer.site^ +||jeziahkechel.top^ +||jf-bloply.one^ +||jf71qh5v14.com^ +||jfdkemniwjceh.com^ +||jfiavkaxdm.com^ +||jfjle4g5l.com^ +||jfjlfah.com^ +||jfkc5pwa.world^ +||jfnjgiq.com^ +||jfoaxwbatlic.com^ +||jgfuxnrloev.com^ +||jggegj-rtbix.top^ +||jggldfvx.com^ +||jghjhtz.com^ +||jgltbxlougpg.xyz^ +||jgqaainj.buzz^ +||jgrjldc.com^ +||jgxavkopotthxj.xyz^ +||jhkfd.com^ +||jhsnshueyt.click^ +||jhulubwidas.com^ +||jhwo.info^ +||jibbahazara.top^ +||jicamadoless.com^ +||jicamasosteal.shop^ +||jiclzori.com^ +||jicmivojvsa.com^ +||jidroumsaghetu.xyz^ +||jifflebreasts.com^ +||jighucme.com^ +||jigsawchristianlive.com^ +||jigsawthirsty.com^ +||jikbwoozvci.com^ +||jikicotho.pro^ +||jikzudkkispi.com^ +||jillbuildertuck.com^ +||jindepux.xyz^ +||jingalbundles.com^ +||jinglehalfbakedparticle.com^ +||jinripkk.com^ +||jipperbehoot.shop^ +||jipsegoasho.com^ +||jiqeni.xyz^ +||jiqiv.com^ +||jissingirgoa.com^ +||jitanvlw.com^ +||jitoassy.com^ +||jiwire.com^ +||jixffuwhon.com^ +||jizzarchives.com^ +||jizzensirrah.com^ +||jjbmukufwu.com^ +||jjcwq.site^ +||jjmrmeovo.world^ +||jjthmis.com^ +||jjvpbstg.com^ +||jk4lmrf2.de^ +||jkepmztst.com^ +||jkha742.xyz^ +||jklpy.com^ +||jkls.life^ +||jkyawbabvjeq.top^ +||jkyawbmyvqez.top^ +||jkzakzalzorvb.top^ +||jl63v3fp1.com^ +||jlovoiqtgarh.com^ +||jltfqoxyhytayy.com^ +||jmaomkosxfi.com^ +||jmopproojsc.xyz^ +||jmpmedia.club^ +||jmrnews.pro^ +||jmt7mbwce.com^ +||jmtbmqchgpw.xyz^ +||jmxgwesrte.com^ +||jnhjpdayvpzj.com^ +||jnlldyq.com^ +||jnnjthg.com^ +||jnrgcwf.com^ +||jnrtavp2x66u.com^ +||jnxm2.com^ +||joacofiphich.net^ +||joaglouwulin.com^ +||joagroamy.com^ +||joahahewhoo.net^ +||joajazaicoa.xyz^ +||joamenoofoag.net^ +||joaqaylueycfqw.xyz^ +||joastaca.com^ +||joastoom.xyz^ +||joastoopsu.xyz^ +||joathath.com^ +||joberopolicycr.com^ +||jobeyeball.com^ +||jobfilletfortitude.com^ +||jobfukectivetr.com^ +||joblouder.com^ +||jobsonationsing.com^ +||jobsyndicate.com^ +||jocauzee.net^ +||jodl.cloud^ +||joemythsomething.com^ +||jogcu.com^ +||joggingavenge.com^ +||jogglenetwork.com^ +||joiningindulgeyawn.com^ +||joiningslogan.com^ +||joiningwon.com^ +||joinpropeller.com^ +||joinsportsnow.com^ +||jojqyxrmh.com^ +||jokersguaiac.shop^ +||jokingzealotgossipy.com^ +||jolecyclist.com^ +||joltidiotichighest.com^ +||joluw.net^ +||jomtingi.net^ +||jonaspair.com^ +||jonaswhiskeyheartbeat.com^ +||joocophoograumo.net^ +||joodugropup.com^ +||joograika.xyz^ +||joogruphezefaul.net^ +||jookaureate.com^ +||jookouky.net^ +||joomisomushisuw.net^ +||joomxer.fun^ +||joopaish.com^ +||jootizud.net^ +||joozoowoak.net^ +||jopbvpsglwfm.com^ +||joptodsougegauw.com^ +||joqowqyaarewj.top^ +||jorbfstarn.com^ +||jorttiuyng.com^ +||josephineravine.com^ +||josfrvq.com^ +||josiehopeless.com^ +||josiepigroot.com^ +||josieunethical.com^ +||josjrhtot.com^ +||jotterswirrah.com^ +||joucaigloa.net^ +||joucefeet.xyz^ +||jouchuthin.com^ +||joudauhee.com^ +||joudotee.com^ +||jouj-equar.one^ +||joukaglie.com^ +||joupheewuci.net^ +||journeyblobsjigsaw.com^ +||jouteetu.net^ +||jouwaikekaivep.net^ +||jouwhoanepoob.xyz^ +||jouzoapi.com^ +||jovialwoman.com^ +||jowingtykhana.click^ +||jowlishdiviner.com^ +||jowyylrzbamz.top^ +||joxaviri.com^ +||joycreatorheader.com^ +||joydirtinessremark.com^ +||joyfulassistant.pro^ +||joyfultabloid.top^ +||joyous-housing.pro^ +||joyous-north.pro^ +||joyous-storage.pro^ +||joyousruthwest.com^ +||jpgtrk.com^ +||jpmkbcgx-o.buzz^ +||jpmpwwmtw.com^ +||jpooavwizlvf.com^ +||jqjpwocbgtxlkw.com^ +||jqmebwvmbbby.top^ +||jqmebwvmbrvz.top^ +||jqtqoknktzy.space^ +||jqtree.com^ +||jqueryoi.com^ +||jqueryserve.org^ +||jqueryserver.com^ +||jqzeleyry.com^ +||jriortnf.com^ +||jrpkizae.com^ +||jrtbjai.com^ +||jrtonirogeayb.com^ +||jrtyi.club^ +||jrzrqi0au.com^ +||js-check.com^ +||js.manga1000.top^ +||js2json.com^ +||js7k.com^ +||jsadapi.com^ +||jscdn.online^ +||jscloud.org^ +||jscount.com^ +||jsdelvr.com^ +||jsfeedadsget.com^ +||jsfir.cyou^ +||jsftzha.com^ +||jsfuz.com^ +||jsiygcyzrhg.club^ +||jsmcrpu.com^ +||jsmcrt.com^ +||jsmentry.com^ +||jsmjmp.com^ +||jsmpsi.com^ +||jsmpus.com^ +||jsontdsexit.com^ +||jsretra.com^ +||jssearch.net^ +||jssejsnvdy.com^ +||jswww.net^ +||jtegqwmjfxu.site^ +||jubacasziel.shop^ +||jubnaadserve.com^ +||jubsaugn.com^ +||jucysh.com^ +||judebelii.com^ +||judgementhavocexcitement.com^ +||judgmentpolitycheerless.com^ +||judicated.com^ +||judicialclinging.com^ +||judosllyn.com^ +||judruwough.com^ +||juftujelsou.net^ +||jugerfowells.com^ +||jugnepha.xyz^ +||juhlkuu.com^ +||juiceadv.com^ +||juiceadv.net^ +||juicyads.me^ +||juicycash.net^ +||jukseeng.net^ +||jukulree.xyz^ +||jullyambery.net^ +||julolecalve.website^ +||julrdr.com^ +||julyouncecat.com^ +||jumbln.com^ +||jumbo-insurance.pro^ +||jumboaffiliates.com^ +||jump-path1.com^ +||jumpedanxious.com^ +||jumperdivecourtroom.com^ +||jumperformalityexhausted.com^ +||jumperfundingjog.com^ +||jumptap.com^ +||junglehikingfence.com^ +||juniorapplesconsonant.com^ +||junivmr.com^ +||junkettypika.shop^ +||junkieswudge.com^ +||junkmildredsuffering.com^ +||junmediadirect.com^ +||junmediadirect1.com^ +||jupabwmocgqxeo.com^ +||jurgeeph.net^ +||juricts.xyz^ +||jurisdiction423.fun^ +||jursoateed.com^ +||jursp.com^ +||juryolympicsspookily.com^ +||juslsp.info^ +||juslxp.com^ +||just-news.pro^ +||justey.com^ +||justgetitfaster.com^ +||justificationjay.com^ +||justifiedcramp.com^ +||justjav11.fun^ +||justonemorenews.com^ +||justpremium.com^ +||justrelevant.com^ +||justservingfiles.net^ +||jutyledu.pro^ +||juzaugleed.com^ +||jvcjnmd.com^ +||jvmhtxiqdfr.xyz^ +||jwalf.com^ +||jwamnd.com^ +||jwia0.top^ +||jwympcc.com^ +||jxldpjxcp.com^ +||jxlxeeo.com^ +||jxxnnhdgbfo.xyz^ +||jxybgyu.com^ +||jybaekajjmqrz.top^ +||jycrjkuspyv.fun^ +||jycrmvvyplmq.com^ +||jyfirjqojg.xyz^ +||jygcv.sbs^ +||jygotubvpyguak.com^ +||jyusesoionsglear.info^ +||jywczbx.com^ +||jyzkut.com^ +||jzeapwlruols.com^ +||jzplabcvvy.com^ +||jzqbyykbrrbkq.top^ +||jztucbb.com^ +||jztwidpixa.icu^ +||jzycnlq.com^ +||k-oggwkhhxt.love^ +||k55p9ka2.de^ +||k5zoom.com^ +||k68tkg.com^ +||k8ik878i.top^ +||k9gj.site^ +||kaarheciqa.xyz^ +||kaascypher.com^ +||kabakamarbles.top^ +||kabardmarrot.com^ +||kabarnaira.com^ +||kabudckn.com^ +||kacukrunitsoo.net^ +||kadrawheerga.com^ +||kadrefaurg.net^ +||kagnaimsoa.net^ +||kagnejule.xyz^ +||kagodiwij.site^ +||kagrooxa.net^ +||kaifiluk.com^ +||kaigaidoujin.com^ +||kaigroaru.com^ +||kaijooth.net^ +||kailsfrot.com^ +||kaipteet.com^ +||kaisauwoure.net^ +||kaitakavixen.shop^ +||kaiu-marketing.com^ +||kaizzz.xyz^ +||kalauxet.com^ +||kaleidoscopeadjacent.com^ +||kaleidoscopefingernaildigging.com^ +||kaleidoscopepincers.com^ +||kalkvisrecit.shop^ +||kalseech.xyz^ +||kaltoamsouty.net^ +||kamachilinins.com^ +||kamahiunvisor.shop^ +||kamalafooner.space^ +||kamassmyalia.com^ +||kamiaidenn.shop^ +||kaminari.space^ +||kaminari.systems^ +||kamnebo.info^ +||kangaroohiccups.com^ +||kanoodle.com^ +||kantiwl.com^ +||kaorpyqtjjld.com^ +||kaqhfijxlkbfa.xyz^ +||kaqppajmofte.com^ +||karafutem.com^ +||karaiterather.shop^ +||karatssashoon.com^ +||karayarillock.cam^ +||karoon.xyz^ +||karstsnill.com^ +||karwobeton.com^ +||kastafor.com^ +||katebugs.com^ +||katecrochetvanity.com^ +||katerigordas.pro^ +||kathesygri.com^ +||katukaunamiss.com^ +||kaubapsy.com^ +||kaucatap.net^ +||kaujouphosta.com^ +||kaulaijeepul.top^ +||kauleeci.com^ +||kauraishojy.com^ +||kaurieseluxate.com^ +||kauriessizzler.shop^ +||kaushooptawo.net^ +||kauzishy.com^ +||kavanga.ru^ +||kawcuhscyapn.com^ +||kawhopsi.com^ +||kaxjtkvgo.com^ +||kayoesfervor.com^ +||kazanante.com^ +||kbadguhvqig.xyz^ +||kbadkxocv.com^ +||kbao7755.de^ +||kbbwgbqmu.xyz^ +||kbjn-sibltg.icu^ +||kbnmnl.com^ +||kbnujcqx.xyz^ +||kbugxeslbjc8.com^ +||kcdn.xyz^ +||kcggmyeag.com^ +||kczu-ohhuf.site^ +||kdlktswsqhpd.com^ +||kdmjvnk.com^ +||keajs.com^ +||kedasensiblem.info^ +||kedasensiblemot.com^ +||kedsabou.net^ +||keedaipa.xyz^ +||keefeezo.net^ +||keegoagrauptach.net^ +||keegooch.com^ +||keemuhoagou.com^ +||keen-slip.com^ +||keenmagwife.live^ +||keenmosquitosadly.com^ +||keephoamoaph.com^ +||keepinfit.net^ +||keepingconcerned.com^ +||keepsosto.com^ +||keewoach.net^ +||kefeagreatase.info^ +||kegimminent.com^ +||kegnupha.com^ +||kegsandremembrance.com^ +||kehalim.com^ +||keiztimzdbjt.click^ +||kekrouwi.xyz^ +||kektds.com^ +||kekw.website^ +||kelekkraits.com^ +||kelopronto.com^ +||kelpiesregna.com^ +||kelreesh.xyz^ +||kelticsully.guru^ +||kemaz.xyz^ +||kemoachoubsosti.xyz^ +||kendosliny.com^ +||kenduktur.com^ +||kennelbakerybasketball.com^ +||kenomal.com^ +||kensecuryrentat.info^ +||kentorjose.com^ +||kepnatick.com^ +||ker2clk.com^ +||keraclya.com^ +||kergaukr.com^ +||kerryfluence.com^ +||kertzmann.com^ +||kerumal.com^ +||kesevitamus.com^ +||kesseolluck.com^ +||ketchupethichaze.com^ +||ketheappyrin.com^ +||ketoo.com^ +||ketseestoog.net^ +||kettakihome.com^ +||kettlemisplacestate.com^ +||kexarvamr.com^ +||kexojito.com^ +||keydawnawe.com^ +||keynotefool.com^ +||keypush.net^ +||keyrolan.com^ +||keyuyloap.com^ +||keywordblocks.com^ +||keywordsconnect.com^ +||kfeuewvbd.com^ +||kffxyakqgbprk.xyz^ +||kfjhd.com^ +||kfngvuu.com^ +||kgdvs9ov3l2aasw4nuts.com^ +||kgfjrb711.com^ +||kgfrstw.com^ +||kgiulbvj.com^ +||kgvvvgxtvi.rocks^ +||kgyhxdh.com^ +||kh-bkcvqxc.online^ +||khangalenten.click^ +||khanjeeyapness.website^ +||khatexcepeded.info^ +||khekwufgwbl.com^ +||khhkfcf.com^ +||khngkkcwtlnu.com^ +||kiaughsviner.com^ +||kibyglsp.top^ +||kichelgibsons.shop^ +||kicka.xyz^ +||kickchecking.com^ +||kiczrqo.com^ +||kidjackson.com^ +||kidnapdilemma.com^ +||kidslinecover.com^ +||kiestercentry.com^ +||kiftajojuy.xyz^ +||kihudevo.pro^ +||kiklazopnqce.com^ +||kikoucuy.net^ +||kiksajex.com^ +||killconvincing.com^ +||killerrubacknowledge.com^ +||killigwessel.shop^ +||killingscramblego.com^ +||killstudyingoperative.com^ +||kilmunt.top^ +||kimbcxs.com^ +||kimberlite.io^ +||kimpowhu.net^ +||kimsacka.net^ +||kinarilyhukelpfulin.com^ +||kinbashful.com^ +||kind-lecture.com^ +||kindergarteninitiallyprotector.com^ +||kindlebaldjoe.com^ +||kindnessmarshalping.com^ +||kineckekyu.com^ +||kinedivast.top^ +||king3rsc7ol9e3ge.com^ +||kingads.mobi^ +||kingrecommendation.com^ +||kingsfranzper.com^ +||kingtrck1.com^ +||kinitstar.com^ +||kinkywhoopfilm.com^ +||kinley.com^ +||kinoneeloign.com^ +||kinripen.com^ +||kipchakshoat.shop^ +||kiretafly.com^ +||kirteexe.tv^ +||kirujh.com^ +||kiss88.top^ +||kistutch.net^ +||kitabislicuri.com^ +||kitchencafeso.com^ +||kithoasou.com^ +||kitnmedia.com^ +||kitrigthy.com^ +||kittensuccessful.com^ +||kitwkuouldhukel.xyz^ +||kityour.com^ +||kiweftours.com^ +||kiwhopoardeg.net^ +||kixestalsie.net^ +||kiynew.com^ +||kizohilsoa.net^ +||kizxixktimur.com^ +||kjkulnpfdhn.com^ +||kjsvvnzcto.com^ +||kjyouhp.com^ +||kkjuu.xyz^ +||kkmacsqsbf.info^ +||kkqcnrk.com^ +||kkuabdkharhi.com^ +||kkualfvtaot.com^ +||kkvesjzn.com^ +||klenhosnc.com^ +||klh3j19w.xyz^ +||klhswcxt-o.icu^ +||klikadvertising.com^ +||kliksaya.com^ +||klinoclifts.top^ +||klipmart.com^ +||kliqz.com^ +||klixfeed.com^ +||kljhsanvj.com^ +||klmainprost.com^ +||klmmnd.com^ +||klonedaset.org^ +||kloperd.com^ +||kloynfsag.com^ +||klpgmansuchcesu.com^ +||klsdee.com^ +||klspkjyub-n.xyz^ +||klutzesobarne.top^ +||klvfrpqfa.com^ +||km-kryxqvt.site^ +||kmbjerbaafdn.global^ +||kmgzyug.com^ +||kmodukuleqasfo.info^ +||kmupo.one^ +||kmyunderthf.info^ +||knackedphoned.com^ +||knbobfcgrbm.xyz^ +||kncecafvdeu.info^ +||kndaspiratioty.org^ +||kndaspiratiotyuk.com^ +||kneeansweras.com^ +||kneeletromero.com^ +||kneescarbohydrate.com^ +||kneescountdownenforcement.com^ +||kneltopeningfit.com^ +||knewallpendulum.com^ +||knewfeisty.com^ +||knewsportingappreciate.com^ +||knewwholesomecharming.com^ +||knifebackfiretraveller.com^ +||knifeimmoderateshovel.com^ +||knittedcourthouse.com^ +||knittedplus.com^ +||knivesdrunkard.com^ +||knivesprincessbitterness.com^ +||knivessimulatorherein.com^ +||knlrfijhvch.com^ +||knockedcherries.com^ +||knothubby.com^ +||knottyactive.pro^ +||knowd.com^ +||knowfloor.com^ +||knowledconsideunden.info^ +||knowledgepretend.com^ +||knowmakeshalfmoon.com^ +||knownwarn.com^ +||knpfx.life^ +||kntodvofiyjjl.xyz^ +||knubletupgrow.shop^ +||knursfullam.com^ +||knutenegros.pro^ +||koabapeed.com^ +||koafaimoor.net^ +||koafaupesurvey.space^ +||koahoocom.com^ +||koakoucaisho.com^ +||koalaups.com^ +||koaneeto.xyz^ +||koapsout.com^ +||koapsuha.net^ +||koaptausoaco.net^ +||koaptouw.com^ +||koataigalupo.net^ +||koawipheela.xyz^ +||koazowapsib.net^ +||kobeden.com^ +||kocairdo.net^ +||kocauthoaw.xyz^ +||kogutcho.net^ +||koiaripolymny.com^ +||koindut.com^ +||kokotrokot.com^ +||kolerevprivatedqu.com^ +||koleyo.xyz^ +||kolkwi4tzicraamabilis.com^ +||kolleqasforsale.com^ +||kologyrtyndwean.info^ +||koluraishimtouw.net^ +||komarchlupoid.com^ +||konradsheriff.com^ +||kontextua.com^ +||kooboaphe.com^ +||koocash.com^ +||koocawhaido.net^ +||koocoofy.com^ +||koogreep.com^ +||koomowailiwuzou.net^ +||koophaip.net^ +||koovaubi.xyz^ +||kopeukasrsiha.com^ +||korexo.com^ +||korgiejoinyou.com^ +||korporatefinau.org^ +||korrelate.net^ +||kosininia.com^ +||kostprice.com^ +||kotokot.com^ +||kotzzdwl.com^ +||kouceeptait.com^ +||koucerie.com^ +||kouphouwhajee.net^ +||koupuchoust.net^ +||koushauwhie.xyz^ +||kousjcignye.com^ +||koutobey.net^ +||kowhinauwoulsas.net^ +||koyshxlxljv.com^ +||kpaagnosdzih.com^ +||kpbmqxucd.com^ +||kpgks.online^ +||kpjuilkzfi.com^ +||kq272lw4c.com^ +||kqbjdvighp.com^ +||kqhgjmap.com^ +||kqhi97lf.de^ +||kqiivrxlal.xyz^ +||kqmffmth.xyz^ +||kqodiohzucg.com^ +||kqrcijq.com^ +||kquzgqf.com^ +||kqzyfj.com^ +||kra18.com^ +||krankenwagenmotor.com^ +||kraoqsvumatd.com^ +||krazil.com^ +||krigialinters.top^ +||krisydark.com^ +||krivo.buzz^ +||krjxhvyyzp.com^ +||krkstrk.com^ +||kronosspell.com^ +||krqmfmh.com^ +||ksandtheirclean.org^ +||ksehinkitw.hair^ +||kskillsombineu.com^ +||ksnbtmz.com^ +||ksnooastqr.xyz^ +||kspmaaiayadg.com^ +||kstjqjuaw.xyz^ +||ksyompbwor.xyz^ +||kt5850pjz0.com^ +||ktikpuruxasq.com^ +||ktkjmp.com^ +||ktkvcpqyh.xyz^ +||ktpcsqnij.com^ +||ktureukworekto.com^ +||ktxvbcbfs.xyz^ +||ktzvyiia.xyz^ +||ku2d3a7pa8mdi.com^ +||ku42hjr2e.com^ +||kubachigugal.com^ +||kubicadza.xyz^ +||kubicserves.icu^ +||kueezrtb.com^ +||kughouft.net^ +||kuhxhoanlf.com^ +||kujbxpbphyca.com^ +||kukrosti.com^ +||kulakiayme.com^ +||kulangflook.shop^ +||kulsaibs.net^ +||kultingecauyuksehinkitw.info^ +||kumparso.com^ +||kumpulblogger.com^ +||kumteerg.com^ +||kunvertads.com^ +||kupvtoacgowp.com^ +||kuqgrelpiamw.com^ +||kuqpdxek.today^ +||kurdirsojougly.net^ +||kurjutodbxca.com^ +||kurlipush.com^ +||kuroptip.com^ +||kurrimsaswti.com^ +||kursatarak.com^ +||kusciwaqfkaw.com^ +||kusjyfwishbhtgg.com^ +||kustaucu.com^ +||kutdbbfy.xyz^ +||kuthoost.net^ +||kutsouleghoar.net^ +||kuurza.com^ +||kuvoansub.com^ +||kuwhudsa.com^ +||kuwoucaxoad.com^ +||kuxatsiw.net^ +||kuxfsgwjkfu.com^ +||kvaaa.com^ +||kvdmuxy.com^ +||kvecc.com^ +||kvemm.com^ +||kveww.com^ +||kvexx.com^ +||kvezz.com^ +||kvgbtozgcmox.com^ +||kviglxabhwwhf.xyz^ +||kvjkkwyomjrx.com^ +||kvovs.xyz^ +||kvtgl4who.com^ +||kvum-bpelzw.icu^ +||kvymlsb.com^ +||kw3y5otoeuniv7e9rsi.com^ +||kwbgmufi.com^ +||kwdflqos.com^ +||kwedzcq.com^ +||kwiydaw.com^ +||kwkrptykad.xyz^ +||kwtnhdrmbx.com^ +||kwux-uudx.online^ +||kxjanwkatrixltf.xyz^ +||kxkqqycs.xyz^ +||kxnggkh2nj.com^ +||kxshyo.com^ +||kxxdxikksc.space^ +||kymirasite.pro^ +||kypjzznihczh.online^ +||kyteevl.com^ +||kz2oq0xm6ie7gn5dkswlpv6mfgci8yoe3xlqp12gjotp5fdjxs5ckztb8rzn.codes^ +||kzcdgja.com^ +||kzdxpcn.com^ +||kzt2afc1rp52.com^ +||kzvcggahkgm.com^ +||kzzwi.com^ +||l-iw.de^ +||l1native.com^ +||l1vec4ms.com^ +||l3g3media.com^ +||l45fciti2kxi.com^ +||la-la-moon.com^ +||la-la-sf.com^ +||labadena.com^ +||labeldollars.com^ +||labourattention.com^ +||labourcucumberarena.com^ +||labourerlavender.com^ +||labourmuttering.com^ +||labsappland.com^ +||labtfeavcan.com^ +||labthraces.shop^ +||lacecoming.com^ +||lacecompressarena.com^ +||laceratehard.com^ +||lacerateinventorwaspish.com^ +||lackawopsik.xyz^ +||lacklesslacklesscringe.com^ +||lacmoudoossaiss.net^ +||lacquerreddeform.com^ +||lactantsurety.top^ +||lacycuratedhil.org^ +||ladbrokesaffiliates.com.au^ +||ladnet.co^ +||ladnova.info^ +||ladrecaidroo.com^ +||ladsabs.com^ +||ladsans.com^ +||ladsats.com^ +||ladsatz.com^ +||ladsecs.com^ +||ladsecz.com^ +||ladsims.com^ +||ladsips.com^ +||ladsipz.com^ +||ladskiz.com^ +||ladsmoney.com^ +||ladsp.com^ +||ladyrottendrudgery.com^ +||laf1ma3eban85ana.com^ +||lafakevideo.com^ +||lafastnews.com^ +||lagabsurdityconstrain.com^ +||laggerozonid.website^ +||lagrys.xyz^ +||lagt.cloud^ +||lagxsntduepv.online^ +||lahemal.com^ +||laichook.net^ +||laichourooso.xyz^ +||laihoana.com^ +||laikaush.com^ +||laikigaiptepty.net^ +||laimeerulaujaul.net^ +||laimroll.ru^ +||lainaumi.com^ +||laincomprehensiblepurchaser.com^ +||lairauque.com^ +||laitushous.com^ +||laivue.com^ +||lajjmqeshj.com^ +||lakequincy.com^ +||lakinarmure.com^ +||lakmus.xyz^ +||lalaping.com^ +||lalapush.com^ +||lalokdocwl.com^ +||lambingsyddir.com^ +||lamburnsay.live^ +||lame7bsqu8barters.com^ +||lamentinsecureheadlight.com^ +||lamjpiarmas.com^ +||lammasbananas.com^ +||lampdrewcupid.com^ +||lamplynx.com^ +||lamppostharmoniousunaware.com^ +||lampshademirror.com^ +||lamrissmyol.com^ +||lanceforthwith.com^ +||landelcut.com^ +||landerhq.com^ +||landitmounttheworld.com^ +||landmarkfootnotary.com^ +||landscapeuproar.com^ +||landwaycru.com^ +||laneyounger.com^ +||languidintentgained.com^ +||languishnervousroe.com^ +||lanknewcomer.com^ +||lanky-bar.com^ +||lanopoon.net^ +||lansaimplemuke.com^ +||lantchaupbear.shop^ +||lantodomirus.com^ +||lanzonmotlier.click^ +||laolcwsd.tech^ +||lapachoscrumpy.top^ +||lapnicjaqxu.com^ +||lapseboomacid.com^ +||lapsebreak.com^ +||lapsephototroop.com^ +||lapsestwiggy.top^ +||laptweakbriefly.com^ +||lapypushistyye.com^ +||laquearhokan.com^ +||larasub.conxxx.pro^ +||larchesrotates.com^ +||lardapplications.com^ +||lardpersecuteunskilled.com^ +||larentisol.com^ +||larepogeys.top^ +||largeharass.com^ +||largestloitering.com^ +||laridaetrionfo.top^ +||larkenjoyedborn.com^ +||larnox.info^ +||larrenpicture.pro^ +||lartoomsauby.com^ +||las4srv.com^ +||lascivioushelpfulstool.com^ +||lasciviousregardedherald.com^ +||laserdandelionhelp.com^ +||laserdrivepreview.com^ +||laserharasslined.com^ +||lashahib.net^ +||lassampy.com^ +||lastlyseaweedgoose.com^ +||lastookeptom.net^ +||latchwaitress.com^ +||late-anxiety.com^ +||latest-news.pro^ +||latestsocial.com^ +||latheendsmoo.com^ +||latinwayy.com^ +||lator308aoe.com^ +||latrinehelves.com^ +||lattermailmandumbest.com^ +||laudianauchlet.com^ +||laughedaffront.com^ +||laughedrevealedpears.com^ +||laughingrecordinggossipy.com^ +||laughteroccasionallywarp.com^ +||laugoust.com^ +||lauhefoo.com^ +||lauhoosh.net^ +||laukaivi.net^ +||laulme.info^ +||launch1266.fun^ +||launchbit.com^ +||laundrydesert.com^ +||laupelezoow.xyz^ +||lauphoonajup.net^ +||laureevie.com^ +||laustiboo.com^ +||laustoowagosha.net^ +||lavatorydownybasket.com^ +||lavatoryhitschoolmaster.com^ +||lavenderhierarchy.com^ +||lavenderthingsmark.com^ +||lavendertyre.com^ +||lavufa.uno^ +||lawcmabfoqal.com^ +||lawishkukri.com^ +||lawnsacing.top^ +||lawsbuffet.com^ +||lawsuniversitywarning.com^ +||laxativestuckunclog.com^ +||laxpanvzelz.com^ +||layer-ad.org^ +||layeravowportent.com^ +||layerloop.com^ +||layermutual.com^ +||layerrepeatedlychancy.com^ +||layingracistbrainless.com^ +||laylmty.com^ +||lazyrelentless.com^ +||lbjxsort.xyz^ +||lby2kd27c.com^ +||lcfooiqhro.com^ +||lcloperoxeo.xyz^ +||lcmbppikwtxujc.xyz^ +||lcolumnstoodth.info^ +||lcwnlhy.com^ +||lcxxwxo.com^ +||ldbqxwbqdz.com^ +||ldedallover.info^ +||ldimnveryldgitwe.xyz^ +||ldjcteyoq.com^ +||ldjudcpc-qxm.icu^ +||ldjyvegage.com^ +||ldmeukeuktyoue.com^ +||ldrendreaming.info^ +||ldthinkhimun.com^ +||lduhtrp.net^ +||leachysubarch.shop^ +||lead1.pl^ +||leadadvert.info^ +||leadbolt.net^ +||leadcola.com^ +||leadenretain.com^ +||leadingservicesintimate.com^ +||leadmediapartners.com^ +||leadscorehub-view.info^ +||leadsecnow.com^ +||leadshurriedlysoak.com^ +||leadsleap.net^ +||leadzu.com^ +||leadzupc.com^ +||leadzutw.com^ +||leafletcensorrescue.com^ +||leafletluckypassive.com^ +||leafletsmakesunpleasant.com^ +||leafy-feel.com^ +||leaguedispleasedjut.com^ +||leanbathroom.com^ +||leanwhitepinafo.org^ +||leapcompatriotjangle.com^ +||leapretrieval.com^ +||leardragonapp.monster^ +||learningcontainscaterpillar.com^ +||learntinga.com^ +||leasemiracle.com^ +||leashextendposh.com^ +||leashmotto.com^ +||leashrationaldived.com^ +||leatmansures.com^ +||leaveoverwork.com^ +||leaveundo.com^ +||leavingenteredoxide.com^ +||leavingsuper.com^ +||lebinaphy.com^ +||lebratent.com^ +||lecapush.net^ +||lecdhuq.com^ +||lecticashaptan.com^ +||ledhatbet.com^ +||ledrapti.net^ +||leebegruwech.com^ +||leechiza.net^ +||leefosto.com^ +||leegaroo.xyz^ +||leegreemula.net^ +||leepephah.com^ +||leeptoadeesh.net^ +||leesaushoah.net^ +||leetaipt.net^ +||leetdyeing.top^ +||leeteehigloothu.net^ +||leetmedia.com^ +||leezeept.com^ +||leezoama.net^ +||leforgotteddisg.info^ +||left-world.com^ +||leftoverstatistics.com^ +||leftshoemakerexpecting.com^ +||legal-weight.pro^ +||legalchained.com^ +||legalizedistil.com^ +||legalsofafalter.com^ +||legasgiv.com^ +||legcatastrophetransmitted.com^ +||legendaryremarkwiser.com^ +||legerikath.com^ +||leggymomme.top^ +||leghairy.net^ +||legiblyosmols.top^ +||legiswoollen.shop^ +||legitimatelubricant.com^ +||legitimatemess.pro^ +||legitimatepowers.com^ +||lehechapunevent.com^ +||lehemhavita.club^ +||lehmergambits.click^ +||lehoacku.net^ +||leisurebrain.com^ +||leisurehazearcher.com^ +||leisurelyeaglepestilent.com^ +||leisurelypizzascarlet.com^ +||lekaleregoldfor.com^ +||lelesidesukbeing.info^ +||lelrouxoay.com^ +||lelruftoutufoux.net^ +||lementwrencespri.info^ +||lemetri.info^ +||lemitsuz.net^ +||lemmaheralds.com^ +||lemotherofhe.com^ +||lemouwee.com^ +||lemsoodol.com^ +||lengthjavgg124.fun^ +||lenkmio.com^ +||lenmit.com^ +||lenopoteretol.com^ +||lentculturalstudied.com^ +||lenthyblent.com^ +||lentmatchwith.info^ +||lentmatchwithyou.com^ +||lentoidreboast.top^ +||leojmp.com^ +||leonbetvouum.com^ +||leonistenstyle.com^ +||leonodikeu9sj10.com^ +||leoparddisappearcrumble.com^ +||leopardenhance.com^ +||leopardfaithfulbetray.com^ +||leoyard.com^ +||lepetitdiary.com^ +||lephaush.net^ +||lepiotaspectry.com^ +||leqcp.online^ +||lernodydenknow.info^ +||leroaboy.net^ +||leroonge.xyz^ +||lerrdoriak.com^ +||lessencontraceptive.com^ +||lesserdragged.com^ +||lessite.pro^ +||lessonworkman.com^ +||letaikay.net^ +||letinclusionbone.com^ +||letitnews.com^ +||letitredir.com^ +||letqejcjo.xyz^ +||letsbegin.online^ +||letstry69.xyz^ +||letterslamp.online^ +||letterwolves.com^ +||leukemianarrow.com^ +||leukemiaruns.com^ +||leveragetypicalreflections.com^ +||leverseriouslyremarks.com^ +||leveryone.info^ +||levityheartinstrument.com^ +||levityquestionshandcuff.com^ +||levyteenagercrushing.com^ +||lewdl.com^ +||lewlanderpurgan.com^ +||lexicoggeegaw.website^ +||lf8q.online^ +||lfeaqcozlbki.com^ +||lflcbcb.com^ +||lfstmedia.com^ +||lgepbups.xyz^ +||lgjtvyurnivf.com^ +||lgs3ctypw.com^ +||lgse.com^ +||lgtdkpfnor.com^ +||lgzfcnvbjiny.global^ +||lh031i88q.com^ +||lhamjcpnpqb.xyz^ +||lhbrkotf.xyz^ +||lhioqxkralmy.com^ +||lhmos.com^ +||lhukudauwklhd.xyz^ +||li.blogtrottr.com^ +||liabilitygenerator.com^ +||liabilityspend.com^ +||liablematches.com^ +||liabletablesoviet.com^ +||liadm.com^ +||liambafaying.com^ +||lianzl.xyz^ +||liaoptse.net^ +||liarcram.com^ +||libedgolart.com^ +||libellousstaunch.com^ +||libelradioactive.com^ +||libertycdn.com^ +||libertystmedia.com^ +||libraryglowingjo.com^ +||libsjamdani.shop^ +||licantrum.com^ +||licenceconsiderably.com^ +||lickingimprovementpropulsion.com^ +||lidburger.com^ +||liddenlywilli.org^ +||lidsaich.net^ +||lieforepawsado.com^ +||liegelygosport.com^ +||lifeboatdetrimentlibrarian.com^ +||lifeimpressions.net^ +||lifemoodmichelle.com^ +||lifeporn.net^ +||lifesoonersoar.org^ +||lifetds.com^ +||lifetimeagriculturalproducer.com^ +||lifiads.com^ +||lifootsouft.com^ +||liftdna.com^ +||liftedd.net^ +||ligatus.com^ +||light-coat.pro^ +||lightenintimacy.com^ +||lightfoot.top^ +||lightimpregnable.com^ +||lightningbarrelwretch.com^ +||lightningcast.net^ +||lightningly.co^ +||lightningobstinacy.com^ +||lightsriot.com^ +||lightssyrupdecree.com^ +||liglomsoltuwhax.net^ +||ligninenchant.com^ +||ligvraojlrr.com^ +||lijjk.space^ +||likeads.com^ +||likecontrol.com^ +||likedstring.com^ +||likedtocometot.info^ +||likelihoodrevolution.com^ +||likenessmockery.com^ +||likenewvids.online^ +||likescenesfocused.com^ +||likinginconvenientpolitically.com^ +||likropersourgu.net^ +||liktufmruav.com^ +||likutaencoil.shop^ +||lilacbeaten.com^ +||lilcybu.com^ +||lilureem.com^ +||lilyhumility.com^ +||lilyrealitycourthouse.com^ +||lilysuffocateacademy.com^ +||limberkilnman.cam^ +||limbievireos.com^ +||limboduty.com^ +||limbrooms.com^ +||limeaboriginal.com^ +||limineshucks.com^ +||limitedfight.pro^ +||limitedkettlemathematical.com^ +||limitesrifer.com^ +||limitlessascertain.com^ +||limitssimultaneous.com^ +||limneraminic.click^ +||limoners.com^ +||limpattemptnoose.com^ +||limpghebeta.shop^ +||limping-plane.pro^ +||limpingpick.com^ +||limurol.com^ +||lin01.bid^ +||lindasmensagens.online^ +||linearsubdued.com^ +||lingamretene.com^ +||lingerdisquietcute.com^ +||lingerincle.com^ +||lingetunearth.top^ +||lingosurveys.com^ +||lingrethertantin.com^ +||lingswhod.shop^ +||liningdoimmigrant.com^ +||liningemigrant.com^ +||link2thesafeplayer.click^ +||linkadvdirect.com^ +||linkbuddies.com^ +||linkchangesnow.com^ +||linkedprepenseprepense.com^ +||linkedrethink.com^ +||linkelevator.com^ +||linkev.com^ +||linkexchange.com^ +||linkhaitao.com^ +||linkmanglazers.com^ +||linkmepu.com^ +||linkoffers.net^ +||linkonclick.com^ +||linkredirect.biz^ +||linkreferral.com^ +||linksecurecd.com^ +||linksprf.com^ +||linsaicki.net^ +||lintgallondissipate.com^ +||lintyahimsas.com^ +||liondolularhene.com^ +||liondolularhene.info^ +||lionessmeltdown.com^ +||lioniseunpiece.shop^ +||lipidicchaoush.com^ +||lipqkoxzy.com^ +||lipsoowesto.net^ +||liqikxqpx.com^ +||liquidfire.mobi^ +||liquorelectric.com^ +||liskpiculs.shop^ +||list-ads.com^ +||listbrandnew.com^ +||listenedmusician.com^ +||listoukectivetr.com^ +||listsbuttock.com^ +||litarnrajol.com^ +||litdeetar.live^ +||literalpraisepassengers.com^ +||literaryonboard.com^ +||literaturehogwhack.com^ +||literaturerehearsesteal.com^ +||literatureunderstatement.com^ +||literpeore.com^ +||liton311ark.com^ +||littlecdn.com^ +||littlecutecats.com^ +||littlecutelions.com^ +||littleearthquakeprivacy.com^ +||littleworthjuvenile.com^ +||litukydteamw.com^ +||litvp.com^ +||livabledefamer.shop^ +||live-a-live.com^ +||livedskateraisin.com^ +||livedspoonsbun.com^ +||liveleadtracking.com^ +||livelytusk.com^ +||livesexbar.com^ +||livestockfeaturenecessary.com^ +||livewe.click^ +||livezombymil.com^ +||livingshedhowever.com^ +||livrfufzios.com^ +||livvbkx-vejj.xyz^ +||livxlilsq.click^ +||lixnirokjqp.com^ +||lizzieforcepincers.com^ +||ljlvftvryjowdm.xyz^ +||ljnhkytpgez.com^ +||ljr3.site^ +||ljsr-ijbcxvq.online^ +||lkcoffe.com^ +||lkdvvxvtsq6o.com^ +||lkg6g644.de^ +||lkhfkjp.com^ +||lkkemywlsyxsq.xyz^ +||lkmedcjyh.xyz^ +||lkpmprksau.com^ +||lkqd.net^ +||lksbnrs.com^ +||lkxahvf.com^ +||llalo.click^ +||llbonxcqltulds.xyz^ +||lljultmdl.xyz^ +||llozybovlozvk.top^ +||llq9q2lacr.com^ +||lluwrenwsfh.xyz^ +||llyighaboveth.com^ +||lmaghokalqji.xyz^ +||lmdfmd.com^ +||lmeegwxcasdyo.com^ +||lmgyjug31.com^ +||lmj8i.pro^ +||lmn-pou-win.com^ +||lmorabfuj.com^ +||lmp3.org^ +||lnabew.com^ +||lnbdbdo.com^ +||lndonclkds.com^ +||lnhamforma.info^ +||lnk2.cfd^ +||lnk8j7.com^ +||lnkfast.com^ +||lnkfrsgrt.xyz^ +||lnkrdr.com^ +||lnkvv.com^ +||lnky9.top^ +||lntrigulngdates.com^ +||lnuqlyoejdpb.com^ +||lo8ve6ygour3pea4cee.com^ +||loadecouhi.net^ +||loader.netzwelt.de^ +||loadercdn.com^ +||loading-resource.com^ +||loadingscripts.com^ +||loadtime.org^ +||loaducaup.xyz^ +||loafsmash.com^ +||loagoshy.net^ +||loajawun.com^ +||loaksandtheir.info^ +||loanxas.xyz^ +||loaptaijuw.com^ +||loastees.net^ +||loathecurvedrepress.com^ +||loatheskeletonethic.com^ +||loavolougloatom.net^ +||loazuptaice.net^ +||lobatehellion.top^ +||lobbiessurfman.top^ +||lobby-x.eu^ +||lobesforcing.com^ +||loboclick.com^ +||lobsudsauhiw.xyz^ +||local-flirt.com^ +||localedgemedia.com^ +||locallycompare.com^ +||localslutsnearme.com^ +||localsnaughty.com^ +||locatedstructure.com^ +||locatejest.com^ +||locationaircondition.com^ +||lockdowncautionmentally.com^ +||locked-link.com^ +||lockeddippickle.com^ +||lockerantiquityelaborate.com^ +||lockerdomecdn.com^ +||lockersatelic.cam^ +||lockerstagger.com^ +||locketcattishson.com^ +||locketthose.com^ +||lockingcooperationoverprotective.com^ +||lockingvesselbaseless.com^ +||locomotivetroutliquidate.com^ +||locooler-ageneral.com^ +||locrinelongish.com^ +||locusflourishgarlic.com^ +||lodgedynamitebook.com^ +||lodgesweet.com^ +||loftempedur.net^ +||loftersvisaya.com^ +||loftknowing.com^ +||loftsbaacad.com^ +||loftyeliteseparate.com^ +||lofvmrnpbxqbh.com^ +||loghutouft.net^ +||logicconfinement.com^ +||logicdate.com^ +||logicdripping.com^ +||logicorganized.com^ +||logicschort.com^ +||logilyusheen.shop^ +||loginlockssignal.com^ +||logresempales.shop^ +||logsgroupknew.com^ +||logshort.xyz^ +||logsjthhxsbfzw.com^ +||logystowtencon.info^ +||loheveeheegh.net^ +||loijtoottuleringv.info^ +||loinpriestinfected.com^ +||loiteringcoaltuesday.com^ +||loivpcn.com^ +||loketsaucy.com^ +||lokrojecukr.com^ +||loktrk.com^ +||lolco.net^ +||lolsefti.com^ +||loneextreme.pro^ +||lonelytransienttrail.com^ +||lonerdrawn.com/watch.1008407049393.js +||lonerdrawn.com^ +||lonerprevailed.com^ +||lonfilliongin.com^ +||long1x.xyz^ +||longarctic.com^ +||longerhorns.com^ +||longestencouragerobber.com^ +||longestwaileddeadlock.com^ +||longingarsonistexemplify.com^ +||longlakeweb.com^ +||longmansuchcesu.info^ +||loobilysubdebs.com^ +||loodauni.com^ +||loohiwez.net^ +||lookandfind.me^ +||lookebonyhill.com^ +||lookinews.com^ +||lookingnull.com^ +||lookmommynohands.com^ +||lookoutabjectinterfere.com^ +||looksblazeconfidentiality.com^ +||looksdashboardcome.com^ +||lookshouldthin.com^ +||looktotheright.com^ +||lookwhippedoppressive.com^ +||loolausufouw.com^ +||loolowhy.com^ +||looluchu.com^ +||loomplyer.com^ +||loomscald.com^ +||loomspreadingnamely.com^ +||looodrxopzvi.com^ +||loooutlet.com^ +||loopanews.com^ +||loopme.me^ +||loopr.co^ +||looscreech.com^ +||loose-chemistry.pro^ +||loose-courage.pro^ +||looseclassroomfairfax.com^ +||loosematuritycloudless.com^ +||loosenpuppetnone.com^ +||lootexhausted.com^ +||lootynews.com^ +||loovaist.net^ +||loozubaitoa.com^ +||loppersixtes.top^ +||lopqkwmm.xyz^ +||lopsideddebate.com^ +||loqwo.site^ +||lorageiros.com^ +||loralana.com^ +||lordeeksogoatee.net^ +||lordhelpuswithssl.com^ +||lorsifteerd.net^ +||lorswhowishe.com^ +||lorybnfh.com^ +||loserwentsignify.com^ +||losespiritsdiscord.com^ +||loshaubs.com^ +||losingfunk.com^ +||losingoldfry.com^ +||losingtiger.com^ +||lossactivity.com^ +||lostdormitory.com^ +||lostinfuture.com^ +||lotclergyman.com^ +||lotreal.com^ +||lotstoleratescarf.com^ +||lotteryaffiliates.com^ +||louchaug.com^ +||louchees.net^ +||louderoink.shop^ +||louderwalnut.com^ +||loudlongerfolk.com^ +||louisedistanthat.com^ +||loukoost.net^ +||loulouly.net^ +||loulowainoopsu.net^ +||loungetackle.com^ +||loungyserger.com^ +||lourdoueisienne.website^ +||louseflippantsettle.com^ +||lousefodgel.com^ +||louses.net^ +||loushoafie.net^ +||loustran288gek.com^ +||lousyfastened.com^ +||louxoxo.com^ +||love-world.me^ +||lovehiccuppurple.com^ +||lovely-sing.pro^ +||lovelybingo.com^ +||lovemateforyou.com^ +||loverevenue.com^ +||loverfellow.com^ +||loversarrivaladventurer.com^ +||loverssloppy.com^ +||lovesparkle.space^ +||loveyousaid.info^ +||low-sad.com^ +||lowdodrioon.com^ +||lowercommander.com^ +||loweredinflammable.com^ +||lowestportedexams.com^ +||lowgliscorr.com^ +||lowgraveleron.com^ +||lowleafeontor.com^ +||lowlifeimprovedproxy.com^ +||lowlifesalad.com^ +||lownoc.org^ +||lowremoraidon.com^ +||lowrihouston.pro^ +||lowseelan.com^ +||lowsmoochumom.com^ +||lowsteelixor.com^ +||lowtyroguer.com^ +||lowtyruntor.com^ +||loxitdat.com^ +||loxtk.com^ +||loyalracingelder.com^ +||loyeesihighlyreco.info^ +||lozeecalreek.com^ +||lozna.xyz^ +||lp-preview.net^ +||lp247p.com^ +||lpair.xyz^ +||lpaoz.xyz^ +||lparket.com^ +||lpawakkabpho.com^ +||lpeqztx.com^ +||lpernedasesium.com^ +||lpewiduqiq.com^ +||lpmcr1h7z.com^ +||lpmugcevks.com^ +||lptiljy.com^ +||lptrak.com^ +||lptrck.com^ +||lptyuosfcv.com^ +||lpuafmkidvm.com^ +||lqbzuny.com^ +||lqcaznzllnrfh.com^ +||lqcdn.com^ +||lqclick.com^ +||lqcngjecijy.rocks^ +||lqgenuq-j.life^ +||lqtiwevsan.com^ +||lr-in.com^ +||lraonxdikxi.com^ +||lreqmoonpjka.com^ +||lrhomznfev.com^ +||lrkfuheobm.one^ +||lryofjrfogp.com^ +||lsandothesaber.org^ +||lsgpxqe.com^ +||lsgwkbk.com^ +||lsjne.com^ +||lskillsexkcerl.com^ +||lsuwndhxt.com^ +||lszydrtzsh.com^ +||ltapsxz.xyz^ +||ltassrv.com.s3.amazonaws.com^ +||ltassrv.com^ +||ltcwjnko.xyz^ +||ltengronsa.com^ +||ltetrailwaysint.org^ +||ltmuzcp.com^ +||ltmywtp.com^ +||ltrac4vyw.com^ +||lubbardstrouds.com^ +||lubowitz.biz^ +||lubricantexaminer.com^ +||luciditycuddle.com^ +||lucidityhormone.com^ +||lucidlymutualnauseous.com^ +||lucidmedia.com^ +||luciuspushedsensible.com^ +||luckaltute.net^ +||luckilyhurry.com^ +||lucklayed.info^ +||luckyads.pro^ +||luckyforbet.com^ +||luckypapa.xyz^ +||luckypushh.com^ +||luckyz.xyz^ +||lucrinearraign.com^ +||lucubrado.info^ +||ludabmanros.com^ +||ludsaichid.net^ +||ludxivsakalg.com^ +||luggagebuttonlocum.com^ +||luhhcodutax.com^ +||lukeaccesspopped.com^ +||lukeexposure.com^ +||lukpush.com^ +||lumaktoys.com^ +||lumberperpetual.com^ +||luminosoocchio.com^ +||luminousstickswar.com^ +||lumnstoodthe.info^ +||lumpilap.net^ +||lumpmainly.com^ +||lumpy-skirt.pro^ +||lumpyactive.com^ +||lumpyouter.com^ +||lumtogle.net^ +||lumupu.xyz^ +||lumxts.com^ +||luncheonbeehive.com^ +||lunchvenomous.com^ +||lungersleaven.click^ +||lungicko.net^ +||lungingunified.com^ +||lunio.net^ +||luofinality.com^ +||lupininmiscook.shop^ +||lupvaqvfeka.com^ +||lurdoocu.com^ +||lureillegimateillegimate.com^ +||lurgaimt.net^ +||lurkfibberband.com^ +||lurkgenerally.com^ +||luronews.com^ +||lusaisso.com^ +||luscioussensitivenesssavour.com^ +||lusciouswrittenthat.com^ +||lusfusvawov.com^ +||lushaseex.com^ +||lushcrush.com^ +||lusinlepading.com^ +||lust-burning.rest^ +||lust-goddess.buzz^ +||lustasserted.com^ +||lutachechu.pro^ +||lutoorgourgi.com^ +||lutrineextant.com^ +||luuming.com^ +||luvaihoo.com^ +||luwcp.online^ +||luwip.online^ +||luwt.cloud^ +||luxadv.com^ +||luxbetaffiliates.com.au^ +||luxcdn.com^ +||luxestassal.shop^ +||luxins.net^ +||luxlnk.com^ +||luxope.com^ +||luxup.ru^ +||luxup2.ru^ +||luxupadva.com^ +||luxupcdna.com^ +||luxupcdnb.com^ +||luxupcdnc.com^ +||luxuriousannotation.com^ +||luxuriousbreastfeeding.com^ +||luxuryfluencylength.com^ +||luyten-98c.com^ +||lv5hj.top^ +||lv9qr0g0.xyz^ +||lvbaeugc.com^ +||lvhcqaku.com^ +||lvodomo.info^ +||lvojjayaaoqym.top^ +||lvsnmgg.com^ +||lvw7k4d3j.com^ +||lw2dplgt8.com^ +||lwgadm.com^ +||lwjje.com^ +||lwjvyd.com^ +||lwlagvxxyyuha.xyz^ +||lwnbts.com^ +||lwonclbench.com^ +||lwoqroszooq.com^ +||lwrnikzjpp.com^ +||lwxeuckgpt.com^ +||lwxuo.com^ +||lx2rv.com^ +||lxkzcss.xyz^ +||lxlpoydodf.com^ +||lxnkuie.com^ +||lxqjy-obtr.love^ +||lxstat.com^ +||lycheenews.com^ +||lycopuscris.com^ +||lycoty.com^ +||lydiacorneredreflect.com^ +||lydiapain.com^ +||lyearsfoundhertob.com^ +||lyingdownt.xyz^ +||lyingleisurelycontagious.com^ +||lylufhuxqwi.com^ +||lymckensecuryren.org^ +||lyncherpelitic.com^ +||lyonthrill.com^ +||lyricalattorneyexplorer.com^ +||lyricaldefy.com^ +||lyricslocusvaried.com^ +||lyricspartnerindecent.com^ +||lysim-lre.com^ +||lyssapebble.com^ +||lyticaframeofm.com^ +||lywasnothycanty.info^ +||lyzenoti.pro^ +||lzhsm.xyz^ +||lzjl.com^ +||lzoasvofvzw.com^ +||lzqmjakwlllvk.top^ +||lzukrobrykk.com^ +||lzxdx24yib.com^ +||m-fmfadcfm.icu^ +||m-rtb.com^ +||m.xrum.info^ +||m0hcppadsnq8.com^ +||m0rsq075u.com^ +||m2.ai^ +||m2pub.com^ +||m2track.co^ +||m32.media^ +||m3i0v745b.com^ +||m4su.online^ +||m53frvehb.com^ +||m73lae5cpmgrv38.com^ +||m9w6ldeg4.xyz^ +||ma3ion.com^ +||maanatirve.top^ +||maartenwhitney.shop^ +||mabolmvcuo.com^ +||mabtcaraqdho.com^ +||mabyerwaxand.click^ +||macan-native.com^ +||macaronibackachebeautify.com^ +||macaroniwalletmeddling.com^ +||machineryvegetable.com^ +||machogodynamis.com^ +||macro.adnami.io^ +||macroinknit.com^ +||madadsmedia.com^ +||madbridalmomentum.com^ +||madcpms.com^ +||maddencloset.com^ +||maddenword.com^ +||madebabysittingimperturbable.com^ +||madeevacuatecrane.com^ +||madehimalowbo.info^ +||madehugeai.live^ +||madeinvasionneedy.com^ +||madeupadoption.com^ +||madeupdependant.com^ +||madlyexcavate.com^ +||madnessindians.com^ +||madnessnumbersantiquity.com^ +||madratesforall.com^ +||madriyelowd.com^ +||madrogueindulge.com^ +||mads-fe.amazon.com^ +||madsabs.com^ +||madsans.com^ +||madsecs.com^ +||madsecz.com^ +||madserving.com^ +||madsims.com^ +||madsips.com^ +||madskis.com^ +||madslimz.com^ +||madsone.com^ +||madspmz.com^ +||madurird.com^ +||maebtjn.com^ +||maestroconfederate.com^ +||mafflerplaids.com^ +||mafiaemptyknitting.com^ +||mafiaillegal.com^ +||mafon.xyz^ +||mafrarc3e9h.com^ +||mafroad.com^ +||maftirtagetol.website^ +||magapab.com^ +||magazinenews1.xyz^ +||magazinesfluentlymercury.com^ +||magetrigla.com^ +||maggotpolity.com^ +||maghoutwell.com^ +||magicalbending.com^ +||magicalfurnishcompatriot.com^ +||magicallyitalian.com^ +||magicianboundary.com^ +||magiciancleopatramagnetic.com^ +||magicianguideours.com^ +||magicianimploredrops.com^ +||magitangly.top^ +||magmbb.com^ +||magnificent-listen.com^ +||magnificentflametemperature.com^ +||magnificentmanlyyeast.com^ +||magogvel.shop^ +||magr.cloud^ +||magsrv.com^ +||magtgingleagained.org^ +||magukaudsodo.xyz^ +||mahaidroagra.com^ +||maibaume.com^ +||maidr.pro^ +||maiglair.net^ +||maihigre.net^ +||mailboxdoablebasically.com^ +||mailboxmileageattendants.com^ +||mailwithcash.com^ +||maimacips.com^ +||maimcatssystems.com^ +||main-ti-cod.com^ +||mainadv.com^ +||mainapiary.com^ +||mainroll.com^ +||maintainedencircle.com^ +||maintenancewinning.com^ +||maipheeg.com^ +||maiptica.com^ +||maithigloab.net^ +||majesticrepresentative.pro^ +||majesticsecondary.com^ +||majestyafterwardprudent.com^ +||majestybrightennext.com^ +||major-video.click^ +||major.dvanadva.ru^ +||majorcharacter.com^ +||majordistinguishedguide.com^ +||majorhalfmoon.com^ +||majoriklink.com^ +||majoritycrackairport.com^ +||majorityevaluatewiped.com^ +||majorityfestival.com^ +||majorpushme1.com^ +||majorpushme3.com^ +||majorsmi.com^ +||majortoplink.com^ +||majorworkertop.com^ +||makeencampmentamoral.com^ +||makemyvids.com^ +||makethebusiness.com^ +||makeupenumerate.com^ +||makhzanpopulin.com^ +||making.party^ +||makingnude.com^ +||makujugalny.com^ +||malay.buzz^ +||maldini.xyz^ +||maleliteral.com^ +||malelocated.com^ +||malignantbriefcaseleading.com^ +||malletdetour.com^ +||malleteighteen.com^ +||mallettraumatize.com^ +||malleusvialed.com^ +||mallinitially.com^ +||malljazz.com^ +||malnutritionbedroomtruly.com^ +||malnutritionvisibilitybailiff.com^ +||malokgr.com^ +||malowbowohefle.info^ +||maltcontaining.com^ +||malthaeurite.com^ +||malthuscorno.shop^ +||maltohoo.xyz^ +||maltunfaithfulpredominant.com^ +||malurusoenone.top^ +||mamaunweft.click^ +||mamblubamblua.com^ +||mamimp.click^ +||mammaclassesofficer.com^ +||mammaldealbustle.com^ +||mammalsidewaysthankful.com^ +||mammocksambos.com^ +||mamseestis.xyz^ +||mamydirect.com^ +||man2ch5836dester.com^ +||managementhans.com^ +||managesborerecords.com^ +||managesrimery.top^ +||managetroubles.com^ +||manahegazedatth.info^ +||manapecmfq.com^ +||manboo.xyz^ +||manbycus.com^ +||manbycustom.org^ +||manconsider.com^ +||mandatorycaptaincountless.com^ +||mandatorypainter.com^ +||mandjasgrozde.com^ +||manduzo.xyz^ +||manentsysh.info^ +||maneuptown.com^ +||mangensaud.net^ +||mangoa.xyz^ +||mangzoi.xyz^ +||maniasensiblecompound.com^ +||maniconclavis.com^ +||maniconfiscal.top^ +||manipulativegraphic.com^ +||manitusbaclava.com^ +||mankssnug.shop^ +||mannerconflict.com^ +||manoeuvrestretchingpeer.com^ +||manoirshrine.com^ +||manompas.com^ +||manorfunctions.com^ +||manrootarbota.com^ +||mansfieldspurtvan.com^ +||manslaughterhallucinateenjoyment.com^ +||mansudee.net^ +||manualquiet.com^ +||manufacturerscornful.com^ +||manureinforms.com^ +||manureoddly.com^ +||manuretravelingaroma.com^ +||manzosui.xyz^ +||mapamnni.com^ +||mapchilde.top^ +||mapeeree.xyz^ +||maper.info^ +||maplecurriculum.com^ +||maquiags.com^ +||marapcana.online^ +||maraywreath.com^ +||marazma.com^ +||marbct.xyz^ +||marbil24.co.za^ +||marbleapplicationsblushing.com^ +||marbleborrowedours.com^ +||marcherfilippo.com^ +||marchingdishonest.com^ +||marchingpostal.com^ +||marcidknaves.com^ +||marecreateddew.com^ +||margaritaimmense.com^ +||margaritapowerclang.com^ +||marginjavgg124.fun^ +||mariadock.com^ +||marial.pro^ +||mariannestanding.com^ +||mariaretiredave.com^ +||marimedia.com^ +||marinadewomen.com^ +||marinegruffexpecting.com^ +||marineingredientinevitably.com^ +||maritaltrousersidle.com^ +||markedoneofthe.info^ +||markerleery.com^ +||marketgid.com^ +||marketingabsentremembered.com^ +||marketingbraid.com^ +||marketingenhanced.com^ +||marketinghinder.com^ +||marketland.me^ +||markreptiloid.com^ +||markshospitalitymoist.com^ +||marktworks.com^ +||markxa.xyz^ +||marphezis.com^ +||marryingsakesarcastic.com^ +||marshagalea.com^ +||marshalembeddedtreated.com^ +||marshalget.com^ +||marsin.shop^ +||martafatass.pro^ +||martenconstellation.com^ +||marti-cqh.com^ +||martinvitations.com^ +||martugnem.com^ +||martyrvindictive.com^ +||marvedesderef.info^ +||marvelbuds.com^ +||marwerreh.top^ +||masakeku.com^ +||masaxe.xyz^ +||masbpi.com^ +||masculineillness.com^ +||masklink.org^ +||masonopen.com^ +||masqueradeentrustveneering.com^ +||masqueradethousand.com^ +||massacreintentionalmemorize.com^ +||massacrepompous.com^ +||massacresurrogate.com^ +||massariuscdn.com^ +||massbrag.care^ +||massesnieces.com^ +||massiveanalyticssys.net^ +||massivetreadsuperior.com^ +||massiveunnecessarygram.com^ +||mastinstungmoreal.com^ +||mastsaultetra.org^ +||masturbaseinvegas.com^ +||matchaix.net^ +||matchingundertake.com^ +||matchjunkie.com^ +||matchuph.com^ +||matecatenae.com^ +||materialfirearm.com^ +||maternityiticy.com^ +||mathads.com^ +||mathematicalma.info^ +||mathematicsswift.com^ +||mathneedle.com^ +||mathsdelightful.com^ +||mathssyrupword.com^ +||maticalmasterouh.info^ +||matildawu.online^ +||matiro.com^ +||matricehardim.com^ +||matswhyask.cam^ +||mattockpackall.com^ +||mattressashamed.com^ +||mattressstumpcomplement.com^ +||mauchopt.net^ +||maudau.com^ +||maugrewuthigeb.net^ +||maulupoa.com^ +||mavq.net^ +||mawkggrbhsknuw.com^ +||mawlaybob.com^ +||maxbounty.com^ +||maxconvtrk.com^ +||maxigamma.com^ +||maxim.pub^ +||maximtoaster.com^ +||maximumductpictorial.com^ +||maxonclick.com^ +||maxprofitcontrol.com^ +||maxserving.com^ +||maxvaluead.com^ +||maya15.site^ +||maybejanuarycosmetics.com^ +||maybenowhereunstable.com^ +||maydeception.com^ +||maydoubloonsrelative.com^ +||mayhemabjure.com^ +||mayhemreconcileneutral.com^ +||mayhemsixtydeserves.com^ +||mayhemsurroundingstwins.com^ +||maylnk.com^ +||maymooth-stopic.com^ +||mayonnaiseplumbingpinprick.com^ +||mayorfifteen.com^ +||maypacklighthouse.com^ +||mayule.xyz^ +||mazefoam.com^ +||mb-npltfpro.com^ +||mb01.com^ +||mb102.com^ +||mb103.com^ +||mb104.com^ +||mb38.com^ +||mb57.com^ +||mbdippex.com^ +||mbidadm.com^ +||mbidinp.com^ +||mbidpsh.com^ +||mbjrkm2.com^ +||mbledeparatea.com^ +||mbnot.com^ +||mbreviewer.com^ +||mbreviews.info^ +||mbstrk.com^ +||mbuncha.com^ +||mbvlmx.com^ +||mbvlmz.com^ +||mbvsm.com^ +||mbxnzisost.com^ +||mc7clurd09pla4nrtat7ion.com^ +||mcafeescan.site^ +||mcahjwf.com^ +||mcfstats.com^ +||mcizas.com^ +||mckensecuryr.info^ +||mcovipqaxq.com^ +||mcppsh.com^ +||mcpuwpsh.com^ +||mcpuwpush.com^ +||mcrertpgdjbvj.com^ +||mcvfbvgy.xyz^ +||mcvfjyhvyvp.com^ +||mcvtblgu.com^ +||mcxmke.com^ +||mczbf.com^ +||mdadx.com^ +||mddsp.info^ +||mdoirsw.com^ +||me4track.com^ +||me6q8.top^ +||me7x.site^ +||meagplin.com^ +||mealplanningideas.com^ +||mealrake.com^ +||meanedreshear.shop^ +||meaningfullandfallbleat.com^ +||meaningfunnyhotline.com^ +||meansneverhorrid.com^ +||meantimechimneygospel.com^ +||measlyglove.pro^ +||measts.com^ +||measuredlikelihoodperfume.com^ +||measuredsanctify.com^ +||measuredshared.com^ +||measuringcabinetclerk.com^ +||measuringrules.com^ +||meatabdicatedelicatessen.com^ +||meatjav11.fun^ +||meawo.cloud^ +||mechaelpaceway.com^ +||mechanicalcardiac.com^ +||meckaughiy.com^ +||meconicoutfish.com^ +||medbroadcast.com^ +||meddleachievehat.com^ +||meddlingwager.com^ +||medfoodsafety.com^ +||medfoodspace.com^ +||medfoodtech.com^ +||medgoodfood.com^ +||media-412.com^ +||media-general.com^ +||media-sapiens.com^ +||media6degrees.com^ +||media970.com^ +||mediaappletree.com^ +||mediabelongkilling.com^ +||mediacpm.com^ +||mediaf.media^ +||mediaforge.com^ +||mediaoaktree.com^ +||mediaonenetwork.net^ +||mediapalmtree.com^ +||mediapeartree.com^ +||mediapush1.com^ +||mediasama.com^ +||mediaserf.net^ +||mediaspineadmirable.com^ +||mediative.ca^ +||mediative.com^ +||mediatraks.com^ +||mediaver.com^ +||mediaxchange.co^ +||medical-aid.net^ +||medicalcandid.com^ +||medicalpossessionlint.com^ +||medicationneglectedshared.com^ +||medinaossal.com^ +||mediocrecount.com^ +||meditateenhancements.com^ +||mediuln.com^ +||mediumtunapatter.com^ +||medleyads.com^ +||medoofty.com^ +||medranquel.com^ +||medriz.xyz^ +||medusasglance.com^ +||medyanetads.com^ +||meeewms.com^ +||meekscooterliver.com^ +||meenetiy.com^ +||meepwrite.com^ +||meerihoh.net^ +||meerustaiwe.net^ +||meet4you.net^ +||meet4youu.com^ +||meet4youu.net^ +||meetic-partners.com^ +||meetingcoffeenostrils.com^ +||meetingrailroad.com^ +||meetwebclub.com^ +||meewireg.com^ +||meewiwechoopty.net^ +||meezauch.net^ +||mefestivalbout.com^ +||megaad.nz^ +||megabookline.com^ +||megacot.com^ +||megadeliveryn.com^ +||megdexchange.com^ +||megmhokluck.shop^ +||megmobpoi.club^ +||megnotch.xyz^ +||mekstolande.com^ +||melamedwindel.com^ +||melderhuzz.com^ +||mellatetapered.shop^ +||mellodur.net^ +||melodramaticlaughingbrandy.com^ +||melonransomhigh.com^ +||meltedacrid.com^ +||meltembrace.com^ +||membersattenuatejelly.com^ +||memberscrisis.com^ +||memia.xyz^ +||memorableanticruel.com^ +||memorablecutletbet.com^ +||memorableeditor.com^ +||mempoonsoftoow.net^ +||menacehabit.com^ +||menacing-awareness.pro^ +||menacing-feature.pro^ +||mendedrefuel.com^ +||menews.org^ +||meniscisacbut.top^ +||mentallyissue.com^ +||mentionedpretentious.com^ +||mentiopportal.org^ +||mentmastsa.org^ +||mentoremotionapril.com^ +||mentrandi.com^ +||mentrandingswo.com^ +||mentxviewsinte.info^ +||mentxviewsinterf.info^ +||meofmukindwoul.info^ +||meorzoi.xyz^ +||meowpushnot.com^ +||mepuyu.xyz^ +||merchenta.com^ +||mercifulsurveysurpass.com^ +||mercuryprettyapplication.com^ +||mercurysugarconsulting.com^ +||merelsrealm.com^ +||mergebroadlyclenched.com^ +||mergedlava.com^ +||mergeindigenous.com^ +||mergerecoil.com^ +||mergobouks.xyz^ +||mericantpastellih.org^ +||merig.xyz^ +||meritabroadauthor.com^ +||merry-hearing.pro^ +||merterpazar.com^ +||mesmerizebeasts.com^ +||mesmerizeexempt.com^ +||mesmerizemutinousleukemia.com^ +||mesodepointed.com^ +||mesqwrte.net^ +||messagereceiver.com^ +||messenger-notify.digital^ +||messenger-notify.xyz^ +||messengeridentifiers.com^ +||messengerreinsomething.com^ +||messsomehow.com^ +||messyadvance.com^ +||mestmoanful.shop^ +||mestreqa.com^ +||mestupidity.com^ +||metahv.xyz^ +||metalbow.com^ +||metatrckpixel.com^ +||metavertising.com^ +||metavertizer.com^ +||meteorclashbailey.com^ +||meteordentproposal.com^ +||methodslacca.top^ +||methodyprovand.com^ +||methoxyunpaled.com^ +||metissebifold.shop^ +||metoacrype.com^ +||metogthr.com^ +||metorealiukz.org^ +||metosk.com^ +||metredesculic.com^ +||metrica-yandex.com^ +||metrics.io^ +||metricswpsh.com^ +||metsaubs.net^ +||metzia.xyz^ +||mevarabon.com^ +||mewgzllnsp.com^ +||mexicantransmission.com^ +||mfadsrvr.com^ +||mfceqvxjdownjm.xyz^ +||mfcewkrob.com^ +||mfg8.space^ +||mflsbcasbpx.com^ +||mfthkdj.com^ +||mgcash.com^ +||mgdjmp.com^ +||mghkpg.com^ +||mgxxuqp.com^ +||mgyccfrshz.com^ +||mhadsd.com^ +||mhadst.com^ +||mhamanoxsa.com^ +||mhbyzzp.com^ +||mhcfsjbqw.com^ +||mhdiaok.com^ +||mhfkleqnjlfbqe.com^ +||mhhr.cloud^ +||mhiiopll.net^ +||mhjxsqujkk.com^ +||mhkvktz.com^ +||mhvllvgrefplg.com^ +||mhwpwcj.com^ +||mi62r416j.com^ +||mi82ltk3veb7.com^ +||miamribud.com^ +||miayarus.com^ +||micechillyorchard.com^ +||micghiga2n7ahjnnsar0fbor.com^ +||michaelschmitz.shop^ +||michealmoyite.com^ +||mickiesetheric.com^ +||microad.net^ +||microadinc.com^ +||microscopeattorney.com^ +||microscopeunderpants.com^ +||microwavedisguises.com^ +||middleagedreminderoperational.com^ +||midgetdeliveringsmartly.com^ +||midgetincidentally.com^ +||midistortrix.com^ +||midlandfeisty.com^ +||midlk.online^ +||midmaintee.com^ +||midnightcontemn.com^ +||midootib.net^ +||midpopedge.com^ +||midstconductcanned.com^ +||midstrelate.com^ +||midstsquonset.com^ +||midstwillow.com^ +||midtermbuildsrobot.com^ +||midtermdoozers.com^ +||midwifelangurs.com^ +||midwiferider.com^ +||mightylottrembling.com^ +||mightytshirtsnitch.com^ +||mignished-sility.com^ +||migopwrajhca.com^ +||migraira.net^ +||migrantacknowledged.com^ +||migrantfarewellmoan.com^ +||migrantspiteconnecting.com^ +||mikop.xyz^ +||mildcauliflower.com^ +||mildjav11.fun^ +||mildlyrambleadroit.com^ +||mildoverridecarbonate.com^ +||mildsewery.click^ +||mileesidesukbein.com^ +||milfunsource.com^ +||militantadulatory.com^ +||milkierjambes.shop^ +||milksquadronsad.com^ +||milkygoodness.xyz^ +||milkywaynewspaper.com^ +||millennialmedia.com^ +||millerminds.com^ +||millingderv.com^ +||millionsafternoonboil.com^ +||milljeanne.com^ +||millsurfaces.com^ +||millustry.top^ +||milrauki.com^ +||milteept.xyz^ +||miltlametta.com^ +||miluwo.com^ +||mimicbeeralb.com^ +||mimicdivineconstable.com^ +||mimicvrows.com^ +||mimilcnf.pro^ +||mimosaavior.top^ +||mimsossopet.com^ +||mimtelurdeghaul.net^ +||mindedallergyclaim.com^ +||mindless-fruit.pro^ +||mindlessnight.com^ +||mindlessslogan.com^ +||mindssometimes.com^ +||minealoftcolumnist.com^ +||minefieldripple.com^ +||minently.com^ +||mineraltip.com^ +||mingleabstainsuccessor.com^ +||mingledcommit.com^ +||mingledcounterfeittitanic.com^ +||minglefrostgrasp.com^ +||mingonnigh.com^ +||miniature-injury.pro^ +||minimize363.fun^ +||minimizetommyunleash.com^ +||minimumonwardfertilised.com^ +||miningonevaccination.com^ +||ministryensuetribute.com^ +||minorcrown.com^ +||minorityspasmodiccommissioner.com^ +||minotaur107.com^ +||minsaith.xyz^ +||mintaza.xyz^ +||mintclick.xyz^ +||minterhazes.com^ +||mintmanrouter.com^ +||mintmanunmanly.com^ +||mintybug.com^ +||minutesdevise.com^ +||minutessongportly.com^ +||mipfohaby.com^ +||miptj.space^ +||miqorhogxc.com^ +||miredindeedeisas.info^ +||mirfakpersei.com^ +||mirfakpersei.top^ +||mirifelon.com^ +||mirmdhtzlwickv.com^ +||mirroraddictedpat.com^ +||mirsouvoow.com^ +||mirsuwoaw.com^ +||mirtacku.xyz^ +||mirthrehearsal.com^ +||misaglam.com^ +||misarea.com^ +||miscalculatesuccessiverelish.com^ +||miscellaneousheartachehunter.com^ +||mischiefrealizationbraces.com^ +||misdeedtucked.shop^ +||miserablefocus.com^ +||miserdiscourteousromance.com^ +||miseryclevernessusage.com^ +||misfields.com^ +||misguidedfind.com^ +||misguidedfriend.pro^ +||misguidednourishing.com^ +||mishandlemole.com^ +||mishapideal.com^ +||mishapsummonmonster.com^ +||misputidemetome.com^ +||misselchyme.shop^ +||missilesocalled.com^ +||missilesurvive.com^ +||missionaryhypocrisypeachy.com^ +||missiondues.com^ +||missitzantiot.com^ +||misslinkvocation.com^ +||misslk.com^ +||misspelluptown.com^ +||misspkl.com^ +||misstaycedule.com^ +||misszuo.xyz^ +||mistakeadministrationgentlemen.com^ +||mistakeenforce.com^ +||misterbangingfancied.com^ +||misterdefrostale.com^ +||mistletoeethicleak.com^ +||mistrustconservation.com^ +||mistydexterityflippant.com^ +||misuseartsy.com^ +||misuseoyster.com^ +||misuseproductions.com^ +||miswordplower.com^ +||mitratechoiler.com^ +||mittyswidden.top^ +||miuo.cloud^ +||mivibsegnuhaub.xyz^ +||miwllmo.com^ +||mixclckchat.net^ +||mixhillvedism.com^ +||mixpo.com^ +||mjfcv.club^ +||mjglzzwwheqlqe.com^ +||mjnkcdmjryvz.click^ +||mjpvukdc.com^ +||mjsytjw.com^ +||mjudrkjajgxx.xyz^ +||mjxlfwvirjmt.com^ +||mkcsjgtfej.com^ +||mkenativji.com^ +||mkepacotck.com^ +||mkhoj.com^ +||mkjsqrpmxqdf.com^ +||mkkvprwskq.com^ +||ml0z14azlflr.com^ +||ml314.com^ +||mlatrmae.net^ +||mlcgaisqudchmgg.com^ +||mldxdtrppa.com^ +||mlhmaoqf.xyz^ +||mlldrlujqg.com^ +||mlnadvertising.com^ +||mlrfltuc.com^ +||mlsys.xyz^ +||mm-cgnews.com^ +||mm-syringe.com^ +||mmadsgadget.com^ +||mmchoicehaving.com^ +||mmctsvc.com^ +||mmentorapp.com^ +||mmismm.com^ +||mmmdn.net^ +||mmoabpvutkr.com^ +||mmondi.com^ +||mmotraffic.com^ +||mmqvujl.com^ +||mmrtb.com^ +||mmvideocdn.com^ +||mmxshltodupdlr.xyz^ +||mn1nm.com^ +||mn230126pb.com^ +||mnaspm.com^ +||mnbvjhg.com^ +||mncvjhg.com^ +||mndlvr.com^ +||mndsrv.com^ +||mndvjhg.com^ +||mnetads.com^ +||mnevjhg.com^ +||mng-ads.com^ +||mnhjk.com^ +||mnhjkl.com^ +||mntzr11.net^ +||mntzrlt.net^ +||mo3i5n46.de^ +||moadworld.com^ +||moaglail.xyz^ +||moagroal.com^ +||moakaumo.com^ +||moanhaul.com^ +||moaningbeautifulnobles.com^ +||moanishaiti.com^ +||moapaglee.net^ +||moartraffic.com^ +||moatads.com^ +||moawgsfidoqm.com^ +||moawhoumahow.com^ +||mob1ledev1ces.com^ +||mobagent.com^ +||mobcardel.top^ +||mobdel.com^ +||mobdel2.com^ +||mobexpectationofficially.com^ +||mobgold.com^ +||mobibiobi.com^ +||mobicont.com^ +||mobicow.com^ +||mobidevdom.com^ +||mobidevmod.com^ +||mobiflyc.com^ +||mobiflyd.com^ +||mobiflyn.com^ +||mobiflys.com^ +||mobifobi.com^ +||mobifoth.com^ +||mobiledevel.com^ +||mobileoffers-dld-download.com^ +||mobileoffers-ep-download.com^ +||mobilepreviouswicked.com^ +||mobiletracking.ru^ +||mobipromote.com^ +||mobiprotg.com^ +||mobiright.com^ +||mobisla.com^ +||mobitracker.info^ +||mobiyield.com^ +||mobmsgs.com^ +||mobpartner.mobi^ +||mobpushup.com^ +||mobreach.com^ +||mobshark.net^ +||mobstitial.com^ +||mobstitialtag.com^ +||mobstrks.com^ +||mobthoughaffected.com^ +||mobtrks.com^ +||mobtyb.com^ +||mobytrks.com^ +||mocean.mobi^ +||mockingcard.com^ +||mockingchuckled.com^ +||mockingcolloquial.com^ +||mockingsubtlecrimpycrimpy.com^ +||mockscissorssatisfaction.com^ +||mocmubse.net^ +||modelingfraudulent.com^ +||modents-diance.com^ +||moderategermmaria.com^ +||modescrips.info^ +||modificationdispatch.com^ +||modifywilliamgravy.com^ +||modoodeul.com^ +||modoro360.com^ +||modulecooper.com^ +||moduledescendantlos.com^ +||modulepush.com^ +||moera.xyz^ +||mofeegavub.net^ +||mogointeractive.com^ +||mohiwhaileed.com^ +||moiernonpaid.com^ +||moilizoi.com^ +||moistblank.com^ +||moistcargo.com^ +||moistenmanoc.com^ +||mojoaffiliates.com^ +||mokrqhjjcaeipf.xyz^ +||moksoxos.com^ +||moleconcern.com^ +||molecularhouseholdadmiral.com^ +||mollesscar.top^ +||molokerpterion.shop^ +||molseelr.xyz^ +||molttenglobins.casa^ +||molypsigry.pro^ +||momclumsycamouflage.com^ +||momdurationallowance.com^ +||momentarilyhalt.com^ +||momentincorrect.com^ +||momentumjob.com^ +||momidrovy.top^ +||momijoy.ru^ +||mommygravelyslime.com^ +||momzersatorii.top^ +||monadplug.com^ +||monarchoysterbureau.com^ +||monarchstraightforwardfurnish.com^ +||moncoerbb.com^ +||mondaydeliciousrevulsion.com^ +||monetag.com^ +||monetizer101.com^ +||moneymak3rstrack.com^ +||moneymakercdn.com^ +||moneytatorone.com^ +||mongailrids.net^ +||mongrelonsetstray.com^ +||monhax.com^ +||monieraldim.click^ +||monismartlink.com^ +||monkeybroker.net^ +||monkeysloveyou.com^ +||monkquestion.com^ +||monksfoodcremate.com^ +||monnionyusdrum.com^ +||monopolydecreaserelationship.com^ +||monsoonlassi.com^ +||monsterofnews.com^ +||monstrous-boyfriend.pro^ +||montafp.top^ +||montangop.top^ +||monthlypatient.com^ +||monthsappear.com^ +||monthsshefacility.com^ +||montkpl.top^ +||montkyodo.top^ +||montlusa.top^ +||montnotimex.top^ +||montpdp.top^ +||montwam.top^ +||monu.delivery^ +||monumentcountless.com^ +||monumentsmaterialeasel.com^ +||monxserver.com^ +||moocaicaico.com^ +||moodjav12.fun^ +||moodokay.com^ +||moodunitsmusic.com^ +||mookie1.com^ +||mooltanagra.top^ +||moomenog.com^ +||moonads.net^ +||mooncklick.com^ +||moonicorn.network^ +||moonjscdn.info^ +||moonoafy.net^ +||moonpollution.com^ +||moonreals.com^ +||moonrocketaffiliates.com^ +||mooptoasinudy.net^ +||mooroore.xyz^ +||mootermedia.com^ +||moowhaufipt.net^ +||mooxar.com^ +||mopedisods.com^ +||mopeia.xyz^ +||mopemodelingfrown.com^ +||mopesrubelle.com^ +||mopiwhoisqui.com^ +||moqbfkfuex.com^ +||moradu.com^ +||moral-enthusiasm.pro^ +||moralitylameinviting.com^ +||mordoops.com^ +||moredetaailsh.com^ +||moregamers.com^ +||morenonfictiondiscontent.com^ +||moreoverwheelbarrow.com^ +||morestamping.com^ +||moretestimonyfearless.com^ +||morgdm.ru^ +||morgenskenotic.shop^ +||morict.com^ +||morningamidamaruhal.com^ +||morningglory101.io^ +||morroinane.com^ +||morselmongoe.shop^ +||mortoncape.com^ +||mortypush.com^ +||moscowautopsyregarding.com^ +||mosqueventure.com^ +||mosqueworking.com^ +||mosquitofelicity.com^ +||mosquitosubjectsimportantly.com^ +||mosrtaek.net^ +||mossgaietyhumiliation.com^ +||mosspf.com^ +||mostauthor.com^ +||mostcolonizetoilet.com^ +||mostlyparabledejected.com^ +||mostlysolecounsellor.com^ +||motelproficientsmartly.com^ +||mothandhad.info^ +||mothandhadbe.info^ +||motherehoom.pro^ +||motionless-range.pro^ +||motionretire.com^ +||motionsablehostess.com^ +||motionspots.com^ +||motivessuggest.com^ +||motleyanybody.com^ +||motsardi.net^ +||moumaiphuch.net^ +||mountainbender.xyz^ +||mountaincaller.top^ +||mountaingaiety.com^ +||mountainwavingequability.com^ +||mountedgrasshomesick.com^ +||mountedstoppage.com^ +||mountrideroven.com^ +||mourncohabit.com^ +||mourndaledisobedience.com^ +||mournfulparties.com^ +||mourningmillsignificant.com^ +||mournpatternremarkable.com^ +||mourntrick.com^ +||mouseforgerycondition.com^ +||moustachepoke.com^ +||mouthdistance.bond^ +||movad.de^ +||movad.net^ +||movcpm.com^ +||movemeforward.co^ +||movementdespise.com^ +||movesickly.com^ +||moveyouforward.co^ +||moveyourdesk.co^ +||movfull.com^ +||movie-pass.club^ +||movie-pass.live^ +||moviead55.ru^ +||moviesflix4k.info^ +||moviesflix4k.xyz^ +||moviesprofit.com^ +||moviesring.com^ +||mowcawdetour.com^ +||mowhamsterradiator.com^ +||mozgvya.com^ +||mozoo.com^ +||mp-pop.barryto.one^ +||mp3bars.com^ +||mp3pro.xyz^ +||mp3vizor.com^ +||mpanyinadi.info^ +||mpanythathaveresultet.info^ +||mpay69.com^ +||mphhqaw.com^ +||mphkwlt.com^ +||mpk01.com^ +||mplayeranyd.info^ +||mploymehnthejuias.info^ +||mpnrs.com^ +||mpougdusr.com^ +||mpqgoircwb.com^ +||mpsuadv.ru^ +||mptentry.com^ +||mptgate.com^ +||mpuwrudpeo.com^ +||mqabjtgli.xyz^ +||mqckjjkx.com^ +||mraozo.xyz^ +||mraza2dosa.com^ +||mrdqimpgmxmmpy.com^ +||mrdzuibek.com^ +||mremlogjam.com^ +||mreuodref.com^ +||mrgrekeroad.com^ +||mrjb7hvcks.com^ +||mrlscr.com^ +||mrmnd.com^ +||mrtnsvr.com^ +||mrvio.com^ +||mryzroahta.com^ +||ms3t.club^ +||msads.net^ +||msehm.com^ +||msgose.com^ +||mshago.com^ +||msre2lp.com^ +||msrehcmpeme.com^ +||msrvt.net^ +||mt34iofvjay.com^ +||mtburn.com^ +||mtejadostvovn.com^ +||mthvjim.com^ +||mtkgyrzfygdh.com^ +||mtptaewihgbzcq.com^ +||mtuvr.life^ +||mtypitea.net^ +||mtysrtgur.com^ +||mtzenhigqg.com^ +||muai-pysmlp.icu^ +||muchezougree.com^ +||muchlivepad.com^ +||muchooltoarsie.net^ +||mucinyak.com^ +||muckilywayback.top^ +||mucvvcbqrwfmir.com^ +||muddiedbubales.com^ +||muddyharold.com^ +||muddyquote.pro^ +||muendakutyfore.info^ +||mufflercypress.com^ +||mufflerlightsgroups.com^ +||mugfulacrania.top^ +||mugleafly.com^ +||mugpothop.com^ +||mukhtarproving.com^ +||mulberrydoubloons.com^ +||mulberryresistoverwork.com^ +||mulberrytoss.com^ +||muleattackscrease.com^ +||mulecleared.com^ +||mulesto.com^ +||muletatyphic.com^ +||mulmullcottrel.com^ +||mulsouloobsaiz.xyz^ +||multieser.info^ +||multisetup.pro^ +||multiwall-ads.shop^ +||multstorage.com^ +||mumintend.com^ +||mummydiverseprovided.com^ +||mumoartoor.net^ +||munchakhlame.top^ +||munilf.com^ +||munpracticalwh.info^ +||munqb.xyz^ +||mupattbpoj.com^ +||muragetunnel.com^ +||murallyhuashi.casa^ +||murderassuredness.com^ +||muricidmartins.com^ +||muriheem.net^ +||murkybrashly.com^ +||murkymouse.online^ +||murolwsi.com^ +||musclesadmonishment.com^ +||musclesprefacelie.com^ +||muscularcopiedgulp.com^ +||musedemeanouregyptian.com^ +||museummargin.com^ +||mushroomplainsbroadly.com^ +||musiccampusmanure.com^ +||musicianabrasiveorganism.com^ +||musicnote.info^ +||musselchangeableskier.com^ +||mustbehand.com^ +||mustdealingfrustration.com^ +||mustersvyrnwy.top^ +||mutatesreatus.shop^ +||mutcheng.net^ +||mutecrane.com^ +||mutenessdollyheadlong.com^ +||muthfourre.com^ +||mutinydisgraceeject.com^ +||mutinygrannyhenceforward.com^ +||mutsjeamenism.com^ +||mutteredadisa.com^ +||muttermathematical.com^ +||mutualreviveably.com^ +||muzarabeponym.website^ +||muzoohat.net^ +||muzzlematrix.com^ +||muzzlepairhysteria.com^ +||mvblxbuxe.com^ +||mvfmdfsvoq.com^ +||mvlxwnbeucyrfam.xyz^ +||mvlxxocul.xyz^ +||mvlyimxovnsw.xyz^ +||mvmzlg.xyz^ +||mvnznqp.com^ +||mvujvxc.com^ +||mvwslulukdlux.xyz^ +||mwkusgotlzu.com^ +||mwlle.com^ +||mworkhovdiminat.info^ +||mwprotected.com^ +||mwquick.com^ +||mwrgi.com^ +||mwtnnfseoiernjx.xyz^ +||mwxopip.com^ +||mxgboxq.com^ +||mxmkhyrmup.com^ +||mxptint.net^ +||mxuiso.com^ +||my-hanson.com^ +||my-rudderjolly.com^ +||my.shymilftube.com^ +||my1elitclub.com^ +||myactualblog.com^ +||myadcash.com^ +||myadsserver.com^ +||myaudioads.com^ +||mybestdc.com^ +||mybestnewz.com^ +||mybetterck.com^ +||mybetterdl.com^ +||mybmrtrg.com^ +||mycamlover.com^ +||mycasinoaccounts.com^ +||mycdn.co^ +||mycdn2.co^ +||mycelesterno.com^ +||myckdom.com^ +||mycloudreference.com^ +||mycoolfeed.com^ +||mycoolnewz.com^ +||mycrdhtv.xyz^ +||mycuegxt.com^ +||mydailynewz.com^ +||myeasetrack.com^ +||myeasyvpn.com^ +||myeswglq-m.online^ +||myfastcdn.com^ +||myfreshposts.com^ +||myfreshspot.com^ +||mygoodlives.com^ +||mygtmn.com^ +||myhappy-news.com^ +||myhugewords.com^ +||myhypeposts.com^ +||myhypestories.com^ +||myimagetracking.com^ +||myimgt.com^ +||myjack-potscore.life^ +||mykiger.com^ +||mykneads24.com^ +||mykofyridhsoss.xyz^ +||mylinkbox.com^ +||mylot.com^ +||mymembermatchmagic.life^ +||myniceposts.com^ +||myolnyr5bsk18.com^ +||myosoteruins.com^ +||myperfect2give.com^ +||mypopadpro.com^ +||mypopads.com^ +||myricasicon.top^ +||myroledance.com^ +||myselfkneelsmoulder.com^ +||mysticaldespiseelongated.com^ +||mysticmatebiting.com^ +||mysweetteam.com^ +||mytdsnet.com^ +||myteamdev.com^ +||mythicsallies.com^ +||mythings.com^ +||mytiris.com^ +||mywondertrip.com^ +||mzicucalbw.com^ +||mziso.xyz^ +||mzol7lbm.com^ +||mzteishamp.com^ +||mztqgmr.com^ +||mzuspejtuodc.com^ +||mzwdiyfp.com^ +||n0299.com^ +||n0355.com^ +||n0400.com^ +||n0433.com^ +||n0gge40o.de^ +||n0v1cdn.com^ +||n2major.com^ +||n49seircas7r.com^ +||n4m5x60.com^ +||n7e4t5trg0u3yegn8szj9c8xjz5wf8szcj2a5h9dzxjs50salczs8azls0zm.com^ +||n9s74npl.de^ +||nabalpal.com^ +||nabauxou.net^ +||nabbr.com^ +||nabgrocercrescent.com^ +||nachodusking.com^ +||nachunscaly.click^ +||nacontent.pro^ +||nadajotum.com^ +||nadruphoordy.xyz^ +||nads.io^ +||naewynn.com^ +||naforeshow.org^ +||naggingirresponsible.com^ +||nagnailmobcap.shop^ +||nagrainoughu.com^ +||nagrande.com^ +||naiantcapling.com^ +||naiglipu.xyz^ +||naigristoa.com^ +||nailsandothesa.org^ +||naimoate.xyz^ +||naipatouz.com^ +||naipsaigou.com^ +||naipsouz.net^ +||nairapp.com^ +||naisepsaige.com^ +||naistophoje.net^ +||naive-skin.pro^ +||naivescorries.com^ +||nakedfulfilhairy.com^ +||nalhedgelnhamf.info^ +||naliw.xyz^ +||nalraughaksie.net^ +||nalyticaframeofm.com^ +||nameads.com^ +||namel.net^ +||namelessably.com^ +||namesakecapricorntotally.com^ +||namesakeoscilloscopemarquis.com^ +||namestore.shop^ +||namjzoa.xyz^ +||namol.xyz^ +||nan0cns.com^ +||nan46ysangt28eec.com^ +||nanakotrilith.com^ +||nanborderrocket.com^ +||nancontrast.com^ +||nandtheathema.info^ +||nanesbewail.com^ +||nanfleshturtle.com^ +||nangalupeose.com^ +||nangelsaidthe.info^ +||nanhermione.com^ +||naoudodra.com^ +||napainsi.net^ +||napallergy.com^ +||naperyhostel.shop^ +||naplespogrom.top^ +||narenrosrow.com^ +||narkalignevil.com^ +||narrucp.com^ +||narwatiosqg.xyz^ +||nasosettoourm.com^ +||nastokit.com^ +||nastycognateladen.com^ +||nastycomfort.pro^ +||nastymankinddefective.com^ +||natapea.com^ +||nathanaeldan.pro^ +||nathejewlike.shop^ +||nationalarguments.com^ +||nationhandbook.com^ +||nationsencodecordial.com^ +||nativclick.com^ +||native-adserver.com^ +||nativeadmatch.com^ +||nativeadsfeed.com^ +||nativepu.sh^ +||nativeshumbug.com^ +||nativewpsh.com^ +||natregs.com^ +||natsdk.com^ +||nattepush.com^ +||nattierpegwood.com^ +||naturalhealthsource.club^ +||naturalistsbumpmystic.com^ +||naturallyedaciousedacious.com^ +||naturebunk.com^ +||naturewhatmotor.com^ +||naubme.info^ +||naucaish.net^ +||naufistuwha.com^ +||naughtynotice.pro^ +||naukegainok.net^ +||naulme.info^ +||naupouch.xyz^ +||naupsakiwhy.com^ +||naupseko.com^ +||naupsithizeekee.com^ +||nauthait.com^ +||nautijutheest.net^ +||nauwheer.net^ +||nauzaphoay.net^ +||navaidaosmic.top^ +||navelasylumcook.com^ +||navelfletch.com^ +||naveljutmistress.com^ +||navigablepiercing.com^ +||navigateconfuseanonymous.com^ +||navigatecrudeoutlaw.com^ +||navigateembassy.com^ +||navigateiriswilliam.com^ +||navigatingnautical.xyz^ +||nawpush.com^ +||naxadrug.com^ +||naybreath.com^ +||nb09pypu4.com^ +||nbmramf.de^ +||nboclympics.com^ +||nbottkauyy.com^ +||nbstatic.com^ +||nceteventuryrem.com^ +||ncojkokhi.com^ +||nctwoseln.xyz^ +||ncubadmavfp.com^ +||ncukankingwith.info^ +||ncwabgl.com^ +||ncz3u7cj2.com^ +||nczxuga.com^ +||ndandinter.hair^ +||ndaspiratiotyukn.com^ +||ndatgiicef.com^ +||ndaymidydlesswale.info^ +||ndcomemunica.com^ +||nddpynonxw.xyz^ +||ndegj3peoh.com^ +||ndejhe73jslaw093.com^ +||ndenthaitingsho.com^ +||nderpurganismpr.info^ +||nderthfeo.info^ +||ndha4sding6gf.com^ +||nditingdecord.org^ +||ndjelsefd.com^ +||ndlesexwrecko.org^ +||ndpugkr.com^ +||ndqkxjo.com^ +||ndroip.com^ +||ndthensome.com^ +||ndymehnthakuty.com^ +||ndzksr.xyz^ +||ndzoaaa.com^ +||neads.delivery^ +||neahbutwehavein.info^ +||neandwillha.info^ +||nearestaxe.com^ +||nearestmicrowavespends.com^ +||nearvictorydame.com^ +||neat-period.com^ +||neateclipsevehemence.com^ +||neawaytogyptsix.info^ +||nebbowmen.top^ +||nebsefte.net^ +||nebulouslostpremium.com^ +||nebumsoz.net^ +||necessaryescort.com^ +||necheadirtlse.org^ +||nechupsu.com^ +||neckedhilting.com^ +||neckloveham.live^ +||nedamericantpas.info^ +||nedmofqnhbvifw.com^ +||nedouseso.com^ +||neebeech.com^ +||neebourshifts.shop^ +||neechube.net^ +||needeevo.xyz^ +||needleworkemmaapostrophe.com^ +||needleworkhearingnorm.com^ +||needydepart.com^ +||needyscarcasserole.com^ +||neegreez.com^ +||neehaifam.net^ +||neehoose.com^ +||neejaiduna.net^ +||neemsdemagog.shop^ +||neepomiba.net^ +||neerecah.xyz^ +||neesihoothak.net^ +||neewouwoafisha.net^ +||neezausu.net^ +||nefdcnmvbt.com^ +||negationomitor.com^ +||negative-might.pro^ +||neglectblessing.com^ +||negligentpatentrefine.com^ +||negolist.com^ +||negotiaterealm.com^ +||negotiationmajestic.com^ +||negxkj5ca.com^ +||negyuk.com^ +||neigh11.xyz^ +||neighborhood268.fun^ +||neighrewarn.click^ +||neitherpennylack.com^ +||nelhon.com^ +||nellads.com^ +||nellmeeten.com^ +||nellthirteenthoperative.com^ +||nelreerdu.net^ +||nemtoorgeeps.net^ +||nenectedithcon.info^ +||nengeetcha.net^ +||neoftheownouncillo.info^ +||neousaunce.com^ +||nepoamoo.com^ +||neptaunoop.com^ +||nerdolac.com^ +||nereserv.com^ +||nereu-gdr.com^ +||nerfctv.com^ +||neropolicycreat.com^ +||nervegus.com^ +||nervessharehardness.com^ +||nervoustolsel.com^ +||neshigreek.com^ +||nessainy.net^ +||nestledmph.com^ +||net.egravure.com^ +||netcatx.com^ +||netflopin.com^ +||netherinertia.life^ +||nethosta.com^ +||netpatas.com^ +||netrefer.co^ +||netstam.com^ +||netund.com^ +||neutralturbulentassist.com^ +||nevbbl.com^ +||never2never.com^ +||neverforgettab.com^ +||neverthelessamazing.com^ +||neverthelessdepression.com^ +||nevillepreserved.com^ +||new-incoming.email^ +||new-new-years.com^ +||new-programmatic.com^ +||new17write.com^ +||newadsfit.com^ +||newaprads.com^ +||newbiquge.org^ +||newbluetrue.xyz^ +||newbornprayerseagle.com^ +||newcagblkyuyh.com^ +||newcategory.pro^ +||newdisplayformats.com^ +||newdomain.center^ +||newestchalk.com^ +||newhigee.net^ +||newjulads.com^ +||newlifezen.com^ +||newlyleisure.com^ +||newlywedexperiments.com^ +||newmayads.com^ +||newnewton.pw^ +||newoctads.com^ +||newprofitcontrol.com^ +||newregazedatth.com^ +||newrotatormarch23.bid^ +||newrtbbid.com^ +||news-back.org^ +||news-bbipasu.today^ +||news-buzz.cc^ +||news-galuzo.cc^ +||news-getogo.com^ +||news-headlines.co^ +||news-jelafa.com^ +||news-jivera.com^ +||news-mefuba.cc^ +||news-place1.xyz^ +||news-portals1.xyz^ +||news-rojaxa.com^ +||news-site1.xyz^ +||news-tamumu.cc^ +||news-universe1.xyz^ +||news-weekend1.xyz^ +||news-wew.click^ +||news-xduzuco.com^ +||news-xmiyasa.com^ +||newsaboutsugar.com^ +||newsadst.com^ +||newsatads.com^ +||newscadence.com^ +||newsfeedscroller.com^ +||newsformuse.com^ +||newsfortoday2.xyz^ +||newsforyourmood.com^ +||newsfrompluto.com^ +||newsignites.com^ +||newsinform.net^ +||newslettergermantreason.com^ +||newsletterinspectallpurpose.com^ +||newsletterparalyzed.com^ +||newslikemeds.com^ +||newsmaxfeednetwork.com^ +||newsnourish.com^ +||newspapermeaningless.com^ +||newstarads.com^ +||newstemptation.com^ +||newsunads.com^ +||newswhose.com^ +||newsyour.net^ +||newthuads.com^ +||newton.pw^ +||newvideoapp.pro^ +||newwinner.life^ +||nexaapptwp.top^ +||nextmeon.com^ +||nextmillmedia.com^ +||nextpsh.top^ +||nexusbloom.xyz^ +||neyoxa.xyz^ +||nezygmobha.com^ +||nfgxadlbfzuy.click^ +||nfjdxtfpclfh.com^ +||nfkd2ug8d9.com^ +||nfuwlooaodf.com^ +||nfuwpyx.com^ +||nfyowjhcgb.com^ +||ngegas.files.im^ +||ngfruitiesmatc.info^ +||ngfycrwwd.com^ +||ngineet.cfd^ +||ngjgnidajyls.xyz^ +||nglestpeoplesho.com^ +||nglmedia.com^ +||ngshospicalada.com^ +||ngsinspiringtga.info^ +||ngvcalslfbmtcjq.xyz^ +||nheappyrincen.info^ +||nhgpidvhdzm.vip^ +||nhisdhiltewasver.com^ +||nhopaepzrh.com^ +||nhphkweyx.xyz^ +||nibiwjnmn.xyz^ +||niblicfabrics.shop^ +||nicatethebene.info^ +||nice-mw.com^ +||nicelocaldates.com^ +||nicelyinformant.com^ +||nicerisle.com^ +||nicheads.com^ +||nichedlinks.com^ +||nichedreps.life^ +||nichedruta.shop^ +||nicheevaderesidential.com^ +||nichools.com^ +||nickeeha.net^ +||nickeleavesdropping.com^ +||nickelphantomability.com^ +||nicknameuntie.com^ +||nicksstevmark.com^ +||nidaungig.net^ +||nidredra.net^ +||niduliswound.shop^ +||niecesauthor.com^ +||niecesexhaustsilas.com^ +||niecesregisteredhorrid.com^ +||niersfohiplaceof.info^ +||nieveni.com^ +||nightbesties.com^ +||nightclubconceivedmanuscript.com^ +||nighter.club^ +||nightfallroad.com^ +||nightmarerelive.com^ +||nightspickcough.com^ +||nigmen.com^ +||nigroopheert.com^ +||nijaultuweftie.net^ +||nikkiexxxads.com^ +||niltibse.net^ +||nimhuemark.com^ +||nimrute.com^ +||nindsstudio.com^ +||nineteenlevy.com^ +||nineteenthdipper.com^ +||nineteenthpurple.com^ +||nineteenthsoftballmorality.com^ +||ninetyfitful.com^ +||ninetyninesec.com^ +||ninetypastime.com^ +||ningdblukzqp.com^ +||ninkorant.online^ +||ninnycoastal.com^ +||ninthfad.com^ +||nipcrater.com^ +||nippona7n2theum.com^ +||niqwtevkb.xyz^ +||nishoagn.com^ +||nismscoldnesfspu.com^ +||nitohptzo.com^ +||nitridslah.com^ +||nitrogendetestable.com^ +||niveausatan.shop^ +||niwluvepisj.site^ +||niwooghu.com^ +||niyimu.xyz^ +||nizarstream.xyz^ +||nizvimq.com^ +||njmhklddv.xyz^ +||njpaqnkhaxpwg.xyz^ +||nkewdzp.com^ +||nkfinsdg.com^ +||nkljaxdeoygatfw.xyz^ +||nkmsite.com^ +||nknbolwdeosi.com^ +||nkredir.com^ +||nlblzmn.com^ +||nld0jsg9s9p8.com^ +||nleldedallovera.info^ +||nlkli.com^ +||nlnmfkr.com^ +||nlntrk.com^ +||nmanateex.top^ +||nmcdn.us^ +||nmersju.com^ +||nmevhudzi.com^ +||nmimatrme.com^ +||nmkli.com^ +||nnightherefl.info^ +||nnowa.com^ +||nnxfiqgqdsoywwa.com^ +||nnxxjjhcwdfsbsa.xyz^ +||no2veeamggaseber.com^ +||noaderir.com^ +||noahilum.net^ +||noapsovochu.net^ +||noaptauw.com^ +||noblefosse.shop^ +||noblelevityconcrete.com^ +||noblesweb.com^ +||nobodyengagement.com^ +||nobodylightenacquaintance.com^ +||nocaudsomt.xyz^ +||noclef.com^ +||nocturnal-employer.pro^ +||nodreewy.net^ +||noearon.click^ +||noelsdoc.cam^ +||noerwe5gianfor19e4st.com^ +||nofashot.com^ +||nofidroa.xyz^ +||nognoongut.com^ +||nohezu.xyz^ +||nohowsankhya.com^ +||noiselessvegetables.com^ +||noisesperusemotel.com^ +||noisyjoke.pro^ +||noisyoursarrears.com^ +||noisytowel.pro^ +||noisyunidentifiedinherited.com^ +||noktaglaik.com^ +||nolduniques.shop^ +||nolojo.com^ +||nomadodiouscherry.com^ +||nomadsbrand.com^ +||nomadsfit.com^ +||nomeetit.net^ +||nomeuspagrus.com^ +||nominalclck.name^ +||nominatecambridgetwins.com^ +||nomorepecans.com^ +||noncepter.com^ +||noncommittaltextbookcosign.com^ +||nondescriptelapse.com^ +||nonepushed.com^ +||nonerr.com^ +||nonesleepbridle.com^ +||nonestolesantes.com^ +||nonfictionrobustchastise.com^ +||nonfictiontickle.com^ +||nongrayrestis.com^ +||nonjurysundang.top^ +||nonoossol.xyz^ +||nonstoppartner.de^ +||nontraditionally.rest^ +||noodledesperately.com^ +||noohapou.com^ +||noojoomo.com^ +||nookwiser.com^ +||noolt.com^ +||noondaylingers.com^ +||noopapnoeic.digital^ +||noopking.com^ +||nooraunod.com^ +||noouplit.com^ +||noowoochuveb.net^ +||nope.xn--mgbkt9eckr.net^ +||nope.xn--ngbcrg3b.com^ +||nope.xn--ygba1c.wtf^ +||noptog.com^ +||norentisol.com^ +||noretia.com^ +||normalfloat.com^ +||normalheart.pro^ +||normallycollector.com^ +||normallydirtenterprising.com^ +||normalpike.com^ +||normkela.com^ +||normugtog.com^ +||norrisengraveconvertible.com^ +||norrissoundinghometown.com^ +||northmay.com^ +||nosebleedjumbleblissful.com^ +||nossairt.net^ +||nostrilquarryprecursor.com^ +||nostrilsdisappearedconceited.com^ +||nostrilsunwanted.com^ +||notabilitytragic.com^ +||notablechemistry.pro^ +||notablefaxfloss.com^ +||notaloneathome.com^ +||notcotal.com^ +||notdyedfinance.com^ +||notebookbesiege.com^ +||noted-factor.pro^ +||notepastaparliamentary.com^ +||notepositivelycomplaints.com^ +||notesbook.in^ +||notesrumba.com^ +||nothingfairnessdemonstrate.com^ +||nothingpetwring.com^ +||nothycantyo.com^ +||noticebroughtcloud.com^ +||noticedbibi.com^ +||notifcationpushnow.com^ +||notification-list.com^ +||notificationallow.com^ +||notifications.website^ +||notiflist.com^ +||notifpushnext.net^ +||notify-service.com^ +||notify.rocks^ +||notify6.com^ +||notifydisparage.com^ +||notifyerr.com^ +||notifyoutspoken.com^ +||notifypicture.info^ +||notifysrv.com^ +||notifzone.com^ +||notiks.io^ +||notiksio.com^ +||notionfoggy.com^ +||notionstayed.com^ +||notix-tag.com^ +||notix.io^ +||notjdyincro.com^ +||notoings.com^ +||notonthebedsheets.com^ +||notorietycheerypositively.com^ +||notorietyobservation.com^ +||notorietyterrifiedwitty.com^ +||notoriouscount.com^ +||nougacoush.com^ +||noughttrustthreshold.com^ +||noukotumorn.com^ +||nounaswarm.com^ +||noungundated.com^ +||nounooch.com^ +||nounpasswordangles.com^ +||nounrespectively.com^ +||noupooth.com^ +||noupsube.xyz^ +||nourishinghorny.com^ +||nourishmentpavementably.com^ +||nourishmentrespective.com^ +||noustadegry.com^ +||nouveau-digital.com^ +||nouzeeloopta.com^ +||novadune.com^ +||novel-inevitable.com^ +||novelaoutfire.shop^ +||novelcompliance.com^ +||novelslopeoppressive.com^ +||novelty.media^ +||noveltyensue.com^ +||novemberadventures.com^ +||novemberadventures.name^ +||novemberassimilate.com^ +||novemberslantwilfrid.com^ +||novibet.partners^ +||novidash.com^ +||novitrk1.com^ +||novitrk4.com^ +||novitrk7.com^ +||novitrk8.com^ +||nowaoutujm-u.vip^ +||nowelslicers.shop^ +||nowforfile.com^ +||nowheresank.com^ +||nowlooking.net^ +||nowspots.com^ +||nowsubmission.com^ +||nowtrk.com^ +||noxiousinvestor.com^ +||noxiousrecklesssuspected.com^ +||nozirelower.top^ +||nozoakamsaun.net^ +||nozzorli.com^ +||npcad.com^ +||npcta.xyz^ +||npdnnsgg.com^ +||npetropicalnorma.com^ +||npetropicalnormati.org^ +||npkkpknlwaslhtp.xyz^ +||npprvby.com^ +||npracticalwhic.buzz^ +||nptauiw.com^ +||nptmyqnua.com^ +||npugpilraku.com^ +||npulchj.com^ +||npvos.com^ +||nqftyfn.com^ +||nqmoyjyjngc.com^ +||nqn7la7.de^ +||nqrkzcd7ixwr.com^ +||nqslmtuswqdz.com^ +||nqvi-lnlu.icu^ +||nrcykmnukb.com^ +||nreg.world^ +||nretholas.com^ +||nrnma.com^ +||nronudigd.xyz^ +||nrqjoxar.com^ +||nrs6ffl9w.com^ +||nrtaimyrk.com^ +||nsaascp.com^ +||nsbmfllp.com^ +||nsdsvc.com^ +||nservantasrela.info^ +||nsftrmxwehcsm.com^ +||nsfwadds.com^ +||nsfxopckqflk.com^ +||nsjyfpo.com^ +||nskwqto.com^ +||nsmartad.com^ +||nsmbssogmssym.com^ +||nsmpydfe.net^ +||nspmotion.com^ +||nspot.co^ +||nstoodthestatu.info^ +||nsultingcoe.net^ +||nszeybs.com^ +||ntdhfhpr-o.rocks^ +||ntedbycathyhou.com^ +||ntlcgevw-u.one^ +||ntlysearchingf.info^ +||ntmastsaultet.info^ +||ntoftheusysia.info^ +||ntoftheusysianedt.info^ +||ntoftheusysih.info^ +||ntqtvdlnzhkoc.com^ +||ntreeom.com^ +||ntrfr.leovegas.com^ +||ntrftrksec.com^ +||ntshp.space^ +||ntsiwoulukdlik.com^ +||ntswithde.autos^ +||ntuplay.xyz^ +||ntv.io^ +||ntvk1.ru^ +||ntvpevents.com^ +||ntvpforever.com^ +||ntvpinp.com^ +||ntvpwpush.com^ +||ntvsw.com^ +||ntxviewsinterfu.info^ +||ntygtomuj.com^ +||nubileforward.com^ +||nubseech.com^ +||nucleo.online^ +||nudapp.com^ +||nudebenzoyl.digital^ +||nudesgirlsx.com^ +||nudgehydrogen.com^ +||nudgeworry.com^ +||nuevonoelmid.com^ +||nuftitoat.net^ +||nugrudsu.xyz^ +||nui.media^ +||nuisancehi.com^ +||nukeluck.net^ +||nuleedsa.net^ +||nulez.xyz^ +||null-point.com^ +||nullscateringinforms.com^ +||nullsglitter.com^ +||numb-price.pro^ +||numberium.com^ +||numberscoke.com^ +||numbersinsufficientone.com^ +||numbertrck.com^ +||numbmemory.com^ +||numbninth.com^ +||numbswing.pro^ +||numericprosapy.shop^ +||nunearn.com^ +||nuniceberg.com^ +||nunsourdaultozy.net^ +||nupdhyzetb.com^ +||nuphizarrafw.com^ +||nurewsawaninc.info^ +||nurhagstackup.com^ +||nurno.com^ +||nurobi.info^ +||nurserysurvivortogether.com^ +||nuseek.com^ +||nutantvirific.com^ +||nutchaungong.com^ +||nutiipwkk.com^ +||nutmegshow.com^ +||nutriaalvah.com^ +||nutrientassumptionclaims.com^ +||nutritionshooterinstructor.com^ +||nutshellwhipunderstood.com^ +||nuttedmoireed.shop^ +||nuttishstromb.shop^ +||nuttywealth.pro^ +||nv3tosjqd.com^ +||nvane.com^ +||nvjgmugfqmffbgk.xyz^ +||nvlcnvyqvpjppi.xyz^ +||nvtvssczb.com^ +||nvuwqcfdux.xyz^ +||nvuzubaus.tech^ +||nvwjhrimontqvjo.com^ +||nwejuljibczi.com^ +||nwemnd.com^ +||nwmnd.com^ +||nwq-frjbumf.today^ +||nwqandxa.com^ +||nwseiihafvyl.com^ +||nwwais.com^ +||nwwrtbbit.com^ +||nxexydg.com^ +||nxgzeejhs.com^ +||nxhfkfyy.xyz^ +||nxikijn.com^ +||nxiqnykwaquy.xyz^ +||nxszxho.com^ +||nxt-psh.com^ +||nxtck.com^ +||nxtpsh.top^ +||nxtytjeakstivh.com^ +||nxwdifau.com^ +||nxymehwu.com^ +||nyadmcncserve-05y06a.com^ +||nyadra.com^ +||nyetm2mkch.com^ +||nygwcwsvnu.com^ +||nyihcpzdloe.com^ +||nylghaudentin.com^ +||nylonnickel.com^ +||nylonnickel.xyz^ +||nyorgagetnizati.info^ +||nytrng.com^ +||nyutkikha.info^ +||nzfhloo.com^ +||nzme-ads.co.nz^ +||nzuebfy.com^ +||o-jmzsoafs.global^ +||o-mvlwdxr.icu^ +||o-oo.ooo^ +||o18.click^ +||o18.link^ +||o2c7dks4.de^ +||o31249ehg2k1.shop^ +||o313o.com^ +||o333o.com^ +||o3sxhw5ad.com^ +||o4nofsh6.de^ +||o4uxrk33.com^ +||o626b32etkg6.com^ +||o911o.com^ +||oaajylbosyndpjl.com^ +||oacaighy.com^ +||oaceewhouceet.net^ +||oackaudrikrul.net^ +||oackoubs.com^ +||oacoagne.com^ +||oadaiptu.com^ +||oadehibut.xyz^ +||oadrojoa.net^ +||oafairoadu.net^ +||oafqsofimps.com^ +||oaftaijo.net^ +||oagleeju.xyz^ +||oagnatch.com^ +||oagnifuzaung.net^ +||oagnolti.net^ +||oagoalee.xyz^ +||oagreess.net^ +||oagroucestou.net^ +||oahosaisaign.com^ +||oahxvgssaxrg.com^ +||oainternetservices.com^ +||oainzuo.xyz^ +||oajsffmrj.xyz^ +||oakaumou.xyz^ +||oakbustrp.com^ +||oakchokerfumes.com^ +||oaklesy.com^ +||oakmostlyaccounting.com^ +||oakoghoy.net^ +||oakrirtorsy.xyz^ +||oaksandtheircle.info^ +||oalsauwy.net^ +||oalselry.com^ +||oamoacirdaures.net^ +||oamoameevee.net^ +||oamoatch.com^ +||oamtorsa.net^ +||oanimsen.net^ +||oansaifo.net^ +||oaphoace.net^ +||oaphogekr.com^ +||oaphooftaus.com^ +||oapsoulreen.net^ +||oaraiwephoursou.net^ +||oardilin.com^ +||oarouwousti.com^ +||oarsoathaihoamt.net^ +||oarsparttimeparent.com^ +||oarssamgrandparents.com^ +||oarswithdraw.com^ +||oartauksak.net^ +||oartoogree.com^ +||oartouco.com^ +||oartylkbt.com^ +||oasazedy.com^ +||oasishonestydemented.com^ +||oassackegh.net^ +||oassimpi.net^ +||oastoumsaimpoa.xyz^ +||oatchelt.com^ +||oatchoagnoud.com^ +||oatmealstickyflax.com^ +||oatscheapen.com^ +||oatsegnickeez.net^ +||oavurognaurd.net^ +||oawhaursaith.com^ +||oaxoulro.com^ +||oaxpcohp.com^ +||obbkucbipw.com^ +||obdtawpwyr.com^ +||obduratesettingbeetle.com^ +||obediencechainednoun.com^ +||obedientapologyinefficient.com^ +||obedientrock.com^ +||obedirectukly.info^ +||obeliacallay.com^ +||obesityvanmost.shop^ +||obeus.com^ +||obeyedortostr.cc^ +||obeyfreelanceloan.com^ +||obeyingdecrier.shop^ +||obeysatman.com^ +||obgdk.top^ +||obhggjchjkpb.xyz^ +||objectionportedseaside.com^ +||objective-wright-961fed.netlify.com^ +||objectivepressure.com^ +||objectsentrust.com^ +||objectsrented.com^ +||obligebuffaloirresolute.com^ +||obliterateminingarise.com^ +||oblivionpie.com^ +||oblivionthreatjeopardy.com^ +||obnoxiouspatrolassault.com^ +||obouckie.com^ +||obqaxzon.com^ +||obr3.space^ +||obrom.xyz^ +||obscurejury.com^ +||observationsolution.top^ +||observationsolution3.top^ +||observationtable.com^ +||observativus.com^ +||observedbrainpowerweb.com^ +||observedlily.com^ +||observer3452.fun^ +||observer384.fun^ +||observerdispleasejune.com^ +||obsesschristening.com^ +||obsessionseparation.com^ +||obsessivepetsbean.com^ +||obsessivepossibilityminimize.com^ +||obsessthank.com^ +||obsidiancutter.top^ +||obstaclemuzzlepitfall.com^ +||obstanceder.pro^ +||obtainedcredentials.com^ +||obtaintrout.com^ +||obtrusivecrisispure.com^ +||obviousestate.com^ +||oc2tdxocb3ae0r.com^ +||ocardoniel.com^ +||ocbnihhu.com^ +||occasion219.fun^ +||occdmioqlo.com^ +||occndvwqxhgeicg.xyz^ +||occums.com^ +||occupiedpace.com^ +||occurclaimed.com^ +||occurdefrost.com^ +||ocean-trk.com^ +||ocgbexwybtjrai.xyz^ +||ochoovoajaw.xyz^ +||ocjmbhy.com^ +||ockerfisher.top^ +||oclaserver.com^ +||oclasrv.com^ +||ocmhood.com^ +||ocmtag.com^ +||ocoaksib.com^ +||oconner.link^ +||ocoumsetoul.com^ +||ocponcphaafb.com^ +||octanmystes.com^ +||octoads.shop^ +||octobergypsydeny.com^ +||octoberrates.com^ +||octonewjs.com^ +||octopidroners.com^ +||octopod.cc^ +||octopuspop.com^ +||octroinewings.shop^ +||ocuwyfarlvbq.com^ +||ocxihhlqc.xyz^ +||ocypetediplont.shop^ +||odallerdosser.shop^ +||odalrevaursartu.net^ +||oddsserve.com^ +||odeecmoothaith.net^ +||odemonstrat.pro^ +||odintsures.click^ +||odnaknopka.ru^ +||odologyelicit.com^ +||odourcowspeculation.com^ +||odpgponumrw.com^ +||odqciqdazjuk.com^ +||odvrjedubvedqs.com^ +||oehgk.com^ +||oelwojattkd.xyz^ +||oestpq.com^ +||oevll.com^ +||of-bo.com^ +||ofcamerupta.com^ +||ofclaydolr.com^ +||ofdanpozlgha.com^ +||ofdittor.com^ +||ofdomjzpix.com^ +||ofdrapiona.com^ +||offalakazaman.com^ +||offchatotor.com^ +||offenddishwater.com^ +||offendergrapefruitillegally.com^ +||offenseholdrestriction.com^ +||offenseshabbyrestless.com^ +||offergate-apps-pubrel.com^ +||offergate-games-download1.com^ +||offergate-software6.com^ +||offerimage.com^ +||offerlink.co^ +||offersbid.net^ +||offershub.net^ +||offerstrackingnow.com^ +||offerwall.site^ +||offfurreton.com^ +||offhandclubhouse.com^ +||offhandpump.com^ +||office1266.fun^ +||officerdiscontentedalley.com^ +||officetablntry.org^ +||officialbanisters.com^ +||officiallyflabbyperch.com^ +||officialraising.com^ +||offmachopor.com^ +||offmantiner.com^ +||offoonguser.com^ +||offpichuan.com^ +||offsetpushful.com^ +||offshoreapprenticeheadphone.com^ +||offshoredependant.com^ +||offshoredutchencouraging.com^ +||offshuppetchan.com^ +||offsigilyphor.com^ +||offsteelixa.com^ +||ofglicoron.net^ +||ofgogoatan.com^ +||ofgulpinan.com^ +||ofhappinyer.com^ +||ofhunch.com^ +||ofhypnoer.com^ +||ofklefkian.com^ +||ofkrabbyr.com^ +||ofleafeona.com^ +||ofnkswddtp.xyz^ +||ofphanpytor.com^ +||ofqopmnpia.com^ +||ofredirect.com^ +||ofseedotom.com^ +||ofslakotha.com^ +||ofsnoveran.com^ +||ofswannator.com^ +||oftencostbegan.com^ +||oftheappyri.org^ +||ofzzuqlfuof.com^ +||ogeeztf.com^ +||ogercron.com^ +||ogfaqwwux.com^ +||ogfba.net^ +||ogfbb.net^ +||ogfbc.net^ +||ogfbd.net^ +||ogfbe.net^ +||ogffa.net^ +||ogfga.net^ +||ogfna.net^ +||ogghpaoxwv.com^ +||oghgrazubafz.com^ +||oghqvffmnt.com^ +||oghyz.click^ +||ogicatius.com^ +||ogle-0740lb.com^ +||ogniicbnb.ru^ +||ogqophjilar.com^ +||ografazu.xyz^ +||ogragrugece.net^ +||ograuwih.com^ +||ogrepsougie.net^ +||ogrrmasukq.com^ +||ogsdgcgtf.com^ +||ogvandsa.com^ +||ogvaqxjzfm-n.top^ +||ogvkyxx.com^ +||ogxntutl.fun^ +||ohimunpracticalw.info^ +||ohjfacva.com^ +||ohjkkemin.com^ +||ohkahfwumd.com^ +||ohkdsplu.com^ +||ohkvifgino.com^ +||ohldsplu.com^ +||ohmcasting.com^ +||ohmwrite.com^ +||ohmyanotherone.xyz^ +||ohndsplu.com^ +||ohnwmjnsvijdrgx.xyz^ +||ohooftaux.net^ +||ohqduxhcuab.com^ +||ohrdsplu.com^ +||ohsatum.info^ +||ohtctjiuow.com^ +||ohtpigod.com^ +||ohvcasodlbut.com^ +||oianz.xyz^ +||oiavdib.com^ +||oiehxjpz.com^ +||oijorfkfwtdswv.xyz^ +||oijzvhzt.com^ +||oilwellsublot.top^ +||oinkedbowls.com^ +||ointmentapathetic.com^ +||ointmentbarely.com^ +||oiycak.com^ +||ojapanelm.xyz^ +||ojkduzbm.com^ +||ojmvywz.com^ +||ojoodoaptouz.com^ +||ojpem.com^ +||ojrq.net^ +||ojsxtysilofk.com^ +||ojtarsdukk.com^ +||ojtatygrl.xyz^ +||ojvjryolxxhe.com^ +||ojwapnolwa.com^ +||ojwonhtrenwi.com^ +||ojyggbl.com^ +||ojzghaawlf.com^ +||okaidsotsah.com^ +||okakyamoguvampom.com^ +||okaydisciplemeek.com^ +||okdecideddubious.com^ +||okdigital.me^ +||okhrtusmuod.com^ +||okjjwuru.com^ +||okkodoo.com^ +||okkywctpvfu.com^ +||oko.net^ +||okrasbj6.de^ +||okt5mpi4u570pygje5v9zy.com^ +||oktarnxtozis.com^ +||okueroskynt.com^ +||okunyox.com^ +||okvovqrfuc.com^ +||olatumal.com^ +||olayomad.com^ +||old-go.pro^ +||olderdeserved.com^ +||oldership.com^ +||oldeststrickenambulance.com^ +||oldfashionedcity.pro^ +||oldfashionedmadewhiskers.com^ +||oldforeyesheh.info^ +||oldgyhogola.com^ +||oldndalltheold.org^ +||oldsia.xyz^ +||olenidpalter.shop^ +||olep.xyz^ +||olibes.com^ +||olineman.pro^ +||olivecough.com^ +||olivedinflats.space^ +||olkhtegk.com^ +||ollapodbrewer.top^ +||ollsukztoo.com^ +||olmsoneenh.info^ +||olnjitvizo.com^ +||olnoklmuxo.com^ +||ololenopoteretol.info^ +||olomonautcatho.info^ +||olq18dx1t.com^ +||olularhenewrev.info^ +||olvwnmnp.com^ +||olxoqmotw.com^ +||olxwweaf.com^ +||olympuscracowe.shop^ +||olzatpafwo.com^ +||olzuvgxqhozu.com^ +||omanala.com^ +||omarcheopson.com^ +||omareeper.com^ +||omasatra.com^ +||omatri.info^ +||omaumeng.net^ +||omazeiros.com^ +||ombfunkajont.com^ +||omchanseyr.com^ +||omchimcharchan.com^ +||omciecoa37tw4.com^ +||omclacrv.com^ +||omcrobata.com^ +||omdittoa.com^ +||omefukmendation.com^ +||omegaadblock.net^ +||omegatrak.com^ +||omelettebella.com^ +||omenkid.top^ +||omenrandomoverlive.com^ +||omfiydlbmy.com^ +||omg2.com^ +||omgpm.com^ +||omgranbulltor.com^ +||omgt3.com^ +||omgt4.com^ +||omgt5.com^ +||omguk.com^ +||omgwowgirls.com^ +||ominousgutter.com^ +||omission119.fun^ +||omissionmexicanengineering.com^ +||omitcalculategalactic.com^ +||omitpollenending.com^ +||omjqukadtolg.com^ +||omkxadadsh.com^ +||omnatuor.com^ +||omni-ads.com^ +||omnidokingon.com^ +||omnitagjs.com^ +||omoonsih.net^ +||omphantumpom.com^ +||omshedinjaor.com^ +||omvenusaurchan.com^ +||omwovzodgck.com^ +||omzoroarkan.com^ +||omzylhvhwp.com^ +||onad.eu^ +||onads.com^ +||onameketathar.com^ +||onatallcolumn.com^ +||onatsoas.net^ +||onaugan.com^ +||onautcatholi.xyz^ +||oncavst.com^ +||oncesets.com^ +||onclarck.com^ +||onclasrv.com^ +||onclckmn.com^ +||onclckpop.com^ +||onclickads.net^ +||onclickalgo.com^ +||onclickclear.com^ +||onclickgenius.com^ +||onclickmax.com^ +||onclickmega.com^ +||onclickperformance.com^ +||onclickprediction.com^ +||onclickpredictiv.com^ +||onclickpulse.com^ +||onclickrev.com^ +||onclickserver.com^ +||onclicksuper.com^ +||onclkds.com^ +||onclklnd.com^ +||ondbazxakr.com^ +||ondeerlingan.com^ +||ondewottom.com^ +||ondshub.com^ +||oneadvupfordesign.com^ +||oneclck.net^ +||oneclickpic.net^ +||onedmp.com^ +||onedragon.win^ +||oneegrou.net^ +||onefoldonefoldadaptedvampire.com^ +||onefoldonefoldpitched.com^ +||onegamespicshere.com^ +||onelivetra.com^ +||onelpfulinother.com^ +||onemacusa.net^ +||onemboaran.com^ +||onemileliond.info^ +||onenetworkdirect.com^ +||onenetworkdirect.net^ +||onenomadtstore.com^ +||oneotheacon.cc^ +||onepstr.com^ +||onerousgreeted.com^ +||oneselfindicaterequest.com^ +||oneselfoxide.com^ +||onesocailse.com^ +||onespot.com^ +||onetouch12.com^ +||onetouch17.info^ +||onetouch19.com^ +||onetouch20.com^ +||onetouch22.com^ +||onetouch26.com^ +||onetouch4.com^ +||onetouch6.com^ +||onetouch8.info^ +||onetrackesolution.com^ +||onevenadvnow.com^ +||onfearowom.com^ +||ongastlya.com^ +||ongoingverdictparalyzed.com^ +||onionetmabela.top^ +||onkafxtiqcu.com^ +||onkavst.com^ +||onkodjwuq.com^ +||online-adnetwork.com^ +||onlinedeltazone.online^ +||onlinegoodsonline.online^ +||onlinepromousa.com^ +||onlineuserprotector.com^ +||onlombreor.com^ +||onlyfansrips.com^ +||onlypleaseopposition.com^ +||onlyry.net^ +||onlyvpn.site^ +||onlyyourbiglove.com^ +||onmanectrictor.com^ +||onmantineer.com^ +||onmarshtompor.com^ +||onoamoutsaitsy.net^ +||onpluslean.com^ +||onraltstor.com^ +||onrcipthncrjc.com^ +||onscormation.info^ +||onseleauks.org^ +||onservantas.org^ +||onservantasr.info^ +||onseviperon.com^ +||onshowit.com^ +||onshucklea.com^ +||onskittyor.com^ +||onsolrockon.com^ +||onspindaer.com^ +||onstunkyr.com^ +||ontj.com^ +||ontosocietyweary.com^ +||onverforrinho.com^ +||onvictinitor.com^ +||onwasrv.com^ +||onxokvvevwop.xyz^ +||oo00.biz^ +||oobitsou.net^ +||oobsaurt.net^ +||oockighuchee.com^ +||oocmangamsaih.net^ +||oocmoaghurs.net^ +||oodalsarg.com^ +||oodrampi.com^ +||oofptbhbdb.com^ +||ooghourgaiy.net^ +||oogneenu.net^ +||oogneroopsoorta.net^ +||oogniwoax.net^ +||oogrouss.net^ +||oogrowairsiksoy.xyz^ +||oogrutse.net^ +||ooiyyavhwq.com^ +||oojorairs.net^ +||ookresit.net^ +||ookroush.com^ +||ooloptou.net^ +||oolseeshir.xyz^ +||oolsoudsoo.xyz^ +||oolsutsougri.net^ +||ooltakreenu.xyz^ +||oometermerkhet.click^ +||oomsijahail.com^ +||oomsoapt.net^ +||oomsurtour.net^ +||oonewrxxvulhae.com^ +||oongouha.xyz^ +||oonsouque.com^ +||oopatet.com^ +||oopheecahough.net^ +||oophengeey.com^ +||oophijassaudral.xyz^ +||oophoame.xyz^ +||oopoawee.xyz^ +||oopsooss.com^ +||oopukrecku.com^ +||oordeevum.com^ +||oortoofeelt.xyz^ +||oosonechead.org^ +||oosoojainy.xyz^ +||oossautsid.com^ +||oostotsu.com^ +||ootchaig.xyz^ +||ootchobuptoo.com^ +||ootchoft.com^ +||oovoonganeegry.xyz^ +||oowhoaphick.com^ +||oowkzpjo-o.click^ +||ooxobsaupta.com^ +||op00.biz^ +||op01.biz^ +||op02.biz^ +||op3xdork.xyz^ +||opalmetely.com^ +||opchikoritar.com^ +||opclauncheran.com^ +||opclck.com^ +||opcnflku.com^ +||opdomains.space^ +||opdowvamjv.com^ +||opdxpycrizuq.com^ +||opeanresultanc.com^ +||opeanresultancete.info^ +||opencan.net^ +||openerkey.com^ +||openersbens.com^ +||opengalaxyapps.monster^ +||openinggloryfin.com^ +||openingmetabound.com^ +||openmindedaching.com^ +||openmindter.com^ +||openslowlypoignant.com^ +||opentecs.com^ +||openx.net^ +||openxadexchange.com^ +||openxenterprise.com^ +||openxmarket.asia^ +||operaharvestrevision.com^ +||operakeyboardhindsight.com^ +||operaserver.com^ +||operationalcocktailtribute.com^ +||operationalsuchimperfect.com^ +||operatorgullibleacheless.com^ +||opfourpro.org^ +||opgolan.com^ +||ophophiz.xyz^ +||ophvkau.com^ +||opkinglerr.com^ +||opleshouldthink.com^ +||oplpectation.xyz^ +||opmxizgcacc.com^ +||opnbylag.com^ +||opoduchadmir.com^ +||oponixa.com^ +||opositeasysemblyjus.info^ +||opoxv.com^ +||oppedtoalktoherh.info^ +||oppersianor.com^ +||oppfamily.shop^ +||opponenteaster.com^ +||opportunitybrokenprint.com^ +||opportunitygrandchildrenbadge.com^ +||opportunitysearch.net^ +||opposedunconscioustherapist.com^ +||opposesmartadvertising.com^ +||oppositeemperorcollected.com^ +||oppressiontheychore.com^ +||oppressiveconnoisseur.com^ +||oppressiveoversightnight.com^ +||opqhihiw.com^ +||opreseynatcreativei.com^ +||oprill.com^ +||opsoomet.net^ +||opsoudaw.xyz^ +||optad360.io^ +||optad360.net^ +||optargone-2.online^ +||opteama.com^ +||opter.co^ +||opthushbeginning.com^ +||opticalwornshampoo.com^ +||opticlygremio.com^ +||optidownloader.com^ +||optimalscreen1.online^ +||optimatic.com^ +||optimizesocial.com^ +||optimizesrv.com^ +||optnx.com^ +||optraising.com^ +||optvx.com^ +||optvz.com^ +||optyruntchan.com^ +||optzsrv.com^ +||opvanillishan.com^ +||oqbaxgolrabl.com^ +||oqddkgixmqhovv.xyz^ +||oqdkftnubqa.com^ +||oqejupqb.xyz^ +||oqkucsxfrcjtho.xyz^ +||oqnabsatfn.com^ +||oqpahlskaqal.com^ +||oqsttfy.com^ +||oquftwsabsep.xyz^ +||oqyictvedqfhhd.com^ +||oraheadyguinner.org^ +||oralmaliciousmonday.com^ +||oralsproxied.com^ +||oranegfodnd.com^ +||orangeads.fr^ +||oraporn.com^ +||oratefinauknceiwo.com^ +||oratorpounds.com^ +||oraubsoux.net^ +||orbengine.com^ +||orbitcarrot.com^ +||orbsclawand.com^ +||orbsdiacle.com^ +||orbsrv.com^ +||orccpeaodwi.com^ +||orcjagpox.com^ +||orclrul.com^ +||orcnakokt.com^ +||ordciqczaox.com^ +||orderlydividepawn.com^ +||ordinaleatersouls.com^ +||ordinalexclusively.com^ +||ordinarilycomedyunload.com^ +||ordinarilyrehearsenewsletter.com^ +||ordinghology.com^ +||ordisposableado.com^ +||ordzimwtaa.com^ +||orebuthehadsta.info^ +||orecticconchae.com^ +||orest-vlv.com^ +||oretracker.top^ +||oreyeshe.info^ +||orfa1st5.de^ +||orfabfbu.com^ +||orgagetnization.org^ +||organiccopiedtranquilizer.com^ +||organize3452.fun^ +||organizerprobe.com^ +||orgassme.com^ +||orgaxngxhvdp.rocks^ +||orgueapropos.top^ +||orhavingartisticta.com^ +||orientaldumbest.com^ +||orientalrazor.com^ +||orientjournalrevolution.com^ +||originalblow.pro^ +||originallyrabbleritual.com^ +||originatecrane.com^ +||originateposturecubicle.com^ +||origintube.com^ +||origunix.com^ +||oritooep.win^ +||orjfun.com^ +||orkwithcatukhy.com^ +||orlandowaggons.com^ +||orldwhoisquite.org^ +||orlowedonhisdhilt.info^ +||ormoimojl.xyz^ +||ormolusapiary.com^ +||ornamentbyechose.com^ +||ornatecomputer.com^ +||orpoobj.com^ +||orqrdm.com^ +||orquideassp.com^ +||orrwavakgqr.com^ +||orthcurium.com^ +||ortwaukthwaeals.com^ +||oruxdwhatijun.info^ +||orysyisn.com^ +||osadooffinegold.com^ +||osarmapa.net^ +||oscohkajcjz.com^ +||osdmuxzag.com^ +||osekwacuoxt.xyz^ +||oselamousey.com^ +||osfrjut.com^ +||osfultrbriolenai.info^ +||osgabcqk.com^ +||osgsijvkoap.com^ +||oshanixot.com^ +||osharvrziafx.com^ +||oshoothoolo.com^ +||oskiwood.com^ +||osmeticjewlike.com^ +||osminaclumber.com^ +||osmosedshrined.top^ +||ospartners.xyz^ +||ospreyorceins.com^ +||osrepwsysp.com^ +||osrxzucira.com^ +||ossfloetteor.com^ +||ossgogoaton.com^ +||osshydreigonan.com^ +||osskanger.com^ +||osskugvirs.com^ +||ossmightyenar.net^ +||ossnidorinoom.com^ +||osspalkiaom.com^ +||osspinsira.com^ +||osspwamuhn.com^ +||ossrhydonr.com^ +||ossshucklean.com^ +||ossswannaa.com^ +||ostensiblecompetitive.com^ +||ostfuwdmiohg.com^ +||ostilllookinga.cc^ +||ostlon.com^ +||ostrichmustardalloy.com^ +||oswapjmzeacv.com^ +||osyqldvshkc.xyz^ +||oszlnxwqlc.com^ +||otabciukwurojh.xyz^ +||otbackstage2.online^ +||otbuzvqq8fm5.com^ +||otdalxhhiah.com^ +||otekmnyfcv.com^ +||otherofherlittle.info^ +||otherwiseassurednessloaf.com^ +||otingolston.com^ +||otisephie.com^ +||otjawzdugg.com^ +||otnolabttmup.com^ +||otnolatrnup.com^ +||otoadom.com^ +||otomacotelugu.com^ +||otrwaram.com^ +||ottdhysral.com^ +||otterwoodlandobedient.com^ +||otvjsfmh.tech^ +||otwqvqla.com^ +||oubeliketh.info^ +||oubsooceen.net^ +||ouchruse.com^ +||oudoanoofoms.com^ +||oudseroa.com^ +||oudseshifaijib.net^ +||oudsutch.com^ +||oufauthy.net^ +||ouftukoo.net^ +||oughoaghushouru.net^ +||ouglauster.net^ +||ougnultoo.com^ +||ougrauty.com^ +||ougribot.net^ +||ouhastay.net^ +||oujouniw.com^ +||ouknowsaidthea.info^ +||ouldhukelpm.org^ +||ouloansu.com^ +||oulragart.xyz^ +||oulsools.com^ +||oumainseeba.xyz^ +||oumoshomp.xyz^ +||oumtirsu.com^ +||ounceanalogous.com^ +||oundaymitools.org^ +||oundhertobeconsi.com^ +||oungimuk.net^ +||ounigaugsurvey.space^ +||ounobdlzzks.world^ +||ounsissoadry.net^ +||oupaumul.net^ +||oupheerdodoomt.net^ +||ouphouch.com^ +||oupushee.com^ +||oupusoma.net^ +||ourcommonnews.com^ +||ourcommonstories.com^ +||ourcoolposts.com^ +||ourcoolspot.com^ +||ourcoolstories.com^ +||ourdesperate.com^ +||ourdreamsanswer.info^ +||ourgumpu.xyz^ +||ourhotstories.com^ +||ourhypewords.com^ +||ourl.link^ +||ourscience.info^ +||ourselvesoak.com^ +||ourselvessuperintendent.com^ +||oursexhance.top^ +||ourtecads.com^ +||ourteeko.com^ +||ourtopstories.com^ +||ourtshipanditlas.info^ +||ourtshipanditlast.info^ +||oushaury.com^ +||ousinouk.xyz^ +||oussaute.net^ +||ousseghu.net^ +||oustoope.com^ +||outabsola.com^ +||outaipoma.com^ +||outarcaninean.com^ +||outbalanceleverage.com^ +||outbursttones.com^ +||outchinchour.com^ +||outchops.xyz^ +||outclaydola.com^ +||outcrycaseate.com^ +||outdilateinterrupt.com^ +||outelectrodean.com^ +||outfeatjamshid.com^ +||outflednailbin.com^ +||outfoxnapalms.com^ +||outgratingknack.com^ +||outhaushauviy.xyz^ +||outheelrelict.com^ +||outhulem.net^ +||outkisslahuli.com^ +||outlayomnipresentdream.com^ +||outlayreliancevine.com^ +||outlineappearbar.com^ +||outloginequity.com^ +||outlookabsorb.com^ +||outlookreservebennet.com^ +||outlopunnytor.com^ +||outmatchurgent.com^ +||outnidorinoom.com^ +||outnumberconnatetomato.com^ +||outnumberpickyprofessor.com^ +||outoctillerytor.com^ +||outofthecath.org^ +||outratela.com^ +||outrotomr.com^ +||outseeltor.com^ +||outseethoozet.net^ +||outsetnormalwaited.com^ +||outseylor.com^ +||outsidesubtree.com^ +||outsimiseara.com^ +||outsliggooa.com^ +||outsmoke-niyaxabura.com^ +||outsohoam.com^ +||outstandingspread.com^ +||outstandingsubconsciousaudience.com^ +||outstantewq.info^ +||outtimburrtor.com^ +||outtunova.com^ +||outwallastron.top^ +||outwhirlipedeer.com^ +||outwingullom.com^ +||outwitridiculousresume.com^ +||outwoodeuropa.com^ +||outyanmegaom.com^ +||ouvertrenewed.com^ +||ouvrefth.shop^ +||ouweessougleji.net^ +||ouwhejoacie.xyz^ +||ouzeelre.net^ +||ovaleithermansfield.com^ +||ovardu.com^ +||ovdimin.buzz^ +||oveechoops.xyz^ +||ovenbifaces.cam^ +||overallfetchheight.com^ +||overboardbilingual.com^ +||overboardlocumout.com^ +||overcacneaan.com^ +||overcomecheck.com^ +||overcooked-construction.com^ +||overcrowdsillyturret.com^ +||overdates.com^ +||overestimateoption.com^ +||overgalladean.com^ +||overheadnell.com^ +||overheadplough.com^ +||overhearpeasantenough.com^ +||overheatusa.com^ +||overjoyeddarkenedrecord.com^ +||overjoyedtempfig.com^ +||overjoyedwithinthin.com^ +||overkirliaan.com^ +||overlapflintsidenote.com^ +||overlivedub.com^ +||overloadmaturespanner.com^ +||overlooked-scratch.pro^ +||overlookedtension.pro^ +||overluvdiscan.com^ +||overlyindelicatehoard.com^ +||overmewer.com^ +||overnumeler.com^ +||overonixa.com^ +||overponyfollower.com^ +||overratedlively.com^ +||overreactperverse.com^ +||overseasearchopped.com^ +||overseasinfringementsaucepan.com^ +||oversightantiquarianintervention.com^ +||oversightbullet.com^ +||oversleepcommercerepeat.com^ +||oversolosisor.com^ +||overswaloton.com^ +||overswirling.sbs^ +||overthetopexad.com^ +||overtimetoy.com^ +||overtrapinchchan.net^ +||overture.com^ +||overwhelmcontractorlibraries.com^ +||overwhelmfarrier.com^ +||overwhelmhavingbulky.com^ +||overwhelmingconclusionlogin.com^ +||overwhelmingoblige.com^ +||overwhelmpeacock.com^ +||overzoruaon.com^ +||overzubatan.com^ +||ovethecityonatal.info^ +||ovfmeawrciuajgb.com^ +||ovgjveaokedo.xyz^ +||ovibospeseta.com^ +||ovjagtxasv.com^ +||ovsrhikuma.com^ +||ovyyszfod.fun^ +||ow5a.net^ +||owbroinothiermol.xyz^ +||owcdilxy.xyz^ +||oweltygagster.top^ +||owenexposure.com^ +||owfjlchuvzl.com^ +||owfrbdikoorgn.xyz^ +||owhlmuxze.com^ +||owithlerendu.com^ +||owlerydominos.cam^ +||owlunimmvn.com^ +||owndata.network^ +||ownhoodmucro.shop^ +||ownzzohggdfb.com^ +||owojqopr.com^ +||owppijqakeo.com^ +||owrkwilxbw.com^ +||owwczycust.com^ +||owwogmlidz.com^ +||ox4h1dk85.com^ +||oxado.com^ +||oxamateborrel.shop^ +||oxbbzxqfnv.com^ +||oxbowmentaldraught.com^ +||oxetoneagneaux.click^ +||oxidemustard.com^ +||oxidetoward.com^ +||oxjexkubhvwn.xyz^ +||oxkgcefteo.com^ +||oxlipbegan.com^ +||oxmoonlint.com^ +||oxmopobypviuy.com^ +||oxmqzeszyo.com^ +||oxnkahofpki.com^ +||oxthrilled.com^ +||oxtracking.com^ +||oxtsale1.com^ +||oxtuycevz.com^ +||oxtzgomhodrz.top^ +||oxvbfpwwewu.com^ +||oxxvikappo.com^ +||oxybe.com^ +||oxygenblobsglass.com^ +||oxygenpermissionenviable.com^ +||oxynticarkab.com^ +||oyaoknzgoqkq.com^ +||oybcobkru.xyz^ +||oyeletmaffia.click^ +||oyen3zmvd.com^ +||oyi9f1kbaj.com^ +||oysterbywordwishful.com^ +||oysterfoxfoe.com^ +||oytoworkwithcatuk.com^ +||oywhowascryingfo.com^ +||oywzrri.com^ +||oyxkrulpwculq.com^ +||oz-yypkhuwo.rocks^ +||ozationsuchasric.org^ +||ozbkfuhpuolf.com^ +||ozcarcupboard.com^ +||ozectynptd.com^ +||ozlenbl.com^ +||ozmspawupo.com^ +||ozobsaib.com^ +||ozonemedia.com^ +||ozonerexhaled.click^ +||ozongees.com^ +||ozwxhoonxlm.com^ +||ozznarazdtz.com^ +||p-analytics.life^ +||p-ozlugxmb.top^ +||p-usjawrfp.global^ +||p1yhfi19l.com^ +||p40rlh4k.xyz^ +||pa5ka.com^ +||pacekami.com^ +||pachegaimax.net^ +||pacificprocurator.com^ +||pacifics.sbs^ +||pacificvernonoutskirts.com^ +||packageeyeball.com^ +||packsofgood.com^ +||pacquetmuysca.com^ +||paddlediscovery.com^ +||paddlemenu.com^ +||padma-fed.com^ +||padsabs.com^ +||padsans.com^ +||padsanz.com^ +||padsatz.com^ +||padsdel.com^ +||padsdel2.com^ +||padsdelivery.com^ +||padsimz.com^ +||padskis.com^ +||padslims.com^ +||padspms.com^ +||padstm.com^ +||padtue.xyz^ +||paeastei.net^ +||paehceman.com^ +||pafiptuy.net^ +||pafteejox.com^ +||pagejunky.com^ +||pagemystery.com^ +||paginaltreitre.shop^ +||pagnawhouk.net^ +||paguridrenilla.com^ +||pahbasqibpih.com^ +||paht.tech^ +||pahtef.tech^ +||pahtfi.tech^ +||pahtgq.tech^ +||pahthf.tech^ +||pahtky.tech^ +||pahtwt.tech^ +||pahtzh.tech^ +||paichaus.com^ +||paid.outbrain.com^ +||paiglumousty.net^ +||paikoasa.tv^ +||painchnieves.com^ +||painfullyconfession.com^ +||painfullypenny.com^ +||painkillercontrivanceelk.com^ +||painlessassumedbeing.com^ +||painlightly.com^ +||painsdire.com^ +||paintednarra.top^ +||paintwandering.com^ +||paintydevelela.org^ +||paipsuto.com^ +||paishoonain.net^ +||paiwariaroids.shop^ +||paiwena.xyz^ +||paiwhisep.com^ +||paizowheefash.net^ +||pajamasgnat.com^ +||pajamasguests.com^ +||pajnutas.com^ +||palaroleg.guru^ +||palatablelay.pro^ +||palatedaylight.com^ +||paleexamsletters.com^ +||paleogdeedful.top^ +||paletteantler.com^ +||palibs.tech^ +||palikaralkamin.com^ +||palliwaklgz.com^ +||pallorirony.com^ +||palmcodliverblown.com^ +||palmfulcultivateemergency.com^ +||palmfulvisitsbalk.com^ +||palmkindnesspee.com^ +||palmmalice.com^ +||palpablefungussome.com^ +||palpablememoranduminvite.com^ +||palpedcahows.top^ +||palroudi.xyz^ +||palsybrush.com^ +||palsyowe.com^ +||paluinho.cloud^ +||palvanquish.com^ +||pampergloriafable.com^ +||pamperseparate.com^ +||pampervacancyrate.com^ +||pamphletredhead.com^ +||pamphletthump.com^ +||pamwrymm.live^ +||panamakeq.info^ +||panaservers.com^ +||pancakedusteradmirable.com^ +||panelghostscontractor.com^ +||pangdeserved.com^ +||pangiingsinspi.com^ +||pangzz.xyz^ +||paniskshravey.shop^ +||pannamdashee.com^ +||panniervocate.shop^ +||pannumregnal.com^ +||panoz.xyz^ +||panpant.xyz^ +||pansymerbaby.com^ +||pantafives.com^ +||pantiesattemptslant.com^ +||pantomimecattish.com^ +||pantomimecommitmenttestify.com^ +||pantomimemistystammer.com^ +||pantraidgeometry.com^ +||pantrydivergegene.com^ +||pantslayerboxoffice.com^ +||pantsurplus.com^ +||pantuz.xyz^ +||papaneecorche.com^ +||papatrol.xyz^ +||papawrefits.com^ +||papererweerish.top^ +||paphoolred.com^ +||papismkhedahs.com^ +||papmeatidigbo.com^ +||parachutecourtyardgrid.com^ +||parachutelacquer.com^ +||paradeaddictsmear.com^ +||parademuscleseurope.com^ +||paradisenookminutes.com^ +||paradizeconstruction.com^ +||paragraphdisappointingthinks.com^ +||paragraphopera.com^ +||parallelgds.store^ +||parallelinefficientlongitude.com^ +||paralyzedresourcesweapons.com^ +||paranoiaantiquarianstraightened.com^ +||paranoiaourselves.com^ +||parasitevolatile.com^ +||parasolsever.com^ +||paravaprese.com^ +||pardaipseed.com^ +||pardaotopazes.shop^ +||pardyprofer.shop^ +||parentingcalculated.com^ +||parentlargevia.com^ +||parentsatellitecheque.com^ +||paripartners.ru^ +||parishconfinedmule.com^ +||parishseparated.com^ +||parisjeroleinpg.com^ +||paritycreepercar.com^ +||paritywarninglargest.com^ +||parkcircularpearl.com^ +||parkdumbest.com^ +||parkingcombstrawberry.com^ +||parkingridiculous.com^ +||parkurl.com^ +||parliamentarypublicationfruitful.com^ +||parliamentaryreputation.com^ +||parlorstudfacilitate.com^ +||parlouractivityattacked.com^ +||parnelfirker.com^ +||paronymtethery.com^ +||parrecleftne.xyz^ +||parserskiotomy.com^ +||parsimoniousinvincible.net^ +||partial-pair.pro^ +||partiallyexploitrabbit.com^ +||partiallyguardedascension.com^ +||participantderisive.com^ +||participateconsequences.com^ +||participatemop.com^ +||particlesnuff.com^ +||particularlyarid.com^ +||particularundoubtedly.com^ +||partieseclipse.com^ +||partion-ricism.xyz^ +||partitionshawl.com^ +||partnerbcgame.com^ +||partnerlinks.io^ +||partpedestal.com^ +||partridgehostcrumb.com^ +||partsbury.com^ +||parttimelucidly.com^ +||parttimeobdurate.com^ +||parttimesupremeretard.com^ +||parturemv.top^ +||partypartners.com^ +||partyroll.xyz^ +||parumal.com^ +||parwiderunder.com^ +||pas-rahav.com^ +||pasaltair.com^ +||pasbstbovc.com^ +||paservices.tech^ +||paslsa.com^ +||passagessixtyseeing.com^ +||passeura.com^ +||passfixx.com^ +||passingpact.com^ +||passionacidderisive.com^ +||passionatephilosophical.com^ +||passiondimlyhorrified.com^ +||passionfruitads.com^ +||passirdrowns.com^ +||passtechusa.com^ +||passwordslayoutvest.com^ +||passwordssaturatepebble.com^ +||pasteldevaluation.com^ +||pasteljav128.fun^ +||pastimeprayermajesty.com^ +||pastjauntychinese.com^ +||pastoupt.com^ +||pastureacross.com^ +||pasxfixs.com^ +||patakaendymal.top^ +||patalogs.com^ +||patchassignmildness.com^ +||patchedcyamoid.com^ +||patchouptid.xyz^ +||patefysouari.com^ +||patentdestructive.com^ +||paternalcostumefaithless.com^ +||paternalrepresentation.com^ +||paternityfourth.com^ +||patgsrv.com^ +||pathloaded.com^ +||pathsectorostentatious.com^ +||patiomistake.com^ +||patronageausterity.com^ +||patronagepolitician.com^ +||patrondescendantprecursor.com^ +||patronknowing.com^ +||patroposalun.pro^ +||patsincerelyswing.com^ +||patsyendless.com^ +||patsyfactorygallery.com^ +||patsypropose.com^ +||pattedearnestly.com^ +||patteefief.shop^ +||patternimaginationbull.com^ +||pattwyda.com^ +||pattyheadlong.com^ +||pauchalopsin.com^ +||pauewr4cw2xs5q.com^ +||paularrears.com^ +||paulastroid.com^ +||paulcorrectfluid.com^ +||pauptoolari.com^ +||paupupaz.com^ +||paussidsipage.com^ +||pavisordjerib.com^ +||pawbothcompany.com^ +||pawderstream.com^ +||pawheatyous.com^ +||pawhiqsi.com^ +||pawmaudwaterfront.com^ +||pawscreationsurely.com^ +||paxmedia.net^ +||paxsfiss.com^ +||paxxfiss.com^ +||paxyued.com^ +||pay-click.ru^ +||paybackmodified.com^ +||payfertilisedtint.com^ +||paymentsweb.org^ +||payoffdisastrous.com^ +||payoffdonatecookery.com^ +||payslipselderly.com^ +||pazials.xyz^ +||pazzfun.com^ +||pbbqzqi.com^ +||pbcde.com^ +||pbdo.net^ +||pbkdf.com^ +||pblcpush.com^ +||pblinq.com^ +||pbmt.cloud^ +||pbterra.com^ +||pbxai.com^ +||pc-ads.com^ +||pc180101.com^ +||pc1ads.com^ +||pc20160301.com^ +||pc2121.com^ +||pc2ads.com^ +||pc2ads.ru^ +||pc5ads.com^ +||pccasia.xyz^ +||pccjtxsao.com^ +||pcheahrdnfktvhs.xyz^ +||pcirurrkeazm.com^ +||pclk.name^ +||pcmclks.com^ +||pcqze.tech^ +||pctlwm.com^ +||pctsrv.com^ +||pdfsearchhq.com^ +||pdguohemtsi.com^ +||pdn-1.com^ +||pdn-2.com^ +||pdn-3.com^ +||pdrqubl.com^ +||pdsybkhsdjvog.xyz^ +||pdvacde.com^ +||peacebanana.com^ +||peacefulburger.com^ +||peacefullyclenchnoun.com^ +||peachesevaporateearlap.com^ +||peachessummoned.com^ +||peachybeautifulplenitude.com^ +||peachytopless.com^ +||peachywaspish.com^ +||peagsraters.com^ +||peakclick.com^ +||pearterkubachi.top^ +||peasbishopgive.com^ +||pebadu.com^ +||pebbleoutgoing.com^ +||pecantinglytripod.com^ +||pecialukizeias.info^ +||pecifyspacing.com^ +||peckrespectfully.com^ +||pectasefrisker.com^ +||pectosealvia.click^ +||pedangaishons.com^ +||pedestalturner.com^ +||pedeticinnet.com^ +||peechohovaz.xyz^ +||peejoopsajou.net^ +||peelaipu.xyz^ +||peelupsu.com^ +||peelxotvq.com^ +||peemee.com^ +||peensumped.shop^ +||peenuteque.net^ +||peer39.net^ +||peeredgerman.com^ +||peeredplanned.com^ +||peeredstates.com^ +||peeringinvasion.com^ +||peerlesshallucinate.com^ +||peesteso.xyz^ +||peethach.com^ +||peethobo.com^ +||peevishaboriginalzinc.com^ +||peevishchasingstir.com^ +||peevishdawed.com^ +||peewhouheeku.net^ +||pegloang.com^ +||pehgoloe.click^ +||peisantcorneas.com^ +||pejzeexukxo.com^ +||pekansrefait.shop^ +||pekcbuz.com^ +||pekseerdune.xyz^ +||pelamydlours.com^ +||pelliancalmato.com^ +||peltauwoaz.xyz^ +||pemsrv.com^ +||penaikaucmu.net^ +||penapne.xyz^ +||pendingshrewd.com^ +||pendulumwhack.com^ +||pengobyzant.com^ +||penguest.xyz^ +||penguindeliberate.com^ +||penitenceuniversityinvoke.com^ +||penitentarduous.com^ +||penitentiaryoverdosetumble.com^ +||penitentpeepinsulation.com^ +||penniedtache.com^ +||pennilesscomingall.com^ +||pennilesspictorial.com^ +||pennilessrobber.com^ +||pennilesstestangrily.com^ +||pennyotcstock.com^ +||penrake.com^ +||pensionboarding.com^ +||pensionerbegins.com^ +||pentalime.com^ +||peopleshouldthin.com^ +||pepapigg.xyz^ +||pepepush.net^ +||pepiggies.xyz^ +||pepperbufferacid.com^ +||peppermintinstructdumbest.com^ +||pepperunmoveddecipher.com^ +||peppy2lon1g1stalk.com^ +||pepticsphene.shop^ +||pequotpatrick.click^ +||perceivedfineembark.com^ +||perceivedspokeorient.com^ +||percentageartistic.com^ +||percentagesubsequentprosper.com^ +||percentagethinkstasting.com^ +||perceptionatomicmicrowave.com^ +||perceptiongrandparents.com^ +||percussivecloakfortunes.com^ +||percussiverefrigeratorunderstandable.com^ +||perdurepeeve.com^ +||pereliaastroid.com^ +||perennialmythcooper.com^ +||perennialsecondly.com^ +||perfb.com^ +||perfectflowing.com^ +||perfectionministerfeasible.com^ +||perfectmarket.com^ +||perfectplanned.com^ +||performance-check.b-cdn.net^ +||performanceadexchange.com^ +||performanceonclick.com^ +||performancetrustednetwork.com^ +||performanteads.com^ +||performassumptionbonfire.com^ +||performingdistastefulsevere.com^ +||performit.club^ +||perfumeantecedent.com^ +||perfunctoryfrugal.com^ +||perhapsdrivewayvat.com^ +||perhiptid.com^ +||pericuelysian.top^ +||perigshfnon.com^ +||perilousalonetrout.com^ +||perimeterridesnatch.com^ +||periodicjotrickle.com^ +||periodicpole.com^ +||periodicprodigal.com^ +||periodscirculation.com^ +||periodspoppyrefuge.com^ +||perksyringefiring.com^ +||permanentadvertisebytes.com^ +||permanentlymission.com^ +||permissionarriveinsert.com^ +||permissionfence.com^ +||permissivegrimlychore.com^ +||perpetrateabsolute.com^ +||perpetratejewels.com^ +||perpetraterummage.com^ +||perpetratorjeopardize.com^ +||perpetualcod.com^ +||perplexbrushatom.com^ +||perryflealowest.com^ +||perryvolleyball.com^ +||persaonwhoisablet.com^ +||persecutenosypajamas.com^ +||persecutionmachinery.com^ +||persetoenail.com^ +||perseverehang.com^ +||persevereindirect.com^ +||persistarcticthese.com^ +||persistbrittle.com^ +||persistsaid.com^ +||persona3.tech^ +||personalityhamlet.com^ +||personantaeus.top^ +||perspectiveunderstandingslammed.com^ +||perspirationfraction.com^ +||persuadecowardenviable.com^ +||persuadepointed.com^ +||pertawee.net^ +||pertersacstyli.com^ +||pertfinds.com^ +||pertinentadvancedpotter.com^ +||pertlythurl.shop^ +||perttogahoot.com^ +||perusebulging.com^ +||peruseinvitation.com^ +||perverseunsuccessful.com^ +||pervertmine.com^ +||pervertscarreceipt.com^ +||peskyclarifysuitcases.com^ +||peskycrash.com^ +||peskyresistamaze.com^ +||pessimisticconductiveworrying.com^ +||pessimisticextra.com^ +||pesterclinkaltogether.com^ +||pesterolive.com^ +||pesteroverwork.com^ +||pesterunusual.com^ +||pestholy.com^ +||pestilenttidefilth.org^ +||petargumentswhirlpool.com^ +||petasmaeryops.com^ +||petasusawber.com^ +||petchesa.net^ +||petchoub.com^ +||petendereruk.com^ +||peterjoggle.com^ +||pethaphegauftup.xyz^ +||petideadeference.com^ +||petrelbeheira.website^ +||petrifacius.com^ +||petrolgraphcredibility.com^ +||petrosunnier.shop^ +||pettyachras.shop^ +||petulanthamsterunless.com^ +||pexuvais.net^ +||pezoomsekre.com^ +||pf34zdjoeycr.com^ +||pfiuyt.com^ +||pfmmzmdba.com^ +||pgaictlq.xyz^ +||pgapyygfpg.com^ +||pgazaz.icu^ +||pgezbuz.com^ +||pgjt26tsm.com^ +||pgmcdn.com^ +||pgmediaserve.com^ +||pgorttohwo.info^ +||pgpartner.com^ +||pgssjxz.com^ +||pgssl.com^ +||phabycebe.com^ +||phadsophoogh.net^ +||phaibimoa.xyz^ +||phaidaimpee.xyz^ +||phaighoosie.com^ +||phaigleers.com^ +||phaikroo.net^ +||phaikrouh.com^ +||phaiksul.net^ +||phaimsebsils.net^ +||phaimseksa.com^ +||phaipaun.net^ +||phaisoaz.com^ +||phaitaghy.com^ +||phaivaju.com^ +||phamsacm.net^ +||phantomattestationzillion.com^ +||phantomtheft.com^ +||phapsarsox.xyz^ +||pharmcash.com^ +||phastoag.com^ +||phatsibizew.com^ +||phauckoo.xyz^ +||phauloap.com^ +||phaulregoophou.net^ +||phaunaitsi.net^ +||phaurtuh.net^ +||phautchauni.net^ +||phautchiwaiw.net^ +||pheasantarmpitswallow.com^ +||phecoungaudsi.net^ +||phee1oci.com^ +||pheedsoan.com^ +||pheeghie.net^ +||pheegoab.click^ +||pheegopt.xyz^ +||pheekoamek.net^ +||pheepudo.net^ +||pheersie.com^ +||pheftoud.com^ +||pheniter.com^ +||phenotypebest.com^ +||phepofte.net^ +||pheptoam.com^ +||pheselta.net^ +||phetsaikrugi.com^ +||phewhouhopse.com^ +||phhxlhdjw.xyz^ +||phialedamende.com^ +||phicmune.net^ +||phidaukrauvo.net^ +||phidianowlet.com^ +||phiduvuka.pro^ +||philadelphiadip.com^ +||philosophicalurgegreece.com^ +||philosophydictation.com^ +||phitchoord.com^ +||phjsnwuzj.com^ +||phkucgq.com^ +||phkwimm.com^ +||phloxsub73ulata.com^ +||phoackoangu.com^ +||phoakeezeey.net^ +||phoalard.net^ +||phoalsie.net^ +||phoamsoa.xyz^ +||phoaphoxsurvey.space^ +||phoawhap.net^ +||phoawhoax.com^ +||phockoogeeraibi.xyz^ +||phockukoagu.net^ +||phocmogo.com^ +||phokruhefeki.com^ +||phoksaub.net^ +||phokukse.com^ +||phomoach.net^ +||phoneboothsabledomesticated.com^ +||phoobsoalrie.com^ +||phoognol.com^ +||phoojeex.xyz^ +||phookroamte.xyz^ +||phoosaurgap.net^ +||phoossax.net^ +||phoosuss.net^ +||phortaub.com^ +||phosphatepossible.com^ +||photographcrushingsouvenirs.com^ +||photographerinopportune.com^ +||photographyprovincelivestock.com^ +||phouckusogh.net^ +||phoukridrap.net^ +||phoutchounse.com^ +||phouvemp.net^ +||phovaiksou.net^ +||phraa-lby.com^ +||phsism.com^ +||phtpy.love^ +||phts.io^ +||phudauwy.com^ +||phudreez.com^ +||phudsumipakr.net^ +||phujaudsoft.xyz^ +||phukienthoitranggiare.com^ +||phulaque.com^ +||phultems.net^ +||phuluzoaxoan.com^ +||phumpauk.com^ +||phumsise.com^ +||phupours.com^ +||phurdoutchouz.net^ +||phuruxoods.com^ +||phuzeeksub.com^ +||physicalblueberry.com^ +||physicaldetermine.com^ +||physicaldividedcharter.com^ +||physicallyshillingattentions.com^ +||physicalnecessitymonth.com^ +||physiquefourth.com^ +||phywifupta.com^ +||piaigyyigyghjmi.xyz^ +||piarecdn.com^ +||piaroankenyte.store^ +||piazzetasses.shop^ +||picadmedia.com^ +||picarasgalax.com^ +||picbitok.com^ +||picbucks.com^ +||pickaflick.co^ +||pickedincome.com^ +||picklecandourbug.com^ +||picklesdumb.com^ +||pickuppestsyndrome.com^ +||pickvideolink.com^ +||picsofdream.space^ +||picsti.com^ +||pictela.net^ +||pictorialtraverse.com^ +||pictreed.com^ +||pictunoctette.com^ +||picturescil.shop^ +||pieceresponsepamphlet.com^ +||pienbitore.com^ +||piercepavilion.com^ +||piercing-employment.pro^ +||pierisrapgae.com^ +||pierlinks.com^ +||pierrapturerudder.com^ +||pietasylphon.com^ +||pietyharmoniousablebodied.com^ +||pigcomprisegruff.com^ +||piggiepepo.xyz^ +||pigmewpiete.com^ +||pigmycensing.shop^ +||pignuwoa.com^ +||pigrewartos.com^ +||pigsflintconfidentiality.com^ +||pigtre.com^ +||pihmvhv.com^ +||pihu.xxxpornhd.pro^ +||pihzhhn.com^ +||pilapilkelps.shop^ +||pilaryhurrah.com^ +||piledannouncing.com^ +||piledchinpitiful.com^ +||pilespaua.com^ +||pilgrimarduouscorruption.com^ +||pilkinspilular.click^ +||pillsofecho.com^ +||pillspaciousgive.com^ +||pillthingy.com^ +||piloteegazy.com^ +||piloteraser.com^ +||pilotnourishmentlifetime.com^ +||pilpulbagmen.com^ +||pilsarde.net^ +||pinaffectionatelyaborigines.com^ +||pinballpublishernetwork.com^ +||pincersnap.com^ +||pinchingoverridemargin.com^ +||pineappleconsideringpreference.com^ +||pinefluencydiffuse.com^ +||ping-traffic.info^ +||pingergauss.com^ +||pinionsmamry.top^ +||pinklabel.com^ +||pinkleo.pro^ +||pinpricktuxedokept.com^ +||pinprickverificationdecember.com^ +||pinprickwinconfirm.com^ +||pintoutcryplays.com^ +||pinttalewag.com^ +||pioneercomparatively.com^ +||pioneerusual.com^ +||piotyo.xyz^ +||piouscheers.com^ +||piouspoemgoodnight.com^ +||pip-pip-pop.com^ +||pipaffiliates.com^ +||pipeaota.com^ +||pipeofferear.com^ +||pipeschannels.com^ +||pipilimagine.shop^ +||pipsol.net^ +||piqueendogen.com^ +||piquingherblet.shop^ +||pirouque.com^ +||pirtecho.net^ +||pisehiation.shop^ +||pisgahserve.com^ +||pishespied.top^ +||pisism.com^ +||piskaday.com^ +||pistolstumbled.com^ +||pitcharduous.com^ +||pitchedfurs.com^ +||pitchedvalleyspageant.com^ +||piteevoo.com^ +||pitonlocmna.com^ +||pitshopsat.com^ +||pitycultural.com^ +||pityneedsdads.com^ +||pitysuffix.com^ +||piuyt.com^ +||pivotrunner.com^ +||pivotsforints.com^ +||pivxkeppgtc.life^ +||pixazza.com^ +||pixelhere.com^ +||pixelmuse.store^ +||pixelplay.pro^ +||pixelspivot.com^ +||pixfuture.net^ +||pixxur.com^ +||pizzasocalled.com^ +||pizzlessclimb.top^ +||pjagilteei.com^ +||pjjpp.com^ +||pjojddwlppfah.xyz^ +||pjqchcfwtw.com^ +||pjsos.xyz^ +||pjtoaewbccpchu.com^ +||pjvartonsbewand.info^ +||pjwfihbmwq.com^ +||pk0grqf29.com^ +||pk910324e.com^ +||pkazd.xyz^ +||pkhhyool.com^ +||pki87n.pro^ +||pkudawbkcl.com^ +||placardcapitalistcalculate.com^ +||placetobeforever.com^ +||placingcompany.com^ +||placingfinally.com^ +||placingharassment.com^ +||placingsolemnlyinexpedient.com^ +||plaicealwayspanther.com^ +||plaicecaught.com^ +||plainsnudge.com^ +||plaintivedance.pro^ +||plaintorch.com^ +||plainwarrant.com^ +||plandappsb.com^ +||planepleasant.com^ +||planet7links.com^ +||planetarium-planet.com^ +||planetgrimace.com^ +||planetunregisteredrunaway.com^ +||planktab.com^ +||planmybackup.co^ +||plannedcardiac.com^ +||plannersavour.com^ +||planningbullyingquoted.com^ +||planningdesigned.com^ +||planningwebviolently.com^ +||plannto.com^ +||planscul.com^ +||plantcontradictionexpansion.com^ +||planyourbackup.co^ +||plasticskilledlogs.com^ +||plastleislike.com^ +||platedmanlily.com^ +||platelosingshameless.com^ +||platesnervous.com^ +||platform-hetcash.com^ +||platformallowingcame.com^ +||platformsbrotherhoodreticence.com^ +||platformsrat.com^ +||plausiblemarijuana.com^ +||playbook88a2.com^ +||playboykangaroo.com^ +||playboykinky.com^ +||playboywere.com^ +||playdraught.com^ +||playeranyd.org^ +||playeranydwo.info^ +||playeranydwou.com^ +||playerseo.club^ +||playerstrivefascinated.com^ +||playertraffic.com^ +||playgroundordinarilymess.com^ +||playingkatespecial.com^ +||playmmogames.com^ +||playspeculationnumerals.com^ +||playstream.media^ +||playstretch.host^ +||playukinternet.com^ +||playvideoclub.com^ +||playvideodirect.com^ +||playwrightsovietcommentary.com^ +||plcubmiinxa.com^ +||pleadsbox.com^ +||pleasantinformation.com^ +||pleasantlyknives.com^ +||pleasantpaltryconnections.com^ +||pleasedexample.com^ +||pleasedprocessed.com^ +||pleasetrack.com^ +||pleasingrest.pro^ +||pleasingsafety.pro^ +||pleasureflatteringmoonlight.com^ +||pledgeexceptionalinsure.com^ +||pledgeincludingsteer.com^ +||pledgetolerate.com^ +||pledgorulmous.top^ +||plemil.info^ +||plenitudesellerministry.com^ +||plenomedia.com^ +||plentifulqueen.com^ +||plentifulslander.com^ +||plentifulwilling.com^ +||plex4rtb.com^ +||plexop.net^ +||plhhisqiem.com^ +||pliablenutmeg.com^ +||pliantleft.com^ +||pliblc.com^ +||plinksplanet.com^ +||plirkep.com^ +||pllah.com^ +||plmwsl.com^ +||plocap.com^ +||plorexdry.com^ +||plorvexmoon13.online^ +||plotafb.com^ +||ploteight.com^ +||ploughbrushed.com^ +||ploughplbroch.com^ +||ployingcurship.com^ +||plpuybpodusgb.xyz^ +||plqbxvnjxq92.com^ +||plrjs.org^ +||plrst.com^ +||plsrcmp.com^ +||pltamaxr.com^ +||pluckyhit.com^ +||pluckymausoleum.com^ +||plufdsa.com^ +||plufdsb.com^ +||pluffdoodah.com^ +||plugerr.com^ +||plugs.co^ +||plumagebenevolenttv.com^ +||plumberwolves.com^ +||plumbfullybeehive.com^ +||plumbsplash.com^ +||plummychewer.com^ +||plumpcontrol.pro^ +||plumpdianafraud.com^ +||plumpdisobeyastronomy.com^ +||plumpgrabbedseventy.com^ +||plumsbusiness.com^ +||plumsscientific.com^ +||plumssponsor.com^ +||plundertentative.com^ +||plungecarbon.com^ +||plungedcandourbleach.com^ +||plungescreeve.com^ +||plungestumming.shop^ +||pluralpeachy.com^ +||plusungratefulinstruction.com^ +||plutothejewel.com^ +||pluvianuruguay.com^ +||plvwyoed.com^ +||plxnbwjtbr.com^ +||plxserve.com^ +||plyfoni.ru^ +||pmaficza.com^ +||pmc1201.com^ +||pmetorealiukze.xyz^ +||pmkez.tech^ +||pmpubs.com^ +||pmsrvr.com^ +||pmwwedke.com^ +||pmxyzqm.com^ +||pmzer.com^ +||pncloudfl.com^ +||pncvaoh.com^ +||pnd.gs^ +||pneumoniaelderlysceptical.com^ +||pneyuaiyuhlf.com^ +||pnouting.com^ +||pnperf.com^ +||pnsqsv.com^ +||pnuhondppw.com^ +||pnwawbwwx.com^ +||pnyf1.top^ +||poacauceecoz.com^ +||poacawhe.net^ +||poapeecujiji.com^ +||poaptapuwhu.com^ +||poasotha.com^ +||poavoabe.net^ +||pobliba.info^ +||pobsedrussakro.net^ +||pocketenvironmental.com^ +||pocketjaguar.com^ +||pocrd.cc^ +||pocrowpush.com^ +||podefr.net^ +||podosupsurge.com^ +||podsolnu9hi10.com^ +||poemblotrating.com^ +||poemsbedevil.com^ +||poemswrestlingstrategy.com^ +||poetrydeteriorate.com^ +||poflix.com^ +||poghaurs.com^ +||pogimpfufg.com^ +||pognamta.net^ +||pogothere.xyz^ +||pohaunsairdeph.net^ +||pohsoneche.info^ +||poi3d.space^ +||poignantsensitivenessforming.com^ +||pointeddifference.com^ +||pointedmana.info^ +||pointespassage.com^ +||pointinginexperiencedbodyguard.com^ +||pointlessmorselgemini.com^ +||pointlessplan.pro^ +||pointroll.com^ +||poisegel.com^ +||poisism.com^ +||poisonousamazing.com^ +||pokaroad.net^ +||pokerarrangewandering.com^ +||poketraff.com^ +||pokingtrainswriter.com^ +||pokjhgrs.click^ +||polanders.com^ +||polaranacoasm.shop^ +||polarbearyulia.com^ +||polarcdn-terrax.com^ +||polarmobile.com^ +||polearmnetful.shop^ +||policeair.com^ +||policecaravanallure.com^ +||policemanspectrum.com^ +||policesportsman.com^ +||policityseriod.info^ +||policydilapidationhypothetically.com^ +||polishedconcert.pro^ +||polishedwing.pro^ +||polishsimilarlybutcher.com^ +||polite1266.fun^ +||politemischievous.com^ +||politesewer.com^ +||politicallyautograph.com^ +||politiciancuckoo.com^ +||polityimpetussensible.com^ +||pollpublicly.com^ +||pollutiongram.com^ +||polluxnetwork.com^ +||poloistwilrone.shop^ +||poloptrex.com^ +||polothdgemanow.info^ +||polredsy.com^ +||polsonaith.com^ +||poltarimus.com^ +||polyad.net^ +||polydarth.com^ +||polyh-nce.com^ +||pompadawe.com^ +||pompeywantinggetaway.com^ +||pompouslemonadetwitter.com^ +||pompreflected.com^ +||pon-prairie.com^ +||ponderliquidate.com^ +||pondov.cfd^ +||ponieqldeos.com^ +||ponk.pro^ +||ponyresentment.com^ +||poodledopas.cam^ +||pookaipssurvey.space^ +||pooksys.site^ +||poolgmsd.com^ +||pooptoom.net^ +||pooraithacuzaum.net^ +||poorlystepmotherresolute.com^ +||poorlytanrubbing.com^ +||poorstress.pro^ +||poosoahe.com^ +||poozifahek.com^ +||pop.dojo.cc^ +||pop5sjhspear.com^ +||popadon.com^ +||popads.media^ +||popads.net^ +||popadscdn.net^ +||popbounty.com^ +||popbutler.com^ +||popcash.net^ +||popcpm.com^ +||poperblocker.com^ +||pophandler.net^ +||popland.info^ +||popmansion.com^ +||popmarker.com^ +||popmonetizer.com^ +||popmonetizer.net^ +||popmyads.com^ +||popnc.com^ +||poppycancer.com^ +||poppysol.com^ +||poprtb.com^ +||popsads.com^ +||popsads.net^ +||popsdietary.com^ +||popsreputation.com^ +||poptm.com^ +||popularcldfa.co^ +||popularinnumerable.com^ +||popularmedia.net^ +||popularpillcolumns.com^ +||populationencouragingunsuccessful.com^ +||populationgrapes.com^ +||populationrind.com^ +||populationstring.com^ +||populis.com^ +||populisengage.com^ +||popult.com^ +||popunder.bid^ +||popunder.ru^ +||popunderstar.com^ +||popunderz.com^ +||popupchat-live.com^ +||popupgoldblocker.net^ +||popupsblocker.org^ +||popuptraffic.com^ +||popwin.net^ +||popxperts.com^ +||popxyz.com^ +||porailbond.com^ +||poratweb.com^ +||porcelainviolationshe.com^ +||poredii.com^ +||porkpielepidin.com^ +||pornoegg.com^ +||pornoheat.com^ +||pornoio.com^ +||pornomixfree.com^ +||pornvideos.casa^ +||porojo.net^ +||portentbarge.com^ +||portfoliocradle.com^ +||portfoliojumpy.com^ +||portkingric.net^ +||portlychurchyard.com^ +||portlywhereveralfred.com^ +||portoteamo.com^ +||portraycareme.com^ +||portugueseletting.com^ +||portuguesetoil.com^ +||posewardenreligious.com^ +||posf.xyz^ +||poshhateful.com^ +||poshsplitdr.com^ +||poshyouthfulton.com^ +||positeasysembl.org^ +||positionavailreproach.com^ +||positioner.info^ +||positivejudge.com^ +||positivelyassertappreciation.com^ +||positivelysunday.com^ +||positivewillingsubqueries.com^ +||possessdolejest.com^ +||possessionsolemn.com^ +||possibilityformal.com^ +||possibilityfoundationwallpaper.com^ +||possibilityrespectivelyenglish.com^ +||post-redirecting.com^ +||postalfranticallyfriendship.com^ +||postaoz.xyz^ +||postback.info^ +||postback1win.com^ +||postcardhazard.com^ +||postlnk.com^ +||postrelease.com^ +||postthieve.com^ +||postureunlikeagile.com^ +||potailvine.com^ +||potawe.com^ +||potedraihouxo.xyz^ +||potentialapplicationgrate.com^ +||potentiallyinnocent.com^ +||pothutepu.com^ +||potnormal.com^ +||potnormandy.com^ +||potsaglu.net^ +||potshumiliationremnant.com^ +||potsiuds.com^ +||potskolu.net^ +||potslascivious.com^ +||pottercaprizecaprizearena.com^ +||potterdullmanpower.com^ +||potterphotographic.com^ +||pottierneronic.top^ +||pottingathlete.shop^ +||potwm.com^ +||pouam.xyz^ +||pouanz.xyz^ +||pouchadjoinmama.com^ +||pouchaffection.com^ +||pouchedathelia.com^ +||poucooptee.net^ +||poudrinnamaste.com^ +||poufaini.com^ +||pounceintention.com^ +||poundplanprecarious.com^ +||poundswarden.com^ +||pounti.com^ +||pourorator.com^ +||pourpressedcling.com^ +||poutrevenueeyeball.com^ +||povsefcrdj.com^ +||powerad.ai^ +||poweradblocker.com^ +||powerain.biz^ +||powerfulcreaturechristian.com^ +||powerfulfreelance.com^ +||powerlessgreeted.com^ +||powerpushsell.site^ +||powerpushtrafic.space^ +||powerusefullyjinx.com^ +||powferads.com^ +||poxaharap.com^ +||poxypicine.com^ +||poxyrevise.com^ +||poyusww.com^ +||pp-lfekpkr.buzz^ +||ppaiyfox.xyz^ +||ppcjxidves.xyz^ +||ppclinking.com^ +||ppcnt.pro^ +||ppctraffic.co^ +||ppedtoalktoherha.info^ +||pphiresandala.info^ +||ppimdog.com^ +||ppixufsalgm.com^ +||ppjdfki.com^ +||ppjqgbz.com^ +||pplgwic.com^ +||pplhfhuwyv.com^ +||ppoommhizazn.com^ +||pppbr.com^ +||ppqy.fun^ +||ppshh.rocks^ +||pptnuhffs.love^ +||ppvmhhpxuomjwo.xyz^ +||pq-mzfusgpzt.xyz^ +||pqpjkkppatxfnpp.xyz^ +||pqvpcahwuvfo.life^ +||pqvzlltzxbs.global^ +||pr3tty-fly-4.net^ +||practicalbar.pro^ +||practicallyfire.com^ +||practicallyutmost.com^ +||practicallyvision.com^ +||practice3452.fun^ +||practicedearest.com^ +||practicemateorgans.com^ +||practiseseafood.com^ +||practthreat.club^ +||praght.tech^ +||praiseddisintegrate.com^ +||pramenterpriseamy.com^ +||praterswhally.com^ +||prawnrespiratorgrim.com^ +||prayercertificatecompletion.com^ +||prckxbflfaryfau.com^ +||prdredir.com^ +||pre4sentre8dhf.com^ +||preachbacteriadisingenuous.com^ +||preacherscarecautiously.com^ +||prearmskabiki.com^ +||precariousgrumpy.com^ +||precedelaxative.com^ +||precedentadministrator.com^ +||precious-type.pro^ +||preciouswornspectacle.com^ +||precipitationepisodevanished.com^ +||precipitationglittering.com^ +||precisejoker.com^ +||precisethrobbingsentinel.com^ +||precisionclick.com^ +||preclknu.com^ +||precmd.com^ +||precursorinclinationbruised.com^ +||predatoryfilament.com^ +||predatorymould.com^ +||predatoryrucksack.com^ +||predicateblizzard.com^ +||predictad.com^ +||predictfurioushindrance.com^ +||predictiondexchange.com^ +||predictiondisplay.com^ +||predictionds.com^ +||predictivadnetwork.com^ +||predictivadvertising.com^ +||predictivdisplay.com^ +||predominanttamper.com^ +||prefecturecagesgraphic.com^ +||prefecturesolelysadness.com^ +||preferablycarbon.com^ +||preferablyducks.com^ +||preferencedrank.com^ +||preferenceforfeit.com^ +||preferouter.com^ +||prefershapely.com^ +||prefixsowle.com^ +||prefleks.com^ +||pregainskilly.shop^ +||pregmatookles.com^ +||pregnancyslayidentifier.com^ +||prehistoricprefecturedale.com^ +||prejudiceinsure.com^ +||prelandcleanerlp.com^ +||prelandtest01.com^ +||preliminaryinclusioninvitation.com^ +||preloanflubs.com^ +||prematurebowelcompared.com^ +||prematuresam.com^ +||premium-members.com^ +||premium4kflix.club^ +||premium4kflix.top^ +||premium4kflix.website^ +||premiumads.net^ +||premiumredir.ru^ +||premiumvertising.com^ +||premonitioneuropeanstems.com^ +||premonitioninventdisagree.com^ +||preoccupation3x.fun^ +||preoccupycommittee.com^ +||preonesetro.com^ +||preparingacrossreply.com^ +||prepositiondiscourteous.com^ +||prepositionrumour.com^ +||preppiesteamer.com^ +||prerogativeproblems.com^ +||prerogativeslob.com^ +||prescription423.fun^ +||presentationbishop.com^ +||presentimentguestmetaphor.com^ +||preservealso.com^ +||preservedresentful.com^ +||presidecookeddictum.com^ +||presidedisregard.com^ +||presidentialprism.com^ +||pressedbackfireseason.com^ +||pressingequation.com^ +||pressize.com^ +||pressyour.com^ +||prestoris.com^ +||presumablyconfound.com^ +||presumptuousfunnelinsight.com^ +||presumptuouslavish.com^ +||pretendturk.com^ +||pretextunfinished.com^ +||pretrackings.com^ +||pretty-sluts-nearby.com^ +||prettyfaintedsaxophone.com^ +||prettypermission.pro^ +||prevailedbutton.com^ +||prevailinsolence.com^ +||prevalentpotsrice.com^ +||preventionhoot.com^ +||prevuesthurl.com^ +||prfctmney.com^ +||prfwhite.com^ +||prhdvhx.com^ +||priceyawol.com^ +||pricklyachetongs.com^ +||pridenovicescammer.com^ +||priestboundsay.com^ +||priestsuccession.com^ +||priestsuede.click^ +||priestsuede.com^ +||prigskoil.shop^ +||primarilyresources.com^ +||primarilysweptabundant.com^ +||primarkingfun.giving^ +||primaryads.com^ +||primaryderidemileage.com^ +||prime-ever.com^ +||prime-vpnet.com^ +||primedirect.net^ +||primevalstork.com^ +||princesinistervirus.com^ +||princessdazzlepeacefully.com^ +||princessmodern.com^ +||principaldingdecadence.com^ +||principlede.info^ +||principlessilas.com^ +||pringed.space^ +||prinkergp.top^ +||prinksdammit.com^ +||printaugment.com^ +||printerswear.com^ +||printgrownuphail.com^ +||printsmull.com^ +||prioraslop.com^ +||priorityblockinghopped.com^ +||priselapse.com^ +||prisonfirmlyswallow.com^ +||prisonrecollectionecstasy.com^ +||pristine-dark.pro^ +||pritesol.com^ +||privacycounter.com^ +||privacynicerresumed.com^ +||privacysearching.com^ +||private-stage.com^ +||privateappealingsymphony.com^ +||privatelydevotionrewind.com^ +||privilegedmansfieldvaguely.com^ +||privilegedvitaminimpassable.com^ +||privilegeinjurefidelity.com^ +||privilegest.com^ +||prizefrenzy.top^ +||prizegrantedrevision.com^ +||prizel.com^ +||prksism.com^ +||prmtracking3.com^ +||prmtracks.com^ +||prngpwifu.com^ +||pro-adblocker.com^ +||pro-advert.de^ +||pro-market.net^ +||pro-pro-go.com^ +||pro-suprport-act.com^ +||pro-web.net^ +||pro119marketing.com^ +||proadscdn.com^ +||probablebeeper.com^ +||probabletellsunexpected.com^ +||probablyrespectivelyadhere.com^ +||probersnobles.com^ +||probessanggau.com^ +||probestrike.com^ +||probeswiglet.top^ +||probtn.com^ +||proceedingdream.com^ +||proceedingmusic.com^ +||processedagrarian.com^ +||processingcomprehension.com^ +||processionhardly.com^ +||processionrecital.com^ +||processpardon.com^ +||processsky.com^ +||proclean.club^ +||procuratorpresumecoal.com^ +||procuratorthoroughlycompere.com^ +||procuredsheet.com^ +||prod.untd.com^ +||prodaddkarl.com^ +||prodigysomeone.click^ +||prodmp.ru^ +||prodresell.com^ +||producebreed.com^ +||producedendorsecamp.com^ +||produceduniversitydire.com^ +||producerdoughnut.com^ +||producerplot.com^ +||producingtrunkblaze.com^ +||productanychaste.com^ +||producthub.info^ +||productive-chemical.pro^ +||proeroclips.pro^ +||proetusbramble.com^ +||professdeteriorate.com^ +||professionalbusinesstoday.xyz^ +||professionallygravitationbackwards.com^ +||professionallyjazzotter.com^ +||professionallytear.com^ +||professionallywealthy.com^ +||professionalsly.com^ +||professionalswebcheck.com^ +||professorrevealingoctopus.com^ +||professtrespass.com^ +||proffering.xyz^ +||profilingerror.online^ +||profitablecpmgate.com^ +||profitablecpmnetwork.com^ +||profitablecpmrate.com^ +||profitablecreativeformat.com^ +||profitabledisplaycontent.com^ +||profitabledisplayformat.com^ +||profitabledisplaynetwork.com^ +||profitableexactly.com^ +||profitablefearstandstill.com^ +||profitablegate.com^ +||profitablegatecpm.com^ +||profitablegatetocontent.com^ +||profitableheavilylord.com^ +||profitabletrustednetwork.com^ +||profitcustomersnuff.com^ +||profitpeelers.com^ +||profitsence.com^ +||profoundbagpipeexaggerate.com^ +||profoundflourishing.com^ +||proftrafficcounter.com^ +||progenyoverhear.com^ +||progenyproduced.com^ +||programinsightplastic.com^ +||programmeframeworkpractically.com^ +||progressmaturityseat.com^ +||progressproceeding.com^ +||projectagora.net^ +||projectagora.tech^ +||projectagoralibs.com^ +||projectagoraservices.com^ +||projectagoratech.com^ +||projectscupcakeinternational.com^ +||projectwonderful.com^ +||prolatecyclus.com^ +||proleclips.com^ +||prologuerussialavender.com^ +||prologuetwinsmolecule.com^ +||promiseyuri.com^ +||promo-bc.com^ +||promobenef.com^ +||promptofficemillionaire.com^ +||promptsgod.com^ +||pronedynastyimpertinence.com^ +||pronouncedgetawayetiquette.com^ +||pronouncedlaws.com^ +||pronounlazinessunderstand.com^ +||pronunciationspecimens.com^ +||proofnaive.com^ +||propbigo.com^ +||propcollaterallastly.com^ +||propelascella.top^ +||propeller-tracking.com^ +||propellerads.com^ +||propellerads.tech^ +||propellerclick.com^ +||propellerpops.com^ +||properlycrumple.com^ +||properlypreparingitself.com^ +||propertyofnews.com^ +||propgoservice.com^ +||proposaloccupation.com^ +||proposedpartly.com^ +||propositiondisinterested.com^ +||propositionfadedplague.com^ +||proprietorgrit.com^ +||propu.sh^ +||propulsionstatute.com^ +||propulsionswarm.com^ +||propvideo.net^ +||proreancostaea.com^ +||prorentisol.com^ +||proscholarshub.com^ +||proscontaining.com^ +||prose-nou.com^ +||prosecutorkettle.com^ +||prosedisavow.com^ +||proselyaltars.com^ +||prosperent.com^ +||prosperitysemiimpediment.com^ +||prosperousdreary.com^ +||prosperousprobe.com^ +||prosperousunnecessarymanipulate.com^ +||prosthong.com^ +||prosumsit.com^ +||protagcdn.com^ +||protally.net^ +||protawe.com^ +||protectonlinenow.com^ +||protectorincorporatehush.com^ +||protectwborcn.com^ +||protectyourdevices.com^ +||proteinfrivolousfertilised.com^ +||proteininnovationpioneer.com^ +||protestgrove.com^ +||protoawe.com^ +||protocolchainflow.com^ +||protocolgroupgroups.com^ +||prototypeboats.com^ +||prototypewailrubber.com^ +||protrckit.com^ +||proudlysurly.com^ +||provedonefoldonefoldhastily.com^ +||provenpixel.com^ +||proverbadmiraluphill.com^ +||proverbbeaming.com^ +||proverbmariannemirth.com^ +||providedovernight.com^ +||provider-direct.com^ +||providingcrechepartnership.com^ +||provokeobnoxious.com^ +||prowesscourtsouth.com^ +||prowesshearing.com^ +||prowesstense.com^ +||prowlenthusiasticcongest.com^ +||proximic.com^ +||proximitywars.com^ +||prplad.com^ +||prplads.com^ +||prpops.com^ +||prre.ru^ +||prtawe.com^ +||prtord.com^ +||prtrackings.com^ +||prtydqs.com^ +||prudentfailingcomplicate.com^ +||prudentperform.com^ +||prunestownpostman.com^ +||prutosom.com^ +||pruwwox.com^ +||prvc.io^ +||prwave.info^ +||prxy.online^ +||pryrhoohs.site^ +||psaiglursurvey.space^ +||psaijezy.com^ +||psairees.net^ +||psaithagomtasu.net^ +||psaiwaxaib.net^ +||psalmexceptional.com^ +||psalrausoa.com^ +||psaltauw.net^ +||psapailrims.com^ +||psaudous.com^ +||psaugourtauy.com^ +||psaukaux.net^ +||psaulrouck.net^ +||psaumpoum.com^ +||psaumseegroa.com^ +||psaurdoofy.com^ +||psaurteepo.com^ +||psaushoas.com^ +||psausoay.net^ +||psaussasta.net^ +||psausuck.net^ +||psauwaun.com^ +||pschentinfile.com^ +||psclicks.com^ +||psdn.xyz^ +||psedwm.com^ +||pseeckotees.com^ +||pseegroah.com^ +||pseempep.com^ +||pseensooh.com^ +||pseepsie.com^ +||pseepsoo.com^ +||pseerdab.com^ +||pseergoa.net^ +||psegeevalrat.net^ +||pseleexotouben.net^ +||psensuds.net^ +||psergete.com^ +||psfdi.com^ +||psfgobbet.com^ +||pshb.me^ +||pshmetrk.com^ +||pshtop.com^ +||pshtrk.com^ +||psichoafouts.xyz^ +||psiftaugads.com^ +||psigradinals.com^ +||psiksais.com^ +||psilaurgi.net^ +||psirtass.net^ +||psissoaksoab.xyz^ +||psistaghuz.com^ +||psistaugli.com^ +||psitchoo.xyz^ +||psixoahi.xyz^ +||psma02.com^ +||psndhfrga.com^ +||psoabojaksou.net^ +||psoacickoots.net^ +||psoackaw.net^ +||psoaftob.xyz^ +||psoageph.com^ +||psoakichoax.xyz^ +||psoamaupsie.net^ +||psoanoaweek.net^ +||psoansumt.net^ +||psoasusteech.net^ +||psockapa.net^ +||psoftautha.com^ +||psohemsinso.xyz^ +||psoltoanoucamte.net^ +||psomsoorsa.com^ +||psomtenga.net^ +||psooltecmeve.net^ +||psoopirdifty.xyz^ +||psoopoakihou.com^ +||psoorgou.com^ +||psoorsen.com^ +||psoostelrupt.net^ +||psootaun.com^ +||psootchu.net^ +||psoricremast.com^ +||psoroumukr.com^ +||psothoms.com^ +||psotudev.com^ +||psougloo.com^ +||psougrie.com^ +||psoumoalt.com^ +||psouthee.xyz^ +||psouzoub.com^ +||psozoult.net^ +||pssjsbrpihl.xyz^ +||pssy.xyz^ +||pstnmhftix.xyz^ +||pstreetma.com^ +||psuaqpz.com^ +||psuftoum.com^ +||psumainy.xyz^ +||psungaum.com^ +||psunseewhu.com^ +||psuphuns.net^ +||psurdoak.com^ +||psurigrabi.com^ +||psurouptoa.com^ +||psutopheehaufoo.net^ +||pswagjx.com^ +||pswfwedv.com^ +||pswticsbnt.com^ +||psychologicalpaperworkimplant.com^ +||psykterfaulter.com^ +||pt-xb.xyz^ +||pta.wcm.pl^ +||ptackoucmaib.net^ +||ptaicoul.xyz^ +||ptailadsol.net^ +||ptaimpeerte.com^ +||ptaishisteb.com^ +||ptaishux.com^ +||ptaissud.com^ +||ptaitossaukang.net^ +||ptaixout.net^ +||ptalribs.xyz^ +||ptamselrou.com^ +||ptapjmp.com^ +||ptatexiwhe.com^ +||ptatzrucj.com^ +||ptaufefagn.net^ +||ptaumoadsovu.com^ +||ptaunsoova.com^ +||ptaupsom.com^ +||ptauxofi.net^ +||ptavutchain.com^ +||ptawe.com^ +||ptawehex.net^ +||ptawhood.net^ +||ptbrdg.com^ +||ptcdwm.com^ +||ptecmuny.com^ +||ptedseesse.com^ +||pteemteethu.net^ +||pteeptamparg.xyz^ +||pteghoglapir.com^ +||ptekuwiny.pro^ +||ptelsudsew.net^ +||ptensoghutsu.com^ +||ptersudisurvey.top^ +||ptewarin.net^ +||ptewauta.net^ +||ptexognouh.xyz^ +||ptichoolsougn.net^ +||pticmootoat.com^ +||ptidsezi.com^ +||ptinouth.com^ +||ptipsixo.com^ +||ptipsout.net^ +||ptirgaux.com^ +||ptirtika.com^ +||ptistyvymi.com^ +||ptitoumibsel.com^ +||ptlwm.com^ +||ptlwmstc.com^ +||ptmnd.com^ +||ptoafauz.net^ +||ptoafteewhu.com^ +||ptoagnin.xyz^ +||ptoahaistais.com^ +||ptoaheelaishard.net^ +||ptoakooph.net^ +||ptoakrok.net^ +||ptoaltie.com^ +||ptoangir.com^ +||ptoavibsaron.net^ +||ptochair.xyz^ +||ptoftaupsift.com^ +||ptoksoaksi.com^ +||ptolauwadoay.net^ +||ptonauls.net^ +||ptongouh.net^ +||ptoockex.xyz^ +||ptookaih.net^ +||ptoorauptoud.net^ +||ptootsailrou.net^ +||ptotchie.xyz^ +||ptoubeeh.net^ +||ptouckop.xyz^ +||ptoudsid.com^ +||ptougeegnep.net^ +||ptouglaiksiky.net^ +||ptoujaust.com^ +||ptoulraiph.net^ +||ptoumsid.net^ +||ptoupagreltop.net^ +||ptoushoa.com^ +||ptoutsexe.com^ +||ptp22.com^ +||ptsixwereksbef.info^ +||ptstnews.pro^ +||ptsyhasifubi.buzz^ +||pttsite.com^ +||ptugnins.net^ +||ptugnoaw.net^ +||ptukasti.com^ +||ptulsauts.com^ +||ptumtaip.com^ +||ptuphotookr.com^ +||ptupsewo.net^ +||pturdaumpustool.net^ +||ptutchiz.com^ +||ptuxapow.com^ +||ptvfranfbdaq.xyz^ +||ptwmcd.com^ +||ptwmemd.com^ +||ptwmjmp.com^ +||ptyalinbrattie.com^ +||ptyhawwuwj.com^ +||pu5hk1n2020.com^ +||puabvo.com^ +||pub.network^ +||pub2srv.com^ +||pubadx.one^ +||pubaka5.com^ +||pubdisturbance.com^ +||pubertybloatgrief.com^ +||pubfruitlesswording.com^ +||pubfuture-ad.com^ +||pubfutureads.com^ +||pubgalaxy.com^ +||pubguru.net^ +||pubimageboard.com^ +||public1266.fun^ +||publiclyphasecategory.com^ +||publicunloadbags.com^ +||publisherads.click^ +||publishercounting.com^ +||publisherperformancewatery.com^ +||publited.com^ +||publpush.com^ +||pubmatic.com^ +||pubmine.com^ +||pubnation.com^ +||pubovore.com^ +||pubpowerplatform.io^ +||pubtm.com^ +||pubtrky.com^ +||puczuxqijadg.com^ +||puddingdefeated.com^ +||puddleincidentally.com^ +||pudicalnablus.com^ +||pudraugraurd.net^ +||puerty.com^ +||puffingtiffs.com^ +||pugdisguise.com^ +||pugmarktagua.com^ +||pugsgivehugs.com^ +||puhtml.com^ +||puitaexb.com^ +||pukimuki.xyz^ +||pukumongols.com^ +||puldhukelpmet.com^ +||pullockoldwife.com^ +||pullovereugenemistletoe.com^ +||pulpdeeplydrank.com^ +||pulpix.com^ +||pulpphlegma.shop^ +||pulpreferred.com^ +||pulpyads.com^ +||pulpybizarre.com^ +||pulseadnetwork.com^ +||pulsemgr.com^ +||pulseonclick.com^ +||pulserviral.com^ +||pulvinioreodon.com^ +||pumpbead.com^ +||punctual-window.com^ +||punctualflopsubquery.com^ +||pungentsmartlyhoarse.com^ +||punishgrantedvirus.com^ +||punkhonouredrole.com^ +||punoamokroam.net^ +||punoocke.com^ +||punosend.com^ +||punosy.best^ +||punosy.com^ +||punystudio.pro^ +||puppyderisiverear.com^ +||pupspu.com^ +||pupur.net^ +||pupur.pro^ +||puqvwadzaa.com^ +||puranasebriose.top^ +||puranaszaramo.com^ +||purchaserdisgustingwrestle.com^ +||purchasertormentscoundrel.com^ +||purgeregulation.com^ +||purgescholars.com^ +||purgoaho.xyz^ +||purifybaptism.guru^ +||purlingresews.com^ +||purpleads.io^ +||purpleflag.net^ +||purplepatch.online^ +||purposelyharp.com^ +||purposelynextbinary.com^ +||purposeparking.com^ +||purrrrrrrr.net^ +||pursedistraught.com^ +||purseneighbourlyseal.com^ +||pursuedfailurehibernate.com^ +||pursuingconjunction.com^ +||pursuingnamesaketub.com^ +||pursuitbelieved.com^ +||pursuitcharlesbaker.com^ +||pursuiterelydia.com^ +||pursuitgrasp.com^ +||pursuitperceptionforest.com^ +||puserving.com^ +||push-news.click^ +||push-notifications.top^ +||push-sdk.com^ +||push-sdk.net^ +||push-sense.com^ +||push-subservice.com^ +||push.house^ +||push1000.com^ +||push1000.top^ +||push1001.com^ +||push1005.com^ +||push2check.com^ +||pushads.biz^ +||pushads.io^ +||pushadvert.bid^ +||pushaffiliate.net^ +||pushagim.com^ +||pushails.com^ +||pushalk.com^ +||pushame.com^ +||pushamir.com^ +||pushance.com^ +||pushanert.com^ +||pushanishe.com^ +||pushanya.net^ +||pusharest.com^ +||pushatomic.com^ +||pushazam.com^ +||pushazer.com^ +||pushbaddy.com^ +||pushbasic.com^ +||pushbizapi.com^ +||pushcampaign.club^ +||pushcentric.com^ +||pushckick.click^ +||pushclk.com^ +||pushdelone.com^ +||pushdom.co^ +||pushdrop.club^ +||pushdusk.com^ +||pushebrod.com^ +||pusheddrain.com^ +||pushedwaistcoat.com^ +||pushedwebnews.com^ +||pushego.com^ +||pusheify.com^ +||pushell.info^ +||pushelp.pro^ +||pusherism.com^ +||pushflow.net^ +||pushflow.org^ +||pushgaga.com^ +||pushimer.com^ +||pushimg.com^ +||pushingwatchfulturf.com^ +||pushinpage.com^ +||pushkav.com^ +||pushking.net^ +||pushlapush.com^ +||pushlaram.com^ +||pushlarr.com^ +||pushlat.com^ +||pushlemm.com^ +||pushlinck.com^ +||pushlnk.com^ +||pushlommy.com^ +||pushlum.com^ +||pushmashine.com^ +||pushmaster-in.xyz^ +||pushmejs.com^ +||pushmenews.com^ +||pushmine.com^ +||pushmobilenews.com^ +||pushmono.com^ +||pushnami.com^ +||pushnative.com^ +||pushnest.com^ +||pushnevis.com^ +||pushnews.org^ +||pushnice.com^ +||pushno.com^ +||pushnotice.xyz^ +||pushochenk.com^ +||pushokey.com^ +||pushomir.com^ +||pushorg.com^ +||pushort.com^ +||pushosub.com^ +||pushosubk.com^ +||pushpong.net^ +||pushprofit.net^ +||pushpropeller.com^ +||pushpush.net^ +||pushqwer.com^ +||pushrase.com^ +||pushsar.com^ +||pushserve.xyz^ +||pushsight.com^ +||pushtorm.net^ +||pushub.net^ +||pushup.wtf^ +||pushwelcome.com^ +||pushwhy.com^ +||pushyexcitement.pro^ +||pushzolo.com^ +||pusishegre.com^ +||pussersy.com^ +||pussl3.com^ +||pussl48.com^ +||putainalen.com^ +||putbid.net^ +||putchumt.com^ +||putrefyeither.com^ +||putrescentheadstoneyoungest.com^ +||putrescentpremonitionspoon.com^ +||putrescentsacred.com^ +||putrid-experience.pro^ +||putridchart.pro^ +||putrr16.com^ +||putrr7.com^ +||putwandering.com^ +||puvj-qvbjol.vip^ +||puwpush.com^ +||puysis.com^ +||puyyyifbmdh.com^ +||puzna.com^ +||puzzio.xyz^ +||puzzlepursued.com^ +||puzzoa.xyz^ +||pvclouds.com^ +||pvdbkr.com^ +||pvtqllwgu.com^ +||pvxvazbehd.com^ +||pwaarkac.com^ +||pwbffdsszgkv.com^ +||pwcgditcy.com^ +||pweabzcatoh.com^ +||pwmctl.com^ +||pwrgrowthapi.com^ +||pwuzvbhf.com^ +||pwwjuyty.com^ +||pwyruccp.com^ +||px-broke.com^ +||px-golf.com^ +||px3792.com^ +||pxls4gm.space^ +||pxltrck.com^ +||pxyepmwex.com^ +||pyfmccaaejhcvd.com^ +||pygopodwrytailbaskett.sbs^ +||pyknrhm5c.com^ +||pympbhxyhnd.xyz^ +||pyrincelewasgild.info^ +||pyrroylceriums.com^ +||pysfhgdpi.com^ +||pyzwxkb.com^ +||pzmeblamivop.world^ +||pzqfmhy.com^ +||pzvai.site^ +||q1-tdsge.com^ +||q1ixd.top^ +||q1mediahydraplatform.com^ +||q2i8kd5n.de^ +||q6idnawboy7g.com^ +||q88z1s3.com^ +||q8ntfhfngm.com^ +||q99i1qi6.de^ +||qa-vatote.icu^ +||qa24ljic4i.com^ +||qads.io^ +||qadserve.com^ +||qadservice.com^ +||qaensksii.com^ +||qahssrxvelqeqy.xyz^ +||qajgarohwobh.com^ +||qajwizsifaj.com^ +||qaklbrqevbqbv.top^ +||qaklbrqevbzqz.top^ +||qakzfubfozaj.com^ +||qalscihrolwu.com^ +||qarewien.com^ +||qasforsalesrep.info^ +||qatsbesagne.com^ +||qatttuluhog.com^ +||qausmrzypsst.com^ +||qavgacsmegav.com^ +||qax1a3si.uno^ +||qazrvobkmqvmr.top^ +||qbkrawrkzeyez.top^ +||qceatqoqwpza.com^ +||qcerujcajnme.com^ +||qckeumrwft.xyz^ +||qcxhwrm.com^ +||qdfscelxyyem.club^ +||qdhrbget.click^ +||qdmil.com^ +||qdotzfy.com^ +||qdxpid-bxcy.today^ +||qebpwkxjz.com^ +||qebuoxn.com^ +||qel-qel-fie.com^ +||qelqlunebz.com^ +||qerestooker.com^ +||qerkbejqwqjkr.top^ +||qewwklaovmmw.top^ +||qf-ebeydt.top^ +||qfaqwxkclrwel.com^ +||qfdn3gyfbs.com^ +||qfgtepw.com^ +||qfiofvovgapc.com^ +||qfjherc.com^ +||qfnzyhwtyarskp.com^ +||qfoodskfubk.com^ +||qgerr.com^ +||qgevavwyafjf.com^ +||qgexkmi.com^ +||qglinlrtdfc.com^ +||qgxbluhsgad.com^ +||qhdtlgthqqovcw.xyz^ +||qhmlwvnd.com^ +||qhogcyoqrl.com^ +||qhwyoat.com^ +||qiaoxz.xyz^ +||qibkkioqqw.com^ +||qibqiwczoojw.com^ +||qickazzmoaxv.com^ +||qidmhohammat.com^ +||qimnubohcapb.com^ +||qingolor.com^ +||qinvaris.com^ +||qipsjdjk.xyz^ +||qiqdpeovkobj.com^ +||qituduwios.com^ +||qiuaiea.com^ +||qivaiw.com^ +||qizjkwx9klim.com^ +||qjmlmaffrqj.com^ +||qjrhacxxk.xyz^ +||qjukphe.com^ +||qksrv.cc^ +||qksrv.net^ +||qksrv1.com^ +||qksz.net^ +||qkyliljavzci.com^ +||qkyojtlabrhy.com^ +||qlfqkjluvz.com^ +||qlnkt.com^ +||qmaacxajsovk.com^ +||qmahepzo.one^ +||qmrelvezolbrv.top^ +||qmxbqwbprwavac.xyz^ +||qmyzawzjkrrjb.top^ +||qn-5.com^ +||qnesnufjs.com^ +||qnhuxyqjv.com^ +||qnmesegceogg.com^ +||qnowyhbtjqvyn.com^ +||qnp16tstw.com^ +||qnsr.com^ +||qnyysdideo.com^ +||qoaaa.com^ +||qogearh.com^ +||qokira.uno^ +||qoqv.com^ +||qorbnalwihvhbp.com^ +||qoredi.com^ +||qorlxle.com^ +||qowncyf.com^ +||qozveo.com^ +||qp-kkhdfspt.space^ +||qpbtocrhhjnz.one^ +||qppq166n.de^ +||qqbqy.com^ +||qqguvmf.com^ +||qqjfvepr.com^ +||qqmhh.com^ +||qqqwes.com^ +||qqrxk.club^ +||qquhzi4f3.com^ +||qqurzfi.com^ +||qqyaarvtrw.xyz^ +||qr-captcha.com^ +||qrgip.xyz^ +||qrifhajtabcy.com^ +||qrkwvoomrbroo.top^ +||qrlsx.com^ +||qroagwadndwy.com^ +||qrprobopassor.com^ +||qrredraws.com^ +||qrroyrdbjeeffw.com^ +||qrrqysjnwctp.xyz^ +||qrubv.buzz^ +||qrwkkcyih.xyz^ +||qrzlaatf.xyz^ +||qsbqxvdxhbnf.xyz^ +||qservz.com^ +||qskxpvncyjly.com^ +||qslkthj.com^ +||qsmnt.online^ +||qsvbi.space^ +||qtdopwuau.xyz^ +||qtkjqmxhmgspb.com^ +||qtoxhaamntfi.com^ +||qtuopsqmunzo.com^ +||qtuxulczymu.com^ +||quacktypist.com^ +||quackupsilon.com^ +||quagfa.com^ +||quaggaeasers.shop^ +||quaintmembershipprobably.com^ +||quaizoa.xyz^ +||qualificationsomehow.com^ +||qualifiedhead.pro^ +||qualifyundeniable.com^ +||qualitiessnoutdestitute.com^ +||qualitiesstopsallegiance.com^ +||qualityadverse.com^ +||qualitydestructionhouse.com^ +||qualityremaining.com^ +||qualizebruisi.org^ +||quanta-wave.com^ +||quantoz.xyz^ +||quanzai.xyz^ +||quarantinedisappearhive.com^ +||quarrelrelative.com^ +||quartaherbist.com^ +||quarterbackanimateappointed.com^ +||quarterbacknervous.com^ +||quasarcouhage.top^ +||quaternnerka.com^ +||quatrefeuillepolonaise.xyz^ +||quatxio.xyz^ +||quayolderinstance.com^ +||qubjweguszko.com^ +||queasydashed.top^ +||quedo.buzz^ +||queergatewayeasier.com^ +||queersodadults.com^ +||queersynonymlunatic.com^ +||queerygenets.com^ +||quellbustle.com^ +||quellunskilfulimmersed.com^ +||quellyawncoke.com^ +||quenchskirmishcohere.com^ +||quensillo.com^ +||querulous-type.com^ +||queryaccidentallysake.com^ +||queryastray.com^ +||querylead.com^ +||querysteer.com^ +||quesid.com^ +||questeelskin.com^ +||questioningcomplimentarypotato.com^ +||questioningexperimental.com^ +||questioningsanctifypuberty.com^ +||questioningtosscontradiction.com^ +||queuequalificationtreasure.com^ +||queuescotman.com^ +||quiazo.xyz^ +||quickads.net^ +||quickforgivenesssplit.com^ +||quickieboilingplayground.com^ +||quickielatepolitician.com^ +||quicklisti.com^ +||quicklymuseum.com^ +||quickorange.com^ +||quickshare.cfd^ +||quicksitting.com^ +||quickwest.pro^ +||quidclueless.com^ +||quietlybananasmarvel.com^ +||quilkinhulking.shop^ +||quillsconi.top^ +||quinchdeepish.top^ +||quintag.com^ +||quintessential-telephone.pro^ +||quiri-iix.com^ +||quitepoet.com^ +||quitesousefulhe.info^ +||quitjav11.fun^ +||quiveringriddance.com^ +||quizmastersnag.com^ +||quizna.xyz^ +||qumagee.com^ +||qummafsivff.com^ +||quokkacheeks.com^ +||quotationcovetoustractor.com^ +||quotationfirearmrevision.com^ +||quotationindolent.com^ +||quotes.com^ +||quotumottetto.shop^ +||qutejo.xyz^ +||quwsncrlcwjpj.com^ +||quxsiraqxla.com^ +||quytsyru.com^ +||quzwteqzaabm.com^ +||qvikar.com^ +||qvjqbtbt.com^ +||qvtcigr.com^ +||qwaapgxfahce.com^ +||qwerfdx.com^ +||qwiarjayuffn.xyz^ +||qwivhkmuksjodtt.com^ +||qwkmiot.com^ +||qwlbvlyaklmjo.top^ +||qwoyfys.com^ +||qwpsgqyzrzcr.life^ +||qwrwhosailedbe.info^ +||qwtag.com^ +||qwuaqrxfuohb.com^ +||qwvqbeqwbryyr.top^ +||qwvvoaykyyvj.top^ +||qxdownload.com^ +||qxeidsj.com^ +||qxhspimg.com^ +||qxrbu.com^ +||qxwls.rocks^ +||qxyam.com^ +||qydgdko.com^ +||qykxyax.com^ +||qylmbemvlzjew.top^ +||qylyknxkeep.com^ +||qymkbmjssadw.top^ +||qynmfgnu.xyz^ +||qyusgj.xyz^ +||qywjvlaoyeavv.top^ +||qz-hjgrdqih.fun^ +||qz496amxfh87mst.com^ +||qzaoltruzfus.com^ +||qzcjehp.com^ +||qzesmjv.com^ +||qzetnversitym.com^ +||qzfpnhkcrkowps.com^ +||qzsgudj.com^ +||qzybrmzevbro.top^ +||qzzzzzzzzzqq.com^ +||r-gpasegz.vip^ +||r-q-e.com^ +||r-tb.com^ +||r023m83skv5v.com^ +||r5apiliopolyxenes.com^ +||r66net.com^ +||r66net.net^ +||r932o.com^ +||rabbitcounter.com^ +||rabbitsfreedom.com^ +||rabbitsshortwaggoner.com^ +||rabbitsverification.com^ +||rabblevalenone.com^ +||rabidamoral.com^ +||racecadettyran.com^ +||racedinvict.com^ +||racepaddlesomewhere.com^ +||racialdetrimentbanner.com^ +||racingorchestra.com^ +||racismremoveveteran.com^ +||racismseamanstuff.com^ +||rackheartilyslender.com^ +||racticalwhich.com^ +||ractors291wicklay.com^ +||racunn.com^ +||radarconsultation.com^ +||radarwitch.com^ +||radeant.com^ +||radiancethedevice.com^ +||radiantextension.com^ +||radicalpackage.com^ +||radiodogcollaroctober.com^ +||radiusfellowship.com^ +||radiusmarketing.com^ +||radiusthorny.com^ +||radshedmisrepu.info^ +||raekq.online^ +||rafikfangas.com^ +||ragapa.com^ +||rageagainstthesoap.com^ +||raglassofrum.cc^ +||ragofkanc.com^ +||ragsbxhchr.xyz^ +||ragwviw.com^ +||raheglin.xyz^ +||rahmagtgingleaga.info^ +||rahxfus.com^ +||raideeshaili.net^ +||raigroashoan.net^ +||raijigrip.com^ +||raikijausa.net^ +||railingperformance.com^ +||railroadfatherenlargement.com^ +||railroadlineal.com^ +||railroadmanytwitch.com^ +||railroadunofficial.com^ +||railwayboringnasal.com^ +||rainchangedquaver.com^ +||raincoatbowedstubborn.com^ +||raincoatnonstopsquall.com^ +||rainmealslow.live^ +||rainwealth.com^ +||rainyfreshen.com^ +||raiseallocation.com^ +||raisoglaini.net^ +||raistiwije.net^ +||rajabets.xyz^ +||rakiblinger.com^ +||rallydisprove.com^ +||ralphscrupulouscard.com^ +||ramblecursormaths.com^ +||rambobf.com^ +||rametbaygall.shop^ +||ramieuretal.com^ +||rammishruinous.com^ +||ramrodsmorals.top^ +||ranabreast.com^ +||rancheslava.shop^ +||ranchsatin.com^ +||rancorousjustin.com^ +||randiul.com^ +||randomadsrv.com^ +||randomamongst.com^ +||randomassertiveacacia.com^ +||randomdnslab.com^ +||randomignitiondentist.com^ +||rangbellowreflex.com^ +||rangfool.com^ +||rangformer.com^ +||ranggallop.com^ +||rankonefoldonefold.com^ +||rankpeers.com^ +||rankstarvation.com^ +||ransomsection.com^ +||ransomwidelyproducing.com^ +||rantedcamels.shop^ +||raordukinarilyhuk.com^ +||raosmeac.net^ +||rapacitylikelihood.com^ +||rapaneaphoma.com^ +||rapepush.net^ +||raphanysteers.com^ +||raphidewakener.com^ +||rapidfoxengine.com^ +||rapidhits.net^ +||rapidhunchback.com^ +||rapidlypierredictum.com^ +||rapidshookdecide.com^ +||rapingdistil.com^ +||rapmqouaqpmir.com^ +||rapolok.com^ +||rapturemeddle.com^ +||rar-vpn.com^ +||rarrwcfe.com^ +||rascalbygone.com^ +||rashbarnabas.com^ +||rashlyblowfly.com^ +||rashseedlingexpenditure.com^ +||raspberryamusingbroker.com^ +||raspedexsculp.com^ +||rasurescaribou.com^ +||ratcovertlicence.com^ +||ratebilaterdea.com^ +||ratebilaterdeall.com^ +||rategruntcomely.com^ +||ratificationcockywithout.com^ +||rationallyagreement.com^ +||ratioregarding.com^ +||rattersexpeded.com^ +||rauceesh.com^ +||raudoufoay.com^ +||raufajoo.net^ +||rauheestuma.xyz^ +||raujouca.com^ +||raumipti.net^ +||raunooligais.net^ +||raupasee.xyz^ +||raupsica.net^ +||rausauboocad.net^ +||rausfml.com^ +||rausougo.net^ +||rauvoaty.net^ +||rauwoukauku.com^ +||ravalamin.com^ +||ravaquinal.com^ +||ravaynore.com^ +||ravedesignerobey.com^ +||ravekeptarose.com^ +||ravenperspective.com^ +||ravineagencyirritating.com^ +||ravm.tv^ +||raw-co.com^ +||raw-help.pro^ +||rawasy.com^ +||rawoarsy.com^ +||rayageglagah.shop^ +||raylnk.com^ +||raymondcarryingordered.com^ +||rayonnesiemens.shop^ +||razorvenue.com^ +||razzlebuyer.com^ +||rbcxttd.com^ +||rbnt.org^ +||rboyqkyrwrvkq.top^ +||rbqcg6g.de^ +||rbrightscarletcl.info^ +||rbropocxt.com^ +||rbtfit.com^ +||rbthre.work^ +||rbtwo.bid^ +||rbvgaetqsk.love^ +||rbweljjeqvevy.top^ +||rcerrohatfad.com^ +||rcf3occ8.de^ +||rchmupnlifo.xyz^ +||rclsnaips.com^ +||rcqwmwxdvnt.com^ +||rcvlink.com^ +||rcvlinks.com^ +||rd-cdnp.name^ +||rdairclewestoratesa.info^ +||rddjzbwt.click^ +||rddywd.com^ +||rdfeweqowhd.com^ +||rdpyjpljfqfwah.xyz^ +||rdrceting.com^ +||rdrctgoweb.com^ +||rdrm1.click^ +||rdrm2.click^ +||rdroot.com^ +||rdrsec.com^ +||rdrtrk.com^ +||rdtk.io^ +||rdtlnutu.com^ +||rdtracer.com^ +||rdtrck2.com^ +||rdwmct.com^ +||rdxmjgp.com^ +||re-captha-version-3-29.top^ +||re-experiment.sbs^ +||reacheffecti.work^ +||reachmode.com^ +||reachpane.com^ +||readinessplacingchoice.com^ +||readiong.net^ +||readserv.com^ +||readspokesman.com^ +||readsubsequentlyspecimen.com^ +||readyblossomsuccesses.com^ +||reagend.com^ +||reajyu.net^ +||real-consequence.pro^ +||realevalbs.com^ +||realisecheerfuljockey.com^ +||realiseequanimityliteracy.com^ +||realiukzem.org^ +||realizationhunchback.com^ +||realizesensitivenessflashlight.com^ +||reallifeforyouandme.com^ +||reallywelfarestun.com^ +||realmatch.com^ +||realmdescribe.com^ +||realnewslongdays.pro^ +||realpopbid.com^ +||realsh.xyz^ +||realsrv.com^ +||realsrvcdn.com^ +||realtime-bid.com^ +||realvu.net^ +||reamsswered.com^ +||reapinject.com^ +||rearcomrade.com^ +||rearedblemishwriggle.com^ +||reariimime.com^ +||rearjapanese.com^ +||rearomenlion.com^ +||reasoncharmsin.com^ +||reasoningarcherassuage.com^ +||reasoninstruct.com^ +||reassurehintholding.com^ +||reate.info^ +||reatushaithal.com^ +||reauksoffyrikm.com^ +||rebatelirate.top^ +||rebelfarewe.org^ +||rebelhaggard.com^ +||rebellionnaturalconsonant.com^ +||rebindskayoes.com^ +||rebootsormers.com^ +||rebosoyodle.com^ +||rebrew-foofteen.com^ +||recageddolabra.shop^ +||recalledmesnarl.com^ +||recantgetawayassimilate.com^ +||recatchtukulor.shop^ +||recedechatprotestant.com^ +||receivedachest.com^ +||receiverchinese.com^ +||receiverunfaithfulsmelt.com^ +||recentlydelegate.com^ +||recentlyremainingbrevity.com^ +||recentlywishes.com^ +||recentrecentboomsettlement.com^ +||recentteem.com^ +||receptiongrimoddly.com^ +||recesslikeness.com^ +||recesslotdisappointed.com^ +||recesssignary.com^ +||rechannelapi.com^ +||rechanque.com^ +||recipientmuseumdismissed.com^ +||reciprocalvillager.com^ +||recitalscallop.com^ +||reciteassemble.com^ +||recitedocumentaryhaunch.com^ +||recklessconsole.com^ +||recklessliver.com^ +||reclaimantennajolt.com^ +||reclod.com^ +||recognisepeaceful.com^ +||recognisetorchfreeway.com^ +||recombssuu.com^ +||recomendedsite.com^ +||recommendedblanket.com^ +||recommendedforyou.xyz^ +||recommendednewspapermyself.com^ +||recompensecombinedlooks.com^ +||reconcilewaste.com^ +||reconnectconsistbegins.com^ +||reconsiderenmity.com^ +||reconstructalliance.com^ +||reconstructcomparison.com^ +||reconstructshutdown.com^ +||reconstructsweaty.com^ +||record.guts.com^ +||record.rizk.com^ +||recordedthereby.com^ +||recordercourseheavy.com^ +||recordercrush.com^ +||recorderstruggling.com^ +||recordingadventurouswildest.com^ +||recoupsamakebe.com^ +||recovernosebleed.com^ +||rectificationchurchill.com^ +||rectresultofthep.com^ +||recurseagin.com^ +||recycleliaison.com^ +||recyclinganewupdated.com^ +||recyclinganticipated.com^ +||recyclingbees.com^ +||recyclingproverbintroduce.com^ +||red-just-fit.click^ +||red-track.xyz^ +||redadisappoi.info^ +||redadisappointed.com^ +||redaffil.com^ +||redbillecphory.com^ +||reddenlightly.com^ +||reddockbedman.com^ +||redeemforest.com^ +||redetaailshiletteri.com^ +||redexamination.com^ +||redfootcoclea.shop^ +||redheadinfluencedchill.com^ +||redheadpublicityjug.com^ +||redipslacca.top^ +||redirect-path1.com^ +||redirecting7.eu^ +||redirectingat.com^ +||redistedi.com^ +||rednegationswoop.com^ +||redonetype.com^ +||redri.net^ +||redrotou.net^ +||reducediscord.com^ +||redundancymail.com^ +||redvil.co.in^ +||redwingmagazine.com^ +||reecasoabaiz.net^ +||reecegrita.com^ +||reechegraih.com^ +||reechoat.com^ +||reedbritingsynt.info^ +||reedpraised.com^ +||reedsbullyingpastel.com^ +||reedsinterfering.com^ +||reedthatm.biz^ +||reefcolloquialseptember.com^ +||reekedtravels.shop^ +||reeledou.com^ +||reelnk.com^ +||reenakun.com^ +||reenginee.club^ +||reephaus.com^ +||reepsotograg.net^ +||reesounoay.com^ +||reestedsunnud.com^ +||reevokeiciest.com^ +||reewastogloow.net^ +||reewoumak.com^ +||refbanners.com^ +||refbanners.website^ +||refereenutty.com^ +||referredencouragedlearned.com^ +||referwhimperceasless.com^ +||refia.xyz^ +||refilmsbones.top^ +||refingoon.com^ +||reflectingwindowscheckbook.com^ +||reflectionseldomnorth.com^ +||reflexcolin.com^ +||reflushneuma.com^ +||refnippod.com^ +||refpa.top^ +||refpa4293501.top^ +||refpabuyoj.top^ +||refpaikgai.top^ +||refpaiozdg.top^ +||refpaiwqkk.top^ +||refpamjeql.top^ +||refpanglbvyd.top^ +||refpasrasw.world^ +||refpaxfbvjlw.top^ +||refraingene.com^ +||refraintupaiid.com^ +||refreshmentwaltzimmoderate.com^ +||refrigeratecommit.com^ +||refrigeratemaimbrunette.com^ +||refugedcuber.com^ +||refugeintermediate.com^ +||refulgebesague.com^ +||refundlikeness.com^ +||refundsreisner.life^ +||refuseddissolveduniversity.com^ +||refusemovie.com^ +||refuserates.com^ +||regadspro.com^ +||regadsworld.com^ +||regainthong.com^ +||regardedcontentdigest.com^ +||regardsperformedgreens.com^ +||regardsshorternote.com^ +||regaveskeo.com^ +||regionads.ru^ +||regionalanglemoon.com^ +||regioncolonel.com^ +||regioninaudibleafforded.com^ +||registercherryheadquarter.com^ +||registration423.fun^ +||regiveshollas.shop^ +||reglazepatriae.com^ +||regnicmow.xyz^ +||regretfactor.com^ +||regretuneasy.com^ +||regrindroughed.click^ +||regrupontihe.com^ +||reguid.com^ +||regulationprivilegescan.top^ +||regulushamal.top^ +||rehvbghwe.cc^ +||reicezenana.com^ +||reichelcormier.bid^ +||reindaks.com^ +||reinstandpointdumbest.com^ +||reissue2871.xyz^ +||rejco2.store^ +||rejdfa.com^ +||rejectionbackache.com^ +||rejectionbennetsmoked.com^ +||rejectionfundetc.com^ +||rejoinedproof.com^ +||rejoinedshake.com^ +||rejowhourox.com^ +||rekipion.com^ +||reklamko.pro^ +||reklamz.com^ +||relappro.com^ +||relativeballoons.com^ +||relativefraudulentprop.com^ +||relativelyfang.com^ +||relativelyweptcurls.com^ +||relatumrorid.com^ +||relaxafford.com^ +||relaxcartooncoincident.com^ +||relaxtime24.biz^ +||releaseavailandproc.org^ +||releasedfinish.com^ +||releaseeviltoll.com^ +||relestar.com^ +||relevanti.com^ +||reliableceaseswat.com^ +||reliablemore.com^ +||reliablepollensuite.com^ +||reliefjawflank.com^ +||reliefreinsside.com^ +||relievedgeoff.com^ +||religiousmischievousskyscraper.com^ +||relinquishbragcarpenter.com^ +||relinquishcooperatedrove.com^ +||relishpreservation.com^ +||relkconka.com^ +||relockembarge.shop^ +||relriptodi.com^ +||reluctancefleck.com^ +||reluctanceghastlysquid.com^ +||reluctanceleatheroptional.com^ +||reluctantconfuse.com^ +||reluctantlycopper.com^ +||reluctantlyjackpot.com^ +||reluctantlysolve.com^ +||reluctantturpentine.com^ +||reluraun.com^ +||remaininghurtful.com^ +||remainnovicei.com^ +||remainsuggested.com^ +||remansice.top^ +||remarkable-assistant.pro^ +||remarkableflashseptember.com^ +||remarkedoneof.info^ +||remarksnicermasterpiece.com^ +||remaysky.com^ +||remedyabruptness.com^ +||remembercompetitioninexplicable.com^ +||remembergirl.com^ +||rememberinfertileeverywhere.com^ +||remembermaterialistic.com^ +||remembertoolsuperstitious.com^ +||remindleftoverpod.com^ +||reminews.com^ +||remintrex.com^ +||remoifications.info^ +||remorseful-illegal.pro^ +||remorsefulindependence.com^ +||remotelymanhoodongoing.com^ +||remoterepentance.com^ +||remploejuiashsat.com^ +||remploymehnt.info^ +||remv43-rtbix.top^ +||renablylifts.shop^ +||renadomsey.com^ +||renamedhourstub.com^ +||rencontreadultere.club^ +||rencontresparis2015.com^ +||rendchewed.com^ +||renderedwowbrainless.com^ +||rendflying.com^ +||rendfy.com^ +||rendreamingonnight.info^ +||renewdateromance.life^ +||renewedinexorablepermit.com^ +||renewmodificationflashing.com^ +||renewpacificdistrict.com^ +||renovatefairfaxmope.com^ +||rentalrebuild.com^ +||rentingimmoderatereflecting.com^ +||rentlysearchingf.com^ +||reopensnews.com^ +||reople.co.kr^ +||reorganizeglaze.com^ +||repaireddismalslightest.com^ +||repaycucumbersbutler.com^ +||repayrotten.com^ +||repeatedlyitsbrash.com^ +||repeatedlyshepherd.com^ +||repeatloin.com^ +||repeatresolve.com^ +||repelcultivate.com^ +||repellentamorousrefutation.com^ +||repellentbaptism.com^ +||repentant-plant.pro^ +||repentantsympathy.com^ +||repentconsiderwoollen.com^ +||replaceexplanationevasion.com^ +||replacementdispleased.com^ +||replacestuntissue.com^ +||replynasal.com^ +||reporo.net^ +||report1.biz^ +||reportbulletindaybreak.com^ +||reposefearful.com^ +||reposemarshknot.com^ +||reprak.com^ +||reprenebritical.org^ +||representhostilemedia.com^ +||reprimandheel.com^ +||reprimandhick.com^ +||reprintvariousecho.com^ +||reproachfeistypassing.com^ +||reproachscatteredborrowing.com^ +||reproductiontape.com^ +||reptileseller.com^ +||republicandegrademeasles.com^ +||repulsefinish.com^ +||repulsiveclearingtherefore.com^ +||reqdfit.com^ +||requestburglaracheless.com^ +||requestsrearrange.com^ +||requinsenroot.com^ +||requiredswanchastise.com^ +||requirespig.com^ +||requirestwine.com^ +||requisiteconjure.com^ +||reqyfuijl.com^ +||rereddit.com^ +||reroplittrewheck.pro^ +||rerosefarts.com^ +||rertessesse.xyz^ +||reryn2ce.com^ +||reryn3ce.com^ +||rerynjia.com^ +||rerynjie.com^ +||rerynjua.com^ +||resalag.com^ +||rescanakhrot.shop^ +||rescueambassadorupward.com^ +||researchingdestroy.com^ +||researchingintentbilliards.com^ +||reseenpeytrel.top^ +||resemblanceilluminatedcigarettes.com^ +||resentreaccotia.com^ +||reservoirvine.com^ +||resesmyinteukr.info^ +||residelikingminister.com^ +||residenceseeingstanding.com^ +||residentialforestssights.com^ +||residentialinspur.com^ +||residentialmmsuccessful.com^ +||residentshove.com^ +||residetransactionsuperiority.com^ +||resignationcustomerflaw.com^ +||resignedcamelplumbing.com^ +||resignedsauna.com^ +||resinkaristos.com^ +||resionsfrester.com^ +||resistanceouter.com^ +||resistcorrectly.com^ +||resistpajamas.com^ +||resistshy.com^ +||resktdahcyqgu.xyz^ +||resniks.pro^ +||resnubdreich.com^ +||resolesmidewin.top^ +||resolutethumb.com^ +||resolvedswordlinked.com^ +||reson8.com^ +||resonance.pk^ +||resort1266.fun^ +||resourcebumper.com^ +||resourcefulauthorizeelevate.com^ +||resourcefulpower.com^ +||resourcesnotorietydr.com^ +||resourcesswallow.com^ +||respeaktret.com^ +||respectableinjurefortunate.com^ +||respectfullyarena.com^ +||respectfulofficiallydoorway.com^ +||respectfulpleaabsolve.com^ +||respirationbruteremotely.com^ +||respondedkinkysofa.com^ +||respondunexpectedalimony.com^ +||responsad1.space^ +||responservbzh.icu^ +||responserver.com^ +||responsibleprohibition.com^ +||responsibleroyalscrap.com^ +||responsiveproportion.com^ +||responsiverender.com^ +||restabbingenologistwoollies.com^ +||restadrenaline.com^ +||restedfeatures.com^ +||restedsoonerfountain.com^ +||restights.pro^ +||restlesscompeldescend.com^ +||restlessconsequence.com^ +||restlessidea.com^ +||restorationpencil.com^ +||restoretwenty.com^ +||restrainwhenceintern.com^ +||restrictguttense.com^ +||restrictioncheekgarlic.com^ +||restrictionsvan.com^ +||restroomcalf.com^ +||resultedinncreas.com^ +||resultlinks.com^ +||resultsz.com^ +||resumeconcurrence.com^ +||retagro.com^ +||retaineraerialcommonly.com^ +||retaliatepoint.com^ +||retardpreparationsalways.com^ +||retarget2core.com^ +||retargetcore.com^ +||retargeter.com^ +||retgspondingco.com^ +||reth45dq.de^ +||retherdoresper.info^ +||rethinkshone.com^ +||reticencecarefully.com^ +||retintsmillion.com^ +||retinueabash.com^ +||retiringspamformed.com^ +||retono42.us^ +||retorefelloes.com^ +||retortedattendnovel.com^ +||retortloudenvelope.com^ +||retoxo.com^ +||retreatregular.com^ +||retrievereasoninginjure.com^ +||retrostingychemical.com^ +||retryamuze.com^ +||retryngs.com^ +||retsifergoumti.net^ +||rettornrhema.com^ +||returnautomaticallyrock.com^ +||reunitedglossybewildered.com^ +||rev-stripe.com^ +||rev2pub.com^ +||rev4rtb.com^ +||revampcdn.com^ +||revcontent.com^ +||revdepo.com^ +||revealathens.top^ +||revelationneighbourly.com^ +||revelationschemes.com^ +||revengeremarksrank.com^ +||revenue.com^ +||revenuebosom.com^ +||revenuecpmnetwork.com^ +||revenuehits.com^ +||revenuemantra.com^ +||revenuenetwork.com^ +||revenuenetworkcpm.com^ +||revenuestripe.com^ +||revenuevids.com^ +||revenuewasadirect.com^ +||reverercowier.com^ +||reversiondisplay.com^ +||revfusion.net^ +||revimedia.com^ +||revivestar.com^ +||revlt.be^ +||revmob.com^ +||revoke1266.fun^ +||revokejoin.com^ +||revolutionary2.fun^ +||revolutionpersuasive.com^ +||revolvemockerycopper.com^ +||revolveoppress.com^ +||revolvingshine.pro^ +||revopush.com^ +||revresponse.com^ +||revrtb.com^ +||revrtb.net^ +||revsci.net^ +||revstripe.com^ +||revulsiondeportvague.com^ +||revupads.com^ +||rewaawoyamvky.top^ +||rewakenreaware.top^ +||rewardjav128.fun^ +||rewardsaffiliates.com^ +||rewearoutwale.shop^ +||rewindgills.com^ +||rewindgranulatedspatter.com^ +||rewinedropshop.info^ +||rewriteadoption.com^ +||rewriteworse.com^ +||rewsawanincreasei.com^ +||rexadvert.xyz^ +||rexbucks.com^ +||rexneedleinterfere.com^ +||rexsrv.com^ +||reyehathick.info^ +||reykijnoac.com^ +||reypelis.tv^ +||reyungojas.com^ +||rficarolnak.com^ +||rfidpytri.com^ +||rfihub.com^ +||rfihub.net^ +||rfinidtirz.com^ +||rfity.com^ +||rfjuoqrbnknop.com^ +||rfogqbystvgb.com^ +||rfoqfifqcyymeb.com^ +||rfsjuxlip.com^ +||rftslb.com^ +||rgbnqmz.com^ +||rgddist.com^ +||rgentssep.xyz^ +||rgeredrubygs.info^ +||rghptoxhai.com^ +||rgrd.xyz^ +||rguxbwbj.xyz^ +||rhagoseasta.com^ +||rhendam.com^ +||rheneapfg.com^ +||rhiaxplrolm.com^ +||rhinioncappers.com^ +||rhinocerosobtrusive.com^ +||rhombicsomeday.com^ +||rhombicswotted.shop^ +||rhouseoyopers.info^ +||rhoxbneasg.xyz^ +||rhrim.com^ +||rhsorga.com^ +||rhubarbmasterpiece.com^ +||rhubarbsuccessesshaft.com^ +||rhudsplm.com^ +||rhumbslauders.click^ +||rhvdsplm.com^ +||rhwvpab.com^ +||rhxbuslpclxnisl.com^ +||rhxdsplm.com^ +||rhythmxchange.com^ +||riaoz.xyz^ +||riazrk-oba.online^ +||ribougrauchoum.net^ +||ribqpiocnzc.com^ +||ribsaiji.com^ +||ribsegment.com^ +||ric-ric-rum.com^ +||ricalsbuildfordg.info^ +||ricead.com^ +||ricettadellanonna.com^ +||ricewaterhou.xyz^ +||richestplacid.com^ +||richinfo.co^ +||richwebmedia.com^ +||rickerrotal.com^ +||riddleloud.com^ +||ridgerkimono.com^ +||ridiculousegoismaspirin.com^ +||ridikoptil.net^ +||ridingdisguisessuffix.com^ +||ridleward.info^ +||ridmilestone.com^ +||riemvocule.com^ +||riffingwiener.com^ +||rifjhukaqoh.com^ +||rifjynxoj-k.vip^ +||riflepicked.com^ +||riflesurfing.xyz^ +||riftharp.com^ +||rigembassyleaving.com^ +||righeegrelroazo.net^ +||rightcomparativelyincomparable.com^ +||righteousfainted.com^ +||righteoussleekpet.com^ +||rightfullybulldog.com^ +||rightsapphiresand.info^ +||rightscarletcloaksa.com^ +||rightycolonialism.com^ +||rightyhugelywatch.com^ +||rightypulverizetea.com^ +||rigill.com^ +||rigourbackward.com^ +||rigourgovernessanxiety.com^ +||rigourpreludefelon.com^ +||rigryvusfyu.xyz^ +||riiciuy.com^ +||rikakza.xyz^ +||rikharenut.shop^ +||rileimply.com^ +||rilelogicbuy.com^ +||riluaneth.com^ +||rimefatling.com^ +||riminghoggoofy.com^ +||rimoadoumo.net^ +||rimwigckagz.com^ +||rincipledecli.info^ +||rinddelusional.com^ +||ringashewasfl.info^ +||ringexpressbeach.com^ +||ringingneo.com^ +||ringsconsultaspirant.com^ +||ringtonepartner.com^ +||rinsederangeordered.com^ +||rinsouxy.com^ +||riotousgrit.com^ +||riotousunspeakablestreet.com^ +||riowrite.com^ +||ripe-heart.com^ +||ripeautobiography.com^ +||ripencompatiblefreezing.com^ +||ripenstreet.com^ +||ripheeksirg.net^ +||ripooloopsap.net^ +||ripplebuiltinpinching.com^ +||ripplecauliflowercock.com^ +||rirteelraibsou.net^ +||rirtoojoaw.net^ +||risausso.com^ +||riscati.com^ +||riseshamelessdrawers.com^ +||riskelaborate.com^ +||riskhector.com^ +||riskymuzzlebiopsy.com^ +||rissoidkyaung.com^ +||rivacathood.com^ +||rivalpout.com^ +||rivatedqualizebruisi.info^ +||riverhit.com^ +||riversingratitudestifle.com^ +||riverstressful.com^ +||rivetrearrange.com^ +||rivne.space^ +||rixaka.com^ +||rixibe.xyz^ +||rjeruqs.com^ +||rjlkibvwgxiduq.com^ +||rjowzlkaz.today^ +||rjw4obbw.com^ +||rkapghq.com^ +||rkatamonju.info^ +||rkdpzcdehop.fun^ +||rkgwzfwjgk.com^ +||rknwwtg.com^ +||rkomf.com^ +||rkoohcakrfu.com^ +||rkskillsombineukd.com^ +||rkulukhwuoc.com^ +||rlcdn.com^ +||rldwideorgani.org^ +||rletcloaksandth.com^ +||rlittleboywhowas.com^ +||rlornextthefirean.com^ +||rlxw.info^ +||rmahmighoogg.com^ +||rmaticalacycurated.info^ +||rmhfrtnd.com^ +||rmndme.com^ +||rmshqa.com^ +||rmtckjzct.com^ +||rmuuspy.com^ +||rmxads.com^ +||rmzsglng.com^ +||rndambipoma.com^ +||rndchandelureon.com^ +||rndhaunteran.com^ +||rndmusharnar.com^ +||rndnoibattor.com^ +||rndskittytor.com^ +||rnhsrsn.com^ +||rnldustal.com^ +||rnmd.net^ +||rnnlfpaxjar.xyz^ +||rnodydenknowl.org^ +||rnotraff.com^ +||rnrycry.com^ +||rnv.life^ +||rnwbrm.com^ +||rnyvukdnylwnqtj.com^ +||roacheenazak.com^ +||roadformedomission.com^ +||roadoati.xyz^ +||roajaiwoul.com^ +||roamapheejub.com^ +||roambedroom.com^ +||roamparadeexpel.com^ +||roapsoogaiz.net^ +||roarcontrivanceuseful.com^ +||roastoup.com^ +||robazi.xyz^ +||robberyinscription.com^ +||robberynominal.com^ +||robberysordid.com^ +||roberehearsal.com^ +||robotadserver.com^ +||roboticourali.com^ +||robotrenamed.com^ +||robspabah.com^ +||rochesterbreedpersuade.com^ +||rochestertrend.com^ +||rockersbaalize.com^ +||rocketme.top^ +||rocketplaintiff.com^ +||rocketyield.com^ +||rockfellertest.com^ +||rockiertaar.com^ +||rockingfolders.com^ +||rockmostbet.com^ +||rockpicky.com^ +||rockyou.net^ +||rockytrails.top^ +||rocoads.com^ +||rodecommercial.com^ +||rodejessie.com^ +||rodirgix.com^ +||rodplayed.com^ +||rodstergomerel.com^ +||rodunwelcome.com^ +||roduster.com^ +||roelikewimpler.com^ +||roemoss.com^ +||rof77skt5zo0.com^ +||rofant.com^ +||rofitstefukhatexc.com^ +||rofxiufqch.com^ +||roguehideevening.com^ +||rogueschedule.com^ +||roiapp.net^ +||roikingdom.com^ +||roilsnadirink.com^ +||roinduk.com^ +||rokreeza.com^ +||rokymedia.com^ +||roledale.com^ +||rollads.live^ +||rollbackpop.com^ +||rollerstrayprawn.com^ +||rollingkiddisgrace.com^ +||rollingwolvesforthcoming.com^ +||rollserver.xyz^ +||rolltrafficroll.com^ +||rolpenszimocca.com^ +||rolsoupouh.xyz^ +||rolzqwm.com^ +||romance-net.com^ +||romancepotsexists.com^ +||romanlicdate.com^ +||romanticwait.com^ +||romashk9arfk10.com^ +||romauntmirker.com^ +||romepoptahul.com^ +||romfpzib.com^ +||romperspardesi.com^ +||rompishvariola.com^ +||roobetaffiliates.com^ +||rooedfibers.com^ +||roofprison.com^ +||rooglomitaiy.com^ +||roohoozy.net^ +||rookechew.com^ +||rookinews.com^ +||rooksreused.website^ +||rookstashrif.shop^ +||rookuvabege.net^ +||roomersgluts.com^ +||roommateskinner.com^ +||roompowerfulprophet.com^ +||roomrentpast.com^ +||rooptawu.net^ +||rootcaptawed.com^ +||rootderideflex.com^ +||rootleretip.top^ +||rootzaffiliates.com^ +||roovs.xyz^ +||ropeanresultanc.com^ +||ropebrains.com^ +||ropwilv.com^ +||roqeke.xyz^ +||roredi.com^ +||roritchou.net^ +||rorserdy.com^ +||rose2919.com^ +||rosolicdalapon.com^ +||rosyfeeling.pro^ +||rosyruffian.com^ +||rotabol.com^ +||rotarb.bid^ +||rotate1t.com^ +||rotate4all.com^ +||rotatejavgg124.fun^ +||rotateme.ru^ +||rotateportion.com^ +||rothermophony.com^ +||rotondagud.com^ +||rotondelibya.com^ +||rotumal.com^ +||rotundfetch.com^ +||roubergmiteom.com^ +||roucoutaivers.com^ +||roudoduor.com^ +||rouduranter.com^ +||rougepromisedtenderly.com^ +||rougharmless.com^ +||roughindoor.com^ +||roughseaside.com^ +||roughviolentlounge.com^ +||rouhavenever.com^ +||rouhaveneverse.info^ +||rouinfernapean.com^ +||roujonoa.net^ +||roulediana.com^ +||roumachopa.com^ +||round-highlight.pro^ +||rounddescribe.com^ +||roundflow.net^ +||roundpush.com^ +||roundspaniardindefinitely.com^ +||rounidorana.com^ +||rounsh.com^ +||rouonixon.com^ +||rousedaudacity.com^ +||routeit.one^ +||routeme.one^ +||routerhydrula.com^ +||routes.name^ +||routeserve.info^ +||routinecloudycrocodile.com^ +||routowoashie.xyz^ +||rouvoufeewhast.net^ +||rouvoute.net^ +||rouvuchoabas.net^ +||rouwhapt.com^ +||rovion.com^ +||rovno.xyz^ +||rowlnk.com^ +||roxby.org^ +||roxot-panel.com^ +||roxyaffiliates.com^ +||royalcactus.com^ +||royallycuprene.com^ +||rozamimo9za10.com^ +||rpazaa.xyz^ +||rpfytkt.com^ +||rpjkwhkxh.com^ +||rppumxa.com^ +||rprapjc.com^ +||rprinc6etodn9kunjiv.com^ +||rpsukimsjy.com^ +||rptmoczqsf.com^ +||rpts.org^ +||rqazepammrl.com^ +||rqbqlwhlui.xyz^ +||rqhere.com^ +||rqnvci.com^ +||rqr97sfd.xyz^ +||rqsaxxdbt.com^ +||rqtrk.eu^ +||rqwel.com^ +||rreauksofthecom.xyz^ +||rreftyonkak.com^ +||rrgbjybt.com^ +||rrhscsdlwufu.xyz^ +||rrmlejvyqwzk.top^ +||rrobbybvvwmzk.top^ +||rronsep.com^ +||rruvbtb.com^ +||rs-stripe.com^ +||rsalcau.com^ +||rsalcch.com^ +||rsalesrepresw.info^ +||rsaltsjt.com^ +||rscilnmkkfbl.com^ +||rsfmzirxwg.com^ +||rsjagnea.com^ +||rsldfvt.com^ +||rsthwwqhxef.xyz^ +||rswhowishedto.info^ +||rtb-media.me^ +||rtb1bid.com^ +||rtb42td.com^ +||rtb4lands.com^ +||rtbadshubmy.com^ +||rtbadsmenetwork.com^ +||rtbadsmya.com^ +||rtbadsmylive.com^ +||rtbbhub.com^ +||rtbbnr.com^ +||rtbbpowaq.com^ +||rtbdnav.com^ +||rtbfit.com^ +||rtbfradhome.com^ +||rtbfradnow.com^ +||rtbget.com^ +||rtbinternet.com^ +||rtbix.com^ +||rtbix.xyz^ +||rtblmh.com^ +||rtbnowads.com^ +||rtbpop.com^ +||rtbpopd.com^ +||rtbrenab.com^ +||rtbrennab.com^ +||rtbstream.com^ +||rtbsuperhub.com^ +||rtbsystem.com^ +||rtbsystem.org^ +||rtbterra.com^ +||rtbtracking.com^ +||rtbtraffic.com^ +||rtbtrail.com^ +||rtbxnmhub.com^ +||rtbxnmlive.com^ +||rtclx.com^ +||rtgio.co^ +||rthbycustomla.info^ +||rtk.io^ +||rtmark.net^ +||rtnews.pro^ +||rtoukfareputfe.info^ +||rtpnt.xyz^ +||rtqdgro.com^ +||rtrgt.com^ +||rtrgt2.com^ +||rtrhit.com^ +||rtty.in^ +||rtuew.xyz^ +||rtuinrjezwkj.love^ +||rtxbdugpeumpmye.xyz^ +||rtxfeed.com^ +||rtxrtb.com^ +||rtyfdsaaan.com^ +||rtyufo.com^ +||rtyznd.com^ +||rtzbpsy.com^ +||ruamupr.com^ +||rubberdescendantfootprints.com^ +||rubbingwomb.com^ +||rubbishher.com^ +||rubestdealfinder.com^ +||rubiconproject.com^ +||rubyblu.com^ +||rubyforcedprovidence.com^ +||rubymillsnpro.com^ +||ruckingefs.com^ +||rucmpbccrgbewma.com^ +||rudaglou.xyz^ +||rudderleisurelyobstinate.com^ +||ruddyred.pro^ +||rudimentarydelay.com^ +||rudishtremolo.top^ +||ruefulauthorizedguarded.com^ +||ruefultest.com^ +||ruefuluphill.com^ +||rufadses.net^ +||ruftodru.net^ +||rugcrucial.com^ +||ruggyscallop.top^ +||rugiomyh2vmr.com^ +||ruglhiahxam.com^ +||rugupheessupaik.net^ +||ruincrayfish.com^ +||ruinedpenal.com^ +||ruinedpersonnel.com^ +||ruinedtolerance.com^ +||ruinjan.com^ +||ruinnorthern.com^ +||rukanw.com^ +||rukskijruza.com^ +||rulrahed.com^ +||rumkhprg.com^ +||rummageengineneedle.com^ +||rummagemason.com^ +||rummentaltheme.com^ +||rummyaffiliates.com^ +||rumsroots.com^ +||run-syndicate.com^ +||runative-syndicate.com^ +||runative.com^ +||runetki.co^ +||rungdefendantfluent.com^ +||rungoverjoyed.com^ +||runicforgecrafter.com^ +||runingamgladt.com^ +||runklessubact.top^ +||runmixed.com^ +||runnerbesiegerelative.com^ +||runningdestructioncleanliness.com^ +||runtnc.net^ +||runwaff.com^ +||runwayrenewal.com^ +||ruohmghwpzzp.com^ +||ruozukk.xyz^ +||rural-report.pro^ +||ruralnobounce.com^ +||rusenov.com^ +||rushoothulso.xyz^ +||rushpeeredlocate.com^ +||russellseemslept.com^ +||russianfelt.com^ +||russiangalacticcharming.com^ +||russianoaths.shop^ +||russianwithincheerleader.com^ +||rusticsnoop.com^ +||rustlesimulator.com^ +||rustycleartariff.com^ +||rustypassportbarbecue.com^ +||rustysauna.com^ +||rustyurishoes.com^ +||rutatmosphericdetriment.com^ +||rutchauthe.net^ +||rutebuxe.xyz^ +||ruthlessawfully.com^ +||ruthwoof.com^ +||ruvqitlilqi.com^ +||ruxmkiqkasw.com^ +||ruzotchaufu.xyz^ +||rv-syzfedv.rocks^ +||rvardsusyseinp.org^ +||rvddfchkj.xyz^ +||rvetreyu.net^ +||rviqayltwu.love^ +||rvisofoseveralye.com^ +||rvisofoseveralyear.com^ +||rvotdlvpwmynan.xyz^ +||rvrpushserv.com^ +||rvvmynjd.love^ +||rwoscaonf.com^ +||rwpgtlurfllti.com^ +||rwrkeqci.xyz^ +||rwtrack.xyz^ +||rwuannaxztux.com^ +||rwukupjis.com^ +||rwusvej.com^ +||rxcihltrqjvdeus.com^ +||rxeosevsso.com^ +||rxrczbxdc.com^ +||rxtgbihqbs99.com^ +||rxthdr.com^ +||rxvej.com^ +||ryads.xyz^ +||ryaqlybvobjw.top^ +||ryauzo.xyz^ +||rydresa.info^ +||ryenetworkconvicted.com^ +||ryeprior.com^ +||ryhmoxhbsfxk.com^ +||ryllae.com^ +||ryminos.com^ +||ryremovement.com^ +||ryrmvbnpmhphkx.com^ +||rysheatlengthanl.xyz^ +||rysjkulq.xyz^ +||rytransionsco.org^ +||rzaxroziwozq.com^ +||rzgiyhpbit.com^ +||rzneekilff.com^ +||rzuokcobzru.com^ +||rzyosrlajku.com^ +||rzzhrbbnghoue.com^ +||rzzlhfx.com^ +||s-adzone.com^ +||s0-greate.net^ +||s0cool.net^ +||s1cta.com^ +||s1m4nohq.de^ +||s1t2uuenhsfs.com^ +||s20dh7e9dh.com^ +||s2blosh.com^ +||s2btwhr9v.com^ +||s2d6.com^ +||s2sterra.com^ +||s3g6.com^ +||s3vracbwe.com^ +||s7feh.top^ +||s99i.org^ +||sa.entireweb.com^ +||sabercuacro.org^ +||sabergood.com^ +||sabinaazophen.top^ +||sabonakapona.com^ +||sabotageharass.com^ +||sacedoamte.net^ +||sackbarngroups.com^ +||sackeelroy.net^ +||sacredperpetratorbasketball.com^ +||sacrificeaffliction.com^ +||sadbasindinner.com^ +||saddlecooperation.com^ +||sadrettinnow.com^ +||sadsaunsord.com^ +||safe-connection21.com^ +||safeattributeexcept.com^ +||safebrowsdv.com^ +||safeglimmerlongitude.com^ +||safeguardoperating.com^ +||safelinkconverter.com^ +||safelistextreme.com^ +||safenick.com^ +||safestcontentgate.com^ +||safestgatetocontent.com^ +||safestsniffingconfessed.com^ +||safesync.com^ +||safewarns.com^ +||safprotection.com^ +||safsdvc.com^ +||sagaciouslikedfireextinguisher.com^ +||sagaciouspredicatemajesty.com^ +||sagearmamentthump.com^ +||sagedeportflorist.com^ +||saggrowledetc.com^ +||sahandkeightg.xyz^ +||saheckas.xyz^ +||sahpupxhyk.com^ +||saigreetoudi.xyz^ +||saikeela.net^ +||sailcovertend.com^ +||saileepsigeh.com^ +||sailif.com^ +||saillevity.com^ +||sailorjav128.fun^ +||sailorlanceslap.com^ +||saintselfish.com^ +||saipeevit.net^ +||saiphoogloobo.net^ +||saipsoan.net^ +||saishook.com^ +||saiwhute.com^ +||sajewhee.xyz^ +||sakura-traffic.com^ +||salaammangos.shop^ +||salalromansh.com^ +||salamus1.lol^ +||salbraddrepilly.com^ +||salesoonerfurnace.com^ +||salestingoner.org^ +||salivamenupremise.com^ +||salivanmobster.com^ +||salivatreatment.com^ +||salleamebean.com^ +||sallyfundamental.com^ +||salseprudely.com^ +||saltcardiacprotective.com^ +||saltconfectionery.com^ +||saltpairwoo.live^ +||saltsarchlyseem.com^ +||saltsupbrining.com^ +||salutationpersecutewindows.com^ +||salvagefloat.com^ +||samage-bility.icu^ +||samalcuratic.shop^ +||samarradeafer.top^ +||samghasps.com^ +||sampalsyneatly.com^ +||samplecomfy.com^ +||samplehavingnonstop.com^ +||samsungads.com^ +||samvaulter.com^ +||samvinva.info^ +||sancontr.com^ +||sanctifylensimperfect.com^ +||sanctioncurtain.com^ +||sanctiontaste.com^ +||sanctuarylivestockcousins.com^ +||sanctuaryparticularly.com^ +||sandelf.com^ +||sandmakingsilver.info^ +||sandsonair.com^ +||sandtheircle.com^ +||sandwich3452.fun^ +||sandwichconscientiousroadside.com^ +||sandwichdeliveringswine.com^ +||sandydestructioncoax.com^ +||sandyrecordingmeet.com^ +||sandysuspicions.com^ +||sanggauchelys.shop^ +||sanggilregard.com^ +||sanhpaox.xyz^ +||sanitarysustain.com^ +||sanjay44.xyz^ +||sanoithmefeyau.com^ +||sanseemp.com^ +||santonpardal.com^ +||santosattestation.com^ +||santoscologne.com^ +||santtacklingallaso.com^ +||santuao.xyz^ +||sapfailedfelon.com^ +||saplvvogahhc.xyz^ +||saptiledispatch.com^ +||saptorge.com^ +||sarcasmadvisor.com^ +||sarcasticnotarycontrived.com^ +||sarcinedewlike.com^ +||sarcodrix.com^ +||sardineforgiven.com^ +||sarinfalun.com^ +||sarinnarks.shop^ +||sarrowgrivois.com^ +||sartolutus.com^ +||saryprocedentw.info^ +||sasinsetuid.com^ +||sassaglertoulti.xyz^ +||sasseselytra.com^ +||satiresboy.com^ +||satireunhealthy.com^ +||satisfaction399.fun^ +||satisfaction423.fun^ +||satisfactionretirechatterbox.com^ +||satisfactorilyfigured.com^ +||satisfactoryhustlebands.com^ +||satisfied-tour.pro^ +||satoripedary.com^ +||saturatedrake.com^ +||saturatemadman.com^ +||saturdaygrownupneglect.com^ +||saturdaymarryspill.com^ +||saucebuttons.com^ +||sauceheirloom.com^ +||saucheethee.xyz^ +||saukaivounoa.xyz^ +||saumoupsaug.com^ +||saunaentered.com^ +||saunamilitarymental.com^ +||saunasupposedly.com^ +||sauptoacoa.com^ +||sauptowhy.com^ +||saurelwithsaw.shop^ +||saurfeued.com^ +||sauroajy.net^ +||sausagefaithfemales.com^ +||sausagegirlieheartburn.com^ +||sauthooptoo.net^ +||sauwoaptain.com^ +||savableee.com^ +||savefromad.net^ +||savinist.com^ +||savourethicalmercury.com^ +||savourmarinercomplex.com^ +||savvcsj.com^ +||sawdustreives.top^ +||saweathercock.info^ +||sawfluenttwine.com^ +||saworbpox.com^ +||sayableconder.com^ +||saycaptain.com^ +||sayelo.xyz^ +||sayingconvicted.com^ +||sayingdentalinternal.com^ +||saylnk.com^ +||sayyidsspintry.com^ +||sb-stat1.com^ +||sb89347.com^ +||sbboppwsuocy.com^ +||sbfsdvc.com^ +||sbhight.com^ +||sblhp.com^ +||sbscribeme.com^ +||sbscrma.com^ +||sbseunl.com^ +||sbteafd.com^ +||sbvtrht.com^ +||scabbienne.com^ +||scaffoldconcentration.com^ +||scagkecky.shop^ +||scalesapologyprefix.com^ +||scaleshustleprice.com^ +||scalesreductionkilometre.com^ +||scalfkermes.com^ +||scalliontrend.com^ +||scallopbedtime.com^ +||scalpelvengeance.com^ +||scalpworlds.com^ +||scamblefeedman.com^ +||scamgravecorrespondence.com^ +||scammereating.com^ +||scancemontes.com^ +||scannersouth.com^ +||scanshrugged.com^ +||scanunderstiff.com^ +||scanwasted.com^ +||scarabresearch.com^ +||scarcelypat.com^ +||scarcemontleymontley.com^ +||scarcerpokomoo.com^ +||scardeviceduly.com^ +||scarecrowenhancements.com^ +||scaredframe.com^ +||scaredplayful.com^ +||scaredpreparation.pro^ +||scarfcreed.com^ +||scaringposterknot.com^ +||scarletmares.com^ +||scarofnght.com^ +||scarymarine.com^ +||scashwl.com^ +||scatteredhecheaper.com^ +||scatulalactate.com^ +||scavelbuntine.life^ +||scenbe.com^ +||scendho.com^ +||scenegaitlawn.com^ +||scenerynatives.com^ +||scenescrockery.com^ +||scenistgracy.life^ +||scentbracehardship.com^ +||scentservers.com^ +||scfhspacial.com^ +||scfsdvc.com^ +||schcdfnrhxjs.com^ +||scheduleginnarcotic.com^ +||schedulerationally.com^ +||schizorecooks.shop^ +||schizypdq.com^ +||schjmp.com^ +||schochedueful.com^ +||scholarkeyboarddoom.com^ +||scholarsgrewsage.com^ +||scholarsslate.com^ +||schoolboyfingernail.com^ +||schoolmasterconveyedladies.com^ +||schoolnotwithstandingconfinement.com^ +||schoolunmoved.com^ +||schoonnonform.com^ +||sciadopi5tysverticil1lata.com^ +||scidationgly.com^ +||sciencepoints.com^ +||scientific-doubt.com^ +||scientificdimly.com^ +||scientificmission.pro^ +||scisselfungus.com^ +||scissorsstitchdegrade.com^ +||scissorwailed.com^ +||sckjzfahoizclt.com^ +||scl6gc5l.site^ +||sclrnnp.com^ +||scnd-tr.com^ +||sconvtrk.com^ +||scoopauthority.com^ +||scoopmaria.com^ +||scootcomely.com^ +||scopefile.com^ +||scopingrile.com^ +||scorchstrung.com^ +||score-feed.com^ +||scoreasleepbother.com^ +||scoredconnect.com^ +||scoreheadingbabysitting.com^ +||scormationwind.org^ +||scornphiladelphiacarla.com^ +||scorserbitting.shop^ +||scotergushing.com^ +||scowpoppanasals.com^ +||scpsmnybb.xyz^ +||scptp1.com^ +||scptpx.com^ +||scrambleocean.com^ +||scrapejav128.fun^ +||scrapembarkarms.com^ +||scratchconsonant.com^ +||scrawmthirds.com^ +||screechcompany.com^ +||screenov.site^ +||screighbedfast.com^ +||scriptcdn.net^ +||scriptvealpatronage.com^ +||scritchmaranta.shop^ +||scrollisolation.com^ +||scrollye.com^ +||scrubheiress.com^ +||scruboutdoorsoffensive.com^ +||scubaenterdane.com^ +||scufflebarefootedstrew.com^ +||scugmarkkaa.shop^ +||sculptorpound.com^ +||scutesneatest.com^ +||scxurii.com^ +||scythealready.com^ +||sda.seesaa.jp^ +||sda.seksohub.com^ +||sdbrrrr.lat^ +||sdbuuzhjzznc.fun^ +||sdbvveonb1.com^ +||sddan.com^ +||sdfdsd.click^ +||sdfgsdf.cfd^ +||sdfsdvc.com^ +||sdg.desihamster.pro^ +||sdhfbvd.com^ +||sdhiltewasvery.info^ +||sdiatesupervis.com^ +||sdk4push.com^ +||sdkfjxjertertry.com^ +||sdkl.info^ +||sdmfyqkghzedvx.com^ +||sdxtxvq.com^ +||seaboblit.com^ +||seafoodclickwaited.com^ +||seafooddiscouragelavishness.com^ +||seafoodmesarch.top^ +||sealeryshilpit.com^ +||sealthatleak.com^ +||seamanphaseoverhear.com^ +||seanfoisons.top^ +||seaofads.com^ +||seapolo.com^ +||search-converter.com^ +||search4sports.com^ +||searchcoveragepoliteness.com^ +||searchdatestoday.com^ +||searchgear.pro^ +||searchingacutemourning.com^ +||searchmulty.com^ +||searchrespectivelypotency.com^ +||searchsecurer.com^ +||seashorelikelihoodreasonably.com^ +||seashoremessy.com^ +||seashorepigeonsbanish.com^ +||seashoreshine.com^ +||seasickbittenprestigious.com^ +||seasx.cfd^ +||seatedparanoiaenslave.com^ +||seatrackingdomain.com^ +||seatsrehearseinitial.com^ +||seawantyroma.com^ +||seayipsex.com^ +||sebateastrier.com^ +||sebkhapaction.com^ +||secludechurch.com^ +||secondarybirchslit.com^ +||secondcommander.com^ +||secondjav128.fun^ +||secondlyundone.com^ +||secondquaver.com^ +||secondunderminecalm.com^ +||secprf.com^ +||secret-request.pro^ +||secretiongrin.com^ +||secretivelimpfraudulent.com^ +||secthatlead.com^ +||secure.securitetotale.fr^ +||secureaddisplay.com^ +||securebreathstuffing.com^ +||secureclickers.com^ +||securecloud-dt.com^ +||securecloud-smart.com^ +||secureclouddt-cd.com^ +||secureconv-dl.com^ +||securedt-sm.com^ +||securedvisit.com^ +||securegate.xyz^ +||securegate9.com^ +||securegfm.com^ +||secureleadsforever.com^ +||secureleadsrn.com^ +||securely-send.com^ +||securenetguardian.top^ +||securescoundrel.com^ +||securesmrt-dt.com^ +||securesurf.biz^ +||sedatingnews.com^ +||sedodna.com^ +||seducingtemporarily.com^ +||seeablywitness.com^ +||seebait.com^ +||seecaimooth.com^ +||seedconsistedcheerful.com^ +||seedlingneurotic.com^ +||seedlingpenknifecambridge.com^ +||seedoupo.com^ +||seedouptoanapsy.xyz^ +||seegamezpicks.info^ +||seegraufah.com^ +||seekmymatch.com^ +||seekoflol.com^ +||seelanaglashaiy.xyz^ +||seemaicees.xyz^ +||seemingverticallyheartbreak.com^ +||seemoraldisobey.com^ +||seemyresume.org^ +||seeonderfulstatue.com^ +||seeptoag.net^ +||seeshaitoay.net^ +||seethisinaction.com^ +||seetron.net^ +||seezfull.com^ +||seezutet.com^ +||sefsdvc.com^ +||segreencolumn.com^ +||sehlicegxy.com^ +||seibertspart.com^ +||seichesditali.click^ +||seishinyoga.com^ +||seizecrashsophia.com^ +||seizefortunesdefiant.com^ +||seizeshoot.com^ +||seizuretraumatize.com^ +||sekindo.com^ +||sekqeraneosbm.com^ +||sel-sel-fie.com^ +||seldomsevereforgetful.com^ +||selectdisgraceful.com^ +||selectedhoarfrost.com^ +||selectedunrealsatire.com^ +||selectr.net^ +||selecttopoff.com^ +||selenicabbot.shop^ +||selfemployedreservoir.com^ +||selfevidentvisual.com^ +||selfishfactor.com^ +||selfportraitpardonwishes.com^ +||selfpua.com^ +||selfpuc.com^ +||selfswayjay.com^ +||sellerher.com^ +||sellerignateignate.com^ +||sellingmombookstore.com^ +||sellisteatin.com^ +||selornews.com^ +||selunemtr.online^ +||selwrite.com^ +||semblanceindulgebellamy.com^ +||semicircledata.com^ +||semicolonrichsieve.com^ +||semicolonsmall.com^ +||semiinfest.com^ +||seminarcrackingconclude.com^ +||seminarentirely.com^ +||semqraso.net^ +||semsicou.net^ +||senatescouttax.com^ +||senditfast.cloud^ +||sendleinsects.shop^ +||sendmepush.com^ +||senecancastano.top^ +||seniorstemsdisability.com^ +||senonsiatinus.com^ +||sensationnominatereflect.com^ +||sensationtwigpresumptuous.com^ +||sensifyfugged.com^ +||sensitivenessvalleyparasol.com^ +||sensorpluck.com^ +||sensualsheilas.com^ +||sensualtestresume.com^ +||sentativesathya.info^ +||sentencefigurederide.com^ +||sentenceinformedveil.com^ +||sentientfog.com^ +||sentimenthailstonesubjective.com^ +||seo-overview.com^ +||separatepattern.pro^ +||separationalphabet.com^ +||separationharmgreatest.com^ +||separationheadlight.com^ +||sepiarypooris.com^ +||septads.store^ +||septaraneae.shop^ +||septemberautomobile.com^ +||septfd2em64eber.com^ +||septierpotrack.com^ +||sequencestairwellseller.com^ +||ser678uikl.xyz^ +||seraphsklom.com^ +||serch26.biz^ +||serconmp.com^ +||serdaive.com^ +||sereanstanza.com^ +||sergeantmediocre.com^ +||serialembezzlementlouisa.com^ +||seringmedicos.com^ +||serinuswelling.com^ +||seriouslygesture.com^ +||serleap.com^ +||sermonbakery.com^ +||sermonoccupied.com^ +||serpentinelay.pro^ +||serpentreplica.com^ +||serv-selectmedia.com^ +||serv01001.xyz^ +||serv1for.pro^ +||servantchastiseerring.com^ +||servboost.tech^ +||serve-rtb.com^ +||serve-servee.com^ +||servedbyadbutler.com^ +||servedbysmart.com^ +||serveforthwithtill.com^ +||servehub.info^ +||servenobid.com^ +||server4ads.com^ +||serverbid.com^ +||servereplacementcycle.com^ +||serversoursmiling.com^ +||servetag.com^ +||servetean.site^ +||servetraff.com^ +||servg1.net^ +||servh.net^ +||servicegetbook.net^ +||servicesrc.org^ +||servicetechtracker.com^ +||serving-sys.com^ +||servingcdn.net^ +||servingserved.com^ +||servingsurroundworldwide.com^ +||servsserverz.com^ +||servtraff97.com^ +||servw.bid^ +||sessfetchio.com^ +||seteamsobtantion.com^ +||setitoefanyor.org^ +||setlitescmode-4.online^ +||setopsdata.com^ +||setsdowntown.com^ +||settledapproximatesuit.com^ +||settledchagrinpass.com^ +||settrogens.com^ +||setupad.net^ +||setupdeliveredteapot.com^ +||setworkgoloka.shop^ +||seullocogimmous.com^ +||sev4ifmxa.com^ +||seveelumus.com^ +||sevenbuzz.com^ +||sevenedgesteve.com^ +||sevenerraticpulse.com^ +||severelyexemplar.com^ +||severelywrittenapex.com^ +||sevokop.com^ +||sewagegove.click^ +||sewersneaky.com^ +||sewerypon.com^ +||sewingunrulyshriek.com^ +||sewparamedic.com^ +||sewussoo.xyz^ +||sex-and-flirt.com^ +||sex-chat.me^ +||sexbuggishbecome.info^ +||sexclic.com^ +||sexfg.com^ +||sexmoney.com^ +||sexpieasure.com^ +||sextf.com^ +||sextubeweb.com^ +||sexualpitfall.com^ +||sexyepc.com^ +||seymourlamboy.com^ +||sf-ads.io^ +||sfdsplvyphk.com^ +||sffsdvc.com^ +||sfixretarum.com^ +||sftapi.com^ +||sfwehgedquq.com^ +||sgad.site^ +||sgfinery.com^ +||sgfsdvc.com^ +||sgihava.com^ +||sgnetwork.co^ +||sgrawwa.com^ +||sgzhg.pornlovo.co^ +||sh0w-me-h0w.net^ +||sh0w-me-how.com^ +||shackapple.com^ +||shadeapologies.com^ +||shaderadioactivepoisonous.com^ +||shadesentimentssquint.com^ +||shadytourdisgusted.com^ +||shaeian.xyz^ +||shaggyacquaintanceassessment.com^ +||shahr-kyd.com^ +||shaickox.com^ +||shaidolt.com^ +||shaidraup.net^ +||shaihucmesa.com^ +||shaimsaijels.com^ +||shaimsoo.net^ +||shaissugritit.net^ +||shaitakroaks.net^ +||shaitchergu.net^ +||shaiwourtijogno.net^ +||shakamech.com^ +||shakingtacklingunpeeled.com^ +||shakre.com^ +||shakydeploylofty.com^ +||shallarchbishop.com^ +||shallowbottle.pro^ +||shallowtwist.pro^ +||shalroazoagee.net^ +||shameful-leader.com^ +||shameless-sentence.pro^ +||shamelessappellation.com^ +||shamelessgoodwill.com^ +||shamelessnullneutrality.com^ +||shamelesspop.pro^ +||shamepracticegloomily.com^ +||shamnmalcwob.com^ +||shanaurg.net^ +||shanorin.com^ +||shapedhomicidalalbert.com^ +||shapelcounset.xyz^ +||shaperswhorts.shop^ +||shardycacalia.shop^ +||share-server.com^ +||sharecash.org^ +||sharedmarriage.com^ +||sharegods.com^ +||shareresults.com^ +||sharesceral.uno^ +||shareusads.com^ +||shareweeknews.com^ +||sharion.xyz^ +||sharkbleed.com^ +||sharondemurer.shop^ +||sharpofferlinks.com^ +||sharpphysicallyupcoming.com^ +||sharpwavedreinforce.com^ +||shasogna.com^ +||shatsoutheshe.net^ +||shatterconceal.com^ +||shauduptel.net^ +||shaugacakro.net^ +||shaughixefooz.net^ +||shauladubhe.com^ +||shauladubhe.top^ +||shaulauhuck.com^ +||shaumtol.com^ +||shaursar.net^ +||shaurtah.net^ +||shauthalaid.com^ +||shavecleanupsedate.com^ +||shaveeps.net^ +||shavetulip.com^ +||shawljeans.com^ +||shdegtbokshipns.xyz^ +||she-want-fuck.com^ +||shealapish.com^ +||sheardirectly.com^ +||shebudriftaiter.net^ +||sheefursoz.com^ +||sheegiwo.com^ +||sheeltaibu.net^ +||sheerliteracyquestioning.com^ +||sheeroop.com^ +||sheeshumte.net^ +||sheesimo.net^ +||sheetvibe.com^ +||sheewoamsaun.com^ +||shegraptekry.com^ +||shelfoka.com^ +||shelourdoals.net^ +||sheltermilligrammillions.com^ +||shelveflang.click^ +||shemalesofhentai.com^ +||shenouth.com^ +||sheoguekibosh.top^ +||shepeekr.net^ +||shepherdalmightyretaliate.com^ +||sherryfaithfulhiring.com^ +||shertuwipsumt.net^ +||sheschemetraitor.com^ +||shetchoultoocha.net^ +||shexawhy.net^ +||shfewojrmxpy.xyz^ +||shfsdvc.com^ +||shiaflsteaw.com^ +||shieldbarbecueconcession.com^ +||shieldspecificationedible.com^ +||shiepvfjd.xyz^ +||shifoanse.com^ +||shiftclang.com^ +||shifthare.com^ +||shiftwholly.com^ +||shikroux.net^ +||shiksinsagoa.net^ +||shillymacle.shop^ +||shimmering-novel.pro^ +||shimmering-strike.pro^ +||shimmeringconcert.com^ +||shimpooy.com^ +||shinasi.info^ +||shindyhygienic.com^ +||shindystubble.com^ +||shinebliss.com^ +||shineinternalindolent.com^ +||shinep.xyz^ +||shingleexpressing.com^ +||shinglelatitude.com^ +||shinygabbleovertime.com^ +||shinyspiesyou.com^ +||shippingswimsuitflog.com^ +||shipseaimpish.com^ +||shipsmotorw.xyz^ +||shipwreckclassmate.com^ +||shirtclumsy.com^ +||shitcustody.com^ +||shitsowhoort.net^ +||shitucka.net^ +||shiverdepartmentclinging.com^ +||shiverrenting.com^ +||shlyapapodplesk.site^ +||shoabibs.xyz^ +||shoadessuglouz.net^ +||shoalsestrepe.top^ +||shoathuftussux.net^ +||shockadviceinsult.com^ +||shocked-failure.com^ +||shocking-design.pro^ +||shocking-profile.pro^ +||shockingrobes.com^ +||shockingstrategynovelty.com^ +||shodaisy.com^ +||shoessaucepaninvoke.com^ +||sholke.com^ +||sholraidsoalro.net^ +||shonetransmittedfaces.com^ +||shonevegetable.com^ +||shoojoudro.net^ +||shoojouh.xyz^ +||shoolsauks.com^ +||shooltuca.net^ +||shoonsicousu.net^ +||shoopusahealth.com^ +||shoordaird.com^ +||shoorsoacmo.xyz^ +||shooterconsultationcart.com^ +||shooterlearned.com^ +||shootingsuspicionsinborn.com^ +||shootoax.com^ +||shopliftingrung.com^ +||shopmonthtravel.com^ +||shoppinglifestyle.biz^ +||shorantonto.com^ +||shoresmmrnews.com^ +||shortagefollows.com^ +||shortagesymptom.com^ +||shorteh.com^ +||shortesthandshakeemerged.com^ +||shortesthotel.com^ +||shortfailshared.com^ +||shorthandsixpencemap.com^ +||shortssibilantcrept.com^ +||shoubsee.net^ +||shoulderadmonishstore.com^ +||shouldmeditate.com^ +||shouldscornful.com^ +||shoulsos.com^ +||shouthisoult.com^ +||shoutimmortalfluctuate.com^ +||shovedhannah.com^ +||shovedrailwaynurse.com^ +||shovegrave.com^ +||show-creative1.com^ +||show-me-how.net^ +||show-review.com^ +||showcasebytes.co^ +||showcasethat.com^ +||showdoyoukno.info^ +||showedinburgh.com^ +||showedprovisional.com^ +||showilycola.shop^ +||showjav11.fun^ +||showmebars.com^ +||shprybatnm.com^ +||shredassortmentmood.com^ +||shredvealdone.com^ +||shrewdcrumple.com^ +||shriekdestitute.com^ +||shrillbighearted.com^ +||shrillcherriesinstant.com^ +||shrillinstance.pro^ +||shrillwife.pro^ +||shrimpgenerator.com^ +||shrimpsaitesis.shop^ +||shrivelhorizonentrust.com^ +||shrubjessamy.com^ +||shrubsnaturalintense.com^ +||shrweea.lat^ +||shsqacmzzz.com^ +||shticksyahuna.com^ +||shtqpahos.com^ +||shuanshu.com.com^ +||shubadubadlskjfkf.com^ +||shudderconnecting.com^ +||shudderloverparties.com^ +||shudoufunguptie.net^ +||shughaxiw.com^ +||shuglaursech.com^ +||shugraithou.com^ +||shukriya90.com^ +||shukselr.com^ +||shulugoo.net^ +||shumsooz.net^ +||shunparagraphdim.com^ +||shusacem.net^ +||shutesaroph.com^ +||shuttersurveyednaive.com^ +||shvnfhf.com^ +||shydastidu.com^ +||shyrepair.pro^ +||si1ef.com^ +||sialsizably.shop^ +||siberiabecrush.com^ +||sibilantsuccess.com^ +||sicilywring.com^ +||sickbedjibboom.com^ +||sicklybates.com^ +||sicklypercussivecoordinate.com^ +||sicouthautso.net^ +||sidanarchy.net^ +||sidebiologyretirement.com^ +||sidebyx.com^ +||sidegeographycondole.com^ +||sidelinearrogantinterposed.com^ +||sidenoteinvolvingcranky.com^ +||sidenoteproductionbond.com^ +||sidenotestarts.com^ +||sidewayfrosty.com^ +||sidewaysuccession.com^ +||sidsaignoo.net^ +||sierradissolved.com^ +||sierrasectormacaroni.com^ +||sievynaw.space^ +||sifenews.com^ +||siftdivorced.com^ +||sigheemibod.xyz^ +||sightdisintegrate.com^ +||sightshumble.com^ +||sightsskinnyintensive.com^ +||signalassure.com^ +||signalspotsharshly.com^ +||signalsuedejolly.com^ +||signamentswithded.com^ +||signatureoutskirts.com^ +||signcalamity.com^ +||significantdoubloons.com^ +||significantnuisance.com^ +||significantoperativeclearance.com^ +||signingdebauchunpack.com^ +||signingtherebyjeopardize.com^ +||siiwptfum.xyz^ +||silebu.xyz^ +||silenceblindness.com^ +||silentinevitable.com^ +||silklanguish.com^ +||silkstuck.com^ +||silldisappoint.com^ +||sillinessglamorousservices.com^ +||sillinessmarshal.com^ +||sillyflowermachine.com^ +||silpharapidly.com^ +||silsautsacmo.com^ +||silver-pen.pro^ +||silveraddition.pro^ +||silvergarbage.pro^ +||similargrocery.pro^ +||similarlength.pro^ +||similarpresence.com^ +||simple-isl.com^ +||simplebrutedigestive.com^ +||simplewebanalysis.com^ +||simplistic-king.pro^ +||simplyscepticaltoad.com^ +||simpunok.com^ +||simurgmugged.com^ +||sincalled.com^ +||sincenturypro.org^ +||sincerelyseverelyminimum.com^ +||sinderpalaced.top^ +||sing-tracker.com^ +||singaporetradingchallengetracker1.com^ +||singelstodate.com^ +||singercordial.com^ +||singfrthemmnt.com^ +||singlesgetmatched.com^ +||singlesternlyshabby.com^ +||singstout.com^ +||singulardisplace.com^ +||singularheroic.com^ +||sinisterbatchoddly.com^ +||sinisterdrippingcircuit.com^ +||sinkagepandit.com^ +||sinkboxphantic.com^ +||sinkfaster.com^ +||sinkingswap.com^ +||sinlovewiththemo.info^ +||sinmufar.com^ +||sinnerobtrusive.com^ +||sinproductors.org^ +||sinsoftoaco.net^ +||sinterfumescomy.org^ +||sinusshough.top^ +||sinwebads.com^ +||sioningvexer.com^ +||sionscormation.org^ +||siphdcwglypz.tech^ +||sipibowartern.com^ +||sippansy.com^ +||sirdushi.xyz^ +||sireundermineoperative.com^ +||siruperunlinks.com^ +||sirwcniydewu.com^ +||sisewepod.com^ +||sisfulylydevelope.com^ +||sismoycheii.cc^ +||sisteraboveaddition.com^ +||sisterexpendabsolve.com^ +||sisterlockup.com^ +||sitabsorb.com^ +||sitamedal2.online^ +||sitamedal3.online^ +||sitamedal4.online^ +||sitegoto.com^ +||siteoid.com^ +||sitesdesbloqueados.com^ +||sitewithg.com^ +||sittingtransformation.com^ +||situatedconventionalveto.com^ +||sitymirableabo.org^ +||siversbesomer.space^ +||siwheelsukr.xyz^ +||sixassertive.com^ +||sixcombatberries.com^ +||sixft-apart.com^ +||sixuzxwdajpl.com^ +||siyaukq.com^ +||sjetnf-oizyo.buzz^ +||sjilyhwpu.xyz^ +||sjsabb.com^ +||sjtactic.com^ +||sk2o.online^ +||skaldmishara.top^ +||skated.co^ +||skatestooped.com^ +||skatingpenitence.com^ +||skatingperformanceproblems.com^ +||skdzxqc.com^ +||skeatrighter.com^ +||skeetads.com^ +||skeinsromish.shop^ +||skeletondeceiveprise.com^ +||skeletonlimitation.com^ +||sketbhang.guru^ +||sketchinferiorunits.com^ +||sketchjav182.fun^ +||sketchyaggravation.com^ +||sketchyrecycleimpose.com^ +||sketchystairwell.com^ +||sketfarinha.shop^ +||skewserer.com^ +||skhmjezzj.com^ +||skibbybester.top^ +||skidgleambrand.com^ +||skiingwights.com^ +||skilfulrussian.com^ +||skilldicier.com^ +||skilleadservices.com^ +||skilledskillemergency.com^ +||skilledtables.com^ +||skilleservices.com^ +||skilletperonei.com^ +||skillpropulsion.com^ +||skillsombineukdw.com^ +||skilyake.net^ +||skimmemorandum.com^ +||skimwhiskersmakeup.com^ +||skinnedunsame.com^ +||skinssailing.com^ +||skiofficerdemote.com^ +||skipdissatisfactionengland.com^ +||skipperx.net^ +||skirmishbabencircle.com^ +||skirtastelic.shop^ +||skirtimprobable.com^ +||skivingepileny.top^ +||skjbqcqgw.com^ +||skltrachqwbd.com^ +||skohssc.cfd^ +||skolvortex.com^ +||skuligpzifan.com^ +||skulldesperatelytransfer.com^ +||skullhalfway.com^ +||skunscold.top^ +||skvxbool.xyz^ +||skyadsmart.com^ +||skygtbwownln.xyz^ +||skylindo.com^ +||skymobi.agency^ +||skyscraperearnings.com^ +||skytraf.xyz^ +||skyxqbbv.xyz^ +||slabreasonablyportions.com^ +||slabshookwasted.com^ +||slacdn.com^ +||slahpxqb6wto.com^ +||slamscreechmilestone.com^ +||slamvolcano.com^ +||slandernetgymnasium.com^ +||slanginsolentthus.com^ +||slantdecline.com^ +||slaqandsan.xyz^ +||slashstar.net^ +||slaughterscholaroblique.com^ +||slaverylavatoryecho.com^ +||slavesubmarinebribery.com^ +||sleazysoundbegins.com^ +||sleepytoadfrosty.com^ +||sleeveturbulent.com^ +||sleptbereave.com^ +||slfsmf.com^ +||slicedpickles.com^ +||slickgoalenhanced.com^ +||sliddeceived.com^ +||slideaspen.com^ +||slidecaffeinecrown.com^ +||slideff.com^ +||slidekidsstair.com^ +||slietap.com^ +||slight-tooth.com^ +||slightcareconditions.com^ +||slightestpretenddebate.com^ +||slightlyeaglepenny.com^ +||slimelump.com^ +||slimfiftywoo.com^ +||slimturpis.shop^ +||slimytree.com^ +||slinkhub.com^ +||slinklink.com^ +||slinkonline.com^ +||slinkzone.com^ +||slippersappointed.com^ +||slippersphoto.com^ +||slipperydeliverance.com^ +||slippyxxiv.com^ +||slitingfears.com^ +||slivmux.com^ +||slk594.com^ +||slobgrandmadryer.com^ +||slockertummies.com^ +||sloeri.com^ +||slopeac.com^ +||slopingunrein.com^ +||sloto.live^ +||slotspreadingbrandy.com^ +||slowclick.top^ +||slowdn.net^ +||slowlythrobtreasurer.com^ +||slowundergroundattentive.com^ +||slowww.xyz^ +||sltraffic.com^ +||sluccju.com^ +||sluggedunbeget.top^ +||sluiceagrarianvigorous.com^ +||sluicehamate.com^ +||slumberloandefine.com^ +||slurpsbeets.com^ +||slushdevastating.com^ +||slushimplementedsystems.com^ +||slychicks.com^ +||slyzoologicalpending.com^ +||smaato.net^ +||smachnakittchen.com^ +||smackedtapnet.com^ +||smadex.com^ +||small-headed.sbs^ +||smallerfords.com^ +||smallestbiological.com^ +||smallestgirlfriend.com^ +||smallestspoutmuffled.com^ +||smallestunrealilliterate.com^ +||smallfunnybears.com^ +||smarf.icu^ +||smart-wp.com^ +||smart1adserver.com^ +||smartadserver.com^ +||smartcpatrack.com^ +||smartdating.top^ +||smartlnk.com^ +||smartlphost.com^ +||smartlymaybe.com^ +||smartlysquare.com^ +||smartpicrotation.com^ +||smarttds.org^ +||smarttopchain.nl^ +||smartytech.io^ +||smashedpractice.com^ +||smasheswamefou.com^ +||smashnewtab.com^ +||smctmxdeoz.com^ +||smeartoassessment.com^ +||smellysect.com^ +||smeltvomitinclined.com^ +||smenqskfmpfxnb.bid^ +||smentbrads.info^ +||smhmayvtwii.xyz^ +||smigdxy.com^ +||smigro.info^ +||smileesidesuk.com^ +||smileoffennec.com^ +||smilesalesmanhorrified.com^ +||smilewanted.com^ +||smilingdefectcue.com^ +||smishydagcl.today^ +||smitealter.com^ +||smjulynews.com^ +||smkezc.com^ +||smlypotr.net^ +||smokecreaseunpack.com^ +||smokedbluish.com^ +||smokedcards.com^ +||smokeorganizervideo.com^ +||smoothenglishassent.com^ +||smothercontinuingsnore.com^ +||smotherpeppermint.com^ +||smoulderantler.com^ +||smoulderdivedelegate.com^ +||smoulderhangnail.com^ +||smrt-cdn.com^ +||smrt-content.com^ +||smrtlnk.net^ +||smsapiens.com^ +||smuggeralapa.com^ +||smugismanaxon.com^ +||snadsfit.com^ +||snagbaudhulas.com^ +||snaglighter.com^ +||snakeselective.com^ +||snammar-jumntal.com^ +||snapmoonlightfrog.com^ +||snappedanticipation.com^ +||snappedtesting.com^ +||snappffgxtwwpvt.com^ +||snarlaptly.com^ +||snarlsfuzzes.com^ +||sneaknonstopattribute.com^ +||snebbubbled.com^ +||sneernodaccommodating.com^ +||sneezeboring.com^ +||snhcnjjxrlqkml.com^ +||snhtvtp.com^ +||snidestpaluli.shop^ +||sninancukanki.com^ +||snipersex.com^ +||snippystowstool.com^ +||snitchtidying.com^ +||snlpclc.com^ +||snoopundesirable.com^ +||snoopytown.pro^ +||snorefamiliarsiege.com^ +||snortedbingo.com^ +||snortedhearth.com^ +||snoutcaffeinecrowded.com^ +||snoutcapacity.com^ +||snoutinsolence.com^ +||snowdayonline.xyz^ +||snowmanpenetrateditto.com^ +||snowmiracles.com^ +||snrtbgm.com^ +||snsv.ru^ +||sntjim.com^ +||snuffdemisedilemma.com^ +||snugglethesheep.com^ +||snugwednesday.com^ +||snurlybumbler.top^ +||snzqtmjas.com^ +||so-gr3at3.com^ +||so1cool.com^ +||so333o.com^ +||soacoujusoopsoo.xyz^ +||soadaupaila.net^ +||soadicithaiy.net^ +||soaheeme.net^ +||soajaihebu.net^ +||soakcompassplatoon.com^ +||soalonie.com^ +||soaneefooy.net^ +||soaperdeils.com^ +||soaphokoul.xyz^ +||soaphoupsoas.xyz^ +||soapsudkerfed.com^ +||soathouchoa.xyz^ +||soawousa.xyz^ +||sobakenchmaphk.com^ +||sobesed.com^ +||sobnineteen.com^ +||soccerflog.com^ +||soccerprolificforum.com^ +||socde.com^ +||socdm.com^ +||social-discovery.io^ +||socialbars-web1.com^ +||sociallytight.com^ +||societyhavocbath.com^ +||sociocast.com^ +||sociomantic.com^ +||socketbuild.com^ +||sockmildinherit.com^ +||socksupgradeproposed.com^ +||sockwardrobe.com^ +||sodallay.com^ +||sodamash.com^ +||sodaprostitutetar.com^ +||sodiumcupboard.com^ +||sodiumendlesslyhandsome.com^ +||sodringermushy.com^ +||sodsoninlawpiteous.com^ +||sofinpushpile.com^ +||soft-com.biz^ +||softboxik1.ru^ +||softendevastated.com^ +||softenedcollar.com^ +||softenedimmortalityprocedure.com^ +||softentears.com^ +||softiesnoetic.shop^ +||softonicads.com^ +||softpopads.com^ +||softspace.mobi^ +||softwa.cfd^ +||softwares2015.com^ +||softyjahveh.shop^ +||soglaiksouphube.net^ +||soglaptaicmaurg.xyz^ +||sograirsoa.net^ +||soholfit.com^ +||soilenthusiasmshindig.com^ +||soilthesaurus.com^ +||sokitosa.com^ +||solanumscour.com^ +||solapoka.com^ +||solaranalytics.org^ +||solarmosa.com^ +||soldergeological.com^ +||soldierreproduceadmiration.com^ +||soldiershocking.com^ +||solemnvine.com^ +||solethreat.com^ +||soliads.io^ +||soliads.net^ +||soliads.online^ +||solicitorquite.com^ +||solidlyrotches.guru^ +||solidpousse.com^ +||solispartner.com^ +||solitudearbitrary.com^ +||solitudeelection.com^ +||solocpm.com^ +||solodar.ru^ +||solubleallusion.com^ +||somaskeefs.shop^ +||sombes.com^ +||somedaytrip.com^ +||somehowlighter.com^ +||somehowluxuriousreader.com^ +||someonetop.com^ +||someplacepepper.com^ +||somethingmanufactureinvalid.com^ +||somethingprecursorfairfax.com^ +||sometimeadministratormound.com^ +||somewhatwideslimy.com^ +||somqgdhxrligvj.com^ +||somsoargous.net^ +||son-in-lawmorbid.com^ +||sonalrecomefu.info^ +||songbagoozes.com^ +||songcorrespondence.com^ +||songtopbrand.com^ +||sonnerie.net^ +||sonnyadvertise.com^ +||sonumal.com^ +||soocaips.com^ +||soodupsep.xyz^ +||soogandrooped.cam^ +||sookypapoula.com^ +||soolivawou.net^ +||soonanaiphan.net^ +||soonlint.com^ +||soonpersuasiveagony.com^ +||soonstrongestquoted.com^ +||soorkylarixin.com^ +||soosooka.com^ +||sootconform.com^ +||sootlongermacaroni.com^ +||sootpluglousy.com^ +||soovoaglab.net^ +||sopalk.com^ +||sophieshemol.shop^ +||sophisticatedround.pro^ +||sophomoreadmissible.com^ +||sophomoreclassicoriginally.com^ +||sophomorelink.com^ +||sorbussmacked.shop^ +||sordimtaulee.com^ +||sordiniswivet.shop^ +||sorediadilute.top^ +||soremetropolitan.com^ +||soritespary.com^ +||sorningdaroo.top^ +||sorrowconstellation.com^ +||sorrowfulchemical.com^ +||sorrowfulclinging.com^ +||sorrowfulcredit.pro^ +||sorrowfulsuggestion.pro^ +||sorryconstructiontrustworthy.com^ +||sorryfearknockout.com^ +||sorryglossywimp.com^ +||sorucall.com^ +||soshoord.com^ +||sosslereglair.shop^ +||sotchoum.com^ +||sotetahe.pro^ +||sothiacalain.com^ +||soughtflaredeeper.com^ +||soukoope.com^ +||soulslaidmale.com^ +||soumaphesurvey.space^ +||soumehoo.net^ +||soumoastout.net^ +||soundingdisastereldest.com^ +||soundingthunder.com^ +||souptightswarfare.com^ +||soupy-user.com^ +||souraivo.xyz^ +||sourcecodeif.com^ +||sourceconvey.com^ +||sourishpuler.com^ +||sourne.com^ +||southeestais.net^ +||southmailboxdeduct.com^ +||southolaitha.com^ +||southsturdy.com^ +||souvamoo.net^ +||souvenirresponse.com^ +||souvenirsconsist.com^ +||sovereigngoesintended.com^ +||sovietransom.com^ +||sowfairytale.com^ +||sowfootsolent.com^ +||sowoltairtoom.net^ +||sowp.cloud^ +||sowrevisionwrecking.com^ +||soyincite.com^ +||soytdpb.com^ +||sozzlypeavies.com^ +||space-pulsar.com^ +||spacecatholicpalmful.com^ +||spaceshipads.com^ +||spaceshipgenuine.com^ +||spacetraff.com^ +||spacetraveldin.com^ +||spaciouslanentablelanentablepigs.com^ +||spadeandloft.com^ +||spaderonium.com^ +||spadsync.com^ +||spankalternate.com^ +||spannercopyright.com^ +||sparkle-industries-i-205.site^ +||sparkleunwelcomepleased.com^ +||sparkrainstorm.host^ +||sparkstudios.com^ +||sparredcubans.shop^ +||sparrowfencingnumerous.com^ +||sparsgroff.com^ +||spasmodictripscontemplate.com^ +||spasmusbarble.top^ +||spatteramazeredundancy.com^ +||spawngrant.com^ +||spdate.com^ +||speakeugene.com^ +||speakexecution.com^ +||speakinchreprimand.com^ +||speakinghostile.com^ +||speakingimmediately.com^ +||speakshandicapyourself.com^ +||speakspurink.com^ +||special-offers.online^ +||special-promotions.online^ +||specialisthuge.com^ +||specialistinsensitive.com^ +||specialistrequirement.com^ +||specialitypassagesfamous.com^ +||specialrecastwept.com^ +||specialsaucer.com^ +||specialtymet.com^ +||specialtysanitaryinaccessible.com^ +||specialworse.com^ +||speciespresident.com^ +||specificallycries.com^ +||specificallythesisballot.com^ +||specificmedia.com^ +||specificunfortunatelyultimately.com^ +||specifiedbloballowance.com^ +||specifiedinspector.com^ +||specimenparents.com^ +||specimensgrimly.com^ +||specimensraidragged.com^ +||spectaclescirculation.com^ +||spectaculareatablehandled.com^ +||spectacularlovely.com^ +||spectato.com^ +||spediumege.com^ +||speeb.com^ +||speechanchor.com^ +||speedilycartrigeglove.com^ +||speedilyeuropeanshake.com^ +||speedingbroadcastingportent.com^ +||speedsupermarketdonut.com^ +||speirskinged.shop^ +||spellingunacceptable.com^ +||spendslaughing.com^ +||spentdrugfrontier.com^ +||spentjerseydelve.com^ +||sperans-beactor.com^ +||spheredkapas.com^ +||spheryexcise.shop^ +||spice-sugar.net^ +||spiceethnic.com^ +||spicy-combination.pro^ +||spicy-development.pro^ +||spicy-effect.com^ +||spicygirlshere.life^ +||spijdawmqvs.com^ +||spikearsonembroider.com^ +||spikedelishah.com^ +||spikethat.xyz^ +||spilldemolitionarrangement.com^ +||spin83qr.com^ +||spinbox.net^ +||spindlyrebegin.top^ +||spinesoftsettle.com^ +||spiralextratread.com^ +||spiralsad.com^ +||spiralstab.com^ +||spiraltrot.com^ +||spirited-teacher.com^ +||spiritscustompreferably.com^ +||spirketgoofily.com^ +||spirteddvaita.com^ +||spiteessenis.shop^ +||spitretired.com^ +||spitspacecraftfraternity.com^ +||spklmis.com^ +||splashfloating.com^ +||splashforgodm.com^ +||splayermosque.shop^ +||splendidatmospheric.com^ +||splendidfeel.pro^ +||splicedmammock.com^ +||splief.com^ +||splittingpick.com^ +||spninxcuppas.com^ +||spo-play.live^ +||spoiledpresence.com^ +||spoilmagicstandard.com^ +||spokanchap.com^ +||spokesperson254.fun^ +||spondeekitling.top^ +||spongecell.com^ +||spongemilitarydesigner.com^ +||sponsoranimosity.com^ +||sponsorlustrestories.com^ +||sponsormob.com^ +||sponsorpay.com^ +||spontaneousleave.com^ +||spoofedyelp.com^ +||spooksuspicions.com^ +||spoonpenitenceadventurous.com^ +||sporedshock.com^ +||sport205.club^ +||sportevents.news^ +||sportradarserving.com^ +||sports-live-streams.club^ +||sports-streams-online.best^ +||sports-streams-online.com^ +||sportstoday.pro^ +||sportstreams.xyz^ +||sportsyndicator.com^ +||sportzflix.xyz^ +||spotbeepgreenhouse.com^ +||spotlessabridge.com^ +||spotofspawn.com^ +||spotscenered.info^ +||spotted-estate.pro^ +||spottedgrandfather.com^ +||spottt.com^ +||spotunworthycoercive.com^ +||spotxcdn.com^ +||spotxchange.com^ +||spoutable.com^ +||spoutitchyyummy.com^ +||sppopups.com^ +||sprangsugar.com^ +||sprayearthy.com^ +||sprayeybxs.com^ +||spreadingsinew.com^ +||spreespoiled.com^ +||sprewcereous.com^ +||springraptureimprove.com^ +||sprinlof.com^ +||sprkl.io^ +||sproatmonger.shop^ +||sproose.com^ +||sprungencase.com^ +||sptrkr.com^ +||spuezain.com^ +||spuncomplaintsapartment.com^ +||spunorientation.com^ +||spuppeh.com^ +||spurproteinopaque.com^ +||spurryalgoid.top^ +||spxhu.com^ +||spylees.com^ +||spyluhqarm.com^ +||sqhyjfbckqrxd.xyz^ +||sqlick.com^ +||sqqqabg.com^ +||sqrekndc.fun^ +||sqrobmpshvj.com^ +||squadapologiesscalp.com^ +||square-respond.pro^ +||squareforensicbones.com^ +||squarertubal.com^ +||squashperiodicmen.com^ +||squashwithholdcame.com^ +||squatcowarrangement.com^ +||squeaknicheentangled.com^ +||squeezesharedman.com^ +||squintopposed.com^ +||squirrelformatapologise.com^ +||squirtsuitablereverse.com^ +||sr7pv7n5x.com^ +||sragegedand.org^ +||srbtztegq.today^ +||srefrukaxxa.com^ +||srgev.com^ +||srsxwdadzsrf.world^ +||srtrak.com^ +||sruyjn-pa.one^ +||srv224.com^ +||srvpcn.com^ +||srvtrck.com^ +||srvupads.com^ +||srxy.xyz^ +||ss0uu1lpirig.com^ +||ssedonthep.info^ +||ssindserving.com^ +||sskzlabs.com^ +||ssl-services.com^ +||ssl2anyone5.com^ +||sslenuh.com^ +||sslph.com^ +||ssooss.site^ +||ssqyuvavse.com^ +||ssurvey2you.com^ +||st-rdirect.com^ +||st1net.com^ +||stabconsiderationjournalist.com^ +||stabfrizz.com^ +||stabilitydos.com^ +||stabilityvatinventory.com^ +||stabinstall.com^ +||stabledkindler.com^ +||stachysrekick.top^ +||stackadapt.com^ +||stackattacka.com^ +||stackmultiple.com^ +||stackprotectnational.com^ +||staerlcmplks.xyz^ +||staffdisgustedducked.com^ +||staffdollar.com^ +||stagepopkek.com^ +||stagerydialing.shop^ +||stageseshoals.com^ +||staggeredowner.com^ +||staggeredplan.com^ +||staggeredquelldressed.com^ +||staggeredravehospitality.com^ +||staggersuggestedupbrining.com^ +||stagingjobshq.com^ +||staiftee.com^ +||stained-a.pro^ +||stained-collar.pro^ +||staircaseminoritybeeper.com^ +||stairgoastoafa.net^ +||stairtuy.com^ +||stairwellobliterateburglar.com^ +||staiwhaup.com^ +||staixemo.com^ +||stalkerlagunes.shop^ +||stallionshootimmigrant.com^ +||stallionsmile.com^ +||stallsmalnutrition.com^ +||staltoumoaze.com^ +||stammerail.com^ +||stammerdescriptionpoetry.com^ +||stampsmindlessscrap.com^ +||standgruff.com^ +||standpointdriveway.com^ +||staneddivvied.com^ +||stangast.net^ +||stankyrich.com^ +||stanzasleerier.click^ +||stapledsaur.top^ +||star-advertising.com^ +||star-clicks.com^ +||starchoice-1.online^ +||starchy-foundation.pro^ +||stargamesaffiliate.com^ +||starjav11.fun^ +||starkslaveconvenience.com^ +||starkuno.com^ +||starlingposterity.com^ +||starlingpronouninsight.com^ +||starmobmedia.com^ +||starry-galaxy.com^ +||starssp.top^ +||starswalker.site^ +||start-xyz.com^ +||startappexchange.com^ +||startd0wnload22x.com^ +||starterblackened.com^ +||startfinishthis.com^ +||startpagea.com^ +||startperfectsolutions.com^ +||startsprepenseprepensevessel.com^ +||starvalue-4.online^ +||starvardsee.xyz^ +||starvationdefence.com^ +||stassaxouwa.com^ +||stat-rock.com^ +||statcamp.net^ +||statedfertileconference.com^ +||statedthoughtslave.com^ +||statementsnellattenuate.com^ +||statesbenediction.com^ +||statesmanchosen.com^ +||statesmanmajesticcarefully.com^ +||statesmansubstance.com^ +||statewilliamrate.com^ +||stathome.org^ +||static-srv.com^ +||stationspire.com^ +||statistic-data.com^ +||statisticresearch.com^ +||statisticscensordilate.com^ +||statorkumyk.com^ +||statsforads.com^ +||statsmobi.com^ +||staubsuthil.com^ +||staugloobads.net^ +||staukaul.com^ +||staumersleep.com^ +||staupsadraim.xyz^ +||staupsoaksy.net^ +||staureez.net^ +||stawhoph.com^ +||staydolly.com^ +||staygg.com^ +||stayingcrushedrelaxing.com^ +||stayingswollen.com^ +||stbeautifuleedeha.info^ +||stbshzm.com^ +||stbvip.net^ +||stdirection.com^ +||steadilyearnfailure.com^ +||steadydonut.com^ +||steadypriority.com^ +||steadyquarryderived.com^ +||steakdeteriorate.com^ +||steakeffort.com^ +||stealingdyingprank.com^ +||stealinggin.com^ +||stealneitherfirearm.com^ +||stealthlockers.com^ +||steamjaws.com^ +||stedrits.xyz^ +||steefaulrouy.xyz^ +||steefuceestoms.net^ +||steegnow.com^ +||steeheghe.com^ +||steeplederivedinattentive.com^ +||steeplesaturday.com^ +||steepto.com^ +||steepuleltou.xyz^ +||steeringsunshine.com^ +||steesamax.com^ +||steessay.com^ +||steetchouwu.com^ +||steinfqwe6782beck.com^ +||stella-nova.click^ +||stellar-dating2.fun^ +||stellarmingle.store^ +||stelsarg.net^ +||stemboastfulrattle.com^ +||stemredeem.com^ +||stemsshutdown.com^ +||stenadewy.pro^ +||stenchyouthful.com^ +||step-step-go.com^ +||stepchateautolerance.com^ +||stepkeydo.com^ +||steppedengender.com^ +||steppequotationinspiring.com^ +||stereomagiciannoun.com^ +||stereospoutfireextinguisher.com^ +||stereosuspension.com^ +||stereotypeluminous.com^ +||stereotyperobe.com^ +||stereotyperust.com^ +||sterfrownedan.info^ +||stergessoa.net^ +||sterilityintentionnag.com^ +||sterilityvending.com^ +||sternedfranion.shop^ +||sternlythese.com^ +||steropestreaks.com^ +||sterouhavene.org^ +||stertordorab.com^ +||steshacm.xyz^ +||stethuth.xyz^ +||steveirene.com^ +||stevoodsefta.com^ +||stewomelettegrand.com^ +||stewsmall.com^ +||stewsmemento.top^ +||stexoakraimtap.com^ +||stgcdn.com^ +||stgowan.com^ +||stherewerealo.org^ +||sthgqhb.com^ +||sthoutte.com^ +||sticalsdebaticalfe.info^ +||stichaur.net^ +||stickerchapelsailing.com^ +||stickertable.com^ +||stickingbeef.com^ +||stickingrepute.com^ +||stickstelevisionoverdone.com^ +||stickyadstv.com^ +||stickygrandeur.com^ +||stickywhereaboutsspoons.com^ +||stiffeat.pro^ +||stiffengobetween.com^ +||stiffenpreciseannoying.com^ +||stiffenshave.com^ +||stiffwish.pro^ +||stiflefloral.com^ +||stiflepowerless.com^ +||stigat.com^ +||stikinemammoth.shop^ +||stikroltiltoowi.net^ +||stilaikr.com^ +||stillfolder.com^ +||stimaariraco.info^ +||stimtavy.net^ +||stimtoughougnax.net^ +||stimulateartificial.com^ +||stimulatinggrocery.pro^ +||stinglackingrent.com^ +||stingywear.pro^ +||stinkcomedian.com^ +||stinkwrestle.com^ +||stinkyloadeddoctor.com^ +||stionicgeodist.com^ +||stirdevelopingefficiency.com^ +||stirringdebrisirriplaceableirriplaceable.com^ +||stitchalmond.com^ +||stixeepou.com^ +||stjpezyt.com^ +||stoachaigog.com^ +||stoachdarts.com^ +||stoadivap.com^ +||stoaglauksargoo.xyz^ +||stoagnejums.net^ +||stoagouruzostee.net^ +||stoampaliy.net^ +||stoaphalti.com^ +||stoardeebou.xyz^ +||stoashou.net^ +||stoasstriola.shop^ +||stockingplaice.com^ +||stockingsight.com^ +||stocksinvulnerablemonday.com^ +||stolenforensicssausage.com^ +||stongoapti.net^ +||stonkstime.com^ +||stooboastaud.net^ +||stoobsugree.net^ +||stoodthestatueo.com^ +||stookoth.com^ +||stoomawy.net^ +||stoopeddemandsquint.com^ +||stoopedsignbookkeeper.com^ +||stoopfalse.com^ +||stoopsaipee.com^ +||stoopsellers.com^ +||stoorgel.com^ +||stoorgouxy.com^ +||stootsou.net^ +||stopaggregation.com^ +||stopformal.com^ +||stophurtfulunconscious.com^ +||stoppageeverydayseeing.com^ +||stopperlovingplough.com^ +||stopsoverreactcollations.com^ +||storage-ad.com^ +||storagecelebrationchampion.com^ +||storageimagedisplay.com^ +||storagelassitudeblend.com^ +||storagewitnessotherwise.com^ +||storepoundsillegal.com^ +||storeyplayfulinnocence.com^ +||storierkythed.shop^ +||storiesfaultszap.com^ +||storkto.com^ +||stormydisconnectedcarsick.com^ +||storners.com^ +||storyquail.com^ +||storyrelatively.com^ +||storystaffrings.com^ +||stotoowu.net^ +||stotseepta.com^ +||stougluh.net^ +||stouksom.xyz^ +||stoursas.xyz^ +||stoutfoggyprotrude.com^ +||stovearmpitagreeable.com^ +||stovecharacterize.com^ +||stoveword.com^ +||stowamends.com^ +||stowthbedells.top^ +||stpd.cloud^ +||stpmgo.com^ +||stqagmrylm.xyz^ +||stquality.org^ +||straight-shift.pro^ +||straight-storage.pro^ +||straightenchin.com^ +||straightenedsleepyanalysis.com^ +||straightmenu.com^ +||strainemergency.com^ +||strainprimar.com^ +||straitchangeless.com^ +||straitmeasures.com^ +||straletmitvoth.com^ +||stranddecidedlydemeanour.com^ +||strandedpeel.com^ +||strangineer.info^ +||strangineersalyl.org^ +||strangledisposalfox.com^ +||strastconversity.com^ +||stratebilater.com^ +||strategicfollowingfeminine.com^ +||stratosbody.com^ +||strawdeparture.com^ +||streakappealmeasured.com^ +||streakattempt.com^ +||stream-all.com^ +||streamadvancedheavilythe-file.top^ +||streameventzone.com^ +||streaming-illimite4.com^ +||streampsh.top^ +||streamsearchclub.com^ +||streamtoclick.com^ +||streamvideobox.com^ +||streamyourvid.com^ +||streetabackvegetable.com^ +||streetgrieveddishonour.com^ +||streetmonumentemulate.com^ +||streetsbuccaro.com^ +||streetuptowind.com^ +||streetupwind.com^ +||streitmackled.com^ +||stremanp.com^ +||strenuousfudge.com^ +||strenuoustarget.com^ +||stressfulproperlyrestrain.com^ +||stretchedbystander.com^ +||stretchedcreepy.com^ +||stretchedgluttony.com^ +||strettechoco.com^ +||strewdirtinessnestle.com^ +||strewjaunty.com^ +||strewtwitchlivelihood.com^ +||strickenfiercenote.com^ +||strictrebukeexasperate.com^ +||stridentbedroom.pro^ +||strideovertakelargest.com^ +||strikeprowesshelped.com^ +||strikinghystericalglove.com^ +||stripedcover.pro^ +||stripedonerous.com^ +||striperoused.com^ +||stripfitting.com^ +||stripherselfscuba.com^ +||strodefat.com^ +||strollfondnesssurround.com^ +||strongesthissblackout.com^ +||strtgic.com^ +||structurecolossal.com^ +||structurepageantphotograph.com^ +||strugglingclamour.com^ +||strungcourthouse.com^ +||strungglancedrunning.com^ +||strvvmpu.com^ +||strwaoz.xyz^ +||stt6.cfd^ +||stthykerewasn.com^ +||stubberjacens.com^ +||stubbleupbriningbackground.com^ +||stubbornembroiderytrifling.com^ +||stubevirger.top^ +||stucktimeoutvexed.com^ +||studads.com^ +||studdepartmentwith.com^ +||studiedabbey.com^ +||studious-beer.com^ +||studiouspassword.com^ +||stuffedbeforehand.com^ +||stuffedprofessional.com^ +||stuffinglimefuzzy.com^ +||stuffintolerableillicit.com^ +||stuffserve.com^ +||stughoamoono.net^ +||stugsoda.com^ +||stummedperca.top^ +||stunliver.com^ +||stunning-lift.com^ +||stunninglover.com^ +||stunoolri.net^ +||stunsbarbola.website^ +||stunthypocrisy.com^ +||stupid-luck.com^ +||stupiditydecision.com^ +||stupidityficklecapability.com^ +||stupidityitaly.com^ +||stupidityscream.com^ +||stupidspaceshipfestivity.com^ +||stutchoorgeltu.net^ +||stuwhost.net^ +||stvbiopr.net^ +||stvkr.com^ +||stvwell.online^ +||styletrackstable.com^ +||stylish-airport.com^ +||suantlyleeched.shop^ +||sub.xxx-porn-tube.com^ +||sub2.avgle.com^ +||subanunpollee.shop^ +||subdatejutties.com^ +||subdo.torrentlocura.com^ +||subduealec.com^ +||subduedgrainchip.com^ +||subduegrape.com^ +||subheroalgores.com^ +||subjectamazement.com^ +||subjectedburglar.com^ +||subjectscooter.com^ +||subjectsfaintly.com^ +||subjectslisted.com^ +||submarinefortressacceptable.com^ +||submarinestooped.com^ +||submissionheartyprior.com^ +||submissionspurtgleamed.com^ +||submissivejuice.com^ +||subquerieshenceforwardtruthfully.com^ +||subqueryrewinddiscontented.com^ +||subscriberbeetlejackal.com^ +||subscribereffectuallyversions.com^ +||subsequentmean.com^ +||subsideagainstforbes.com^ +||subsidedimpatienceadjective.com^ +||subsidedplenitudetide.com^ +||subsidyoffice.com^ +||subsistgrew.com^ +||subsistpartyagenda.com^ +||substantialequilibrium.com^ +||substantialhound.com^ +||subtle-give.pro^ +||subtractillfeminine.com^ +||suburbanabolishflare.com^ +||suburbgetconsole.com^ +||suburbincriminatesubdue.com^ +||subzerocuisse.top^ +||succeedingpeacefully.com^ +||succeedprosperity.com^ +||success-news.net^ +||successcuff.com^ +||successionfireextinguisher.com^ +||suchasricew.info^ +||suchcesusar.org^ +||suchroused.com^ +||suckae.xyz^ +||suckfaintlybooking.com^ +||sucreexpos.com^ +||suctionautomobile.com^ +||suctionpoker.com^ +||suddenvampire.com^ +||suddslife.com^ +||sudroockols.xyz^ +||sudukrirga.net^ +||sudvclh.com^ +||suesuspiciousin.com^ +||suffarilbf.com^ +||sufferingtail.com^ +||sufferinguniversalbitter.com^ +||suffertreasureapproval.com^ +||suffixinstitution.com^ +||sugardistanttrunk.com^ +||sugaryambition.pro^ +||suggest-recipes.com^ +||suggestedasstrategic.com^ +||suggestnotegotistical.com^ +||sugogawmg.xyz^ +||suhelux.com^ +||suirtan.com^ +||suitedeteriorate.com^ +||suitedtack.com^ +||suiteighteen.com^ +||suivezfoothil.top^ +||sukcheatppwa.com^ +||sukultingecauy.info^ +||sulideshalfman.click^ +||sulkvulnerableexpecting.com^ +||sullenabonnement.com^ +||sullentrump.com^ +||sultrycartonedward.com^ +||sumbreta.com^ +||sumedadelempan.com^ +||summaryjustlybouquet.com^ +||summer-notifications.com^ +||summerboycottrot.com^ +||summertracethou.com^ +||summitinfantry.com^ +||summitmanner.com^ +||sumnrydp.com^ +||sundayscrewinsulting.com^ +||sunflowerbright106.io^ +||sunflowercoastlineprobe.com^ +||sunflowerinformed.com^ +||sunglassesexpensive.com^ +||sunkcosign.com^ +||sunkwarriors.com^ +||sunmediaads.com^ +||sunnshele.com^ +||sunnudvelure.com^ +||sunnycategoryopening.com^ +||sunnyscanner.com^ +||sunonline.store^ +||sunriseholler.com^ +||sunrisesharply.com^ +||sunstrokeload.com^ +||suozmtcc.com^ +||supapush.net^ +||superadbid.com^ +||superfastcdn.com^ +||superfasti.co^ +||superfluousexecutivefinch.com^ +||superfolder.net^ +||superherogoing.com^ +||superherosoundsshelves.com^ +||superioramassoutbreak.com^ +||superiorickyfreshen.com^ +||superiorityfriction.com^ +||superiorityroundinhale.com^ +||superiorsufferorb.com^ +||superlativegland.com^ +||supermarketrestaurant.com^ +||superqualitylink.com^ +||supersedeforbes.com^ +||supersedeowetraumatic.com^ +||superservercellarchin.com^ +||superserverwarrior.com^ +||superstitiouscoherencemadame.com^ +||superstriker.net^ +||supervisebradleyrapidly.com^ +||supervisionbasketinhuman.com^ +||supervisionlanguidpersonnel.com^ +||supervisionprohibit.com^ +||supervisofosevera.com^ +||superxxxfree.com^ +||suphelper.com^ +||suppermalignant.com^ +||supperopeningturnstile.com^ +||supplementary2.fun^ +||suppliedhopelesspredestination.com^ +||suppliesscore.com^ +||supporterinsulation.com^ +||supportingbasic.com^ +||supportive-promise.com^ +||supportiverarity.com^ +||supportresentbritish.com^ +||supposedbrand.com^ +||supposedlycakeimplication.com^ +||suppressedanalogyrain.com^ +||suppressedbottlesenjoyable.com +||supqajfecgjv.com^ +||supremeden.com^ +||supremeoutcome.com^ +||supremepresumptuous.com^ +||supremoadblocko.com^ +||suptraf.com^ +||suptrkdisplay.com^ +||surahsbimas.com^ +||surcloyspecify.com^ +||surecheapermoisture.com^ +||surechequerigorous.com^ +||surechieflyrepulse.com^ +||surelyyap.com^ +||surfacescompassionblemish.com^ +||surfingmister.com^ +||surfmdia.com^ +||surge.systems^ +||surgicaljunctiontriumph.com^ +||surgicallonely.com^ +||surhaihaydn.com^ +||suriquesyre.com^ +||surlydancerbalanced.com^ +||surnamesubqueryaloft.com^ +||surplusgreetingbusiness.com^ +||surpriseenterprisingfin.com^ +||surprisingarsonistcooperate.com^ +||surrenderdownload.com^ +||surrounddiscord.com^ +||surroundfeathers.com^ +||surroundingsliftingstubborn.com^ +||surroundingspuncture.com^ +||surrvey2you.com^ +||survey-daily-prizes.com^ +||survey2you.co^ +||survey2you.com^ +||survey2you.net^ +||survey4you.co^ +||surveyedmadame.com^ +||surveyonline.top^ +||survivalcheersgem.com^ +||survrhostngs.xyz^ +||susanbabysitter.com^ +||susheeze.xyz^ +||susifhfh2d8ldn09.com^ +||suspectedadvisor.com^ +||suspectunfortunateblameless.com^ +||suspendedjetthus.com^ +||suspensionstorykeel.com^ +||suspicionflyer.com^ +||suspicionsmutter.com^ +||suspicionsrespectivelycobbler.com^ +||suspicionssmartstumbled.com^ +||sustainsuspenseorchestra.com^ +||suthaumsou.net^ +||sutiletoroid.com^ +||sutraf.com^ +||sutraschina.top^ +||sutterflorate.com^ +||suturaletalage.com^ +||suwotsoukry.com^ +||suwytid.com^ +||suxaucmuny.com^ +||suxoxmnwolun.com^ +||suzanne.pro^ +||suzbcnh.com^ +||svanh-xqh.com^ +||svaohpdxn.xyz^ +||sviakavgwjg.xyz^ +||svkmxwssih.com^ +||svntrk.com^ +||svrgcqgtpe.com^ +||svyksa.info^ +||swagtraffcom.com^ +||swailcoigns.com^ +||swailssourer.com^ +||swalessidi.com^ +||swallowaccidentdrip.com^ +||swallowhairdressercollect.com^ +||swamgreed.com^ +||swamperhyphens.shop^ +||swampexpulsionegypt.com^ +||swan-swan-goose.com^ +||swanbxca.com^ +||swansinksnow.com^ +||swarfamlikar.com^ +||swarmpush.com^ +||swarthyamong.com^ +||swarthymacula.com^ +||swatad.com^ +||sweatditch.com^ +||sweaterreduce.com^ +||sweaterwarmly.com^ +||swebatcnoircv.xyz^ +||sweenykhazens.com^ +||sweepawejasper.com^ +||sweepfrequencydissolved.com^ +||sweepia.com^ +||sweet-discount.pro^ +||sweetheartshippinglikeness.com^ +||sweetmoonmonth.com^ +||sweetromance.life^ +||swegospright.click^ +||swellingconsultation.com^ +||swelltomatoesguess.com^ +||swelltouching.com^ +||swelteringcrazy.pro^ +||sweptbroadarchly.com^ +||swesomepop.com^ +||swiftlybloodlesseconomic.com^ +||swiggermahwa.com^ +||swimmerallege.com^ +||swimmerperfectly.com^ +||swimmingusersabout.com^ +||swimsuitrustle.com^ +||swimsunleisure.com^ +||swindlehumorfossil.com^ +||swindleincreasing.com^ +||swindlelaceratetorch.com^ +||swinegraveyardlegendary.com^ +||swinehalurgy.com^ +||swingdeceive.com^ +||swinity.com^ +||swollencompletely.com^ +||swoonseneid.com^ +||swoopanomalousgardener.com^ +||swoopkennethsly.com^ +||swopsalane.com^ +||swordanatomy.com^ +||swordbloatgranny.com^ +||swordrelievedictum.com^ +||swowgein.top^ +||swwpush.com^ +||swzydgm.com^ +||sxlflt.com^ +||sy2h39ep8.com^ +||sya9yncn3q.com^ +||sycockmnioid.top^ +||sydneygfpink.com^ +||syenergyflexibil.com^ +||syeniteexodoi.com^ +||syfobtofdgbulvj.xyz^ +||syinga.com^ +||syiwgwsqwngrdw.xyz^ +||syllabusbastardchunk.com^ +||syllabusimperfect.com^ +||syllabuspillowcasebake.com^ +||sylxisys.com^ +||symbolsovereigndepot.com^ +||symbolultrasound.com^ +||symmorybewept.com^ +||sympathizecopierautobiography.com^ +||sympathizecrewfrugality.com^ +||sympathizeplumscircumstance.com^ +||sympathybindinglioness.com^ +||symptomprominentfirewood.com^ +||symptomslightest.com^ +||synchronizerobot.com^ +||synchroparomologyauditable.monster^ +||syndenizen.shop^ +||syndicatedsearch.goog^ +||syndromeentered.com^ +||syndromegarlic.com^ +||synonymcuttermischievous.com^ +||synonymdetected.com^ +||synsads.com^ +||syntaxtruckspoons.com^ +||synthesissocietysplitting.com^ +||syphonpassay.click^ +||syringeitch.com^ +||syringeoniondeluge.com^ +||syringewhile.com^ +||syshrugglefor.info^ +||sysmeasuring.net^ +||sysoutvariola.com^ +||system-notify.app^ +||systeme-business.online^ +||systemleadb.com^ +||sytqxychwk.xyz^ +||syyycc.com^ +||szgaikk.com^ +||szkzvqs.com^ +||szpjpzi.com^ +||szqxvo.com^ +||szreismz.world^ +||t.uc.cn^ +||t0gju20fq34i.com^ +||t2lgo.com^ +||t7cp4fldl.com^ +||t85itha3nitde.com^ +||ta3nfsordd.com^ +||taaqhr6axacd2um.com^ +||tabekeegnoo.com^ +||tabici.com^ +||tableinactionflint.com^ +||tablerquods.shop^ +||tablesgrace.com^ +||tabletsregrind.com^ +||tabloidquantitycosts.com^ +||tabloidsuggest.com^ +||tabloidwept.com^ +||tackleyoung.com^ +||tackmainly.com^ +||tacticmuseumbed.com^ +||tacticsadamant.com^ +||tacticschangebabysitting.com^ +||tacticsjoan.com^ +||tadadamads.com^ +||tadamads.com^ +||taetsiainfall.shop^ +||tagalodrome.com^ +||tagd-otmhf.world^ +||taghaugh.com^ +||taglockrocket.com^ +||tagloognain.xyz^ +||tagmai.xyz^ +||tagoutlookignoring.com^ +||tagroors.com^ +||tagruglegni.net^ +||tahwox.com^ +||taicheetee.com^ +||taidainy.net^ +||taigasdoeskin.guru^ +||taigrooh.net^ +||tailalwaysunauthorized.com^ +||tailorendorsementtranslation.com^ +||taimachojoba.xyz^ +||taisteptife.com^ +||taiwhups.net^ +||taizigly.net^ +||take-grandincome.life^ +||take-prize-now.com^ +||takeallsoft.ru^ +||takecareproduct.com^ +||takegerman.com^ +||takelnk.com^ +||takemybackup.co^ +||takemydesk.co^ +||takeoutregularlyclack.com^ +||takeoverrings.com^ +||takeyouforward.co^ +||takingbelievingbun.com^ +||takingpot.com^ +||takiparkrb.site^ +||talabsorbs.shop^ +||talaobsf.shop^ +||talcingartarin.shop^ +||talckyslodder.top^ +||talcoidsakis.com^ +||taleinformed.com^ +||talentinfatuatedrebuild.com^ +||talentorganism.com^ +||talentslimeequally.com^ +||talesapricot.com^ +||talkstewmisjudge.com^ +||tallysaturatesnare.com^ +||talouktaboutrice.info^ +||talsauve.com^ +||talsindustrateb.info^ +||tamdamads.com^ +||tamedilks.com^ +||tamesurf.com^ +||tameti.com^ +||tamperdepreciate.com^ +||tamperlaugh.com^ +||tampurunrig.com^ +||tanagersavor.click^ +||tanceteventu.com^ +||tangerinetogetherparity.com^ +||tanglecaromel.top^ +||tanglesoonercooperate.com^ +||tangpuax.xyz^ +||tanhelpfulcuddle.com^ +||tanivanprevented.com^ +||tankahjussion.shop^ +||taosiz.xyz^ +||taovgsy.com^ +||taoyinbiacid.com^ +||taozgpkjzpdtgr.com^ +||tapchibitcoin.care^ +||tapdb.net^ +||tapeabruptlypajamas.com^ +||taperlyiuds.com^ +||tapestrygenus.com^ +||tapestrymob.com^ +||tapewherever.com^ +||tapioni.com^ +||tapixesa.pro^ +||tapjoyads.com^ +||taposalett.top^ +||tapproveofchild.info^ +||taproximo.com^ +||taprtopcldfa.co^ +||taprtopcldfard.co^ +||taprtopcldfb.co^ +||tapwhigwy.com^ +||tarafnagging.com^ +||tarcavbul.com^ +||targechirtil.net^ +||targhe.info^ +||tarinstinctivewee.com^ +||taroads.com^ +||tarotaffirm.com^ +||tarsiusbaconic.com^ +||tartarsharped.com^ +||tartator.com^ +||tarvardsusyseinpou.info^ +||tasesetitoefany.info^ +||tastedflower.com^ +||tastesnlynotqui.info^ +||tastesscalp.com^ +||tastoartaikrou.net^ +||tasvagaggox.com^ +||tatersbilobed.com^ +||tationalhedgelnha.com^ +||tationseleauks.com^ +||tattepush.com^ +||tauaddy.com^ +||taucaphoful.net^ +||taugookoaw.net^ +||tauphaub.net^ +||tauvoojo.net^ +||taxconceivableseafood.com^ +||taxismaned.top^ +||taxissunroom.com^ +||taxitesgyal.top^ +||tazichoothis.com^ +||tazkiaonu.click^ +||tbeiu658gftk.com^ +||tberjonk.com^ +||tbjrtcoqldf.site^ +||tblnreehmapc.com^ +||tbmwkwbdcryfhb.xyz^ +||tbpot.com^ +||tbradshedm.org^ +||tbudz.co.in^ +||tbxyuwctmt.com^ +||tbydnpeykunahn.com^ +||tcaochocskid.com^ +||tcdypeptz.com^ +||tcgjpib.com^ +||tcloaksandtheirclean.com^ +||tcontametrop.info^ +||tcowmrj.com^ +||tcpcharms.com^ +||tcppu.com^ +||tcreativeideasa.com^ +||tcvjhwizmy.com^ +||tcwhycdinjtgar.xyz^ +||td5xffxsx4.com^ +||tdbcfbivjq.xyz^ +||tdoqiajej.xyz^ +||tdspa.top^ +||tdyygcic.xyz^ +||teachingcosmetic.com^ +||teachingopt.com^ +||teachingrespectfully.com^ +||teachingwere.com^ +||teachleaseholderpractitioner.com^ +||teachmewind.com^ +||teads.tv^ +||teadwightshaft.com^ +||tealsgenevan.com^ +||teamagonan.com^ +||teamairportheedless.com^ +||teambetaffiliates.com^ +||teammanbarded.shop^ +||teamshilarious.com^ +||teamsmarched.com^ +||teamsoutspoken.com^ +||teamsperilous.com^ +||teapotripencorridor.com^ +||teapotsobbing.com^ +||tearingsinnerprinciples.com^ +||tearsskin.cfd^ +||teaserslamda.top^ +||teaspoonbrave.com^ +||teaspoondaffodilcould.com^ +||tebeveck.xyz^ +||tecaitouque.net^ +||techiteration.com^ +||technicalityindependencesting.com^ +||technicalitymartial.com^ +||techniciancocoon.com^ +||technologyinsolubleportion.com^ +||technoratimedia.com^ +||technoshadows.com^ +||techourtoapingu.com^ +||techreviewtech.com^ +||tecominchisel.com^ +||tectureclod.top^ +||tecuil.com^ +||tedhilarlymcken.org^ +||tediousgorgefirst.com^ +||tedtaxi.com^ +||tedtug.com^ +||teeglimu.com^ +||teemmachinerydiffer.com^ +||teemooge.net^ +||teenagerapostrophe.com^ +||teensexgfs.com^ +||teentitsass.com^ +||teepoomo.xyz^ +||teestoagloupaza.net^ +||teetusee.xyz^ +||teewhilemath.net^ +||tefrjctjwuu.com^ +||tefuse.com^ +||tegleebs.com^ +||tegronews.com^ +||teicdn.com^ +||teindsoutsea.shop^ +||teinlbw.com^ +||teknologia.co^ +||teksishe.net^ +||tektosfolic.com^ +||tel-tel-fie.com^ +||telechargementdirect.net^ +||telegakapur.shop^ +||telegramconform.com^ +||telegramspun.com^ +||telegraphunreal.com^ +||teleproff.com^ +||telescopesemiprominent.com^ +||televeniesuc.pro^ +||televisionjitter.com^ +||telllwrite.com^ +||tellseagerly.com^ +||tellysetback.com^ +||telwrite.com^ +||temgthropositea.com^ +||temksrtd.net^ +||temperansar.top^ +||temperaturemarvelcounter.com^ +||tempergleefulvariability.com^ +||temperickysmelly.com^ +||temperrunnersdale.com^ +||templa.xyz^ +||templeoffendponder.com^ +||temporarytv.com^ +||tenchesjingly.shop^ +||tend-new.com^ +||tendernessknockout.com^ +||tendonsjogger.top^ +||tenoneraliners.top^ +||tenourcagy.com^ +||tensagesic.com^ +||tenseapprobation.com^ +||tensorsbancos.com^ +||tentativenegotiate.com^ +||tenthgiven.com^ +||tenthsfrumpy.com^ +||tentioniaukmla.info^ +||tentmess.com^ +||tentubu.xyz^ +||tenutoboma.click^ +||tepirhdbauahk.com^ +||tepysilscpm.xyz^ +||terabigyellowmotha.info^ +||terabzxqb.com^ +||teracent.net^ +||teracreative.com^ +||terbit2.com^ +||tercelangary.com^ +||terciogouge.com^ +||terhousouokop.com^ +||termerspatrice.com^ +||terminalcomrade.com^ +||terminusbedsexchanged.com^ +||termswhopitched.com^ +||termswilgers.top^ +||terraclicks.com^ +||terrapsps.com^ +||terrapush.com^ +||terrasdsdstd.com^ +||terribledeliberate.com^ +||terrificdark.com^ +||terrifyingcovert.com^ +||tertiafrush.top^ +||tertracks.site^ +||tesousefulhead.info^ +||testda.homes^ +||testifyconvent.com^ +||testsite34.com^ +||tetelsillers.com^ +||tetheryplagues.com^ +||tetrdracausa.com^ +||tetrylscullion.com^ +||tetyerecently.com^ +||teuxbfnru.com^ +||textilewhine.com^ +||texturedetrimentit.com^ +||textureeffacepleat.com^ +||tezmarang.top^ +||tfaln.com^ +||tfarruaxzgi.com^ +||tfauwtzipxob.com^ +||tfb7jc.de^ +||tffkroute.com^ +||tfla.xyz^ +||tfmgqdj.com^ +||tfosrv.com^ +||tfsqxdc.com^ +||tfsxszw.com^ +||tftnbbok.xyz^ +||tftrm.com^ +||tgandmotivat.com^ +||tgbpdufhyqbvhx.com^ +||tgcnyxew.com^ +||tgel2ebtx.ru^ +||tgktlgyqsffx.xyz^ +||tgolived.com^ +||thaculse.net^ +||thadairteetchar.net^ +||thagegroom.net^ +||thagrals.net^ +||thagroum.net^ +||thaichashootu.net^ +||thaickoo.net^ +||thaickoofu.net^ +||thaigapousty.net^ +||thaighinaw.net^ +||thaiheq.com^ +||thaimoul.net^ +||thairoob.com^ +||thaistiboa.com^ +||thaithawhokr.net^ +||thaitingsho.info^ +||thampolsi.com^ +||thangetsoam.com^ +||thaninncoos.com^ +||thanksgivingdelights.com^ +||thanksgivingdelights.name^ +||thanksgivingtamepending.com^ +||thanksthat.com^ +||thanmounted.com^ +||thanosofcos5.com^ +||thanot.com^ +||tharbadir.com^ +||thargookroge.net^ +||thartout.com^ +||thatbeefysit.com^ +||thatmonkeybites3.com^ +||thaucmozsurvey.space^ +||thaucugnil.com^ +||thaudray.com^ +||thauftoa.net^ +||thaugnaixi.net^ +||thautchikrin.xyz^ +||thautselr.com^ +||thautsie.net^ +||thaveksi.net^ +||thawbootsamplitude.com^ +||thawpublicationplunged.com^ +||thduyzmbtrb.com^ +||thdwaterverya.info^ +||the-ozone-project.com^ +||theactualnewz.com^ +||theactualstories.com^ +||theadgateway.com^ +||theapple.site^ +||theathematica.info^ +||thebestgame2020.com^ +||thebtrads.top^ +||thecarconnections.com^ +||thechleads.pro^ +||thechoansa.com^ +||thechronicles2.xyz^ +||theckouz.com^ +||thecoinworsttrack.com^ +||thecoolposts.com^ +||thecoreadv.com^ +||thecred.info^ +||theehouho.xyz^ +||theekedgleamed.com^ +||theeksen.com^ +||theepsie.com^ +||theeptoah.com^ +||theeraufudromp.xyz^ +||theetchedreeb.net^ +||theetheks.com^ +||theetholri.xyz^ +||theextensionexpert.com^ +||thefacux.com^ +||thefastpush.com^ +||thefenceanddeckguys.com^ +||thefreshposts.com^ +||theglossonline.com^ +||thegoodcaster.com^ +||thehotposts.com^ +||thehypenewz.com^ +||theirbellsound.co^ +||theirbellstudio.co^ +||theirsstrongest.com^ +||theloungenet.com^ +||thematicalaste.info^ +||thematicalastero.info^ +||thembriskjumbo.com^ +||themeillogical.com^ +||themeulterior.com^ +||themselphenyls.com^ +||themselvestypewriter.com^ +||thenceafeard.com^ +||thencedisgustedbare.com^ +||thenceextremeeyewitness.com^ +||thenceshapedrugged.com^ +||thenewstreams.com^ +||thenfulfilearnestly.com^ +||thengeedray.xyz^ +||thenicenewz.com^ +||theod-qsr.com^ +||theologicalpresentation.com^ +||theonecdn.com^ +||theonesstoodtheirground.com^ +||theonlins.com^ +||theorysuspendlargest.com^ +||theoverheat.com^ +||theplansaimplem.com^ +||theplayadvisor.com^ +||thepopads.com^ +||thepsimp.net^ +||therapistcrateyield.com^ +||thereafterreturnriotous.com^ +||theredictatortreble.com^ +||thereforedolemeasurement.com^ +||theremployeesi.info^ +||thereuponprevented.com^ +||thermometerdoll.com^ +||thermometerinconceivablewild.com^ +||thermometertally.com^ +||therplungestrang.org^ +||thesekid.pro^ +||theshafou.com^ +||thesisadornpathetic.com^ +||thesisfluctuateunkind.com^ +||thesisreducedo.com^ +||thesiumdetrect.shop^ +||thethateronjus.com^ +||thetoptrust.com^ +||thetrendytales.com^ +||thetreuntalle.com^ +||theusualsuspects.biz^ +||theusualsuspectz.biz^ +||thevpxjtfbxuuj.com^ +||theweblocker.net^ +||thewhizmarketing.com^ +||thewulsair.com^ +||thewymulto.life^ +||thexeech.xyz^ +||theyattenuate.com^ +||theyeiedmadeh.info^ +||thickcultivation.com^ +||thickshortwage.com^ +||thickspaghetti.com^ +||thickstatements.com^ +||thiefbeseech.com^ +||thiefperpetrate.com^ +||thievesanction.com^ +||thiftossebi.net^ +||thighleopard.com^ +||thikraik.net^ +||thikreept.com^ +||thimblehaltedbounce.com^ +||thin-hold.pro^ +||thingrealtape.com^ +||thingsshrill.com^ +||thingstorrent.com^ +||thinkappetitefeud.com^ +||thinkingaccommodate.com^ +||thinksclingingentertainment.com^ +||thinksuggest.org^ +||thinnertrout.com^ +||thinnerwishingeccentric.com^ +||thinpaltrydistrust.com^ +||thinperspectivetales.com^ +||thinrabbitsrape.com^ +||thiraq.com^ +||third-tracking.com^ +||thirdgas.com^ +||thirteenvolunteerpit.com^ +||thirtycabook.com^ +||thirtyeducate.com^ +||thiscdn.com^ +||thisiswaldo.com^ +||thisisyourprize.site^ +||thisobject.pro^ +||thivelunliken.com^ +||thizecmeeshumum.net^ +||thnqemehtyfe.com^ +||thoakeet.net^ +||thoakirgens.com^ +||thoalugoodi.com^ +||thoamsixaizi.net^ +||thoartauzetchol.net^ +||thoartuw.com^ +||thofandew.com^ +||thofteert.com^ +||tholor.com^ +||thomasalthoughhear.com^ +||thomasbarlowpro.com^ +||thongrooklikelihood.com^ +||thongtechnicality.com^ +||thoocheegee.xyz^ +||thoohizoogli.xyz^ +||thookraughoa.com^ +||thoorest.com^ +||thoorgins.com^ +||thoorteeboo.xyz^ +||thootsoumsoa.com^ +||thordoodovoo.net^ +||thornfloatingbazaar.com^ +||thornrancorouspeerless.com^ +||thoroughfarefeudalfaster.com^ +||thoroughlyhoraceclip.com^ +||thoroughlynightsteak.com^ +||thoroughlypantry.com^ +||thoroughlyshave.com^ +||thorperepresentation.com^ +||thorpeseriouslybabysitting.com^ +||thoseads.com^ +||thoudroa.net^ +||thoughtgraphicshoarfrost.com^ +||thoughtleadr.com^ +||thoughtlessindeedopposition.com^ +||thouphouwhad.net^ +||thoupsuk.net^ +||thousandinvoluntary.com^ +||thqgxvs.com^ +||thrashbomb.com^ +||thratchassman.com^ +||threatdetect.org^ +||threatenedfallenrueful.com^ +||threeinvincible.com^ +||thresholdunusual.com^ +||threwtestimonygrieve.com^ +||thrilledrentbull.com^ +||thrilledroundaboutreconstruct.com^ +||thrillignoringexalt.com^ +||thrillingpairsreside.com^ +||thrillstwinges.top^ +||thrivebubble.com^ +||throatchanged.com^ +||throatpoll.com^ +||thronestartle.com^ +||throngwhirlpool.com^ +||thronosgeneura.com^ +||throughdfp.com^ +||throwinterrogatetwitch.com^ +||throwsceases.com^ +||thrtle.com^ +||thrustlumpypulse.com^ +||thsantmirza.shop^ +||thudsurdardu.net^ +||thugjudgementpreparations.com^ +||thukimoocult.net^ +||thulroucmoan.net^ +||thumeezy.xyz^ +||thump-night-stand.com^ +||thumpssleys.com^ +||thunderdepthsforger.top^ +||thunderhead.com^ +||thuphedsaup.com^ +||thupsirsifte.xyz^ +||thurnflfant.com^ +||thursailso.com^ +||thursdaydurabledisco.com^ +||thursdaymolecule.com^ +||thursdayoceanexasperation.com^ +||thursdaypearaccustomed.com^ +||thursdaysalesmanbarrier.com^ +||thusenteringhypocrisy.com^ +||thuthoock.net^ +||thymilogium.top^ +||thyobscure.com^ +||thyroidaketon.com^ +||tiaoap.xyz^ +||tibacta.com^ +||tibcpowpiaqv.com^ +||tibykzo.com^ +||tic-tic-bam.com^ +||tic-tic-toc.com^ +||ticaframeofm.xyz^ +||tichoake.xyz^ +||ticielongsuched.com^ +||ticketnegligence.com^ +||ticketpantomimevirus.com^ +||ticketsfrustratingrobe.com^ +||ticketsrubbingroundabout.com^ +||ticketswinning.com^ +||ticklefell.com^ +||tickleinclosetried.com^ +||tickleorganizer.com^ +||ticrite.com^ +||tictacfrison.com^ +||tictastesnlynot.com^ +||tidaltv.com^ +||tideairtight.com^ +||tidenoiseless.com^ +||tidint.pro^ +||tidy-mark.com^ +||tidyinteraction.pro^ +||tiepinsespials.top^ +||tigainareputaon.info^ +||tigerking.world^ +||tighterinfluenced.com^ +||tighternativestraditional.com^ +||tigipurcyw.com^ +||tiglonhominy.top^ +||tignuget.net^ +||tigreanreshew.com^ +||tigroulseedsipt.net^ +||tiktakz.xyz^ +||tilesmuzarab.com^ +||tillinextricable.com^ +||tilrozafains.net^ +||tiltgardenheadlight.com^ +||tilttrk.com^ +||tiltwin.com^ +||timcityinfirmary.com^ +||time4news.net^ +||timecrom.com^ +||timeforagreement.com^ +||timelymongol.com^ +||timeone.pro^ +||timersbedbug.com^ +||timesroadmapwed.com^ +||timetableitemvariables.com^ +||timetoagree.com^ +||timmerintice.com^ +||timoggownduj.com^ +||timot-cvk.info^ +||timsef.com^ +||tinbuadserv.com^ +||tingecauyuksehin.com^ +||tingexcelelernodyden.info^ +||tingisincused.com^ +||tingswifing.click^ +||tinkerwidth.com^ +||tinkleswearfranz.com^ +||tinsus.com^ +||tintersloggish.com^ +||tintprestigecrumble.com^ +||tiny-atmosphere.com^ +||tionforeathyoug.info^ +||tiotyuknsyen.org^ +||tipchambers.com^ +||tipforcefulmeow.com^ +||tipphotographermeans.com^ +||tipreesigmate.com^ +||tipsembankment.com^ +||tipslyrev.com^ +||tiptoecentral.com^ +||tirebrevity.com^ +||tirecolloquialinterest.com^ +||tireconfessed.com^ +||tireconnateunion.com^ +||tirejav12.fun^ +||tirepoliticsspeedometer.com^ +||tiresomemarkstwelve.com^ +||tiresomereluctantlydistinctly.com^ +||tirosagalite.com^ +||tisitnxrfdjwe.com^ +||tissueinstitution.com^ +||titanads1.com^ +||titanads2.com^ +||titanads3.com^ +||titanads4.com^ +||titanads5.com^ +||titanicimmunehomesick.com^ +||titanictooler.top^ +||titaniumveinshaper.com^ +||tivapheegnoa.com^ +||tivatingotherem.info^ +||tivetrainingukm.com^ +||tiypa.com^ +||tjaard11.xyz^ +||tjpzz.buzz^ +||tjxjpqa.com^ +||tkauru.xyz^ +||tkbo.com^ +||tkidcigitrte.com^ +||tkmrdtcfoid.com^ +||tktujhhc.com^ +||tl2go.com^ +||tlingitlaisse.top^ +||tlootas.org^ +||tlpfjgsstoytfm.com^ +||tlrkcj17.de^ +||tlsmluxersi.com^ +||tlxxqvzmb.com^ +||tm5kpprikka.com^ +||tmb5trk.com^ +||tmenfhave.info^ +||tmh4pshu0f3n.com^ +||tmioowtnobr.com^ +||tmrjmp.com^ +||tmulppw.com^ +||tmztcfp.com^ +||tnaczwecikco.online^ +||tncred.com^ +||tnctufo.com^ +||tneca.com^ +||tnpads.xyz^ +||toadcampaignruinous.com^ +||toaglegi.com^ +||toahicobeerile.com^ +||toamaustouy.com^ +||toapz.xyz^ +||toastbuzuki.com^ +||toastcomprehensiveimperturbable.com^ +||toawaups.net^ +||toawhulo.com^ +||toawoapt.net^ +||tobaccocentgames.com^ +||tobaccoearnestnessmayor.com^ +||tobaccosturgeon.com^ +||tobaitsie.com^ +||tobaltoyon.com^ +||tobipovsem.com^ +||toboads.com^ +||tocksideman.com^ +||tocontraceptive.com^ +||toddlecausebeeper.com^ +||toddlespecialnegotiate.com^ +||toeapesob.com^ +||toenailannouncehardworking.com^ +||toffeeallergythrill.com^ +||toffeebigot.com^ +||toffeecollationsdogcollar.com^ +||togemantedious.top^ +||togenron.com^ +||togetherballroom.com^ +||toglooman.com^ +||togothitaa.com^ +||togranbulla.com^ +||tohechaustoox.net^ +||toiletallowingrepair.com^ +||toiletpaper.life^ +||toitoidotkin.shop^ +||tokenads.com^ +||toksoudsoab.net^ +||tolanneocene.com^ +||toltooth.net^ +||tolverhyple.info^ +||tomatoescampusslumber.com^ +||tomatoesstripemeaningless.com^ +||tomatoitch.com^ +||tomatoqqamber.click^ +||tomawilea.com^ +||tomekas.com^ +||tomladvert.com^ +||tomorroweducated.com^ +||tomorrowspanelliot.com^ +||tomorrowtardythe.com^ +||tomsooko.com^ +||tonapplaudfreak.com^ +||toncooperateapologise.com^ +||tondikeglasses.com^ +||toneadds.com^ +||toneincludes.com^ +||tonemedia.com^ +||tonesnorrisbytes.com^ +||tongsscenesrestless.com^ +||tonicdivedfounded.com^ +||tonicneighbouring.com^ +||toninjaska.com^ +||tonsilsuggestedtortoise.com^ +||tonsilyearling.com^ +||tontrinevengre.com^ +||toocssfghbvgqb.com^ +||toodeeps.top^ +||tooglidanog.net^ +||toojaipi.net^ +||toojeestoone.net^ +||tookiroufiz.net^ +||toolspaflinch.com^ +||tooniboy.com^ +||toonujoops.net^ +||toopsoug.net^ +||tooraicush.net^ +||toothbrushlimbperformance.com^ +||toothcauldron.com^ +||toothoverdone.com^ +||toothstrike.com^ +||toovoala.net^ +||toowubozout.net^ +||top-performance.best^ +||top-performance.club^ +||top-performance.top^ +||top-performance.work^ +||topadbid.com^ +||topadsservices.com^ +||topadvdomdesign.com^ +||topatincompany.com^ +||topatternbackache.com^ +||topbetfast.com^ +||topblockchainsolutions.nl^ +||topcpmcreativeformat.com^ +||topcreativeformat.com^ +||topdisplaycontent.com^ +||topdisplayformat.com^ +||topdisplaynetwork.com^ +||topduppy.info^ +||topflownews.com^ +||topfreenewsfeed.com^ +||tophaw.com^ +||topiccorruption.com^ +||toplinkz.ru^ +||topmostolddoor.com^ +||topmusicalcomedy.com^ +||topnews-24.com^ +||topnewsfeeds.net^ +||topnewsgo.com^ +||topperformance.xyz^ +||topprofitablecpm.com^ +||topprofitablegate.com^ +||topqualitylink.com^ +||toprevenuecpmnetwork.com^ +||toprevenuegate.com^ +||topsecurity2024.com^ +||topsrcs.com^ +||topsummerapps.net^ +||topswp.com^ +||toptoys.store^ +||toptrendyinc.com^ +||toptrindexapsb.com^ +||topviralnewz.com^ +||toquetbircher.com^ +||torchtrifling.com^ +||toreddorize.com^ +||torgadroukr.com^ +||torhydona.com^ +||torioluor.com^ +||toromclick.com^ +||tororango.com^ +||torpsol.com^ +||torrango.com^ +||torrent-protection.com^ +||torrentsuperintend.com^ +||tortoisesun.com^ +||toscytheran.com^ +||tosfeed.com^ +||tossquicklypluck.com^ +||tosuicunea.com^ +||totalab.xyz^ +||totaladblock.com^ +||totalcoolblog.com^ +||totaldrag.pro^ +||totalfreshwords.com^ +||totallyplaiceaxis.com^ +||totalnicefeed.com^ +||totalwowblog.com^ +||totalwownews.com^ +||totemcash.com^ +||totemsplurgy.top^ +||totentacruelor.com^ +||totersoutpay.com^ +||totlnkbn.com^ +||totlnkcl.com^ +||totogetica.com^ +||touaz.xyz^ +||toubeglautu.net^ +||touched35one.pro^ +||touchupchows.com^ +||touchyeccentric.com^ +||touchytautogs.com^ +||tougaipteehuboo.xyz^ +||toughdrizzleleftover.com^ +||tougrauwaizus.net^ +||touptaisu.com^ +||tournamentdouble.com^ +||tournamentfosterchild.com^ +||tournamentsevenhung.com^ +||touroumu.com^ +||tourukaustoglee.net^ +||toushuhoophis.xyz^ +||toutsneskhi.com^ +||touweptouceeru.xyz^ +||touzia.xyz^ +||touzoaty.net^ +||tovespiquener.com^ +||tovwhxpomgkd.com^ +||towardcorporal.com^ +||towardsflourextremely.com^ +||towardsturtle.com^ +||towardwhere.com^ +||towerdesire.com^ +||towersalighthybrids.com^ +||towerslady.com^ +||towersresent.com^ +||townifybabbie.top^ +||townrusisedpriva.org^ +||townstainpolitician.com^ +||toxemiaslier.com^ +||toxonetwigger.com^ +||toxtren.com^ +||toyarableits.com^ +||tozoruaon.com^ +||tozqvor.com^ +||tozuoi.xyz^ +||tpbdir.com^ +||tpciqzm.com^ +||tpcserve.com^ +||tpdads.com^ +||tpdethnol.com^ +||tpmedia-reactads.com^ +||tpmr.com^ +||tpn134.com^ +||tpshpmsfldvtom.com^ +||tpvrqkr.com^ +||tpwtjya.com^ +||tpydhykibbz.com^ +||tqaiowbyilodx.com^ +||tqlkg.com^ +||tqnupxrwvo.com^ +||tquvbfl.com^ +||tr-boost.com^ +||tr-bouncer.com^ +||tr-monday.xyz^ +||tr-rollers.xyz^ +||tr-usual.xyz^ +||tracepath.cc^ +||tracereceiving.com^ +||tracevictory.com^ +||track-victoriadates.com^ +||track.afrsportsbetting.com^ +||track.totalav.com^ +||track4ref.com^ +||trackad.cz^ +||trackapi.net^ +||trackcherry.com^ +||tracker-2.com^ +||tracker-sav.space^ +||tracker-tds.info^ +||trackerrr.com^ +||trackeverything.co^ +||trackingmembers.com^ +||trackingrouter.com^ +||trackingshub.com^ +||trackingtraffo.com^ +||trackmedclick.com^ +||trackmundo.com^ +||trackpshgoto.win^ +||trackpush.com^ +||tracks20.com^ +||tracksfaster.com^ +||trackspeeder.com^ +||trackstracker.com^ +||tracktds.com^ +||tracktds.live^ +||tracktilldeath.club^ +||trackvbmobs.click^ +||trackvol.com^ +||trackvoluum.com^ +||trackwilltrk.com^ +||tracliakoshers.shop^ +||tracot.com^ +||tractorfoolproofstandard.com^ +||tradbypass.com^ +||trade46-q.com^ +||tradeadexchange.com^ +||trading21s.com^ +||tradingpancreasdevice.com^ +||traditionallyenquired.com^ +||traditionallyrecipepiteous.com^ +||traff01traff02.site^ +||traffdaq.com^ +||traffic.club^ +||traffic.name^ +||trafficad-biz.com^ +||trafficbass.com^ +||trafficborder.com^ +||trafficdecisions.com^ +||trafficdok.com^ +||trafficfactory.biz^ +||traffichunt.com^ +||trafficircles.com^ +||trafficjunky.net^ +||trafficlide.com^ +||trafficmediaareus.com^ +||trafficmoon.com^ +||trafficmoose.com^ +||trafficportsrv.com^ +||trafficshop.com^ +||traffictraders.com^ +||traffmgnt.com^ +||traffmgnt.name^ +||trafforsrv.com^ +||traffoxx.uk^ +||traffprogo20.com^ +||trafget.com^ +||trafogon.com^ +||trafsupr.com^ +||trafyield.com^ +||tragedyhaemorrhagemama.com^ +||tragency-clesburg.icu^ +||tragicbeyond.com^ +||traglencium.com^ +||traileroutlinerefreshments.com^ +||trainedhomecoming.com^ +||traintravelingplacard.com^ +||traitpigsplausible.com^ +||trakaff.net^ +||traktortds.com^ +||traktrafficflow.com^ +||tramordinaleradicate.com^ +||trampphotographer.com^ +||tramuptownpeculiarity.com^ +||trandgid.com^ +||trandlife.info^ +||transactionsbeatenapplication.com^ +||transcriptcompassionacute.com^ +||transcriptjeanne.com^ +||transferloitering.com^ +||transferzenad.com^ +||transformationdecline.com^ +||transformignorant.com^ +||transgressmeeting.com^ +||transgressreasonedinburgh.com^ +||transientblobexaltation.com^ +||transitionfrenchdowny.com^ +||translatingimport.com^ +||translationbuddy.com^ +||transmission423.fun^ +||transportationdealer.com^ +||transportationdelight.com^ +||trantpopshop.top^ +||trapexpansionmoss.com^ +||trappedpetty.com^ +||trapskating.com^ +||trashdisguisedextension.com^ +||trasupr.com^ +||tratbc.com^ +||traumatizedenied.com^ +||traumavirus.com^ +||traveladvertising.com^ +||traveldurationbrings.com^ +||travelingshake.com^ +||travelscream.com^ +||traveltop.org^ +||travidia.com^ +||trawibosxlc.com^ +||trawlsshally.top^ +||traydungeongloss.com^ +||traymute.com^ +||trayrubbish.com^ +||trayzillion.com^ +||trazgki.com^ +||trblocked.com^ +||trc85.com^ +||trccmpnlnk.com^ +||trck.wargaming.net^ +||trckswrm.com^ +||trcktr.com^ +||trdnewsnow.net^ +||treacherouscarefully.com^ +||treadhospitality.com^ +||treasonemphasis.com^ +||treasureantennadonkey.com^ +||treasureralludednook.com^ +||treasurergroundlessagenda.com^ +||treatedscale.com^ +||treatmentaeroplane.com^ +||treatyaccuserevil.com^ +||treatyintegrationornament.com^ +||trebghoru.com^ +||trebleheady.com^ +||treblescholarfestival.com^ +||trebleuniversity.com^ +||trecurlik.com^ +||trecut.com^ +||treehusbanddistraction.com^ +||treenghsas.com^ +||treepullmerriment.com^ +||trehtnoas.com^ +||trellian.com^ +||trembleday.com^ +||tremblingbunchtechnique.com^ +||tremorhub.com^ +||trenchpoor.net^ +||trendmouthsable.com^ +||trenhsasolc.com^ +||trenhsmp.com^ +||trenpyle.com^ +||trentjesno.com^ +||treschevinose.shop^ +||trespassapologies.com^ +||tretmumbel.com^ +||trewnhiok.com^ +||treycircle.com^ +||treyscramp.com^ +||trftopp.biz^ +||trhdcukvcpz.com^ +||tri.media^ +||triadmedianetwork.com^ +||trialdepictprimarily.com^ +||trialsgroove.com^ +||trianglecollector.com^ +||tribalfusion.com^ +||tribespiraldresser.com^ +||tributeparticle.com^ +||tributesexually.com^ +||tricemortal.com^ +||tricklesmartdiscourage.com^ +||trickvealwagon.com^ +||trickynationalityturn.com^ +||triedstrickenpickpocket.com^ +||trienestooth.com^ +||trigami.com^ +||trikerbefleck.com^ +||trikerboughs.com^ +||trim-goal.com^ +||trimpagkygg.com^ +||trimpur.com^ +||trimregular.com^ +||tripledeliveryinstance.com^ +||triplescrubjenny.com^ +||tripsisvellums.com^ +||tripsstyle.com^ +||tripsthorpelemonade.com^ +||trisectdoigt.top^ +||triumphalstrandedpancake.com^ +||triumphantplace.com^ +||trjwraxkfkm.com^ +||trk-aspernatur.com^ +||trk-consulatu.com^ +||trk-epicurei.com^ +||trk-imps.com^ +||trk-vod.com^ +||trk.nfl-online-streams.live^ +||trk023.com^ +||trk3000.com^ +||trk4.com^ +||trk72.com^ +||trkad.network^ +||trkerupper.com^ +||trkinator.com^ +||trkings.com^ +||trkk4.com^ +||trkless.com^ +||trklnks.com^ +||trkn1.com^ +||trknext.com^ +||trknk.com^ +||trknovi.com^ +||trkr.technology^ +||trkrdel.com^ +||trkred.com^ +||trkrspace.com^ +||trksmorestreacking.com^ +||trktnc.com^ +||trkunited.com^ +||trlxcf05.com^ +||trmit.com^ +||trmobc.com^ +||trmzum.com^ +||trocarssubpool.shop^ +||trokemar.com^ +||trolleydemocratic.com^ +||trolleytool.com^ +||trollsvide.com^ +||trololopush2023push.com^ +||trombocrack.com^ +||tronads.io^ +||troopsassistedstupidity.com^ +||troopseruptionfootage.com^ +||tropbikewall.art^ +||troublebrought.com^ +||troubledcontradiction.com^ +||troubleextremityascertained.com^ +||troublesomeleerycarry.com^ +||troutgorgets.com^ +||trpool.org^ +||trpop.xyz^ +||trtjigpsscmv9epe10.com^ +||truanet.com^ +||truantsnarestrand.com^ +||truazka.xyz^ +||trucelabwits.com^ +||trucemallow.website^ +||trulydevotionceramic.com^ +||trulysuitedcharges.com^ +||trumppuffy.com^ +||trumpsurgery.com^ +||trumpthisaccepted.com^ +||trunchsubnect.com^ +||truoptik.com^ +||trust.zone^ +||trustaffs.com^ +||trustbummler.com^ +||trustedachievementcontented.com^ +||trustedcpmrevenue.com^ +||trustedgatetocontent.com^ +||trustedpeach.com^ +||trustedzone.info^ +||trustflayer1.online^ +||trusting-offer.com^ +||trusting-produce.com^ +||trusting-secret.pro^ +||trustmaxonline.com^ +||trustworthyturnstileboyfriend.com^ +||trusty-research.com^ +||trustyable.com^ +||trustyfine.com^ +||trustzonevpn.info^ +||trutheyesstab.com^ +||truthfulanomaly.com^ +||truthfulplanninggrasp.com^ +||truthhascudgel.com^ +||truthvexedben.com^ +||trutinewapatoo.top^ +||trymynewspirit.com^ +||trymysadoroh.site^ +||trynhassd.com^ +||ts134lnki1zd5.pro^ +||tsapphires.buzz^ +||tsapphiresand.info^ +||tsaristcanapes.com^ +||tsarkinds.com^ +||tsbck.com^ +||tsiwqtng8huauw30n.com^ +||tsjjbvbgrugs.com^ +||tslomhfys.com^ +||tsml.fun^ +||tsmlzafghsft.com^ +||tsmqbyd.com^ +||tspops.com^ +||tsrpcf.xyz^ +||tsrpif.xyz^ +||tstats-13fkh44r.com^ +||tstpmasispcw.com^ +||tsy-jnugwavj.love^ +||tsyndicate.com^ +||ttbm.com^ +||tteojtlqlxrev.com^ +||ttgmjfgldgv9ed10.com^ +||tthathehadstop.info^ +||ttoc8ok.com^ +||ttquix.xyz^ +||ttributoraheadyg.org^ +||ttwmed.com^ +||ttzmedia.com^ +||tubberlo.com^ +||tubbyconversation.pro^ +||tubeadvisor.com^ +||tubecoast.com^ +||tubecorp.com^ +||tubecup.net^ +||tubeelite.com^ +||tubemov.com^ +||tubenest.com^ +||tubepure.com^ +||tuberay.com^ +||tubestrap.com^ +||tubeultra.com^ +||tubewalk.com^ +||tubingacater.com^ +||tubroaffs.org^ +||tuckedmajor.com^ +||tuckedtucked.com^ +||tuckerheiau.com^ +||tuesdayfetidlit.com^ +||tuffoonincaged.com^ +||tuftoawoo.xyz^ +||tugraughilr.xyz^ +||tuitionpancake.com^ +||tujourda.net^ +||tulclqxikva.icu^ +||tulipmagazinesempire.com^ +||tumblebit.com^ +||tumblebit.org^ +||tumblehisswitty.com^ +||tumboaovernet.shop^ +||tumidlyacorus.shop^ +||tumordied.com^ +||tumpsmolla.com^ +||tumri.net^ +||tumultmarten.com^ +||tunatastesentertained.com^ +||tunefatigueclarify.com^ +||tuneshave.com^ +||tunnelbuilder.top^ +||tunnerbiogeny.click^ +||tupwiwm.com^ +||tuqgtpirrtuu.com^ +||tuqizi.uno^ +||tuquesperes.com^ +||tur-tur-key.com^ +||turbanmadman.com^ +||turboadv.com^ +||turbocap.net^ +||turbolit.biz^ +||turbostats.xyz^ +||turbulentfeatherhorror.com^ +||turbulentimpuresoul.com^ +||tureukworektob.info^ +||turganic.com^ +||turgelrouph.com^ +||turkeychoice.com^ +||turkhawkswig.com^ +||turkslideupward.com^ +||turmoilmeddle.com^ +||turmoilragcrutch.com^ +||turncdn.com^ +||turndynamicforbes.com^ +||turnhub.net^ +||turniptriumphantanalogy.com^ +||turnminimizeinterference.com^ +||turnstileunavailablesite.com^ +||turpentinecomics.com^ +||tururu.info^ +||tusheedrosep.net^ +||tushiedidder.com^ +||tuskhautein.com^ +||tusno.com^ +||tussisinjelly.com^ +||tutphiarcox.com^ +||tutsterblanche.com^ +||tutvp.com^ +||tuvwryunm.xyz^ +||tuwaqtjcood.com^ +||tuxbpnne.com^ +||tuxycml.com^ +||tvgxhvredn.xyz^ +||tvkaimh.com^ +||tvpnnrungug.xyz^ +||tvprocessing.com^ +||twaitevirgal.com^ +||twazzyoidwlfe.com^ +||tweakarrangement.com^ +||twelfthcomprehendgrape.com^ +||twelfthdistasteful.com^ +||twelvemissionjury.com^ +||twentiesinquiry.com^ +||twentyatonementflowing.com^ +||twentyaviation.com^ +||twentycustomimprovement.com^ +||twentydisappearance.com^ +||twentydruggeddumb.com^ +||twevpgjeai.com^ +||twewmykfe.com^ +||twi-hjritecl.world^ +||twiebayed.com^ +||twigwisp.com^ +||twilightsuburbmill.com^ +||twinadsrv.com^ +||twinboutjuly.com^ +||twinfill.com^ +||twinkle-fun.net^ +||twinklecourseinvade.com^ +||twinpinenetwork.com^ +||twinrdack.com^ +||twinrdengine.com^ +||twinrdsrv.com^ +||twinrdsyn.com^ +||twinrdsyte.com^ +||twinrtb.com^ +||twinseller.com^ +||twinsrv.com^ +||twirlninthgullible.com^ +||twistads.com^ +||twistconcept.com^ +||twistcrevice.com^ +||twistedhorriblybrainless.com^ +||twittad.com^ +||twnrydt.com^ +||twoepidemic.com^ +||twpasol.com^ +||twrugkpqkvit.com^ +||twsylxp.com^ +||twtad.com^ +||twtdkzg.com^ +||txbwpztu-oh.site^ +||txeefgcutifv.info^ +||txgeszx.com^ +||txjhmbn.com^ +||txtspjaorddrjqq.com^ +||txumirk.com^ +||txzaazmdhtw.com^ +||tyburnpenalty.com^ +||tychon.bid^ +||tyfqjbuk.one^ +||tyfuufdp-xbd.top^ +||tyhyorvhscdbx.xyz^ +||tyjttinacorners.info^ +||tylocintriones.com^ +||tylosischewer.com^ +||tympanojann.com^ +||tynt.com^ +||typescoordinate.com^ +||typesluggage.com^ +||typicalappleashy.com^ +||typicallyapplause.com^ +||typicalsecuritydevice.com^ +||typiccor.com^ +||typiconrices.com^ +||typojesuit.com^ +||tyqwjh23d.com^ +||tyranbrashore.com^ +||tyranpension.com^ +||tyrianbewrap.top^ +||tyrotation.com^ +||tyserving.com^ +||tytyeastfeukufun.info^ +||tyuimln.net^ +||tzaho.com^ +||tzaqkp.com^ +||tzegilo.com^ +||tzuhumrwypw.com^ +||tzvpn.site^ +||u-oxmzhuo.tech^ +||u0054.com^ +||u0064.com^ +||u21drwj6mp.com^ +||u29qnuav3i6p.com^ +||u595sebqih.com^ +||u5lxh1y1pgxy.shop^ +||u9axpzf50.com^ +||uaaftpsy.com^ +||uabpuwz.com^ +||uads.cc^ +||uads.digital^ +||uads.guru^ +||uads.space^ +||uafkcvpvvelp.com^ +||uahosnnx.com^ +||uaiqkjkw.com^ +||uavbgdw.com^ +||uawvmni.com^ +||ubbfpm.com^ +||ubbkfvtfmztilo.com^ +||ubdmfxkh.com^ +||ubeestis.net^ +||ubertyguberla.shop^ +||ubilinkbin.com^ +||ubish.com^ +||uboungera.com^ +||ucationinin.info^ +||ucavu.live^ +||ucbedayxxqpyuo.xyz^ +||ucconn.live^ +||ucheephu.com^ +||ucuoknexq.global^ +||udalmancozen.com^ +||udarem.com^ +||udbaa.com^ +||udinugoo.com^ +||udmserve.net^ +||udookrou.com^ +||uduxztwig.com^ +||udzpel.com^ +||uejntsxdffp.com^ +||uel-uel-fie.com^ +||uelllwrite.com^ +||uenwfxleosjsyf.com^ +||uepkcdjgp.com^ +||ueykjfltxqsb.space^ +||ufaexpert.com^ +||ufewhistug.net^ +||ufiledsit.com^ +||ufinkln.com^ +||ufiuhnyydllpaed.com^ +||ufouxbwn.com^ +||ufpcdn.com^ +||ufphkyw.com^ +||ufvxiyewsyi.com^ +||ufykspupgxgzz.com^ +||ufzanvc.com^ +||ugailidsay.xyz^ +||ugbkfsvqkayt.icu^ +||ugeewhee.xyz^ +||ughtanothin.info^ +||ughzfjx.com^ +||ugloopie.com^ +||ugly-routine.pro^ +||ugopkl.com^ +||ugrarvy.com^ +||ugroocuw.net^ +||ugroogree.com^ +||ugyplysh.com^ +||uhdokoq5ocmk.com^ +||uhedsplo.com^ +||uhegarberetrof.com^ +||uhfdsplo.com^ +||uhodsplo.com^ +||uhpdsplo.com^ +||uhrmzgp.com^ +||uhsmmaq4l2n5.com^ +||uhwwrtoesislugj.xyz^ +||ui02.com^ +||uibhnejm.com^ +||uidhealth.com^ +||uidsync.net^ +||uilzwzx.com^ +||uimserv.net^ +||uingroundhe.com^ +||uiphk.one^ +||ujautifuleed.xyz^ +||ujscdn.com^ +||ujtgtmj.com^ +||ujxrfkhsiss.xyz^ +||ujznabh.com^ +||uk08i.top^ +||ukankingwithea.com^ +||ukcomparends.pro^ +||ukdtzkc.com^ +||ukenthasmeetu.com^ +||ukentsiwoulukdlik.info^ +||ukgzavrhc.com^ +||ukindwouldmeu.com^ +||ukloxmchcdnn.com^ +||ukmlastityty.info^ +||ukmlastitytyeastf.com^ +||ukqibzitix.com^ +||ukrkskillsombine.info^ +||uksjogersamyre.com^ +||ukskxmh.com^ +||uksofthecomp.com^ +||ukzoweq.com^ +||ulaiwhiw.xyz^ +||ulathana.com^ +||uldlikukemyfueu.com^ +||uldmakefeagr.info^ +||ulesufeism.shop^ +||ulesxbo.com^ +||ulheaddedfearing.com^ +||ulmoyc.com^ +||ulnhz.site^ +||ulried.com^ +||ulsmcdn.com^ +||ulteriorprank.com^ +||ulteriorthemselves.com^ +||ultetrailways.info^ +||ultimatefatiguehistorical.com^ +||ultimatelydiscourse.com^ +||ultimaterequirement.com^ +||ultimatumrelaxconvince.com^ +||ultrabetas.com^ +||ultracdn.top^ +||umbrellaepisode.com^ +||umdgene.com^ +||umebella.com^ +||umekana.ru^ +||umentrandings.xyz^ +||umescomymanda.info^ +||umexalim.com^ +||umhlnkbj.xyz^ +||umjcamewiththe.info^ +||umoxomv.icu^ +||umpedshumal.com^ +||umqmxawxnrcp.com^ +||umtchdhkrx.com^ +||umtudo.com^ +||umumallowecouldl.info^ +||unacceptableperfection.com^ +||unaces.com^ +||unamplespalax.com^ +||unanimousbrashtrauma.com^ +||unarbokor.com^ +||unasonoric.com^ +||unattractivehastypendulum.com^ +||unauthorizedsufficientlysensitivity.com^ +||unavailableprocessionamazingly.com^ +||unawaredisk.com^ +||unbearablepulverizeinevitably.com^ +||unbeastskilled.shop^ +||unbeedrillom.com^ +||unbelievableheartbreak.com^ +||unbelievableinnumerable.com^ +||unbelievablesuitcasehaberdashery.com^ +||unbelievablydemocrat.com^ +||unblitzlean.com^ +||unblock2303.xyz^ +||unblock2304.xyz^ +||unbloodied.sbs^ +||unbunearyan.com^ +||unbuttonfootprintssoftened.com^ +||uncalmgermane.top^ +||uncannynobilityenclose.com^ +||uncastnork.com^ +||uncertainimprovementsspelling.com^ +||uncleffaan.com^ +||unclesnewspaper.com^ +||uncletroublescircumference.com^ +||uncomfortableremote.com^ +||uncorecaaba.shop^ +||uncotorture.com^ +||uncoverarching.com^ +||uncrobator.com^ +||uncrownarmenic.com^ +||undatedifreal.com^ +||under2given.com^ +||underaccredited.com^ +||underagebeneath.com^ +||undercambridgeconfusion.com^ +||underclick.ru^ +||undercoverbluffybluffybus.com^ +||undercoverchildbirthflimsy.com^ +||undercovercinnamonluxury.com^ +||undercoverwaterfront.com^ +||underdog.media^ +||undergoneentitled.com^ +||undergroundbrows.com^ +||underminesprout.com^ +||underpantscostsdirection.com^ +||underpantsdefencelesslearn.com^ +||underpantshomesimaginary.com^ +||underpantsprickcontinue.com^ +||understandablejeopardy.com^ +||understandablephilosophypeeves.com^ +||understandassure.com^ +||understandcomplainawestruck.com^ +||understanding3x.fun^ +||understandingspurt.com^ +||understandskinny.com^ +||understatedworking.com^ +||understatementimmoderate.com^ +||understoodadmiredapprove.com^ +||understoodeconomicgenetic.com^ +||undertakinghomeyegg.com^ +||undertakingmight.com^ +||underwarming.com^ +||underwaterbirch.com^ +||underwilliameliza.com^ +||undiesthumb.com^ +||undockerinize.com^ +||undoneabated.shop^ +||undooptimisticsuction.com^ +||undoseire.top^ +||undressregionaladdiction.com^ +||undubirprourass.com^ +||unelekidan.com^ +||unemploymentinstinctiverite.com^ +||unequalbrotherhermit.com^ +||unequaled-department.pro^ +||unequaledchair.com^ +||unevenregime.com^ +||unfairgenelullaby.com^ +||unfaithfulgoddess.com^ +||unfiledbunkum.shop^ +||unfinisheddolphin.com^ +||unfolded-economics.com^ +||unforgivableado.com^ +||unforgivablefrozen.com^ +||unfortunatelydestroyedfuse.com^ +||unfortunatelydroopinglying.com^ +||unfortunatelyprayers.com^ +||unfriendlysalivasummoned.com^ +||ungatedsynch.com^ +||ungiblechan.com^ +||ungillhenbane.com^ +||ungothoritator.com^ +||ungoutylensmen.website^ +||ungroudonchan.com^ +||unhatedkrubi.shop^ +||unhatedprotei.com^ +||unhealthybravelyemployee.com^ +||unhealthywelcome.pro^ +||unhhsrraf.com^ +||unhoodikhwan.shop^ +||unicast.com^ +||unicatethebe.org^ +||unicornpride123.com^ +||unifini.de^ +||uniformyeah.com^ +||unitedlawsfriendship.com^ +||unitethecows.com^ +||unitscompressmeow.com^ +||unitsympathetic.com^ +||universalappend.com^ +||universalbooklet.com^ +||universaldatedimpress.com^ +||universalsrc.com^ +||universaltrout.com^ +||universityofinternetscience.com^ +||universitypermanentlyhusk.com^ +||unkinpigsty.com^ +||unknownhormonesafeguard.com^ +||unleanmyrrhs.shop^ +||unleantaurid.shop^ +||unlesscooler.com^ +||unlikelymoscow.com^ +||unlinedmake.pro^ +||unlockecstasyapparatus.com^ +||unlockmaddenhooray.com^ +||unlockmelted.shop^ +||unlocky.org^ +||unlocky.xyz^ +||unloetiosal.com^ +||unluckyflagtopmost.com^ +||unluredtawgi.shop^ +||unluxioer.com^ +||unmantyker.com^ +||unmetlittle.shop^ +||unnaturalstring.com^ +||unnecessarydispleasedleak.com^ +||unoakrookroo.com^ +||unoblotto.net^ +||unovertdomes.shop^ +||unpacedgervas.shop^ +||unpackjanuary.com^ +||unpackthousandmineral.com^ +||unpanchamon.com^ +||unpetilila.com^ +||unphanpyom.com^ +||unphionetor.com^ +||unpleasantconcrete.com^ +||unpleasanthandbag.com^ +||unpopecandela.top^ +||unpredictablehateagent.com^ +||unprofessionalremnantthence.com^ +||unrealversionholder.com^ +||unreasonabletwenties.com^ +||unrebelasterin.com^ +||unreshiramor.com^ +||unresolveddrama.com^ +||unresolvedsketchpaws.com^ +||unrestbad.com^ +||unrestlosttestify.com^ +||unrotomon.com^ +||unrulymedia.com^ +||unrulymorning.pro^ +||unrulytroll.com^ +||unsaltyalemmal.com^ +||unseaminoax.click^ +||unseamssafes.com^ +||unseenrazorcaptain.com^ +||unseenreport.com^ +||unseenshingle.com^ +||unsettledfederalrefreshing.com^ +||unshellbrended.com^ +||unsigilyphor.com^ +||unskilfulwalkerpolitician.com^ +||unskilledexamples.com^ +||unsnareparroty.com^ +||unsoothippi.top^ +||unspeakablefreezing.com^ +||unspeakablepurebeings.com^ +||unstantleran.com^ +||unstoutgolfs.com^ +||unsuccessfultesttubepeerless.com^ +||untackreviler.com^ +||untidyseparatelyintroduce.com^ +||untiedecide.com^ +||untilfamilythrone.com^ +||untilpatientlyappears.com^ +||untimburra.com^ +||untineanunder.com^ +||untineforward.com^ +||untrendenam.com^ +||untriedcause.pro^ +||untrk.xyz^ +||untrol.com^ +||untropiuson.com^ +||untruecharacterizepeople.com^ +||unusualbrainlessshotgun.com^ +||unusuallynonfictionconsumption.com^ +||unusuallypilgrim.com^ +||unusuallyswam.com^ +||unusualwarmingloner.com^ +||unwelcomegardenerinterpretation.com^ +||unwilling-jury.pro^ +||unwillingsnick.com^ +||unwindirenebank.com^ +||unwontcajun.top^ +||unwoobater.com^ +||unynwld.com^ +||uod2quk646.com^ +||uoeeiqgiib.xyz^ +||uoetderxqnv.com^ +||uohdvgscgckkpt.xyz^ +||uomsogicgi.com^ +||uonuvcrnert.com^ +||uorhlwm.com^ +||up2cdn.com^ +||up4u.me^ +||upaicpa.com^ +||uparceuson.com^ +||upbemzagunkppj.com^ +||upbriningleverforecast.com^ +||upclipper.com^ +||upcomingmonkeydolphin.com^ +||upcurlsreid.website^ +||updaight.com^ +||updateadvancedgreatlytheproduct.vip^ +||updatecompletelyfreetheproduct.vip^ +||updateenow.com^ +||updatefluency.com^ +||updatenow.pro^ +||updatesunshinepane.com^ +||updservice.site^ +||upeatunzone.com^ +||upgliscorom.com^ +||upgoawqlghwh.com^ +||uphorter.com^ +||uphoveeh.xyz^ +||upkoffingr.com^ +||uplatiason.com^ +||upliftsearch.com^ +||upodaitie.net^ +||uponflannelsworn.com^ +||uponpidgeottotor.com^ +||uponsurskita.com^ +||upontogeticr.com^ +||uppsyduckan.com^ +||uprightanalysisphotographing.com^ +||uprightsaunagather.com^ +||uprightthrough.com^ +||uprimp.com^ +||uprisingrecalledpeppermint.com^ +||uprivaladserver.net^ +||uproarglossy.com^ +||upsaibou.net^ +||upsamurottr.com^ +||upsettingfirstobserved.com^ +||upshroomishtor.com^ +||upsidetrug.com^ +||upstairswellnewest.com^ +||upstandingmoscow.com^ +||upsups.click^ +||uptafashib.com^ +||uptightdecreaseclinical.com^ +||uptightfirm.com^ +||uptightimmigrant.com^ +||uptightyear.com^ +||uptimecdn.com^ +||uptownrecycle.com^ +||uptraindustmen.top^ +||upuplet.net^ +||upush.co^ +||upwardbodies.com^ +||upwardsbenefitmale.com^ +||upwardsdecreasecommitment.com^ +||upzekroman.com^ +||uqbcz.today^ +||uqecqpnnzt.online^ +||uqljlsqtrbrpu.com^ +||uqmmfpr.com^ +||uqqmj868.xyz^ +||urauvipsidu.com^ +||urbanjazzsecretion.com^ +||urechar.com^ +||urgedhearted.com^ +||urgentlyfeerobots.com^ +||urgentprotections.com^ +||urhjoqudc.com^ +||urimnugocfr.com^ +||urinebladdernovember.com^ +||urinousbiriba.com^ +||urjvnagk.com^ +||urkbgdfhuc.global^ +||urldelivery.com^ +||urlgone.com^ +||urlhausa.com^ +||urllistparding.info^ +||urmavite.com^ +||urmilan.info^ +||urocyoncabrit.top^ +||uropygiubussu.top^ +||urtirepor.com^ +||uruftio.com^ +||uruswan.com^ +||urvgwij.com^ +||us4post.com^ +||usaballs.fun^ +||usageultra.com^ +||usainoad.net^ +||usbanners.com^ +||usbrowserspeed.com^ +||useaptrecoil.com^ +||usearch.site^ +||usefulcontentsites.com^ +||usefullybruiseddrunken.com^ +||uselnk.com^ +||usenet.world^ +||usenetpassport.com^ +||usersmorrow.com^ +||usertag.online^ +||usheeptuthoa.com^ +||ushoofop.com^ +||ushzfap.com^ +||usingantecedent.com^ +||usisedprivatedqu.com^ +||usix-udlnseb.space^ +||usjbwvtqwv.com^ +||usounoul.com^ +||ust-ad.com^ +||usuallyaltered.com^ +||usuaryyappish.com^ +||usurv.com^ +||uswardwot.com^ +||usxabwaiinnu.com^ +||usxytkdanrgwc.com^ +||ut13r.online^ +||ut13r.site^ +||ut13r.space^ +||utarget.co.uk^ +||utarget.pro^ +||utecsfi.com^ +||utendpacas.top^ +||uthorner.info^ +||uthounie.com^ +||utilitypresent.com^ +||utilitysafe-view.info^ +||utilitytied.com^ +||utilizedshoe.com^ +||utilizeimplore.com^ +||utilizepersonalityillegible.com^ +||utillib.xyz^ +||utl-1.com^ +||utm-campaign.com^ +||utmostsecond.com^ +||utndln.com^ +||utokapa.com^ +||utopiankudzu.com^ +||utoumine.net^ +||utrdiwdcmhrfon.com^ +||utrius.com^ +||utterdevice.com^ +||utterlysever.com^ +||uttersloanea.top^ +||utubepwhml.com^ +||utygdjcs.xyz^ +||uudzfbzthj.com^ +||uuidksinc.net^ +||uuisnvtqtuc.com^ +||uujtmrxf.xyz^ +||uurhhtymipx.com^ +||uuyhonsdpa.com^ +||uvoovoachee.com^ +||uvphvlgtqjye.com^ +||uvtuiks.com^ +||uvzsmwfxa.com^ +||uwastehons.com^ +||uwavoptig.com^ +||uwaxoyfklhm.com^ +||uwdjwfqvxpo.xyz^ +||uwfcqtdb.xyz^ +||uwjhzeb.com^ +||uwlzsfo.com^ +||uwmlmhcjmjvuqy.xyz^ +||uwoaptee.com^ +||uwougheels.net^ +||uwzaq.world^ +||ux782mkgx.com^ +||uyiteasacomsys.info^ +||uyjxzvu.com^ +||uzauxaursachoky.net^ +||uzdhsjuhrw.com^ +||uzvcffe-aw.vip^ +||v124mers.com^ +||v2cigs.com^ +||v6rxv5coo5.com^ +||v785.online^ +||vaatmetu.net^ +||vacaneedasap.com^ +||vacationmonday.com^ +||vacationsoot.com^ +||vaccinationinvalidphosphate.com^ +||vaccinationwear.com^ +||vaccineconvictedseafood.com^ +||vacpukna.com^ +||vacuomedogeys.com^ +||vacwrite.com^ +||vadokfkulzr.com^ +||vaebard.com^ +||vaehxkhbhguaq.xyz^ +||vahoupomp.com^ +||vaicheemoa.net^ +||vaiglunoz.com^ +||vaigowoa.com^ +||vaikijie.net^ +||vainfulkmole.com^ +||vainjav11.fun^ +||vaipsona.com^ +||vaipsouw.com^ +||vairoobugry.com^ +||vaitotoo.net^ +||vaivurizoa.net^ +||vaizauwe.com^ +||vak345.com^ +||valemedia.net^ +||valepoking.com^ +||valesweetheartconditions.com^ +||valetsangoise.top^ +||valetsword.com^ +||valiantjosie.com^ +||valid-dad.com^ +||validinstruct.com^ +||validworking.pro^ +||valiumbessel.com^ +||vallarymedlars.com^ +||valleymuchunnecessary.com^ +||valleysinstruct.com^ +||valleysrelyfiend.com^ +||valonghost.xyz^ +||valornutricional.cc^ +||valpeiros.com^ +||valtoursaurgoo.net^ +||valuableenquiry.com^ +||valuad.cloud^ +||valuatesharki.com^ +||valuationbothertoo.com^ +||valueclick.cc^ +||valueclick.com^ +||valueclick.net^ +||valueclickmedia.com^ +||valuedalludejoy.com^ +||valuepastscowl.com^ +||valuerfadjavelin.com^ +||valuermainly.com^ +||valuerstarringarmistice.com^ +||valuerstray.com^ +||valueslinear.com^ +||valuethemarkets.info^ +||valvyre.com^ +||vampedcortine.com^ +||vampingrichest.shop^ +||vamsoupowoa.com^ +||vandalismblackboard.com^ +||vandalismundermineshock.com^ +||vanderebony.pro^ +||vanderlisten.pro^ +||vanflooding.com^ +||vaniacozzolino.com^ +||vanillacoolestresumed.com^ +||vanirausones.shop^ +||vanishedentrails.com^ +||vanishedpatriot.com^ +||vannaxacqpm.com^ +||vapedia.com^ +||vapjcusfua.com^ +||vapourfertile.com^ +||vapourwarlockconveniences.com^ +||vaptoangix.com^ +||vaqykqeoeaywm.top^ +||varasbrijkt.com^ +||varechphugoid.com^ +||variabilityproducing.com^ +||variable-love.pro^ +||variablespestvex.com^ +||variablevisualforty.com^ +||variationaspenjaunty.com^ +||variationsradio.com^ +||variedpretenceclasped.com^ +||variedslimecloset.com^ +||variedsubduedplaice.com^ +||varietiesassuage.com^ +||varietiesplea.com^ +||varietyofdisplayformats.com^ +||variousanyplaceauthorized.com^ +||variouscreativeformats.com^ +||variousformatscontent.com^ +||variouspheasantjerk.com^ +||varletsngaio.com^ +||varnishmosquitolocust.com^ +||varshacundy.com^ +||vartoken.com^ +||varun-ysz.com^ +||varycares.com^ +||varyingcanteenartillery.com^ +||varyinginvention.com^ +||varyingsnarl.com^ +||vasebehaved.com^ +||vasfmbody.com^ +||vasgenerete.site^ +||vasstycom.com^ +||vasteeds.net^ +||vastroll.ru^ +||vastserved.com^ +||vastsneezevirtually.com^ +||vatanclick.ir^ +||vatcertaininject.com^ +||vaufekonaub.net^ +||vaugroar.com^ +||vaukoloon.net^ +||vauloops.net^ +||vaultmultiple.com^ +||vaultwrite.com^ +||vavcashpop.com^ +||vavuwetus.com^ +||vawcdhhgnqkrif.com^ +||vawk0ap3.xyz^ +||vax-boost.com^ +||vax-now.com^ +||vaxoovos.net^ +||vazshojt.com^ +||vazypteke.pro^ +||vbcyukwuj.com^ +||vbhuivr.com^ +||vbiovkqt.com^ +||vbrbgki.com^ +||vbrusdiifpfd.com^ +||vbtrax.com^ +||vcdc.com^ +||vcmedia.com^ +||vcngehm.com^ +||vcommission.com^ +||vcsjbnzmgjs.com^ +||vctcajeme.tech^ +||vcxzp.com^ +||vcynnyujt.com^ +||vczypss.com^ +||vdbaa.com^ +||vddf0.club^ +||vdjpqtsxuwc.xyz^ +||vdlvry.com^ +||vdopia.com^ +||vdzna.com^ +||ve6k5.top^ +||vebadu.com^ +||vebv8me7q.com^ +||vecohgmpl.info^ +||vectorsfangs.com^ +||vedropeamwou.com^ +||veephoboodouh.net^ +||veepteero.com^ +||veeqlly.com^ +||veeredfunt.top^ +||veezudeedou.net^ +||vegetablesparrotplus.com^ +||vegetationadmirable.com^ +||vegetationartcocoa.com^ +||vehiclepatsyacacia.com^ +||vehosw.com^ +||veilsuccessfully.com^ +||veincartrigeforceful.com^ +||veinourdreams.com^ +||vekseptaufin.com^ +||velocecdn.com^ +||velocitycdn.com^ +||velocitypaperwork.com^ +||velvetneutralunnatural.com^ +||vemflutuartambem.com^ +||vempeeda.com^ +||vempozah.net^ +||vemtoutcheeg.com^ +||vendigamus.com^ +||vendimob.pl^ +||vendingboatsunbutton.com^ +||veneeringextremely.com^ +||veneeringperfect.com^ +||venetrigni.com^ +||vengeancehurriedly.com^ +||vengeancerepulseclassified.com^ +||vengeancewaterproof.com^ +||vengeful-egg.com^ +||veninslata.com^ +||venisonreservationbarefooted.com^ +||venkrana.com^ +||venomouslife.com^ +||venomouswhimarid.com^ +||ventilatorcorrupt.com^ +||ventralwries.com^ +||ventrequmus.com^ +||ventualkentineda.info^ +||venturead.com^ +||ventureclamourtotally.com^ +||venturepeasant.com^ +||venueitemmagic.com^ +||venulaeriggite.com^ +||venusfritter.com^ +||veoxphl.com^ +||verbwarilyclotted.com^ +||verda-mun.com^ +||vereforhedidno.info^ +||verifiablevolume.com^ +||verify-human.b-cdn.net^ +||veristouh.net^ +||vernementsec.info^ +||verneukdottle.shop^ +||verninchange.com^ +||vernongermanessence.com^ +||vernonspurtrash.com^ +||veronalhaf.com^ +||verrippleshi.info^ +||verse-content.com^ +||versedarkenedhusky.com^ +||versinehopper.com^ +||verticallydeserve.com^ +||verticallyrational.com^ +||verwh.com^ +||verygoodminigames.com^ +||veryn1ce.com^ +||verysilenit.com^ +||vespinebarless.com^ +||vespymedia.com^ +||vessoupy.com^ +||vestigeencumber.com^ +||vesuvinaqueity.top^ +||vetchesthiever.com^ +||vetoembrace.com^ +||vetrainingukm.info^ +||veuuulalu.xyz^ +||vexacion.com^ +||vexationworship.com^ +||vexedkindergarten.com^ +||vexevutus.com^ +||vexolinu.com^ +||vezizey.xyz^ +||vfeeopywioabi.xyz^ +||vfghc.com^ +||vfghd.com^ +||vfgte.com^ +||vfgtg.com^ +||vfl81ea28aztw7y3.pro^ +||vflouksffoxmlnk.xyz^ +||vfthr.com^ +||vfuqivac.com^ +||vfvdsati.com^ +||vfyhwapi.com^ +||vfzqtgr.com^ +||vg4u8rvq65t6.com^ +||vg876yuj.click^ +||vgfhycwkvh.com^ +||vhdbohe.com^ +||vhducnso.com^ +||vheoggjiqaz.com^ +||vhkgzudn.com^ +||vhngny-cfwm.life^ +||vi-serve.com^ +||viabagona.com^ +||viabeldumchan.com^ +||viableconferfitting.com^ +||viablegiant.com^ +||viablehornsborn.com^ +||viacavalryhepatitis.com^ +||viaexploudtor.com^ +||viamariller.com^ +||vianadserver.com^ +||viandryochavo.com^ +||vianoivernom.com^ +||viapawniarda.com^ +||viaphioner.com^ +||viapizza.online^ +||viatechonline.com^ +||viatepigan.com^ +||vibanioa.com^ +||vibrateapologiesshout.com^ +||vic-m.co^ +||vicious-instruction.pro^ +||viciousphenomenon.com^ +||victimcondescendingcable.com^ +||victoryrugbyumbrella.com^ +||victorytunatulip.com^ +||vid.me^ +||vidalak.com^ +||vidcpm.com^ +||video-adblocker.com^ +||video-serve.com^ +||videoaccess.xyz^ +||videobaba.xyz^ +||videocampaign.co^ +||videocdnshop.com^ +||videolute.biz^ +||videoplaza.tv^ +||videosprofitnetwork.com^ +||videosworks.com^ +||videovard.sx^ +||vidrugnirtop.net^ +||vids-fun.online^ +||vidshouse.online^ +||viennafeedman.click^ +||vieva.xyz^ +||view-flix.com^ +||viewablemedia.net^ +||viewagendaanna.com^ +||viewclc.com^ +||viewedcentury.com^ +||viewerebook.com^ +||viewerwhateversavour.com^ +||viewlnk.com^ +||viewpath.xyz^ +||viewscout.com^ +||viewsoz.com^ +||viewyentreat.guru^ +||vigilantprinciple.pro^ +||vigorouslymicrophone.com^ +||vigourmotorcyclepriority.com^ +||vigsole.com^ +||vihub.ru^ +||viiavjpe.com^ +||viibest.com^ +||viibmmqc.com^ +||viicylmb.com^ +||viiczfvm.com^ +||viiddai.com^ +||viidirectory.com^ +||viidsyej.com^ +||viifixi.com^ +||viifmuts.com^ +||viifogyp.com^ +||viifvqra.com^ +||viiguqam.com^ +||viihloln.com^ +||viiiaypg.com^ +||viiigle.com^ +||viiith.com^ +||viiithia.com^ +||viiiyskm.com^ +||viijan.com^ +||viimfua.com^ +||viimgupp.com^ +||viimksyi.com^ +||viiphciz.com^ +||viipilo.com^ +||viippugm.com^ +||viiqqou.com^ +||viirift.com^ +||viirkagt.com^ +||viitqvjx.com^ +||viivedun.com^ +||viiyblva.com^ +||vijajnglif.com^ +||vijcwykceav.com^ +||vijkc.top^ +||vikaez.xyz^ +||vikuhiaor.com^ +||vilereasoning.com^ +||vilerebuffcontact.com^ +||viliaff.com^ +||villagepalmful.com^ +||villagerprolific.com^ +||villagerreporter.com^ +||vilpujzmyhu.com^ +||vimaxckc.com^ +||vincentagrafes.top^ +||vindicosuite.com^ +||vindictivegrabnautical.com^ +||vinegardaring.com^ +||vingartistictaste.com^ +||vinosedermol.com^ +||vintageperk.com^ +||vintagerespectful.com^ +||vinyfilmdom.com^ +||violationphysics.click^ +||violationphysics.com^ +||violationspoonconfront.com^ +||violencegloss.com^ +||violentelitistbakery.com^ +||violentinduce.com^ +||violentlybredbusy.com^ +||violet-strip.pro^ +||violetlovelines.com^ +||violinboot.com^ +||violinmode.com^ +||vionito.com^ +||vip-datings.life^ +||vip-vip-vup.com^ +||vipads.live^ +||vipcpms.com^ +||viperishly.com^ +||vipicmou.net^ +||viral481.com^ +||viral782.com^ +||viralcpm.com^ +||viralmediatech.com^ +||viralnewsobserver.com^ +||viralnewssystems.com^ +||vireshrill.top^ +||virgalocust.shop^ +||virgenomisms.shop^ +||virgindisguisearguments.com^ +||virginityneutralsouls.com^ +||virginitystudentsperson.com^ +||virtualbrush.site^ +||virtuallythanksgivinganchovy.com^ +||virtualroecrisis.com^ +||virtue1266.fun^ +||virtuereins.com^ +||virtuousescape.pro^ +||visariomedia.com^ +||viscountquality.com^ +||viscusumgang.shop^ +||visfirst.com^ +||visiads.com^ +||visibilitycrochetreflected.com^ +||visibleevil.com^ +||visiblegains.com^ +||visiblejoseph.com^ +||visiblemeasures.com^ +||visiblyhiemal.shop^ +||visionchillystatus.com^ +||visitcrispgrass.com^ +||visitedquarrelsomemeant.com^ +||visiterpoints.com^ +||visithaunting.com^ +||visitingheedlessexamine.com^ +||visitingpurrplight.com^ +||visitormarcoliver.com^ +||visitpipe.com^ +||visitstats.com^ +||visitstrack.com^ +||visitswigspittle.com^ +||visitweb.com^ +||visoadroursu.com^ +||vistaarts.site^ +||vistaarts.xyz^ +||vistalacrux.click^ +||vistoolr.net^ +||vitaminalcove.com^ +||vitaminlease.com^ +||vitiumcranker.com^ +||vitor304apt.com^ +||vitrealresewn.shop^ +||viurl.fun^ +||vivaxhouvari.shop^ +||viviendoefelizz.online^ +||viwjsp.info^ +||viwvamotrnu.com^ +||vizierspavan.com^ +||vizoalygrenn.com^ +||vizofnwufqme.com^ +||vizoredcheerly.com^ +||vizpwsh.com^ +||vjdciu.com^ +||vjlyljbjjmley.top^ +||vjugz.com^ +||vkeagmfz.com^ +||vkebctjkr.com^ +||vkgtrack.com^ +||vkhrhbjsnypu.com^ +||vknrfwwxhxaxupqp.pro^ +||vksphze.com^ +||vkv2nodv.xyz^ +||vleigearman.com^ +||vlitag.com^ +||vlkmcpnfo.com^ +||vlkvchof.com^ +||vllsour.com^ +||vlnk.me^ +||vlry5l4j5gbn.com^ +||vltjnmkps.xyz^ +||vm8lm1vp.xyz^ +||vmauw.space^ +||vmkdfdjsnujy.xyz^ +||vmkoqak.com^ +||vmmcdn.com^ +||vmring.cc^ +||vmuid.com^ +||vmvajwc.com^ +||vndcrknbh.xyz^ +||vnie0kj3.cfd^ +||vnpxxrqlhpre.com^ +||vnrdmijgkcgmwu.com^ +||vnrherdsxr.com^ +||vntsm.com^ +||vntsm.io^ +||voapozol.com^ +||vocalreverencepester.com^ +||vocationalenquired.com^ +||vodlpsf.com^ +||vodobyve.pro^ +||vohqpgsdn.xyz^ +||voicebeddingtaint.com^ +||voicedstart.com^ +||voicepainlessdonut.com^ +||voicepeaches.com^ +||voicepythons.shop^ +||voicerdefeats.com^ +||voidmodificationdough.com^ +||vokaunget.xyz^ +||volapiepalped.com^ +||volatintptr.com^ +||volcanoexhibitmeaning.com^ +||volcanostricken.com^ +||voldarinis.com^ +||volform.online^ +||volleyballachiever.site^ +||volopi.cfd^ +||volumedpageboy.com^ +||volumesundue.com^ +||voluminouscopy.pro^ +||voluminoussoup.pro^ +||volumntime.com^ +||voluntarilydale.com^ +||voluntarilylease.com^ +||volunteerbrash.com^ +||volunteerpiled.com^ +||voluumtracker.com^ +||voluumtrk.com^ +||voluumtrk3.com^ +||volyze.com^ +||vomitsuite.com^ +||vonkol.com^ +||vooculok.com^ +||vooodkabelochkaa.com^ +||voopaicheba.com^ +||voopsookie.net^ +||vooptikoph.net^ +||vooshagy.net^ +||vootapoago.com^ +||voovoacivoa.net^ +||voredi.com^ +||vorougna.com^ +||vossulekuk.com^ +||voteclassicscocktail.com^ +||vothongeey.net^ +||votinginvolvingeyesight.com^ +||vouchanalysistonight.com^ +||voucoapoo.com^ +||voudl.club^ +||vougaipte.net^ +||vounesto.com^ +||vouwhowhaca.net^ +||vowelparttimegraceless.com^ +||voxar.xyz^ +||voxfind.com^ +||voyageschoolanymore.com^ +||voyagessansei.com^ +||vpbpb.com^ +||vpico.com^ +||vpipi.com^ +||vplgggd.com^ +||vpn-defend.com^ +||vpn-offers.info^ +||vpnlist.to^ +||vpnonly.site^ +||vpop2.com^ +||vprtrfc.com^ +||vptbn.com^ +||vpuaklat.com^ +||vpumfeghiall.com^ +||vqfumxea.com^ +||vqonjcnsl.com^ +||vrcjleonnurifjy.xyz^ +||vrcvuqtijiwgemi.com^ +||vrgvugostlyhewo.info^ +||vrime.xyz^ +||vrizead.com^ +||vroomedbedroll.shop^ +||vrplynsfcr.xyz^ +||vrtzads.com^ +||vrvxovgj.xyz^ +||vs3.com^ +||vscinyke.com^ +||vsftsyriv.com^ +||vsgyfixkbow.com^ +||vshzouj.com^ +||vsmokhklbw.com^ +||vstserv.com^ +||vstvstsa.com^ +||vstvstsaq.com^ +||vtabnalp.net^ +||vteflygt.com^ +||vtetishcijmi.com^ +||vtftijvus.xyz^ +||vtipsgwmhwflc.com^ +||vtoajoyxqicss.com^ +||vtveyowwjvz.com^ +||vtydavos.com^ +||vu-kgxwyxpr.online^ +||vudaiksaidy.com^ +||vudkgwfk.xyz^ +||vudoutch.com^ +||vufaurgoojoats.net^ +||vufsqwipynwjp.com^ +||vuftouks.com^ +||vufzuld.com^ +||vugloubeky.net^ +||vugnubier.com^ +||vugpakba.com^ +||vuidccfq.life^ +||vuiluaz.xyz^ +||vulgarmilletappear.com^ +||vulnerablebreakerstrong.com^ +||vulnerablepeevestendon.com^ +||vulsubsaugrourg.net^ +||vuohztiwpwqd.com^ +||vupoupay.com^ +||vupteerairs.net^ +||vuqcteyi.com^ +||vuqufo.uno^ +||vursoofte.net^ +||vuvacu.xyz^ +||vuvcroguwtuk.com^ +||vv8h9vyjgnst.com^ +||vvehvch.com^ +||vvpojbsibm.xyz^ +||vvprcztaw.com^ +||vvvvdbrrt.com^ +||vwagkipi.com^ +||vwchbsoukeq.xyz^ +||vwegihahkos.com^ +||vwinagptucpa.com^ +||vwioxxra.com^ +||vwpttkoh.xyz^ +||vwuiefsgtvixw.xyz^ +||vwwzygltq.com^ +||vxfxkhzdaa.com^ +||vxorjza.com^ +||vyebzzbovvorz.top^ +||vyfrxuytzn.com^ +||vyxanrtgkrbsbl.com^ +||vz.7vid.net^ +||vzeakntvvkc.one^ +||vzigttqgqx.com^ +||vzoarcomvorz.com^ +||vztlivv.com^ +||w-gbttkri.global^ +||w0we.com^ +||w3exit.com^ +||w3plywbd72pf.com^ +||w4.com^ +||w454n74qw.com^ +||w55c.net^ +||waazgwojnfqx.life^ +||wadauthy.net^ +||waescyne.com^ +||waeshana.com^ +||wafflesquaking.com^ +||wafmedia6.com^ +||waframedia5.com^ +||wagenerfevers.com^ +||wagerjoint.com^ +||wagerprocuratorantiterrorist.com^ +||wagershare.com^ +||wagersinging.com^ +||waggonerchildrensurly.com^ +||wagroyalcrap.com^ +||wagtelly.com^ +||wahoha.com^ +||waigriwa.xyz^ +||wailoageebivy.net^ +||waisheph.com^ +||waistcoataskeddone.com^ +||waisterisabel.com^ +||wait4hour.info^ +||waitedprowess.com^ +||waitheja.net^ +||waiting.biz^ +||waitumaiwy.xyz^ +||waiwiboonubaup.xyz^ +||wakemessyantenna.com^ +||wakenprecox.com^ +||wakenssponged.com^ +||walhe-dap.com^ +||walkedcreak.com^ +||walkerbayonet.com^ +||walkinggruff.com^ +||walkingtutor.com^ +||walknotice.com^ +||wallacehoneycombdry.com^ +||wallacelaurie.com^ +||walletbrutallyredhead.com^ +||wallowwholi.info^ +||wallowwholikedto.info^ +||wallpapersfacts.com^ +||wallstrads.com^ +||waltzersurvise.com^ +||waltzprescriptionplate.com^ +||wanalnatnwto.com^ +||wanderingchimneypainting.com^ +||wangfenxi.com^ +||wangrocery.pro^ +||wanintrudeabbey.com^ +||wanlyavower.com^ +||wannessdebus.com^ +||wanodtbfif.com^ +||wansafeguard.com^ +||wansultoud.com^ +||want-s0me-push.net^ +||want-some-psh.com^ +||want-some-push.net^ +||wantedjeff.com^ +||wantingunmovedhandled.com^ +||wantopticalfreelance.com^ +||wapbaze.com^ +||waptrick.com^ +||waqool.com^ +||wardagecouched.shop^ +||wardhunterwaggoner.com^ +||warehouseassistedsprung.com^ +||warehousecanneddental.com^ +||warehousestoragesparkling.com^ +||warfarerewrite.com^ +||wargfybaqc.com^ +||warilycommercialconstitutional.com^ +||warilydigestionauction.com^ +||warindifferent.com^ +||warliketruck.com^ +||warlockstallioniso.com^ +||warlockstudent.com^ +||warm-course.pro^ +||warmerdisembark.com^ +||warnmessage.com^ +||warnothnayword.shop^ +||warped-bus.com^ +||warrantpiece.com^ +||warriorflowsweater.com^ +||warsabnormality.com^ +||warscoltmarvellous.com^ +||warumbistdusoarm.space^ +||warwickgph.top^ +||wary-corner.com^ +||warycsrm.com^ +||wasanasosetto.com^ +||washedgrimlyhill.com^ +||washingchew.com^ +||washingoccasionally.com^ +||wasoolekretche.xyz^ +||wasortg.com^ +||wasp-182b.com^ +||waspdiana.com^ +||waspilysagene.com^ +||waspishoverhear.com^ +||wasqimet.net^ +||wastecaleb.com^ +||wastedclassmatemay.com^ +||wastedinvaluable.com^ +||wastefuljellyyonder.com^ +||watch-now.club^ +||watchcpm.com^ +||watcheraddictedpatronize.com^ +||watcherdisastrous.com^ +||watcherworkingbrand.com^ +||watchespounceinvolving.com^ +||watchesthereupon.com^ +||watchingthat.com^ +||watchingthat.net^ +||watchlivesports4k.club^ +||watchmarinerflint.com^ +||watchmytopapp.top^ +||watchthistop.net^ +||waterfallblessregards.com^ +||waterfallchequeomnipotent.com^ +||waterfrontdisgustingvest.com^ +||wateryzapsandwich.com^ +||watwait.com^ +||waubibubaiz.com^ +||waudeesestew.com^ +||waufooke.com^ +||waughyakalo.top^ +||waugique.net^ +||wauglauthoawoa.net^ +||waujigarailo.net^ +||wauroufu.net^ +||waust.at^ +||wauthaik.net^ +||wavauphaiw.xyz^ +||wavedfrailentice.com^ +||wavedprincipal.com^ +||waveelectbarn.com^ +||waverdisembroildisembroildeluge.com^ +||waxapushlite.com^ +||waxworksprotectivesuffice.com^ +||wayfarerfiddle.com^ +||wayfgwbipgiz.com^ +||waymarkgentiin.com^ +||waymentriddel.com^ +||wazaki.xyz^ +||wazctigribhy.com^ +||wazoceckoo.net^ +||wazzeyzlobbj.top^ +||wbdds.com^ +||wbdqwpu.com^ +||wbidder.online^ +||wbidder2.com^ +||wbidder3.com^ +||wbidder311072023.com^ +||wbidder4.com^ +||wbidr.com^ +||wbilvnmool.com^ +||wbkfklsl.com^ +||wboptim.online^ +||wboux.com^ +||wbowoheflewroun.info^ +||wbsads.com^ +||wcaahlqr.xyz^ +||wcadfvvwbbw.xyz^ +||wcbxugtfk.com^ +||wcgcddncqveiqia.xyz^ +||wcigmepzygad.com^ +||wcmcs.net^ +||wcnhhqqueu.com^ +||wcoaswaxkrt.com^ +||wcpltnaoivwob.xyz^ +||wcqtgwsxur.xyz^ +||wct.link^ +||wcuolmojkzir.com^ +||wdavrzv.com^ +||wdohhlagnjzi.com^ +||wdqrmaro.com^ +||wdt9iaspfv3o.com^ +||wduqxbvhpwd.xyz^ +||weakcompromise.com^ +||wealthextend.com^ +||wealthsgraphis.com^ +||wealthyonsethelpless.com^ +||weanyergravely.com^ +||weaponsnondescriptperceive.com^ +||wearbald.care^ +||wearevaporatewhip.com^ +||wearisomeexertiontales.com^ +||wearyvolcano.com^ +||weaselabsolute.com^ +||weaselmicroscope.com^ +||weathercockr.com^ +||weatherplllatform.com^ +||weatherstumphrs.com^ +||weaveradrenaline.com^ +||weayrvveooomw.top^ +||web-guardian.xyz^ +||web-hosts.io^ +||web-protection-app.com^ +||web-security.cloud^ +||web0.eu^ +||webads.co.nz^ +||webads.media^ +||webadserver.net^ +||webair.com^ +||webassembly.stream^ +||webatam.com^ +||webcampromo.com^ +||webcampromotions.com^ +||webclickengine.com^ +||webclickmanager.com^ +||webcontentassessor.com^ +||webeyelaguna.shop^ +||webfanclub.com^ +||webfreesave.monster^ +||webmedrtb.com^ +||webpinp.com^ +||webpushcloud.info^ +||webquizspot.com^ +||webscouldlearnof.info^ +||webseeds.com^ +||websitepromoserver.com^ +||websphonedevprivacy.autos^ +||webstats1.com^ +||webstorestore.store^ +||webteaser.ru^ +||webtradehub.com^ +||wecontemptceasless.com^ +||wecouldle.com^ +||wedauspicy.com^ +||wedgierbirsit.com^ +||wednesdaynaked.com^ +||wednesdaywestern.com^ +||wedonhisdhiltew.info^ +||wee-intention.com^ +||weebipoo.com^ +||weedazou.net^ +||weednewspro.com^ +||weegraphooph.net^ +||weejaugest.net^ +||week1time.com^ +||weekendchinholds.com^ +||weensnandow.com^ +||weensydudler.com^ +||weephuwe.xyz^ +||weepingheartache.com^ +||weepingpretext.com^ +||weeprobbery.com^ +||weesatoothoamu.net^ +||weethery.com^ +||weeweesozoned.com^ +||weewhunoamo.xyz^ +||weezoptez.net^ +||wefoonsaidoo.com^ +||wegeeraitsou.xyz^ +||wegetpaid.net^ +||wegotmedia.com^ +||wehaveinourd.com^ +||weighssloughs.shop^ +||weightfeathersoffhand.com^ +||weinas.co.in^ +||weird-lab.pro^ +||weirddistribution.pro^ +||wejeestuze.net^ +||wel-wel-fie.com^ +||welcomeargument.com^ +||welcomememory.pro^ +||welcomeneat.pro^ +||welcomevaliant.com^ +||welcomingvigour.com^ +||welfarefit.com^ +||welfaremarsh.com^ +||welimiscast.com^ +||wellexpressionrumble.com^ +||wellhello.com^ +||welliesazoxime.com^ +||welllwrite.com^ +||wellmov.com^ +||wellpdy.com^ +||welrauns.top^ +||welved.com^ +||wembybuw.xyz^ +||wemmyoolakan.shop^ +||wemoustacherook.com^ +||wempeegnalto.com^ +||wempooboa.com^ +||wemtagoowhoohiz.net^ +||wendelstein-1b.com^ +||wenher.com^ +||weownthetraffic.com^ +||wepainsoaken.com^ +||werdolsolt.com^ +||weredthechild.info^ +||weredthechildre.com^ +||wereksbeforebut.info^ +||weremoiety.com^ +||wererxrzmp.com^ +||wersoorgaglaz.xyz^ +||werwolfloll.com^ +||weshooship.net^ +||wesicuros.com^ +||wesmallproclaim.com^ +||westcoa.com^ +||westernhungryadditions.com^ +||westernwhetherowen.com^ +||wet-maybe.pro^ +||wetlinepursuing.com^ +||wetnesstommer.com^ +||wetpeachcash.com^ +||wetsireoverload.com^ +||wevechinse.com^ +||wewaixor.com^ +||wewearegogogo.com^ +||wextap.com^ +||wfcs.lol^ +||wffbdim.com^ +||wfnetwork.com^ +||wfodwkk.com^ +||wfredir.net^ +||wg-aff.com^ +||wgchrrammzv.com^ +||wggqzhmnz.com^ +||wgnefmhwookdh.com^ +||wgvqa.club^ +||whackresolved.com^ +||whacmoltibsay.net^ +||whagrolt.com^ +||whaickeenie.xyz^ +||whaickossu.net^ +||whaidree.com^ +||whaidroansee.net^ +||whaijeezaugh.com^ +||whaijoorgoo.com^ +||whainger.com^ +||whainsairgi.net^ +||whairtoa.com^ +||whaitsaitch.com^ +||whaixoads.xyz^ +||whakoxauvoat.xyz^ +||whaleads.com^ +||whaleapartmenthumor.com^ +||whalems.com^ +||whalepeacockwailing.com^ +||whamauft.com^ +||whampamp.com^ +||whandpolista.com^ +||wharployn.com^ +||wharrownecia.com^ +||wharvemotet.com^ +||whateyesight.com^ +||whatisnewappforyou.top^ +||whatisuptodaynow.com^ +||whatredkm.com^ +||whatsoeverlittle.com^ +||whaudsur.net^ +||whauglorga.com^ +||whaukrimsaix.com^ +||whaunsockou.xyz^ +||whaurgoopou.com^ +||whautchaup.net^ +||whautsis.com^ +||whauvebul.com^ +||whazugho.com^ +||wheceelt.net^ +||whechypheshu.com^ +||wheegaulrie.net^ +||wheel-of-fortune-prod.com^ +||wheeledfunctionstruthfully.com^ +||wheelsbullyingindolent.com^ +||wheelscomfortlessrecruiting.com^ +||wheelsetsur.net^ +||wheelssightsdisappointed.com^ +||wheelstweakautopsy.com^ +||wheempet.xyz^ +||wheenacmuthi.com^ +||wheeptit.net^ +||wheeshoo.net^ +||whefookak.net^ +||whegnoangirt.net^ +||whehongu.com^ +||wheksuns.net^ +||whempine.xyz^ +||whencecrappylook.com^ +||whenceformationruby.com^ +||whencewaxworks.com^ +||whenolri.com^ +||where-to.shop^ +||where.com^ +||wherebyinstantly.com^ +||whereres.com^ +||whereuponcomicsraft.com^ +||wherevertogo.com^ +||wherticewhee.com^ +||wherunee.com^ +||whetin.com^ +||whhasymvi.com^ +||whiboubs.com^ +||whiceega.com^ +||whichcandiedhandgrip.com^ +||whidoutounseegn.xyz^ +||whidsugnoackili.net^ +||whileinferioryourself.com^ +||whilieesrogs.top^ +||whilroacix.com^ +||whilstrorty.com^ +||whimpercategory.com^ +||whimsicalcoat.com^ +||whinemalnutrition.com^ +||whippedfreezerbegun.com^ +||whiprayoutkill.com^ +||whirlclick.com^ +||whirltoes.com^ +||whirlwindofnews.com^ +||whirredbajau.com^ +||whishannuent.com^ +||whiskersbonnetcamping.com^ +||whiskerssituationdisturb.com^ +||whiskerssunflowertumbler.com^ +||whiskersthird.com^ +||whiskeydepositopinion.com^ +||whisperinflate.com^ +||whisperingauroras.com^ +||whisperofisaak.com^ +||whistledittyshrink.com^ +||whistledprocessedsplit.com^ +||whistlingbeau.com^ +||whistlingmoderate.com^ +||whistlingvowel.com^ +||whiteaccompanypreach.com^ +||whitenoisenews.com^ +||whitepark9.com^ +||whizzerrapiner.com^ +||whoaglouvawe.com^ +||whoansodroas.net^ +||whoavaud.net^ +||whoawhoug.com^ +||whoawoansoo.com^ +||wholeactualjournal.com^ +||wholeactualnewz.com^ +||wholecommonposts.com^ +||wholecoolposts.com^ +||wholecoolstories.com^ +||wholedailyfeed.com^ +||wholefreshposts.com^ +||wholehugewords.com^ +||wholenicenews.com^ +||wholewowblog.com^ +||whollyneedy.com^ +||whomcomposescientific.com^ +||whomspreadbeep.com^ +||whomsudsikaxu.com^ +||whoobaumpairto.xyz^ +||whoodiksaglels.net^ +||whookrair.xyz^ +||whookroo.com^ +||whoomseezesh.com^ +||whoopblew.com^ +||whoostoo.net^ +||whootitoukrol.net^ +||whoppercreaky.com^ +||whoptoorsaub.com^ +||whotsirs.net^ +||whoulikaihe.net^ +||whoumpouks.net^ +||whoumtefie.com^ +||whoumtip.xyz^ +||whounoag.xyz^ +||whounsou.com^ +||whouptoomsy.net^ +||whourgie.com^ +||whouroazu.net^ +||whoursie.com^ +||whouseem.com^ +||whouvoart.com^ +||whowhipi.net^ +||whqxqwy.com^ +||whubouzees.com^ +||whudroots.net^ +||whufteekoam.com^ +||whugeestauva.com^ +||whugesto.net^ +||whulrima.xyz^ +||whulsaux.com^ +||whunpainty.com^ +||whupsoza.xyz^ +||whutchey.com^ +||whuzucot.net^ +||whyl-laz-i-264.site^ +||whywolveshowl.com^ +||wibtntmvox.com^ +||wicdn.cloud^ +||wickedhumankindbarrel.com^ +||wicopymastery.com^ +||wideaplentyinsurance.com^ +||wideeyed-painting.com^ +||widerdaydream.com^ +||widerperspire.com^ +||widerrose.com^ +||widgetbucks.com^ +||widgetly.com^ +||widiaoexhe.top^ +||widow5blackfr.com^ +||widrelroalrie.net^ +||widthovercomerecentrecent.com^ +||wifegraduallyclank.com^ +||wifescamara.click^ +||wifeverticallywoodland.com^ +||wigetmedia.com^ +||wiggledeteriorate.com^ +||wigrooglie.net^ +||wigsynthesis.com^ +||wikbdhq.com^ +||wild-plant.pro^ +||wildedbarley.com^ +||wildestduplicate.com^ +||wildestelf.com^ +||wildhookups.com^ +||wildlifefallinfluenced.com^ +||wildlifesolemnlyrecords.com^ +||wildmatch.com^ +||wildxxxparties.com^ +||wilfridjargonby.com^ +||wilfulknives.com^ +||wilfulsatisfaction.com^ +||williamfaxarts.com^ +||williamporterlilac.com^ +||williednb.com^ +||willowantibiotic.com^ +||willtissuetank.com^ +||wilrimowpaml.com^ +||wilslide.com^ +||wiltaustaug.com^ +||wimblesmurgavi.top^ +||wimpthirtyarrears.com^ +||win-bidding.com^ +||winbestprizess.info^ +||winbuyer.com^ +||windfallcleaningarrange.com^ +||windindelicateexclusive.com^ +||windingnegotiation.com^ +||windingsynonym.com^ +||windlebrogues.com^ +||windowsaura.com^ +||windowsuseful.com^ +||windrightyshade.com^ +||windsplay.com^ +||windsuredine.shop^ +||windymissphantom.com^ +||winecolonistbaptize.com^ +||wineinstaller.com^ +||winewiden.com^ +||wingads.com^ +||wingerssetiger.com^ +||wingjav11.fun^ +||wingoodprize.life^ +||wingselastic.com^ +||wingstoesassemble.com^ +||winkexpandingsleigh.com^ +||winneradsmedia.com^ +||winnersolutions.net^ +||winningorphan.com^ +||winori.xyz^ +||winpbn.com^ +||winr.online^ +||winsaijoacoo.net^ +||winsimpleprizes.life^ +||winslinks.com^ +||winternewsnow.name^ +||winterolivia.com^ +||wintjaywolf.org^ +||wintrck.com^ +||wipedhypocrite.com^ +||wipeilluminationlocomotive.com^ +||wipepeepcyclist.com^ +||wipowaxe.com^ +||wiremembership.com^ +||wirenth.com^ +||wiringsensitivecontents.com^ +||wirsilsa.net^ +||wirtooxoajet.net^ +||wisfriendshad.info^ +||wishesantennarightfully.com^ +||wishjus.com^ +||wishoblivionfinished.com^ +||wishoutergrown.com^ +||wister.biz^ +||witalfieldt.com^ +||witasix.com^ +||withblaockbr.org^ +||withdrawcosmicabundant.com^ +||withdrawdose.com^ +||withdrawwantssheep.com^ +||withdrewparliamentwatery.com^ +||withenvisagehurt.com^ +||withholdrise.com^ +||withmefeyaukn.com^ +||withmefeyaukna.com^ +||withnimmunger.com^ +||withyouryret.com^ +||withyouryretye.info^ +||witnessedcompany.com^ +||witnessedworkerplaid.com^ +||witnessjacket.com^ +||witnessremovalsoccer.com^ +||witnesssellingoranges.com^ +||witnesssimilarindoors.com^ +||wittilyfrogleg.com^ +||wivtuhoftat.com^ +||wiwarrkazg.com^ +||wizardscharityvisa.com^ +||wizardunstablecommissioner.com^ +||wizkrdxivl.com^ +||wizssgf.com^ +||wjct3s8at.com^ +||wjljwqbmmjaqz.top^ +||wjqssnujrbyu.com^ +||wjtzvvdqvfjd.com^ +||wjvavwjyaso.com^ +||wka4jursurf6.com^ +||wkblbmrdkox.com^ +||wkcwtmsbrmbka.com^ +||wkoocuweg.com^ +||wkpgetvhidtj.com^ +||wkqcnkstso.com^ +||wkvpvglcjsagi.xyz^ +||wkwqljwykorov.top^ +||wl-cornholio.com^ +||wlafx4trk.com^ +||wlen1bty92.pro^ +||wllqotfmkhlhx.xyz^ +||wlrkcefll.com^ +||wlyfiii.com^ +||wlzzwzekkbkaj.top^ +||wma.io^ +||wmadmht.com^ +||wmaoxrk.com^ +||wmbbsat.com^ +||wmccd.com^ +||wmcdct.com^ +||wmcdpt.com^ +||wmdzefk.com^ +||wmeqobozarbjm.top^ +||wmgtr.com^ +||wmlollmokyaak.top^ +||wmmbcwzd24bk.shop^ +||wmnnjfe.com^ +||wmober.com^ +||wmpevgwd.com^ +||wmpset.com^ +||wmptcd.com^ +||wmptctl.com^ +||wmpted.com^ +||wmptengate.com^ +||wmptpr.com^ +||wmpuem.com^ +||wmtten.com^ +||wmudsraxwj.xyz^ +||wmwwmbjkqomr.top^ +||wmzlbovyjrzmr.top^ +||wnjjhksaue.com^ +||wnp.com^ +||wnrusisedprivatedq.info^ +||wnrvrwabnxa.com^ +||wnt-s0me-push.net^ +||wnt-some-psh.net^ +||wnt-some-push.com^ +||wnt-some-push.net^ +||wnvdgegsjoqoe.xyz^ +||woafoame.net^ +||woagroopsek.com^ +||woaneezy.com^ +||woaniphud.com^ +||woapheer.com^ +||woapimaugu.net^ +||woareejoaley.net^ +||wocwibkfutrj.com^ +||woefifty.com^ +||woespoke.com^ +||woevr.com^ +||wofgtbofyaslp.com^ +||wogglehydrae.com^ +||wokenoptionalcohabit.com^ +||wokeshootdisreputable.com^ +||wokm8isd4zit.com^ +||wokseephishopty.net^ +||wolaufie.com^ +||wollycanoing.com^ +||wolqundera.com^ +||wolsretet.net^ +||wolve.pro^ +||womadsmart.com^ +||womangathering.com^ +||wombalayah.com^ +||wombierfloc.com^ +||wombjingle.com^ +||womenvocationanxious.com^ +||womerasecocide.com^ +||woncherish.com^ +||wonconsists.com^ +||wondefulapplend.com^ +||wonderanticipateclear.com^ +||wonderfulstatu.info^ +||wonderhsjnsd.com^ +||wonderlandads.com^ +||woneguess.click^ +||wonfigfig.com^ +||wongahmalta.com^ +||wonigiwurtounsu.xyz^ +||wonnauseouswheel.com^ +||wooballast.com^ +||woodbeesdainty.com^ +||woodejou.net^ +||woodenguardsheartburn.com^ +||woodlandanyone.com^ +||woodlandsmonthlyelated.com^ +||woodlotrubato.com^ +||woodygloatneigh.com^ +||woodymotherhood.com^ +||woogoust.com^ +||woolenabled.com^ +||woollensimplicity.com^ +||woollenthawewe.com^ +||woollouder.com^ +||woopeekip.com^ +||wootmedia.net^ +||woovoree.net^ +||wopsedoaltuwipp.com^ +||wopsedoaltuwn.com^ +||wopsedoaltuwo.com^ +||wopsedoaltuwp.com^ +||wordfence.me^ +||wordpersonify.com^ +||wordsnought.com^ +||wordyhall.pro^ +||wordyjoke.pro^ +||woreensurelee.com^ +||worehumbug.com^ +||worersie.com^ +||workback.net^ +||workedqtam.com^ +||workedworlds.com^ +||workerprogrammestenderly.com^ +||workplacenotchperpetual.com^ +||workroommarriage.com^ +||worldactualstories.com^ +||worldbestposts.com^ +||worldbusiness.life^ +||worldcommonwords.com^ +||worldfreshblog.com^ +||worldglobalssp.xyz^ +||worldlyyouth.com^ +||worldpraisedcloud.com^ +||worldsportlife.com^ +||worldswanmixed.com^ +||worldtimes2.xyz^ +||worldtraffic.trade^ +||worldwidemailer.com^ +||worlowedonhi.info^ +||wormdehydratedaeroplane.com^ +||wormsunflame.com^ +||wornie.com^ +||wornshoppingenvironment.com^ +||worritsmahra.com^ +||worryingonto.com^ +||worshipstubborn.com^ +||worst-zone.pro^ +||worstgoodnightrumble.com^ +||worstideatum.com^ +||worstspotchafe.com^ +||worthlesspattern.com^ +||worthlessstrings.com^ +||worthspontaneous.com^ +||worthwhile-science.pro^ +||worthwhile-wash.com^ +||worthylighteravert.com^ +||wotihxqbdrbmk.xyz^ +||woudaufe.net^ +||wouhikeelichoo.net^ +||woujaupi.xyz^ +||woujoami.com^ +||woulddecade.com^ +||wouldlikukemyf.info^ +||wouldmakefea.com^ +||wouldmakefea.org^ +||wouldmakefeagre.info^ +||wouldmeukeuk.com^ +||wouldtalkbust.com^ +||woupsucheerar.net^ +||woushucaug.com^ +||wovensur.com^ +||wow-click.click^ +||wowcalmnessdumb.com^ +||wowlnk.com^ +||wowoajouptie.xyz^ +||wowoghoakru.net^ +||wowrapidly.com^ +||wowreality.info^ +||wowshortvideos.com^ +||wp3advesting.com^ +||wpadmngr.com^ +||wparcunnv.xyz^ +||wpcjyxwdsu.xyz^ +||wpfly-sbpkrd.icu^ +||wpiajkniqnty.com^ +||wpncdn.com^ +||wpnetwork.eu^ +||wpnjs.com^ +||wpnrtnmrewunrtok.xyz^ +||wpnsrv.com^ +||wpshsdk.com^ +||wpsmcns.com^ +||wpu.sh^ +||wpush.org^ +||wpushorg.com^ +||wqikubjktp.xyz^ +||wqjzajr.com^ +||wqlnfrxnp.xyz^ +||wqorxfp.com^ +||wqzqoobqpubx.com^ +||wqzyxxrrep.com^ +||wraithymessmen.com^ +||wraithyupswept.shop^ +||wrapdime.com^ +||wrappeddimensionimpression.com^ +||wrappedhalfwayfunction.com^ +||wrappedproduct.com^ +||wrathful-alternative.com^ +||wrathyblesmol.com^ +||wreaksyolkier.com^ +||wreathabble.com^ +||wreckonturr.info^ +||wrenterritory.com^ +||wrestcut.com^ +||wretched-confusion.com^ +||wretchedbomb.com^ +||wretcheddrunkard.com^ +||wrevenuewasadi.com^ +||wrgjbsjxb.xyz^ +||wringdecorate.com^ +||wrinkleinworn.shop^ +||wrinkleirritateoverrated.com^ +||wristhunknagging.com^ +||wristtrunkpublication.com^ +||writeestatal.space^ +||writhehawm.com^ +||writingwhine.com^ +||wrongwayfarer.com^ +||wroteeasel.com^ +||wrrlidnlerx.com^ +||wrufer.com^ +||ws5ujgqkp.com^ +||ws67eqwwp.pro^ +||wsafeguardpush.com^ +||wsaidthemathe.info^ +||wscnlcuwtxxaja.com^ +||wsjlbbqemr23.com^ +||wsmobltyhs.com^ +||wsokomw.com^ +||wsoldiyajjufmvk.xyz^ +||wspsbhvnjk.com^ +||wstyruafypihv.xyz^ +||wt20trk.com^ +||wtcysmm.com^ +||wtg-ads.com^ +||wthbjrj.com^ +||wtmhwnv.com^ +||wtpmulljv.com^ +||wtyankriwnza.com^ +||wuchaurteed.com^ +||wuci1.xyz^ +||wuckaity.com^ +||wuczmaorkqaz.com^ +||wudr.net^ +||wuefmls.com^ +||wugoughurtaitsu.net^ +||wugroansaghadry.com^ +||wumufama.com^ +||wunishamjch.com^ +||wuporg.com^ +||wurqaz.com^ +||wussucko.com^ +||wutseelo.xyz^ +||wuujae.com^ +||wuwhaigri.xyz^ +||wuxlvvcv.com^ +||wuzbhjpvsf.com^ +||wvboajjti.com^ +||wvfhosisdsl.xyz^ +||wvhba6470p.com^ +||wvtynme.com^ +||wvubihtrc.com^ +||wvvkxni.com^ +||wvwjdrli.com^ +||wvy-ctvjoon.xyz^ +||ww2.imgadult.com^ +||ww2.imgtaxi.com^ +||ww2.imgwallet.com^ +||wwaeljajwvlrw.top^ +||wwaowwonthco.com^ +||wwarvlorkeww.top^ +||wwfx.xyz^ +||wwhnjrg.com^ +||wwija.com^ +||wwjnoafuexamtg.com^ +||wwkedpbh4lwdmq16okwhiteiim9nwpds2.com^ +||wwllfxt.com^ +||wworqxftyexcmb.xyz^ +||wwow.xyz^ +||wwoww.xyz^ +||wwowww.xyz^ +||wwpon365.ru^ +||wwqssmg.com^ +||wwvxdhbmlqcgk.xyz^ +||wwwadcntr.com^ +||wwwowww.xyz^ +||wwwpromoter.com^ +||wwwwzeraqvrej.top^ +||wxhiojortldjyegtkx.bid^ +||wxqbopca-i.global^ +||wxseedslpi.com^ +||wxzjxasvczjoh.com^ +||wyeczfx.com^ +||wyglyvaso.com^ +||wyhifdpatl.com^ +||wyjjqoqlfjtbbr.com^ +||wyjkqvtgwmjqb.xyz^ +||wymymep.com^ +||wynather.com^ +||wynvalur.com^ +||wyrockraptest.shop^ +||wysasys.com^ +||wyvlljvbbjvvm.top^ +||wywkwqqvbvyvr.top^ +||wzcuinglezyz.one^ +||wzk5ndpc3x05.com^ +||wzlbhfldl.com^ +||wzxty168.com^ +||x-jmezfjpjt.today^ +||x-zjxfhysb.love^ +||x011bt.com^ +||x2tsa.com^ +||x4pollyxxpush.com^ +||x7r3mk6ldr.com^ +||xad.com^ +||xadcentral.com^ +||xads.top^ +||xadsmart.com^ +||xaea12play.xyz^ +||xahttwmfmyji.com^ +||xalienstreamx.com^ +||xameleonads.com^ +||xapads.com^ +||xarvilo.com^ +||xavitithnga.buzz^ +||xawlop.com^ +||xaxoro.com^ +||xaxrtiahkft.com^ +||xazojei-z.top^ +||xbc8fsvo5w75wwx8.pro^ +||xbtjupfy.xyz^ +||xbuycgcae.com^ +||xbxmdlosph.xyz^ +||xbyeerhl.com^ +||xcdkxayfqe.com^ +||xcec.ru^ +||xcelltech.com^ +||xcelsiusadserver.com^ +||xcinilwpypp.com^ +||xclicks.net^ +||xcmalrknnt.com^ +||xcowuheclvwryh.com^ +||xcuffrzha.com^ +||xcvrdyjthpep.com^ +||xcxbqohm.xyz^ +||xder1.fun^ +||xder1.online^ +||xdfrdcuiug.com^ +||xdgelyt.com^ +||xdirectx.com^ +||xdisplay.site^ +||xdiwbc.com^ +||xdmanage.com^ +||xdownloadright.com^ +||xebadu.com^ +||xegluwate.com^ +||xel-xel-fie.com^ +||xelllwrite.com^ +||xeltq.com^ +||xemiro.uno^ +||xenylclio.com^ +||xeoprwhhiuig.xyz^ +||xevbjycybvb.xyz^ +||xfdmihlzrmks.com^ +||xfileload.com^ +||xfohaxohrjr.com^ +||xfwblpomxc.com^ +||xfxssqakis.com^ +||xg-jbpmnru.online^ +||xgdljiasdo.xyz^ +||xgihlgcfuu.com^ +||xgokhtmizpgj.com^ +||xgraph.net^ +||xgroserhkug.com^ +||xgtfptm.com^ +||xhcouznqwhwas.com^ +||xhhaakxn.xyz^ +||xholinqbbicfk.com^ +||xhulafpup.com^ +||xhvaqgs.com^ +||xhwwcif.com^ +||xhzz3moj1dsd.com^ +||xijgedjgg5f55.com^ +||ximybkpxwu.com^ +||xineday.com^ +||xipteq.com^ +||xiqougw.com^ +||xitesa.uno^ +||xjefqrxric.com^ +||xjfqqyrcz.com^ +||xjgilqkymq.com^ +||xjincmbrulchml.xyz^ +||xjkhaow.com^ +||xjlqybkll.com^ +||xjrwxfdphc.com^ +||xjsx.lol^ +||xjupijxdt.xyz^ +||xkacs5av.xyz^ +||xkbgqducppuan.xyz^ +||xkejsns.com^ +||xkesalwueyz.com^ +||xkowcsl.com^ +||xkpbcd.com^ +||xksqb.com^ +||xktxemf.com^ +||xkwwnle.com^ +||xlarixmmdvr.xyz^ +||xlifcbyihnhvmcy.xyz^ +||xliirdr.com^ +||xlirdr.com^ +||xlivesex.com^ +||xlivesucces.com^ +||xlivesucces.world^ +||xlivrdr.com^ +||xlrdr.com^ +||xlrm-tech.com^ +||xlviiirdr.com^ +||xlviirdr.com^ +||xlvirdr.com^ +||xmas-xmas-wow.com^ +||xmaswrite.com^ +||xmediaserve.com^ +||xmegaxvideox.com^ +||xml-api.online^ +||xml-clickurl.com^ +||xmladserver.com^ +||xmlap.com^ +||xmlapiclickredirect.com^ +||xmlgrab.com^ +||xmlking.com^ +||xmllover.com^ +||xmlppcbuzz.com^ +||xmlrtb.com^ +||xmlwiz.com^ +||xms.lol^ +||xmsflzmygw.com^ +||xnrowzw.com^ +||xoalt.com^ +||xoarmpftxu.com^ +||xoilactv123.gdn^ +||xoilactvcj.cc^ +||xolen.xyz^ +||xovdrxkog.xyz^ +||xoyrxawri.com^ +||xpollo.com^ +||xporn.in^ +||xppedxgjxcajuae.xyz^ +||xpxsfejcf.com^ +||xqdbitceeeixnw.com^ +||xqeoitqw.site^ +||xqmvzmt.com^ +||xqwcryh.com^ +||xragnfrjhiqep.xyz^ +||xrpikxtnmvcm.com^ +||xrrdi.com^ +||xruolsogwsi.com^ +||xskctff.com^ +||xsrs.com^ +||xstreamsoftwar3x.com^ +||xszcdn.com^ +||xszpuvwr7.com^ +||xtalfuwcxh.com^ +||xtepjbjncast.com^ +||xtrackme.com^ +||xtraserp.com^ +||xtremeserve.xyz^ +||xtremeviewing.com^ +||xtroglobal.com^ +||xttaff.com^ +||xtvrgxbiteit.xyz^ +||xubcnzfex.com^ +||xucashntaghy.com^ +||xueserverhost.com^ +||xuhabkmwro.com^ +||xuiqxlhqyo.com^ +||xukpqemfs.com^ +||xuqza.com^ +||xvbwvle.com^ +||xvfyubhqjp.xyz^ +||xvhgtyvpaav.xyz^ +||xvideos00.sbs^ +||xviperonec.com^ +||xvkimksh.com^ +||xvpqmcgf.com^ +||xvuslink.com^ +||xvvsnnciengskyx.xyz^ +||xvzyyzix.com^ +||xwagtyhujov.com^ +||xwdplfo.com^ +||xwlketvkzf.com^ +||xwqea.com^ +||xwqvytuiko.com^ +||xwvduxeiuv.com^ +||xwymrixpkwq.com^ +||xwzbpkku-i.site^ +||xx-umomfzqik.today^ +||xxccdshj.com^ +||xxdfexbwv.top^ +||xxe2.com^ +||xxivzamarra.shop^ +||xxltr.com^ +||xxxbannerswap.com^ +||xxxex.com^ +||xxxiijmp.com^ +||xxxijmp.com^ +||xxxivjmp.com^ +||xxxjmp.com^ +||xxxmyself.com^ +||xxxnewvideos.com^ +||xxxoh.com^ +||xxxrevpushclcdu.com^ +||xxxviijmp.com^ +||xxxvijmp.com^ +||xxxvjmp.com^ +||xxxwebtraffic.com^ +||xxyrgvielmehx.com^ +||xycstlfoagh.xyz^ +||xydbpbnmo.com^ +||xylidinzeuxite.shop^ +||xylomavivat.com^ +||xyooepktyy.xyz^ +||xysgfqnara.xyz^ +||xyxz.site^ +||xyz0k4gfs.xyz^ +||xzezapozghp.com^ +||xzqpz.com^ +||xzvdfjp.com^ +||y06ney2v.xyz^ +||y1jxiqds7v.com^ +||y1zoxngxp.com^ +||y8z5nv0slz06vj2k5vh6akv7dj2c8aj62zhj2v7zj8vp0zq7fj2gf4mv6zsb.me^ +||yackvidette.com^ +||yacurlik.com^ +||yahuu.org^ +||yakvssigg.xyz^ +||yalittlewallo.info^ +||yallarec.com^ +||yapclench.com^ +||yapdiscuss.com^ +||yapforestsfairfax.com^ +||yapunderstandsounding.com^ +||yapzoa.xyz^ +||yardr.net^ +||yarlnk.com^ +||yarningbursal.com^ +||yashi.com^ +||yauperstote.top^ +||yauponbotone.com^ +||yausbprxfft.xyz^ +||yavaflocker.shop^ +||yavli.com^ +||yawcoynag.com^ +||yaworcein.com^ +||yaxgszv.com^ +||yazuda.xyz^ +||ybdpikjigmyek.com^ +||ybgtexsetsyv.com^ +||ybhyziittfg.com^ +||ybnksajy.com^ +||ybriifs.com^ +||ybs2ffs7v.com^ +||ybtkzjm.com^ +||yceml.net^ +||ycpwdvsmtn.com^ +||ydagjjgqxmrlqjj.xyz^ +||ydccmwrpnfy.com^ +||ydenknowled.com^ +||ydevelelasticals.info^ +||ydjdrrbg.com^ +||ydsdisuses.shop^ +||ydvdjjtakso.xyz^ +||ydwrkwwqytj.xyz^ +||ye185hcamw.com^ +||yeabble.com^ +||yealnk.com^ +||yearbookhobblespinal.com^ +||yearlingexert.com^ +||yearnstocking.com^ +||yedbehindforh.info^ +||yeesihighlyre.info^ +||yeggscuvette.com^ +||yelamjklnckyio.xyz^ +||yellowacorn.net^ +||yellowblue.io^ +||yellowish-yesterday.pro^ +||yellowishmixture.pro^ +||yellsurpass.com^ +||yequiremuke.com^ +||yernbiconic.com^ +||yes-messenger.com^ +||yesgwyn.com^ +||yesmessenger.com^ +||yespetor.com^ +||yeswplearning.info^ +||yetshape.com^ +||yetterslave.com^ +||yfefdlv.com^ +||yfgrxkz.com^ +||yfkflfa.com^ +||yflexibilitukydt.com^ +||yftpnol.com^ +||ygblpbvojzq.com^ +||ygdhmgjly.xyz^ +||ygeqiky.com^ +||yghaatttm.com^ +||ygkw9x53vm45.shop^ +||ygkwjd.xyz^ +||ygmkcuj3v.com^ +||ygvqughn.com^ +||ygzkedoxwhqlzp.com^ +||yhbcii.com^ +||yhgio.com^ +||yhigrmnzd.life^ +||yhjhjwy.com^ +||yhmhbnzz.com^ +||yhorw.rocks^ +||yibivacaji.com^ +||yicixvmgmhpvbcl.xyz^ +||yidbyhersle.xyz^ +||yieldads.com^ +||yieldbuild.com^ +||yieldinginvincible.com^ +||yieldlab.net^ +||yieldlove-ad-serving.net^ +||yieldmanager.net^ +||yieldoptimizer.com^ +||yieldpartners.com^ +||yieldrealistic.com^ +||yieldscale.com^ +||yieldselect.com^ +||yieldtraffic.com^ +||yieldx.com^ +||yifata178.info^ +||yihjrdibdpy.com^ +||yim3eyv5.top^ +||yimemediatesup.com^ +||yinhana.com^ +||yinteukrestina.xyz^ +||yinthesprin.xyz^ +||yiqetu.uno^ +||yirringamnesic.click^ +||yjdigtr.com^ +||yjrrwchaz.com^ +||yjustingexcelele.org^ +||yjvuthpuwrdmdt.xyz^ +||ykraeij.com^ +||ykrohjqz.com^ +||ykwll.site^ +||yl-sooippd.vip^ +||yldbt.com^ +||yldmgrimg.net^ +||ylih6ftygq7.com^ +||yllanorin.com^ +||yllaris.com^ +||ylx-1.com^ +||ylx-2.com^ +||ylx-3.com^ +||ylx-4.com^ +||ylxfcvbuupt.com^ +||ym-a.cc^ +||ym8p.net^ +||ymansxfmdjhvqly.xyz^ +||ymynsckwfxxaj.com^ +||yncvbqh.com^ +||yneaimn.com^ +||ynfhnbjsl.xyz^ +||ynhmwyt.com^ +||ynklendr.online^ +||ynonymlxtqisyka.xyz^ +||ynrije.com^ +||yoads.net^ +||yoc-adserver.com^ +||yocksniacins.com^ +||yodelalloxan.shop^ +||yogacomplyfuel.com^ +||yogaprimarilyformation.com^ +||yogar2ti8nf09.com^ +||yohavemix.live^ +||yoibbka.com^ +||yoickscaper.shop^ +||yokeeroud.com^ +||yoksamhain.com^ +||yolkhandledwheels.com^ +||yomeno.xyz^ +||yomxt.icu^ +||yonabrar.com^ +||yonazurilla.com^ +||yonelectrikeer.com^ +||yonhelioliskor.com^ +||yonomastara.com^ +||yonsandileer.com^ +||yoomanies.com^ +||yopard.com^ +||yoredi.com^ +||yorkvillemarketing.net^ +||yoshatia.com^ +||yottacash.com^ +||you4cdn.com^ +||youaixx.xyz^ +||youdguide.com^ +||yougotacheck.com^ +||youlamedia.com^ +||youlouk.com^ +||youngestclaims.com^ +||youngestdisturbance.com^ +||youngestmildness.com^ +||youngstersaucertuition.com^ +||youpeacockambitious.com^ +||your-local-dream.com^ +||your-notice.com^ +||youradexchange.com^ +||yourbestdateever.com^ +||yourbestperfectdates.life^ +||yourcommonfeed.com^ +||yourcoolfeed.com^ +||yourfreshposts.com^ +||yourhotfeed.com^ +||yourjsdelivery.com^ +||yourluckydates.com^ +||yourniceposts.com^ +||yourprivacy.icu^ +||yourquickads.com^ +||yourtopnews.com^ +||yourtthig.com^ +||youruntie.com^ +||yourwebbars.com^ +||yourwownews.com^ +||yourwownewz.com^ +||youservit.com^ +||youtube.local^ +||youtubecenter.net^ +||yowdenfalcial.com^ +||yowlnibble.shop^ +||yoyadsdom.com^ +||ypersonalrecome.com^ +||ypkljvp.com^ +||yplqr-fnh.space^ +||yprocedentwith.com^ +||yptjqrlbawn.xyz^ +||yqeuu.com^ +||yqghjejqlhbsv.com^ +||yqmxfz.com^ +||yr9n47004g.com^ +||yremovementxvi.org^ +||yresumeformor.com^ +||yrhnw7h63.com^ +||yrincelewasgiw.info^ +||yrmqfojomlwh.com^ +||yrvzqabfxe.com^ +||yrwqquykdja.com^ +||ysesials.net^ +||yshhfig.com^ +||ysycqoluup.com^ +||yterxv.com^ +||ytfmdfpvwf.com^ +||ytgngedq.xyz^ +||ytihp.com^ +||ytimm.com^ +||ytransionscorma.com^ +||ytru4.pro^ +||ytsa.net^ +||yttompthree.com^ +||ytuooivmv.xyz^ +||ytxmseqnehwstg.xyz^ +||ytzihf.com^ +||yu0123456.com^ +||yuearanceofam.info^ +||yueuucoxewemfb.com^ +||yuhuads.com^ +||yuintbradshed.com^ +||yukpxxp.com^ +||yulunanews.name^ +||yumenetworks.com^ +||yummyadvertiseexploded.com^ +||yummycdn.com^ +||yunshipei.com^ +||yupfiles.net^ +||yuppads.com^ +||yuppyads.com^ +||yuruknalyticafr.com^ +||yusiswensaidoh.info^ +||yuuchxfuutmdyyd.xyz^ +||yvmads.com^ +||yvoria.com^ +||yvzgazds6d.com^ +||ywfbjvmsw.com^ +||ywgpkjg.com^ +||ywopyohpihnkppc.xyz^ +||ywpdobsvqlchvrl.com^ +||ywronwasthetron.com^ +||ywvjyxp.com^ +||yx-ads6.com^ +||yxajqsrsij.com^ +||yxouepqx.com^ +||yxuytpfe-t.icu^ +||yy9s51b2u05z.com^ +||yyceztc8.click^ +||yydwkkxhjb.com^ +||yyjvimo.com^ +||yyselrqpyu.com^ +||yzfjlvqa.com^ +||z-eaazoov.top^ +||z0il3m3u2o.pro^ +||z54a.xyz^ +||z5x.net^ +||zaamgqlgdhac.love^ +||zabaismtempi.top^ +||zabanit.xyz^ +||zachunsears.com^ +||zacleporis.com^ +||zaemi.xyz^ +||zagtertda.com^ +||zagvee.com^ +||zaibeevaimi.net^ +||zaicistafaish.xyz^ +||zaigaphy.net^ +||zaihxti.com^ +||zaikasoatie.xyz^ +||zailoanoy.com^ +||zaimads.com^ +||zaishaptou.com^ +||zaiteegraity.net^ +||zaithootee.com^ +||zaiveeneefol.com^ +||zaiwihouje.com^ +||zaizaigut.net^ +||zaizavoulooruta.xyz^ +||zajpkgpmgll.com^ +||zajukrib.net^ +||zakruxxita.com^ +||zakurdedso.net^ +||zaltaumi.net^ +||zamioculcas2.org^ +||zampastouzuco.net^ +||zangaisempo.net^ +||zangocash.com^ +||zanoogha.com^ +||zaokko.com^ +||zaparena.com^ +||zapasizzard.com^ +||zaphakesleigh.com^ +||zaphararidged.com^ +||zapunited.com^ +||zarebasdezaley.com^ +||zarpop.com^ +||zationservantas.info^ +||zatloudredr.com^ +||zatnoh.com^ +||zaucharo.xyz^ +||zaudograum.xyz^ +||zaudouwa.xyz^ +||zaudowhiy.xyz^ +||zaugrauvaps.com^ +||zauthuvy.com^ +||zauwaigojeew.xyz^ +||zavoxlquwb.com^ +||zaxonoax.com^ +||zbdcjjpat.com^ +||zcaappcthktx.com^ +||zchtpzu.com^ +||zcode12.me^ +||zcode7.me^ +||zcoptry.com^ +||zcswet.com^ +||zdgeoqvzo.com^ +||zdkgxeeykuhs.today^ +||zeads.com^ +||zealotillustrate.com^ +||zealouscompassionatecranny.com^ +||zealsalts.com^ +||zebeaa.click^ +||zeebestmarketing.com^ +||zeecajichaiw.net^ +||zeechoog.net^ +||zeechumy.com^ +||zeeduketa.net^ +||zeekaihu.net^ +||zeemacauk.com^ +||zeemaustoops.xyz^ +||zeemeewhoowhoa.xyz^ +||zeepartners.com^ +||zeephouh.com^ +||zeepteestaub.com^ +||zeeshith.net^ +||zeewhaih.com^ +||zegnoogho.xyz^ +||zekeeksaita.com^ +||zeksaugaunes.net^ +||zel-zel-fie.com^ +||zelatorpukka.com^ +||zelllwrite.com^ +||zelrasty.net^ +||zemydreamsauk.com^ +||zemywwm.com^ +||zenal.xyz^ +||zenam.xyz^ +||zenaot.xyz^ +||zendplace.pro^ +||zengoongoanu.com^ +||zenkreka.com^ +||zenoviaexchange.com^ +||zenoviagroup.com^ +||zepazupi.com^ +||zephyronearc.com^ +||zerads.com^ +||zeratys.com^ +||zercenius.com^ +||zerg.pro^ +||zergsmjy.com^ +||zerzvqroevwmb.top^ +||zestpocosin.com^ +||zestyparticular.pro^ +||zetadeo.com^ +||zeusadx.com^ +||zevwkbzwkblle.top^ +||zewkj.com^ +||zexardoussesa.net^ +||zeyappland.com^ +||zeydoo.com^ +||zeypreland.com^ +||zfeaubp.com^ +||zferral.com^ +||zfvsnpir-cxx.buzz^ +||zgsqnyb.com^ +||zhaner.xyz^ +||zi3nna.xyz^ +||zi8ivy4b0c7l.com^ +||ziblo.cloud^ +||zigzaggodmotheragain.com^ +||zigzagrowy.com^ +||zigzt.com^ +||zihditozlogf.com^ +||zihogchfaan.com^ +||zijaipse.com^ +||zikpwr.com^ +||zikroarg.com^ +||zilchesmoated.com^ +||zilsooferga.xyz^ +||zim-zim-zam.com^ +||zimbifarcies.com^ +||zimg.jp^ +||zimpolo.com^ +||zinipx.xyz^ +||zinniafianced.com^ +||zinovu.com^ +||zipakrar.com^ +||ziphay.com^ +||zipheeda.xyz^ +||ziphoumt.net^ +||zipinaccurateoffering.com^ +||zipitnow.cfd^ +||zippercontinual.com^ +||zipradarindifferent.com^ +||zirdough.net^ +||zirdrax.com^ +||zireemilsoude.net^ +||zirkiterocklay.com^ +||zisboombah.net^ +||zishezetchadsi.net^ +||zitaptugo.com^ +||zitchaug.xyz^ +||zitchuhoove.com^ +||zivtux.com^ +||zixokseelta.com^ +||ziyhd.fun^ +||zizoxozoox.com^ +||zizulw.org^ +||zjd-nmdong.xyz^ +||zjdac.com^ +||zjepcoomt.com^ +||zjzdrryqanm.com^ +||zkarinoxmq.com^ +||zkcvb.com^ +||zkczzltlhp6y.com^ +||zkt0flig7.com^ +||zktsygv.com^ +||zkulupt.com^ +||zkuotxaxkov.com^ +||zlacraft.com^ +||zlink2.com^ +||zlink6.com^ +||zlinkc.com^ +||zlinkd.com^ +||zlinkm.com^ +||zlviiaom.space^ +||zlx.com.br^ +||zlzwhrhkavos.xyz^ +||zm232.com^ +||zmdesf.cn^ +||zmjagawa.com^ +||zmmlllpjxvxl.buzz^ +||zmonei.com^ +||zmwbrza.com^ +||zmysashrep.com^ +||znaptag.com^ +||zncbitr.com^ +||znvlfef.com^ +||zoachoar.net^ +||zoachops.com^ +||zoagreejouph.com^ +||zoagremo.net^ +||zoaheeth.com^ +||zoaneeptaithe.net^ +||zoaptaup.com^ +||zoapteewoo.com^ +||zoawufoy.net^ +||zodiacdinner.com^ +||zodiacranbehalf.com^ +||zoeacaring.com^ +||zoeaegyral.com^ +||zoeaethenar.com^ +||zofitsou.com^ +||zog.link^ +||zograughoa.net^ +||zogrepsili.com^ +||zoiefwqhcaczun.com^ +||zokaukree.net^ +||zokrodes.com^ +||zoltran.top^ +||zombistinfuls.shop^ +||zombyfairfax.com^ +||zonealta.com^ +||zonupiza.com^ +||zooglaptob.net^ +||zoogripi.com^ +||zoogroocevee.xyz^ +||zoojepsainy.com^ +||zoologicalviolatechoke.com^ +||zoologyhuntingblanket.com^ +||zoopoptiglu.xyz^ +||zoopsame.com^ +||zoowhausairoun.net^ +||zoowunagraglu.net^ +||zoozishooh.com^ +||zorango.com^ +||zotkosplh.com^ +||zougreek.com^ +||zouloafi.net^ +||zounaishuphaucu.xyz^ +||zouphuru.net^ +||zoustara.net^ +||zoutubephaid.com^ +||zoutufoostou.com^ +||zouzougri.net^ +||zovidree.com^ +||zpbpenn.com^ +||zpgetworker11.com^ +||zpilkesyasa.com^ +||zpipacuz-lfa.vip^ +||zplfwuca.com^ +||zpreland.com^ +||zprelandappslab.com^ +||zprelandings.com^ +||zprofuqkssny.com^ +||zqjklzajmmwq.top^ +||zqjljeyqbejrb.top^ +||zqmblmebyvkjz.top^ +||zqpztal.com^ +||zqwe.ru^ +||zrakos.com^ +||zrfzrwqiah.com^ +||zrmtrm.com^ +||zrqsmcx.top^ +||zrtfsoz.com^ +||zsfbumz.com^ +||zshyudl.com^ +||zsjvzsm-s.fun^ +||zsxeymv.com^ +||ztrack.online^ +||zttgwpb.com^ +||ztumuvofzbfe.com^ +||ztxhxby.com^ +||zubajuroo.com^ +||zubivu.com^ +||zubojcnubadk.com^ +||zucks.net^ +||zuclcijzua.com^ +||zudjdiy.com^ +||zudvl.com^ +||zufubulsee.com^ +||zugeme.uno^ +||zugnogne.com^ +||zugo.com^ +||zuhempih.com^ +||zuisinservo.top^ +||zujibumlgc.com^ +||zukore.com^ +||zukxd6fkxqn.com^ +||zumfzaamdxaw.com^ +||zumid.xyz^ +||zumrieth.com^ +||zungiwhaigaunsi.net^ +||zunsoach.com^ +||zupee.cim^ +||zuphaims.com^ +||zuqalzajno.com^ +||zuzodoad.com^ +||zvetokr2hr8pcng09.com^ +||zvhprab.com^ +||zvkytbjimbhk.com^ +||zvrokbqyjvyko.top^ +||zvvgpznuoj.com^ +||zvvqprcjjnh.com^ +||zvwhrc.com^ +||zvzmzrarkvqyb.top^ +||zwaar.net^ +||zwk7ybbg.net^ +||zwnoeqzsuz.com^ +||zwqzxh.com^ +||zwsxsqp.com^ +||zwyjpyocwv.com^ +||zxcdn.com^ +||zxmojgj.com^ +||zxpqwwt.com^ +||zxrfzxb.com^ +||zxtuqpiu.skin^ +||zy16eoat1w.com^ +||zybbiez.com^ +||zybrdr.com^ +||zyf03k.xyz^ +||zyiis.net^ +||zylytavo.com^ +||zymjzwyyjyvb.top^ +||zypenetwork.com^ +||zyzqkbkzvqqzq.top^ +||zzaqqwecd.lat^ +||zzhyebbt.com^ +||zzyjpmh.com^ +! Anti-drainer eth phishing +||99bithcoins.com^ +||altenlayer.com^ +||antenta.site^ +||appdevweb.com^ +||cdnweb3.pages.dev^ +||celestia.guru^ +||certona.net^ +||chaingptweb3.org^ +||chainlist.sh^ +||chopflexhit.online^ +||ciphercapital.tech^ +||cliplamppostillegally.com^ +||creatrin.site^ +||dd5889a9b4e234dbb210787.com^ +||doubleadsclick.com^ +||downzoner.xyz^ +||duuuyqiwqc.xyz^ +||eastyewebaried.info^ +||edpl9v.pro^ +||findrpc.sh^ +||glomtipagrou.xyz^ +||hhju87yhn7.top^ +||jscdnweb.pages.dev^ +||kapitalberg.com^ +||kbumnvc.com^ +||kxsvelr.com^ +||locatchi.xyz^ +||metamask.blog^ +||moralis-node.dev^ +||my-hub.top^ +||neogallery.xyz^ +||nerveheels.com^ +||next-done.website^ +||nftfastapi.com^ +||nfts-opensea.web.app^ +||nginxxx.xyz^ +||nighthereflewovert.info^ +||nodeclaim.com^ +||obosnovano.su^ +||oeubqjx.com^ +||ojoglir.com^ +||olopruy.com^ +||openweatherapi.com^ +||phgotof2.com^ +||pipiska221net.shop^ +||snapshot.sh^ +||tayvano.dev^ +||titanex.pro^ +||tokenbroker.sh^ +||uniswaps.website^ +||vnte9urn.click^ +||web3-api-v2.cc^ +||whaleman.ru^ +||world-claim.org^ +||ygeosqsomusu.xyz^ +||zhu-ni-hao-yun.sh^ +||zxcbaby.ru^ +! $document blocks +||123-stream.org^$document +||1winpost.com^$document +||20trackdomain.com^$document +||2ltm627ho.com^$document +||367p.com^$document +||5wzgtq8dpk.com^$document +||65spy7rgcu.com^$document +||67trackdomain.com^$document +||905trk.com^$document +||abdedenneer.com^$document +||ablecolony.com^$document +||accecmtrk.com^$document +||acoudsoarom.com^$document +||ad-adblock.com^$document +||ad-addon.com^$document +||adblock-360.com^$document +||adblock-offer-download.com^$document +||adblocker-instant.xyz^$document +||adclickbyte.com^$document +||adfgetlink.net^$document +||adglare.net^$document +||aditms.me^$document +||adlogists.com^$document +||admachina.com^$document +||admedit.net^$document +||admeking.com^$document +||admobe.com^$document +||adoni-nea.com^$document +||adorx.store^$document +||adpointrtb.com^$document +||adqit.com^$document +||ads4trk.com^$document +||adscdn.net^$document +||adservice.google.$document +||adskeeper.co.uk^$document +||adspredictiv.com^$document +||adstreampro.com^$document +||adtelligent.com^$document +||adtraction.com^$document +||adtrk21.com^$document +||adverttulimited.biz^$document +||adxproofcheck.com^$document +||affcpatrk.com^$document +||affflow.com^$document +||affiliatestonybet.com^$document +||affiliride.com^$document +||affpa.top^$document +||affroller.com^$document +||affstreck.com^$document +||afodreet.net^$document +||afre.guru^$document +||aftrk3.com^$document +||agaue-vyz.com^$document +||aistekso.net^$document +||aiveemtomsaix.net^$document +||alfa-track.info^$document +||alfa-track2.site^$document +||algg.site^$document +||alibabatraffic.com^$document +||allsportsflix.$document +||alpenridge.top^$document +||alpine-vpn.com^$document +||amusementchillyforce.com^$document +||anacampaign.com^$document +||aneorwd.com^$document +||antaresarcturus.com^$document +||antcixn.com^$document +||antjgr.com^$document +||appointeeivyspongy.com^$document +||approved.website^$document +||appspeed.monster^$document +||ardsklangr.com^$document +||ardssandshrewon.com^$document +||artditement.info^$document +||artistni.xyz^$document +||arwobaton.com^$document +||asstaraptora.com^$document +||aucoudsa.net^$document +||auroraveil.bid^$document +||awecrptjmp.com^$document +||awesomeprizedrive.co^$document +||ayga.xyz^$document +||bakabok.com^$document +||baldo-toj.com^$document +||baseauthenticity.co.in^$document +||basicflownetowork.co.in^$document +||bayshorline.com^$document +||beamobserver.com^$document +||behim.click^$document +||bellatrixmeissa.com^$document +||beltarklate.live^$document +||bemobtrk.com^$document +||bestchainconnection.com^$document +||bestcleaner.online^$document +||bestprizerhere.life^$document +||bestreceived.com^$document +||bestunfollow.com^$document +||bet365.com/*?affiliate=$document +||betpupitarr.com^$document +||bettentacruela.com^$document +||betterdirectit.com^$document +||betzapdoson.com^$document +||bhlom.com^$document +||bincatracs.com^$document +||binomtrcks.site^$document +||bitdefender.top^$document +||blarnyzizzles.shop^$document +||blcdog.com^$document +||blehcourt.com^$document +||block-ad.com^$document +||blockadsnot.com^$document +||blurbreimbursetrombone.com^$document +||boardmotion.xyz^$document +||boardpress-b.online^$document +||bobgames-prolister.com^$document +||boledrouth.top^$document +||boskodating.com^$document +||boxiti.net^$document +||bumlabhurt.live^$document +||bunth.net^$document +||bxsk.site^$document +||candyai.love^$document +||canopusacrux.com^$document +||caulisnombles.top^$document +||cddtsecure.com^$document +||chainconnectivity.com^$document +||chambermaidthree.xyz^$document +||chaunsoops.net^$document +||check-tl-ver-12-3.com^$document +||check-tl-ver-54-1.com^$document +||check-tl-ver-54-3.com^$document +||checkcdn.net^$document +||checkluvesite.site^$document +||cheebilaix.com^$document +||chetchoa.com^$document +||childishenough.com^$document +||choathaugla.net^$document +||choogeet.net^$document +||choudairtu.net^$document +||cleanmypc.click^$document +||clixwells.com^$document +||closeupclear.top^$document +||cloudvideosa.com^$document +||clunen.com^$document +||cntrealize.com^$document +||colleem.com^$document +||contentcrocodile.com^$document +||continue-installing.com^$document +||coolserving.com^$document +||coosync.com^$document +||coticoffee.com^$document +||countertrck.com^$document +||cpacrack.com^$document +||cryptomcw.com^$document +||ctosrd.com^$document +||cybkit.com^$document +||datatechdrift.com^$document +||date-till-late.us^$document +||date2024.com^$document +||date4sex.pro^$document +||dc-feed.com^$document +||dc-rotator.com^$document +||ddbhm.pro^$document +||ddkf.xyz^$document +||dealgodsafe.live^$document +||debaucky.com^$document +||deepsaifaide.net^$document +||defandoar.xyz^$document +||degg.site^$document +||degradationtransaction.com^$document +||delfsrld.click^$document +||deluxe-download.com^$document +||demowebcode.online^$document +||di7stero.com^$document +||dianomi.com^$document +||dipusdream.com^$document +||directdexchange.com^$document +||disable-adverts.com^$document +||displayvertising.com^$document +||distributionland.website^$document +||domainparkingmanager.it^$document +||donationobliged.com^$document +||donkstar1.online^$document +||donkstar2.online^$document +||doostozoa.net^$document +||download-privacybear.com^$document +||downloading-addon.com^$document +||downloading-extension.com^$document +||downlon.com^$document +||dreamteamaffiliates.com^$document +||drsmediaexchange.com^$document +||drumskilxoa.click^$document +||dsp5stero.com^$document +||dutydynamo.co^$document +||earlinessone.xyz^$document +||easelegbike.com^$document +||edonhisdhi.com^$document +||edpl9v.pro^$document +||eeco.xyz^$document +||eetognauy.net^$document +||eh0ag0-rtbix.top^$document +||eliwitensirg.net^$document +||emotot.xyz^$document +||endlessloveonline.online^$document +||enhanceconnection.co.in^$document +||epsashoofil.net^$document +||equides.pro^$document +||errolandtessa.com^$document +||escortlist.pro^$document +||eventfulknights.com^$document +||excellingvista.com^$document +||exclkplat.com^$document +||exclplatmain.com^$document +||expdirclk.com^$document +||exploitpeering.com^$document +||extension-ad-stopper.com^$document +||extension-ad.com^$document +||extension-install.com^$document +||externalfavlink.com^$document +||eyewondermedia.com^$document +||ezblockerdownload.com^$document +||fascespro.com^$document +||fastdntrk.com^$document +||fedra.info^$document +||felingual.com^$document +||femsoahe.com^$document +||finalice.net^$document +||finanvideos.com^$document +||finder2024.com^$document +||flyingadvert.com^$document +||foerpo.com^$document +||fomalhautgacrux.com^$document +||forooqso.tv^$document +||freetrckr.com^$document +||freshpops.net^$document +||frostykitten.com^$document +||fstsrv16.com^$document +||fstsrv9.com^$document +||fuse-cloud.com^$document +||galaxypush.com^$document +||gamdom.com/?utm_source=$document +||gamonalsmadevel.com^$document +||gb1aff.com^$document +||gemfowls.com^$document +||gensonal.com^$document +||get-gx.co/*sub2=$document +||get-gx.net^$document +||getmetheplayers.click^$document +||getnomadtblog.com^$document +||getrunkhomuto.info^$document +||getsthis.com^$document +||gkrtmc.com^$document +||glaultoa.com^$document +||glsfreeads.com^$document +||go-cpa.click^$document +||go-srv.com^$document +||go.betobet.net^$document +||go2affise.com^$document +||go2linktrack.com^$document +||go2offer-1.com^$document +||goads.pro^$document +||goboksehee.net^$document +||gotrackier.com^$document +||graigloapikraft.net^$document +||graitsie.com^$document +||grfpr.com^$document +||grobuveexeb.net^$document +||gtbdhr.com^$document +||guardedrook.cc^$document +||gxfiledownload.com^$document +||hagech.com^$document +||halfhills.co^$document +||heeraiwhubee.net^$document +||heptix.net^$document +||herma-tor.com^$document +||hetapus.com^$document +||heweop.com^$document +||hfr67jhqrw8.com^$document +||hhju87yhn7.top^$document +||highcpmgate.com^$document +||hiiona.com^$document +||hilarioustasting.com^$document +||hnrgmc.com^$document +||hoadaphagoar.net^$document +||hoglinsu.com^$document +||hoktrips.com^$document +||holdhostel.space^$document +||hoofedpazend.shop^$document +||hospitalsky.online^$document +||host-relendbrowseprelend.info^$document +||hubrisone.com^$document +||hugeedate.com^$document +||icetechus.com^$document +||icubeswire.co^$document +||iginnis.site^$document +||ignals.com^$document +||imkirh.com^$document +||improvebin.xyz^$document +||inbrowserplay.com^$document +||ingablorkmetion.com^$document +||install-adblockers.com^$document +||install-adblocking.com^$document +||install-extension.com^$document +||instant-adblock.xyz^$document +||internodeid.com^$document +||intothespirits.com^$document +||intunetossed.shop^$document +||invol.co^$document +||iyfbodn.com^$document +||jaclottens.live^$document +||jeroud.com^$document +||jggegj-rtbix.top^$document +||jhsnshueyt.click^$document +||joastaca.com^$document +||js-check.com^$document +||junmediadirect1.com^$document +||kagodiwij.site^$document +||kaminari.systems^$document +||ker2clk.com^$document +||ketseestoog.net^$document +||kiss88.top^$document +||koafaimoor.net^$document +||kstrk.com^$document +||ku42hjr2e.com^$document +||lamplynx.com^$document +||landerhq.com^$document +||leadshurriedlysoak.com^$document +||lehemhavita.club^$document +||leoyard.com^$document +||link2thesafeplayer.click^$document +||linksprf.com^$document +||litdeetar.live^$document +||lmdfmd.com^$document +||loadtime.org^$document +||loazuptaice.net^$document +||locooler-ageneral.com^$document +||lookup-domain.com^$document +||lust-burning.rest^$document +||lust-goddess.buzz^$document +||lwnbts.com^$document +||lxkzcss.xyz^$document +||lylufhuxqwi.com^$document +||madehimalowbo.info^$document +||magazinenews1.xyz^$document +||magsrv.com^$document +||making.party^$document +||maquiags.com^$document +||maxconvtrk.com^$document +||mazefoam.com^$document +||mbjrkm2.com^$document +||mbreviewer.com^$document +||mbreviews.info^$document +||mbvlmz.com^$document +||mcafeescan.site^$document +||mcfstats.com^$document +||mcpuwpush.com^$document +||mddsp.info^$document +||me4track.com^$document +||medfoodsafety.com^$document +||meetwebclub.com^$document +||menews.org^$document +||messenger-notify.xyz^$document +||mgid.com^$document +||mimosaavior.top^$document +||mirfakpersei.com^$document +||mirfakpersei.top^$document +||mnaspm.com^$document +||mndlvr.com^$document +||moadworld.com^$document +||mobagent.com^$document +||mobiletracking.ru^$document +||modoodeul.com^$document +||monieraldim.click^$document +||moralitylameinviting.com^$document +||mouthdistance.bond^$document +||msre2lp.com^$document +||my-hub.top^$document +||mycloudreference.com^$document +||myjack-potscore.life^$document +||mylot.com^$document +||mypopadpro.com^$document +||mytdsnet.com^$document +||mytiris.com^$document +||nan0cns.com^$document +||nauwheer.net^$document +||navigatingnautical.xyz^$document +||netrefer.co^$document +||news-jivera.com^$document +||nexaapptwp.top^$document +||nexusbloom.xyz^$document +||nightbesties.com^$document +||nigroopheert.com^$document +||nindsstudio.com^$document +||niwluvepisj.site^$document +||noncepter.com^$document +||nontraditionally.rest^$document +||noohapou.com^$document +||noolt.com^$document +||noopking.com^$document +||nothingfairnessdemonstrate.com^$document +||notoings.com^$document +||notoriouscount.com^$document +||novibet.partners^$document +||nowforfile.com^$document +||nrs6ffl9w.com^$document +||ntrftrksec.com^$document +||nuftitoat.net^$document +||numbertrck.com^$document +||nutchaungong.com^$document +||nwwrtbbit.com^$document +||nxt-psh.com^$document +||nylonnickel.xyz^$document +||obtaintrout.com^$document +||odintsures.click^$document +||offergate-software20.com^$document +||offergate-software6.com^$document +||ojrq.net^$document +||olopruy.com^$document +||omegaadblock.net^$document +||omgt3.com^$document +||omguk.com^$document +||onclckpop.com^$document +||onclickperformance.com^$document +||oneadvupfordesign.com^$document +||oneegrou.net^$document +||onmantineer.com^$document +||opdomains.space^$document +||opengalaxyapps.monster^$document +||openwwws.space^$document +||opera.com/*&utm_campaign=$document +||optargone-2.online^$document +||optimalscreen1.online^$document +||optnx.com^$document +||optvz.com^$document +||ossfloetteor.com^$document +||otbackstage2.online^$document +||otoadom.com^$document +||outoctillerytor.com^$document +||ovardu.com^$document +||oversolosisor.com^$document +||paehceman.com^$document +||paid.outbrain.com^$document +||pamwrymm.live^$document +||parturemv.top^$document +||paulastroid.com^$document +||pemsrv.com^$document +||perfectflowing.com^$document +||pheniter.com^$document +||phgotof2.com^$document +||phumpauk.com^$document +||pisism.com^$document +||playmmogames.com^$document +||pleadsbox.com^$document +||plinksplanet.com^$document +||plorexdry.com^$document +||plumpcontrol.pro^$document +||pnouting.com^$document +||pooksys.site^$document +||poozifahek.com^$document +||popcash.net^$document +||poperblocker.com^$document +||popmyads.com^$document +||populationstring.com^$document +||popupsblocker.org^$document +||powerpushtrafic.space^$document +||ppqy.fun^$document +||pretrackings.com^$document +||prfwhite.com^$document +||priestsuede.click^$document +||pro-adblocker.com^$document +||proffering.xyz^$document +||profitablegatecpm.com^$document +||propellerclick.com^$document +||proscholarshub.com^$document +||protected-redirect.click^$document +||provenpixel.com^$document +||prwave.info^$document +||pshtop.com^$document +||psockapa.net^$document +||psomsoorsa.com^$document +||ptailadsol.net^$document +||pubtrky.com^$document +||pupspu.com^$document +||push-news.click^$document +||push-sense.com^$document +||push1000.top^$document +||push1005.com^$document +||pushaffiliate.net^$document +||pushking.net^$document +||qjrhacxxk.xyz^$document +||qnp16tstw.com^$document +||racunn.com^$document +||raekq.online^$document +||rainmealslow.live^$document +||rbtfit.com^$document +||rdrm2.click^$document +||re-experiment.sbs^$document +||realsh.xyz^$document +||realtime-bid.com^$document +||redaffil.com^$document +||redirectingat.com^$document +||remv43-rtbix.top^$document +||resentreaccotia.com^$document +||rexsrv.com^$document +||riflesurfing.xyz^$document +||riftharp.com^$document +||rmzsglng.com^$document +||rndskittytor.com^$document +||roastoup.com^$document +||rockingfolders.com^$document +||rockwound.site^$document +||rockytrails.top^$document +||rocoads.com^$document +||rollads.live^$document +||roobetaffiliates.com^$document +||roundflow.net^$document +||roundpush.com^$document +||routes.name^$document +||rovno.xyz^$document +||rtbadshubmy.com^$document +||rtbadsmya.com^$document +||rtbbpowaq.com^$document +||rtbix.xyz^$document +||runicforgecrafter.com^$document +||s3g6.com^$document +||savinist.com^$document +||schedulerationally.com^$document +||score-feed.com^$document +||searchresultsadblocker.com^$document +||seatrackingdomain.com^$document +||sessfetchio.com^$document +||setlitescmode-4.online^$document +||sexemulator.tube-sexs.com^$document +||sgad.site^$document +||shauladubhe.com^$document +||shauladubhe.top^$document +||shoppinglifestyle.biz^$document +||showcasebytes.co^$document +||shulugoo.net^$document +||singaporetradingchallengetracker1.com^$document +||singelstodate.com^$document +||sitamedal2.online^$document +||sitamedal4.online^$document +||skated.co^$document +||skylindo.com^$document +||sloto.live^$document +||smallestgirlfriend.com^$document +||smartlphost.com^$document +||snadsfit.com^$document +||sourcecodeif.com^$document +||spin83qr.com^$document +||sprinlof.com^$document +||spuppeh.com^$document +||srvpcn.com^$document +||srvtrck.com^$document +||stake.com/*&clickId=$document +||stake.mba/?c=$document +||starchoice-1.online^$document +||stellarmingle.store^$document +||streameventzone.com^$document +||strtgic.com^$document +||stt6.cfd^$document +||stvwell.online^$document +||sulideshalfman.click^$document +||superfasti.co^$document +||suptraf.com^$document +||sxlflt.com^$document +||takemybackup.co^$document +||targhe.info^$document +||tatrck.com^$document +||tbao684tryo.com^$document +||tbeiu658gftk.com^$document +||teammanbarded.shop^$document +||tertracks.site^$document +||tgel2ebtx.ru^$document +||thebtrads.top^$document +||theirbellsound.co^$document +||theirbellstudio.co^$document +||thematicalastero.info^$document +||theod-qsr.com^$document +||theonesstoodtheirground.com^$document +||thoroughlypantry.com^$document +||tingswifing.click^$document +||titaniumveinshaper.com^$document +||toiletpaper.life^$document +||toltooth.net^$document +||tookiroufiz.net^$document +||toopsoug.net^$document +||topduppy.info^$document +||topnewsgo.com^$document +||toptoys.store^$document +||toscytheran.com^$document +||totalab.xyz^$document +||totaladblock.com^$document +||touched35one.pro^$document +||tr-bouncer.com^$document +||track.afrsportsbetting.com^$document +||tracker-2.com^$document +||tracker-sav.space^$document +||tracker-tds.info^$document +||tracking.injoyalot.com^$document +||trackingtraffo.com^$document +||trackmedclick.com^$document +||tracktds.live^$document +||traffoxx.uk^$document +||trckswrm.com^$document +||trk72.com^$document +||trkless.com^$document +||trknext.com^$document +||trknovi.com^$document +||trkred.com^$document +||trksmorestreacking.com^$document +||trpool.org^$document +||try.opera.com^$document +||tsyndicate.com^$document +||tubecup.net^$document +||twigwisp.com^$document +||twinrdsyte.com^$document +||tyqwjh23d.com^$document +||unblitzlean.com^$document +||unbloodied.sbs^$document +||uncastnork.com^$document +||uncletroublescircumference.com^$document +||uncoverarching.com^$document +||ungiblechan.com^$document +||unitsympathetic.com^$document +||unlocky.org^$document +||unlocky.xyz^$document +||unseaminoax.click^$document +||uphorter.com^$document +||upodaitie.net^$document +||utilitysafe-view.info^$document +||utm-campaign.com^$document +||vasstycom.com^$document +||verda-mun.com^$document +||vetoembrace.com^$document +||vezizey.xyz^$document +||vfgte.com^$document +||viiczfvm.com^$document +||viifmuts.com^$document +||viiiyskm.com^$document +||viippugm.com^$document +||viirkagt.com^$document +||viitqvjx.com^$document +||violationphysics.click^$document +||visualmirage.co^$document +||vizoalygrenn.com^$document +||vmmcdn.com^$document +||vnte9urn.click^$document +||volleyballachiever.site^$document +||voluumtrk.com^$document +||vpn-offers.org^$document +||w0we.com^$document +||waisheph.com^$document +||walhe-dap.com^$document +||want-some-psh.com^$document +||wbidder.online^$document +||wbidder3.com^$document +||web-protection-app.com^$document +||webfanclub.com^$document +||webmedrtb.com^$document +||websphonedevprivacy.autos^$document +||wewearegogogo.com^$document +||whaurgoopou.com^$document +||wheceelt.net^$document +||where-to.shop^$document +||whoumpouks.net^$document +||wifescamara.click^$document +||wingoodprize.life^$document +||winsimpleprizes.life^$document +||wintrck.com^$document +||woevr.com^$document +||womadsmart.com^$document +||wovensur.com^$document +||wuujae.com^$document +||x2tsa.com^$document +||xadsmart.com^$document +||xarvilo.com^$document +||xdownloadright.com^$document +||xlivrdr.com^$document +||xml-clickurl.com^$document +||xml-v4.lensgard-3.online^$document +||xoilactv123.gdn^$document +||xoilactvcj.cc^$document +||xstalkx.ru^$document +||xszpuvwr7.com^$document +||yohavemix.live^$document +||youradexchange.com^$document +||zavirand.com^$document +! Third-party ||123date.me^$third-party -||12place.com^$third-party ||152media.com^$third-party -||15f3c01a.info^$third-party -||15f3c01c.info^$third-party -||174.142.194.177^$third-party -||17a898b9.info^$third-party -||17a898bb.info^$third-party -||188.138.1.45^$third-party,domain=~shatecraft.com.ip -||188server.com^$third-party -||18clicks.com^$third-party -||194.71.107.25^$third-party -||199.102.225.178^$third-party,domain=~adsimilate.ip -||1bx4t5c.com^$third-party -||1clickdownloads.com^$third-party -||1e0y.xyz^$third-party -||1empiredirect.com^$third-party -||1f7wwaex9rbh.com^$third-party -||1fwjpdwguvqs.com^$third-party -||1nimo.com^$third-party -||1phads.com^$third-party -||1rx.io^$third-party -||1rxntv.io^$third-party -||1sadx.net^$third-party -||1web.me^$third-party -||1xvyh.top^$third-party -||1yk851od.com^$third-party -||204.93.181.78^$third-party,domain=~discountmags.ip -||206ads.com^$third-party -||209.222.8.217^$third-party,domain=~p2p.adserver.ip -||20dollars2surf.com^$third-party -||213.163.70.183^$third-party -||221.141.213.254^$third-party,domain=~koreaherald-com.ip -||247realmedia.com^$third-party -||254a.com^$third-party -||2al.pw^$third-party ||2beon.co.kr^$third-party -||2d4c3870.info^$third-party -||2d4c3872.info^$third-party -||2dpt.com^$third-party -||2gok8g15p2.com^$third-party ||2leep.com^$third-party -||2mdn.info^$third-party -||2mdn.net/dot.gif$object-subrequest,third-party -||2mdn.net^$object-subrequest,third-party,domain=101cargames.com|1025thebull.com|1031iheartaustin.com|1037theq.com|1041beat.com|1053kissfm.com|1057ezrock.com|1067litefm.com|10news.com|1310news.com|247comedy.com|49ers.com|610cktb.com|680news.com|700wlw.com|850koa.com|923jackfm.com|92q.com|940winz.com|94hjy.com|99kisscountry.com|abc15.com|abc2news.com|abcactionnews.com|am1300thezone.com|atlantafalcons.com|automobilemag.com|automotive.com|azcardinals.com|baltimoreravens.com|baynews9.com|bbc.co.uk|bbc.com|bengals.com|bet.com|big1059.com|bigdog1009.ca|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boom973.com|boom997.com|boomphilly.com|box10.com|brisbanetimes.com.au|buccaneers.com|buffalobills.com|bullz-eye.com|calgaryherald.com|caller.com|canada.com|capitalfm.ca|cbslocal.com|cbsnews.com|cbssports.com|channel955.com|chargers.com|chez106.com|chfi.com|chicagobears.com|chicagotribune.com|cj104.com|cjad.com|cjbk.com|clevelandbrowns.com|cnet.com|coast933.com|colts.com|commercialappeal.com|country1011.com|country1043.com|country1067.com|country600.com|courierpress.com|cp24.com|cricketcountry.com|csmonitor.com|ctvnews.ca|dallascowboys.com|denverbroncos.com|detroitlions.com|drive.com.au|earthcam.com|edmontonjournal.com|egirlgames.net|elvisduran.com|enjoydressup.com|entrepreneur.com|eonline.com|escapegames.com|euronews.com|eurosport.com|eveningecho.ie|fm98wjlb.com|foodnetwork.ca|four.co.nz|foxradio.ca|foxsportsradio.com|gamingbolt.com|ghananation.com|giantbomb.com|giants.com|globalnews.ca|globaltoronto.com|globaltv.com|globaltvbc.com|globaltvcalgary.com|go.com|gorillanation.com|gosanangelo.com|hallelujah1051.com|hellobeautiful.com|heraldsun.com.au|hgtv.ca|hiphopnc.com|hot1041stl.com|hotair.com|hothiphopdetroit.com|hotspotatl.com|houstontexans.com|ibtimes.co.uk|ign.com|iheart.com|independentmail.com|indyhiphop.com|ipowerrichmond.com|jackfm.ca|jaguars.com|jwplatform.com|kase101.com|kcchiefs.com|kcci.com|kcra.com|kdvr.com|kfiam640.com|kgbx.com|khow.com|kiisfm.com|kiss925.com|kissnorthbay.com|kisssoo.com|kisstimmins.com|kitsapsun.com|kitv.com|kjrh.com|knoxnews.com|kogo.com|komonews.com|kshb.com|kwgn.com|kxan.com|kysdc.com|latimes.com|latinchat.com|leaderpost.com|livestream.com|local8now.com|magic96.com|metacafe.com|miamidolphins.com|mix923fm.com|moneycontrol.com|montrealgazette.com|motorcyclistonline.com|moviemistakes.com|mtv.ca|myboom1029.com|mycolumbuspower.com|myezrock.com|naplesnews.com|nationalpost.com|nba.com|ndtv.com|neworleanssaints.com|news1130.com|newsmax.com|newsmaxhealth.com|newsnet5.com|newsone.com|newstalk1010.com|newstalk1130.com|newyorkjets.com|nydailynews.com|nymag.com|oldschoolcincy.com|ottawacitizen.com|packers.com|panthers.com|patriots.com|pcworld.com|philadelphiaeagles.com|play.it|player.screenwavemedia.com|prowrestling.com|q92timmins.com|raaga.com|radio.com|radionowindy.com|raiders.com|rapbasement.com|redding.com|redskins.com|reporternews.com|reuters.com|rollingstone.com|rootsports.com|rottentomatoes.com|seahawks.com|sherdog.com|skynews.com.au|slice.ca|smh.com.au|sploder.com|sportsnet590.ca|sportsnet960.ca|springboardplatform.com|steelers.com|stlouisrams.com|streetfire.net|stuff.co.nz|tcpalm.com|telegraph.co.uk|theage.com.au|theaustralian.com.au|thebeatdfw.com|theboxhouston.com|thedenverchannel.com|thedrocks.com|theindychannel.com|theprovince.com|thestarphoenix.com|tide.com|timescolonist.com|timeslive.co.za|timesrecordnews.com|titansonline.com|totaljerkface.com|townhall.com|tripadvisor.ca|tripadvisor.co.uk|tripadvisor.co.za|tripadvisor.com|tripadvisor.com.au|tripadvisor.com.my|tripadvisor.com.sg|tripadvisor.ie|tripadvisor.in|turnto23.com|tvone.tv|twitchy.com|usmagazine.com|vancouversun.com|vcstar.com|veetle.com|vice.com|videojug.com|viki.com|vikings.com|virginradio.ca|vzaar.com|wapt.com|washingtonpost.com|washingtontimes.com|wcpo.com|wdfn.com|weather.com|wescfm.com|wgci.com|wibw.com|wikihow.com|windsorstar.com|wiod.com|wiznation.com|wjdx.com|wkyt.com|wor710.com|wptv.com|wsj.com|wxyz.com|wyff4.com|yahoo.com|youtube.com|z100.com|zhiphopcleveland.com -||2mdn.net^$~object-subrequest,third-party -||2pxg8bcf.top^$third-party -||2ssltome.ga^$third-party -||2taa9ib4ib.com^$third-party -||2xbpub.com^$third-party -||303marketplace.com^$third-party -||320157981.world^$third-party -||32b4oilo.com^$third-party -||332-d.com^$third-party -||3393.com^$third-party +||2mdn.net^$~media,third-party ||33across.com^$third-party -||35.184.98.90^$third-party -||350media.com^$third-party ||360ads.com^$third-party -||360adstrack.com^$third-party ||360installer.com^$third-party -||360popads.com^$third-party -||360protected.com^$third-party -||360yield.com^$third-party -||365sbaffiliates.com^$third-party -||3b9eb5ed04721bef.com^$third-party -||3cnce854.com^$third-party -||3da86d9fe797f228.com^$third-party -||3l4r8d61yz.com^$third-party -||3lift.com^$third-party -||3lr67y45.com^$third-party -||3omb.com^$third-party -||3rdads.com^$third-party -||3redlightfix.com^$third-party -||3t7euflv.com^$third-party -||3wr110.net^$third-party -||42632zfylf.com^$third-party -||43031aaaecd84428.com^$third-party -||43plc.com^$third-party -||46.165.197.153^ -||46.165.197.231^ -||46.246.120.230^$third-party,domain=~adexprt.com.ip -||49feqdpw.com^$third-party ||4affiliate.net^$third-party -||4b6994dfa47cee4.com^$third-party -||4dsbanner.net^$third-party +||4cinsights.com^$third-party ||4dsply.com^$third-party -||4e43ac9c.info^$third-party -||4uvjosuc.com^$third-party -||4wnet.com^$third-party -||50.7.243.123^$third-party -||5362367e.info^$third-party -||5advertise.com^$third-party -||5clickcashsoftware.com^$third-party -||5gl1x9qc.com^$third-party -||5nt1gx7o57.com^$third-party -||600z.com^$third-party -||6198399e4910e66-ovc.com^$third-party -||62.27.51.163^$third-party,domain=~adlive.de.ip -||63.225.61.4^$third-party -||64.20.60.123^$third-party -||67s6gxv28kin.com^$third-party -||6kauqbszb9.com^$third-party -||6zy9yqe1ew.com^$third-party -||73g509fk9a.com^$third-party -||74.117.182.77^ -||777seo.com^$third-party -||778669.com^$third-party -||78.138.126.253^$third-party -||78.140.131.214^ -||79zgycmr.com^$third-party -||7hu8e1u001.com^$third-party -||7insight.com^$third-party -||7pud.com^$third-party -||7search.com^$third-party -||7u8a8i88.com^$third-party -||7v8rya73sj.com^$third-party -||82d914.se^$third-party -||87.230.102.24^$third-party,domain=~p2p.adserver.ip -||88461059da0a12ea.com^$third-party ||888media.net^$third-party -||888medianetwork.com^$third-party -||888promos.com^$third-party -||8s8.eu^$third-party -||8yxupue8.com^$third-party -||91mobiles.com^$third-party -||93c8c9a28e1db445.com^$third-party -||97d73lsi.com^$third-party -||98bf9h8jbg.com^$third-party -||9ads.mobi^$third-party -||9d63c80da.pw^$third-party -||9ts3tpia.com^$third-party -||a-ads.com^$third-party -||a-ssl.ligatus.com^$third-party +||9desires.xyz^$third-party ||a-static.com^$third-party -||a.adroll.com^$third-party -||a.ligatus.com^$third-party ||a.raasnet.com^$third-party -||a2b108bd2461b12e.com^$third-party ||a2dfp.net^$third-party -||a2gw.com^$third-party -||a2pub.com^$third-party -||a3m.io^$third-party -||a3pub.com^$third-party +||a2zapk.com^$script,subdocument,third-party,xmlhttprequest ||a433.com^$third-party -||a4dtrk.com^$third-party ||a4g.com^$third-party -||a4to4.pw^$third-party -||a5a5a.com^$third-party -||a5pub.com^$third-party -||aa.voice2page.com^$third-party -||aaa.at4.info^$third-party -||aaa.dv0.info^$third-party ||aaddcount.com^$third-party -||aaxads.com^$third-party -||abasourdir.tech^$third-party -||abctrack.bid^$third-party -||ablehed.pro^$third-party -||abletomeet.com^$third-party +||aanetwork.vn^$third-party ||abnad.net^$third-party ||aboutads.quantcast.com^$third-party -||abscontal.com^$third-party -||absential.info^$third-party -||abtracker.us^$third-party -||accelacomm.com^$third-party -||access-mc.com^$third-party -||accio.ai^$third-party -||accmgr.com^$third-party -||accouncilist.com^$third-party -||accounts.pkr.com^$third-party -||accumulatork.com^$third-party -||accuserveadsystem.com^$third-party -||acf-webmaster.net^$third-party -||acknowinge.info^$third-party -||acloudimages.com^$third-party -||acrabbey.info^$third-party ||acronym.com^$third-party -||acrossiblel.info^$third-party -||actiflex.org^$third-party ||actiondesk.com^$third-party ||activedancer.com^$third-party -||ad-arata.com^$third-party -||ad-back.net^$third-party -||ad-balancer.net^$third-party -||ad-bay.com^$third-party -||ad-clicks.com^$third-party -||ad-delivery.net^$third-party -||ad-flow.com^$third-party -||ad-gbn.com^$third-party -||ad-goi.com^$third-party -||ad-indicator.com^$third-party -||ad-m.asia^$third-party -||ad-maven.com^$third-party -||ad-media.org^$third-party -||ad-recommend.com^$third-party -||ad-server.co.za^$third-party -||ad-serverparc.nl^$third-party -||ad-sponsor.com^$third-party -||ad-srv.net^$third-party -||ad-stir.com^$third-party -||ad-vice.biz^$third-party -||ad.admitad.com/banner/$third-party -||ad.admitad.com/f/$third-party -||ad.admitad.com/fbanner/$third-party -||ad.admitad.com/j/$third-party -||ad.atdmt.com/i/a.html$third-party -||ad.atdmt.com/i/a.js$third-party -||ad.doubleclick.net^$~object-subrequest,third-party -||ad.linksynergy.com^$third-party -||ad.mo.doubleclick.net/dartproxy/$third-party -||ad.mox.tv^$third-party -||ad.pxlad.io^$third-party +||ad-adapex.io^$third-party +||ad-mixr.com^$third-party +||ad-tech.ru^$third-party +||ad.plus^$third-party ||ad.style^$third-party -||ad.yieldpartners.com^$third-party -||ad120m.com^$third-party -||ad121m.com^$third-party -||ad122m.com^$third-party -||ad123m.com^$third-party -||ad125m.com^$third-party -||ad127m.com^$third-party -||ad128m.com^$third-party -||ad129m.com^$third-party -||ad131m.com^$third-party -||ad132m.com^$third-party -||ad134m.com^$third-party ||ad20.net^$third-party -||ad2387.com^$third-party ||ad2adnetwork.biz^$third-party -||ad2up.com^$third-party -||ad4980.kr^$third-party +||ad2bitcoin.com^$third-party ||ad4989.co.kr^$third-party ||ad4game.com^$third-party ||ad6media.fr^$third-party ||adacado.com^$third-party -||adaction.se^$third-party ||adacts.com^$third-party ||adadvisor.net^$third-party ||adagora.com^$third-party ||adalliance.io^$third-party ||adalso.com^$third-party +||adamatic.co^$third-party ||adaos-ads.net^$third-party -||adap.tv^$~object-subrequest,third-party ||adapd.com^$third-party ||adapex.io^$third-party ||adatrix.com^$third-party @@ -30258,64 +44677,16 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||adbasket.net^$third-party ||adbetclickin.pink^$third-party ||adbetnet.com^$third-party +||adbetnetwork.com^$third-party ||adbit.biz^$third-party -||adbit.co^$third-party -||adblockerkillswebsites.pw^$third-party -||adbma.com^$third-party -||adboost.com^$third-party -||adbooth.com^$third-party -||adbooth.net^$third-party -||adbrau.com^$third-party -||adbrite.com^$third-party -||adbroo.com^$third-party -||adbrook.com^$third-party -||adbuff.com^$third-party -||adbuka.com.ng^$third-party -||adbukaserver.com^$third-party -||adbull.com^$third-party -||adbureau.net^$third-party -||adbutler-fermion.com^$third-party -||adbutler.com^$third-party -||adbuyer.com^$third-party -||adcade.com^$third-party -||adcamel.pw^$third-party -||adcarem.co^$third-party -||adcash.com^$third-party -||adcastplus.net^$third-party -||adcde.com^$third-party -||adcdnx.com^$third-party -||adcentriconline.com^$third-party -||adcfrthyo.tk^$third-party -||adchannels.in^$third-party -||adchap.com^$third-party -||adchemical.com^$third-party -||adchoice.co.za^$third-party -||adclerks.com^$third-party -||adclick.lv^$third-party -||adclick.pk^$third-party +||adcalm.com^$third-party +||adcell.com^$third-party ||adclickafrica.com^$third-party -||adclickmedia.com^$third-party -||adclickservice.com^$third-party -||adcloud.net^$third-party -||adcmps.com^$third-party -||adcoin.click^$third-party -||adcolo.com^$third-party -||adconjure.com^$third-party +||adcolony.com^$third-party +||adconity.com^$third-party ||adconscious.com^$third-party -||adcount.in^$third-party -||adcrax.com^$third-party -||adcron.com^$third-party -||adcru.com^$third-party -||addaim.com^$third-party -||addelive.com^$third-party -||addiply.com^$third-party -||addkt.com^$third-party -||addmoredynamiclinkstocontent2convert.bid^$third-party -||addoer.com^$third-party ||addoor.net^$third-party ||addroid.com^$third-party -||addroplet.com^$third-party -||addynamics.eu^$third-party ||addynamix.com^$third-party ||addynamo.net^$third-party ||adecn.com^$third-party @@ -30324,101 +44695,67 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||ademails.com^$third-party ||adenc.co.kr^$third-party ||adengage.com^$third-party +||adentifi.com^$third-party ||adespresso.com^$third-party -||adexc.net^$third-party -||adexchange.io^$third-party -||adexchangecloud.com^$third-party -||adexchangedirect.com^$third-party -||adexchangegate.com^$third-party -||adexchangemachine.com^$third-party -||adexchangeprediction.com^$third-party -||adexchangetracker.com^$third-party -||adexcite.com^$third-party -||adexprt.com^$third-party -||adexprts.com^$third-party -||adextent.com^$third-party ||adf01.net^$third-party -||adfactory88.com^$third-party -||adfeedstrk.com^$third-party -||adfill.me^$third-party -||adfootprints.com^$third-party +||adfinity.pro^$third-party +||adfinix.com^$third-party ||adforgames.com^$third-party -||adforgeinc.com^$third-party -||adframesrc.com^$third-party ||adfrika.com^$third-party -||adfrog.info^$third-party -||adfrontiers.com^$third-party -||adfunkyserver.com^$third-party -||adfusion.com^$third-party -||adg99.com^$third-party -||adgalax.com^$third-party -||adgardener.com^$third-party +||adgage.es^$third-party ||adgatemedia.com^$third-party ||adgear.com^$third-party -||adgebra.co.in^$third-party ||adgebra.in^$third-party -||adgent007.com^$third-party -||adgila.com^$third-party -||adgine.net^$third-party ||adgitize.com^$third-party -||adglamour.net^$third-party -||adglare.net^$third-party -||adglare.org^$third-party -||adglaze.com^$third-party -||adgoi-1.net^$third-party -||adgoi.com^$third-party -||adgoi.mobi^$third-party -||adgorithms.com^$third-party -||adgoto.com^$third-party +||adgrid.io^$third-party ||adgroups.com^$third-party ||adgrx.com^$third-party -||adgup.com^$third-party +||adhash.com^$third-party +||adhaven.com^$third-party ||adhese.be^$third-party ||adhese.com^$third-party ||adhese.net^$third-party ||adhigh.net^$third-party ||adhitzads.com^$third-party ||adhostingsolutions.com^$third-party -||adhub.co.nz^$third-party +||adhouse.pro^$third-party +||adhunt.net^$third-party ||adicate.com^$third-party -||adigniter.org^$third-party ||adikteev.com^$third-party ||adimise.com^$third-party ||adimpact.com^$third-party -||adimperia.com^$third-party -||adimpression.net^$third-party ||adinc.co.kr^$third-party ||adinc.kr^$third-party ||adinch.com^$third-party ||adincon.com^$third-party ||adindigo.com^$third-party -||adinfinity.com.au^$third-party ||adingo.jp^$third-party +||adinplay.com^$third-party +||adinplay.workers.dev^$third-party ||adintend.com^$third-party ||adinterax.com^$third-party ||adinvigorate.com^$third-party -||adip.ly^$third-party -||adiqglobal.com^$third-party +||adipolo.com^$third-party +||adipolosolutions.com^$third-party ||adireland.com^$third-party +||adireto.com^$third-party ||adisfy.com^$third-party ||adisn.com^$third-party ||adit-media.com^$third-party -||adition.com^$third-party +||adition.com^$~image,third-party ||aditize.com^$third-party +||aditude.io^$third-party ||adjal.com^$third-party ||adjector.com^$third-party -||adjourne.com^$third-party -||adjs.net^$third-party +||adjesty.com^$third-party ||adjug.com^$third-party ||adjuggler.com^$third-party ||adjuggler.net^$third-party ||adjungle.com^$third-party +||adjust.com^$script,third-party ||adk2.co^$third-party ||adk2.com^$third-party ||adk2x.com^$third-party -||adkengage.com^$third-party -||adkernel.com^$third-party -||adkick.net^$third-party ||adklip.com^$third-party ||adknock.com^$third-party ||adknowledge.com^$third-party @@ -30427,621 +44764,228 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||adlatch.com^$third-party ||adlayer.net^$third-party ||adlegend.com^$third-party -||adligature.com^$third-party ||adlightning.com^$third-party +||adline.com^$third-party ||adlink.net^$third-party -||adlinx.info^$third-party -||adlisher.com^$third-party ||adlive.io^$third-party ||adloaded.com^$third-party +||adlook.me^$third-party +||adloop.co^$third-party ||adlooxtracking.com^$third-party ||adlpartner.com^$third-party -||adlure.biz^$third-party ||adlux.com^$third-party ||adm-vids.info^$third-party -||adm.fwmrm.net/crossdomain.xml$domain=cc.com|mtv.com -||adm.fwmrm.net/p/msnbc_live/$object-subrequest,third-party,domain=~msnbc.msn.com|~www.nbcnews.com -||adm.fwmrm.net/p/mtvn_live/$object-subrequest,third-party ||adm.shinobi.jp^$third-party -||admagnet.net^$third-party -||admailtiser.com^$third-party -||admamba.com^$third-party ||adman.gr^$third-party -||admanage.com^$third-party -||admanmedia.com^$third-party -||admarketplace.net^$third-party -||admaster.net^$third-party +||admaru.com^$third-party +||admatic.com.tr^$third-party ||admaxim.com^$third-party -||admaya.in^$third-party -||admaza.in^$third-party ||admedia.com^$third-party -||admedias.net^$third-party -||admedit.net^$third-party -||admedo.com^$third-party -||admeerkat.com^$third-party -||admeld.com^$third-party -||admeta.com^$third-party ||admetricspro.com^$third-party -||admission.net^$third-party -||admixer.net^$third-party -||admngronline.com^$third-party -||admpads.com^$third-party -||admtpmp127.com^$third-party +||admost.com^$third-party ||admulti.com^$third-party -||admzn.com^$third-party ||adnami.io^$third-party -||adne.tv^$third-party -||adnectar.com^$third-party -||adnemo.com^$third-party -||adnet-media.net^$third-party ||adnet.biz^$third-party ||adnet.com^$third-party ||adnet.de^$third-party ||adnet.lt^$third-party ||adnet.ru^$third-party -||adnet.vn^$third-party -||adnetworkme.com^$third-party -||adnetworkperformance.com^$third-party -||adneutralads.com^$third-party -||adnext.fr^$third-party -||adnext.org^$third-party -||adngin.com^$third-party -||adnigma.com^$third-party +||adnext.pl^$third-party ||adnimation.com^$third-party -||adnimo.com^$third-party +||adnitro.pro^$third-party ||adnium.com^$third-party ||adnmore.co.kr^$third-party -||adnoble.com^$third-party ||adnow.com^$third-party ||adnuntius.com^$third-party -||adnxs.com^$third-party -||adnxs.net^$third-party -||adnxs1.com^$third-party -||adnxsid.com^$third-party -||adocean.pl^$third-party -||adohana.com^$third-party -||adomic.com^$third-party ||adomik.com^$third-party -||adonion.com^$third-party -||adonly.com^$third-party ||adonnews.com^$third-party -||adonweb.ru^$third-party ||adoperator.com^$third-party -||adopshost.me^$third-party ||adoptim.com^$third-party ||adorika.com^$third-party -||adorika.net^$third-party +||adorion.net^$third-party ||adosia.com^$third-party -||adotic.com^$third-party -||adotmob.com^$third-party -||adotomy.com^$third-party -||adotube.com^$third-party -||adovida.com^$third-party -||adovr.com^$third-party -||adowner.net^$third-party -||adpacks.com^$third-party +||adoto.net^$third-party ||adparlor.com^$third-party -||adpass.co.uk^$third-party -||adpath.mobi^$third-party ||adpay.com^$third-party ||adpays.net^$third-party -||adpdx.com^$third-party +||adpeepshosted.com^$third-party ||adperfect.com^$third-party -||adperium.com^$third-party -||adphreak.com^$third-party -||adpinion.com^$third-party -||adpionier.de^$third-party -||adplans.info^$third-party -||adplex.media^$third-party ||adplugg.com^$third-party -||adplxmd.com^$third-party ||adpnut.com^$third-party -||adpopcon.com^$third-party -||adpoper.com^$third-party ||adport.io^$third-party -||adppv.com^$third-party ||adpredictive.com^$third-party -||adpremo.com^$third-party -||adpressi.com^$third-party -||adprofit2share.com^$third-party -||adproper.info^$third-party -||adprotected.com^$third-party -||adprovi.de^$third-party -||adprs.net^$third-party ||adpushup.com^$third-party -||adqic.com^$third-party -||adquantix.com^$third-party -||adquest3d.com^$third-party -||adrcdn.com^$third-party +||adquire.com^$third-party +||adqva.com^$third-party ||adreactor.com^$third-party -||adready.com^$third-party -||adreadytractions.com^$third-party +||adrecord.com^$third-party ||adrecover.com^$third-party ||adrelayer.com^$third-party ||adresellers.com^$third-party -||adrevivify.com^$third-party ||adrevolver.com^$third-party -||adrich.cash^$third-party -||adrife.net^$third-party -||adright.co^$third-party ||adrise.de^$third-party ||adro.co^$third-party ||adrocket.com^$third-party +||adroll.com^$third-party ||adrsp.net^$third-party -||adrunnr.com^$third-party -||ads-4u.com^$third-party -||ads-elsevier.net^$third-party ||ads-pixiv.net^$third-party -||ads-stats.com^$third-party -||ads-twitter.com^$third-party ||ads.cc^$third-party -||ads.rd.linksynergy.com^$third-party ||ads01.com^$third-party -||ads1-adnow.com^$third-party -||ads2-adnow.com^$third-party -||ads2ads.net^$third-party -||ads2srv.com^$third-party -||ads3-adnow.com^$third-party -||ads4cheap.com^$third-party -||ads5-adnow.com^$third-party -||adsafeprotected.com^$third-party -||adsafety.net^$third-party -||adsagony.com^$third-party -||adsalvo.com^$third-party -||adsame.com^$third-party +||ads4media.online^$third-party ||adsbookie.com^$third-party -||adsbrook.com^$third-party -||adscale.de^$third-party -||adscampaign.net^$third-party -||adscendmedia.com^$third-party -||adsclickingnetwork.com^$third-party -||adsco.re^$third-party -||adscope.co.kr^$third-party +||adscout.io^$third-party ||adscpm.net^$third-party -||adsdk.com^$third-party -||adsdot.ph^$third-party -||adsearcher.ru^$third-party -||adsensecamp.com^$third-party -||adserv8.com^$third-party +||adsenix.com^$third-party ||adserve.com^$third-party -||adserve.ph^$third-party -||adserver-fx.com^$third-party -||adserverplus.com^$third-party -||adserverpub.com^$third-party -||adservhere.com^$third-party ||adservingfactory.com^$third-party -||adservinginternational.com^$third-party -||adservme.com^$third-party -||adservpi.com^$third-party -||adservr.de^$third-party -||adsfac.eu^$third-party -||adsfac.net^$third-party -||adsfac.us^$third-party -||adsfactor.net^$third-party -||adsfan.net^$third-party +||adsexse.com^$third-party ||adsfast.com^$third-party ||adsforallmedia.com^$third-party -||adsforindians.com^$third-party -||adsfundi.com^$third-party -||adsfundi.net^$third-party -||adsfuse.com^$third-party -||adshack.com^$third-party -||adshark.site^$third-party -||adshexa.com^$third-party -||adshopping.com^$third-party ||adshot.de^$third-party ||adshuffle.com^$third-party ||adsiduous.com^$third-party -||adsignals.com^$third-party -||adsimilis.com^$third-party -||adsinimages.com^$third-party -||adskeeper.co.uk^$third-party -||adslala.com^$third-party -||adslidango.com^$third-party -||adslingers.com^$third-party +||adsight.nl^$third-party ||adslivecorp.com^$third-party -||adslot.com^$third-party -||adslvr.com^$third-party -||adsmarket.com^$third-party -||adsmarket.es^$third-party -||adsmedia.cc^$third-party -||adsmile.biz^$third-party -||adsmoon.com^$third-party -||adsmws.cloudapp.net^$third-party -||adsnative.com^$third-party -||adsnetworkserver.com^$third-party -||adsnext.net^$third-party +||adsmart.hk^$third-party +||adsninja.ca^$third-party ||adsniper.ru^$third-party -||adsomi.com^$third-party -||adsonar.com^$third-party -||adsoptimal.com^$third-party -||adsopx.com^$third-party -||adsovo.com^$third-party -||adsp.com^$third-party -||adspaper.org^$third-party +||adsolutely.com^$third-party ||adsparc.net^$third-party -||adspdbl.com^$third-party ||adspeed.com^$third-party -||adspirit.de^$third-party -||adspring.to^$third-party ||adspruce.com^$third-party -||adspynet.com^$third-party -||adsrevenue.net^$third-party +||adsquirrel.ai^$third-party +||adsreference.com^$third-party ||adsring.com^$third-party -||adsrv.us^$third-party ||adsrv4k.com^$third-party ||adsrvmedia.com^$third-party -||adsrvmedia.net^$third-party -||adsrvr.org^$third-party -||adssend.net^$third-party -||adssites.net^$third-party ||adstargeting.com^$third-party -||adstatic.com^$third-party +||adstargets.com^$third-party ||adsterra.com^$third-party +||adsterratech.com^$third-party ||adstock.pro^$third-party +||adstoo.com^$third-party +||adstudio.cloud^$third-party ||adstuna.com^$third-party ||adsummos.net^$third-party ||adsupermarket.com^$third-party -||adsupply.com^$third-party -||adsupplyssl.com^$third-party -||adsurve.com^$third-party -||adsvcs.com^$third-party ||adsvert.com^$third-party -||adsvids.com^$third-party -||adsxgm.com^$third-party -||adszom.com^$third-party -||adtag.cc^$third-party -||adtaily.com^$third-party -||adtaily.eu^$third-party -||adtaily.pl^$third-party +||adsync.tech^$third-party +||adtarget.com.tr^$third-party +||adtarget.market^$third-party ||adtdp.com^$third-party ||adtear.com^$third-party -||adtecc.com^$third-party ||adtech.de^$third-party +||adtechium.com^$third-party +||adtechjp.com^$third-party ||adtechus.com^$third-party ||adtegrity.net^$third-party -||adtelligent.com^$third-party ||adteractive.com^$third-party -||adtgs.com^$third-party ||adthrive.com^$third-party -||adtoadd.com^$third-party -||adtoll.com^$third-party -||adtology1.com^$third-party -||adtology2.com^$third-party -||adtology3.com^$third-party -||adtoma.com^$third-party -||adtomafusion.com^$third-party -||adtoox.com^$third-party -||adtotal.pl^$third-party -||adtpix.com^$third-party -||adtrace.org^$third-party -||adtransfer.net^$third-party -||adtrgt.com^$third-party -||adtrieval.com^$third-party +||adtival.network^$third-party +||adtrafficquality.google^$third-party ||adtrix.com^$third-party -||adtrovert.com^$third-party -||adtrue.com^$third-party -||adtruism.com^$third-party -||adtwbjs.com^$third-party -||adtwirl.com^$third-party -||aduacni.com^$third-party -||adult-adv.com^$third-party ||adultadworld.com^$third-party ||adultimate.net^$third-party -||adulttds.com^$third-party ||adup-tech.com^$third-party -||adurr.com^$third-party ||adv-adserver.com^$third-party -||adv9.net^$third-party ||advanseads.com^$third-party -||advantageglobalmarketing.com^$third-party -||advard.com^$third-party ||advarkads.com^$third-party -||advatar.to^$third-party ||advcash.com^$third-party ||adventori.com^$third-party ||adventurefeeds.com^$third-party -||adverigo.com^$third-party -||adverpub.com^$third-party ||adversal.com^$third-party -||adversaldisplay.com^$third-party -||adversalservers.com^$third-party -||adverserve.net^$third-party -||advertarium.com.ua^$third-party -||advertbox.us^$third-party -||adverteerdirect.nl^$third-party -||adverti.io^$third-party -||advertica-cdn.com^$third-party -||advertica.ae^$third-party ||adverticum.net^$third-party ||advertise.com^$third-party -||advertiseforfree.co.za^$third-party -||advertisegame.com^$third-party -||advertiserurl.com^$third-party ||advertisespace.com^$third-party -||advertiseworld.com^$third-party -||advertiseyourgame.com^$third-party -||advertising-department.com^$third-party ||advertising365.com^$third-party -||advertisingiq.com^$third-party -||advertisingpath.net^$third-party -||advertisingvalue.info^$third-party -||advertjunction.com^$third-party -||advertlane.com^$third-party -||advertlead.net^$third-party -||advertlets.com^$third-party -||advertmarketing.com^$third-party -||advertmedias.com^$third-party -||advertnetworks.com^$third-party +||advertnative.com^$third-party ||advertone.ru^$third-party -||advertpay.net^$third-party -||advertrev.com^$third-party ||advertserve.com^$third-party -||advertstatic.com^$third-party -||advertstream.com^$third-party +||advertsource.co.uk^$third-party ||advertur.ru^$third-party -||advertxi.com^$third-party -||advfeeds.com^$third-party ||advg.jp^$third-party -||advgoogle.com^$third-party +||adviad.com^$third-party ||advideum.com^$third-party -||advise.co^$third-party -||advisorded.com^$third-party -||adviva.net^$third-party -||advmaker.su^$third-party +||advinci.net^$third-party ||advmd.com^$third-party +||advmedia.io^$third-party ||advmedialtd.com^$third-party +||advnetwork.net^$third-party ||advombat.ru^$third-party +||advon.net^$third-party ||advpoints.com^$third-party -||advrtice.com^$third-party -||advserver.xyz^$third-party ||advsnx.net^$third-party ||adwebster.com^$third-party -||adwires.com^$third-party -||adwordsservicapi.com^$third-party -||adworkmedia.com^$third-party +||adworkmedia.net^$third-party ||adworldmedia.com^$third-party ||adworldmedia.net^$third-party -||adx1.com^$third-party -||adxat.com^$third-party -||adxchg.com^$third-party -||adxcore.com^$third-party -||adxion.com^$third-party +||adx.io^$third-party +||adx.ws^$third-party +||adxoo.com^$third-party ||adxpose.com^$third-party -||adxpower.com^$third-party -||adxprts.com^$third-party -||adxprtz.com^$third-party -||adxscope.com^$third-party -||adxxx.me^$third-party -||adxxx.org^$third-party +||adxpremium.com^$third-party +||adxpub.com^$third-party ||adyoulike.com^$third-party -||adyoz.com^$third-party -||adz.co.zw^$third-party +||adysis.com^$third-party ||adzbazar.com^$third-party -||adzchoice.com^$third-party -||adzerk.net^$third-party,domain=~strava.com -||adzhits.com^$third-party -||adzhub.com^$third-party -||adziff.com^$third-party -||adzincome.in^$third-party -||adzintext.com^$third-party -||adzmaza.in^$third-party -||adzmedia.com^$third-party -||adzonk.com^$third-party +||adzerk.net^$third-party ||adzouk.com^$third-party -||adzouk1tag.com^$third-party -||adzposter.com^$third-party -||adzpower.com^$third-party ||adzs.nl^$third-party ||adzyou.com^$third-party -||aepetor.pw^$third-party -||aerobins.com^$third-party -||af201768865.com^$third-party -||afcyhf.com^$third-party -||afdads.com^$third-party -||aff-online.com^$third-party -||aff.biz^$third-party -||aff201868865.com^$third-party -||affasi.com^$third-party -||affbot1.com^$third-party -||affbot3.com^$third-party -||affbot7.com^$third-party -||affbot8.com^$third-party ||affbuzzads.com^$third-party ||affec.tv^$third-party ||affifix.com^$third-party -||affili.st^$third-party ||affiliate-b.com^$third-party -||affiliate-gate.com^$third-party -||affiliate-robot.com^$third-party -||affiliate.com^$third-party -||affiliate.cx^$third-party -||affiliatebannerfarm.com^$third-party ||affiliateedge.com^$third-party -||affiliateer.com^$third-party -||affiliatefuel.com^$third-party -||affiliatefuture.com^$third-party -||affiliategateways.co^$third-party ||affiliategroove.com^$third-party -||affiliatelounge.com^$third-party -||affiliatemembership.com^$third-party -||affiliatenetwork.co.za^$third-party -||affiliatesensor.com^$third-party -||affiliation-france.com^$third-party -||affiliationcash.com^$third-party -||affiliationworld.com^$third-party -||affiliationzone.com^$third-party -||affilijack.de^$third-party -||affiliproducts.com^$third-party -||affiliserve.com^$third-party -||affimo.de^$third-party -||affinitad.com^$third-party -||affinity.com^$third-party -||affiz.net^$third-party -||affplanet.com^$third-party -||afftrack.com^$third-party -||afgr1.com^$third-party -||afgr10.com^$third-party -||afgr2.com^$third-party -||afgr3.com^$third-party -||afgr4.com^$third-party -||afgr5.com^$third-party -||afgr6.com^$third-party -||afgr7.com^$third-party -||afgr8.com^$third-party -||afgr9.com^$third-party -||aflrm.com^$third-party -||afovelsa.com^$third-party -||africawin.com^$third-party +||affilimatejs.com^$third-party +||affilist.com^$third-party +||afishamedia.net^$third-party +||afp.ai^$third-party ||afrikad.com^$third-party -||afterdownload.com^$third-party -||afterdownloads.com^$third-party +||afront.io^$third-party ||afy11.net^$third-party -||againclence.com^$third-party -||againscan.com^$third-party -||againstein.com^$third-party -||agcdn.com^$third-party -||agentcenters.com^$third-party -||aggregateknowledge.com^$third-party -||aggregatorgetb.com^$third-party -||aglocobanners.com^$third-party -||agmtrk.com^$third-party -||agomwefq.com^$third-party -||agvzvwof.com^$third-party -||aidaigry.com^$third-party -||ailtumty.net^$third-party +||afyads.com^$third-party ||aim4media.com^$third-party -||aimatch.com^$third-party -||aio.media^$third-party -||aj1052.online^$third-party -||aj1574.online^$third-party -||ajansreklam.net^$third-party -||ajillionmax.com^$third-party -||akamhd.com^$third-party +||ainsyndication.com^$third-party +||airfind.com^$third-party ||akavita.com^$third-party -||alargery.com^$third-party -||albopa.work^$third-party -||alchemysocial.com^$third-party -||alfynetwork.com^$third-party -||algovid.com^$third-party -||ali-crm.ru^$third-party -||alibestru.ru^$third-party -||alibestru3.ru^$third-party -||alikelys.com^$third-party +||aklamator.com^$third-party +||alienhub.xyz^$third-party ||alimama.com^$third-party -||alipromo.com^$third-party -||alkdmsxs.bid^$third-party -||allabc.com^$third-party -||alleliteads.com^$third-party -||allmt.com^$third-party -||allmyverygreatlife.com^$third-party -||allopenclose.click^$third-party -||alloydigital.com^$third-party -||allyes.com^$third-party -||almostle.info^$third-party -||alogationa.co^$third-party -||alphabird.com^$third-party -||alphabirdnetwork.com^$third-party -||alphagodaddy.com^$third-party -||alternads.info^$third-party -||alternativeadverts.com^$third-party -||althybesr.com^$third-party -||altitude-arena.com^$third-party -||altpubli.com^$third-party -||altrk.net^$third-party -||am-display.com^$third-party -||am10.ru^$third-party -||am11.ru^$third-party -||am15.net^$third-party -||amazon-adsystem.com^$third-party -||amazon-cornerstone.com^$third-party -||amazonily.com^$third-party -||ambaab.com^$third-party -||ambientplatform.vn^$third-party -||ambra.com^$third-party -||amd2016.com^$third-party -||amertazy.com^$third-party -||amgdgt.com^$third-party -||aminopay.net^$third-party -||amp.rd.linksynergy.com^$third-party -||amp.services^$third-party -||ampxchange.com^$third-party -||anastasiasaffiliate.com^$third-party -||anbkoxl.com^$third-party +||allmediadesk.com^$third-party +||alloha.tv^$third-party +||alpha-affiliates.com^$third-party +||alright.network^$third-party +||amateur.cash^$third-party +||amobee.com^$third-party ||andbeyond.media^$third-party -||andohs.net^$third-party -||andomedia.com^$third-party -||andomediagroup.com^$third-party -||anet*.tradedoubler.com^$third-party -||angege.com^$third-party -||angeinge.com^$third-party -||animits.com^$third-party ||aniview.com^$third-party -||anonymousads.com^$third-party -||anrdoezrs.net/image-$third-party -||anrdoezrs.net/placeholder-$third-party -||antivirustoolext.com^$third-party -||anwufkjjja.com^$third-party +||anrdoezrs.net/image- +||anrdoezrs.net/placeholder- ||anyclip-media.com^$third-party ||anymedia.lv^$third-party ||anyxp.com^$third-party -||aoqneyvmaz.com^$third-party -||aoredi.com^$third-party ||aorms.com^$third-party ||aorpum.com^$third-party ||apex-ad.com^$third-party ||apexcdn.com^$third-party ||aphookkensidah.pro^$third-party ||apmebf.com^$third-party -||apopgo.com^ -||apparede.com^$third-party -||apparest.com^$third-party -||appendad.com^$third-party -||applebarq.com^$third-party -||appliere.online^$third-party +||applixir.com^$third-party ||appnext.com^$third-party -||apportium.com^$third-party -||approp.pro^$third-party ||apprupt.com^$third-party -||appsha4.space^$third-party ||apptap.com^$third-party -||appwebview.com^$third-party -||april29-disp-download.com^$third-party -||apsmediaagency.com^$third-party -||apugod.work^$third-party -||apvdr.com^$third-party -||apxlv.com^$third-party ||apxtarget.com^$third-party ||apycomm.com^$third-party ||apyoth.com^$third-party -||arab4eg.com^$third-party -||arabweb.biz^$third-party -||aralego.com^$third-party -||arcadebannerexchange.net^$third-party +||aqua-adserver.com^$third-party ||arcadebannerexchange.org^$third-party -||arcadebanners.com^$third-party -||arcadebe.com^$third-party ||arcadechain.com^$third-party -||areasins.com^$third-party -||areasnap.com^$third-party -||arecio.work^$third-party -||arrassley.info^$third-party -||arrowbucket.co^ -||arti-mediagroup.com^$third-party -||articulty.com^$third-party -||as-farm.com^$third-party -||as07d698u9.com^$third-party -||as5000.com^$third-party -||asafesite.com^$third-party -||aseadnet.com^$third-party -||ashemeth.com^$third-party -||askhilltop.com^$third-party -||asklots.com^$third-party -||aso1.net^$third-party -||asooda.com^$third-party -||asqpniwvxea.com^$third-party -||asrety.com^$third-party -||assetize.com^$third-party +||armanet.co^$third-party +||armanet.us^$third-party +||artsai.com^$third-party +||assemblyexchange.com^$third-party ||assoc-amazon.ca^$third-party ||assoc-amazon.co.uk^$third-party ||assoc-amazon.com^$third-party @@ -31050,321 +44994,118 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||assoc-amazon.fr^$third-party ||assoc-amazon.it^$third-party ||asterpix.com^$third-party -||astree.be^$third-party -||atadserver.com^$third-party -||atas.io^$third-party -||atemda.com^$third-party -||atmalinks.com^$third-party -||ato.mx^$third-party -||atomex.net^$third-party -||atomicblast.lol^$third-party -||atonato.de^$third-party -||atrinsic.com^$third-party -||attacketslovern.info^$third-party -||atterlocus.com^$third-party -||atwola.com^$third-party -||au2m8.com^$third-party ||auctionnudge.com^$third-party +||audience.io^$third-party ||audience2media.com^$third-party -||audiencefuel.com^$third-party -||audienceprofiler.com^$third-party -||auditoire.ph^$third-party -||auditude.com^$third-party -||audu0yi.bid^$third-party -||augmentad.net^$third-party -||august15download.com^$third-party -||aunmdhxrco.com^$third-party -||auspipe.com^$third-party -||auto-im.com^$third-party -||auto-insurance-quotes-compare.com^$third-party +||audiencerun.com^$third-party +||autoads.asia^$third-party ||automatad.com^$third-party -||automatedtraffic.com^$third-party -||automateyourlist.com^$third-party -||autopilothq.com^$third-party -||avads.co.uk^$third-party -||avajo.men^$third-party -||avalanchers.com^$third-party -||avalopaly.com^$third-party -||avazu.net^$third-party -||avazutracking.net^$third-party -||avercarto.com^$third-party -||awakebottlestudy.com^$third-party -||awaps.net^$third-party -||awecr.com^$third-party -||awempire.com^$third-party -||awestatic.com^$third-party -||awltovhc.com^$third-party -||aws-ajax.com^$third-party ||awsmer.com^$third-party -||awstaticdn.net^$third-party -||awsurveys.com^$third-party -||axill.com^$third-party -||ayads.co^$third-party -||ayboll.com^$third-party +||axiaffiliates.com^$third-party ||azadify.com^$third-party -||azads.com^$third-party -||azjmp.com^$third-party -||azoogleads.com^$third-party -||azorbe.com^$third-party -||b117f8da23446a91387efea0e428392a.pl^$third-party -||b3z29k1uxb.com^$third-party -||b4banner.in^$third-party -||babbnrs.com^$third-party -||babsedrinhi.info^$third-party ||backbeatmedia.com^$third-party ||backlinks.com^$third-party -||badjocks.com^$third-party -||bakkels.com^$third-party -||baldiro.de^$third-party -||bam-bam-slam.com^$third-party -||bamboocast.com^$third-party -||bamj630h.tech^$third-party -||bananaflippy.com^$third-party -||banner-clix.com^$third-party -||banner-rotation.com^$third-party +||ban-host.ru^$third-party ||bannerbank.ru^$third-party ||bannerbit.com^$third-party -||bannerblasters.com^$third-party +||bannerboo.com^$third-party ||bannerbridge.net^$third-party -||bannercde.com^$third-party ||bannerconnect.com^$third-party ||bannerconnect.net^$third-party ||bannerdealer.com^$third-party -||bannerexchange.com.au^$third-party ||bannerflow.com^$third-party ||bannerflux.com^$third-party ||bannerignition.co.za^$third-party -||bannerjammers.com^$third-party -||bannerlot.com^$third-party -||bannerperformance.net^$third-party ||bannerrage.com^$third-party +||bannersmall.com^$third-party ||bannersmania.com^$third-party -||bannersnack.com^$third-party -||bannersnack.net^$third-party -||bannersurvey.biz^$third-party -||bannertgt.com^$third-party -||bannertracker-script.com^$third-party +||bannersnack.com^$third-party,domain=~bannersnack.dev +||bannersnack.net^$third-party,domain=~bannersnack.dev ||bannerweb.com^$third-party -||banniere.reussissonsensemble.fr^$third-party -||bargainpricedude.com^$third-party +||bannieres-a-gogo.com^$third-party ||baronsoffers.com^$third-party -||basebanner.com^$third-party -||basepush.com^$third-party +||batch.com^$third-party ||bbelements.com^$third-party ||bbuni.com^$third-party -||bcdn.men^$third-party -||bcloudhost.com^$third-party ||beaconads.com^$third-party -||beatchucknorris.com^$third-party +||beaverads.com^$third-party ||bebi.com^$third-party -||become.successfultogether.co.uk^$third-party -||bedorm.com^$third-party ||beead.co.uk^$third-party ||beead.net^$third-party -||beerforthepipl.com^$third-party -||befade.com^$third-party -||befirstcdn.com^$third-party -||beforescence.com^$third-party ||begun.ru^$third-party -||bekoted.work^$third-party +||behave.com^$third-party ||belointeractive.com^$third-party -||belvertising.be^$third-party -||benchmarkingstuff.com^$third-party -||benisoncanorous.org^$third-party -||bentdownload.com^$third-party -||bepolite.eu^$third-party +||benfly.net^$third-party ||beringmedia.com^$third-party -||berush.com^$third-party -||besguses.pro^$third-party -||besied.com^$third-party -||best5ex.com^$third-party -||bestarmour4u.work^$third-party ||bestcasinopartner.com^$third-party ||bestcontentcompany.top^$third-party ||bestcontentsoftware.top^$third-party -||bestdeals.ws^$third-party -||bestfindsite.com^$third-party ||bestforexpartners.com^$third-party -||bestforexplmdb.com^$third-party -||bestgameads.com^$third-party ||besthitsnow.com^$third-party +||bestodds.com^$third-party ||bestofferdirect.com^$third-party ||bestonlinecoupons.com^$third-party -||bestpricewala.com^$third-party -||bestquickcontentfiles.com^$third-party ||bet3000partners.com^$third-party ||bet365affiliates.com^$third-party -||betaffs.com^$third-party -||betigo.work^$third-party ||betoga.com^$third-party ||betpartners.it^$third-party ||betrad.com^$third-party -||bettingpartners.com^$third-party -||bezoya.work^$third-party -||bf-ad.net^$third-party -||bfast.com^$third-party -||bh3.net^$third-party -||bhcumsc.com^$third-party -||bidadx.com^$third-party +||bettercollective.rocks^$third-party +||bidfilter.com^$third-party ||bidgear.com^$third-party -||bidgewatr.com^$third-party -||bidhead.net^$third-party -||bidsystem.com^$third-party -||bidtheatre.com^$third-party -||bidverdrd.com^$third-party +||bidscape.it^$third-party ||bidvertiser.com^$third-party -||biemedia.com^$third-party -||bigadpoint.net^$third-party -||bigchoicegroup.com^$third-party -||bigdomain.in^$third-party -||bigfineads.com^$third-party +||bidvol.com^$third-party +||bigpipes.co^$third-party ||bigpulpit.com^$third-party -||bijscode.com^$third-party -||billypub.com^$third-party -||bimlocal.com^$third-party +||bigspyglass.com^$third-party +||bildirim.eu^$third-party +||bimbim.com^$third-party ||bin-layer.de^$third-party -||bin-layer.ru^$third-party -||binaryoptionssystems.org^$third-party -||bingo4affiliates.com^$third-party ||binlayer.com^$third-party ||binlayer.de^$third-party ||biskerando.com^$third-party -||bitads.net^$third-party -||bitadv.co^$third-party ||bitcoadz.io^$third-party -||bitcoinadvertisers.com^$third-party ||bitcoset.com^$third-party -||bitfalcon.tv^$third-party ||bitonclick.com^$third-party ||bitraffic.com^$third-party +||bitspush.io^$third-party ||bittads.com^$third-party -||bitx.tv^$third-party -||bizfo.co.uk^$third-party -||bizographics.com^$third-party -||bizrotator.com^$third-party +||bittrafficads.com^$third-party ||bizx.info^$third-party ||bizzclick.com^$third-party -||bj1110.online^$third-party -||bjjingda.com^$third-party -||blamads.com^$third-party -||blamcity.com^$third-party -||blardenso.com^$third-party -||blinkadr.com^$third-party +||bliink.io^$third-party ||blogads.com^$third-party -||blogbannerexchange.com^$third-party ||blogclans.com^$third-party -||bloggerex.com^$third-party -||blogherads.com^$third-party -||blogohertz.com^$third-party -||blueadvertise.com^$third-party -||bluedawning.com^$third-party -||bluesli.de^$third-party -||bluestreak.com^$third-party ||bluetoad.com^$third-party -||blumi.to^$third-party -||bmanpn.com^$third-party -||bnbir.xyz^$third-party -||bnetworx.com^$third-party -||bnhtml.com^$third-party -||bnmla.com^$third-party -||bnr.sys.lv^$third-party -||bnrdom.com^$third-party -||bnrs.it^$third-party -||bnrslks.com^$third-party -||bnserving.com^$third-party -||boashesu.net^$third-party -||bodelen.com^$third-party +||blzz.xyz^$third-party +||bmfads.com^$third-party +||bodis.com^$third-party ||bogads.com^$third-party -||bohowhepsandked.info^$third-party -||bokroet.com^$third-party -||bonusfapturbo.com^$third-party -||bonzai.ad^$third-party +||bonzai.co^$third-party ||boo-box.com^$third-party -||bookbudd.com^$third-party -||bookelement.biz^$third-party -||booklandonline.info^$third-party ||boostable.com^$third-party ||boostads.net^$third-party -||boostads.site^$third-party -||boostclic.com^$third-party -||boostshow.com^$third-party -||bop-bop-bam.com^$third-party -||bormoni.ru^$third-party -||bororas.com^$third-party -||bostonparadise.com^$third-party -||bostonwall.com^$third-party -||boteko.work^$third-party -||boudja.com^$third-party -||bounce.bar^$third-party -||bowells.com^$third-party -||boydadvertising.co.uk^$third-party -||boylesportsreklame.com^$third-party -||bpasyspro.com^$third-party -||bptracking.com^$third-party -||br.rk.com^$third-party -||brainient.com^$third-party -||branchr.com^$third-party -||brand-display.com^$third-party -||brand.net^$third-party -||brandads.net^$third-party -||brandaffinity.net^$third-party -||brandclik.com^$third-party -||brandreachsys.com^$third-party -||braside.ru^$third-party ||braun634.com^$third-party -||bravenetmedianetwork.com^$third-party -||breadpro.com^$third-party -||breakingfeedz.com^$third-party ||brealtime.com^$third-party -||brethrengenotypeteledyne.com^$third-party -||bridgetrack.com^$third-party -||brigenlies.pro^$third-party -||brighteroption.com^$third-party -||brightonclick.com^$third-party -||brightshare.com^$third-party -||britiesee.info^$third-party +||bricks-co.com^$third-party ||broadstreetads.com^$third-party -||brokeloy.com^$third-party -||browsers.support^$third-party -||browsersfeedback.com^$third-party -||brucelead.com^$third-party -||bruceleadx.com^$third-party -||bruceleadx1.com^$third-party -||bruceleadx2.com^$third-party -||bruceleadx3.com^$third-party -||bruceleadx4.com^$third-party -||bstrtb.com^$third-party -||btnibbler.com^$third-party +||browsekeeper.com^$third-party ||btrll.com^$third-party ||btserve.com^$third-party -||bttbgroup.com^$third-party -||bttrack.com^$third-party -||bu520.com^$third-party -||bubblesmedia.ru^$third-party ||bucketsofbanners.com^$third-party -||budgetedbauer.com^$third-party ||budurl.com^$third-party ||buildtrafficx.com^$third-party ||buleor.com^$third-party -||buletproofserving.com^$third-party -||bulgarine.com^$third-party -||bullads.net^$third-party -||bulletproofserving.com^$third-party ||bumq.com^$third-party -||bunchofads.com^$third-party ||bunny-net.com^$third-party -||burbanked.info^$third-party ||burjam.com^$third-party -||burnsoftware.info^$third-party -||burporess.pro^ -||burria.info^$third-party ||burstnet.com^$third-party ||businesscare.com^$third-party ||businessclick.com^$third-party -||busterzaster.de^$third-party -||buxept.com^$third-party ||buxflow.com^$third-party ||buxp.org^$third-party +||buycheaphost.net^$third-party ||buyflood.com^$third-party ||buyorselltnhomes.com^$third-party ||buysellads.com^$third-party @@ -31374,3080 +45115,636 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||buzzadnetwork.com^$third-party ||buzzcity.net^$third-party ||buzzonclick.com^$third-party +||buzzoola.com^$third-party ||buzzparadise.com^$third-party ||bwinpartypartners.com^$third-party -||bxkblkok.com^$third-party ||byspot.com^$third-party -||byvngx98ssphwzkrrtsjhnbyz5zss81dxygxvlqd05.com^$third-party -||byzoo.org^$third-party -||bznclicks.com^$third-party ||c-on-text.com^$third-party -||c-planet.net^$third-party -||c13b2beea116e.com^$third-party -||c8.net.ua^$third-party -||cabinsone.com^$third-party -||cadlereducter.info^$third-party -||callmd5map.com^$third-party -||camakaroda.com^$third-party -||camleyads.info^$third-party -||campanja.com^$third-party -||canaanita.com^$third-party -||canadasungam.net^$third-party -||canoeklix.com^$third-party +||camghosts.com^$third-party +||camonster.com^$third-party +||campaignlook.com^$third-party ||capacitygrid.com^$third-party -||capitatmarket.com^$third-party -||captainad.com^$third-party -||captifymedia.com^$third-party -||carbian.info^$third-party -||carbonads.com^$third-party -||carbours.com^$third-party -||cardincraping.net^$third-party -||carrier.bz^$third-party -||cartorkins.com^$third-party -||casalemedia.com^$third-party -||cash-duck.com^$third-party -||cash4members.com^$third-party -||cashatgsc.com^$third-party -||cashbigo.com^$third-party -||cashcave.net^$third-party -||cashinme.com^$third-party -||cashmylinks.com^$third-party -||cashonvisit.com^$third-party -||cashtrafic.com^$third-party -||cashtrafic.info^$third-party -||cashworld.biz^$third-party +||caroda.io^$third-party ||casino-zilla.com^$third-party -||caspion.com^$third-party -||casterpretic.com^$third-party -||castplatform.com^$third-party -||caughinga.info^$third-party -||caygh.com^$third-party +||cazamba.com^$third-party ||cb-content.com^$third-party -||cbaazars.com^$third-party -||cbclickbank.com^$third-party -||cbclicks.com^$third-party -||cbcx8t95.space^$third-party -||cbleads.com^$third-party -||cbn.tbn.ru^$third-party -||cc-dt.com^$third-party -||cd828.com^$third-party -||cdn.mobicow.com^$third-party -||cdn000.club^$script,third-party -||cdn7now.com^$third-party -||cdna.tremormedia.com^$third-party -||cdnads.com^$third-party -||cdnapi.net^$third-party -||cdnasjdkajgfhgajfjkagfa.pro^$third-party -||cdnativ.com^$third-party -||cdnload.top^$third-party -||cdnondemand.org^$third-party -||cdnproviders.net^$third-party -||cdnquality.com^$third-party -||cdnrl.com^$third-party -||cdnserv.pw^$third-party -||cdnservr.com^$third-party -||cdntrip.com^$third-party -||ceeglagu.net^$third-party -||cegludse.net^$third-party -||celeritascdn.com^$third-party -||centralnervous.net^$third-party -||ceraitoa.com^$third-party -||cerotop.com^$third-party -||cfasync.cf^$third-party -||cfasync.ga^$third-party -||cfasync.gq^$third-party -||cfasync.ml^$third-party -||cfasync.tk^$third-party -||cfgr1.com^$third-party -||cfts1tifqr.com^$third-party -||cgecwm.org^$third-party -||chainads.io^$third-party -||chanagers.com^$third-party -||chandlertreatment.com^$third-party -||chango.com^$third-party -||chanished.net^$third-party -||chanitet.ru^$third-party -||channeldate.com^$third-party -||chantly.info^$third-party -||chargeplatform.com^$third-party +||cdn.mcnn.pl^$third-party +||cdn.perfdrive.com^$third-party +||cdnreference.com^$third-party ||charltonmedia.com^$third-party -||cheatre.info^$third-party -||checkabil.com^$third-party -||checkapi.xyz^$third-party -||checkm8.com^$third-party -||checkmystats.com.au^$third-party -||checkoutfree.com^$third-party -||cherytso.com^$third-party -||chicbuy.info^$third-party -||chiliadv.com^$third-party -||china-netwave.com^$third-party -||chinagrad.ru^$third-party -||chipleader.com^$third-party ||chitika.com^$third-party -||chitika.net^$third-party -||chronicads.com^$third-party +||chpadblock.com^$~image ||cibleclick.com^$third-party +||cinarra.com^$third-party +||citrusad.com^$third-party ||city-ads.de^$third-party -||cityadspix.com^$third-party -||citysite.net^$third-party -||cjt1.net^$third-party -||clarityray.com^$third-party +||ck-cdn.com^$third-party ||clash-media.com^$third-party -||class64deal.com^$third-party -||claxonmedia.com^$third-party -||clayaim.com^$third-party -||clcken.com^$third-party -||cldlr.com^$third-party ||cleafs.com^$third-party -||clean.gg^$third-party -||clear-request.com^$third-party -||clearonclick.com^$third-party -||clente.com^$third-party -||clevernt.com^$third-party -||clevv.com^$third-party -||clic2pub.com^$third-party -||click.scour.com^$third-party -||click2jump.com^$third-party -||click4free.info^$third-party +||clean-1-clean.club^$third-party +||cleverads.vn^$third-party ||clickable.com^$third-party ||clickad.pl^$third-party ||clickadilla.com^$third-party -||clickagy.com^$third-party +||clickadu.com^$third-party ||clickbet88.com^$third-party -||clickbooth.com^$third-party -||clickboothlnk.com^$third-party -||clickbubbles.net^$third-party -||clickcash.com^$third-party ||clickcertain.com^$third-party -||clickequations.net^$third-party -||clickexa.com^$third-party -||clickexperts.net^$third-party +||clickdaly.com^$third-party +||clickfilter.co^$third-party ||clickfuse.com^$third-party ||clickinc.com^$third-party -||clickintext.com^$third-party ||clickintext.net^$third-party -||clickkingdom.net^$third-party -||clickly.co^$third-party -||clickly.me^$third-party +||clickmagick.com^$third-party ||clickmon.co.kr^$third-party -||clickmyads.info^$third-party -||clicknano.com^$third-party -||clicknerd.com^$third-party -||clickopop1000.com^$third-party -||clickosmedia.com^$third-party -||clickpartoffon.xyz^$third-party +||clickoutcare.io^$third-party ||clickpoint.com^$third-party -||clickredirection.com^$third-party -||clicks2count.com^$third-party -||clicks4ads.com^$third-party -||clicksgear.com^$third-party ||clicksor.com^$third-party -||clicksor.net^$third-party -||clicksurvey.mobi^$third-party -||clickterra.net^$third-party -||clickthrucash.com^$third-party -||clicktripz.co^$third-party ||clicktripz.com^$third-party -||clickupto.com^$third-party -||clickwinks.com^$third-party -||clickxchange.com^$third-party -||clickzxc.com^$third-party -||clipurl.club^$third-party ||clixco.in^$third-party -||clixgalore.com^$third-party -||clixsense.com^$third-party ||clixtrac.com^$third-party -||clkdown.info^$third-party -||clkrev.com^ -||clks003-glaze.online^$third-party -||clmbtech.com^$third-party -||clnk.me^$third-party -||closeveri.com^$third-party -||closeveri.info^$third-party -||clotezar.com^$third-party -||clothiquet.info^$third-party -||cloudflare.solutions^$third-party -||cloudiiv.com^$third-party -||cloudioo.net^$third-party -||cloudset.xyz^$third-party -||cltomedia.info^$third-party -||clz3.net^$third-party -||cmbestsrv.com^$third-party -||cmfads.com^$third-party -||cmllk1.info^$third-party -||cnt.my^$third-party -||cntdy.mobi^$third-party -||coadvertise.com^$third-party -||coagricu.net^$third-party -||codefund.app^$third-party -||codefund.io^$third-party -||codeonclick.com^$third-party -||codezap.com^$third-party -||codigobarras.net^$third-party -||coedmediagroup.com^$third-party +||clkmg.com^$third-party +||cluep.com^$third-party +||code.adsinnov.com^$third-party +||codegown.care^$third-party ||cogocast.net^$third-party -||cogsdigital.com^$third-party ||coguan.com^$third-party -||coinad.com^$third-party -||coinadvert.net^$third-party +||coinads.io^$third-party ||coinmedia.co^$third-party -||coinsicmp.com^$third-party -||cointraffic.in^$third-party ||cointraffic.io^$third-party ||coinzilla.io^$third-party -||colleable.info^$third-party -||collection-day.com^$third-party -||colledin.com^$third-party -||colliersads.com^$third-party -||com-wkejf32ljd23409system.net^$third-party -||combotag.com^$third-party -||comclick.com^$third-party -||comeadvertisewithus.com^$third-party -||commercialvalue.org^$third-party -||commission-junction.com^$third-party -||commission.bz^$third-party ||commissionfactory.com.au^$third-party -||commissionlounge.com^$third-party ||commissionmonster.com^$third-party -||commodates.info^$third-party -||completecarrd.com^$third-party -||complive.link^$third-party ||comscore.com^$third-party -||concert.io^$~subdocument,third-party -||conduit-banners.com^$third-party -||conduit-services.com^$third-party -||conferentse.com^$third-party -||connectad.io^$third-party -||connectedads.net^$third-party -||connectignite.com^$third-party -||connectionads.com^$third-party ||connexity.net^$third-party -||connexplace.com^$third-party -||connextra.com^$third-party -||consivenu.com^$third-party -||construment.com^$third-party ||consumable.com^$third-party -||consumergenepool.com^$third-party -||contadd.com^$third-party ||contaxe.com^$third-party -||content-ad.net^$third-party ||content-cooperation.com^$third-party -||contentclick.co.uk^$third-party -||contentdigital.info^$third-party -||contentjs.com^$third-party +||contentiq.com^$third-party ||contenture.com^$third-party -||contentwidgets.net^$third-party -||contexlink.se^$third-party -||contextads.net^$third-party +||contextads.live^$third-party ||contextuads.com^$third-party -||contextweb.com^$third-party -||contribusourcesyndication.com^$third-party -||contried.com^$third-party -||controllis.info^$third-party -||convrse.media^$third-party -||conyak.com^$third-party +||cookpad-ads.com^$third-party ||coolerads.com^$third-party -||coollcloud.com^$third-party -||coolmirage.com^$third-party -||coolsite.club^$third-party -||coolyeti.info^$third-party -||cootewie.com^$third-party -||copacet.com^$third-party -||cor-natty.com^$third-party -||coretarget.co.uk^$third-party -||cornflip.com^$third-party -||corruptcy.com^$third-party -||corwrite.com^$third-party -||cosmjs.com^$third-party ||coull.com^$third-party -||countante.info^$third-party -||coupon2buy.com^$third-party -||covertarget.com^*_*.php -||cpabeyond.com^$third-party -||cpaclicks.com^$third-party ||cpaclickz.com^$third-party ||cpagrip.com^$third-party ||cpalead.com^$third-party -||cpalock.com^$third-party -||cpamatik.com^$third-party -||cpanuk.com^$third-party -||cpaway.com^$third-party -||cpays.com^$third-party -||cpcadnet.com^$third-party ||cpfclassifieds.com^$third-party -||cpm.biz^$third-party -||cpm10.com^$third-party -||cpmadvisors.com^$third-party -||cpmaffiliation.com^$third-party +||cpm.media^$third-party ||cpmleader.com^$third-party -||cpmmedia.net^$third-party -||cpmrocket.com^$third-party -||cpmtree.com^$third-party -||cpuim.com^$third-party -||cpulaptop.com^$third-party -||cpvads.com^$third-party -||cpvadvertise.com^$third-party -||cpvmarketplace.info^$third-party -||cpvtgt.com^$third-party -||cpx24.com^$third-party -||cpxadroit.com^$third-party -||cpxinteractive.com^$third-party ||crakmedia.com^$third-party -||crazyhell.com^$third-party -||crazylead.com^$third-party -||crazyvideosempire.com^$third-party -||creative-serving.com^$third-party -||creativecdn.com^$third-party -||creditcards15x.tk^$third-party -||creditcardsbest.club^$third-party +||crazyrocket.io^$third-party ||crispads.com^$third-party -||crm4d.com^$third-party -||crocspaceoptimizer.com^$third-party ||croea.com^$third-party -||croissed.info^$third-party -||crossrider.com^$third-party -||crowdgatheradnetwork.com^$third-party -||crowdgravity.com^$third-party -||cruftexcision.xyz^$third-party -||cruiseworldinc.com^$third-party -||cryptoads.space^$third-party -||csklde.space^$third-party -||css-style-95.com^$third-party -||ctasnet.com^$third-party -||ctenetwork.com^$third-party -||ctm-media.com^$third-party -||ctnet2.in^$third-party +||cryptoad.space^$third-party +||cryptocoinsad.com^$third-party +||cryptoecom.care^$third-party +||cryptotrials.care^$third-party ||ctrhub.com^$third-party ||ctrmanager.com^$third-party -||cubics.com^$third-party +||ctxtfl.com^$third-party ||cuelinks.com^$third-party -||curancience.com^$third-party -||curredex.com^$third-party ||currentlyobsessed.me^$third-party -||curtaecompartilha.com^$third-party -||curtisfrierson.com^$third-party -||cwkuki.com^$third-party -||cwtrackit.com^$third-party -||cxmedia.co^$third-party ||cybmas.com^$third-party -||cygnus.com^$third-party -||czasnaherbate.info^$third-party -||czechose.com^$third-party ||czilladx.com^$third-party -||d.adroll.com^$third-party -||d.ligatus.com^$third-party -||d.m3.net^$third-party -||d03x2011.com^$third-party -||d1110e4.se^$third-party -||d2.ligatus.com^$third-party -||d2ship.com^$third-party -||d4fed03105c9f65b.com^$third-party -||d5zob5vm0r8li6khce5he5.com^$third-party -||da-ads.com^$third-party -||dadegid.ru^$third-party -||dai0eej.bid^$third-party -||daibusee.com^$third-party -||daitrff.info^$third-party -||danitabedtick.net^$third-party -||danzhallfes.com^$third-party -||dapper.net^$third-party -||darwarvid.com^$third-party -||das5ku9q.com^$third-party -||dashad.io^$third-party -||dashbida.com^$third-party -||dashboardad.net^$third-party -||dashgreen.online^$third-party -||data.adroll.com^$third-party -||datacratic-px.com^$third-party +||dable.io^$third-party +||dailystuffall.com^$third-party +||danbo.org^$third-party ||datawrkz.com^$third-party -||dating-banners.com^$third-party ||dating-service.net^$third-party ||datinggold.com^$third-party -||datumreact.com^$third-party -||dazhantai.com^$third-party -||dbbsrv.com^$third-party -||dbclix.com^$third-party -||dc121677.com^$third-party -||dealcurrent.com^$third-party -||debrium-surbara.com^$third-party -||decenthat.com^$third-party -||decisionmark.com^$third-party -||decisionnews.com^$third-party -||decknetwork.net^$third-party -||dedicatedmedia.com^$third-party +||dblks.net^$third-party ||dedicatednetworks.com^$third-party ||deepintent.com^$third-party -||deepmetrix.com^$third-party -||defaultimg.com^$third-party -||defeatural.com^$third-party -||definitial.com^$third-party -||defpush.com^$third-party -||deguiste.com^$third-party -||dehardward.com^$third-party -||dehtale.ru^$third-party -||deletemer.online^$third-party -||deliberatelyvirtuallyshared.xyz^$third-party -||delivery45.com^$third-party -||delivery47.com^$third-party -||delivery49.com^$third-party -||delivery51.com^$third-party -||delnapb.com^$third-party -||deloplen.com^$third-party -||demand.supply^$third-party -||denis-pj0823031-491201b.com^$third-party -||deplayer.net^$third-party -||deployads.com^$third-party -||depresis.com^$third-party -||deriversal.com^$third-party -||derlatas.com^$third-party -||descapita.com^$third-party -||descrepush.com^$third-party -||descz.ovh^$third-party ||desipearl.com^$third-party -||destinationurl.com^$third-party -||detailtoothteam.com^$third-party -||dethao.com^$third-party -||detroposal.com^$third-party +||dev2pub.com^$third-party ||developermedia.com^$third-party -||deximedia.com^$third-party -||dexplatform.com^$third-party -||dfskgmrepts.com^$third-party -||dghgutalvz.com^$third-party -||dgmatix.com^$third-party -||dgmaustralia.com^$third-party ||dgmaxinteractive.com^$third-party -||dh2xbuwg.com^$third-party -||dhundora.com^$third-party -||dhuodal.com^$third-party -||diamondtraff.com^$third-party ||dianomi.com^$third-party -||dianomioffers.co.uk^$third-party ||digipathmedia.com^$third-party ||digitaladvertisingalliance.org^$third-party +||digitalaudience.io^$third-party +||digitalkites.com^$third-party +||digitalpush.org^$third-party ||digitalthrottle.com^$third-party -||digitrevenue.com^$third-party -||dinclinx.com^$third-party -||dinorslick.icu^$third-party -||dipads.net^$~image,third-party -||directaclick.com^$third-party -||directadvert.net^$third-party -||directclicksonly.com^$third-party -||directile.info^$third-party -||directile.net^$third-party -||directleads.com^$third-party -||directoral.info^$third-party -||directorym.com^$third-party -||directrev.com^$third-party -||directtrack.com^$third-party -||directtrk.com^$third-party -||disedet.info^$third-party -||dispop.com^$third-party ||disqusads.com^$third-party -||dissonbegant.info^$third-party -||distilled.ie^$third-party -||districtm.ca^$third-party -||dj-updates.com^$third-party -||djfiln.com^$third-party -||djiboutdifficial.info^$third-party -||dk4ywix.com^$third-party -||dl-rms.com^$third-party -||dltags.com^$third-party -||dmu20vut.com^$third-party -||dnbizcdn.com^$third-party -||dntrck.com^$third-party +||dl-protect.net^$third-party ||dochase.com^$third-party -||document4u.info^$third-party -||doglickz.club^$third-party -||dollarade.com^$third-party -||dollarsponsor.com^$third-party -||dolphindispute.com^$third-party -||dom002.site^$third-party ||domainadvertising.com^$third-party -||domainbuyingservices.com^$third-party -||domainsponsor.com^$third-party -||dombeya.info^$third-party -||domdex.com^$third-party -||dominoad.com^$third-party -||dooc.info^$third-party -||doogleonduty.com^$third-party -||doomail.org^$third-party -||doomna.com^$third-party -||dopor.info^$third-party -||dorenga.com^$third-party -||doshaido.com^$third-party -||dotandad.com^$third-party -||dotandads.com^$third-party -||dotnxdomain.net^$third-party -||double.net^$third-party -||doubleclick.com^$third-party -||doubleclick.net/*/ch_news.com/$third-party -||doubleclick.net/*/pfadx/lin.$third-party -||doubleclick.net/ad/$third-party -||doubleclick.net/adi/$~object-subrequest,third-party -||doubleclick.net/adj/$~object-subrequest,third-party -||doubleclick.net/adj/*.collegehumor/sec=videos_originalcontent;$third-party -||doubleclick.net/adx/$~object-subrequest,third-party -||doubleclick.net/adx/*.collegehumor/$third-party -||doubleclick.net/adx/*.NPR.MUSIC/$third-party -||doubleclick.net/adx/*.NPR/$third-party -||doubleclick.net/adx/*.ted/$third-party -||doubleclick.net/adx/CBS.$third-party -||doubleclick.net/adx/ibs.$third-party -||doubleclick.net/adx/tsg.$third-party -||doubleclick.net/adx/wn.loc.$third-party -||doubleclick.net/adx/wn.nat.$third-party -||doubleclick.net/crossdomain.xml$object-subrequest,domain=abcnews.go.com -||doubleclick.net/N2/pfadx/video.*.wsj.com/$third-party -||doubleclick.net/N2/pfadx/video.allthingsd.com/$third-party -||doubleclick.net/N2/pfadx/video.marketwatch.com/ -||doubleclick.net/N2/pfadx/video.wsj.com/$third-party -||doubleclick.net/N4117/pfadx/*.sbs.com.au/$third-party -||doubleclick.net/N5202/pfadx/cmn_livemixtapes/$third-party -||doubleclick.net/N5479/pfadx/ctv.$third-party -||doubleclick.net/N6088/pfadx/ssp.kshb/$third-party -||doubleclick.net/N6872/pfadx/shaw.mylifetimetv.ca/$third-party -||doubleclick.net/pfadx/*.ABC.com/$third-party -||doubleclick.net/pfadx/*.BLIPTV/$third-party -||doubleclick.net/pfadx/*.ESPN/$third-party -||doubleclick.net/pfadx/*.MCNONLINE/$third-party -||doubleclick.net/pfadx/*.MTV-Viacom/$third-party -||doubleclick.net/pfadx/*.mtvi$third-party -||doubleclick.net/pfadx/*.muzu/$third-party -||doubleclick.net/pfadx/*.nbc.com/$third-party -||doubleclick.net/pfadx/*.NBCUNI.COM/$third-party -||doubleclick.net/pfadx/*.NBCUNIVERSAL-CNBC/$third-party -||doubleclick.net/pfadx/*.NBCUNIVERSAL/$third-party -||doubleclick.net/pfadx/*.reuters/$third-party -||doubleclick.net/pfadx/*.sevenload.com_$third-party -||doubleclick.net/pfadx/*.VIACOMINTERNATIONAL/$third-party -||doubleclick.net/pfadx/*.WALTDISNEYINTERNETGROU/$third-party -||doubleclick.net/pfadx/*/kidstv/$third-party -||doubleclick.net/pfadx/*adcat=$third-party -||doubleclick.net/pfadx/*CBSINTERACTIVE/$third-party -||doubleclick.net/pfadx/aetn.aetv.shows/$third-party -||doubleclick.net/pfadx/belo.king5.pre/$third-party -||doubleclick.net/pfadx/bet.com/$third-party -||doubleclick.net/pfadx/blp.video/midroll$third-party -||doubleclick.net/pfadx/bzj.bizjournals/$third-party -||doubleclick.net/pfadx/cblvsn.nwsd.videogallery/$third-party -||doubleclick.net/pfadx/CBS.$third-party -||doubleclick.net/pfadx/ccr.$third-party -||doubleclick.net/pfadx/comedycentral.$third-party -||doubleclick.net/pfadx/csn.$third-party -||doubleclick.net/pfadx/ctv.ctvwatch.ca/$third-party -||doubleclick.net/pfadx/ctv.muchmusic.com/$third-party -||doubleclick.net/pfadx/ctv.spacecast/$third-party -||doubleclick.net/pfadx/ddm.ksl/$third-party -||doubleclick.net/pfadx/gn.movieweb.com/$third-party -||doubleclick.net/pfadx/intl.sps.com/$third-party -||doubleclick.net/pfadx/ltv.wtvr.video/$third-party -||doubleclick.net/pfadx/mc.channelnewsasia.com^$third-party -||doubleclick.net/pfadx/miniclip.midvideo/$third-party -||doubleclick.net/pfadx/miniclip.prevideo/$third-party -||doubleclick.net/pfadx/muzumain/$third-party -||doubleclick.net/pfadx/muzuoffsite/$third-party -||doubleclick.net/pfadx/nbcu.nbc/$third-party -||doubleclick.net/pfadx/nbcu.nhl.$third-party -||doubleclick.net/pfadx/nbcu.nhl/$third-party -||doubleclick.net/pfadx/ndm.tcm/$third-party -||doubleclick.net/pfadx/nfl.$third-party -||doubleclick.net/pfadx/ng.videoplayer/$third-party -||doubleclick.net/pfadx/ssp.kgtv/$third-party -||doubleclick.net/pfadx/storm.no/$third-party -||doubleclick.net/pfadx/sugar.poptv/$third-party -||doubleclick.net/pfadx/tmg.telegraph.$third-party -||doubleclick.net/pfadx/tmz.video.wb.dart/$third-party -||doubleclick.net/pfadx/trb.$third-party -||doubleclick.net/pfadx/ugo.gv.1up/$third-party -||doubleclick.net/pfadx/video.marketwatch.com/$third-party -||doubleclick.net/pfadx/video.wsj.com/$third-party -||doubleclick.net/pfadx/www.tv3.co.nz$third-party -||doubleclick.net/xbbe/creative/vast? -||doubleclick.net^$third-party,domain=92q.com|abc-7.com|addictinggames.com|allbusiness.com|bizjournals.com|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boomphilly.com|break.com|cbc.ca|cbs19.tv|cbs3springfield.com|cbslocal.com|complex.com|dailymail.co.uk|darkhorizons.com|doubleviking.com|edmunds.com|euronews.com|extratv.com|fandango.com|fox19.com|fox5vegas.com|gorillanation.com|hawaiinewsnow.com|hellobeautiful.com|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|hulu.com|imdb.com|indiatimes.com|indyhiphop.com|ipowerrichmond.com|joblo.com|kcra.com|kctv5.com|ketv.com|koat.com|koco.com|kolotv.com|kpho.com|kptv.com|ksat.com|ksbw.com|ksfy.com|ksl.com|kypost.com|kysdc.com|live5news.com|livestation.com|livestream.com|metro.us|metronews.ca|miamiherald.com|my9nj.com|myboom1029.com|mycolumbuspower.com|nbcrightnow.com|neatorama.com|necn.com|neopets.com|news.com.au|news4jax.com|newshub.co.nz|newsone.com|nintendoeverything.com|oldschoolcincy.com|pagesuite-professional.co.uk|pandora.com|play.it|player.theplatform.com|radio.com|radionowindy.com|rottentomatoes.com|sbsun.com|shacknews.com|sk-gaming.com|ted.com|thebeatdfw.com|theboxhouston.com|theglobeandmail.com|tv2.no|ustream.tv|wapt.com|washingtonpost.com|wate.com|wbaltv.com|wcvb.com|wdrb.com|wdsu.com|wflx.com|wfmz.com|wfsb.com|wgal.com|whdh.com|wired.com|wisn.com|wiznation.com|wlky.com|wlns.com|wlwt.com|wmur.com|wnem.com|wowt.com|wral.com|wsj.com|wsmv.com|wsvn.com|wtae.com|wthr.com|wxii12.com|wyff4.com|yahoo.com|youtube-nocookie.com|youtube.com|zhiphopcleveland.com -||doubleclick.net^*/ad/$~object-subrequest,third-party -||doubleclick.net^*/adi/$~object-subrequest,third-party -||doubleclick.net^*/adj/$~object-subrequest,third-party -||doubleclick.net^*/pfadx/ccr.newyork.$third-party -||doubleclick.net^*/pfadx/cmn_complextv/$third-party -||doubleclick.net^*/pfadx/com.ytpwatch.$third-party -||doubleclick.net^*/pfadx/embed.ytpwatch.$third-party -||doubleclick.net^*/pfadx/ibs.orl.news/$third-party -||doubleclick.net^*/pfadx/muzumain/$third-party -||doubleclick.net^*/pfadx/ssp.wews/$third-party -||doubleclick.net^*/pfadx/team.car/$third-party -||doubleclick.net^*/pfadx/team.dal/$third-party -||doubleclick.net^*/pfadx/team.sd/$third-party -||doubleclick.net^*;afv_flvurl=http://cdn.c.ooyala.com/$third-party -||doubleclickbygoogle.com^$third-party -||doubleclicks.me^$third-party -||doublemax.net^$third-party -||doublepimp.com^$third-party -||doublerads.com^$third-party -||doublerecall.com^$third-party +||dotomi.com^$third-party +||doubleclick.com^ +||doubleclick.net^ ||doubleverify.com^$third-party -||dowages.com^$third-party -||down1oads.com^$third-party -||downloadboutique.com^$third-party -||downloatransfer.com^$third-party -||downlossinen.info^$third-party -||downsonglyrics.com^$third-party -||dp25.kr^$third-party -||dpbolvw.net/image-$third-party -||dpbolvw.net/placeholder-$third-party -||dpmsrv.com^$third-party -||dpsrexor.com^$third-party -||dpstack.com^$third-party -||dramatical.online^$third-party +||dpbolvw.net/image- +||dpbolvw.net/placeholder- ||dreamaquarium.com^$third-party -||dreamsearch.or.kr^$third-party -||dreyeli.info^$third-party -||drnxs.com^$third-party -||drowadri.racing^$third-party -||drowle.com^$third-party -||dsero.net^$third-party -||dsnextgen.com^$third-party -||dsnr-affiliates.com^$third-party -||dsultra.com^$third-party -||dt00.net^$third-party,domain=~marketgid.com|~marketgid.ru|~marketgid.ua|~mgid.com|~thechive.com -||dt07.net^$third-party,domain=~marketgid.com|~marketgid.ru|~marketgid.ua|~mgid.com|~thechive.com -||dtmpub.com^$third-party -||dtzads.com^$third-party -||dualmarket.info^$third-party -||dubshub.com^$third-party -||dudelsa.com^$third-party -||duetads.com^$third-party -||duggiads.com^$third-party +||dropkickmedia.com^$third-party +||dstillery.com^$third-party +||dt00.net^$third-party +||dt07.net^$third-party +||dualeotruyen.net^$third-party ||dumedia.ru^$third-party -||duncanny.com^$third-party -||durnowar.com^$third-party -||durokuro.com^$third-party -||durtz.com^$third-party -||dvaminusodin.net^$third-party -||dveribo.ru^$third-party -||dyino.com^$third-party ||dynad.net^$third-party -||dynamicdn.com^$third-party ||dynamicoxygen.com^$third-party -||dynamitedata.com^$third-party -||dynpaa.com^$third-party -||e-find.co^$third-party ||e-generator.com^$third-party ||e-planning.net^$third-party ||e-viral.com^$third-party -||e1vfx3si1l.com^$third-party -||e2ertt.com^$third-party -||e2yth.tv^$third-party -||e65ew88.com^$third-party -||e9mlrvy1.com^$third-party -||eads-adserving.com^$third-party -||eads.to^$third-party -||earnify.com^$third-party -||easy-adserver.com^$third-party -||easyad.com^$third-party -||easydownload4you.com^$third-party -||easyflirt-partners.biz^$third-party +||eadsrv.com^$third-party +||easy-ads.com^$third-party ||easyhits4u.com^$third-party ||easyinline.com^$third-party -||easylist.club^$third-party -||eazyleads.com^$third-party -||ebannertraffic.com^$third-party ||ebayclassifiedsgroup.com^$third-party ||ebayobjects.com.au^$third-party -||ebayobjects.com^$third-party -||ebdr3.com^$third-party -||eblastengine.com^$third-party ||eboundservices.com^$third-party -||ebuzzing.com^$third-party -||ebz.io^$third-party -||eca1d7792ad5de43.com^$third-party -||ecdglplsmzxcergaqx.com^$third-party ||eclick.vn^$third-party -||econsideepofle.info^$third-party -||ecpmrocks.com^$third-party -||edchargina.pro^$third-party -||edgeads.org^$third-party -||edgevertise.com^$third-party ||ednplus.com^$third-party -||edomz.net^$third-party -||eedr.org^$third-party -||effectivemeasure.net^$third-party +||egadvertising.com^$third-party ||egamingonline.com^$third-party -||ejoonsoo.net^$third-party -||ek8k5dst5c.com^$third-party -||ekansovi.com^$third-party -||ekmas.com^$third-party -||ekoatchooze.com^$third-party -||ektezis.ru^$third-party -||elanatality.info^$third-party -||elasticad.net^$third-party -||electnext.com^$third-party -||electosake.com^$third-party -||elefantsearch.com^$third-party -||elvate.net^$third-party -||elwraek.xyz^$third-party +||egamiplatform.tv^$third-party +||eksiup.com^$third-party ||ematicsolutions.com^$third-party -||emberads.com^$third-party -||embraceablemidpointcinnabar.com^$third-party -||emediate.ch^$third-party -||emediate.dk^$third-party -||emediate.eu^$third-party ||emediate.se^$third-party -||emkarto.fun^$third-party -||empiremoney.com^$third-party -||employers-freshly.org^$third-party -||emptyspaceads.com^$third-party -||emsservice.de^$third-party -||encruses.com^$third-party -||engineseeker.com^$third-party -||enlarget.com^$third-party -||enlnks.com^$third-party -||enoughts.info^$third-party -||enterads.com^$third-party -||entrecard.com^$third-party -||entrecard.s3.amazonaws.com^$third-party -||eosads.com^$third-party -||ep7kpqn8.online^$third-party -||epicgameads.com^$third-party -||epital.gdn^$third-party -||epnredirect.ru^$third-party -||eptord.com^$third-party -||eptum.com^$third-party -||epu.sh^$third-party -||eqads.com^$third-party -||erado.org^$third-party -||erendri.com^$third-party -||ergerww.net^$third-party -||ergodob.ru^$third-party -||ergoledo.com^$third-party -||ero-advertising.com^$third-party +||erling.online^$third-party ||eroterest.net^$third-party -||erovation.com^$third-party -||erovinmo.com^$third-party -||escalatenetwork.com^$third-party -||escale.to^$third-party -||escokuro.com^$third-party -||escottish.com^$third-party -||eseecmoa.com^$third-party -||especifican.com^$third-party ||essayads.com^$third-party ||essaycoupons.com^$third-party -||estantiale.com^$third-party -||estorest.com^$third-party ||et-code.ru^$third-party -||etah6wu.top^$third-party ||etargetnet.com^$third-party -||etcodes.com^$third-party -||etgdta.com^$third-party -||etmanly.ru^$third-party +||ethereumads.com^$third-party +||ethicalads.io^$third-party ||etology.com^$third-party -||etrevro.com^$third-party -||eurew.com^$third-party -||euroclick.com^$third-party -||europacash.com^$third-party -||euros4click.de^$third-party -||euym8eel.club^$third-party -||euz.net^$third-party -||evantative.top^$third-party -||evewrite.net^$third-party -||eviderable.com^$third-party ||evolvemediallc.com^$third-party ||evolvenation.com^$third-party ||exactdrive.com^$third-party -||excellenceads.com^$third-party ||exchange4media.com^$third-party -||exdynsrv.com^$third-party -||exerciale.com^$third-party +||exitbee.com^$third-party ||exitexplosion.com^$third-party -||exitjunction.com^$third-party -||exoclick.com^$third-party -||exoneratedresignation.info^$third-party -||exosrv.com^$third-party -||expebtu.com^$third-party -||explainidentifycoding.info^$third-party -||expocrack.com^$third-party -||expogrim.com^$third-party +||exmarketplace.com^$third-party ||exponential.com^$third-party -||expresided.info^$third-party -||expresswebtraffic.com^$third-party -||extend.tv^$third-party -||extra33.com^$third-party -||eyere.com^$third-party -||eyereturn.com^$third-party -||eyeviewads.com^$third-party -||eyewond.hs.llnwd.net^$third-party ||eyewonder.com^$third-party -||ezadserver.net^$third-party -||ezmob.com^$third-party -||ezoic.net^$third-party -||f-4560.com^$third-party -||f3c1cc473b337ded.com^$third-party -||f5v1x3kgv5.com^$third-party -||f7oddtr.com^$third-party -||fabrkrup.com^$third-party -||facebooker.top^$third-party -||faggrim.com^$third-party -||fairadsnetwork.com^$third-party -||falkag.net^$third-party -||falthouse.info^$third-party -||fandelcot.com^$third-party -||far-far-star.com^$third-party -||fardan.pw^$third-party +||fapcat.com^$third-party +||faspox.com^$third-party +||fast-redirecting.com^$third-party ||fast2earn.com^$third-party -||fastapi.net^$third-party -||fastates.net^$third-party -||fastclick.net^$third-party -||fasttracktech.biz^$third-party -||fathern.info^$third-party -||fb-plus.com^$third-party -||fbcdn2.com^$third-party -||fbgdc.com^$third-party -||fbsvu.com^$third-party -||fdf4.com^$third-party -||fearer.info^$third-party -||fearfulflag.com^$third-party -||featence.com^$third-party ||feature.fm^$third-party -||featuredusers.com^$third-party -||featurelink.com^$third-party -||feed-ads.com^$third-party -||feedgist.com^$third-party -||feesocrald.com^$third-party -||feljack.com^$third-party -||fenixm.com^$third-party -||ferrellis.com^$third-party -||fessoovy.com^$third-party -||feybu.work^$third-party -||fiberpairjo.link^$third-party -||fidel.to^$third-party -||filadmir.site^$third-party -||filetarget.com^$third-party -||filetarget.net^$third-party -||filtermomosearch.com^$third-party -||fimserve.com^$third-party -||finalanypar.link^$third-party -||financenews.pw^$third-party -||fincastavancessetti.info^$third-party -||find-abc.com^$third-party -||find-cheap-hotels.org^$third-party -||find-my-great-life.com^$third-party -||findbestsolution.net^$third-party -||findbetterresults.com^$third-party -||findepended.com^$third-party -||findsthat.com^$third-party -||findswiftresults.com^$third-party -||finverty.info^$third-party -||firaxtech.com^$third-party -||firefeeder.com^$third-party -||firegetbook.com^$third-party -||firegetbook4u.biz^$third-party -||firegob.com^$third-party -||firmharborlinked.com^$third-party -||first-rate.com^$third-party -||firstadsolution.com^$third-party +||fireflyengagement.com^$third-party +||fireworkadservices.com^$third-party +||fireworkadservices1.com^$third-party ||firstimpression.io^$third-party -||firstlightera.com^$third-party ||fisari.com^$third-party -||fiv2yl8dct.com^$third-party ||fixionmedia.com^$third-party -||fixpass.net^$third-party -||fl-ads.com^$third-party -||flagads.net^$third-party -||flappybadger.net^$third-party -||flappyhamster.net^$third-party -||flappysquid.net^$third-party -||flashclicks.com^$third-party -||flashtalking.com^$third-party -||flexlinks.com^$third-party -||fliionos.co.uk^$third-party -||flipp.com^$third-party -||flite.com^$third-party -||flixlnk.top^$third-party -||fllwert.net^$third-party -||flodonas.com^$third-party -||flomigo.com^$third-party -||fluidads.co^$third-party -||flurryconakrychamfer.info^$third-party -||fluxads.com^$third-party -||fluxybe.work^$third-party -||flyertown.ca^$third-party +||flashtalking.com^$third-party,domain=~toggo.de +||flower-ads.com^$third-party +||flx2.pnl.agency^$third-party +||flyersquare.com^$third-party ||flymyads.com^$third-party -||flytomars.online^$third-party -||fmkfzc.com^$third-party -||fmpub.net^$third-party -||fmsads.com^$third-party -||fnro4yu0.loan^$third-party -||focalex.com^$third-party -||focre.info^$third-party -||focusego.info^$third-party -||fogzyads.com^$third-party -||follofop.com^$third-party -||foloatoo.com^$third-party -||foocheeb.net^$third-party -||foodieblogroll.com^$third-party -||foonad.com^$third-party -||footar.com^$third-party -||footerslideupad.com^$third-party -||footnote.com^$third-party -||forced-lose.de^$third-party -||forcepprofile.com^$third-party +||foremedia.net^$third-party ||forex-affiliate.com^$third-party -||forex-affiliate.net^$third-party ||forexprostools.com^$third-party -||forexyard.com^$third-party -||forifiha.com^$third-party -||forpyke.com^$third-party -||forrestersurveys.com^$third-party -||fortpush.com^$third-party -||foundayu.com^$third-party -||fourmtagservices.com^$third-party -||fphnwvkp.info^$third-party -||frameptp.com^$third-party -||free-domain.net^$third-party -||freebannerswap.co.uk^$third-party -||freebiesurveys.com^$third-party -||freecouponbiz.com^$third-party -||freedownloadsoft.net^$third-party -||freegamespub.com^$third-party -||freepaidsurveyz.com^$third-party +||free3dgame.xyz^$third-party +||freedomadnetwork.com^$third-party ||freerotator.com^$third-party -||freeskreen.com^$third-party -||freesoftwarelive.com^$third-party -||freestar.io^$third-party -||fresh8.co^$third-party -||fridrici.info^$third-party ||friendlyduck.com^$third-party -||friesmeasureretain.info^$third-party -||frolnk.com^$third-party -||fromfriendswithlove.com^$third-party ||fruitkings.com^$third-party -||ftjcfx.com^$third-party -||ftv-publicite.fr^$third-party -||fulltraffic.net^$third-party -||fungoiddempseyimpasse.info^$third-party -||fungus.online^$third-party -||funklicks.com^$third-party -||funnel-me.com^$third-party -||funtikapa.info^$third-party -||furginator.pw^$third-party -||fusionads.net^$third-party -||future-hawk-content.co.uk^$third-party -||futureresiduals.com^$third-party -||futureus.com^$third-party -||fvwlzsm3tt921krvoq6.pro^$third-party -||fwbntw.com^$third-party -||fwmrm.net^$~object-subrequest,third-party -||fxdepo.com^$third-party -||fxyc0dwa.com^$third-party -||fyredet.xyz^$third-party -||g-cash.biz^$third-party -||g17media.com^$third-party -||g22rbb7.com^$third-party -||g27zkdvsxl.com^$third-party -||g3j2wzmon8b.com^$third-party -||g4whisperermedia.com^$third-party -||gagacon.com^$third-party -||gagenez.com^$third-party ||gainmoneyfast.com^$third-party -||galleyn.com^$third-party ||gambling-affiliation.com^$third-party -||game-advertising-online.com^$third-party ||game-clicks.com^$third-party -||gameads.com^$third-party -||gamecetera.com^$third-party -||gamehotus.com^$third-party -||gamersad.com^$third-party -||gamersbanner.com^$third-party -||gamesbannerexchange.com^$third-party -||gamesrevenue.com^$third-party -||gamsano.info^$third-party -||gan.doubleclick.net^$third-party -||gandrad.org^$third-party -||gannett.gcion.com^$third-party -||garristo.com^$third-party -||garrogy.info^$third-party -||garvmedia.com^$third-party -||gate-ru.com^$third-party -||gatikus.com^$third-party ||gayadnetwork.com^$third-party -||gazati.com^$third-party -||gbkfkofgks.com^$third-party -||gbkfkofgmks.com^$third-party -||gcomrarlta.com^$third-party -||gctwh9xc.site^$third-party -||gdmdigital.com^$third-party -||geede.info^$third-party -||geek2us.net^$third-party -||gefhasio.com^$third-party -||geld-internet-verdienen.net^$third-party -||gemineering.com^$third-party -||genericlink.com^$third-party -||genericsteps.com^$third-party -||generinge.info^$third-party -||genesismedia.com^$third-party -||geniad.net^$third-party -||genieessp.com^$third-party -||geniusbanners.com^$third-party -||geniusdisplay.com^$third-party -||geniusonclick.com^$third-party -||genotba.online^$third-party -||genovesetacet.com^$third-party -||genusaceracousticophobia.com^$third-party -||geo-idm.fr^$third-party -||geoipads.com^$third-party -||geophrenia.com^$third-party -||geopromos.com^$third-party -||geovisite.com^$third-party -||germarked.info^$third-party -||gestionpub.com^$third-party -||get.com^$third-party -||getalinkandshare.com^$third-party -||getcontent.net^$third-party -||getfuneta.info^$third-party -||getgamers.eu^$third-party -||getgscfree.com^$third-party -||getmyfreetraffic.com^$third-party -||getmyimg.online^$third-party -||getoptad360.com^$third-party -||getpopunder.com^$third-party -||gets-web.space^$third-party -||getscorecash.com^$third-party -||getscriptjs.com^$third-party -||getthislistbuildingvideo.biz^$third-party -||gettipsz.info^$third-party -||getxml.org^$third-party -||ggncpm.com^$third-party -||giantaffiliates.com^$third-party -||gigamega.su^$third-party -||gimiclub.com^$third-party -||gitcdn.pw^$third-party -||gitcdn.site^$third-party -||gitload.site^$third-party -||giu9aab.bid^$third-party -||gklmedia.com^$third-party -||glaimtug.com^$third-party -||glaswall.online^$third-party -||gleaminist.com^$third-party -||gleaminist.info^$third-party -||glical.com^$third-party -||gliese-682c.com^$third-party -||global-success-club.net^$third-party -||globaladmedia.com^$third-party -||globaladsales.com^$third-party -||globaladv.net^$third-party -||globalinteractive.com^$third-party -||globalsuccessclub.com^$third-party -||globaltakeoff.net^$third-party -||globaltraffico.com^$third-party -||globwo.online^$third-party -||glodrips.com^$third-party -||glowdot.com^$third-party -||glumtitu.net^$third-party -||gmads.net^$third-party -||go2affise.com^$third-party -||go2jump.org^$third-party -||go2media.org^$third-party -||go2speed.org^$third-party -||goclickon.us^$third-party -||godspeaks.net^$third-party -||goember.com^$third-party -||gogoplexer.com^$third-party -||gogvo.com^$third-party -||gojoingscnow.com^$third-party -||gold-file.com^$third-party -||gold-good4u.com^$third-party -||gomnlt.com^$third-party -||gonomy.info^$third-party -||goodadvert.ru^$third-party -||goodadvertising.info^$third-party -||goodluckblockingthis.com^$third-party -||goodtag.it^$third-party -||googleadservicepixel.com^$third-party -||googlesyndicatiion.com^$third-party -||googletagservices.com/tag/js/gpt_$third-party -||googletagservices.com/tag/static/$third-party -||goraps.com^$third-party -||gorgonkil.com^$third-party -||gortags.com^$third-party -||gotagy.com^$third-party +||geozo.com^$third-party +||germaniavid.com^$third-party +||girls.xyz^$third-party +||goadserver.com^$third-party +||goclicknext.com^$third-party ||gourmetads.com^$third-party -||governmenttrainingexchange.com^$third-party -||goviral-content.com^$third-party -||goviral.hs.llnwd.net^$third-party -||gpacalculatorhighschoolfree.com^$third-party -||grabmyads.com^$third-party +||gplinks.in^$third-party ||grabo.bg^$third-party +||graciamediaweb.com^$third-party ||grafpedia.com^$third-party -||granodiorite.com^$third-party ||grapeshot.co.uk^$third-party -||gratisnetwork.com^$third-party -||greatedr.com^$third-party ||greedseed.world^$third-party -||green-red.com^$third-party -||greenads.org^$third-party -||greenlabelppc.com^$third-party -||greerlies.pro^$third-party -||grenstia.com^$third-party -||gresokie.com^$third-party -||gretzalz.com^$third-party ||gripdownload.co^$third-party -||grllopa.com^$third-party -||grmtas.com^$third-party ||groovinads.com^$third-party -||groupcommerce.com^$third-party -||grt02.com^$third-party -||grt03.com^$third-party -||grumpyadzen.com^$third-party -||gscontxt.net^$third-party -||gscsystemwithdarren.com^$third-party -||guardiandigitalcomparison.co.uk^$third-party +||growadvertising.com^$third-party +||grv.media^$third-party +||grvmedia.com^$third-party ||guitaralliance.com^$third-party ||gumgum.com^$third-party -||gunpartners.com^$third-party ||gururevenue.com^$third-party -||gwallet.com^$third-party -||gx101.com^$third-party -||gynax.com^$third-party -||h-bid.com^$third-party -||h-images.net^$third-party -||h12-media.com^$third-party -||h6y654wgfdhd.com^$third-party -||h8vzwpv.com^$third-party -||haggilder.com^$third-party -||hagoit.com^$third-party -||halfpriceozarks.com^$third-party -||hallucius.com^$third-party -||halogennetwork.com^$third-party -||halpeperglagedokkei.info^$third-party -||hanaprop.com^$third-party -||hanlowu.info^$third-party -||hantinlethemsed.info^$third-party -||happilyswitching.net^$third-party -||haprjb.com^$third-party -||harrenmedianetwork.com^$third-party -||hasingham.com^$third-party -||hatagashira.com^$third-party -||hausly.info^$third-party -||havamedia.net^$third-party ||havetohave.com^$third-party -||havinates.com^$third-party -||hb-247.com^$third-party -||hd-plugin.com^$third-party -||hd149026b.com^$third-party -||hdpass.club^$third-party -||hdpass.info^$third-party -||hdpass.link^$third-party -||hdplayer-download.com^$third-party -||hdplayer.li^$third-party -||hdvid-codecs-dl.net^$third-party -||hdvidcodecs.com^$third-party -||header.tech^$third-party -||headlinesnetwork.com^$third-party -||headup.com^$third-party -||healthaffiliatesnetwork.com^$third-party -||healthcarestars.com^$third-party +||hbwrapper.com^$third-party +||headbidder.net^$third-party +||headerbidding.ai^$third-party +||headerlift.com^$third-party ||healthtrader.com^$third-party -||hebiichigo.com^$third-party -||heckhaphanofres.info^$third-party -||hedtgodingsincy.info^$third-party -||helloreverb.com^$third-party -||helotero.com^$third-party,domain=~streamcloud.eu -||heravda.com^$third-party -||herocpm.com^$third-party -||hexagram.com^$third-party -||hgdat.com^$third-party -||hiadone.com^$third-party -||hijacksystem.com^$third-party -||himediads.com^$third-party -||himediadx.com^$third-party -||himselves.com^$third-party -||hipersushiads.com^$third-party -||hiplair.com^$third-party -||histians.com^$third-party -||histock.info^$third-party -||historest.com^$third-party -||hit-now.com^$third-party -||hitmarkerjobs.com^$third-party -||hitme.pw^$third-party -||hits.sys.lv^$third-party -||hitwastedgarden.com^$third-party -||hiug862dj0.com^$third-party -||hlads.com^$third-party -||hlserve.com^$third-party -||hlu9tseh.men^$third-party -||hmongcash.com^$third-party -||hnnp4ixxkl.com^$third-party -||hokaybo.com^$third-party -||hola-shopping.com^$third-party -||holdingprice.net^$third-party -||holexknw.loan^$third-party -||holidaytravelguide.org^$third-party -||honestlypopularvary.xyz^$third-party -||honouncil.com^$third-party -||hoo1luha.com^$third-party -||hoomefodl.com^$third-party -||hoomezip.biz^$third-party -||hooraico.com^$third-party -||hopfeed.com^$third-party -||hopinionse.com^$third-party ||horse-racing-affiliate-program.co.uk^$third-party -||horsered.com^$third-party -||horyzon-media.com^$third-party -||hostgit.net^$third-party -||hosticanaffiliate.com^$third-party -||hot-hits.us^$third-party ||hot-mob.com^$third-party ||hotelscombined.com.au^$third-party -||hotfeed.net^$third-party -||hotkeys.com^$third-party -||hotptp.com^$third-party -||hotwords.com.br^$third-party -||hotwords.com.mx^$third-party -||hotwords.com^$third-party -||houstion.com^$third-party -||hover.in^$third-party -||hoverr.co^$third-party -||hoverr.media^$third-party -||howevert.info^$third-party -||howtodoblog.com^$third-party -||hplose.de^$third-party ||hprofits.com^$third-party -||hrtyc.com^$third-party -||hsnoamgzlksidfliivb.com^$third-party -||hsslx.com^$third-party -||hstpnetwork.com^$third-party -||htl.bid^$third-party -||htlbid.com^$third-party -||htmlhubing.xyz^$third-party ||httpool.com^$third-party -||httpsecurity.org^$third-party -||hugeincome.cf^$third-party -||hulahooprect.com^$third-party -||huzonico.com^$third-party -||hype-ads.com^$third-party -||hypeads.org^$third-party -||hypemakers.net^$third-party -||hyperbanner.net^$third-party -||hyperlinksecure.com^$third-party -||hyperpromote.com^$third-party -||hypertrackeraff.com^$third-party -||hypervre.com^$third-party -||hyperwebads.com^$third-party -||hyphenatedion.com^$third-party -||i-media.co.nz^$third-party -||i.skimresources.com^$third-party -||iamediaserve.com^$third-party -||iasbetaffiliates.com^$third-party -||iasrv.com^$third-party +||hypelab.com^$third-party +||hyros.com^$third-party ||ibannerexchange.com^$third-party -||ibatom.com^$third-party -||ibbyu85u.com^$third-party -||iberate.club^$third-party ||ibillboard.com^$third-party -||ibryte.com^$third-party -||icartory.info^$third-party -||icdirect.com^$third-party -||icqadvnew.com^$third-party -||idbhsgy.com^$third-party -||idealmedia.com^$third-party -||identads.com^$third-party -||idownloadgalore.com^$third-party +||icorp.ro^$third-party +||idevaffiliate.com^$third-party ||idreammedia.com^$third-party -||ie8eamus.com^$third-party -||ieh1ook.bid^$third-party -||ifmnwi.club^$third-party -||iframe.mediaplazza.com^$third-party -||ifyoublockthisvideotoo.club^$third-party -||igameunion.com^$third-party -||igloohq.com^$third-party -||ignitioninstaller.com^$third-party -||ihookupdaily.com^$third-party -||iicheewi.com^$third-party -||ikzikistheking.com^$third-party -||im2ss2ss.top^$third-party -||imageadnet.com^$third-party -||imageadvantage.net^$third-party -||imagehostnetwork.com^$third-party -||imasdk.googleapis.com^$third-party -||imedia.co.il^$third-party ||imediaaudiences.com^$third-party -||imediarevenue.com^$third-party -||img-giganto.net^$third-party -||imgfeedget.com^$third-party -||imglt.com^$third-party -||imgsniper.com^$third-party -||imgtty.com^$third-party -||imgwebfeed.com^$third-party ||imho.ru^$third-party -||imiclk.com^$third-party -||imimtord.net^$third-party -||imitrk.com^$third-party ||imonomy.com^$third-party -||imp*.tradedoubler.com^$third-party ||impact-ad.jp^$third-party -||impactradius-go.com^$third-party -||impactradius.com^$third-party -||imperames.com^$third-party -||implix.com^$third-party -||impore.com^$third-party +||impactify.io^$third-party ||impresionesweb.com^$third-party -||impresix.com^$third-party -||impressionaffiliate.com^$third-party -||impressionaffiliate.mobi^$third-party -||impressioncontent.info^$third-party -||impressiondesk.com^$third-party -||impressionperformance.biz^$third-party -||impressionvalue.mobi^$third-party -||in-appadvertising.com^$third-party -||inadequal.com^$third-party -||incentaclick.com^$third-party -||inclk.com^$third-party -||incloak.com^$third-party -||includemodal.com^$third-party -||incogpontus.club^$third-party -||incomeliberation.com^$third-party -||increas.eu^$third-party -||increase-marketing.com^$third-party +||improvedigital.com^$third-party ||increaserev.com^$third-party -||indeterman.com^$third-party -||indexww.com^$third-party -||indiabanner.com^$third-party -||indiads.com^$third-party ||indianbannerexchange.com^$third-party ||indianlinkexchange.com^$third-party -||indicate.to^$third-party ||indieclick.com^$third-party -||indisancal.com^$third-party ||indofad.com^$third-party +||indoleads.com^$third-party ||industrybrains.com^$third-party -||inentasky.com^$third-party ||inetinteractive.com^$third-party -||inewcontentdelivery.info^$third-party ||infectiousmedia.com^$third-party ||infinite-ads.com^$third-party ||infinityads.com^$third-party ||influads.com^$third-party -||info4.a7.org^$third-party ||infolinks.com^$third-party -||information-sale.com^$third-party -||infra-ad.com^$third-party -||ingame.ad^$third-party -||inktad.com^$third-party +||infostation.digital^$third-party +||ingage.tech^$third-party ||innity.com^$third-party -||innity.net^$third-party ||innovid.com^$third-party -||insightexpress.com^$third-party -||insightexpressai.com^$third-party -||insitepromotion.com^$third-party -||insitesystems.com^$third-party +||insideall.com^$third-party ||inskinad.com^$third-party ||inskinmedia.com^$~stylesheet,third-party -||inspiringsweater.xyz^$third-party -||insta-cash.net^$third-party -||installads.net^$third-party -||instancetour.info^$third-party ||instantbannercreator.com^$third-party -||instantclk.com^$third-party -||instantdollarz.com^$third-party -||instantly-ageless.net^$third-party ||insticator.com^$third-party -||instinctiveads.com^$third-party -||instivate.com^$third-party -||instraffic.com^$third-party ||instreamvideo.ru^$third-party -||insulling.com^$third-party -||intangibleconcordant.com^$third-party -||integral-marketing.com^$third-party -||intellibanners.com^$third-party -||intellitxt.com^$third-party +||insurads.com^$third-party +||integr8.digital^$third-party ||intenthq.com^$third-party -||intentmedia.net^$third-party -||interactivespot.net^$third-party +||intentiq.com^$third-party +||interactiveads.ai^$third-party ||interadv.net^$third-party ||interclick.com^$third-party -||interestably.com^$third-party ||interesting.cc^$third-party ||intergi.com^$third-party -||internetadbrokers.com^$third-party ||interpolls.com^$third-party ||interworksmedia.co.kr^$third-party ||intextad.net^$third-party ||intextdirect.com^$third-party -||intextscript.com^$third-party ||intextual.net^$third-party ||intgr.net^$third-party ||intimlife.net^$third-party ||intopicmedia.com^$third-party -||intrev.co^$third-party -||intrience.info^$third-party -||inttrax.com^$third-party -||intuneads.com^$third-party +||intravert.co^$third-party ||inuvo.com^$third-party -||inuxu.biz^$third-party ||inuxu.co.in^$third-party -||invernetter.info^$third-party -||investingchannel.com^$third-party +||investnewsbrazil.com^$third-party ||inviziads.com^$third-party +||involve.asia^$third-party ||ip-adress.com^$third-party -||ipowercdn.com^$third-party -||ipredictive.com^$third-party -||iproblet.com^$third-party ||ipromote.com^$third-party -||ipsowrite.com^$third-party -||irtya.com^$third-party -||isapi.solutions^$third-party -||islationa.com^$third-party -||isohits.com^$third-party -||isparkmedia.com^$third-party -||istrawzh3.com^$third-party -||isubdom.com^$third-party -||isubdomains.com^$third-party -||it4oop7.bid^$third-party -||itempana.site^$third-party -||itrengia.com^$third-party -||iu16wmye.com^$third-party -||iu1xoe7o.com^$third-party -||iv.doubleclick.net^$third-party -||iwantmoar.net^$third-party -||iwantuonly.com^$third-party -||ixnp.com^$third-party -||iz319xlstbsqs34623cb.com^$third-party -||izeads.com^$third-party -||jacquarter.com^$third-party -||jadcenter.com^$third-party ||jango.com^$third-party -||jangonetwork.com^$third-party -||jarvinzo.com^$popup -||javacript.cf^$third-party -||javacript.ga^$third-party -||javacript.gq^$third-party -||javacript.ml^$third-party -||javacript.tk^$third-party -||jbrlsr.com^$third-party -||jcnqc.us^$third-party -||jdoqocy.com/image-$third-party -||jdoqocy.com/placeholder-$third-party -||jdproject.net^$third-party -||jdzw3frs.com^$third-party -||jeegopte.com^$third-party -||jeeh7eet.com^$third-party -||jeetyetmedia.com^$third-party -||jemmgroup.com^$third-party -||jettags.rocks^$third-party +||javbuzz.com^$third-party ||jewishcontentnetwork.com^$third-party -||jf2mn2ms.club^$third-party -||jfduv7.com^$third-party -||jfx61qca.site^$third-party -||jiawen88.com^$third-party ||jivox.com^$third-party -||jiwire.com^$third-party -||jizzontoy.com^$third-party -||jmp9.com^$third-party -||jmvnolvmspponhnyd6b.com^$third-party -||jo7cofh3.com^$third-party -||jobsyndicate.com^$third-party -||jobtarget.com^$third-party -||joytocash.com^$third-party -||jque.net^$third-party -||jqueryserve.com^$third-party -||jqueryserver.com^$third-party -||js.cdn.ac^$third-party -||jscloud.org^$third-party -||jscount.com^$third-party -||jsfeedadsget.com^$third-party -||jsfuz.com^$third-party -||jsmentry.com^$third-party -||jsmjmp.com^$third-party -||jsretra.com^$third-party -||jssearch.net^$third-party -||jtrakk.com^$third-party +||jobbio.com^$third-party +||journeymv.com^$third-party ||jubna.com^$third-party -||judicated.com^$third-party -||juiceadv.com^$third-party -||juiceadv.net^$third-party +||juicyads.com^$script,third-party ||juicyads.com^$third-party -||jujuads.com^$third-party -||jujzh9va.com^$third-party -||jumboaffiliates.com^$third-party -||jumbolt.ru^$third-party -||jumpelead.com^$third-party -||jumptap.com^$third-party -||jungloconding.info^$third-party -||junioneruytew.info^$third-party -||jursp.com^$third-party -||justpremium.com^$third-party -||justrelevant.com^$third-party -||jwaavsze.com^$third-party -||jwplayer.space^$third-party -||jyvtidkx.com^$third-party -||k0z09okc.com^$third-party -||k9anf8bc.webcam^$third-party -||kaishist.top^$third-party -||kanoodle.com^$third-party -||kantarmedia.com^$third-party -||kaukoafa.net^$third-party -||kavanga.ru^$third-party -||keewurd.com^$third-party -||kehalim.com^$third-party -||kenduktur.com^$third-party -||kensyii.com^$third-party -||kerg.net^$third-party -||ketads.com^$third-party -||ketoo.com^$third-party -||keyrunmodel.com^$third-party -||keywordblocks.com^$third-party -||keywordlink.co.kr^$third-party -||keywordpop.com^$third-party -||keywordsconnect.com^$third-party -||kgidpryrz8u2v0rz37.com^$third-party -||khudagi.info^$third-party -||kikuzip.com^$third-party -||kinley.com^$third-party -||kintokup.com^$third-party +||kaprila.com^$third-party +||kargo.com^$third-party ||kiosked.com^$third-party -||kip5j.com^$third-party -||kitnmedia.com^$third-party -||kjgh5o.com^$third-party -||klik1tn0w.club^$third-party -||klikadvertising.com^$third-party -||kliksaya.com^$third-party -||kliktrkr.com^$third-party -||klikvip.com^$third-party -||klipmart.com^$third-party -||klixfeed.com^$third-party -||kloapers.com^$third-party -||klonedaset.org^$third-party -||kmnjdcrcfhu.com^$third-party -||knorex.asia^$third-party -||knowd.com^$third-party -||koapsooh.click^$third-party -||koinser.in^$third-party -||kolition.com^$third-party -||komego.work^$third-party +||klakus.com^$third-party ||komoona.com^$third-party -||kontextua.com^$third-party -||koocash.com^$third-party -||korexo.com^$third-party -||korrelate.net^$third-party -||kostprice.com^$third-party -||koten.zone^$third-party ||kovla.com^$third-party -||kqzyfj.com/image-$third-party -||kqzyfj.com/placeholder-$third-party -||kr3vinsx.com^$third-party -||krajiv.com^$third-party -||kromeleta.ru^$third-party -||kug-74.com^$third-party -||kumpulblogger.com^$third-party -||kurlipush.com^$third-party -||kzbiz.co^$third-party -||l3op.info^$third-party -||lacerta.space^$third-party -||ladbrokesaffiliates.com.au^$third-party +||kurzycz.care^$third-party ||laim.tv^$third-party -||lakequincy.com^$third-party -||lakidar.net^$third-party -||lamalama.top^$third-party -||landelcut.com^$third-party -||langosh.biz^$third-party ||lanistaconcepts.com^$third-party -||larentisol.com^$third-party -||large-format.net^$third-party -||largestable.com^$third-party -||larkbe.com^$third-party -||laserhairremovalstore.com^$third-party -||lashaucu.net^$third-party -||launchbit.com^$third-party -||launchers.network^$third-party -||lavetawhiting.com^$third-party -||laydcilck.com^$third-party -||layer-ad.org^$third-party -||layerloop.com^$third-party -||layerwelt.com^$third-party -||lazynerd.info^$third-party -||lbm1.com^$third-party -||lcl2adserver.com^$third-party -||ld82ydd.com^$third-party -||ldgateway.com^$third-party -||lduhtrp.net^$third-party -||ldzqhq.biz^$third-party -||leadacceptor.com^$third-party -||leadad.mobi^$third-party -||leadadvert.info^$third-party -||leadbolt.net^$third-party -||leadcola.com^$third-party -||leaderpub.fr^$third-party -||leadmediapartners.com^$third-party -||leadzu.com^$third-party -||leaptrade.com^$third-party -||leetmedia.com^$third-party -||legisland.net^$third-party -||leohd59.ru^$third-party -||less-css.site^$third-party -||lessonis.com^$third-party -||letadnew.com^$third-party -||letilyadothejob.com^$third-party -||letsgoshopping.tk^$third-party -||letuchiycorabl.com^$third-party -||letysheeps.ru^$third-party -||levisites.com^$third-party -||lexinget.info^$third-party -||lfstmedia.com^$third-party -||lgse.com^$third-party -||libertycdn.com^$third-party -||licantrum.com^$third-party -||lielmy.com^$third-party -||liftdna.com^$third-party -||ligadx.com^$third-party -||ligational.com^$third-party -||lightad.co.kr^$third-party -||lightningcast.net^$~object-subrequest,third-party -||likecontrol.com^$third-party -||linformanceder.info^$third-party -||linicom.co.il^$third-party -||linicom.co.uk^$third-party -||linkbuddies.com^$third-party -||linkclicks.com^$third-party -||linkelevator.com^$third-party -||linkexchange.com^$third-party +||lcwfab1.com^$third-party +||lcwfab2.com^$third-party +||lcwfab3.com^$third-party +||lcwfabt1.com^$third-party +||lcwfabt2.com^$third-party +||lcwfabt3.com^$third-party +||lhkmedia.in^$third-party +||lijit.com^$third-party ||linkexchangers.net^$third-party -||linkforyoud.com^$third-party ||linkgrand.com^$third-party -||linkmads.com^$third-party -||linkoffers.net^$third-party -||linkreferral.com^$third-party -||links.io^$third-party ||links2revenue.com^$third-party -||linkshowoff.com^$third-party +||linkslot.ru^$third-party ||linksmart.com^$third-party ||linkstorm.net^$third-party ||linkwash.de^$third-party ||linkworth.com^$third-party -||linkybank.com^$third-party -||linkz.net^$third-party -||linoleictanzaniatitanic.com^$third-party -||lionsads.com^$third-party ||liqwid.net^$third-party ||listingcafe.com^$third-party ||liveadexchanger.com^$third-party ||liveadoptimizer.com^$third-party -||liveadserver.net^$third-party ||liveburst.com^$third-party -||liverail.com^$~object-subrequest,third-party +||liverail.com^$~object,third-party ||livesmarter.com^$third-party ||liveuniversenetwork.com^$third-party -||lkqd.net^$third-party -||llqd75c56i.com^$third-party -||lmsxuo.com^$third-party -||lndjj.com^$third-party -||loadercdn.com^$third-party -||loading-resource.com^$third-party -||local-chicks-here3.top^$third-party -||localadbuy.com^$third-party -||localedgemedia.com^$third-party ||localsearch24.co.uk^$third-party ||lockerdome.com^$third-party -||lockerdomecdn.com^$third-party -||lockhosts.com^$third-party -||lockscalecompare.com^$third-party -||locktdguw9.com^$third-party ||logo-net.co.uk^$third-party -||loldata.top^$third-party -||loodyas.com^$third-party -||lookit-quick.com^$third-party ||looksmart.com^$third-party -||looneyads.com^$third-party -||looneynetwork.com^$third-party -||loopmaze.com^$third-party -||loq-90.com^$third-party -||lose-ads.de^$third-party -||loseads.eu^$third-party -||losomy.com^$third-party -||lotteryaffiliates.com^$third-party -||lovacmar.click^$third-party +||loopaautomate.com^$third-party ||love-banner.com^$third-party -||loxtk.com^$third-party -||lqcdn.com^$third-party -||lqw.me^$third-party -||ltassrv.com.s3.amazonaws.com^$third-party -||ltassrv.com/goads.swf -||ltassrv.com/serve/ -||lucidmedia.com^$third-party -||lucklayed.info^$third-party -||luckypushh.com^$third-party -||lushcrush.com^$third-party -||luxadv.com^$third-party -||luxbetaffiliates.com.au^$third-party -||luxup.ru^$third-party -||luxup2.ru^$third-party -||luxupadva.com^$third-party -||luxupadvb.com^$third-party -||luxupcdna.com^$third-party -||luxupcdnb.com^$third-party -||luxupcdnc.com^$third-party -||lvgvax82bp.com^$third-party -||lx2rv.com^$third-party -||lzjl.com^$third-party -||m-shes.ru^$third-party -||m1.fwmrm.net^$object-subrequest,third-party -||m10s8.com^$third-party -||m2.ai^$third-party -||m2pub.com^$third-party -||m30w.net^$third-party -||m32.media^$third-party -||m4clicks.com^$third-party -||m4pub.com^$third-party -||m57ku6sm.com^$third-party -||m5prod.net^$third-party -||m73lae5cpmgrv38.com^$third-party -||mabirol.com^$third-party -||machings.com^$third-party -||madadsmedia.com^$third-party -||madserving.com^$third-party -||madsone.com^$third-party -||magicalled.info^$third-party +||lustre.ai^$script,third-party +||magetic.com^$third-party ||magnetisemedia.com^$third-party ||mahimeta.com^$third-party -||mailmarketingmachine.com^$third-party -||mainadv.com^$third-party -||mainroll.com^$third-party -||makecashtakingsurveys.biz^$third-party -||makemoneymakemoney.net^$third-party -||mallcss.com^$third-party -||mallsponsor.com^$third-party -||mamydirect.com^$third-party +||mail-spinner.com^$third-party ||mangoads.net^$third-party -||mangoforex.com^$third-party -||marapcana.online^$third-party -||marbil24.co.za^$third-party +||mantisadnetwork.com^$third-party ||marfeel.com^$third-party -||marginalwoodfernrounddance.com^$third-party -||marimedia.com^$third-party -||markboil.online^$third-party -||markergot.com^$third-party -||marketbanker.com^$third-party -||marketfly.net^$third-party -||marketgid.com^$third-party ||markethealth.com^$third-party -||marketingenhanced.com^$third-party ||marketleverage.com^$third-party -||marketnetwork.com^$third-party -||marketoring.com^$third-party -||marphezis.com^$third-party ||marsads.com^$third-party -||martiniadnetwork.com^$third-party -||masterads.org^$third-party -||masternal.com^$third-party -||mastertraffic.cn^$third-party -||masture.mobi^$third-party -||mathads.com^$third-party -||matiro.com^$third-party -||mattempte.info^$third-party -||maudau.com^$third-party -||maxcorpmedia.com^$third-party -||maxonclick.com^$third-party -||maxserving.com^$third-party -||mb01.com^$third-party -||mb102.com^$third-party -||mb104.com^$third-party -||mb38.com^$third-party -||mb57.com^$third-party -||mbn.com.ua^$third-party -||mcdomainalot.com^$third-party -||mcdstorage.com^$third-party -||mdadvertising.net^$third-party -||mdadx.com^$third-party -||mdialog.com^$third-party -||mdn2015x1.com^$third-party -||mdn2015x2.com^$third-party -||mdn2015x3.com^$third-party -||mdn2015x4.com^$third-party -||mdn2015x5.com^$third-party -||meadigital.com^$third-party -||measurelyapp.com^$third-party -||media-general.com^$third-party -||media-ks.net^$third-party -||media-networks.ru^$third-party -||media-servers.net^$third-party +||mcontigo.com^$third-party ||media.net^$third-party -||media303.com^$third-party -||media6degrees.com^$third-party -||media970.com^$third-party -||mediaadserver.org^$third-party -||mediaclick.com^$third-party -||mediacpm.com^$third-party -||mediaessence.net^$third-party +||mediaad.org^$third-party +||mediacpm.pl^$third-party ||mediaffiliation.com^$third-party -||mediafilesdownload.com^$third-party -||mediaflire.com^$third-party ||mediaforce.com^$third-party -||mediaforge.com^$third-party -||mediag4.com^$third-party -||mediagridwork.com^$third-party -||mediakeywords.com^$third-party -||medialand.ru^$third-party -||medialation.net^$third-party -||mediaonenetwork.net^$third-party -||mediaonpro.com^$third-party -||mediapeartree.com^$third-party -||mediapeo.com^$third-party -||mediaraily.com^$third-party -||mediasprucetree.com^$third-party +||mediafuse.com^$third-party ||mediatarget.com^$third-party -||mediative.ca^$third-party -||mediative.com^$third-party -||mediatraffic.com^$third-party -||mediatraks.com^$third-party -||mediaver.com^$third-party +||mediatradecraft.com^$third-party ||mediavine.com^$third-party -||medical-aid.net^$third-party -||medleyads.com^$third-party -||medrx.sensis.com.au^$third-party -||medyanet.net^$third-party -||medyanetads.com^$third-party ||meendocash.com^$third-party -||meetic-partners.com^$third-party -||megaad.nz^$third-party -||megacpm.com^$third-party -||megapopads.com^$third-party -||megappu.com^$third-party -||megatronmailer.com^$third-party -||megbase.com^$third-party -||meh0f1b.com^$third-party -||meinlist.com^$third-party -||mellowads.com^$third-party -||mengheng.net^$third-party -||mentad.com^$third-party -||mentalks.ru^$third-party -||merchenta.com^$third-party -||mercuras.com^$third-party -||messagespaceads.com^$third-party -||metaffiliation.com^$~image,~subdocument,third-party,domain=~netaffiliation.com -||metaffiliation.com^*^maff= -||metaffiliation.com^*^taff= -||metavertising.com^$third-party -||metavertizer.com^$third-party -||metogo.work^$third-party -||metrics.io^$third-party -||meviodisplayads.com^$third-party -||meya41w7.com^$third-party -||mezaa.com^$third-party -||mezimedia.com^$third-party -||mftracking.com^$third-party -||mgcash.com^$third-party -||mgcashgate.com^$third-party -||mgid.com^$third-party,domain=~marketgid.com|~marketgid.com.ua -||mgplatform.com^$third-party -||mgti1kofb8.com^$third-party -||mi-mi-fa.com^$third-party -||mibebu.com^$third-party +||meloads.com^$third-party +||metaffiliation.com^$third-party,domain=~netaffiliation.com +||mgid.com^$third-party ||microad.jp^$third-party -||microad.net^$third-party -||microadinc.com^$third-party -||microsoftaffiliates.net^$third-party -||migrandof.com^$third-party -||milabra.com^$third-party -||milleonid.com^$third-party +||midas-network.com^$third-party +||millionsview.com^$third-party ||mindlytix.com^$third-party -||minessetion.info^$third-party -||minimumpay.info^$third-party -||ministedik.info^$third-party -||minodazi.com^$third-party -||mintake.com^$third-party -||mirago.com^$third-party -||mirrorpersonalinjury.co.uk^$third-party -||misslk.com^$third-party -||mistands.com^$third-party -||mixmarket.biz^$third-party -||mixpo.com^$third-party -||mktseek.com^$third-party -||ml314.com^$third-party -||mljhpoy.com^$third-party -||mlnadvertising.com^$third-party -||mlvc4zzw.space^$third-party -||mm-syringe.com^$third-party -||mmadsgadget.com^$third-party -||mmgads.com^$third-party -||mmismm.com^$third-party -||mmngte.net^$third-party -||mmo123.co^$third-party -||mmondi.com^$third-party -||mmoptional.com^$third-party -||mmotraffic.com^$third-party -||mn1nm.com^$third-party -||mnbvjhg.com^$third-party -||mnetads.com^$third-party -||mntzrlt.net^$third-party -||moatads.com^$third-party -||mobatori.com^$third-party -||mobatory.com^$third-party +||mixadvert.com^$third-party +||mixi.media^$third-party ||mobday.com^$third-party -||mobfox.com^$third-party -||mobicont.com^$third-party -||mobidevdom.com^$third-party -||mobifobi.com^$third-party -||mobikano.com^$third-party ||mobile-10.com^$third-party -||mobileadspopup.com^$third-party -||mobileoffers-*-download.com^$third-party -||mobiright.com^$third-party -||mobisla.com^$third-party -||mobitracker.info^$third-party -||mobiyield.com^$third-party -||moborobot.com^$third-party -||mobsterbird.info^$third-party -||mobstrks.com^$third-party -||mobtrks.com^$third-party -||mobytrks.com^$third-party -||modelegating.com^$third-party -||modescrips.info^$third-party -||modificans.com^$third-party -||modifiscans.com^$third-party -||modulepush.com^$third-party -||moevideo.net^$third-party -||moffsets.com^$third-party -||mogointeractive.com^$third-party -||mojoaffiliates.com^$third-party -||mokonocdn.com^$third-party -||monetizer101.com^$third-party -||money-cpm.fr^$third-party -||money4ads.com^$third-party -||moneycosmos.com^$third-party -||moneymakercdn.com^$third-party -||moneywhisper.com^$third-party -||monkeybroker.net^$third-party -||monsoonads.com^$third-party -||monxserver.com^$third-party -||mookie1.com^$third-party -||moonlightingapi-ads.com^$third-party -||mootermedia.com^$third-party -||mooxar.com^$third-party -||mordi.fun^$third-party -||moregamers.com^$third-party -||moreplayerz.com^$third-party -||morgdm.ru^$third-party -||mortantse.info^$third-party -||morydark.pw^$third-party -||mosaiq.io^$third-party -||moselats.com^$third-party -||motominer.com^$third-party -||mottnow.com^$third-party -||movad.net^$third-party -||mozcloud.net^$third-party -||mp3toavi.xyz^$third-party -||mpk01.com^$third-party -||mpnrs.com^$third-party -||mpression.net^$third-party -||mprezchc.com^$third-party -||mpuls.ru^$third-party -||mrelko.com^$third-party -||mrperfect.in^$third-party -||msads.net^$third-party -||mse2v5oglm.com^$third-party -||msypr.com^$third-party -||mtrcss.com^$third-party -||mujap.com^$third-party -||mukwonagoacampo.com^$third-party -||multiadserv.com^$third-party -||multimater.com^$third-party +||monetixads.com^$third-party ||multiview.com^$third-party -||munically.com^$third-party -||murkymouse.online^$third-party -||music-desktop.com^$third-party -||musicnote.info^$third-party -||mutary.com^$third-party -||mutaticial.com^$third-party -||mxf.dfp.host^$third-party -||mxtads.com^$third-party -||my-layer.net^$third-party -||myadcash.com^$third-party ||myaffiliates.com^$third-party -||mycasinoaccounts.com^$third-party -||mycdn.co^$third-party -||mycdn2.co^$third-party -||myclickbankads.com^$third-party -||mycooliframe.net^$third-party -||mydreamads.com^$third-party -||myemailbox.info^$third-party -||myezt1q2il.com^$third-party -||myinfotopia.com^$third-party -||mylinkbox.com^$third-party -||mynativeads.com^$third-party -||mynewcarquote.us^$third-party -||mynyx.men^$third-party -||myplayerhd.net^$third-party -||myregeneaf.com^$third-party -||mysafeurl.com^$third-party -||mystaticfiles.com^$third-party -||mythings.com^$third-party -||myuniques.ru^$third-party -||myvads.com^$third-party -||mywidget.mobi^$third-party -||mz28ismn.com^$third-party -||n123loi.com^$third-party -||n130adserv.com^$third-party -||n161adserv.com^$third-party ||n2s.co.kr^$third-party -||n388hkxg.com^$third-party -||n4403ad.doubleclick.net^$third-party -||n673oum.com^$third-party -||nabbr.com^$third-party -||naganaga.lol^$third-party -||nagrande.com^$third-party -||nalizerostants.info^$third-party -||nameads.com^$third-party +||naitive.pl^$third-party ||nanigans.com^$third-party -||narrangel.com^$third-party -||nasdak.in^$third-party -||native-adserver.com^$third-party -||nativead.co^$third-party -||nativead.tech^$third-party ||nativeads.com^$third-party -||nativeadsfeed.com^$third-party -||nativeleads.net^$third-party -||nativepu.sh^$third-party +||nativemedia.rs^$third-party +||nativeone.pl^$third-party ||nativeroll.tv^$third-party -||naucaips.com^$third-party -||nauchegy.link^$third-party -||navaxudoru.com^$third-party -||nbjmp.com^$third-party -||nbstatic.com^$third-party -||ncrjsserver.com^$third-party -||neads.delivery^$third-party -||neblotech.com^$third-party -||neepaips.com^$third-party -||negolist.com^$third-party -||nenrk.us^$third-party -||neo-neo-xeo.com^$third-party +||nativery.com^$third-party +||nativespot.com^$third-party ||neobux.com^$third-party ||neodatagroup.com^$third-party ||neoebiz.co.kr^$third-party ||neoffic.com^$third-party -||nessubsets.pro^$third-party -||net-ad-vantage.com^$third-party -||net3media.com^$third-party +||neon.today^$third-party ||netaffiliation.com^$~script,third-party ||netavenir.com^$third-party -||netflixalternative.net^$third-party ||netinsight.co.kr^$third-party +||netizen.co^$third-party ||netliker.com^$third-party ||netloader.cc^$third-party -||netpondads.com^$third-party +||netpub.media^$third-party ||netseer.com^$third-party ||netshelter.net^$third-party ||netsolads.com^$third-party ||networkad.net^$third-party ||networkmanag.com^$third-party -||networkplay.in^$third-party -||networkxi.com^$third-party ||networld.hk^$third-party -||networldmedia.net^$third-party ||neudesicmediagroup.com^$third-party -||newaugads.com^$third-party ||newdosug.eu^$third-party -||newgentraffic.com^$third-party -||newideasdaily.com^$third-party -||newjunads.com^$third-party -||newmonads.com^$third-party -||newsadstream.com^$third-party -||newsarmor.com^$third-party -||newsmaxfeednetwork.com^$third-party +||newormedia.com^$third-party +||newsadsppush.com^$third-party ||newsnet.in.ua^$third-party ||newstogram.com^$third-party -||newsushe.info^$third-party -||newtention.net^$third-party -||newyorkwhil.com^$third-party +||newtueads.com^$third-party +||newwedads.com^$third-party ||nexac.com^$third-party ||nexage.com^$third-party ||nexeps.com^$third-party -||nexioniect.com^$third-party -||nextlandingads.com^$third-party +||nextclick.pl^$third-party ||nextmillennium.io^$third-party -||nextmobilecash.com^$third-party ||nextoptim.com^$third-party -||ngaln.com^$third-party -||ngecity.com^$third-party -||nglmedia.com^$third-party -||ngsomedquiz.club^$third-party -||nicheadgenerator.com^$third-party -||nicheads.com^$third-party -||nichter.space^$third-party -||nightened.com^$third-party -||nighter.club^$third-party -||niltutch.com^$third-party ||nitmus.com^$third-party -||nittlopp.online^$third-party -||nization.com^$third-party -||njkiho.info^$third-party -||nkredir.com^$third-party -||nmcdn.us^$third-party -||nmwrdr.net^$third-party -||nobleppc.com^$third-party -||nobsetfinvestor.com^$third-party -||nofejectontrab.info^$third-party -||nompakru.click^$third-party -||nonpaly.ru^$third-party -||nonstoppartner.de^$third-party -||norentisol.com^$third-party -||noretia.com^$third-party -||normkela.com^$third-party -||northmay.com^$third-party -||nothering.com^$third-party -||novarevenue.com^$third-party -||nowlooking.net^$third-party -||nowspots.com^$third-party -||npdbklojsvn.co^$third-party -||nplexmedia.com^$third-party -||npvos.com^$third-party -||nquchhfyex.com^$third-party -||nrnma.com^$third-party -||nscontext.com^$third-party -||nsdsvc.com^$third-party -||nsmartad.com^$third-party -||nspmotion.com^$third-party +||nitropay.com^$third-party +||njih.net^$third-party +||notsy.io^$third-party +||nsstatic.com^$third-party ||nsstatic.net^$third-party -||nster.net^$third-party,domain=~nster.com -||nsvfl7p9.com^$third-party +||nster.net^$third-party ||ntent.com^$third-party -||ntv.io^$third-party -||ntvk1.ru^$third-party -||nuclersoncanthinger.info^$third-party -||nui.media^$third-party -||nullenabler.com^$third-party -||numberium.com^$third-party ||numbers.md^$third-party -||numberthreebear.com^$third-party -||nurno.com^$third-party -||nuseek.com^$third-party -||nvadn.com^$third-party -||nvero.net^$third-party -||nwfhalifax.com^$third-party -||nxtck.com^$third-party -||nyadmcncserve-05y06a.com^$third-party -||nzads.net.nz^$third-party -||nzphoenix.com^$third-party -||o-oo.ooo^$third-party -||o.gweini.com^$third-party -||o12zs3u2n.com^$third-party -||oacram.com^$third-party -||oads.co^$third-party -||oainternetservices.com^$third-party -||obeisantcloddishprocrustes.com^$third-party -||obesw.com^$third-party -||obeus.com^$third-party -||obibanners.com^$third-party -||objects.tremormedia.com^$~object-subrequest,third-party -||objectservers.com^$third-party +||objects.tremormedia.com^$~object,third-party ||oboxads.com^$third-party ||oceanwebcraft.com^$third-party ||ocelot.studio^$third-party -||oclaserver.com^$third-party -||oclasrv.com^$third-party -||oclsasrv.com^$third-party ||oclus.com^$third-party -||octagonize.com^$third-party -||oehposan.com^$third-party +||odysseus-nua.com^$third-party ||ofeetles.pro^$third-party -||offeradvertising.biz^$third-party -||offerenced.com^$third-party ||offerforge.com^$third-party ||offerforge.net^$third-party -||offerpalads.com^$third-party ||offerserve.com^$third-party -||offersquared.com^$third-party -||officerrecordscale.info^$third-party -||offshort.info^$third-party -||ofino.ru^$third-party -||ogercron.com^$third-party -||oggifinogi.com^$third-party -||ohmcasting.com^$third-party -||ohmwrite.com^$third-party -||oileddaintiessunset.info^$third-party +||og-affiliate.com^$third-party ||okanjo.com^$third-party -||oldership.com^$third-party -||oldtiger.net^$third-party -||omclick.com^$third-party -||omg2.com^$third-party -||omgpm.com^$third-party -||omni-ads.com^$third-party -||omnitagjs.com^$third-party -||onad.eu^$third-party -||onads.com^$third-party -||onagida.info^$third-party -||onclasrv.com^$third-party -||onclickads.net^$third-party -||onclickmax.com^$third-party -||onclickmega.com^$third-party -||onclickprediction.com^$third-party -||onclickpulse.com^$third-party -||onclicksuper.com^$third-party -||onclkds.com^$third-party -||onedmp.com^$third-party -||onenetworkdirect.com^$third-party -||onenetworkdirect.net^$third-party -||oneopenclose.click^$third-party -||onerror.cf^$third-party -||onerror.ga^$third-party -||onerror.gq^$third-party -||onerror.ml^$third-party -||onerror.tk^$third-party -||onespot.com^$third-party -||online-adnetwork.com^$third-party -||online-media24.de^$third-party -||onlineadtracker.co.uk^$third-party -||onlinedl.info^$third-party +||onetag-sys.com^$third-party ||onlyalad.net^$third-party -||onrampadvertising.com^$third-party +||onsafelink.com^$script,third-party ||onscroll.com^$third-party -||onsitemarketplace.net^$third-party -||onti.rocks^$third-party -||onunughegmar.club^$third-party ||onvertise.com^$third-party -||onvid.club^$third-party -||onwsys.net^$third-party -||oodode.com^$third-party -||ooecyaauiz.com^$third-party -||oofte.com^$third-party +||oogala.com^$third-party ||oopt.fr^$third-party -||oorseest.net^$third-party ||oos4l.com^$third-party -||opap.co.kr^$third-party ||openbook.net^$third-party -||openclose.click^$third-party -||openetray.com^$third-party -||opensourceadvertisementnetwork.info^$third-party -||openx.net^$third-party -||openxadexchange.com^$third-party -||openxenterprise.com^$third-party -||openxmarket.asia^$third-party -||operatical.com^$third-party ||opt-intelligence.com^$third-party -||opt-n.net^$third-party -||optad360.io^$third-party -||opteama.com^$third-party -||optiad.net^$third-party -||optimalroi.info^$third-party -||optimatic.com^$third-party -||optimizeadvert.biz^$third-party -||optimizesocial.com^$third-party -||optinemailpro.com^$third-party +||optiads.org^$third-party +||optimads.info^$third-party ||optinmonster.com^$third-party -||optnmstr.com^$third-party,domain=whatismyipaddress.com -||orangeads.fr^$third-party -||orarala.com^$third-party -||oratosaeron.com^$third-party -||orbengine.com^$third-party -||ordingly.com^$third-party -||organicalews.info^$third-party ||oriel.io^$third-party -||origer.info^$third-party -||ornament-i.com^$third-party ||osiaffiliate.com^$third-party -||oskale.ru^$third-party ||ospreymedialp.com^$third-party -||osuq4jc.com^$third-party -||othere.info^$third-party -||otherelis.info^$third-party ||othersonline.com^$third-party -||otnolabttmup.com^$third-party -||ottomdisede.club^$third-party -||ouloutso.net^$third-party -||oultuwee.net^$third-party -||ouptoobe.net^$third-party -||oupushee.com^$third-party -||ourbanners.net^$third-party -||ourunlimitedleads.com^$third-party -||ov8pc.tv^$third-party -||oveld.com^$third-party -||overhaps.com^$third-party -||oversailor.com^$third-party -||overture.com^$third-party -||overturs.com^$third-party -||ovtopli.ru^$third-party -||owlads.io^$third-party -||owndata.network^$third-party +||otm-r.com^$third-party ||ownlocal.com^$third-party -||owtezan.ru^$third-party -||oxado.com^$third-party -||oxsng.com^$third-party -||oxtracking.com^$third-party -||oxybe.com^$third-party -||oxyes.work^$third-party -||ozertesa.com^$third-party -||ozonemedia.com^$third-party -||ozora.work^$third-party ||p-advg.com^$third-party -||p-comme-performance.com^$third-party ||p-digital-server.com^$third-party -||p2ads.com^$third-party -||p7hwvdb4p.com^$third-party -||paads.dk^$third-party -||pacific-yield.com^$third-party -||paclitor.com^$third-party -||padsdelivery.com^$third-party -||padstm.com^$third-party -||pagefair.net^$third-party ||pagesinxt.com^$third-party -||paibopse.com^$third-party -||paid4ad.de^$third-party ||paidonresults.net^$third-party ||paidsearchexperts.com^$third-party -||painterede.com^$third-party ||pakbanners.com^$third-party -||panachetech.com^$third-party -||panda.network^$third-party ||pantherads.com^$third-party +||papayads.net^$third-party ||paperclipservice.com^$third-party ||paperg.com^$third-party -||parabled.info^$third-party ||paradocs.ru^$third-party -||paratingexcret.info^$third-party -||parding.info^$third-party -||pardous.com^$third-party +||pariatonet.com^$third-party ||parkingcrew.net^$third-party -||parronnotandone.info^$third-party -||particizedese.club^$third-party +||parsec.media^$third-party ||partner-ads.com^$third-party ||partner.googleadservices.com^$third-party -||partner.video.syndication.msn.com^$~object-subrequest,third-party +||partner.video.syndication.msn.com^$~object,third-party ||partnerearning.com^$third-party ||partnermax.de^$third-party +||partnerstack.com^$third-party ||partycasino.com^$third-party -||partypartners.com^$third-party ||partypoker.com^$third-party -||pas-rahav.com^$third-party -||passionfruitads.com^$third-party +||passendo.com^$third-party ||passive-earner.com^$third-party -||patecrafts.com^$third-party -||patiskcontentdelivery.info^$third-party -||patoris.xyz^$third-party -||paumoogo.net^$third-party -||pautaspr.com^$third-party -||paxmedia.net^$third-party -||pay-click.ru^$third-party -||payae8moon9.com^$third-party +||paydemic.com^$third-party ||paydotcom.com^$third-party ||payperpost.com^$third-party -||pbcde.com^$third-party -||pbmvz.com^$third-party -||pbyet.com^$third-party -||pc-ads.com^$third-party -||pc1ads.com^$third-party -||pc2ads.com^$third-party -||pcr1p2xr.com^$third-party -||pdn-1.com^$third-party -||pdn-2.com^$third-party -||pe2k2dty.com^$third-party -||peakclick.com^$third-party ||pebblemedia.be^$third-party -||peelawaymaker.com^$third-party -||peemee.com^$third-party ||peer39.com^$third-party -||peer39.net^$third-party -||pejqoq4cafo3bg9yqqqtk5e6s6.com^$third-party ||penuma.com^$third-party ||pepperjamnetwork.com^$third-party -||percularity.com^$third-party -||peredest.com^$third-party -||perfb.com^$third-party -||perfcreatives.com^$third-party -||perfectmarket.com^$third-party -||perfoormapp.info^$third-party -||performance-based.com^$third-party -||performanceadexchange.com^$third-party -||performanceadvertising.mobi^$third-party -||performancetrack.info^$third-party -||performancingads.com^$third-party -||performanteads.com^$third-party ||perkcanada.com^$third-party -||permanyb.com^$third-party -||permenor.xyz^$third-party ||persevered.com^$third-party -||pestrike.com^$third-party -||pezrphjl.com^$third-party -||pgmediaserve.com^$third-party -||pgpartner.com^$third-party -||pgssl.com^$third-party -||pharmcash.com^$third-party -||pheedo.com^$third-party -||pheedroh.net^$third-party -||pheegoab.click^$third-party -||pheergar.com^$third-party -||philbardre.com^$third-party -||philipstreehouse.info^$third-party -||philosophere.com^$third-party -||phonespybubble.com^$third-party -||phukrovo.com^$third-party -||pianobuyerdeals.com^$third-party -||picadmedia.com^$third-party -||picbucks.com^$third-party -||pickoga.work^$third-party -||pickytime.com^$third-party -||picsspell.ru^$third-party -||picsti.com^$third-party -||pictela.net^$third-party -||piercial.com^$third-party -||pilottere.info^$third-party -||pinballpublishernetwork.com^$third-party -||pioneeringad.com^$third-party -||pip-pip-pop.com^$third-party -||pipeaota.com^$third-party -||pipsol.net^$third-party -||pirdoust.com^$third-party -||pitally.info^$third-party -||piticlik.com^$third-party -||pivotalmedialabs.com^$third-party -||pivotrunner.com^$third-party -||pixazza.com^$third-party -||pixeltrack66.com^$third-party -||pixfuture.net^$third-party -||pixiv.org^$third-party -||pixtrack.in^$third-party -||pixxur.com^$third-party +||pgammedia.com^$third-party ||placeiq.com^$third-party -||planniver.com^$third-party -||plannto.com^$third-party -||platinumadvertisement.com^$third-party -||play24.us^$third-party -||play4k.co^$third-party -||playertraffic.com^$third-party +||playamopartners.com^$third-party +||playmatic.video^$third-party ||playtem.com^$third-party -||playuhd.host^$third-party -||playukinternet.com^$third-party -||pleasteria.com^$third-party -||pleeko.com^$third-party -||plenomedia.com^$third-party -||plexop.net^$third-party -||pllddc.com^$third-party -||plocap.com^$third-party -||plopx.com^$third-party -||plufdsa.com^$third-party -||plugerr.com^$third-party -||plugs.co^$third-party -||plusfind.net^$third-party -||plushlikegarnier.com^$third-party -||plxserve.com^$third-party -||pmpubs.com^$third-party -||pmsrvr.com^$third-party -||pnd.gs^$third-party -||png2imag.club^$third-party -||pnoss.com^$third-party -||pnsandbox.com^$third-party -||pobaftern.info^$third-party +||pliblcc.com^$third-party ||pointclicktrack.com^$third-party -||pointroll.com^$third-party ||points2shop.com^$third-party -||poirreleast.club^$third-party -||poketraff.com^$third-party -||polanders.com^$third-party -||polarcdn-terrax.com^$third-party -||polarmobile.com^$third-party -||polluxnetwork.com^$third-party -||polmontventures.com^$third-party -||polyad.net^$third-party -||polydarth.com^$third-party -||pontypriddcrick.com^$third-party -||poogriry.click^$third-party -||poolnoodle.tech^$third-party -||pop-rev.com^$third-party -||popads.media^$third-party -||popads.net^$third-party -||popcash.net^$third-party -||popclck.net^$third-party -||popcpm.com^$third-party -||popcpv.com^$third-party -||popearn.com^$third-party -||popmajor.com^$third-party -||popmarker.com^$third-party -||popmonetizer.com^$third-party -||popmonetizer.net^$third-party -||popmyad.com^$third-party -||popmyads.com^$third-party -||poponclick.com^$third-party -||poppysol.com^$third-party -||poprev.net^$third-party -||poprevenue.net^$third-party -||popsads.com^$third-party -||popshow.info^$third-party -||poptarts.me^$third-party -||poptm.com^$third-party -||popularitish.com^$third-party -||popularmedia.net^$third-party -||populis.com^$third-party -||populisengage.com^$third-party -||popunder.ru^$third-party +||polisnetwork.io^$third-party +||polyvalent.co.in^$third-party ||popundertotal.com^$third-party -||popunderz.com^$third-party ||popunderzone.com^$third-party ||popupdomination.com^$third-party -||popuptraffic.com^$third-party -||popupvia.com^$third-party -||popwin.net^$third-party -||pornv.org^$third-party -||porojo.net^$third-party -||portablefish.com^$third-party -||portkingric.net^$third-party -||posternel.com^$third-party -||postrelease.com^$third-party -||potcityzip.com^$third-party -||poundaccordexecute.info^$third-party -||powerad.ai^$third-party -||poweradvertising.co.uk^$third-party -||powerfulbusiness.net^$third-party +||postaffiliatepro.com^$third-party ||powerlinks.com^$third-party -||powermarketing.com^$third-party -||ppcindo.com^$third-party -||ppclinking.com^$third-party -||ppctrck.com^$third-party ||ppcwebspy.com^$third-party -||ppdxyz.info^$third-party -||ppsearcher.ru^$third-party -||practively.com^$third-party ||prebid.org^$third-party -||precisionclick.com^$third-party -||predictad.com^$third-party -||predictiondisplay.com^$third-party -||predictivadnetwork.com^$third-party -||predictivadvertising.com^$third-party -||preditates.com^$third-party -||preferredain.com^$third-party -||preonesetro.com^$third-party -||prequire.info^$third-party -||presistart.com^$third-party -||prestadsng.com^$third-party -||prexista.com^$third-party +||prebidwrapper.com^$third-party +||prezna.com^$third-party ||prf.hn^$third-party -||prfdesk.pro^$third-party -||prggbqxuj.com^$third-party -||prickac.com^$third-party -||prigmaperf.me^$third-party -||primaryads.com^$third-party -||prime535.com^$third-party -||pritesol.com^$third-party -||privilegebedroomlate.xyz^$third-party -||prizel.com^$third-party -||prm-native.com^$third-party -||pro-advert.de^$third-party -||pro-advertising.com^$third-party -||pro-market.net^$third-party -||pro-pro-go.com^$third-party -||proadscdn.com^$third-party -||proadsdirect.com^$third-party -||probannerswap.com^$third-party -||probtn.com^$third-party -||prod.untd.com^$third-party -||proffigurufast.com^$third-party -||profitpeelers.com^$third-party -||programresolver.net^$third-party -||projectagora.net^$third-party -||projectagora.tech^$third-party -||projectwonderful.com^$third-party -||proludimpup.com^$third-party -||promenadd.ru^$third-party -||promo-bc.com^$third-party +||primis-amp.tech^$third-party +||profitsfly.com^$third-party ||promo-reklama.ru^$third-party -||promobenef.com^$third-party -||promoted.com^$third-party -||promotionoffer.mobi^$third-party -||promotiontrack.mobi^$third-party -||propellerads.com^$third-party -||propellerclick.com^$third-party -||propellerpops.com^$third-party -||propelllerads.com^$third-party -||propelplus.com^$third-party ||proper.io^$third-party -||propgoservice.com^$third-party -||propranok.com^$third-party -||prorentisol.com^$third-party -||prosperent.com^$third-party -||protally.net^$third-party -||provider-direct.com^$third-party -||proximic.com^$third-party -||prpops.com^$third-party -||prre.ru^$third-party -||prxio.github.io^$third-party -||prxio.pw^$third-party -||prxio.site^$third-party -||psclicks.com^$third-party -||pseqcs05.com^$third-party -||psma02.com^$third-party -||psnmail.su^$third-party -||psoaghie.net^$third-party -||psoapeez.click^$third-party -||psoomeeg.com^$third-party -||ptawe.com^$third-party -||ptchits.com^$third-party -||ptmopenclose.click^$third-party -||ptmzr.com^$third-party -||ptocmaux.com^$third-party -||ptp.lolco.net^$third-party -||ptp22.com^$third-party -||ptp24.com^$third-party -||pub-fit.com^$third-party -||pub.network^$third-party +||pub-3d10bad2840341eaa1c7e39b09958b46.r2.dev^$third-party +||pub-referral-widget.current.us^$third-party ||pubdirecte.com^$third-party +||pubfuture.com^$third-party ||pubgears.com^$third-party ||pubgenius.io^$third-party ||pubguru.com^$third-party ||publicidad.net^$third-party ||publicityclerks.com^$third-party -||publicsunrise.link^$third-party ||publift.com^$third-party ||publir.com^$third-party -||publisher.to^$third-party -||publisheradnetwork.com^$third-party -||publited.com^$third-party -||publited.net^$third-party -||publited.org^$third-party -||pubmatic.com^$third-party -||pubmine.com^$third-party -||pubnation.com^$third-party -||pubrain.com^$third-party -||pubserve.net^$third-party -||pubted.com^$third-party +||publisher1st.com^$third-party +||pubscale.com^$third-party ||pubwise.io^$third-party -||puhtml.com^$third-party -||pullcdn.top^$third-party -||pulpix.com^$third-party -||pulpyads.com^$third-party -||pulse360.com^$third-party -||pulsemgr.com^$third-party -||pulseonclick.com^$third-party -||purpleflag.net^$third-party -||puserving.com^$third-party -||push-me-up.com^$third-party -||push2check.com^$third-party -||pushads.biz^$third-party -||pushagim.com^$third-party -||pushame.com^$third-party -||pushance.com^$third-party -||pushbaddy.com^$third-party -||pushbasic.com^$third-party -||pushdusk.com^$third-party -||pusheify.com^$third-party -||pushengage.im^$third-party -||pusherism.com^$third-party -||pushgaga.com^$third-party -||pushimer.com^$third-party -||pushlommy.com^$third-party -||pushnative.com^$third-party -||pushnest.com^$third-party -||pushnevis.com^$third-party -||pushnice.com^$third-party -||pushno.com^$third-party -||pushservice.one^$third-party -||puttme.ga^$third-party -||pw.wpu.sh^$third-party -||pwrads.net^$third-party -||pwzn9ze.com^$third-party -||px3792.com^$third-party -||pxcwdyasdsumdsxjnn.com^$third-party -||pxl2015x1.com^$third-party -||pxstda.com^$third-party -||pzaasocba.com^$third-party -||pzuwqncdai.com^$third-party -||q-sht-zidjk.co^$third-party +||puffnetwork.com^$third-party +||putlockertv.com^$third-party ||q1media.com^$third-party -||q1mediahydraplatform.com^$third-party -||q1xyxm89.com^$third-party -||q64a9ris0j.com^$third-party -||qadserve.com^$third-party -||qadservice.com^$third-party -||qaykb.com^$third-party -||qdmil.com^$third-party -||qertewrt.com^$third-party -||qksrv.net^$third-party -||qksz.net^$third-party -||qnrzmapdcc.com^$third-party -||qnsr.com^$third-party -||qrlsx.com^$third-party -||qservz.com^$third-party -||qtpfm.com^$third-party -||qualitypageviews.com^$third-party -||quantum-advertising.com^$third-party +||qashbits.com^$third-party +||quanta.la^$third-party ||quantumads.com^$third-party -||queenmult.link^$third-party -||quensillo.com^$third-party -||querylead.com^$third-party -||questionmarket.com^$third-party +||quantumdex.io^$third-party ||questus.com^$third-party -||quickads.net^$third-party -||quickcash500.com^$third-party -||quicktask.xyz^$third-party -||quideo.men^$third-party -||quinstreet.com^$third-party ||qwertize.com^$third-party -||qwobl.net^$third-party -||qwzmje9w.com^$third-party -||qyh7u6wo0c8vz0szdhnvbn.com^$third-party -||r66net.com^$third-party -||r66net.net^$third-party -||r932o.com^$third-party -||rabilitan.com^$third-party -||radchesruno.club^$third-party -||radeant.com^$third-party -||radiatorial.online^$third-party -||radicalwealthformula.com^$third-party -||radiusmarketing.com^$third-party -||ragapa.com^$third-party -||raiggy.com^$third-party -||rainbowtgx.com^$third-party -||rainwealth.com^$third-party +||r2b2.cz^$third-party +||r2b2.io^$third-party ||rapt.com^$third-party -||rarelly.info^$third-party -||rateaccept.net^$third-party -||ratrencalrep.com^$third-party -||rawasy.com^$third-party -||rbnt.org^$third-party -||rcads.net^$third-party -||rclmc.top^$third-party -||rcurn.com^$third-party ||reachjunction.com^$third-party -||reachlocal.com^$third-party -||reachmode.com^$third-party ||reactx.com^$third-party -||readserver.net^$third-party +||readpeak.com^$third-party +||realbig.media^$third-party ||realclick.co.kr^$third-party -||realmatch.com^$third-party -||realmedia.com^$third-party -||realsecuredredir.com^$third-party -||realsecuredredirect.com^$third-party +||realhumandeals.com^$third-party ||realssp.co.kr^$third-party -||realvu.net^$third-party -||reastuk.club^$third-party -||reate.info^$third-party -||recentres.com^$third-party -||recessary.com^$third-party -||recomendedsite.com^$third-party -||redcourtside.com^$third-party +||rediads.com^$third-party ||redintelligence.net^$third-party -||redirect18systemsg.com^$third-party -||redirectnative.com^$third-party -||redirectpopads.com^$third-party -||rediskina.com^$third-party -||redpeepers.com^$third-party -||redrosesisleornsay.com^$third-party -||reduxmediagroup.com^$third-party -||redxxx.mobi^$third-party -||reelcentric.com^$third-party -||refban.com^$third-party -||refbanners.com^$third-party -||refbanners.website^$third-party -||referback.com^$third-party -||referralargumentationnetwork.info^$third-party -||reflethenfortoft.info^$third-party -||regardensa.com^$third-party -||regdfh.info^$third-party -||registry.cw.cm^$third-party -||regurgical.com^$third-party -||reklamz.com^$third-party -||rekovers.ru^$third-party -||relatedweboffers.com^$third-party -||relestar.com^$third-party -||relevanti.com^$third-party -||relytec.com^$third-party -||remintrex.com^$third-party -||remiroyal.ro^$third-party -||remtoaku.net^$third-party -||reople.co.kr^$third-party -||repaynik.com^$third-party -||replacescript.in^$third-party -||replase.cf^$third-party -||replase.ga^$third-party -||replase.ml^$third-party -||replase.tk^$third-party -||repressina.com^$third-party +||redventures.io^$script,subdocument,third-party,xmlhttprequest +||reomanager.pl^$third-party +||reonews.pl^$third-party ||republer.com^$third-party -||requiredcollectfilm.info^$third-party -||reseireejoch.info^$third-party -||resideral.com^$third-party -||resonance.pk^$third-party -||respecific.net^$third-party -||respond-adserver.cloudapp.net^$third-party -||respondhq.com^$third-party -||resultlinks.com^$third-party -||resultsz.com^$third-party -||retargeter.com^$third-party -||retaryrs.com^$third-party -||retono42.us^$third-party -||retrayan.com^$third-party -||rev2pub.com^$third-party -||revcontent.com^$third-party -||revdepo.com^$third-party -||revenue.com^$third-party -||revenuegiants.com^$third-party -||revenuehits.com^$third-party -||revenuemantra.com^$third-party -||revenuemax.de^$third-party -||revenuevids.com^$third-party -||revfusion.net^$third-party -||revgennetwork.com^$third-party -||revimedia.com^$third-party -||revmob.com^$third-party -||revnuehub.com^$third-party -||revokinets.com^$third-party -||revresda.com^$third-party -||revresponse.com^$third-party -||revrtb.com^$third-party -||revrtb.net^$third-party -||revsci.net^$third-party -||revstripe.com^$third-party -||rewardisement.com^$third-party -||rewardsaffiliates.com^$third-party -||rewartific.com^$third-party +||revbid.net^$third-party +||revenueflex.com^$third-party +||revive-adserver.net^$third-party ||reyden-x.com^$third-party -||reytata.ru^$third-party -||rfgsi.com^$third-party -||rfihub.net^$third-party ||rhombusads.com^$third-party -||rhown.com^$third-party -||rhythmcontent.com^$third-party -||rhythmxchange.com^$third-party -||ric-ric-rum.com^$third-party -||ricead.com^$third-party -||richmedia247.com^$third-party -||richwebmedia.com^$third-party -||ringtonematcher.com^$third-party -||ringtonepartner.com^$third-party -||riowrite.com^$third-party -||ripplead.com^$third-party -||riverbanksand.com^$third-party -||rixaka.com^$third-party -||rmxads.com^$third-party -||rnmd.net^$third-party -||ro88qcuy.com^$third-party -||robocat.me^$third-party -||rocketier.net^$third-party -||rocketyield.com^$third-party -||rockyou.net^$third-party -||rogueaffiliatesystem.com^$third-party -||roicharger.com^$third-party +||richads.com^$third-party +||richaudience.com^$third-party ||roirocket.com^$third-party -||rolinda.work^$third-party -||romance-net.com^$third-party -||rometroit.com^$third-party -||rosemand.pro^$third-party +||rollercoin.com^$third-party ||rotaban.ru^$third-party -||rotate4all.com^$third-party -||rotatingad.com^$third-party -||rotorads.com^$third-party -||rotumal.com^$third-party -||roughted.com^$third-party -||rovion.com^$third-party -||roxyaffiliates.com^$third-party -||rpts.org^$third-party -||rs-stripe.com^$third-party -||rtb-media.me^$third-party -||rtb-usync.com^$third-party -||rtbidder.net^$third-party -||rtbmedia.org^$third-party -||rtbnowads.com^$third-party -||rtbpop.com^$third-party -||rtbpops.com^$third-party -||rtk.io^$third-party -||rubiconproject.com^$third-party -||ruckusschroederraspberry.com^$third-party -||rue1mi4.bid^$third-party -||rummyaffiliates.com^$third-party -||run-syndicate.com^$third-party -||runadtag.com^$third-party -||runative-syndicate.com^$third-party -||runative.com^$third-party -||runmewivel.com^$third-party -||runreproducerow.com^$third-party -||rvtlife.com^$third-party -||rvttrack.com^$third-party -||rwpads.com^$third-party -||rxthdr.com^$third-party -||ryminos.com^$third-party -||s.adroll.com^$third-party -||s2block.com^$third-party -||s2blosh.com^$third-party -||s2d6.com^$third-party -||s7c66wkh8k.com^$third-party -||sa.entireweb.com^$third-party -||sa2eoqu.bid^$third-party -||safeadnetworkdata.net^$third-party -||safecllc.com^$third-party -||safelistextreme.com^$third-party -||sailif.com^$third-party -||sakura-traffic.com^$third-party -||salarity.info^$third-party -||salesnleads.com^$third-party -||saltamendors.com^$third-party +||rtbhouse.com^$third-party +||sabavision.com^$third-party ||salvador24.com^$third-party -||samvaulter.com^$third-party -||samvinva.info^$third-party -||saoboo.com^$third-party ||sape.ru^$third-party -||saple.net^$third-party -||satgreera.com^$third-party -||sationy.info^$third-party -||saturalist.com^$third-party -||saveads.net^$third-party -||saveads.org^$third-party -||sayadcoltd.com^$third-party -||saymedia.com^$third-party ||sba.about.co.kr^$third-party ||sbaffiliates.com^$third-party ||sbcpower.com^$third-party -||sblcjzjp.com^$third-party -||sbscribeme.com^$third-party -||sc-f6eade8.js^$third-party -||scanmedios.com^$third-party ||scanscout.com^$third-party +||scarlet-clicks.info^$third-party ||sceno.ru^$third-party -||schemic.top^$third-party ||scootloor.com^$third-party ||scrap.me^$third-party -||scratchaffs.com^$third-party -||scriptall.cf^$third-party -||scriptall.ga^$third-party -||scriptall.gq^$third-party -||scriptall.tk^$third-party -||search123.uk.com^$third-party -||seccoads.com^$third-party -||secondstreetmedia.com^$third-party -||secure-softwaremanager.com^$third-party -||secureboom.net^$third-party -||securesoft.info^$third-party -||securewebsiteaccess.com^$third-party -||securial.club^$third-party -||securitain.com^$third-party -||secursors.com^$third-party -||sedatorsinted.info^$third-party -||sedatorslegallock.info^$third-party ||sedoparking.com^$third-party -||seductionprofits.com^$third-party -||seecontentdelivery.info^$third-party -||seegamese.com^$third-party -||seekads.net^$third-party -||seethisinaction.com^$third-party -||seiya.work^$third-party -||sekindo.com^$third-party -||selectablemedia.com^$third-party +||seedtag.com^$third-party +||selectad.com^$third-party ||sellhealth.com^$third-party -||sellously.info^$third-party -||selloweb.com^$third-party ||selsin.net^$third-party -||semanticrep.com^$third-party -||sendptp.com^$third-party +||sendwebpush.com^$third-party ||sensible-ads.com^$third-party -||sensive.pro^$third-party -||senzapudore.net^$third-party -||septimus-kyr.com^$third-party -||sepyw.top^$third-party -||serialbay.com^$third-party -||seriend.com^$third-party -||seriousfiles.com^$third-party -||servali.net^$third-party -||serve-sys.com^$third-party +||servecontent.net^$third-party ||servedby-buysellads.com^$third-party,domain=~buysellads.com -||servedbyadbutler.com^$third-party -||servedbyopenx.com^$third-party ||servemeads.com^$third-party -||serverbid.com^$third-party -||serverflox.online^$third-party -||servicegetbook.net^$third-party -||serving-sys.com/BurstingPipe/$third-party -||serving-sys.com/BurstingRes/$third-party -||serving-sys.com/Serving?cn=display&$third-party -||serving-system.com^$third-party -||sethads.info^$third-party -||sev4ifmxa.com^$third-party -||sevenads.net^$third-party -||sevendaystart.com^$third-party -||sexmoney.com^$third-party -||sexohme.ru^$third-party -||seyfert.space^$third-party -||shakamech.com^$third-party -||shalleda.com^$third-party -||shallowschool.com^$third-party -||share-server.com^$third-party -||sharecash.org^$third-party -||sharegods.com^$third-party -||shareresults.com^$third-party +||sgbm.info^$third-party +||sharemedia.rs^$third-party ||sharethrough.com^$third-party ||shoofle.tv^$third-party ||shoogloonetwork.com^$third-party ||shopalyst.com^$third-party -||shoppanda.co^$third-party -||shoppingads.com^$third-party -||shopzyapp.com^$third-party ||showcasead.com^$third-party ||showyoursite.com^$third-party -||shqads.com^$third-party -||shr.fyi^$third-party -||shustona.info^$third-party -||siamzone.com^$third-party -||sielsmaats.com^$third-party -||signout.website^$third-party -||silence-ads.com^$third-party -||silstavo.com^$third-party -||silverads.net^$third-party +||shrinkearn.com^$third-party +||shrtfly.com^$third-party ||simpio.com^$third-party -||simply.com^$third-party +||simpletraffic.co^$third-party ||simplyhired.com^$third-party -||simvinvo.com^$third-party -||siniature.com^$third-party -||siradsalot.com^$third-party -||sirfad.com^$third-party -||sistacked.com^$third-party -||sitebrand.com^$third-party -||siteencore.com^$third-party -||sitescout.com^$third-party -||sitescoutadserver.com^$third-party +||sinogamepeck.com^$third-party +||sitemaji.com^$third-party ||sitesense-oo.com^$third-party ||sitethree.com^$third-party -||sittiad.com^$third-party ||skinected.com^$third-party -||skoovyads.com^$third-party -||skyactivate.com^$third-party +||skymedia.co.uk^$third-party ||skyscrpr.com^$third-party -||skytemjo.link^$third-party -||skytvonline.tv^$third-party -||skywarts.ru^$third-party ||slfpu.com^$third-party -||slfsmf.com^$third-party ||slikslik.com^$third-party ||slimspots.com^$third-party ||slimtrade.com^$third-party -||slinse.com^$third-party ||slopeaota.com^$third-party +||smac-ad.com^$third-party ||smac-ssp.com^$third-party ||smaclick.com^$third-party -||smart-feed-online.com^$third-party -||smart.allocine.fr^$third-party -||smart2.allocine.fr^$third-party ||smartad.ee^$third-party -||smartadserver.com^$third-party ||smartadtags.com^$third-party ||smartadv.ru^$third-party -||smartclip.net^$third-party -||smartdevicemedia.com^$third-party -||smarterdownloads.net^$third-party +||smartasset.com^$third-party +||smartclip.net^$third-party,domain=~toggo.de +||smartico.one^$third-party ||smartredirect.de^$third-party -||smarttargetting.co.uk^$third-party -||smarttargetting.com^$third-party ||smarttargetting.net^$third-party -||smarttds.ru^$third-party ||smartyads.com^$third-party +||smashpops.com^$third-party ||smilered.com^$third-party -||smilewanted.com^$third-party ||smileycentral.com^$third-party -||smilyes4u.com^$third-party -||smintmouse.com^$third-party -||smothere.pro^$third-party +||smljmp.com^$third-party ||smowtion.com^$third-party ||smpgfx.com^$third-party -||smrt-view.com^$third-party -||sms-mmm.com^$third-party -||sn00.net^$third-party ||snack-media.com^$third-party -||snap.com^$third-party -||snapvine.club^$third-party ||sndkorea.co.kr^$third-party +||sni.ps^$third-party +||snigelweb.com^$third-party ||so-excited.com^$third-party -||soagitet.net^$third-party +||soalouve.com^$third-party ||sochr.com^$third-party ||socialbirth.com^$third-party ||socialelective.com^$third-party @@ -34455,15168 +45752,4824 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||socialmedia.com^$third-party ||socialreach.com^$third-party ||socialspark.com^$third-party -||society6.com^$third-party -||sociocast.com^$third-party -||sociomantic.com^$third-party -||sodud.com^$third-party -||soft4dle.com^$third-party -||softonicads.com^$third-party -||softpopads.com^$third-party -||softwares2015.com^$third-party -||sokitosa.com^$third-party -||solapoka.com^$third-party -||solarmosa.com^$third-party -||solihullah.info^$third-party -||solocpm.com^$third-party -||solutionzip.info^$third-party -||somatodrol.club^$third-party -||sombes.com^$third-party -||sonnerie.net^$third-party +||soicos.com^$third-party ||sonobi.com^$third-party -||soosooka.com^$third-party -||sophiasearch.com^$third-party -||sotuktraffic.com^$third-party -||soukou.club^$third-party -||sparkstudios.com^$third-party +||sovrn.com^$third-party +||sparteo.com^$third-party ||speakol.com^$third-party -||specificclick.net^$third-party -||specificmedia.com^$third-party -||spectato.com^$third-party -||speculese.com^$third-party -||speeb.com^$third-party -||speednetwork14.com^$third-party -||speednetwork19.com^$third-party -||speedserver.top^$third-party -||speedshiftmedia.com^$third-party -||speedsuccess.net^$third-party -||spider.ad^$third-party -||spiderhood.net^$third-party -||spinbox.freedom.com^$third-party -||spinbox.net^$third-party ||splinky.com^$third-party ||splut.com^$third-party -||spmxs.com^$third-party -||spondenced.com^$third-party -||spondenced.info^$third-party -||spongecell.com^$third-party -||sponsoredby.me^$third-party +||spokeoaffiliates.com^$third-party +||spolecznosci.net^$third-party ||sponsoredtweets.com^$third-party -||sponsormob.com^$third-party -||sponsorpalace.com^$third-party -||sponsorpay.com^$third-party -||sponsorselect.com^$third-party -||sportslovin.com^$third-party -||sportsyndicator.com^$third-party -||spotrails.com^$third-party -||spotscenered.info^$third-party -||spottt.com^$third-party -||spottysense.com^$third-party +||spotible.com^$third-party ||spotx.tv^$third-party -||spotxcdn.com^$third-party -||spotxchange.com^$third-party -||spoutable.com^$third-party -||sprawley.com^$third-party -||springserve.com^$third-party +||springify.io^$third-party +||springserve.com^$~media,third-party ||sprintrade.com^$third-party -||sprkl.io^$third-party -||sproose.com^$third-party -||spyoff.com^$third-party -||sq2trk2.com^$third-party -||squartedo.info^$third-party -||squarterun.com^$third-party -||srcsmrtgs.com^$third-party -||srtk.net^$third-party -||srv.yavli.com^$third-party -||srx.com.sg^$third-party -||ssl-services.com^$third-party -||ssl2anyone4.com^$third-party -||ssl4anyone2.com^$third-party -||ssl4anyone5.com^$third-party -||sslboost.com^$third-party -||sslcheckerapi.com^$third-party -||sta-ads.com^$third-party -||stabilityappointdaily.xyz^$third-party -||stabletrappeddevote.info^$third-party -||stackadapt.com^$third-party -||stackattacka.com^$third-party -||stagingjobshq.com^$third-party -||stalesplit.com^$third-party -||standartads.com^$third-party -||star-advertising.com^$third-party -||stargamesaffiliate.com^$third-party -||starlayer.com^$third-party -||startpagea.com^$third-party -||startraint.com^$third-party -||stat-rock.com^$third-party -||statcamp.net^$third-party -||statecannoticed.com^$third-party -||statelead.com^$third-party -||statesol.net^$third-party -||staticswind.club^$third-party -||statsforads.com^$third-party -||statsmobi.com^$third-party -||stealthlockers.com^$third-party -||steepto.com^$third-party -||stencee.com^$third-party -||stencef.com^$third-party -||step-step-go.com^$third-party -||stickyadstv.com^$third-party -||stocker.bonnint.net^$third-party -||streamate.com^$third-party +||sprout-ad.com^$third-party +||ssm.codes^$third-party +||starti.pl^$third-party +||statsperformdev.com^$third-party +||stratos.blue^$third-party ||streamdefence.com^$third-party -||streamdownloadonline.com^$third-party -||stresune.info^$third-party ||strikead.com^$third-party -||structos.info^$third-party +||strossle.com^$third-party ||struq.com^$third-party -||style-eyes.eu^$third-party -||subemania.com^$third-party +||styleui.ru^$third-party +||subendorse.com^$third-party ||sublimemedia.net^$third-party -||submissing.com^$third-party ||submitexpress.co.uk^$third-party -||suffusefacultytsunami.info^$third-party -||sugarlistsuggest.info^$third-party -||suggesttool.com^$third-party +||succeedscene.com^$third-party,xmlhttprequest ||suite6ixty6ix.com^$third-party ||suitesmart.com^$third-party -||sulidshyly.com^$third-party ||sulvo.co^$third-party ||sumarketing.co.uk^$third-party ||sunmedia.net^$third-party -||sunrisewebjo.link^$third-party -||suparewards.com^$third-party -||super-links.net^$third-party ||superadexchange.com^$third-party -||superfastcdn.com^$third-party -||superinterstitial.com^$third-party -||superippo.com^$third-party -||superloofy.com^$third-party -||supersitetime.com^$third-party -||superwebs.pro^$third-party -||supprent.com^$third-party -||supremeadsonline.com^$third-party +||superonclick.com^$third-party +||supersonicads.com^$third-party +||supletcedintand.pro^$third-party +||supplyframe.com^$third-party ||supuv2.com^$third-party ||surf-bar-traffic.com^$third-party -||surfboarddigital.com.au^$third-party +||surfe.pro^$third-party ||surgeprice.com^$third-party -||survey-poll.com^$third-party -||surveyvalue.mobi^$third-party -||surveyvalue.net^$third-party -||surveywidget.biz^$third-party -||suthome.com^$third-party ||svlu.net^$third-party -||sw1block.com^$third-party -||sw2block.com^$third-party -||swadvertising.org^$third-party -||swallsix.info^$third-party ||swbdds.com^$third-party -||sweeterge.info^$third-party ||swelen.com^$third-party ||switchadhub.com^$third-party ||swoop.com^$third-party -||symbiosting.com^$third-party -||syndicatedsearchresults.com^$third-party -||synerpattern.com^$third-party -||synhandler.net^$third-party -||t3q7af0z.com^$third-party -||tabici.com^$third-party -||tabunder.com^$third-party -||tacastas.com^$third-party +||swpsvc.com^$third-party +||synkd.life^$third-party ||tacoda.net^$third-party ||tacrater.com^$third-party ||tacticalrepublic.com^$third-party ||tafmaster.com^$third-party ||tagbucket.cc^$third-party -||tagcade.com^$third-party +||tagdeliver.com^$third-party ||tagdelivery.com^$third-party ||taggify.net^$third-party ||tagjunction.com^$third-party -||tagshost.com^$third-party ||tailsweep.com^$third-party -||tainiesonline.fun^$third-party -||takensparks.com^$third-party +||takeads.com^$third-party ||talaropa.com^$third-party -||talk2none.com^$third-party ||tangozebra.com^$third-party -||tapad.com^$third-party +||tanx.com^$third-party ||tapinfluence.com^$third-party ||tapnative.com^$third-party ||tardangro.com^$third-party -||targetadverts.com^$third-party -||targeterra.info^$third-party ||targetnet.com^$third-party ||targetpoint.com^$third-party ||targetspot.com^$third-party -||tataget.ru^$third-party -||tattomedia.com^$third-party ||tbaffiliate.com^$third-party -||tcadops.ca^$third-party -||tchhelpdmn.xyz^$third-party -||td553.com^$third-party -||td563.com^$third-party -||td583.com^$third-party -||tdmd.us^$third-party -||tdntrack.com^$third-party -||tdsjsext.com^$third-party -||teads.tv^$third-party -||teambetaffiliates.com^$third-party ||teasernet.com^$third-party -||tebo0o2xw4.com^$third-party -||tec-tec-boom.com^$third-party -||techclicks.net^$third-party -||technoratimedia.com^$third-party -||teensexgfs.com^$third-party -||teesheel.net^$third-party -||telemetryverification.net^$third-party -||telwrite.com^$third-party -||tennerlist.com^$third-party -||teosredic.com^$third-party -||teracent.net^$third-party -||teracreative.com^$third-party -||teraxhif.com^$third-party -||terraclicks.com^$third-party -||terrapush.com^$third-party ||terratraf.com^$third-party -||teschenite.com^$third-party ||testfilter.com^$third-party ||testnet.nl^$third-party -||teutorigos-cat.com^$third-party -||texasboston.com^$third-party ||text-link-ads.com^$third-party -||textonlyads.com^$third-party -||textsrv.com^$third-party -||tfag.de^$third-party -||tfuyqoxs.com^$third-party -||tgmnstr.com^$third-party ||tgtmedia.com^$third-party -||thaez4sh.com^$third-party -||thangasoline.com^$third-party -||tharbadir.com^$third-party -||thdragate.info^$third-party -||theadgateway.com^$third-party -||theads.me^$third-party -||thebannerexchange.com^$third-party -||thebflix.info^$third-party -||theequalground.info^$third-party -||theersoa.net^$third-party -||thefoxes.ru^$third-party -||thelistassassin.com^$third-party -||theloungenet.com^$third-party -||themidnightmatulas.com^$third-party -||theodosium.com^$third-party -||theonecdn.com^$third-party -||thepiratereactor.net^$third-party -||therneserutybin.info^$third-party -||therubiqube.com^$third-party -||thewebgemnetwork.com^$third-party -||thewheelof.com^$third-party -||thewhizmarketing.com^$third-party -||thisiswaldo.com^$third-party -||thoseads.com^$third-party -||thoughtleadr.com^$third-party -||thoughtsondance.info^$third-party -||ti583.com^$third-party -||tiberowheddidn.info^$third-party -||ticrite.com^$third-party -||tidaltv.com^$third-party -||tightexact.net^$third-party -||tiller.co^$third-party -||tinbuadserv.com^$third-party -||tisadama.com^$third-party -||tiser.com^$third-party -||tissage-extension.com^$third-party -||titranco.info^$third-party -||tkqlhce.com/image-$third-party -||tkqlhce.com/placeholder-$third-party -||tldadserv.com^$third-party +||themoneytizer.com^$third-party +||tkqlhce.com/image- +||tkqlhce.com/placeholder- ||tlvmedia.com^$third-party -||tmdn2015x9.com^$third-party -||tmpopenclose.click^$third-party -||tmqhw.us^$third-party ||tmtrck.com^$third-party -||tnyzin.ru^$third-party -||toads.id^$third-party -||toalhjpw.com^$third-party -||toboads.com^$third-party -||todich.ru^$third-party -||togroltu.net^$third-party -||tokenads.com^$third-party -||tolethembehisy.club^$third-party ||tollfreeforwarding.com^$third-party -||tomekas.com^$third-party ||tonefuse.com^$third-party -||tool-site.com^$third-party -||top26.net^$third-party -||topacity.info^$third-party -||topad.mobi^$third-party -||topauto10.com^$third-party -||topbananaad.com^$third-party -||topcasino10.com^$third-party -||topclickguru.com^$third-party -||topeuro.biz^$third-party -||topfox.co.uk^$third-party -||tophotoffers.com^$third-party -||topqualitylink.com^$third-party -||torads.me^$third-party -||torads.xyz^$third-party -||torconpro.com^$third-party -||torerolumiere.net^$third-party -||toro-tags.com^$third-party +||topadvert.ru^$third-party ||toroadvertising.com^$third-party -||toroadvertisingmedia.com^$third-party -||torrida.net^$third-party -||torrpedoads.net^$third-party -||torvind.com^$third-party -||tostickad.com^$third-party -||total-media.net^$third-party -||totalprofitplan.com^$third-party -||totdorancaltert.club^$third-party -||totemcash.com^$third-party -||towardstelephone.com^$third-party -||tower-colocation.de^$third-party -||tower-colocation.info^$third-party -||tpn134.com^$third-party -||tpnads.com^$third-party -||tqlkg.com^$third-party -||tqlkg.net^$third-party -||tr563.com^$third-party -||traceadmanager.com^$third-party -||trackadvertising.net^$third-party -||trackaffpix.com^$third-party -||trackcorner.com^$third-party -||tracking.to^$third-party -||tracking101.com^$third-party -||tracking11.com^$third-party -||trackingoffer.info^$third-party -||trackingoffer.net^$third-party -||tracklab.club^$third-party -||trackpath.biz^$third-party -||trackpromotion.net^$third-party -||trackstarsengland.net^$third-party -||trackthatad.com^$third-party -||tracktor.co.uk^$third-party ||trackuity.com^$third-party -||trackvoluum.com^$third-party -||trackword.net^$third-party -||trackyourlinks.com^$third-party -||tradeadexchange.com^$third-party +||tradedoubler.com^$third-party ||tradeexpert.net^$third-party -||tradepopups.com^$third-party -||traff-advertazer.com^$third-party -||traffads.su^$third-party +||tradplusad.com^$third-party ||traffboost.net^$third-party +||traffer.net^$third-party ||traffic-media.co.uk^$third-party -||traffic-media.co^$third-party ||traffic-supremacy.com^$third-party ||traffic2bitcoin.com^$third-party ||trafficadbar.com^$third-party -||trafficbarads.com^$third-party -||trafficbee.com^$third-party -||trafficbroker.com^$third-party -||trafficfabrik.com^$third-party -||trafficfactory.biz^$third-party ||trafficforce.com^$third-party -||trafficformoney.com^$third-party ||traffichaus.com^$third-party -||trafficjunky.net^$third-party -||trafficmasterz.net^$third-party -||trafficmp.com^$third-party -||trafficposse.com^$third-party -||trafficrevenue.net^$third-party +||trafficjunky.com^$third-party ||trafficsan.com^$third-party -||trafficspaces.net^$third-party ||trafficswarm.com^$third-party -||trafficsway.com^$third-party -||trafficsynergy.com^$third-party -||traffictrader.net^$third-party -||trafficular.com^$third-party -||trafficvance.com^$third-party ||trafficwave.net^$third-party -||trafficz.com^$third-party ||trafficzap.com^$third-party -||traffirms.com^$third-party -||trafforsrv.com^$third-party ||trafmag.com^$third-party -||trahic.ru^$third-party -||traktrafficflow.com^$third-party -||trapasol.com^$third-party -||traveladvertising.com^$third-party -||travelscream.com^$third-party -||travidia.com^$third-party -||traviously.pro^$third-party -||tredirect.com^$third-party -||treksol.net^$third-party -||trenpyle.com^$third-party -||triadmedianetwork.com^$third-party -||tribalfusion.com^$third-party -||tributedz.com^$third-party -||trido.club^$third-party -||trigami.com^$third-party ||trigr.co^$third-party -||trimpur.com^$third-party -||tripedrated.xyz^$third-party -||trk4.com^$third-party -||trkalot.com^$third-party -||trkclk.net^$third-party +||triplelift.com^$third-party ||trker.com^$third-party -||trklnks.com^$third-party -||trklvs.com^$third-party -||trkrdel.com^$third-party -||trks.us^$third-party -||trktrk011.com^$third-party -||trmit.com^$third-party -||trombocrack.com^$third-party -||trtrccl.com^$third-party -||truefilen32.com^$third-party -||truesecurejump.com^$third-party -||truex.com^$third-party -||trustaffs.com^$third-party ||trustx.org^$third-party -||trygen.co.uk^$third-party -||trymynewspirit.com^$third-party -||trzi30ic.com^$third-party -||tsitraty.ru^$third-party -||tsyndicate.com^$third-party -||ttzmedia.com^$third-party -||tubberlo.com^$third-party +||trytada.com^$third-party ||tubeadvertising.eu^$third-party -||tubemogul.com^$third-party -||tubereplay.com^$third-party -||tumri.net^$third-party -||turboadv.com^$third-party -||turbotraff.com^$third-party -||turbotraff.net^$third-party -||turn.com^$third-party -||tusno.com^$third-party -||tut-64.com^$third-party -||tutvp.com^$third-party -||tvas-a.pw^$third-party -||tvas-c.pw^$third-party -||tvprocessing.com^$third-party -||twalm.com^$third-party -||tweard.com^$third-party -||tweightment.pro^$third-party -||tweowhvrim.review^$third-party -||twinpinenetwork.com^$third-party -||twistads.com^$third-party -||twittad.com^$third-party -||twtad.com^$third-party +||twads.gg^$third-party ||tyroo.com^$third-party -||tzode.com^$third-party -||u-ad.info^$third-party -||u1hw38x0.com^$third-party -||u223o.com^$third-party -||u8vysb7s2v.com^$third-party ||ubercpm.com^$third-party -||ubudigital.com^$third-party -||ucaluco.com^$third-party -||ucoxa.work^$third-party -||udarem.com^$third-party -||udmlkmzjkob.co^$third-party -||udmserve.net^$third-party -||ueuerea.com^$third-party -||ufpcdn.com^$third-party -||ugaral.com^$third-party -||ughus.com^$third-party -||uglyst.com^$third-party -||ugrastes.uk^$third-party -||uhappine.com^$third-party -||uharded.com^$third-party -||uiadserver.com^$third-party -||uiqatnpooq.com^$third-party -||ujieva.com^$third-party -||ukbanners.com^$third-party -||ukulelead.com^$third-party -||ulife17yeter.com^$third-party -||ulnawoyyzbljc.ru^$third-party -||ultimategracelessness.info^$third-party -||umamdmo.com^$third-party -||umebiggestern.club^$third-party -||unanimis.co.uk^$third-party -||unaturing.info^$third-party -||underclick.ru^$third-party -||underdog.media^$third-party +||ultrapartners.com^$third-party +||unblockia.com^$third-party ||undertone.com^$third-party -||undousun.com^$third-party -||undrininvereb.info^$third-party -||ungstlateriag.club^$third-party -||unhardward.com^$third-party -||unicast.com^$third-party -||unifini.de^$third-party -||unitethecows.com^$third-party -||universityofinternetscience.com^$third-party -||unknownads.com^$third-party -||unlockr.com^$third-party -||unrestery.info^$third-party -||unrulymedia.com^$third-party -||unterary.com^$third-party -||untidyquestion.com^$third-party -||upads.info^$third-party -||upliftsearch.com^$third-party -||uprimp.com^$third-party -||upstained.com^$third-party -||uptimecdn.com^$third-party -||urbation.net^$third-party -||ureace.com^$third-party -||uriqirelle.xyz^$third-party -||urlads.net^$third-party +||unibots.in^$third-party +||unibotscdn.com^$third-party ||urlcash.net^$third-party -||urldelivery.com^$third-party -||usbanners.com^$third-party ||usemax.de^$third-party ||usenetjunction.com^$third-party -||usenetpassport.com^$third-party -||usercash.com^$third-party -||uspostly.info^$third-party -||usswrite.com^$third-party -||usurv.com^$third-party -||utarget.co.uk^$third-party -||utarget.ru^$third-party -||utokapa.com^$third-party -||utubeconverter.com^$third-party -||uwonderful.ru^$third-party -||v.fwmrm.net^$object-subrequest,third-party -||v.movad.de^$third-party -||v11media.com^$third-party -||v1n7c.com^$third-party -||v2cigs.com^$third-party -||v2mlblack.biz^$third-party -||v3g4s.com^$third-party -||vacaneedasap.com^$third-party -||vadpay.com^$third-party +||usepanda.com^$third-party +||utherverse.com^$third-party ||validclick.com^$third-party ||valuead.com^$third-party -||valueaffiliate.net^$third-party -||valueclick.com^$third-party -||valueclick.net^$third-party -||valueclickmedia.com^$third-party ||valuecommerce.com^$third-party -||valuecontent.net^$third-party -||vamartin.work^$third-party -||vapedia.com^$third-party -||variablefitness.com^$third-party -||vartoken.com^$third-party -||vashoot.com^$third-party -||vastopped.com^$third-party -||vcmedia.com^$third-party -||vcommission.com^$third-party -||vdbhe7ti.com^$third-party -||vdopia.com^$third-party -||vectorstock.com^$third-party -||vedohd.org^$third-party -||vellde.com^$third-party -||velmedia.net^$third-party -||velocecdn.com^$third-party -||velocitycdn.com^$third-party +||vdo.ai^$third-party ||velti.com^$third-party -||vemba.com^$third-party ||vendexo.com^$third-party -||venturead.com^$third-party -||venusbux.com^$third-party ||veoxa.com^$third-party -||verata.xyz^$third-party -||verblife-2.co^$third-party -||verblife-3.co^$third-party -||versahq.com^$third-party -||versetime.com^$third-party -||vertamedia.com^$third-party ||vertismedia.co.uk^$third-party -||vestlitt.online^$third-party -||vhmnetwork.com^$third-party -||vianadserver.com^$third-party -||vibrant.co^$third-party +||viads.com^$third-party +||viads.net^$third-party ||vibrantmedia.com^$third-party -||victorance.com^$third-party -||vid7delivery.com^$third-party -||vidcoin.com^$third-party -||vidcpm.com^$third-party -||video-loader.com^$third-party -||video1404.info^$third-party -||videoadex.com^$third-party -||videoclick.ru^$third-party -||videodeals.com^$third-party -||videoegg.com^$third-party -||videohub.com^$third-party -||videohube.eu^$third-party -||videoindigen.com^$third-party -||videolansoftware.com^$third-party -||videoliver.com^$third-party -||videologygroup.com^$third-party -||videoplayerhub.com^$third-party -||videoplaza.com^$object-subrequest,third-party,domain=autoexpress.co.uk|evo.co.uk|givemefootball.com|mensfitness.co.uk|mpora.com|tribalfootball.com -||videoplaza.com^$~object-subrequest,third-party -||videoplaza.tv/proxy/distributor^$object-subrequest,third-party -||videoplaza.tv^$object-subrequest,third-party,domain=tv4play.se -||videoplaza.tv^$~object-subrequest,third-party +||videoo.tv^$third-party ||videoroll.net^$third-party -||videovfr.com^$third-party -||vidpay.com^$third-party -||vidsdelivery.com^$third-party -||viedeo2k.tv^$third-party -||view-ads.de^$third-party -||view.atdmt.com/partner/$third-party -||view.atdmt.com^*/iview/$third-party -||view.atdmt.com^*/view/$third-party -||viewablemedia.net^$third-party -||viewclc.com^$third-party -||viewex.co.uk^$third-party -||viewivo.com^$third-party -||vihub.ru^$third-party -||vindicosuite.com^$third-party -||vinterrals.info^$third-party -||vipquesting.com^$third-party -||viral782.com^$third-party -||viralcpm.com^$third-party -||viralmediatech.com^$third-party -||visiads.com^$third-party -||visiblegains.com^$third-party -||visiblemeasures.com^$~object-subrequest,third-party -||visitdetails.com^$third-party -||visitweb.com^$third-party -||visualsteel.net^$third-party -||vitalads.net^$third-party -||vivadgo.ru^$third-party -||vivamob.net^$third-party -||vixnixxer.com^$third-party -||vkoad.com^$third-party -||vntsm.com^$third-party -||voameque.com^$third-party -||voaroawo.net^$third-party -||vodexor.us^$third-party -||vogo-vogo.ru^$third-party -||vogosita.com^$third-party -||vogozaw.ru^$third-party -||voipnewswire.net^$third-party -||voodoo.com^$third-party -||vovhiwr.com^$third-party -||vpico.com^$third-party -||vrtzads.com^$third-party -||vs20060817.com^$third-party -||vs4entertainment.com^$third-party -||vs4family.com^$third-party -||vsservers.net^$third-party -||vth05dse.com^$third-party -||vuiads.de^$third-party -||vuiads.info^$third-party -||vuiads.net^$third-party -||vukhhjzd.com^$third-party +||vidoomy.com^$third-party +||vidverto.io^$third-party +||viewtraff.com^$third-party +||vlyby.com^$third-party ||vupulse.com^$third-party -||vuuwd.com^$third-party -||w00f.net^$third-party -||w00tads.com^$third-party ||w00tmedia.net^$third-party -||w3bnr.in^$third-party -||w3exit.com^$third-party -||w4.com^$third-party -||w5statistics.info^$third-party -||w9statistics.info^$third-party -||waeasin.info^$third-party -||wafmedia3.com^$third-party -||wafmedia5.com^$third-party -||wafmedia6.com^$third-party -||waframedia20.com^$third-party -||waframedia3.com^$third-party -||waframedia5.com^$third-party -||waframedia7.com^$third-party -||waframedia8.com^$third-party -||wagershare.com^$third-party -||wahoha.com^$third-party -||wallstrads.com^$third-party -||walternsa.com^$third-party -||walternse.com^$third-party -||wamnetwork.com^$third-party -||wangfenxi.com^$third-party -||wantcannabis.ca^$third-party -||waploft.cc^$third-party -||waploft.com^$third-party -||wapoawoo.net^$third-party -||warezlayer.to^$third-party -||warfacco.com^$third-party -||warpwrite.com^$third-party -||wat.freesubdom.com^$third-party -||wat.ipowerapps.com^$third-party -||watchfree.flv.in^$third-party -||watchingthat.com^$third-party -||watchingthat.net^$third-party -||watchnowlive.eu^$third-party -||wateristian.com^$third-party -||wauzoust.com^$third-party -||waveview.info^$third-party -||waycash.net^$third-party -||waymp.com^$third-party -||wbdds.com^$third-party -||wbpal.com^$third-party -||wbptqzmv.com^$third-party -||wcmcs.net^$third-party -||wcpanalytics.com^$third-party -||wdaxvjr9dc.com^$third-party -||weadrevenue.com^$third-party -||web-adservice.com^$third-party -||web-bird.jp^$third-party -||webads.co.nz^$third-party +||web3ads.net^$third-party ||webads.nl^$third-party -||webadvertise123.com^$third-party -||webcontentassessor.com^$third-party -||webcontentdelivery.info^$third-party -||webeatyouradblocker.com^$third-party -||webmasterspub.com^$third-party -||webmedia.co.il^$third-party -||webonlinnew.com^$third-party +||webgains.com^$third-party ||weborama.fr^$third-party -||weborama.io^$third-party -||webpushcloud.info^$third-party -||webseeds.com^$third-party -||webtradehub.com^$third-party -||webtraffic.ttinet.com^$third-party -||webusersurvey.com^$third-party -||weedazou.net^$third-party -||wegetpaid.net^$third-party -||wegotmedia.com^$third-party -||wellturnedpenne.info^$third-party -||werbe-sponsor.de^$third-party -||westatess.info^$third-party -||wfnetwork.com^$third-party -||wgreatdream.com^$third-party -||wgwmwtmyklhzsudqadc.com^$third-party -||wh5kb0u4.com^$third-party -||where.com^$third-party -||whistorica.info^$third-party -||whiteboardnez.com^$third-party -||whoads.net^$third-party -||whs82908.com^$third-party -||whtsrv9.com^$third-party -||whukroal.net^$third-party -||why-outsource.net^$third-party -||widget.yavli.com^$third-party -||widgetadvertising.biz^$third-party -||widgetbanner.mobi^$third-party -||widgetbucks.com^$third-party -||widgetlead.net^$third-party -||widgets.fccinteractive.com^$third-party -||widgetsurvey.biz^$third-party -||widgetvalue.net^$third-party -||widgetwidget.mobi^$third-party -||wigetmedia.com^$third-party -||wigetstudios.com^$third-party -||winbuyer.com^$third-party -||windgetbook.info^$third-party -||windowne.info^$third-party -||wingads.com^$third-party -||winsspeeder.info^$third-party -||witalfieldt.com^$third-party -||wkiuklpbsr.com^$third-party +||webshark.pl^$third-party +||webtrafic.ru^$third-party +||webwap.org^$third-party +||whatstheword.co^$third-party +||whizzco.com^$third-party ||wlmarketing.com^$third-party -||wltoyqyynkbcc.com^$third-party -||wmeter.ru^$third-party ||wmmediacorp.com^$third-party -||wnp.com^$third-party -||wonclick.com^$third-party -||wootmedia.net^$third-party -||wordbankads.com^$third-party ||wordego.com^$third-party -||wordgetboo.com^$third-party -||workably.club^$third-party -||workablyr.info^$third-party -||worlddatinghere.com^$third-party -||worldsearchpro.com^$third-party -||worldwidemailer.com^$third-party ||worthathousandwords.com^$third-party -||worthyadvertising.com^$third-party -||ws-gateway.com^$third-party -||wsp.mgid.com^ -||wulium.com^$third-party -||wurea.com^$third-party -||wwbn.com^$third-party -||wwv4ez0n.com^$third-party -||www-protection.com^$third-party -||wwwadcntr.com^$third-party -||wwwp.link^$third-party -||wwwpromoter.com^$third-party -||wziftlp.com^$third-party -||x.fidelity-media.com^$third-party -||x.mochiads.com^$third-party -||x107nqa.com^$third-party -||x4300tiz.com^$third-party -||x8bhr.com^$third-party -||xad.com^$third-party -||xadcentral.com^$third-party -||xameleonads.com^$third-party -||xaxoro.com^$third-party -||xcelltech.com^$third-party -||xcelsiusadserver.com^$third-party -||xchangebanners.com^$third-party -||xdev.info^$third-party -||xdirectx.com^$third-party -||xeontopa.com^$third-party -||xfileload.com^$third-party -||xfs5yhr1.com^$third-party -||xghfi97mk6.com^$third-party -||xgraph.net^$third-party -||xjfjx8hw.com^$third-party -||xmasdom.com^$third-party -||xmaswrite.com^$third-party -||xmlconfig.ltassrv.com^$third-party +||wwads.cn^$third-party ||xmlmonetize.com^$third-party -||xmlwizard.com^$third-party -||xnkmmbfpyokevaxsjtky.com^$third-party -||xoalt.com^$third-party -||xs.mochiads.com^$third-party -||xtcie.com^$third-party -||xtendadvert.com^$third-party +||xmtrading.com^$third-party ||xtendmedia.com^$third-party -||xubob.com^$third-party -||xwwmhfbikx.net^$third-party -||xx00.info^$third-party -||xxlink.net^$third-party -||xyzzyxxyzzyx.com^$third-party -||ya88s1yk.com^$third-party -||yabuka.com^$third-party -||yadomedia.com^$third-party -||yambotan.ru^$third-party -||yashi.com^$third-party -||yathmoth.com^$third-party -||yawnedgtuis.org^$third-party -||yb0t.com^$third-party -||ycasmd.info^$third-party -||yceml.net^$third-party -||yeabble.com^$third-party -||yellads.com^$third-party -||yellorun.com^$third-party -||yellowacorn.net^$third-party -||yellowmango.eu^$third-party -||yeo1tfjz5f.com^$third-party -||yepoints.net^$third-party -||yes-messenger.com^$third-party -||yesadsrv.com^$third-party -||yesnexus.com^$third-party -||yesobe.work^$third-party -||ygfbto.com^$third-party -||yieldads.com^$third-party -||yieldadvert.com^$third-party -||yieldbuild.com^$third-party +||yeloads.com^$third-party ||yieldkit.com^$third-party -||yieldlab.net^$third-party ||yieldlove.com^$third-party -||yieldmanager.com^$third-party -||yieldmanager.net^$third-party -||yieldoptimizer.com^$third-party -||yieldselect.com^$third-party -||yieldtraffic.com^$third-party -||yieldx.com^$third-party -||yiq6p.com^$third-party -||yjxuda0oi.com^$third-party -||yldbt.com^$third-party -||yldmgrimg.net^$third-party +||yieldmo.com^$third-party ||yllix.com^$third-party -||ylx-1.com^$third-party -||ylx-2.com^$third-party -||ylx-3.com^$third-party -||ylx-4.com^$third-party -||ymads.com^$third-party -||yoc-adserver.com^$third-party -||yottacash.com^$third-party -||youcandoitwithroi.com^$third-party -||youlamedia.com^$third-party -||youlouk.com^$third-party -||your-tornado-file.com^$third-party -||your-tornado-file.org^$third-party -||youradexchange.com^$third-party -||yourfastpaydayloans.com^$third-party -||yourlegacy.club^$third-party -||youroffers.win^$third-party -||yourquickads.com^$third-party -||youwatchtools.com^$third-party -||ypreferred.com^$third-party -||ytsa.net^$third-party -||yuarth.com^$third-party -||yucce.com^$third-party -||yuhuads.com^$third-party -||yumenetworks.com^$third-party -||yunshipei.com^$third-party -||yupfiles.club^$third-party -||yupfiles.net^$third-party -||yupfiles.org^$third-party -||yvoria.com^$third-party -||yxrxd.com^$third-party -||yz56lywd.com^$third-party -||yz740.com^$third-party -||yzrnur.com^$third-party -||yzus09by.com^$third-party -||z-defense.com^$third-party -||z-gbtlfibnw.co^$third-party -||z5x.net^$third-party -||zafrc.5780.site^$third-party -||zangocash.com^$third-party +||yourfirstfunnelchallenge.com^$third-party ||zanox-affiliate.de/ppv/$third-party ||zanox.com/ppv/$third-party -||zanyx.club^$third-party ||zap.buzz^$third-party -||zaparena.com^$third-party -||zappy.co.za^$third-party -||zapstorage.xyz^$third-party -||zapunited.com^$third-party -||zavu.work^$third-party -||zde-engage.com^$third-party -||zeads.com^$third-party ||zedo.com^$third-party -||zeesiti.com^$third-party ||zemanta.com^$third-party -||zenoviaexchange.com^$third-party -||zenoviagroup.com^$third-party -||zercstas.com^$third-party -||zerezas.com^$third-party ||zeropark.com^$third-party -||zerozo.work^$third-party -||zferral.com^$third-party -||zidae.com^$third-party -||zidedge.com^$third-party ||ziffdavis.com^$third-party -||zipropyl.com^$third-party -||zisboombah.net^$third-party -||zjk24.com^$third-party -||zm232.com^$third-party -||znaptag.com^$third-party -||zoglafi.info^$third-party -||zompmedia.com^$third-party -||zonealta.com^$third-party -||zonplug.com^$third-party -||zoocauvo.net^$third-party -||zoomdirect.com.au^$third-party -||zorwrite.com^$third-party -||zugo.com^$third-party -||zukxd6fkxqn.com^$third-party -||zumcontentdelivery.info^$third-party ||zwaar.org^$third-party -||zxxds.net^$third-party -||zyiis.net^$third-party -||zylstina.xyz^$third-party -||zypenetwork.com^$third-party -! Document blocks -||cbbp1.com^$document -||clk-can.com^$document -||clk-sec.com^$document -||dianomi.com^$document -||discoverredirect.com^$document -||dolohen.com^$document -||edchargina.pro^$document -||feadrope.net^$document -||flix16.com^$document -||gdmconvtrck.com^$document -||hutrcksp.com^$document -||iyfnzgb.com^$document -||mellodur.net^$document -||oiycak.com^$document -||otnolabttmup.com^$document -||parronnotandone.info^$document -||redirectgang.com^$document -||rsalcdp.com^$document -||rtmark.net^$document -||rtpdn10.com^$document -||runtnc.net^$document -||securesmrt-dt.com^$document -||syndication.exosrv.com^$document -||yvsystem.com^$document +! Chinese google (https://github.com/easylist/easylist/issues/15643) +||2mdn-cn.net^ +||admob-cn.com^ +||doubleclick-cn.net^ +||googleads-cn.com^ +||googleadservices-cn.com^ +||googleadsserving.cn^ +||googlevads-cn.com^ +! ad-shield https://github.com/uBlockOrigin/uAssets/issues/26681 +||00701059.xyz^ +||00771944.xyz^ +||00857731.xyz^ +||01045395.xyz^ +||02777e.site^ +||03180d2d.live^ +||0395d1.xyz^ +||04424170.xyz^ +||05420795.xyz^ +||05454674.xyz^ +||05751c.site^ +||072551.xyz^ +||07421283.xyz^ +||076f66b2.live^ +||07e197.site^ +||08f8f073.xyz^ +||09745951.xyz^ +||09bd5a69.xyz^ +||0ae00c7c.xyz^ +||0c0b6e3f.xyz^ +||0d785fd7.xyz^ +||10288299.xyz^ +||10523745.xyz^ +||10614305.xyz^ +||10753990.xyz^ +||11152646.xyz^ +||1116c5.xyz^ +||11778562.xyz^ +||11c7a3.xyz^ +||1350c3.xyz^ +||14202444.xyz^ +||15223102.xyz^ +||15272973.xyz^ +||156fd4.xyz^ +||15752525.xyz^ +||16327739.xyz^ +||164de830.live^ +||16972675.xyz^ +||17022993.xyz^ +||19009143.xyz^ +||19199675.xyz^ +||19706903.xyz^ +||1a1fb6.xyz^ +||1c52e1e2.live^ +||1dd6e9ba.xyz^ +||1f6a725b.xyz^ +||20382207.xyz^ +||20519a.xyz^ +||20729617.xyz^ +||21274758.xyz^ +||22117898.xyz^ +||224cc86d.xyz^ +||22d2d4d9-0c15-4a3a-9562-384f2c100146.xyz^ +||22dd31.xyz^ +||23879858.xyz^ +||23907453.xyz^ +||24052107.live^ +||24837724.xyz^ +||258104d2.live^ +||285b0b37.xyz^ +||28d287b9.xyz^ +||295c.site^ +||2aeabdd4-3280-4f03-bc92-1890494f28be.xyz^ +||2d8bc293.xyz^ +||2d979880.xyz^ +||2edef809.xyz^ +||30937261.xyz^ +||32472254.xyz^ +||33848102.xyz^ +||33862684.xyz^ +||34475780.xyz^ +||36833185.xyz^ +||37066957.xyz^ +||38167473.xyz^ +||38835571.xyz^ +||38941752.xyz^ +||3a55f02d.xyz^ +||3ffa255f.xyz^ +||40451343.xyz^ +||4126fe80.xyz^ +||420db600.xyz^ +||42869755.xyz^ +||45496fee.xyz^ +||4602306b.xyz^ +||46276192.xyz^ +||466c4d0f.xyz^ +||47235645.xyz^ +||47296536.xyz^ +||47415889.xyz^ +||48304789.xyz^ +||485728.xyz^ +||48a16802.site^ +||48d8e4d6.xyz^ +||49333767.xyz^ +||49706204.xyz^ +||49766251.xyz^ +||4aae8f.site^ +||4afa45f1.xyz^ +||4e04f7.xyz^ +||4e55.xyz^ +||4e68.xyz^ +||4fb60fd0.xyz^ +||54019033.xyz^ +||54199287.xyz^ +||54eeeadb.xyz^ +||55766925.xyz^ +||55cc9d.xyz^ +||56514411.xyz^ +||58e0.site^ +||59644010.xyz^ +||59768910.xyz^ +||5cc3ac02.xyz^ +||5fd6bc.xyz^ +||60571086.xyz^ +||605efe.xyz^ +||634369.xyz^ +||6471e7f7.xyz^ +||65035033.xyz^ +||656f1ba3.xyz^ +||657475b7-0095-478d-90d4-96ce440604f9.online^ +||65894140.xyz^ +||68646f.xyz^ +||691f42ad.xyz^ +||6a6672.xyz^ +||70b927c8.live^ +||72075223.xyz^ +||72356275.xyz^ +||72560514.xyz^ +||72716408.xyz^ +||72888710.xyz^ +||73503921.xyz^ +||74142961.xyz^ +||75690049.xyz^ +||7608d5.xyz^ +||77886044.xyz^ +||7841ffda.xyz^ +||78847798.xyz^ +||78b78ff8.xyz^ +||79180284.xyz^ +||79893962.xyz^ +||7ca989e1.xyz^ +||7e60f1f9.xyz^ +||7e809ed7-e553-4e29-acb1-4e3c0e986562.site^ +||7fc8.site^ +||80133082.xyz^ +||814272c4.xyz^ +||83409127.xyz^ +||83761158.xyz^ +||83887336.xyz^ +||84631949.xyz^ +||86124673.xyz^ +||88129513.xyz^ +||88545539.xyz^ +||89263907.xyz^ +||89407765.xyz^ +||89871256.xyz^ +||8acc5c.site^ +||8b71e197.xyz^ +||8bf6c3e9-3f4f-40db-89b3-58248f943ce3.online^ +||8eef59a5.live^ +||91301246.xyz^ +||92790388.xyz^ +||9354ee72.xyz^ +||94597672.xyz^ +||97496b9d.xyz^ +||977878.xyz^ +||97b448.xyz^ +||98140548.xyz^ +||9814b49f.xyz^ +||98383163.xyz^ +||98738797.xyz^ +||98853171.xyz^ +||9bc639da.xyz^ +||a49ebd.xyz^ +||a5d2d040.xyz^ +||a67d12.xyz^ +||a8b68645.xyz^ +||a908a849.xyz^ +||acf705ad.xyz^ +||af6937a2.live^ +||b0eb63.xyz^ +||b0f2f18e.xyz^ +||b211.xyz^ +||b2bf222e.xyz^ +||b395bfcd.xyz^ +||b51475b8.xyz^ +||b59c.xyz^ +||b70456bf.xyz^ +||b714b1e8-4b7d-4ce9-a248-48fd5472aa0b.online^ +||b82978.xyz^ +||b903c2.xyz^ +||b9f25b.site^ +||ba0bf98c.xyz^ +||bc0ca74b.live^ +||bc98ad.xyz^ +||bcbe.site^ +||bd5a57.xyz^ +||bdec1f37.xyz^ +||c2a0076d.xyz^ +||c31133f7.xyz^ +||c76d1a1b.live^ +||ca3d.site^ +||ca9246.xyz^ +||caa2c4.xyz^ +||cd57296e.xyz^ +||ce357c.xyz^ +||ce56df44.xyz^ +||cf959857.live^ +||cfb98a.xyz^ +||d23d450d.xyz^ +||d477275c.xyz^ +||d84bc26d.site^ +||d8b0a5.xyz^ +||d980ed.xyz^ +||da28c69e.xyz^ +||dcad1d97.xyz^ +||dd2270.xyz^ +||de214f.xyz^ +||e076.xyz^ +||e75d10b9.live^ +||e8e2063b.xyz^ +||ea6c0ac4.xyz^ +||ec44.site^ +||f2f8.xyz^ +||f33d11b5.xyz^ +||f417a726.xyz^ +||f4c9a0fb.xyz^ +||f54cd504.xyz^ +||f6176563.site^ +||f6b458fd.xyz^ +||f700fa18.live^ +||f816e81d.xyz^ +||fadeb9a7-2417-4a51-8d99-0421a5622cbe.xyz^ +||fbfec2.xyz^ +||fe30a5b4.xyz^ +||fe9dc503.xyz^ +! ad-shield https://github.com/List-KR/List-KR/pull/892 +||00701059.xyz^$document,popup +||00771944.xyz^$document,popup +||00857731.xyz^$document,popup +||01045395.xyz^$document,popup +||02777e.site^$document,popup +||03180d2d.live^$document,popup +||0395d1.xyz^$document,popup +||04424170.xyz^$document,popup +||05420795.xyz^$document,popup +||05751c.site^$document,popup +||072551.xyz^$document,popup +||07421283.xyz^$document,popup +||076f66b2.live^$document,popup +||07c225f3.online^$document,popup +||07e197.site^$document,popup +||08f8f073.xyz^$document,popup +||09745951.xyz^$document,popup +||09bd5a69.xyz^$document,popup +||0ae00c7c.xyz^$document,popup +||0c0b6e3f.xyz^$document,popup +||0d785fd7.xyz^$document,popup +||10523745.xyz^$document,popup +||10614305.xyz^$document,popup +||10753990.xyz^$document,popup +||11152646.xyz^$document,popup +||1116c5.xyz^$document,popup +||11778562.xyz^$document,popup +||11c7a3.xyz^$document,popup +||1350c3.xyz^$document,popup +||14202444.xyz^$document,popup +||15223102.xyz^$document,popup +||15272973.xyz^$document,popup +||156fd4.xyz^$document,popup +||15752525.xyz^$document,popup +||16327739.xyz^$document,popup +||164de830.live^$document,popup +||16972675.xyz^$document,popup +||17022993.xyz^$document,popup +||19009143.xyz^$document,popup +||19199675.xyz^$document,popup +||19706903.xyz^$document,popup +||1a1fb6.xyz^$document,popup +||1c52e1e2.live^$document,popup +||1dd6e9ba.xyz^$document,popup +||1f6a725b.xyz^$document,popup +||20382207.xyz^$document,popup +||20519a.xyz^$document,popup +||20729617.xyz^$document,popup +||21274758.xyz^$document,popup +||22117898.xyz^$document,popup +||224cc86d.xyz^$document,popup +||22d2d4d9-0c15-4a3a-9562-384f2c100146.xyz^$document,popup +||22dd31.xyz^$document,popup +||23879858.xyz^$document,popup +||23907453.xyz^$document,popup +||24052107.live^$document,popup +||24837724.xyz^$document,popup +||258104d2.live^$document,popup +||285b0b37.xyz^$document,popup +||28d287b9.xyz^$document,popup +||295c.site^$document,popup +||2aeabdd4-3280-4f03-bc92-1890494f28be.xyz^$document,popup +||2d8bc293.xyz^$document,popup +||2d979880.xyz^$document,popup +||2edef809.xyz^$document,popup +||30937261.xyz^$document,popup +||32472254.xyz^$document,popup +||33848102.xyz^$document,popup +||33862684.xyz^$document,popup +||34475780.xyz^$document,popup +||36833185.xyz^$document,popup +||37066957.xyz^$document,popup +||38835571.xyz^$document,popup +||38941752.xyz^$document,popup +||3a55f02d.xyz^$document,popup +||3ffa255f.xyz^$document,popup +||40451343.xyz^$document,popup +||4126fe80.xyz^$document,popup +||420db600.xyz^$document,popup +||42869755.xyz^$document,popup +||45496fee.xyz^$document,popup +||4602306b.xyz^$document,popup +||46276192.xyz^$document,popup +||466c4d0f.xyz^$document,popup +||47296536.xyz^$document,popup +||47415889.xyz^$document,popup +||48304789.xyz^$document,popup +||485728.xyz^$document,popup +||48a16802.site^$document,popup +||48d8e4d6.xyz^$document,popup +||49333767.xyz^$document,popup +||49706204.xyz^$document,popup +||49766251.xyz^$document,popup +||4aae8f.site^$document,popup +||4afa45f1.xyz^$document,popup +||4e04f7.xyz^$document,popup +||4e55.xyz^$document,popup +||4e68.xyz^$document,popup +||4fb60fd0.xyz^$document,popup +||54019033.xyz^$document,popup +||54199287.xyz^$document,popup +||54eeeadb.xyz^$document,popup +||55766925.xyz^$document,popup +||55cc9d.xyz^$document,popup +||56514411.xyz^$document,popup +||58e0.site^$document,popup +||59644010.xyz^$document,popup +||59768910.xyz^$document,popup +||5cc3ac02.xyz^$document,popup +||5fd6bc.xyz^$document,popup +||60571086.xyz^$document,popup +||605efe.xyz^$document,popup +||634369.xyz^$document,popup +||6471e7f7.xyz^$document,popup +||65035033.xyz^$document,popup +||656f1ba3.xyz^$document,popup +||657475b7-0095-478d-90d4-96ce440604f9.online^$document,popup +||65894140.xyz^$document,popup +||68646f.xyz^$document,popup +||691f42ad.xyz^$document,popup +||6a6672.xyz^$document,popup +||70b927c8.live^$document,popup +||72075223.xyz^$document,popup +||72356275.xyz^$document,popup +||72560514.xyz^$document,popup +||72716408.xyz^$document,popup +||72888710.xyz^$document,popup +||73503921.xyz^$document,popup +||74142961.xyz^$document,popup +||75690049.xyz^$document,popup +||7608d5.xyz^$document,popup +||77886044.xyz^$document,popup +||7841ffda.xyz^$document,popup +||78847798.xyz^$document,popup +||78b78ff8.xyz^$document,popup +||79180284.xyz^$document,popup +||7ca989e1.xyz^$document,popup +||7e60f1f9.xyz^$document,popup +||7e809ed7-e553-4e29-acb1-4e3c0e986562.site^$document,popup +||7fc8.site^$document,popup +||80133082.xyz^$document,popup +||814272c4.xyz^$document,popup +||83409127.xyz^$document,popup +||83761158.xyz^$document,popup +||83887336.xyz^$document,popup +||84631949.xyz^$document,popup +||86124673.xyz^$document,popup +||88129513.xyz^$document,popup +||88545539.xyz^$document,popup +||89263907.xyz^$document,popup +||89407765.xyz^$document,popup +||89871256.xyz^$document,popup +||8acc5c.site^$document,popup +||8b71e197.xyz^$document,popup +||8bf6c3e9-3f4f-40db-89b3-58248f943ce3.online^$document,popup +||8eef59a5.live^$document,popup +||91301246.xyz^$document,popup +||92790388.xyz^$document,popup +||9354ee72.xyz^$document,popup +||94597672.xyz^$document,popup +||97496b9d.xyz^$document,popup +||977878.xyz^$document,popup +||97b448.xyz^$document,popup +||98140548.xyz^$document,popup +||9814b49f.xyz^$document,popup +||98383163.xyz^$document,popup +||98738797.xyz^$document,popup +||98853171.xyz^$document,popup +||9bc639da.xyz^$document,popup +||a49ebd.xyz^$document,popup +||a5d2d040.xyz^$document,popup +||a67d12.xyz^$document,popup +||a8b68645.xyz^$document,popup +||a908a849.xyz^$document,popup +||acf705ad.xyz^$document,popup +||af6937a2.live^$document,popup +||b0eb63.xyz^$document,popup +||b0f2f18e.xyz^$document,popup +||b211.xyz^$document,popup +||b2bf222e.xyz^$document,popup +||b395bfcd.xyz^$document,popup +||b51475b8.xyz^$document,popup +||b59c.xyz^$document,popup +||b70456bf.xyz^$document,popup +||b714b1e8-4b7d-4ce9-a248-48fd5472aa0b.online^$document,popup +||b82978.xyz^$document,popup +||b903c2.xyz^$document,popup +||b9f25b.site^$document,popup +||ba0bf98c.xyz^$document,popup +||bc0ca74b.live^$document,popup +||bc98ad.xyz^$document,popup +||bcbe.site^$document,popup +||bd5a57.xyz^$document,popup +||c2a0076d.xyz^$document,popup +||c31133f7.xyz^$document,popup +||c76d1a1b.live^$document,popup +||ca3d.site^$document,popup +||ca9246.xyz^$document,popup +||caa2c4.xyz^$document,popup +||cd57296e.xyz^$document,popup +||ce357c.xyz^$document,popup +||ce56df44.xyz^$document,popup +||cf959857.live^$document,popup +||cfb98a.xyz^$document,popup +||content-loader.com^$document,popup +||css-load.com^$document,popup +||d23d450d.xyz^$document,popup +||d477275c.xyz^$document,popup +||d84bc26d.site^$document,popup +||d8b0a5.xyz^$document,popup +||d980ed.xyz^$document,popup +||da28c69e.xyz^$document,popup +||dcad1d97.xyz^$document,popup +||dd2270.xyz^$document,popup +||de214f.xyz^$document,popup +||e076.xyz^$document,popup +||e75d10b9.live^$document,popup +||e8e2063b.xyz^$document,popup +||ea6c0ac4.xyz^$document,popup +||ec44.site^$document,popup +||f2f8.xyz^$document,popup +||f33d11b5.xyz^$document,popup +||f417a726.xyz^$document,popup +||f4c9a0fb.xyz^$document,popup +||f54cd504.xyz^$document,popup +||f6176563.site^$document,popup +||f6b458fd.xyz^$document,popup +||f700fa18.live^$document,popup +||f816e81d.xyz^$document,popup +||fadeb9a7-2417-4a51-8d99-0421a5622cbe.xyz^$document,popup +||fbfec2.xyz^$document,popup +||fe30a5b4.xyz^$document,popup +||fe9dc503.xyz^$document,popup +||html-load.cc^$document,popup +||html-load.com^$document,popup +||img-load.com^$document,popup +! Samsung/LG/Philips smart-TV ad domains +||ad.lgappstv.com^ +||ad.nettvservices.com^ +||ads.samsung.com^ +||lgad.cjpowercast.com.edgesuite.net^ +||lgsmartad.com^ +||samsungacr.com^ +! anime47.com / nettruyen.com +/(https?:\/\/)\w{30,}\.me\/\w{30,}\./$script,third-party ! IP addresses -||104.154.$document -||104.197.$document -||104.198.$document -||130.211.$document -||216.21.$document -||35.184.$document -||35.188.$document -||35.193.$document +/(https?:\/\/)104\.154\..{100,}/ +/(https?:\/\/)104\.197\..{100,}/ +/(https?:\/\/)104\.198\..{100,}/ +/(https?:\/\/)130\.211\..{100,}/ +/(https?:\/\/)142\.91\.159\..{100,}/ +/(https?:\/\/)213\.32\.115\..{100,}/ +/(https?:\/\/)216\.21\..{100,}/ +/(https?:\/\/)217\.182\.11\..{100,}/ +/(https?:\/\/)51\.195\.31\..{100,}/ +||141.98.82.232^ +||142.91.159. +||157.90.183.248^ +||158.247.208. +||162.252.214.4^ +||167.71.252.38^ +||167.99.31.227^ +||172.255.103.118^ +||172.255.6.135^ +||172.255.6.137^ +||172.255.6.139^ +||172.255.6.140^ +||172.255.6.150^ +||172.255.6.152^ +||172.255.6.199^ +||172.255.6.217^ +||172.255.6.228^ +||172.255.6.248^ +||172.255.6.252^ +||172.255.6.254^ +||172.255.6.2^ +||172.255.6.59^ +||185.149.120.173^ +||188.42.84.110^ +||188.42.84.137^ +||188.42.84.159^ +||188.42.84.160^ +||188.42.84.162^ +||188.42.84.21^ +||188.42.84.23^ +||194.26.232.61^ +||203.195.121.0^ +||203.195.121.103^ +||203.195.121.119^ +||203.195.121.11^ +||203.195.121.134^ +||203.195.121.184^ +||203.195.121.195^ +||203.195.121.1^ +||203.195.121.209^ +||203.195.121.217^ +||203.195.121.219^ +||203.195.121.224^ +||203.195.121.229^ +||203.195.121.24^ +||203.195.121.28^ +||203.195.121.29^ +||203.195.121.34^ +||203.195.121.36^ +||203.195.121.40^ +||203.195.121.46^ +||203.195.121.70^ +||203.195.121.72^ +||203.195.121.73^ +||203.195.121.74^ +||23.109.121.125^ +||23.109.121.254^ +||23.109.150.208^ +||23.109.150.253^ +||23.109.170.212^ +||23.109.170.228^ +||23.109.170.241^ +||23.109.170.255^ +||23.109.170.60^ +||23.109.248.125^ +||23.109.248.129^ +||23.109.248.130^ +||23.109.248.135^ +||23.109.248.139^ +||23.109.248.149^ +||23.109.248.14^ +||23.109.248.174^ +||23.109.248.183^ +||23.109.248.20^ +||23.109.248.229^ +||23.109.248.247^ +||23.109.248.29^ +||23.109.82. +||23.109.87. +||23.109.87.123^ +||23.195.91.195^ +||34.102.137.201^ +||35.227.234.222^ +||35.232.188.118^ +||37.1.209.213^ +||37.1.213.100^ +||5.61.55.143^ +||51.77.227.100^ +||51.77.227.101^ +||51.77.227.102^ +||51.77.227.103^ +||51.77.227.96^ +||51.77.227.97^ +||51.77.227.98^ +||51.77.227.99^ +||51.89.187.136^ +||51.89.187.137^ +||51.89.187.138^ +||51.89.187.139^ +||51.89.187.140^ +||51.89.187.141^ +||51.89.187.142^ +||51.89.187.143^ +||88.42.84.136^ ! Altice / Optimum / CableVision injects ads ! https://github.com/ryanbr/fanboy-adblock/issues/816 ||167.206.10.148^ -! Dodgy skimmers -||bootstrap-js.com^$third-party -||g-statistic.com^$third-party -! hilltopads -||adglob.asia^$third-party -||affroba.net^$third-party -||afriflatry.co^$third-party -||afvcugqaulh.co^$third-party -||aggeneyer.co^$third-party -||ationsity.com^$third-party -||aution.pro^$third-party -||automoc.net^$third-party -||awakinatters.co^$third-party -||baltchd.net^$third-party -||bellissimome.pro^$third-party -||blailays.pro^$third-party -||blisldgsqk.com^$third-party -||bravome.pro^$third-party -||brazienting.co^$third-party -||breeringarify.co^$third-party -||broced.co^$third-party -||buonome.pro^$third-party -||busions.com^$third-party -||bystfied.pro^$third-party -||cabirm.com^$third-party -||carvarial.pro^$third-party -||categy.co^$third-party -||chiptionics.co^$third-party -||chness.co^$third-party -||ckivxgxgqknk.com^$third-party -||cklad.xyz^$third-party -||clifftopper.com^$third-party -||conceau.co^$third-party -||conflibred.co^$third-party -||contratellaps.com^$third-party -||coolandevencooler.com^$third-party -||cpmgohigh.com^$third-party -||crewita.co^$third-party -||critariatele.pro^$third-party -||cruisteerses.co^$third-party -||cwkhyupiwzcjy.com^$third-party -||darersan.co^$third-party -||deliverylizer.com^$third-party -||deliverytaste.com^$third-party -||derler.pro^$third-party -||despearingle.co^$third-party -||dohillright.com^$third-party -||donecooler.com^$third-party -||dustumbs.pro^$third-party -||elepocial.pro^$third-party -||exclusivecpms.com^$third-party -||explanse.co^$third-party -||explater.net^$third-party -||exponderle.pro^$third-party -||fabrativellic.co^$third-party -||fcrgzqkbtgu.co^$third-party -||fielerac.net^$third-party -||finimbratedle.com^$third-party -||fleconomnipuer.com^$third-party -||foreinate.com^$third-party -||galaxyleaders.com^$third-party -||gohillgo.com^$third-party -||goupandhigher.com^$third-party -||graphli.net^$third-party -||gxwoiiyfjiz.com^$third-party -||happer.info^$third-party -||hfedxxuvtjtqs.com^$third-party -||hgjywrorlbn.com^$third-party -||hicaptivided.com^$third-party -||hillpl.com^$third-party -||hilltopads.net^$third-party -||hlfjgurbaln.com^$third-party -||hothta.com^$third-party -||houssimmon.co^$third-party -||htalizer.com^$third-party -||htamaster.com^$third-party -||htmonster.com^$third-party -||huccrlctmgifs.com^$third-party -||imanisfan.com^$third-party -||inchte.com^$third-party -||ininmacerad.pro^$third-party -||jacopiler.pro^$third-party -||johays.co^$third-party -||juryintory.co^$third-party -||justailley.pro^$third-party -||justardes.pro^$third-party -||lanchaeanly.pro^$third-party -||lativil.co^$third-party -||lengthi.net^$third-party -||lightspeedtop.com^$third-party -||meried.co^$third-party -||methernary.com^$third-party -||monditomasks.co^$third-party -||motosal.net^$third-party -||nastoverewess.pro^$third-party -||niajmtjqexq.co^$third-party -||nottonic.com^$third-party -||omoukkkj.stream^$third-party -||operatedelivery.com^$third-party -||oratess.com^$third-party -||ormeadobess.com^$third-party -||panection.co^$third-party -||papectorigury.co^$third-party -||parater.co^$third-party -||patiland.co^$third-party -||perfectome.pro^$third-party -||personaleme.pro^$third-party -||pistraving.co^$third-party -||pitics.co^$third-party -||plemencomp.co^$third-party -||populatecpm.com^$third-party -||poterrupte.co^$third-party -||prectic.co^$third-party -||premender.co^$third-party -||printelly.co^$third-party -||proccurs.com^$third-party -||prodwaves.pro^$third-party -||purpreine.co^$third-party -||qpernrqxjfto.com^$third-party -||qqatllrijx.com^$third-party -||queurow.pro^$third-party -||quilithly.co^$third-party -||rapidyl.net^$third-party -||readvasturked.pro^$third-party -||recusticks.co^$third-party -||redemotoructs.co^$third-party -||reimburs.co^$third-party -||relity.pro^$third-party -||replainy.co^$third-party -||reundcwkqvctq.com^$third-party -||saillix.com^$third-party -||shmential.co^$third-party -||skyligh.co^$third-party -||slavial.pro^$third-party -||solegingly.co^$third-party -||sommons.co^$third-party -||souncontrigh.com^$third-party -||steakafka.pro^$third-party -||stimergeners.pro^$third-party -||substerrent.co^$third-party -||succumbertson.pro^$third-party -||surmoss.co^$third-party -||susection.co^$third-party -||sworatio.co^$third-party -||temphilltop.com^$third-party -||temphilltop.net^$third-party -||thogethoffic.co^$third-party -||thomized.co^$third-party -||tiveriches.pro^$third-party -||trepit.pro^$third-party -||trobely.co^$third-party -||typieced.com^$third-party -||unaiablmgsz.com^$third-party -||vulgiatious.com^$third-party -||vulging.pro^$third-party -||wanaldster.com^$third-party -||whitud.co^$third-party -||wicktrown.co^$third-party -||xleebhxalb.com^$third-party -||xvika.com^$third-party -||ywtjdckysve.com^$third-party -||zbwttofskjnc.com^$third-party -! adsterra -||04v70ab.com^$third-party -||1yme78h.com^$third-party -||2p9fyvx.com^$third-party -||5g9quwq.com^$third-party -||axdxmdv.com^$third-party -||bjcvibh.com^$third-party -||bxnvdau.com^$third-party -||eiwrwjc.com^$third-party -||g5fzq2l.com^$third-party -||i5rl5lf.com^$third-party -||oihbs34.com^$third-party -||sa2xskt.com^$third-party -||usxsp7v.com^$third-party -! Propellerads -||0026645142c89aeb1.com^$third-party -||006a039c957c142bb.com^$third-party -||0073dd485d46d930dd9.com^$third-party -||00aaa2d81c1d174.com^$third-party -||00ae8b5a9c1d597.com^$third-party -||012469af389a1d1246d.com^$third-party -||017e689c749.com^$third-party -||02aa19117f396e9.com^$third-party -||02b5da94a2bd4aea.com^$third-party -||0374adc8c6a6a56.com^$third-party -||039ad0897e6da.com^$third-party -||04426f8b7ce9b069431.com^$third-party -||059e025e7484.com^$third-party -||05ee3a24ed11df058c8.com^$third-party -||05f4e2756f290.com^$third-party -||06f09b1008ae993a5a.com^$third-party -||07346e971b1ec7f.com^$third-party -||073c0cec65916314a.com^$third-party -||0926a687679d337e9d.com^$third-party -||0956228a2df97a.com^$third-party -||09b950280b055.com^$third-party -||0b6e714203b6797e8d4.com^$third-party -||0b9d84d93f1b.com^$third-party -||0c8a10b46fc6.com^$third-party -||0d847862199.com^$third-party -||0dbcf515975d.com^$third-party -||0e6fc55ed3d4c2c2ba0.com^$third-party -||0f12ec21041307c4ddd.com^$third-party -||0f461325bf56c3e1b9.com^$third-party -||0ff42a1771d8.com^$third-party -||10a053584f01fcaeab1.com^$third-party -||10b883b3d61d.com^$third-party -||118aa629a7968e75e.com^$third-party -||11f976743800.com^$third-party -||1221e236c3f8703.com^$third-party -||12648afd00d93.com^$third-party -||1298bab69bbc4.com^$third-party -||13190546cd1dec9bbdc.com^$third-party -||13895df59d98cc.com^$third-party -||14119276be0852.com^$third-party -||1431f15e2fe8ba0f1f2.com^$third-party -||14b41d7ec7766122d.com^$third-party -||153105c2f9564.com^$third-party -||1543b1db8a0825760.com^$third-party -||165a7c15380874ef3.com^$third-party -||16e2ae8f200d975b.com^$third-party -||17105392a65.com^$third-party -||1740f665a91b68.com^$third-party -||17b1dbd9f3ae7db27cf.com^$third-party -||19980ad7c3fa568e092.com^$third-party -||19b45a16170729.com^$third-party -||19beda38dc2ce42.com^$third-party -||19d12dd9de1.com^$third-party -||1b6a637cbe7bb65ac.com^$third-party -||1ced38bdc42b883.com^$third-party -||1e122c580cf.com^$third-party -||1f58098dd54.com^$third-party -||1f76e29aaec7bfff53e.com^$third-party -||1f7de8569ea97f0614.com^$third-party -||1j7740kd.website^$third-party -||1nzm7kwgsxxjz90a.com^$third-party -||1wzfew7a.site^$third-party -||1xpers99.com^$third-party -||20a840a14a0ef7d6.com^$third-party -||20afcc1f257.com^$third-party -||2137dc12f9d8.com^$third-party -||21a3dd8ea39c0.com^$third-party -||21b507a044d841b.com^$third-party -||21c9a53484951.com^$third-party -||22a12efe35e3c2f.com^$third-party -||22b765488021d482280.com^$third-party -||23205523023daea6.com^$third-party -||2334ea708ab6d79.com^$third-party -||2444efc8cd8e.com^$third-party -||24ad89fc2690ed9369.com^$third-party -||2559a303164ddde96.com^$third-party -||27015dbc43d77c.com^$third-party -||2712f45c0bb0d67d710.com^$third-party -||2726fecdfde157bdcd.com^$third-party -||274a717d311ac90f.com^$third-party -||2778255fe56.com^$third-party -||29ae58661b9c7178.com^$third-party -||29d65cebb82ef9f.com^$third-party -||2b044210171c93629ae.com^$third-party -||2bbb379103988619ef.com^$third-party -||2c0dad36bdb9eb859f0.com^$third-party -||2c3a97984f45.com^$third-party -||2c6bcbbb82ce911.com^$third-party -||2d5072d5732ab.com^$third-party -||2f5a1f1fab21a56.com^$third-party -||304c40d20085e.com^$third-party -||30b9e3a7d7e2b.com^$third-party -||31a5610ce3a8a2.com^$third-party -||31ab9d66427a22.com^$third-party -||32979c00fcc59b5.com^$third-party -||32a79e2833309ebe.com^$third-party -||32b92bc03f19.com^$third-party -||3381e74f70adfb59.com^$third-party -||33ae985c0ea917.com^$third-party -||340ca72733c9e46fb1.com^$third-party -||344dea1d6d130a7e8e.com^$third-party -||34c2f22e9503ace.com^$third-party -||35d59588f15966.com^$third-party -||367e8bed2a847.com^$third-party -||3761fcd24ef9281f5.com^$third-party -||38486e2886986.com^$third-party -||386704cb2300cf1a.com^$third-party -||3878896c72ed218.com^$third-party -||38f30081974c52.com^$third-party -||392a50219df6.com^$third-party -||395e27cfc83ea88f.com^$third-party -||39d1d397c97730.com^$third-party -||3a64ddc048d277.com^$third-party -||3a8c9b0ca405b5.com^$third-party -||3ac901bf5793b0fccff.com^$third-party -||3b0b68c876376f7311.com^$third-party -||3c0012ab95c132f.com^$third-party -||3c34083bda22d8.com^$third-party -||3c513c1d3255c.com^$third-party -||3c5f0e501db37.com^$third-party -||3ca28642b714623b2.com^$third-party -||3cb06e7a174a55da.com^$third-party -||3cd99930e27056f89.com^$third-party -||3d0da2373af57.com^$third-party -||3d1504306f119f192.com^$third-party -||3d55eccf56053ff2e8.com^$third-party -||3d643f542787c62a7.com^$third-party -||3e35c218b3d623dde.com^$third-party -||3e612a08c1e4ad1c7.com^$third-party -||3f32172d509aeb0.com^$third-party -||3fp43qvh.trade^$third-party -||3wr110.xyz^$third-party -||407433bfc441.com^$third-party -||40ceexln7929.com^$third-party -||4141d006e4f4dd17ab9.com^$third-party -||41ef19c0f0794e058c.com^$third-party -||4256b23b681.com^$third-party -||42a5d530ec972d8994.com^$third-party -||42eed1a0d9c129.com^$third-party -||43137c93a82b0e81da.com^$third-party -||43d6f284d10bfbbb3.com^$third-party -||442c8891ec726f339.com^$third-party -||4465ef53c8ffded.com^$third-party -||45f2373b26b8e2.com^$third-party -||46b77243fb11e8b5.com^$third-party -||4702fb341ddf276d.com^$third-party -||473863a8ef28.com^$third-party -||48331375c351e.com^$third-party -||48423894b2a24481.com^$third-party -||48dc47c7234e5258.com^$third-party -||494d36630eae682b20.com^$third-party -||49863d99e314a.com^$third-party -||4a9747b7bfb3.com^$third-party -||4c935d6a244f.com^$third-party -||4e34b4865905c4.com^$third-party -||4eacccd99990beed317.com^$third-party -||4f3c238ed437e1e.com^$third-party -||4f6b2af479d337cf.com^$third-party -||4f6c963f07f67bd.com^$third-party -||4fb0a3bf4a3d38.com^$third-party -||4sbs7w33ozxwnn.com^$third-party -||500969adcf7ae838.com^$third-party -||50258bd2b243b24df.com^$third-party -||512226d4c3039765.com^$third-party -||53229de00c41609ce.com^$third-party -||538b5d8f303be.com^$third-party -||56bc7e3668e952c.com^$third-party -||56bfc388bf12.com^$third-party -||5726303d87522d05.com^$third-party -||57473b6b571.com^$third-party -||5755ac539651fe8f366.com^$third-party -||57fd2911f09b76.com^$third-party -||58040d4c01949f0c1.com^$third-party -||58b14921719ec.com^$third-party -||58b291f917728a2.com^$third-party -||59e6ea7248001c.com^$third-party -||5ad954477413bdb77f.com^$third-party -||5b5a93686577c13.com^$third-party -||5d02977f6511aa.com^$third-party -||5dabf928ad9ad4.com^$third-party -||5e148a69a8c.com^$third-party -||5e1fcb75b6d662d.com^$third-party -||5e8bba5e95ec.com^$third-party -||5edb123fa3329.com^$third-party -||5f8fbbfc2244adc9.com^$third-party -||5ff794f4b80.com^$third-party -||602d76e204c032.com^$third-party -||6068a17eed25.com^$third-party -||615b68cc9c8528e.com^$third-party -||61739011039d41a.com^$third-party -||6200a50af8e3.com^$third-party -||620c663bca9a4.com^$third-party -||625c9289e60793.com^$third-party -||62b70ac32d4614b.com^$third-party -||640f94e47dc41c.com^$third-party -||641198810fae7.com^$third-party -||641c79559b7c7c8.com^$third-party -||64aa81cd247ea32d.com^$third-party -||651b4ee436b8cdae.com^$third-party -||6548579f50dc08be9.com^$third-party -||65a29ceed813bbca61.com^$third-party -||65e750617ae8f0421.com^$third-party -||660a755deb8829fe.com^$third-party -||66ce98158e4f402.com^$third-party -||67126e4413a.com^$third-party -||688de7b3822de.com^$third-party -||691123f5be2a669b.com^$third-party -||69oxt4q05.com^$third-party -||6a0a6105bc7a9fa8e.com^$third-party -||6a2adb496b8951e.com^$third-party -||6a40194bef976cc.com^$third-party -||6a9102689db8e.com^$third-party -||6af461b907c5b.com^$third-party -||6b5c418918ebb008cc6.com^$third-party -||6bd9a2ea1a1801e55.com^$third-party -||6c37f8a12dede103bf7.com^$third-party -||6d25c5a1bb9e821f3b7.com^$third-party -||6e2f1d2ae033.com^$third-party -||6ea56485aed0c.com^$third-party -||6fbcee81318.com^$third-party -||6g3am6pr.website^$third-party -||7017042b83a65ea.com^$third-party -||7089e5b41f87.com^$third-party -||70ee6484605f.com^$third-party -||70fd25cf5a7b1c57.com^$third-party -||713d79e3192eb21c.com^$third-party -||71a30cae934e.com^$third-party -||71aa8ed2ff1c8f.com^$third-party -||71bcab8994dbe2.com^$third-party -||71d7511a4861068.com^$third-party -||71dfd978db603cea92a.com^$third-party -||72b8869dfc34690.com^$third-party -||736f35dde67b7da2976.com^$third-party -||739c49a8c68917.com^$third-party -||73c6c063b238097.com^$third-party -||7437b300fa98b98.com^$third-party -||743e6b34be13fb105e0.com^$third-party -||74d382def7b08.com^$third-party -||74da0fffc981.com^$third-party -||757a51ce62f.com^$third-party -||758c824671f4fc0.com^$third-party -||75b64c9763a13418e.com^$third-party -||761c1b2a8ad11ac8.website^$third-party -||767c937c5c4e0a6282c.com^$third-party -||76bae64469159dfa58.com^$third-party -||77153ccfd0549f191.com^$third-party -||771b92b0ca0963e.com^$third-party -||77437ee0a17f19c6085.com^$third-party -||77549848b53ea4ce.com^$third-party -||777a2aceac3ff.com^$third-party -||77d0f28ca582231.com^$third-party -||77f24529d8427410.com^$third-party -||7839e0482307b9276b.com^$third-party -||799f3607457e.com^$third-party -||7a6421ee67fdb0f660.com^$third-party -||7ac5bed8bea5.com^$third-party -||7aecd4ee5edfbb703be.com^$third-party -||7cbb237b705ae9361.com^$third-party -||7d6260236b547b31f.com^$third-party -||7db0b2a0ee95f557904.com^$third-party -||7dee28afeb8c939d8.com^$third-party -||7e625f490775b155.com^$third-party -||7edc0b1cdcb8.com^$third-party -||7f011d5e07db.com^$third-party -||7f19b1713b43f7db.com^$third-party -||7f8e91975bdc9c5f1c.com^$third-party -||7qazw085.men^$third-party -||800d24d61daea3c.com^$third-party -||801e51471fdd.com^$third-party -||8092686a39ac5.com^$third-party -||810f3f9dde63ae3.com^$third-party -||8158ad2ee8d4.com^$third-party -||821d55eca272fd.com^$third-party -||8233fa03a40c92d.com^$third-party -||823bc1a6cd3f1657.com^$third-party -||82b9d6273154e7cbf.com^$third-party -||84544232a4185d6.com^$third-party -||8462d0b3cc90c90.com^$third-party -||8467d2688e4a4.com^$third-party -||8503a4170f10a9d.com^$third-party -||850a54dbd2398a2.com^$third-party -||8547459af5da02.com^$third-party -||86240336d5604d7.com^$third-party -||86402d8a7f2aa0.com^$third-party -||86f4fd3b507f774.com^$third-party -||87159d7b62fc885.com^$third-party -||8761f9f83613.com^$third-party -||87ac592346b5a.com^$third-party -||889fb4992d4e8.com^$third-party -||88d7b6aa44fb8eb.com^$third-party -||8b0b17dc1f9f8010.com^$third-party -||8baf7ae42000024.com^$third-party -||8c20290f4cc310f70.com^$third-party -||8c9cc6d2b0e13.com^$third-party -||8cce6d834ab4e80c7.com^$third-party -||8dfaa2dc76855.com^$third-party -||8ec04f85772327328.com^$third-party -||8ff01bde37db289d5.com^$third-party -||9053fe03868ab.com^$third-party -||9104cecde1c32cb25f5.com^$third-party -||924e60106cd9d0e.com^$third-party -||927a8dd1afec73.com^$third-party -||9376ec23d50b1.com^$third-party -||939237cdc62078.com^$third-party -||95a44ebca8b1abc20.com^$third-party -||9688aae6a392f42.com^$third-party -||96f2473b9ba9244f.com^$third-party -||97ff623306ff4c26996.com^$third-party -||98d4b353b20a2b586cd.com^$third-party -||9989be8064c80b.com^$third-party -||99a9339abed56.com^$third-party -||99e5da34520d.com^$third-party -||9a24a1b3dcd5f4.com^$third-party -||9ad7dcc6613a3865f.com^$third-party -||9b13c1c151f9664a73.com^$third-party -||9b278d27d195a11af94.com^$third-party -||9c40a04e9732e6a6.com^$third-party -||9c690ac2bcb.com^$third-party -||9cd76b4462bb.com^$third-party -||9d683ea679bc03ff.com^$third-party -||9de40afd8952279e2e.com^$third-party -||9e5420f6be48ccc.com^$third-party -||9f23ab605837.com^$third-party -||9f4272342f817.com^$third-party -||9icmzvn6.website^$third-party -||a02d0adbca0.com^$third-party -||a0675c1160de6c6.com^$third-party -||a06bbd98194c252.com^$third-party -||a15256378569ec595.com^$third-party -||a157ad075fcb34c.com^$third-party -||a15c5009bcbe272.com^$third-party -||a1b1ea8f418ca02ad4e.com^$third-party -||a1d62657ec88.com^$third-party -||a1f37c2dc9d68496.com^$third-party -||a1ff7997a4fa3885527.com^$third-party -||a22f0d8201ade09fa3.com^$third-party -||a258c3523a5c4a47bda.com^$third-party -||a26d31d5d6986cbe.com^$third-party -||a2af4f04914ed298.com^$third-party -||a2ba3784cb354807d.com^$third-party -||a2c653c4d145fa5f96a.com^$third-party -||a2fcb07a505c.com^$third-party -||a337b163a0bc.com^$third-party -||a353364ec1bd19a.com^$third-party -||a35c92d96766745.com^$third-party -||a3761801a40c59b48.com^$third-party -||a46b257bc29b.com^$third-party -||a48aad1dc4085376c.com^$third-party -||a5020fec1701e9f3.com^$third-party -||a69ee4fa50dc3.com^$third-party -||a6be07586bc4a7.com^$third-party -||a6f845e6c37b2833148.com^$third-party -||a807c7c77664fb7803c.com^$third-party -||a8c37822e110e3.com^$third-party -||a911a1ed6c0.com^$third-party -||a940db0846408b2.com^$third-party -||a9d7c19f0282.com^$third-party -||aafb1cd4450aa247.website^$third-party -||ab8ce655c175b0d.com^$third-party -||ab913aa797e78b3.com^$third-party -||abb963a46029eb.com^$third-party -||acamar.xyz^$third-party -||acloudvideos.com^$third-party -||ad1data.com^$third-party -||ad1rtb.com^$third-party -||adstarget.net^$third-party -||ae1a1e258b8b016.com^$third-party -||ae3482c74b1a99f.com^$third-party -||aec40f9e073ba6.com^$third-party -||afa9bdfa63bf7.com^$third-party -||ag2hqdyt.site^$third-party -||aichaima.top^$third-party -||aifoosty.net^$third-party -||alamak.xyz^$third-party -||albireo.xyz^$third-party -||aobyp1una641o8.com^$third-party -||arolrurt.uk^$third-party -||b014381c95cb.com^$third-party -||b06518c81a3b7fe75.com^$third-party -||b07f916388fc6e06847.com^$third-party -||b0d3ea12ec1b93f7af9.com^$third-party -||b142d1440666173b0.com^$third-party -||b18a21ab3c9cb53.com^$third-party -||b18ed7d00817.com^$third-party -||b1b951f817beba948.com^$third-party -||b1f6fe5e3f0c3c8ba6.com^$third-party -||b1fb813dc806b7d.com^$third-party -||b1fe8a95ae27823.com^$third-party -||b24f74fdcf29851d.com^$third-party -||b29f325f9383.com^$third-party -||b3ff2cfeb6f49e.com^$third-party -||b400393baba7cd476a3.com^$third-party -||b45a0da7c44600e69.com^$third-party -||b568tkqe.bid^$third-party -||b59812ee54afcabd.com^$third-party -||b5ae848728034caddca.com^$third-party -||b6aa6257a22451c.com^$third-party -||b76adf2b602.com^$third-party -||b7f479db14a7.com^$third-party -||b88c9bd1dcedfc3.com^$third-party -||b8cf0fd3179ef.com^$third-party -||b936c5932623f.com^$third-party -||b97beb2fed1c4f.com^$third-party -||b9a861044f1.com^$third-party -||b9ba73f1cd9b6.com^$third-party -||b9c73b037e8c27df5.com^$third-party -||ba6af3a0099c6cb9eb5.com^$third-party -||baa2e174884c9c0460e.com^$third-party -||backlogtop.xyz^$third-party -||bae093b2b20fde784.com^$third-party -||bb1acb0ea5ddb1fed8.com^$third-party -||bb475d71fa0b1b2.com^$third-party -||bb47d806f644cb2.com^$third-party -||bf7d2b46e79a7.com^$third-party -||bfb487de1f2da5c.com^$third-party -||bfc70a51929fff2d7fe.com^$third-party -||bfe4e6d364be199.com^$third-party -||bwknu1lo.top^$third-party -||c0afd4609c303.com^$third-party -||c10ed2b8b417880.com^$third-party -||c1f9b35b00f.com^$third-party -||c4698cd6aed0dcef367.com^$third-party -||c63d72a4022.com^$third-party -||c71a045530f0c1c8.com^$third-party -||c75b9ac5103e5d125b8.com^$third-party -||c7d470df880b1d0.com^$third-party -||c810b4e386a121f20.com^$third-party -||c92a198b4e0a.com^$third-party -||c93ec5a2c67bdc4.com^$third-party -||ca4ec6874a33a13.com^$third-party -||ca72472d7aee.com^$third-party -||ca867c69a5d34.com^$third-party -||cacfbf85ad2005e4c31.com^$third-party -||cafe58cc6d0ac.com^$third-party -||cartstick.com^$third-party -||cb5864239d752.com^$third-party -||cbb16ef5c520a0f.com^$third-party -||cc14d05942c685f7.com^$third-party -||cc4030c973cd1b7f4cd.com^$third-party -||cd490573c64f3f.com^$third-party -||cd87c85eb2890d048d2.com^$third-party -||cdnmedia.xyz^$third-party -||ce62e0d222bc5aca.com^$third-party -||ce69817852420b7fea.com^$third-party -||ce9c00f41ae8cdd.com^$third-party -||cebbe184db148.com^$third-party -||ceeglousaud.com^$third-party -||ceehimur.uk^$third-party -||cef9c80977e050.com^$third-party -||cf0aac5b4b68f728b22.com^$third-party -||cf26d627adf5.com^$third-party -||chainwalladsy.com^$third-party -||charmour.club^$third-party -||chauksoa.net^$third-party -||constintptr.com^$third-party -||coostuni.com^$third-party -||culsauwou.com^$third-party -||d04b7831b4690.com^$third-party -||d0eda50bf4f7d172c06.com^$third-party -||d0efb7d9aeb478d.com^$third-party -||d194f913ee63.com^$third-party -||d2eb561c06fa6.com^$third-party -||d31ea41705818c9.com^$third-party -||d3b75cfc88a9.com^$third-party -||d3e44a82c2df88.com^$third-party -||d400e5249d363b5617.com^$third-party -||d50285bff60edbb406.com^$third-party -||d53497a82c4f.com^$third-party -||d58bf31082fa97.com^$third-party -||d59fa492f75f520.com^$third-party -||d5c18469d17cb1d1.com^$third-party -||d5d4f491e92.com^$third-party -||d602196786e42d.com^$third-party -||d60227ef59e.com^$third-party -||d6a0826e866d3ac5b.com^$third-party -||d6e9d7d57085c0.com^$third-party -||d71e6dd31a026d45.com^$third-party -||d7e10fa2099.com^$third-party -||d869381a42af33b.com^$third-party -||d8b440faa110b.com^$third-party -||da60995df247712.com^$third-party -||da6fda11b2b0ba.com^$third-party -||danmeneldur.com^$third-party -||db14a56766c5e1a1c2.com^$third-party -||db1527d1439.com^$third-party -||db52cc91beabf7e8.com^$third-party -||db8a41d81b8dfe41de2.com^$third-party -||dc40b24004fa11f35b7.com^$third-party -||dc63bfb069ea522f.com^$third-party -||ddaac98f67e384d8a9.com^$third-party -||deliverymodo.com^$third-party -||df63de4ef399b.com^$third-party -||df8c5028a1fad1.com^$third-party -||df931f2841ac729.com^$third-party -||dfb79196408612f1.com^$third-party -||dokauzob.top^$third-party -||dropzenad.com^$third-party -||dsf4t5jfds34j.com^$third-party -||duzakergeex.com^$third-party -||e0663490cca0296f7.com^$third-party -||e0a42e1a21669b.com^$third-party -||e13085e58935e6.com^$third-party -||e162ea7e2bc11fcd545.com^$third-party -||e18a97eee94d0f2519.com^$third-party -||e2618abc9a1.com^$third-party -||e331ff4e674c083.com^$third-party -||e347bb14dc71778.com^$third-party -||e350570881272e.com^$third-party -||e521d17fa185a2.com^$third-party -||e68aa3c8f17.com^$third-party -||e6916adeb7e46a883.com^$third-party -||e713c2431ad39079.com^$third-party -||e7cb2d86b68099f16.com^$third-party -||e7e776c1a8bf677.com^$third-party -||e85440ec98f04725.com^$third-party -||e8934fbbed0495.com^$third-party -||e8dcdcd1ddcb352b.com^$third-party -||e960e146d9b5ca.com^$third-party -||e9976b21f1b2775b.com^$third-party -||eac0823ca94e3c07.com^$third-party -||eae33bbaf48.com^$third-party -||eb9918cd6a32b1cff.com^$third-party -||ee6a35c1eeee.com^$third-party -||eedsaiks.uk^$third-party -||eee3a05c040fef3.com^$third-party -||eelsouph.click^$third-party -||eetseemp.net^$third-party -||ef47038bbe7b894d7.com^$third-party -||ef867a1be4f83922.com^$third-party -||efd3b86a5fbddda.com^$third-party -||ekoocmujairt.com^$third-party -||ethikuma.link^$third-party -||f01ed651eca.com^$third-party -||f18a35cc33ee29a.com^$third-party -||f26f3cbe225289a0947.com^$third-party -||f2958da6965fde48.com^$third-party -||f35c5dba3b0b5b017.com^$third-party -||f3a2dc11dfb33.com^$third-party -||f45ff72fec5426ae.com^$third-party -||f47cecd3f0a29874f.com^$third-party -||f4906b7c15ba.com^$third-party -||f4fe214bd563.com^$third-party -||f5080f5cee5a00.com^$third-party -||f54b0c9d6893bda7b9a.com^$third-party -||f56e0ce2421904286.com^$third-party -||f5df267e72c8362650.com^$third-party -||f6ec580c1baa2.com^$third-party -||f8260adbf8558d6.com^$third-party -||f8316b45436f.com^$third-party -||f9918c3545cc7b.com^$third-party -||fa00c331ceacc.com^$third-party -||fb0c32d2f28c.com^$third-party -||fbb8a7d231b1867a.com^$third-party -||fbfd396918c60838.com^$third-party -||fc2b9b7ce3165.com^$third-party -||fc9033ae4bac99b6e.com^$third-party -||fcfd5de4b3be3.com^$third-party -||fd84e9a464aec4387a.com^$third-party -||fe95a992e6afb.com^$third-party -||ferreddo.com^$third-party -||ff52e77ba517.com^$third-party -||ff5bd8d9f8df.com^$third-party -||ficusoid.xyz^$third-party -||flac2flac.xyz^$third-party -||fmstigat.online^$third-party -||fuxoasim.link^$third-party -||fxox4wvv.win^$third-party -||gaitheed.com^$third-party -||gamesims.ru^$third-party -||getbonusnow3.com^$third-party -||gfdfhdh5t5453.com^$third-party -||glargoun.uk^$third-party -||gleechood.com^$third-party -||glotchat.click^$third-party -||graftaub.com^$third-party -||grafzen.com^$third-party -||graucoay.net^$third-party -||hashalre.uk^$third-party -||herowebads.com^$third-party -||hyphenion.com^$third-party -||interdfp.com^$third-party -! https://forums.lanik.us/viewtopic.php?p=144908#p144908 -||1bcde.com^$third-party -||1ccbt.com^$third-party -||abodealley.com^$third-party -||abserv123.com^$third-party -||acidityfoamy.com^$third-party -||afgmyvid.com^$third-party -||amadagasca.com^$third-party -||anyonemyth.com^$third-party -||babyboomboomads.com^$third-party -||brinein.com^$third-party -||bristlyapace.com^$third-party -||broomboxmain.com^$third-party -||challengedeprave.com^$third-party -||comegarage.com^$third-party -||completeexecutor.com^$third-party -||curriculture.com^$third-party -||decademical.com^$third-party -||downloadgot.com^$third-party -||evenexcite.com^$third-party -||fairnessels.com^$third-party -||fencemiracle.com^$third-party -||forcedolphin.com^$third-party -||forexplmdb.com^$third-party -||forterradirect.com^$third-party -||g1341551423.com^$third-party -||g2247755016.com^$third-party -||g2281971609.com^$third-party -||g2438896021.com^$third-party -||g2440001011.com^$third-party -||g2526721279.com^$third-party -||g2546417787.com^$third-party -||g2921554487.com^$third-party -||g3369554495.com^$third-party -||g344530742.com^$third-party -||g383912402.com^$third-party -||g3938452447.com^$third-party -||g4058683381.com^$third-party -||galaks.io^$third-party -||glxfls.com^$third-party -||gmyvids.com^$third-party -||helpclause.com^$third-party -||humparsi.com^$third-party -||injuredcandy.com^$third-party -||jackettrain.com^$third-party -||katurars.com^$third-party -||letsdoarbitrage.com^$third-party -||lutereum.com^$third-party -||lyoniaancony.com^$third-party -||makemyvids.com^$third-party -||mediadisclose.com^$third-party -||metricfast.com^$third-party -||mixturehopeful.com^$third-party -||mobdisc.net^$third-party -||mobdisc.org^$third-party -||mobsoftffree.xyz^$third-party -||moveadrenaline.com^$third-party -||mutualvehemence.com^$third-party -||naganoadigei.com^$third-party -||nererut.com^$third-party -||noblemagnition.com^$third-party -||ortonch.com^$third-party -||outlookabsorb.com^$third-party -||pndelfast.com^$third-party -||pnewspages.com^$third-party -||postback.info^$third-party -||producebreed.com^$third-party -||pushmenews.com^$third-party -||pushmobilenews.com^$third-party -||pyraming.com^$third-party -||renaissanto.com^$third-party -||retiremely.com^$third-party -||ridingintractable.com^$third-party -||rtbvideobox.com^$third-party -||safelyawake.com^$third-party -||septembership.com^$third-party -||smashseek.com^$third-party -||speedlinkdown.com^$third-party -||sspicy.ru^$third-party -||strainemergency.com^$third-party -||strawdense.com^$third-party -||stringroadway.com^$third-party -||strongexplain.com^$third-party -||tailorcave.com^$third-party -||textreason.com^$third-party -||theirsvendor.com^$third-party -||thismetric.com^$third-party -||trafficoverus.com^$third-party -||turngrind.com^$third-party -||uncyane.com^$third-party -||windowmentaria.com^$third-party -||xilbalar.com^$third-party -||zinidge.com^$third-party -! Tag adservers -||1el-1el-fie.com^$third-party -||1elllwrite.com^$third-party -||1han-rit-ten.com^$third-party -||1hanritten.com^$third-party -||1sen-pit-fan.com^$third-party -||2an-hit-ren.com^$third-party -||2delllwrite.com^$third-party -||2el-2el-fie.com^$third-party -||2hanwriten.com^$third-party -||3delllwrite.com^$third-party -||3el-3el-fie.com^$third-party -||4dtrk.com^$third-party -||adqy6rzwcs.com^$third-party -||badtopwitch.work^$third-party -||baletingo.com^$third-party -||bandelcot.com^$third-party -||belwrite.com^$third-party -||bip-bip-blip.com^$third-party -||bipwrite.com^$third-party -||bit-bork-boodle.com^$third-party -||blatungo.com^$third-party -||blu5fdclr.com^$third-party -||bob-bob-bobble.com^$third-party -||bobblewrite.com^$third-party -||boodlewrite.com^$third-party -||boom-boom-vroom.com^$third-party -||bororango.com^$third-party -||borotango.com^$third-party -||borrango.com^$third-party -||brtsumthree.com^$third-party -||cap-cap-pop.com^$third-party -||cash-ca-ching.com^$third-party -||cashcawrite.com^$third-party -||catwrite.com^$third-party -||cba-fed-igh.com^$third-party -||centwrite.com^$third-party -||clickperks.info^$third-party -||cold-cold-freezing.com^$third-party -||crickwrite.com^$third-party -||data-data-vac.com^$third-party -||del-del-ete.com^$third-party -||dit-dit-dot.com^$third-party -||ditdotsol.com^$third-party -||ditwrite.com^$third-party -||dogwrite.com^$third-party -||doublepimpssl.com^$third-party -||dubvacasept.com^$third-party -||ebocornac.com^$third-party -||ecto-ecto-uno.com^$third-party -||erniphiq.com^$third-party -||flipy6sudy.com^$third-party -||garo-garo-osh.com^$third-party -||garowrite.com^$third-party -||ge-ge-force.com^$third-party -||gefwrite.com^$third-party -||givingsol.com^$third-party -||glo-glo-oom.com^$third-party -||hash-hash-tag.com^$third-party -||havenwrite.com^$third-party -||hoortols.org^$third-party -||hortestoz.com^$third-party -||host-host-ads.com^$third-party -||infrashift.com^$third-party -||jeinvegpool.com^$third-party -||kj2hy.com^$third-party -||la-la-moon.com^$third-party -||la-la-sf.com^$third-party -||lepinsar.com^$third-party -||lepintor.com^$third-party -||livwrite.com^$third-party -||lmn-pou-win.com^$third-party -||lnkrdr.com^$third-party -||meepwrite.com^$third-party -||netrosol.net^$third-party -||new-new-years.com^$third-party -||new17write.com^$third-party -||newsadst.com^$third-party -||nyacampwk.com^$third-party -||otnolatrnup.com^$third-party -||parwrite.com^$third-party -||qel-qel-fie.com^$third-party -||qelllwrite.com^$third-party -||raz-raz-mataz.com^$third-party -||razwrite.com^$third-party -||rdrtrk.com^$third-party -||rick-rick-rob.com^$third-party -||sel-sel-fie.com^$third-party -||selwrite.com^$third-party -||swan-swan-goose.com^$third-party -||tek-tek-trek.com^$third-party -||tel-tel-fie.com^$third-party -||telllwrite.com^$third-party -||thurnflfant.com^$third-party -||tic-tic-bam.com^$third-party -||tic-tic-toc.com^$third-party -||tin-tin-win.com^$third-party -||tlootas.org^$third-party -||tok-dan-host.com^$third-party -||toodlepork.com^$third-party -||tororango.com^$third-party -||torpsol.com^$third-party -||torrango.com^$third-party -||totifiquo.com^$third-party -||tur-tur-key.com^$third-party -||uel-uel-fie.com^$third-party -||uelllwrite.com^$third-party -||unoblotto.net^$third-party -||vacwrite.com^$third-party -||vaultwrite.com^$third-party -||vip-vip-vup.com^$third-party -||wel-wel-fie.com^$third-party -||welllwrite.com^$third-party -||wrierville.com^$third-party -||xel-xel-fie.com^$third-party -||xelllwrite.com^$third-party -||xmas-xmas-wow.com^$third-party -||zel-zel-fie.com^$third-party -||zelllwrite.com^$third-party -||zenhppyad.com^$third-party -||zim-zim-zam.com^$third-party -||zinhavnpak.com^$third-party -||zip-zip-swan.com^$third-party -||zlacraft.com^$third-party -||zorango.com^$third-party -! Mobile -||adbuddiz.com^$third-party -||adcolony.com^$third-party -||adiquity.com^$third-party -||admob.com^$third-party -||adwhirl.com^$third-party -||adwired.mobi^$third-party -||adzmob.com^$third-party -||airpush.com^$third-party -||amobee.com^$third-party -||appads.com^$third-party -||buxx.mobi^$third-party -||dmg-mobile.com^$third-party -||doubleclick.net^*/pfadx/app.ytpwatch.$third-party -||greystripe.com^$third-party -||inmobi.com^$third-party -||kuad.kusogi.com^$third-party -||loopme.me^$third-party -||mad-adz.com^$third-party -||millennialmedia.com^$third-party -||mkhoj.com^$third-party -||mobgold.com^$third-party -||mobizme.net^$third-party -||mobpartner.mobi^$third-party -||mocean.mobi^$third-party -||mojiva.com^$third-party -||mysearch-online.com^$third-party -||sascdn.com^$third-party -||smaato.net^$third-party -||startappexchange.com^$third-party -||stepkeydo.com^$third-party -||tapjoyads.com^$third-party -||vungle.com^$third-party -||wapdollar.in^$third-party -||waptrick.com^$third-party -||yieldmo.com^$third-party -! Admiral -||acrididae.com^$third-party -||actuallysheep.com^$third-party -||agreeableprice.com^$third-party -||beamkite.com^$third-party -||bedsbreath.com^$third-party -||brassrule.com^$third-party -||breezybath.com^$third-party -||chiefcurrent.com^$third-party -||commandwalk.com^$third-party -||commoncannon.com^$third-party -||concernrain.com^$third-party -||copyrightaccesscontrols.com^$third-party -||crownclam.com^$third-party -||delightdriving.com^$third-party -||differentdesk.com^$third-party -||fanaticalfly.com^$third-party -||flavordecision.com^$third-party -||foamybox.com^$third-party -||ga87z2o.com^$third-party -||illustriousoatmeal.com^$third-party -||inatye.com^$third-party -||incrediblesugar.com^$third-party -||karisimbi.net^$third-party -||loudloss.com^$third-party -||matchcows.com^$third-party -||mellowtin.com^$third-party -||metapelite.com^$third-party -||mythimna.com^$third-party -||ovalpigs.com^$third-party -||peacepowder.com^$third-party -||provideplant.com^$third-party -||puzzlingfall.com^$third-party -||ritzysponge.com^$third-party -||roastedvoice.com^$third-party -||similarsabine.com^$third-party -||sinceresofa.com^$third-party -||smilingsock.com^$third-party -||snakesort.com^$third-party -||sneakystamp.com^$third-party -||spillvacation.com^$third-party -||stormyshock.com^$third-party -||structuresofa.com^$third-party -||succeedscene.com^$third-party -||terribleturkey.com^$third-party -||tidytrail.com^$third-party -||truthfulhead.com^$third-party -! Non-English (instead of whitelisting ads) -||adhood.com^$third-party -||atresadvertising.com^$third-party -! admeasures.com -||05y2dxmr.top^$third-party -||0a0qetx8et.com^$third-party -||0f81i8zmcp.com^$third-party -||0gctp5ht.top^$third-party -||0j7z9aw6.top^$third-party -||0ql3xxre2h.com^$third-party -||11hrcnll.com^$third-party -||13vm73vbmp.com^$third-party -||157ita684j.com^$third-party -||1ea1sley.com^$third-party -||1gkjk1ms15.com^$third-party -||1jvd7f7w.top^$third-party -||2cbisyjaae.com^$third-party -||2cuknh50ef.com^$third-party -||2lwlh385os.com^$third-party -||2ptxxjjzpy.com^$third-party -||31y6b8omk2.com^$third-party -||3bfkxta3dg.com^$third-party -||3jmcwio.com^$third-party -||3wt4c.com^$third-party -||4f2sm1y1ss.com^$third-party -||4o64flb.com^$third-party -||4v9wp.com^$third-party -||565an8qpws.com^$third-party -||59cn7.com^$third-party -||5db8d92zi2.com^$third-party -||5qg9ibt1a6.com^$third-party -||5yfi7sy.com^$third-party -||65mjvw6i1z.com^$third-party -||65xps.com^$third-party -||6f2tjr26.top^$third-party -||6jvt2.top^$third-party -||6kup12tgxx.com^$third-party -||6l1twlw9fy.com^$third-party -||6u4dxh2f14.com^$third-party -||6v0dgrcr6q.com^$third-party -||78tdd75.com^$third-party -||79ucic4ss8.com^$third-party -||7s08gpbp39.com^$third-party -||7svuq83t90.com^$third-party -||7vxlfstt.top^$third-party -||7wkfzsj7ss.com^$third-party -||89tmolir.top^$third-party -||8dsd3.top^$third-party -||8iqpy8cgkk.com^$third-party -||8ue9q7i.com^$third-party -||8wey4x0c.com^$third-party -||947ywzlspq.com^$third-party -||99hucfypkq.com^$third-party -||9c51vda.com^$third-party -||9h7n8.com^$third-party -||9ib5cxi9e0.com^$third-party -||9utwbj08.top^$third-party -||a63t9o1azf.com^$third-party -||ads-codes.net^$third-party -||aeckcjy.com^$third-party -||aeghae5y.com^$third-party -||aeghie6dien.info^$third-party -||aew9eigieng.info^$third-party -||ahn2phee3oh.info^$third-party -||ajjhtetv87.com^$third-party -||ajkzd9h.com^$third-party -||asadzntx.com^$third-party -||aubhiple2.com^$third-party -||b6roqgi.com^$third-party -||b84pharkhv.com^$third-party -||b8y4ddrvap.com^$third-party -||be4anywhere.com^$third-party -||bg6s0.com^$third-party -||blrqeqn.com^$third-party -||bmsusqt94u.com^$third-party -||booj7tho.com^$third-party -||casterist.com^$third-party -||caxvm62zyz.com^$third-party -||chohye2t.com^$third-party -||ci3ixee8.com^$third-party -||cjvj6jqxpf.com^$third-party -||clickmngr.com^$third-party -||cottawa.info^$third-party -||create2fear.com^$third-party -||d22chwk8np.com^$third-party -||d7vjqf37fh.com^$third-party -||d9e2m9e83l.com^$third-party -||dah0ooy4doe.info^$third-party -||dlzm790g.com^$third-party -||dnr51y6xj4.com^$third-party -||e6cfmdmo81.com^$third-party -||e7is2u38.top^$third-party -||eaqxjz6bra.com^$third-party -||ebahpya.com^$third-party -||ecpms.net^$third-party -||ed9wkbpy.com^$third-party -||ef5ahgoo.com^$third-party -||ejdkqclkzq.com^$third-party -||enloe6qtkd.com^$third-party -||explore2be.com^$third-party -||f09vhflf10.com^$third-party -||faeph6ax.com^$third-party -||ff76khyn6c.com^$third-party -||fiechaev.com^$third-party -||fivzzu1vyo.com^$third-party -||fkbwtoopwg.com^$third-party -||fljozww19f.com^$third-party -||gb0rd.com^$third-party -||gfbnr.com^$third-party -||goo2anywhere.com^$third-party -||gri98.com^$third-party -||h5tjj3loy2.com^$third-party -||h83zvgrg29.com^$third-party -||hf18yg8q.com^$third-party -||hg8dc7bm.com^$third-party -||hghm4u7b61.com^$third-party -||hicpm10.com^$third-party -||hiekeegi.com^$third-party -||hitcpm.com^$third-party -||hwekl8dz1d.com^$third-party -||i0s26ol9.com^$third-party -||i4yfew0k6j.com^$third-party -||i864ekhq.com^$third-party -||i9zqq3fj.top^$third-party -||ib1oyteqqn.com^$third-party -||idch9s8d.com^$third-party -||iocnkrbgic.com^$third-party -||ipbsgpm4.top^$third-party -||irgulzk8bi.com^$third-party -||ishahguv.com^$third-party -||itcfnfi.com^$third-party -||ixeq490u20.com^$third-party -||jf71qh5v14.com^$third-party -||jolic2.com^$third-party -||jqcv28q.com^$third-party -||jqzzqsm.com^$third-party -||jwvwak1a.com^$third-party -||jynp9m209p.com^$third-party -||k77hof1z7k.com^$third-party -||ka04b.com^$third-party -||kbx1sth37s.com^$third-party -||keqi7dh3df.com^$third-party -||krs1v2sl.com^$third-party -||ktyawzg.com^$third-party -||l4oecosq.com^$third-party -||l7r0sgc0.top^$third-party -||ldt1duixoe.com^$third-party -||lfg5jnbi.com^$third-party -||lh5lg.top^$third-party -||lhqojeofvo.com^$third-party -||lie2anyone.com^$third-party -||lie4anyone.com^$third-party -||lie8oong.com^$third-party -||lkp7jo3s.com^$third-party -||lld2q.com^$third-party -||llq9q2lacr.com^$third-party -||lzpv4rsmat.com^$third-party -||m3bnqqqw.com^$third-party -||m9in5.top^$third-party -||maebtjn.com^$third-party -||meinooriut3.info^$third-party -||mg6ikpbhco.com^$third-party -||mh9dskj8jg.com^$third-party -||mhbdezpwdq.com^$third-party -||mpuqvoa.com^$third-party -||mqpx4.com^$third-party -||mtvp05j.com^$third-party -||mzol7lbm.com^$third-party -||nepalhtml.com^$third-party -||newcustomads.com^$third-party -||nich1eox.com^$third-party -||no1chie7poh.info^$third-party -||nrdlj2ru.com^$third-party -||ofy3m0gp.com^$third-party -||ohs1upuwi8b.info^$third-party -||ohv1tie2.com^$third-party -||oicssiq.com^$third-party -||olfkptkfop.com^$third-party -||ooq5z.com^$third-party -||p5genexs.com^$third-party -||p78lld1s.top^$third-party -||pbterra.com^$third-party -||pesbqkopdm.com^$third-party -||provalist.info^$third-party -||ptarepjx.com^$third-party -||pujj652hkm.com^$third-party -||pussl10.com^$third-party -||pussl3.com^$third-party -||pussl31.com^$third-party -||pussl32.com^$third-party -||pussl33.com^$third-party -||pussl37.com^$third-party -||pussl38.com^$third-party -||pussl39.com^$third-party -||pussl40.com^$third-party -||pussl48.com^$third-party -||pussl5.com^$third-party -||pussl6.com^$third-party -||pussl8.com^$third-party -||putrr10.com^$third-party -||putrr12.com^$third-party -||putrr13.com^$third-party -||putrr14.com^$third-party -||putrr15.com^$third-party -||putrr16.com^$third-party -||putrr17.com^$third-party -||putrr18.com^$third-party -||putrr19.com^$third-party -||putrr20.com^$third-party -||putrr5.com^$third-party -||putrr6.com^$third-party -||putrr7.com^$third-party -||putrr8.com^$third-party -||pvclouds.com^$third-party -||pw8tq9wk.top^$third-party -||pwufxar8.top^$third-party -||q0zsp5e3dv.com^$third-party -||q8ux4fscc7.com^$third-party -||qiheptnm80.com^$third-party -||qkpcihpo16.com^$third-party -||qth7n6akcr.com^$third-party -||qued9yae1ai.info^$third-party -||rd99mxvoa3.com^$third-party -||reiseeget.com^$third-party -||rtbterra.com^$third-party -||rvnc72k.com^$third-party -||rzekbhnk.top^$third-party -||s2sterra.com^$third-party -||s4yxaqyq95.com^$third-party -||sahraex7vah.info^$third-party -||saub27i3os.com^$third-party -||sd5doozry8.com^$third-party -||seskeu3zk7.com^$third-party -||shemeejo.com^$third-party -||si1ef.com^$third-party -||sloi1.com^$third-party -||sm534z1jpx.com^$third-party -||sophang8.com^$third-party -||ssl2anyone3.com^$third-party -||ssl2anyone5.com^$third-party -||ssl4anyone4.com^$third-party -||ssraju3n.com^$third-party -||stat.biqle.ru^$third-party -||svjat0rx99.com^$third-party -||talk4anyone.com^$third-party -||talk4none.com^$third-party -||tbnmmjm.com^$third-party -||tbv157xq.com^$third-party -||tckjttdn.top^$third-party -||terraadstools.com^$third-party -||tfa5e.top^$third-party -||thxczhfzad.com^$third-party -||tkekbn5sfk.com^$third-party -||true2file.com^$third-party -||u1trkqf.com^$third-party -||u29ngmuc.top^$third-party -||u39chju32a.com^$third-party -||u4ghzfb.com^$third-party -||u9oxdnxk8b.com^$third-party -||ufqfnecblo.com^$third-party -||ujccccb.com^$third-party -||undef2trust.com^$third-party -||uod2quk646.com^$third-party -||urahor9u.com^$third-party -||urlife2all.com^$third-party -||uxbewzrfyp.com^$third-party -||uxxr80jwng.com^$third-party -||vaxaqngzs3.com^$third-party -||vg74gi6mea.com^$third-party -||vhldwuv6om.com^$third-party -||vipcpms.com^$third-party -||viriepak.com^$third-party -||viuboin4.com^$third-party -||vnw2gd68pb.com^$third-party -||wha8q7pevj.com^$third-party -||wmjj2vke66.com^$third-party -||wqgdajjozr.com^$third-party -||ww2.imgdrive.net^$third-party -||wzdzht7am5.com^$third-party -||x0r.urlgalleries.net^$third-party -||x3w7lvezss.com^$third-party -||x7xirtzmot.com^$third-party -||xbzwwsagli.com^$third-party -||xev2o.com^$third-party -||xilfqkxezy.com^$third-party -||xlmis.com^$third-party -||xu5ctufltn.com^$third-party -||xywdvhd.com^$third-party -||y4jtnergka.com^$third-party -||yie4zooseif.info^$third-party -||ynhhgr2zen.com^$third-party -||yudexjr.com^$third-party -||yvzgazds6d.com^$third-party -||yw9f088h61.com^$third-party -||zaeyaeph.com^$third-party -||zddxlih.com^$third-party -||zjo0tjqpm1.com^$third-party -||zrav2wkbrs.com^$third-party -||zu4l167j77.com^$third-party -! popads.net -||aabmxezph.com^$third-party -||aacgeuvaoqbw.com^$third-party -||aadbobwqgmzi.com^$third-party -||aaeqlxdgx.bid^$third-party -||aagmbroxruno.com^$third-party -||aahfcroigwso.com^$third-party -||aajychvi.bid^$third-party -||aanvxbvkdxph.com^$third-party -||aaomstbnbiqo.com^$third-party -||aapxtnrhq.bid^$third-party -||aaqpajztftqw.com^$third-party -||aariczayhpo.com^$third-party -||aarwxotc.com^$third-party -||aaslmqzce.bid^$third-party -||aasopqgmzywa.com^$third-party -||aatfnptblbxpuy.bid^$third-party -||aatmytrykqhi.com^$third-party -||aayaknbn.com^$third-party -||aazwugtom.com^$third-party -||abaujsqnndg.bid^$third-party -||abbahoxgss.com^$third-party -||abbowtxibib.com^$third-party -||abekjzzhfbr.com^$third-party -||abfcfxfkzmiqht.com^$third-party -||abunmrqsbfn.bid^$third-party -||abuuvohpzlcrp.bid^$third-party -||abxlmhllf.com^$third-party -||abyvhqmfnvih.com^$third-party -||acacexjsh.com^$third-party -||acbrupozabmdc.com^$third-party -||acdektqffm.com^$third-party -||acduswfvyjylzq.com^$third-party -||achsijkc.com^$third-party -||acjmkenepeyn.com^$third-party -||aclhagvngkjf.com^$third-party -||aclsqdpgeaik.com^$third-party -||aclwlkyzxxhn.com^$third-party -||acnsavlosahs.com^$third-party -||acpxgmzozlxtbj.bid^$third-party -||acrsgxeah.com^$third-party -||acvxsptoqh.com^$third-party -||acwswfbyhtsf.com^$third-party -||acwyoynw.com^$third-party -||acxujxzdluum.com^$third-party -||adakgpoi.com^$third-party -||addgfxnb.com^$third-party -||adeyujimmmh.com^$third-party -||adfoitjumerzge.com^$third-party -||adfpkxvaqeyj.com^$third-party -||adgsfoxoavmc.com^$third-party -||admlqqewbede.com^$third-party -||adofuokjj.bid^$third-party -||adqvauwe.com^$third-party -||adrtgbebgd.bid^$third-party -||adtbomthnsyz.com^$third-party -||adtikimdtfbb.com^$third-party -||adudzlhdjgof.com^$third-party -||aduobooydxr.com^$third-party -||advmaiotg.com^$third-party -||adxpddpc.com^$third-party -||aeeefzfuk.com^$third-party -||aeezeynmam.bid^$third-party -||aefqdgklyu.com^$third-party -||aefvxtue.com^$third-party -||aeizbvtknp.com^$third-party -||aekduylxcmlevs.bid^$third-party -||aemhabst.bid^$third-party -||aemxvcqi.com^$third-party -||aenrqpnfmdogf.com^$third-party -||aeobzaii.com^$third-party -||aepwqsajypyti.com^$third-party -||aerkxydrptnv.com^$third-party -||aerqvywe.com^$third-party -||aeuiazspafmbu.com^$third-party -||aeunorkjuqtn.com^$third-party -||aewzmsurtab.com^$third-party -||aeyjbtwdf.bid^$third-party -||aezeluusbdajjx.com^$third-party -||afbfoxmwzlqa.com^$third-party -||afdyfxfrwbfy.com^$third-party -||afedispdljgb.com^$third-party -||afeeknuueaztxt.com^$third-party -||afeuvqrsswz.com^$third-party -||afgbvhocfvpm.com^$third-party -||aflcdijgmr.bid^$third-party -||afnrmofoljod.com^$third-party -||afpisdddjik.bid^$third-party -||afqvtomlqjioeo.com^$third-party -||afqwfxkjmgwv.com^$third-party -||afxtcajgtzcugb.com^$third-party -||afyqzjxzuupmz.bid^$third-party -||afzkqajwcbub.com^$third-party -||afzoyaquhjltdd.com^$third-party -||agegefpkbll.bid^$third-party -||agffpcpi.bid^$third-party -||agfqcndiugnr.com^$third-party -||agfwzptrqb.bid^$third-party -||aggntknflhal.com^$third-party -||aggpfmdtzf.com^$third-party -||agiuvdbcxdirh.com^$third-party -||agiuzlmavpnlb.com^$third-party -||aglyzutlhnbtgu.bid^$third-party -||agnznxaqd.com^$third-party -||agospkfp.bid^$third-party -||agpnzrmptmos.com^$third-party -||agqguxbm.com^$third-party -||agrxsdujnh.com^$third-party -||agshzkcsvoou.bid^$third-party -||agvinhvex.com^$third-party -||agwsneccrbda.com^$third-party -||agzupwcefbjol.bid^$third-party -||ahfmyeuwlhp.bid^$third-party -||ahgekvzwjn.com^$third-party -||ahjljmxfxuet.com^$third-party -||ahkilcrublxn.bid^$third-party -||ahkpdnrtjwat.com^$third-party -||ahstrelgnh.com^$third-party -||ahtkajcs.com^$third-party -||ahuivddkvrrebo.com^$third-party -||ahuosyyqprt.com^$third-party -||ahvnvtxbk.bid^$third-party -||ahwjxktemuyz.com^$third-party -||ahyuzjgukqyd.com^$third-party -||ahzybvwdwrhi.com^$third-party -||aibcqjlvxxd.com^$third-party -||aicrgbnswhc.bid^$third-party -||aigysycrmuoetk.com^$third-party -||aiiaqehoqgrj.com^$third-party -||aiiukvzjtsc.com^$third-party -||aikdakxoc.com^$third-party -||aionvpexcmm.com^$third-party -||aioxvilwpg.bid^$third-party -||aiprvqqnhm.com^$third-party -||airfhtyo.bid^$third-party -||aitdwhmcvlm.com^$third-party -||aiwznhifgkdqvy.com^$third-party -||aiypulgy.com^$third-party -||aizopowmtnho.com^$third-party -||ajaeihzlcwvn.com^$third-party -||ajcsjktzlqh.com^$third-party -||ajfziqehnwvz.com^$third-party -||ajgffcat.com^$third-party -||ajizjpjkrnh.com^$third-party -||ajkjnofeqrra.bid^$third-party -||ajmggjgrardn.com^$third-party -||ajmwuweeif.com^$third-party -||ajmyrtdiwvg.bid^$third-party -||ajoaorexnieym.com^$third-party -||ajocbplhzcvr.bid^$third-party -||ajrwmjdbey.com^$third-party -||ajttqxeqg.com^$third-party -||ajuegtbkqnh.com^$third-party -||ajxftwwmlinv.com^$third-party -||ajxwyowuylhos.bid^$third-party -||ajzdkkzv.com^$third-party -||ajzxdeslpbnhp.bid^$third-party -||akbeyfcu.com^$third-party -||akbiokbinnzh.com^$third-party -||akcdinzvcenhjh.com^$third-party -||akdzimverrss.com^$third-party -||akgustnmy.com^$third-party -||akhlkkdrxwav.com^$third-party -||akmihtdbbz.com^$third-party -||aknrvuahd.bid^$third-party -||akoeurmzrqjg.com^$third-party -||akovcxrklaq.bid^$third-party -||akrzgxzjynpi.com^$third-party -||akviqfqbwqqj.com^$third-party -||akvtmvoolwlm.bid^$third-party -||akxsrsdbursfpx.bid^$third-party -||akyscwwwttk.com^$third-party -||akzqosxbzl.bid^$third-party -||akzvxmjnubq.com^$third-party -||aladbvddjsxf.com^$third-party -||alajwtqyw.com^$third-party -||alasdzdnfvtj.com^$third-party -||aldaobpuhvl.com^$third-party -||algkebjdgafa.com^$third-party -||algnnojsdr.com^$third-party -||algrizej.com^$third-party -||alidnquxirv.bid^$third-party -||alikuvxxwy.com^$third-party -||aljsuubo.com^$third-party -||alkagrkgvltzlk.com^$third-party -||allnvbtrtpku.com^$third-party -||alnisdrmhs.bid^$third-party -||alvdtjrb.com^$third-party -||alvivigqrogq.com^$third-party -||alxetzfhlzekv.bid^$third-party -||alxzes.com^$third-party -||amaecylce.com^$third-party -||amaqcgrrmedi.bid^$third-party -||amauzaqp.com^$third-party -||ambqphwf.com^$third-party -||amdhlyqfy.bid^$third-party -||amgkkjgjktml.com^$third-party -||amhpbhyxfgvd.com^$third-party -||amjbzzicysu.bid^$third-party -||amjrfmhtmoyan.com^$third-party -||amlcscfr.com^$third-party -||amlyrket.bid^$third-party -||ammqwpksb.bid^$third-party -||ammuburyqlhsjx.bid^$third-party -||amnpmitevuxx.com^$third-party -||amnrbviujof.com^$third-party -||ampnkoudpnd.bid^$third-party -||amqcdbles.com^$third-party -||amqtbshegbqg.com^$third-party -||amrfscxvdvfvpa.com^$third-party -||amwupsihqfewgr.com^$third-party -||anasjdzutdmv.com^$third-party -||aneqmscervl.com^$third-party -||anfjrxbxbar.bid^$third-party -||angtqemchz.bid^$third-party -||anjjyewywjw.bid^$third-party -||anjqxwvqfnri.com^$third-party -||ankbmqtt.com^$third-party -||ankcnflupb.com^$third-party -||anleqthwxxns.com^$third-party -||anluecyopslm.com^$third-party -||anogjkubvdfe.com^$third-party -||anoufpjmkled.com^$third-party -||anpwsppugpu.com^$third-party -||anqnimezkdjm.com^$third-party -||antrtrtyzkhw.com^$third-party -||anvagsqctxsaz.bid^$third-party -||anvskelwpvvmtg.bid^$third-party -||anypbbervqig.com^$third-party -||anyuwksovtwv.com^$third-party -||aodqhrwbaky.com^$third-party -||aofxqchnbtae.bid^$third-party -||aohonqhbhuljz.com^$third-party -||aomegwesrfbvxe.com^$third-party -||aominpzhzhwj.com^$third-party -||aomvdhxvblfp.com^$third-party -||aonxktnn.com^$third-party -||aoqpvhstmc.bid^$third-party -||aoqviogrwckf.com^$third-party -||aoqvovzrtlpn.bid^$third-party -||aorzglux.com^$third-party -||aoshrcptugsjd.com^$third-party -||aotrcqegtfhlaw.bid^$third-party -||aovajfmsy.com^$third-party -||aoxkyvcmgr.bid^$third-party -||aoxntgxf.bid^$third-party -||aoyfhtarolgemn.bid^$third-party -||apbwldhfuvnk.com^$third-party -||apddozcgdh.com^$third-party -||apfbtiqdly.bid^$third-party -||apfmwcktbj.com^$third-party -||apgjczhgjrka.com^$third-party -||aphjbgth.com^$third-party -||apiryrkxkhil.com^$third-party -||aplfkrppjsutf.com^$third-party -||apmgzzaej.bid^$third-party -||apmkcdsnv.bid^$third-party -||aprddnfuzc.bid^$third-party -||apscxogwydnkx.com^$third-party -||apsntakwzycu.com^$third-party -||aptaeabkg.com^$third-party -||apuorlaqiscu.bid^$third-party -||apwtlkkd.bid^$third-party -||apzbwicuuujw.bid^$third-party -||apzzvvztziqex.bid^$third-party -||aqdrzqsuxxvd.com^$third-party -||aqeukceruxzd.com^$third-party -||aqfpqzxzk.com^$third-party -||aqjdigkqvmakz.com^$third-party -||aqkujuggztyn.bid^$third-party -||aqlvpnfxrkyf.com^$third-party -||aqocbcnfxkuw.com^$third-party -||aqodwthjaq.com^$third-party -||aqornnfwxmua.com^$third-party -||aqotbmnzra.com^$third-party -||aqrglffxw.com^$third-party -||aqryyhyzjveh.com^$third-party -||aqsijnkyauxur.bid^$third-party -||aqsuhqqgv.bid^$third-party -||aqtnrnuhqfaf.bid^$third-party -||aquhcfvu.com^$third-party -||aqussxtpjfelp.com^$third-party -||aqyhsqhggq.com^$third-party -||aragvjeosjdx.com^$third-party -||arawegnvvufy.com^$third-party -||arcfwcxi.com^$third-party -||arfttojxv.com^$third-party -||arjgnqlsdo.com^$third-party -||arkhamxojvr.com^$third-party -||arllvzkoh.com^$third-party -||arloxpiosxzjw.bid^$third-party -||arprijxrml.bid^$third-party -||arqxpopcywrr.bid^$third-party -||artnbnbam.com^$third-party -||artsdvaguur.com^$third-party -||artucripkzu.com^$third-party -||arwlvjqzxxnftz.com^$third-party -||arxerlxllv.bid^$third-party -||aryufuxbmwnb.com^$third-party -||asbqyhrpty.com^$third-party -||asdtwttky.com^$third-party -||asecxggulyrf.com^$third-party -||ashwlrtiazee.com^$third-party -||askywtrk.com^$third-party -||asmvccgoy.bid^$third-party -||asotnnwspw.bid^$third-party -||aspxbwteth.com^$third-party -||asqamasz.com^$third-party -||asqbwneriyvur.com^$third-party -||asqpniwvxea.com^$third-party -||asrjtcddksm.com^$third-party -||asrjxxzxmxy.com^$third-party -||astpvgpwbewx.com^$third-party -||aszdmbftkccdkj.com^$third-party -||aszyzwbjs.com^$third-party -||ataufekxogxr.com^$third-party -||atcyboopajyp.com^$third-party -||atczxgxuxloqf.com^$third-party -||atebqbjh.bid^$third-party -||atijsiwpbrvtm.bid^$third-party -||atjgtndhvbescp.bid^$third-party -||atkkkyhyxemut.bid^$third-party -||atrcoikdyagv.com^$third-party -||atryzvsn.com^$third-party -||atzrsfweb.bid^$third-party -||aubmolods.com^$third-party -||aubrythgmge.bid^$third-party -||audersmi.com^$third-party -||aueceijyp.bid^$third-party -||aufyuiavvkf.bid^$third-party -||aultemeztokc.com^$third-party -||authmoumrl.com^$third-party -||autkmgrbdlbj.com^$third-party -||auwqdpbyl.com^$third-party -||auyyklnpj.com^$third-party -||avbnzstidjh.com^$third-party -||avdfcctzwfdk.com^$third-party -||avditmiohvtq.bid^$third-party -||avefyjulko.bid^$third-party -||avfymwmwpky.com^$third-party -||avjxftprif.com^$third-party -||avkigyhrazah.com^$third-party -||avlysyhuvxebl.bid^$third-party -||avokvnpqunol.bid^$third-party -||avoljljeif.com^$third-party -||avonnfckdeqeyr.com^$third-party -||avpgdzdesjnt.com^$third-party -||avptczdpdh.bid^$third-party -||avrdpbiwvwyt.com^$third-party -||avrdrpwt.com^$third-party -||avvfgiytnir.com^$third-party -||avvlnbpwpemfl.bid^$third-party -||avyrpwvm.com^$third-party -||avzkjvbaxgqk.com^$third-party -||awaeswvqd.bid^$third-party -||awbvqznqxysjjw.com^$third-party -||awfjqdhcuftd.com^$third-party -||awgdgpawhwgi.bid^$third-party -||awgsmfzrslcp.com^$third-party -||awgyhiupjzvu.com^$third-party -||awhxbiqf.com^$third-party -||awjgketgdpzqxo.bid^$third-party -||awjkbnhylulcl.bid^$third-party -||awogbtinorwx.com^$third-party -||awpxjguq.com^$third-party -||awrspmpj.com^$third-party -||awrxkucpfbsq.com^$third-party -||awsatstb.com^$third-party -||awvrvqxq.com^$third-party -||awvuhwqyimgd.com^$third-party -||awxjpkxoqfwaj.bid^$third-party -||axaggthnkquj.com^$third-party -||axbouiklwghehw.com^$third-party -||axbpixbcucv.bid^$third-party -||axbsdoysiogrrc.bid^$third-party -||axcqasdiots.com^$third-party -||axeobgnsk.com^$third-party -||axfihweksrgor.com^$third-party -||axfkfstrbacx.com^$third-party -||axfsqwyidpml.com^$third-party -||axgkizsmtgks.com^$third-party -||axglltqwtmnl.com^$third-party -||axhkxqmrqxf.bid^$third-party -||axjnnlrc.bid^$third-party -||axjxdtnguuyqr.com^$third-party -||axkiznybznfa.bid^$third-party -||axmxarqxbkc.com^$third-party -||axsczaklngkxx.com^$third-party -||axvabgnr.com^$third-party -||axzrxkkklakka.com^$third-party -||aycwvgrra.com^$third-party -||ayhdwulehfdwn.com^$third-party -||ayjebauqdrys.com^$third-party -||aykgxavgrooa.com^$third-party -||aykosfkx.bid^$third-party -||ayloqdal.bid^$third-party -||ayozhcgcsyun.com^$third-party -||ayyslqwrmoygf.com^$third-party -||ayyvsbbbav.com^$third-party -||ayyxveilslz.com^$third-party -||azbdbtsmdocl.com^$third-party -||azdhfnoojvpuvr.com^$third-party -||azditojzcdkc.com^$third-party -||azebikcvhtysn.com^$third-party -||azeozrjk.com^$third-party -||azfmulmqcz.bid^$third-party -||azfoibmukpwz.com^$third-party -||azgmbqhlr.com^$third-party -||azgwyeyjufdqc.com^$third-party -||azgyimccolyyo.com^$third-party -||azgyzdjexcxg.com^$third-party -||azhdgruuvllzxg.com^$third-party -||azihmmkagcey.com^$third-party -||azkvcgzjsrmk.com^$third-party -||azlbmpidrvnoi.bid^$third-party -||aznfyqgrbgy.com^$third-party -||azofucrzkkaa.com^$third-party -||azqmmfhmfnpsvb.bid^$third-party -||azroydhgqcfv.com^$third-party -||azzvkcavtgwp.com^$third-party -||badgmvhtvryg.bid^$third-party -||baerxupsjjegb.com^$third-party -||bagoojzsqygg.com^$third-party -||bahnjhnrcdwi.com^$third-party -||baiaclwdpztd.com^$third-party -||bajofdblygev.com^$third-party -||bakaqddxhhsid.com^$third-party -||bakdsoarxjab.com^$third-party -||bakjtxvku.bid^$third-party -||banuhqxbc.com^$third-party -||baommitouduxo.bid^$third-party -||baphruesqm.com^$third-party -||bardogjvsa.com^$third-party -||batigfkcbwpb.com^$third-party -||bauffnmtou.com^$third-party -||bavftcgoapga.com^$third-party -||bayvlsmaahou.com^$third-party -||bbackcssmwam.com^$third-party -||bbbrhcxtdkfui.bid^$third-party -||bbfasycx.com^$third-party -||bbheuxcancwj.com^$third-party -||bbillwowlfur.com^$third-party -||bbitetuncmwfjd.com^$third-party -||bbjlsdqhpbuqaspgjyxaobmpmzunjnvqmahejnwwvaqbzzqodu.com^$third-party -||bbkxmpgjwo.bid^$third-party -||bblznptpffqc.com^$third-party -||bbmkyxvxiw.bid^$third-party -||bbmptlckxgi.com^$third-party -||bbnnjjom.com^$third-party -||bboemhlddgju.com^$third-party -||bbopkapcgonb.com^$third-party -||bbqipbsg.bid^$third-party -||bbqqjejhd.bid^$third-party -||bbtlombqjr.bid^$third-party -||bbxaumvpzqpunx.com^$third-party -||bbzwbxchqgph.com^$third-party -||bcajjtbzmdrl.com^$third-party -||bcgcvepi.com^$third-party -||bckmtidcnrobwh.bid^$third-party -||bckwfsvdgfjw.com^$third-party -||bclizbwet.com^$third-party -||bcnhnekodmdniu.com^$third-party -||bcnikicdi.bid^$third-party -||bcoavtimgn.bid^$third-party -||bcobmmozfan.com^$third-party -||bcqrmuwbvxi.com^$third-party -||bcxdjxlassr.bid^$third-party -||bcxfshnxaiqemn.bid^$third-party -||bcxronvqkwe.com^$third-party -||bczvulovuap.com^$third-party -||bczxmlqcugwgs.com^$third-party -||bdafhnltyxlw.com^$third-party -||bddaxoaaco.bid^$third-party -||bddfeltry.bid^$third-party -||bdggxjonzbmq.com^$third-party -||bdhxpxohwssdfd.com^$third-party -||bdisnqwfcq.com^$third-party -||bdkduogsu.bid^$third-party -||bdnfszdqwaduv.com^$third-party -||bdotqoqzxauf.com^$third-party -||bdozkocgkljj.com^$third-party -||bdrfwkzu.bid^$third-party -||bdtmbiezv.com^$third-party -||bdtwxreri.com^$third-party -||bdyhvguiq.com^$third-party -||bdyzewccsqpw.com^$third-party -||bebufuspldzh.com^$third-party -||bebxxrgjigz.com^$third-party -||beelzgkdjr.com^$third-party -||beeseggjfru.bid^$third-party -||befxqicnz.bid^$third-party -||begbkbqywd.bid^$third-party -||beghfkrygvxp.com^$third-party -||begnsbnjegnolq.com^$third-party -||begxhuqfrx.bid^$third-party -||behjgnhniasz.com^$third-party -||behybmunweid.com^$third-party -||bekiruvppl.com^$third-party -||bektvxxfv.bid^$third-party -||beufosew.bid^$third-party -||bewcmime.com^$third-party -||bewovdhiubnk.com^$third-party -||bewumuhax.bid^$third-party -||bexbpzultczaa.com^$third-party -||bexogxapbqict.bid^$third-party -||bezcmsrzx.com^$third-party -||bezqvpliexxtfw.com^$third-party -||bfcazxhkofa.club^$third-party -||bfdihioj.com^$third-party -||bfhavmgufvhn.com^$third-party -||bfhlxjwc.com^$third-party -||bfidvcsuazwy.com^$third-party -||bfkpzjqpawfu.com^$third-party -||bflcuvtyffao.bid^$third-party -||bfmrffluuazwn.com^$third-party -||bfpzhrzcvs.bid^$third-party -||bfrhqyaxtxbq.com^$third-party -||bfsssvkowvh.com^$third-party -||bftmphbwpwnnt.com^$third-party -||bfxachbubcki.com^$third-party -||bfzuuuuhvexxs.com^$third-party -||bgarilrzlgez.com^$third-party -||bgbdzfeeoko.com^$third-party -||bgbmtqzoc.bid^$third-party -||bgchxhhzdee.com^$third-party -||bgcsojmtgdrv.com^$third-party -||bgdacrgsnt.com^$third-party -||bgfdrngowyy.com^$third-party -||bgfgaduyvocz.com^$third-party -||bgibeluywjhgb.com^$third-party -||bgibrhkn.com^$third-party -||bgiiubagsuvv.com^$third-party -||bgitczbd.com^$third-party -||bglnzzsgigbto.com^$third-party -||bgmgyuzcfrujc.com^$third-party -||bgpxrwjrbsjb.com^$third-party -||bgqddlvq.com^$third-party -||bgrojtcdymmcdr.com^$third-party -||bgtmceqoipodkv.com^$third-party -||bguaeoakgmrw.com^$third-party -||bgvexbybxxbcao.com^$third-party -||bgxjypaeyocjy.bid^$third-party -||bgybufwnfxkcr.bid^$third-party -||bgzyppwk.com^$third-party -||bhbkfoybvrl.bid^$third-party -||bhcpmowwxwbv.com^$third-party -||bhejerqgrtlq.com^$third-party -||bhfpvqdmjarlk.com^$third-party -||bhfuoayzqqv.com^$third-party -||bhggbeynqhwm.bid^$third-party -||bhjhijisulwl.com^$third-party -||bhklyaazmxq.com^$third-party -||bhlusdvadp.com^$third-party -||bhmenavkijeufq.bid^$third-party -||bhmenywkptbkga.bid^$third-party -||bhmqoolzgxnp.com^$third-party -||bhmzjxrf.com^$third-party -||bhpxcsmvkqgd.com^$third-party -||bhuewuodwz.bid^$third-party -||bhwpdezzduthrp.com^$third-party -||bhyqllgtzjee.com^$third-party -||bhyyevhmha.com^$third-party -||bictxzszwkwghn.com^$third-party -||biftbtajfs.bid^$third-party -||bihzqdflxeelc.com^$third-party -||biijdpauyvf.com^$third-party -||bijfzvbtwhvf.com^$third-party -||bijkemraly.com^$third-party -||bikuetrh.com^$third-party -||biliqpvehf.com^$third-party -||bimwswreljucxa.com^$third-party -||binasmdul.com^$third-party -||binullxzwnsqws.com^$third-party -||bircgizd.com^$third-party -||birpidnl.com^$third-party -||birslhmnnc.com^$third-party -||bisvljlzmai.com^$third-party -||biupcyhpmjazv.com^$third-party -||bivujadpvk.com^$third-party -||biwjfwhxoy.bid^$third-party -||bixolsoqluvzpu.com^$third-party -||bjceodmwesmbth.com^$third-party -||bjcunwelpd.com^$third-party -||bjdfckchzsa.bid^$third-party -||bjenzpojtgvo.club^$third-party -||bjfxcvebjrcuce.bid^$third-party -||bjgavencynifm.bid^$third-party -||bjgaxcstxlvm.bid^$third-party -||bjjjbwexvkotj.com^$third-party -||bjkejdex.com^$third-party -||bjkfmvhygpub.com^$third-party -||bjknjsfrevt.bid^$third-party -||bjkookfanmxx.bid^$third-party -||bjmrnfwcoqp.bid^$third-party -||bjnxegsgre.com^$third-party -||bjofqnbtokzz.com^$third-party -||bjpktmjdxqpl.com^$third-party -||bjshimgqbc.com^$third-party -||bjswchnxfoui.bid^$third-party -||bjvynucz.bid^$third-party -||bjxrjybjnh.com^$third-party -||bjzcyqezwksznxxhscsfcogugkyiupgjhikadadgoiruasxpxo.com^$third-party -||bjzegkfv.com^$third-party -||bkeueifcqeicli.bid^$third-party -||bkgesylgvrgf.com^$third-party -||bkggsumw.bid^$third-party -||bkmmlcbertdbselmdxpzcuyuilaolxqfhtyukmjkklxphbwsae.com^$third-party -||bkmtspywevsk.com^$third-party -||bkqksceiw.bid^$third-party -||bksbcawzviwcw.com^$third-party -||bkscqpflg.com^$third-party -||bkshpuspj.bid^$third-party -||bktrlzpxcft.bid^$third-party -||bkuubwuarrkxk.com^$third-party -||bkuzcrcdh.bid^$third-party -||bkvrdeiqtgan.bid^$third-party -||bkvwnbkq.com^$third-party -||bkxkodsmrnqd.com^$third-party -||blcmacswwmqv.com^$third-party -||blgrwhaww.com^$third-party -||blkivkplpn.com^$third-party -||blnxyqdnsl.bid^$third-party -||blorgkjhbhoqr.bid^$third-party -||blprkaomvazv.com^$third-party -||blqgnbxva.com^$third-party -||blrdumgvqkmq.com^$third-party -||blvqxlczxeda.com^$third-party -||blwfqlmhi.com^$third-party -||blwgtqakqaxemz.com^$third-party -||blyppvdjofkqg.bid^$third-party -||bmalhekpohve.bid^$third-party -||bmayhacntxax.com^$third-party -||bmbnpxxwxdt.com^$third-party -||bmbvnmgucbk.com^$third-party -||bmhvaoxr.com^$third-party -||bmichkohfqtnvq.com^$third-party -||bmirhdkborr.bid^$third-party -||bmjccqfxlabturkmpzzokhsahleqqrysudwpuzqjbxbqeakgnf.com^$third-party -||bmjwsrcxvnsjne.com^$third-party -||bmmqsdyud.com^$third-party -||bmnccwprdrszpj.bid^$third-party -||bmoshyiypks.com^$third-party -||bmqnguru.com^$third-party -||bmsmhlpkdvajeo.bid^$third-party -||bmubqabepbcb.com^$third-party -||bmvhefgdlt.bid^$third-party -||bmwocmqtpi.com^$third-party -||bmxufcsmxcfwao.bid^$third-party -||bmxyvebkmyy.com^$third-party -||bmyepmehjzhz.com^$third-party -||bnbotxyfewtroa.bid^$third-party -||bnfjallm.bid^$third-party -||bniarapemvbd.com^$third-party -||bnjhbghjznq.com^$third-party -||bnjrtdsafo.com^$third-party -||bnkgacehxxmx.com^$third-party -||bnnsgqjofzar.com^$third-party -||bnpmudgktroz.com^$third-party -||bnqaljyjkpwmiu.bid^$third-party -||bnqgubwpq.com^$third-party -||bnstnhto.com^$third-party -||bnwjoqkudmh.bid^$third-party -||boaawvdg.com^$third-party -||bocksnabswdq.com^$third-party -||bocqmlgslzoo.com^$third-party -||boevznvrllm.bid^$third-party -||bogkmogzrvzf.com^$third-party -||boguaokxhdsa.com^$third-party -||boiukzfgrp.bid^$third-party -||boizgpgrxvokd.com^$third-party -||bolgooltxygp.com^$third-party -||bomjrcum.bid^$third-party -||bonxsqstn.com^$third-party -||boqdapoiv.com^$third-party -||bowqoedgldc.com^$third-party -||bowqvvztlkzn.com^$third-party -||bpblqdfe.bid^$third-party -||bpbwwasthwtp.com^$third-party -||bpcegfmfzvkjmi.bid^$third-party -||bpehfety.bid^$third-party -||bpfxtrzapdxdr.bid^$third-party -||bpglbuxwx.com^$third-party -||bplzgzpqp.com^$third-party -||bpmskwgodi.com^$third-party -||bpniszadiuc.com^$third-party -||bpnjigwalqjho.com^$third-party -||bpprksdgogtw.com^$third-party -||bprnphojtfl.bid^$third-party -||bpudfbrc.com^$third-party -||bqbagfhhbhyzq.bid^$third-party -||bqchqjmbkt.com^$third-party -||bqcoenkrlqk.com^$third-party -||bqdpscae.bid^$third-party -||bqgvtryyrhjmf.com^$third-party -||bqptlqmtroto.com^$third-party -||bqqjowpigdnx.com^$third-party -||bqscwtvpvugopg.com^$third-party -||bqvgpuvjwhjggp.com^$third-party -||bqyphmwr.bid^$third-party -||bqytfutmwulr.com^$third-party -||brfyubakyg.com^$third-party -||brhkraeknmjk.com^$third-party -||briqsnyafmmkxr.com^$third-party -||briqumvlvzshh.com^$third-party -||brjbzbxbcqjb.com^$third-party -||brjycsvgpo.bid^$third-party -||brloygpasa.com^$third-party -||brmrwnopuowq.bid^$third-party -||brqrtgjklary.com^$third-party -||brrxmhuhyokw.bid^$third-party -||brtcmjchfyel.com^$third-party -||brwusdmjzv.bid^$third-party -||brycnuxoytuang.com^$third-party -||brygxppyaugt.com^$third-party -||bryvvdtek.com^$third-party -||brzmefeoqwdakc.bid^$third-party -||brztxamj.com^$third-party -||bsaixnxcpaai.com^$third-party -||bsepyppitmkkf.com^$third-party -||bsjhbxtrbvkr.com^$third-party -||bskijhtct.com^$third-party -||bslgmaxqild.bid^$third-party -||bslqjxmltuel.bid^$third-party -||bsmryjou.com^$third-party -||bsnbfufjgxrb.com^$third-party -||bspjagxietut.com^$third-party -||bsqliktzudq.bid^$third-party -||bsrmcmvdoeyzib.com^$third-party -||bsupflnjmuzn.com^$third-party -||bsxctkajqdp.com^$third-party -||btbapoifsphl.com^$third-party -||btcwkbqojiyg.com^$third-party -||btgovcuviqor.com^$third-party -||btjxbwiehrm.bid^$third-party -||btkaoblylg.bid^$third-party -||btkcdqrzmqca.com^$third-party -||btmcxzanpsi.com^$third-party -||btnbdmhxdsf.com^$third-party -||btovopyov.com^$third-party -||btpgbmvlk.bid^$third-party -||btqwmdinav.com^$third-party -||btsimocheozy.bid^$third-party -||bturlzbakbcsdd.com^$third-party -||btvdzlkg.bid^$third-party -||btwpplvcqao.com^$third-party -||btxoeiisonxh.com^$third-party -||btxyusxfbx.com^$third-party -||btzuecidcshmmv.com^$third-party -||buadnqirhykcyc.com^$third-party -||buauaamx.bid^$third-party -||budyxjttmjkf.com^$third-party -||bufqrxzyrecf.com^$third-party -||bugwiqivdqotjk.com^$third-party -||buhxsaifjxupaj.com^$third-party -||buitxcrnucyi.com^$third-party -||bujntrmh.com^$third-party -||bukpsslm.com^$third-party -||burobtnbpgkh.com^$third-party -||burvyzqwfqg.bid^$third-party -||bvcddoyb.com^$third-party -||bvevgygeu.bid^$third-party -||bvezznurwekr.com^$third-party -||bvhzswlde.bid^$third-party -||bvjexgnagddtmu.com^$third-party -||bvnekcpa.bid^$third-party -||bvnmmdelarn.com^$third-party -||bvobtmbziccr.com^$third-party -||bvqfuryhas.bid^$third-party -||bvreosoejjt.bid^$third-party -||bvrkzhtxlgono.com^$third-party -||bvwkethv.com^$third-party -||bvwzffbinbou.com^$third-party -||bvyoekxfjwpa.com^$third-party -||bvzhalhubwkbg.bid^$third-party -||bvzjhnqrypiv.com^$third-party -||bwbbcdkkocx.bid^$third-party -||bwcpnpkkncszi.com^$third-party -||bweqokcd.bid^$third-party -||bwlstzzqxpuxr.bid^$third-party -||bwnrgfhbd.bid^$third-party -||bwoefrhtycp.com^$third-party -||bwohgwrk.com^$third-party -||bwpqqofejekh.com^$third-party -||bwssvome.com^$third-party -||bwuxrzvr.bid^$third-party -||bwvigmkn.com^$third-party -||bwyckpmsolzk.com^$third-party -||bwzohoomljs.com^$third-party -||bxejeqyudkgum.com^$third-party -||bxexufifrsfr.com^$third-party -||bxfsdzpffy.bid^$third-party -||bxknvtbmzsqc.com^$third-party -||bxniyvvxufxyoy.com^$third-party -||bxoemfpetyqi.bid^$third-party -||bxoixzbtllwx.com^$third-party -||bxpbwitpgbid.bid^$third-party -||bxravgxfkubm.com^$third-party -||bxrjiqoajbbh.com^$third-party -||bxtcgufurbdk.bid^$third-party -||bxvydxjqklq.com^$third-party -||bxwbflhpk.com^$third-party -||bxxhbrpxqtwfq.com^$third-party -||bxxlvfhaxwscz.com^$third-party -||bxzkknilgmdt.bid^$third-party -||byclitror.com^$third-party -||bydbjtaoy.bid^$third-party -||byecttekgbksr.bid^$third-party -||bygigguvflpv.com^$third-party -||bymyneknm.bid^$third-party -||byoftdngsqjezw.bid^$third-party -||bypjftbwbpj.bid^$third-party -||byqmzodcdhhu.com^$third-party -||byspwzspx.bid^$third-party -||bysziktift.com^$third-party -||byufpbvjpedvpx.com^$third-party -||byuwgtzpawzzd.com^$third-party -||byxlivaqzo.com^$third-party -||byxlzyvfgb.bid^$third-party -||bzbaizntfrhl.com^$third-party -||bzeidqugwde.bid^$third-party -||bzeitvxguf.com^$third-party -||bzfguipyjops.com^$third-party -||bzfvcavza.com^$third-party -||bzgwkxnjqjdz.com^$third-party -||bzjtjfjteazqzmukjwhyzsaqdtouiopcmtmgdiytfdzboxdann.com^$third-party -||bzkmfzoxqmau.com^$third-party -||bzlvolaqiy.bid^$third-party -||bznmgijglbpr.com^$third-party -||bzotzfcbhomw.com^$third-party -||bzqqaoeufrld.com^$third-party -||bzrsybcg.com^$third-party -||bzsbtfiz.com^$third-party -||bzyrhqbdldds.com^$third-party -||caajevalistl.com^$third-party -||caaqyzbpsbtk.com^$third-party -||cacpcaizwx.bid^$third-party -||cadchbpsifb.com^$third-party -||cadulscdfhtcb.bid^$third-party -||cafvzpusl.com^$third-party -||cahepysgenpb.com^$third-party -||camrfajedgku.com^$third-party -||capquqhuiazl.com^$third-party -||carsxardivaf.com^$third-party -||caucqpoeg.com^$third-party -||cavdzowr.com^$third-party -||cawcwpvmpcje.com^$third-party -||cayaaebmb.com^$third-party -||cayqecxokz.com^$third-party -||cbbabemymc.com^$third-party -||cbchvrgqb.com^$third-party -||cbcjkmyetnqch.com^$third-party -||cbdjzemui.com^$third-party -||cbehcazifywmro.bid^$third-party -||cbgujxjlp.com^$third-party -||cbhpiuopomc.com^$third-party -||cbiapaofuviswf.com^$third-party -||cbnrvzfvmd.com^$third-party -||cbolsxvresvu.bid^$third-party -||cbrqndeptsw.com^$third-party -||cbsfcpciitwcky.com^$third-party -||cbtdjpspjp.com^$third-party -||cbuxzegro.com^$third-party -||cbwrwcjdctrj.com^$third-party -||cbxadrwlccrky.bid^$third-party -||cbxqceuuwnaz.com^$third-party -||cbxtnudkklwh.com^$third-party -||cbyjjheawrcfq.com^$third-party -||cbzkrwjdskg.com^$third-party -||ccabzumewfk.bid^$third-party -||ccaypkuiauizuh.bid^$third-party -||ccbaobjyprxh.com^$third-party -||cccytihi.bid^$third-party -||ccdkyvyw.com^$third-party -||ccefzhxgobjm.com^$third-party -||ccemeoqbqb.com^$third-party -||ccmoxtwauruz.bid^$third-party -||ccpnzfts.com^$third-party -||ccscpyeeiqhs.bid^$third-party -||ccvewygyjqbq.bid^$third-party -||ccwinenmbnso.com^$third-party -||ccyttdkwntyhx.com^$third-party -||cczixhwxprith.com^$third-party -||cdaywwdyicf.com^$third-party -||cdbhmahnjb.com^$third-party -||cdbkxcnfmehf.com^$third-party -||cdbxuzzlgfhh.com^$third-party -||cddlngatmpthc.bid^$third-party -||cdegnloptetj.com^$third-party -||cdfyuyoyfxohj.bid^$third-party -||cdhzxcwuibzk.com^$third-party -||cdicyazp.com^$third-party -||cdkxvrryzgd.com^$third-party -||cdmjjvqzurn.com^$third-party -||cdobneyuq.com^$third-party -||cdookjqkri.com^$third-party -||cdqmeyhqrwinofutpcepbahedusocxqyfokvehqlqpusttfwve.com^$third-party -||cdqweuwvagrbd.com^$third-party -||cdrjblrhsuxljwesjholugzxwukkerpobmonocjygnautvzjjm.com^$third-party -||cdtojdrhoc.bid^$third-party -||cdveeechegws.com^$third-party -||cdvoqspgdp.com^$third-party -||cdyiipzo.com^$third-party -||cdyygbzihdh.com^$third-party -||cdzifdzftkmfof.com^$third-party -||ceidxneoogpuh.com^$third-party -||cekptlucf.com^$third-party -||ceseyitsikzs.com^$third-party -||cesxssavc.com^$third-party -||ceugjbwb.com^$third-party -||cevwkduhwbuc.com^$third-party -||cewdbisyrzdv.com^$third-party -||cewegncr.com^$third-party -||cewviaslxyyr.com^$third-party -||ceywprmvjy.com^$third-party -||cfdmkifknsjt.com^$third-party -||cfhkiriics.com^$third-party -||cfkhdbzn.com^$third-party -||cfnumapv.com^$third-party -||cfpqhrfpccmpq.com^$third-party -||cfqzixjwwqgow.com^$third-party -||cfraazitu.com^$third-party -||cfsdtzggpcmr.com^$third-party -||cfskcqrwbog.com^$third-party -||cftervwhu.com^$third-party -||cfvfjsobudwrsn.com^$third-party -||cfyvrgvopaejx.com^$third-party -||cfzskkkmjg.com^$third-party -||cgaemihcbvr.com^$third-party -||cgbemyws.bid^$third-party -||cgbqzfjf.com^$third-party -||cgdvsvczduzq.bid^$third-party -||cgjbizumzm.com^$third-party -||cgjyesqhxzzm.com^$third-party -||cgkpwhkgjxo.com^$third-party -||cglpmszvpzzxj.com^$third-party -||cglqqjxaaowb.com^$third-party -||cgmkpdqjnedb.com^$third-party -||cgnfyfer.com^$third-party -||cgociipdf.com^$third-party -||cgrvnpkwuytts.com^$third-party -||cgtqfbnviajcx.com^$third-party -||cguvvvdxa.com^$third-party -||chiybszey.bid^$third-party -||chjfbjjgqts.com^$third-party -||chjvykulvzey.com^$third-party -||chlpyktpzcciyh.com^$third-party -||chnktglh.com^$third-party -||chnvilhrmeaw.bid^$third-party -||chqspuonctkgz.com^$third-party -||chqulqxfghdz.com^$third-party -||chtpcjezorlo.com^$third-party -||chuvzwxbpf.bid^$third-party -||chvjfriqlvnt.com^$third-party -||chvwtxtzmzbggo.com^$third-party -||chxfeymgmwbo.com^$third-party -||chxwlqtvgrw.com^$third-party -||chyfjrkstyzl.bid^$third-party -||chytrrvwvabg.com^$third-party -||chzashakbgds.com^$third-party -||ciaszbncdj.bid^$third-party -||cibmcziio.bid^$third-party -||cifipkbu.com^$third-party -||cifwsaufnalvh.com^$third-party -||cihnrhqwbcsq.com^$third-party -||cijfsxtsjpx.bid^$third-party -||cijwskfvye.com^$third-party -||cijzoindd.com^$third-party -||cikzhemgwchl.com^$third-party -||cimcshjoue.com^$third-party -||cimpmvccrg.bid^$third-party -||cineqkifrlxsep.bid^$third-party -||cipohwidxc.com^$third-party -||cisfjtamphuqt.com^$third-party -||cistcrrhqfm.bid^$third-party -||civyssfaqtufib.com^$third-party -||cixjiydrsyq.bid^$third-party -||cixjmaxkemzknxxuyvkbzlhvvgeqmzgopppvefpfkqdraonoez.com^$third-party -||cixvlpbnceh.com^$third-party -||cizemeshbbc.com^$third-party -||cjbaeegayainxl.bid^$third-party -||cjdomdjyvble.com^$third-party -||cjgpifztileh.com^$third-party -||cjhdmrcv.com^$third-party -||cjkjeyjbl.com^$third-party -||cjnoeafncyzb.com^$third-party -||cjnqsrzyhil.com^$third-party -||cjnwobsladbq.com^$third-party -||cjojvvfyb.com^$third-party -||cjprndsozzdu.bid^$third-party -||cjsgmoekcb.com^$third-party -||cjuntyydjokvde.com^$third-party -||cjuztylaun.com^$third-party -||cjvgnswapbqo.com^$third-party -||cjvpybdsasarc.com^$third-party -||cjwjpmudu.com^$third-party -||cjxdbmxtnqmy.com^$third-party -||cjxkzkzmdomd.com^$third-party -||ckfctuaga.com^$third-party -||ckhfffgt.com^$third-party -||ckjdnyvcop.bid^$third-party -||ckjflngcqcfl.bid^$third-party -||ckjjcarzu.com^$third-party -||ckjjnujgvfd.com^$third-party -||ckkrlzxvy.com^$third-party -||ckopycdb.com^$third-party -||ckqfackpj.bid^$third-party -||ckqgkazihvwc.com^$third-party -||ckqjezikww.bid^$third-party -||ckqkwhampiyb.com^$third-party -||ckqpusmxvilv.com^$third-party -||ckryzlnafwyd.com^$third-party -||ckwpsghi.com^$third-party -||ckxhoidrflu.com^$third-party -||ckxqtppyzqbll.com^$third-party -||ckxyvauhqfuoin.com^$third-party -||ckydzwjzbgarz.bid^$third-party -||ckyxscaeockj.bid^$third-party -||cledghtdrjtb.com^$third-party -||clgyhwaoh.com^$third-party -||clhkbfqzwpst.com^$third-party -||clhqmynew.bid^$third-party -||clkkcokl.com^$third-party -||clomggnzxsyf.bid^$third-party -||clonsvyhy.bid^$third-party -||clouxtnxsmxdva.com^$third-party -||clsvugmivpf.com^$third-party -||clsyxddpbt.com^$third-party -||clutaqawmz.com^$third-party -||clxakmsyjlryz.bid^$third-party -||clybtbahdbwkep.com^$third-party -||clyksqxxdeduq.bid^$third-party -||cmdjujqlfbts.com^$third-party -||cmdnzbuynnm.com^$third-party -||cmdotgwjhpqf.com^$third-party -||cmhwwdwfiyx.com^$third-party -||cmjjzwddw.com^$third-party -||cmnhwzdsvr.com^$third-party -||cmpkynhhmkni.com^$third-party -||cmpsuzvr.com^$third-party -||cmqeojydveotb.bid^$third-party -||cmqyhtqkhduy.com^$third-party -||cmrppltjs.com^$third-party -||cmrxvyjyaerf.com^$third-party -||cmwsdhdyregbyn.bid^$third-party -||cmyjgtiihmit.bid^$third-party -||cmyzmrgrtyrkt.com^$third-party -||cnckdochd.com^$third-party -||cncqycrckl.com^$third-party -||cnfiukuediuy.com^$third-party -||cnfuhtsefojuk.com^$third-party -||cnjkrbhtbv.com^$third-party -||cnntsmnymvnp.com^$third-party -||cnnzfijy.bid^$third-party -||cnoytvqomyhjz.com^$third-party -||cnpntmju.com^$third-party -||cnqanzdb.com^$third-party -||cnsnoljocc.com^$third-party -||cnuxnqgjkjqmky.bid^$third-party -||cnyblliqyhcs.bid^$third-party -||cnygzgurqpwop.bid^$third-party -||coaincltxhw.com^$third-party -||cofybuwuc.com^$third-party -||cogxsnvqesph.com^$third-party -||cohhcaahxxcf.com^$third-party -||coiphezlzpl.bid^$third-party -||cokfwpfycgzjvn.bid^$third-party -||cokrrmzagaxn.com^$third-party -||collamps.com^$third-party -||comgnnyx.com^$third-party -||comwgi.com^$third-party -||cooowbno.com^$third-party -||cortxphssdvc.com^$third-party -||coshfgpgab.com^$third-party -||covjoecuzyss.com^$third-party -||cowmslkltc.com^$third-party -||coxgtwdios.bid^$third-party -||coyhvotxgrnq.com^$third-party -||cozclrlpsk.com^$third-party -||cozjfzlng.com^$third-party -||cpamnizzierk.com^$third-party -||cpbtcwar.com^$third-party -||cpdafetdjtdsy.com^$third-party -||cpdbkckekff.com^$third-party -||cpdoalzgwnwf.com^$third-party -||cpgiseaopbx.bid^$third-party -||cphxwpicozlatvnsospudjhswfxwmykgbihjzvckxvtxzfsgtx.com^$third-party -||cpkbdmkguggh.com^$third-party -||cplefwvdqkwjev.bid^$third-party -||cpmjpcefbwqr.com^$third-party -||cpovvzgpc.com^$third-party -||cpxjivpayggg.com^$third-party -||cpynfeqyqfby.com^$third-party -||cqaiylftp.com^$third-party -||cqbabfsyfqse.com^$third-party -||cqbphspgvhuk.com^$third-party -||cqcebzspxptwfl.bid^$third-party -||cqhxrlnhzlda.com^$third-party -||cqieqaxlphdi.com^$third-party -||cqindhgqi.com^$third-party -||cqjnxsbuplcqri.com^$third-party -||cqoxufzgev.bid^$third-party -||cqoyvpldkmqt.com^$third-party -||cqskvtpeqcp.bid^$third-party -||cqsmswwidrn.bid^$third-party -||cqvbvpxnqqcfwl.bid^$third-party -||cqwqxapujf.com^$third-party -||cqyfjodshwuici.com^$third-party -||cqzqdoqsgxyf.com^$third-party -||cracwrddcb.com^$third-party -||crcewevoy.com^$third-party -||credbgvhijbcj.com^$third-party -||creyboif.bid^$third-party -||crgfbmzsk.com^$third-party -||crheaeqw.com^$third-party -||crijpgcer.com^$third-party -||crjsrbyybipozq.com^$third-party -||crkgtnad.com^$third-party -||crkliqlyabacgt.bid^$third-party -||crnxueioe.bid^$third-party -||croxdfrdjfnt.com^$third-party -||crpiucewddag.com^$third-party -||crpmohfici.com^$third-party -||crqnosmxstdfnp.bid^$third-party -||crrgnnqidpf.com^$third-party -||crtntrvjuun.bid^$third-party -||cruqmpwhczna.bid^$third-party -||crvvrxfgsvohiy.com^$third-party -||crxhbchbd.com^$third-party -||crykaxliilz.com^$third-party -||crzhxquiyo.com^$third-party -||crzlkluxnigce.com^$third-party -||crzojmwnnq.com^$third-party -||csbsyukodmga.com^$third-party -||cscactmkbfvn.com^$third-party -||csdqikvba.bid^$third-party -||csdzhoku.com^$third-party -||cshzkkihjnweb.com^$third-party -||csionjbak.com^$third-party -||csjayzqifekaq.com^$third-party -||cskwckhyhriyk.com^$third-party -||cslxhmchzgbx.com^$third-party -||csmqorveetie.com^$third-party -||csouqeeviwo.com^$third-party -||cspyozjbwb.com^$third-party -||cstdfxkxbqbc.com^$third-party -||cstfzgckbtrb.com^$third-party -||csxokexd.com^$third-party -||csyngxtkifrh.com^$third-party -||ctcpwymaeuwnqd.com^$third-party -||ctfscglqjzkfe.com^$third-party -||ctgoivpnnze.bid^$third-party -||ctimfrfrmqip.com^$third-party -||ctjjftxn.bid^$third-party -||ctjtlrmy.com^$third-party -||ctjwmzryhcoj.com^$third-party -||ctnbnbjcjfkf.bid^$third-party -||ctohqzii.com^$third-party -||ctplyvuuzdcv.com^$third-party -||ctrsopfwiadfjn.com^$third-party -||ctsrwmcshv.com^$third-party -||cttnlnsnwdokqb.com^$third-party -||ctvsgkoe.bid^$third-party -||ctzvtevpcssx.com^$third-party -||cuabgfjnib.bid^$third-party -||cuchpagh.com^$third-party -||cudjntck.com^$third-party -||cuecxgwkjtan.com^$third-party -||cuguwxkasghy.com^$third-party -||cuhicevdjsfey.com^$third-party -||cujsutkdbz.com^$third-party -||cukabtvyl.com^$third-party -||cukwbpne.com^$third-party -||cupzwcxgx.com^$third-party -||curnkiosk.com^$third-party -||cuvbcwgenwytrk.bid^$third-party -||cuxsmovh.bid^$third-party -||cvarxvlbnphcjq.com^$third-party -||cvdvexais.com^$third-party -||cvembcmcvrxly.com^$third-party -||cvffhevoebnz.com^$third-party -||cvhcrbbbfaa.com^$third-party -||cvhpuccaib.bid^$third-party -||cvjzauehxjsy.com^$third-party -||cvnmmeux.com^$third-party -||cvwipkjyu.bid^$third-party -||cvzixxiesyjkha.com^$third-party -||cwbbqhgtjbvtzi.com^$third-party -||cwdnbhhmdnm.com^$third-party -||cwfikuwyjwnev.com^$third-party -||cwhuavlffzvhyi.bid^$third-party -||cwliihvsjckn.com^$third-party -||cwmxsgbllbee.bid^$third-party -||cwmycjoddoq.com^$third-party -||cwofongvtbsi.com^$third-party -||cwtekghutpaq.com^$third-party -||cwvdzcqvg.com^$third-party -||cwvqtapvqbmxfd.com^$third-party -||cwxblalyyvbj.com^$third-party -||cwxkywbndfue.com^$third-party -||cwxmevdteoxqi.com^$third-party -||cwxqufxcqopi.com^$third-party -||cwznlbsep.bid^$third-party -||cxgwwsapihlo.com^$third-party -||cxhfzipv.com^$third-party -||cxkllhjrrpjp.bid^$third-party -||cxnxognwkuxm.com^$third-party -||cxoxruotepqgcvgqxdlwwucgyazmbkhdojqzihljdwwfeylovh.com^$third-party -||cxqevkkfhdqu.bid^$third-party -||cxqmzfcfcwbwv.com^$third-party -||cxrmgoybhyrk.com^$third-party -||cxunpvor.com^$third-party -||cxxsegmhltakq.com^$third-party -||cxzisvjhpt.com^$third-party -||cybkhbkuobl.com^$third-party -||cybzsdkmrqgy.com^$third-party -||cyfzthaduxhb.com^$third-party -||cygngisr.com^$third-party -||cyhcpeprgy.com^$third-party -||cymeeoolym.com^$third-party -||cymuxbcnhinm.com^$third-party -||cyrirvvrn.com^$third-party -||cyrrbejq.bid^$third-party -||cyssfnqt.com^$third-party -||cytpfucbb.com^$third-party -||cyufjpvzaf.com^$third-party -||cywegkfcrhup.com^$third-party -||cyxagtpeggjv.com^$third-party -||czaxrbclfse.com^$third-party -||czbtfksgtcuy.com^$third-party -||czcbkaptwfmv.com^$third-party -||czcydlrnu.com^$third-party -||czcyppdffuhh.com^$third-party -||czdaxoesbdlih.com^$third-party -||czfavkwdmmpp.bid^$third-party -||czgeitdowtlv.com^$third-party -||czhtiirf.bid^$third-party -||czihyzbul.com^$third-party -||czjjyfnpyrs.bid^$third-party -||czkbmjsodcgr.bid^$third-party -||czmolxvvrbb.com^$third-party -||czoivochvduv.com^$third-party -||czppmlbidjdx.com^$third-party -||czpspyovtiqn.com^$third-party -||czpwvmuznpj.bid^$third-party -||czqrilwnayq.com^$third-party -||czrbkvvxyu.bid^$third-party -||czrtrfoin.com^$third-party -||czsnzyykqzcreu.com^$third-party -||czuyzjyxlgirh.bid^$third-party -||czwdzqfnmzw.bid^$third-party -||czzzwuvvc.com^$third-party -||dacknbenn.com^$third-party -||dacqmkmsjajm.com^$third-party -||dadllrpazourna.com^$third-party -||daetemegxlyp.com^$third-party -||dagqnyapwql.bid^$third-party -||dahakbkwgvwzb.bid^$third-party -||daiwyihpjhdy.com^$third-party -||daizzagvvnv.com^$third-party -||dajlkvplxyzbsa.com^$third-party -||dajoetsja.com^$third-party -||daljntupdaoejb.com^$third-party -||damihyugqet.com^$third-party -||danunnpvy.com^$third-party -||daohvygdwvj.bid^$third-party -||dapvmnnttetuu.bid^$third-party -||daqdksam.bid^$third-party -||davthnojr.com^$third-party -||daxnfpzmnfdr.com^$third-party -||daxzupqivdoj.com^$third-party -||dbcxaicjyt.com^$third-party -||dbdndssvyxaltf.bid^$third-party -||dbesyixn.bid^$third-party -||dbftszei.bid^$third-party -||dbjcbnlwchgu.com^$third-party -||dbjsnxncaxnpp.com^$third-party -||dbktgmyjph.com^$third-party -||dblnptdnyt.bid^$third-party -||dbmaptqxpjmsyr.bid^$third-party -||dbmysjylbpwrav.com^$third-party -||dbojgaxhxalh.com^$third-party -||dbtaclpoahri.com^$third-party -||dbtglwtlxhysk.com^$third-party -||dbuwkhpggim.com^$third-party -||dbwawnzkjniz.com^$third-party -||dbwohmscsgkhvz.bid^$third-party -||dbysmkeerpzo.com^$third-party -||dccstsamnyrjk.com^$third-party -||dcdalkgtbmip.com^$third-party -||dcdqvukf.bid^$third-party -||dcgbswcvywyl.com^$third-party -||dckyimoylozbby.com^$third-party -||dclmmbjyshy.com^$third-party -||dcmatjqifoim.com^$third-party -||dcmhpbpdcsy.com^$third-party -||dcneohtx.com^$third-party -||dcqhbqwlcukxu.com^$third-party -||dcqyyaprodclf.bid^$third-party -||dcxitlzzmyxbwn.com^$third-party -||dcybolsar.bid^$third-party -||dcyeufoq.com^$third-party -||dcznhkojghrl.com^$third-party -||ddbnikwub.com^$third-party -||ddczayne.bid^$third-party -||dddgndcqajr.com^$third-party -||ddhnjkaojrcv.bid^$third-party -||ddjodgzhxyjtaa.bid^$third-party -||ddmlzfwsb.com^$third-party -||ddprxzxnhzbq.com^$third-party -||debuackedhkvu.bid^$third-party -||deebwmbbytr.com^$third-party -||degitlwfezpe.com^$third-party -||dehyogsjbk.bid^$third-party -||deiqehvcdnntg.com^$third-party -||deouvnqbgflv.com^$third-party -||deqrdwsjlpjz.com^$third-party -||dergevqzqi.com^$third-party -||derpqpyvym.bid^$third-party -||derqboxqca.com^$third-party -||dewltdgzgtt.com^$third-party -||dexxxrggi.com^$third-party -||deyzjaiggwz.com^$third-party -||dfawfyhesfe.com^$third-party -||dfbtmkwdcajsy.bid^$third-party -||dfcwecvmjtdj.com^$third-party -||dfgwnkricjcko.bid^$third-party -||dfjaoecxqyox.com^$third-party -||dfkpqvhcl.com^$third-party -||dfllzlsztzqwz.bid^$third-party -||dfmedtntwcepqx.com^$third-party -||dfnnhwiyxjajhq.com^$third-party -||dfomexjuokpuxi.com^$third-party -||dfrcdywe.com^$third-party -||dfrekewe.com^$third-party -||dfujqyjifvoe.com^$third-party -||dfxemnxrsal.bid^$third-party -||dgbhmpumhxy.bid^$third-party -||dgcxsmiavpg.bid^$third-party -||dgeggjwyhkrr.com^$third-party -||dgfpsbezfeh.bid^$third-party -||dggcgurqynie.com^$third-party -||dgghbqysqzs.bid^$third-party -||dgjlfdvqb.bid^$third-party -||dgkvriccq.com^$third-party -||dglfkgmhahilp.com^$third-party -||dgmlubjidcxc.com^$third-party -||dgnjovmuao.bid^$third-party -||dgnqzxsw.bid^$third-party -||dgnuumyxpqiget.com^$third-party -||dgowzelhoaqqb.com^$third-party -||dgqktjmxtlp.com^$third-party -||dgrvnlhz.com^$third-party -||dgufzszbsk.bid^$third-party -||dgulomuzgkyjhe.bid^$third-party -||dgwrxyucxpizivncznkpmdhtrdzyyylpoeitiannqfxmdzpmwx.com^$third-party -||dgwyckutalyqcn.com^$third-party -||dgycvdyncugrd.bid^$third-party -||dhaomvok.com^$third-party -||dhenktvqqmbcnj.bid^$third-party -||dhgcqqmtf.com^$third-party -||dhienrfamv.com^$third-party -||dhlnlwxspczc.com^$third-party -||dhmhdiozqbnq.com^$third-party -||dhmwedckf.com^$third-party -||dhnxwgxszvi.com^$third-party -||dhomixidnkas.com^$third-party -||dhrjzwqpweidm.bid^$third-party -||dhsztvyjwcmk.com^$third-party -||dhtqupvxujyfp.com^$third-party -||dhuqolbvyla.com^$third-party -||dhvaigzy.com^$third-party -||dhvzrpvjwibr.com^$third-party -||dhxjrqegphza.bid^$third-party -||dhzmxkoq.bid^$third-party -||dibpvaoi.bid^$third-party -||didibvyl.bid^$third-party -||dieohupl.com^$third-party -||difyt-m-tlb.co^$third-party -||digwzeutydo.com^$third-party -||dijutbdzbv.com^$third-party -||dillweqbducwi.com^$third-party -||dinmbegj.bid^$third-party -||dipsbbygv.com^$third-party -||diqstzzbqin.bid^$third-party -||disbkzufvqhk.com^$third-party -||ditouyldfqgt.com^$third-party -||diuiyzhao.com^$third-party -||diwiosqupuecg.com^$third-party -||diwkemnk.bid^$third-party -||diysqcbfyuru.com^$third-party -||djagrjpaoek.com^$third-party -||djavljmti.com^$third-party -||djbnmqdawodm.com^$third-party -||djcbhuwplfpui.bid^$third-party -||djeoxopgw.com^$third-party -||djhqkoikovr.bid^$third-party -||djiufagozzla.com^$third-party -||djjckavq.com^$third-party -||djnroblmpyxrh.com^$third-party -||djntmaplqzbi.com^$third-party -||djqercix.com^$third-party -||djrkauxla.bid^$third-party -||djtclldgsocbv.bid^$third-party -||djuxmbjauluis.com^$third-party -||djvpsxtkdmga.com^$third-party -||djxvususwvso.com^$third-party -||djzmpsingsrtfsnbnkphyagxdemeagsiabguuqbiqvpupamgej.com^$third-party -||dkadbasc.bid^$third-party -||dkdnvbueigxs.bid^$third-party -||dkfdpglo.com^$third-party -||dkgdinrubwxro.bid^$third-party -||dkgitkwo.com^$third-party -||dkjgyysfincxps.bid^$third-party -||dklvewbgjksyy.com^$third-party -||dkrhsftochvzqryurlptloayhlpftkogvzptcmjlwjgymcfrmv.com^$third-party -||dksvmumbi.com^$third-party -||dktaqipmquo.com^$third-party -||dktyjwldv.com^$third-party -||dkvblgxkihtys.bid^$third-party -||dkvzpqcqan.com^$third-party -||dkxeorhjmua.com^$third-party -||dlahijuwjsv.com^$third-party -||dlemeyrkjy.com^$third-party -||dlganxfc.bid^$third-party -||dlntzbuskygwj.com^$third-party -||dlotljikswmvq.com^$third-party -||dlpgebxqq.com^$third-party -||dlpypwmo.com^$third-party -||dlsgjkayn.com^$third-party -||dlwmksxohvw.com^$third-party -||dlwssyqp.com^$third-party -||dlzksaqygxare.com^$third-party -||dmatquyckwtu.com^$third-party -||dmbjbgiifpfo.com^$third-party -||dmdcpvgu.com^$third-party -||dmgcxznqmmiek.com^$third-party -||dmgexalrtsqrvx.com^$third-party -||dmiqfxlnf.com^$third-party -||dmjcabavsraf.com^$third-party -||dmkadnohjoqh.com^$third-party -||dmnangpsbpm.com^$third-party -||dmojscqlwewu.com^$third-party -||dmrqnwtyttd.com^$third-party -||dmsvdderirwbu.com^$third-party -||dmvegzsxaxn.com^$third-party -||dmvmnafx.com^$third-party -||dmwubqhtuvls.com^$third-party -||dmxoedcqcb.com^$third-party -||dmyypseympjf.com^$third-party -||dneglbgcycpcab.bid^$third-party -||dneqghbwlmyjnj.com^$third-party -||dnewbvwrvadt.com^$third-party -||dnftqfwycmfqrs.com^$third-party -||dngsuhxuzb.com^$third-party -||dnjxoflvkvec.com^$third-party -||dnntgcfejsg.bid^$third-party -||dnoucjqzsasm.com^$third-party -||dnpehliwdvjkp.com^$third-party -||dnqejgrbtlxe.com^$third-party -||dnrtjavop.com^$third-party -||dnrywryy.com^$third-party -||dnrzajdjq.com^$third-party -||dnsapimzlvmcis.com^$third-party -||dnsqqdordvpv.com^$third-party -||dntlpwpjwcfu.com^$third-party -||dnvndngbn.bid^$third-party -||dnxpseduuehm.com^$third-party -||dnzevkqpk.com^$third-party -||dobgfkflsnmpaeetycphmcloiijxbvxeyfxgjdlczcuuaxmdzz.com^$third-party -||dobjgpqzygow.com^$third-party -||docqacvwhgbxv.com^$third-party -||dodahirwudrhv.com^$third-party -||dodegomxh.bid^$third-party -||dodwnkpzaned.com^$third-party -||dohhehsgnxfl.com^$third-party -||doiljgzpurycgx.bid^$third-party -||dojmlztmbrvp.com^$third-party -||doksfyhdtqmipa.com^$third-party -||doljrizlsem.bid^$third-party -||domdtvbhgg.com^$third-party -||donhyxngg.com^$third-party -||dosanrnlq.com^$third-party -||douangvwl.com^$third-party -||dovltuzibsfs.com^$third-party -||dpallyihgtgu.com^$third-party -||dpbrrirhtlo.com^$third-party -||dpbviawkrumynm.com^$third-party -||dpkdwhfdrvxzcr.bid^$third-party -||dpmvpttamz.com^$third-party -||dpmyrskvbznvn.com^$third-party -||dpnahzfbb.com^$third-party -||dpoffxqjlgt.com^$third-party -||dpoulbxouhor.com^$third-party -||dppcevxbshdl.com^$third-party -||dpqytzwxohcd.bid^$third-party -||dprdhzofq.bid^$third-party -||dpwmloknxtuw.com^$third-party -||dpwrhdzeqw.com^$third-party -||dpwsvrkmfxrt.com^$third-party -||dqcqavgqk.bid^$third-party -||dqdnwhyxeblt.com^$third-party -||dqdwvmpez.com^$third-party -||dqekudhbwprx.com^$third-party -||dqfhklmwj.com^$third-party -||dqiokxyebdc.com^$third-party -||dqkeldpjzq.bid^$third-party -||dqlcgelw.com^$third-party -||dqmfeimedqswbr.com^$third-party -||dqolgbehhzvo.com^$third-party -||dqpamcouthqv.com^$third-party -||dqpywdubbxih.com^$third-party -||dqusbshqrtv.bid^$third-party -||dqyczunj.com^$third-party -||drbwugautcgh.com^$third-party -||drcfjmkmy.com^$third-party -||drdvvfgqzwkutc.bid^$third-party -||drjctivspweild.com^$third-party -||drjwmuwmnll.com^$third-party -||droqnswhcfk.com^$third-party -||drpmtzjanjqjpj.com^$third-party -||drqjihcfdrqj.com^$third-party -||drragqvk.bid^$third-party -||drsemkuhpg.com^$third-party -||drtqfejznjnl.com^$third-party -||drumuwimmzxqps.com^$third-party -||drwfixovzqdcs.com^$third-party -||dsdiztki.bid^$third-party -||dsemgngou.com^$third-party -||dsevjzklcjjb.com^$third-party -||dsgjefwejkc.com^$third-party -||dsibzjqbtkjqd.bid^$third-party -||dskiepocq.bid^$third-party -||dsmysdzjhxot.com^$third-party -||dsnjsdrbqwdu.com^$third-party -||dswwghrlwwcm.com^$third-party -||dsxbgkphjyrngo.bid^$third-party -||dsyxresmht.com^$third-party -||dtgwjxeymdlri.com^$third-party -||dthmzwzsgjibw.com^$third-party -||dtiwhkapsgva.bid^$third-party -||dtjhwypfsayh.com^$third-party -||dtmwwpykiqng.com^$third-party -||dtnzlmwgujhgmj.bid^$third-party -||dtosduecka.com^$third-party -||dtpictvzcqqm.bid^$third-party -||dtqcjtkytuqn.com^$third-party -||dtrwlquawlp.com^$third-party -||dtuhvgjyrp.com^$third-party -||dtusmzjdycvk.com^$third-party -||dtvlalitvg.com^$third-party -||dtzlgtmqoj.bid^$third-party -||dubijsirwtwq.com^$third-party -||dubzmzpdkddi.com^$third-party -||duchmcmpmqqu.com^$third-party -||dueybqnkkhzdh.bid^$third-party -||dugqbllwslqrlj.com^$third-party -||duhqtjmftpxrmn.bid^$third-party -||duidsdvdbecg.bid^$third-party -||duklamznlrn.com^$third-party -||dulcetcgvcxr.com^$third-party -||dulfweycnqfoka.com^$third-party -||dulpsxaznlwr.com^$third-party -||dumoyqzxluou.com^$third-party -||durowueoaxjhd.com^$third-party -||dusgihujnthv.com^$third-party -||dutvcvwebocux.bid^$third-party -||dutypzccyhr.com^$third-party -||duuewwbntvl.com^$third-party -||duumdqyt.bid^$third-party -||duvyjbofwfqh.com^$third-party -||duwrigndkjp.com^$third-party -||duxyrxhfwilv.com^$third-party -||duyxfipwgrzwwd.bid^$third-party -||dvdbgvgagk.com^$third-party -||dvdyicsndqbqo.com^$third-party -||dvgvwatnnqsmll.com^$third-party -||dvhznawcuacblo.com^$third-party -||dviavwhykcdp.com^$third-party -||dvlhwokr.bid^$third-party -||dvokgydenwaksi.com^$third-party -||dvpgijdm.com^$third-party -||dvprcchlzke.bid^$third-party -||dvsrlrnpyxwv.com^$third-party -||dvszrkspd.com^$third-party -||dvzyppnmfgtr.com^$third-party -||dwabissw.com^$third-party -||dwbqmlvjpvv.com^$third-party -||dwentymgplvrizqhieugzkozmqjxrxcyxeqdjvcbjmrhnkguwk.com^$third-party -||dwhvkier.com^$third-party -||dwopbruzifg.com^$third-party -||dwuvmraztukg.com^$third-party -||dwvfccxbj.com^$third-party -||dwxaciqlebqemh.com^$third-party -||dxcqavshmvst.com^$third-party -||dxdunwcdfrdqm.com^$third-party -||dxfsbkmaydtt.com^$third-party -||dxiamgtxb.com^$third-party -||dxigubtmyllj.com^$third-party -||dxiixnrumvni.com^$third-party -||dxkhboqrrimy.bid^$third-party -||dxnglrimuuucmr.com^$third-party -||dxnzgeyxjhzym.com^$third-party -||dxokxbrfl.bid^$third-party -||dxqorupwedbotu.com^$third-party -||dxqxeklbsqe.com^$third-party -||dxtveuux.com^$third-party -||dxurtngzawwe.com^$third-party -||dxyafwkhrnycjp.com^$third-party -||dxzgoyzo.com^$third-party -||dxzkrtpnwpp.com^$third-party -||dyazeqpeoykf.com^$third-party -||dydxtkvmktumjp.com^$third-party -||dyerbegytfkj.com^$third-party -||dyhsubugnpw.bid^$third-party -||dyhwaacbbntu.com^$third-party -||dyjifezeyagm.com^$third-party -||dyjkbkpzxgpjfs.com^$third-party -||dylsjsmqjbbcs.com^$third-party -||dymaffzxk.com^$third-party -||dymzcxgdvf.com^$third-party -||dypmzetaj.com^$third-party -||dyunhvev.com^$third-party -||dywqwrtnhegyz.com^$third-party -||dyykxositkqt.bid^$third-party -||dyzstwcqbgjk.com^$third-party -||dz4ad.com^$third-party -||dzacosgvnz.com^$third-party -||dzaqzgjsot.com^$third-party -||dzblysulli.com^$third-party -||dzdfmwaztrrm.com^$third-party -||dzehfozic.bid^$third-party -||dzhjqmlv.bid^$third-party -||dzkmbajm.com^$third-party -||dzlaodil.com^$third-party -||dzloxwupyxw.com^$third-party -||dzlpvqbyk.com^$third-party -||dzmstxov.bid^$third-party -||dzqoubtxsaskdl.com^$third-party -||dzuklgyo.bid^$third-party -||dzwagxju.bid^$third-party -||dzyqqwixizp.com^$third-party -||dzzawlkmtvug.com^$third-party -||dzztjcbt.com^$third-party -||eaaqsama.com^$third-party -||eabgoszdtq.com^$third-party -||eabrkvxoe.bid^$third-party -||eadtortust.bid^$third-party -||eaetyfmpuelw.com^$third-party -||eaffxhnzh.com^$third-party -||eaffzvnyj.com^$third-party -||eahkxyuezqvx.com^$third-party -||eaidabmuxbqy.com^$third-party -||eaknxurdsogwr.com^$third-party -||eaolnbvd.com^$third-party -||easmdmxps.com^$third-party -||easnviytengk.com^$third-party -||easygatepr.bid^$third-party -||ebbhjxspf.com^$third-party -||ebbldazyvt.com^$third-party -||ebfjbrlcvjlv.com^$third-party -||ebfkifnjs.com^$third-party -||ebfoxoedfyi.com^$third-party -||ebgaxsjgdsnr.com^$third-party -||ebhytolzhum.com^$third-party -||ebicjwvxmygdqr.com^$third-party -||ebifuaad.com^$third-party -||ebmoorfskily.com^$third-party -||ebnfsjxs.bid^$third-party -||ebrvuzqkq.bid^$third-party -||ebspiewapcta.com^$third-party -||ebuurwhnjdvtau.com^$third-party -||ebyakgowemds.com^$third-party -||ecboxijnmh.com^$third-party -||eccsyytbe.bid^$third-party -||ecflhhxp.bid^$third-party -||ecmeqhxevxgmtoxubrjstrrlyfgrrtqhvafyagettmwnwkwltn.com^$third-party -||ectbduztanog.com^$third-party -||ectxnsxezdg.com^$third-party -||ectysptouy.com^$third-party -||ecvladelayk.com^$third-party -||ecxtuyttpfe.bid^$third-party -||edfthzanlsyse.com^$third-party -||edgsscofljhc.com^$third-party -||ednnpxhjsqyd.com^$third-party -||edoolqkrnmmnj.com^$third-party -||edplsrtjpxamr.bid^$third-party -||edpnkcsrp.bid^$third-party -||edudktabmq.bid^$third-party -||edvbyybaviln.com^$third-party -||edwywpsufuda.com^$third-party -||edxosrcvydn.com^$third-party -||edxvyyywsxqh.com^$third-party -||edyjiqxeppjkj.com^$third-party -||eeamatyc.com^$third-party -||eebrojmn.com^$third-party -||eecetnnsdz.bid^$third-party -||eedicjfwqhqr.bid^$third-party -||eedjbxyczp.bid^$third-party -||eedsgikkbtn.bid^$third-party -||eefbzuwvnnab.com^$third-party -||eefiwmtwppppay.com^$third-party -||eefiywjjzxry.com^$third-party -||eehdssnxola.com^$third-party -||eejcqlenlsko.com^$third-party -||eekkanwe.com^$third-party -||eekmkywfke.com^$third-party -||eelwibevmywtz.com^$third-party -||eencosteptffo.com^$third-party -||eepuawuevovi.com^$third-party -||eeqabqioietkquydwxfgvtvpxpzkuilfcpzkplhcckoghwgacb.com^$third-party -||eeqlxzpqqaii.com^$third-party -||eerdckbwujcx.com^$third-party -||eernnfbfby.com^$third-party -||eexnoxqcmrja.com^$third-party -||efbxevtnq.com^$third-party -||efcnevmojvfs.com^$third-party -||efebafmqn.com^$third-party -||efekvyyynwd.com^$third-party -||efhevptuqxpr.bid^$third-party -||efhseqgqgl.com^$third-party -||efjucmgdzexeab.com^$third-party -||efkxhoeoqsv.bid^$third-party -||efluqmlyzi.com^$third-party -||efmpejbybupe.bid^$third-party -||efnypuzqni.com^$third-party -||efotdwuui.bid^$third-party -||efsjxinbtzirs.bid^$third-party -||efukznkfmrck.com^$third-party -||efzhzqtyomldfj.com^$third-party -||egcocjwpzqsa.com^$third-party -||egcsbdrj.com^$third-party -||eghuntsrizvbt.com^$third-party -||egkkeahdzjqy.com^$third-party -||egouyziyto.bid^$third-party -||egqvfdht.bid^$third-party -||egrcoshpisdnn.com^$third-party -||egszpylvmclvf.bid^$third-party -||egtkhpkkfswf.com^$third-party -||egxkjjqke.bid^$third-party -||egzlqkjhm.bid^$third-party -||egzvkronnvwtra.bid^$third-party -||ehcawmdqgq.com^$third-party -||eheewlwlebwpd.com^$third-party -||ehfmhsqzxfrsz.bid^$third-party -||ehhmynitx.com^$third-party -||ehkovmky.com^$third-party -||ehlfynuo.com^$third-party -||ehlnakqlcvuxk.bid^$third-party -||ehnjtmqchrub.com^$third-party -||ehoksipmkejqt.bid^$third-party -||ehraxliuwt.com^$third-party -||ehrwekypesnl.bid^$third-party -||ehrxkeosifmksi.bid^$third-party -||ehuomemzh.com^$third-party -||ehxfudlqli.com^$third-party -||ehxpqwlnittvow.bid^$third-party -||ehzcbife.com^$third-party -||ehzkfbqpv.bid^$third-party -||eiadsdmj.bid^$third-party -||eidzaqzygtvq.com^$third-party -||eifbewnmtgpi.com^$third-party -||eifxhtrnhnveem.bid^$third-party -||eigtfqrokt.bid^$third-party -||eiibdnjlautz.com^$third-party -||eilmltibu.com^$third-party -||eimgxlsqj.bid^$third-party -||eiqzyxofsgzel.com^$third-party -||eivikmwwrqtb.bid^$third-party -||eiwcqowbowqo.com^$third-party -||eiwdnygfwl.com^$third-party -||eizzndhkvl.bid^$third-party -||ejbvrgespr.bid^$third-party -||ejdcjjcqcnzhre.bid^$third-party -||ejgdixiddmruql.com^$third-party -||ejgxyfzciwyi.com^$third-party -||ejjgrmutgrdwxg.com^$third-party -||ejjrckrhigez.com^$third-party -||ejkoolhhepojeu.com^$third-party -||ejlsbfqqxoc.com^$third-party -||ejoyjumnsft.com^$third-party -||ejwmxjttljbe.com^$third-party -||ejwocojjv.bid^$third-party -||ejwxbwzrhihtp.com^$third-party -||ekbiwwngwig.com^$third-party -||ekdamsibldrg.bid^$third-party -||ekdjdrmqqlc.bid^$third-party -||ekggptrw.com^$third-party -||ekgmjxjyfzzd.com^$third-party -||ekhgvpsfrwqm.com^$third-party -||ekiickqfxqtp.bid^$third-party -||ekiytcllwboe.com^$third-party -||eklcrpehu.com^$third-party -||ekmunhjbh.bid^$third-party -||ekmztfadigi.com^$third-party -||eknfrwtxsde.com^$third-party -||ekuuarqe.com^$third-party -||ekxfupdlyst.com^$third-party -||ekxlneryaiefwn.com^$third-party -||ekzstfriawl.bid^$third-party -||elatsadlux.com^$third-party -||elbeobjhnsvh.com^$third-party -||elcolpplwua.com^$third-party -||elfnwncr.com^$third-party -||elimpfdlss.com^$third-party -||eljjyutgjiuh.com^$third-party -||elkpxsfzrubq.com^$third-party -||eloumbsyd.com^$third-party -||elsgsgxywj.bid^$third-party -||eluhhfyxx.com^$third-party -||elvfmxguozafu.com^$third-party -||elvirvln.com^$third-party -||elwbhndbxfqk.com^$third-party -||elwwxuigpk.bid^$third-party -||elxkjyvdo.bid^$third-party -||elxxkpaeudxu.com^$third-party -||elzlogcphhka.com^$third-party -||elzmazpsbnwn.com^$third-party -||elzoovmzj.bid^$third-party -||emdbszgmxggo.com^$third-party -||emegbthex.bid^$third-party -||emektdasctwt.bid^$third-party -||emeqnqxd.bid^$third-party -||emfprumou.bid^$third-party -||emirdzzvhviv.com^$third-party -||emoknbcnwamv.bid^$third-party -||emrcrjcxjdsccz.bid^$third-party -||emrflqumwcz.bid^$third-party -||emrumkgmdmdq.com^$third-party -||emszbghugzw.bid^$third-party -||emvdlnwph.com^$third-party -||emxbuugvudofbc.bid^$third-party -||emxfructugey.com^$third-party -||emxwkunx.bid^$third-party -||emxztiidh.com^$third-party -||emzotevsto.com^$third-party -||emzxewhgjt.com^$third-party -||encvhiseje.bid^$third-party -||enfhddbnariw.com^$third-party -||enfupatujiqb.com^$third-party -||enheqjtrvkn.bid^$third-party -||enhovesepdhxph.bid^$third-party -||enhwftpkwvnb.com^$third-party -||eniaypwywduf.com^$third-party -||ennwwuxijwjgdm.bid^$third-party -||enokjulejktukh.com^$third-party -||entlydazhcmlgx.com^$third-party -||enusbrzlmcmg.com^$third-party -||enynwkvdb.com^$third-party -||enzyxtdcacde.com^$third-party -||eociaoqs.bid^$third-party -||eocnpszthsf.com^$third-party -||eoecdsfvceebrv.com^$third-party -||eoepqqkg.com^$third-party -||eofaplocyrcxhq.com^$third-party -||eojrldtucqsf.com^$third-party -||eoruxpqn.com^$third-party -||eotbkgjqu.com^$third-party -||eovkzcueutgf.com^$third-party -||eozbwwxniksmb.com^$third-party -||epbathcyav.com^$third-party -||epernepojkle.com^$third-party -||epesogtigole.com^$third-party -||epgokiocquxf.com^$third-party -||epgooipixbbo.com^$third-party -||ephtwbxuqy.com^$third-party -||eplocjhuxsoj.com^$third-party -||eplsshzbotknz.bid^$third-party -||epndtinso.com^$third-party -||epnjahss.com^$third-party -||epoxtzgddiwp.com^$third-party -||epsiulpa.com^$third-party -||eptwulil.com^$third-party -||epvhmxyqa.bid^$third-party -||epxokmckjkj.com^$third-party -||epxxqzrcdfkxo.bid^$third-party -||epzxtposabej.com^$third-party -||eqcvisodkvphw.bid^$third-party -||eqdlypxvit.com^$third-party -||eqegggmtc.com^$third-party -||eqezqqdpjmxbpb.com^$third-party -||eqhawyidkdug.com^$third-party -||eqkccjinroye.bid^$third-party -||eqonwbgcqi.bid^$third-party -||eqqhbzmaf.bid^$third-party -||eqqhiwfjcfx.bid^$third-party -||eqrbfjwnmxpy.com^$third-party -||eqszmuwnozvx.com^$third-party -||eraeoggritjeo.com^$third-party -||erahvrtzbg.com^$third-party -||erbsqnmglmnv.com^$third-party -||erckgobvi.com^$third-party -||erhpodgijusvi.bid^$third-party -||erificyggw.com^$third-party -||erireiejv.com^$third-party -||erkwkjfompvt.com^$third-party -||ermjhgdl.com^$third-party -||erqqhfsu.com^$third-party -||erszwzaidmlc.com^$third-party -||erucjvsest.com^$third-party -||ervinguewty.com^$third-party -||ervpgpxr.com^$third-party -||erzrulbjdd.bid^$third-party -||esdykqhupjp.com^$third-party -||esfqqfqagkkbrl.com^$third-party -||esfzbdwg.com^$third-party -||esgnyfznnihl.com^$third-party -||esgvhaspsjg.com^$third-party -||esgwceckxumg.com^$third-party -||eshezwwft.com^$third-party -||eslgydoqbedo.com^$third-party -||eslydbnukkme.com^$third-party -||esnirgskobfj.com^$third-party -||espnrlezwzvd.com^$third-party -||esqjuilubnaoey.com^$third-party -||esrpxyahzna.bid^$third-party -||essjetuhfuo.com^$third-party -||esundpxbixeqgu.com^$third-party -||esznfpbro.com^$third-party -||eszpmsipks.com^$third-party -||etbmvqjnfxtk.com^$third-party -||etbrjgpsadke.com^$third-party -||etekxogwxx.com^$third-party -||etggealva.com^$third-party -||etggiddfdaqd.com^$third-party -||etglnloj.com^$third-party -||etihenbteb.com^$third-party -||etizspyjmjhxo.com^$third-party -||etkdximarcsq.com^$third-party -||etkhujhmhjix.com^$third-party -||etmewatuh.com^$third-party -||etprpfuw.bid^$third-party -||etsqitgro.bid^$third-party -||ettamscqyvocxz.com^$third-party -||etuihxnhuxrofl.com^$third-party -||etvtabeas.com^$third-party -||etwgydlbl.bid^$third-party -||etyeltdqg.bid^$third-party -||etytypmuykf.bid^$third-party -||etyxitxlvqp.com^$third-party -||euarbohjj.com^$third-party -||eueukpcxjtxt.bid^$third-party -||eugxcnqw.com^$third-party -||euhewiruckv.com^$third-party -||eunysqxppf.bid^$third-party -||eupwogkcjczz.com^$third-party -||eurifsiooyof.bid^$third-party -||eutdrjvsrmav.com^$third-party -||eutklhuazxlt.com^$third-party -||euuikdao.com^$third-party -||euwyhbib.com^$third-party -||euxisszoyader.com^$third-party -||evepcynlxks.com^$third-party -||evfatcuv.com^$third-party -||evfwfkwufbjtd.com^$third-party -||evfzqbbdif.bid^$third-party -||evgdkvrzn.com^$third-party -||evhvoeqfrlsb.com^$third-party -||evimfftxa.com^$third-party -||evlvaulglzpu.com^$third-party -||evntcmetzefbv.bid^$third-party -||evszxlad.com^$third-party -||evtfjieqjhvf.com^$third-party -||evvpibrfqzjn.com^$third-party -||ewaosdzofcsy.bid^$third-party -||ewbejjirdygik.com^$third-party -||ewccxwve.bid^$third-party -||ewgnexykqnyoun.com^$third-party -||ewgtanybkkch.com^$third-party -||ewlnukukkca.com^$third-party -||ewopxadcn.com^$third-party -||ewpqmptpavn.com^$third-party -||ewrdeqrktgcu.com^$third-party -||ewsawnbf.com^$third-party -||ewxssoad.bid^$third-party -||ewzsfpskdfuip.com^$third-party -||ewzwkgyrpk.bid^$third-party -||exaorwqrj.bid^$third-party -||exbphrqpqukm.com^$third-party -||excqjoor.com^$third-party -||exdcbyzgwfvwa.com^$third-party -||exekiksakspujl.com^$third-party -||exeroearu.bid^$third-party -||exioptyxiyoo.com^$third-party -||exjthrzliajfd.com^$third-party -||exkruwviyy.com^$third-party -||exmubrgt.bid^$third-party -||exnyzdboihvi.com^$third-party -||exqaxblsmev.com^$third-party -||exsuqfxv.bid^$third-party -||exucfbmppagqta.bid^$third-party -||exvgzhwssyivz.bid^$third-party -||exvmxqexedomi.com^$third-party -||eydiuqpdtfew.com^$third-party -||eyinwxkojgkfgs.com^$third-party -||eyjuwcrnu.bid^$third-party -||eylefeyrwl.com^$third-party -||eylyitpslpqu.com^$third-party -||eyqletzkhybsef.com^$third-party -||eytqtjpjnmeas.com^$third-party -||ezbbxqocxnto.com^$third-party -||ezbtpdjeimlv.com^$third-party -||ezdariijmdlg.bid^$third-party -||ezemyudhkzvx.com^$third-party -||ezfncojpnrmj.com^$third-party -||ezgswchaz.com^$third-party -||ezhinpwh.com^$third-party -||ezhkfxskimqnqk.com^$third-party -||ezjepifcz.com^$third-party -||ezjrnbpjthir.com^$third-party -||ezkbzmwigo.bid^$third-party -||ezknqsblzmsl.com^$third-party -||ezlxnyhbjtqr.com^$third-party -||ezqldmevi.com^$third-party -||ezrutveckpuly.com^$third-party -||ezuereisgj.com^$third-party -||ezuosstmbcle.com^$third-party -||fabrtgzehf.com^$third-party -||facqgdunsgf.com^$third-party -||facsowlaufzk.com^$third-party -||faegbmhey.com^$third-party -||fafmybvsoj.com^$third-party -||faftjhuu.com^$third-party -||fahowtxv.bid^$third-party -||fajonlkb.com^$third-party -||fajsbncwlaws.com^$third-party -||faleaqotrgvox.bid^$third-party -||famztplbta.bid^$third-party -||faoxietqwbmu.com^$third-party -||farkkbndawtxczozilrrrunxflspkyowishacdueiqzeddsnuu.com^$third-party -||fatayvywbebgdn.com^$third-party -||fawhiybzs.bid^$third-party -||fbafbbujy.com^$third-party -||fbauhaozc.bid^$third-party -||fbbjlubvwmwd.com^$third-party -||fbekvzjp.com^$third-party -||fbhfbgtj.com^$third-party -||fbhgryvzlthvh.com^$third-party -||fbkdhxkd.com^$third-party -||fbnvqmorr.com^$third-party -||fbpetrwt.com^$third-party -||fbtfhgydrovyxs.com^$third-party -||fbvvuwtejcvdza.com^$third-party -||fbwswktiaxmldz.com^$third-party -||fbzfudipxwtu.bid^$third-party -||fcbykurluasdeu.com^$third-party -||fcihwhsiukz.com^$third-party -||fcjhxlybaiab.com^$third-party -||fcjiqwghf.bid^$third-party -||fcjnqpkrdglw.com^$third-party -||fcjodgfpjiswa.com^$third-party -||fcpispplqq.com^$third-party -||fcveilhtok.com^$third-party -||fcwpxsmiyy.com^$third-party -||fdbqwtqdgcsceh.com^$third-party -||fdbrwxtm.com^$third-party -||fdbyfnpdcqc.bid^$third-party -||fddbdlolkxgc.com^$third-party -||fdepobamndfn.com^$third-party -||fdeuykfnpdy.com^$third-party -||fdfpnrhlckbmiz.bid^$third-party -||fdgxsvblervuss.bid^$third-party -||fdhtjdgsk.com^$third-party -||fdjdyzoqnzikx.bid^$third-party -||fdnxojzwbmie.bid^$third-party -||fdogfuqpgeub.com^$third-party -||fdrkesvb.com^$third-party -||fdrqokusnwpq.com^$third-party -||fdtvsqnkujlwaa.bid^$third-party -||fduyzzjazngphw.bid^$third-party -||fdvmskmentjob.com^$third-party -||fdxdjkswppg.com^$third-party -||fdzylxffu.com^$third-party -||feacamnliz.bid^$third-party -||febalwby.com^$third-party -||fefzohgedqp.com^$third-party -||fegyacmbobil.com^$third-party -||fehsnwiem.com^$third-party -||fejbkpidkkwts.com^$third-party -||fembsflungod.com^$third-party -||fengrtnoxuwwe.com^$third-party -||fepzygektdt.com^$third-party -||feqlklwaafgc.com^$third-party -||feqyuubaixe.bid^$third-party -||fevgukzwvjam.com^$third-party -||fevrbniqa.com^$third-party -||ffahsidlivqb.bid^$third-party -||ffanszicnoqs.com^$third-party -||ffaspwzfq.com^$third-party -||ffbqnbdcrx.com^$third-party -||ffbuqvnst.bid^$third-party -||ffcqkvdaklrqkg.com^$third-party -||ffdkffnj.com^$third-party -||fffzquckf.com^$third-party -||ffhwzaenzoue.com^$third-party -||ffjzebtmdwi.com^$third-party -||ffkwprrdmyaj.bid^$third-party -||ffmhgdnkdcs.com^$third-party -||ffoifngclwfuey.com^$third-party -||ffpkqjyvvneg.com^$third-party -||ffpnlrnmfyeqx.com^$third-party -||ffpyofnpq.com^$third-party -||ffrsfowwxtlbu.com^$third-party -||ffvbcwueh.com^$third-party -||ffvghouburgijz.bid^$third-party -||ffvvapasfcoha.bid^$third-party -||ffwbpadvkcyi.com^$third-party -||fgcterkdpns.com^$third-party -||fghdembabvwe.com^$third-party -||fghtrrasovlsu.com^$third-party -||fgilgpmoudkzx.bid^$third-party -||fgkvpyrmkbap.com^$third-party -||fglwxjklf.com^$third-party -||fgmucsiirrsq.com^$third-party -||fgnzizhe.com^$third-party -||fgsjjpjhdlfthp.com^$third-party -||fgsmmpazsuqak.com^$third-party -||fgtdzvlydqcpus.com^$third-party -||fgvjjulaegidb.com^$third-party -||fgwsjwiaqtjc.com^$third-party -||fgxgzjeip.bid^$third-party -||fgyeepfitnvkzz.com^$third-party -||fgzaxilcgxum.com^$third-party -||fgzxlngohtg.com^$third-party -||fhawywadfjlo.com^$third-party -||fhgstzgrdhkah.bid^$third-party -||fhjciatocm.bid^$third-party -||fhluqrhmqs.com^$third-party -||fhlzfxxnqc.com^$third-party -||fhqornueunf.com^$third-party -||fhsohqtif.com^$third-party -||fhsxhewkajqwgf.bid^$third-party -||fhtlyoqzyjjof.com^$third-party -||fhxmqthpjswm.bid^$third-party -||fhylnqzxwsbo.com^$third-party -||fhzgapsfnlsvx.bid^$third-party -||fiarnvygamgpqf.com^$third-party -||fieejwanbrv.com^$third-party -||fifnonxntvaszg.com^$third-party -||fikyzmbuhql.bid^$third-party -||filenlgic.bid^$third-party -||finsbfaizzx.com^$third-party -||fioeazluwwirp.bid^$third-party -||fiqkmfapvnntn.bid^$third-party -||firflzsngsg.bid^$third-party -||firugsivsqot.com^$third-party -||fisqwkxyvsrtnz.bid^$third-party -||fiuazbmlycese.com^$third-party -||fiunfrafi.bid^$third-party -||fjcvncxrmmru.com^$third-party -||fjeqkpblfb.com^$third-party -||fjfxpykp.com^$third-party -||fjlvozwlv.bid^$third-party -||fjmjlwvtv.bid^$third-party -||fjmxpixte.bid^$third-party -||fjocjdbo.com^$third-party -||fjqngeqkhlruto.bid^$third-party -||fjrlvkpjfimw.com^$third-party -||fjszsffyfihqlg.com^$third-party -||fjuouqwxgbir.com^$third-party -||fjvolzrojowa.com^$third-party -||fjwagiuqmeymw.com^$third-party -||fjxdsslczu.bid^$third-party -||fjxlbkwhtpil.com^$third-party -||fjxssyatdwttqm.com^$third-party -||fjyapvqvgjmwy.com^$third-party -||fkdqrjnoxhch.com^$third-party -||fkdslgyunikais.com^$third-party -||fkekipafwlqd.com^$third-party -||fkemshukccjvu.com^$third-party -||fkfmujcudpwdn.com^$third-party -||fkianrxjfumm.com^$third-party -||fkivuntlyd.bid^$third-party -||fkjyzxnoxusg.com^$third-party -||fkkjsdpppv.bid^$third-party -||fkpbbmgqa.bid^$third-party -||fkphqtgqrfixl.com^$third-party -||fkrgfktdvta.com^$third-party -||fkrrvhoierty.com^$third-party -||fkvjntfj.com^$third-party -||fkwwhndzjlqrm.com^$third-party -||flbecoidmt.com^$third-party -||flcfstbzncsim.com^$third-party -||fldlyzvhgjq.com^$third-party -||flepzrkdwm.com^$third-party -||flgstgrcwapk.com^$third-party -||flirrfbpb.com^$third-party -||flkyhwjhp.com^$third-party -||flmditew.com^$third-party -||flnqkhnqjcmvp.com^$third-party -||flntdbwafec.com^$third-party -||flooaiaubf.bid^$third-party -||fluohbiy.com^$third-party -||fluunrkjjhv.com^$third-party -||flvuylhsyg.com^$third-party -||flzelfqolfnf.com^$third-party -||fmbjxqvkjfmj.com^$third-party -||fmcktrmnlyfjr.com^$third-party -||fmcwqmwdaubb.com^$third-party -||fmgcaqljz.bid^$third-party -||fmoihhvbehopc.com^$third-party -||fmpsrqsib.bid^$third-party -||fmuxugcqucuu.com^$third-party -||fmxnlkoaf.com^$third-party -||fmztxzdrq.bid^$third-party -||fmzxzkgmpmrx.com^$third-party -||fnacxthxbgmmmo.bid^$third-party -||fnaolgfubmlc.com^$third-party -||fnayazchhum.com^$third-party -||fnbhjbcfqkrcs.com^$third-party -||fneheruhxqtv.com^$third-party -||fnfhplmys.com^$third-party -||fngoubeq.com^$third-party -||fnhogffqzmcqj.com^$third-party -||fnjcriccyuna.com^$third-party -||fnjzuwviiyedmp.com^$third-party -||fnkyyrgraizy.com^$third-party -||fnmubgld.com^$third-party -||fnprtscsvux.com^$third-party -||fnsjfalwuti.bid^$third-party -||fnutdrjkcebyw.com^$third-party -||fnuuhrhfkvpbnm.com^$third-party -||fnzpchmrhlpfzl.bid^$third-party -||foabezckdiv.bid^$third-party -||fobjoccwkrkv.com^$third-party -||fofjazpwccc.com^$third-party -||foguumjql.com^$third-party -||fojgpvkhu.com^$third-party -||fokisduu.com^$third-party -||foovyagf.com^$third-party -||foqzposfvmk.com^$third-party -||fosclhrsdhhn.com^$third-party -||fpbmjwoebzby.com^$third-party -||fpcptdqmjlnlu.com^$third-party -||fpdsavexteno.com^$third-party -||fpfivothg.com^$third-party -||fpguuwnpkvqsq.bid^$third-party -||fpluhtibx.com^$third-party -||fpnxicejwel.com^$third-party -||fpoxpjpxn.com^$third-party -||fppgjkkjq.bid^$third-party -||fppupmqbydpk.com^$third-party -||fpqeowmsv.com^$third-party -||fpqippsowc.bid^$third-party -||fpqxcvrewdqd.com^$third-party -||fpriycwxw.com^$third-party -||fpsezlguzzqmfw.bid^$third-party -||fpslcnjecewd.com^$third-party -||fpsnezwiumsv.com^$third-party -||fpunplooxphq.com^$third-party -||fpvfeyjrwlio.com^$third-party -||fpxkjlzmkqp.com^$third-party -||fpxthotxzuf.com^$third-party -||fpzcaabzhvzz.com^$third-party -||fpzcyccpqldc.com^$third-party -||fpzxmdjjpphzc.bid^$third-party -||fqazjwxovxlu.com^$third-party -||fqbrdnpf.com^$third-party -||fqckdxjgle.com^$third-party -||fqemzrkwuiaq.bid^$third-party -||fqesuuyzhxpz.bid^$third-party -||fqgqosvpodxn.com^$third-party -||fqhpssdbenl.com^$third-party -||fqjevuoat.com^$third-party -||fqkcdhptlqma.com^$third-party -||fqldrulyjfnt.com^$third-party -||fqleehzafh.com^$third-party -||fqmxwckinopg.com^$third-party -||fqnabpbdljzq.bid^$third-party -||fqovfxpsytxf.com^$third-party -||fqpfvqpptch.com^$third-party -||fqpteozo.com^$third-party -||fqqtlkuklrd.com^$third-party -||fqrcutjorn.com^$third-party -||fqsdlhaffr.bid^$third-party -||fqtpulizvvjcf.com^$third-party -||fqufpknrarn.com^$third-party -||frbhjvazapgo.com^$third-party -||frcinpdv.com^$third-party -||frczfzikturw.com^$third-party -||frcznmfu.com^$third-party -||frddujheozns.com^$third-party -||frdhsmerubfg.com^$third-party -||frefxzrmcdxdmi.com^$third-party -||frezshmura.bid^$third-party -||frfgfhzxtfvsp.com^$third-party -||frkohfqkpwvvq.com^$third-party -||frlvfzybstsa.com^$third-party -||frlzxwxictmg.com^$third-party -||frmavvtkhi.bid^$third-party -||frmwbxzynkrswj.com^$third-party -||frmxnnjejpzbr.com^$third-party -||frqmnrlqk.com^$third-party -||frtfwlvwuw.com^$third-party -||frtkblgbqc.bid^$third-party -||frxgmxkg.bid^$third-party -||frxohovv.com^$third-party -||fsapltvckyb.bid^$third-party -||fscslwmvbadncb.com^$third-party -||fsddidfmmzvw.com^$third-party -||fsdvydpldxrbu.com^$third-party -||fsiadjbirgobi.com^$third-party -||fsindvlkmrqnie.com^$third-party -||fsjvhkobubai.com^$third-party -||fskheghrote.com^$third-party -||fsmpxxdyv.com^$third-party -||fsnhesxsw.com^$third-party -||fsohxklbxdi.com^$third-party -||fsqgojinc.bid^$third-party -||fsqknqvlngde.com^$third-party -||fsrmspghkuyn.bid^$third-party -||fssesicszubztp.bid^$third-party -||fsuhjykihmqpt.bid^$third-party -||fsvcrapnmmvj.com^$third-party -||fsvxxllfpfhk.com^$third-party -||fsxmtpvumpty.bid^$third-party -||ftbiufcomsa.bid^$third-party -||ftbnrjzvgtdyzs.bid^$third-party -||ftcjcmcovx.com^$third-party -||ftdyrqgjr.bid^$third-party -||ftfnchzmnyl.com^$third-party -||ftgfmbxqkjda.com^$third-party -||ftisvrpsfu.bid^$third-party -||ftjrekbpjkwe.com^$third-party -||ftodxdoolvdm.com^$third-party -||ftqgkcmbkptohh.com^$third-party -||ftqhgapqugv.bid^$third-party -||fttsgimpiagrwa.com^$third-party -||ftttziizhuplfj.com^$third-party -||ftuisdlnbp.com^$third-party -||ftuohzeijbkm.com^$third-party -||ftusprfqtu.bid^$third-party -||ftvkgkkmthed.com^$third-party -||ftvwoljibdwd.com^$third-party -||ftwdbhsztw.com^$third-party -||ftxekufylzqis.com^$third-party -||ftymjfywuyv.com^$third-party -||ftymzxmic.com^$third-party -||ftytssqazcqx.com^$third-party -||fuaawvoqbzza.com^$third-party -||fubhyuveurmlz.com^$third-party -||fuckaqunrcjj.bid^$third-party -||fucrzdux.bid^$third-party -||fuhgvhuukl.bid^$third-party -||fuialqqq.com^$third-party -||fukchwgbsl.com^$third-party -||fukkzdxfyrchhc.com^$third-party -||fupgvldb.com^$third-party -||fuurqgbfhvqx.com^$third-party -||fuwgbbkktwbu.com^$third-party -||fuymatqqiyz.com^$third-party -||fvbeyduylvgy.com^$third-party -||fvbtqaijuo.com^$third-party -||fveegvyfe.com^$third-party -||fvenxjtzuaxu.com^$third-party -||fveugxikrgrbsh.com^$third-party -||fvffhcyxc.com^$third-party -||fvgfcotnmj.com^$third-party -||fvhxlrcd.com^$third-party -||fvipinzac.com^$third-party -||fviwwkvvxs.com^$third-party -||fvkdatbzswo.bid^$third-party -||fvozquqvnuv.bid^$third-party -||fvrbloxygbrv.com^$third-party -||fvrvxmksxhut.com^$third-party -||fvsdvxjpxi.com^$third-party -||fvtwyjev.com^$third-party -||fvwcwbdrprdt.com^$third-party -||fvwfkfzhha.com^$third-party -||fvzompquocgdsu.com^$third-party -||fvzusqdf.com^$third-party -||fwbhvrpiunlzyh.com^$third-party -||fwcrhzvfxoyi.com^$third-party -||fwenfotroadh.bid^$third-party -||fwfgbhjhnlkv.com^$third-party -||fwfsnhixricu.com^$third-party -||fwigabtjb.com^$third-party -||fwjpfuzn.bid^$third-party -||fwlkncckwcop.com^$third-party -||fwnebnypnkp.bid^$third-party -||fwnlrejfedzy.com^$third-party -||fwskchuk.com^$third-party -||fwslcjmfdqyvmg.com^$third-party -||fwutbizwevr.com^$third-party -||fwvfntvmhhxx.bid^$third-party -||fwwdmnkjg.com^$third-party -||fwwnbucwoc.bid^$third-party -||fwxmscriszl.bid^$third-party -||fwyofqdypydo.com^$third-party -||fwzlsugrflhh.com^$third-party -||fwzmxceibqmuvk.bid^$third-party -||fwzqogrlgsdl.com^$third-party -||fxazopwrns.com^$third-party -||fxcayktrneld.com^$third-party -||fxdglnldbnyq.com^$third-party -||fxfxpyrq.com^$third-party -||fxjgprpozntk.com^$third-party -||fxjyultd.com^$third-party -||fxlmstfrxtqp.com^$third-party -||fxlyhuluw.com^$third-party -||fxoryjxrnuoo.com^$third-party -||fxpjkzwveswgtt.bid^$third-party -||fxpqoyxlas.com^$third-party -||fxrgikipxnlq.com^$third-party -||fxsbodcjjmofm.bid^$third-party -||fxteikyi.bid^$third-party -||fxtgrttlarkl.com^$third-party -||fxvbsnwnwoib.com^$third-party -||fxvxgwqcddvm.com^$third-party -||fxwkhwcmsqne.com^$third-party -||fxzdwisjdihwj.bid^$third-party -||fyblldnlr.com^$third-party -||fybrwdikdsvzt.com^$third-party -||fyifssdoq.bid^$third-party -||fynprrom.com^$third-party -||fypbjnwbuz.bid^$third-party -||fyphnmoz.com^$third-party -||fytrvzettfn.com^$third-party -||fyxuxfte.bid^$third-party -||fyyyyppk.com^$third-party -||fzbnuyjgyexs.com^$third-party -||fzbyrntsjxhcmb.com^$third-party -||fzccvcrsbtb.com^$third-party -||fzcgtfyn.bid^$third-party -||fzcgugzx.bid^$third-party -||fzcyyqvrbrpk.com^$third-party -||fzhwvlpnqg.bid^$third-party -||fzmogmfqh.com^$third-party -||fzpseyhkanhopd.com^$third-party -||fzqxefkbjzwiqa.com^$third-party -||fzrcalpbcu.com^$third-party -||fzrqfakeaqikwm.com^$third-party -||fzsiwzxnqadb.com^$third-party -||fztrvkdqzv.bid^$third-party -||fzwxuqoy.com^$third-party -||fzxraumht.bid^$third-party -||fzzudxglrnrr.com^$third-party -||gaaprokoduuyyn.bid^$third-party -||gabyuyxwcubwdp.com^$third-party -||gafoswegc.com^$third-party -||gahhlbxdgw.com^$third-party -||gaqhseuqp.com^$third-party -||gaxafjlxgoqfj.bid^$third-party -||gaxmdcfkxygs.com^$third-party -||gazogsjsoxty.com^$third-party -||gbakhtzvoguz.com^$third-party -||gbbtziazhn.com^$third-party -||gbddkzbtczkw.bid^$third-party -||gbdqimygbobtih.bid^$third-party -||gbdxxsjzrechci.bid^$third-party -||gbfnuqois.com^$third-party -||gbgtegzxz.com^$third-party -||gbiwxmjw.com^$third-party -||gbjqfbnxfjx.com^$third-party -||gbltotkythfh.com^$third-party -||gbnwjjxb.bid^$third-party -||gbsxcyukuuex.com^$third-party -||gbwgrhjjwz.com^$third-party -||gbwhqbiiq.com^$third-party -||gbwrjyntqsvr.com^$third-party -||gbwzrcymfmvym.bid^$third-party -||gbybvvfo.com^$third-party -||gbytjlggor.com^$third-party -||gcboyhlfqxhc.com^$third-party -||gchfmrxxpfizw.bid^$third-party -||gcirwjlmyfgxm.bid^$third-party -||gcpbftsiwdrajj.com^$third-party -||gcrqbzvwhz.bid^$third-party -||gcujnsgvdq.com^$third-party -||gcwhhynufwnj.com^$third-party -||gcxsbflncu.bid^$third-party -||gcypxlue.bid^$third-party -||gdbhmiyly.com^$third-party -||gdbmpwlhf.com^$third-party -||gdbohhvoo.com^$third-party -||gdczbvckwjafu.com^$third-party -||gdekvzhsqwau.com^$third-party -||gdhlysucwzyzu.com^$third-party -||gdhtshpyz.bid^$third-party -||gdixpvfqbhun.com^$third-party -||gdpuknsngvps.com^$third-party -||gdtbpaqa.com^$third-party -||gduubghr.bid^$third-party -||gdwwpvwq.com^$third-party -||gdyelbwku.com^$third-party -||gdyjhclaxvqz.com^$third-party -||geazikjazoid.com^$third-party -||gecxceztcnhkmh.com^$third-party -||gedmodsxbebd.com^$third-party -||gefaqjwdgzbo.com^$third-party -||gekywqwky.com^$third-party -||genqrabot.com^$third-party -||geqcqduubhll.com^$third-party -||gerpkshe.com^$third-party -||geudyhlxmbj.bid^$third-party -||gevrsbmqvp.bid^$third-party -||gezkddgdbliip.bid^$third-party -||gfamqlcmymxbeu.com^$third-party -||gfchcxin.com^$third-party -||gfdeapuaymd.bid^$third-party -||gfeaegaepsgp.com^$third-party -||gffupsrgds.com^$third-party -||gfhlwbxjjdla.bid^$third-party -||gfrlmvxfsvl.com^$third-party -||gfuhjlpnuj.com^$third-party -||gfyrxikptop.com^$third-party -||ggagqobykjh.com^$third-party -||ggbfbseakyqv.com^$third-party -||ggezvffghs.com^$third-party -||gggemaop.com^$third-party -||gghepxqsga.com^$third-party -||gghhzzllakjm.bid^$third-party -||ggijrjktcld.com^$third-party -||ggjsegnbriqhnz.com^$third-party -||ggnabmvnwphu.com^$third-party -||ggngbgccubvf.com^$third-party -||ggntadmnwwm.com^$third-party -||ggprfmbbl.com^$third-party -||ggrjihzgtdxutg.bid^$third-party -||ggscparljuz.com^$third-party -||ggtujtuyvcci.com^$third-party -||ggusxcee.bid^$third-party -||gguvdsglzjyca.com^$third-party -||ggwbgnmahqyclg.com^$third-party -||ggxvxrmrjitg.com^$third-party -||ggyrnhdbqxufh.com^$third-party -||ggzuksudqktn.com^$third-party -||ggzvlwrf.com^$third-party -||ghaszdguvrtnb.com^$third-party -||ghizipjlsi.bid^$third-party -||ghjlhnbc.com^$third-party -||ghjwogfexch.com^$third-party -||ghkajgexob.com^$third-party -||ghkhvajwsiy.com^$third-party -||ghomifuzhobtoo.com^$third-party -||ghtroafchzrt.com^$third-party -||ghttzqpeyunwdr.bid^$third-party -||ghycvwos.bid^$third-party -||ghygzvdh.bid^$third-party -||ghytjserb.com^$third-party -||ghzylikrcdydf.bid^$third-party -||gifjvmfkzykp.com^$third-party -||gigphdgtszus.bid^$third-party -||gigvyvqe.com^$third-party -||giinmwnwsid.com^$third-party -||gimxqltq.bid^$third-party -||giojhiimnvwr.com^$third-party -||giphylee.com^$third-party -||gipmaxxp.bid^$third-party -||giqvmjiccwwys.bid^$third-party -||girrjaqgjb.com^$third-party -||gisiwdcqte.com^$third-party -||gitopazeaamdkm.bid^$third-party -||givmuvbacwui.com^$third-party -||giwvzhflxv.bid^$third-party -||giyjhogjmfmc.com^$third-party -||giyupoeynkfx.com^$third-party -||gjbgesaromnb.com^$third-party -||gjeyqtunbnap.com^$third-party -||gjfugukpyo.bid^$third-party -||gjijrevdp.com^$third-party -||gjikkwtrstaku.com^$third-party -||gjjsfchh.bid^$third-party -||gjliurjvfnkymq.com^$third-party -||gjmlseezqjy.com^$third-party -||gjnusfiby.com^$third-party -||gjriyqsfrnvuv.com^$third-party -||gjrstyulnbf.com^$third-party -||gjrzirxxkbw.com^$third-party -||gjvuxnfwsngmux.bid^$third-party -||gjwqxjqdvtldbh.bid^$third-party -||gjxdibyzvczd.com^$third-party -||gjyfmlrqssyj.com^$third-party -||gkaatcjxwa.com^$third-party -||gkatquevzk.com^$third-party -||gkblyvnioxpd.com^$third-party -||gkcmxcbmcieykc.com^$third-party -||gkeahnmvduys.com^$third-party -||gkgdqahkcbmykurmngzrrolrecfqvsjgqdyujvgdrgoezkcobq.com^$third-party -||gkhfahrtren.com^$third-party -||gkhubwgeber.bid^$third-party -||gkiqfnjtwmj.bid^$third-party -||gkiqlocbirh.com^$third-party -||gkiryieltcbg.com^$third-party -||gkkfirgzrfoxkx.com^$third-party -||gkmaclyrj.bid^$third-party -||gkrvjofbhdvo.bid^$third-party -||gkvegijnhienmq.bid^$third-party -||gkvhfryrramj.com^$third-party -||gkwdspzl.bid^$third-party -||gkyblmfggpyq.bid^$third-party -||glbgkmvl.com^$third-party -||glbsuoebquueky.com^$third-party -||glcgytymbp.bid^$third-party -||glcpzwihisagw.bid^$third-party -||glfiivzom.com^$third-party -||glfnjyzix.bid^$third-party -||glfqztlzebamqw.com^$third-party -||glhbjwuovievay.bid^$third-party -||glhqdfmcchhk.bid^$third-party -||glhxoawgunlame.bid^$third-party -||gljanrsxz.com^$third-party -||gllkdkxygckb.com^$third-party -||glnqvqbedbmvtcdzcokrfczopbddhopygrvrnlgmalgvhnsfsc.com^$third-party -||glslciwwvtxn.com^$third-party -||gltpstgjnyb.com^$third-party -||glvjbogft.com^$third-party -||glvzlhrrdjlme.com^$third-party -||glyicpeke.com^$third-party -||glykvwol.bid^$third-party -||glzaaewyvdkae.com^$third-party -||gmcyfkrtw.com^$third-party -||gmecesfngrngu.bid^$third-party -||gmeomlvmqlmu.com^$third-party -||gmfestfc.com^$third-party -||gmjhwyby.com^$third-party -||gmnozoruyfy.bid^$third-party -||gmnxupczjmecj.bid^$third-party -||gmowaloqmhtd.com^$third-party -||gmpdixdh.com^$third-party -||gmpmuqniggyz.com^$third-party -||gmqczpcyzjeen.com^$third-party -||gmquualzdmqtxp.com^$third-party -||gmutfgxdvwmtf.com^$third-party -||gmwqmjkggg.com^$third-party -||gmxetthnzmqo.com^$third-party -||gmzaaeenp.com^$third-party -||gnadhzstittd.com^$third-party -||gnaizrodp.com^$third-party -||gncfttutoiwwq.com^$third-party -||gniosksijt.bid^$third-party -||gnipadiiodpa.com^$third-party -||gnkpuprxa.com^$third-party -||gnmjiishaldus.com^$third-party -||gnnmdzbroemx.com^$third-party -||gnqqajovkhfmq.com^$third-party -||gnreqzzts.com^$third-party -||goacestnzgrd.com^$third-party -||gobijnwbyri.com^$third-party -||gobljmgamwfjrc.bid^$third-party -||goegstjtam.bid^$third-party -||goeoxqhesrvaq.bid^$third-party -||gofgfsvnfnfw.com^$third-party -||gofsukrrqhcj.com^$third-party -||gogavdasjtxn.com^$third-party -||gogergyxl.com^$third-party -||gogntrsm.com^$third-party -||goiqwteaxvgc.com^$third-party -||gojotpbkyqou.bid^$third-party -||gojwyansqmcl.com^$third-party -||golkkzpniri.com^$third-party -||gonuuudpdcu.com^$third-party -||goowurzdotcom.bid^$third-party -||goozbkcchscvb.com^$third-party -||gopamdzgpdrwe.bid^$third-party -||gosvhpsc.com^$third-party -||gouowkjmewn.com^$third-party -||gouytrujxuhkzk.bid^$third-party -||gozfsvoqn.com^$third-party -||gozmioancm.bid^$third-party -||gpacwxynxluey.bid^$third-party -||gpaeofyetjvff.bid^$third-party -||gpatesbcesl.com^$third-party -||gpavxommrba.com^$third-party -||gpbznagpormpyusuxbvlpbuejqzwvspcyqjcxbqtbdtlixcgzp.com^$third-party -||gpdjgkibngbrr.com^$third-party -||gpdqzmhayrcgsy.com^$third-party -||gperzgnvuuyx.com^$third-party -||gpgsxlmjnfid.com^$third-party -||gphfgyrkpumn.com^$third-party -||gphvcvxebrun.bid^$third-party -||gpiaqusavf.bid^$third-party -||gpkdnfoho.bid^$third-party -||gplqpxhsunghmx.bid^$third-party -||gpltrrdffobf.com^$third-party -||gpnduywxhgme.com^$third-party -||gppkhamotypq.com^$third-party -||gppzxymr.bid^$third-party -||gptafybrj.com^$third-party -||gptkueuaseyut.com^$third-party -||gptoleeekac.bid^$third-party -||gpudqmly.com^$third-party -||gpuulhuupfinoq.com^$third-party -||gpzywrsrcr.com^$third-party -||gqekfxgdaxoau.com^$third-party -||gqlaoeyczxsvk.com^$third-party -||gqlmavnoavcaw.com^$third-party -||gqlqgmiahdtoyl.bid^$third-party -||gqmrdezduagsqi.com^$third-party -||gqnmautydwky.com^$third-party -||gqnotcpintcq.bid^$third-party -||gqorytmpkjdq.com^$third-party -||gqosdcpjxajae.com^$third-party -||gqqsqbipuhlzb.com^$third-party -||gqrsxfwxvx.com^$third-party -||gqrwjsjbnoayff.com^$third-party -||gqrxsjqo.com^$third-party -||gqtaibrlhbwd.bid^$third-party -||gqtcapjnn.bid^$third-party -||gqthfroeirol.com^$third-party -||gqulrzprheth.com^$third-party -||gqusxhuexmu.com^$third-party -||gqutnukt.com^$third-party -||gquvhveabaem.com^$third-party -||gqwprjzwlfspw.com^$third-party -||grceweaxhbpvclyxhwuozrbtvqzjgbnzklvxdezzficwjnmfil.com^$third-party -||grewuxii.bid^$third-party -||grfqrhqlzvjl.com^$third-party -||grgxptjsgl.com^$third-party -||grhqitjkih.bid^$third-party -||grkrkurbyykok.com^$third-party -||grlehzdbzmstb.com^$third-party -||grlygpybnhbwcu.com^$third-party -||grnrmwxf.com^$third-party -||grppxsxgcdcu.bid^$third-party -||grrduoonwjpy.com^$third-party -||grsdvgnr.com^$third-party -||grsnseuoispsco.com^$third-party -||grtduutw.bid^$third-party -||grubpbrmek.com^$third-party -||grvoflsctenq.bid^$third-party -||grxpaizsvdzw.com^$third-party -||gsfvzgnu.com^$third-party -||gsghbxydcyum.com^$third-party -||gshiupcdkolv.bid^$third-party -||gsiqerorqkxu.com^$third-party -||gsjhehtqvin.com^$third-party -||gsqhqbaysfmp.bid^$third-party -||gsqwxrtcabdftt.com^$third-party -||gstpgbhqzia.bid^$third-party -||gsueoeigaq.com^$third-party -||gswaelxxh.com^$third-party -||gsxehyapoafiwe.com^$third-party -||gsxewjrbrbtldy.com^$third-party -||gsxvgomvbfrj.com^$third-party -||gtaouarrwypu.com^$third-party -||gtbfhyprjhqz.com^$third-party -||gtbrnqncz.com^$third-party -||gtcpsbvtwaqw.com^$third-party -||gtevyaeeiged.com^$third-party -||gtfbvxlmev.com^$third-party -||gthrdhxhwdt.bid^$third-party -||gtjpkitasq.com^$third-party -||gtkikiwa.com^$third-party -||gtlcgovlg.com^$third-party -||gtmonytxxglu.com^$third-party -||gtnlyyxfhkjv.com^$third-party -||gtnmyddlf.com^$third-party -||gtorsoxdh.com^$third-party -||gtqfsxrrerzu.com^$third-party -||gttrngwnuuvy.bid^$third-party -||gtvnygwfzrhfti.com^$third-party -||gtxfafvoohbc.com^$third-party -||gtzyfaro.bid^$third-party -||gubdadtxwqow.com^$third-party -||gubisowidb.com^$third-party -||gudlhvxz.com^$third-party -||gufjfwopsez.bid^$third-party -||gugemfslzh.com^$third-party -||guhpyglt.com^$third-party -||guhtjoqtobac.com^$third-party -||gujyvlvoewweg.bid^$third-party -||gulvkhfah.bid^$third-party -||gumdeqjzclc.com^$third-party -||guoijslfm.bid^$third-party -||guowsqbyh.bid^$third-party -||guoyhfjrpt.com^$third-party -||gurrfwsscwda.com^$third-party -||gusxyrtlnyv.com^$third-party -||gutccaxnwso.com^$third-party -||guwegqmvqxfa.bid^$third-party -||guziwptcqucio.bid^$third-party -||guzqqzsv.com^$third-party -||guzwqarqdxai.bid^$third-party -||gvahzhgblkkyr.com^$third-party -||gvbeqaethxhs.bid^$third-party -||gverjfuapaag.com^$third-party -||gvfubsvgdodrj.com^$third-party -||gvgakxvukmrm.com^$third-party -||gvhqnlti.com^$third-party -||gvlhdacnu.bid^$third-party -||gvmbrwlqqwa.bid^$third-party -||gvoraoonpi.com^$third-party -||gvoszbzfzmtl.com^$third-party -||gvrqquiotcyr.com^$third-party -||gvsvegtnsyoxt.bid^$third-party -||gvwyxnyq.com^$third-party -||gvxobjcxcbkb.com^$third-party -||gvyliqny.bid^$third-party -||gvzphwswtv.com^$third-party -||gwaatiev.com^$third-party -||gwasavfgelbuah.bid^$third-party -||gwcujaprdsen.com^$third-party -||gwovohvkzay.com^$third-party -||gwqkliacsn.bid^$third-party -||gwquuagkjxbq.com^$third-party -||gwsomeiyywaz.com^$third-party -||gwxaulcgmizcq.com^$third-party -||gxdyluyqciac.com^$third-party -||gxeoadmo.com^$third-party -||gxfzlnwlizmur.com^$third-party -||gxgnvickedxpuiavkgpisnlsphrcyyvkgtordatszlrspkgppe.com^$third-party -||gxgtmttcaofiq.com^$third-party -||gxklbrtpqqyvy.com^$third-party -||gxkwwbqzsg.com^$third-party -||gxleeixyzlaaab.com^$third-party -||gxluqcpsfhc.bid^$third-party -||gxmpahyt.bid^$third-party -||gxordgtvjr.com^$third-party -||gxpijskyqwqfjw.com^$third-party -||gxptetvbtkfj.com^$third-party -||gxqjoqpkexn.bid^$third-party -||gxqocoxl.com^$third-party -||gxqotelkdra.com^$third-party -||gxqrjjcsyh.com^$third-party -||gxuibhjxssnrol.bid^$third-party -||gxvbogvbcivs.com^$third-party -||gxwjkbxubfjd.com^$third-party -||gxxkrzrvy.com^$third-party -||gxxsqeqlepva.com^$third-party -||gxzfpusmd.com^$third-party -||gyahidmf.bid^$third-party -||gydfsypjiaymj.com^$third-party -||gydlzimosfnz.com^$third-party -||gyhujxbptum.com^$third-party -||gyinmxpztbgf.com^$third-party -||gynhbuspeiud.bid^$third-party -||gynzvwhup.com^$third-party -||gyojplgn.com^$third-party -||gypxbcrmxsmikqbmnlwtezmjotrrdxpqtafumympsdtsfvkkza.com^$third-party -||gyvyokpmmb.bid^$third-party -||gyycgkchjtimu.com^$third-party -||gyzzpyez.bid^$third-party -||gzakmhhwrkagg.com^$third-party -||gzhazcfkr.bid^$third-party -||gziedzbliamx.com^$third-party -||gzkoehgbpozz.com^$third-party -||gzmknnasowdtop.com^$third-party -||gzmofmqddajr.com^$third-party -||gzoprhvqhie.com^$third-party -||gzozvhryjcf.com^$third-party -||gzpqlbqyerpb.com^$third-party -||gzqccijroe.bid^$third-party -||gzqoxmkuhl.com^$third-party -||gzrlatbooqmt.com^$third-party -||gzumjmvqjkki.com^$third-party -||gzuvyhqb.com^$third-party -||gzxjfkhwvhwfzr.com^$third-party -||gzyddiyiyme.bid^$third-party -||gzzctcekf.com^$third-party -||haezawhdumz.bid^$third-party -||hafbezbemwwd.com^$third-party -||hafksvqiir.com^$third-party -||hagiqxizxqf.com^$third-party -||hajcehcnodio.com^$third-party -||hajnoqtsfg.com^$third-party -||hajsefgocgkxfg.com^$third-party -||hajtekzuoe.com^$third-party -||hamjgkzgycmur.com^$third-party -||hanimyel.com^$third-party -||hanwlgpecblxf.bid^$third-party -||haqbllmvpbqc.com^$third-party -||haqlmmii.com^$third-party -||hasrijwnxtn.com^$third-party -||hasxepvkld.com^$third-party -||hattifkklbo.bid^$third-party -||hauvkkwrbme.com^$third-party -||hayxktgbqpmult.com^$third-party -||hbbgrhzqezz.com^$third-party -||hbbwlhxfnbpq.com^$third-party -||hbbxkbjhiiue.bid^$third-party -||hbchwmrqb.bid^$third-party -||hbdosljhhpov.bid^$third-party -||hbedvoyluzmq.com^$third-party -||hbfnmcncnasfb.bid^$third-party -||hbguvcwi.com^$third-party -||hbhcilgdqxt.com^$third-party -||hbhcndcpohpwib.com^$third-party -||hbhjamkcubtez.com^$third-party -||hbkajyvrus.com^$third-party -||hbkcelqibvx.bid^$third-party -||hbnqcbfgsjfa.com^$third-party -||hbrbtmjyvdsy.com^$third-party -||hbrsqluft.bid^$third-party -||hbrvwrdama.bid^$third-party -||hbvhahzjh.bid^$third-party -||hbvnnwtoonhh.com^$third-party -||hbycvbyyj.com^$third-party -||hbzfhzpd.bid^$third-party -||hbzzkwsuaooc.com^$third-party -||hcbntenhgaq.bid^$third-party -||hcggkyhzxzsv.com^$third-party -||hcijbbzz.com^$third-party -||hckmbeebnstnp.bid^$third-party -||hclccadfmkpw.com^$third-party -||hcmafnawzxfnam.com^$third-party -||hcmjlsxhebb.com^$third-party -||hcqjgkpg.com^$third-party -||hcrsxbke.com^$third-party -||hctcdmqp.com^$third-party -||hcwdcintgl.com^$third-party -||hcycanmscyg.com^$third-party -||hcyqwhquqjosn.com^$third-party -||hcyxksgsxnzb.com^$third-party -||hdcfyrzx.com^$third-party -||hddgigiwip.bid^$third-party -||hddzzizitskc.com^$third-party -||hdeiyrdw.bid^$third-party -||hdfsruiqwgjdo.com^$third-party -||hdimfhptnjgm.bid^$third-party -||hdmxceunntsy.bid^$third-party -||hdnvtfyvyhq.com^$third-party -||hdoabbjyyebca.com^$third-party -||hduefoyd.com^$third-party -||hdweefzvb.bid^$third-party -||hdwjwooqvnm.com^$third-party -||hdwkcfqzxhvx.com^$third-party -||hdwlzheftpin.com^$third-party -||hdxeyqvfb.bid^$third-party -||hdxfyoziizy.com^$third-party -||heaaizwhm.com^$third-party -||heawnqbmsi.bid^$third-party -||heefwozhlxgz.com^$third-party -||hefgfqcyfmv.com^$third-party -||hefgynqlzwi.com^$third-party -||hehraybryciyls.com^$third-party -||heikwwkqy.com^$third-party -||henodmetgjbsas.bid^$third-party -||hepuzqrx.com^$third-party -||heqcvweqvqf.com^$third-party -||heracgjcuqmk.com^$third-party -||hettwksj.bid^$third-party -||hevdxhsfbwud.com^$third-party -||hevfziuvxq.bid^$third-party -||heydqkfbglbu.com^$third-party -||hezasoiduicbha.com^$third-party -||hfbnztgnmheyd.bid^$third-party -||hfcczxpyfdhl.bid^$third-party -||hfedqcww.com^$third-party -||hffgptqfpewjz.com^$third-party -||hffmxndinqyo.com^$third-party -||hffmzplu.com^$third-party -||hffqgxgjiqdlx.bid^$third-party -||hfgevdzcoocs.com^$third-party -||hfhhijsewsqn.com^$third-party -||hfjuehls.com^$third-party -||hfmtqgiqscvg.com^$third-party -||hfslmsbj.com^$third-party -||hftyrwqjknhzoa.com^$third-party -||hfubvezyoyqs.com^$third-party -||hfydxmahpllyx.com^$third-party -||hfyqolbetdprw.bid^$third-party -||hfzikiht.com^$third-party -||hgbmwkklwittcdkjapnpeikxojivfhgszbxmrjfrvajzhzhuks.com^$third-party -||hgbxmqyqoplpif.com^$third-party -||hgcgfxjkvjch.com^$third-party -||hgdmzshm.com^$third-party -||hgdovdnd.com^$third-party -||hgezwkouu.bid^$third-party -||hgfgzqwbjnebd.com^$third-party -||hgirriqj.bid^$third-party -||hgowmgat.com^$third-party -||hgqmkbpvmyn.bid^$third-party -||hgukeujwsfgwrq.com^$third-party -||hgzopbyhidre.com^$third-party -||hgztvnjbsrki.com^$third-party -||hhdbbixxs.bid^$third-party -||hheeffxjz.com^$third-party -||hhffiibyamkvyu.com^$third-party -||hhfgemuvmyq.com^$third-party -||hhghlgxioqjefi.com^$third-party -||hhiprhclh.com^$third-party -||hhleomgyiruth.com^$third-party -||hhlrnfmn.com^$third-party -||hhnamywutsvovm.bid^$third-party -||hhnvtfiiitzf.bid^$third-party -||hhrxmgaepe.com^$third-party -||hhshbknewaikmj.bid^$third-party -||hhwqfmqyqoks.com^$third-party -||hhzqedgjajvi.com^$third-party -||hibiaygg.com^$third-party -||hibtgsibarfg.bid^$third-party -||higishzxn.com^$third-party -||higrbwtxkjuw.com^$third-party -||higygtvnzxad.com^$third-party -||hihyunxtiuqhhm.bid^$third-party -||hiitwzyvkdyvxn.com^$third-party -||hijvwwbnbhb.bid^$third-party -||hilkfxdqxzac.com^$third-party -||hiltrkavduozt.com^$third-party -||hirdchyngnn.bid^$third-party -||hixuxtufzqcq.com^$third-party -||hiypucxjvfka.com^$third-party -||hjbfpopj.com^$third-party -||hjeoncuvklqh.com^$third-party -||hjgmasrve.com^$third-party -||hjihwmtsltqi.com^$third-party -||hjjdmohuzp.com^$third-party -||hjjjsurdhtt.com^$third-party -||hjknszojbbecy.com^$third-party -||hjnekvux.com^$third-party -||hjnfurphlwsui.bid^$third-party -||hjopehvzspngi.com^$third-party -||hjtgpkwppx.bid^$third-party -||hjtoguxtzkl.bid^$third-party -||hjukmfdbryln.com^$third-party -||hjvdkrjmxngg.com^$third-party -||hjxrhlmei.com^$third-party -||hjyhfusvr.com^$third-party -||hjyxnjfbrj.bid^$third-party -||hkacgxlpfurb.com^$third-party -||hkdjrnkjwtqo.com^$third-party -||hkhotpewfxr.com^$third-party -||hkjxihngzlmwc.com^$third-party -||hklyzmspvqjh.com^$third-party -||hkoxlirf.com^$third-party -||hkoxznukwpdhxu.com^$third-party -||hksmitcmlo.bid^$third-party -||hkurphzwv.bid^$third-party -||hkvqwkeyruvy.bid^$third-party -||hkvqyjtdghbe.com^$third-party -||hkwzswzf.com^$third-party -||hkyskqpsqwjq.bid^$third-party -||hkyykkerrp.com^$third-party -||hldsogaxfq.com^$third-party -||hlekbinpgsuk.com^$third-party -||hlgodnojfffhpc.bid^$third-party -||hlicmukjz.bid^$third-party -||hljiofrtqenc.com^$third-party -||hljyawylquvl.bid^$third-party -||hlotiwnz.com^$third-party -||hloyloppqpvnmd.com^$third-party -||hlqnhatfxtclut.com^$third-party -||hlrziwaldlui.com^$third-party -||hlsqjrgeuw.com^$third-party -||hlvvlouaeicp.com^$third-party -||hlvzvisiwbtuwv.com^$third-party -||hmcczsoimnjxzi.com^$third-party -||hmcjupvbxxyx.com^$third-party -||hmdmvaxmmwoso.bid^$third-party -||hmeojqyjoascs.com^$third-party -||hmepgymo.com^$third-party -||hmgozryqbc.com^$third-party -||hmjkyzdmoxp.com^$third-party -||hmjtutipevtmg.com^$third-party -||hmkrfmtra.bid^$third-party -||hmlghvujrve.com^$third-party -||hmmmcjgho.com^$third-party -||hmqzghfpl.bid^$third-party -||hmwsaxnhc.com^$third-party -||hmwxaldhioby.bid^$third-party -||hmypgdhzd.com^$third-party -||hmzwcomigpqia.com^$third-party -||hndesrzcgjmprqbbropdulvkfroonnrlbpqxhvprsavhwrfxtv.com^$third-party -||hngjhdhdkkfbcz.bid^$third-party -||hnhfengrgk.bid^$third-party -||hnhsvlswqtoxgn.com^$third-party -||hnitbiubtg.bid^$third-party -||hnivikwwypcv.com^$third-party -||hnkbivnten.com^$third-party -||hnntopkvrsivwc.com^$third-party -||hnoajsaivjsg.com^$third-party -||hnopgrab.com^$third-party -||hnqnftzzytjl.com^$third-party -||hnregzjxsafu.com^$third-party -||hnshjxowpldar.com^$third-party -||hntntnfizowo.com^$third-party -||hntpbpeiuajc.com^$third-party -||hntxitqhto.com^$third-party -||hnuhqaslqaqtb.bid^$third-party -||hnvbfamkwmq.bid^$third-party -||hnztceqkabwm.bid^$third-party -||hobjzsymztzk.com^$third-party -||hobtkxap.com^$third-party -||hodhrwizh.bid^$third-party -||hoghqjddg.com^$third-party -||hogylomirfc.com^$third-party -||hohfiknuk.com^$third-party -||hohrnldconk.com^$third-party -||hokehntutt.bid^$third-party -||hopafrmwpckj.com^$third-party -||hoqqzlvwukpo.com^$third-party -||horylaht.bid^$third-party -||hosiioyx.com^$third-party -||hosqkmnjt.com^$third-party -||hotdzbtmngof.bid^$third-party -||howjkpaynzwf.com^$third-party -||hoyqhygv.com^$third-party -||hoytzfyok.bid^$third-party -||hpabkunldxhpc.com^$third-party -||hpbczauldndnep.com^$third-party -||hpbsyqsypxy.com^$third-party -||hpcniufqp.bid^$third-party -||hpdmnmehzcor.com^$third-party -||hpkkzzyek.com^$third-party -||hpkwirncwvxo.com^$third-party -||hplgpoicsnea.com^$third-party -||hpltfwbm.com^$third-party -||hpmgdwvvqulp.com^$third-party -||hpnthbgdv.bid^$third-party -||hpqxznpb.bid^$third-party -||hpsthxyqxqae.com^$third-party -||hpufwccrmiwz.com^$third-party -||hpvxmmttf.bid^$third-party -||hpwsosviqyjem.com^$third-party -||hpxbifcd.com^$third-party -||hpxxzfzdocinivvulcujuhypyrniicjfauortalmjerubjgaja.com^$third-party -||hpyqmmaxjrt.bid^$third-party -||hpzpjalq.bid^$third-party -||hqaajpaedpux.com^$third-party -||hqbphxpavrxry.com^$third-party -||hqgenotbptcu.com^$third-party -||hqkoismxnocd.com^$third-party -||hqkwnyub.com^$third-party -||hqncduqyzgfugo.com^$third-party -||hqnyahlpmehp.com^$third-party -||hqqyesittgihp.com^$third-party -||hqsgnzvjkyog.com^$third-party -||hqsxomhxwhpq.com^$third-party -||hqtlbsglscrju.com^$third-party -||hqtrxzcjjjj.com^$third-party -||hqtvvfqmfykcrs.com^$third-party -||hquijlndtd.com^$third-party -||hqupjfmq.com^$third-party -||hqwlpexoywbc.com^$third-party -||hqxtsqwpvort.com^$third-party -||hqyenmzgxk.com^$third-party -||hraowdzgs.com^$third-party -||hrarjpeqtcsge.com^$third-party -||hrcqeghr.com^$third-party -||hrdbamvfzipe.com^$third-party -||hrfbfuxksimzi.bid^$third-party -||hrkshoveizfo.com^$third-party -||hrorxufknjdm.com^$third-party -||hrskwmpvpgocj.com^$third-party -||hrtgkdwjbjblb.com^$third-party -||hrtxufdb.com^$third-party -||hrvxpinmdyjx.com^$third-party -||hrykyhqtgcro.com^$third-party -||hsdjvuayagt.bid^$third-party -||hseyrxoi.com^$third-party -||hsgatgymg.com^$third-party -||hshbyyuh.bid^$third-party -||hsivniaui.bid^$third-party -||hsllwumsezanll.com^$third-party -||hsnuutxbmmqry.bid^$third-party -||hsnvnmjriom.com^$third-party -||hsoyrqqsludd.com^$third-party -||hsqslxewsnga.com^$third-party -||hsqvofrzwluvns.com^$third-party -||hstqqjxqwnrfhy.com^$third-party -||hsufwxpdtddlh.com^$third-party -||hsuohkuegd.bid^$third-party -||hsvqfvjidloc.com^$third-party -||hsxftwpltcmil.com^$third-party -||hsydzoapohcvbz.com^$third-party -||hsyjdpgetl.bid^$third-party -||hszyozoawqnk.com^$third-party -||htabtzmi.bid^$third-party -||htegogwj.com^$third-party -||hteysvcuzycp.bid^$third-party -||hthrytimx.bid^$third-party -||htkoyuyk.bid^$third-party -||htldvsrwwx.bid^$third-party -||htllanmhrnjrbestmyabzhyweaccazvuslvadtvutfiqnjyavg.com^$third-party -||htlvvqlcqvq.com^$third-party -||htmvtmglofpbz.com^$third-party -||htnzwuvgphjwqc.bid^$third-party -||htonrwegnifw.com^$third-party -||htpkxpgbprpklc.com^$third-party -||htqyaipwpopyx.com^$third-party -||htrprrrtrwrc.com^$third-party -||httftlckaxj.com^$third-party -||htvlulpbhtkgr.com^$third-party -||htyazxwc.com^$third-party -||huayucnblhgy.com^$third-party -||hubvotrpjios.com^$third-party -||hueenmivecmx.com^$third-party -||huejizictcgd.com^$third-party -||huewmezzodzdv.com^$third-party -||hufaymllqce.club^$third-party -||hugjupzdpvuzdr.com^$third-party -||huhrxmgiofzna.com^$third-party -||huigyetqu.com^$third-party -||humcyddkxxm.bid^$third-party -||hunktnva.com^$third-party -||huriylhqkylbo.bid^$third-party -||husetdmrejiyjy.bid^$third-party -||hutkuzwropgf.com^$third-party -||huvzwmithltjia.com^$third-party -||huxwvqkdkc.bid^$third-party -||huynrscfbulr.com^$third-party -||huzcotxmghlfip.bid^$third-party -||huzmweoxlwanzvstlgygbrnfrmodaodqaczzibeplcezmyjnlv.com^$third-party -||hvagzrssrcze.com^$third-party -||hvbiwwek.com^$third-party -||hvccjhkcvlfr.com^$third-party -||hvckvfistbejp.com^$third-party -||hvdddlsdexic.com^$third-party -||hvfjefgtjdh.bid^$third-party -||hvfolkwvgjgc.com^$third-party -||hvftzxkepauct.bid^$third-party -||hvfzacisynoq.com^$third-party -||hvfzshrpfueb.com^$third-party -||hvgytlbdnuqunp.com^$third-party -||hvitcycze.com^$third-party -||hvmimwpe.com^$third-party -||hvnkfjywxojrwo.bid^$third-party -||hvpcxythnjl.com^$third-party -||hvqqergvbpvetq.com^$third-party -||hvukouhckryjudrawwylpboxdsonxhacpodmxvbonqipalsprb.com^$third-party -||hvuvqsun.com^$third-party -||hvvhxzdps.com^$third-party -||hvvxxszxslome.bid^$third-party -||hvwagkmgef.com^$third-party -||hvwaieuielzzy.com^$third-party -||hwcgnavycq.com^$third-party -||hwfcdqnvovij.com^$third-party -||hwhdxuid.com^$third-party -||hwhzonbib.com^$third-party -||hwiccseamrs.com^$third-party -||hwktxvrvz.bid^$third-party -||hwkxtltut.bid^$third-party -||hwmgcurmtkxk.bid^$third-party -||hwongtcmnhpxd.bid^$third-party -||hwoqbjouvfn.bid^$third-party -||hworpzco.bid^$third-party -||hwsbehjaxebh.com^$third-party -||hwtdpeihsszrl.bid^$third-party -||hwvvhsnjj.bid^$third-party -||hwvwuoxsosfp.com^$third-party -||hxajxyvnpou.bid^$third-party -||hxbvbmxv.com^$third-party -||hxcoxdyzzd.com^$third-party -||hxhabfjy.bid^$third-party -||hxhxjcffzp.com^$third-party -||hxhyejtblmu.com^$third-party -||hxkanryhktub.com^$third-party -||hxlkmsib.bid^$third-party -||hxlojjtpqtlk.com^$third-party -||hxqdddqnuqcwe.com^$third-party -||hxqetblh.com^$third-party -||hxrsjlqnep.com^$third-party -||hxsfrcdrrp.com^$third-party -||hxuasnwokh.com^$third-party -||hxuvwqsecumg.com^$third-party -||hxvbrahd.bid^$third-party -||hxvdrelj.bid^$third-party -||hxvuuswzydwykb.com^$third-party -||hxwxxhfydbifuq.com^$third-party -||hyexdezezjqw.bid^$third-party -||hyhabjqndvwf.bid^$third-party -||hymandywo.com^$third-party -||hyrnujewyatvd.com^$third-party -||hysnqwbokyuvsm.com^$third-party -||hysyqgbls.com^$third-party -||hytkatubjuln.com^$third-party -||hyubowucvkch.com^$third-party -||hyurzuxoksg.com^$third-party -||hyvsquazvafrmmmcfpqkabocwpjuabojycniphsmwyhizxgebu.com^$third-party -||hywwsavdydy.bid^$third-party -||hyxhxnlqeppn.com^$third-party -||hyzncftkveum.com^$third-party -||hzivfezfltago.com^$third-party -||hzskbnafzwsu.com^$third-party -||hztjenzlrrwinq.com^$third-party -||hztkbjdkaiwt.com^$third-party -||hzulgipdcbgwad.com^$third-party -||hzwmcqlmxpdrlp.com^$third-party -||hzwxkqnqrdfv.com^$third-party -||hzxtamstwecry.bid^$third-party -||hzyvjghy.bid^$third-party -||hzyxaqdr.bid^$third-party -||iaatzkkqyv.com^$third-party -||iacexhglty.com^$third-party -||iadfjbrttvgn.com^$third-party -||iafqqcsw.com^$third-party -||iagsqudxpcfr.com^$third-party -||iagvkdeienla.com^$third-party -||iaimnsxepxdy.bid^$third-party -||iansucrovvzbi.bid^$third-party -||iaoisfnac.com^$third-party -||iaoyikwmocuvr.com^$third-party -||iapxxrjzc.com^$third-party -||iasodjsbjcq.com^$third-party -||iatwyqgvpq.com^$third-party -||iauvabogtws.bid^$third-party -||iaxxhqwaig.com^$third-party -||ibclxtlh.com^$third-party -||ibetinwubwl.com^$third-party -||ibeyqnjfjgsuob.bid^$third-party -||ibfsream.com^$third-party -||ibfueyttemsefi.com^$third-party -||ibjtuhcgwnamyf.com^$third-party -||ibkfummkqzlg.com^$third-party -||ibljirpmxvav.bid^$third-party -||ibnuoduab.com^$third-party -||ibojmmgjto.bid^$third-party -||ibqmccuuhjqc.com^$third-party -||ibycicwahzg.com^$third-party -||icafyriewzzrwxlxhtoeakmwroueywnwhmqmaxsqdntasgfvhc.com^$third-party -||icahllwjc.com^$third-party -||icdkqyeydxpjmw.com^$third-party -||icfjzmqsejzfb.com^$third-party -||icfxndxwpan.com^$third-party -||icgakpprechm.com^$third-party -||icjeqbqdzhyx.com^$third-party -||icjniokadnrqht.com^$third-party -||icjpdubxgab.com^$third-party -||icjurmxhqpdpbt.bid^$third-party -||iclbkrgjdstqt.com^$third-party -||icltessfskwle.bid^$third-party -||iclytswtff.com^$third-party -||icpfrrffsenr.com^$third-party -||icqvwlelvzldh.bid^$third-party -||icrnyafg.bid^$third-party -||ictmdbus.com^$third-party -||icuazeczpeoohx.com^$third-party -||icxssspyxquw.bid^$third-party -||icyddcsjbqjxz.bid^$third-party -||icyfqtjj.bid^$third-party -||iczhhiiowapd.com^$third-party -||idbjhskxiablsi.com^$third-party -||idbpftjjz.com^$third-party -||idbtfwllhogxc.com^$third-party -||idbxnzgmn.com^$third-party -||idcoyhwzthhjv.com^$third-party -||iddvmkxme.com^$third-party -||idejenmqxhy.bid^$third-party -||idelmxrchrce.com^$third-party -||ideprjebdvj.com^$third-party -||idernzastoeok.com^$third-party -||idfybbol.com^$third-party -||idissynmirkw.com^$third-party -||idiyejpux.bid^$third-party -||idkyfrsbzesx.com^$third-party -||idopjddmtzo.bid^$third-party -||idpukwmp.com^$third-party -||idqsygpvizjp.bid^$third-party -||idqzpnea.com^$third-party -||idrdmyixk.com^$third-party -||idszrbmjvkdodt.com^$third-party -||idvuakamkzmx.com^$third-party -||idxrjpfxrqernb.com^$third-party -||ieajwbir.com^$third-party -||ieavcqhxtpak.com^$third-party -||iebnsqfwfhl.bid^$third-party -||iectshrhpgsl.com^$third-party -||iedijlgkbqc.com^$third-party -||ieeawxjool.com^$third-party -||iekztyhqfs.bid^$third-party -||ielqcwzwjczpx.bid^$third-party -||ieoexdjxrwtq.com^$third-party -||ieqbsnteuyn.com^$third-party -||ieqprskfariw.com^$third-party -||ierhqysqwrziez.com^$third-party -||ieuezabolxphga.com^$third-party -||iewsaprgerkjny.com^$third-party -||ifaklabnhplb.com^$third-party -||ifbhceoxx.com^$third-party -||ifdmdfqysaacqa.com^$third-party -||ifecuwzjajkiq.com^$third-party -||ifeuddaywa.com^$third-party -||iffzxqnhd.com^$third-party -||ifgnsrtjcz.com^$third-party -||iflndvke.com^$third-party -||ifmobkrjonnm.com^$third-party -||ifoldmuxqjeddk.com^$third-party -||ifqzzgwrra.com^$third-party -||iftvlrkyvubnn.com^$third-party -||ifvetqzfiawg.com^$third-party -||ifvgsekkvcc.bid^$third-party -||ifyngpctovtv.com^$third-party -||igawfxfnupeb.com^$third-party -||igbznxar.com^$third-party -||igdfzixkdzxe.com^$third-party -||igfuvwscradtpu.bid^$third-party -||iggukjfuylwyv.com^$third-party -||ighavizixlohvi.com^$third-party -||igifhnkw.com^$third-party -||iglwibwbjxuoflrczfvpibhihwuqneyvmhzeqbmdmujmirdkae.com^$third-party -||igsxvpghnamnsz.com^$third-party -||igupodzh.com^$third-party -||igutgembqnw.bid^$third-party -||igvcpjsyk.bid^$third-party -||igwzuwwtvnywx.com^$third-party -||igycquuoypdiqx.com^$third-party -||igyzmhqbihoi.com^$third-party -||ihcamesgexiv.com^$third-party -||ihcbfiqkp.com^$third-party -||ihdrozswbekx.com^$third-party -||ihfktkrasg.bid^$third-party -||ihflwxrsptqz.com^$third-party -||ihghcmznlp.com^$third-party -||ihgkmgwfhjam.com^$third-party -||ihmevshz.bid^$third-party -||ihqmycsct.bid^$third-party -||ihqxhokndcfq.com^$third-party -||ihriduffgkel.com^$third-party -||ihtatthazitg.bid^$third-party -||ihvmcqojoj.com^$third-party -||ihzdrktzyrzq.bid^$third-party -||ihzyxuhgocszv.com^$third-party -||iialqejeka.com^$third-party -||iibcejrrfhxh.com^$third-party -||iiblzgczrrdiqf.bid^$third-party -||iiccrpwaxmxkqm.com^$third-party -||iihwyqhxajtn.com^$third-party -||iijmodcvlwfk.com^$third-party -||iikhhkwryiqq.bid^$third-party -||iilrgkor.com^$third-party -||iinkhwsh.bid^$third-party -||iipivevueme.com^$third-party -||iipkiyju.bid^$third-party -||iisfpzkkxkz.com^$third-party -||iitfqholnpud.com^$third-party -||iizgpusp.com^$third-party -||ijbybfznp.com^$third-party -||ijeuhlrqznjb.com^$third-party -||ijfnbtksuntwqe.com^$third-party -||ijhqzvlnsxu.com^$third-party -||ijmzezsaxxomr.com^$third-party -||ijnghdmfrb.com^$third-party -||ijowsfraldsnb.com^$third-party -||ijriehir.com^$third-party -||ijuawecwqhwyou.bid^$third-party -||ijvolcqtnxohl.com^$third-party -||ijyzkjjabc.bid^$third-party -||ikcwcxhgibmumf.com^$third-party -||ikdhuhcigpoc.com^$third-party -||ikealcmavhpk.com^$third-party -||ikfmafgtgnylts.com^$third-party -||ikgxfzfjxmp.bid^$third-party -||ikhdsnufzzj.com^$third-party -||ikmmsoihdmfkbh.bid^$third-party -||ikmymeivze.com^$third-party -||iknctklddhoh.com^$third-party -||ikobsqwcutnss.com^$third-party -||ikpzwbrzzfg.bid^$third-party -||ikrvzjdds.bid^$third-party -||ikupicwg.com^$third-party -||ikuzqysewaw.bid^$third-party -||ikvagxovc.com^$third-party -||ikvfgsftmyhn.com^$third-party -||ikvltjooosqh.com^$third-party -||ikvuvztmvvro.bid^$third-party -||ikxdpmnznk.bid^$third-party -||ikxhjlsynfeo.com^$third-party -||ilaantxayy.com^$third-party -||ilakffljjdpwb.com^$third-party -||ilclngnarpy.com^$third-party -||ilfsrsgmgbex.com^$third-party -||ilkphyyzg.com^$third-party -||illazkka.com^$third-party -||illizuqkdqjobt.com^$third-party -||illqbirymsr.com^$third-party -||ilqufadqxd.com^$third-party -||ilrxikdjozlk.com^$third-party -||ilsivrexvpyv.com^$third-party -||ilugfyhlfv.com^$third-party -||ilupcgzhagwb.com^$third-party -||iluwjbuwm.com^$third-party -||ilvibsabwuza.com^$third-party -||ilxwlsnzhzukj.com^$third-party -||imayjubge.com^$third-party -||imbbjywwahev.com^$third-party -||imbpmlyhkk.com^$third-party -||imevdywafhro.com^$third-party -||imgoatxhxior.com^$third-party -||imidshmpzr.com^$third-party -||imisagsrbci.com^$third-party -||immgnzenbixuzd.bid^$third-party -||immscjnenl.com^$third-party -||imnsmvmjrdiwwr.com^$third-party -||imqkdsdgfygm.com^$third-party -||imrwxmau.com^$third-party -||imtdtaloqwcz.com^$third-party -||imyqdbxq.com^$third-party -||imzngbreiiiv.com^$third-party -||imzuoqkrzrjw.com^$third-party -||incdjkjbyhlttx.com^$third-party -||inewoioxxdbm.com^$third-party -||inhcrirmboz.com^$third-party -||inhtwazkrebui.bid^$third-party -||inisvnawtzevnx.com^$third-party -||inmrjokdxmkh.com^$third-party -||insbrvwfrcgb.com^$third-party -||invgsoqwtkvxs.bid^$third-party -||inxhtjrwictg.com^$third-party -||ioatyggwaypq.com^$third-party -||iogutpkrkkycq.com^$third-party -||iohaqrkjddeq.com^$third-party -||iohyjoomzoufn.bid^$third-party -||ioighavxylne.com^$third-party -||ioitfufxdsxtq.bid^$third-party -||ioiylgyf.com^$third-party -||iokggekuz.bid^$third-party -||iolzwhbf.bid^$third-party -||iomixrscvtw.bid^$third-party -||ionbpysfukdh.com^$third-party -||iooxsrjgkb.bid^$third-party -||ioryejnzvbbluh.bid^$third-party -||ioujbpldicfgm.com^$third-party -||ioupfmge.com^$third-party -||ioyixcprbghm.com^$third-party -||iozpujvmlojzhp.com^$third-party -||ipacpdxmvwyi.com^$third-party -||ipadxqhm.bid^$third-party -||ipcouosurtdqc.bid^$third-party -||ipdcgsdjkz.bid^$third-party -||ipdlsrwctdjb.com^$third-party -||ipehunxxyir.com^$third-party -||ipesdpqmq.com^$third-party -||iphliojn.com^$third-party -||iphwttyqzuhucw.bid^$third-party -||ipllxfcftp.com^$third-party -||ipluhckk.com^$third-party -||ipncblpgxlhjpc.com^$third-party -||ipndulsempjgb.bid^$third-party -||ipntpfokhkrh.com^$third-party -||ippninrrcl.com^$third-party -||ippwkczttno.com^$third-party -||iptrkboffhf.com^$third-party -||ipvvitntvja.com^$third-party -||ipwwqitqsh.com^$third-party -||ipxdoldjsvnjvw.com^$third-party -||ipytvgqfh.bid^$third-party -||ipzjwnbhgymuw.com^$third-party -||iqagrsach.com^$third-party -||iqbfctebbzh.com^$third-party -||iqmjedevvojm.com^$third-party -||iqopeoufjul.com^$third-party -||iqpfextjfphjnn.com^$third-party -||iqqbwhrf.com^$third-party -||iqrqmhrfkyuu.com^$third-party -||iqsqqyoqry.com^$third-party -||iqwbqjnst.bid^$third-party -||iqwczlbxvtcnh.com^$third-party -||iqwhwomdmjg.bid^$third-party -||iqyirwfzlx.com^$third-party -||irbipwnr.bid^$third-party -||irbkobqlrbtt.com^$third-party -||iretlniy.bid^$third-party -||irfiysdcrnleu.com^$third-party -||irjaeupzarkvwmxonaeslgicvjvgdruvdywmdvuaoyfsjgdzhk.com^$third-party -||irlklysyeqek.bid^$third-party -||irmfncjihlb.com^$third-party -||iroktywi.bid^$third-party -||irpaknbwgif.com^$third-party -||irrhjkuantnaa.bid^$third-party -||irrttzthsxot.com^$third-party -||irtxsagfqrg.com^$third-party -||irxpndjg.com^$third-party -||irxtcbkoql.bid^$third-party -||irzdishtggyo.com^$third-party -||isbzjaedbdjr.com^$third-party -||iscaebizkzyd.com^$third-party -||isdlyvhegxxz.com^$third-party -||isfouztifttwha.bid^$third-party -||isfxsiooyjad.com^$third-party -||isggimkjabpa.com^$third-party -||ishdyglxfckw.com^$third-party -||ishwuhvow.bid^$third-party -||isnsgjhthhaqtu.com^$third-party -||ispaagigjygd.com^$third-party -||ispyveemlvygba.com^$third-party -||isqbthtlvazequ.com^$third-party -||isqgobsgtqsh.com^$third-party -||isvwylcazk.com^$third-party -||isxwajatbig.com^$third-party -||itbiwlsxtigx.com^$third-party -||itdfougdewupfd.bid^$third-party -||itevcsjvtcmb.com^$third-party -||itgfqliqge.com^$third-party -||itlmnxlauah.com^$third-party -||itsskxyyi.bid^$third-party -||itsyuvrlesq.com^$third-party -||itxljhric.com^$third-party -||itzgybxfrbodq.com^$third-party -||iuabiwhclldt.com^$third-party -||iuawzhuqjl.com^$third-party -||iucpxetj.com^$third-party -||iuewancpgd.bid^$third-party -||iuhojiqev.com^$third-party -||iuhpbpzwpldqbj.com^$third-party -||iuhzosuy.club^$third-party -||iukvnikhn.bid^$third-party -||iuncajvw.com^$third-party -||iuooczzbi.com^$third-party -||iuowwbrqblweoa.com^$third-party -||iupqelechcmj.com^$third-party -||iuumkigdfcz.com^$third-party -||iuymaolvzery.com^$third-party -||ivebuyrkn.com^$third-party -||ivildmcafzped.bid^$third-party -||ivkasohqerzl.com^$third-party -||ivktdwmjhkqy.com^$third-party -||ivldzqidbv.com^$third-party -||ivnpbikks.com^$third-party -||ivowhzku.com^$third-party -||ivqoqtozlmjp.com^$third-party -||ivqvzkwedcjo.com^$third-party -||ivsqnmridfxn.com^$third-party -||ivuhwsqnbjjx.bid^$third-party -||ivuqekelizp.bid^$third-party -||ivvoooxuyjfuo.com^$third-party -||ivyfsbbwsf.com^$third-party -||iwapwcqg.com^$third-party -||iwbwvowdidkuo.com^$third-party -||iweacndqhiht.com^$third-party -||iwfzluau.com^$third-party -||iwgdguuz.com^$third-party -||iwmonrwpeeku.com^$third-party -||iwnvbdosun.bid^$third-party -||iwptktyoq.bid^$third-party -||iwqsvntvdry.com^$third-party -||iwquafxm.com^$third-party -||iwqugvxozbkd.com^$third-party -||iwrjczthkkla.com^$third-party -||iwunlnagnsqxys.bid^$third-party -||iwztirze.com^$third-party -||ixbccovgriz.bid^$third-party -||ixbuuqymufxas.com^$third-party -||ixkbavqbpsm.com^$third-party -||ixlsylapsdtr.com^$third-party -||ixnsmcpdauof.com^$third-party -||ixqpfqtwi.bid^$third-party -||ixrtmzmk.bid^$third-party -||ixsgoqeklwsjw.com^$third-party -||ixskusmnsb.com^$third-party -||ixsogpaexhgzn.com^$third-party -||ixsxgaegvplo.com^$third-party -||ixtkiofaoudis.com^$third-party -||ixtmbdajhvimtv.com^$third-party -||ixuytaxnu.com^$third-party -||ixvsxjiw.com^$third-party -||ixvzraajuiniwg.com^$third-party -||ixwbgjnjf.com^$third-party -||ixzhwyuxxvxb.com^$third-party -||ixznwuxokydz.com^$third-party -||iybkbyciv.com^$third-party -||iydghotpzofn.com^$third-party -||iydppfwjgcjs.com^$third-party -||iyfrmewyned.com^$third-party -||iygdvith.com^$third-party -||iyivpsxzgjcarv.bid^$third-party -||iyjukpbyzsxc.bid^$third-party -||iykehvusfrt.com^$third-party -||iykrtmswkibdp.com^$third-party -||iylndfmf.com^$third-party -||iylssoobxtvm.com^$third-party -||iynfhmgte.bid^$third-party -||iyqchvtlklbxm.com^$third-party -||iyqnxpkzfq.com^$third-party -||iytfczscguf.bid^$third-party -||izavihllfvej.com^$third-party -||izedcwsouaszk.com^$third-party -||izelshnkrh.com^$third-party -||izfaiqnxxts.com^$third-party -||izgnfkvpiawwn.bid^$third-party -||izgxbakxatp.com^$third-party -||izhmxwivr.com^$third-party -||izhvnderudte.com^$third-party -||iziwhlafxitn.com^$third-party -||izixtxrvogaq.com^$third-party -||izjguvanm.com^$third-party -||izkcesinsyz.com^$third-party -||izlzayrcegfvke.bid^$third-party -||izmciznsszatv.com^$third-party -||izmwtewwobxy.com^$third-party -||iznhvszyizwd.com^$third-party -||iztsbnkxphnj.com^$third-party -||iztxikfgw.com^$third-party -||izwsvyqv.com^$third-party -||izwzyhlm.com^$third-party -||izxdpodiowdgp.bid^$third-party -||jaaqcdrpmyju.com^$third-party -||jabcdkwmwnek.com^$third-party -||jacmnkcusf.com^$third-party -||jacroxrssmme.bid^$third-party -||jahsrhlp.com^$third-party -||jaihowgr.com^$third-party -||jairtejvkqiux.com^$third-party -||jajkgegza.com^$third-party -||jakzpcgrxgda.com^$third-party -||jakzxxzrymhz.com^$third-party -||jamkkydyiyhx.com^$third-party -||jamvgopociy.bid^$third-party -||janrlobmiroi.com^$third-party -||jareiulyg.bid^$third-party -||jatkcmpxhbba.com^$third-party -||jauftivogtho.com^$third-party -||javrdcyrgmdeeg.bid^$third-party -||jaxmbkhyr.com^$third-party -||jbarrxmpmmekwh.bid^$third-party -||jbbgczjipjvb.com^$third-party -||jbcadlpdfsxsfe.com^$third-party -||jbdddxgjn.com^$third-party -||jbgehhqvfppf.com^$third-party -||jbgzahhyhen.com^$third-party -||jbhrcrhbiyshoz.bid^$third-party -||jboovenoenkh.com^$third-party -||jbpyqajzwbh.bid^$third-party -||jbqolazohwqesu.com^$third-party -||jbvisobwrlcv.com^$third-party -||jbvyjtyhatpam.com^$third-party -||jbwlscjgbznhu.bid^$third-party -||jbwunmehf.com^$third-party -||jbyksmjmbmku.com^$third-party -||jcblfhpmxqflm.bid^$third-party -||jccdpudtb.bid^$third-party -||jccszmkabdean.com^$third-party -||jcctggmdccmt.com^$third-party -||jcgvmfaby.bid^$third-party -||jciieszytnk.bid^$third-party -||jcjrcmaunbqxg.com^$third-party -||jcllysqtvlro.com^$third-party -||jcmdvfrn.com^$third-party -||jcnoeyqsdfrc.com^$third-party -||jcrqhscfqqbgby.com^$third-party -||jcsisvtb.com^$third-party -||jctszdppy.bid^$third-party -||jcwejhrrch.bid^$third-party -||jcytzfvrm.bid^$third-party -||jczpcviiurut.bid^$third-party -||jdbovkzjtuup.com^$third-party -||jdbzloynedpylr.bid^$third-party -||jdcwnccdx.com^$third-party -||jdgilrlyqtrly.com^$third-party -||jdhhehwkvl.com^$third-party -||jdhnfbmrhwkn.com^$third-party -||jdiliqkjk.bid^$third-party -||jdlnquri.com^$third-party -||jdmconkw.com^$third-party -||jdnbrccndsxly.bid^$third-party -||jdniyyricenx.com^$third-party -||jdolsuyshcz.com^$third-party -||jdrckkbpb.com^$third-party -||jdrlnicvn.com^$third-party -||jdskyjntuhea.com^$third-party -||jdtufqcyumvb.com^$third-party -||jducqfnxeypyw.com^$third-party -||jdzmcidlajwwzi.bid^$third-party -||jeakofzseo.com^$third-party -||jebfktzfjqghv.bid^$third-party -||jebuorwrqfflzl.com^$third-party -||jecbbkrnfn.com^$third-party -||jednyqbb.com^$third-party -||jeeumttalzwt.com^$third-party -||jegugqcvo.com^$third-party -||jeksffryglas.com^$third-party -||jemopaqkst.com^$third-party -||jemyvtomzyha.com^$third-party -||jenaowzhtbi.com^$third-party -||jeqixokniyny.com^$third-party -||jertwakjcaym.com^$third-party -||jeuqrslzoxdcz.com^$third-party -||jevijshpvnwm.com^$third-party -||jevxjcdnrd.com^$third-party -||jeyoxmhhnofdhaalzlfbrsfmezfxqxgwqjkxthzptjdizuyojh.com^$third-party -||jeyuhcbagxbp.com^$third-party -||jezqighae.bid^$third-party -||jfaqiomgvajb.com^$third-party -||jfcofvhuqzdg.bid^$third-party -||jffdktcyr.com^$third-party -||jffhbunkrxmyhf.bid^$third-party -||jffwwuyychxw.com^$third-party -||jfhupoqrydm.com^$third-party -||jfjuhxfllw.com^$third-party -||jfkfojgkrk.com^$third-party -||jfnafbcysy.com^$third-party -||jfribvstvcqy.com^$third-party -||jfvadxjr.com^$third-party -||jfvjtudp.com^$third-party -||jfvoyuxmp.bid^$third-party -||jfwfnxsdzhvxax.bid^$third-party -||jfxiirxbl.bid^$third-party -||jfxjpswhcwwq.com^$third-party -||jgerrmaktdzyh.com^$third-party -||jgjpicgy.com^$third-party -||jgophcykrckik.com^$third-party -||jgqcraids.com^$third-party -||jgqkrvjtuapt.com^$third-party -||jgrcggutsilp.com^$third-party -||jgrsqcqdfwzu.com^$third-party -||jgsoloqaqp.com^$third-party -||jgtnayftk.bid^$third-party -||jguczdjzvfp.com^$third-party -||jguhktakkykrsb.com^$third-party -||jgvjzbrnjmxoq.com^$third-party -||jgxlxsnqz.bid^$third-party -||jhceybuguvureg.com^$third-party -||jhcnnizbua.com^$third-party -||jheduynirrxkro.com^$third-party -||jheplryxvzvx.com^$third-party -||jhewbownkjobl.bid^$third-party -||jhijojlatyvri.com^$third-party -||jhmmbrfsqm.com^$third-party -||jhnteodwqtk.com^$third-party -||jhrmgusalkdu.com^$third-party -||jhupypvmcsqfqpbxbvumiaatlilzjrzbembarnhyoochsedzvi.com^$third-party -||jhwkypuhrw.com^$third-party -||jhwqdpyo.bid^$third-party -||jhxpbihkucrq.com^$third-party -||jhybwydghelnd.com^$third-party -||jhylgkwsz.bid^$third-party -||jiifnvkesug.com^$third-party -||jiiyddosyv.com^$third-party -||jijcetagjfzo.com^$third-party -||jikottnbg.com^$third-party -||jimqcqsyhser.com^$third-party -||jimxaqrpqbxldt.com^$third-party -||jirmbsgr.com^$third-party -||jiruygrsl.com^$third-party -||jivnpidyteh.com^$third-party -||jixvywxefnwm.com^$third-party -||jiyairvjgfqk.com^$third-party -||jiycfyytg.com^$third-party -||jiyvkdfab.com^$third-party -||jjbnkgdpsm.com^$third-party -||jjdrwkistgfh.com^$third-party -||jjeevbcllev.bid^$third-party -||jjekiezbshyo.com^$third-party -||jjhnnzef.com^$third-party -||jjipgxjf.com^$third-party -||jjmuyvpery.bid^$third-party -||jjokekbfoxwip.com^$third-party -||jjokvprdxwf.com^$third-party -||jjpnveujkk.com^$third-party -||jjpoxurorlsb.com^$third-party -||jjptjphnkrqnc.com^$third-party -||jjqoosuum.com^$third-party -||jjrzlqho.com^$third-party -||jjwitnosyew.bid^$third-party -||jjxaibzdypcb.com^$third-party -||jjxsdkphpcwu.com^$third-party -||jjydbqlzz.com^$third-party -||jjyovwimoydq.com^$third-party -||jjyysfxhn.com^$third-party -||jjzqygrh.com^$third-party -||jkamuwyswgk.com^$third-party -||jkawfxvh.com^$third-party -||jkciacmcnya.com^$third-party -||jkcvevwvgfopog.com^$third-party -||jkcyrdigvx.com^$third-party -||jkfgdkesrpx.bid^$third-party -||jkiicqewzn.com^$third-party -||jkiwvfgrsythrw.com^$third-party -||jkjcoyeeglunz.com^$third-party -||jkjoxlhkwnxd.com^$third-party -||jkjwifmep.com^$third-party -||jkkernvkrwdr.com^$third-party -||jkoiwpjk.bid^$third-party -||jkpdxsqpyl.bid^$third-party -||jkpsxhvjduxexm.com^$third-party -||jkuuoecpgecwla.com^$third-party -||jkvkhgztow.com^$third-party -||jkxzawjvp.bid^$third-party -||jkywbooyc.com^$third-party -||jlarmqbypyku.com^$third-party -||jldnphwwu.bid^$third-party -||jldstutlnz.com^$third-party -||jlflzjdt.com^$third-party -||jlhkteiqgvafic.com^$third-party -||jlkadizug.com^$third-party -||jlkqurysdsw.com^$third-party -||jllveksikabohj.bid^$third-party -||jllzvqolrdu.bid^$third-party -||jlmirsfthnmh.com^$third-party -||jlmnnrwuqz.com^$third-party -||jlppkzffsksna.com^$third-party -||jlqmdejwvezpt.com^$third-party -||jlqpkoppbxa.com^$third-party -||jlslujfguojw.com^$third-party -||jlsydeysmgghdy.com^$third-party -||jlvqbfknjajot.com^$third-party -||jlwejibe.com^$third-party -||jlwlfcbfifsvfw.com^$third-party -||jlymmwnkxhph.com^$third-party -||jmbhyqijqhxk.com^$third-party -||jmbyjmeleib.bid^$third-party -||jmemwbkpj.bid^$third-party -||jmewxbvmcjmur.com^$third-party -||jmextrjbse.com^$third-party -||jmghohdn.bid^$third-party -||jmimktvupp.com^$third-party -||jmpcbovcecgqai.bid^$third-party -||jmpmzryzprp.bid^$third-party -||jmqxufpbikzk.bid^$third-party -||jmvjmgofvxnu.com^$third-party -||jmxjwyqnelvzwu.com^$third-party -||jmzaqwcmcbui.com^$third-party -||jnchbwtzbrrf.com^$third-party -||jncjzdohkgic.com^$third-party -||jndclagxkvpn.com^$third-party -||jndnkgjqlxr.com^$third-party -||jnercechoqjb.com^$third-party -||jngnaymz.com^$third-party -||jngxxwythaf.com^$third-party -||jnhjvkapqf.com^$third-party -||jnhmeywrl.com^$third-party -||jnjbdvchvk.com^$third-party -||jnlcnmin.bid^$third-party -||jnljkbkiaqcmb.com^$third-party -||jnnjnuyiic.com^$third-party -||jnnmisngfscreq.bid^$third-party -||jnnswtdifjgx.com^$third-party -||jnoaexgpdlnu.com^$third-party -||jnqbgmlapkkrsj.com^$third-party -||jnwsojzuahwbeq.com^$third-party -||jnxqlltlnezn.com^$third-party -||jnylpjlnjfsp.com^$third-party -||jnyorvlxy.com^$third-party -||jnyyqfarzgijbj.bid^$third-party -||joaqicgtmndbc.bid^$third-party -||jobveibsozms.com^$third-party -||jogccrwnpsmliq.bid^$third-party -||jogpsoiyngua.com^$third-party -||jogrgddvb.com^$third-party -||johonmtpyv.com^$third-party -||jollqxplkz.bid^$third-party -||jomznuefrw.com^$third-party -||joqnoyniblzm.com^$third-party -||joqpatxugyug.com^$third-party -||jorndvyzchaq.com^$third-party -||josxzdszqaivb.com^$third-party -||jotpybmcjvg.com^$third-party -||jovepjufhmmw.com^$third-party -||jovzikimk.com^$third-party -||joxocqrbxe.bid^$third-party -||joynxonnxfnvqr.com^$third-party -||jozfwcmrxkwva.com^$third-party -||jpabviwck.com^$third-party -||jpcfosuswcqy.com^$third-party -||jpdauipgz.com^$third-party -||jpflmmxdflmm.com^$third-party -||jpgjjzvcfrwlzh.bid^$third-party -||jphwssfvoddoi.com^$third-party -||jpjgbiuoziih.com^$third-party -||jpmcviivqg.bid^$third-party -||jpmpvhelfeg.com^$third-party -||jpmyudcnpgl.com^$third-party -||jpncpftyxliq.com^$third-party -||jpnudjqejbpx.bid^$third-party -||jpqmviofsf.com^$third-party -||jprtqxwhtrjejx.com^$third-party -||jpuiucicqwan.com^$third-party -||jpvmwnnwuzo.com^$third-party -||jpwvdpvsmhow.com^$third-party -||jpxevzab.com^$third-party -||jpybcyxyepsc.bid^$third-party -||jqanygfhqne.com^$third-party -||jqdfakgwsxvccl.bid^$third-party -||jqdwgguusof.bid^$third-party -||jqfkitrkhpxl.com^$third-party -||jqgblwjfvox.com^$third-party -||jqibqqxghcfk.com^$third-party -||jqinqsrmygeu.com^$third-party -||jqkxaejcijfz.com^$third-party -||jqleeknw.com^$third-party -||jqmcbepfjgks.com^$third-party -||jqojocdbjpdyk.bid^$third-party -||jqpuxvgnxkf.com^$third-party -||jqqlucchmbxnn.com^$third-party -||jqqrcwwd.com^$third-party -||jqrnfkttwfxbcu.com^$third-party -||jqsrfzjgn.com^$third-party -||jqtftqnkhsw.bid^$third-party -||jqtsknmobyw.com^$third-party -||jqtwygdajic.com^$third-party -||jqusvvfzw.bid^$third-party -||jqvlsavxawfr.com^$third-party -||jractwjn.com^$third-party -||jrarnqfvjijaa.com^$third-party -||jrauyqdbit.bid^$third-party -||jrcpoxuskv.com^$third-party -||jrdxlxdnohjzs.bid^$third-party -||jrecvuklrjpli.com^$third-party -||jrikmexrknmxy.com^$third-party -||jrlnmyorquny.bid^$third-party -||jrlsithadutpm.com^$third-party -||jrmyhchnfawh.com^$third-party -||jrrekpskc.com^$third-party -||jrrmwjybfaztct.com^$third-party -||jrtawlpbusyg.com^$third-party -||jrtzehrbg.com^$third-party -||jryyekccnw.com^$third-party -||jryywrczwcfmw.com^$third-party -||jseewggtkfrs.com^$third-party -||jshjrozmwmyj.com^$third-party -||jtacrwtaf.com^$third-party -||jtbmxdoadktnm.com^$third-party -||jtmfmeexjet.bid^$third-party -||jtmwjkkoes.com^$third-party -||jtqfggxxk.bid^$third-party -||jttoioquq.com^$third-party -||jtumenosmrte.com^$third-party -||jtveisrh.com^$third-party -||jtypnunbjzma.com^$third-party -||jtzlsdmbmfms.com^$third-party -||jugehjohbc.com^$third-party -||juigfegcmxq.bid^$third-party -||jujpetacibftww.bid^$third-party -||jujydhwftub.bid^$third-party -||jukdmqghgzb.bid^$third-party -||jumhqsxgnkuvfn.bid^$third-party -||junwkfyb.bid^$third-party -||juoyynafgp.bid^$third-party -||juqakqgv.com^$third-party -||juqmlmoclnhe.com^$third-party -||jusrlkubhjnr.com^$third-party -||jutbdkjc.bid^$third-party -||juuwyyvjecnvps.com^$third-party -||juvqtttkhz.com^$third-party -||juvyntuqtku.bid^$third-party -||juyfhwxcvzft.com^$third-party -||jvdrscohwxopj.bid^$third-party -||jvepcgbq.bid^$third-party -||jvffngzl.com^$third-party -||jvhdxosisifv.com^$third-party -||jvinenwuarwn.com^$third-party -||jvjwaxjixypm.com^$third-party -||jvkhhxwcnijvmf.com^$third-party -||jvmuayuilxn.com^$third-party -||jvnubhidaev.bid^$third-party -||jvnvvuveozfi.com^$third-party -||jvodizomnxtg.com^$third-party -||jvqbbfrg.com^$third-party -||jvrbjipsyyc.bid^$third-party -||jvriybgxne.com^$third-party -||jvykohlq.com^$third-party -||jvzwcgobd.com^$third-party -||jwbdezxfl.bid^$third-party -||jwbroglwc.com^$third-party -||jwbuxywauut.com^$third-party -||jwcpqgfhlrt.com^$third-party -||jwfdyujffrzt.com^$third-party -||jwgsepzz.com^$third-party -||jwjztdbakqqk.com^$third-party -||jwmnryeoc.com^$third-party -||jwnlqtdvnm.bid^$third-party -||jwwlyiicjkuh.com^$third-party -||jwwotfckxcyv.bid^$third-party -||jwwyuxjv.com^$third-party -||jwzegfmsgyba.com^$third-party -||jwzuohydf.com^$third-party -||jxanmrdurjhw.com^$third-party -||jxexqemgbxvv.com^$third-party -||jxfhshgavg.bid^$third-party -||jxfplvnrg.com^$third-party -||jxgbdhbilbsgf.bid^$third-party -||jxhmvjrpkdyn.com^$third-party -||jxkelzfrk.com^$third-party -||jxmhgmkuw.com^$third-party -||jxnbwgea.bid^$third-party -||jxnwpeqkhtkrw.com^$third-party -||jxseoruuv.com^$third-party -||jxsixnzrm.bid^$third-party -||jxuezvyaakks.com^$third-party -||jxusrymeeqyi.com^$third-party -||jxvhdyguseaf.com^$third-party -||jxxjndvcf.bid^$third-party -||jyaaeiqm.com^$third-party -||jyahmckzsbh.com^$third-party -||jyauuwrrigim.com^$third-party -||jyccdcavzpqt.com^$third-party -||jydbctzvbqrh.com^$third-party -||jyezgitcx.com^$third-party -||jynbcpfwvazazd.com^$third-party -||jynhztwrsl.com^$third-party -||jypmcknqvnfd.com^$third-party -||jyrjjhdas.bid^$third-party -||jyryxwvdjqobg.bid^$third-party -||jyttehhwlm.com^$third-party -||jyujouii.com^$third-party -||jyxckvhds.bid^$third-party -||jyymhnyr.com^$third-party -||jyzhiusk.bid^$third-party -||jzbarlrhbicg.com^$third-party -||jzbskhgpivyl.com^$third-party -||jzbutifk.com^$third-party -||jzckyzvlxetror.com^$third-party -||jzekquhmaxrk.com^$third-party -||jzfzgkepkjcf.com^$third-party -||jzgtnetghdc.com^$third-party -||jzigsobgsmxdmr.bid^$third-party -||jzjhcpdf.com^$third-party -||jzkznpleaqshdj.com^$third-party -||jzllgntkazui.com^$third-party -||jzlzdnvvktcf.com^$third-party -||jzqemifphogo.com^$third-party -||jzqharwtwqei.com^$third-party -||jzqvmpkppjlgc.com^$third-party -||jzsafhhk.com^$third-party -||jzthapvjlq.bid^$third-party -||jzurzhjqrp.com^$third-party -||jzvuglclkdnb.bid^$third-party -||jzxlkhaugzuaqm.bid^$third-party -||kacfofrcndc.com^$third-party -||kadjwdpzxdxd.com^$third-party -||kahbkhlb.bid^$third-party -||kaktokualscgea.com^$third-party -||kakywxgevuv.com^$third-party -||kalfiydydtnhxk.com^$third-party -||kallwqgnec.com^$third-party -||kaojrivmhys.com^$third-party -||kaqtvgcy.bid^$third-party -||karcvrpwayal.com^$third-party -||karownxatpbd.com^$third-party -||katxkxcncwool.com^$third-party -||kayfdraimewk.com^$third-party -||kayophjgzqdq.com^$third-party -||kbdstwnruc.com^$third-party -||kbgphmpg.bid^$third-party -||kbguruenim.bid^$third-party -||kbgyxsoskilli.com^$third-party -||kbipxydhakpdwj.bid^$third-party -||kbjddmnkallz.com^$third-party -||kbkvptlxijafb.com^$third-party -||kbluliqpjq.bid^$third-party -||kbnhoiax.com^$third-party -||kbpijqva.com^$third-party -||kbprllyfvqns.bid^$third-party -||kbqebfcubeiaa.com^$third-party -||kbrnfzgglehh.com^$third-party -||kbrpiuql.com^$third-party -||kbrwlgzazfnv.com^$third-party -||kbsceyleonkq.com^$third-party -||kbwortdqjbns.com^$third-party -||kbxkcmpd.bid^$third-party -||kbzmhlsg.com^$third-party -||kbzrszspknla.com^$third-party -||kbzvtvgwkut.bid^$third-party -||kcarnzeaipjssg.com^$third-party -||kcchjeoufbqu.com^$third-party -||kcctsiusemgdl.com^$third-party -||kceikbfhsnet.com^$third-party -||kceptbgdczkd.bid^$third-party -||kcetcukaolxc.com^$third-party -||kcgmgnejfp.bid^$third-party -||kcitwbcc.com^$third-party -||kcnyhfmowc.com^$third-party -||kcodndvh.com^$third-party -||kcpntbycuswz.com^$third-party -||kcqdidtq.bid^$third-party -||kcugdqmmfcqrb.com^$third-party -||kcwvkoxn.com^$third-party -||kdaskxrcgxhp.com^$third-party -||kdekyymbn.bid^$third-party -||kdfjjvidllnbaa.com^$third-party -||kdhkjeklzihiwh.com^$third-party -||kdhndryipp.com^$third-party -||kdiunbsaw.com^$third-party -||kdkzvfzmgvm.com^$third-party -||kdmilqoiaucqto.com^$third-party -||kdpqydaxbxztnh.com^$third-party -||kdtictjmofbl.com^$third-party -||kdtrdexby.com^$third-party -||kdtstmiptmvk.com^$third-party -||kdvcvkwwtbwn.com^$third-party -||kdwygzatplqrao.bid^$third-party -||kdyfsgpa.com^$third-party -||kecldktirqzk.com^$third-party -||keeedoleeroe.com^$third-party -||keellcvwpzgj.com^$third-party -||keolqzbmsuykwi.bid^$third-party -||keqnebfovnhl.com^$third-party -||kesllcmdcsbd.com^$third-party -||ketqqygdh.com^$third-party -||kfaesgypn.bid^$third-party -||kfdqqqmorlt.com^$third-party -||kfdwywhuissy.com^$third-party -||kfjgnunsuy.bid^$third-party -||kflimllvanjv.com^$third-party -||kfpkzbgwuxm.bid^$third-party -||kfpwayrztgjj.com^$third-party -||kfritiigmqk.com^$third-party -||kftbvzlrqkakfo.com^$third-party -||kftmmtuxdtmsv.bid^$third-party -||kfuwxxspanifp.bid^$third-party -||kfwhcwoc.com^$third-party -||kfwpyyctzmpk.com^$third-party -||kfxrukfzqazrs.com^$third-party -||kfyhxmycgjaqkn.com^$third-party -||kfyksytsx.com^$third-party -||kfypsloqkccvpl.com^$third-party -||kfzimhbhjdqa.com^$third-party -||kgdglkxy.com^$third-party -||kgdmlsbtd.com^$third-party -||kgkjlivo.com^$third-party -||kgkkfrvujnqf.com^$third-party -||kgnxtdcf.bid^$third-party -||kgobpqziy.com^$third-party -||kgqlrcjlrx.com^$third-party -||kgvgtudoridc.com^$third-party -||kgxemdznctlmya.com^$third-party -||kgzcentyfo.com^$third-party -||kgzuerzjysxw.com^$third-party -||khaicoojypokng.com^$third-party -||khaklikrt.com^$third-party -||khdmabhykmj.com^$third-party -||khefhmgfwnnqgv.com^$third-party -||khexythfkw.com^$third-party -||khgsbhdw.bid^$third-party -||khgwakmfavzch.bid^$third-party -||khhpckhkikd.bid^$third-party -||khlgdlarmqnp.com^$third-party -||khmbjndynx.com^$third-party -||khpgychzfdmpm.bid^$third-party -||khwfemkr.bid^$third-party -||khzbeucrltin.com^$third-party -||kieecarfftwf.com^$third-party -||kiejztfpkfayak.com^$third-party -||kifxgosycvxplk.com^$third-party -||kihhgldtpuho.com^$third-party -||kihmdiimzzab.bid^$third-party -||kihxncfpkimfx.bid^$third-party -||kiinvgntnnw.com^$third-party -||kiixmhyrlawz.com^$third-party -||kimqbvkaidbwst.com^$third-party -||kiobmbncsrwc.com^$third-party -||kiochlocj.bid^$third-party -||kiodudldzmzwr.com^$third-party -||kiohmgklwi.com^$third-party -||kioxprngouirqu.com^$third-party -||kipnobwbyz.bid^$third-party -||kiqsynap.com^$third-party -||kisvtclf.bid^$third-party -||kizpkvkdfm.bid^$third-party -||kjabglumgwbsvq.bid^$third-party -||kjbfpptjlhxh.com^$third-party -||kjbqzbiteubt.com^$third-party -||kjizuuuvqbcd.com^$third-party -||kjjlucebvxtu.com^$third-party -||kjkdagfnjm.bid^$third-party -||kjkwrmwdyhi.com^$third-party -||kjltrjvjfran.com^$third-party -||kjmddlhlejeh.com^$third-party -||kjnkmidieyrb.com^$third-party -||kjplmlvtdoaf.com^$third-party -||kjqyvgvvazii.com^$third-party -||kjsedplonmifbe.com^$third-party -||kjtcdiyzd.com^$third-party -||kkawxvjeluwc.com^$third-party -||kknvwhcmqoet.com^$third-party -||kknwvfdzyqzj.com^$third-party -||kkscoephxrum.com^$third-party -||kksoyysmpp.com^$third-party -||kkvsvznavqkl.bid^$third-party -||kkxrizpdh.com^$third-party -||kkztcmjvklinxp.bid^$third-party -||klakcdiqmgxq.com^$third-party -||kldwitfrqwal.com^$third-party -||kldyclplx.com^$third-party -||kleonsqapa.bid^$third-party -||klepuazuxv.com^$third-party -||klfqffhvdpkd.com^$third-party -||klhjuuwrmxyjsn.com^$third-party -||klhvqeajy.com^$third-party -||klidpcdzfqj.com^$third-party -||klmdwvqhi.com^$third-party -||klmfvshct.bid^$third-party -||klmvharqoxdq.com^$third-party -||klnbyxhdilss.bid^$third-party -||klnzalfz.com^$third-party -||klprrjvqalwx.bid^$third-party -||klqnukgo.com^$third-party -||klrdsagmuepg.com^$third-party -||klsduixe.com^$third-party -||klurrmvbqrhrwc.com^$third-party -||klxteeltivy.com^$third-party -||klzvkrzluqnx.com^$third-party -||kmalnsqvyygwe.com^$third-party -||kmcebwjulu.com^$third-party -||kmclwuukyffyjf.com^$third-party -||kmdqjdktf.bid^$third-party -||kmdwifcjtbk.bid^$third-party -||kmefggxf.bid^$third-party -||kmglqqaeqh.bid^$third-party -||kmiobghwsc.bid^$third-party -||kmjexpirqstyzv.com^$third-party -||kmkdkefa.com^$third-party -||kmkweqtfjw.com^$third-party -||kmpcmafvqf.com^$third-party -||kmqlirdx.bid^$third-party -||kmtubsbmwdep.com^$third-party -||kmtyyvemtscac.com^$third-party -||kmuvzufk.com^$third-party -||kmuxsbdjxsjqe.com^$third-party -||kmveerigfvyy.com^$third-party -||kmvupiadkzdn.com^$third-party -||kmyelzmlkl.bid^$third-party -||kmypiwpbastt.com^$third-party -||knepsiwviviwed.com^$third-party -||knimmqli.com^$third-party -||knkxnwscphdk.com^$third-party -||knndhcnwv.com^$third-party -||knnvmkbemftwgj.com^$third-party -||knoyiwlxahoh.bid^$third-party -||knpbefvk.com^$third-party -||knqjhdkndh.com^$third-party -||knqjqzziu.com^$third-party -||knslxwqgatnd.com^$third-party -||kntdzsua.bid^$third-party -||knwfmpvtj.com^$third-party -||knxwoaewryxaxd.bid^$third-party -||knyqnoozhcvrkc.bid^$third-party -||koamxmikmuhahc.com^$third-party -||kofeereb.com^$third-party -||kojywvexdq.com^$third-party -||kokqhnybnhdr.bid^$third-party -||komfveajdx.bid^$third-party -||konbwfktusra.com^$third-party -||koofysojwb.com^$third-party -||korocbbktnw.bid^$third-party -||kovglrrlpqum.com^$third-party -||kovykpybtuylq.bid^$third-party -||kozloiczght.com^$third-party -||kpcflxxodhoxev.bid^$third-party -||kpchywhqcrkz.com^$third-party -||kpgcyqkktm.bid^$third-party -||kpgjogkbwjpmz.com^$third-party -||kpjrmmfrxbrw.com^$third-party -||kplzvizvsqrh.com^$third-party -||kpnuqvpevotn.com^$third-party -||kpoplhjnhlagy.com^$third-party -||kprkrbatuob.com^$third-party -||kpsdnlprwclz.com^$third-party -||kpucctqryjdvx.bid^$third-party -||kpwhkeehpsp.bid^$third-party -||kpwjtpgvowifq.com^$third-party -||kpzvcvclybfa.com^$third-party -||kqaqantjwn.bid^$third-party -||kqcflzvunhew.com^$third-party -||kqctdqqcjjsqrc.bid^$third-party -||kqflgvrwqpzwue.com^$third-party -||kqgfcumsbtyy.com^$third-party -||kqkheakqrh.bid^$third-party -||kqlvuutpgdnude.com^$third-party -||kqmjmrzjhmdn.com^$third-party -||kqohskoysgxx.com^$third-party -||kqsipdhvcejx.com^$third-party -||kqssmkxdtuc.bid^$third-party -||kquthdppub.com^$third-party -||kqvpjbau.com^$third-party -||kqyckxlnll.bid^$third-party -||krezqajxv.bid^$third-party -||krghheqkkcght.com^$third-party -||krgxtloi.bid^$third-party -||krilxjkgttmp.com^$third-party -||krmuxxubtkrg.com^$third-party -||krovrhmqgupd.com^$third-party -||krpdqnnb.com^$third-party -||krrmpgdmoexc.club^$third-party -||krsdoqvsmgld.com^$third-party -||krtdobasy.com^$third-party -||krtpkaha.com^$third-party -||krxexwfnghfu.com^$third-party -||krxpudrzyvko.com^$third-party -||krynjumnqlix.com^$third-party -||krzdqcqb.com^$third-party -||krziyrrnvjai.com^$third-party -||krzllasnlbpjk.bid^$third-party -||ksavagrh.com^$third-party -||ksavfuxjbqx.com^$third-party -||ksbewtjuqitxg.bid^$third-party -||ksbklucaxgbf.com^$third-party -||ksevqmggaxtxt.bid^$third-party -||kshysnypina.com^$third-party -||ksihafqopndbq.com^$third-party -||ksioijtb.com^$third-party -||ksjjpsjymdekyr.bid^$third-party -||kslgvaexlw.com^$third-party -||ksloibpah.com^$third-party -||ksrcnyrntlyfo.com^$third-party -||ksufusxqd.com^$third-party -||ksveztrxudtt.com^$third-party -||ksxaaoey.bid^$third-party -||ktbcsulyildmm.com^$third-party -||ktcltsgjcbjdcyrcdaspmwqwscxgbqhscmkpsxarejfsfpohkk.com^$third-party -||ktdthraxzxt.com^$third-party -||ktexnnvlvhxa.com^$third-party -||ktfjyexcacujjg.com^$third-party -||ktgndscphrtxi.com^$third-party -||ktgsiqgj.bid^$third-party -||kthdreplfmil.com^$third-party -||kthwboouxxcmc.bid^$third-party -||kthztsgfuygcw.com^$third-party -||ktjcrhdppesdd.com^$third-party -||ktjqfqadgmxh.com^$third-party -||ktrgcpceilj.com^$third-party -||ktrmzzrlkbet.com^$third-party -||kttjowlrr.com^$third-party -||ktuiyrchrhuxn.bid^$third-party -||ktzwdewsckssid.com^$third-party -||kuavzcushxyd.com^$third-party -||kuaygqohsbeg.com^$third-party -||kubichpbtjdvo.com^$third-party -||kubmcyofaeu.com^$third-party -||kuhbcpckauwt.bid^$third-party -||kuhlorflbeq.com^$third-party -||kujfhmyoeemqxb.bid^$third-party -||kujkgfzzyeol.com^$third-party -||kujwlsnl.com^$third-party -||kumekqeccmob.com^$third-party -||kumjidmumktzq.com^$third-party -||kumtwckyq.com^$third-party -||kunkmdvgwvfo.bid^$third-party -||kuplohinctdwk.com^$third-party -||kupprakim.bid^$third-party -||kuqbprozlqj.bid^$third-party -||kuqixxjguc.bid^$third-party -||kuqlhzmdek.com^$third-party -||kuqonhmcwaiot.com^$third-party -||kuqylnamtv.bid^$third-party -||kurtgcwrdakv.com^$third-party -||kutlvuitevgw.com^$third-party -||kuvlikgekekwp.com^$third-party -||kuwlmrggxrznky.com^$third-party -||kuwogsiplp.com^$third-party -||kuwzhgbnygarx.com^$third-party -||kvadaiwjwxdp.com^$third-party -||kvajiszer.bid^$third-party -||kvcymnoxr.com^$third-party -||kvdguzclhatdul.com^$third-party -||kvdjcnerhxzb.com^$third-party -||kvfdhsmrrwamt.bid^$third-party -||kvflzevaaco.com^$third-party -||kvgtjwduvn.bid^$third-party -||kvhkfptcv.bid^$third-party -||kvhxckkd.com^$third-party -||kvikjeqepjrq.bid^$third-party -||kvjbqtwgrfnmt.com^$third-party -||kvkoqywl.com^$third-party -||kvmsbpzptwm.bid^$third-party -||kvnldhrlw.com^$third-party -||kvootrjvinkuae.bid^$third-party -||kvpofpkxmlpb.com^$third-party -||kvprhbqnmszru.com^$third-party -||kvrozyibdkkt.com^$third-party -||kvrzoosj.com^$third-party -||kvsyksorguja.com^$third-party -||kvtblvquxxzbim.com^$third-party -||kvtxztiys.com^$third-party -||kvvvdfimdxnu.com^$third-party -||kvwvhpthqyaxk.bid^$third-party -||kvzvtiswjroe.com^$third-party -||kwajysvvjeyvs.com^$third-party -||kwcaatayhgkq.bid^$third-party -||kwcrryneebg.com^$third-party -||kweayxzfazrws.com^$third-party -||kwflzktzaxczm.com^$third-party -||kwgpddeduvje.com^$third-party -||kwiaofifmdqpif.com^$third-party -||kwipnlppnybc.com^$third-party -||kwjglwybtlhm.com^$third-party -||kwkxvbjz.com^$third-party -||kwomkjjoajcyyt.com^$third-party -||kwovwwkevyu.bid^$third-party -||kwshmdfgijgu.com^$third-party -||kwsmqtposrub.com^$third-party -||kwspcwwjju.com^$third-party -||kwuaiymxezji.bid^$third-party -||kwuewixsnttz.com^$third-party -||kwunqjqntrnf.bid^$third-party -||kwvoafkdebdaxz.bid^$third-party -||kwygntce.com^$third-party -||kwystoaqjvml.com^$third-party -||kwyxncikkzz.bid^$third-party -||kwzuhmpwvsbsc.bid^$third-party -||kxareafqwjop.com^$third-party -||kxdprqrrfhhn.com^$third-party -||kxemsltfmm.com^$third-party -||kxhnlmrnqw.bid^$third-party -||kxjzvfrhyf.com^$third-party -||kxkeuums.com^$third-party -||kxldvncqrkv.com^$third-party -||kxounmvfkmvv.com^$third-party -||kxphhdia.bid^$third-party -||kxpkadaivbm.com^$third-party -||kxtepdregiuo.com^$third-party -||kxtkfkqkrzz.bid^$third-party -||kxujlopfsmttyc.com^$third-party -||kxwkbkfespyh.com^$third-party -||kxwuskjg.bid^$third-party -||kxyevjvmalerq.bid^$third-party -||kxzmmtdx.com^$third-party -||kyckfuuzdzmsv.bid^$third-party -||kycsebgx.com^$third-party -||kyegtutis.bid^$third-party -||kyelvsyayysa.com^$third-party -||kyfekvgsyraz.bid^$third-party -||kygozmlrr.com^$third-party -||kyhkyreweusn.com^$third-party -||kyieflmhiekvrr.bid^$third-party -||kylbshaqo.bid^$third-party -||kylqpeevrkgh.com^$third-party -||kyowarob.com^$third-party -||kyqacdtrmwwy.com^$third-party -||kysimxpwd.com^$third-party -||kyveduvdkbro.com^$third-party -||kyvmeizdyb.com^$third-party -||kywqvoqood.bid^$third-party -||kyxikfdzqwjtvw.bid^$third-party -||kyzhecmvpiaw.com^$third-party -||kyzlzjtbgjr.bid^$third-party -||kzawrekf.bid^$third-party -||kzexkhstcng.com^$third-party -||kzgzfndrvpnz.com^$third-party -||kzlmwsyftm.com^$third-party -||kzqrjfulybvv.com^$third-party -||kzujizavnlxf.com^$third-party -||kzwcmbypauw.com^$third-party -||kzwddxlpcqww.com^$third-party -||kzyiepouyib.bid^$third-party -||kzzqkhxjeytu.com^$third-party -||labdwkqyavb.com^$third-party -||lacrxqvydzlan.bid^$third-party -||ladhyjqqgerr.com^$third-party -||lafvopkskbeuj.bid^$third-party -||lajpmujdntg.com^$third-party -||lamwiadakwa.com^$third-party -||lanktydm.com^$third-party -||lapbekessbozpx.bid^$third-party -||laqiccblmxfewa.bid^$third-party -||lauzlpyl.com^$third-party -||lavmeebdxwc.com^$third-party -||lawbjcjsokmua.com^$third-party -||lawvcpqtapzsh.com^$third-party -||lazkslkkmtpy.com^$third-party -||lbaybxwiklnfe.com^$third-party -||lbbfzsjmgm.com^$third-party -||lbbgjozyrgy.com^$third-party -||lbdrnmkhwgkpdg.bid^$third-party -||lbfryfttoihl.com^$third-party -||lbjgdskmgsmowy.com^$third-party -||lbkprcoosfgk.com^$third-party -||lbpndcvhuqlm.com^$third-party -||lbtcymxcocwh.bid^$third-party -||lbtifiprfzy.com^$third-party -||lburmovcjefv.com^$third-party -||lbypppwfvagq.com^$third-party -||lbytagcqxefsn.com^$third-party -||lceihiuarfqbn.bid^$third-party -||lckpubqq.com^$third-party -||lcmkcvisyynkw.com^$third-party -||lcmwchhybzik.bid^$third-party -||lcnvxuipvq.bid^$third-party -||lcolevwciuwj.com^$third-party -||lcpqoewrzuxh.com^$third-party -||lcqnkwcfwrkvh.com^$third-party -||lcrdolxjoxxlr.com^$third-party -||lcsgdwlxrlgq.com^$third-party -||lctpaemybjkv.com^$third-party -||lcttjawsbwol.com^$third-party -||lcuprkufusba.com^$third-party -||lcvofuqxovcao.com^$third-party -||lcxrhcqouqtw.com^$third-party -||lcxrimmb.com^$third-party -||lcyncwbacrgz.com^$third-party -||lcyxmuhxroyo.com^$third-party -||ldaiuhkayqtu.com^$third-party -||ldbgrugl.bid^$third-party -||ldgananrrtx.com^$third-party -||ldigvkkjquvyn.com^$third-party -||ldkyzudgbksh.com^$third-party -||ldlritslfej.bid^$third-party -||ldqxdxtkepveg.com^$third-party -||lduusuiclvw.com^$third-party -||ldvfvwkjtacrfm.com^$third-party -||ldvmpopwd.com^$third-party -||ldxdpitoeox.com^$third-party -||ldybupeeeoq.bid^$third-party -||ldyiuvdoahxz.com^$third-party -||lebeiivzmm.com^$third-party -||lebskmaewbhm.bid^$third-party -||ledvqaldtf.com^$third-party -||lepyhlczldiuja.bid^$third-party -||lesmyjzc.com^$third-party -||lestujzrpeom.bid^$third-party -||leszvphhnytpk.com^$third-party -||leuojmgbkpcl.com^$third-party -||levjirsqbtjhif.bid^$third-party -||lexcyehlniruu.bid^$third-party -||lexwdqnzmkdr.com^$third-party -||lfclktkwnc.com^$third-party -||lfcnzhcnzded.com^$third-party -||lffyoomtjjhvc.com^$third-party -||lfirckcbkh.com^$third-party -||lfjmmgorkjoaw.com^$third-party -||lfjvaaswkxqj.com^$third-party -||lflplmckcncj.com^$third-party -||lfqocbhv.com^$third-party -||lfrqmuplp.com^$third-party -||lfshijqwdei.bid^$third-party -||lftyfcqqctj.com^$third-party -||lfvrjrdrgazl.com^$third-party -||lfyytqcbhsp.bid^$third-party -||lfzbgckyctztj.bid^$third-party -||lgbpcbddfs.bid^$third-party -||lgbshazoug.com^$third-party -||lghrdwdl.com^$third-party -||lgisbsiocy.bid^$third-party -||lgjboylszpij.com^$third-party -||lgjqgatg.com^$third-party -||lgkzfskybz.com^$third-party -||lgkzmjfu.bid^$third-party -||lgnjcntegeqf.com^$third-party -||lgnjrjdju.bid^$third-party -||lgogujahrnxr.bid^$third-party -||lgtbcaqkjo.bid^$third-party -||lgthvsytzwtc.com^$third-party -||lgtnwgfqkyyf.com^$third-party -||lgzjsauvfv.com^$third-party -||lhapwjkoltogf.bid^$third-party -||lhaqzqjbafcu.com^$third-party -||lhbkkztxg.com^$third-party -||lhdndgmsy.com^$third-party -||lhedywrtanrgz.bid^$third-party -||lhekiqlzatfv.com^$third-party -||lhfcddgwg.bid^$third-party -||lhhrhdlankdftk.com^$third-party -||lhjisbsegvxf.com^$third-party -||lhltebxyuzjt.com^$third-party -||lhmnbgieieksdv.bid^$third-party -||lhnlplsj.bid^$third-party -||lhqcrrsatxwsl.bid^$third-party -||lhtekmhy.com^$third-party -||lhttyvdxvgjrdp.com^$third-party -||lhuetsviudr.com^$third-party -||lhuqalcxjmtq.com^$third-party -||lhxgdmcyropacl.bid^$third-party -||lhytmylpwfzuzm.com^$third-party -||liadlzantv.com^$third-party -||liakiadlbs.com^$third-party -||licoxbkagivaf.bid^$third-party -||liesiotlpfvjm.com^$third-party -||ligabklr.com^$third-party -||liilsuive.bid^$third-party -||lijddbusldnecz.bid^$third-party -||lilncsqapikckt.com^$third-party -||liosawitskzd.com^$third-party -||liqbipkfbafq.com^$third-party -||liuduuct.com^$third-party -||liulwxrybupyzu.com^$third-party -||liuztvaem.bid^$third-party -||livxcgmpvz.bid^$third-party -||liwimgti.bid^$third-party -||lixzmpxjilqp.com^$third-party -||ljavtgsvjpxm.bid^$third-party -||ljfetlhleiffr.bid^$third-party -||ljfmxgkfmvtowg.com^$third-party -||ljgmufobaphrd.com^$third-party -||ljhuvzutnpza.com^$third-party -||ljhyotgxuyglm.com^$third-party -||ljjaiargqfwtzu.com^$third-party -||ljkihuolgoh.com^$third-party -||ljkmwpvahv.com^$third-party -||ljmgkopyodih.bid^$third-party -||ljngencgbdbn.com^$third-party -||ljngjrwkyovx.com^$third-party -||ljpuptlitl.com^$third-party -||ljqozvzjphgbw.bid^$third-party -||ljrljohnoqa.com^$third-party -||ljvgxanxkuiw.com^$third-party -||ljwbfghcggfvv.com^$third-party -||ljyncrypt.bid^$third-party -||ljzhxfurwibo.com^$third-party -||lkaarvdprhzx.com^$third-party -||lkaumkxmzefa.com^$third-party -||lkbvfdgqvvpk.com^$third-party -||lkdlamrwl.com^$third-party -||lkfepwhchrlv.bid^$third-party -||lkfuihubbros.com^$third-party -||lkgcdedbklfse.com^$third-party -||lkhkeviyctneka.com^$third-party -||lkjmcevfgoxfbyhhmzambtzydolhmeelgkotdllwtfshrkhrev.com^$third-party -||lkksbzcslmeefw.com^$third-party -||lkktkgcpqzwd.com^$third-party -||lkmoqyzfv.com^$third-party -||lknxarjfidm.com^$third-party -||lkohqfilvpked.com^$third-party -||lkojwhiwcsum.com^$third-party -||lkrcapch.com^$third-party -||lkuirehx.com^$third-party -||lkzvhtetshbu.com^$third-party -||llbevorurncfcc.bid^$third-party -||llbynwyuoj.bid^$third-party -||llddarkinywtmg.bid^$third-party -||llgvjtkg.com^$third-party -||llhjbwcjnuii.com^$third-party -||lliumrpvj.com^$third-party -||lljoapkfnwn.com^$third-party -||lljtgiwhqtue.com^$third-party -||llluzqrvfyrbt.com^$third-party -||llnxfuxszevf.com^$third-party -||llpdtbmowsg.com^$third-party -||llrblpesvjc.com^$third-party -||llrmbabwjlzutw.com^$third-party -||llrxxhljtmylaa.bid^$third-party -||llsdercqm.com^$third-party -||llvidwpt.com^$third-party -||llwemrshzovw.com^$third-party -||llxyamztns.bid^$third-party -||llxyyocfgfg.bid^$third-party -||lmbdkdxprktt.bid^$third-party -||lmccawemcuqma.com^$third-party -||lmcoiiwpguaorp.com^$third-party -||lmejuamdbtwc.com^$third-party -||lmepqfsazb.com^$third-party -||lmevacaixeqy.com^$third-party -||lmheosvft.com^$third-party -||lmjjenhdubpu.com^$third-party -||lmjklpukbbwxm.bid^$third-party -||lmjpcirfvt.bid^$third-party -||lmjxrhph.com^$third-party -||lmlvzeeag.com^$third-party -||lmoqmsagyjcurg.bid^$third-party -||lmsycyfh.com^$third-party -||lmuxaeyapbqxszavtsljaqvmlsuuvifznvttuuqfcxcbgqdnn.com^$third-party -||lmwdcdzievq.bid^$third-party -||lndvtedtayqy.com^$third-party -||lndzkpjtjfjz.bid^$third-party -||lnelcbntwru.com^$third-party -||lnfujzqkydjav.com^$third-party -||lnglwoexxrsv.com^$third-party -||lnicyniqxdxg.com^$third-party -||lnjpyxvbpyvj.com^$third-party -||lnjrawgb.com^$third-party -||lnltyqqop.bid^$third-party -||lnnwwxpeodmw.com^$third-party -||lnpqqigowz.com^$third-party -||lnsthqzdsvzboo.bid^$third-party -||lnwbiuetoymifj.com^$third-party -||lnzcmgguxlac.com^$third-party -||loakfiiggz.bid^$third-party -||locjzfoh.com^$third-party -||lofipgeld.bid^$third-party -||logkzudhrg.com^$third-party -||lohxvwjpvl.com^$third-party -||lojqfrcipvoo.bid^$third-party -||lojuxbnt.com^$third-party -||loljuduad.bid^$third-party -||lopdogmltbnbc.com^$third-party -||lorhamnvukws.bid^$third-party -||lorpidlfpbu.bid^$third-party -||loteumepag.com^$third-party -||lovdkmqvoc.bid^$third-party -||lovnxkrszlsb.com^$third-party -||lovvznyhujf.com^$third-party -||lowqnzsxtmvb.bid^$third-party -||loxmetwdjrmh.com^$third-party -||lpbhbwpbpnl.com^$third-party -||lpbuaqfgwkzrep.com^$third-party -||lpbyadpvf.com^$third-party -||lpdeuhyakoits.bid^$third-party -||lpiqwtsuduhh.com^$third-party -||lplqyocxmify.com^$third-party -||lplznzccvn.bid^$third-party -||lpohfjht.com^$third-party -||lppaepra.bid^$third-party -||lppoblhorbrf.com^$third-party -||lppyumumznf.bid^$third-party -||lprkphlgaybvtn.com^$third-party -||lptggobhuuxcdw.com^$third-party -||lpwvdgfo.com^$third-party -||lpxxafsupgsho.com^$third-party -||lpzltglosmbqul.bid^$third-party -||lpzsxemf.com^$third-party -||lqaqfklrgnr.bid^$third-party -||lqbyqjap.com^$third-party -||lqdrlzunrgma.bid^$third-party -||lqfbxvmq.bid^$third-party -||lqfolelqvc.com^$third-party -||lqhnrsfkgcfe.com^$third-party -||lqipfyknwlo.com^$third-party -||lqiublivx.bid^$third-party -||lqkmghhawfjzls.bid^$third-party -||lqlksxbltzxw.com^$third-party -||lqlycogmpxhd.com^$third-party -||lqpkjasgqjve.com^$third-party -||lqqcbomqqomtme.com^$third-party -||lqrlhmdwy.com^$third-party -||lqrrkjodhq.com^$third-party -||lqsclyxh.bid^$third-party -||lqtxnuramh.bid^$third-party -||lquodkeqws.com^$third-party -||lqvckaciozvs.bid^$third-party -||lqvmjokehnlffq.bid^$third-party -||lqvuvkmohlktl.bid^$third-party -||lqydjvdrq.bid^$third-party -||lramhnoefoz.bid^$third-party -||lrbllelemsx.com^$third-party -||lrcnshyxwx.bid^$third-party -||lrcrobshelr.com^$third-party -||lreylxggpqxz.bid^$third-party -||lrjltdosshhd.com^$third-party -||lrmjvytlhho.com^$third-party -||lrnkuzcezcdn.bid^$third-party -||lroieivnhoojo.bid^$third-party -||lroywnhohfrj.com^$third-party -||lrpcokbf.bid^$third-party -||lruyzrlcef.com^$third-party -||lrwwnmijztt.com^$third-party -||lryenoty.bid^$third-party -||lsdgtifuqrwjax.com^$third-party -||lsegvhvzrpqc.com^$third-party -||lsghawrw.bid^$third-party -||lsgystgg.bid^$third-party -||lshwezesshks.com^$third-party -||lskzcjgerhzn.com^$third-party -||lsmxicydlj.com^$third-party -||lsooyivois.com^$third-party -||lsslotuojpud.com^$third-party -||lstkchbeoey.com^$third-party -||lstkfdmmxbmv.com^$third-party -||ltaporjivped.com^$third-party -||ltbnvsfzevox.com^$third-party -||ltcvpgyouvxya.bid^$third-party -||ltedbswmryh.com^$third-party -||ltendtxpnss.bid^$third-party -||ltffxzmjazabn.bid^$third-party -||ltfroezjyyhv.com^$third-party -||ltjvgpxg.com^$third-party -||ltmdqbrxjaqn.bid^$third-party -||ltnfhltuksarpq.com^$third-party -||ltnjtphbbvigi.bid^$third-party -||ltsdzcgcystyak.bid^$third-party -||ltsnideak.bid^$third-party -||lttsvesujmry.com^$third-party -||ltvrdftgr.com^$third-party -||ltwlxoedrydz.com^$third-party -||ltxltqtwpj.bid^$third-party -||ltzjkjxx.com^$third-party -||lubjqiebnayctz.bid^$third-party -||ludwmwca.bid^$third-party -||lugknllg.bid^$third-party -||luhbhndh.com^$third-party -||luhqeqaypvmc.com^$third-party -||luihhjhe.bid^$third-party -||lujkgrvheh.com^$third-party -||lumzvjur.com^$third-party -||lunkydkokpg.bid^$third-party -||luqnpzexna.bid^$third-party -||luraclhaunxv.com^$third-party -||lusfrsxgxopm.com^$third-party -||luvkkodlpxou.bid^$third-party -||luvstnqpw.com^$third-party -||luztinhsbzggvr.com^$third-party -||lvayccwmhdggvi.bid^$third-party -||lvcrcimfmfx.com^$third-party -||lvctzafuvn.com^$third-party -||lvcxvjetzvt.com^$third-party -||lvdtftxgbsiu.com^$third-party -||lvehrzkgzanurn.com^$third-party -||lvesmhsex.com^$third-party -||lvgliqkumatjv.com^$third-party -||lvhxebdxz.com^$third-party -||lvldcxnq.com^$third-party -||lvlotqtrygwi.com^$third-party -||lvlvpdztdnro.com^$third-party -||lvmnxohz.com^$third-party -||lvpcqndtdk.bid^$third-party -||lvpdchbxgoral.bid^$third-party -||lvrvufurxhgp.com^$third-party -||lvshypqdjfvvkd.com^$third-party -||lvulibji.com^$third-party -||lvvycndnspeuwo.com^$third-party -||lwajqohv.com^$third-party -||lwaqcpjegbwm.com^$third-party -||lwasxldakmhx.com^$third-party -||lwbextsnjgw.com^$third-party -||lwenrqtarmdx.com^$third-party -||lwepsxhcm.bid^$third-party -||lwequndmgc.com^$third-party -||lwfvrhlqzjseyu.com^$third-party -||lwjzsigenxsl.com^$third-party -||lwljmcved.bid^$third-party -||lwmxykibvt.bid^$third-party -||lwnpbwds.bid^$third-party -||lwocvazxfnuj.com^$third-party -||lwqwsptepdxy.com^$third-party -||lwtduavwbep.com^$third-party -||lwtsrwwlfd.com^$third-party -||lwvdeqfhswg.com^$third-party -||lwxkgejswn.com^$third-party -||lwyjxvbcjkstxy.com^$third-party -||lwysswaxnutn.com^$third-party -||lxayafcq.com^$third-party -||lxbaocqsmg.bid^$third-party -||lxcfaekywx.com^$third-party -||lxcpbfwqagzfz.com^$third-party -||lxcpprjfgkt.com^$third-party -||lxelgoqzvjfw.com^$third-party -||lxghhxdcmumk.com^$third-party -||lxkqybzanzug.com^$third-party -||lxlisrvzz.com^$third-party -||lxnimmyikuekn.com^$third-party -||lxpgdkskkt.com^$third-party -||lxqoxgijpbmrg.bid^$third-party -||lxvuwsqp.bid^$third-party -||lxwtezlcp.com^$third-party -||lxyadcffdpaytd.com^$third-party -||lxyjnqpbk.bid^$third-party -||lxymfyptdrast.com^$third-party -||lxzwknybfvycxr.com^$third-party -||lybmmxah.com^$third-party -||lydgyhthfb.com^$third-party -||lyeannqhhf.bid^$third-party -||lyghoxyxohkrdk.com^$third-party -||lyifwfhdizcc.com^$third-party -||lyjcpycaufud.com^$third-party -||lykuxkxsvvnxqd.com^$third-party -||lynsvdabds.com^$third-party -||lyovvtevsu.bid^$third-party -||lyssmgbr.com^$third-party -||lytaxbxen.bid^$third-party -||lytpdzqyiygthvxlmgblonknzrctcwsjycmlcczifxbkquknsr.com^$third-party -||lyuoaxruaqdo.com^$third-party -||lyuswpdanr.com^$third-party -||lyvnduow.bid^$third-party -||lyyenjcocog.com^$third-party -||lyygeitghavmm.com^$third-party -||lyzskjigkxwy.com^$third-party -||lzawbiclvehu.com^$third-party -||lzblbcsemihk.com^$third-party -||lzbzwpmozwfy.com^$third-party -||lzfvonzwjzhz.com^$third-party -||lzkuqbptcjqta.com^$third-party -||lzmovatu.com^$third-party -||lzopoqzlihfbc.com^$third-party -||lzpqpstowpvz.bid^$third-party -||lzrfxzvfbkay.com^$third-party -||lzscunjyovitc.com^$third-party -||lzsiojww.com^$third-party -||lzvnaaozpqyb.com^$third-party -||maboflgkaxqn.com^$third-party -||mafndqbvdgkm.com^$third-party -||magwfymjhils.com^$third-party -||maidlytsnrn.com^$third-party -||makhhvgdkhwn.com^$third-party -||makumuvgxfogq.com^$third-party -||malgyhuytbnjb.bid^$third-party -||mardjxrw.club^$third-party -||marguvpydbrr.com^$third-party -||mascqybw.com^$third-party -||masrtwfevkqd.bid^$third-party -||mavmlkzt.com^$third-party -||mawtykynmhxkjd.bid^$third-party -||maxgirlgames.com^$third-party -||maziynjxjdoe.com^$third-party -||mbajaazbqdzc.com^$third-party -||mbbjrwsl.com^$third-party -||mbezfrwrimjy.bid^$third-party -||mbflncteg.bid^$third-party -||mbfvfdkawpoi.com^$third-party -||mbgvhfotcqsj.com^$third-party -||mbixofultnnd.com^$third-party -||mbmjqinvsil.com^$third-party -||mbmwfufkaxll.com^$third-party -||mbrxgolis.com^$third-party -||mbtalhkebpbpwb.com^$third-party -||mbvmecdlwlts.com^$third-party -||mbyponflbv.bid^$third-party -||mbyrgeoizdid.com^$third-party -||mcagbtdcwklf.com^$third-party -||mcaxqvcu.com^$third-party -||mcaybfrnrqpmv.com^$third-party -||mcfdnvewqws.com^$third-party -||mcgndenytmy.com^$third-party -||mcirxbajhw.com^$third-party -||mciyblxplucm.bid^$third-party -||mclwrdzj.bid^$third-party -||mcnklvsodqqa.com^$third-party -||mcrjoftwhprkrx.bid^$third-party -||mcsnhbdil.com^$third-party -||mcvyeitc.com^$third-party -||mcwvyuifwml.bid^$third-party -||mcyopesbusomqf.com^$third-party -||mczemvlzkndplq.com^$third-party -||mczuljmdpysftg.com^$third-party -||mdagsecyvd.com^$third-party -||mdbdmbdrjaklht.bid^$third-party -||mddlhkzkntmmb.com^$third-party -||mddviuqbkwyir.bid^$third-party -||mdeaoowvqxma.com^$third-party -||mdgupvvdjpafyl.bid^$third-party -||mdjtqsamfeodp.bid^$third-party -||mdlhzknv.com^$third-party -||mdpjnppsbjv.bid^$third-party -||mdpmgoitzaotk.com^$third-party -||mdrkqbsirbry.com^$third-party -||mdsrggcnmybae.bid^$third-party -||mdulmrphzsnvw.com^$third-party -||mdurqeiydegwzy.com^$third-party -||mdvrxmzofurvkm.com^$third-party -||meagjivconqt.com^$third-party -||mecounxmawn.bid^$third-party -||mecsjjkomehyv.com^$third-party -||medyagundem.com^$third-party -||meeaowsxneps.com^$third-party -||mefozykpcwuazw.com^$third-party -||megpacokjce.bid^$third-party -||meguanha.com^$third-party -||mehcpazsnzh.com^$third-party -||mekmrcgtmuvv.bid^$third-party -||melfljypjydxta.com^$third-party -||melqdjqiekcv.com^$third-party -||menjyhvs.bid^$third-party -||mepchnbjsrik.com^$third-party -||meucixmdhuqq.bid^$third-party -||meuxestvodec.bid^$third-party -||mexedyfzdx.bid^$third-party -||mezihrnjuc.com^$third-party -||mfdhvdwkdg.com^$third-party -||mfdmsmndqarhb.bid^$third-party -||mfeoaesafo.com^$third-party -||mffurrpzbum.com^$third-party -||mfgyyqqjpp.com^$third-party -||mfigasff.com^$third-party -||mfiksyuanw.bid^$third-party -||mfjegjqb.com^$third-party -||mflkgrgxadij.com^$third-party -||mfmikwfdopmiusbveskwmouxvafvzurvklwyfamxlddexgrtci.com^$third-party -||mfnjkgzqhoipe.bid^$third-party -||mfpqojya.com^$third-party -||mfryftaguwuv.com^$third-party -||mftbfgcusnzl.com^$third-party -||mfuebmooizdr.com^$third-party -||mfvirwqgmck.bid^$third-party -||mfxjgymma.com^$third-party -||mfxxpyhzofbsg.com^$third-party -||mgjoqdmjofl.bid^$third-party -||mgojnezwuuxyv.com^$third-party -||mgouoirpayddk.com^$third-party -||mgpejafvxxn.com^$third-party -||mgrutivnzs.com^$third-party -||mgrxsztbcfeg.com^$third-party -||mguqjbjgs.com^$third-party -||mguzayfzp.bid^$third-party -||mgwebjwpcla.bid^$third-party -||mgxjvidt.com^$third-party -||mgykxgrllcj.com^$third-party -||mgyovgqq.com^$third-party -||mgziozplbkzv.com^$third-party -||mhaafkoekzax.com^$third-party -||mhbfahukhp.bid^$third-party -||mhcttlcbkwvp.com^$third-party -||mhfivsdhbpfgk.com^$third-party -||mhfvtafbraql.com^$third-party -||mhghzpotwnoh.com^$third-party -||mhglrnhcei.com^$third-party -||mhhjdlsnji.com^$third-party -||mhhumeppcngjih.bid^$third-party -||mhmgeilfkcgov.com^$third-party -||mhprjkdh.bid^$third-party -||mhqrhqwjiuylom.bid^$third-party -||mhrfhwlqsnzf.com^$third-party -||mhuivzojiqe.com^$third-party -||mhunafpdtr.bid^$third-party -||mhwxckevqdkx.com^$third-party -||mhxnfqqruqni.bid^$third-party -||miadbbnreara.com^$third-party -||mictxtwtjigs.com^$third-party -||midkerci.bid^$third-party -||midzwwrcrril.bid^$third-party -||miegpokitjxm.com^$third-party -||mihqbmugg.com^$third-party -||miisdhpqsp.bid^$third-party -||mikdvucquacd.com^$third-party -||mikkvpggxg.bid^$third-party -||miltqbfqstsf.com^$third-party -||milyolpn.bid^$third-party -||miovsibmkpy.com^$third-party -||miszwaojrn.com^$third-party -||mivrpcxlo.com^$third-party -||mixfyfriqtatz.bid^$third-party -||mizmhwicqhprznhflygfnymqbmvwokewzlmymmvjodqlizwlrf.com^$third-party -||mjckfsgogzcd.com^$third-party -||mjlkhnizufhmrt.bid^$third-party -||mjquyspsrgybs.com^$third-party -||mjujcjfrgslf.com^$third-party -||mkalruavzrtmh.com^$third-party -||mkattqhvcikx.bid^$third-party -||mkbbocznt.bid^$third-party -||mkbfikaa.bid^$third-party -||mkceizyfjmmq.com^$third-party -||mkfumtmi.bid^$third-party -||mkfzovhrfrre.com^$third-party -||mkgtdofakiifqb.bid^$third-party -||mkjcjqcn.com^$third-party -||mkkappfdehkwf.com^$third-party -||mkkxiztluu.com^$third-party -||mklplkwniazaql.bid^$third-party -||mkmxovjaijti.com^$third-party -||mkpdquuxcnhl.com^$third-party -||mkqepsxaz.bid^$third-party -||mkxgvmswfmypy.com^$third-party -||mkyzqyfschwd.com^$third-party -||mkzbpsiml.com^$third-party -||mkzllhqhsgq.com^$third-party -||mkzynqxqlcxk.com^$third-party -||mlaxgqosoawc.com^$third-party -||mlbzafthbtsl.com^$third-party -||mldsiekmhy.com^$third-party -||mlfvoqwjvbzy.bid^$third-party -||mlgrrqymdsyk.com^$third-party -||mlgtlxyicweqn.com^$third-party -||mlhpclmaba.bid^$third-party -||mlkejhpgb.bid^$third-party -||mlkqusrmsfib.com^$third-party -||mlmjxddzdazr.com^$third-party -||mlmzevmun.bid^$third-party -||mlntnugnalv.bid^$third-party -||mlnvmpmgzfk.bid^$third-party -||mlrocrzhrgbyi.bid^$third-party -||mlstoxplovkj.com^$third-party -||mlzqvrunjp.com^$third-party -||mmaigzevcfws.com^$third-party -||mmauckxrzh.com^$third-party -||mmbfmlrd.com^$third-party -||mmcltttqfkbh.com^$third-party -||mmdcibihoimt.com^$third-party -||mmdifgneivng.com^$third-party -||mmeddgjhplqy.com^$third-party -||mmesheltljyi.com^$third-party -||mmfvtvdqlwxyj.com^$third-party -||mmfzcakzcqn.bid^$third-party -||mmknsfgqxxsg.com^$third-party -||mmnridsrreyh.com^$third-party -||mmojdtejhgeg.com^$third-party -||mmoxoatieyam.bid^$third-party -||mmpcqstnkcelx.com^$third-party -||mmqsbtpmdrib.bid^$third-party -||mmsdewfvxhw.com^$third-party -||mmshbwtpx.com^$third-party -||mmvcmovwegkz.com^$third-party -||mmxbgakffqemu.com^$third-party -||mmygcnboxlam.com^$third-party -||mmyhkkzddlcqtj.bid^$third-party -||mnanijqnse.com^$third-party -||mncdrqeqimfgh.bid^$third-party -||mnetqnqpmog.bid^$third-party -||mniyaeikxozlts.bid^$third-party -||mnjgoxmx.com^$third-party -||mnkwxsjxp.bid^$third-party -||mnnanyddolwf.com^$third-party -||mnodkuklcw.bid^$third-party -||mnqziregyq.bid^$third-party -||mnrktyxs.bid^$third-party -||mnusvlgl.com^$third-party -||mnvgyfpoir.bid^$third-party -||mnvjibhehv.com^$third-party -||mnyavixcddgx.com^$third-party -||mnyawkpabrsv.com^$third-party -||mnzimonbovqs.com^$third-party -||moadlbgojatn.com^$third-party -||modkehkcihvzi.bid^$third-party -||mofrupteeuqnvc.bid^$third-party -||mofvrnbngcern.bid^$third-party -||moginhstnxswt.com^$third-party -||mogqlceldpwbxe.com^$third-party -||mogrbrydixdvmc.bid^$third-party -||mohcafpwpldi.com^$third-party -||mojhasmpl.com^$third-party -||molqvpnnlmnb.com^$third-party -||monlscalmows.bid^$third-party -||mopvkjodhcwscyudzfqtjuwvpzpgzuwndtofzftbtpdfszeido.com^$third-party -||moquxotvyuoo.com^$third-party -||mosdqxsgjhes.com^$third-party -||mousvowpfso.com^$third-party -||moxdmkdzvkgxow.bid^$third-party -||moxvufgh.com^$third-party -||moyeluljrail.com^$third-party -||mpfzgidlxsqtyt.com^$third-party -||mpgflvbe.com^$third-party -||mphqfyhswko.bid^$third-party -||mpifsodagy.com^$third-party -||mplxbmgukmc.com^$third-party -||mpmdostmf.com^$third-party -||mpmfdpakljrv.bid^$third-party -||mpnkfljjfjqd.bid^$third-party -||mpoboqvqhjqv.com^$third-party -||mpxxjdqpru.com^$third-party -||mpytdykvcdsg.com^$third-party -||mpzuzvqyuvbh.com^$third-party -||mqcnrhxdsbwr.com^$third-party -||mqdznyotsam.com^$third-party -||mqgvsxqc.com^$third-party -||mqhjvfeiiucga.com^$third-party -||mqjfzzgcrupfh.com^$third-party -||mqlkcicnrgpntw.bid^$third-party -||mqmbbiadhb.bid^$third-party -||mqnklgnucy.com^$third-party -||mqobpsctcxnbi.com^$third-party -||mqphkzwlartq.com^$third-party -||mqpyllobxdrfiu.com^$third-party -||mquvqdhzgfyjl.com^$third-party -||mqvxtuzsherjx.com^$third-party -||mqwkqapsrgnt.com^$third-party -||mqyjnccou.bid^$third-party -||mqyndujv.com^$third-party -||mrdbkfyaxsig.bid^$third-party -||mrdiehhk.bid^$third-party -||mrepqeyednht.club^$third-party -||mrfveznetjtp.com^$third-party -||mrjzfzwey.com^$third-party -||mrkzgpbaapif.com^$third-party -||mrnbzzwjkusv.com^$third-party -||mrnrnyavzcatfv.com^$third-party -||mrqsuedzvrrt.com^$third-party -||mrtehsag.com^$third-party -||mrutbjvgh.com^$third-party -||mruxsxrnu.com^$third-party -||mrvzisfsrvs.bid^$third-party -||mrweekseur.com^$third-party -||mrxvgpzath.bid^$third-party -||mrzpfpgh.com^$third-party -||msbmckzmcu.com^$third-party -||msiegurhgfyl.com^$third-party -||msigpurubzkm.com^$third-party -||msisvvxmnpm.com^$third-party -||msjpmpumsf.bid^$third-party -||msmaijsxlo.com^$third-party -||msmyjmkshh.bid^$third-party -||msoiqafieh.com^$third-party -||mspaimzv.com^$third-party -||mspgkbvxtl.com^$third-party -||mspnlttfp.com^$third-party -||msrwoxdkffcl.com^$third-party -||mstmrspnqqevsu.com^$third-party -||msvgmziu.bid^$third-party -||msxmfyhwgkos.com^$third-party -||mszfmpseoqbu.com^$third-party -||mtbadedrhcx.bid^$third-party -||mtbnqoixmb.com^$third-party -||mtbpqzke.bid^$third-party -||mtbsdhzpikjt.com^$third-party -||mtbwqtfqnj.com^$third-party -||mtbyuuflne.com^$third-party -||mtdlcstsqt.com^$third-party -||mtfopqsufagxy.com^$third-party -||mtklywkg.com^$third-party -||mtlieuvyoikf.com^$third-party -||mtmzmcztix.com^$third-party -||mtnobdfcgylhuj.com^$third-party -||mtnreztslx.com^$third-party -||mtnysmosgmp.bid^$third-party -||mtpjldykpuhnmg.bid^$third-party -||mttyfwtvyumc.com^$third-party -||mtuorcpzomut.bid^$third-party -||mtveughs.com^$third-party -||mtyqtczr.bid^$third-party -||mtysahmkqqdo.com^$third-party -||muasoctv.com^$third-party -||mueqzsdabscd.com^$third-party -||muhexvakuawzo.com^$third-party -||mukxblrkoaaa.com^$third-party -||mumbldnn.com^$third-party -||munpprwlhric.com^$third-party -||munqaasewcla.bid^$third-party -||muoiuxfj.com^$third-party -||muoyeoyymfwwp.bid^$third-party -||muqyzjkamhpu.bid^$third-party -||musighkm.com^$third-party -||muwjxxvovtb.com^$third-party -||muxtpvixahawy.com^$third-party -||mvdbdtwicgw.bid^$third-party -||mvddovmyeh.bid^$third-party -||mvdnsrgolwgru.com^$third-party -||mvdqeaxrk.bid^$third-party -||mvesulbecwq.bid^$third-party -||mvjuhdjuwqtk.com^$third-party -||mvkmhjlqqjnay.bid^$third-party -||mvlcwazi.bid^$third-party -||mvncasmaxapgyk.bid^$third-party -||mvotvznetuvfb.com^$third-party -||mvqinxgp.com^$third-party -||mvqzskrnrsy.com^$third-party -||mvrmyxkw.com^$third-party -||mvtunjij.bid^$third-party -||mvumhltl.com^$third-party -||mvunstblutptj.com^$third-party -||mvvecbfomk.com^$third-party -||mvxhbajzn.com^$third-party -||mvyctyji.com^$third-party -||mvyfuwczzotfe.bid^$third-party -||mvzfgknmmkjzx.com^$third-party -||mvzmmcbxssgp.com^$third-party -||mwbhjpjscy.com^$third-party -||mwcouuxv.bid^$third-party -||mwenzdgzgez.bid^$third-party -||mwfzoumik.com^$third-party -||mwgairxva.bid^$third-party -||mwggummxeygq.com^$third-party -||mwgjoofxf.bid^$third-party -||mwhtoxix.com^$third-party -||mwlucuvbyrff.com^$third-party -||mwnhdnkevthkz.com^$third-party -||mwqkpxsrlrus.com^$third-party -||mwuiykzqwaic.com^$third-party -||mwxurdlzjbuvh.bid^$third-party -||mwztugbv.bid^$third-party -||mwzutiypqyyx.com^$third-party -||mxctsflkxs.com^$third-party -||mxltxnomp.bid^$third-party -||mxpzslze.com^$third-party -||mxqxkljb.bid^$third-party -||mxsuikhqaggf.com^$third-party -||mxtcafifuufp.com^$third-party -||mxvvvoqbgzdq.com^$third-party -||mxxrzwibnlnmd.bid^$third-party -||mxzxeersjv.com^$third-party -||myawrthcsjc.com^$third-party -||myfebqficpi.com^$third-party -||myfrvfxqeimp.com^$third-party -||myhdpwmjabpc.bid^$third-party -||myjnlndnbhcih.com^$third-party -||mykhtesikvuz.com^$third-party -||mykpenejaaj.bid^$third-party -||mylhebhwgim.com^$third-party -||mylslrkbn.com^$third-party -||myogwiwjlfrngo.com^$third-party -||myqnpgfgjo.com^$third-party -||myqvhpjyd.com^$third-party -||myzsyljf.com^$third-party -||mzbetmhucxih.com^$third-party -||mzguykhxnuap.com^$third-party -||mzhcaexrrl.com^$third-party -||mzhyrgyo.bid^$third-party -||mzjotkigwu.com^$third-party -||mzkhhjueazkn.com^$third-party -||mznijqwjkqadk.com^$third-party -||mzqxeqrmgzxv.com^$third-party -||mzrhjbbikqm.com^$third-party -||mzwaqcfbx.com^$third-party -||mzxexigxkb.com^$third-party -||mzzouiciajems.com^$third-party -||naaifqdqsnxtsp.com^$third-party -||naavxddd.com^$third-party -||nahixtmnmpcz.com^$third-party -||nahpewniig.com^$third-party -||nahvyfyfpffm.com^$third-party -||namjixxurjam.com^$third-party -||naohofhbprtx.com^$third-party -||napickmw.com^$third-party -||nasfrzhbqvgq.bid^$third-party -||naucmjbzmymdzr.bid^$third-party -||nawdwtocxqru.com^$third-party -||naznwrruruvf.com^$third-party -||nbbljlzbbpck.com^$third-party -||nbbvpxfxnamb.com^$third-party -||nbclkgok.bid^$third-party -||nbdvbpzgwkfgq.com^$third-party -||nbfvybpkasjs.com^$third-party -||nbhbqvfcsds.com^$third-party -||nbhubocsduzn.com^$third-party -||nbkcuewy.com^$third-party -||nbkwnsonadrb.com^$third-party -||nbmffortfyyg.com^$third-party -||nbnsioedq.com^$third-party -||nbovwgndk.bid^$third-party -||nbqbuqezie.bid^$third-party -||nbrmungojjggt.bid^$third-party -||nbrokpopimjbw.com^$third-party -||nbrwtboukesx.com^$third-party -||nbsmsblzow.com^$third-party -||nbvbblmksiahf.com^$third-party -||nbxfvfeanq.com^$third-party -||nbxpuziszhqz.com^$third-party -||nbylhvbswplcj.com^$third-party -||nbzionsmbgrt.com^$third-party -||ncbklawyb.bid^$third-party -||ncdxfwxijazn.com^$third-party -||nceuiwtnpyuqtn.bid^$third-party -||nchxvxvy.com^$third-party -||ncitwacpa.com^$third-party -||ncjjybttngffe.com^$third-party -||nclfwbnmcrci.com^$third-party -||ncoibhdzttozh.com^$third-party -||ncouqiwjjaot.com^$third-party -||ncqlobobtqc.com^$third-party -||ncruzwye.com^$third-party -||ncsirrabtlant.bid^$third-party -||ncspvnslmmbv.com^$third-party -||ncsyyeabk.com^$third-party -||ncwjhywskph.com^$third-party -||ndemlviibdyc.com^$third-party -||ndgmwuxzxppa.com^$third-party -||ndilzwjgblea.com^$third-party -||ndkvzncsuxgx.com^$third-party -||ndndptjtonhh.com^$third-party -||ndpegjgxzbbv.com^$third-party -||ndprxvzgy.com^$third-party -||ndpxcdodtjhfv.bid^$third-party -||ndqvlall.com^$third-party -||ndqwtlseuqjbc.com^$third-party -||ndtlcaudedxz.com^$third-party -||ndxidnvvyvwx.com^$third-party -||ndxtyryloc.com^$third-party -||neaozrrjd.com^$third-party -||neddwrmmced.bid^$third-party -||nedmppiilnld.com^$third-party -||neecnuaa.com^$third-party -||neentjsdrgsf.com^$third-party -||neevjrhxk.com^$third-party -||nefczemmdcqi.com^$third-party -||nefxtwxk.com^$third-party -||negdrvgo.com^$third-party -||nehmhyktj.bid^$third-party -||neieiqiqfepwb.com^$third-party -||nelfmgxcysd.bid^$third-party -||nelgpwiezcwynt.bid^$third-party -||nemzdfjnyqy.bid^$third-party -||neopqlhmnow.bid^$third-party -||neschaypaxkk.com^$third-party -||newnyqfgkkjht.com^$third-party -||neyenbozrfuocz.com^$third-party -||nezbumpwtdexd.com^$third-party -||nfaqnqsfhih.bid^$third-party -||nfbjwvmndabthb.com^$third-party -||nfbpcvzj.com^$third-party -||nfbpdwso.com^$third-party -||nfdntqlqrgwc.com^$third-party -||nfefwoasiq.bid^$third-party -||nfijzdjtpglk.com^$third-party -||nfkxplkiid.com^$third-party -||nfniziqm.com^$third-party -||nfnssadfhxov.com^$third-party -||nfnxvdds.com^$third-party -||nfqxehrpahqhjf.com^$third-party -||nfqxhapbtenjq.bid^$third-party -||nfsqrijauncb.com^$third-party -||nftmatxswtow.bid^$third-party -||nfuqjjlfqjixo.bid^$third-party -||nfxusyviqsnh.com^$third-party -||nfxzakrvymtuhs.com^$third-party -||nfzaustkhtkd.com^$third-party -||ngfsciiu.com^$third-party -||ngkqlfcm.com^$third-party -||ngmckvucrjbnyybvgesxozxcwpgnaljhpedttelavqmpgvfsxg.com^$third-party -||ngnofhussaao.com^$third-party -||ngptxgpbdnutvi.com^$third-party -||nguooqblyjrz.com^$third-party -||ngxyswkgi.com^$third-party -||ngymzbpjnqra.com^$third-party -||nharaeklya.com^$third-party -||nhbklvpswckx.com^$third-party -||nheanvabodkw.com^$third-party -||nhkhxvnhfdkn.com^$third-party -||nhqmomir.com^$third-party -||niaqaltky.com^$third-party -||nicmtzkucd.com^$third-party -||nicucircvp.bid^$third-party -||nidjppokmlcx.com^$third-party -||nidksyrrrtckzj.com^$third-party -||nifyalnngdhb.com^$third-party -||nijksigqjzalcf.com^$third-party -||nikxhdrys.com^$third-party -||nirqmbrzplvtjr.com^$third-party -||niviemwsmiaq.com^$third-party -||nivsrtqdurhjz.com^$third-party -||niydbkjpz.bid^$third-party -||njcdmsgjbbbz.com^$third-party -||njcmfnnzwwuj.com^$third-party -||njeozjhyjb.com^$third-party -||njgogjkwlzroh.com^$third-party -||njjdnqhehvlzjd.bid^$third-party -||njjybqyiuotl.com^$third-party -||njlltkkaavws.com^$third-party -||njmeadll.com^$third-party -||njrpynolojcel.com^$third-party -||njswarysemyf.bid^$third-party -||njvpulnxjzhhf.bid^$third-party -||njxjjvyim.com^$third-party -||nkbvvlhdnagkd.bid^$third-party -||nkclrxanzeossa.com^$third-party -||nkcyhqvzmzlnh.bid^$third-party -||nkfqetvgeytp.bid^$third-party -||nkfqzyqmkp.com^$third-party -||nkgvtmwdb.com^$third-party -||nkhxzhnwr.bid^$third-party -||nkjmaymezfhlf.bid^$third-party -||nkjqgapglbbkux.bid^$third-party -||nkjssnadxejm.com^$third-party -||nkkreqvurtoh.com^$third-party -||nkktfeoicbx.bid^$third-party -||nkkxgqdgnpunnr.bid^$third-party -||nklivofyjkbt.com^$third-party -||nklofbjtpfpp.bid^$third-party -||nksfmnvmngxzr.bid^$third-party -||nkxdyorwbt.com^$third-party -||nkyafqufx.com^$third-party -||nkyngrtleloc.com^$third-party -||nlcfowfz.com^$third-party -||nlduyricoemfc.bid^$third-party -||nlfqbfwbfovt.com^$third-party -||nlhayvlqar.bid^$third-party -||nlhhrkamvs.bid^$third-party -||nljpyhzkat.com^$third-party -||nllbirpx.com^$third-party -||nlljrfvbnisi.com^$third-party -||nlmzvpvvhsau.bid^$third-party -||nlnhfsmo.com^$third-party -||nlpsxhgmdywaoq.com^$third-party -||nlrhavhbkxlsl.bid^$third-party -||nlteopgkeb.com^$third-party -||nltzieywjkfb.com^$third-party -||nlujbqmtgv.com^$third-party -||nlyqwlyykvjl.com^$third-party -||nmaafswoiecv.com^$third-party -||nmayxdwzhaus.com^$third-party -||nmesbjkqkkoy.bid^$third-party -||nmfzjbyub.com^$third-party -||nmhhnyqmxgku.com^$third-party -||nmlvcxad.com^$third-party -||nmnzukxervpdnx.com^$third-party -||nmouzlbragpyp.com^$third-party -||nmpmgmldzvrmra.com^$third-party -||nmtikqygo.com^$third-party -||nmuwmfgdwpwb.com^$third-party -||nmvqhlengcrur.com^$third-party -||nmwzrcdzbrjj.com^$third-party -||nmxpownvqtc.bid^$third-party -||nmywwgnnkmud.com^$third-party -||nmzouxbmqghpb.bid^$third-party -||nnakekwkkh.bid^$third-party -||nnbestmblotl.com^$third-party -||nnbmyxnbyduea.bid^$third-party -||nndgxdunwvte.com^$third-party -||nngfrvcf.com^$third-party -||nngqyjabfvq.bid^$third-party -||nnhuvmftitju.com^$third-party -||nnigsvoorscmgnyobwuhrgnbcgtiicyflrtpwxsekldubasizg.com^$third-party -||nniiptyximoeus.bid^$third-party -||nnioduwnrwpq.bid^$third-party -||nnjiluslnwli.com^$third-party -||nnjumxsvpjbnb.bid^$third-party -||nnmgvixuhbqju.com^$third-party -||nnoxqfmbdv.com^$third-party -||nnrcjzith.bid^$third-party -||nnrdntrrjf.bid^$third-party -||nnroeulsnslk.com^$third-party -||nntvphjayapz.com^$third-party -||nnulezwhvbrzwu.com^$third-party -||nnvjigagpwsh.com^$third-party -||nnvqabkpa.com^$third-party -||nnzkabsgmfjn.bid^$third-party -||nnztrsuu.com^$third-party -||nobosrekns.bid^$third-party -||nobpgppgbucy.com^$third-party -||nocwsbtdiiufa.bid^$third-party -||nodvmmtniokbz.bid^$third-party -||nofhtrsaz.com^$third-party -||nofoxnalt.com^$third-party -||nogxucpaktrya.com^$third-party -||nohsshsxpv.club^$third-party -||noiaifyednjt.com^$third-party -||nokswnfvghee.com^$third-party -||nolpjfsu.com^$third-party -||nolzqbzxiq.com^$third-party -||nomlxyhfgeny.com^$third-party -||nomzkqffqsz.com^$third-party -||nonceynp.com^$third-party -||noolablkcuyu.com^$third-party -||noonshdnkt.bid^$third-party -||normygvd.bid^$third-party -||notqlzafzch.bid^$third-party -||nouusaniebhhfv.bid^$third-party -||nouvurtqlz.bid^$third-party -||novhyaxaioxaon.com^$third-party -||nowymmrxj.com^$third-party -||noxredxaijqdb.com^$third-party -||npaclqyoqrwh.bid^$third-party -||npauffnlpgzw.com^$third-party -||npeanaixbjptsemxrcivetuusaagofdeahtrxofqpxoshduhri.com^$third-party -||npgdqwtrprfq.com^$third-party -||npikrbynhuzi.com^$third-party -||nplrzxvyrhiq.com^$third-party -||npoxaukym.com^$third-party -||nprcpjufz.bid^$third-party -||npujhntk.com^$third-party -||npuwpglke.bid^$third-party -||npzlzsxkq.bid^$third-party -||nqbhezlm.com^$third-party -||nqcqwnvazq.com^$third-party -||nqkttgrapot.bid^$third-party -||nqlkwyyzzgtn.com^$third-party -||nqlrewsfmywgbx.com^$third-party -||nqmwfddfwogbhw.com^$third-party -||nqtxbweqb.com^$third-party -||nqtyrwyklcmh.com^$third-party -||nqugsnsoghz.bid^$third-party -||nqxhehxadtswz.bid^$third-party -||nqzmumesrbiy.com^$third-party -||nrcrbfqa.com^$third-party -||nrectoqhwdhi.com^$third-party -||nrepcbiqaasqih.bid^$third-party -||nrfltkshqgzowk.bid^$third-party -||nrgbjgui.com^$third-party -||nrgpugas.com^$third-party -||nrgqdsjqu.com^$third-party -||nrifyiemem.bid^$third-party -||nrllvmtosawfm.com^$third-party -||nrmcznhlqnx.com^$third-party -||nrszmiiwfifwlq.bid^$third-party -||nrtapaiums.com^$third-party -||nrwofsfancse.bid^$third-party -||nryvxfosuiju.com^$third-party -||nrzhlsvqxbgpbn.com^$third-party -||nrzkcztiaum.bid^$third-party -||nsazelqlavtc.com^$third-party -||nsboaqyssquk.com^$third-party -||nsbugtfudztsgq.bid^$third-party -||nscjgmhyeov.com^$third-party -||nscjodfvzemwpc.bid^$third-party -||nselnhbwlm.com^$third-party -||nsfocddqbiilg.bid^$third-party -||nsgwpapi.bid^$third-party -||nsnfokcikwf.com^$third-party -||nsqdwwwoxs.com^$third-party -||nsqitedrzv.bid^$third-party -||nstjenxcpvm.com^$third-party -||nswnseld.com^$third-party -||ntbftkhrsrh.com^$third-party -||ntduattgboduk.com^$third-party -||ntejdhcom.bid^$third-party -||nterfvetypi.bid^$third-party -||ntetguxoeuvevp.com^$third-party -||ntewqfsjum.bid^$third-party -||ntfhglciig.bid^$third-party -||ntgqcnferh.com^$third-party -||nthssedj.bid^$third-party -||nticqzrucdg.com^$third-party -||ntjcrsfvszoen.com^$third-party -||ntkuokicthbxc.com^$third-party -||ntlhrttump.com^$third-party -||ntndubuzxyfz.com^$third-party -||ntnjaxoov.com^$third-party -||ntnlawgchgds.com^$third-party -||ntnmliatmtk.com^$third-party -||ntoyqqrwrmzr.com^$third-party -||ntwhbuqmel.com^$third-party -||nuaycqtaluwha.com^$third-party -||nuayfpthqlkq.com^$third-party -||nubarwcziykx.bid^$third-party -||nubtjnopbjup.com^$third-party -||nucpzlpmp.bid^$third-party -||nucqkjkvppgs.com^$third-party -||nudooapfildwbz.com^$third-party -||nuhcibapynaj.bid^$third-party -||nuihcvbixjea.com^$third-party -||nuilpwatzeuvzp.com^$third-party -||numcxvlfguc.com^$third-party -||nunmnrbjrbsac.com^$third-party -||nunsbvlzuhyi.com^$third-party -||nuogahntmkid.com^$third-party -||nuowoczmvits.com^$third-party -||nupgypwxcv.com^$third-party -||nuscutsdqqcc.com^$third-party -||nushflxucofk.com^$third-party -||nutlekuainya.com^$third-party -||nuxdkxknj.com^$third-party -||nuxsmhexm.com^$third-party -||nvajxoahenwe.com^$third-party -||nvcwvcmwdjgjyu.bid^$third-party -||nvgcmeqfn.com^$third-party -||nvjjquyylqicp.com^$third-party -||nvkkjenz.com^$third-party -||nvmjtxnlcdqo.com^$third-party -||nvnvyikitffcdr.com^$third-party -||nvoepbzqtn.com^$third-party -||nvqsjdvgqnyk.com^$third-party -||nvvdtfqboy.bid^$third-party -||nvwpybcjpzohoz.bid^$third-party -||nvztwdkbldp.com^$third-party -||nwazehtl.com^$third-party -||nwcvzkicuo.bid^$third-party -||nwdufyamroaf.com^$third-party -||nwfdrxktftep.com^$third-party -||nwhitgovb.bid^$third-party -||nwirvhxxcsft.com^$third-party -||nwkwefhpjohlor.bid^$third-party -||nwooatwtmhfdh.bid^$third-party -||nwqgyaxazz.com^$third-party -||nwrgqhjtullyjs.com^$third-party -||nwrkyuftlnbzuh.bid^$third-party -||nwsderzo.com^$third-party -||nwwfnpxxdxjjj.bid^$third-party -||nwwuhiukrq.com^$third-party -||nwxtppuoeycp.com^$third-party -||nwxwaxhfg.com^$third-party -||nwyjcvbazvltas.bid^$third-party -||nwzawdquu.bid^$third-party -||nwzexkxx.com^$third-party -||nxcxithvcoeh.com^$third-party -||nxewruvxprbd.com^$third-party -||nxjlnchylgsw.com^$third-party -||nxnbbqdh.bid^$third-party -||nxnjpslufglmvp.com^$third-party -||nyaisjsghvj.bid^$third-party -||nybpurpgexoe.com^$third-party -||nycgwaknv.com^$third-party -||nycnjewyxex.com^$third-party -||nyfsjqxopdzvvm.bid^$third-party -||nyltsyud.com^$third-party -||nypmjsgpmhd.com^$third-party -||nyqogyaflmln.com^$third-party -||nyrszeos.bid^$third-party -||nyskocbhfz.com^$third-party -||nytqlenw.com^$third-party -||nyvdouydkxmaws.bid^$third-party -||nyvqazwtcwk.com^$third-party -||nywpxugigwfzb.com^$third-party -||nywuthdzdacoq.com^$third-party -||nyzncfurdrdxfi.com^$third-party -||nyzobnpbcwjwfs.com^$third-party -||nzbtvquutdr.com^$third-party -||nzcpdaboaayv.com^$third-party -||nzkjbazl.com^$third-party -||nzssjqjv.bid^$third-party -||nzvbcznobb.com^$third-party -||nzwwrvywcfqmsq.com^$third-party -||nzxmgfawlxhm.bid^$third-party -||nzxriltfmrpl.com^$third-party -||nzyymvidnbvz.bid^$third-party -||oaadkiypttok.com^$third-party -||oabcufwk.com^$third-party -||oabmmdjlmfk.bid^$third-party -||oaibzaqh.com^$third-party -||oalicqudnfhf.com^$third-party -||oamhzvwle.com^$third-party -||oamrraft.com^$third-party -||oansiwcmc.com^$third-party -||oaogilidstvm.bid^$third-party -||oaqaxjmyuxkpm.com^$third-party -||oaqwxxjhwpyxjd.com^$third-party -||oarqgvtkco.com^$third-party -||oartozvwzv.com^$third-party -||oawleebf.com^$third-party -||oaxwtgfhsxod.com^$third-party -||oazojnwqtsaj.com^$third-party -||oazznjmbchmpdg.com^$third-party -||obczphph.com^$third-party -||obeeifroxtivh.com^$third-party -||obhkbdiwl.bid^$third-party -||objyhpvxcwg.bid^$third-party -||oblbewqykouak.com^$third-party -||obnyujeibv.com^$third-party -||obodwgqr.bid^$third-party -||obpzuctfozram.com^$third-party -||obqtccxcfjmd.com^$third-party -||obrayxknu.com^$third-party -||obthqxbm.com^$third-party -||obufquwiwy.com^$third-party -||obuuyneuhfwf.com^$third-party -||obvbubmzdvom.com^$third-party -||obwvmzdb.com^$third-party -||obxffuwanefrr.bid^$third-party -||obxwnnheaixf.com^$third-party -||obynjduwh.bid^$third-party -||obyxqjgwg.com^$third-party -||ocejkjkopphj.com^$third-party -||oceuwezutqfcbx.com^$third-party -||ocfsmefzzarkmo.com^$third-party -||ocipbbphfszy.com^$third-party -||ocixtsnyxxvyaw.com^$third-party -||ockorrytznnq.bid^$third-party -||ockrsolo.bid^$third-party -||ocmvmmwctmto.bid^$third-party -||ocofiyymgfyxx.bid^$third-party -||ocrwyhamhfpfc.com^$third-party -||ocssqhhlku.bid^$third-party -||ocydwjnqasrn.com^$third-party -||ocyhpouojiss.com^$third-party -||oczqdwqnvhzz.bid^$third-party -||oczvtbskwbmj.com^$third-party -||odanetrlgvunth.com^$third-party -||oddkqxakmuky.bid^$third-party -||odezwmru.com^$third-party -||odkawksnmbg.bid^$third-party -||odkpdbvdzwjsgb.bid^$third-party -||odldyhreg.bid^$third-party -||odlkdyoe.com^$third-party -||odlwjmkfmqbuus.bid^$third-party -||ododtktl.com^$third-party -||odomcrqlxulb.com^$third-party -||odpjcjreznno.com^$third-party -||odplbueosuzw.com^$third-party -||odsljzffiixm.com^$third-party -||odtcspsrhbko.com^$third-party -||odukhsymyua.com^$third-party -||odwymewlu.com^$third-party -||odyoudvaar.bid^$third-party -||oebdarcqsqcdk.com^$third-party -||oeevatisopdl.com^$third-party -||oehjxqhiasrk.com^$third-party -||oeidusggzj.com^$third-party -||oeoogwkwm.bid^$third-party -||oeppesfmzlbpa.com^$third-party -||oertmxfsryji.com^$third-party -||oetwplgu.com^$third-party -||oewscpwrvoca.com^$third-party -||oexupdqy.bid^$third-party -||oezgivtasc.com^$third-party -||ofajzowbwzzi.com^$third-party -||ofbqjpaamioq.com^$third-party -||ofdfinqurwpi.com^$third-party -||ofdybheqahjamq.bid^$third-party -||ofgapiydisrw.com^$third-party -||ofghrodsrqkg.com^$third-party -||ofhwyutlckjuul.bid^$third-party -||ofjampfenbwv.com^$third-party -||ofjpzeoygigtlq.com^$third-party -||ofmeapowymywx.bid^$third-party -||ofmuojegzbxo.com^$third-party -||ofpwdoovxs.bid^$third-party -||ofrducrisy.com^$third-party -||ofslaskeujwn.com^$third-party -||ofswhkkqpfm.com^$third-party -||ofuqmgatoli.com^$third-party -||ofwwrgelrvx.bid^$third-party -||ofwznbbxso.com^$third-party -||ogbamfpcfac.bid^$third-party -||ogegqayudrypc.bid^$third-party -||ogisrmbhajhyam.com^$third-party -||ogjascdgq.com^$third-party -||ogkmakmofd.bid^$third-party -||ogluyourrvv.com^$third-party -||ognybevu.com^$third-party -||ogonhsbjxrxnv.bid^$third-party -||ogqclfvaq.com^$third-party -||ogqeedybsojr.com^$third-party -||ogqewglysfc.com^$third-party -||oguiftmya.com^$third-party -||ogulzxfxrmow.com^$third-party -||oguorftbvegb.com^$third-party -||ogvrdxjcgzst.com^$third-party -||ogyhsyuhczvjg.com^$third-party -||ogzivkwjhrs.com^$third-party -||ohecnqpldvuw.com^$third-party -||ohjmzsvs.com^$third-party -||ohkoexdr.com^$third-party -||ohleiludieje.info^$third-party -||ohlpmbbiw.bid^$third-party -||ohmvrqomsitr.com^$third-party -||ohnohaijfq.com^$third-party -||ohpojzltnt.bid^$third-party -||ohprlushvz.com^$third-party -||ohrdpvkzhzbg.com^$third-party -||ohrkrzvndwitaa.com^$third-party -||oiahzjhwpsokt.com^$third-party -||oicbwkyjsyxjgj.bid^$third-party -||oickwqmwerbnq.bid^$third-party -||oieeezzld.com^$third-party -||oiehcvpxfbnur.com^$third-party -||oiffrtkdgoef.com^$third-party -||oiftdobow.bid^$third-party -||oijjptnwrg.com^$third-party -||oijvjlfjjb.bid^$third-party -||oilfeswka.com^$third-party -||oimpkumntje.com^$third-party -||oinqqbzs.com^$third-party -||oipsyfnmrwir.com^$third-party -||oiramtfxzqfc.com^$third-party -||oiuilhjzqvf.bid^$third-party -||oiumoqzo.com^$third-party -||oivhkhvbqjh.bid^$third-party -||oixafvoxnmceol.com^$third-party -||oixisqtlbhygp.com^$third-party -||ojbevkqot.com^$third-party -||ojiffvsutzrx.com^$third-party -||ojjsoozoerpt.com^$third-party -||ojmkcnuur.com^$third-party -||ojmokfvfi.com^$third-party -||ojngisbfwwyp.com^$third-party -||ojntbybxh.com^$third-party -||ojsfjyekvmyb.com^$third-party -||ojsfvukuqxdx.bid^$third-party -||ojtcgnyikbtg.bid^$third-party -||ojvwpiqnmecd.com^$third-party -||ojxzmlgl.com^$third-party -||okaeetrzjyvx.com^$third-party -||okakjbtitwh.bid^$third-party -||okasfshomqmg.com^$third-party -||okbiafbcvoqo.com^$third-party -||okffuzmscjboad.com^$third-party -||okgfvcourjeb.com^$third-party -||okhbdrgv.bid^$third-party -||okiaecdkdyut.bid^$third-party -||okkytnaadhsqnb.com^$third-party -||okmuxdbq.com^$third-party -||oknmanswftcd.com^$third-party -||okoufwmfzujsf.com^$third-party -||okswjzifwg.bid^$third-party -||oktrgkmj.bid^$third-party -||okufysjjwtm.bid^$third-party -||okuprpjyc.bid^$third-party -||okvfijgdmqton.bid^$third-party -||okvmsjyrremu.com^$third-party -||okwgjbqwiibku.bid^$third-party -||okwljypglchl.com^$third-party -||okxwmzsls.bid^$third-party -||olayojplg.bid^$third-party -||olazspdsld.bid^$third-party -||olcqpdykme.com^$third-party -||olctpejrnnfh.com^$third-party -||olejgcdzgb.bid^$third-party -||olgjzpgp.com^$third-party -||oljpsldr.bid^$third-party -||olkxzkbonvau.bid^$third-party -||olkzcdihiewe.com^$third-party -||olmkmtwet.bid^$third-party -||olpcbzhvduha.bid^$third-party -||olpvmzxadjwgk.com^$third-party -||olrznxrgkym.com^$third-party -||olthlikechgq.com^$third-party -||olvqbwxucv.com^$third-party -||olwopczjfkng.com^$third-party -||olxeziuke.com^$third-party -||omakfhugexq.com^$third-party -||omcozngvtyox.com^$third-party -||ompzowzfwwfc.com^$third-party -||omqygrfokyxg.com^$third-party -||omshdahhtt.com^$third-party -||omwclrjuqilt.bid^$third-party -||omwcywwzun.com^$third-party -||omzieezywqnyxl.com^$third-party -||ongkidcasarv.com^$third-party -||onhxejzm.bid^$third-party -||onjqfyuxprnq.com^$third-party -||onkcjpgmshqx.com^$third-party -||onmnkdzpmvxfab.bid^$third-party -||onndvfcettwt.com^$third-party -||onocjgpq.com^$third-party -||onrlaqhh.com^$third-party -||onsujkfgc.bid^$third-party -||onuwbarslrii.bid^$third-party -||onvhilwrqdgd.com^$third-party -||ooaihyyrvflmz.com^$third-party -||ooakwpvbxym.com^$third-party -||oocoeevre.com^$third-party -||ooczhygehw.com^$third-party -||ooecgdeq.com^$third-party -||oofophdrkjoh.com^$third-party -||oofpjjtc.com^$third-party -||ookdapjylpvq.com^$third-party -||ookiqhfioldxwj.com^$third-party -||oonenbygymsl.com^$third-party -||ooqgpbkpmq.bid^$third-party -||ooqjqnurblp.com^$third-party -||oosdjdhqayjm.com^$third-party -||ootqfqjhzfrtn.com^$third-party -||oouggjayokzx.com^$third-party -||oougyykaeipzg.bid^$third-party -||oounzfsyxiuj.com^$third-party -||ooutqfslr.com^$third-party -||oowivxijrgbrzc.bid^$third-party -||ooyhetoodapmrjvffzpmjdqubnpevefsofghrfsvixxcbwtmrj.com^$third-party -||opawiftgis.com^$third-party -||opbneuozwyuvpk.com^$third-party -||opcyvbwkbiaqyt.com^$third-party -||opdfugwvncf.bid^$third-party -||opdmxlsdzd.bid^$third-party -||opencdb84507.com^$third-party -||opencdb84508.com^$third-party -||opencdb84509.com^$third-party -||opflriars.com^$third-party -||opfrjkmmvqmm.com^$third-party -||ophpbseelohv.com^$third-party -||opknogsela.bid^$third-party -||opoefqthl.bid^$third-party -||oppcgcqytazs.com^$third-party -||opyisszzoyhc.com^$third-party -||oqaghvocticy.com^$third-party -||oqfoiwjwysbffe.com^$third-party -||oqgztgtmcxfcic.com^$third-party -||oqiatejmfwelas.com^$third-party -||oqmjxcqgdghq.com^$third-party -||oqvzugnitr.com^$third-party -||oqxwefyi.bid^$third-party -||orddiltnmmlu.com^$third-party -||orgvevacxlinrr.com^$third-party -||orgzjdgtjmvzi.bid^$third-party -||ormnduxoewtl.com^$third-party -||orsimqadmhpb.com^$third-party -||orszajhynaqr.com^$third-party -||orzsaxuicrmr.com^$third-party -||osanmeijvqh.com^$third-party -||osbblnlmwzcr.com^$third-party -||osdijxyjdn.bid^$third-party -||oseqbfjtsdz.com^$third-party -||osevrgzpsu.com^$third-party -||osewuwcdgfb.bid^$third-party -||osfipdgo.bid^$third-party -||osfxxqoy.com^$third-party -||oslzqjnh.com^$third-party -||ossdqciz.com^$third-party -||osunrrhwhf.com^$third-party -||oszelwsbb.bid^$third-party -||otarrxci.bid^$third-party -||otcqlckpafizv.bid^$third-party -||otdgnmvw.com^$third-party -||otewxlcmkih.com^$third-party -||otfquqgqvsjof.com^$third-party -||otoxkqlivsqr.com^$third-party -||otpckmnnfm.com^$third-party -||otpyldlrygga.com^$third-party -||otrfmbluvrde.com^$third-party -||otrjvabiv.bid^$third-party -||otruzjgxof.com^$third-party -||otusnijhkyihod.com^$third-party -||otuveoqm.com^$third-party -||otxjkjhugtzro.bid^$third-party -||otxqautshpb.bid^$third-party -||otyammyiovhru.com^$third-party -||ouahjrthgxyh.bid^$third-party -||ouannxwziw.bid^$third-party -||oubibahphzsz.com^$third-party -||oubriojtpnps.com^$third-party -||oucywciij.com^$third-party -||ougfkbyllars.com^$third-party -||ouhdgmzajfaop.com^$third-party -||ouiinryhlvbgq.com^$third-party -||oulxdvvpmfcd.com^$third-party -||ounaihekw.bid^$third-party -||ounyrilukncbj.com^$third-party -||ouvhowyqhacec.bid^$third-party -||ouvtjehb.bid^$third-party -||ouytveod.com^$third-party -||ouzqwetenps.com^$third-party -||ovchjqpdh.com^$third-party -||ovckindyf.com^$third-party -||ovcksawwem.com^$third-party -||ovczxzkfkfbb.com^$third-party -||ovfbwavekglf.com^$third-party -||ovgepsxx.com^$third-party -||ovgzbnjj.com^$third-party -||ovjlgvapqhmpy.com^$third-party -||ovkihcbxsbfeo.com^$third-party -||ovmeaxabvfor.com^$third-party -||ovoczhahelca.com^$third-party -||ovqsyawrm.com^$third-party -||ovrdkhamiljt.com^$third-party -||ovvddcpjqndfv.com^$third-party -||ovzmelkxgtgf.com^$third-party -||owcdycko.com^$third-party -||owcykhrgovbvhh.bid^$third-party -||owdeuzstq.bid^$third-party -||owdligzikqqh.bid^$third-party -||owihjchxgydd.com^$third-party -||owjoflavzaerby.com^$third-party -||owlmjcogunzx.com^$third-party -||owmldgrzsc.bid^$third-party -||owodfrquhqui.com^$third-party -||owoeaicjtds.com^$third-party -||owqhtqryzggt.com^$third-party -||owqipeknkcudyi.bid^$third-party -||owqobhxvaack.com^$third-party -||owqvhdxlscv.bid^$third-party -||owrqvyeyrzhy.com^$third-party -||owwewfaxvpch.com^$third-party -||owykrhaic.com^$third-party -||oxanehlscsry.com^$third-party -||oxcpvsxgegd.com^$third-party -||oxpvwliy.com^$third-party -||oxybyiyasgu.bid^$third-party -||oxzffweyw.com^$third-party -||oyaqzikgjw.com^$third-party -||oybahnktadxjju.com^$third-party -||oyiqkjsjmmde.com^$third-party -||oyiqurfqulhuq.com^$third-party -||oylqnzunnw.com^$third-party -||oynmftlgufr.com^$third-party -||oyrgxjuvsedi.com^$third-party -||oytrrdlrovcn.com^$third-party -||oywdlsbwkklw.com^$third-party -||oyzsverimywg.com^$third-party -||ozafaszolf.com^$third-party -||ozcletvvphmy.com^$third-party -||ozhwenyohtpb.com^$third-party -||ozkwhjzmboti.com^$third-party -||ozlfzwajvxbtf.bid^$third-party -||ozmadxvtrffam.bid^$third-party -||oznuyyxtqqj.bid^$third-party -||ozoltyqcnwmu.com^$third-party -||ozpigvtnn.bid^$third-party -||ozssctuyet.com^$third-party -||oztzipze.com^$third-party -||ozvncdlo.com^$third-party -||ozvzmgvssaou.com^$third-party -||ozwjhdler.com^$third-party -||ozwtmmcdglos.com^$third-party -||ozyjicurrutehe.bid^$third-party -||ozymwqsycimr.com^$third-party -||paecbeeavmopbl.com^$third-party -||paegcsvchsdlbj.com^$third-party -||pafovocg.bid^$third-party -||pagaynrbee.com^$third-party -||pajmxvlsuxyks.bid^$third-party -||palzblimzpdk.com^$third-party -||paotmlonx.com^$third-party -||paruvaubxwwz.bid^$third-party -||patlgfvxkto.com^$third-party -||patuarioahzaen.bid^$third-party -||pawxrbexeylzn.com^$third-party -||paxshqxkamhkh.com^$third-party -||payrfnvfofeq.com^$third-party -||paysoxemgjqp.com^$third-party -||pazktszqpdsu.bid^$third-party -||pbbskmfo.bid^$third-party -||pbbutsvpzqza.com^$third-party -||pbcyvzvdi.bid^$third-party -||pbggemxcuosmhz.bid^$third-party -||pbhletstiooizj.com^$third-party -||pbixcuapo.com^$third-party -||pbjnssfvatrhc.com^$third-party -||pbnnsras.com^$third-party -||pbofytmakvye.com^$third-party -||pbpdgojwzfdc.com^$third-party -||pbsmzzxrmu.bid^$third-party -||pbttxbna.com^$third-party -||pbuuadgoktmz.com^$third-party -||pbzmmqakvzhm.com^$third-party -||pcbfhotfyuyg.com^$third-party -||pcdzsowmktz.com^$third-party -||pcebrrqydcox.com^$third-party -||pceqybrdyncq.com^$third-party -||pcfobwzmlts.com^$third-party -||pchijkkms.com^$third-party -||pckbizoed.com^$third-party -||pckhpollpp.bid^$third-party -||pcpzhtdvtcqj.com^$third-party -||pcqmqyqeswnrd.com^$third-party -||pcvdrjvku.bid^$third-party -||pdapmkivb.com^$third-party -||pdbaewqjyvux.com^$third-party -||pddvryclt.bid^$third-party -||pdgpekso.com^$third-party -||pdidbylbwghsr.com^$third-party -||pdippmqmrkvn.com^$third-party -||pdnoucwb.com^$third-party -||pdoijgyoxcjob.com^$third-party -||pdrauqbvdgjut.bid^$third-party -||pdrvdmqcdd.com^$third-party -||pdtaqyjqwfkarz.bid^$third-party -||pdtnzykqa.com^$third-party -||pdwyzrmrnddley.com^$third-party -||pdxvgkivkc.bid^$third-party -||pdypjcgng.bid^$third-party -||pdzqwzrxlltz.com^$third-party -||pedbkepupj.bid^$third-party -||peewuranpdwo.com^$third-party -||peewuvgdcian.com^$third-party -||pegfkacjwjca.com^$third-party -||peggziuzk.bid^$third-party -||pehjaplsxbsfhs.bid^$third-party -||peivdtctdkfpyf.bid^$third-party -||pejhnrurllsq.com^$third-party -||pejtviwezfzvo.bid^$third-party -||pejtxefrrlx.com^$third-party -||pemgeccz.com^$third-party -||pennzxycrdmw.com^$third-party -||peqdwnztlzjp.com^$third-party -||perfcjlensdl.com^$third-party -||petsarlaaafru.com^$third-party -||pewdewgeehc.com^$third-party -||pewgnvqixnhvij.com^$third-party -||peypcjxllo.bid^$third-party -||peyttlwbznahi.com^$third-party -||pfdctvdgjw.com^$third-party -||pfhgihce.bid^$third-party -||pfibgoaqdzbp.com^$third-party -||pfihfdmwdsjum.com^$third-party -||pfiuzxey.com^$third-party -||pfjwtzlfaivp.com^$third-party -||pfltlwftndq.com^$third-party -||pfmoriuywsl.com^$third-party -||pfoohjpdbxt.com^$third-party -||pfpkzjwi.com^$third-party -||pfvfwielz.com^$third-party -||pfvgazngauezhk.com^$third-party -||pfxcnvjoysztb.com^$third-party -||pgfxwbgema.com^$third-party -||pgkdyhdhul.com^$third-party -||pgndlooirt.com^$third-party -||pgnjgjiwomgdmn.com^$third-party -||pgpfdravejq.com^$third-party -||pgpszwldfpc.com^$third-party -||pgqpibyycasfvl.com^$third-party -||pgubdmshfz.bid^$third-party -||pguwtwcougzrc.bid^$third-party -||pguxoochezkc.com^$third-party -||pgxciwvwcfof.com^$third-party -||pgymbgnabv.bid^$third-party -||phfknysgvwhnr.bid^$third-party -||phhigelii.com^$third-party -||phiubpdrh.com^$third-party -||phlslvetboouo.bid^$third-party -||phqqzdemby.bid^$third-party -||phragnmpo.com^$third-party -||phskaieua.com^$third-party -||phxwwaznm.club^$third-party -||phxwwaznm.clupsvdblzcgnjj.com^$third-party -||phyhggbk.com^$third-party -||pibizrfgsrkji.bid^$third-party -||pidbbdxixp.com^$third-party -||pifaojvaiofw.com^$third-party -||pifsistcwycouc.com^$third-party -||piifwkvdil.com^$third-party -||piljbvnykkt.bid^$third-party -||pimygjumeyrtxe.com^$third-party -||pingqwlxklbiev.com^$third-party -||pipiryiqu.com^$third-party -||piqvuvqc.com^$third-party -||pismvlkq.com^$third-party -||pitduougk.com^$third-party -||piuhqbchk.com^$third-party -||piwwplvxvqqi.com^$third-party -||pixjqfvlsqvu.com^$third-party -||piyzmkcxa.bid^$third-party -||pjbifjjtir.com^$third-party -||pjeledftjxfnd.com^$third-party -||pjffrqroudcp.com^$third-party -||pjfgugfnw.bid^$third-party -||pjhwhxmzefjgn.com^$third-party -||pjkbojrcraj.com^$third-party -||pjlcpzevt.bid^$third-party -||pjnkstpiz.com^$third-party -||pjnrwznmzguc.com^$third-party -||pjnudrgy.com^$third-party -||pjpgrrkegamhq.com^$third-party -||pjrlztgwix.com^$third-party -||pjtycinmerhb.com^$third-party -||pjydgizqsldqj.bid^$third-party -||pjyuftrh.com^$third-party -||pjyxgemom.bid^$third-party -||pjzabhzetdmt.com^$third-party -||pkdzrxdn.bid^$third-party -||pkfqaxlxh.bid^$third-party -||pkirdfqe.com^$third-party -||pkitdifnkz.com^$third-party -||pkklpazhqqda.com^$third-party -||pkkuouvecratte.bid^$third-party -||pkmzxzfazpst.com^$third-party -||pknzoizczuhjvk.com^$third-party -||pkougirndckw.com^$third-party -||pkoyiqjjxhsy.com^$third-party -||pkqbgjuinhgpizxifssrtqsyxnzjxwozacnxsrxnvkrokysnhb.com^$third-party -||pkrgwlwhhsie.com^$third-party -||pktgargbhjmo.com^$third-party -||pkucwwgcnuxzo.bid^$third-party -||pkvhprfhbtft.com^$third-party -||pkxquvydrgin.com^$third-party -||pkzfmxjlkcxkub.com^$third-party -||plcsedkinoul.com^$third-party -||plgalhmhkhzy.com^$third-party -||plgdhrvzsvxp.com^$third-party -||plhvzqkkirw.com^$third-party -||pllblrapagrvn.com^$third-party -||pllregftgbgmdi.com^$third-party -||pllvsqicx.bid^$third-party -||plmuxaeyapbqxszavtsljaqvmlsuuvifznvttuuqfcxcbgqdnn.com^$third-party -||plmvsvgyaeyo.bid^$third-party -||plmythrza.com^$third-party -||plquutxxewil.com^$third-party -||plwvwvhudkuv.com^$third-party -||plxtejszb.com^$third-party -||plyftjxmrxrk.com^$third-party -||plzjcnyxcdl.com^$third-party -||pmachrxhrwkd.com^$third-party -||pmdgwnsgucy.com^$third-party -||pmecfluqpkwjg.bid^$third-party -||pmgmbpuiblak.com^$third-party -||pmiiylss.bid^$third-party -||pminnsodv.com^$third-party -||pmjnelusn.com^$third-party -||pmjwztzpuhb.com^$third-party -||pmkvqmtjniwtyl.com^$third-party -||pmlcuxqbngrl.com^$third-party -||pmohsibnim.com^$third-party -||pmoucikneuxcxy.com^$third-party -||pmpdqkjio.bid^$third-party -||pmpeylkaxooynu.bid^$third-party -||pmpgazgz.bid^$third-party -||pmwlvixdyts.com^$third-party -||pmzktktfanzem.bid^$third-party -||pnbdbvgfk.com^$third-party -||pncbscbuzss.com^$third-party -||pndiblukiqdix.bid^$third-party -||pnfdunvcgl.bid^$third-party -||pnfpithmmrxc.com^$third-party -||pnjeolgxsimj.com^$third-party -||pnkrtgea.com^$third-party -||pnmkuqkonlzj.com^$third-party -||pnmxoeztls.bid^$third-party -||pnobsmeio.com^$third-party -||pnrqhqixc.com^$third-party -||pnunijdm.com^$third-party -||pnuwjsilfz.bid^$third-party -||pnuymnyhbbuf.com^$third-party -||pnwhrmyit.com^$third-party -||pnzaduoelv.bid^$third-party -||pnzchguyctrsyb.com^$third-party -||poaxupoqbw.com^$third-party -||poazvacfzbed.com^$third-party -||poewhatnvxydts.com^$third-party -||pogdlwpmck.com^$third-party -||pohguiypgprqr.bid^$third-party -||poorybdbh.bid^$third-party -||pooxbpxm.com^$third-party -||popadscdn.net^$third-party -||popzkvfimbox.com^$third-party -||poqqvnychl.com^$third-party -||postrsyk.com^$third-party -||potmbbqbaqxwp.com^$third-party -||povqrvsoljy.com^$third-party -||poxwphidbuedh.com^$third-party -||ppbvmesssyacij.com^$third-party -||ppcpsjihmydhr.com^$third-party -||ppgzokht.com^$third-party -||pphyjqna.com^$third-party -||ppikspdz.com^$third-party -||ppjjbzcxripw.com^$third-party -||pppjxzcu.bid^$third-party -||ppqahjgkui.com^$third-party -||ppqfteducvts.com^$third-party -||pprcfwhlmtagay.com^$third-party -||ppskhydfqas.bid^$third-party -||pptxpeqqcr.com^$third-party -||ppupdbeoth.bid^$third-party -||ppuuwencqopa.com^$third-party -||ppvjsmuexf.bid^$third-party -||ppvlukah.com^$third-party -||ppxoxkdpxtu.com^$third-party -||ppxrlfhsouac.com^$third-party -||ppzfvypsurty.com^$third-party -||pqajjgjg.com^$third-party -||pqcjtsrnx.bid^$third-party -||pqdysthxgrpz.com^$third-party -||pqgnezcfd.bid^$third-party -||pqgslqshlj.com^$third-party -||pqjdiwqmiem.bid^$third-party -||pqkorfrurnn.com^$third-party -||pqncneoumiibc.bid^$third-party -||pqowedazx.bid^$third-party -||pqoznetbeeza.com^$third-party -||pqpcgykgtyrfdh.bid^$third-party -||pqrzmcyfgbnn.bid^$third-party -||pqsfmcuzmoh.com^$third-party -||pquuiokltzjpeg.com^$third-party -||pqvwtddbpvoq.bid^$third-party -||pqwaaocbzrob.com^$third-party -||pqwbcpqqiiznu.bid^$third-party -||praeicwgzapf.com^$third-party -||prcfiopms.bid^$third-party -||prctxexizzpp.com^$third-party -||prcymjchczmbjj.com^$third-party -||prdrmcwuawjwjl.bid^$third-party -||prenvifxzjuo.com^$third-party -||prfxrfkrvzroz.com^$third-party -||prggimadscvm.com^$third-party -||prgncwamr.com^$third-party -||prjywixf.bid^$third-party -||prmvrxcn.bid^$third-party -||prncfucwvi.bid^$third-party -||prnxtmtbbqs.bid^$third-party -||prpkhpjxghhn.com^$third-party -||prqivgpcjxpp.com^$third-party -||prrpfmrz.com^$third-party -||prsmglob.com^$third-party -||prtjzzyfi.com^$third-party -||prulogzjtyksnh.com^$third-party -||prunwxph.bid^$third-party -||prwlzpyschwi.com^$third-party -||ps7894.com^$third-party -||psbadfsth.bid^$third-party -||psborsxlcorxuq.com^$third-party -||psdnlprwclz.com^$third-party -||psehuhxpqip.bid^$third-party -||pserhnmbbwexmbjderezswultfqlamugbqzsmyxwumgqwxuerl.com^$third-party -||psgdjmtpvey.com^$third-party -||pshcqtizgdlm.com^$third-party -||psmlgjalddqu.com^$third-party -||psrbrytujuxv.com^$third-party -||psvdblzcgnjj.com^$third-party -||pswlvlauz.bid^$third-party -||psxnwzksttygfs.com^$third-party -||psxxbhheqxoy.com^$third-party -||psygnjvrd.com^$third-party -||ptarywzhyzri.com^$third-party -||ptblqwjz.com^$third-party -||ptgiweiu.com^$third-party -||ptiniretm.com^$third-party -||ptiqsfrnkmmtvtpucwzsaqonmvaprjafeerwlyhabobuvuazun.com^$third-party -||ptkgzsqf.com^$third-party -||ptkwepmv.bid^$third-party -||ptlbzqzveii.com^$third-party -||ptnaubegfbbtwe.com^$third-party -||ptoflpqqqkdk.com^$third-party -||ptqaqsagtb.bid^$third-party -||ptqwvynkyhcwo.bid^$third-party -||ptrahwwg.com^$third-party -||ptrqrnadg.com^$third-party -||ptsdnvgn.bid^$third-party -||pttjrlnydgjffv.com^$third-party -||pttmqpogyu.bid^$third-party -||ptvcfltikpdi.com^$third-party -||ptvjsyfayezb.com^$third-party -||ptwnvihnxvg.bid^$third-party -||ptxqjyqhscs.com^$third-party -||ptyezfyxcaeu.com^$third-party -||ptzbgvqpwnxg.com^$third-party -||ptzljkufu.com^$third-party -||pudptxanhspld.bid^$third-party -||pudswlbzob.bid^$third-party -||pugfgjvrivfm.bid^$third-party -||pugklldkhrfg.com^$third-party -||pugpwrqsk.bid^$third-party -||pukzrlddw.com^$third-party -||punfbtrcvfdxl.com^$third-party -||punlkhusprgw.com^$third-party -||punvqjsvnmubxb.com^$third-party -||puogotzrsvtg.com^$third-party -||pusbamejpkxq.com^$third-party -||pusharest.com^$third-party -||puwzwbdopaeq.bid^$third-party -||pvdrlztojkd.bid^$third-party -||pviztjecuczh.com^$third-party -||pvjhglgpil.bid^$third-party -||pvoplkodbxra.com^$third-party -||pvpqgjkgvszq.com^$third-party -||pvptwhhkfmog.com^$third-party -||pvrybwoqcprogc.bid^$third-party -||pvtcntdlcdsb.com^$third-party -||pvumxwnriy.com^$third-party -||pvuqahjiburadw.com^$third-party -||pwaqmmquztyne.com^$third-party -||pwdmtyzyq.com^$third-party -||pwgwqtgpx.com^$third-party -||pwhsajbcymb.bid^$third-party -||pwizshlkrpyh.com^$third-party -||pwjrvoznpsse.bid^$third-party -||pwkzakhq.com^$third-party -||pwlqrkgkk.com^$third-party -||pwrjjvjtvmr.com^$third-party -||pwsdbnngexc.bid^$third-party -||pwynoympqwgg.com^$third-party -||pwzffpolfs.bid^$third-party -||pwzjsujf.bid^$third-party -||pxarwmerpavfmomfyjwuuinxaipktnanwlkvbmuldgimposwzm.com^$third-party -||pxbugrgwy.com^$third-party -||pxcveedcuzy.com^$third-party -||pxgkuwybzuqz.com^$third-party -||pxhtltatsxarl.com^$third-party -||pxiqcfkbxof.com^$third-party -||pxjmdtryd.com^$third-party -||pxktkwmrribg.com^$third-party -||pxlcadvpqd.com^$third-party -||pxlijblevbp.bid^$third-party -||pxlqyrteuuh.com^$third-party -||pxphhwnmwuey.com^$third-party -||pxpndcfntwb.com^$third-party -||pxthyfgzm.com^$third-party -||pxvnhcdzuozqn.com^$third-party -||pxzacgmr.com^$third-party -||pycvhwxtqhknb.com^$third-party -||pydpcqjenhjx.com^$third-party -||pyfmxzhrnivq.com^$third-party -||pyhtclpgzbe.com^$third-party -||pyjjxogzlzcxii.bid^$third-party -||pykexoeeibq.com^$third-party -||pyllxjfkjhpjbq.com^$third-party -||pyqwtxicjodcij.com^$third-party -||pyscgael.bid^$third-party -||pyubjvvdsrja.com^$third-party -||pyzkbxspoon.com^$third-party -||pzbqocjaphp.com^$third-party -||pzcpotzdkfyn.com^$third-party -||pzfittkdqrrsa.com^$third-party -||pzgchrjikhfyueumavkqiccvsdqhdjpljgwhbcobsnjrjfidpq.com^$third-party -||pzjdrhrlzdli.com^$third-party -||pzkpyzgqvofi.com^$third-party -||pzkqiwezugsucg.com^$third-party -||pznxzeflhuad.com^$third-party -||pzopzjlhqbkgnp.com^$third-party -||pzowsxuko.com^$third-party -||pzpdxayohfdc.com^$third-party -||pzpwjawqbmei.com^$third-party -||pzszpntjlz.com^$third-party -||pzzmqjrp.com^$third-party -||qaazzemfo.com^$third-party -||qabmhhrfi.bid^$third-party -||qadtkdlqlemf.com^$third-party -||qagnufdwht.com^$third-party -||qahajvkyfjpg.com^$third-party -||qaiqromd.com^$third-party -||qairctxn.com^$third-party -||qajaohrcbpkd.com^$third-party -||qajjyxsifzfe.com^$third-party -||qanzlmrnxxne.com^$third-party -||qapriesencloq.bid^$third-party -||qarqyhfwient.com^$third-party -||qatuwjyyc.com^$third-party -||qavqnwwlxh.bid^$third-party -||qawaqcurthru.com^$third-party -||qaxtgbdxjpibc.com^$third-party -||qazzzxwynmot.com^$third-party -||qbahsvxo.com^$third-party -||qbalehgc.com^$third-party -||qbdgnjwaknl.bid^$third-party -||qbfibmzxaqtfi.com^$third-party -||qbfvwovkuewm.com^$third-party -||qbhcfxxivcdfm.com^$third-party -||qbjnwjtbfrxceq.com^$third-party -||qbldzsktv.com^$third-party -||qblpxxcjusgmq.bid^$third-party -||qblttqtvn.bid^$third-party -||qbpawthj.com^$third-party -||qbpuavqlsu.com^$third-party -||qbsanzpkfj.com^$third-party -||qbsiawmlm.bid^$third-party -||qbsrhrhnybwox.com^$third-party -||qbtfmtuixtmep.com^$third-party -||qbttelbrupkss.com^$third-party -||qbvwcrtsyur.bid^$third-party -||qbwjddqa.com^$third-party -||qbywtukryaqpp.bid^$third-party -||qbyzytmymz.bid^$third-party -||qcaejiouuvgk.com^$third-party -||qceixjlqe.com^$third-party -||qcexplnqbrral.com^$third-party -||qcjphhqwl.com^$third-party -||qclnagolz.com^$third-party -||qclxheddcepf.com^$third-party -||qcmukkhbyg.com^$third-party -||qcogokgclksa.com^$third-party -||qcopnsmjo.bid^$third-party -||qcpegxszbgjm.com^$third-party -||qcpexkxxyx.bid^$third-party -||qcrvwgsfz.com^$third-party -||qctltbnn.com^$third-party -||qcxhpohiwawnmo.bid^$third-party -||qcyqimny.com^$third-party -||qczvjjdbaj.com^$third-party -||qdajmhpwzdmaji.com^$third-party -||qdcoqejn.com^$third-party -||qddgbaux.com^$third-party -||qddviluvoq.com^$third-party -||qdgpsfmg.com^$third-party -||qdjnwlrjllti.com^$third-party -||qdksdycvbv.com^$third-party -||qdlhprdtwhvgxuzklovisrdbkhptpfarrbcmtrxbzlvhygqisv.com^$third-party -||qdmpxonl.com^$third-party -||qdpbtrwvmioo.bid^$third-party -||qdpxpnmh.com^$third-party -||qdqhseenooz.bid^$third-party -||qduijsyonrmfke.com^$third-party -||qdykmiarpuph.com^$third-party -||qdzhsgwj.bid^$third-party -||qedgufui.bid^$third-party -||qeembhyfvjtq.com^$third-party -||qefjdsfny.bid^$third-party -||qefyaspzyhcb.com^$third-party -||qegndwekwc.com^$third-party -||qekmxaimxkok.com^$third-party -||qenafbvgmoci.com^$third-party -||qenprsuoashu.com^$third-party -||qeobhjit.com^$third-party -||qeqsibev.com^$third-party -||qerlbvqwsqtb.com^$third-party -||qerlrppx.com^$third-party -||qeuggztcqmashg.bid^$third-party -||qevfmwciyp.bid^$third-party -||qevivcixnngf.com^$third-party -||qevkdmgcv.bid^$third-party -||qevmzohvwxesrd.com^$third-party -||qevqecdfqwp.bid^$third-party -||qexegqtytk.bid^$third-party -||qexnxaczl.bid^$third-party -||qezcdxxskinzi.com^$third-party -||qfcsljgckvpz.com^$third-party -||qfedsccxccfzut.com^$third-party -||qfeorrrf.com^$third-party -||qfgcmddmwrrkmj.bid^$third-party -||qfhjthejwvgm.com^$third-party -||qfijmgalopofbj.com^$third-party -||qfkvnnzcyanwqo.com^$third-party -||qflhwgqkegsojx.com^$third-party -||qfmbgvgvauvt.com^$third-party -||qfmcpclzunze.com^$third-party -||qfmkufzloxy.bid^$third-party -||qfpqfdbjyjmvv.com^$third-party -||qfpqmxkiwh.com^$third-party -||qfqihvhm.bid^$third-party -||qfqseouk.bid^$third-party -||qfqtufbrfdpbw.com^$third-party -||qfrhhvbfofbt.com^$third-party -||qfrpehkvqtyj.com^$third-party -||qfsutura.com^$third-party -||qfubwupddefjw.com^$third-party -||qfypbqbumu.com^$third-party -||qfzhppwfkenbmv.bid^$third-party -||qgawivqfotfyrw.com^$third-party -||qgbjchbl.com^$third-party -||qgcliwoxgdptz.com^$third-party -||qgdqujzzs.com^$third-party -||qgeglsnoxk.com^$third-party -||qgevavwyafjf.com^$third-party -||qgggccolqyi.bid^$third-party -||qghirkrh.bid^$third-party -||qghsnamd.bid^$third-party -||qgiumuzmxj.com^$third-party -||qgjllgijf.bid^$third-party -||qgmrchjuqro.bid^$third-party -||qgnakeddgtdw.com^$third-party -||qgpmtdrm.com^$third-party -||qgraprebabxo.com^$third-party -||qgrycwxbn.com^$third-party -||qgslgwfxar.com^$third-party -||qgtbxtex.com^$third-party -||qguirbzulwmdm.bid^$third-party -||qgxrmkbzpm.com^$third-party -||qhaavcekkhckzi.com^$third-party -||qhdjyxcggzkm.com^$third-party -||qhiupkza.bid^$third-party -||qhkfgjoyinllld.com^$third-party -||qhlwqzntlwvbf.bid^$third-party -||qhlzkkwb.com^$third-party -||qhpjexftk.com^$third-party -||qhpwanmnbvkiio.com^$third-party -||qhpwqremdlclpk.com^$third-party -||qhqofqeivtno.com^$third-party -||qhqrtjgsnu.com^$third-party -||qhrdwjummidz.bid^$third-party -||qhtttixovmuszx.bid^$third-party -||qhuktypo.com^$third-party -||qhxpdoipj.com^$third-party -||qhzvvwblzrjc.com^$third-party -||qicggmagur.com^$third-party -||qidkcvmr.com^$third-party -||qidtjujkejbaal.bid^$third-party -||qihdhscaydlk.bid^$third-party -||qijffgqsbkii.com^$third-party -||qiktwikahncl.com^$third-party -||qinsmmxvacuh.com^$third-party -||qinytcise.com^$third-party -||qiqrguvdhcux.com^$third-party -||qiremmtynkae.com^$third-party -||qirkwipiamqsi.com^$third-party -||qirnhdcywjnd.com^$third-party -||qitumxisyt.com^$third-party -||qiurgfxexsmp.com^$third-party -||qixlpaaeaspr.com^$third-party -||qiypdctaqiv.com^$third-party -||qiytksjydjmt.bid^$third-party -||qjaunokfxqi.bid^$third-party -||qjawhmlgsosg.bid^$third-party -||qjdgrcupkaqvqe.bid^$third-party -||qjgqelsvt.com^$third-party -||qjgrrysppkqrbl.bid^$third-party -||qjlgyiuesk.com^$third-party -||qjmearsroiyn.com^$third-party -||qjmkidiwbndolx.com^$third-party -||qjmrqglqxlodj.bid^$third-party -||qjobvxqp.com^$third-party -||qjoqfapllsbtw.bid^$third-party -||qjpxalhvenbt.com^$third-party -||qjskosdsxanp.com^$third-party -||qjttowndvet.com^$third-party -||qjuzjpkihvya.com^$third-party -||qjvullwjz.com^$third-party -||qjvzbfym.com^$third-party -||qjwanedlhedm.com^$third-party -||qjwkyhlxa.com^$third-party -||qkarmotdhhgeuy.com^$third-party -||qkdywnhtmpgc.com^$third-party -||qkfhfuua.com^$third-party -||qkfqyqczawyb.com^$third-party -||qkjltxihv.com^$third-party -||qklhtphiphni.com^$third-party -||qklkjqllykqost.com^$third-party -||qkmvpyujof.com^$third-party -||qknfsqxxm.com^$third-party -||qknuubmfneib.com^$third-party -||qkpwdakgxynv.com^$third-party -||qksihowyv.com^$third-party -||qkuprxbmkeqp.com^$third-party -||qkwbygfsbfmj.com^$third-party -||qkyzjwhyeh.com^$third-party -||qlatsfeyg.com^$third-party -||qlgeofwhy.bid^$third-party -||qljczwei.com^$third-party -||qlmgmgvmiepsb.com^$third-party -||qlqscuseoyrdv.com^$third-party -||qlqvzzcaxto.com^$third-party -||qlugrmjsncbe.com^$third-party -||qluowqzbbukldb.bid^$third-party -||qlvgvehwzj.com^$third-party -||qlvtfnfxwcq.bid^$third-party -||qlwtdkiuvwpqt.com^$third-party -||qlxwtwasgmdf.com^$third-party -||qlyfjtkl.com^$third-party -||qmamdjtoykgl.com^$third-party -||qmiiqzfk.com^$third-party -||qmisgnkw.bid^$third-party -||qmjjvpoqhb.com^$third-party -||qmmdvzsebi.com^$third-party -||qmotkiltrim.com^$third-party -||qmouzhzz.com^$third-party -||qndqwtrwguhv.com^$third-party -||qnfarzjp.bid^$third-party -||qnfpskgtzkw.com^$third-party -||qnhwhedcrzeodd.com^$third-party -||qnieefmaaqi.bid^$third-party -||qnjdtefk.com^$third-party -||qnjxxbvgfgz.bid^$third-party -||qnpolbme.com^$third-party -||qnqrmqwehcpa.com^$third-party -||qnrzdwhlsd.com^$third-party -||qnsdwkjctkso.com^$third-party -||qnssgaxxcpvwro.bid^$third-party -||qnugsbuo.com^$third-party -||qnvdwezdshagls.bid^$third-party -||qnzelsgj.com^$third-party -||qnzztgwd.bid^$third-party -||qoapuppy.com^$third-party -||qoayrejue.com^$third-party -||qoeplhvlr.bid^$third-party -||qofzhmbqa.com^$third-party -||qogsjvkaoe.com^$third-party -||qohoikvwwj.com^$third-party -||qoiagrfbmquek.com^$third-party -||qoiowocphgjm.com^$third-party -||qolnnepubuyz.com^$third-party -||qolrlwwirf.com^$third-party -||qopqudzeaywc.com^$third-party -||qosrridifvsr.com^$third-party -||qotuhsvlqlpnfd.com^$third-party -||qotwtnckqrke.com^$third-party -||qouiruhpxoa.com^$third-party -||qovfvxbl.bid^$third-party -||qowmqduocv.com^$third-party -||qoxalhnndufp.bid^$third-party -||qoxcijqqkyeob.com^$third-party -||qoxsriddwmqx.com^$third-party -||qoyagwzholjofg.com^$third-party -||qpbaammdcwu.com^$third-party -||qpcyafunjtir.com^$third-party -||qpeczlqvv.com^$third-party -||qpganepbkw.com^$third-party -||qpiyjprptazz.com^$third-party -||qpjowolqlpg.com^$third-party -||qpjrrhbfglrly.com^$third-party -||qpkyqrafgsacm.com^$third-party -||qplcqdbiob.com^$third-party -||qpljfpwdpk.com^$third-party -||qpmswrurt.com^$third-party -||qpodgrwu.bid^$third-party -||qpppobrqizen.com^$third-party -||qpqnbnsnosdss.com^$third-party -||qpttmgdofkkya.bid^$third-party -||qqapezviufsh.com^$third-party -||qqbwymba.com^$third-party -||qqbyfhlctzty.com^$third-party -||qqcbzxwzpmzdcd.com^$third-party -||qqcjvbsd.com^$third-party -||qqdnhrkjtmv.bid^$third-party -||qqfrciwnc.bid^$third-party -||qqgtevtjnpwd.com^$third-party -||qqkxrlzaaul.com^$third-party -||qqoncxkrkc.bid^$third-party -||qqrkutrsg.com^$third-party -||qqrwncvoig.bid^$third-party -||qqtqicbvrwg.com^$third-party -||qquncjiru.bid^$third-party -||qquwjmmgtmle.com^$third-party -||qqvatwaqtzgp.com^$third-party -||qqylzyrqnewl.com^$third-party -||qqztmozc.bid^$third-party -||qrcsppwzjryh.com^$third-party -||qrecxvdoewmztq.com^$third-party -||qregqtqtuisj.com^$third-party -||qriasmotw.bid^$third-party -||qrirkdzdxtxc.com^$third-party -||qrjvglpkpl.bid^$third-party -||qrkiykgbk.com^$third-party -||qrklxapy.bid^$third-party -||qrksjrjppkam.com^$third-party -||qrlmvqlxh.com^$third-party -||qrocxwig.bid^$third-party -||qrozsnmc.com^$third-party -||qrpbogawdr.bid^$third-party -||qrqmchbp.bid^$third-party -||qrwlerqenp.com^$third-party -||qryllyykezxh.bid^$third-party -||qryuumwmiupy.com^$third-party -||qrzcenqja.bid^$third-party -||qsaujwwquyks.bid^$third-party -||qscefywopqfkm.com^$third-party -||qsdqpvkuglq.com^$third-party -||qsfckfyv.com^$third-party -||qsfogpmciyl.com^$third-party -||qsgiqllpfthg.com^$third-party -||qsgsfnixw.com^$third-party -||qshsaocjet.com^$third-party -||qsknevegg.bid^$third-party -||qsnzncerqgack.com^$third-party -||qsoetgedlgyhyz.com^$third-party -||qsrekvpnu.bid^$third-party -||qstwmmuukimz.bid^$third-party -||qsxggbsthsk.bid^$third-party -||qtahsbgdqbu.com^$third-party -||qtavukgrtgk.com^$third-party -||qtbvatpkwxq.com^$third-party -||qtczaglj.bid^$third-party -||qteoslcm.bid^$third-party -||qtgarolvaigptk.com^$third-party -||qtjafpcpmcri.com^$third-party -||qtjxalkllc.com^$third-party -||qtkluwmebrtbrt.com^$third-party -||qtsmzrnccnwz.com^$third-party -||qtsyxyakun.com^$third-party -||qttmjwno.com^$third-party -||qtuckpvttvikd.com^$third-party -||qtvnesozf.com^$third-party -||qtwadryxicx.com^$third-party -||qtxihhkvln.com^$third-party -||qtywrdgxid.com^$third-party -||qtzjozseyxskxw.bid^$third-party -||quaizzywzluk.com^$third-party -||quazhzeih.com^$third-party -||quckoemdypxoiq.bid^$third-party -||qudpdpkxffzt.com^$third-party -||qufyihvx.com^$third-party -||qugqgrtyccrlq.bid^$third-party -||quhlryzpyyion.com^$third-party -||quhpkwtljkvedc.com^$third-party -||qukqptxilr.com^$third-party -||qulsqiqrev.com^$third-party -||qumzxkpexf.com^$third-party -||qunnvfhdgfm.com^$third-party -||qupiinlyjuf.com^$third-party -||qupycbhfvqtj.bid^$third-party -||quqyiobevrc.com^$third-party -||qurhdjkms.com^$third-party -||quyxxofx.com^$third-party -||qveoxhidesgy.bid^$third-party -||qveuxmbhbhmg.com^$third-party -||qvgjqhfnbdeur.com^$third-party -||qvilmdus.com^$third-party -||qvivzreleolawc.com^$third-party -||qvovzakydfvi.bid^$third-party -||qvqqvistxqvy.bid^$third-party -||qvrfxlskqr.com^$third-party -||qvsbroqoaggw.com^$third-party -||qvsogqqd.com^$third-party -||qvsshkcr.com^$third-party -||qvxgghoisvifyu.bid^$third-party -||qwbnzilogwdc.com^$third-party -||qweewmtey.com^$third-party -||qwfwimquecfw.bid^$third-party -||qwgafzaujn.bid^$third-party -||qwhkndqqxxbq.com^$third-party -||qwittqgogiip.com^$third-party -||qwlckbrwxizg.com^$third-party -||qwqqliynxufj.com^$third-party -||qwrkigqtgygc.com^$third-party -||qwtuviguywtza.bid^$third-party -||qwuejlmct.com^$third-party -||qwuexgqmua.com^$third-party -||qwufihkhgxphq.com^$third-party -||qwuxwxdr.com^$third-party -||qwvktoqxqum.bid^$third-party -||qwyzzghouu.com^$third-party -||qwzhaqtbiygid.com^$third-party -||qxamtnrwxjyy.com^$third-party -||qxbnmdjmymqa.com^$third-party -||qxboqjnmxv.com^$third-party -||qxcibgzsxegxc.com^$third-party -||qxdmmuwiz.bid^$third-party -||qxekuavasuzgfc.com^$third-party -||qxfzgftkfgukkp.com^$third-party -||qxgoedqwr.bid^$third-party -||qxmecqgzrgdh.com^$third-party -||qxnniyuuaxhv.com^$third-party -||qxqtejyqkypfz.bid^$third-party -||qxvnvbkcm.com^$third-party -||qxxyzmukttyp.com^$third-party -||qxykytqzwagqj.com^$third-party -||qybzvfvqzpmxpu.com^$third-party -||qycxhqkddcc.com^$third-party -||qydpcilzljej.bid^$third-party -||qydylxmzlnqw.com^$third-party -||qyfunsvmtudozq.com^$third-party -||qyghwcrjaw.bid^$third-party -||qyifxakawscsyd.com^$third-party -||qyiiudex.com^$third-party -||qyillxuyjdlmh.com^$third-party -||qykxbnflqvjxvk.com^$third-party -||qynohttywcws.bid^$third-party -||qyqbslpprlph.com^$third-party -||qyqvfjvbzosz.com^$third-party -||qyrzcsoaey.com^$third-party -||qysextrlhpoc.bid^$third-party -||qytabshszekf.com^$third-party -||qytuwxcozbk.com^$third-party -||qyvebeos.com^$third-party -||qyvpgddwqynp.com^$third-party -||qyzoejyqbqyd.com^$third-party -||qzaahtgpnb.com^$third-party -||qzadueyzyto.bid^$third-party -||qzayyghs.bid^$third-party -||qzbnokxxvvpwf.com^$third-party -||qzcpotzdkfyn.com^$third-party -||qzfnuwdc.com^$third-party -||qzhaqsxb.com^$third-party -||qzismxssqf.com^$third-party -||qzizjjyvsa.com^$third-party -||qzpxhebrm.com^$third-party -||qzpzspna.bid^$third-party -||qzwhzahnieipgz.com^$third-party -||qzxtbsnaebfw.com^$third-party -||rabjkklvegagrn.com^$third-party -||radbtqjfp.bid^$third-party -||rafvxnikmn.bid^$third-party -||rafymfnvvzqlp.com^$third-party -||ragbsvbvndovac.com^$third-party -||rahvoujjgmtvft.com^$third-party -||raiybbvwefbcji.bid^$third-party -||ralyqgglrbgrd.bid^$third-party -||raossycpodtr.bid^$third-party -||raqucjjblu.com^$third-party -||raqueocznwden.bid^$third-party -||rascnezpxpe.com^$third-party -||raspiadkwcecz.com^$third-party -||rawybznxrp.bid^$third-party -||raxlextehqhw.com^$third-party -||rbayzoamcrdg.com^$third-party -||rbbesmzvokpste.com^$third-party -||rbbkqlnnmus.bid^$third-party -||rbdmtydtobai.com^$third-party -||rbefggthfx.com^$third-party -||rbfgsoanxw.com^$third-party -||rbfxurlfctsz.com^$third-party -||rbgrlqsepeds.com^$third-party -||rbhhjxsomzq.com^$third-party -||rbhwkfnxhqnri.com^$third-party -||rbmijhdvh.com^$third-party -||rbmjeyiyazcpe.com^$third-party -||rbnicxyh.bid^$third-party -||rbnjngtbpwbk.com^$third-party -||rbnpljzf.bid^$third-party -||rbppnzuxoatx.com^$third-party -||rbrbvedkazkr.com^$third-party -||rbrnmvfiambn.bid^$third-party -||rbrpamcygqplm.com^$third-party -||rbrxrcikro.com^$third-party -||rbsfglbipyfs.com^$third-party -||rbtpsbtzh.com^$third-party -||rbtqofrkiixz.com^$third-party -||rbuowrinsjsx.com^$third-party -||rbvfibdsouqz.com^$third-party -||rbyjirwjbibz.com^$third-party -||rcappkszvgwxx.com^$third-party -||rcdmxfpefz.bid^$third-party -||rcemsoiyil.com^$third-party -||rcjthosmxldl.com^$third-party -||rckxwyowygef.com^$third-party -||rcnbjxcrkn.bid^$third-party -||rcnkflgtxspr.com^$third-party -||rcqyocxmmkais.bid^$third-party -||rcsumbkoyens.bid^$third-party -||rctanilirwefr.bid^$third-party -||rcudacimrqdlk.com^$third-party -||rcumwyqkv.com^$third-party -||rcvhzfcnja.com^$third-party -||rcwczstm.com^$third-party -||rczagufykvpw.com^$third-party -||rdfpnzisjyiwtu.com^$third-party -||rdgsjybsyjj.com^$third-party -||rdikvendxamg.com^$third-party -||rdizmyst.com^$third-party -||rdkcwothcygu.bid^$third-party -||rdkdexupxcfs.com^$third-party -||rdlynbosndvx.com^$third-party -||rdmccvanlx.bid^$third-party -||rdoovrzqazvpgv.com^$third-party -||rdooybwcuyg.com^$third-party -||rdpqiqlirf.com^$third-party -||rdqyasdstllr.com^$third-party -||rdrkxlmlqpqns.com^$third-party -||rdthuvynnwgind.com^$third-party -||rdvrxbxwxspxd.com^$third-party -||rdwcvesg.com^$third-party -||rdwfotuyp.bid^$third-party -||rdzxpvbveezdkcyustcomuhczsbvteccejkdkfepouuhxpxtmy.com^$third-party -||realnwspfbumn.com^$third-party -||reebinbxhlva.com^$third-party -||refatxhcuu.com^$third-party -||regbigltd.bid^$third-party -||regqrfuvncqcm.com^$third-party -||reiqwxxd.com^$third-party -||rejbqhagczm.com^$third-party -||relnocyyxhpjb.com^$third-party -||repefwairfkx.com^$third-party -||rereghpaz.com^$third-party -||rertazmgduxp.com^$third-party -||reszkzmyzceve.com^$third-party -||rezbzvrbemeb.bid^$third-party -||rezfubngrzdet.bid^$third-party -||reztksclx.com^$third-party -||rfbmtfebfcwlgo.com^$third-party -||rfbrceyxthpj.bid^$third-party -||rfcsmdodviqhn.com^$third-party -||rfcxwidka.com^$third-party -||rfdujczogfnc.com^$third-party -||rfecjuzp.bid^$third-party -||rffjopgiuhsx.com^$third-party -||rffqzbqqmuhaomjpwatukocrykmesssfdhpjuoptovsthbsswd.com^$third-party -||rfghdzcbpogph.com^$third-party -||rfgldefouazmj.com^$third-party -||rfgodfdf.bid^$third-party -||rfheugyfwfffne.bid^$third-party -||rfigzjkp.bid^$third-party -||rfmbvlaphdud.com^$third-party -||rfmtxdjulpdb.com^$third-party -||rfnzncprr.bid^$third-party -||rfozndpggjvlm.bid^$third-party -||rfpnlsbbu.com^$third-party -||rfrsnqen.com^$third-party -||rfsfpomom.com^$third-party -||rfvicvayyfsp.com^$third-party -||rfvilsmvo.bid^$third-party -||rfvnhjnnkifyx.com^$third-party -||rfyphhvcczyq.com^$third-party -||rgbeppxd.bid^$third-party -||rgegqcdakbe.com^$third-party -||rgejlqtlr.com^$third-party -||rgipgfcafnvnx.com^$third-party -||rgmgocplioed.com^$third-party -||rgsogoedxqkcz.bid^$third-party -||rgttoipdr.com^$third-party -||rgvrddwoccsgn.com^$third-party -||rgzhrokl.bid^$third-party -||rgzpseubgxho.com^$third-party -||rgztepyoefvm.com^$third-party -||rhfntvnbxfxu.com^$third-party -||rhfvzboqkjfmabakkxggqdmulrsxmisvuzqijzvysbcgyycwfk.com^$third-party -||rhhhbdhxpmrral.bid^$third-party -||rhkwkqznmovfl.bid^$third-party -||rhmyiplqmuupmf.com^$third-party -||rhpwhkwzhpy.bid^$third-party -||rhqkduodhizrr.com^$third-party -||rhqrfnkngrhrha.com^$third-party -||rhvgtmgkahm.com^$third-party -||rhypgggd.com^$third-party -||rhzpcnueogbexb.com^$third-party -||riaetcuycxjz.com^$third-party -||riaxuuidsnws.bid^$third-party -||rieyjzuyhigobg.bid^$third-party -||rifwhwdsqvgw.com^$third-party -||rigoczly.com^$third-party -||rigybdgiubwqg.com^$third-party -||rihzsedipaqq.com^$third-party -||rijadpczqbdsvb.com^$third-party -||rikazsjaezda.bid^$third-party -||rimvtigoyajas.com^$third-party -||rinukkvp.bid^$third-party -||risvrteprhufnk.bid^$third-party -||ritjefajkl.bid^$third-party -||ritvtdtnxkbzb.bid^$third-party -||riwdydttgbczku.com^$third-party -||riwjpbpvkl.com^$third-party -||rixpjpjl.com^$third-party -||rixxvqexdlgrl.com^$third-party -||rjeksrigwzm.com^$third-party -||rjeysspqsslf.com^$third-party -||rjinaqlvwkhox.bid^$third-party -||rjirxadtq.com^$third-party -||rjkfuvqwk.bid^$third-party -||rjkifyqbuwh.com^$third-party -||rjlebzex.com^$third-party -||rjljndfgnkcu.com^$third-party -||rjncckyoyvtu.com^$third-party -||rjnkpqax.com^$third-party -||rjnqbphb.com^$third-party -||rjpqbishujeu.com^$third-party -||rjszckwlctpup.com^$third-party -||rjtcrxzd.com^$third-party -||rjveitlz.com^$third-party -||rjwdhpxdrufbcg.com^$third-party -||rjxspgol.com^$third-party -||rjyihkorkewq.com^$third-party -||rkbjbtxhdi.bid^$third-party -||rkbldvgcjebh.com^$third-party -||rkbndiwznhul.com^$third-party -||rkcemktaasoxew.com^$third-party -||rkcxzwlkk.com^$third-party -||rkczvumivvb.com^$third-party -||rkelvtnnhofl.com^$third-party -||rkgznnhikrfphq.com^$third-party -||rkkneuzkd.bid^$third-party -||rkktwxuqu.bid^$third-party -||rklluqchluxg.com^$third-party -||rkrpvzgzdwqaynyzxkuviotbvibnpqaktcioaaukckhbvkognu.com^$third-party -||rkueifizvmwbi.com^$third-party -||rkvpcjiuumbk.com^$third-party -||rkwpgdnlwgg.bid^$third-party -||rlaiomvkwz.com^$third-party -||rlbvwdviqx.com^$third-party -||rlgungosm.com^$third-party -||rlhdzilsgvwu.bid^$third-party -||rljakgkixu.com^$third-party -||rllvjujeyeuy.com^$third-party -||rlomrjxrpsev.com^$third-party -||rlpabnhvtu.com^$third-party -||rlqvyqgjkxgx.com^$third-party -||rlsqhgku.com^$third-party -||rlszkjkcmjxd.com^$third-party -||rlxmbkwcyw.com^$third-party -||rlypbeouoxxw.com^$third-party -||rmbilhzcytee.com^$third-party -||rmdzbqggjskv.com^$third-party -||rmeolnjxkgfe.com^$third-party -||rmetgarrpiouttmwqtuajcnzgesgozrihrzwmjlpxvcnmdqath.com^$third-party -||rmgxhpflxhmd.com^$third-party -||rmhdjambba.com^$third-party -||rmjwdosemtg.com^$third-party -||rmjxcosbfgyl.com^$third-party -||rmlzgvnuqxlp.com^$third-party -||rmnwxcpccuzwe.com^$third-party -||rmputwrbacfrf.com^$third-party -||rmvlpkaa.com^$third-party -||rmwjtqazyk.com^$third-party -||rmyvebtzf.bid^$third-party -||rnagwksouk.com^$third-party -||rnbhwwerooqhhw.bid^$third-party -||rnfrfxqztlno.com^$third-party -||rnhcqhagfmjgx.bid^$third-party -||rnhkptivhwhc.com^$third-party -||rniiylqxvxybv.com^$third-party -||rnlfitypkucbhi.com^$third-party -||rnmjscsvqql.bid^$third-party -||rnqxziebydqsat.bid^$third-party -||rnrbvhaoqzcksxbhgqtrucinodprlsmuvwmaxqhxngkqlsiwwp.com^$third-party -||rntlwkqmelxceu.com^$third-party -||rnyuhkbucgun.com^$third-party -||rnzgebpy.com^$third-party -||rnzzrylopa.bid^$third-party -||roarmyng.bid^$third-party -||rogwmjvlqdfngw.bid^$third-party -||roibwbjaclwgg.com^$third-party -||rojitkhlwxoi.com^$third-party -||roksnfmaydlo.com^$third-party -||roljcubvx.bid^$third-party -||romksuecd.bid^$third-party -||ronrmbrrhqdwh.com^$third-party -||ropkrhilt.com^$third-party -||roppccqbzvizrd.bid^$third-party -||roqtynlfysu.bid^$third-party -||roqweslqqlyklb.com^$third-party -||rouvpebtazdlq.com^$third-party -||roxutbftcm.bid^$third-party -||rozcbrmng.bid^$third-party -||rpcncuzsmpni.com^$third-party -||rpcpscsa.bid^$third-party -||rpczohkv.com^$third-party -||rpjgaazsdfa.bid^$third-party -||rpjqbeolk.bid^$third-party -||rpnhxhzcejyiym.com^$third-party -||rpslkvzymrddjp.bid^$third-party -||rpspeqqiddjm.com^$third-party -||rptdyukab.bid^$third-party -||rpulxcwmnuxi.com^$third-party -||rpzcwgrpbkltp.com^$third-party -||rqaobxvj.com^$third-party -||rqbxfbls.com^$third-party -||rqgrdrqs.com^$third-party -||rqigvkwoqafpjz.com^$third-party -||rqjgepzyowyr.com^$third-party -||rqmlurpad.bid^$third-party -||rqndohbkuer.com^$third-party -||rqsndrkezz.com^$third-party -||rqtdnrhjktzr.com^$third-party -||rqthkhiuddlg.com^$third-party -||rquagrre.com^$third-party -||rqufdlfe.bid^$third-party -||rqwozrkmtwiuri.com^$third-party -||rqxjnkgcobp.com^$third-party -||rqxwisgin.com^$third-party -||rqyezhetbspk.com^$third-party -||rqyoulixflzbe.com^$third-party -||rrbiprsifnmv.com^$third-party -||rrcdzcts.bid^$third-party -||rrfuviqoyabfep.bid^$third-party -||rrhzlgzazz.bid^$third-party -||rriqwzgmaazsp.com^$third-party -||rrjkbdgwoh.bid^$third-party -||rrnqzntj.com^$third-party -||rroyintwabqyua.com^$third-party -||rrptobfpqeftyg.com^$third-party -||rrqmebej.bid^$third-party -||rrrdddbtofnf.com^$third-party -||rrscdnsfunoe.com^$third-party -||rrsijwsvemhzxx.bid^$third-party -||rrvkjvhbwnbre.com^$third-party -||rrvpscehvjuz.com^$third-party -||rryodgeerrvn.com^$third-party -||rryyvhzxikai.bid^$third-party -||rsbblrpnjxgsk.com^$third-party -||rscgfvsximqdpowcmruwitolouncrmnribnfobxzfhrpdmahqe.com^$third-party -||rscqizsukecevh.com^$third-party -||rsefukvcqy.bid^$third-party -||rsgazdyuycbm.com^$third-party -||rsguboxyb.com^$third-party -||rshaifxw.bid^$third-party -||rsiyppewvonkc.com^$third-party -||rsjcpdrhxtbavk.bid^$third-party -||rsjpgfugttlh.com^$third-party -||rsmapdngqwonud.bid^$third-party -||rsnuhrxz.com^$third-party -||rsosndet.bid^$third-party -||rsqcrylqremctr.com^$third-party -||rsrbqknrfskkb.bid^$third-party -||rssgflbj.com^$third-party -||rstjainimptgn.com^$third-party -||rsuroxpotcoiq.com^$third-party -||rsvxipjqyvfs.com^$third-party -||rswgoccwzs.com^$third-party -||rszzpjttufuw.bid^$third-party -||rtctxxxvdq.com^$third-party -||rtdogcdkovndho.com^$third-party -||rtgngrwtngms.com^$third-party -||rtgpaohds.com^$third-party -||rtpibuckwnp.com^$third-party -||rtqlmwfywl.com^$third-party -||rttclyuvippyw.bid^$third-party -||rtufxsncbegz.com^$third-party -||rtusxaoxemxy.com^$third-party -||rtwvnrgn.com^$third-party -||rtxunghyiwiq.com^$third-party -||rtypxhlfvmez.com^$third-party -||rtzhwgpmp.bid^$third-party -||rubfwmlm.com^$third-party -||rubxajsomnicfy.com^$third-party -||rudtedmhm.com^$third-party -||ruijovxeffglgo.bid^$third-party -||rukwbbwcil.com^$third-party -||rulgltvmpzig.com^$third-party -||runwtxeisppmt.com^$third-party -||ruodzaboyf.com^$third-party -||ruovcruc.com^$third-party -||ruoypiedfpov.com^$third-party -||ruqckzdjsoe.bid^$third-party -||rurjxaovebr.bid^$third-party -||rustqlclwuebif.bid^$third-party -||ruzttiecdedv.com^$third-party -||ruzwwrkgthfobd.com^$third-party -||rvcruqbk.com^$third-party -||rveftfohdybpwv.bid^$third-party -||rvfjbxzxaookgp.com^$third-party -||rvmwyfvfxendw.bid^$third-party -||rvoxndszxwmo.com^$third-party -||rvrfoskjq.bid^$third-party -||rvsnomziiepcds.com^$third-party -||rvtxrtzbswdji.com^$third-party -||rvvslhmmbor.com^$third-party -||rvyvkjqffmdp.com^$third-party -||rvzudtgpvwxz.com^$third-party -||rwalomjwgyljqj.com^$third-party -||rwaxdqfuqih.bid^$third-party -||rwcdoeigzraeu.com^$third-party -||rwdkcusan.com^$third-party -||rweqvydtzyre.com^$third-party -||rwgvulisul.com^$third-party -||rwkxvess.com^$third-party -||rwlzbswwmmh.com^$third-party -||rwphwhdoktfq.com^$third-party -||rwtvvdspsbll.com^$third-party -||rwugdvqdpxfz.com^$third-party -||rwugglxboxgw.com^$third-party -||rwxivmfldvo.com^$third-party -||rwxzeoqfj.com^$third-party -||rxbbddhkl.com^$third-party -||rxczemggfsxx.com^$third-party -||rxeospfus.bid^$third-party -||rxewvdlja.com^$third-party -||rxgbytxipwa.com^$third-party -||rxhicseychr.com^$third-party -||rxicrihobtkf.com^$third-party -||rxisfwvggzot.com^$third-party -||rxjlimrpfziuqh.com^$third-party -||rxjyjfkzzbl.bid^$third-party -||rxjzpvsziytui.bid^$third-party -||rxknixwwt.bid^$third-party -||rxkscuxq.com^$third-party -||rxksulmbu.com^$third-party -||rxnnfethxprv.com^$third-party -||rxqcvlxojbt.com^$third-party -||rxsazdeoypma.com^$third-party -||rxuqpktyqixa.com^$third-party -||rxyeukffow.bid^$third-party -||rxysradiyvcp.com^$third-party -||ryeoanvkettth.com^$third-party -||ryhrabmmprehm.com^$third-party -||ryjlaaimxrq.com^$third-party -||rylkihtmnvsh.com^$third-party -||rylnirfbokjd.com^$third-party -||ryrrhgpmlif.com^$third-party -||ryxpmonwqeg.com^$third-party -||ryybhoklizmuew.com^$third-party -||ryzrdgdvg.bid^$third-party -||rzbbcjnrsbk.com^$third-party -||rzbsvyigbwip.com^$third-party -||rzcmcqljwxyy.com^$third-party -||rzdpobutiy.com^$third-party -||rzfldcrlwe.com^$third-party -||rzgiiioqfpny.com^$third-party -||rzgqfvhfj.com^$third-party -||rzizcnhoobxw.com^$third-party -||rzjbuovkp.bid^$third-party -||rzjhxwfbxp.com^$third-party -||rzmrzylebgq.com^$third-party -||rzsliqwo.bid^$third-party -||rzuwelgm.com^$third-party -||rzwzstbiqk.com^$third-party -||saenrwiqesp.com^$third-party -||sagbgtnmlaj.com^$third-party -||sagukjshgifebs.bid^$third-party -||sagulzuyvybu.com^$third-party -||sailznsgbygz.com^$third-party -||saipuciruuja.com^$third-party -||sajhiqlcsugy.com^$third-party -||salhbbkvs.com^$third-party -||samlmqljptbd.com^$third-party -||sandzfuay.bid^$third-party -||sanksvohixxnlf.com^$third-party -||sapvummffiay.com^$third-party -||saqcgojcure.bid^$third-party -||sardfereose.com^$third-party -||sasieidpe.bid^$third-party -||sasqhtfxsnklxn.bid^$third-party -||satjrvwtaertn.com^$third-party -||sauispjbeisl.com^$third-party -||sawdfbwxqcpcs.com^$third-party -||saybfmfptfjlv.bid^$third-party -||saylbisqotwixm.bid^$third-party -||sbdedksgqu.com^$third-party -||sbdufkkcp.bid^$third-party -||sbealpvjpzzs.com^$third-party -||sbftffngpzwt.com^$third-party -||sbhnftwdlpbo.com^$third-party -||sbifdctojpisuw.com^$third-party -||sbkcxjaktdv.bid^$third-party -||sbkjxpwxrmk.com^$third-party -||sbkuytscekitph.bid^$third-party -||sblqlcjk.bid^$third-party -||sbmdsfld.com^$third-party -||sbmijpifoszz.com^$third-party -||sbnvqpfya.bid^$third-party -||sbopaitvwpzilp.com^$third-party -||sbovclzywkbk.bid^$third-party -||sbpcnpysxbs.bid^$third-party -||sbudbyidtdrgey.com^$third-party -||sbxzvllyahzn.com^$third-party -||sbzngfrmgizpj.bid^$third-party -||scbffqszd.bid^$third-party -||scbnvzfscfmn.com^$third-party -||scbywuiojqvh.com^$third-party -||sceuexzmiwrf.com^$third-party -||scfkfridulshkd.com^$third-party -||scgnsficmwipuj.bid^$third-party -||scgyndrujhzf.com^$third-party -||scjczeqyuqjs.com^$third-party -||sckpttzpnfimba.bid^$third-party -||sckzvqadc.com^$third-party -||scmffjmashzc.com^$third-party -||scofnjymyym.bid^$third-party -||scrltyokacghvd.bid^$third-party -||scsklzqwme.com^$third-party -||scuwbelujeeu.com^$third-party -||scvdxxgbvoz.com^$third-party -||scvonjdwad.bid^$third-party -||scxxbyqjslyp.com^$third-party -||sczcxmaizy.com^$third-party -||sdeadbqsjam.com^$third-party -||sdemctwaiazt.com^$third-party -||sdfmxhdj.bid^$third-party -||sdgvzdksjbl.com^$third-party -||sdmfzlswxgzl.com^$third-party -||sdmhsxlp.bid^$third-party -||sdqspuyipbof.com^$third-party -||sdtqotoe.com^$third-party -||sdvgglhp.bid^$third-party -||sdzxojlt.com^$third-party -||seaxhrqc.bid^$third-party -||secfpgpqx.com^$third-party -||seiqobwpbofg.com^$third-party -||sekajiwqmym.com^$third-party -||sekllcjbujp.bid^$third-party -||semvdooatmd.bid^$third-party -||senfvsdvtsn.com^$third-party -||senrzuolwqvj.com^$third-party -||seoaelrfdy.com^$third-party -||seotpqntjukhg.bid^$third-party -||sepyqhipq.com^$third-party -||setrtcjfhreqg.com^$third-party -||seuojaesymeriv.com^$third-party -||seympfgeyrew.com^$third-party -||sfaprgtgcguh.com^$third-party -||sfawiner.com^$third-party -||sfcckxdgfgzo.com^$third-party -||sfgkhgfdsochwd.com^$third-party -||sfgymajb.bid^$third-party -||sfhrxcbbmtfqw.com^$third-party -||sfhyxyodjllrd.bid^$third-party -||sfmgzvam.com^$third-party -||sfmzbrdtse.com^$third-party -||sfmziexfvvru.com^$third-party -||sfpkwhncpllt.com^$third-party -||sfrsuihcubepzd.com^$third-party -||sfxmdqbi.com^$third-party -||sfxuiadi.com^$third-party -||sfzcbcrwxhic.com^$third-party -||sfzfjiefentwe.com^$third-party -||sgccsauvct.bid^$third-party -||sgeeavwmk.com^$third-party -||sgfcsnwegazn.com^$third-party -||sgggjaosyrxr.com^$third-party -||sghradxea.bid^$third-party -||sgiueejx.com^$third-party -||sgkcijmcduuhhq.bid^$third-party -||sgmneqaebkzjug.com^$third-party -||sgpbbfdchy.com^$third-party -||sgqmhpqrstwzwd.com^$third-party -||sgrreqyxvigwuh.com^$third-party -||sgxaqysyilwkiu.com^$third-party -||sgzlmagzrrk.com^$third-party -||sgzsviqlvcxc.com^$third-party -||shacupwelhehqc.com^$third-party -||shapzwwy.com^$third-party -||shasnvadkustw.com^$third-party -||shgvuhvf.com^$third-party -||shhngaasah.com^$third-party -||shhrbeffgz.com^$third-party -||shjuivapg.bid^$third-party -||shkfrsif.com^$third-party -||shldethxhl.com^$third-party -||shmpdqwucl.com^$third-party -||shnmhrlcredd.com^$third-party -||shnoadlvpylf.com^$third-party -||shohabiymgjxdb.com^$third-party -||shthbopqoz.bid^$third-party -||shtkybxv.com^$third-party -||shvdvzydgryx.com^$third-party -||shxbqzirzonks.bid^$third-party -||shyyyxjw.com^$third-party -||siaiscphvghttd.com^$third-party -||sicpkohkcmt.com^$third-party -||sicteppojdwr.com^$third-party -||sihciabzm.com^$third-party -||sihjnaojbrs.com^$third-party -||sihmlqhicmzvx.com^$third-party -||siihxeeb.com^$third-party -||sijlnueeertd.com^$third-party -||sijsquplpjg.com^$third-party -||silrfbopbobw.com^$third-party -||sinyfqrmiqgd.com^$third-party -||siogczwibswm.com^$third-party -||siqcrwlrqjc.com^$third-party -||sirablivefbxul.bid^$third-party -||sisrgcvomn.com^$third-party -||sisyqzktimhrgo.com^$third-party -||siuhfvgambevyz.bid^$third-party -||siuletrtmkk.com^$third-party -||sivqblzejhx.com^$third-party -||siwtuvvgraum.com^$third-party -||sjgklyyyraghhrgimsepycygdqvezppyfjkqddhlzbimoabjae.com^$third-party -||sjgttcfj.com^$third-party -||sjkcufcpgzsno.bid^$third-party -||sjlgoazubflpcs.com^$third-party -||sjmwugmtfeuu.com^$third-party -||sjnfgvjizo.bid^$third-party -||sjpexaylsfjnopulpgkbqtkzieizcdtslnofpkafsqweztufpa.com^$third-party -||sjqpctsz.com^$third-party -||sjqskcctmv.com^$third-party -||sjtevvoviqhe.com^$third-party -||sjwdbzsa.com^$third-party -||skaulppmndy.bid^$third-party -||skcyigichh.com^$third-party -||skgnompyiusim.com^$third-party -||skhflncik.com^$third-party -||skknyxzaixws.com^$third-party -||sklulpbnbqf.bid^$third-party -||skoyuoqhcpxol.bid^$third-party -||sksalqvpoc.com^$third-party -||skspurybnv.com^$third-party -||sktmonpbfgxamj.bid^$third-party -||skzhfyqozkic.com^$third-party -||skzpsnpp.com^$third-party -||skzsukues.bid^$third-party -||sldtsvjnpwundn.bid^$third-party -||slekgfwlrwfmes.bid^$third-party -||slfxmsziv.bid^$third-party -||slgcheqbrmu.bid^$third-party -||slkuqvkhamt.bid^$third-party -||slkwhwontxavyt.bid^$third-party -||slmmjkkvbkyp.com^$third-party -||sloaltbyucrg.com^$third-party -||slurolen.com^$third-party -||slwclrwmruuxav.com^$third-party -||smapohsnoww.com^$third-party -||smhqmrxplvnx.com^$third-party -||smhyvyvnpzigir.com^$third-party -||smjdypbxapigu.bid^$third-party -||smnkyzqzfxk.com^$third-party -||smnpsburn.com^$third-party -||smpbzsjpk.com^$third-party -||smrqvdpgkbvz.com^$third-party -||smsbyoxarip.bid^$third-party -||smtuovnhxnn.bid^$third-party -||smudlbatfjbut.bid^$third-party -||smuucatbrc.com^$third-party -||smwrjtdzhg.com^$third-party -||smzvvqztihof.com^$third-party -||smzxkkyuinecwa.com^$third-party -||snaxbgzg.bid^$third-party -||sncpizczabhhafkzeifklgonzzkpqgogmnhyeggikzloelmfmd.com^$third-party -||snetddbbbgbp.com^$third-party -||snfhwcvdqxioj.com^$third-party -||snfqpqyecdrb.com^$third-party -||sngjaetjozyr.com^$third-party -||snhfjfnvgnry.com^$third-party -||snhfmewkai.bid^$third-party -||snhqkvmhcoh.com^$third-party -||snhuxhdjlxrd.bid^$third-party -||snjhhcnr.com^$third-party -||snpevihwaepwxapnevcpiqxrsewuuonzuslrzrcxqwltupzbwu.com^$third-party -||snrmqtnnlxdgdh.com^$third-party -||snsfjpes.com^$third-party -||snsgsqyv.com^$third-party -||snsyebgupi.bid^$third-party -||snxjlicc.com^$third-party -||snxvrnhe.com^$third-party -||sockjgaabayf.com^$third-party -||socxihke.bid^$third-party -||soehcsryxyd.com^$third-party -||soeovckk.com^$third-party -||sohdqpqlgis.com^$third-party -||soibuuqqhuyo.com^$third-party -||soiegibhwvti.com^$third-party -||soirqzccdtyk.com^$third-party -||sokanffuyinr.com^$third-party -||sopzefqypxas.bid^$third-party -||sosbyncpkyw.com^$third-party -||sossxjmotqqs.com^$third-party -||soszgtvox.bid^$third-party -||sovcbhem.bid^$third-party -||sovqylkbucid.com^$third-party -||sozdyrrtsvr.com^$third-party -||spbflxvnheih.com^$third-party -||spfrlpjmvkmq.com^$third-party -||sphjqakwuteg.com^$third-party -||spomwstrgood.com^$third-party -||spwssohsyqgq.com^$third-party -||sqcolqeo.com^$third-party -||sqcqnwykz.bid^$third-party -||sqmeqfffehg.bid^$third-party -||sqnezuqjdbhe.com^$third-party -||sqnkkpba.com^$third-party -||sqopuafrwvnouz.bid^$third-party -||sqsdyfgyjdjbx.com^$third-party -||sqtsuzrfefwy.com^$third-party -||sqwyxzrajzsxpx.com^$third-party -||sqyvhynwl.com^$third-party -||srbrdogg.bid^$third-party -||srfizvugkheq.com^$third-party -||srgszwexkpehb.com^$third-party -||srhovuokux.com^$third-party -||sriaqmzx.com^$third-party -||srizwhcdjruf.com^$third-party -||srkdunvxun.com^$third-party -||srksyzqzcetq.com^$third-party -||srlmbvfmvl.com^$third-party -||srmbifowhxaeqa.bid^$third-party -||srppykbedhqp.com^$third-party -||srtvohoivnrahq.bid^$third-party -||srxgnzdkjucr.com^$third-party -||ssallqcu.bid^$third-party -||ssdphmfduwcl.com^$third-party -||ssdsylfzav.com^$third-party -||sshvbkdyxprk.com^$third-party -||ssigftlcuc.com^$third-party -||ssjgkyyrqiwjol.com^$third-party -||ssjhkvwjoovf.com^$third-party -||ssloemwiszaz.com^$third-party -||ssmklfrn.bid^$third-party -||ssobmhpxnjjp.bid^$third-party -||ssowfsbps.bid^$third-party -||ssqzsdcnoqv.com^$third-party -||sssjohomoapt.com^$third-party -||ssuhghnjxbp.bid^$third-party -||ssvolkkihcyp.com^$third-party -||ssyhlymwyzou.com^$third-party -||ssyyeufsqbra.bid^$third-party -||stekcwrdwohbch.com^$third-party -||sthtrtvkkt.com^$third-party -||stkrwlodjvl.bid^$third-party -||stlbmyezzth.bid^$third-party -||stnvgvtwzzrh.com^$third-party -||stuthvygifup.com^$third-party -||stvayyokjvxnl.com^$third-party -||stwcozfiavhh.bid^$third-party -||sualzmze.com^$third-party -||sudolljkjzxdfc.com^$third-party -||sudvzfgrmt.com^$third-party -||sueolwxxosqch.com^$third-party -||sufjqebhmfo.bid^$third-party -||sufzmohljbgw.com^$third-party -||suhprdfb.bid^$third-party -||sukgtuksypr.com^$third-party -||sumizxwhfsrke.com^$third-party -||sumsmoxssy.com^$third-party -||sumvztfze.com^$third-party -||suonvyzivnfy.com^$third-party -||suqufucjzffhay.bid^$third-party -||sutzinjwnroui.com^$third-party -||suvkxcypywspux.bid^$third-party -||suvvihvbskvnii.com^$third-party -||suwadesdshrg.com^$third-party -||suywlxzbjtbib.com^$third-party -||svapqzplbwjx.com^$third-party -||svbsvbwci.com^$third-party -||svdmxetbyfyg.com^$third-party -||svdnqszxgucgd.com^$third-party -||svdsutdq.com^$third-party -||svfqoztfopv.com^$third-party -||svjloaomrher.com^$third-party -||svmtvfuok.com^$third-party -||svnhdfqvhjzn.com^$third-party -||svntdcuxobohs.com^$third-party -||svpubdwpaam.bid^$third-party -||svrsqqtj.com^$third-party -||swahobrjdddri.com^$third-party -||swckuwtoyrklhtccjuuvcstyesxpbmycjogrqkivmmcqqdezld.com^$third-party -||swclpfypife.bid^$third-party -||swcuxrfitmjfee.com^$third-party -||swegaiejcqfojl.com^$third-party -||swezbddhwcz.com^$third-party -||swfqsfewk.bid^$third-party -||swgvpkwmojcv.com^$third-party -||swkhaeiymk.bid^$third-party -||swmwgptzlgsc.com^$third-party -||swpopynngk.com^$third-party -||swrvnnelfyay.bid^$third-party -||swtwtbiwbjvq.com^$third-party -||swvyhuhnaht.bid^$third-party -||swxrxdej.com^$third-party -||swykcpfxkqvg.bid^$third-party -||swzizkjqe.bid^$third-party -||swzyfkbkdv.bid^$third-party -||sxbmvheosxb.bid^$third-party -||sxcivqfmlsvxo.bid^$third-party -||sxdpyazzofu.com^$third-party -||sxdrafgvll.bid^$third-party -||sxedqvvaxxj.com^$third-party -||sxgmppxfts.com^$third-party -||sxhpwsgdyhw.com^$third-party -||sxiyvcqnp.com^$third-party -||sxjhskptisd.com^$third-party -||sxlzcvqfeacy.com^$third-party -||sxmmgiuilt.com^$third-party -||sxprcyzcpqil.com^$third-party -||sxrwqytqajwpt.com^$third-party -||sxtzhwvbuflt.com^$third-party -||sxucahrsnam.bid^$third-party -||sxvqdslmbqyk.bid^$third-party -||sxzffgjzaohtf.com^$third-party -||syataqoszu.bid^$third-party -||sydhbmlmdxzd.com^$third-party -||sydnkqqscbxc.com^$third-party -||syfdkngkksn.bid^$third-party -||syfoauwvcwi.bid^$third-party -||syhfcveeizqp.bid^$third-party -||syhjnolp.com^$third-party -||syicirtpxosk.com^$third-party -||syidvbodcb.bid^$third-party -||syiwwswcbxk.bid^$third-party -||symydvmqjjp.com^$third-party -||syorlvhuzgmdqbuxgiulsrusnkgkpvbwmxeqqcboeamyqmyexv.com^$third-party -||syrnujjldljl.com^$third-party -||sywyknkojoj.bid^$third-party -||syxcbevp.com^$third-party -||syxojpztar.com^$third-party -||szjgylwamcxo.com^$third-party -||szlkqxlkcz.com^$third-party -||szltiojqs.bid^$third-party -||sznxdqqvjgam.com^$third-party -||szrojfkigof.bid^$third-party -||szuzlcmoak.com^$third-party -||szvzzuffxatb.com^$third-party -||szxkkefabenx.bid^$third-party -||szxnruaeuig.com^$third-party -||szyejlnlvnmy.com^$third-party -||szynlslqxerx.com^$third-party -||szywarceqeo.com^$third-party -||szzxtanwoptm.bid^$third-party -||szzzpqcuxqq.com^$third-party -||tabeduhsdhlkalelecelxbcwvsfyspwictbszchbbratpojhlb.com^$third-party -||tadaeizih.com^$third-party -||tadkozdgbyw.com^$third-party -||tadozqgv.com^$third-party -||taeadsnmbbkvpw.bid^$third-party -||taelsfdgtmka.com^$third-party -||tailpdulprkp.com^$third-party -||taljdzwer.com^$third-party -||tammfmhtfhut.com^$third-party -||tamqqjgbvbps.com^$third-party -||tamrczjeedauh.com^$third-party -||taoclfxgf.com^$third-party -||taodggarfrmd.com^$third-party -||tapihmxemcksuvleuzpodsdfubceomxfqayamnsoswxzkijjmw.com^$third-party -||taqesyqne.com^$third-party -||taqyljgaqsaz.com^$third-party -||tarxjwdkx.com^$third-party -||tasvjsmnegj.com^$third-party -||tawgiuioeaovaozwassucoydtrsellartytpikvcjpuwpagwfv.com^$third-party -||tawiqiauikutwo.com^$third-party -||tazvowjqekha.com^$third-party -||tbeouuheoyl.com^$third-party -||tbewvipgbgzal.com^$third-party -||tbhmqjpm.com^$third-party -||tbihymlvb.bid^$third-party -||tbisruladc.bid^$third-party -||tbjjzhkwfezt.com^$third-party -||tbkfmuvtzrwsw.com^$third-party -||tblaqgify.com^$third-party -||tbmwhcyfapzjre.com^$third-party -||tbnnsmwfjzttct.com^$third-party -||tbnyxepibups.com^$third-party -||tbogddyfxl.bid^$third-party -||tbrwhqnle.bid^$third-party -||tbrzzxyvkz.com^$third-party -||tbupszmmzn.com^$third-party -||tbwaaekocue.bid^$third-party -||tbxvgojzcbxpoc.com^$third-party -||tbyzeunvuh.com^$third-party -||tcdikyjqdmsb.com^$third-party -||tcgojxmwkkgm.com^$third-party -||tchmfzftuzxue.bid^$third-party -||tchqwqspwjeei.com^$third-party -||tckmsixzb.bid^$third-party -||tckofxwcaqts.com^$third-party -||tclarcrzfbceoo.com^$third-party -||tconifntowb.bid^$third-party -||tcovxxenhjke.com^$third-party -||tcrinrvfejjh.com^$third-party -||tcvdxlhxi.bid^$third-party -||tcwcsaddht.com^$third-party -||tcwkemlikooah.bid^$third-party -||tcxsonyfzb.bid^$third-party -||tcxygxdrv.com^$third-party -||tcyeyccspxod.com^$third-party -||tczvikamowfjte.com^$third-party -||tdgysmmdru.bid^$third-party -||tdjfxeavusdpci.com^$third-party -||tdjoaosibes.com^$third-party -||tdkvddqttcb.bid^$third-party -||tdqkxkopznf.bid^$third-party -||tdrcjxhcmmgeww.bid^$third-party -||tdrmwnjwnccws.com^$third-party -||tdrmyefiig.bid^$third-party -||tdsnpnyg.bid^$third-party -||tdukupzymgfb.bid^$third-party -||tdxqgpfkiye.bid^$third-party -||tdxuojiufz.bid^$third-party -||tedlrouwixqq.com^$third-party -||teefpagayhb.com^$third-party -||tefwraudu.bid^$third-party -||tehkvecryl.com^$third-party -||teipgupp.com^$third-party -||tektbzadrceqje.com^$third-party -||tepazmynhvo.com^$third-party -||teqceeivmpvv.com^$third-party -||tevrhhgzzutw.com^$third-party -||tevrzjuymzxpk.bid^$third-party -||tewoutrepozv.bid^$third-party -||tewycnrhnv.com^$third-party -||teyuzyrjmrdi.com^$third-party -||tfbzzigqzbax.com^$third-party -||tfdssnipmff.com^$third-party -||tfeywmqsle.com^$third-party -||tfhqxvakurom.bid^$third-party -||tfhuupltipcg.com^$third-party -||tfijbdegozfh.com^$third-party -||tfjfcvhvudxf.com^$third-party -||tflmiurze.bid^$third-party -||tfmfakhermpr.bid^$third-party -||tfnzqjjt.bid^$third-party -||tfokrtmrwlkzv.com^$third-party -||tfomaunqqmii.bid^$third-party -||tfqexqeldxjvet.com^$third-party -||tfqzkesrzttj.com^$third-party -||tftsbqbeuthh.com^$third-party -||tfttzgnpszrcf.bid^$third-party -||tftwmyrkbzkf.com^$third-party -||tfxorvbelxfbmk.com^$third-party -||tfyxcbougqvmk.com^$third-party -||tfyzarjzrovc.bid^$third-party -||tfzffzmbo.com^$third-party -||tgarmwltrlb.bid^$third-party -||tgdlekikqbdc.com^$third-party -||tgfehyikznu.bid^$third-party -||tgijoezvmvvl.com^$third-party -||tgjdebebaama.com^$third-party -||tgkcxtvryb.com^$third-party -||tgrmzphjmvem.com^$third-party -||tgrxxuwpvinoiy.bid^$third-party -||tgugqkjvinvgv.com^$third-party -||tgujinopirjgnn.com^$third-party -||tguzugtyoh.com^$third-party -||tgvedmttabgfvy.bid^$third-party -||tgyswiymvtxg.com^$third-party -||thaoxqlqcy.com^$third-party -||thbuhcnpt.com^$third-party -||thcumizbjxnp.bid^$third-party -||thibzxxtotyqg.bid^$third-party -||thivsxubn.com^$third-party -||thjlnyagmxrbt.com^$third-party -||thjuvpgdmjj.com^$third-party -||thncnkzupxwlbo.bid^$third-party -||thnqemehtyfe.com^$third-party -||thowytaoo.com^$third-party -||thpsflsjw.com^$third-party -||thqwivyhdpoem.com^$third-party -||thsfkcymkoce.com^$third-party -||thtlvguaqmkv.com^$third-party -||thvdzghlvfoh.com^$third-party -||thvrvojkkjkkpe.bid^$third-party -||thxdbyracswy.com^$third-party -||thzaiqqwsbpps.com^$third-party -||thzshxisa.bid^$third-party -||tibzpgmogjqa.com^$third-party -||ticpqxnv.com^$third-party -||tielsdhblnmiv.com^$third-party -||tiemuantodayus.bid^$third-party -||tienribwjswv.com^$third-party -||tifzusomh.com^$third-party -||tigzuaivmtgo.com^$third-party -||tihjxcxutox.bid^$third-party -||tijosnqojfmv.com^$third-party -||tikjbfpd.com^$third-party -||tikwglketskr.com^$third-party -||timonnbfad.bid^$third-party -||tinlgcmkslwio.bid^$third-party -||tiosmqhuuzb.bid^$third-party -||tiouqzubepuy.com^$third-party -||tiphkuloov.com^$third-party -||tiptwfbksobui.com^$third-party -||tirbxuopf.com^$third-party -||tiswsdusmdig.com^$third-party -||tiunnitm.bid^$third-party -||tivbpmwvqyyrjc.com^$third-party -||tivioyfstcdlce.com^$third-party -||tivlvdeuokwy.com^$third-party -||tixzeybm.com^$third-party -||tizbmrknb.com^$third-party -||tjaqsjnrvmt.com^$third-party -||tjbgiyek.com^$third-party -||tjblfqwtdatag.bid^$third-party -||tjdrxdsto.com^$third-party -||tjhcjhvzbto.bid^$third-party -||tjhjyiylc.com^$third-party -||tjkckpytpnje.com^$third-party -||tjkenzfnjpfd.com^$third-party -||tjkrhnwfuj.bid^$third-party -||tjnhsjxi.bid^$third-party -||tjpzulhghqai.com^$third-party -||tjrlwhge.com^$third-party -||tjsioyarnnxmj.com^$third-party -||tjtukeaszrqco.com^$third-party -||tjyoznaozivi.com^$third-party -||tjyzjtkutqvb.bid^$third-party -||tkarkbzkirlw.com^$third-party -||tkeeebdseixv.com^$third-party -||tkewsaesxhf.com^$third-party -||tkfsmiyiozuo.com^$third-party -||tkfusktjaok.bid^$third-party -||tkhoazslm.com^$third-party -||tkkfmqbisu.com^$third-party -||tkncbgwor.com^$third-party -||tkoatkkdwyky.com^$third-party -||tksljtdqkqxh.com^$third-party -||tktyinaabq.com^$third-party -||tldxywgnezoh.com^$third-party -||tlecwkrygjas.com^$third-party -||tlfloruou.com^$third-party -||tlhadcbtntr.com^$third-party -||tlijmtzosfhdsz.bid^$third-party -||tljikqcijttf.com^$third-party -||tlkcokqtmbgixf.bid^$third-party -||tlnoffpocjud.com^$third-party -||tlnrlrsquvcx.bid^$third-party -||tlnwnphf.bid^$third-party -||tlpwwloqryzu.com^$third-party -||tlzhxxfeteeimoonsegagetpulbygiqyfvulvemqnfqnoazccg.com^$third-party -||tlzovwtootkvbj.bid^$third-party -||tmblaeivephb.com^$third-party -||tmcvwyrqwyp.com^$third-party -||tmdbgmhh.com^$third-party -||tmdcfkxcckvqbqbixszbdyfjgusfzyguvtvvisojtswwvoduhi.com^$third-party -||tmexywfvjoei.com^$third-party -||tmffmrsa.com^$third-party -||tmfkuesmlpto.com^$third-party -||tmgcffep.bid^$third-party -||tmhgsorajits.com^$third-party -||tmhwggtg.bid^$third-party -||tmjavresvaqxly.bid^$third-party -||tmjpoimnbgltkn.com^$third-party -||tmkbpnkruped.com^$third-party -||tmkcofbjv.com^$third-party -||tmmpbkwnzilv.com^$third-party -||tmmpiibtfi.com^$third-party -||tmrhtbbhrfbx.bid^$third-party -||tmrsjdxavhjgww.com^$third-party -||tmtuohxkv.com^$third-party -||tmvwirgifkkdtn.bid^$third-party -||tmwhazsjnhip.com^$third-party -||tmwmigsb.com^$third-party -||tmxmckanu.com^$third-party -||tnacywet.com^$third-party -||tnbgycckfv.bid^$third-party -||tnbtghpbdvz.bid^$third-party -||tncexvzu.com^$third-party -||tnciaxgkfng.bid^$third-party -||tnhbbtpnq.bid^$third-party -||tnieplur.bid^$third-party -||tnjjkxhyai.com^$third-party -||tnkqfatbtlaw.com^$third-party -||tnkrspdmhdmrfn.bid^$third-party -||tnlfupvrlr.com^$third-party -||tnllizzqv.bid^$third-party -||tnlshxmc.com^$third-party -||tnmzfygctupqr.bid^$third-party -||tnpbbdrvwwip.com^$third-party -||tntqrmqfst.com^$third-party -||tnvghrlg.com^$third-party -||tnwjldvivhgr.com^$third-party -||tnxiuvjtplhhdy.com^$third-party -||tnyomnyezzz.bid^$third-party -||tnznswilqtni.com^$third-party -||tocotlkfjo.bid^$third-party -||toenwwsmam.com^$third-party -||toflvbkpwxcr.com^$third-party -||togfcqfvarpq.com^$third-party -||totvsaexihbe.com^$third-party -||touayfftdwcd.com^$third-party -||touraadhdnfgsa.com^$third-party -||tovkhtekzrlu.com^$third-party -||toyhxqjgqcjo.com^$third-party -||tpdowdhhn.com^$third-party -||tperkulpflry.bid^$third-party -||tpesjhkf.bid^$third-party -||tpfnibqjrpcj.com^$third-party -||tpgeooxrcp.com^$third-party -||tphwlmybvamq.com^$third-party -||tpjhxvondqzult.com^$third-party -||tpkpnyiaylp.com^$third-party -||tpmbgoiabxu.bid^$third-party -||tpmemhesupkn.bid^$third-party -||tpnaabdwy.com^$third-party -||tpnphooeqg.bid^$third-party -||tpranctof.com^$third-party -||tptfopotrzg.com^$third-party -||tpueomljcrvy.com^$third-party -||tpvprtdclnym.com^$third-party -||tpzukfqaqyxn.bid^$third-party -||tqcxtxglt.com^$third-party -||tqdarrhactqc.com^$third-party -||tqixovpneycfmk.com^$third-party -||tqlypenbt.com^$third-party -||tqmricveyxphfo.com^$third-party -||tqomajswbm.com^$third-party -||tqpkegddso.com^$third-party -||tqrtxfqvcxkjiv.com^$third-party -||tqssctwtiihwfs.bid^$third-party -||tqtoeonkw.bid^$third-party -||tqtqneoybxzpoh.com^$third-party -||tqwfafmh.bid^$third-party -||tqwuasyvwebt.bid^$third-party -||tqzvjmgftvtj.bid^$third-party -||trbucgmbren.com^$third-party -||trcbxjusetvc.com^$third-party -||trcrkykttaila.com^$third-party -||trdhjlszfbwk.com^$third-party -||trdmnpklszd.com^$third-party -||trgdwwhaa.com^$third-party -||tricsdqejmu.com^$third-party -||trjmgercl.com^$third-party -||trqbzsxnzxmf.com^$third-party -||trvposbevwxvo.bid^$third-party -||trwbkkxk.com^$third-party -||tsdzmkpewrdxyl.com^$third-party -||tsjnzilsuzoxm.bid^$third-party -||tskctmvpwjdb.com^$third-party -||tskdngwznw.bid^$third-party -||tslnxwzujrbfp.bid^$third-party -||tsmdmunzbtu.com^$third-party -||tsmwdhwvkaz.com^$third-party -||tsnkvlesphbmul.bid^$third-party -||tsptvvyema.bid^$third-party -||tssxnbuaxctjn.bid^$third-party -||tsuitufixxlf.com^$third-party -||tsupbmgacu.com^$third-party -||tsvqrrmq.com^$third-party -||tswhwnkcjvxf.com^$third-party -||tsybqlldfsstw.bid^$third-party -||ttdaxwrryiou.com^$third-party -||ttdrlihuqgklvc.com^$third-party -||ttdtuwbxgyveg.com^$third-party -||ttegjzxzxyetf.com^$third-party -||ttgvmqdpomt.com^$third-party -||ttgwyqmuhfhx.com^$third-party -||tthvomis.com^$third-party -||tthxqtogskzp.com^$third-party -||ttmnngecelky.bid^$third-party -||ttomktasfnqlg.com^$third-party -||ttqdlwzgpml.bid^$third-party -||ttskmaaf.com^$third-party -||ttulyfbkatyzp.com^$third-party -||ttwiehwr.bid^$third-party -||ttxqfeuiakgn.bid^$third-party -||ttyvbqif.bid^$third-party -||tudsawhfmutb.bid^$third-party -||tudsxyhpn.com^$third-party -||tufpmrcdc.com^$third-party -||tuggbdzprgudk.com^$third-party -||tujbidamlfrn.com^$third-party -||tujswypf.bid^$third-party -||tuldmgwvimgowg.com^$third-party -||tuliprfawfq.com^$third-party -||tumfvfvyxusz.com^$third-party -||tummiarunzpf.com^$third-party -||tupeodhhlcodt.com^$third-party -||turfmpnpiv.bid^$third-party -||turyvfzreolc.com^$third-party -||tusfzbkirabi.com^$third-party -||tuthokcb.com^$third-party -||tuxbpnne.com^$third-party -||tuxdipdej.com^$third-party -||tuxgnhcrhyugjf.com^$third-party -||tuxphjbzmjfuh.com^$third-party -||tuxzictbrqietq.com^$third-party -||tuzmouxn.com^$third-party -||tuzutvisi.com^$third-party -||tuzvjlqrpzpugj.com^$third-party -||tuzyaezlaoju.bid^$third-party -||tvammzkprvuv.com^$third-party -||tvbuqvjgqdrfb.bid^$third-party -||tvduznfdgim.com^$third-party -||tvesvlvse.com^$third-party -||tvevyrrrnbcbyk.com^$third-party -||tvexsjvxhb.bid^$third-party -||tvhyilwkn.com^$third-party -||tvjkilgfanpt.com^$third-party -||tvlubtrxcold.com^$third-party -||tvnetfcgpjq.bid^$third-party -||tvoykqiea.com^$third-party -||tvqmuysbnorks.bid^$third-party -||tvrfpkvotabukw.com^$third-party -||tvvnxcwqwzv.com^$third-party -||tvvozxml.com^$third-party -||tvwewigpqjj.com^$third-party -||tvxcesibr.bid^$third-party -||tvxpwhnrhsyfj.com^$third-party -||twchmlyexaku.bid^$third-party -||twdksbsyipqa.com^$third-party -||twdsaqqrzbowom.com^$third-party -||twfcqnqggx.com^$third-party -||twfilnym.com^$third-party -||twfzouvm.com^$third-party -||twhsmftwybkfn.bid^$third-party -||twiyetehf.com^$third-party -||twjboytcwutbrt.com^$third-party -||twjgylzydlhz.com^$third-party -||twmeccosyivi.com^$third-party -||twmvjfatla.com^$third-party -||twngyyzvhzaqtj.com^$third-party -||twnkpjhbgcp.com^$third-party -||twnrkedqefhv.com^$third-party -||twuiebkcnvr.com^$third-party -||twvmqhjjgj.com^$third-party -||twwkliuxoidxxa.bid^$third-party -||twyzufga.bid^$third-party -||twzfqxmt.com^$third-party -||txbvzcyfyyoy.com^$third-party -||txculuvxznldwa.bid^$third-party -||txdnlclxij.bid^$third-party -||txgklvrqjfubzn.bid^$third-party -||txjzxbykbaflu.bid^$third-party -||txknowcznfp.bid^$third-party -||txvivugnikdq.com^$third-party -||txvsifff.com^$third-party -||txvxzkwyelnvb.bid^$third-party -||txwdabikzvw.com^$third-party -||txwnwvhkbtzb.com^$third-party -||txwvuadjcknuj.bid^$third-party -||txwzdalmamma.com^$third-party -||txyxoktogdcy.com^$third-party -||txyylwegpdfsda.com^$third-party -||tyavjmvuvygs.com^$third-party -||tyccaweownne.com^$third-party -||tyllfqbmny.com^$third-party -||tylzbdkjsjig.com^$third-party -||tyoaclrjeb.com^$third-party -||tytkuibh.com^$third-party -||tytzcsgxpaywui.bid^$third-party -||tyuawmgqsbz.com^$third-party -||tyvtfohnwmpu.bid^$third-party -||tyxihxxtpumgm.bid^$third-party -||tyxnmpfi.bid^$third-party -||tyxznbghnfkvb.com^$third-party -||tyyrigtlkny.com^$third-party -||tyzfzrjaxxcg.com^$third-party -||tzbdudhsip.com^$third-party -||tzcgpmqij.com^$third-party -||tzelsvxtjvy.com^$third-party -||tzexcretyodzt.bid^$third-party -||tzfywuot.com^$third-party -||tzgmdsdjmv.bid^$third-party -||tzhnxsmtdj.com^$third-party -||tzjngascinro.com^$third-party -||tzjrmfipwurtc.com^$third-party -||tzlijsurxh.bid^$third-party -||tzwcaamgd.bid^$third-party -||tzyvolvenvyim.com^$third-party -||uaaholcdcx.bid^$third-party -||uabdikmdwqdbr.com^$third-party -||uabicxuyovh.com^$third-party -||uaclvtrcno.bid^$third-party -||uaczwcws.com^$third-party -||uafgymcern.com^$third-party -||uaiilmuujsu.com^$third-party -||uaiowafphhb.com^$third-party -||ualobhbpjbjtm.bid^$third-party -||uamfjudim.bid^$third-party -||uamgajydnv.com^$third-party -||uaneklzqph.com^$third-party -||uanomwcxixed.com^$third-party -||uaofcvzlhhh.com^$third-party -||uaolighevmjy.com^$third-party -||uavqdzorwish.com^$third-party -||uaxdkesuxtvu.com^$third-party -||uazyqjztrhi.bid^$third-party -||ubazpxeafwjr.com^$third-party -||ubdudsdfcll.com^$third-party -||ubecybzqf.bid^$third-party -||ubgzicuglk.com^$third-party -||ubhzahnzujqlvecihiyukradtnbmjyjsktsoeagcrbbsfzzrfi.com^$third-party -||ubiqqzmldivih.bid^$third-party -||ubjapvhzffdreq.com^$third-party -||ubjnuclsgxu.com^$third-party -||ubktdzjnjkpon.com^$third-party -||ubliwesgzq.bid^$third-party -||ubnmyycf.bid^$third-party -||ubopxbdwtnlf.com^$third-party -||ubpjjgso.com^$third-party -||ubpurlsu.com^$third-party -||ubusbjjd.com^$third-party -||ubvscbxtal.com^$third-party -||ubvyjgbdiq.com^$third-party -||ubwzawpqlsk.com^$third-party -||ubwzlpjxgnlgl.bid^$third-party -||ubxtoqsqusyx.com^$third-party -||uccgdtmmxota.com^$third-party -||ucczuwzqfrqqgu.bid^$third-party -||uceqxvjwnxksdq.bid^$third-party -||ucflpjvvyaww.bid^$third-party -||ucfwicndme.com^$third-party -||uchiytqiuir.com^$third-party -||ucikujit.bid^$third-party -||uckxjsiy.com^$third-party -||uclftpjqdnvvz.bid^$third-party -||uclylhzwg.com^$third-party -||ucozssymgw.com^$third-party -||ucptqdmerltn.com^$third-party -||ucvrtwfh.com^$third-party -||ucxgfoqrbk.com^$third-party -||ucxnfyadx.com^$third-party -||uczaqrjgkztxe.com^$third-party -||uczxsaxdlpedxl.bid^$third-party -||udbmqqkl.bid^$third-party -||udbtmvuoncdtrg.com^$third-party -||udbwpgvnalth.com^$third-party -||udcufwvt.com^$third-party -||udrwyjpwjfeg.com^$third-party -||udvbtgkxwnap.com^$third-party -||udvysuucqgadg.com^$third-party -||uebavnacbjbr.bid^$third-party -||uebcqdgigsid.com^$third-party -||uebkmtpsfvgvfx.com^$third-party -||uebyotcdyshk.com^$third-party -||uecjpplzfjur.com^$third-party -||uehdljkrsfaa.bid^$third-party -||uehtuvguuf.com^$third-party -||uejnzoaayhr.com^$third-party -||uembrcfeuwtsjy.com^$third-party -||uemjnvyn.com^$third-party -||uenpibqyjvim.com^$third-party -||ueosdjscxucj.com^$third-party -||uepsvcyxxrbs.bid^$third-party -||ueptzgugtxis.com^$third-party -||uerhhgezdrdi.com^$third-party -||uerladwdpkge.com^$third-party -||uescuqejoirsh.com^$third-party -||uetqkude.com^$third-party -||ueutwxdypf.bid^$third-party -||uewejiuqwqx.com^$third-party -||uezxmehb.com^$third-party -||ufelatujvbhtbo.com^$third-party -||ufgtddsuhlo.com^$third-party -||ufkdsnlvxoqw.com^$third-party -||ufmnicckqyru.com^$third-party -||ufnozeotbqsn.com^$third-party -||ufnzapqvrbyx.com^$third-party -||ufptmejous.com^$third-party -||ufrbfvelweoy.com^$third-party -||ufrzvzpympib.com^$third-party -||ufugfbtpp.com^$third-party -||ugbmcjmpapeo.bid^$third-party -||ugfxrrqz.bid^$third-party -||ugkppchlelde.com^$third-party -||ugobgzeiel.com^$third-party -||ugoptxnm.com^$third-party -||ugvcpwyplnj.bid^$third-party -||ugvdjzysvfivy.com^$third-party -||ugwctmus.bid^$third-party -||ugwkyqdbmpwbbi.com^$third-party -||ugxqfkslreop.bid^$third-party -||ugxyemavfvlolypdqcksmqzorlphjycckszifyknwlfcvxxihx.com^$third-party -||ugyymqcxyoi.bid^$third-party -||ugzpvflxa.com^$third-party -||uhavijwye.bid^$third-party -||uhbhfwqtbr.bid^$third-party -||uhboiygnytbql.com^$third-party -||uhccvnxi.com^$third-party -||uhfqrxwlnszw.com^$third-party -||uhgnxrkhoi.bid^$third-party -||uhicnlmab.com^$third-party -||uhkgydsvc.bid^$third-party -||uhnuskfd.bid^$third-party -||uhpdodqzxewhcv.com^$third-party -||uhvbjjse.com^$third-party -||uhyyacioq.com^$third-party -||uicybyysyllad.com^$third-party -||uietsotq.bid^$third-party -||uigruwtql.com^$third-party -||uihzulkvmdgv.com^$third-party -||uilknldyynwm.com^$third-party -||uilwbcwxgq.bid^$third-party -||uimrmuoztkoia.com^$third-party -||uipjeyipoumf.com^$third-party -||uiqefowmmxciwe.com^$third-party -||uisdjvwytl.com^$third-party -||uisrihozphejjt.com^$third-party -||uiydukxbls.bid^$third-party -||uiyeiafffdex.com^$third-party -||ujdctbsbbimb.com^$third-party -||ujebryyesbeymm.bid^$third-party -||ujjotriglqpkjh.com^$third-party -||ujlpbcsx.com^$third-party -||ujocmihdknwj.com^$third-party -||ujpakyfu.com^$third-party -||ujqafhcsrhyz.com^$third-party -||ujqbxbcqtbqt.com^$third-party -||ujrfwuzv.com^$third-party -||ujrtwvabum.com^$third-party -||ujtyosgemtnx.com^$third-party -||ujuqvalvvvof.com^$third-party -||ujwdwwfuqcgnv.com^$third-party -||ujyyciaedxqr.com^$third-party -||ujzeqfkeilro.com^$third-party -||ukbhtzbxqzzqp.bid^$third-party -||ukbxppjxfgna.com^$third-party -||ukdjbubvp.com^$third-party -||ukffjaqtxhor.com^$third-party -||ukjrbrvisps.bid^$third-party -||ukjsibgu.com^$third-party -||ukjzdydnveuc.com^$third-party -||ukksghzwxha.com^$third-party -||ukngpcuyc.com^$third-party -||uknlxuxflvlw.com^$third-party -||ukolwxqopahb.com^$third-party -||ukpdcsfermd.com^$third-party -||ukrzsrrydyysim.com^$third-party -||ukvkloytfaw.bid^$third-party -||ukxeudykhgdi.com^$third-party -||ukxpwwdnnbmqzu.bid^$third-party -||ulbriabm.com^$third-party -||uldwcpscwzkis.com^$third-party -||ulffbcunqnpv.com^$third-party -||ulhokncmea.bid^$third-party -||ullariwoi.com^$third-party -||ulnpoxaxici.bid^$third-party -||uloiugxpg.com^$third-party -||uloywtmpqskx.com^$third-party -||ulpxnhiugynh.com^$third-party -||ulrryqpp.com^$third-party -||ultjaimlrjlfl.com^$third-party -||ulwsjpfxwniz.com^$third-party -||ulyppmnm.bid^$third-party -||umafkdswjuwz.bid^$third-party -||umaglven.com^$third-party -||umboffikfkoc.com^$third-party -||umffsefd.bid^$third-party -||umjdbaog.bid^$third-party -||umnsvtykkptl.com^$third-party -||umqgdhsm.bid^$third-party -||umqhjmowzjrl.com^$third-party -||umqsrvdg.com^$third-party -||umrehhye.com^$third-party -||umswxgeedbaoa.bid^$third-party -||umvgcqaxmie.com^$third-party -||umwsjnsvfzuo.com^$third-party -||umxzhxfrrkmt.com^$third-party -||umybobusjo.com^$third-party -||umzrccpfbnuu.com^$third-party -||uncumlzowtkn.com^$third-party -||undoxiraqm.com^$third-party -||unewqmemh.bid^$third-party -||unexqnotmzyf.com^$third-party -||unfdjwel.com^$third-party -||unffpgtoorpz.com^$third-party -||ungvncbnx.bid^$third-party -||unikmmqybjy.com^$third-party -||unkrokwhwn.com^$third-party -||unlupxiky.bid^$third-party -||unmdrnuzgel.com^$third-party -||unrbpcqmiybu.com^$third-party -||unrzhgdly.com^$third-party -||unwlrtefzfzj.bid^$third-party -||unxuwvntk.com^$third-party -||unyhjoehc.com^$third-party -||unztsvrjofqp.com^$third-party -||uoapkzwkoqnk.com^$third-party -||uoarbhxfyygn.com^$third-party -||uoccvsdh.com^$third-party -||uohpnvpynvsz.com^$third-party -||uoicsyuiof.com^$third-party -||uoifloesog.com^$third-party -||uokehbea.bid^$third-party -||uonbbttwys.bid^$third-party -||uoottsfgy.com^$third-party -||uopayiycy.com^$third-party -||uopzeuilt.bid^$third-party -||uoqhigwxrzplg.bid^$third-party -||uorhedemxtni.com^$third-party -||uoxbotvrs.bid^$third-party -||uoypqskiemf.bid^$third-party -||uoyznzsggodnl.com^$third-party -||upckrtagwpwk.com^$third-party -||upcokvzuupn.bid^$third-party -||upgwdilkhlwguz.bid^$third-party -||uppybbhxbblxa.com^$third-party -||uprbleorptdghy.com^$third-party -||upzpyrsvvxpoey.com^$third-party -||uqbxjdeeq.com^$third-party -||uqbxznftv.com^$third-party -||uqemcyylvcdrgs.com^$third-party -||uqgloylf.com^$third-party -||uqhqcoezkn.com^$third-party -||uqhtuahgfmcx.com^$third-party -||uqihbnpqtwwzdv.com^$third-party -||uqmkkfaoqnnmlx.com^$third-party -||uqoboyvqsqpy.com^$third-party -||uqouplgwlmeqt.com^$third-party -||uqpotqld.com^$third-party -||uqqgyniatjtf.com^$third-party -||uqyirvghv.com^$third-party -||uqzhfziupi.bid^$third-party -||urfdvrrg.com^$third-party -||urhvlgfnbdhlf.com^$third-party -||urijswfbgh.com^$third-party -||urikbkwiwy.bid^$third-party -||urjbglpktn.com^$third-party -||urpscavikbyv.com^$third-party -||urptvbryjgs.bid^$third-party -||urqctaruhm.bid^$third-party -||urqxrzrphsga.com^$third-party -||urtbxola.bid^$third-party -||urtcjxuoz.com^$third-party -||urwvswik.bid^$third-party -||urxdodnj.com^$third-party -||uryvzhvgpulaog.com^$third-party -||usaowwbxa.com^$third-party -||usclxdvvvnkdrv.com^$third-party -||uscvlpjeaggyq.com^$third-party -||usdlgonjnzpu.com^$third-party -||usfakdxuo.bid^$third-party -||usfmamdapvmfs.com^$third-party -||usfmwydo.com^$third-party -||ushqvpdtwoecis.com^$third-party -||uslbqxwum.bid^$third-party -||usmyfgrdv.bid^$third-party -||usnhsilyntf.bid^$third-party -||usoqghurirvz.com^$third-party -||uspddemi.com^$third-party -||uspsqjivl.bid^$third-party -||usrvgxowmn.com^$third-party -||ussscmqkjtfsx.com^$third-party -||usuanyzr.bid^$third-party -||usvgzajftrzkr.com^$third-party -||uswgkadyika.com^$third-party -||usymycvrilyt.com^$third-party -||uszpxpcoflkl.com^$third-party -||utbclxmcv.com^$third-party -||utfffrxmzuvy.com^$third-party -||uthifuehb.com^$third-party -||utiiamqdsku.com^$third-party -||utjwhrahb.bid^$third-party -||utjznnqgd.com^$third-party -||utlpwxdt.com^$third-party -||utmcttmdaoqd.com^$third-party -||utnkeaqurjca.com^$third-party -||utuqrzwg.com^$third-party -||utvxgpmcnaq.com^$third-party -||utwhgyjgjw.bid^$third-party -||utxatnjs.com^$third-party -||utyhzjbwfyrz.bid^$third-party -||utyrqbgrmoxs.com^$third-party -||utyynepwwnl.com^$third-party -||utzhcsrzrlhhxn.com^$third-party -||utzpjbrtyjuj.com^$third-party -||uuaajohul.com^$third-party -||uuacjdostjloa.bid^$third-party -||uubxhbwnwmfqp.com^$third-party -||uuiqhzpvfql.com^$third-party -||uukqjcucva.com^$third-party -||uupjizxqf.bid^$third-party -||uupqrsjbxrstncicwcdlzrcgoycrgurvfbuiraklyimzzyimrq.com^$third-party -||uuproxhcbcsl.com^$third-party -||uutfeuxmqdvdp.com^$third-party -||uuvqkppicm.com^$third-party -||uuvwcjtppeonfq.com^$third-party -||uuwoktwdmo.bid^$third-party -||uuzjerqlmxnosw.com^$third-party -||uvakjjlbjrmx.com^$third-party -||uvcvhcbvy.bid^$third-party -||uvffdmlqwmha.com^$third-party -||uvjvnbitjmvzgk.com^$third-party -||uvlyzxml.com^$third-party -||uvmsfffedzzw.com^$third-party -||uvniygdwmoojfm.com^$third-party -||uvomthuqsqx.com^$third-party -||uvppdseel.com^$third-party -||uvstluoomeys.bid^$third-party -||uvxaafcozjgh.com^$third-party -||uvyascqbm.bid^$third-party -||uvyfszshvgassp.com^$third-party -||uvzfodimtska.com^$third-party -||uwdawnsge.bid^$third-party -||uwfvuohbac.com^$third-party -||uwidtpjwh.com^$third-party -||uwjczdkytwyhzh.com^$third-party -||uwkwhedvie.com^$third-party -||uwnklfxurped.com^$third-party -||uwpmwpjlxblb.com^$third-party -||uwqrwgxxkaoydo.com^$third-party -||uwrpquqrmi.bid^$third-party -||uwrzafoopcyr.com^$third-party -||uwwqyltgag.bid^$third-party -||uwxldrvqyk.com^$third-party -||uxferkyskxont.bid^$third-party -||uxibiysrllgnn.com^$third-party -||uxjekaexjsxe.bid^$third-party -||uxkkltrrxlowzo.com^$third-party -||uxlkeovekhbs.com^$third-party -||uxmskpwnsmzlro.bid^$third-party -||uxnssjly.com^$third-party -||uxokueepol.bid^$third-party -||uxrvjeyyj.com^$third-party -||uxvbvwelamufit.bid^$third-party -||uxvtglgbeshxn.bid^$third-party -||uxwruhzmztyfr.bid^$third-party -||uxxtokvw.com^$third-party -||uxyofgcf.com^$third-party -||uxzrpvtqv.bid^$third-party -||uyajpfaw.bid^$third-party -||uyblkzhkbgx.bid^$third-party -||uybpcwvnmkz.bid^$third-party -||uyeitlxsham.bid^$third-party -||uyeluxauiq.com^$third-party -||uyfsqkwhpihm.com^$third-party -||uyfudwfqfk.bid^$third-party -||uyhjoalu.bid^$third-party -||uyiqmcfidci.bid^$third-party -||uymxsbbh.com^$third-party -||uyojmlzpk.bid^$third-party -||uypeevqdjnbtfc.bid^$third-party -||uyqzlnmdtfpnqskyyvidmllmzauitvaijcgqjldwcwvewjgwfj.com^$third-party -||uyrmpnojgzi.com^$third-party -||uytabzmvei.com^$third-party -||uyusewjlkadj.com^$third-party -||uyxjfkgudefv.com^$third-party -||uyxjnuqbti.com^$third-party -||uyznjuyfyjc.com^$third-party -||uzagahwfnt.com^$third-party -||uzbboiydfzog.com^$third-party -||uzbciwrwzzhs.com^$third-party -||uzesptwcwwmt.com^$third-party -||uzikrtotjbnq.com^$third-party -||uzkkocgdasr.bid^$third-party -||uzlleehrsmibli.com^$third-party -||uzmmpskwon.com^$third-party -||uzmsexugrqz.com^$third-party -||uzpvacvhdssq.com^$third-party -||uzqptkclvcaa.com^$third-party -||uzqtaxiorsev.com^$third-party -||uzreuvnlizlz.com^$third-party -||uzrrqqzlktpymn.com^$third-party -||uzsywcdthqplzv.bid^$third-party -||uzvjymcnwngwau.bid^$third-party -||uzvuhhyymmkc.com^$third-party -||uzwweczttqlayd.com^$third-party -||uzxbnlwauycnp.bid^$third-party -||uzxyqxolrc.com^$third-party -||uzxzkkyzb.com^$third-party -||uzylpwfamhcb.com^$third-party -||uzzhylmprb.bid^$third-party -||vacnuuitxqot.com^$third-party -||vadfygtg.bid^$third-party -||vadqibvk.com^$third-party -||vaeucrdlulu.bid^$third-party -||vafmypxwomid.com^$third-party -||vaghwpbslvbu.com^$third-party -||vagttuyfeuij.com^$third-party -||vahtbhufjkna.com^$third-party -||vahufapave.com^$third-party -||vajiyqbb.com^$third-party -||vaksyrgpkz.com^$third-party -||valpkwew.com^$third-party -||vamuglchdpte.com^$third-party -||vanibwlu.bid^$third-party -||vaoajrwmjzxp.com^$third-party -||vapgfhsecbit.com^$third-party -||vaqkvpbtia.com^$third-party -||vasfxpribls.com^$third-party -||vaslssynz.com^$third-party -||vatytxdw.com^$third-party -||vauwjladxhpx.bid^$third-party -||vavdmrnsrxfgjl.com^$third-party -||vawlydqyujwmha.com^$third-party -||vbbmesayhzw.bid^$third-party -||vbdrzplqtgk.com^$third-party -||vbehjwhcbhtg.com^$third-party -||vbfjqnvw.bid^$third-party -||vbguaqweaif.com^$third-party -||vbiudrdieouauc.com^$third-party -||vbjpddtj.com^$third-party -||vbjvbjertwov.com^$third-party -||vbjwswnic.bid^$third-party -||vblunqrovanf.com^$third-party -||vbmvbljjer.bid^$third-party -||vbnvvzedvgx.com^$third-party -||vbqcwfleda.com^$third-party -||vbskcvjdabdp.com^$third-party -||vbuhzjnj.com^$third-party -||vbupfouyymse.com^$third-party -||vbuqjdyrsrvi.com^$third-party -||vbwakfbazxd.com^$third-party -||vbwfqaisbgn.com^$third-party -||vbxrcekqkmrzyd.com^$third-party -||vbyefnnrswpn.com^$third-party -||vcavpwzzx.bid^$third-party -||vcdtowafqibekr.com^$third-party -||vcegsisugrwd.bid^$third-party -||vcfnspbgztl.com^$third-party -||vcgbtlktbagb.com^$third-party -||vcgcqbpk.com^$third-party -||vcgyhvgkcknlx.bid^$third-party -||vcjbxucwrprtu.com^$third-party -||vclmcskuvdps.bid^$third-party -||vcmosyicygejth.com^$third-party -||vcvapkiua.com^$third-party -||vcwdjbbughuy.com^$third-party -||vcwrigdrnh.com^$third-party -||vcxoizuwy.com^$third-party -||vcxqcjov.com^$third-party -||vcyxvhxysl.com^$third-party -||vczprcezg.com^$third-party -||vdawecpymih.bid^$third-party -||vdbasihbxwea.com^$third-party -||vddhkbxeutjr.com^$third-party -||vdfoejtqimcgog.com^$third-party -||vdhmatjdoyqt.com^$third-party -||vdknliitqoe.bid^$third-party -||vdldsjqxppi.com^$third-party -||vdlvaqsbaiok.com^$third-party -||vdnwtglxprwx.com^$third-party -||vdojdljult.bid^$third-party -||vdpybqqnewhbb.bid^$third-party -||vdpyueivvsuc.com^$third-party -||vdqarbfqauec.com^$third-party -||vdqgeivta.bid^$third-party -||vdrpwkycbla.com^$third-party -||vdtaajlfocecy.com^$third-party -||vdumpcunfa.com^$third-party -||vduswjwfcexa.com^$third-party -||vduyikffas.bid^$third-party -||vdvmpzqmpsswu.bid^$third-party -||vdvylfkwjpvw.com^$third-party -||vdxfpuikz.bid^$third-party -||vdyqcdxqvebl.com^$third-party -||veancalta.bid^$third-party -||vebubhzj.com^$third-party -||veedjtyvhn.com^$third-party -||veehdmymwvvexv.com^$third-party -||veeqneifeblh.com^$third-party -||vegiqjbranp.com^$third-party -||vegmvagvesye.com^$third-party -||vehvkcnild.bid^$third-party -||vejlbuixnknc.com^$third-party -||vejrnvdsrvrbij.bid^$third-party -||vekuridufq.com^$third-party -||velfssiowmyos.com^$third-party -||velzqrqrucvmqc.com^$third-party -||vemrhavwgchp.com^$third-party -||veoujrnenng.com^$third-party -||vepatyei.com^$third-party -||vepcsswlpolz.com^$third-party -||vertvshonf.com^$third-party -||veswrzdcvcdooh.bid^$third-party -||vevjbdxyththv.bid^$third-party -||vevlcnvy.bid^$third-party -||vewpwrqebmwu.com^$third-party -||veytkljszaoutc.com^$third-party -||vezipelsr.com^$third-party -||vfasewomnmco.com^$third-party -||vfayoytjil.bid^$third-party -||vfbdtfucvlxi.bid^$third-party -||vfedpgmaxxkug.com^$third-party -||vffyvridwaa.com^$third-party -||vfgbeaayncdya.com^$third-party -||vfhcrxlfm.com^$third-party -||vfkfctmtgrtq.com^$third-party -||vfkuauks.com^$third-party -||vfkwaaqc.com^$third-party -||vfmzddpaznanf.bid^$third-party -||vfnemtpehzmzwc.com^$third-party -||vfnvsvxlgxbvndhgqqohfgdcfprvxqisiqhclfhdpnjzloctny.com^$third-party -||vfonfnazs.bid^$third-party -||vfqkonyxf.com^$third-party -||vfsmtbtqducat.com^$third-party -||vfstdqercaffu.com^$third-party -||vfugvqbamwcjwz.bid^$third-party -||vfvbarhywkjsf.com^$third-party -||vfvjddae.bid^$third-party -||vfvufciozajzpy.com^$third-party -||vfwazmnubbtabc.com^$third-party -||vfwweckjug.bid^$third-party -||vgbvsduys.com^$third-party -||vgckzqudqhfr.com^$third-party -||vgfeahkrzixa.com^$third-party -||vgfoaxddf.bid^$third-party -||vgjawpqjn.com^$third-party -||vgjwkjinwkud.com^$third-party -||vglpukrekfij.com^$third-party -||vgmrqurgxlimcawbweuzbvbzxabsfuuxseldfapjmxoboaplmg.com^$third-party -||vgogzrukn.com^$third-party -||vgomgphs.bid^$third-party -||vgqwwfkkgvufn.bid^$third-party -||vgrguzpcpc.bid^$third-party -||vgtnbvzkepbm.com^$third-party -||vgudvdgzix.bid^$third-party -||vgwdepvhkiu.bid^$third-party -||vgyakiejafjjj.com^$third-party -||vhatpbmitwcn.com^$third-party -||vhbyakilp.com^$third-party -||vhctcywajcwv.com^$third-party -||vhdvllhgyrjy.com^$third-party -||vhiaxerjzbqi.com^$third-party -||vhiuhrwapdirpu.com^$third-party -||vhjgxutx.bid^$third-party -||vhjygupbyf.bid^$third-party -||vhlnpaaxxxz.com^$third-party -||vhlsrzyt.bid^$third-party -||vhpqxkhvjgwx.com^$third-party -||vhscigqpwe.com^$third-party -||vhuhrhowm.com^$third-party -||vhuveukirbuz.com^$third-party -||vhwuphctrfil.com^$third-party -||vhzgmzakn.com^$third-party -||vhzzzbdtxhh.bid^$third-party -||vickgdkdrwpdt.com^$third-party -||vicofhozbuaf.com^$third-party -||vigdxlpecmv.com^$third-party -||vigrjuksi.bid^$third-party -||vimenhhpqnb.com^$third-party -||vimhuspifwyy.com^$third-party -||vimlsrcfgjyr.bid^$third-party -||vinfazjrdmh.com^$third-party -||viphdsrlec.com^$third-party -||viqfxgmgacxv.com^$third-party -||viqmadjqndqkm.com^$third-party -||virgbmkmear.com^$third-party -||viurihkwo.com^$third-party -||vivcdctagoij.com^$third-party -||vivetivcuggz.com^$third-party -||viwsqbbvfknp.com^$third-party -||vixqjiypv.com^$third-party -||viysseop.bid^$third-party -||vizsvhgfkcli.com^$third-party -||vjcewkcjqu.com^$third-party -||vjfkglkztcz.com^$third-party -||vjgfelirts.bid^$third-party -||vjgyxegvfrhthq.com^$third-party -||vjjoarpmzb.bid^$third-party -||vjltrbzrtqmkib.com^$third-party -||vjmoisjmh.bid^$third-party -||vjoytzia.com^$third-party -||vjqshoyjxwk.com^$third-party -||vjrpdagpjwyt.com^$third-party -||vjvoahcty.bid^$third-party -||vjwjjytlbqhvmb.bid^$third-party -||vjwmtavlnvjdu.bid^$third-party -||vjyzfgwkzp.com^$third-party -||vjzcgotoy.com^$third-party -||vjzqadxswfb.bid^$third-party -||vjzqmbcx.com^$third-party -||vjzttumdetao.com^$third-party -||vkarvfrrlhmv.com^$third-party -||vkasuqsswc.com^$third-party -||vkbftstazhjgdx.com^$third-party -||vkdbvgcawubn.com^$third-party -||vkhrnisuky.com^$third-party -||vkqfzlpowalv.com^$third-party -||vkrgljxqn.com^$third-party -||vkywqkbmdkmmg.com^$third-party -||vkzziiuqacv.com^$third-party -||vlaqqdwltcuk.com^$third-party -||vletnguozhvm.com^$third-party -||vlgqpikka.com^$third-party -||vlhdmywfi.com^$third-party -||vlijpebmjxmlbp.bid^$third-party -||vlivfbpuxmls.bid^$third-party -||vlkdntgqqfjusm.com^$third-party -||vllwccvw.com^$third-party -||vlnveqkifcpxdosizybusvjqkfmowoawoshlmcbittpoywblpe.com^$third-party -||vlpufjkwpmjhbn.com^$third-party -||vlrzhoueyoxw.com^$third-party -||vlscykmnd.com^$third-party -||vltjkelvgvj.com^$third-party -||vltrkltuqe.bid^$third-party -||vltvhssjbliy.com^$third-party -||vlufledr.bid^$third-party -||vlvowhlxxibn.com^$third-party -||vlwdjmvhf.com^$third-party -||vlxgszdgmnay.com^$third-party -||vlyqzdsucomih.com^$third-party -||vlyuopulvewg.com^$third-party -||vmbkadalzr.bid^$third-party -||vmcpydzlqfcg.com^$third-party -||vmebrrdrtmiaan.bid^$third-party -||vmftwflt.com^$third-party -||vmfvmwqdkfdfh.bid^$third-party -||vmhadwuuj.com^$third-party -||vmkjxdahnfywwi.bid^$third-party -||vmmmofwusn.com^$third-party -||vmmphpamtigpbi.com^$third-party -||vmojhghwpsuy.com^$third-party -||vmqbifesgqs.com^$third-party -||vmrsmnrvzh.com^$third-party -||vmtaqxsf.bid^$third-party -||vmtwnkpskok.com^$third-party -||vmvhmwppcsvd.com^$third-party -||vmvuptdijjwi.com^$third-party -||vmyvsltb.com^$third-party -||vmyzwzgggbcp.com^$third-party -||vnadjbcsxfyt.com^$third-party -||vncvownr.bid^$third-party -||vndfakned.com^$third-party -||vndrcewnard.com^$third-party -||vnekbyzxamo.bid^$third-party -||vnfdwoljzoaer.com^$third-party -||vnhcxditnodg.com^$third-party -||vnkydhnyjed.com^$third-party -||vnlqgiuul.com^$third-party -||vnmcbzhfcdjxt.bid^$third-party -||vnnqiqzcslnh.bid^$third-party -||vnoeiemdhqf.com^$third-party -||vnptobld.bid^$third-party -||vntcxqxuqki.com^$third-party -||vnufxjwndhsfbj.com^$third-party -||vnyginzinvmq.com^$third-party -||vnzlgmfd.com^$third-party -||voaalhaobdl.com^$third-party -||vodbordnhhemq.com^$third-party -||vodhaqaujopg.com^$third-party -||vokskdqa.com^$third-party -||voksuksb.bid^$third-party -||vokvlthjzt.bid^$third-party -||volleqgoafcb.com^$third-party -||volyncftzhw.bid^$third-party -||vomhhsovuu.bid^$third-party -||voqdswwgrheo.com^$third-party -||vouekcjmiu.com^$third-party -||voxnrvzwy.com^$third-party -||voxucaldgpicqh.com^$third-party -||vpfiiojohjch.com^$third-party -||vpklpmvzbogn.com^$third-party -||vplvywqxsm.com^$third-party -||vpndcpxavg.com^$third-party -||vppabbakjzxmz.com^$third-party -||vpshsuvlh.bid^$third-party -||vpsotshujdguwijdiyzyacgwuxgnlucgsrhhhglezlkrpmdfiy.com^$third-party -||vptgnqpknpdyq.com^$third-party -||vptkyunlzfy.com^$third-party -||vpwwtzprrkcn.com^$third-party -||vpyrfomwel.com^$third-party -||vqaizaukh.com^$third-party -||vqaprwkiwset.com^$third-party -||vqdwwkficr.com^$third-party -||vqfksrwnxodc.com^$third-party -||vqfplemoftllvm.bid^$third-party -||vqirfafd.bid^$third-party -||vqkkbbivznoso.com^$third-party -||vqmcyhsi.com^$third-party -||vqmqhkjfbksda.com^$third-party -||vqnruxpecsn.com^$third-party -||vqozayvwb.bid^$third-party -||vqqvpouifhv.com^$third-party -||vqtjeddutdix.com^$third-party -||vqvnavwaxiizc.bid^$third-party -||vqvqgfpc.com^$third-party -||vqxmeseasarc.com^$third-party -||vqzqkhumdad.com^$third-party -||vrcjxjtco.bid^$third-party -||vreqpavawpbfl.bid^$third-party -||vrewpywootyu.com^$third-party -||vreyirfvpytz.com^$third-party -||vriirdcvrvanh.com^$third-party -||vrmygckv.bid^$third-party -||vrnyvgkga.bid^$third-party -||vrovhbwhvy.com^$third-party -||vroxcsjt.bid^$third-party -||vrpkzrquqnhl.bid^$third-party -||vrqajyuu.com^$third-party -||vrrupikcfcf.com^$third-party -||vrsceilj.bid^$third-party -||vrvyearwxo.com^$third-party -||vrwfujmni.bid^$third-party -||vrzparvhipmo.com^$third-party -||vsfagdicznrdsp.bid^$third-party -||vsgherxdcfon.com^$third-party -||vsgumkkc.bid^$third-party -||vsgvivozec.com^$third-party -||vshsjxfjehju.com^$third-party -||vsicchyqydlwb.com^$third-party -||vsmqqjwwnoshrj.com^$third-party -||vsoebgfizoqbiv.com^$third-party -||vsrpztnxdejo.com^$third-party -||vsrsviytlb.com^$third-party -||vsstaewjpqcymx.com^$third-party -||vsupeokq.com^$third-party -||vsvdwpuomwjhd.com^$third-party -||vswaapygj.bid^$third-party -||vsxjjmyz.com^$third-party -||vtbyvtmabpclx.com^$third-party -||vtcquvxsaosz.com^$third-party -||vtcxhnri.com^$third-party -||vtdvhmbouayj.club^$third-party -||vtemaaftwexu.com^$third-party -||vtewggxzbrcv.bid^$third-party -||vtgdjgtwl.com^$third-party -||vtijuhpxlkoq.bid^$third-party -||vtkqdqwnmv.bid^$third-party -||vtmkgqcvzvlsdt.com^$third-party -||vtncgdjuzpe.bid^$third-party -||vtoygnkflehv.com^$third-party -||vtqdavdjsymt.com^$third-party -||vtqmlzprsunm.com^$third-party -||vtukwrrfjxybsh.bid^$third-party -||vtvjkyqstvec.com^$third-party -||vtvvokys.bid^$third-party -||vuaardbsbcppb.com^$third-party -||vuajcxwi.com^$third-party -||vuanmzqzrvmp.bid^$third-party -||vucanmoywief.com^$third-party -||vucwhuao.bid^$third-party -||vudbfsnvyzxo.com^$third-party -||vudzzutdbcp.bid^$third-party -||vuikvvkcdas.com^$third-party -||vujkgxnalya.bid^$third-party -||vukgurlqg.bid^$third-party -||vulbyhxsrxcdgo.com^$third-party -||vulexmouotod.com^$third-party -||vumzegtucxqmhl.bid^$third-party -||vunklcwiwpn.com^$third-party -||vunwzlxfsogj.com^$third-party -||vuoywsri.bid^$third-party -||vuvcwrxn.com^$third-party -||vuwdqproq.com^$third-party -||vuwojxgklca.com^$third-party -||vuysooqimdbt.com^$third-party -||vvaqbhmahjb.com^$third-party -||vvbmvooy.com^$third-party -||vvcnnvcruobhr.bid^$third-party -||vvgttgprssiy.com^$third-party -||vvjlrhuzmhzlws.com^$third-party -||vvkvlqubnge.com^$third-party -||vvnfgohclkf.bid^$third-party -||vvoczokfayxwu.com^$third-party -||vvoowcdnogp.com^$third-party -||vvoqhxejowmc.bid^$third-party -||vvqeavcir.com^$third-party -||vvqpavyfkr.com^$third-party -||vvrlbbjlw.bid^$third-party -||vvrygjuozwps.com^$third-party -||vvvnbqnhxgs.com^$third-party -||vvwhmcopcn.bid^$third-party -||vvziqyahhmq.bid^$third-party -||vwbnexnwpmangv.com^$third-party -||vwbvandbj.bid^$third-party -||vwdjipcvcph.com^$third-party -||vwdrpxmgehqknz.com^$third-party -||vwfvnfvelrvvww.com^$third-party -||vwgffbknpgxe.com^$third-party -||vwimfzntn.bid^$third-party -||vwkyuawm.com^$third-party -||vwpowhxrpdlmtq.bid^$third-party -||vwpoxvufxnon.com^$third-party -||vwsjyfsz.bid^$third-party -||vwugfpktabed.com^$third-party -||vwvnounnfteusv.com^$third-party -||vwxptkkqbyppe.com^$third-party -||vwxskpufgwww.com^$third-party -||vwyabrecdxxyma.bid^$third-party -||vwygasjfv.bid^$third-party -||vwzolswcoyla.com^$third-party -||vxbphudphg.com^$third-party -||vxbtrsqjnjpq.com^$third-party -||vxgplvhuilp.com^$third-party -||vxijqpsxpdlztm.com^$third-party -||vxkupxpf.com^$third-party -||vxlpefsjnmws.com^$third-party -||vxncdkrggd.com^$third-party -||vxneczkffmaxkf.com^$third-party -||vxqhchlyijwu.com^$third-party -||vxrpmslex.com^$third-party -||vxuhavco.com^$third-party -||vxumimuhg.com^$third-party -||vxuradoiwrwqga.bid^$third-party -||vxvxsgut.com^$third-party -||vxyqsxeo.com^$third-party -||vxzudzbjvtegu.com^$third-party -||vyagpffxvs.com^$third-party -||vybsiseapra.bid^$third-party -||vydlqaxchmij.com^$third-party -||vyeesric.bid^$third-party -||vyjawlifnxynej.com^$third-party -||vyjwsifvybc.com^$third-party -||vykcbbytkklxp.com^$third-party -||vyozgtrtyoms.com^$third-party -||vypzcbraecdrv.bid^$third-party -||vyrvfojwci.bid^$third-party -||vyrwkkiuzgtu.com^$third-party -||vysdpgndbzylf.bid^$third-party -||vyueglbpe.bid^$third-party -||vywujhsinxfa.com^$third-party -||vywycfxgxqlv.com^$third-party -||vyycgqgcpes.com^$third-party -||vyytpvzba.bid^$third-party -||vzhbfwpo.com^$third-party -||vzhlsmmboaqxlv.com^$third-party -||vzkrfuzxoh.bid^$third-party -||vzkyivowceqcsd.com^$third-party -||vzlyapss.com^$third-party -||vzmnvqiqgxqk.com^$third-party -||vzozsebg.com^$third-party -||vzreguys.com^$third-party -||vzvbhxydn.com^$third-party -||vzvbsjdbyqxgs.bid^$third-party -||vzyclgqffpojk.com^$third-party -||vzzdazqbjs.bid^$third-party -||waarhiupyrmig.com^$third-party -||wabxsybclllz.com^$third-party -||wadmolldl.bid^$third-party -||wadrzbroefwd.com^$third-party -||waentchjzuwq.com^$third-party -||wafavwthigmc.com^$third-party -||wafrszmnbshq.com^$third-party -||walftgaqiemcx.com^$third-party -||wanrtqneiissrb.com^$third-party -||wanuqtwwpvglcr.bid^$third-party -||wapnrjqhtmm.bid^$third-party -||wapvhtyc.bid^$third-party -||watunxckibtvfm.bid^$third-party -||watxeoifxbjo.com^$third-party -||wawlfosfkdy.com^$third-party -||wawyxzfkab.com^$third-party -||waynsnuu.bid^$third-party -||wbbzegmupyl.com^$third-party -||wbejophctdunop.bid^$third-party -||wbfwyzatvqjbnf.com^$third-party -||wbgusiedyn.bid^$third-party -||wblkmmxi.com^$third-party -||wbnndoakibxvcu.bid^$third-party -||wboewdhesyfgsk.bid^$third-party -||wbqliddtojkf.com^$third-party -||wbqnbjsjoxhu.com^$third-party -||wbshrysmjwfplk.com^$third-party -||wbswxksctrvw.com^$third-party -||wbtgigxpzog.com^$third-party -||wbtgtphzivet.com^$third-party -||wbthdphsb.com^$third-party -||wbufuclb.com^$third-party -||wbvltyeqcu.com^$third-party -||wbvsgqtwyvjb.com^$third-party -||wbvwcyssssh.com^$third-party -||wbxzrxarmzyx.com^$third-party -||wcabsbogwfxv.com^$third-party -||wcgquaaknuha.com^$third-party -||wcksovhmd.com^$third-party -||wclnrjxefu.bid^$third-party -||wcobqyeqpckkzh.com^$third-party -||wcoloqvrhhcf.com^$third-party -||wcqlebpges.com^$third-party -||wcwzzauws.com^$third-party -||wcyqoiyohhav.com^$third-party -||wcyrdtfpdaqbrq.bid^$third-party -||wcyrjlszoo.com^$third-party -||wdaomluuf.com^$third-party -||wdbddckjoguz.com^$third-party -||wdcxuezpxivqgmecukeirnsyhjpjoqdqfdtchquwyqatlwxtgq.com^$third-party -||wddtrsuqmqhw.com^$third-party -||wdjbxcdriyjoeu.com^$third-party -||wdkbcvnh.com^$third-party -||wdnalofau.bid^$third-party -||wdnflsjig.com^$third-party -||wdquizratrntwr.com^$third-party -||wduygininqbu.com^$third-party -||wdvmxgwwyzoq.bid^$third-party -||wdwczzyhzra.com^$third-party -||wdxhjmot.bid^$third-party -||wdzeuxkfvyv.com^$third-party -||webwagssicx.bid^$third-party -||weckosoew.bid^$third-party -||wedwcmjo.com^$third-party -||weekwkbulvsy.com^$third-party -||weepjoejkqadi.com^$third-party -||wegbgideb.com^$third-party -||wehtkuhlwsxy.com^$third-party -||wejjmtywsne.com^$third-party -||welzgxwtvto.bid^$third-party -||wembbuue.com^$third-party -||wenqyczxgpoyu.bid^$third-party -||weogkfxrkgyezq.bid^$third-party -||wephuklsjobdxqllpeklcrvquyyifgkictuepzxxhzpjbclmcq.com^$third-party -||wepmmzpypfwq.com^$third-party -||wepyyttx.com^$third-party -||wepzfylndtwu.com^$third-party -||weqfcudxrrbwn.com^$third-party -||weqmhzexkepgdb.com^$third-party -||weqpkntrxqzh.com^$third-party -||wetunfdnruy.com^$third-party -||wfbqjdwwunle.com^$third-party -||wfiejyjdlbsrkklvxxwkferadhbcwtxrotehopgqppsqwluboc.com^$third-party -||wfjdmkjetpbgv.com^$third-party -||wfjlpnmuzoazy.com^$third-party -||wfmcdmmulkwwp.bid^$third-party -||wfnmmrtw.bid^$third-party -||wfqeqnvqdjvs.com^$third-party -||wfquqjxu.bid^$third-party -||wftduglf.com^$third-party -||wfwtfgrzwsonh.com^$third-party -||wfxkcimqvt.com^$third-party -||wfyqdhypgmscy.com^$third-party -||wfywchrzpic.com^$third-party -||wfzpkmduyvx.com^$third-party -||wfzvjbdicihe.com^$third-party -||wgaycnmfz.com^$third-party -||wgclurzhgrjoq.bid^$third-party -||wgefjuno.com^$third-party -||wggmaxxawkxu.com^$third-party -||wggnmbmedlmo.com^$third-party -||wghscopehrcafp.bid^$third-party -||wgkurvzvd.com^$third-party -||wglbionuopeh.com^$third-party -||wglbucuhxxxj.com^$third-party -||wgrbdqucfoieha.com^$third-party -||wgroobsxrnijg.com^$third-party -||wgssxjoac.com^$third-party -||wgtfdzopmae.com^$third-party -||wgulihtuzssn.com^$third-party -||wguuomjdav.com^$third-party -||wgzdpzvtvwvjtv.bid^$third-party -||wgzzzqebxfypb.com^$third-party -||whbfgaspmycyve.com^$third-party -||whdulnhnrscfqx.com^$third-party -||whgsyczcofwf.com^$third-party -||whgvyswets.com^$third-party -||whinjxmkugky.com^$third-party -||whjibbprhng.com^$third-party -||whjwcghg.com^$third-party -||whjxqqdhfp.com^$third-party -||whkwbllcctfm.com^$third-party -||whlugpfcuvryx.com^$third-party -||whlvjuprdpkg.com^$third-party -||whrnvjdv.com^$third-party -||whsjufifuwkw.com^$third-party -||whsldqctrvuk.com^$third-party -||whtuzkvpeer.com^$third-party -||whuvrlmzyvzy.com^$third-party -||whxhegjrqlddko.com^$third-party -||whyawcjjcoexo.bid^$third-party -||whzavlaamjcnt.com^$third-party -||whzbmdeypkrb.com^$third-party -||whziccxv.com^$third-party -||whzizteutx.com^$third-party -||wiazkkjbeqr.com^$third-party -||wibvytsxrm.bid^$third-party -||wichnqeikfdp.com^$third-party -||wicxfvlozsqz.com^$third-party -||widpzvyx.com^$third-party -||wiezvhxoqhnn.com^$third-party -||wiffqhum.com^$third-party -||wifteakcp.bid^$third-party -||wihspueerhpw.com^$third-party -||wiicjajh.com^$third-party -||wijczxvihjyu.com^$third-party -||wijjidqydgsxas.com^$third-party -||wiklrrrwqqf.com^$third-party -||wiklweefcuorh.com^$third-party -||willfumyqwnkuq.com^$third-party -||wimxqzilfwkn.bid^$third-party -||wiorcewmylbe.com^$third-party -||wipcpwadysghx.com^$third-party -||wipjyzwavojq.com^$third-party -||wirfpvmoblpa.com^$third-party -||witifyooqkumwn.com^$third-party -||wiykefcon.com^$third-party -||wiywlvkwwwrms.com^$third-party -||wizejdnlqwcb.com^$third-party -||wizknbrgxuqjo.com^$third-party -||wjavelurhgx.com^$third-party -||wjdjovjrxsqx.com^$third-party -||wjevvjxwg.com^$third-party -||wjgddzpvx.com^$third-party -||wjkwjcmeymu.com^$third-party -||wjmckfsdcxpj.com^$third-party -||wjnkvhlgvixx.com^$third-party -||wjpdgueqasdgeq.com^$third-party -||wjuowevxibmg.com^$third-party -||wjvwxcnavjodj.com^$third-party -||wjwontqlqchq.com^$third-party -||wkdyvxuornxnh.com^$third-party -||wkexsfmw.com^$third-party -||wkfcadtuljnesp.bid^$third-party -||wkgaqvvwvqjg.com^$third-party -||wkggjmkrkvot.com^$third-party -||wkhkffefck.com^$third-party -||wkhychiklhdglppaeynvntkublzecyyymosjkiofraxechigon.com^$third-party -||wkjcdukkwcvr.com^$third-party -||wkloqctyiyow.com^$third-party -||wklyhvfc.com^$third-party -||wkmuxmlk.com^$third-party -||wkqmeskbz.bid^$third-party -||wksninbav.com^$third-party -||wktlsedohnly.com^$third-party -||wkuayaogbegtyp.bid^$third-party -||wkwakmsttsehi.com^$third-party -||wkzovkuc.com^$third-party -||wlcepkuuvawjdj.bid^$third-party -||wlezfkwtv.com^$third-party -||wlhbgwzgep.com^$third-party -||wlhgopaqpmwah.com^$third-party -||wljuxryvolwc.com^$third-party -||wllxevmlsutfpx.com^$third-party -||wlmclzjtd.com^$third-party -||wlozflcvz.bid^$third-party -||wlqpzcbme.com^$third-party -||wlszodcfwqk.com^$third-party -||wluzajogsxoy.com^$third-party -||wlvjwquv.com^$third-party -||wlzhvdqko.bid^$third-party -||wlzohrpjbuq.com^$third-party -||wlzrvihznn.bid^$third-party -||wmbfyemxvcrwow.bid^$third-party -||wmbgmyyxyz.com^$third-party -||wmfsbxjcdsbkrw.com^$third-party -||wmgtkgravimge.com^$third-party -||wmhjqkcu.bid^$third-party -||wmhksxycucxb.com^$third-party -||wmjdnluokizo.com^$third-party -||wmmnhcmkhglhl.com^$third-party -||wmmxenqgpuv.bid^$third-party -||wmouorhfomby.bid^$third-party -||wmqdgaptep.com^$third-party -||wmrlljpj.com^$third-party -||wmrynlxngdai.com^$third-party -||wmtyrdrpjbhnj.com^$third-party -||wmvcxgpdgdkz.com^$third-party -||wmvkbjuzcr.bid^$third-party -||wmvnyunntuuz.com^$third-party -||wmwkwubufart.com^$third-party -||wmxeexfle.com^$third-party -||wmzfcchqnkrux.bid^$third-party -||wnbdbmqyerfqs.com^$third-party -||wnbihqur.bid^$third-party -||wnciofaeswfp.bid^$third-party -||wnfogxdrwoaa.bid^$third-party -||wnhwpkiaozow.bid^$third-party -||wnmtmdlvqqscs.com^$third-party -||wnstpoiqrv.com^$third-party -||wnuvhicameqiso.com^$third-party -||wnxyusrvcoosqi.com^$third-party -||wnzmauurgol.com^$third-party -||wnzxwgatxjuf.com^$third-party -||wnzzxwysay.com^$third-party -||woaoqgpq.bid^$third-party -||woetwakv.bid^$third-party -||woghqyjpiwddme.com^$third-party -||wohuuwfektlppp.bid^$third-party -||wolhopys.bid^$third-party -||wolqstldvfkuhp.com^$third-party -||wonvagfv.bid^$third-party -||wooahiymbmrd.bid^$third-party -||worqmoez.bid^$third-party -||worqvccd.bid^$third-party -||wotilhqoftvl.com^$third-party -||woxvgdtje.com^$third-party -||wozltvfxtntaqk.com^$third-party -||wpbhnyjej.com^$third-party -||wpjljadiq.com^$third-party -||wpkbwrkejd.com^$third-party -||wpkcfajkeytrro.com^$third-party -||wpktjtwsidcz.com^$third-party -||wplqgfpj.com^$third-party -||wpswyoyev.com^$third-party -||wpsyjttctdnt.com^$third-party -||wptdfllszzpczp.com^$third-party -||wptlxfgslcfcx.com^$third-party -||wpvpcuwp.com^$third-party -||wpvvlwprfbtm.com^$third-party -||wpwddinnvncto.com^$third-party -||wpwysmvy.com^$third-party -||wpxkzfet.bid^$third-party -||wpxowkmaeyrte.com^$third-party -||wpysazovofdui.com^$third-party -||wqbvqmremvgp.com^$third-party -||wqgaevqpbwgx.com^$third-party -||wqkpadciw.com^$third-party -||wqndqrxoi.bid^$third-party -||wqnpcflbcv.com^$third-party -||wqnxcthitqpf.com^$third-party -||wqobjrevtkqym.com^$third-party -||wqocynupmbad.com^$third-party -||wqpcxujvkvhr.com^$third-party -||wqpyqirgzfqsc.com^$third-party -||wqrwopgkkohk.com^$third-party -||wqtsvqzthaoq.com^$third-party -||wqxccfoswbwo.com^$third-party -||wqypgiakfbxb.com^$third-party -||wqzaloayckal.com^$third-party -||wqzorzjhvzqf.com^$third-party -||wrasyzhf.bid^$third-party -||wrhaobmohpzp.club^$third-party -||wrhpnrkdkbqi.com^$third-party -||wrjhekhmx.bid^$third-party -||wrkxchcsdw.com^$third-party -||wrkzbwhm.bid^$third-party -||wrmcfyzl.com^$third-party -||wrmwikcnynbk.com^$third-party -||wrqjwrrpsnnm.com^$third-party -||wrrfckzbpygz.com^$third-party -||wrrytjtsyhrnfg.com^$third-party -||wrtnetixxrmg.com^$third-party -||wrvbbyxmsqs.bid^$third-party -||wrwwvymy.com^$third-party -||wrxivlclw.com^$third-party -||wrzwnpmgt.bid^$third-party -||wsaijhlcnsqu.com^$third-party -||wscrsmuagezg.com^$third-party -||wscvmnvhanbr.com^$third-party -||wsfqmxdljrknkalwskqmefnonnyoqjmeapkmzqwghehedukmuj.com^$third-party -||wsrjplhhhfmfsx.com^$third-party -||wsrkpjfs.com^$third-party -||wsscyuyclild.com^$third-party -||wssejwluqthda.com^$third-party -||wssqvrcqfcfn.bid^$third-party -||wstfgpdmb.bid^$third-party -||wstvcgfkvc.com^$third-party -||wsucuzkmnd.com^$third-party -||wsxqgzalf.com^$third-party -||wsyuiudkoqrf.com^$third-party -||wszpjhuosjeexj.com^$third-party -||wtdivwvldpykn.bid^$third-party -||wtgybmmqoaxsp.bid^$third-party -||wthqlngtcgwxrp.com^$third-party -||wtixtgqyztdc.com^$third-party -||wtjmnbjktbci.com^$third-party -||wtoqymftbf.bid^$third-party -||wtqrtjthyuopw.com^$third-party -||wtrzjadunrzx.com^$third-party -||wtvyenir.com^$third-party -||wtxoicsjxbsj.com^$third-party -||wtybgaghcqxoae.com^$third-party -||wuaefxberbqcv.com^$third-party -||wuatqdbzzamj.bid^$third-party -||wubdkryfkr.com^$third-party -||wucbuvitibyiy.com^$third-party -||wuekfshqhydg.bid^$third-party -||wufpseev.bid^$third-party -||wugwwcqjdfa.com^$third-party -||wuldvrdfie.com^$third-party -||wuldwvzqvqet.com^$third-party -||wulstqpsevmtj.com^$third-party -||wunccmpzjqvxe.com^$third-party -||wupjqzzpurw.bid^$third-party -||wuqdebjfhjas.bid^$third-party -||wuqdejnjxj.bid^$third-party -||wurgaxfamfgyo.com^$third-party -||wusxwgotv.com^$third-party -||wuthucbqpd.bid^$third-party -||wuuyczqcgm.com^$third-party -||wuyednuhrxvsr.com^$third-party -||wvetuwwcojfgw.com^$third-party -||wvfputwcdbkoip.com^$third-party -||wvgrpwdaol.bid^$third-party -||wvhbzhlbdlq.bid^$third-party -||wvisynqx.bid^$third-party -||wvjbsdjplo.com^$third-party -||wvjjjdjficj.bid^$third-party -||wvljugmqpfyd.com^$third-party -||wvmtyaqdp.bid^$third-party -||wvqqugicfuac.com^$third-party -||wvrmnqgmemkw.com^$third-party -||wvrntfonizbxn.com^$third-party -||wvutzxicvmgljw.bid^$third-party -||wvvftburvtyz.com^$third-party -||wvxnvnrsahfd.bid^$third-party -||wvxywejnmpsh.bid^$third-party -||wwbzfppvhiebl.com^$third-party -||wwfjhzut.bid^$third-party -||wwgdpbvbrublvjfbeunqvkrnvggoeubcfxzdjrgcgbnvgcolbf.com^$third-party -||wwgjtcge.com^$third-party -||wwgysckwouvzkm.bid^$third-party -||wwiqinsra.bid^$third-party -||wwkowjxms.com^$third-party -||wwmcuhvqaf.com^$third-party -||wwngdgldlsv.com^$third-party -||wwnlyzbedeum.com^$third-party -||wwnuowyww.com^$third-party -||wwohikwhl.com^$third-party -||wwwmurgd.com^$third-party -||wwyblltamlcr.com^$third-party -||wwzchzpluwuon.com^$third-party -||wwznjjvkfqnyvy.com^$third-party -||wxdtvssnezam.com^$third-party -||wxgfqdxoserkr.bid^$third-party -||wxhpszslw.com^$third-party -||wxjqyqvagefw.com^$third-party -||wxmpekoil.com^$third-party -||wxmzfxthsnrgpu.bid^$third-party -||wxnuobpxkjgk.bid^$third-party -||wxonmzkkldhu.com^$third-party -||wxtrzeizpnp.com^$third-party -||wxupwyabry.com^$third-party -||wxvejfvmfwl.com^$third-party -||wxwxpxtoqmipif.com^$third-party -||wxxfcyoaymug.com^$third-party -||wybfcxze.com^$third-party -||wydwkpjomckb.com^$third-party -||wyhcocqu.com^$third-party -||wyjdunwcqnetus.com^$third-party -||wyjyuahcunm.bid^$third-party -||wykskkpplgfi.com^$third-party -||wyksoovox.bid^$third-party -||wylnauxhkerp.com^$third-party -||wypyocogs.bid^$third-party -||wyuakcwxmiunqj.com^$third-party -||wyueivwashc.com^$third-party -||wywrettqmke.com^$third-party -||wyycgfyum.com^$third-party -||wyyrjymqewhulr.com^$third-party -||wzadmmddcmml.com^$third-party -||wzafekkdp.com^$third-party -||wzagwfcfh.bid^$third-party -||wzcjtatqi.bid^$third-party -||wzdrtzvp.com^$third-party -||wzepkzuyaaoozu.bid^$third-party -||wzeqscnkwjuylj.bid^$third-party -||wzfgjtcgwdauf.bid^$third-party -||wzfoygianhe.com^$third-party -||wzfxaqhiapptsz.com^$third-party -||wzghuwvuyxknpv.com^$third-party -||wzismevwhqixlq.com^$third-party -||wzjbvbxldfrn.com^$third-party -||wzlcpagvidi.com^$third-party -||wzlgmbmwq.bid^$third-party -||wznnfwhwwjkp.com^$third-party -||wznupnxp.com^$third-party -||wzueqhwf.com^$third-party -||wzyagambcfn.bid^$third-party -||xacexccntjbrht.com^$third-party -||xafkdsxnwinmj.com^$third-party -||xaftihkjg.com^$third-party -||xahwjirrejjh.bid^$third-party -||xahwybxa.com^$third-party -||xairgknb.com^$third-party -||xakkasmwpdwzvv.bid^$third-party -||xakmsoaozjgm.com^$third-party -||xalttgptij.com^$third-party -||xamxwvtsxdva.com^$third-party -||xanqdskuyb.com^$third-party -||xapcwrvqooihr.bid^$third-party -||xapnrbvpb.com^$third-party -||xaqbpvojgi.com^$third-party -||xarnvfthbye.com^$third-party -||xasuekjguyub.com^$third-party -||xasvtjprmgz.bid^$third-party -||xavipejcznxf.com^$third-party -||xavmcsvas.bid^$third-party -||xaxggjsa.com^$third-party -||xbbcwbsadlrn.com^$third-party -||xbdlsolradeh.com^$third-party -||xblcqncce.com^$third-party -||xbljpezkd.bid^$third-party -||xbmnbfzoeug.com^$third-party -||xboamxtcnfcwyf.com^$third-party -||xbrgymlwi.bid^$third-party -||xbtpmwjwsjn.com^$third-party -||xbwlphsnrcz.bid^$third-party -||xbynkkqi.com^$third-party -||xbyvexekkrnt.com^$third-party -||xbzakxofyhdy.com^$third-party -||xbzbeffqls.com^$third-party -||xbzmworkoyrx.com^$third-party -||xcajbqjdcguybf.com^$third-party -||xcakezoqgkmj.com^$third-party -||xcbiscycvs.bid^$third-party -||xcgebfplttrdg.com^$third-party -||xcjelwzs.com^$third-party -||xcjoqraqjwmk.com^$third-party -||xcmfhdbumademo.bid^$third-party -||xconeeitqrrq.com^$third-party -||xcqgkkccjjucf.com^$third-party -||xcrruqesggzc.com^$third-party -||xcsgthqj.bid^$third-party -||xctiblmetgwr.com^$third-party -||xcukrfpchsxn.com^$third-party -||xcvlescqkwan.com^$third-party -||xcwmyyglayg.com^$third-party -||xcwnwrgvwg.com^$third-party -||xcwqzbcpberyp.com^$third-party -||xcxepcbypxwf.com^$third-party -||xcxetqrzckvy.com^$third-party -||xcyptaqhl.com^$third-party -||xdcdlfejo.com^$third-party -||xddqdioms.com^$third-party -||xddydaddexkjxs.com^$third-party -||xdiyxgwojtbxft.bid^$third-party -||xdjeestdoiis.com^$third-party -||xdjefibopixf.com^$third-party -||xdlmsvhhsvsp.com^$third-party -||xdonzpjglqxi.com^$third-party -||xdoygumiams.com^$third-party -||xdqjeggqm.com^$third-party -||xdqlnidntqmz.com^$third-party -||xdqoopws.bid^$third-party -||xdsydkgkbvwq.com^$third-party -||xdtliokpaiej.com^$third-party -||xdurrrklybny.com^$third-party -||xdwqixeyhvqd.com^$third-party -||xdxzfqxudc.com^$third-party -||xdzccbxbmja.bid^$third-party -||xedwdjnyya.com^$third-party -||xedybxtqd.com^$third-party -||xeeyzkylhgprgx.bid^$third-party -||xeflnvycs.com^$third-party -||xegavyzkxowj.com^$third-party -||xegvnhpwytev.com^$third-party -||xeirmdgphdl.com^$third-party -||xellvrgouivty.com^$third-party -||xewzazxkmzpc.com^$third-party -||xexklpgrsg.com^$third-party -||xffljxbbpy.com^$third-party -||xfgpmvlacsojy.bid^$third-party -||xfgqvqoyzeiu.com^$third-party -||xfmjleuaqgnuvv.com^$third-party -||xfrusgbifkba.com^$third-party -||xftyznkmppep.bid^$third-party -||xfutdbnryjmh.bid^$third-party -||xfvzkoevuw.bid^$third-party -||xfwwhapm.com^$third-party -||xfwwyoxut.com^$third-party -||xfxjdoot.com^$third-party -||xgaethsnmbzi.com^$third-party -||xghretunapafes.com^$third-party -||xgmlmmulciz.com^$third-party -||xgpijbqair.com^$third-party -||xgpiuhyxbevjgs.com^$third-party -||xgrfmoisvy.com^$third-party -||xgspfcpxt.com^$third-party -||xgtrznovqaqp.com^$third-party -||xgvertjtfl.bid^$third-party -||xgwslgpad.com^$third-party -||xgxmhvcppp.bid^$third-party -||xgznkebnjme.com^$third-party -||xgzybmbwfmjd.com^$third-party -||xhdzcofomosh.com^$third-party -||xhewunoklug.com^$third-party -||xhfosyfia.com^$third-party -||xhhfpakexs.com^$third-party -||xhlrlyygx.com^$third-party -||xhmakwcpmg.bid^$third-party -||xhojlvfznietogsusdiflwvxpkfhixbgdxcnsdshxwdlnhtlih.com^$third-party -||xhqilhfrfkoecllmthusrpycaogrfivehyymyqkpmxbtomexwl.com^$third-party -||xhstxnpemardz.com^$third-party -||xhvhisywkvha.com^$third-party -||xhwqginopocs.com^$third-party -||xhwtilplkmvbxumaxwmpaqexnwxypcyndhjokwqkxcwbbsclqh.com^$third-party -||xhyjlfbqnbr.com^$third-party -||xibnqcksoax.com^$third-party -||xicnoklyvgldzh.bid^$third-party -||xicuxxferbnn.com^$third-party -||xiebddgbseoxa.com^$third-party -||xihkdzijh.com^$third-party -||xihwtdncwtxc.com^$third-party -||xijgqrrhyfa.com^$third-party -||xilnalycptredw.com^$third-party -||ximeldnjuusl.com^$third-party -||xinpmsvinfmc.bid^$third-party -||xiodoyvbauv.com^$third-party -||xiqlaxjbzjei.com^$third-party -||xirlmiyihvpi.com^$third-party -||xirtesuryeqk.com^$third-party -||xissjuywmpk.bid^$third-party -||xiuekdmfaqwh.com^$third-party -||xiwhhcyzhtem.com^$third-party -||xjahyyhailnj.com^$third-party -||xjdriaiyy.com^$third-party -||xjehskjzyedb.com^$third-party -||xjfaqocrss.bid^$third-party -||xjjfgxdfpr.com^$third-party -||xjjjohojeeozv.com^$third-party -||xjompsubsozc.com^$third-party -||xjrjgfns.bid^$third-party -||xjsqhlfscjxo.com^$third-party -||xjtiqdylurgima.com^$third-party -||xjvjhqkmmst.bid^$third-party -||xjwtyrklinni.com^$third-party -||xjzqmgyr.com^$third-party -||xkawgrrrpszb.com^$third-party -||xkbsohnosdmoa.bid^$third-party -||xkcidzutjwukj.com^$third-party -||xkeeqmvs.bid^$third-party -||xkgbbiqqekja.com^$third-party -||xkgitcod.com^$third-party -||xkhxejeaarq.com^$third-party -||xkjlcqbufdlwrq.com^$third-party -||xklrckmslshvq.com^$third-party -||xkotbziugfturl.com^$third-party -||xkoyfyaqk.com^$third-party -||xkpogkffibjejj.bid^$third-party -||xkrbwsae.com^$third-party -||xkseftefd.bid^$third-party -||xksjlkzrjprce.bid^$third-party -||xkssqonbadgs.com^$third-party -||xktfhmbp.bid^$third-party -||xkwnadxakuqc.com^$third-party -||xkwnmbqef.com^$third-party -||xkygmtrrjalx.com^$third-party -||xkylfuhjh.com^$third-party -||xkziczlmpsfw.bid^$third-party -||xkzzkxntmryst.com^$third-party -||xlauvkqs.bid^$third-party -||xlavzhffzwgb.com^$third-party -||xlbosrttvas.bid^$third-party -||xlcnavkhn.bid^$third-party -||xlhhbtve.com^$third-party -||xljfxjbjw.bid^$third-party -||xlldzsgt.com^$third-party -||xlnwabndmqn.com^$third-party -||xlqkpyimdep.com^$third-party -||xlspkqpnnqj.com^$third-party -||xlvausdwsmyoww.bid^$third-party -||xmazvzvbqli.com^$third-party -||xmbyoyvs.bid^$third-party -||xmevsiig.com^$third-party -||xmgrjuqqc.com^$third-party -||xmlqerwrehfqo.com^$third-party -||xmmnwyxkfcavuqhsoxfrjplodnhzaafbpsojnqjeoofyqallmf.com^$third-party -||xmmsyipahbq.com^$third-party -||xmnnurmdrjmd.com^$third-party -||xmoyoxsx.com^$third-party -||xmrchaqjwqyvz.com^$third-party -||xmsgobwy.com^$third-party -||xmufoqjx.com^$third-party -||xmwqbnrbvghq.bid^$third-party -||xndskrtxkiv.com^$third-party -||xnfwhndl.com^$third-party -||xnjsdpohkgn.com^$third-party -||xnlxpsbs.com^$third-party -||xnmphtmerao.bid^$third-party -||xnmwxndqhyt.com^$third-party -||xnnbvckd.com^$third-party -||xnqfpnszqwpijd.com^$third-party -||xnqlhbddabfsy.com^$third-party -||xnuuzwthzaol.com^$third-party -||xnvsheyceyjv.com^$third-party -||xnwqhydt.com^$third-party -||xocecytufu.com^$third-party -||xoekgcscpnipb.com^$third-party -||xojwkixxdkx.com^$third-party -||xonrbvtejfy.bid^$third-party -||xoqkhbtpnzblh.com^$third-party -||xoqwirroygxv.com^$third-party -||xpahdmitqadqda.com^$third-party -||xpahnzgke.bid^$third-party -||xpbjjdrcwuqkks.com^$third-party -||xpdwqvsbg.bid^$third-party -||xpgcrmxejlgig.com^$third-party -||xpiajagcdpkhlx.bid^$third-party -||xpiwxgifv.bid^$third-party -||xpjizpoxzosn.com^$third-party -||xpkhmrdqhiux.com^$third-party -||xplvxwesg.bid^$third-party -||xpnauxpoj.bid^$third-party -||xpnttdct.com^$third-party -||xpoqhwkbqk.com^$third-party -||xpqffnzo.bid^$third-party -||xprurfeoarxz.com^$third-party -||xptcatkpcyfeev.bid^$third-party -||xpyjxpooncbsvx.bid^$third-party -||xpywzbxjwbxafv.com^$third-party -||xqhgisklvxrh.com^$third-party -||xqhwdjuk.bid^$third-party -||xqiqnxxy.com^$third-party -||xqjhszpussoeur.com^$third-party -||xqkqkfszveqvm.com^$third-party -||xqopbyfjdqfs.com^$third-party -||xqquphzq.bid^$third-party -||xqrjfouxkrs.com^$third-party -||xqrupeccbfpzdl.com^$third-party -||xqtadzsabcjj.bid^$third-party -||xqtymopje.com^$third-party -||xquhrikrq.com^$third-party -||xqygrmkga.bid^$third-party -||xqzkpmrgcpsw.com^$third-party -||xrdutkydekqpxu.bid^$third-party -||xrgqermbslvg.com^$third-party -||xrivpngzagpy.com^$third-party -||xrjjhkuwccu.com^$third-party -||xrkfqpbubaq.com^$third-party -||xrluvlmyuxqjme.com^$third-party -||xrmrpcbaukli.com^$third-party -||xrmtjxxeerbew.bid^$third-party -||xrmtvzpig.com^$third-party -||xrmwainxxr.bid^$third-party -||xrnmuqmpcsx.com^$third-party -||xroonucyaoqljf.com^$third-party -||xrpcbukuwdvkc.com^$third-party -||xrqkzdbnybod.com^$third-party -||xrrwwxfj.bid^$third-party -||xruuohzpxmmw.com^$third-party -||xrvyetdriwzp.com^$third-party -||xrzjigahrnxsr.bid^$third-party -||xseczkcysdvc.com^$third-party -||xsgacudwlysw.com^$third-party -||xsgcobwd.com^$third-party -||xshozbwcvj.bid^$third-party -||xskbsyssik.com^$third-party -||xsmjzzrpxq.bid^$third-party -||xsqylzml.com^$third-party -||xssburizmrmd.bid^$third-party -||xswnrjbzmdof.com^$third-party -||xswsrpeeyh.com^$third-party -||xswutjmmznesinsltpkefkjifvchyqiinnorwikatwbqzjelnp.com^$third-party -||xsydgnsbslbme.bid^$third-party -||xsztfrlkphqy.com^$third-party -||xtbzrwbojra.com^$third-party -||xtccyvimdr.com^$third-party -||xtcfsrxmz.com^$third-party -||xtdcotbwmmlwyu.bid^$third-party -||xtdkrqmcs.bid^$third-party -||xteabvgwersq.com^$third-party -||xtedyfawylag.com^$third-party -||xtivbxvndnv.com^$third-party -||xtixyzjeibh.com^$third-party -||xtjkieqcwn.com^$third-party -||xtmjaetqtbm.com^$third-party -||xtmuasvldoiz.com^$third-party -||xtobxolwcptm.com^$third-party -||xtozxivyaaex.com^$third-party -||xtqfguvsmroo.com^$third-party -||xtqimdqeekij.bid^$third-party -||xtsnbxwak.com^$third-party -||xttcpyfgjdkl.bid^$third-party -||xttfbyjird.bid^$third-party -||xttrofww.com^$third-party -||xtuenvlsoenwn.bid^$third-party -||xtzslqieeh.bid^$third-party -||xubqqaqhotit.com^$third-party -||xudfxpvm.com^$third-party -||xudrwfesrzl.bid^$third-party -||xugnzawkrkvu.com^$third-party -||xuhktijdskah.com^$third-party -||xuiiiqpsw.bid^$third-party -||xuikjhak.com^$third-party -||xukdsjqzkqegzv.bid^$third-party -||xumabheajpiko.bid^$third-party -||xumunjgfelw.bid^$third-party -||xuoitwefz.bid^$third-party -||xuqdbqkqgj.com^$third-party -||xurokykjwum.com^$third-party -||xurrehqawu.com^$third-party -||xuwptpzdwyaw.com^$third-party -||xuwxbdafults.com^$third-party -||xvapnjwhofiv.com^$third-party -||xvfzxuzvxcv.bid^$third-party -||xvgfmbrifa.com^$third-party -||xvijskugh.com^$third-party -||xvjigtcdiogu.bid^$third-party -||xvlohcsc.com^$third-party -||xvtbumnuj.com^$third-party -||xvtgouzdsmoeb.com^$third-party -||xvuhfmlclllby.bid^$third-party -||xvxcpdcnfgte.com^$third-party -||xwagalbvfkb.com^$third-party -||xwavfvpzg.com^$third-party -||xwavjdqttkum.com^$third-party -||xwcqrzkle.com^$third-party -||xwdlgzrnuyo.com^$third-party -||xwesxrxyopqyc.com^$third-party -||xwgbfrnppyoc.bid^$third-party -||xwhfvjlqfy.com^$third-party -||xwmbaxufcdxb.com^$third-party -||xwonghmweu.com^$third-party -||xwrmlohlri.com^$third-party -||xwufohrjmvjy.com^$third-party -||xwvksizcphhc.com^$third-party -||xwvofxgqilhy.com^$third-party -||xwwkuacmqblu.com^$third-party -||xwwsojvluzsb.com^$third-party -||xwwvcsquuhbd.com^$third-party -||xwxbiywlavgpm.com^$third-party -||xwzhazcuyf.com^$third-party -||xxamqnqeygbk.com^$third-party -||xxdjmuekj.com^$third-party -||xxehantfkywk.com^$third-party -||xxelvfyvgcjo.bid^$third-party -||xxhgzzinkrbbo.com^$third-party -||xxpfoxmvpjoh.bid^$third-party -||xxqriuedmqzs.com^$third-party -||xxrniridsnzr.com^$third-party -||xxwpminhccoq.com^$third-party -||xxxdeducu.bid^$third-party -||xxxwfoltlusf.bid^$third-party -||xxyafiswqcqz.com^$third-party -||xxypskosek.bid^$third-party -||xxzkqbdibdgq.com^$third-party -||xycbrnotvcat.com^$third-party -||xycpjxkkkim.com^$third-party -||xydubrrvpthmat.com^$third-party -||xyepsjnt.com^$third-party -||xyfrnfoijncmu.com^$third-party -||xygzlbizru.com^$third-party -||xyiawbjnajcm.bid^$third-party -||xyknfufvlk.bid^$third-party -||xymtglljft.com^$third-party -||xymuhrhbvl.com^$third-party -||xymyozxsofipvq.com^$third-party -||xynutvdh.com^$third-party -||xyrjlbxkxojoi.bid^$third-party -||xyvjknwxwtf.bid^$third-party -||xzbilyblsjrg.com^$third-party -||xzcdzfkwk.com^$third-party -||xzfhewclnun.com^$third-party -||xzfjznfiuawv.bid^$third-party -||xzfswipynyuj.com^$third-party -||xzhmjoch.bid^$third-party -||xzibhixbsler.bid^$third-party -||xziqvbico.com^$third-party -||xzismtaelciif.com^$third-party -||xzmqokbeynlv.com^$third-party -||xzqbhowpbzj.bid^$third-party -||xztsmbznuwyo.com^$third-party -||xzwdhymrdxyp.com^$third-party -||xzwynraczfcq.com^$third-party -||xzywlbgldmpi.com^$third-party -||xzzcasiospbn.com^$third-party -||yaaqsdteo.com^$third-party -||yafsixmo.com^$third-party -||yahbdmyvvmjh.com^$third-party -||yaifxxudxyns.com^$third-party -||yaikleyabl.com^$third-party -||yaizwjvnxctz.com^$third-party -||yalyuzvlr.bid^$third-party -||yamrxfbkpirt.com^$third-party -||yaoslgiweccw.com^$third-party -||yaqysxlohdyg.com^$third-party -||yasltdlichfd.com^$third-party -||yasnxwjtjbx.com^$third-party -||yattprdmuybn.com^$third-party -||yaujmwnwurdhm.com^$third-party -||yaxbqjjemnvben.com^$third-party -||yaxdboxgsbgh.com^$third-party -||ybbqkfzmj.com^$third-party -||ybemuzknpvkgn.bid^$third-party -||ybgbaxrzxxlr.com^$third-party -||ybhaoglgbgdk.com^$third-party -||ybhgzvkqtocedj.com^$third-party -||ybhpbkyzbihlrk.bid^$third-party -||ybikaghc.bid^$third-party -||yblileapbnc.com^$third-party -||ybmdgyywbhk.com^$third-party -||ybnuasihsy.com^$third-party -||ybofeikeckfxh.com^$third-party -||ybqqjrjf.com^$third-party -||ybrjldiexlqb.com^$third-party -||ybrmiemawkawxb.com^$third-party -||ybspoverfo.bid^$third-party -||ybtjemcg.bid^$third-party -||ybwackoidmcat.com^$third-party -||ybzfsppttoaz.com^$third-party -||ycaorbftuxb.bid^$third-party -||ycbrujappmsx.bid^$third-party -||yccdyncut.bid^$third-party -||ycexjzoek.com^$third-party -||ycfprujylukkx.bid^$third-party -||ychbtidylyna.com^$third-party -||ycjwgpkudmve.com^$third-party -||yckdywmihuabu.com^$third-party -||ycmejutxukkz.com^$third-party -||ycojhxdobkrd.com^$third-party -||ycpepqbyhvtb.com^$third-party -||ycrbzasmjuo.bid^$third-party -||yctquwjbbkfa.com^$third-party -||ycuuzufqwsk.com^$third-party -||ycxpmdwail.bid^$third-party -||ycyrgutjregkw.com^$third-party -||yczdebjfskegsd.com^$third-party -||yczvwlqexzhtf.bid^$third-party -||ydaynvgmkjxvy.com^$third-party -||yddazzul.com^$third-party -||yddbgolpjwv.bid^$third-party -||ydeoxwomjpvxoz.com^$third-party -||ydfntydegmdbk.com^$third-party -||ydgjaoes.bid^$third-party -||ydkhkjmefxy.com^$third-party -||ydlrdzlbgs.com^$third-party -||ydoexgadghunl.bid^$third-party -||ydoksieuml.com^$third-party -||ydolseawnutnf.com^$third-party -||ydqcdaqbmfedv.bid^$third-party -||ydthazdza.com^$third-party -||ydujmccmydwu.bid^$third-party -||ydutvhtw.com^$third-party -||ydwjfuhuiesrhp.com^$third-party -||ydxeryetxyij.com^$third-party -||ydxzdniz.com^$third-party -||ydzbxtld.bid^$third-party -||yeagdfyw.com^$third-party -||yeboexwt.bid^$third-party -||yebojewh.com^$third-party -||yecviqwkapujp.bid^$third-party -||yecxfxsbkb.com^$third-party -||yefttzzn.com^$third-party -||yehazsnxdevr.com^$third-party -||yejkuusxijvzz.com^$third-party -||yenlubragf.com^$third-party -||yennwmfmbnfz.com^$third-party -||yenrsvttsfmqd.bid^$third-party -||yeonenukejm.bid^$third-party -||yeouakimhubraf.com^$third-party -||yepiafsrxffl.com^$third-party -||yesubqwrfvepm.bid^$third-party -||yesucplcylxg.com^$third-party -||yeuotdalcxqwr.com^$third-party -||yeyddgjqpwya.com^$third-party -||yfdrpdjbxjm.com^$third-party -||yfdxyyenovxir.com^$third-party -||yfezqijah.bid^$third-party -||yfgietsfti.com^$third-party -||yfgrucsngqitc.com^$third-party -||yfiycpeebse.com^$third-party -||yfkwqoswbghk.com^$third-party -||yflpucjkuwvh.com^$third-party -||yflyluiqdig.com^$third-party -||yfoymaiiab.club^$third-party -||yfqlqjpdsckc.com^$third-party -||yfrrzyphyk.com^$third-party -||yfrsukbbfzyf.com^$third-party -||yfsbprwln.com^$third-party -||yfsgdrxjkzeak.com^$third-party -||yfzcjqpxunsn.com^$third-party -||yfzohuuguor.bid^$third-party -||ygbokgipe.bid^$third-party -||ygdnflmhslwi.com^$third-party -||ygefxaurh.com^$third-party -||ygemknajajg.com^$third-party -||ygkovmqdty.com^$third-party -||ygkqjensf.bid^$third-party -||ygngaqihz.com^$third-party -||ygrtbssc.com^$third-party -||ygsgfzydhdgd.com^$third-party -||ygvuinirwqnl.com^$third-party -||ygyymhfstzuen.com^$third-party -||yhasbgva.com^$third-party -||yhatwlkdbeewdd.bid^$third-party -||yhazcicy.bid^$third-party -||yhaztdufgmw.com^$third-party -||yhcxzccnlvm.bid^$third-party -||yhglrmvdxmxm.com^$third-party -||yhljenkljge.com^$third-party -||yhnwofsz.bid^$third-party -||yhqojrhfgfsh.com^$third-party -||yhrzzoze.com^$third-party -||yhsxsjzyqfoq.com^$third-party -||yhtytxeskrqgpl.bid^$third-party -||yhyxopmgofz.com^$third-party -||yhzobwqqecaa.com^$third-party -||yibrvxydm.bid^$third-party -||yicainjezma.com^$third-party -||yifuqtge.com^$third-party -||yigxdcmrgutrjl.com^$third-party -||yihibfmdq.bid^$third-party -||yikkagezqsob.com^$third-party -||yiklmnmijwlryv.com^$third-party -||yimfcnxzyqhpih.com^$third-party -||yincrkvptefw.bid^$third-party -||yintkfbxaopyb.com^$third-party -||yioklzvjkaumf.com^$third-party -||yiqyefznxc.com^$third-party -||yisscbyq.com^$third-party -||yivsfcxf.bid^$third-party -||yiyycuqozjwc.com^$third-party -||yizbtofi.bid^$third-party -||yjctwdeuz.com^$third-party -||yjdbnkgonfp.com^$third-party -||yjfhldkkfl.com^$third-party -||yjhbzagmmzqhin.bid^$third-party -||yjhwrpuqitzgh.bid^$third-party -||yjijmpezje.com^$third-party -||yjipohjtdrxncg.com^$third-party -||yjjglyoytiew.com^$third-party -||yjjtxuhfglxa.com^$third-party -||yjlocznmvvvtp.com^$third-party -||yjlyvrdpnuef.bid^$third-party -||yjmpzvoe.bid^$third-party -||yjseeodbma.com^$third-party -||yjsshralziws.com^$third-party -||yjthoibc.com^$third-party -||yjwtxskmswcjc.com^$third-party -||yjwymbwcjyfed.com^$third-party -||yjxtuwpbgzwc.com^$third-party -||yjzopxkhw.bid^$third-party -||ykaakgddajbt.com^$third-party -||ykacbmxeapwi.com^$third-party -||ykalhhbkhwgyo.com^$third-party -||ykaonbmjjmyi.com^$third-party -||ykbcogkoiqdw.com^$third-party -||ykdiojhuy.bid^$third-party -||ykdmtvowoinv.com^$third-party -||ykixjehac.com^$third-party -||yklotwpbrybfl.com^$third-party -||ykmcpykr.bid^$third-party -||ykombouoo.com^$third-party -||ykqpbuqpfjsh.com^$third-party -||yktkodofnikf.com^$third-party -||ykuoujjvngtu.com^$third-party -||ykwdfjergthe.com^$third-party -||ykykbowk.com^$third-party -||ykyryixcwn.com^$third-party -||ylbaaods.com^$third-party -||ylbgokrjujtprn.bid^$third-party -||ylbhlvqqyp.bid^$third-party -||ylbslipwhfdwr.com^$third-party -||yleztmobykox.com^$third-party -||ylhjsrwqtqqb.com^$third-party -||yljjlvywdpn.com^$third-party -||yljrefexjymy.com^$third-party -||yljtytqq.com^$third-party -||ylksuifuyryt.com^$third-party -||yllfdnftjo.com^$third-party -||ylmnpenjdn.com^$third-party -||ylnmzwwc.com^$third-party -||yloidlvfhpkq.com^$third-party -||ylovduaeyeppl.com^$third-party -||ylqbiljjlyq.com^$third-party -||ylqezcnlzfsj.com^$third-party -||ylsbuudmpiks.bid^$third-party -||ylziomazxhbj.com^$third-party -||ymejzynrw.com^$third-party -||ymerjqsynqoxdm.com^$third-party -||ymgjtzciu.com^$third-party -||ymgjxtmtfl.bid^$third-party -||ymhqeelitngcr.com^$third-party -||ymlbuooxppzt.com^$third-party -||ymmoeffaosvdua.com^$third-party -||ympkaxpaf.com^$third-party -||ymsutnllwwcm.com^$third-party -||ymuhtjftw.bid^$third-party -||ymuhybbrk.com^$third-party -||ymvkirvjqgha.com^$third-party -||ymzrrizntbhde.com^$third-party -||ynbymadjbgoo.bid^$third-party -||ynewcdjtop.com^$third-party -||ynhetcoypgnl.com^$third-party -||ynhonjqahrh.com^$third-party -||ynkakgknfljv.com^$third-party -||ynkbueizwqu.com^$third-party -||ynlrfiwj.com^$third-party -||ynlvwynnsstalh.com^$third-party -||ynoiezey.com^$third-party -||ynopkisq.com^$third-party -||ynrbxyxmvihoydoduefogolpzgdlpnejalxldwjlnsolmismqd.com^$third-party -||yntwcepykkts.com^$third-party -||ynuyzeqtswtd.com^$third-party -||ynvplyprjr.bid^$third-party -||ynxrrzgfkuih.com^$third-party -||ynyhiyqybbit.com^$third-party -||ynzdtoawstxvh.com^$third-party -||yobxvotn.bid^$third-party -||yocnxozede.bid^$third-party -||yocsprvjl.com^$third-party -||yodyfofkb.com^$third-party -||yofyzgkoktwlc.com^$third-party -||yogkshigsy.com^$third-party -||yojxoefvnyrc.com^$third-party -||yoorjlleqtquez.bid^$third-party -||yoqvnnkdmqfk.com^$third-party -||yovbkyylqlmkg.bid^$third-party -||yovqbcixogwc.com^$third-party -||yoxlrphhmphq.com^$third-party -||yoxrhwtvyqt.com^$third-party -||yoywgmzjgtfl.com^$third-party -||ypbfrhlgquaj.com^$third-party -||ypcuhmevrq.bid^$third-party -||ypecrrktyo.com^$third-party -||ypfghpqnkgbxu.bid^$third-party -||yphyzxdm.com^$third-party -||ypictqesjuib.com^$third-party -||ypixrvxi.com^$third-party -||ypmdszuxupnxk.bid^$third-party -||ypnespepnln.com^$third-party -||yprnopqzs.com^$third-party -||yptwqjdgikmcqc.com^$third-party -||ypummbggdjex.com^$third-party -||ypyarwgh.com^$third-party -||yqhgbmyfiomx.com^$third-party -||yqjoqncxmufi.com^$third-party -||yqlfiutmnbazmj.bid^$third-party -||yqmjmbmxzfz.com^$third-party -||yqmmjmjxdigdak.com^$third-party -||yqmnyyfe.bid^$third-party -||yqmvckcnojc.bid^$third-party -||yqpmlgwmqtwpa.bid^$third-party -||yqqxrfhtgcbxz.com^$third-party -||yqrsfisvrilz.com^$third-party -||yqtzhigbiame.com^$third-party -||yqucllrbg.com^$third-party -||yqufdqly.com^$third-party -||yqutkbvrgvar.com^$third-party -||yqvxurmg.bid^$third-party -||yqxnmyydmcw.bid^$third-party -||yrbjfusd.com^$third-party -||yrcpupgqtn.com^$third-party -||yrfjqlpvrc.bid^$third-party -||yrfrvrbmipzb.com^$third-party -||yrgnouqinylg.com^$third-party -||yrijcjiclmltxq.bid^$third-party -||yrkozodemantj.com^$third-party -||yrnzxgsjokuv.com^$third-party -||yrpjklwly.com^$third-party -||yrrcrvoivbv.com^$third-party -||yrtyflmurngv.com^$third-party -||yruwnpnam.com^$third-party -||yrvrppewe.bid^$third-party -||yrxhmallcirx.com^$third-party -||yrzukplqjwxst.bid^$third-party -||ysaloykchjyxg.com^$third-party -||ysdacdbitdy.bid^$third-party -||ysdxcrighudjmw.com^$third-party -||ysexxayb.bid^$third-party -||ysgjivctf.com^$third-party -||yshsoycsac.com^$third-party -||ysljgoytuyfbg.com^$third-party -||ysmbdnavqsbcl.com^$third-party -||ysosfhyrbyre.com^$third-party -||ysqdjkermxyt.com^$third-party -||ysqhjwanlbhmt.com^$third-party -||ysrbddieabo.bid^$third-party -||ysrjmfaqm.com^$third-party -||ysyrcnsb.com^$third-party -||yszbigwywfzk.bid^$third-party -||ytapgckhhvou.com^$third-party -||ytaujxmxxxmm.com^$third-party -||ytbnswbr.bid^$third-party -||ytbpmzbabph.com^$third-party -||ytdoajoj.com^$third-party -||ytiqdpws.bid^$third-party -||ytiyuqfxjbke.com^$third-party -||ytjadaazjjy.bid^$third-party -||ytjocvggodnfbn.com^$third-party -||ytmmpddn.bid^$third-party -||ytrojdjen.bid^$third-party -||ytskrsravfqyuc.bid^$third-party -||yttvnnvklf.com^$third-party -||ytwtqabrkfmu.com^$third-party -||yuanaayutyd.com^$third-party -||yuazwfzvdzfc.com^$third-party -||yuehosgcoq.com^$third-party -||yuimtqtp.com^$third-party -||yukwxqnxwzghxb.com^$third-party -||yupwqyocvvnw.com^$third-party -||yurttitxfyfh.com^$third-party -||yuywwcizs.com^$third-party -||yvbrgzeu.com^$third-party -||yvfsfoctkls.com^$third-party -||yvisvreih.com^$third-party -||yvjdvcgomph.bid^$third-party -||yvlhxqxw.com^$third-party -||yvlmcehqt.com^$third-party -||yvlrhnzid.com^$third-party -||yvmjtjtfuaspc.com^$third-party -||yvmosixxo.com^$third-party -||yvmzmyol.bid^$third-party -||yvqdhpyaoike.bid^$third-party -||yvqpoiqcijc.bid^$third-party -||yvsymvjzk.com^$third-party -||yvvafcqddpmd.com^$third-party -||yvyfyuacwz.com^$third-party -||yvystpvmpnz.com^$third-party -||ywbfhuofnvuk.com^$third-party -||ywbpprhlpins.com^$third-party -||ywcxuagtmrawx.com^$third-party -||ywegbjiv.com^$third-party -||ywlaafzvnn.com^$third-party -||ywldkddqx.bid^$third-party -||ywmbgxmtupll.bid^$third-party -||ywolsukpto.com^$third-party -||ywpkgqasoe.bid^$third-party -||ywrfqzdvd.com^$third-party -||ywsjtstwevknlc.com^$third-party -||ywsugrjvusc.com^$third-party -||ywuyrhkaiat.com^$third-party -||ywwefdjjc.bid^$third-party -||ywxjbwauqznf.com^$third-party -||ywxnjrkkrnyzc.com^$third-party -||ywzutugurhqpvs.bid^$third-party -||yxahzybkggol.com^$third-party -||yxbglezas.com^$third-party -||yxbtyzqcczra.com^$third-party -||yxcdiyaidaakp.com^$third-party -||yxcwyiipjsksc.bid^$third-party -||yxfkdvkh.com^$third-party -||yxghdgwi.bid^$third-party -||yxhyxfyibqhd.com^$third-party -||yxidkikr.bid^$third-party -||yxjecoghjycuvm.com^$third-party -||yxjnldaw.bid^$third-party -||yxjvmjlhyfrp.com^$third-party -||yxlibrsxbycm.com^$third-party -||yxllrysme.bid^$third-party -||yxmfjiiwzgrsyg.bid^$third-party -||yxmkiqdvnxsk.com^$third-party -||yxmnaxxfzfqa.bid^$third-party -||yxngmwzubbaa.com^$third-party -||yxoorrcfamz.bid^$third-party -||yxpkzxyajjan.com^$third-party -||yxsyvsqrkbdqym.com^$third-party -||yxtdupqc.bid^$third-party -||yxvxjtupwlee.com^$third-party -||yxwdppixvzxau.bid^$third-party -||yyajvvjrcigf.com^$third-party -||yybpijyx.bid^$third-party -||yycikstmz.com^$third-party -||yycxldhlajjuj.com^$third-party -||yyebntqnlvqb.bid^$third-party -||yyfnifbbeu.bid^$third-party -||yyhlnavqvcjuiq.bid^$third-party -||yylmqzhoveg.bid^$third-party -||yyndmhkv.com^$third-party -||yyqowjogchca.bid^$third-party -||yyupkqqokrus.com^$third-party -||yyuztnlcpiym.com^$third-party -||yyxknmmvdvv.bid^$third-party -||yyxntcpxxvtpuk.com^$third-party -||yyyghfmjkz.com^$third-party -||yzesxnzfhyy.com^$third-party -||yzlwuuzzehjh.com^$third-party -||yzoyfmwr.com^$third-party -||yzpesotyxwvpd.com^$third-party -||yzreywobobmw.com^$third-party -||yzsiwyvmgftjuqfoejhypwkmdawtwlpvawzewtrrrdfykqhccq.com^$third-party -||yzuezvrahok.com^$third-party -||yzuzfvlzi.com^$third-party -||yzveuheeothp.com^$third-party -||yzwzmxbv.com^$third-party -||yzxibuepaiyru.com^$third-party -||yzyalgnxo.com^$third-party -||yzygkqjhedpw.com^$third-party -||yzysnbqc.com^$third-party -||yzzmcxnlvyymt.com^$third-party -||zaaireapylyr.com^$third-party -||zaattuotjbkj.com^$third-party -||zabpkrvgswdroz.com^$third-party -||zacbwfgqvxan.com^$third-party -||zacqkexd.com^$third-party -||zaczpeabsygpdz.bid^$third-party -||zadhrsvmawp.com^$third-party -||zafwmwiaqckgmc.bid^$third-party -||zahlmvosqsxmp.com^$third-party -||zajawwgpl.com^$third-party -||zamjzpwgekeo.com^$third-party -||zansceeifcmm.com^$third-party -||zapvzwydgiwz.com^$third-party -||zatrlsov.com^$third-party -||zavfvuooiqvepj.com^$third-party -||zavlamhx.com^$third-party -||zawvukyxyfmi.com^$third-party -||zbbgwhmrjx.bid^$third-party -||zbbqhdnef.com^$third-party -||zbcsmoopwqyze.com^$third-party -||zbecpoboc.com^$third-party -||zbfmwczulbb.bid^$third-party -||zbfncjtaiwngdsrxvykupflpibvbrewhemghxlwsdoluaztwyi.com^$third-party -||zbfqzqzkocbgy.bid^$third-party -||zbgeaxemkosdwv.bid^$third-party -||zbhlfwpnp.com^$third-party -||zbihwbypkany.com^$third-party -||zbjbvuei.bid^$third-party -||zbmuqkejcfww.com^$third-party -||zbqblhqlrm.com^$third-party -||zbqochqhke.bid^$third-party -||zbquabayubqbbg.bid^$third-party -||zbrkywjutuxu.com^$third-party -||zbsqhxyjlh.com^$third-party -||zbtqpkimkjcr.com^$third-party -||zbutxofdxe.bid^$third-party -||zbvrqrjecs.com^$third-party -||zbwzxxysgs.bid^$third-party -||zbxzcrldzzgv.com^$third-party -||zbzdylsefv.bid^$third-party -||zbzksshdcwrka.bid^$third-party -||zcauvwmfevhox.com^$third-party -||zccebnzdujjw.com^$third-party -||zcchnqgq.com^$third-party -||zcczlrtbbx.com^$third-party -||zcczvunkmmcg.com^$third-party -||zcfbwlgydxo.com^$third-party -||zcinaovb.com^$third-party -||zcjxeitlmnuq.com^$third-party -||zckpaeifoq.com^$third-party -||zclivukslm.bid^$third-party -||zclxwzegqslr.com^$third-party -||zcmzmicuqlq.bid^$third-party -||zcqaztillrmmqu.bid^$third-party -||zcuocqfstyne.bid^$third-party -||zcwjasfrog.com^$third-party -||zdafkehcmdcphi.com^$third-party -||zdbzkrphx.bid^$third-party -||zdfyowkafur.com^$third-party -||zdhnepeadrwetg.com^$third-party -||zdjkzqwpqvwcmc.com^$third-party -||zdolhnqbtnbcx.com^$third-party -||zdplhparvrd.com^$third-party -||zdqsrdamdgmn.com^$third-party -||zdutcdhvwlpkge.com^$third-party -||zdvyzlbvrwqpf.bid^$third-party -||zdydvjzexmp.com^$third-party -||zdyfbhfmdtpm.com^$third-party -||zeantqrix.bid^$third-party -||zehwjplnopevjt.bid^$third-party -||zenpmagn.bid^$third-party -||zeokfeyraxls.com^$third-party -||zeujqjoifd.com^$third-party -||zeuwuxfzvaoqp.bid^$third-party -||zevszinklxyf.com^$third-party -||zeyiihbqbswtn.bid^$third-party -||zezowfisdfyn.com^$third-party -||zfbnzfyciqzreh.com^$third-party -||zfcjtxosje.com^$third-party -||zfgistbbg.com^$third-party -||zfivwwbxblzef.bid^$third-party -||zfjmdpvlvcidyd.bid^$third-party -||zfkkmayphqrw.com^$third-party -||zfmagxsjqypmya.com^$third-party -||zfmqywrpazlx.com^$third-party -||zfoeiywwiqo.com^$third-party -||zfpsotrgboqp.com^$third-party -||zfqpjxuycxdl.com^$third-party -||zfrpmiqby.com^$third-party -||zfrzdepuaqebzlenihciadhdjzujnexvnksksqtazbaywgmzwl.com^$third-party -||zftgljkhrdze.com^$third-party -||zfubrpobdf.bid^$third-party -||zfvrrodxfb.com^$third-party -||zfwfrpcfvmd.com^$third-party -||zfwzdrzcasov.com^$third-party -||zgalejbegahc.com^$third-party -||zgalwqht.com^$third-party -||zgdejlhmzjrd.com^$third-party -||zggbloudx.com^$third-party -||zgghentqc.com^$third-party -||zggnhhadif.com^$third-party -||zgobyecdtpfq.bid^$third-party -||zgwuvfye.com^$third-party -||zgxlwlffm.com^$third-party -||zgydngnax.bid^$third-party -||zgyxizppxf.com^$third-party -||zhabyesrdnvn.com^$third-party -||zhbzxeis.bid^$third-party -||zhdjvlfszokew.com^$third-party -||zhdmplptugiu.com^$third-party -||zhkziiaajuad.com^$third-party -||zhlfogiy.com^$third-party -||zhmbxvmyk.com^$third-party -||zhpdtoott.com^$third-party -||zhqbimjc.com^$third-party -||zhqzqupvgczom.com^$third-party -||zhrbwgylkeqmb.bid^$third-party -||zhrmtsxcdkjj.com^$third-party -||zhtcuchr.bid^$third-party -||zhxpnywjnltskd.com^$third-party -||ziaxamkssw.com^$third-party -||zidqkapwgnsh.com^$third-party -||ziglpcxcxetsi.com^$third-party -||zijkalirgmyzj.bid^$third-party -||zijnobynjmcs.com^$third-party -||ziqdunppuzjd.com^$third-party -||zirhuqksdqeyg.com^$third-party -||zisbrygtluib.com^$third-party -||zitbvxrbai.bid^$third-party -||ziumnfnltbu.bid^$third-party -||ziuxkdcgsjhq.com^$third-party -||ziyuakulwtwn.bid^$third-party -||zizmvnytmdto.com^$third-party -||zjdnwisfiin.bid^$third-party -||zjejoxqte.com^$third-party -||zjgbpjmqfaow.com^$third-party -||zjgygpdfudfu.com^$third-party -||zjhnmbfqylme.com^$third-party -||zjjcsdfqewqqi.bid^$third-party -||zjkdrqtjowihn.com^$third-party -||zjncvhnkh.com^$third-party -||zjnmgmidmx.com^$third-party -||zjsbdjkdtjzoxh.com^$third-party -||zjsbeont.com^$third-party -||zjsnrqxltqk.com^$third-party -||zjujxffup.com^$third-party -||zjvlymwonwbp.bid^$third-party -||zjwcddahpz.com^$third-party -||zkduhoyaxw.bid^$third-party -||zkennongwozs.com^$third-party -||zkezpfdfnthb.com^$third-party -||zkfhdpogauqb.com^$third-party -||zkfjgzonjvg.com^$third-party -||zkhqjxtzr.bid^$third-party -||zkmyaizgc.com^$third-party -||zkowrpcb.com^$third-party -||zkqpoamv.com^$third-party -||zksdztizohcfy.com^$third-party -||zkvdsdsftimj.bid^$third-party -||zkzpfpoazfgq.com^$third-party -||zlahmbwm.com^$third-party -||zlbdtqoayesloeazgxkueqhfzadqjqqduwrufqemhpbrjvwaar.com^$third-party -||zldgcyoxtk.com^$third-party -||zldnbkznfs.bid^$third-party -||zlegojgwg.com^$third-party -||zlfpmrmkr.com^$third-party -||zlfttgbmzk.bid^$third-party -||zlgokeby.com^$third-party -||zlhscyahjbaq.com^$third-party -||zlkrhsbkdf.bid^$third-party -||zlkrsqad.com^$third-party -||zlrlbfigwz.bid^$third-party -||zltsivah.bid^$third-party -||zlvbqseyjdna.com^$third-party -||zlxfpawyyoq.com^$third-party -||zlxwasugtn.com^$third-party -||zmbrweqglexv.com^$third-party -||zmdtxdomsoo.bid^$third-party -||zmkihizd.com^$third-party -||zmkkiqghh.com^$third-party -||zmnpobvglair.bid^$third-party -||zmnqoymznwng.com^$third-party -||zmogtyau.com^$third-party -||zmujsnyzujuy.com^$third-party -||zmutugjqvia.com^$third-party -||zmuyirmzujgk.com^$third-party -||zmxcefuntbgf.com^$third-party -||zmytwgfd.com^$third-party -||znbokxhkwx.com^$third-party -||znckkjdguw.com^$third-party -||znfnwozd.com^$third-party -||zngnfdmxsfnf.bid^$third-party -||znjwkwha.com^$third-party -||znmdscnynybx.com^$third-party -||znmrgzozlohe.com^$third-party -||znnabrxnotlm.com^$third-party -||znnmzggbw.com^$third-party -||znoumvve.com^$third-party -||znpyqdfphny.com^$third-party -||znsonssdb.bid^$third-party -||znsqykdmcjh.com^$third-party -||znvctmolksaj.com^$third-party -||znztvqgtaivf.com^$third-party -||zobsibzczd.com^$third-party -||zodorxfj.bid^$third-party -||zohaqnxwkvyt.com^$third-party -||zoijpllqnm.com^$third-party -||zoileyozfexv.com^$third-party -||zoktycom.com^$third-party -||zomsfhgj.com^$third-party -||zonhpljclov.com^$third-party -||zoowknbw.com^$third-party -||zospzfvxkshe.com^$third-party -||zoszujvvlu.com^$third-party -||zotjktpk.com^$third-party -||zowhxkwzjpta.com^$third-party -||zoyxbjmmlsrc.com^$third-party -||zpaimilpqx.com^$third-party -||zpctncydojjh.com^$third-party -||zpcxpdpqllyrb.com^$third-party -||zperfcaskqrxug.com^$third-party -||zpfjfwbij.com^$third-party -||zpfoyfae.com^$third-party -||zpghmretcikhzs.com^$third-party -||zpkebyxabtsh.com^$third-party -||zpkobplsfnxf.com^$third-party -||zpkshggvjif.com^$third-party -||zplvjgpxvh.com^$third-party -||zpmbsivi.com^$third-party -||zpnbzxbiqann.com^$third-party -||zpolivtjrhjquo.com^$third-party -||zppkpktskuf.com^$third-party -||zprlpkabqlth.com^$third-party -||zprrfpczfpnh.com^$third-party -||zpsgqvvzcbni.com^$third-party -||zptncsir.com^$third-party -||zpwqekgztngd.bid^$third-party -||zpwqnicvzi.com^$third-party -||zpwtylxpfeje.com^$third-party -||zpxbdukjmcft.com^$third-party -||zpxgdlqoofx.com^$third-party -||zpxlmtujszhixe.com^$third-party -||zpznbracwdai.com^$third-party -||zpzsdmpvqudhsz.com^$third-party -||zqaxaqqqutrx.com^$third-party -||zqbjcsodjiz.bid^$third-party -||zqddlgcrxjmwbz.bid^$third-party -||zqdvdygz.com^$third-party -||zqeskyeg.com^$third-party -||zqijyjktaxc.bid^$third-party -||zqjfpxcgivkv.com^$third-party -||zqlkekbqp.com^$third-party -||zqmxzjrhchg.com^$third-party -||zqouofoilmqfje.com^$third-party -||zqqyhcqf.com^$third-party -||zqseasmu.com^$third-party -||zqskkhcxd.bid^$third-party -||zqswmyzlkcvrtu.com^$third-party -||zramisxvxmkf.com^$third-party -||zrbhmhzzdj.com^$third-party -||zrbhyvkpgeyn.com^$third-party -||zrcaldozggijht.com^$third-party -||zrdjojunihbox.bid^$third-party -||zrelqwrx.bid^$third-party -||zreqmcewq.com^$third-party -||zrhskqzfh.com^$third-party -||zricmrcrlmdeg.com^$third-party -||zrosbqwecw.com^$third-party -||zrrgjpsb.bid^$third-party -||zrufclmvlsct.com^$third-party -||zrxgdnxneslb.com^$third-party -||zrzgnzel.com^$third-party -||zsancthhfvqm.com^$third-party -||zsbifpiosqedn.bid^$third-party -||zsdhypkxyodiw.bid^$third-party -||zsdlyigktdly.bid^$third-party -||zsihqvjfwwlk.com^$third-party -||zsikmzoehqw.com^$third-party -||zslembevfypr.com^$third-party -||zsruuckp.com^$third-party -||zsuqhunoiex.com^$third-party -||zswlvohr.com^$third-party -||zsxaeudw.bid^$third-party -||zsxlpdtnyyau.com^$third-party -||zsxwpotlxihvk.com^$third-party -||ztcysvupksjt.com^$third-party -||ztfrlktqtcnl.com^$third-party -||zthnscjdamcolo.com^$third-party -||ztioesdyffrr.com^$third-party -||ztiqalyrbfsnl.com^$third-party -||ztmwkxvvyoao.com^$third-party -||ztorjgyxni.com^$third-party -||ztslmijniaoqip.com^$third-party -||zttlnqce.com^$third-party -||ztwfeajx.bid^$third-party -||ztxohhagymj.com^$third-party -||ztylfmoxqnafl.com^$third-party -||ztyrgxdelngf.com^$third-party -||ztzfcmbsycout.bid^$third-party -||zualhpolssus.com^$third-party -||zucnclozfb.com^$third-party -||zudlddyzgogsh.com^$third-party -||zudyyulnjdqmn.com^$third-party -||zueqwtbryx.bid^$third-party -||zuiiyzgiof.com^$third-party -||zukbmxbrv.com^$third-party -||zukipoayrlh.com^$third-party -||zunjxpwiztqgt.bid^$third-party -||zupeaoohmntp.com^$third-party -||zursiicizyhd.com^$third-party -||zutnlpnzxtt.com^$third-party -||zuuwfrphdgxk.com^$third-party -||zuwaodorkyrrp.com^$third-party -||zuwuqxstogbj.com^$third-party -||zuxanrebeceko.com^$third-party -||zuybvpprdoo.com^$third-party -||zvaianux.bid^$third-party -||zvdacnjhetcrq.com^$third-party -||zvdotftdxkfsv.bid^$third-party -||zvefwiecrw.bid^$third-party -||zvicyjvyox.bid^$third-party -||zvmprcnihkk.com^$third-party -||zvovdtomwa.com^$third-party -||zvqjjurhikku.com^$third-party -||zvrwttooqgeb.com^$third-party -||zvsjiigao.com^$third-party -||zvttlvbclihk.com^$third-party -||zvuespzsdgdq.com^$third-party -||zwbiaekgsx.com^$third-party -||zwbyxaojzxc.bid^$third-party -||zwcuvwssfydj.com^$third-party -||zweigciinmslan.com^$third-party -||zwfvzxmc.com^$third-party -||zwjnzhln.bid^$third-party -||zwpaujzg.com^$third-party -||zwqfnizwcvbx.com^$third-party -||zwsyqdnhnyzckt.com^$third-party -||zwurpwlleo.bid^$third-party -||zwuygjzjrjnedg.com^$third-party -||zwxaraxq.com^$third-party -||zwxfsqruqlim.com^$third-party -||zxadziqqayup.com^$third-party -||zxafncddmww.com^$third-party -||zxaoudwcljrtig.com^$third-party -||zxaveqdykktbvl.bid^$third-party -||zxavxgjcjmkh.com^$third-party -||zxazzpdvhf.bid^$third-party -||zxbjgrxbcgrp.com^$third-party -||zxbzuyuifdqj.com^$third-party -||zxcrsyhkndzoc.com^$third-party -||zxczritytzsjz.com^$third-party -||zxdgmcgpp.com^$third-party -||zxeyqwgwsfv.com^$third-party -||zxiikxeagmferu.com^$third-party -||zxjmybvewmso.com^$third-party -||zxkrdvrijsp.com^$third-party -||zxlchzyluskvj.com^$third-party -||zxmkvelyft.bid^$third-party -||zxpevjccjb.com^$third-party -||zxqeycvsetkh.com^$third-party -||zxqudunt.com^$third-party -||zxreyuxvrjzxa.com^$third-party -||zxwnolwaump.com^$third-party -||zxxfoccanf.com^$third-party -||zxxzqiqbchqkaw.com^$third-party -||zyaorkkdvcbl.com^$third-party -||zybztgtsxq.bid^$third-party -||zycvyudt.com^$third-party -||zydfsiuhqkbsqh.com^$third-party -||zyeawuzisttu.com^$third-party -||zyfuywrjbxyf.com^$third-party -||zyikzhgqzjyvgu.com^$third-party -||zyjjmszszum.bid^$third-party -||zykqvbxfdqbdvj.com^$third-party -||zyleqnzmvupg.com^$third-party -||zylokfmgrtzv.com^$third-party -||zymaevtin.bid^$third-party -||zymngxjmm.bid^$third-party -||zyqlfplqdgxu.com^$third-party -||zyxaituruuod.com^$third-party -||zyxtecsff.bid^$third-party -||zzdnkvjaikjth.com^$third-party -||zzevmjynoljz.bid^$third-party -||zzgqqdmnrhhals.com^$third-party -||zzhgpbovlhinj.com^$third-party -||zziblxasbl.bid^$third-party -||zzkrxder.com^$third-party -||zzmyypjedpfxck.com^$third-party -||zzomiuob.com^$third-party -||zzoxzkpqmklr.com^$third-party -||zzqnkezokbegc.bid^$third-party -||zzrdvzryaiwsin.com^$third-party -||zzvjaqnkq.bid^$third-party -||zzwajufm.com^$third-party -||zzwzjidz.bid^$third-party -||zzxosget.com^$third-party -! Chameleon Advertising Technologies -||addonsmash.com^$third-party -||axeldivision.com^$third-party -||chameleon.ad^$third-party -||cleanbrowser.network^$third-party -||handy-tab.com^$third-party -||mybitsearch.com^$third-party -||planktab.com^$third-party -||searchdims.network^$third-party -||securesurf.biz^$third-party -||smashnewtab.com^$third-party -||spiralstab.com^$third-party -||yatab.net^$third-party -! Yavli.com -||07cdgbg.com^$image,third-party -||23rsdsfdsf.com^$image,third-party -||247view.net^$image,third-party -||2nmv0xafd.tk^$image,third-party -||3dfrsdwde.com^$image,third-party -||3hfeox35grw.ga^$image,third-party -||46779ff4.net^$image,third-party -||4ervtcv.com^$image,third-party -||4trgergq.net^$image,third-party -||546qwee.net^$image,third-party -||56sgtrx.com^$image,third-party -||6dfggjbgt.com^$image,third-party -||9pohbga.com^$image,third-party -||absilf.com^$image,third-party -||absilf.link^$image,third-party -||absquint.com^$image,third-party -||acceletor.net^$image,third-party -||accltr.com^$image,third-party -||accmndtion.org^$image,third-party -||addo-mnton.com^$image,third-party -||advuatianf.com^$image,third-party -||aistilierf.com^$image,third-party -||allianrd.net^$image,third-party -||ambushar.net^$image,third-party -||anomiely.com^$image,third-party -||antuandi.net^$image,third-party -||anumiltrk.com^$image,third-party -||aocular.com^$image,third-party -||appr8.net^$image,third-party -||artbr.net^$image,third-party -||asssdfjh.net^$image,third-party -||azwergz.net^$image,third-party -||baordrid.com^$image,third-party -||batarsur.com^$image,third-party -||baungarnr.com^$image,third-party -||biankord.net^$image,third-party -||biastoful.net^$image,third-party -||billaruze.net^$image,third-party -||blaundorz.com^$image,third-party -||blazwuatr.com^$image,third-party -||bliankerd.net^$image,third-party -||blindury.com^$image,third-party -||blipi.net^$image,third-party -||blowwor.com^$image,third-party -||blowwor.link^$image,third-party -||bluandi.com^$image,third-party -||bluazard.net^$image,third-party -||bluposr.com^$image,third-party -||boafernd.com^$image,third-party -||bridlonz.com^$image,third-party -||bridlonz.link^$image,third-party -||briduend.com^$image,third-party -||bualtwif.com^$image,third-party -||buamingh.com^$image,third-party -||buandirs.net^$image,third-party -||buandorw.com^$image,third-party -||buangkoj.com^$image,third-party -||buarier.net^$image,third-party -||buatongz.net^$image,third-party -||buhafr.net^$image,third-party -||buoalait.com^$image,third-party -||c8factor.com^$image,third-party -||casiours.com^$image,third-party -||changosity.com^$image,third-party -||chansiar.net^$image,third-party -||charctr.com^$image,third-party -||chiuawa.net^$image,third-party -||chualangry.com^$image,third-party -||clicksifter.com^$image,third-party -||coaterhand.net^$image,third-party -||compoter.net^$image,third-party -||conexitry.com^$image,third-party -||content-4-u.com^$image,third-party -||contentolyze.net^$image,third-party -||contentr.net^$image,third-party -||cotnr.com^$image,third-party -||crhikay.me^$image,third-party -||cuantroy.com^$image,third-party -||cuasparian.com^$image,third-party -||d3lens.com^$image,third-party -||d4orbital.com^$image,third-party -||derkopd.com^$image,third-party -||deuskex.link^$image,third-party -||dgergrwre.com^$image,third-party -||dgg3632.com^$image,third-party -||dhftcgd.net^$image,third-party -||diabolicaf.com^$image,third-party -||dilpy.org^$image,third-party -||discvr.net^$image,third-party -||domri.net^$image,third-party -||doumantr.com^$image,third-party -||draugonda.net^$image,third-party -||drfflt.info^$image,third-party -||drfxtg.ga^$image,third-party -||drndi.net^$image,third-party -||duactinor.net^$image,third-party -||duading.link^$image,third-party -||duaing.net^$image,third-party -||duamews.com^$image,third-party -||duavindr.com^$image,third-party -||dutolats.net^$image,third-party -||dwdewew.com^$image,third-party -||e68j3kcovju.cf^$image,third-party -||economyobserver.com^$image,third-party -||ectensian.net^$image,third-party -||edabl.net^$image,third-party -||edgualf.com^$image,third-party -||elepheny.com^$image,third-party -||entru.co^$image,third-party -||ergers.net^$image,third-party -||ergewrg.com^$image,third-party -||erht5jhy.com^$image,third-party -||ershgrst.com^$image,third-party -||erteesffesf.com^$image,third-party -||erwgerwt.com^$image,third-party -||esults.net^$image,third-party -||etxbcbdhf.com^$image,third-party -||exactly0r.com^$image,third-party -||exciliburn.com^$image,third-party -||excolobar.com^$image,third-party -||exernala.com^$image,third-party -||exlpor.com^$image,third-party -||extonsuan.com^$image,third-party -||ezzrewrad.com^$image,third-party -||fairad.co^$image,third-party -||faunsts.me^$image,third-party -||fdhgxdfdfd.com^$image,third-party -||fegesd.net^$image,third-party -||fer4ere.com^$image,third-party -||fhddhfhz.com^$image,third-party -||fhgtrhrt.net^$image,third-party -||flaudnrs.me^$image,third-party -||flaurse.net^$image,third-party -||fleawier.com^$image,third-party -||flux16.com^$image,third-party -||foulsomty.com^$image,third-party -||fowar.net^$image,third-party -||frevi.net^$image,third-party -||frhgxd.com^$image,third-party -||frizergt.net^$image,third-party -||frlssw.me^$image,third-party -||fruamens.com^$image,third-party -||frxle.com^$image,third-party -||frxrydv.com^$image,third-party -||frzdrn.info^$image,third-party -||fuandarst.com^$image,third-party -||genegd.com^$image,third-party -||gerengd.link^$image,third-party -||gertgh.com^$image,third-party -||gghfncd.net^$image,third-party -||ghrgaxcc.net^$image,third-party -||gruadhc.com^$image,third-party -||gruanchd.link^$image,third-party -||gruandors.net^$image,third-party -||gtsgdddss.com^$image,third-party -||gualdoniye.com^$image,third-party -||guaperty.net^$image,third-party -||guiandr.com^$image,third-party -||gusufrs.me^$image,third-party -||h456u54f.net^$image,third-party -||hapnr.net^$image,third-party -||havnr.com^$image,third-party -||heizuanubr.net^$image,third-party -||hjklf.com^$image,third-party -||hobri.net^$image,third-party -||holmgard.link^$image,third-party -||hoppr.co^$image,third-party -||hrtydgs.net^$image,third-party -||huamfriys.net^$image,third-party -||iambibiler.net^$image,third-party -||ignup.com^$image,third-party -||ij32ialcmg.cf^$image,third-party -||incotand.com^$image,third-party -||induanajo.com^$image,third-party -||inomoang.com^$image,third-party -||insiruand.com^$image,third-party -||inter1ads.com^$third-party -||invetpl.com^$image,third-party -||ioghdgdgss.com^$image,third-party -||iunbrudy.net^$image,third-party -||ivism.org^$image,third-party -||jaspensar.com^$image,third-party -||jdrm4.com^$image,third-party -||jellr.net^$image,third-party -||jerwing.net^$image,third-party -||jianscoat.com^$image,third-party -||juapinesr.net^$image,third-party -||juarinet.com^$image,third-party -||juosanf.com^$image,third-party -||juruasikr.net^$image,third-party -||jusukrs.com^$image,third-party -||jyjmyjm.com^$image,third-party -||k5zoom.com^$image,third-party -||kidasfid.com^$image,third-party -||kilomonj.net^$image,third-party -||kioshow.com^$image,third-party -||klmsjdf.ml^$image,third-party -||knoandr.com^$image,third-party -||kowodan.net^$image,third-party -||kriaspuy.net^$image,third-party -||ksdaogaju1.cf^$image,third-party -||kuamanan.com^$image,third-party -||kuangard.net^$image,third-party -||l7vmre48lum.ga^$image,third-party -||leanoisgo.com^$image,third-party -||lesuard.com^$image,third-party -||lia-ndr.com^$image,third-party -||ligssadfd.com^$image,third-party -||liksuad.com^$image,third-party -||lirte.org^$image,third-party -||liveclik.co^$image,third-party -||loopr.co^$image,third-party -||luadcik.com^$image,third-party -||lunio.net^$image,third-party -||m4vbkchfp6.tk^$image,third-party -||maningrs.com^$image,third-party -||marvilias.com^$image,third-party -||meniald.com^$image,third-party -||monova.site^$image,third-party -||moucitons.com^$image,third-party -||muatrasec.com^$image,third-party -||muriarw.com^$image,third-party -||nrfort.com^$image,third-party -||nuafguy.com^$image,third-party -||nuaknamg.net^$image,third-party -||nualoghy.com^$image,third-party -||nuzilung.net^$image,third-party -||of8wzl97iq.tk^$image,third-party -||ofgbefrhs.com^$image,third-party -||oiurtedh.com^$image,third-party -||ojujyjjgg.com^$image,third-party -||ootloakr.com^$image,third-party -||oplo.org^$image,third-party -||opner.co^$image,third-party -||opter.co^$image,third-party -||oq8dojwz7hd.tk^$image,third-party -||orbitfour47.com^$image,third-party -||osrto.com^$image,third-party -||p7vortex.com^$image,third-party -||pferetgf.com^$image,third-party -||pianoldor.com^$image,third-party -||picstunoar.com^$image,third-party -||pikkr.net^$image,third-party -||pivt2fueu68.ml^$image,third-party -||pjdhfwe.com^$image,third-party -||plex2.com^$image,third-party -||poaulpos.net^$image,third-party -||poaurtor.com^$image,third-party -||polawrg.com^$image,third-party -||polephen.com^$image,third-party -||prfffc.info^$image,third-party -||prndi.net^$image,third-party -||puoplord.link^$image,third-party -||puoplord.net^$image,third-party -||putkjter.com^$image,third-party -||pw6lrr05k7c.cf^$image,third-party -||q3d9whbdhpb.tk^$image,third-party -||q3sift.com^$image,third-party -||qaulinf.com^$image,third-party -||qetstdbssdvs.com^$image,third-party -||qewa33a.com^$image,third-party -||qfosjgnd.net^$image,third-party -||qftdsg.com^$image,third-party -||qsdlk.tk^$image,third-party -||quandrer.link^$image,third-party -||quickmoneyanswers.org^$image,third-party -||qulifiad.com^$image,third-party -||qwemfst.com^$image,third-party -||qwewas.info^$image,third-party -||qwewdw.net^$image,third-party -||qwrfpgf.com^$image,third-party -||qzsccm.com^$image,third-party -||r3seek.com^$image,third-party -||rddywd.com^$image,third-party -||rdige.com^$image,third-party -||reaspans.com^$image,third-party -||regdsvee.com^$image,third-party -||regersd.net^$image,third-party -||rehtsacdr.com^$image,third-party -||rehyery.com^$image,third-party -||reitb.com^$image,third-party -||reydzcfg.net^$image,third-party -||rfgre.info^$image,third-party -||rheneyer.net^$image,third-party -||rherser.com^$image,third-party -||rhgersf.com^$image,third-party -||rigistrar.net^$image,third-party -||rlex.org^$image,third-party -||rterdf.me^$image,third-party -||sddddjsjf.net^$image,third-party -||shgnts.net^$image,third-party -||sk1ofrz7y3h.cf^$image,third-party -||snfsnm5.net^$image,third-party -||t3xsrbhtlrr.ml^$image,third-party -||tjdasfdssd.com^$image,third-party -||uyiyuiyuiy.com^$image,third-party -||weqwdwdda.com^$image,third-party -||weufdhsas.com^$image,third-party -||wfghrgscs.com^$image,third-party -||wqtdtstdxg.com^$image,third-party -||yuilkj.gq^$image,third-party -||zcrfefgrg.com^$image,third-party -||zyjp395ihvb.ga^$image,third-party -! ||ruamupr.com^$image,third-party -||ruandorg.com^$image,third-party -||ruandr.com^$image,third-party -||ruandr.link^$image,third-party -||ruap-oldr.net^$image,third-party -||rugistoto.net^$image,third-party -||rugistratuan.com^$image,third-party -||sdjkldfhy.com^$image,third-party -||selectr.net^$image,third-party -||sfesd.net^$image,third-party -||shoapinh.com^$image,third-party -||sightr.net^$image,third-party -||simusangr.com^$image,third-party -||slacaxy.com^$image,third-party -||smethgiar.com^$image,third-party -||spamualfr.com^$image,third-party -||speandorf.net^$image,third-party -||spereminf.com^$image,third-party -||splazards.com^$image,third-party -||spoa-soard.com^$image,third-party -||suadimons.net^$image,third-party -||suarbiard.com^$image,third-party -||suartings.com^$image,third-party -||suavalds.com^$image,third-party -||swualyer.com^$image,third-party -||sxrrxa.net^$image,third-party -||t3sort.com^$image,third-party -||t7row.com^$image,third-party -||tersur.link^$image,third-party -||tersur.net^$image,third-party -||th4wwe.net^$image,third-party -||thiscdn.com^$image,third-party -||thrilamd.net^$image,third-party -||thrutime.net^$image,third-party -||thsdfrgr.com^$image,third-party -||tiawander.net^$image,third-party -||tolosgrey.net^$image,third-party -||topdi.net^$image,third-party -||totallifeguru.com^$image,third-party -||trinusuras.net^$image,third-party -||trjhhuhn.com^$image,third-party -||trllxv.co^$image,third-party -||trndi.net^$image,third-party -||trualaid.com^$image,third-party -||tualipoly.net^$image,third-party -||turanasi.com^$image,third-party -||uanbalible.com^$image,third-party -||unuarvse.net^$image,third-party -||uppo.co^$image,third-party -||username1.link^$image,third-party -||v8bridge.link^$image,third-party -||vferwqf.com^$image,third-party -||vicegnem.click^$third-party -||vieway.co^$image,third-party -||viewscout.com^$image,third-party -||viralfix.net^$image,third-party -||virsualr.com^$image,third-party -||vopdi.com^$image,third-party -||vpuoplord.link^$image,third-party -||vuadiolgy.net^$image,third-party -||vualawilk.com^$image,third-party -||waddr.com^$image,third-party -||wensdteuy.com^$image,third-party -||wesdsdds.com^$image,third-party -||wgt4wetwe.net^$image,third-party -||wolopiar.com^$image,third-party -||wopdi.com^$image,third-party -||wqqqpe.com^$image,third-party -||wuakula.net^$image,third-party -||wuarnurf.net^$image,third-party -||wuatriser.net^$image,third-party -||wudr.net^$image,third-party -||xcrsqg.com^$image,third-party -||xplrer.co^$image,third-party -||xylopologyn.com^$image,third-party -||yardr.net^$image,third-party -||yavli.link^$image,third-party -||yerstrd.net^$image,third-party -||yobr.net^$image,third-party -||yodr.net^$image,third-party -||yojhyfo.com^$image,third-party -||yomri.net^$image,third-party -||yopdi.com^$image,third-party -||ypppdc.com^$image,third-party -||ypprr.com^$image,third-party -||yrrrbn.me^$image,third-party -||yualongf.net^$image,third-party -||yuasaghn.com^$image,third-party -||yvsystem.com^$image,third-party -||z4pick.com^$image,third-party -||ziccardia.com^$image,third-party -||zomri.net^$image,third-party -||zrfrornn.net^$image,third-party -! "info" adservers -||adalgo.info^$third-party -||adlerbo.info^$third-party -||adwalte.info^$third-party -||ahvawat.info^$third-party -||ajtoxed.info^$third-party -||akmota.info^$third-party -||aknice.info^$third-party -||antotu.info^$third-party -||arpelog.info^$third-party -||asinole.info^$third-party -||askarer.info^$third-party -||asmosi.info^$third-party -||awcompe.info^$third-party -||awdigit.info^$third-party -||aznapoz.info^$third-party -||berkuri.info^$third-party -||byktana.info^$third-party -||casterist.info^$third-party -||chakryzh.info^$third-party -||chyatikho.info^$third-party -||cvergon.info^$third-party -||dbusiki.info^$third-party -||depodub.info^$third-party -||diktafe.info^$third-party -||dochyedu.info^$third-party -||dolgelo.info^$third-party -||drugog.info^$third-party -||dygadan.info^$third-party -||ebeda.info^$third-party -||ecsexyp.info^$third-party -||eldogal.info^$third-party -||elwarvi.info^$third-party -||emlifok.info^$third-party -||endile.info^$third-party -||estocaf.info^$third-party -||exwazar.info^$third-party -||eztexas.info^$third-party -||fejki.info^$third-party -||fermolo.info^$third-party -||fetymi.info^$third-party -||fmebili.info^$third-party -||fzoneli.info^$third-party -||galkama.info^$third-party -||genroso.info^$third-party -||getgale.info^$third-party -||glumifo.info^$third-party -||govbusi.info^$third-party -||grobido.info^$third-party -||hikvar.ru^$third-party -||hranere.info^$third-party -||hutfora.info^$third-party -||hvato.info^$third-party -||idexoro.info^$third-party -||igligan.info^$third-party -||igopol.info^$third-party -||iltevo.info^$third-party -||imbetan.info^$third-party -||imeteti.info^$third-party -||irboga.info^$third-party -||itdehod.info^$third-party -||itdise.info^$third-party -||ixtuseq.info^$third-party -||izbarin.info^$third-party -||iznozhi.info^$third-party -||kamnebo.info^$third-party -||khimsaba.info^$third-party -||khonosta.info^$third-party -||kovadat.ru^$third-party -||ladnova.info^$third-party -||lemetri.info^$third-party -||lmymere.info^$third-party -||lodnare.ru^$third-party -||lonedol.info^$third-party -||loqara.info^$third-party -||loronap.info^$third-party -||loskino.info^$third-party -||lukir.info^$third-party -||lvodomi.info^$third-party -||lvodomo.info^$third-party -||lzoloro.info^$third-party -||medlero.info^$third-party -||milaly.info^$third-party -||milyeda.info^$third-party -||mlenisi.info^$third-party -||movlaba.info^$third-party -||moydato.info^$third-party -||natsety.info^$third-party -||negomes.info^$third-party -||nekopod.info^$third-party -||nimatey.info^$third-party -||novostisporta.info^$third-party -||nurobi.info^$third-party -||nycvetu.info^$third-party -||nyugalits.info^$third-party -||nyutkikha.info^$third-party -||obmokhi.info^$third-party -||obzatop.info^$third-party -||odbabo.info^$third-party -||ofrecom.info^$third-party -||ohsatum.info^$third-party -||okvari.info^$third-party -||okvedvo.info^$third-party -||omatri.info^$third-party -||omsama.info^$third-party -||onatozo.info^$third-party -||oprivi.info^$third-party -||oreporu.info^$third-party -||osnosa.info^$third-party -||otmonog.info^$third-party -||ozmifi.info^$third-party -||panyeri.info^$third-party -||pectit.info^$third-party -||pingoli.info^$third-party -||pistoma.info^$third-party -||poblemi.info^$third-party -||pobliba.info^$third-party -||rabela.info^$third-party -||rastafi.info^$third-party -||rbaleno.info^$third-party -||rovarti.info^$third-party -||shemirta.info^$third-party -||shiloso.info^$third-party -||shinasi.info^$third-party -||siwbori.info^$third-party -||sjustus.info^$third-party -||skurki.info^$third-party -||slinadu.info^$third-party -||smigro.info^$third-party -||smudgy.info^$third-party -||sumano.info^$third-party -||svyksa.info^$third-party -||tralifa.info^$third-party -||tranite.info^$third-party -||tricasi.info^$third-party -||trongi.info^$third-party -||tsitodi.info^$third-party -||tupho.info^$third-party -||umekana.ru^$third-party -||urmilan.info^$third-party -||vatname.info^$third-party -||yaramol.info^$third-party -||yatnozin.info^$third-party -||yulkafed.ru^$third-party -||zharezhi.info^$third-party -||zhinkichi.info^$third-party -! uponit adservers -||acrabakasaka.com^ -||ajkelra.com^ -||akailoparzapi.com^ -||akrazappi.com^ -||alabardak.com^ -||albertonne.com^ -||arganostrella.com^ -||atarshaboor.com^ -||avalhukof.com^ -||badokal.com^ -||bahaimlo.com^ -||banomago.com^ -||bapalolo.com^ -||bapaquac.com^ -||beglorena.com^ -||bidoraln.com^ -||bobarilla.com^ -||boerilav.com^ -||boiceta.com^ -||bokilora.com^ -||bolkazoopa.com^ -||bondinra.com^ -||bonjikoa.com^ -||borazita.com^ -||botiviga.com^ -||bulbazoa.com^ -||camtinolc.com^ -||carutinv.com^ -||chukalapopi.com^ -||chukalorqa.com^ -||ciridola.com^ -||civitik.com^ -||dagasaka.com^ -||daghashmal.com^ -||dbvault.net^ -||dinovala.com^ -||dodatova.com^ -||dokaboka.com^ -||dontibar.com^ -||dorapodorasham.com^ -||dragolosa.com^ -||drogomet.com^ -||dulderbulder.com^ -||durazopa.com^ -||egolina.com^ -||ekolamis.com^ -||erogaliv.com^ -||farfarida.com^ -||filtonay.com^ -||foditgoz.com^ -||forkitz.com^ -||forkizata.com^ -||forkmola.com^ -||fulhudhoo.com^ -||gamzetov.com^ -||godibarl.com^ -||golizoli.com^ -||golokavi.com^ -||haklopar.com^ -||hariqavi.com^ -||hirovivi.com^ -||horheloopo.com^ -||humuseliyahu.com^ -||jadizayo.com^ -||jandolav.com^ -||jerotidv.com^ -||jilabukurlabu.com^ -||jingavot.com^ -||jojilabola.com^ -||joribobo.com^ -||jorjodika.com^ -||jquerycdn.co.il^ -||jquerymin.co.il^ -||kaidop.com^ -||kalmloda.com^ -||kdoraraq.com^ -||kilomansa.com^ -||kilorama.com^ -||kirilaboola.com^ -||kofpag.com^ -||kokilopi.com^ -||kolimanq.com^ -||koltruah.com^ -||kompilukabalazooka.com^ -||korketople.com^ -||korkilazoopi.com^ -||krakeshlaja.com^ -||ktoloto.com^ -||kuchebraska.com^ -||kulkaridoopi.com^ -||kulkerbolda.com^ -||kulkulta.com^ -||kullalabulla.com^ -||kurkizraka.com^ -||kurlikburlik.com^ -||kuzalooza.com^ -||liktirov.com^ -||lokipodi.com^ -||lokspeedarma.com^ -||lulpolopolo.com^ -||majosita.com^ -||maokdata.com^ -||measurementaz.com^ -||megahrepsh.com^ -||melahorgani.com^ -||milparota.com^ -||mitotach.com^ -||mojigaga.com^ -||monijorb.com^ -||moninosa.com^ -||morbitempus.com^ -||moritava.com^ -||mozefakt.com^ -||mujilora.com^ -||muligov.com^ -||namitol.com^ -||nanuyalailai.com^ -||nepohita.com^ -||nidorivo.com^ -||niholaev.com^ -||niklesrov.com^ -||nimdinb.com^ -||nitigoly.com^ -||oddomane.com^ -||opaalopaa.com^ -||opjalajamak.com^ -||paholita.com^ -||perahbashmama.com^ -||pipilazipi.com^ -||pipilida.com^ -||pitatagata.com^ -||pompazilla.com^ -||poratav.com^ -||prikolizdesa.com^ -||pukrazopchatka.com^ -||pypozeqi.com^ -||qaquzakalaka.com^ -||qawiman.com^ -||qewisoti.com^ -||quavomi.com^ -||rapigoy.com^ -||rapizoda.com^ -||ratkalol.com^ -||reqpostanza.com^ -||rewapala.com^ -||rezilopompa.com^ -||ripalazc.com^ -||rodirola.com^ -||rolkakuksa.com^ -||roritabo.com^ -||rotibald.com^ -||scrappykoko.com^ -||senolati.com^ -||shmonekisot.com^ -||shokala.com^ -||shoxyloxi.com^ -||shulhanafuh.com^ -||susitasita.com^ -||tantella.com^ -||tenlokif.com^ -||tijorari.com^ -||tikodala.com^ -||tikrailijorj.com^ -||tilosman.com^ -||tinkerta.com^ -||tokaripupsi.com^ -||tollibolli.com^ -||totachrl.com^ -||trasholita.com^ -||trikroacha.com^ -||udorik.com^ -||ufraton.com^ -||ukatoe.com^ -||ulajilala.com^ -||unidati.com^ -||upnorma.com^ -||uralap.com^ -||utazwa.com^ -||utorido.com^ -||uzekrs.com^ -||uzotarak.com^ -||venonita.com^ -||vkafirac.com^ -||volimole.com^ -||wakapita.com^ -||wodipaca.com^ -||wodizapt.com^ -||xeozir.com^ -||yaboshadi.com^ -||yallboen.com^ -||yeshhaod.com^ -||yorilada.com^ -||yuituityula.com^ -||zarazazapolaza.com^ -||zepozipo.com^ -||zilzolachi.com^ -||zinovila.com^ -||zipovoma.com^ -||zirobata.com^ -||zogzogolla.com^ -||zonolali.com^ -||zorbikala.com^ -||zortinah.com^ -||zozolilla.com^ -||zukabota.com^ -! -||arana.pw^ -||beiren.xyz^ -||daecan.xyz^ -||daethana.pw^ -||elabalar.pw^ -||elmenor.xyz^ -||farpeiros.pw^ -||galiowen.com^ -||galumbor.com^ -||gilzana.pw^ -||glynzumin.pw^ -||grebanise.pw^ -||ianhice.pw^ -||ianxalim.pw^ -||iarvyre.pw^ -||ilinan.xyz^ -||inaharice.pw^ -||inastina.pw^ -||keaven.pw^ -||kelris.pw^ -||liacyne.pw^ -||miakalyn.pw^ -||miastina.pw^ -||miracan.pw^ -||naetoris.pw^ -||nornelis.pw^ -||ololen.pw^ -||omaceran.pw^ -||omafaren.pw^ -||omaris.pw^ -||perkas.pw^ -||ralozorwyn.pw^ -||sarjor.pw^ -||thefaren.pw^ -||thenelis.pw^ -||urifiel.pw^ -||valkrana.xyz^ -||wysara.pw^ -||yinmyar.xyz^ -||yllanala.pw^ -||yllasatra.xyz^ -||zinlar.pw^ -||zumhice.pw^ -! AdRam -||6zo8wfs96aqp5cpgj20m.com^$third-party -! runative.com -||14257518e297edf3d2a1.com^ -||301e5931499990.com^ -||459517eb349739b.com^ -||551f044b1a3f4ef.com^ -||55ad5a0546d9.com^ -||7d66a95c481.com^ -||8c32f38df7.com^ -||9b51b7efc6d2a.com^ -||a8a9455e53fbc75bc995.com^ -||ae7c783736eb2ff.com^ +! TrustPid/Utiq +||utiq-aws.net^ +||utiq.24auto.de^ +||utiq.24hamburg.de^ +||utiq.24rhein.de^ +||utiq.buzzfeed.de^ +||utiq.come-on.de^ +||utiq.einfach-tasty.de^ +||utiq.fnp.de^ +||utiq.fr.de^ +||utiq.hna.de^ +||utiq.ingame.de^ +||utiq.kreiszeitung.de^ +||utiq.merkur.de^ +||utiq.mopo.de^ +||utiq.op-online.de^ +||utiq.soester-anzeiger.de^ +||utiq.tz.de^ +||utiq.wa.de^ ! *** easylist:easylist/easylist_adservers_popup.txt *** -||0755.pics^$popup,third-party -||07zq44y2tmru.xyz^$popup -||11c9e55308a.com^$popup +||0265331.com^$popup +||07c225f3.online^$popup +||0a8d87mlbcac.top^$popup +||0byv9mgbn0.com^$popup ||11x11.com^$popup -||123vidz.com^$popup,third-party -||1afcfcb2c.ninja^$popup,third-party -||1phads.com^$popup,third-party -||1xtbw.top^$popup -||21find.com^$popup,third-party -||292news.biz^$popup -||2b8869dfc34690.com^$popup -||2hanwriten.com^$popup -||2mdn.info^$popup,third-party -||2pxg8bcf.top^$popup -||2rush.net^$popup -||30daychange.co^$popup,third-party -||321j1157ftjd.tech^$popup,third-party -||32d1d3b9c.se^$popup,third-party -||360adshost.net^$popup,third-party -||360adstrack.com^$popup,third-party -||3a5be2a583475ea31b.com^$popup -||3wr110.xyz^$popup,third-party -||43yagowe3y.com^$popup +||123-movies.bz^$popup +||123vidz.com^$popup +||172.255.103.171^$popup +||19turanosephantasia.com^$popup +||1betandgonow.com^$popup +||1firstofall1.com^$popup +||1jutu5nnx.com^$popup +||1phads.com^$popup +||1redirb.com^$popup +||1redirc.com^$popup +||1ts17.top^$popup +||1winpost.com^$popup +||1wtwaq.xyz^$popup +||1x001.com^$popup +||1xlite-016702.top^$popup +||1xlite-503779.top^$popup +||1xlite-522762.top^$popup +||22bettracking.online^$popup +||22media.world^$popup +||23.109.82.222^$popup +||24-sportnews.com^$popup +||2477april2024.com^$popup +||24affiliates.com^$popup +||24click.top^$popup +||24x7report.com^$popup +||26485.top^$popup +||2annalea.com^$popup +||2ltm627ho.com^$popup +||2qj7mq3w4uxe.com^$popup +||2smarttracker.com^$popup +||2track.info^$popup +||2vid.top^$popup +||367p.com^$popup +||3wr110.xyz^$popup ||4b6994dfa47cee4.com^$popup -||4c7og3qcob.com^$popup -||4dcdc.com^$popup -||4dsply.com^$popup,third-party -||5dimes.com^$popup,third-party -||5iclx7wa4q.com^$popup +||4dsply.com^$popup +||567bets10.com^$popup +||5dimes.com^$popup +||5mno3.com^$popup +||5vbs96dea.com^$popup +||6-partner.com^$popup ||6198399e4910e66-ovc.com^$popup -||6kup12tgxx.com^$popup -||72b8869dfc34690.com^$popup -||7f1au20glg.com^$popup -||7ggtpciw.com^$popup -||7v8rya73sj.com^$popup -||83nsdjqqo1cau183xz.com^$popup,third-party -||87159d7b62fc885.com^$popup -||888games.com^$popup,third-party -||888media.net^$popup,third-party -||888poker.com^$popup,third-party -||888promos.com^$popup,third-party -||9amq5z4y1y.com^$popup -||9newstoday.net^$popup,third-party +||7anfpatlo8lwmb.com^$popup +||7app.top^$popup +||7ca78m3csgbrid7ge.com^$popup +||888media.net^$popup +||888promos.com^$popup +||8stream-ai.com^$popup +||8wtkfxiss1o2.com^$popup +||900bets10.com^$popup +||905trk.com^$popup +||95urbehxy2dh.top^$popup +||9gg23.com^$popup +||9l3s3fnhl.com^$popup ||9t5.me^$popup -||aaucwbe.com^$popup -||abbeyblog.me^$popup,third-party -||abbp1.pw^$popup -||abctrack.bid^$popup -||ablogica.com^$popup,third-party -||absoluteclickscom.com^$popup,third-party -||accede.site^$popup,third-party -||accouncila.com^$popup +||a-ads.com^$popup +||a-waiting.com^$popup +||a23-trk.xyz^$popup +||a64x.com^$popup +||aagm.link^$popup +||abadit5rckb.com^$popup +||abdedenneer.com^$popup +||abiderestless.com^$popup +||ablecolony.com^$popup +||ablogica.com^$popup +||abmismagiusom.com^$popup +||aboveredirect.top^$popup +||absoluteroute.com^$popup +||abtrcker.com^$popup +||acacdn.com^$popup +||acam-2.com^$popup +||accecmtrk.com^$popup +||accesshomeinsurance.co^$popup +||accompanycollapse.com^$popup +||acdcdn.com^$popup +||acedirect.net^$popup +||achcdn.com^$popup +||aclktrkr.com^$popup +||acoudsoarom.com^$popup +||acrossheadquartersanchovy.com^$popup +||actio.systems^$popup ||actiondesk.com^$popup,third-party -||ad-apac.doubleclick.net^$popup,third-party -||ad-emea.doubleclick.net^$popup,third-party -||ad-feeds.com^$popup,third-party -||ad-maven.com^$popup,third-party -||ad.doubleclick.net/ddm/trackclk/$popup,third-party -||ad131m.com^$popup,third-party -||ad2387.com^$popup,third-party -||ad2load.net^$popup,third-party -||ad4game.com^$popup,third-party +||activate-game.com^$popup +||aculturerpa.info^$popup +||ad-adblock.com^$popup +||ad-addon.com^$popup +||ad-block-offer.com^$popup +||ad-free.info^$popup +||ad-guardian.com^$popup +||ad-maven.com^$popup +||ad.soicos.com^$popup +||ad4game.com^$popup ||ad6media.fr^$popup,third-party ||adbetclickin.pink^$popup -||adbma.com^$popup,third-party -||adboost.it^$popup,third-party -||adbooth.com^$popup,third-party +||adbison-redirect.com^$popup +||adblock-360.com^$popup +||adblock-guru.com^$popup +||adblock-offer-download.com^$popup +||adblock-one-protection.com^$popup +||adblock-zen-download.com^$popup +||adblock-zen.com^$popup +||adblocker-instant.xyz^$popup +||adblocker-sentinel.net^$popup +||adblockersentinel.com^$popup +||adblockstream.com^$popup +||adblockstrtape.link^$popup +||adblockstrtech.link^$popup +||adboost.it^$popup +||adbooth.com^$popup ||adca.st^$popup -||adcash.com^$popup,third-party -||adcdnx.com^$popup,third-party -||addmoredynamiclinkstocontent2convert.bid^$popup +||adcash.com^$popup +||adcdnx.com^$popup +||adcell.com^$popup +||adclickbyte.com^$popup +||addotnet.com^$popup +||adentifi.com^$popup ||adexc.net^$popup,third-party ||adexchangecloud.com^$popup ||adexchangegate.com^$popup ||adexchangeguru.com^$popup ||adexchangemachine.com^$popup -||adexchangeprediction.com^$popup,third-party -||adexchangetracker.com^$popup,third-party -||adfarm.mediaplex.com^$popup,third-party -||adfclick1.com^$popup,third-party +||adexchangeprediction.com^$popup +||adexchangetracker.com^$popup +||adexmedias.com^$popup +||adexprtz.com^$popup +||adfclick1.com^$popup +||adfgetlink.net^$popup +||adform.net^$popup +||adfpoint.com^$popup +||adfreewatch.info^$popup ||adglare.net^$popup ||adhealers.com^$popup ||adhoc2.net^$popup -||adhome.biz^$popup,third-party -||adimmix.com^$popup,third-party -||adimps.com^$popup,third-party -||aditor.com^$popup,third-party -||adjuggler.net^$popup,third-party -||adk2.co^$popup,third-party -||adk2.com^$popup,third-party -||adk2.net^$popup,third-party -||adk2x.com^$popup,third-party -||adlure.net^$popup,third-party -||admedit.net^$popup,third-party +||aditsafeweb.com^$popup +||adjoincomprise.com^$popup +||adjuggler.net^$popup +||adk2.co^$popup +||adk2.com^$popup +||adk2x.com^$popup +||adlogists.com^$popup +||adlserq.com^$popup +||adltserv.com^$popup +||adlure.net^$popup +||admachina.com^$popup +||admediatex.net^$popup +||admedit.net^$popup ||admeerkat.com^$popup +||admeking.com^$popup +||admeridianads.com^$popup +||admitad.com^$popup +||admjmp.com^$popup +||admobe.com^$popup +||admothreewallent.com$popup ||adnanny.com^$popup,third-party -||adnetworkperformance.com^$popup,third-party +||adnetworkperformance.com^$popup ||adnium.com^$popup,third-party -||adonweb.ru^$popup,third-party -||adplxmd.com^$popup,third-party +||adnotebook.com^$popup +||adnxs-simple.com^$popup +||adonweb.ru^$popup +||adop.co^$popup +||adplxmd.com^$popup +||adpointrtb.com^$popup +||adpool.bet^$popup ||adport.io^$popup +||adreactor.com^$popup +||adrealclick.com^$popup +||adrgyouguide.com^$popup ||adright.co^$popup -||adrotate.se^$popup,third-party -||adrunnr.com^$popup,third-party -||ads.sexier.com^$popup,third-party +||adro.pro^$popup +||adrunnr.com^$popup +||ads.sexier.com^$popup +||ads4trk.com^$popup +||adsb4trk.com^$popup +||adsblocker-ultra.com^$popup +||adsblockersentinel.info^$popup ||adsbreak.com^$popup -||adscpm.net^$popup,third-party -||adserverplus.com^$popup,third-party -||adservme.com^$popup,third-party -||adshell.net^$popup,third-party -||adshostnet.com^$popup,third-party -||adskpak.com^$popup,third-party -||adsmarket.com^$popup,third-party -||adsmedia.life^$popup -||adsplex.com^$popup,third-party -||adsrv4k.com^$popup,third-party -||adsupply.com^$popup,third-party -||adsupplyads.com^$popup,third-party +||adsbtrk.com^$popup +||adscdn.net^$popup +||adsco.re^$popup +||adserverplus.com^$popup +||adserving.unibet.com^$popup +||adshostnet.com^$popup +||adskeeper.co.uk^$popup +||adskeeper.com^$popup +||adskpak.com^$popup +||adsmarket.com^$popup +||adsplex.com^$popup +||adspredictiv.com^$popup +||adspyglass.com^$popup +||adsquash.info^$popup +||adsrv4k.com^$popup +||adstean.com^$popup +||adstik.click^$popup +||adstracker.info^$popup +||adstreampro.com^$popup +||adsupply.com^$popup +||adsupplyads.com^$popup ||adsupplyads.net^$popup -||adsurve.com^$popup,third-party +||adsurve.com^$popup ||adsvlad.info^$popup -||adtrace.org^$popup,third-party -||adtraffic.org^$popup,third-party +||adtelligent.com^$popup +||adtng.com^$popup +||adtrace.org^$popup +||adtraction.com^$popup +||aduld.click^$popup ||adult.xyz^$popup -||adverkeyz.com^$popup,third-party +||aduptaihafy.net^$popup +||advancedadblocker.pro^$popup +||adverdirect.com^$popup ||advertiserurl.com^$popup -||advertserve.com^$popup,third-party -||advmedialtd.com^$popup,third-party +||advertizmenttoyou.com^$popup +||advertserve.com^$popup +||adverttulimited.biz^$popup +||advmedialtd.com^$popup +||advmonie.com^$popup ||advnet.xyz^$popup -||adx-t.com^$popup,third-party -||adxprtz.com^$popup,third-party -||afclickoffers.com^$popup -||affbuzzads.com^$popup,third-party -||affrh2011.com^$popup,third-party -||affrh2012.com^$popup,third-party -||affrh2013.com^$popup,third-party -||affrh2014.com^$popup,third-party -||affrh2015.com^$popup,third-party -||affrh2016.com^$popup,third-party -||affrh2017.com^$popup,third-party -||affrh2018.com^$popup,third-party -||affrh2019.com^$popup,third-party -||affrh2020.com^$popup,third-party -||affrh2021.com^$popup,third-party -||affrh2022.com^$popup,third-party -||affrh2023.com^$popup,third-party -||affrh2024.com^$popup,third-party -||affrh2025.com^$popup,third-party -||aflrm.com^$popup,third-party -||aflrmalpha.com^$popup,third-party -||afriflatry.co^$popup,third-party -||aggregatorgetb.com^$popup,third-party -||aidaigry.com^$popup +||advotionhot.com^$popup +||adx-t.com^$popup +||adx.io^$popup,third-party +||adxpansion.com^$popup +||adxpartner.com^$popup +||adxprtz.com^$popup +||adzblockersentinel.net^$popup +||adzerk.net^$popup +||adzshield.info^$popup +||aeeg5idiuenbi7erger.com^$popup +||aeelookithdifyf.com^$popup +||afcpatrk.com^$popup +||aff-handler.com^$popup +||aff-track.net^$popup +||affabilitydisciple.com^$popup +||affbuzzads.com^$popup +||affcpatrk.com^$popup +||affectionatelypart.com^$popup +||affelseaeinera.org^$popup +||affflow.com^$popup +||affili.st^$popup +||affiliate-wg.com^$popup +||affiliateboutiquenetwork.com^$popup +||affiliatedrives.com^$popup +||affiliatestonybet.com^$popup +||affiliride.com^$popup +||affilirise.com^$popup +||affinity.net^$popup +||afflat3a1.com^$popup +||afflat3d2.com^$popup +||afflat3e1.com^$popup +||affluentshinymulticultural.com^$popup +||affmoneyy.com^$popup +||affpa.top^$popup +||affstreck.com^$popup +||afilliatetraff.com^$popup +||afodreet.net^$popup +||afre.guru^$popup +||afront.io^$popup +||aftrk1.com^$popup +||aftrk3.com^$popup +||agabreloomr.com^$popup +||agacelebir.com^$popup +||agalarvitaran.com^$popup +||agalumineonr.com^$popup +||agaue-vyz.com^$popup +||agl001.bid^$popup +||ahadsply.com^$popup +||ahbdsply.com^$popup +||ahscdn.com^$popup +||aigaithojo.com^$popup +||aigeno.com^$popup +||aikrighawaks.com^$popup +||ailrouno.net^$popup +||aimukreegee.net^$popup +||aitsatho.com^$popup ||aj1574.online^$popup -||ajkrls.com^$popup,third-party +||aj2627.bid^$popup +||ajkrls.com^$popup ||ajkzd9h.com^$popup -||albopa.work^$popup,third-party -||algocashmaster.com^$popup,third-party -||algocashmaster.net^$popup,third-party -||alkdmsxs.bid^$popup,third-party -||allsporttv.com^$popup,third-party -||alpinedrct.com^$popup,third-party -||alternads.info^$popup,third-party -||am10.ru^$popup,third-party -||angege.com^$popup,third-party -||annualinternetsurvey.com^$popup,third-party -||answered-questions.com^$popup,third-party -||aocular.com^$popup,third-party -||apendit.com^$popup,third-party -||approp.pro^$popup,third-party -||apugod.work^$popup,third-party -||ar.voicefive.com^$popup,third-party -||arecio.work^$popup,third-party -||arescadon.com^$popup -||asdad.xyz^$popup +||ajump2.com^$popup +||ajxx98.online^$popup +||akmxts.com^$popup +||akumeha.onelink.me^$popup +||akutapro.com^$popup +||alargeredrubygsw.info^$popup +||alarmsubjectiveanniversary.com^$popup +||alfa-track.info^$popup +||alfa-track2.site^$popup +||algg.site^$popup +||algocashmaster.com^$popup +||alibabatraffic.com^$popup +||alightbornbell.com^$popup +||alitems.co^$popup +||alitems.site^$popup +||alklinker.com^$popup +||alladvertisingdomclub.club^$popup +||alleviatepracticableaddicted.com^$popup +||allhypefeed.com^$popup +||allloveydovey.fun^$popup +||allow-to-continue.com^$popup +||allreqdusa.com^$popup +||allsportsflix.best^$popup +||allsportsflix.top^$popup +||allsporttv.com^$popup +||almightyexploitjumpy.com^$popup +||almstda.tv^$popup +||alpenridge.top^$popup +||alpheratzscheat.top^$popup +||alpine-vpn.com^$popup +||alpinedrct.com^$popup +||alreadyballetrenting.com^$popup +||alsolrocktor.com^$popup +||altairaquilae.top^$popup +||alternads.info^$popup +||alternativecpmgate.com^$popup +||alxbgo.com^$popup +||alxsite.com^$popup +||am10.ru^$popup +||am15.net^$popup +||amatrck.com^$popup +||ambiliarcarwin.com^$popup +||ambuizeler.com^$popup +||ambushharmlessalmost.com^$popup +||amelatrina.com^$popup +||amendsrecruitingperson.com^$popup +||amesgraduatel.xyz^$popup +||amira-efz.com^$popup +||ammankeyan.com^$popup +||amourethenwife.top^$popup +||amplayeranydwou.info^$popup +||amusementchillyforce.com^$popup +||anacampaign.com^$popup +||anadistil.com^$popup +||anamuel-careslie.com^$popup +||ancalfulpige.co.in^$popup +||anceenablesas.com^$popup +||andcomemunicateth.info^$popup +||angege.com^$popup +||animemeat.com^$popup +||ankdoier.com^$popup +||anmdr.link^$popup +||annual-gamers-choice.com^$popup +||annulmentequitycereals.com^$popup +||anopportunitytost.info^$popup +||answered-questions.com^$popup +||antaresarcturus.com^$popup +||antcixn.com^$popup +||antentgu.co.in^$popup +||anteog.com^$popup +||antivirussprotection.com^$popup +||antjgr.com^$popup +||anymoresentencevirgin.com^$popup +||apiecelee.com^$popup +||apologizingrigorousmorally.com^$popup +||aporasal.net^$popup +||appcloudvalue.com^$popup +||appoineditardwide.com^$popup +||appointeeivyspongy.com^$popup +||apprefaculty.pro^$popup +||appsget.monster^$popup +||appspeed.monster^$popup +||apptjmp.com^$popup +||appzery.com^$popup +||aquete.com^$popup +||arcost54ujkaphylosuvaursi.com^$popup +||ardoqxdinqucirei.info^$popup +||ardsklangr.com^$popup +||ardslediana.com^$popup +||ardssandshrewon.com^$popup +||arkdcz.com^$popup +||armedtidying.com^$popup +||arminius.io^$popup +||arrangementhang.com^$popup +||arrlnk.com^$popup +||articlepawn.com^$popup +||arwobaton.com^$popup +||asce.xyz^$popup +||ascertainedthetongs.com^$popup +||asdasdad.net^$popup +||asdfdr.cfd^$popup +||asgclickpp.com^$popup +||asgorebysschan.com^$popup +||ashoupsu.com^$popup +||asidefeetsergeant.com^$popup +||aslaironer.com^$popup +||aslaprason.com^$popup +||aslnk.link^$popup +||aso1.net^$popup +||asqconn.com^$popup +||astarboka.com^$popup +||astesnlyno.org^$popup +||astonishing-go.com^$popup +||astrokompas.com^$popup +||atala-apw.com^$popup ||atas.io^$popup -||atozdealinfo.com^$popup -||august15download.com^$popup,third-party -||auiviilbp2.com^$popup -||aussiemethod.biz^$popup,third-party -||avajo.men^$popup,third-party -||avalopaly.com^$popup,third-party -||awempire.com^$popup,third-party -||awsclic.com^$popup,third-party -||b54m4qbmt0b9.com^$popup -||babi.gdn^$popup,third-party -||bargetbook.com^$popup,third-party -||baypops.com^$popup,third-party -||bbballs.men^$popup -||bbp-vnh.com^$popup,third-party -||bbredir-ac-100.com^$popup,third-party -||bbuni.com^$popup,third-party -||bcvcmedia.com^$popup,third-party -||becomicse.com^$popup -||becoquin.com^$popup,third-party -||becoquins.net^$popup,third-party -||bedformj.com^$popup -||bedorm.com^$popup,third-party -||befade.com^$popup,third-party -||bekoted.work^$popup,third-party -||bellatraffic.com^$popup -||belwrite.com^$popup,third-party +||atcelebitor.com^$popup +||atentherel.org^$popup +||athletedurable.com^$popup +||atinsolutions.com^$popup +||ativesathyas.info^$popup +||atmtaoda.com^$popup +||atomicarot.com^$popup +||atpansagean.com^$popup +||attachedkneel.com^$popup +||attractbestbonuses.life^$popup +||atzekromchan.com^$popup +||aucoudsa.net^$popup +||audiblereflectionsenterprising.com^$popup +||audrte.com^$popup +||auesk.cfd^$popup +||auforau.com^$popup +||augailou.com^$popup +||augu3yhd485st.com^$popup +||augurersoilure.space^$popup +||august15download.com^$popup +||auneechuksee.net^$popup +||aungudie.com^$popup +||ausoafab.net^$popup +||austeemsa.com^$popup +||authognu.com^$popup +||autoperplexturban.com^$popup +||avocams.com^$popup +||avthelkp.net^$popup +||awasrqp.xyz^$popup +||awecrptjmp.com^$popup +||awejmp.com^$popup +||awempire.com^$popup +||awesome-blocker.com^$popup +||awptjmp.com^$popup +||awsclic.com^$popup +||azossaudu.com^$popup +||azqq.online^$popup +||b0oie4xjeb4ite.com^$popup +||b225.org^$popup +||b3z29k1uxb.com^$popup +||b7om8bdayac6at.com^$popup +||backseatrunners.com^$popup +||baect.com^$popup +||baghoglitu.net^$popup +||baipahanoop.net^$popup +||baitenthenaga.com^$popup +||baiweluy.com^$popup +||bakabok.com^$popup +||bakjaqa.net^$popup +||baldo-toj.com^$popup +||balldollars.com^$popup +||banquetunarmedgrater.com^$popup +||barrenusers.com^$popup +||baseauthenticity.co.in^$popup +||batheunits.com^$popup +||baypops.com^$popup +||bayshorline.com^$popup +||bbccn.org^$popup +||bbcrgate.com^$popup +||bbrdbr.com^$popup +||bbuni.com^$popup +||beamobserver.com^$popup +||becomeapartner.io^$popup +||becoquin.com^$popup +||becorsolaom.com^$popup +||befirstcdn.com^$popup +||beforeignunlig.com^$popup +||behavedforciblecashier.com^$popup +||behim.click^$popup +||bejirachir.com^$popup +||beklefkiom.com^$popup +||belavoplay.com^$popup +||believemefly.com^$popup +||bellatrixmeissa.com^$popup +||belovedset.com^$popup +||belwrite.com^$popup +||bemachopor.com^$popup +||bemadsonline.com^$popup +||bemobpath.com^$popup +||bemobtrcks.com^$popup ||bemobtrk.com^$popup -||bentdownload.com^$popup,third-party -||best-bar.net^$popup,third-party -||best-zb.com^$popup,third-party +||bend-me-over.com^$popup +||benoopto.com^$popup +||benumelan.com^$popup +||beonixom.com^$popup +||beparaspr.com^$popup +||berkshiretoday.xyz^$popup +||best-offer-for-you.com^$popup +||best-vpn-app.com^$popup ||best2017games.com^$popup -||bestarmour4u.work^$popup,third-party -||bestforexplmdb.com^$popup -||bestproducttesters.com^$popup,third-party -||bestquickcontentfiles.com^$popup -||betigo.work^$popup,third-party -||betoga.com^$popup,third-party -||bezoya.work^$popup,third-party -||bidsystem.com^$popup,third-party -||bidverdrd.com^$popup,third-party -||bidverdrs.com^$popup,third-party -||bidvertiser.com^$popup,third-party -||bighot.ru^$popup,third-party -||binaryoptionsgame.com^$popup,third-party -||bingohall.ag^$popup,third-party -||bit-system.org^$popup +||best4fuck.com^$popup +||bestadsforyou.com^$popup +||bestbonusprize.life^$popup +||bestchainconnection.com^$popup +||bestcleaner.online^$popup +||bestclevercaptcha.top^$popup +||bestclicktitle.com^$popup +||bestcontentaccess.top^$popup +||bestcontentfood.top^$popup +||bestconvertor.club^$popup +||bestgames-2022.com^$popup +||bestgirls4fuck.com^$popup +||bestmoviesflix.xyz^$popup +||bestonlinecasino.club^$popup +||bestplaceforall.com^$popup +||bestprizerhere.life^$popup +||bestproducttesters.com^$popup +||bestreceived.com^$popup +||bestrevenuenetwork.com^$popup +||betforakiea.com^$popup +||betoga.com^$popup +||betotodilea.com^$popup +||betpupitarr.com^$popup +||betshucklean.com^$popup +||bettentacruela.com^$popup +||betteradsystem.com^$popup +||betterdomino.com^$popup +||bettraff.com^$popup +||bewathis.com^$popup +||bewhechaichi.net^$popup +||beyourxfriend.com^$popup +||bhlom.com^$popup +||bid-engine.com^$popup +||bidverdrd.com^$popup +||bidverdrs.com^$popup +||bidvertiser.com^$popup +||bigbasketshop.com^$popup +||bigeagle.biz^$popup +||bigelowcleaning.com^$popup +||bilqi-omv.com^$popup +||bimbim.com^$popup +||binaryborrowedorganized.com^$popup +||binaryoptionsgame.com^$popup +||bincatracs.com^$popup +||bingohall.ag^$popup +||binomlink.com^$popup +||binomnet.com^$popup +||binomnet3.com^$popup +||binomtrcks.site^$popup +||biphic.com^$popup +||biserka.xyz^$popup ||bitadexchange.com^$popup -||bitcoinloophole.co^$popup -||blacktrackings.com^$popup -||blinko.es^$popup,third-party -||blinkogold.es^$popup,third-party -||blizardom.com^$popup -||blockthis.es^$popup,third-party -||blogscash.info^$popup,third-party -||bobtrk.com^$popup +||bitdefender.top^$popup +||bitsspiral.com^$popup +||bitterstrawberry.com^$popup +||biturl.co^$popup +||bitzv.com^$popup +||biwipuque.com^$popup +||blackandwhite-temporary.com^$popup +||blacklinknow.com^$popup +||blacklinknowss.co^$popup +||blacknesskeepplan.com^$popup +||blancoshrimp.com^$popup +||blarnyzizzles.shop^$popup +||blcdog.com^$popup +||bleandworldw.org^$popup +||blehcourt.com^$popup +||block-ad.com^$popup +||blockadsnot.com^$popup +||blockchaintop.nl^$popup +||blogoman-24.com^$popup +||blogostock.com^$popup +||blubberspoiled.com^$popup +||blueistheneworanges.com^$popup +||bluelinknow.com^$popup +||blueparrot.media^$popup +||blurbreimbursetrombone.com^$popup +||blushmossy.com^$popup +||blzz.xyz^$popup +||bmjidc.xyz^$popup +||bmtmicro.com^$popup +||bngpt.com^$popup +||bngtrak.com^$popup +||boastwelfare.com^$popup +||bobabillydirect.org^$popup +||bobgames-prolister.com^$popup +||bodelen.com^$popup +||bodrumshuttle.net^$popup +||boloptrex.com^$popup +||bonafides.club^$popup ||bongacams.com^$popup,third-party -||bonzuna.com^$popup,third-party -||boteko.work^$popup,third-party -||brandreachsys.com^$popup,third-party +||bongacams10.com^$popup +||bonus-app.net^$popup +||bonzuna.com^$popup +||bookmakers.click^$popup +||booster-vax.com^$popup +||boskodating.com^$popup +||bot-checker.com^$popup +||bouhoagy.net^$popup +||bounceads.net^$popup +||boustahe.com^$popup +||bousyapinoid.top^$popup +||boxernightdilution.com^$popup +||boxlivegarden.com^$popup +||brandreachsys.com^$popup ||bravo-dog.com^$popup -||bringmesports.com^$popup,third-party -||broomboxmain.com^$popup,third-party -||brucelead.com^$popup,third-party -||bullads.net^$popup,third-party -||buythis.ad^$popup,third-party +||breadthneedle.com^$popup +||breechesbottomelf.com^$popup +||brenn-wck.com^$popup +||brieflizard.com^$popup +||brightadnetwork.com^$popup +||bringmesports.com^$popup +||britishinquisitive.com^$popup +||brllllantsdates.com^$popup +||bro4.biz^$popup +||broadensilkslush.com^$popup +||broforyou.me^$popup +||brokennails.org^$popup +||browse-boost.com^$popup +||browsekeeper.com^$popup +||brucelead.com^$popup +||brutishlylifevoicing.com^$popup +||btpnav.com^$popup +||buikolered.com^$popup +||bukusukses.com^$popup +||bullads.net^$popup +||bullfeeding.com^$popup +||bulochka.xyz^$popup +||bungalowsimply.com^$popup +||bunintruder.com^$popup +||bunth.net^$popup +||buqkrzbrucz.com^$popup +||bursa33.xyz^$popup +||bursultry-exprights.com^$popup +||busterry.com^$popup +||buxbaumiaceae.sbs^$popup +||buy404s.com^$popup +||buyadvupfor24.com^$popup +||buyeasy.by^$popup +||buythetool.co^$popup +||buyvisblog.com^$popup ||buzzadnetwork.com^$popup +||buzzonclick.com^$popup +||bvmbnr.xyz^$popup +||bwredir.com^$popup +||bxsk.site^$popup ||byvngx98ssphwzkrrtsjhnbyz5zss81dxygxvlqd05.com^$popup -||byvue.com^$popup,third-party -||bzrvwbsh5o.com^$popup,third-party -||c7d470df880b1d0.com^$popup -||calcch.com^$popup,third-party -||callhelpmetaroll.rocks^$popup,third-party +||byvue.com^$popup +||c0me-get-s0me.net^$popup +||c0nect.com^$popup +||c43a3cd8f99413891.com^$popup +||cabbagereporterpayroll.com^$popup +||cadlsyndicate.com^$popup +||caeli-rns.com^$popup +||cagothie.net^$popup +||calltome.net^$popup +||callyourinformer.com^$popup +||calvali.com^$popup +||camptrck.com^$popup +||cams.com/go/$popup +||camscaps.net^$popup +||candyoffers.com^$popup +||candyprotected.com^$popup +||canopusacrux.com^$popup +||captivatepestilentstormy.com^$popup ||careerjournalonline.com^$popup -||carvarial.pro^$popup -||casino.betsson.com^$popup,third-party -||casterist.com^$popup -||cbbp1.com^$popup -||ccebba93.se^$popup,third-party -||cdnmedia.xyz^$popup -||ceeglagu.net^$popup -||cfts1tifqr.com^$popup -||chachatool.com^$popup -||channeldate.com^$popup -||checkabil.com^$popup -||chupapo.ru^$popup,third-party -||cl96rwprue.com^$popup -||click2go.link^$popup -||clickbank.net/*offer_id=$popup,third-party -||clickfuse.com^$popup,third-party -||clickmngr.com^$popup,third-party -||clickosmedia.com^$popup,third-party +||casefyparamos.com^$popup +||casino.betsson.com^$popup +||casiyouaffiliates.com^$popup +||casumoaffiliates.com^$popup +||catchtheclick.com^$popup +||catsnbootsncats2020.com^$popup +||catukhyistke.info^$popup +||caulisnombles.top^$popup +||cauthaushoas.com^$popup +||cautionpursued.com^$popup +||cavecoat.top^$popup +||cbdedibles.site^$popup +||cbdzone.online^$popup +||cddtsecure.com^$popup +||cdn4ads.com^$popup +||cdnativepush.com^$popup +||cdnondemand.org^$popup +||cdnquality.com^$popup +||cdntechone.com^$popup +||cdrvrs.com^$popup +||ceethipt.com^$popup +||celeb-trends-gossip.com^$popup +||celeritascdn.com^$popup +||certaintyurnincur.com^$popup +||cgeckmydirect.biz^$popup +||chaeffulace.com^$popup +||chaintopdom.nl^$popup +||chaunsoops.net^$popup +||cheap-jewelry-online.com^$popup +||check-out-this.site^$popup +||check-tl-ver-12-3.com^$popup +||checkcdn.net^$popup +||checkluvesite.site^$popup +||cheerfullybakery.com^$popup +||cherrytv.media^$popup +||chetchoa.com^$popup +||chicks4date.com^$popup +||chiglees.com^$popup +||childishenough.com^$popup +||chirtooxsurvey.top^$popup +||chl7rysobc3ol6xla.com^$popup +||choathaugla.net^$popup +||choiceencounterjackson.com^$popup +||choogeet.net^$popup +||chooxaur.com^$popup +||choseing.com^$popup +||choto.xyz^$popup +||choudairtu.net^$popup +||chouthep.net^$popup +||chpadblock.com^$popup +||chrantary-vocking.com^$popup +||chrisrespectivelynostrils.com^$popup +||chrysostrck.com^$popup +||chultoux.com^$popup +||cigaretteintervals.com^$popup +||cimeterbren.top^$popup +||cipledecline.buzz^$popup +||civadsoo.net^$popup +||civilizationthose.com^$popup +||ciwhacheho.pro^$popup +||cjewz.com^$popup +||ckre.net^$popup +||clbanners16.com^$popup +||clbjmp.com^$popup +||clcktrck.com^$popup +||cld5r.com^$popup +||clean-1-clean.club^$popup +||clean-blocker.com^$popup +||clean-browsing.com^$popup +||cleanmypc.click^$popup +||cleantrafficrotate.com^$popup +||cleavepreoccupation.com^$popup +||cleftmeter.com^$popup +||clentrk.com^$popup +||clerkrevokesmiling.com^$popup +||click-cdn.com^$popup +||clickadsource.com^$popup +||clickalinks.xyz^$popup +||clickbank.net/*offer_id=$popup +||clickdaly.com^$popup +||clickfilter.co^$popup +||clickfuse.com^$popup +||clickmetertracking.com^$popup +||clickmobad.net^$popup ||clickppcbuzz.com^$popup -||clickredirection.com^$popup -||clicksgear.com^$popup,third-party -||clicksor.com^$popup,third-party -||clicksor.net^$popup,third-party -||clicksvenue.com^$popup,third-party -||clickter.net^$popup,third-party -||clicktripz.com^$popup,third-party -||clk-can.com^$popup -||clk-sec.com^$popup -||clkads.com^$popup,third-party -||clkcln.com^$popup,third-party -||clkfeed.com^$popup,third-party -||clkmon.com^$popup,third-party -||clkpback3.com^$popup,third-party -||clkrev.com^$popup,third-party -||cloudservepoint.com^$popup,third-party -||cloudsrvtrk.com^$popup,third-party -||cloudtracked.com^$popup,third-party -||clpremdo.com^$popup,third-party -||cm.g.doubleclick.net^$popup,third-party -||cmllk2.info^$popup,third-party +||clickprotects.com^$popup +||clickpupbit.com^$popup +||clicks4tc.com^$popup +||clicksgear.com^$popup +||clicksor.com^$popup +||clicksor.net^$popup +||clicktripz.com^$popup +||clicktrixredirects.com^$popup +||clicktroute.com^$popup +||clickwork7secure.com^$popup +||clictrck.com^$popup +||cliffaffectionateowners.com^$popup +||clixcrafts.com^$popup +||clkads.com^$popup +||clkfeed.com^$popup +||clkmon.com^$popup +||clkpback3.com^$popup +||clkrev.com^$popup +||clobberprocurertightwad.com^$popup +||clodsplit.com^$popup +||closeupclear.top^$popup +||cloudpsh.top^$popup +||cloudtrack-camp.com^$popup +||cloudtraff.com^$popup +||cloudvideosa.com^$popup +||clumsyshare.com^$popup +||clunen.com^$popup +||clunkyentirelinked.com^$popup +||cm-trk2.com^$popup +||cmpgns.net^$popup +||cms100.xyz^$popup +||cmtrkg.com^$popup +||cn846.com^$popup +||cngcpy.com^$popup +||co5457chu.com^$popup +||code4us.com^$popup +||codedexchange.com^$popup ||codeonclick.com^$popup -||colleable.info^$popup -||com-878979.info^$popup,third-party -||com-online.website^$popup,third-party +||coefficienttolerategravel.com^$popup +||coffee2play.com^$popup +||cogentpatientmama.com^$popup +||cognitionmesmerize.com^$popup +||cokepompositycrest.com^$popup +||coldflownews.com^$popup +||colleem.com^$popup +||colmcweb.com^$popup +||colonistnobilityheroic.com^$popup +||colossalanswer.com^$popup ||com-wkejf32ljd23409system.net^$popup -||computersoftwarelive.com^$popup,third-party -||console-domain.link^$popup,third-party -||consolepprofile.com^$popup,third-party -||content-offer-app.site^$popup,third-party -||content.ad^$popup,third-party +||combineencouragingutmost.com^$popup +||come-get-s0me.com^$popup +||come-get-s0me.net^$popup +||comemumu.info^$popup +||comfortablepossibilitycarlos.com^$popup +||commodityallengage.com^$popup +||compassionaterough.pro^$popup +||concealmentmimic.com^$popup +||concedederaserskyline.com^$popup +||concentrationmajesticshoot.com^$popup +||concord.systems^$popup +||condles-temark.com^$popup +||condolencessumcomics.com^$popup +||conetizable.com^$popup +||connexity.net^$popup +||conqueredallrightswell.com^$popup +||consmo.net^$popup +||constructbrought.com^$popup +||constructpreachystopper.com^$popup +||content-loader.com^$popup ||contentabc.com^$popup,third-party -||contractallsinstance.info^$popup,third-party -||coostuni.com^$popup -||cositin.com^$popup,third-party -||cpayard.com^$popup,third-party +||contentcrocodile.com^$popup +||continue-installing.com^$popup +||convenientcertificate.com^$popup +||convertmb.com^$popup +||coogauwoupto.com^$popup +||cooljony.com^$popup +||cooloffer.cfd^$popup +||coolserving.com^$popup +||cooperativechuckledhunter.com^$popup +||coosync.com^$popup +||copemorethem.live^$popup +||cophypserous.com^$popup +||coppercranberrylamp.com^$popup +||copperyungka.top^$popup +||cor8ni3shwerex.com^$popup +||cordinghology.info^$popup +||correlationcocktailinevitably.com^$popup +||correry.com^$popup +||coticoffee.com^$popup +||countertrck.com^$popup +||courageousdiedbow.com^$popup +||covertcourse.com^$popup +||cpacrack.com^$popup +||cpalabtracking.com^$popup +||cpaoffers.network^$popup +||cpasbien.cloud^$popup +||cpayard.com^$popup ||cpm20.com^$popup -||cpm30.com^$popup -||cpmterra.com^$popup,third-party -||cpvadvertise.com^$popup,third-party -||crazyad.net^$popup,third-party -||cutw.pro^$popup,third-party -||cyberlink.pro^$popup,third-party +||cpmclktrk.online^$popup +||cpmterra.com^$popup +||cpvadvertise.com^$popup +||cpvlabtrk.online^$popup +||cpxdeliv.com^$popup +||cr-brands.net^$popup +||crambidnonutilitybayadeer.com^$popup +||crazefiles.com^$popup +||crazyad.net^$popup +||crbbgate.com^$popup +||crbck.link^$popup +||crdefault.link^$popup +||crdefault1.com^$popup +||creaseinprofitst.com^$popup +||cretgate.com^$popup +||crevicedepressingpumpkin.com^$popup +||crisp-freedom.com^$popup +||crjpgate.com^$popup +||crjpingate.com^$popup +||crjugate.com^$popup +||crockuncomfortable.com^$popup +||crt.livejasmin.com^$popup +||cryorganichash.com^$popup +||crystal-blocker.com^$popup +||css-load.com^$popup +||ctosrd.com^$popup +||ctrdwm.com^$popup +||cubiclerunner.com^$popup +||cuddlethehyena.com^$popup +||cudgeletc.com^$popup +||cuevastrck.com^$popup +||cullemple-motline.com^$popup +||curvyalpaca.cc^$popup +||cuteab.com^$popup +||cvastico.com^$popup +||cwn0drtrk.com^$popup +||cyan92010.com^$popup +||cyber-guard.me^$popup +||cyberlink.pro^$popup +||cybkit.com^$popup +||czh5aa.xyz^$popup +||dadsats.com^$popup ||dagnar.com^$popup -||day-multi.work^$popup,third-party -||debrium-surbara.com^$popup -||deliverydom.com^$popup,third-party +||daichoho.com^$popup +||dailyc24.com^$popup +||dailychronicles2.xyz^$popup +||daizoode.com^$popup +||dakjddjerdrct.online^$popup +||dalyio.com^$popup +||dalymix.com^$popup +||dalysb.com^$popup +||dalysh.com^$popup +||dalysv.com^$popup +||dark-reader.com^$popup +||data-px.services^$popup +||datatechdrift.com^$popup +||datatechone.com^$popup +||date-4-fuck.com^$popup +||date-till-late.us^$popup +||date2024.com^$popup +||date4sex.pro^$popup +||datedate.today^$popup +||dateguys.online^$popup +||datessuppressed.com^$popup +||datewhisper.life^$popup +||datherap.xyz^$popup +||datingkoen.site^$popup +||datingstyle.top^$popup +||datingtoday.top^$popup +||datingtorrid.top^$popup +||daughterinlawrib.com^$popup +||dawirax.com^$popup +||dc-feed.com^$popup +||dc-rotator.com^$popup +||ddbhm.pro^$popup +||dddomainccc.com^$popup +||debaucky.com^$popup +||decencyjessiebloom.com^$popup +||deckedsi.com^$popup +||dedating.online^$popup +||dedispot.com^$popup +||deebcards-themier.com^$popup +||deeperhundredpassion.com^$popup +||deephicy.net^$popup +||deepsaifaide.net^$popup +||defas.site^$popup +||defenseneckpresent.com^$popup +||deghooda.net^$popup +||deleterasks.digital^$popup +||delfsrld.click^$popup +||deline-sunction.com^$popup +||deliverydom.com^$popup ||deloplen.com^$popup ||deloton.com^$popup -||delta-boa.com^$popup,third-party -||denza.pro^$popup,third-party -||develop-forevery4u.com^$popup,third-party +||demowebcode.online^$popup +||dendrito.name^$popup +||denza.pro^$popup +||depirsmandk5.com^$popup +||derevya2sh8ka09.com^$popup +||desertsutilizetopless.com^$popup +||designsrivetfoolish.com^$popup +||deskfrontfreely.com^$popup +||detectedadvancevisiting.com^$popup +||detentionquasipairs.com^$popup +||devilnonamaze.com^$popup +||dexpredict.com^$popup +||dfvlaoi.com^$popup +||dfyui8r5rs.click^$popup +||di7stero.com^$popup +||diagramjawlineunhappy.com^$popup +||dictatepantry.com^$popup +||diffusedpassionquaking.com^$popup +||difice-milton.com^$popup ||digitaldsp.com^$popup -||dinuclean.com^$popup,third-party +||dilruwha.net^$popup +||dinerbreathtaking.com^$popup +||dipusdream.com^$popup +||directcpmfwr.com^$popup +||directdexchange.com^$popup ||directrev.com^$popup -||discoverredirect.com^$popup -||disfablot.com^$popup -||distantnews.com^$popup,third-party -||distantstat.com^$popup,third-party -||disturbqualifyplane.info^$popup,third-party -||dnckawxatc.com^$popup -||dntrax.com^$popup,third-party -||dntrx.com^$popup,third-party -||dojerena.com^$popup,third-party -||doublepimp.com^$popup,third-party -||down1oads.com^$popup,third-party -||download-performance.com^$popup,third-party -||downloadboutique.com^$popup,third-party -||downloadthesefile.com^$popup,third-party -||dradvice.in^$popup,third-party -||durokuro.com^$popup,third-party -||dynsrvaba.com^$popup -||dynsrvazf.com^$popup +||directtrck.com^$popup +||disdainsneeze.com^$popup +||dispatchfeed.com^$popup +||displayvertising.com^$popup +||distantnews.com^$popup +||distressedsoultabloid.com^$popup +||distributionland.website^$popup +||divergeimperfect.com^$popup +||divertbywordinjustice.com^$popup +||divorceseed.com^$popup +||djfiln.com^$popup +||dl-protect.net^$popup +||dlmate15.online^$popup +||dlstngulshedates.net^$popup +||dmeukeuktyoue.info^$popup +||dmiredindeed.com^$popup +||dmzjmp.com^$popup +||doaipomer.com^$popup +||doct-umb.org^$popup +||doctorpost.net^$popup +||dolatiaschan.com^$popup +||dolohen.com^$popup +||dompeterapp.com^$popup +||donecperficiam.net^$popup +||donkstar1.online^$popup +||donkstar2.online^$popup +||dooloust.net^$popup +||doostozoa.net^$popup +||dopaleads.com^$popup +||dopansearor.com^$popup +||dope.autos^$popup +||doruffleton.com^$popup +||doruffletr.com^$popup +||doscarredwi.org^$popup +||dosliggooor.com^$popup +||dotchaudou.com^$popup +||dotyruntchan.com^$popup +||doubleadserve.com^$popup +||doubleclick.net^$popup +||doublepimp.com^$popup +||douglasjamestraining.com^$popup +||down-paradise.com^$popup +||down1oads.com^$popup +||download-adblock-zen.com^$popup +||download-file.org^$popup +||download-performance.com^$popup +||download-privacybear.com^$popup +||downloadboutique.com^$popup +||downloading-extension.com^$popup +||downloadoffice2010.org^$popup +||downloadthesefile.com^$popup +||downlon.com^$popup +||dradvice.in^$popup +||dragfault.com^$popup +||dragnag.com^$popup +||drawerenter.com^$popup +||drawingsingmexican.com^$popup +||drctcldfe.com^$popup +||drctcldfefwr.com^$popup +||drctcldff.com^$popup +||drctcldfffwr.com^$popup +||dreamteamaffiliates.com^$popup +||drearypassport.com^$popup +||dressingdedicatedmeeting.com^$popup +||dribbleads.com^$popup +||droppalpateraft.com^$popup +||drsmediaexchange.com^$popup +||drumskilxoa.click^$popup +||dsp.wtf^$popup +||dsp5stero.com^$popup +||dspultra.com^$popup +||dsstrk.com^$popup +||dstimaariraconians.info^$popup +||dsxwcas.com^$popup +||dtssrv.com^$popup +||dtx.click^$popup +||dubzenom.com^$popup +||ducubchooa.com^$popup +||dugothitachan.com^$popup +||dukingdraon.com^$popup +||dukirliaon.com^$popup +||dulativergs.com^$popup +||dustratebilate.com^$popup +||dutydynamo.co^$popup +||dwightadjoining.com^$popup +||dxtv1.com^$popup +||dynsrvtbg.com^$popup ||dynsrvwer.com^$popup -||eaoueopa.com^$popup -||eastbour.mobi^$popup -||easydownloadnow.com^$popup,third-party -||easykits.org^$popup,third-party -||ebeda.info^$popup -||ebzkswbs78.com^$popup,third-party -||ecdoz.club^$popup,third-party -||econsideepofle.info^$popup +||dyptanaza.com^$popup +||dzhjmp.com^$popup +||dzienkudrow.com^$popup +||eabids.com^$popup +||eacdn.com^$popup +||ealeo.com^$popup +||eanddescri.com^$popup +||earandmarketing.com^$popup +||earlinessone.xyz^$popup +||eas696r.xyz^$popup +||easelegbike.com^$popup +||eastfeukufu.info^$popup +||eastfeukufunde.com^$popup +||eastrk-dn.com^$popup +||easyads28.mobi^$popup +||easyfrag.org^$popup +||easykits.org^$popup +||easymrkt.com^$popup +||easysearch.click^$popup +||eatasesetitoefa.info^$popup +||eavesofefinegoldf.info^$popup +||eclkmpsa.com^$popup +||econsistentlyplea.com^$popup +||ecrwqu.com^$popup +||ecusemis.com^$popup +||edalloverwiththinl.info^$popup ||edchargina.pro^$popup +||editneed.com^$popup +||edonhisdhi.com^$popup +||edpl9v.pro^$popup +||edstrastconversity.org^$popup +||edttmar.com^$popup +||eeco.xyz^$popup +||eegeeglou.com^$popup +||eehuzaih.com^$popup +||eergortu.net^$popup +||eessoong.com^$popup +||eetognauy.net^$popup +||effectivecpmcontent.com^$popup +||effectiveperformancenetwork.com^$popup +||egazedatthe.xyz^$popup +||egmyz.com^$popup +||egraglauvoathog.com^$popup +||egretswamper.com^$popup +||eh0ag0-rtbix.top^$popup +||eighteenderived.com^$popup +||eiteribesshaints.com^$popup +||ejuiashsateampl.info^$popup ||elephant-ads.com^$popup -||elite-sex-finder.com^$popup,third-party -||enlarget.com^$popup,third-party -||epicgameads.com^$popup,third-party -||epital.gdn^$popup -||epix-trader.co^$popup -||eroanalysis.com^$popup,third-party -||ethfw0370q.com^$popup -||euromillionairesystem.me^$popup,third-party -||ewebse.com^$popup,third-party -||exdoller.com^$popup -||exdynsrv.com^$popup,third-party -||exoclick.com^$popup,third-party +||eliwitensirg.net^$popup +||elizathings.com^$popup +||elsewherebuckle.com^$popup +||emeraldhecticteapot.com^$popup +||emonito.xyz^$popup +||emotot.xyz^$popup +||emumuendaku.info^$popup +||endlessloveonline.online^$popup +||endorico.com^$popup +||endymehnth.info^$popup +||eneverals.biz^$popup +||engagementdepressingseem.com^$popup +||engardemuang.top^$popup +||enlightencentury.com^$popup +||enloweb.com^$popup +||enoneahbu.com^$popup +||enoneahbut.org^$popup +||entainpartners.com^$popup,third-party +||entjgcr.com^$popup +||entry-system.xyz^$popup +||entterto.com^$popup +||eofst.com^$popup +||eonsmedia.com^$popup +||eontappetito.com^$popup +||eoveukrnme.info^$popup +||epicgameads.com^$popup +||eptougry.net^$popup +||era67hfo92w.com^$popup +||erdecisesgeorg.info^$popup +||errumoso.xyz^$popup +||escortlist.pro^$popup +||eshkol.io^$popup +||eshkol.one^$popup +||eskimi.com^$popup +||eslp34af.click^$popup +||estimatedrick.com^$popup +||esumedadele.info^$popup +||ethicalpastime.com^$popup +||ettilt.com^$popup +||eu5qwt3o.beauty^$popup +||eucli-czt.com^$popup +||eudstudio.com^$popup +||eulal-cnr.com^$popup +||eumarkdepot.com^$popup +||evaporateahead.com^$popup +||eventfulknights.com^$popup +||eventsbands.com^$popup +||eventucker.com^$popup +||ever8trk.com^$popup +||ewesmedia.com^$popup +||ewhareey.com^$popup +||ewogloarge.com^$popup +||exaltationinsufficientintentional.com^$popup +||excellingvista.com^$popup +||exclkplat.com^$popup +||exclplatmain.com^$popup +||exclusivesearch.online^$popup +||excretekings.com^$popup +||exdynsrv.com^$popup +||exhaustfirstlytearing.com^$popup +||exhauststreak.com^$popup +||existenceassociationvoice.com^$popup +||exnesstrack.com^$popup +||exoads.click^$popup +||exoclick.com^$popup ||exosrv.com^$popup -||explainidentifycoding.info^$popup,third-party +||expdirclk.com^$popup +||experimentalconcerningsuck.com^$popup ||explorads.com^$popup,third-party -||ezdownloadpro.info^$popup,third-party -||f-hookups.com^$popup,third-party -||f-questionnaire.com^$popup,third-party -||f5v1x3kgv5.com^$popup -||fabolele.com^$popup,third-party -||fabriefly.mobi^$popup +||explore-site.com^$popup +||expmediadirect.com^$popup +||exporder-patuility.com^$popup +||exrtbsrv.com^$popup +||extension-ad.com^$popup +||extension-install.com^$popup +||extensions-media.com^$popup +||extensionworthwhile.com^$popup +||externalfavlink.com^$popup +||extractdissolve.com^$popup +||extractionatticpillowcase.com^$popup +||exxaygm.com^$popup +||eyauknalyticafra.info^$popup +||eyewondermedia.com^$popup +||ezadblocker.com^$popup +||ezblockerdownload.com^$popup +||ezcgojaamg.com^$popup +||ezdownloadpro.info^$popup +||ezmob.com^$popup +||ezyenrwcmo.com^$popup +||facilitatevoluntarily.com^$popup +||fackeyess.com^$popup +||fadssystems.com^$popup +||fadszone.com^$popup +||failingaroused.com^$popup +||faireegli.net^$popup +||faiverty-station.com^$popup +||familyborn.com^$popup ||fapmeth.com^$popup -||fapping.club^$popup,third-party -||feybu.work^$popup,third-party -||fhserve.com^$popup,third-party -||fibriumpa.com^$popup -||fidel.to^$popup,third-party -||fieldpprofile.com^$popup,third-party +||fapping.club^$popup +||fardasub.xyz^$popup +||fast-redirecting.com^$popup +||fastdlr.com^$popup +||fastdntrk.com^$popup +||fastincognitomode.com^$popup +||fastlnd.com^$popup +||fbmedia-bls.com^$popup +||fbmedia-ckl.com^$popup +||fdelphaswcealifornica.com^$popup +||feed-xml.com^$popup +||feedfinder23.info^$popup +||feedyourheadmag.com^$popup +||feelsoftgood.info^$popup +||feignthat.com^$popup +||felingual.com^$popup +||felipby.live^$popup +||femvxitrquzretxzdq.info^$popup +||fenacheaverage.com^$popup +||fer2oxheou4nd.com^$popup +||ferelatedmothes.com^$popup +||feuageepitoke.com^$popup +||fewrfie.com^$popup +||fhserve.com^$popup +||fiinnancesur.com^$popup ||filestube.com^$popup,third-party -||finance-reporting.org^$popup,third-party -||fincastavancessetti.info^$popup,third-party -||findbetterresults.com^$popup,third-party -||findonlinesurveysforcash.com^$popup,third-party -||firefoxprotect.me^$popup -||firegetbook.com^$popup,third-party -||firmprotectedlinked.com^$popup,third-party -||firstclass-download.com^$popup,third-party -||firstmediahub.com^$popup,third-party -||flmditew.com^$popup -||fluxybe.work^$popup,third-party -||fmdwbsfxf0.com^$popup,third-party -||focuusing.com^$popup -||follofop.com^$popup -||fonderreader.info^$popup -||fophaumpoor.com^$popup -||foxsnews.net^$popup,third-party +||fillingimpregnable.com^$popup +||finalice.net^$popup +||finance-hot-news.com^$popup +||finanvideos.com^$popup +||findanonymous.com^$popup +||findbetterresults.com^$popup +||findslofty.com^$popup +||finreporter.net^$popup +||firstclass-download.com^$popup +||fitcenterz.com^$popup +||fitsazx.xyz^$popup +||fittingcentermonday.com^$popup +||fittingcentermondaysunday.com^$popup +||fivb-downloads.org^$popup +||fivetrafficroads.com^$popup +||fixespreoccupation.com^$popup +||flairadscpc.com^$popup +||flamebeard.top^$popup +||flingforyou.com^$popup +||floatingbile.com^$popup +||flowerdicks.com^$popup +||flowln.com^$popup +||flrdra.com^$popup +||flushedheartedcollect.com^$popup +||flyingadvert.com^$popup +||fodsoack.com^$popup +||fontdeterminer.com^$popup +||foothoaglous.com^$popup +||for-j.com^$popup +||forarchenchan.com^$popup +||forasmum.live^$popup +||forazelftor.com^$popup +||forcingclinch.com^$popup +||forflygonom.com^$popup +||forooqso.tv^$popup +||forthdigestive.com^$popup +||fortyphlosiona.com^$popup +||forzubatr.com^$popup +||foulfurnished.com^$popup +||fourwhenstatistics.com^$popup +||fouwheepoh.com^$popup ||fpctraffic3.com^$popup +||fpgedsewst.com^$popup +||fpukxcinlf.com^$popup +||fractionfridgejudiciary.com^$popup +||fralstamp-genglyric.icu^$popup +||free3dgame.xyz^$popup +||freegamefinder.com^$popup ||freehookupaffair.com^$popup +||freeprize.org^$popup +||freetrckr.com^$popup +||freshpops.net^$popup +||frestlinker.com^$popup +||frettedmalta.top^$popup ||friendlyduck.com^$popup -||frtya.com^$popup,third-party -||frtyb.com^$popup,third-party -||frtye.com^$popup,third-party +||friendshipconcerning.com^$popup +||fronthlpr.com^$popup +||frtya.com^$popup +||frtyb.com^$popup +||frtye.com^$popup ||fstsrv.com^$popup -||funmatrix.net^$popup,third-party +||fstsrv16.com^$popup +||fstsrv2.com^$popup +||fstsrv5.com^$popup +||fstsrv6.com^$popup +||fstsrv8.com^$popup +||fstsrv9.com^$popup +||ftte.xyz^$popup +||fudukrujoa.com^$popup +||fugcgfilma.com^$popup +||funmatrix.net^$popup +||furstraitsbrowse.com^$popup +||fuse-cloud.com^$popup ||fusttds.xyz^$popup -||fvenxjtzuaxu.com^$popup +||fuzzyincline.com^$popup ||fwbntw.com^$popup -||g05.info^$popup,third-party -||gameonmom.net^$popup +||fyglovilo.pro^$popup +||g0wow.net^$popup +||g2afse.com^$popup +||g33ktr4ck.com^$popup +||gadlt.nl^$popup +||gadssystems.com^$popup +||gagheroinintact.com^$popup +||galaxypush.com^$popup +||galotop1.com^$popup +||gamdom.com/?utm_source=$popup +||gaming-adult.com^$popup +||gamingonline.top^$popup +||gammamkt.com^$popup +||gamonalsmadevel.com^$popup +||gandmotivat.info^$popup +||gandmotivatin.info^$popup ||ganja.com^$popup,third-party +||garmentsdraught.com^$popup +||gb1aff.com^$popup +||gbengene.com^$popup +||gdecordingholo.info^$popup ||gdmconvtrck.com^$popup -||geophrenia.com^$popup -||geranew.info^$popup,third-party -||gerwen.info^$popup,third-party -||getalinkandshare.com^$popup -||getmyads.com^$popup,third-party +||geegleshoaph.com^$popup +||geejetag.com^$popup +||geeptaunip.net^$popup +||gemfowls.com^$popup +||genialsleptworldwide.com^$popup +||geniusdexchange.com^$popup +||gensonal.com^$popup +||geotrkclknow.com^$popup +||get-gx.net^$popup +||get-link.xyz^$popup +||get-me-wow.in^$popup +||get.stoplocker.com^$popup +||getalltraffic.com^$popup +||getarrectlive.com^$popup +||getgx.net^$popup +||getmatchedlocally.com^$popup +||getmyads.com^$popup +||getnomadtblog.com^$popup +||getoverenergy.com^$popup +||getrunbestlovemy.info^$popup +||getrunkhomuto.info^$popup +||getsmartyapp.com^$popup +||getsthis.com^$popup +||getthisappnow.com^$popup +||gettingtoe.com^$popup +||gettopple.com^$popup +||getvideoz.click^$popup +||getyourtool.co^$popup ||gfdfhdh5t5453.com^$popup -||gib-gib-la.com^$popup,third-party -||gibsonvillainousweatherstrip.com^$popup,third-party -||giveaways.club^$popup,third-party +||gfstrck.com^$popup +||gggtrenks.com^$popup +||ghostnewz.com^$popup +||ghuzwaxlike.shop^$popup +||gichaisseexy.net^$popup +||girlstaste.life^$popup +||gishpurer.shop^$popup +||gkrtmc.com^$popup +||gladsince.com^$popup +||glassmilheart.com^$popup +||glasssmash.site^$popup +||gleagainedam.info^$popup +||gleeglis.net^$popup +||glersakr.com^$popup +||glersooy.net^$popup +||glimpsemankind.com^$popup +||gliptoacaft.net^$popup +||gliraimsofu.net^$popup +||glizauvo.net^$popup +||globaladblocker.com^$popup +||globaladblocker.net^$popup +||globalwoldsinc.com^$popup +||globeofnews.com^$popup +||globwo.online^$popup +||gloogruk.com^$popup +||glorifyfactor.com^$popup +||glouxalt.net^$popup +||glowingnews.com^$popup +||gloytrkb.com^$popup +||glsfreeads.com^$popup +||glugherg.net^$popup +||gluxouvauure.com^$popup +||gml-grp.com^$popup +||gmxvmvptfm.com^$popup +||go-cpa.click^$popup +||go-srv.com^$popup +||go-to-website.com^$popup +||go.betobet.net^$popup ||go2affise.com^$popup ||go2linkfast.com^$popup -||gold-good4u.com^$popup,third-party -||goldlambotrader.co^$popup,third-party -||good-black4u.com^$popup,third-party -||goodbookbook.com^$popup,third-party -||googleads.g.doubleclick.net^$popup,third-party -||googleme.eu^$popup,third-party -||gotoplaymillion.com^$popup,third-party -||grand-ads.com^$popup,third-party -||greatbranddeals.com^$popup,third-party +||go2linktrack.com^$popup +||go2offer-1.com^$popup +||go2oh.net^$popup +||go2rph.com^$popup +||goads.pro^$popup +||goaffmy.com^$popup +||goaserv.com^$popup +||goblocker.xyz^$popup +||gobreadthpopcorn.com^$popup +||godacepic.com^$popup +||godpvqnszo.com^$popup +||gogglerespite.com^$popup +||gold2762.com^$popup +||gomo.cc^$popup +||goobakocaup.com^$popup +||goodvpnoffers.com^$popup +||goosebomb.com^$popup +||gophykopta.com^$popup +||gorillatrk.com^$popup +||gositego.live^$popup +||gosoftwarenow.com^$popup +||got-to-be.com^$popup +||gotibetho.pro^$popup +||goto1x.me^$popup +||gotohouse1.club^$popup +||gotoplaymillion.com^$popup +||gotrackier.com^$popup +||governessmagnituderecoil.com^$popup +||grabclix.com^$popup +||gracefullouisatemperature.com^$popup +||graigloapikraft.net^$popup +||graijoruwa.com^$popup +||grairdou.com^$popup +||graitsie.com^$popup +||granddaughterrepresentationintroduce.com^$popup +||granthspillet.top^$popup +||grapseex.com^$popup +||gratataxis.shop^$popup +||gratifiedmatrix.com^$popup +||grauglak.com^$popup +||grazingmarrywomanhood.com^$popup ||greatdexchange.com^$popup -||grouchyaccessoryrockefeller.com^$popup,third-party -||gsniper2.com^$popup,third-party -||gtrck.pw^$popup -||h8vzwpv.com^$popup -||hantinlethemsed.info^$popup -||hd-plugin.com^$popup,third-party -||hebadu.com^$popup +||greatlifebargains2024.com^$popup +||grecmaru.com^$popup +||green-search-engine.com^$popup +||greenlinknow.com^$popup +||greenplasticdua.com^$popup +||greenrecru.info^$popup +||greewepi.net^$popup +||grefaunu.com^$popup +||grefutiwhe.com^$popup +||grewquartersupporting.com^$popup +||greygrid.net^$popup +||grobuveexeb.net^$popup +||growingtotallycandied.com^$popup +||grtya.com^$popup +||grtyj.com^$popup +||grunoaph.net^$popup +||gruntremoved.com^$popup +||grupif.com^$popup +||grygrothapi.pro^$popup +||gsecurecontent.com^$popup +||gtbdhr.com^$popup +||guardedrook.cc^$popup +||guerrilla-links.com^$popup +||guesswhatnews.com^$popup +||guestblackmail.com^$popup +||gukrathokeewhi.net^$popup +||guro2.com^$popup +||guxidrookr.com^$popup +||gvcaffiliates.com^$popup +||h0w-t0-watch.net^$popup +||h74v6kerf.com^$popup +||habovethecit.info^$popup +||hairdresserbayonet.com^$popup +||halfhills.co^$popup +||hallucinatepromise.com^$popup +||hammerhewer.top^$popup +||handbaggather.com^$popup +||handgripvegetationhols.com^$popup +||hangnailamplify.com^$popup +||haoelo.com^$popup +||harassmentgrowl.com^$popup +||harrowliquid.com^$popup +||harshlygiraffediscover.com^$popup +||hatwasallokmv.info^$popup +||hauchiwu.com^$popup +||haveflat.com^$popup +||havegrosho.com^$popup +||hazoopso.net^$popup +||hbloveinfo.com^$popup +||headirtlseivi.org^$popup +||heavenfull.com^$popup +||heavenly-landscape.com^$popup +||heefothust.net^$popup +||heeraiwhubee.net^$popup +||hehighursoo.com^$popup +||helmethomicidal.com^$popup +||hentaifap.land^$popup +||heptix.net^$popup +||heratheacle.com^$popup +||heremployeesihi.info^$popup +||heresanothernicemess.com^$popup +||hermichermicfurnished.com^$popup +||hesoorda.com^$popup +||hespe-bmq.com^$popup +||hetadinh.com^$popup +||hetaint.com^$popup +||hetapus.com^$popup +||hetartwg.com^$popup +||hetarust.com^$popup +||hetaruvg.com^$popup +||hetaruwg.com^$popup +||hexovythi.pro^$popup ||hh-btr.com^$popup -||hhourtrk2.com^$popup,third-party +||hhbypdoecp.com^$popup +||hhiswingsandm.info^$popup +||hhju87yhn7.top^$popup ||hibids10.com^$popup ||hicpm10.com^$popup -||hicpm5.com^$popup -||highcpms.com^$popup,third-party -||higheurest.com^$popup,third-party +||hiend.xyz^$popup +||highcpmgate.com^$popup +||highcpmrevenuenetwork.com^$popup +||highercldfrev.com^$popup +||higheurest.com^$popup +||highmaidfhr.com^$popup +||highperformancecpm.com^$popup +||highperformancecpmgate.com^$popup +||highperformancecpmnetwork.com^$popup +||highperformancedformats.com^$popup +||highperformancegate.com^$popup +||highratecpm.com^$popup +||highrevenuecpmnetwork.com^$popup +||highrevenuegate.com^$popup +||highrevenuenetwork.com^$popup +||highwaycpmrevenue.com^$popup +||hiiona.com^$popup +||hilltopads.com^$popup ||hilltopads.net^$popup -||hipersushiads.com^$popup,third-party -||hitcpm.com^$popup,third-party -||hitopadxdo.xyz^$popup +||hilove.life^$popup +||hiltonbett.com^$popup +||himhedrankslo.xyz^$popup +||himunpractical.com^$popup +||hinaprecent.info^$popup +||hinkhimunpractical.com^$popup +||hintonjour.com^$popup +||hipersushiads.com^$popup +||historyactorabsolutely.com^$popup +||hisurnhuh.com^$popup +||hitcpm.com^$popup ||hitopadxdz.xyz^$popup -||hlpnowp-c.com^$popup,third-party -||homecareerforyou1.info^$popup,third-party -||hornygirlsexposed.com^$popup,third-party -||hotchatdate.com^$popup,third-party -||hotchatdirect.com^$popup,third-party -||hovernottaked.info^$popup +||hixvo.click^$popup +||hnrgmc.com^$popup +||hoa44trk.com^$popup +||hoadaphagoar.net^$popup +||hoaxbasesalad.com^$popup +||hoctor-pharity.xyz^$popup +||hoglinsu.com^$popup +||hognaivee.com^$popup +||hogqmd.com^$popup +||hoktrips.com^$popup +||holahupa.com^$popup +||holdhostel.space^$popup +||holdsoutset.com^$popup +||hollysocialspuse.com^$popup +||homicidalseparationmesh.com^$popup +||honestlyvicinityscene.com^$popup +||hoofexcessively.com^$popup +||hooliganapps.com^$popup +||hooligapps.com^$popup +||hooligs.app^$popup +||hoopbeingsmigraine.com^$popup +||hopelessrolling.com^$popup +||hopghpfa.com^$popup +||horriblysparkling.com^$popup +||hot-growngames.life^$popup +||hotchatdate.com^$popup +||hottest-girls-online.com^$popup +||howboxmaa.site^$popup +||howboxmab.site^$popup +||howsliferightnow.com^$popup +||howtolosebellyfat.shop^$popup +||hpyjmp.com^$popup ||hqtrk.com^$popup +||hrahdmon.com^$popup +||hrtye.com^$popup ||hrtyh.com^$popup -||hstpnetwork.com^$popup,third-party -||htmlhubing.xyz^$popup,third-party +||hsrvz.com^$popup +||html-load.com^$popup ||htmonster.com^$popup +||htoptracker11072023.com^$popup +||hubturn.info^$popup ||hueads.com^$popup -||huluads.info^$popup,third-party -||humparsi.com^$popup -||hutrcksp.com^$popup -||i4track.net^$popup +||hugeedate.com^$popup +||hugregregy.pro^$popup +||huluads.info^$popup +||humandiminutionengaged.com^$popup +||hundredpercentmargin.com^$popup +||hundredscultureenjoyed.com^$popup +||hungryrise.com^$popup +||hurlaxiscame.com^$popup +||hurlmedia.design^$popup +||hxmanga.com^$popup +||hyenadata.com^$popup ||i62e2b4mfy.com^$popup -||icartory.info^$popup -||ifilez.org^$popup,third-party -||iiasdomk1m9812m4z3.com^$popup,third-party -||ilividnewtab.com^$popup,third-party -||imbetan.info^$popup -||inbinaryoption.com^$popup,third-party +||i98jio988ui.world^$popup +||iageandinone.com^$popup +||iboobeelt.net^$popup +||ichimaip.net^$popup +||icilytired.com^$popup +||icubeswire.co^$popup +||identifierssadlypreferred.com^$popup +||identifyillustration.com^$popup +||idescargarapk.com^$popup +||ifdividemeasuring.com^$popup +||ifdnzact.com^$popup +||ifigent.com^$popup +||iglegoarous.net^$popup +||ignals.com^$popup +||igubet.link^$popup +||ihavelearnat.xyz^$popup +||ikengoti.com^$popup +||ilaterdeallyig.info^$popup +||illegaleaglewhistling.com^$popup +||illuminateinconveniencenutrient.com^$popup +||illuminatelocks.com^$popup +||imaxcash.com^$popup +||imghst-de.com^$popup +||imitrk13.com^$popup +||imkirh.com^$popup +||immigrationspiralprosecution.com^$popup +||impactserving.com^$popup +||imperialbattervideo.com^$popup +||impressiveporchcooler.com^$popup +||improvebin.xyz^$popup +||inabsolor.com^$popup +||inaltariaon.com^$popup +||inasmedia.com^$popup +||inbrowserplay.com^$popup ||inclk.com^$popup -||indianmasala.com^$popup,third-party,domain=masalaboard.com -||indianweeklynews.com^$popup,third-party -||infra.systems^$popup,third-party -||injuredcandy.com^$popup +||incloseoverprotective.com^$popup +||incomprehensibleacrid.com^$popup +||indiscreetarcadia.com^$popup +||infeebasr.com^$popup +||infirmaryboss.com^$popup +||inflectionquake.com^$popup +||infopicked.com^$popup +||infra.systems^$popup +||ingablorkmetion.com^$popup +||inheritknow.com^$popup +||inlacom.com^$popup +||inncreasukedrev.info^$popup +||innovid.com^$popup,third-party +||inoradde.com^$popup +||inpagepush.com^$popup +||insectearly.com^$popup +||inshelmetan.com^$popup +||insideofnews.com^$popup ||insigit.com^$popup -||insta-cash.net^$popup,third-party -||installcdnfile.com^$popup,third-party -||instanceyou.info^$popup,third-party -||instant007.com^$popup,third-party -||instantpaydaynetwork.com^$popup,third-party -||insulling.com^$popup +||inspiringperiods.com^$popup +||install-adblocking.com^$popup +||install-check.com^$popup +||instancesflushedslander.com^$popup +||instant-adblock.xyz^$popup +||instantpaydaynetwork.com^$popup ||intab.fun^$popup -||intab.xyz^$popup -||integral-marketing.com^$popup,third-party -||interfalls.com^$popup -||internalredirect.site^$popup,third-party -||interner-magaziin.ru^$popup,third-party +||integrityprinciplesthorough.com^$popup +||intentionscurved.com^$popup +||interclics.com^$popup +||interesteddeterminedeurope.com^$popup +||internewsweb.com^$popup +||internodeid.com^$popup +||interpersonalskillse.info^$popup +||intimidatekerneljames.com^$popup +||intorterraon.com^$popup +||inumbreonr.com^$popup +||invaderannihilationperky.com^$popup +||investcoma.com^$popup +||investigationsuperbprone.com^$popup +||investing-globe.com^$popup +||invol.co^$popup +||inyoketuber.com^$popup +||iociley.com^$popup +||ioffers.icu^$popup +||iogjhbnoypg.com^$popup +||iopiopiop.net^$popup +||irkantyip.com^$popup +||ironicnickraspberry.com^$popup +||irresponsibilityhookup.com^$popup ||irtya.com^$popup -||iwanttodeliver.com^$popup,third-party -||ixeq490u20.com^$popup +||isabellagodpointy.com^$popup +||isawthenews.com^$popup +||ismlks.com^$popup +||isohuntx.com/vpn/$popup +||isolatedovercomepasted.com^$popup +||issomeoneinth.info^$popup +||istlnkcl.com^$popup +||itespurrom.com^$popup +||itgiblean.com^$popup +||itnuzleafan.com^$popup +||itponytaa.com^$popup +||itrustzone.site^$popup +||itskiddien.club^$popup +||ittontrinevengre.info^$popup +||ittorchicer.com^$popup +||iutur-ixp.com^$popup +||ivauvoor.net^$popup +||ivpnoffers.com^$popup +||iwanttodeliver.com^$popup +||iwantusingle.com^$popup +||iyfnz.com^$popup ||iyfnzgb.com^$popup -||jdtracker.com^$popup,third-party -||jettags.rocks^$popup,third-party +||izeeto.com^$popup +||ja2n2u30a6rgyd.com^$popup +||jaavnacsdw.com^$popup +||jacksonduct.com^$popup +||jaclottens.live^$popup +||jads.co^$popup +||jaineshy.com^$popup +||jambosmodesty.com^$popup +||jamminds.com^$popup +||jamstech.store^$popup +||jashautchord.com^$popup +||java8.xyz^$popup +||jawlookingchapter.com^$popup +||jeekomih.com^$popup +||jennyunfit.com^$popup +||jennyvisits.com^$popup +||jepsauveel.net^$popup +||jerboasjourney.com^$popup +||jeroud.com^$popup +||jetordinarilysouvenirs.com^$popup +||jewelbeeperinflection.com^$popup +||jfjle4g5l.com^$popup +||jfkc5pwa.world^$popup +||jggegj-rtbix.top^$popup +||jhsnshueyt.click^$popup +||jicamasosteal.shop^$popup +||jillbuildertuck.com^$popup +||jjcwq.site^$popup +||jjmrmeovo.world^$popup +||jlodgings.com^$popup +||joahahewhoo.net^$popup +||jobsonationsing.com^$popup +||jocauzee.net^$popup +||join-admaven.com^$popup +||joinpropeller.com^$popup +||jokingzealotgossipy.com^$popup +||joltidiotichighest.com^$popup +||jomtingi.net^$popup +||josieunethical.com^$popup +||joudauhee.com^$popup +||jowingtykhana.click^$popup +||jpgtrk.com^$popup +||jqtree.com^$popup +||jrpkizae.com^$popup +||js-check.com^$popup ||jsmentry.com^$popup ||jsmptjmp.com^$popup -||juiceads.net^$popup,third-party -||jujzh9va.com^$popup,third-party -||jump2.top^$popup -||junbi-tracker.com^$popup,third-party -||justdating.online^$popup,third-party -||jwplayer.space^$popup,third-party -||jzfzjss.com^$popup -||kaishist.top^$popup -||kanoodle.com^$popup,third-party +||jubsaugn.com^$popup +||judebelii.com^$popup +||juiceadv.com^$popup +||juicyads.com^$popup +||jukseeng.net^$popup +||jump-path1.com^$popup +||junbi-tracker.com^$popup +||junmediadirect1.com^$popup +||justdating.online^$popup +||justonemorenews.com^$popup +||jutyledu.pro^$popup +||jwalf.com^$popup +||k8ik878i.top^$popup +||kacukrunitsoo.net^$popup +||kaigaidoujin.com^$popup +||kakbik.info^$popup +||kamalafooner.space^$popup +||kaminari.systems^$popup +||kanoodle.com^$popup +||kappalinks.com^$popup +||karafutem.com^$popup +||karoon.xyz^$popup +||katebugs.com^$popup +||katecrochetvanity.com^$popup +||kauriessizzler.shop^$popup +||kaya303.lol^$popup +||keefeezo.net^$popup +||keenmagwife.live^$popup +||keewoach.net^$popup +||kektds.com^$popup +||kenomal.com^$popup +||ker2clk.com^$popup +||kerumal.com^$popup +||ketheappyrin.com^$popup +||ketingefifortcaukt.info^$popup +||ketseestoog.net^$popup +||kettakihome.com^$popup +||kgfjrb711.com^$popup +||kgorilla.net^$popup +||kiksajex.com^$popup ||kindredplc.com^$popup -||kiwi-offers.com^$popup,third-party -||kiwimethod.co^$popup,third-party -||komego.work^$popup,third-party -||korexo.com^$popup,third-party -||krajiv.com^$popup -||kzexkhstcng.com^$popup -||landsraad.cc^$popup,third-party -||large-format.net^$popup,third-party -||larkbe.com^$popup,third-party -||lcxrimmb.com^$popup -||ledfinol.win^$popup -||legisland.net^$popup,third-party -||letshareus.com^$popup,third-party -||lettercrow.bid^$popup -||letzonke.com^$popup,third-party -||lie2anyone.com^$popup -||ligatus.com^$popup,third-party -||likingyetsnarl.com^$popup -||linkmyc.com^$popup,third-party -||linknotification.com^$popup -||liveadexchanger.com^$popup,third-party -||livechatflirt.com^$popup,third-party -||livepromotools.com^$popup,third-party -||liversely.net^$popup,third-party -||liveyourdreamify.pw^$popup,third-party -||lmebxwbsno.com^$popup,third-party +||king3rsc7ol9e3ge.com^$popup +||kingtrck1.com^$popup +||kinitstar.com^$popup +||kinripen.com^$popup +||kirteexe.tv^$popup +||kirujh.com^$popup +||kitchiepreppie.com^$popup +||kizohilsoa.net^$popup +||kkjuu.xyz^$popup +||kmisln.com^$popup +||kmyunderthf.info^$popup +||koazowapsib.net^$popup +||kocairdo.net^$popup +||kogutcho.net^$popup +||kolkwi4tzicraamabilis.com^$popup +||koogreep.com^$popup +||korexo.com^$popup +||krjxhvyyzp.com^$popup +||ku2d3a7pa8mdi.com^$popup +||ku42hjr2e.com^$popup +||kultingecauyuksehinkitw.info^$popup +||kuno-gae.com^$popup +||kunvertads.com^$popup +||kurdirsojougly.net^$popup +||kuurza.com^$popup +||kxnggkh2nj.com^$popup +||kzt2afc1rp52.com^$popup +||kzvcggahkgm.com^$popup +||l4meet.com^$popup +||lacquerreddeform.com^$popup +||ladiesforyou.net^$popup +||ladrecaidroo.com^$popup +||lalofilters.website^$popup +||lamplynx.com^$popup +||landerhq.com^$popup +||lanesusanne.com^$popup +||laserdandelionhelp.com^$popup +||lashahib.net^$popup +||lassampy.com^$popup +||last0nef1le.com^$popup +||latheendsmoo.com^$popup +||laughingrecordinggossipy.com^$popup +||lavatorydownybasket.com^$popup +||lavender64369.com^$popup +||lawful-screw.com^$popup +||lby2kd27c.com^$popup +||leadingservicesintimate.com^$popup +||leadsecnow.com^$popup +||leadshurriedlysoak.com^$popup +||leapretrieval.com^$popup +||leesaushoah.net^$popup +||leforgotteddisg.info^$popup +||leftoverstatistics.com^$popup +||lementwrencespri.info^$popup +||lenkmio.com^$popup +||leonbetvouum.com^$popup +||leoyard.com^$popup +||lepetitdiary.com^$popup +||lephaush.net^$popup +||letitnews.com^$popup +||letitredir.com^$popup +||letsbegin.online^$popup +||letshareus.com^$popup +||letzonke.com^$popup +||leveragetypicalreflections.com^$popup +||liaoptse.net^$popup +||libertystmedia.com^$popup +||lickingimprovementpropulsion.com^$popup +||lidsaich.net^$popup +||lifeporn.net^$popup +||ligatus.com^$popup +||lighthousemissingdisavow.com^$popup +||lightssyrupdecree.com^$popup +||likedatings.life^$popup +||lilinstall11x.com^$popup +||limoners.com^$popup +||liningemigrant.com^$popup +||linkadvdirect.com^$popup +||linkboss.shop^$popup +||linkchangesnow.com^$popup +||linkmepu.com^$popup +||linkonclick.com^$popup +||linkredirect.biz^$popup +||linksprf.com^$popup +||linkwarkop4d.com^$popup +||liquidfire.mobi^$popup +||liveadexchanger.com^$popup +||livechatflirt.com^$popup +||liveleadtracking.com^$popup +||livepromotools.com^$popup +||livezombymil.com^$popup +||lizebruisiaculi.info^$popup +||lkcoffe.com^$popup +||lkstrck2.com^$popup +||llalo.click^$popup +||llpgpro.com^$popup ||lmn-pou-win.com^$popup -||lnkgt.com^$popup,third-party -||lockscalecompare.com^$popup,third-party -||lokvel.ru^$popup,third-party -||looksmart.com^$popup,third-party -||lustigbanner.com^$popup,third-party +||lmp3.org^$popup +||lnk8j7.com^$popup +||lnkgt.com^$popup +||lnkvv.com^$popup +||lntrigulngdates.com^$popup +||loagoshy.net^$popup +||loaksandtheir.info^$popup +||loazuptaice.net^$popup +||lobimax.com^$popup +||localelover.com^$popup +||locomotiveconvenientriddle.com^$popup +||locooler-ageneral.com^$popup +||lody24.com^$popup +||logicdate.com^$popup +||logicschort.com^$popup +||lone-pack.com^$popup +||loodauni.com^$popup +||lookandfind.me^$popup +||looksdashboardcome.com^$popup +||looksmart.com^$popup +||lootynews.com^$popup +||lorswhowishe.com^$popup +||losingoldfry.com^$popup +||lostdormitory.com^$popup +||lottoleads.com^$popup +||louisedistanthat.com^$popup +||loverevenue.com^$popup +||lovesparkle.space^$popup +||lowrihouston.pro^$popup +||lowseedotr.com^$popup +||lowseelan.com^$popup +||lowtyroguer.com^$popup +||lowtyruntor.com^$popup +||loyeesihighlyreco.info^$popup +||lp247p.com^$popup +||lplimjxiyx.com^$popup +||lptrak.com^$popup +||ltingecauyuksehi.com^$popup +||ltmywtp.com^$popup +||luckyads.pro^$popup +||luckyforbet.com^$popup +||lurdoocu.com^$popup +||lurgaimt.net^$popup +||lusinlepading.com^$popup +||lust-burning.rest^$popup +||lust-goddess.buzz^$popup +||luvaihoo.com^$popup +||luxetalks.com^$popup ||lvztx.com^$popup -||m57ku6sm.com^$popup,third-party +||lwnbts.com^$popup +||lwonclbench.com^$popup +||lxkzcss.xyz^$popup +||lycheenews.com^$popup +||lyconery-readset.com^$popup +||lywasnothycanty.info^$popup ||m73lae5cpmgrv38.com^$popup -||magicads.nl^$popup,third-party -||maomaotang.com^$popup,third-party -||marketresearchglobal.com^$popup,third-party -||marticula.com^$popup -||mdn2015x1.com^$popup,third-party -||mdtrack.click^$popup -||media-app.com^$popup,third-party -||media-servers.net^$popup,third-party -||media-serving.com^$popup,third-party -||mediamansix.com^$popup -||mediaseeding.com^$popup,third-party -||meetgoodgirls.com^$popup,third-party -||meetsexygirls.org^$popup,third-party -||megapopads.com^$popup,third-party +||m9w6ldeg4.xyz^$popup +||ma3ion.com^$popup +||macan-native.com^$popup +||mafroad.com^$popup +||magicads.nl^$popup +||magmafurnace.top^$popup +||magsrv.com^$popup +||majorityevaluatewiped.com^$popup +||making.party^$popup +||mallettraumatize.com^$popup +||mallur.net^$popup +||maltunfaithfulpredominant.com^$popup +||mamaunweft.click^$popup +||mammaldealbustle.com^$popup +||manbycus.com^$popup +||manconsider.com^$popup +||mandjasgrozde.com^$popup +||manga18sx.com^$popup +||maper.info^$popup +||maquiags.com^$popup +||marti-cqh.com^$popup +||masklink.org^$popup +||massacreintentionalmemorize.com^$popup +||matchjunkie.com^$popup +||matildawu.online^$popup +||maxigamma.com^$popup +||maybejanuarycosmetics.com^$popup +||maymooth-stopic.com^$popup +||mb-npltfpro.com^$popup +||mb01.com^$popup +||mb102.com^$popup +||mb103.com^$popup +||mb104.com^$popup +||mb223.com^$popup +||mb38.com^$popup +||mb57.com^$popup +||mbjrkm2.com^$popup +||mbreviews.info^$popup +||mbstrk.com^$popup +||mbvlmz.com^$popup +||mbvsm.com^$popup +||mcafeescan.site^$popup +||mcfstats.com^$popup +||mcpuwpush.com^$popup +||mcurrentlysea.info^$popup +||mddsp.info^$popup +||me4track.com^$popup +||media-412.com^$popup +||media-serving.com^$popup +||mediasama.com^$popup +||mediaserf.net^$popup +||mediaxchange.co^$popup +||medicationneglectedshared.com^$popup +||meenetiy.com^$popup +||meetradar.com^$popup +||meetsexygirls.org^$popup +||meetwebclub.com^$popup +||megacot.com^$popup +||megaffiliates.com^$popup ||megdexchange.com^$popup -||menepe.com^$popup,third-party -||metodoroleta24h.com^$popup,third-party -||metogo.work^$popup,third-party -||metricfast.com^$popup -||migrandof.com^$popup -||milleonid.com^$popup -||millionairesurveys.com^$popup,third-party +||meherdewogoud.com^$popup +||memecoins.club^$popup +||menepe.com^$popup +||menews.org^$popup +||meofmukindwoul.info^$popup +||mericantpastellih.org^$popup +||merterpazar.com^$popup +||mesqwrte.net^$popup +||messagereceiver.com^$popup +||messenger-notify.digital^$popup +||messenger-notify.xyz^$popup +||meteorclashbailey.com^$popup +||metogthr.com^$popup +||metrica-yandex.com^$popup +||mevarabon.com^$popup +||mghkpg.com^$popup +||mgid.com^$popup +||mhiiopll.net^$popup +||midgetincidentally.com^$popup +||migrantspiteconnecting.com^$popup +||milksquadronsad.com^$popup +||millustry.top^$popup +||mimosaavior.top +||mimosaavior.top^$popup +||mindedcarious.com^$popup +||miniaturecomfortable.com^$popup +||mirfakpersei.com^$popup +||mirfakpersei.top^$popup +||mirsuwoaw.com^$popup +||misarea.com^$popup +||mishapideal.com^$popup +||misspkl.com^$popup +||mityneedn.com^$popup ||mk-ads.com^$popup -||mktmobi.com^$popup,third-party -||mmo123.co^$popup,third-party -||mobileraffles.com^$popup,third-party -||mobsterbird.info^$popup,third-party +||mkaff.com^$popup +||mkjsqrpmxqdf.com^$popup +||mlatrmae.net^$popup +||mmpcqstnkcelx.com^$popup +||mmrtb.com^$popup +||mnaspm.com^$popup +||mndsrv.com^$popup +||moartraffic.com^$popup +||mob1ledev1ces.com^$popup +||mobagent.com^$popup +||mobileraffles.com^$popup +||mobiletracking.ru^$popup +||mobipromote.com^$popup +||mobmsgs.com^$popup +||mobreach.com^$popup ||mobsuitem.com^$popup -||modescrips.info^$popup,third-party -||moneytec.com^$popup,third-party -||moon-ads.com^$popup,third-party -||morphonebrities.info^$popup -||mutaticial.com^$popup -||muvflix.com^$popup,third-party -||mxsads.com^$popup,third-party -||my-layer.net^$popup,third-party -||myawesomecash.com^$popup,third-party -||mybestmv.com^$popup -||mynetab.com^$popup,third-party -||mynyx.men^$popup,third-party -||myrdrcts.com^$popup,third-party -||mysagagame.com^$popup,third-party -||mystighty.info^$popup -||mystreamadpush.link^$popup -||myusersoffer.com^$popup -||n388hkxg.com^$popup,third-party -||nadstive.com^$popup -||naganoadigei.com^$popup -||namesakeoscilloscopemarquis.com^$popup,third-party -||nanoadexchange.com^$popup,third-party -||netliker.com^$popup,third-party -||never2date.com^$popup,third-party -||newstarads.com^$popup,third-party -||newsushe.info^$popup -||newtab-media.com^$popup,third-party -||newton1.club^$popup +||modescrips.info^$popup +||modificationdispatch.com^$popup +||modoodeul.com^$popup +||moilizoi.com^$popup +||moksoxos.com^$popup +||moleconcern.com^$popup +||molypsigry.pro^$popup +||moncoerbb.com^$popup +||monetag.com^$popup +||moneysavinglifehacks.pro^$popup +||monieraldim.click^$popup +||monsterofnews.com^$popup +||moodokay.com^$popup +||moonrocketaffiliates.com^$popup +||moralitylameinviting.com^$popup +||morclicks.com^$popup +||mordoops.com^$popup +||more1.biz^$popup +||mosrtaek.net^$popup +||motivessuggest.com^$popup +||mountaincaller.top^$popup +||mourny-clostheme.com^$popup +||moustachepoke.com^$popup +||mouthdistance.bond^$popup +||movemeforward.co^$popup +||movfull.com^$popup +||moviemediahub.com^$popup +||moviesflix4k.club^$popup +||moviesflix4k.xyz^$popup +||movingfwd.co^$popup +||mplayeranyd.info^$popup +||mrdzuibek.com^$popup +||mscoldness.com^$popup +||msre2lp.com^$popup +||mtypitea.net^$popup +||mudflised.com^$popup +||mufflerlightsgroups.com^$popup +||muheodeidsoan.info^$popup +||muletatyphic.com^$popup +||muvflix.com^$popup +||muzzlematrix.com^$popup +||mvmbs.com^$popup +||my-promo7.com^$popup +||my-rudderjolly.com^$popup +||myadcash.com^$popup +||myadsserver.com^$popup +||myaffpartners.com^$popup +||mybestdc.com^$popup +||mybetterck.com^$popup +||mybetterdl.com^$popup +||mybettermb.com^$popup +||myckdom.com^$popup +||mydailynewz.com^$popup +||myeasetrack.com^$popup +||myemailtracking.com^$popup +||myhugewords.com^$popup +||myhypestories.com^$popup +||myjollyrudder.com^$popup +||mylot.com^$popup +||myperfect2give.com^$popup +||mypopadpro.com^$popup +||myreqdcompany.com^$popup +||mysagagame.com^$popup +||mywondertrip.com^$popup +||nabauxou.net^$popup +||naggingirresponsible.com^$popup +||naiwoalooca.net^$popup +||namesakeoscilloscopemarquis.com^$popup +||nan0cns.com^$popup +||nancontrast.com^$popup +||nannyamplify.com^$popup +||nanoadexchange.com^$popup +||nanouwho.com^$popup +||nasosettoourm.com^$popup +||nasssmedia.com^$popup +||natallcolumnsto.info^$popup +||nathanaeldan.pro^$popup +||native-track.com^$popup +||natregs.com^$popup +||naveljutmistress.com^$popup +||navigatingnautical.xyz^$popup +||naxadrug.com^$popup +||ndcomemunica.com^$popup +||nebulouslostpremium.com^$popup +||neejaiduna.net^$popup +||negotiaterealm.com^$popup +||neptuntrack.com^$popup +||nereu-gdr.com^$popup +||nessainy.net^$popup +||netcpms.com^$popup +||netpatas.com^$popup +||netrefer.co^$popup +||netund.com^$popup +||network.nutaku.net^$popup +||never2never.com^$popup +||newbluetrue.xyz^$popup +||newbornleasetypes.com^$popup +||newjulads.com^$popup +||newrtbbid.com^$popup +||news-place1.xyz^$popup +||news-portals1.xyz^$popup +||news-site1.xyz^$popup +||news-universe1.xyz^$popup +||news-weekend1.xyz^$popup +||newscadence.com^$popup +||newsfortoday2.xyz^$popup +||newsforyourmood.com^$popup +||newsfrompluto.com^$popup +||newsignites.com^$popup +||newslikemeds.com^$popup +||newstarads.com^$popup +||newstemptation.com^$popup +||newsyour.net^$popup +||newtab-media.com^$popup ||nextoptim.com^$popup ||nextyourcontent.com^$popup -||nimkash.win^$popup -||november-lax.com^$popup,third-party -||nsvfl7p9.com^$popup -||nturveev.com^$popup,third-party -||nymphdate.com^$popup,third-party -||o333o.com^$popup,third-party -||o8q80l1z.top^$popup +||ngfruitiesmatc.info^$popup +||ngineet.cfd^$popup +||ngsinspiringtga.info^$popup +||nicatethebene.info^$popup +||nicelyinformant.com^$popup +||nicesthoarfrostsooner.com^$popup +||nicsorts-accarade.com^$popup +||nightbesties.com^$popup +||nigroopheert.com^$popup +||nimrute.com^$popup +||nindsstudio.com^$popup +||ninetyninesec.com^$popup +||niwluvepisj.site^$popup +||noerwe5gianfor19e4st.com^$popup +||nomadsbrand.com^$popup +||nomadsfit.com^$popup +||nominalclck.name^$popup +||nominatecambridgetwins.com^$popup +||noncepter.com^$popup +||nontraditionally.rest^$popup +||noohapou.com^$popup +||noolt.com^$popup +||nossairt.net^$popup +||notifications-update.com^$popup +||notifpushnext.net^$popup +||notoings.com^$popup +||nougacoush.com^$popup +||noughttrustthreshold.com^$popup +||novelslopeoppressive.com^$popup +||november-sin.com^$popup +||novibet.partners^$popup +||novitrk7.com^$popup +||novitrk8.com^$popup +||npcad.com^$popup +||nreg.world^$popup +||nrs6ffl9w.com^$popup +||nsmpydfe.net^$popup +||nstoodthestatu.info^$popup +||nsultingcoe.net^$popup +||nsw2u.com^$popup +||ntoftheusysia.info^$popup +||ntoftheusysianedt.info^$popup +||ntrftrk.com^$popup +||ntrftrksec.com^$popup +||ntvpforever.com^$popup +||nudgeworry.com^$popup +||nukeluck.net^$popup +||numbertrck.com^$popup +||nurewsawaninc.info^$popup +||nutaku.net/signup/$popup +||nutchaungong.com^$popup +||nv3tosjqd.com^$popup +||nxt-psh.com^$popup +||nyadra.com^$popup +||nylonnickel.xyz^$popup +||nymphdate.com^$popup +||o18.click^$popup +||o333o.com^$popup +||oackoubs.com^$popup +||oagnolti.net^$popup +||oalsauwy.net^$popup +||oaphoace.net^$popup +||oassackegh.net^$popup +||oataltaul.com^$popup +||oatsegnickeez.net^$popup +||oblongseller.com^$popup +||obsidiancutter.top^$popup +||ochoawhou.com^$popup ||oclaserver.com^$popup -||octagonize.com^$popup +||ocloud.monster^$popup +||ocmhood.com^$popup +||ocoaksib.com^$popup +||odalrevaursartu.net^$popup +||odemonstrat.pro^$popup +||odintsures.click^$popup +||oefanyorgagetn.info^$popup ||ofeetles.pro^$popup ||offaces-butional.com^$popup -||offertrk.info^$popup,third-party -||oiqheoiwgnqiweoj.bid^$popup -||okiaecdkdyut.bid^$popup -||onad.eu^$popup,third-party -||onclickads.net^$popup,third-party -||onclickclear.com^$popup,third-party -||onclickmax.com^$popup,third-party +||offergate-apps-pubrel.com^$popup +||offergate-games-download1.com^$popup +||offernow24.com^$popup +||offernzshop.online^$popup +||offershub.net^$popup +||offerstrack.net^$popup +||offersuperhub.com^$popup +||offhandpump.com^$popup +||officetablntry.org^$popup +||officialbanisters.com^$popup +||offshuppetchan.com^$popup +||ofglicoron.net^$popup +||ofphanpytor.com^$popup +||ofredirect.com^$popup +||ofseedotom.com^$popup +||oghqvffmnt.com^$popup +||ogniicbnb.ru^$popup +||ogrepsougie.net^$popup +||ogtrk.net^$popup +||ohrdsplu.com^$popup +||ojrq.net^$popup +||okaidsotsah.com^$popup +||okueroskynt.com^$popup +||ologeysurincon.com^$popup +||olympuscracowe.shop^$popup +||omciecoa37tw4.com^$popup +||omegaadblock.net^$popup +||omgpm.com^$popup +||omgt3.com^$popup +||omgt4.com^$popup +||omgt5.com^$popup +||omklefkior.com^$popup +||onad.eu^$popup +||onatallcolumn.com^$popup +||oncesets.com^$popup +||onclasrv.com^$popup +||onclckpop.com^$popup +||onclickads.net^$popup +||onclickalgo.com^$popup +||onclickclear.com^$popup +||onclickgenius.com^$popup +||onclickmax.com^$popup ||onclickmega.com^$popup +||onclickperformance.com^$popup +||onclickprediction.com^$popup ||onclicksuper.com^$popup ||onclicktop.com^$popup -||onhitads.net^$popup,third-party -||onlinecareerpackage.com^$popup,third-party -||onlinecashmethod.com^$popup,third-party -||onpato.ru^$popup,third-party -||onti.rocks^$popup,third-party -||open-downloads.net^$popup,third-party -||openadserving.com^$popup,third-party -||oratosaeron.com^$popup,third-party -||origer.info^$popup +||ondshub.com^$popup +||one-name-studio.com^$popup +||oneadvupfordesign.com^$popup +||oneclickpic.net^$popup +||oneegrou.net^$popup +||onenomadtstore.com^$popup +||onetouch12.com^$popup +||onetouch19.com^$popup +||onetouch20.com^$popup +||onetouch22.com^$popup +||onetouch26.com^$popup +||onevenadvllc.com^$popup +||onevenadvnow.com^$popup +||ongoingverdictparalyzed.com^$popup +||onhitads.net^$popup +||onionetmabela.top^$popup +||online-deal.click^$popup +||onlinecashmethod.com^$popup +||onlinedeltazone.online^$popup +||onlinefinanceworld.com^$popup +||onlinepuonline.com^$popup +||onlineshopping.website^$popup +||onlineuserprotector.com^$popup +||onmantineer.com^$popup +||onmarshtompor.com^$popup +||onstunkyr.com^$popup +||ontreck.cyou^$popup +||oobsaurt.net^$popup +||oodrampi.com^$popup +||oopatet.com^$popup +||oopsiksaicki.com^$popup +||oosonechead.org^$popup +||opdomains.space^$popup +||opeanresultancete.info^$popup +||openadserving.com^$popup +||openerkey.com^$popup +||opengalaxyapps.monster^$popup +||openmindter.com^$popup +||openwwws.space^$popup +||operarymishear.store^$popup +||ophoacit.com^$popup +||opoxv.com^$popup +||opparasecton.com^$popup +||opportunitysearch.net^$popup +||opptmzpops.com^$popup +||opskln.com^$popup +||optimalscreen1.online^$popup +||optimizesrv.com^$popup +||optnx.com^$popup +||optvz.com^$popup +||optyruntchan.com^$popup +||optzsrv.com^$popup +||opus-whisky.com^$popup +||oranegfodnd.com^$popup +||oraubsoux.net^$popup +||orgassme.com^$popup +||orlowedonhisdhilt.info^$popup +||osarmapa.net^$popup +||osfultrbriolenai.info^$popup +||osiextantly.com^$popup +||ossfloetteor.com^$popup +||ossmightyenar.net^$popup +||ostlon.com^$popup +||otherofherlittle.info^$popup +||otingolston.com^$popup +||otisephie.com^$popup ||otnolabttmup.com^$popup -||outdm.tmslinks.info^$popup -||overturs.com^$popup,third-party -||oxybe.com^$popup,third-party -||oxyes.work^$popup,third-party -||ozora.work^$popup,third-party -||padsdel.com^$popup,third-party -||parkingse.info^$popup -||parronnotandone.info^$popup -||parserwords.info^$popup -||parserworld.info^$popup,third-party -||partypills.org^$popup,third-party -||patiencepls.com^$popup -||patiskcontentdelivery.info^$popup -||paumoogo.net^$popup -||pbyet.com^$popup,third-party -||pdfcomplete.com^$popup,third-party -||perfcreatives.com^$popup,third-party +||otnolatrnup.com^$popup +||otoadom.com^$popup +||oulsools.com^$popup +||oungimuk.net^$popup +||ourcommonnews.com^$popup +||ourcommonstories.com^$popup +||ourcoolposts.com^$popup +||outaipoma.com^$popup +||outgratingknack.com^$popup +||outhulem.net^$popup +||outlineappearbar.com^$popup +||outlookabsorb.com^$popup +||outoctillerytor.com^$popup +||outofthecath.org^$popup +||outwallastron.top^$popup +||outwingullom.com^$popup +||ovardu.com^$popup +||ovdimin.buzz^$popup +||overallfetchheight.com^$popup +||overcrowdsillyturret.com^$popup +||oversolosisor.com^$popup +||ow5a.net^$popup +||owrkwilxbw.com^$popup +||oxbbzxqfnv.com^$popup +||oxtsale1.com^$popup +||oxydend2r5umarb8oreum.com^$popup +||oyi9f1kbaj.com^$popup +||ozcarcupboard.com^$popup +||ozonerexhaled.click^$popup +||ozongees.com^$popup +||pa5ka.com^$popup +||padsdel.com^$popup +||paeastei.net^$popup +||paehceman.com^$popup +||paikoasa.tv^$popup +||paizowheefash.net^$popup +||palmmalice.com^$popup +||palpablefungussome.com^$popup +||palundrus.com^$popup +||pamwrymm.live^$popup +||panelghostscontractor.com^$popup +||panicmiserableeligible.com^$popup +||pantrydivergegene.com^$popup +||parachuteeffectedotter.com^$popup +||parallelgds.store^$popup +||parentingcalculated.com^$popup +||parentlargevia.com^$popup +||paripartners.ru^$popup +||parisjeroleinpg.com^$popup +||parkcircularpearl.com^$popup +||parkingridiculous.com^$popup +||participateconsequences.com^$popup +||partsbury.com^$popup +||parturemv.top^$popup +||passeura.com^$popup +||passfixx.com^$popup +||pasxfixs.com^$popup +||patrondescendantprecursor.com^$popup +||patronimproveyourselves.com^$popup +||paularrears.com^$popup +||paulastroid.com^$popup +||paxsfiss.com^$popup +||paxxfiss.com^$popup +||paymentsweb.org^$popup +||payvclick.com^$popup +||pclk.name^$popup +||pcmclks.com^$popup +||pctsrv.com^$popup +||peachybeautifulplenitude.com^$popup +||pecialukizeias.info^$popup +||peeredgerman.com^$popup +||peethach.com^$popup +||peezette-intial.com^$popup +||pegloang.com^$popup +||pejzeexukxo.com^$popup +||pelis-123.org^$popup +||pemsrv.com^$popup +||peopleloves.me^$popup +||pereliaastroid.com^$popup +||perfectflowing.com^$popup ||perfecttoolmedia.com^$popup -||pexu.com^$popup,third-party -||pgmediaserve.com^$popup,third-party +||performancetrustednetwork.com^$popup +||periodscirculation.com^$popup +||perispro.com^$popup +||perpetraterummage.com^$popup +||perryvolleyball.com^$popup +||pertersacstyli.com^$popup +||pertfinds.com^$popup +||pertlouv.com^$popup +||pesime.xyz^$popup +||peskyclarifysuitcases.com^$popup +||pesterolive.com^$popup +||petendereruk.com^$popup +||pexu.com^$popup +||pgmediaserve.com^$popup +||phamsacm.net^$popup +||phaulregoophou.net^$popup +||phaurtuh.net^$popup +||pheniter.com^$popup +||phenotypebest.com^$popup +||phoognol.com^$popup +||phosphatepossible.com^$popup +||phovaiksou.net^$popup ||phu1aefue.com^$popup -||pickoga.work^$popup,third-party -||pimmuter.com^$popup -||pipaoffers.com^$popup,third-party +||phumpauk.com^$popup +||phuthobsee.com^$popup +||pickaflick.co^$popup +||pierisrapgae.com^$popup +||pipaffiliates.com^$popup ||pipsol.net^$popup -||pixellitomedia.com^$popup,third-party -||pixelsfighting.co^$popup,third-party -||playboymethod.com^$popup,third-party -||plex2.com^$popup,third-party -||plexop.net^$popup,third-party -||plsdrct2.me^$popup,third-party -||png2imag.club^$popup -||pocofh.com^$popup -||pointclicktrack.com^$popup,third-party -||pointroll.com^$popup,third-party -||pomofon.ru^$popup,third-party -||popads.net^$popup,third-party +||pisism.com^$popup +||pistolsizehoe.com^$popup +||pitchedfurs.com^$popup +||pitchedvalleyspageant.com^$popup +||pitysuffix.com^$popup +||pixellitomedia.com^$popup +||pixelspivot.com^$popup +||pk910324e.com^$popup +||pki87n.pro^$popup +||placardcapitalistcalculate.com^$popup +||placetobeforever.com^$popup +||plainmarshyaltered.com^$popup +||planetarium-planet.com^$popup +||planmybackup.co^$popup +||planningdesigned.com^$popup +||planyourbackup.co^$popup +||play1ad.shop^$popup +||playamopartners.com^$popup +||playbook88a2.com^$popup +||playeranyd.org^$popup +||playerstrivefascinated.com^$popup +||playerswhisper.com^$popup +||playstretch.host^$popup +||playvideoclub.com^$popup +||pleadsbox.com^$popup +||pleasetrack.com^$popup +||plexop.net^$popup +||plinksplanet.com^$popup +||plirkep.com^$popup +||plorexdry.com^$popup +||plsrcmp.com^$popup +||plumpcontrol.pro^$popup +||pnouting.com^$popup +||pnperf.com^$popup +||podefr.net^$popup +||pointclicktrack.com^$popup +||pointroll.com^$popup +||poisism.com^$popup +||pokjhgrs.click^$popup +||politesewer.com^$popup +||politicianbusplate.com^$popup +||polyh-nce.com^$popup +||pompreflected.com^$popup +||pon-prairie.com^$popup +||ponk.pro^$popup +||pooksys.site^$popup +||popads.net^$popup +||popblockergold.info^$popup ||popcash.net^$popup -||popcornvod.com^$popup,third-party -||popmyads.com^$popup,third-party -||poponclick.com^$popup,third-party -||popped.biz^$popup,third-party -||popsuperbbrands.com^$popup,third-party +||popcornvod.com^$popup +||poperblocker.com^$popup +||popmyads.com^$popup +||popped.biz^$popup +||populationrind.com^$popup ||popunder.bid^$popup ||popunderjs.com^$popup -||popwin.net^$popup,third-party -||porlandzor.com^$popup -||potedly.co^$popup -||poterrupte.co^$popup -||potpourrichordataoscilloscope.com^$popup,third-party +||popupblockergold.com^$popup +||popupsblocker.org^$popup +||popwin.net^$popup +||pornhb.me^$popup +||poshsplitdr.com^$popup +||post-redirecting.com^$popup +||postaffiliatepro.com^$popup,third-party +||postback1win.com^$popup +||postlnk.com^$popup +||potawe.com^$popup +||potpourrichordataoscilloscope.com^$popup +||potsaglu.net^$popup +||potskolu.net^$popup +||ppcnt.co^$popup +||ppcnt.eu^$popup +||ppcnt.us^$popup +||practicallyfire.com^$popup +||praiseddisintegrate.com^$popup +||prdredir.com^$popup +||precedentadministrator.com^$popup +||precisejoker.com^$popup +||precursorinclinationbruised.com^$popup +||predicamentdisconnect.com^$popup +||predictiondexchange.com^$popup +||predictiondisplay.com^$popup +||predictionds.com^$popup ||predictivadnetwork.com^$popup ||predictivadvertising.com^$popup ||predictivdisplay.com^$popup -||preditates.com^$popup -||preferredain.com^$popup,third-party -||preskalyn.com^$popup -||prfdesk.pro^$popup -||prigmaperf.me^$popup,third-party -||prime535.com^$popup -||print3.info^$popup,third-party -||privacy4browsers.com^$popup,third-party -||prizegiveaway.org^$popup,third-party -||prjcq.com^$popup,third-party +||premium-members.com^$popup +||premium4kflix.top^$popup +||premium4kflix.website^$popup +||premiumaffi.com^$popup +||premonitioninventdisagree.com^$popup +||preoccupycommittee.com^$popup +||press-here-to-continue.com^$popup +||pressingequation.com^$popup +||pressyour.com^$popup +||pretrackings.com^$popup +||prevailinsolence.com^$popup +||prfwhite.com^$popup +||primarkingfun.giving^$popup +||prime-vpnet.com^$popup +||princesinistervirus.com^$popup +||privacysafeguard.net^$popup +||privatedqualizebrui.info^$popup +||privilegedmansfieldvaguely.com^$popup +||privilegest.com^$popup +||prizefrenzy.top^$popup +||prizetopsurvey.top^$popup +||prjcq.com^$popup ||prmtracking.com^$popup +||pro-adblocker.com^$popup +||processsky.com^$popup +||professionalswebcheck.com^$popup +||proffering.xyz$popup +||proffering.xyz^$popup +||profitablecpmgate.com^$popup +||profitableexactly.com^$popup +||profitablegate.com^$popup +||profitablegatecpm.com^$popup +||profitablegatetocontent.com^$popup +||profitabletrustednetwork.com^$popup +||prologuerussialavender.com^$popup ||promo-bc.com^$popup -||promo-market.net^$popup,third-party -||promotions-paradise.org^$popup,third-party -||promotions.sportsbet.com.au^$popup,third-party -||propellerpops.com^$popup,third-party -||prowlerz.com^$popup,third-party -||psma02.com^$popup,third-party -||psoomeeg.com^$popup -||pubads.g.doubleclick.net^$popup,third-party -||pubdirecte.com^$popup,third-party -||publited.com^$popup,third-party -||publited.net^$popup,third-party -||publited.org^$popup,third-party -||pubted.com^$popup,third-party -||pulse360.com^$popup,third-party +||pronouncedlaws.com^$popup +||pronovosty.org^$popup +||pronunciationspecimens.com^$popup +||propadsviews.com^$popup +||propbn.com^$popup +||propellerads.com^$popup +||propellerclick.com^$popup +||propellerpops.com^$popup +||propertyofnews.com^$popup +||protect-your-privacy.net^$popup +||prototypewailrubber.com^$popup +||protrckit.com^$popup +||provenpixel.com^$popup +||prpops.com^$popup +||prtord.com^$popup +||prtrackings.com^$popup +||prwave.info^$popup +||psaiceex.net^$popup +||psaltauw.net^$popup +||psaugourtauy.com^$popup +||psauwaun.com^$popup +||psefteeque.com^$popup +||psegeevalrat.net^$popup +||psilaurgi.net^$popup +||psma02.com^$popup +||psockapa.net^$popup +||psomsoorsa.com^$popup +||psotudev.com^$popup +||pssy.xyz^$popup +||ptailadsol.net^$popup +||ptaupsom.com^$popup +||ptavutchain.com^$popup +||ptistyvymi.com^$popup +||ptoaheelaishard.net^$popup +||ptoakrok.net^$popup +||ptongouh.net^$popup +||ptsixwereksbef.info^$popup +||ptugnins.net^$popup +||ptupsewo.net^$popup +||ptwmcd.com^$popup +||ptwmjmp.com^$popup +||ptyalinbrattie.com^$popup +||pubdirecte.com^$popup +||publisherads.click^$popup +||publited.com^$popup +||pubtrky.com^$popup +||puldhukelpmet.com^$popup +||pulinkme.com^$popup ||pulseonclick.com^$popup ||punsong.com^$popup -||pureadexchange.com^$popup,third-party +||pupspu.com^$popup +||pupur.net^$popup +||pupur.pro^$popup +||pureadexchange.com^$popup +||purebrowseraddonedge.com^$popup +||purpleads.io^$popup +||purplewinds.xyz^$popup +||push-news.click^$popup +||push-sense.com^$popup +||push1000.top^$popup +||pushclk.com^$popup +||pushking.net^$popup ||pushmobilenews.com^$popup -||pussl13.com^$popup +||pushub.net^$popup +||pushwelcome.com^$popup ||pussl3.com^$popup -||pussl32.com^$popup ||pussl48.com^$popup -||putrr11.com^$popup -||putrr14.com^$popup -||pwrads.net^$popup,third-party +||putchumt.com^$popup +||putrefyeither.com^$popup +||puwpush.com^$popup +||pvclouds.com^$popup +||q8ntfhfngm.com^$popup +||qads.io^$popup ||qelllwrite.com^$popup -||qertewrt.com^$popup,third-party -||qiljerton.win^$popup -||qlinks.pro^$popup -||qom006.site^$popup -||qrkiykgbk.com^$popup -||qrlsx.com^$popup,third-party -||qswotrk.com^$popup,third-party -||quantomcoding.com^$popup,third-party -||queurow.pro^$popup -||quickcash-system.com^$popup,third-party -||quideo.men^$popup,third-party -||quierest.com^$popup -||raoplenort.biz^$popup,third-party -||rapidyl.net^$popup,third-party -||ratari.ru^$popup,third-party -||rbxtrk.com^$popup,third-party -||rdsrv.com^$popup,third-party -||reallifecam.com^$popup,third-party -||recessary.com^$popup +||qertewrt.com^$popup +||qjrhacxxk.xyz^$popup +||qksrv.cc^$popup +||qksrv1.com^$popup +||qnp16tstw.com^$popup +||qq288cm1.com^$popup +||qr-captcha.com^$popup +||qrlsx.com^$popup +||qrprobopassor.com^$popup +||qualityadverse.com^$popup +||qualitydating.top^$popup +||quarrelaimless.com^$popup +||questioningexperimental.com^$popup +||quilladot.org^$popup +||qxdownload.com^$popup +||qz496amxfh87mst.com^$popup +||r-tb.com^$popup +||r3adyt0download.com^$popup +||r3f.technology^$popup +||rafkxx.com^$popup +||railroadfatherenlargement.com^$popup +||raisoglaini.net^$popup +||rallantynethebra.com^$popup +||ranabreast.com^$popup +||rankpeers.com^$popup +||raordukinarilyhuk.com^$popup +||raosmeac.net^$popup +||rapidhits.net^$popup +||rapolok.com^$popup +||rashbarnabas.com^$popup +||raunooligais.net^$popup +||rbtfit.com^$popup +||rbxtrk.com^$popup +||rdrm1.click^$popup +||rdrsec.com^$popup +||rdsa2012.com^$popup +||rdsrv.com^$popup +||rdtk.io^$popup +||rdtracer.com^$popup +||readserv.com^$popup +||readyblossomsuccesses.com^$popup +||realcfadsblog.com^$popup +||realsh.xyz^$popup +||realsrv.com^$popup +||realtime-bid.com^$popup +||realxavounow.com^$popup +||rearedblemishwriggle.com^$popup +||rebrew-foofteen.com^$popup +||rechanque.com^$popup +||reclod.com^$popup +||recodetime.com^$popup +||recompensecombinedlooks.com^$popup +||record.commissionkings.ag^$popup +||record.rizk.com^$popup +||recyclinganewupdated.com^$popup +||recyclingbees.com^$popup ||red-direct-n.com^$popup -||redirect18systemsg.com^$popup -||redirect2719.ws^$popup -||redirectgang.com^$popup -||redirections.site^$popup,third-party +||redaffil.com^$popup +||redirect-ads.com^$popup +||redirect-path1.com^$popup +||redirectflowsite.com^$popup +||redirecting7.eu^$popup +||redirectingat.com^$popup ||redirectvoluum.com^$popup +||redrotou.net^$popup +||redwingmagazine.com^$popup +||refdomain.info^$popup +||referredscarletinward.com^$popup ||refpa.top^$popup -||refpamsj.xyz^$popup -||refpazcx.xyz^$popup -||rehok.km.ua^$popup,third-party -||rencontreanna.com^$popup,third-party -||replainy.co^$popup -||retainguaninefluorite.info^$popup,third-party -||retaryrs.com^$popup -||retkow.com^$popup,third-party +||refpa4293501.top^$popup +||refpabuyoj.top^$popup +||refpaikgai.top^$popup +||refpamjeql.top^$popup +||refpasrasw.world^$popup +||refpaxfbvjlw.top^$popup +||refundsreisner.life^$popup +||refutationtiptoe.com^$popup +||regulushamal.top^$popup +||rehvbghwe.cc^$popup +||rekipion.com^$popup +||reliablemore.com^$popup +||relievedgeoff.com^$popup +||relockembarge.shop^$popup +||remaysky.com^$popup +||remembergirl.com^$popup +||reminews.com^$popup +||remoifications.info^$popup +||remv43-rtbix.top^$popup +||rentalrebuild.com^$popup +||rentingimmoderatereflecting.com^$popup +||repayrotten.com^$popup +||repentbits.com^$popup +||replaceexplanationevasion.com^$popup +||replacestuntissue.com^$popup +||reprintvariousecho.com^$popup +||reproductiontape.com^$popup +||reqdfit.com^$popup +||reroplittrewheck.pro^$popup +||resentreaccotia.com^$popup +||resertol.co.in^$popup +||residelikingminister.com^$popup +||residenceseeingstanding.com^$popup +||residentialinspur.com^$popup +||resistshy.com^$popup +||responsiverender.com^$popup +||resterent.com^$popup +||restorationbowelsunflower.com^$popup +||restorationpencil.com^$popup +||retgspondingco.com^$popup +||revenuenetwork.com^$popup ||revimedia.com^$popup -||rgadvert.com^$popup,third-party -||rikhov.ru^$popup,third-party -||ringtonematcher.com^$popup,third-party -||ringtonepartner.com^$popup,third-party -||riowrite.com^$popup,third-party -||rm-tracker.com^$popup,third-party -||rolinda.work^$popup,third-party -||ronetu.ru^$popup,third-party -||rotumal.com^$popup,third-party -||roulettebotplus.com^$popup,third-party +||revolvemockerycopper.com^$popup +||rewardtk.com^$popup +||rewqpqa.net^$popup +||rexsrv.com^$popup +||rhudsplm.com^$popup +||rhvdsplm.com^$popup +||rhxdsplm.com^$popup +||riddleloud.com^$popup +||riflesurfing.xyz^$popup +||riftharp.com^$popup +||rightypulverizetea.com^$popup +||ringexpressbeach.com^$popup +||riotousunspeakablestreet.com^$popup +||riowrite.com^$popup +||riscati.com^$popup +||riverhit.com^$popup +||rkatamonju.info^$popup +||rkskillsombineukd.com^$popup +||rmaticalacm.info^$popup +||rmhfrtnd.com^$popup +||rmzsglng.com^$popup +||rndhaunteran.com^$popup +||rndmusharnar.com^$popup +||rndskittytor.com^$popup +||roaddataay.live^$popup +||roadmappenal.com^$popup +||roastoup.com^$popup +||rochestertrend.com^$popup +||rocketmedia24.com^$popup,third-party +||rockstorageplace.com^$popup +||rockytrails.top^$popup +||rocoads.com^$popup +||rollads.live^$popup +||romanlicdate.com^$popup +||roobetaffiliates.com^$popup +||rootzaffiliates.com^$popup +||rose2919.com^$popup +||rosyruffian.com^$popup +||rotumal.com^$popup +||roudoduor.com^$popup +||roulettebotplus.com^$popup +||rounddescribe.com^$popup +||roundflow.net^$popup +||routes.name^$popup +||routgveriprt.com^$popup ||roverinvolv.bid^$popup -||rsalcdp.com^$popup -||rtpdn10.com^$popup -||rtrdan1.com^$popup -||rubikon6.if.ua^$popup,third-party -||ruckusschroederraspberry.com^$popup,third-party -||runslin.com^$popup,third-party +||rovno.xyz^$popup +||royalcactus.com^$popup +||rozamimo9za10.com^$popup +||rsaltsjt.com^$popup +||rsppartners.com^$popup +||rtbadshubmy.com^$popup +||rtbbpowaq.com^$popup +||rtbix.xyz^$popup +||rtbsuperhub.com^$popup +||rtbxnmhub.com^$popup +||rtclx.com^$popup +||rtmark.net^$popup +||rtoukfareputfe.info^$popup +||rtyznd.com^$popup +||rubylife.go2cloud.org^$popup +||rudderwebmy.com^$popup +||rulefloor.com^$popup +||rummagemason.com^$popup +||runicmaster.top^$popup +||runslin.com^$popup ||runtnc.net^$popup -||rvnc72k.com^$popup,third-party -||s4yxaqyq95.com^$popup -||s5prou7ulr.com^$popup -||s9kkremkr0.com^$popup -||sasontnwc.net^$popup,~third-party -||sconcentpract.info^$popup -||sectivity.mobi^$popup -||secureintl.com^$popup,third-party +||russellseemslept.com^$popup +||rusticsnoop.com^$popup +||ruthproudlyquestion.top^$popup +||rvetreyu.net^$popup +||rvisofoseveralye.com^$popup +||rvrpushserv.com^$popup +||s0cool.net^$popup +||s20dh7e9dh.com^$popup +||s3g6.com^$popup +||sabotageharass.com^$popup +||safe-connection21.com^$popup +||safestgatetocontent.com^$popup +||sagedeportflorist.com^$popup +||saillevity.com^$popup +||saltpairwoo.live^$popup +||samage-bility.icu^$popup +||samarradeafer.top^$popup +||sandmakingsilver.info^$popup +||sandyrecordingmeet.com^$popup +||sarcasmadvisor.com^$popup +||sarcodrix.com^$popup +||sardineforgiven.com^$popup +||sarfoman.co.in^$popup +||sasontnwc.net^$popup +||saulttrailwaysi.info^$popup +||savinist.com^$popup +||saycasksabnegation.com^$popup +||scaredframe.com^$popup +||scenbe.com^$popup +||score-feed.com^$popup +||scoredconnect.com^$popup +||screenov.site^$popup +||sealthatleak.com^$popup +||searchheader.xyz^$popup +||searchmulty.com^$popup +||searchsecurer.com^$popup +||seashorelikelihoodreasonably.com^$popup +||seatrackingdomain.com^$popup +||seatsrehearseinitial.com^$popup +||secthatlead.com^$popup +||secureclickers.com^$popup +||securecloud-smart.com^$popup +||securecloud-sml.com^$popup +||secureclouddt-cd.com^$popup +||securedsmcd.com^$popup +||securedt-sm.com^$popup +||securegate9.com^$popup +||securegfm.com^$popup +||secureleadsrn.com^$popup ||securesmrt-dt.com^$popup -||seethisinaction.com^$popup,third-party -||seiya.work^$popup,third-party +||sedodna.com^$popup +||seethisinaction.com^$popup +||semilikeman.com^$popup +||semqraso.net^$popup +||senonsiatinus.com^$popup ||senzapudore.it^$popup,third-party -||serving-sys.com^$popup,third-party -||servingclks.com^$popup,third-party -||servingit.co^$popup,third-party -||sexitnow.com^$popup,third-party -||sfxuiadi.com^$popup -||shalleda.com^$popup,third-party -||shiek1ph.com^$popup,third-party -||shopeasy.by^$popup,third-party +||seo-overview.com^$popup +||separationharmgreatest.com^$popup +||ser678uikl.xyz^$popup +||sereanstanza.com^$popup +||serialwarning.com^$popup +||serve-rtb.com^$popup +||serve-servee.com^$popup +||serveforthwithtill.com^$popup +||servehub.info^$popup +||serversmatrixaggregation.com^$popup +||servetean.site^$popup +||servicetechtracker.com^$popup +||serving-sys.com^$popup +||servsserverz.com^$popup +||seteamsobtantion.com^$popup +||setlitescmode-4.online^$popup +||seullocogimmous.com^$popup +||sevenbuzz.com^$popup +||sex-and-flirt.com^$popup +||sexfamilysim.net^$popup +||sexpieasure.com^$popup +||sexyepc.com^$popup +||shadesentimentssquint.com^$popup +||shaggyselectmast.com^$popup +||shainsie.com^$popup +||sharpofferlinks.com^$popup +||shaugacakro.net^$popup +||shauladubhe.com^$popup +||shauladubhe.top^$popup +||shbzek.com^$popup +||she-want-fuck.com^$popup +||sheegiwo.com^$popup +||sherouscolvered.com^$popup +||sheschemetraitor.com^$popup +||shinebliss.com^$popup +||shipwreckclassmate.com^$popup +||shoopusahealth.com^$popup +||shopeasy.by^$popup +||shortfailshared.com^$popup +||shortpixel.ai^$popup +||shortssibilantcrept.com^$popup +||shoubsee.net^$popup +||show-me-how.net^$popup ||showcasead.com^$popup -||sierra-fox.com^$popup,third-party -||silstavo.com^$popup,third-party -||simpleinternetupdate.com^$popup,third-party -||simpletds.net^$popup,third-party -||singleicejo.link^$popup,third-party -||singlesexdates.com^$popup,third-party -||sistacked.com^$popup -||slikslik.com^$popup,third-party -||slimspots.com^$popup,third-party -||slimtrade.com^$popup,third-party -||smartadtags.com^$popup,third-party -||smartwebads.com^$popup,third-party -||smrtgs.com^$popup,third-party -||sms-mmm.com^$popup,third-party -||snapvine.club^$popup,third-party -||softwarepiset.com^$popup,third-party -||solidayw.info^$popup -||sparkstudios.com^$popup,third-party -||speednetwork14.com^$popup,third-party -||speednetwork6.com^$popup,third-party -||spondenced.com^$popup -||spotscenered.info^$popup,third-party -||sq2trk2.com^$popup,third-party -||squartedo.info^$popup -||srv-ad.com^$popup,third-party -||srv2trking.com^$popup,third-party -||srvbytrking.com^$popup -||srvpub.com^$popup,third-party -||ssl2anyone3.com^$popup -||stabletrappeddevote.info^$popup,third-party -||statsmobi.com^$popup,third-party -||statstrackeronline.com^$popup,third-party -||stoagergu.com^$popup -||stoshoos.com^$popup -||strainemergency.com^$popup,third-party -||suddership.com^$popup -||superadexchange.com^$popup,third-party -||surveyend.com^$popup,third-party -||surveysforgifts.org^$popup,third-party -||surveyspaid.com^$popup,third-party -||surveystope.com^$popup,third-party -||swadvertising.org^$popup,third-party -||symkashop.ru^$popup,third-party -||syncedvision.com^$popup,third-party -||tagsd.com^$popup,third-party -||targetctracker.com^$popup,third-party -||tatami-solutions.com^$popup,third-party -||td563.com^$popup,third-party -||techcloudtrk.com^$popup,third-party -||technicssurveys.info^$popup,third-party -||terraclicks.com^$popup,third-party -||textsrv.com^$popup,third-party -||thatsallfolks.link^$popup -||the-binary-trader.biz^$popup,third-party -||the-consumer-reporter.org^$popup,third-party -||thecloudtrader.com^$popup,third-party -||theih1w.top^$popup,third-party -||thepornsurvey.com^$popup,third-party -||therewardsurvey.com^$popup,third-party -||ths9j89.com^$popup -||tjoomo.com^$popup,third-party -||tmdn2015x9.com^$popup,third-party +||showcasebytes.co^$popup +||showcasethat.com^$popup +||shrillwife.pro^$popup +||shuanshu.com.com^$popup +||shudderconnecting.com^$popup +||sicknessfestivity.com^$popup +||sidebyx.com^$popup +||significantoperativeclearance.com^$popup +||sillinessinterfere.com^$popup +||simple-isl.com^$popup +||sing-tracker.com^$popup +||singaporetradingchallengetracker1.com^$popup +||singelstodate.com^$popup +||singlesexdates.com^$popup +||singlewomenmeet.com^$popup +||sisterexpendabsolve.com^$popup +||sixft-apart.com^$popup +||skohssc.cfd^$popup +||skylindo.com^$popup +||skymobi.agency^$popup +||slashstar.net^$popup +||slidecaffeinecrown.com^$popup +||slideff.com^$popup +||slikslik.com^$popup +||slimfiftywoo.com^$popup +||slimspots.com^$popup +||slipperydeliverance.com^$popup +||slk594.com^$popup +||sloto.live^$popup +||slownansuch.info^$popup +||slowww.xyz^$popup +||smallestgirlfriend.com^$popup +||smallfunnybears.com^$popup +||smart-wp.com^$popup +||smartadtags.com^$popup +||smartcj.com^$popup +||smartcpatrack.com^$popup +||smartlphost.com^$popup +||smartmnews.pro^$popup +||smarttds.org^$popup +||smarttopchain.nl^$popup +||smentbrads.info^$popup +||smlypotr.net^$popup +||smothercontinuingsnore.com^$popup +||smoulderhangnail.com^$popup +||smrt-content.com^$popup +||smrtgs.com^$popup +||snadsfit.com^$popup +||snammar-jumntal.com^$popup +||snapcheat16s.com^$popup +||snoreempire.com^$popup +||snowdayonline.xyz^$popup +||snugglethesheep.com^$popup +||sobakenchmaphk.com^$popup +||sofinpushpile.com^$popup +||softonixs.xyz^$popup +||softwa.cfd^$popup +||soksicme.com^$popup +||solaranalytics.org^$popup +||soldierreproduceadmiration.com^$popup +||solemik.com^$popup +||solemnvine.com^$popup +||soliads.net^$popup +||solispartner.com^$popup +||sonioubemeal.com^$popup +||soocaips.com^$popup +||sorrowfulclinging.com^$popup +||sotchoum.com^$popup +||sourcecodeif.com^$popup +||sousefulhead.com^$popup +||spacecatholicpalmful.com^$popup +||spacetraff.com^$popup +||sparkstudios.com^$popup +||sparta-tracking.xyz^$popup +||spdate.com^$popup +||speakspurink.com^$popup +||special-offers.online^$popup +||special-promotions.online^$popup +||special-trending-news.com^$popup +||specialisthuge.com^$popup +||specialtymet.com^$popup +||speednetwork14.com^$popup +||speedsupermarketdonut.com^$popup +||spellingunacceptable.com^$popup +||spendcrazy.net^$popup +||sperans-beactor.com^$popup +||spheryexcise.shop^$popup +||spicygirlshere.life^$popup +||spin83qr.com^$popup +||spklmis.com^$popup +||splungedhobie.click^$popup +||spo-play.live^$popup +||spongemilitarydesigner.com^$popup +||sport-play.live^$popup +||sportfocal.com^$popup +||sports-streams-online.best^$popup +||sports-tab.com^$popup +||spotofspawn.com^$popup +||spotscenered.info^$popup +||spreadingsinew.com^$popup +||sprinlof.com^$popup +||sptrkr.com^$popup +||spunorientation.com^$popup +||spuppeh.com^$popup +||sr7pv7n5x.com^$popup +||srtrak.com^$popup +||srv2trking.com^$popup +||srvpcn.com^$popup +||srvtrck.com^$popup +||st-rdirect.com^$popup +||st1net.com^$popup +||staaqwe.com^$popup +||staggersuggestedupbrining.com^$popup +||stammerail.com^$popup +||starchoice-1.online^$popup +||starmobmedia.com^$popup +||starry-galaxy.com^$popup +||start-xyz.com^$popup +||startd0wnload22x.com^$popup +||statestockingsconfession.com^$popup +||statistic-data.com^$popup +||statsmobi.com^$popup +||staukaul.com^$popup +||stawhoph.com^$popup +||stellarmingle.store^$popup +||stemboastfulrattle.com^$popup +||stenadewy.pro^$popup +||stexoakraimtap.com^$popup +||sthoutte.com^$popup +||stickingrepute.com^$popup +||stikroltiltoowi.net^$popup +||stimaariraco.info^$popup +||stinglackingrent.com^$popup +||stoaltoa.top^$popup +||stoopedsignbookkeeper.com^$popup +||stoopfalse.com^$popup +||stoorgel.com^$popup +||stop-adblocker.info^$popup +||stopadblocker.com^$popup +||stopadzblock.net^$popup +||stopblockads.com^$popup +||storader.com^$popup +||stormydisconnectedcarsick.com^$popup +||stovecharacterize.com^$popup +||strainemergency.com^$popup +||straitchangeless.com^$popup +||stream-all.com^$popup +||streamsearchclub.com^$popup +||streamyourvid.com^$popup +||strenuoustarget.com^$popup +||strettechoco.com^$popup +||strewdirtinessnestle.com^$popup +||strtgic.com^$popup +||strungcourthouse.com^$popup +||stt6.cfd^$popup +||studiocustomers.com^$popup +||stuffedbeforehand.com^$popup +||stughoamoono.net^$popup +||stunserver.net^$popup +||stvbiopr.net^$popup +||stvkr.com^$popup +||stvwell.online^$popup +||subjectsfaintly.com^$popup +||suddenvampire.com^$popup +||suddslife.com^$popup +||suggest-recipes.com^$popup +||sulkvulnerableexpecting.com^$popup +||sumbreta.com^$popup +||summitmanner.com^$popup +||sunflowerbright106.io^$popup +||sunglassesmentallyproficient.com^$popup +||superadexchange.com^$popup +||superfastcdn.com^$popup +||superfasti.co^$popup +||supersedeforbes.com^$popup +||suppliedhopelesspredestination.com^$popup +||supremeadblocker.com^$popup +||supremeoutcome.com^$popup +||supremepresumptuous.com^$popup +||supremoadblocko.com^$popup +||suptraf.com^$popup +||suptrkdisplay.com^$popup +||surge.systems^$popup +||surroundingsliftingstubborn.com^$popup +||surveyonline.top^$popup +||surveyspaid.com^$popup +||suspicionsmutter.com^$popup +||swagtraffcom.com^$popup +||swaycomplymishandle.com^$popup +||sweepfrequencydissolved.com^$popup +||swinity.com^$popup +||sxlflt.com^$popup +||syncedvision.com^$popup +||synonymdetected.com^$popup +||syringeitch.com^$popup +||syrsple2se8nyu09.com^$popup +||systeme-business.online^$popup +||systemleadb.com^$popup +||szqxvo.com^$popup +||t2lgo.com^$popup +||taghaugh.com^$popup +||tagsd.com^$popup +||takecareproduct.com^$popup +||takegerman.com^$popup +||takelnk.com^$popup +||takeyouforward.co^$popup +||talentorganism.com^$popup +||tallysaturatesnare.com^$popup +||tapdb.net^$popup +||tapewherever.com^$popup +||tapinvited.com^$popup +||taprtopcldfa.co^$popup +||taprtopcldfard.co^$popup +||taprtopcldfb.co^$popup +||targhe.info^$popup +||taroads.com^$popup +||tatrck.com^$popup +||tauphaub.net^$popup +||tausoota.xyz^$popup +||tbeiu658gftk.com^$popup +||tcare.today^$popup +||tdspa.top^$popup +||teammanbarded.shop^$popup +||teamsoutspoken.com^$popup +||tearsincompetentuntidy.com^$popup +||tecaitouque.net^$popup +||techiteration.com^$popup +||techreviewtech.com^$popup +||tegleebs.com^$popup +||teksishe.net^$popup +||telyn610zoanthropy.com^$popup +||temksrtd.net^$popup +||temperrunnersdale.com^$popup +||tencableplug.com^$popup +||tenthgiven.com^$popup +||terbit2.com^$popup +||terraclicks.com^$popup +||terralink.xyz^$popup +||tesousefulhead.info^$popup +||tfaln.com^$popup +||tffkroute.com^$popup +||tgars.com^$popup +||thairoob.com^$popup +||thanosofcos5.com^$popup +||thaoheakolons.info^$popup +||thaudray.com^$popup +||the-binary-trader.biz^$popup +||thebestgame2020.com^$popup +||thebigadsstore.com^$popup +||thecarconnections.com^$popup +||thechleads.pro^$popup +||thechronicles2.xyz^$popup +||thecloudvantnow.com^$popup +||theepsie.com^$popup +||theerrortool.com^$popup +||theextensionexpert.com^$popup +||thefacux.com^$popup +||theirbellsound.co^$popup +||theirbellstudio.co^$popup +||theonesstoodtheirground.com^$popup +||theoverheat.com^$popup +||thesafersearch.com^$popup +||thetaweblink.com^$popup +||thetoptrust.com^$popup +||theusualsuspects.biz^$popup +||thickspaghetti.com^$popup +||thinkaction.com^$popup +||thirawogla.com^$popup +||thirtyeducate.com^$popup +||thisisalsonewdomain.xyz^$popup +||thisisyourprize.site^$popup +||thnqemehtyfe.com^$popup +||thofteert.com^$popup +||thomasalthoughhear.com^$popup +||thoroughlypantry.com^$popup +||thouptoorg.com^$popup +||thunderdepthsforger.top^$popup +||ticalfelixstownru.info^$popup +||tidyllama.com^$popup +||tigerking.world^$popup +||tignuget.net^$popup +||tilttrk.com^$popup +||tiltwin.com^$popup +||timeoutwinning.com^$popup +||timot-cvk.info^$popup +||tingswifing.click^$popup +||tinsus.com^$popup +||titaniumveinshaper.com^$popup +||tjoomo.com^$popup +||tl2go.com^$popup +||tmb5trk.com^$popup ||tmtrck.com^$popup ||tmxhub.com^$popup -||tnctrx.com^$popup,third-party +||tncred.com^$popup +||tnctrx.com^$popup ||tnkexchange.com^$popup -||tonefuse.com^$popup,third-party +||toahicobeerile.com^$popup +||toenailannouncehardworking.com^$popup +||tohechaustoox.net^$popup +||toiletpaper.life^$popup +||toltooth.net^$popup +||tomatoqqamber.click^$popup +||tombmeaning.com^$popup +||tomladvert.com^$popup +||tomorroweducated.com^$popup +||tonefuse.com^$popup +||tonsilsuggestedtortoise.com^$popup +||tookiroufiz.net^$popup +||toonujoops.net^$popup +||toopsoug.net^$popup +||toothcauldron.com^$popup +||top-performance.best^$popup +||top-performance.club^$popup +||top-performance.top^$popup +||topadvdomdesign.com^$popup +||topatincompany.com^$popup +||topblockchainsolutions.nl^$popup ||topclickguru.com^$popup -||topshelftraffic.com^$popup,third-party -||toroadvertisingmedia.com^$popup,third-party +||topdealad.com^$popup +||topduppy.info^$popup +||topfdeals.com^$popup +||topflownews.com^$popup +||toprevenuegate.com^$popup +||toptrendyinc.com^$popup +||toroadvertisingmedia.com^$popup ||torpsol.com^$popup -||torrentcacher.info^$popup,third-party -||totaladperformance.com^$popup,third-party -||totrack.ru^$popup,third-party -||tracker*.bingohall.ag^$popup,third-party -||tracker*.richcasino.com^$popup,third-party -||tracki112.com^$popup,third-party -||tracking.marketing^$popup -||tracking.sportsbet.$popup,third-party -||trackmkxoffers.se^$popup -||traffic-c.com^$popup,third-party -||trafficdelivery1.com^$popup -||trafficforce.com^$popup,third-party -||traffichaus.com^$popup,third-party -||trafficinvest.com^$popup,third-party -||trafficshop.com^$popup,third-party -||trafflict.com^$popup +||torrent-protection.com^$popup +||toscytheran.com^$popup +||totadblock.com^$popup +||totalab.xyz^$popup +||totaladblock.com^$popup +||totaladperformance.com^$popup +||totalnicefeed.com^$popup +||totalwownews.com^$popup +||totlnkcl.com^$popup +||touroumu.com^$popup +||towardsturtle.com^$popup +||toxtren.com^$popup +||tozoruaon.com^$popup +||tpmr.com^$popup +||tr-boost.com^$popup +||tr-bouncer.com^$popup +||tr-monday.xyz^$popup +||tr-rollers.xyz^$popup +||tr-usual.com^$popup +||tracereceiving.com^$popup +||track-campaing.club^$popup +||track-victoriadates.com^$popup +||track.totalav.com^$popup +||track4ref.com^$popup +||trackcherry.com^$popup +||tracker-2.com^$popup +||tracker-sav.space^$popup +||tracker-tds.info^$popup +||trackerrr.com^$popup +||trackerx.ru^$popup +||trackeverything.co^$popup +||trackingrouter.com^$popup +||trackingshub.com^$popup +||trackingtraffo.com^$popup +||trackmundo.com^$popup +||trackpshgoto.win^$popup +||tracks20.com^$popup +||tracksfaster.com^$popup +||trackstracker.com^$popup +||tracktds.com^$popup +||tracktds.live^$popup +||tracktilldeath.club^$popup +||trackwilltrk.com^$popup +||tracot.com^$popup +||tradeadexchange.com^$popup +||traffic-c.com^$popup +||traffic.name^$popup +||trafficbass.com^$popup +||trafficborder.com^$popup +||trafficdecisions.com^$popup +||trafficdok.com^$popup +||trafficforce.com^$popup +||traffichaus.com^$popup +||trafficholder.com^$popup +||traffichunt.com^$popup +||trafficinvest.com^$popup +||trafficlide.com^$popup +||trafficmagnates.com^$popup +||trafficmediaareus.com^$popup +||trafficmoon.com^$popup +||trafficmoose.com^$popup ||trafforsrv.com^$popup +||traffrout.com^$popup ||trafyield.com^$popup -||traktrafficflow.com^$popup,third-party -||trend-trader.cc^$popup,third-party -||trido.club^$popup,third-party -||trklnks.com^$popup,third-party -||trkpointcloud.com^$popup,third-party -||trktrk017.com^$popup -||trktrk029.com^$popup -||trktrk047.com^$popup -||trw12.com^$popup,third-party +||tragicbeyond.com^$popup +||trakaff.net^$popup +||traktrafficflow.com^$popup +||trandlife.info^$popup +||transgressmeeting.com^$popup +||trapexpansionmoss.com^$popup +||trck.wargaming.net^$popup +||trcklks.com^$popup +||trckswrm.com^$popup +||trcyrn.com^$popup +||trellian.com^$popup +||trftopp.biz^$popup +||triangular-fire.pro^$popup +||tributesexually.com^$popup +||trilema.com^$popup +||triumphantfreelance.com^$popup +||triumphantplace.com^$popup +||trk-access.com^$popup +||trk-vod.com^$popup +||trk3000.com^$popup +||trk301.com^$popup +||trkbng.com^$popup +||trkings.com^$popup +||trkless.com^$popup +||trklnks.com^$popup +||trknext.com^$popup +||trknk.com^$popup +||trknovi.com^$popup +||trkred.com^$popup +||trksmorestreacking.com^$popup +||trlxcf05.com^$popup +||trmobc.com^$popup +||troopsassistedstupidity.com^$popup +||tropbikewall.art^$popup +||troublebrought.com^$popup +||troubledcontradiction.com^$popup +||troublesomeleerycarry.com^$popup +||trpool.org^$popup +||trpop.xyz^$popup +||trust.zone^$popup +||trustedcpmrevenue.com^$popup +||trustedgatetocontent.com^$popup +||trustedpeach.com^$popup +||trustedzone.info^$popup +||trustflayer1.online^$popup +||trustyable.com^$popup +||trustzonevpn.info^$popup +||truthtraff.com^$popup +||trw12.com^$popup +||try.opera.com^$popup +||tseywo.com^$popup +||tsml.fun^$popup ||tsyndicate.com^$popup -||ttdaz.xyz^$popup +||ttoc8ok.com^$popup ||tubeadvertising.eu^$popup -||tulip18.com^$popup -||turbofileindir.com^$popup,third-party -||tutotrack.com^$popup -||tutvp.com^$popup,third-party -||tvas-a.pw^$popup,third-party -||tvas-b.pw^$popup,third-party -||twqiqiang.com^$popup,third-party -||ucontrate.com^$popup -||ucoxa.work^$popup,third-party +||tubecup.net^$popup +||tubroaffs.org^$popup +||tuffoonincaged.com^$popup +||tuitionpancake.com^$popup +||tundrafolder.com^$popup +||tuneshave.com^$popup +||turganic.com^$popup +||turndynamicforbes.com^$popup +||turnhub.net^$popup +||turnstileunavailablesite.com^$popup +||tusheedrosep.net^$popup +||tutvp.com^$popup +||tvas-b.pw^$popup +||twigwisp.com^$popup +||twinfill.com^$popup +||twinkle-fun.net^$popup +||twinklecourseinvade.com^$popup +||twinrdengine.com^$popup +||twinrdsrv.com^$popup +||twinrdsyn.com^$popup +||twinrdsyte.com^$popup +||txzaazmdhtw.com^$popup +||tychon.bid^$popup +||typicalsecuritydevice.com^$popup +||tyqwjh23d.com^$popup +||tyranbrashore.com^$popup +||tyrotation.com^$popup +||tyserving.com^$popup +||tzaqkp.com^$popup +||tzvpn.site^$popup +||u1pmt.com^$popup +||ubilinkbin.com^$popup +||ucconn.live^$popup +||ucheephu.com^$popup +||udncoeln.com^$popup ||uel-uel-fie.com^$popup +||ufinkln.com^$popup ||ufpcdn.com^$popup -||uharded.com^$popup -||unblocksite.info^$popup,third-party -||unqpun.pro^$popup -||updater-checker.net^$popup,third-party +||ugeewhee.xyz^$popup +||ugroocuw.net^$popup +||uhpdsplo.com^$popup +||uidhealth.com^$popup +||uitopadxdy.com^$popup +||ukeesait.top^$popup +||ukoffzeh.com^$popup +||ukworlowedonh.com^$popup +||ultimate-captcha.com^$popup +||ultracdn.top^$popup +||ultrapartners.com^$popup +||ultravpnoffers.com^$popup +||umoxomv.icu^$popup +||unbeedrillom.com^$popup +||unblockedapi.com^$popup +||uncastnork.com^$popup +||unclesnewspaper.com^$popup +||ungiblechan.com^$popup +||unhoodikhwan.shop^$popup +||unicornpride123.com^$popup +||unmistdistune.guru^$popup +||unrealversionholder.com^$popup +||unreshiramor.com^$popup +||unseenrazorcaptain.com^$popup +||unskilfulwalkerpolitician.com^$popup +||unspeakablepurebeings.com^$popup +||untimburra.com^$popup +||unusualbrainlessshotgun.com^$popup +||unwoobater.com^$popup +||upcomingmonkeydolphin.com^$popup +||upcurlsreid.website^$popup +||updatecompletelyfreetheproduct.vip^$popup +||updateenow.com^$popup +||updatephone.club^$popup +||upgliscorom.com^$popup +||uphorter.com^$popup +||uponelectabuzzor.club^$popup +||uproarglossy.com^$popup +||uptightdecreaseclinical.com^$popup +||uptimecdn.com^$popup ||uptopopunder.com^$popup -||usenetnl.download^$popup,third-party -||utarget.ru^$popup,third-party -||v3rjvtt.com^$popup -||vacroz.xyz^$popup,third-party -||vamartin.work^$popup,third-party -||vdtrack.com^$popup -||vdztrack.com^$popup,third-party -||venturead.com^$popup,third-party -||verblife-2.co^$popup,third-party -||versionall.net^$popup,third-party +||upuplet.net^$popup +||urtyert.com^$popup +||urvgwij.com^$popup +||uselnk.com^$popup +||usenetnl.download^$popup +||utarget.ru^$popup +||uthorner.info^$popup +||utilitypresent.com^$popup +||utlservice.com^$popup +||utm-campaign.com^$popup +||utndln.com^$popup +||utopicmobile.com^$popup +||uuksehinkitwkuo.com^$popup +||v6rxv5coo5.com^$popup +||vaatmetu.net^$popup +||vaitotoo.net^$popup +||valuationbothertoo.com^$popup +||variabilityproducing.com^$popup +||variationaspenjaunty.com^$popup +||vasstycom.com^$popup +||vasteeds.net^$popup +||vax-now.com^$popup +||vbnmsilenitmanby.info^$popup +||vbthecal.shop^$popup +||vcdc.com^$popup +||vcommission.com^$popup +||vebv8me7q.com^$popup +||veepteero.com^$popup +||veilsuccessfully.com^$popup +||vekseptaufin.com^$popup +||velocitycdn.com^$popup +||vengeful-egg.com^$popup +||venturead.com^$popup +||verandahcrease.com^$popup +||verooperofthewo.com^$popup +||versedarkenedhusky.com^$popup ||vertoz.com^$popup +||vespymedia.com^$popup +||vetoembrace.com^$popup +||vezizey.xyz^$popup +||vfghc.com^$popup ||vfgtb.com^$popup -||vgjawpqjn.com^$popup -||vgsgaming-ads.com^$popup,third-party -||victorance.com^$popup -||vinfdv6b4j.com^$popup -||vipcpms.com^$popup,third-party +||vfgte.com^$popup +||vfgtg.com^$popup +||viapawniarda.com^$popup +||viatechonline.com^$popup +||viatepigan.com^$popup +||victoryslam.com^$popup +||video-adblocker.pro^$popup +||videoadblocker.pro^$popup +||videoadblockerpro.com^$popup +||videocampaign.co^$popup +||viewlnk.com^$popup +||vigorouslymicrophone.com^$popup +||viiavjpe.com^$popup +||viibmmqc.com^$popup +||viicasu.com^$popup +||viiczfvm.com^$popup +||viidirectory.com^$popup +||viidsyej.com^$popup +||viifmuts.com^$popup +||viiithia.com^$popup +||viiiyskm.com^$popup +||viikttcq.com^$popup +||viiqqou.com^$popup +||viirkagt.com^$popup +||violationphysics.click^$popup +||vionito.com^$popup +||vipcpms.com^$popup ||viralcpm.com^$popup +||virginyoungestrust.com^$popup +||visit-website.com^$popup +||visitstats.com^$popup +||visors-airminal.com^$popup +||vizoalygrenn.com^$popup +||vkcdnservice.com^$popup +||vkgtrack.com^$popup +||vnie0kj3.cfd^$popup +||vnte9urn.click^$popup +||vodobyve.pro^$popup ||vokut.com^$popup -||voluumtrk.com^$popup,third-party -||voluumtrk3.com^$popup,third-party -||vpnfortorrents.com^$popup -||vprmnwbskk.com^$popup,third-party -||vq40567.com^$popup -||vzoozv.com^$popup -||w4statistics.info^$popup,third-party -||waframedia5.com^$popup,third-party -||wahoha.com^$popup,third-party -||wardparser.info^$popup,third-party -||watchformytechstuff.com^$popup,third-party -||wbsadsdel.com^$popup,third-party -||wbsadsdel2.com^$popup,third-party -||weareheard.org^$popup,third-party -||webartspy.net^$popup,third-party -||websearchers.net^$popup,third-party -||webtrackerplus.com^$popup,third-party -||weliketofuckstrangers.com^$popup,third-party -||wellhello.com^$popup,third-party -||wgpartner.com^$popup,third-party -||whoads.net^$popup,third-party -||wigetmedia.com^$popup,third-party -||windgetbook.info^$popup,third-party -||winhugebonus.com^$popup,third-party +||volform.online^$popup +||volleyballachiever.site^$popup +||volumntime.com^$popup +||voluumtrk.com^$popup +||voluumtrk3.com^$popup +||vooshagy.net^$popup +||vowpairmax.live^$popup +||voxfind.com^$popup +||vpn-offers.org^$popup +||vpnlist.to^$popup +||vpnoffers.cc^$popup +||vprtrfc.com^$popup +||vs3.com^$popup +||vtabnalp.net^$popup +||w0we.com^$popup +||wadmargincling.com^$popup +||waframedia5.com^$popup +||wahoha.com^$popup +||wailoageebivy.net^$popup +||waisheph.com^$popup +||walknotice.com^$popup +||walter-larence.com^$popup +||wantatop.com^$popup +||wargaming-aff.com^$popup +||warilycommercialconstitutional.com^$popup +||warkop4dx.com^$popup +||wasqimet.net^$popup +||wastedinvaluable.com^$popup +||wasverymuch.info^$popup +||watch-now.club^$popup +||watchadsfree.com^$popup +||watchadzfree.com^$popup +||watchcpm.com^$popup +||watchesthereupon.com^$popup +||watchfreeofads.com^$popup +||watchlivesports4k.club^$popup +||watchvideoplayer.com^$popup +||waufooke.com^$popup +||wbidder.online^$popup +||wbidder2.com^$popup +||wbidder3.com^$popup +||wbilvnmool.com^$popup +||wboux.com^$popup +||wbsadsdel.com^$popup +||wbsadsdel2.com^$popup +||wcitianka.com^$popup +||wct.link^$popup +||wdt9iaspfv3o.com^$popup +||we-are-anon.com^$popup +||weaveradrenaline.com^$popup +||web-adblocker.com^$popup +||web-guardian.xyz^$popup +||web-protection-app.com^$popup +||webatam.com^$popup +||webgains.com^$popup +||webmedrtb.com^$popup +||webpuppweb.com^$popup +||websearchers.net^$popup +||websphonedevprivacy.autos^$popup +||webtrackerplus.com^$popup +||wecouldle.com^$popup +||weegraphooph.net^$popup +||weejaugest.net^$popup +||weezoptez.net^$popup +||wejeestuze.net^$popup +||welcomeneat.pro^$popup +||welfarefit.com^$popup +||welfaremarsh.com^$popup +||weliketofuckstrangers.com^$popup +||wellhello.com^$popup +||wendelstein-1b.com^$popup +||westcoa.com^$popup +||wewearegogogo.com^$popup +||wfredir.net^$popup +||wg-aff.com^$popup +||wgpartner.com^$popup +||whairtoa.com^$popup +||whampamp.com^$popup +||whatisuptodaynow.com^$popup +||whaurgoopou.com^$popup +||wheceelt.net^$popup +||wheebsadree.com^$popup +||wheeshoo.net^$popup +||wheksuns.net^$popup +||wherevertogo.com^$popup +||whirlwindofnews.com^$popup +||whiskerssituationdisturb.com^$popup +||whistledprocessedsplit.com^$popup +||whistlingbeau.com^$popup +||whitenoisenews.com^$popup +||whitepark9.com^$popup +||whoansodroas.net^$popup +||whoawoansoo.com^$popup +||wholedailyjournal.com^$popup +||wholefreshposts.com^$popup +||wholewowblog.com^$popup +||whookroo.com^$popup +||whoumpouks.net^$popup +||whouptoomsy.net^$popup +||whoursie.com^$popup +||whowhipi.net^$popup +||whugesto.net^$popup +||whulsauh.tv^$popup +||whulsaux.com^$popup +||widiaoexhe.top^$popup +||widow5blackfr.com^$popup +||wifescamara.click^$popup +||wigetmedia.com^$popup +||wigsynthesis.com^$popup +||wildestelf.com^$popup +||winbigdrip.life^$popup +||wingoodprize.life^$popup +||winnersofvouchers.com^$popup +||winsimpleprizes.life^$popup +||wintrck.com^$popup +||wiringsensitivecontents.com^$popup +||wishfulla.com^$popup ||witalfieldt.com^$popup -||withdromnit.pro^$popup,third-party -||wonderlandads.com^$popup,third-party -||worldrewardcenter.net^$popup,third-party -||wrigginger.info^$popup -||wwwpromoter.com^$popup,third-party -||wwznqib.com^$popup -||wz856.com^$popup -||wzus1.ask.com^$popup,third-party -||xaxoro.com^$popup,third-party +||withblaockbr.org^$popup +||withdrawcosmicabundant.com^$popup +||withmefeyauknaly.com^$popup +||witnessjacket.com^$popup +||wizardscharityvisa.com^$popup +||wlafx4trk.com^$popup +||wmptengate.com^$popup +||wmtten.com^$popup +||wnt-s0me-push.net^$popup +||woafoame.net^$popup +||woevr.com^$popup +||woffxxx.com^$popup +||wolsretet.net^$popup +||wonder.xhamster.com^$popup +||wonderfulstatu.info^$popup +||wonderlandads.com^$popup +||woodbeesdainty.com^$popup +||woovoree.net^$popup +||workback.net^$popup +||worldfreshblog.com^$popup +||worldtimes2.xyz^$popup +||worthyrid.com^$popup +||woupsucheerar.net^$popup +||wovensur.com^$popup +||wowshortvideos.com^$popup +||writeestatal.space^$popup +||wuqconn.com^$popup +||wuujae.com^$popup +||wwija.com^$popup +||wwow.xyz^$popup +||wwowww.xyz^$popup +||wwwpromoter.com^$popup +||wwydakja.net^$popup +||wxhiojortldjyegtkx.bid^$popup +||wymymep.com^$popup +||x2tsa.com^$popup +||xadsmart.com^$popup +||xarvilo.com^$popup +||xaxoro.com^$popup ||xbidflare.com^$popup -||xclicks.net^$popup,third-party -||xtendmedia.com^$popup,third-party -||xtracker.pro^$popup -||xv9xm6zxb8.com^$popup -||xyzzyxxyzzyx.com^$popup +||xclicks.net^$popup +||xijgedjgg5f55.com^$popup +||xkarma.net^$popup +||xliirdr.com^$popup +||xlirdr.com^$popup +||xlivrdr.com^$popup +||xlviiirdr.com^$popup +||xlviirdr.com^$popup +||xml-api.online^$popup +||xml-clickurl.com^$popup +||xmlapiclickredirect.com^$popup +||xmlrtb.com^$popup +||xstownrusisedp.info^$popup +||xszpuvwr7.com^$popup +||xtendmedia.com^$popup +||xxxnewvideos.com^$popup +||xxxvjmp.com^$popup ||y1jxiqds7v.com^$popup -||yeesshh.com^$popup,third-party -||yellorun.com^$popup -||yesobe.work^$popup,third-party -||yieldmanager.com^$popup,third-party -||yieldtraffic.com^$popup,third-party -||youradexchange.com^$popup,third-party -||yupiromo.ru^$popup,third-party -||z5x.net^$popup,third-party -||zanyx.club^$popup,third-party -||zavu.work^$popup,third-party -||zedo.com^$popup,third-party -||zeroredirect1.com^$popup,third-party -||zeroredirect10.com^$popup,third-party -||zeroredirect9.com^$popup,third-party -||zerozo.work^$popup,third-party -||zindas.info^$popup -||zonearmour4u.link^$popup -||zryydi.com^$popup,third-party +||yahuu.org^$popup +||yapclench.com^$popup +||yapdiscuss.com^$popup +||yavli.com^$popup +||ybb-network.com^$popup +||ybbserver.com^$popup +||yearbookhobblespinal.com^$popup +||yeesihighlyre.info^$popup +||yeesshh.com^$popup +||yellowbahama.com^$popup +||ygamey.com^$popup +||yhbcii.com^$popup +||yieldtraffic.com^$popup +||ylih6ftygq7.com^$popup +||ym-a.cc^$popup +||yodbox.com^$popup +||yodpbbkoe.com^$popup +||yogacomplyfuel.com^$popup +||yohavemix.live^$popup +||yolage.uno^$popup +||yolkhandledwheels.com^$popup +||yonsandileer.com^$popup +||your-sugar-girls.com^$popup +||youradexchange.com^$popup +||yourcommonfeed.com^$popup +||yourcoolfeed.com^$popup +||yourfreshjournal.com^$popup +||yourfreshposts.com^$popup +||yourperfectdating.life^$popup +||yourtopwords.com^$popup +||ysesials.net^$popup +||yukclick.me^$popup +||yy8fgl2bdv.com^$popup +||z5x.net^$popup +||zaglushkaaa.com^$popup +||zajukrib.net^$popup +||zcode12.me^$popup +||zebeaa.click^$popup +||zedo.com^$popup +||zeechoog.net^$popup +||zeechumy.com^$popup +||zeepartners.com^$popup +||zenaps.com^$popup +||zendplace.pro^$popup +||zengoongoanu.com^$popup +||zeroredirect1.com^$popup +||zetaframes.com^$popup +||zidapi.xyz^$popup +||zikroarg.com^$popup +||zirdough.net^$popup +||zlink1.com^$popup +||zlink2.com^$popup +||zlink6.com^$popup +||zlink8.com^$popup +||zlink9.com^$popup +||zlinkb.com^$popup +||zlinkm.com^$popup +||zlinkv.com^$popup +||znqip.net^$popup +||zog.link^$popup +||zokaukree.net^$popup +||zonupiza.com^$popup +||zoogripi.com^$popup +||zougreek.com^$popup +||zryydi.com^$popup +||zugnogne.com^$popup +||zunsoach.com^$popup +||zuphaims.com^$popup +||zwqzxh.com^$popup +||zybrdr.com^$popup +! url.rw popups +||url.rw/*&a=$popup +||url.rw/*&mid=$popup ! IP addresses -||104.154.$popup,third-party -||104.197.$popup,third-party -||104.198.$popup,third-party -||130.211.$popup,third-party -||142.91.$popup,third-party -||185.147.34.126^$popup,third-party -||216.21.13.$popup -||35.184.$popup,third-party -||35.188.$popup,third-party -||35.193.$popup,third-party -||35.225.$popup,third-party -||35.226.$popup,third-party -||35.239.$popup,third-party +||130.211.$popup,third-party,domain=~in-addr.arpa +||142.91.$popup,third-party,domain=~in-addr.arpa +||142.91.159.$popup +||142.91.159.107^$popup +||142.91.159.127^$popup +||142.91.159.136^$popup +||142.91.159.139^$popup +||142.91.159.146^$popup +||142.91.159.147^$popup +||142.91.159.164^$popup +||142.91.159.169^$popup +||142.91.159.179^$popup +||142.91.159.220^$popup +||142.91.159.223^$popup +||142.91.159.244^$popup +||143.244.184.39^$popup +||146.59.223.83^$popup +||157.90.183.248^$popup +||158.247.208.$popup +||158.247.208.115^$popup +||167.71.252.38^$popup +||172.255.6.$popup,third-party,domain=~in-addr.arpa +||172.255.6.135^$popup +||172.255.6.137^$popup +||172.255.6.139^$popup +||172.255.6.150^$popup +||172.255.6.152^$popup +||172.255.6.199^$popup +||172.255.6.217^$popup +||172.255.6.228^$popup +||172.255.6.248^$popup +||172.255.6.254^$popup +||172.255.6.2^$popup +||172.255.6.59^$popup +||176.31.68.242^$popup +||185.147.34.126^$popup +||188.42.84.110^$popup +||188.42.84.159^$popup +||188.42.84.160^$popup +||188.42.84.162^$popup +||188.42.84.199^$popup +||188.42.84.21^$popup +||188.42.84.23^$popup +||203.195.121.$popup +||203.195.121.0^$popup +||203.195.121.103^$popup +||203.195.121.119^$popup +||203.195.121.134^$popup +||203.195.121.184^$popup +||203.195.121.195^$popup +||203.195.121.209^$popup +||203.195.121.217^$popup +||203.195.121.219^$popup +||203.195.121.224^$popup +||203.195.121.229^$popup +||203.195.121.24^$popup +||203.195.121.28^$popup +||203.195.121.29^$popup +||203.195.121.34^$popup +||203.195.121.36^$popup +||203.195.121.40^$popup +||203.195.121.70^$popup +||203.195.121.72^$popup +||203.195.121.73^$popup +||203.195.121.74^$popup +||216.21.13.$popup,domain=~in-addr.arpa +||23.109.121.254^$popup +||23.109.150.101^$popup +||23.109.150.208^$popup +||23.109.170.198^$popup +||23.109.170.228^$popup +||23.109.170.241^$popup +||23.109.170.255^$popup +||23.109.170.60^$popup +||23.109.248.$popup +||23.109.248.129^$popup +||23.109.248.130^$popup +||23.109.248.135^$popup +||23.109.248.139^$popup +||23.109.248.149^$popup +||23.109.248.14^$popup +||23.109.248.174^$popup +||23.109.248.183^$popup +||23.109.248.247^$popup +||23.109.248.29^$popup +||23.109.82.$popup +||23.109.82.104^$popup +||23.109.82.119^$popup +||23.109.82.173^$popup +||23.109.82.44^$popup +||23.109.82.74^$popup +||23.109.87.$popup +||23.109.87.101^$popup +||23.109.87.118^$popup +||23.109.87.123^$popup +||23.109.87.127^$popup +||23.109.87.139^$popup +||23.109.87.14^$popup +||23.109.87.15^$popup +||23.109.87.182^$popup +||23.109.87.192^$popup +||23.109.87.213^$popup +||23.109.87.217^$popup +||23.109.87.42^$popup +||23.109.87.47^$popup +||23.109.87.71^$popup +||23.109.87.74^$popup +||34.102.137.201^$popup +||35.227.234.222^$popup +||35.232.188.118^$popup +||37.1.213.100^$popup ||5.45.79.15^$popup +||5.61.55.143^$popup +||51.178.195.171^$popup +||51.195.115.102^$popup +||51.89.115.13^$popup +||88.42.84.136^$popup +! IP Regex (commonly used, hax'd IP addresses) +/^https?:\/\/(35|104)\.(\d){1,3}\.(\d){1,3}\.(\d){1,3}\//$popup,third-party +! http://146.59.211.227/tsc/Zx0bagrCjuxP +/^https?:\/\/146\.59\.211\.(\d){1,3}.*/$popup,third-party ! *** easylist:easylist_adult/adult_adservers.txt *** -||00zasdf.pw^$third-party -||0gw7e6s3wrao9y3q.pro^$third-party -||0llii0g6.com^$third-party -||100pour.com^$third-party -||10y5gehv.com^$third-party -||123advertising.nl^$third-party -||15yomodels.com^$third-party -||173.245.86.115^$domain=~yobt.com.ip ||18naked.com^$third-party -||195.228.74.26^$third-party -||1loop.com^$third-party -||1tizer.com^$third-party -||206.217.206.137^$third-party -||212.150.34.117^$third-party -||21sexturycash.com^$third-party -||247teencash.net^$third-party -||24smile.org^$third-party -||24x7adservice.com^$third-party -||2kl08cd74f.com^$third-party -||33traffic.com^$third-party -||3gporn.biz^$third-party -||40xbfzk8.com^$third-party -||45i73jv6.com^$third-party -||4jpf0karrejn6yla.pro^$third-party ||4link.it^$third-party -||4us.pw^$third-party -||568vovhs6ekbupjo.pro^$third-party -||59zs1xei.com^$third-party -||699fy4ne.com^$third-party -||750industries.com^$third-party -||76.76.5.113^$third-party ||777-partner.com^$third-party ||777-partner.net^$third-party ||777-partners.com^$third-party ||777-partners.net^$third-party -||777partner.com^$third-party +||777partner.com^$script,third-party ||777partner.net^$third-party ||777partners.com^$third-party -||7cxcrejm.com^$third-party -||7vws1j1j.com^$third-party -||80.77.113.200^$third-party -||85.17.210.202^$third-party -||863iw40s.com^$third-party -||89.248.172.46^$third-party -||8ipztcc1.com^$third-party -||9content.com^$third-party -||aaovn.info^$third-party -||aappf.pt^$third-party -||ab4tn.com^$third-party -||abakys.ru^$third-party -||abbp1.pw^$third-party -||abbp1.science^$third-party -||abbp1.space^$third-party -||abbp1.website^$third-party -||abbp2.pw^$third-party -||abbp2.website^$third-party -||abgeobalancer.com^$third-party -||abrsamar.com^$third-party -||abusedbabysitters.com^$third-party -||acceptableads.pw^$third-party -||acceptableads.space^$third-party -||accesssearch.click^$third-party ||acmexxx.com^$third-party -||acnescarsx.info^$third-party -||actionlocker.com^$third-party -||ad-411.com^$third-party -||ad-u.com^$third-party -||ad001.ru^$third-party -||ad4partners.com^$third-party -||adbars.net^$third-party -||adbmi.com^$third-party ||adcell.de^$third-party -||addbags.com^$third-party -||adenabler.com^$third-party -||adfux.com^$third-party -||adhealers.com^$third-party -||adjunky.com^$third-party -||adlook.net^$third-party -||admez.com^$third-party -||adnetxchange.com^$third-party -||adnico.jp^$third-party -||adparad.net^$third-party -||adperiun.com^$third-party -||adpron.com^$third-party -||adrecreate.com^$third-party -||adrenovate.com^$third-party -||adrent.net^$third-party -||adrevenuerescue.com^$third-party -||ads4xxx.com^$third-party -||adsbr.info^$third-party -||adserved.net^$third-party +||adextrem.com^$third-party +||ads-adv.top^$third-party +||adsarcade.com^$third-party ||adsession.com^$third-party -||adsgangsta.com^$third-party -||adshostview.com^$third-party -||adskape.ru^$third-party -||adspayformy.site^$third-party -||adspayformymortgage.win^$third-party -||adswam.com^$third-party -||adsyst.biz^$third-party -||adtng.com^$third-party -||adtonement.com^$third-party +||adshnk.com^$third-party +||adsturn.com^$third-party ||adult3dcomics.com^$third-party -||adultaccessnow.com^$third-party -||adultadmedia.com^$third-party -||adultadvertising.net^$third-party -||adultcamchatfree.com^$third-party -||adultcamfree.com^$third-party -||adultcamliveweb.com^$third-party -||adultcommercial.net^$third-party -||adultdatingtraffic.com^$third-party ||adultforce.com^$third-party -||adultlinkexchange.com^$third-party -||adultmediabuying.com^$third-party -||adultmoviegroup.com^$third-party -||adultoafiliados.com.br^$third-party -||adultpopunders.com^$third-party ||adultsense.com^$third-party -||adultsense.org^$third-party -||adulttiz.com^$third-party -||adulttubetraffic.com^$third-party -||adv-plus.com^$third-party -||adv777.com^$third-party -||adventory.com^$third-party -||adverglobal.com^$third-party -||adversolutions.com^$third-party -||advertisingsex.com^$third-party -||advertom.com^$third-party -||advertrtb.com^$third-party -||advmaker.ru^$third-party -||advmania.com^$third-party -||advprotraffic.com^$third-party -||advredir.com^$third-party -||advsense.info^$third-party -||adxite.com^$third-party -||adxmarket.com^$third-party -||adxpansion.com^$third-party -||adxregie.com^$third-party -||adzs.com^$third-party -||aeesy.com^$third-party ||aemediatraffic.com^$third-party -||affiliatewindow.com^$third-party -||affiliation-int.com^$third-party ||affiliaxe.com^$third-party ||affiligay.net^$third-party -||aipbannerx.com^$third-party ||aipmedia.com^$third-party -||alfatraffic.com^$third-party -||all-about-tech.com^$third-party -||alladultcash.com^$third-party ||allosponsor.com^$third-party -||allotraffic.com^$third-party -||alltheladyz.xyz^$third-party -||amateurcouplewebcam.com^$third-party -||amliands.info^$third-party -||amtracking01.com^$third-party -||amvotes.ru^$third-party -||anastasia-international.com^$third-party -||andase.com^$third-party -||angelpastel.com^$third-party -||animeidhentai.com^$third-party -||antaraimedia.com^$third-party -||antoball.com^$third-party -||apromoweb.com^$third-party -||are-ter.com^$third-party -||arlitasite.pro^$third-party +||amateurhub.cam^$third-party ||asiafriendfinder.com^$third-party -||asiangfsex.com^$third-party -||aufderhar.net^$third-party -||augrenso.com^$third-party -||awentw.com^$third-party -||aweprotostatic.com^$third-party -||awept.com^$third-party -||awmcenter.eu^$third-party -||awmpartners.com^$third-party -||awmserve.com^$third-party -||ax47mp-xp-21.com^$third-party -||azerbazer.com^$third-party -||aztecash.com^$third-party -||baconaces.pro^$third-party -||badgirlz.org^$third-party -||banclip.com^$third-party -||banerator.net^$third-party -||basesclick.ru^$third-party -||baskodenta.com^$third-party -||bavesinyourface.com^$third-party +||avfay.com^$third-party +||awempire.com^$third-party ||bcash4you.com^$third-party -||bd202457b.com^$third-party -||belamicash.com^$third-party -||belasninfetas.org^$third-party -||bestcontentservice.top^$third-party -||bestcontentuse.top^$third-party -||bestholly.com^$third-party -||bestssn.com^$third-party +||beachlinkz.com^$third-party ||betweendigital.com^$third-party -||bgmtracker.com^$third-party -||biksibo.ru^$third-party -||bitterstrawberry.org^$third-party -||black-ghettos.info^$third-party ||black6adv.com^$third-party +||blackpics.net^$third-party ||blossoms.com^$third-party -||board-books.com^$third-party -||boinkcash.com^$third-party ||bookofsex.com^$third-party -||bootstrap-framework.org^$third-party -||bposterss.net^$third-party -||branzas.com^$third-party -||brightcpm.net^$third-party ||brothersincash.com^$third-party -||brqvld0p.com^$third-party -||bumblecash.com^$third-party ||bumskontakte.ch^$third-party -||bxgjpocfz1g1jiwb.pro^$third-party ||caltat.com^$third-party ||cam-lolita.net^$third-party ||cam4flat.com^$third-party -||camads.net^$third-party ||camcrush.com^$third-party ||camdough.com^$third-party ||camduty.com^$third-party -||cameraprive.com^$third-party ||campartner.com^$third-party -||camplacecash.com^$third-party -||camprime.com^$third-party -||campromos.nl^$third-party ||camsense.com^$third-party -||camsitecash.com^$third-party ||camsoda1.com^$third-party -||camzap.com^$third-party -||cash-program.com^$third-party -||cash4movie.com^$third-party -||cashlayer.com^$third-party ||cashthat.com^$third-party -||cashtraff.com^$third-party -||cdn7.network^$third-party -||cdn7.rocks^$third-party -||cdnaz.win^$third-party -||ceepq.com^$third-party -||celeb-ads.com^$third-party -||celogera.com^$third-party -||cennter.com^$third-party -||certified-apps.com^$third-party -||cervicalknowledge.info^$third-party -||cfcloudcdn.com^$third-party +||cbmiocw.com^$third-party ||chatinator.com^$third-party -||che-ka.com^$third-party -||chestyry.com^$third-party -||chopstick16.com^$third-party -||chtntr.com^$third-party -||citysex.com^$third-party -||clcknads.pro^$third-party -||clearac.com^$third-party -||cleavageguarantyaquarius.com^$third-party -||clicadu.com^$third-party -||clickadu.com^$third-party +||cherrytv.media^$third-party ||clickaine.com^$third-party -||clickganic.com^$third-party -||clickpapa.com^$third-party -||clicksvenue.com^$third-party -||clickthruserver.com^$third-party -||clicktrace.info^$third-party -||clockdisplaystoring.com^$third-party -||cmdfnow.com^$third-party -||cntrafficpro.com^$third-party -||codelnet.com^$third-party -||coinmarketcap.com^$third-party -||coldhardcash.com^$third-party -||coloredguitar.com^$third-party -||colpory.com^$third-party -||comproliverton.pro^$third-party -||comunicazio.com^$third-party -||contentabc.com^$third-party -||cpacoreg.com^$third-party -||cpl1.ru^$third-party -||cqlupb.com^$third-party -||crakbanner.com^$third-party -||crakcash.com^$third-party -||creoads.com^$third-party -||crocoads.com^$third-party -||cross-system.com^$third-party -||crptentry.com^$third-party -||crtracklink.com^$third-party -||ctyzd.com^$third-party -||cwgads.com^$third-party -||cyberbidhost.com^$third-party +||clipxn.com^$third-party +||cross-system.com^$script,third-party +||cwchmb.com^ ||cybernetentertainment.com^$third-party -||czerwo.ru^$third-party -||d-agency.net^$third-party -||d0main.ru^$third-party -||d29gqcij.com^$third-party -||d3b3e6340.website^$third-party -||daffaite.com^$third-party ||daiporno.com^$third-party -||dallavel.com^$third-party -||dana123.com^$third-party -||danzabucks.com^$third-party -||darangi.ru^$third-party -||data-ero-advertising.com^$third-party -||data-eroadvertising.com^$third-party -||data.13dc235d.xyz^$third-party ||datefunclub.com^$third-party -||datetraders.com^$third-party ||datexchanges.net^$third-party -||dating-adv.com^$third-party ||datingadnetwork.com^$third-party ||datingamateurs.com^$third-party ||datingcensored.com^$third-party -||datingidol.com^$third-party -||dblpmp.com^$third-party ||debitcrebit669.com^$third-party ||deecash.com^$third-party ||demanier.com^$third-party ||dematom.com^$third-party -||denotyro.com^$third-party -||depilflash.tv^$third-party -||depravedwhores.com^$third-party -||desiad.net^$third-party ||digiad.co^$third-party ||digitaldesire.com^$third-party ||digreality.com^$third-party ||directadvert.ru^$third-party ||directchat.tv^$third-party ||direction-x.com^$third-party -||discreetlocalgirls.com^$third-party -||divascam.com^$third-party -||divertura.com^$third-party -||dlski.space^$third-party -||dofolo.ru^$third-party -||dosugcz.biz^$third-party -||double-check.com^$third-party -||doublegear.com^$third-party -||drevil.to^$third-party -||dro4icho.ru^$third-party +||donstick.com^$third-party +||dphunters.com^$third-party ||dtiserv2.com^$third-party -||dtprofit.com^$third-party -||duroternout.info^$third-party -||dvdkinoteatr.com^$third-party -||eadulttraffic.com^$third-party -||easy-dating.org^$third-party -||easyaccess.mobi^$third-party ||easyflirt.com^$third-party -||ebdr2.com^$third-party -||ecortb.com^$third-party -||elekted.com^$third-party -||eltepo.ru^$third-party -||emediawebs.com^$third-party -||eneritchmax.info^$third-party -||enoratraffic.com^$third-party -||eqfgc.com^$third-party -||eragi.ru^$third-party -||ergs4.com^$third-party ||eroadvertising.com^$third-party -||erosadv.com^$third-party ||erotikdating.com^$third-party -||erotizer.info^$third-party -||escortso.com^$third-party -||eu2xml.com^$third-party -||euro-rx.com^$third-party ||euro4ads.de^$third-party ||exchangecash.de^$third-party ||exclusivepussy.com^$third-party -||exercially.mobi^$third-party -||exoclickz.com^$third-party -||exogripper.com^$third-party ||exoticads.com^$third-party -||exsifsi.ru^$third-party -||eyemedias.com^$third-party -||facebookofsex.com^$third-party ||faceporn.com^$third-party ||facetz.net^$third-party -||fahdsite.pro^$third-party -||fanmalinin.ru^$third-party ||fapality.com^$third-party -||fderty.com^$third-party -||feeder.xxx^$third-party +||farrivederev.pro^$third-party ||felixflow.com^$third-party ||festaporno.com^$third-party -||fickads.net^$third-party -||filthads.com^$third-party +||filexan.com^$third-party ||findandtry.com^$third-party ||flashadtools.com^$third-party ||fleshcash.com^$third-party ||fleshlightgirls.com^$third-party -||flipflapflo.info^$third-party -||flipflapflo.net^$third-party ||flirt4e.com^$third-party ||flirt4free.com^$third-party ||flirtingsms.com^$third-party -||fmhcj.top^$third-party -||fmscash.com^$third-party ||fncash.com^$third-party ||fncnet1.com^$third-party -||forgetstore.com^$third-party ||freakads.com^$third-party -||free-porn-vidz.com^$third-party +||freeadultcomix.com^$third-party ||freewebfonts.org^$third-party ||frestacero.com^$third-party -||frestime.com^$third-party ||frivol-ads.com^$third-party ||frtyh.com^$third-party ||frutrun.com^$third-party @@ -49626,105 +50579,36 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||fuckermedia.com^$third-party ||fuckyoucash.com^$third-party ||fuelbuck.com^$third-party -||funcel.mobi^$third-party -||funnypickuplinesforgirls.com^$third-party ||g--o.info^$third-party -||g6ni40i7.com^$third-party -||g726n8cy.com^$third-party -||gamblespot.ru^$third-party -||gamescarousel.com^$third-party -||gamesrevenu24.com^$third-party -||gamevui24.com^$third-party ||ganardineroreal.com^$third-party -||gayadpros.com^$third-party ||gayxperience.com^$third-party -||gefnaro.com^$third-party -||genialradio.com^$third-party -||geoaddicted.net^$third-party ||geofamily.ru^$third-party -||geoinventory.com^$third-party ||getiton.com^$third-party -||gfhdkse.com^$third-party ||ggwcash.com^$third-party -||gl-cash.com^$third-party -||glbtrk.com^$third-party -||gmyze.com^$third-party -||go2euroshop.com^$third-party -||goallurl.ru^$third-party -||goclick.info^$third-party -||goklics.ru^$third-party ||golderotica.com^$third-party -||gomain.pro^$third-party -||govereign.com^$third-party -||greatcpm.com^$third-party -||gridlockparadise.com^$third-party -||gtdkx91r.pro^$third-party -||gtsads.com^$third-party -||gunzblazingpromo.com^$third-party -||gzbop.com^$third-party -||haeg1ei.bid^$third-party -||halileo.com^$third-party -||hd100546b.com^$third-party -||hdat.xyz^$third-party -||hdpreview.com^$third-party -||helltraffic.com^$third-party -||hentaibiz.com^$third-party -||herezera.com^$third-party -||hgbn.rocks^$third-party -||hghit.com^$third-party -||hhit.xyz^$third-party -||hickle.link^$third-party -||hiddenbucks.com^$third-party -||highnets.com^$third-party -||hilltopads.com^$third-party -||hipals.com^$third-party -||hizlireklam.com^$third-party -||home-soon.com^$third-party ||hookupbucks.com^$third-party -||hopilos.com^$third-party -||hoptopboy.com^$third-party ||hornymatches.com^$third-party ||hornyspots.com^$third-party -||host-go.info^$third-party -||hostave.net^$third-party ||hostave2.net^$third-party -||hostave4.net^$third-party -||hot-dances.com^$third-party -||hot-socials.com^$third-party ||hotsocials.com^$third-party -||hqpass.com^$third-party -||hsmclick.com^$third-party -||htdvt.com^$third-party ||hubtraffic.com^$third-party -||icapabloidsety.club^$third-party -||iceban.su^$third-party ||icebns.com^$third-party ||icetraffic.com^$third-party -||icqadvert.org^$third-party -||ictowaz.ru^$third-party -||ideal-sexe.com^$third-party ||idolbucks.com^$third-party ||ifrwam.com^$third-party -||igiplay.net^$third-party -||igithab.com^$third-party ||iheartbucks.com^$third-party -||ijquery10.com^$third-party -||ijrah.top^$third-party ||ilovecheating.com^$third-party -||img-cdn-us.pro^$third-party +||imediacrew.club^$third-party ||imglnka.com^$third-party ||imglnkb.com^$third-party ||imglnkc.com^$third-party -||impotencehelp.info^$third-party +||imlive.com^$script,third-party,domain=~imnude.com ||impressionmonster.com^$third-party -||inertanceretinallaurel.com^$third-party +||in3x.net^$third-party ||inheart.ru^$third-party ||intelensafrete.stream^$third-party -||intellichatadult.com^$third-party ||internebula.net^$third-party -||intertakekuhy.info^$third-party ||intrapromotion.com^$third-party -||iprofit.cc^$third-party ||iridiumsergeiprogenitor.info^$third-party ||itmcash.com^$third-party ||itrxx.com^$third-party @@ -49733,235 +50617,105 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||itsup.com^$third-party ||itw.me^$third-party ||iwanttodeliver.com^$third-party -||iwebanalyze.com^$third-party -||iwinnersadvantage.com^$third-party -||iwtra.top^$third-party ||ixspublic.com^$third-party -||jackao.net^$third-party -||japanbros.com^$third-party ||javbucks.com^$third-party -||jaymancash.com^$third-party -||jeisl.com^$third-party -||jerrcotch.com^$third-party -||jfresi.com^$third-party -||jif5o70u.pro^$third-party -||joinnowinstantly.com^$third-party -||jowapt.com^$third-party ||joyourself.com^$third-party -||jqueryserve.org^$third-party -||juicycash.net^$third-party -||justgetitfaster.com^$third-party -||justresa.com^$third-party -||jz9ugaqb.com^$third-party -||k9x.net^$third-party ||kadam.ru^$third-party ||kaplay.com^$third-party ||kcolbda.com^$third-party -||kingpinmedia.net^$third-party -||kinopokaz.org^$third-party -||klapenlyidveln.stream^$third-party -||kliklink.ru^$third-party -||klocko.link^$third-party -||kodicdn.com^$third-party -||kolestence.com^$third-party -||kolitat.com^$third-party -||kolort.ru^$third-party -||kuhnivsemisrazu.ru^$third-party -||kwot.biz^$third-party -||kxqvnfcg.xyz^$third-party -||lanayasite.pro^$third-party -||lavantat.com^$third-party -||laynsite.pro^$third-party -||lcwfab1.com^$third-party +||kinkadservercdn.com^ +||kugo.cc^$third-party ||leche69.com^$third-party -||legendarylars.com^$third-party ||lickbylick.com^$third-party ||lifepromo.biz^$third-party -||limon.biz^$third-party -||links-and-traffic.com^$third-party ||livecam.com^$third-party -||livedoor.net^$third-party ||livejasmin.tv^$third-party ||liveprivates.com^$third-party ||livepromotools.com^$third-party ||livestatisc.com^$third-party -||livetraf.com^$third-party ||livexxx.me^$third-party -||lizads.com^$third-party -||loa-traffic.com^$third-party ||loading-delivery1.com^$third-party ||lostun.com^$third-party -||loveadverts.com^$third-party ||lovecam.com.br^$third-party ||lovercash.com^$third-party -||lpwre.top^$third-party ||lsawards.com^$third-party ||lucidcommerce.com^$third-party -||lugiy.ru^$third-party -||luhtb.top^$third-party -||luvcash.com^$third-party -||luvcom.com^$third-party ||lwxjg.com^$third-party -||lyubnozo.ru^$third-party -||madbanner.com^$third-party -||magical-sky.com^$third-party -||mahnatka.ru^$third-party -||makechatcash.com^$third-party -||malakasonline.com^$third-party ||mallcom.com^$third-party -||mallorcash.com^$third-party -||manfys.com^$third-party +||marisappear.pro^$third-party ||markswebcams.com^$third-party -||marvin.pw^$third-party ||masterwanker.com^$third-party ||matrimoniale3x.ro^$third-party ||matrix-cash.com^$third-party -||maxcash.com^$third-party ||maxiadv.com^$third-party -||mazetin.ru^$third-party -||mb103.com^$third-party ||mc-nudes.com^$third-party ||mcprofits.com^$third-party -||mdlsrv.com^$third-party ||meccahoo.com^$third-party ||media-click.ru^$third-party ||mediad2.jp^$third-party -||mediagra.com^$third-party ||mediumpimpin.com^$third-party -||meetthegame.online^$third-party -||megoads.eu^$third-party ||meineserver.com^$third-party -||menemier.info^$third-party -||menteret.com^$third-party ||meta4-group.com^$third-party ||methodcash.com^$third-party ||meubonus.com^$third-party -||mhogb.space^$third-party -||might-stay.info^$third-party ||mileporn.com^$third-party -||millioncash.ru^$third-party ||mmaaxx.com^$third-party ||mmoframes.com^$third-party -||mncvjhg.com^$third-party -||mo8mwxi1.com^$third-party ||mobalives.com^$third-party -||mobbobr.com^$third-party ||mobilerevenu.com^$third-party -||mobred.net^$third-party ||mobtop.ru^$third-party ||modelsgonebad.com^$third-party -||monetizze.com.br^$third-party -||montmti.top^$third-party -||mopilod.com^$third-party ||morehitserver.com^$third-party -||move2.co^$third-party ||mp-https.info^$third-party -||mp3vicio.com^$third-party -||mpay69.pw^$third-party ||mpmcash.com^$third-party ||mrporngeek.com^$third-party ||mrskincash.com^$third-party -||msquaredproductions.com^$third-party ||mtoor.com^$third-party ||mtree.com^$third-party ||mxpopad.com^$third-party -||myadultbanners.com^$third-party ||myadultimpressions.com^$third-party -||mymirror.biz^$third-party ||myprecisionads.com^$third-party ||mywebclick.net^$third-party -||n9nedegrees.com^$third-party ||naiadexports.com^$third-party ||nastydollars.com^$third-party ||nativexxx.com^$third-party -||nature-friend.com^$third-party -||netosdesalim.info^$third-party -||neuesdate.com^$third-party ||newads.bangbros.com^$third-party ||newagerevenue.com^$third-party ||newnudecash.com^$third-party -||newpush.support^$third-party -||newsexbook.com^$third-party +||nexxxt.biz^$third-party ||ngbn.net^$third-party -||nikkiscash.com^$third-party ||ningme.ru^$third-party -||niuosnd.ru^$third-party -||niytrusmedia.com^$third-party -||njmaq.com^$third-party -||nkk31jjp.com^$third-party -||nkmsite.com^$third-party -||nonkads.com^$third-party -||notify.support^$third-party ||nscash.com^$third-party -||nsfwads.com^$third-party -||nummobile.com^$third-party -||nvp2auf5.com^$third-party -||o333o.com^$third-party +||nudedworld.com^$third-party ||oconner.biz^$third-party -||octopuspop.com^$third-party -||oddads.net^$third-party -||odnobi.ru^$third-party -||odzb5nkp.com^$third-party -||ofapes.com^$third-party ||offaces-butional.com^$third-party -||okeo.ru^$third-party ||omynews.net^$third-party -||onedmp.com.^$third-party ||onhercam.com^$third-party -||onyarysh.ru^$third-party +||onlineporno.fun^$third-party ||ordermc.com^$third-party -||orodi.ru^$third-party ||otaserve.net^$third-party ||otherprofit.com^$third-party -||ouslayer.co^$third-party ||outster.com^$third-party -||ovbnb.com^$third-party -||overreare.co^$third-party -||owlopadjet.info^$third-party -||owpawuk.ru^$third-party ||oxcluster.com^$third-party ||ozelmedikal.com^$third-party -||ozon.ru^$third-party -||ozone.ru^$third-party,domain=~ozon.ru|~ozonru.co.il|~ozonru.com|~ozonru.eu|~ozonru.kz -||ozonru.eu^$third-party -||p51d20aa4.website^$third-party -||paid-to-promote.net^$third-party -||panoll.com^$third-party -||pardina.ru^$third-party ||parkingpremium.com^$third-party ||partnercash.com^$third-party ||partnercash.de^$third-party ||pc20160522.com^$third-party -||pcruxm.xyz^$third-party -||pdywlbjkeq.work^$third-party ||pecash.com^$third-party ||pennynetwork.com^$third-party ||pepipo.com^$third-party ||philstraffic.com^$third-party ||pictureturn.com^$third-party -||pinkhoneypots.com^$third-party ||pkeeper3.ru^$third-party -||plachetde.biz^$third-party -||plantaosexy.com^$third-party -||pleasedontslaymy.download^$third-party -||plmokn.pw^$third-party ||plugrush.com^$third-party ||pnads.com^$third-party -||pnperf.com^$third-party -||polimantu.com^$third-party ||poonproscash.com^$third-party -||pop-bazar.net^$third-party -||popander.biz^$third-party ||popander.com^$third-party -||popdown.biz^$third-party -||poppcheck.de^$third-party ||popupclick.ru^$third-party -||popxxx.net^$third-party ||porkolt.com^$third-party -||porn-ad.org^$third-party -||porn-hitz.com^$third-party -||porn-site-builder.com^$third-party ||porn300.com^$third-party +||porn369.net^$third-party ||porn88.net^$third-party ||porn99.net^$third-party ||pornattitude.com^$third-party @@ -49972,24747 +50726,13514 @@ coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] ||porngray.com^$third-party ||pornkings.com^$third-party ||pornleep.com^$third-party -||porno-file.ru^$third-party -||pornoow.com^$third-party -||porntagged.com^$third-party ||porntrack.com^$third-party -||pornworld.online^$third-party -||portable-basketball.com^$third-party +||porntry.com^$third-party ||pourmajeurs.com^$third-party ||ppc-direct.com^$third-party -||premature-ejaculation-causes.org^$third-party ||premiumhdv.com^$third-party -||presatisfy.com^$third-party ||privacyprotector.com^$third-party ||private4.com^$third-party ||privateseiten.net^$third-party ||privatewebseiten.com^$third-party -||prmobiles.com^$third-party -||profbigo.com^$third-party -||profistats.net^$third-party -||profitstat.biz^$third-party ||program3.com^$third-party ||promo4partners.com^$third-party ||promocionesweb.com^$third-party -||promotion-campaigns.com^$third-party +||promokrot.com^$third-party ||promotools.biz^$third-party ||promowebstar.com^$third-party -||propbigo.com^$third-party ||propbn.com^$third-party ||protect-x.com^$third-party ||protizer.ru^$third-party ||prscripts.com^$third-party +||prtawe.com^$third-party ||psma01.com^$third-party ||psma03.com^$third-party ||ptclassic.com^$third-party ||ptrfc.com^$third-party ||ptwebcams.com^$third-party -||publish4.com^$third-party ||pussy-pics.net^$third-party ||pussyeatingclub.com^$third-party -||pussyeatingclubcams.com^$third-party -||putags.com^$third-party ||putanapartners.com^$third-party -||pyiel2bz.com^$third-party -||quagodex.com^$third-party ||quantumws.net^$third-party -||queronamoro.com^$third-party -||quexotac.com^$third-party -||qyifd.com^$third-party -||r7e0zhv8.com^$third-party +||qwerty24.net^$third-party ||rack-media.com^$third-party ||ragazzeinvendita.com^$third-party -||ragitupime.com^$third-party -||ramctrlgate.com^$third-party ||rareru.ru^$third-party ||rdiul.com^$third-party -||reachword.com^$third-party -||real2clean.ru^$third-party -||realdatechat.com^$third-party -||realitance.com^$third-party ||realitycash.com^$third-party ||realitytraffic.com^$third-party -||reargooduches.pro^$third-party -||recreativ.ru^$third-party -||redcash.net^$third-party -||redirectoptimizer.com^$third-party +||red-bees.com^$third-party ||redlightcenter.com^$third-party ||redpineapplemedia.com^$third-party -||reeviveglobal.com^$third-party -||reevivenetwork.com^$third-party -||reevivepro.com^$third-party ||reliablebanners.com^$third-party -||renewads.com^$third-party -||reon.club^$third-party -||replase.gq^$third-party -||reprak.com^$third-party -||retargetpro.net^$third-party -||retoxo.com^$third-party -||revitalize.club^$third-party -||revivestar.com^$third-party -||rexbucks.com^$third-party -||rfity.com^$third-party -||rfvoort.com^$third-party -||ripbwing.com^$third-party ||rivcash.com^$third-party -||rlogoro.ru^$third-party -||rmbn.net^$third-party -||rmkflouh.com^$third-party -||robotadserver.com^$third-party -||roxby.org^$third-party ||royal-cash.com^$third-party -||rsdisp.ru^$third-party -||rtbsystem.com^$third-party ||rubanners.com^$third-party ||rukplaza.com^$third-party -||rulerclick.com^$third-party -||rulerclick.ru^$third-party -||runetki.co^$third-party ||runetki.com^$third-party ||russianlovematch.com^$third-party -||s1adult.com^$third-party ||safelinktracker.com^$third-party -||sahishodilitt.info^$third-party ||sancdn.net^$third-party -||sandroprabratm.info^$third-party ||sascentral.com^$third-party ||sbs-ad.com^$third-party -||scenesgirls.com^$third-party -||scund.com^$third-party ||searchpeack.com^$third-party -||searchx.eu^$third-party ||secretbehindporn.com^$third-party +||seeawhale.com^$third-party ||seekbang.com^$third-party -||seemybucks.com^$third-party ||sehiba.com^$third-party ||seitentipp.com^$third-party -||senkinar.com^$third-party -||sesxc.com^$third-party ||sexad.net^$third-party ||sexdatecash.com^$third-party -||sexengine.sx^$third-party ||sexiba.com^$third-party ||sexlist.com^$third-party -||sexopages.com^$third-party ||sexplaycam.com^$third-party ||sexsearch.com^$third-party ||sextadate.net^$third-party ||sextracker.com^$third-party -||sextubecash.com^$third-party +||sexufly.com^$third-party +||sexuhot.com^$third-party ||sexvertise.com^$third-party ||sexy-ch.com^$third-party -||sexypower.net^$third-party -||shopping-centres.org^$third-party +||showmeyouradsnow.com^$third-party ||siccash.com^$third-party -||silvalliant.info^$third-party ||sixsigmatraffic.com^$third-party -||sjosteras.com^$third-party -||skeettools.com^$third-party -||slendastic.com^$third-party ||smartbn.ru^$third-party ||smartclick.net^$third-party ||smopy.com^$third-party -||sms-xxx.com^$third-party -||soadvr.com^$third-party +||snapcheat.app^$third-party ||socialsexnetwork.net^$third-party -||sohjah-thahka.info^$third-party ||solutionsadultes.com^$third-party -||sortow.ru^$third-party ||souvlatraffic.com^$third-party +||spacash.com^$third-party ||spankmasters.com^$third-party -||spcwm.com^$third-party ||spunkycash.com^$third-party -||squeeder.com^$third-party -||ssl2anyone.com^$third-party ||startede.com^$third-party ||startwebpromo.com^$third-party -||stat-data.net^$third-party ||staticxz.com^$third-party ||statserv.net^$third-party ||steamtraffic.com^$third-party -||sterrencash.nl^$third-party -||sticans.pro^$third-party ||streamateaccess.com^$third-party ||stripsaver.com^$third-party -||styleszelife.com^$third-party -||sunmcre.com^$third-party -||sunnysmedia.com^$third-party +||sultrytraffic.com^$third-party ||supuv3.com^$third-party ||sv2.biz^$third-party ||sweetmedia.org^$third-party ||sweetstudents.com^$third-party -||talk-blog.com^$third-party -||tanil.info^$third-party ||tantoporno.com^$third-party ||targetingnow.com^$third-party -||targettrafficmarketing.net^$third-party -||tarkita.ru^$third-party ||teasernet.ru^$third-party ||teaservizio.com^$third-party -||tech-board.com^$third-party -||teendestruction.com^$third-party -||telvanil.ru^$third-party -||thatterians.pro^$third-party -||thattoftheg.com^$third-party +||test1productions.com^$third-party ||the-adult-company.com^$third-party -||thebunsenburner.com^$third-party ||thepayporn.com^$third-party -||therses.com^$third-party ||thesocialsexnetwork.com^$third-party -||thrnt.com^$third-party -||thumbnail-galleries.net^$third-party -||timteen.com^$third-party ||tingrinter.com^$third-party -||tinyweene.com^$third-party -||titsbro.net^$third-party -||titsbro.org^$third-party -||titsbro.pw^$third-party ||tizernet.com^$third-party -||tkhigh.com^$third-party -||tlafu.space^$third-party ||tm-core.net^$third-party ||tmserver-1.com^$third-party ||tmserver-2.net^$third-party -||todayssn.com^$third-party -||toget.ru^$third-party -||tomorrowperegrinemortician.info^$third-party -||tonsterandhantan.info^$third-party -||top-sponsor.com^$third-party -||topbucks.com^$third-party -||torrent-anime.ru^$third-party +||tophosting101.com^$third-party +||topsexcams.club^$third-party ||tossoffads.com^$third-party -||tostega.ru^$third-party -||tracelive.ru^$third-party -||tracker2kss.eu^$third-party -||trackerodss.eu^$third-party -||tradineseveni.club^$third-party ||traffbiz.ru^$third-party -||traffic-in.com^$third-party +||traffic-gate.com^$third-party ||traffic.ru^$third-party ||trafficholder.com^$third-party -||traffichunt.com^$third-party -||trafficjunky.com^$third-party ||trafficlearn.com^$third-party +||trafficmagnates.com^$third-party +||trafficman.io^$third-party ||trafficpimps.com^$third-party -||trafficshop.com^$third-party ||trafficstars.com^$third-party ||traffictraffickers.com^$third-party ||trafficundercontrol.com^$third-party -||traficmax.fr^$third-party -||trafogon.net^$third-party -||transexy.it^$third-party ||trfpump.com^$third-party -||trhnt.com^$third-party -||trhunt.com^$third-party ||trickyseduction.com^$third-party -||trustedadserver.com^$third-party +||trunblock.com^$third-party ||trw12.com^$third-party ||try9.com^$third-party -||tsyndicate.com^$third-party -||ttlbd.net^$third-party ||ttlmodels.com^$third-party +||tube.ac^$third-party ||tubeadnetwork.com^$third-party ||tubeadv.com^$third-party ||tubecorporate.com^$third-party -||tubedspots.com^$third-party ||tubepush.eu^$third-party -||tufosex.com.br^$third-party ||twistyscash.com^$third-party -||tynyh.com^$third-party -||ukreggae.ru^$third-party -||unaspajas.com^$third-party -||unlimedia.net^$third-party -||urpornnetwork.com^$third-party -||utrehter.com^$third-party -||uuidksinc.net^$third-party ||uxernab.com^$third-party ||ver-pelis.net^$third-party ||verticalaffiliation.com^$third-party ||vfgta.com^$third-party +||vghd.com^$third-party +||vid123.net^$third-party ||video-people.com^$third-party -||viewrtb.com^$third-party +||vidsrev.com^$third-party +||viensvoircesite.com^$third-party ||virtuagirlhd.com^$third-party ||vividcash.com^$third-party -||vktr073.net^$third-party ||vlexokrako.com^$third-party ||vlogexpert.com^$third-party ||vod-cash.com^$third-party -||vogopita.com^$third-party -||vogorana.ru^$third-party -||vogotita.com^$third-party ||vogozae.ru^$third-party -||voluumtrk.com^$third-party ||voyeurhit.com^$third-party -||vroll.net^$third-party ||vrstage.com^$third-party ||vsexshop.ru^$third-party -||wa4etw9l.top^$third-party -||walprater.com^$third-party +||w4vecl1cks.com^$third-party ||wamcash.com^$third-party ||wantatop.com^$third-party -||warsomnet.com^$third-party ||watchmygf.to^$third-party ||wct.click^$third-party -||webcambait.com^$third-party -||webcampromo.com^$third-party -||webcampromotions.com^$third-party -||webclickengine.com^$third-party -||webclickmanager.com^$third-party -||webfontsfree.org^$third-party -||websitepromoserver.com^$third-party -||webstats.com.br^$third-party -||webteaser.ru^$third-party -||wellmov.com^$third-party -||weownthetraffic.com^$third-party -||weselltraffic.com^$third-party -||wetpeachcash.com^$third-party -||whaleads.com^$third-party -||whalecashads.com^$third-party ||wifelovers.com^$third-party -||wildhookups.com^$third-party -||wildmatch.com^$third-party -||wildxxxparties.com^$third-party -||wisozk.link^$third-party -||wma.io^$third-party -||wood-pen.com^$third-party ||worldsbestcams.com^$third-party -||wpncdn.com^$third-party -||wqlkp.com^$third-party -||wufel.ml^$third-party -||wwwmobiroll.com^$third-party -||x-adservice.com^$third-party -||x-exchanger.co.uk^$third-party -||x3v66zlz.com^$third-party -||xclickdirect.com^$third-party -||xclicks.net^$third-party -||xenfrastucter.com^$third-party -||xf43506e8.pw^$third-party -||xfuckbook.com^$third-party ||xgogi.com^$third-party ||xhamstercams.com^$third-party -||xidx.org^$third-party ||xlovecam.com^$third-party -||xmediawebs.net^$third-party -||xoliter.com^$third-party -||xpctraffic.com^$third-party -||xpollo.com^$third-party -||xpop.co^$third-party -||xsrs.com^$third-party -||xxltr.com^$third-party -||xxxadv.com^$third-party -||xxxallaccesspass.com^$third-party -||xxxbannerswap.com^$third-party +||xogogowebcams.com^$third-party ||xxxblackbook.com^$third-party -||xxxex.com^$third-party -||xxxlnk.com^$third-party ||xxxmatch.com^$third-party -||xxxmyself.com^$third-party -||xxxnavy.com^$third-party -||xxxoh.com^$third-party -||xxxvipporno.com^$third-party -||xxxwebtraffic.com^$third-party -||y72yuyr9.com^$third-party -||yazcash.com^$third-party -||yesmessenger.com^$third-party -||yfum.com^$third-party -||yobihost.com^$third-party -||yoshatia.com^$third-party -||your-big.com^$third-party ||yourdatelink.com^$third-party -||yourfuckbook.com^$third-party,domain=~fuckbookhookups.com -||ypmadserver.com^$third-party -||yu0123456.com^$third-party -||yuppads.com^$third-party ||yurivideo.com^$third-party -||yx0banners.com^$third-party -||zboac.com^$third-party -||zenkreka.com^$third-party -||zinzimo.info^$third-party -||ziphentai.com^$third-party -||zog.link^$third-party -||zqhkry0c.pro^$third-party -! Revolving adservers -||abrsamar.com^ -||aclickads.com^ -||adbidgo.com^ -||adplexo.com^ -||adservi.com^ -||aebadu.com^ -||aoredi.com^ -||bebadu.com^ -||billionpops.com^ -||cebadu.com^ -||clcknpop.com^ -||clickadin.com^ -||clickbigo.com^ -||clmcom.com^ -||coocopop.com^ -||debadu.com^ -||dlsear.com^ -||doubledeepclick.com^ -||doublelimpup.com^ -||dsp.wtf^ -||earnbigo.com^ -||eoredi.com^ -||fabrkrup.com^ -||fastpopclick.com^ -||fastpopunder.com^ -||febadu.com^ -||fedsit.com^ -||foxypp.com^ -||fsitel.com^ -||furmnas.com^ -||gebadu.com^ -||goredi.com^ -||hebadu.com^ -||hiblcom.com^ -||horedi.com^ -||hypoot.com^ -||iddpop.com^ -||iendoo.com^ -||ioredi.com^ -||isupopc.com^ -||iupot.com^ -||jebadu.com^ -||joredi.com^ -||joredii.com^ -||koncbabae.com^ -||koradu.com^ -||lupoot.com^ -||mdlsite.com^ -||moomoopop.com^ -||moradu.com^ -||nebadu.com^ -||nkmsite.com^ -||nupoot.com^ -||oebadu.com^ -||oktpage.com^ -||ooredi.com^ -||pebadu.com^ -||platado.com^ -||popcain.com^ -||popuexo.com^ -||poredii.com^ -||ppcashpop.com^ -||profbigo.com^ -||propbigo.com^ -||pttsite.com^ -||qebodu.com^ -||qoredi.com^ -||revbigo.com^ -||roredi.com^ -||sebadu.com^ -||shareitpp.com^ -||sitegoto.com^ -||sitemnk.com^ -||siterdm.com^ -||sitetoway.com^ -||soonbigo.com^ -||sscashpop.com^ -||svsub.com^ -||syndicpop.com^ -||syndopop.com^ -||tebadu.com^ -||terroppop.com^ -||thterras.com^ -||tosfeed.com^ -||tplpages.com^ -||trmnsite.com^ -||tsandycateup.com^ -||uebadu.com^ -||uoredi.com^ -||vebadu.com^ -||voradu.com^ -||voredi.com^ -||vvcashpop.com^ -||webodu.com^ -||whalepp.com^ -||woredi.com^ -||xebadu.com^ -||xoredi.com^ -||xxladu.com^ -||xxlargepop.com^ -||xxssyndic.com^ -||xxxadu.com^ -||yebadu.com^ -||yoredi.com^ -||zavrotfro.com^ -! document blocks -||abbp1.com^$document -||combia-tellector.com^$document -||cradver.livejasmin.com^$document -||crptentry.com^$document -||doublepimp.com^$document -||dynsrvtbg.com^$document -||exoclick.com^$document -||mptentry.com^$document -||nlntrk.com^$document -||nyetm2mkch.com^$document -||trkinator.com^$document -! Mobile -||reporo.net^$third-party -! Pornhub network -||00zasdf.pw$other -||00zasdf.pw$websocket -||abbp1.science.^ -||abbp1.space.^ -||abbp1.website.^ -||adspayformymortgage.win.^ -||poolnoodle.tech.^ ! *** easylist:easylist_adult/adult_adservers_popup.txt *** ||1lzz.com^$popup -||33traffic.com^$popup -||3file.info^$popup,third-party +||1ts11.top^$popup ||3questionsgetthegirl.com^$popup -||45i73jv6.com^$popup,third-party ||9content.com^$popup -||abbp1.com^$popup -||adsnero.website^$popup,third-party -||adtgs.com^$popup -||adultadmedia.com^$popup,third-party -||adultadworld.com^$popup,third-party -||adultmoda.com^$popup,third-party -||adxite.com^$popup,third-party -||adxpansion.com^$popup,third-party -||affairexcuses.com^$popup,third-party -||alxsite.com^$popup,third-party -||aquete.com^$popup,third-party -||awejmp.com^$popup,third-party -||banners.cams.com^$popup,third-party -||bitterstrawberry.com^$popup -||buy404s.com^$popup -||bxgjpocfz1g1jiwb.pro^$popup -||c4tracking01.com^$popup,third-party -||cam4tracking.com^$popup,third-party -||checkmy.cam^$popup,third-party -||chokertraffic.com^$popup,third-party -||chtic.net^$popup,third-party -||ckrf1.com^$popup,third-party -||clockdisplaystoring.com^$popup +||adextrem.com^$popup +||adultadworld.com^$popup +||banners.cams.com^$popup +||bestdatinghere.life^$popup +||c4tracking01.com^$popup +||cam4tracking.com^$popup +||checkmy.cam^$popup +||chokertraffic.com^$popup +||ckrf1.com^$popup ||connexionsafe.com^$popup ||cooch.tv^$popup,third-party +||cpng.lol.^$popup +||cpng.lol^$popup +||crdefault2.com^$popup +||crentexgate.com^$popup +||crlcw.link^$popup ||crptentry.com^$popup -||cstraffic.com^$popup -||date-for-more.com^$popup,third-party -||datoporn.com^$popup,third-party +||crptgate.com^$popup +||date-for-more.com^$popup +||datingshall.life^$popup +||datoporn.com^$popup ||desklks.com^$popup -||dirty-tinder.com^$popup,third-party -||doublegear.com^$popup,third-party -||dverser.ru^$popup,third-party -||dynsrvazg.com^$popup -||dynsrvazh.com^$popup -||easysexdate.com^$popup -||ebocornac.com^$popup,third-party -||ekod.info^$popup,third-party -||ero-advertising.com^$popup,third-party +||dirty-messenger.com^$popup +||dirty-tinder.com^$popup +||dumbpop.com^$popup +||ero-advertising.com^$popup +||eroge.com^$popup ||ertya.com^$popup -||everyporn.net^$popup,third-party -||exgfpunished.com^$popup,third-party -||exogripper.com^$popup -||fbay.tv^$popup -||fderty.com^$popup -||filthads.com^$popup,third-party +||ezofferz.com^$popup ||flagads.net^$popup -||foaks.com^$popup,third-party -||fox-forden.ru^$popup,third-party -||fpctraffic2.com^$popup,third-party +||flndmyiove.net^$popup +||fpctraffic2.com^$popup ||freecamsexposed.com^$popup ||freewebcams.com^$popup,third-party -||frtyi.com^$popup,third-party -||gettraff.com^$popup,third-party -||globaldating.online^$popup,third-party +||friendfinder.com^$popup +||frtyi.com^$popup +||funkydaters.com^$popup +||gambol.link^$popup +||gayfinder.life^$popup +||get-partner.life^$popup +||girls.xyz^$popup +||global-trk.com^$popup ||go-route.com^$popup -||gothot.org^$popup,third-party -||hanaprop.com^$popup,third-party -||hapend.biz^$popup,third-party -||herezera.com^$popup -||hizlireklam.com^$popup,third-party -||hkinvy.ru^$popup +||grtyv.com^$popup +||hizlireklam.com^$popup +||hkl4h1trk.com^$popup ||hornymatches.com^$popup,third-party -||indianfriendfinder.com^$popup,third-party -||ipvertising.com^$popup +||hotplay-games.life^$popup +||hottesvideosapps.com^$popup +||hpyrdr.com^$popup +||hrtya.com^$popup +||indianfriendfinder.com^$popup ||irtye.com^$popup ||isanalyze.com^$popup -||iwebanalyze.com^$popup -||jeisl.com^$popup,third-party +||jizzy.org^$popup ||jsmjmp.com^$popup -||juicyads.com^$popup,third-party -||kaizentraffic.com^$popup,third-party -||legacyminerals.net^$popup,third-party -||loltrk.com^$popup,third-party -||moradu.com^$popup,third-party +||kaizentraffic.com^$popup +||libedgolart.com^$popup +||lncredlbiedate.com^$popup +||moradu.com^$popup ||mptentry.com^$popup -||naughtyplayful.com^$popup,third-party ||needlive.com^$popup -||nextlandingads.com^$popup -||njmaq.com^$popup,third-party +||notimoti.com^$popup ||nyetm2mkch.com^$popup -||ophistler.pro^$popup -||pd-news.com^$popup +||passtechusa.com^$popup ||pinkberrytube.com^$popup ||playgirl.com^$popup ||plinx.net^$popup,third-party ||poweredbyliquidfire.mobi^$popup -||prexista.com^$popup,third-party -||prodtraff.com^$popup,third-party -||prpops.com^$popup,third-party -||quadrinhoseroticos.net^$popup,third-party -||queen-domain.net^$popup +||prodtraff.com^$popup +||quadrinhoseroticos.net^$popup ||rdvinfidele.club^$popup -||repmbuycurl.com^$popup,third-party -||reporo.net^$popup,third-party -||restions-planted.com^$popup,third-party -||reviewdollars.com^$popup,third-party -||royalads.net^$popup,third-party -||sascentral.com^$popup,third-party -||setravieso.com^$popup,third-party -||sex-journey.com^$popup,third-party -||sexad.net^$popup,third-party -||sexflirtbook.com^$popup,third-party -||sexintheuk.com^$popup,third-party +||reporo.net^$popup +||restions-planted.com^$popup +||reviewdollars.com^$popup +||sascentral.com^$popup +||setravieso.com^$popup +||sexad.net^$popup +||sexemulator.com^$popup +||sexflirtbook.com^$popup +||sexintheuk.com^$popup ||sexmotors.com^$popup,third-party ||sexpennyauctions.com^$popup -||soadvr.com^$popup -||socialsex.biz^$popup,third-party -||socialsex.com^$popup,third-party -||ssl2anyone.com^$popup -||takyake.ru^$popup -||targetingnow.com^$popup,third-party -||tostega.ru^$popup +||slut2fuck.net^$popup +||snapcheat.app^$popup +||socialsex.biz^$popup +||socialsex.com^$popup +||targetingnow.com^$popup ||trackvoluum.com^$popup +||traffic.club^$popup ||trafficbroker.com^$popup -||trafficholder.com^$popup,third-party ||trafficstars.com^$popup -||traffictraffickers.com^$popup,third-party -||trkinator.com^$popup -||trvtrk.com^$popup -||turnefo.ru^$popup +||traffictraffickers.com^$popup +||trkbc.com^$popup +||viensvoircesite.com^$popup ||vlexokrako.com^$popup -||voyeurbase.com^$popup,third-party ||watchmygf.com^$popup -||x2porn.eu^$popup,third-party -||xdtraffic.com^$popup,third-party +||xdtraffic.com^$popup ||xmatch.com^$popup ||xpeeps.com^$popup,third-party -||xvika.com^$popup,third-party -||xvika.net^$popup,third-party -||xxlargepop.com^$popup,third-party -||xxxbunker.com^$popup,third-party +||xxlargepop.com^$popup +||xxxjmp.com^$popup ||xxxmatch.com^$popup -||y72yuyr9.com^$popup,third-party -||zononi.com^$popup,third-party +||zononi.com^$popup ! -----------------------------Third-party adverts-----------------------------! ! *** easylist:easylist/easylist_thirdparty.txt *** --api.adyoulike.com --smartad.s3.amazonaws.com^ ||000webhost.com/images/banners/ -||04stream.com/pop*.js -||104.197.10.19^$script,third-party -||104.197.10.88^$script,third-party -||104.197.127.140^$script,third-party -||104.197.188.104^$script,third-party -||104.197.241.137^$script,third-party -||104.197.34.33^$script,third-party -||104.197.4.220^$script,third-party -||108.166.93.81/rotate/$domain=~infowars.com.ip -||109.201.134.110^$domain=04stream.com -||110.45.173.103/ad/$third-party -||110mb.com/images/banners/ -||121.78.129.103/ad/$domain=~koreatimes-kr.ip -||12dayswidget.com/widgets/ -||173.199.120.7/delivery/$domain=~p2p.adserver.ip -||173.225.186.54^$third-party,domain=~apps.su.ip -||178.17.164.58^$script,third-party -||178.238.233.242/open.js -||1stag.com/main/img/banners/ -||1whois.org/static/popup.js -||208.43.84.120/trueswordsa3.gif$third-party,domain=~trueswords.com.ip -||209.15.224.6^$third-party,domain=~liverail-mlgtv.ip -||216.41.211.36/widget/$third-party,domain=~bpaww.com.ip -||217.115.147.241/media/$third-party,domain=~elb-kind.de.ip -||247hd.net/ad| -||24casino.cz/poker300-$third-party -||24hrlikes.com/images/$third-party -||2yu.in/banner/$third-party -||360pal.com/ads/$third-party -||3dots.co.il/pop/ -||3smedia.co.za^*/banner. -||4getlikes.com/promo/ -||69.50.226.158^$third-party,domain=~worth1000.com.ip -||6theory.com/pub/ -||770.com/banniere.php? -||80.94.76.4/abd.php? -||95.131.238.35^$third-party,domain=~maltatoday.mt.ip -||96.9.176.245^$third-party -||a.livesportmedia.eu^ +||1080872514.rsc.cdn77.org^ +||10945-2.s.cdn15.com^ +||10945-5.s.cdn15.com^ +||1187531871.rsc.cdn77.org^ +||1208344341.rsc.cdn77.org^ +||123-stream.org^ +||1244746616.rsc.cdn77.org^ +||1437953666.rsc.cdn77.org^ +||1529462937.rsc.cdn77.org^ +||1548164934.rsc.cdn77.org^ +||1675450967.rsc.cdn77.org^ +||1736253261.rsc.cdn77.org^ +||1758664454.rsc.cdn77.org^ +||1wnurc.com^ +||26216.stunserver.net/a8.js +||360playvid.com^$third-party +||360playvid.info^$third-party +||a-delivery.rmbl.ws^ ||a.ucoz.net^ -||a.watershed-publishing.com^ -||a04296f070c0146f314d-0dcad72565cb350972beb3666a86f246.r50.cf5.rackcdn.com^ -||a7.org^*=$xmlhttprequest -||aadvertismentt.com^$subdocument -||abacast.com/banner/ -||ablacrack.com/popup-pvd.js$third-party -||ace.advertising.com^$third-party -||ad-v.jp/adam/ -||ad.23blogs.com^$third-party +||a1.consoletarget.com^ +||ad-serve.b-cdn.net^ +||ad.22betpartners.com^ ||ad.about.co.kr^ -||ad.accessmediaproductions.com^ -||ad.adriver.ru^$domain=firstrownow.eu|kyivpost.com|uatoday.tv|unian.info -||ad.aquamediadirect.com^$third-party -||ad.bitbay.net^$third-party ||ad.bitmedia.io^ ||ad.edugram.com^ -||ad.flux.com^ -||ad.foxnetworks.com^ -||ad.ghfusion.com^$third-party -||ad.icasthq.com^ -||ad.idgtn.net^ -||ad.imad.co.kr^$third-party -||ad.jamba.net^ -||ad.jokeroo.com^$third-party -||ad.lijit.com^$third-party -||ad.linkstorms.com^$third-party -||ad.livere.co.kr^ -||ad.mediabong.net^ -||ad.mesomorphosis.com^ -||ad.mygamesol.com^$third-party -||ad.netcommunities.com^$third-party +||ad.mail.ru/static/admanhtml/ +||ad.mail.ru^$~image,domain=~mail.ru|~sportmail.ru +||ad.moe.video^ ||ad.netmedia.hu^ -||ad.openmultimedia.biz^ -||ad.outsidehub.com^ -||ad.pickple.net^ -||ad.premiumonlinemedia.com^$third-party -||ad.proxy.sh^ -||ad.r.worldssl.net^ -||ad.rambler.ru^ -||ad.realmcdn.net^$third-party -||ad.reklamport.com^ -||ad.sensismediasmart.com.au^ -||ad.sharethis.com^$third-party -||ad.smartclip.net^ -||ad.smartmediarep.com^$third-party -||ad.spielothek.so^ -||ad.sponsoreo.com^$third-party -||ad.valuecalling.com^$third-party -||ad.vidaroo.com^ -||ad.winningpartner.com^ -||ad.wsod.com^$third-party -||ad2links.com/js/$third-party -||adap.tv/redir/client/static/as3adplayer.swf -||adap.tv/redir/plugins/$object-subrequest -||adap.tv/redir/plugins3/$object-subrequest -||adaptv.advertising.com^$third-party -||addme.com/images/addme_$third-party -||adf.ly/?$subdocument,~third-party,domain=adf.ly -||adf.ly/images/banners/ -||adf.ly^$script,third-party,domain=~j.gs|~q.gs -||adf.ly^*/link-converter.js$third-party -||adfoc.us/js/$third-party -||adform.net/banners/$third-party -||adimgs.t2b.click/assets/js/ttbir.js -||adingo.jp.eimg.jp^ -||adlandpro.com^$third-party -||adn.ebay.com^ -||adplus.goo.mx^ -||adr-*.vindicosuite.com^ -||ads.dynamicyield.com^$third-party -||ads.linkedin.com^$third-party -||ads.mp.mydas.mobi^ +||ad.tpmn.co.kr^ +||ad.video-mech.ru^ +||ad.wsod.com^ +||ad01.tmgrup.com.tr^ +||adblockeromega.com^ +||adcheck.about.co.kr^ +||addefenderplus.info^ +||adfoc.us^$script,third-party +||adinplay-venatus.workers.dev^ +||adncdnend.azureedge.net^ +||ads-api.production.nebula-drupal.stuff.co.nz^ +||ads-partners.coupang.com^ +||ads-yallo-production.imgix.net^ +||ads.betfair.com^ +||ads.kelkoo.com^ +||ads.linkedin.com^ +||ads.saymedia.com^ ||ads.servebom.com^ -||ads.tremorhub.com^ -||adserv.legitreviews.com^$third-party -||adsrv.eacdn.com^$third-party -||adss.dotdo.net^ -||adswizz.com/adswizz/js/SynchroClient*.js$third-party -||adtech.advertising.com^$third-party -||advanced-intelligence.com/banner -||adz.zwee.ly^ -||adziff.com^*/zdcse.min.js -||afairweb.com/html/$third-party -||aff.bstatic.com^$domain=f1i.com -||aff.cupidplc.com^$third-party -||aff.eteachergroup.com^ -||aff.marathonbet.com^ -||aff.svjump.com^ -||affil.mupromo.com^ -||affilate-img-affasi.s3.amazonaws.com^$third-party -||affiliate.juno.co.uk^$third-party -||affiliate.mediatemple.net^$third-party -||affiliatehub.skybet.com^$third-party -||affiliateprogram.keywordspy.com^ -||affiliates-cdn.mozilla.org^$third-party -||affiliates.allposters.com^ -||affiliates.bookdepository.co.uk^$third-party -||affiliates.bookdepository.com^$third-party -||affiliates.homestead.com^$third-party -||affiliates.lynda.com^$third-party -||affiliates.picaboocorp.com^$third-party -||affiliatesmedia.sbobet.com^ -||affiliation.filestube.com^$third-party -||affiliation.fotovista.com^ -||affiliationjs.s3.amazonaws.com^ -||affutdmedia.com^$third-party -||afimg.liveperson.com^$third-party -||agenda.complex.com^ -||agoda.net/banners/ -||ahlanlive.com/newsletters/banners/$third-party -||airpushmarketing.s3.amazonaws.com^ -||airvpn.org/images/promotional/ -||ais.abacast.com^ -||ak.imgaft.com^$third-party -||ak1.imgaft.com^$third-party -||akamai.net^*.247realmedia.com/$third-party -||akamai.net^*/espnpreroll/$object-subrequest -||akamai.net^*/pics.drugstore.com/prodimg/promo/ -||akamaihd.net/lmedianet.js -||akamaihd.net/preroll*.mp4?$domain=csnnw.com -||akamaihd.net/ssa/*?zoneid=$subdocument -||akamaihd.net^*/web/pdk/swf/freewheel.swf?$third-party -||alexa.com^*/promotebuttons/ -||algart.net*_banner_$third-party -||algovid.com/player/get_player_vasts? -||allposters.com^*/banners/ -||allsend.com/public/assets/images/ -||alluremedia.com.au^*/campaigns/ -||alpsat.com/banner/ -||altushost.com/docs/$third-party -||amazon.com/?_encoding*&linkcode$third-party -||amazon.com/gp/redirect.html?$subdocument,third-party -||amazon.com^*/getaanad?$third-party -||amazonaws.com/ad_w_intersitial.html -||amazonaws.com/ansible.js$domain=motherjones.com -||amazonaws.com/banner/$domain=gserp.com -||amazonaws.com/betpawa-*.html?aff= -||amazonaws.com/bo-assets/production/banner_attachments/ -||amazonaws.com/btrb-prd-banners/ -||amazonaws.com/crossdomain.xml$object-subrequest,domain=ndtv.com -||amazonaws.com/digitalcinemanec.swf$domain=boxoffice.com -||amazonaws.com/dmx_banner?$domain=autodealer.co.za -||amazonaws.com/fvefwdds/ -||amazonaws.com/images/a/$domain=slader.com -||amazonaws.com/lms/sponsors/ -||amazonaws.com/ludicrous/ -||amazonaws.com/newscloud-production/*/backgrounds/$domain=crescent-news.com|daily-jeff.com|recordpub.com|state-journal.com|the-daily-record.com|the-review.com|times-gazette.com -||amazonaws.com/optimera- -||amazonaws.com/ownlocal- -||amazonaws.com/photos.offers.analoganalytics.com/ -||amazonaws.com/player.php?vidurl=$object-subrequest,domain=ndtv.com -||amazonaws.com/pmb-musics/download_itunes.png -||amazonaws.com/promotions/$domain=~brewculture.com -||amazonaws.com/publishflow/ -||amazonaws.com/skyscrpr.js -||amazonaws.com/streetpulse/ads/ -||amazonaws.com/wafmedia6.com/ -||amazonaws.com/widgets.youcompare.com.au/ -||amazonaws.com/youpop/ -||amazonaws.com^$script,subdocument,domain=bittorrent.am|gelbooru.com|grantorrent.net|hdvid.life|hdvid.tv|hdvid.xyz|macupload.net|mp3goo.com|ndtv.com|onhax.me|onvid.club|onvid.fun|onvid.pw|onvid.xyz|replaytvstreaming.com|rgmechanicsgames.com|streamplay.to|thevideobee.to|usersfiles.com|vidhd.club|vidhd.icu|vidhd.pw|vshare.eu -||amazonaws.com^$third-party,xmlhttprequest,domain=bdupload.info|bigfile.to|bittorrent.am|c123movies.com|ddlvalley.cool|frendz4m.com|fullstuff.co|hdvid.life|hdvid.tv|hdvid.xyz|macupload.net|ocean0fgames.com|onhax.me|onvid.club|onvid.fun|onvid.pw|onvid.xyz|rgmechanicsgames.com|sadeempc.com|thevideobee.to|tinypaste.me|tsumino.com|tvlivenow.com|vidhd.club|vidhd.icu|vidhd.pw|vidlox.tv|vshare.eu|wizhdsports.is|yourvideohost.com -||amazonaws.com^*/ads/$image,domain=washingtonmonthly.com -||amazonaws.com^*/direct/$domain=mycbseguide.com -||amazonaws.com^*/funders-$domain=globalvoices.org -||amazonaws.com^*/player_request_*/get_affiliate_ -||analytics.disneyinternational.com^ -||ancestrydata.com/widget.html?$domain=findagrave.com -||angelbc.com/clients/*/banners/$third-party -||anime.jlist.com^$third-party -||anonym.to/*findandtry.com -||any.gs/visitScript/$third-party -||aol.co.uk^*/cobrand.js -||aolcdn.com/os/mapquest/marketing/promos/ -||aolcdn.com/os/mapquest/promo-images/ -||aolcdn.com/os/music/img/*-skin.jpg -||api.140proof.com^$third-party -||api.bitp.it^$third-party -||api.groupon.com/v2/deals/$third-party -||api.ticketnetwork.com/Events/TopSelling/domain=nytimes.com -||apkmaza.net/wp-content/uploads/$third-party -||apnonline.com.au/img/marketplace/*_ct50x50.gif -||appdevsecrets.com/images/nuts/ -||apple.com/itunesaffiliates/ -||appnext-a.akamaihd.net^ -||appsgenius.com/images/$third-party -||arcadetown.com/as/show.asp -||ard.ihookup.com^ -||artistdirect.com/partner/ -||as.devbridge.com^$third-party -||as.jivox.com/jivox/serverapis/getcampaignbysite.php?$object-subrequest -||assets.betterbills.com/widgets/ -||associmg.com^*.gif?tag- -||astalavista.box.sk/c-astalink2a.jpg -||astrology.com/partnerpages/ -||atomicpopularity.com/dfpd.js -||augine.com/widget|$third-party -||autodealer.co.za/inc/widget/$third-party -||autoprivileges.net/news/ -||autotrader.ca/result/AutosAvailableListings.aspx?$third-party -||autotrader.co.za/partners/$third-party -||awadhtimes.com^$third-party +||ads.sportradar.com^ +||ads.travelaudience.com^ +||ads.viralize.tv^ +||ads.yahoo.com^$~image +||ads2.hsoub.com^ +||adsales.snidigital.com^ +||adsdk.microsoft.com^ +||adserver-2084671375.us-east-1.elb.amazonaws.com^ +||adserving.unibet.com^ +||adsinteractive-794b.kxcdn.com^ +||adtechvideo.s3.amazonaws.com^ +||advast.sibnet.ru^ +||adx-exchange.toast.com^ +||adx.opera.com^ +||aff.bstatic.com^ +||affiliate-cdn.raptive.com^$third-party +||affiliate.heureka.cz^ +||affiliate.juno.co.uk^ +||affiliate.mediatemple.net^ +||affiliatepluginintegration.cj.com^ +||afternic.com/v1/aftermarket/landers/ +||ah.pricegrabber.com^ +||akamaized.net/mr/popunder.js +||alarmsportsnetwork.com^$third-party +||allprivatekeys.com/static/banners/$third-party +||allsportsflix. +||am-da.xyz^ +||amazonaws.com/campaigns-ad/ +||amazonaws.com/mailcache.appinthestore.com/ +||an.yandex.ru^$domain=~e.mail.ru +||analytics.analytics-egain.com^ +||answers.sg/embed/ +||any.gs/visitScript/ +||api-player.globalsun.io/api/publishers/player/content?category_id=*&adserver_id=$xmlhttprequest +||api.140proof.com^ +||api.bitp.it^ +||app.clickfunnels.com^$~stylesheet +||aspencore.com/syndication/v3/partnered-content/ +||assets.sheetmusicplus.com^$third-party +||audioad.zenomedia.com^ +||autodealer.co.za/inc/widget/ +||autotrader.ca/result/AutosAvailableListings.aspx? +||autotrader.co.za/partners/ ||award.sitekeuring.net^ ||awin1.com/cawshow.php$third-party ||awin1.com/cshow.php$third-party -||axandra.com/affiliates/ -||axisbank.com/shopaholics-festival/$domain=ibnlive.in.com -||b.babylon.com^ -||b.livesport.eu^ -||b.sell.com^$third-party -||b117f8da23446a91387efea0e428392a.pl^$domain=ddlvalley.net -||b92.putniktravel.com^ -||b92s.net/images/banners/ -||babylon.com/site/images/common.js$third-party -||babylon.com/systems/af/landing/$third-party -||babylon.com/trans_box/*&affiliate= -||babylon.com^*?affid= -||badoo.com/informer/$third-party -||ball2win.com/Affiliate/ -||bamstudent.com/files/banners/ -||bankrate.com/jsfeeds/$third-party -||bankrate.com^$subdocument,domain=yahoo.com -||banman.isoftmarketing.com^$third-party -||banner.101xp.com^ -||banner.3ddownloads.com^ -||banner.europacasino.com^ -||banner.telefragged.com^ -||banner.titancasino.com^ -||banner.titanpoker.com^$third-party -||banner2.casino.com^$third-party -||bannermaken.nl/banners/$third-party -||banners.cfspm.com.au^$third-party -||banners.ixitools.com^$third-party -||banners.moreniche.com^$third-party -||banners.smarttweak.com^$third-party -||banners.videosz.com^$third-party -||banners.webmasterplan.com^$third-party -||barnebys.com/widgets/$third-party -||bbcchannels.com/workspace/uploads/ -||bc.coupons.com^$third-party -||bc.vc/js/link-converter.js$third-party -||beachcamera.com/assets/banners/ -||bee4.biz/banners/ -||bemyapp.com/trk/$third-party -||bergen.com^*/sponsoredby- -||bestcdnever.ru/banner/$third-party -||bestcdnever.ru/js/custombanner.js -||besthosting.ua/banner/ -||bestofmedia.com/ws/communicationSpot.php? -||bet-at-home.com/oddbanner.aspx? +||axm.am/am.ads.js +||azureedge.net/adtags/ +||b.marfeelcache.com/statics/marfeel/gardac-sync.js +||bankrate.com/jsfeeds/ +||banners.livepartners.com^ +||bc.coupons.com^ +||bc.vc/js/link-converter.js +||beauties-of-ukraine.com/export.js +||bescore.com/libs/e.js +||bescore.com/load? ||bet365.com/favicon.ico$third-party -||beta.down2crazy.com^$third-party -||betterbills.com.au/widgets/ -||betting.betfair.com^$third-party -||betwaypartners.com/affiliate_media/$third-party -||bharatmatrimony.com/matrimoney/matrimoneybanners/$third-party -||bidder.criteo.com^$third-party -||bidorbuy.co.za/jsp/system/referral.jsp? -||bidorbuy.co.za/jsp/tradesearch/TradeFeedPreview.jsp?$third-party -||bigcommerce.com^*/product_images/$domain=politicalears.com -||bigpond.com/specials/$subdocument,third-party +||betclever.com/wp-admin/admin-ajax.php?action=coupons_widget_iframe&id=$third-party +||bharatmatrimony.com/matrimoney/matrimoneybanners/ +||bidder.criteo.com^ +||bidder.newspassid.com^ +||bidorbuy.co.za/jsp/tradesearch/TradeFeedPreview.jsp? +||bids.concert.io^ ||bigrock.in/affiliate/ -||bijk.com^*/banners/ -||binbox.io/public/img/promo/$third-party -||binopt.net/banners/ -||bit.ly^$image,domain=planepictures.net|tooxclusive.com -||bit.ly^$subdocument,domain=adf.ly -||bitbond.com/affiliate-program/$third-party -||bitcoindice.com/img/bitcoindice_$third-party -||bitcoinwebhosting.net/banners/$third-party -||bithostcoin.io/img/$third-party -||bitshare.com^*/banner/ -||bittorrent.am/serws.php?$third-party +||bit.ly^$image,domain=tooxclusive.com +||bit.ly^$script,domain=dailyuploads.net|freeshot.live +||bitbond.com/affiliate-program/ +||bitent.com/lock_html5/adscontrol.js ||bl.wavecdn.de^ -||blamads-assets.s3.amazonaws.com^ -||blindferret.com/images/*_skin_ -||blinkx.com/?i=*&adc_pub_id=$script,third-party -||blinkx.com/f2/overlays/ -||bliss-systems-api.co.uk^$third-party -||blissful-sin.com/affiliates/ -||blocks.ginotrack.com^$third-party +||blacklistednews.com/contentrotator/ ||blogatus.com/images/banner/$third-party -||blogsmithmedia.com^*/amazon_ -||bloodstock.uk.com/affiliates/ ||bluehost-cdn.com/media/partner/images/ -||bluehost.com/web-hosting/domaincheckapi/?affiliate=$third-party -||bluepromocode.com/images/widgets/$third-party -||bluesattv.net/bluesat.swf -||bluesattv.net/bluesattvnet.gif -||bluesattv.net/gif.gif -||bluhostedbanners.blucigs.com^ -||bo-videos.s3.amazonaws.com^$third-party -||boago.com^*_Takeover_ -||bollyrulez.net/media/adz/ -||booking.com^*;tmpl=banner_ +||bluehost.com/track/ +||bluehost.com/web-hosting/domaincheckapi/?affiliate= +||bluepromocode.com/images/widgets/ ||bookingdragon.com^$subdocument,third-party -||bordernode.com/images/$third-party -||borrowlenses.com/affiliate/ -||bosh.tv/hdplugin. -||bpath.com/affiliates/ -||bplaced.net/pub/ -||brandpa.com/widgets/$third-party -||bravenet.com/cserv.php -||break.com/break/html/$subdocument -||break.com^*/partnerpublish/ -||brettterpstra.com/wp-content/uploads/$third-party -||broadbandgenie.co.uk/widget?$third-party -||bruteforceseo.com/affiliates/ -||bruteforcesocialmedia.com/affiliates/ -||bstatic.com^$script,domain=ekathimerini.com|hikersbay.com|stl.news|theolivepress.es|traveller24.com -||btguard.com/images/$third-party +||br.coe777.com^ +||bs-adserver.b-cdn.net^ +||btguard.com/images/ ||btr.domywife.com^ -||btrd.net/assets/interstitial$script -||bubbles-uk.com/banner/$third-party -||bullguard.com^*/banners/ -||burst.net/aff/ -||burstnet.akadns.net^$image -||businessnewswatch.ca/images/nnwbanner/ -||butter.to^$subdocument,third-party -||buy.com^*/affiliate/ -||buyhatke.com/widgetBack/ -||buzina.xyz^$script -||buzznet.com^*/showpping-banner-$third-party -||byzoo.org/script/tu*.js -||bza.co^$subdocument,third-party -||c.netu.tv^ -||cachefly.net/cricad.html -||cactusvpn.com/images/affiliates/ -||cal-one.net/ellington/deals_widget.php? -||cal-one.net/ellington/search_form.php? -||camelmedia.net^*/banners/ -||cancomdigital.com/resourcecenter/$third-party -||canonresourcecenter.com^$third-party -||carbiz.in/affiliates-and-partners/ -||careerjunction.co.za/widgets/$third-party -||careerjunction.co.za^*/widget?$third-party -||careerwebsite.com/distrib_pages/jobs.cfm?$third-party -||carfax.com/img_myap/$third-party -||cars.fyidriving.com^$subdocument,third-party -||cas.*.criteo.com^$third-party -||cas.clickability.com^ -||cas.criteo.com^$third-party -||cash.neweramediaworks.com^ -||cashmakingpowersites.com^*/banners/ -||cashmyvideo.com/images/cashmyvideo_banner.gif -||casinobonusdeal.com^$subdocument,domain=frombar.com|gledaisport.com|smotrisport.com|sportcategory.com|sportlemon.org|sportlemon.tv -||castasap.com/publi2.html -||casti.tv/adds/ -||catholicweb.com^*/banners/ -||caw.*.criteo.com^$third-party -||caw.criteo.com^$third-party -||cbcomponent.com^$third-party -||cbpirate.com/getimg.php? -||cccam.co/banner_big.gif -||cdn.adblade.com^$third-party -||cdn.assets.gorillanation.com^$third-party -||cdn.cdncomputer.com/js/main.js -||cdn.comparecards.com^$domain=fortune.com|time.com -||cdn.fluidplayer.com^*/vast.js -||cdn.ndparking.com/js/init.min.js -||cdn.offcloud.com^$third-party -||cdn.sweeva.com/images/$third-party -||cdn.totalfratmove.com^$image,domain=postgradproblems.com -||cdn77.org/tags/ -||cdnpark.com/scripts/js3.js -||cdnprk.com/scripts/js3.js -||cdnprk.com/scripts/js3caf.js -||cdnservices.net/megatag.js -||centauro.net^*/banners/$third-party -||centralmediaserver.com^*_side_bars.jpg -||centralscotlandjoinery.co.uk/images/csj-125.gif$third-party -||centrora.com//store/image/$third-party -||cerebral.typn.com^ +||bunkr.si/lazyhungrilyheadlicks.js +||bunkrr.su/lazyhungrilyheadlicks.js +||c.bannerflow.net^ +||c.bigcomics.bid^ +||c.j8jp.com^ +||c.kkraw.com^ +||c2shb.pubgw.yahoo.com^ +||caffeine.tv/embed/$third-party +||campaigns.williamhill.com^ +||capital.com/widgets/$third-party +||careerwebsite.com/distrib_pages/jobs.cfm? +||carfax.com/img_myap/ +||cas.*.criteo.com^ +||cdn.ad.page^ +||cdn.ads.tapzin.com^ +||cdn.b2.ai^$third-party +||cdn.neighbourly.co.nz/widget/$subdocument +||cdn.vaughnsoft.net/abvs/ +||cdn22904910.ahacdn.me^ +||cdn4.life/media/ +||cdn54405831.ahacdn.me^ +||cdnpub.info^$subdocument,third-party,domain=~iqbroker.co|~iqbroker.com|~iqoption.co.th|~iqoption.com|~tr-iqoption.com ||cex.io/img/b/ -||cex.io/informer/$third-party -||cfcdn.com/showcase_sample/search_widget/ -||cgmlab.com/tools/geotarget/custombanner.js -||chacsystems.com/gk_add.html$third-party -||challies.com^*/wtsbooks5.png$third-party -||charlestondealstoday.com/aux/ux/_component/ss_dealrail/$subdocument,third-party -||choices.truste.com^$third-party -||chriscasconi.com/nostalgia_ad. -||cimg.in/images/banners/ -||circularhub.com^$third-party -||citygridmedia.com/ads/ -||cjmooter.xcache.kinxcdn.com^ +||cex.io/informer/ +||chandrabinduad.com^$third-party +||chicoryapp.com^$third-party +||cl-997764a8.gcdn.co^ ||clarity.abacast.com^ -||classistatic.com^*/sponsors/ -||click.aliexpress.com^$third-party -||click.eyk.net^ -||clickandgo.com/booking-form-widget?$third-party -||clickfunnels.com^*/cfpop.js -||clickiocdn.com/t/common_ -||clickstrip.6wav.es^ -||clicksure.com/img/resources/banner_ -||clicktripz.com/scripts/js/ct.js -||clipdealer.com/?action=widget&*&partner= +||click.alibaba.com^$subdocument,third-party +||click.aliexpress.com^$subdocument,third-party +||clickfunnels.com/assets/cfpop.js +||clickiocdn.com/hbadx/ +||clicknplay.to/api/spots/ +||cloud.setupad.com^ ||cloudbet.com/ad/ -||cloudfront.net/?tid= -||cloudfront.net/dfpd.js -||cloudfront.net/images/super-banner/$domain=buyandsellph.com -||cloudfront.net/js/ad.js$domain=langenscheidt.com -||cloudfront.net/nimblebuy/ -||cloudfront.net/prod-global- -||cloudfront.net/scripts/js3caf.js -||cloudfront.net/st.js -||cloudfront.net/tie.js -||cloudfront.net^$image,script,subdocument,xmlhttprequest,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|4archive.org|69sugar.com|adbull.me|addic7ed.com|adultdouga.biz|agarios.org|ahlamtv.com|amabitch.com|ancensored.com|andrija-i-andjelka.com|anime-sugoi.com|animeado.net|animeflv.net|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|bdupload.info|beautiesbondage.com|becekin.net|beelink.in|beforeitsnews.com|behchala.com|bestsongspk.com|big4umovies.net|bilasport.pw|biology-online.org|bittorrent.am|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|c123movies.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catosports.ml|centraldeanimes.biz|cholotubex.com|chronos.to|cinemamkv.xyz|cinetux.net|cliphayho.com|cloudyfiles.co|coastalhut.com|columbia-xxx.com|comicporno.org|cookiesnetfl1x.com|cooltamil.com|coreimg.net|coroas40.com|couchtuner.fr|couchtuner.nu|crackingpatching.com|cricbox.net|croco.site|cwtube.dj|czechmoneyteens.com|dailyuploads.net|dblatino.com|dbzsuper.tv|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|digitalmusicnews.com|discografiascompletas.net|djmazamp3.info|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|downloadming.io|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|extremetech.com|fagken.com|fastdrama.co|felipephtutoriais.com.br|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmi7.com|filminvazio.com|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flyordie.com|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|frendz4m.com|fulldowngames.biz|fullmaza.net|fullpinoymovies.net|fullstuff.co|futebolps2.com|fxporn.net|g17.com|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gelbooru.com|gibanica.club|girlswithmuscle.com|goodvideohost.com|grantorrent.net|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdvid.life|hdvid.tv|hdvid.xyz|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imgsmile.com|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|izporn.net|jav-for.me|javeu.com|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jazztv.co|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|link2download.net|linksprotection.com|linx.cloud|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|mactorrents.org|macupload.net|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3goo.com|mp3haat.com|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|multiup.org|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mystream.la|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nitroflare.com|nontononlinedrama.com|nudeyoung.xyz|nulledcenter.com|nungg.com|nuttit.com|nxtcomicsclub.com|ocean0fgames.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|omghype.com|ondeeubaixo.com|one-series.cc|onhax.me|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|onvid.club|onvid.fun|onvid.pw|onvid.xyz|openload.co|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|ouo.io|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|pirateiro.com|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|reevown.com|rgmechanicsgames.com|ripvod.com|rosextube.com|runvideo.net|sadeempc.com|salon.com|savvystreams.blogspot.com|scambiofile.info|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.com|shofonline.org|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrowcrack.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|sparknotes.com|speedplay.pro|sports4u.net|srfiles.com|stadium-live.biz|stream2watch.org|streamingok.com|streamlord.com|streamplay.to|suki48.web.id|superteenz.com|sweext.com|tamilmv.vc|tamilrasigan.net|taxidrivermovie.com|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|temp-mail.org|textsfromlastnight.com|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay.org|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevideobee.to|tinypaste.me|tlenovelas.net|todoinmega.com|tokusatsuindo.com|torlock.com|torrentcounter.cc|torrentfilmesbr.com|torrentfunk.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentproject.se|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tsumino.com|tubeoffline.com|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvlivenow.com|tvrex.net|twitchstats.net|ufreetv.com|unblocked.cam|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|usersfiles.com|utaseries.com|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidhd.club|vidhd.icu|vidhd.pw|vidlox.tv|vidtome.co|vidz7.com|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|vshare.eu|watchaha.com|watcharcheronline.com|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchparksandrecreation.cc|watchpornfree.me|webfirstrow.eu|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|yahmaib3ai.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|yourbittorrent.com|yourvideohost.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zw-net.com -||cloudiro.com^*-ads. -||cloudlocker.biz/img/$third-party -||cloudzer.net/ref/ -||cloudzer.net^*/banner/$third-party -||cngroup.co.uk/service/creative/ -||cnnewmedia.co.uk/locker/ -||code.popup2m.com^$third-party -||codeartlove.com/clients/ -||coinmama.com/assets/img/banners/$third-party -||colmwynne.com^$image,third-party -||colorlabsproject.com^*/banner_ -||complexmedianetwork.com/cdn/agenda.complex.com/$domain=~complex.com -||complexmedianetwork.com/js/cmnUNT.js -||comx-computers.co.za/banners/$third-party -||conduit.com//banners/$third-party -||connect.summit.co.uk^ -||connectok.com/brightcove/?$domain=newsok.com -||consoletarget.com/*.php$script,subdocument -||consolpub.com/weatherwindow/ -||content.ad/GetWidget.aspx$third-party -||content.ad/Scripts/widget*.aspx -||content.livesportmedia.eu^ -||content.secondspace.com^$~image,third-party -||contentcastsyndication.com^*&banner -||continent8.com^*/bannerflow/ -||conversionplanet.com/published/feeds/$third-party -||core.windows.net^$script,domain=yify.tv -||couponcp-a.akamaihd.net^$third-party -||couptopia.com/affiliate/$third-party -||coxnewsweb.com^*/ads/ -||cplayer.blinkx.com^$third-party +||coinmama.com/assets/img/banners/ +||commercial.daznservices.com^ +||contentexchange.me/widget/$third-party +||couponcp-a.akamaihd.net^ +||cpkshop.com/campaign/$third-party ||cpm.amateurcommunity.de^ ||cpmstar.com/cached/ ||cpmstar.com/view.aspx -||cq.com/pub/ -||creativecdn.com/creatives? +||crazygolfdeals.com.au/widget$subdocument ||creatives.inmotionhosting.com^ -||creatives.summitconnect.co.uk^ -||criteo.com/delivery/$third-party -||crowdsavings.com/r/banner/ -||cruiseline.com/widgets/$third-party -||cruisesalefinder.co.nz/affiliates.html$third-party -||crunchyroll.com/awidget/$third-party -||cstv.com^*/sponsors/ -||ct.verticalhealth.net^ -||cts.tradepub.com/cts4/?ptnr=*&tm=$third-party -||cursecdn.com/banner/ -||cursecdn.com/display/ -||cursecdn.com/shared-assets/current/anchor.js?id=$third-party -||customcodebydan.com/images/banner.gif +||crunchyroll.com/awidget/ +||cse.google.com/cse_v2/ads$subdocument +||cts.tradepub.com^ ||customer.heartinternet.co.uk^$third-party -||cut-win.com/img/banners/ -||cuteonly.com/banners.php$third-party -||d-l-t.com^$subdocument,third-party -||d13czkep7ax7nj.cloudfront.net^ +||cxad.cxense.com^ +||dashboard.iproyal.com/img/b/ +||datacluster.club^ +||datafeedfile.com/widget/readywidget/ +||dawanda.com/widget/ +||ddownload.com/images/promo/$third-party +||dealextreme.com/affiliate_upload/ +||desperateseller.co.uk/affiliates/ +||digitaloceanspaces.com/advertise/$domain=unb.com.bd +||digitaloceanspaces.com/advertisements/$domain=thefinancialexpress.com.bd +||digitaloceanspaces.com/woohoo/ +||disqus.com/ads-iframe/ +||disqus.com/listPromoted? +||dnscloud.github.io/js/waypoints.min.js +||dtrk.slimcdn.com^ +||dunhilltraveldeals.com^$third-party +||dx.com/affiliate/ +||e-tailwebstores.com/accounts/default1/banners/ +||earn-bitcoins.net/banner_ +||ebayadservices.com^ +||ebayrtm.com^ +||eclipse-adblocker.pro^ +||ecufiles.com/advertising/ +||elliottwave.com/fw/regular_leaderboard.js +||engine.eroge.com^ +||entainpartners.com/renderbanner.do? +||epnt.ebay.com^ +||escape.insites.eu^ +||etrader.kalahari.com^ +||etrader.kalahari.net^ +||extensoft.com/artisteer/banners/ +||facebook.com/audiencenetwork/$third-party +||familytreedna.com/img/affiliates/ +||fancybar.net/ac/fancybar.js?zoneid +||fapturbo.com/testoid/ +||fc.lc/CustomTheme/img/ref$third-party +||feedads.feedblitz.com^ +||fembedta.com/pub? +||fileboom.me/images/i/$third-party +||filterforge.com/images/banners/ +||financeads.net/tb.php$third-party +||findcouponspromos.com^$third-party +||flirt.com/landing/$third-party +||flocdn.com/*/ads-coordinator/ +||flowplayer.com/releases/ads/ +||free-btc.org/banner/$third-party +||free.ovl.me^ +||freshbooks.com/images/banners/ +||futuresite.register.com/us? +||g.ezoic.net/ezosuigenerisc.js +||gadgets360.com/pricee/assets/affiliate/ +||gamer-network.net/plugins/dfp/ +||gamesports.net/monkey_ +||gamezop.com/creatives/$image,third-party +||gamezop.com^$subdocument,third-party +||gamingjobsonline.com/images/banner/ +||geobanner.friendfinder.com^$third-party +||get.cryptobrowser.site^ +||get.davincisgold.com^ +||get.paradise8.com^ +||get.thisisvegas.com^ +||gg.caixin.com^ +||giftandgamecentral.com^ +||glam.com/app/ +||glam.com/gad/ +||go.affiliatesleague.com^ +||go.bloxplay.com^ +||go.onelink.me^$image,script +||goldmoney.com/~/media/Images/Banners/ +||google.*/pagead/lvz? +||google.com/adsense/domains/caf.js +||google.com/adsense/search/ads.js +||google.com/adsense/search/async-ads.js +||google.com/afs/ads? +||google.com/pagead/1p-user-list/ +||google.com/pagead/conversion_async.js +||google.com/pagead/drt/ +||google.com/pagead/landing? +||googleadapis.l.google.com^$third-party +||googleads.github.io^ +||googlesyndication.com/pagead/ +||googlesyndication.com/safeframe/ +||gopjn.com/b/ +||gopjn.com/i/ +||graph.org/file/$third-party +||groupon.com/javascripts/common/affiliate_widget/ +||grscty.com/images/banner/ +||gsniper.com/images/ +||hb.yahoo.net^ +||hbid.ams3.cdn.digitaloceanspaces.com^ +||heimalesssinpad.com/overroll/ +||hide-my-ip.com/promo/ +||highepcoffer.com/images/banners/ +||hitleap.com/assets/banner +||hostmonster.com/src/js/$third-party +||hostslick.com^$domain=fileditch.com +||hotlink.cc/promo/ +||hotwire-widget.dailywire.com^$third-party +||html-load.cc/script/$script +||httpslink.com/EdgeOfTheFire +||htvapps.com/ad_fallback/ +||huffpost.com/embed/connatix/$subdocument +||humix.com/video.js +||hvdt8.chimeratool.com^ +||ibvpn.com/img/banners/ +||ifoneunlock.com/*_banner_ +||in.com/common/script_catch.js +||inbound-step.heavenmedia.com^$third-party +||incrementxplay.com/api/adserver/ +||indeed.fr/ads/ +||infibeam.com/affiliate/ +||inrdeals.com^$third-party +||instant-gaming.com/affgames/ +||interplanetary.video/tag.min.js +||ivisa.com/widgets/*utm_medium=affiliate$subdocument,third-party +||jam.hearstapps.com/js/renderer.js +||jeeng-api-prod.azureedge.net +||jinx.com/content/banner/ +||jobs.sciencecareers.org^$subdocument,third-party +||jobtarget.com/distrib_pages/ +||join.megaphonetv.com^$third-party +||js.bigcomics.win^ +||js.kakuyomu.in^ +||js.kkraw.com^ +||js.manga1001.win^ +||js.mangalove.top^ +||js.mangaraw.bid^ +||js.phoenixmanga.com^ +||js.surecart.com/v1/affiliates? +||jsdelivr.net/gh/InteractiveAdvertisingBureau/ +||jsdelivr.net/gh/qxomer/reklam@master/reklam.js +||jsdelivr.net/npm/as-essential +||jsdelivr.net/npm/prebid- +||jvzoo.com/assets/widget/ +||jwpcdn.com/player/*/googima.js +||jwpcdn.com/player/plugins/bidding/ +||jwpcdn.com/player/plugins/googima/ +||k8s-adserver-adserver-4b35ec6a1d-815734624.us-east-1.elb.amazonaws.com^ +||karma.mdpcdn.com^ +||keep2share.cc/images/i/$third-party +||kinguin.net/affiliatepluswidget/$third-party +||kontera.com/javascript/lib/KonaLibInline.js +||lawdepot.com/affiliate/$third-party +||leadfamly.com/campaign/sdk/popup.min.js +||leads.media-tools.realestate.com.au/conversions.js +||legitonlinejobs.com/images/$third-party +||lesmeilleurs-jeux.net/images/ban/ +||lessemf.com/images/banner- +||libcdnjs.com/js/script.js +||libs.outbrain.com/video/$third-party +||link.link.ru^ +||link.oddsscanner.net^ +||linkconnector.com/tr.php +||linkconnector.com/traffic_record.php +||linkshrink.net^$script,third-party +||linkspy.cc/js/fullPageScript.min.js +||linkx.ix.tc^ +||lottoelite.com/banners/ +||ltkcdn.net/ltkrev.js +||magictag.digislots.in^ +||marketing.888.com^ +||marketools.plus500.com/feeds/ +||marketools.plus500.com/Widgets/ +||mbid.marfeelrev.com^ +||mcc.godaddy.com/park/ +||media.netrefer.com^ +||mediaplex.com/ad/ +||memesng.com/ads +||mktg.evvnt.com^$third-party +||mmin.io/embed/ +||mmosale.com/baner_images/ +||mmwebhandler.888.com^ +||mnuu.nu^$subdocument +||monetize-static.viralize.tv^ +||mps.nbcuni.com/fetch/ext/ +||mweb-hb.presage.io^ +||mydirtyhobby.com^$third-party,domain=~my-dirty-hobby.com|~mydirtyhobby.de +||myfinance.com^$subdocument,third-party +||namecheap.com/graphics/linkus/ +||nbastreamswatch.com/z-6229510.js +||netnaija.com/s/$script +||neural.myth.dev^ +||news.smi2.ru^$third-party +||newsiqra.com^$subdocument,third-party +||newtabextension.com^ +||nitroflare.com/img/banners/ +||noagentfees.com^$subdocument,domain=independent.com.mt +||ogads-pa.googleapis.com^ +||oilofasia.com/images/banners/ +||omegadblocker.com^ +||onlinepromogift.com^ +||onnetwork.tv/widget/ +||ooproxy.azurewebsites.net^$xmlhttprequest,domain=imasdk.googleapis.com +||orangebuddies.nl/image/banners/ +||out.betforce.io^ +||outbrainimg.com/transform/$media,third-party +||owebsearch.com^$third-party +||p.jwpcdn.com/player/plugins/vast/ +||pacontainer.s3.amazonaws.com^ +||pagead2.googlesyndication.com^ +||pageloadstats.pro^ +||pages.etoro.com/widgets/$third-party +||parking.godaddy.com^$third-party +||partner-app.softwareselect.com^ +||partner.e-conomic.com^ +||partner.vecteezy.com^ +||partners.dogtime.com^ +||partners.etoro.com^$third-party +||partners.hostgator.com^ +||partners.rochen.com^ +||payza.com/images/banners/ +||pb.s3wfg.com^ +||perfectmoney.com/img/banners/ +||pics.firstload.de^ +||pips.taboola.com^ +||pixfs.net/js/sticky-sidebar-ad.min.js +||pjatr.com^$image,script +||pjtra.com^$image,script +||play-asia.com^$image,subdocument,third-party +||player.globalsun.io/player/videojs-contrib-ads$script,third-party +||plchldr.co^$third-party +||plista.com/async_lib.js? +||plista.com/tiny/$third-party +||plus.net/images/referrals/ +||pngmart.com/files/10/Download-Now-Button-PNG-Free-Download.png +||pntra.com^$image,script +||pntrac.com^$image,script +||pntrs.com^$image,script +||popmog.com^ +||pr.costaction.com^$third-party +||prebid.cwi.re^ +||press-start.com/affgames/ +||privateinternetaccess.com^$script,third-party,xmlhttprequest +||privatejetfinder.com/skins/partners/$third-party +||probid.ai^$third-party +||promos.fling.com^ +||promote.pair.com/88x31.pl +||protected-redirect.click^ +||proto2ad.durasite.net^ +||proxy6.net/static/img/b/ +||proxysolutions.net/affiliates/ +||pub-81f2b77f5bc841c5ae64221394d67f53.r2.dev^ +||pubfeed.linkby.com^ +||public.porn.fr^$third-party +||publish0x.com^$image,script,third-party +||purevpn.com/affiliates/ +||pushtoast-a.akamaihd.net^ +||qsearch-a.akamaihd.net^ +||racebets.com/media.php? +||random-affiliate.atimaze.com^ +||rapidgator.net/images/pics/510_468%D1%8560_1.gif +||readme.ru/informer/ +||recipefy.net/rssfeed.php +||redirect-ads.com^$~subdocument,third-party +||redtram.com^$script,third-party +||refershareus.xyz/ads? +||refinery89.com/performance/ +||reiclub.com/templates/interviews/exit_popup/ +||remax-malta.com/widget_new/$third-party +||rentalcars.com/partners/ +||resellerratings.com/popup/include/popup.js +||rotabanner.kulichki.net^ +||rotator.tradetracker.net^ +||rubylife.go2cloud.org^ +||s1.wp.com^$subdocument,third-party +||saambaa.com^$third-party +||safarinow.com/affiliate-zone/ +||safelinku.com/js/web-script.js +||sailthru.com^*/horizon.js +||sascdn.com/config.js +||sascdn.com/diff/$image,script +||sascdn.com/tag/ +||saveit.us/img/$third-party +||sbhc.portalhc.com^ +||sbitany.com^*/affiliate/$third-party +||screen13.com/publishers/ +||sdk.apester.com/*.adsbygoogle.min.js +||sdk.apester.com/*.Monetization.min.js +||search-carousel-widget.snc-prod.aws.cinch.co.uk^ +||secure.money.com^$third-party +||service.smscoin.com/js/sendpic.js +||shareasale.com/image/$third-party +||shink.in/js/script.js +||shopmyshelf.us^$third-party +||shorte.st/link-converter.min.js +||signup.asurion.com^$subdocument +||siteground.com/img/affiliate/ +||siteground.com/img/banners/ +||siteground.com/static/affiliate/$third-party +||skimresources.com^$script,subdocument,third-party +||slysoft.com/img/banner/ +||smartads.statsperform.com^ +||smartdestinations.com/ai/ +||snacklink.co/js/web-script.js +||snacktools.net/bannersnack/$domain=~bannersnack.dev +||socialmonkee.com/images/ +||sorcerers.net/includes/butler/ +||squaremouth.com/affiliates/$third-party +||squirrels.getsquirrel.co^ +||srv.dynamicyield.com^ +||srv.tunefindforfans.com^ +||srx.com.sg/srx/media/ +||ssl-images-amazon.com/images/*/DAsf- +||ssl-images-amazon.com/images/*/MAsf- +||ssp.qc.coccoc.com^ +||static.ifruplink.net/static_src/mc-banner/ +||static.prd.datawars.io/static/promo/ +||static.sunmedia.tv/integrations/ +||static.tradetracker.net^$third-party +||staticmisc.blob.core.windows.net^$domain=onecompiler.com +||stay22.com/api/sponsors/ +||storage.googleapis.com/admaxvaluemedia/ +||storage.googleapis.com/adtags/ +||storage.googleapis.com/ba_utils/stab.js +||streambeast.io/aclib.js +||stunserver.net/frun.js +||sunflowerbright109.io/sdk.js +||supply.upjers.com^ +||surdotly.com/js/Surly.min.js +||surveymonkey.com/jspop.aspx? +||sweeva.com/images/banner250.gif +||syndicate.payloadz.com^ +||t.co^$subdocument,domain=kshow123.tv +||taboola.com/vpaid/ +||tag.regieci.com^ +||tags.refinery89.com^ +||takefile.link/promo/$third-party +||targeting.vdo.ai^ +||tcadserver.rain-digital.ca^ +||tech426.com/pub/ +||textlinks.com/images/banners/ +||thefreesite.com/nov99bannov.gif +||themespixel.net/banners/ +||thscore.fun/mn/ +||ti.tradetracker.net^ +||tillertag-a.akamaihd.net^ +||toplist.raidrush.ws^$third-party +||torrindex.net/images/ads/ +||torrindex.net/images/epv/ +||torrindex.net/static/tinysort.min.js +||totalmedia2.ynet.co.il/new_gpt/ +||townnews.com/tucson.com/content/tncms/live/libraries/flex/components/ads_dfp/ +||tra.scds.pmdstatic.net/advertising-core/ +||track.10bet.com^ +||track.effiliation.com^$image,script +||traffer.biz/img/banners/ +||travel.mediaalpha.com/js/serve.js +||trendads.reactivebetting.com^ +||trstx.org/overroll/ +||truex.com/js/client.js +||trvl-px.com/trvl-px/ +||turb.cc/fd1/img/promo/ +||typicalstudent.org^$third-party +||ubm-us.net/oas/nativead/js/nativead.js +||ummn.nu^$subdocument +||universal.wgplayer.com^ +||uploaded.net/img/public/$third-party +||utility.rogersmedia.com/wrapper.js +||vhanime.com/js/bnanime.js +||viadata.store^$third-party +||vice-publishers-cdn.vice.com^ +||vidcrunch.com/integrations/$script,third-party +||video-ads.a2z.com^ +||videosvc.ezoic.com^ +||vidoomy.com/api/adserver/ +||vidsrc.pro/uwu-js/binged.in +||viralize.tv/t-bid-opportunity/ +||virool.com/widgets/ +||vpnrice.com/a/p.js +||vrixon.com/adsdk/ +||vultr.com/media/banner +||vuukle.com/ads/ +||vv.7vid.net^ +||washingtonpost.com/wp-stat/ad/zeus/wp-ad.min.js +||web-hosting.net.my/banner/ +||web.adblade.com^ +||webapps.leasing.com^ +||webseed.com/WP/ +||weby.aaas.org^ +||whatfinger.com^$third-party +||whatismyipaddress.cyou/assets/images/ip-banner.png +||wheelify.cartzy.com^ +||widget.engageya.com/engageya_loader.js +||widget.golfscape.com^ +||widget.searchschoolsnetwork.com^ +||widget.sellwild.com^ +||widget.shopstyle.com^ +||widgets.business.com^ +||widgets.lendingtree.com^ +||widgets.monito.com^$third-party +||widgets.oddschecker.com^ +||widgets.outbrain.com^*/widget.js +||widgets.progrids.com^ +||widgets.tree.com^ +||winonexd.b-cdn.net^ +||wistia.com/assets/external/googleAds.js +||wixlabs-adsense-v3.uc.r.appspot.com^ +||wowtcgloot.com/share/?d=$third-party +||wp.com/assets.sheetmusicplus.com/banner/ +||wp.com/assets.sheetmusicplus.com/smp/ +||wp.com/bugsfighter.com/wp-content/uploads/2016/07/adguard-banner.png +||wpb.wgplayer.com^ +||wpengine.com/wp-json/api/advanced_placement/api-in-article-ad/ +||wpzoom.com/images/aff/ +||ws.amazon.*/widgets/$third-party +||wsimg.com/parking-lander/ +||yahoo.com/bidRequest +||yastatic.net/pcode/adfox/header-bidding.js +||yield-op-idsync.live.streamtheworld.com^ +||yimg.com/dy/ads/native.js +||yimg.com/dy/ads/readmo.js +||youtube.com/embed/C-iDzdvIg1Y$domain=biznews.com +||z3x-team.com/wp-content/*-banner- +||zergnet.com/zerg.js +||ziffstatic.com/pg/ +||ziffstatic.com/zmg/pogoadk.js +||zkcdn.net/ados.js +||zv.7vid.net^ +! CNAME +! https://d3ward.github.io/toolz/src/adblock.html +||ad.intl.xiaomi.com^ +||ad.samsungadhub.com^ +||ad.xiaomi.com^ +||samsungadhub.com^$third-party +! amazonaws (ad-fix) +/^https?:\/\/s3\.*.*\.amazonaws\.com\/[a-f0-9]{45,}\/[a-f,0-9]{8,10}$/$script,third-party,xmlhttprequest,domain=~amazon.com +||s3.amazonaws.com^*/f10ac63cd7 +||s3.amazonaws.com^*/secure.js +! charlotteobserver.com (audio advert) +||tsbluebox.com^$third-party +! cloudfront hosted +||cloudfront.net/*.min.css$script,third-party +||cloudfront.net/css/*.min.js$script,third-party +||cloudfront.net/images/*-min.js$script,third-party +||cloudfront.net/js/script_tag/new/sca_affiliate_ +||d10ce3z4vbhcdd.cloudfront.net^ +||d10lumateci472.cloudfront.net^ +||d10lv7w3g0jvk9.cloudfront.net^ +||d10nkw6w2k1o10.cloudfront.net^ +||d10wfab8zt419p.cloudfront.net^ +||d10zmv6hrj5cx1.cloudfront.net^ +||d114isgihvajcp.cloudfront.net^ +||d1180od816jent.cloudfront.net^ +||d11enq2rymy0yl.cloudfront.net^ +||d11h0pey8cu31p.cloudfront.net/*/an.js^ +||d11hjbdxxtogg5.cloudfront.net^ +||d11p7gi4d9x2s0.cloudfront.net^ +||d11qytb9x1vnrm.cloudfront.net^ +||d11tybz5ul8vel.cloudfront.net^ +||d11zevc9a5598r.cloudfront.net^ +||d126kahie2ogx0.cloudfront.net^ +||d127s3e8wcl3q6.cloudfront.net^ +||d12bql71awc8k.cloudfront.net^ +||d12czbu0tltgqq.cloudfront.net^ +||d12dky1jzngacn.cloudfront.net^ +||d12t7h1bsbq1cs.cloudfront.net^ +||d12tu1kocp8e8u.cloudfront.net^ +||d12ylqdkzgcup5.cloudfront.net^ +||d13gni3sfor862.cloudfront.net^ +||d13j11nqjt0s84.cloudfront.net^ +||d13k7prax1yi04.cloudfront.net^ +||d13pxqgp3ixdbh.cloudfront.net^ +||d13r2gmqlqb3hr.cloudfront.net^ +||d13vul5n9pqibl.cloudfront.net^ ||d140sbu1b1m3h0.cloudfront.net^ -||d15565yqt7pv7r.cloudfront.net^ -||d158nafix8anfs.cloudfront.net^ +||d141wsrw9m4as6.cloudfront.net^ +||d142i1hxvwe38g.cloudfront.net^ +||d145ghnzqbsasr.cloudfront.net^ +||d14821r0t3377v.cloudfront.net^ +||d14l1tkufmtp1z.cloudfront.net^ +||d14zhsq5aop7ap.cloudfront.net^ +||d154nw1c88j0q6.cloudfront.net^ +||d15bcy38hlba76.cloudfront.net^ ||d15gt9gwxw5wu0.cloudfront.net^ +||d15jg7068qz6nm.cloudfront.net^ ||d15kdpgjg3unno.cloudfront.net^ +||d15kuuu3jqrln7.cloudfront.net^ +||d15mt77nzagpnx.cloudfront.net^ ||d162nnmwf9bggr.cloudfront.net^ -||d1635hfcvs8ero.cloudfront.net^ -||d17f2fxw547952.cloudfront.net^ -||d18xeipe1243h6.cloudfront.net^ -||d19972r8wdpby8.cloudfront.net^ -||d1ade4ciw4bqyc.cloudfront.net^ +||d16saj1xvba76n.cloudfront.net^ +||d16sobzswqonxq.cloudfront.net^ +||d175dtblugd1dn.cloudfront.net^ +||d17757b88bjr2y.cloudfront.net^ +||d17c5vf4t6okfg.cloudfront.net^ +||d183xvcith22ty.cloudfront.net^ +||d1856n6bep9gel.cloudfront.net^ +||d188elxamt3utn.cloudfront.net^ +||d188m5xxcpvuue.cloudfront.net^ +||d18b5y9gp0lr93.cloudfront.net^ +||d18e74vjvmvza1.cloudfront.net^ +||d18g6t7whf8ejf.cloudfront.net^ +||d18hqfm1ev805k.cloudfront.net^ +||d18kg2zy9x3t96.cloudfront.net^ +||d18mealirgdbbz.cloudfront.net^ +||d18myvrsrzjrd7.cloudfront.net^ +||d18ql5xgy7gz3p.cloudfront.net^ +||d18t35yyry2k49.cloudfront.net^ +||d192g7g8iuw79c.cloudfront.net^ +||d192r5l88wrng7.cloudfront.net^ +||d199kwgcer5a6q.cloudfront.net^ +||d19bpqj0yivlb3.cloudfront.net^ +||d19gkl2iaav80x.cloudfront.net^ +||d19y03yc9s7c1c.cloudfront.net^ +||d1a3jb5hjny5s4.cloudfront.net^ +||d1aa9f6zukqylf.cloudfront.net^ +||d1ac2du043ydir.cloudfront.net^ ||d1aezk8tun0dhm.cloudfront.net^ -||d1ar5xirbydtuc.cloudfront.net^ -||d1cl1sqtf3o420.cloudfront.net^ -||d1d43ayl08oaq2.cloudfront.net^ -||d1d95giojjkirt.cloudfront.net^ +||d1aiciyg0qwvvr.cloudfront.net^ +||d1ap9gbbf77h85.cloudfront.net^ +||d1appgm50chwbg.cloudfront.net^ +||d1aqvw7cn4ydzo.cloudfront.net^ +||d1aukpqf83rqhe.cloudfront.net^ +||d1ayv3a7nyno3a.cloudfront.net^ +||d1az618or4kzj8.cloudfront.net^ +||d1aznprfp4xena.cloudfront.net^ +||d1azpphj80lavy.cloudfront.net^ +||d1b240xv9h0q8y.cloudfront.net^ +||d1b499kr4qnas6.cloudfront.net^ +||d1b7aq9bn3uykv.cloudfront.net^ +||d1b9b1cxai2c03.cloudfront.net^ +||d1bad9ankyq5eg.cloudfront.net^ +||d1bci271z7i5pg.cloudfront.net^ +||d1betjlqogdr97.cloudfront.net^ +||d1bf1sb7ks8ojo.cloudfront.net^ +||d1bi6hxlc51jjw.cloudfront.net^ +||d1bioqbsunwnrb.cloudfront.net^ +||d1bkis4ydqgspg.cloudfront.net^ +||d1bxkgbbc428vi.cloudfront.net^ +||d1cg2aopojxanm.cloudfront.net^ +||d1clmik8la8v65.cloudfront.net^ +||d1crfzlys5jsn1.cloudfront.net^ +||d1crt12zco2cvf.cloudfront.net^ +||d1csp7vj6qqoa6.cloudfront.net^ +||d1d7hwtv2l91pm.cloudfront.net^ +||d1dh1gvx7p0imm.cloudfront.net^ +||d1diqetif5itzx.cloudfront.net^ +||d1djrodi2reo2w.cloudfront.net^ +||d1e28xq8vu3baf.cloudfront.net^ +||d1e3vw6pz2ty1m.cloudfront.net^ +||d1e9rtdi67kart.cloudfront.net^ ||d1ebha2k07asm5.cloudfront.net^ -||d1ep3cn6qx0l3z.cloudfront.net^ -||d1ey3fksimezm4.cloudfront.net^ -||d1fo96xm8fci0r.cloudfront.net^ -||d1gojtoka5qi10.cloudfront.net^ -||d1grtyyel8f1mh.cloudfront.net^ -||d1gyluhoxet66h.cloudfront.net^ -||d1i9kr6k34lyp.cloudfront.net^ -||d1il9t8pu4dsoj.cloudfront.net^ -||d1k74lgicilrr3.cloudfront.net^ +||d1eeht7p8f5lpk.cloudfront.net^ +||d1eknpz7w55flg.cloudfront.net^ +||d1err2upj040z.cloudfront.net^ +||d1esebcdm6wx7j.cloudfront.net^ +||d1ev4o49j4zqc3.cloudfront.net^ +||d1ev866ubw90c6.cloudfront.net^ +||d1eyw3m16hfg9c.cloudfront.net^ +||d1ezlc9vy4yc7g.cloudfront.net^ +||d1f05vr3sjsuy7.cloudfront.net^ +||d1f52ha44xvggk.cloudfront.net^ +||d1f5r3d462eit5.cloudfront.net^ +||d1f7vr2umogk27.cloudfront.net^ +||d1f9tkqiyb5a97.cloudfront.net^ +||d1f9x963ud6u7a.cloudfront.net^ +||d1fs2ef81chg3.cloudfront.net^ +||d1g2nud28z4vph.cloudfront.net^ +||d1g4493j0tcwvt.cloudfront.net^ +||d1g4xgvlcsj49g.cloudfront.net^ +||d1g8forfjnu2jh.cloudfront.net^ +||d1gpi088t70qaf.cloudfront.net^ +||d1ha41wacubcnb.cloudfront.net^ +||d1hgdmbgioknig.cloudfront.net^ +||d1hnmxbg6rp2o6.cloudfront.net^ +||d1hogxc58mhzo9.cloudfront.net^ +||d1i11ea1m0er9t.cloudfront.net^ +||d1i3h541wbnrfi.cloudfront.net^ +||d1i76h1c9mme1m.cloudfront.net^ +||d1igvjcl1gjs62.cloudfront.net^ +||d1ilwohzbe4ao6.cloudfront.net^ +||d1iy4wgzi9qdu7.cloudfront.net^ +||d1j1m9awq6n3x3.cloudfront.net^ +||d1j2jv7bvcsxqg.cloudfront.net^ +||d1j47wsepxe9u2.cloudfront.net^ +||d1j6limf657foe.cloudfront.net^ +||d1j818d3wapogd.cloudfront.net^ +||d1j9qsxe04m2ki.cloudfront.net^ +||d1jcj9gy98l90g.cloudfront.net^ +||d1jnvfp2m6fzvq.cloudfront.net^ +||d1juimniehopp3.cloudfront.net^ +||d1jwpd11ofhd5g.cloudfront.net^ +||d1k8mqc61fowi.cloudfront.net^ +||d1ks8roequxbwa.cloudfront.net^ +||d1ktmtailsv07c.cloudfront.net^ +||d1kttpj1t6674w.cloudfront.net^ +||d1kwkwcfmhtljq.cloudfront.net^ +||d1kx6hl0p7bemr.cloudfront.net^ +||d1kzm6rtbvkdln.cloudfront.net^ +||d1l906mtvq85kd.cloudfront.net^ +||d1lihuem8ojqxz.cloudfront.net^ +||d1lky2ntb9ztpd.cloudfront.net^ +||d1lnjzqqshwcwg.cloudfront.net^ +||d1lo4oi08ke2ex.cloudfront.net^ +||d1lxhc4jvstzrp.cloudfront.net^ +||d1mar6i7bkj1lr.cloudfront.net^ ||d1mbgf0ge24riu.cloudfront.net^ +||d1mbihpm2gncx7.cloudfront.net^ +||d1mcwmzol446xa.cloudfront.net^ +||d1my7gmbyaxdyn.cloudfront.net^ +||d1n1ppeppre6d4.cloudfront.net^ +||d1n3aexzs37q4s.cloudfront.net^ ||d1n3tk65esqc4k.cloudfront.net^ +||d1n5jb3yqcxwp.cloudfront.net^ +||d1n6jx7iu0qib6.cloudfront.net^ +||d1ndpste0fy3id.cloudfront.net^ +||d1nkvehlw5hmj4.cloudfront.net^ ||d1nmxiiewlx627.cloudfront.net^ -||d1noellhv8fksc.cloudfront.net^ -||d1pcttwib15k25.cloudfront.net^ -||d1pdpbxj733bb1.cloudfront.net^ +||d1nnhbi4g0kj5.cloudfront.net^ +||d1now6cui1se29.cloudfront.net^ +||d1nssfq3xl2t6b.cloudfront.net^ +||d1nubxdgom3wqt.cloudfront.net^ +||d1nv2vx70p2ijo.cloudfront.net^ +||d1nx2jii03b4ju.cloudfront.net^ +||d1o1guzowlqlts.cloudfront.net^ +||d1of5w8unlzqtg.cloudfront.net^ +||d1okyw2ay5msiy.cloudfront.net^ +||d1ol7fsyj96wwo.cloudfront.net^ +||d1on4urq8lvsb1.cloudfront.net^ +||d1or04kku1mxl9.cloudfront.net^ +||d1oykxszdrgjgl.cloudfront.net^ +||d1p0vowokmovqz.cloudfront.net^ +||d1p3zboe6tz3yy.cloudfront.net^ +||d1p7gp5w97u7t7.cloudfront.net^ +||d1pdf4c3hchi80.cloudfront.net^ +||d1pn3cn3ri604k.cloudfront.net^ +||d1pvpz0cs1cjk8.cloudfront.net^ +||d1pwvobm9k031m.cloudfront.net^ +||d1q0x5umuwwxy2.cloudfront.net^ +||d1q4x2p7t0gq14.cloudfront.net^ +||d1qc76gneygidm.cloudfront.net^ +||d1qggq1at2gusn.cloudfront.net^ ||d1qk9ujrmkucbl.cloudfront.net^ +||d1qow5kxfhwlu8.cloudfront.net^ +||d1r3ddyrqrmcjv.cloudfront.net^ +||d1r90st78epsag.cloudfront.net^ +||d1r9f6frybgiqo.cloudfront.net^ +||d1rgi5lmynkcm4.cloudfront.net^ ||d1rguclfwp7nc8.cloudfront.net^ +||d1rkd1d0jv6skn.cloudfront.net^ ||d1rkf0bq85yx06.cloudfront.net^ -||d1spb7fplenrp4.cloudfront.net^ -||d1vbm0eveofcle.cloudfront.net^ -||d1wa9546y9kg0n.cloudfront.net/index.js +||d1rp4yowwe587e.cloudfront.net^ +||d1rsh847opos9y.cloudfront.net^ +||d1s4mby8domwt9.cloudfront.net^ +||d1sboz88tkttfp.cloudfront.net^ +||d1sfclevshpbro.cloudfront.net^ +||d1sjz3r2x2vk2u.cloudfront.net^ +||d1sowp9ayjro6j.cloudfront.net^ +||d1spc7iz1ls2b1.cloudfront.net^ +||d1sqvt36mg3t1b.cloudfront.net^ +||d1sytkg9v37f5q.cloudfront.net^ +||d1t38ngzzazukx.cloudfront.net^ +||d1t671k72j9pxc.cloudfront.net^ +||d1t8it0ywk3xu.cloudfront.net^ +||d1tafuajjg33f8.cloudfront.net^ +||d1tizxwina1bjc.cloudfront.net^ +||d1tt3ye7u0e0ql.cloudfront.net^ +||d1tttug1538qv1.cloudfront.net^ +||d1twn22x8kvw17.cloudfront.net^ +||d1u1byonn4po0b.cloudfront.net^ +||d1u5ibtsigyagv.cloudfront.net^ +||d1uae3ok0byyqw.cloudfront.net^ +||d1uc64ype5braa.cloudfront.net^ +||d1ue5xz1lnqk0d.cloudfront.net^ +||d1ugiptma3cglb.cloudfront.net^ +||d1ukp4rdr0i4nl.cloudfront.net^ +||d1upt0rqzff34l.cloudfront.net^ +||d1ux93ber9vlwt.cloudfront.net^ +||d1uzjiv6zzdlbc.cloudfront.net^ +||d1voskqidohxxs.cloudfront.net^ +||d1vqm5k0hezeau.cloudfront.net^ +||d1vy7td57198sq.cloudfront.net^ +||d1w24oanovvxvg.cloudfront.net^ +||d1w5452x8p71hs.cloudfront.net^ +||d1wbjksx0xxdn3.cloudfront.net^ +||d1wc0ojltqk24g.cloudfront.net^ +||d1wd81rzdci3ru.cloudfront.net^ +||d1wi563t0137vz.cloudfront.net^ ||d1wjz6mrey9f5v.cloudfront.net^ -||d1zgderxoe1a.cloudfront.net^ -||d21j20wsoewvjq.cloudfront.net^ +||d1wv5x2u0qrvjw.cloudfront.net^ +||d1xdxiqs8w12la.cloudfront.net^ +||d1xivydscggob7.cloudfront.net^ +||d1xkyo9j4r7vnn.cloudfront.net^ +||d1xo0f2fdn5no0.cloudfront.net^ +||d1xw8yqtkk9ae5.cloudfront.net^ +||d1y3xnqdd6pdbo.cloudfront.net^ +||d1yaf4htak1xfg.cloudfront.net^ +||d1ybdlg8aoufn.cloudfront.net^ +||d1yeqwgi8897el.cloudfront.net^ +||d1ygczx880h5yu.cloudfront.net^ +||d1ytalcrl612d7.cloudfront.net^ +||d1yyhdmsmo3k5p.cloudfront.net^ +||d1z1vj4sd251u9.cloudfront.net^ +||d1z2jf7jlzjs58.cloudfront.net^ +||d1z58p17sqvg6o.cloudfront.net^ +||d1zjpzpoh45wtm.cloudfront.net^ +||d1zjr9cc2zx7cg.cloudfront.net^ +||d1zrs4deyai5xm.cloudfront.net^ +||d1zw85ny9dtn37.cloudfront.net^ +||d1zw8evbrw553l.cloudfront.net^ +||d1zy4z3rd7svgh.cloudfront.net^ +||d1zzcae3f37dfx.cloudfront.net^ +||d200108c6x0w2v.cloudfront.net^ +||d204slsrhoah2f.cloudfront.net^ +||d205jrj5h1616x.cloudfront.net^ +||d20903hof2l33q.cloudfront.net^ +||d20kfqepj430zj.cloudfront.net^ +||d20nuqz94uw3np.cloudfront.net^ +||d20tam5f2v19bf.cloudfront.net^ +||d213cc9tw38vai.cloudfront.net^ +||d219kvfj8xp5vh.cloudfront.net^ +||d21f25e9uvddd7.cloudfront.net^ +||d21m5j4ptsok5u.cloudfront.net^ +||d21rpkgy8pahcu.cloudfront.net^ +||d21rudljp9n1rr.cloudfront.net^ +||d223xrf0cqrzzz.cloudfront.net^ +||d227cncaprzd7y.cloudfront.net^ +||d227n6rw2vv5cw.cloudfront.net^ +||d22ffr6srkd9zx.cloudfront.net^ +||d22jxozsujz6m.cloudfront.net^ +||d22lbkjf2jpzr9.cloudfront.net^ ||d22lo5bcpq2fif.cloudfront.net^ +||d22rmxeq48r37j.cloudfront.net^ +||d22sfab2t5o9bq.cloudfront.net^ +||d22xmn10vbouk4.cloudfront.net^ +||d22z575k8abudv.cloudfront.net^ +||d235m8fpdlskx9.cloudfront.net^ +||d236v5t33fsfwk.cloudfront.net^ +||d23a1izvegnhq4.cloudfront.net^ +||d23d7sc86jmil5.cloudfront.net^ ||d23guct4biwna6.cloudfront.net^ -||d23nyyb6dc29z6.cloudfront.net^ -||d258j801nsw1p7.cloudfront.net^ -||d25ruj6ht8bs1.cloudfront.net^ +||d23i0h7d50duv0.cloudfront.net^ +||d23pdhuxarn9w2.cloudfront.net^ +||d23spca806c5fu.cloudfront.net^ +||d23xhr62nxa8qo.cloudfront.net^ +||d24502rd02eo9t.cloudfront.net^ +||d2483bverkkvsp.cloudfront.net^ +||d24g87zbxr4yiz.cloudfront.net^ +||d24iusj27nm1rd.cloudfront.net^ +||d25dfknw9ghxs6.cloudfront.net^ ||d25xkbr68qqtcn.cloudfront.net^ -||d26c6kzavi5zwd.cloudfront.net^ -||d26dzd2k67we08.cloudfront.net^ -||d26j9bp9bq4uhd.cloudfront.net^ -||d26wy0pxd3qqpv.cloudfront.net^ -||d27jt7xr4fq3e8.cloudfront.net^ -||d287x05ve9a63s.cloudfront.net^ +||d261u4g5nqprix.cloudfront.net^ +||d264dxqvolp03e.cloudfront.net^ +||d26adrx9c3n0mq.cloudfront.net^ +||d26e5rmb2qzuo3.cloudfront.net^ +||d26p9ecwyy9zqv.cloudfront.net^ +||d26yfyk0ym2k1u.cloudfront.net^ +||d27genukseznht.cloudfront.net^ +||d27gtglsu4f4y2.cloudfront.net^ +||d27pxpvfn42pgj.cloudfront.net^ +||d27qffx6rqb3qm.cloudfront.net^ +||d27tbpngbwa8i.cloudfront.net^ +||d27tzcmp091qxd.cloudfront.net^ +||d27x9po2cfinm5.cloudfront.net^ +||d28exbmwuav7xa.cloudfront.net^ +||d28quk6sxoh2w5.cloudfront.net^ +||d28s7kbgrs6h2f.cloudfront.net^ +||d28u86vqawvw52.cloudfront.net^ +||d28uhswspmvrhb.cloudfront.net^ +||d28xpw6kh69p7p.cloudfront.net^ +||d2906506rwyvg2.cloudfront.net^ +||d29bsjuqfmjd63.cloudfront.net^ ||d29dbajta0the9.cloudfront.net^ +||d29dzo8owxlzou.cloudfront.net^ ||d29i6o40xcgdai.cloudfront.net^ -||d29r6igjpnoykg.cloudfront.net^ -||d2a0bnlkc0czvp.cloudfront.net^$domain=~gowatchit.com -||d2anfhdgjxf8s1.cloudfront.net^ -||d2b2x1ywompm1b.cloudfront.net^ -||d2b560qq58menv.cloudfront.net^ -||d2b65ihpmocv7w.cloudfront.net^ -||d2bgg7rjywcwsy.cloudfront.net^ +||d29mhxfd390ueb.cloudfront.net^ +||d29mxewlidfjg1.cloudfront.net^ +||d2a4qm4se0se0m.cloudfront.net^ +||d2a80scaiwzqau.cloudfront.net^ +||d2b4jmuffp1l21.cloudfront.net^ +||d2bbq3twedfo2f.cloudfront.net^ +||d2bkkt3kqfmyo0.cloudfront.net^ +||d2bvfdz3bljcfk.cloudfront.net^ +||d2bxxk33t58v29.cloudfront.net^ +||d2byenqwec055q.cloudfront.net^ ||d2c4ylitp1qu24.cloudfront.net^ +||d2c8v52ll5s99u.cloudfront.net^ +||d2camyomzxmxme.cloudfront.net^ ||d2cgumzzqhgmdu.cloudfront.net^ -||d2cxkkxhecdzsq.cloudfront.net^ -||d2d2lbvq8xirbs.cloudfront.net^ +||d2cmh8xu3ncrj2.cloudfront.net^ +||d2cq71i60vld65.cloudfront.net^ ||d2d8qsxiai9qwj.cloudfront.net^ -||d2dxgm96wvaa5j.cloudfront.net^ +||d2db10c4rkv9vb.cloudfront.net^ +||d2dkurdav21mkk.cloudfront.net^ +||d2dyjetg3tc2wn.cloudfront.net^ +||d2e30rravz97d4.cloudfront.net^ +||d2e5x3k1s6dpd4.cloudfront.net^ +||d2e7rsjh22yn3g.cloudfront.net^ ||d2edfzx4ay42og.cloudfront.net^ +||d2ei3pn5qbemvt.cloudfront.net^ +||d2eklqgy1klqeu.cloudfront.net^ +||d2ele6m9umnaue.cloudfront.net^ +||d2elslrg1qbcem.cloudfront.net^ +||d2enprlhqqv4jf.cloudfront.net^ +||d2er1uyk6qcknh.cloudfront.net^ +||d2ers4gi7coxau.cloudfront.net^ +||d2eyuq8th0eqll.cloudfront.net^ +||d2f0ixlrgtk7ff.cloudfront.net^ +||d2f0uviei09pxb.cloudfront.net^ +||d2fbkzyicji7c4.cloudfront.net^ +||d2fbvay81k4ji3.cloudfront.net^ +||d2fhrdu08h12cc.cloudfront.net^ +||d2fmtc7u4dp7b2.cloudfront.net^ ||d2focgxak1cn74.cloudfront.net^ +||d2foi16y3n0s3e.cloudfront.net^ +||d2fsfacjuqds81.cloudfront.net^ +||d2g6dhcga4weul.cloudfront.net^ +||d2g8ksx1za632p.cloudfront.net^ ||d2g9nmtuil60cb.cloudfront.net^ +||d2ga0x5nt7ml6e.cloudfront.net^ +||d2gc6r1h15ux9j.cloudfront.net^ ||d2ghscazvn398x.cloudfront.net^ -||d2gpgaupalra1d.cloudfront.net^ -||d2gtlljtkeiyzd.cloudfront.net^ -||d2gz6iop9uxobu.cloudfront.net^ -||d2hap2bsh1k9lw.cloudfront.net^ -||d2hcjk8asp3td7.cloudfront.net^ -||d2ipklohrie3lo.cloudfront.net^ -||d2kbaqwa2nt57l.cloudfront.net/?qabkd= -||d2kbaqwa2nt57l.cloudfront.net/br? +||d2glav2919q4cw.cloudfront.net^ +||d2h2t5pll64zl8.cloudfront.net^ +||d2h7xgu48ne6by.cloudfront.net^ +||d2h85i07ehs6ej.cloudfront.net^ +||d2ho1n52p59mwv.cloudfront.net^ +||d2hvwfg7vv4mhf.cloudfront.net^ +||d2i4wzwe8j1np9.cloudfront.net^ +||d2i55s0cnk529c.cloudfront.net^ +||d2it3a9l98tmsr.cloudfront.net^ +||d2izcn32j62dtp.cloudfront.net^ +||d2j042cj1421wi.cloudfront.net^ +||d2j71mqxljhlck.cloudfront.net^ +||d2jgbcah46jjed.cloudfront.net^ +||d2jgp81mjwggyr.cloudfront.net^ +||d2jp0uspx797vc.cloudfront.net^ +||d2jp87c2eoduan.cloudfront.net^ +||d2jtzjb71xckmj.cloudfront.net^ +||d2juccxzu13rax.cloudfront.net^ +||d2jw88zdm5mi8i.cloudfront.net^ +||d2k487jakgs1mb.cloudfront.net^ +||d2k7b1tjy36ro0.cloudfront.net^ +||d2k7gvkt8o1fo8.cloudfront.net^ +||d2kadvyeq051an.cloudfront.net^ +||d2kd9y1bp4zc6.cloudfront.net^ +||d2khpmub947xov.cloudfront.net^ +||d2kk0o3fr7ed01.cloudfront.net^ +||d2kldhyijnaccr.cloudfront.net^ +||d2klx87bgzngce.cloudfront.net^ +||d2km1jjvhgh7xw.cloudfront.net^ +||d2kpucccxrl97x.cloudfront.net^ +||d2ksh1ccat0a7e.cloudfront.net^ +||d2l3f1n039mza.cloudfront.net^ +||d2lahoz916es9g.cloudfront.net^ +||d2lg0swrp15nsj.cloudfront.net^ +||d2lmzq02n8ij7j.cloudfront.net^ +||d2lp70uu6oz7vk.cloudfront.net^ +||d2ltukojvgbso5.cloudfront.net^ +||d2lxammzjarx1n.cloudfront.net^ +||d2m785nxw66jui.cloudfront.net^ ||d2mic0r0bo3i6z.cloudfront.net^ -||d2mq0uzafv8ytp.cloudfront.net^ +||d2mqdhonc9glku.cloudfront.net^ ||d2muzdhs7lpmo0.cloudfront.net^ +||d2mw3lu2jj5laf.cloudfront.net^ +||d2n2qdkjbbe2l7.cloudfront.net^ +||d2na2p72vtqyok.cloudfront.net^ +||d2nin2iqst0txp.cloudfront.net^ ||d2nlytvx51ywh9.cloudfront.net^ ||d2nz8k4xyoudsx.cloudfront.net^ -||d2o307dm5mqftz.cloudfront.net^ -||d2oallm7wrqvmi.cloudfront.net^ -||d2omcicc3a4zlg.cloudfront.net^ -||d2pgy8h4i30on1.cloudfront.net^ -||d2plxos94peuwp.cloudfront.net^ +||d2o03z2xnyxlz5.cloudfront.net^ +||d2o51l6pktevii.cloudfront.net^ +||d2ob4whwpjvvpa.cloudfront.net^ +||d2ohmkyg5w2c18.cloudfront.net^ +||d2ojfulajn60p5.cloudfront.net^ +||d2oouw5449k1qr.cloudfront.net^ +||d2osk0po1oybwz.cloudfront.net^ +||d2ov8ip31qpxly.cloudfront.net^ +||d2ovgc4ipdt6us.cloudfront.net^ +||d2oxs0429n9gfd.cloudfront.net^ +||d2oy22m6xey08r.cloudfront.net^ +||d2p0a1tiodf9z9.cloudfront.net^ +||d2p3vqj5z5rdwv.cloudfront.net^ +||d2pdbggfzjbhzh.cloudfront.net^ +||d2pnacriyf41qm.cloudfront.net^ +||d2psma0az3acui.cloudfront.net^ +||d2pspvbdjxwkpo.cloudfront.net^ ||d2pxbld8wrqyrk.cloudfront.net^ +||d2q52i8yx3j68p.cloudfront.net^ +||d2q7jbv4xtaizs.cloudfront.net^ +||d2q9y3krdwohfj.cloudfront.net^ +||d2qf34ln5axea0.cloudfront.net^ +||d2qfd8ejsuejas.cloudfront.net^ +||d2qn0djb6oujlt.cloudfront.net^ +||d2qnx6y010m4rt.cloudfront.net^ +||d2qqc8ssywi4j6.cloudfront.net^ ||d2qz7ofajpstv5.cloudfront.net^ -||d2r359adnh3sfn.cloudfront.net^ -||d2s64zaa9ua7uv.cloudfront.net^ -||d2szg1g41jt3pq.cloudfront.net^ +||d2r2yqcp8sshc6.cloudfront.net^ +||d2r3rw91i5z1w9.cloudfront.net^ +||d2rd7z2m36o6ty.cloudfront.net^ +||d2rsvcm1r8uvmf.cloudfront.net^ +||d2rx475ezvxy0h.cloudfront.net^ +||d2s31asn9gp5vl.cloudfront.net^ +||d2s9nyc35a225l.cloudfront.net^ +||d2sbzwmcg5amr3.cloudfront.net^ +||d2sffavqvyl9dp.cloudfront.net^ +||d2sj2q93t0dtyb.cloudfront.net^ +||d2sn24mi2gn24v.cloudfront.net^ +||d2sp5g360gsxjh.cloudfront.net^ +||d2sucq8qh4zqzj.cloudfront.net^ +||d2t47qpr8mdhkz.cloudfront.net^ +||d2t72ftdissnrr.cloudfront.net^ ||d2taktuuo4oqx.cloudfront.net^ -||d2tgev5wuprbqq.cloudfront.net^ -||d2tnimpzlb191i.cloudfront.net^ -||d2ubicnllnnszy.cloudfront.net^ -||d2ue9k1rhsumed.cloudfront.net^ -||d2v4glj2m8yzg5.cloudfront.net^ -||d2v9ajh2eysdau.cloudfront.net^ +||d2tkdzior84vck.cloudfront.net^ +||d2tvgfsghnrkwb.cloudfront.net^ +||d2u2lv2h6u18yc.cloudfront.net^ +||d2u4fn5ca4m3v6.cloudfront.net^ +||d2uaktjl22qvg4.cloudfront.net^ +||d2uap9jskdzp2.cloudfront.net^ +||d2udkjdo48yngu.cloudfront.net^ +||d2uhnetoehh304.cloudfront.net^ +||d2uu46itxfd65q.cloudfront.net^ +||d2uy8iq3fi50kh.cloudfront.net^ +||d2uyi99y1mkn17.cloudfront.net^ +||d2v02itv0y9u9t.cloudfront.net^ +||d2v4wf9my00msd.cloudfront.net^ ||d2va1d0hpla18n.cloudfront.net^ -||d2vt6q0n0iy66w.cloudfront.net^ -||d2yhukq7vldf1u.cloudfront.net^ -||d2z1smm3i01tnr.cloudfront.net^ -||d31807xkria1x4.cloudfront.net^ +||d2vmavw0uawm2t.cloudfront.net^ +||d2vorijeeka2cf.cloudfront.net^ +||d2vvyk8pqw001z.cloudfront.net^ +||d2vwl2vhlatm2f.cloudfront.net^ +||d2vwsmst56j4zq.cloudfront.net^ +||d2w92zbcg4cwxr.cloudfront.net^ +||d2w9cdu84xc4eq.cloudfront.net^ +||d2werg7o2mztut.cloudfront.net^ +||d2wexw25ezayh1.cloudfront.net^ +||d2wpx0eqgykz4q.cloudfront.net^ +||d2x0u7rtw4p89p.cloudfront.net^ +||d2x19ia47o8gwm.cloudfront.net^ +||d2xct5bvixoxmj.cloudfront.net^ +||d2xng9e6gymuzr.cloudfront.net^ +||d2y8ttytgze7qt.cloudfront.net^ +||d2yeczd6cyyd0z.cloudfront.net^ +||d2ykons4g8jre6.cloudfront.net^ +||d2ywv53s25fi6c.cloudfront.net^ +||d2z51a9spn09cw.cloudfront.net^ +||d2zbpgxs57sg1k.cloudfront.net^ +||d2zbrsgwxpxcye.cloudfront.net^ +||d2zcblk8m9mzq5.cloudfront.net^ +||d2zf5gu5e5mp87.cloudfront.net^ +||d2zh7okxrw0ix.cloudfront.net^ +||d2zi8ra5rb7m89.cloudfront.net^ +||d2zrhnhjlfcuhf.cloudfront.net^ +||d2zv5rkii46miq.cloudfront.net^ +||d2zzazjvlpgmgi.cloudfront.net^ +||d301cxwfymy227.cloudfront.net^ +||d30sxnvlkawtwa.cloudfront.net^ +||d30tme16wdjle5.cloudfront.net^ +||d30ts2zph80iw7.cloudfront.net^ +||d30yd3ryh0wmud.cloudfront.net^ +||d313lzv9559yp9.cloudfront.net^ +||d31m6w8i2nx65e.cloudfront.net^ +||d31mxuhvwrofft.cloudfront.net^ +||d31o2k8hutiibd.cloudfront.net^ +||d31ph8fftb4r3x.cloudfront.net^ +||d31rse9wo0bxcx.cloudfront.net^ +||d31s5xi4eq6l6p.cloudfront.net^ ||d31vxm9ubutrmw.cloudfront.net^ -||d32pxqbknuxsuy.cloudfront.net^ -||d32r9jwgeu9dzx.cloudfront.net^ -||d33f10u0pfpplc.cloudfront.net^ +||d31y1abh02y2oj.cloudfront.net^ +||d325d2mtoblkfq.cloudfront.net^ +||d32bug9eb0g0bh.cloudfront.net^ +||d32d89surjhks4.cloudfront.net^ +||d32h65j3m1jqfb.cloudfront.net^ +||d32hwlnfiv2gyn.cloudfront.net^ +||d32t6p7tldxil2.cloudfront.net^ +||d333p98mzatwjz.cloudfront.net^ +||d33fc9uy0cnxl9.cloudfront.net^ +||d33gmheck9s2xl.cloudfront.net^ ||d33otidwg56k90.cloudfront.net^ -||d33t3vvu2t2yu5.cloudfront.net/pub/ -||d34obr29voew8l.cloudfront.net^ +||d33vskbmxds8k1.cloudfront.net^ +||d347nuc6bd1dvs.cloudfront.net^ +||d34cixo0lr52lw.cloudfront.net^ +||d34gjfm75zhp78.cloudfront.net^ +||d34opff713c3gh.cloudfront.net^ +||d34qb8suadcc4g.cloudfront.net^ ||d34rdvn2ky3gnm.cloudfront.net^ -||d355vwft2pa8h6.cloudfront.net^ +||d34zwq0l4x27a6.cloudfront.net^ +||d3584kspbipfh3.cloudfront.net/cm/ +||d359rg6zejsvwi.cloudfront.net^ ||d359wjs9dpy12d.cloudfront.net^ -||d37dzu39aqhuxu.cloudfront.net^ -||d37kzqe5knnh6t.cloudfront.net^ -||d38pxm3dmrdu6d.cloudfront.net^ -||d38r21vtgndgb1.cloudfront.net^ -||d39xqloz8t5a6x.cloudfront.net^ -||d3a42c7xs4vn3.cloudfront.net^ +||d35fnytsc51gnr.cloudfront.net^ +||d35kbxc0t24sp8.cloudfront.net^ +||d35ve945gykp9v.cloudfront.net^ +||d362plazjjo29c.cloudfront.net^ +||d36gnquzy6rtyp.cloudfront.net^ +||d36s9tmu0jh8rd.cloudfront.net^ +||d36un5ytqxjgkq.cloudfront.net^ +||d36zfztxfflmqo.cloudfront.net^ +||d370hf5nfmhbjy.cloudfront.net^ +||d379fkejtn2clk.cloudfront.net^ +||d37abonb6ucrhx.cloudfront.net^ +||d37ax1qs52h69r.cloudfront.net^ +||d37byya7cvg7qr.cloudfront.net^ +||d37pempw0ijqri.cloudfront.net^ +||d37sevptuztre3.cloudfront.net^ +||d37tb4r0t9g99j.cloudfront.net^ +||d38190um0l9h9v.cloudfront.net^ +||d38b9p5p6tfonb.cloudfront.net^ +||d38goz54x5g9rw.cloudfront.net^ +||d38itq6vdv6gr9.cloudfront.net^ +||d38psrni17bvxu.cloudfront.net^ +||d38rrxgee6j9l3.cloudfront.net^ +||d396osuty6rfec.cloudfront.net^ +||d399jvos5it4fl.cloudfront.net^ +||d39hdzmeufnl50.cloudfront.net^ +||d39xdhxlbi0rlm.cloudfront.net^ +||d39xxywi4dmut5.cloudfront.net^ +||d3a49eam5ump99.cloudfront.net^ +||d3a781y1fb2dm6.cloudfront.net^ +||d3aajkp07o1e4y.cloudfront.net^ ||d3ahinqqx1dy5v.cloudfront.net^ -||d3al52d8cojds7.cloudfront.net^ -||d3bvcf24wln03d.cloudfront.net^ -||d3dphmosjk9rot.cloudfront.net^ -||d3dytsf4vrjn5x.cloudfront.net^ -||d3f9mcik999dte.cloudfront.net^ -||d3fzrm6pcer44x.cloudfront.net^ -||d3irruagotonpp.cloudfront.net^ -||d3iwjrnl4m67rd.cloudfront.net^ +||d3akmxskpi6zai.cloudfront.net^ +||d3asksgk2foh5m.cloudfront.net^ +||d3b2hhehkqd158.cloudfront.net^ +||d3b4u8mwtkp9dd.cloudfront.net^ +||d3bbyfw7v2aifi.cloudfront.net^ +||d3beefy8kd1pr7.cloudfront.net^ +||d3bfricg2zhkdf.cloudfront.net^ +||d3c3uihon9kmp.cloudfront.net^ +||d3c8j8snkzfr1n.cloudfront.net^ +||d3cesrg5igdcgt.cloudfront.net^ +||d3cl0ipbob7kki.cloudfront.net^ +||d3cod80thn7qnd.cloudfront.net^ +||d3cpib6kv2rja7.cloudfront.net^ +||d3cynajatn2qbc.cloudfront.net^ +||d3d0wndor0l4xe.cloudfront.net^ +||d3d54j7si4woql.cloudfront.net^ +||d3d9gb3ic8fsgg.cloudfront.net^ +||d3d9pt4go32tk8.cloudfront.net^ +||d3dq1nh1l1pzqy.cloudfront.net^ +||d3ec0pbimicc4r.cloudfront.net^ +||d3efeah7vk80fy.cloudfront.net^ +||d3ej838ds58re9.cloudfront.net^ +||d3ejxyz09ctey7.cloudfront.net^ +||d3eksfxlf7bv9h.cloudfront.net^ +||d3ep3jwb1mgn3k.cloudfront.net^ +||d3eub2e21dc6h0.cloudfront.net^ +||d3evio1yid77jr.cloudfront.net^ +||d3eyi07eikbx0y.cloudfront.net^ +||d3f1m03rbb66gy.cloudfront.net^ +||d3f1wcxz2rdrik.cloudfront.net^ +||d3f4nuq5dskrej.cloudfront.net^ +||d3f57yjqilgssy.cloudfront.net^ +||d3ff60r8himt67.cloudfront.net^ +||d3flai6f7brtcx.cloudfront.net^ +||d3frqqoat98cng.cloudfront.net^ +||d3g4s1p0bmuj5f.cloudfront.net^ +||d3g5ovfngjw9bw.cloudfront.net^ +||d3h2eyuxrf2jr9.cloudfront.net^ +||d3hfiiy55cbi5t.cloudfront.net^ +||d3hib26r77jdus.cloudfront.net^ +||d3hitamb7drqut.cloudfront.net^ +||d3hj4iyx6t1waz.cloudfront.net^ +||d3hs51abvkuanv.cloudfront.net^ +||d3hv9xfqzxy46o.cloudfront.net^ +||d3hyjqptbt9dpx.cloudfront.net^ +||d3hyoy1d16gfg0.cloudfront.net^ +||d3i28n8laz9lyd.cloudfront.net^ +||d3ikgzh4osba2b.cloudfront.net^ +||d3imksvhtbujlm.cloudfront.net^ +||d3ithbwcmjcxl7.cloudfront.net^ +||d3j3yrurxcqogk.cloudfront.net^ +||d3j7esvm4tntxq.cloudfront.net^ +||d3j9574la231rm.cloudfront.net^ +||d3jdulus8lb392.cloudfront.net^ +||d3jdzopz39efs7.cloudfront.net^ +||d3jzhqnvnvdy34.cloudfront.net^ +||d3k2wzdv9kuerp.cloudfront.net^ +||d3kblkhdtjv0tf.cloudfront.net^ +||d3kd7yqlh5wy6d.cloudfront.net^ +||d3klfyy4pvmpzb.cloudfront.net^ +||d3kpkrgd3aj4o7.cloudfront.net^ ||d3l320urli0p1u.cloudfront.net^ -||d3lc9zmxv46zr.cloudfront.net^ +||d3lcz8vpax4lo2.cloudfront.net^ +||d3lk5upv0ixky2.cloudfront.net^ +||d3lliyjbt3afgo.cloudfront.net^ +||d3ln1qrnwms3rd.cloudfront.net^ ||d3lvr7yuk4uaui.cloudfront.net^ -||d3lzezfa753mqu.cloudfront.net^ -||d3m41swuqq4sv5.cloudfront.net^ +||d3lw2k94jnkvbs.cloudfront.net^ +||d3m4hp4bp4w996.cloudfront.net^ +||d3m8nzcefuqu7h.cloudfront.net^ +||d3m9ng807i447x.cloudfront.net^ +||d3mmnnn9s2dcmq.cloudfront.net/shim/embed.js +||d3mqyj199tigh.cloudfront.net^ +||d3mr7y154d2qg5.cloudfront.net^ +||d3mshiiq22wqhz.cloudfront.net^ +||d3mzokty951c5w.cloudfront.net^ +||d3n3a4vl82t80h.cloudfront.net^ +||d3n4krap0yfivk.cloudfront.net^ +||d3n7ct9nohphbs.cloudfront.net^ +||d3n9c6iuvomkjk.cloudfront.net^ +||d3nel6rcmq5lzw.cloudfront.net^ +||d3ngt858zasqwf.cloudfront.net^ +||d3numuoibysgi8.cloudfront.net^ ||d3nvrqlo8rj1kw.cloudfront.net^ -||d3p9ql8flgemg7.cloudfront.net^ +||d3nz96k4xfpkvu.cloudfront.net^ +||d3o9njeb29ydop.cloudfront.net^ +||d3ohee25hhsn8j.cloudfront.net^ +||d3op2vgjk53ps1.cloudfront.net^ +||d3otiqb4j0158.cloudfront.net^ +||d3ou4areduq72f.cloudfront.net^ +||d3oy68whu51rnt.cloudfront.net^ +||d3p8w7to4066sy.cloudfront.net^ ||d3pe8wzpurrzss.cloudfront.net^ -||d3pkae9owd2lcf.cloudfront.net^ -||d3q2dpprdsteo.cloudfront.net^ +||d3phzb7fk3uhin.cloudfront.net^ +||d3pvcolmug0tz6.cloudfront.net^ ||d3q33rbmdkxzj.cloudfront.net^ -||d3qszud4qdthr8.cloudfront.net^ -||d3rp5jatom3eyn.cloudfront.net^$domain=~my.na -||d3s6ctxr1rpcpt.cloudfront.net^ -||d3t2wca0ou3lqz.cloudfront.net^ -||d3t9ip55bsuxrf.cloudfront.net^ -||d3tdefw8pwfkbk.cloudfront.net^ +||d3q762vmkbqrah.cloudfront.net^ +||d3qeaw5w9eu3lm.cloudfront.net^ +||d3qgd3yzs41yp.cloudfront.net^ +||d3qilfrpqzfrg4.cloudfront.net^ +||d3qinhqny4thfo.cloudfront.net^ +||d3qttli028txpv.cloudfront.net^ +||d3qu0b872n4q3x.cloudfront.net^ +||d3qxd84135kurx.cloudfront.net^ +||d3qygewatvuv28.cloudfront.net^ +||d3rb9wasp2y8gw.cloudfront.net^ +||d3rjndf2qggsna.cloudfront.net^ +||d3rkkddryl936d.cloudfront.net^ +||d3rlh0lneatqqc.cloudfront.net^ +||d3rr3d0n31t48m.cloudfront.net^ +||d3rxqouo2bn71j.cloudfront.net^ +||d3s40ry602uhj1.cloudfront.net^ +||d3sdg6egu48sqx.cloudfront.net^ +||d3skqyr7uryv9z.cloudfront.net^ +||d3sof4x9nlmbgy.cloudfront.net^ +||d3t16rotvvsanj.cloudfront.net^ +||d3t3bxixsojwre.cloudfront.net^ +||d3t3lxfqz2g5hs.cloudfront.net^ +||d3t3z4teexdk2r.cloudfront.net^ +||d3t5ngjixpjdho.cloudfront.net^ +||d3t87ooo0697p8.cloudfront.net^ +||d3tfeohk35h2ye.cloudfront.net^ +||d3tfz9q9zlwk84.cloudfront.net^ +||d3tjml0i5ek35w.cloudfront.net^ +||d3tnmn8yxiwfkj.cloudfront.net^ +||d3tozt7si7bmf7.cloudfront.net^ +||d3u43fn5cywbyv.cloudfront.net^ +||d3u598arehftfk.cloudfront.net^ +||d3ubdcv1nz4dub.cloudfront.net^ +||d3ud741uvs727m.cloudfront.net^ +||d3ugwbjwrb0qbd.cloudfront.net^ ||d3uqm14ppr8tkw.cloudfront.net^ -||d3vc1nm9xbncz5.cloudfront.net^ +||d3uvwdhukmp6v9.cloudfront.net^ +||d3v3bqdndm4erx.cloudfront.net^ +||d3vnm1492fpnm2.cloudfront.net^ +||d3vp85u5z4wlqf.cloudfront.net^ ||d3vpf6i51y286p.cloudfront.net^ +||d3vsc1wu2k3z85.cloudfront.net^ +||d3vw4uehoh23hx.cloudfront.net^ +||d3x0jb14w6nqz.cloudfront.net^ +||d3zd5ejbi4l9w.cloudfront.net^ +||d415l8qlhk6u6.cloudfront.net^ +||d4bt5tknhzghh.cloudfront.net^ +||d4eqyxjqusvjj.cloudfront.net^ ||d4ngwggzm3w7j.cloudfront.net^ -||d5pb47xzjz3fc.cloudfront.net^ -||d5pvnbpawsaav.cloudfront.net^ +||d5d3sg85gu7o6.cloudfront.net^ +||d5onopbfw009h.cloudfront.net^ +||d5wxfe8ietrpg.cloudfront.net^ ||d63a3au5lqmtu.cloudfront.net^ -||d6bdy3eto8fyu.cloudfront.net^ +||d6cto2pyf2ks.cloudfront.net^ +||d6deij4k3ikap.cloudfront.net^ +||d6l5p6w9iib9r.cloudfront.net^ ||d6sav80kktzcx.cloudfront.net^ -||d8qy7md4cj3gz.cloudfront.net^ +||d6wzv57amlrv3.cloudfront.net^ +||d7016uqa4s0lw.cloudfront.net^ +||d7dza8s7j2am6.cloudfront.net^ +||d7gse3go4026a.cloudfront.net^ +||d7jpk19dne0nn.cloudfront.net^ +||d7oskmhnq7sot.cloudfront.net^ +||d7po8h5dek3wm.cloudfront.net^ +||d7tst6bnt99p2.cloudfront.net^ +||d85wutc1n854v.cloudfront.net^$domain=~wrapbootstrap.com +||d8a69dni6x2i5.cloudfront.net^ +||d8bsqfpnw46ux.cloudfront.net^ +||d8cxnvx3e75nn.cloudfront.net^ +||d8dcj5iif1uz.cloudfront.net^ +||d8dkar87wogoy.cloudfront.net^ +||d8xy39jrbjbcq.cloudfront.net^ +||d91i6bsb0ef59.cloudfront.net^ +||d9b5gfwt6p05u.cloudfront.net^ +||d9c5dterekrjd.cloudfront.net^ +||d9leupuz17y6i.cloudfront.net^ +||d9qjkk0othy76.cloudfront.net^ +||d9yk47of1efyy.cloudfront.net^ +||da26k71rxh0kb.cloudfront.net^ +||da327va27j0hh.cloudfront.net^ ||da3uf5ucdz00u.cloudfront.net^ -||da5w2k479hyx2.cloudfront.net^ -||dailyanimation.studio^*/banners. -||dailydealstwincities.com/widgets/$subdocument,third-party +||da5h676k6d22w.cloudfront.net^ +||dagd0kz7sipfl.cloudfront.net^ ||dal9hkyfi0m0n.cloudfront.net^ -||dapatwang.com/images/banner/ -||dart.clearchannel.com^ -||dasfdasfasdf.no-ip.info^ -||data.apn.co.nz^ -||data.neuroxmedia.com^ -||datafeedfile.com/widget/readywidget/ -||datakl.com/banner/ -||daterly.com/*.widget.php$third-party -||dawanda.com/widget/$third-party -||dbam.dashbida.com^ +||day13vh1xl0gh.cloudfront.net^ +||dazu57wmpm14b.cloudfront.net^ +||db033pq6bj64g.cloudfront.net^ +||db4zl9wffwnmb.cloudfront.net^ +||dba9ytko5p72r.cloudfront.net^ ||dbcdqp72lzmvj.cloudfront.net^ -||dc08i221b0n8a.cloudfront.net^$third-party -||dcdevtzxo4bb0.cloudfront.net^ -||ddwht76d9jvfl.cloudfront.net^ -||dealextreme.com/affiliate_upload/$third-party -||dealplatform.com^*/widgets/$third-party -||deals.buxr.net^$third-party -||deals.macupdate.com^$third-party -||deals4thecure.com/widgets/*?affiliateurl= -||dealspure.com^$third-party -||dealswarm.com^$subdocument,third-party -||dealtoday.com.mt/banners/ -||dealzone.co.za^$script,third-party -||delivery-dev.thebloggernetwork.com^ -||delivery-s3.adswizz.com^$third-party -||delivery.importantmedia.org^$third-party -||delivery.thebloggernetwork.com^ -||dennis.co.uk^*/siteskins/ -||depositfiles.com^*.php?ref= -||desi4m.com/desi4m.gif$third-party -||deskbabes.com/ref.php? -||desperateseller.co.uk/affiliates/ -||detroitmedia.com/jfry/ -||dev-cms.com^*/promobanners/ -||developermedia.com/a.min.js -||devil-bet.com/banner/ +||dbfv8ylr8ykfg.cloudfront.net^ +||dbrpevozgux5y.cloudfront.net^ +||dbujksp6lhljo.cloudfront.net^ +||dbw7j2q14is6l.cloudfront.net^ +||dby7kx9z9yzse.cloudfront.net^ +||dc08i221b0n8a.cloudfront.net^ +||dc5k8fg5ioc8s.cloudfront.net^ +||dcai7bdiz5toz.cloudfront.net^ +||dcbbwymp1bhlf.cloudfront.net^ +||dczhbhtz52fpi.cloudfront.net^ +||ddlh1467paih3.cloudfront.net^ +||ddmuiijrdvv0s.cloudfront.net^ +||ddrvjrfwnij7n.cloudfront.net^ +||ddvbjehruuj5y.cloudfront.net^ +||ddvfoj5yrl2oi.cloudfront.net^ +||ddzswov1e84sp.cloudfront.net^ +||de2nsnw1i3egd.cloudfront.net^ +||deisd5o6v8rgq.cloudfront.net^ +||desgao1zt7irn.cloudfront.net^ ||dew9ckzjyt2gn.cloudfront.net^ -||dff7tx5c2qbxc.cloudfront.net^ -||dhgate.com^$third-party,domain=sammyhub.com -||dhresource.com^*/banner$third-party -||dieho.lacasadeltikitakatv.me^$script -||digitalmediacommunications.com/belleville/employment/ -||digitalsatellite.tv/banners/ -||direct.quasir.info^$third-party -||directnicparking.com^$third-party -||display.digitalriver.com^ -||disqus.com/listPromoted? -||disy2s34euyqm.cloudfront.net^ -||dizixdllzznrf.cloudfront.net^ -||dj.rasset.ie/dotie/js/rte.ads.js -||djlf5xdlz7m8m.cloudfront.net^ +||df80k0z3fi8zg.cloudfront.net^ +||dfh48z16zqvm6.cloudfront.net^ +||dfidhqoaunepq.cloudfront.net^ +||dfiqvf0syzl54.cloudfront.net^ +||dfqcp2awt0947.cloudfront.net^ +||dfwbfr2blhmr5.cloudfront.net^ +||dg0hrtzcus4q4.cloudfront.net^ +||dg6gu9iqplusg.cloudfront.net^ +||dg7k1tpeaxzcq.cloudfront.net^ +||dg9sw33hxt5i7.cloudfront.net^ +||dgw7ae5vrovs7.cloudfront.net^ +||dgyrizngtcfck.cloudfront.net^ +||dh6dm31izb875.cloudfront.net^ +||dhcmni6m2kkyw.cloudfront.net^ +||dhrhzii89gpwo.cloudfront.net^ +||di028lywwye7s.cloudfront.net^ +||dihutyaiafuhr.cloudfront.net^ +||dilvyi2h98h1q.cloudfront.net^ +||dita6jhhqwoiz.cloudfront.net^ +||divekcl7q9fxi.cloudfront.net^ +||diz4z73aymwyp.cloudfront.net^ +||djm080u34wfc5.cloudfront.net^ +||djnaivalj34ub.cloudfront.net^ ||djr4k68f8n55o.cloudfront.net^ ||djv99sxoqpv11.cloudfront.net^ +||djvby0s5wa7p7.cloudfront.net^ ||djz9es32qen64.cloudfront.net^ -||dkd69bwkvrht1.cloudfront.net^ -||dkdwv3lcby5zi.cloudfront.net^ -||dl392qndlveq0.cloudfront.net^ -||dl5v5atodo7gn.cloudfront.net^ -||dlupv9uqtjlie.cloudfront.net^ +||dk4w74mt6naf3.cloudfront.net^ +||dk57sacpbi4by.cloudfront.net^ +||dkgp834o9n8xl.cloudfront.net^ +||dkm6b5q0h53z4.cloudfront.net^ +||dkre4lyk6a9bt.cloudfront.net^ +||dktr03lf4tq7h.cloudfront.net^ +||dkvtbjavjme96.cloudfront.net^ +||dkyp75kj7ldlr.cloudfront.net^ +||dl37p9e5e1vn0.cloudfront.net^ +||dl5ft52dtazxd.cloudfront.net^ +||dlem1deojpcg7.cloudfront.net^ +||dlh8c15zw7vfn.cloudfront.net^ +||dlmr7hpb2buud.cloudfront.net^ +||dlne6myudrxi1.cloudfront.net^ +||dlooqrhebkjoh.cloudfront.net^ +||dlrioxg1637dk.cloudfront.net^ +||dltqxz76sim1s.cloudfront.net^ +||dltvkwr7nbdlj.cloudfront.net^ +||dlvds9i67c60j.cloudfront.net^ +||dlxk2dj1h3e83.cloudfront.net^ ||dm0acvguygm9h.cloudfront.net^ -||dm8srf206hien.cloudfront.net^ -||dntrck.com/trax? +||dm0ly9ibqkdxn.cloudfront.net^ +||dm0t14ck8pg86.cloudfront.net^ +||dm62uysn32ppt.cloudfront.net^ +||dm7gsepi27zsx.cloudfront.net^ +||dm7ii62qkhy9z.cloudfront.net^ +||dmeq7blex6x1u.cloudfront.net^ +||dmg0877nfcvqj.cloudfront.net^ +||dmkdtkad2jyb9.cloudfront.net^ +||dmmzkfd82wayn.cloudfront.net^ +||dmz3nd5oywtsw.cloudfront.net^ +||dn3uy6cx65ujf.cloudfront.net^ +||dn6rwwtxa647p.cloudfront.net^ +||dn7u3i0t165w2.cloudfront.net^ +||dn9uzzhcwc0ya.cloudfront.net^ +||dne6rbzy5csnc.cloudfront.net^ +||dnf06i4y06g13.cloudfront.net^ +||dnhfi5nn2dt67.cloudfront.net^ +||dnks065sb0ww6.cloudfront.net^ +||dnre5xkn2r25r.cloudfront.net^ +||do6256x8ae75.cloudfront.net^ +||do69ll745l27z.cloudfront.net^ +||doc830ytc7pyp.cloudfront.net^ +||dodk8rb03jif9.cloudfront.net^ +||dof9zd9l290mz.cloudfront.net^ +||dog89nqcp3al4.cloudfront.net^ +||doinntz6jwzoh.cloudfront.net^ ||dojx47ab4dyxi.cloudfront.net^ -||domain.com.au/widget/$subdocument,third-party -||domainapps.com/assets/img/domain-apps.gif$third-party -||domaingateway.com/js/redirect-min.js -||domainnamesales.com/return_js.php? -||dorabet.com/banner/ -||dot.tk/urlfwd/searchbar/bar.html -||dotz123.com/run.php? -||download-provider.org/?aff.id=$third-party -||download.bitdefender.com/resources/media/$third-party -||downloadandsave-a.akamaihd.net^$third-party -||downloadprovider.me/en/search/*?aff.id=*&iframe=$third-party -||dp51h10v6ggpa.cloudfront.net^ +||doo9gpa5xdov2.cloudfront.net^ +||dp45nhyltt487.cloudfront.net^ +||dp94m8xzwqsjk.cloudfront.net^ +||dpd9yiocsyy6p.cloudfront.net^ +||dpirwgljl6cjp.cloudfront.net^ +||dpjlvaveq1byu.cloudfront.net^ ||dpsq2uzakdgqz.cloudfront.net^ -||dq2tgxnc2knif.cloudfront.net^ -||dqhi3ea93ztgv.cloudfront.net^ +||dpuz3hexyabm1.cloudfront.net^ +||dq3yxnlzwhcys.cloudfront.net^ +||dqv45r33u0ltv.cloudfront.net^ ||dr3k6qonw2kee.cloudfront.net^ +||dr6su5ow3i7eo.cloudfront.net^ ||dr8pk6ovub897.cloudfront.net^ -||dramafever.com/widget/$third-party -||dreamboxcart.com/earning/$third-party -||dreamhost.com/rewards/$third-party -||dreamstime.com/banner/ -||dreamstime.com/img/badges/banner$third-party -||dreamstime.com/refbanner- +||drbccw04ifva6.cloudfront.net^ +||drda5yf9kgz5p.cloudfront.net^ ||drf8e429z5jzt.cloudfront.net^ -||drive360.co.za^$script,domain=iol.co.za -||droidnetwork.net/img/dt-atv160.jpg -||droidnetwork.net/img/vendors/ -||dropbox.com^*/aff-resources/$domain=gramfeed.com +||drulilqe8wg66.cloudfront.net^ ||ds02gfqy6io6i.cloudfront.net^ -||dsd7ugeb97nnc.cloudfront.net^ +||ds88pc0kw6cvc.cloudfront.net^ +||dsb6jelx4yhln.cloudfront.net^ +||dscex7u1h4a9a.cloudfront.net^ +||dsghhbqey6ytg.cloudfront.net^ ||dsh7ky7308k4b.cloudfront.net^ -||dsie7h4lo9wxu.cloudfront.net^ +||dsnymrk0k4p3v.cloudfront.net^ +||dsuyzexj3sqn9.cloudfront.net^ +||dt3y1f1i1disy.cloudfront.net^ ||dtakdb1z5gq7e.cloudfront.net^ -||dtrk.slimcdn.com^ -||dttek.com/sponsors/ -||dtto8zfzskfoa.cloudfront.net^ +||dtmm9h2satghl.cloudfront.net^ +||dtq9oy2ckjhxu.cloudfront.net^ +||dtu2kitmpserg.cloudfront.net^ +||dtv5loup63fac.cloudfront.net^ +||dtv5ske218f44.cloudfront.net^ +||dtyry4ejybx0.cloudfront.net^ +||du01z5hhojprz.cloudfront.net^ +||du0pud0sdlmzf.cloudfront.net^ ||du2uh7rq0r0d3.cloudfront.net^ -||duckduckgo.com/public/$third-party -||duct5ntjian71.cloudfront.net^ -||dunhilltraveldeals.com/iframes/$third-party +||due5a6x777z0x.cloudfront.net^ +||dufai4b1ap33z.cloudfront.net^ +||dupcczkfziyd3.cloudfront.net^ +||duqamtr9ifv5t.cloudfront.net^ +||duz64ud8y8urc.cloudfront.net^ +||dv663fc06d35i.cloudfront.net^ ||dv7t7qyvgyrt5.cloudfront.net^ -||dvdfab.com/images/fabnewbanner/$third-party -||dvf2u7vwmkr5w.cloudfront.net^ -||dvnafl0qtqz9k.cloudfront.net^ -||dvt4pepo9om3r.cloudfront.net^ -||dx.com/affiliate/$third-party -||dx5qvhwg92mjd.cloudfront.net^ +||dvc8653ec6uyk.cloudfront.net^ +||dvh66m0o7et0z.cloudfront.net^ +||dvl8xapgpqgc1.cloudfront.net^ +||dvmdwmnyj3u4h.cloudfront.net^ +||dw55pg05c2rl5.cloudfront.net^ +||dw7vmlojkx16k.cloudfront.net^ +||dw85st0ijc8if.cloudfront.net^ +||dw9uc6c6b8nwx.cloudfront.net^ +||dwd11wtouhmea.cloudfront.net^ +||dwebwj8qthne8.cloudfront.net^ +||dwene4pgj0r33.cloudfront.net^ +||dwnm2295blvjq.cloudfront.net^ +||dwr3zytn850g.cloudfront.net^ +||dxgo95ahe73e8.cloudfront.net^ +||dxh2ivs16758.cloudfront.net^ +||dxj6cq8hj162l.cloudfront.net^ +||dxk5g04fo96r4.cloudfront.net^ +||dxkkb5tytkivf.cloudfront.net^ ||dxprljqoay4rt.cloudfront.net^ -||dxq6c0tx3v6mm.cloudfront.net^ -||dxqd86uz345mg.cloudfront.net^ -||dy48bnzanqw0v.cloudfront.net^ +||dxz454z33ibrc.cloudfront.net^ +||dy5t1b0a29j1v.cloudfront.net^ ||dybxezbel1g44.cloudfront.net^ -||dycpc40hvg4ki.cloudfront.net^ -||dyl3p6so5yozo.cloudfront.net^ -||dynamicserving.com^$third-party -||dynw.com/banner -||e-tailwebstores.com/accounts/default1/banners/ -||e-webcorp.com/images/$third-party -||earn-bitcoins.net/banner_ -||easy-share.com/images/es20/ -||easyretiredmillionaire.com/img/aff-img/ -||eattoday.com.mt/widgets/$third-party -||ebaycommercenetwork.com/publisher/$third-party -||ebaystatic.com/aw/signin/ebay-signin-toyota- -||ebaystatic.com^$domain=psu.com -||ebaystatic.com^*/motorswidgetsv2.swf? -||ebladestore.com^*/banners/ -||eblastengine.upickem.net^$third-party -||echineselearning.com^*/banner.jpg -||ecopayz.com/files/images/affiliates/ -||ectaco-store.com^*/promo.jsp? -||edge.viagogo.co.uk^*/widget.ashx?$third-party -||edgecastcdn.net^*.barstoolsports.com/wp-content/banners/ -||eharmony.com.au^$subdocument,third-party -||eholidayfinder.com/images/logo.gif$third-party -||elenasmodels.com/cache/cb_$third-party -||elitsearch.com^$subdocument,third-party -||elliottwave.com/fw/regular_leaderboard.js -||eltexonline.com/contentrotator/$third-party -||emailcashpro.com/images/$third-party -||emsisoft.com/bnr/ -||emsservice.de.s3.amazonaws.com/videos/ -||engine.gamerati.net^$third-party -||enticelabs.com/el/ -||entitlements.jwplayer.com^$third-party -||epimg.net/js/pbs/ -||eplreplays.com/wl/ -||epnt.ebay.com^$third-party -||epowernetworktrackerimages.s3.amazonaws.com^ -||escape.insites.eu^$third-party -||esport-betting.com^*/betbanner/ -||essayerudite.com/images/banner/ -||etimg.com/js_etsub/ -||etoolkit.com/banner/$third-party -||etoro.com/B*_A*_TGet.aspx$third-party -||etrader.kalahari.com^$third-party -||etrader.kalahari.net^$third-party -||europolitique.info^*/pub/ -||euwidget.imshopping.com^ -||events.kalooga.com^ -||everestpoker.com^*/?adv= -||exmo.me/?ref=$third-party -||exoplanetwar.com/l/landing.php? -||expekt.com/affiliates/ -||explorer.sheknows.com^$third-party -||ext.theglobalweb.com^ -||extabit.com/s/$third-party -||extensoft.com/artisteer/banners/ -||extras.mercurynews.com/tapin_directory/ -||extras.mnginteractive.com^*/todaysdeals.gif -||extremereach.io/media/ -||exwp.org/partners/ -||eyetopics.com/content_images/$third-party -||facebook.com/audiencenetwork/$third-party -||facebook.com^*/instream/vast.xml? -||fairfaxregional.com.au/proxy/commercial-partner-solar/ -||familytreedna.com/img/affiliates/ -||fancybar.net/ac/fancybar.js?zoneid$third-party -||fantasyplayers.com/templates/banner_code. -||fantaz.com^*/banners/$third-party -||fapturbo.com/testoid/ -||farmholidays.is/iframeallfarmsearch.aspx?$third-party -||fastcccam.com/images/fcbanner2.gif -||fatads.toldya.com^$third-party -||fatburningfurnace.com^*/fbf-banner- -||fcgadgets.blogspot.com^$third-party -||feedburner.com/~a/ -||feeds.logicbuy.com^ -||femalefirst.co.uk/widgets/$third-party -||fenixm.com/actions/*Skin*.$image -||ffconf.org/embed/$subdocument,third-party -||filedownloader.net/design/$third-party -||filedroid.net/af_ta/$third-party -||filefactory.com^*/refer.php?hash= -||filejungle.com/images/banner/ -||fileloadr.com^$third-party -||fileparadox.com/images/banner/ -||filepost.com/static/images/bn/ -||fileserve.com/images/banner_$third-party -||fileserver.mode.com^$third-party -||fileserver1.net/download -||filmehd.net/imagini/banner_$third-party -||filterforge.com/images/banners/ -||fimserve.myspace.com^$third-party -||firecenter.pl/banners/ -||firstclass-download.com^$subdocument,third-party -||flagship.asp-host.co.uk^$third-party -||flashx.tv/banner/ -||flipchat.com/index.php?$third-party -||flipkart.com/?affid=$subdocument,third-party -||flipkart.com/affiliateWidget/$third-party -||flipkart.com/dl/?affid=$subdocument,third-party -||flixcart.com/affiliate/$third-party -||flower.com/img/lsh/ -||fncstatic.com^*/business-exchange.html -||followfairy.com/followfairy300x250.jpg -||footymad.net/partners/ -||forms.aweber.com/form/styled_popovers_and_lightboxes.js$third-party -||fortune5minutes.com^*/banner_ -||forumimg.ipmart.com/swf/img.php -||fragfestservers.com/bannerb.gif -||freakshare.com/?ref= -||freakshare.com/banner/$third-party -||freakshare.net/banner/ -||free-football.tv/images/usd/ -||freecycle.org^*/sponsors/ -||freetrafficsystem.com/fts/ban/ -||freetricktipss.info^$subdocument,third-party -||freewheel.mtgx.tv^$~object-subrequest -||freshbooks.com/images/banners/$third-party -||friedrice.la/widget/$third-party -||frogatto.com/images/$third-party -||frontpagemag.com^*/bigadgendabookad.jpg -||frontsight.com^*/banners/ -||ft.pnop.com^ -||fugger.ipage.com^$third-party -||fugger.netfirms.com/moa.swf$third-party -||funtonia.com/promo/ -||fupa.com/aw.aspx?$third-party -||furiousteam.com^*/external_banner/ -||futuboxhd.com/js/bc.js -||future.net.uk/hl-merchants. -||futuresite.register.com/us?$third-party -||fxcc.com/promo/ -||fxultima.com/banner/ -||fyicentralmi.com/remote_widget?$third-party -||fyiwashtenaw.com/remote_widget? -||fyygame.com/images/*.swf$third-party -||gadgetresearch.net^$subdocument,third-party -||gadgets360.com/pricee/$third-party -||gadgets360cdn.com/shop/$domain=ndtv.com -||gamblingwages.com/images/$third-party -||gameduell.com/res/affiliate/ -||gameorc.net/a.html -||gamer-network.net/plugins/dfp/ -||gamersaloon.com/images/banners/ -||gamesports.net/img/betting_campaigns/ -||gamestop.com^*/aflbanners/ -||gamingjobsonline.com/images/banner/ -||garudavega.net/indiaclicks/ -||gateway.fortunelounge.com^ -||gateway.proxyportal.eu^ -||gateways.s3.amazonaws.com^ -||gdgdtrip.com/img/4chan/VPNhub_ -||ge.tt/api/$domain=mhktricks.net -||gemini.yahoo.com^*^syndication^ -||generic4all.com^*?refid=$third-party -||geo.connexionsecure.com^ -||geobanner.friendfinder.com^ -||geobanner.passion.com^ -||get.*.website/static/get-js?stid=$third-party -||get.box24casino.com^$third-party -||get.davincisgold.com^$third-party -||get.paradise8.com^$third-party -||get.rubyroyal.com^$third-party -||get.slotocash.com^$third-party -||get.thisisvegas.com^$third-party -||getadblock.com/images/adblock_banners/$third-party -||gethopper.com/tp/$third-party -||getnzb.com/img/partner/banners/$third-party -||getpaidforyourtime.org/basic-rotating-banner/ -||getsurl.com/images/banners/ -||gfaf-banners.s3.amazonaws.com^ -||gfxa.sheetmusicplus.com^$third-party -||gg.caixin.com^ -||ggmania.com^*.jpg$third-party -||giantrealm.com/saj/ -||giantsavings-a.akamaihd.net^$third-party -||giffgaff.com/banner/ -||gitcdn.pw^$domain=depositfiles.com -||glam.com/gad/ -||glam.com/js/widgets/glam_native.act? -||glam.com^*?affiliateid= -||globalprocash.com/banner125.gif -||gmstatic.net^*/amazonbadge.png -||gmstatic.net^*/itunesbadge.png -||goadv.com^*/ads.js -||gobankingrates.com/r/$subdocument,third-party -||gogousenet.com^*/promo.cgi -||gogousenet.com^*/promo2.cgi -||gold4rs.com/images/$third-party -||goldmoney.com/~/media/Images/Banners/$third-party -||goo.gl^$image,domain=cracksfiles.com -||goo.gl^$script,domain=transphoto.ru -||goo.gl^$subdocument,domain=backin.net -||google.com/pagead/ -||google.com/uds/afs?*adsense$subdocument -||googleadapis.l.google.com^$third-party -||googlesyndication.com/ddm/ -||googlesyndication.com/pagead/ -||googlesyndication.com/sadbundle/ -||googlesyndication.com/safeframe/ -||googlesyndication.com/simgad/ -||googlesyndication.com/sodar/ -||googlesyndication.com^*/click_to_buy/$object-subrequest,third-party -||googlesyndication.com^*/domainpark.cgi? -||googlesyndication.com^*/googlevideoadslibraryas3.swf$object-subrequest,third-party -||googlesyndication.com^*/simgad/ -||googletagservices.com/dcm/dcmads.js -||gooof.de/sa/$third-party -||gopjn.com/b/$third-party -||gopjn.com/i/$third-party -||gorgonprojectinvest.com/images/banners/ -||goto.4bc.co^$image,third-party -||gotraffic.net^*/sponsors/ -||govids.net/adss/ -||gpawireservices.com/input/files/*.gif$domain=archerywire.com -||graboid.com/affiliates/ -||graduateinjapan.com/affiliates/ -||grammar.coursekey.com/inter/$third-party -||grammarly.com/embedded?aff=$third-party -||grateful.io/ads/ -||grindabuck.com/img/skyscraper.jpg -||groupon.com/javascripts/common/affiliate_widget/$third-party -||grouponcdn.com^*/affiliate_widget/$third-party -||grscty.com/images/banner/$third-party -||gsniper.com/images/$third-party -||gstaticadssl.l.google.com^$third-party -||guim.co.uk/guardian/thirdparty/tv-site/side.html -||guzzle.co.za/media/banners/ -||halllakeland.com/banner/ -||handango.com/marketing/affiliate/ -||haymarket-whistleout.s3.amazonaws.com/*_ad.html -||haymarket.net.au/Skins/ -||hdvid-codecs.com^$third-party -||heidiklein.com/media/banners/ -||herald.ca/nfwebcam/ -||hexero.com/images/banner.gif -||heyoya.com^*&aff_id= -||hide-my-ip.com/promo/ -||highepcoffer.com/images/banners/ -||hirepurpose.com/static/widgets/$third-party -||hitfox-jobboard.c66.me^ -||hitleap.com/assets/banner- -||hitleap.com/assets/banner.png -||hm-sat.de/b.php -||hola.org/play_page.js$third-party -||homad-global-configs.schneevonmorgen.com^ -||hostdime.com/images/affiliate/$third-party -||hostgator.com/~affiliat/cgi-bin/affiliates/$third-party -||hosting.conduit.com^$third-party -||hostinger.nl/banners/ -||hostmonster.com/src/js/izahariev/$third-party -||hotcoursesabroad.com/widget-$third-party -||hotdeals360.com/static/js/kpwidgetweb.js -||hotelsbycity.com^*/bannermtg.php?$third-party -||hotelscombined.com/SearchBox/$third-party -||hoteltravel.com/partner/$third-party -||hotlink.cc/promo/$third-party -||hotlinking.dosmil.imap.cc^$third-party -||hqfootyad4.blogspot.com^$third-party -||hstpnetwork.com/ads/ -||hstpnetwork.com/zeus.php -||hubbarddeals.com^*/promo/ -||hubbardradio.com^*/my_deals.php -||hwcdn.net^$domain=i24news.tv|newindianexpress.com -||hyipregulate.com/images/hyipregulatebanner.gif -||hyperfbtraffic.com/images/graphicsbanners/ -||hyperscale.com/images/adh_button.jpg -||i.ligatus.com/*-placements/$third-party -||i.lsimg.net^*/sides_clickable. -||i.lsimg.net^*/takeover/ -||ibsrv.net/ForumSponsor/ -||ibsrv.net/sidetiles/125x125/ -||ibsrv.net/sponsor_images/ -||ibsys.com/sh/sponsors/ -||ibvpn.com/img/banners/ -||icastcenter.com^*/amazon-buyfrom.gif -||icastcenter.com^*/itunes.jpg -||idealo.co.uk/priceinfo/$third-party -||idg.com.au/ggg/images/*_home.jpg$third-party -||idup.in/embed$third-party,domain=ganool.com -||ifilm.com/website/*_skin_$third-party -||ifriends.net/Refer.dll? -||ilapi.ebay.com^$third-party -||im.ov.yahoo.co.jp^ -||image.com.com^*/skin2.jpg$third-party -||image.dhgate.com^*/dhgate-logo-$third-party -||images-amazon.com/images/*/associates/widgets/ -||images-amazon.com/images/*/banner/$third-party -||images-amazon.com^$domain=cloudfront.net -||images-pw.secureserver.net/images/100yearsofchevy.gif -||images-pw.secureserver.net^*_*.$image,third-party -||images.*.criteo.net^$third-party -||images.criteo.net^$third-party -||images.dreamhost.com^$third-party -||images.mylot.com^$third-party -||images.youbuy.it/images/$third-party -||imagetwist.com/banner/ -||img.bluehost.com^$third-party -||img.hostmonster.com^$third-party -||img.mybet.com^$third-party -||img.promoddl.com^$third-party -||img.servint.net^$third-party -||imgdino.com/gsmpop.js -||imgehost.com^*/banners/$third-party -||imgix.net/sponsors/ -||imgpop.googlecode.com^$third-party -||imgur.com^$image,domain=filerev.cc|talksport.com -||imptestrm.com/rg-main.php? -||in.com/common/script_catch.js -||indeed.fr/ads/ -||indian-forex.com^*/banners/$third-party -||indieclick.3janecdn.com^ -||indochino.com/indo-ecapture-widget/$third-party -||infibeam.com/affiliate/$third-party -||infochoice.com.au/Handler/WidgetV2Handler.ashx? -||infomarine.gr/images/banerr.gif -||infomarine.gr^*/images/banners/ -||inisrael-travel.com/jpost/ -||init.lingospot.com^$third-party -||inline.playbryte.com^$third-party -||inskin.vo.llnwd.net^ -||instant-gaming.com/affgames/$third-party -||instantpaysites.com/banner/ -||instaprofitgram.com/images/banners/ -||integrityvpn.com/img/integrityvpn.jpg -||intermarkets.net/u/Intermarkets/*_apn.js$third-party -||intermarkets.net/u/Intermarkets/*_targeting.js$third-party -||intermrkts.vo.llnwd.net^$third-party -||internetbrands.com/partners/$third-party -||interserver.net/logos/vps-$third-party -||interstitial.glsp.netdna-cdn.com^$third-party -||intexchange.ru/Content/banners/ -||iobit.com/partner/$third-party -||ipixs.com/ban/$third-party -||iselectmedia.com^*/banners/ -||itsup.com/creatives/ -||iwebzoo.com/banner/ -||iyfsearch.com^*&pid=$third-party -||iypcdn.com^*/bgbanners/ -||iypcdn.com^*/otherbanners/ -||iypcdn.com^*/ypbanners/ -||jalbum.net/widgetapi/js/dlbutton.js? -||jenningsforddirect.co.uk/sitewide/extras/$third-party -||jeysearch.com^$subdocument,third-party -||jinx.com/content/banner/$third-party -||jivox.com/jivox/serverapis/getcampaignbyid.php?$object-subrequest -||joblet.jp/javascripts/$third-party -||jobs-affiliates.ws/images/$third-party -||jobslike.win^$subdocument,third-party -||jocly.com^*.html?click=$subdocument,third-party -||jrcdev.net/promos/ -||jscode.yavli.com^$third-party -||jsfeedget.com^$script,third-party -||jsrdn.com/s/1.js -||jubimax.com/banner_images/ -||jugglu.com/content/widgets/$third-party -||junction.co.za/widget/$third-party -||justclicktowatch.to/jstp.js -||jvzoo.com/assets/widget/$third-party -||k-po.com/img/ebay.png$third-party -||k.co.il/iefilter.html -||k2team.kyiv.ua^ -||kaango.com/fecustomwidgetdisplay? -||kallout.com^*.php?id= -||kaltura.com^*/vastPlugin.swf$third-party -||karma.mdpcdn.com^ -||kbnetworkz.s3.amazonaws.com^ -||keep2share.cc/images/i/$third-party -||keyword-winner.com/demo/images/ -||king.com^*/banners/ -||knorex.asia/static-firefly/ -||kontera.com/javascript/lib/KonaLibInline.js$third-party -||kozmetikcerrahi.com/banner/ -||kraken.giantrealm.com^$third-party -||krillion.com^*/productoffers.js -||kurtgeiger.com^*/linkshare/ -||l.yimg.com^*&partner=*&url= -||ladbrokes.com^*&aff_id= -||lapi.ebay.com^$third-party -||lastlocation.com/images/banner -||lawdepot.com/affiliate/$third-party -||leaddyno-client-images.s3.amazonaws.com^ -||leadintelligence.co.uk/in-text.js$third-party -||leadsleap.com/images/banner_ -||leadsleap.com/widget/ -||leanpub.com^*/embed$subdocument,third-party -||legaljobscentre.com/feed/jobad.aspx -||legitonlinejobs.com/images/$third-party -||lego.com^*/affiliate/ -||lesmeilleurs-jeux.net/images/ban/$third-party -||lessemf.com/images/banner-$third-party -||letmewatchthis.ru/movies/linkbottom -||letters.coursekey.com/lettertemplates_$third-party -||lg.com/in/cinema3d.jsp$subdocument,third-party -||lifedaily.com/prebid.js -||lifestyle24h.com/reward/$third-party -||lijit.com/adif_px.php -||lijit.com/delivery/ -||link.link.ru^$third-party -||linkbird.com/static/upload/*/banner/$third-party -||linkconnector.com/tr.php$third-party -||linkconnector.com/traffic_record.php$third-party -||linkedin.com/csp/dtag?$subdocument,third-party -||linkshrink.net^$script,third-party -||lionheartdms.com^*/walmart_300.jpg -||litecoinkamikaze.com/assets/images/banner$third-party -||literatureandlatte.com/gfx/buynowaffiliate.jpg -||liutilities.com/partners/$third-party -||liutilities.com^*/affiliate/ -||livecrics.livet20worldcup.com/video.php$domain=iplstream.com -||liveperson.com/affiliates/ -||liveshows.com^*/live.js$third-party -||llnwd.net/o28/assets/*-sponsored- -||localdata.eu/images/banners/ -||loopnet.com^*/searchwidget.htm$third-party -||loot.co.za/shop/product.jsp?$third-party -||loot.co.za^*/banners/$third-party -||lotebo.com/js_a_d_s.php -||lottoelite.com/banners/$third-party -||lowbird.com/random/$third-party -||lowcountrymarketplace.com/widgets/$third-party -||lp.longtailvideo.com^*/adaptv*.swf -||lp.ncdownloader.com^$third-party -||ltfm.ca/stats.php? -||lucky-ace-casino.net/banners/ -||lucky-dating.net/banners/ -||luckygunner.com^*/banners/ -||luckyshare.net/images/banners/ -||lumfile.com/lumimage/ourbanner/$third-party -||lygo.com/d/toolbar/sponsors/ -||lylebarn.com/crashwidget/$domain=crash.net -||lynku.com/partners/$third-party -||m.uploadedit.com^$third-party,domain=flysat.com -||maases.com/i/br/$domain=promodj.com -||madisonlogic.com^$third-party -||mads.aol.com^ -||magicaffiliateplugin.com/img/mga-125x125.gif -||magicmembers.com/img/mgm-125x125 -||magniwork.com/banner/ -||mahndi.com/images/banner/ -||mambaonline.com/clinic_button. -||mantisadnetwork.com/mantodea.min.js -||mantra.com.au^*/campaigns/$third-party -||marinejobs.gr/images/marine_adv.gif -||marketing.888.com^ -||masqforo.com^$third-party,domain=linkbucks.com -||mastiway.com/webimages/$third-party -||match.com^*/prm/$third-party -||matchbin.com/javascripts/remote_widget.js -||matrixmails.com/images/$third-party -||maximainvest.net^$image,third-party -||mazda.com.au/banners/ -||mb-hostservice.de/banner_ -||mb.marathonbet.com^$third-party -||mb.zam.com^ -||mbid.advance.net^ -||mbid.marfeelrev.com^ -||mcc.godaddy.com/park/$subdocument,third-party -||mcclatchyinteractive.com/creative/ -||mdpcdn.com^*/gpt/ -||media-toolbar.com^$third-party -||media.complex.com/videos/prerolls/ -||media.domainking.ng/media/$third-party -||media.enimgs.net/brand/files/escalatenetwork/ -||media.myspace.com/play/*/featured-videos-$third-party -||media.netrefer.com^$third-party -||media.onlineteachers.co.in^$third-party -||mediaon.com/moneymoney/ -||mediaplex.com/ad/bn/$third-party -||mediaplex.com/ad/fm/$third-party -||mediaplex.com/ad/js/$third-party -||mediaserver.digitec.ch^$subdocument,third-party -||medrx.telstra.com.au^ -||megalivestream.net/pub.js -||memepix.com/spark.php? -||meraad2.blogspot.com^$third-party -||merdb.org/js/$script,third-party -||metaboli.fr^*/adgude_$third-party -||metroland.com/wagjag/ -||mfcdn.net/store/spotlight/ -||mfeed.newzfind.com^$third-party -||mgm.com/www/$third-party -||mgprofit.com/images/*x$third-party -||microsoft.com^*/bannerrotator/$third-party -||microsoft.com^*/community/images/windowsintune/$third-party -||mightyape.co.nz/stuff/$third-party -||mightydeals.com/widget?$third-party -||mightydeals.com/widgets/$third-party -||mightydeals.s3.amazonaws.com/md_adv/ -||millionaires-club-international.com/banner/ -||missnowmrs.com/images/banners/ -||mkini.net/banners/ -||mlive.com/js/oas/ -||mmdcash.com/mmdcash01.gif -||mmo4rpg.com^*.gif|$third-party -||mmosale.com/baner_images/$third-party -||mmwebhandler.888.com^$third-party -||mnginteractive.com^*/dartinclude.js -||mobyler.com/img/banner/ -||mol.im/i/pix/ebay/ -||moneycontrol.co.in^*PopUnder.js -||moneycontrol.com/share-market-game/$third-party -||moneywise.co.uk/affiliate/ -||moonb.ch/?ref=$third-party -||moosify.com/widgets/explorer/?partner= -||morningpost.dk^*/bildele.gif -||mosso.com^*/banners/ -||movie4all.co^$third-party -||mozo-widgets.f2.com.au^ -||mp3ix.com^$third-party -||mrc.org/sites/default/files/uploads/images/Collusion_Banner -||mrc.org^*/Collusion_Banner300x250.jpg -||mrc.org^*/take-over-charlotte300x250.gif -||mrskincdn.com/data/uploader/affiliate/$script -||msecnd.net/scripts/*.pop.$script -||msm.mysavings.com^*.asp?afid=$third-party -||msn.com^*/ms-bingna-mw. -||msnbcmedia.msn.com^*/sponsors/ -||mt.sellingrealestatemalta.com^$third-party -||mto.mediatakeout.com^$third-party -||multisitelive.com^*/banner_ -||multivizyon.tv^*/flysatbanner.swf -||musicmemorization.com/images/$third-party -||musik-a-z.com^$subdocument,third-party -||my-best-jobs.com^$subdocument,third-party -||my-dirty-hobby.com/track/$subdocument,third-party -||myalter1tv.altervista.org^$subdocument,third-party -||mybdhost.com/imgv2/$third-party -||mydirtyhobby.com^$third-party,domain=~my-dirty-hobby.com|~mydirtyhobby.de -||mydownloader.net/banners/$third-party -||myezbz.com/marketplace/widget/$third-party -||myfreepaysite.info^*.gif$third-party -||myfreeresources.com/getimg.php?$third-party -||myfreeshares.com/120x60b.gif -||myhpf.co.uk/banners/ -||mylife.com/partner/$third-party -||mynativeplatform.com/pub2/ -||myspace.com/play/myspace/*&locationId$third-party -||mytrafficstrategy.com/images/$third-party -||myusenet.net/promo.cgi? -||myvi.ru/feed/$object-subrequest -||mzstatic.com^$image,object-subrequest,domain=dailymotion.com -||n.nu/banner.js -||n4g.com^*/IndieMonthSideBarWidget?$third-party -||namecheap.com/graphics/linkus/$third-party -||nanobrokers.com/img/banner_ -||nanoinvestgroup.com/images/banner*.gif -||nativly.com/tds/widget?wid=$third-party -||neighbourly.co.nz^$subdocument,domain=stuff.co.nz -||neogames-tech.com/resources/genericbanners/ -||nesgamezone.com/syndicate? -||netdigix.com/google_banners/ -||netdna-cdn.com/wp-content/plugins/background-manager/$domain=7daysindubai.com -||netdna-cdn.com^*-300x250.$domain=readersdigest.co.uk -||netdna-cdn.com^*-Background-1280x10241.$domain=7daysindubai.com -||netdna-ssl.com/images/banner-$domain=colorlib.com -||nettvplus.com/images/banner_ -||network.aufeminin.com^ -||network.business.com^ -||networkice.com^$subdocument,third-party -||news-whistleout.s3.amazonaws.com^$third-party -||news.fark.com^$third-party -||news.retire.ly^$third-party -||news.smi2.ru^$third-party -||newware.net/home/banner$third-party -||newware.net/home/newware-sm.png$third-party -||nexage.advertising.com^$third-party -||nimblecommerce.com/widget.action? -||nitroflare.com/img/banners/ -||nitropdf.com/graphics/promo/$third-party -||nlsl.about.com/img?$third-party -||nocookie.net^*/wikiasearchads.js -||novadune.com^$third-party -||nster.com/tpl/this/js/popnster.js -||ntnd.net^*/store-buttons/ -||ntvcld-a.akamaihd.net^ -||nude.mk/images/$third-party -||numb.hotshare.biz^$third-party -||nwadealpiggy.com/widgets/ -||nzpages.co.nz^*/banners/ -||o2live.com^$third-party -||oas.luxweb.com^ -||oasap.com/images/affiliate/ -||obox-design.com/affiliate-banners/ -||ocp.cbs.com/pacific/request.jsp? -||oddschecker.com^*/widget?$third-party -||odin.goo.mx^ -||offers-service.cbsinteractive.com^$third-party -||offers.lendingtree.com/splitter/$third-party -||office.eteachergroup.com/leads/$third-party -||offidocs.com/community/$third-party -||oilofasia.com/images/banners/ -||ojooo.com/register_f/$third-party -||ojooo.com^*/banner_$third-party -||on.maxspeedcdn.com^ -||onecache.com/banner_ -||onegameplace.com/iframe.php$third-party -||oovoo.com^*/banners/ -||openload.co/reward/$xmlhttprequest -||optimus-pm.com^*_300-250.jpg -||organicprospects.com^*/banners/ -||origin.getprice.com.au/WidgetNews.aspx -||origin.getprice.com.au/widgetnewssmall.aspx -||oriongadgets.com^*/banners/ -||osobnosti.cz/images/casharena_ -||ouo.io/images/banners/ -||ouo.io^$script,third-party -||outdoorhub.com/js/_bookends.min.js -||overseasradio.com/affbanner.php? -||ovpn.to/ovpn.to/banner/ -||ownx.com^*/banners/ -||ox-i.cordillera.tv^ -||oxygenboutique.com/Linkshare/ -||p.pw/banners/$third-party -||p.smartertravel.com^$third-party -||padsdel.com^$third-party -||pagead2.googlesyndication.com^$~object-subrequest -||pagerage.com^$subdocument,third-party -||paidinvite.com/promo/ -||pan.dogster.com^$third-party -||partner.alloy.com^$third-party -||partner.bargaindomains.com^ -||partner.catchy.com^ -||partner.e-conomic.com^$third-party -||partner.premiumdomains.com^ -||partners.autotrader.co.uk^$third-party -||partners.betus.com^$third-party -||partners.dogtime.com/network/ -||partners.fshealth.com^ -||partners.optiontide.com^ -||partners.rochen.com^ -||partners.sportingbet.com.au^ -||partners.vouchedfor.co.uk^ -||partners.wrike.com^$third-party -||partners.xpertmarket.com^ -||payza.com/images/banners/ -||pb.s3wfg.com^ -||pcash.imlive.com^$third-party -||pcmall.co.za/affiliates/ -||pdl.viaplay.com/commercials/$third-party -||pearlriverusa.com/images/banner/ -||perfectforex.biz/images/*x$third-party -||perfectmoney.com/img/banners/$third-party -||ph.hillcountrytexas.com/imp.php?$third-party -||phobos.apple.com^$image,domain=dailymotion.com|youtube.com -||phonephotographytricks.com/images/banners/ -||photobucket.com^$image,domain=animerebel.com -||pianobuyer.com/pianoworld/ -||pianoteq.com/images/banners/ -||pic.pbsrc.com/hpto/ -||picoasis.net/3xlayer.htm -||pics.firstload.de^$third-party -||pjatr.com/b/$third-party -||pjatr.com/i/$third-party -||pjtra.com/b/$third-party -||pjtra.com/i/$third-party -||play-asia.com/paos-$third-party -||play-asia.com^$image,third-party -||playata.myvideo.de^$subdocument,third-party -||playbitcoingames.com/images/banners/ -||playfooty.tv/jojo.html -||plexidigest.com/plexidigest-300x300.jpg -||plista.com/async.js$domain=mirror.co.uk -||plista.com/async/min/video,outstream/$third-party -||plista.com/async/min/videoframe/$third-party -||plista.com/iframewidget.php?*&widgetname=i$subdocument -||plista.com/jsmodule/flash|$third-party -||plista.com/tiny/$third-party -||plista.com/upload/videos/$third-party -||plista.com/widgetdata.php?*%22pictureads%22%7D -||plista.com^*/resized/$third-party -||plus.net/images/referrals/*_banner_$third-party -||pm.web.com^$third-party -||pnet.co.za/jobsearch_iframe_ -||pntra.com/b/$third-party -||pntra.com/i/$third-party -||pntrac.com/b/$third-party -||pntrac.com/i/$third-party -||pntrs.com/b/$third-party -||pntrs.com/i/$third-party -||pokerjunkie.com/rss/ -||pokerroomkings.com^*/banner/$third-party -||pokersavvy.com^*/banners/ -||pokerstars.com/?source=$subdocument,third-party -||pokerstars.com/euro_bnrs/ -||popeoftheplayers.eu/ad -||popmog.com^$third-party -||pops.freeze.com^$third-party -||pornturbo.com/tmarket.php -||post.rmbn.ru^$third-party -||postaffiliatepro.com^*/banners/$image -||postimg.org^$image,domain=tubeoffline.com -||ppc-coach.com/jamaffiliates/ -||premium-template.com/banner/$third-party -||premium.naturalnews.tv^$third-party -||premiumtradings.com/media/images/index_banners/ -||press-start.com/affgames/$third-party -||presscoders.com/wp-content/uploads/misc/aff/$third-party -||pricedinfo.com^$third-party -||pricegrabber.com/cb_table.php$third-party -||pricegrabber.com/export_feeds.php?$third-party -||pricegrabber.com/mlink.php?$third-party -||pricegrabber.com/mlink3.php?$third-party -||priceinfo.comuv.com^ -||primedia.co.za/banners/ -||primeloopstracking.com/affil/ -||print2webcorp.com/widgetcontent/ -||privatewifi.com/swf/banners/ -||prizerebel.com/images/banner$third-party -||pro-gmedia.com^*/skins/ -||prod-skybet.s3.amazonaws.com^$domain=skysports.com -||products.gobankingrates.com^$domain=fortune.com -||promos.fling.com^ -||promote.pair.com^ -||promotions.iasbet.com^ -||propgoluxury.com/partners/$third-party -||proxies2u.com/images/btn/$third-party -||proxify.com/i/$third-party -||proxy.org/blasts.gif -||proxynoid.com/images/referrals/ -||proxyroll.com/proxybanner.php -||proxysolutions.net/affiliates/ -||pub.admedia.io^ -||pub.aujourdhui.com^$third-party -||pub.betclick.com^ -||pub.dreamboxcart.com^$third-party -||pub.sapo.pt/vast.php$object-subrequest -||pubexchange.com/module/*-prod$third-party -||pubexchange.com/modules/display/$script,third-party -||public.porn.fr^$third-party -||pubportal.brkmd.com^ -||pubs.hiddennetwork.com^ -||puntersparadise.com.au/banners/ -||purevpn.com/affiliates/ -||qualoo.net/now/interstitial/ -||quickflix*.gridserver.com^$third-party -||quirk.biz/webtracking/ -||racebets.com/media.php? -||rack.bauermedia.co.uk^ -||rackcdn.com/banner/$domain=enjore.com -||rackcdn.com^$script,domain=search.aol.com -||rackspacecloud.com/Broker%20Buttons/$domain=investing.com -||radiocentre.ca/randomimages/$third-party -||radioreference.com/sm/300x75_v3.jpg -||radioshack.com^*/promo/ -||radiotown.com/bg/ -||radiotown.com/splash/images/*_960x600_ -||radley.co.uk^*/Affiliate/ -||rapidgator.net/images/pics/$third-party -||rapidgator.net/images/pics/*_300%D1%85250_ -||rapidjazz.com/banner_rotation/ -||ratecity.com.au/widgets/$third-party -||ratesupermarket.ca/widgets/ -||rbth.ru/widget/$third-party -||rcm*.amazon.$third-party -||rdi.*.criteo.com^$third-party -||rdi.criteo.com^$third-party -||readme.ru/informer/$third-party -||realwritingjobs.com^*/banners/ -||red-tube.com^*.php?wmid=*&kamid=*&wsid=$third-party -||redbeacon.com/widget/$third-party -||redflagdeals.com/dealoftheday/widgets/$third-party -||redtram.com^$script,third-party -||refer.wordpress.com^$third-party -||regmyudid.com^*/index.html$third-party -||regnow.com/vendor/ -||rehost.to/?ref= -||relink.us/images/$third-party -||remax-malta.com/widget/$third-party -||rentalcars.com/affxml/$domain=news-headlines.co.za|nuus.info|sa-news.com|sa-radio.com|saffa.com|saukradio.com -||rentalcars.com/ELBanner.do?$third-party -||res3.feedsportal.com^ -||resources.heavenmedia.net/selection.php? -||rethinkbar.azurewebsites.net^*/ieflyout.js -||review78.com^$third-party -||rewards1.com/images/referralbanners/$third-party -||ribbon.india.com^$third-party -||richmedia.yahoo.com^$third-party -||rmgserving.com/rmgdsc/$script -||roadcomponentsdb.com^$subdocument,third-party -||roadrecord.co.uk/widget.js? -||roia.hutchmedia.com^$third-party -||roshansports.com/iframe.php -||roshantv.com/adad. -||rotabanner.kulichki.net^ -||rotator.tradetracker.net^ -||rsafind.co.za^$subdocument,third-party -||rsasearch.co.za^$subdocument,third-party -||rtax.criteo.com^$third-party -||runerich.com/images/sty_img/runerich.gif -||ruralpressevents.com/agquip/logos/$domain=farmonline.com.au -||russian-dreams.net/static/js/$third-party -||rya.rockyou.com^$third-party -||s-assets.tp-cdn.com/widgets/*/vwid/*.html? -||s-yoolk-banner-assets.yoolk.com^ -||s-yoolk-billboard-assets.yoolk.com^ -||s.cxt.ms^$third-party -||s1.wp.com^$subdocument,third-party -||s11clickmoviedownloadercom.maynemyltf.netdna-cdn.com^$third-party -||s1now.com^*/takeovers/ -||s3.amazonaws.com/dmas-public/rubicon/bundle.js -||s3.amazonaws.com/draftset/banners/ -||safarinow.com/affiliate-zone/ -||sailthru.com^*/horizon.js -||salefile.googlecode.com^$third-party -||salemwebnetwork.com/Stations/images/SiteWrapper/ -||sat-shop.co.uk/images/$third-party -||satshop.tv/images/banner/$third-party -||sbhc.portalhc.com^$third-party -||schenkelklopfer.org^*pop.js -||schurzdigital.com/deals/widget/ -||sciencecareers.org/widget/$third-party -||sciremedia.tv/images/banners/ -||scoffopedia.com/images/banner$third-party -||scoopdragon.com/images/Goodgame-Empire-MPU.jpg -||screenconnect.com/miscellaneous/ScreenConnect-$image,third-party -||scribol.com/txwidget$third-party -||searchportal.information.com/?$third-party -||seatplans.com/widget|$third-party -||secondspin.com/twcontent/ -||secretmedia.s3.amazonaws.com^ -||securep2p.com^$subdocument,third-party -||secureserver.net^*/event? -||seedboxco.net/*.swf$third-party -||seedsman.com/affiliate/$third-party -||selectperformers.com/images/a/ -||selectperformers.com/images/elements/bannercolours/ -||servedby.keygamesnetwork.com^ -||servedby.yell.com^$third-party -||server.freegamesall.com^$third-party -||server4.pro/images/banner.jpg -||serverjs.net/scripts/$third-party -||service.smscoin.com/js/sendpic.js -||serving.portal.dmflex.com^$domain=thisdaylive.com -||settleships.com^$third-party -||sfcdn.in/sailfish/$script -||sfimg.com/images/banners/ -||sfimg.com/SFIBanners/ -||sfm-offshore.com/images/banners/ -||sfstatic.com^*/js/fl.js$third-party -||shaadi.com^*/get-banner.php? -||shaadi.com^*/get-html-banner.php? -||shareasale.com/image/$third-party -||shareflare.net/images/$third-party -||shariahprogram.ca/banners/ -||sharingzone.net/images/banner$third-party -||shawsuburbanauto.com^$subdocument,third-party -||shawsuburbanhomes.com^$subdocument,third-party -||shink.in/js/script.js$third-party -||shop-top1000.com/images/ -||shop4tech.com^*/banner/ -||shopbrazos.com/widgets/ -||shopilize.com^$third-party -||shopping.com/sc/pac/sdc_widget_v2.0_proxy.js$third-party -||shorte.st/link-converter.min.js -||shorte.st^*/referral_banners/ -||shows-tv.net/codepopup.js -||shragle.com^*?ref= -||sidekickunlock.net/banner/ -||simplifydigital.co.uk^*/widget_premium_bb.htm -||simplyfwd.com/?dn=*&pid=$subdocument -||singlehop.com/affiliates/$third-party -||singlemuslim.com/affiliates/ -||sis.amazon.com/iu?$third-party -||sisters-magazine.com/iframebanners/$third-party -||sitegiant.my/affiliate/$third-party -||sitegrip.com^*/swagbucks- -||sitescout-video-cdn.edgesuite.net^ -||skydsl.eu/banner/$third-party -||slickdeals.meritline.com^$third-party -||slot.union.ucweb.com^ -||slysoft.com/img/banner/$third-party -||smart.styria-digital.com^ -||smartasset.com/embed.js -||smartdestinations.com/ai/$third-party -||smartdreamers.hu/embed/$subdocument,third-party -||smblock.s3.amazonaws.com^ -||smilepk.com/bnrsbtns/ -||snacktools.net/bannersnack/ -||snapdeal.com^*.php$third-party -||sndkorea.nowcdn.co.kr^$third-party -||socialmonkee.com/images/$third-party -||socialorganicleads.com/interstitial/ -||softneo.com/popup.js -||source.esportsheaven.com^$subdocument -||speedbit.com^*-banner1- -||speedppc.com^*/banners/ -||splashpagemaker.com/images/$third-party -||sponsorandwin.com/images/banner- -||sportsbetaffiliates.com.au^$third-party -||sportsdigitalcontent.com/betting/ -||spot.im/yad/ -||sproutnova.com/serve.php$third-party -||squarespace.evyy.net^ -||srv.dynamicyield.com^$third-party -||srvv.co^$domain=foreverceleb.com -||srwww1.com^*/affiliate/ -||ssl-images-amazon.com/images/*/banner/$third-party,domain=~amazon.de -||ssshoesss.ro/banners/ -||stacksocial.com/bundles/$third-party -||stacksocial.com^*?aid=$third-party -||stalliongold.com/images/*x$third-party -||stargames.com/bridge.asp?$third-party -||static.*.criteo.net/design^$third-party -||static.*.criteo.net/flash^$third-party -||static.*.criteo.net/images^$third-party -||static.*.criteo.net/js/duplo^$third-party -||static.criteo.com/design^$third-party -||static.criteo.com/flash^$third-party -||static.criteo.com/images^$third-party -||static.criteo.com/js/duplo^$third-party -||static.criteo.net/design^$third-party -||static.criteo.net/flash^$third-party -||static.criteo.net/images^$third-party -||static.criteo.net/js/duplo^$third-party -||static.multiplayuk.com/images/w/w- -||static.tradetracker.net^$third-party -||staticworld.net/images/*_skin_ -||stats.hosting24.com^ -||stats.sitesuite.org^ -||stopadblock.info^$third-party -||storage.to/affiliate/ -||streaming.rtbiddingplatform.com^ -||strikeadcdn.s3.amazonaws.com^$third-party -||structuredchannel.com/sw/swchannel/images/MarketingAssets/*/BannerAd -||stuff-nzwhistleout.s3.amazonaws.com^ -||stuff.com/javascripts/more-stuff.js -||stylefind.com^*?campaign=$subdocument,third-party -||subliminalmp3s.com^*/banners/ -||superherostuff.com/pages/cbmpage.aspx?*&cbmid=$subdocument,third-party -||supersport.co.za^*180x254 -||supersport.com/content/2014_Sponsor -||supersport.com/content/Sponsors -||supply.upjers.com^$third-party -||supplyframe.com/partner/ -||surf100sites.com/images/banner_ -||survey.g.doubleclick.net^ -||surveymonkey.com/jspop.aspx?$third-party -||surveywriter.net^$script,third-party -||survivaltop50.com/wp-content/uploads/*/Survival215x150Link.png -||svcs.ebay.com/services/search/FindingService/*^affiliate.tracking$third-party -||swarmjam.com^$script,third-party -||sweed.to/?pid=$third-party -||sweed.to/affiliates/ -||sweetwater.com/feature/$third-party -||sweeva.com/widget.php?w=$third-party -||swimg.net^*/banners/ -||synapsys.us/widgets/chatterbox/$third-party -||synapsys.us/widgets/dynamic_widget/$third-party -||synapsys.us^*/partner.js$third-party -||syndicate.payloadz.com^$third-party -||syndication.jsadapi.com^ -||syndication.visualthesaurus.com/std/vtad.js -||syndication1.viraladnetwork.net^ -||taboola.com^$domain=scoopwhoop.com -||tag.regieci.com^$third-party -||tags.sprizzy.com^ -||tags2.adshell.net^ -||take2.co.za/misc/bannerscript.php? -||takeover.bauermedia.co.uk^$~stylesheet -||talkfusion.com^*/banners/ -||tankionline.com/tankiref.swf -||tap.more-results.net^ -||tcmwebcorp.com/dtm/tc_global_dtm_delivery.js -||techbargains.com/inc_iframe_deals_feed.cfm?$third-party -||techbargains.com/scripts/banner.js$third-party -||techkeels.com/creatives/ -||tedswoodworking.com/images/banners/ -||textlinks.com/images/banners/ -||thaiforlove.com/userfiles/affb- -||thatfreething.com/images/banners/ -||theatm.info/images/$third-party -||thebigchair.com.au^$subdocument,third-party -||thebloggernetwork.com/demandfusion.js -||thefreesite.com/nov99bannov.gif -||themes420.com/bnrsbtns/ -||themify.me/banners/$third-party -||themis-media.com^*/sponsorships/ -||thereadystore.com/affiliate/ -||theseblogs.com/visitScript/ -||theseforums.com/visitScript/ -||theselfdefenseco.com/?affid=$third-party -||thetechnologyblog.net^*/bp_internet/ -||thirdpartycdn.lumovies.com^$third-party -||ti.tradetracker.net^ -||ticketkai.com/banner/ -||ticketmaster.com/promotionalcontent/ -||tickles.co.uk^$subdocument,third-party -||tickles.ie^$subdocument,third-party -||tigerdirect.com^*/affiliate_ -||timesinternet.in/ad/ -||tinypic.com^$domain=flysat.com -||tinyurl.com/4x848hd$subdocument -||tipico.*/affiliate/$third-party -||tipico.*?affiliateId=$third-party -||tiqiq.com/Tiqiq/WidgetInactiveIFrame.aspx?WidgetID=*&PublisherID=$subdocument,third-party -||tmbattle.com/images/promo_ -||tmearn.com^$image,third-party -||tmstorage.com^$domain=radioforge.com -||tmz.vo.llnwd.net^*_rightrail_200x987.swf -||todaysfinder.com^$subdocument,third-party -||toksnn.com/ads/ -||tonefuse.s3.amazonaws.com/clientjs/ -||top5result.com/promo/ -||topbinaryaffiliates.ck-cdn.com^$third-party -||topmedia.com/external/ -||topservers200.com/img/banners/ -||topspin.net/secure/media/$image,domain=youtube.com -||toptenreviews.com/r/c/ -||toptenreviews.com/w/af_widget.js$third-party -||torguard.net/images/aff/ -||torrentdosfilmeshd.ga^$script,third-party -||tosol.co.uk/international.php?$third-party -||townnews.com^*/dealwidget.css? -||townnews.com^*/upickem-deals.js? -||townsquareblogs.com^*=sponsor& -||toysrus.com/graphics/promo/ -||traceybell.co.uk^$subdocument,third-party -||track.bcvcmedia.com^ -||track.effiliation.com^$third-party -||tradeboss.com/1/banners/ -||travel-assets.com/ads/ -||travelmail.traveltek.net^$third-party -||travelplus.tv^$third-party,domain=kissanime.com -||treatme.co.nz/Affiliates/ -||tremorhub.com/pubsync? -||tremormedia.com/embed/js/*_ads.js -||tremormedia.com^*/tpacudeoplugin46.swf -||tremormedia.com^*_preroll_ -||trhnt.com/sx.tr.js -||trialfunder.com/banner/ -||trialpay.com^*&dw-ptid=$third-party -||tribktla.files.wordpress.com/*-639x125-sponsorship.jpg? -||tribwgnam.files.wordpress.com^*reskin2. -||tripadvisor.com/WidgetEmbed-*&partnerId=$domain=rbth.co.uk|rbth.com -||trivago.co.uk/uk/srv/$third-party -||tshirthell.com/img/affiliate_section/$third-party -||ttgtmedia.com/Marketing/ -||ttt.co.uk/TMConverter/$third-party -||turbobit.net/ref/$third-party -||turbobit.net/refers/$third-party -||turbotrafficsystem.com^*/banners/ -||turner.com^*/ads/ -||turner.com^*/promos/ -||twinplan.com^ -||twivert.com/external/banner234x60. -||u-loader.com/image/hotspot_ -||ubuntudeal.co.za^$subdocument,third-party -||ukcast.tv/adds/ -||ukrd.com/image/*-160x133.jpg -||ukrd.com/image/*-160x160.png -||ukrd.com/images/icons/amazon.png -||ukrd.com/images/icons/itunes.png -||ultimatewebtraffic.info/images/fbautocash -||uniblue.com^*/affiliates/ -||united-domains.de/parking/ -||united-domains.de^*/parking/ -||unsereuni.at/resources/img/$third-party -||upickem.net^*/affiliates/$third-party -||upload2.com/upload2.html -||uploaded.net/img/public/$third-party -||uploaded.to/img/public/$third-party -||uploaded.to/js/layer.js -||uploadgig.com/static/$third-party -||urtig.net/scripts/js3caf.js -||usenet.pw^$third-party -||usenetbucket.com^*-banner/ -||userscloud.com/images/banners/ -||usersfiles.com/images/72890UF.png -||usfine.com/images/sty_img/usfine.gif -||ussearch.com/preview/banner/ -||utility.rogersmedia.com^ -||valuechecker.co.uk/banners/$third-party -||vapeworld.com^*/banners/$third-party -||vaporizor.com^*/banners/$third-party -||vapornation.com^*/banner/$third-party -||vast.videe.tv/vast-proxy/ -||vcnewsdaily.com/images/vcnews_right_banner.gif -||vdownloader.com/pages/$subdocument,third-party -||vendor1.fitschigogerl.com^ -||veospot.com^*.html -||viagogo.co.uk/feeds/widget.ashx? -||videozr.com^$third-party -||vidible.tv/placement/vast/ -||vidible.tv/prod/tags/ -||vidyoda.com/fambaa/chnls/ADSgmts.ashx? -||viglink.com/api/batch^$third-party -||viglink.com/api/insert^$third-party -||viglink.com/api/optimize^$third-party -||viglink.com/api/products^$third-party -||viglink.com/api/widgets/offerbox.js$third-party -||viglink.com/images/pixel.gif -||vipfile.cc/images/$third-party -||viralize.tv/vast/ -||virool.com/widgets/$third-party -||virtuagirl.com/ref.php? -||virtuaguyhd.com/ref.php? -||visit.homepagle.com^$third-party -||visitorboost.com/images/$third-party -||vitabase.com/images/relationships/$third-party -||vittgam.net/images/b/ -||vivads.net/banners/ -||vix.*.criteo.net^$third-party -||vix.criteo.net^$third-party -||vodp-e-streamingmagentamusic360.tls1.yospace.com^$third-party -||vpn4all.com^*/banner/ -||vpnaffiliates.hidester.com^$third-party -||vpnarea.com/affiliate/ -||vpntunnel.se/aff/$third-party -||vpnxs.nl/images/vpnxs_banner -||vrvm.com/t? -||vultr.com/media/banner_ -||vuukle.com/affinity. -||vxite.com/banner/ -||wagital.com/Wagital-Ads.html -||walmartimages.com^*/HealthPartner_ -||warezhaven.org/warezhavenbann.jpg -||warrantydirect.co.uk/widgets/ -||washingtonpost.com/wp-srv/wapolabs/dw/readomniturecookie.html -||watch-free-movie-online.net/adds- -||watchme.com/track/$subdocument,third-party -||watersoul.com^$subdocument,third-party -||wealthyrush.com^*/banners/$third-party -||weatherthreat.com^*/app_add.png -||web-jp.ad-v.jp^ -||web.adblade.com^$third-party -||web2feel.com/images/$third-party -||webdev.co.zw/images/banners/$third-party -||webgains.com/link.html$third-party -||webmasterrock.com/cpxt_pab -||website.ws^*/banners/ -||whistleout.com.au^*/partners/$third-party -||whistleout.com/Widgets/$third-party -||whistleout.s3.amazonaws.com^ -||widgeo.net/popup.js -||widget.cheki.com.ng^$third-party -||widget.crowdignite.com^ -||widget.engageya.com/engageya_loader.js -||widget.imshopping.com^$third-party -||widget.jobberman.com^$third-party -||widget.kelkoo.com^ -||widget.raaze.com^ -||widget.scoutpa.com^$third-party -||widget.searchschoolsnetwork.com^ -||widget.shopstyle.com.au^ -||widget.shopstyle.com/widget?pid=$subdocument,third-party -||widget.solarquotes.com.au^ -||widget.wombo.gg^$third-party -||widgetcf.adviceiq.com^$third-party -||widgets.adviceiq.com^$third-party -||widgets.bankrate.com^$subdocument,third-party -||widgets.fie.futurecdn.net^$script -||widgets.itunes.apple.com^*&affiliate_id=$third-party -||widgets.junction.co.za^$third-party -||widgets.lendingtree.com^$third-party -||widgets.mobilelocalnews.com^$third-party -||widgets.mozo.com.au^$third-party -||widgets.privateproperty.com.ng^$third-party -||widgets.progrids.com^$third-party -||widgets.realestate.com.au^ -||widgets.skyscanner.net^$domain=euronews.com -||widgets.solaramerica.org^$third-party -||wildamaginations.com/mdm/banner/ -||windcdna.com/api/banner/ -||windycitymediagroup.com/gayandlesbianimages/ -||winpalace.com/?affid= -||winsms.co.za/banner/ -||wishlistproducts.com/affiliatetools/$third-party -||wlpinnaclesports.eacdn.com^ -||wm.co.za/24com.php? -||wm.co.za/wmjs.php? -||wonderlabs.com/affiliate_pro/banners/ -||worldcdn.net^*/banners/ -||worldnow.com/images/incoming/RTJ/rtj201303fall.jpg -||worldofjudaica.com/products/dynamic_banner/ -||worldofjudaica.com/static/show/external/ -||wp.com/*.postaffiliatepro.com/$third-party -||wp.com/adnetsreview.com/wp-content/uploads/*banner -||wp.com^*/linkwidgets/$domain=coedmagazine.com -||wpzoom.com/images/aff/$third-party -||wrapper.ign.com^$third-party -||ws.amazon.*/widgets/$third-party -||wsockd.com^$third-party -||wtpn.twenga.co.uk^ -||wtpn.twenga.de^ -||wtprn.com/images/$domain=rprradio.com -||wtprn.com/sponsors/ -||wupload.com/images/banners/ -||wupload.com/referral/$third-party -||x3cms.com/ads/ -||xcams.com/livecams/pub_collante/script.php?$third-party -||xgaming.com/rotate*.php?$third-party -||xigen.co.uk^*/Affiliate/ -||xingcloud.com^*/uid_ -||xml.exactseek.com/cgi-bin/js-feed.cgi?$third-party -||xproxyhost.com/images/banners/ -||xrad.io^*/hotspots/ -||yachting.org^*/banner/ -||yahoo.net^*/ads/ -||yb.torchbrowser.com^ -||yeas.yahoo.co.jp^ -||yieldmanager.edgesuite.net^$third-party -||yimg.com/gemini/pr/video_ -||yimg.com/gs/apex/mediastore/ -||yimg.com^*/dianominewwidget2.html$domain=yahoo.com -||yimg.com^*/quickplay_maxwellhouse.png -||yimg.com^*/sponsored.js -||yimg.com^*_skin_$domain=yahoo.com -||ynet.co.il^*/ynetbanneradmin/ -||yooclick.com^$subdocument,third-party -||you-cubez.com/images/banners/ -||youinsure.co.za/frame/$third-party -||yudu.co.nz^$subdocument,third-party -||zapads.zapak.com^ -||zazzle.com/utl/getpanel$third-party -||zazzle.com^*?rf$third-party -||zergnet.com/zerg-inf.js$third-party -||zeus.qj.net^ -||zeusfiles.com/promo/ -||ziffdavisenterprise.com/contextclicks/ -||ziffprod.com/CSE/BestPrice? -||ziffstatic.com/jst/zdsticky. -||ziffstatic.com/jst/zdvtools. -||zip2save.com/widget.php? -||zmh.zope.net^$third-party -||zoomin.tv/video/*.flv$third-party,domain=twitch.tv +||dyh1wzegu1j6z.cloudfront.net^ +||dyj8pbcnat4xv.cloudfront.net^ +||dykwdhfiuha6l.cloudfront.net^ +||dyodrs1kxvg6o.cloudfront.net^ +||dyrfxuvraq0fk.cloudfront.net^ +||dyv1bugovvq1g.cloudfront.net^ +||dz6uw9vrm7nx6.cloudfront.net^ +||dzbkl37t8az8q.cloudfront.net^ +||dzdgfp673c1p0.cloudfront.net^ +||dzr4v2ld8fze2.cloudfront.net^ +||dzu5p9pd5q24b.cloudfront.net^ +||dzupi9b81okew.cloudfront.net^ +||dzv1ekshu2vbs.cloudfront.net^ +||dzxr711a4yw31.cloudfront.net^ ! Google Hosted scripts ||googleapis.com/qmftp/$script -||googleapis.com/yieldlab/$script -! Used for VPN Warning ads -||trust.zone^$third-party -! Mobile -||iadc.qwapi.com^ ! Anti-Adblock -||0mme.com/static.js$script,third-party -||2enm.com/static.js$script,third-party -||chronophotographie.science^$third-party -||croix.science^$third-party -||d1nmk7iw7hajjn.cloudfront.net^ -||d3jgr4uve1d188.cloudfront.net^ -||d3ujids68p6xmq.cloudfront.net^ -||demande.science^$third-party -||em0n.com/static.js$script,third-party -||mn0e.com/static.js$script,third-party -||noadblock.net^$third-party -||noadblock.org^$third-party -||onfocus.io^$third-party -||secretmedia.com^$third-party -||zeste.top^$third-party +||anti-adblock.herokuapp.com^ ! *** easylist:easylist/easylist_thirdparty_popup.txt *** -||104.197.207.200^$popup -||104.198.188.213^$popup -||35.184.188.$popup -||4utro.ru^$popup -||5.39.67.191/promo.php?$popup -||6angebot.ch/?ref=$popup,third-party -||adfoc.us/serve/$popup,third-party -||admngronline.com^$popup,third-party -||adrotator.se^$popup -||adserving.unibet.com^$popup,third-party -||affiliates.galapartners.co.uk^$popup,third-party -||affportal-lb.bevomedia.com^$popup,third-party -||aliexpress.com/?af=$popup,third-party -||babylon.com/redirects/$popup,third-party -||babylon.com/welcome/index.html?affID=$popup,third-party -||banner.galabingo.com^$popup,third-party +||123-stream.org^$popup +||1wnurc.com^$popup +||6angebot.ch^$popup,third-party +||a1087.b.akamai.net^$popup +||ad.22betpartners.com^$popup +||adblockeromega.com^$popup +||adblockultra.com^$popup +||adcleanerpage.com^$popup +||addefenderplus.info^$popup +||adfreevision.com^$popup +||adobe.com/td_redirect.html$popup +||ads.planetwin365affiliate.com^$popup,third-party +||affiliates.fantasticbet.com^$popup +||amazing-dating.com^$popup +||americascardroom.eu/ads/$popup,third-party +||anymoviesearch.com^$popup +||avatrade.io/ads/$popup +||avengeradblocker.com^$popup +||awin1.com/cread.php?s=$popup +||babesroulette.com^$popup +||banners.livepartners.com^$popup +||best-global-apps.com^$popup +||bestanimegame.com^$popup +||bestsurferprotector.com^$popup,third-party ||bet365.com^*affiliate=$popup -||bettingpartners.com^$popup,third-party -||binaryoptions24h.com^$popup,third-party -||bit.ly^$popup,domain=vodlocker.com -||bitcoin-code.co^$popup -||bizinfoyours.info^$popup -||bongacams2.com/track$popup -||bovada.lv^$popup,third-party -||casino-x.com^*?partner=$popup,third-party -||casinoadviser.net^$popup -||cdn.optmd.com^$popup,third-party -||cdnfarm18.com^$popup,third-party -||chatlivejasmin.net^$popup -||chatulfetelor.net/$popup -||chaturbate.com/affiliates/$popup,third-party -||click.scour.com^$popup,third-party -||clickansave.net^$popup,third-party -||coolguruji.com/l.php?$popup -||ctcautobody.com^$popup,third-party -||d1110e4.se^$popup -||dateoffer.net/?s=*&subid=$popup,third-party -||elvenar.com^*?ref=$popup -||eroticmix.blogspot.$popup -||erotikdeal.com/?ref=$popup,third-party -||erotikdeal.com/advertising.html$popup,third-party +||bets.to^$popup +||bettingpremier.com/direct/$popup +||betzone2000.com^$popup +||blockadstop.info^$popup +||boom-bb.com^$popup +||brazzers.com/click/$popup +||broker-qx.pro^$popup +||canyoublockit.com^$popup,third-party +||cdn.optmd.com^$popup +||chaturbate.com/affiliates/$popup +||chinesean.com/affiliate/$popup +||cityscapestab.com^$popup +||cococococ.com^$popup +||consali.com^$popup +||cute-cursor.com^$popup +||cyberprivacy.pro^$popup +||dafabet.odds.am^$popup +||daily-guard.net^$popup +||datacluster.club^$popup +||dianomi.com^$popup +||downloadoperagx.com/ef/$popup +||e11956.x.akamaiedge.net^$popup +||eatcells.com/land/$popup +||eclipse-adblocker.pro^$popup +||esports1x.com^$popup ||evanetwork.com^$popup -||facebookcoverx.com^$popup,third-party +||exnesstrack.net^$popup ||fastclick.net^$popup +||fewrandomfacts.com^$popup ||firstload.com^$popup ||firstload.de^$popup -||flashplayer-updates.com^$popup -||fleshlight.com/?link=$popup,third-party -||free-rewards.com-s.tv^$popup -||fsoft4down.com^$popup -||fulltiltpoker.com/?key=$popup,third-party -||fulltiltpoker.com/affiliates/$popup,third-party -||fwmrm.net/ad/$popup -||generic4all.com^*.dhtml?refid=$popup,third-party -||getsecuredfiles.com^$popup,third-party -||greevid.com/exit_p/$popup -||hdplayer.li^$popup -||hdvid-codec.com^$popup -||hdvidcodecs.com^$popup -||hetu.in^$popup,third-party -||hmn-net.com^*/xdirect/$popup,third-party -||homemadecelebrityporn.com/track/$popup,third-party -||hop.clickbank.net/*&transaction_id=*&offer_id=$popup,third-party -||house-rent.us^$popup,third-party -||hyperlinksecure.com/back?token=$popup -||hyperlinksecure.com/go/$popup -||i2casting.com^$popup,third-party -||infinity-info.com/click?$popup,third-party -||iqoption.com/land/$popup,third-party -||itunes.apple.com^$popup,domain=fillinn.com -||iyfsearch.com^*&pid=$popup,third-party -||jackettrain.com^$popup,third-party -||laborates.com^$popup,third-party -||liutilities.com^*/affiliate/$popup -||lovefilm.com/partners/$popup,third-party -||lovepoker.de^*/?pid=$popup -||lp.ilivid.com/?$popup,third-party -||lp.imesh.com/?$popup,third-party -||lp.musicboxnewtab.com^$popup,third-party -||lp.titanpoker.com^$popup,third-party -||lsbet.com/bonus/$popup,third-party -||lumosity.com/landing_pages/$popup -||lyricsbogie.com/?$popup,third-party -||makemoneyonline.2yu.in^$popup -||market.space^$popup,third-party -||maxedtube.com/video_play?*&utm_campaign=$popup,third-party -||mcars.org/landing/$popup,third-party -||megacloud.com/signup?$popup,third-party -||meme.smhlmao.com^$popup,third-party -||mgid.com^$popup,third-party -||mp3ger.com^$popup,third-party -||mypromocenter.com^$popup -||myvpn.review^$popup,domain=cloudvideo.tv -||noowmedia.com^$popup -||opendownloadmanager.com^$popup,third-party -||otvetus.com^$popup,third-party -||paid.outbrain.com/network/redir?$popup,third-party -||pc.thevideo.me^$popup,third-party -||planet49.com/cgi-bin/wingame.pl?$popup -||platinumdown.com^$popup -||pokerstars.com^*/ad/$popup,third-party -||priceinfo.comuv.com^$popup -||profitmaximizer.co^$popup -||promo.galabingo.com^$popup,third-party -||promo.xcasino.com/?$popup,third-party -||protect-your-privacy.net/?$popup,third-party -||pub.ezanga.com/rv2.php?$popup -||rackcorp.com^$popup -||record.sportsbetaffiliates.com.au^$popup,third-party -||red-tube.com/popunder/$popup -||reviversoft.com^*&utm_source=$popup,third-party -||roblox.com/*&rbx_$popup -||rocketgames.com^$popup,third-party -||roomkey.com/referrals?$popup,third-party -||secure.komli.com^$popup,third-party -||serve.prestigecasino.com^$popup,third-party -||serve.williamhillcasino.com^$popup,third-party -||settlecruise.org^$popup -||sharecash.org^$popup,third-party -||skyearnmoney.com^$popup,domain=earnflies.com -||softingo.com/clp/$popup -||solarpond.xyz^$popup,domain=downloadhub.to -||stake7.com^*?a_aid=$popup,third-party -||stargames.com/bridge.asp?idr=$popup -||stargames.com/web/*&cid=*&pid=$popup,third-party -||sunmaker.com^*^a_aid^$popup,third-party -||sunnyplayer.com^*^aff^$popup,third-party -||thebestbookies.com^$popup,third-party -||thebestbookies.org/serve/$popup,third-party -||theseforums.com^*/?ref=$popup -||thesportstream.com^$popup,domain=sportcategory.org -||thetraderinpajamas.com^$popup,third-party -||tipico.com^*?affiliateid=$popup,third-party -||torntv-tvv.org^$popup,third-party -||track.mypcbackup.com^$popup,third-party -||track.xtrasize.nl^$popup,third-party -||tracker.lotto365.com^$popup,third-party -||tripadvisor.*/HotelLander?$popup,third-party -||truckingunlimited.com^$popup,domain=sharpfile.com -||ul.to/ref/$popup -||unibet.co.uk/*affiliate$popup,third-party -||unlimited-tv.show^$popup,third-party -||upbcd.info/vuze/$popup -||uploaded.net/ref/$popup -||urlcash.net/random*.php$popup -||urmediazone.com/play?ref=$popup,third-party -||virtuagirl.com/landing/$popup,third-party -||vkpass.com/*.php?*=$popup,third-party -||vpnfortorrents.org/?id=$popup,third-party -||wealth-at-home-millions.com^$popup,third-party -||weeklyprizewinner.com-net.info^$popup -||widget.yavli.com^$popup,third-party -||with-binaryoption.com^$popup,third-party -||withbinaryoptions.com^$popup,third-party -||wptpoker.com^$popup +||fleshlight.com/?link=$popup +||flirt.com/aff.php?$popup +||freeadblockerbrowser.com^$popup +||freegamezone.net^$popup +||fwmrm.net^$popup +||get-express-vpn.online^$popup +||get-express-vpns.com^$popup +||getflowads.net^$popup +||ggbet-online.net^$popup +||ggbetapk.com^$popup,third-party +||ggbetery.net^$popup +||ggbetpromo.com^$popup +||giftandgamecentral.com^$popup +||global-adblocker.com^$popup +||go.aff.estrelabetpartners.com^$popup +||go.camterest.com^$popup +||go.thunder.partners^$popup +||goodoffer24.com/go/$popup +||google.com/favicon.ico$popup +||greenadblocker.com^$popup +||hotdivines.com^$popup +||how-become-model.com^$popup +||insideoftech.com^$popup,third-party +||iqbroker.com/land/$popup +||iqbroker.com/lp/*?aff=$popup +||iqoption.com/land/$popup +||iyfsearch.com^$popup +||kingadblock.com^$popup +||l.erodatalabs.com^$popup +||laborates.com^$popup +||lbank.com/partner_seo/$popup +||linkbux.com/track?$popup +||lpquizzhubon.com^$popup +||mackeeperaffiliates.com^$popup +||meetonliine.com^$popup +||mmentorapp.com^$popup +||mycryptotraffic.com^$popup +||newtabextension.com^$popup +||ntrfr.leovegas.com^$popup +||nutaku.net/images/lp/$popup +||oceansaver.in/ajax/ad/$popup +||omegadblocker.com^$popup +||ourcoolstories.com^$popup +||pageloadstats.pro^$popup +||paid.outbrain.com^$popup +||partners.livesportnet.com^$popup +||performrecentintenselyinfo-program.info^$popup +||popgoldblocker.info^$popup +||profitsurvey365.live^$popup +||promo.20bet.partners^$popup +||promo.pixelsee.app^$popup +||protected-redirect.click^$popup +||quantumadblocker.com^$popup +||random-affiliate.atimaze.com^$popup +||record.affiliatelounge.com^$popup +||redir.tradedoubler.com/projectr/$popup +||romancezone.one^$popup +||serve.prestigecasino.com^$popup +||serve.williamhillcasino.com^$popup +||skiptheadz.com^$popup +||skipvideoads.com^$popup +||smartblocker.org^$popup +||somebestgamesus.com^$popup +||spanpromo-link.com^$popup +||stake.com/*&clickId=$popup +||teenfinder.com/landing/$popup,third-party +||theeverydaygame.com/lg/$popup,third-party +||theonlineuserprotection.com/download-guard/$popup +||theonlineuserprotector.com/download-guard/$popup +||theyellownewtab.com^$popup +||topgurudeals.com^$popup +||track.afrsportsbetting.com^$popup +||track.kinetiksoft.com^$popup +||track.livesportnet.com^$popup +||tracker.loropartners.com^$popup +||trak.today-trip.com^$popup +||ublockpop.com^$popup +||ultimate-ad-eraser.com^$popup +||unibet.co.uk/*affiliate$popup +||verdecasino-offers.com^$popup +||vid-adblocker.com^$popup +||vulkan-bt.com^$popup +||vulkanbet.me^$popup +||werbestandard.de/out2/$popup +||whataboutnews.com^$popup +||windadblocker.com^$popup +||xn--2zyr5r.biz^$popup +||xxxhd.cc/ads/$popup +||yield.app^*utm_source=$popup ! *** easylist:easylist_adult/adult_thirdparty.txt *** -.php?pub=*&trw_adblocker=$subdocument -/exports/livemodel/?$subdocument -/shantii.php?$xmlhttprequest -||193.34.134.18^*/banners/ -||193.34.134.74^*/banners/ -||204.140.25.247/ads/ -||213.174.130.10/banners/ -||213.174.130.8/banners/ -||213.174.130.9/banners/ -||213.174.140.76/js/showbanner4.js -||213.174.140.76^*/ads/ -||213.174.140.76^*/js/msn-$script -||213.174.140.76^*/js/msn.js +||18onlygirls.tv/wp-content/banners/ +||365.freeonlinegayporn.com^ +||3xtraffic.com/ads/ +||3xtraffic.com/common/000/cads/ +||4fcams.com/in/?track=$subdocument,third-party ||4tube.com/iframe/$third-party ||69games.xxx/ajax/skr? -||78.140.130.91^$domain=anysex.com -||79.120.183.166^*/banners/ -||88.208.23.$third-party,domain=xhamster.com -||88.85.77.94/rotation/$third-party -||91.83.237.41^*/banners/ -||a.sucksex.com^$third-party -||ad.duga.jp^ -||ad.favod.net^$third-party -||ad.iloveinterracial.com^ -||ad.traffmonster.info^$third-party -||adb.fling.com^$third-party -||ads.videosz.com^ -||adsrv.bangbros.com^$third-party -||adtools.gossipkings.com^$third-party -||adtools2.amakings.com^$third-party +||879.thebussybandit.com^ +||a.aylix.xyz^ +||a.cemir.site^ +||a.debub.site^ +||a.fimoa.xyz^ +||a.gemen.site^ +||a.groox.xyz^ +||a.herto.xyz^ +||a.hymin.xyz^ +||a.jamni.xyz^ +||a.xvidxxx.com^ +||a1tb.com/300x250$subdocument ||adult.xyz^$script,third-party -||adultdvd.com/plugins/*/store.html$third-party -||adultfax.com/service/vsab.php? ||adultfriendfinder.com/go/$third-party -||adultfriendfinder.com/images/banners/$third-party -||adultfriendfinder.com/javascript/$third-party -||adultfriendfinder.com/piclist?$third-party -||adultporntubemovies.com/images/banners/ -||aebn.net/banners/ -||aebn.net/feed/$third-party -||aff-jp.dxlive.com^$third-party -||aff-jp.exshot.com^$third-party -||affiliate.burn-out.tv^$third-party -||affiliate.dtiserv.com^$third-party -||affiliate.godaddy.com^$third-party -||affiliates.cupidplc.com^$third-party -||affiliates.easydate.biz^$third-party -||affiliates.franchisegator.com^$third-party +||adultfriendfinder.com/piclist? +||adultfriendfinder.com^*/affiliate/$third-party +||aff-jp.dxlive.com^ +||affiliate.dtiserv.com^ +||affiliates.cupidplc.com^ ||affiliates.thrixxx.com^ ||allanalpass.com/visitScript/ -||alt.com/go/$third-party ||amarotic.com/Banner/$third-party -||amarotic.com/rotation/layer/chatpage/$third-party -||amarotic.com^*?wmid=*&kamid=*&wsid=$third-party -||amateur.amarotic.com^$third-party -||amateurseite.com/banner/$third-party -||amazonaws.com^$xmlhttprequest,domain=watch8x.com|xmovies.to|xmovies247.com -||ambya.com/potdc/ -||animalsexfun.com/baner/ -||ard.sweetdiscreet.com^ +||amateur.tv/cacheableAjax/$subdocument +||amateur.tv/freecam/$third-party +||amateurporn.net^$third-party +||anacams.com/cdn/top. +||apps.dfgtfv.com^ +||asg.aphex.me^ +||asg.bhabhiporn.pro^ +||asg.irontube.net^ +||asg.prettytube.net^ ||asianbutterflies.com/potd/ ||asktiava.com/promotion/ -||assinclusive.com/cyonix.html -||assinclusive.com/linkstxt2.html ||atlasfiles.com^*/sp3_ep.js$third-party ||avatraffic.com/b/ -||awempt.com/embed/ -||b.turbo.az^$third-party -||babes.picrush.com^$third-party +||awestat.com^*/banner/ +||b.xlineker.com^ +||babes-mansion.s3.amazonaws.com^ ||bangdom.com^$third-party -||banner.69stream.com^$third-party -||banner.gasuki.com^$third-party -||banner.resulthost.org^$third-party -||banner.themediaplanets.com^$third-party -||banners*.spacash.com^$third-party -||banners.adultfriendfinder.com^$third-party -||banners.alt.com^$third-party -||banners.amigos.com^$third-party -||banners.blacksexmatch.com^$third-party -||banners.fastcupid.com^$third-party -||banners.fuckbookhookups.com^$third-party -||banners.nostringsattached.com^$third-party -||banners.outpersonals.com^$third-party -||banners.passion.com^$third-party -||banners.passiondollars.com^$third-party -||banners.payserve.com^$third-party -||banners.penthouse.com^$third-party -||banners.rude.com^$third-party -||banners.rushcommerce.com^$third-party -||banners.videosecrets.com^$third-party -||banners.webcams.com^$third-party +||banner.themediaplanets.com^ +||banners.adultfriendfinder.com^ +||banners.alt.com^ +||banners.amigos.com^ +||banners.fastcupid.com^ +||banners.fuckbookhookups.com^ +||banners.nostringsattached.com^ +||banners.outpersonals.com^ +||banners.passion.com^ +||banners.payserve.com^ +||banners.videosecrets.com^ ||bannershotlink.perfectgonzo.com^ -||bans.bride.ru^$third-party -||bbp.brazzers.com^$third-party -||bigmovies.com/images/banners/ -||blaaaa12.googlecode.com^ -||blackbrazilianshemales.com/bbs/banners/ -||blogspot.com^*/ad.jpg +||bans.bride.ru^ +||bit.ly^$domain=boyfriendtv.com +||blacksonblondes.com/banners/ ||bongacams.com/promo.php -||bongacash.com/dynamic_banner/ -||bongacash.com/promo.php -||bongacash.com/tools/promo.php$third-party -||br.blackfling.com^ +||bongacash.com/tools/promo.php ||br.fling.com^ -||br.realitykings.com^ -||brasileirinhas.com.br/banners/ ||brazzers.com/ads/ -||bulkhentai.com^$script,third-party -||bullz-eye.com/pictureofday/$third-party -||cache.worldfriends.tv^$third-party -||camelmedia.net/thumbs/$third-party +||broim.xyz^ +||bullz-eye.com/blog_ads/ +||bullz-eye.com/images/ads/ +||bup.seksohub.com^ +||bursa.conxxx.pro^ +||byxxxporn.com/300x250.html +||c3s.bionestraff.pro^ +||cam-content.com/banner/$third-party ||cams.com/go/$third-party -||cams.com/p/cams/cpcs/streaminfo.cgi?$third-party -||cams.enjoy.be^$third-party -||cams.spacash.com^$third-party -||camsoda.com/promos/$third-party -||camsrule.com/exports/$third-party -||cartoontube.com^$subdocument,third-party -||cash.femjoy.com^$third-party -||cdn.69games.xxx/common/images/friends/ -||cdn.epom.com^*/940_250.gif -||cdn.serverable.com/common/images/friends/ -||cdn13.com^$script,third-party,domain=~leafy.pro -||cdn77.org/images/userbanners/$domain=topescortbabes.com -||cdncache2-a.akamaihd.net^$third-party -||cdnjke.com^$third-party +||cams.enjoy.be^ +||camsaim.com/in/ +||camsoda.com/promos/ +||cash.femjoy.com^ +||cdn.007moms.com^ +||cdn.sphinxtube.com^ +||cdn.throatbulge.com^ +||cdn.turboviplay.com/ads.js +||cdn3.hentaihand.com^ +||cdn5.hentaihaven.fun^ ||chaturbate.com/affiliates/ ||chaturbate.com/creative/ -||chaturbate.com/in/?track=$subdocument,third-party -||chaturbate.com^*&campaign=*&track=$subdocument,third-party -||click.absoluteagency.com^$third-party -||click.hay3s.com^ -||click.kink.com^$third-party -||clickz.lonelycheatingwives.com^$third-party -||clipjunkie.com/sftopbanner$third-party -||closepics.com/media/banners/ -||cloudfront.net^$script,domain=avgle.com|mypornstarbook.net|pornscum.com|pornve.com|watch8x.com|xmovies.to|xmovies247.com -||cmix.org/teasers/? -||cockfortwo.com/track/$third-party -||content.liveuniverse.com^$third-party -||contentcache-a.akamaihd.net^$third-party -||core-queerclick.netdna-ssl.com^ -||core.queerclick.com^$third-party -||cp.intl.match.com^$third-party -||cpm.amateurcommunity.com^ +||chaturbate.com/in/ +||cldup.com^$domain=androidadult.com +||cmix.org/teasers/ ||creamgoodies.com/potd/ -||creative.stripchat.com^$third-party -||creative.strpjmp.com^$third-party -||crocogirls.com/croco-new.js -||cs.celebbusters.com^$third-party -||cs.exposedontape.com^$third-party -||d1mib12jcgwmnv.cloudfront.net^ -||d3ud741uvs727m.cloudfront.net^ -||dailyvideo.securejoin.com^ -||daredorm.com^$subdocument,third-party -||datefree.com^$third-party -||ddfcash.com/iframes/$third-party -||ddstatic.com^*/banners/ -||deal.maabm.com^$image,third-party -||desk.cmix.org^ -||devilgirls.co/images/devil.gif -||devilgirls.co/pop.js -||dom2xxx.com/ban/$third-party -||downloadsmais.com/imagens/download-direto.gif -||dump1.no-ip.biz^$third-party -||dvdbox.com/promo/$third-party -||dyn.primecdn.net^$third-party -||eliterotica.com/images/banners/ -||ero-advertising.com^*/banners/ -||erotikdeal.com/?ref=$third-party -||escortbook.com/banner_ -||escortforum.net/images/banners/$third-party -||eurolive.com/?module=public_eurolive_onlinehostess& -||eurolive.com/index.php?module=public_eurolive_onlinetool& -||evilangel.com/static/$third-party -||exposedemos.com/track/$third-party -||exposedteencelebs.com/banner/$third-party -||extremeladyboys.com/elb/banners/ -||f5porn.com/porn.gif -||fansign.streamray.com^$third-party -||fastcdn.me/js/snpp/ -||fastcdn.me/mlr/ -||fbooksluts.com^$subdocument,third-party -||fckya.com/lj.js +||creative.141live.com^ +||creative.camonade.com^ +||creative.camsplanetlive.com^ +||creative.favy.cam^ +||creative.imagetwistcams.com^$subdocument +||creative.javhdporn.live^ +||creative.kbnmnl.com^ +||creative.live.javdock.com^ +||creative.myasian.live/widgets/ +||creative.myavlive.com^ +||creative.ohmycams.com^ +||creative.strip.chat^ +||creative.stripchat.com^ +||creative.stripchat.global^ +||creative.strpjmp.com^ +||creative.tklivechat.com^ +||creative.usasexcams.com^ +||crumpet.xxxpornhd.pro^ +||cuckoldland.com/CuckoldLand728-X-90-2.gif +||dagobert33.xyz^ +||ddfcash.com^$third-party +||deliver.ptgncdn.com^ +||dq06u9lt5akr2.cloudfront.net^ +||e.mp4.center^ +||elitepaysites.com/ae-banners/ +||ero-labs.com/adIframe/ +||eroan.xyz/wp-comment/?form=$subdocument +||erokuni.xyz/wp-comment/?form=$subdocument +||f5w.prettytube.net^ +||fansign.streamray.com^ +||faphouse.com/widget/ +||faphouse.com^$subdocument,third-party +||faptrex.com/fire/popup.js +||fbooksluts.com^$third-party ||feeds.videosz.com^ -||femjoy.com/bnrs/$third-party -||ff.nsg.org.ua^ -||fgn.me^*/skins/ -||firestormmedia.tv^*?affid= ||fleshlight.com/images/banners/ -||fleshlight.com/images/peel/ -||freebbw.com/webcams.html$third-party -||freeonescams.com^$subdocument,third-party -||freeporn.hu/banners/ -||freexxxvideoclip.aebn.net^ -||freshnews.su/get_tizers.php? -||fuckhub.net^*?pid=$third-party -||gagthebitch.com/track/$third-party -||galeriaseroticas.xpg.com.br^$third-party -||galleries.videosz.com^$object,third-party -||gallery.deskbabes.com^*.php?dir=*&ids=$third-party -||gammasites.com/pornication/pc_browsable.php? -||gashot.yurivideos.com^ -||gateway-banner.eravage.com^$third-party -||geo.camazon.com^$third-party -||geo.cliphunter.com^ -||geo.frtya.com^ -||geo.frtyd.com^ +||fpcplugs.com/do.cgi?widget= +||free.srcdn.xyz^ +||freesexcam365.com/in/ +||funniestpins.com/istripper-black-small.jpg$third-party +||games-direct.skynetworkcdn.com^$subdocument,third-party +||gammae.com/famedollars/$third-party ||geobanner.adultfriendfinder.com^ ||geobanner.alt.com^ ||geobanner.blacksexmatch.com^$third-party ||geobanner.fuckbookhookups.com^$third-party +||geobanner.hornywife.com^ ||geobanner.sexfinder.com^$third-party -||geobanner.socialflirt.com^ +||gettubetv.com^$third-party ||gfrevenge.com/vbanners/ -||girls-home-alone.com/dating/ ||girlsfuck-tube.com/js/aobj.js +||go.clicknplay.to^ +||go.telorku.xyz/hls/iklan.js ||go2cdn.org/brand/$third-party -||graphics.pop6.com/javascript/$script,third-party,domain=~adultfriendfinder.co.uk|~adultfriendfinder.com -||graphics.streamray.com^*/cams_live.swf$third-party +||gpt.tubetruck.com^ ||hardbritlads.com/banner/ -||hardcoresexnow.com^$subdocument,third-party +||hardcoreluv.com/hmt.gif +||hcjs.nv7s.com/dewijzyo/ ||hdpornphotos.com/images/728x180_ ||hdpornphotos.com/images/banner_ -||hentaijunkie.com^*/banners/ +||hentaibaka.one^$script,third-party +||hentaiboner.com/wp-content/uploads/2022/07/hentai-boner-gif.gif ||hentaikey.com/images/banners/ -||highrollercams.com/widgets/$third-party +||hentaiworldtv.b-cdn.net/wp-content/uploads/2023/11/ark1.avif +||hime-books.xyz/wp-comment/?form=$subdocument ||hodun.ru/files/promo/ ||homoactive.tv/banner/ -||hornybirds.com^$subdocument,third-party -||hornypharaoh.com/banner_$third-party ||hostave3.net/hvw/banners/ ||hosted.x-art.com/potd$third-party +||hostedmovieupdates.aebn.net^$domain=datingpornstar.com ||hosting24.com/images/banners/$third-party ||hotcaracum.com/banner/ ||hotkinkyjo.xxx/resseler/banners/ ||hotmovies.com/custom_videos.php? -||hotsocialz.com^$third-party -||hwcdn.net^$media,domain=shesfreaky.com -||idealgasm.com^$subdocument,third-party ||iframe.adultfriendfinder.com^$third-party -||iframes.hustler.com^$third-party ||ifriends.net^$subdocument,third-party ||ihookup.com/configcreatives/ -||image.cecash.com^$third-party -||image.nsk-sys.com^$third-party ||images.elenasmodels.com/Upload/$third-party -||imageteam.org/upload/big/2014/06/22/53a7181b378cb.png -||imglnkc.com^$domain=publicxxxagent.com -||in.zog.link^ -||interracialbangblog.info/banner.jpg -||interracialbangblog.info^*-ban.png -||ipornia.com/*=*&$third-party -||ipornia.com/frends/$subdocument +||imctransfer.com^*/promo/ ||istripper.com^$third-party,domain=~istripper.eu -||ivitrine.buscape.com^$third-party -||js.picsomania.info^$third-party -||just-nude.com/images/ban_$third-party -||justcutegirls.com/banners/$third-party +||javhd.com/sb/javhd-970x170.jpg +||jeewoo.xctd.me^ ||kau.li/yad.js ||kenny-glenn.net^*/longbanner_$third-party -||kuntfutube.com/bgbb.gif ||lacyx.com/images/banners/ ||ladyboygoo.com/lbg/banners/ -||latinasheat.online^$subdocument,third-party -||latinteencash.com/potd/$third-party -||layers.spacash.com^$third-party ||lb-69.com/pics/ -||links.freeones.com^$third-party +||lifeselector.com/iframetool/$third-party ||livejasmin.com^$third-party,domain=~awempire.com ||livesexasian.com^$subdocument,third-party -||llnwd.net^*/takeover_ -||longmint.com/lm/banners/ ||loveme.com^$third-party -||lucasentertainment.com/banner/$third-party -||magazine-empire.com/images/pornstarad.jpg -||manager.koocash.fr^$third-party -||manhunt.net/?dm=$third-party -||map.pop6.com^$third-party -||match.com/landing/$third-party +||lovense.com/UploadFiles/Temp/$third-party +||makumva.all-usanomination.com^ ||media.eurolive.com^$third-party -||media.match.com^$third-party -||media.mykocam.com^$third-party ||media.mykodial.com^$third-party -||media.pussycash.com^$third-party -||megacash.warpnet.com.br^$third-party +||mediacandy.ai^$third-party ||metartmoney.com^$third-party -||metartmoney.met-art.com^$third-party -||mofomedia.nl/pop-*.js -||movies.spacash.com^*&th=180x135$script ||mrskin.com/affiliateframe/ -||mrskincdn.com^*/flash/aff/$third-party -||mrvids.com/network/$third-party -||ms.wsex.com^$third-party -||mtoon.com/banner/ +||mrvids.com/network/ ||my-dirty-hobby.com/?sub=$third-party -||mycams.com/freechat.php?$third-party -||myexposedgirlfriendz.com/pop/popuppp.js -||myexposedgirlfriendz.com/pop/popuprk.js -||myfreakygf.com/www/click/$third-party -||mykocam.com/js/feeds.js$third-party -||mysexjourney.com/revenue/$third-party -||naked.com/promos/$third-party -||nakedshygirls.com/bannerimg/ -||nakedswordcashcontent.com/videobanners/$third-party -||natuko-miracle.com/banner/$third-party -||naughtycdn.com/public/iframes/$third-party -||netvideogirls.com/adultfyi.jpg -||nubiles.net/webmasters/promo/$third-party +||mycams.com/freechat.php? +||mykocam.com/js/feeds.js +||mysexjourney.com/revenue/ +||n.clips4sale.com^$third-party +||n2.clips4sale.com^$third-party +||naked.com/promos/ +||nakedswordcashcontent.com/videobanners/ +||naughtycdn.com/public/iframes/ +||netlify.app/tags/ninja_$subdocument +||nnteens.com/ad$subdocument +||nubiles.net/webmasters/promo/ ||nude.hu/html/$third-party -||nudemix.com/widget/ -||nuvidp.com^$third-party -||odnidoma.com/ban/$third-party -||openadultdirectory.com/banner-$third-party -||orgasmtube.com/js/superP/ -||otcash.com/images/$third-party -||outils.f5biz.com^$third-party -||partner.loveplanet.ru^$third-party -||partners.heart2heartnetwork.$third-party -||partners.pornerbros.com^ -||paydir.com/images/bnr -||pcash.globalmailer5.com^$third-party -||pinkvisualgames.com/?revid=$third-party -||plugin-x.com/rotaban/ -||pod.manplay.com^$third-party -||pod.xpress.com^$third-party +||openadultdirectory.com/banner- +||otcash.com/images/ +||paperstreetcash.com/banners/$third-party +||partner.loveplanet.ru^ +||parts.akibablog.net^$subdocument +||partwithner.com/partners/ +||pcash.imlive.com^ +||pimpandhost.com/site/trending-banners +||pinkvisualgames.com/?revid= +||pirogad.tophosting101.com^ +||placeholder.com/300x250? +||placeholder.com/728x90? +||placeholder.com/900x250? +||pod.xpress.com^ ||pokazuwka.com/popu/ -||pop6.adultfriendfinder.com^$third-party -||pop6.com/banners/$third-party -||pop6.com/javascript/im_box-*.js -||porn2blog.com/wp-content/banners/ -||porncdns.com/popup/ +||popteen.pro/300x250.php ||porndeals.com^$subdocument,third-party -||pornhubpremium.com/relatedpremium/$subdocument,third-party -||pornoh.info^$image,third-party -||pornravage.com/notification/$third-party -||pornstarnetwork.com^*_660x70.jpg -||pornturbo.com/*.php?g=$subdocument,third-party -||pornturbo.com^*.php?*&cmp=$subdocument,third-party -||potd.onlytease.com^$third-party -||prettyincash.com/premade/$third-party -||prime.ms^$domain=primejailbait.com +||porngamespass.com/iframes/ +||prettyincash.com/premade/ +||prettytube.net^$third-party ||privatamateure.com/promotion/ -||private.camz.$third-party ||private.com/banner/ -||privatehomeclips.com/privatehomeclips.php?t_sid= -||profile.bharatmatrimony.com^$third-party -||promo.blackcrush.com^$third-party -||promo.cams.com^$third-party -||promo.pegcweb.com^$third-party -||promo1.webcams.nl^$third-party -||promos.gpniches.com^$third-party -||promos.meetlocals.com^$third-party -||promos.wealthymen.com^$third-party -||propbn.com/bonga/ -||ptcdn.mbicash.nl^$third-party -||punterlink.co.uk/images/storage/siteban$third-party -||pussycash.com/content/banners/$third-party -||pussysaga.com/gb/$third-party -||putana.cz/banners/ -||r18.com^*/banner/$third-party +||promo.blackdatehookup.com^ +||promo.cams.com^ +||promos.camsoda.com^ +||promos.gpniches.com^ +||promos.meetlocals.com^ +||ptcdn.mbicash.nl^ +||pub.nakedreel.com^ +||pussycash.com/content/banners/ +||pussysaga.com/gb/ +||q.broes.xyz^ +||q.ikre.xyz^ +||q.leru.xyz^ +||q.tubetruck.com^ +||r18.com/track/ ||rabbitporno.com/friends/ -||rabbitporno.com/iframes/$third-party -||rawtubelive.com/exports/$third-party +||rabbitporno.com/iframes/ ||realitykings.com/vbanners/ -||red-tube.com/dynbanner.php? -||redzxxxtube.com^$third-party -||resimler.randevum.com^$third-party -||rexcams.com/misc/iframes_new/ -||rotci.com/images/rotcibanner.png -||rough-sex-in-russia.com^*/webmaster/$third-party -||rss.dtiserv.com^$third-party -||ruleclaim.web.fc2.com^$third-party +||redhotpie.com.au^$domain=couplesinternational.com +||rhinoslist.com/sideb/get_laid-300.gif +||rss.dtiserv.com^ +||run4app.com^ ||ruscams.com/promo/ -||russkoexxx.com/ban/$third-party -||s1magnettvcom.maynemyltf.netdna-cdn.com^ -||sabin.free.fr^$third-party +||s.bussyhunter.com^ +||s3t3d2y8.afcdn.net^ ||saboom.com.pccdn.com^*/banner/ -||sadtube.com/chat/$script ||sakuralive.com/dynamicbanner/ ||scoreland.com/banner/ -||screencapturewidget.aebn.net^$third-party -||server140.com^$third-party -||sexgalaxy.net/pop +||sexei.net^$subdocument,xmlhttprequest ||sexgangsters.com/sg-banners/ -||sextoysgfs.com^*?fel=$third-party -||sextronix.*.cdnaccess.com^ -||sextronix.com/b/$third-party -||sextronix.com/images/$third-party +||sexhay69.top/ads/ +||sexmature.fun/myvids/ ||sextubepromo.com/ubr/ ||sexy.fling.com^$third-party ||sexycams.com/exports/$third-party ||share-image.com/borky/ -||shared.juicybucks.com^$third-party -||shemale.asia/sma/banners/ ||shemalenova.com/smn/banners/ -||shinypics.com/blogbanner/$third-party +||sieglinde22.xyz^ ||simonscans.com/banner/ +||skeeping.com/live/$subdocument,third-party +||skyprivate.com^*/external/$third-party ||sleepgalleries.com/recips/$third-party -||slickcash.com/flash/subtitles_$third-party ||smartmovies.net/promo_$third-party +||smpop.icfcdn.com^$third-party +||smyw.org/popunder.min.js ||smyw.org/smyw_anima_1.gif ||snrcash.com/profilerotator/$third-party -||spacash.com//v2bannerview.php? -||spacash.com/popup/$third-party -||spacash.com/tools/peel/ -||spankbang.xxx^$domain=spankbang.com -||spankcdn.net/dist/js/exbls.js -||spankcdn.net/js/sw.ready.js -||sponsor4cash.de/script/ ||st.ipornia.com^$third-party ||static.twincdn.com/special/license.packed ||static.twincdn.com/special/script.packed -||steadybucks.com^*/banners/ +||steeelm.online^$third-party ||streamen.com/exports/$third-party -||streamray.com/images/cams/flash/cams_live.swf +||stripchat.com/api/external/ ||stripchat.com^*/widget/$third-party -||surv.xbizmedia.com^ -||sweet.game-rust.ru^ ||swurve.com/affiliates/ -||t.co^$domain=adultfreex.com +||t.c-c.one/b/ +||t.c-c.one/z/ ||target.vivid.com^$third-party -||teendaporn.com/rk.js +||tbib.org/gaming/ +||teamskeetimages.com/st/banners/$third-party +||teenspirithentai.com^$third-party ||theporndude.com/graphics/tpd-$third-party -||theporndude.com/img/planetsuzy.png -||thrixxx.com/affiliates/$image -||thrixxx.com/scripts/show_banner.php? -||thumbs.sunporno.com^$third-party -||thumbs.vstreamcdn.com^*/slider.html +||thescript.javfinder.xyz^ ||tlavideo.com/affiliates/$third-party +||tm-banners.gamingadult.com^ ||tm-offers.gamingadult.com^ +||tongabonga.com/nudegirls ||tool.acces-vod.com^ ||tools.bongacams.com^$third-party -||tools.gfcash.com^$third-party -||tour.cum-covered-gfs.com^$third-party -||tours.imlive.com^$third-party ||track.xtrasize.nl^$third-party -||trader.erosdlz.com^$third-party -||ts.videosz.com/iframes/ -||tubefck.com^*/adawe.swf -||tumblr.com^*/tumblr_mht2lq0XUC1rmg71eo1_500.gif$domain=stocporn.com -||turbolovervidz.com/fling/ -||twiant.com/img/banners/ -||twilightsex.com^$subdocument,third-party -||txxx.com/axe/ +||undress.app/ad_banners/ +||unpin.hothomefuck.com^ +||uploadgig.com/static_/$third-party ||upsellit.com/custom/$third-party -||uramov.info/wav/wavideo.html ||uselessjunk.com^$domain=yoloselfie.com -||vectorpastel.com^$third-party -||venuscamz.com/in/?track=$subdocument,third-party +||vfreecams.com^$third-party ||vidz.com/promo_banner/$third-party ||vigrax.pl/banner/ -||viorotica.com^*/banners/ ||virtualhottie2.com/cash/tools/banners/ ||visit-x.net/promo/$third-party ||vodconcepts.com^*/banners/ -||vptbn.com^$subdocument,third-party -||vs3.com/_special/banners/ -||vserv.bc.cdn.bitgravity.com^$third-party -||vzzk.com/uploads/banners/$third-party -||wafflegirl.com/galleries/banner/ -||watchmygf.com/preview/$third-party +||vs4.com/req.php?z= +||vtbe.to/vtu_$script +||vy1.click/wp-comment/?form=$subdocument ||webcams.com/js/im_popup.php? ||webcams.com/misc/iframes_new/ -||webmaster.erotik.com^$third-party -||wendi.com/ipt/$third-party -||wetandpuffy.com/galleries/banners/ +||widget.faphouse.com^$third-party ||widgets.comcontent.net^ -||widgetssec.cam-content.com^ -||winkit.info/wink2.js +||widgets.guppy.live^$third-party +||wiztube.xyz/banner/ ||wp-script.com/img/banners/ -||wt.adtrue24.com^ -||xcabin.net/b/$third-party +||www.xz8.ru^ ||xlgirls.com/banner/$third-party -||xnxx.com^$third-party +||xnxx.army/click/ ||xtrasize.pl/banner/ -||xxtu.be^$subdocument,third-party -||yamvideo.com/pop1/ -||youfck.com^*/adawe.swf -||yplf.com/ram/files/sponsors/ -||ztod.com/flash/wall*.swf -||ztod.com/iframe/third/$subdocument -||zubehost.com/*?zoneid= +||xvirelcdn.click^ +||xxx.sdtraff.com^ +||y.sphinxtube.com^ +||you75.youpornsexvideos.com^ ! *** easylist:easylist_adult/adult_thirdparty_popup.txt *** -||1800freecams.com^$popup,third-party -||21sextury.com^$popup -||777livecams.com/?id=$popup,third-party +||ad.pornimg.xyz^$popup ||adultfriendfinder.com/banners/$popup,third-party ||adultfriendfinder.com/go/$popup,third-party -||aff.camplace.com^$popup,third-party -||amarotic.com/?$popup,third-party -||amarotic.com^*?wmid=$popup,third-party -||babecams.net/landing/$popup,third-party -||babereporters.info^$popup,domain=viewcube.org -||bbbp1.com^$popup,third-party -||benaughty.com/aff.php?$popup,third-party +||benaughty.com^$popup +||bongacams8.com/track?$popup +||brazzerssurvey.com^$popup ||cam4.com/?$popup -||camcity.com/rtr.php?aid=$popup -||candidvoyeurism.com/ads/$popup -||chaturbate.com/*/?join_overlay=$popup -||chaturbate.com/sitestats/openwindow/$popup -||cpm.amateurcommunity.*?cp=$popup,third-party -||devilsfilm.com/track/go.php?$popup,third-party -||epornerlive.com/index.php?*=punder$popup -||exposedwebcams.com/?token=$popup,third-party -||ext.affaire.com^$popup -||extremefuse.com/out.php?$popup -||fakehub.com/tour/$popup +||cam4.com^*&utm_source=$popup +||camonster.com/landing/$popup,third-party +||clicks.istripper.com/ref.php?$popup,third-party +||crmt.livejasmin.com^$popup +||crpdt.livejasmin.com^$popup +||crpop.livejasmin.com^$popup +||crprt.livejasmin.com^$popup ||fantasti.cc/ajax/gw.php?$popup -||fleshlight-international.eu^*?link=$popup,third-party -||fling.com/enter.php?$popup -||flirt4free.com/_special/pops/$popup,third-party -||flirt4free.com^*&utm_campaign$popup,third-party -||fuckbookhookups.com/go/$popup -||fuckbooknet.net/dating/$popup,third-party -||fuckshow.org^*&adr=$popup -||fucktapes.org/fucktube.htm$popup -||get-a-fuck-tonight.com^$popup -||hazeher.com/t1/pps$popup -||hdporn.to^$popup,third-party -||hqtubevideos.com/play.html$popup,third-party +||fapcandy.com^$popup,third-party +||flirthits.com/landing/$popup +||go.xhamsterlive.com^$popup +||hentaiheroes.com/landing/$popup,third-party ||icgirls.com^$popup ||imlive.com/wmaster.ashx?$popup,third-party +||info-milfme.com/landing/$popup ||ipornia.com/scj/cgi/out.php?scheme_id=$popup,third-party ||jasmin.com^$popup,third-party -||join.filthydatez.com^$popup,third-party -||join.teamskeet.com/track/$popup,third-party ||join.whitegfs.com^$popup -||judgeporn.com/video_pop.php?$popup +||landing1.brazzersnetwork.com^$popup ||letstryanal.com/track/$popup,third-party -||linkfame.com^*/go.php?$popup,third-party ||livecams.com^$popup ||livehotty.com/landing/$popup,third-party ||livejasmin.com^$popup,third-party -||mafia-linkz.to^$popup,third-party -||media.campartner.com/index.php?cpID=*&cpMID=$popup,third-party -||media.campartner.com^*?cp=$popup,third-party -||meetlocals.com^*popunder$popup -||mjtlive.com/exports/golive/?lp=*&afno=$popup,third-party -||mydirtyhobby.com/*?$popup,third-party -||myfreecams.com/?co_id=$popup -||offersuperhub.com/landing/$popup,third-party -||online.mydirtyhobby.com^*?naff=$popup,third-party -||pomnach.ru^$popup +||loveaholics.com^$popup +||mrskin.com/?_$popup +||naughtydate.com^$popup ||porngames.adult^*=$popup,third-party -||pornhub.com^*&utm_campaign=*-pop|$popup -||pornme.com^*.php?ref=$popup,third-party -||porno-onlain.info/top.php$popup -||pornoh.info^$popup -||postselfies.com^*?nats=$popup,third-party -||redlightcenter.com/?trq=$popup,third-party -||redtube.com/bid/$popup -||rudefinder.com/?$popup,third-party -||seekbang.com/cs/rotator/$popup -||seeme.com^*?aid=*&art=$popup -||sex.com/popunder/$popup -||sexier.com/services/adsredirect.ashx?$popup,third-party -||sexier.com^*_popunder&$popup -||sexsearchcom.com^$popup,third-party -||socialflirt.com/go/$popup,third-party -||streamate.com/landing/$popup -||teenslikeitbig.com/track/$popup,third-party -||textad.sexsearch.com^$popup -||topbucks.com/popunder/$popup -||tour.mrskin.com^$popup,third-party -||tube911.com/scj/cgi/out.php?scheme_id=$popup,third-party -||tuberl.com^*=$popup,third-party -||twistys.com/track/$popup,third-party -||upforit.com/ext.php$popup -||videobox.com/?tid=$popup -||videobox.com/tour/$popup -||videosz.com/search.php$popup,third-party -||videosz.com^*&tracker_id=$popup,third-party -||vidz7.pro^$popup -||visit-x.net/cams/*.html?*&s=*&ws=$popup,third-party -||vs3.com^$popup,third-party -||wantlive.com/landing/$popup -||webcams.com^$popup,third-party -||xdating.com/search/$popup,third-party -||xrounds.com/?lmid=$popup,third-party -||xvideoslive.com/?AFNO$popup,third-party -||xvideoslive.com/landing/$popup,third-party +||prelanding3.cuntempire.com/?utm_$popup +||tgp1.brazzersnetwork.com^$popup +||tm-offers.gamingadult.com^$popup +||together2night.com^$popup +||zillastream.com/api/$popup ! ----------------------Specific advert blocking filters-----------------------! ! *** easylist:easylist/easylist_specific_block.txt *** -.com/?*=$script,~third-party,domain=bestfunnyjokes4u.com|breakingisraelnews.com|theoswatch.com -.com/jquery/*.js?_t=$script,third-party -.info/*.js?guid=$script,third-party -.info^$script,domain=allmyvideos.net|mediafire.com|vidspot.net|vidtomp3.com -/3market.php?$domain=adf.ly|j.gs|q.gs -/af.php?$subdocument -/get/path/.banners.$image,third-party -/market.php?$domain=adf.ly -/nexp/dok2v=*/cloudflare/rocket.js$script,domain=ubuntugeek.com -/worker.php$domain=vodlocker.com|zippyshare.com -/wp-content/plugins/wbounce/*$script,domain=viralcraze.net -?random=$script,domain=allmyvideos.net|mediafire.com|vidspot.net -^guid=$script,domain=allmyvideos.net|mediafire.com|vidspot.net -|blob:$domain=101greatgoals.com|1337x.to|1channel.biz|1movies.is|4chan.org|allthetests.com|ancient-origins.net|antonymsfor.com|biology-online.org|britannica.com|champion.gg|colourlovers.com|convert-me.com|convertcase.net|crackberry.com|datpiff.com|destructoid.com|dreamfilm.se|fastpic.ru|filmlinks4u.is|firstrowau.eu|fullmatchesandshows.com|getinmybelly.com|gofirstrow.eu|homerun.re|imagefap.com|imgadult.com|imgtaxi.com|imgwallet.com|israelnationalnews.com|jerusalemonline.com|jewsnews.co.il|keepvid.com|kiplinger.com|kissmanga.com|kshowonline.com|letmewatchthis.pl|lolcounter.com|ludokado.com|merriam-webster.com|olympicstreams.me|openload.co|openload.pw|phonearena.com|phonesreview.co.uk|piratebay.tel|pocketnow.com|primewire.to|psu.com|rinf.com|roadracerunner.com|skidrowcrack.com|sockshare.net|sportspickle.com|streamgaroo.com|textsfromlastnight.com|torrentz2.eu|trifind.com|veteranstoday.com|videotoolbox.com|vidtodo.com|vidup.me|vivo.sx|vrheads.com|watchcartoononline.io|watchvideo.us|webfirstrow.eu -|http*://$image,other,third-party,domain=daclips.in|dropapk.com|mp3clan.one|powvideo.net|streamplay.to -|http*://$image,stylesheet,third-party,xmlhttprequest,domain=123movies.net|123moviesfree.com|clipconverter.cc|cmovieshd.com|dropapk.com|flyordie.com|halacima.net|kissanime.ru|kissmanga.com|mp3clan.one|otakustream.tv|otorrents.com|rgmechanicsgames.com|thepiratebay.cd -|http*://$script,third-party,domain=mp3clan.one -|http*://$subdocument,third-party,domain=123short.com|2ad.in|ad2links.com|adf.ly|adfoc.us|adjet.biz|adv.li|adyou.me|allmyvideos.net|ay.gy|daclips.in|imagenpic.com|imageshimage.com|imagetwist.com|imgmega.com|j.gs|linkbucksmedia.com|mortastica.com|mp3clan.one|prodsetter-in.com|q.gs|rgmechanicsgames.com|sh.st|sonomerit.com|vidcloud.co|vidspot.net -|http://creative.*/smart.js$script,third-party -|http://j.gs/omnigy*.swf -|http://p.pw^$subdocument -||1430wnav.com/images/300- -||1430wnav.com/images/468- -||1590wcgo.com/images/banners/ -||1up.com/scripts/takeover.js -||2ca.com.au/images/banners/ -||2cc.net.au/images/banners/ -||2ddl.vg^*/frndlduck-usnt- -||2flashgames.com/img/nfs.gif -||2gb.com^*/backgrounds/ -||2giga.link/jsx/download*.js +/assets/bn/movie.jpg$image,domain=vidstream.pro +/pmc-adm-v2/build/setup-ads.js$domain=bgr.com|deadline.com|rollingstone.com +/resolver/api/resolve/v3/config/?$xmlhttprequest,domain=msn.com +asgg.php$domain=ghostbin.me|paste.fo +||0xtracker.com/assets/advertising/ +||123.manga1001.top^ +||123animehub.cc/final +||1337x.*/images/x28.jpg +||1337x.*/images/x2x8.jpg +||1337x.to/js/vpn.js +||2024tv.ru/lib.js ||2merkato.com/images/banners/ ||2oceansvibe.com/?custom=takeover -||3dwallpaperstudio.com^*/hd_wallpapers.jpg -||560theanswer.com/upload/sponsor- -||a.cdngeek.net^ -||a.clipconverter.cc^ -||a.extremetech.com^ -||a.giantrealm.com^ -||a.gifs.com^ -||a.i-sgcm.com^ -||a.lolwot.com^ -||abc.com/abcvideo/*/mp4/*_Promo_$object-subrequest,domain=abc.go.com +||4f.to/spns/ +||a.1film.to^ +||abcnews.com/assets/js/adCallOverride.js ||aboutmyarea.co.uk/images/imgstore/ -||ad.cooks.com^ -||ad.crichd.in^ -||ad.digitimes.com.tw^ -||ad.directmirror.com^ -||ad.download.cnet.com^ -||ad.evozi.com^ -||ad.fnnews.com^ -||ad.itweb.co.za^ -||ad.jamster.com^ +||absoluteanime.com/!bin/skin3/ads/ +||ad.animehub.ac^ +||ad.doubleclick.net/ddm/clk/$domain=ad.doubleclick.net +||ad.imp.joins.com^ ||ad.khan.co.kr^ -||ad.lyricswire.com^ -||ad.mangareader.net^ -||ad.newegg.com^ -||ad.pandora.tv^ -||ad.reachlocal.com^ -||ad.search.ch^ -||ad.services.distractify.com^ -||ad.spreaker.com^ -||ad.theepochtimes.com^ -||adaderana.lk/banners/ -||addirector.vindicosuite.com^ -||adds.weatherology.com^ -||adf.ly/*.php?u=$script -||adf.ly/external/*/int.php -||adf.ly/networks/ -||adf.ly/puscript$script -||admeta.vo.llnwd.net^ -||ads-*.hulu.com^ -||ads.yahoo.com^ -||ads.zynga.com^ -||adsatt.abcnews.starwave.com^ -||adsatt.espn.starwave.com^ -||adserver.pandora.com^ -||adshare.freedocast.com^ -||adsor.openrunner.com^ -||adss.yahoo.com^ -||adstil.indiatimes.com^ -||adswikia.com^*banner -||aerotime.aero/upload/banner/ -||afl.com.au^*/sponsor- -||afloat.ie^*/banners/ -||afr.com^*/sponsored_ -||africanbusinessmagazine.com/images/banners/ -||africaonline.com.na^*/banners/ -||afternoondc.in/banners/ -||agriculturalreviewonline.com/images/banners/ -||ahk-usa.com/uploads/tx_bannermanagement/ -||ajnad.aljazeera.net^ -||akamai.net/*/Prerolls/Campaigns/ -||akamaihd.net/dub-dub-iad/$domain=amazon.ca|amazon.co.uk|amazon.com|amazon.com.au|amazon.fr -||akamaihd.net/priority/pushdown/$domain=itv.com -||akamaihd.net/zbar/takeovers/ -||akamaihd.net^*/ads/$domain=player.theplatform.com -||akamaized.net/images/lifeowner/$image,domain=op.gg -||akiba-online.com/forum/images/bs.gif -||akiba.ookami-cdn.net/images/subby.jpg$domain=akiba-online.com -||akinator.com/publicite_ -||akipress.com/_ban/ -||akipress.org/ban/ -||akipress.org/bimages/ -||alachuacountytoday.com/images/banners/ -||alarabiya.net/dms/takeover/ -||alaska-native-news.com/files/banners/ -||alatest.co.uk/banner/ -||alatest.com/banner/ -||alibi.com/?request_type=aimg -||all4divx.com/js/jscode2.js -||allclassical.org^*/banners/ -||allghananews.com/images/banners/ -||allhiphop.com/site_resources/ui-images/*-conduit-banner.gif -||allkpop.com^*/takeover/ -||allmovie.com^*/affiliate_ -||allmovieportal.com/dynbanner. -||allmusic.com^*_affiliate_ -||allmyvideos.net/js/ad_ -||allmyvideos.net^*/pu.js -||allsp.ch/feeder.php -||alt-market.com^*/banners/ +||ad.kimcartoon.si^ +||ad.kissanime.co^ +||ad.kissanime.com.ru^ +||ad.kissanime.org.ru^ +||ad.kissanime.sx^ +||ad.kissasian.com.ru^ +||ad.kissasian.es^ +||ad.kisscartoon.nz^ +||ad.kisscartoon.sh^ +||ad.kisstvshow.ru^ +||ad.l2b.co.za^ +||ad.norfolkbroads.com^ +||ad.ymcdn.org^ +||adblock-tester.com/banners/ +||adrama.to/bbb.php +||ads-api.stuff.co.nz^ +||ads.audio.thisisdax.com^ +||ads.tvmnews.mt^ +||ads.twdcgrid.com^ +||adsbb.depositfiles.com^ +||adsbb.depositfiles.org^ +||adsmg.fanfox.net^ +||adultswim.com/ad/ +||adw.heraldm.com^ +||afloat.ie/images/banners/ +||afr.com/assets/europa. +||aiimgvlog.fun/ad$subdocument +||aimclicks.com/layerad.js +||allkeyshop.com/blog/wp-content/uploads/*sale$image +||allkeyshop.com/blog/wp-content/uploads/allkeyshop_background_ +||allmonitors24.com/ads- ||amazon.com/aan/$subdocument -||amazonaws.com/files.bannersnack.com/$domain=~bannersnack.com -||amulyam.in^*banners$image -||anamera.com/DesktopModules/BannerDisplay/ -||anchorfree.com/delivery/ -||andr.net/banners/ -||androidcommunity.com/external_marketing/$subdocument -||angloinfo.com/sponsor/ -||anhits.com/files/banners/ -||aniwatcher.com/xvideo.js -||anonytext.tk/img/easycoin.jpg -||aolcdn.com/ads/$script -||aolcdn.com/os/moat/$script -||aps.dz^*/banners/ -||aravot.am/banner/ -||armenpress.am/static/add/ -||armyrecognition.com^*/customer/ -||as.inbox.com^ -||ascii-art-generator.org/cnc/$xmlhttprequest -||askbobrankin.com/awpopup*.js -||assets.stuff.co.nz^*/widget/$subdocument +||amazonaws.com/cdn.mobverify.com +||amazonaws.com/jsstore/$domain=babylonbee.com +||amazonaws.com^$domain=downloadpirate.com|hexupload.net|krunkercentral.com|rexdlbox.com|uploadhaven.com +||amcdn.co.za/scripts/javascript/dfp.js +||americanlookout.com//// +||americanlookout.com/29-wE/ +||ams.naturalnews.com^ +||andhrawishesh.com/images/banners/hergamut_ads/ +||androidauth.wpengine.com/wp-json/api/advanced_placement/api-$domain=androidauthority.com +||animationmagazine.net/wordpress/wp-content/uploads/TWR_AM_ +||animeland.tv/zenny/ +||anisearch.com/amazon +||api.gogoanime.zip/promo +||api.mumuglobal.com^ +||apkmody.io/ads +||arbiscan.io/images/gen/*_StylusBlitz_Arbiscan_Ad.png +||armyrecognition.com/images/stories/customer/ +||artdaily.cc/banners/ +||asgg.ghostbin.me^ +||assets.presearch.com/backgrounds/ +||atoplay.com/js/rtads.js +||atptour.com^*/sponsors/ +||attr-shift.dotabuff.com^ +||audiotag.info/images/banner_ +||aurn.com/wp-content/banners/ ||aveherald.com/images/banners/ -||avitop.com/image/mig-anim.gif -||avitop.com/image/mig.gif -||b92.net/images/banners/ -||ba.ccm2.net^ -||ba.kioskea.net^ +||azlyrics.com/local/anew.js +||b.cdnst.net/javascript/amazon.js$script,domain=speedtest.net +||b.w3techs.com^ +||backgrounds.wetransfer.net$image +||backgrounds.wetransfer.net/*.mp4$media ||bahamaslocal.com/img/banners/ -||bakercountypress.com/images/banners/ -||baku2015.com/imgml/sponsor/ -||batsman.com^*/SingerAd +||bbci.co.uk/plugins/dfpAdsHTML/ ||beap.gemini.yahoo.com^ -||beforeitsnews.com^*/banner_ -||bellevision.com/belle/adds/ -||benchmarkreviews.com^*/banners/ -||benzinga.com/investing/ -||bernama.com/banner/ +||beforeitsnews.com/img/banner_ +||benjamingroff.com/uploads/images/ads/ +||bernama.com/storage/banner/ ||bestblackhatforum.com/images/my_compas/ -||bestlistonline.info/link/ad.js -||bestvpn.com/wp-content/uploads/*/mosttrustedname_260x300_ -||bets4free.co.uk/content/5481b452d9ce40.09507031.jpg -||bettingsports.com/top_bonuses -||bettingsports.com/where_to_bet -||bettyconfidential.com/media/fmads/ -||beyondd.co.nz/ezibuy/$third-party,domain=stuff.co.nz -||bhaskar.com/ads/ -||biblegateway.com^*/bugs/ -||bibme.org/images/grammarly/ -||bigeddieradio.com/uploads/sponsors/ -||bigpoint.com/xml/recommender.swf? -||bigsports.tv/live/ado.php -||bikeforums.net/images/sponsors/ -||bikeradar.com/media/img/commercial/ -||bing.com/fblogout?$subdocument,domain=facebook.com -||binsearch.info/iframe.php +||bestlittlesites.com/plugins/advertising/getad/ +||bettingads.365scores.com^ +||bibleatlas.org/botmenu +||bibleh.com/b2.htm +||biblehub.com/botmenu +||biblemenus.com/adframe +||bigsquidrc.com/wp-content/themes/bsrc2/js/adzones.js +||bigwarp.io/js/big.js ||bioinformatics.org/images/ack_banners/ -||bips.channel4.com^*/backgrounds/$image,domain=channel4.com -||bit-tech.net/images/backgrounds/skin/ -||bit-url.com^*/kar.js -||bit.no.com/assets/images/bity.png -||bitcoinist.net/wp-content/*/630x80-bitcoinist.gif -||bitcoinist.net/wp-content/uploads/*_250x250_ -||bitcoinreviewer.com/wp-content/uploads/*/banner-luckybit.jpg -||bitminter.com/images/info/spondoolies -||bitreactor.to/sponsor/ -||bitreactor.to/static/subpage$subdocument -||bittorrent.am/banners/ -||bizanti.youwatch.org^ -||bizarremag.com/images/skin_ -||bizhub.vn^*/agoda-for-bizhub.jpg -||bkmag.com/binary/*/1380x800_ -||blaauwberg.net/banners/ -||blackberryforums.net/banners/ -||blackcaps.co.nz/img/commercial-partners/ -||blackchronicle.com/images/Banners- -||blackhatlibrary.net/hacktalk.png -||blacklistednews.com/images/*banner -||blacklistednews.com/images/July31stPRO.PNG -||blacklistednews.com/images/KFC.png -||blackpressusa.com^*/Ford.jpg -||blackpressusa.com^*250by300. -||blackpressusa.com^*300by250. -||blackpressusa.com^*300x250. -||blasternation.com/images/hearthstone.jpg +||bit.com.au/scripts/js_$script +||bitchute.com/slot1/value?adDataKey +||bitchute.com/static/ad-sidebar.html +||bitchute.com/static/ad-sticky-footer.html +||bitcotasks.com/je.php +||bitcotasks.com/yo.php +||bizjournals.com/static/dist/js/gpt.min.js ||blbclassic.org/assets/images/*banners/ -||bleacherreport.net/images/skins/ -||bleacherreport.net^*_redesign_skin_ -||blinkx.com/adhocnetwork/ -||blip.fm/ad/ -||blitzdownloads.com/promo/ -||blog.co.uk/script/blogs/afc.js -||blogevaluation.com/templates/userfiles/banners/ -||blogorama.com/images/banners/ -||blogsdna.com/wp-content/themes/blogsdna2011/images/advertisments.png -||blogsmithmedia.com^*_skin. -||blogsmithmedia.com^*_skin_ -||blogsmithmedia.com^*wallpaper$image,domain=joystiq.com -||blogspider.net/images/promo/ -||bloomberg.com^*/banner.js -||bn0.com/4v4.js -||bnrs.ilm.ee^ -||bolandrugby.com/images/sponsors. -||bom.gov.au/includes/marketing2.php? -||bontent.powvideo.net^ -||bonus.tvmaze.com^ -||bookingbuddy.com/js/bookingbuddy.strings.php?$domain=smartertravel.com -||borneobulletin.com.bn^*/banners/ -||botswanaguardian.co.bw/images/banners/ -||boulderjewishnews.org^*/JFSatHome-3.gif -||boxbit.co.in/banners/ -||boxlotto.com/banrotate. -||bp.blogspot.com^$image,domain=bdupload.info -||bp.blogspot.com^*%2bad*.jpg$domain=lindaikeji.blogspot.com -||bp.blogspot.com^*/poster*.jpg$domain=lindaikeji.blogspot.com -||bp.blogspot.com^*banner*.jpg$domain=lindaikeji.blogspot.com -||brandchannel.com/images/educationconference/ -||break.com^*/marketguide- -||brecorder.com^*/banners/ -||breitlingsource.com/images/govberg*.jpg -||breitlingsource.com/images/pflogo.jpg -||brenz.net/img/bannerrss.gif -||brightcove.com/js/BrightcoveExperiences.js$domain=java-forums.org -||bristolairport.co.uk/~/media/images/brs/blocks/internal-promo-block-300x250/ -||britishcolumbia.com/sys/ban.asp -||broadbandchoices.co.uk/aff.js -||broadbandforum.co/stock/ -||broadbandgenie.co.uk/images/takeover/ -||broadbandgenie.co.uk/img/talktalk/$image -||broadcastify.com/sm/ -||broadcastingworld.net/*-promo.jpg -||broadcastingworld.net/marquee- -||brobible.com/files/uploads/images/takeovers/ -||brothersoft.com/gg/center_gg.js -||brothersoft.com/gg/g.js -||brothersoft.com/gg/kontera_com.js -||brothersoft.com/gg/soft_down.js -||brothersoft.com/gg/top.js -||brothersoft.com/softsale/ -||brothersoft.com^*/float.js -||brothersoft.com^*/homepage_ppd.html -||brothersoft.com^*/softsale/ -||brownfieldonline.com^*/banners/ -||browsershots.org/static/images/creative/ +||blsnet.com/plugins/advertising/getad/ +||blue.ktla.com^ +||bookforum.com/api/ads/ +||booking.com/flexiproduct.html?product=banner$domain=happywayfarer.com +||bordeaux.futurecdn.net^ +||borneobulletin.com.bn/wp-content/banners/ +||boxing-social.com^*/takeover/ +||brighteon.tv/Assets/ARF/ ||brudirect.com/images/banners/ -||brudirect.com^*/wbanners/ -||bsvc.ebuddy.com/bannerservice/tabsaww -||bt-chat.com/images/affiliates/ -||bt.am/banners/ -||btdigg.org/images/btguard -||btkitty.com/static/images/880X60.gif -||btkitty.org/static/images/880X60.gif -||btmon.com/da/$subdocument -||bundesliga.com^*/_partner/ -||businessincameroon.com/images/stories/*_Banner_ -||businessincameroon.com/images/stories/pub/$image -||busiweek.com^*/banners/ -||bustocoach.com/*/banner_ -||bustocoach.com/*_banner/ -||buy-n-shoot.com/images/banners/banner- -||buy.com/*/textlinks.aspx -||buyselltrade.ca/banners/ -||buzzintown.com/show_bnr.php? -||buzznet.com/topscript.js.php? -||bvibeacon.com^*/banners/ -||bwp.theinsider.com.com^ -||bwwstatic.com^*skin.jpg$domain=broadwayworld.com -||bypassoxy.com/vectrotunnel-banner.gif -||c-sharpcorner.com^*/banners/ -||c-ville.com/image/pool/ -||c-ville.com^*_SiteWrap_ +||bscscan.com/images/gen/*.gif +||bugsfighter.com/wp-content/uploads/2020/07/malwarebytes-banner.jpg +||bullchat.com/sponsor/ ||c21media.net/wp-content/plugins/sam-images/ -||c9tk.com/images/banner/ -||caclubindia.com/campaign/ -||cad.donga.com^ -||cadplace.co.uk/banner/ -||cadvv.heraldm.com^ -||cadvv.koreaherald.com^ -||cafemomstatic.com/images/background/$image -||cafimg.com/images/other/ -||cafonline.com^*/sponsors/ -||caladvocate.com/images/banner- -||caledonianrecord.com/iFrame_ -||caledonianrecord.com/SiteImages/HomePageTiles/ -||caledonianrecord.com/SiteImages/Tile/ -||calgaryherald.com/images/sponsor/ -||calgaryherald.com/images/storysponsor/ -||calguns.net/images/ads -||cameroon-concord.com/images/banners/ -||canalboat.co.uk^*/bannerImage. -||canalboat.co.uk^*/Banners/ -||cananewsonline.com/files/banners/ -||cancomuk.com/campaigns/ -||candystand.com/game-track.do? -||canindia.com^*_banner.png -||cannabisjobs.us/wp-content/uploads/*/OCWeedReview.jpg -||canuckabroad.com^*/banners/ -||canvas.thenextweb.com^ -||capetownetc.com^*/wallpapers/ -||capitalethiopia.com/images/banners/ -||capitalfm.co.ke^*/830x460-iv.jpg -||capitolfax.com/wp-content/*ad. -||capitolfax.com/wp-content/*Ad_ -||captchaad.com/captchaad.js$domain=gca.sh -||caravansa.co.za/images/banners/ -||card-sharing.net/cccamcorner.gif -||card-sharing.net/topsharingserver.jpg -||card-sharing.net/umbrella.png -||cardomain.com/empty_pg.htm -||cardschat.com/pkimg/banners/ -||cardsharing.info/wp-content/uploads/*/ALLS.jpg -||carfinderph.com/files/banners/ -||cargonewsasia.com/promotion/ -||carpoint.com.au^*/banner.gif -||cars.com/go/includes/targeting/ -||cars.com/js/cars/catretargeting.js -||carsales.com.au^*/backgrounds/ -||carsguide.com.au/images/uploads/*_bg. -||carsguide.com.au^*/marketing/ -||carsuk.net/directory/panel-promo- -||cash9.org/assets/img/banner2.gif -||cast4u.tv/adshd.php -||cast4u.tv/fku.php -||castanet.net/clients/ -||casualgaming.biz/banners/ -||catalystmagazine.net/images/banners/ -||catholicculture.org/images/banners/ -||cbc.ca/deals/ -||cbc.ca/video/bigbox.html -||cbfsms.com^*-banner.gif -||cbn.co.za/images/banners/ -||cbn.co.za^*-mx/ -||cbn.co.za^*/mx- -||cbsinteractive.co.uk/cbsi/ads/ -||cbslocal.com/deals/widget/ -||cbslocal.com/rotatable? -||ccfm.org.za^*/sads/ -||cd1025.com/www/assets/a/ -||cd1025.com/www/img/btn- -||cdcovers.cc/images/external/toolbar -||cdmagurus.com/forum/cyberflashing.swf -||cdmagurus.com/img/*.gif -||cdmagurus.com/img/kcpf2.swf -||cdmediaworld.com*/! -||cdn-surfline.com/home/billabong-xxl.png -||cdn.bidvertiser.com^$domain=bidvertiser.com -||cdn.free-power-point-templates.com/images/aff/ -||cdn.turner.com^*/groupon/ -||cdn77.org^$domain=telerium.tv -||cdn77.org^$script,domain=kinox.to|vidup.me -||ceforum.co.uk/images/misc/PartnerLinks -||celebjihad.com/widget/widget.js$domain=popbytes.com +||cafonline.com/image/upload/*/sponsors/ +||calguns.net/images/ad +||calmclinic.com/srv/ +||caranddriver.com/inventory/ +||cdn.http.anno.channel4.com/m/1/$media,domain=uktvplay.co.uk +||cdn.manga9.co^ +||cdn.shopify.com^*/assets/spreadrwidget.js$domain=jolinne.com +||cdn.streambeast.io/angular.js +||cdn77.org^$domain=pricebefore.com +||cdnads.geeksforgeeks.org^ +||cdnpk.net/sponsor/$domain=freepik.com +||cdnpure.com/static/js/ads- +||celebjihad.com/celeb-jihad/pu_ ||celebstoner.com/assets/components/bdlistings/uploads/ -||celebstoner.com/assets/images/img/sidebar/*/freedomleaf.png -||celebstoner.com/assets/images/img/top/420VapeJuice960x90V3.gif -||centos.org/donors/ -||centralfm.co.uk/images/banners/ -||ceoexpress.com/inc/ads -||ceylontoday.lk^*/banner/ -||cghub.com/files/CampaignCode/ -||ch131.so/images/2etio.gif -||chaklyrics.com/add$subdocument -||channel4.com/assets/programmes/images/originals/$image -||channel4.com/bips/*/brand/$image -||channel4fm.com/images/background/ -||channel4fm.com/promotion/ -||channel5.com/assets/takeovers/ -||channelonline.tv/channelonline_advantage/ -||chapala.com/wwwboard/webboardtop.htm -||check-host.net/images/dguard -||checker.openwebtorrent.com/digital-ocean.jpg -||checkpagerank.net/banners/ -||checkwebsiteprice.com/images/bitcoin.jpg -||chelsey.co.nz/uploads/Takeovers/ -||chicagodefender.com/images/banners/ -||chinadaily.com.cn/s? -||chinanews.com/gg/ -||chinapost-track.com/images/pro/ -||chine.in/javascript/ci.js -||chronicle.lu/images/banners/ -||chronicle.lu/images/Sponsor_ -||churchmilitant.com^*/ad- -||churchnewssite.com^*-banner1. -||churchnewssite.com^*/banner- -||churchnewssite.com^*/bannercard- -||cinemablend.com/templates/tpl/reskin/$image -||cineplex.com/skins/ -||ciol.com/zedotags/ -||citationmachine.net/images/gr_ -||citationmachine.net/images/grammarly/ -||citeulike.org/static/campaigns/ -||citizen-usa.com/images/banners/ -||citybeat.co.uk^*/ads/ -||citywire.co.uk/wealth-manager/marketingcampaign? -||citywirecontent.co.uk^*/cw.oas.dx.js -||cjr.org/interstitial_ +||celebstoner.com/assets/images/img/sidebar/$image +||centent.stemplay.cc^ +||chasingcars.com.au/ads/ +||cinemadeck.com/ifr/ ||clarksvilleonline.com/cols/ -||classic-tv.com/burst$subdocument -||classic-tv.com/pubaccess.html -||classic97.net^*/banner/ -||classical897.org/common/sponsors/ -||classicsdujour.com/artistbanners/ -||clgaming.net/interface/img/sponsor/ -||click.livedoor.com^ -||clickfunnels.com^$image,domain=wckg.com -||clicks.superpages.com^ -||cloudfront.net/*-skin.$image,domain=shacknews.com -||cloudfront.net/*/takeover/$domain=offers.com -||cloudfront.net/*?$xmlhttprequest,domain=trueachievements.com -||cloudfront.net/advertizer/$domain=scroll.in -||cloudfront.net/ccmtblv2.png$domain=aim.org -||cloudfront.net/hot/ars.dart/$domain=arstechnica.com -||cloudfront.net/images/amazon/$domain=slader.com -||cloudfront.net^$domain=deadstate.org|dexerto.com|dotesports.com|greatergood.com|psychcentral.com|radaronline.com|uploadproper.com|uploadproper.net|vrv.co -||cloudfront.net^$subdocument,domain=slashdot.org -||cloudfront.net^*/CampaignPlacementArea.js$domain=ttgmedia.com -||cloudfront.net^*/shaadi.com/$domain=deccanchronicle.com -||cloudfront.net^*/sponsors/$domain=indycar.com|overwatchleague.com|pbs.org -||cloudyvideos.com/banner/ -||clubhyper.com/images/hannantsbanner_ -||clubplanet.com^*/wallpaper/ -||cmpnet.com/ads/ -||cms.myspacecdn.com^*/splash_assets/ -||cnet.com/imp? -||cnettv.com.edgesuite.net^*/ads/ -||cnetwidget.creativemark.co.uk^ -||cnn.com/ad- -||cnn.com/cnn_adspaces/ -||cnn.com^*/banner.html?&csiid= -||cnn.net^*/lawyers.com/ -||cntv.cn/Library/js/js_ad_gb.js -||cnx-software.com/pic/gateworks/ -||cnx-software.com/pic/technexion/ -||coastfm.ae/images/background/ -||coastfm.ae/promotion/ -||coastweek.com/banner_ -||coastweek.com/graffix/ -||cocomment.com/banner? -||codecguide.com/beforedl2.gif -||codecguide.com/driverscan2.gif -||codecguide.com/driverscantop1.gif -||codenull.net/images/banners/ -||coderanch.com/shingles/ -||coinad.com/op.php? -||coinmarketcap.com/static/sponsored/ -||coinpedia.org/wp-content/uploads/2018/08/crypto-ticker.jpg -||coinpedia.org/wp-content/uploads/2018/08/lpc-banner-website.gif -||coinurl.com/bootstrap/js/bootstrapx-clickover.js -||coinurl.com/bottom.php -||coinurl.com/get.php? -||coinurl.com/nbottom.php? -||coinwarz.com/content/images/genesis-mining-eth-takeover- -||collarme.com/anv/ -||collarme.com/zone_alt.asp -||collector.viki.io^ -||colombiareports.com/wp-content/banners/ -||coloradomedicalmarijuana.com/images/sidebar/banner- -||com-a.in/images/banners/ -||com.com/cnwk.1d/aud/ -||comicbookresources.com/assets/images/skins/ -||comicgenesis.com/tcontent.php?out= -||comparestoreprices.co.uk/images/promotions/ -||compassnewspaper.com/images/banners/ -||complaintsboard.com/img/202x202.gif -||complaintsboard.com/img/300x250anti.gif -||complaintsboard.com/img/banner- -||compleatgolfer.com^*/wallpaper/ -||complexmedianetwork.com^*/takeovers/ -||complexmedianetwork.com^*/toolbarlogo.png -||computerandvideogames.com^*/promos/ -||computerhelp.com/temp/banners/ -||computerworld.com^*/jobroll/ -||con-telegraph.ie/images/banners/ -||concealednation.org/sponsors/ -||concrete.tv/images/banners/ -||connectionstrings.com/csas/public/a.ashx? -||conscioustalk.net/images/sponsors/ -||console-spot.com^*.swf -||constructionreviewonline.com^*730x90 -||constructionreviewonline.com^*banner -||consumerreports.org^*/sx.js -||content.streamplay.to^ -||converse.tm-awx.com^ -||convert-me.com/js/aaw.cm.js -||convertmyimage.com/images/banner-square.png -||conwaydailysun.com/images/banners/ -||conwaydailysun.com/images/Tiles_Skyscrapers/ -||coolfm.us/lagos969/images/banners/ -||coolmath-games.com/images/160-notice.gif -||coolmath.net/*-medrect.html -||copblock.org/wp-content/uploads/*/covert-handcuff-key-AD- -||copdfoundation.org^*/images/sponsors/ -||cops.com^*/copbanner_ -||coryarcangel.com/images/banners/ -||cosplay.com/1lensvillage.gif -||counterthink.com/xml/ -||countrychannel.tv/telvos_banners/ -||cphpost.dk^*/banners/ -||cpub.co.uk/a? -||crabcut.net/banners/ -||crabcut.net/popup.js -||crackdb.com/img/vpn.png -||cramdodge.com/mg- -||craveonline.com/gnads/ -||crazy-torrent.com/web/banner/0xxx0.net.jpg -||crazy-torrent.com/web/banner/online.jpg -||crazymotion.net/video_*.php?key= -||createtv.com/CreateProgram.nsf/vShowcaseFeaturedSideContentByLinkTitle/ +||cloudfront.net/ads/$domain=wdwmagic.com +||cloudfront.net/j/wsj-prod.js$domain=wsj.com +||cloudfront.net/transcode/storyTeller/$media,domain=amazon.ae|amazon.ca|amazon.cn|amazon.co.jp|amazon.co.uk|amazon.com|amazon.com.au|amazon.com.br|amazon.com.mx|amazon.com.tr|amazon.de|amazon.eg|amazon.es|amazon.fr|amazon.in|amazon.it|amazon.nl|amazon.pl|amazon.sa|amazon.se|amazon.sg +||cloudfront.net^$domain=rexdlbox.com|titantv.com +||cloudfront.net^*/sponsors/$domain=pbs.org +||cnbcfm.com/dist/components-PcmModule-Taboola- +||cnx-software.com/wp-content/uploads/*/cexpress-asl-COM-Express-Amston-Lake-module.webp +||cnx-software.com/wp-content/uploads/*/EmbeddedTS-TS-7180-embedded-SBC.webp +||cnx-software.com/wp-content/uploads/*/Forlinx-NXP-System-on-Modules.webp +||cnx-software.com/wp-content/uploads/*/gateworks-rugged-industrial-iot.webp +||cnx-software.com/wp-content/uploads/*/GrapeRain-Samsun-Rockchip-Qualcomm-System-on-Modules.webp +||cnx-software.com/wp-content/uploads/*/I-Pi-SMARC-Amston-Lake-devkit.webp +||cnx-software.com/wp-content/uploads/*/Jetway-JPIC-ADN1-N97-industrial-SBC.webp +||cnx-software.com/wp-content/uploads/*/Mekotronics-R58.webp +||cnx-software.com/wp-content/uploads/*/Orange-Pi-Single-Board-Computer.jpg +||cnx-software.com/wp-content/uploads/*/Radxa-ROCK-5C-SBC.webp +||cnx-software.com/wp-content/uploads/*/Radxa-ROCK5-ITX.webp +||cnx-software.com/wp-content/uploads/*/Raspberry-Pi-4-alternative-2023-SBC.webp +||cnx-software.com/wp-content/uploads/*/rikomagic-android-digital-signage-player-2023.webp +||cnx-software.com/wp-content/uploads/*/Rockchip-RK3576-SoM-Raspberry-Pi-CM4-alternative.webp +||cnx-software.com/wp-content/uploads/*/Rockchip-RK3588S-8K-SBC-with-WIFI-6.webp +||cnx-software.com/wp-content/uploads/*/UGOOS-2024-TV-box-remote-control.webp +||cnx-software.com/wp-content/uploads/*/Youyeetoo-RK3568-RK3588S-SBC-Intel-X1-SBC-December-2024.webp +||coincheck.com/images/affiliates/ +||coingolive.com/assets/img/partners/ +||computeralliance.com.au/ws/PartsWS.asmx/GetAdvertisingLeft +||convert2mp3.club/dr/ +||coolcast2.com/z- +||coolors.co/ajax/get-ads +||corvetteblogger.com/images/banners/ +||covertarget.com^*_*.php ||creatives.livejasmin.com^ -||creattor.net/flashxmlbanners/ -||credio.com/ajax_get_sponsor_listings? -||cricbuzz.com/js/banners/ -||crichd.tv/temp/$subdocument -||cricket.com.au^*/Sponsor%20Rotator/ +||cricbuzz.com/api/adverts/ ||cricketireland.ie//images/sponsors/ -||cricruns.com/images/hioxindia- -||crmbuyer.com^*/sda/ -||crow.com^*/biggreendot.png -||crown.co.za^*/banners/ -||crunchyroll.*/vast? -||crunchyroll.com/config/*-ads/ -||crushorflush.com/html/promoframe.html -||cruzine.com^*/banners/ -||crystalmedianetworks.com^*-180x150.jpg -||csgobackpack.net/653x50. -||cship.org/w/skins/monobook/uns.gif -||ctmirror.org/randomsupporter/ -||ctrl.blog/ac/rba? -||ctv.ca/ctvresources/js/ctvad.js -||ctv.ca/Sites/Ctv/assets/js/ctvDfpAd.js -||cur.lv/bootstrap/js/bootstrapx-clickover.js -||cur.lv/nbottom.php? -||currency.wiki/images/out/ -||custompcreview.com/wp-content/*-bg-banner.jpg -||cybergamer.com/skins/ -||d-addicts.com^*/banner/ -||d-h.st/assets/img/download1.png -||d.annarbor.com^ -||d.businessinsider.com^ -||d.gossipcenter.com^ -||d.imwx.com/js/wx-a21-plugthis- -||d.thelocal.com^ -||d10lumateci472.cloudfront.net^ -||d2fbkzyicji7c4.cloudfront.net^ -||d2gqmq0lf9q8i2.cloudfront.net^*.gif$domain=heromaza.in -||d2na2p72vtqyok.cloudfront.net^ -||d2uepos3ef6db0.cloudfront.net^ -||d3asksgk2foh5m.cloudfront.net^ -||d5e.info/1.gif -||d5e.info/2.png -||d6vwe9xdz9i45.cloudfront.net/psa.js$domain=sporcle.com -||da.feedsportal.com^$~subdocument -||dabs.com/images/page-backgrounds/ -||dacash.streamplay.to^ -||daily-sun.com^*/banner/ -||dailyblogtips.com/wp-content/uploads/*.gif -||dailycommercial.com/inc.php? -||dailydeal.news-record.com/widgets/ -||dailydeals.sfgate.com/widget/ -||dailyexpress.com.my/banners/ -||dailyexpress.com.my/image/banner/ -||dailyfreegames.com/js/partners.html -||dailyherald.com^*/contextual.js -||dailyhome.com/leaderboard_banner -||dailymail.co.uk/i/pix/ebay/ -||dailymail.co.uk/modules/commercial/ -||dailymail.co.uk^*/promoboxes/ -||dailymirror.lk/media/images/Nawaloka- -||dailymotion.com/images/ie.png -||dailymotion.com/masscast/ -||dailymotion.com/skin/data/default/partner/$~stylesheet -||dailynews.co.tz/images/banners/ -||dailynews.co.zw^*-takeover. -||dailynews.gov.bw^*/banner_ -||dailynews.lk^*/webadz/ -||dailypioneer.com/images/banners/ -||dailypuppy.com/images/livestrong/ls_diet_120x90_1.gif -||dailysabah.com/banner/ -||dailytimes.com.pk/banners/ -||dailytrust.com.ng/Image/LATEST_COLEMANCABLE.gif -||dailytrust.info/images/banners/ -||dailytrust.info/images/dangote.swf -||dailywritingtips.com^*/publisher2.gif -||dainikbhaskar.com/images/sitetakover/ -||darknet.org.uk/images/acunetix_ -||darknet.org.uk^*-250x250. -||darknet.org.uk^*/do468. -||dash.tmearn.com^ -||datpiff.com/skins/misc/ -||davesite.com^*/aff/ -||dayport.com/ads/ -||dbs.autolatest.ro^ -||dbstalk.com/sponsors/ -||dcad.watersoul.com^ -||dcdn.lt/adbam/$domain=en.delfi.lt -||dcdn.lt/b/$domain=delfi.lt -||dcdn.lt/d/a/tsw$image,domain=delfi.lt -||dcdn.lt/en/i/banners/$domain=en.delfi.lt -||dcnihosting.com^$image,domain=daltondailycitizen.com -||dcourier.com/SiteImages/Banner/ -||ddccdn.com/js/google_ -||ddl2.com/header.php? -||deadspin.com/sp/ -||deals.cultofmac.com^$subdocument -||deals.iphonehacks.com^$subdocument -||deals.ledgertranscript.com^ -||deborah-bickel.de/banners/ -||deccanchronicle.com^*-banner- -||deccanchronicle.com^*-searchquad-300100.swf -||deccanchronicle.com^*/shaadi.com/ -||decryptedtech.com/images/banners/ -||defenceweb.co.za/images/sponsorlogos/ -||defenceweb.co.za/logos/ -||defensereview.com^*_banner_ -||delivery.vidible.tv^$domain=java-forums.org|linuxforums.org -||delvenetworks.com^*/acudeo.swf$object-subrequest,~third-party -||demerarawaves.com/images/banners/ -||depic.me/bann/ -||depositphotos.com^$subdocument,third-party -||deseretnews.com/img/sponsors/ -||deshvidesh.com/banner/ -||designtaxi.com/js/i-redirector.js -||desiretoinspire.net/storage/layout/modmaxbanner.gif -||desiretoinspire.net/storage/layout/royalcountessad.gif -||desiretoinspire.net^*/mgbanner.gif -||desiretoinspire.net^*125x125 -||desixpress.co.uk/image/banners/ -||detnews.com^*/sponsor/ -||detroitindependent.net/images/ad_ -||develop-online.net/static/banners/ -||devicemag.com^$subdocument,~third-party -||devour.com/*skin -||devshed.com/images/backgrounds/$image -||devtools2.networkcities.net/wp-content/uploads/output_trLIFi.gif$domain=smallseotools.com -||devx.com/devx/3174.gif -||dezeen.com/wp-content/themes/dezeen-aa-hpto-mini-sept-2014/ -||dictionary.cambridge.org/info/frame.html?zone= -||dictionary.com^*/serp_to/ -||digdug.divxnetworks.com^ -||digitaljournal.com/promo/ -||digitalreality.co.nz^*/360_hacks_banner.gif -||digitaltveurope.net/wp-content/uploads/*_wallpaper_ -||digitizor.com/wp-content/digimages/xsoftspyse.png -||digzip.com^*baner.swf -||diplodocs.com/shopping/sol.js -||diply.com/campaigns/ -||diply.com/cms/bb/ -||dippic.com/images/banner -||dishusa.net/templates/flero/images/book_sprava.gif -||dispatch.com^*/dpcpopunder.js -||display.superbay.net^ -||distrogeeks.com/images/sponsors/ -||distrowatch.com/images/kokoku/ -||distrowatch.com^*-*.gif -||distrowatch.com^*/3cx.png -||distrowatch.com^*/advanced-admin. -||dividendchannel.com/toprankedsm.gif -||diytrade.com/diyep/dir?page=common/ppadv& -||djluv.in/android.gif -||djmag.co.uk/sites/default/files/takeover/ -||djmag.com/sites/default/files/takeover/ -||djtunes.com^*/adbg/ -||dkm6b5q0h53z4.cloudfront.net^ -||dl-protect.com/pop.js -||dm.codeproject.com/dm?$image -||dmcdn.net/mc/$domain=dailymotion.com -||dmxleo.dailymotion.com/cdn/manifest/video/ -||dnsstuff.com/dnsmedia/images/*_banner.jpg -||dnsstuff.com/dnsmedia/images/ft.banner. -||doge-dice.com/images/faucet.jpg -||doge-dice.com/images/outpost.png -||dogechain.info/content/img/a -||domainmarket.com/mm/ -||domaintools.com/eurodns_ -||domaintools.com/marketing/ -||domaintools.com/partners/ -||dominicantoday.com^*/banners/ -||dontblockme.modaco.com^ -||dontent.streamplay.to^$popup,script -||dota-trade.com/img/branding_ -||doubleclick.net/gampad/ads?*^vpos^$domain=cbs.com -||doubleviking.com/ss.html -||downforeveryoneorjustme.com/images/dotbiz_banner.jpg -||downforeveryoneorjustme.com/js/bsa.js -||downloadian.com/assets/banner.jpg -||dprogram.net^*/rightsprites.png -||dpstatic.com/banner.png? -||dpstatic.com/s/ad.js -||drakulastream.tv/pu/$script -||dramabay.com/y/$subdocument -||dreamscene.org^*_Banner. -||drhinternet.net/mwimgsent/ -||drivearchive.co.uk/amazon/ -||drivearchive.co.uk/images/amazon. -||driverdb.com^*/banners/ -||drivereasy.com/wp-content/uploads/*/sidebar-DriverEasy-buy.jpg -||droidgamers.com/images/banners/ -||dsogaming.com/interstitial/ -||dubcnm.com/Adon/ -||duckduckgo.com/i.js?o=a& -||duckduckgo.com/m.js -||duckduckgo.com/share/spice/amazon/ -||duckduckgo.com/y.js -||duckload.com/js/abp.php? -||dump8.com/tiz/ -||dump8.com/wget.php -||dump8.com/wget_2leep_bottom.php -||durbannews.co.za^*_new728x60.gif -||dustcoin.com^*/image/ad- -||dvdvideosoft.com^*/banners/ -||dwarfgames.com/pub/728_top. -||dyncdn.celebuzz.com/assets/ -||dyncdn.me/static/20/js/expla*.js$domain=rarbg.to|rarbg2019.org|rarbgaccess.org|rarbgmirror.com|rarbgmirror.org|rarbgmirrored.org|rarbgproxy.org|rarbgprx.org|rarbgto.org -||e2e.mashable.com^ -||e90post.com/forums/images/banners/ -||eacash.streamplay.to^ -||earthlink.net^*/promos/ -||earthmoversmagazine.co.uk/nimg/ -||eastonline.eu/images/banners/ -||eastonline.eu/images/eng_banner_ -||easybytez.com/pop3.js -||easydiy.co.za/images/banners/ -||eatsleepsport.com/images/manorgaming1.jpg -||eawaz.com^*/ml-slider/ -||ebay.com^*/ScandalLoader.js -||ebayrtm.com/rtm?RtmCmd*&enc= -||ebayrtm.com/rtm?RtmIt -||ebaystatic.com/aw/pics/signin/*_signInSkin_ -||ebaystatic.com/aw/signin/*_wallpaper_$image +||cript.to/dlm.png +||cript.to/z- +||crn.com.au/scripts/js_$script +||crunchy-tango.dotabuff.com^ +||cybernews.com/images/tools/*/banner/ +||cyberscoop.com/advertising/ +||d1lxz4vuik53pc.cloudfront.net^$domain=amazon.ae|amazon.ca|amazon.cn|amazon.co.jp|amazon.co.uk|amazon.com|amazon.com.au|amazon.com.br|amazon.com.mx|amazon.com.tr|amazon.de|amazon.eg|amazon.es|amazon.fr|amazon.in|amazon.it|amazon.nl|amazon.pl|amazon.sa|amazon.se|amazon.sg +||daily-sun.com/assets/images/banner/ +||dailylook.com/modules/header/top_ads.jsp +||dailymail.co.uk^*/linkListItem-$domain=thisismoney.co.uk +||dailymirror.lk/youmaylike +||dailynews.lk/wp-content/uploads/2024/02/D-E +||data.angel.digital/images/b/$image +||deltabravo.net/admax/ +||depressionforums.org/wp-content/uploads/2023/05/balban.jpg.webp +||designtaxi.com/js/dt-seo.js +||designtaxi.com/small-dt.php$subdocument +||detectiveconanworld.com/images/support-us-brave.png +||dev.to/billboards/sidebar_left^ +||dev.to^*/billboards/post_body_bottom^ +||dev.to^*/billboards/post_comments^ +||dev.to^*/billboards/post_sidebar^ +||developer.mozilla.org/pong/ +||deviantart.com/_nsfgfb/ +||devopscon.io/session-qualification/$subdocument +||dianomi.com/brochures.epl? +||dianomi.com/click.epl +||dictionary.com/adscripts/ +||digitalmediaworld.tv/images/banners/ +||diglloyd.com/js2/pub-wide2-ck.js +||dirproxy.com/helper-js +||dmtgvn.com/wrapper/js/manager.js$domain=rt.com +||dmxleo.dailymotion.com^ +||dnslytics.com/images/ads/ +||domaintyper.com/Images/dotsitehead.png +||dominicantoday.com/wp-content/themes/dominicantoday/banners/ +||download.megaup.net/download +||draftkings.bbgi.com^$subdocument +||dramanice.ws/z-6769166 +||drive.com.au/ads/ +||dsp.aparat.com^ +||duplichecker.com/csds/ +||e.cdngeek.com^ +||earth.cointelegraph.com^ +||easymp3mix.com/js/re-ads-zone.js +||ebay.com/scl/js/ScandalLoader.js +||ebaystatic.com/rs/c/scandal/ ||ebaystatic.com^*/ScandalJS- -||ebaystatic.com^*/ScandalSupportGFA- -||ebaystatic.com^*/x-frame-4.html -||ebizblitz.co.za/upload/ad/ -||ebizmbainc.netdna-cdn.com/images/tab_sponsors.gif -||ebookshare.net/pages/lt.html -||ebookshare.net^*/streamdirect160x600_ -||ebuddy.com/textlink.php? -||ebuddy.com/web_banners/ -||ebuddy.com/web_banners_ -||eclipse.org/membership/promo/images/ -||eco-business.com^*/site_partners/ -||ecommerce-journal.com/specdata.php? -||ecommercetimes.com^*/sda/ -||economictimes.com/etmpat/ -||economist.com.na^*/banners/ -||economist.com^*/timekeeper-by-rolex-medium.png -||ecostream.tv/assets/js/pu.min.js -||ecostream.tv/js/pu.js +||eccie.net/provider_ads/ ||ed2k.2x4u.de/mfc/ -||edgedatg.com^*/AdCountdownPlugin.swf$object-subrequest,domain=abc.go.com -||edmunds.com/api/savesegment? -||educationbusinessuk.net/images/stage.gif -||egamer.co.za^*-background- -||ehow.co.uk/frames/directas_ -||ehow.com/images/brands/ -||ehow.com/marketing/ -||ehow.com/media/ad.html^ -||ejb.com/300_250 -||ejpress.org/images/banners/ -||ejpress.org/img/banners/ -||ejpress.org^*-banner. -||ekantipur.com/uploads/banner/ -||elasticbeanstalk.com^$other,domain=boreburn.com|yourtailorednews.com -||electricenergyonline.com^*/bannieres/ -||electronicsfeed.com/bximg/ -||elevenmyanmar.com/images/banners/ -||elgg.org/images/hostupon_banner.gif -||elivetv.in/pop/ -||elocallink.tv^*/showgif.php? -||embed.xinhuanet.com^ +||edge.ads.twitch.tv^ +||eentent.streampiay.me^ +||eevblog.com/images/comm/$image +||elil.cc/pdev/ +||elil.cc/reqe.js ||emoneyspace.com/b.php -||empirestatenews.net/Banners/ -||emule-top50.com/extras/$subdocument -||emuleday.com/cpxt_$subdocument -||energytribune.com/res/banner/ ||engagesrvr.filefactory.com^ -||england.fm/i/ducksunited120x60english.gif -||englishgrammar.org/images/30off-coupon.png -||englishtips.org/b/ -||environmental-finance.com^*banner -||environmental-finance.com^*rotate.gif -||epicshare.net/p1.js -||epictv.com/sites/default/files/290x400_ -||episodic.com^*/logos/player- -||eprop.co.za/images/banners/ -||eq2flames.com/images/styles/eq2/images/banner -||escapementmagazine.com/wp-content/banners/ -||espn.co.uk/espnuk/williamhill/ -||espn.co.uk/espnuk/williamhill_ -||espn.co.uk^*/viagogo_sports.html -||espn.vad.go.com^$domain=youtube.com -||espn1320.net/get_preroll.php? -||esportlivescore.com/img/fano_ -||esportlivescore.com/img/fanobet_ -||esportlivescore.com/img/vitalbet. -||esportsheaven.com/media/skins/$image -||essayinfo.com/img/125x125_ -||essayscam.org^*/ads.js -||esus.com/images/regiochat_logo.png +||engine.fxempire.com^ +||engine.laweekly.com^ ||eteknix.com/wp-content/uploads/*skin -||eteknix.com/wp-content/uploads/*Takeover -||etidbits.com/300x250news.php -||euphonik.dj/img/sponsors- +||etherscan.io/images/gen/cons_gt_ +||etools.ch/scripts/ad-engine.js +||etxt.biz/data/rotations/ +||etxt.biz/images/b/ ||eurochannel.com/images/banners/ -||eurocupbasketball.com^*/sponsors- -||eurodict.com/images/banner_ -||euroleague.net^*/sponsors- -||euronews.com/media/farnborough/farnborough_wp.jpg -||european-rubber-journal.com/160x600px_ -||europeonline-magazine.eu/banner/ -||europeonline-magazine.eu/nuroa/ -||euroweb.com^*/banner/ -||eva.ucas.com^ -||eve-search.com/gge.gif -||eventful.com/tools/click/url? -||evernote.com/prom/img/ -||everythingsysadmin.com^*_sw_banner120x600_ -||evolutionm.net/SponsorLogos/ -||evony.com/sevonyadvs2. -||eweek.com/images/stories/marketing/ -||eweek.com/widgets/ibmtco/ -||eweek.com^*/sponsored- -||ewrc-results.com/images/horni_ewrc_result_banner3.jpg -||ex1.gamecopyworld.com^$subdocument -||exceluser.com^*/pub/rotate_ -||exchangerates.org.uk/images-NEW/tor.gif -||exchangerates.org.uk/images/150_60_ -||exchangerates.org.uk/images/200x200_ -||excite.com/gca_iframe.html +||europeangaming.eu/portal/wp-admin/admin-ajax.php?action=acc_get_banners +||everythingrf.com/wsFEGlobal.asmx/GetWallpaper +||exchangerates.org.uk/images/200x200_currency.gif +||excnn.com/templates/anime/sexybookmark/js/popup.js ||expatexchange.com/banner/ -||expatwomen.com/expat-women-sponsors/ -||expertreviews.co.uk/?act=widgets. -||expertreviews.co.uk/widget/ -||expertreviews.co.uk^*/skins/ -||express.co.uk^*/sponsored/ -||expressmilwaukee.com/engines/backgrounds/js/backgrounds.js -||expreview.com/exp2/ -||extramovies.wiki/mb.js -||extramovies.wiki/mbnn.js -||extremeoverclocking.com/template_images/it120x240.gif -||extremetech.com/pb/pbl.min.js -||eye.swfchan.com^$script -||ezmoviestv.com^*/ad-for-ezmovies.png -||f1i.com^*/hype/ -||f1i.com^*/pubs/ -||f1today.net^*/sponsors/ -||faadooengineers.com/ads/ -||facebook.com/video/instream_video/$xmlhttprequest,domain=facebook.com|hackspirit.com -||facebook.net^*/AudienceNetworkVPAID.$domain=dailymotion.com -||facenfacts.com^*/ads/ -||fakku.net/static/seele-$subdocument -||fallout3nexus.com^*/300x600.php +||expats.cz/images/amedia/ +||f1tcdn.net/images/banners/$domain=f1technical.net +||facebook.com/network_ads_common +||faceitanalyser.com/static/stats/i/sponsors/ ||familylawweek.co.uk/bin_1/ -||famouspornstarstube.com/images/sponsors/ -||fan.twitch.tv^ -||fancystreems.com/300x2503.php -||fanfusion.org/as.js -||fansshare.com/va/?$subdocument -||fark.com/cgi/buzzfeed_link.pl -||fark.net/pub/ -||farmville.com/promo_bar.php -||farsnews.com/banner/ -||fastcompany.com/sites/*/interstitial.js -||fastpic.ru/b/ -||fbcdn.net/safe_image.php?d=*&url=http%3A%2F%2Fwww.facebook.com%2Fads%2Fimage%2F%3F$domain=facebook.com -||fbcdn.net^*/flyers/$domain=facebook.com -||feed-the-beast.com^*/gamevox.png -||feed4u.info/feedipop.js -||feedly.com/amazon.$xmlhttprequest -||feeds.feedburner.com/*.gif -||feedsportal.com/creative/ -||feedsportal.com/videoserve/ -||feiwei.tv^*/sandbox.html -||fever.fm^*/campaigns/ -||fever.fm^*/sposor- -||ffiles.com/counters.js -||fgfx.co.uk/banner.js? -||fhm.com/images/casinobutton.gif -||fhm.com/images/sportsbutton.gif -||fhm.com^*_background.jpg -||fhm.com^*_banner.png -||fiba.com/Content/Sponsors/ -||fiberupload.org/300en.png -||fifa.com^*/sponsors/ -||fightersonlymag.com/images/banners/ -||fijitimes.com/images/bspxchange.gif -||file-upload.net/include/down$subdocument -||file-upload.net/include/mitte.php -||file-upload.net/include/rechts.php -||file.org/fo/scripts/download_helpopt.js -||file.org^*/images/promo/ -||file2hd.com/sweet.jpg -||filecrypt.cc/bla.php? -||filecrypt.cc/images/shjrtz1.png$image -||filedino.com/imagesn/downloadgif.gif -||fileepic.com/download-$domain=media1fire.com -||filefactory.com/img/casinopilots/ -||fileflyer.com/img/dap_banner_ -||filegaga.com/ot/fast.php? -||fileom.com/img/downloadnow.png -||fileom.com/img/instadownload2.png -||fileplanet.com/fileblog/sub-no-ad.shtml -||filerio.in^*/jquery.interstitial. -||files.wordpress.com/*-reskin. -||filesharingtalk.com/fst/8242/ -||fileshut.com/etc/links.php?q= -||filesmonster.com/mi/twp/ -||filespart.com/ot/fast.aspx? -||filespazz.com/imx/template_r2_c3.jpg -||filespazz.com^*/copyartwork_side_banner.gif -||filestream.me/requirements/images/cialis_generic.gif -||filestream.me/requirements/images/ed.gif -||filez.cutpaid.com/336v -||filez.cutpaid.com/page.js -||filipinojournal.com/images/banners/ -||filmey.com/Filmey.Ad.js -||filmsite.org/dart-zones.js -||fimserve.ign.com^ -||financialnewsandtalk.com/scripts/slideshow-sponsors.js -||financialsamurai.com/wp-content/uploads/*/sliced-alternative-10000.jpg -||findfiles.com/images/icatchallfree.png -||findfiles.com/images/knife-dancing-1.gif -||findfreegraphics.com/underp.js -||findicons.com^*/125x125/ -||finding.hardwareheaven.com^ -||findit.com.mt/dynimage/boxbanner/ -||findit.com.mt/viewer/ -||findnsave.idahostatesman.com^ -||findthebest-sw.com/sponsor_event? -||finextra.com^*/leaderboards/ -||finextra.com^*/pantiles/ -||firingsquad.com^*/sponsor_row.gif -||firstnationsvoice.com/images/weblinks.swf -||firstpost.com/promo/ -||firstpost.com^*/sponsered- -||firstpost.com^*_skin_ -||firstpost.com^*_sponsored. -||firstpost.in^*/300250- -||firstpost.in^*/promo/ -||firstrow*/pu.js -||firstrows.biz/js/bn.js -||firstrowsports.li/frame/ -||firstrowusa.eu/js/bn.js -||firsttoknow.com^*/page-criteo- -||fishchannel.com/images/sponsors/ +||fastapi.tiangolo.com/img/sponsors/$image +||fauceit.com/Roulette-(728x90).jpg +||fentent.stre4mplay.one^ +||fentent.streampiay.me^ +||filehippo.com/best-recommended-apps^ +||filehippo.com/revamp.js +||filemoon-*/js/baf.js +||filemoon.*/js/baf.js +||filemoon.*/js/dola.js +||filemoon.*/js/skrrt.js +||filerio.in/banners/ +||files.im/images/bbnr/ +||filext.com/tools/fileviewerplus_b1/ +||filmibeat.com/images/betindia.jpg +||filmkuzu.com/pops$script +||finish.addurl.biz/webroot/ads/adsterra/ +||finviz.com/gfx/banner_ ||fishki.net/code? -||fiverr.com/javascripts/conversion.js -||flameload.com/onvertise. -||flashscore.com/res/image/bookmaker-list.png -||flashx.tv/img/downloadit.png -||flashy8.com/banner/ -||flatpanelshd.com/pictures/*banner -||fleetwatch.co.za/images/banners/ -||flicks.co.nz/images/takeovers/ -||flicks.co.nz/takeovercss/ -||flightradar24.com/_includes/sections/airportAd.php -||flixsearch.io^*/unblock.jpg -||flopturnriver.com*/banners/ -||flv.sales.cbs.com^$object-subrequest,domain=cbs.com|cbsnews.com|twitch.tv -||flvto.biz/scripts/banners.php? -||flyordie.com/games/free/b/ -||flyordie.com/games/online/ca.html -||fncstatic.com^*/sponsored-by.gif -||foodingredientsfirst.com/content/banners/ -||foodingredientsfirst.com/content/flash_loaders/loadlargetile.swf -||foodingredientsfirst.com/content/flash_loaders/loadskyscraper.swf -||fool.com/pitcher/ -||fool.com^*/marketing/ -||football-italia.net/imgs/moveyourmouse.gif -||footballshirtculture.com/images/e12b.jpg -||footballtradedirectory.com^*banner -||forbbodiesonly.com*/vendorbanners/ +||flippback.com/tag/js/flipptag.js$domain=idsnews.com +||fontsquirrel.com/ajaxactions/get_ads^ +||footballtradedirectory.com/images/pictures/banner/ +||forabodiesonly.com/mopar/sidebarbanners/ ||fordforums.com.au/logos/ -||foreignersinuk.co.uk^*/banner/ -||forexpeacearmy.com/images/banners/ -||forumimg.ipmart.com/swf/ipmart_forum/banner -||forumw.org/images/uploading.gif -||forward.com/workspace/assets/newimages/amazon.png -||foxandhoundsdaily.com/wp-content/uploads/*-AD.gif -||foxbusiness.com/html/google_homepage_promo -||foxsports.com.au^*/promotions/ -||foxsports.com/component/*_wallpaper_$image -||foxsports.com/component/xml/SBMarketingTakeOverPromos -||foxsports.com^*-Skin- -||foxsports.com^*-skin_ -||foxsports.com^*/Sponsors/ -||foxsports.com^*_skin_ -||fpscheats.com/banner-img.jpg -||fpscheats.com/fpsbanner.jpg -||freakshare.com/yild.js -||fredmiranda.com/buzz/canondble-600x90.jpg -||free-times.com/image/pool/ +||forum.miata.net/sp/ +||framer.app^$domain=film-grab.com ||free-webhosts.com/images/a/ -||freeads.co.uk/ctx.php? -||freeappaday.com/nimgs/bb/ -||freemediatv.com/images/inmemoryofmichael.jpg -||freeminecraft.me/mw3.png -||freemoviestream.xyz/wp-content/uploads/ -||freenode.net/images/ack_privateinternetaccess-freenode.png -||freenode.net/images/freenode_osuosl.png -||freepornsubmits.com/ads/ -||freeroms.com/bigbox.html -||freeroms.com/bigbox_ -||freeroms.com/skyscraper_ -||freesoftwaremagazine.com/extras/ -||freestockcharts.com/symbolhit.aspx$subdocument -||freetv-video.ca^*/popover-load-js.php? -||freetypinggame.net/burst720.asp -||freevermontradio.org/pictures/lauren_Stagnitti.jpg +||freebookspot.club/vernambanner.gif +||freedownloadmanager.org/js/achecker.js ||freeworldgroup.com/banner -||frenchradiolondon.com/data/carousel/ -||fresh-weather.com/popup1.gif -||freshplaza.com/b/ -||freshremix.org/templates/freshremix_eng/images/300.gif -||freshremix.ru/images/ffdownloader1.jpg -||friday-ad.co.uk/banner.js? -||friday-ad.co.uk/endeca/afccontainer.aspx -||frombar.com/ads/ -||frozen-roms.in/popup.php -||frozen-roms.me/popup.php -||fscheetahs.co.za/images/Sponsers/ -||fsdn.com/con/img/promotional/$domain=sourceforge.net -||ftdworld.net/images/banners/ -||ftlauderdalewebcam.com/images/*webcambanner -||ftlauderdalewebcam.com^*-WebCamBannerFall_ -||fudzilla.com^*/banners/ -||fugitive.com^*-468x60web. -||fulhamfc.com/i/partner/ -||fullrip.net/images/download- -||fulltv.tv/pub_ -||funmaza.in/units/ -||funpic.de/layer.php? -||funpic.org/layer.php? -||fuse.tv/images/sponsor/ -||futbol24.com/f24/rek/$~xmlhttprequest -||fuzface.com/dcrtv/ad$domain=dcrtv.com -||fırstrowsports.eu/pu/ -||g.brothersoft.com^ -||g00.msn.com^$other,domain=msn.com -||gabzfm.com/images/banners/ -||gaccmidwest.org/uploads/tx_bannermanagement/ -||gaccny.com/uploads/tx_bannermanagement/ -||gaccsouth.com/uploads/tx_bannermanagement/ -||gaccwest.com/uploads/tx_bannermanagement/ -||gadget.co.za/siteimages/banners/ -||gadgetmac.com^*/sponsors/ -||gadgetshowlive.net^*/banners/ -||gaeatimes.com/ctad/ -||galatta.com^*/bannerimages/ -||galatta.com^*/banners/ -||gallerysense.se/site/getBannerCode -||gamblinginsider.com^*/partner_events.php -||game1games.com/exchange/ -||gameads.digyourowngrave.com^ -||gameawayscouponsstorage.blob.core.windows.net/images/greenmangaming/ -||gamecopyworld.*_160x120_ -||gamecopyworld.*_502x155_ -||gamecopyworld.click/*.php$script,subdocument -||gamecopyworld.com/*.php$script,subdocument -||gamecopyworld.eu/*.php$script,subdocument -||gameknot.com/amaster.pl?j= -||gamemakerblog.com/gma/gatob.php -||gameplanet.co.nz^*-takeover.jpg -||gamepressure.com/ajax/f2p.asp -||gamerant.com/ads/ -||gamerevolution.com^*/buynow- -||gamersbook.com^*/banners/ -||gameserpent.com/kit*.php -||gameserpent.com/vc*.php -||gamesforwork.com^*/dropalink_small.gif -||gamesfreez.com/banner/ -||gamesgames.com/vda/ -||gameshark.com^*/pageskin- -||gamevid.com/13/ads/ -||gamezhero.com/promo -||gamingcentral.in^*/banner_ -||gamingsquid.com/wp-content/banners/ -||gamovideo.com^$subdocument,~third-party -||ganool.com/pup.js -||ganool.com/wp-content/uploads/*/Javtoys300250..gif -||ganool.com/wp-content/uploads/*/matrix303.gif -||gappon.com/images/hot2.gif -||garrysmod.org/img/sad/ -||gasgoo.com/promo/ -||gaynz.com/mysa/banners/ -||gaystarnews.com^*-sponsor. -||gaystarnews.com^*/PartnersArtboard- -||gaystarnews.com^*/SponsorsArtboard- -||gbatemp.net/images/ab/ -||gbrej.com/c/ -||gbtimes.com^*/Remarketing- -||gcnlive.com/assets/sponsors/ -||gcnlive.com/assets/sponsorsPlayer/ -||geckoforums.net/banners/ -||geeklab.info^*/billy.png -||geekzone.co.nz/images/wrike/ -||gelbooru.com*/frontend*.js -||gelbooru.com/lk.php$subdocument -||gelbooru.com/poll.php$subdocument -||gelbooru.com/protech.php$subdocument -||gelbooru.com/x/ -||gematsu.com^*/bg.jpg -||gematsu.com^*/rect -||gematsu.com^*/square -||gentoo.org/images/sponsors/ -||geo*.hltv.org^ -||geocities.com/js_source/ -||geocities.yahoo.*/js/sq. -||geometria.tv/banners/ -||geoshopping.nzherald.co.nz^ -||getfoxyproxy.org/images/abine/ -||gethigh.com/wp-content/uploads/*/pass_a_drug_test_get_high_banner.jpg -||getmyuni.com*_page_ad$image -||getmyuni.com*_pages_ads$script,xmlhttprequest -||getprice.com.au/searchwidget.aspx?$subdocument -||getreading.co.uk/static/img/bg_takeover_ -||getresponse.com^$domain=wigflip.com -||getrichslowly.org/blog/img/banner/ -||getsurrey.co.uk^*/bg_takeover_ -||getthekick.eu^*/banners/ -||gfi.com/blog/wp-content/uploads/*-BlogBanner -||gfx.infomine.com^ -||ghacks.net/skin- -||ghafla.co.ke/images/banners/ -||ghafla.co.ke/images/bgmax/ -||ghananewsagency.org/assets/banners/ -||giftguide.savannahnow.com/giftguide/widgets/ -||gigaom2.files.wordpress.com^*-center-top$image -||girlguides.co.za/images/banners/ -||girlsgames.biz/games/partner*.php -||giveawayoftheday.com/web/bannerinf.js -||gizmochina.com^*/k20.jpg -||gizmodo.in/gzdics/ -||glam.com^*/affiliate/ -||glamourviews.com/home/zones? -||glassdoor.com/getAdSlotContentsAjax.htm? -||gledaisport.com/ads/ -||globalsecurity.org/_inc/frames/ -||globaltimes.cn/desktopmodules/bannerdisplay/ -||glocktalk.com/forums/images/banners/ -||go4up.com/assets/img/buttoned.gif -||go4up.com/assets/img/d0.png -||go4up.com/assets/img/download-button.png -||go4up.com/assets/img/downloadbuttoned.png -||go4up.com^*/download-buttoned.png -||go4up.com^*/webbuttoned.gif -||goal.com^*/betting/$~stylesheet -||goal.com^*/branding/ -||goauto.com.au/mellor/mellor.nsf/toy$subdocument -||gocdkeys.com/images/*_400x300_ -||gocdkeys.com/images/bg_ -||gocdn.site^$domain=movie4kto.site -||godisageek.com/amazon.png -||gogoanime.in/ac/ -||gogoanimes.co/ac/ -||gokunming.com/images/prom/ -||gold-prices.biz/gold_trading_leader.gif -||gold-prices.biz^*_400x300.gif -||gold1013fm.com/images/background/ -||gold1013fm.com/promotion/ -||goldenskate.com/sponsors/ -||golf365.co.za^*/site-bg- -||golf365.com^*/site-bg- -||gomlab.com/img/banner/ -||gonzagamer.com/uci/popover.js -||goodanime.net/images/crazy*.jpg -||goodgearguide.com.au/files/skins/ -||google.com/jsapi?autoload=*%22ads%22$script,domain=youtube.com -||googleapis.com/dfh/$image,domain=datafilehost.com -||gooster.co.uk/js/ov.js.php -||gopride.com^*/banners/ -||gospel1190.net/rotatorimages/ -||gossipmillnigeria.com^*-banner- -||gotupload.com^$subdocument,domain=hulkshare.com -||gov-auctions.org^*/banner/ +||freighter-prod01.narvar.com^$image +||funeraltimes.com/databaseimages/adv_ +||funeraltimes.com/images/Banner-ad +||funnyjunk.com/site/js/extra/pre +||futbol24.com/kscms_asyncspc.php +||futbollatam.com/ads.js +||fwcdn3.com^$domain=eonline.com +||fwpub1.com^$domain=ndtv.com|ndtv.in +||gamblingnewsmagazine.com/wp-content/uploads/*/ocg-ad- +||gamecopyworld.com/*.php? +||gamecopyworld.com/aa/ +||gamecopyworld.com/ddd/ +||gamecopyworld.com/js/pp.js +||gamecopyworld.eu/ddd/ +||gamecopyworld.eu/js/pp.js +||gameflare.com/promo/ +||gamer.mmohuts.com^ +||ganjing.world/v1/cdkapi/ +||ganjingworld.com/pbjsDisplay.js +||ganjingworld.com/v1s/adsserver/ +||generalblue.com/js/pages/shared/lazyads.min.js +||gentent.stre4mplay.one^ +||getconnected.southwestwifi.com/ads_video.xml +||globovision.com/js/ads-home.js +||gocdkeys.com/images/background +||gogoanime.me/zenny/ +||googlesyndication.com^$domain=blogto.com|youtube.com ||govevents.com/display-file/ -||gowilkes.com/cj/ -||gowilkes.com/other/ -||gp3series.com^*/Partners/ -||gq.co.za^*/sitetakeover/ -||gr8.cc/addons/banners^ -||grabien.com/ads/ -||grabone.co.nz^$subdocument,domain=nzherald.co.nz -||grammar-monster.com/scripts/$subdocument -||grandbaie.mu^*/bannerslider/ -||grapevine.is/media/flash/*.swf -||graphic.com.gh/images/banners/ +||gpt.mail.yahoo.net/sandbox$subdocument,domain=mail.yahoo.com ||graphicdesignforums.co.uk/banners/ -||greatandhra.com/images/*_ga_ -||greaterkashmir.com/adds_ -||greatgirlsgames.com/100x100.php -||greatgirlsgames.com/a/skyscraper.php -||green.virtual-nights.com^ -||greenoptimistic.com/images/electrician2.png -||greyorgray.com/images/Fast%20Business%20Loans%20Ad.jpg -||greyorgray.com/images/hdtv-genie-gog.jpg -||gruntig2008.opendrive.com^$domain=gruntig.net -||gsprating.com/gap/image.php? -||gtop100.com/a_images/show-a.php? -||gtsplus.net*/panbottom.html -||gtsplus.net*/pantop.html -||gtweekly.com/images/banners/ -||guardian.bz/images/banners/ -||gulf-daily-news.com/180x150.htm -||gulfnews.com^*/channelSponsorImage/ -||gumtree.com^*/dart_wrapper_ -||gunfreezone.net^*_ad.jpg -||guns.ru^*/banner/ -||guns.ru^*/banners/ -||gurgle.com/modules/mod_m10banners/ -||guru99.com/images/adblocker/ -||gwinnettdailypost.com/1.iframe.asp? -||h33t.to/images/button_direct.png -||ha.ckers.org/images/fallingrock-bot.png -||ha.ckers.org/images/nto_top.png -||ha.ckers.org/images/sectheory-bot.png -||hackingchinese.com/media/hcw4.png -||hackingchinese.com/media/hellochinese.jpg -||hackingchinese.com/media/pleco.png -||hackingchinese.com/media/skritter5.jpg -||hahasport.com/ads/ -||hancinema.net/images/banner_ -||hancinema.net/images/watch-now -||happierabroad.com/Images/banner -||hardwareheaven.com/?rid=$subdocument -||hardwareheaven.com/heavenmedia/?rid=$subdocument -||hardwareheaven.com/styles/*/frontpage/backdrop.jpg -||hardwareheaven.com/wp-content/*_skin_ -||hardwareheaven.com/wp-content/uploads/*-site-skin- -||hardwareheaven.com^*/Site-Skin-HH.jpg -||hawaiireporter.com^*-300x250.jpg -||hawaiireporter.com^*/463%C3%9757-Kamaaina.jpg -||hawaiireporter.com^*/js.jpg -||hawaiireporter.com^*/upandruningy.jpg -||hawaiireporter.com^*/winnerscampad.jpg -||hawaiireporter.com^*_300x400.jpg -||hawk.pcgamer.com^ -||hawkesbay.co.nz/images/banners/ -||hawkesbaytoday.co.nz/nz_regionals/marketplace/ -||haxmaps.com/home*.php?id=$subdocument -||haxmaps.com/js/cb.js$xmlhttprequest -||hcdn.co/scripts/shadowbox/shadowbox.js$domain=shared.sx -||hd-bb.org^*/dl4fbanner.gif -||hdfree.tv/ad.html -||hdtvtest.co.uk/image/partner/$image -||hdtvtest.co.uk^*/pricerunner.php -||headlineplanet.com/home/box.html -||headlineplanet.com/home/burstbox.html -||healthfreedoms.org/assets/swf/320x320_ -||hearse.com^*/billboards/ -||heatworld.com/images/*_83x76_ -||heatworld.com/upload/takeovers/ -||heatworld.com^*_300x160.jpg -||heavenmedia.v3g4s.com^ -||hejban.youwatch.org^ -||helsinkitimes.fi^*/banners/ -||hentai2read.com/ios/swf/ -||hentaihaven.org/wp-content/banners/ -||hentaistream.com/wp-includes/images/$object -||heraldlive.co.za^*/TRAFALGAR-BANNER.png -||heraldm.com/hb/imad/ -||heraldm.com/iframe/ -||heraldm.com^*/banner/ -||heraldm.com^*/company_bn/ -||heraldsun.com.au^*/images/sideskins- -||herold.at/fs/orgimg/*.swf?baseurl=http%3a%2f%2fwww.*&linktarget=_blank$object -||herold.at/images/dealofday.swf -||herold.at^*.swf?*&linktarget=_blank -||herzeleid.com/files/images/banners/ -||heyjackass.com/wp-content/uploads/*_300x225_ -||hickoryrecord.com/app/deal/ -||hipforums.com/images/banners/ -||hipforums.com/newforums/calendarcolumn.php?cquery=bush -||hitechlegion.com/images/banners/ -||hitomi.la/hitomi-horizontal.js -||hitomi.la/pacode.js -||hkclubbing.com/images/banners/ -||hockeybuzz.com/mb/b? -||hollywoodbackwash.com/glam/ +||greatandhra.com/images/landing/ +||grow.gab.com/galahad/ +||hamodia.co.uk/images/worldfirst-currencyconversion.jpg +||healthcentral.com/common/ads/generateads.js +||hearstapps.com/moapt/moapt-hdm.latest.js +||hentent.stre4mplay.one^ +||hideip.me/src/img/rekl/ +||hltv.org/partnerimage/$image +||hltv.org/staticimg/*?ixlib= ||holyfamilyradio.org/banners/ -||holyfragger.com/images/skins/ ||homeschoolmath.net/a/ -||honda-tech.com/*-140x90.gif -||hongfire.com/banner/ -||hongkongindians.com/advimages/ ||horizonsunlimited.com/alogos/ -||horriblesubs.info/playasia -||hostingbulk.com/aad.html -||hostingbulk.com/zad.html -||hostingdedi.com/wp-content/uploads/add$subdocument -||hostratings.co.uk/zeepeel. +||hortidaily.com/b/ ||hostsearch.com/creative/ -||hot-scene.com/cpop.js -||hotanime.me/?$subdocument -||hotbollywoodactress.net/ff2.gif -||hotbollywoodactress.net/freedatingindia.gif -||hotfile.com^*/banners/ -||hotfilesearch.com/includes/images/mov_ -||hotfiletrend.com/dlp.gif -||hotgamesforgirls.com/html/$subdocument -||hothardware.com/pgmerchanttable.aspx? -||hothardware.com^*_staticbanner_*.jpg -||hotpepper-gourmet.com^*/bnr_ -||houseoftravel.co.nz/flash/banner/ -||howtogeek.com/go/ -||howtogermany.com/banner/ -||howtogermany.com/images/bnr- -||howtogermany.com/images/but- -||howwe.biz/mgid- -||howwemadeitinafrica.com^*/dhl-hdr.gif -||hpfanficarchive.com/freecoins2.jpg -||hqfooty.tv/ad -||hqq.tv/js/betterj/ -||hqq.watch/js/betterj/ -||htmldog.com/r10/flowers/ -||http.atlas.cdn.yimg.com/yamplus/video_*.mp4?$object-subrequest,domain=yahoo.com -||hulkfile.eu/images/africa.gif -||hulkload.com/b/ -||hulkload.com/recommended/ -||hulkshare.com/promo/ -||hulkshare.com^*/adsmanager.js -||hulkshare.oncdn.com^*/removeads. -||hulu.com/beacon/*=adauditerror -||hulu.com/v3/revenue/ -||hummy.org.uk^*/brotator/ -||hurriyetdailynews.com/images/*_100x250_ -||hwbot.org/banner.img -||hwinfo.com/images/lansweeper.jpg -||hwinfo.com/images/se2banner.png -||hxload.io/embed/$subdocument -||hypemagazine.co.za/assets/bg/ -||i-sgcm.com/pagetakeover/ -||i-tech.com.au^*/banner/ -||i.com.com^*/vendor_bg_ -||i.i.com.com/cnwk.1d/*/tt_post_dl.jpg -||i.neoseeker.com/d/$subdocument -||i.trackmytarget.com^ -||i3investor.com^*/offer_ -||i3investor.com^*/partner/ -||ians.in/iansad/ -||ibanners.empoweredcomms.com.au^ -||ibizaworldclubtour.net/wp-content/themes/ex-studios/banner/ -||ibrod.tv/ib.php -||ibsrv.net/*214x30. -||ibsrv.net/*_215x30. -||ibsrv.net/*_215x30_ -||ibsrv.net/*forumsponsor$domain=audiforums.com -||ibsrv.net/royalpurple/$domain=audiforums.com -||ibsrv.net/sponsors/ -||ibtimes.com/banner/ -||ibtimes.com^*&popunder -||ibtimes.com^*/sponsor_ +||hotstar.com^*/midroll? +||hotstar.com^*/preroll? +||howtogeek.com/emv2/ +||hubcloud.day/video/bn/ +||i-tech.com.au/media/wysiwyg/banner/ +||iamcdn.net/players/custom-banner.js +||iamcdn.net/players/playhydraxs.min.js$domain=player-cdn.com +||ibb.co^$domain=ghostbin.me +||ice.hockey/images/sponsoren/ ||iceinspace.com.au/iisads/ -||icelandreview.com^*/auglysingar/ -||iconeye.com/images/banners/ -||ictv-ic-ec.indieclicktv.com/media/videos/$object-subrequest,domain=twitchfilm.com -||icxm.net/x/img/kinguin.jpg -||icydk.com^*/title_visit_sponsors. -||iddin.com/img/chatwing_banner. -||iddin.com/img/chatwing_banner_ -||idesitv.com^*/loadbanners. -||idg.com.au/files/skins/ -||idg.com.au/images/*_promo$image -||idg.com.au^*_skin.jpg -||ieee.org/interstitial? -||ientrymail.com/webheadtools$domain=webpronews.com -||ifilm.com/website/*-skin- -||iframe.travel.yahoo.com^ -||iftn.ie/images/data/banners/ -||iimg.in^*-banner- -||iimg.in^*/sponsor_ -||iimjobs.com/media/featuredinstitute -||iimjobs.com^*/banners/ -||iimjobs.com^*/topbanner$image -||ijn.com/images/banners/ -||ilcorsaronero.info/home.gif -||ilikecheats.net/images/$image,domain=unknowncheats.me -||iload.to/img/ul/impopi.js -||iloveim.com/cadv -||imads.rediff.com^ -||imagebam.com/download/$image,domain=ganool.com -||imagefruit.com/includes/js/bgcont.js -||imagefruit.com/includes/js/ex.js -||imagefruit.com/includes/js/layer.js -||imagepix.org/Images/imageput.jpg -||imagerise.com/ir.js -||imagerise.com/ir2.js -||images-amazon.com/images/*/browser-scripts/da- -||images-amazon.com/images/*/browser-scripts/dae- -||images-amazon.com/images/*/da-us/da-$script -||images-amazon.com^$domain=gamenguide.com|itechpost.com|parentherald.com -||images-amazon.com^*/marqueepushdown/ -||images.bitreactor.to/designs/ -||images.globes.co.il^*/fixedpromoright. -||images.mmorpg.com/images/*skin -||images.mmorpg.com/images/mus.jpg -||images.sharkscope.com/acr/*_Ad- -||images.sharkscope.com/everest/twister.jpg -||images4et.com/images/other/warning-vpn2.gif -||imageshack.us/images/contests/*/lp-bg.jpg -||imageshack.us/ym.php? -||imagesnake.com^*/oc.js -||imagetoupload.com/images/87633952425570896161.jpg -||imagevenue.com/interstitial. -||imcdb.org/res/cth_ -||imdb.com/images/*/scriptloader.$subdocument -||imfdb.org^*/FoG-300x250.jpg -||img.tfd.com/wn/$image,domain=freethesaurus.com -||imgah.com/traffic$subdocument -||imgbox.com/gsmpop.js -||imgburn.com/images/ddigest_ -||imgburn.com/images/your3gift.gif -||imgcarry.com^*/oc.js -||imgking.co/poudr.js -||imgshots.com/includes/js/layer.js -||imgur.com/i2iBMaD.gif$domain=cpahero.com -||imgur.com/include/zedoinviewstub1621.html -||immihelp.com/partner/banners/ -||imouto.org/images/jlist/ -||imouto.org/images/mangagamer/ -||impactradio.co.za^*/banners/ -||impulsedriven.com/app_images/wallpaper/ -||imsa.com^*/partner/ -||in.com/addIframe/ -||in.com^*/170x50_ -||incentivetravel.co.uk/images/banners/ -||indeed.com/ads/ -||independent.co.ug/images/banners/ -||independent.co.ug^*/720-90. -||independent.co.uk/kelkoo/ -||independent.co.uk/multimedia/archive/$subdocument -||independent.co.uk^*/300unit/ -||independent.co.uk^*/partners/ -||independent.co.uk^*/sponsored- -||independent.com.mt/RSS_VisitMalta. -||indepthafrica.com^*/Banner-canreach.gif -||india.com/zeenews_head2n.jpg -||india.com^*-sponsor. -||indiainfoline.com/wc/ads/ -||indianexpress.com^*/banner/ +||iconfinder.com/static/js/istock.js +||idlebrain.com/images4/footer- +||idlebrain.com/images5/main- +||idlebrain.com/images5/sky- +||idrive.com/include/images/idrive-120240.png +||ientent.stre4mplay.one^ +||igg-games.com/maven/ +||ih1.fileforums.com^ +||ii.apl305.me/js/pop.js +||illicium.web.money^$subdocument +||illicium.wmtransfer.com^$subdocument +||imagetwist.com/b9ng.js +||imdb.com/_json/getads/ +||imgadult.com/ea2/ +||imgdrive.net/a78bc9401d16.js +||imgdrive.net/anex/ +||imgdrive.net/ea/ +||imgtaxi.com/ea/ +||imgtaxi.com/ttb02673583fb.js +||imgur.com^$domain=ghostbin.me|up-load.io +||imgwallet.com/ea/ +||imp-adedge.i-mobile.co.jp^ +||imp.accesstra.de^ +||imp.pixiv.net^ +||impressivetimes.com/wp-content/uploads/2024/07/primary-plus-advt.jpg +||indiadesire.com/bbd/ ||indiansinkuwait.com/Campaign/ -||indiansinkuwait.com/OfferDisp1. -||indiantelevision.com/banner/ -||indiatimes.com/articleshow_google_$subdocument -||indiatimes.com/google$subdocument -||industryabout.com/images/banners/ -||inewsmalta.com/SiteImages/Promo/ -||info.break.com^*/sponsors/ -||info.sciencedaily.com/api/ -||infobetting.com/b/ +||indiatimes.com/ads_ +||indiatimes.com/itads_ +||indiatimes.com/lgads_ +||indiatimes.com/manageads/ +||indiatimes.com/toiads_ ||infobetting.com/bookmaker/ -||infoq.com^*/banners/ -||informationng.com^*-Leaderboard. -||informationng.com^*/300-x-250. -||informe.com/img/banner_ -||informer.com/js/onexit*.js -||infosecisland.com/ajax/viewbanner/ -||infoseek.co.jp/isweb/clip.html -||injpn.net/images/banners/ -||inkscapeforum.com/images/banners/ -||inquirer.net/wp-content/themes/news/images/wallpaper_ -||insidebutlercounty.com/images/100- -||insidebutlercounty.com/images/160- -||insidebutlercounty.com/images/180- -||insidebutlercounty.com/images/200- -||insidebutlercounty.com/images/300- -||insidebutlercounty.com/images/468- -||insidedp.com/images/banners/ -||insidehw.com/images/banners/ -||insidercdn.com/price_guide/ -||insidethe.agency^*-300x250. -||insideyork.co.uk/assets/images/sponsors/ -||inspirefirst.com^*/banners/ -||intel.com/sites/wap/global/wap.js -||intellicast.com/outsidein.js -||intellicast.com/travel/cheapflightswidget.htm -||intelseek.com/intelseekads/ -||interest.co.nz/banners/ -||interest.co.nz^*_skin. -||interest.co.nz^*_skin_ -||interfacelift.com/inc_new/$subdocument -||interfacelift.com^*/artistsvalley_160x90_ -||international-property.countrylife.co.uk/js/search_widget.js -||international.to/600.html -||international.to/large.html -||international.to/link_unit.html -||internationalmeetingsreview.com//uploads/banner/ -||intoday.in^*/sponsor/ +||instagram.com/api/v1/injected_story_units/ +||intersc.igaming-service.io^$domain=hltv.org ||investing.com/jp.php -||ip-adress.com/i/ewa/ -||ip-adress.com/superb/ -||ip-ads.de^$domain=zattoo.com -||ipaddress.com/banner/ -||ipinfodb.com/img/adds/ -||iptools.com/sky.php -||iradio.ie/assets/img/backgrounds/ -||irctctourism.com/ttrs/railtourism/Designs/html/images/tourism_right_banners/*DealsBanner_ -||irishamericannews.com/images/banners/ -||irishdev.com/files/banners/ -||irishexaminer.com/marketing/ -||irishracing.com/graphics/books -||irishradio.com/images/banners/ -||ironmagazine.com^*/banners.php -||ironspider.ca/pics/hostgator_green120x600.gif -||ironsquid.tv/data/uploads/sponsors/ -||irv2.com/attachments/banners/ -||irv2.com/forums/*show_banner -||irv2.com/images/sponsors/ -||isitdownrightnow.com/graphics/speedupmypc*.png -||isitnormal.com/img/iphone_hp_promo_wide.png -||islamicfinder.org/cimage/ -||islamicfocus.co.za/images/banners/ -||islamicity.org^*/sponsorship- -||island.lk/userfiles/image/danweem/ -||isportconnect.com//images/banners/ -||israeldefense.com/_Uploads/dbsBanners/ -||israelidiamond.co.il^*/bannerdisplay.aspx? -||israeltoday.co.il^*/promo/ -||isup.me/images/dotbiz_banner.jpg -||isxdead.com/images/showbox.png +||ip-secrets.com/img/nv +||islandecho.co.uk/uploads/*/vipupgradebackground.jpg$image +||isohunt.app/a/b.js ||italiangenealogy.com/images/banners/ -||itpro.co.uk/images/skins/ -||itservicesthatworkforyou.com/sp/ebay.jpg -||itv.com/adexplore/*/config.xml -||itv.com/priority/$object-subrequest,domain=u.tv -||itweb.co.za/banners/ -||itweb.co.za/logos/ -||itweb.co.za/sidelogos/ -||itweb.co.za/sponsored_ +||itweb.co.za/static/misc/toolbox/ ||itweb.co.za^*/sponsors -||itweb.co.za^*/toolbox/ -||itweb.co.za^*sponsoredby -||itwebafrica.com/images/logos/ -||itworld.com/slideshow/iframe/topimu/ -||iurfm.com/images/sponsors/ -||iurhxzmr.ga.gfycat.com^ -||iwebtool.com^*/bannerview.php -||ixquick.nl/graphics/banner_ -||jacars.net/images/ba/ -||jamaica-gleaner.com/images/promo/ -||jame-world.com^*/adv/ -||jango.com/assets/promo/1600x1000- -||javacript.ml^$script,domain=userscloud.work -||javamex.com/images/AdFrenchVocabGamesAnim.gif -||javascript-coder.com^*/form-submit-larger.jpg -||javascript-coder.com^*/make-form-without-coding.png -||javascriptobfuscator.com/images/mylivechat.png -||jayisgames.com/maxcdn_160x250.png -||jazzandblues.org^*/iTunes_ -||jdownloader.org/_media/screenshots/banner.png -||jdownloader.org^*/smbanner.png -||jebril.com/sites/default/files/images/top-banners/ -||jewishexponent.com^*/banners/ -||jewishnews.co.uk^*banner -||jewishtimes-sj.com/rop/ -||jewishtribune.ca^*/banners/ -||jewishvoiceny.com/ban2/ -||jewishyellow.com/pics/banners/ -||jheberg.net/img/mp.png -||jillianmichaels.com/images/publicsite/advertisingslug.gif -||jobfinderph.com^*/banners/ -||johnbridge.com/vbulletin/banner_rotate.js -||johnbridge.com/vbulletin/images/tyw/cdlogo-john-bridge.jpg -||johnbridge.com/vbulletin/images/tyw/wedi-shower-systems-solutions.png -||johngaltfla.com/wordpress/wp-content/uploads/*/jmcs_specaialbanner.jpg -||johngaltfla.com/wordpress/wp-content/uploads/*/TB2K_LOGO.jpg -||joindota.com/wp-content/*.png$image -||joins.com/common/ui/ad/ -||jokertraffic.com^$domain=4fuckr.com -||jooble.org/banner/ -||joomladigger.com/images/banners/ +||j8jp.com/fhfjfj.js +||jamanetwork.com/AMA/AdTag +||japfg-trending-content.uc.r.appspot.com^ +||jobsora.com/img/banner/ ||jordantimes.com/accu/ -||journal-news.net/annoyingpopup/ -||journeychristiannews.com/images/banners/ -||joursouvres.fr^*/pub_ -||jozikids.co.za/uploadimages/*_140x140_ -||jozikids.co.za/uploadimages/140x140_ -||jpost.com/elal/ -||jumptags.com/joozit/presentation/images/banners/ -||juno.com/start/view/redesign/common/phoenix/ -||junocloud.me/promos/ -||just-download.com/banner/ -||justsomething.co/wp-content/uploads/*-250x250. -||juventus.com/pics/sponsors/ -||k2s.cc/images/fantasy/ -||kaieteurnewsonline.com/revenue/ -||kalo.onvid.xyz^ -||kamcity.com/banager/banners/ -||kamcity.com/menu/banners/ -||kansascity.com/images/touts/ds_ -||kaotic.com/assets/toplists/footer.html -||kassfm.co.ke/images/moneygram.gif -||kat-ads.torrenticity.com^ -||kat2.biz^$script -||kavkisfile.com/images/ly-mini.gif -||kavkisfile.com/images/ly.gif -||kbcradio.eu/img/banner/ -||kblx.com/upload/takeover_ -||kcrw.com/collage-images/amazon.gif -||kcrw.com/collage-images/itunes.gif -||kdnuggets.com/aps/ -||kdoctv.net/images/banners/ -||keenspot.com/images/headerbar- -||keepvid.com/ads/ -||keepvid.com/images/ilivid- -||keepvid.com/images/winxdvd- +||jpg.church/quicknoisilyheadbites.js +||js.cmoa.pro^ +||js.mangajp.top^ +||js.syosetu.top^ +||jsdelivr.net/gh/$domain=chrome-stats.com|edge-stats.com|firefox-stats.com +||kaas.am/hhapia/ ||kendrickcoleman.com/images/banners/ -||kentonline.co.uk/weatherimages/Britelite.gif -||kentonline.co.uk/weatherimages/SEW.jpg -||kentonline.co.uk/weatherimages/sponsor_ -||kephyr.com/spywarescanner/banner1.gif -||ker.pic2pic.site^ -||kermit.macnn.com^ -||kewlshare.com/reward.html -||kexp.org^*/sponsor- -||kexp.org^*/sponsoredby. -||keygen-fm.ru/images/*.swf -||kfog.com^*/banners/ -||khaleejtimes.com/imgactv/Umrah%20-%20290x60%20-%20EN.jpg -||khaleejtimes.com/imgactv/Umrah-Static-Background-Gutters-N.jpg -||khon2.com^*/sponsors/ -||kickass.cx^$script -||kickass2.biz^$script -||kickasstorrent.ph/kat_adplib.js -||kickoff.com/images/sleeves/ -||kingofsat.net/pub/ -||kinox.nu^$domain=kinox.to -||kinox.to/392i921321.js -||kinox.to/com/ -||kinox.tv/g.js -||kirupa.com/supporter/ -||kitco.com/ssi/dmg_banner_001.stm -||kitco.com/ssi/home_ox_deanmg.stm -||kitco.com/ssi/market_ox_deanmg.stm -||kitco.com^*/banners/ -||kitguru.net//wp-content/banners/ -||kitguru.net/?kitguru_wrapjs=1&ver= -||kitguru.net/wp-content/banners/ -||kitguru.net/wp-content/uploads/*-Skin. -||kitguru.net/wp-content/wrap.jpg +||kentent.stre4mplay.one^ +||kickassanimes.info/a_im/ +||kissanime.com.ru/api/pop*.php +||kissanimes.net/30$subdocument +||kissasians.org/banners/ +||kisscartoon.sh/api/pop.php +||kissmanga.org/rmad.php +||kitco.com/jscripts/popunders/ +||kitsune-rush.overbuff.com^ ||kitz.co.uk/files/jump2/ -||kjlhradio.com^*-300x250. -||kjlhradio.com^*/banners/ -||kjul1047.com^*/clientgraphics/ -||klav1230am.com^*/banners/ -||kleisauke.nl/static/img/bar.gif -||klfm967.co.uk/resources/creative/ -||klkdccs.net/pjs/yavli-tools.js -||klm.com^*/fls_redirect.html -||knbr.com^*/banners/ -||kncminer.com/userfiles/image/250_240.jpg -||knco.com/wp-content/uploads/wpt/ -||knowledgespeak.com/images/banner/ -||knowthecause.com/images/banners/ -||knpr.org/common/sponsors/ -||knssradio.com^*/banners/ -||kob.com/kobtvimages/flexhousepromotions/ -||komando.com^*/k2-interstitial.min.js? -||kompas.com/js_kompasads.php -||kongregate.com/images/help_devs_*.png -||kontraband.com/media/takeovers/ -||koraliga.com/open.js -||koreanmovie.com/img/banner/banner.jpg +||kompass.com/getAdvertisements ||koreatimes.co.kr/ad/ -||koreatimes.co.kr/images/bn/ -||koreatimes.co.kr/upload/ad/ -||koreatimes.co.kr/www/images/bn/ -||koreatimes.com^*/banner/ -||kovideo.net^*.php?user_ -||krapps.com^*-banner- -||krebsonsecurity.com/b-ga/ -||krebsonsecurity.com/b-kb/ -||kron.com/uploads/*-ad-$image -||krzk.com/uploads/banners/ -||kshp.com/uploads/banners/ -||ksstradio.com/wp-content/banners/ -||kstp.com^*/flexhousepromotions/ -||ktradionetwork.com^*/banners/ -||ktxw.net^*_bnnrs/ -||kuiken.co/static/w.js -||kukmindaily.co.kr/images/bnr/ -||kukuplay.com/upload/*.swf -||kuwaittimes.net/banners/ -||kvcr.org^*/sponsors/ -||kwanalu.co.za/upload/ad/ -||kwikupload.com/images/dlbtn.png -||kxcdn.com/dlbutton1.png$domain=torlock.com -||kxcdn.com/dlbutton3.png$domain=torlock.com -||kxlh.com/images/banner/ -||kyivpost.com/media/banners/ -||l.yimg.com/a/i/*_wallpaper$image -||l.yimg.com/ao/i/ad/ -||l.yimg.com/mq/a/ -||l2b.co.za/L2BBMP/ -||l4dmaps.com/i/right_dllme.gif -||l4dmaps.com/img/right_gameservers.gif -||labtimes.org/banner/ -||labx.com/web/banners/ -||laconiadailysun.com/images/banners/ -||lagacetanewspaper.com^*/banners/ -||lake-link.com/images/sponsorLogos/ -||laliga.es/img/patrocinadores- -||lancasteronline.com^*/done_deal/ -||lancasteronline.com^*/weather_sponsor.gif -||lankabusinessonline.com/images/banners/ -||laobserved.com/tch-ad.jpg -||laptopmag.com/images/sponsorships/ -||laredodaily.com/images/banners/ -||lastminute.com^*/universal.html? -||lasttorrents.org/pcmadd.swf -||latex-community.org/images/banners/ -||lawprofessorblogs.com/responsive-template/*advert. -||lawprofessors.typepad.com/responsive-template/*advert.jpg -||lazygamer.net/kalahari.gif -||lazygirls.info/click.php -||leader.co.za/leadership/banners/ -||leadership.ng/cheki- -||leagueunlimited.com/images/rooty/ -||learn2crack.com/wp-content/*-336x280.jpg -||learnphotoediting.net/banners/ -||learnspanishtoday.com/aff/img/banners/ -||lecydre.com/proxy.png -||legalbusinessonline.com/popup/albpartners.aspx -||lens101.com/images/banner.jpg +||kta.etherscan.com^ +||kuwaittimes.com/uploads/ads/ +||lagacetanewspaper.com/wp-content/uploads/banners/ +||lapresse.ca/webparts/ads/ +||lasentinel.net/static/img/promos/ +||latestlaws.com/frontend/ads/ +||learn-cpp.org/static/img/banners/cfk/$image ||lespagesjaunesafrique.com/bandeaux/ -||letitbit.net/images/other/inst_forex_ -||letour.fr/img/v6/sprite_partners_2x.png -||letswatchsomething.com/images/filestreet_banner.jpg -||lfcimages.com^*/partner- -||lfcimages.com^*/sponsor- -||lfgcomic.com/wp-content/uploads/*/PageSkin_ -||lgoat.com/cdn/amz_ -||libertyblitzkrieg.com/wp-content/uploads/2012/09/cc200x300.gif? -||licensing.biz/media/banners/ -||life.imagepix.org^ -||lifeinqueensland.com/images/156x183a_ -||lifetips.com/sponsors/ -||lightson.vpsboard.com^ -||limesurvey.org/images/banners/ -||limetorrentlinkmix.com/rd18/dop.js -||linguee.com/banner/ -||linkcentre.com/top_fp.php -||linkfm.co.za/images/banners/ -||linkis.com/index/ln-event? -||linkmoon.net/banners/ -||linksafe.info^*/mirror.png -||linksrank.com/links/ -||linuxinsider.com^*/sda/ -||linuxmint.com/img/sponsor/ -||linuxmint.com/pictures/sponsors/ -||linuxsat-support.com/vsa_banners/ -||linuxtopia.org/includes/$subdocument -||lionsrugby.co.za^*/sponsors. -||littleindia.com/files/banners/ -||live-proxy.com/hide-my-ass.gif -||live-proxy.com/vectrotunnel-logo.jpg -||livejasmin.com/freechat.php -||liveonlinetv247.com/images/muvixx-150x50-watch-now-in-hd-play-btn.gif -||livescore.in/res/image/bookmaker-list.png -||livesearch.ninemsn.com.au^$subdocument -||livestream.com^*/overlay/ -||livetradingnews.com/wp-content/uploads/vamp_cigarettes.png -||livetv.ru/mb/ -||livetvcenter.com/satellitedirect_ -||liveuamap.com/show? -||livingscoop.com/vastload.php -||ll.a.hulu.com^ -||lmgtfy.com/s/images/ls_ -||loadingz.com/jflex.js -||loadingz.com/js/jquery.flex.js -||local.tampabay.com^$subdocument -||localdirectories.com.au^*/bannerimages/ -||localvictory.com^*/Trailblazer-Ad.png -||logoopenstock.com/img/banners/ -||logotv.com/content/skins/ -||loleasy.com/promo/ -||loleasy.com^*/adsmanager.js -||lolzbook.com/test/ -||london2012.com/img/sponsors/ -||london2012.com/imgml/partners/footer/ -||londonprivaterentals.standard.co.uk^ -||londonstockexchange.com^*/fx.gif -||lookbook.nu/show_leaderboard.html -||lookbook.nu/show_skyscraper.html -||lookbook.nu^*.html?$subdocument -||looky.hyves.org^ -||lostrabbitmedia.com/images/banners/ -||lowbird.com/lbpu.php -||lowbird.com/lbpun.php -||lowellsun.com/litebanner/ -||lowendbox.com/wp-content/themes/leb/banners/ -||lowyat.net/lowyat/lowyat-bg.jpg -||lowyat.net/mainpage/background.jpg -||ls.webmd.com^ -||lshunter.tv/images/bets/ -||lshunter.tv^*&task=getbets$xmlhttprequest -||lucianne.com^*_*.html -||luckyshare.net/images/1gotlucky.png -||luckyshare.net/images/2top.png -||luckyshare.net/images/sda/ -||luxury4play.com^*/ads/ -||lw1.gamecopyworld.com^$subdocument -||lw1.lnkworld.com^$subdocument -||lw2.gamecopyworld.com^ +||letour.fr/img/dyn/partners/ +||lifehack.org/Tm73FWA1STxF.js +||linkedin.com/tscp-serving/ +||linkhub.icu/vendors/h.js +||linkshare.pro/img/btc.gif +||linuxtracker.org/images/dw.png +||livescore.az/images/banners +||lordchannel.com/adcash/ +||lowfuelmotorsport.com/assets/img/partners/$image +||ltn.hitomi.la/zncVMEzbV/ +||lw.musictarget.com^ ||lycos.com/catman/ -||lygo.com/scripts/catman/ -||lyngsat-logo.com/as9/ -||lyngsat-maps.com/as9/ -||lyngsat-stream.com/as9/ -||lyngsat.com/as9/ -||lyrics5ab.com/wp-content/add$subdocument -||lyricsfreak.com^*/overlay.js -||m-w.com/creative.php -||m4carbine.net/tabs/ -||macaudailytimes.com.mo/files/banners/ -||macaunews.com.mo/images/stories/banners/ -||macblurayplayer.com/image/amazon- -||machovideo.com/img/site/postimg2/rotate.php -||macintouch.com/images/amaz_ -||macintouch.com/images/owc_ -||maciverse.mangoco.netdna-cdn.com^*banner -||macmillandictionary.com/info/frame.html?zone= -||macupdate.com/js/google_service.js -||macworld.co.uk/promo/ -||macworld.co.uk/widget/ -||macworld.co.uk^*/affiliate/ -||macworld.co.uk^*/textdeals/ -||macworld.com/ads/ -||madamenoire.com/wp-content/*_Reskin-$image -||mads.dailymail.co.uk^ -||madskristensen.net/discount2.js -||madville.com/afs.php -||mail.com/service/indeed? -||mail.yahoo.com/mc/md.php? -||mail.yahoo.com/neo/mbimg?av/curveball/ds/ -||mailinator.com/images/abine/leaderboard- -||mailinator.com^*/clickbanner.jpg -||majorgeeks.com/aff/ -||majorgeeks.com/images/*_336x280.jpg -||majorgeeks.com/images/download_sd_ -||majorgeeks.com/images/mb-hb-2.jpg -||majorgeeks.com/images/mg120.jpg -||majorgeeks.com^*/banners/ -||makeagif.com/parts/fiframe.php -||malaysiabay.org^*/creative.js -||malaysiabay.org^*creatives.php? -||malaysiakini.com/misc/banners/ -||maltatoday.com.mt/ui_frontend/display_external_module/ -||malwaredomains.com/ra.jpg -||mangafox.com/media/game321/ -||mangareader.net/images/800-x-100 -||mangarush.com/xtend.php -||mangaupdates.com/affiliates/ -||manhattantimesnews.com/images/banners/ -||mani-admin-plugin.com^*/banners/ -||maniastreaming.com/pp2/ -||manicapost.com^*/banners/ -||manilastandard.net^*/banner/ -||manilatimes.net/images/banners/ -||mansionglobal.com/widgets/$subdocument -||manutd.com^*/Sponsors/ -||manxradio.com^*/banners_ -||mapsofindia.com/widgets/tribalfusionboxadd.html -||maravipost.com/images/banners/ -||marengo-uniontimes.com/images/banners/ -||marijuanapolitics.com/wp-content/*-ad. -||marijuanapolitics.com/wp-content/uploads/*/icbc1.png -||marijuanapolitics.com/wp-content/uploads/*/icbc2.png +||machineseeker.com/data/ofni/ +||mafvertizing.crazygames.com^ +||mail-ads.google.com^ +||mail.aol.com/d/gemini_api/?adCount= +||majorgeeks.com/mg/slide/mg-slide.js +||manga1000.top/hjshds.js +||manga1001.top/gdh/dd.js +||manga18.me/usd2023/usd_frontend.js +||manga18fx.com/js/main-v001.js +||mangadistrict.com/super-boat- +||mangahub.io/iframe/ +||manhwascan.net/my2023/my2023 +||manytoon.com/script/$script ||marineterms.com/images/banners/ -||marketing.al.ly^ -||marketingpilgrim.com/wp-content/uploads/*/trackur.com- -||marketingsolutions.yahoo.com^ -||marketingupdate.co.za/temp/banner_ -||marketintelligencecenter.com/images/brokers/ -||marketnewsvideo.com/etfchannel/evfad1.gif -||marketnewsvideo.com/mnvport160.gif -||marketplace.org^*/support_block/ -||mary.com/728_header.php -||masterani.me/static/jaja/ -||masternodes.online/banner/ -||mathforum.org/images/tutor.gif -||mauritiusnews.co.uk/images/banners/ -||maxconsole.com/maxconsole/banners/ -||maxgames.com^*/sponsor_ -||maxkeiser.com^*-banner- -||mb.com.ph^*/skyscraper- -||mb.hockeybuzz.com^ -||mbc.mw^*/banners/ -||mbl.is/augl/ -||mbl.is/mm/augl/ -||mccont.com/campaign%20management/ -||mccont.com/sda/ -||mccont.com/takeover/ -||mcjonline.com/filemanager/userfiles/banners/ -||mcnews.com.au/banners/ -||mcsesports.com/images/sponsors/ -||mcstatic.com^*/billboard_ -||mcvuk.com/static/banners/ -||mealsandsteals.sandiego6.com^ -||meanjin.com.au/static/images/sponsors.jpg -||mechodownload.com/forum/images/affiliates/ -||media-amazon.com/images/*/videowall/$domain=imdb.com -||media-amazon.com^*/zergnet- -||media-delivery.armorgames.com^ -||media-imdb.com/images/*/mptv_banner_ -||media-imdb.com^*/affiliates/ -||media-imdb.com^*/clicktale-$script -||media-imdb.com^*/imdbads/js/collections/tarnhelm-$script,domain=imdb.com -||media-imdb.com^*/zergnet- -||media-mgmt.armorgames.com^ -||media-system.maltatoday.com.mt^ -||media.abc.go.com^*/callouts/ -||media.mtvnservices.com/player/scripts/mtvn_player_control.js$domain=spike.com -||media.studybreakmedia.com^$image -||mediafire.com/images/dl_desktop.png -||mediafire.com/images/rockmelt/ -||mediafire.com/templates/linkto/ -||mediafire.com^*/linkto/default-$subdocument -||mediafire.com^*/rockmelt_tabcontent.jpg -||mediafire.re/popup.js -||mediafiretrend.com/ifx/ifx.php? -||mediafiretrend.com/turboflirt.gif -||mediamanager.co.za/img/banners/ -||mediamgr.ugo.com^ -||mediaticks.com/bollywood.jpg -||mediaticks.com/images/genx-infotech.jpg -||mediaticks.com/images/genx.jpg -||mediaupdate.co.za/temp/banner_ -||mediaweek.com.au/storage/*_234x234.jpg? -||medicaldaily.com/views/images/banners/ -||meetic.com/js/*/site_under_ -||megasearch.us/ifx/ifx.php? -||megasearch.us/turboflirt.gif -||megashares.com/cache_program_banner.html -||megaswf.com/file/$domain=gruntig.net -||megauploadtrend.com/iframe/if.php? -||meinbonusxxl.de^$domain=xup.in -||meizufans.eu/efox.gif -||meizufans.eu/merimobiles.gif -||meizufans.eu/vifocal.gif -||memorygapdotorg.files.wordpress.com^*allamerican3.jpg$domain=memoryholeblog.com -||menafn.com^*/banner_ -||mensxp.com^*/banner/ -||mentalfloss.com^*-skin- -||merriam-webster.com/creative.php? -||merriam-webster.com^*/accipiter.js -||messianictimes.com/images/1-13/ba_mhfinal_ -||messianictimes.com/images/4-13/reach.jpg -||messianictimes.com/images/banners/ -||messianictimes.com/images/Israel%20Today%20Logo.png -||messianictimes.com/images/Jews%20for%20Jesus%20Banner.png -||messianictimes.com/images/MJBI.org.gif -||messianictimes.com/images/Word%20of%20Messiah%20Ministries1.png -||meteomedia.com^*&placement -||meteovista.co.uk/go/banner/ -||meteox.co.uk/bannerdetails.aspx? -||meteox.com/bannerdetails.aspx? -||metradar.ch^*/banner_ -||metrolyrics.com/js/min/tonefuse.js -||metromedia.co.za/bannersys/banners/ -||mfcdn.net/media/*left -||mfcdn.net/media/*right -||mfcdn.net/media/game321/$image -||mg.co.za^*/wallpaper -||mgid.com/ban/ -||mgnetwork.com/dealtaker/ -||mhcdn.net/store/banner/ -||micast.tv/clean.php -||mmoculture.com/wp-content/uploads/*-background- -||mob.org/banner/ -||mochiads.com/srv/ -||modhoster.com/image/U/$image -||moevideo.net/getit/$object-subrequest,domain=videochart.net -||money-marketuk.com/images/banners/ -||moneyam.com/www/ -||moneycontrol.co.in/images/promo/ -||moneymakerdiscussion.com/mmd-banners/ -||moneymedics.biz/upload/banners/ +||marketscreener.com/content_openx.php +||mas.martech.yahoo.com^$domain=mail.yahoo.com +||masternodes.online/baseimages/ +||maxgames.com/img/sponsor_ +||mbauniverse.com/sites/default/files/shree.png +||media.tickertape.in/websdk/*/ad.js +||mediatrias.com/assets/js/vypopme.js +||mediaupdate.co.za/banner/ +||megashare.website/js/safe.ob.min.js +||mictests.com/myshowroom/view.php$subdocument +||mobilesyrup.com/RgPSN0siEWzj.js ||monkeygamesworld.com/images/banners/ -||monster.com/null&pp -||morefree.net/wp-content/uploads/*/mauritanie.gif -||morningstaronline.co.uk/offsite/progressive-listings/ -||motorcycles-motorbikes.com/pictures/sponsors/ -||motorhomefacts.com/images/banners/ -||motortrader.com.my/skinner/ -||motorweek.org^*/sponsor_logos/ -||mountainbuzz.com/attachments/banners/ -||mousesteps.com/images/banners/ -||mouthshut.com^*/zedo.aspx -||movie-censorship.com^*/amazon_ -||moviesrox.tech/banner.png -||movizland.com/images/banners/ -||movstreaming.com/images/edhim.jpg -||movzap.com/aad.html -||movzap.com/zad.html -||mp.adverts.itv.com/priority/*.mp4$object-subrequest -||mp3.li/images/md_banner_ -||mp3mediaworld.com*/! -||mp3s.su/uploads/___/djz_to.png +||moonjscdn.info/player8/JWui.js +||moviehaxx.pro/js/bootstrap-native.min.js +||moviehaxx.pro/js/xeditable.min.js +||moviekhhd.biz/ads/ +||moviekhhd.biz/images/DownloadAds +||mp3fiber.com/*ml.jpg +||mpgh.net/idsx2/ ||mrskin.com^$script,third-party,domain=~mrskincdn.com -||msavideo-a.akamaihd.net^*/msn_logo_anim-main-*.mp4$domain=msn.com -||msn.com/?adunitid -||mspcdn.net^*/partners/ -||msw.ms^*/jquery.MSWPagePeel- -||mtbr.com/ajax/hotdeals/ -||mtv.co.uk^*/btn_itunes.png -||mtvnimages.com/images/skins/$image -||muchmusic.com/images/*-skin.png -||muchmusic.com^*/bigbox_frame_resizer.html -||muchmusic.com^*/leaderboard_frame_obiwan.html -||multiup.org/img/sonyoutube_long.gif -||multiupload.biz/r_ads2 -||murdermysteries.com/banners-murder/ -||music-news.com^*/amazon- -||musicatorrents.com^*/license. -||musicatorrents.com^*/script. -||musicplayon.com/banner? -||musicpleer.la/static/ab -||musicremedy.com/banner/ -||musictarget.com*/! -||muslimobserver.com^*/banner- -||mustangevolution.com^*/banners/ -||muthafm.com^*/partners.png -||my-link.pro/rotatingBanner.js -||myam1230.com/images/banners/ -||myanimelist.cdn-dena.com/images/affiliates/ -||mybroadband.co.za/news/wp-content/wallpapers/ -||mycentraljersey.com^*/sponsor_ -||mydramalist.info^*/affiliates/ -||myfpscheats.com/bannerimg.jpg -||mygaming.co.za/news/wp-content/wallpapers/ -||mygaming.co.za^*/partners/ -||myip.ms^*/bluehost. -||myiplayer.eu/ad -||mymusic.com.ng/images/supportedby -||mypbrand.com/wp-content/uploads/*banner -||mypiratebay.cl^$subdocument -||myproperty.co.za/banners/ -||myretrotv.com^*_horbnr.jpg -||myretrotv.com^*_vertbnr.jpg -||myrls.me/open.js -||mysafesearch.co.uk/adds/ -||myshadibridalexpo.com/banner/ -||myspacecdn.com/cms/*_skin_ -||mysubtitles.com^*_banner.jpg -||mysuburbanlife.com/flyermodules? -||mysuncoast.com/app/wallpaper/ -||mysuncoast.com^*/sponsors/ -||mytyres.co.uk/simg/skyscrapers/ -||myway.com/gca_iframe.html -||mywot.net/files/wotcert/vipre.png -||nairaland.com/cltimages/ -||namepros.com/images/backers/ -||nampa.org/images/banners/ -||narrative.ly/ads/ -||narutoget.us/*.html$subdocument -||nation.co.ke^*_bg.png -||nation.lk^*/banners/ -||nation.sc/images/banners/ -||nation.sc/images/pub -||nationaljournal.com/js/njg.js -||nationalreview.com/images/display_300x600- -||nationalturk.com^*/banner -||nationmultimedia.com/home/banner/ -||nationmultimedia.com/new/js/nation_popup.js +||musicstreetjournal.com/banner/ +||mutaz.pro/img/ba/ +||myabandonware.com/media/img/gog/ +||myanimelist.net/c/i/images/event/ +||mybrowseraddon.com/ads/core.js +||myeongbeauty.com/ads/ +||myflixer.is/ajax/banner^ +||myflixer.is/ajax/banners^ +||myunique.info/wp-includes/js/pop.js +||myvidster.com/ads/ +||myvidster.com/js/myv_ad_camp2.php +||n.gemini.yahoo.com^ +||nameproscdn.com/images/backers/ ||nativetimes.com/images/banners/ -||naturalhealth365.com/images/ic-may-2014-220x290.jpg -||naturalnewsblogs.com^*/xml/ -||naukimg.com/banner/ -||naukri.com/banners -||nbr.co.nz^*-WingBanner_ -||nciku.com^*banner -||ncs.eadaily.com^ -||ndtv.com/functions/code.js -||ndtv.com/widget/conv-tb -||ndtv.com^*/banner/ -||ndtv.com^*/sponsors/ -||nearlygood.com^*/_aff.php? -||nemesistv.info/jQuery.NagAds1.min.js -||neodrive.co/cam/ -||neoseeker.com/a_pane.php -||neowin.net/images/atlas/aww -||nerej.com/c/ -||nesn.com/img/nesn-nation/bg- -||nesn.com/img/nesn-nation/header-dunkin.jpg -||nesn.com/img/sponsors/ -||nest.youwatch.org^ -||netdna-cdn.com^$domain=modovideo.com -||netdna-cdn.com^*/tiwib-lootr-ad.png$domain=thisiswhyimbroke.com -||netdna-ssl.com/sponsor/$domain=ar12gaming.com -||netdna-ssl.com/wp-content/uploads/2017/01/tla17janE.gif -||netdna-ssl.com/wp-content/uploads/2017/01/tla17sepB.gif -||netdna-ssl.com^$script,domain=cnet.com -||netdna-ssl.com^*-sponsors-$domain=skift.com -||netdna-ssl.com^*/sponsor/$domain=ar12gaming.com -||netindian.in/frontsquare*.php -||netspidermm.indiatimes.com^ -||netsplit.de/links/rootado.gif -||netupd8.com^*/ads/ -||network.sofeminine.co.uk^ -||networkwestvirginia.com/uploads/user_banners/ -||networx.com/widget.php?aff_id=$script -||newafricanmagazine.com/images/banners/ -||newalbumreleases.net/banners/ -||newburytoday.co.uk^*-WillisAinsworth1.gif -||newipnow.com/ad-js.php -||newoxfordreview.org/banners/ad- -||news-record.com/app/deal/ -||news.am/banners/ -||news.am/pic/bnr/ -||newsday.co.tt/banner/ -||newsofbahrain.com/images/uae-exchange. -||newsonjapan.com/images/banners/ -||newsreview.com/images/promo.gif -||newstrackindia.com/images/hairfallguru728x90.jpg -||newsudanvision.com/images/banners/ -||nextbigwhat.com/wp-content/uploads/*ccavenue -||nextgen-auto.com/images/banners/ -||nextstl.com/images/banners/ -||nichepursuits.com/wp-content/uploads/*/long-tail-pro-banner.gif -||nicoad.nicovideo.jp^ -||nigeriafootball.com/img/affiliate_ -||nigeriamasterweb.com/Masterweb/banners_pic/ -||nigerianbulletin.com^*/Siropu/ -||nigerianyellowpages.com/images/banners/ -||niggasbelike.com/wp-content/themes/zeecorporate/images/b.jpg -||nijobfinder.co.uk/affiliates/ -||nimbb.com^$domain=my.rsscache.com -||nine.com.au^*/neds- -||nine.com.au^*/neds_ -||ninemsn.com.au^*/neds_ -||ninja-copy.com/js/track.js -||nirsoft.net/banners/ -||nodevice.com/images/banners/ -||noelshack.com^$domain=dexerto.com -||nogripracing.com/iframe.php -||northjersey.com^*_Sponsor. +||naturalnews.com/wp-content/themes/naturalnews-child/$script +||navyrecognition.com/images/stories/customer/ +||nemosa.co.za/images/mad_ad.png +||nesmaps.com/images/ads/$image +||newagebd.net/assets/img/ads/ +||newkerala.com/banners/amazon +||news.itsfoss.com/assets/images/pikapods.jpg +||newsnow.co.uk/pharos.js +||nexvelar.b-cdn.net/videoplayback_.mp4 +||northsidesun.com/init-2.min.js ||norwaypost.no/images/banners/ -||nosteam.ro^*/messages.js -||notalwaysromantic.com/images/banner- -||notdoppler.com^*-promo- +||notebrains.com^$image,domain=businessworld.in +||nrl.com/siteassets/sponsorship/ ||nrl.com^*/sponsors/ -||ntdtv.com^*/adv/ -||nu2.nu^*/sponsor/ -||nyt.com^*-sponsor- -||nzbstars.com/deatowllpik.php -||nzbstars.com/images/blb_ -||nzbstars.com/vanilla.js -||nznewsuk.co.uk/banners/ -||ohmygore.com/ef_pub*.php -||oload.tv/logpopup/ -||oncyprus.com^*/banners/ +||nu2.nu/gfx/sponsor/ +||numista.com/*/banners/$image +||nyaa.land/static/p2.jpg +||nzherald.co.nz/pf/resources/dist/scripts/global-ad-script.js +||observerbd.com/ad/ +||odrama.net/images/clicktoplay.jpg +||ohmygore.com/ef_pub +||oklink.com/api/explorer/v2/index/text-advertisement? ||onlineshopping.co.za/expop/ +||opencart.com/application/view/image/banner/ +||openstack.org/api/public/v1/sponsored-projects? ||optics.org/banners/ -||ouo.io/js/pop. -||ouo.press/js/pop. -||paktribune.com^*/banner -||pdn-1.com^$domain=arenabg.ch -||pe.com^*/biice2scripts.js -||pechextreme.com^*/banner. -||pechextreme.com^*/banners/ -||pedestrian.tv/_crunk/wp-content/files_flutter/ -||peggo.tv/ad/ -||penguin-news.com/images/banners/ -||peruthisweek.com/uploads/sponsor_image/ -||pettube.com/images/*-partner. -||pgatour.com^*/featurebillboard_ -||pghcitypaper.com/general/modalbox/modalbox.js -||phantom.ie^*/banners/ -||phillytrib.com/images/banners/ -||phnompenhpost.com/images/stories/banner/ -||phnompenhpost.com^*/banner_ -||phonescoop.com^*/a_tab.gif -||phorio.com^*/partners/ -||phoronix.com/phxforums-thread-show.php -||photo.net/equipment/pg-160^ -||photosupload.net/photosupload.js -||phuket-post.com/img/a/ -||phuketgazette.net/banners/ -||phuketgazette.net^*/banners/ +||outbrain.com^$domain=bgr.com|buzzfeed.com|dto.to|investing.com|mamasuncut.com|mangatoto.com|tvline.com +||outlookads.live.com^ +||outputter.io/uploads/$subdocument +||ownedcore.com/forums/ocpbanners/ +||pafvertizing.crazygames.com^ +||pandora.com/api/v1/ad/ +||pandora.com/web-client-assets/displayAdFrame. +||paste.fo/*jpeg$image +||pasteheaven.com/assets/images/banners/ +||pastemagazine.com/common/js/ads- +||pastemytxt.com/download_ad.jpg +||path-2-happiness.com/*/select_adv +||pcmag.com/js/alpine/$domain=speedtest.net +||pcwdld.com/SGNg95BS08r9.js +||petrolplaza.net/AdServer/ +||phonearena.com/js/ops/taina.js ||phuketwan.com/img/b/ -||physorg.com^*/addetect.js -||pickmeupnews.com/cfopop.js -||pidjin.net^*/box.png -||pinkbike.org^*/skins/ -||piratefm.co.uk/resources/creative/ -||pitchero.com^*/toolstation.gif -||pittnews.com/modules/mod_novarp/ -||pixon.ads-pixiv.net^ -||planecrashinfo.com/images/advertize1.gif +||picrew.me/vol/ads/ +||pimpandhost.com/mikakoki/ +||pinkmonkey.com/includes/right-ad-columns.html +||pixlr.com/dad/ +||pixlr.com/fad/ +||plainenglish.io/assets/sponsors/ ||planetlotus.org/images/partners/ -||play.tv/uniroll/ -||play4movie.com/banner/ -||playgames2.com/ban300- -||playgames2.com/default160x160.php -||playgames2.com/mmoout.php -||playgames2.com/rand100x100.php -||playgroundmag.net^*/wallpaperpgesp_$image -||pleasurizemusic.com^*/banner/ -||plunderguide.com/leaderboard-gor.html -||plunderguide.com/rectangle2.html -||plundermedia.com*rectangle- -||pmm.people.com.cn^ -||pogo.com/v/*/js/ad.js -||pokernews.com/b/ -||pokernews.com/preroll.php? -||police-car-photos.com/pictures/sponsors/ -||policeprofessional.com/files/banners- -||policeprofessional.com/files/pictures- -||politicalwire.com/images/*-sponsor.jpg -||politico.com^*_skin_ -||politicususa.com/psa/ -||pop-over.powered-by.justplayzone.com^ -||pornevo.com/events_ -||portcanaveralwebcam.com/images/ad_ +||player.twitch.tv^$domain=go.theconomy.me +||plutonium.cointelegraph.com^ +||pnn.ps/storage/images/partners/ +||poedb.tw/image/torchlight/ +||pons.com/assets/javascripts/modules-min/ad-utilities_ +||pons.com/assets/javascripts/modules-min/idm-ads_ ||ports.co.za/banners/ -||porttechnology.org/images/partners/ -||portugaldailyview.com/images/mrec/ -||portugalresident.com/t/ -||positivehealth.com^*/BannerAvatar/ -||positivehealth.com^*/TopicbannerAvatar/ -||postadsnow.com/panbanners/ -||postcrescent.com^*/promos/ -||povvideo.net/ben/ -||power977.com/images/banners/ -||powvideo.net/*?zoneid=$script -||powvideo.net/ban/ -||powvideo.net/js/pu2/$script -||pqarchiver.com^*/utilstextlinksxml.js -||pr0gramm.com/wm/ -||praguepost.com/images/banners/ -||prerollads.ign.com^ -||pressrepublican.com/wallpaper/ -||prewarcar.com/images/banners/ -||printfriendly.com/a/lijit/ -||prisonplanet.com^*banner -||privateproperty.co.za^*/siteTakeover/ -||pro-clockers.com/images/banners/ -||projectorcentral.com/bblaster -||propertyfinderph.com/uploads/banner/ -||prostylex.com/fronter.js -||psgroove.com/images/*.jpg| +||positivehealth.com/img/original/BannerAvatar/ +||positivehealth.com/img/original/TopicbannerAvatar/ +||povvldeo.lol/js/fpu3/ +||prebid-server.newsbreak.com^ +||presearch.com/affiliates|$xmlhttprequest +||presearch.com/coupons|$xmlhttprequest +||presearch.com/tiles^ +||pressablecdn.com/wp-content/uploads/Site-Skin_update.gif$domain=bikebiz.com +||prewarcar.com/*-banners/ +||prod-sponsoredads.mkt.zappos.com^ +||products.gobankingrates.com^ ||publicdomaintorrents.info/grabs/hdsale.png ||publicdomaintorrents.info/rentme.gif ||publicdomaintorrents.info/srsbanner.gif -||pulsenews.co.kr/js/ad.js -||puredl.org/ugb6.gif -||rabble.ca^*/partners_ -||rad.microsoft.com^ -||rad.msn.com^ -||radio1584.co.za/images/banners/ -||radio786.co.za/images/banners/ -||radio90fm.com/images/banners/ -||radioasiafm.com^*-300x250. -||radiocity.in^*.php$subdocument -||radioloyalty.com/newPlayer/loadbanner.html? -||radionomy.com^*/ad/ +||pubsrv.devhints.io^ +||pururin.to/assets/js/pop.js +||putlocker.*/banner/static/ +||putlocker.*/sab_ +||puzzle-slant.com/images/ad/ +||pwinsider.com/advertisement/ +||qrz.com/ads/ +||quora.com/ads/ ||radioreference.com/i/p4/tp/smPortalBanner.gif -||radioreference.com^*_banner_ -||radiotimes.com/assets/images/partners/ -||radiotoday.co.uk/a/ -||radiowave.com.na/images/banners/ -||radiowavesforum.com/rw/radioapp.gif -||radiozindagi.com/sponsors/ -||ragezone.com/wp-content/uploads/*/HV-banner-300-200.jpg -||ragezone.com/wp-content/uploads/2019/02/chawk.jpg -||ragezone.com/wp-content/uploads/2019/02/Widget_HF.png -||rainbowpages.lk/images/banners/ -||rainiertamayo.com/js/$script -||rapidfiledownload.com^*/btn-input-download.png -||rapidgamez.com/images/ -||rapidgator.net/images/banners/ -||rapidgator.net/images/pics/729x91_ -||rapidgator.net/images/pics/button.png -||rapidlibrary.com/baner*.png -||rapidlibrary.com/banner_*.png -||rapidsafe.de/eislogo.gif -||rapidshare.com/promo/$image -||rapidtvnews.com^*BannerAd. -||ratemystrain.com/files/*-300x250. -||ratio-magazine.com/images/banners/ -||ravchat.com/img/reversephone.gif -||rc.feedsportal.com/r/*/rc.img -||readcomiconline.to^$subdocument,~third-party -||readingeagle.com/lib/dailysponser.js -||readthedocs.org*/sustainability/ -||readynutrition.com^*/banners/ -||realitytvworld.com/burst.js -||realitytvworld.com/includes/rtvw-jscript.js -||reason.org/UserFiles/web-fin1.gif -||red.bayimg.net^ -||reddit.com/api/request_promo.json -||reddit.com^*_sponsor.png? -||redditstatic.com/moat/ -||redfm.com.au^*/Sponsor_ -||rediff.com/worldrediff/pix/$subdocument -||redpepper.org.uk/ad- -||redvase.bravenet.com^ -||reelzchannel.com^*-skin- -||regmender.com^*/banner336x280. -||relink.us/js/ibunkerslide.js -||replacementdocs.com^*/popup.js -||residentadvisor.net/images/banner/ -||retrevo.com/m/google?q= -||retrevo.com^*/pcwframe.jsp? -||reverb.com/api/comparison_shopping_pages/ -||reviewcentre.com/cinergy-adv.php -||revolution935.com^*sponsor -||rfu.com/js/jquery.jcarousel.js -||rghost.ru/download/a/*/banner_download_ -||richardroeper.com/assets/banner/ -||richmedia.yimg.com^ -||riderfans.com/other/ -||rightsidenews.com/images/banners/ -||ringostrack.com^*/amazon-buy.gif -||roblox.com/user-sponsorship/ -||rockettheme.com/aff/ -||rocktv.co/adds/ -||rocvideo.tv/pu/$subdocument -||rodfile.com/images/esr.gif -||roia.com^ -||rojadirecta.ge^*/pu.js -||rok.com.com/rok-get? -||rollingout.com/images/attskin- -||rom-freaks.net/popup.php -||romereports.com/core/media/automatico/ -||romereports.com/core/media/sem_comportamento/ -||romhustler.net/square.js -||rootsweb.com/js/o*.js -||roseindia.net^*/banners/ -||rotoworld.com^*&sponsor=$subdocument -||rough-polished.com/upload/bx/ -||routerpasswords.com/routers.jpg -||routes-news.com/images/banners/ -||routesonline.com/banner/ -||rpgcodex.net^*/gog_button.jpg -||rpgwatch.com^*/banner/ -||rsbuddy.com/campaign/ -||rss2search.com/delivery/ -||rt.com/banner/ -||rt.com/static/img/banners/ -||rtc107fm.com/images/banners/ -||rtcc.org/systems/sponsors/ -||rtklive.com/marketing/ -||rtklive.com^*/marketing -||rugbyweek.com^*/sponsors/ -||runetki.joyreactor.ru^ -||runt-of-the-web.com/wrap1.jpg -||russianireland.com/images/banners/ -||rustourismnews.com/images/banners/ -||s.imwx.com^*/wx-a21-plugthis.js -||s.yimg.com^*/audience/ +||raenonx.cc/scripts +||rafvertizing.crazygames.com^ +||randalls.com/abs/pub/xapi/search/sponsored-carousel? +||rd.com/wp-content/plugins/pup-ad-stack/ +||realitytvworld.com/includes/loadsticky.html +||realpython.net/tag.js +||receive-sms-online.info/img/banner_ +||red-shell.speedrun.com^ +||republicmonitor.com/images/lundy-placeholder.jpeg +||rev.frankspeech.com^ +||revolver.news/wp-content/banners/ +||romspacks.com/sfe123.js +||rspro.xyz/wp-content/uploads/*/redotpay.webp +||rswebsols.com/wp-content/uploads/rsws-banners/ +||s.radioreference.com/sm/$image +||s.yimg.com/zh/mrr/$image,domain=mail.yahoo.com ||saabsunited.com/wp-content/uploads/*banner -||sacbee.com/static/dealsaver/ -||sacommercialpropnews.co.za/files/banners/ -||sacricketmag.com^*/wallpaper/ -||sagoodnews.co.za/templates/ubuntu-deals/ -||saice.org.za/uploads/banners/ -||sail-world.com/rotate/ -||salfordonline.com/sponsors/ -||salfordonline.com/sponsors2/ -||sameip.org/images/froghost.gif -||samoaobserver.ws^*/banner/ -||samoatimes.co.nz^*/banner468x60/ -||sams.sh/premium_banners/ -||samsung.com/ph/nextisnow/files/javascript.js -||sandai.me/assets/*.php$image,script -||sandai.me/assets/acode/$subdocument -||sarasotatalkradio.com^*-200x200.jpg -||sareunited.com/uploaded_images/banners/ -||sarugbymag.co.za^*-wallpaper2. -||sat24.com/bannerdetails.aspx? -||satelliteguys.us/burst_ -||satelliteguys.us/pulsepoint_ -||satellites.co.uk/images/sponsors/ -||satnews.com/images/MITEQ_sky.jpg -||satnews.com/images/MSMPromoSubSky.jpg -||satopsites.com^*/banners/ -||savefrom.net/img/a1d/ -||saveondish.com/banner2.jpg -||saveondish.com/banner3.jpg -||sawlive.tv/ad -||sayellow.com/Clients/Banners/ -||saysuncle.com^*ad.jpg -||sbnation.com/campaigns_images/ -||scdn.co/audio/$media,domain=open.spotify.com -||scenicreflections.com/dhtmlpopup/ -||sceper.eu/wp-content/banners.min.js -||schenkelklopfer.org^$domain=4fuckr.com -||scientopia.org/public_html/clr_lympholyte_banner.gif -||scmagazine.com.au/Utils/SkinCSS.ashx?skinID= -||scoop.co.nz/xl?c$subdocument -||scoopnest.com/content_rb.php +||samba.org/banners/$image +||sasinator.realestate.com.au^ +||sat-universe.com/wos2.png +||sat-universe.com/wos3.gif +||save-editor.com/b/in/ad/ +||sbfull.com/assets/jquery/jquery-3.2.min.js? +||sbfull.com/js/mainpc.js +||sciencefocus.com/pricecomparison/$subdocument ||scoot.co.uk/delivery.php -||screen4u.net/templates/banner.html -||screenafrica.com/jquery.jcarousel.min.js -||screencrave.com/show/ -||screenlist.ru/dodopo.js -||screenlist.ru/porevo.js -||scribol.com/broadspring.js -||scriptcopy.com/tpl/phplb/search.jpg -||scriptmafia.org/banner.gif -||sdancelive.com/images/banners/ -||search-torrent.com/images/videox/ -||search.ch/acs/ -||search.ch/htmlbanner.html -||searchignited.com^ -||seatrade-cruise.com/images/banners/ -||sebar.thand.info^ -||seclists.org/shared/images/p/$image -||sectools.org/shared/images/p/$image -||securitymattersmag.com/scripts/popup.js -||securitywonks.net/promotions/ +||scrolller.com/scrolller/affiliates/ +||search.brave.com/api/ads/ +||search.brave.com/serp/v1/static/serp-js/paid/ +||search.brave.com/serp/v1/static/serp-js/shopping/ +||searchenginereports.net/theAdGMC/$image ||sedo.cachefly.net^$domain=~sedoparking.com -||sedoparking.com/images/js_preloader.gif -||sedoparking.com/jspartner/ -||sedoparking.com/registrar/dopark.js -||seedboxes.cc/images/seedad.jpg -||seeingwithsound.com/noad.gif -||sendspace.com/defaults/framer.html?z= -||sendspace.com/images/shutter.png -||sendspace.com^*?zone= -||sendvid.com/assets/bjsp-$script -||sensongs.com/nfls/ -||serial.sw.cracks.me.uk/img/logo.gif -||serials.ws^*/logo.gif -||serialzz.us/ad.js +||segmentnext.com/LhfdY3JSwVQ8.js ||sermonaudio.com/images/sponsors/ -||serrano.hardwareheaven.com^ -||sexmummy.com/avnadsbanner. -||sfbaytimes.com/img-cont/banners -||sfltimes.com/images/banners/ -||sfx.ms/AppInsights-$script -||sgtreport.com/wp-content/uploads/*-180x350. -||sgtreport.com/wp-content/uploads/*/180_350. -||sgtreport.com/wp-content/uploads/*/180x350. -||sgtreport.com/wp-content/uploads/*_Side_Banner. -||sgtreport.com/wp-content/uploads/*_Side_Banner_ -||shadowpool.info/images/banner- -||shareae.com/im/ -||shareae.com/vb/ -||sharebeast.com/topbar.js -||sharemods.com/*.php?*=$script -||sharephile.com/js/pw.js -||sharesix.com/a/images/watch-bnr.gif -||sharkscope.com/images/verts/$image -||shazam.com^*/thestores/ -||sheekyforums.com/if/$subdocument,~third-party -||sherdog.com/index/load-banner? -||shop.com/cc.class/dfp? -||shop.sportsmole.co.uk/pages/deeplink/ -||shopping.stylelist.com/widget? -||shops.tgdaily.com^*&widget= -||shopwiki.com/banner_iframe/ -||shortenow.com/ezgif- -||shoutmeloud.com^*/hostgator- -||show-links.tv/layer.php -||showbiz411.com/wp-content/banners/ -||showbusinessweekly.com/imgs/hed/ -||showcase.vpsboard.com^ -||showing.hardwareheaven.com^ -||showsport-tv.com/images/xtreamfile.jpg -||showstreet.com/banner. -||shtfplan.com/images/banners/ -||shush.se/loader/load.js +||sfgate.com/juiceExport/production/sfgate.com/loadAds.js +||sgtreport.com/wp-content/uploads/*Banner +||sharecast.ws/cum.js +||sharecast.ws/fufu.js +||short-wave.info/html/adsense- ||siberiantimes.com/upload/banners/ ||sicilianelmondo.com/banner/ -||sickipedia.org/static/images/banners/ -||sify.com/images/games/gadvt/ -||sify.com^*/gads_ -||sigalert.com/getunit.asp?$subdocument -||siliconrepublic.com/fs/img/partners/ -||silverdoctors.com^*/Silver-Shield-2015.jpg -||silvergames.com/div/ba.php -||singaporeexpats.com/com/iframe/ -||sisters-magazine.com^*/Banners/ -||sitedata.info/doctor/ -||sitesfrog.com/images/banner/ -||siteslike.com/images/celeb -||siteslike.com/js/fpa.js -||skilouise.com/images/sponsors/ -||skymetweather.com^*/googleadds/ -||skynews.com.au/elements/img/sponsor/ -||skyscnr.com/sttc/strevda-runtime/ -||skysports.com/commercial/ -||skysports.com/images/skybet.png -||skyvalleychronicle.com/999/images/ban -||slacker.com/wsv1/getspot/?$object-subrequest -||slacker.com^*/adnetworks.swf -||slacker.com^*/ads.js -||slacker.com^*/getspot/?spotid= -||slader.com/amazon-modal/ -||slashgear.com/static/banners/ -||slayradio.org/images/c64audio.com.gif -||slyck.com/pics/*304x83_ -||smallseotools.com/hun_ -||smallseotools.com/images/$image,domain=smallseotools.com -||smartcompany.com.au/images/stories/sponsored-posts/ -||smartearningsecrets.com^*/FameThemes.png -||smartmoney.net^*-sponsor- -||smartname.com/scripts/google_afd_v2.js -||smashingapps.com/banner/ -||smh.com.au/compareandsave/ -||smh.com.au/images/promo/ -||smile904.fm/images/banners/ +||slickdeals.net/ad-stats/ +||smallseotools.com/webimages/a12/$image ||smn-news.com/images/banners/ -||smn-news.com/images/flash/ -||smoothjazznetwork.com/images/buyicon.jpg -||smotrisport.com/ads/ -||snopes.com/common/include/$subdocument -||snopes.com^*/casalebanner.asp -||snopes.com^*/casalebox.asp -||snopes.com^*/casalesky.asp -||snopes.com^*/tribalbox.asp -||soccerlens.com/files1/ -||soccervista.com/bahforgif.gif -||soccervista.com/bonus.html -||soccervista.com/sporting.gif -||soccerway.com/buttons/120x90_ -||soccerway.com/img/betting/ -||socsa.org.za/images/banners/ +||soccerinhd.com/aclib.js +||socket.streamable.com^ ||softcab.com/google.php? -||solomonstarnews.com/images/banners/ -||solvater.com/images/hd.jpg -||someecards.com^*/images/skin/ -||sootoday.com/uploads/banners/ +||sonichits.com/tf.php ||sorcerers.net/images/aff/ -||soundcloud.com/audio-ad? -||soundcloud.com/promoted/ -||soundspheremag.com/images/banners/ -||soundtracklyrics.net^*_az.js -||sourceforge.net/images/ban/ -||southafricab2b.co.za/banners/ +||soundcloud.com/audio-ads? ||southfloridagaynews.com/images/banners/ -||sowetanlive.co.za/banners/ -||spa.dictionary.com^$object -||space.com/promo/ -||spaceweather.com/abdfeeter/$image -||spade.twitch.tv^$websocket -||spartareport.com^*/sr_amazon. -||spartoo.eu/footer_tag_iframe_ -||spcontentcdn.net^$domain=sporcle.com -||speed.nocookie.net^$xmlhttprequest -||speedcafe.com^*-banner- -||speedcafe.com^*/partners/ -||speedvideo.net/img/pla_ -||speedvideo.net/img/playerFk.gif -||speroforum.com/images/sponsor_ -||spicegrenada.com/images/banners/ -||sponsors.s2ki.com^ -||sponsors.webosroundup.com^ -||sporcle.com/adn/yak.php? -||sporcle.com/g00/$subdocument -||sportcategory.com/ads/ -||sportcategory.org/pu/ -||sportpesanews.com/images/promo/ -||spotflux.com/service/partner.php -||spproxy.autobytel.com^ -||spreaker.net/spots/ -||sprint.heavenmedia.com^ -||spt.dictionary.com^ -||spycss.com/images/hostgator.gif -||squadedit.com/img/peanuts/ -||srv.thespacereporter.com^ -||st701.com/stomp/banners/ -||stad.com/googlefoot2.php? -||stagnitomedia.com/view-banner- -||standard.co.uk^*/sponsored- -||standard.net/sites/default/files/images/wallpapers/ -||standardmedia.co.ke/flash/ -||star883.org^*/sponsors. -||starbike.com^*-banner. -||starofmysore.com/wp-content/uploads/*-banner-karbonn. -||startribune.com/circulars/advertiser_ -||startxchange.com/bnr.php -||static-api.com^$domain=grammarist.com|lucianne.com -||static-economist.com^*/timekeeper-by-rolex-medium.png -||static.bt.am/ba.js -||static.hd-trailers.net/js/javascript_*.js| -||static.nfl.com^*-background- -||static.pes-serbia.com/prijatelji/zero.png -||static.plista.com^$script,domain=wg-gesucht.de -||static.tucsonsentinel.com^ -||staticfiles.org/sos.js$domain=grammarist.com -||staticneo.com/neoassets/iframes/leaderboard_bottom. -||staticworld.net/images/*_pcwskin_ -||steamanalyst.com/a/www/ -||steambuy.com/steambuy.gif -||sternfannetwork.com/forum/images/banners/ -||steroid.com/banner/ -||steroid.com/dsoct09.swf -||sticker.yadro.ru/ad/ -||stjohntradewindsnews.com/images/banners/ -||stl.news^*/booking- -||stl.news^*/bookingcom- -||stltoday.com^*_sponsor.gif -||stlyrics.com^*_az.js -||stlyrics.com^*_st.js -||stockhouse.com^*-300x75.gif -||stopforumspam.com/img/snelserver.swf -||stopstream.com/ads/ -||strategypage.com^*_banner -||stream.heavenmedia.net^ -||stream1.estream.to^$script -||streamguys.com^*/amazon.png -||streamlive.to/images/iptv.png -||streamlive.to/images/movies10.png -||streamplay.to/images/videoplayer.png -||streamplay.to/js/pu2/ -||streams.tv/js/bn5.js -||streams.tv/js/pu.js +||spike-plant.valorbuff.com^ +||sponsors.vuejs.org^ +||sportlemon24.com/img/301.jpg +||sportshub.to/player-source/images/banners/ +||spotify.com/ads/ +||spox.com/daznpic/ +||spys.one/fpe.png +||srilankamirror.com/images/banners/ +||srware.net/iron/assets/img/av/ +||star-history.com/assets/sponsors/ +||startpage.com/sp/adsense/ +||static.ad.libimseti.cz^ +||static.fastpic.org^$subdocument +||static.getmodsapk.com/cloudflare/ads-images/ +||staticflickr.com/ap/build/javascripts/prbd-$script,domain=flickr.com +||steamanalyst.com/steeem/delivery/ +||storage.googleapis.com/cdn.newsfirst.lk/advertisements/$domain=newsfirst.lk +||store-api.mumuglobal.com^ +||strcloud.club/mainstream +||streamingsites.com/images/adverticement/ +||streamoupload.*/api/spots/$script ||streams.tv/js/slidingbanner.js -||student-jobs.co.uk/banner. -||stuff.tv/client/skinning/ -||stv.tv/img/player/stvplayer-sponsorstrip- -||submarinecablemap.com^*-sponsored.png -||subs4free.com^*/wh4_s4f_$script -||succeed.co.za^*/banner_ -||sulekha.com^*/bannerhelper.html -||sulekha.com^*/sulekhabanner.aspx -||sun-fm.com/resources/creative/ -||sunriseradio.com/js/rbanners.js -||sunshineradio.ie/images/banners/ -||suntimes.com^*/banners/ -||superbike-news.co.uk/absolutebm/banners/ -||supermarket.co.za/images/advetising/ -||supermonitoring.com/images/banners/ -||superplatyna.com/automater.swf +||streamsport.pro/hd/popup.php +||strtpe.link/ppmain.js +||stuff.co.nz/static/adnostic/ +||stuff.co.nz/static/stuff-adfliction/ +||sundayobserver.lk/sites/default/files/pictures/COVID19-Flash-1_0.gif ||surfmusic.de/anz -||surfmusic.de/banner -||surfthechannel.com/promo/ ||survivalblog.com/marketplace/ -||swagmp3.com/cdn-cgi/pe/ -||swampbuggy.com/media/images/banners/ -||swarm.video/xxxswarm.js -||swedishwire.com/images/banners/ -||sweepsadvantage.com/336x230-2.php -||swiftco.net/banner/ -||swimnews.com^*/banner_ -||swimnewslibrary.com^*_960x120.jpg -||swoknews.com/images/banners/ -||sxc.hu/img/banner -||sydneyolympicfc.com/admin/media_manager/media/mm_magic_display/$image -||systemexplorer.net/sessg.php -||sythe.org/bnrs/ -||sythe.org/clientscript/agold.png +||survivalservers.com^$subdocument,domain=adfoc.us +||swncdn.com/ads/$domain=christianity.com +||sync.amperwave.net/api/get/magnite/auid=$xmlhttprequest +||szm.com/reklama +||t.police1.com^ ||taadd.com/files/js/site_skin.js -||tabla.com.sg/SIA.jpg -||taipeitimes.com/js/gad.js? -||taiwannews.com.tw/etn/images/banner_ -||talkers.com/imagebase/ -||talkers.com/images/banners/ -||talkgold.com/bans/ -||talkmagic.co.uk/aimages/$image -||talkphotography.co.uk/images/externallogos/banners/ -||talksport.co.uk^*/ts_takeover/ -||tamilwire.org/images/banners3/ -||tampermonkey.net/bner/ -||tampermonkey.net^*.*.$subdocument -||tanzanite.infomine.com^ -||targetedinfo.com^ -||targetedtopic.com^ -||tastro.org/x/ads*.php -||taxidrivermovie.com/style/sk-p.js -||taxsutra.com^*/banner/ -||tbib.org/kona/ -||tdfimg.com/go/*.html -||tdhe.eu/js/bn5.js -||tdhe.eu/pu/new/pu.js -||teamfourstar.com/img/918thefan.jpg -||techcentral.co.za^*-wallpaper- -||techcentral.co.za^*/background-manager/ -||techcentral.co.za^*/wallpaper- -||techexams.net/banners/ -||techhive.com/ads/ -||techinsider.net/wp-content/uploads/*-300x500. -||technewsdaily.com/crime-stats/local_crime_stats.php -||technewsworld.com^*/sda/ -||technomag.co.zw^*/TakeOverCampaign. -||techotopia.com/TechotopiaFiles/contextsky1.html -||techotopia.com/TechotopiaFiles/contextsky2.html -||techpowerup.com/images/bnnrs/ -||techradar.com^*/img/*_takeover_ -||techspot.com/hoop.php -||techsupportforum.com^*/banners/ -||techtarget.com^*/leaderboard.html -||techtree.com^*/jquery.catfish.js -||teesupport.com/wp-content/themes/ts-blog/images/cp- -||tehrantimes.com/banner/ -||tehrantimes.com/images/banners/ -||telecomtiger.com^*-300x300. -||templatesbox.com^*/banners/ -||ten-tenths.com/sidebar.html -||theamericanconservative.com^*-300x250. -||thecatholicuniverse.com^*-banner- -||thecenturion.co.za^*/banners/ -||thecharlottepost.com/cache/sql/fba/ -||thedailyblog.co.nz^*_Advert_ -||thedailyherald.sx/images/banners/ +||taboola.com^$domain=independent.co.uk|outlook.live.com|technobuffalo.com +||takefile.link/fld/ +||tampermonkey.net/s.js +||tashanmp3.com/api/pops/ +||techgeek365.com/advertisements/ +||techonthenet.com/javascript/pb.js +||techporn.ph/wp-content/uploads/Ad- +||techsparx.com/imgz/udemy/ +||teluguwebsite.com/CE.jpg +||teluguwebsite.com/dhal.jpg +||teluguwebsite.com/MaaTeluguTallikiMallePoodanda.jpg +||teluguwebsite.com/MeeruTelugaa.gif +||teluguwebsite.com/radio.jpg +||tempr.email/public/responsive/gfx/awrapper/ +||tennis.com/assets/js/libraries/render-adv.js +||terabox.app/api/ad/ +||terabox.com/api/ad/ +||thanks.viewfr.com/webroot/ads/adsterra/ ||thedailysheeple.com/images/banners/ -||thedailywtf.com/fblast/ -||thedirectory.co.zw/banners/ -||theindependentbd.com^*/banner/ -||theispguide.com/premiumisp.html -||thejewishvoice.com^*/book-yf/ -||thelakewoodscoop.com^*banner -||thelodownny.com/leslog/ads/ -||themis.yahoo.com^ -||themuslimweekly.com^*advert -||theoldie.co.uk/Banners/ -||theolivepress.es^*-300x33. -||theolivepress.es^*/gv-banner- -||theolivepress.es^*/webbanner- +||thedailysheeple.com/wp-content/plugins/tds-ads-plugin/assets/js/campaign.js +||thefinancialexpress.com.bd/images/rocket-250-250.png +||theindependentbd.com/assets/images/banner/ ||thephuketnews.com/photo/banner/ -||theportugalnews.com/uploads/banner/ -||thequint.com^*/sponsored- -||theseoultimes.com^*/banner/ -||thewindowsclub.com/detroitchicago/ -||thewindowsclub.com/porpoiseant/ -||thinkbroadband.com/uploads/banners/ -||thisgengaming.com/Scripts/widget2.aspx?id= -||time.com^*/dianomi- -||tmcs.net^ -||torrentdownloads.me/templates/new/images/download_button -||torrentdownloads.me/templates/new/images/one +||theplatform.kiwi/ads/ +||theseoultimes.com/ST/banner/ +||thespike.gg/images/bc-game/ +||thisgengaming.com/Scripts/widget2.aspx +||timesnownews.com/dfpamzn.js +||tineye.com/api/v1/affiliate +||tineye.com/api/v1/keyword_search/ +||torrent911.ws/z- ||torrenteditor.com/img/graphical-network-monitor.gif -||torrentz.*/mgid/ -||torrentz2.eu^$subdocument,~third-party -||total-croatia-news.com/images/banners/ -||totalguitar.net/images/*_125X125.jpg -||totalguitar.net/images/tgMagazineBanner.gif -||toynewsi.com/a/ -||traduguide.com/banner/ -||traffic.focuusing.com^ +||torrentfreak.com/wp-content/banners/ +||totalcsgo.com/site-takeover/$image +||tpc.googlesyndication.com^ +||tr.7vid.net^ +||tracking.police1.com^ +||traditionalmusic.co.uk/images/banners/ +||trahkino.cc/static/js/li.js +||triangletribune.com/cache/sql/fba/ ||truck1.eu/_BANNERS_/ -||trucknetuk.com^*/sponsors/ -||tsear.ch/data/tbot.jpg -||tsn.ca^*_sponsor. -||turbobit.net/platform/js/lib/pus/ -||tv-onlinehd.com/publi/ -||twitter.com/i/cards/tfw/*?advertiser_name= +||trucknetuk.com/phpBB2old/sponsors/ +||trumparea.com/_adz/ +||tubeoffline.com/itbimg/ +||tubeoffline.com/js/hot.min.js +||tubeoffline.com/vpn.php +||tubeoffline.com/vpn2.php +||tubeoffline.com/vpnimg/ +||turbobit.net/pus/ +||twitter.com/*/videoads/ +||twt-assets.washtimes.com^$script,domain=washingtontimes.com ||ubuntugeek.com/images/ubuntu1.png -||uimserv.net^ +||uefa.com/imgml/uefacom/sponsors/ +||uhdmovies.eu/axwinpop.js +||uhdmovies.foo/onewinpop.js ||ukcampsite.co.uk/banners/ -||unawave.de/medien/$image -||unawave.de/templates/unawave/a/$image -||uploadbank.com/images/bluedownload.png +||unmoor.com/config.json +||uploadcloud.pro/altad/ +||userscript.zone/s.js +||usrfiles.com^$domain=dannydutch.com|melophobemusic.com +||util-*.simply-hentai.com^ +||utilitydive.com/static/js/prestitial.js ||uxmatters.com/images/sponsors/ -||viadeo.com/pub/ -||vidcloud.co/js/lib/ -||video-cdn.abcnews.com/ad_$object-subrequest -||video-cdn.abcnews.com^*_ad_$object-subrequest,domain=go.com -||video.abc.com^*/ads/ -||video.abc.com^*/promos/$object-subrequest -||videos.com/click? -||videowood.tv/assets/js/popup.js -||videowood.tv/pop2 -||viral.vidhd.fun^ -||virginislandsthisweek.com/images/336- -||virginislandsthisweek.com/images/728- -||virtual-hideout.net/banner -||virtualtourist.com/adp/ -||vistandpoint.com/images/banners/ -||vitalfootball.co.uk/app-interstitial/ -||vitalfootball.co.uk^*/partners/ -||vitalmtb.com/api/ -||vitalmtb.com/assets/ablock- -||vitalmtb.com/assets/vital.aba- -||vnbitcoin.org/140_350.jpg -||vnbitcoin.org/gawminers.png -||vodlocker.com/images/acenter.png -||vodo.net/static/images/promotion/utorrent_plus_buy.png -||vogue.in/node/*?section= -||vondroid.com/site-img/*-adv-ex- -||vonradio.com/grfx/banners/ -||vortez.co.uk^*120x600.swf -||vortez.co.uk^*skyscraper.jpg -||vosizneias.com/perms/ -||vox-cdn.com/campaigns_images/ -||vpsboard.com/display/ -||w.homes.yahoo.net^ -||waamradio.com/images/sponsors/ -||wadldetroit.com/images/banners/ -||wallpaper.com/themes/takeovers/$image -||walshfreedom.com^*-300x250. -||walshfreedom.com^*/liberty-luxury.png -||wambacdn.net/images/upload/adv/$domain=mamba.ru -||wantedinafrica.com^*-skin. -||wantedinafrica.com^*_mpu_ -||wantedinmilan.com/images/banner/ -||wantitall.co.za/images/banners/ -||wardsauto.com^*/pm_doubleclick/ -||warriorforum.com/vbppb/ -||washingtonexaminer.com/house_creative.php -||washingtonpost.com/wp-srv/javascript/piggy-back-on-ads.js -||washpost.com^*/cmag_sponsor3.php? -||washtimes.com/js/dart. -||washtimes.com/static/images/SelectAutoWeather_v2.gif -||washtimes.net/banners/ -||watchcartoononline.io/scripts/$image,script -||watchcartoonsonline.la/scripts/$image,script -||watchfomny.tv/Menu/A/ -||watchfreemovies.ch/js/lmst.js -||watchop.com/player/watchonepiece-gao-gamebox.swf -||watchseries.eu/images/affiliate_buzz.gif -||watchseries.eu/images/download.png -||watchseries.eu/js/csspopup.js -||watchuseek.com/flashwatchwus.swf -||watchuseek.com/media/*-banner- -||watchuseek.com/media/*_250x250 -||watchuseek.com/media/1900x220_ -||watchuseek.com/media/banner_ -||watchuseek.com/media/clerc-final.jpg -||watchuseek.com/media/longines_legenddiver.gif -||watchuseek.com/media/wus-image.jpg -||watchuseek.com/site/forabar/zixenflashwatch.swf -||watchwwelive.net^*/big_ban.gif -||watchwwelive.net^*/long_ban2.jpg -||waterford-today.ie^*/banners/ -||wavelengthcalculator.com/banner -||way2sms.com/w2sv5/js/fo_ -||way2sms.com^*/PopUP_$script -||wbal.com/absolutebm/banners/ -||wbgo.org^*/banners/ -||wbj.pl/im/partners.gif -||wcbm.com/includes/clientgraphics/ -||wctk.com/banner_rotator.php -||wdwinfo.com/js/swap.js -||wealthycashmagnet.com/upload/banners/ -||wearetennis.com/img/common/bnp-logo- -||wearetennis.com/img/common/bnp-logo.png -||wearetennis.com/img/common/logo_bnp_ -||weather365.net/images/banners/ -||weatheroffice.gc.ca/banner/ -||web.tmearn.com^ -||webdesignerdepot.com/wp-content/plugins/md-popup/ -||webdesignerdepot.com/wp-content/themes/wdd2/fancybox/ -||webdevforums.com/images/inmotion_banner.gif -||webhostingtalk.com/images/style/lw-header.png -||webhostingtalk.com^*-160x400. -||webhostingtalk.com^*/125x125- -||webhostranking.com/images/bluehost-coupon-banner-1.gif -||webmailnotifier.mozdev.org/etc/af/ -||webmaster.extabit.com^ -||webmastercrunch.com^*/hostgator300x30.gif -||webmd.com^*/oas73.js -||webnewswire.com/images/banner -||websitehome.co.uk/seoheap/cheap-web-hosting.gif -||webstatschecker.com/links/ -||webtv.ws/adds/ -||weddingtv.com/src/baners/ -||weedwatch.com/images/banners/ -||weei.com^*/sponsors/ -||weei.com^*/takeover_ -||weei.com^*_banner.jpg -||weekender.com.sg^*/MPU- -||weekendpost.co.bw^*/banner_ -||wegoted.com/includes/biogreen.swf -||wegoted.com/uploads/memsponsor/ -||wegoted.com/uploads/sponsors/ -||weknowmemes.com/sidesky. -||werlv.com^*banner -||wgfaradio.com/images/banners/ -||whatismyip.com/images/VYPR__125x125.png -||whatismyip.com/images/vyprvpn_ -||whatismyip.org/ez_display_au_fillslot.js -||whatismyreferer.com/onpage.png -||whatmobile.com.pk/banners/ -||whatmyip.co/images/speedcoin_ -||whatreallyhappened.com/webpageimages/banners/uwslogosm.jpg -||whatsabyte.com/images/Acronis_Banners/ -||whatsnewonnetflix.com/assets/blockless-ad- -||whatson.co.za/img/hp.png -||whatsonnamibia.com/images/banners/ -||whatsonstage.com/images/sitetakeover/ -||whatsontv.co.uk^*/promo/ -||whatsthescore.com/logos/icons/bookmakers/ -||whdh.com/images/promotions/ -||wheninmanila.com/wp-content/uploads/2011/05/Benchmark-Email-Free-Signup.gif -||wheninmanila.com/wp-content/uploads/2012/12/Marie-France-Buy-1-Take-1-Deal-Discount-WhenInManila.jpg -||wheninmanila.com/wp-content/uploads/2014/02/DTC-Hardcore-Quadcore-300x100.gif -||wheninmanila.com/wp-content/uploads/2014/04/zion-wifi-social-hotspot-system.png -||whispersinthecorridors.com/banner -||whistleout.com.au/imagelibrary/ads/wo_skin_ -||whitepages.ae/images/UI/FC/ -||whitepages.ae/images/UI/LB/ -||whitepages.ae/images/UI/MR/ -||whitepages.ae/images/UI/SR/ -||whitepages.ae/images/UI/SRA/ -||whitepages.ae/images/UI/SRB/ -||whitepages.ae/images/UI/WS/ -||who.is/images/domain-transfer2.jpg -||whoer.net/images/pb/ -||whoer.net/images/vlab50_ -||whoer.net/images/vpnlab20_ -||whois.net/dombot.php? -||whois.net/images/banners/ -||whoownsfacebook.com/images/topbanner.gif -||whtop.com/photos. -||whtsrv3.com^*==$domain=webhostingtalk.com -||whynopadlock.com^*/banners/ -||widget.directory.dailycommercial.com^ -||widih.org/banners/ -||wiilovemario.com/images/fc-twin-play-nes-snes-cartridges.png -||wikia.nocookie.net/_*=AdEngine3ApiController -||wikinvest.com/wikinvest/ads/ -||wikinvest.com/wikinvest/images/zap_trade_ -||wildtangent.com/leaderboard? -||windows.net/script/p.js -||windowsitpro.com^*/roadblock. -||wine-searcher.net^*/bnr/ -||winnfm.com/grfx/banners/ -||winpcap.org/assets/image/banner_ -||winsupersite.com^*/roadblock. -||wipfilms.net^*/amazon.png -||wipfilms.net^*/instant-video.png -||wired.com/images/xrail/*/samsung_layar_ -||wirenh.com/images/banners/ -||wireshark.org^*/banners/ -||wistia.net/embed/$domain=speedtest.net -||witbankspurs.co.za/layout_images/sponsor.jpg -||witteringsfromwitney.com/wp-content/plugins/popup-with-fancybox/ -||wjie.org/media/img/sponsers/ -||wjunction.com/images/468x60 -||wjunction.com/images/constant/ -||wjunction.com/images/rectangle -||wjunction.com^*/smf-footer. -||wksu.org/graphics/banners/ -||wkyt.com/flyermodules? -||wlcr.org/banners/ -||wlrfm.com/images/banners/ -||wned.org/underwriting/sponsors/ -||wnpv1440.com/images/banners/ -||wnst.net/img/coupon/ -||wolf-howl.com/wp-content/banners/ -||worddictionary.co.uk/static//inpage-affinity/ -||wordreference.com/*/publ/ -||worldstadiums.com/world_stadiums/bugarrishoes/ -||wp.com/wp-content/themes/vip/tctechcrunch/images/tc_*_skin.jpg -||wp.com^*/banners/$domain=biznisafrica.com|showbiz411.com -||wp.com^*/coedmagazine3/gads/$domain=coedmagazine.com -||wpbeginner.com^*/images/wpb-bluehost-special.png -||wpcomwidgets.com^$domain=thegrio.com -||wpcv.com/includes/header_banner.htm -||wpdaddy.com^*/banners/ -||wptmag.com/promo/ +||v3cars.com/load-ads.php +||vastz.b-cdn.net/hsr/HSR*.mp4 +||vectips.com/wp-content/themes/vectips-theme/js/adzones.js +||videogameschronicle.com/ads/ +||vidzstore.com/popembed.php +||vobium.com/images/banners/ +||voodc.com/avurc +||vtube.to/api/spots/ +||wafvertizing.crazygames.com^ +||wall.vgr.com^ +||web-oao.ssp.yahoo.com/admax/ +||webcamtests.com/MyShowroom/view.php? +||webstick.blog/images/images-ads/ +||welovemanga.one/uploads/bannerv.gif +||widenetworks.net^$domain=flysat.com +||wikihow.com/x/zscsucgm? +||windows.net/banners/$domain=hortidaily.com +||winxclub.com^*/dfp.js? +||wonkychickens.org/data/statics/s2g/$domain=torrentgalaxy.to +||worldhistory.org/js/ay-ad-loader.js +||worldofmods.com/wompush-init.js +||worthplaying.com/ad_left.html ||wqah.com/images/banners/ -||wqam.com/partners/ -||wqxe.com/images/sponsors/ -||wranglerforum.com/images/sponsor/ -||wrc.com^*/Partners/ -||wrc.com^*/sponsors/ -||wrcjfm.org/images/banners/ -||wrlr.fm/images/banners/ -||wrmf.com/upload/*_Webskin_ -||wshh.me/vast/ -||wsj.net/internal/krux.js -||wsj.net/pb/pb.js -||wttrend.com/images/hs.jpg -||wunderground.com/geo/swfad/ -||wunderground.com^*/wuss_300ad2.php? -||wvbr.com/images/banner/ -||wwaytv3.com^*/curlypage.js -||wwbf.com/b/topbanner.htm -||wwd.com^*/delivery.js -||www2.sys-con.com^*.cfm -||wxug.com^*/sourcepoint/$script +||wsj.com/asset/ace/ace.min.js +||www.google.*/adsense/search/ads.js ||x.castanet.net^ -||xbitlabs.com/cms/module_banners/ -||xbitlabs.com/images/banners/ -||xbox-hq.com/html/images/banners/ -||xda-developers.com/sponsors/ -||xiaopan.co/Reaver.png -||ximagehost.org/myman. +||x.com/*/videoads/ +||xboxone-hq.com/images/banners/ ||xing.com/xas/ +||xingcdn.com/crate/ad- +||xingcdn.com/xas/ ||xinhuanet.com/s? -||xomreviews.com/sponsors/ -||xoops-theme.com/images/banners/ -||xscores.com/livescore/banners/ -||xsreviews.co.uk/style/bgg2.jpg -||xtremesystems.org/forums/brotator/ -||xup.in/layer.php -||yahoo.*/serv?s= -||yahoo.com/__darla/ -||yahoo.com/contextual-shortcuts -||yahoo.com/darla/ -||yahoo.com/livewords/ -||yahoo.com/neo/darla/ +||y3o.tv/nevarro/video-ads/$domain=yallo.tv +||yahoo.com/m/gemini_api/ +||yahoo.com/pdarla/ ||yahoo.com/sdarla/ -||yahoo.com/ysmload.html? -||yahoo.com^*/eyc-themis? -||yamgo.mobi/images/banner/ -||yamivideo.com^*/download_video.jpg -||yardbarker.com/asset/asset_source/*?ord=$subdocument -||yarisworld.com^*/banners/ -||yasni.*/design/relaunch/gfx/elitepartner_ -||yea.uploadimagex.com^ -||yellowpage-jp.com/images/banners/ -||yellowpages.ae/UI/FC/ -||yellowpages.ae/UI/LB/ -||yellowpages.ae/UI/MR/ -||yellowpages.ae/UI/SR/ -||yellowpages.ae/UI/ST/ -||yellowpages.ae/UI/WA/ -||yellowpages.ae/UI/WM/ -||yellowpages.com.jo/uploaded/banners/ ||yellowpages.com.lb/uploaded/banners/ -||yellowpageskenya.com/images/laterals/ -||yesbeby.whies.info^ -||yfmghana.com/images/banners/ -||yifymovies.to/js/rx/yx.js -||yimg.com/*300x250$image,object -||yimg.com/a/1-$~stylesheet -||yimg.com/ao/adv/$script,domain=yahoo.com -||yimg.com/cv/*/billboard/ -||yimg.com/cv/*/config-object-html5billboardfloatexp.js -||yimg.com/cv/ae/ca/audience/$image,domain=yahoo.com -||yimg.com/cv/ae/us/audience/$image,domain=yahoo.com -||yimg.com/cv/eng/*.webm$domain=yahoo.com -||yimg.com/cv/eng/*/635x100_$domain=yahoo.com -||yimg.com/cv/eng/*/970x250_$domain=yahoo.com -||yimg.com/dh/ap/default/*/skins_$image,domain=yahoo.com -||yimg.com/hl/ap/*_takeover_$domain=yahoo.com -||yimg.com/hl/ap/default/*_background$image,domain=yahoo.com -||yimg.com/i/i/de/cat/yahoo.html$domain=yahoo.com -||yimg.com/la/i/wan/widgets/wjobs/$subdocument,domain=yahoo.com ||yimg.com/rq/darla/$domain=yahoo.com -||yimg.com^*/billboardv2r5min.js$domain=yahoo.com -||yimg.com^*/darla-secure-pre-min.js$domain=yahoo.com -||yimg.com^*/fairfax/$image -||yimg.com^*/flash/promotions/ -||yimg.com^*/tickets/$domain=yahoo.com -||yimg.com^*/ya-answers-dmros-ssl-min.js$domain=yahoo.com -||yimg.com^*/yad*.js$domain=yahoo.com -||yimg.com^*/yad.html -||yimg.com^*/yfpadobject.js$domain=yahoo.com -||yimg.com^*_east.swf$domain=yahoo.com -||yimg.com^*_north.swf$domain=yahoo.com -||yimg.com^*_west.swf$domain=yahoo.com -||ynaija.com^*/ad. -||ynaija.com^*300x250 -||ynaija.com^*300X300 ||ynet.co.il/gpt/ -||ynet.co.il^*/shopframe/ -||yomzansi.com^*-300x250. -||yopmail.com/fbd.js -||yorkshirecoastradio.com/resources/creative/ -||yotv.co/ad/ -||yotv.co/adds/ -||yotv.co/class/adjsn3.js -||youconvertit.com/_images/*ad.png -||youngrider.com/images/sponsorships/ -||yourbittorrent.com/downloadnow.png -||yourbittorrent.com/images/lumovies.js -||yourepeat.com/revive_wrapper? -||yourepeat.com^*/skins/ -||yourfilehost.com/ads/ -||yourindustrynews.com/ads/ -||yourmovies.com.au^*/side_panels_ -||yourmuze.fm/images/audionow.png -||yourmuze.fm/images/banner_ym.png -||yourradioplace.com//images/banners/ -||yourradioplace.com/images/banners/ -||yourupload.com/rotate/ -||yourwire.net/images/refssder.gif -||youserials.com/i/banner_pos.jpg -||youtube.com/get_midroll_ ||youtube.com/pagead/ -||youwatch.org/9elawi.html -||youwatch.org/driba.html -||youwatch.org/iframe1.html -||youwatch.org/vod-str.html -||yp.mo^*/ads/ -||ysm.yahoo.com^ -||ytimg.com^*/new_watch_background.jpg?$domain=youtube.com -||ytimg.com^*/new_watch_background_*.jpg?$domain=youtube.com -||ytimg.com^*_banner$domain=youtube.com -||ytmnd.com/ugh -||yudu.com^*_intro_ads -||zabasearch.com/search_box.php?*&adword= -||zads.care2.com^ -||zam.com/i/promos/*-skin. -||zambiz.co.zm/banners/ -||zamimg.com/images/skins/ -||zamimg.com/shared/minifeatures/ -||zanews.co.za^*/banners/ -||zap2it.com/wp-content/themes/overmind/js/zcode- -||zattoo.com/ads/ -||zawya.com/ads/ -||zawya.com/brands/ -||zbc.co.zw^*/banners/ -||zdnet.com/mds/ -||zdnet.com/medusa/ -||zerochan.net/skyscraper.html -||zeropaid.com/images/ -||zeropaid.com^*/94.jpg -||ziddu.com/images/140x150_egglad.gif -||ziddu.com/images/globe7.gif -||ziddu.com/images/wxdfast/ -||zigzag.co.za/images/oww- -||zipcode.org/site_images/flash/zip_v.swf -||zmescience.com^*/solar-aff. -||zombiegamer.co.za/wp-content/uploads/*-skin- -||zomobo.net/images/removeads.png -||zonatorrent.tv/min/$script -||zonein.tv/add$subdocument -||zoneradio.co.za/img/banners/ -||zoomin.tv/decagonhandler/ -||zootoday.com/pub/21publish/Zoo-navtop-casino_ -||zootoday.com/pub/21publish/Zoo-navtop-poker.gif -||zoover.*/shared/bannerpages/darttagsbanner.aspx? -||zoozle.org/if.php?q= -||zophar.net/files/tf_ -||zorrovpn.com/static/img/promo/ -||zshares.net/fm.html -||zurrieqfc.com/images/banners/ -||zws.avvo.com^ -! Popads domains -$script,third-party,domain=0dt.net|123videos.tv|171gifs.com|1proxy.de|300mbfilms.org|321jav.com|4downfiles.org|69sugar.com|a-o.ninja|acidimg.cc|adultdouga.biz|agarios.org|ahlamtv.com|akvideo.stream|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animepahe.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|atchtheofficeonline.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|bdsmstreak.com|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bemetal.net|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.com|bilasport.me|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|centrum-dramy.pl|cholotubex.com|cinemamkv.xyz|cinetux.net|clicknupload.org|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coreimg.net|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|ddlfr.pw|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|fflares.com|filecrypt.cc|fileflares.com|filesupload.org|filma24.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|firstrowas1.cc|flashbd24.blogspot.com|flixanity.online|foxurl.net|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freemoviestream.xyz|freeomovie.com|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|go4up.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaihaven.org|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hitomi.la|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imagecool.org|img2share.com|imgshot.pw|imgshots.com|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|kwik.cx|l2s.io|lacajita.xyz|lambingan.su|latinohentai.com|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|mbfsports.com|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|minkly.me|mitemovie.com|mixhdporn.com|mkvcage.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|mp4upload.com|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|myreadingmanga.info|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newmusic.trade|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nodefiles.com|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|oload.tv|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openload.co|openload.pw|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|owndrives.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|playpornfree.org|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|rapidvideo.com|raptu.com|realcam.me|reallifecamhd.com|reallifecamvd.com|ripvod.com|root.sx|rosextube.com|runvideo.net|sankakucomplex.com|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sextop.net|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|smallencode.com|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sportp2p.com|sports4u.net|sportshd.me|sportups.me|srkcast.com|stadium-live.biz|streamango.com|streamcherry.com|streamingok.com|streamjav.net|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|swfchan.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidfile.net|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|viralfeedhindi.com|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watcheng.tv|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchmygamesonline.com|watchparksandrecreation.cc|watchparksandrecreation.net|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|worldfree4u.lol|wplocker.com|xbnat.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youav.com|youpornzz.com|yourbittorrent.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zippysharemediafire.club|zoocine.co|zoomtv.me|zw-net.com -@@|blob:$script,domain=dato.porn -@@||api.peer5.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||aspnetcdn.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||bootstrapcdn.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||chatango.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|atchparksandrecreation.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freeomovie.com|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||cloudflare.com/ajax/libs/$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animepahe.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|bdsmstreak.com|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freemoviestream.xyz|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|rapidvideo.com|realcam.me|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||cse.google.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||datoporn.com/assets/js/$script,domain=dato.porn -@@||disqus.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|gamersheroes.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||disquscdn.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bestsongspk.com|big4umovies.net|bilasport.pw|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fastdrama.co|faststream.ws|felipephtutoriais.com.br|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|gamersheroes.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||facebook.net^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||google.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||googleapis.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|bdsmstreak.com|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freemoviestream.xyz|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|gamersheroes.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|mp4upload.com|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|sankakucomplex.com|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telexplorer.com.ar|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||gstatic.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freemoviestream.xyz|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|gamersheroes.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telexplorer.com.ar|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||jquery.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youav.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||jsdelivr.net^$script,domain=animepahe.com|bilasport.com|bilasport.me|bilasport.pw|kwik.cx -@@||jwplatform.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||jwpsrv.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filesupload.org|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hulkload.com|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|l2s.io|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|media1fire.com|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minatosuki.website|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|putarfilm.com|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|tfpdl.de|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||maps.google.com/maps/$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|aniwatchtheofficeonline.net|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|mezone.pl|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||onesignal.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|linclik.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||platform.instagram.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||s.gravatar.com^$third-party,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||s.ytimg.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||secure.gravatar.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||tumblr.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||twitter.com^$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||wp.com/wp-content/js/$script,domain=171gifs.com|1proxy.de|300mbfilms.org|321jav.com|69sugar.com|adultdouga.biz|agarios.org|ahlamtv.com|al.ly|alantv.net|alltube.tv|ally.sh|amabitch.com|ancensored.com|andrija-i-andjelka.com|animakai.info|anime-sugoi.com|animeado.net|animeai.org|animelek.com|animesonline2hd.org|animesonlinetk.info|animezone.pl|antenasport.eu|anyanime.com|apklover.net|aquariumgays.com|arab-moviez.org|arabloads.net|arabp2p.com|archived.moe|artgifsocean.com|asianporndistrict.com|asianxv.com|assistirfilmeshd.org|assistirfilmesonline2.net|avonline.tv|avpockiehd.com|axxomovies.in|azkempire.com|aznude.com|baixarsomusica.com|bajarjuegospcgratis.com|bakacan.com|balkandownload.org|balkanje.com|bdmusicboss.net|bdsmporn.us|beautiesbondage.com|becekin.net|beelink.in|behchala.com|bersek.xyz|bestsongspk.com|big4umovies.net|bilasport.pw|bitch-show.com|bitporno.com|blackboxrepack.com|blacklionmusic.com|blogqpot.com|bludv.com|bokep2017.com|bokepcewek.net|bokepseks.co|bolly2tolly.com|bouncebreak.com|brazzershd.co|bugiltelanjang17.com|camrouge.com|camwhores.co|cartoonhd.cc|cartoonth12.com|catchcoin.pw|catosports.ml|centraldeanimes.biz|cholotubex.com|cinemamkv.xyz|cinetux.net|clik.pw|cliphayho.com|cloudy.ec|coastalhut.com|columbia-xxx.com|comicporno.org|comicsmanics.com|cookiesnetfl1x.com|cooltamil.com|coroas40.com|coshurl.co|cricbox.net|cwtube.dj|czechmoneyteens.com|dato.porn|datpiff.biz|dblatino.com|dclinks.info|dd-books.com|debrideco.com|desixnxx.net|devil-torrents.pl|discografiascompletas.net|djmazamp3.info|dokazm.mk|donlotfile.com|download-xyz.com|downloadgameps3.com|downloadgamepsp.com|downloadgamexbox.com|dragonball-time.com|drakorindo.com|drakorindofilms.com|drhmonegyi.net|dvdwap.com|dzrepackteam.com|e-hentai.me|e-jav.com|easyxtubes.com|edmdl.com|ekasiwap.com|electro-torrent.pl|embedlink.info|embedsr.to|erodouga69.com|erostar.jp|estrenosdoramas.net|estrenosdoramas.org|etsmods.net|eurostreaming.video|exposure.pw|fagken.com|fas.li|fastdrama.co|faststream.in|faststream.ws|felipephtutoriais.com.br|filecrypt.cc|filmaon.com|filmclub.tv|filmehd.net|filmeserialeonline.org|filmeseseriesonline.net|filmesonline1080p.com|filmesonline4.com|filmesonlineagora.com|filmesonlineplay.com|filmesonlinex.biz|filmgur.com|filmi7.com|filminvazio.com|filmovi.eu|filmozu.net|filmuptobox.net|filsex.com|flashbd24.blogspot.com|flixanity.online|freeadultcomix.com|freeiptvlinks.net|freelivesports.co|freesoftwaredlul.com|fuckingsession.com|full-serie.biz|fullmaza.net|fullpinoymovies.net|futebolps2.com|fxporn.net|gameofporn.net|gamepciso.com|garotosbrasil.com|gaycock4u.com|gaysex69.net|gibanica.club|girlswithmuscle.com|gravuregirlz.com|grcrt.net|hacknetfl1x.net|halacima.net|happy-foxie.com|haylike.net|hdarkzone.com|hdencoders.com|hdmovie16.ws|hdmovie24.net|hdmusic23.net|hdmusic25.com|hdmusic90.co|hdporner720.com|hdpornfull.co|hdpornfull.net|hdshows.in|hdteenvids.com|hdtube.co|hdzex.net|healthsoul.info|hentai-for.me|hentai-id.tv|hentai.to|hentaicomicsbr.net|hentaiplay.net|hentaiplus.co|hentaistream.co|her69.net|herobo.com|heymanga.me|hindimoviesonlines.net|hiper.cool|hkfree.co|homeporn.tv|hon3yhd.com|hqq.watch|hyperdebrid.net|i-gay.org|icwutudidare.info|idolblog.org|ig2fap.com|igg-games.com|ightdl.xyz|iimgur.club|ilinks.ug|ilovefilmesonline.biz|image-bugs.com|imagecoin.net|imgshot.pw|imgsmile.com|immunicity.cab|immunicity.plus|immunicity.team|incestoporno.org|insharee.com|iprojectfreetv.us|ivhunter.com|iwatchgameofthrones.cc|izporn.net|jav-for.me|javeu.com|javfhd.tv|javfinder.to|javgay.com|javhd.pro|javhd4k.com|javkimochiii.com|javleak.com|javmobile.net|javmost.com|javonline.online|javpob.com|javrom.com|javstream.co|javus.net|jdownloader2premium.com|jizzman.com|jogostorrentgratis.net|jpfiles.eu|jpidols.tv|k18.co|k2nblog.com|karanpc.com|kissanime.ru|kizzboy.com|kooora2day.com|koreansubindo.net|kreskowkazone.pl|kreskowki.tv|lacajita.xyz|lambingan.su|layar-21.com|layarindo21.com|lecheanal.com|leech.ae|leosims.com|letsjav.com|link2download.net|livehd90m.info|livesoccertv.live|livestreaming24.net|loonertube.com|lyricsy.ir|macgames-download.com|macnwins.com|magesy.be|manatelugump3.net|mangacanblog.com|maniacosporcomics.com|marapcana.eu|marvin-vibez.to|masflowmusik.net|masterfilmesonlinegratis.info|maxinlive.com|mbfcast.pw|megafilmeshdplus.org|megafodabr.com|megahentaicomics.com|megaseriesonline.com|megatobox.net|meguminime.com|metaserie.com|milfcomix.com|milversite.me|minatosuki.com|minhaserie.me|mitemovie.com|mixhdporn.com|mkvtv.net|mmfilmes.com|mocnoi.com|modelblog.org|movie24k.ch|movieerotic.net|moviehd-free.com|moviehd-xxx.com|movierulz.ch|movierulz.cm|movierulz.xyz|movies24hd.co|movies5x.com|moviesak47.com|moviesgoldonline.net|moviesgoldonline.pro|moviesgolds.com|movieshdgratis.com.mx|movietubenow.bz|movietv.ws|moviezplanet.org|movieztimes.com|mp3haat.com|mp3kart.cc|mp3kart.co|mp3kart.com|mp3mydownload.com|mp3puu.com|mp3songdl.net|musculoduro.com.br|muvibg.com|mylucah.co|mymoviepot.xyz|mzansifun.com|mzansiporntube.com|mzansixxx.com|namethatpornstar.com|naphi.lol|nasze-kino.online|nbafullhd.com|neko-miku.com|nekonime.com|newhdmovie24.biz|newhdmovies.net|newpct.com|newpct1.com|nflstream.net|ngentot.tv|ninfetasnovinhas.net|nontonanime.org|nontononlinedrama.com|nosteam.org.ro|nudeyoung.xyz|nulledcenter.com|nungg.com|nungmovies-hd.com|nuttit.com|nxtcomicsclub.com|ocsstream.info|ohohd.com|ohyeah1080.com|okmovie-hd.com|olangal.pro|omberbagi.com|ondeeubaixo.com|one-series.cc|onlinefilmovisaprevodom.cc|onlinefilmsitesii.net|onlinemoviesgold.one|onlinemoviesprime.net|openx.tv|opujem.com|otaku-animehd.com|otorrents.com|ottakae.com|pahe.in|pass69.com|pcgames-download.com|peliculasabc.net|peliculasgo.com|peliculasm.tv|peliculasmega1k.com|peliculastomas01.org|pelisplus.tv|pelisxporno.com|pentasex.com|perfecthdmovies.pw|perulareshd.pw|phimotv.net|picanteeproibido.com.br|pinaycute.com|pipocao.com|pirateaccess.xyz|piratebay.co.in|planetsport.pw|playbokep.me|playpornfree.net|pleermp3.net|pokemonlaserielatino.com|polskie-torrenty.com|popjav.com|porneq.com|pornfromcz.com|pornfromczech.com|pornhardx.com|pornhd5k.com|pornleak.net|pornlibrary.net|pornmegabox.net|pornobae.com|pornocomics.net|pornotorrent.com.br|pornotorrent.org|pornpassw0rds.com|pornsexonline.xxx|pornvibe.org|pornvxl.com|pornzexx.com|portalroms.com|portalultautv.com|primewire.io|programasvirtualespc.net|projectfreetvhd.co|projectfreetvi.info|psarips.com|pubfilmonline.net|pure-anime.tv|pussybook.xyz|querofilmehd.com|r34anim.com|rapcloud.co|reallifecamhd.com|reallifecamvd.com|ripvod.com|rosextube.com|runvideo.net|savvystreams.blogspot.com|sceper.ws|sdmoviespoint.in|series-cravings.tv|seriesblanco.com|seriesblanco.tv|seriescr.com|seriesfuture.com|seriesintorrent.com|serieslatino.tv|seriesparaassistironline.org|sexisfree.net|sexix.net|sexiz.net|sexkino.to|sexloading.com|sexvui.net|sexxdesi.net|sexy-youtubers.com|sexyeroticgirls.comshofonline.org|short.am|shush.se|sinevizyonda.org|singgah.in|sitpad.info|skidrow-games.io|skidrowcrack.com|skidrowgamesreloaded.com|sklns.net|soccerembed.blogspot.com|solotorrent.net|spacemov.tv|speedplay.pro|sports4u.net|sportshd.me|stadium-live.biz|streamcherry.com|streamingok.com|streamlord.com|streampornfree.com|suki48.web.id|superteenz.com|sweext.com|tamilmv.eu|tamilmv.vc|tamilrasigan.net|tamilyogi.fm|teenboytwink.com|teentubeq.com|tele-wizja.com|telugudon.com|telugupalaka.com|teluguringtones.co|telugusexstorieskathalu.net|theapricity.com|thebarchive.com|thebestofcafucus.com|thepiratebay.cd|thepiratebay24.ga|thepiratebay3.org|thesimplebay.pro|thevid.net|thplayers.com|tlenovelas.net|todaypk.ag|todoinmega.com|tokusatsuindo.com|torrentcounter.cc|torrentfilmesbr.com|torrentlocura.com|torrentool.com|torrentoon.com|torrentrapid.com|torrentscompletos.com|torrentsgroup.com|tousatu.biz|tuhentaionline.com|tumejortorrent.com|tuportaldemusica.com|tuserie.com|tushyporn.net|tvrex.net|twitchstats.net|u2s.io|ufreetv.com|unblocked.cab|unblocked.pet|unblocked.plus|unblocked.team|unduhfilmrama.biz|upcomics.org|uporniahd.com|usabit.com|uskip.me|uwatchfree.co|v100v.net|vdizpk.com|veekyforums.com|veporn.net|vercanalestv.com|verdirectotv.com|verpeliculasporno.gratis|vertusnovelas.net|veyqo.net|veziserialeonline.info|vibokep.info|vidabc.com|video.az|videobokepgratis.me|videobokepincest.xyz|videoexa.com|videosexbokep.org|videosnudes.com|vidtome.co|vidz7.com|vidzcode.com|viooz.ac|vipracing.biz|viralshow.info|viveseries.com|vivetusnovelas.com|vixvids.to|watchaha.com|watcharcheronline.com|watchcommunity.cc|watchfomny.tv|watchjavidol.com|watchjavonline.com|watchme247.co.il|watchparksandrecreation.cc|watchpornfree.me|watchtheofficeonline.net|watchxxxparody.com|wetblog.org|wibudesu.com|wolverdon-filmes.com|wplocker.com|xdvideos.org|xfilmywap.com|xgatinhas.com|xmovies1.com|xrares.com|xteenchan.com|xvideospanish.com|xxgasm.com|xxhdporn.com|xxx-comics.com|xxxstooorage.com|yedhit.com|yeucontrai.com|yodrama.com|youpornzz.com|youswear.com|yuuk.net|zambianobserver.com|zfilmeonline.eu|zoocine.co|zoomtv.me|zw-net.com -@@||youtube.com/iframe_api$third-party -@@||youtube.com/player_api$third-party -! olympicstreams / vipstand -@@||cdn000.club/js/loadjs.min.js$script,domain=olympicstreams.me|vipstand.se -@@||cdn000.club/site/$image,domain=olympicstreams.me|vipstand.se -@@||chatango.com^$script,domain=olympicstreams.me|vipstand.se -@@||jsdelivr.net^$script,stylesheet,domain=olympicstreams.me|vipstand.se -@@||kuntv.pw/embed.min.js$script,domain=olympicstreams.me|vipstand.se -@@||kuntv.pw/sdembed?$subdocument,domain=olympicstreams.me|vipstand.se -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=olympicstreams.me|vipstand.se -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=olympicstreams.me|vipstand.se -! moviesweb -@@||ibb.co^$image,domain=moviesweb.info -@@||s.ytimg.com^$script,domain=moviesweb.info -@@||wp.com^$image,script,domain=moviesweb.info -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=moviesweb.info -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=moviesweb.info -! 4downfiles.org -@@||cdnjs.cloudflare.com^$script,domain=4downfiles.org -! bayfiles.com -@@||vjs.zencdn.net^$script,stylesheet,domain=bayfiles.com -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=bayfiles.com -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=bayfiles.com -! strikeout / vipleague -$websocket,domain=strikeout.co|strikeout.nu|vipleague.pw -@@||cdnfiles.site/js/loadjs.min.js$script,domain=strikeout.co|strikeout.nu|vipleague.pw -@@||cdnfiles.site^$image,domain=strikeout.co|strikeout.nu|vipleague.pw -@@||chatango.com^$domain=strikeout.co|strikeout.nu|vipleague.pw -@@||jsdelivr.net^$script,domain=strikeout.co|strikeout.nu|vipleague.pw -@@||kuntv.pw^$script,subdocument,domain=strikeout.co|strikeout.nu|vipleague.pw -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=strikeout.co|strikeout.nu|vipleague.pw -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=strikeout.co|strikeout.nu|vipleague.pw -! convert2mp3.net -@@||convert2mp3.net/ads/$subdocument,~third-party -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=convert2mp3.net -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=convert2mp3.net -||convert2mp3.net/assets/js/push.js -! topeuropix.net -@@||ajax.googleapis.com^$script,domain=topeuropix.net -@@||connect.facebook.net^$script,domain=topeuropix.net -@@||hdeuropix.io/images/$image,domain=topeuropix.net -@@||hqq.tv/player/embed_player.php$subdocument,domain=topeuropix.net -@@||hqq.tv/sec/player/$subdocument,domain=topeuropix.net -@@||maxcdn.bootstrapcdn.com^$script,domain=topeuropix.net -@@||openload.co/embed/$subdocument,domain=topeuropix.net -@@||streamango.com/embed/$subdocument,domain=topeuropix.net -@@||topeuropix.com^$subdocument,domain=topeuropix.net -|about:$popup,domain=topeuropix.net -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=topeuropix.net -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=topeuropix.net -! clipconverter.cc -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=clipconverter.cc -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=clipconverter.cc -|https://*?$popup,domain=clipconverter.cc -! greenmangaming.com Dodgy script -||greenmangaming.com/omnopfddrdlevbbh.js -! cmovies -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=cmovieshd.net -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=cmovieshd.net -! kissanime.ru -@@||bp.blogspot.com^$image,domain=kissanime.ru -@@||kissanime.ru/ads/$subdocument,~third-party -@@||rapidvideo.com/assets/js/$script,domain=kissanime.ru -! onhax.me -@@||ajax.googleapis.com^$script,domain=onhax.me -@@||connect.facebook.net^$script,domain=onhax.me -@@||google.com^$script,subdocument,domain=onhax.me -@@||staticxx.facebook.com^$subdocument,domain=onhax.me -@@||translate.google.com^$script,domain=onhax.me -@@||wp.com/wp-content/js/$script,domain=onhax.me -|http://$script,subdocument,third-party,xmlhttprequest,domain=onhax.me -|https://$script,subdocument,third-party,xmlhttprequest,domain=onhax.me -! kiss-anime.ws -@@||kiss-anime.ws/embed.php$subdocument,~third-party -||kiss-anime.ws^$subdocument,~third-party -! torrentdownloads.me | limetorrents.info -@@||ajax.googleapis.com^$script,domain=limetorrents.info|torrentdownload.ch|torrentdownloads.me|torrentfunk2.com -|http://$script,subdocument,third-party,xmlhttprequest,domain=limetorrents.info|torrentdownload.ch|torrentdownloads.me|torrentfunk2.com -|https://$script,subdocument,third-party,xmlhttprequest,domain=limetorrents.info|torrentdownload.ch|torrentdownloads.me|torrentfunk2.com -! torrentsearchweb / bittorrentsearchweb.com -@@||cdn.jsdelivr.net^$script,domain=bittorrentsearchweb.com -|http://$script,subdocument,third-party,xmlhttprequest,domain=bittorrentsearchweb.com -|https://$script,subdocument,third-party,xmlhttprequest,domain=bittorrentsearchweb.com -! nowvideo -|http://$script,subdocument,third-party,xmlhttprequest,domain=nowvideo.club|nowvideo.pw -|https://$script,subdocument,third-party,xmlhttprequest,domain=nowvideo.club|nowvideo.pw -! moviewatcher.is -|http://$script,stylesheet,third-party,domain=moviewatcher.is -|https://$script,stylesheet,third-party,domain=moviewatcher.is -! ibit.to -$webrtc,domain=ibit.to -@@||cloudflare.com/ajax/libs/$script,domain=ibit.to -@@||fonts.googleapis.com^$stylesheet,domain=ibit.to -@@||jsdelivr.net/webtorrent/$script,domain=ibit.to -|http://$script,stylesheet,third-party,domain=ibit.to -|https://$script,stylesheet,third-party,domain=ibit.to -! unblocked proxies -! unblocksource.com + unblocked.app + unblocked.si -@@||bootstrapcdn.com^$script,stylesheet,domain=123unblock.icu|123unblock.info|123unblock.xyz|mrunlock.icu|mrunlock.pro|myunblock.com|nocensor.icu|nocensor.pro|prox4you.info|prox4you.pw|prox4you.xyz|unblockall.org|unblocked.app|unblocked.cx|unblocked.krd|unblocked.lc|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unblocked.win|unlockproject.icu|unlockproject.live -@@||cloudflare.com/ajax/$script,domain=123unblock.icu|123unblock.info|123unblock.xyz|mrunlock.icu|mrunlock.pro|myunblock.com|nocensor.icu|nocensor.pro|prox4you.info|prox4you.pw|prox4you.xyz|unblockall.org|unblocked.app|unblocked.cx|unblocked.krd|unblocked.lc|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unblocked.win|unlockproject.icu|unlockproject.live -@@||code.jquery.com^$script,domain=123unblock.icu|123unblock.info|123unblock.xyz|mrunlock.icu|mrunlock.pro|myunblock.com|nocensor.icu|nocensor.pro|prox4you.info|prox4you.pw|prox4you.xyz|unblockall.org|unblocked.app|unblocked.cx|unblocked.krd|unblocked.lc|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unblocked.win|unlockproject.icu|unlockproject.live -@@||googleapis.com^$script,stylesheet,domain=123unblock.icu|123unblock.info|123unblock.xyz|mrunlock.icu|mrunlock.pro|myunblock.com|nocensor.icu|nocensor.pro|prox4you.info|prox4you.pw|prox4you.xyz|unblockall.org|unblocked.app|unblocked.cx|unblocked.krd|unblocked.lc|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unblocked.win|unlockproject.icu|unlockproject.live -|http://$script,third-party,domain=123unblock.icu|123unblock.info|123unblock.xyz|mrunlock.icu|mrunlock.pro|myunblock.com|nocensor.icu|nocensor.pro|prox4you.info|prox4you.pw|prox4you.xyz|unblockall.org|unblocked.app|unblocked.cx|unblocked.krd|unblocked.lc|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unblocked.win|unlockproject.icu|unlockproject.live -|https://$script,third-party,domain=123unblock.icu|123unblock.info|123unblock.xyz|mrunlock.icu|mrunlock.pro|myunblock.com|nocensor.icu|nocensor.pro|prox4you.info|prox4you.pw|prox4you.xyz|unblockall.org|unblocked.app|unblocked.cx|unblocked.krd|unblocked.lc|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unblocked.win|unlockproject.icu|unlockproject.live -||chrome.google.com^$popup,domain=123unblock.icu|123unblock.info|123unblock.xyz|mrunlock.icu|mrunlock.pro|myunblock.com|nocensor.icu|nocensor.pro|prox4you.info|prox4you.pw|prox4you.xyz|unblockall.org|unblocked.app|unblocked.cx|unblocked.krd|unblocked.lc|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unblocked.win|unlockproject.icu|unlockproject.live +||youtube.com/youtubei/v1/player/ad_break +||ytconvert.me/pop.js +||ytmp3.cc/js/inner.js +||ytmp3.plus/ba +||zillastream.com/api/spots/ +||zmescience.com/1u8t4y8jk6rm.js +||zmovies.cc/bc1ea2a4e4.php +||zvela.filegram.to^ +! +/^https?:\/\/.*\.(club|bid|biz|xyz|site|pro|info|online|icu|monster|buzz|website|biz|re|casa|top|one|space|network|live|systems|ml|world|life|co)\/.*/$~image,~media,~subdocument,third-party,domain=1cloudfile.com|adblockstreamtape.art|adblockstreamtape.site|bowfile.com|clipconverter.cc|cricplay2.xyz|desiupload.co|dood.la|dood.pm|dood.so|dood.to|dood.watch|dood.ws|dopebox.to|downloadpirate.com|drivebuzz.icu|embedstream.me|eplayvid.net|fmovies.ps|gdriveplayer.us|gospeljingle.com|hexupload.net|kissanimes.net|krunkercentral.com|movies2watch.tv|myflixer.pw|myflixer.today|myflixertv.to|powvideo.net|proxyer.org|scloud.online|sflix.to|skidrowcodex.net|streamtape.com|theproxy.ws|vidbam.org|vidembed.cc|vidembed.io|videobin.co|vidlii.com|vidoo.org|vipbox.lc +! +/^https?:\/\/[0-9a-z]{5,}\.com\/.*/$script,third-party,xmlhttprequest,domain=123movies.tw|1cloudfile.com|745mingiestblissfully.com|9xupload.asia|adblockeronstape.me|adblockeronstreamtape.me|adblockeronstrtape.xyz|adblockplustape.xyz|adblockstreamtape.art|adblockstreamtape.fr|adblockstreamtape.site|adblocktape.online|adblocktape.store|adblocktape.wiki|advertisertape.com|anonymz.com|antiadtape.com|bowfile.com|clickndownload.click|clicknupload.space|clicknupload.to|cloudvideo.tv|d000d.com|daddylivehd.sx|dailyuploads.net|databasegdriveplayer.xyz|deltabit.co|dlhd.sx|dood.la|dood.li|dood.pm|dood.re|dood.sh|dood.so|dood.to|dood.watch|dood.wf|dood.ws|dood.yt|doods.pro|dooood.com|dramacool.sr|drivebuzz.icu|ds2play.com|embedplayer.site|embedsb.com|embedsito.com|embedstream.me|engvideo.net|enjoy4k.xyz|eplayvid.net|evoload.io|fembed-hd.com|filemoon.sx|files.im|flexy.stream|fmovies.ps|gamovideo.com|gaybeeg.info|gdriveplayer.pro|gettapeads.com|givemenbastreams.com|gogoanimes.org|gomo.to|greaseball6eventual20.com|hdtoday.ru|hexload.com|hexupload.net|imgtraffic.com|kesini.in|kickassanime.mx|kickasstorrents.to|linkhub.icu|lookmyimg.com|luluvdo.com|mangareader.cc|mangareader.to|membed.net|mirrorace.org|mixdroop.co|mixdrop.ag|mixdrop.bz|mixdrop.click|mixdrop.club|mixdrop.nu|mixdrop.ps|mixdrop.si|mixdrop.sx|mixdrop.to|mixdrp.co|movies2watch.tv|mp4upload.com|nelion.me|noblocktape.com|nsw2u.org|olympicstreams.co|onlinevideoconverter.com|ovagames.com|papahd.club|pcgamestorrents.com|pouvideo.cc|proxyer.org|putlocker-website.com|reputationsheriffkennethsand.com|rintor.space|rojadirecta1.site|scloud.online|send.cm|sflix.to|shavetape.cash|skidrowcodex.net|smallencode.me|soccerstreamslive.co|stapadblockuser.art|stapadblockuser.click|stapadblockuser.info|stapadblockuser.xyz|stape.fun|stapewithadblock.beauty|stapewithadblock.monster|stapewithadblock.xyz|strcloud.in|streamadblocker.cc|streamadblocker.com|streamadblocker.store|streamadblocker.xyz|streamingsite.net|streamlare.com|streamnoads.com|streamta.pe|streamta.site|streamtape.cc|streamtape.com|streamtape.to|streamtape.xyz|streamtapeadblock.art|streamtapeadblockuser.art|streamtapeadblockuser.homes|streamtapeadblockuser.monster|streamtapeadblockuser.xyz|strikeout.ws|strtape.cloud|strtape.tech|strtapeadblock.club|strtapeadblocker.xyz|strtapewithadblock.art|strtapewithadblock.xyz|supervideo.cc|supervideo.tv|tapeadsenjoyer.com|tapeadvertisement.com|tapeantiads.com|tapeblocker.com|tapenoads.com|tapewithadblock.com|tapewithadblock.org|thepiratebay0.org|thepiratebay10.xyz|theproxy.ws|thevideome.com|toxitabellaeatrebates306.com|un-block-voe.net|upbam.org|upload-4ever.com|upload.do|uproxy.to|upstream.to|uqload.co|uqload.io|userscloud.com|v-o-e-unblock.com|vidbam.org|vido.lol|vidshar.org|vidsrc.me|vidsrc.stream|vipleague.im|vipleague.st|voe-unblock.net|voe.sx|vudeo.io|vudeo.net|vumoo.to|yesmovies.mn|youtube4kdownloader.com +/^https?:\/\/[0-9a-z]{8,}\.xyz\/.*/$third-party,xmlhttprequest,domain=1link.club|2embed.to|apiyoutube.cc|bestmp3converter.com|clicknupload.red|clicknupload.to|daddyhd.com|dood.wf|lulustream.com|mp4upload.com|poscitech.com|sportcast.life|streamhub.to|streamvid.net|tokybook.com|tvshows88.live|uqload.io +! +/\/[0-9a-f]{32}\/invoke\.js/$script,third-party +/^https?:\/\/www\..*.com\/[a-z]{1,}\.js$/$script,third-party,domain=deltabit.co|nzbstars.com|papahd.club|vostfree.online +! +! url.rw popups +||url.rw/*&a= +||url.rw/*&mid= +! +! Fixes +@@||freeplayervideo.com^$subdocument +@@||gogoplay5.com^$subdocument +@@||gomoplayer.com^$subdocument +@@||lshstream.xyz/hls/$xmlhttprequest +! +/^https?:\/\/.*(com|net|top|xyz)\/(bundle|warning|style|bootstrap|brand|reset|jquery-ui|styles|error|logo|index|favicon|star|header)\.(png|css)\?[A-Za-z0-9]{30,}.*/$third-party +/^https?:\/\/[0-9a-z]{5,}\.(digital|website|life|guru|uno|cfd)\/[a-z0-9]{6,}\//$script,third-party,xmlhttprequest,domain=~127.0.0.1|~bitrix24.life|~ccc.ac|~jacksonchen666.com|~lemmy.world|~localhost|~scribble.ninja|~scribble.website|~traineast.co.uk +/^https?:\/\/cdn\.[0-9a-z]{3,6}\.xyz\/[a-z0-9]{8,}\.js$/$script,third-party +! https://github.com/easylist/easylist/commit/7a86afd +/rest/carbon/api/scripts.js? +! +! Buff sites +||frameperfect.speedrun.com^ +||junkrat-tire.overbuff.com^ +! prebid specific +||breitbart.com/t/assets/js/prebid +||bustle.com^*/prebid- +||jwplatform.com/libraries/tdeymorh.js +||purexbox.com/javascript/gn/prebid- +||wsj.net/pb/pb.js +! firework +||fireworkapi1.com^$domain=boldsky.com +! In-page video advertising. +||anyclip.com^$third-party,domain=~click2houston.com|~clickondetroit.com|~clickorlando.com|~dictionary.com|~heute.at|~ksat.com|~news4jax.com|~therealdeal.com|~video.timeout.com|~wsls.com +||api.dailymotion.com^$domain=philstarlife.com +||api.fw.tv^ +||avantisvideo.com^$third-party +||blockchain.info/explorer-gateway/advertisements +||brid.tv^$script,domain=67hailhail.com|deepdaledigest.com|forevergeek.com|geordiebootboys.com|hammers.news|hitc.com|molineux.news|nottinghamforest.news|rangersnews.uk|realitytitbit.com|spin.com|tbrfootball.com|thechelseachronicle.com|thefocus.news|thepinknews.com +||caffeine.tv/embed.js +||cdn.ex.co^$third-party +||cdn.thejournal.ie/media/hpto/$image +||channelexco.com/player/$third-party +||connatix.com^$third-party,domain=~cheddar.tv|~deadline.com|~elnuevoherald.com|~heraldsun.com|~huffpost.com|~lmaoden.tv|~loot.tv|~miamiherald.com|~olhardigital.com.br|~sacbee.com +||delivery.vidible.tv/jsonp/ +||dywolfer.de^ +||elements.video^$domain=fangoria.com +||embed.comicbook.com^$subdocument +||embed.ex.co^$third-party +||embed.sendtonews.com^$third-party +||floridasportsman.com/video_iframev9.aspx +||fqtag.com^$third-party +||fwcdn1.com/js/fwn.js +||fwcdn1.com/js/storyblock.js +||g.ibtimes.sg/sys/js/minified-video.js +||geo.dailymotion.com/libs/player/$script,domain=mb.com.ph|philstarlife.com +||go.trvdp.com^$domain=~canaltech.com.br|~ig.com.br|~monitordomercado.com.br|~noataque.com.br|~oantagonista.com.br|~omelete.com.br +||gpv.ex.co^$third-party +||imgix.video^$domain=inverse.com +||innovid.com/media/encoded/*.mp4$rewrite=abp-resource:blank-mp4,domain=ktla.com +||interestingengineering.com/partial/connatix_desktop.html +||jwpcdn.com^$script,domain=bgr.com|decider.com|dexerto.com +||jwplayer.com^$domain=americansongwriter.com|dexerto.com|evoke.ie|ginx.tv|imfdb.org|infoworld.com|kiplinger.com|lifewire.com|soulbounce.com|spokesman-recorder.com|tennis.com|thecooldown.com|thestreet.com|tomshardware.com|variety.com|whathifi.com +||live.primis.tech^$third-party +||minute.ly^$third-party +||minutemedia-prebid.com^$third-party +||minutemediaservices.com^$third-party +||nitroscripts.com^$script,domain=wepc.com +||play.springboardplatform.com^ +||playbuzz.com/embed/$script,third-party +||playbuzz.com/player/$script,third-party +||player.avplayer.com^$third-party +||player.ex.co^$third-party +||player.sendtonews.com^$third-party +||players.brightcove.net^$script,domain=military.com|pedestrian.tv +||playoncenter.com^$third-party +||playwire.com/bolt/js/$script,third-party +||poptok.com^$third-party +||rumble.com^$domain=tiphero.com +||sonar.viously.com^$domain=~aufeminin.com|~futura-sciences.com|~gamekult.com|~jeanmarcmorandini.com|~lesnumeriques.com|~marmiton.org|~melty.fr|~nextplz.fr +||sportrecs.com/redirect/embed/ +||ultimedia.com/js/common/smart.js$script,third-party +||vidazoo.com/basev/$script,third-party +||video-streaming.ezoic.com^ +||vidora.com^$third-party +||viewdeos.com^$script,third-party +||voqally.com/hub/app/ +||vplayer.newseveryday.com^ +||www-idm.com/wp-content/uploads/2022/02/bitcoin.png +||zype.com^$third-party,domain=bossip.com|hiphopwired.com|madamenoire.com +! streamplay +||centent.streamp1ay. +||cintent.streanplay. +! Test (Webkit Mobile/Desktop for Youtube) +@@||youtube.com/get_video_info?$xmlhttprequest,domain=music.youtube.com|tv.youtube.com +||m.youtube.com/get_midroll_$domain=youtube.com +! temp disabled, affecting some extensions/browsers +||www.youtube.com/get_midroll_$domain=youtube.com +||youtube.com/get_video_info?*adunit$~third-party ! bit.ly -/^https?:\/\/.*(bitly|bit)\.(com|ly)\/.*/$domain=123movies.com|123unblock.icu|123unblock.info|123unblock.xyz|1337x.st|1337x.to|1movies.is|adsrt.com|ancient-origins.net|c123movies.com|clicknupload.org|daclips.in|datpiff.com|downloadpirate.com|estream.to|estream.xyz|eztv.io|eztv.tf|eztv.yt|ffmovies.ru|fmovies.taxi|fmovies.world|fullmatchesandshows.com|gifsis.com|gomovies.sc|gomovieshub.is|gostreams.net|hdmoza.com|hdonline.is|healthline.com|intoupload.net|kickass2.ch|kickass2.st|kimcartoon.to|limetorrents.info|masterkreatif.com|megaup.net|monova.org|monova.to|movies.is|movies123.xyz|moviescouch.co|moviewatcher.is|mrunlock.icu|mrunlock.pro|newser.com|nocensor.icu|nocensor.pro|nowwatchtvlive.ws|onhax.me|pirateiro.com|postimg.cc|prox4you.info|prox4you.pw|prox4you.xyz|seedpeer.me|sendit.cloud|skidrowcrack.com|swatchseries.to|tinypic.com|torlock.com|torrentdownload.ch|torrentdownloads.me|torrentfunk.com|torrentfunk2.com|torrentz2.eu|tubidy.io|uiz.io|unblockall.org|unblocked.app|unblocked.cx|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unblocked.win|unlockproject.icu|unlockproject.live|uptobox.com|userscloud.com|vcstream.to|vidbull.tv|watchcartoononline.io|watchsomuch.info|x1337x.eu|x1337x.se|x1337x.ws|yesmovies.to|yify-movies.net|yifyddl.movie|ymovies.tv|yourbittorrent2.com|zippyshare.com +/^https?:\/\/.*bit(ly)?\.(com|ly)\//$domain=1337x.to|cryptobriefing.com|eztv.io|eztv.tf|eztv.yt|fmovies.taxi|fmovies.world|limetorrents.info|megaup.net|newser.com|sendit.cloud|tapelovesads.org|torlock.com|uiz.io|userscloud.com|vev.red|vidup.io|yourbittorrent2.com ! Torrent/Pirate sites /sw.js -/^https?:\/\/.*\/.*sw[0-9a-z(.|_)].*/$script,xmlhttprequest,domain=123movies.com|123unblock.info|123unblock.xyz|1337x.st|1337x.to|1movies.is|adsrt.com|ancient-origins.net|anitube.cz|aniwatcher.com|bayfiles.com|c123movies.com|clicknupload.org|daclips.in|datpiff.com|downloadpirate.com|estream.to|estream.xyz|eztv.io|eztv.tf|eztv.yt|ffmovies.ru|filmlinks4u.is|flvto.biz|fmovies.taxi|fmovies.world|fullmatchesandshows.com|gifsis.com|gomovies.sc|gomovieshub.is|gostreams.net|hdmoza.com|hdonline.is|healthline.com|intoupload.net|kickass2.ch|kickass2.st|kimcartoon.to|limetorrents.info|masterkreatif.com|megaup.net|monova.org|monova.to|movies.is|movies123.xyz|moviescouch.co|moviewatcher.is|mrunlock.icu|mrunlock.pro|newser.com|nocensor.icu|nocensor.pro|nowwatchtvlive.ws|nutritioninsight.com|onhax.me|openload.co|openload.pw|otakustream.tv|peggo.tv|pirateiro.com|postimg.cc|prox4you.info|prox4you.pw|prox4you.xyz|putlocker.ninja|putlocker.style|putlockers.movie|queenfaucet.website|seedpeer.me|sendit.cloud|series9.to|skidrowcrack.com|stream2watch.ws|swatchseries.to|tinypic.com|torlock.com|torrentdownload.ch|torrentdownloads.me|torrentfunk.com|torrentfunk2.com|torrentz2.eu|tubidy.io|uiz.io|unblockall.org|unblocked.app|unblocked.cx|unblocked.is|unblocked.llc|unblocked.lol|unblocked.pet|unblocked.si|unlockproject.icu|unlockproject.live|upload.ac|uploadproper.net|uplod.cc|uplod.io|uptobox.com|userscloud.com|ustreamix.com|ustreamyx.com|vidbull.tv|vidoza.co|vidoza.net|vidtomp3.com|vidup.io|watchcartoononline.io|watchsomuch.info|x1337x.eu|x1337x.se|x1337x.ws|yesmovies.to|yify-movies.net|yifyddl.movie|ymovies.tv|yourbittorrent2.com|zippyshare.com -! Openload -/^((?!(^https?):\/\/(ajax\.googleapis\.com|cdnjs\.cloudflare\.com|fonts\.googleapis\.com)\/).*)$/$script,third-party,domain=oladblock.me|oladblock.services|oladblock.xyz|oload.cc|oload.cloud|oload.club|oload.download|oload.fun|oload.info|oload.live|oload.press|oload.services|oload.site|oload.space|oload.stream|oload.tv|oload.win|olpair.com|openload.cc|openload.co|openload.fun|openload.pw|openloed.co -! yourdailypornstars.com -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=yourdailypornstars.com -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=yourdailypornstars.com -! vidotodo -@@||google.com/recaptcha/$script,subdocument,domain=vidtodo.com -@@||vidtodo.com^$image,script,domain=vidotodo.com -|http://$image,script,subdocument,third-party,domain=vidotodo.com -|https://$image,script,subdocument,third-party,domain=vidotodo.com -! tamilrockerss.ch -@@||google.com/complete/search?$script,domain=tamilrockerss.ch -@@||google.com/cse$script,domain=tamilrockerss.ch -@@||google.com/uds/$script,domain=tamilrockerss.ch -|http://$script,third-party,domain=tamilrockerss.ch -|https://$script,third-party,domain=tamilrockerss.ch -! audioz.download -@@||cdnjs.cloudflare.com^$script,domain=audioz.download -@@||code.jquery.com^$script,domain=audioz.download -@@||connect.facebook.net^$script,domain=audioz.download -|http://$image,script,third-party,domain=audioz.download -|https://$image,script,third-party,domain=audioz.download -! ymovies.tv -@@||ajax.googleapis.com^$script,domain=ymovies.tv -@@||blogspot.com^$image,domain=ymovies.tv -@@||media-imdb.com^$image,script,domain=ymovies.tv -@@||tmdb.org^$image,domain=ymovies.tv -|http://$image,script,stylesheet,third-party,xmlhttprequest,domain=ymovies.tv -|https://$image,script,stylesheet,third-party,xmlhttprequest,domain=ymovies.tv -! yify-movies.net -|http://$script,stylesheet,third-party,xmlhttprequest,domain=yify-movies.net -|https://$script,stylesheet,third-party,xmlhttprequest,domain=yify-movies.net -! tornadomovies.co -@@||loadshare.org^$xmlhttprequest,domain=tornadomovies.co -|http://$image,script,third-party,xmlhttprequest,domain=tornadomovies.co -|https://$image,script,third-party,xmlhttprequest,domain=tornadomovies.co -! megaup.net -|http://$script,subdocument,third-party,xmlhttprequest,domain=megaup.net -|https://$script,subdocument,third-party,xmlhttprequest,domain=megaup.net -! 123movies -|http://$script,third-party,xmlhttprequest,domain=123movies.net -|https://$script,third-party,xmlhttprequest,domain=123movies.net -! nowwatchtvlive.ws -|http://$image,script,third-party,xmlhttprequest,domain=nowwatchtvlive.ws -|https://$image,script,third-party,xmlhttprequest,domain=nowwatchtvlive.ws -! kimcartoon.to -@@||code.jquery.com^$script,domain=kimcartoon.to -@@||disqus.com^$domain=kimcartoon.to -@@||disquscdn.com^$domain=kimcartoon.to -@@||zencdn.net^$script,domain=kimcartoon.to -|http://$script,subdocument,third-party,xmlhttprequest,domain=kimcartoon.to -|https://$script,subdocument,third-party,xmlhttprequest,domain=kimcartoon.to -! bebi script -/^https?:\/\/([0-9a-z\-]+\.)?(9anime|animeland|animenova|animeplus|animetoon|animewow|gamestorrent|goodanime|gogoanime|igg-games|kimcartoon|memecenter|readcomiconline|toonget|toonova|watchcartoononline)\.[a-z]{2,4}\/(?!([Ee]xternal|[Ii]mages|[Ss]cripts|[Uu]ploads|ac|ajax|assets|combined|content|cov|cover|(img\/bg)|(img\/icon)|inc|jwplayer|player|playlist-cat-rss|static|thumbs|wp-content|wp-includes)\/)(.*)/$image,other,script,~third-party,xmlhttprequest,domain=~animeland.hu|~memecenter.fr -@@||9anime.nl/user/ajax/$xmlhttprequest,domain=9anime.nl -@@||watchcartoononline.io/tema/images/jwplayer.jpg$image,~third-party -||readcomiconline.to/Scripts/customjavascript.js -! salon.com -||salon.com^*/main.js$script -! adyou.me -@@||ajax.googleapis.com/ajax/libs/$script,domain=adyou.co|adyou.me -@@||google.com/recaptcha/$domain=adyou.co|adyou.me -|http://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=adyou.co|adyou.me -|https://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=adyou.co|adyou.me -||imageshack.com^$domain=adyou.co|adyou.me -! nzbstars.com -|http://$image,script,stylesheet,third-party,domain=nzbstars.com -|https://$image,script,stylesheet,third-party,domain=nzbstars.com -! 1movies -@@||1movies.is/comments/$~third-party,xmlhttprequest -@@||1movies.is/series/$~third-party,xmlhttprequest -@@||1movies.is/user/$~third-party,xmlhttprequest -@@||blogspot.com^$image,domain=1movies.is -|http://$image,script,stylesheet,third-party,domain=1movies.is -|https://$image,script,stylesheet,third-party,domain=1movies.is -! moviescouch.co -|http://$image,script,stylesheet,third-party,xmlhttprequest,domain=moviescouch.co -|https://$image,script,stylesheet,third-party,xmlhttprequest,domain=moviescouch.co -! torrentfunk.com -|http://$image,script,stylesheet,third-party,xmlhttprequest,domain=torrentfunk.com -|https://$image,script,stylesheet,third-party,xmlhttprequest,domain=torrentfunk.com -! clipwatching.com -|http://$script,third-party,domain=clipwatching.com -|https://$script,third-party,domain=clipwatching.com -! hdmoza.com -$webrtc,domain=hdmoza.com -@@||google.com/recaptcha/$script,subdocument,domain=hdmoza.com -@@||hdmoza.com/js/uploadify/swfobject.js$script -|http://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=hdmoza.com -|https://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=hdmoza.com -||hdmoza.com/nb/ -! itdmusic.com -$webrtc,domain=itdmusic.com|itdmusic.in -@@||itdmusic.in/wp-includes/js/$script,domain=itdmusic.com|itdmusic.in -|http://$script,third-party,xmlhttprequest,domain=itdmusic.com|itdmusic.in -|https://$script,third-party,xmlhttprequest,domain=itdmusic.com|itdmusic.in -! imx.to -$script,domain=imx.to -@@||imx.to/dropzone.js$script -@@||imx.to/js/bootstrap.min.js$script -@@||imx.to/js/csTransPieManual.js$script -@@||imx.to/js/jquery$script -! rd.com (Revolving adservers) -$image,third-party,xmlhttprequest,domain=rd.com -! img2share.com -$xmlhttprequest,domain=img2share.com -|http://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=img2share.com -! estream.to -$script,stylesheet,subdocument,third-party,websocket,xmlhttprequest,domain=estream.to|estream.xyz -@@||cloudflare.com/ajax/$script,domain=estream.to|estream.xyz -@@||escdn.co/js/sandblaster.js$script,domain=estream.to|estream.xyz -@@||escdn.co/js/tabber.js$script,domain=estream.to|estream.xyz -@@||escdn.co/player$script,domain=estream.to|estream.xyz -@@||escdn.co/t6/$script,domain=estream.to|estream.xyz -@@||escdn.co^$stylesheet,xmlhttprequest,domain=estream.to|estream.xyz -@@||escdn.co^*/1.js$script,domain=estream.to|estream.xyz -@@||flowplayer.org^$script,domain=estream.to|estream.xyz -@@||fonts.googleapis.com^$stylesheet,domain=estream.to|estream.xyz -||phi.estream.xyz^ -||play.playe.estream.xyz^ +/^https?:\/\/.*\/.*(sw[0-9a-z._-]{1,6}|\.notify\.).*/$script,domain=1337x.to|clickndownload.click|clicknupload.click|cloudvideo.tv|downloadpirate.com|fmovies.taxi|fmovies.world|igg-games.com|indishare.org|linksly.co|megaup.net|mixdrop.ag|mp3-convert.org|nutritioninsight.com|ouo.press|pcgamestorrents.com|pcgamestorrents.org|powvideo.net|powvldeo.cc|primewire.sc|proxyer.org|sendit.cloud|sendspace.com|shrinke.me|shrinkhere.xyz|theproxy.ws|uiz.io|up-load.io|uploadever.com|uploadrar.com|uploadrive.com|uplovd.com|upstream.to|userscloud.com|vidoza.co|vidoza.net|vidup.io|vumoo.life|xtits.com|yourbittorrent2.com|ziperto.com +/^https?:\/\/.*\/sw\.js\?[a-zA-Z0-9%]{50,}/$script,~third-party +! sw.js +/sw.js$script,domain=filechan.org|hotfile.io|lolabits.se|megaupload.nz|rapidshare.nu +! https://ww1.123watchmovies.co/episode/euphoria-season-2-episode-6/ ! vidoza.net +$image,script,subdocument,third-party,xmlhttprequest,domain=vidoza.co|vidoza.net @@$generichide,domain=vidoza.co|vidoza.net @@||ajax.googleapis.com/ajax/libs/$script,domain=vidoza.co|vidoza.net @@||cdn.vidoza.co/js/$script,domain=vidoza.co|vidoza.net -@@||cdn.vidoza.net/js/$script,domain=vidoza.co|vidoza.net @@||cdnjs.cloudflare.com/ajax/libs/$script,domain=vidoza.co|vidoza.net -|http://$image,script,subdocument,third-party,domain=vidoza.co|vidoza.net -|https://$image,script,subdocument,third-party,domain=vidoza.co|vidoza.net -! filecrypt.cc -@@||filecrypt.cc/js/container.js$script -@@||filecrypt.cc/js/fcwindow.js$script -@@||filecrypt.cc/js/indexV2.js$script -@@||filecrypt.cc/js/indexV2_Plugin.js$script -@@||filecrypt.cc/js/prototype.js$script -@@||filecrypt.cc/js/scriptaculous/builder.js$script -@@||filecrypt.cc/js/scriptaculous/controls.js$script -@@||filecrypt.cc/js/scriptaculous/dragdrop.js$script -@@||filecrypt.cc/js/scriptaculous/effects.js$script -@@||filecrypt.cc/js/scriptaculous/scriptaculous.js$script -@@||filecrypt.cc/js/scriptaculous/slider.js$script -||filecrypt.cc/js/$script -! blacklistednews.com -@@||ajax.googleapis.com^$script,domain=blacklistednews.com -@@||disqus.com^$domain=blacklistednews.com -@@||disquscdn.com^$domain=blacklistednews.com -@@||maxcdn.bootstrapcdn.com^$script,domain=blacklistednews.com -@@||ravenjs.com^*/raven.min.js$domain=blacklistednews.com -|http://$script,stylesheet,subdocument,third-party,webrtc,xmlhttprequest,domain=blacklistednews.com -|https://$script,stylesheet,subdocument,third-party,webrtc,xmlhttprequest,domain=blacklistednews.com -! Imagetwist/Imagenpic/Imageshimage -@@||imagenpic.com/jquery-*.js -@@||imagenpic.com/jquery.*.js -@@||imagenpic.com/xupload.js -@@||imageshimage.com/jquery-*.js -@@||imageshimage.com/jquery.*.js -@@||imageshimage.com/xupload.js -@@||imagetwist.com/bootstrap.min.js -@@||imagetwist.com/clipboard.min.js -@@||imagetwist.com/jquery-*.js -@@||imagetwist.com/jquery.*.js -@@||imagetwist.com/swfobject.js -@@||imagetwist.com/xupload.js -@@||imagetwist.com/ZeroClipboard.js -||imagenpic.com^$script,~third-party -||imagenpic.com^$~third-party,xmlhttprequest -||imageshimage.com^$script,~third-party -||imageshimage.com^$~third-party,xmlhttprequest -||imagetwist.com^$script,~third-party -||imagetwist.com^$~third-party,xmlhttprequest -! imgspice.com -@@||imgspice.com/jquery.cookie.js|$script -@@||imgspice.com/jquery.uploadify.$script -@@||imgspice.com/tabber.js|$script -@@||imgspice.com/xupload.js$script -@@||imgspice.com/ZeroClipboard.js|$script -||imgspice.com^$script,~third-party -! Pixhost/Pixroute -@@||pixhost.to/js/clipboard-helpers.js? -@@||pixhost.to/js/helpers.js? -@@||pixhost.to/js/image.js? -@@||pixhost.to/js/main.js? -@@||pixhost.to/js/new-upload.js? -@@||pixhost.to/js/upload_functions.js? -@@||pixhost.to/js/vendor/clipboard.min.js? -@@||pixhost.to/js/vendor/jquery-*.js? -@@||pixhost.to/js/vendor/jquery.*.js -@@||pixhost.to/js/vendor/nprogress.js| -@@||pixhost.to/js/vendor/rangeslider.min.js? -@@||pixhost.to/lang.js.php? -@@||pixhost.to/PhotoSwipe/photoswipe-*.js -@@||pixhost.to/PhotoSwipe/photoswipe.*.js -@@||pixhost.to/plupload/i18n/en.js? -@@||pixhost.to/plupload/jquery.*.js? -@@||pixhost.to/plupload/plupload.*.js? -@@||pixhost.to/vendor/jquery-*.js? -@@||pixroute.com/cdn-cgi/scripts/ddc5a536/cloudflare-static/email-decode.min.js -@@||pixroute.com/jquery-*.js| -@@||pixroute.com/jquery.*.js| -@@||pixroute.com/swfobject.js -@@||pixroute.com/tabber.js| -@@||pixroute.com/xupload.js? -||pixhost.to^$script,~third-party -||pixroute.com^$script,~third-party -! stream2watch -@@||chatango.com^$domain=stream2watch.ws -@@||googleapis.com^$script,domain=stream2watch.ws -@@||jquery.com^$script,domain=stream2watch.ws -@@||zencdn.net^$script,stylesheet,domain=stream2watch.ws -|http*://$image,script,stylesheet,third-party,xmlhttprequest,domain=stream2watch.ws -! shink -@@||ajax.googleapis.com/ajax/libs/$script,domain=shink.me|shon.xyz -@@||cloudflare.com/ajax/$stylesheet,domain=shink.me|shon.xyz -@@||google.com/recaptcha/$domain=shink.me|shon.xyz -@@||maxcdn.bootstrapcdn.com^$stylesheet,domain=shink.me|shon.xyz -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=shink.me|shon.xyz -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=shink.me|shon.xyz -! bypassed.net -|http://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=bypassed.net -|https://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=bypassed.net +! megaup.net +$image,script,subdocument,third-party,xmlhttprequest,domain=megaup.net +@@||challenges.cloudflare.com^$domain=download.megaup.net +! govid.co +$script,third-party,xmlhttprequest,domain=govid.co +@@||ajax.googleapis.com/ajax/libs/$script,domain=govid.co +! canyoublockit.com +@@||akamaiedge.net^$domain=canyoublockit.com +@@||cloudflare.com^$script,stylesheet,domain=canyoublockit.com +@@||fluidplayer.com^$script,stylesheet,domain=canyoublockit.com +@@||googleapis.com^$script,stylesheet,domain=canyoublockit.com +@@||hwcdn.net^$domain=canyoublockit.com +|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=canyoublockit.com +|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=canyoublockit.com ! up-4ever.com -@@||ajax.googleapis.com^$script,domain=up-4ever.com -@@||connect.facebook.net^$script,domain=up-4ever.com -@@||fonts.googleapis.com^$stylesheet,domain=up-4ever.com -@@||maxcdn.bootstrapcdn.com^$stylesheet,domain=up-4ever.com -|http://$script,stylesheet,third-party,xmlhttprequest,domain=up-4ever.com -|https://$script,stylesheet,third-party,xmlhttprequest,domain=up-4ever.com -! hothardware.com -@@||ajax.googleapis.com^$domain=freewarefiles.com -|http://$script,third-party,xmlhttprequest,domain=hothardware.com -|https://$script,third-party,xmlhttprequest,domain=hothardware.com -! project-free-tv.ag / myprojectfreetv -@@||ajax.googleapis.com^$script,domain=project-free-tv.ag -|http://$script,third-party,xmlhttprequest,domain=project-free-tv.ag -|https://$script,third-party,xmlhttprequest,domain=project-free-tv.ag -! movies123 -@@||fonts.googleapis.com^$domain=movies123.xyz -|http://$image,other,script,stylesheet,third-party,domain=movies123.xyz -|https://$image,other,script,stylesheet,third-party,domain=movies123.xyz -||putlocker68.com^$popup,domain=movies123.xyz -! oneload.site -|http://$other,script,stylesheet,third-party,xmlhttprequest,domain=oneload.site -|https://$other,script,stylesheet,third-party,xmlhttprequest,domain=oneload.site -! gomovies -@@||bootstrapcdn.com^$domain=gomovies.sc|gomovieshub.is -@@||disqus.com^$script,domain=gomovieshub.is -|http://$other,script,stylesheet,third-party,xmlhttprequest,domain=gomovies.sc|gomovieshub.is -|https://$other,script,stylesheet,third-party,xmlhttprequest,domain=gomovies.sc|gomovieshub.is -! fmovies -@@||ajax.googleapis.com/ajax/libs/$script,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||akacdn.ru/assets/$image,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||akacdn.ru^*/assets/$script,stylesheet,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||akacdn.ru^*/images/$image,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||cloudflare.com^$script,stylesheet,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||disqus.com^$script,xmlhttprequest,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||disquscdn.com^$script,stylesheet,xmlhttprequest,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||fmovies.*/ajax/$xmlhttprequest,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||fmovies.*/grabber-api/?$domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||fmovies.*/user/$xmlhttprequest,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||fonts.googleapis.com^$stylesheet,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||image.tmdb.org^$image,domain=ffmovies.ru|fmovies.taxi|fmovies.world -@@||platform.twitter.com^$script,domain=ffmovies.ru|fmovies.taxi|fmovies.world -|http://$image,other,script,stylesheet,third-party,xmlhttprequest,domain=ffmovies.ru|fmovies.taxi|fmovies.world -|https://$image,other,script,stylesheet,third-party,xmlhttprequest,domain=ffmovies.ru|fmovies.taxi|fmovies.world -! ancient-origins.net -@@||ajax.googleapis.com^$script,domain=ancient-origins.net -@@||connect.facebook.net^$script,domain=ancient-origins.net -|http://$script,third-party,xmlhttprequest,domain=ancient-origins.net -|https://$script,third-party,xmlhttprequest,domain=ancient-origins.net -! alltube -@@||ajax.googleapis.com/ajax/libs/$script,domain=alltube.pl -@@||alltube.pl/?$xmlhttprequest -@@||alltube.pl/jsverify.php$xmlhttprequest -|http://$script,third-party,domain=alltube.pl -|https://$script,third-party,domain=alltube.pl -! vshare.eu -@@||ajax.googleapis.com^$script,domain=vshare.eu -@@||cdnjs.cloudflare.com^$script,domain=vshare.eu -@@||lp.longtailvideo.com^$script,domain=vshare.eu -@@||vjs.zencdn.net^$script,domain=vshare.eu -|http://$script,stylesheet,third-party,xmlhttprequest,domain=vshare.eu -|https://$script,stylesheet,third-party,xmlhttprequest,domain=vshare.eu -! filmlinks4u.is -|http://$script,third-party,xmlhttprequest,domain=filmlinks4u.is -|https://$script,third-party,xmlhttprequest,domain=filmlinks4u.is -! 9anime.vip -@@||9anime.*/home/ajax/schedule?$~third-party,xmlhttprequest,domain=9anime.nl|9anime.vip -@@||9anime.*/user/ajax/menu-bar?$~third-party,xmlhttprequest,domain=9anime.nl|9anime.vip -@@||ajax.googleapis.com/ajax/libs/jquery/$script,domain=9anime.nl|9anime.vip -@@||connect.facebook.net^$script,domain=9anime.nl|9anime.vip -@@||disqus.com^$domain=9anime.nl|9anime.vip -@@||disquscdn.com^$domain=9anime.nl|9anime.vip -@@||fonts.googleapis.com^$stylesheet,domain=9anime.nl|9anime.vip -@@||googleusercontent.com/gadgets/$image,domain=9anime.nl|9anime.vip -@@||platform.twitter.com^$script,domain=9anime.nl|9anime.vip -|http://$script,stylesheet,third-party,xmlhttprequest,domain=9anime.nl|9anime.vip -|https://$script,stylesheet,third-party,xmlhttprequest,domain=9anime.nl|9anime.vip -||9anime.*/*callback -||9anime.*/inc/$script -||9anime.*/sw.js -! watchvideo -@@/index-*.m3u8$xmlhttprequest,domain=watchvideo.us -@@/master.m3u8$xmlhttprequest,domain=watchvideo.us -@@/seg-*.ts$xmlhttprequest,domain=watchvideo.us -|http://$script,third-party,xmlhttprequest,domain=watchvideo.us -|https://$script,third-party,xmlhttprequest,domain=watchvideo.us -||bit.ly^$subdocument,domain=watchvideo.us -! series9 -@@||disqus.com^$domain=series9.to -@@||disquscdn.com^$domain=series9.to -@@||google.com/recaptcha/$subdocument,domain=series9.to -@@||themovieseries.net^$image,domain=series9.to -@@||vidcloud.icu^$subdocument,domain=series9.to -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=series9.to -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=series9.to -! gowatchseries -$subdocument,third-party,domain=vidcloud.icu -@@||disqus.com^$domain=gowatchseries.tv -@@||disquscdn.com^$domain=gowatchseries.tv -@@||themovieseries.net^$image,domain=gowatchseries.tv -@@||vidcloud.icu^$subdocument,domain=gowatchseries.tv -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=gowatchseries.tv -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=gowatchseries.tv -! pcgames-download.com -|http://$script,third-party,xmlhttprequest,domain=pcgames-download.com -|https://$script,third-party,xmlhttprequest,domain=pcgames-download.com -! skidrowreloaded.com -|http://$script,third-party,xmlhttprequest,domain=skidrowreloaded.com -|https://$script,third-party,xmlhttprequest,domain=skidrowreloaded.com -! ancensored.com -@@||cdn1-ancensored.network/script.js$script,domain=ancensored.com -@@||code.jquery.com^$domain=ancensored.com -|http://$script,third-party,xmlhttprequest,domain=ancensored.com -|https://$script,third-party,xmlhttprequest,domain=ancensored.com -! embedscr.to -|http://$script,third-party,xmlhttprequest,domain=embedscr.to|embedsr.to|iembedrip.com -|https://$script,third-party,xmlhttprequest,domain=embedscr.to|embedsr.to|iembedrip.com -! video-download.co -@@||cdndoge.xyz/common/js/cookie.js -@@||cdndoge.xyz/common/js/jquery.js -@@||cdndoge.xyz/lib/sweetalert/sweetalert.js -@@||cdndoge.xyz/video-download/js/bootstrap.js -@@||cdndoge.xyz/video-download/js/dropdown.js -@@||cdndoge.xyz/video-download/js/event.js -@@||cdndoge.xyz/video-download/js/waves.js -@@||loadercdn.io^$script,domain=video-download.co -@@||static.h-bid.com/video-download.co/$script,domain=video-download.co -|http://$script,third-party,xmlhttprequest,domain=video-download.co -|https://$script,third-party,xmlhttprequest,domain=video-download.co -! readysethealth.com -@@||readysethealth.com/wp-includes/js/wp-emoji-release.min.js$script -@@||wpengine.netdna-cdn.com/wp-includes/$script,domain=readysethealth.com -|http://$script,domain=readysethealth.com -|https://$script,domain=readysethealth.com -! the123movies -@@||cloudflare.com^$script,domain=old123movies.com -@@||googleapis.com^$script,domain=old123movies.com -@@||hqq.tv^$script,xmlhttprequest,domain=old123movies.com -@@||netdna-ssl.com^$script,stylesheet,domain=old123movies.com -|http://$script,third-party,xmlhttprequest,domain=old123movies.com -|https://$script,third-party,xmlhttprequest,domain=old123movies.com -|https://*?$popup,domain=old123movies.com -! veekyforums.com -@@||ajax.googleapis.com^$script,domain=veekyforums.com -|http://$script,third-party,xmlhttprequest,domain=veekyforums.com -||veekyforums.com^$subdocument,~third-party +$script,stylesheet,third-party,xmlhttprequest,domain=up-4ever.net +@@||ajax.googleapis.com^$script,domain=up-4ever.net +@@||connect.facebook.net^$script,domain=up-4ever.net +@@||fonts.googleapis.com^$stylesheet,domain=up-4ever.net +@@||maxcdn.bootstrapcdn.com^$stylesheet,domain=up-4ever.net +@@||up4ever.download^$domain=up-4ever.net +! hitomi.la/rule34hentai.net +$script,third-party,domain=hitomi.la|rule34hentai.net +@@||ajax.googleapis.com^$script,domain=rule34hentai.net +@@||cloudflare.com^$script,domain=rule34hentai.net +@@||fluidplayer.com^$script,domain=rule34hentai.net ! urlcash.net |http://$script,xmlhttprequest,domain=urlcash.net |https://$script,xmlhttprequest,domain=urlcash.net -! thebarchive.com -@@||4archive.org/js/extension.min.js -@@||4archive.org/js/jquery.min.js -@@||4archive.org/js/linkify-jquery.min.js -@@||4archive.org/js/linkify.min.js -@@||4archive.org/style/$stylesheet,~third-party -@@||4archive.org^$generichide -@@||ajax.googleapis.com^$script,domain=4archive.org|randomarchive.com|thebarchive.com -@@||randomarchive.com/js/extension.min.js -@@||randomarchive.com/js/jquery.min.js -@@||randomarchive.com/js/linkify-jquery.min.js -@@||randomarchive.com/js/linkify.min.js -@@||randomarchive.com/style/$stylesheet -@@||thebarchive.com/_/api/$~third-party,xmlhttprequest -@@||thebarchive.com/foolfuuka/$stylesheet -@@||thebarchive.com/foolfuuka/components/highlightjs/highlight.pack.js -@@||thebarchive.com/foolfuuka/foolz/*/board.js -@@||thebarchive.com/foolfuuka/foolz/*/bootstrap.min.js -@@||thebarchive.com/foolfuuka/foolz/*/plugins.js -@@||thebarchive.com/foolfuuka/mathjax/mathjax/$script -|http://$script,stylesheet,xmlhttprequest,domain=4archive.org|randomarchive.com|thebarchive.com -|https://$script,stylesheet,xmlhttprequest,domain=4archive.org|randomarchive.com|thebarchive.com -! Rarbg -||rarbg.to^$script,~third-party -||rarbg2019.org^$script,~third-party -||rarbgaccess.org^$script,~third-party -||rarbgmirror.com^$script,~third-party -||rarbgmirror.org^$script,~third-party -||rarbgmirror.xyz^$script,~third-party -||rarbgmirrored.org^$script,~third-party -||rarbgproxy.org^$script,~third-party -||rarbgprx.org^$script,~third-party -||rarbgto.org^$script,~third-party -! rule34 -@@||code.jquery.com^$script,domain=rule34.xxx -@@||rule34.xxx/ads.js$script,~third-party -@@||rule34.xxx/cdn-cgi/scripts/*/email-decode.min.js$script,~third-party -@@||rule34.xxx/css/sinni.js$script,~third-party -@@||rule34.xxx/script/application.js$script,~third-party -@@||rule34.xxx/script/awesomplete.min.js$script,~third-party -@@||rule34.xxx/script/fluidplayer.min.js$script,~third-party -@@||rule34.xxx/script/fluidplayer/fluidplayer.js$script,~third-party -@@||sweetcaptcha.com^$script,domain=rule34.xxx -|http://$script,domain=rule34.xxx -|https://$script,domain=rule34.xxx -! kat.sx -@@||ajax.googleapis.com^$script,domain=kat.sx -@@||kat.sx/jquery.min.js$script,~third-party -|http://$script,domain=kat.sx -|https://$script,domain=kat.sx -! multiup.org -@@||cdn.multiup.org/assets/js.js$script,domain=multiup.eu -|http://$script,third-party,xmlhttprequest,domain=multiup.eu|multiup.org -|https://$script,third-party,xmlhttprequest,domain=multiup.eu|multiup.org -! uploadocean -@@|http://$image,third-party,domain=uploadocean.com -@@|https://$image,third-party,domain=uploadocean.com -@@||ajax.googleapis.com^$script,third-party,domain=uploadocean.com -@@||maxcdn.bootstrapcdn.com^$domain=uploadocean.com -|http://$script,third-party,xmlhttprequest,domain=uploadocean.com -|https://$script,third-party,xmlhttprequest,domain=uploadocean.com -! xmovies8 -@@||connect.facebook.net^$script,domain=xmovies8.es|xmovies8.ru|xmovies8.tv -@@||disqus.com^$script,domain=xmovies8.es|xmovies8.ru|xmovies8.tv -@@||disquscdn.com^$script,domain=xmovies8.es|xmovies8.ru|xmovies8.tv -@@||jwplatform.com^$script,domain=xmovies8.es|xmovies8.ru|xmovies8.tv -@@||jwpsrv.com^$script,domain=xmovies8.es|xmovies8.ru|xmovies8.tv -|http://$script,third-party,xmlhttprequest,domain=xmovies8.es|xmovies8.ru|xmovies8.tv -|https://$script,third-party,xmlhttprequest,domain=xmovies8.es|xmovies8.ru|xmovies8.tv -! fullmatchesandshows.com -@@||amazonaws.com/html5player.gamezone.com/$script,domain=fullmatchesandshows.com -@@||platform.instagram.com^$script,domain=fullmatchesandshows.com -@@||playwire.com^$script,xmlhttprequest,domain=fullmatchesandshows.com -@@||s.gravatar.com^$script,domain=fullmatchesandshows.com -@@||video.twimg.com^$xmlhttprequest,domain=twitter.com -@@||wp.com/wp-content/js/$script,domain=fullmatchesandshows.com -|http://$script,third-party,xmlhttprequest,domain=fullmatchesandshows.com -|https://$script,third-party,xmlhttprequest,domain=fullmatchesandshows.com -! yts -@@||fonts.googleapis.com^$stylesheet,domain=yify.is -@@||yify.is/assets/$stylesheet,~third-party -@@||yify.is/assets/js/b0f127a10831e175bbf44e730789dd85.js$script,~third-party -|http://$script,stylesheet,domain=yify.is -|https://$script,stylesheet,domain=yify.is -! downace.com -|http://$script,third-party,xmlhttprequest,domain=downace.com -|https://$script,third-party,xmlhttprequest,domain=downace.com -! woop -@@||algolianet.com^$script,xmlhttprequest,domain=streamwoop.net -@@||cdn.jsdelivr.net^$script,domain=streamwoop.net -@@||cdnjs.cloudflare.com^$script,domain=streamwoop.net -@@||connect.facebook.net^$script,domain=streamwoop.net -@@||streamwoop.com^$script,domain=streamwoop.net -|http://$script,third-party,xmlhttprequest,domain=streamwoop.net -|https://$script,third-party,xmlhttprequest,domain=streamwoop.net -! upload.ac -|http://$script,third-party,xmlhttprequest,domain=upload.ac|uplod.cc|uplod.io -|https://$script,third-party,xmlhttprequest,domain=upload.ac|uplod.cc|uplod.io ! gelbooru.com -/^https?:\/\/[\w.-]*gelbooru\.com.*[a-zA-Z0-9?!=@%#]{40,}/$image,other,domain=gelbooru.com -@@||ads.exosrv.com^$script,domain=gelbooru.com -@@||gelbooru.com/ads.js$script,~third-party @@||gelbooru.com^$generichide ||gelbooru.com*/license.$script ||gelbooru.com*/tryt.$script ||gelbooru.com/halloween/ -! theinquirer.net / professionaladviser.com -@@||disqus.com^$script,domain=professionaladviser.com|theinquirer.net -@@||disquscdn.com^$script,domain=professionaladviser.com|theinquirer.net -@@||googletagservices.com/tag/js/gpt.js$domain=theinquirer.net -@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$script,domain=theinquirer.net -@@||tpc.googlesyndication.com/pagead/imgad?id=$image,domain=theinquirer.net -|http://$script,third-party,domain=professionaladviser.com|theinquirer.net -|https://$script,third-party,domain=professionaladviser.com|theinquirer.net -! vidtodo.com -@@||vidtodo.com^$image,script,stylesheet,xmlhttprequest,domain=vidtodoo.com -@@||vidtodoo.com^$image,script,stylesheet,xmlhttprequest,domain=vidtodo.com -|http*://$image,script,stylesheet,third-party,xmlhttprequest,domain=vidtodo.com|vidtodoo.com -! pch.com -@@||ajax.googleapis.com^$script,domain=games.pch.com -@@||apis.google.com^$script,domain=games.pch.com -@@||cdnjs.cloudflare.com^$script,domain=games.pch.com -@@||content.jwplatform.com^$domain=games.pch.com -@@||gigya.com^$domain=games.pch.com -@@||pchassets.com^$script,domain=games.pch.com -@@||shoqolate.com^$script,domain=games.pch.com -@@||tags.tiqcdn.com^$domain=games.pch.com -|http://$script,third-party,xmlhttprequest,domain=games.pch.com -|https://$script,third-party,xmlhttprequest,domain=games.pch.com -! firstrow-related -@@?stream=/embed/*&width=*&height=$script,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -@@||ajax.googleapis.com^$script,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -@@||platform.twitter.com^$script,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -|http://$script,third-party,xmlhttprequest,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -|https://$script,third-party,xmlhttprequest,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -! gamerant.com -||gamerant.com/porpoiseant/ -! s0ft4pc.com -@@||s.gravatar.com^$script,third-party,domain=s0ft4pc.com -@@||wp.com/wp-content/js/$script,domain=s0ft4pc.com -|http://$script,third-party,xmlhttprequest,domain=s0ft4pc.com -|https://$script,third-party,xmlhttprequest,domain=s0ft4pc.com -! Putlocker -@@||ajax.googleapis.com^$script,domain=putlocker.ninja|putlocker.style|putlockers.mn|putlockers.movie -@@||apis.google.com^$script,subdocument,domain=putlocker.ninja|putlocker.style|putlockers.mn|putlockers.movie -@@||cdn.jsdelivr.net^$script,stylesheet,domain=putlocker.ninja|putlocker.style|putlockers.mn|putlockers.movie -@@||cdnjs.cloudflare.com^$script,stylesheet,domain=putlocker.ninja|putlocker.style|putlockers.mn|putlockers.movie -@@||connect.facebook.net^$script,domain=putlocker.ninja|putlocker.style|putlockers.mn|putlockers.movie -|http://$script,stylesheet,third-party,xmlhttprequest,domain=putlocker.ninja|putlocker.style|putlockers.mn|putlockers.movie -|https://$script,stylesheet,third-party,xmlhttprequest,domain=putlocker.ninja|putlocker.style|putlockers.mn|putlockers.movie -! Depositfiles/Dfiles -@@||api-secure.solvemedia.com^$domain=depositfiles.com -@@||api.solvemedia.com^$third-party,domain=depositfiles.com -@@||depositfiles.com/api/$xmlhttprequest -@@||depositfiles.com/get_file.php$xmlhttprequest -@@||depositfiles.com/gold/$xmlhttprequest -@@||depositfiles.com/js/$script -@@||depositfiles.com/thumb/$image,xmlhttprequest -@@||depositfiles.com/thumbs/$image,xmlhttprequest -@@||depositfiles.com/upload/$subdocument -@@||depositfiles.com^$generichide -@@||depositvpn.com/api/$xmlhttprequest,domain=depositfiles.com -@@||depositvpn.com/iframe/$subdocument,domain=depositfiles.com -@@||google.com/js/bg/$script,domain=depositfiles.com -@@||google.com/recaptcha/$subdocument,domain=depositfiles.com -@@||static.depositfiles.com^$image,script -|http://$image,script,subdocument,xmlhttprequest,domain=depositfiles.com -|https://$image,script,subdocument,xmlhttprequest,domain=depositfiles.com -! Adreclaim -@@||ajax.googleapis.com^$script,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|travelerstoday.com|universityherald.com|wrestlinginc.com -@@||cdnjs.cloudflare.com^$script,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|travelerstoday.com|universityherald.com -@@||connect.facebook.net^$script,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|travelerstoday.com|universityherald.com|wrestlinginc.com -@@||disqus.com^$script,domain=gamenguide.com|wrestlinginc.com -@@||maxcdn.bootstrapcdn.com^$domain=wrestlinginc.com -@@||platform.instagram.com^$script,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|universityherald.com|wrestlinginc.com -@@||platform.twitter.com^$script,domain=gamenguide.com|wrestlinginc.com -@@||springboardplatform.com^$domain=biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|itechpost.com|universityherald.com -@@||tv.bsvideos.com^$domain=itechpost.com -|http://$script,third-party,xmlhttprequest,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.comuniversityherald.com|travelerstoday.com|wrestlinginc.com -|https://$script,third-party,xmlhttprequest,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|travelerstoday.com|universityherald.com|wrestlinginc.com -! rekoverr.com -||code.jquery.com^$script,domain=kumb.com|tomshardware.com ! bc.vc |http://$script,third-party,xmlhttprequest,domain=bc.vc |https://$script,third-party,xmlhttprequest,domain=bc.vc -! eztv -@@/email-decode.min.js$script,domain=eztv.io|eztv.tf|eztv.yt -@@/img1.js$script,domain=eztv.io|eztv.tf|eztv.yt -@@/jsc2.js$script,domain=eztv.io|eztv.tf|eztv.yt -@@/search_shows2.js$script,domain=eztv.io|eztv.tf|eztv.yt -@@||ajax.googleapis.com^$script,domain=eztv.io|eztv.tf|eztv.yt -@@||cdnjs.cloudflare.com^$script,domain=eztv.io|eztv.tf|eztv.yt -@@||connect.facebook.net^$script,domain=eztv.io|eztv.tf|eztv.yt -@@||eztv.io^$generichide -@@||eztv.tf^$generichide -@@||eztv.yt^$generichide -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=eztv.io|eztv.tf|eztv.yt -|http://$script,xmlhttprequest,domain=eztv.io|eztv.tf|eztv.yt -|https://$script,xmlhttprequest,domain=eztv.io|eztv.tf|eztv.yt -! adf.ly -@@||adf.ly/static/image/$image,~third-party -@@||s1-adfly.com/show.php?$subdocument,third-party,domain=adf.ly -|http://$third-party,domain=adf.ly|s1-adfly.com -|https://$third-party,domain=adf.ly|s1-adfly.com -! linkdrop.net -|http://$script,third-party,xmlhttprequest,domain=linkdrop.net -|https://$script,third-party,xmlhttprequest,domain=linkdrop.net -! tamilyogi.cc -|http://$script,third-party,xmlhttprequest,domain=tamilyogi.fm -|https://$script,third-party,xmlhttprequest,domain=tamilyogi.fm -! salefiles.com -$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=salefiles.com -@@||maxcdn.bootstrapcdn.com^$domain=salefiles.com -! damimage.com, imagedecode.com, imageteam.org -$media,domain=damimage.com|imagedecode.com|imageteam.org -|http://$image,script,third-party,xmlhttprequest,domain=damimage.com|imagedecode.com|imageteam.org -|https://$image,script,third-party,xmlhttprequest,domain=damimage.com|imagedecode.com|imageteam.org -! imgskull.com -|http://$image,script,third-party,xmlhttprequest,domain=imgskull.com -|https://$image,script,third-party,xmlhttprequest,domain=imgskull.com -||imgdew.pw^$script -||imgmaze.pw^$script -||imgskull.com^$xmlhttprequest -||imgtown.pw^$script -||imgview.pw^$script -! Imgclick / Imgdew / Imgkings.com / Imgoutlet / Imgrock / Imgtown / Imgtrex / etc -@@||imgadult.com*/advertisement.js$script -@@||imgdrive.net*/advertisement.js$script -@@||imgtaxi.com*/advertisement.js$script -@@||imgtown.net/js/jquery-1.10.2.min.js$script,domain=imgtown.pw -@@||imgtown.net/js/xupload.js?$script,domain=imgtown.pw -@@||imgwallet.com*/advertisement.js$script -|http://$image,script,third-party,xmlhttprequest,domain=damimage.com|dimtus.com|imagedecode.com|imageteam.org|imgadult.com|imgclick.net|imgdew.com|imgdew.pw|imgdrive.net|imgkings.com|imgmaze.com|imgmaze.pw|imgoutlet.com|imgrock.info|imgrock.net|imgrock.pw|imgstudio.org|imgtaxi.com|imgtown.net|imgtown.pw|imgview.net|imgview.pw|imgwallet.com -|https://$image,script,third-party,xmlhttprequest,domain=damimage.com|dimtus.com|imagedecode.com|imageteam.org|imgadult.com|imgclick.net|imgdew.com|imgdew.pw|imgdrive.net|imgkings.com|imgmaze.com|imgmaze.pw|imgoutlet.com|imgrock.info|imgrock.net|imgrock.pw|imgstudio.org|imgtaxi.com|imgtown.net|imgtown.pw|imgview.net|imgview.pw|imgwallet.com -||imgadult.com^$subdocument -||imgtaxi.com^$subdocument -||imgwallet.com^$subdocument -! filedot.xyz -|http://$script,third-party,xmlhttprequest,domain=filedot.xyz -|https://$script,third-party,xmlhttprequest,domain=filedot.xyz -! rlslog.net -|http://$script,third-party,xmlhttprequest,domain=rlslog.net -|https://$script,third-party,xmlhttprequest,domain=rlslog.net -! torrenteo.com -|http://$script,third-party,xmlhttprequest,domain=torrenteo.com -|https://$script,third-party,xmlhttprequest,domain=torrenteo.com -! imgcandy.net -|http://$image,script,third-party,xmlhttprequest,domain=imgcandy.net -|https://$image,script,third-party,xmlhttprequest,domain=imgcandy.net -||imgcandy.net/fad/$script -! streamvid.co -@@||gstatic.com^$script,domain=streamvid.co -|http://$script,third-party,xmlhttprequest,domain=streamvid.co -|https://$script,third-party,xmlhttprequest,domain=streamvid.co -! 4shared.com -@@||apis.google.com/js/plusone.js$script,domain=4shared.com -@@||connect.facebook.net^$script,domain=4shared.com -|http://$script,third-party,xmlhttprequest,domain=4shared.com -|https://$script,third-party,xmlhttprequest,domain=4shared.com -|ws://$domain=4shared.com -! streamplay -.xyz/$popup,domain=streamplay.to -@@||streamplay.to/js/bootstrap.min.js|$script,domain=streamplay.to -@@||streamplay.to/js/jquery*min.js|$script,domain=streamplay.to -@@||streamplay.to/js/jquery.cookie.js|$script,domain=streamplay.to -@@||streamplay.to/js/modernizr.custom.*.js|$script,domain=streamplay.to -@@||streamplay.to/js/xupload.js|$script,domain=streamplay.to -@@||streamplay.to/player*/jwplayer.html5.js|$script,domain=streamplay.to -@@||streamplay.to/player*/jwplayer.js?$script,domain=streamplay.to -@@||streamplay.to/player*/jwpsrv.js|$script,domain=streamplay.to -@@||streamplay.to/player*/lightsout.js|$script,domain=streamplay.to -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=streamplay.to -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=streamplay.to -||streamplay.to^$script,domain=streamplay.to -! Powvideo -$websocket,domain=povvideo.net|powvideo.net -@@||ajax.googleapis.com^$script,third-party,domain=povvideo.net|powvideo.net -@@||code.jquery.com^$script,domain=povvideo.net|powvideo.net -@@||codeorigin.jquery.com^$domain=povvideo.net|powvideo.net -@@||img.powvideo.net/scap/$image,domain=povvideo.net -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=povvideo.net|powvideo.net -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=povvideo.net|powvideo.net -! cinenews.be/en/ -@@||ajax.googleapis.com^$script,third-party,domain=cinenews.be -@@||connect.facebook.net^$script,third-party,domain=cinenews.be -|http://$script,third-party,xmlhttprequest,domain=cinenews.be -|https://$script,third-party,xmlhttprequest,domain=cinenews.be -! daclips.in -@@||ajax.googleapis.com^$script,third-party,domain=daclips.in -@@||trandsey.info/popunder.gif$image,domain=daclips.in -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=daclips.in -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=daclips.in -! tinypic -@@||addthis.com/static/$subdocument,domain=tinypic.com -@@||api.solvemedia.com^$domain=tinypic.com -|http://$image,third-party,domain=tinypic.com -|http://$subdocument,third-party,xmlhttprequest,domain=tinypic.com -|https://$image,third-party,domain=tinypic.com -! vidspot.net -@@||jwpsrv.com/library/$script,domain=vidspot.net -|http://$script,third-party,xmlhttprequest,domain=vidspot.net -|https://$script,third-party,xmlhttprequest,domain=vidspot.net -! Streamcloud -@@||ajax.googleapis.com^$script,third-party,domain=streamcloud.eu -@@||opensubtitles.org/cdn-cgi/nexp/dok3v=*/cloudflare/rocket.js$domain=opensubtitles.org -@@||recaptcha.net/recaptcha/$domain=opensubtitles.org -@@||static.opensubtitles.org/libs/js/$script,domain=opensubtitles.org -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=streamcloud.eu -|http://$script,subdocument,third-party,xmlhttprequest,domain=opensubtitles.org -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=streamcloud.eu -|https://$script,subdocument,third-party,xmlhttprequest,domain=opensubtitles.org -||meta.streamcloud.eu^ -||opensubtitles.org^*.js|$script,domain=opensubtitles.org -! couchtuner -@@||disqus.com^$script,third-party,domain=couchtuner.click -|http://$image,script,third-party,xmlhttprequest,domain=couchtuner.click -|https://$image,script,third-party,xmlhttprequest,domain=couchtuner.click -! uptobox.com -$webrtc,domain=uptobox.com -@@||ajax.googleapis.com^$script,domain=uptobox.com|uptostream.com -@@||googleapis.com/js/sdkloader/ima3.js$script,domain=uptobox.com|uptostream.com -@@||googletagmanager.com/gtag/js$script,domain=uptobox.com|uptostream.com -@@||gstatic.com^$script,domain=uptobox.com|uptostream.com -@@||platform.twitter.com/widgets.js$domain=uptobox.com|uptostream.com -@@||uptostream.com^$generichide -|http://$script,third-party,xmlhttprequest,domain=uptobox.com|uptostream.com -|https://$script,third-party,xmlhttprequest,domain=uptobox.com|uptostream.com -! userscloud.com -@@||cdnjs.cloudflare.com^$script,domain=userscloud.com -@@||d3edizycpjjo07.cloudfront.net/assets/library/jquery/jquery.min.js$script,domain=userscloud.com -@@||d3edizycpjjo07.cloudfront.net/xupload.js$script,domain=userscloud.com -@@||usercdn.com/cgi-bin/upload.cgi?$subdocument,domain=userscloud.com -@@||usercdn.com/i/$image,domain=userscloud.com -@@||usercdn.com/tmp/status.html?$subdocument,domain=userscloud.com -@@||vjs.zencdn.net^$script,domain=userscloud.com -@@||widget.uservoice.com^$script,domain=userscloud.com -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=userscloud.com -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=userscloud.com -||userscloud.com/js/vendor/core/bootstrap.js -! sendit.cloud -@@||code.jquery.com^$script,domain=sendit.cloud -@@||sendit.download/i/$image,domain=sendit.cloud -@@||vjs.zencdn.net^$script,domain=sendit.cloud -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=sendit.cloud -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=sendit.cloud -||sendit.cloud/images/banner/ -! gounlimited.to -|http://$script,third-party,xmlhttprequest,domain=gounlimited.to -|https://$script,third-party,xmlhttprequest,domain=gounlimited.to -! downloadpirate.com -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=downloadpirate.com -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=downloadpirate.com -! intoupload.net -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=intoupload.net -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=intoupload.net -! fastpic -|http://$script,stylesheet,third-party,xmlhttprequest,domain=fastpic.ru -|https://$script,stylesheet,third-party,xmlhttprequest,domain=fastpic.ru -|ws://$other,third-party,domain=fastpic.ru -! monova -@@||gstatic.com^$script,third-party,domain=monova.org|monova.to -|http*://$image,other,script,subdocument,third-party,xmlhttprequest,domain=monova.org|monova.to -! 1337x.to -@@||code.jquery.com^$script,domain=1337x.st|1337x.to|x1337x.eu|x1337x.se|x1337x.ws -@@||gstatic.com^*/recaptcha/$script,domain=1337x.st|1337x.to|x1337x.eu|x1337x.se|x1337x.ws -@@||sweetcaptcha.com^$script,domain=1337x.st|1337x.to|x1337x.eu|x1337x.se|x1337x.ws -|http://$script,third-party,xmlhttprequest,domain=1337x.st|1337x.to|x1337x.eu|x1337x.se|x1337x.ws -|https://$script,third-party,xmlhttprequest,domain=1337x.st|1337x.to|x1337x.eu|x1337x.se|x1337x.ws -! watchseries -@@||code.jquery.com^$script,domain=swatchseries.to -@@||connect.facebook.net^$script,domain=swatchseries.to -@@||maxcdn.bootstrapcdn.com^$script,domain=swatchseries.to -@@||platform.twitter.com^$script,domain=swatchseries.to -@@||swatchseries.to/get-notifications$xmlhttprequest -@@||swatchseries.to/public/js/auth.js$script,domain=swatchseries.to -@@||swatchseries.to/public/js/edit-show.js$script,domain=swatchseries.to -@@||swatchseries.to/public/js/jquery$script,domain=swatchseries.to -@@||swatchseries.to/public/js/slick.js$script,domain=swatchseries.to -@@||swatchseries.to/show/get-tracking-data$xmlhttprequest -@@||swatchseries.to/templates/default/css/$stylesheet,domain=swatchseries.to -|http://$other,script,stylesheet,third-party,xmlhttprequest,domain=swatchseries.to -|http://$xmlhttprequest,domain=swatchseries.to -|https://$image,other,script,stylesheet,third-party,xmlhttprequest,domain=swatchseries.to -|https://$xmlhttprequest,domain=swatchseries.to -||swatchseries.to/bootstrap.min.js -||swatchseries.to/jquery.min.js -||swatchseries.to/main.js -||www*.swatchseries.to^$script -! Fembed -|http://$script,third-party,domain=fembed.com -|https://$script,third-party,domain=fembed.com -||fembed.com/revenue -! Fastplay -|http://$script,stylesheet,third-party,domain=fastplay.to -|https://$script,stylesheet,third-party,domain=fastplay.to -! flashx -$image,script,subdocument,third-party,xmlhttprequest,domain=flash-x.tv|flashsx.tv|flashx.bz|flashx.cc|flashx.co|flashx.me|flashx.run|flashx.sx|flashx.to|flashx.tv|flashx.ws|flashx1.tv -$websocket,domain=flash-x.tv|flashsx.tv|flashx.bz|flashx.cc|flashx.co|flashx.me|flashx.run|flashx.sx|flashx.to|flashx.tv|flashx.ws|flashx1.tv -@@||ajax.googleapis.com/ajax/libs/$script,domain=flash-x.tv|flashsx.tv|flashx.bz|flashx.cc|flashx.co|flashx.me|flashx.run|flashx.sx|flashx.to|flashx.tv|flashx.ws|flashx1.tv -@@||fastcontentdelivery.com^$script,domain=flash-x.tv|flashsx.tv|flashx.bz|flashx.cc|flashx.co|flashx.me|flashx.run|flashx.sx|flashx.to|flashx.tv|flashx.ws|flashx1.tv -@@||flash-x.tv/js/showad$script -@@||flashx.tv/js/jquery.cookie.js -@@||flashx.tv/js/jquery.min.js| -@@||flashx.tv/js/light.min.js| -@@||flashx.tv/js/showad$script -@@||flashx.tv/js/xfs.js -@@||flashx.tv/js/xupload.js -@@||flashx.tv/player6/jwplayer.js -! m4ufree -$script,third-party,domain=m4ufree.com|m4ufree.tv -$webrtc,domain=m4ufree.com|m4ufree.tv -@@||ajax.googleapis.com/ajax/libs/$script,domain=m4ufree.com|m4ufree.tv -@@||iomovies.info/iomovies.js$script,domain=m4ufree.com|m4ufree.tv -! youwatch.org -@@/embed-*.html?$subdocument,domain=youwatch.org -@@||ajax.googleapis.com/ajax/libs/$script,domain=youwatch.org -@@||plugins.longtailvideo.com^$script,domain=youwatch.org -|http://$script,subdocument,third-party,domain=youwatch.org -|https://$script,subdocument,third-party,domain=youwatch.org -! primewire (and various mirrors) -@@||ajax.googleapis.com/ajax/libs/jquery/$domain=1channel.biz|letmewatchthis.pl|primewire.to -@@||image.tmdb.org^$image,domain=1channel.biz|letmewatchthis.pl|primewire.to -@@||platform.twitter.com^$script,domain=1channel.biz|letmewatchthis.pl|primewire.to -@@||s7.addthis.com^$script,third-party,domain=1channel.biz|letmewatchthis.pl|primewire.to -|http://$image,script,third-party,xmlhttprequest,domain=1channel.biz|letmewatchthis.pl|primewire.to -|https://$image,script,third-party,xmlhttprequest,domain=1channel.biz|letmewatchthis.pl|primewire.to -! photobucket.com -@@||amazonaws.com^$script,domain=photobucket.com -@@||aviary.com^$image,script,domain=photobucket.com -@@||code.jquery.com^$script,domain=photobucket.com -@@||connect.facebook.net^$script,domain=photobucket.com -@@||pbsrc.com/albums/$image,domain=photobucket.com -@@||pbsrc.com/footer/$image,domain=photobucket.com -@@||pbsrc.com/navbar/$image,domain=photobucket.com -@@||pbsrc.com/print/$image,domain=photobucket.com -@@||pbsrc.com^$script,domain=photobucket.com -@@||pic*.pbsrc.com/common/$image,domain=photobucket.com -@@||print.io^$domain=photobucket.com -@@||sharethis.com/button/$script,domain=photobucket.com -|http://$script,third-party,domain=photobucket.com -|https://$script,third-party,domain=photobucket.com -! speedplay -@@||content.jwplatform.com/libraries/$script,domain=speedplay.pw|speedplay.site|speedplay.us|speedplay1.pw|speedplay1.site|speedplay2.pw|speedplay2.site|speedplay3.pw|speedplayx.site|speedplayy.site -@@||speedplay.us/js/$script,domain=speedplay.pw|speedplay.site|speedplay.us|speedplay1.pw|speedplay1.site|speedplay2.pw|speedplay2.site|speedplay3.pw|speedplayx.site|speedplayy.site -|http://$script,third-party,xmlhttprequest,domain=speedplay.pw|speedplay.site|speedplay.us|speedplay1.pw|speedplay1.site|speedplay2.pw|speedplay2.site|speedplay3.pw|speedplayx.site|speedplayy.site -|https://$script,third-party,xmlhttprequest,domain=speedplay.pw|speedplay.site|speedplay.us|speedplay1.pw|speedplay1.site|speedplay2.pw|speedplay2.site|speedplay3.pw|speedplayx.site|speedplayy.site -! Washington Times -@@||twt-assets.washtimes.com/v4/js/twig.js -||twt-assets.washtimes.com^$script,domain=washingtontimes.com -! mac-torrent-download.net -@@||ajax.googleapis.com^$script,domain=mac-torrent-download.net -@@||wp.com/wp-content/js/$script,domain=mac-torrent-download.net -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=mac-torrent-download.net -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=mac-torrent-download.net -! linkshrink.net -|http://$image,script,subdocument,third-party,xmlhttprequest,domain=linkshrink.net -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=linkshrink.net -! Filenuke/sharesix -/\.filenuke\.com/.*[a-zA-Z0-9]{4}/$script -/\.sharesix\.com/.*[a-zA-Z0-9]{4}/$script -! Game Empire Enterprises -@@||onrpg.com/boards/activityrss.php?$xmlhttprequest -|http:$xmlhttprequest,domain=mmohuts.com|onrpg.com -! Zippyshare -@@||fonts.googleapis.com^$stylesheet,domain=zippyshare.com -|http://$script,stylesheet,third-party,xmlhttprequest,domain=zippyshare.com -|https://$script,stylesheet,third-party,xmlhttprequest,domain=zippyshare.com -! vidzi.tv -@@||ajax.googleapis.com^$script,domain=vidzi.online|vidzi.tv -@@||static.vidzi.tv/jwplayer-$script,domain=vidzi.online|vidzi.tv -@@||vidzi.tv/hls2/$xmlhttprequest,domain=vidzi.online|vidzi.tv -@@||zopim.com^$script,domain=vidzi.online|vidzi.tv -|http://$script,subdocument,third-party,xmlhttprequest,domain=vidzi.online|vidzi.tv -|https://$script,subdocument,third-party,xmlhttprequest,domain=vidzi.online|vidzi.tv -||ww46.vidzi.$script -! uploadfiles.pw -|http://$script,stylesheet,third-party,domain=uploadfiles.pw -|https://$script,stylesheet,third-party,domain=uploadfiles.pw -! upload4earn.org -|http://$script,third-party,domain=uploadbyte.com -|https://$script,third-party,domain=uploadbyte.com +! abcvideo.cc +$script,third-party,xmlhttprequest,domain=abcvideo.cc +! ouo +$script,third-party,xmlhttprequest,domain=ouo.io|ouo.press +||ouo.io/js/*.js? +||ouo.io/js/pop. +||ouo.press/js/pop. +! Imgbox +$script,third-party,domain=imgbox.com +@@||ajax.googleapis.com^$script,domain=imgbox.com ! TPB -$webrtc,websocket,xmlhttprequest,domain=ahoypirate.in|bayception.pw|cruzing.xyz|mirror.superproxy.biz|mypirate.cc|noobnoob.rocks|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.rocks|prox1.info|proxyfrom.asia|proxyindia.net|superbay.link|superproxy.biz|thehiddenbay.com|thepiratebay.kiwi|thepiratebay.org|thepiratebay.vip|thepiratebay10.org|thepirateproxy.win|theproxybay.net|tpb.crushus.com|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|tpbrun.win|tpproxy.website|ukpirate.org|unblockpirate.uk|unblocktheship.org -.info^$popup,domain=ahoypirate.in|bayception.pw|cruzing.xyz|mirror.superproxy.biz|mypirate.cc|noobnoob.rocks|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.rocks|proxyfrom.asia|proxyindia.net|superbay.link|superproxy.biz|thehiddenbay.com|thepiratebay.kiwi|thepiratebay.org|thepiratebay.vip|thepiratebay10.org|thepirateproxy.win|theproxybay.net|tpb.crushus.com|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|tpbrun.win|tpproxy.website|ukpirate.org|unblockpirate.uk|unblocktheship.org -@@||thepiratebay.*/static/js/details.js$domain=ahoypirate.in|bayception.pw|cruzing.xyz|mirror.superproxy.biz|mypirate.cc|noobnoob.rocks|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.rocks|proxyfrom.asia|proxyindia.net|superbay.link|superproxy.biz|thehiddenbay.com|thepiratebay.cr|thepiratebay.kiwi|thepiratebay.org|thepiratebay.vip|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|unblockpirate.uk|unblocktheship.org -@@||thepiratebay.*/static/js/prototype.js$domain=ahoypirate.in|bayception.pw|cruzing.xyz|mirror.superproxy.biz|mypirate.cc|noobnoob.rocks|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.rocks|proxyfrom.asia|proxyindia.net|superbay.link|superproxy.biz|thehiddenbay.com|thepiratebay.cr|thepiratebay.kiwi|thepiratebay.org|thepiratebay.vip|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|unblockpirate.uk|unblocktheship.org -@@||thepiratebay.*/static/js/scriptaculous.js$domain=ahoypirate.in|bayception.pw|noobnoob.rocks|piratebay.tel|piratebay.town|pirateproxy.ch|pirateproxy.rocks|proxyindia.net|superbay.link|thepiratebay.cr|thepiratebay.kiwi|thepiratebay.org|unblocktheship.org -javascript:$popup,domain=cruzing.xyz|mirror.superproxy.biz|mypirate.cc|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|proxyfrom.asia|superproxy.biz|thehiddenbay.com|thepiratebay.cr|thepiratebay.org|thepiratebay.vip|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|unblockpirate.uk -|http://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=ahoypirate.in|bayception.pw|cruzing.xyz|mirror.superproxy.biz|mypirate.cc|noobnoob.rocks|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.rocks|prox1.info|proxyfrom.asia|proxyindia.net|superbay.link|superproxy.biz|thehiddenbay.com|thepiratebay.kiwi|thepiratebay.org|thepiratebay.vip|thepiratebay10.org|thepirateproxy.win|theproxybay.net|tpb.crushus.com|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|tpbrun.win|tpproxy.website|unblockpirate.uk|unblocktheship.org -|https://$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=ahoypirate.in|bayception.pw|cruzing.xyz|mirror.superproxy.biz|mypirate.cc|noobnoob.rocks|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.rocks|prox1.info|proxyfrom.asia|proxyindia.net|superbay.link|superproxy.biz|thehiddenbay.com|thepiratebay.kiwi|thepiratebay.org|thepiratebay.vip|thepiratebay10.org|thepirateproxy.win|theproxybay.net|tpb.crushus.com|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|tpbrun.win|tpproxy.website|unblockpirate.uk|unblocktheship.org -||thepiratebay.$script,domain=ahoypirate.in|bayception.pw|cruzing.xyz|mirror.superproxy.biz|mypirate.cc|noobnoob.rocks|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.rocks|proxyfrom.asia|proxyindia.net|superbay.link|superproxy.biz|thehiddenbay.com|thepiratebay.cr|thepiratebay.kiwi|thepiratebay.org|thepiratebay.vip|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|unblockpirate.uk|unblocktheship.org +$image,script,stylesheet,subdocument,third-party,xmlhttprequest,domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org|thepiratebay10.org +$webrtc,websocket,xmlhttprequest,domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org|thepiratebay10.org +@@||apibay.org^$script,xmlhttprequest,domain=thepiratebay.org +@@||jsdelivr.net^$script,domain=thepiratebay.org +@@||thepiratebay.*/static/js/details.js$domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org +@@||thepiratebay.*/static/js/prototype.js$domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org +@@||thepiratebay.*/static/js/scriptaculous.js$domain=thepiratebay.org +@@||thepiratebay.org/*.php$csp,~third-party +@@||thepiratebay.org/static/main.js$script,~third-party +@@||torrindex.net/images/*.gif$domain=thepiratebay.org +@@||torrindex.net/images/*.jpg$domain=thepiratebay.org +@@||torrindex.net^$script,stylesheet,domain=thepiratebay.org +||thepirate-bay3.org/banner_ +||thepiratebay.$script,domain=pirateproxy.live|thehiddenbay.com|thepiratebay.org ||thepiratebay.*/static/$subdocument -! Propellerads -|http://$script,stylesheet,third-party,domain=mp3songfree.net -|https://$script,stylesheet,third-party,domain=mp3songfree.net +||thepiratebay10.org/static/js/UYaf3EPOVwZS3PP.js ! Yavli.com -/yiy*.$image,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bb4sp.com|bestfunnyjokes4u.com|bighealthreport.com|bigleaguepolitics.com|bizpacreview.com|boomsbeat.com|boredomtherapy.com|breakingfirst.com|breathecast.com|bulletsfirst.net|canadafreepress.com|celebrity-gossip.net|cheapism.com|cheatsheet.com|chicksonright.com|clashamerica.com|clashdaily.com|comicallyincorrect.com|conservativebyte.com|conservativefiringline.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dcdirtylaundry.com|deneenborelli.com|designbump.com|digitaljournal.com|directexpose.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|freewarefiles.com|funnyand.com|gamer4k.com|gamerant.com|gamersheroes.com|godfatherpolitics.com|gosocial.co|grammarist.com|greatamericanpolitics.com|greatamericanrepublic.com|gymflow100.com|hackspirit.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|icepop.com|infowars.com|intellectualconservative.com|ipatriot.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|knowledgedish.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|libertyunyielding.com|lidblog.com|lifebuzz.com|madworldnews.com|makeagif.com|menrec.com|mentalflare.com|minutemennews.com|moneyversed.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicalcowboy.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|readysethealth.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reverbpress.com|reviveusa.com|rightwingnews.com|rightwingtribune.com|rollingout.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sonsoflibertymedia.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|supercheats.com|survivalnation.com|sweepstakesfanatics.com|techconsumer.com|technobuffalo.com|techtimes.com|telexplorer.com.ar|terezowens.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|thehayride.com|thelibertydaily.com|themattwalshblog.com|thepolitistick.com|therealside.com|theviralmob.com|thinkamericana.com|threepercenternation.com|tiebreaker.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|truthuncensored.net|universityherald.com|urbantabloid.com|valuewalk.com|vcpost.com|vgpie.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatfinger.com|youthhealthmag.com -! More Yavli -/lxx*.$image,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bb4sp.com|bestfunnyjokes4u.com|bighealthreport.com|bigleaguepolitics.com|bizpacreview.com|boomsbeat.com|boredomtherapy.com|breakingfirst.com|breathecast.com|bulletsfirst.net|canadafreepress.com|celebrity-gossip.net|cheapism.com|cheatsheet.com|chicksonright.com|clashamerica.com|clashdaily.com|comicallyincorrect.com|conservativebyte.com|conservativefiringline.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dcdirtylaundry.com|deneenborelli.com|designbump.com|digitaljournal.com|directexpose.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|freewarefiles.com|funnyand.com|gamer4k.com|gamerant.com|gamersheroes.com|godfatherpolitics.com|gosocial.co|grammarist.com|greatamericanpolitics.com|greatamericanrepublic.com|gymflow100.com|hackspirit.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|icepop.com|infowars.com|intellectualconservative.com|ipatriot.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|knowledgedish.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|libertyunyielding.com|lidblog.com|lifebuzz.com|madworldnews.com|makeagif.com|menrec.com|mentalflare.com|minutemennews.com|moneyversed.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicalcowboy.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|readysethealth.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reverbpress.com|reviveusa.com|rightwingnews.com|rightwingtribune.com|rollingout.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sonsoflibertymedia.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|supercheats.com|survivalnation.com|sweepstakesfanatics.com|techconsumer.com|technobuffalo.com|techtimes.com|telexplorer.com.ar|terezowens.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|thehayride.com|thelibertydaily.com|themattwalshblog.com|thepolitistick.com|therealside.com|theviralmob.com|thinkamericana.com|threepercenternation.com|tiebreaker.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|truthuncensored.net|universityherald.com|urbantabloid.com|valuewalk.com|vcpost.com|vgpie.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatfinger.com|youthhealthmag.com -! Yavli threepercenternation.com -||threepercenternation.com/imbOPXkU/ -! Yavli Specific -@@/wp-content/plugins/akismet/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||4cdn.org/*.js$script,xmlhttprequest,domain=4chan.org -@@||5min.com/Scripts/PlayerSeed.js?$domain=addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|digitaljournal.com|enstarz.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|hallels.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|themattwalshblog.com|theviralmob.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||airtv-assets.global.ssl.fastly.net^$domain=viralnova.com -@@||ajax.cloudflare.com/cdn-cgi/nexp/$script,third-party -@@||ajax.cloudflare.com/cdn-cgi/scripts/$script,third-party -@@||ak.sail-horizon.com^$script,third-party,domain=addictinginfo.com|askmefast.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|crossmap.com|dailyheadlines.net|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|greatamericanrepublic.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|minutemennews.com|naturalblaze.com|natureworldnews.com|newser.com|patriotoutdoornews.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|rightwingnews.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|themattwalshblog.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||api-public.addthis.com/url/shares.json?$script,third-party,domain=addictinginfo.com|askmefast.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|crossmap.com|dailyheadlines.net|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|greatamericanrepublic.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|minutemennews.com|naturalblaze.com|natureworldnews.com|newser.com|patriotoutdoornews.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|themattwalshblog.com|tinypic.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||api.facebook.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bigleaguepolitics.com|bizpacreview.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|grammarist.com|greatamericanrepublic.com|gymflow100.com|hackspirit.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|knowledgedish.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicalcowboy.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|rightwingtribune.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|technobuffalo.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||api.solvemedia.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|clik.pw|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|hngn.com|infowars.com|joeforamerica.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theboredmind.com|themattwalshblog.com|theviralmob.com|tinypic.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||apis.google.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|askmefast.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|enstarz.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|opednews.com|patriotoutdoornews.com|patriottribune.com|politichicks.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|stevedeace.com|supercheats.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|youthhealthmag.com -@@||app-cdn.spot.im^$domain=gamerant.com|rightwingtribune.com|rollingout.com|viralnova.com -@@||assets.galaxant.com^$script,domain=viralnova.com -@@||assets.pinterest.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|moneyversed.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||b.grvcdn.com^$script,domain=cheatsheet.com -@@||boomsbeat.com/widget_init.php$script,third-party,domain=latinopost.com -@@||cdn*.bigcommerce.com^$image,third-party,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||cdn.playwire.com^$script,third-party,domain=supercheats.com -@@||cdn.shopify.com^*/assets/$script,third-party -@@||cdn.shopify.com^*/files/$script,third-party -@@||cdn.shopify.com^*/javascripts/$script,third-party -@@||cdn.supercheats.com^$script,domain=supercheats.com -@@||cdnjs.cloudflare.com/ajax/libs/$script,domain=makeagif.com -@@||cdnjs.cloudflare.com^$script,domain=technobuffalo.com -@@||cdnjs.cloudflare.com^$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|funnyand.com|gamer4k.com|gamerant.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||cloudflare.com/ajax/$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||code.jquery.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||connect.facebook.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|gosocial.co|grammarist.com|greatamericanrepublic.com|gymflow100.com|hackspirit.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|knowledgedish.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|lifebuzz.com|mentalflare.com|minutemennews.com|moneyversed.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicalcowboy.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||connect.facebook.net^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|gosocial.co|grammarist.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|knowledgedish.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||conservativeintelcom.c.presscdn.com^$image,script,third-party,domain=conservativeintel.com -@@||d8g345wuhgd7e.cloudfront.net^$script,third-party,domain=thelibertarianrepublic.com -@@||digitaljournal.com/img/*-medium/$image -@@||disqus.com^$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|freewarefiles.com|gamerant.com|gamersheroes.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|thedesigninspiration.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|vgpie.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||disquscdn.com^$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|freewarefiles.com|gamerant.com|gamersheroes.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|vgpie.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||embed.air.tv^$script,domain=rollingout.com|viralnova.com -@@||embedly.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||fbstatic-a.akamaihd.net^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reviveusa.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||fod4.com^$image,domain=funnyordie.com -@@||forms.convertkit.com^$script,domain=hackspirit.com -@@||gigya.com/comments.$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|hispolitica.com|hngn.com|infowars.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com -@@||gigya.com/js/gigya.$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|hallels.com|hngn.com|infowars.com|joeforamerica.com|juicerhead.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|rightwingnews.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|valuewalk.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com -@@||google.com/coop/cse/brand?$script,third-party -@@||google.com/js/th/$script -@@||google.com/jsapi$script,third-party -@@||google.com/recaptcha/$script,xmlhttprequest -@@||google.com/uds/$script,third-party,domain=infowars.com -@@||googleapis.com^$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|boredomtherapy.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|funnyand.com|gosocial.co|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|lifebuzz.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|supercheats.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||googlecommerce.com^$script -@@||googletagservices.com/tag/js/gpt.js$script,third-party,domain=askmefast.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|crossmap.com|dailyheadlines.net|dailysurge.com|digitaljournal.com|enstarz.com|greatamericanrepublic.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|legalinsurrection.com|minutemennews.com|naturalblaze.com|natureworldnews.com|newser.com|parentherald.com|patriotoutdoornews.com|rantlifestyle.com|realfarmacy.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|themattwalshblog.com|universityherald.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||graph.facebook.com^$image,script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|photobucket.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|truththeory.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||gravatar.com/avatar$image,third-party -@@||gravatar.com^$script,domain=gamer4k.com -@@||gstatic.com/accounts/$script,third-party,domain=rightwingtribune.com -@@||gstatic.com/trustedstores/$script -@@||hwcdn.net/*.js?$script -@@||images.sportsworldnews.com^$image,third-party -@@||images.spot.im^$image,domain=gamerant.com|rollingout.com|viralnova.com -@@||imgur.com/min/$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gosocial.co|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reverbpress.com|reviveusa.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||intensedebate.com/js/$script,third-party -@@||jwplatform.com^$script,third-party,xmlhttprequest,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gosocial.co|grammarist.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com -@@||jwpsrv.com/library/$script,third-party,domain=conservativetribune.com|traileraddict.com -@@||jwpsrv.com/player/$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|gosocial.co|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hngn.com|honesttopaws.com|infowars.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com -@@||jwpsrv.com^$image,xmlhttprequest,domain=conservativetribune.com -@@||latinospost.com/widget_init.php$script,third-party,domain=latinopost.com -@@||launcher.spot.im^$script,domain=dailyheadlines.net|gamerant.com|rightwingtribune.com|rollingout.com -@@||linkedin.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||livefyre.com^$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|boomsbeat.com|breakingfirst.com|breathecast.com|bulletsfirst.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|craigjames.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|thedesigninspiration.com|themattwalshblog.com|theviralmob.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com -@@||maps.google.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|telexplorer.com.ar|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||maxcdn.bootstrapcdn.com^$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|bulletsfirst.net|celebrity-gossip.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|rightwingnews.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||netdna-cdn.com/wp-content/$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|chicksonright.com|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|readysethealth.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|stevedeace.com|supercheats.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||netdna-cdn.com/wp-includes/js/$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|chicksonright.com|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|thehayride.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||odb.outbrain.com^$script,domain=cheatsheet.com -@@||omnicalculator.com/sdk.js$domain=valuewalk.com -@@||outstreamplayer.com^$domain=grammarist.com -@@||p.jwpcdn.com^$script,third-party -@@||passport.mobilenations.com^$script,domain=technobuffalo.com -@@||platform.instagram.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||platform.twitter.com^$image,domain=allthingsvegas.com|bizpacreview.com|chicksonright.com|legalinsurrection.com|newser.com|quirlycues.com|viralnova.com|whatfinger.com -@@||playbuzz.com/widget/$script,third-party -@@||playwire.com/bolt/$script,domain=addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|hallels.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newsthump.com|patriotoutdoornews.com|pickthebrain.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realtytoday.com|redmaryland.com|shark-tank.com|stevedeace.com|techtimes.com|themattwalshblog.com|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||po.st/share/$script,third-party,domain=addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|coviral.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|hallels.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newsthump.com|patriotoutdoornews.com|pickthebrain.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|stevedeace.com|techtimes.com|themattwalshblog.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||po.st/static/$script,third-party,domain=addictinginfo.com|askmefast.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|crossmap.com|dailyheadlines.net|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|greatamericanrepublic.com|hallels.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|minutemennews.com|naturalblaze.com|natureworldnews.com|newser.com|patriotoutdoornews.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|stevedeace.com|techtimes.com|themattwalshblog.com|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||po.st^*/counter?$script,third-party,domain=addictinginfo.com|askmefast.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|crossmap.com|dailyheadlines.net|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|greatamericanrepublic.com|hallels.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|minutemennews.com|naturalblaze.com|natureworldnews.com|newser.com|patriotoutdoornews.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|stevedeace.com|techtimes.com|themattwalshblog.com|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||po.st^*/status?$script,third-party,domain=addictinginfo.com|askmefast.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|crossmap.com|dailyheadlines.net|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|greatamericanrepublic.com|hallels.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|minutemennews.com|naturalblaze.com|natureworldnews.com|newser.com|patriotoutdoornews.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|stevedeace.com|techtimes.com|themattwalshblog.com|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||pressdns.com/wp-content/$image,script,third-party,domain=conservativeintel.com -@@||providesupport.com^$script -@@||r-login.wordpress.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||randomapps*.amazonaws.com^$script,domain=thepoke.co.uk -@@||recirculation.spot.im^$domain=dailyheadlines.net|gamerant.com|rightwingtribune.com|rollingout.com|viralnova.com -@@||reembed.com/player/$script,third-party -@@||s.gravatar.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|hngn.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com -@@||s.reembed.com^$script -@@||s7.addthis.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|askmefast.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|gosocial.co|greatamericanrepublic.com|hngn.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|minutemennews.com|naturalblaze.com|natureworldnews.com|newser.com|parentherald.com|patriotoutdoornews.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|stevedeace.com|supercheats.com|techtimes.com|theboredmind.com|themattwalshblog.com|tinypic.com|traileraddict.com|universityherald.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||spot.im/launcher/bundle.js$domain=gamerant.com|rightwingtribune.com|rollingout.com|viralnova.com -@@||stackpathdns.com/common/$image,domain=boomsbeat.com|dramastars.com|enstarz.com|hngn.com|itechpost.com|kpopstarz.com|latinpost.com|natureworldnews.com|parentherald.com|readysethealth.com|realtytoday.com|sciencetimes.com|sportsworldreport.com|universityherald.com|vcpost.com|youthhealthmag.com -@@||stackpathdns.com/data/images/$image,domain=boomsbeat.com|dramastars.com|enstarz.com|foreverymom.com|hngn.com|itechpost.com|kpopstarz.com|latinpost.com|natureworldnews.com|parentherald.com|readysethealth.com|realtytoday.com|sciencetimes.com|sportsworldreport.com|universityherald.com|vcpost.com|youthhealthmag.com -@@||stackpathdns.com/data/thumbs/$image,domain=boomsbeat.com|dramastars.com|enstarz.com|foreverymom.com|hngn.com|itechpost.com|kpopstarz.com|latinpost.com|natureworldnews.com|parentherald.com|readysethealth.com|realtytoday.com|sciencetimes.com|sportsworldreport.com|universityherald.com|vcpost.com|youthhealthmag.com -@@||stackpathdns.com/static/$image,domain=boomsbeat.com|dramastars.com|enstarz.com|foreverymom.com|hngn.com|itechpost.com|kpopstarz.com|latinpost.com|natureworldnews.com|parentherald.com|readysethealth.com|realtytoday.com|sciencetimes.com|sportsworldreport.com|universityherald.com|vcpost.com|youthhealthmag.com -@@||stackpathdns.com^$script,domain=foreverymom.com -@@||static.cdn-ec.viddler.com^$script -@@||static.reembed.com^$script,third-party -@@||syn.5min.com^$script,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|breathecast.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hngn.com|infowars.com|joeforamerica.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newsthump.com|patriotoutdoornews.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|stevedeace.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||syndication.twimg.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bizpacreview.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gosocial.co|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||tv.bsvideos.com^$script,domain=techtimes.com -@@||twimg.com^$image,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bizpacreview.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gosocial.co|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicalcowboy.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|shark-tank.com|shedthoselbs.com|stevedeace.com|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||twitter.com^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|chicksonright.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gosocial.co|grammarist.com|greatamericanrepublic.com|gymflow100.com|hackspirit.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicalcowboy.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|shark-tank.com|shedthoselbs.com|stevedeace.com|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatfinger.com|youthhealthmag.com -@@||ui.bamstatic.com^$script,third-party -@@||use.typekit.net^$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com -@@||video.foxnews.com^$script,third-party -@@||vidible.tv/prod/$script,third-party -@@||vimeo.com^$script,domain=addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|boredomtherapy.com|bulletsfirst.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|coviral.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|hallels.com|headcramp.com|hngn.com|honesttopaws.com|infowars.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|natureworldnews.com|newser.com|newsthump.com|patriotoutdoornews.com|pickthebrain.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realtytoday.com|redmaryland.com|shark-tank.com|stevedeace.com|techtimes.com|themattwalshblog.com|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||vimeocdn.com^$script,domain=boredomtherapy.com|headcramp.com|honesttopaws.com|mentalflare.com -@@||vjs.zencdn.net^$script,domain=rightwingtribune.com|traileraddict.com -@@||widget.clipix.com^$script,third-party -@@||widgets.outbrain.com/outbrain.js$domain=cheatsheet.com|supercheats.com -@@||wp.com/_static/$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamer4k.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|readysethealth.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|shark-tank.com|shedthoselbs.com|stevedeace.com|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||wp.com/wp-content/$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|bulletsfirst.net|celebrity-gossip.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redmaryland.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|stevedeace.com|supercheats.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|urbantabloid.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||wpengine.netdna-cdn.com/wp-content/themes/$image,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|boomsbeat.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||wpengine.netdna-cdn.com/wp-content/uploads/$image,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|bestfunnyjokes4u.com|boomsbeat.com|breakingfirst.com|breathecast.com|celebrity-gossip.net|clashamerica.com|conservativeintel.com|coviral.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|designbump.com|digitaljournal.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|pickthebrain.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|sciencetimes.com|shedthoselbs.com|sportsworldnews.com|stevedeace.com|sweepstakesfanatics.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|themattwalshblog.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|youthhealthmag.com -@@||yahooapis.com^$script,third-party,domain=truththeory.com -@@||youtube.com/iframe_api$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bizpacreview.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|gosocial.co|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicalcowboy.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reverbpress.com|reviveusa.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||youtube.com/player_api$script,third-party,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bizpacreview.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|gosocial.co|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicalcowboy.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reverbpress.com|reviveusa.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||ytimg.com/yts/jsbin/$script,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bizpacreview.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|gamerant.com|gosocial.co|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reverbpress.com|reviveusa.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|technobuffalo.com|techtimes.com|theblacksphere.net|theboredmind.com|thehayride.com|themattwalshblog.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -@@||zemanta.com^$image,third-party,domain=bulletsfirst.net -|http://$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bizpacreview.com|boomsbeat.com|boredomtherapy.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|cheapism.com|cheatsheet.com|chicksonright.com|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|freewarefiles.com|funnyand.com|gamer4k.com|gamerant.com|gamersheroes.com|gosocial.co|grammarist.com|greatamericanrepublic.com|gymflow100.com|hackspirit.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|knowledgedish.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|lifebuzz.com|madworldnews.com|makeagif.com|mentalflare.com|minutemennews.com|moneyversed.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|readysethealth.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reviveusa.com|rightwingnews.com|rightwingtribune.com|rollingout.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|supercheats.com|survivalnation.com|sweepstakesfanatics.com|techconsumer.com|technobuffalo.com|techtimes.com|telexplorer.com.ar|terezowens.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|thehayride.com|thelibertydaily.com|themattwalshblog.com|thepolitistick.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|urbantabloid.com|valuewalk.com|vcpost.com|vgpie.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatfinger.com|youthhealthmag.com -|http://$third-party,xmlhttprequest,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|bizpacreview.com|boomsbeat.com|boredomtherapy.com|breakingfirst.com|cheapism.com|cheatsheet.com|chicksonright.com|clashamerica.com|conservativeintel.com|conservativetribune.com|dailyheadlines.com|designbump.com|eaglerising.com|firstinfreedomdaily.com|freewarefiles.com|funnyand.com|gamer4k.com|gamerant.com|gamersheroes.com|grammarist.com|greatamericanrepublic.com|hackspirit.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|intellectualconservative.com|itechpost.com|jobsnhire.com|joeforamerica.com|kdramastars.com|knowledgedish.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lifebuzz.com|madworldnews.com|makeagif.com|mentalflare.com|natureworldnews.com|newser.com|parentherald.com|patriottribune.com|pickthebrain.com|profitconfidential.com|readysethealth.com|realtytoday.com|rightwingtribune.com|rollingout.com|sciencetimes.com|sportsworldnews.com|sportsworldreport.com|supercheats.com|survivalnation.com|sweepstakesfanatics.com|telexplorer.com.ar|terezowens.com|theblacksphere.net|thedesigninspiration.com|thehayride.com|thelibertydaily.com|themattwalshblog.com|thepolitistick.com|universityherald.com|urbantabloid.com|vgpie.com|wakingtimes.com|whatfinger.com|youthhealthmag.com -|https://$script,third-party,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bizpacreview.com|boomsbeat.com|boredomtherapy.com|breakingfirst.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|cheapism.com|cheatsheet.com|chicksonright.com|clashamerica.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|designbump.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|firstinfreedomdaily.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|freewarefiles.com|funnyand.com|gamer4k.com|gamerant.com|gamersheroes.com|gosocial.co|grammarist.com|greatamericanrepublic.com|gymflow100.com|hackspirit.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|intellectualconservative.com|itechpost.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|knowledgedish.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|lidblog.com|lifebuzz.com|madworldnews.com|makeagif.com|mentalflare.com|minutemennews.com|moneyversed.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|readysethealth.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|reviveusa.com|rightwingnews.com|rightwingtribune.com|rollingout.com|sciencetimes.com|shark-tank.com|shedthoselbs.com|sportsworldnews.com|sportsworldreport.com|stevedeace.com|supercheats.com|survivalnation.com|sweepstakesfanatics.com|techconsumer.com|technobuffalo.com|techtimes.com|telexplorer.com.ar|terezowens.com|theblacksphere.net|theboredmind.com|thedesigninspiration.com|thehayride.com|thelibertydaily.com|themattwalshblog.com|thepolitistick.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|universityherald.com|urbantabloid.com|valuewalk.com|vcpost.com|vgpie.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatfinger.com|youthhealthmag.com -|https://$third-party,xmlhttprequest,domain=100percentfedup.com|4chan.org|addictinginfo.com|allthingsvegas.com|americasfreedomfighters.com|appleeats.com|askmefast.com|auntyacid.com|bizpacreview.com|boomsbeat.com|boredomtherapy.com|breakingfirst.com|cheapism.com|cheatsheet.com|chicksonright.com|clashamerica.com|conservativeintel.com|conservativetribune.com|designbump.com|eaglerising.com|firstinfreedomdaily.com|freewarefiles.com|gamer4k.com|gamersheroes.com|grammarist.com|greatamericanrepublic.com|hackspirit.com|healthstatus.com|hispolitica.com|honesttopaws.com|itechpost.com|knowledgedish.com|lastresistance.com|legalinsurrection.com|lifebuzz.com|madworldnews.com|makeagif.com|mentalflare.com|natureworldnews.com|newser.com|profitconfidential.com|readysethealth.com|rightwingtribune.com|rollingout.com|sciencetimes.com|sportsworldnews.com|survivalnation.com|sweepstakesfanatics.com|telexplorer.com.ar|terezowens.com|thedesigninspiration.com|thelibertydaily.com|thepolitistick.com|vgpie.com|wakingtimes.com|whatfinger.com -||stackpathdns.com^$image,domain=boomsbeat.com|dramastars.com|enstarz.com|hngn.com|itechpost.com|kpopstarz.com|latinpost.com|natureworldnews.com|parentherald.com|readysethealth.com|realtytoday.com|sciencetimes.com|sportsworldreport.com|universityherald.com|vcpost.com|youthhealthmag.com -||supercheats.com/js/yavli.js -||wpengine.netdna-cdn.com^$image,domain=100percentfedup.com|addictinginfo.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|breathecast.com|bulletsfirst.net|celebrity-gossip.net|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|constitution.com|coviral.com|craigjames.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|greatamericanrepublic.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|libertyunyielding.com|lidblog.com|mentalflare.com|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|opednews.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|politicaloutcast.com|politichicks.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|shark-tank.com|shedthoselbs.com|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|themattwalshblog.com|therealside.com|tosavealife.com|traileraddict.com|truththeory.com|valuewalk.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|youthhealthmag.com -||www.infowars.com/*.png$image -! Firefox freezes if not blocked on reuters.com (http://forums.lanik.us/viewtopic.php?f=64&t=16854) -||static.crowdscience.com/max-*.js?callback=crowdScienceCallback$domain=reuters.com -! Anti-Adblock -.com/lib/f=$third-party,xmlhttprequest,domain=sporcle.com -|http://*=*&$third-party,xmlhttprequest,domain=sporcle.com -||ajax.googleapis.com/ajax/libs/jquery/$script,domain=darkcomet-rat.com -||amazonaws.com^$script,domain=ginormousbargains.com|politicususa.com|theawesomer.com|unfair.co -||aolcdn.com^*/source-point-plugins/$domain=huffingtonpost.co.uk -||channel4.com^*.innovid.com$object-subrequest -||channel4.com^*.tidaltv.com$object-subrequest -||gannett-cdn.com/appservices/partner/sourcepoint/sp-mms-client.js -||http.anno.channel4.com*- -||http.anno.channel4.com*_*_*_ -||indiatimes.com/detector.cms -||joindota.com/img/*LB_$image -||joindota.com/img/*MR_$image -||mensxp.com^*/detector.min.js? -||mtlblog.com/wp-content/*/fab.js$script -||sportspyder.com/assets/application-$script -||techweb.com/adblocktrack -||vapingunderground.com/js/vapingunderground/fucking_adblock.js -||ytconv.net/site/adblock_detect +||aupetitparieur.com// +||beforeitsnews.com// +||canadafreepress.com/// +||concomber.com// +||conservativefiringline.com// +||mamieastuce.com// +||meilleurpronostic.fr// +||patriotnationpress.com// +||populistpress.com// +||reviveusa.com// +||thegatewaypundit.com// +||thelibertydaily.com// +||toptenz.net// +||westword.com// +! Yavli.com (regex) +/^https?:\/\/(.+?\.)?ipatriot\.com[\/]{1,}.*[a-zA-Z0-9]{9,}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=ipatriot.com +/^https?:\/\/(.+?\.)?letocard\.fr[\/]{1,}.*[a-zA-Z0-9]{3,7}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=letocard.fr +/^https?:\/\/(.+?\.)?letocard\.fr\/[a-zA-Z0-9]{3,7}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=letocard.fr +/^https?:\/\/(.+?\.)?lovezin\.fr[\/]{1,}.*[a-zA-Z0-9]{7,9}\/[a-zA-Z0-9]{10,}\/.*/$image,domain=lovezin.fr +/^https?:\/\/(.+?\.)?naturalblaze\.com\/wp-content\/uploads\/.*[a-zA-Z0-9]{14,}\.*/$image,domain=naturalblaze.com +/^https?:\/\/(.+?\.)?newser\.com[\/]{1,}.*[a-zA-Z0-9]{3,7}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=newser.com +/^https?:\/\/(.+?\.)?rightwingnews\.com[\/]{1,9}.*[a-zA-Z0-9]{8,}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=rightwingnews.com +/^https?:\/\/(.+?\.)?topminceur\.fr\/[a-zA-Z0-9]{6,}\/[a-zA-Z0-9]{3,}\/.*/$image,domain=topminceur.fr +/^https?:\/\/(.+?\.)?vitamiiin\.com\/[\/][\/a-zA-Z0-9]{3,}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=vitamiiin.com +/^https?:\/\/(.+?\.)?writerscafe\.org[\/]{1,}.*[a-zA-Z0-9]{3,7}\/[a-zA-Z0-9]{6,}\/.*/$image,domain=writerscafe.org +/^https?:\/\/.*\.(com|net|org|fr)\/[A-Za-z0-9]{1,}\/[A-Za-z0-9]{1,}\/[A-Za-z0-9]{2,}\/.*/$image,domain=allthingsvegas.com|aupetitparieur.com|beforeitsnews.com|canadafreepress.com|concomber.com|conservativefiringline.com|dailylol.com|ipatriot.com|mamieastuce.com|meilleurpronostic.fr|miaminewtimes.com|naturalblaze.com|patriotnationpress.com|populistpress.com|thegatewaypundit.com|thelibertydaily.com|toptenz.net|vitamiiin.com|westword.com|wltreport.com|writerscafe.org ! webrtc-ads -$webrtc,domain=101greatgoals.com|123movies.net|4chan.org|9anime.to|9anime.vip|ack.net|allkpop.com|allthetests.com|alltube.tv|audioholics.com|barnstablepatriot.com|blacklistednews.com|boards2go.com|bolde.com|britannica.com|businessnewsdaily.com|buzzfil.net|cantonrep.com|capecodtimes.com|champion.gg|cheeseheadtv.com|clicknupload.link|clicknupload.org|closerweekly.com|collegehumor.com|colourlovers.com|columbiatribune.com|convertcase.net|crackberry.com|csgolounge.com|ddlvalley.me|destructoid.com|diffen.com|dispatch.com|dorkly.com|dota2lounge.com|enterprisenews.com|eztv.io|eztv.tf|eztv.yt|fastplay.to|fayobserver.com|fhm.com|firstforwomen.com|flexonline.com|freewarefiles.com|gastongazette.com|geekzone.co.nz|genfb.com|ghacks.net|go4up.com|goerie.com|gounlimited.to|goupstate.com|grammarist.com|gsmarena.com|hdvid.life|hdvid.tv|hdvid.xyz|healthline.com|heraldtribune.com|houmatoday.com|icefilms.info|igg-games.com|intouchweekly.com|investopedia.com|j-14.com|janjua.pw|janjua.tv|jpost.com|kinos.to|kinox.ai|kinox.am|kinox.cloud|kinox.club|kinox.digital|kinox.direct|kinox.express|kinox.fun|kinox.fyi|kinox.gratis|kinox.io|kinox.lol|kinox.mobi|kinox.nu|kinox.party|kinox.pub|kinox.sg|kinox.sh|kinox.si|kinox.space|kinox.sx|kinox.to|kinox.tube|kinox.wtf|kiplinger.com|kshowonline.com|laptopmag.com|lifeandstylemag.com|lolcounter.com|m-magazine.com|mac-torrents.com|madamenoire.com|maketecheasier.com|megaup.net|mensfitness.com|merriam-webster.com|metrowestdailynews.com|movies123.xyz|muscleandfitness.com|myfeed4u.me|myfeed4u.net|netdna-storage.com|newpct.com|news-journalonline.com|newsarama.com|nintendoeverything.com|nowvideo.club|nowvideo.pw|nwfdailynews.com|nydailynews.com|oloadcdn.net|onvid.club|onvid.xyz|openload.co|openload.pw|otakustream.tv|ouo.io|ouo.press|ourl.io|pelispedia.tv|phonearena.com|pjstar.com|playbill.com|probuilds.net|providencejournal.com|radaronline.com|rapidvideo.com|recordonline.com|salefiles.com|sj-r.com|skidrowcrack.com|skidrowreloaded.com|soapoperadigest.com|solomid.net|sourceforge.net|space.com|spanishdict.com|sportshd.me|streamfilmzzz.com|streamzzz.online|telegram.com|teslacentral.com|the4thofficial.net|theberry.com|thechive.com|thepoliticalinsider.com|thevideobee.to|tmn.today|tomsguide.com|tomshardware.co.uk|tomshardware.com|topix.com|torrentfunk.com|uploading.site|uptobox.com|uticaod.com|vidtodo.com|vidzi.online|vidzi.tv|vrheads.com|vvdailypress.com|womansworld.com|xda-developers.com|yts.gs +$webrtc,domain=ack.net|allthetests.com|azvideo.net|champion.gg|clicknupload.link|colourlovers.com|csgolounge.com|dispatch.com|go4up.com|janjua.tv|jpost.com|megaup.net|netdna-storage.com|ouo.io|ouo.press|sourceforge.net|spanishdict.com|telegram.com|torlock2.com|uptobox.com|uptobox.eu|uptobox.fr|uptobox.link|vidtodo.com|yts.gs|yts.mx ! websocket-ads -$websocket,domain=123movies.net|1337x.st|1337x.to|2giga.link|4archive.org|4chan.org|9anime.to|9anime.vip|allthetests.com|alltube.tv|blacklistednews.com|boards2go.com|boreburn.com|breakingisraelnews.com|celebdirtylaundry.com|celebritymozo.com|closerweekly.com|colourlovers.com|convertcase.net|crackberry.com|daclips.in|dailycaller.com|destructoid.com|diffen.com|dreamfilm.se|dumpaday.com|fastpic.ru|ffmovies.ru|fileone.tv|filmlinks4u.is|firstforwomen.com|firstrowau.eu|flash-x.tv|flashsx.tv|flashx.co|flashx.me|flashx.run|flashx.tv|flashx1.tv|fmovies.taxi|fmovies.world|freewarefiles.com|gamenguide.com|genfb.com|gofirstrow.eu|gomovies.sc|gsmarena.com|hdvid.life|hdvid.tv|hdvid.xyz|health-weekly.net|homerun.re|i4u.com|ifirstrow.eu|ifirstrowit.eu|imagefap.com|instanonymous.com|investopedia.com|itechpost.com|izismile.com|jewsnews.co.il|keepvid.com|kiplinger.com|kshowonline.com|lifehacklane.com|livescience.com|lolcounter.com|megaup.net|merriam-webster.com|mobilenapps.com|mobipicker.com|movies123.xyz|myfeed4u.me|myfeed4u.net|natureworldnews.com|navbug.com|ncscooper.com|newpct.com|newsarama.com|newseveryday.com|nowvideo.club|nowvideo.pw|okceleb.com|oloadcdn.net|olympicstreams.me|omgwhut.com|onvid.club|onvid.xyz|openload.co|openload.pw|opensubtitles.org|otakustream.tv|parentherald.com|pcgamer.com|playbill.com|pocketnow.com|pornhub.com|postimg.org|powvideo.net|pwinsider.com|rapidvideo.com|rinf.com|roadracerunner.com|salefiles.com|scienceworldreport.com|shorte.st|skidrowcrack.com|snoopfeed.com|stream-tv-series.net|stream-tv2.to|stream2watch.ws|streamgaroo.com|technobuffalo.com|the4thofficial.net|thinkinghumanity.com|tomsguide.com|tomshardware.co.uk|tomshardware.com|tomsitpro.com|toptenz.net|torrentz2.eu|tribune.com.pk|trifind.com|tune.pk|uberhavoc.com|universityherald.com|vcpost.com|vidmax.com|vidoza.net|vidtodo.com|vidzi.online|vidzi.tv|viewmixed.com|viid.me|viralands.com|vrheads.com|watchseries.li|webfirstrow.eu|whydontyoutrythis.com|wrestlinginc.com|wrestlingnews.co|x1337x.eu|x1337x.se|x1337x.ws|xda-developers.com|xilfy.com|yourtailorednews.com|yourtango.com +$websocket,domain=4archive.org|allthetests.com|boards2go.com|colourlovers.com|fastpic.ru|fileone.tv|filmlinks4u.is|imagefap.com|keepvid.com|megaup.net|olympicstreams.me|pocketnow.com|pornhub.com|pornhubthbh7ap3u.onion|powvideo.net|roadracerunner.com|shorte.st|tribune.com.pk|tune.pk|vcpost.com|vidmax.com|vidoza.net|vidtodo.com ! -|http://$third-party,xmlhttprequest,domain=freewarefiles.com -|https://$third-party,xmlhttprequest,domain=destructoid.com|diffen.com|dreamfilm.se|dumpaday.com|fastpic.ru|fileone.tv|filmlinks4u.is|firstforwomen.com|firstrowau.eu|flash-x.tv|flashsx.tv|flashx.co|flashx.me|flashx.run|flashx.tv|flashx1.tv|freewarefiles.com|gamenguide.com|genfb.com|gofirstrow.eu|gomovies.sc|gsmarena.com|hdvid.life|hdvid.tv|hdvid.xyz|health-weekly.net|homerun.re|i4u.com|ifirstrow.eu|ifirstrowit.eu|imagefap.com|instanonymous.com|investopedia.com|itechpost.com|izismile.com|jewsnews.co.il|keepvid.com|kiplinger.com|kshowonline.com|lifehacklane.com|livescience.com|lolcounter.com|megaup.net|mobilenapps.com|mobipicker.com|movies123.xyz|myfeed4u.me|myfeed4u.net|natureworldnews.com|navbug.com|ncscooper.com|newpct.com|newsarama.com|newseveryday.com|okceleb.com|oloadcdn.net|omgwhut.com|onvid.club|onvid.fun|onvid.pw|onvid.xyz|openload.co|openload.pw|opensubtitles.org|otakustream.tv|parentherald.com|pilaybill.com|pocketnow.com|pornhub.com|postimg.org|powvideo.net|pwinsider.com|rapidvideo.com|rinf.com|roadracerunner.com|salefiles.com|scienceworldreport.com|shorte.st|skidrowcrack.com|snoopfeed.com|stream-tv-series.net|stream-tv2.to|streamgaroo.com|technobuffalo.com|the4thofficial.net|thinkinghumanity.com|tomsguide.com|tomshardware.co.uk|tomshardware.com|tomsitpro.com|toptenz.net|torrentz2.eu|tribune.com.pk|trifind.com|tune.pk|uberhavoc.com|universityherald.com|vcpost.com|vidhd.club|vidhd.icu|vidhd.pw|vidmax.com|vidoza.net|vidtodo.com|vidzi.online|vidzi.tv|viewmixed.com|viid.me|viralands.com|vrheads.com|watchseries.li|webfirstrow.eu|whydontyoutrythis.com|wrestlinginc.com|wrestlingnews.co|xda-developers.com|xilfy.com|yourtailorednews.com|yourtango.com ! IP address -/^https?:\/\/([0-9]{1,3}\.){3}[0-9]{1,3}/$domain=1337x.st|1337x.to|bittorrent.am|katcr.co|limetorrents.info|magnetdl.com|megaup.net|monova.org|monova.to|o2tvseries.com|pirateiro.com|rarbg.to|rarbgaccess.org|rarbgmirror.com|rarbgmirror.org|rarbgmirror.xyz|rarbgmirrored.org|rarbgproxy.org|rarbgprx.org|rarbgto.org|readcomiconline.to|torrentdownload.ch|torrentdownloads.me|torrentfunk2.com|torrentz2.eu|viralitytoday.com|watchsomuch.info|x1337x.eu|x1337x.se|x1337x.ws|yourbittorrent2.com ! CSP filters -$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: *.cloudflare.com *.google.com *.addthis.com *.addthisedge.com *.facebook.net *.twitter.com *.jquery.com,domain=kinox.to|kinos.to|kinox.sx|kinox.si|kinox.io|kinox.sx|kinox.am|kinox.nu|kinox.sg|kinox.gratis|kinox.mobi|kinox.sh|kinox.lol|kinox.wtf|kinox.fun|kinox.fyi|kinox.cloud|kinox.ai|kinox.club|kinox.digital|kinox.tube|kinox.direct|kinox.pub|kinox.express|kinox.party|kinox.space -$csp=script-src 'self' * 'unsafe-inline',domain=fflares.com|fileflares.com|ibit.to|unblocktheship.org|noobnoob.rocks|nosteamgames.ro|ahoypirate.in|proxyindia.net|mypirate.cc|unblockpirate.uk|superproxy.biz|tpb6.ukpass.co|pirateproxy.ch|mirror.superproxy.biz|proxyfrom.asia|tpb.hid.li|mypirate.cc|unblockpirate.uk|superproxy.biz|tpb6.ukpass.co|pirateproxy.ch|mirror.superproxy.biz|proxyfrom.asia|tpb.hid.li|piratebayblocked.com|piratebay1.top|thepiratebay.vip|pirateproxy.live|thehiddenbay.com|cruzing.xyz|tpbproxyone.org|piratebayblocked.com|piratebay1.top|thepiratebay.vip|pirateproxy.live|thehiddenbay.com|cruzing.xyz|tpbproxyone.org|piratebay.tel|bayception.pw|piratebay.town|superbay.link|pirateproxy.rocks|pirateproxy.ch|thepiratebay.kiwi|rarbgto.org|rarbgmirrored.org|rarbgmirror.org|rarbg.to|rarbgaccess.org|rarbgmirror.com|rarbgmirror.xyz|rarbgproxy.org|rarbgprx.org|mrunlock.pro|downloadpirate.com|prox4you.info|prox4you.xyz|123unblock.info|nocensor.icu|unlockproject.live|thepiratebay.vip|theproxybay.net|thepiratebay10.org|prox1.info|kickass.vip|torrent9.uno|torrentsearchweb.ws|pirateproxy.app|ukpass.co|theproxybay.net|prox.icu|proxybay.ga|pirateproxy.life|thepiratebay10.org|unblockthe.net|cruzing.xyz -$csp=worker-src 'none',domain=ahoypirate.in|bayception.pw|cruzing.xyz|mirror.superproxy.biz|mypirate.cc|noobnoob.rocks|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.rocks|prox1.info|proxyfrom.asia|proxyindia.net|superbay.link|superproxy.biz|thehiddenbay.com|thepiratebay.kiwi|thepiratebay.org|thepiratebay.vip|thepiratebay10.org|thepirateproxy.win|theproxybay.net|tpb.crushus.com|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|tpbrun.win|tpproxy.website|ukpirate.org|unblockpirate.uk|unblocktheship.org|thepiratebay.org|estream.to|flashx.cc|flashx.co|flashx.co|streamango.com|vidoza.co|vidoza.net -@@||freebeacon.com/?s=$csp=script-src 'self' * 'unsafe-inline' 'unsafe-eval' -@@||healthline.com/search?$csp=script-src 'self' * 'unsafe-inline' 'unsafe-eval' -@@||kiplinger.com/search/$csp=script-src 'self' * 'unsafe-inline' 'unsafe-eval' -@@||pocketnow.com/?s=$csp=script-src 'self' * 'unsafe-inline' 'unsafe-eval' -@@||talkwithstranger.com/custom-search^$csp=script-src 'self' * 'unsafe-inline' 'unsafe-eval' -||123unblock.xyz^$csp=script-src 'self' * 'unsafe-inline' -||1337x.st^$csp=script-src 'self' 'unsafe-inline' -||1337x.to^$csp=script-src 'self' 'unsafe-inline' -||1movies.is^$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: *.jwpcdn.com *.gstatic.com *.googletagmanager.com *.addthis.com *.google.com -||4chan.org^$csp=script-src 'self' * 'unsafe-inline' *.gstatic.com *.google.com *.googleapis.com *.4cdn.org *.4channel.org -||acidcow.com^$csp=script-src 'self' * blob: data: -||allthetests.com^$csp=script-src 'self' * blob: data: -||almasdarnews.com^$csp=script-src 'self' * 'unsafe-inline' -||ancient-origins.net^$csp=script-src 'self' * 'unsafe-inline' -||androidcentral.com^$csp=script-src 'self' * 'unsafe-inline' -||antonymsfor.com^$csp=script-src 'self' 'unsafe-inline' http: https: -||biology-online.org^$csp=script-src 'self' * 'unsafe-inline' -||bittorrent.am^$csp=script-src 'self' 'unsafe-inline' -||bittorrentstart.com^$csp=script-src 'self' 'unsafe-inline' data: *.google.com *.google-analytics.com *.scorecardresearch.com -||blacklistednews.com^$csp=script-src 'self' * blob: data: -||breakingisraelnews.com^$csp=script-src 'self' * blob: data: -||britannica.com^$csp=script-src 'self' * 'unsafe-inline' -||broadwayworld.com^$csp=script-src 'self' * 'unsafe-inline' -||btkitty.pet^$csp=script-src 'self' 'unsafe-inline' *.cloudflare.com *.googleapis.com *.jsdelivr.net -||campussports.net^$csp=script-src 'self' * 'unsafe-inline' -||cheezburger.com^$csp=script-src 'self' 'unsafe-eval' 'unsafe-inline' data: *.air.tv *.b2c.com *.chartbeat.com *.cheezburger.com *.chzbgr.com *.complex.com *.facebook.net *.google-analytics.com *.google.com *.gstatic.com *.instagram *.newrelic.com *.optimizely.com *.quantcount.com *.quantserve.com *.scorecardresearch.com *.spot.im *.twitter.com *.youtube.com *.ytimg.com -||colourlovers.com^$csp=script-src 'self' * 'unsafe-inline' -||convertcase.net^$csp=script-src 'self' * blob: data: -||convertfiles.com^$csp=script-src 'self' * 'unsafe-inline' -||csgolounge.com^$csp=script-src 'self' * 'unsafe-inline' -||daclips.in^$csp=script-src 'self' * 'unsafe-inline' -||datpiff.com^$csp=script-src 'self' * blob: data: -||eztv.io^$csp=script-src 'self' 'unsafe-inline' -||freebeacon.com^$csp=script-src 'self' * blob: data: -||fullmatchesandshows.com^$csp=script-src 'self' * 'unsafe-inline' -||gelbooru.com^$csp=script-src 'self' * 'unsafe-inline' *.gstatic.com *.google.com *.googleapis.com *.bootstrapcdn.com -||gogoanimes.co^$csp=script-src 'self' * disquscdn.com 'unsafe-inline' -||grammarist.com^$csp=script-src 'self' * 'unsafe-inline' -||healthline.com^$csp=script-src 'self' * 'unsafe-inline' -||hiphoplately.com^$csp=script-src 'self' * blob: data: -||investopedia.com^$csp=script-src 'self' * 'unsafe-inline' -||jerusalemonline.com^$csp=script-src http: https: 'self' * 'unsafe-inline' -||jewsnews.co.il^$csp=script-src 'self' * -||jpost.com^$csp=script-src 'self' 'unsafe-inline' http: https: blob: -||katcr.co^$csp=script-src 'self' 'unsafe-inline' -||kickass2.st^$csp=script-src 'self' 'unsafe-inline' -||kiplinger.com^$csp=script-src 'self' * 'unsafe-inline' -||kshowonline.com^$csp=script-src 'self' * 'unsafe-inline' -||limetorrents.info^$csp=script-src 'self' 'unsafe-inline' -||lolcounter.com^$csp=script-src 'self' * 'unsafe-inline' -||lucianne.com^$csp=script-src 'self' * blob: data: -||magnetdl.com^$csp=script-src 'self' 'unsafe-inline' -||merriam-webster.com^$csp=script-src 'self' * 'unsafe-inline' -||moneyversed.com^$csp=script-src 'self' * 'unsafe-inline' -||monova.org^$csp=script-src 'self' 'unsafe-inline' -||monova.to^$csp=script-src 'self' 'unsafe-inline' -||moviewatcher.is^$csp=script-src 'self' * 'unsafe-inline' -||mrunlock.icu^$csp=script-src 'self' * 'unsafe-inline' -||neonnettle.com^$csp=script-src http: https: 'self' * 'unsafe-inline' -||newser.com^$csp=script-src 'self' * 'unsafe-inline' -||nintendoeverything.com^$csp=script-src 'self' * 'unsafe-inline' -||nocensor.pro^$csp=script-src 'self' * 'unsafe-inline' -||nowwatchtvlive.ws^$csp=script-src 'self' * -||nsfwyoutube.com^$csp=script-src 'self' * 'unsafe-inline' -||oneload.site^$csp=script-src 'self' 'unsafe-inline' -||onhax.me^$csp=script-src 'self' * 'unsafe-inline' -||onion.ly^$csp=script-src 'self' * 'unsafe-inline' -||phonearena.com^$csp=script-src 'self' * 'unsafe-inline' -||phonesreview.co.uk^$csp=script-src 'self' * 'unsafe-inline' -||pirateiro.com^$csp=script-src 'self' 'unsafe-inline' -||pocketnow.com^$csp=script-src 'self' * 'unsafe-inline' -||pockettactics.com^$csp=script-src 'self' * 'unsafe-inline' -||pornsharing.com^$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: *.google.com *.gstatic.com *.google-analytics.com -||postimg.cc/image/$csp=script-src 'self' * data: blob: 'unsafe-eval' -||powerofpositivity.com^$csp=script-src 'self' * 'unsafe-inline' -||prox4you.info^$csp=script-src 'self' * 'unsafe-inline' -||prox4you.pw^$csp=script-src 'self' * 'unsafe-inline' -||readcomiconline.to^$csp=script-src 'self' 'unsafe-inline' *.disquscdn.com *.facebook.net *.twitter.com disqus.com -||readmng.com^$csp=script-src 'self' * 'unsafe-inline' -||roadracerunner.com^$csp=script-src 'self' * 'unsafe-inline' -||schoolholidayseurope.eu^$csp=script-src 'self' * 'unsafe-inline' -||seedpeer.me^$csp=script-src 'self' 'unsafe-inline' -||skidrowcrack.com^$csp=script-src 'self' * 'unsafe-inline' -||solarmovie.cr^$csp=script-src 'self' * 'unsafe-inline' -||sportspickle.com^$csp=script-src 'self' * 'unsafe-inline' -||swatchseries.to^$csp=script-src 'self' * 'unsafe-inline' -||talkwithstranger.com^$csp=script-src 'self' * 'unsafe-inline' -||tamilo.com^$csp=script-src 'self' * blob: data: -||textsfromlastnight.com^$csp=script-src 'self' * 'unsafe-inline' -||tfln.co^$csp=script-src 'self' * 'unsafe-inline' blob: -||thehornnews.com^$csp=script-src 'self' * 'unsafe-inline' -||thewatchcartoononline.tv^$csp=script-src 'self' * 'unsafe-inline' -||torlock.com^$csp=script-src 'self' 'unsafe-inline' -||toros.co^$csp=script-src 'self' * 'unsafe-inline' -||torrentdownload.ch^$csp=script-src 'self' 'unsafe-inline' -||torrentdownloads.me^$csp=script-src 'self' 'unsafe-inline' -||torrentfunk.com^$csp=script-src 'self' * 'unsafe-inline' -||torrentfunk2.com^$csp=script-src 'self' 'unsafe-inline' -||torrentz2.eu^$csp=script-src 'self' 'unsafe-inline' -||trifind.com^$csp=script-src 'self' * 'unsafe-inline' -||tworeddots.com^$csp=script-src 'self' * 'unsafe-inline' -||unblockall.org^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.app^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.cx^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.krd^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.lc^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.llc^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.lol^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.pet^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.si^$csp=script-src 'self' * 'unsafe-inline' -||unblocked.win^$csp=script-src 'self' * 'unsafe-inline' -||unlockproject.icu^$csp=script-src 'self' * 'unsafe-inline' -||uploadbank.com^$csp=script-src 'self' 'unsafe-inline' hcaptcha.com *.hcaptcha.com -||uploadproper.com^$csp=script-src 'self' 'unsafe-inline' -||uploadproper.net^$csp=script-src 'self' 'unsafe-inline' -||uptobox.com^$csp=script-src 'self' * 'unsafe-inline' *.gstatic.com *.google.com *.googleapis.com -||videolike.org^$csp=script-src 'self' * 'unsafe-inline' -||virtualjerusalem.com^$csp=script-src http: https: 'self' * 'unsafe-inline' -||watchcartoononline.io^$csp=script-src 'self' * 'unsafe-inline' -||watchsomuch.info^$csp=script-src 'self' 'unsafe-inline' -||winit.winchristmas.co.uk^$csp=script-src 'self' * 'unsafe-inline' -||wuxiaworld.com^$csp=script-src 'self' * 'unsafe-inline' -||x1337x.eu^$csp=script-src 'self' 'unsafe-inline' -||x1337x.se^$csp=script-src 'self' 'unsafe-inline' -||x1337x.ws^$csp=script-src 'self' 'unsafe-inline' -||yifyddl.movie^$csp=script-src 'self' 'unsafe-inline' *.googleapis.com -||yourbittorrent2.com^$csp=script-src 'self' 'unsafe-inline' +$csp=script-src 'self' '*' 'unsafe-inline',domain=pirateproxy.live|thehiddenbay.com|downloadpirate.com|thepiratebay10.org|ukpass.co|linksmore.site +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval' pic1.mangapicgallery.com www.google.com,domain=mangago.me +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval' www.gstatic.com cdn.jsdelivr.net maxcdn.bootstrapcdn.com,domain=bigwarp.io +$csp=worker-src 'none',domain=torlock.com|alltube.pl|alltube.tv|centrum-dramy.pl|coinfaucet.eu|crictime.com|crictime.is|doodcdn.com|gomo.to|hdvid.fun|hdvid.tv|hitomi.la|lewd.ninja|nflbite.com|pirateproxy.live|plytv.me|potomy.ru|powvideo.cc|powvideo.net|putlocker.to|reactor.cc|rojadirecta.direct|sickrage.ca|streamtape.com|thehiddenbay.com|thepiratebay.org|thepiratebay10.org|tpb.party|uptomega.me|ustream.to|vidoza.co|vidoza.net|wearesaudis.net|yazilir.com +! ||1337x.to^$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: challenges.cloudflare.com +||bodysize.org^$csp=child-src * +||convertfiles.com^$csp=script-src 'self' '*' 'unsafe-inline' +||gelbooru.com^$csp=script-src 'self' '*' 'unsafe-inline' *.gstatic.com *.google.com *.googleapis.com *.bootstrapcdn.com +||pirateiro.com^$csp=script-src 'self' 'unsafe-inline' https://hcaptcha.com *.hcaptcha.com ! CSP Yavli -||activistpost.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||allthingsvegas.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||americasfreedomfighters.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||appleeats.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||barbwire.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||bb4sp.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||bestfunnyjokes4u.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||bighealthreport.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.yimg.com -||bigleaguepolitics.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||bizpacreview.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||breakingfirst.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||bulletsfirst.net^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||cheatsheet.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||chicksonright.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||clashamerica.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||clashdaily.com^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||comicallyincorrect.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||conservativefiringline.com^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||constitution.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||craigjames.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||dailyheadlines.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||dailyheadlines.net^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||dailysurge.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||dcdirtylaundry.com^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||deneenborelli.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||designbump.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||eaglerising.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||faithit.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||firstinfreedomdaily.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||freedomforce.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||freedomoutpost.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||funnyand.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||gamer4k.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||gamersheroes.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||godfatherpolitics.com^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||greatamericanpolitics.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||greatamericanrepublic.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||hautereport.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||hispolitica.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||infowars.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||ipatriot.com^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||juicerhead.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||lastresistance.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||libertyunyielding.com^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||lidblog.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||lifebuzz.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||madworldnews.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||menrec.com^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||naturalblaze.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||naturalsociety.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||opednews.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||patriotoutdoornews.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||politicalcowboy.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||politicaloutcast.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||politichicks.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||practicallyviral.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||quirlycues.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||realmomsrealreviews.com ^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||redmaryland.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||reviveusa.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||rightwingtribune.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||rollingout.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||shark-tank.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||shedthoselbs.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||sonsoflibertymedia.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||supercheats.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||survivalnation.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||techconsumer.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||telexplorer.com.ar^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||theblacksphere.net^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||thedesigninspiration.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||thehayride.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||thelibertydaily.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||themattwalshblog.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||thepolitistick.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||thinkamericana.com^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||threepercenternation.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||tosavealife.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||truthuncensored.net^$csp=script-src 'self' *.gstatic.com *.google.com *.googleapis.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||videogamesblogger.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com *.twitter.com *.spot.im -||viralnova.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||visiontoamerica.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -||wakingtimes.com^$csp=script-src 'self' *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com -! buggy script -! https://github.com/hoshsadiq/adblock-nocoin-list/issues/65 -@@||rapidvideo.com/js/jquery-ui.min.js$script -@@||rapidvideo.com/js/jquery.limit-1.2.source.js$script -@@||rapidvideo.com/js/jquery.tipsy.js$script -@@||rapidvideo.com/js/jquery.validate.min.js$script -@@||rapidvideo.com/js/js.cookie.js$script -@@||rapidvideo.com/js/new.js$script -@@||rapidvideo.com/js/videojs-contrib-hls.min.js$script -@@||rapidvideo.com/js/videojs.hotkeys.min.js$script -@@||rapidvideo.com/js/videojs.vast.js$script -@@||rapidvideo.com/jw-logo/jw-logo-bar.js$script -@@||rapidvideo.com/jwplayer*/jwplayer.js$script -@@||rapidvideo.com/tube-skin-retina-for-videojs-6/bin/video-js-*/video.min.js$script -||rapidvideo.com^$script -! Non-English (instead of whitelisting ads) -||anandabazar.com/js/anandabazar-bootstrap/custom.js -||el-mundo.net/js/fm*.js$script -||livehindustan.com/js/BlockerScript.js -||pub1.cope.es^ -! Mobile -! Specific filters necessary for sites whitelisted with $genericblock filter option -! Spiegel.de -@@||ad.yieldlab.net^$script,domain=spiegel.de -@@||cdn.teads.tv/media/format.js$domain=spiegel.de -@@||conative.de/serve/domain/158/config.js$domain=spiegel.de -@@||conative.de^*/adscript.min.js$domain=spiegel.de -@@||damoh.spiegel.de^$script,domain=spiegel.de -@@||imagesrv.adition.com/banners/1337/files/*.jpg?*.png$image,domain=spiegel.de -@@||imagesrv.adition.com/js/adition.js$domain=spiegel.de -@@||imagesrv.adition.com/js/srp.js$domain=spiegel.de -@@||spiegel.de^$genericblock,generichide -@@||static.adfarm1.adition.com/ci.html$subdocument,domain=spiegel.de -widgets.outbrain.com##.OUTBRAIN[data-src^="http://www.spiegel.de/"] .ob-p -widgets.outbrain.com##div[data-src^="http://m.spiegel.de/"] .ob-p -||2mdn.net^$domain=spiegel.de -||a-ssl.ligatus.com^$domain=spiegel.de -||ad.atdmt.com/i/a.html$domain=spiegel.de -||ad.atdmt.com/i/a.js$domain=spiegel.de -||ad.doubleclick.net^$domain=spiegel.de -||adform.net^$domain=spiegel.de -||adition.com/banner?$domain=spiegel.de -||adition.com^$domain=spiegel.de -||adition.com^$popup,domain=spiegel.de -||adnxs.com^$domain=spiegel.de -||adsafeprotected.com^$domain=spiegel.de -||adverserve.net^$domain=spiegel.de -||advolution.de^$domain=spiegel.de -||ampproject.org^*/amp-ad-$domain=spiegel.de -||bidder.criteo.com^$domain=spiegel.de -||cas.criteo.com^$domain=spiegel.de -||conative.de^$domain=spiegel.de -||flashtalking.com^$domain=spiegel.de -||g.doubleclick.net^$domain=spiegel.de -||googlesyndication.com/safeframe/$domain=spiegel.de -||googlesyndication.com/sodar/$domain=spiegel.de -||mediaplex.com^$domain=spiegel.de -||mookie1.com^$domain=spiegel.de -||movad.net^$domain=spiegel.de -||openx.net^$domain=spiegel.de -||pagead2.googlesyndication.com^$domain=spiegel.de -||qservz.com^$domain=spiegel.de -||rtax.criteo.com^$domain=spiegel.de -||serving-sys.com^$domain=spiegel.de -||smartadserver.com^$domain=spiegel.de -||smartclip.net/ads?$domain=spiegel.de -||t4ft.de^$domain=spiegel.de -||tarife.spiegel.de/widget.php?wt_mc=1333.extern.rotation.promoflaeche$domain=spiegel.de -||teads.tv^$domain=spiegel.de -||theadex.com^$domain=spiegel.de -||view.atdmt.com/partner/$domain=spiegel.de -||view.atdmt.com^*/iview/$domain=spiegel.de -||view.atdmt.com^*/view/$domain=spiegel.de -||yieldlab.net^$domain=spiegel.de -! bento.de -bento.de,playbuzz.com##.pbads_after-question_wrapper -bento.de##.plistaList > .itemLinkPET -@@||bento.de^$generichide -bento.de##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"] -bento.de##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] +||activistpost.com^$csp=script-src *.leadpages.net *.gstatic.com *.google.com *.googleapis.com *.playwire.com *.facebook.com *.bootstrapcdn.com +! kinox +$csp=script-src 'self' 'unsafe-inline' 'unsafe-eval' data: *.cloudflare.com *.google.com *.addthis.com *.addthisedge.com *.facebook.net *.twitter.com *.jquery.com *.x.com,domain=kinox.lat|kinos.to|kinox.am|kinox.click|kinox.cloud|kinox.club|kinox.digital|kinox.direct|kinox.express|kinox.fun|kinox.fyi|kinox.gratis|kinox.io|kinox.lol|kinox.me|kinox.mobi|kinox.pub|kinox.sh|kinox.to|kinox.tube|kinox.tv|kinox.wtf|kinoz.to,~third-party +$popup,third-party,domain=kinos.to|kinox.am|kinox.click|kinox.cloud|kinox.club|kinox.digital|kinox.direct|kinox.express|kinox.fun|kinox.fyi|kinox.gratis|kinox.io|kinox.lat|kinox.lol|kinox.me|kinox.mobi|kinox.pub|kinox.sh|kinox.to|kinox.tube|kinox.tv|kinox.wtf|kinoz.to +$third-party,xmlhttprequest,domain=kinos.to|kinox.am|kinox.click|kinox.cloud|kinox.club|kinox.digital|kinox.direct|kinox.express|kinox.fun|kinox.fyi|kinox.gratis|kinox.io|kinox.lat|kinox.lol|kinox.me|kinox.mobi|kinox.pub|kinox.sh|kinox.to|kinox.tube|kinox.tv|kinox.wtf|kinoz.to +! Specific filters necessary for sites allowlisted with $genericblock filter option ! jetzt.de @@||jetzt.de^$generichide +! dood.pm +/^https?:\/\/www\.[0-9a-z]{8,}\.com\/[0-9a-z]{1,4}\.js$/$script,third-party,domain=dood.la|dood.pm|dood.sh|dood.so|dood.to|dood.watch|dood.ws +! Internal use of EL +||raw.githubusercontent.com/easylist/easylist/master/docs/1x1.gif +||raw.githubusercontent.com/easylist/easylist/master/docs/2x2.png$third-party +! Filters for ABP testpages +testpages.eyeo.com*js/test-script-regex +testpages.eyeo.com*js/test-script.js ! *** easylist:easylist/easylist_specific_block_popup.txt *** -%3D$popup,domain=nme.com -.link/$popup,domain=bigfile.to -/sendspace-pop.$popup,domain=sendspace.com -:text^$popup,domain=zippyshare.com -^utm_medium=video^$popup,domain=twitch.tv -^utm_source=$popup,domain=sex.com -||104.198.221.99^$popup -||104.198.61.40^$popup -||104.239.139.5/display/$popup -||130.211.198.219^$popup -||35.188.12.5^$popup -||4fuckr.com/api.php$popup -||adf.ly/*.php?$popup -||adf.ly/_$popup -||adf.ly^$popup,domain=urgrove.com -||adx.kat.ph^$popup -||adyou.me/bug/adcash$popup -||aiosearch.com^$popup,domain=torrent-finder.info -||allmyvideos.net/*%$popup -||allmyvideos.net/*=$popup -||allmyvideos.net/*?$popup -||amazonaws.com^$popup,domain=ndtv.com -||avalanchers.com/out/$popup -||bangstage.com^$popup,domain=datacloud.to -||beap.gemini.yahoo.com^$popup,domain=mail.yahoo.com -||bit.ly^$popup,domain=dexerto.com|gdriveplayer.us|kitguru.com|rapidvideo.org|sh.st -||casino-x.com^*&promo$popup -||channel4.com/ad/$popup -||click.aliexpress.com^$popup,domain=multiupfile.com -||cloudfront.net^$popup,domain=thepiratebay.org -||cloudzilla.to/cam/wpop.php$popup -||comicbookmovie.com/plugins/ads/$popup -||conservativepost.com/pu/$popup -||content.powvideo.net^$popup,domain=powvideo.net -||csgofast.com^$popup,domain=hltv.org -||cyberprotection.pro^*?aff$popup -||deb.gs^*?ref=$popup -||edomz.com/re.php?mid=$popup -||f-picture.net/Misc/JumpClick?$popup -||fashionsaga.com^$popup,domain=putlocker.is -||fidget.twitch.tv^$popup,domain=twitch.tv -||filecrypt.cc/p.$popup -||filecrypt.cc/pa.html$popup -||filepost.com/default_popup.html$popup -||filmon.com^*&adn=$popup -||findgrid.com^$popup,domain=amaderforum.com -||flashx.tv^$popup,~third-party,domain=flashx.tv -||free-filehost.net/pop/$popup -||free-stream.tv^$popup,domain=flashx.tv -||freean.us^*?ref=$popup -||g00.msn.com^$popup -||gamezadvisor.com/popup.php$popup -||gfuel.ly^$popup,domain=dexerto.com -||goo.gl^$popup,domain=amaderforum.com|dexerto.com|videomega.tv|vidup.me -||google.com.eg/url?$popup,domain=hulkload.com -||grammarly.com^$popup,domain=smallseotools.com -||gratuit.niloo.fr^$popup,domain=simophone.com -||haouzy.info/*.html$popup -||homets.info/queen_file?$popup -||hotelscombined.com^$popup,domain=torrents.de|torrentz.ch|torrentz.com|torrentz.eu|torrentz.in|torrentz.li|torrentz.me|torrentz.ph -||hqq.tv^$popup,domain=hqq.tv -||ifly.com/trip-plan/ifly-trip?*&ad=$popup -||imagepearl.com/view/$popup,~third-party -||imageshack.us/ads/$popup -||imageshack.us/newuploader_ad.php$popup -||imgbox.com/*.html$popup -||imgcarry.com/includes/js/layer.js -||imgrock.net^$popup,~third-party -||intradayfun.com/news_intradayfun.com.html$popup -||jizz.best^$popup,domain=vivo.sx -||jokertraffic.com^$popup,domain=4fuckr.com -||kalemaro.com^$popup,domain=filatak.com -||kat2.biz/*?$popup -||kickass2.biz/*?$popup -||leaderdownload.com^$popup,domain=fiberupload.net -||limbohost.net^$popup,domain=tusfiles.net -||linkbucks.com^*/?*=$popup -||linkshrink.net^*#^$popup,domain=linkshrink.net -||military.com/data/popup/new_education_popunder.htm$popup -||miniurls.co^*?ref=$popup -||multiupload.nl/popunder/$popup -||mydirtyhobby.de^$popup,domain=flashx.tv -||nosteam.ro/pma/$popup -||nyafilmer.com/*.html$popup -||oddschecker.com/clickout.htm?type=takeover-$popup -||oload.tv^*/_$popup -||openload.co^*/_$popup -||p.vev.io^$popup -||park.above.com^$popup -||pasted.co/*.php$popup -||plarium.com/play/*adCampaign=$popup -||putlockers.fm^$popup,~third-party -||r.search.yahoo.com/_ylt=*;_ylu=*.r.msn.com$popup,domain=search.yahoo.com -||rediff.com/uim/ads/$popup -||reutersmedia.net/resources_$popup,domain=reuters.com -||schenkelklopfer.org^$popup,domain=4fuckr.com -||shareasale.com^$popup,domain=9to5mac.com -||short.zain.biz^$popup,domain=up09.com -||softexter.com^$popup,domain=2drive.net -||solarmoviefree.net/home.html$popup -||songspk.cc/pop*.html$popup -||spendcrazy.net^$popup,third-party,domain=animegalaxy.net|animenova.tv|animetoon.tv|animewow.eu|gogoanime.com|goodanime.eu|gooddrama.net|toonget.com -||sponsorselect.com/Common/LandingPage.aspx?eu=$popup -||streamcloud.eu/deliver.php$popup -||streamplay.to/apu$popup -||streamtunerhd.com/signup?$popup,third-party -||subs4free.com/_pop_link.php$popup -||swfchan.org/*.html$popup,~third-party,domain=swfchan.org -||taboola.com^$popup,domain=ndtv.com|scoopwhoop.com -||thebestbookies.com^$popup,domain=fırstrowsports.eu -||thesource.com/magicshave/$popup -||thevideo.me/*.php$popup -||thevideo.me/*:$popup -||thevideo.me/*_$popup -||thevideo.me/mpaabp/$popup -||thevideo.me^$popup,domain=thevideo.me|vidup.me -||titanbrowser.com^$popup,domain=amaderforum.com -||tny.cz/red/first.php$popup -||toptrailers.net^$popup,domain=uploadrocket.net -||torrentz.*/mgidpop/$popup -||torrentz.*/wgmpop/$popup -||torrentz.eu/p/$popup -||torrentz.eu/search*=$popup,~third-party -||tozer.youwatch.org^$popup -||tracker1.richcasino.com^$popup -||trans.youwatch.org^$popup -||tripadvisor.*/rulebasedpopunder?$popup -||tripadvisor.*/SimilarHotelsPopunder?$popup -||tumejortorrent.com^$popup,~third-party -||uploadrocket.net^$popup,~third-party -||upvid.co^*.html|$popup,domain=upvid.co -||videowood.tv^$popup,domain=micast.tv -||vidspot.net^*http$popup -||vidzi.tv/mp4?$popup -||virtualtourist.com/commerce/popunder/$popup -||vkpass.com/goo.php?link=$popup,~third-party -||vodu.ch/play_video.php$popup -||vpnfortorrents.app/*?$popup -||watchseries-online.nl/sp1^$popup -||wegrin.com^$popup,domain=watchfreemovies.ch -||whies.info^$popup -||yasni.ca/ad_pop.php$popup -||youwatch.org/vids*.html$popup -||youwatch.org^*^ban^$popup -||youwatch.org^*^crr^$popup -||zanox.com^$popup,domain=pregen.net -||ziddu.com/onclickpop.php$popup -||zmovie.tv^$popup,domain=vidbox.net -! wyciwyg popups -wyciwyg:$popup,domain=jkanime.net -! semi-generic popup block -/http*.:\/\/.*[a-zA-Z0-9]{110,}.*/$popup,domain=0123movies.com|1337x.to|1movies.is|9anime.vip|adsrt.com|ahlamtv.com|akvideo.stream|allmyvideos.net|animeflv.net|avgle.com|cherry.fruithosts.net|clipconverter.cc|cruzing.xyz|dropapk.com|escdn.co|estream.to|extreme-board.com|fileone.tv|flash-x.tv|flashsx.tv|flashx.co|flashx.me|flashx.run|flashx.sx|flashx.to|flashx.tv|flashx.ws|flashx1.tv|fruithosted.net|gelbooru.com|gogoanime.io|grammarist.com|hdvid.life|hdvid.tv|hdvid.xyz|imagebam.com|imagefruit.com|imagerar.com|imgadult.com|imgbox.com|imgdrive.net|imgshots.com|imgspice.com|imgtaxi.com|imgwallet.com|jkanime.net|m4ufree.tv|megaup.net|monova.org|movie4k.is|mp3indirdur.mobi|mp4upload.com|msn.com|mywebtv.info|newser.com|nosteam.ro|oload.club|oload.download|oload.fun|oload.icu|oload.life|oload.live|oload.site|oload.stream|oload.win|oload.xyz|oloadcdn.net|olpair.com|onhax.me|onlinevideoconverter.com|onvid.xyz|openload.co|openload.pw|otakustream.tv|piratebayblocked.com|pirateproxy.sh|playercdn.net|pornparadise.org|powvideo.net|putlockers.fm|putlockertv.to|rapidvideo.com|rarbgproxy.org|readcomiconline.to|repelis.net|seehd.pl|sendvid.com|sexuria.com|solarmoviesc.com|sportp2p.com|stream2watch.org|streamango.com|streamcherry.com|streamplay.to|swatchseries.to|thepiratebay.org|thevideo.ch|thevideo.me|torrentfunk.com|torrentz.to|unblocker.cc|userscloud.com|vidlox.me|vidlox.tv|vidoza.net|vidup.me|vidz7.com|vidzi.tv|watchonlinemovies.com.pk|youwatch.org -/https?:\/\/.*[&|%|+|=].*/$popup,domain=0123movies.com|1337x.to|1movies.is|9anime.vip|a-o.ninja|adsrt.com|ahlamtv.com|ahoypirate.in|akvideo.stream|allmyvideos.net|ancensored.com|animeflv.net|avgle.com|bayception.pw|bittorrent.am|cherry.fruithosts.net|clipconverter.cc|cruzing.xyz|dospelis.com|dropapk.com|egoallstars.com|escdn.co|estream.to|extreme-board.com|fflares.com|ffmovies.ru|fileflares.com|fileone.tv|flash-x.tv|flashsx.tv|flashx.cc|flashx.co|flashx.me|flashx.run|flashx.sx|flashx.to|flashx.tv|flashx.ws|flashx1.tv|fmovies.taxi|fruithosted.net|gelbooru.com|gogoanime.io|gomovieshub.is|grammarist.com|hdvid.life|hdvid.tv|hdvid.xyz|hqq.tv|imagebam.com|imagefruit.com|imagerar.com|imgadult.com|imgbox.com|imgdew.pw|imgdrive.net|imgmaze.pw|imgshots.com|imgspice.com|imgtaxi.com|imgtown.pw|imgview.pw|imgwallet.com|indoxxi.tv|jkanime.net|kissanime.ru|kissasian.ch|kisscartoon.ac|limetorrents.info|m4ufree.com|m4ufree.tv|masterani.me|megaup.net|monova.org|monova.to|movie4k.is|movies123.xyz|moviesweb.info|mp3indirdur.mobi|mp4upload.com|msn.com|mstream.cloud|myreadingmanga.info|mywebtv.info|newser.com|noobnoob.rocks|nosteam.ro|nosteamgames.ro|nowvideo.club|nowvideo.pw|oload.club|oload.download|oload.fun|oload.icu|oload.life|oload.site|oload.stream|oload.win|oload.xyz|oloadcdn.net|olpair.com|olympicstreams.me|onhax.me|onlinevideoconverter.com|onvid.xyz|openload.co|openload.pw|otakustream.tv|ourl.io|piratebay.tel|piratebay.town|piratebayblocked.com|pirateproxy.sh|playercdn.net|pornparadise.org|powvideo.net|proxyindia.net|putlockers.fm|putlockers.mn|putlockertv.to|rapidvideo.com|rarbg.to|rarbgaccess.org|rarbgmirror.com|rarbgmirror.org|rarbgmirror.xyz|rarbgmirrored.org|rarbgproxy.org|rarbgprx.org|readcomiconline.to|repelis.net|rule34hentai.net|seehd.pl|sendvid.com|sexuria.com|solarmoviesc.com|sportp2p.com|stream2watch.org|streamango.com|streamcherry.com|streamplay.to|superbay.link|swatchseries.to|telepisodes.co|thepiratebay.kiwi|thepiratebay.org|thepiratebay10.org|thevideo.ch|thevideo.me|topeuropix.net|torrentdownload.ch|torrentdownloads.me|torrentfunk.com|torrentfunk2.com|torrentz.to|ukpirate.org|unblocker.cc|unblocktheship.org|uploadproper.com|userscloud.com|vidlox.me|vidlox.tv|vidotodo.com|vidoza.net|vidup.io|vidup.me|vidz7.com|vidzi.tv|vipbox.live|vipleague.pw|vipstand.se|watchonlinemovies.com.pk|ymovies.tv|youwatch.org -! data popups -|data^$popup,domain=1337x.to|zippyshare.com -! image popups -! /http*.:\/\/.*/$image,popup,domain=swatchseries.to -! javascript popups -|javascript^$popup,domain=1337x.to|biology-online.org|eztv.tf|eztv.yt|flashx.tv -! regex to pickup ip-address popups -/^https?:\/\/([0-9]{1,3}\.){3}[0-9]{1,3}/$popup,domain=0dt.net|123movies.net|adyou.me|ahoypirate.in|akvideo.stream|animesonlinetk.info|bayception.pw|biqle.ru|bittorrent.am|bonstreams.net|briansarmiento.website|bro.adca.st|buzzfil.net|clicknupload.org|clik.pw|cruzing.xyz|ddlvalley.me|dropapk.com|fileone.tv|firstrowsports.eu|flash-x.tv|flashsx.tv|flashx.co|flashx.me|flashx.run|flashx.sx|flashx.to|flashx.tv|flashx.ws|flashx1.tv|gelbooru.com|gomovieshub.is|gounlimited.to|hdvid.life|hdvid.tv|hdvid.xyz|icefilms.info|igg-games.com|itdmusic.com|janjua.pw|janjua.tv|jkanime.net|kimcartoon.to|kinox.to|kissanime.ru|m4ufree.com|m4ufree.tv|masterani.me|megaup.net|mirror.superproxy.biz|monova.org|monova.to|mp4upload.com|myfeed4u.me|mypirate.cc|newpct.com|newpct1.com|noobnoob.rocks|oload.club|oload.live|oload.site|oloadcdn.net|onvid.xyz|openload.co|opensubtitles.org|ourl.io|pcgames-download.com|pelispedia.tv|pelisplus.tv|piratebay.tel|piratebay.town|piratebay1.top|piratebayblocked.com|pirateproxy.ch|pirateproxy.live|pirateproxy.sh|project-free-tv.ag|proxyfrom.asia|proxyindia.net|rapidvideo.com|rarbg.to|rarbgaccess.org|rarbgmirror.com|rarbgmirror.org|rarbgmirror.xyz|rarbgmirrored.org|rarbgproxy.org|rarbgprx.org|sawlive.tv|skidrowcrack.com|sportshd.me|stream2watch.cc|streamango.com|streamfilmzzz.com|streamzzz.online|strikeout.co|subtorrents.io|sunmusiq.com|superbay.link|superproxy.biz|telepisodes.co|thehiddenbay.com|thepiratebay.cr|thepiratebay.kiwi|thepiratebay.vip|thepixstate.com|thevideobee.to|toros.co|torrentfunk.com|torrentz2.eu|tpb.hid.li|tpb6.ukpass.co|tpbproxyone.org|unblocked.mx|unblocked.sh|unblocked.vet|unblocker.cc|unblockpirate.uk|unblocktheship.org|uploadproper.com|uptobox.com|veehd.com|vidlox.me|vidlox.tv|vidtodo.me|vidup.me|vidup.tv|vidzi.tv|watchonlinemovies.com.pk|webfirstrow.eu|yts.gs|zooqle.com +$popup,third-party,domain=1337x.buzz|adblockeronstape.me|adblockeronstreamtape.me|adblockeronstrtape.xyz|adblockplustape.com|adblockplustape.xyz|adblockstreamtape.art|adblockstreamtape.fr|adblockstreamtape.site|adblocktape.online|adblocktape.store|adblocktape.wiki|advertisertape.com|animepl.xyz|animeworld.biz|antiadtape.com|atrocidades18.net|cloudemb.com|cloudvideo.tv|d000d.com|databasegdriveplayer.xyz|dembed1.com|diampokusy.com|dir-proxy.net|dirproxy.info|dood.la|dood.li|dood.pm|dood.re|dood.sh|dood.so|dood.to|dood.watch|dood.wf|dood.ws|dood.yt|doods.pro|dooood.com|ds2play.com|embedsito.com|fembed-hd.com|file-upload.com|filemoon.sx|freeplayervideo.com|geoip.redirect-ads.com|gettapeads.com|gogoanime.lol|gogoanime.nl|haes.tech|highstream.tv|hubfiles.ws|hydrax.xyz|katfile.com|kissanime.lol|kokostream.net|livetv498.me|loader.to|luluvdo.com|mixdroop.co|mixdrop.ag|mixdrop.bz|mixdrop.click|mixdrop.club|mixdrop.nu|mixdrop.ps|mixdrop.si|mixdrop.sx|mixdrop.to|mixdrp.co|mixdrp.to|monstream.org|noblocktape.com|okru.link|oneproxy.org|piracyproxy.biz|piraproxy.info|pixroute.com|playtube.ws|pouvideo.cc|projectfreetv2.com|proxyer.org|raes.tech|sbfast.com|sbplay2.com|sbplay2.xyz|sbthe.com|scloud.online|shavetape.cash|slmaxed.com|ssbstream.net|stapadblockuser.info|stapadblockuser.xyz|stape.fun|stape.me|stapewithadblock.beauty|stapewithadblock.monster|stapewithadblock.xyz|strcloud.in|streamadblocker.cc|streamadblocker.com|streamadblocker.store|streamadblocker.xyz|streamlare.com|streamnoads.com|streamta.pe|streamtape.cc|streamtape.com|streamtape.to|streamtape.xyz|streamtapeadblock.art|streamtapeadblockuser.art|streamtapeadblockuser.homes|streamtapeadblockuser.monster|streamtapeadblockuser.xyz|streamz.ws|strtape.cloud|strtapeadblocker.xyz|strtapewithadblock.art|strtapewithadblock.xyz|strtpe.link|supervideo.tv|suzihaza.com|tapeadsenjoyer.com|tapeadvertisement.com|tapeantiads.com|tapeblocker.com|tapelovesads.org|tapenoads.com|tapewithadblock.com|tapewithadblock.org|theproxy.ws|trafficdepot.xyz|tubeload.co|un-block-voe.net|uploadfiles.pw|uproxy.co|upstream.to|upvid.biz|uqload.com|userload.co|vanfem.com|vgfplay.com|vidcloud9.com|vidlox.me|viewsb.com|vivo.sx|voe-unblock.com|voe-unblock.net|voe.sx|voeunblock1.com|voeunblock2.com|voiranime.com|watchsb.com|welovemanga.one|wiztube.xyz|wootly.ch|y2mate.is|youtubedownloader.sh|ytmp3.cc|ytmp3.sh +/&*^$popup,domain=piracyproxy.app|piraproxy.info|unblocked.club|unblockedstreaming.net +/?ref=$popup,domain=hltv.org +/hkz*^$popup,domain=piracyproxy.app|piraproxy.info|unblocked.club|unblockedstreaming.net +||123moviesfree.world/hd-episode/$popup +||ad.ymcdn.org^$popup +||amazon-adsystem.com^$popup,domain=twitch.tv +||b.link^$popup,domain=hltv.org +||binance.com^$popup,domain=live7v.com|usagoals.sx +||bit.ly^$popup,domain=dexerto.com|eteknix.com|gdriveplayer.us|kitguru.com|ouo.io|ouo.press|sh.st +||bitcoins-update.blogspot.com^$popup,domain=lineageos18.com +||bitskins.com^$popup,domain=hltv.org +||cdnqq.net/out.php$popup +||centent.stemplay.cc^$popup +||csgfst.com^$popup,domain=hltv.org +||csgofast.cash^$popup,domain=hltv.org +||csgofastx.com/?clickid=$popup,domain=hltv.org +||eentent.streampiay.me^$popup +||facebook.com/ads/ig_redirect/$popup,domain=instagram.com +||fentent.stre4mplay.one^$popup +||fentent.streampiay.me^$popup +||flashtalking.com^$popup,domain=twitch.tv +||flaticon.com/edge/banner/$popup +||gentent.stre4mplay.one^$popup +||gg.bet^$popup,domain=cq-esports.com +||hltv.org^*=|$popup,domain=hltv.org +||hqq.tv/out.php?$popup +||hurawatch.ru/?$popup +||ientent.stre4mplay.one^$popup +||jpg.church/*.php?cat$popup +||kentent.stre4mplay.one^$popup +||kissanimeonline.com/driectlink$popup +||link.advancedsystemrepairpro.com^$popup +||listentoyt.com/button/$popup +||listentoyt.com/vidbutton/$popup +||mercurybest.com^$popup,domain=hltv.org +||mp3-convert.org/p$popup +||notube.cc/p/$popup +||notube.fi/p/$popup +||notube.im/p/$popup +||notube.io/p/$popup +||notube.net/p/$popup +||pinoymovies.es/links/$popup +||qontent.pouvideo.cc^$popup +||rentalcars.com/?affiliateCode=$popup,domain=seatguru.com +||routeumber.com^$popup,domain=hltv.org +||rx.link^$popup,domain=uploadgig.com +||s.click.aliexpress.com^$popup,domain=dzapk.com|up-4ever.net +||sendspace.com/defaults/sendspace-pop.html$popup +||short.bitchute.com^$popup +||skycheats.com^$popup,domain=elitepvpers.com +||t.co^$popup,domain=hltv.org +||topeuropix.site/svop4/$popup +||vpnfortorrents.*?$popup +||vtube.to/api/click/$popup +||yout.pw/button/$popup +||yout.pw/vidbutton/$popup +||ytmp4converter.com/wp-content/uploads$popup +! Ad shield +$popup,domain=07c225f3.online|content-loader.com|css-load.com|html-load.cc|html-load.com|img-load.com +! about:blank popups +|about:blank#$popup,domain=22pixx.xyz|adblockstrtape.link|bitporno.com|cdnqq.net|clipconverter.cc|dailyuploads.net|dood.la|dood.so|dood.to|dood.video|dood.watch|dood.ws|doodcdn.com|flashx.net|gospeljingle.com|hqq.tv|imagetwist.com|mixdrop.bz|mixdrop.sx|mp4upload.com|onlystream.tv|playtube.ws|popads.net|powvideo.net|powvldeo.cc|putlocker.style|run-syndicate.com|soap2day.tf|spcdn.cc|strcloud.link|streamani.net|streamsb.net|streamtape.cc|streamtape.com|streamtape.site|strtape.cloud|strtape.tech|strtapeadblock.club|strtapeadblock.me|strtpe.link|supervideo.cc|tapecontent.net|turboimagehost.com|upstream.to|uptostream.com|uptostream.eu|uptostream.fr|uptostream.link|userload.co|vev.red|vevo.io|vidcloud.co|videobin.co|videowood.tv|vidoza.net|voe.sx|vortez.net|vshare.eu|watchserieshd.tv +! Domain popups +/^https?:\/\/.*\.(club|xyz|top|casa)\//$popup,domain=databasegdriveplayer.co|dood.la|dood.so|dood.to|dood.video|dood.watch|dood.ws|doodcdn.com|fmovies.world|gogoanimes.to|masafun.com|redirect-ads.com|strtpe.link|voe-unblock.com +! html/image popups +! /^https?:\/\/.*\.(jpg|jpeg|gif|png|svg|ico|js|txt|css|srt|vtt|webp)/$popup,domain=123series.ru|19turanosephantasia.com|1movieshd.cc|4anime.gg|4stream.gg|5movies.fm|720pstream.nu|745mingiestblissfully.com|adblockstrtape.link|animepahe.ru|animesultra.net|asianembed.io|bato.to|batotoo.com|batotwo.com|bigclatterhomesguideservice.com|bormanga.online|bunnycdn.ru|clicknupload.to|cloudvideo.tv|dailyuploads.net|databasegdriveplayer.co|divicast.com|dood.la|dood.pm|dood.sh|dood.so|dood.to|dood.video|dood.watch|dood.ws|dood.yt|doodcdn.com|dopebox.to|dramacool.pk|eplayvid.com|eplayvid.net|europixhd.net|exey.io|extreme-down.plus|files.im|filmestorrents.net|flashx.net|fmovies.app|fmovies.ps|fmovies.world|fraudclatterflyingcar.com|gayforfans.com|gdtot.nl|go-stream.site|gogoanime.run|gogoanimes.to|gomovies.pics|gospeljingle.com|hexupload.net|hindilinks4u.cam|hindilinks4u.nl|housecardsummerbutton.com|kaiju-no8.com|kaisen-jujutsu.com|kimoitv.com|kissanimes.net|leveling-solo.org|lookmoviess.com|magusbridemanga.com|mixdrop.sx|mkvcage.site|mlbstream.me|mlsbd.shop|mlwbd.host|movierulz.cam|movies2watch.ru|movies2watch.tv|moviesrulz.net|mp4upload.com|myflixer.it|myflixer.pw|myflixer.today|myflixertv.to|nflstream.io|ngomik.net|nkiri.com|nswgame.com|olympicstreams.co|paidnaija.com|playemulator.online|primewire.today|prmovies.org|putlocker-website.com|putlocker.digital|racaty.io|racaty.net|record-ragnarok.com|redirect-ads.com|reputationsheriffkennethsand.com|sflix.to|shadowrangers.live|skidrow-games.com|skidrowcodex.net|sockshare.ac|sockshare1.com|solarmovies.movie|speedvideo.net|sportsbay.watch|steampiay.cc|stemplay.cc|streamani.net|streamsb.net|streamsport.icu|streamta.pe|streamtape.cc|streamtape.com|streamtape.net|streamz.ws|strikeout.cc|strikeout.nu|strtape.cloud|strtape.site|strtape.tech|strtapeadblock.me|strtpe.link|tapecontent.net|telerium.net|tinycat-voe-fashion.com|toxitabellaeatrebates306.com|turkish123.com|un-block-voe.net|upbam.org|uploadmaza.com|upmovies.net|upornia.com|uprot.net|upstream.to|upvid.co|v-o-e-unblock.com|vidbam.org|vidembed.cc|vidnext.net|vido.fun|vidsrc.me|vipbox.lc|vipleague.pm|viprow.nu|vipstand.pm|voe-un-block.com|voe-unblock.com|voe.sx|voeun-block.net|voeunbl0ck.com|voeunblck.com|voeunblk.com|voeunblock3.com|vumooo.vip|watchserieshd.tv|watchseriesstream.com|xmovies8.fun|xn--tream2watch-i9d.com|yesmovies.mn|youflix.site|youtube4kdownloader.com|ytanime.tv|yts-subs.com ! *** easylist:easylist_adult/adult_specific_block.txt *** -.download^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.info^$script,domain=www.pornhub.com -.online./$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.online^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.php$image,script,subdocument,domain=3movs.com|4tube.com|alotporn.com|alrincon.com|anysex.com|badjojo.com|bobs-tube.com|dreamamateurs.com|efukt.com|eroxia.com|extremetube.com|home-made-videos.com|hotpornfile.org|keezmovies.com|letmejerk.com|mofosex.com|monsoonx.top|mypornstarbook.net|myvidster.com|nuvid.com|orsm.net|porndoe.com|pornoreino.com|pornozot.com|pornsexer.com|pussyspace.com|shameless.com|spankwire.com|thenipslip.com|tryboobs.com|xcafe.com|xnxx-sexfilme.com -.pw^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.science^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.site^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.space^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.trade^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.website^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.win./$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.win^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -/\/[0-9].*\-.*\-[a-z0-9]{4}/$script,xmlhttprequest,domain=gaytube.com|keezmovies.com|spankwire.com|tube8.com|tube8.es|tube8.fr -/^https?:\/\/.*\/.*[0-9a-z]{7,16}\.js/$script,domain=boobieblog.com|phun.org -/http://[a-zA-Z0-9]+\.[a-z]+\/.*(?:[!"#$%&'()*+,:;<=>?@/\^_`{|}~-]).*[a-zA-Z0-9]+/$script,third-party,domain=keezmovies.com|redtube.com|tube8.com|tube8.es|tube8.fr|www.pornhub.com|youporn.com -/json^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -|blob:$script,domain=xhamster.com|youporn.com -|http:$third-party,xmlhttprequest,domain=camwhores.tv -|http://$image,media,script,third-party,domain=~feedback.pornhub.com|pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|http://$image,script,third-party,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|http://$image,xmlhttprequest,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|http://$object,domain=pornhub.com|redtube.com|youporn.com -|http://$object-subrequest,third-party,domain=redtube.com|youporn.com -|http://$script,third-party,domain=duckmovies.net|have69.net|i-gay.org|playpornx.net|pornhub-com.appspot.com|t-51.com|watchxxxfree.com|whorehd.net|xxxstreams.eu -|http://$third-party,xmlhttprequest,domain=ceporn.net|duckmovies.net -|http://$xmlhttprequest,domain=pornbeu.com|watchjavonline.com -|https://$image,media,script,third-party,domain=~feedback.pornhub.com|pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|https://$image,xmlhttprequest,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|https://$object,domain=pornhub.com|redtube.com|youporn.com -|https://$script,third-party,domain=duckmovies.net|have69.net|i-gay.org|playpornx.net|t-51.com|watchxxxfree.com|whorehd.net|xxxstreams.eu -|https://$third-party,xmlhttprequest,domain=ceporn.net|duckmovies.net -|ws://$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -||109.201.146.142^$domain=xxxbunker.com -||18tubehd.com/18tube.js -||213.174.140.38/bftv/js/msn- -||213.174.140.38^*/msn-*.js$domain=boyfriendtv.com|pornoxo.com -||22pixx.xyz^$script -||244pix.com/webop.jpg -||24video.net/din_new6.php? -||2adultflashgames.com/images/v12.gif -||2adultflashgames.com/img/ -||2adultflashgames.com/teaser/teaser.swf -||2hot4fb.com/img/*.gif?r= -||2hot4fb.com/img/*.jpg?r= -||3movs.com/ai/ -||3movs.com/contents/content_sources/ -||3yen.com/wfn_ -||4sex4.com/pd/ +/agent.php?spot=$domain=justthegays.com +://*.justthegays.com/$script,~third-party +||037jav.com/wp-content/uploads/2021/04/*.gif +||18porn.sex/ptr18.js +||18teensex.tv/player/html.php$subdocument +||2watchmygf.com/spot/ +||3movs.com/2ff/ +||3movs.xxx/2ff/ +||3naked.com/nb/ +||3prn.com/even/ok.js +||429men.com/zdoink/ ||4tube.com/assets/abpe- ||4tube.com/assets/adf- ||4tube.com/assets/adn- ||4tube.com/assets/padb- -||4tube.com/mojon.js -||4tube.com/sw4tube.js -||4tube.com/tb/banner/ -||4ufrom.me/xpw.gif -||5ilthy.com/porn.php -||64.62.202.124^*/cumlouder.jpg -||78.140.130.91^$script,domain=xcafe.com -||a.eporner.com^ -||a.heavy-r.com^ -||a.killergram-girls.com^ -||a2.hotpornfile.org^ -||absoluporn.com/code/pub/ -||ad.eporner.com^ -||ad.slutload.com^ -||ad.thisav.com^ -||adrive.com/images/fc_banner.jpg -||ads.xxxbunker.com^ +||4tube.com/nyordo.js +||4wank.com/bump/ +||4wank.net/bump/ +||777av.cc/og/ +||8boobs.com/flr.js +||8muses.com/banner/ +||a.seksohub.com^ +||aa.fapnado.xxx^ +||ab.fapnado.xxx^ +||absoluporn.com/code/script/ +||ad.pornutopia.org^ +||ad69.com/analytics/ +||adf.uhn.cx^ +||adrotic.girlonthenet.com^ +||adult-sex-games.com/images/adult-games/ ||adult-sex-games.com/images/promo/ -||adultdvdtalk.com/studios/ -||adultfilmdatabase.com/graphics/banners/ -||adultfilmdatabase.com^*/porndude. -||adultfyi.com/images/banners/ -||adultwork.com/images/AWBanners/ +||adultasianporn.com/puty3s/ +||adultfilmdatabase.com/graphics/porndude.png ||affiliates.goodvibes.com^ -||alladultnetwork.tv/main/videoadroll.xml -||alotporn.com/media/banners/ -||alotporn.com^*/js/oopopw.js -||amadorastube.com^*/banner_ -||amateur-desire.com/pics/724x90d.jpg -||amateur-desire.com/pics/sm_ -||amateuralbum.net/affb.html -||analdin.com/js/pu.js -||analpornpix.com/agent.php? -||analsexstars.com^$subdocument -||andtube.com/ban_ -||animeidhentai.com/cdn/ -||animeidhentai.com/videos/ -||anon-v.com/neverlikedcocksmuch.php -||anon-v.com/titswerentoiledup.php -||anonimag.es^$domain=anon-v.com -||anysex.com/assets/ -||anysex.com/b/ -||anysex.com/content_sources/ -||arionmovies.com/*/popup.php -||asexstories.com/010ads/ -||asgayas.com/floater/ -||asgayas.com/popin.js -||ashot.txxx.com^ -||asianpornmovies.com/images/banners/ -||assfuck.xxx/uploads/banners/ -||assfuck.xxx/uploads/provider-banners/ -||asspoint.com/images/banners/ -||atescorts.com/img-banners/ -||avn.com/templates/avnav/skins/ -||b.xcafe.com^ -||babblesex.com/js/misc.js -||babedrop.com/babelogger_images/ -||babepedia.com/strp-popmod/ -||babepicture.co.uk^*banner -||babesandstars.com/images/a/ -||babesandstars.com/thumbs/paysites/ -||babesandstars.com^*/banners/ -||babeshows.co.uk/fvn53.jpg +||akiba-online.com/data/siropu/ +||alaska.xhamster.com^ +||alaska.xhamster.desi^ +||alaska.xhamster2.com^ +||alaska.xhamster3.com^ +||alrincon.com/nbk/ +||amateur.tv/misc/mYcLBNp7fx.js +||analdin.xxx/player/html.php?aid= +||analsexstars.com/og/ +||anybunny.tv/js/main.ex.js +||anyporn.com/aa/ +||anysex.com/*/js| +||anysex.com/*/script| +||anysex.com^$subdocument,~third-party +||api.adultdeepfakes.cam/banners +||api.redgifs.com/v2/gifs/promoted +||as.hobby.porn^ +||asg.faperoni.com^ +||atube.xxx/static/js/abb.js +||aucdn.net^$media,domain=clgt.one +||avn.com/server/ +||b1.tubexo.tv^$subdocument +||b8ms7gkwq7g.crocotube.com^ +||babepedia.com/iStripper/ +||babepedia.com/iStripper2023/ +||babesandstars.com/img/banners/ ||babeshows.co.uk^*banner -||babesmachine.com/html/ -||badjojo.com/js/tools.js -||badjojo.com/js/tools2.js -||bagslap.com/*.html -||bangyoulater.com/images/banners_ -||bangyoulater.com/pages/aff.php -||banner1.pornhost.com^ +||babesinporn.com^*/istripper/ +||babesmachine.com/images/babesmachine.com/friendimages/ +||badjojo.com/d5 ||banners.cams.com^ -||barelist.com^*/dailyDeal/ -||befuck.com/befuck_html/ -||befuck.com/js/adpbefuck -||bellyboner.com/facebookchatlist.php ||between-legs.com/banners2/ ||between-legs.com^*/banners/ -||bigboobs.hu/banners/ -||biguz.net/js/nsfw.js -||blackredtube.com/fadebox2.js -||bnnr.pornpics.com^ -||bob.crazyshit.com^ -||bonbonme.com/js/cams.js -||bonbonme.com/js/dticash/ -||bonbonme.com/js/rightbanner.js -||bonbonsex.com/js/dl/bottom.js -||bonbonsex.com/js/workhome.js -||boobieblog.com/submityourbitchbanner3.jpg -||boobieblog.com/TilaTequilaBackdoorBanner2.jpg -||bos.so/icloud9.html -||bos.so^*/peddlar/ -||boyfriendtv.com/banner-iframe/ -||boyfriendtv.com^*/paysite/ -||bralesscelebs.com/*banner -||bralesscelebs.com/160x600hcp.gif -||bralesscelebs.com/160x600ps.gif -||bralesscelebs.com/320x240ps.gif +||bigcock.one/worker.js +||bigdick.tube/tpnxa/ +||bigtitsgallery.net/qbztdpxulhkoicd.php +||bigtitslust.com/lap70/s/s/suo.php +||bionestraff.pro/300x250.php +||bodsforthemods.com/srennab/ +||bootyheroes.com//static/assets/img/banners/ +||boyfriend.show/widgets/Spot +||boyfriendtv.com/ads/ +||boyfriendtv.com/bftv/b/ +||boyfriendtv.com/bftv/www/js/*.min.js?url= +||boysfood.com/d5.html +||bravoteens.com/ta/ ||bravotube.net/cc/ -||bravotube.net/dd$subdocument -||bravotube.net/dp.html -||bravotube.net/if/$subdocument -||bravotube.net^*/abbs. -||bravotube.net^*/clickback. -||brcache.madthumbs.com^ +||bravotube.net/js/clickback.js +||brick.xhamster.com^ +||brick.xhamster.desi^ +||brick.xhamster2.com^ +||brick.xhamster3.com^ ||bunnylust.com/sponsors/ -||cameltoe.com^*/banners/ -||cams.pornrabbit.com^ -||camvideos.tv/tpd. +||buondua.com/templatesygfo76jp36enw15_/ +||cam-video.xxx/js/popup.min.js +||cambay.tv/contents/other/player/ +||camcaps.ac/33a9020b46.php +||camcaps.io/024569284e.php +||camcaps.to/400514f2db.php +||camclips.cc/api/$image,script +||camclips.cc/ymGsBPvLBH +||camhub.cc/static/js/bgscript.js +||cams.imagetwist.com/in/?track=$subdocument +||cams.imgtaxi.com^ +||camvideos.tv/tpd.png ||camvideos.tv^$subdocument -||camwhores.tv/banners/ -||camwhores.tv/contents/other/player/ -||camwhores.tv^*/e*.mp4 -||canadianhottie.ca/images/banners/ -||celeb.gate.cc/banner/ -||celeb.gate.cc/misc/event_*.js -||celebrity-slips.com/bst/ -||celebrity-slips.com/img/ -||celebrity-slips.com/nlc/ -||cf1c0.thisav.com^ -||cfake.com/*?$image -||cfake.com/exo/ -||cfake.com/images/a/ -||chanweb.info/en/adult/hc/local_include/ -||chatrandom.com/js/slider.js -||chubby-ocean.com/banner/ -||clips-and-pics.org/clipsandpics.js -||cloudfront.net^$domain=extremetube.com|niceporn.xxx|theync.com -||comdotgame.com/vgirl/ -||coolmovs.com/js/focus.*.js -||coolmovs.com/rec/$subdocument -||crackwhoreconfessions.com/images/banners/ -||crazyshit.com/p0pzIn.js -||creampietubeporn.com/ctp.html -||creampietubeporn.com/porn.html +||cdn3x.com/xxxdan/js/xxxdan.vast. +||celeb.gate.cc/assets/bilder/bann +||cfgr3.com/videos/*.mp4$rewrite=abp-resource:blank-mp4,domain=hitbdsm.com +||cherrynudes.com/t33638ba5008.js +||chikiporn.com/sqkqzwrecy/ +||clicknplay.to/q3gSxw5.js +||clips4sale.com^$domain=mrdeepfakes.com +||cloud.hentai-moon.com/contents/hdd337st/$media +||cluster.xhspot.com^ +||cover.ydgal.com/axfile/ +||creative.live.javmix.tv^ +||creative.live.missav.com^ +||creative.live.tktube.com^ +||creative.live7mm.tv^ +||creative.thefaplive.com^ +||creative.upskirtlive.com^ ||creatives.cliphunter.com^ -||creatives.pichunter.com^ -||creepshots.com^*/250x250_ -||d1wi563t0137vz.cloudfront.net^ -||d2q52i8yx3j68p.cloudfront.net^ -||d39hdzmeufnl50.cloudfront.net^ -||damimage.com^*/DocaWedrOJPPx.png -||data18.com^*/banners/ -||dbnaked.com/ban/ -||definebabe.com/db/images/leftnav/webcams2.png -||definebabe.com/db/js/pcme.js -||definebabe.com/sponsor/ +||cumlouder.com/nnubb.js +||cuntlick.net/banner/ +||cutegurlz.com/promos-royal-slider/aff/ +||dads-banging-teens.com/polished- +||daftporn.com/nb_ +||dailyporn.club/at/code.php +||dailyporn.club/nba/ +||darknessporn.com/prrls/ +||dcraddock.uk/frame/ +||dcraddock.uk/images/b/ +||deepxtube.com/zips/ ||definebabe.com/sponsor_ -||definebabe.com/traders/ -||definebabe.com^*/traders. -||definefetish.com/df/js/dpcm.js -||deliciousbabes.org/banner/ -||deliciousbabes.org/media/banners/ ||delivery.porn.com^ -||depic.me/banners/ -||devatube.com/img/partners/ -||devporn.net/images/TPD- -||diamond-tgp.com/fp.js -||dickbig.net/scr/ -||dildo.tnaflix.com^ -||dirtypriest.com/sexpics/ +||depvailon.com/sponsored.html +||dirtyvideo.fun/js/script_ ||dixyporn.com/include/ -||dominationtube.com/exit.js -||dot.eporner.com^ -||dot2.eporner.com^ -||downloadableporn.org/popaaa/ +||dl.4kporn.xxx^ +||dl.crazyporn.xxx^ +||dl.hoes.tube^ +||dl.love4porn.com^ +||dofap.com/banners/ +||doseofporn.com/img/jerk.gif +||doseofporn.com/t63fd79f7055.js +||dpfantasy.org/k2s.gif +||dporn.com/edraovnjqohv/ +||dporn.com/tpnxa/ +||dragonthumbs.com/adcode.js +||drivevideo.xyz/advert/ ||drtuber.com/footer_ -||drtuber.com/templates/frontend/white/js/embed.js? -||drtuber.com^*/aff_banner.swf -||drtuber.com^*/sponsored.js +||dyn.empflix.com^ ||dyn.tnaflix.com^ +||ea-tube.com/i2/ ||easypic.com/js/easypicads.js -||eccie.net/buploads/ -||eccie.net/eros/ -||eegay.com/analytics1.php -||eegay.com/php/*.php$script -||eegay.com/Scripts/nxpop.js -||efukt.com/affiliates/ -||efukt.com/js/3rdparty.js -||efukt.com/menu/ -||empflix.com/embedding_player/600x474_ -||empireamateurs.com/images/*banner +||easyporn.xxx/tmp/ +||empflix.com/mew.php +||enporn.org/system/theme/AnyPorn/js/popcode.min.js ||entensity.net/crap/ -||eporner.com/cppb/ -||eporner.com/dot/$script -||eporner.com/pjsall-*.js -||eporner.com/pn. +||enter.javhd.com/track/ +||eporner.com/dot/ +||eporner.com/event.php ||eporner.com^$subdocument,~third-party -||erofus.com/front-end/ -||eroprofile.com/js/pu*.js -||eskimotube.com/kellyban.gif -||exit.macandbumble.com^ -||extreme-board.com/bannrs/ -||extremetube.com/*=$xmlhttprequest -||extremetube.com/nb/ -||extremetube.com/player_related? -||faapy.com/js_e/ -||fakeporn.tv/bb/ -||fantasti.cc/_special/ -||fantasti.cc/fabl. -||fapality.com/b/ -||fapality.com/contents/content_sources/ -||fapdick.com/uploads/1fap_ -||fapdick.com/uploads/fap_ -||fapxl.com/view/spot/ -||fastpic.ru/js_f2.jpg -||fastpic.ru/js_h2.jpg -||fboomporn.com^*/fb*.gif -||femdom-fetish-tube.com/popfemdom.js -||fetishok.com/js/focus.$script -||fetishok.com/rec/$subdocument -||fileshare.ro^*/dhtmlwindow.js -||filthyrx.com/images/porno/ -||filthyrx.com/inline.php? -||filthyrx.com/rx.js -||finehub.com/p3.js -||fingerslam.com/*.html -||fleshbot.com/wp-content/themes/fbdesktop_aff/images/af -||floppy-tits.com/iframes/ -||fooktube.com/badges/pr/ -||free-celebrity-tube.com/js/freeceleb.js -||freebunker.com/includes/js/cat.js -||freebunker.com^*/ex.js -||freebunker.com^*/exa.js -||freebunker.com^*/layer.js -||freebunker.com^*/oc.js -||freebunker.com^*/pops.js -||freebunker.com^*/raw.js -||freehindipornvideos.com/fhlv.js -||freehindipornvideos.com/js/fhn.js -||freeones.com/banners/ -||freeones.com/images/freeones/sidewidget/$image -||freeporn.to/wpbanner/ -||freepornvs.com/im.js -||fritchy.com^*&zoneid= -||fuckandcdn.com/sun/sunstatic/frms/$subdocument,domain=sunporno.com -||fuckuh.com/pr_ad.swf -||funny-games.biz/banners/ -||fux.com/adc/$script -||fux.com/assets/adblock +||erowall.com/126.js +||erowall.com/tf558550ef6e.js +||escortdirectory.com//images/ +||exgirl.net/wp-content/themes/retrotube/assets/img/banners/ +||exoav.com/nb/ +||extremescatporn.com/static/images/banners/ +||fakings.com/tools/get_banner.php +||familyporner.com/prerolls/ +||fapclub.sex/js/hr.js +||fapnado.com/api/ +||fapnado.com/bump +||fappenist.com/fojytyzzkm.php +||faptor.com/api/ +||faptor.com/bump/ +||fastfuckgames.com/aff.htm +||fennyboy.com/js/dabt.js +||fennyboy.com/negco- +||fetishshrine.com/js/customscript.js +||files.wordpress.com^$domain=hentaigasm.com +||flw.camcaps.ac^ +||footztube.com/b_ +||footztube.com/f_ +||for-iwara-tools.tyamahori.com/ninjaFillter/ +||freehqsex.com/ads/ +||freelivesex.tv/imgs/ad/ +||freeones.com/build/freeones/adWidget.$script +||freeones.com/static-assets/istripper/ +||freepornxxx.mobi/popcode.min.js +||freepublicporn.com/prerolls/ +||freeteen.sex/ab/ +||freeuseporn.com/tceb29242cf7.js +||frprn.com/even/ok.js +||ftopx.com/345.php +||ftopx.com/isttf558550ef6e.js +||ftopx.com/tf558550ef6e.js +||fuwn782kk.alphaporno.com^ ||galleries-pornstar.com/thumb_top/ -||gals4free.net/images/banners/ -||gamesofdesire.com/images/banners/ -||gapeandfist.com/uploads/thumbs/ -||gatewayinterface.com/App_Themes/PrivateImages/$domain=mylegalporno.com -||gayporntimes.com/img/GP_Heroes.jpg -||gayporntimes.com^*/Bel-Ami-Mick-Lovell-July-2012.jpeg -||gayporntimes.com^*/CockyBoys-July-2012.jpg -||gaytube.com/chacha/ -||gfycatporn.com/toon.gif -||gggtube.com/images/banners/ -||ghettotube.com/images/banners/ -||gifsauce.com^*/tpd. -||gifsfor.com/gifs.js -||gifsfor.com/msn.js -||gifsfor.com^*/gifs.js -||gifsfor.com^*/msn.js -||girlfriendvideos.com/ad -||girlfriendvideos.com/pcode.js -||girlsintube.com/images/get-free-server.jpg -||girlsnaked.net/gallery/banners/ -||girlsofdesire.org/banner/ -||girlsofdesire.org/media/banners/ -||glamour.cz/banners/ -||gloryholegirlz.com/images/banners/ +||gamcore.com/ajax/abc? +||gamcore.com/js/ipp.js +||gay.bingo/agent.php +||gay4porn.com/ai/ +||gayforfans.com^*.php|$script +||gaygo.tv/gtv/frms/ +||gaystream.pw/juicy.js +||gaystream.pw/pemsrv.js +||gaystream.pw/pushtop.js +||gelbooru.com/extras/ +||girlsofdesire.org/blr3.php +||girlsofdesire.org/flr2.js +||girlsofdesire.org/flr6.js +||go.celebjihad.live^ +||go.pornav.net^ +||go.redgifs.com^ +||go.stripchat.beeg.com^ ||go.strpjmp.com^ -||goldporntube.com/iframes/ -||gotgayporn.com/Watermarks/ -||gotporn.com/bck_loader_ -||grannysexforum.com/filter.php -||gspcdn.com^*/banners/ -||h2porn.com/*.js#spot= -||h2porn.com/ab/ -||h2porn.com/contents/content_sources/ -||h2porn.com/js/etu_r.js -||hanksgalleries.com/aff- -||hanksgalleries.com/gallery- -||hanksgalleries.com/galleryimgs/ -||hanksgalleries.com/stxt_ -||hanksgalleries.com/vg_ad_ -||hardcoresexgif.com/hcsg.js -||hardcoresexgif.com/msn.js -||hawaiipornblog.com/post_images/ -||hclips.com/js/m.js -||hclips.net/contents/content_sources/ -||hcomicbook.com/banner/ -||hcomicbook.com/js/hcb-$script -||hcomicbook.com^*_banner1.gif -||hdporn.in/images/rec/ -||hdporn.in/js/focus.*.js -||hdporn.in/js/pops2. -||hdporn.in/rec/$subdocument -||hdporn.net/images/hd-porn-banner.gif -||hdzog.com/*.php?$script -||hdzog.com/contents/content_sources/ -||hdzog.com/contents/cst/ -||hdzog.com/hdzog.php?t_sid= -||hdzog.com/hdzog/vanload/ -||heavy-r.com/a/ -||heavy-r.com/js/imbox.js -||heavy-r.com/js/overlay.js -||heavy-r.com/pop/ -||heavy-r.com/tools/ -||hebus.com/p/hebusx/ +||haberprofil.biz/assets/*/vast.js +||haes.tech/js/script_ +||hanime.xxx/wp-content/cache/wpfc-minified/fggil735/fa9yi.js +||hd21.*/templates/base_master/js/jquery.shows2.min.js +||hdporn24.org/vcrtlrvw/ +||hdpornfree.xxx/rek/ +||hdpornmax.com/tmp/ +||hdtube.porn/fork/ +||hdtube.porn/rods/ +||hellporno.com/_a_xb/ ||hellporno.com^$subdocument,~third-party -||hentai-foundry.com/themes/*/add$image -||hentai-foundry.com/themes/*Banner -||hentai-foundry.com/themes/Hentai/images/hu/hu.jpg -||hentairules.net/pop_$script -||hentaistream.com/out/ -||hentaistream.com/wp-includes/images/bg- -||hentaistream.com/wp-includes/images/mofos/webcams_ -||hgimg.com/js/beacon. -||hitomi.la/hitomi- -||hitomi.la/hitomi. -||hitomi.la/hitomi/ -||hollyscoop.com/sites/*/skins/ -||hollywoodoops.com/img/*banner -||homegrownfreaks.net/homegfreaks.js -||homeprivatevids.com/banner2.shtml -||homeprivatevids.com/banners.shtml -||hornygamer.com/images/promo/ -||hornywhores.net/hw$script -||hornywhores.net/img/double.jpg -||hornywhores.net/img/zevera_rec.jpg -||hothag.com/img/banners/ -||hotmovs.com/*.php?*=$script -||hotmovs.com/js/ -||hotmovs.com/ps/ -||hotshame.com/hotshame_html/ -||hotshame.com/iframes/ -||hotshame.com/js/adphotshame -||hottubeclips.com/stxt/banners/ -||hotxxxpussy.com/func.js -||house.porn/files/preview/ -||hungangels.com/vboard/friends/ -||hustler.com/backout-script/ -||iceporn.com/templates/base_master/js/jquery.shows.js -||iceppsn.com/templates/frontend/iceporn_v2/js/_piceporn.js -||imagearn.com/img/picBanner.swf -||imagebam.com/files/tpd.png -||imagecarry.com/down -||imagecarry.com/top -||imagedunk.com^*_imagedunk.js -||imagefap.com/019ce.php -||imagefap.com/ajax/uass.php -||imagefruit.com^*/pops.js -||imagehyper.com/prom/ -||imageporter.com/ro-7bgsd.html -||imageporter.com/smate.html -||imagepost.com/includes/dating/ +||hentai2w.com/ark2023/ +||hentaibooty.com/uploads/banners/ +||hentaicdn.com/cdn/v2.assets/js/exc +||hentaidude.xxx/wp-content/plugins/script-manager/ +||hentaifox.com/js/ajs.js +||hentaifox.com/js/slider.js +||hentaihere.com/arkNVB/ +||hentaini.com/img/ads/ +||hentairider.com/banners/ +||hentairules.net/gal/new-gallery-dump-small.gif +||hentaiworld.tv/banners-script.js +||herexxxtube.com/tmp/ +||hitomi.la/ebJqXsy/ +||hitprn.com/c_ +||hitslut.b-cdn.net/*.gif +||hoes.tube/ai/ +||home-xxx-videos.com/snowy- +||homemade.xxx/player/html.php?aid= +||homeprivatevids.com/js/580eka426.js +||hornygamer.com/includes/gamefile/sw3d_hornygamer.gif +||hornygamer.com/play_horny_games/ +||hornyjourney.com/fr.js +||hot-sex-tube.com/sp.js +||hotgirlclub.com/assets/vendors/ +||hotgirlsdream.com/tf40bbdd1767.js +||hotmovs.com/fzzgbzhfm/ +||hotmovs.com/suhum/ +||hottystop.com/f9de7147b187.js +||hottystop.com/t33638ba5008.js +||hqbang.com/api/ +||hqporn.su/myvids/ +||hqpornstream.com/pub/ +||hypnohub.net/assets/hub.js +||i.imgur.com^$domain=hentaitube.icu +||iceporn.com/player_right_ntv_ +||idealnudes.com/tf40bbdd1767.js ||imagepost.com/stuff/ -||imageshack.us^*/bannng.jpg -||imagesnake.com/includes/js/cat.js -||imagesnake.com/includes/js/js.js -||imagesnake.com/includes/js/layer.js -||imagesnake.com/includes/js/pops.js -||imagetwist.com/imagetwist*.js -||imagetwist.com/lj.js -||imageuploads.co.uk/nb/ -||imgadult.com/altiframe.php -||imgadult.com/ea/ -||imgbabes.com/element.js -||imgbabes.com/ero-foo.html -||imgbabes.com/ja.html -||imgbabes.com^*/splash.php +||imagetwist.com/img/1001505_banner.png +||imageweb.ws/whaledate.gif +||imageweb.ws^$domain=tongabonga.com ||imgbox.com/images/tpd.png -||imgflare.com/exo.html -||imgflare.com^*/splash.php -||imghost.us.to/xxx/content/system/js/iframe.html -||imgwet.com/aa/ -||imperia-of-hentai.net/banner/ -||indexxx.com^*/banners/ -||inhumanity.com/cdn/affiliates/ -||int.anon-ib.co/img2/$image -||intporn.com^*/21s.js -||intporn.com^*/asma.js -||intporn.org/scripts/asma.js -||iseekgirls.com/g/pandoracash/ -||iseekgirls.com/js/fabulous.js -||iseekgirls.com/rotating_ -||iseekgirls.com^*/banners/ -||jav-porn.net/js/popout.js -||jav-porn.net/js/popup.js -||javfor.me^*/banner/ -||javhub.net/img/r.jpg -||javporn.in/clicunder.js -||javsin.com/vip.html -||javstreaming.net/app/forad.js -||javtitan.com/p.js -||jdforum.net^*/banner- -||jjvids.com/i/ -||julesjordanvideo.com/flash/$object -||justporno.tv/ad/ -||kaotic.com^*/popnew.js -||keezmovies.com/*=$xmlhttprequest -||keezmovies.com/iframe.html? +||imgderviches.work/exclusive/bayou_ +||imgdrive.net/xb02673583fb.js +||imgtaxi.com/frame.php +||imhentai.xxx/js/slider.js +||inporn.com/8kl7mzfgy6 +||internationalsexguide.nl/banners/ +||internationalsexguide.nl/forum/clientscript/PopUnderISG.js +||interracial-girls.com/chaturbate/ +||interracial-girls.com/i/$image +||intporn.com/js/siropu/ +||intporn.com/lj.js +||inxxx.com/api/get-spot/ +||ipornxxx.net/banners/ +||jav-bukkake.net/images/download-bukkake.jpg +||javenglish.net/tcads.js +||javfor.tv/av/js/aapp.js +||javgg.me/wp-content/plugins/1shortlink/js/shorten.js +||javhub.net/av/js/aapp.js +||javhub.net/av/js/cpp.js +||javhub.net/ps/UJXTsc.js +||javideo.net/js/popup +||javlibrary.com/js/bnr_ +||javpornclub.com/images/banners/takefile72890.gif +||javslon.com/clacunder.js +||javxnxx.pro/pscript.js +||jennylist.xyz/t63fd79f7055.js +||jizzberry.com/65 +||justthegays.com/agent.php +||justthegays.com/api/spots/ +||justthegays.com/api/users/ +||jzzo.com/_ad +||k2s.tv/cu.js +||kbjfree.com/assets/scripts/popad.js ||kindgirls.com/banners2/ -||konachan.com/images/bam/ -||kuntfutube.com/kellyban.gif -||laxtime.com/rotation/ -||lifeselector.com/banner/ -||linksave.in/fopen.html -||literotica.com/images/banners/ -||literotica.com/images/lit_banners/ -||live-porn.tv/adds/ -||liveandchat.tv/bana-/ -||livedoor.jp^*/bnr/bnr- -||lubetube.com/js/cspop.js -||lucidsponge.pl/pop_ -||lukeisback.com/images/boxes/ -||lukeisback.com^*/250.gif -||luscious.net/lamia205. -||luscious.net/luscious. -||luscious.net/revive. -||luxuretv.com/includes/pop/ -||lw1.cdmediaworld.com^ -||madmovs.com/rec/ -||madthumbs.com/madthumbs/sponsor/ -||mallandrinhas.net/flutuante +||kompoz2.com/js/take.max.js +||koushoku.org/proxy? +||kurakura21.space/js/baf.js +||lesbianstate.com/ai/ +||letsporn.com/sda/ +||lewdspot.com/img/aff_ +||lolhentai.net/tceb29242cf7.js +||lustypuppy.com/includes/popunder.js +||madmen2.alastonsuomi.com^ +||manga18fx.com/tkmo2023/ +||manhwa18.cc/main2023/ ||mansurfer.com/flash_promo/ +||manysex.com/ha10y0dcss +||manysex.tube/soc/roll.js +||marawaresearch.com/js/wosevu.js +||marine.xhamster.com^ +||marine.xhamster.desi^ +||marine.xhamster2.com^ +||marine.xhamster3.com^ +||mature-chicks.com/floral-truth-c224/ ||matureworld.ws/images/banners/ -||maxjizztube.com/downloadfreemovies.php -||media1.realgfporn.com^$subdocument -||meendo.com/promos/ -||megatube.xxx/ai/ -||milffox.com/ai/s/s/adhs. -||milffox.com/ai/s/s/js/ssu. -||milffox.com/ai/s/s/su. -||milffox.com/ai/s/s/suo. -||milffox.com/ai/s/s/supc. +||megatube.xxx/atrm/ +||milffox.com/ai/ +||milfnut.net/assets/jquery/$script +||milfz.club/qpvtishridusvt.php ||milkmanbook.com/dat/promo/ -||miragepics.com/images/11361497289209202613.jpg -||mobilepornmovies.com/images/banners/ -||monstertube.com/images/access_ -||monstertube.com/images/bottom-features.jpg -||monstertube.com/images/vjoin. -||monstertube.com/images/vjoin_ -||morazzia.com^*/banners/ -||morebabes.to/morebabes.js -||motherless.com/images/banners/ -||motherman.com/*.html -||movierls.net/abecloader -||mrskin.com/data/mrskincash/$third-party -||mrskin.com/scripts/loader2? -||mrstiff.com/uploads/paysite/ -||mrstiff.com/view/context/ -||mrstiff.com/view/movie/bar/ -||mrstiff.com/view/movie/finished/ -||multporn.net/frunti_ -||myashot.txxx.com^ -||mygirlfriendvids.net/js/popall1.js -||myhentai.tv/popsstuff. -||myslavegirl.org/follow/go.js -||naked-sluts.us/prpop.js -||nakednepaligirl.com/d/ -||namethatporn.com^*/ba. -||namethatporn.com^*/pu_ -||namethatpornstar.com/topphotos/ -||naughty.com/js/popJava.js -||naughtyblog.org/b_load.php -||naughtyblog.org/pr1pop.js -||netasdesalim.com/js/netas -||netronline.com/Include/burst.js -||niceandquite.com/msn.js -||niceandquite.com/nice.js -||niceyoungteens.com/ero-advertising -||niceyoungteens.com/mct.js -||nicsgalleries.com/s/ -||nonktube.com/brazzers/ -||nonktube.com/nuevox/midroll.php? -||nonktube.com/popembed.js -||novoporn.com/imagelinks/ -||ns4w.org/gsm.js -||ns4w.org/images/promo/ -||ns4w.org/images/vod_ -||nude.hu/banners/ -||nudebabes.ws/galleries/banners/ -||nudevista.com/_/exo_ -||nudevista.com/_/pp. -||nudevista.com/_/teasernet -||nudevista.com^*/nv-com.min.js -||nudogram.com/contents/other/$media -||nudogram.com/graphics/$image -||nudography.com/photos/banners/ -||nuvid.com/videos_banner.html -||oasisactive.com^*/oasis-widget.html -||olderhill.com/ubr.js -||olderhill.com^*.html| -||onhercam.tv^*/banners/ -||onlinestars.net/ban/ -||onlinestars.net/br/ -||openjavascript.com/jtools/jads. -||orgyxxxhub.com/content/lib/ -||paradisehill.cc^*/300x250 -||partners.keezmovies.com^ -||pastime.biz/images/iloveint.gif -||pastime.biz/images/interracial-porn.gif -||pastime.biz^*/personalad*.jpg -||penthouse.com^*/sidebar/ -||perfectgirls.net/b/ -||perfectgirls.net/exo/ -||phncdn.com/cb/youpornwebfront/css/babes.css$domain=youporn.com -||phncdn.com/cb/youpornwebfront/css/skin.css$domain=youporn.com -||phncdn.com/css/campaign.css?$domain=pornhub.com -||phncdn.com/iframe -||phncdn.com/images/*_skin. -||phncdn.com/images/*_skin_ -||phncdn.com/images/banners/ -||phncdn.com/images/premium/ -||phncdn.com/images/premium_ -||phncdn.com/images/skin/ -||phncdn.com/mobile/js/interstitial-min.js? -||phonerotica.com^*/banners/ -||phun.org/phun/gfx/banner/ -||pichunter.com/creatives/ -||pichunter.com/deals/ -||picleet.com/inter_picleet.js -||picp2.com/img/putv -||picsexhub.com/js/pops. -||picsexhub.com/js/pops2. -||picsexhub.com/rec/ -||picturedip.com/modalfiles/modal.js -||picturedip.com/windowfiles/dhtmlwindow.css -||picturescream.com/porn_movies.gif -||picturescream.com/top_banners.html -||picturevip.com/imagehost/top_banners.html -||picxme.com/js/pops. -||picxme.com/rec/ -||pimpandhost.com/images/pah-download.gif -||pimpandhost.com/static/html/iframe.html -||pimpandhost.com/static/i/*-pah.jpg -||pink-o-rama.com/Blazingbucks -||pink-o-rama.com/Brothersincash -||pink-o-rama.com/Fetishhits -||pink-o-rama.com/Fuckyou -||pink-o-rama.com/Gammae -||pink-o-rama.com/Karups -||pink-o-rama.com/Longbucks/ -||pink-o-rama.com/Nscash -||pink-o-rama.com/Pimproll/ -||pink-o-rama.com/Privatecash -||pink-o-rama.com/Royalcash/ -||pink-o-rama.com/Teendreams -||pinkrod.com/iframes/ -||pinkrod.com/js/adppinkrod -||pinkrod.com/pinkrod_html/ -||pixroute.com/spl.js -||placepictures.com/Frame.aspx? -||playgirl.com/pg/media/prolong_ad.png -||playpornx.net/pu/ -||plumper6.com/images/ban_pp.jpg +||momvids.com/player/html.php?aid= +||mopoga.com/img/aff_ +||mylistcrawler.com/wp-content/plugins/elfsight-popup-cc/ +||mylust.com/092- +||mylust.com/assets/script.js +||mysexgames.com/pix/best-sex-games/ +||mysexgames.com/plop.js +||myvideos.club/api/ +||n.hnntube.com^ +||naughtyblog.org/wp-content/images/k2s/ +||nigged.com/tools/get_banner.php +||nozomi.la/nozomi4.js +||nsfwalbum.com/efds435m432.js +||nudepatch.net/dynbak.min.js +||nudepatch.net/edaea0fd3b2c.j +||nvdst.com/adx_ +||oi.429men.com^ +||oi.lesbianbliss.com^ +||oj.fapnado.xxx^ +||oldies.name/oldn/ +||orgyxxxhub.com/js/965eka57.js +||orgyxxxhub.com/js/arjlk.js +||otomi-games.com/wp-content/uploads/*-Ad-728- +||pacaka.conxxx.pro^ +||pantyhosepornstars.com/foon/pryf003.js +||phonerotica.com/resources/img/banners/ +||picshick.com/b9ng.js +||pimpandhost.com^$subdocument +||pisshamster.com/prerolls/ +||player.javboys.cam/js/script_ +||pleasuregirl.net/bload +||plibcdn.com/templates/base_master/js/jquery.shows2.min.js ||plx.porndig.com^ -||pontoperdido.com/js/webmessenger.js -||porn.com/assets/partner_ -||porn.com/js/pu.js -||porn.com^$subdocument,~third-party -||porn.com^*?$image,xmlhttprequest -||porn4down.com^*/ryuvuong.gif -||porn5.com^$subdocument,~third-party -||porn555.com/ps/ -||porn8x.net/js/outtrade.js -||porn8x.net/js/popup.js -||pornalized.com/contents/content_sources/ -||pornalized.com/js/adppornalized5.js -||pornalized.com/pornalized_html/closetoplay_ -||pornbay.org/popup.js -||pornbb.org/adsnov. -||pornbb.org/images/rotation/$image -||pornbb.org/images/your_privacy -||pornbraze.com^*/popupbraze.js -||pornbus.org/includes/js/bgcont.js -||pornbus.org/includes/js/cat.js -||pornbus.org/includes/js/ex.js -||pornbus.org/includes/js/exa.js -||pornbus.org/includes/js/layer.js -||porncor.com/sitelist.php -||porndoe.com/deliverAbc/ -||pornerbros.com/p_bnrs/ -||pornerbros.com/rec/$subdocument -||pornfanplace.com/js/pops. -||pornfanplace.com/rec/ +||porn-star.com/buttons/ +||pornalin.com/skd +||porndoe.com/banner/ +||porndoe.com/wp-contents/channel? +||pornerbros.com/lolaso/ +||pornforrelax.com/kiadtgyzi/ ||porngals4.com/img/b/ -||pornhd.com/pornhd/ -||pornhub.com/catagories/costume/ -||pornhub.com/channels/pay/ -||pornhub.com/front/alternative/ -||pornhub.com/jpg/ -||pornhub.com/pics/latest/$xmlhttprequest -||pornhub.phncdn.com/images/campaign-backgrounds/ -||pornhub.phncdn.com/misc/xml/preroll.xml -||pornissimo.org/banners/ -||pornizer.com/_Themes/javascript/cts.js? -||pornleech.is/pornleech_ -||pornmaturetube.com/content/ -||pornmaturetube.com/content2/ -||pornmaturetube.com/eureka/ -||pornmaturetube.com/show_adv. -||pornnavigate.com/feeds/delivery.php? -||pornobae.com^*.php$script -||pornoid.com/contents/content_sources/ -||pornoid.com/iframes/bottom -||pornoid.com/js/adppornoid -||pornoid.com/pornoid_html/ -||pornoinside.com/efpop.js -||pornorips.com/hwpop.js -||pornorips.com^*/rda.js -||pornorips.com^*/rotate*.php -||pornosexxxtits.com/rec/ -||pornoxo.com/pxo/$subdocument -||pornoxo.com/tradethumbs/ -||pornpause.com/fakevideo/ -||pornper.com/mlr/ -||pornper.com^*/pp.js -||pornpics.com/assets/sites/ -||pornpics.com/pornpics. -||pornpics.com/pp-ad- -||pornrabbit.com/*.php -||pornrabbit.com/static/js/_ -||pornshare.biz/1.js -||pornshare.biz/2.js -||pornsharing.com/App_Themes/pornsharianew/$subdocument,~third-party -||pornsharing.com/App_Themes/pornsharianew/js/adppornsharia*.js -||pornsharing.com/App_Themes/pornsharingnew/$subdocument,~third-party -||pornsharing.com/App_Themes/pornsharingnew/js/adppornsharia*.js -||pornstreet.com/siteunder.js -||porntalk.com/img/banners/ -||porntalk.com/rec/ -||porntube.com/*.php?z=$script -||porntube.com/adb/ -||porntube.com/ads| -||porntube.com/api/iframe/$subdocument -||porntube.com/assets/adb$script -||pornup.me/js/pp.js -||pornvideoq.com/*.html$subdocument,~third-party -||pornwikileaks.com/adultdvd.com.jpg -||pr-static.empflix.com^ -||pr-static.tnaflix.com^ -||pureandsexy.org/banner/ -||purelynsfw.com^*/banners/ -||purepornvids.com/randomadseb. -||purpleporno.com/pop*.js -||pwpwpoker.com/images/*/strip_poker_ -||pwpwpoker.com/images/banners/ -||px.boundhub.com^ -||queerclick.com/pu-$script -||queermenow.net/blog/wp-content/uploads/*-Banner -||queermenow.net/blog/wp-content/uploads/*/banner -||r.radikal.ru^ -||rackcdn.com^*/banners/$domain=hanime.tv -||raincoatreviews.com/images/banners/ -||rampant.tv/images/sexypics/ -||realgfporn.com/js/popall.js -||realgfporn.com/js/realgfporn.js -||realhomesex.net/*.html$subdocument -||realhomesex.net/ae/$subdocument -||realhomesex.net/floater.js -||realhomesex.net/pop/ -||redtube.com/barelylegal/ -||redtube.com/bestporn/ -||redtube.com/nymphos/ -||redtube.com/sexychicks/ -||redtube.com/wierd/ +||porngames.tv/images/skyscrapers/ +||porngames.tv/js/banner.js +||porngames.tv/js/banner2.js +||porngo.tube/tdkfiololwb/ +||pornhat.com/banner/ +||pornhub.*/_xa/ads +||pornicom.com/jsb/ +||pornid.name/ffg/ +||pornid.name/polstr/ +||pornid.xxx/azone/ +||pornid.xxx/pid/ +||pornj.com/wimtvggp/ +||pornjam.com/assets/js/renderer. +||pornjv.com/doe/ +||pornktube.tv/js/kt.js +||pornmastery.com/*/img/banners/ +||pornmix.org/cs/ +||porno666.com/code/script/ +||pornorips.com/4e6d8469754a.js +||pornorips.com/9fe1a47dbd42.js +||pornpapa.com/extension/ +||pornpics.com^$subdocument +||pornpics.de/api/banner/ +||pornpoppy.com/jss/external_pop.js +||pornrabbit.com^$subdocument +||pornsex.rocks/league.aspx +||pornstargold.com/9f3e5bbb8645.js +||pornstargold.com/af8b32fc37c0.js +||pornstargold.com/e7e5ed47e8b4.js +||pornstargold.com/tf2b6c6c9a44/ +||pornv.xxx/static/js/abb.js +||pornve.com/img/300x250g.gif +||pornxbox.com/cs/ +||pornxp.com/2.js +||pornxp.com/sp/ +||pornxp.net/spnbf.js +||pornyhd.com/hillpop.php +||port7.xhamster.com^ +||port7.xhamster.desi^ +||port7.xhamster2.com^ +||port7.xhamster3.com^ +||powe.asian-xxx-videos.com^ +||pregchan.com/.static/pages/dlsite.html +||projectjav.com/scripts/projectjav_newpu.js +||ps0z.com/300x250b +||punishworld.com/prerolls/ +||puporn.com/xahnqhalt/ +||pussycatxx.com/tab49fb22988.js +||pussyspace.com/fub +||qovua60gue.tubewolf.com^ +||rambo.xhamster.com^ +||rat.xxx/sofa/ +||rat.xxx/wwp2/ +||realgfporn.com/js/bbbasdffdddf.php +||redgifs.com/assets/js/goCtrl +||redtube.com/_xa/ads ||redtube.com^$subdocument,~third-party -||redtube.com^*/banner/ -||redtubefiles.com^*/banner/ -||redtubefiles.com^*/skins/ -||rev.fapdu.com^ -||rextube.com/plug/iframe.asp? -||rexxx.com/banner -||rude.com/js/PopupWindow.js -||rule34.xxx/bf/ -||rule34.xxx/r34.js -||rulirieter.com^$domain=gaytube.com +||redtube.fm/advertisment.htm +||redtube.fm/lcgldrbboxj.php +||rest.sexypornvideo.net^ +||rintor.space/t2632cd43215.js +||rockpoint.xhaccess.com^ +||rockpoint.xhamster.com^ +||rockpoint.xhamster.desi^ +||rockpoint.xhamster2.com^ +||rockpoint.xhamster3.com^ +||rockpoint.xhamster42.desi^ +||rst.pornyhd.com^ +||rtb-1.jizzberry.com^ +||rtb-1.mylust.com^ +||rtb-1.xcafe.com^ +||rtb-3.xgroovy.com^ +||ruedux.com/code/script/ +||rule34.xxx/images/r34_doll.png +||rule34hentai.net^$subdocument,~third-party ||rusdosug.com/Fotos/Banners/ -||russiansexytube.com/js/spc_banners_init.js -||russiansexytube.com/js/video_popup.js -||russiasexygirls.com/wp-content/uploads/*/727x90 -||russiasexygirls.com/wp-content/uploads/*/cb_ -||s.xvideos.com^$subdocument -||s3.amazonaws.com^$domain=gaybeeg.info -||scorehd.com/banner/ -||scorevideos.com/banner/ -||seaporn.org/scripts/life.js -||seemygf.com/webmasters/ -||sendvid.com/tpd.png -||sensualgirls.org/banner/ -||sensualgirls.org/media/banners/ -||sex-techniques-and-positions.com/123ima/ +||scatxxxporn.com/static/images/banners/ +||schoolasiagirls.net/ban/ +||scoreland.*/tranny.jpg +||sdhentai.com/marketing/ +||see.xxx/pccznwlnrs/ +||ser.everydayporn.co^ +||service.iwara.tv/z/z.php ||sex-techniques-and-positions.com/banners -||sex.com/images/*/banner_ -||sex3.com/if/ -||sex3dtoons.com/im/ -||sexilation.com/wp-content/uploads/2013/01/Untitled-1.jpg -||sexmo.org/static/images/*_banners_ -||sexmummy.com/float.htm -||sexmummy.com/footer.htm -||sexseeimage.com^*/banner.gif -||sextube.com/lj.js -||sextubebox.com/ab1.shtml -||sextubebox.com/ab2.shtml -||sextvx.com/static/images/tpd- -||sexu.com/*.php$script -||sexuhot.com/images/xbanner -||sexuhot.com/splayer.js -||sexvid.xxx/pi/ -||sexvid.xxx/xdman/ -||sexvideogif.com/msn.js -||sexvideogif.com/svg.js -||sexvines.co/images/cp -||sexyandfunny.com/images/totem -||sexyandshocking.com/mzpop.js -||sexyclips.org/banners/ -||sexyclips.org/i/130x500.gif -||sexyfuckgames.com/images/promo/ -||sexyshare.net//banners/ -||sexytime.com/img/sexytime_anima.gif -||shanbara.jp/300_200plus.jpg -||shanbara.jp/okusamadx.gif -||sharew.org/modalfiles/ -||shemaletubevideos.com/images/banners/ -||shesfreaky.com/pop/ -||shooshtime.com/ads/ -||shooshtime.com/images/chosenplugs/ -||shooshtimeinc.com/under.php -||signbucks.com/s/bns/ -||sillusions.ws^*/pr0pop.js -||sillusions.ws^*/vpn-banner.gif -||site.img.4tube.com^ -||skimtube.com/kellyban.gif -||slinky.com.au/banners/ -||smutmodels.com/sponsors/ -||smutr.com/live/ -||socaseiras.com.br/arquivos/banners/ -||socaseiras.com.br/banner_ -||socaseiras.com.br/banners.php? -||spankbang.com/api/live/ -||spankbang.com^*/mpop.js -||sss.xxx/ps/ -||static.flabber.net^*background -||static.kinghost.com^ -||stockingstv.com/partners/ -||stolenvideos.net/stolen.js -||sub.avgle.com^ -||submityourflicks.com/banner/ -||sunporno.com/js/flirt/serve.js -||svscomics.com^*/dtrotator.js -||t-51.com^*/banners/ -||t8.*.com/?$xmlhttprequest,domain=tube8.com -||taxidrivermovie.com/mrskin_runner/ +||sex3.com/ee/s/s/im.php +||sex3.com/ee/s/s/js/ssu +||sex3.com/ee/s/s/su +||sexcelebrity.net/contents/restfiles/player/ +||sextubebox.com/js/239eka836.js +||sextubebox.com/js/580eka426.js +||sextvx.com/*/ads/web/ +||sexvid.pro/knxx/ +||sexvid.pro/rrt/ +||sexvid.xxx/ghjk/ +||simply-hentai.com/prod/ +||sleazyneasy.com/contents/images-banners/ +||sleazyneasy.com/jsb/ +||sli.crazyporn.xxx^ +||slit.lewd.rip^ +||slview.psne.jp^ +||smutgamer.com/ta2b8ed9c305.js +||smutty.com/n.js +||sonorousporn.com/nb/ +||starwank.com/api/ +||stream-69.com/code/script/ +||striptube.net/images/ +||striptube.net/te9e85dc6853.js +||sunporno.com/api/spots/ +||sunporno.com/blb.php +||sunporno.com/sunstatic/frms/ +||support.streamjav.top^ ||taxidrivermovie.com^$~third-party,xmlhttprequest -||teenpornvideo.xxx/tpv.js -||temptingangels.org/fload.js -||theboys.be/nvrbl/ -||thedoujin.com^$domain=gelbooru.com -||thefappening.wiki^*/promo- -||thefappening.wiki^*/promo/ -||thefappeningblog.com/icloud9.html -||thefappeningblog.com/sproject/ -||thehun.net^*/banners/ -||thenewporn.com/js/adpthenewporn -||thenude.eu/media/mxg/ -||theporncore.com/contents/content_sources/ -||thinkexist.com/images/afm.js -||thumblogger.com/thumblog/top_banner_silver.js -||titsintops.com/intersitial/ -||titsintops.com/rotate/ -||tjoob.com/bgbb.jpg -||tjoob.com/kellyban.gif -||tkn.4tube.com^ -||tkn.fux.com^ -||tkn.pornerbros.com^ -||tkn.porntube.com^ -||tnaflix.com/*.php?t=footer -||tnaflix.com/banner/ -||tnaflix.com/display.php? -||tnaflix.com/flixPlayerImages/ -||tnaflix.com^*_promo.jpg -||trovaporno.com/image/incontri$image -||tube18.sex/player/html.php -||tube18.sex/tube18. -||tube8.com/penthouse/ -||tube8.com/sugarcrush/ -||tube8.com^$subdocument,~third-party -||tubedupe.com/footer_four.html -||tubedupe.com/side_two.html -||tubepornclassic.com/ps/ -||tubepornclassic.com^*.php?z=*&sub=$script -||turboimagehost.com/p1.js -||twatis.com/includes/excl/ -||twinsporn.net/images/delay.gif -||twinsporn.net/images/free-penis-pills.png -||twofuckers.com/brazzers -||txxx.com/assets/previewlib. -||txxx.com/txxx_pass/ -||uflash.tv^*/affiliates/ -||ukrainamateurs.com/images/banners/ -||unblockedpiratebay.com/static/img/bar.gif -||unoxxx.com/pages/en_player_video_right.html -||upornia.com/ps/ -||vibraporn.com/vg/ -||videos.com^*/jsp.js -||videoszoofiliahd.com/wp-content/themes/vz/js/p.js -||vidmo.org/images/*_banuers_ -||viralporn.com^*/popnew.js -||vivatube.com/upload/banners/ -||vivud.com/nb/b_ -||vjav.com/ps/ -||voyeurhit.com/ps/ -||vporn.com/VPAIDFlash. -||vrsmash.com^*/script.min.js -||vstreamcdn.com^*/ads/ +||tbib.org/tbib. +||teenporno.xxx/ab/ +||thegay.porn/gdtatrco/ +||thehun.net/banners/ +||thenipslip.com/b6c0cc29df5a.js +||thisvid.com/enblk/ +||tits-guru.com/js/istripper4.js +||titsintops.com/phpBB2/nb/ +||tktube.com/adlib/ +||tnaflix.com/azUhsbtsuzm? +||tnaflix.com/js/mew.js? +||topescort.com/static/bn/ +||tranny.one/bhb.php +||tranny.one/trannystatic/ads/ +||trannygem.com/ai +||tryboobs.com/bfr/ +||tsmodelstube.com/fun/$image,~third-party +||tubator.com/lookout/ex_rendr3.js +||tube.hentaistream.com/wp-includes/js/pop4.js +||tube8.*/_xa/ads +||tubeon.*/templates/base_master/js/jquery.shows2.min.js +||tuberel.com/looppy/ +||tubev.sex/td24f164e52654fc593c6952240be1dc210935fe/ +||tubxporn.xxx/js/xp.js +||txxx.com/api/input.php? +||upornia.com/yxpffpuqtjc/ +||urgayporn.com/bn/ +||uviu.com/_xd/ +||videosection.com/adv-agent.php +||vietpub.com/banner/ +||vikiporn.com/contents/images-banners/ +||vikiporn.com/js/customscript.js +||vipergirls.to/clientscript/popcode_ +||vipergirls.to/clientscript/poptrigger_ +||viptube.com/player_right_ntv_ +||vivatube.*/templates/base_master/js/jquery.shows2.min.js +||vndevtop.com/lvcsm/abck-banners/ +||voyeurhit.com/ffpqvfaczp/ +||vuwjv7sjvg7.zedporn.com^ +||warashi-asian-pornstars.fr/wapdb-img/ep/ ||watch-my-gf.com/list/ -||watchmygf.me/banner/ -||wauporn.com/nb/ -||waxtube.com/b/ -||weberotic.net/banners/ -||wetpussygames.com/images/promo/ -||wiki-stars.com/img.php? -||wiki-stars.com/trade/ -||worldsex.com/c/ -||x.eroticity.net^ -||x.vipergirls.to^ -||x3xtube.com/banner_rotating_ -||xbabe.com/iframes/ +||watchmygf.mobi/best.js +||wcareviews.com/bh/ +||wcareviews.com/bv/ +||wetpussygames.com/t78d42b806a3.js +||winporn.*/templates/base_master/js/jquery.shows2.min.js +||ww.hoes.tube^ +||wwwxxx.uno/pop-code.js +||wwwxxx.uno/taco-code.js +||x-hd.video/vcrtlrvw/ +||x.xxxbp.tv^ +||x.xxxbule.com^ +||x0r.urlgalleries.net^ +||x1hub.com/alexia_anders_jm.gif +||xanimu.com/prerolls/ ||xbooru.com/script/application.js -||xcafe.com/jkzx/ -||xcritic.com/images/buy- -||xcritic.com/images/rent- -||xcritic.com/images/watch- -||xcritic.com/img/200x150_ -||xfanz.com^*_banner_ -||xhamster.com/ads/ -||xhcdn.com/js/12.js$domain=xhamster.com -||xhcdn.com^*/ads_ -||xhcdn.com^*/sponsor- -||xhcdn.com^*/xpops. -||xogogo.com/images/latestpt.gif +||xcity.org/tc2ca02c24c5.js +||xfree.com/api/banner/ +||xgirls.agency/pg/c/ +||xgroovy.com/65 +||xgroovy.com/static/js/script.js +||xhaccess.com^*/vast? +||xhamster.com*/vast? +||xhamster.desi*/vast? +||xhamster2.com*/vast? +||xhamster3.com*/vast? +||xhamster42.desi*/vast? +||xhand.com/player/html.php?aid= +||xhcdn.com/site/*/ntvb.gif +||xis.vipergirls.to^ +||xjav.tube/ps/Hij2yp.js +||xmilf.com/0eckuwtxfr/ +||xnxxporn.video/nb39.12/ +||xozilla.com/player/html.php$subdocument ||xpics.me/everyone. -||xvideohost.com/hor_banner.php -||xvideos-free.com/d/ -||xxnxx.eu/index.php?xyz_lbx= -||xxxbunker.com/js/functions_ -||xxxery.com/f.js -||xxxgames.biz^*/sponsors/ -||xxxhdd.com/contents/content_sources/ -||xxxhdd.com/player_banners/ -||xxxhdd.com/plugs-thumbs/ -||xxxkinky.com/pap.js -||xxxporntalk.com/images/ -||xxxselected.com/cdn_files/dist/js/blockPlaces.js -||xxxxsextube.com/*.html$subdocument -||xxxymovies.com/js/win.js -||xxxymovies.com^*/bottom-banner. -||yea.xxx/img/creatives/ -||youaresogay.com/*.html -||youporn.com/capedorset/ -||youporn.com/watch_postroll/ -||youporn.com^$script,domain=youporn.com -||youporn.com^$script,subdocument,domain=youporngay.com -||youporn.com^$subdocument,~third-party -||yourdailygirls.com/vanilla/process.php -||yourdailypornstars.com/nothing/ -||yourdarkdesires.com^$subdocument -||yourlust.com/im/ -||youtubelike.com/ftt2/toplists/ -||youx.xxx/thumb_top/ -||yporn.tv/uploads/flv_player/commercials/ -||yporn.tv/uploads/flv_player/midroll_images/ -||yumymilf.com^*/banners/ -||yuvutu.com^*/banners/ -||zazzybabes.com/misc/virtuagirl-skin.js -||zemporn.com/js/pns.min.js -||zuzandra.info/b? -! motherless -/^https?:\/\/motherless\.com\/[a-z0-9A-Z]{3,}\.[a-z0-9A-Z]{2,}\_/$image,subdocument +||xrares.com/xopind.js +||xvideos.com/zoneload/ +||xvideos.es/zoneload/ +||xvideos.name/istripper.jpg +||xxxbox.me/vcrtlrvw +||xxxdessert.com/34l329_fe.js +||xxxfetish24.com/helper/tos.js +||xxxgirlspics.com/load.js +||xxxshake.com/assets/f_load.js +||xxxshake.com/static/js/script.js +||xxxvogue.net/_ad +||xxxxsx.com/sw.js +||yeptube.*/templates/base_master/js/jquery.shows2.min.js +||yespornpleasexxx.com/wp-content/litespeed/js/ +||yotta.scrolller.com^ +||you-porn.com/_xa/ads +||youjizz.com/KWIKY*.mp4$rewrite=abp-resource:blank-mp4,domain=youjizz.com +||youporn.com/_xa/ads +||youporn.com^$script,subdocument,domain=youporn.com|youporngay.com +||yourlust.com*/serve +||yourlust.com/assets/script.js +||yourlust.com/js/scripts.js +||yporn.tv/grqoqoswxd.php +||zazzybabes.com/istr/t2eff4d92a2d.js +||zbporn.com/ttt/ +||zzup.com/ad.php +! Exoclick scripts +/^https?:\/\/.*\/[a-z]{4,}\/[a-z]{4,}\.js/$script,~third-party,domain=bdsmx.tube|bigdick.tube|desiporn.tube|hclips.com|hdzog.com|hdzog.tube|hotmovs.com|inporn.com|porn555.com|shemalez.com|tubepornclassic.com|txxx.com|upornia.com|vjav.com|vxxx.com|youteenporn.net +! third-party servers +/^https?:\/\/.*\.(club|news|live|online|store|tech|guru|cloud|bid|xyz|site|pro|info|online|icu|monster|buzz|fun|website|photos|re|casa|top|today|space|network|live|work|systems|ml|world|life)\/.*/$~media,domain=1vag.com|4tube.com|asianpornmovies.com|getsex.xxx|glam0ur.com|hclips.com|hdzog.com|homemadevids.org|hotmovs.com|justthegays.com|milfzr.com|porn555.com|pornforrelax.com|pornj.com|pornl.com|puporn.com|see.xxx|shemalez.com|sss.xxx|streanplay.cc|thegay.com|thegay.porn|tits-guru.com|tubepornclassic.com|tuberel.com|txxx.com|txxx.tube|upornia.com|vjav.com|voyeurhit.com|xozilla.com ! (/sw.js) -/^https?:\/\/.*\/.*sw[0-9(.|_)].*/$script,domain=analdin.com|extremetube.com|fux.com|heavy-r.com|incesto69.com|indianbfvideos.com|keezmovies.com|mofosex.com|mypornstarbook.net|niceporn.xxx|porn555.com|pornerbros.com|pornototale.com|porntube.com|thisav.com|tubepornclassic.com|tubev.sex|txxx.com|vidmo.org|vpornvideos.com|yourdailypornstars.com -! pornhive.tv -$script,subdocument,third-party,domain=pornhive.tv -! wetplace.com -|http://$script,third-party,xmlhttprequest,domain=wetplace.com -|https://$script,third-party,xmlhttprequest,domain=wetplace.com -! javfhd.net / myhdjav.info -|http://$script,third-party,xmlhttprequest,domain=javfhd.net|myhdjav.info -|https://$script,third-party,xmlhttprequest,domain=javfhd.net|myhdjav.info -! xkeezmovies.com -|http://$script,third-party,xmlhttprequest,domain=xkeezmovies.com -|https://$script,third-party,xmlhttprequest,domain=xkeezmovies.com -! xxxkingtube.com -||xxxkingtube.com/*.php$image,script -! updatetube.com -|http://$script,third-party,xmlhttprequest,domain=updatetube.com -|https://$script,third-party,xmlhttprequest,domain=updatetube.com -! pornhd.com -$script,domain=pornhd.com -@@||cdn-static.pornhd.com/pornhd/$script,domain=pornhd.com -@@||cdnb-static.pornhd.com/pornhd/$script,domain=pornhd.com -! xozilla.com -@@||awemwh.com^$image,domain=xozilla.com -@@||cdnjs.cloudflare.com^$script,domain=xozilla.com -|http://$image,script,third-party,xmlhttprequest,domain=xozilla.com -|https://$image,script,third-party,xmlhttprequest,domain=xozilla.com -||xozilla.com/agent.php$image,script,subdocument -! efukt.com -$script,subdocument,third-party,domain=efukt.com -@@||ajax.googleapis.com/ajax/$script,domain=efukt.com -@@||twitter.com^$script,subdocument,domain=efukt.com -@@||zencdn.net^$script,domain=efukt.com -! 4tube.com, porntube.com, pornerbros.com, fux.com -/ade/baloo.php -! pronpic.org -||bugel.pronpic.org^$image -||newmail.pronpic.org^$script -||pronpic.org^$media -! fantasti.cc -||fantasti.cc^$xmlhttprequest -! zone-anime.net -@@||connect.facebook.net^$script,domain=zone-anime.net -@@||disqus.com^$script,domain=zone-anime.net -|http://$script,third-party,xmlhttprequest,domain=zone-anime.net -|https://$script,third-party,xmlhttprequest,domain=zone-anime.net -! xmoviesforyou.com -|http://$script,third-party,xmlhttprequest,domain=xmoviesforyou.com -|https://$script,third-party,xmlhttprequest,domain=xmoviesforyou.com -! rule34hentai.net -@@||rule34hentai.net/data/cache/$script -|http://$script,third-party,xmlhttprequest,domain=rule34hentai.net -|https://$script,third-party,xmlhttprequest,domain=rule34hentai.net -||rule34hentai.net^$script,~third-party -! txxx.com -@@||ahcdn.com^$xmlhttprequest,domain=txxx.com -@@||ajax.googleapis.com^$domain=txxx.com -@@||tubecup.org^$xmlhttprequest,domain=txxx.com -|http://$script,third-party,xmlhttprequest,domain=txxx.com -|https://$script,third-party,xmlhttprequest,domain=txxx.com -! urlgalleries.net -|http://$script,third-party,xmlhttprequest,domain=urlgalleries.net -|https://$script,third-party,xmlhttprequest,domain=urlgalleries.net -! pornerbros.com -|http://$script,third-party,xmlhttprequest,domain=pornerbros.com -|https://$script,third-party,xmlhttprequest,domain=pornerbros.com -! sextube.com -@@||static.sextube.phncdn.com^$script,domain=sextube.com -|http://$script,third-party,xmlhttprequest,domain=sextube.com -|https://$script,third-party,xmlhttprequest,domain=sextube.com -! milfzr.com -@@||ajax.googleapis.com^$script,domain=milfzr.com -@@||apis.google.com^$script,domain=milfzr.com -@@||connect.facebook.net^$script,domain=milfzr.com -@@||jwpcdn.com^$xmlhttprequest,domain=milfzr.com -|http://$script,third-party,xmlhttprequest,domain=milfzr.com -|https://$script,third-party,xmlhttprequest,domain=milfzr.com -! anyporn -@@||anyporn.com/captcha/comments/?$image -@@||anyporn.com/js/videopreview.js$script -@@||anyporn.com/player/fluidplayer/$script -@@||anyporn.com/v4_js/main.min.js$script -@@||anyporn.com/videojs/video.js$script -@@||anyporn.com/videojs/videojs-overlay.js$script -@@||anyporn.com/videojs/vjs-related.js$script -@@||anyporn.com/videos_screenshots/$image -||anyporn.com^$image,script,subdocument,xmlhttprequest -! gaybeeg.info -@@||netdna-storage.com^$xmlhttprequest,domain=gaybeeg.info -@@||translate.google.com^$script,domain=gaybeeg.info -@@||wp.com/wp-content/js/$script,domain=gaybeeg.info -|http://$script,third-party,xmlhttprequest,domain=gaybeeg.info -||xxxjizz.net^*.php$image,script -! hdzog.com -@@||ajax.googleapis.com^$script,domain=hdzog.com -@@||hdzog.com/key=$~third-party,xmlhttprequest -@@||hdzog.com/player/timelines.php?$~third-party,xmlhttprequest -|http://$script,third-party,xmlhttprequest,domain=hdzog.com -|https://$script,third-party,xmlhttprequest,domain=hdzog.com -||hdzog.com/njs/$script -||hdzog.com^$~third-party,xmlhttprequest -! amateurdumper.com -@@||ajax.googleapis.com^$script,third-party,domain=amateurdumper.com -|http://$script,third-party,xmlhttprequest,domain=amateurdumper.com|myxvids.com -|https://$script,third-party,xmlhttprequest,domain=amateurdumper.com|myxvids.com -! dreamamateurs.com -|http://$script,third-party,xmlhttprequest,domain=dreamamateurs.com -|https://$script,third-party,xmlhttprequest,domain=dreamamateurs.com -! Sxyprn.com/Myporn.club -@@||ajax.googleapis.com^$script,domain=myporn.club|sxyprn.com -@@||trafficdeposit.com//blog/$image,domain=sxyprn.com -@@||trafficdeposit.com/blog/$image,domain=sxyprn.com -@@||yps.link/emoji/$image,domain=sxyprn.com -@@||yps.link/users/ava/$image,domain=sxyprn.com -|https://$image,script,subdocument,third-party,xmlhttprequest,domain=myporn.club|sxyprn.com -! websocket ads (Adblock Plus beta) -$websocket,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xhamster.com|xtube.com|xvideos.com|youporn.com|youporngay.com -! Perfectgirls -|http://$script,domain=perfectgirls.es|perfectgirls.net|perfektdamen.co -! Sexgalaxy -@@||sexgalaxy.net/wp-content/plugins/captca_hidden/js/sc.js$script -@@||sexgalaxy.net/wp-content/themes/redwaves-lite/js/slidebars.min.js$script -@@||sexgalaxy.net/wp-includes/js/comment-reply.min.js$script -@@||sexgalaxy.net/wp-includes/js/imagesloaded.min.js$script -@@||sexgalaxy.net/wp-includes/js/jquery/jquery-migrate.min.js$script -@@||sexgalaxy.net/wp-includes/js/jquery/jquery.js$script -@@||sexgalaxy.net/wp-includes/js/jquery/jquery.masonry.min.js$script -@@||sexgalaxy.net/wp-includes/js/masonry.min.js$script -@@||sexgalaxy.net/wp-includes/js/wp-embed.min.js$script -@@||sexgalaxy.net/wp-includes/js/wp-emoji-release.min.js$script -|http://$script,~third-party,xmlhttprequest,domain=sexgalaxy.net -|https://$script,~third-party,xmlhttprequest,domain=sexgalaxy.net -! Vporn -|http://$image,script,third-party,xmlhttprequest,domain=vporn.com -|https://$image,script,third-party,xmlhttprequest,domain=vporn.com -! pornomovies.com -@@||pornomovies.com/includes/video-js-5.20.4/video.min.js$script -@@||pornomovies.com/templates/pornomovies/js/main.js$script -@@||pornomovies.com/templates/pornomovies/js/site.functions.js$script -||pornomovies.com^$script -! sexykittenporn.com -@@||sexykittenporn.com/images/sexykittenporn.com/layout/js/jquery-1.10.2.min.js$script -@@||sexykittenporn.com/images/sexykittenporn.com/layout/js/main.min.js$script -@@||sexykittenporn.com/images/sexykittenporn.com/player/jwplayer.new.js$script -||sexykittenporn.com^$script -||sexykittenporn.com^*/banners/ -! pussyspace.com -@@||pussyspace.com/js/all.js$script -@@||pussyspace.com/js/main.js$script -@@||pussyspace.com/player/h5.p18.js$script -||pussyspace.com^$script +/^https?:\/\/.*\/.*sw[0-9._].*/$script,xmlhttprequest,domain=1vag.com|4tube.com|adult-channels.com|analdin.com|biguz.net|bogrodius.com|chikiporn.com|fantasti.cc|fuqer.com|fux.com|hclips.com|heavy-r.com|hog.tv|megapornx.com|milfzr.com|mypornhere.com|porn555.com|pornchimp.com|pornerbros.com|pornj.com|pornl.com|pornototale.com|porntube.com|sexu.com|sss.xxx|thisav.com|titkino.net|tubepornclassic.com|tuberel.com|tubev.sex|txxx.com|vidmo.org|vpornvideos.com|xozilla.com|youporn.lc|youpornhub.it|yourdailypornstars.com +! +/^https?:\/\/.*\/[a-z0-9A-Z_]{2,15}\.(php|jx|jsx|1ph|jsf|jz|jsm|j$)/$script,subdocument,domain=3movs.com|4kporn.xxx|4tube.com|alotporn.com|alphaporno.com|alrincon.com|amateur8.com|anyporn.com|badjojo.com|bdsmstreak.com|bestfreetube.xxx|bigtitslust.com|bravotube.net|cockmeter.com|crazyporn.xxx|daftporn.com|ebony8.com|erome.com|exoav.com|fantasti.cc|fapality.com|fapnado.com|fetishshrine.com|freeporn8.com|gfsvideos.com|gotporn.com|hdporn24.org|hdpornmax.com|hdtube.porn|hellporno.com|hentai2w.com|hottorrent.org|hqsextube.xxx|hqtube.xxx|iceporn.com|imgderviches.work|imx.to|its.porn|katestube.com|lesbian8.com|love4porn.com|lustypuppy.com|manga18fx.com|manhwa18.cc|maturetubehere.com|megatube.xxx|milffox.com|momxxxfun.com|openloadporn.co|orsm.net|pervclips.com|porn-plus.com|porndr.com|pornicom.com|pornid.xxx|pornotrack.net|pornrabbit.com|pornwatchers.com|pornwhite.com|pussy.org|redhdtube.xxx|rule34.art|rule34pornvids.com|runporn.com|sexvid.porn|sexvid.pro|sexvid.xxx|sexytorrents.info|shameless.com|sleazyneasy.com|sortporn.com|stepmom.one|stileproject.com|str8ongay.com|tnaflix.com|urgayporn.com|vikiporn.com|wankoz.com|xbabe.com|xcafe.com|xhqxmovies.com|xxx-torrent.net|xxxdessert.com|xxxextreme.org|xxxonxxx.com|yourlust.com|youx.xxx|zbporn.com|zbporn.tv +! eporner +/^https?:\/\/.*\.eporner\.com\/[0-9a-f]{10,}\/$/$script,domain=eporner.com +! thegay.com +@@||thegay.com/assets//jwplayer-*/jwplayer.core.controls.html5.js|$domain=thegay.com +@@||thegay.com/assets//jwplayer-*/jwplayer.core.controls.js|$domain=thegay.com +@@||thegay.com/assets//jwplayer-*/jwplayer.js|$domain=thegay.com +@@||thegay.com/assets//jwplayer-*/provider.hlsjs.js|$domain=thegay.com +@@||thegay.com/assets/jwplayer-*/jwplayer.core.controls.html5.js|$domain=thegay.com +@@||thegay.com/assets/jwplayer-*/jwplayer.core.controls.js|$domain=thegay.com +@@||thegay.com/assets/jwplayer-*/jwplayer.js|$domain=thegay.com +@@||thegay.com/assets/jwplayer-*/provider.hlsjs.js|$domain=thegay.com +@@||thegay.com/upd/*/assets/preview*.js|$domain=thegay.com +@@||thegay.com/upd/*/static/js/*.js|$domain=thegay.com +||thegay.com^$script,domain=thegay.com +! websocket ads +$websocket,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com +! csp +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval',domain=coomer.su|thumbs.pro +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval',domain=gayforfans.com,~third-party +||thegay.com^$csp=default-src 'self' *.ahcdn.com fonts.gstatic.com fonts.googleapis.com https://thegay.com https://tn.thegay.com 'unsafe-inline' 'unsafe-eval' data: blob: ! *** easylist:easylist_adult/adult_specific_block_popup.txt *** -^utm_medium=pops^$popup,domain=ratedporntube.com|sextuberate.com -|http*://*?$popup,third-party,domain=pornhub.com|pornsocket.com|redtube.com|spankwire.com|tube8.com|vidz78.com|xxxkingtube.com|youporn.com|youporngay.com -||bitchcrawler.com/?$popup -||delivery.porn.com^$popup -||delivery.porn5.com^$popup -||downloadableporn.org/xxx/$popup -||eporner.com/pop.php$popup -||fantasti.cc^*?ad=$popup -||fantastube.com/track.php$popup -||fashionyip.info/go.$popup -||fc2.com^$popup,domain=xvideos.com -||fileparadox.in/free$popup,domain=tdarkangel.com -||goo.gl^$popup,domain=thisav.com -||h2porn.com/pu.php$popup -||hegansex.com/exo.php$popup -||heganteens.com/exo.php$popup -||imagebam.com/redirect_awe.php$popup -||imgadult.com/url.php$popup +.com./$popup,domain=pornhub.com +|http*://*?$popup,third-party,domain=forums.socialmediagirls.com|pornhub.com|redtube.com|tube8.com|youporn.com|youporngay.com +||boyfriendtv.com/out/bg-$popup +||clicknplay.to/api/$popup +||icepbns.com^$popup,domain=iceporn.com ||livejasmin.com/pu/$popup -||movies.askjolene.com/c64?clickid=$popup -||namethatporn.com/ntpoo$popup -||nuvidp.com^$popup -||pinporn.com/popunder/$popup -||pop.fapxl.com^$popup -||pop.mrstiff.com^$popup -||porn101.com^$popup,domain=lexsteele.com -||porndoo.com/pup/ -||pornflip.com/away/pop?$popup -||publicagent.com/bigzpup.php$popup -||r18.com/*utm_source$popup -||rackcdn.com^$popup,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com -||rd.cockhero.info^$popup -||site-rips.org^$popup,domain=backupload.net -||xvideos-free.com/d/$popup -||ymages.org/prepop.php$popup -! generic popup block -/http*.:\/\/.*[?|=|&|%|#|+].*/$popup,domain=femefun.com -! ipaddresses -/\:\/\/([0-9]{1,3}\.){3}[0-9]{1,3}/$popup,domain=bitporno.com|pornxs.com|vidz7.com +||missav.com/pop?$popup +||nhentai.net/api/_/popunder?$popup +||porndude.link/porndudepass$popup,domain=theporndude.com +||t.ly^$popup,domain=veev.to +||videowood.tv/pop?$popup +||xtapes.to/out.php$popup +||xteen.name/xtn/$popup +! about:blank popups +/about:blank.*/$popup,domain=bitporno.com|iceporn.com|katestube.com|videowood.tv|xtapes.to +! +$popup,third-party,domain=hentai2read.com|porn-tube-club.com ! ------------------------Specific element hiding rules------------------------! ! *** easylist:easylist/easylist_specific_hide.txt *** -search.safefinder.com,search.snapdo.com###ABottomD -poodwaddle.com###AD2 -aol.com###AOLP_partnerSearch -search.safefinder.com,search.snap.do,search.snapdo.com###ATopD -avsforum.com###AVSForum_com_300x150_Sponsor_TECH_Forum -patheos.com###A_Artl_970x90_OptDirect -patheos.com###A_Home_728x90_Header -community.adlandpro.com###AdContent -autotrader.ca###AdSense -carsdir.com###AddCarBanner -igcd.net,tangorin.com,webcarstory.com###Ads -metacafe.com###Adv -search.snap.do,search.snapdo.com###AfloatingD -knowyourmoney.co.uk###Au_HomePage350x200 -thetruthaboutcars.com###AutoAnything -fileresearchcenter.com###AutoNumber3 -crictime.com###AutoNumber5 -buzzfeed.com###BF_WIDGET_10 -novafm.com.au###BGLink -ebuddy.com###Banner +magnet.so###AD +passwordsgenerator.net###ADCENTER +passwordsgenerator.net###ADTOP +advfn.com###APS_300_X_600 +advfn.com###APS_BILLBOARD +thetvdb.com###ATF +seafoodsource.com###Ad1-300x250 +seafoodsource.com###Ad2-300x250 +seafoodsource.com###Ad3-300x250 +boredbro.com###AdBox728 +moviekhhd.biz,webcarstory.com###Ads +search.avast.com###AsbAdContainer +ranker.com###BLOG_AD_SLOT_1 weegy.com###BannerDiv -arto.com###BannerInfobox -autotrader.co.nz###Banner_1 -muchmusic.com###BigBox -slice.ca###BigBoxContainer -metacafe.com###Billboard -shmoop.com###Billboard_Tag -whatsupiran.com###BottomBanner -foodnetwork.ca###BottomLeader -advfn.com###BottomTabsElement -montereyherald.com###BreakingNewsSponsor -ebuddy.com###Button -cgsociety.org###CGS_home_900 -canoe.ca###CanoeBigBoxAd -citytv.com###CityTv-HeaderBannerBorder -ynetnews.com###ClarityRayButton -naturalnews.com###Container-Tier1 -naturalnews.com###Container-Tier2 -supersport.com###ContentPlaceHolder1_featureShopControl1_shop -cardomain.com###ContentPlaceHolder1_rideForSaleOnEbay -supersport.com###ContentPlaceHolder1_shop1_shopDiv -muchmusic.com###ContestsSide -uinterview.com###CrowdIgnite -amazon.ca,amazon.co.uk,amazon.com,amazon.com.au,amazon.fr###DAadrp -ibtimes.com###DHTMLSuite_modalBox_contentDiv -gamesforgirlz.net###DUL-jack -merriam-webster.com###Dictionary-MW_DICT_728_BOT -starcanterbury.co.nz###DivBigBanner -meettheboss.tv###DivCenterSpaceContainer -nzherald.co.nz###DivContentRect -nzherald.co.nz###DivHeadlineRect -hollywood.com###DivSkyscraper -wackyarchives.com###Div_b -wackyarchives.com###Div_s -cdcovers.cc###EBTopBanner -englishclub.com###ECtopLB -javaprogrammingforums.com###EG6209c8f52f7d41a397438a16159bb58e -marthastewart.com###ERA_AD_BLOCK1 -jpost.com###Elal -nzherald.co.nz###ExtendedBanner -behance.net###FMGABadge -hothardware.com###FillerLeftLink -hothardware.com###FillerRightLink -blackamericaweb.com,camfuze.com###FooterBanner -liverpoolfc.com###FooterLogos -wlup.com###FooterOpenX -eweek.com###Form1 -formspring.me###Formspringme_Profile_300x250 -stayontheblack.com###GAdvert -financialsurvivalnetwork.com,tsbmag.com###GB_overlay -financialsurvivalnetwork.com,tsbmag.com###GB_window -writersdigest.com###GLinks -gajitz.com###Gajitz-300x250 -humorpix.com###GoogleSidebarRight -thedenverchannel.com###HAPPENING_NOW -infoplease.com###HCads -theweek.com###HPLeaderbox -celebnipslipblog.com,countryweekly.com###HeaderBanner -greatschools.org###Header_728x90 -myspace.com###HeroUnitMedRec -dreamteamfc.com###HomeContentMpu -austinchronicle.com###HowAboutWe -collegerecruiter.com###IMU_468x60 -collegerecruiter.com###IMU_468x60_search-results -collegerecruiter.com###IMU_728x90 -patheos.com###I_Artl_970x40_Breaking -patheos.com###I_Blog_300x100_Pos1 -img2share.com###ImSlider -icelandreview.com###ImgArea2 -serverwatch.com###InlineAssetListing -kijiji.ca###InlineBanner -indiaresults.com###Irc_Gra_add -autotrader.co.nz###Island2_2 -autotrader.co.nz###Island_1 -khaleejtimes.com###KTBannerBox -ign.com###LB_Row -globaltv.com###LBigBox -yahoo.com###LREC -yahoo.com###LREC-sizer -yahoo.com###LREC2-sizer -stupidvideos.com###LRECContainer -livesoccertv.com###LSTV_ROS_300x250 -livesoccertv.com###LSTV_ROS_468x60 -abplive.in###Latest_Coupons_and_Promo_codes -mb.com.ph###LeaderBoardTop -muchmusic.com###Leaderboard -wistechnology.com###LeaderboardContainer -shmoop.com###Leaderboard_Footer -genengnews.com###Leaderboard_container -freeiconsdownload.com###LeftBanner -israelnationalnews.com###LeftInfo -printmag.com,wetcanvas.com###LinkSpace -ustream.tv###LoginBannerWrapper -hotnewhiphop.com###LookoutContent -mail.yahoo.com###MIP4 -medicalnewstoday.com###MNT_600xFlex_Middle -mail.yahoo.com###MNW -autotrader.ie,natgeotv.com###MPU -nick.co.uk###MPU-wrap -moneyexpert.com###MPUBanner -yahoo.com###MREC -entrepreneur.com.ph###MREC01 -entrepreneur.com.ph###MREC02 -monetarywatch.com###MW_1_screen -i4u.com###MainContent > .SidebarBox -uinterview.com###MarketGid2421 -metacafe.com###MedRect -metacafe.com###MedRect2 -howstuffworks.com###MedRectHome -finance.yahoo.com,news.yahoo.com###MediaFeaturedListEditorial -mid-day.com###Middaynew_Article_Detail_Page_300x250_ATF-ads -tokeofthetown.com###Middle -nytimes.com###MiddleRight -apcointl.org###Mod124 -thetibetpost.com###Mod277 -thetibetpost.com###Mod296 -theoslotimes.com###Mod346 -ninemsn.com.au###NH_shoppingTabs -nintendolife.com###NL_LB_1 -nintendolife.com###NL_MPU_1 -nytimes.com###NYTD_DYNAMIC_IFADS -india.com###NewBanner -walmart.com###OAS_Left1 -vidspot.net###On3Pla1ySpot -allmyvideos.net###OnPlayerClose -pch.com###PCHAdWrap -missoulian.com,thenewstribune.com,theolympian.com###PG_fb -azdailysun.com,azstarnet.com,billingsgazette.com,elkodaily.com,heraldextra.com,metromix.com,missoulian.com,tdn.com,thenewstribune.com,theolympian.com,trib.com###PG_link -joystickdivision.com###Page_Header -clipmarks.com###Panel -gematsu.com###Play_Asia -thefix.com###PopupSignupForm -politicususa.com###PrimaryMid1 -dinodirect.com###ProductShowAD -newser.com###PromoSquare -globaltv.com###RBigBoxContainer -gardenista.com,remodelista.com###REMODELISTA_BTF_CENTER_AD_FRAME -gardenista.com,remodelista.com###REMODELISTA_BTF_RIGHTRAIL-2 -smash247.com###RT1 -readwriteweb.com###RWW_BTF_CENTER_AD -awazfm.co.uk###Recomends -ebuddy.com###Rectangle -reference.com###Resource_Center -blackamericaweb.com###RightBlockContainer2 -killsometime.com###RightColumnSkyScraperContainer -mail.yahoo.com,skateboardermag.com###SKY -globaltv.com###SPBigBox -globaltv.com###SRBigBoxContainer -scamdex.com###ScamdexLeaderboard -medicinenet.com###SearchUnit -polyvore.com###Set_RHS_IABMediumRect -triblive.com###ShopLocal -whitepages.ae###ShortRectangle_UpdatePanel2 -grapevine.is###Side -mail.aol.com###SidePanel -nbcnews.com###Sidebar2-sponsored +80.lv###Big_Image_Banner +citynews.ca###Bigbox_300x250 +calculatorsoup.com,thetvdb.com###Bottom +coincheckup.com###CCx5StickyBottom +chicagoprowrestling.com###Chicagoprowrestling_com_Top +gayemagazine.com###Containera2sdv > div > div > div[id^="comp-"] +webmd.com###ContentPane40 +new-kissanime.me###CvBNILUxis +dailydot.com###DD_Desktop_HP_Content1 +dailydot.com###DD_Desktop_HP_Content2 +dailydot.com###DD_Desktop_HP_Content3 +tweaktown.com###DesktopTop +promiseee.com###DetailButtonFloatAd +investing.com###Digioh_Billboard +newser.com###DivStoryAdContainer +satisfactory-calculator.com###DynamicInStream-Slot-1 +satisfactory-calculator.com###DynamicWidth-Slot-1 +satisfactory-calculator.com###DynamicWidth-Slot-2 +stripes.com###FeatureAd +esports.gg,howlongagogo.com,neatorama.com###FreeStarVideoAdContainer +esports.gg###FreeStarVideoAdContainer_VCT +ranker.com###GRID_AD_SLOT_1 +titantv.com###GridPlayer +appatic.com,gamescensor.com###HTML2 +fanlesstech.com###HTML2 > .widget-content +messitv.net###HTML23 +fanlesstech.com###HTML3 +fanlesstech.com###HTML4 > .widget-content +fanlesstech.com###HTML5 > .widget-content +gamescensor.com###HTML6 +fanlesstech.com###HTML6 > .widget-content +breitbart.com###HavDW +semiconductor-today.com###Header-Standard-Middle-Evatec +sitelike.org###HeaderAdsenseCLSFix +kob.com,kstp.com,whec.com###Header_1 +promiseee.com###HomeButtonFloatAd +stockinvest.us###IC_d_300x250_1 +stockinvest.us###IC_d_728x90_1 +messitv.net###Image5 +80.lv###Image_Banner_Mid1 +80.lv###Image_Banner_Mid3 +newstarget.com###Index06 > .Widget +newstarget.com###Index07 > .Widget +supremacy1914.com###KzTtoWW +engadget.com###LB-MULTI_ATF +fortune.com###Leaderboard0 +naturalnews.com###MastheadRowB +stripes.com###MidPageAd +cnet.com,medicalnewstoday.com###MyFiAd +medicalnewstoday.com###MyFiAd0 +neatorama.com###Neatorama_300x250_300x600_160x600_ATF +neatorama.com###Neatorama_300x250_300x600_160x600_BTF +neatorama.com###Neatorama_300x250_336x280_320x50_Incontent_1 +mainichi.jp###PC-english-rec1 +kohls.com###PDP_monetization_HL +kohls.com###PMP_monetization_HL +physicsandmathstutor.com###PMT_PDF_Top +physicsandmathstutor.com###PMT_Top +snwa.com###PolicyNotice +audioz.download###PromoHead +newstarget.com###PromoTopFeatured +officedepot.com###PromoteIqCarousel +sciencealert.com###Purch_D_R_0_1 +randomwordgenerator.com###RWG_Bottom_Banner_Desktop_970px +randomwordgenerator.com###RWG_Sidebar_Banner_Desktop_970px +randomwordgenerator.com###RWG_Under_Video_Player +edn.com###SideBarWrap +soapcalc.net###SidebarLeft daringfireball.net###SidebarMartini +soapcalc.net###SidebarRight imcdb.org###SiteLifeSupport -imcdb.org###SiteLifeSupportMissing -thisismoney.co.uk###Sky -austinchronicle.com###Skyscraper -teoma.com###Slink -writersdigest.com###SpLinks -howstuffworks.com###SponLogo -similarsites.com###SponsoredTag -spigotmc.org###Sponsors -gamebanana.com###SquareBanner -technobuffalo.com###TBATF300 -linuxjournal.com###TB_overlay -linuxjournal.com###TB_window -ninemsn.com.au###THEFIX_promo -ustream.tv###Takeover -newser.com###TodaysMostPopular > div > div[class]:first-child -joystickdivision.com,tokeofthetown.com###Top -blackamericaweb.com,cjnews.com,entertainmentearth.com###TopBanner -gamespy.com###TopMedRec -governing.com###Topbanner -genengnews.com###Topbanner_bar -al.com###Toprail_Leaderboard -gamebanana.com###TowerBanner -austinchronicle.com###TravelZoo -xe.com###UCCInputPage_Slot1 -xe.com###UCCInputPage_Slot2 -xe.com###UCCInputPage_Slot3 -globaltv.com###VideoPlayer-BigBox -moviefone.com###WIAModule -rediff.com###WR1_container -albumjams.com,ecostream.tv###WarningCodec -xojane.com###XOJANE_BTF_CENTER -xojane.com###XOJANE_BTF_RIGHTRAIL -yahoo.com###YSLUG -zapak.com###ZAPADS_Middle -golf.com###\31 000-104-ros -gearburn.com,memeburn.com###\33 00X250ad -tvembed.eu###\33 00banner -dangerousminds.net###\37 28ad -thegalaxytabforum.com###\5f _fixme -ndtv.com###\5f _g360_kp_widget -ndtv.com###\5f _kpw_product_rhs -esi-africa.com,miningreview.com###\5f _leaderboard-main -happystreams.net###\5f ad_ -funnyordie.com###\5f ad_div -business.com###_ctl0_RightContentplaceholder_FeaturedListingsUC_featuredListingsBox -ama-assn.org###a -funnyjunk.com###a-bottom -citationmachine.net###a-desktop-bx-1 -citationmachine.net###a-desktop-bx-2 -funnyjunk.com###a-left -funnyjunk.com###a-top -dm5.com###a1 -metblogs.com###a_medrect -ytmnd.com###a_plague_upon_your_house -metblogs.com###a_widesky -accuweather.com###aadTop300 -nearlygood.com###abf -jakeludington.com###ablock -jakeludington.com###ablock3 -next-gen.biz###above-header-region -macworld.com###aboveFootPromo -healthgrades.com###abovePage -viralthread.com###aboveShare728x90 -myschool.com.ng###above_header_fluid -feministing.com###abovefooter -feministing.com###aboveheader -tvseriesfinale.com###abox -reference.com,thesaurus.com###abvFold -praag.org###ac-belowpost -praag.org###ac-top -blocked-website.com###acbox -nytimes.com###acm-wrapper -filefactory.com###acontainer -bitcoca.com###active1 -bitcoca.com###active2 -bitcoca.com###active3 -1050talk.com,4chan.org,altervista.org,amazon.com,aol.com,awfuladvertisements.com,bitcoinmonitor.com,braingle.com,campusrn.com,chicagonow.com,cocoia.com,cryptoarticles.com,dailydigestnews.com,daisuki.net,devshed.com,djmickbabes.com,downforeveryoneorjustme.com,earthtechling.com,esquire.com,fantom-xp.com,farmville.com,fivethirtyeight.com,fosswire.com,g4tv.com,gifts.com,golackawanna.com,google.com,guiminer.org,helpwithwindows.com,hknepaliradio.com,ieradio.org,ifunnyplanet.com,ifyoulaughyoulose.com,imageshack.us,infowat.com,instapaper.com,internetradiouk.com,investorschronicle.co.uk,jamaicaradio.net,jamendo.com,jigzone.com,learnhub.com,legendofhallowdega.com,libertychampion.com,linkedin.com,livevss.net,loveshack.org,lshunter.tv,macstories.net,marketingpilgrim.com,mbta.com,milkandcookies.com,miningreview.com,msnbc.com,mydallaspost.com,nbcnews.com,neoseeker.com,ninemsn.com.au,nzherald.co.nz,omgili.com,onlineradios.in,phonezoo.com,printitgreen.com,psdispatch.com,psu.com,queensberry-rules.com,radio.co.ug,radio.com.gh,radio.com.lk,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioau.net,radionp.com,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radiosingapore.org,radioth.net,radiowebsites.org,rapidshare-downloads.com,reversegif.com,robotchicken.com,saportareport.com,sciencerecorder.com,shop4freebies.com,slidetoplay.com,socialmarker.com,statecolumn.com,technorati.com,theabingtonjournal.com,theoswatch.com,thetelegraph.com,timesleader.com,totaljerkface.com,totallycrap.com,trinidadradiostations.net,tutorialized.com,twitch.tv,ultimate-rihanna.com,vetstreet.com,vidsn.com,vladtv.com,wallpapers-diq.com,wefunction.com,wiki-domains.net,womensradio.com,xe.com,yahoo.com,youbeauty.com,ytconv.net,zootool.com###ad -clip.dj,dafont.com,documentary.net,gomapper.com,idahostatejournal.com,investorschronicle.co.uk,ktxw.net,megafilmeshd.net,theawl.com,thehindubusinessline.com,timeanddate.com,troyhunt.com,weekendpost.co.zw,wordreference.com###ad1 -btvguide.com,cuteoverload.com,edmunds.com,investorschronicle.co.uk,ktxw.net,megafilmeshd.net,miningreview.com,pimpandhost.com,theawl.com,thehairpin.com,troyhunt.com,vshare.io,weekendpost.co.zw,wordreference.com###ad2 -btvguide.com,exchangerates.org.uk,ieradio.org,internetradiouk.com,jamaicaradio.net,ktxw.net,onlineradios.in,pimpandhost.com,radio.co.ug,radio.com.gh,radio.com.lk,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioau.net,radionp.com,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radiosingapore.org,radioth.net,radiowebsites.org,theawl.com,thehairpin.com,trinidadradiostations.net,way2sms.com,weekendpost.co.zw,zerocast.tv###ad3 -theawl.com,thehairpin.com###ad4 -about.com,allexperts.com###adB -joblo.com###adBillboard -fxnetworks.com,isearch.avg.com###adBlock -experts-exchange.com###adComponent -gamemazing.com###adContainer -about.com,paidcontent.org###adL -911jobforums.com,all-nettools.com,apnadesi-tv.net,britsabroad.com,candlepowerforums.com,droidforums.net,filesharingtalk.com,forum.opencarry.org,hongfire.com,justskins.com,kiwibiker.co.nz,lifeinvictoria.com,lotoftalks.com,moneymakerdiscussion.com,mpgh.net,mrexcel.com,nextgenupdate.com,partyvibe.com,perthpoms.com,pomsinadelaide.com,pomsinoz.com,printroot.com,thriveforums.org,watchdesitv.com,watchuseek.com,win8heads.com###ad_global_below_navbar -exchangerates.org.uk###ad_hp -phonezoo.com###adbb -pcgamesn.com###adbl_lb -mp3tag.de###adblock-download -nowsci.com###adblocker -bizjournals.com###adc2 -rapid-search-engine.com###adcid1 -fotochatter.com###adcon -neurosoftware.ro###addDiv -atlanticfarmfocus.ca###add_bottom -imageshack.us###add_frame -canadianfamily.ca###add_left -1movies.is###add_margin -canadianfamily.ca###add_right -chipchick.com###add_space577 -washingtonjewishweek.com###addclose -veryicon.com###addd -barbavid.com###additional_plugins_bar -way2sms.com###addiv -joymag.co.za###addlink -computerworld.com###addresources -computerworld.com###addresources_module -kenrockwell.com,mocospace.com,telegraph.co.uk###adds -tortoisesvn.net###adgroup -shivtr.com###admanager -girlsgames.biz###admd -909lifefm.com,anichart.net,audioreview.com,boldsky.com,carlow-nationalist.ie,cayrock.ky,chelseanews.com,craigclassifiedads.com,daemon-tools.cc,disconnect.me,dreadcentral.com,duckduckgo.com,eveningecho.ie,footballfancast.com,full-stream.me,g.doubleclick.net,gearculture.com,genevalunch.com,goodreturns.in,hdcast.tv,healthboards.com,hot1041.ky,inspirationti.me,kildare-nationalist.ie,kiss.ky,laois-nationalist.ie,lorempixel.com,lshstream.com,lshstreams.com,mobilerevamp.org,mtbr.com,nylonguysmag.com,photographyreview.com,placehold.it,playr.org,privack.com,quiz4fun.com,quote.com,roscommonherald.ie,skyuser.co.uk,talk1300.com,theindustry.cc,toorgle.net,triblive.com,tvope.com,urbandictionary.com,washingtonmonthly.com,waterford-news.ie,wccftech.com,westernpeople.com,wexfordecho.ie,x1071.ky###ads -chia-anime.com###ads8 -privack.com###adsb -uploaded.net###adshare-videoad -boingboing.net###adskin -videos.com###adsl -smh.com.au###adspot-300x600\,300x250-pos-1 -videos.com###adst -fitnessmagazine.com###adtag -ninemsn.com.au###adtile -conservativepost.com###adtl -beemp3s.org,mnn.com###adv -tinyvid.net###adv1 -cad-comic.com###advBlock -forexminute.com###advBlokck -teleservices.mu###adv_\'146\' -arsenal.com,farmersvilletimes.com,horoscope.com,ishared.eu,murphymonitor.com,princetonherald.com,runescape.com,sachsenews.com,shared2.me,wylienews.com###advert -uploaded.to###advertMN -architectsjournal.co.uk,bt.com,chron.com,climateprogress.org,computingondemand.com,everydaydish.tv,fisher-price.com,funnygames.co.uk,games.on.net,givemefootball.com,intoday.in,iwin.com,mysanantonio.com,myspace.com,nickjr.com,nytsyn.com,opry.com,peoplepets.com,psu.com,radiozdk.com,sonypictures.com,thatsfit.com,truelocal.com.au,unshorten.it,variety.com,washingtonian.com,yippy.com###advertisement -typepad.com###advertisements -bom.gov.au,develop-online.net,geeky-gadgets.com,govolsxtra.com,hwbot.org,motortorque.com,pcr-online.biz,profy.com,webshots.com###advertising -1cookinggames.com,intowindows.com,irishhealth.com,playkissing.com,snewscms.com,yokogames.com###advertisment -kickoff.com###advertisng -gamblinginsider.com###advertorial-header -share-links.biz###advice -apkonline.net###adxx +puzzle-aquarium.com,puzzle-minesweeper.com,puzzle-nonograms.com,puzzle-skyscrapers.com###Skyscraper +roblox.com###Skyscraper-Abp-Left +roblox.com###Skyscraper-Abp-Right +thecourier.com###TCFO_Middle2_300x250 +thecourier.com###TCFO_Middle_300x250 +today.az###TODAY_Slot_Top_1000x120 +today.az###TODAY_Slot_Vertical_01_240x400 +gearspace.com###Takeover +road.cc###Top-Billboard +the-scientist.com###Torpedo +utne.com###URTK_Bottom_728x90 +utne.com###URTK_Middle_300x250 +utne.com###URTK_Right_300x600 +scrabble-solver.com###Upper +breakingnews.ie###\30 _pweumum7 +helpnetsecurity.com###\32 8d7c1ee_l1 +turbobit.net###__bgd_link +news-daily.com,outlookindia.com,stripes.com###_snup-rtdx-ldgr1 +ytmp3.cc###a-320-50 +egotastic.com###a46c6331 +egotasticsports.com###a83042c4 +krunker.io###aHolder +tokder.org###aaaa +imagebam.com###aad-header-1 +imagebam.com###aad-header-2 +imagebam.com###aad-header-3 +kshow123.tv###ab-sider-bar +travelpulse.com###ab_container +uinterview.com###above-content +slideshare.net###above-recs-desktop-ad-sm +smartertravel.com###above-the-fold-leaderboard +jezebel.com,pastemagazine.com###above_logo +peacemakeronline.com###above_top_banner +breitbart.com###accontainer +usatoday.com###acm-ad-tag-lawrence_dfp_desktop_arkadium +usatoday.com###acm-ad-tag-lawrence_dfp_desktop_arkadium_after_share +nextdoor.com,sptfy.be###ad +ftw.usatoday.com,touchdownwire.usatoday.com###ad--home-well-wrapper +lasvegassun.com###ad-colB- +getmodsapk.com###ad-container +astrolis.com###ad-daily +uploadfox.net###ad-gs-05 +retrostic.com,sickchirpse.com,thetimes.co.uk###ad-header +livescore.com###ad-holder-gad-news-article-item +nationalrail.co.uk###ad-homepage-advert-a-grey-b-wrapper +nationalrail.co.uk###ad-homepage-advert-d-grey-b-wrapper +healthbenefitstimes.com###ad-image-below +thetimes.co.uk###ad-intravelarticle-inline +mayoclinic.org###ad-mobile-bottom-container +mayoclinic.org###ad-mobile-top-container +dvdsreleasedates.com###ad-movie +dappradar.com###ad-nft-top +thedailymash.co.uk,thepoke.co.uk,thetab.com###ad-sidebar-1 +thedailymash.co.uk,thepoke.co.uk,thetab.com###ad-sidebar-2 +thedailymash.co.uk,thepoke.co.uk,thetab.com###ad-sidebar-3 +thedailymash.co.uk,thepoke.co.uk,thetab.com###ad-sidebar-4 +stackabuse.com###ad-snigel-1 +stackabuse.com###ad-snigel-2 +stackabuse.com###ad-snigel-3 +stackabuse.com###ad-snigel-4 +wordplays.com###ad-sticky +agegeek.com,boards.net,freeforums.net,investing.com,mtaeta.info,notbanksyforum.com,pimpandhost.com,proboards.com,realgearonline.com,repairalmostanything.com,timeanddate.com,wordhippo.com,wordreference.com###ad1 +agegeek.com,investing.com,pimpandhost.com###ad2 +exchangerates.org.uk,investing.com###ad3 +comicbookmovie.com###adATFLeaderboard +chortle.co.uk,coloring.ws,dltk-holidays.com,dltk-kids.com,kidzone.ws,pcsteps.com,primeraescuela.com###adBanner +mdpi.com###adBannerContent +moomoo.io###adCard +globimmo.net###adConH +perchance.org###adCtn +spanishdict.com###adMiddle2-container +sainsburysmagazine.co.uk###adSlot-featuredInBlue +sherdog.com###adViAi +myevreview.com###ad_aside_1 +cheatcodes.com###ad_atf_970 +musescore.com###ad_cs_12219747_300_250 +musescore.com###ad_cs_12219747_728_90 +all-nettools.com,filesharingtalk.com,kiwibiker.co.nz,printroot.com###ad_global_below_navbar +myevreview.com###ad_main_bottom +myevreview.com###ad_main_middle +free-icon-rainbow.com###ad_responsive +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###ad_sidebar_2 +hulkshare.com###ad_user_banner_2 +coinarbitragebot.com###adathm +offidocs.com###adbottomoffidocs +canadianlisted.com###adcsacl +4qrcode.com###addContainer +odditycentral.com###add_160x600 +lifenews.com###adds +livemint.com###adfreeDeskSpace +oisd.nl###adguardbnnr +seowebstat.com###adhead-block +freepik.com###adobe-pagination-mkt-copy +onworks.net###adonworksbot +favouriteus.uk###adop_bfd +tutorialspoint.com###adp_top_ads +globimmo.net###adplus-anchor +192-168-1-1-ip.co,receivesms.co###adresp +dict.cc###adrig +audioreview.com,carlow-nationalist.ie,cellmapper.net,craigclassifiedads.com,duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion,emb.apl305.me,g.doubleclick.net,ip-address.org,irannewsdaily.com,kildare-nationalist.ie,laois-nationalist.ie,lorempixel.com,photographyreview.com,quiz4fun.com,roscommonherald.ie,waterford-news.ie###ads +birdsandblooms.com,familyhandyman.com,rd.com,tasteofhome.com,thehealthy.com###ads-container-single +seechamonix.com###ads-inner +unn.ua###ads-sidebar +unn.ua###ads-sidebar2 +mouthshut.com###ads_customheader_dvRightGads +funkypotato.com###ads_header_games +funkypotato.com###ads_header_home_970px +lingojam.com###adsense-area-label +194.233.68.230###adsimgxatass +ip-address.org###adsleft +digitimes.com###adspace +byjus.com###adtech-related-links-container +byjus.com###adtech-top-banner-container +dict.leo.org###adv-drectangle1 +dict.leo.org###adv-drectangle2 +dict.leo.org###adv-sitebar +leo.org###adv-wbanner +linuxblog.io###advads_ad_widget-3 +agma.io###advertDialog1 +radioonline.fm###advertise_center +steamcardexchange.net###advertisement +lifenews.com###advertisement-top +allthetests.com,bom.gov.au,cadenaazul.com,lapoderosa.com###advertising +offidocs.com###adxx thebugle.co.za###adz -apkonline.net###adzz -sofeminine.co.uk###af_lmbcol_sep -katzforums.com###aff -zap2it.com###aff_rightbar -nigeriafootball.com###affiliate-bottom -gtopala.com###affiliate-index-300x250 -carmall.com###affiliates -indycar.com###affiliatesDiv -ovguide.com###affiliates_outter -metal-archives.com###affiliation -awkwardfamilyphotos.com###afpadq-leaderboard -awkwardfamilyphotos.com###afpadq-sidebar1 -awkwardfamilyphotos.com###afpadq-sidebar2 -search.rr.com###afsBot -search.rr.com###afsTop -investorplace.com###after-post-banner -allgames.com###ag_AdBannerTop -aol.com###ai300x250 -firesticktricks.com###ai_widget-2 -androidpolice.com###ai_widget-6 -ajchomefinder.com###ajc-homefinder-leaderboard -unknown-horizons.org###akct -news.com.au###alert-strap -luckyacepoker.com###alertpop -release-ddl.com###alexa -blisstree.com,mommyish.com,teen.com,thegloss.com,thegrindstone.com###alloy-300x250-tile2 -teen.com###alloy-300x250-tile3 -gurl.com,teen.com###alloy-728x90-tile1 -gurl.com,teen.com###alloy-728x90-tile4 -ohjoy.blogs.com###alpha -ohjoy.blogs.com###alpha-inner -sportsgrid.com,thejanedough.com###am-ngg-ss-unit-label -3dtin.com,juicefm.com,ovguide.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,thewave.co.uk,wave965.com,wbgo.org,wbur.org,wirefm.com,wishfm.net###amazon -imdb.com###amazon-affiliates -itworld.com###amazon-bottom-widget -systemrequirementslab.com###amazon-skin-links -pri.org###amazonBox180 -streamguys.com###amazonButton -gamenguide.com,itechpost.com,parentherald.com###amazon_related_products -imfdb.org###amazoncontent -prog3.com###amazonlink -zap2it.com###amc-twt-module -realbeauty.com###ams_728_90 -publicradio.org###amzContainer -aim.org###amznCharityBanner -visitsundsvall.se###annons-panel -ex.ua###announce -thurrott.com###announcement-bar-container -hardocp.com###announcements -peliculas-flv.com###anuncio -esut.de###anzeige -dailymirror.lk###apDiv2 > .main > div[style="margin:5px 0 0px 0;"] -topix.com###apartments_block -amazon.com###ape_detail_btf_detail-mWeb_wrapper -amazon.com###ape_detail_mobile-hero-quick-promo_mweb_wrapper -amazon.com###ape_search_btf_search-mWeb_wrapper -publicradio.org###apm_sponsor -cultofmac.com###apptapArticleBottom -nationwideradiojm.com###aq-block-9294-1 -bizjournals.com###arcbc1 -archlinux.org###arch-sponsors -boingboing.net###ards -whtop.com###aright -capitalnewyork.com###around-the-web -moneynews.com###artPgScnShrWrapper -independent.co.uk###article > .box -newsweek.com###article--sponsored -riverbender.com###article-banner -appleinsider.com###article-footer-deals -ighome.com###article-modal + div[style="margin:0 25px;"] > .gadget-box[width="100%"]:first-child:last-child -eveningtimes.co.uk###article-mpu -wtkr.com###article-promo -adotas.com,radiotimes.com###article-sponsor -pcworld.com###articleLeaderboardWrapper -accountingtoday.com,themiddlemarket.com###article_bigbox -computerworld.com.au###article_whitepapers -gethampshire.co.uk###articleright +emojiterra.com###adz-header +hindustantimes.com###affiliate-shop-now +purplepainforums.com,snow-forecast.com###affiliates +exportfromnigeria.info###affs +slickdeals.net###afscontainer +osdn.net###after-download-ad +scmp.com###after-page-layout-container +prepostseo.com###after_button_ad_desktop +plagiarismchecker.co###afterbox +agar.io###agar-io_300x250 +1000logos.net###ai_widget-4 +alchetron.com###alchetronFreeStarVideoAdContainer +djchuang.com###amazon3 +entrepreneur.com###anchorcontainer +slashdot.org###announcement +ancient-origins.net###ao-article-outbrain +ancient-origins.net###ao-sidebar-outbrain +filmibeat.com###are-slot-rightrail +mybanktracker.com###article-content > .lazyloaded +thesun.co.uk###article-footer div[id*="-ads-"] +timesofmalta.com###article-sponsored +forbes.com###article-stream-1 +brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au###articlePartnerStories +thehindu.com###articledivrec +fool.com###articles-incontent2 +fool.com###articles-top findmysoft.com###as_336 -vortez.net###aseadnetv2 flyordie.com###asf -inewsmalta.com###asidebanner -ktar.com###askadv -autoblog.com###asl_bot -autoblog.com###asl_top -pv-tech.org###associations-wrapper -forwardprogressives.com###aswift_1_expand -forwardprogressives.com###aswift_2_expand -forwardprogressives.com###aswift_3_expand -sporcle.com###atf-300x600 -newsblaze.com###atf160x600 -bustedcoverage.com###atf728x90 -ecoustics.com###atf_right_300x250 -collegecandy.com,gamepedia.com###atflb -coed.com,collegecandy.com###atfmrec -hackthissite.org###atimg -webmd.com###attribution_rdr -topgear.com###autotrader-section -pogo.com###avertising +stakingrewards.com###asset-calculator-banner +domaintoipconverter.com###associates-1 +tvtropes.org###asteri-sidebar +downforeveryoneorjustme.com###asurion +assamtribune.com###async_body_tags +addictivetips.com###at_popup_modal +timesnownews.com###atf103388570 +cityandstateny.com###atlas-module +adverts.ie###av_detail_side +dlraw.co,dlraw.to,manga-zip.info###avfap teamfortress.tv###aw -anchorfree.us###b160x600 -digitalartsonline.co.uk###b2cPlaceHolder -convertinmp4.com###b300ib -anchorfree.us###b300x250 -siliconera.com###b5leaderboard -convertinmp4.com###b728l -highstakesdb.com###bLeft -highstakesdb.com###bRight -highstakesdb.com###bSpecificL -highstakesdb.com###bSpecificR -blinkbox.com###b_ad_zc -blinkbox.com###b_ee_de -blinkbox.com###b_jd_id -huhmagazine.co.uk###back +gulte.com###awt_landing +filext.com###b1c +filext.com###b2c +filext.com###b4c +ytmp3.mobi###ba +filext.com###ba1c +encycarpedia.com###baa +unknowncheats.me###bab gayvegas.com###background -mmoculture.com###background-link -wallpapersmania.com###backgroundPopup -show-links.tv,watchfreemovies.ch###ball +presearch.com###background-cover soccerbase.com###ball_splash_holder -doctor.com###banR -intelligencer.ca,siteseer.ca,thepeterboroughexaminer.com,thesudburystar.com###banZone -gobackpacking.com###ban_300 -neopets.com###ban_bottom -virtualnights.com###banderolead -ftadviser.com###banlb -iloubnan.info###bann -goldentalk.com###bann2 -absoluteradio.co.uk,adv.li,allmyfaves.com,allthetests.com,arsenal.com,belfastmediagroup.com,blahblahblahscience.com,brandrepublic.com,christianpost.com,comicsalliance.com,cool-wallpaper.us,cumbrialive.co.uk,dailynews.lk,dealmac.com,dealsonwheels.co.nz,delcotimes.com,djmag.co.uk,djmag.com,dosgamesarchive.com,empowernetwork.com,farmtrader.co.nz,guardian.co.tt,guidespot.com,healthcentral.com,icq.com,imgmaster.net,in-cumbria.com,indianexpress.com,insideradio.com,irishcentral.com,isrtv.com,keygen-fm.ru,lemondrop.com,mediaite.com,morningjournal.com,movies.yahoo.com,moviesfoundonline.com,neave.com,news-herald.com,newstonight.co.za,nhregister.com,northernvirginiamag.com,nzmusicmonth.co.nz,ocia.net,openstreetmap.org,pbs.org,pgpartner.com,popeater.com,poughkeepsiejournal.com,proxy-list.org,ps3-hacks.com,registercitizen.com,roughlydrafted.com,safaricom.com,sail-world.com,saratogian.com,securityweek.com,sfx.co.uk,shortlist.com,similarsites.com,soccerway.com,sportinglife.com,starwarsunderworld.com,stopstream.com,style.com,theoaklandpress.com,thesmokinggun.com,theweek.com,tictacti.com,topsite.com,tortoisehg.bitbucket.org,twistedsifter.com,urlesque.com,vidmax.com,wellsphere.com,wn.com,wsof.com,zootoday.com###banner -segmentnext.com###banner-1 -techfrag.com###banner-2 -techfrag.com###banner-3 -kiz10.com###banner-728-15 -wftlsports.com###banner-Botleft -wftlsports.com###banner-Botright -drivers.com###banner-bg-scanner -imgbox.com,onrpg.com,plasticsnews.com,vladtv.com###banner-bottom -worldweb.com###banner-column -intouchweekly.com###banner-cross -kiz10.com###banner-down-video -film.fm###banner-footer -mob.org###banner-h400 -jacarandafm.com###banner-holder -gardentenders.com,homerefurbers.com,sportfishingbc.com###banner-leaderboard -kiz10.com###banner-left -elle.com,forums.crackberry.com###banner-main -cstv.com###banner-promo -enjore.com###banner-q-container -kiz10.com,motherboard.tv###banner-right -general-fil.es,generalfil.es###banner-search-bottom -general-fil.es###banner-search-top -torrentpond.com###banner-section -gocdkeys.com###banner-sidebar -irishtimes.com###banner-spacer +gamepressure.com###baner-outer +allmyfaves.com,allthetests.com,dailynews.lk,dealsonwheels.co.nz,eth-converter.com,farmtrader.co.nz,freealts.pw,goosegame.io,greatbritishchefs.com,moviesfoundonline.com,mp3-convert.org,pajiba.com,sundayobserver.lk,techconnect.com,vstreamhub.com###banner +euroweeklynews.com###banner-970 +interest.co.nz###banner-ad-wrapper +bbcamerica.com,ifc.com,sundancetv.com,wetv.com###banner-bottom +hypergames.top,op.gg,thecarconnection.com###banner-container +battlefordsnow.com,cfjctoday.com,chatnewstoday.ca,ckpgtoday.ca,everythinggp.com,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca###banner-header sourceforge.net###banner-sterling -blocked-website.com,cjonline.com,wftlsports.com###banner-top -vladtv.com###banner-top-video -mob.org###banner-w790 -georgiadogs.com,goarmysports.com,slashdot.org###banner-wrap -4teachers.org,dailyvoice.com,highwayradio.com###banner-wrapper -siliconrepublic.com###banner-zone-k -businessandleadership.com,siliconrepublic.com###banner-zone-k-dfp -globaltimes.cn###banner05 -chinatechnews.com,classic97.net,cookinggames.com,emailjokes.co.za,guardianonline.co.nz,kdoctv.net,killerstartups.com,lagostalks.com,metroweekly.com,tennisworldusa.org,vk.com###banner1 -thegremlin.co.za###banner125 -classic97.net,dooyoo.co.uk,guardianonline.co.nz,kdoctv.net,lagostalks.com,tennisworldusa.org,vk.com###banner2 -pricespy.co.nz###banner250 -actiontrip.com,christianpost.com,gamesfree.com,pcmech.com###banner300 -securenetsystems.net###bannerB -opensourcecms.com###bannerBar -ieee.org###bannerBot -scientificamerican.com###bannerContain -canoe.ca,slacker.com###bannerContainer -jumptv.com###bannerContainer_hp_bottom -jumptv.com###bannerContainer_hp_top -securenetsystems.net###bannerD -get.adobe.com###bannerDisplay -viz.com###bannerDiv -androidzoom.com###bannerDown -telefragged.com###bannerFeatures -gatewaynews.co.za,ilm.com.pk,ynaija.com###bannerHead -showbusinessweekly.com###bannerHeader -kumu.com###bannerImageName -atdhe.fm,atdhe.so,drakulastream.tv,firstrows.org,hahasport.top,streamhunter.top,streams.tv###bannerInCenter -free-codecs.com###bannerInTxtRight -securenetsystems.net###bannerL -securenetsystems.net###bannerM -zam.com###bannerMain -pocketgamer.co.uk###bannerRight -metric-conversions.org###bannerSpace -codecs.com,free-codecs.com,ieee.org,ninemsn.com.au,reference.com###bannerTop -sky.com###bannerTopBar -search.snap.do###bannerWrapper -khl.com###banner_1 -nutritioninsight.com###banner_1000 -yellow.co.nz###banner_120_120 -khl.com###banner_2 -king-mag.com###banner_468 -nutritioninsight.com###banner_609_articles -thelivetvjunction.com###banner_728_base +israelnationalnews.com###banner-sticky +bbcamerica.com,ifc.com,onlinesearches.com,sundancetv.com,wetv.com###banner-top +4teachers.org###banner-wrapper +gamesfree.com###banner300 +edn.com,planetanalog.com###bannerWrap +webtoolhub.com###banner_719_105 today.az###banner_750x90 -yellow.co.nz###banner_760_120 -nuffy.net###banner_bg -nighttours.com###banner_bottom -bubblebox.com,nitrome.com###banner_box -mixfmradio.com###banner_center_728 -mixfmradio.com###banner_center_728_in -tvnz.co.nz###banner_companion -epicurious.com###banner_container +asmag.com###banner_C +asmag.com###banner_C2 +nitrome.com###banner_ad +nitrome.com###banner_box nitrome.com###banner_description -aol.com###banner_div -railwaysafrica.com###banner_footer -kullhadd.com###banner_footer_728 -mynewssplash.com###banner_google -3g.co.uk,freshnewgames.com###banner_header -kullhadd.com###banner_header_728 -mudah.my###banner_holder -yourstory.com###banner_inside_article -versus.com###banner_instream_300x250 -krzk.com###banner_left -bahamaslocal.com###banner_location_sub +freshnewgames.com###banner_header baltic-course.com###banner_master_top -veehd.com###banner_over_vid -worldradio.ch###banner_placement_bottom -worldradio.ch###banner_placement_right -worldradio.ch###banner_placement_top -ebuddy.com###banner_rectangle -krzk.com###banner_right -kullhadd.com###banner_rotator -elyricsworld.com###banner_rr2 +autoplius.lt###banner_right nitrome.com###banner_shadow -1001tracklists.com,bizrate.com,designboom.com,humorsharing.com,kyivpost.com,linguee.com,thesuburban.com###banner_top -eastonline.eu###banner_up -appstorm.net,workawesome.com###banner_wrap -empiremovies.com,snapfiles.com###bannerbar -baltic-course.com,superpages.com###bannerbottom -urlcash.net,urlcash.org,whitepages.com.lb###bannerbox -bdnews24.com###bannerdiv2 -fancystreems.com,zonytvcom.info###bannerfloat2 -zawya.com###bannerframezone10325 -zawya.com###bannerframezone4 -zawya.com###bannerframezone7 -chipchick.com###bannerheader -baltic-course.com,irishtv.ie###bannerleft -spellchecker.net###bannerplace -virusbtn.com###bannerpool -driverdb.com,european-rubber-journal.com,mobile-phones-uk.org.uk,offtopic.com,toledofreepress.com###banners -bergfiles.com,berglib.com###banners-24 -wrmj.com###banners-top -eluniversal.com,phuketwan.com###bannersTop -krzk.com###banners_bottom -adsl2exchanges.com.au###bannerside -africageographic.com###bannersl -insideedition.com###bannerspace-expandable -fitnessmagazine.com###bannertable -baltic-course.com,newzglobe.com,webfail.com###bannertop -ocregister.com###bannertop2 -bhg.com,parents.com###bannerwrapper -searchquotes.com###bannerx -bernama.com###bannerz +cdn.ampproject.org,linguee.com,thesuburban.com###banner_top +workawesome.com###banner_wrap +belgie.fm,danmark.fm,deutschland.fm,espana.fm,italia.fm,nederland.fm###bannerbg +baltic-course.com###bannerbottom +komikcast.site###bannerhomefooter +baltic-course.com###bannerleft +phuketwan.com###bannersTop +baltic-course.com,webfail.com###bannertop h-online.com###bannerzone -momversation.com###barker -online.barrons.com###barronsUber -phonebook.com.pk###basebannercontainer -moviecomix.com###bass -silverseek.com###bat-region -digitalhome.ca,inquirer.net###bb -egreetings.com###bb-billboard -blackbookmag.com###bb-overlay -blackbookmag.com###bb-splash -egreetings.com###bb-title -akihabaranews.com###bbTop -nzherald.co.nz###bbWrapper -polodomains.com###bbannertop -bbc.com###bbccom_bottom[style="width:468px; text-align:right;"] -incredibox.com###bbox -bustedcoverage.com###bcbtflb -bettingsports.com###before_footer -mindjolt.com###below-banner -mindjolt.com###below-banner-game -stopthedrugwar.org###below-masthead -rantsports.com###below-post -viralthread.com###belowShare728x90 -radaronline.com###below_header -tomsguide.com###below_the_article -tgdaily.com###bestcovery_container -dailygalaxy.com###beta-inner -nigeriafootball.com###bettingCompetition -atđhe.net###between_links -searchenginejournal.com###bg-atag -searchenginejournal.com###bg-takeover-unit -frostytech.com###bg_googlebanner_160x600LH -oboom.com###bgfadewnd1 -973fm.com.au,buzzintown.com,farmingshow.com,isportconnect.com,mix1011.com.au,mix1065.com.au,newstalkzb.co.nz,radiosport.co.nz,rlslog.net,runt-of-the-web.com,sharkscope.com###bglink -runnerspace.com###bgtakeover -spacecast.com,treehousetv.com###bigBox -canoe.ca,winnipegfreepress.com,worldweb.com###bigbox -bentoneveningnews.com,dailyherald.com,dailyregister.com,dailyrepublicannews.com,duquoin.com,randolphcountyheraldtribune.com###billBoardATF -about.com,cricketnetwork.co.uk,cumberlandnews.co.uk,cumbrialive.co.uk,eladvertiser.co.uk,f1network.net,hexhamcourant.co.uk,howtogermany.com,in-cumbria.com,mg.co.za,mgafrica.com,newsandstar.co.uk,nwemail.co.uk,rugbynetwork.net,thefootballnetwork.net,timesandstar.co.uk,whitehavennews.co.uk###billboard -about.com###billboard2 -theblaze.com###billboard_970x250 +uinterview.com###below-content +smartertravel.com###below-the-fold-leaderboard +al.com,cleveland.com,gulflive.com,lehighvalleylive.com,masslive.com,mlive.com,newyorkupstate.com,nj.com,oregonlive.com,pennlive.com,silive.com,syracuse.com###below-toprail +post-gazette.com###benn-poll-iframe-container +safetydetectives.com###best_deals_widget +dcnewsnow.com,ktla.com###bestreviews-widget +slideshare.net###between-recs-ad-1-container +slideshare.net###between-recs-ad-2-container +usnews.com###bfad-slot +gameophobias.com,hindimearticles.net,solution-hub.com###bfix2 +shellshock.io###big-house-ad +bentoneveningnews.com,dailyregister.com,dailyrepublicannews.com###billBoardATF +versus.com###bill_bottom +cricketnetwork.co.uk,f1network.net,pop.inquirer.net,rugbynetwork.net,thefootballnetwork.net###billboard +canberratimes.com.au,examiner.com.au,theland.com.au,whoscored.com###billboard-container +thegazette.com###billboard-wrap inquirer.net###billboard_article -tech-faq.com,techspot.com###billboard_placeholder -joe.ie###billboard_wrapper -yp.com.kh###billboards -ohio.com###bim-mortgage-container -thedailybeast.com###bing-module -spellcheck.net###bio_ep -broadcastingcable.com###biz-main -valdostadailytimes.com###biz_marquee -slate.com###bizbox_links_bottom -play4movie.com###bkg_adv -gamesforgirlsclub.com###bl-37 -stupidvideos.com###black_sky_header -devshed.com,eweek.com###blackscreen -portforward.com###blanket -blueletterbible.org###blbSponsors -uploadc.com###blinkMe -whatculture.com###blinkbox -kioskea.net###bloc_middle -1027dabomb.net###block-10 -alt1059.com###block-11 -alt1059.com###block-22 -uproxx.com###block-728 -filmschoolrejects.com###block-banners-top -bbcgoodfood.com###block-bbcgf-search-views-bbcgf-cc-rtl-native -hilarious-pictures.com,winbeta.org###block-block-1 -pcdecrapifier.com###block-block-10 -slideme.org###block-block-11 -hilarious-pictures.com,nbr.co.nz###block-block-12 -newsbusters.org###block-block-13 -gotchamovies.com###block-block-14 -abduzeedo.com,driveout.co.za,emaxhealth.com,eturbonews.com,eugeneweekly.com,mixtapetorrent.com###block-block-18 -dailypaul.com,virus.gr###block-block-19 -opposingviews.com###block-block-199 -abduzeedo.com###block-block-2 -cnsnews.com,prospect.org,webosnation.com###block-block-21 -7tutorials.com,carnalnation.com,rslinks.org###block-block-22 -7tutorials.com,multiplication.com,thestandard.com,voxy.co.nz###block-block-24 -we.com.na###block-block-26 -motherjones.com###block-block-27 -france24.com###block-block-275 -cosmicbooknews.com###block-block-29 -motherjones.com###block-block-301 +gumtree.com###bing-text-ad-1 +gumtree.com###bing-text-ad-2 +gumtree.com###bing-text-ad-3 +chilltracking.com###blink +afro.com###block-10 +hawaiisbesttravel.com###block-103 +raspberrytips.com###block-11 +theneworleanstribune.com###block-15 +dodi-repacks.site###block-17 +appleworld.today###block-26 +raspians.com###block-29 +raspians.com###block-31 +upfivedown.com###block-4 +club386.com###block-43 +club386.com###block-47 +club386.com###block-49 +game-news24.com###block-50 +club386.com###block-51 +ericpetersautos.com,upfivedown.com###block-6 +systutorials.com###block-7 +upfivedown.com###block-8 +oann.com###block-95 +leopathu.com###block-accuwebhostingcontenttop +leopathu.com###block-accuwebhostingsidebartop +videogamer.com###block-aside-ad-unit slideme.org###block-block-31 -greenbiz.com,latina.com###block-block-33 -voxy.co.nz###block-block-34 -mixtapetorrent.com,namibiansun.com###block-block-36 -dailypaul.com,latina.com###block-block-37 -bitchmagazine.org,ovg.tv###block-block-38 -latina.com###block-block-39 -educationworld.com,greenbiz.com,sonymasterworks.com###block-block-4 -latina.com,rslinks.org###block-block-40 -eturbonews.com,sbr.com.sg,shape.com###block-block-42 -newtimes.co.rw###block-block-43 -newtimes.co.rw###block-block-44 -drivesouth.co.nz,motherjones.com###block-block-46 -carnalnation.com###block-block-5 -abduzeedo.com,freesoftwaremagazine.com,zerohedge.com###block-block-51 -adsoftheworld.com,newtimes.co.rw###block-block-52 -ancient-origins.net,pajhwok.com,popsci.com###block-block-53 -newtimes.co.rw###block-block-54 -newtimes.co.rw###block-block-55 -namibiansun.com,newsx.com###block-block-58 -igbaffiliate.com,nationalenquirer.com###block-block-6 -maximumpc.com###block-block-60 -maximumpc.com###block-block-61 -popsci.com###block-block-63 -brownfieldbriefing.com,educationworld.com,minnpost.com,nationalenquirer.com###block-block-7 -greenbiz.com###block-block-72 -popsci.com###block-block-75 -hilarious-pictures.com###block-block-8 -tricycle.com###block-block-82 -pajhwok.com###block-block-84 -maximumpc.com###block-block-89 -maximumpc.com###block-block-96 -itpro.co.uk###block-boxes-convertr-box -bemidjipioneer.com,brainerddispatch.com,dglobe.com,dl-online.com,duluthnewstribune.com,echopress.com,farmingtonindependent.com,grandforksherald.com,hastingsstargazette.com,inforum.com,jamestownsun.com,mitchellrepublic.com,morrissuntribune.com,parkrapidsenterprise.com,perhamfocus.com,republican-eagle.com,rivertowns.net,rosemounttownpages.com,swcbulletin.com,thedickinsonpress.com,wadenapj.com,wctrib.com,wday.com,wdaz.com,woodburybulletin.com###block-boxes-jobshq-widget -netnewscheck.com###block-brand-connections -capitalnewyork.com###block-cap_blocks-leaderboard -crooksandliars.com###block-clam-1 -crooksandliars.com###block-clam-3 -crooksandliars.com###block-clam-7 -phonedog.com###block-common-core-voip-business -phonedog.com###block-common-core-voip-residential -todayonline.com###block-dart-dart-tag-all-pages-header -popphoto.com###block-dart-dart-tag-bottom -todayonline.com###block-dart-dart-tag-dart-homepage-728x90 -popphoto.com###block-dart-dart-tag-top1 -medicaldaily.com###block-dfp-bottom -out.com###block-dfp-slideshow-right-rail-promo -knowyourmobile.com###block-dialaphone-dialaphone -examiner.com###block-ex_dart-ex_dart_adblade_topic -4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec -4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec2 -infoworld.com###block-infoworld-sponsored_links -gamepur.com###block-inject-1 -14850.com###block-ofefo-5 -14850.com###block-ofefo-7 -14850.com###block-ofefo-8 -itpro.co.uk###block-onscroll-onscroll -topgear.com###block-outbrain-integration-outbrain-integration-external -ecnmag.com###block-panels-mini-dart-stamp-ads -fourfourtwo.com###block-retsol-retsol -yourtango.com###block-tango-10 -yourtango.com###block-tango-9 -topgear.com###block-tg-cars-tg-cars-webuyanycar -ucas.com###block-ucas-ads-header-ad -homesandantiques.com###block-views-Promotions-block_1 -asiaone.com###block-views-aone2015-qoo10-box-q0010-home -minnpost.com###block-views-hp_sponsors-block_1 -wisebread.com###block-views-nodequeue_14-block -imsa.com###block-views-partners-block-5 -straitstimes.com###block-views-qoo10-block-1 -4hi.com.au,4vl.com.au,hotcountry.com.au###block-views-sponsored-links-block -wbez.org###block-wbez-blocks-wbez-ad-bottom -wbez.org###block-wbez-blocks-wbez-ad-top -wpdaddy.com###block1 -arsenalnewsreview.co.uk###block_3 -blackhatteam.com###block_html_6 -ownedcore.com###block_html_9 -cleancss.com###blocker -kveller.com###blogTopWide -zdnet.com###blog_spbg -ign.com###blogrollInterruptDeals -scotusblog.com###bloomberg_sponsor -kokomoperspective.com###blox-leaderboard-user -siouxcityjournal.com###blox-news-alerts-sponsor -windowsnetworking.com###bmp-article-script -cloudcomputingadmin.com,insideaws.com,isaserver.org,msexchange.org,virtualizationadmin.com,windowsecurity.com,windowsnetworking.com###bmp-side-script -ncr1037.co.za###bnftr -peliculas-flv.com###bnnr300x250 -dnsrsearch.com###bnr -reference.com,thesaurus.com###bnrTop +ancient-origins.net###block-block-49 +spine-health.com###block-dfptagbottomanchorads1 +mothership.sg###block-imu1 +infoplease.com###block-ipabovethefold +infoplease.com###block-ipbtfad +infoplease.com###block-ipleaderboardad +infoplease.com###block-ipmiddlewaread +leopathu.com###block-listscleaningbanner +romania-insider.com###block-nodepagebelowfromourpartners +romania-insider.com###block-nodepagebelowlatespress +romania-insider.com###block-nodepagebelowtrendingcontent +mothership.sg###block-outstream1 +mothership.sg###block-outstream2 +encyclopedia.com###block-trustme-rightcolumntopad +enca.com###block-views-block-sponsored-block-1 +mbauniverse.com###block-views-home-page-banner-block +bmwblog.com###bmwbl-mobileArticleLeaderboardBeforeFirstParagraph smbc-comics.com###boardleader -ign.com###boards_medrec_relative -boards.ie###boardsmpu -dailymotion.com###body_clicker -citizensvoice.com###bodytop -livescore.in###bonus-offers -computerworld.com###bonus_resource_center -carolinajournal.com###book-abs -priceonomics.com###book-island -techotopia.com###bookcover -linuxtopia.org,techotopia.com###bookcover_sky -libraryjournal.com###boomBox -local.co.uk###borderTab -snapfiles.com###borderbar -reference.com###bot -mp3lyrics.org###bota -trutv.com###botleadad -phonescoop.com###botlink -forums.vr-zone.com,hplusmagazine.com,j.gs,q.gs###bottom -jillianmichaels.com###bottom-300 -cheese.com,collider.com,investorplace.com,kiz10.com,lyrics19.com,radionomy.com###bottom-banner -thurrott.com###bottom-interstitial -news.cnet.com###bottom-leader -ohio.com###bottom-leader-position -audioreview.com,fayobserver.com,g4chan.com,icanhasinternets.com,legacy.com,thenextweb.com,topcultured.com###bottom-leaderboard -startupnation.com###bottom-leaderboard-01 +forum.wordreference.com###botSupp +coinarbitragebot.com###botfix +pymnts.com###bottom-ad +cheese.com,investorplace.com###bottom-banner +000webhost.com###bottom-banner-with-counter-holder-desktop +eweek.com###bottom-footer-fixed-slot +audioreview.com###bottom-leaderboard reverso.net###bottom-mega-rca-box -canstar.com.au###bottom-mrec -templatemonster.com###bottom-partner-banners -techhive.com###bottom-promo -onhax.me###bottom-promo-abdload -onhax.me###bottom-promo-dload -thebestdesigns.com###bottom-sponsors -timesofisrael.com###bottom-spotlight -nytimes.com###bottom-wrapper -cartoonnetwork.co.nz,cartoonnetwork.com.au,quotesdaddy.com###bottomBanner -rachaelraymag.com###bottomBannerContainer -jooble.org###bottomBannerPlace -wtmx.com###bottomBanners -dailyglow.com###bottomContainer -steamanalyst.com###bottomDiv -chacha.com###bottomHeaderBannerWrap -startribune.com###bottomLeaderboard -tnt.tv###bottomLeftBox -tnt.tv###bottomMiddleBox -teoma.com###bottomPaidList -webdesignledger.com###bottomPremiumBanner -scientificamerican.com###bottomPromoArea -tnt.tv###bottomRightBox -search.globososo.com###bottom_adv -ifc.com,nerej.com,nyrej.com,phonearena.com,securityweek.com###bottom_banner +crn.com###bottom-ribbon +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion###bottom-wrapper +streetinsider.com###bottom_ad_fixed funkypotato.com###bottom_banner_wrapper -toledofreepress.com###bottom_banners -avaxsearch.com###bottom_block -picfont.com###bottom_block1 -inquirer.net###bottom_container -pressrepublican.com###bottom_leader -jamaicaobserver.com###bottom_leaderboard -fotolog.com###bottom_pub -popoholic.com###bottom_row -kingdomfm.co.uk###bottom_section -forexnewsnow.com,metropolis.co.jp,tremolo.edgesuite.net###bottombanner -at40.com###bottomleader -ktu.com,z100.com###bottomright2 -ocaholic.ch###bottomslider -breaknenter.org,exposay.com###box +bleedingcool.com,heatmap.news,jamaicaobserver.com###bottom_leaderboard +bleedingcool.com###bottom_leaderboard2 +bleedingcool.com###bottom_medium_rectangle +numista.com###bottom_pub_container +numista.com###bottompub_container +atomic-robo.com###bottomspace flashscore.com,livescore.in###box-over-content-a -oilprice.com###box-premium-articles-sponsor -dillons.com,kroger.com###box3-subPage -tnt.tv###box300x250 -dcn.ae,dmi.ae###boxBanner300x250 -yahoo.com###boxLREC -yourupload.com###box_0 -planetminecraft.com###box_160btf -planetminecraft.com###box_300atf +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###box_2_300x600 planetminecraft.com###box_300btf -planetminecraft.com###box_728atf -propertyfinder.ae###box_left_top_300x250 -laliga.es###box_patrocinador_1 -maxim.com###box_takeover_content -maxim.com###box_takeover_mask -gizmochina.com###boxed_widget-12 -gizmochina.com,pcwdld.com###boxed_widget-2 -gizmochina.com,pcwdld.com###boxed_widget-3 -gizmochina.com,pcwdld.com###boxed_widget-4 -gizmochina.com###boxed_widget-7 -gizmochina.com###boxed_widget-8 -collive.com,ecnmag.com###boxes -activistpost.com###boxzilla-overlay -britannica.com###bps-gist-mbox-container -brainyquote.com###bq_top_ad -arnnet.com.au,cio.com.au,computerworld.co.nz,computerworld.com.au,cso.com.au,idg.com.au###brand-post-in-article-promo -turbobit.net###branding-link -wandtv.com###brandingfeature -believe-or-not.blogspot.com###breadcrumb -break.com###breaking-news -news-journalonline.com###breaking-sponsor -web2.0calc.com###britnexbanner -bit-tech.net###broadband-finder-co-uk-120 -wallstcheatsheet.com###broker-box -thestreet.com###brokerage -benzinga.com###brokerage_comparison_unit -psdgraphics.com###bsa-top -findicons.com###bsa_leaderboard -winrumors.com###bsap_1263017 -techsplurge.com###bsats -xtragfx.com###bsponsor -cineuropa.org###bt -opensubtitles.org###bt-dwl -indiaresults.com###bt_banner1 -canoe.ca###btePartena -sporcle.com###btf-300x600 -imdb.com###btf_rhs2_wrapper -ecoustics.com###btf_right_300x250 -gamepedia.com###btfheroContainer -gamepedia.com###btfhero_container -gamepedia.com###btflb -coed.com,collegecandy.com###btfmrec -collegecandy.com###btfss -overdrive.in###btm_banner1 +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###box_3_300x600 +planetminecraft.com###box_pmc_300btf +comicbookrealm.com###brad +bicycleretailer.com###brain-leader-slot +brobible.com###bro-leaderboard +dailydot.com###browsi-topunit +techpp.com###brxe-ninhwq +techpp.com###brxe-wtwlmm +downforeveryoneorjustme.com###bsa +icon-icons.com###bsa-placeholder-search +befonts.com###bsa-zone_1706688539968-4_123456 +puzzle-aquarium.com,puzzle-minesweeper.com,puzzle-nonograms.com,puzzle-skyscrapers.com###btIn w3newspapers.com###btmadd -inquirer.net###btmskyscraper -watchsomuch.info###btnStopAds -rawstory.com###btn_id -theedge.co.nz###bugjuice -profitguide.com###builder-277 -torontosun.com###buttonRow -muchmusic.com###button[style="position:absolute; top:130px; right:8px;"] -alloaadvertiser.com,ardrossanherald.com,barrheadnews.com,bordertelegraph.com,bracknellnews.co.uk,carrickherald.com,centralfifetimes.com,clydebankpost.co.uk,cumnockchronicle.com,dumbartonreporter.co.uk,eastlothiancourier.com,greenocktelegraph.co.uk,helensburghadvertiser.co.uk,irvinetimes.com,largsandmillportnews.com,localberkshire.co.uk,newburyandthatchamchronicle.co.uk,peeblesshirenews.com,readingchronicle.co.uk,sloughobserver.co.uk,strathallantimes.co.uk,the-gazette.co.uk,thevillager.co.uk,troontimes.com,windsorobserver.co.uk###buttons -winrumors.com###buttons-125 -sloughobserver.co.uk###buttons-mpu-box +battlefordsnow.com,cfjctoday.com,everythinggp.com,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca###bumper-cars +northcountrypublicradio.org###business music-news.com###buy-tickets -accuradio.com###buyAlbum -news24.com###buybook_box -informationweek.com###buylink -searchenginejournal.com###buysell -buzznet.com###buzz_feedheading -news24.com###bw-wrapper -help.com###bwp -benzinga.com###bz-campaign-text-bottom +digminecraft.com###c1069c34 channel4.com###c4ad-Top -counselheal.com,gamenguide.com,latinospost.com,mobilenapps.com,sportsworldreport.com###cTop -divinecaroline.com###c_6ad_250h -miningmx.com###c_leaderBoard -nhl.com###c_mrm3 -iafrica.com###c_row1_bannerHolder -batman-on-film.com,pettube.com,popoholic.com###ca -discovermagazine.com###cachee -nickutopia.com###cad300 -zynga.com###cafe_snapi_zbar -popsugar.com###calendar_widget -tomsguide.com###calypso_below_article -youthincmag.com###campaign-1 -preloved.co.uk###campaign-header -unblocked.app,unblocked.krd,unblocked.llc,unblocked.lol,unblocked.si,unblocked.win###cancelPop -care2.com###care2_footer_ads -pcworld.idg.com.au###careerone-promo -screenafrica.com###carousel -sisters-magazine.com###carousel2 -france24.com,rfi.fr###caroussel_partenaires -abjusa.com,internationalresourcejournal.com###casale -solomontimes.com###casino_banner -ninemsn.com.au###cat_hl_171287 -finance.ninemsn.com.au###cat_hl_7821719 -msn.co.nz###cat_hl_87409 -filecore.co.nz,hbwm.com###catfish -justinhartman.com###catlinks -africanreporter.co.za,albertonrecord.co.za,alexnews.co.za,barbertontimes.co.za,bedfordviewedenvalenews.co.za,benonicitytimes.co.za,bereamail.co.za,boksburgadvertiser.co.za,brakpanherald.co.za,capricornreview.co.za,carletonvilleherald.com,citybuzz.co.za,comarochronicle.co.za,corridorgazette.co.za,estcourtnews.co.za,eyethunews.co.za,fourwaysreview.co.za,germistoncitynews.co.za,hazyviewherald.co.za,heidelbergnigelheraut.co.za,highvelder.co.za,highwaymail.co.za,joburgeastexpress.co.za,kathorusmail.co.za,kemptonexpress.co.za,kormorant.co.za,krugersdorpnews.co.za,ladysmithgazette.co.za,letabaherald.co.za,lowvelder.co.za,maritzburgsun.co.za,midrandreporter.co.za,newcastleadvertiser.co.za,northcliffmelvilletimes.co.za,northcoastcourier.co.za,northeasterntribune.co.za,northernnatalcourier.co.za,northglennews.co.za,parysgazette.co.za,phoenixsun.co.za,potchefstroomherald.co.za,publiceyemaritzburg.co.za,randburgsun.co.za,randfonteinherald.co.za,rekordcenturion.co.za,rekordeast.co.za,rekordmoot.co.za,rekordnorth.co.za,reviewonline.co.za,ridgetimes.co.za,risingsunchatsworth.co.za,risingsunlenasia.co.za,risingsunoverport.co.za,roodepoortnorthsider.co.za,roodepoortrecord.co.za,rosebankkillarneygazette.co.za,sandtonchronicle.co.za,sedibengster.com,southcoastherald.co.za,southcoastsun.co.za,southlandssun.co.za,sowetourban.co.za,springsadvertiser.co.za,tembisan.co.za,vaalweekblad.com,vryheidherald.co.za,westside-eldos.co.za,zululandobserver.co.za###caxton-features-main-wrapper -fresnobee.com###cb-topjobs -bnd.com###cb_widget -cbc.ca###cbc-bottom-logo -aviationweek.com,grist.org,imgmega.com,linuxinsider.com,neg0.ca###cboxOverlay -cbsnews.com###cbsiAd16_100 -cbssports.com###cbsiad16_100 -cbssports.com###cbsiad18_100 -cricbuzz.com###cbz-leaderboard-banner -leagueofgraphs.com###cdm-zone-01 -break.com###cdpSliver -metrolyrics.com###cee_box -metrolyrics.com###cee_overlay -mp3fusion.net###center2 -theatermania.com###centerChannel -meettheboss.tv###centerSpacingWrapper -checkoutmyink.com###centerbanner -reference.com###centerbanner_game -macdailynews.com###cfsnip-widget-93 -roomzaar.com###cgp-bb-tag -marketingpilgrim.com###channel-sponsors -realage.com###channel_sponsor_callout -ndtv.com###checked -chicagoshopping.com###chshhead_ad -espncricinfo.com###ciHomeLeaderboard -cineplex.com###cineplex-h-topAds -popularmechanics.com###circ -popularmechanics.com###circ300x100 -popularmechanics.com###circ300x200 -popularmechanics.com,seventeen.com###circ300x300 -popularmechanics.com###circ620x100 -esquire.com###circ_620x200 -marketsmojo.com###cl-banner-logo -irishracing.com###classifieds -news-gazette.com###clear-footer -armorgames.com###click_left_skin -armorgames.com###click_right_skin -prog3.com###clickbanklink -pitchero.com###clubSponsor -instyle.com###cmfooter -inkedmag.com###cmnCompanion -saudigazette.com.sa###cmt_spcr -cnn.com###cnnLawyersCom -concierge.com###cnt_sub_unitdir -technabob.com###col1_160 -comingsoon.net###col2TopPub -mmorpg.com###colFive -weather24.com###col_top_fb -stv.tv###collapsedBanner -aviationweek.com,grist.org,imgmega.com,linuxinsider.com,neg0.ca###colorbox -zam.com###column-box:first-child -wikigta.org###column-google -smashingmagazine.com###commentsponsortarget -nettleden.com###commercial -healthguru.com###companionBanner -oxygen.com,usanetwork.com###companion_300x250 -elleuk.com###component-elle-marketing -gotohoroscope.com###con300_250 +comicsands.com###c7da91bc-8e44-492f-b7fd-c382c0e55bda +allrecipes.com###cal-app +bitdegree.org###campaign-modal +chordify.net###campaign_banner +thecanary.co###canaryInTextAd1 +academictorrents.com###carbon +downforeveryoneorjustme.com###carbonDiv +coinlisting.info###carousel-example-generic +csdb.dk###casdivhor +csdb.dk###casdivver +cbn.com###cbn_leaderboard_atf +cloudwards.net,guitaradvise.com###cbox +linuxinsider.com###cboxOverlay +curseforge.com###cdm-zone-03 +inquirer.net###cdn-life-mrec +godbolt.org###ces +tradingview.com###charting-ad +romsmania.games###click-widget-banner +animetrilogy.com,xcalibrscans.com###close-teaser +oneindia.com###closePopupDiv +slashdot.org###cloud +globalconstructionreview.com###cm-jobs-block-inner +crypto.news###cn-header-placeholder +whocallsme.com###cnt_1 +whocallsme.com###cnt_2 +whocallsme.com###cnt_btm +linuxinsider.com###colorbox +smbc-comics.com###comicright > div[style] +mirror.co.uk,themirror.com###comments-standalone-mpu +kotaku.com,qz.com###commerce-inset-wrapper +blackbeltmag.com###comp-loxyxvrt +seatguru.com###comparePrices +euronews.com###connatix-container cpuid.com###console_log -share-online.biz###consumer_bottom -share-online.biz###consumer_bottom_dl -share-online.biz###consumer_top -map24.com###cont_m24up -memez.com###containTopBox -ebuddy.com###container-banner -pons.com###container-superbanner -jacksonville.com###containerDeal -bustocoach.com###contenitore_3_banner -sedoparking.com###content -info.com###content + .P4 -toptenz.net###content > .post + div -toptenz.net###content > div > div[class]:last-child -4fuckr.com###content > div[align="center"] > b[style="font-size: 15px;"] -emillionforum.com###content > div[onclick^="MyAdvertisements"]:first-child -autotrader.co.nz,kiz10.com###content-banner +miniwebtool.com###contain300-1 +miniwebtool.com###contain300-2 +gearspace.com###container__DesktopFDAdBanner +gearspace.com###container__DesktopForumdisplayHalfway +coinhub.wiki###container_coinhub_sidead +scanboat.com###content > .margin-tb-25 +allnewspipeline.com###content > [href] +outputter.io###content > section.html +fextralife.com###content-add-a blastingnews.com###content-banner-dx1-p1 -lifewithcats.tv###content-bottom-empty-space -zdnet.com###content-bottom-leaderboard -zdnet.com###content-bottom-mpu -picocool.com###content-col-3 -snow.co.nz###content-footer-wrap -prospect.org###content-header-sidebar -darkhorizons.com###content-island -zdnet.com###content-middle-mpu -zdnet.com###content-recommendation -ifc.com###content-right-b -amatuks.co.za###content-sponsors -craveonline.com,ego4u.com,washingtonexaminer.com,web.id###content-top -lifewithcats.tv###content-top-empty-space -zdnet.com###content-top-leaderboard -zdnet.com###content-top-mpu -dailysurge.com###content-wrapper > #home-main > span > div + * -sevenload.com###contentAadContainer -jellymuffin.com###contentAfter-i -vwvortex.com###contentBanner -jellymuffin.com###contentBefore-i -fileshut.com###content_banner -androidpolice.com###content_blob -operanews.com###content_bottom_lower -sythe.org###content_bottom_sa -theslap.com###content_callout_container -northeastshooters.com###content_container + #sidebar_container[style="width: 126px; display: block;"] -gosanangelo.com,kitsapsun.com,knoxnews.com###content_match -caller.com,commercialappeal.com,courierpress.com,gosanangelo.com,independentmail.com,kitsapsun.com,knoxnews.com,legacy.com,naplesnews.com,redding.com,reporternews.com,tcpalm.com,timesrecordnews.com,vcstar.com###content_match_wrapper -poponthepop.com###content_rectangle -madeformums.com,zest.co.uk###contentbanner -webreference.com###contentbottomnoinset -yorkshireeveningpost.co.uk###contentbox02google -yorkshireeveningpost.co.uk###contentbox08 -internet.com###contentmarketplace -slashdot.org###contextualJobs -uexpress.com###continue -wikifeet.com###conts > div[style="margin:0px 10px; height:200px; overflow:hidden; position:relative"] -ted.com###conversation-sponsor -binaries4all.com###convertxtodvd -sharaget.com###coolDownload -sharaget.com###coollist -forums.psychcentral.com###copyright -pbs.org###corp-sponsor-sec -macrumors.com###countdown -lef.org###cpSale -christianpost.com###cp_wrap_inst -peliculasyonkis.com###cpxslidein -ratemyprofessors.com###cr-qsb -rightdiagnosis.com###cradbotb -rightdiagnosis.com,wrongdiagnosis.com###cradlbox1 -rightdiagnosis.com,wrongdiagnosis.com###cradlbox2 -rightdiagnosis.com,wrongdiagnosis.com###cradrsky2 -firsttoknow.com###criteo-container -careerbuilder.com###csjstool_bottomleft -englishgrammar.org,mustangevolution.com###cta -cargames1.com###ctgad -thesudburystar.com###ctl00_ContentPlaceHolder1_BigBoxArea2 -blogtv.com###ctl00_ContentPlaceHolder1_topBannerDiv -spikedhumor.com###ctl00_CraveBanners -myfax.com###ctl00_MainSection_BannerCoffee -thefiscaltimes.com###ctl00_body_rightrail_4_pnlVideoModule -seeklogo.com###ctl00_content_panelDepositPhotos -seeklogo.com###ctl00_content_panelDepositPhotos2 -leader.co.za###ctl00_cphBody_pnUsefulLinks -leader.co.za###ctl00_ctl00_cphBody_cphColumnBody_cphBannerBodyHeader_userBannerBodyHeader_pnBanners -leader.co.za###ctl00_ctl00_cphBody_cphColumnBody_cphColumnMiddleParent_cphNavigationRight_userNavigationRight_userBannerSponsor_pnBanners -mouthshut.com###ctl00_ctl00_ctl00_ContentPlaceHolderHeader_ContentPlaceHolderFooter_ContentPlaceHolderBody_zedoParent -hurriyetdailynews.com###ctl00_ctl27_ContentPane -sufc.co.za###ctl00_ltlSponsors -productionhub.com###ctl00_mainPlaceholder_pnlExtraBanner -birdchannel.com,smallanimalchannel.com###ctl00_pnlBottomDart -community.adlandpro.com###ctl00_slider -onetravel.com###ctl07_ctl01_ModuleContent -ctmirror.org###ctmirror-sponsors-2 -way2sms.com###curtain2 -kimcartoon.to###cus-exo -thechive.com###custom-bg-link -movies.yahoo.com###customModule -pocketnow.com###custom_html-13 -pocketnow.com###custom_html-14 -pocketnow.com###custom_html-15 -minnpost.com###custom_html-65 -minnpost.com###custom_html-67 -daytondailynews.com###cxSubHeader -scout.com###da160x600 -scout.com###da300x250 -cleverbot.com###daArea2 -cricwaves.com###da_slot -arstechnica.com###daehtsam-da -heraldnet.com###dailyDealFP -cbc.ca###dailydeals -fitnessmagazine.com###dailyprize -zone.msn.com###dapIfM1 -urbandictionary.com###dark_top -rawstory.com###darkbackground[style="visibility: visible;"] -news.yahoo.com###darla -yahoo.com###darla-ad__LREC -yahoo.com###darla-ad__LREC2 -bestbuy.com###dart-con -tesco.com###dartLeftSkipper -tesco.com###dartRightSkipper -news24.com###datingWidegt -pitch.com###datingpitchcomIframe -dictionary.com###dcom-serp-mid-300x250 -dictionary.com###dcom-serp-top-300x250 -dictionary.com,reference.com###dcomSERPTop-300x250 -ebookmarket.org###ddlink -gizmodo.co.uk###deal-item -gazette.com###deal-link -slickdeals.net###dealarea -slickdeals.net###dealarea2 -11alive.com,9news.com,firstcoastnews.com###dealchicken-todaysdeal -timesdispatch.com###dealoftheday -blocked-website.com###deals-header -news.com.au###deals-module -sourceforge.net###deals-widget -freefavicon.com###dealsbar_deals_toolbar -metafilter.com,themorningnews.org###deck -instapaper.com###deckpromo -girlgames.com###def-box -yahoo.com###default-p_24457750 -wsj.com###deloitte-module-aside +zerohedge.com###content-pack +classicreload.com###content-top +kbb.com###contentFor_kbbAdsSimplifiedNativeAd +lineageos18.com###contentLocker +indy100.com###content_1 +indy100.com###content_2 +indy100.com###content_3 +indy100.com###content_4 +indy100.com###content_5 +indy100.com###content_6 +indy100.com###content_7 +notebookcheck.net###contenta +theproxy.lol,unblock-it.com,uproxy2.biz###cookieConsentUR99472 +alt-codes.net###copyModal .modal-body +wsj.com###coupon-links +boots.com###criteoSpContainer +lordz.io###crossPromotion +croxyproxy.rocks###croxyExtraZapper +pcwdld.com###ct-popup +forbes.com###cta-builder +asmag.com###ctl00_en_footer1_bannerPopUP1_panel_claudebro +digit.in###cubewrapid +timesofindia.indiatimes.com###custom_ad_wrapper_0 +miloserdov.org,playstore.pw,reneweconomy.com.au,winaero.com,wpneon.com###custom_html-10 +miloserdov.org,playstore.pw###custom_html-11 +thethaiger.com###custom_html-12 +theregister.co.nz###custom_html-13 +cdromance.com,colombiareports.com,miloserdov.org,mostlyblogging.com###custom_html-14 +mostlyblogging.com,sonyalpharumors.com###custom_html-15 +eetimes.eu,miloserdov.org###custom_html-16 +budgetbytes.com,ets2.lt,miloserdov.org###custom_html-2 +blissfuldomestication.com###custom_html-22 +sonyalpharumors.com###custom_html-25 +mostlyblogging.com,sarkarideals.com,tvarticles.me###custom_html-3 +godisageek.com###custom_html-4 +mangaread.org###custom_html-48 +comicsheatingup.net###custom_html-5 +colombiareports.com,filmschoolrejects.com,hongkongfp.com,phoneia.com,sarkarideals.com,weatherboy.com###custom_html-6 +medievalists.net###custom_html-7 +theteche.com###custom_html-8 +wsj.com###cx-deloitte-insight +cyclingflash.com###cyclingflash_web_down +cyclingflash.com###cyclingflash_web_mid_1 +cyclingflash.com###cyclingflash_web_top +dailycaller.com###dailycaller_incontent_2 +dailycaller.com###dailycaller_incontent_3 +dailycaller.com###dailycaller_incontent_4 +laineygossip.com###date-banner helpwithwindows.com###desc -amazon.ca,amazon.co.uk,amazon.com,amazon.com.au,amazon.fr###desktop-rhs-carousels_click_within_right -amazon.com###detailILM_feature_div -timesfreepress.com###detailMarketplace -bloggingstocks.com###dfAppPromo -definition-of.com###dfp -thriftyfun.com###dfp-2 -madmagazine.com###dfp-300x250 -madmagazine.com###dfp-728x90 -247wallst.com###dfp-in-text -amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_half_page -amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_med_rectangle -cduniverse.com###dgast -dailyhoroscope.com###dh-bottomad -dailyhoroscope.com###dh-topad -mocospace.com###dialog-dailyspin -directionsmag.com###dialog-message -forums.digitalpoint.com###did_you_know -linuxbsdos.com###digocean -datehookup.com###div-Forums_AFT_Top_728x90 -sporcle.com###div-gpt-ad-middle -cloudcomputingadmin.com,insideaws.com,isaserver.org,msexchange.org,virtualizationadmin.com,windowsecurity.com###div-gpt-arttut -sporcle.com###div-gpt-bnr-atf -sporcle.com###div-gpt-box-atf -sporcle.com###div-gpt-box-btf -drugs.com###div-gpt-ddcad-stickyad -cloudcomputingadmin.com,insideaws.com,isaserver.org,msexchange.org,virtualizationadmin.com,windowsecurity.com###div-gpt-half-page -balls.ie###div-gpt-sidebar-top -cloudcomputingadmin.com,insideaws.com,isaserver.org,msexchange.org,virtualizationadmin.com,windowsecurity.com###div-gpt-test-product -balls.ie###div-gpt-top -her.ie,herfamily.ie,joe.co.uk,joe.ie,sportsjoe.ie###div-gpt-top_page -gossipcop.com###div-gpt-unit-gc-hp-300x250-atf -gossipcop.com###div-gpt-unit-gc-other-300x250-atf -geekosystem.com###div-gpt-unit-gs-hp-300x250-atf -geekosystem.com###div-gpt-unit-gs-other-300x250-atf -modernluxury.com###div-leaderboard-ros -chronicleonline.com,sentinelnews.com,theandersonnews.com###div-promo -modernluxury.com###div-rectangle-1 -modernluxury.com###div-rectangle-2 -articlesnatch.com###div-under-video -abbotsfordgasprices.com,albertagasprices.com,barriegasprices.com,bcgasprices.com,calgarygasprices.com,edmontongasprices.com,gasbuddy.com,halifaxgasprices.com,hamiltongasprices.com,kwgasprices.com,londongasprices.com,manitobagasprices.com,montrealgasprices.com,newbrunswickgasprices.com,newfoundlandgasprices.com,novascotiagasprices.com,nwtgasprices.com,ontariogasprices.com,ottawagasprices.com,peigasprices.com,quebeccitygasprices.com,quebecgasprices.com,reginagasprices.com,saskatoongasprices.com,saskgasprices.com,torontogasprices.com,vancouvergasprices.com,victoriagasprices.com,winnipeggasprices.com###div728 -streamcloud.eu###divExoLayerWrapper -klfm967.co.uk###divHeaderBannerRight -classiccars.com###divLeaderboard -israelnationalnews.com###divMaavaron2In -usatoday.com###divMarketplace -playerhd2.pw###divPanel -newser.com###divRightRail > div:first-child +eatwell101.com###desk1 +fastfoodnutrition.org###desk_leader_ad +deccanherald.com###desktop-ad +republicworld.com###desktop-livetv-728-90 +infotel.ca###desktopBannerBottom +infotel.ca###desktopBannerFooter +infotel.ca###desktopBannerTop +eldersweather.com.au###desktop_new_forecast_top_wxh +homestuck.com###desktop_skyscraper +pikalytics.com###dex-list-0 +scoop.co.nz###dfp-shadow +flyordie.com###dgad +datagenetics.com###dgsidebar +webgames.io###di-ai-left +webgames.io###di-ai-right +webgames.io###di-ai-right-big +lust-goddess.com###dialog-partner +tmo.report###directad +realclearpolitics.com###distro_right_rail +tribunnews.com###div-Inside-MediumRectangle +designtaxi.com###div-center-wrapper +allafrica.com###div-clickio-ad-superleaderboard-a +scoop.co.nz###div-gpt-ad-1493962836337-6 +scoop.co.nz###div-gpt-ad-1510201739461-4 +herfamily.ie,sportsjoe.ie###div-gpt-top_page +abovethelaw.com###div-id-for-middle-300x250 +abovethelaw.com###div-id-for-top-300x250 +pch.com###div-pch-gpt-placement-bottom +pch.com###div-pch-gpt-placement-multiple +pch.com###div-pch-gpt-placement-top +newser.com###divImageAd +newser.com###divMobileHeaderAd abbotsfordgasprices.com,albertagasprices.com,barriegasprices.com,bcgasprices.com,calgarygasprices.com,edmontongasprices.com,gasbuddy.com,halifaxgasprices.com,hamiltongasprices.com,kwgasprices.com,londongasprices.com,manitobagasprices.com,montrealgasprices.com,newbrunswickgasprices.com,newfoundlandgasprices.com,novascotiagasprices.com,nwtgasprices.com,ontariogasprices.com,ottawagasprices.com,peigasprices.com,quebeccitygasprices.com,quebecgasprices.com,reginagasprices.com,saskatoongasprices.com,saskgasprices.com,torontogasprices.com,vancouvergasprices.com,victoriagasprices.com,winnipeggasprices.com###divSky -abbotsfordgasprices.com,albertagasprices.com,barriegasprices.com,bcgasprices.com,calgarygasprices.com,edmontongasprices.com,gasbuddy.com,halifaxgasprices.com,hamiltongasprices.com,kwgasprices.com,londongasprices.com,manitobagasprices.com,montrealgasprices.com,newbrunswickgasprices.com,newfoundlandgasprices.com,novascotiagasprices.com,nwtgasprices.com,ontariogasprices.com,ottawagasprices.com,peigasprices.com,quebeccitygasprices.com,quebecgasprices.com,reginagasprices.com,saskatoongasprices.com,saskgasprices.com,torontogasprices.com,vancouvergasprices.com,victoriagasprices.com,winnipeggasprices.com###divSkyscraper -meettheboss.tv###divSpaceContainerRight -sponsorselect.com###divSsnMain -crackspider.net###divStayTopLeft -gardenstateapartments.com###divTopRight -joursouvres.fr,work-day.co.uk,workingdays.ca,workingdays.org,workingdays.us###div_lfsp -philstar.com###diviframeleaderboard -tvonlinegratis.mobi###divpubli -cleantechnica.com###dk-image-rotator-widget-7 -afterdawn.com###dlSoftwareDesc300x250 -aol.com###dmn_results -coloradocatholicherald.com,hot1045.net,rednationonline.ca###dnn_BannerPane -windowsitpro.com###dnn_FooterBoxThree -winsupersite.com###dnn_LeftPane -cafonline.com###dnn_footerSponsersPane -windowsitpro.com,winsupersite.com###dnn_pentonRoadblock_pnlRoadblock -linuxcrunch.com###dock -msn.co.nz###doubleMrec -trulia.com###double_click_backfill -freemp3go.com###downHighSpeed -solidfiles.com###download-button -vreer.com###downloadbar -stuff.co.nz###dpop -flysat.com###drbbanneranchor -flysat.com###drbbannerimg -travelocity.com###drfad-placeholder -poodwaddle.com###drone -erfworld.com###duelannouncement -dressupgames.com###dug-header-adv-wrapper -dressupgames.com###dug-left-adv-wrapper -dressupgames.com###dug-leftcontent-adv-wrapper -imgah.com###dwindow -torrentroom.com###earn_dir -torrentroom.com###earn_spon -notdoppler.com###earn_to_die_wrapper -torrentroom.com###earn_top -search.disconnect.me###east -easybib.com###easybib_lboard -unknowncheats.me###easylistmad -1337x.to###ebaabcbb -gearslutz.com###ebayFoot -gearslutz.com###ebayHead -cardomain.com###ebay_listings_wrapper -ehow.com###ebooks_container -infoworld.com###edit-promo -infoworld.com###edit-promo-container -businessinsider.com###editorial -businessinsider.com###editorial2 -nme.com###editorial_sky -merriam-webster.com###editors-picks-promo -inquirer.net###elb-as -sys-con.com###elementDiv -nbr.co.nz###email-signup -destructoid.com,japanator.com###emc_header +newser.com###divStoryBigAd1 +newser.com###divWhizzcoRightRail +hometheaterreview.com###div_block-382-13 +hindustantimes.com###divshopnowRight +rednationonline.ca###dnn_BannerPane +uploadfox.net###downloadxaa +indiatvnews.com###ds_default_anchor +unite-db.com###ds_lb1 +unite-db.com###ds_lb2 +thedailystar.net###dsspHS +permanentstyle.com###dttop +jigzone.com###dz +sashares.co.za###elementor-popup-modal-89385 +asmag.com###en_footer1_bannerPopUP1_panel_claudebro energyforecastonline.co.za###endorsers -prisonplanet.com###enerfood-banner -tcrtroycommunityradio.com###enhancedtextwidget-2 -my.juno.com###entertainmentTile -gossipcenter.com###entertainment_skin -eweek.com###eoe-sl -countryliving.com###epic_banner -eplsite.com###epl-banner -standard.co.uk###esDating -easyvoyage.co.uk###esv-pub-hp -theiet.org###et_bannerTop -androidpolice.com###execphp-11 -androidpolice.com###execphp-15 -androidpolice.com###execphp-16 -expatica.com###exp-add300x250 -azcentral.com,newsarama.com,space.com,stv.tv,usatoday.com,wtsp.com###expandedBanner -directionsmag.com,nationalreview.com###exposeMask -boston.com###externalBanner -tune.pk###externalPlayer -checkoutmyink.com###extralarge_banner -yahoo.com###eyebrow > #ypromo -zdnet.com###eyebrows -faxo.com###fa_l -esper.vacau.com,nationalreview.com,techorama.comyr.com###facebox -esper.vacau.com,filefactory.com###facebox_overlay -funnycrazygames.com,playgames2.com,sourceforge.net###fad -tucows.com###fad1 -askmen.com,dcn.ae,dmi.ae,dxomark.com###fade -softexia.com###faded -imagepicsa.com,nashuatelegraph.com###fadeinbox -gumtree.com###fake-slot12 -uploaded.net###fakeContentBoxContainer -brothersoft.com###fakebodya -accountingtoday.com###fancybox-content -accountingtoday.com,commentarymagazine.com###fancybox-overlay -rapidmore.com###fastdw -firstpost.com###fb_mtutor -fastcompany.com###fc-ads-imu +geekwire.com###engineering-centers-sidebar +evoke.ie###ev_desktop_mpu1 +jigzone.com###fH +csstats.gg###faceit-banner +cspdailynews.com,restaurantbusinessonline.com###faded +enjoy4fun.com###fake-ads-dom +openloading.com###fakeplayer +asianjournal.com###fancybox-overlay +asianjournal.com###fancybox-wrap thedrinknation.com###fcBanner -dealtime.com,shopping.com###featListingSection -yellowpages.ae###feature_company -binaryturf.com###feature_gad -exactseek.com,iclarified.com,netfit.co.uk,saice.org.za,wired.com###featured -netbooknews.com###featured-banner -nasdaq.com###featured-brokers -allakhazam.com,zam.com###featured-promos -bbj.hu###featuredBox -news24.com###featuredDiv -casinonewsdaily.com###featuredJackpots -catchannel.com,dogchannel.com,fishchannel.com,horsechannel.com###featuredProducts -teagames.com###featured_h -freeworldgroup.com###featuredsponsor -comicbookresources.com###features-bigbox -youtube.com###feed-pyv-container -youtube.com###feedmodule-PRO -filefactory.com###file_casino_pilots -moviecomix.com###filedirect -30for30.espn.com###film-ad -stripes.com###filmstrip -news.com.au###find-module-content +247checkers.com###feature-ad-holder +perezhilton.com###feature-spot +forbes.com###featured-partners +fandom.com###featured-video__player-container +djxmaza.in,jytechs.in,miuiflash.com,thecubexguide.com###featuredimage +en.numista.com###fiche_buy_links +getyarn.io###filtered-bottom +finbold.com###finbold\.com_middle investing.com###findABroker -slashdot.org###firehoselist > [class][style*="margin"] -abovetopsecret.com###first300 -generatorlinkpremium.com###firstleft -theverge.com###fishtank -siteslike.com###fixedbox[style="margin-top:20px"] -booksnreview.com,mobilenapps.com,newseveryday.com,realtytoday.com,scienceworldreport.com,techtimes.com###fixme -gwhatchet.com###flan_leader -fool.com###flash -tg4.ie###flash_mpu -softpedia.com###flashsale -radiotimes.com###flexible-mpu -viralitytoday.com###float1 -altervista.org,fancystreems.com,hqfooty.tv,livematchesonline.com,pogotv.eu,streamer247.com,tykestv.eu,watchmygamesonline.com,wizhdsports.is,zonytvcom.info###floatLayer1 -bigcast.us,hdmyt.info,zcast.us,zonytvcom.info###floatLayer2 -artima.com###floatingbox -company.co.uk###floatingdiv -edmunds.com###floodlight -zattoo.com###floor[style="display: block;"] -people.com###flower-ddrv2 +healthshots.com###fitnessTools +healthshots.com###fitnessToolsAdBot +thisismoney.co.uk###fiveDealsWidget +point2homes.com,propertyshark.com###fixedban +cnx-software.com###fixeddbar +topsporter.net###fl-ai-widget-placement +vscode.one###flamelab-convo-widget +apkmody.io,apkmody.mobi###flirtwith-modal +nanoreview.net###float-sb-right +animetrilogy.com###floatcenter +editpad.org###floorad-wrapper +clintonherald.com,ottumwacourier.com,thetimestribune.com###floorboard_block streams.tv###flowerInGarden -ajmc.com,curetoday.com,hcanews.com,mdmag.com,specialtypharmacytimes.com###flyBanner -chicagonow.com###flyerboard-wrap -mixx.com,popurls.com###fmb -game-debate.com###focus-enclose -achieve360points.com###foot -socialhype.com,zap2it.com###foot728 -chaifm.com,coinurl.com,oocities.org,palipost.com,sh.st,spin.ph,techcentral.co.za,tribejournal.com###footer -abqjournal.com,beso.com,spectator.co.uk,truckdealersaustralia.com.au###footer-banner -tabletmag.com###footer-bar -mytalk1071.com###footer-bottom -fxstreet.com###footer-brokers -economist.com###footer-classifieds -forward.com###footer-extras -ancientfaces.com,duffelblog.com,geekologie.com###footer-leaderboard -gaystarnews.com###footer-links-wrapper3 -wetv.com###footer-promo -wnd.com###footer-proms -popcrush.com###footer-sidebar -stuff.co.nz###footer-sitemap -mcfc.co.uk###footer-sponsor -adelaidestrikers.com.au,bigbash.com.au,brisbaneheat.com.au,hobarthurricanes.com.au,melbournerenegades.com.au,melbournestars.com.au,perthscorchers.com.au,sydneysixers.com.au,sydneythunder.com.au###footer-sponsors -100jamz.com,billboard.com,bloody-disgusting.com,searchenginewatch.com,wbez.org###footer-top -foxnews.com,mobiletor.com,thescoopng.com###footer-top-wrapper -newsepapers.com###footer-widget -oldcarsweekly.com###footer-widget-area -fusible.com,justpushstart.com,ksstradio.com,muthafm.com,swns.com,zenit.org###footer-widgets -whatifeelishot.com###footer-wrapper -link-base.org,thewhir.com###footer2 -livegoals.com###footer4 -eventfinda.com,eventfinda.sg,eventfinder.co.nz,eventfinder.com.au,fixya.com,freewebtemplates.com,thebradentontimes.com###footerBanner -avfc.co.uk###footerLogos -chelseafc.com###footerPartners -usatoday.com###footerSponsorOne -usatoday.com###footerSponsorTwo -chelseafc.com###footerSponsors -1019thewave.com,androidcommunity.com,clear99.com,japantoday.com,kat943.com,kcmq.com,kfalthebig900.com,ktgr.com,kwos.com,theeagle939.com,thevillager.com.na,y107.com###footer_banner +12tomatoes.com###footboard +mybib.com###footer > div +fanlesstech.com###footer-1 +metasrc.com###footer-content +bundesliga.com###footer-partnerlogo +warcraftpets.com###footer-top +ksstradio.com###footer-widgets +fixya.com###footerBanner +techrounder.com###footerFixBanner +atptour.com###footerPartners phpbb.com###footer_banner_leaderboard -mytalk1071.com###footer_box -nbafull.com###footer_columns -logopond.com###footer_google -royalgazette.com,thehollywoodgossip.com###footer_leaderboard -someecards.com###footer_leaderboard_holder -sundance.tv###footer_promo -androidcommunity.com###footer_wrapper -adweek.com###footeraddcontent -babyexpert.com,hwhills.com,madcatz.com,madeformums.com,newstatesman.com,visordown.com###footerbanner -feedicons.com,phonedog.com###footerboard -mytalk1071.com###footerboard_container -charlestoncitypaper.com###footerleaderboard -macnn.com###footerleft -macnn.com###footerright -farmonline.com.au###footersponsorbar -pbs.org###founding-sponsor -slickdeals.net###fpFeatureDealsAndCoupons .sponsoredText -slickdeals.net###fpFeatureDealsAndCoupons .sponsoredText + #fpDealsInfo -slickdeals.net###fpFeatureDealsAndCoupons > .giveaway -themittani.com###fp_leaderboard_1 -ytmnd.com###fp_middle -foxnews.com###frame2-300x100 -5min.com###freeWheelMiddle -5min.com###freeWheelRight -topix.com###freecredit -virtualmedicalcentre.com###frmsmo-r -people.com###fromOurPartners_right -babycenter.com###fromOurSponsorsHome -theonion.com###from_our_sponsors -cnn.com###front-page-mpu -thesimsresource.com###frontmc -yellowpages.com.jo,yellowpages.com.lb###frontpage_banners -originalfm.com###frontpage_business -herold.at###fsb > a > img[width="468"] -chicagobusiness.com,footytube.com###ft_leaderboard -ieee.org###ftrdwhtpprs -times247.com###full-banner -homehound.com.au###full-leaderboard +forums.anandtech.com,forums.pcgamer.com,forums.tomsguide.com,forums.tomshardware.com###footer_leaderboard +feedicons.com###footerboard +wanderlustcrew.com###fpub-popup +blenderartists.org,stonetoss.com###friends +peacemakeronline.com###front_mid_right > center +mangaku.vip###ftads +tarladalal.com###ftr_adspace imgbox.com###full-page-redirect -jewishjournal.com###fullbanner-585 -portforward.com###fullpageadvert -vidbull.com###fullscreen_exit -yasni.ca,yasni.co.uk,yasni.com###fullsizeBannerContainer -yasni.ca,yasni.co.uk,yasni.com###fullsizeWrapper -penny-arcade.com###funding-h -vladtv.com###fw_promo -tinypic.com###fxw_ads -interscope.com###g300x250 -jacars.net###gAdd -claro-search.com,isearch.babylon.com,search.babylon.com###gRsTopLinks +datareportal.com###fuse-sticky +scienceabc.com###fusenative +clocktab.com###fv_left-side +chromecastappstips.com###fwdevpDiv0 +fxleaders.com###fxl-popup-banner +fxstreet.com###fxs-sposorBroker-topBanner colourlovers.com###ga-above-footer colourlovers.com###ga-below-header -colourlovers.com###ga-middle-content -hoobly.com###ga1 -trulia.com###gac_rs -9bis.net,elyrics.net,oldversion.com###gad -speedyshare.com###gad1 -speedyshare.com###gad2 -cnet.com###gafscsa-middle -telegraph.co.uk###gafsslot1 -telegraph.co.uk###gafsslot2 -bustedcoverage.com,collegecandy.com###galad300 -hot995.com###gallery_adbg -systemrequirementslab.com###game-booster -teagames.com###gameinfobanner -armorgames.com###gameleaderboard -kongregate.com###gamespotlight -agame.com###gameunderbanner -expatica.com###gateway-wrapper -thegazette.com###gaz_article_bottom_featured_jobs -icinema3satu.in###gb -mobiles24.com###gbar -illawarramercury.com.au###gbl_adcolumn +9bis.net###gad +gaiaonline.com###gaiaonline_leaderboard_atf +cheatcodes.com###game_details_ad +rd.com,tasteofhome.com###gch-prearticle-container geekwire.com###geekwork -buznews.com###gemSponsored -cioupdate.com,datamation.com,earthweb.com,linuxplanet.com,serverwatch.com###gemhover investing.com###generalOverlay -yahoo.com###genie-widgetgroup -theonion.com###geobanner -desimartini.com###getPosition -ktar.com###gfp -vh1.com###gft-network:last-child -mtv.com###gft-sponsors -vancouversun.com###giftguidewidget -phillytrib.com###gkBannerTop -concrete.tv###gkBanners -howdesign.com###glinks -theguardian.com###global-jobs -nasdaq.com###global_banner -people.com###globalrecirc -nowwatchtvlive.ws###glx-8490-container -infoplease.com###gob -colonhealth.net###gooBox0 -mozillazine.org###goobot -gearlive.com,mediamass.net,noscript.net,stv.tv###google -mu.nu###google-banner -t3.com###google-container-4 -news.stv.tv###google-endarticle -salon.com###google-single +thecountersignal.com###geo-header-ad-1 +getvideobot.com###getvideobot_com_300x250_responsive +getvideobot.com###getvideobot_com_980x250_billboard_responsive +thingstodovalencia.com###getyourguide-widget +dotesports.com,progameguides.com###gg-masthead +glowstery.com###ghostery-highlights +freegames.org###gla +wordcounter.net###glya +gearlive.com,mediamass.net###google +propertyshark.com###google-ads-directoryViewRight +healthbenefitstimes.com###google-adv-top photojpl.com###google01 -about.com###google1 -about.com###google2 mediamass.net###google3 -inquirer.net###googleFooter -softnyx.net###google_banner -winnipegfreepress.com###google_box -m-w.com,merriam-webster.com###google_creative_1 -m-w.com,merriam-webster.com###google_creative_3 -haaretz.com###google_image_div -testfreaks.co.uk###google_links windows2universe.org###google_mockup -indianexpress.com###google_new -indianexpress.com###google_new_top -screenindia.com###google_pic -psdeluxe.com###google_top -tips.net###googlebig -forums.studentdoctor.net###googlefloat -sapostalcodes.za.net###googlehoriz -variety.com###googlesearch -magtheweekly.com###googleskysraper -mozillazine.org###gootop -truckinginfo.com###got-questions -asylum.co.uk###goviralD -decider.com###gowatchit-inline -digg.com###gpt--above_rim -financialpost.com###gpt-bigboxtop -sourceforge.jp###gpt-sf_dev_300 -neopets.com###gr-ctp-premium-featured -bbccanada.com###gradientbox -proboards.com###gravity-stories-1 -darkreading.com###greyPromoArea -binaries4all.com###gright -eq2flames.com###grightcolumn > .sidewid -pep.ph###group_2 -bamkapow.com###gs300x250 -jobs.aol.com###gsl -aol.com###gsl-bottom -torrentfunk.com,yourbittorrent.com###gslideout -hotonlinenews.com###guessbanner -justinhartman.com###gumax-article-picture -hinduwebsite.com###gupad -playlist.com###gutter-skyscraper -logotv.com###gutterLeft -logotv.com###gutterRight -moneycontrol.com###gutter_id1 -moneycontrol.com###gutter_id2 -totalcmd.pl###h1r -health365.com.au###h365-sponsors -techweb.com###h_banner -nickutopia.com###had300 -order-order.com###halfpage-unit -theglobeandmail.com###halfpager-art-1 -downloadhelper.net###halloween-pb -comedy.com###hat -heatworld.com###hbar -webhostingtalk.com###hc-postbit-1 -webhostingtalk.com###hc-postbit-3 -healthcentral.com###hcs_ad0 -megashare.com###hd-link -lifestyle.yahoo.com###hd-prop-logo-hero +desmoinesregister.com###gpt-dynamic_native_article_4 +desmoinesregister.com###gpt-high_impact +malaysiakini.com###gpt-layout-top-container +desmoinesregister.com###gpt-poster +justdial.com###gptAds2 +justdial.com###gptAdsDiv +spellcheck.net###grmrl_one +nintendoworldreport.com###hAd +streamingrant.com###hb-strip +cadenaazul.com,lapoderosa.com###hcAdd castanet.net###hdad -prevention.com###hdr-top -flashgot.net###head a[target="_blаnk"] -virtualnights.com###head-banner -androidheadlines.com,molempire.com###head-banner728 -geekologie.com###head-leaderboard -avfc.co.uk###headAcorns -countytimes.co.uk###headBanner -quotes-love.net###head_banner -fxempire.com###head_banners -webdesignstuff.com###headbanner -adsoftheworld.com,anglocelt.ie,animalnetwork.com,beaut.ie,cartoonnetworkhq.com,eveningtimes.co.uk,floridaindependent.com,heraldscotland.com,incredibox.com,information-management.com,krapps.com,link-base.org,meathchronicle.ie,mothering.com,nevadaappeal.com,offalyindependent.ie,petapixel.com,theroanoketribune.org,unrealitymag.com,vaildaily.com,washingtonindependent.com,westmeathindependent.ie,yourforum.ie###header -filehippo.com###header-above-content-leaderboard -insidebitcoins.com###header-add-container -theblemish.com###header-b -abqjournal.com,directindustry.com,flix.gr,fonearena.com,frontlinesoffreedom.com,girlgames.com,latinchat.com,motortrader.com.my,pa-magazine.com,progressivenation.us,scmp.com,snow.co.nz,snowtv.co.nz,spectator.co.uk,stickgames.com,sunnewsonline.com###header-banner -gearculture.com###header-banner-728 -seatrade-cruise.com###header-banner-728x90 -shape.com###header-banner-container +inventorspot.com,mothering.com,wordfind.com###header +fxempire.com###header-ads-block +olympics.com###header-adv-banner +khelnow.com###header-adwords-section +aeroexpo.online,agriexpo.online,directindustry.com,droidgamers.com,fonearena.com,frontlinesoffreedom.com,stakingrewards.com,winemag.com###header-banner dominicantoday.com###header-banners -bibme.org###header-bartner -diyfashion.com###header-blocks -ideone.com###header-bottom -allakhazam.com###header-box:last-child -bestvpnserver.com,techitout.co.za,themiddlemarket.com###header-content -accuweather.com###header-davek +bestvpnserver.com,techitout.co.za###header-content govevents.com###header-display -davidwalsh.name###header-fx -sheekyforums.com###header-lb -ancientfaces.com,g4chan.com,myrecordjournal.com,news-journalonline.com,phillymag.com,telegraph.co.uk,usatoday.com###header-leaderboard -timesofisrael.com###header-left -menshealth.com###header-left-top-region -bibme.org###header-partner -amctv.com,ifc.com,motorhomefacts.com,sundance.tv,wetv.com###header-promo -veteranstoday.com###header-right-banner2 -eweek.com###header-section-four -one.com.mt###header-sidebar -vanityfair.com###header-subs -sys-con.com###header-title -honolulumagazine.com,yourtango.com###header-top -cafemom.com###header-top-banner -bocanewsnow.com###header-widgets +nagpurtoday.in###header-sidebar +looperman.com,sailingmagazine.net###header-top nisnews.nl###header-wrap -moreintelligentlife.com,sci-news.com###header0 -kaldata.net###header2 -inventorspot.com###header2-section -nickutopia.com###header728 -viralthread.com###header970x250 -gizbot.com###headerAdd -projectorcentral.com###headerBanner -yummy.ph###headerLeaderBoard -darkreading.com###headerPromo -rivieraradio.mc###headerPromoArea -talksport.net###headerPromoContainer -boldsky.com,careerindia.com,gizbot.com,goodreturns.in,oneindia.com###headerPromotionText -fresnobee.com###headerSectionLevel -atpworldtour.com###headerSponsor -coloradosprings.com###headerSponsorImage -coloradosprings.com###headerSponsorText -chelseafc.com###headerSponsors -eonline.com###headerSpot -beliefnet.com###headerTopExtra -agriaffaires.ca,agriaffaires.co.uk,agriaffaires.us###header_ban -countytimes.com,elleuk.com,energyfm.net,heritage.com,slots4u.com,squidoo.com###header_banner -thetechjournal.com###header_bottom -worddictionary.co.uk###header_inpage -sedoparking.com###header_language -forums.anandtech.com,pcworld.idg.com.au,petapixel.com,redflagdeals.com,tomsguide.com,tomshardware.co.uk,tomshardware.com,washingtoncitypaper.com###header_leaderboard -thoughtcatalog.com###header_leaderboard_1 -edie.net###header_mainNav5b +newser.com###headerAdSection +realestate.com.au###headerLeaderBoardSlot +forums.anandtech.com,forums.androidcentral.com,forums.pcgamer.com,forums.space.com,forums.tomsguide.com,forums.tomshardware.com,forums.whathifi.com,redflagdeals.com###header_leaderboard digitalpoint.com###header_middle -washingtoncitypaper.com###header_pencilbar -cointelegraph.com###header_promo -fastcompany.com###header_region -johnbridge.com,overclockers.co.uk###header_right_cell -zug.com###header_rotate -popsci.com,popsci.com.au###header_row1 -pedulum.com,washingtonexaminer.com,yourtango.com###header_top -bitenova.nl,bitenova.org###header_un -chocablog.com,commenthaven.com,hwhills.com,movieentertainment.ca,nikktech.com,revizoronline.com,smallscreenscoop.com,thisisnotporn.net###headerbanner -hongkiat.com###headerbanner01 -nationalgeographic.com,scienceblogs.com###headerboard -technotification.com###headlineatas -allakhazam.com###hearthhead-mini-feature -grist.org###hellobar-pusher -ign.com###hero -usnews.com###hero-promo-container -kansascity.com###hi-find-n-save -hi5.com###hi5-common-header-banner -atdhe.fm,atdhe.so,firstrows.org,streamhunter.top,streams.tv###hiddenBannerCanvas -wbond.net###hide_sup -cloudifer.net,megadrive.tv###hideme -itweb.co.za###highlight-on -codinghorror.com###hireme -weedhire.com###hireology -quill.com###hl_1_728x90 -carzone.ie###hm-MPU -hidemyass.com###hmamainheader -japanprobe.com###hmt-widget-additional-unit-4 -smbc-comics.com###hobbits -cstv.com,gobulldogs.com,gohuskies.com,theacc.com,ukathletics.com,usctrojans.com,villanova.com###holder-banner -und.com###holder-banner-top -cstv.com,navysports.com,texassports.com###holder-skyscraper -cstv.com,goairforcefalcons.com,goarmysports.com,gopack.com,goterriers.com,texassports.com,umassathletics.com,villanova.com###holder-story -thedailyrecord.com###home-banner -yellowpages.com.lb###home-banner-box -motherjones.com###home-billboard -dailydomainer.com###home-insert-1 -dailysurge.com###home-main > div > div > [class]:last-child -dailysurge.com###home-main > span > div + div:last-child -homeportfolio.com###home-rec +coolors.co###header_nav + a +writerscafe.org###header_pay +conjugacao-de-verbos.com,conjugacion.es,die-konjugation.de,the-conjugation.com###header_pub +deckstats.net###header_right_big +metasrc.com###header_wrapper +hwhills.com,nikktech.com,revizoronline.com,smallscreenscoop.com###headerbanner +sat24.com###headercontent-onder +hometheaterreview.com###headerhorizontalad +nnn.ng###hfgad1 +nnn.ng###hfgad2 +kimcartoon.li###hideAds +thegazette.com###high-impact +stackoverflow.com###hireme +techmeme.com###hiring +heatmap.news###hmn_sponsored_post +gunbroker.com###home-ad-a-wrapper +dailysocial.id###home-ads transfermarkt.com###home-rectangle-spotlight -abcya.com###home-skyscraper -gaana.com###home-top-add -homeportfolio.com###home-tower -maxim.com###homeModuleRight -politics.co.uk###homeMpu -techradar.com###homeOmioDealsWrapper -thebradentontimes.com###homeTopBanner -redstate.com###home_728x90 -radiocaroline.co.uk###home_banner_div -khmertimeskh.com###home_bottom_banner -creativeapplications.net###home_noticias_highlight_sidebar -gpforums.co.nz###home_right_island -inquirer.net###home_sidebar -khmertimeskh.com###home_top_banner -gumtree.co.za###home_topbanner -spyka.net###homepage-125 -edmunds.com###homepage-billboard -youtube.com###homepage-chrome-side-promo -10tv.com###homepage-leader -studentbeans.com###homepage_banner -beepbeep.com,rr.com###homepagewallpaper -pcmech.com###homepromo -fashiontv.com###horiz_banner -sydneyolympicfc.com###horiz_image_rotation -horsetalk.co.nz###horseclicks -sqlfiddle.com###hosting -webmd.com###hot-tpcs -jamaica-gleaner.com###hotSpotLeft -jamaica-gleaner.com###hotSpotRight -newsminer.com###hot_deals_banner -politiken.dk###hotels_banner -phnompenhpost.com###hoteltravel -cioupdate.com###houseRibbonContainer -mp4upload.com###hover -rottentomatoes.com###hover-bubble -itproportal.com###hp-accordion -taskandpurpose.com###hp-jobs-widget-wrapper -active.com###hp-map-ad -worldweatheronline.com###hp_300x600 -eweek.com###hp_hot_stories -collegecandy.com###hplbatf -bhg.com###hpoffers -bustedcoverage.com###hpss -lhj.com###hptoprollover -staradvertiser.com###hsa_bottom_leaderboard -careerbuilder.com###htcRight[style="padding-left:18px; width: 160px;"] -hdcast.org,streamhd.eu###html3 -pregen.net###html_javascript_adder-3 -maxkeiser.com###html_widget-11 -maxkeiser.com###html_widget-2 -maxkeiser.com###html_widget-3 +shobiddak.com###homeShobiddakAds +sslshopper.com###home_quick_search_buttons > div +hometheaterreview.com###homepagehorizontalad +nutritioninsight.com,packaginginsights.com###horizontalblk +skylinewebcams.com###hostedby +hostelgeeks.com###hostelModal +ukutabs.com###howtoreadbutton +whatismyip.com###hp-ad-banner-top +webmd.com###hp-ad-container +laredoute.be,laredoute.ch,laredoute.co.uk,laredoute.com,laredoute.de,laredoute.es,laredoute.fr,laredoute.gr,laredoute.it,laredoute.nl,laredoute.pt,laredoute.ru###hp-sponsored-banner +krdo.com###hp_promobox +blog.hubspot.com###hs_cos_wrapper_blog_post_sticky_cta nettiauto.com,nettikaravaani.com,nettikone.com,nettimarkkina.com,nettimokki.com,nettimoto.com,nettivene.com,nettivuokraus.com###huge_banner -dailystar.co.uk###hugebanner -hardwarezone.com.sg###hwz_dynamic_widget -chocablog.com###i1 -i-programmer.info###iProgrammerAmazoncolum -dailytrust.com.ng###iRecharge_container -indiancountrymedianetwork.com###iab-banner -finweb.com###ib_inject -coinmarketcap.com###icobanner-wrapper -iconfinder.com###icondetails-banner -airfrance.co.uk###id_banner_zone -cnn.com###ie_column -swiatmp3.info###iframe-container -sciencemag.org###iframe_box -more.com###iframe_for_div_c_6ad_banner -singaporeexpats.com###iframelogobanners +autotrader.ca###hulkTileBottomRow +y2mate.nu,ytmp3.nu###i +robbreport.com###icon-sprite +maxsports.site,newsturbovid.com###id-custom_banner +dailysabah.com###id_d_300x250 +rakuten.com###id_parent_rrPlacementTop +gaiaonline.com###iframeDisplay +igeeksblog.com###ig_header unitconversion.org###ileft -zigzag.co.za###imageLeft -zigzag.co.za###imageRight -sharksrugby.co.za###imgTitleSponsor +4f.to,furbooru.org###imagespns +linksly.co###imgAddDirectLink +blackbeltmag.com###img_comp-loxyxvrt mydorpie.com###imgbcont -newsbusters.org###imk300xFlexBot -newsbusters.org###imk300xFlexMid -good-deals.lu,luxweb.lu,new-magazine.co.uk,soshiok.com,star-magazine.co.uk###imu -stjobs.sg###imu-big -stjobs.sg###imu-small2 -cio.com###imu_box -newcarnet.co.uk###imuad -livescience.com###in-article-1 -computerworlduk.com###inArticleRelatedArticles -computerworlduk.com###inArticleSiteLinks -audioz.eu###inSidebar > #src_ref -tomsguide.com###in_article -rawstory.com###in_article_slot_1 -rawstory.com###in_article_slot_2 -soccer24.co.zw###in_house_banner -telegraph.co.uk###indeed_widget_wrapper -egotastic.com###index-insert -independent.co.uk###indyDating -software.informer.com###inf_bnr_0 -software.informer.com###inf_bnr_2 -share-links.biz###inf_outer -news.com.au###info-bar -share-links.biz###infoC -africanbusinessmagazine.com###infocus-aside -riverbender.com###injected-300x250 -mg.co.za###inline_banner -thaindian.com###inlineblock -startpage.com###inlinetable -eurweb.com###inner div[id^="div-gpt-ad-"] -inquisitr.com###inner-content > .sidebar > div -krnb.com,myk104.com###inner-footer -newsdaily.com###insert -pep.ph###insideBanner -yakima-herald.com###instoryadhp -maxim.com###intHorizBanner -maxim.com###intSkirt -electronicproducts.com###interVeil -newsbusters.org###interad -humanevents.com###interesting-features -shmoop.com###intermediary -gizmodo.co.uk###interruptor -campustechnology.com###intersitial -campustechnology.com,fcw.com,mcpmag.com,rcpmag.com,reddevnews.com,redmondmag.com,visualstudiomagazine.com###intersitialMask -adage.com###interstitial -boldsky.com###interstitialBackground -maxim.com###interstitialCirc -boldsky.com,gizbot.com###interstitialRightText -gizbot.com###interstitialTitle -giantlife.com,newsone.com###ione-jobs_v2-2 -elev8.com,newsone.com###ione-jobs_v2-3 -giantlife.com###ione-jobs_v2-4 -about.com###ip0 -idolforums.com###ipbwrapper > .borderwrap > .ipbtable:nth-child(7):nth-last-child(3n+2) -ip-adress.com###ipinfo[style="padding-left:10px;vertical-align:top;width:380px"] -metrolyrics.com###ipod -neowin.net###ipsLayout_contentWrapper > .ipsResponsive_hidePhone +crn.com###imu1forarticles +scoop.co.nz###in-cont +astrolis.com###in-house-ad-daily +supremacy1914.com###inGameAdsContainer +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###in_article_300x250_1 +thefastmode.com###inarticlemodule +metabattle.com###inca1 +metabattle.com###inca2 +manga18.me###index_natvmo +droidinformer.org###inf_bnr_1 +droidinformer.org###inf_bnr_2 +droidinformer.org###inf_bnr_3 +datamation.com,esecurityplanet.com,eweek.com,serverwatch.com,webopedia.com###inline-top +howstuffworks.com###inline-video-wrap +koimoi.com###inline_ad +krnb.com###inner-footer +workhouses.org.uk###inner-top-ad +thefinancialexpress.com.bd###innerAds +timesofmalta.com###inscroll-banner +imagebam.com###inter > [src] +booklife.com,yabeat.org###interstitial +rightmove.co.uk###interstititalSlot-0 +rightmove.co.uk###interstititalSlot-1 +rightmove.co.uk###interstititalSlot-2 +lcpdfr.com###ipsLayout_mainArea > .uBlockBrokeOurSiteIpsAreaBackground +osbot.org###ipsLayout_mainArea > div > div +uk420.com###ipsLayout_sidebar > div[align="center"] +osbot.org###ips_footer > div > div unitconversion.org###iright -ironmanmag.com.au###iro_banner_leaderboard -inquirer.net###is-sky-wrap -imageshack.us###is_landing -drivearcade.com,freegamesinc.com###isk180 +allnewspipeline.com###isg_add newshub.co.nz###island-unit-2 -gameplanet.com.au###island1 -gameplanet.com.au###island2 +icon-icons.com###istockphoto-placeholder fakeupdate.net###itemz -computerworld.com###itjobs_module -mercurynews.com###jBar_dailyDeals -businessmirror.com.ph,joomlarulez.com###ja-banner -itwire.com###ja-header -sigsiu.net###ja-rightcol -chicagodefender.com###ja-topbar -messianictimes.com###ja-topmenu -messianictimes.com###ja-topsl2 -psychcentral.com###jadsq -psychcentral.com###jadsq2 -lyriczz.com###jango -pandora.tv###japan_ad -streamcloud.eu###javawarning -careerbuilder.com###jdpSponsoredBy -jimdo.com###jimdobox -extremetech.com###jivvmzil -kansascity.com###jobStart_widget -theregister.co.uk###jobs-promo -earthweb.com###jomfooter -nowtoronto.com###jrBanners -cnn.com###js-OB_feed -twitch.tv###js-esl300 -cnn.com###js-outbrain-recommended -newsbomb.gr###json-textlinks -rentals.com###ka_300x250_1 -rentals.com###ka_468x60_1 -rentals.com###ka_728x90_1 -thenationonlineng.net###kaizenberg -sport24.co.za###kalahari -bigislandnow.com###kbig_holder -powvideo.xyz###keepFloating -watchparksandrecreation.net###keeper -way2sms.com###kidloo -nationalgeographic.com###kids_tophat_row1 -ign.com###knight -koreaherald.com###koreah7 -ndtv.com###kp_ul_rhs_widget_container_id -wkrg.com###krg_oas_rail -topix.com###krillion_block -topix.com###krillion_container -herold.at###kronehit -comicgenesis.com###ks_da -teamfortress.tv###ku-bottom +winaero.com###jkhskdfsdf-iycc-4 +cnn.com###js-outbrain-rightrail-ads-module +9gag.com###jsid-ad-container-page_adhesion +dhakatribune.com###jw-popup +food52.com###jw_iframe +variety.com###jwplayer_xH3PjHXT_plsZnDJi_div +jigzone.com###jz +ceoexpress.com###kalamazooDiv +msguides.com###kknbnpcv +kohls.com###kmnsponsoredbrand-sponsored_top-anchor +karryon.com.au###ko-ads-takeover kvraudio.com###kvr300600 -123people.co.uk###l_banner -thedugoutdoctors.com,thehoopdoctors.com###l_sidebar -fool.com.au###lakehouse_sidebar_ad_2 -themtn.tv###landing_55 -maltatoday.com.mt,maltatoday.info###landscape_banner -flashscore.com###lang-box-wrapper -f1fanatic.co.uk###largeskyscraper -toptenreviews.com###latestdeals -law.com###lawJobs -tsviewer.com###layer -1tvlive.in###layer2 -juicefm.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,theregister.co.uk,thewave.co.uk,wave965.com,wirefm.com,wishfm.net###lb -247wallst.com###lb-fill -audiofanzine.com###lbContainerBlock -networkworld.com###lb_container -networkworld.com###lb_container_top -inquirer.net###lb_ear -inquirer.net###lb_ear2 -inquirer.net,redferret.net###lb_wrap -bustedcoverage.com###lbbtf -play.tm###lbc -lankabusinessonline.com###lbo-ad-leadboard -good-deals.lu###ldb -mofunzone.com###ldrbrd_td -gpsreview.net###lead -mashable.com###lead-banner -armedforcesjournal.com###leadWrap -imperfectparent.com###leada -tripit.com###leadboard -gamesindustry.biz,iphonic.tv,kontraband.com,motherproof.com,nutritioncuisine.com,sansabanews.com,thestreet.com,topgear.com,venturebeat.com###leader -enjore.com###leader-banner -cointelegraph.com###leader-board -groovekorea.com###leader-board-section -rollingstoneaus.com###leader-desktop2 -duffelblog.com###leader-large -trunews.com###leader-left -royalcentral.co.uk###leader-wrap -100jamz.com,agriland.ie,ballitonews.co.za,blackburnnews.com,bloody-disgusting.com,football-talk.co.uk,foxnews.com,goodthingsguy.com,info.umkc.edu,irishpost.co.uk,longislandpress.com,mental-health-matters.com,mobiletoday.co.uk,mobiletor.com,morningledger.com,pcgamerhub.com,soccersouls.com,thenextmiami.com,thescoopng.com,thewrap.com,todaysgeneralcounsel.com,urbanmecca.net,youngzimbabwe.com###leader-wrapper -heraldstandard.com###leaderArea -xe.com###leaderB -corrosionpedia.com,firstnationsvoice.com,hbr.org,menshealth.com,pistonheads.com###leaderBoard -wellness.com###leaderBoardContentArea -economies.com###leaderContainer -girlsgogames.com###leaderData -computerworlduk.com###leaderPlaceholder -zdnet.com###leaderTop -behealthydaily.com###leader_board -pandora.com###leader_board_container -icanhascheezburger.com,memebase.com,thedailywh.at###leader_container -tvguide.com###leader_plus_top -tvguide.com###leader_top -247wallst.com###leaderbar -about.com,animeseason.com,ariacharts.com.au,ask.fm,bloomberg.com,boomerangtv.co.uk,businessandleadership.com,capitalxtra.com,cc.com,charlotteobserver.com,classicfm.com,crackmixtapes.com,cubeecraft.com,cultofmac.com,cyberciti.biz,datpiff.com,educationworld.com,electronista.com,extremetech.com,food24.com,football.co.uk,gardensillustrated.com,gazette.com,gtainside.com,hiphopearly.com,historyextra.com,houselogic.com,ibtimes.co.in,ibtimes.co.uk,iclarified.com,icreatemagazine.com,indy100.com,instyle.co.uk,jaxdailyrecord.com,jillianmichaels.com,king-mag.com,lasplash.com,lawnewz.com,look.co.uk,lrb.co.uk,macnn.com,motortopia.com,mtvema.com,newcartestdrive.com,nfib.com,okmagazine.com,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,onthesnow.com.au,penny-arcade.com,pets4homes.co.uk,publishersweekly.com,radiox.co.uk,realliving.com.ph,realmoney.thestreet.com,reason.com,revolvermag.com,rollcall.com,salary.com,sciencedirect.com,sciencefocus.com,skysports.com,smbc-comics.com,smoothradio.com,spin.ph,standard.co.uk,stuff.tv,talonmarks.com,thatgrapejuice.net,thechronicleherald.ca,thehollywoodgossip.com,theserverside.com,toofab.com,topcultured.com,tvguide.co.uk,uncut.co.uk,wheels24.co.za,whitepages.ae,windsorstar.com,winsupersite.com,wired.com###leaderboard -chicagomag.com###leaderboard-1-outer -boweryboogie.com,safm.com.au###leaderboard-2 -usnews.com###leaderboard-a -1029thebuzz.com,925freshradio.ca,awesomeradio.com###leaderboard-area -usnews.com###leaderboard-b -atlanticcityinsiders.com,autoexpress.co.uk,bigissue.com,galvestondailynews.com,pressofatlanticcity.com,theweek.co.uk###leaderboard-bottom -scientificamerican.com###leaderboard-contain -daniweb.com,family.ca,nationalparkstraveler.com,sltrib.com,tampabay.com,thescore.com###leaderboard-container -netmagazine.com###leaderboard-content -wvmetronews.com###leaderboard-footer -news-gazette.com###leaderboard-full-size -canadianbusiness.com,macleans.ca,moneysense.ca,todaysparent.com###leaderboard-header -idahostatejournal.com,lonepeaklookout.com###leaderboard-middle -belgrade-news.com###leaderboard-middle-container -treehousetv.com###leaderboard-play -kfoxtv.com,kirotv.com,ktvu.com,kxly.com,wfmz.com,wftv.com,whiotv.com,wjactv.com,wpxi.com,wsbtv.com,wsoctv.com,wtov9.com###leaderboard-sticky -carbuyer.co.uk,cnet.co.uk,galvestondailynews.com,oaoa.com,pressofatlanticcity.com,themonitor.com###leaderboard-top -order-order.com###leaderboard-unit -wvmetronews.com###leaderboard-wrap -geekologie.com,pcgamer.com,pep.ph,stuttgartcitizen.com###leaderboard-wrapper -drdobbs.com,pilotonline.com,todaystmj4.com,uexpress.com###leaderboard1 -computerweekly.com,drdobbs.com,extreme.com,inquirer.net,uexpress.com###leaderboard2 -uexpress.com###leaderboard3 -futuremark.com,tarot.com###leaderboardArea -stardoll.com###leaderboardContainer -roadfly.com###leaderboardHead -law.com###leaderboardMidPage -iconosquare.com###leaderboardNL -tarot.com###leaderboardOuter -computerweekly.com###leaderboardPlacement -brandsoftheworld.com###leaderboardTop -businesstimes.com.sg###leaderboardWrapper -teleread.com###leaderboard_1 -thestandard.com###leaderboard_banner -joe.ie###leaderboard_bottom -canadianbusiness.com,gtainside.com,macleans.ca,marieclaire.co.uk,marketingmag.ca,wdel.com###leaderboard_container -foodnetwork.com,spoonuniversity.com,travelchannel.com###leaderboard_fixed -rte.ie###leaderboard_footer -inquirer.net###leaderboard_frame -inc.com###leaderboard_label -managerzone.com###leaderboard_landing -englishbaby.com###leaderboard_outer -metroland.net###leaderboard_space -investorwords.com###leaderboard_wrap -okcupid.com,thegrio.com,thehollywoodgossip.com###leaderboard_wrapper -movie-analyzer.com###leaderboardbanner -campinglife.com###leaderboardfooter -jewishjournal.com###leaderboardgray -jewishjournal.com###leaderboardgray-825 -bdaily.co.uk###leaderboards -hollywoodinterrupted.com,westcapenews.com###leaderboardspace -snbforums.com###leaderboardspacer -sourceforge.net###leadform -thaindian.com###leadrb -fastpic.ru###leads -bleedingcool.com###leaf-366 -bleedingcool.com###leaf-386 +freeads.co.uk###l_sk1 +inc42.com###large_leaderboard_desktop-0 +peacemakeronline.com###latest_news > center +flaticon.com###layer_coupon +elfaro.net###layout-ad-header +screengeek.net###layoutContainer +friv.com###lba +friv.com###lbaTop +irishnews.com###lbtop +piraproxy.info,unblockedstreaming.net###lbxUR99472 +123unblock.bar###lbxVPN666 +dailydooh.com###leaddiv +kontraband.com,motherproof.com,sansabanews.com###leader +techrepublic.com###leader-bottom +techrepublic.com###leader-plus-top +ugstandard.com###leader-wrap +techgeek365.com###leader-wrapper +pistonheads.com###leaderBoard +whdh.com,wsvn.com###leader_1 +12tomatoes.com,allwomenstalk.com,bloomberg.com,datpiff.com,hockeybuzz.com,koreaboo.com,logotv.com,newcartestdrive.com,news.sky.com,news.tvguide.co.uk,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,penny-arcade.com,publishersweekly.com,skysports.com,sportsnet.ca,thedrinknation.com,theserverside.com###leaderboard +open.spotify.com###leaderboard-ad-element +thebaltimorebanner.com###leaderboard-ad-v2 +vocm.com###leaderboard-area +bbc.com###leaderboard-aside-content +abbynews.com,biv.com,kelownacapnews.com,lakelandtoday.ca,orilliamatters.com,reddeeradvocate.com,sootoday.com,surreynowleader.com,theprogress.com,time.com,timescolonist.com,vancouverisawesome.com,vicnews.com###leaderboard-container +farooqkperogi.com###leaderboard-content +variety.com###leaderboard-no-padding +alternet.org###leaderboard-placeholder +foodnetwork.com###leaderboard-wrap +washingtonpost.com###leaderboard-wrapper +drdobbs.com###leaderboard1 +babycenter.com,fixya.com###leaderboardContainer +sportsnet.ca###leaderboardMaster +macrotrends.net###leaderboardTag +games2jolly.com###leaderboard_area +games2jolly.com###leaderboard_area_home +planetminecraft.com###leaderboard_atf +canadianbusiness.com,macleans.ca,vidio.com,yardbarker.com###leaderboard_container +spoonuniversity.com###leaderboard_fixed +sportsnet.ca###leaderboard_master +belgie.fm,danmark.fm,deutschland.fm,espana.fm,italia.fm,nederland.fm###leaderboardbg eel.surf7.net.my###left -noscript.net###left-side > div > :nth-child(n+3) a[href^="/"] -technologyexpert.blogspot.com###left-sidebarbottom-wrap1 -shortlist.com###left-sideburn -fanfox.net###left-skyscraper -sysresccd.org###left1 -cokeandpopcorn.com###left4 -cokeandpopcorn.com###left5 -sparknotes.com###leftAd -gizgag.com###leftBanner1 -nowinstock.net###leftBannerBar -infobetting.com###leftBannerDiv -leo.org###leftColumn > #adv-google:first-child + script + .gray -leo.org###leftColumn > #adv-leftcol + .gray -thelakewoodscoop.com###leftFloat -yahoo.com###leftGutter -newsok.com###leftRailContent -sosuanews.com###left_banner -island.lk###left_banner_adds1 -nitrome.com###left_bottom_bg -nitrome.com###left_bottom_box -nitrome.com###left_bottom_shadow -notdoppler.com###left_link -hardwareheaven.com###left_skin_panel_div -whitepages.co.nz###left_skyscraper +news9live.com###left_before_story +assamtribune.com###left_level_before_tags nitrome.com###left_skyscraper_container -theblaze.com###left_top_160x600 -urlcash.net###leftbox -capetownetc.com,compleatgolfer.com,sacricketmag.com,sarugbymag.co.za###leftclick -mymusic.com.ng###leftdown2 -stuff.co.nz###leftgutter -hotonlinenews.com###leftmenu -10minutemail.net###leftover -810varsity.com###leftsidebanner -americanlivewire.com###lefttower -tvsquad.com###legal -supercars.net###lemonFree -cnn.com###lendingtree -arstechnica.com###lg-logos -arstechnica.com###lg-pushdown -linuxinsider.com,technewsworld.com###lightview -lmgtfy.com###link_placeholder -racinguk.com,webpagetest.org###links -fox6now.com###links-we-like -feedyes.com###links54005 -the-news.net###linkssection -fileinfo.com,slangit.com###linkunits -mappy.com###liquid-misc -etaiwannews.com,taiwannews.com.tw###list_google2_newsblock -etaiwannews.com,taiwannews.com.tw###list_google_newsblock -ikascore.com###listed -951shinefm.com###listen-now-sponsor -nymag.com###listings-sponsored -sawlive.tv###llvvd -webmd.com###lnch-promo -news24.com###lnkHeaderWeatherSponsor -sunshinecoastdaily.com.au###localOffers -whereis.com###location_advertisement -mmegi.bw###locator_billboard -mapcrunch.com###locinfo -meteo-allerta.it,meteocentrale.ch,meteozentral.lu,severe-weather-centre.co.uk,severe-weather-ireland.com,vader-alarm.se###logo-sponsor -realestate.co.nz###logoBannerBox -cnettv.cnet.com###logoBox -runnow.eu,sunderlandvibe.com###logos -arenafootball.com###logos-wrap -usnews.com###loomia_display -herold.at###loveat -byutvsports.com###lower-poster -proudfm.com###lower_leaderboard -hinduwebsite.com###lowergad -mefeedia.com###lowright300 -africam.com###lr_comp_default_300x150 -africam.com,cnn.com,epdaily.tv,kob.com,techsupportforum.com,tivocommunity.com,wbng.com###lr_comp_default_300x250 -fox.com###lrec-wrapper -yahoo.com###lrec2 -yahoo.com###lrec_mod -inquirer.net###ls-bb-wrap -inquirer.net###ls-right -celebstyle.com###lucky -linuxinsider.com,technewsworld.com###lv_overlay -drugs.com###m1a -m.facebook.com,touch.facebook.com###m_newsfeed_stream article[data-ft*="\"ei\":\""] -miller-mccune.com###magSubscribe -wired.com###magazine_rightRail_A -videos.rawstory.com###magnify_widget_playlist_item_shop_container -rawstory.com###magnify_widget_playlist_item_shop_content -mediaite.com###magnify_widget_rect_content -mediaite.com###magnify_widget_rect_handle -reallygoodemails.com###mailchimp-link -adv.li###main -mobilesyrup.com###main-banner -yasni.ca,yasni.co.uk,yasni.com###main-content-ac1 -stylist.co.uk###main-header -sfbay.ca###main-market -monhyip.net###mainBaner -nme.com###mainBanner -w3schools.com###mainLeaderboard -investing.com###mainPopUpContainer -necn.com###main_117 -necn.com###main_121 -necn.com###main_175 -net-security.org###main_banner_topright -bitenova.org###main_un -pureoverclock.com###mainbanner -holidayscentral.com###mainleaderboard -modhoster.com###manufactors -bazoocam.org###mapub -macdrifter.com###marked-widget -eatingwell.com###marketFeaturedSponsors -arkansasonline.com###marketPlace -itworld.com###market_place -iii.co.uk###marketdatabox_content_footer -xmlgold.eu###marketimg -myspace.com###marketing -nbcconnecticut.com,nbcphiladelphia.com,nbcwashington.com###marketingPromo -cio.co.uk###marketingSlotsContainer -style.com###marketing_mod -crispygamer.com###marketingbox -arnnet.com.au,cio.com.au,computerworld.com.au,foodandwine.com,healthcareitnews.com,nbcnews.com,techworld.com.au,travelandleisure.com,tvnz.co.nz,yahoo.com###marketplace -goodgearguide.com.au,pcworld.idg.com.au,techworld.com.au###marketplace-padding -usatoday.com###marketplace2 -inquirer.net###marketplace_vertical_container -inquirer.net###marketplacebtns -columbian.com###marketplaces-widget-new -qz.com###marquee -bellinghamherald.com,bnd.com###mastBanner -neonnettle.com###mastWrapper -creditinfocenter.com,examiner.com###masthead -arstechnica.com###masthead + #pushdown-wrap -pbs.org###masthead1 -pbs.org###masthead2 -dispatchtribunal.com,thelincolnianonline.com,weekherald.com###mb-bar -yahoo.com###mbAds -internet.com###mbEnd -dailymotion.com###mc_Middle -maps.google.com###mclip -google.com.au###mclip_control -sandiego6.com###mealsandsteals -myspace.com###medRec -yourdailymedia.com###medRectATF +nitrome.com###left_skyscraper_shadow +kitco.com###left_square +liverpoolfc.com###lfc_ads_article_pos_one +liverpoolfc.com###lfc_ads_home_pos_one +closerweekly.com,intouchweekly.com,lifeandstylemag.com###listProductWidgetData +slidesgo.com###list_ads1 +slidesgo.com###list_ads2 +slidesgo.com###list_ads3 +lightnovelcave.com###lnvidcontainer +wormate.io###loa831pibur0w4gv +hilltimes.com###locked-sponsored-stories-inline +lordz.io###lordz-io_300x250 +lordz.io###lordz-io_300x250_2 +lordz.io###lordz-io_728x90 +rxresource.org###lowerdrugsAd +lowes.com###lws_hp_recommendations_belowimage_1 +hackerbot.net###madiv +hackerbot.net###madiv2 +hackerbot.net###madiv3 +animehub.ac###main-content > center +slashdot.org###main-nav-badge-link +proprivacy.com###main-popup +w3big.com,w3schools.com###mainLeaderboard +express.co.uk###mantis-recommender-placeholder +planefinder.net###map-ad-container +themeforest.net###market-banner +citynews.ca,citytv.com###master-leaderboard +vpforums.org###master1 +defenseworld.net###mb-bar +koreaherald.com###mbpAd022303 +bmj.com###mdgxWidgetiFrame active.com###med_rec_bottom active.com###med_rec_top -lancasteronline.com###med_rect -virtualpets.com###media-banner -bitguru.co.uk###media_image-10 -turtleboysports.com###media_image-86 -turtleboysports.com###media_image-97 -ostatic.com###media_partner_gallery -finance.yahoo.com###mediabankrate_container -cnn.com###medianet -xxlmag.com###medium-rec -pastemagazine.com,weebls-stuff.com###medium-rectangle -cgchannel.com###mediumRectangle -newburyportnews.com###mediumRectangle_atf -daltondailycitizen.com###mediumRectangle_cal -pons.com,pons.eu###medium_rec -kexp.org###medium_rectangle -pandora.com###medium_rectangle_container -pricegrabber.com###mediumbricks -at40.com,king-mag.com###mediumrec -at40.com###mediumrec_int -ebaumsworld.com###mediumrect -smashingmagazine.com###mediumrectangletarget -americanidol.com,mindjolt.com,watchmojo.com,xxlmag.com###medrec -hackaday.com,joystiq.com,peninsuladailynews.com###medrect -atom.com,happytreefriends.com###medrect-container -joystiq.com###medrectrb -michiguide.com###medrectright -techrepublic.com,zdnet.com###medusa -techrepublic.com###medusa-right-rail -comesrilanka.com,nashuatelegraph.com###meerkat-wrap -concrete.tv###megabanner -eztv.io###mel3 -encyclopedia-titanica.org###menuheaderbio -youtube.com###merch-shelf -spinitron.com###merchpanel -ginbig.com,rushlane.com###message_box -theweedblog.com###meteor-slides-widget-3 -fanfox.net###mfad600x90 -dannychoo.com###mg-blanket-banner -123movies.net###mgd -thetechjournal.com###mgid -everyjoe.com###mgid-widget -menshealth.com###mh_top_promo_special -liligo.com###midbanner -soccerphile.com###midbanners -abovetopsecret.com###middle300 -dvdactive.com###middleBothColumnsBanner -wpxi.com,wsbtv.com###middleLeaderBoard -theimproper.com###middle_banner_widget -proudfm.com###middle_leaderboard -trutv.com,workswithu.com###middlebanner -workswithu.com###middlebanner300x100 -thevarguy.com###middlebannerwrapper -mefeedia.com###midright300 -stuff.co.nz###mightyape-mobwidget -trackingthepros.com###mini-container -pricegrabber.com###minibricks -pch.com###minipath_panel -devshed.com###mixedspons -mercurynews.com###mn_SP_Links -mnn.com###mnn-sponsor-rail -medicalnewstoday.com###mnt_article_ad_3 -medicalnewstoday.com###mnt_sidebar_ad_2 -dllme.com###mobile-insert -bit-tech.net###mobile-phones-co-uk-120 -longreads.com###mobile_banner -iphoneapplicationlist.com###mobiscope-banner -nytimes.com###mod-ln-ctr-bt -nytimes.com###mod-ln-ctr-top -buzzfeed.com###mod-product-labs-promo-1 -mail.yahoo.com###modal-upsell -tradingmarkets.com###modalbg -moneymakerdiscussion.com###module25 -desiretoinspire.net###moduleContent18450223 -goodhousekeeping.com###moduleEcomm -elle.com,womansday.com###moduleMightLike -menshealth.co.uk###module_promotion -huffingtonpost.co.uk###modulous_right_rail_edit_promo -huffingtonpost.co.uk###modulous_sponsorship_2 -expertreviews.co.uk###monetizer101-summary -cnn.com###moneySponsorBox -cnn.com###moneySponsors -itworld.com###more_resources -topix.com###mortgages_block -gold1043.com.au,kiis1065.com.au,mix1011.com.au,wsfm.com.au###mos-headerRow1 -newssun.com###mosFeatureHome -newssun.com###mosHeaderTop -insideradio.com###mosSkyscraper -moneycontrol.com###mosl_banner_div -tooorgle.com###most_popular -anonymouse.org###mouselayer -way2sms.com###movbox -watchfreemovies.ch###movie -unblocked.app,unblocked.krd,unblocked.llc,unblocked.lol,unblocked.si,unblocked.win###movingArrow -bounty.com,carpages.co.uk,clubwebsite.co.uk,cumberlandnews.co.uk,djmag.co.uk,djmag.com,donedeal.ie,eladvertiser.co.uk,f1fanatic.co.uk,glamour.co.za,gumtree.com,hexhamcourant.co.uk,icreatemagazine.com,in-cumbria.com,itv.com,lbc.co.uk,lonelyplanet.com,metalhammer.co.uk,nettleden.com,newsandstar.co.uk,nickjr.co.uk,nme.com,nwemail.co.uk,play.tm,politics.co.uk,radiotimes.com,sportinglife.com,studentbeans.com,taletela.com,thatgrapejuice.net,thecourier.co.uk,thefootballnetwork.net,timesandstar.co.uk,topgear.com,tv.com,uncut.co.uk,webdesignermag.co.uk,whitehavennews.co.uk,zoopla.co.uk###mpu -t3.com###mpu-container-2 -stv.tv###mpu-content2 -topgear.com###mpu3 -iol.co.za###mpu600Container -heatworld.com###mpuLikeSection -chow.com###mpu_1 -oliveoiltimes.com###mpu_banner1 -chowhound.com###mpu_bottom -avforums.com###mpu_inpost -chowhound.com###mpu_plus_top -iconosquare.com###mpusCenter -fox.com,momversation.com,spin.ph,thexfactorusa.com###mrec -earthlink.net###mrec-wdgt -fox.com###mrec-wrapper +wakingtimes.com,ymcinema.com###media_image-2 +airfactsjournal.com###media_image-3 +palestinechronicle.com###media_image-4 +mostlyblogging.com###media_image-5 +chess.com###medium-rectangle-atf-ad +moomoo.io###menuContainer > .menuCard +voiranime.com###mg_vd +webpronews.com###mid-art-ad +forward.com###middle-of-page +peacemakeronline.com###middle_banner_section +bleedingcool.com###middle_medium_rectangle +jezebel.com,pastemagazine.com###middle_rectangle +thefastmode.com###middlebanneropenet +cyberdaily.au###mm-azk560023-zone +mmorpg.com###mmorpg_desktop_list_1 +mmorpg.com###mmorpg_desktop_list_3 +si.com###mmvid +appleinsider.com###mobile-article-anchor +pocketgamer.com###mobile-background +accuradio.com###mobile-bottom +tvtropes.org###mobile_1 +tvtropes.org###mobile_2 +permanentstyle.com###mobtop +coinarbitragebot.com###modal1 +cellmapper.net###modal_av_details +mytuner-radio.com###move-ad +moviemistakes.com###moviemistakes_300x600_300x250_160x600_sidebar_2 +consobaby.co.uk,gumtree.com,pcgamingwiki.com,thefootballnetwork.net###mpu +news.sky.com,skysports.com###mpu-1 +bbc.com###mpu-side-aside-content +standard.co.uk###mpu_bottom_sb_2_parent +gmanetwork.com###mrec-container spin.ph###mrec3 -whatshappening.com.ph###mrecCarousel -ninemsn.com.au###mrecMod -pcworld.co.nz###mrec_bottom -nzherald.co.nz###mrktImg -computerweekly.com###msAD_cw_adtech_leaderboard_2 -computerweekly.com###msAD_cw_adtech_skyscraper_two_4 -motorsport.com###ms_skins_top_box -yourwire.net###mscount -ninemsn.com.au###msnhd_div3 -yourmovies.com.au,yourrestaurants.com.au,yourtv.com.au###msnmd_div -everybody.co.nz###msnnz_ad_medium_rectangle -arstechnica.co.uk###msuk-wrapper -magicseaweed.com###msw-js-toggle-leader -bigeye.ug###mtc_video_wg-3 -heritage.com###mthotdeal -mtv.co.uk###mtv-shop -ratemyprofessors.com###mtvBlock nitrome.com###mu_2_container -malwarehelp.org###multimedia_box -myspace.com###music_googlelinks -myspace.com###music_medrec -euronews.com###musica-rolex-watch -cannabisnow.com###mvp-leader-wrap -dailypost.ng###mvp-wallpaper -wikinvest.com###mw-header -yahoo.com###mw-ysm-cm -news.yahoo.com###mw-ysm-cm_2-container -miningweekly.com###mw_q-search-powered -newshub.co.nz###mwbanner_td -yahoo.com###my-promo-hover -rally24.com###myBtn -farmboek.com###myCarousel -kimcartoon.to###myContainer > .kcAds1 -tcpdump.com###myID -imagetwist.com###myad -bloggersentral.com###mybsa -eveningecho.ie###myhomeContent -lolzparade.com###mylikes_bar_all_items -jobstreet.com.sg###mysitelogo -rentalcars.com###name_price_ad -citationmachine.net###nantage-header -irishracing.com###naobox -entrepreneur.com###nav-promo-link -browserleaks.com###nav-right-logo -amazon.ca,amazon.co.uk,amazon.com,amazon.com.au,amazon.fr###nav-swmslot -rentals.com###nav_credit_report -kuhf.org###nav_sponsors -hongfire.com###navbar_notice_9 -usnews.com###navbuglink -esl.eu###navi_partner -webinspector.se###navigation_left -nbc.com###nbc-300 -truelocal.com.au###ndmadkit-memrec-1 -netcraft.com###netcraft-links-bottom -moviefone.com###netflix-promo -sandiegozoo.org###newhomesponosrs +nitrome.com###mu_3_container +wrestlingnews.co###mvp-head-top +atlantatribune.com,barrettsportsmedia.com,footballleagueworld.co.uk,ioncinema.com,marijuanamoment.net,ripplecoinnews.com,srilankamirror.com,tribune.net.ph###mvp-leader-wrap +europeangaming.eu###mvp-leader-wrap > a[href^="https://www.softswiss.com/"] +twinfinite.net###mvp-main-content-wrap +hotklix.com###mvp-main-nav-top > .mvp-main-box +dailyboulder.com###mvp-post-bot-ad +barrettsportsmedia.com###mvp-wallpaper +polygonscan.com###my-banner-ad +mangareader.cc###myModal +fileproinfo.com###myNav +mediaupdate.co.za###mycarousel +coveteur.com###native_1 +coveteur.com###native_2 +planetizen.com###navbar-top +gearspace.com###navbar_notice_730 +needpix.com###needpix_com_top_banner my.juno.com###newsCarousel -askmen.com###news_popup -abovetopsecret.com###newsmax1 -abovetopsecret.com###newsmax2 -soccerlens.com###newsnowlogo -yakima-herald.com###newspaperads -theroot.com###nextbox -africam.com###nikona -aww.com.au###ninemsn-footer-container -cosmopolitan.com.au,dolly.com.au###ninemsn-leaderboard-footer -theberry.com###ninth-box -newsmax.com###nmBreakingNewsCont -amren.com###nmWidgetContainer -motherjones.com###node-body-break -news.yahoo.com###north -sensis.com.au###northPfp -mail.yahoo.com###northbanner -yocast.tv###notice +livelaw.in###news_on_exit +farminguk.com###newsadvert +canberratimes.com.au,theland.com.au###newswell-leaderboard-container +nextshark.com###nextshark_com_leaderboard_top +searchfiles.de###nextuse +nanoreview.net###nfloat-sb-right +seroundtable.com###ninja_box +unite.pvpoke.com###nitro-unite-sidebar-left +unite.pvpoke.com###nitro-unite-sidebar-right +pcgamebenchmark.com,pcgamesn.com,pockettactics.com,thedigitalfix.com,wargamer.com###nn_astro_wrapper +steamidfinder.com,trueachievements.com,truesteamachievements.com,truetrophies.com###nn_bfa_wrapper +techraptor.net,unite-db.com###nn_lb1 +techraptor.net,unite-db.com###nn_lb2 +techraptor.net###nn_lb3 +techraptor.net###nn_lb4 +nintendoeverything.com###nn_mobile_mpu4_temp +gamertweak.com,nintendoeverything.com###nn_mpu1 +gamertweak.com,nintendoeverything.com###nn_mpu2 +nintendoeverything.com###nn_mpu3 +nintendoeverything.com###nn_mpu4 +techraptor.net,tftactics.gg###nn_player +steamidfinder.com###nn_player_wrapper +asura.gg,nacm.xyz###noktaplayercontainer +boxingstreams.cc,crackstreams.gg,cricketstreams.cc,footybite.cc,formula1stream.cc,mlbshow.com,nbabite.com###nordd forums.somethingawful.com###notregistered -pv-tech.org###noty_bottomRight_layout_container -majorgeeks.com###novb -air1.com,klove.com###nowPlayingBuyMusic -firststreaming.com###nowplayinglinks -financialpost.com,nationalpost.com###npLeaderboard -about.com,gamefaqs.com###nrelate_related_placeholder -backpage.com###nsaLeaderBoard -nascar.com###nscrRCol160ad -nascar.com###nscrVideoAd -totalcmd.pl###nucom -mail.yahoo.com###nwPane -thedailybeast.com###nwsub_container -centralillinoisproud.com###nxcms_dotbiz -nydailynews.com###nydn-ads -nydailynews.com###nydn-footer-ad -nydailynews.com###nydn-top-ad -nytimes.com###nytmm-ss-big-ad-1 -nytimes.com###nytmm-ss-big-ad-2 -btmon.com###oafa_target_4 -btmon.com###oafa_target_6 -masala.com###oas-300x600 -autotrader.co.uk###oas-banner-0 -autotrader.co.uk###oas-banner-1 -autotrader.co.uk###oas-banner-2 -autotrader.co.uk###oas-banner-3 -masala.com###oas-mpu-left\<\/div\> -masala.com###oas-mpu-right\<\/div\> -moneycontrol.com###oas_bottom -foreclosure.com###obFlyMain -cbslocal.com###ob_paid_header -cleantechnica.com,treehugger.com###obog_signup_widget -cincinnati.com###ody-asset-breakout -democratandchronicle.com###ody-dealchicken -popsugar.com###offer-widget -funnyplace.org###oglas-desni -onhax.me###oh-prom-lasd -onhax.me###oh-suckitadb-promd-2 -firstonetv.eu###olay -cnet.com###omTrialPayImpression -ikeahackers.net###omc-sidebar .responsive-image -cleantechnica.com,watch-anime.net###omc-top-banner -wbaltv.com,wesh.com,wmur.com###omega -omg.yahoo.com###omg-lrec -onlinemschool.com###oms_left -azcentral.com###on-deals -radiotimes.com###on-demand -eweek.com###oneAssetIFrame -cartoonhd.in###openModal -agar.io###openfl-content -agar.io###openfl-overlay -yeeeah.com###orangebox -24wrestling.com###other-news -totallycrap.com###oursponsors -arstechnica.com###outbrain-recs-wrap -timesofisrael.com###outbrain-sidebar -fortune.com,myrecipes.com,people.com,readmng.com,si.com,tvline.com,washingtonpost.com###outbrain_widget_0 -cnn.com###outbrain_widget_0 > .ob_stripDual_container > .ob_dual_left -cracked.com###outbrain_widget_1 -tvline.com###outbrain_widget_1 > .ob-widget > .ob-first -hiphopwired.com###outbrain_wrapper -familysecuritymatters.org###outer_header -engadget.com###outerslice -mp4upload.com###over -deviantart.com###overhead-you-know-what -agame.com,animestigma.com,newsbtc.com,notdoppler.com,powvideo.net,streamplay.to,uploadcrazy.net,vidcrazy.net,videoboxone.com,videovalley.net,vidup.org,viponlinesports.eu,webmfile.tv###overlay -gostream.is###overlay-goplugin-main -mp4upload.com###overlay2 -imagewaste.com###overlayBg -thelakewoodscoop.com###overlayDiv -happystreams.net###overlayPPU -reference.com###overlayRightA -thelakewoodscoop.com###overlaySecondDiv -tooshocking.com###overlayVid -agame.com###overlay_bg -canoe.ca###overlay_bigbox -viplivebox.eu###overlay_content -viplivebox.eu###overlay_countdown -thedailybeast.com###overlay_newsweek_container -reference.com###overlayleftA -rocksound.tv###overtake -adelnews.com,advocatepress.com,agjournalonline.com,aledotimesrecord.com,amestrib.com,apalachtimes.com,bcdemocratonline.com,boonevilledemocrat.com,cantondailyledger.com,carmitimes.com,charlestonexpress.com,chillicothetimesbulletin.com,chipleypaper.com,crestviewbulletin.com,doverpost.com,eastpeoriatimescourier.com,fowlertribune.com,gadsdentimes.com,galesburg.com,galvanews.com,geneseorepublic.com,greenwooddemocrat.com,hamburgreporter.com,hockessincommunitynews.com,hopestar.com,jacksonville.com,journaldemocrat.com,journalstandard.com,lajuntatribunedemocrat.com,lincolncourier.com,mcdonoughvoice.com,middletowntranscript.com,milfordbeacon.com,mtshastanews.com,ncnewspress.com,newportindependent.com,newsherald.com,newsrepublican.com,norwichbulletin.com,nwfdailynews.com,olneydailymail.com,oriongazette.com,paris-express.com,pbcommercial.com,pekintimes.com,picayune-times.com,pjstar.com,pontiacdailyleader.com,pressargus.com,pressmentor.com,reviewatlas.com,ridgecrestca.com,rrstar.com,savannahnow.com,scsuntimes.com,siftingsherald.com,siskiyoudaily.com,sj-r.com,srpressgazette.com,starcourier.com,starfl.com,stuttgartdailyleader.com,sussexcountian.com,taftmidwaydriller.com,teutopolispress.com,thedestinlog.com,thegurdontimes.com,thehawkeye.com,thesuntimes.com,waltonsun.com,washingtontimesreporter.com,whitehalljournal.com,woodfordtimes.com###ownlocal-promo -imfdb.org###p-Sponsors -cpdl.org###p-__sponsor -cpdl.org###p-_sponsor -cpdl.org###p-affiliated_site -lyricwiki.org###p-navigation + .portlet -scout.com###p2rightbar -espnf1.com###p320B -espnf1.com###p320T -coloradoan.com,thenewsstar.com###p360_left_wrapper -yahoo.com###paas-lrec -yahoo.com###paas-mrec -interfacelift.com###page > .row[style="height: 288px;"] -abbreviations.com,definitions.net,lyrics.net,quotes.net,synonyms.net###page-bottom-banner -huffingtonpost.com###page-header -animenewsnetwork.com,animenewsnetwork.com.au###page-header-banner -whathifi.com###pageHeader -nbcmontana.com###pageHeaderRow1 -weather.com###pageSpon2 -ninemsn.com.au###page_content_right -radaronline.com###page_content_right_small -facebook.com###pagelet_ads_when_no_friend_list_suggestion -facebook.com###pagelet_ego_pane a[ajaxify*="&eid="] -facebook.com###pagelet_ego_pane a[ajaxify*="&eid="] + div -warriorforum.com###pagenav_menu + div[align="center"] > a[target="_blank"] > img -offtopic.com###pagenav_menu + table[height="61"][cellspacing="0"][cellpadding="0"][border="0"][width="100%"] -sme.sk###paidLinks -thesun.co.uk###paidProducts -weather.com###paid_search -zonelyrics.net###panelRng -creativenerds.co.uk###panelTwoSponsors -foxbusiness.com###partner-business-exchange -nymag.com###partner-feeds -vigilante.pw###partner-list -businessinsider.com.au###partner-offers +ekathimerini.com###nx-stick-help +allaboutcookies.org###offer-review-widget-container +freeaddresscheck.com,freecallerlookup.com,freecarrierlookup.com,freeemailvalidator.com,freegenderlookup.com,freeiplookup.com,freephonevalidator.com###offers +streetdirectory.com###offers_splash_screen +gizbot.com###oi-custom-camp +comicbook.com###omni-skybox-plus-top +kohls.com###open-drawer +livestreamfails.com###oranum_livefeed_container_0 +ckk.ai###orquidea-slideup +powvideo.net,streamplay.to,uxstyle.com###overlay +megacloud.tv###overlay-center +mzzcloud.life,rabbitstream.net###overlay-container +tokyvideo.com###overlay-video +mp4upload.com###overlayads +drivevideo.xyz###overlays +animetrilogy.com,animexin.vip###overplay +phpbb.com###page-footer > h3 +vure.cx###page-inner > div > div > a[href^="https://www.vure.cx/shorten-link.php/"] +vure.cx###page-inner > div > div > div > a[href^="https://www.vure.cx/shorten-link.php/"] +accuradio.com###pageSidebarWrapper +cyclenews.com###pamnew +aninews.in,devdiscourse.com,footballorgin.com,gadgets360.com,justthenews.com,ndtv.com,oneindia.com,wionews.com,zeebiz.com###parentDiv0 +mg.co.za###partner-content hwbot.org###partner-tiles cnn.com###partner-zone -nbcphiladelphia.com,nbcsandiego.com,nbcwashington.com###partnerBar -hbr.org###partnerCenter -nickjr.com###partnerLinks -newser.com###partnerTopBorder -huffingtonpost.com###partner_box -euronews.com###partner_link -weather.com###partner_offers -delish.com###partner_promo_module_container -whitepages.ca,whitepages.com###partner_searches -itworld.com###partner_strip -ew.com###partnerbar -ew.com###partnerbar-bottom -collegecandy.com###partnerlinks -cioupdate.com,datamation.com,earthweb.com,fastseduction.com,gp2series.com,gp3series.com,independent.co.uk,mfc.co.uk,muthafm.com,ninemsn.com.au,porttechnology.org,threatpost.com,wackyarchives.com###partners -arcticstartup.com###partners_125 +fastseduction.com,independent.co.uk###partners +kingsleague.pro###partnersGrid arrivealive.co.za###partners_container -behealthydaily.com###partners_content -gumtree.com###partnership-vip-compact -gumtree.com###partnerships -patheos.com###patheos-ad-region -boards.adultswim.com###pattern-area -way2sms.com###payTM300 -carscoops.com###payload binaries4all.com###payserver -binaries4all.com###payserver2 -pbs.org###pbsdoubleclick +forums.golfwrx.com###pb-slot-top +genshin-impact-map.appsample.com###pc-br-300x250-gim +genshin-impact-map.appsample.com###pc-br1-float-gim demap.info###pcad -tucows.com###pct_popup_link -retrevo.com###pcw_bottom_inner -retrevo.com###pcw_int -retrevo.com###pcw_showcase -firstonetv.eu###pda -amazon.com###pdagMwebCarousel -realestate.yahoo.com###pdp-ysm -vosizneias.com###perm -theonion.com###personals -avclub.com###personals_content -topix.com###personals_promo -portforward.com###pfconfigspot -pricegrabber.com,tomshardware.com###pgad_Top -pricegrabber.com###pgad_topcat_bottom -richkent.com###phone -everyjoe.com###php-code-1 -dnsleak.com,emailipleak.com,ipv6leak.com###piaad -picarto.tv###picartospecialadult -heatworld.com###picks -fool.com###pitch -youtube.com###pla-shelf -ratemyprofessors.com###placeholder728 -autotrader.co.uk###placeholderTopLeaderboard -thevideobee.to###play_hd -indiana.edu###playerSponsor -allmyvideos.net,vidspot.net###player_img -magnovideo.com###player_overlay -ytmnd.com###please_dont_block_me -cargames1.com###plyadu -mma-core.com###plyr > #overlay -lawnewz.com###pmad-byline -lawnewz.com###pmad-right -residentadvisor.net###pnlLeader -947.co.za###podcast-branding -sheridanmedia.com###poll-sponsor -wwl.com###pollsponsor -vg.no###poolMenu -videolinkz.us###popout -newsbtc.com,team.tl###popup -dxomark.com###popupBlock -imgseeds.com###popupBox -celebjihad.com###popupDiv -imgseeds.com###popupOverlay -journal-news.net###popwin -cosmopolitan.com###pos_ams_cosmopolitan_bot -armyrecognition.com###position1 -armyrecognition.com###position2 -armyrecognition.com###position3 +shine.cn###pdfModal +investopedia.com###performance-marketing_1-0 +webnovelworld.org###pfvidad +premierguitar.com###pg_leaderboard +tutorialspoint.com###pg_top_ads +radiocaroline.co.uk###photographsforeverDiv +accuradio.com###pl_leaderboard +giantfreakinrobot.com###playwire-homepage-takeover-leaderboard +issuu.com###playwire-video +files.im###plyrrr +pikalytics.com###pokedex-top-ad +politico.com###pol-01-wrap +standard.co.uk###polar-sidebar-sponsored +standard.co.uk###polarArticleWrapper +pons.com###pons-ad-footer +pons.com###pons-ad-leaderboard__container +epicload.com###popconlkr +safetydetectives.com###popup +bankinfosecurity.com###popup-interstitial-full-page +chaseyoursport.com###popup1 +ducky.bio###popupOverlay quickmeme.com###post[style="display: block;min-height: 290px; padding:0px;"] -wired.com###post_nav -techcrunch.com###post_unit_medrec -multichannel.com###postscript-top-wrapper -addictinggames.com###potw -bnet.com###powerPromo -gpone.com###powered_by -edrinks.net,mortgageguide101.com,twirlit.com###ppc -mypayingads.com###ppc_728_1 -zdnet.com###pplayLinks -prisonplanet.com###ppradio -cnsnews.com###pre-content -pinknews.co.uk###pre-head -chronicleonline.com,cryptoarticles.com,fstoppers.com,roanoke.com,sentinelnews.com,theandersonnews.com###pre-header -foodnetworkasia.com,foodnetworktv.com###pre-header-banner -surfline.com###preRoll -vidup.me###pre_counter +ultrabookreview.com###postadsside +ultrabookreview.com###postzzif +the-scientist.com###preHeader playok.com###pread -dragcave.net###prefooter -bizjournals.com###prefpart -yourmovies.com.au,yourrestaurants.com.au,yourtv.com.au###preheader-ninemsn-container -mixupload.org###prekla -bassmaster.com###premier-sponsors-widget -nzgamer.com###premierholder -netnewscheck.com,tvnewscheck.com###premium-classifieds -youtube.com###premium-yva -usatoday.com###prerollOverlayPlayer -1cookinggames.com###previewthumbnailx250 -news24.com###pricechecklist -appleinsider.com###priceguide -gamekyo.com###priceminister -queenscourier.com###primary-sidebar -inquirer.net###primaryBottomSidebar -snapfiles.com###prodmsg -snapfiles.com###prodmsgdl -gizmodo.com.au###product-finder -productwiki.com###product-right -catholicculture.org###product_container -masstimes.org,thecatholicdirectory.com###products -androidauthority.com###products_widget -rapid8.com###prom -notepad.cc,runnow.eu###promo -nextgengamingblog.com###promo-300x250 -nextgengamingblog.com###promo-468x60 -artistsandillustrators.co.uk###promo-area -computerandvideogames.com###promo-h -miniclip.com###promo-mast -wayfm.com###promo-roll -miniclip.com###promo-unit -nbcuni.com###promo1 -nbcuni.com###promo9 -fhm.com###promoContainer -8newsnow.com###promoHeader -asseenontv.com###promoMod -macupdate.com###promoSidebar -maxim.com###promoSlide -startpage.com###promo_cnt_id -wsj.com###promo_container -yahoo.com###promo_links_list -pagalworld.io###promoapps -phonescoop.com###promob -agame.com###promobar -mdjonline.com,thestranger.com###promos -und.com###promos-story-wrap -und.com###promos-wrap -networkworld.com###promoslot -msn.com###promotedlinksplaceholder -eclipse.org,hotscripts.com###promotion -reminderfox.mozdev.org###promotion3 -sherdog.net###promotion_container -newsroomamerica.com###promotional -bnnbloomberg.ca,thebulls.co.za###promotions -thehomepage.com.au###prop-foot-728x90 -independent.co.uk,standard.co.uk###propCar -my-proxy.com###proxy-bottom -newyorker.com###ps2_fs2_yrail -newyorker.com###ps3_fs1_yrail -ecommercetimes.com,linuxinsider.com,macnewsworld.com,technewsworld.com###ptl -sk-gaming.com###pts -sk-gaming.com###ptsf -rocvideo.tv###pu-pomy -digitalversus.com###pub-banner -digitalversus.com###pub-right-top -cnet.com###pubUpgradeUnit -jeuxvideo-flash.com###pub_header +adlice.com###preview-div +talkbass.com###primary-products +deepai.org###primis-ads +slashfilm.com###primis-container +walgreens.com###prod-sponsored +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com###promo-container +sslshopper.com###promo-outer +thestreamable.com###promo-signup-bottom-sheet +dailymail.co.uk###promo-unit +proxyium.com###proxyscrape_ad frequence-radio.com###pub_listing_top -skyrock.com###pub_up -tvlizer.com###pubfooter -hellomagazine.com###publi -surinenglish.com###publicidades_top -thenextweb.com###pubtop -herold.at###puls4 -newsweek.com###pulse360 -nymag.com,thebusinessdesk.com###pushdown -washingtonian.com###pushdown-unit -pep.ph###pushdown-wrapper -neopets.com###pushdown_banner -miningweekly.com###q-search-powered -thriveforums.org###qr_defaultcontainer.qrcontainer -ign.com###queen -inbox.com,search.aol.com###r -dnssearch.rr.com,optu.search-help.net###rSrch -oldgames.sk###r_TopBar -thedugoutdoctors.com,thehoopdoctors.com###r_sidebar -unfair.co###r_sidebarwidgeted -mobilenapps.com###r_sponsor -barbavid.com###rabbax -technozeast.com###rad -answers.com###radLinks -ehow.co.uk###radlinks -freevermontradio.org###rads -collegefashion.net###rainbowsparkleunicorn -armorgames.com###randomgame -rappler.com###rappler3-common-desktop-middle-ad -ndtv.com###rbox-t2v a[href^="http://tba"] -reference.com###rc +elevationmap.net###publift_home_billboard +fxsforexsrbijaforum.com###pun-announcement +sparknotes.com###pwDeskLbAtf +lambgoat.com###pwDeskLbAtf-container +onmsft.com###pwDeskSkyBtf1 +d4builds.gg###pwParentContainer +thefastmode.com###quick_survey +sporcle.com###quiz-right-rail-unit-2 +techmeme.com###qwdbfwh +comicbookrealm.com###rad +coincarp.com###random_sponsored +rawstory.com###rawstory_front_2_container reverso.net###rca -pt-news.org###rcb1 -holytaco.com###re_ad_300x250 -yahoo.com###rec -akihabaranews.com###recHome -akihabaranews.com###recSidebar -deliciousdays.com###recipeshelf -wambie.com###recomendar_728 -dailydot.com###recommendation-engine -tucows.com###recommended_hdg -doodle.com###rect -pixdaus.com###rectBanner -moviemistakes.com,tvfanatic.com,zattoo.com###rectangle -order-order.com###rectangle-unit -bizrate.com###rectangular -dict.cc###rectcompactbot +businessgreen.com###rdm-below-header +slideserve.com###readl +shortwaveschedule.com###reclama_mijloc +scoop.co.nz###rect dict.cc###recthome dict.cc###recthomebot -1tiny.net###redirectBlock -bloemfonteincelticfc.co.za###reebok_banner -expertreviews.co.uk###reevoo-top-three-offers -bnet.com###reg-overlay -yahoo.com###reg-promos -ncronline.org###region-dfp-incontent -dailyxtra.com###region-superleaderboard -thedailystar.net###rehab_ad_tds_web -atdhe.eu###reklama_mezi_linky -filmschoolrejects.com###related-items -moneynews.com,newsmax.com,newsmaxhealth.com,newsmaxworld.com###relatedlinks -unblocked.lol###removeThisSection -winkeyfinder.com###render -ign.com###resonance -zillow.com###resource-center -zdnet.com###resourceCentre -computerworld.com,networkworld.com###resources-sponsored-links -flightradar24.com###responsiveBottomPanel -url.org###resspons1 -url.org###resspons2 -metric-conversions.org###resultBanner -herold.at###resultList > #downloadBox -search.iminent.com,start.iminent.com###result_zone_bottom -search.iminent.com,start.iminent.com###result_zone_top -torrentz2.eu,torrentz2.is###resultarea -indeed.com###resultsCol > .lastRow + div[class] -indeed.com###resultsCol > .messageContainer + style + div + script + style + div[class] -qwant.com###resultsShoppingList -cnet.com###reviewsPanel -msn.co.nz###rhc_find -ninemsn.com.au###rhc_mrec -imdb.com###rhs-sl -imdb.com###rhs_cornerstone_wrapper -pcworld.idg.com.au###rhs_resource_promo -ndtv.com###rhs_widget_container_id -10minutemail.net,eel.surf7.net.my,macdailynews.com,ocia.net###right -ninemsn.com.au###right > .bdr > #ysm -123chase.com###right-adv-one -tgdaily.com###right-banner -treatmentabroad.net###right-inner -wenn.com###right-panel-galleries -shortlist.com###right-sideburn -fanfox.net###right-skyscraper -narutofan.com###right-spon -realcleartechnology.com###right-wide-skyscraper -popsci.com###right1-position -gtopala.com###right160 -popsci.com###right2-position -tnt.tv###right300x250 -cartoonnetwork.co.nz,cartoonnetwork.com.au,cartoonnetworkasia.com,cdcovers.cc,gizgag.com,prevention.com,slacker.com###rightBanner -jooble.org###rightBannerPlace -linuxforums.org,quackit.com###rightColumn -maltatoday.com.mt###rightContainer -thelakewoodscoop.com###rightFloat -yahoo.com###rightGutter -cosmopolitan.com###rightRailAMS -befunky.com###rightReklam -totalfark.com###rightSideRightMenubar -playstationlifestyle.net###rightSkyscraper -itworldcanada.com###rightTopSponsor -files.fm###right_add -sosuanews.com###right_banner -mediacorp.sg###right_banner_placeholder -picfont.com###right_block1 -ffiles.com###right_col -themtn.tv###right_generic_47 -necn.com###right_generic_v11_3 -notdoppler.com###right_link -psinsider.e-mpire.com###right_main_1 -hardwareheaven.com###right_skin_panel_div -hardware.info###right_top -theblaze.com###right_top_160x600 -urlcash.net###rightbox -capetownetc.com,compleatgolfer.com,sacricketmag.com,sarugbymag.co.za###rightclick -portable64.com###rightcol -cokeandpopcorn.com###rightcol3 -newsarama.com###rightcol_mid -forums.anandtech.com,laptopmag.com###rightcol_top -tomsguide.com,tomshardware.co.uk,tomshardware.com###rightcol_top_anchor -mysuncoast.com###rightcolumnpromo -stuff.co.nz###rightgutter -810varsity.com###rightsidebanner -herold.at###rightsponsor -elyricsworld.com###ringtone -tubeconverter.net###ringtone-button -youtump3.com###ringtoner -egotastic.com,idolator.com,socialitelife.com###river-container -megarapid.net,megashare.com###rmiad -megashare.com###rmishim -brenz.net###rndBanner -actiontrip.com,comingsoon.net,craveonline.com,dvdfile.com,ecnmag.com,gamerevolution.com,manchesterconfidential.co.uk,thefashionspot.com,videogamer.com###roadblock -windowsitpro.com,winsupersite.com###roadblockbackground -winsupersite.com###roadblockcontainer -mirror.co.uk###roffers-top -barclaysatpworldtourfinals.com###rolex-small-clock -moviezer.com###rootDiv[style^="width:300px;"] -logupdateafrica.com###rotating-item-wrapper -lionsrugby.co.za###rotator -lionsrugby.co.za###rotator2 -powerboat-world.com###rotator_url -alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flyergroup.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net###rounded-corners-findnsave -zam.com###row-top -cybergamer.com###row_banner_dvrtsmnt -yttalk.com###rpmtop -parentdish.co.uk###rr-amazon -search-results.com###rr_sa_container -rollingstone.com###rs-ticketing -redsharknews.com###rsBannerStrip -core77.com###rsDesignDir -theprovince.com,vancouversun.com###rsm_widget_wrapper -eprop.co.za###rt-top -rte.ie###rte-header-leaderboard -rte.ie###rte-masthead-topleft -pages.ebay.com###rtm_1658 -ebay.ie###rtm_NB -motors.ebay.com###rtm_div_193 -ebay.co.uk,ebay.com###rtm_html_194 -ebay.ie###rtm_html_225 -ebay.co.uk###rtm_html_274 -ebay.co.uk###rtm_html_275 -ebay.co.uk,ebay.com###rtm_html_391 -ebay.com###rtm_html_441 -ebay.co.uk###rtm_html_566 -ebay.co.uk###rtm_html_567 -ebay.co.uk,ebay.com###rtm_html_569 -dailywire.com###rv-smallvid-mobile -food.com###rz-leaderboard-wrap -crawler.com###s -classifieds.co.uk###s123results -crawler.com###s2 -capitalradiomalawi.com###s5_pos_below_body_1 -capitalradiomalawi.com###s5_pos_bottom_row2_1 -capitalradiomalawi.com###s5_pos_top_row1_1 -search.charter.net,search.frontier.com###sRhtSde -nickutopia.com###sad336 -salary.com###sal_pg_abv -sawlive.tv###sawdiv -wbez.org###sb-container -casinonewsdaily.com###sb-featured -nickutopia.com###sb160 -cheatsheet.com###sb_broker_container -codefuture.co.uk###sb_left -hwhills.com###sb_left_tower -appleinsider.com###sbr-priceguide -scholastic.com###schlSkyscraper +ip-tracker.org###rekl +tapatalk.com###relatedblogbar +plurk.com###resp_banner_ads +homedepot.com###revjet_container +10minutemail.net,eel.surf7.net.my,javatpoint.com###right +msguides.com###right-bottom-camp +comicbookrealm.com###right-rail > .module +purewow.com###right-rail-ad +gogetaroomie.com###right-space +online-translator.com###rightAdvBlock +openspeedtest.com###rightArea +icon-icons.com###right_column +medicaldialogues.in###right_level_8 +numista.com###right_pub +collegedunia.com###right_side_barslot_1 +collegedunia.com###right_side_barslot_2 +calcudoku.org###right_td +yardbarker.com###right_top_sticky +forums.space.com,forums.tomshardware.com###rightcol_bottom +forums.anandtech.com,forums.androidcentral.com,forums.pcgamer.com,forums.space.com,forums.tomsguide.com,forums.tomshardware.com,forums.whathifi.com###rightcol_top +numista.com###rightpub +road.cc###roadcc_Footer-Billboard +box-core.net,mma-core.com###rrec +anisearch.com###rrightX +protocol.com###sHome_0_0_3_0_0_5_1_0_2 +glennbeck.com###sPost_0_0_5_0_0_9_0_1_2_0 +glennbeck.com###sPost_Default_Layout_0_0_6_0_0_9_0_1_2_0 +advocate.com###sPost_Layout_Default_0_0_19_0_0_3_1_0_0 +out.com###sPost_Layout_Default_0_0_21_0_0_1_1_1_2 +spectrum.ieee.org###sSS_Default_Post_0_0_20_0_0_1_4_2 +flatpanelshd.com###sb-site > .hidden-xs.container +centurylink.net,wowway.net###sc_home_header_banner +wowway.net###sc_home_news_banner +wowway.net###sc_home_recommended_banner +wowway.net###sc_read_header_banner my.juno.com###scienceTile -cartoonnetwork.com###scraper -alloy.com###screen_scene_module -newsbusters.org###screenoverlay -pcweenies.com###scribol -techpounce.com###scribol-block -flexiblewebdesign.com###scroll -opensubtitles.org###scrubbuad_style -espnscrum.com###scrumRhsBgMpu -espnscrum.com###scrumRhsBgTxtLks -hentai2read.com###sct_banner_980_60 -bbj.hu###sd-embeded-jobs -stardoll.com###sdads_bt_2 -zillow.com###search-featured-partners -docspot.com###search-leaderboard -youtube.com###search-pva -sail-world.com###searchRotation -bitenova.nl,bitenova.org###search_un -kontraband.com###second_nav_container -kontraband.com###second_nav_content_container -zuula.com###secondary -toptenz.net###secondary > .widget + div -smarterfox.com###secondary-banner -way2sms.com###secreg2 +coinarbitragebot.com###screener +coincodex.com###scroller-2 +adverts.ie###search_results_leaderboard +nagpurtoday.in###secondary aside.widget_custom_html +pao.gr###section--sponsors +racingamerica.com###section-15922 +hometheaterreview.com###section-20297-191992 +hometheaterreview.com###section-246-102074 neoseeker.com###section-pagetop -desiretoinspire.net###sectionContent2275769 -desiretoinspire.net###sectionContent5389870 -whatismyipaddress.com###section_right -edomaining.com###sedo-search -scoop.co.nz###seek_table -searchenginejournal.com###sej-bg-takeover-left -searchenginejournal.com###sej-bg-takeover-right -inc.com###select_services -vshare.io###sendif -letterboxd.com###services -gamesgames.com###sgAdMrCp300x250 -girlsgogames.com###sgAdMrScp300x250 -gamesgames.com###sgAdScCp160x600 -girlsgogames.com###sgAdScHp160x600 -girlsgogames.com###sgAdScScp160x600 -mercola.com###shadowbox_container -localhostr.com###share2 -youtube.com###shelf-pyv-container -shidurlive.com###shidurdiv -someecards.com###shop -thechronicleherald.ca###shopSlider -expertreviews.co.uk###shopperButton -broadcastnewsroom.com###shopperartbox -macworld.com,maxthon.com###shopping -cnet.com.au###shopping-339279174 -indianexpress.com###shopping_deals -qj.net###shoppingapi -bellasugar.com,tressugar.com###shopstyle-sidebar-container -ndtv.com###shotonsamsungwidget -10minutemail.com###shoutouts -ytv.com###show-big-box -tunegenie.com###showad -isxdead.com###showbox -coolhunting.com###showcase -famouscelebritiespictures.com,xtremevbtalk.com###showimage -crunchyroll.ca###showmedia_square_adbox_new -fbcoverlover.com###shownOnlyOnceADay -wwtdd.com###showpping -si.com###si-com-ad-widget -usatoday.com###side-banner1 -usatoday.com###side-banner2 -feedmyapp.com###side-bsa -thebestdesigns.com###side-sponsor -gamingunion.net###side-sponsors -howtogeek.com###side78 -iphonefaq.org###sideBarsMiddle -iphonefaq.org###sideBarsTop -iphonefaq.org###sideBarsTop-sub -slickdeals.net###sideColumn > .au -tomsguide.com,tomshardware.co.uk###sideOffers -backpage.com###sideSponsorTable -space.com###side[style="width: 100%; display: block; height: auto;"] -khmertimeskh.com,webappers.com###side_banner -beatweek.com,filedropper.com,need4file.com,qwantz.com,satelliteguys.us###sidebar -cryptoarticles.com###sidebar > #sidebarBlocks -kodi.tv###sidebar > #text-5 -sharktankblog.com###sidebar > #text-85 -inquisitr.com###sidebar > .WP_Widget_Ad_manager + div -yauba.com###sidebar > .block_result:first-child -torrentfreak.com###sidebar > .widget_text -krebsonsecurity.com###sidebar-250 -pa-magazine.com###sidebar-banner -tvlizer.com###sidebar-bottom -travelwkly.com###sidebar-bottom-left -krebsonsecurity.com###sidebar-box -sbs.com.au###sidebar-first -cloudpro.co.uk###sidebar-first-inner -eaglewavesradio.com.au###sidebar-header -wearebaked.com###sidebar-left > #text-2 -tricycle.com###sidebar-logos +searchenginejournal.com###sej-pop-wrapper_v3 +analyticsinsight.net,moviedokan.lol,shortorial.com###sgpb-popup-dialog-main-div-wrapper +wordhippo.com###sgwDesktopBottomDiv +v3rmillion.net###sharingPlace +fedex.com###shop-runner-banner-link +search.brave.com###shopping +shareinvestor.com###sic_superBannerAdTop +filedropper.com,lifenews.com###sidebar +whatsondisneyplus.com###sidebar > .widget_text.amy-widget +tellymix.co.uk###sidebar > div[style] +globalwaterintel.com###sidebar-banner +spiceworks.com###sidebar-bottom-ad ftvlive.com###sidebar-one-wrapper -bustocoach.com###sidebar-right -equestriadaily.com###sidebar-right-search -domaininvesting.com,elliotsblog.com###sidebar-sps -televisionfanatic.com###sidebar-watch-more -dailysurge.com###sidebar-wrapper > div[class]:first-child -dailysurge.com###sidebar-wrapper > ul > .sidebar-widget:first-child + [class] -deviantart.com###sidebar-you-know-what -bored.com###sidebar1head -uncoached.com,unrealitymag.com###sidebar300X250 -petapixel.com,pgatour.com###sidebar300x250 -thecourier.co.uk###sidebarMiddleCol -inquirer.net###sidebarTabs -inquirer.net###sidebarTabs1 -inquirer.net###sidebarTabs2 -thetechjournal.com###sidebar_after_1000px -sundancechannel.com###sidebar_banner -nbntv.com.au###sidebar_banner1 -bestweekever.tv###sidebar_buzzfeed -moneymakerdiscussion.com###sidebar_container[style="width: 200px;"] -destructoid.com###sidebar_dad -destructoid.com###sidebar_dad_contact -motorcycle.com###sidebar_leaderboard -dzone.com,poponthepop.com###sidebar_rectangle -icanhascheezburger.com###sidebar_scraper -doityourself.com###sidebar_text_link_container -smashingmagazine.com###sidebaradtarget -webupd8.org###sidebard-top-wrapper -polodomains.com###sidebarin -opendocument.xml.org###sidebarright -dooce.com###sidebarskyholder -quickonlinetips.com###sideboxfeature3 -gamepedia.com###siderail -saportareport.com###sidetopleft -sikids.com###sifk_topper -zerohedge.com###similar-box -virtualpets.com###site-banner -fastcocreate.com###site-header -kiplinger.com,typepad.com###site-sponsor -knucklesunited.com###site-title -opendemocracy.net###site-topbanner -kstp.com###siteHeaderLeaderboard -arsenal-mania.com###sitePromos -reddit.com###siteTable_organic -texastribune.org###site_roofline -cybergamer.com###site_skin -cybergamer.com###site_skin_spacer -escapistmagazine.com###site_top_part -smsfun.com.au###sitebanners -slashdot.org###sitenotice -bhaskar.com###sitetakeoverimg -allmyvids.de###sitewide160right -2oceansvibe.com,djmag.co.uk,djmag.com,expertreviews.co.uk,mediaite.com,postgradproblems.com,race-dezert.com###skin -collegehumor.com,dorkly.com###skin-banner -jest.com###skin_banner -idg.com.au###skin_bump -animenewsnetwork.com###skin_header -animenewsnetwork.com###skin_left -24video.xxx###skin_link -fleshbot.com###skin_wrap -bit-tech.net###skinclick -n4g.com###skinlink -lambgoat.com,metalinjection.net###skinoverlay -kovideo.net###skip -dafont.com,dealchecker.co.uk,play.tm,yellowpages.com.my###sky -skytv.co.nz###sky-banner -skysports.com###sky-bet-accordian -homeportfolio.com###sky-bottom -moneysupermarket.com###sky-container -capitalfm.com,heart.co.uk###sky1 -itpro.co.uk###skyScraper -expertreviews.co.uk###skyScrapper -expertreviews.co.uk###skyScrapper2 -nickydigital.com###sky_scrapper -ps3hax.net###sky_top -webopedia.com###skypartnerset -euronews.com###skyscanner-white-label -ebay.co.uk,ebay.com,ebay.com.au###skyscrape -975countrykhcm.com,boomerangtv.co.uk,broadcastingcable.com,bustedcoverage.com,camchat.org,consumerist.com,family.ca,ghanaweb.com,hypable.com,king-mag.com,law.com,macuser.co.uk,menshealth.com,metrotimes.com,mp3tag.de,newsdaily.com,nme.com,pcworld.com,politics.co.uk,poponthepop.com,sportfishingbc.com,thehollywoodgossip.com,thesmokinggun.com,tmz.com,topgear.com,torontosun.com,tvfanatic.com,ucomparehealthcare.com,uncut.co.uk,victoriaadvocate.com,zerochan.net###skyscraper -4teachers.org###skyscraper-container -s1jobs.com###skyscraper-target -icanhascheezburger.com,ifans.com###skyscraper1 -ifans.com###skyscraper2 -jokes2go.com###skyscraperDiv -prevention.com###skyscraperWrap -nitrome.com,pri.org###skyscraper_box -globrix.com###skyscraper_container -m-w.com###skyscraper_creative_2 -nitrome.com###skyscraper_description -illum.com.mt###skyscraper_right +carmag.co.za###sidebar-primary +saharareporters.com###sidebar-top +interest.co.nz,metasrc.com###sidebar-wrapper +koimoi.com###sidebar1 +scotsman.com###sidebarMPU1 +scotsman.com###sidebarMPU2 +ubergizmo.com###sidebar_card_spon +trucknetuk.com###sidebarright +image.pi7.org###sidebarxad +disqus.com###siderail-sticky-ads-module +4runnerforum.com,acuraforums.com,blazerforum.com,buickforum.com,cadillacforum.com,camaroforums.com,cbrforum.com,chryslerforum.com,civicforums.com,corvetteforums.com,fordforum.com,germanautoforums.com,hondaaccordforum.com,hondacivicforum.com,hondaforum.com,hummerforums.com,isuzuforums.com,kawasakiforums.com,landroverforums.com,lexusforum.com,mazdaforum.com,mercuryforum.com,minicooperforums.com,mitsubishiforum.com,montecarloforum.com,mustangboards.com,nissanforum.com,oldsmobileforum.com,pontiactalk.com,saabforums.com,saturnforum.com,truckforums.com,volkswagenforum.com,volvoforums.com###sidetilewidth +gephardtdaily.com###simple-sticky-footer-container +995thewolf.com,newcountry963.com###simpleimage-3 +hot933hits.com###simpleimage-5 +yourharlow.com###single_rhs_ad_col +inoreader.com###sinner_container +pocketgamer.com###site-background +webkinznewz.ganzworld.com###site-description +dead-frog.com###site_top +2oceansvibe.com,pocketgamer.biz###skin +breakingdefense.com###skin-clickthrough +ebar.com###skin-left +ebar.com###skin-right +namemc.com###skin_wrapper +pinkvilla.com###skinnerAdClosebtn +dafont.com###sky +dailymail.co.uk,thisismoney.co.uk###sky-left-container +dailymail.co.uk###sky-right +dailymail.co.uk,thisismoney.co.uk###sky-right-container +skylinewebcams.com###skylinewebcams-ads2 +dailydooh.com###skysbar +holiday-weather.com,omniglot.com,w3schools.com,zerochan.net###skyscraper +nitrome.com###skyscraper_box nitrome.com###skyscraper_shadow -humanevents.com###skyscraperbox -alloaadvertiser.com,ardrossanherald.com,ayradvertiser.com,barrheadnews.com,bordertelegraph.com,bracknellnews.co.uk,carrickherald.com,centralfifetimes.com,clydebankpost.co.uk,cumnockchronicle.com,dumbartonreporter.co.uk,eastlothiancourier.com,greenocktelegraph.co.uk,helensburghadvertiser.co.uk,irvinetimes.com,largsandmillportnews.com,localberkshire.co.uk,newburyandthatchamchronicle.co.uk,peeblesshirenews.com,readingchronicle.co.uk,sloughobserver.co.uk,strathallantimes.co.uk,the-gazette.co.uk,thevillager.co.uk,troontimes.com,windsorobserver.co.uk###skyscrapers -bustedcoverage.com,xdafileserver.nl###skyscrapper -computerandvideogames.com,officialnintendomagazine.co.uk,oxm.co.uk###skyslot -sevenload.com###skyyscraperContainer -allexperts.com,gifts.com###sl -housebeautiful.com###sl_head +scrabble-solver.com###skywideupper +surfline.com###sl-header-ad slashdot.org###slashdot_deals -gifts.com###slbox -mobafire.com###slide-up -bluff.com,bluffmagazine.com###slideBanner -timesfreepress.com###slidebillboard -roseindia.net###slidebox -sacricketmag.com###slidein -live365.com###slider -classicfm.co.za###slider-container -whatshappening.com.ph###sliderCarousel -yellowpagesofafrica.com###sliderPub -hktdc.com###sliderbanner -thephuketnews.com###slides -yellowpageskenya.com###slideshow -cio.com.au###slideshow_boombox -790kspd.com###slideshowwidget-8 -bizrate.com###slimBannerContainer -mail.yahoo.com###slot_LREC -mail.yahoo.com###slot_MB -mail.yahoo.com###slot_REC -connectionstrings.com###slot_bottom -connectionstrings.com###slot_leftmenu -connectionstrings.com###slot_top -connectionstrings.com###slotfirstpage -uploadc.com,zalaa.com###slowcodec -newsweek.com###slug_bigbox -sportsmole.co.uk###sm_shop -dailyrecord.co.uk###sma-val-service -ikascore.com###smalisted -whatshappening.com.ph###smallLeaderboardCarousel -cnn.com###smartassetcontainer -unfinishedman.com###smartest-banner-2 -reviewjournal.com###smedia-upickem_deals_widget -powerpointstyles.com###smowtion300250 -pedestrian.tv###snap -denverpost.com###snowReportFooter -tfportal.net###snt_wrapper -soccer24.co.zw###soccer24-ad -cioupdate.com,webopedia.com###solsect -knowyourmeme.com###sonic -sensis.com.au###southPfp -stv.tv###sp-mpu-container -aol.com###spA -amazon.ca,amazon.co.uk,amazon.com,amazon.com.au,amazon.fr###sp_detail -amazon.ca,amazon.co.uk,amazon.com,amazon.com.au,amazon.fr###sp_detail2 -thedailygreen.com###sp_footer -sharespark.net###sp_header -collegefashion.net###spawnsers -torontolife.com###special-messages -geeksaresexy.net###special-offers -news.com.au###special-promotion -cnet.com###specialDrawer -videogamer.com###specialFeatures -countryliving.com###specialOffer -countryliving.com###special_offer -redbookmag.com###special_offer_300x200 -cboe.com###special_offers -pcmag.com###special_offers_trio -winrumors.com###specialfriend -totallycrap.com###specials -rapid4me.com###speed_table -pricegrabber.co.uk###spl -filestube.to###spla -fxempire.com###splash_over -fxempire.com###splash_wraper -aol.com###splink -aol.com###splinkRight -winsupersite.com###splinkholder -cnet.com,howdesign.com###splinks -realestate.aol.com###splinktop -delicious.com###spns +gunsamerica.com###slidebox +compleatgolfer.com,sacricketmag.com###slidein +accuradio.com###slot2Wrapper +orteil.dashnet.org###smallSupport +point2homes.com###smartAsset +apkmoddone.com###sn-Notif +givemesport.com###sn_gg_ad_wrapper +forums.bluemoon-mcfc.co.uk###snack_dmpu +forums.bluemoon-mcfc.co.uk,gpfans.com###snack_ldb +forums.bluemoon-mcfc.co.uk,gpfans.com###snack_mpu +forums.bluemoon-mcfc.co.uk###snack_sky +ghacks.net###snhb-snhb_ghacks_bottom-0 +who-called.co.uk###snigel_ads-mobile +thedriven.io###solarchoice_banner_1 +wcny.org###soliloquy-12716 +toumpano.net###sp-feature +hilltimes.com###sp-mini-box +toumpano.net###sp-right +vuejs.org###special-sponsor +coingape.com###spinbtn +fastseduction.com###splash +streetdirectory.com###splash_screen_overlay downloads.codefi.re###spo downloads.codefi.re###spo2 -eweek.com###spon-con -eweek.com###spon-list -diynetwork.com###spon-recommendations -dailyhaha.com###spon300 -krillion.com###sponCol -foreignpolicy.com###spon_reports -quakelive.com###spon_vert -phonescoop.com###sponboxb -firstpost.com###sponrht -ninemsn.com.au###spons_left -baseball-reference.com,breakingtravelnews.com,christianpost.com,compfight.com,europages.co.uk,itweb.co.za,japanvisitor.com,jewishva.org,lmgtfy.com,mothering.com,neave.com,otcmarkets.com,progressillinois.com,ragezone.com,submarinecablemap.com,telegeography.com,tsn.ca,tvnz.co.nz,wallpapercropper.com,walyou.com,wgr550.com,wsjs.com,yahoo.com###sponsor -leedsunited.com###sponsor-bar -opb.org###sponsor-big-default-location -angloinfo.com###sponsor-box-widget -detroitnews.com###sponsor-flyout -meteo-allerta.it,meteocentrale.ch,meteozentral.lu,severe-weather-centre.co.uk,severe-weather-ireland.com,vader-alarm.se###sponsor-info -publicfinanceinternational.org###sponsor-inner -itweb.co.za,submarinecablemap.com###sponsor-logo -zymic.com###sponsor-partners -talktalk.co.uk###sponsor-search -opb.org###sponsor-small-default-location -itweb.co.za###sponsor-words-side-box -friendster.com###sponsor-wrap -itweb.co.za,lmgtfy.com###sponsor1 -lmgtfy.com###sponsor2 -food24.com###sponsorImage -americanidol.com###sponsorLogos -ohio.com###sponsorTxt -mlb.com###sponsor_container -football-league.co.uk###sponsor_links -health365.com.au###sponsor_logo_s -lmgtfy.com###sponsor_wrapper -7search.com,filenewz.com,general-fil.es,general-files.com,generalfil.es,internetretailer.com,ixquick.co.uk,ixquick.com,nickjr.com,rewind949.com,slickdeals.net,startpage.com,webhostingtalk.com,yahoo.com###sponsored -theweathernetwork.com###sponsored-by -webhostingtalk.com###sponsored-clear -pjmedia.com###sponsored-content-id -hardwarezone.com.sg###sponsored-links-alt -chacha.com###sponsored-question -foxnews.com###sponsored-stories -lastminute.com###sponsoredFeature -lastminute.com###sponsoredFeatureModule -theblaze.com###sponsored_stories -smashingmagazine.com###sponsorlisttarget -abalive.com,abestweb.com,autotrader.com.au,barnsleyfc.co.uk,bbb.org,bcfc.com,blackpoolfc.co.uk,boattrader.com.au,burnleyfootballclub.com,bwfc.co.uk,cafc.co.uk,cardiffcityfc.co.uk,christianity.com,cpfc.co.uk,dakar.com,dcfc.co.uk,digitalmusicnews.com,etftrends.com,fastseduction.com,football-league.co.uk,geekwire.com,gerweck.net,goseattleu.com,hullcitytigers.com,iconfinder.com,itfc.co.uk,justauto.com.au,kiswrockgirls.com,landreport.com,law.com,lcfc.com,manutd.com,myam1230.com,nesn.com,noupe.com,paidcontent.org,pba.com,pcmag.com,petri.co.il,pingdom.com,psl.co.za,race-dezert.com,rovers.co.uk,sjsuspartans.com,soompi.com,sponsorselect.com,star883.org,tapemastersinc.net,techmeme.com,trendafrica.co.za,waronyou.com,whenitdrops.com###sponsors -newarkrbp.org###sponsors-container-outer -sanjose.com###sponsors-module -und.com###sponsors-story-wrap -publicradio.org###sponsors-temp -und.com###sponsors-wrap -techie-buzz.com###sponsors2 -netchunks.com###sponsorsM -feedly.com###sponsorsModule_part -clubwebsite.co.uk###sponsors_bottom +bitchute.com###spoSide +firmwarefile.com###spon +cssbattle.dev,slitaz.org###sponsor +meteocentrale.ch###sponsor-info +nordstrom.com###sponsored-carousel-sponsored-carousel +newsfirst.lk###sponsored-content-1 +cnn.com###sponsored-outbrain-1 +hiphopkit.com###sponsored-sidebar +philstar.com###sponsored_posts +techmeme.com###sponsorposts +fastseduction.com,geekwire.com,landreport.com,vuejs.org,whenitdrops.com###sponsors +system-rescue.org###sponsors-left +colourlovers.com###sponsors-links ourworldofenergy.com###sponsors_container -ibtimes.com,npr.org,opb.org,pbs.org###sponsorship -islamicity.org###sponsorship-area-wrapper -backstage.com###sponsorsmod -compareraja.in###spopup -cnet.com###spotBidHeader -cnet.com###spotbid -justdubs.tv###spots -lawctopus.com###spu-145865 -lawctopus.com###spu-bg-145865 -qj.net###sqspan -zam.com###square-box -allakhazam.com###square-box:first-child -comicbookmovie.com###squareATF -newsonjapan.com###squarebanner300x250 rent.ie###sresult_banner -realestate.yahoo.com###srp-ysm -gifts.com###srp_sl -computerworld.co.nz,pcworld.co.nz###ss-mrec -fun.familyeducation.com,genealogy.familyeducation.com,infoplease.com###ssky -speedtest.net###st-flash > div[class] > [style^="width:"] -sourceforge.net###stackcommerce-header -saharareporters.com###stage-header -businessdictionary.com###standalone_text -khistocks.com,milb.com###standard_banner -cucirca.eu###stanga -alternativeto.net###startpage-right +tokder.org###ssss +stocktwits.com###st-bottom-content +torrentgalaxy.to###startad geekwire.com###startup-resources-sidebar -mypayingads.com###static_468_1 -activistpost.com###stb-overlay -rally24.com###stickedPanel -gizchina.com###sticky-anchor -gizchina.com###sticky-anchor-right -dailytrust.com.ng###sticky-bottom -yahoo.com###sticky-lrec2-footer -mashable.com###sticky-spacer -fool.com###sticky-wrapper +newcartestdrive.com###static-asset-placeholder-2 +newcartestdrive.com###static-asset-placeholder-3 +tvtropes.org###stick-cont +dvdsreleasedates.com###sticky +guelphmercury.com###sticky-ad-1 +thestar.com###sticky-ad-2 +rudrascans.com###sticky-ad-head +ktbs.com###sticky-anchor +datamation.com,esecurityplanet.com,eweek.com,serverwatch.com,webopedia.com###sticky-bottom +stakingrewards.com###sticky-footer +independent.co.uk,standard.co.uk,the-independent.com###stickyFooterRoot afr.com###stickyLeaderboard -propakistani.pk###sticky_banner2 -cryptomininggame.com###sticky_bot_left -ncregister.com###sticky_box -retronintendogames.com###sticky_footer -stltoday.com###stl-below-content-02 -dailypuppy.com###stop_puppy_mills -someecards.com###store -dailyherald.com###storyMore -cbc.ca###storymiddle -instyle.co.uk###style_it_light_ad -africageographic.com###sub-banners -praag.org###sub-header -discovermagazine.com###sub-portlet -wjunction.com###subBar -ubergizmo.com###sub_footer -usmagazine.com###sub_form_popup -mayoclinic.com###subbox -dallasvoice.com,dealerscope.com,gamegrep.com,winamp.com###subheader +bostonglobe.com###sticky_container.width_full +eurogamer.net,rockpapershotgun.com,vg247.com###sticky_leaderboard +lethbridgeherald.com###stickybox +medicinehatnews.com###stickyleaderboard +news18.com###stkad +timesnownews.com,zoomtventertainment.com###stky +sun-sentinel.com###stnWrapperDiv +westernjournal.com###stnvideo +rawstory.com###story-top-ad +healthshots.com###storyBlockOne +healthshots.com###storyBlockZero +suffolknewsherald.com###story_one_by_one_group +krunker.io###streamContainer +web-capture.net###stw_ad +arenaev.com,gsmarena.com###subHeader +macrotrends.net###subLeaderboardTag ebaumsworld.com###subheader_atf_wrapper -foodandwine.com###subscModule -macworld.com,pcworld.com###subscribeForm streams.tv###sunGarden -hollywire.com###super-header -chicagomag.com###super-leaderboard-wrapper -theaustralian.com.au###super-skin-center -theaustralian.com.au###super-skin-left-wrapper -theaustralian.com.au###super-skin-right-wrapper -detroitnews.com###super-widget -ugo.com###superMast -sevenload.com###superbaannerContainer -canoe.ca,free-css.com,wral.com###superbanner -dzone.com###superboard -shacknews.com###superleader -news.com.au###superskin -mediaite.com###supertop +eenewseurope.com###superBanner dashnet.org###support -marketplace.org###support_block_side -macnn.com###supportbod -eco-business.com###supporting_orgs -mail.yahoo.com###swPane -edmunds.com###sway-banner -epicurious.com###sweepstakes -picp2.com###system -unlockboot.com###t-banner -2giga.link###t24 -mma-core.com###ta_pnlAd -livescore.in###tab-bonus-offers -flashscore.com,livescore.in###tab-odds -ipmart-forum.com###table1 -saynoto0870.com###table2[bordercolor="#000000"] -macupdate.com###table_bot_l -atdhe.eu###table_linky:last-child > thead:first-child -ndtv.com###taboola-below-main-column-sc -documentaryheaven.com###taboola-below-video-thumbnails -rgj.com###taboola-column-c-new-google -taringa.net###taboola-container -ndtv.com###taboola-right-rail -crystalmedianetworks.com###tabs_banner -shorpy.com###tad -bediddle.com###tads -google.com###tadsc -ajaxian.com###taeheader -esquire.com,meetme.com,muscleandfitness.com,techvideo.tv,trailrunnermag.com###takeover -techvideo.tv###takeover-spazio -oddschecker.com###takeoverWrapper -nme.com###takeover_head -nme.com###takeover_left -channel5.com###takeover_link -nme.com###takeover_right -broadbandgenie.co.uk,thesun.co.uk###takeoverleft -broadbandgenie.co.uk,thesun.co.uk###takeoverright -icxm.net###tall_tag -boardgamegeek.com###tanga -taste.com.au###taste-right-banner -runescape.com###tb -manchesterconfidential.co.uk###tb_bnr -baltictimes.com###tbt_system_note -thesaurus.com###tcomad_728x90_0 -saleminteractivemedia.com###td_leaderboard -listenlive.co###td_leaderboard_wrapper -aol.co.uk###tdiv71 -independent.co.uk###tertiaryColumn > .slider -diablo3builds.com,financialsurvivalnetwork.com,popbytes.com,vgleaks.com###text-10 +vk.com,vk.ru###system_msg +etherscan.io,polygonscan.com###t8xt5pt6kr-0-1 +gumtree.com###tBanner +cbsnews.com###taboola-around-the-web-video-door +comicbookrealm.com###tad +cyclingtips.com,mirror.co.uk###takeover +romsgames.net###td-top-leaderboard +based-politics.com###tdi_107 +linuxtoday.com###tdi_46 +depressionforums.org###tdi_72 +cornish-times.co.uk###teads +the-star.co.ke###teasers +eetimes.com###techpaperSliderContainer +tecmint.com###tecmint_incontent +tecmint.com###tecmint_leaderboard_article_top +cnx-software.com###text-10 +worldtribune.com###text-101 geeky-gadgets.com###text-105335641 -nag.co.za###text-10551 -newsfirst.lk###text-106 -thisisf1.com###text-108 -couponistaqueen.com,dispatchlive.co.za,ncr1037.co.za,skools.co.za,ssbcrack.com###text-11 -newsday.co.zw###text-115 -cathnews.co.nz,gizchina.com,myx.tv,omgubuntu.co.uk###text-12 -cleantechnica.com###text-121 -airlinereporter.com,myx.tv,omgubuntu.co.uk,radiosurvivor.com,skools.co.za,wphostingdiscount.com###text-13 -dispatchlive.co.za,krebsonsecurity.com,myx.tv,omgubuntu.co.uk,planetinsane.com###text-14 -newagebd.net###text-15 -razorianfly.com###text-155 -gizchina.com,thesurvivalistblog.net###text-16 -belfastmediagroup.com,englishrussia.com,pocketnow.com,simpleprogrammer.com,thechive.com,weekender.com.sg###text-17 -netchunks.com,planetinsane.com,radiosurvivor.com,sitetrail.com,thechive.com###text-18 -collective-evolution.com,pocketnow.com,popbytes.com,thechive.com###text-19 -grammarcheck.net,icinema3satu.in,ncr1037.co.za,newagebd.net,skools.co.za,smitedatamining.com###text-2 -gizchina.com###text-20 -businessdayonline.com,financialsurvivalnetwork.com,footballroar.com###text-21 -airlinereporter.com,gizchina.com,omgubuntu.co.uk,queenstribune.com###text-22 -omgubuntu.co.uk,queenstribune.com###text-23 -tehelka.com###text-236 -tehelka.com###text-238 -queenstribune.com,wnd.com###text-24 -netchunks.com###text-25 -2smsupernetwork.com,pzfeed.com,queenstribune.com###text-26 -2smsupernetwork.com,beijingtoday.com.cn,nationwideradiojm.com,sonyalpharumors.com###text-28 -beijingcream.com,beijingtoday.com.cn###text-29 -2smsupernetwork.com,airlinereporter.com,buddyhead.com,icinema3satu.in,mbworld.org,mental-health-matters.com,skools.co.za,smitedatamining.com,zambiareports.com###text-3 -herald.co.zw###text-30 -sonyalpharumors.com,ssbcrack.com###text-31 -techhamlet.com###text-32 -ssbcrack.com###text-33 -ssbcrack.com###text-34 -couponistaqueen.com,pzfeed.com###text-35 -nationwideradiojm.com###text-37 -couponistaqueen.com###text-38 -pzfeed.com###text-39 -budapesttimes.hu,buddyhead.com,dieselcaronline.co.uk,kazifm.org,knowelty.com,mental-health-matters.com,myonlinesecurity.co.uk,myx.tv,sportsillustrated.co.za,theairportnews.com,thewhir.com,vgleaks.com###text-4 -couponistaqueen.com###text-40 -enpundit.com###text-41 -pluggd.in###text-416180296 -pluggd.in###text-416180300 +godisageek.com###text-11 +hpcwire.com###text-115 +cathnews.co.nz,cryptoreporter.info,net-load.com,vgleaks.com,wakingtimes.com###text-12 +radiosurvivor.com,thewashingtonstandard.com,vgleaks.com###text-13 +ericpetersautos.com###text-133 +vgleaks.com###text-14 +geeksforgeeks.org###text-15 +geeksforgeeks.org,vgleaks.com###text-16 +cleantechnica.com###text-165 +weekender.com.sg###text-17 +vgleaks.com###text-18 +5movierulz.band,populist.press###text-2 +freecourseweb.com###text-20 +net-load.com###text-25 +2smsupernetwork.com,cnx-software.com,cryptoreporter.info,net-load.com###text-26 +cnx-software.com,cryptoreporter.info###text-27 +2smsupernetwork.com###text-28 +2smsupernetwork.com,westseattleblog.com###text-3 +needsomefun.net###text-36 +wrestlingnews.co###text-38 +conversanttraveller.com###text-39 +postnewsgroup.com,thewashingtonstandard.com,tvarticles.me###text-4 +conversanttraveller.com###text-40 +conversanttraveller.com,needsomefun.net###text-41 bigblueball.com###text-416290631 -eurweb.com,ssbcrack.com###text-42 -hellenicshippingnews.com###text-43 -hellenicshippingnews.com###text-44 -diplomat.so###text-45 -grammarist.com,hellenicshippingnews.com###text-46 -defensereview.com###text-460130970 -thebizzare.com###text-461006011 -thebizzare.com###text-461006012 -spincricket.com###text-462834151 -hellenicshippingnews.com,theindependent.co.zw###text-47 -enpundit.com###text-48 -androidauthority.com,pencurimovie.cc###text-49 -icinema3satu.in,myx.tv,occupydemocrats.com,washingtonindependent.com###text-5 -2smsupernetwork.com,rawstory.com,thewrap.com###text-50 -leadership.ng###text-51 -megawarez.org###text-53 -grammarist.com###text-56 -grammarist.com,quickonlinetips.com###text-57 -2smsupernetwork.com,couponistaqueen.com,englishrussia.com,mynokiablog.com,myx.tv,pakladies.com,pcwdld.com,times.co.zm,trendafrica.co.za,washingtonindependent.com###text-6 -nag.co.za###text-60 -amren.com,buddyhead.com,defsounds.com,knowelty.com,prosnookerblog.com,technomag.co.zw###text-7 -consortiumnews.com,couponistaqueen.com,localvictory.com,michiganmessenger.com,ncr1037.co.za,newsday.co.zw,technomag.co.zw,vgleaks.com###text-8 -vanguardngr.com###text-87 -africaports.co.za,cnx-software.com,mynokiablog.com###text-9 -androidauthority.com###text-92 -torontolife.com###text-links -hemmings.com###text_links -the217.com###textpromo -notebookreview.com###tg-reg-ad -mail.yahoo.com###tgtMNW -girlsaskguys.com###thad -yahoo.com###theMNWAd -hemmings.com###theWindowBJ -rivals.com###thecontainer -duoh.com###thedeck -thekit.ca###thekitadblock -thenationonlineng.net###thenation_cat_except_widget-2 -neodrive.co###thf -neodrive.co###thfd -theberry.com,thechive.com###third-box -ticketmaster.com###thisSpon -lyricsfreak.com###ticketcity -yahoo.com###tiles-container > #row-2[style="height: 389.613px; padding-bottom: 10px;"] -rte.ie###tilesHolder -whathifi.com###tip-region -yourweather.co.uk###titulo -myspace.com###tkn_leaderboard -myspace.com###tkn_medrec -placehold.it###tla -fileinfo.com,slangit.com###tlbspace -timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com###tleaderb -thelifefiles.com###tlfAdInBetween300x250 -mb.com.ph###tm-toolbar -imdb.com###tn15adrhs +needsomefun.net###text-42 +premiumtimesng.com###text-429 +kollelbudget.com###text-43 +premiumtimesng.com###text-440 +foodsforbetterhealth.com###text-46 +eevblog.com###text-49 +computips.org,techlife.com,technipages.com,tennews.in###text-5 +2smsupernetwork.com###text-50 +2smsupernetwork.com,snowbrains.com,theconservativetreehouse.com,times.co.zm,treesofblue.com###text-6 +yugatech.com###text-69 +treesofblue.com###text-7 +kollelbudget.com###text-70 +kollelbudget.com###text-78 +playco-opgame.com,sadeempc.com,thewashingtonstandard.com,westseattleblog.com###text-8 +kollelbudget.com###text-82 +kollelbudget.com###text-83 +bestvpnserver.com,thewashingtonstandard.com###text-9 +nanoreview.net###the-app > .mb +bestfriendsclub.ca###theme-bottom-section > .section-content +bestfriendsclub.ca###theme-top-section > .section-content +indy100.com###thirdparty01 +standard.co.uk###thirdparty_03_parent +siasat.com###tie-block_3274 +box-core.net,mma-core.com###tlbrd technewsworld.com###tnavad -technutty.co.uk###tnmm-header -omgubuntu.co.uk###to-top -chattanooganow.com###toDoWrap -rssing.com###toi -toonix.com###toonix-adleaderboard -accuweather.com,iconeye.com,phonescoop.com,politics.co.uk,reference.com,thesaurus.com,topcultured.com,tvnz.co.nz###top -jillianmichaels.com,synonym.com###top-300 -xxlmag.com###top-728x90 -freemake.com###top-advertising -cheese.com,chip.eu,corkindependent.com,ebuddy.com,foodlovers.co.nz,foodnetwork.ca,galwayindependent.com,honesttopaws.com,infrastructurene.ws,inthenews.co.uk,investorplace.com,itweb.co.za,lyrics19.com,maclife.com,maximumpc.com,politics.co.uk,scoop.co.nz,skift.com,techi.com,thedailymash.co.uk,thedailywtf.com,thespiritsbusiness.com,timesofisrael.com,washingtonexaminer.com###top-banner -scoop.co.nz###top-banner-base -theberrics.com###top-banner-container -krebsonsecurity.com###top-banner-image -krebsonsecurity.com###top-banner-img -privatehealth.co.uk###top-banner-outer -autotrader.ie,carzone.ie###top-banner-placeholder -if-not-true-then-false.com###top-banner-wrapper -panorama.am###top-banners -missingremote.com,timesofisrael.com###top-bar -whowhatwear.com###top-container -businessdayonline.com,jacksonville.com###top-header -aspensojourner.com###top-layer -canstar.com.au###top-lb -joystiq.com###top-leader +bramptonguardian.com###tncms-region-global-container-bottom +whatismyip.com###tool-what-is-my-ip-ad +accuweather.com,phonescoop.com###top +crn.com###top-ad-fragment-container +zap-map.com###top-advert-content +bookriot.com###top-alt-content +coingecko.com###top-announcement-header +cheese.com,fantasypros.com,foodlovers.co.nz,foodnetwork.ca,investorplace.com,kurocore.com,skift.com,thedailywtf.com,theportugalnews.com###top-banner +globalwaterintel.com###top-banner-image +independent.co.uk,the-independent.com###top-banner-wrapper +missingremote.com###top-bar +returnyoutubedislike.com###top-donors +breakingdefense.com###top-header +openspeedtest.com###top-lb capetownmagazine.com###top-leader-wrapper -cantbeunseen.com,chairmanlol.com,diyfail.com,explainthisimage.com,fayobserver.com,funnyexam.com,funnytipjars.com,gamejolt.com,iamdisappoint.com,japanisweird.com,morefailat11.com,objectiface.com,passedoutphotos.com,perfectlytimedphotos.com,roulettereactions.com,searchenginesuggestions.com,shitbrix.com,sparesomelol.com,spoiledphotos.com,stopdroplol.com,tattoofailure.com,yodawgpics.com,yoimaletyoufinish.com###top-leaderboard -smarterfox.com###top-left-banner -sportinglife.com###top-links -politiken.dk###top-monster -dubizzle.com###top-mpu -canstar.com.au###top-mrec -ovationtv.com###top-promo -onhax.me###top-promo-dload -inman.com###top-pusher -leaprate.com###top-spon -imassera.com,thebestdesigns.com###top-sponsor -turboc8.com###top-widget -nytimes.com###top-wrapper -suntimes.com###top1 -meteovista.co.uk###top10 -gamingzion.com###top10c -moviecarpet.com###top728 -investmentnews.com###topAdBlock -americanscientist.org,auctiva.com,cartoonnetwork.co.nz,cartoonnetwork.com.au,cartoonnetworkasia.com,eweek.com,filesfrog.com,freecsstemplates.org,geeksailor.com,gizgag.com,highestfive.com,nerve.com,nzherald.co.nz,plosbiology.org,port2port.com,quotesdaddy.com,sciencemag.org,tastemag.co.za###topBanner -cntraveler.com###topBanner728x90_frame -danpatrick.com,microsoft-watch.com###topBannerContainer -macworld.co.uk###topBannerSpot -money.co.uk###topBar -hotscripts.com###topBox -ewn.co.za###topCoke -atlasobscura.com###topContainer -kioskea.net###topContent -steamanalyst.com###topDiv -cnet.com###topDownloads -popularscreensavers.com###topFooter -scoop.co.nz###topHeader -chacha.com###topHeaderBannerWrap +austinchronicle.com,carmag.co.za,shawlocal.com,thegazette.com,vodacomsoccer.com###top-leaderboard +gogetaroomie.com###top-space +progameguides.com###top-sticky-sidebar-container +gamepur.com###top-sticky-sidebar-wrapper +sporcle.com###top-unit +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion###top-wrapper digitalartsonline.co.uk###topLeaderContainer -donedeal.ie,kenyamoja.com,metrotimes.com,orlandoweekly.com,sacurrent.com,startribune.com,wjla.com###topLeaderboard -kenyamoja.com###topLeaderboard + * + .container-bot -autotrader.co.uk,fixya.com,topmarques.co.uk###topLeaderboardContainer -chamberofcommerce.com###topLeaderboardParent -teoma.com###topPaidList -topsite.com###topRightBunner -backpage.com###topSponsorWrapper -prevention.com###topThirdPartyArea -rockyou.com###topXpromoWrapper -hardballtalk.nbcsports.com###top_90h -theepochtimes.com###top_a_0d -ytmnd.com###top_ayd -boxoffice.com,computing.net,dailymotion.com,disc-tools.com,goldentalk.com,guyspeed.com,hemmings.com,imagebam.com,magme.com,moono.com,movieking.me,phonearena.com,popcrush.com,sportsclimax.com,techradar.com,tidbits.com,venturebeatprofiles.com,webappers.com###top_banner +mautofied.com###topLeaderboard +krunker.io###topLeftAdHolder +krunker.io###topRightAdHolder +forum.wordreference.com###topSupp +walterfootball.com###top_S +yourharlow.com###top_ad_row +utne.com###top_advertisement +chicagotribune.com###top_article_fluid_wrapper +indy100.com,tarladalal.com###top_banner caribpress.com###top_banner_container -theimproper.com###top_banner_widget -haaretz.com,motorship.com###top_banners -avaxsearch.com###top_block -psdeluxe.com###top_bsa -hemmings.com###top_dc_tbl -bnd.com###top_jobs_footer -centredaily.com###top_jobs_search -bakersfield.com,bakersfieldcalifornian.com,dailypuppy.com,jamaicaobserver.com,proudfm.com,rushlimbaugh.com###top_leaderboard -columbiatribune.com###top_leaderboard_pos -computerworld.com###top_leaderboard_wrapper -babylon.com,searchsafer.com###top_links -archerywire.com###top_message -ninemsn.com.au###top_promo_ie8 -smosh.com###top_promo_wrapper -electricenergyonline.com,fotolog.com###top_pub -mma-core.com###top_r_bans -imdb.com###top_rhs_1_wrapper -imdb.com###top_rhs_wrapper -getlyrics.com###top_right -escapistmagazine.com###top_site_part -humanevents.com###top_skyscraperbox -cellular-news.com###top_sq_block -samoaobserver.ws###top_wrap1 -arthritistoday.org,repeatmyvids.com,w3newspapers.com###topads -btimes.com.my###topadv -scorespro.com###topban -absolutelyrics.com,artima.com,bbyellow.com,bsyellow.com,businesslist.co.cm,businesslist.co.ke,businesslist.com.bd,businesslist.com.ng,businesslist.my,businesslist.ph,businesslist.pk,caymanyellow.com,cdrlabs.com,checkoutmyink.com,chictopia.com,chileindex.com,colombiayp.com,dumpalink.com,ethiopiadirectory.com,exiledonline.com,findtheword.info,georgiayp.com,ghanayp.com,icenews.is,indonesiayp.com,jmyellow.com,jpyellow.com,lebyp.com,lesothoyp.com,localbotswana.com,malawiyp.com,medicaldaily.com,moroccoyp.com,myanmaryp.com,namibiayp.com,nation.lk,plosone.org,puertoricoindex.com,qataryp.com,realitywanted.com,revizoronline.com,rwandayp.com,saudianyp.com,senegalyp.com,sierraexpressmedia.com,snapfiles.com,sudanyp.com,tanzaniayp.com,thaigreenpages.com,thedigitalfix.com,thehill.com,theroar.com.au,thevarguy.com,tntyellow.com,tremolo.edgesuite.net,tunisiayp.com,turkishyp.com,vocm.com,webattack.com,wenn.com,workswithu.com,wzmetv.com,xbox360rally.com,yemenyp.com,zambiayp.com,zimbabweyp.com###topbanner -drugs.com###topbanner-wrap -drugs.com###topbannerWrap -checkoutmyink.com###topbanner_div -chictopia.com###topbanner_pushdown -littlegreenfootballs.com###topbannerdiv -snapfiles.com###topbannermain -eatsleepsport.com,soccerphile.com,torrentpond.com###topbanners -swedishwire.com###topbannerspace -newtechie.com,postadsnow.com,textmechanic.com,thebrowser.com,tota2.com###topbar -thegrio.com###topbar_wrapper +cfoc.org###top_custom_banner +chicagotribune.com###top_fluid_wrapper +bleedingcool.com,jamaicaobserver.com,pastemagazine.com###top_leaderboard +bleedingcool.com###top_medium_rectangle +jezebel.com,pastemagazine.com###top_rectangle +imdb.com###top_rhs +bleedingcool.com###top_spacer +bookriot.com###top_takeover +w3newspapers.com###topads +absolutelyrics.com,cdrlabs.com,eonline.com,exiledonline.com,findtheword.info,realitywanted.com,revizoronline.com,snapfiles.com###topbanner +radiome.ar,radiome.at,radiome.bo,radiome.ch,radiome.cl,radiome.com.do,radiome.com.ec,radiome.com.gr,radiome.com.ni,radiome.com.pa,radiome.com.py,radiome.com.sv,radiome.com.ua,radiome.com.uy,radiome.cz,radiome.de,radiome.fr,radiome.gt,radiome.hn,radiome.ht,radiome.lu,radiome.ml,radiome.org,radiome.pe,radiome.si,radiome.sk,radiome.sn,radyome.com###topbanner-container +deccanherald.com###topbar > .hide-desktop + div armenpress.am###topbnnr -newsbusters.org###topbox -thecrims.com###topbox_content -educatorstechnology.com###topcontentwrap -bhg.com###topcover -football411.com###topheader -tvembed.eu###toplayerblack -usingenglish.com###topleader -joystiq.com,luxist.com,massively.com,switched.com,wow.com###topleader-wrap -bannedinhollywood.com,eventhubs.com,shopcrazy.com.ph###topleaderboard -celebitchy.com###topline -microcosmgames.com###toppartner -macupdate.com###topprommask -url-encode-decode.com###toppromo +coinlean.com###topcontainer worldtimebuddy.com###toprek -extremetech.com###toprightrail > div:first-child -plos.org###topslot -thespacereporter.com###topster -codingforums.com###toptextlinks -inquisitr.com###topx2 -dinozap.tv,hdcastream.com,hdmytv.com,playerhd2.pw###total -dinozap.tv,hdmytv.com###total_banner -pgatour.com###tourPlayer300x250BioAd -vimeo.com###tout_rotater -pcworld.com###touts.module -garfield.com###tower -electricenergyonline.com###tower_pub -phonescoop.com###towerlinks -oncars.com,smbc-comics.com###towers -under30ceo.com###tptopbar -trustedreviews.com###tr-reviews-affiliate-deals-footer -trustedreviews.com###tr-reviews-intro-prices -technologyreview.com###tr35advert -indowebster.com###tr_iklanbaris2 -marketwatch.com###trading-center -telegraph.co.uk###trafficDrivers -mapquest.com###trafficSponsor -channelregister.co.uk###trailer -genevalunch.com###transportation -dallasnews.com###traveldeals -people.com###treatYourself -bitcoin.cz###trezor -ragezone.com###tribal -miroamer.com###tribalFusionContainer -sitepoint.com###triggered-cta-box-wrapper -wigflip.com###ts-newsletter -forums.techguy.org###tsg-dfp-300x250 -forums.techguy.org###tsg-dfp-between-posts -tsn.ca###tsnHeaderAd -tsn.ca###tsnSuperHeader -macworld.com,pcworld.com,techhive.com###tso -pcmag.com###tswidget -teletoon.com###tt_Sky -tumblr.com###tumblr_radar.premium -tvlistings.theguardian.com###tvgAdvert -tvsquad.com###tvsquad_topBanner -weather.com###twc-partner-spot -twit.tv###twit-ad-medium-rectangle -imgspice.com###txtcht -howtogetridofstuff.com###tz_rwords -direct-download.org###u539880 -careerbuilder.com###uJobResultsAdTopRight2_mxsLogoAds__ctl0_CBHyperlink1 -yahoo.com###u_2588582-p -kuklaskorner.com###ultimate -theaa.com###unanimis1 -snagajob.com###underLeftSponsor -worldwideweirdnews.com###underarticle -jumptogames.com###underrandom -pcworld.com###uniblue -reminderfox.org###uniblueImg -geekosystem.com###unit-area -gossipcop.com,mediaite.com,themarysue.com###unit-footer -styleite.com,thebraiser.com###unit-header -gossipcop.com###unit-header-wrapper -sportsgrid.com###unit-sidebar -thebraiser.com###unit-sidebar-atf -styleite.com,thebraiser.com###unit-sidebar-btf -intothegloss.com###unit250 -intothegloss.com###unit600 -notebook-driver.com###updatemydrivers -carionltd.com###upmapads -byutvsports.com###upper-poster -comingsoon.net###upperPub -minecraftforum.net###upsell-banner +privacywall.org###topse +semiconductor-today.com###topsection +macmillandictionary.com,macmillanthesaurus.com,oxfordlearnersdictionaries.com###topslot_container +atomic-robo.com###topspace +charlieintel.com###topunit +bmj.com###trendmd-suggestions +devast.io###trevda +jigsawplanet.com###tsi-9c55f80e-3 +pcworld.com,techhive.com###tso +trumparea.com###udmvid +planetminecraft.com###ultra_wide +semiconductor-today.com###undermenu +dailytrust.com,thequint.com###unitDivWrapper-0 +upworthy.com###upworthyFreeStarVideoAdContainer my.juno.com###usWorldTile -usanetwork.com###usa_desktop -downloadhelper.net###useful-tools -torrentpond.com###usenet-container -searchfiles.de###usenext -armyrecognition.com###vali2 -vanguardngr.com###vanguard_cat_widget-36 -vanguardngr.com###vanguard_cat_widget-9 -citationmachine.net###vantage-header -easybib.com###vantage_lboard -hipforums.com###vbp_banner_82 -hipforums.com###vbp_banner_foot -hipforums.com###vbp_banner_head -filespart.com###vdwd30 -tv.com###vendor_spotlight -popeater.com###verizonPromo -temptalia.com###vert-boxes -chud.com###vertical.ad -standard.co.uk###viagogo-all-events -theedge.co.nz###vidBanner -ibrod.tv###video -sofascore.com###video-banner-root -cricket.yahoo.com###video-branding -mentalfloss.com###video-div-polo -youtube.com###video-masthead -cartoonnetworkasia.com###videoClip-main-right-ad300Wrapper-ad300 -radaronline.com###videoExternalBanner -video.aol.com###videoHatAd -radaronline.com###videoSkyscraper -techradar.com###viewBestDealsWrapper -gumtree.com###vipBanner -europages.co.uk###vipBox -miami.com###visit -news24.com###vitabox-widget -animeflv.net###vlc -laweekly.com,miaminewtimes.com###vmgInterstitial -vidup.me###vplayer_offers -systemrequirementslab.com###vpnText -1movies.is###vpn_inform_block -eatingwell.com###vs4-tags -nickjr.com###vsw-container-wrapper -nickjr.com###vsw-medium-outter -nickjr.com###vsw-small-outter -skysports.com###w10-banner -variety.com###w300x250 -anilinkz.to###waifu -inquirer.net###wall_addmargin_left -edmunds.com###wallpaper -information-age.com###wallpaper-surround-outer +videocardz.com###vc-intermid-desktop-ad +videocardz.com###vc-maincontainer-ad +videocardz.com###vc-maincontainer-midad +sammobile.com###venatus-hybrid-banner +afkgaming.com###venatus-takeover +nutritioninsight.com###verticlblks +mykhel.com,oneindia.com###verticleLinks +ghgossip.com###vi-sticky-ad +investing.com###video +forums.tomsguide.com###video_ad +gumtree.com.au###view-item-page__leaderboard-wrapper +playstationtrophies.org,xboxachievements.com###vnt-lb-a +counselheal.com,mobilenapps.com###vplayer_large +browserleaks.com###vpn_text +1337x.to###vpnvpn2 +w2g.tv###w2g-square-ad +igberetvnews.com,mediaweek.com.au,nextnewssource.com###wallpaper eeweb.com###wallpaper_image -thepressnews.co.uk###want-to-advertise -citationmachine.net###wantage-header -inhabitat.com###wapp_signup_widget realclearhistory.com###warning_empty_div -youtube.com###watch-branded-actions -youtube.com###watch-buy-urls -youtube.com###watch-channel-brand-div -televisionfanatic.com###watch-more -nytimes.com###watchItButtonModule opensubtitles.org###watch_online -4do.se,dayt.se###watchinhd -dayt.se###watchinhdclose -dayt.se###watchinhddownload -dayt.se###watchinhdjava -murga-linux.com###wb_Image1 -sheridanmedia.com###weather-sponsor -wkrq.com###weather_traffic_sponser -kentonline.co.uk###weathersponsorlogo -boldsky.com,goodreturns.in###web_300_100_coupons_container -nzdating.com###webadsskydest -cinewsnow.com###week-catfish -mercurynews.com,santacruzsentinel.com###weeklybar2 -linuxinsider.com###welcome-box -mainstreet.com###welcomeOverlay -phoronix.com###welcome_screen -transfermarkt.co.uk###werbung_superbanner -olx.co.za###wesbank_banner -webfail.com###wf-d-300x250 -bellinghamherald.com,bradenton.com,carynews.com,centredaily.com,claytonnewsstar.com,fresnobee.com,heraldonline.com,idahostatesman.com,islandpacket.com,kentucky.com,lakewyliepilot.com,ledger-enquirer.com,lsjournal.com,macon.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sanluisobispo.com,star-telegram.com,sunherald.com,thenewstribune.com,theolympian.com,thestate.com,tri-cityherald.com###wgt_dealsave_standalone -sharkyforums.com,smallbusinesscomputing.com###whitePaperIFrame -devshed.com,eweek.com###whitebox +xxxporn.tube###watch_sidevide +xxxporn.tube###watch_undervideo +worldcrunch.com###wc_leaderboard +topfiveforex.com###wcfloatDiv +the-express.com###web-strip-banner +webfail.com###wf-d-300x250-sb1 +walterfootball.com###wf_brow_box +sportscardforum.com###wgo_affiliates +whatismyipaddress.com###whatismyipaddress_728x90_Desktop_ATF itnews.com.au###whitepapers-container -domaintools.com###whois-related-forsale -spectrum.ieee.org###whtpprs -ubi.com###wide-promo -investing.com###wideBanner -inquirer.net###wideSidebar > .widget -gomapper.com,politics.co.uk###wideSkyScraper -linguee.com###wide_banner_right -inquirer.net###widesky -coupons.com###widesky-banner -pakobserver.net###widget-area-before-content -gigaom.com###widget-area-footer-post-2 -howwemadeitinafrica.com###widget-r -inhabitat.com###widget-sam-130410-small -stltoday.com###widget-todays-deal -technabob.com###widgetTable -pcweenies.com###widgetTable[width="170"][bgcolor="#FFFFFF"] -eevblog.com###widget_linkmasterpro_ri-2 -simpleprogrammer.com###widget_thrive_leads-2 -filesharingtalk.com###widgetlist_column1 > li:first-child + li + li:last-child > .cms_widget -talksport.com###williamarticlelink -search.pch.com###winner-list -thaindian.com###withinsimilar -staugustine.com###wl-wrapper-leaderboard -staugustine.com###wl-wrapper-tier-4 -pr0gramm.com###wm -wallpapersmania.com###wm_cpa -modworkshop.net###workshop-nitro-middle +tribunnews.com###wideskyscraper +shawlocal.com###widget-html-box-ownlocal +watnopaarpunjabinews.com###widget_sp_image-2 +conversanttraveller.com###widget_sp_image-28 +watnopaarpunjabinews.com###widget_sp_image-3 +conversanttraveller.com###widget_sp_image-4 +ultrabookreview.com###widgetad2-top +etherealgames.com###widgets-wrap-after-content +etherealgames.com###widgets-wrap-before-content +gaynewzealand.com###wn-insurance-quote-editor rediff.com###world_right1 +rediff.com###world_right2 rediff.com###world_top -fansfc.com###worldcupspl_container_left -bittorrent.com###wpcom_below_post -daclips.in###wrad_container -documentary.net###wrapper > #horizontal-outer-widgets-1 +worldrecipes.eu###worldrecipeseu_970x90_desktop_sticky_no_closeplaceholder +forward.com###wp_piano_top_wrapper +todayheadline.co,wavepublication.com###wpgtr_stickyads_textcss_container eteknix.com###wrapper > header -imgur.com###wrapper-pop_sky -strategyinformer.com###wrapper3 -euractiv.com###wrapperHeader -cranestodaymagazine.com,hoistmagazine.com,ttjonline.com,tunnelsonline.info,wbpionline.com###wrapper_banners -reference.com,thesaurus.com###wrapserp -sootoday.com###wwSponsor -post-trib.com###wwbncontainer -9news.com###wx-widget-88x31 -davidwalsh.name###x-secondary -robtex.com###xadt0 -robtex.com###xadt1 -maxthon.com###xds -cnet.com###xfp_adspace -robtex.com###xnad728 +cranestodaymagazine.com,hoistmagazine.com,ttjonline.com,tunnelsonline.info###wrapper_banners +xdaforums.com###xdaforums_leaderboard_atf +xdaforums.com###xdaforums_leaderboard_btf +xdaforums.com###xdaforums_right_1 +xdaforums.com###xdaforums_right_2 blasternation.com###xobda -vrbo.com###xtad -fancystreems.com,sharedir.com###y -yahoo.com###y708-ad-lrec1 -yahoo.com###y708-sponmid -au.yahoo.com###y708-windowshade -yahoo.com###y_provider_promo -yahoo.com###ya-center-rail > [id^="ya-q-"][id$="-textads"] -answers.yahoo.com###ya-darla-LDRB -answers.yahoo.com###ya-darla-LREC -answers.yahoo.com###ya-qpage-textads -vipboxsports.eu,vipboxsports.me,viplivebox.eu,viponlinesports.eu###ya_layer -sevenload.com###yahoo-container -missoulian.com###yahoo-contentmatch -yahoo.com###yahooPN_CM -yellowpages.com###yahoo_ss_border -yahoo.com###yahoovideo_ysmlinks -uproxx.com###yb-banner -macintouch.com###yellows -finance.yahoo.com###yfi_ad_FB2 -finance.yahoo.com###yfi_ad_cl -yahoo.com###yfi_pf_ysm -yahoo.com###yfi_ysm -yahoo.com###ygmapromo -yahoo.com###yh-ysm -yahoo.com###yl_pf_ysm -yahoo.com###ylf-ysm -yahoo.com###ymh-invitational-recs -yahoo.com###yn-darla2 -yahoo.com###yn-gmy-promo-answers -yahoo.com###yn-gmy-promo-groups -trackthepack.com###yoggrt -wfaa.com###yollarSwap -yahoo.com###yschsec -fancystreems.com,onlinemoviesgold.com,sharedir.com###yst1 -zynga.com###zap-bac-iframe -bloomberg.com,post-gazette.com###zillow -post-trib.com###zip2save_link_widget -sonysix.com###zone-addbanner-wrapper -moreintelligentlife.com###zone-header -hendersondispatch.com,heraldsun.com,hpe.com###zone-leaderboard -bemidjipioneer.com,brainerddispatch.com,dglobe.com,dl-online.com,duluthnewstribune.com,echopress.com,farmingtonindependent.com,grandforksherald.com,hastingsstargazette.com,inforum.com,jamestownsun.com,mitchellrepublic.com,morrissuntribune.com,parkrapidsenterprise.com,perhamfocus.com,republican-eagle.com,rivertowns.net,rosemounttownpages.com,swcbulletin.com,thedickinsonpress.com,wadenapj.com,wctrib.com,wday.com,wdaz.com,woodburybulletin.com###zone-sliding-billboard -italymagazine.com###zone-user-wrapper -kovideo.net###zone0_top_banner_container -hulkshare.com,rockyou.com###zone1 -hulkshare.com###zone2 -luxury-insider.com###zone_728x90 -theonion.com###zoosk -theverge.com##.-ad -automobilemag.com##.-adslot -skysports.com##.-skybet-widget -voiceofsandiego.org##.-sponsored -realtor.com##.ADLB -shoppinglifestyle.com##.ADV -bendsource.com,bestofneworleans.com,bigskypress.com,cltampa.com,csindy.com,dhakatribune.com,federalnewsnetwork.com,sevendaysvt.com,similarsites.com,styleweekly.com,tucsonweekly.com,wtop.com##.Ad -footballitaliano.co.uk##.Ad1 -filmsnmovies.com,redbalcony.com##.AdContainer -ludokado.com##.AdFree -verizon.com##.AdIn -incyprus.com.cy##.Add1st -oncars.in##.Adv -colouredgames.com##.AdvGamesList -tvnz.co.nz,vmusic.com.au##.Advert -esi-africa.com,miningreview.com##.Advert-main -irna.ir,journalofaccountancy.com,newvision.co.ug##.Advertisement -europeantour.com##.Advertising -economist.com##.AnimatedPanel--container -sitepoint.com##.ArticleContent_endcap -sitepoint.com##.ArticleLeaderboard_content -hongkiat.com##.BAds -terradaily.com##.BDTX -hotklix.com##.BLK300 -batsman.com##.BMSingerHomeAd -highstakesdb.com,jobs24.co.uk##.Banner -acharts.us##.BannerConsole -mixedmartialarts.com##.BannerRightCol -natgeotv.com##.BannerTop -truck1.eu##.Banners -stockopedia.co.uk##.BigSquare -juxtapoz.com##.Billboard -charismanews.com##.BnrWrap728y90 -mustakbil.com##.Bottom728x90BannerHolder -hot1045.net##.BottomBannerTD -dailytech.com##.BottomMarquee -freeiconsweb.com##.Bottom_Banner -myps3.com.au##.Boxer[style="height: 250px;"] -ynetnews.com##.CAATVcompAdvertiseTv -myrealgames.com##.CAdFlashPageTop728x90 -myrealgames.com##.CAdGamelist160x600 -myrealgames.com##.CAdOpenSpace336x280 -myrealgames.com##.CAdOpenSpace728x90 -myrealgames.com##.CCommonBlockGreen[style="width: 630px;"] -thebull.com.au##.Caja_Der -thekitchn.com##.CakePusher -brecorder.com##.CatFish -clashdaily.com##.ClashDaily_728x90_Single_Top -momondo.ca,momondo.co.uk,momondo.com,momondo.com.au,momondo.ie##.Common-Kn-Display -momondo.ca,momondo.co.uk,momondo.com,momondo.com.au,momondo.ie##.Common-Kn-Rp-FlightInline +yardbarker.com###yb_recirc +yardbarker.com###yb_recirc_container_mobile +transfermarkt.com###zLHXgnIj +croxyproxy.rocks###zapperSquare +beyondgames.biz,ecoustics.com###zox-lead-bot +cleantechnica.com###zox-top-head-wrap +marketscreener.com###zppFooter +marketscreener.com###zppMiddle2 +marketscreener.com###zppRight2 +ultrabookreview.com###zzifhome +ultrabookreview.com###zzifhome2 +arydigital.tv###zzright +talkingpointsmemo.com##.--span\:12.AdSlot +bigissue.com##.-ad +gamejolt.com##.-ad-widget +olympics.com##.-adv +porndoe.com##.-h-banner-svg-desktop +nhl.com##.-leaderboard +nhl.com##.-mrec +hellomagazine.com,hola.com##.-variation-bannerinferior +hellomagazine.com,hola.com##.-variation-megabanner +hellomagazine.com##.-variation-robainferior +hellomagazine.com##.-variation-robapaginas +yelp.com##.ABP +gamesadshopper.com##.AD +advfn.com##.APS_TOP_BANNER_468_X_60_container +timesofindia.indiatimes.com##.ATF_mobile_ads +timesofindia.indiatimes.com##.ATF_wrapper +buzzfeed.com,darkreading.com,gamedeveloper.com,imgur.io,iotworldtoday.com,sevendaysvt.com,tasty.co,tucsonweekly.com##.Ad +mui.com##.Ad-root +deseret.com##.Ad-space +jagranjosh.com##.Ad720x90 +thingiverse.com##.AdBanner__adBanner--GpB5d +surfline.com##.AdBlock_modal__QwIcG +jagranjosh.com##.AdCont +tvnz.co.nz##.AdOnPause +issuu.com,racingamerica.com##.AdPlacement +manabadi.co.in##.AdSW +hbr.org##.AdSlotZone_ad-container__eXYUj +petfinder.com##.AdUnitParagraph-module--adunitContainer--2b7a6 +therealdeal.com##.AdUnit_adUnitWrapper__vhOwH +barrons.com##.AdWrapper-sc-9rx3gf-0 +complex.com##.AdWrapper__AdPlaceholderContainer-sc-15idjh1-0 +earth.com##.AdZone_adZone__2w4TC +thescore.com##.Ad__container--MeQWT +interestingengineering.com##.Ad_adContainer__XNCwI +charlieintel.com,dexerto.com##.Ad_ad__SqDQA +interestingengineering.com##.Ad_ad__hm0Ut +newspointapp.com##.Ad_wrapper +aleteia.org##.Ad_wrapper__B_hxA +greatandhra.com##.AdinHedare +jagranjosh.com##.Ads +rivals.com##.Ads_adContainer__l_sg0 +sportsnet.ca##.Ads_card-wrapper__KyXLu +iogames.onl##.Adv +yandex.com##.AdvOffers +airportinfo.live,audiokarma.org,audizine.com##.AdvallyTag +tennesseestar.com,themichiganstar.com,theminnesotasun.com,theohiostar.com##.AdvancedText +iogames.onl##.Advc +tvnz.co.nz,world-nuclear-news.org##.Advert +suffolknews.co.uk##.Advertisement +thesouthafrican.com##.Advertisement__AdsContainer-sc-4s7fst-0 +bbcearth.com##.Advertisement_container__K7Jcq +phoenixnewtimes.com##.AirBillboard +dallasobserver.com,houstonpress.com##.AirBillboardInlineContentresponsive +browardpalmbeach.com,dallasobserver.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##.AirLeaderboardMediumRectanglesComboInlineContent +browardpalmbeach.com,dallasobserver.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##.AirMediumRectangleComboInlineContent +technicalarp.com##.Arpian-ads +rankedboost.com##.Article-A-Align +cruisecritic.com,cruisecritic.com.au##.ArticleItem_scrollTextContainer__GrBC_ +whatcar.com##.ArticleTemplate_masthead__oY950 +indiatimes.com##.BIG_ADS_JS +naturalnews.com##.BNVSYDQLCTIG +photonics.com##.BOX_CarouselAd +imgur.com##.BannerAd-cont +dashfight.com##.BannerPlayware_block__up1Ra +coffeeordie.com##.BannerPromo-desktop +video-to-mp3-converter.com##.BannerReAds_horizontal-area__5JNuE +bloomberg.com##.BaseAd_baseAd-dXBqvbLRJy0- +cnbc.com##.BoxRail-styles-makeit-ad--lyuQB +latestdeals.co.uk##.BrD5q +80.lv##.BrandingPromo_skeleton +petfinder.com##.CardGrid-module--breakOut--a18cf +timesofindia.indiatimes.com##.CeUoi +thedailybeast.com##.CheatSheetList__placeholder +thedailybeast.com##.Cheat__top-ad tutiempo.net##.ContBannerTop -sport360.com##.ContentBoxSty1IsSponsored -ljworld.com,newsherald.com##.DD-Widget -archdaily.com##.DFP-banner -healthzone.pk##.DataTDDefault[width="160"][height="600"] -israeltoday.co.il##.DnnModule-1143 -secdigitalnetwork.com##.DnnModule-6542 -secdigitalnetwork.com##.DnnModule-6547 -israeltoday.co.il##.DnnModule-758 -israeltoday.co.il##.DnnModule-759 -yahoo.com##.Feedback -diet.com##.Fine -similarsites.com,topsite.com##.FooterBanner -969therock.com,993thevibe.com,wfls.com##.Footer_A_Column -charismanews.com##.FpFeaturedBoxWrap -artistdaily.com##.FreemiumContent -popmatters.com##.FrontPageBottom728 +dappradar.com##.Container--bottomBanners +songmeanings.com##.Container_ATFR_300 +songmeanings.com##.Container_ATF_970 +swarajyamag.com##.CrIrA +ulta.com##.CriteoProductRail +calcalistech.com##.Ctech_general_banner +lithub.com##.Custom_Ads +inverness-courier.co.uk,johnogroat-journal.co.uk##.DMPU +drudgereport.com##.DR-AD-SPACE +naturalnews.com##.DVFNRYKUTQEP +nationalworld.com##.Dailymotion__Inner-sc-gmjr3r-1 +realityblurb.com##.Desktop-Sticky +tweaktown.com##.DesktopRightBA +thekitchn.com##.DesktopStickyFooter +yandex.com##.DirectFeature +games.mashable.com,games.washingtonpost.com##.DisplayAd__container___lyvUfeBN +additivemanufacturing.media,compositesworld.com,ptonline.com##.DisplayBar +plumbers.nz##.FBJoinbox +thedailybeast.com##.Footer__coupons-wrapper +askapache.com##.GAD +modrinth.com##.GBBNWLJVGRHFLYVGSZKSSKNTHFYXHMBD google.co.uk##.GBTLFYRDM0 google.com##.GC3LC41DERB + div[style="position: relative; height: 170px;"] google.com##.GGQPGYLCD5 google.com##.GGQPGYLCMCB google.com##.GISRH3UDHB -orkut.com##.GLPKSKCL -free-games.net##.GamePlayleaderboardholder -bloemfonteincourant.co.za##.HPHalfBanner -mediafire.com##.HSS-hero -u.tv##.Header-Menu-Sponsor -walmart.com##.IABHeader -safehaven.com##.IAB_fullbanner -safehaven.com##.IAB_fullbanner_header -sierraexpressmedia.com##.IBA -inc.com##.IMU-Container -footytube.com##.InSkinHide -israelnationalnews.com##.InfoIn -israelnationalnews.com##.InfoIn2 -smartearningsecrets.com##.Intercept-1 -bloemfonteincourant.co.za,ofm.co.za,peoplemagazine.co.za##.LeaderBoard -morningstar.com##.LeaderWrap -agrieco.net,fjcruiserforums.com,mlive.com,newsorganizer.com,oxygenmag.com,urgames.com##.Leaderboard -lifegate.com##.Leaderboard_Persone_Article -lifegate.com##.Leaderboard_Persone_Article_Sidebar -myabc50.com,whptv.com,woai.com##.LinksWeLike -timeout.com##.MD_textLinks01 -hsj.org##.ML_L1_ArticleAds -mstar.com##.MPFBannerWrapper -expressandstar.com,juicefm.com,kentonline.co.uk,planetrock.com,pulse1.co.uk,pulse2.co.uk,shropshirestar.com,signal1.co.uk,signal2.co.uk,sportal.co.nz,sportal.com.au,swanseasound.co.uk,thewave.co.uk,three.fm,wave965.com,wirefm.com,wishfm.net##.MPU -foxafrica.com##.MPU300 -foxafrica.com,foxcrimeafrica.com,fxafrica.tv##.MPU336 -three.fm##.MPURight -dubaieye1038.com##.MPU_box -dubai92.com,virginradiodubai.com##.MPU_box-innerpage -virginradiodubai.com##.MPU_box_bottom -autosport.com##.MPU_container -thepittsburghchannel.com##.MS -thebull.com.au##.Maquetas -juxtapoz.com##.MarketPlace -farmersweekly.co.za##.MasterLeaderboard -totaltele.com##.Master_LargeMPU -agrieco.net##.MedRect -bloemfonteincourant.co.za,ofm.co.za##.MediumRectangle -iwsearch.net##.Mid-Top -alienbomb.com##.Middle468x60 -mustakbil.com##.Middle728x90BannerHolder -worldtribune.com##.NavMenu -4shared.com##.Nbanner -talkingpointsmemo.com##.Newsmax -toptipstricks.com##.Notice > .noticeContent -tribe.net##.OAS -artistdaily.com##.OFIEContent -sofeminine.co.uk##.OffresSpe_cadre -majorgeeks.com##.Outlines -starsue.net##.OyunReklam -search.aol.co.uk,search.aol.com##.PMB -diamscity.com##.PUB_72890_TOP -agonybooth.com##.PWAd -twogag.com##.PWhalf -gmx.co.uk##.PanelPartners -popstoptv.com##.PeerFly_Banners -priceme.co.nz##.ProductAdr -i4u.com##.Promo -vidoza.net##.PuSOverlay -peoplemagazine.co.za##.R300x250 -peoplemagazine.co.za##.R300x600 -huffingtonpost.com,search.aol.com##.RHRSLL -search.aol.com##.RHRSLLwseboF -bitcandy.com##.RR_adv -ehow.com##.RadLinks -japantimes.co.jp##.RealEstateAdBlock -streamguys.com##.RecentSongBuyNow -camfuze.com##.RightBannerSpot +goodmenproject.com##.GMP_728_top +yiv.com##.GUIAdvertisement +meduza.io##.GeneralMaterial-module-aside +cargurus.com##.Gi1Z6i +coin360.com##.GuYYbg +seattletimes.com##.H0FqVZjh86HAsl61ps5e +naturalnews.com##.HALFBYEISCRJ +news18.com##.Had262x218 +metservice.com##.Header +planningportal.co.uk##.HeaderAdArea__HeaderAdContainer-sc-1lqw6d0-0 +news.bloomberglaw.com##.HeaderAdSpot_height_1B2M2 +games.washingtonpost.com##.HomeCategory__ads___aFdrmx_3 +mope.io##.Home__home-ad-wrapper +semiconductor-today.com##.Horiba-banner +artsy.net##.IITnS +sporcle.com##.IMGgi +streamingsites.com##.IPdetectCard +80.lv##.ImagePromo_default +yandex.com##.ImagesViewer-SidebarAdv +genius.com##.InreadContainer-sc-b078f8b1-0 +doodle.com##.JupiterLayout__left-placement-container +doodle.com##.JupiterLayout__right-placement-container +inverness-courier.co.uk##.LLKGTX +nyctourism.com##.Layout_mobileStickyAdContainer__fCbCq +kentonline.co.uk##.LeaderBack +fivebooks.com##.Leaderboard-container +genius.com##.Leaderboard-sc-78e1105d-0 +theurbanlist.com##.LeaderboardAd +nationalgeographic.com##.LinkedImage +inverness-courier.co.uk,johnogroat-journal.co.uk,stamfordmercury.co.uk##.MPU +abergavennychronicle.com,tenby-today.co.uk##.MPUstyled__MPUWrapper-sc-1cdmm4p-0 +engadget.com##.Mih\(90px\) +medievalists.net##.Mnet_TopLeft_970x250 +accuradio.com##.MobileSquareAd__Container-sc-1p4cjdt-0 +metservice.com##.Mrec-min-height +boardgameoracle.com##.MuiContainer-root > .jss232 +tvtv.us##.MuiPaper-root.jss12 +ahaan.co.uk##.MuiSnackbar-anchorOriginBottomCenter +news18.com##.NAT_add +business-standard.com##.Nws_banner_Hp +mangasect.com,manhuaplus.com##.OUTBRAIN +chronicle.com##.OneColumnContainer +newscientist.com##.Outbrain +kentonline.co.uk##.PSDRGC +govtech.com##.Page-billboard +afar.com##.Page-header-hat +apnews.com##.Page-header-leaderboardAd +chronicle.com##.PageHeaderMegaHat +nameberry.com##.Pagination-ad +ask.com##.PartialKelkooResults +hbr.org##.PartnerCenter-module_container__w6Ige +hulu.com##.PauseAdCreative-wrap +thekitchn.com##.Post__inPostVideoAdDesktop +hbr.org##.PrimaryAd_ad-container__YHDwJ +stocktwits.com##.Primis_container__KwtjV +tech.hindustantimes.com##.ProductAffilateWrapper +yandex.com##.ProductGallery +atlasobscura.com##.ProgrammaticMembershipCallout--taboola-member-article-container +icodrops.com##.Project-Card--promo +icodrops.com##.Promo-Line +plainenglish.io##.PromoContainer_container__sZ3ls +citybeat.com,clevescene.com,cltampa.com##.PromoTopBar +sciencealert.com##.Purch_Y_C_0_1-container +engadget.com##.Py\(30px\).Bgc\(engadgetGhostWhite\) +tumblr.com##.Qrht9 +tvzoneuk.com##.R38Z80 +forum.ragezone.com##.RZBannerUnit +barrons.com##.RenderBlock__AdWrapper-sc-1vrmc5r-0 +whatcar.com##.ReviewHero_mastheadStyle__Bv8X0 charismanews.com##.RightBnrWrap -b105.com##.RotatingPromo_300x80 -ebay.co.uk,ebay.com.au##.RtmStyle -aolsearch.com,search.aol.ca,search.aol.co.uk,search.aol.com,search.aol.in,wow.com##.SLL -search.aol.com##.SLLwseboF -lifespy.com##.SRR -theeagle.com##.SectionRightRail300x600Box -similarsites.com##.SidebarBanner -adobe.com##.SiteFooterRow[style="font-size:9px;font-family:Arial"] -myspace.com##.SitesMedRecModule -kentonline.co.uk##.Sky -japantimes.co.jp##.SmallBanner -car.com##.SmallFont -apnews.com##.Sponsor -mdlinx.com##.Sponsor-Tag -kentonline.co.uk##.SponsorImage -federalnewsnetwork.com,hotscripts.com,jpost.com##.Sponsored -policeone.com##.SponsoredBy -mining.com##.SponsoredPost -futureclaw.com##.Sponsors -labx.com##.SponsorsInfoTable -zone.msn.com##.SuperBannerTVMain -shopping.canoe.ca##.SuperBoxDetails -testcountry.com##.TC_advertisement -yahoo.com.au##.TL_genericads_columns -yahoo.com.au##.TL_medRec_container -narrative.ly##.TakeoverUnit -adobe.com##.TextSmall[align="center"][style="font-size:9px;font-family:Arial"] -wtop.com##.TitleBar-sponsor -algoafm.co.za,hurriyetdailynews.com##.TopBanner -theday.com##.TopNewsSponsor -torrentbar.com##.Tr2[width="41%"] -japantimes.co.jp##.UniversitySearchAdBlock -audioz.download##.UsenetGreen -1003thepoint.com,949thebay.com,radioeagleescanaba.com,radioeaglegaylord.com,radioeaglemarquette.com,radioeaglenewberry.com,radioeaglesoo.com,straitscountry953.com##.VGC_BANNER -vh1.com##.VMNThemeSidebarWidget -zone.msn.com##.VerticalBannerTV_tag -webreference.com##.WRy1 -wzzk.com##.Weather_Sponsor_Container -bloemfonteincourant.co.za,ofm.co.za##.WideSkyscraper -wired.com##.WiredWidgetsMarketing +games.mashable.com##.RightRail__displayAdRight___PjhV3mIW +geometrydash.io##.RowAdv +clutchpoints.com##.RzKEf +multimovies.bond,toonstream.co##.SH-Ads +dictionary.com,thesaurus.com##.SZjJlj7dd7R6mDTODwIT +gq.com##.SavingsUnitedCouponsWrapper-gPnqA-d +lbcgroup.tv##.ScriptDiv +staples.com##.SearchRootUX2__bannerAndSkuContainer +m.mouthshut.com##.SecondAds +genius.com##.SectionLeaderboard-sc-dbc68f4-0 +simkl.com##.SimklTVDetailEpisodeLinksItemHref +ultimate-guitar.com##.SiteWideBanner +thedailybeast.com##.Sizer +web.telegram.org##.SponsoredMessage +goodreads.com##.SponsoredProductAdContainer +streetsblog.org##.Sponsorship_articleBannerWrapper__wV_1S +thetimes.com##.Sticky-AdContainer +apartmenttherapy.com,cubbyathome.com,thekitchn.com##.StickyFooter +slideshare.net##.StickyVerticalInterstitialAd_root__f7Qki +slant.co##.SummaryPage-LustreEmbed +westword.com##.SurveyLinkSlideModal +newser.com##.TaboolaP1P2 +icodrops.com##.Tbl-Row--promo +dictionary.com##.TeixwVbjB8cchva8bDlg +imgur.com##.Top300x600 +cnbc.com##.TopBanner-container +abergavennychronicle.com,tenby-today.co.uk##.TopBannerstyled__Wrapper-sc-x2ypns-0 +ndtv.com##.TpGnAd_ad-wr +dappradar.com##.Tracker__StyledSmartLink-sc-u8v3nu-0 +meduza.io##.UnderTheSun-module-banner +vitepress.dev##.VPCarbonAds +poebuilds.net##.W_tBwY +britannicaenglish.com##.WordFromSponsor_content_enToar this.org##.Wrap-leaderboard -xbox.com##.XbcSponsorshipText -rxlist.com##.Yahoo -juxtapoz.com##._300x250 -thewirecutter.com##._6bcd -howwe.biz##.___top-ad-wrap -howwe.biz##.___top-highlight-articles -breakingisraelnews.com##.__b-popup1__ -smallseotools.com##._banner -pirateiro.com##._br9is -filmshowonline.net##._ccctb -ndtv.com##._kpw_wrp_mid -ndtv.com##._kpw_wrp_rhs -monova.to##._skip.container-bt -crawler.com##.a -lawyersweekly.com.au##.a-center -anime1.com,drama.net##.a-content -eplsite.com,sh.st##.a-el -amazon.com##.a-link-normal[href*="&adId="] -medicaldialogues.in##.a-single +tumblr.com##.XJ7bf +tumblr.com##.Yc2Sp +desmoinesregister.com##.ZJBvMP__ZJBvMP +getpocket.com##.\'syndication-ad\' +olympics.com##.\-partners +freepik.com##._1286nb18b +freepik.com##._1286nb1rx +swarajyamag.com##._1eNH8 +gadgetsnow.com##._1edxh +gadgetsnow.com##._1pjMr +afkgaming.com##._2-COY +jeffdornik.com##._2kEVY +gadgetsnow.com##._2slKI +coderwall.com##._300x250 +brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##._34z61 +timesnownews.com##._3n1p +thequint.com##._4xQrn +outlook.live.com##._BAY1XlyQSIe6kyKPlYP +gadgets360.com##.__wdgt_rhs_kpc +gadgets360.com##._ad +timeout.com##._ad_1elek_1 +sitepoint.com##._ap_apex_ad-container +vscode.one##._flamelab-ad +tampafp.com##._ning_outer +filerox.com##._ozxowqadvert +coingraph.us,filext.com##.a +startpage.com##.a-bg +rumble.com##.a-break +abcya.com##.a-leader +baptistnews.com,chimpreports.com,collive.com,defence-industry.eu,douglasnow.com,islandecho.co.uk,locklab.com,mallorcasunshineradio.com,newsindiatimes.com,runwaygirlnetwork.com,southsideweekly.com,spaceref.com,talkradioeurope.com,theshoesnobblog.com##.a-single +abcya.com##.a-skyscraper krebsonsecurity.com##.a-statement +tellymix.co.uk##.a-text +androidtrends.com,aviationa2z.com,backthetruckup.com,bingehulu.com,buffalorising.com,cryptoreporter.info,streamsgeek.com,techcentral.co.za,techrushi.com,trendstorys.com,vedantbhoomi.com##.a-wrap breitbart.com##.a-wrapper -daijiworld.com##.a2 -knowyourmeme.com##.a250x250 -cnet.com##.a2[style="padding-top: 20px;"] -gematsu.com,twitch.tv##.a300 -animeid.com,makeagif.com##.a728 +chordify.net##.a1p2y5ib +informer.com##.a2 +wmtips.com##.a3f17 +crypto.news##.a49292cf69626 +thechinaproject.com##.a4d +westword.com##.a65vezphb1 +breitbart.com##.a8d localtiger.com##.a9gy_lt -citationmachine.net##.aBx -hereisthecity.com,hitc.com##.aLoaded -dexerto.com##.aON -tvnz.co.nz##.aPopup -1movies.se##.a_cont > a[href="/user/buyregistration"] -legacy.com##.aa_Table -androidauthority.com##.aa_button_wrapper -androidauthority.com##.aa_desktop -androidauthority.com##.aa_intcont_300x250 -smarteranalyst.com##.ab-tested-trading-center -pcgamesn.com##.ab_mp -imdb.com##.ab_zergnet -mmorpg.com##.abiabnotice -four11.com##.abig -merriam-webster.com##.abl -learnersdictionary.com##.abl-m0-t160-d160 -learnersdictionary.com##.abl-m0-t300-d300 -k9safesearch.com,k9webprotection.com##.ablk -desktopwallpaperhd.net,four11.com##.ablock -ratemystrain.com##.ablock-container -four11.com##.ablock_leader -four11.com##.ablock_right -9anime.vip##.abmsg -tribalfootball.com##.above-footer-wrapper -likwidgames.com##.aboveSiteBanner -ctrl.blog##.abox -appagg.com,filedir.com##.abox300 +scoredle.com##.aHeader +fastweb.com##.a_cls_s +fastfoodnutrition.org##.a_leader +premierguitar.com##.a_promo +fastfoodnutrition.org##.a_rect +informer.com##.aa-728 +diep.io##.aa-unit +informer.com##.aa0 +absoluteanime.com##.aa_leaderboard +romsmania.games##.aawp +ncomputers.org,servertest.online##.ab +freedownloadmanager.org##.ab1 +freedownloadmanager.org##.ab320 +slickdeals.net,whitecoatinvestor.com##.abc +britannica.com,merriam-webster.com##.abl +imgbb.com##.abnr +itc.ua##.about-noa +rankedboost.com##.above-article-section +oilcity.news##.above-footer-widgets +hollywoodreporter.com##.above-header-ad +creativeuncut.com##.abox-s_i +creativeuncut.com##.abox-s_i2 roblox.com##.abp -ooyyo.com##.abs-result-holder -slickdeals.net##.abu -whirlpool.net.au##.abvertibing_block -dailyrecord.co.uk##.ac-vehicle-search -au.news.yahoo.com##.acc-moneyhound -goseattleu.com##.accipiter -consequenceofsound.net##.acm-module-300-250 -1047.com.au,11alive.com,12news.com,12newsnow.com,13newsnow.com,13wmaz.com,17track.net,2dayfm.com.au,2gofm.com.au,2mcfm.com.au,2rg.com.au,2wg.com.au,4tofm.com.au,5newsonline.com,6abc.com,7online.com,929.com.au,947wls.com,953srfm.com.au,9news.com,aa.co.za,aarp.org,abc10.com,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abovethelaw.com,accringtonobserver.co.uk,ack.net,adelaidenow.com.au,adelnews.com,adn.com,adsoftheworld.com,adsupplyads.com,adtmag.com,advocatepress.com,adweek.com,aero-news.net,agjournalonline.com,agra-net.net,ahlanlive.com,aledotimesrecord.com,algemeiner.com,aljazeera.com,allenwestrepublic.com,allkpop.com,allrecipes.co.in,allrecipes.com.au,amandala.com.bz,americanprofile.com,amestrib.com,amny.com,amtrib.com,anandtech.com,androidapps.com,androidauthority.com,aol.com,apalachtimes.com,appolicious.com,arabianbusiness.com,architectsjournal.co.uk,arseniohall.com,articlealley.com,asianjournal.com,asianwiki.com,associationsnow.com,audiko.net,aussieoutages.com,autoblog.com,autoblog360.com,autoguide.com,aww.com.au,azarask.in,azfamily.com,bab.la,backtrack-linux.org,bakersfield.com,barnstablepatriot.com,bathchronicle.co.uk,bcdemocratonline.com,bdnews24.com,beaumontenterprise.com,bellinghamherald.com,bikesportnews.com,birminghammail.co.uk,birminghampost.co.uk,blackmorevale.co.uk,blockchain.info,bloomberg.com,blueridgenow.com,bnd.com,bobvila.com,boonevilledemocrat.com,boston.com,bostonglobe.com,bostontarget.co.uk,bradenton.com,bradleybraves.com,brandonsun.com,bravotv.com,breitbart.com,brentwoodgazette.co.uk,bridesmagazine.co.uk,brisbanetimes.com.au,bristolpost.co.uk,budgettravel.com,businessdailyafrica.com,businessinsider.com,businesstech.co.za,businesstraveller.com,c21media.net,cairnspost.com.au,canadianoutages.com,canberratimes.com.au,canterburytimes.co.uk,cantondailyledger.com,capecodtimes.com,cardomain.com,carmarthenjournal.co.uk,carmitimes.com,carynews.com,cbs19.tv,cd1025.com,celebdigs.com,celebified.com,centralsomersetgazette.co.uk,centredaily.com,cfl.ca,cfo.com,ch-aviation.com,channel5.com,charismamag.com,charismanews.com,charlestonexpress.com,charlotteobserver.com,cheboygannews.com,cheddarvalleygazette.co.uk,cheezburger.com,chesterchronicle.co.uk,chicagobusiness.com,chicagomag.com,chillicothetimesbulletin.com,chinahush.com,chinasmack.com,chipleypaper.com,christianlifenews.com,christianpost.com,chroniclelive.co.uk,cio.com,citeworld.com,citylab.com,citysearch.com,clashdaily.com,claytonnewsstar.com,clientmediaserver.com,cltv.com,cnet.com,cnn.com,cnnphilippines.com,cnsnews.com,coastlinepilot.com,coasttocoastam.com,codepen.io,collinsdictionary.com,colorlines.com,colourlovers.com,columbiadailyherald.com,comcast.net,competitor.com,computerworld.com,conservativebyte.com,cornishguardian.co.uk,cornishman.co.uk,courier-tribune.com,courier.co.uk,couriermail.com.au,coventrytelegraph.net,cpuboss.com,crawleynews.co.uk,createtv.com,crestviewbulletin.com,crewechronicle.co.uk,cri.cn,crosscards.com,crosscut.com,crossmap.com,crosswalk.com,croydonadvertiser.co.uk,csoonline.com,csswizardry.com,cupcakesandcashmere.com,cw33.com,cw39.com,cxpress.co.za,cydiaupdates.net,dailycomet.com,dailycommercial.com,dailycute.net,dailyheadlines.net,dailyinterlake.com,dailylife.com.au,dailylobo.com,dailylocal.com,dailyparent.com,dailypost.co.uk,dailyrecord.co.uk,dailytarheel.com,dailytelegraph.com.au,dailytidings.com,dailytrust.com.ng,dawn.com,dcw50.com,deadline.com,dealnews.com,defenseone.com,delish.com,derbytelegraph.co.uk,deseretnews.com,desertdispatch.com,designtaxi.com,dinozap.com,dispatch.com,dodgeforum.com,domain.com.au,dorkingandleatherheadadvertiser.co.uk,dose.com,dover-express.co.uk,doverpost.com,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dribbble.com,drinksmixer.com,drive.com.au,dustcoin.com,earmilk.com,earthsky.org,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,eastpeoriatimescourier.com,edmontonjournal.com,eenews.net,elle.com,emedtv.com,energyvoice.com,engadget.com,enquirerherald.com,enstarz.com,essentialbaby.com.au,essentialkids.com.au,essexchronicle.co.uk,etsy.com,eurocheapo.com,euronews.com,everydayhealth.com,everyjoe.com,examiner-enterprise.com,examiner.co.uk,examiner.com,excellence-mag.com,exeterexpressandecho.co.uk,expressnews.com,familydoctor.org,fanfox.net,fanpop.com,farmersguardian.com,farmonlinelivestock.com.au,fashionweekdaily.com,fastcar.co.uk,fayobserver.com,federalnewsnetwork.com,femalefirst.co.uk,fijitimes.com,findthebest.co.uk,findthebest.com,firstcoastnews.com,flashx.tv,floridaindependent.com,fodors.com,folkestoneherald.co.uk,food.com,foodandwine.com,foodnetwork.com,fool.com,footyheadlines.com,forecast7.com,fortmilltimes.com,fosters.com,fowlertribune.com,fox13now.com,fox15abilene.com,fox17online.com,fox2now.com,fox40.com,fox43.com,fox4kc.com,fox59.com,fox5sandiego.com,fox6now.com,fox8.com,foxafrica.com,foxbusiness.com,foxcrimeafrica.com,foxct.com,foxnews.com,foxsoccer.com,foxsportsasia.com,freedom43tv.com,freedomoutpost.com,freshpips.com,fresnobee.com,fromestandard.co.uk,fuse.tv,futhead.com,fxafrica.tv,fxnetworks.com,fxnowcanada.ca,gadsdentimes.com,gainesville.com,galesburg.com,galvanews.com,gamefuse.com,gamemazing.com,garagejournal.com,garfield.com,gayvegas.com,gazettelive.co.uk,geelongadvertiser.com.au,geneseorepublic.com,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,givememore.com.au,givesmehope.com,gizmodo.com.au,glennbeck.com,gloucestercitizen.co.uk,gloucestershireecho.co.uk,gmanetwork.com,go.com,gocomics.com,goerie.com,goldcoastbulletin.com.au,goldfm.com.au,golf.com,goo.im,good.is,goodfood.com.au,goodhousekeeping.com,goupstate.com,gpuboss.com,grab.by,grapevine.is,graphiq.com,greatschools.org,greenbot.com,greenwooddemocrat.com,grimsbytelegraph.co.uk,grindtv.com,grubstreet.com,gtplanet.net,gumtree.co.za,haaretz.com,hamburgreporter.com,hangout.co.ke,happytrips.com,healthyplace.com,heart1073.com.au,heatworld.com,heralddemocrat.com,heraldonline.com,heraldsun.com.au,heraldtribune.com,hit105.com.au,hit107.com,hknepaliradio.com,hockessincommunitynews.com,hodinkee.com,hollywood-elsewhere.com,hollywoodreporter.com,hoovers.com,hopestar.com,hotfm.com.au,houmatoday.com,houserepairtalk.com,houstonchronicle.com,hsvvoice.com,hulldailymail.co.uk,idahostatesman.com,idganswers.com,indianas4.com,indiewire.com,indyposted.com,infoworld.com,infozambia.com,inhabitat.com,inquirer.net,instyle.com,interest.co.nz,interfacelift.com,interfax.com.ua,intoday.in,investopedia.com,investsmart.com.au,iono.fm,irishmirror.ie,irishoutages.com,islandpacket.com,itsamememario.com,itv.com,itworld.com,jackfm.ca,jacksonville.com,jamaica-gleaner.com,jamieoliver.com,javaworld.com,jdnews.com,jobs.com.au,joeforamerica.com,journaldemocrat.com,journalgazette.net,journalstandard.com,joystiq.com,jsonline.com,kabc.com,kagstv.com,kare11.com,katc.com,kbs.co.kr,kbzk.com,kcentv.com,kdvr.com,kens5.com,kentucky.com,keysnet.com,kfor.com,kgw.com,khou.com,kidspot.com.au,kiiitv.com,king5.com,kinston.com,kiss959.com,koaa.com,kob.com,kofm.com.au,komando.com,koreabang.com,kotaku.com.au,kpax.com,kplr11.com,kqed.org,krem.com,ksdk.com,ktla.com,ktvb.com,kusports.com,kvue.com,kwgn.com,kxlf.com,kxlh.com,lajuntatribunedemocrat.com,lakewyliepilot.com,lawrence.com,leaderpost.com,ledger-enquirer.com,leicestermercury.co.uk,lex18.com,lichfieldmercury.co.uk,lifehacker.com.au,lifesitenews.com,lifezette.com,lincolncourier.com,lincolnshireecho.co.uk,liverpoolecho.co.uk,ljworld.com,llanellistar.co.uk,lmtonline.com,lolbrary.com,lonokenews.net,loop21.com,lordofthememe.com,lostateminor.com,loughboroughecho.net,lsjournal.com,macclesfield-express.co.uk,macombdaily.com,macon.com,macrumors.com,mailtribune.com,manchestereveningnews.co.uk,marieclaire.com,marketwatch.com,mashable.com,maxpreps.com,mcclatchydc.com,mcdonoughvoice.com,memearcade.com,memeslanding.com,memestache.com,mercedsunstar.com,mercurynews.com,miamiherald.com,middevongazette.co.uk,middletowntranscript.com,milfordbeacon.com,military.com,minutemennews.com,mirror.co.uk,mix.com.au,mkweb.co.uk,mlb.mlb.com,modbee.com,moneytalksnews.com,monitor.co.ug,monkeysee.com,monroenews.com,montrealgazette.com,motorcycle.com,motorcycleroads.com,motortopia.com,movies.com,mozo.com.au,mpnnow.com,mprnews.org,mrconservative.com,mrmovietimes.com,mrqe.com,msn.com,mtshastanews.com,mugglenet.com,mybroadband.co.za,mycareer.com.au,myfitnesspal.com,myfox8.com,myfoxzone.com,mygaming.co.za,myhomeremedies.com,mylifeisaverage.com,mypaper.sg,myrecipes.com,myrtlebeachonline.com,mysearchresults.com,myspace.com,namibtimes.net,nation.co.ke,nation.com.pk,nationaljournal.com,nature.com,nbcsportsradio.com,ncnewspress.com,netnewscheck.com,networkworld.com,newbernsj.com,newportindependent.com,news-journalonline.com,news.com.au,newscentermaine.com,newschief.com,newsday.com,newsfixnow.com,newsherald.com,newslocker.com,newsobserver.com,newsok.com,newsrepublican.com,newstimes.com,newtimes.co.rw,nextmovie.com,nhregister.com,nickmom.com,northdevonjournal.co.uk,norwichbulletin.com,notsafeforwallet.net,nottinghampost.com,ntnews.com.au,nwfdailynews.com,nxfm.com.au,ny1.com,nymag.com,nytco.com,nytimes.com,ocala.com,odometer.com,offbeat.com,olneydailymail.com,omgfacts.com,oriongazette.com,osadvertiser.co.uk,osnews.com,ottawamagazine.com,ovguide.com,paris-express.com,patch.com,patheos.com,paysonroundup.com,pba.org,pbcommercial.com,peakery.com,pekintimes.com,perthnow.com.au,petri.com,phl17.com,photobucket.com,picayune-times.com,pingtest.net,pirateshore.org,pix11.com,pjstar.com,planelogger.com,plosone.org,plymouthherald.co.uk,poconorecord.com,pokestache.com,politico.com,polygon.com,pontiacdailyleader.com,popsugar.com,popsugar.com.au,preaching.com,prepperwebsite.com,pressargus.com,pressmentor.com,pricedekho.com,providencejournal.com,pulaskinews.net,pv-tech.org,q13fox.com,qoshe.com,quackit.com,quibblo.com,radiowest.com.au,ragestache.com,ranker.com,ratemyprofessors.com,readmetro.com,realestate.com.au,realityblurred.com,recordnet.com,recordonline.com,redmondmag.com,refinery29.com,relish.com,retailgazette.co.uk,retfordtimes.co.uk,reviewatlas.com,ridgecrestca.com,roadsideamerica.com,rogerebert.com,rollcall.com,rossendalefreepress.co.uk,rrstar.com,rumorfix.com,runcornandwidnesweeklynews.co.uk,runnow.eu,sacbee.com,sadlovequotes.net,salisburypost.com,sanluisobispo.com,savannahnow.com,sbs.com.au,scpr.org,scsuntimes.com,scubadiving.com,scunthorpetelegraph.co.uk,seacoastonline.com,seafm.com.au,seattletimes.com,sevenoakschronicle.co.uk,sfchronicle.com,sfgate.com,sfx.co.uk,shelbystar.com,sheptonmalletjournal.co.uk,shtfplan.com,si.com,siftingsherald.com,similarsites.com,simpledesktops.com,singingnews.com,siskiyoudaily.com,sixbillionsecrets.com,sj-r.com,sky.com,slacker.com,sleafordtarget.co.uk,slickdeals.net,slidetoplay.com,smackjuice.com,smartcompany.com.au,smartphowned.com,smh.com.au,softpedia.com,somersetguardian.co.uk,soranews24.com,southcoasttoday.com,southerncrossten.com.au,southerngospel.com,southportvisiter.co.uk,southwales-eveningpost.co.uk,spin.com,spokesman.com,sportsdirectinc.com,spot.im,springwise.com,spryliving.com,srpressgazette.com,ssdboss.com,ssireview.org,stagevu.com,stamfordadvocate.com,standard.co.uk,star-telegram.com,starcourier.com,starfl.com,starfm.com.au,starnewsonline.com,statenews.com,statscrop.com,stltoday.com,stocktwits.com,stokesentinel.co.uk,stoppress.co.nz,streetinsider.com,stripes.com,stroudlife.co.uk,stuttgartdailyleader.com,stv.tv,stylenest.co.uk,sub-titles.net,sunfm.com.au,sunherald.com,surfline.com,surreymirror.co.uk,sussexcountian.com,suttoncoldfieldobserver.co.uk,swtimes.com,taftmidwaydriller.com,talkandroid.com,tampabay.com,tamworthherald.co.uk,tasteofawesome.com,tauntongazette.com,teamcoco.com,teaparty.org,techdirt.com,techinsider.io,telegram.com,teutopolispress.com,tgdaily.com,thanetgazette.co.uk,thatslife.com.au,thatssotrue.com,the-dispatch.com,theage.com.au,theaustralian.com.au,theblaze.com,thecitizen.co.tz,thecrimson.com,thecut.com,thedailybeast.com,thedestinlog.com,thedp.com,theeastafrican.co.ke,theepochtimes.com,thefader.com,thefirearmblog.com,thegamechicago.com,thegossipblog.com,thegrio.com,thegrocer.co.uk,thegurdontimes.com,thehawkeye.com,thehungermemes.net,thejournal.co.uk,thekit.ca,theledger.com,themercury.com.au,thenation.com,thenewstribune.com,theoaklandpress.com,theolympian.com,theonion.com,theprovince.com,therangecountry.com.au,therealdeal.com,theresurgent.com,theriver.com.au,theroot.com,thesaurus.com,thestack.com,thestarphoenix.com,thestate.com,thesuntimes.com,thetimesnews.com,thewalkingmemes.com,thewindowsclub.com,thewire.com,thisiswhyimbroke.com,thv11.com,time.com,timeshighereducation.co.uk,timesunion.com,tinypic.com,today.com,tokyohive.com,topgear.com,topsite.com,torontoist.com,torquayheraldexpress.co.uk,touringcartimes.com,townandcountrymag.com,townhall.com,townsvillebulletin.com.au,travelocity.com,travelweekly.com,tri-cityherald.com,tribalfootball.com,tribecafilm.com,tripadvisor.ca,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.ie,tripadvisor.in,triplem.com.au,triplemclassicrock.com,trucktrend.com,truecar.com,tuscaloosanews.com,tvmaze.com,tvnewscheck.com,twcc.com,twcnews.com,typepad.com,ufc.com,uinterview.com,unfriendable.com,userstyles.org,usmagazine.com,usnews.com,vanburencountydem.com,vancouversun.com,veevr.com,vetfran.com,vev.io,vid.gg,vidbux.com,vidxden.to,viralnova.com,visiontimes.com,vogue.com.au,vulture.com,vvdailypress.com,walesonline.co.uk,walsalladvertiser.co.uk,waltonsun.com,wamu.org,washingtonexaminer.com,washingtontimes.com,washingtontimesreporter.com,watchanimes.me,watoday.com.au,watzatsong.com,waxahachietx.com,way2sms.com,wayfm.com,wbir.com,wbur.org,wcnc.com,weathernationtv.com,webdesignerwall.com,webestools.com,weeklytimesnow.com.au,wegotthiscovered.com,wellcommons.com,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk,wetpaint.com,wfaa.com,wfmynews2.com,wgno.com,wgnradio.com,wgnt.com,wgntv.com,wgrz.com,whas11.com,whatsnewonnetflix.com,whimn.com.au,whitehalljournal.com,whnt.com,whosay.com,whotv.com,wickedlocal.com,wildcat.arizona.edu,windsorstar.com,winewizard.co.za,winnipegfreepress.com,wkyc.com,wltx.com,wnep.com,womansday.co.nz,womansday.com,womansday.com.au,woodfordtimes.com,worldreview.info,worthplaying.com,wow247.co.uk,wqad.com,wral.com,wreg.com,wrestlezone.com,wsj.com,wtkr.com,wtsp.com,wtvr.com,wusa9.com,wwltv.com,wzzm13.com,x17online.com,yahoo.com,yonhapnews.co.kr,yorkpress.co.uk,yourmiddleeast.com,zam.com,zedge.net,zillow.com,zooweekly.com.au,zybez.net##.ad -breathecast.com##.ad > div -techrepublic.com,yahoo.com##.ad-active -deviantart.com##.ad-blocking-makes-fella-confused -alarabiya.net,atlanticfarmfocus.ca,burnsidenews.com,capebretonpost.com,cbncompass.ca,cornwallseawaynews.com,cumberlandnewsnow.com,dailybusinessbuzz.ca,edmunds.com,flightaware.com,ganderbeacon.ca,gfwadvertiser.ca,haaretz.com,hantsjournal.ca,hiapkdownload.com,jerusalemonline.com,journalism.co.uk,journalpioneer.com,kingscountynews.ca,leaprate.com,lportepilot.ca,lubbockonline.com,memecdn.com,memecenter.com,metrolyrics.com,mjtimes.sk.ca,ngnews.ca,novanewsnow.com,orleansstar.ca,paherald.sk.ca,pcworld.in,reverso.net,revision3.com,sasknewsnow.com,soapoperadigest.com,southerngazette.ca,tasteofhome.com,thecoastguard.ca,theguardian.pe.ca,thehindu.com,thepacket.ca,thetelegram.com,thevanguard.ca,thewesternstar.com,trurodaily.com,vinesbay.com,viralnova.com,westislandchronicle.com,westmountexaminer.com,where.ca,zerohedge.com##.ad-box -6abc.com,9news.com.au,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abc7ny.com,ack.net,adelnews.com,advocatepress.com,agjournalonline.com,aledotimesrecord.com,amestrib.com,apalachtimes.com,autofocus.ca,barnstablepatriot.com,bcdemocratonline.com,beautifuldecay.com,bizjournals.com,biznews.com,blueridgenow.com,boonevilledemocrat.com,boston.com,businessinsider.com.au,cantondailyledger.com,capecodtimes.com,carmitimes.com,charlestonexpress.com,cheapism.com,chillicothetimesbulletin.com,chipleypaper.com,cnn.com,columbiadailyherald.com,courier-tribune.com,cpuboss.com,crestviewbulletin.com,dailycomet.com,dailycommercial.com,dailysun.co.za,dailytidings.com,desertdispatch.com,digg.com,dispatch.com,dnainfo.com,doverpost.com,downforeveryoneorjustme.com,driven.co.nz,eastpeoriatimescourier.com,ecr.co.za,electrek.co,engineeringnews.co.za,etcanada.com,examiner-enterprise.com,fayobserver.com,firehouse.com,fosters.com,fowlertribune.com,foxbusiness.com,foxnews.com,funkidslive.com,gadsdentimes.com,gainesville.com,galesburg.com,galvanews.com,geneseorepublic.com,glamour.com,golf.com,goupstate.com,gpuboss.com,greenwooddemocrat.com,hamburgreporter.com,hbr.org,heralddemocrat.com,heraldtribune.com,hockessincommunitynews.com,hollywoodreporter.com,hopestar.com,houmatoday.com,hsvvoice.com,ign.com,jacarandafm.com,jacksonville.com,jdnews.com,journaldemocrat.com,journalstandard.com,kbb.com,kinston.com,komando.com,lajuntatribunedemocrat.com,lincolncourier.com,lonokenews.net,macstories.net,mailtribune.com,mcdonoughvoice.com,middletowntranscript.com,milfordbeacon.com,miningweekly.com,mobilesyrup.com,modernhealthcare.com,moneysense.ca,morningstar.com,mpnnow.com,mtshastanews.com,myfitnesspal.com,naminum.com,nbcnews.com,ncnewspress.com,newbernsj.com,newportindependent.com,news-journalonline.com,newschief.com,newsherald.com,newsrepublican.com,niufm.com,norwichbulletin.com,nwfdailynews.com,nzherald.co.nz,ocala.com,olneydailymail.com,oriongazette.com,paris-express.com,pbcommercial.com,pekintimes.com,picayune-times.com,pjstar.com,poconorecord.com,pontiacdailyleader.com,pressargus.com,pressmentor.com,providencejournal.com,pulaskinews.net,radicalresearch.co.uk,radio531pi.com,recordnet.com,recordonline.com,refinery29.com,reviewatlas.com,ridgecrestca.com,rollingstone.com,rrstar.com,savannahnow.com,scroll.in,scsuntimes.com,seacoastonline.com,seattletimes.com,shelbystar.com,siftingsherald.com,siskiyoudaily.com,sj-r.com,slate.com,sltrib.com,southcoasttoday.com,srpressgazette.com,ssdboss.com,stackexchange.com,starcourier.com,starfl.com,starnewsonline.com,stockhouse.com,stuttgartdailyleader.com,sussexcountian.com,swtimes.com,taftmidwaydriller.com,telegram.com,teutopolispress.com,the-dispatch.com,theaustralian.com.au,thedestinlog.com,thegurdontimes.com,thehawkeye.com,thehindu.com,theledger.com,thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se,themercury.com.au,thenewslens.com,thesuntimes.com,thetimesnews.com,thrillist.com,toofab.com,tuscaloosanews.com,vanburencountydem.com,vice.com,vvdailypress.com,waltonsun.com,washingtontimesreporter.com,whitehalljournal.com,wickedlocal.com,woodfordtimes.com,xboxdvr.com,youtube.com,zerohedge.com##.ad-container -cnet.com##.ad-leader-middle -faithit.com##.ad-wrapper + .widget-area -vesselfinder.com##.ad0 -bnqt.com##.ad05 -afreecodec.com,allmp3song.in,brothersoft.com,crow.com,djhungama.net,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,gamrreview.com,indiatimes.com,lolcounter.com,mymp3song.info,rodalenews.com,sundaymail.co.zw,sundaynews.co.zw,thestandard.com.hk,timesofindia.com,videoming.com,wapking.site,weathernationtv.com,webmaster-source.com,worldclock.com##.ad1 -allmp3song.in,brothersoft.com,crow.com,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,livemint.com,mymp3singer.site,mymp3song.info,roms4droid.com,sundaymail.co.zw,sundaynews.co.zw,videoming.com,wapking.site,weathernationtv.com,worldclock.com##.ad2 -afreecodec.com,crow.com,livemint.com,mpog100.com,sundaymail.co.zw,sundaynews.co.zw##.ad3 -hitfreegames.com,sundaymail.co.zw,sundaynews.co.zw##.ad4 -sundaymail.co.zw,sundaynews.co.zw,vesselfinder.com##.ad5 -sundaymail.co.zw,sundaynews.co.zw##.ad6 -sundaymail.co.zw,sundaynews.co.zw##.ad7 -buy.com##.adBG -cafemom.com,cio.co.uk,cvs.com,digitalartsonline.co.uk,emarketer.com,flightradar24.com,geek.com,globaltv.com,glosbe.com,hgtv.ca,macworld.co.uk,newspakistan.pk,nytimes.com,ocweekly.com,petagadget.com,sky.com,t3.com,thehimalayantimes.com,yakimaherald.com##.adContainer -technologicvehicles.com##.adEvTaiwan -webfail.com##.adMR -ifaonline.co.uk,relink.us##.ad_right -telegraph.co.uk##.adarea + .summaryMedium -englishrussia.com,keepvid.com,metrowestdailynews.com##.adb -pencurimovie.cc##.adb_overlay -aol.com,beautysouthafrica.com,blurtit.com,breakingnews.com,dataversity.net,digitalhome.ca,eatv.tv,eurowerks.org,heyuguys.co.uk,ippmedia.com,linkedin.com,longislandpress.com,music-news.com,opensourcecms.com,opposingviews.com,readersdigest.co.uk,sakshi.com,songlyrics.com,sugarrae.com,techeblog.com,thebizzare.com,winbeta.org##.adblock -dexerto.com##.adblockON -affiliatefix.com,blogto.com,cargoinfo.co.za,centreforaviation.com,interglot.com,lockerz.com,macdailynews.com,mensjournal.com,midnightpoutine.ca,mvnrepository.com,podfeed.net,pricespy.co.nz,sfbayview.com,viralnova.com,whatsmyip.org,willyweather.com,willyweather.com.au##.adbox +manualslib.com##.abp_adv_s-title +pocketgamer.com##.abs +albertsons.com##.abs-carousel-proxy > [aria-label="Promo or Ad Banner"] +tfn.scot##.absolute-leaderboard +tfn.scot##.absolute-mid-page-unit +breitbart.com##.acadnotice +gamesystemrequirements.com##.act_eng +sneakernews.com##.active-footer-ad +christianpost.com##.acw +comicbookmovie.com##.ad > .blur-up +independent.ie##.ad--articlerectangle +washingtonpost.com##.ad--enterprise +hifi-classic.net##.ad--google_adsense > .ad--google_adsense +hifi-classic.net##.ad--google_adsense_bottom +hollywoodlife.com##.ad--horizontal +mothership.sg##.ad--imu +mothership.sg##.ad--lb +mothership.sg##.ad--side +paryatanbazar.com##.ad--space +allbusiness.com##.ad--tag +ip-address.org##.ad-1-728 +ip-tracker.org##.ad-1-drzac +ip-address.org##.ad-2-336 +gamepressure.com##.ad-2020-rec-alt-mob +ip-address.org##.ad-3-728 +archdaily.com##.ad-300-250 +ip-address.org##.ad-5-300 +geotastic.net##.ad-970x250 +birdwatchingdaily.com##.ad-advertisement-vertical +buzzfeed.com##.ad-awareness +britannica.com,courthousenews.com,diabetesjournals.org,imgmak.com,infobel.com,kuioo.com,linkedin.com,pilot007.org,radiotimes.com,soundguys.com,topperlearning.com##.ad-banner +radiopaedia.org##.ad-banner-desktop-row +home-designing.com,inc.com,trustpilot.com##.ad-block +fangoria.com##.ad-block--300x250 +issuu.com##.ad-block--wide +sciencenews.org##.ad-block-leaderboard__freestar___Ologr +fangoria.com##.ad-block__container +cryptodaily.co.uk##.ad-bottom-spacing +save.ca##.ad-box +am5.com##.ad-box-pc-3 +am5.com##.ad-box-right-pc-1 +mv-voice.com##.ad-break +imsa.com##.ad-close-container +thisiscolossal.com##.ad-code-block +npr.org##.ad-config +valetmag.com##.ad-constrained-container +12news.com,9news.com,9to5google.com,9to5mac.com,aad.org,advfn.com,all3dp.com,allaboutcookies.org,allnovel.net,amny.com,athleticbusiness.com,audiokarma.org,beeradvocate.com,beliefnet.com,bizjournals.com,biznews.com,bolavip.com,britishheritage.com,businessinsider.com,cbs8.com,cc.com,ccjdigital.com,dailytrust.com,delish.com,driven.co.nz,dutchnews.nl,ecr.co.za,electrek.co,engineeringnews.co.za,equipmentworld.com,etcanada.com,euromaidanpress.com,fastcompany.com,fishermap.org,footyheadlines.com,fox10phoenix.com,fox13news.com,fox26houston.com,fox29.com,fox2detroit.com,fox32chicago.com,fox35orlando.com,fox4news.com,fox5atlanta.com,fox5dc.com,fox5ny.com,fox7austin.com,fox9.com,foxbusiness.com,foxla.com,foxnews.com,funkidslive.com,gfinityesports.com,globalspec.com,gmanetwork.com,grammarbook.com,greatbritishchefs.com,greatitalianchefs.com,hbr.org,highdefdigest.com,historynet.com,howstuffworks.com,huffpost.com,ibtimes.sg,insidehook.com,insider.com,intouchweekly.com,irishcentral.com,karanpc.com,khou.com,koat.com,ktvu.com,lifeandstylemag.com,longislandpress.com,macstories.net,mail.com,mangakakalot.app,memuplay.com,metro.us,metrophiladelphia.com,minecraftforum.net,miningweekly.com,mixed-news.com,mobilesyrup.com,modernhealthcare.com,msnbc.com,namemc.com,nbcnews.com,newrepublic.com,nzherald.co.nz,oneesports.gg,opb.org,outkick.com,papermag.com,physiology.org,pixiv.net,podcastaddict.com,punchng.com,qns.com,realsport101.com,reason.com,refinery29.com,roadandtrack.com,scroll.in,seattletimes.com,songkick.com,sportskeeda.com,thebaltimorebanner.com,thedailybeast.com,thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se,themarketherald.ca,thenationonlineng.net,thenewstack.io,tmz.com,toofab.com,uploadvr.com,usmagazine.com,vanguardngr.com,wildtangent.com,wogx.com,worldsoccertalk.com,wral.com##.ad-container +sportsnet.ca##.ad-container-bb +24timezones.com##.ad-container-diff +newthinking.com##.ad-container-mpu +wheelofnames.com##.ad-declaration +sciencealert.com##.ad-desktop\:block +firepunchmangafree.com##.ad-div-1 +firepunchmangafree.com##.ad-div-2 +cnn.com##.ad-feedback__modal +simracingsetup.com##.ad-fixed-bottom +404media.co##.ad-fixed__wrapper +pixiv.net##.ad-footer +pixiv.net##.ad-frame-container +valetmag.com##.ad-full_span-container +valetmag.com##.ad-full_span_homepage-container +valetmag.com##.ad-full_span_section-container +mobilesyrup.com##.ad-goes-here +business-standard.com##.ad-height-desktop +carsauce.com##.ad-holder +symbl.cc##.ad-incontent-rectangle +andscape.com##.ad-incontent-wrapper +dailyuptea.com##.ad-info +kenyans.co.ke##.ad-kenyans +kenyans.co.ke##.ad-kenyans-wrapper +cbc.ca##.ad-landing +heise.de##.ad-ldb-container +revolvermag.com##.ad-leaderboard-foot +revolvermag.com##.ad-leaderboard-head +apksum.com##.ad-left +radiopaedia.org##.ad-link-grey +citynews.ca##.ad-load +cbc.ca##.ad-load-more +mariopartylegacy.com##.ad-long +olympics.com##.ad-margin-big +pixiv.net##.ad-mobile-anchor +houstonchronicle.com##.ad-module--ad--16cf1 +pedestrian.tv##.ad-no-mobile +constructionenquirer.com##.ad-page-takeover +mirror.co.uk,themirror.com##.ad-placeholder +bbcgoodfood.com,olivemagazine.com,radiotimes.com##.ad-placement-inline--2 +comedy.com##.ad-placement-wrapper +fanfox.net##.ad-reader +atlasobscura.com##.ad-site-top-full-width +nationalreview.com##.ad-skeleton +accesswdun.com##.ad-slider-block +imresizer.com##.ad-slot-1-fixed-ad +imresizer.com##.ad-slot-2-fixed-ad +imresizer.com##.ad-slot-3-fixed-ad +cnn.com##.ad-slot-dynamic +cnn.com##.ad-slot-header__wrapper +barandbench.com##.ad-slot-row-m__ad-Wrapper__cusCS +oann.com##.ad-slot__ad-label +cnn.com##.ad-slot__ad-wrapper +freepressjournal.in##.ad-slots +usnews.com##.ad-spacer__AdSpacer-sc-nwg9sv-0 +techinformed.com##.ad-text-styles +playbuzz.com##.ad-top-1-wrapper +companiesmarketcap.com##.ad-tr +forbes.com,windowscentral.com##.ad-unit +ndtvprofit.com##.ad-with-placeholder-m__place-holder-wrapper__--JIw +bqprime.com##.ad-with-placeholder-m__place-holder-wrapper__1_rkH +trueachievements.com##.ad-wrap +smithsonianmag.com,tasty.co##.ad-wrapper +insurancebusinessmag.com##.ad-wrapper-billboard-v2 +gamingdeputy.com##.ad-wrapper-parent-video +allscrabblewords.com,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,gamesadshopper.com,iamgujarat.com,lolcounter.com,mpog100.com,newszop.com,samayam.com,timesofindia.com,vijaykarnataka.com##.ad1 +urih.com##.ad193 +allscrabblewords.com,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,mpog100.com##.ad2 +allscrabblewords.com,mpog100.com##.ad3 +news18.com##.ad300x250 +india.com##.ad5 +cricketcountry.com##.ad90mob300 +ptonline.com##.adBlock--center-column +ptonline.com##.adBlock--right-column +medibang.com##.adBlock__pc +emojiphrasebook.com##.adBottom +bigislandnow.com##.adBreak +kijiji.ca##.adChoices-804693302 +economist.com##.adComponent_advert__kPVUI +forums.sufficientvelocity.com,m.economictimes.com,someecards.com,trailspace.com,wabetainfo.com##.adContainer +etymonline.com##.adContainer--6CVz1 +graziadaily.co.uk##.adContainer--inline +hellomagazine.com##.adContainerClass_acvudum +clashofstats.com##.adContainer_Y58xc +anews.com.tr##.adControl +carsdirect.com##.adFooterWrapper +bramptonguardian.com,guelphmercury.com,insideottawavalley.com,niagarafallsreview.ca,niagarathisweek.com,stcatharinesstandard.ca,thepeterboroughexaminer.com,therecord.com,thespec.com,thestar.com,wellandtribune.ca##.adLabelWrapper +bramptonguardian.com,insideottawavalley.com,niagarafallsreview.ca,stcatharinesstandard.ca,thepeterboroughexaminer.com,therecord.com,thestar.com,wellandtribune.ca##.adLabelWrapperManual +cosmopolitan.in##.adMainWrp +sammobile.com##.adRoot-loop-ad +coloradotimesrecorder.com##.adSidebar +golfdigest.com##.adSlot +bramptonguardian.com##.adSlot___3IQ8M +drive.com.au##.adSpacing_drive-ad-spacing__HdaBg +thestockmarketwatch.com##.adSpotPad +healthnfitness.net##.adTrack +sofascore.com##.adUnitBox +dailyo.in##.adWrapp +romper.com##.adWrapper +barrons.com##.adWrapperTopLead +forecast7.com##.ad[align="center"] +m.thewire.in##.ad_20 +indy100.com##.ad_300x250 +digiday.com##.ad_960 +food.com##.ad__ad +disqus.com##.ad__adh-wrapper +nationalpost.com,vancouversun.com##.ad__inner +politico.eu##.ad__mobile +dailykos.com##.ad__placeholder +asianjournal.com##.ad_before_title +kyivpost.com##.ad_between_paragraphs +cheatcodes.com##.ad_btf_728 +ntvkenya.co.ke##.ad_flex +auto-data.net##.ad_incar +dailykos.com##.ad_leaderboard__container +advocate.com,out.com##.ad_leaderboard_wrap +gamereactor.asia,gamereactor.cn,gamereactor.com.tr,gamereactor.cz,gamereactor.de,gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.fi,gamereactor.fr,gamereactor.gr,gamereactor.it,gamereactor.jp,gamereactor.kr,gamereactor.me,gamereactor.nl,gamereactor.no,gamereactor.pl,gamereactor.pt,gamereactor.se,gamereactor.vn##.ad_mobilebigwrap +bigislandnow.com##.ad_mobileleaderboard +numista.com##.ad_picture +housing.com##.ad_pushup_paragraph +housing.com##.ad_pushup_subtitle +base64decode.org##.ad_right_bottom +dailykos.com##.ad_right_rail +base64decode.org##.ad_right_top +upi.com##.ad_slot_inread +kitco.com##.ad_space_730 +advocate.com##.ad_tag +outlookindia.com##.ad_unit_728x90 +geoguessr.com##.ad_wrapper__3DZ7k +webextension.org##.adb +queerty.com##.adb-box-large +outsports.com##.adb-os-lb-top +queerty.com##.adb-top-lb +tellymix.co.uk##.adb_top +wordfind.com##.adbl +dataversity.net,ippmedia.com,sakshi.com,songlyrics.com,yallamotor.com##.adblock +bookriot.com##.adblock-content +darkreader.org##.adblock-pro +carcomplaints.com,dolldivine.com,entrepreneur.com,interglot.com,news18.com,pricespy.co.nz,shared.com,sourcedigit.com,telegraphindia.com##.adbox moviechat.org##.adc -search.ch##.adcell -ctrl.blog##.adco -caughtoffside.com,fanatix.com,ibtimes.co.in,nfl.com,patheos.com,rediff.com,theconstructionindex.co.uk,tucsonsentinel.com,wikihow.com##.adcontainer -caffeineinformer.com,runnerspace.com,sumanasa.com##.adcontent -4archive.org,allrovi.com,bdnews24.com,edutourism.in,hotnewhiphop.com,itproportal.com,keepvid.com,nciku.com,newsroom.co.nz,newvision.co.ug,telegraphindia.com,thehindu.com,yourepeat.com##.add -moneycontrol.com##.add-970-90 -moneycontrol.com##.add-ban -africareview.com##.add-banner -buzz.ie,irishpost.com,newsie.co.nz,sunlive.co.nz,theweekendsun.co.nz##.add-block -1049.fm,drgnews.com,mybasin.com##.add-box -morningstar.in,pbs.org##.add-container -irishpost.com##.add-pad +boards.4channel.org##.adc-resp +boards.4channel.org##.adc-resp-bg +ar15.com##.adcol +ancient.eu,fanatix.com,gamertweak.com,gematsu.com,videogamemods.com,videogameschronicle.com,worldhistory.org##.adcontainer +sumanasa.com##.adcontent +thegatewaypundit.com##.adcovery +thegatewaypundit.com##.adcovery-home-01 +thegatewaypundit.com##.adcovery-postbelow-01 +online-image-editor.com,thehindu.com,watcher.guru##.add +mid-day.com##.add-300x250 +mid-day.com##.add-970x250 +securityaffairs.com##.add-banner +buzz.ie,irishpost.com,theweekendsun.co.nz##.add-block +cricketcountry.com##.add-box +morningstar.in##.add-container +indianexpress.com##.add-first +watcher.guru##.add-header +ians.in##.add-inner +businessesview.com.au,holidayview.com.au,realestateview.com.au,ruralview.com.au##.add-item +zeenews.india.com##.add-placeholder ndtv.com##.add-section -skymetweather.com##.add-top -bronchiectasisandntminitiative.org##.add-top-margin -addictivetips.com##.add-under-post -edutourism.in,time4tv.com##.add1 -muslimobserver.com,sundownsfc.co.za##.add2 -forexminute.com##.add4 -telegraphindia.com##.addDivSquare -tvnz.co.nz##.addHolder -investorschronicle.co.uk##.addPlacement -worldissues360.com##.addWrapper -viralitytoday.com##.add_banner_area -abplive.in##.add_center -yellowpages.ae##.add_main_div -inspiyr.com##.add_unit -inspiyr.com##.add_unit1 -yellowpages.ae##.add_view300_250 -gbcghana.com##.addbg -hscripts.com##.addbox -funmunch.com##.addimage -springfieldspringfield.co.uk##.additional-content -cadenaazul.com,intoday.in,irctc.co.in,lapoderosa.com,telegraph.co.uk,thestatesman.com##.adds -oyefm.in##.addv -4chan.org##.adg -techhamlet.com##.adhered -answers.com##.adhesion_dom -africanreporter.co.za,albertonrecord.co.za,alexnews.co.za,barbertontimes.co.za,bedfordviewedenvalenews.co.za,benonicitytimes.co.za,bereamail.co.za,boksburgadvertiser.co.za,brakpanherald.co.za,capricornreview.co.za,citybuzz.co.za,comarochronicle.co.za,corridorgazette.co.za,estcourtnews.co.za,eyethunews.co.za,fourwaysreview.co.za,germistoncitynews.co.za,hazyviewherald.co.za,heidelbergnigelheraut.co.za,highvelder.co.za,highwaymail.co.za,joburgeastexpress.co.za,kathorusmail.co.za,kemptonexpress.co.za,kormorant.co.za,krugersdorpnews.co.za,ladysmithgazette.co.za,letabaherald.co.za,maritzburgsun.co.za,midrandreporter.co.za,newcastleadvertiser.co.za,northcliffmelvilletimes.co.za,northcoastcourier.co.za,northeasterntribune.co.za,northernnatalcourier.co.za,northglennews.co.za,phoenixsun.co.za,publiceyemaritzburg.co.za,randburgsun.co.za,randfonteinherald.co.za,rekordcenturion.co.za,rekordeast.co.za,rekordmoot.co.za,rekordnorth.co.za,reviewonline.co.za,risingsunchatsworth.co.za,risingsunlenasia.co.za,risingsunoverport.co.za,roodepoortnorthsider.co.za,roodepoortrecord.co.za,rosebankkillarneygazette.co.za,sandtonchronicle.co.za,southcoastherald.co.za,southcoastsun.co.za,southerncourier.co.za,southlandssun.co.za,sowetourban.co.za,springsadvertiser.co.za,standertonadvertiser.co.za,tembisan.co.za,vryheidherald.co.za,westside-eldos.co.za,witbanknews.co.za,zululandobserver.co.za##.adhesive_holder -naldzgraphics.net##.adis -thedailystar.net##.adivvert -usabit.com##.adk2_slider_baner -pbs.org##.adl -animalfactguide.com,ask.com,bigislandnow.com,dnainfo.com,portlandmonthlymag.com##.adlabel -ebookbrowse.com##.adleft -vietnamnet.vn##.adm_c1 -ncaa.com##.adman-label -jokeroo.com##.admb -gmatclub.com##.admissionPartners -deadline.com##.admz-sp -experienceproject.com##.adn -drudgereport.com##.adonis-placeholder -ctrl.blog##.adox -flightglobal.com##.adp -iamwire.com##.adr -iskullgames.com##.adr300 -zercustoms.com##.adrh -1sale.com,7billionworld.com,9jaflaver.com,abajournal.com,achieveronline.co.za,altavista.com,androidfilehost.com,arcadeprehacks.com,asbarez.com,bbqonline.co.za,birdforum.net,bluechipjournal.co.za,boodigo.com,browardpalmbeach.com,canstarblue.co.nz,chordfrenzy.com,citypages.com,climatechangenews.com,coinad.com,cuzoogle.com,cyclingweekly.co.uk,dallasobserver.com,disconnect.me,domainnamenews.com,eco-business.com,energyforecastonline.co.za,energylivenews.com,exploreonline.co.za,facemoods.com,fashionnetwork.com,flashx.tv,focustaiwan.tw,foxbusiness.com,foxnews.com,freetvall.com,friendster.com,fstoppers.com,ftadviser.com,furaffinity.net,gentoo.org,geo.tv,ghananation.com,gmanetwork.com,gogoanime.tv,goodthingsguy.com,govtrack.us,gramfeed.com,gyazo.com,harvestsa.co.za,hispanicbusiness.com,houstonpress.com,html5test.com,hurricanevanessa.com,i-dressup.com,ichan.net,ieltsonlinetests.com,iheart.com,ilovetypography.com,indiatimes.com,infozambia.com,isearch.whitesmoke.com,itproportal.com,jooble.org,laptopmag.com,laweekly.com,leadershipinsport.co.za,leadershiponline.co.za,leadersinwellness.co.za,lfpress.com,lovemyanime.net,malaysiakini.com,manga-download.org,maps.google.com,marinetraffic.com,mb.com.ph,mehrnews.com,meta-calculator.com,miaminewtimes.com,mini-ielts.com,miningprospectus.co.za,mmajunkie.com,mugshots.com,myfitnesspal.com,mypaper.sg,nativeplanet.com,nbc.na,nbcnews.com,news.nom.co,nsfwyoutube.com,nugget.ca,opportunityonline.co.za,osn.com,panorama.am,pastie.org,phoenixnewtimes.com,phpbb.com,playboy.com,pocket-lint.com,pokernews.com,previously.tv,radionomy.com,radiotoday.com.au,reason.com,roadaheadonline.co.za,russia-insider.com,ryanseacrest.com,savevideo.me,sddt.com,searchfunmoods.com,servicepublication.co.za,sgcarmart.com,shipyearonline.co.za,shopbot.ca,sina.com,sourceforge.net,stars-portraits.com,stcatharinesstandard.ca,straitstimes.com,strawpoll.me,tass.ru,tcm.com,tech2.com,tehrantimes.com,thecatholicuniverse.com,thedailyobserver.ca,thedailysheeple.com,thejakartapost.com,thelakewoodscoop.com,themalaysianinsider.com,thenews.com.pk,theobserver.ca,thepeterboroughexaminer.com,theprojectmanager.co.za,thestar.com.my,thevoicebw.com,tjpnews.com,today.com,turner.com,twogag.com,ubuntumagazine.co.za,ultimate-guitar.com,viamichelin.co.uk,viamichelin.com,viamichelin.ie,vidstreaming.io,villagevoice.com,wallpaper.com,washingtonpost.com,wayfm.com,wdet.org,westword.com,wftlsports.com,womanandhome.com,wtvz.net,yahoo.com,youthedesigner.com,yuku.com##.ads -glarysoft.com##.ads + .search-list -searchfunmoods.com##.ads + ul > li -y8.com##.ads-bottom-table .grey-box-bg -playboy.com##.ads-column > h2 -dailywot.com,girlgames4u.com,roblox.com,spotify.com,xing.com##.ads-container -gumtree.com##.ads-partner-anyvan -vdare.com##.ads-vdare -hitfreegames.com,hwinfo.com,twogag.com##.ads2 -twogag.com##.ads5 -twogag.com##.adsPW -twogag.com##.adsPW2 -localmoxie.com##.ads_tilte -localmoxie.com##.ads_tilte + .main_mid_ads -giveawayoftheday.com##.ads_wrap -entrepreneur.com##.adsby -smallseotools.com##.adsbygoogle + script + center[id^="img"] -about.com,bloomberg.com,borfast.com,cdrinfo.com,comesrilanka.com,dpivst.com,howmanyleft.co.uk,instantpulp.com,mysmartprice.com,nintandbox.net,nycity.today,over-blog.com,plurk.com,portugalresident.com,scitechdaily.com,sgentrepreneurs.com,techsupportalert.com,tolonews.com,wikihoops.com,wlds.com##.adsense +moneycontrol.com##.add-spot +media4growth.com##.add-text +brandingmag.com##.add-wrap +ndtv.com##.add-wrp +newindian.in##.add160x600 +newindian.in##.add160x600-right +muslimobserver.com##.add2 +projectorcentral.com##.addDiv2 +projectorcentral.com##.addDiv3 +ndtv.com##.add__txt +ndtv.com##.add__wrp +harpersbazaar.in##.add_box +bridestoday.in##.add_container +ndtv.com##.add_dxt-non +longevity.technology,news18.com##.add_section +harpersbazaar.in##.add_wrapper +longevity.technology##.addvertisment +nesabamedia.com##.adfullwrap +fastcompany.com##.adhesive-banner +aish.com##.adholder-sidebar +auto-data.net##.adin +watchcartoononline.bz##.adkiss +boards.4channel.org##.adl +animalfactguide.com,msn.com,portlandmonthlymag.com,romsgames.net,sportsmediawatch.com##.adlabel +gemoo.com##.adlet_mobile +prokerala.com##.adm-unit +goldderby.com##.adma +brickset.com##.admin.buy +adn.com##.adn-adwrap +web-dev-qa-db-fra.com##.adn-ar +freepik.com##.adobe-coupon-container +freepik.com##.adobe-detail +freepik.com##.adobe-grid-design +flightglobal.com,thriftyfun.com##.adp +lol.ps##.adpage +vice.com##.adph +1sale.com,1v1.lol,7billionworld.com,9jaflaver.com,achieveronline.co.za,bestcrazygames.com,canstar.com.au,canstarblue.co.nz,cheapies.nz,climatechangenews.com,cointribune.com,cryptonomist.ch,currencyrate.today,daily-sun.com,downloadtorrentfile.com,economictimes.com,energyforecastonline.co.za,esports.com,eventcinemas.co.nz,ezgif.com,flashx.tv,gamesadshopper.com,geo.tv,govtrack.us,gramfeed.com,hentaikun.com,hockeyfeed.com,i24news.tv,icons8.com,idiva.com,indiatimes.com,inspirock.com,islamchannel.tv,m.economictimes.com,mangasect.com,marinetraffic.com,mb.com.ph,medicalxpress.com,mega4upload.com,mehrnews.com,meta-calculator.com,mini-ielts.com,miningprospectus.co.za,motogp.com,mugshots.com,nbc.na,news.nom.co,nsfwyoutube.com,onlinerekenmachine.com,ozbargain.com.au,piliapp.com,readcomicsonline.ru,recipes.net,robuxtousd.com,russia-insider.com,russian-faith.com,savevideo.me,sgcarmart.com,sherdog.com,straitstimes.com,teamblind.com,tehrantimes.com,tellerreport.com,thenews.com.pk,thestar.com.my,unb.com.bd,viamichelin.com,viamichelin.ie,vijesti.me,y8.com,yummy.ph##.ads +moneycontrol.com##.ads-320-50 +dallasinnovates.com##.ads-article-body +digg.com##.ads-aside-rectangle +nationthailand.com##.ads-billboard +dnaindia.com,wionews.com##.ads-box-300x250 +zeenews.india.com##.ads-box-300x250::before +wionews.com##.ads-box-300x300 +dnaindia.com,wionews.com##.ads-box-970x90 +dnaindia.com,wionews.com##.ads-box-d90-m300 +hubcloud.club##.ads-btns +thefinancialexpress.com.bd##.ads-carousel-container +gosunoob.com,indianexpress.com,matrixcalc.org,philstarlife.com,phys.org,roblox.com,spotify.com##.ads-container +pcquest.com##.ads-div-style +samehadaku.email##.ads-float-bottom +thetruthaboutcars.com##.ads-fluid-wrap +spambox.xyz##.ads-four +bluewin.ch##.ads-group +fintech.tv##.ads-img +india.com##.ads-in-content +freeconvert.com##.ads-in-page +nationthailand.com##.ads-inarticle-2 +readcomicsonline.ru##.ads-large +kiz10.com##.ads-medium +theasianparent.com##.ads-open-placeholder +zeenews.india.com##.ads-placeholder-internal +bangkokpost.com##.ads-related +gameshub.com##.ads-slot +batimes.com.ar##.ads-space +lowfuelmotorsport.com##.ads-stats +wallpapers.com##.ads-unit-fts +karryon.com.au##.ads-wrap +ndtv.com##.ads-wrp +bestcrazygames.com##.ads160600 +m.mouthshut.com##.adsBoxRpt2 +auto.hindustantimes.com##.adsHeight300x600 +tech.hindustantimes.com##.adsHeight720x90 +auto.hindustantimes.com##.adsHeight970x250 +dailyo.in##.adsWrp +radaris.com##.ads_160_600 +games2jolly.com##.ads_310_610_sidebar_new +jpeg-optimizer.com##.ads_A1_warp +jpeg-optimizer.com##.ads_A2_warp +kbb.com##.ads__container +kbb.com##.ads__container-kbbLockedAd +metro.co.uk##.ads__index__adWrapper--cz7QL +vccircle.com##.ads_ads__qsWIu +collegedunia.com##.ads_body_ad_code_container +mediapost.com##.ads_inline_640 +allevents.in##.ads_place_right +psypost.org##.ads_shortcode +skyve.io##.ads_space +101soundboards.com##.ads_top_container_publift +adlice.com,informer.com,waqi.info##.adsbygoogle +harvardmagazine.com##.adsbygoogle-block +thartribune.com##.adsbypubpower +aitextpromptgenerator.com##.adsbyus_wrapper +gayvegas.com,looktothestars.org,nintandbox.net,plurk.com,rockpasta.com,thebarentsobserver.com,tolonews.com,webtor.io##.adsense +radaris.com##.adsense-responsive-bottom +temporary-phone-number.com##.adsense-top-728 +101soundboards.com##.adsense_matched_content +awesomeopensource.com##.adsense_uas +eatwell101.com##.adsenseright +libble.eu##.adserver-container +bolnews.com##.adsheading +nepallivetoday.com##.adsimage +indianexpress.com##.adsizes search.b1.org##.adslabel -animeid.com##.adspl -cheapies.nz##.adstop -gamerant.com##.adtester-container -desertdispatch.com,f1fanatic.co.uk,geeky-gadgets.com,highdesert.com,indiatoday.in,journalgazette.net,lgbtqnation.com,miamitodaynews.com,myrecipes.com,thevoicebw.com,vvdailypress.com,wsj.com##.adtext -reason.com,rushlimbaugh.com##.adtitle -ansamed.info,baltic-course.com,carsdirect.com,cbc.ca,cctv.com,cineuropa.org,cpuid.com,facebook.com,flicks.co.nz,futbol24.com,getwapi.com,howstuffworks.com,intoday.in,isearch.omiga-plus.com,jetphotos.com,maritimejobs.com,massappeal.com,mnn.com,mtv.com,mysuncoast.com,newagebd.net,ok.co.uk,ponged.com,prohaircut.com,qone8.com,roadfly.com,rockol.com,runamux.net,search.v9.com,tunemovies.to,ultimate-guitar.com,vh1.com,webssearches.com,zbani.com##.adv -gsmarena.com##.adv-bottom -luxury-insider.com##.adv-info -vidstream.io##.adv-space -veoh.com##.adv-title -gsmarena.com##.adv-top -btn.com##.adv-widget -bdnews24.com##.adv1 +ev-database.org##.adslot_detail1 +ev-database.org##.adslot_detail2 +cdrab.com,offerinfo.net##.adslr +bolnews.com##.adspadding +downzen.com##.adt +makemytrip.com##.adtech-desktop +cosmopolitan.in,indiatodayne.in,miamitodaynews.com##.adtext +wdwmagic.com##.adthrive-homepage-header +wdwmagic.com##.adthrive-homepage-in_content_1 +quadraphonicquad.com##.adthrive-placeholder-header +quadraphonicquad.com##.adthrive-placeholder-static-sidebar +pinchofyum.com##.adthrive_header_ad +wdwmagic.com##.adunit-header +cooking.nytimes.com##.adunit_ad-unit__IhpkS +ip-address.org##.aduns +ip-address.org##.aduns2 +ip-address.org##.aduns6 +ansamed.info,baltic-course.com,futbol24.com,gatewaynews.co.za,gsmarena.com,gulfnews.com,idealista.com,jetphotos.com,karger.com,mangaku.vip,maritimejobs.com,newagebd.net,prohaircut.com,railcolornews.com,titter.com,zbani.com##.adv +mrw.co.uk##.adv-banner-top +blastingnews.com##.adv-box-content +healthleadersmedia.com##.adv-con +junauza.com##.adv-hd +48hills.org,audiobacon.net,bhamnow.com,clevercreations.org,cnaw2news.com,coinedition.com,coinquora.com,creativecow.net,elements.visualcapitalist.com,forexcracked.com,fxleaders.com,iconeye.com,kdnuggets.com,laprensalatina.com,londonnewsonline.co.uk,manageditmag.co.uk,mondoweiss.net,opensourceforu.com,ottverse.com,overclock3d.net,smallarmsreview.com,sportsspectrum.com,sundayworld.co.za,tampabayparenting.com,theaudiophileman.com##.adv-link +sneakernews.com##.adv-parent +chaseyoursport.com##.adv-slot +greencarreports.com,motorauthority.com##.adv-spacer +worldarchitecture.org##.adv1WA1440 futbol24.com##.adv2 -prohaircut.com##.adv3 +worldarchitecture.org##.adv2WA1440 +coinalpha.app##.advBannerDiv yesasia.com##.advHr -themoscowtimes.com##.adv_block -vietnamnet.vn##.adv_info -dt-updates.com##.adv_items -faceyourmanga.com##.adv_special -thedailystar.net##.advatige -infoplease.com##.advb -98online.com,9news.com.au,abplive.in,africareview.com,airgunshooting.co.uk,airmalta.com,allghananews.com,anews.com.tr,angliaafloat.co.uk,arabianindustry.com,barkinganddagenhampost.co.uk,becclesandbungayjournal.co.uk,bexleytimes.co.uk,bitcoinzebra.com,blogto.com,bloomberg.com,bollywoodhungama.com,bromsgrovestandard.co.uk,btcmanager.com,burymercury.co.uk,cambstimes.co.uk,canalboat.co.uk,caribbeancinemas.com,cbc.ca,centralfm.co.uk,chemicalwatch.com,cheshirelife.co.uk,coastalscene24.co.uk,completefrance.com,cotswoldlife.co.uk,countrysmallholding.com,coventryobserver.co.uk,cranbrookherald.com,craveonline.com,crimemagazine.com,dailyedge.ie,dailysun.co.za,dawn.com,derbyshirelife.co.uk,derehamtimes.co.uk,designmena.com,devonlife.co.uk,directory247.co.uk,dissmercury.co.uk,dorsetmagazine.co.uk,droitwichstandard.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,eastlondonadvertiser.co.uk,edp24.co.uk,ee.co.za,elystandard.co.uk,eos.org,essexlifemag.co.uk,eveningnews24.co.uk,eveshamobserver.co.uk,exmouthherald.co.uk,exmouthjournal.co.uk,express.co.uk,expressandstar.com,fakenhamtimes.co.uk,farmprogress.com,filmymonkey.com,foxbusiness.com,foxnews.com,ft.com,games.co.uk,gamesgames.com,gamesindustry.biz,gfi.com,gnovies.com,gravesendreporter.co.uk,greatbritishlife.co.uk,greatyarmouthmercury.co.uk,greenun24.co.uk,guardianonline.co.nz,guernseypress.com,gulfnews.com,hackneygazette.co.uk,hamhigh.co.uk,hampshire-life.co.uk,healthcanal.com,healthguru.com,healthinsurancedaily.com,herefordshirelife.co.uk,hertfordshirelife.co.uk,hertsad.co.uk,hollywoodreporter.com,hoteliermiddleeast.com,huntspost.co.uk,icaew.com,ilfordrecorder.co.uk,ipswichstar.co.uk,islingtongazette.co.uk,jerseyeveningpost.com,journeychristiannews.com,jqueryte.com,kent-life.co.uk,kentnews.co.uk,kumusika.co.zw,lancashirelife.co.uk,leamingtonobserver.co.uk,legendarypokemon.net,lgr.co.uk,livingedge.co.uk,lowestoftjournal.co.uk,maltapark.com,malvernobserver.co.uk,medicalnewstoday.com,megasearch.co,midweekherald.co.uk,mmegi.bw,momjunction.com,money-marketuk.com,morningstar.co.uk,msnbc.com,music-news.com,myfinances.co.uk,newhamrecorder.co.uk,newstalkzb.co.nz,newsweek.com,nine.com.au,ninemsn.com.au,norfolkmag.co.uk,northdevongazette.co.uk,northeastlifemag.co.uk,northnorfolknews.co.uk,northsomersettimes.co.uk,outdoorchannel.com,phnompenhpost.com,piccsy.com,pilotweb.aero,pinkun.com,radiosport.co.nz,realestate.co.nz,redditchstandard.co.uk,romfordrecorder.co.uk,royston-crow.co.uk,rugbyobserver.co.uk,saffronwaldenreporter.co.uk,shropshirelifemagazine.co.uk,shropshirestar.com,sidmouthherald.co.uk,skysports.com,solihullobserver.co.uk,somerset-life.co.uk,sowetanlive.co.za,sportingshooter.co.uk,sportspromedia.com,stowmarketmercury.co.uk,stratfordobserver.co.uk,sudburymercury.co.uk,suffolkmag.co.uk,surreylife.co.uk,sussexlife.co.uk,technewstoday.com,tenplay.com.au,the42.ie,thecomet.net,thegardener.co.za,thegayuk.com,thejournal.ie,theneweuropean.co.uk,thetribunepapers.com,thewestonmercury.co.uk,totalscifionline.com,travelchannel.com,trucksplanet.com,tvweek.com,videogamer.com,warwickshirelife.co.uk,wattonandswaffhamtimes.co.uk,weddingsite.co.uk,westessexlife.co.uk,whtimes.co.uk,wiltshiremagazine.co.uk,winewizard.co.za,wisbechstandard.co.uk,worcesterobserver.co.uk,worcestershirelife.co.uk,wow247.co.uk,wymondhamandattleboroughmercury.co.uk,yorkshirelife.co.uk,yourchickens.co.uk,z9movie.com##.advert -bdaily.co.uk##.advert-wrapper + .columnist -naldzgraphics.net##.advertBSA -bandwidthblog.com,demerarawaves.com,eaglecars.com,earth911.com,hypable.com,pcmag.com,proporn.com,slodive.com,smartearningsecrets.com,smashingapps.com,theawesomer.com,theawesomer.comtar.com,weathernationtv.com,zimbabwesituation.com##.advertise -dailyvoice.com##.advertise-with-us -citysearch.com##.advertiseLink -insiderpages.com##.advertise_with_us -000webhost.com,1380thebiz.com,1520thebiz.com,1520wbzw.com,760kgu.biz,880thebiz.com,aarp.org,about.com,afro.com,allrecipes.com,alternet.org,am1260thebuzz.com,amctv.com,animax-asia.com,annahar.com,araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avclub.com,avonadvocate.com.au,axn-asia.com,barossaherald.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,benfergusonshow.com,betvasia.com,bigthink.com,biz1190.com,bizarremag.com,blacktownsun.com.au,blayneychronicle.com.au,bloomberg.com,bluemountainsgazette.com.au,boingboing.net,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bravotv.com,bunburymail.com.au,business1110ktek.com,business1570.com,businessinsurance.com,busseltonmail.com.au,camdenadvertiser.com.au,camdencourier.com.au,canowindranews.com.au,capitalfm.co.ke,caranddriver.com,carrierethernetnews.com,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,christianradio.com,cinemablend.com,classicalmpr.org,classicandperformancecar.com,clickhole.com,colliemail.com.au,colypointobserver.com.au,competitor.com,conservativeradio.com,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crainsnewyork.com,crookwellgazette.com.au,crosswalk.com,dailyadvertiser.com.au,dailygazette.com,dailyliberal.com.au,dailyrecord.com,dandenongjournal.com.au,defenceweb.co.za,di.fm,digiday.com,donnybrookmail.com.au,downloadcrew.com,dunedintv.co.nz,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,elliottmidnews.com.au,esperanceexpress.com.au,essentialmums.co.nz,evite.com,examiner.com.au,eyretribune.com.au,fairfieldchampion.com.au,fastcocreate.com,fastcodesign.com,financialcontent.com,finnbay.com,forbesadvocate.com.au,frankstonweekly.com.au,gazettextra.com,gematsu.com,gemtvasia.com,gififly.com,gippslandtimes.com.au,gleninnesexaminer.com.au,globest.com,gloucesteradvocate.com.au,goodcast.org,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hawkesburygazette.com.au,hcn.org,hepburnadvocate.com.au,hillsnews.com.au,hispanicbusiness.com,huffingtonpost.ca,huffingtonpost.co.uk,huffingtonpost.co.za,huffingtonpost.com,huffingtonpost.com.au,huffingtonpost.in,humeweekly.com.au,huntervalleynews.net.au,i-dressup.com,imgur.com,inverelltimes.com.au,irishtimes.com,jewishjournal.com,jewishworldreview.com,juneesoutherncross.com.au,kansas.com,katherinetimes.com.au,kdow.biz,kkol.com,knoxweekly.com.au,labx.com,lakesmail.com.au,lamag.com,latrobevalleyexpress.com.au,legion.org,lifezette.com,lithgowmercury.com.au,liverpoolchampion.com.au,livestrong.com,livetennis.com,macarthuradvertiser.com.au,macedonrangesweekly.com.au,macleayargus.com.au,magtheweekly.com,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,manoramaonline.com,margaretrivermail.com.au,maribyrnongweekly.com.au,marinmagazine.com,maroondahweekly.com.au,martechadvisor.com,meltonweekly.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,metservice.com,mocospace.com,monashweekly.com.au,money1055.com,mooneevalleyweekly.com.au,moreechampion.com.au,movies4men.co.uk,mprnews.org,mtvindia.com,mudgeeguardian.com.au,murrayvalleystandard.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,nashvillescene.com,nationalgeographic.com,nationalreview.com,newcastlestar.com.au,northernargus.com.au,northerndailyleader.com.au,northweststar.com.au,noted.co.nz,nvi.com.au,nynganobserver.com.au,nytimes.com,oann.com,oberonreview.com.au,oklahoman.com,onetvasia.com,onlinegardenroute.co.za,oxygen.com,parenthood.com,parkeschampionpost.com.au,parramattasun.com.au,pch.com,peninsulaweekly.com.au,penrithstar.com.au,plasticsnews.com,portlincolntimes.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,praguepost.com,psychologytoday.com,queanbeyanage.com.au,racingbase.com,radioguide.fm,readamericanfootball.com,readarsenal.com,readastonvilla.com,readbasketball.com,readbetting.com,readbournemouth.com,readboxing.com,readbrighton.com,readbundesliga.com,readburnley.com,readcars.co,readceltic.com,readchampionship.com,readchelsea.com,readcricket.com,readcrystalpalace.com,readeverton.com,readeverything.co,readfashion.co,readfilm.co,readfood.co,readfootball.co,readgaming.co,readgolf.com,readhorseracing.com,readhuddersfield.com,readhull.com,readinternationalfootball.com,readlaliga.com,readleicester.com,readliverpoolfc.com,readmancity.com,readmanutd.com,readmiddlesbrough.com,readmma.com,readmotorsport.com,readmusic.co,readnewcastle.com,readnorwich.com,readnottinghamforest.com,readolympics.com,readpl.com,readrangers.com,readrugbyunion.com,readseriea.com,readshowbiz.co,readsouthampton.com,readsport.co,readstoke.com,readsunderland.com,readswansea.com,readtech.co,readtennis.co,readtottenham.com,readtv.co,readussoccer.com,readwatford.com,readwestbrom.com,readwestham.com,readwsl.com,redsharknews.com,rhsgnews.com.au,riverinaleader.com.au,rollcall.com,rollingstoneaus.com,roxbydownssun.com.au,rubbernews.com,sconeadvocate.com.au,sify.com,silverdoctors.com,singletonargus.com.au,smallbusiness.co.uk,soft112.com,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,southwestadvertiser.com.au,standard.net.au,star-telegram.com,stawelltimes.com.au,stmarysstar.com.au,stockandland.com.au,stonningtonreviewlocal.com.au,summitsun.com.au,suncitynews.com.au,sunjournal.com,sunraysiadaily.com.au,tennantcreektimes.com.au,tenterfieldstar.com.au,the-scientist.com,theadvocate.com,theadvocate.com.au,thebeachchannel.tv,thecatholicthing.org,thecourier.com.au,thecurrent.org,theflindersnews.com.au,theforecaster.net,theguardian.com.au,theherald.com.au,theislanderonline.com.au,theland.com.au,theleader.com.au,thenortherntimes.com.au,theridgenews.com.au,therural.com.au,thesportsmanchannel.com,thetriangle.org,tirebusiness.com,townandcountrymagazine.com.au,transcontinental.com.au,travelpulse.com,twincitiesbusinessradio.com,twitch.tv,ulladullatimes.com.au,uptodown.com,vanityfair.com,victorharbortimes.com.au,villagesoup.com,waginargus.com.au,walchanewsonline.com.au,walworthcountytoday.com,washingtonexaminer.com,wauchopegazette.com.au,wellingtontimes.com.au,westcoastsentinel.com.au,westernadvocate.com.au,westernmagazine.com.au,whyallanewsonline.com.au,winghamchronicle.com.au,wollondillyadvertiser.com.au,woot.com,wsj.com,wyndhamweekly.com.au,yasstribune.com.au,yellow.co.ke,yellowpages.ca,ynaija.com,youngwitness.com.au##.advertisement -fieldandstream.com##.advertisement-fishing-contest -firehouse.com,locksmithledger.com,officer.com,securityinfowatch.com##.advertisement:not(.body) -4v4.com,bn0.com,culttt.com,flicks.co.nz,shieldarcade.com,structurae.net,thecurrent.org,thethingswesay.com,who.is##.advertisements -afr.com,afrsmartinvestor.com.au,afternoondc.in,allmovie.com,brw.com.au,chicagobusiness.com,cio.co.ke,expressandstar.com,ft.com,glamour.co.za,gq.co.za,guernseypress.com,hellomagazine.com,homelife.com.au,jerseyeveningpost.com,newsweek.com,ocregister.com,orangecounty.com,premier.org.uk,premierchildrenswork.com,premierchristianity.com,premierchristianradio.com,premiergospel.org.uk,premieryouthwork.com,radio.com,shropshirestar.com,softarchive.net,theadvocate.com,tvnz.co.nz##.advertising -mediatel.co.uk##.advertising_label -ketknbc.com,ktsm.com##.advertisments -computerworld.co.nz##.advertorial_title -theglobeandmail.com##.advetorial -file-extensions.org##.advicon -javascript-coder.com##.advimg +hurriyetdailynews.com##.advMasthead +moneycontrol.com##.advSlotsGrayBox +imagetotext.info##.adv_text +operawire.com##.advads-post_ads +moneycontrol.com##.advbannerWrap +barkinganddagenhampost.co.uk,becclesandbungayjournal.co.uk,blogto.com,burymercury.co.uk,cambstimes.co.uk,cardealermagazine.co.uk,crimemagazine.com,dailyedge.ie,datalounge.com,derehamtimes.co.uk,dermnetnz.org,developingtelecoms.com,dissmercury.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,eastlondonadvertiser.co.uk,economist.com,edp24.co.uk,elystandard.co.uk,etf.com,eveningnews24.co.uk,exmouthjournal.co.uk,fakenhamtimes.co.uk,football.co.uk,gearspace.com,gematsu.com,gobankingrates.com,greatyarmouthmercury.co.uk,hackneygazette.co.uk,hamhigh.co.uk,hertsad.co.uk,huntspost.co.uk,icaew.com,ilfordrecorder.co.uk,iol.co.za,ipswichstar.co.uk,islingtongazette.co.uk,lgr.co.uk,lowestoftjournal.co.uk,maltapark.com,midweekherald.co.uk,morningstar.co.uk,newhamrecorder.co.uk,newstalkzb.co.nz,northnorfolknews.co.uk,northsomersettimes.co.uk,pinkun.com,podtail.com,proxcskiing.com,romfordrecorder.co.uk,royston-crow.co.uk,saffronwaldenreporter.co.uk,sidmouthherald.co.uk,stowmarketmercury.co.uk,stylecraze.com,sudburymercury.co.uk,tbivision.com,the42.ie,thecomet.net,thedrum.com,thejournal.ie,tineye.com,trucksplanet.com,videogameschronicle.com,wattonandswaffhamtimes.co.uk,wccftech.com,whtimes.co.uk,wisbechstandard.co.uk,wtatennis.com,wymondhamandattleboroughmercury.co.uk##.advert +saucemagazine.com##.advert-elem +saucemagazine.com##.advert-elem-1 +gozofinder.com##.advert-iframe +farminguk.com##.advert-word +who-called.co.uk##.advertLeftBig +empireonline.com,graziadaily.co.uk##.advertWrapper_billboard__npTvz +m.thewire.in##.advert_text1 +momjunction.com,stylecraze.com##.advertinside +freeaddresscheck.com,freecallerlookup.com,freecarrierlookup.com,freeemailvalidator.com,freegenderlookup.com,freeiplookup.com,freephonevalidator.com,kpopping.com,zimbabwesituation.com##.advertise +gpfans.com##.advertise-panel +cointelegraph.com##.advertise-with-us-link_O9rIX +salon.com##.advertise_text +aan.com,aarp.org,additudemag.com,agbi.com,animax-asia.com,apkforpc.com,audioxpress.com,axn-asia.com,bravotv.com,citiblog.co.uk,cnbctv18.com,cnn59.com,controleng.com,curiosmos.com,downzen.com,dw.com,dwturkce.com,escapeatx.com,foodsforbetterhealth.com,gemtvasia.com,hcn.org,huffingtonpost.co.uk,huffpost.com,inqld.com.au,inspiredminds.de,investmentnews.com,jewishworldreview.com,legion.org,lifezette.com,livestly.com,magtheweekly.com,moneyland.ch,offshore-energy.biz,onetvasia.com,oxygen.com,pch.com,philosophynow.org,prospectmagazine.co.uk,readamericanfootball.com,readarsenal.com,readastonvilla.com,readbasketball.com,readbetting.com,readbournemouth.com,readboxing.com,readbrighton.com,readbundesliga.com,readburnley.com,readcars.co,readceltic.com,readchampionship.com,readchelsea.com,readcricket.com,readcrystalpalace.com,readeverton.com,readeverything.co,readfashion.co,readfilm.co,readfood.co,readfootball.co,readgaming.co,readgolf.com,readhorseracing.com,readhuddersfield.com,readhull.com,readinternationalfootball.com,readlaliga.com,readleicester.com,readliverpoolfc.com,readmancity.com,readmanutd.com,readmiddlesbrough.com,readmma.com,readmotorsport.com,readmusic.co,readnewcastle.com,readnorwich.com,readnottinghamforest.com,readolympics.com,readpl.com,readrangers.com,readrugbyunion.com,readseriea.com,readshowbiz.co,readsouthampton.com,readsport.co,readstoke.com,readsunderland.com,readswansea.com,readtech.co,readtennis.co,readtottenham.com,readtv.co,readussoccer.com,readwatford.com,readwestbrom.com,readwestham.com,readwsl.com,reason.com,redvoicemedia.com,revolver.news,rogerebert.com,smithsonianmag.com,streamingmedia.com,the-scientist.com,thecatholicthing.org,therighthairstyles.com,topsmerch.com,weatherwatch.co.nz,wheels.ca,whichcar.com.au,woot.com,worldofbitco.in##.advertisement +topsmerch.com##.advertisement--6 +topsmerch.com##.advertisement-2-box +devdiscourse.com##.advertisement-area +business-standard.com##.advertisement-bg +atlasobscura.com##.advertisement-disclaimer +radiocity.in##.advertisement-horizontal-small +trumparea.com##.advertisement-list +atlasobscura.com##.advertisement-shadow +mid-day.com,radiocity.in##.advertisement-text +comedy.com##.advertisement-video-slot +structurae.net##.advertisements +scmp.com##.advertisers +afrsmartinvestor.com.au,afternoondc.in,allmovie.com,allmusic.com,bolnews.com,brw.com.au,gq.co.za,imageupscaler.com,mja.com.au,ocregister.com,online-convert.com,orangecounty.com,petrolplaza.com,pornicom.com,premier.org.uk,premierchristianity.com,premierchristianradio.com,premiergospel.org.uk,radio.com,sidereel.com,spine-health.com,yourdictionary.com##.advertising +theloadout.com##.advertising_slot_video_player +gadgets360.com##.advertisment +satdl.com##.advertizement +hurriyetdailynews.com##.advertorial-square-type-1 148apps.com##.advnote -mumsnet.com##.advo_box -itweb.co.za,mani-admin-plugin.com##.advs -aintitcool.com,instructables.com,mapquest.com,northjersey.com,npr.org,people.com,post-gazette.com,theawesomer.com,thestarphoenix.com##.adwrapper -statistiks.com##.adz +swisscows.com##.advrts--text +bearingarms.com,hotair.com,pjmedia.com,redstate.com,townhall.com,twitchy.com##.advs +allevents.in##.advt-text +pravda.com.ua##.advtext +groovyhistory.com,lifebuzz.com,toocool2betrue.com,videogameschronicle.com##.adwrapper mail.google.com##.aeF > .nH > .nH[role="main"] > .aKB -toptut.com##.af-form -tempr.email##.af-table-wrapper -adventuregamers.com##.af_disclaimer -independent.ng##.afc_popup -gadgetsnow.com##.aff-link +revolver.news##.af-slim-promo +promocodie.com##.afc-container +real-fix.com##.afc_popup +fandom.com##.aff-unit__wrapper f1i.com##.affiche -movie4u.org##.affiliate-button -allmovie.com##.affiliate-links -macworld.co.uk##.affiliate-links__row--amazon -macworld.co.uk##.affiliate-table-container -deborah-bickel.de##.affiliate-werbe125 -seriouseats.com##.affiliate-widget -pcgamesn.com##.affiliate_widget -allmusic.com,cutezee.com,sen.com.au##.affiliates -americasautosite.com##.affiliatesDiv -cutezee.com##.affiliates_fp -dailymotion.com##.affiliation_cont -bplans.com##.affixed-sidebar-m -addictivetips.com##.afflink -priceline.com##.afs-container -surfwap.com,twilightwap.com##.ahblock2 -bizpacreview.com##.ai_widget -androidpolice.com##.ains-33 -world-airport-codes.com##.airport-affiliate -allkpop.com##.akp_newslist_300x250 -inquirer.net##.al-bb-box -inquirer.net##.al-elb-frame -ebay.com##.al32 -news.com.au##.aldi-special-buys -javascript-coder.com,media1fire.com,megashare.com##.alert -torrentz2.eu,torrentz2.is##.alert--danger -torrentz2.eu,torrentz2.is##.alert-danger -kcsoftwares.com##.alert-success -fmovies.taxi##.alert-warning -hbwm.com##.alignRight[style="margin-right:30px;color:#858585;"] -empowernetwork.com##.align[bgcolor="#FCFA85"] -downloadhub.to##.alignnone -allbusiness.com##.allbu-adlabel -thestar.com##.alpha--big-box -searchizz.com##.also_block -speedtest.net##.alt-promo -digitalhome.ca##.alt1[colspan="5"][style="border: 1px solid #ADADAD; background-image: none"] > div[align="center"] > .vdb_player -techsupportforum.com##.alt1[style="border: 1px solid #ADADAD; background-image: none"] -0calc.com##.altad -pcworld.com##.am-btn -styleite.com##.am-ngg-right-ad -colorhexa.com##.amain -thedodo.com##.amazing-animal-widget -air1.com,aol.co.uk,imdb.com,msn.com,music-news.com,nintendolife.com,nprstations.org,reviewed.com,squidoo.com,three.fm##.amazon -gadgetsnow.com##.amazon-box -ringostrack.com##.amazon-buy -makeuseof.com##.amazon-callout -lewrockwell.com##.amazon-element-wrapper-custom -imdb.com##.amazon-instant-video -blogcritics.org##.amazon-item -gadgetsnow.com##.amazon-list -expertreviews.co.uk##.amazon-product--container -aol.co.uk##.amazon-section -indianexpress.com##.amazon-widget -brickset.com##.amazonAd -squidoo.com##.amazon_spotlight -kuhf.org##.amazonaff -herplaces.com##.amazonlink -four11.com##.amed -ammoland.com##.ammoland-ad-widget -seventeen.com##.ams_bottom -amazon.com##.amzn-safe-frame-container -csgojackpot.com##.analyst-backlink -onhax.me##.andro-holder -4shared.com##.antivirusBanner -directupload.net,pv-magazine.com##.anzeige -directupload.net##.anzeiger -motor1.com,motorsport.com##.ap -mmorpg.com##.apante -motor1.com,motorsport.com##.apb -publicradio.org##.apm_playlist_item_affiliate -publicradio.org##.apm_playlist_item_purchase_link -cultofmac.com##.appDetailPanel-ad -channelchooser.com##.append-bottom.last -capitalfm.com,classicfm.com##.apple_music -dailysurge.com##.archive-list > div > div[class] -liveonlineradio.net##.art-Header2 -skysports.com##.art-betlink -carsession.com##.artBanner300 -ibtimes.com##.art_content -sigsiu.net##.artbannersplus -pocket-lint.com##.article + .block -selfgrowth.com##.article-banner -outerplaces.com##.article-banner-link -jpost.com##.article-bottom-banner -cheatsheet.com##.article-cover -businesslive.co.za##.article-da -abs-cbn.com##.article-footer -infoworld.com##.article-intercept +hindustantimes.com##.affilaite-widget +linuxize.com##.affiliate +romsgames.net##.affiliate-container +thebeet.com##.affiliate-disclaimer +usatoday.com##.affiliate-widget-wrapper +topsmerch.com##.affix-placeholder +jambase.com##.affixed-sidebar-adzzz +trovit.ae,trovit.be,trovit.ca,trovit.ch,trovit.cl,trovit.co.cr,trovit.co.id,trovit.co.in,trovit.co.ke,trovit.co.nz,trovit.co.uk,trovit.co.ve,trovit.co.za,trovit.com,trovit.com.br,trovit.com.co,trovit.com.ec,trovit.com.hk,trovit.com.kw,trovit.com.mx,trovit.com.pa,trovit.com.pe,trovit.com.pk,trovit.com.qa,trovit.com.sg,trovit.com.tr,trovit.com.tw,trovit.com.uy,trovit.com.vn,trovit.cz,trovit.dk,trovit.es,trovit.fr,trovit.hu,trovit.ie,trovit.it,trovit.jp,trovit.lu,trovit.ma,trovit.my,trovit.ng,trovit.nl,trovit.no,trovit.ph,trovit.pl,trovit.pt,trovit.ro,trovit.se,trovitargentina.com.ar##.afs-container-skeleton +promocodie.com##.afs-wrapper +domainnamewire.com##.after-header +insidemydream.com##.afxshop +venea.net##.ag_banner +venea.net##.ag_line +nexusmods.com##.agroup +picnob.com,piokok.com,pixwox.com##.ah-box +stripes.com##.ahm-rotd +techpp.com##.ai-attributes +thegatewaypundit.com##.ai-dynamic +radiomixer.net##.ai-placement +kuncomic.com,uploadvr.com##.ai-sticky-widget +androidpolice.com,constructionreviewonline.com,cryptobriefing.com,dereeze.com,tyretradenews.co.uk##.ai-track +getdroidtips.com,journeybytes.com,thebeaverton.com,thisisanfield.com,unfinishedman.com,windowsreport.com##.ai-viewport-1 +9to5linux.com,anoopcnair.com,apkmirror.com,askpython.com,beckernews.com,bizpacreview.com,boxingnews24.com,browserhow.com,constructionreviewonline.com,crankers.com,hard-drive.net,journeybytes.com,maxblizz.com,net-load.com,planetanalog.com,roadaheadonline.co.za,theamericantribune.com,windowslatest.com,yugatech.com##.ai_widget +petitchef.com,station-drivers.com,tennistemple.com##.akcelo-wrapper +allkpop.com##.akp2_wrap +yts.mx##.aksdj483csd +lingohut.com##.al-board +lyricsmode.com##.al-c-banner +wikihow.com##.al_method +altfi.com##.alert +accessnow.org##.alert-banner +apkmb.com##.alert-noty-download +rapidsave.com##.alert.col-md-offset-2 +peoplematters.in##.alertBar +majorgeeks.com##.alford > tbody > tr +shortlist.com##.align-xl-content-between +dailywire.com##.all-page-banner +livejournal.com##.allbanners +silverprice.org##.alt-content +antimusic.com##.am-center +music-news.com,thebeet.com##.amazon +orschlurch.net##.amazon-wrapper +indiatimes.com##.amazonProductSidebar +tech.hindustantimes.com##.amazonWidget +americafirstreport.com##.ameri-before-content +closerweekly.com,intouchweekly.com,lifeandstylemag.com,usmagazine.com##.ami-video-placeholder +faroutmagazine.co.uk##.amp-next-page-separator +cyberciti.biz##.amp-wp-4ed0dd1 +thepostemail.com##.amp-wp-b194b9a +gocomics.com##.amu-ad-leaderboard-atf +archpaper.com##.an-ads +letras.com##.an-pub +adspecials.us,ajanlatok.hu,akcniletak.cz,catalogosofertas.cl,catalogosofertas.com.ar,catalogosofertas.com.br,catalogosofertas.com.co,catalogosofertas.com.ec,catalogosofertas.com.mx,catalogosofertas.com.pe,catalogueoffers.co.uk,catalogueoffers.com.au,flugblattangebote.at,flyerdeals.ca,folderz.nl,folhetospromocionais.com,folletosofertas.es,gazetki.pl,kundeavisogtilbud.no,ofertelecatalog.ro,offertevolantini.it,promocatalogues.fr,promotiez.be,promotions.ae,prospektangebote.de,reklambladerbjudanden.se,tilbudsaviseronline.dk##.anchor-wrapper +streetdirectory.com##.anchor_bottom +rok.guide##.ancr-sticky +rok.guide##.ancr-top-spacer +eprinkside.com##.annons +phonearena.com##.announcements +tokyoweekender.com##.anymind-ad-banner +yts.mx##.aoiwjs +motor1.com##.ap +chargedretail.co.uk,foodstuffsa.co.za,thinkcomputers.org##.apPluginContainer +insideevs.com,motor1.com##.apb +thetoyinsider.com##.apb-adblock +eurogamer.net##.apester_block +pd3.gg##.app-ad-placeholder +d4builds.gg##.app__ad__leaderboard +classicfm.com##.apple_music +happymod.com##.appx +560theanswer.com##.aptivada-widget +icon-icons.com##.apu +icon-icons.com##.apu-mixed-packs +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,houstonchronicle.com,lmtonline.com,middletownpress.com,mrt.com,mysanantonio.com,newstimes.com,nhregister.com,registercitizen.com,seattlepi.com,sfgate.com,stamfordadvocate.com,thehour.com,timesunion.com##.ar16-9 +ajc.com,bostonglobe.com,daytondailynews.com,journal-news.com,springfieldnewssun.com##.arc_ad +adn.com,businessoffashion.com,irishtimes.com##.arcad-feature +bloomberglinea.com##.arcad-feature-custom +1news.co.nz,actionnewsjax.com,boston25news.com,easy93.com,fox23.com,hits973.com,kiro7.com,wftv.com,whio.com,wpxi.com,wsbradio.com,wsbtv.com,wsoctv.com##.arcad_feature +theepochtimes.com##.arcanum-widget +necn.com##.archive-ad__full-width +whatculture.com##.area-x__large +thehindu.com##.artShrEnd +ggrecon.com##.artSideBgBox +ggrecon.com##.artSideBgBoxBig +ggrecon.com##.artSideWrapBoxSticky +scmp.com##.article--sponsor +thelocal.at,thelocal.ch,thelocal.de,thelocal.es,thelocal.fr,thelocal.it,thelocal.no##.article--sponsored +thehindu.com##.article-ad +19thnews.org##.article-ad-default-top +phys.org##.article-banner +worldsoccertalk.com##.article-banner-desktop +wishesh.com##.article-body-banner +manilatimes.net##.article-body-content > .fixed-gray-color +crn.com##.article-cards-ad +coindesk.com##.article-com-wrapper +kmbc.com,wlky.com##.article-content--body-wrapper-side-floater +lrt.lt##.article-content__inline-block +firstforwomen.com##.article-content__sponsored_tout_ad___1iSJm +eonline.com##.article-detail__right-rail--topad +eonline.com##.article-detail__segment-ad +christianpost.com##.article-divider +purewow.com##.article-in-content-ad +aerotime.aero##.article-leaderboard +squaremile.com##.article-leaderboard-wrapper scoop.co.nz##.article-left-box -newstatesman.com,pressgazette.co.uk,spearswms.com##.article-mpu -newstatesman.com##.article-mpu-5 -nintendolife.com,pushsquare.com##.article-recommendations -androidcentral.com##.article-shop-bar__item -salemreporter.com##.article-sponsors -trendhunter.com##.articleBox -smh.com.au##.articleExtras-wrap -shoppinglifestyle.com##.articleLREC -telegraph.co.uk##.articleSponsor -iafrica.com##.article_Banner -9news.com.au##.article__partner-links -nzgamer.com##.article_banner_holder -educationtimes.com##.articlebannerbottom -app.com,argusleader.com,battlecreekenquirer.com,baxterbulletin.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,cincinnati.com,citizen-times.com,clarionledger.com,coloradoan.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,delawareonline.com,delmarvanow.com,democratandchronicle.com,desmoinesregister.com,dnj.com,fdlreporter.com,freep.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hometownlife.com,honoluluadvertiser.com,htrnews.com,indystar.com,jacksonsun.com,jconline.com,lancastereaglegazette.com,lansingstatejournal.com,livingstondaily.com,lohud.com,mansfieldnewsjournal.com,marionstar.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,pal-item.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,rgj.com,sctimes.com,sheboyganpress.com,shreveporttimes.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,thecalifornian.com,thedailyjournal.com,theithacajournal.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,visaliatimesdelta.com,wausaudailyherald.com,wisconsinrapidstribune.com,zanesvilletimesrecorder.com##.articleflex-container -webpronews.com##.articleleftcol -entrepreneur.com##.articlepromo -audiko.net##.artist-banner-right -audiko.net##.artist-banner-right-cap -eastrolog.com##.as300x250 -moneycontrol.com##.asSponser -memepix.com##.asblock -xmodulo.com##.asdf-banner-zone -golfchannel.com##.aserve-top -scientificamerican.com##.aside-banner -gamerevolution.com##.aside-promo -four11.com##.asmall_l -four11.com##.asmall_r -instructables.com##.aspace -instructables.com##.aspace-wrap -freeads.co.uk##.ass_ad -javascriptsource.com##.asset-section -southwestbusiness.co.uk##.associate-logo -techweez.com##.asspp-single -yahoo.com##.astro-promo -ohioautofinder.com##.atLeaderboard -ohioautofinder.com##.atMiniBanner -autotrader.ca##.at_headerBannerContainer -herald.co.zw##.atbanners -milesplit.com##.atf -tvtropes.org##.atf_banner -gamepedia.com,minecraftwiki.net##.atflb -myshopping.com.au##.atip -filedir.com##.atit -pogdesign.co.uk##.atop -webmd.com##.attrib_right_fmt -webmd.com##.attribution +slashdot.org##.article-nel-12935 +spectator.com.au##.article-promo +newmobility.com##.article-sidebar--sponsored +iai.tv##.article-sidebar-adimage +phillyvoice.com##.article-sponsor-sticky +thelocal.com,thelocal.dk,thelocal.se##.article-sponsored +people.com##.articleContainer__rail +audizine.com##.articleIMG +onlyinyourstate.com##.articleText-space-body-marginBottom-sm +therecord.media##.article__adunit +accessonline.com##.article__content__desktop_banner +seafoodsource.com##.article__in-article-ad +financemagnates.com##.article__mpu-banner +empireonline.com##.article_adContainer--filled__vtAYe +graziadaily.co.uk##.article_adContainer__qr_Hd +pianu.com##.article_add +empireonline.com##.article_billboard__X_edx +ubergizmo.com##.article_card_promoted +indiatimes.com##.article_first_ad +wikiwand.com##.article_footerStickyAd__wvdui +news18.com##.article_mad +gamewatcher.com##.article_middle +wikiwand.com##.article_sectionAd__rMyBc +lasvegassun.com##.articletoolset +news.artnet.com##.artnet-ads-ad +arcadespot.com##.as-incontent +arcadespot.com##.as-label +arcadespot.com##.as-unit +theinertia.com##.asc-ad +asianjournal.com##.asian-widget +designboom.com##.aside-adv-box +pickmypostcode.com##.aside-right.aside +goal.com##.aside_ad-rail__cawG6 +decrypt.co##.aspect-video +postandcourier.com,theadvocate.com##.asset-breakout-ads +macleans.ca##.assmbly-ad-block +chatelaine.com##.assmbly-ad-text +releasestv.com##.ast-above-header-wrap +animalcrossingworld.com##.at-sidebar-1 +guidingtech.com##.at1 +guidingtech.com##.at2 +fedex.com##.atTile1 +timesnownews.com,zoomtventertainment.com##.atfAdContainer +atptour.com##.atp_ad +atptour.com##.atp_partners +audiobacon.net##.audio-widget mbl.is##.augl -majorgeeks.com##.author:first-child -tfo.org##.autopromo -driving.co.uk##.autotrader-options-block-wrapper -mail.yahoo.com##.avLogo -the-peak.ca##.aver -receivesmsonline.net##.aviso -gameplanet.co.nz##.avt-mr -gameplanet.co.nz##.avt-placement -amazon.com##.aw-campaigns -hongfire.com##.axd -hongfire.com##.axd-widget -doubleviking.com,egoallstars.com,egotastic.com,fleshbot.com,lastmenonearth.com,wwtdd.com##.az -knowyourmeme.com##.aztc -techspot.com##.azureDiv -preloaders.net##.b-728 -livejournal.com##.b-adv -dailyvoice.com,qatarliving.com##.b-banner -revelist.com##.b-container -easyvectors.com##.b-footer -alawar.com##.b-game-play__bnnr -theartnewspaper.com##.b-header-banners -cssload.net##.b-horizontal -searchguide.level3.com##.b-links -sammobile.com##.b-placeholder +thepopverse.com##.autoad +wvnews.com##.automatic-ad +iai.tv##.auw--container +theblueoceansgroup.com##.av-label +hostingreviews24.com##.av_pop_modals_1 +tutsplus.com##.avert +airfactsjournal.com##.avia_image +kisscenter.net,kissorg.net##.avm +whatsondisneyplus.com##.awac-wrapper +tempr.email##.awrapper +siasat.com##.awt_ad_code +gulte.com##.awt_side_sticky +factinate.com##.aySlotLocation +auctionzip.com##.az-header-ads-container +conservativefiringline.com##.az6l2zz4 +coingraph.us,hosty.uprwssp.org##.b +irishnews.com##.b-ads-block +bnnbloomberg.ca,cp24.com##.b-ads-custom +dailyvoice.com##.b-banner +ownedcore.com##.b-below-so-content +informer.com##.b-content-btm > table[style="margin-left: -5px"] +hypestat.com##.b-error +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,houstonchronicle.com,lmtonline.com,middletownpress.com,mrt.com,mysanantonio.com,newstimes.com,nhregister.com,registercitizen.com,seattlepi.com,sfchronicle.com,sfgate.com,stamfordadvocate.com,thehour.com,timesunion.com##.b-gray300.bt +china.ahk.de##.b-header__banner +dnserrorassist.att.net,searchguide.level3.com##.b-links +azscore.com##.b-odds +ownedcore.com##.b-postbit-w +kyivpost.com##.b-title +cyberdaily.au,investordaily.com.au,mortgagebusiness.com.au##.b-topLeaderboard bizcommunity.com##.b-topbanner -flvto.com##.b1 -scorespro.com##.b160_600 -flv2mp3.com,flvto.com##.b2 -flv2mp3.com##.b3 -scorespro.com##.b300 -impactwrestling.com,jumptogames.com,timesofisrael.com,tnawrestling.com##.b300x250 -itproportal.com##.b4nn3r -scorespro.com##.b60 -gazeta.kz##.bBanner -connectamarillo.com,northwestohio.com##.bI-page-lead-upper -flv2mp3.com,flvto.com##.b_phone -autotrader.ca##.ba1 -autotrader.ca##.ba2 -autotrader.ca##.ba3 -hellomagazine.com##.backBanner -kitguru.net,modders-inc.com,oceanfm.ie,technologyx.com,thessdreview.com,thestar.ie##.background-cover -broadway.com,treehousetv.com##.badge -garfield.com##.badgeBackground -downbyte.net,gatherproxy.com##.badw -baku2015.com##.baku-sponsors -pravda.ru,pravdareport.com##.ban-center -india.com##.ban-rgt-cng-ab -swahilihub.com##.ban125x125 -xbox360cheats.com##.ban160 -swahilihub.com##.ban250x250 -evilmilk.com,xbox360cheats.com##.ban300 -swahilihub.com##.ban468x60 -worldstarhiphop.com##.banBG -worldstarhiphop.com##.banOneCon -kiz10.com##.ban_300_250 +ssyoutube.com##.b-widget-left +maritimeprofessional.com##.b300x250 +coin360.com##.b5BiRm +crypto.news,nft.news##.b6470de94dc +iol.co.za##.bDEZXQ +copilot.microsoft.com##.b_ad +vidcloud9.me##.backdrop +kitguru.net,mcvuk.com,technologyx.com,thessdreview.com##.background-cover +ign.com##.background-image.content-block +allkeyshop.com,cdkeyit.it,cdkeynl.nl,cdkeypt.pt,clavecd.es,goclecd.fr,keyforsteam.de##.background-link-left +allkeyshop.com,cdkeyit.it,cdkeynl.nl,cdkeypt.pt,clavecd.es,goclecd.fr,keyforsteam.de##.background-link-right +gayexpress.co.nz##.backstretch +beincrypto.com##.badge--sponsored izismile.com##.ban_top -oxforddictionaries.com##.banbox -hancinema.net##.bandeau_contenu -webscribble.com##.baner -1001tracklists.com,2br.co.uk,4music.com,90min.com,964eagle.co.uk,adage.com,adnkronos.com,adradio.ae,ameinfo.com,angryduck.com,anyclip.com,aol.com,arcadebomb.com,autofocus.ca,autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline-market.ca,autoline-market.com,autoline.info,autotrader.co.za,b-metro.co.zw,balls.ie,bayt.com,betterrecipes.com,bikechatforums.com,billboard.com,blackamericaweb.com,bored-bored.com,boxoffice.com,bukisa.com,cadplace.co.uk,caribvision.tv,cineuropa.org,cmo.com.au,cnn.com,coryarcangel.com,daily-mail.co.zm,digitallook.com,dreamteamfc.com,dressuppink.com,echoroukonline.com,ecorporateoffices.com,egyptiangazette.net.eg,elyricsworld.com,entrepreneur.com,euobserver.com,eurochannel.com,everyday.com.kh,evilmilk.com,fantasyleague.com,fieldandstream.com,filenewz.com,fool.com,footballtradedirectory.com,forexpeacearmy.com,forum.dstv.com,freshbusinessthinking.com,freshtechweb.com,funpic.hu,gamebanshee.com,gamehouse.com,gamersbook.com,garfield.com,gatewaynews.co.za,general-catalog.com,general-files.com,general-video.net,generalfil.es,ghananation.com,girlsocool.com,git.tc,globaltimes.cn,grandbaie.mu,gsprating.com,guardianonline.co.nz,healthsquare.com,hitfreegames.com,hotfrog.ca,hotfrog.co.nz,hotfrog.co.uk,hotfrog.co.za,hotfrog.com,hotfrog.com.au,hotfrog.com.my,hotfrog.ie,hotfrog.in,hotfrog.ph,hotfrog.sg,hotnewhiphop.com,howard.tv,htxt.co.za,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,iconfinder.com,iguide.to,imedicalapps.com,imnotobsessed.com,insidefutbol.com,internationalmeetingsreview.com,internetnews.com,iradio.ie,irishtimes.com,isource.com,japantimes.co.jp,jewishtimes.com,josepvinaixa.com,kbs.co.kr,keepcalm-o-matic.co.uk,ketknbc.com,kicknews.com,kijiji.ca,ktsm.com,kuwaittimes.net,leo.org,livescore.in,lmgtfy.com,londonstockexchange.com,manolith.com,marinelink.com,mariopiperni.com,mercopress.com,motherboard.tv,motortrend.com,moviezadda.com,mzhiphop.com,nanime.tv,nehandaradio.com,netmums.com,networkworld.com,news.am,newsbtc.com,nontonanime.org,nuttymp3.com,oberlo.com,oceanup.com,oncyprus.com,oxforddictionaries.com,pdfmyurl.com,pharmatimes.com,pnet.co.za,postzambia.com,premierleague.com,priceviewer.com,proxyhttp.net,ptotoday.com,radiotoday.co.uk,radiotoday.ie,reference.com,residentadvisor.net,reversephonesearch.com.au,revizoronline.com,romereports.com,scientificamerican.com,semiaccurate.com,smallseotools.com,smartcarfinder.com,snakkle.com,soccer24.co.zw,speedcafe.com,sportsvibe.co.uk,starradionortheast.co.uk,subscene.com,sumodb.com,sweeting.org,techfrag.com,tennis.com,thebull.com.au,thefanhub.com,thefringepodcast.com,thehill.com,thehun.com,thesaurus.com,thetriangle.org,time4tv.com,timeslive.co.za,timesofisrael.com,tmi.me,travelpulse.com,trutv.com,tvsquad.com,twirlit.com,universalmusic.com,ustream.tv,vice.com,victoriafalls24.com,viralnova.com,vnexpress.net,weather.gc.ca,weatheronline.co.uk,webfg.com,wego.com,whatsock.com,worldcrunch.com,xbiz.com,yellowbook.com,zbigz.com##.banner -autotrader.co.uk##.banner--7th-position -onlineradiobox.com##.banner--footer -autotrader.co.uk##.banner--leaderboard -autotrader.co.uk##.banner--skyscraper +saabplanet.com##.baner +realestate-magazine.rs##.banerright +rhumbarlv.com##.banlink +1001games.com,3addedminutes.com,alistapart.com,anguscountyworld.co.uk,arcadebomb.com,armageddonexpo.com,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,bikechatforums.com,birminghamworld.uk,blackpoolgazette.co.uk,bristolworld.com,bsc.news,btcmanager.com,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,ca-flyers.com,caixinglobal.com,caribvision.tv,chad.co.uk,cinemadeck.com,cmo.com.au,coryarcangel.com,csstats.gg,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,dominicantoday.com,doncasterfreepress.co.uk,dump.li,elyricsworld.com,euobserver.com,eurochannel.com,exalink.fun,falkirkherald.co.uk,farminglife.com,fifetoday.co.uk,filmmakermagazine.com,flvtomp3.cc,footballtradedirectory.com,forexpeacearmy.com,funpic.hu,gartic.io,garticphone.com,gizmodo.com,glasgowworld.com,gr8.cc,gsprating.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hiphopdx.com,hortidaily.com,hucknalldispatch.co.uk,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,imedicalapps.com,insidefutbol.com,ipwatchdog.com,irishpost.com,israelnationalnews.com,japantimes.co.jp,jpost.com,kissasians.org,koreaherald.com,lancasterguardian.co.uk,laserpointerforums.com,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,livescore.in,londonworld.com,lutontoday.co.uk,manchesterworld.uk,marinelink.com,meltontimes.co.uk,mercopress.com,miltonkeynes.co.uk,mmorpg.com,mob.org,nationalworld.com,newcastleworld.com,newryreporter.com,news.am,news.net,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,oncyprus.com,onlineconvertfree.com,peterboroughtoday.co.uk,pharmatimes.com,portsmouth.co.uk,powerboat.world,pulsesports.co.ke,pulsesports.ng,pulsesports.ug,roblox.com,rotherhamadvertiser.co.uk,scientificamerican.com,scotsman.com,shieldsgazette.com,slidescorner.com,smartcarfinder.com,speedcafe.com,sputniknews.com,starradionortheast.co.uk,stornowaygazette.co.uk,subscene.com,sumodb.com,sunderlandecho.com,surreyworld.co.uk,sussexexpress.co.uk,sweeting.org,swzz.xyz,tass.com,thefanhub.com,thefringepodcast.com,thehun.com,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,timeslive.co.za,tmi.me,totallysnookered.com,townhall.com,toyworldmag.co.uk,unblockstreaming.com,vibilagare.se,vloot.io,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,weatheronline.co.uk,weekly-ads.us,wigantoday.net,worksopguardian.co.uk,worldtimeserver.com,xbiz.com,ynetnews.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##.banner +papermag.com##.banner--ad__placeholder +dayspedia.com##.banner--aside +onlineradiobox.com##.banner--header +oilprice.com##.banner--inPage +puzzlegarage.com##.banner--inside +dayspedia.com##.banner--main onlineradiobox.com##.banner--vertical -ariacharts.com.au,nation.sc,techshout.com##.banner-1 -nation.sc##.banner-2 -dailynewsegypt.com##.banner-250 -nation.sc##.banner-3 -nbcsports.com,onrpg.com,usahealthcareguide.com##.banner-300-250 -alltop.com##.banner-background +euroweeklynews.com##.banner-970 +online-convert.com##.banner-ad-size +headlineintime.com##.banner-add +freepik.com##.banner-adobe +dailysocial.id,tiktok.com##.banner-ads +buoyant.io##.banner-aside schoolguide.co.za##.banner-bar schoolguide.co.za##.banner-bar-bot pretoria.co.za##.banner-bg -luxgallery.com##.banner-big-cotent -yellowpages.com.lb##.banner-box -1027dabomb.net##.banner-btf -farmonline.com.au,farmweekly.com.au,goodfruitandvegetables.com.au,irishnews.com,jewsnews.co.il,knowledgerush.com,narutoforums.com,northqueenslandregister.com.au,nscreenmedia.com,privatehealth.co.uk,queenslandcountrylife.com.au,stockandland.com.au,stockjournal.com.au,student-jobs.co.uk,teenspot.com,theland.com.au,turfcraft.com.au,vh1.com##.banner-container -privatehealth.co.uk##.banner-container-center -jacarandafm.com##.banner-container-top +dailycoffeenews.com##.banner-box +theshovel.com.au##.banner-col +countdown.co.nz,jns.org,nscreenmedia.com,op.gg,whoscored.com##.banner-container soccerway.com##.banner-content -moviesplanet.com##.banner-des -bnamericas.com##.banner-fixed-bottom -relevantradio.com##.banner-flotant-wrapper -dealchecker.co.uk##.banner-header -medicalxpress.com,phys.org,pixdaus.com,tennis.com,thesaurus.com##.banner-holder +insidebitcoins.com##.banner-cta-wrapper +weatherin.org##.banner-desktop-full-width +jpost.com##.banner-h-270 +jpost.com##.banner-h-880 411mania.com##.banner-homebottom-all -freecode.com##.banner-imu -adbilty.me##.banner-inner -neowin.net##.banner-leaderboard -rio2016.com##.banner-load -savevid.com##.banner-main-198x300 -televisionfanatic.com##.banner-middle-frontpage -101greatgoals.com##.banner-placement -cnslocallife.com##.banner-poster -audiko.net##.banner-right -televisionfanatic.com##.banner-right-sidebar -humorsharing.com##.banner-side -freecode.com##.banner-sky -spin.com##.banner-slot -neogamr.net,neowin.net##.banner-square -intomobile.com##.banner-tbd -audiko.net,carpartswholesale.com,enca.com,greatbritishlife.co.uk,nationmultimedia.com,pwinsider.com,rapdose.com,usahealthcareguide.com,wired.co.uk##.banner-top -feedmyapp.com##.banner-wrap -general-catalog.com##.banner-wrap-hor -manualslib.com,thenextweb.com,ustream.tv##.banner-wrapper -ctv.ca##.banner01-holder -ctv.ca##.banner02 -depositfiles.com,depositfiles.org,dfiles.eu,dfiles.ru,freecode.com,israeldefense.com,popcrunch.com,priceviewer.com,smallseotools.com,thelakewoodscoop.com,usa-people-search.com,wired.co.uk##.banner1 -mypayingads.com##.banner125 -angryduck.com##.banner160-title -azernews.az##.banner1_1 -gsprating.com,jamieoliver.com,thelakewoodscoop.com,usa-people-search.com##.banner2 -blogtv.com##.banner250 -motorcycle-usa.com##.banner300x100 -motorcycle-usa.com##.banner300x250 -onlinevideoconverter.com##.banner728-1 -celebuzz.com,pinkisthenewblog.com##.banner728-wrapper -mixfmradio.com##.banner728_border -cambodiayp.com,nepalyp.com##.banner750 -jewishbusinessnews.com##.bannerARtop -christianpost.com##.bannerBottom -samsclub.com##.bannerBottomLeaderBd -britsabroad.com,diymobileaudio.com,hotfilms.org,itechtalk.com,mechodownload.com,yummy.ph##.bannerBox -esl.eu,foodnetwork.ca,macworld.co.uk,photobucket.com,zoover.co.uk##.bannerContainer -cargurus.com##.bannerDiv -iberia.com##.bannerGiraffe -sastudy.co.za##.bannerHolder728 -pixdaus.com##.bannerIdent -civiweb.com,justdial.com,thehimalayantimes.com##.bannerLink -come2play.com##.bannerLong -artistdirect.com##.bannerNavi -samsclub.com##.bannerRightRail -ewn.co.za##.bannerSecond +security.org##.banner-img-container +wireshark.org##.banner-img-downloads +balkangreenenergynews.com##.banner-l +amoledo.com##.banner-link +weatherin.org##.banner-mobile +bsc.news,web3wire.news##.banner-one +timesofisrael.com##.banner-placeholder +tweakreviews.com##.banner-placement__article +balkangreenenergynews.com##.banner-premium +gg.deals##.banner-side-link +bikepacking.com##.banner-sidebar +livescores.biz##.banner-slot +livescores.biz##.banner-slot-filled +vedantu.com##.banner-text +historydaily.org,israelnationalnews.com,pwinsider.com,spaceref.com,usahealthcareguide.com##.banner-top +wpneon.com##.banner-week +news.net##.banner-wr +admonsters.com##.banner-wrap +benzinga.com,primewire.link##.banner-wrapper +depositfiles.com,dfiles.eu##.banner1 +gsprating.com##.banner2 +coinalpha.app##.bannerAdv +brutal.io##.bannerBox +arras.io##.bannerHolder +alternativeto.net##.bannerLink +securenetsystems.net##.bannerPrerollArea mumbrella.com.au##.bannerSide -runnersworld.com##.bannerSub -christianpost.com,jamanetwork.com,londonstockexchange.com##.bannerTop -hongkiat.com,tass.com##.bannerWrap -iphoneapplicationlist.com,salon.com,shockwave.com##.bannerWrapper -impawards.com##.banner_2 -nutritioninsight.com##.banner_210_article -canalboat.co.uk##.banner_234 -impawards.com##.banner_3 -mygaming.co.za,travelpulse.com##.banner_300 -kohit.net,mygaming.co.za##.banner_468 -komp3.net##.banner_468_holder -beinsports.com,pastebin.com,ratemyteachers.com##.banner_728 -cbssports.com##.banner_bg -business-standard.com##.banner_block -caclubindia.com##.banner_border -anyclip.com##.banner_bottom -aww.com.au,englishrussia.com##.banner_box -chiaanime.co,gogoanime.io##.banner_center +thejc.com##.banner__ +thejc.com##.banner__article +financemagnates.com##.banner__outer-wrapper +forexlive.com,tass.com##.banner__wrapper +asmag.com##.banner_ab +hannity.com,inspiredot.net##.banner_ad +snopes.com##.banner_ad_between_sections +asmag.com##.banner_box news.am##.banner_click -coda.fm,jamieoliver.com,smartcompany.com.au,take.fm##.banner_container -kbs.co.kr##.banner_container2 -kyivpost.com##.banner_content_t -pricespy.co.nz##.banner_div -swapace.com##.banner_foot -tvtechnology.com##.banner_footer -domainmasters.co.ke##.banner_google -arabtimesonline.com,silverlight.net##.banner_header -kizi.com,rugby365.com##.banner_holder -newsy.com##.banner_holder_300_250 -cfos.de##.banner_left +dosgamesarchive.com##.banner_container +barnstormers.com##.banner_holder +camfuze.com##.banner_inner livecharts.co.uk##.banner_long -plussports.com##.banner_mid -checkoutmyink.com##.banner_placer -seenow.com##.banner_right -dhl.de##.banner_right_resultpage_middle -prewarcar.com##.banner_single -statista.com##.banner_skyscraper -amulyam.in##.banner_slider -as.com##.banner_sup -homefoodandtravel.co.za,rnews.co.za,seetickets.com,thestranger.com##.banner_top -porttechnology.org##.banner_wrapper -gamenet.com##.bannera -zeenews.india.com##.bannerarea -sj-r.com,widih.org##.bannerbottom -bloomberg.com##.bannerbox -timesofoman.com##.bannerbox1 -timesofoman.com##.bannerbox2 -fashionotes.com##.bannerclick +barnstormers.com##.banner_mid +weatheronline.co.uk##.banner_oben +barnstormers.com##.banner_rh +hwcooling.net,nationaljeweler.com,radioyacht.com##.banner_wrapper +wdwmagic.com##.bannerad_300px +mamul.am##.bannerb +gamertweak.com##.bannerdiv +flatpanelshd.com##.bannerdiv_twopage arcadebomb.com##.bannerext -breakfreemovies.com,fifaembed.com,tvbay.org##.bannerfloat -2merkato.com,2mfm.org,andamanchronicle.net,aps.dz,armyrecognition.com,beginlinux.com,brecorder.com,caravansa.co.za,cbn.co.za,dailynews.co.tz,eatdrinkexplore.com,epgn.com,eprop.co.za,fleetwatch.co.za,gameofthrones.net,i-programmer.info,irishradio.com,killerdirectory.com,knowthecause.com,maravipost.com,mbc.mw,mousesteps.com,onislam.net,pamplinmedia.com,portlandtribune.com,radio90fm.com,radiolumiere.org,radiowave.com.na,rainbowpages.lk,rhylfc.co.uk,rtc107fm.com,russianireland.com,sa4x4.co.za,seatrade-cruise.com,soccer24.co.zw,thepatriot.co.bw,thesentinel.com,total-croatia-news.com,tribune.net.ph,triplehfm.com.au,vidipedia.org##.bannergroup -brecorder.com##.bannergroup_box -vidipedia.org##.bannergroup_menu -malaysiandigest.com##.bannergroup_sideBanner2 -dailynews.co.tz##.bannergroup_text -seatrade-cruise.com##.bannergroupflush -telegraph.co.uk##.bannerheadline -av-comparatives.org,busiweek.com,caribnewsdesk.com,crown.co.za,israel21c.org,marengo-uniontimes.com,planetfashiontv.com,uberrock.co.uk##.banneritem -elitistjerks.com##.bannerl0aded -racing-games.com,widih.org##.bannerleft -mtvindia.com##.bannermain -mtvindia.com##.bannermain2 -techspot.com##.bannernav -nerdist.com##.bannerplaceholder -digitalproductionme.com,racing-games.com,widih.org##.bannerright -c21media.net,carfinderph.com,classicsdujour.com,igirlsgames.com,jobstreet.com.my,jobstreet.com.sg,kdoctv.net,lolroflmao.com,marinetechnologynews.com,maritimeprofessional.com,mumbrella.com.au,mysteriousuniverse.org,petapixel.com,phuketgazette.net,rapidtvnews.com,sheknows.com,smallseotools.com,telesurtv.net##.banners -joburgstyle.co.za##.banners-125 -wlrfm.com##.banners-bottom-a -codecs.com##.banners-right -propertyfinderph.com##.banners-wrapper -aerotime.aero##.banners1 -ecr.co.za,jacarandafm.com##.banners120 +2merkato.com,2mfm.org,aps.dz,armyrecognition.com,cbn.co.za,dailynews.co.tz,digitalmediaworld.tv,eprop.co.za,finchannel.com,forums.limesurvey.org,i-programmer.info,killerdirectory.com,pamplinmedia.com,rapidtvnews.com,southfloridagaynews.com,thepatriot.co.bw,usedcarnews.com##.bannergroup +saigoneer.com##.bannergroup-main +convertingcolors.com##.bannerhead_desktop +asianmirror.lk,catholicregister.org,crown.co.za,marengo-uniontimes.com,nikktech.com##.banneritem +mir.az##.bannerreklam +domainnamewire.com,i24news.tv,marinetechnologynews.com,maritimepropulsion.com,mumbrella.com.au,mutaz.pro,paste.fo,paste.pm,pasteheaven.com,petapixel.com,radiopaedia.org,rapidtvnews.com,telesurtv.net,travelpulse.com##.banners +theportugalnews.com##.banners-250 rt.com##.banners__border -wdna.org##.banners_right -cbc.ca##.bannerslot-container -iimjobs.com##.bannerspace -musictory.com,widih.org##.bannertop -urlcash.org##.bannertop > center > #leftbox -goldengirlfinance.ca##.bannerwrap -myhostnews.com##.bannerwrapper_t -4v4.com,bn0.com,shieldarcade.com##.banr -askqology.com##.bar -euronews.com##.base-leaderboard -desimartini.com##.basebox[style="height:435px;"] -premiershiprugby.com##.basesky -tomshardware.com##.basicCentral-elm.partner +unixmen.com##.banners_home +m.economictimes.com##.bannerwrapper +barrons.com##.barrons-body-ad-placement +marketscreener.com##.bas teamfortress.tv##.bau -coolspotters.com##.bau-flag -bbc.co.uk##.bbccom_companion -bbc.co.uk,bbc.com##.bbccom_sponsor:not(body) -ecommercetimes.com,ectnews.com,linuxinsider.com,macnewsworld.com,technewsworld.com##.bbframe -bbgsite.com##.bbg_ad_fulltop -bbgsite.com##.bbg_ad_side -foodnetwork.ca##.bboxContainer +propublica.org##.bb-ad +doge-faucet.com##.bbb +imagetostl.com##.bc +britannica.com##.bc-article-inline-dialogue +dissentmagazine.org##.bc_random_banner h-online.com##.bcadv +digminecraft.com##.bccace1b fakenamegenerator.com##.bcsw -bulma.io##.bd-partners -bulma.io##.bd-side-sponsors -iol.co.za##.bd_images -animetoon.org##.bebi-icon-hover -publicradio.org##.become-sponsor-link -wgbh.org##.becomeSponsor -mouthshut.com##.beige-border-tr[style="padding:5px;"] -ssbcrack.com##.below-header -whoscored.com##.best-slip-button -goodgearguide.com.au##.bestprice-footer -football365.com##.bet-link -soccerway.com##.bet-now-button-container -skysports.com##.betlink -lshunter.tv##.bets -racinguk.com##.bets_companies_logos -findwide.com##.better_result_block -sportinglife.com##.betting_link -broadcastnewsroom.com##.bfua -playgroundmag.net##.bg_link -bryanreesman.com##.bg_strip_add -biblegateway.com##.bga -biblegateway.com##.bga-footer +boldsky.com##.bd-header-ad +userbenchmark.com##.be-lb-page-top-banner +chowhound.com,glam.com,moneydigest.com,outdoorguide.com,svg.com,thelist.com,wrestlinginc.com##.before-ad +haitiantimes.com,renonr.com##.below-header-widgets +theinertia.com##.below-post-ad +lonestarlive.com##.below-toprail +gobankingrates.com##.bestbanks-slidein +aiscore.com##.bet365 +azscore.com##.bettingTip__buttonsContainer +scribd.com##.between_page_portal_root +nationalworld.com##.bfQGof +mindbodygreen.com##.bftiFX +theepochtimes.com##.bg-\[\#f8f8f8\] +hotnewhiphop.com##.bg-ad-bg-color +batimes.com.ar##.bg-ads-space +bgr.com##.bg-black +whatismyisp.com##.bg-blue-50 +officialcharts.com##.bg-design-hoverGreige +republicworld.com##.bg-f0f0f0 +amgreatness.com##.bg-gray-200.mx-auto +kongregate.com##.bg-gray-800.mx-4.p-1 +wccftech.com##.bg-horizontal +imagetotext.info##.bg-light.mt-2.text-center +charlieintel.com,dexerto.com##.bg-neutral-grey-4.items-center +charlieintel.com,dexerto.com##.bg-neutral-grey.justify-center +businessinsider.in##.bg-slate-100 +wccftech.com##.bg-square +wccftech.com##.bg-square-mobile +wccftech.com##.bg-square-mobile-without-bg +ewn.co.za##.bg-surface-03.text-content-secondary.space-y-\[0\.1875rem\].p-spacing-s.flex.flex-col.w-max.mx-auto +wccftech.com##.bg-vertical +copyprogramming.com##.bg-yellow-400 overclock3d.net##.bglink -entrepreneur.com##.bgwhiteb -siouxcityjournal.com##.bidBuyWrapperLG -download.cnet.com##.bidWarContainer -cnet.com,techrepublic.com,zdnet.com##.bidwar -findarticles.com##.bidwarCont -furiousfanboys.com,regretfulmorning.com,viva.co.nz##.big-banner -thestar.com,torontolife.com##.big-box -family.ca##.big-box-container -theloop.ca##.bigBoxDesktop -chipchick.com,megafileupload.com,softarchive.net##.big_banner -tomwans.com##.big_button[target="_blank"] -toblender.com##.bigadd -softpile.com##.bigadvs -hellenicshippingnews.com,wasterecyclingnews.com##.bigbanner -comicbookresources.com,flyerland.ca,healthcentral.com,knoxnews.com,mysuburbanlife.com,nowtoronto.com,tcpalm.com,tiff.net##.bigbox -tucsoncitizen.com##.bigbox_container -caller.com,commercialappeal.com,courierpress.com,gosanangelo.com,govolsxtra.com,independentmail.com,kitsapsun.com,knoxnews.com,naplesnews.com,redding.com,reporternews.com,tcpalm.com,timesrecordnews.com,vcstar.com##.bigbox_wrapper -exclaim.ca##.bigboxhome -tri247.com##.biglink -wctk.com##.bigpromo -dailysabah.com##.billBoardFrame -about.com,afcbournemouthnews.com,burnleyfcnews.com,chelseanews.com,crystalpalacenews.com,edmunds.com,evertonnews.com,goonernews.com,hammersheadlines.com,huddersfieldtownnews.com,imdb.com,jurassicworld2movie.com,leicestercitynews.org,mancitynews.com,manunews.com,motherjones.com,newcastleunitednews.org,pep.ph,saintsnews.com,seagullsnews.com,sport360.fit,spursnews.com,stokecitynews.com,swanseacitynews.com,todaysbigthing.com,walkon.com,watfordfcnews.com,wccftech.com,westbromnews.com##.billboard -bre.ad##.billboard-body -elitedaily.com##.billboard-wrapper -dailymail.co.uk,thisismoney.co.uk##.billboard_wrapper -mid-day.com##.bingzedo -mywesttexas.com,ourmidland.com,theintelligencer.com##.biz-info -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.biz-photos-yloca -slate.com##.bizbox_promo -scienceworldreport.com##.bk-sidebn -arsenalnews.co.uk##.bkmrk_pst_flt -uvnc.com##.black + table[cellspacing="0"][cellpadding="5"][style="width: 100%;"]:last-child +bhamnow.com##.bhamn-adlabel +bhamnow.com##.bhamn-story +investmentweek.co.uk##.bhide-768 +blackhatworld.com##.bhw-advertise-link +blackhatworld.com##.bhw-banners +viva.co.nz##.big-banner +ipolitics.ca,qpbriefing.com##.big-box +cbc.ca##.bigBoxContainer +newzit.com##.big_WcxYT +gamemodding.com##.big_banner +hellenicshippingnews.com##.bigbanner +advocate.com##.bigbox_top_ad-wrap +scienceabc.com##.bigincontentad +snokido.com##.bigsquare +9gag.com,aerotime.aero,autotrader.ca,blackpoolgazette.co.uk,bundesliga.com,dev.to,farminglife.com,hotstar.com,ipolitics.ca,lep.co.uk,northamptonchron.co.uk,qpbriefing.com,scotsman.com,shieldsgazette.com,talksport.com,techforbrains.com,the-sun.com,thescottishsun.co.uk,thestar.co.uk,thesun.co.uk,thesun.ie##.billboard +nypost.com,pagesix.com##.billboard-overlay +electronicproducts.com##.billboard-wrap +weatherpro.com##.billboard-wrapper +autoguide.com,motorcycle.com,thetruthaboutcars.com,upgradedhome.com##.billboardSize +techspot.com##.billboard_placeholder_min +netweather.tv##.billheight +azscore.com##.bkw +bundesliga.com##.bl-broadcaster +softonic.com##.black-friday-ads +ehftv.com##.blackPlayer nowsci.com##.black_overlay -kioskea.net##.bloc_09 -overwatchhentai.net##.block -interest.co.nz##.block--dfp-setup -jobmail.co.za##.block-AdsByJobMail -taxsutra.com##.block-banner -mensfitness.com##.block-boxes + div > div[style] -bravotv.com##.block-bravo_sponsored_links -biosciencetechnology.com,dinnertool.com,ecnmag.com,fastcocreate.com,fastcoexist.com,fastcompany.com,hollywoodreporter.com,lifegoesstrong.com,manufacturing.net,midwestliving.com,nbcsports.com,pddnet.com,petside.com,sfbg.com,theweek.co.uk,todayonline.com##.block-dart -reflector.com##.block-dfp_plugin -examiner.com##.block-ex-dart -voxy.co.nz##.block-featured_offers -foxnews.com##.block-fox_yume -jobmail.co.za##.block-gads -horoscope.com##.block-horoscope-sponsored-link-container -iflscience.com##.block-ifls-openx -gardensillustrated.com,historyextra.com##.block-im_dfp -pocket-lint.com##.block-inline -swatchseries.to##.block-left-home-inside[style="height:252px; text-align:center; "] -megagames.com##.block-megagames-header-ad -visitpa.com##.block-mmg-oas -motogp.com##.block-motogp_adserver -pocket-lint.com##.block-mpu -practicalpainmanagement.com##.block-oas -pddnet.com##.block-panels-mini -philstar.com##.block-philstar-ad -praguemonitor.com##.block-praguetvads -timesofisrael.com##.block-spotlight -football-espana.net,football-italia.net##.block-story-footer-simag-banner -autoexpress.co.uk##.block-taboola -laboratoryequipment.com##.block-title +tvmaze.com##.blad +allkeyshop.com##.blc-left +allkeyshop.com##.blc-right +fastpic.ru##.bleft +kottke.org##.bling-title +wearedore.com##.bloc-pub +rpgsite.net##.block +soundonsound.com##.block---managed +worldviewweekend.com##.block--advertisement +analyticsinsight.net##.block-10 +club386.com##.block-25 +club386.com##.block-30 +club386.com##.block-39 +megagames.com##.block-4 +club386.com##.block-41 +crash.net##.block-ad-manager +thebaltimorebanner.com##.block-ad-zone +autocar.co.uk##.block-autocar-ads-lazyloaded-mpu2 +autocar.co.uk##.block-autocar-ads-mpu-flexible1 +autocar.co.uk##.block-autocar-ads-mpu-flexible2 +autocar.co.uk##.block-autocar-ads-mpu1 +thescore1260.com##.block-content > a[href*="sweetdealscumulus.com"] +indysmix.com,wzpl.com##.block-content > a[href^="https://sweetjack.com/local"] +webbikeworld.com##.block-da +whosdatedwho.com##.block-global-adDFP_HomeFooter +mondoweiss.net##.block-head-c +newsweek.com##.block-ibtmedia-dfp +endocrineweb.com,practicalpainmanagement.com##.block-oas kaotic.com##.block-toplist -ibtimes.com##.block-x90 -augusta.com##.block-yca_plugin +theonion.com##.block-visibility-hide-medium-screen +9to5linux.com,maxblizz.com##.block-widget worldtimebuddy.com##.block2 macmusic.org##.block440Adv -alternativeto.net##.blockReplace -miniclip.com##.block_300x250 -miniclip.com##.block_300x250_holder -miniclip.com##.block_300x250_sketchstar -soccerway.com##.block_match_widget_wrapper-wrapper -filesharingtalk.com##.blocked -dutchnews.nl##.blockleft -gametracker.com##.blocknewhdrad -economist.com##.blog-sponsor -siliconvalley.com##.blogBox -pxleyes.com##.blogpostbanner -redbookmag.com##.blogs_2_circ_offer -animeflv.net##.bloque_pos -napavalleyregister.com,pantagraph.com##.blox-leaderboard-container -downeu.net##.blq:first-child -mnn.com##.blue-bottom -online-free-movie.com##.blue-strip-mobile -4shared.com##.blueBanner -fleetwatch.co.za##.blue_yjsg2_out -fleetwatch.co.za##.blue_yjsg4_out -naukri.com##.bms -naukri.com##.bmsTop -adlock.in##.bn -christianpost.com,parentherald.com##.bn728 -ibtimes.co.uk,ibtimes.com##.bn_center_bottom_leaderboard_hd +betaseries.com##.blockPartner +soccerway.com##.block_ad +informer.com##.block_ad1 +myrealgames.com##.block_adv_mix_top2 +gametracker.com##.blocknewnopad +simkl.com##.blockplacecente +wowhead.com##.blocks +mail.com##.blocks-3 +wowway.net##.blocks_container-size_containerSize +plainenglish.io##.blog-banner-container +failory.com##.blog-column-ad +oxygen.com,syfy.com##.blog-post-section__zergnet +blogto.com##.blogto-sticky-banner +manhwaindo.id##.blox +waterworld.com##.blueconic-recommendations +bmwblog.com##.bmwbl-after-content +azscore.com,bescore.com##.bn +firstpost.com##.bn-add +savefree.in,surattimes.com##.bn-content +nilechronicles.com##.bn-lg-sidebar +snow-forecast.com,weather-forecast.com##.bn-placeholder +flaticon.com##.bn-space-gads +roll20.net##.bna +gearspace.com##.bnb--inline +gearspace.com##.bnb-container bnonews.com##.bnone-widget -electronicsfeed.com,gatorzone.com,intelligencer.ca,mediamanager.co.za,solidfiles.com##.bnr -euroweek.com##.bnr-top -carnewschina.com##.bnr728 -informer.com##.bnr_block +evertiq.com,mediamanager.co.za##.bnr +thecompleteuniversityguide.co.uk##.bnr_out armenpress.am##.bnrcontainer -teslarati.com##.boa-message -southerntimesafrica.com##.body-header-banner -cheatcc.com##.body-side-banner -billboard.biz##.bodyContent[style="padding-bottom:30px; text-align: center"] -royalbank.com##.bodyPromotion -news.am##.bodybnr468 -venturebeat.com##.boilerplate-label -venturebeat.com##.boilerplate-speedbump -barrons.com##.boldGreyNine -frommers.com##.book-a-trip -euronews.com##.book-flight -f1i.com##.booking -biblegateway.com##.bookperks-section -cmo.com.au,interiordesign.net##.boombox -bangkokpost.com##.boomboxSize1 -overclock3d.net##.border-box-320 -wsj.com##.border-left > div[style="height:1050px;position:relative;"] -thenextweb.com##.border-t.mt-2 -share-links.biz##.border1dark -helenair.com##.bordered[align="center"][width="728"] -afreecodec.com##.bornone -tgun.tv##.bossPlayer -dailynews.gov.bw##.bot-banner -moneycontrol.com##.bot_RHS300 -gofish.com##.botban1 -gofish.com##.botban2 -bankrate.com##.botbanner -thistv.com##.botbannerarea -ocweekly.com,pixdaus.com##.bottom -pixxxels.cc,postimg.cc##.bottom-a -eplans.com,liligo.com,reverso.net,spanishdict.com##.bottom-banner -livehdq.info##.bottom-bar -kaskus.co.id##.bottom-frame -usatoday.com##.bottom-google-links +apkmody.io,apkmody.mobi##.body-fixed-footer +saharareporters.com##.body-inject +boingboing.net##.boing-amp-triple13-amp-1 +boingboing.net##.boing-homepage-after-first-article-in-list +boingboing.net##.boing-leaderboard-below-menu +boingboing.net##.boing-primis-video-in-article-content +azscore.com,livescores.biz##.bonus-offers-container +btcmanager.com##.boo_3oo_6oo +cmo.com.au##.boombox +tomsguide.com##.bordeaux-anchored-container +tomsguide.com##.bordeaux-slot +everydayrussianlanguage.com##.border +washingtonpost.com##.border-box.dn-hp-sm-to-mx +washingtonpost.com##.border-box.dn-hp-xs +thedailymash.co.uk##.border-brand +standardmedia.co.ke##.border-thick-branding +myanimelist.net##.border_top +appleinsider.com##.bottom +blockchair.com##.bottom--buttons-container +downforeveryoneorjustme.com,health.clevelandclinic.org##.bottom-0.fixed +indiatimes.com##.bottom-ad-height +livescores.biz##.bottom-bk-links +reverso.net##.bottom-horizontal photographyreview.com##.bottom-leaderboard -newstatesman.com##.bottom-leaderboard-section -weatheroffice.gc.ca##.bottomBanner +dappradar.com##.bottom-networks +codeproject.com##.bottom-promo +huffpost.com##.bottom-right-sticky-container +crn.com##.bottom-section +cnbctv18.com##.bottom-sticky +gamingdeputy.com##.bottom-sticky-offset +coincodex.com##.bottom6 +openguessr.com##.bottomFooterAds +auto.hindustantimes.com##.bottomSticky softicons.com##.bottom_125_block softicons.com##.bottom_600_250_block imgtaxi.com##.bottom_abs -themoscowtimes.com##.bottom_banner -secdigitalnetwork.com##.bottom_banners_outer -gamenguide.com##.bottom_bn -einthusan.com##.bottom_leaderboard -einthusan.com##.bottom_medium_leaderboard -einthusan.com##.bottom_small_leaderboard -broadcastnewsroom.com##.bottombanner +collive.com##.bottom_leaderboard +allmonitors24.com,streamable.com##.bottombanner arcadebomb.com##.bottombox -technologizer.com##.bottompromo -explainthatstuff.com##.bottomsquare -filediva.com##.bouton -jpost.com##.box-banner-wrap -1337x.to##.box-info-detail > .torrent-category-detail + div[class] -oilprice.com##.box-news-sponsor -efe.com##.box-publi -phonedog.com##.box-rail-skyleft -phonedog.com##.box-rail-skyright -accuratefiles.com##.box-result +timesofindia.com##.bottomnative +canonsupports.com##.box +filmbooster.com,ghacks.net##.box-banner mybroadband.co.za##.box-sponsored -oilprice.com##.box-sponsors -webupd8.org##.box-top -bmwblog.com##.box-top-leaderboard -fins.com##.box.shadeA -malaysiastory.com,wahm.com##.box2 -fins.com##.box2.shadeB -senmanga.com##.box300x250 -mediadump.com##.box336 -senmanga.com##.box480x90 -trendhunter.com##.box600Container -newser.com##.boxFrame > aside > div > div[class]:last-child -jekoo.com##.boxItem -yahoo.com.au##.boxMidRt.pB0 -efe.com##.boxPubli -efe.com##.boxPubliBlanco -fliiby.com##.box_300x250 -bmwblog.com##.box_banners_125 -al.com,cleveland.com,masslive.com,mlive.com,nj.com,nola.com,pennlive.com##.box_grayoutline -findicons.com##.box_info -ashampoo.com##.box_recommend2 -zambianeye.com##.box_skitter -canadaka.net##.boxadd -lyricsmania.com##.boxcontent1 -elitistjerks.com##.boxl0aded -activistpost.com##.boxzilla-container -brainyquote.com##.bq_ad_320x250_multi -apa.az##.br-panel -hardware.info##.br_top_container -brothersoft.com##.brand -macworld.com##.brand-post-module -mapquest.com##.brandedBizLocSprite -thetowner.com##.branding-item -primedia.co.za##.branding-sponsor -computerworld.co.nz##.brandpost_native -csoonline.com,infoworld.com##.brandposts -deseretnews.com##.brandview-spotlight-story -capitalfm.co.ke##.breadcrumbs -1310news.com,680news.com,news1130.com##.breaking-news-alerts-sponsorship-block -break.com##.breaking_news -break.com##.breaking_news_wrap -thedailybeast.com##.breakout-item -break.com##.brk_ldrbrd_wrap -marketwatch.com##.broker-buttons -techtipsgeek.com##.bsa-banner -sitepoint.com##.bsa-topic-outlet -karachicorner.com##.bsa180 -karachicorner.com##.bsa300 -karachicorner.com##.bsa336 -twtmore.com##.bsa_wrap -thedailyvox.co.za##.bsac -bloggertemplateplace.com##.bsainpost -mysteriousuniverse.org,wbond.net##.bsap -easyvectors.com,mangable.com,textmechanic.com,tutorial9.net,webdesign.org,winrumors.com##.bsarocks -mmorpg.com##.bsgoskin -webopedia.com##.bstext -virginradiodubai.com##.bt-btm -fenopy.se##.bt.dl -milesplit.com##.btf -idolator.com##.btf-leader -alternativeto.net##.btf-middle -tvtropes.org##.btf_banner -gamepedia.com,minecraftwiki.net##.btflb -diply.com##.btfrectangle -dubai92.com,dubaieye1038.com##.btm-banner +kiz10.com##.box-topads-x2 +fctables.com##.box-width > .hidden-xs +cubdomain.com##.box.mb-2.mh-300px.text-center +wahm.com##.box2 +flashscore.co.za##.boxOverContent--a +tribunnews.com##.box__reserved +flipline.com##.box_grey +flipline.com##.box_grey_bl +flipline.com##.box_grey_br +flipline.com##.box_grey_tl +flipline.com##.box_grey_tr +functions-online.com##.box_wide +kiz10.com##.boxadsmedium +bolavip.com,worldsoccertalk.com##.boxbanner_container +kodinerds.net##.boxesSidebarRight +retailgazette.co.uk##.boxzilla-overlay +retailgazette.co.uk##.boxzilla-popup-advert +wbur.org##.bp--native +wbur.org##.bp--outer +wbur.org##.bp--rec +wbur.org##.bp--responsive +wbur.org##.bp-label +slickdeals.net##.bp-p-adBlock +businessplus.ie##.bp_billboard_single +petkeen.com##.br-10 +bing.com##.br-poleoffcarousel +eightieskids.com,inherentlyfunny.com##.break +breakingbelizenews.com##.break-target +breakingbelizenews.com##.break-widget +broadsheet.com.au##.breakout-section-inverse +brobible.com##.bro_caffeine_wrap +brobible.com##.bro_vidazoo_wrap +moco360.media##.broadstreet-story-ad-text +sainsburys.co.uk##.browse-citrus-above-grid +vaughn.live##.browsePageAbvs300x600 +femalefirst.co.uk##.browsi_home +techpp.com##.brxe-shortcode +christianpost.com##.bs-article-cell +moco360.media##.bs_zones +sslshopper.com##.bsaStickyLeaderboard +arydigital.tv,barakbulletin.com##.bsac +doge-faucet.com##.bspot +businesstoday.in##.btPlyer +autoblog.com##.btf-native cricwaves.com##.btm728 -helensburghadvertiser.co.uk,the-gazette.co.uk##.btn -myanimelist.net##.btn-affiliate -mydramalist.com##.btn-amazon -bitlordsearch.com##.btn-download-bitlord -adlock.in##.btn-info -clip.dj##.btnDownloadRingtone -whosampled.com##.btnRingtoneTrack -boredomtherapy.com##.btparel1 -gizmodo.com.au##.btyb_cat -hltv.org##.buff-box -wired.com##.builder-section-ad -whitepages.com##.business_premium_container_top -switchboard.com,whitepages.com##.business_premium_results -1053kissfm.com##.button-buy -miloyski.com##.button[target="_blank"] -downarchive.com,mechodownload.com##.button_dl -freedownloadmanager.org,freedownloadscenter.com##.button_free_scan -thedrinksbusiness.com##.buttons -923jackfm.com,chez106.com,country1011.com,country1043.com,country600.com,foxradio.ca,gameinformer.com,kissnorthbay.com,kisssoo.com,listenlive.co,npr.org,ranker.com,thesoundla.com,tunegenie.com,xboxdvr.com##.buy -cpuboss.com,gpuboss.com,ssdboss.com##.buy-button -awdit.com##.buy-link -expertreviews.co.uk,overclock.net##.buy-now -mobygames.com##.buyGameLinkHolder -air1.com##.buyIcon -klove.com##.buyPanel -listenlive.co##.buySong -securenetsystems.net##.buybutton -financialexpress.com##.buyhatke_widget -zdnet.com##.buying-choices-2 -trendir.com##.buyit -avsforum.com##.buynow -morningstar.com##.buyout_leader_cont -ndtv.com##.buytWidget -bangkokpost.com##.buzzBoombox -guanabee.com##.buzzfeedSubColPod -stlmag.com##.buzzworthy -getthekick.eu##.bx-wrapper -buzzillions.com##.bz-model-lrec -afl.com.au##.c-accordion__item-officialpartners +snaptik.app##.btn-download-hd[data-ad="true"] +files.im##.btn-success +sbenny.com##.btnDownload5 +pollunit.com##.btn[href$="?feature=ads"] +youloveit.com##.btop +lifestyleasia.com##.btt-top-add-section +livemint.com##.budgetBox +business-standard.com##.budgetWrapper +bulinews.com##.bulinews-ad +frankspeech.com##.bunny-banner +businessmirror.com.ph##.busin-after-content +businessmirror.com.ph##.busin-before-content +business2community.com##.busin-coinzilla-after-content +business2community.com##.busin-news-placement-2nd-paragraph +switchboard.com##.business_premium_results +imac-torrents.com##.button +thisismoney.co.uk##.button-style > [href] +abbaspc.net##.buttonPress-116 +overclock.net##.buy-now +coinalpha.app##.buyTokenExchangeDiv +bobvila.com##.bv-unit-wrapper +wgnsradio.com##.bw-special-image +wgnsradio.com##.bw-special-image-wrapper +scalemates.com##.bwx.hrspb +forbes.com.au##.bz-viewability-container +insurancejournal.com##.bzn +coingraph.us,hosty.uprwssp.org##.c +dagens.com##.c-1 > .i-2 +globalnews.ca,stuff.tv##.c-ad +theglobeandmail.com##.c-ad--base +stuff.tv##.c-ad--mpu-bottom +stuff.tv##.c-ad--mpu-top +theglobeandmail.com##.c-ad-sticky +globalnews.ca##.c-adChoices +zdnet.com##.c-adDisplay_container_incontent-all-top +legit.ng,tuko.co.ke##.c-adv +legit.ng##.c-adv--video-placeholder +euroweeklynews.com##.c-advert__sticky +cnet.com##.c-asurionBottomBanner +cnet.com##.c-asurionInteractiveBanner +cnet.com##.c-asurionInteractiveBanner_wrapper +newstalkzb.co.nz##.c-background +elnacional.cat##.c-banner truck1.eu##.c-banners -planetrock.com##.c-leaderboard-wrapper -farmanddairy.com##.c-position-in-story -businessdailyafrica.com,theeastafrican.co.ke##.c15r -nationmultimedia.com##.c2Ads -maniacdev.com##.c4 +euronews.com##.c-card-sponsor +euroweeklynews.com##.c-inblog_ad +thehustle.co##.c-layout--trends +download.cnet.com##.c-pageFrontDoor_adWrapper +download.cnet.com##.c-pageProductDetail-sidebarAd +download.cnet.com##.c-pageProductDetail_productAlternativeAd +cnet.com##.c-pageReviewContent_ad +smashingmagazine.com##.c-promo-box +mmafighting.com##.c-promo-breaker +smashingmagazine.com##.c-promotion-box +webtoon.xyz##.c-sidebar +umassathletics.com##.c-sticky-leaderboard +globalnews.ca##.c-stickyRail +backpacker.com,betamtb.com,betternutrition.com,cleaneatingmag.com,climbing.com,gymclimber.com,outsideonline.com,oxygenmag.com,pelotonmagazine.com,rockandice.com,skimag.com,trailrunnermag.com,triathlete.com,vegetariantimes.com,velonews.com,womensrunning.com,yogajournal.com##.c-thinbanner +mangarockteam.com,nitroscans.com##.c-top-second-sidebar +freecomiconline.me,lordmanga.com,mangahentai.me,manytoon.com,readfreecomics.com##.c-top-sidebar +softarchive.is##.c-un-link +stuff.tv##.c-video-ad__container +convertingcolors.com##.c30 canada411.ca##.c411TopBanner -dealsonwheels.co.nz,farmtrader.co.nz,motorcycletrader.co.nz,tradeaboat.co.nz##.cBanner -brisbanetimes.com.au,theage.com.au,watoday.com.au##.cN-storyDeal +techonthenet.com##.c79ee2c9 +sussexexpress.co.uk##.cIffkq filepuma.com##.cRight_footer -smh.com.au,theage.com.au,watoday.com.au##.cS-compare -smh.com.au##.cS-debtBusters -ria.ru##.c_banners +fmforums.com##.cWidgetContainer +digg.com,money.com##.ca-pcu-inline +digg.com##.ca-widget-wrapper +engadget.com##.caas-da thecable.ng##.cableads_mid -nst.com.my##.cadv -winnipegfreepress.com##.cal-sponsor -ieee.org##.callOutTitle -utorrent.com##.callout-recall -catholicreview.org##.campaign-slider-wrap -adorraeli.com##.candy -hgtvremodels.com##.cap -dexerto.com##.caps + span + .center -tribe.net##.caption -lonelyplanet.com##.card--sponsored -care2.com##.care2_horiz_adspace -youtube.com##.carousel-offer-url-container -theberry.com,thechive.com##.carousel-sponsor -nine.com.au##.carousel__container -ludobox.com##.carrepub -overstock.com##.cars-ad-localdeals -bettingpro.com,crunchsports.com##.casinoList-wrp -hindilinks4u.to##.cat-featured -123peppy.com##.cat-spacer -horsedeals.co.uk##.catalogueRightColWide -runnow.eu##.category-retail -dealbreaker.com##.category-sponsored-content -girlsgogames.co.uk,girlsgogames.com##.categoryBanner -retailmenot.com##.categorySponsor -kibagames.com##.category_adv_container -oliveoiltimes.com##.category_advert -britannica.com,mega-search.me##.catfish -getprice.com.au##.catin_side_mrec -coolspotters.com##.cau -survivalblog.com##.cba-banner-zone -cbc.ca##.cbc-adv-wrapper -cbc.ca##.cbc-big-box-ad -cbc.ca##.cbc-promo-sponsor -careerbuilder.com##.cbmsnArticleAdvertisement -wcco.com##.cbstv_top_one_column -givemefile.net##.ccb_cap_class_1 -bigwhite.com##.ccm-image-block -inquirer.net##.cct-extended-ribbon -inquirer.net##.cct-masthead -toptenreviews.com##.ceh_top_ad_container -nick.com##.celebrity-sponsored -mybrute.com##.cellulePub -playwinningpoker.com##.centban -port2port.com,privateproperty.co.za##.centerBanner +encycarpedia.com##.cac +strategie-bourse.com##.cadre_encadre_pub +cafonline.com##.caf-o-sponsors-nav +merriam-webster.com##.cafemedia-ad-slot-top +clutchpoints.com##.cafemedia-clutchpoints-header +challonge.com##.cake-unit +calculat.io##.calc67-container +skylinewebcams.com##.cam-vert +thedalesreport.com##.cap-container +dllme.com##.captchabox > div +coolors.co##.carbon-cad +icons8.com##.carbon-card-ad__loader +speakerdeck.com##.carbon-container +buzzfeed.com##.card--article-ad +u.today##.card--something-md +nrl.com##.card-content__sponsor +thepointsguy.com##.cardWidget +realestatemagazine.ca##.caroufredsel_wrapper +devdiscourse.com##.carousel +eetimes.com##.carousel-ad-wrapper +faroutmagazine.co.uk,hitc.com##.carpet-border +numista.com##.catawiki_list +chemistwarehouse.com.au##.category-product-mrec +afro.com,ghacks.net,hyperallergic.com##.category-sponsored +renonr.com##.category-sponsored-content +notebooks.com##.cb-block +thegoodchoice.ca,wandering-bird.com##.cb-box +guru99.com##.cb-box__wrapper-center_modal +carbuzz.com##.cb-video-ad-block +supercheats.com##.cboth_sm +cricbuzz.com##.cbz-leaderboard-banner +waptrick.one##.cent_list +digit.in##.center-add +seeklogo.com##.centerAdsWp siberiantimes.com##.centerBannerRight -zippyshare.com##.center_reklamy -arstechnica.com##.centered-figure-container + .right -sulekha.com##.centxt -bitcoinmagazine.com##.cer-da -cfake.com##.cfakeSponsored -cfo.com##.cfo_native_ad -howstuffworks.com,internet.com##.ch -bigfooty.com##.chaching -ustream.tv##.channelTopBannerWrapper -symptomfind.com##.channelfav -tradingview.com##.chart-promo -businessinsider.com##.chartbeat -kaotic.com##.chaturbate -techreport.com##.checkprices -motorauthority.com##.chitika-listings -4shared.com##.christmasBanner -wsj.com##.cioMypro-marketing -newsfactor.com##.cipText -search.com##.citeurl -4shared.com##.citrioPromoLink -post-gazette.com##.city-coupons-wrap -jeurissen.co##.cja-squareimage -crooksandliars.com##.clab-inline -economist.com##.classified-ads -jewishreviewofbooks.com##.classified-heading -telegraph.co.uk##.classifiedAds -clgaming.net##.clg-footerSponsors -yourepeat.com##.click-left -yourepeat.com##.click-right -haaretz.com##.clickTrackerGroup -infobetting.com##.click_bookmaker -telegraphindia.com##.clickable -thinkbroadband.com##.clickable-skin -clipinteractive.com##.clip-featured -briansarmiento.website,windowsitpro.com##.close -financialexpress.com##.clsponsored -nairaland.com##.cltimages -ew.com##.cm-footer-banner -wftv.com##.cmFeedUtilities -ajc.com##.cmSponsored -wsbtv.com##.cmSubHeaderWrap -wftv.com##.cmToolBox -ew.com##.cmWrapper -coed.com##.cmg-nesn-embed -macleans.ca##.cmg_walrus -thisismoney.co.uk##.cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -geektyrant.com##.cmn-side -2dopeboyz.com##.cmn728x90 -motorsport.com##.cmpFixedBox -cnn.com##.cnnMosaic160Container -cnn.com##.cnnPostAdHolder -nascar.com##.cnnUpfrontContainer -cnn.com##.cnn_SRLTbbn336a -cnn.com##.cnn_cnn_widget_adtag -cnn.com##.cnn_elxad300spc -cnn.com##.cnn_sectprtnrbox_grpn325 -europeancarweb.com,hotrod.com,truckinweb.com##.cnt-google-links-container -truckinweb.com##.cnt-google-wide -europeancarweb.com,hotrod.com##.cnt-sponsored-showcase -iotwreport.com,wuxiaworld.com##.code-block -activistpost.com##.code-block-2 -icanbecreative.com##.codeg -ebookee.org##.codemain -ebookee.org##.codetop -digitimes.com##.col-md-4 > div > .mr-box +giveawayoftheday.com##.center_ab +mirrored.to##.centered > form[target^="_blank"] +whattomine.com##.centered-image-short +spiceworks.com##.centerthe1 +ceo.ca##.ceoBanner +digminecraft.com##.cf47a252 +top.gg##.chakra-stack.css-15xujv4 +tlgrm.eu##.channel-card--promoted +thefastmode.com##.channel_long +thefastmode.com##.channel_small +officialcharts.com##.chart-ad +crn.com##.chartbeat-wrapper +cheknews.ca##.chek-advertisement-placeholder +sevenforums.com,tenforums.com##.chill +cdmediaworld.com,gametarget.net,lnkworld.com##.chk +hannaford.com##.citrus_ad_banner +apps.jeurissen.co##.cja-landing__content > .cja-sqrimage +gunsamerica.com##.cl_ga +businessinsider.in##.clmb_eoa +kissanime.com.ru##.close_ad_button +cdromance.com##.cls +computerweekly.com,techtarget.com,theserverside.com##.cls-hlb-wrapper-desktop +lcpdfr.com##.clsReductionBlockHeight +lcpdfr.com##.clsReductionLeaderboardHeight +mayoclinic.org##.cmp-advertisement__wrapper +classcentral.com##.cmpt-ad +boldsky.com,gizbot.com,nativeplanet.com##.cmscontent-article1 +boldsky.com,gizbot.com,nativeplanet.com##.cmscontent-article2 +boldsky.com,drivespark.com,filmibeat.com,gizbot.com,goodreturns.in,nativeplanet.com,oneindia.com##.cmscontent-left-article +boldsky.com,drivespark.com,filmibeat.com,gizbot.com,goodreturns.in,nativeplanet.com,oneindia.com##.cmscontent-right1 +careerindia.com##.cmscontent-top +cricketnmore.com##.cmtopad +thisismoney.co.uk##.cnr5 +letras.com##.cnt-space-top +groceries.asda.com##.co-product-dynamic +asda.com##.co-product-list[data-module-type="HookLogic"] +map.riftkit.net##.coachify_wrapper +100percentfedup.com,247media.com.ng,academicful.com,addapinch.com,aiarticlespinner.co,allaboutfpl.com,alltechnerd.com,americanmilitarynews.com,americansongwriter.com,androidsage.com,animatedtimes.com,anoopcnair.com,askpython.com,asurascans.com,australiangeographic.com.au,autodaily.com.au,bakeitwithlove.com,bipartisanreport.com,bohemian.com,borncity.com,boxingnews24.com,browserhow.com,charlieintel.com,chillinghistory.com,chromeunboxed.com,circuitbasics.com,cjr.org,coincodecap.com,comicbook.com,conservativebrief.com,corrosionhour.com,crimereads.com,cryptobriefing.com,cryptointelligence.co.uk,cryptopotato.com,cryptoreporter.info,cryptoslate.com,cryptotimes.io,dafontfree.io,dailynewshungary.com,dcenquirer.com,dorohedoro.online,engineering-designer.com,epicdope.com,eurweb.com,exeo.app,fandomwire.com,firstcuriosity.com,firstsportz.com,flickeringmyth.com,flyingmag.com,freefontsfamily.net,freemagazines.top,gadgetinsiders.com,gameinfinitus.com,gamertweak.com,gamingdeputy.com,gatewaynews.co.za,geekdashboard.com,getdroidtips.com,goodyfeed.com,greekreporter.com,hard-drive.net,harrowonline.org,hollywoodinsider.com,hollywoodunlocked.com,ifoodreal.com,indianhealthyrecipes.com,inspiredtaste.net,iotwreport.com,jojolandsmanga.com,journeybytes.com,journeyjunket.com,jujustukaisen.com,libertyunlocked.com,linuxfordevices.com,lithub.com,meaningfulspaces.com,medicotopics.com,medievalists.net,mpost.io,mycariboonow.com,mymodernmet.com,mymotherlode.com,nationalfile.com,nexdrive.lol,notalwaysright.com,nsw2u.com,nxbrew.com,organicfacts.net,patriotfetch.com,politizoom.com,premiumtimesng.com,protrumpnews.com,pureinfotech.com,redrightvideos.com,reneweconomy.com.au,reptilesmagazine.com,respawnfirst.com,rezence.com,roadaheadonline.co.za,rok.guide,saabplanet.com,sciencenotes.org,sdnews.com,simscommunity.info,small-screen.co.uk,snowbrains.com,statisticsbyjim.com,storypick.com,streamingbetter.com,superwatchman.com,talkandroid.com,talkers.com,tech-latest.com,techaeris.com,techpp.com,techrounder.com,techviral.net,thebeaverton.com,theblueoceansgroup.com,thecinemaholic.com,thecricketlounge.com,thedriven.io,thegamehaus.com,thegatewaypundit.com,thegeekpage.com,thelibertydaily.com,thenipslip.com,theoilrig.ca,thepeoplesvoice.tv,thewincentral.com,trendingpolitics.com,trendingpoliticsnews.com,twistedvoxel.com,walletinvestor.com,washingtonblade.com,waves4you.com,wbiw.com,welovetrump.com,wepc.com,whynow.co.uk,win.gg,windowslatest.com,wisden.com,wnd.com,zerohanger.com,ziperto.com##.code-block +storytohear.com,thefamilybreeze.com,thetravelbreeze.com,theworldreads.com,womensmethod.com##.code-block > center p +cookingwithdog.com,streamtelly.com##.code-block-1 +powerpyx.com##.code-block-14 +patriotnewsfeed.com##.code-block-4 +scienceabc.com##.code-block-5 +wltreport.com##.code-block-label +coincodex.com##.coinDetails +holyrood.com##.col--ad +mydramalist.com##.col-lg-4 > .clear +upi.com##.col-md-12 > table +roseindia.net##.col-md-4 disqus.com##.col-promoted -euronews.com##.col-pub-skyscraper -3v3.gg##.col-right2.mt10 a[target="_blank"] -nycgo.com##.colBBox -shopping.aol.com##.col_asl -jamendo.com##.col_extra -taste.com.au##.coles-catalogue-search -naukri.com##.collMTp -au.news.yahoo.com##.collection-sponsored -ign.com##.colombia -indiatimes.com##.colombiatracked -reverso.net##.columnBanner2 -tinypic.com##.columns > .content-sec > .clear + div -tinypic.com##.columns > .content-sec > span +lapa.ninja##.col-sm-1 +tineye.com##.collection.match-row +collegedunia.com##.college-sidebar .course-finder-banner +gadgetsnow.com,iamgujarat.com,indiatimes.com,samayam.com,vijaykarnataka.com##.colombia +businessinsider.in##.colombia-rhs-wdgt +i24news.tv##.column-ads +atalayar.com##.column-content > .megabanner +rateyourmusic.com##.column_filler +2pass.co.uk##.column_right arcadebomb.com##.colunit1 -telegraph.co.uk##.comDatingWidget -telegraph.co.uk##.comPuff -worldstarhiphop.com##.comhead2 + .iframe[style="height:250px"] -expat-blog.com##.comlnk -googlesightseeing.com##.comm-skyscraper +bollywoodlife.com##.combinedslots googlesightseeing.com##.comm-square -tomshardware.com##.comment-widget > [id][class][style] -crossmap.com##.commentBox > div:first-child -abovethelaw.com##.comments-sponsor -tripadvisor.ca,tripadvisor.co.uk,tripadvisor.com,tripadvisor.ie,tripadvisor.in##.commerce -prevention.com##.commerce-block -capitalfm.com,capitalxtra.com,classicfm.com,gizmodo.co.uk,heart.co.uk,mygoldmusic.co.uk,radiox.co.uk,runningserver.com,smoothradio.com,standard.co.uk,thisislondon.co.uk##.commercial -blackcaps.co.nz##.commercial-partners -sheptonmalletjournal.co.uk##.commercial-promotions -heraldnet.com##.comp_DailyDealWidget -verizon.com##.comp_container_marketplace -blinkbox.com##.companion -5min.com##.companion-banner -proactiveinvestors.co.uk,proactiveinvestors.com.au##.company-banner -bbyellow.com,bsyellow.com,businesslist.co.cm,businesslist.co.ke,businesslist.com.bd,businesslist.com.ng,businesslist.my,businesslist.ph,businesslist.pk,cambodiayp.com,caymanyellow.com,chileindex.com,colombiayp.com,ethiopiadirectory.com,georgiayp.com,ghanayp.com,indonesiayp.com,jmyellow.com,jpyellow.com,lebyp.com,lesothoyp.com,localbotswana.com,malawiyp.com,moroccoyp.com,myanmaryp.com,namibiayp.com,nepalyp.com,puertoricoindex.com,qataryp.com,rwandayp.com,saudianyp.com,senegalyp.com,sudanyp.com,tanzaniayp.com,thaigreenpages.com,tntyellow.com,tunisiayp.com,turkishyp.com,yemenyp.com,zambiayp.com,zimbabweyp.com##.company_banner -versusio.com##.compare_leaderboard -circa.com##.component-ddb-728x90-v1 -delish.com##.conban1 -theglobeandmail.com##.conductor-links -spoonyexperiment.com##.cont_adv -babylon.com,searchsafer.com##.contadwltr -tinypic.com##.container > .browse > div -radiotimes.com##.container--related +slickdeals.net##.commentsAd +businessinsider.com,insider.com##.commerce-coupons-module +goal.com,thisislondon.co.uk##.commercial +dailystar.co.uk##.commercial-box-style +telegraph.co.uk##.commercial-unit +mega.nz##.commercial-wrapper +hiphopdx.com##.compact +bitdegree.org##.comparison-suggestion +audacy.com##.component--google-ad-manager +linguisticsociety.org##.component-3 +goal.com##.component-ad +hunker.com,livestrong.com##.component-article-section-jwplayer-wrapper +binnews.com,iheart.com,jessekellyshow.com,steveharveyfm.com##.component-pushdown +binnews.com,iheart.com,jessekellyshow.com,steveharveyfm.com##.component-recommendation +kqed.org##.components-Ad-__Ad__ad +dailymail.co.uk,thisismoney.co.uk##.connatix-wrapper +realsport101.com##.connatixPS +dpreview.com##.connatixWrapper +rateyourmusic.com##.connatix_video +washingtontimes.com##.connatixcontainer +beincrypto.com##.cont-wrapper +whatismyip.net##.container > .panel[id] +redditsave.com##.container > center +flaticon.com##.container > section[data-term].soul-a.soul-p-nsba marketwatch.com##.container--sponsored -miniclip.com##.container-300x250 -villagesoup.com##.container-popup -ina.fr##.container-pubcarre -gmatclub.com##.containerPartners +mangakakalot.com##.container-chapter-reader > div +snazzymaps.com##.container-gas +font-generator.com##.container-home-int > .text-center +thejournal-news.net##.container.lightblue +coinhub.wiki##.container_coinhub_footerad +coinhub.wiki##.container_coinhub_topwidgetad jokersupdates.com##.container_contentrightspan -tourofbritain.co.uk##.container_right_mpu -bbh.cc##.content + .sidebar -adfoc.us##.content > iframe -intouchweekly.com,newsbtc.com##.content-banner -crmbuyer.com,ectnews.com,linuxinsider.com,macnewsworld.com,technewsworld.com##.content-block-slinks -songlyrics.com##.content-bottom-banner -techrepublic.com##.content-bottom-leaderboard -techrepublic.com##.content-bottom-mpu -1049.fm##.content-footer-promo +rawstory.com##.container_proper-ad-unit +worldscreen.com##.contains-sticky-video +pastebin.com##.content > [style^="padding-bottom:"] +amateurphotographer.com##.content-ad +receive-sms.cc##.content-adsense +floridasportsman.com##.content-banner-section +crmbuyer.com,ectnews.com,technewsworld.com##.content-block-slinks +usmagazine.com##.content-card-footer +bloomberg.com##.content-cliff__ad +bloomberg.com##.content-cliff__ad-container +journeyjunket.com##.content-container-after-post +computerweekly.com##.content-continues +gostream.site##.content-kuss +cookist.com##.content-leaderboard pwinsider.com##.content-left -pcmag.com##.content-links -gizmochina.com##.content-mid-wrapper -techrepublic.com,zdnet.com##.content-middle-mpu -funnyordie.com##.content-page-mrec -funnyordie.com##.content-page-mrec-container -pocketnow.com##.content-panel > div > .textwidget -mysuburbanlife.com##.content-promo -newstalkzb.co.nz##.content-promos -kiz10.com##.content-recomendados pwinsider.com##.content-right -jmail.co.za,tsamail.co.za,webmail.co.za##.content-section-left -boatinternational.com##.content-sponsored-listings-list -crmbuyer.com,ectnews.com,linuxinsider.com,macnewsworld.com,technewsworld.com##.content-tab-slinks -fijilive.com##.content-top -futuresmag.com##.content-top-banner -techrepublic.com,zdnet.com##.content-top-leaderboard -techrepublic.com##.content-top-mpu -gizmochina.com##.content-top-wrapper -yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.contentBannerHolderLarge -girlsgogames.com##.contentListSkycontainer +flv2mp3.by##.content-right-bar +crmbuyer.com,ectnews.com,technewsworld.com##.content-tab-slinks +searchenginejournal.com##.content-unit +highsnobiety.com##.contentAdWrap +newmexicomagazine.org##.contentRender_name_plugins_dtn_gam_ad ancient-origins.net##.content_add_block -kohit.net##.content_banner_right -gamefront.com##.content_bottom_cap -laradiofm.com##.content_div3 -domainnamewire.com##.content_posts_promotion -sythe.org##.content_sa_top -globrix.com##.content_slots_for_results_container -iafrica.com##.content_sponsoredLinksBox -goodgearguide.com.au,pcworld.idg.com.au##.contentpage-boombox -nexus404.com##.contentpostTAD -sc2ranks.com##.contentright -coinurl.com##.contents -gamenguide.com##.contents > .mleft a[href^="https://www.amazon.com/"] -huffingtonpost.com##.contin_below -shtfplan.com##.continue + div[style="padding: 10px 0px 10px 0px;"] + div[style="background-color: #CDE8FC; padding: 5px 0px 5px 5px;"] -businessinsider.com##.continue-link -netnewscheck.com##.continue-text -notcot.org##.conversationalist_outer -list25.com##.converter -sharaget.com##.coollist -madison.com##.coupon -gamecoupongrid.com##.coupon-card.feature-card -gamecoupongrid.com##.coupon-head.feature-card-head -columbian.com##.coupon-widget -wnst.net##.coupon_block -ftadviser.com##.cpdSponsored -afr.com##.cq-sponsored-content -politicalwire.com##.cqheadlinebox -mtvema.com##.crazy-sponsorships -snopes.com##.creative -merriam-webster.com##.creative-300_BOT-container -merriam-webster.com##.creative-300_TOP-container -plus.im##.creativeWrapper -cgsociety.org##.creditcardAD -forumpromotion.net##.crm[style="text-align: left;"] +wikiwand.com##.content_headerAd__USjzd +nationalmemo.com##.content_nm_placeholder +insta-stories-viewer.com##.context +usedcarnews.com##.continut +metar-taf.com##.controls-right +live-tennis.eu##.copyright +imdb.com##.cornerstone_slot +physicsworld.com##.corporate-partners +corrosionhour.com##.corro-widget +pcworld.com##.coupons +creativecow.net##.cowtracks-interstitial +creativecow.net##.cowtracks-sidebar-with-cache-busting +creativecow.net##.cowtracks-target +coinpaprika.com##.cp-table__row--ad-row +cpomagazine.com##.cpoma-adlabel +cpomagazine.com##.cpoma-main-header +cpomagazine.com##.cpoma-target +chronline.com##.cq-creative +theweather.net##.creatividad +mma-core.com##.crec +currys.co.uk##.cretio-sponsored-product +meijer.com##.criteo-banner +davidjones.com##.criteo-carousel-wrapper +currys.co.uk##.criteoproducts-container irishtimes.com##.cs-teaser -wric.com##.csWxSponsor -celebuzz.com##.cs_banner728_top -candystand.com##.cs_square_banner -candystand.com##.cs_tall_banner -candystand.com##.cs_wide_banner -carsales.com.au##.csn-ad-preload -reverb.com##.csp-embedded-card -systemrequirementslab.com##.cta-button -columbian.com##.cta[style="margin-top: -10px;"] -terra.com##.ctn-tgm-bottom-holder -funny.com##.ctnAdBanner -indiatimes.com##.ctn_ads_twins -shazam.com##.ctrl-bar__button-buy -shazam.com##.ctrl-bar__buybtn -homefinder.com##.cubeContainer -toolslib.net##.custom -manilastandard.net##.custom-banner-customize -forumpromotion.net##.custom-foot + .forumbg2 -101cargames.com##.custom-siteskin -malwarehelp.org##.custom_1_box -annistonstar.com##.custom_hot_deal_image -jobhits.co.uk##.cvads +staradvertiser.com##.csMon +c-span.org##.cspan-ad-still-prebid-wrapper +c-span.org##.cspan-ad-still-wrapper +healthline.com##.css-12efcmn +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.css-142l3g4 +pgatour.com##.css-18v0in8 +mui.com##.css-19m7kbw +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##.css-1cg0byz +crazygames.com##.css-1h6nq0a +pgatour.com##.css-1t41kwh +infowars.com##.css-1upmbem +infowars.com##.css-1vj1npn +gamingbible.com##.css-1z9hhh +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##.css-20w1gi +delish.com##.css-3oqygl +news.abs-cbn.com##.css-a5foyt +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.css-bs95eu +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.css-oeful5 +sbs.com.au##.css-p21i0d +cruisecritic.co.uk,cruisecritic.com,cruisecritic.com.au##.css-v0ecl7 +nytimes.com##.css-wmyc1 +thestreet.com##.csw-ae-wide +christianitytoday.com##.ct-ad-slot +comparitech.com##.ct089 +unmineablesbest.com##.ct_ipd728x90 +comparitech.com##.ct_popup_modal +amateurphotographer.com,cryptoslate.com,techspot.com##.cta +dailydot.com##.cta-article-wrapper +w3docs.com##.cta-bookduck +simracingsetup.com##.cta-box +thelines.com##.cta-content +finbold.com##.cta-etoro +thelines.com##.cta-row +filerio.in##.ctl25 +timesofindia.indiatimes.com##.ctn-workaround-div +u.today##.ctyptopcompare__widget +genius.com##.cujBpY +pcgamesn.com##.curated-spotlight +speedrun.com##.curse +pokebattler.com##.curse-ad +indiabusinessjournal.com##.cus-ad-img +dexscreener.com##.custom-1hol5du +dexscreener.com##.custom-1ii6w9 +dexscreener.com##.custom-1l0hqwu +dexscreener.com##.custom-97cj9d +slidehunter.com##.custom-ad-text +fastestvpns.com##.custom-banner +addictivetips.com,coinweek.com,news365.co.za,simscommunity.info##.custom-html-widget +patriotnewsfeed.com##.custom-html-widget [href] > [src] +thestudentroom.co.uk##.custom-jucdap +thehackernews.com##.custom-link +breakingnews.ie##.custom-mpu-container +ehitavada.com##.custom-popup +dexscreener.com##.custom-torcf3 +total-croatia-news.com##.custombanner +the-sun.com,thescottishsun.co.uk,thesun.co.uk,thesun.ie##.customiser-v2-layout-1-billboard +the-sun.com,thescottishsun.co.uk,thesun.co.uk,thesun.ie##.customiser-v2-layout-three-native-ad-container +f150lightningforum.com##.customizedBox +coincarp.com##.customspon +citywire.com##.cw-top-advert futurecurrencyforecast.com##.cwc-tor-widget -glumbouploads.com##.d0_728 -lindaikejisblog.com,thomasnet.com##.da -diply.com##.da-disclaimer -arabianindustry.com##.da-leaderboard -urbandictionary.com##.da-panel -thedailywtf.com##.daBlock -diply.com##.dad-spot -bitcoinmagazine.com##.dael-da -adelaidenow.com.au,cairnspost.com.au,couriermail.com.au,dailytelegraph.com.au,geelongadvertiser.com.au,goldcoastbulletin.com.au,heraldsun.com.au,ntnews.com.au,themercury.com.au,townsvillebulletin.com.au,weeklytimesnow.com.au##.dailydeals-wrapper -yahoo.com##.darla-container -tesco.com##.dart -americanphotomag.com,ecnmag.com,manufacturing.net,webuser.co.uk##.dart-tag -wetv.com##.dart300x250Border -drum.co.za,you.co.za##.dating-widget -mrarrowhead.com##.dating_site_banner -lloydslistaustralia.com.au##.db-leaderboard-container -itv.com##.db-mpu +marketwatch.com##.cxense-loading +usmagazine.com##.cy-storyblock +bleepingcomputer.com##.cz-toa-wrapp +coingraph.us,hosty.uprwssp.org##.d +blockchair.com##.d-block +fastpic.ru,freesteam.io##.d-lg-block +calendar-canada.ca,osgamers.com##.d-md-block +thestreamable.com##.d-md-flex +publish0x.com##.d-md-none.text-center +arbiscan.io##.d-none.text-center.pl-lg-4.pl-xll-5 +cutyt.com,onlineocr.net,publish0x.com##.d-xl-block +techonthenet.com##.d0230ed3 +artsy.net##.dDusYa +yourstory.com##.dJEWSq +fxempire.com##.dKBfBG +cryptorank.io##.dPbBGP +standard.co.uk##.dXaqls +vogue.com.au##.dYmYok +timesofindia.indiatimes.com##.d_jsH.mPws3 +androidauthority.com##.d_um +counter.dev,lindaikejisblog.com##.da +engadget.com##.da-container +hackernoon.com##.dabytag +capitalfm.com,capitalxtra.com,classicfm.com,goldradio.com,heart.co.uk,smoothradio.com##.dac__mpu-card +smartprix.com##.dadow-box +lifewire.com##.daily-deal +dailycaller.com##.dailycaller_adhesion +4chan.org,boards.4channel.org##.danbo-slot +cnbctv18.com##.davos-top-ad +sportshub.stream##.db783ekndd812sdz-ads foobar2000.org##.db_link -herald.co.zw##.dban -startups.co.uk##.dc-leaderboard -dailycaller.com##.dc-sticky -kibagames.com##.dc_color_lightgreen.dc_bg_for_adv -ohiostatebuckeyes.com##.dcad -elitistjerks.com##.dcc -dailydot.com##.dd-sponsored -trutv.com##.ddad -bts.ph,btscene.eu##.ddl_det_anon -btscene.eu##.ddl_srch -hdtvtest.co.uk##.deal -techradar.com##.deal-block -azstarnet.com,poststar.com,wcfcourier.com##.deal-container -pcmag.com##.deal-widget -kmov.com##.dealLeft -kmov.com##.dealRight -nbcnews.com##.deals -pcworld.idg.com.au##.deals-box -independent.com.mt##.deals-container -thewirecutter.com##.deals-love +wuxiaworld.site##.dcads +driverscloud.com##.dcpub +theguardian.com##.dcr-1aq0rzi +dailydriven.ro##.dd-dda +fxempire.com##.ddAwpw +datedatego.com##.ddg +datedatego.com##.ddg0 +darkreader.org##.ddgr +sgcarmart##.dealer_banner slashdot.org##.deals-wrapper -kusports.com##.deals_widget -smh.com.au##.debtBusters -smashingmagazine.com,tripwiremagazine.com##.declare -wsj.com##.deloitte_disclaimer -softpile.com##.desadvs -mindspark.com,myway.com,mywebsearch.com##.desc -mysearch.com##.desc > div -good.is##.description -desi-tashan.com##.desi_300 -nextcity.org##.desktop-display -4archive.org,randomarchive.com##.desktop[style="text-align:center"] -northjersey.com##.detail_boxwrap -northjersey.com##.detail_pane_text -heroturko.me##.detay -gearburn.com,marinmagazine.com,memeburn.com,motorburn.com,nhbr.com,scpr.org,shop.com,suntimes.com,techinsider.io,theonion.com,urbandictionary.com,ventureburn.com,wareable.com##.dfp -guidelive.com##.dfp--300x250 -premier.org.uk,premierchildrenswork.com,premierchristianity.com,premierchristianradio.com,premiergospel.org.uk,premieryouthwork.com##.dfp-block -suntimes.com##.dfp-cube -timesfreepress.com##.dfp-instory -healthline.com##.dfp-lb-wrapper -techradar.com##.dfp-leaderboard-container -blastingnews.com##.dfp-leaderbord -urbandictionary.com##.dfp-panel -upworthy.com##.dfp-responsive-slot -maltatoday.com.mt##.dfp-slot -sodahead.com##.dfp300x250 -sodahead.com##.dfp300x600 -ket.org##.dfp_primary -premier.org.uk,premierchildrenswork.com,premierchristianity.com,premierchristianradio.com,premiergospel.org.uk,premieryouthwork.com##.dfp_strip -dafont.com##.dfsmall[style="background:#fff"] -dafont.com##.dfxsmall[style="text-align:right;color:#999"] -hpcwire.com##.diana -reference.com##.dic_bk -zdnet.com##.dirListSuperSpons -1337x.to,torrentdownloads.me##.direct -sumotorrent.sx##.directStreaming -sumotorrent.sx##.directStreamingText -softarchive.net##.direct_download +defiantamerica.com##.defia-widget +nettv4u.com##.desk_only +newindian.in##.deskad +cardealermagazine.co.uk##.desktop +livesoccertv.com##.desktop-ad-container +vitalmtb.com##.desktop-header-ad +rok.guide##.desktop-promo-banner +tiermaker.com##.desktop-sticky +buzzfeed.com,buzzfeednews.com##.desktop-sticky-ad_desktopStickyAdWrapper__a_tyF +hanime.tv##.desktop.htvad +randomarchive.com##.desktop[style="text-align:center"] +australiangolfdigest.com.au##.desktop_header +inquirer.net##.desktop_smdc-FT-survey +cyclingstage.com,news18.com,techforbrains.com##.desktopad +news18.com##.desktopadh +coingape.com##.desktopds +news18.com##.desktopflex +ancient-origins.net##.desktops +flashscore.co.za,flashscore.com,livescore.in,soccer24.com##.detailLeaderboard +giphy.com##.device-desktop +floridapolitics.com##.dfad +avclub.com,gadgetsnow.com,infosecurity-magazine.com,jezebel.com,nationaljeweler.com,pastemagazine.com,splinter.com,theonion.com##.dfp +gazette.com,thehindu.com##.dfp-ad +vox.com##.dfp-ad--connatix +ibtimes.com##.dfp-ad-lazy +yts.mx##.dfskieurjkc23a +dailyfx.com##.dfx-article__sidebar +dollargeneral.com##.dgsponsoredcarousel +decripto.org##.dialog-lightbox-widget +politicspa.com##.dialog-type-lightbox +financefeeds.com##.dialog-widget +kiplinger.com##.dianomi_gallery_wrapper +kmplayer.com##.dim-layer +temporary-phone-number.com##.direct-chat-messages > div[style="margin:15px 0;"] +disk.yandex.com,disk.yandex.ru##.direct-public__sticky-box +notes.io##.directMessageBanner premiumtimesng.com##.directcampaign -world-airport-codes.com##.directory-airport -yifyddl.movie##.dirurl -news.com.au##.disclaimer-footer -chacha.com,omghype.com##.disclosure -govevents.com##.display -protipster.com##.display--desktop-banner -sporcle.com##.display-wide -1cookinggames.com,yokogames.com##.displaygamesbannerspot3 -hellopeter.com##.div1 -hellopeter.com##.div2 -israelnationalnews.com##.div300 -espncricinfo.com##.div300Pad -aniweather.com##.divBottomNotice -aniweather.com##.divCenterNotice -kissmanga.com##.divCloseBut -alternativeto.net##.divLeaderboardLove -citizensvoice.com##.div_pfwidget -hellobeautiful.com##.diversity-one-widget -cfweradio.ca##.dl -mediafire.com##.dlInfo-Apps -download3k.com##.dl_button -orlydb.com##.dlright -dreammining.com##.dm-adds -answers.yahoo.com##.dmRosMBAdBorder -dailymotion.com##.dmpi_masscast -allrecipes.com##.docking-leaderboard-container -urbandictionary.com##.domains -i4u.com##.dotted +happywayfarer.com##.disclosure +oneindia.com##.discounts-head +audiokarma.org##.discussionListItem > center +apkcombo.com##.diseanmevrtt +airmail.news,govevents.com,protipster.com##.display +flightconnections.com##.display-box +flightconnections.com##.display-box-2 +legacy.com##.displayOverlay1 +designtaxi.com##.displayboard +theodysseyonline.com##.distroscale_p2 +theodysseyonline.com##.distroscale_side +nottinghampost.com##.div-gpt-ad-vip-slot-wrapper +readcomiconline.li##.divCloseBut +jpost.com##.divConnatix +tigerdroppings.com##.divHLeaderFull +newser.com##.divNColAdRepeating +sailingmagazine.net##.divclickingdivwidget +ebaumsworld.com,greedyfinance.com##.divider +thelist.com##.divider-heading-container +karachicorner.com##.divimg +fruitnet.com##.dk-ad-250 +meteologix.com##.dkpw +meteologix.com,weather.us##.dkpw-billboard-margin +dongknows.com##.dkt-amz-deals +dongknows.com##.dkt-banner-ads +wallpaperbetter.com##.dld_ad +globalgovernancenews.com##.dlopiqu +crash.net##.dmpu +crash.net##.dmpu-container +nationalworld.com,scotsman.com##.dmpu-item +vice.com##.docked-slot-renderer +thehackernews.com##.dog_two +quora.com##.dom_annotate_ad_image_ad +quora.com##.dom_annotate_ad_promoted_answer +quora.com##.dom_annotate_ad_text_ad +domaingang.com##.domai-target +thenationonlineng.net##.dorvekp-post-bottom gearlive.com##.double -techtipsgeek.com##.double-cont -readamericanfootball.com,readarsenal.com,readastonvilla.com,readbasketball.com,readbetting.com,readbournemouth.com,readboxing.com,readbrighton.com,readbundesliga.com,readburnley.com,readcars.co,readceltic.com,readchampionship.com,readchelsea.com,readcricket.com,readcrystalpalace.com,readeverton.com,readeverything.co,readfashion.co,readfilm.co,readfood.co,readfootball.co,readgaming.co,readgolf.com,readhorseracing.com,readhuddersfield.com,readhull.com,readinternationalfootball.com,readlaliga.com,readleicester.com,readliverpoolfc.com,readmancity.com,readmanutd.com,readmiddlesbrough.com,readmma.com,readmotorsport.com,readmusic.co,readnewcastle.com,readnorwich.com,readnottinghamforest.com,readolympics.com,readpl.com,readrangers.com,readrugbyunion.com,readseriea.com,readshowbiz.co,readsouthampton.com,readsport.co,readstoke.com,readsunderland.com,readswansea.com,readtech.co,readtennis.co,readtottenham.com,readtv.co,readussoccer.com,readwatford.com,readwestbrom.com,readwestham.com,readwsl.com##.double-mpu -bigtop40.com,capitalfm.com,capitalxtra.com,classicfm.com,dirtymag.com,heart.co.uk,mygoldmusic.co.uk,radiox.co.uk,smoothradio.com##.download -turbobit.net##.download-area-top -host1free.com##.download-block -1337x.to##.download-links .btn:not(.btn-magnet):not(.btn-torrent-download):not(.btn-torrent-mirror-download) -uwatchfree.co##.download-now -awdit.com##.download-right-add -turbobit.net##.download-top -pornograd.net##.downloadButton -wupload.com##.downloadOptionFooter -candystand.com##.download_free_games_ad -fileshut.biz,fileshut.com##.download_item2 -download-movie-soundtracks.com##.download_link > .direct_link -ettv.tv##.download_links -load.to##.download_right -filediva.com##.download_top -fileshut.biz,fileshut.com##.download_top2 -brothersoft.com##.downloadadv -brothersoft.com##.downloadadv1 -brothersoft.com##.downloadadv3 -defenseindustrydaily.com##.downloads -9gag.com##.dpa-300 -9gag.com##.dpa-728 -equestriadaily.com##.drgwefowiehfoiwe -iol.co.za##.drive-360 -systemrequirementslab.com##.driveragent -ashampoo.com##.driverupdater -journalnow.com##.dt_mod -digitaltrends.com##.dtads-slot -googleping.com,search.com##.dtext -darkreading.com##.dualRight -bloomberg.com##.dvz-widget-sponsor -msn.com##.dynamicRRWrapper -webmd.com##.dynbm_wrap -arabtimesonline.com##.e3lan -techraptor.net,watchreport.com##.e3lan300_250-widget +radiox.co.uk,smoothradio.com##.download +zeroupload.com##.download-page a[rel="noopener"] > img +thepiratebay3.to##.download_buutoon +thesun.co.uk##.dpa-slot +radiopaedia.org##.drive-banner +dola.com##.ds-brand +dola.com##.ds-display-ad +cryptonews.com##.dslot +kickasstorrents.to##.dssdffds +digitaltrends.com,themanual.com##.dt-primis +digitaltrends.com##.dtads-location +digitaltrends.com##.dtcc-affiliate +yts.mx##.durs-bordered +bloomberg.com##.dvz-v0-ad +daniweb.com##.dw-inject-bsa +ubereats.com##.dw.ec +dmarge.com##.dx-ad-wrapper +coinpaprika.com##.dynamic-ad +dailydot.com##.dynamic-block +nomadlist.com##.dynamic-fill +coingraph.us##.e +dailyvoice.com##.e-freestar-video-container +dailyvoice.com##.e-nativo-container +hosty.uprwssp.org##.e10 +op.gg##.e17e77tq6 +op.gg##.e17e77tq8 +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.e1xxpj0j1.css-4vtjtj +techonthenet.com##.e388ecbd +arabtimesonline.com,independent.co.ug,nigerianobservernews.com,songslover.vip,udaipurkiran.com##.e3lan +presskitaquat.com##.e3lan-top tiresandparts.net##.e3lanat-layout-rotator +techonthenet.com##.e72e4713 +fxempire.com##.eLQRRm +artsy.net##.ePrLqP euractiv.com##.ea-gat-slot-wrapper -aol.co.uk,cnet.com.au,msn.com##.ebay -amateurphotographer.co.uk##.ebay-deals -carandclassic.co.uk##.ebayRSS -psu.com##.ebayh1 -gumtree.com##.ecn-display-block -ecosia.org##.ecolink-search-result -teenvogue.com##.ecom-placement -theblaze.com##.ecomm-widget -segmentnext.com##.ecommerce-data -smashingmagazine.com##.ed -smashingmagazine.com##.ed-us -timeoutabudhabi.com##.editoral_banner -businessinsider.com.au##.editorial-aside +expats.cz##.eas +itwire.com,nativenewsonline.net##.eb-init +ablogtowatch.com##.ebay-placement +gfinityesports.com##.ecommerceUnit newagebd.net##.editorialMid -dailymail.co.uk##.editors-choice.ccox.link-ccox.linkro-darkred -experts-exchange.com##.eeAD -notebooks.com##.efbleft -trustedreviews.com##.egl-tabbed-content -facebook.com##.ego_section a[href^="http://l.facebook.com/l.php?u="][href*="%26adgroup_id%"] -facebook.com##.ego_section a[href^="http://l.facebook.com/l.php?u="][href*="utm_medium"] -facebook.com##.ego_section a[href^="http://l.facebook.com/l.php?u="][href*="utm_source"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="%26ad_id%"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="%26ad_id%"] + div -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="%26adgroup_id%"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="%3Fcampaign%3D"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*=".intelliad.de"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="adfarm.mediaplex.com"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="fb_source%3Dad%26tag%3D"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="fb_source%3Dad%26tag%3D"] + div -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="https%3A%2F%2Fgoo.gl%2F"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="utm_medium"] -facebook.com##.ego_section a[href^="https://l.facebook.com/l.php?u="][href*="utm_source"] -priceonomics.com##.eib-banner -lyrster.com##.el_results -pirateiro.com##.embedded > center -playbill.com##.embedded-banner -soccerstand.com##.enet_banner_container -israelhayom.com##.english_banner_300_250 -sourceforge.net##.enhanced-listing -lfpress.com##.entertainmentSponsorshipContainer -entrepreneur.com##.entnative -cbslocal.com,radio.com##.entry-injected-block -infoq.com##.entrysponsors -wrytestuff.com##.eoc250 -electronicproducts.com##.ep-boombox-advertisment -putlocker.ninja##.ep_buttons -nbcnews.com##.eshopStory -metacritic.com##.esite_list -easyvoyage.co.uk##.esv-pub-300-250 -themirrorbay.com##.et_pb_promo -thecommonsenseshow.com##.et_pb_row -readthedocs.io##.ethical-rtd -adnkronos.com##.evidenceBox -mobafire.com##.exhibit-narrow -mobafire.com##.exhibit-vertical -logupdateafrica.com##.expandable-banner -miami.com##.expedia-widget -nytimes.com##.expediaBooking -mercurynews.com##.expertBox -seattletimes.com##.explore-block -bestvpn.com##.expressvpn-box -ddlvalley.net##.ext-link -gizchina.com,leadership.ng##.external -smithsonianmag.com##.external-associated -smithsonianmag.com##.external-associated-products -realestate.co.nz##.externalLinkBar -ludokado.com##.external_revenue_accueil -racedepartment.com##.extraFooter -thefinancialexpress-bd.com##.extraLink -tucows.com##.f11 -india.com##.fBannerAside -computerworld.co.nz##.fairfax_nav -inturpo.com##.fake_embed_ad_close -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##.fallback-unit -competitor.com##.fancybox-overlay -commentarymagazine.com##.fancybox-wrap -themoviedb.org##.fanhattan -might.net##.fat-container -smarter.com##.favboxmiddlesearch -smarter.com##.favwrapper -finder.com.au##.fbbHero -tormovies.org##.fbd-banner -sharkscope.com##.fbstyle -theguardian.com##.fc-slice__item--mpu-candidate -theguardian.com##.fc-slice__popular-mpu -bankrate.com##.fcAdGrey -webcenters.netscape.compuserve.com##.fcCntnr -cnet.com##.fd2016-topdeals -cnet.com##.fd2016-topdeals-cheapskate -ebay.com##.fdad1 -ghanaweb.com##.featLks -reason.com##.feature -wowheadnews.com##.feature-aside +editpad.org##.edsec +theepochtimes.com##.eet-ad +clutchpoints.com##.ehgtMe.sc-ed3f1eaf-1 +filmibeat.com##.ele-ad +sashares.co.za##.elementor-48612 +cryptopolitan.com##.elementor-element-094410a +hilltimes.com##.elementor-element-5818a09 +analyticsindiamag.com##.elementor-element-8e2d1f0 +waamradio.com##.elementor-element-f389212 +granitegrok.com##.elementor-image > [data-wpel-link="external"] +optimyz.com,ringsidenews.com##.elementor-shortcode +canyoublockit.com##.elementor-widget-container > center > p +vedantbhoomi.com##.elementor-widget-smartmag-codes +radiotimes.com##.elementor-widget-wp-widget-section_full_width_advert +azscore.com##.email-popup-container +worldscreen.com##.embdad +phys.org##.embed-responsive-trendmd +autostraddle.com##.end-of-article-ads +endtimeheadlines.org##.endti-widget +floridianpress.com##.enhanced-text-widget +cathstan.org##.enticement-link +upfivedown.com##.entry > hr.wp-block-separator + .has-text-align-center +malwarefox.com##.entry-content > .gb-container +kupondo.com##.entry-content > .row +nagpurtoday.in##.entry-content > div[style*="max-width"] +huffingtonpost.co.uk,huffpost.com##.entry__right-rail-width-placeholder +euronews.com##.enw-MPU +essentiallysports.com##.es-ad-space-container +techspot.com##.es3s +marcadores247.com##.es_top_banner +esports.net##.esports-ad +alevelgeography.com,shtfplan.com,yournews.com##.et_pb_code_inner +navajotimes.com##.etad +mothership.sg##.events +evoke.ie##.evoke_billboard_single +appleinsider.com##.exclusive-wrap +mashable.com##.exco +nypost.com##.exco-video__container +executivegov.com##.execu-target +executivegov.com##.execu-widget +metric-conversions.org##.exists +gobankingrates.com##.exit-intent +proprivacy.com##.exit-popup.modal-background +streamingmedia.com##.expand +thejakartapost.com##.expandable-bottom-sticky +appuals.com##.expu-protipeop +appuals.com##.expu-protipmiddle_2 +thepostemail.com##.external +pixabay.com##.external-media +dexerto.com##.external\:bg-custom-ad-background +yourbittorrent.com##.extneed +navajotimes.com##.extra-hp-skyscraper +textcompare.org##.ez-sidebar-wall +futuregaming.io##.ez-video-wrap +cgpress.org##.ezlazyloaded.header-wrapper +chorus.fm##.f-soc +formula1.com##.f1-dfp-banner-wrapper +techonthenet.com##.f16bdbce +audiophilereview.com##.f7e65-midcontent +audiophilereview.com##.f7e65-sidebar-ad-widget +globimmo.net##.fAdW +dictionary.com,thesaurus.com##.fHACXxic9xvQeSNITiwH +datenna.com##.fPHZZA +btcmanager.com##.f_man_728 +infoq.com##.f_spbox_top_1 +infoq.com##.f_spbox_top_2 +freeads.co.uk##.fa_box_m +evite.com##.fabric-free-banner-ad__wrapper +tvtropes.org##.fad +slideshare.net##.fallback-ad-container +tokyvideo.com##.fan--related-videos.fan +channelnewsasia.com##.fast-ads-wrapper +imgur.com##.fast-grid-ad +thepointsguy.com##.favorite-cards +futbin.com##.fb-ad-placement +triangletribune.com##.fba_links +newspointapp.com##.fbgooogle-wrapper +forbes.com##.fbs-ad--mobile-medianet-wrapper +forbes.com##.fbs-ad--ntv-deskchannel-wrapper +forbes.com##.fbs-ad--ntv-home-wrapper +whatismyipaddress.com##.fbx-player-wrapper +businessinsider.in##.fc_clmb_ad_mrec +filmdaily.co##.fd-article-sidebar-ad +filmdaily.co##.fd-article-top-banner +filmdaily.co##.fd-home-sidebar-inline-rect +foodbeast.com##.fdbst-ad-placement +citybeat.com,metrotimes.com,riverfronttimes.com##.fdn-gpt-inline-content +cltampa.com,orlandoweekly.com,sacurrent.com##.fdn-interstitial-slideshow-block +browardpalmbeach.com,dallasobserver.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##.fdn-site-header-ad-block +citybeat.com,metrotimes.com##.fdn-teaser-row-gpt-ad +citybeat.com,riverfronttimes.com##.fdn-teaser-row-teaser +w3techs.com##.feat +convertcase.net##.feature +costco.com##.feature-carousel-container[data-rm-format-beacon] +softarchive.is##.feature-usnt mumbrella.com.au##.featureBanner -aubizbuysell.com.au,findthatfile.com,lifestyle.yahoo.com,nzbizbuysell.co.nz,nzcommercial.co.nz,nzfranchises.co.nz,simplyhired.com,yellowpages.com##.featured -recombu.com##.featured-deal -sidereel.com##.featured-episode-link -everydayhealth.com##.featured-group -bbc.com##.featured-native -siliconrepublic.com##.featured-partners -canstar.com.au##.featured-product-container -ar12gaming.com,geekwire.com##.featured-sponsor -upworthy.com##.featured-sponsor-iframe -nepr.net##.featured-underwriter-slider -newafricanmagazine.com##.featured-video -moneyweb.co.za##.featured-video-widget -top1000.ie##.featured300x260 -lfpress.com##.featuredBusinesses -gmatclub.com##.featuredSchool -infoworld.com##.featuredSponsor-strip -whitepages.ae##.featured_companies_bg_main -mousebreaker.com##.featured_games_band -candystand.com##.featured_partners_title -newsie.co.nz##.featured_property -tv.com##.featured_providers -kaotic.com##.featured_user_upload_content -siliconrepublic.com##.featuredemployers -id-box.biz##.featuredlinksBox -olx.co.nz##.featuredtitlepremium -india.com##.ff-sponser -cnn.com##.fg_presentedBy -fifa.com##.fi-sponsor-list--home -topgear.com##.field--name-cars-we-buy-any-car -stuff.tv##.field-field-promo-node-teaser -kdvr.com##.filler -cokeandpopcorn.com##.filler728 -nagpurtoday.in##.film-right-s -gmatclub.com##.financialPartners -adn.com,bellinghamherald.com,bnd.com,bradenton.com,centredaily.com,enquirerherald.com,fortmilltimes.com,fresnobee.com,heraldonline.com,idahostatesman.com,islandpacket.com,kentucky.com,lakewyliepilot.com,ledger-enquirer.com,macon.com,mercedsunstar.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sanluisobispo.com,sunherald.com,thestate.com,tri-cityherald.com##.findnsave_combo -flashvids.org##.fixe -newsbtc.com##.fixed-banner-container -mentalfloss.com##.fixed-footer-section -america.fm,australia.fm,belgie.fm,danmark.fm,deutschland.fm,england.fm,espana.fm,india.fm,italia.fm,lafrance.fm,nederland.fm,norge.fm,polskafm.pl,sverige.fm##.fl.banbo -america.fm,australia.fm,belgie.fm,danmark.fm,deutschland.fm,england.fm,espana.fm,india.fm,italia.fm,lafrance.fm,nederland.fm,norge.fm,polskafm.pl,sverige.fm##.fl.m -trustedreviews.com##.flamingo-widget-root -alwatanvoice.com##.flash-160x600 -alwatanvoice.com##.flash-728x90 -letitbit.net##.flash-not-found -canberratimes.com.au##.flashfloater -contactmusic.com##.flexibleLeaderboard -nepr.net,tennisearth.com##.flexslider -mysuburbanlife.com##.flipp_module -kissmanga.com,shareae.com##.float-ck -gsmchoice.com##.floatLeft -tradekey.com##.float_left -notcot.com##.floatbox -notcot.com,xuuby.com,zonytvcom.info##.floater -treehugger.com##.floater-indiv -zylom.com##.floor_wrapper -htmldog.com##.flower -amctheatres.com##.flt-ad-strut -adcrun.ch,bc.vc##.fly_frame -globalnews.ca##.flyer-info -calgaryherald.com,edmontonjournal.com,leaderpost.com,lfpress.com,montrealgazette.com,ottawacitizen.com,thestarphoenix.com,vancouversun.com,windsorstar.com##.flyers-header -brandonsun.com,winnipegfreepress.com##.flyertown_spotlight -futurenet.club##.fn-banner -newsobserver.com##.focus_box -inquirer.net##.fontgraysmall -greatbritishlife.co.uk##.foot-banners -radiozindagi.com##.foot_top -donegaltv.ie,emergencyemail.org,monitor.co.ug,nation.co.ke,thecitizen.co.tz##.footer -healthcentral.com##.footer--promo -ksstradio.com,scientificamerican.com,spectator.co.uk##.footer-banner -directorslive.com##.footer-banner-img -935kday.com##.footer-banners -wowhead.com##.footer-bgimg -premiumtimesng.com##.footer-bottom-slider -xbitlabs.com##.footer-cap -people.com##.footer-cmad -africasports.net##.footer-columns -standardmedia.co.ke##.footer-full-banner -foxsports.com##.footer-image -931dapaina.com,elitetraveler.com##.footer-leaderboard -earthsky.org##.footer-leaderboard-wrapper -ferrari.com##.footer-main__sponsors -thecinemasource.com##.footer-marketgid +eagle1065.com##.featureRotator +insidehpc.com##.featured-728x90-ad +news24.com##.featured-category +cnn.com##.featured-product__card +apexcharts.com,ar12gaming.com##.featured-sponsor +eetimes.com##.featured-techpaper-box +thenationonlineng.net##.featured__advert__desktop_res +motor1.com##.featured__apb +chess-results.com##.fedAdv +tvfanatic.com##.feed_holder +forum.lowyat.net##.feedgrabbr_widget +whosdatedwho.com##.ff-adblock +gq.com.au##.ffNDsR +newser.com##.fiavur2 +filecrypt.cc##.filItheadbIockgueue3 +filecrypt.cc,filecrypt.co##.filItheadbIockqueue3 +telugupeople.com##.fineprint +bestlifeonline.com,zeenews.india.com##.first-ad +proprofs.com##.firstadd +thestranger.com##.fish-butter +fiskerati.com##.fiskerati-target +khaleejtimes.com##.fix-billboard-nf +khaleejtimes.com##.fix-mpu-nf +vice.com##.fixed-slot +dorset.live,liverpoolecho.co.uk##.fixed-slots +manhuascan.io##.fixed-top +star-history.com##.fixed.right-0 +theblock.co##.fixedUnit +cgdirector.com##.fixed_ad_container_420 +2conv.com##.fixed_banner +timesofindia.indiatimes.com##.fixed_elements_on_page +fixya.com##.fixya_primis_container +whatismyipaddress.com##.fl-module-wipa-concerns +whatismyipaddress.com##.fl-photo +omniglot.com##.flex-container +decrypt.co##.flex.flex-none.relative +libhunt.com##.flex.mt-5.boxed +ice.hockey##.flex_container_werbung +recipes.timesofindia.com##.flipkartbanner +klmanga.net,shareae.com##.float-ck +comedy.com##.floater-prebid +bdnews24.com##.floating-ad-bottom +chaseyoursport.com##.floating-adv +click2houston.com,clickondetroit.com,clickorlando.com,ksat.com,local10.com,news4jax.com##.floatingWrapper +thehindu.com##.flooting-ad +frankspeech.com##.flyer-space +golinuxcloud.com##.flying-carpet +momjunction.com,stylecraze.com##.flying-carpet-wrapper +emergencyemail.org,out.com##.footer +allthatsinteresting.com,scientificamerican.com##.footer-banner +wst.tv##.footer-logos +game8.co##.footer-overlay +dhakatribune.com##.footer-pop-up-ads-sec supercars.com##.footer-promo -getswiftfox.com##.footer-right -livebasketball.tv##.footer-sponsor -ar12gaming.com,sharksrugby.co.za,timestalks.com,wrc.com##.footer-sponsors -searchenginejournal.com##.footer-unit -btn.com##.footer-widgets -hd-trailers.net##.footer-win -footballorgin.net##.footer-wrap -101greatgoals.com##.footer-wrapper -twentytwowords.com##.footer-zone -nickutopia.com##.footer728 -wikinvest.com##.footerBrokerageCenter -socwall.com##.footerLinks -bundesliga.com##.footerPartners -londonlovesbusiness.com##.footerPartnerships -zynga.com##.footerPromo -abc.go.com##.footerRow -investing.com##.footerTradeNow -cartoonnetworkasia.com##.footerWrapper -jarkey.net##.footer_728 -olympicchannel.com##.footer__sponsor +filma24.ch##.footer-reklama +coinpedia.org##.footer-side-sticky +wtatennis.com##.footer-sponsors +skidrowcodexreloaded.com,tbsnews.net##.footer-sticky +searchcommander.com##.footer-widget +gelbooru.com##.footerAd2 +businessnow.mt,igamingcapital.mt,maltaceos.mt,whoswho.mt##.footer__second pbs.org##.footer__sub -sundownsfc.co.za##.footer_add -jackfm.co.uk,satbeams.com##.footer_banner -electronista.com##.footer_content_wrapper -maxgames.com##.footer_leaderboard -morningstar.in##.footer_links_wrapper -fiba.com##.footer_logos +satbeams.com##.footer_banner +techopedia.com##.footer_inner_ads +realmadrid.com##.footer_rm_sponsors_container tiresandparts.net##.footer_top_banner -scotsman.com##.footer_top_holder -datamation.com##.footerbanner -eurocupbasketball.com,euroleague.net##.footersponsors-container -videojug.com##.forceMPUSize -alphacoders.com##.form_info -northcoastnow.com##.formy -motorhomefacts.com##.forum-promo +ocado.com##.fops-item--advert +morrisons.com##.fops-item--externalPlaceholder +morrisons.com##.fops-item--featured +nintendolife.com,purexbox.com,pushsquare.com##.for-desktop +purexbox.com,pushsquare.com##.for-mobile.below-article +flatpanelshd.com##.forsideboks2 permies.com##.forum-top-banner newsroom.co.nz##.foundingpartners -b105.com##.fourSquare_outer -bc.vc##.fp-bar-dis -autotrader.co.uk##.fpa-deal-header -yahoo.com##.fpad -theiphoneappreview.com##.frame -tvguide.com##.franchisewrapper -freedom.tm##.frdm-sm-ico -sumotorrent.sx##.freeDirect -empowernetwork.com##.free_video_img -megashare.com##.freeblackbox -megashare.com##.freewhitebox -chowhound.com##.freyja_ads_lb -wharton.upenn.edu##.friend-module -artstation.com##.friends-of-artstation -mnn.com##.from-our-partners -spanishcentral.com##.from_spanish_central -executivetravelmagazine.com##.ft-add-banner -whatculture.com##.ft-banner -portalangop.co.ao,top1walls.com##.full-banner -thehindu.com##.full-width-add-footer -thehindu.com##.full-width-add-footer250 -marilyn.ca##.full-width.leaderboard -wikinvest.com##.fullArticleInset-NVAdSlotComponent -i4u.com##.fullStoryHeader + .SidebarBox -yifyddl.movie##.full_bottom -ptinews.com##.fullstoryadd -ptinews.com##.fullstorydivright -revolution935.com##.fullwidthbanner-container -ratebeer.com##.fums -anandtech.com,macrumors.com##.funbox -webmd.com##.funded_area -penny-arcade.com##.funding-horizontal -penny-arcade.com##.funding-vertical -whatismybrowser.com##.funholderleaderboard728 -mattgemmell.com##.fusion_attrib_footer -chrisbrownworld.com,myplay.com##.fwas300x250 -masterworksbroadway.com##.fwas728x90_top -bluntforcetruth.com,borneobulletin.com.bn,chronicle.gi,dallasvoice.com,hotnews.org.za,newsday.co.zw,nondoc.com,one.com.mt,radioinsight.com,southerneye.co.zw,theindependent.co.zw,thestandard.co.zw##.g -thelakewoodscoop.com##.g-col > a -nofilmschool.com##.g-leader -cnx-software.com,thegolfnewsnet.com##.g-single -prokerala.com##.gAS_468x60 +freepresskashmir.news##.fpkdonate +the-express.com##.fr-container +mathgames.com##.frame-container +ranobes.top##.free-support-top +freedomfirstnetwork.com##.freed-1 +looperman.com##.freestar +esports.gg##.freestar-esports_between_articles +esports.gg##.freestar-esports_leaderboard_atf +upworthy.com##.freestar-in-content +moviemistakes.com##.freestarad +sciencenews.org##.from-nature-index__wrapper___2E2Z9 +19thnews.org##.front-page-ad-takeover +cryptocompare.com##.front-page-info-wrapper +slickdeals.net##.frontpageGrid__bannerAd +fxempire.com##.frzZuq +tripstodiscover.com##.fs-dynamic +tripstodiscover.com##.fs-dynamic__label +j-14.com##.fs-gallery__leaderboard +alphr.com##.fs-pushdown-sticky +newser.com##.fs-sticky-footer +bossip.com##.fsb-desktop +bossip.com##.fsb-toggle +ghacks.net##.ftd-item +newser.com##.fu4elsh1yd +livability.com##.full-width-off-white +theblock.co##.fullWidthDisplay +greatandhra.com##.full_width_home.border-topbottom +zoonek.com##.fullwidth-ads +whatismybrowser.com##.fun-info-footer +whatismybrowser.com##.fun-inner +artscanvas.org##.funders +ferrarichat.com##.funzone +savemyexams.co.uk##.fuse-desktop-h-250 +savemyexams.co.uk##.fuse-h-90 +snowbrains.com##.fuse-slot-dynamic +psypost.org##.fuse-slot-mini-scroller +stylecraze.com##.fx-flying-carpet +fxstreet.com##.fxs_leaderboard +aframnews.com,afro.com,animationmagazine.net,aurn.com,aviacionline.com,blackvoicenews.com,borneobulletin.com.bn,brewmasterly.com,businessday.ng,businessofapps.com,carstopia.net,chargedevs.com,chicagodefender.com,chimpreports.com,coinweek.com,collive.com,coralspringstalk.com,dailynews.co.zw,dailysport.co.uk,dallasvoice.com,defence-industry.eu,dieworkwear.com,draxe.com,gadgetbuzz.net,gatewaynews.co.za,gayexpress.co.nz,gematsu.com,hamodia.com,illustrationmaster.com,islandecho.co.uk,jacksonvillefreepress.com,marionmugshots.com,marshallradio.net,mediaplaynews.com,moviemaker.com,newpittsburghcourier.com,nondoc.com,postnewsgroup.com,richmondshiretoday.co.uk,sammobile.com,savannahtribune.com,spaceref.com,swling.com,talkers.com,talkradioeurope.com,thegolfnewsnet.com,utdmercury.com,waamradio.com,webpokie.com,womensagenda.com.au##.g +coinweek.com##.g-389 +dailyjournalonline.com##.g-dyn +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##.g-paid +domainnamewire.com,douglasnow.com,goodthingsguy.com##.g-single +yellowise.com##.g-widget-block titantv.com##.gAd -about.com##.gB -free-games.net##.gPBoxAD -search.babylon.com##.gRsAdw -search.babylon.com##.gRsSlicead -claro-search.com,isearch.babylon.com,search.babylon.com##.gRsTopLinks -colorgirlgames.com##.g_160X600 -popgals.com##.g_adt -forum.freeadvice.com##.g_info -ambulance-photos.com,bus-and-coach-photos.com,campervan-photos.com,classic-and-vintage-cars.com,construction-and-excavation.com,fire-engine-photos.com,military-vehicle-photos.com,motorcycles-motorbikes.com,oilrig-photos.com,planesandchoppers.com,police-car-photos.com,racing-car-photos.com,shipsandharbours.com,taxi-photos.com,traction-engines.net,tractor-photos.com,train-photos.com,transport-models.com,truck-photos.net,yourboatphotos.com##.ga200[style="width:250px;height:250px;float:right;margin:5px 5px 5px 10px;"] -celebrityrumors.com,embarrassingissues.co.uk,goworkabroad.co.uk,page2rss.com,uptodown.com##.gad -enotalone.com##.gadb -snowboarding-essentials.com##.gadbdrtxt -gamerant.com,larousse.com##.gads -toptenwholesale.com##.gads-home-bottom -inserbia.info##.gads250 -telegraph.co.uk##.gafs -behance.net##.gallery-sponsor -citywire.co.uk##.gallerySponsor -koreaherald.com##.gallrym[style="margin:15px auto; padding-top:0px;height:130px;"] -pcper.com,thedrum.co.uk,thefix.com,tribalfootball.com##.gam-holder -9news.com,bloomberg.com,courier-journal.com,theleafchronicle.com,thestarpress.com,usaweekend.com##.gam_wrapper -addictinggames.com##.gameHeaderSponsor -kibagames.com##.game__bottomInfoRightContainer -candystand.com##.game_banner_300 -pcgamesn.com##.game_info_buy -muchgames.com##.gamead +theweathernetwork.com##.gGthWi +bowenislandundercurrent.com,coastreporter.net,delta-optimist.com,richmond-news.com,squamishchief.com,tricitynews.com##.ga-ext +getgreenshot.org##.ga-ldrbrd +getgreenshot.org##.ga-skscrpr +elevenforum.com,html-code-generator.com##.gads +eonline.com##.gallery-rail-sticky-container +vicnews.com##.gam +drive.com.au##.gam-ad +thechainsaw.com##.gam-ad-container +locksmithledger.com,waterworld.com##.gam-slot-builder +komikindo.tv##.gambar_pemanis +cdromance.com##.game-container[style="grid-column: span 2;"] +geoguessr.com##.game-layout__in-game-ad +chess.com##.game-over-ad-component +pokernews.com##.gameCards monstertruckgames.org##.gamecatbox -cartoondollemporium.com##.games_dolls_ads_right300x250 -gamerevolution.com##.gamestop-buy-button -adultswim.com##.gametap-placement -cpuboss.com##.gat-da -moviesplanet.com##.gb -globes.co.il##.gbanner -canberratimes.com.au##.gbl_advertisementgrey -canberratimes.com.au,illawarramercury.com.au##.gbl_disclaimer -illawarramercury.com.au##.gbl_section -hongkongfp.com##.gcyberh -viamichelin.co.uk,viamichelin.com##.gdhBlockV2 -geekwire.com##.geekwire_sponsor_posts_widget -escapehere.com##.gemini-loaded +yourstory.com##.gap-\[10px\] +home-assistant-guide.com##.gb-container-429fcb03 +home-assistant-guide.com##.gb-container-5698cb9d +home-assistant-guide.com##.gb-container-bbc771af +amtraktrains.com##.gb-sponsored +kitchenknifeforums.com,quadraphonicquad.com##.gb-sponsored-wrapper +gocomics.com##.gc-deck--is-ad +1001games.com##.gc-halfpage +1001games.com##.gc-leaderboard +1001games.com##.gc-medium-rectangle +gocomics.com##.gc-top-advertising +letsdopuzzles.com##.gda-home-box +ftw.usatoday.com,kansascity.com,rotowire.com##.gdcg-oplist +just-food.com,railway-technology.com,retail-insight-network.com,verdict.co.uk##.gdm-company-profile-unit +just-food.com,railway-technology.com,retail-insight-network.com,verdict.co.uk##.gdm-orange-banner +naval-technology.com##.gdm-recommended-reports +gearpatrol.com##.gearpatrol-ad +geekflare.com##.geekflare-core-resources +autoblog.com##.gemini-native +hltv.org##.gen-firstcol-box +thefederalist.com##.general-callout investing.com##.generalOverlay -becclesandbungayjournal.co.uk,burymercury.co.uk,cambstimes.co.uk,derehamtimes.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,edp24.co.uk,elystandard.co.uk,eveningnews24.co.uk,fakenhamtimes.co.uk,greenun24.co.uk,huntspost.co.uk,ipswichstar.co.uk,lowestoftjournal.co.uk,northnorfolknews.co.uk,pinkun.com,royston-crow.co.uk,saffronwaldenreporter.co.uk,sudburymercury.co.uk,thecomet.net,thetfordandbrandontimes.co.uk,wattonandswaffhamtimes.co.uk,wisbechstandard.co.uk,wymondhamandattleboroughmercury.co.uk##.generic_leader -greenun24.co.uk,pinkun.com##.generic_sky -uefa.com##.geoTargetSponsor -uefa.com##.geoTargetSponsorHeader -motortrend.com##.get-quote -watchsomuch.info##.getVIPAds -health24.com##.get_quote -canoe.ca##.getdeals -arizonasports.com##.gfp -ksl.com##.gfp-slot -ktar.com##.gfp300250 -mediacoderhq.com##.gg1 -bitcomet.com##.gg728 +perfectdailygrind.com##.gengpdg +perfectdailygrind.com##.gengpdg-col +perfectdailygrind.com##.gengpdg-single +romaniajournal.ro##.geoc-container +geo-fs.com##.geofs-adbanner +livescores.biz##.get-bonus +thingstodovalencia.com##.get-your-guide +getcomics.org##.getco-content +getcomics.org##.getco-content_2 +flickr.com##.getty-search-view +flickr.com##.getty-widget-view +marketsfarm.com##.gfm-ad-network-ad +ganjingworld.com##.ggAdZone_gg-banner-ad_zone__wK3kF cometbird.com##.gg_250x250 -ebay.com##.ggtm -gethuman.com##.gh-ads -ghacks.net##.ghacks-ad-loaded -macworld.co.uk##.ghostMpu -sporcle.com##.giIMU -hotfileserve.ws##.glb-opec -bikeradar.com##.global-banner -tornadomovies.co##.glx-teaser -tripadvisor.com##.goLists -astro.com##.goad -newburytoday.co.uk,thelakewoodscoop.com##.gofollow -apkmirror.com##.gooWidget -neogaf.com##.goodie300 -neogaf.com##.goodie728 -complaintsboard.com##.goog-border -eurodict.com##.googa -thenassauguardian.com##.googlAdd -95mac.net,africanadvice.com,appdl.net,freepopfax.com,pspad.com,sudantribune.com##.google -euronews.com##.google-banner -nymag.com##.google-bottom -zenit.org##.google-dfp -news-journalonline.com##.google-entry -i-dressup.com##.google-iframe -treehugger.com##.google-indiv-box2 -ausbt.com.au##.google-text-link-wrapper -rt.com##.google-top-banner -1pic4twenty.co.za##.google160600 -downloadatoz.com##.google300_bg -downloadatoz.com##.google300_title -inooz.co.uk##.googleContainer -dealspl.us##.googleDealBottom -complaints.com##.googleTop -desimartini.com##.google_add_box -bridalbook.ph##.google_srec -hoobly.com##.googlecont -1pic4twenty.co.za##.googlefat +cornish-times.co.uk,farnhamherald.com,iomtoday.co.im##.ggzoWi +ghacks.net##.ghacks-ad +ghacks.net##.ghacks_ad_code +mql5.com##.giyamx4tr +stcatharinesstandard.ca,thestar.com##.globalHeaderBillboard +goodmenproject.com##.gmp-instream-wrap +militaryleak.com##.gmr-floatbanner +givemesport.com##.gms-ad +givemesport.com##.gms-billboard-container +givemesport.com##.gms-sidebar-ad +guides.gamepressure.com##.go20-pl-guide-right-baner-fix +coinmarketcap.com##.goXFFk +dallasinnovates.com,thecoastnews.com,watchesbysjx.com##.gofollow +golf.com##.golf-ad +golinuxcloud.com##.golin-content +golinuxcloud.com##.golin-video-content +africanadvice.com,pspad.com,sudantribune.com##.google +apkmirror.com##.google-ad-leaderboard +secretchicago.com##.google-ad-manager-ads-header +videocardz.com##.google-sidebar +manabadi.co.in##.googleAdsdiv mediamass.net##.googleresponsive -aleteia.org##.googletag -quizlet.com##.googlewrap -complaintsboard.com##.googtop -whatismyip.com##.gotomypc css3generator.com##.gotta-pay-the-bills -radioinsight.com##.gp-leader -disney.com##.gpt -autotrader.co.uk##.gpt-banner--billboard-container -sportinglife.com##.gpt-container -dictionary.com##.gpt-content-wrapper -townhall.com##.gpt-header -dailypost.co.uk##.gpt-sticky-sidebar -twentytwowords.com##.gray-fullwidth -slantmagazine.com##.gray_bg -slantmagazine.com##.gray_bgBottom -greatandhra.com##.great_andhra_main_add_rotator -greatandhra.com##.great_andhra_main_add_rotator1 -cool-wallpaper.us##.green -businessdictionary.com##.grey-small-link -backstage.com##.greyFont -teamrock.com##.grid-container-300x250 -itproportal.com##.grid-mpu -ncaa.com##.grid[style="height: 150px;"] -straitstimes.com##.group-brandinsider -expertreviews.co.uk##.group-buy-now -couriermail.com.au,dailytelegraph.com.au,news.com.au##.group-network-referral-footer -bollywoodtrade.com##.gtable[height="270"][width="320"] -gtaforums.com##.gtaforums-ad -waz-warez.org##.guest_adds -wheels24.co.za##.gumtree_component +spiceworks.com##.gp-standard-header +perfectdailygrind.com##.gpdgeng +di.fm##.gpt-slot +travelsupermarket.com##.gptAdUnit__Wrapper-sc-f3ta69-0 +kijiji.ca##.gqNGFh +beforeitsnews.com##.gquuuu5a +searchenginereports.net##.grammarly-overall +balls.ie##.gray-ad-title +greatandhra.com##.great_andhra_logo_panel > div.center-align +greatandhra.com##.great_andhra_logo_panel_top_box +greatandhra.com##.great_andhra_main_041022_ +greatandhra.com##.great_andhra_main_add_rotator_new2 +greatandhra.com##.great_andhra_main_local_rotator1 +mma-core.com##.grec +greekcitytimes.com##.greek-adlabel +greekcitytimes.com##.greek-after-content +curioustic.com##.grey +rabble.ca##.grey-cta-block +topminecraftservers.org##.grey-section +sltrib.com##.grid-ad-container-2 +teleboy.ch##.grid-col-content-leaderboard +newsnow.co.uk##.grid-column__container +issuu.com##.grid-layout__ad-by-details +issuu.com##.grid-layout__ad-by-reader +issuu.com##.grid-layout__ad-in-shelf +groovypost.com##.groov-adlabel +leetcode.com##.group\/ads +issuu.com##.grtzHH +cnx-software.com##.gsonoff +gulftoday.ae##.gt-ad-center +gulf-times.com##.gt-horizontal-ad +gulf-times.com##.gt-square-desktop-ad +gulf-times.com##.gt-vertical-ad +giphy.com##.guIlWP animenewsnetwork.com##.gutter -kovideo.net##.h-728 -themarknews.com##.h-section1 +attheraces.com##.gutter-left +attheraces.com##.gutter-right +thetimes.co.uk##.gyLkkj +worldpopulationreview.com##.h-64 +tvcancelrenew.com##.h-72 +indaily.com.au,thenewdaily.com.au##.h-\[100px\] +nextchessmove.com##.h-\[112px\].flex.justify-center +indaily.com.au,posemaniacs.com##.h-\[250px\] +emojipedia.org##.h-\[282px\] +businessinsider.in##.h-\[300px\] +emojipedia.org##.h-\[312px\] +canberratimes.com.au##.h-\[50px\] +lolalytics.com##.h-\[600px\] +supercarblondie.com##.h-\[660px\] +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,lolalytics.com,oilersnation.com,theleafsnation.com##.h-\[90px\] +thenewdaily.com.au##.h-home-ad-height-stop +buzzly.art##.h-min.overflow-hidden +target.com##.h-position-fixed-bottom +copyprogramming.com##.h-screen lyricsmode.com##.h113 -superiorpics.com##.h250 -lyricsmode.com##.h253 -dealsonwheels.co.nz,farmtrader.co.nz##.hBanner -all-shares.com##.hSR -keepvid.com##.h[style="padding:0px;width:760px;"] -jewishjournal.com##.had-container -blinkbox.com##.halfmpupnl -runtastic.com##.halfpage -ausbt.com.au##.halfpage-homepage -pep.ph##.halfpage-wrapper -pushsquare.com##.hardware -sbnation.com,theverge.com##.harmony-sponsorship -alternet.org##.has-banner -twitter.com##.has-profile-promoted-tweet -denverpost.com##.hatad -pcgamer.com,techradar.com##.hawk-widget-insert -thesimsresource.com##.hb -zeefood.in##.hbanner2 -chronicle.co.zw,herald.co.zw,zimpapers.co.zw##.hbanners -screenindia.com##.hd -cricfree.sc,cricfree.tv##.hd-head-button -pbnation.com##.hdrLb -pbnation.com##.hdrSq -caymannewsservice.com##.head-banner468 -dnaindia.com##.head-region -vogue.co.uk##.headFullWidth -mariopiperni.com,tmrzoo.com##.headbanner -inverse.com##.header -ynaija.com##.header-728 +tetris.com##.hAxContainer +opoyi.com##.hLYYlN +marketscreener.com##.hPubRight2 +clutchpoints.com##.hYrQwu +gifcompressor.com,heic2jpg.com,imagecompressor.com,jpg2png.com,mylocation.org,png2jpg.com,webptojpeg.com,wordtojpeg.com##.ha +anime-planet.com##.halo +cyclonis.com##.has-banner +whistleout.com.au##.has-hover +defence-industry.eu##.has-small-font-size.has-text-align-center +apps.npr.org##.has-sponsorship +tomsguide.com##.hawk-main-editorialised +techradar.com##.hawk-main-editorialized +tomsguide.com##.hawk-master-widget-hawk-main-wrapper +windowscentral.com##.hawk-master-widget-hawk-wrapper +techradar.com##.hawk-merchant-link-widget-container +linuxblog.io##.hayden-inpost_bottom +linuxblog.io##.hayden-inpost_end +linuxblog.io##.hayden-inpost_top +linuxblog.io##.hayden-widget +linuxblog.io##.hayden-widget_top_1 +girlswithmuscle.com##.hb-static-banner-div +screenbinge.com##.hb-strip +girlswithmuscle.com##.hb-video-ad +cryptodaily.co.uk##.hbs-ad +trendhunter.com##.hcamp +webtoolhub.com##.hdShade > div +highdefdigest.com##.hdd-square-ad +biztechmagazine.com##.hdr-btm +analyticsinsight.net##.head-banner +plos.org##.head-top +hindustantimes.com##.headBanner +realmadrid.com##.head_sponsors +lewrockwell.com##.header [data-ad-loc] +ahajournals.org##.header--advertisment__container +additudemag.com,organicfacts.net##.header-ad +boldsky.com##.header-ad-block +olympics.com,scmp.com##.header-ad-slot +stuff.co.nz,thepost.co.nz,thepress.co.nz,waikatotimes.co.nz##.header-ads-block worldpress.org##.header-b -americanfreepress.net,cookinglight.com,freemalaysiatoday.com,gameplayinside.com,hotfrog.co.uk,islamchannel.tv,kodicommunity.com,ksstradio.com,landandfarm.com,mashable.com,myrecipes.com,pointblanknews.com,radiotoday.com.au,runt-of-the-web.com,soccer24.co.zw,wow247.co.uk##.header-banner -fansided.com,winteriscoming.net##.header-billboard -vapingunderground.com##.header-block +adswikia.com,arcadepunks.com,freemalaysiatoday.com,landandfarm.com,pointblanknews.com,radiotoday.com.au,runt-of-the-web.com,rxresource.org,techworldgeek.com,warisboring.com##.header-banner +gamingdeputy.com##.header-banner-desktop +revolt.tv##.header-banner-wrapper +mercurynews.com,nssmag.com##.header-banners +amazonadviser.com,apptrigger.com,fansided.com,hiddenremote.com,lastnighton.com,lawlessrepublic.com,mlsmultiplex.com,netflixlife.com,playingfor90.com,stormininnorman.com,winteriscoming.net##.header-billboard +lyricsmode.com##.header-block +historiccity.com##.header-block-1 worldpress.org##.header-bnr -playnj.com##.header-bonus kveller.com##.header-bottom -thedailystar.net##.header-bottom-adds -gamecoupongrid.com##.header-feature -expressandstar.com,guernseypress.com,jerseyeveningpost.com,shropshirestar.com,thebiggestloser.com.au##.header-leaderboard -natureasia.com##.header-leaderboard-wrap -queenscourier.com##.header-left -spyka.net##.header-link -tfo.org,times.co.zm##.header-pub -confidente.com.na,floridanewsline.com,lyricsbogie.com,queenscourier.com,thenews.com.pk##.header-right -bentelevision.com,bh24.co.zw##.header-right-banner-wrapper -htxt.co.za##.header-sub -newtimes.co.rw,providencejournal.com,southernliving.com##.header-top +counterpunch.org##.header-center +thetoyinsider.com##.header-drop-zone +autental.com##.header-grid-items +allmovie.com,realestate.com.au,theoldie.co.uk##.header-leaderboard +realestate.com.au##.header-leaderboard-portal +sdxcentral.com##.header-lemur +nationalheraldindia.com##.header-m__ad-top__36Hpg +thenewspaper.gr##.header-promo +times.co.zm##.header-pub +cnx-software.com,newtimes.co.rw##.header-top kollywoodtoday.net##.header-top-right -windowscentral.com##.header-top__offer knowyourmeme.com##.header-unit-wrapper -astronomynow.com##.header-widget +maketecheasier.com##.header-widget hd-trailers.net##.header-win -salon.com##.header-wrapper -funnycatpix.com##.header728 -onegreenplanet.org##.header728container -avforums.com##.headerCommercial -thelakewoodscoop.com##.headerPromo -telegraph.co.uk##.headerThree -bastropenterprise.com##.headerTop -maxim.com##.headerTopBar -domainnamewire.com,electricpig.co.uk,gaijinpot.com,squidoo.com##.header_banner -medicalnewstoday.com##.header_bar -kpopstarz.com##.header_bn -medicalnewstoday.com##.header_hr -boyantech.com##.headerbanner -steadyhealth.com##.headerboard -passageweather.com##.headerlink -ndtv.com##.heading_shp_wdgt -bangtidy.net##.headlineapa_base -futhead.com##.headliner-homepage -venturebeat.com##.helm_story_type-sponsored -thenewslens.com##.help-tnl-container-300_250 -thenewslens.com##.help-tnl-container-970_250 -metrolyrics.com##.here -slickdeals.net##.heroCarouselWrapper -hi5.com##.hi5-common-header-banner-ad -classiccars.com##.hia_banner -4shared.com##.hiddenshare -letitbit.net##.hide-after-60seconds -theguardian.com##.hide-on-popup -mobilesyrup.com##.hide_768 -speedtest.net##.high-placeholder -all-shares.com##.highSpeedResults -siteslike.com##.highlighted -dailycurrant.com##.highswiss -skins.be##.hint -hitomi.la##.hitomi-horizontal -gaystarnews.com##.hjawidget -ghanaweb.com##.hmSkyscraper -hindustantimes.com##.hm_top_right_localnews_contnr_budget -gosugamers.net##.holder-link -1027dabomb.net##.home-300 -ownai.co.zw##.home-banner-outer-wrapper -broadway.com##.home-leaderboard-728-90 -wowhead.com##.home-skin -netweather.tv##.home300250 -greatdaygames.com##.home_Right_bg +torquenews.com##.header-wrapper +cointelegraph.com##.header-zone__flower +gelbooru.com##.headerAd +dailytrust.com##.header__advert +thehits.co.nz##.header__main +gifcompressor.com,heic2jpg.com,jpg2png.com,png2jpg.com,webptojpeg.com,wordtojpeg.com##.header__right +m.thewire.in##.header_adcode +manofmany.com##.header_banner_wrap +koreaherald.com##.header_bnn +techopedia.com##.header_inner_ads +steroid.com##.header_right +everythingrf.com##.headerblock +semiconductor-today.com##.headermiddle +collegedunia.com##.headerslot +darkreader.org##.heading +phonearena.com##.heading-deal +autoplius.lt##.headtop +247wallst.com,cubdomain.com##.hello-bar +onlinevideoconverter.pro##.helper-widget +lincolnshireworld.com,nationalworld.com##.helper__AdContainer-sc-12ggaoi-0 +farminglife.com,newcastleworld.com##.helper__DesktopAdContainer-sc-12ggaoi-1 +samehadaku.email##.hentry.has-post-thumbnail > [href] +igorslab.de##.herald-sidebar +provideocoalition.com##.hero-promotions +newsnow.co.uk##.hero-wrapper +azuremagazine.com##.hero__metadata-left-rail +freeads.co.uk##.hero_banner1 +hwcooling.net##.heureka-affiliate-category +filecrypt.cc,filecrypt.co##.hghspd +filecrypt.cc,filecrypt.co##.hghspd + * +daijiworld.com##.hidden-xs > [href] +miragenews.com##.hide-in-mob +moneycontrol.com,windowsreport.com##.hide-mobile +business-standard.com,johncodeos.com##.hide-on-mobile +simpasian.net##.hideme +coindesk.com##.high-impact-ad +majorgeeks.com##.highlight.content > center > font +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.highlight_sponsored +westword.com##.hil28zhf1wyd +48hills.org##.hills-adlabel +highwayradio.com##.hiway-widget +hola.com##.hm-sticky-sidebar +ndtv.com##.hmpage_rhs +seattlepi.com##.hnpad-Flex1 +seattlepi.com##.hnpad-Inline +cryptorank.io##.hofjwZ +radiocaroline.co.uk,wishesh.com##.home-banner +manutd.com##.home-content-panel__sponsor +pcgamingwiki.com##.home-gamesplanet-promo +freespoke.com##.home-page-message +merriam-webster.com##.home-redesign-ad +israelnationalnews.com##.home-subsections-banner +christianpost.com##.home-videoplayer +freepressjournal.in##.homeMobileMiddleAdContainer +newagebd.net##.homeSlideRightSecTwo +jagranjosh.com##.homeSlider pbs.org##.home__logo-pond -wpbt2.org##.home_banners -gadgetsnow.com##.home_ed300 -hpe.com##.home_leaderboard -justdubs.tv##.home_leftsidbar_add -traileraddict.com##.home_page > div > :first-child + * -securitymattersmag.com##.homeart_marketpl_container -news1130.com##.homepage-headlines-sponsorship-block -mancunianmatters.co.uk##.homepage-leader -sunshinecoastdaily.com.au##.homepageContainerFragment -easybib.com##.homepage_sidebar -smashingmagazine.com##.homepagepremedtargetwrapper -phonebook.com.pk##.homeposter -herold.at##.homesponsor -nationalreview.com##.homie_storydiv -inaruto.net##.honey-out -hoovers.com##.hoov_goog -esecurityplanet.com##.horiz-banner -lushstories.com##.horizhide -hilarious-pictures.com,soft32.com##.horizontal -forlocations.com##.horizontalBanner -afro.com##.horizontalBanners -ytmnd.com##.horizontal_aids -amulyam.in##.horzl_ad -hotscripts.com##.hostedBy -ashbournenewstelegraph.co.uk,ashfordherald.co.uk,bathchronicle.co.uk,bedfordshire-news.co.uk,blackcountrybugle.co.uk,blackmorevale.co.uk,bostontarget.co.uk,brentwoodgazette.co.uk,bristolpost.co.uk,burtonmail.co.uk,cambridge-news.co.uk,cannockmercury.co.uk,canterburytimes.co.uk,carmarthenjournal.co.uk,centralsomersetgazette.co.uk,cheddarvalleygazette.co.uk,cleethorpespeople.co.uk,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,crawleynews.co.uk,croydonadvertiser.co.uk,derbytelegraph.co.uk,dorkingandleatherheadadvertiser.co.uk,dover-express.co.uk,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,ely-news.co.uk,essexchronicle.co.uk,exeterexpressandecho.co.uk,folkestoneherald.co.uk,fromestandard.co.uk,gloucestercitizen.co.uk,gloucestershireecho.co.uk,granthamtarget.co.uk,greatbarrobserver.co.uk,grimsbytelegraph.co.uk,harlowstar.co.uk,hertfordshiremercury.co.uk,hertsandessexobserver.co.uk,hulldailymail.co.uk,leek-news.co.uk,leicestermercury.co.uk,lichfieldmercury.co.uk,lincolnshireecho.co.uk,llanellistar.co.uk,luton-dunstable.co.uk,maidstoneandmedwaynews.co.uk,middevongazette.co.uk,northampton-news-hp.co.uk,northdevonjournal.co.uk,northsomersetmercury.co.uk,nottinghampost.com,nuneaton-news.co.uk,onemk.co.uk,plymouthherald.co.uk,retfordtimes.co.uk,scunthorpetelegraph.co.uk,sevenoakschronicle.co.uk,sheptonmalletjournal.co.uk,sleafordtarget.co.uk,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,staffordshirelife.co.uk,staffordshirenewsletter.co.uk,stokesentinel.co.uk,stroudlife.co.uk,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,tamworthherald.co.uk,thanetgazette.co.uk,torquayheraldexpress.co.uk,uttoxeteradvertiser.co.uk,walsalladvertiser.co.uk,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk##.hotJobs_collection_list_border -loaded.co.uk##.hot_banner_mpu -order-order.com##.hotbuttonbg -maps.google.com##.hotel-partner-item-sponsored -maps.google.com##.hotel-price -zdnet.com##.hotspot -techworld.com.au##.house-slot -europeancarweb.com##.hp-leadertop -rte.ie##.hp-mpu -huffingtonpost.com##.hp-ss-leaderboard -surfline.com##.hp_camofday-ad -itp.net##.hpbanner -theoutline.com##.hpe-card -blog.recruitifi.com##.hs-cta-wrapper -filetram.com##.hsDownload -usatodayhss.com##.hss-background-link -sfgate.com##.hst-leaderboard -chron.com,mysanantonio.com,seattlepi.com,sfgate.com##.hst-siteheader > .row1 -ctpost.com##.hst-topclassifieds -seattlepi.com##.hst-travelzoo -chron.com,mysanantonio.com##.hst-ysm -pcmag.com##.htmlModule -channelinsider.com##.html_module -helpwithsmoking.com##.hws -extremetech.com##.hybrid-bar + div -f1i.com##.hype -artstation.com##.i-love-artstation +socialcounts.org##.home_sticky-ad__Aa_yD +bonginoreport.com##.homepage-ad-2 +smallbusiness.co.uk##.homepage-banner-container +invezz.com##.homepage-beneath-hero +interest.co.nz##.homepage-billboard +gumtree.com.au##.homepage-gallery__mrec-placeholder +globalrph.com##.homepage-middle-ad +designspiration.com##.homepageBanner +homes.co.nz##.homepageTopLeader__container +artandeducation.net##.homepage__banner +coinpedia.org##.homepage_banner_ad +swimswam.com##.homepage_block_ads +coinpedia.org##.homepage_sidebanner_ad +radiocity.in##.horiozontal-add +flv2mp3.by,flvto.biz,flvto.com.mx##.horizontal-area +getmyuni.com##.horizontalRectangle +nofilmschool.com##.horizontal_ad +ultimatespecs.com##.horizontal_add_728 +aarp.org##.hot-deals +makemytrip.com##.hotDeals +dailyrecord.co.uk##.hotjobs +comparitech.com##.how_test +darkreader.org##.hr +cryptorank.io##.hspOLW +adweek.com##.htl-ad-wrapper +barstoolsports.com##.htl-ad__container +mtgrocks.com##.htl-inarticle-ad +nameberry.com##.htlad-InContent_Flex +nameberry.com##.htlad-Leaderboard_Flex +avclub.com,splinter.com##.htlad-above_logo +avclub.com,splinter.com##.htlad-bottom_rectangle +destructoid.com##.htlad-destructoidcom_leaderboard_atf +avclub.com,splinter.com##.htlad-middle_rectangle +avclub.com,jezebel.com,pastemagazine.com,splinter.com##.htlad-sidebar_rectangle +avclub.com,splinter.com##.htlad-top_rectangle +wtop.com##.hubb-at-rad-header +huddle.today##.huddle-big-box-placement +techspree.net##.hustle-popup +cryptoslate.com##.hypelab-container +myabandonware.com##.i528 animenewsnetwork.com##.iab -break.com##.iab-300x250 -break.com##.iab-label -bastropenterprise.com##.iabMedRectContainer -telegraph.co.uk##.iabUnit -tripadvisor.com##.iab_medRec -whattoexpect.com##.iabicon +atptour.com##.iab-wrapper +iai.tv##.iai-article--footer-image infobetting.com##.ibBanner -yifyddl.movie##.ibox-bordered -shockwave.com##.icon16AdChoices -nme.com##.icon_amazon -thebull.com.au##.iconos -caughtonset.com##.idlads_widget -idello.org##.idlo-ads-wrapper -aastocks.com##.idx-aabest -indianexpress.com##.ie2013-topad -heraldsun.com.au##.iframe-316x460 -girlsgogames.com##.iframeHolder -cnet.com##.iframeWrap -ign.com##.ign-pre-grid -ihavenet.com##.ihn-ad-1 -ihavenet.com##.ihn-ad-2 -ihavenet.com##.ihn-ad-3 -impactlab.net##.ilad -filetram.com##.ilividDownload -intomobile.com##.im_970x90 -wherever.tv##.image-banner -sen.com##.image_caption_div -imgfave.com##.image_login_message -blessthisstuff.com##.imagem_sponsor -laineygossip.com##.img-box -newsbtc.com##.img-responsive -imagus.net##.img_add +timesofindia.indiatimes.com##.icNFc +ice.hockey##.ice_ner +ice.hockey##.ice_werbung +darkreader.org##.icons8 +indianexpress.com##.ie-banner-wrapper +indianexpress.com##.ie-int-campign-ad +fifetoday.co.uk##.iehxDO +guides.gamepressure.com##.if-no-baner +techmeme.com##.ifsp +hinigami09.com##.iklannew-container +coingape.com##.image-ads +instacart.com##.image-banner-a-9l2sjs +instacart.com##.image-banner-a-ak0wn +flicksmore.com##.image_auto +miragenews.com##.img-450_250 +frdl.to##.img-fluid +marketwatch.com##.imonaid_context +lifesitenews.com##.important-info exchangerates.org.uk##.imt4 -computerworld.com,infoworld.com##.imu -popdust.com##.in -politico.com##.in-story-banner -networkworld.com##.incontent_ata -mail.com##.indeed +carscoops.com##.in-asd-content +thecanary.co##.in-content-ad +thepostmillennial.com##.in-content-top +outlookindia.com##.in-house-banner1 +businessinsider.com,insider.com##.in-post-sticky +faithpot.com##.inarticle-ad +crash.net##.inarticle-wrapper +knowyourmeme.com##.incontent-leaderboard-unit-wrapper +motherjones.com##.incontent-promo +truckinginfo.com##.incontent02Ad +scienceabc.com##.incontentad brudirect.com##.index-banner -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline-market.ca,autoline-market.com,autoline.info##.index-banners -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline-market.ca,autoline-market.com,autoline.info##.index-center-banners -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline.info##.index-center-banners-1 -socialitelife.com##.index-inser -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline.info##.index-main-banners -youplay.com##.index-medium-rectangle -abcnews.go.com##.index-quigo -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline.info##.index-secondary-banners -vosizneias.com##.index_02_perms +lgbtqnation.com##.index-bottom-ad +katv.com##.index-module_adAfterContent__1cww +194.233.68.230##.indositusxxi-floatbanner theinertia.com##.inertia-ad-300x250 -bab.la##.info-column +theinertia.com##.inertia-ad-300x270 +theinertia.com##.inertia-ad-300x600 +theinertia.com##.inertia-ad-label +theinertia.com##.inertia-ad-top +inews.co.uk##.inews__advert +inews.co.uk##.inews__mpu +motorcycle.com##.infeed-ads +sevenforums.com##.infeed1 +wepc.com##.infin-wepc-channels +heatmap.news,theweek.com##.infinite-container +mylocation.org##.info a[href^="https://go.expressvpn.com/c/"] +stocksnap.io##.info-col bab.la##.info-panel -cnet.com##.infoboardWrap -mp3boo.com##.infolinks -tvguide.com##.infomercial -watchsomuch.info##.information -technobuffalo.com##.infscr-post-break -nettiauto.com,nettikaravaani.com,nettikone.com,nettimarkkina.com,nettimokki.com,nettimoto.com,nettivene.com,nettivuokraus.com##.inh_banner -thenation.com##.inline-cta-module -easybib.com##.inline-help[href="/reference/help/page/ads"] -bbc.com##.inline-horizontal-partner-module -4kq.com.au,961.com.au,973fm.com.au,cruise1323.com.au,gold1043.com.au,mix1011.com.au,mix1023.com.au,mix106.com.au,mix1065.com.au,tmz.com,wsfm.com.au##.inline-promo -newsweek.com##.inline-promo-link -forward.com##.inline-sponsored -pixdaus.com##.inlineBanner -pcgamesn.com##.inlineMPUs -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##.inlinead + * > div > img -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##.inlinead + [class] -pcgamesn.com##.inlinerail -brightsideofnews.com##.inner-banner-72890 -cartoonnetwork.com##.inner266 -medical-hypotheses.com##.innerBanner -cnet.com##.innerMPUwrap -telegraph.co.uk##.innerPlugin -bloggerthemes.net##.inner_banner -nintendolife.com##.insert -infoworld.com##.insider-left -routes-news.com##.insightbar -beemp3s.org##.install-toolbar -icanhascheezburger.com##.instream -arstechnica.co.uk,arstechnica.com##.instream-wrap -thefix.com##.insurance-benefits-check-embedded -ratemyteachers.com##.intelius -itweb.co.za##.intelli-box -egmnow.com##.inter_vid -cnsnews.com##.intermarkets -bullz-eye.com##.internal_rn_plug_block -guidelive.com##.interruption -gizmodo.co.uk,shropshirestar.com##.interruptor -ign.com##.interruptsContainer -ozy.com##.interstitial -komando.com##.interstitial-wrapper -12ozprophet.com##.intro -jango.com##.intro_block_module:last-child -bridgemi.com##.investors-wrapper -indianexpress.com##.ipad -investorplace.com##.ipm-sidebar-ad-text -osbot.org##.ipsWidget_inner -twitter.com##.is-promoted -telegraph.co.uk##.isaSeason -veehd.com##.isad -drivearcade.com,freegamesinc.com##.isk180 -abovethelaw.com,dealbreaker.com,hbr.org,itwire.com##.island -nzgamer.com##.island-holder -androidheadlines.com##.item-featured -timesofisrael.com##.item-spotlight -videopremium.tv##.itrack -947.co.za,air1.com,juicefm.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,thecurrent.org,thewave.co.uk,three.fm,wave965.com,wirefm.com,wishfm.net##.itunes -kfm.co.za##.itunes-sml -ixigo.com##.ixi-ads-header -liveleak.com##.j_b -liveleak.com##.j_t -thejewishnews.com##.jn-article_medium-banner -careerone.com.au##.job-search-tower-ad -bnd.com##.jobs_widget_large -ninemsn.com.au##.jobsearchBox -radiotoday.com.au##.jobsstyle -toorgle.net##.join -inews.co.uk##.jp-slot -marinelink.com,maritimepropulsion.com,yachtingjournal.com##.jq-banner +gameworldobserver.com##.information-block +gameworldobserver.com##.information-block-top +gameworldobserver.com##.information-blocks +careerindia.com,oneindia.com##.inhouse-content +asheville.com##.injected-ads +bestlifeonline.com,eatthis.com##.inline +manitobacooperator.ca##.inline--2 +pexels.com##.inline-ads +forbes.com##.inline-article-ed-placeholder +cochranenow.com,discoverhumboldt.com,portageonline.com,swiftcurrentonline.com##.inline-billboard +dexerto.com##.inline-block +freebeacon.com##.inline-campaign-wrapper +stocksnap.io##.inline-carbon +parkers.co.uk##.inline-leaderboard-ad-wrapper +sportsrec.com##.inline-parent-container +forbes.com##.inline__zephr +pcgamesn.com,pockettactics.com##.inlinerail +nzbindex.com##.inner +technologynetworks.com##.inner_content_olp_on_site_landing_page +inquirer.com##.inno-ad +inquirer.com##.inno-ad__ad +donegaldaily.com##.inpage_banner +heise.de##.inread-cls-reduc +nintendolife.com,purexbox.com,pushsquare.com,timeextension.com##.insert +nintendolife.com,purexbox.com,pushsquare.com,timeextension.com##.insert-label +lithub.com##.insert-post-ads +canarymedia.com##.inset-x-0 +tvarticles.me##.inside +udaipurkiran.com##.inside-right-sidebar .widget_text +allmusic.com##.insticator_ct +darkreader.org##.instinctools +flixboss.com##.instream-dynamic +lol.ps##.instream-video-ad +dermstore.com,lookfantastic.com##.integration-sponsored-ads-pdp-container +coincarp.com##.interact-mobileBox +monochrome-watches.com##.interscroll +mrctv.org,newsbusters.org##.intranet-mid-size +interactives.stuff.co.nz##.intro_adside__in8il +fileplanet.com##.invwb +allnurses.com##.ipsAreaBackground +1tamilmv.click##.ipsCarousel +uk420.com##.ipsLayout_container > div[align="center"] +allnurses.com,dcfcfans.uk##.ipsSpacer_both +1tamilblasters.com##.ipsWidget_inner.ipsPad.ipsType_richText > p > a +freeiptvplayer.net##.iptv_ads +houstoniamag.com##.is-cream +alibaba.com##.is-creative +mydramalist.com##.is-desktop +athlonsports.com,bringmethenews.com,meidastouch.com,si.com##.is-exco-player +pcworld.com##.is-half-width.product-widget +estnn.com##.isDesktop +speedcheck.org##.isg-container +icon-icons.com##.istock-container +iconfinder.com##.istockphoto-placeholder +albertsonsmarket.com,marketstreetunited.com,unitedsupermarkets.com##.item-citrus +nintendolife.com,purexbox.com,pushsquare.com##.item-insert +explorecams.com##.item-row +cryptocompare.com##.item-special +alaskahighwaynews.ca,bowenislandundercurrent.com,burnabynow.com,coastreporter.net,delta-optimist.com,moosejawtoday.com,newwestrecord.ca,nsnews.com,piquenewsmagazine.com,princegeorgecitizen.com,prpeak.com,richmond-news.com,squamishchief.com,tricitynews.com##.item-sponsored +newegg.com##.item-sponsored-box +pocketgamer.com##.item-unit +presearch.com##.items-center.bg-transparent +businesstoday.in##.itgdAdsPlaceholder +slidehunter.com##.itm-ads +itweb.co.za##.itw-ad +india.com##.iwplhdbanner-wrap +kijiji.ca##.jOwRwk +ticketmaster.com##.jTNWic +ticketmaster.com##.jUIMbR +jambase.com##.jb-homev3-sense-sidebar-wrap +psypost.org##.jeg_midbar +sabcnews.com##.jeg_topbar +romania-insider.com##.job-item +dot.la##.job-wrapper +marketingweek.com##.jobs-lists +johncodeos.com##.johnc-widget +marinelink.com,maritimejobs.com,maritimepropulsion.com,yachtingjournal.com##.jq-banner +demonslayermanga.com,readjujutsukaisen.com,readneverland.com##.js-a-container +ultimate-guitar.com##.js-ab-regular buzzfeed.com##.js-bfa-impression -haaretz.com##.js-clickTracker-for-addBlocker -mixcloud.com##.js-dfp-mpu -finder.com.au##.js-sitewide-banner -theguardian.com##.js-sticky-mpu +live94today.com##.js-demo-avd +musescore.com##.js-musescore-hb-728--wrapper +beermoneyforum.com##.js-notices +formula1.com##.js-promo-item +nicelocal.com##.js-results-slot theguardian.com##.js-top-banner -careerbuilder.com##.jsHomeSpotBanner -worldofgnome.org##.jumbotron -marketingvox.com##.jupitermedia -11alive.com,12news.com,12newsnow.com,13newsnow.com,13wmaz.com,9news.com,abc10.com,cbs19.tv,firstcoastnews.com,fox15abilene.com,kagstv.com,kare11.com,kcentv.com,kens5.com,kgw.com,khou.com,kiiitv.com,king5.com,krem.com,ksdk.com,ktvb.com,kvue.com,myfoxzone.com,newscentermaine.com,thv11.com,wbir.com,wcnc.com,wfaa.com,wfmynews2.com,wgrz.com,whas11.com,wkyc.com,wltx.com,wtsp.com,wusa9.com,wwltv.com,wzzm13.com##.just-for-you -joomlarulez.com##.jwplayer2 -joomlarulez.com##.jwplayer4 -rocvideo.tv##.jwpreview -sfgate.com##.kaango -news24.com##.kalahari_product -news24.com##.kalwidgetcontainer -imgism.com##.kevin-lb -alarabiya.net##.killer -mbc.net##.killerbanner -kiplinger.com##.kip-banner -kiplinger.com##.kip-stationbreak -vivastreet.co.uk##.kiwii-box-300x250 +extratv.com##.js-track-link +chewy.com##.js-tracked-ad-product +kotaku.com,qz.com,theroot.com##.js_related-stories-inset +iobroker.net##.jss125 +paycalculator.com.au##.jss336 +calorieking.com##.jss356 +iobroker.net,iobroker.pro##.jss43 +paycalculator.com.au##.jss546 +garticphone.com##.jsx-2397783008 +autolist.com##.jsx-2866408628 +garticphone.com##.jsx-3256658636 +essentiallysports.com##.jsx-4249843366 +conservativefiringline.com##.jtpp53 +doodle.com##.jupiter-placement-header-module_jupiter-placement-header__label__caUpc +theartnewspaper.com##.justify-center.flex.w-full +aiscore.com##.justify-center.w100 +fastcompany.com##.jw-floating-dismissible +anandtech.com##.jw-reset +fortune.com##.jzcxNo +mamieastuce.com##.k39oyi +qz.com##.k3mqd +news12.com##.kBEazG +ticketmaster##.kOwduY +easypet.com##.kadence-conversion-inner +plagiarismchecker.co##.kaka +piokok.com##.kaksgon +hellogiggles.com##.karma_unit +koreaboo.com##.kba-container +kimcartoon.li##.kcAds1 +standard.co.uk##.kcdphh +tekno.kompas.com##.kcm +kdnuggets.com##.kdnug-med-rectangle-ros +goldprice.org##.kenbi +onlinelibrary.wiley.com##.kevel-ad-placeholder +physicsworld.com##.key-suppliers +trustedreviews.com##.keystone-deal +trustedreviews.com##.keystone-single-widget +gamertweak.com##.kfzyntmcd-caption +overkill.wtf##.kg-blockquote-alt +linuxhandbook.com##.kg-bookmark-card +hltv.org##.kgN8P9bvyb2EqDJR +thelibertydaily.com,toptenz.net,vitamiiin.com##.kgbwvoqfwag +koreaherald.com##.kh_ad +koreaherald.com##.khadv1 +khmertimeskh.com##.khmer-content_28 +ytfreedownloader.com##.kl-before-header +kiryuu.id##.kln wantedinafrica.com##.kn-widget-banner -techspot.com##.konafilter -marketsmojo.com##.kotak_adv -ndtv.com##.kpc_rhs_wdgt -ndtv.com##.kpc_rhs_widget -herold.at##.kronehit -lenteng.com##.ktz-bannerhead -lenteng.com##.ktz_banner -the-star.co.ke##.l-banner -thenextweb.com##.l-postSingleCanvasBlocker -topgear.com##.l-runaround-mpu -the-star.co.ke##.l-wrapper--banner-00 -hitc.com##.la-wrapper -simplyhired.com##.label_right -wallstcheatsheet.com##.landingad8 -soccernews.com##.large-promo -ustream.tv##.largeRectBanner -democraticunderground.com##.largeleaderboard-container -afterdawn.com##.last_forum_mainos -restaurants.com##.latad -espn.co.uk,espncricinfo.com##.latest_sports630 -flatuicolors.com##.launchers -aniscartujo.com##.layer_main -iwradio.co.uk##.layerslider_widget -standard.co.uk##.layout-component-ines-sponsored-features-sidebar -flava.co.nz,hauraki.co.nz,mixonline.co.nz,newstalkzb.co.nz,radiosport.co.nz,thehits.co.nz,zmonline.com##.layout__background -pastebin.com##.layout_clear -milesplit.com##.lb -etonline.com##.lb_bottom -autosport.com##.lb_container -door2windows.com##.lbad -thehill.com##.lbanner -speedtest.net##.lbc -thevideobee.to##.lbl-ads -lankabusinessonline.com##.lbo-ad-home-300x250 -itp.net##.lboard -pcmag.com##.lbwidget -politifact.com##.ldrbd -cnet.com##.leadWrap -hotscripts.com,techrepublic.com,theatermania.com,thepcguild.com##.leader -divamag.co.uk,pc-specs.com,readmetro.com##.leader-board -interaksyon.com##.leader-board-1 -iol.co.za##.leader-board-center-container -canada.com##.leader-board-wrapper -zdnet.com##.leader-bottom -garfield.com##.leaderBackground -channeleye.co.uk,expertreviews.co.uk,laptopmag.com,mtv.com.lb,nymag.com,vogue.co.uk##.leaderBoard -greatergood.com##.leaderBoard-container -businessghana.com##.leaderBoardBorder +karryon.com.au##.ko-ads-wrapper +kvraudio.com##.kvrblockdynamic +businessinsider.com##.l-ad +legit.ng,tuko.co.ke##.l-adv-branding__top +pdc.tv##.l-featured-bottom +iphonelife.com##.l-header +globalnews.ca##.l-headerAd +wwe.com##.l-hybrid-col-frame_rail-wrap +aerotime.aero##.l-side-banner +keybr.com##.l6Z8JM3mch +letssingit.com##.lai_all_special +letssingit.com##.lai_desktop_header +letssingit.com##.lai_desktop_inline +purewow.com##.lander-interstital-ad +wzstats.gg##.landscape-ad-container +3dprint.com##.lap-block-items +ptonline.com##.large-horizontal-banner +weatherpro.com##.large-leaderboard +dispatchtribunal.com,thelincolnianonline.com##.large-show +fantasygames.nascar.com##.larger-banner-wrapper +golfworkoutprogram.com##.lasso-container +business-standard.com##.latstadvbg +laweekly.com##.law_center_ad +apkpac.com##.layout-beyond-ads +crn.com##.layout-right > .ad-wrapper +flava.co.nz,hauraki.co.nz,mixonline.co.nz,thehits.co.nz,zmonline.com##.layout__background +racingtv.com##.layout__promotion +mytempsms.com##.layui-col-md12 +flotrack.org##.lazy-leaderboard-container +iol.co.za##.lbMtEm +trueachievements.com,truesteamachievements.com,truetrophies.com##.lb_holder +leetcode.com##.lc-ads__241X +coincodex.com##.ldb-top3 +soaphub.com##.ldm_ad +lethbridgenewsnow.com##.lead-in +versus.com##.lead_top +sgcarmart.com##.leadbadv +bleachernation.com##.leadboard +thepcguild.com##.leader +autoplius.lt##.leader-board-wrapper +etonline.com##.leader-inc +mediaweek.com.au##.leader-wrap-out blaauwberg.net##.leaderBoardContainer -whathifi.com##.leaderBoardWrapper -expertreviews.co.uk##.leaderLeft -expertreviews.co.uk##.leaderRight -bakercityherald.com##.leaderTop -freelanceswitch.com,stockvault.net,tutsplus.com##.leader_board -1019thewolf.com,1047.com.au,10daily.com.au,2dayfm.com.au,2gofm.com.au,2mcfm.com.au,2rg.com.au,2wg.com.au,420careers.com,4tofm.com.au,923thefox.com,929.com.au,953srfm.com.au,9to5google.com,9to5mac.com,9to5toys.com,abajournal.com,abovethelaw.com,adn.com,advosports.com,adyou.me,androidfirmwares.net,aroundosceola.com,autoaction.com.au,autos.ca,autotrader.ca,ballstatedaily.com,baydriver.co.nz,bellinghamherald.com,bestproducts.com,birdmanstunna.com,blitzcorner.com,bnd.com,bradenton.com,browardpalmbeach.com,cantbeunseen.com,carynews.com,centredaily.com,chairmanlol.com,citymetric.com,citypages.com,claytonnewsstar.com,clgaming.net,clicktogive.com,cnet.com,coastandcountrynews.co.nz,cokeandpopcorn.com,commercialappeal.com,cosmopolitan.co.uk,cosmopolitan.com,cosmopolitan.in,cosmopolitan.ng,courierpress.com,cprogramming.com,dailynews.co.zw,dailysport.co.uk,dallasobserver.com,designtaxi.com,digitalspy.com,digitaltrends.com,diply.com,directupload.net,dispatch.com,diyfail.com,docspot.com,donchavez.com,driving.ca,dummies.com,edmunds.com,electrek.co,elle.com,elledecor.com,energyvoice.com,enquirerherald.com,esquire.com,explainthisimage.com,expressandstar.com,film.com,foodista.com,fortmilltimes.com,forums.thefashionspot.com,fox.com.au,fox1150.com,fresnobee.com,funnyexam.com,funnytipjars.com,galatta.com,gamerevolution.com,gamesindustry.biz,gamesville.com,geek.com,givememore.com.au,gmanetwork.com,goldenpages.be,goldfm.com.au,goodhousekeeping.com,gosanangelo.com,guernseypress.com,hardware.info,harpersbazaar.com,heart1073.com.au,heatworld.com,hemmings.com,heraldonline.com,hi-mag.com,hit105.com.au,hit107.com,hot1035.com,hot1035radio.com,hotfm.com.au,hourdetroit.com,housebeautiful.com,houstonpress.com,hypegames.com,iamdisappoint.com,idahostatesman.com,idello.org,imedicalapps.com,independentmail.com,indie1031.com,intomobile.com,ioljobs.co.za,irishexaminer.com,islandpacket.com,itnews.com.au,itproportal.com,japanisweird.com,jdpower.com,jerseyeveningpost.com,kentucky.com,keysnet.com,kidspot.com.au,kitsapsun.com,knoxnews.com,kofm.com.au,lakewyliepilot.com,laweekly.com,ledger-enquirer.com,legion.org,lgbtqnation.com,lifezette.com,lightreading.com,lolhome.com,lonelyplanet.com,lsjournal.com,mac-forums.com,macon.com,mapcarta.com,marieclaire.co.za,marieclaire.com,marinmagazine.com,mcclatchydc.com,medicalnewstoday.com,mercedsunstar.com,meteovista.co.uk,meteovista.com,miaminewtimes.com,mix.com.au,modbee.com,monocle.com,morefailat11.com,myrtlebeachonline.com,nameberry.com,naplesnews.com,nature.com,nbl.com.au,newarkrbp.org,newsobserver.com,newstatesman.com,nowtoronto.com,nxfm.com.au,objectiface.com,onnradio.com,openfile.ca,organizedwisdom.com,overclockers.com,passedoutphotos.com,pehub.com,peoplespharmacy.com,perfectlytimedphotos.com,phoenixnewtimes.com,photographyblog.com,pinknews.co,pinknews.co.uk,pons.com,pons.eu,popularmechanics.com,pressherald.com,radiowest.com.au,readamericanfootball.com,readarsenal.com,readastonvilla.com,readbasketball.com,readbetting.com,readbournemouth.com,readboxing.com,readbrighton.com,readbundesliga.com,readburnley.com,readcars.co,readceltic.com,readchampionship.com,readchelsea.com,readcricket.com,readcrystalpalace.com,readeverton.com,readeverything.co,readfashion.co,readfilm.co,readfood.co,readfootball.co,readgaming.co,readgolf.com,readhorseracing.com,readhuddersfield.com,readhull.com,readinternationalfootball.com,readlaliga.com,readleicester.com,readliverpoolfc.com,readmancity.com,readmanutd.com,readmiddlesbrough.com,readmma.com,readmotorsport.com,readmusic.co,readnewcastle.com,readnorwich.com,readnottinghamforest.com,readolympics.com,readpl.com,readrangers.com,readrugbyunion.com,readseriea.com,readshowbiz.co,readsouthampton.com,readsport.co,readstoke.com,readsunderland.com,readswansea.com,readtech.co,readtennis.co,readtottenham.com,readtv.co,readussoccer.com,readwatford.com,readwestbrom.com,readwestham.com,readwsl.com,rebubbled.com,recode.net,redding.com,reporternews.com,roadandtrack.com,roadrunner.com,roulettereactions.com,rr.com,sacarfan.co.za,sanluisobispo.com,scifinow.co.uk,seafm.com.au,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,shocktillyoudrop.com,shropshirestar.com,slashdot.org,slideshare.net,southerncrossten.com.au,space.com,spacecast.com,sparesomelol.com,spoiledphotos.com,sportsnet.ca,sportsvite.com,starfm.com.au,stopdroplol.com,straitstimes.com,stripes.com,stv.tv,sunfm.com.au,sunherald.com,supersport.com,tattoofailure.com,tbreak.com,tcpalm.com,techdigest.tv,techzim.co.zw,terra.com,thamesradio.london,theatermania.com,thecrimson.com,thehollywoodgossip.com,thejewishnews.com,thenationalstudent.com,thenewstribune.com,theolympian.com,therangecountry.com.au,theriver.com.au,theskanner.com,thestar.com.my,thestate.com,timescolonist.com,timesrecordnews.com,titantv.com,treehugger.com,tri-cityherald.com,triplem.com.au,triplemclassicrock.com,tutorialrepublic.com,tvfanatic.com,uswitch.com,vcstar.com,villagevoice.com,vivastreet.co.uk,vr-zone.com,walyou.com,washingtonpost.com,waterline.co.nz,westword.com,whatsonstage.com,where.ca,wired.com,wmagazine.com,yodawgpics.com,yoimaletyoufinish.com##.leaderboard -ameinfo.com##.leaderboard-area -rantnow.com##.leaderboard-atf -autotrader.co.uk,mixcloud.com##.leaderboard-banner -bleedingcool.com##.leaderboard-below-header -fanlala.com,stltoday.com##.leaderboard-bottom -investorwords.com##.leaderboard-box -rantnow.com##.leaderboard-btf -app.com,argusleader.com,battlecreekenquirer.com,baxterbulletin.com,bloomberg.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,cincinnati.com,citizen-times.com,clarionledger.com,coloradoan.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,democratandchronicle.com,democraticunderground.com,desmoinesregister.com,detroitnews.com,dnj.com,explosm.net,farmanddairy.com,fdlreporter.com,federaltimes.com,freep.com,gamesindustry.biz,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hometownlife.com,honoluluadvertiser.com,htrnews.com,independent.com.mt,indystar.com,jacksonsun.com,jconline.com,kotaku.com.au,lancastereaglegazette.com,lansingstatejournal.com,lifehacker.com.au,livingstondaily.com,lohud.com,mansfieldnewsjournal.com,marionstar.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mousebreaker.com,mycentraljersey.com,mydesert.com,nature.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,pal-item.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressandjournal.co.uk,pressconnects.com,rgj.com,sctimes.com,sheboyganpress.com,shreveporttimes.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,thecalifornian.com,thedailyjournal.com,theithacajournal.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,visaliatimesdelta.com,wausaudailyherald.com,wisconsinrapidstribune.com,zanesvilletimesrecorder.com##.leaderboard-container -app.com,argusleader.com,battlecreekenquirer.com,baxterbulletin.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,cincinnati.com,citizen-times.com,clarionledger.com,coloradoan.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,democratandchronicle.com,desmoinesregister.com,detroitnews.com,dnj.com,fdlreporter.com,federaltimes.com,floridatoday.com,freep.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hometownlife.com,honoluluadvertiser.com,htrnews.com,indystar.com,jacksonsun.com,jconline.com,lancastereaglegazette.com,lansingstatejournal.com,livingstondaily.com,lohud.com,mansfieldnewsjournal.com,marionstar.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,pal-item.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,rgj.com,sctimes.com,sheboyganpress.com,shreveporttimes.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,thecalifornian.com,thedailyjournal.com,theithacajournal.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,visaliatimesdelta.com,wausaudailyherald.com,wisconsinrapidstribune.com,zanesvilletimesrecorder.com##.leaderboard-container-top -cntraveller.com##.leaderboard-new -businessdictionary.com##.leaderboard-placement -slideshare.net##.leaderboard-profile -geekosystem.com,styleite.com,themarysue.com##.leaderboard-section -timesunion.com##.leaderboard-tbl -fanlala.com,tvline.com##.leaderboard-top -cbssports.com,ehow.co.uk,scotsman.com,skysports.com##.leaderboard-wrap -ctv.ca,globalnews.ca,jazzfm.com##.leaderboard-wrapper -whatismybrowser.com##.leaderboard720 -english.gazzetta.it##.leaderboardEng -cargurus.com##.leaderboardParent -gizmodo.com.au##.leaderboard__container -japantoday.com##.leaderboard_banner -bestcovery.com##.leaderboard_block -vibevixen.com##.leaderboard_bottom -autosport.com,lookbook.nu,todaysbigthing.com##.leaderboard_container -tucsoncitizen.com##.leaderboard_container_top -directupload.net##.leaderboard_rectangle -porttechnology.org,realworldtech.com,rottentomatoes.com##.leaderboard_wrapper -entrepreneur.com.ph##.leaderboardbar -ubergizmo.com,wired.co.uk##.leaderboardcontainer -fog24.com,free-games.net##.leaderboardholder -cherokeetribune.com##.leaderboards -theprospectordaily.com##.leaderboardwrap -autoevolution.com##.leaderheight -morewords.com##.lef -youserials.com##.left -washingtonjewishweek.com##.left-banner -republicbroadcasting.org##.left-sidebar-padder > #text-3 +coveteur.com##.leaderboar_promo +agcanada.com,allmusic.com,allrecipes.com,allthatsinteresting.com,autoaction.com.au,autos.ca,ballstatedaily.com,bdonline.co.uk,boardgamegeek.com,bravewords.com,broadcastnow.co.uk,cantbeunseen.com,cattime.com,chairmanlol.com,chemistryworld.com,citynews.ca,comingsoon.net,coolmathgames.com,crn.com.au,diyfail.com,dogtime.com,drugtargetreview.com,edmunds.com,europeanpharmaceuticalreview.com,explainthisimage.com,foodandwine.com,foodista.com,freshbusinessthinking.com,funnyexam.com,funnytipjars.com,gamesindustry.biz,gcaptain.com,gmanetwork.com,iamdisappoint.com,imedicalapps.com,itnews.asia,itnews.com.au,japanisweird.com,jta.org,legion.org,lifezette.com,liveoutdoors.com,macleans.ca,milesplit.com,monocle.com,morefailat11.com,moviemistakes.com,nbl.com.au,newsonjapan.com,nfcw.com,objectiface.com,passedoutphotos.com,playstationlifestyle.net,precisionvaccinations.com,retail-week.com,rollcall.com,roulettereactions.com,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,sparesomelol.com,spoiledphotos.com,spokesman.com,sportsnet.ca,sportsvite.com,stopdroplol.com,straitstimes.com,suffolknews.co.uk,supersport.com,tattoofailure.com,thedriven.io,thefashionspot.com,thestar.com.my,titantv.com,tutorialrepublic.com,uproxx.com,where.ca,yoimaletyoufinish.com##.leaderboard +kijiji.ca##.leaderboard-1322657443 +edarabia.com##.leaderboard-728 +abcnews.go.com,edarabia.com##.leaderboard-970 +roblox.com##.leaderboard-abp +gothamist.com##.leaderboard-ad-backdrop +chess.com##.leaderboard-atf-ad-wrapper +howstuffworks.com##.leaderboard-banner +poe.ninja##.leaderboard-bottom +chess.com##.leaderboard-btf-ad-wrapper +mxdwn.com##.leaderboard-bucket +apnews.com,arabiaweather.com,atlasobscura.com,forum.audiogon.com,gamesindustry.biz,golfdigest.com,news957.com##.leaderboard-container +huffingtonpost.co.uk,huffpost.com##.leaderboard-flex-placeholder +huffingtonpost.co.uk,huffpost.com##.leaderboard-flex-placeholder-desktop +bluesnews.com##.leaderboard-gutter +jobrapido.com##.leaderboard-header-wrapper +manitobacooperator.ca##.leaderboard-height +medpagetoday.com##.leaderboard-region +businessinsider.in##.leaderboard-scrollable-btf-cont +businessinsider.in##.leaderboard-scrollable-cont +consequence.net##.leaderboard-sticky +poe.ninja##.leaderboard-top +cbssports.com,nowthisnews.com,popsugar.com,scout.com,seeker.com,thedodo.com,thrillist.com##.leaderboard-wrap +bloomberg.com,weatherpro.com,wordfinder.yourdictionary.com##.leaderboard-wrapper +6abc.com,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abc7ny.com##.leaderboard2 +save.ca##.leaderboardMainWrapper +cargurus.co.uk##.leaderboardWrapper +t3.com##.leaderboard__container +revolt.tv##.leaderboard_ad +lookbook.nu##.leaderboard_container +rottentomatoes.com##.leaderboard_wrapper +gpfans.com##.leaderboardbg +ubergizmo.com##.leaderboardcontainer +dailyegyptian.com,northernstar.info,theorion.com,theprospectordaily.com##.leaderboardwrap +dnsleak.com##.leak__submit +ecaytrade.com##.leatherboard +homehound.com.au##.left-banner +zerohedge.com##.left-rail republicbroadcasting.org##.left-sidebar-padder > #text-8 -elliotsblog.com##.left.box -routes-news.com##.left1 -ask.com##.leftLabel -bargaineering.com##.leftSidebar -yellowpages.com.ps##.leftSponsors -prevention.com##.leftSubBoxArea +gogetaroomie.com##.left-space 10minutemail.net##.leftXL -mixfmradio.com##.left_2_banners2 -indiaresults.com##.left_add_incl -ultimate-guitar.com##.left_article_cont -sanet.me##.left_banner -electronista.com,ipodnn.com,macnn.com##.left_footer -zalaa.com##.left_iframe -mail.yahoo.com##.left_mb -wnd.com##.left_prom_160 -youserials.com##.lefta -newsx.com##.leftaddsense -phonearena.com##.leftbanner -knowthis.com##.leftcol[style="width:180px;"] -miniclip.com##.letterbox -jpost.com##.level-2-horizontal-banner-wrap -jpost.com##.level-6-horizontal-banner-wrap -aol.com##.lft120x60 -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline-market.ca,autoline-market.com,autoline.info##.lh-bn-wrapper -op.gg##.life-owner -mobygames.com##.lifesupport-footer-wrapper -mobygames.com##.lifesupport-header -webpronews.com##.lightgray -anonic.org##.link -texastribune.org##.link--teal -coinurl.com##.link-image -huffingtonpost.com##.linked_sponsored_entry -technologyreview.com##.linkexperts-hm -kyivpost.com##.linklist -kproxy.com##.linknew4 -babynamegenie.com,forless.com,o2cinemas.com,passageweather.com,worldtimeserver.com##.links -atđhe.net##.links > thead -youtube.com##.list-view[style="margin: 7px 0pt;"] +ultimatespecs.com##.left_column_sky_scrapper +livemint.com##.leftblockAd +thehansindia.com##.level-after-1-2 +websitedown.info##.lftleft +axios.com##.lg\:min-h-\[200px\] +charlieintel.com,dexerto.com##.lg\:min-h-\[290px\] +gizmodo.com##.lg\:min-h-\[300px\] +mumsnet.com##.lg\:w-billboard +dailyo.in##.lhsAdvertisement300 +latestly.com##.lhs_adv_970x90_div +gadgets360.com##.lhs_top_banner +nationthailand.com##.light-box-ads +iheartradio.ca##.lightbox-wrapper +lilo.org##.lilo-ad-result +getbukkit.org##.limit +linuxize.com##.linaff +architecturesideas.com##.linkpub_right_img +babynamegenie.com,forless.com,worldtimeserver.com##.links +weatherpro.com##.list-city-ad +apkmirror.com##.listWidget > .promotedAppListing +nationalmemo.com##.listicle--ad-tag +spiceworks.com##.listing-ads +mynbc5.com##.listing-page-ad gosearchresults.com##.listing-right -cfos.de##.ll_center -cso.com.au,goodgearguide.com.au,pcworld.co.nz,pcworld.idg.com.au##.lo-toppromos -calgaryherald.com##.local-branding -allrecipes.com##.local-offers -ninjakiwi.com##.local-skin -theonion.com##.local_recirc -hiphopdx.com##.lockerdome -logect.com##.logect_ads01_wrp -tv-video.net##.login -wearetennis.com##.logo -1071thepeak.com##.logo-scroll +privateproperty.co.za##.listingResultPremiumCampaign +researchgate.net##.lite-page__above +reviewparking.com##.litespeed-loaded +ottverse.com##.livevideostack-ad +leftlion.co.uk##.ll-ad +dayspring.com##.loading-mask +reverso.net##.locd-rca +torrentleech.org##.login-banner siberiantimes.com##.logoBanner -ovguide.com##.logo_affiliate -themoscowtimes.com##.logo_popup -leaprate.com##.logooos_container -toblender.com##.longadd -channel24.co.za,netwerk24.com,news24.com,sport24.co.za,w24.co.za,wheels24.co.za##.love2meet -omegle.com##.lowergaybtn -omegle.com##.lowersexybtn -cfos.de##.lr_left -yahoo.com##.lrec -yahoo.com##.lrec-before-loading -findlaw.com##.ls_homepage -animetake.com##.lsidebar > a[href^="http://bit.ly/"] -vidto.me,vidzi.tv##.ltas_backscreen -slideshare.net##.lynda-item +shacknews.com##.lola-affirmation +rpgsite.net##.long-block-footer +topservers.com##.long_wrap +netwerk24.com##.love2meet +tigerdroppings.com##.lowLead +bikeroar.com##.lower-panel +core77.com##.lower_ad_wrap +greatbritishlife.co.uk##.lp_track_vertical2 +foodandwine.com##.lrs__wrapper +lowes.com##.lws_pdp_recommendations_southdeep phpbb.com##.lynkorama -phpbb.com##.lynkoramaz -kovideo.net##.lyricRingtoneLink -lifezette.com##.lz_leaderboard_outer -egotastic.com,readwrite.com##.m-adaptive -digitaltrends.com##.m-deal-bonus -theverge.com##.m-feature__intro > aside -digitaltrends.com##.m-intermission -digitaltrends.com##.m-leaderboard -theguardian.com##.m-money-deals -digitaltrends.com##.m-offers -fiaformulae.com##.m-partners -aol.com##.m-people-are-reading -alibaba.com##.m-product-item[data-eurl^="//us-click.alibaba.com/ci_bb?"] -digitaltrends.com##.m-review-affiliate-pint -digitaltrends.com,tvguide.com##.m-shop -digitaltrends.com##.m-widget_deal -share-links.biz##.m10.center -share-links.biz##.m20 > div[id]:first-child:last-child -gayvegas.com,minivannews.com##.m_banner_show -downloadatoz.com##.ma -hitc.com##.ma-wrapper -grandbaie.mu##.magestore-bannerslider -gififly.com##.magic -christianpost.com##.main-aside-bn -cointelegraph.com##.main-banner -dictionary.com##.main-leaderboard -nagpurtoday.in##.main-logo + div[style="float:right;"] -veekyforums.com##.main-rc -wireshark.org##.main-sponsor -forbesindia.com##.main-stories-bg -thedailystar.net##.mainAddSpage -investing.com##.mainLightBoxFilter -tradingpost.com.au##.mainWrapper-csa -cheatsheet.com##.main__bottom > div + div[class] -instantshift.com##.main_banner_single -technewsdaily.com##.main_content_right -israelhayom.com##.main_english_banner -electronista.com##.main_notify -xspyz.com##.mainparagraph -healthzone.pk##.maintablebody -makeprojects.com##.makeBlocks -4shared.com##.makeRingtoneButton -mangainn.com##.mangareadtopad -allmenus.com##.mantle -sigalert.com##.map-med-rect -rocvideo.tv##.mar-bot-10 -romereports.com##.marg -pcper.com##.mark-overlay-bg -briefing.com##.market-place -industryweek.com##.market600 -investors.com##.marketBox -nzherald.co.nz##.marketPlace -gisborneherald.co.nz##.market_place -knowd.com,theslingshot.com##.marketing -edmunds.com##.marketing-message-section -bangkok.com##.marketing-spot -rtklive.com##.marketing_banner -investmentweek.co.uk##.marketing_content -abc15.com,abc2news.com,barchart.com,entrepreneur.com,globest.com,industryweek.com,kypost.com,myfoxboston.com,myfoxmemphis.com,newsarama.com,newsnet5.com,wcpo.com,wptv.com,wxyz.com,yahoo.com##.marketplace -poststar.com,stltoday.com##.marketplace-list -dailymotion.com##.masscast_box -dailymotion.com##.masscast_middle_box -macworld.co.uk##.mastBannerContainer -groovekorea.com##.master-slider-main-widget +thestreet.com##.m-balloon-header +politifact.com##.m-billboard +aol.com##.m-gam__container +aol.com##.m-healthgrades +bitcoinmagazine.com,thestreet.com##.m-in-content-ad-row +techraptor.net##.m-lg-70 +meidasnews.com##.m-outbrain +scamrate.com##.m-t-0 +scamrate.com##.m-t-3 +tech.hindustantimes.com##.m-to-add +thestreet.com##.m-video-unit +thegatewaypundit.com##.m0z4dhxja2 +insideevs.com##.m1-apb +motor1.com##.m1_largeMPU +poebuilds.net##.m6lHKI +net-load.com##.m7s-81.m7s +hindustantimes.com##.m_headBanner +morningagclips.com##.mac-ad-group +macdailynews.com##.macdailynews-after-article-ad-holder +antimusic.com##.mad +imyfone.com##.magicmic-banner-2024 +curseforge.com##.maho-container +methodshop.com##.mai-aec +wccftech.com##.main-background-wrap +mathgames.com##.main-banner-adContainer +sporcle.com##.main-content-unit-wrapper +numuki.com##.main-header-responsive-wrapper +ggrecon.com##.mainVenatusBannerContainer +nordot.app##.main__ad +gzeromedia.com##.main__post-sponsored +azscore.com##.make-a-bet__wrap +livescores.biz##.make-a-bet_wrap +gfinityesports.com##.manifold-takeover +get.pixelexperience.org##.mantine-arewlw +whatsgabycooking.com##.manual-adthrive-sidebar +linkvertise.com##.margin-bottom-class-20 +color-hex.com##.margin10 +theadvocate.com##.marketing-breakout +fandom.com##.marketplace pushsquare.com,songlyrics.com##.masthead -firstpost.com##.masthead-associate -slacktory.com##.masthead-banner -lifesitenews.com##.matched-content-wrapper -fixitscripts.com##.max-banner -mail.yahoo.com##.mb > .tbl -cheatsheet.com##.mb--baseline > script + div -commentarymagazine.com##.mb5px -yahoo.com##.mballads -zeetv.com##.mbanner1 -wraltechwire.com##.mbitalic -search.twcc.com##.mbs -minecraftforum.net##.mcserver-banner -deviantart.com##.mczone-you-know-what -games.yahoo.com,movies.yahoo.com##.md.links -wsj.com##.mdcSponsorBadges -hughhewitt.com##.mdh-main-wrap -srnnews.com##.mdh-wrap -mtv.com##.mdl_noPosition +eetimes.eu,korinthostv.gr,powerelectronicsnews.com##.masthead-banner +augustman.com##.masthead-container +cloudwards.net##.max-medium +buzzheavier.com##.max-w-\[60rem\] > p.mt-5.text-center.text-lg +spin.com##.max-w-\[970px\] +mayoclinic.org##.mayoad > .policy +poe2db.tw##.mb-1 > [href^="/s/tl3"] +racgp.org.au##.mb-1.small +wccftech.com##.mb-11 +coinlean.com##.mb-3 +gamedev.net##.mb-3.align-items-center.justify-content-start +urbandictionary.com##.mb-4.justify-center +themoscowtimes.com##.mb-4.py-3 +techbone.net##.mb-5.bg-light +yardbarker.com##.mb_promo_responsive_right +firstpost.com##.mblad +news18.com##.mc-ad +mastercomfig.com##.md-typeset[style^="background:"] +ctinsider.com##.md\:block.y100 +bmj.com##.md\:min-h-\[250px\] +medibang.com##.mdbnAdBlock +online-translator.com##.mddlAdvBlock +livejournal.com##.mdspost-aside__item--banner thestar.com.my##.med-rec -indianapublicmedia.org,mymotherlode.com##.med-rect -slideshare.net##.medRecBottom2 -orlandoweekly.com##.medRectangle -abajournal.com,etonline.com##.med_rec -medcitynews.com##.medcity-paid-inline -fontstock.net##.mediaBox -gismeteo.com##.media_left -gismeteo.com##.media_top -cnn.com##.medianet -parents.com##.medianetPlaceholder -tvbay.org##.mediasrojas -tvplus.co.za##.medihelp-section -docspot.com##.medium -allmovie.com,edmunds.com##.medium-rectangle -allmovie.com##.medium-rectangle-btf -monhyip.net##.medium_banner -ucomparehealthcare.com##.medium_rectangle -beautifuldecay.com##.medium_rectangle_300x250 -ubergizmo.com##.mediumbox -msn.com##.mediumcard-placeholder -msn.com##.mediumcardContainer -msn.com##.mediumcardt -rushlimbaugh.com##.mediumrec_int -democraticunderground.com##.mediumrectangle-op-blank -democraticunderground.com##.mediumrectangle-placeholder -9news.com.au,active.com,anime-planet.com,cookinggames.com,coolgames.com,fosswire.com,girlgames.com,girlsocool.com,guygames.com,hallpass.com,stickgames.com,tinypic.com,tuaw.com,watchmojo.com##.medrec -active.com##.medrec-bottom -dressupgal.com##.medrec-main -active.com##.medrec-top -myspace.com##.medrecContainer -rottentomatoes.com##.medrec_top_wrapper -joystiq.com,luxist.com,switched.com,tuaw.com,wow.com##.medrect -theboot.com##.medrect_aol -notcot.org##.medrect_outer -gossiponthis.com##.medrectangle -techrepublic.com##.medusa-horizontal -techrepublic.com##.medusa-right-rail -ludobox.com##.megaban -lookbook.nu##.megabanner_container -gamerdna.com##.members -videogamer.com##.mentioned-games__item__buy -deseretnews.com##.menu-sponsor -opensourcecms.com##.menuItemYannerYd -toonjokes.com##.menu_fill_ad -flysat.com##.menualtireklam -spinitron.com##.merch -travelocity.com##.merchandising -troyhunt.com##.message_of_support -eawaz.com,nationwideradiojm.com##.metaslider -excite.com##.mexContentBdr -moviefone.com##.mf-banner-container -moviefone.com##.mf-tower600-container -moviesplanet.com##.mgtie5min -modernhealthcare.com##.mh_topshade_b -npr.org##.mi-purchase-links -theoutline.com##.micro-native -slate.com##.microsoft_text_link -krebsonsecurity.com##.mid-banner -wired.com##.mid-banner-wrap -order-order.com##.mid-bar-post-container-unit -pissedconsumer.com,plussports.com##.midBanner +gamezone.com##.med-rect-ph +ghanaweb.com##.med_rec_lg_min +bleedingcool.com##.med_rect_wrapper +ipwatchdog.com##.meda--sidebar-ad +tasfia-tarbia.org##.media-links +realestate.com.au##.media-viewer__sidebar +picuki.me##.media-wrap-h12 +webmd.com##.medianet-ctr +stealthoptional.com##.mediavine_blockAds +gfinityesports.com##.mediavine_sidebar-atf_wrapper +allmusic.com##.medium-rectangle +chess.com##.medium-rectangle-ad-slot +chess.com##.medium-rectangle-btf-ad-wrapper +weatherpro.com##.medium-rectangle-wrapper-2 +ebaumsworld.com##.mediumRect +ubergizmo.com##.mediumbox_container +allnurses.com##.medrec +compoundsemiconductor.net##.mega-bar +theweather.com,theweather.net,yourweather.co.uk##.megabanner +mentalmars.com##.menta-target +2ip.me##.menu_banner +gadgetsnow.com##.mercwapper +audiokarma.org##.message > center b +eawaz.com##.metaslider +theweather.com,theweather.net,yourweather.co.uk##.meteored-ads +metro.co.uk##.metro-discounts +metro.co.uk##.metro-ow-modules +moviefone.com##.mf-incontent +desmoinesregister.com##.mfFsRn__mfFsRn +moneycontrol.com##.mf_radarad +analyticsinsight.net##.mfp-bg +wethegeek.com##.mfp-content +analyticsinsight.net##.mfp-ready +earth911.com##.mg-sidebar +timesofindia.indiatimes.com##.mgid_second_mrec_parent +cryptoreporter.info,palestinechronicle.com##.mh-header-widget-2 +citizen.digital##.mid-article-ad +hltv.org##.mid-container investing.com##.midHeader -expertreviews.co.uk##.midLeader -siteadvisor.com##.midPageSmallOuterDiv -mp3.li##.mid_holder[style="height: 124px;"] -einthusan.com##.mid_leaderboard -einthusan.com##.mid_medium_leaderboard -babylon.com##.mid_right -einthusan.com##.mid_small_leaderboard -metroflog.com##.midbanner -edutourism.in##.middMain -ocweekly.com##.middle -scanwith.com##.middle-banner +newsday.com##.midPg +battlefordsnow.com,cfjctoday.com,chatnewstoday.ca,everythinggp.com,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca##.midcontent +manofmany.com,scanwith.com##.middle-banner tradetrucks.com.au##.middle-banner-list -ibtimes.co.in,ibtimes.co.uk##.middle-leaderboard -imdb.com##.middle-rhs -instantshift.com##.middle_banners_title -kcrw.com##.middle_bottom_wrap -lifezette.com##.midpoint -broadcastingworld.net##.midsection -tokyohive.com##.midunit -ar15.com##.miniBannersBg -fool.com##.mintPromo -standard.co.uk##.mktg-btns-ctr -aol.com##.mlid-netbanner -mnn.com##.mnn-homepage-adv1-block -investopedia.com##.mntl-leaderboard-spacer -cultofmac.com##.mob-mpu -islamicfinder.org##.mobile-cards -techradar.com##.mobile-hawk-widget -techspot.com##.mobile-hide -winnipegfreepress.com##.mobile-inarticle-container -thenation.com##.modalContainer -ibtimes.com##.modalDialog_contentDiv_shadow -ibtimes.com##.modalDialog_transparentDivs -thenation.com##.modalOverlay -autotrader.co.uk##.module-ecommerceLinks -ca2015.com##.module-footer-sponsors -4kq.com.au,961.com.au,96fm.com.au,973fm.com.au,cruise1323.com.au,gold1043.com.au,kiis1011.com.au,kiis1065.com.au,mix1023.com.au,mix106.com.au,wsfm.com.au##.module-leaderboard -4kq.com.au,961.com.au,96fm.com.au,973fm.com.au,cruise1323.com.au,gold1043.com.au,kiis1011.com.au,kiis1065.com.au,mix1023.com.au,mix106.com.au,wsfm.com.au##.module-mrec -nickelodeon.com.au##.module-mrect -heraldsun.com.au##.module-promo-image-01 -wptv.com##.module.horizontal -hubpages.com##.moduleAmazon -olympicchannel.com##.module__footer -quote.com##.module_full -prevention.com##.modules -americantowns.com##.moduletable-banner -healthyplace.com##.moduletablefloatRight -uberrock.co.uk##.moduletablepatches -thetowner.com##.moleskine-product -theguardian.com##.money-supermarket -dailymail.co.uk,mailonsunday.co.uk##.money.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -thisismoney.co.uk##.money.item.html_snippet_module -au.news.yahoo.com##.moneyhound -grantland.com##.more-from-elsewhere -yahoo.com##.more-sponsors -motherboard.tv##.moreFromVice -aol.co.uk##.moreOnAsylum -bestserials.com##.morePop -search.icq.com##.more_sp -search.icq.com##.more_sp_end -msn.com##.morefromproviderrr -cnn.com##.mortgage-and-savings -zillow.com##.mortgage-featured-partners -radiosport.co.nz##.mos-sponsor -anonymouse.org##.mouselayer -merdb.com##.movie_version a[style="font-size:15px;"] -seetickets.com##.mp-sidebar-right -newscientist.com##.mpMPU -syfy.com##.mps-container -98fm.com,accringtonobserver.co.uk,afcbournemouthnews.com,alloaadvertiser.com,ardrossanherald.com,audioreview.com,autotrader.co.za,barrheadnews.com,bigtop40.com,birminghammail.co.uk,birminghampost.co.uk,bizarremag.com,bobfm.co.uk,bordertelegraph.com,bracknellnews.co.uk,burnleyfcnews.com,capitalfm.com,capitalxtra.com,carrickherald.com,caughtoffside.com,centralfifetimes.com,chelseanews.com,chesterchronicle.co.uk,chroniclelive.co.uk,classicfm.com,clydebankpost.co.uk,cnet.com,coventrytelegraph.net,crewechronicle.co.uk,crystalpalacenews.com,cultofandroid.com,cumnockchronicle.com,dailypost.co.uk,dailyrecord.co.uk,dcsuk.info,directory.im,directory247.co.uk,divamag.co.uk,dplay.com,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,evertonnews.com,examiner.co.uk,findanyfilm.com,football-league.co.uk,games.co.uk,gamesindustry.biz,gardensillustrated.com,gazettelive.co.uk,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,golf365.com,goonernews.com,greenocktelegraph.co.uk,hammersheadlines.com,heart.co.uk,heatworld.com,helensburghadvertiser.co.uk,her.ie,herfamily.ie,huddersfieldtownnews.com,impartialreporter.com,indy100.com,irishexaminer.com,irvinetimes.com,jamieoliver.com,jazzfm.com,joe.co.uk,joe.ie,journallive.co.uk,largsandmillportnews.com,leicestercitynews.org,liverpoolecho.co.uk,localberkshire.co.uk,look.co.uk,loughboroughecho.net,macclesfield-express.co.uk,macuser.co.uk,manchestereveningnews.co.uk,mancitynews.com,manunews.com,metoffice.gov.uk,mtv.com.lb,mumsnet.com,musicradar.com,musicradio.com,mygoldmusic.co.uk,newburyandthatchamchronicle.co.uk,newcastleunitednews.org,newscientist.com,newstalk.com,newstatesman.com,northernfarmer.co.uk,osadvertiser.co.uk,peeblesshirenews.com,pinknews.co.uk,planetrock.com,propertynews.com,racecar-engineering.com,radiotimes.com,radiox.co.uk,readamericanfootball.com,readarsenal.com,readastonvilla.com,readbasketball.com,readbetting.com,readbournemouth.com,readboxing.com,readbrighton.com,readbundesliga.com,readburnley.com,readcars.co,readceltic.com,readchampionship.com,readchelsea.com,readcricket.com,readcrystalpalace.com,readeverton.com,readeverything.co,readfashion.co,readfilm.co,readfood.co,readfootball.co,readgaming.co,readgolf.com,readhorseracing.com,readhuddersfield.com,readhull.com,readingchronicle.co.uk,readinternationalfootball.com,readlaliga.com,readleicester.com,readliverpoolfc.com,readmancity.com,readmanutd.com,readmiddlesbrough.com,readmma.com,readmotorsport.com,readmusic.co,readnewcastle.com,readnorwich.com,readnottinghamforest.com,readolympics.com,readpl.com,readrangers.com,readrugbyunion.com,readseriea.com,readshowbiz.co,readsouthampton.com,readsport.co,readstoke.com,readsunderland.com,readswansea.com,readtech.co,readtennis.co,readtottenham.com,readtv.co,readussoccer.com,readwatford.com,readwestbrom.com,readwestham.com,readwsl.com,realradioxs.co.uk,recombu.com,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rossendalefreepress.co.uk,rte.ie,runcornandwidnesweeklynews.co.uk,saintsnews.com,scotsman.com,seagullsnews.com,skysports.com,sloughobserver.co.uk,smallholder.co.uk,smartertravel.com,smoothradio.com,southportvisiter.co.uk,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,sportsjoe.ie,sportsmole.co.uk,spursnews.com,stokecitynews.com,strathallantimes.co.uk,swanseacitynews.com,t3.com,tcmuk.tv,the-gazette.co.uk,the-tls.co.uk,theadvertiserseries.co.uk,thejournal.co.uk,thelancasterandmorecambecitizen.co.uk,thetimes.co.uk,thevillager.co.uk,thisisfutbol.com,timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com,todayfm.com,toffeeweb.com,troontimes.com,uktv.co.uk,videogamer.com,walesonline.co.uk,walkon.com,warringtonguardian.co.uk,watfordfcnews.com,westbromnews.com,wiltshirebusinessonline.co.uk,windsorobserver.co.uk##.mpu -greatbritishlife.co.uk,sport360.com##.mpu-banner -4music.com##.mpu-block -rightmove.co.uk##.mpu-slot -todayfm.com##.mpu2 -crash.net##.mpuBack -digitalartsonline.co.uk##.mpuHolder -lonelyplanet.com##.mpuWrapper -slidetoplay.com##.mpu_content_banner -popjustice.com##.mpufloatleft -blinkbox.com##.mpupnl -411.com##.mr_top -2gb.com,9news.com.au,askmen.com,ebay.com,farmonline.com.au,farmweekly.com.au,fhm.com.ph,foodnetwork.com,funnyordie.com,geo.tv,goodfruitandvegetables.com.au,hgtv.com,hgtvremodels.com,jozifm.co.za,medicalnewstoday.com,metrofm.co.za,northqueenslandregister.com.au,nwherald.com,queenslandcountrylife.com.au,realliving.com.ph,runt-of-the-web.com,stockandland.com.au,stockjournal.com.au,theland.com.au,thewest.com.au,topgear.com.ph,turfcraft.com.au##.mrec -jobfinderph.com##.mrec-banners -jobfinderph.com##.mrec-banners-inside -yellowpages.com.au##.mrec-container -pep.ph##.mrec-wrapper +ibtimes.co.uk##.middle-leaderboard +spectator.com.au##.middle-promo +coincodex.com##.middle6 +heatmap.news##.middle_leaderboard +fruitnet.com##.midpageAdvert +golfdigest.com##.midslot +extremetech.com##.min-h-24 +copyprogramming.com,imagecolorpicker.com##.min-h-250 +gizmodo.com##.min-h-\[1000px\] +thenewdaily.com.au##.min-h-\[100px\] +axios.com##.min-h-\[200px\] +blanktext.co##.min-h-\[230px\] +blanktext.co,finbold.com,gizmodo.com,radio.net##.min-h-\[250px\] +uwufufu.com##.min-h-\[253px\] +instavideosave.net,thenewdaily.com.au##.min-h-\[280px\] +uwufufu.com##.min-h-\[300px\] +businesstimes.com.sg##.min-h-\[90px\] +insiderintelligence.com##.min-h-top-banner +stripes.com##.min-h90 +motortrend.com,mumsnet.com,stocktwits.com##.min-w-\[300px\] +theland.com.au##.min-w-mrec +moviemeter.com##.minheight250 +phpbb.com##.mini-panel:not(.sections) +kitco.com##.mining-banner-container +ar15.com##.minis +247sports.com##.minutely-wrapper +zerohedge.com##.mixed-in-content +revolutionsoccer.net##.mls-o-adv-container +mmegi.bw##.mmegi-web-banner +inhabitat.com##.mn-wrapper +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,houstonchronicle.com,lmtonline.com,middletownpress.com,mrt.com,mysanantonio.com,newstimes.com,nhregister.com,registercitizen.com,stamfordadvocate.com,thehour.com##.mnh90px +allrecipes.com##.mntl-jwplayer-broad +bhg.com,eatingwell.com,foodandwine.com,realsimple.com,southernliving.com##.mntl-notification-banner +thoughtco.com##.mntl-outbrain +procyclingstats.com##.mob-ad +comicbook.com##.mobile +putlockers.do##.mobile-btn +birdwatchingdaily.com##.mobile-incontent-ad-label +businessplus.ie##.mobile-mpu-widget +forbes.com##.mobile-sticky-ed-placeholder +wordreference.com##.mobileAd_holderContainer +pcmacstore.com##.mobileHide +serverstoplist.com##.mobile_ad +tipranks.com##.mobile_displaynone.flexccc +thedailybeast.com##.mobiledoc-sizer +wordreference.com##.mobiletopContainer +criminaljusticedegreehub.com##.mobius-container +etxt.biz##.mod-cabinet__sidebar-adv +etxt.biz##.mod-cabinet__sidebar-info +hot-dinners.com##.mod-custom +notateslaapp.com##.mod-sponsors +snowmagazine.com##.mod_banners +lakeconews.com##.mod_ijoomlazone +civilsdaily.com##.modal +breakingenergy.com,epicload.com,shine.cn##.modal-backdrop +cleaner.com##.modal__intent-container +livelaw.in##.modal_wrapper_frame +autoevolution.com##.modeladmid +duckduckgo.com##.module--carousel-products +duckduckgo.com##.module--carousel-toursactivities +finextra.com##.module--sponsor +webmd.com##.module-f-hs +webmd.com##.module-top-picks +fxsforexsrbijaforum.com##.module_ahlaejaba +dfir.training##.moduleid-307 +dfir.training##.moduleid-347 +dfir.training##.moduleid-358 +beckershospitalreview.com##.moduletable > .becker_doubleclick +dailymail.co.uk##.mol-fe-vouchercodes-redesign +manofmany.com##.mom-ads__inner +tiresandparts.net##.mom-e3lan +monsoonjournal.com##.mom-e3lanat-wrap +manofmany.com##.mom-gpt__inner +manofmany.com##.mom-gpt__wrapper +mondoweiss.net##.mondo-ads-widget +consumerreports.org##.monetate_selectorHTML_48e69fae +forbes.com##.monito-widget-wrapper +joindota.com##.monkey-container +flickr.com##.moola-search-div.main +hindustantimes.com##.moreFrom +apptrigger.com,fansided.com,lastnighton.com,mlsmultiplex.com,netflixlife.com,playingfor90.com,winteriscoming.net##.mosaic-banner +radioyacht.com##.mpc-carousel__wrapper +98fm.com,airqualitynews.com,audioreview.com,barrheadnews.com,bobfm.co.uk,bordertelegraph.com,cultofandroid.com,dcsuk.info,directory.im,directory247.co.uk,dplay.com,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,entertainmentdaily.co.uk,eurogamer.net,findanyfilm.com,forzaitalianfootball.com,gamesindustry.biz,her.ie,herfamily.ie,joe.co.uk,joe.ie,kentonline.co.uk,metoffice.gov.uk,musicradio.com,newburyandthatchamchronicle.co.uk,newscientist.com,physicsworld.com,pressandjournal.co.uk,readamericanfootball.com,readarsenal.com,readastonvilla.com,readbasketball.com,readbetting.com,readbournemouth.com,readboxing.com,readbrighton.com,readbundesliga.com,readburnley.com,readcars.co,readceltic.com,readchampionship.com,readchelsea.com,readcricket.com,readcrystalpalace.com,readeverton.com,readeverything.co,readfashion.co,readfilm.co,readfood.co,readfootball.co,readgaming.co,readgolf.com,readhorseracing.com,readhuddersfield.com,readhull.com,readingchronicle.co.uk,readinternationalfootball.com,readlaliga.com,readleicester.com,readliverpoolfc.com,readmancity.com,readmanutd.com,readmiddlesbrough.com,readmma.com,readmotorsport.com,readmusic.co,readnewcastle.com,readnorwich.com,readnottinghamforest.com,readolympics.com,readpl.com,readrangers.com,readrugbyunion.com,readseriea.com,readshowbiz.co,readsouthampton.com,readsport.co,readstoke.com,readsunderland.com,readswansea.com,readtech.co,readtennis.co,readtottenham.com,readtv.co,readussoccer.com,readwatford.com,readwestbrom.com,readwestham.com,readwsl.com,realradioxs.co.uk,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rte.ie,sloughobserver.co.uk,smartertravel.com,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,sportsjoe.ie,sportsmole.co.uk,strathallantimes.co.uk,sundaypost.com,tcmuk.tv,thevillager.co.uk,thisisfutbol.com,toffeeweb.com,uktv.co.uk,videocelts.com,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk##.mpu +news.sky.com##.mpu-1 +edarabia.com##.mpu-300 +physicsworld.com##.mpu-300x250 +arabiaweather.com##.mpu-card +dailymail.co.uk##.mpu_puff_wrapper +mapquest.com##.mq-bizLocs-container +mapquest.co.uk,mapquest.com##.mqBizLocsContainer +nysun.com##.mr-\[-50vw\] +10play.com.au,geo.tv,jozifm.co.za,nwherald.com,runt-of-the-web.com,thewest.com.au,topgear.com.ph##.mrec +auto.economictimes.indiatimes.com##.mrec-ads-slot gmanetwork.com##.mrect -activistpost.com##.mrf-external -mmorpg.com##.mrskin motorsport.com##.ms-ap -plus.im##.ms-creative-position-header -govtech.com##.mt-20 -motortrend.com##.mt-spotlight -facemoods.com##.mts + .search-list -movieking.me##.mv_dirad -dexerto.com##.my3.tc -javascript-coder.com##.myadv1 -mycoupons.com##.myc_google -cracksfiles.com##.mylink -slate.com##.mys-header -slate.com##.mys-north-spons-ad -google.com##.nH.MC +autosport.com##.ms-apb +motorsport.com##.ms-apb-dmpu +autosport.com,motorsport.com##.ms-hapb +autosport.com##.ms-side-items--with-banner +codeproject.com##.msg-300x250 +cryptoticker.io##.mso-cls-wrapper +marinetraffic.com##.mt-desktop-mode +thedrive.com##.mtc-header__desktop__article-prefill-container +thedrive.com##.mtc-prefill-container-injected +fieldandstream.com,outdoorlife.com,popsci.com,taskandpurpose.com,thedrive.com##.mtc-unit-prefill-container +textcompare.org##.mui-19wbou7 +forbes.com##.multi-featured-products +myinstants.com##.multiaspect-banner-ad +spy.com##.multiple-products +zerolives.com##.munder-fn5udnsn +cutecoloringpagesforkids.com##.mv-trellis-feed-unit +cannabishealthnews.co.uk##.mvp-side-widget img +marijuanamoment.net##.mvp-widget-ad +malwaretips.com##.mwt_ads +invezz.com,reviewparking.com##.mx-auto +smallseotools.com##.mx-auto.d-block +visortmo.com##.mx-auto.thumbnail.book +theawesomer.com##.mxyptext +standardmedia.co.ke##.my-2 +radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se##.my-\[5px\].mx-auto.w-full.hidden.md\:flex.md\:min-h-\[90px\].lg\:min-h-\[250px\].items-center.justify-center +cnet.com,healthline.com##.myFinance-ad-unit +greatist.com,psychcentral.com##.myFinance-widget +tastesbetterfromscratch.com##.mysticky-welcomebar-fixed +troypoint.com##.mysticky-welcomebar-fixed-wrap +koreaherald.com##.mythiell-mid-container +exportfromnigeria.info##.mytopads +mypunepulse.com##.n2-padding +hoteldesigns.net##.n2-ss-slider +naturalblaze.com##.n553lfzn75 mail.google.com##.nH.PS -manchesterconfidential.co.uk##.nag -laradiofm.com##.narrow_banner -scroll.in##.native -bbc.com##.native-promo-button -gamerevolution.com##.native-teaser -gadgetsnow.com##.nativecontent -9gag.com##.naughty-box -animenfo.com##.nav2 -thetechpoint.org##.navigation-banner -typo3.org##.navigationbanners -zeenews.india.com##.navnw-banrpad -newsbusters.org##.nb-a-p -nba.com##.nbaSponsored -ncaa.com##.ncaa728text -ncaa.com##.ncaaAdTag -4shared.com##.ndimg -depositfiles.com,dfiles.eu##.network_downloader -keepcalm-o-matic.co.uk##.new-banner -makeuseof.com##.new-sidebar-deals -northjersey.com##.newerheaderbg -instructables.com##.newrightbar_div_10 -jpost.com##.news-feed-banner -ckom.com,newstalk650.com,seatrade-cruise.com##.news-sponsor -afterdawn.com##.newsArticleGoogle -afterdawn.com##.newsGoogleContainer -tech-reviews.co.uk##.newsadsix -codingforums.com##.newscredit -newsday.co.zw##.newsd-2nd-advert-incontent -newsday.co.zw##.newsd-2nd-advert-incontent-250 -newsday.co.zw##.newsd-top-insert-leaderboard -pbs.org##.newshour-support-wrap -develop-online.net,licensing.biz,mcvuk.com,mobile-ent.biz,pcr-online.biz,toynews-online.biz##.newsinsert -taxidrivermovie.com##.newsletter -jpost.com##.newsmax -exchangerates.org.uk##.newsp -educationtimes.com##.newtopbannerpanel -msn.com##.nextcontentitem -democraticunderground.com##.nhome-mediumrectangle-container +cryptobriefing.com##.na-item.item +nanoreview.net##.nad_only_desktop +nextdoor.com##.nas-container +imsa.com,jayski.com,nascar.com##.nascar-ad-container +zerohedge.com##.native +old.reddit.com##.native-ad-container +allthatsinteresting.com##.native-box +blockchair.com##.native-sentence +phillyvoice.com##.native-sponsor +tekno.kompas.com##.native-wrap +ranker.com##.nativeAdSlot_nativeAdContainer__NzSO_ +seura.fi##.nativead:not(.list) +vice.com##.nav-bar__article-spacer +majorgeeks.com##.navigation-light +notebookcheck.net##.nbc-right-float +vocm.com##.nccBigBox +aceshowbiz.com,cmr24.net##.ne-banner-layout1 +meilleurpronostic.fr##.ne4u07a96r5c3 +danpatrick.com##.needsclick +newegg.com##.negspa-brands +nevadamagazine.com##.nevad-article-tall +chaseyoursport.com##.new-adv +play.typeracer.com##.newNorthWidget +pcgamesn.com##.new_affiliate_embed +firstpost.com##.newadd +farminguk.com##.news-advert-button-click +hurriyetdailynews.com##.news-detail-adv +sammobile.com##.news-for-you-wrapper +myflixer.to##.news-iframe +blabbermouth.net##.news-single-ads +dailysocial.id##.news__detail-ads-subs +newskarnataka.com##.newsk-target +washingtoninformer.com##.newspack_global_ad +firstpost.com##.newtopadd +moddb.com##.nextmediaboxtop +nhl.com##.nhl-c-editorial-list__mrec +nhl.com##.nhl-l-section-bg__adv hulkshare.com##.nhsBotBan -9news.com.au,ninemsn.com.au##.ninemsn-advert -9news.com.au,nine.com.au##.ninemsn-footer-classifieds -cosmopolitan.com.au,dolly.com.au##.ninemsn-mrec -rtklive.com##.njoftime_publike -9news.com.au##.nk-demographics -9news.com.au##.nk-shortcuts -smartmoney.com##.no-top-margin -thedailycrux.com##.noPrint -fiercetelecom.com,fiercevideo.com##.node--type-embed-promo -mtv.co.uk##.node-download -doctoroz.com##.node-site_promo -tradingmarkets.com##.node_banner_right -news.com.au##.nokia-short -spotplanet.org##.nonregadd -moddb.com##.normalmediabox +afterdawn.com##.ni_box +bizasialive.com##.nipl-sticky-footer-banner +bizasialive.com##.nipl-top-sony-banr +bizasialive.com##.nipl_add_banners_inner +tumblr.com##.njwip +quipmag.com##.nlg-sidebar-inner > .widget_text +newsmax.com##.nmsponsorlink +newsmax.com##.nmsponsorlink + [class] +pcgamesn.com##.nn_mobile_mpu2_wrapper +pcgamesn.com##.nn_mobile_mpu_wrapper +trueachievements.com,truesteamachievements.com,truetrophies.com##.nn_player_w +publishedreporter.com##.no-bg-box-model +shinigami09.com##.no-gaps.page-break > a[href] +hindustantimes.com##.noAdLabel +ferrarichat.com##.node_sponsor +greyhound-data.com##.non-sticky-publift +unogs.com##.nordvpnAd +miniwebtool.com##.normalvideo +chipchick.com##.noskim.ntv-moap +4dayweek.io##.notadvert-tile-wrapper cookingforengineers.com##.nothing -designtaxi.com##.noticeboard -hypable.com##.notification-area -tinkercad.com##.notifications-wrapper -bleepingcomputer.com##.noty_body -financialpost.com##.npBgSponsoredLinks -channel4fm.com##.npDownload -financialpost.com##.npSponsor -financialpost.com,nationalpost.com##.npSponsorLogo -nascar.com##.nscrAd -nascar.com##.nscrAdFooter -nascar.com##.nscrSweepsContainer -designtaxi.com##.nt-noticeboard -slashdot.org##.ntv-sponsored -timpul.md,trm.md##.numbers-placeholder -nplusonemag.com##.nurble -cheezburger.com##.nw-rail-min-250 -ninemsn.com.au##.nw_ft_all_partners -marineelectronics.com,marinetechnologynews.com,maritimeprofessional.com##.nwm-banner -nymag.com,vulture.com##.nym-ad-active -nytimes.com##.nytmm-ss-ad-target -nytimes.com##.nytmm-ss-big-ad -nzherald.co.nz##.nzh-bigbanner -nzherald.co.nz##.nzh-extendedbanner -nzherald.co.nz##.nzme_ss -foodnetwork.com,hgtv.com##.o-Leaderboard -aleteia.org,comicbook.com,counton2.com,suntimes.com,thechronicleherald.ca##.oas -timesfreepress.com##.oas-instory -adage.com##.oaswrapper -cheezburger.com##.ob-widget-section -cnn.com,epicurious.com##.ob-widget-section > .ob-widget-header -elle.com,womansday.com##.oba -tvguide.com##.obj-spotlight -skysports.com##.ocw -infobetting.com,searchenginejournal.com##.odd -lifehack.org##.offer -yasni.com##.offerbox -nationalpost.com,space.com##.offers -mada.org.qa##.official-sponsors -polishlinux.org##.oio-badge -mindsetforsuccess.net##.ois_wrapper -okcupid.com##.okad -nzbindex.nl##.oldresults -somethingawful.com##.oma_pal -newstalkzb.co.nz##.onair__sponsor -plus.im##.one-creative -oneindia.com##.oneindia-coupons-block -thedigeratilife.com##.optad -advocate.com,out.com##.ourSponsors -all-shares.com##.outInformation -news.sky.com##.outbrain-table-recommendations-bottom -eeweb.com,megashare.com##.overlay -vuvido.com,zalaa.com##.overlayVid -stream4k.to##.overlay_box -getprice.com.au##.overviewnc2_side_mrec +moodiedavittreport.com##.notice +mlsbd.shop##.notice-board +cityam.com##.notice-header +businessgreen.com,computing.co.uk##.notice-slot-full-below-header +torrends.to##.notice-top +all3dp.com##.notification +mondoweiss.net##.notrack +bleepingcomputer.com##.noty_bar +pcgamebenchmark.com##.nova_wrapper +nextpit.com##.np-top-deals +dirproxy.com,theproxy.lol,unblock-it.com,uproxy2.biz##.nrd-general-d-box +designtaxi.com##.nt +nowtoronto.com##.nt-ad-wrapper +designtaxi.com##.nt-displayboard +newtimes.co.rw##.nt-horizontal-ad +newtimes.co.rw##.nt-vertical-ad +english.nv.ua##.nts-video-wrapper +forbes.com##.ntv-loading +marineelectronics.com,marinetechnologynews.com##.nwm-banner +kueez.com,trendexposed.com,wackojacko.com##.nya-slot +nypost.com##.nyp-s2n-wrapper +decider.com##.nyp-video-player +golfdigest.com##.o-ArticleRecirc +france24.com##.o-ad-container__label +drivencarguide.co.nz##.o-adunit +lawandcrime.com,mediaite.com##.o-promo-unit +afkgaming.com##.o-yqC +webnovelworld.org##.oQryfqWK +comicbook.com##.oas +sentres.com##.oax_ad_leaderboard +comiko.net##.ob-widget-items-container +tennis.com##.oc-c-article__adv +officedepot.com##.od-search-piq-banner-ads__lower-leaderboard +gizmodo.com##.od-wrapper +livescores.biz##.odds-market +worldsoccertalk.com##.odds-slider-widget +flashscore.co.za##.oddsPlacement +kijiji.ca##.ofGHb +guelphmercury.com##.offcanvas-inner > .tncms-region +softexia.com##.offer +oneindia.com##.oi-add-block +oneindia.com##.oi-recom-art-wrap +oneindia.com##.oi-spons-ad +boldsky.com,drivespark.com,gizbot.com,goodreturns.in,mykhel.com,nativeplanet.com,oneindia.com##.oi-wrapper1 +boldsky.com,drivespark.com,gizbot.com,goodreturns.in,mykhel.com,nativeplanet.com,oneindia.com##.oiad +gizbot.com##.oiadv +hamodia.com##.oiomainlisting +blockchair.com##.okane-top +thehackernews.com##.okfix +forums.somethingawful.com##.oma_pal +etonline.com##.omni-skybox-plus-stick-placeholder +oneindia.com##.one-ad +magnoliastatelive.com##.one_by_one_group +techspot.com##.onejob +decrypt.co##.opacity-75 +lowtoxlife.com##.openpay-footer +huffpost.com##.openweb-container +politicalsignal.com##.os9x6hrd9qngz +indianexpress.com##.osv-ad-class +ecowatch.com##.ot-vscat-C0004 +thedigitalfix.com##.ot-widget-banner +otakuusamagazine.com##.otaku_big_ad +dictionary.com,thesaurus.com##.otd-item__bottom +mma-core.com##.outVidAd +egmnow.com##.outbrain-wrapper +businesstoday.in##.outer-add-section +salon.com##.outer_ad_container +pricespy.co.nz,pricespy.co.uk##.outsider-ads +aminoapps.com##.overflow-scroll-sidebar > div +overtake.gg,shtfplan.com##.overlay-container +isidewith.com##.overlayBG +isidewith.com##.overlayContent +sports.ndtv.com##.overlay__side-nav +operawire.com##.ow-archive-ad golfweather.com##.ox300x250 -info.co.uk##.p -documentarystorm.com##.p-2 -thenextweb.com##.p-channel-banner-partner -worldoftanks-wot.com##.p2small -local.com##.pB5.mB15 -polls.aol.com##.p_divR -amazon.com##.pa-sp-container -chaptercheats.com,longislandpress.com,tucows.com##.pad10 -inquirer.net##.padtopbot5 -xtremevbtalk.com##.page > #collapseobj_rbit -hotfrog.ca,hotfrog.com,hotfrog.com.au,hotfrog.com.my##.page-banner -channel4.com##.page-bg-link -manilastandard.net##.page-category-contents-adds -firehouse.com,locksmithledger.com,officer.com,securityinfowatch.com##.page-footer -technobuffalo.com##.page-header -oversixty.co.nz##.page-heading-wrap -politico.com##.page-skin-graphic -channel4.com##.page-top-banner -krcrtv.com,ktxs.com,nbcmontana.com,wcti12.com,wcyb.com##.pageHeaderRow1 -freebetcodes.info##.page_free-bet-codes_1 +afkgaming.com##.ozw5N +breakingnews.ie##.p-2.bg-gray-100 +beermoneyforum.com##.p-body-sidebar +whatitismyip.net##.p-hza6800 +phonearena.com##.pa-sticky-container +islamicfinder.org##.pad-xs.box.columns.large-12 +republicworld.com##.pad3010.txtcenter +topsmerch.com##.padding-50px +topsmerch.com##.padding-top-20px.br-t +republicworld.com##.padtop10.padright10.padleft10.minheight90 +republicworld.com##.padtop20.txtcenter.minheight90 +realtytoday.com##.page-bottom +scmp.com##.page-container__left-native-ad-container +bitdegree.org##.page-coupon-landing +iheartradio.ca##.page-footer +carsales.com.au,technobuffalo.com##.page-header +realtytoday.com##.page-middle +boxing-social.com##.page-takeover +seeklogo.com##.pageAdsWp +krcrtv.com,ktxs.com,wcti12.com,wcyb.com##.pageHeaderRow1 +military.com##.page__top +rateyourmusic.com##.page_creative_frame +trustedreviews.com##.page_header_container nzcity.co.nz##.page_skyscraper -nationalreview.com##.pagetools[align="center"] -optimum.net##.paidResult -infoq.com##.paid_section -phonebook.com##.paidinfoportlet -eplans.com##.pair-bottom-banners -womenshealthmag.com##.pane-block-150 -bostonherald.com##.pane-block-20 -galtime.com##.pane-block-9 -sportfishingmag.com##.pane-channel-sponsors-list -animax-asia.com,axn-asia.com,betvasia.com,gemtvasia.com,movies4men.co.uk,onetvasia.com,settv.co.za,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com##.pane-dart-dart-tag-300x250-rectangle -soundandvisionmag.com##.pane-dart-dart-tag-bottom -thedrum.com##.pane-dfp -thedrum.com##.pane-dfp-drum-mpu-adsense -texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-1 -texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-2 -pri.org##.pane-node-field-links-sponsors -2gb.com##.pane-rugby-league-live-rugby-league-live-ros-lb -2gb.com##.pane-rugby-league-live-rugby-league-live-ros-mrec -scmp.com##.pane-scmp-advert-doubleclick -2gb.com##.pane-sponsored-links-2 -drupal.org##.pane-style-sponsor -sensis.com.au##.panel -brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##.panel--compare-save -afr.com##.panel--real_estate -tpblist.us##.panel-danger -tampabay.com##.panels-flexible-row-75-8 +mynorthwest.com##.pagebreak +canadianlisted.com##.pageclwideadv +gadgets360.com##.pagepusheradATF +calculatorsoup.com##.pages +topic.com##.pages-Article-adContainer +livejournal.com##.pagewide-wrapper +departures.com##.paid-banner +timesofindia.indiatimes.com##.paisa-wrapper +axn-asia.com,onetvasia.com##.pane-dart-dart-tag-300x250-rectangle +insidehighered.com##.pane-dfp +thebarentsobserver.com##.pane-title +comedycentral.com.au##.pane-vimn-coda-gpt-panes +wunderground.com##.pane-wu-fullscreenweather-ad-box-atf +khmertimeskh.com##.panel-grid-cell panarmenian.net##.panner_2 -nst.com.my##.parargt -whatsthescore.com##.parier -businesstech.co.za,hellomagazine.com,letour.fr,myfigurecollection.net,prolificnotion.co.uk,rugbyworldcup.com,usatoday.com##.partner +battlefordsnow.com,cfjctoday.com,chatnewstoday.ca,ckpgtoday.ca,everythinggp.com,everythinglifestyle.ca,farmnewsnow.com,fraservalleytoday.ca,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,rocketfan.ca,royalsfan.ca,sasknow.com,vernonmatters.ca##.parallax-breakout +pons.com##.parallax-container +squaremile.com##.parallax-wrapper +myfigurecollection.net,prolificnotion.co.uk##.partner hbr.org##.partner-center mail.com##.partner-container -247wallst.com##.partner-feeds -thefrisky.com##.partner-link-boxes-container -topgear.com##.partner-links +globalwaterintel.com,mavin.io##.partner-content +globalwaterintel.com##.partner-content-carousel +nrl.com##.partner-groups +dzone.com##.partner-resources-block nationtalk.ca##.partner-slides -emporis.com##.partner-small -news24.com,timesofisrael.com##.partner-widget -domainmasters.co.ke##.partner2 -newser.com##.partnerBottomBorder -mybroadband.co.za##.partnerBreaking -newser.com##.partnerLinksText -delish.com##.partnerPromoCntr -youbeauty.com##.partner_content -mamaslatinas.com##.partner_links -bloomberg.com##.partner_module -mybroadband.co.za##.partner_post -411.com##.partner_search_header -411.com##.partner_searches -ioljobs.co.za##.partner_sites +sparknotes.com##.partner__pw__header +artasiapacific.com##.partner_container +motachashma.com,ordertracker.com##.partnerbanner +bundesliga.com##.partnerbar freshnewgames.com##.partnercontent_box -phorio.com##.partnerlogos-wrapper -bhg.com##.partnerpromos -2oceansvibe.com,bundesliga.com,evertonfc.com,freedict.com,juventus.com,letour.fr,nrl.com,pcmag.com,speedcafe.com,tgdaily.com,travelweekly.com,tweetmeme.com,wbj.pl,wilv.com##.partners -araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avonadvocate.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,blayneychronicle.com.au,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bunburymail.com.au,busseltonmail.com.au,camdencourier.com.au,canowindranews.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,colliemail.com.au,colypointobserver.com.au,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,donnybrookmail.com.au,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,esperanceexpress.com.au,forbesadvocate.com.au,gleninnesexaminer.com.au,gloucesteradvocate.com.au,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hepburnadvocate.com.au,huntervalleynews.net.au,inverelltimes.com.au,irrigator.com.au,juneesoutherncross.com.au,lakesmail.com.au,lithgowmercury.com.au,macleayargus.com.au,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,moreechampion.com.au,mudgeeguardian.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,newcastlestar.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,oberonreview.com.au,parkeschampionpost.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,queanbeyanage.com.au,riverinaleader.com.au,sconeadvocate.com.au,singletonargus.com.au,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,standard.net.au,stawelltimes.com.au,summitsun.com.au,tenterfieldstar.com.au,theadvocate.com.au,thecourier.com.au,theherald.com.au,theridgenews.com.au,therural.com.au,townandcountrymagazine.com.au,ulladullatimes.com.au,waginargus.com.au,walchanewsonline.com.au,wauchopegazette.com.au,wellingtontimes.com.au,westernadvocate.com.au,westernmagazine.com.au,winghamchronicle.com.au,yasstribune.com.au,youngwitness.com.au##.partners-container -thedodo.com##.partners-widget -gmatclub.com##.partnersBottom -serverwatch.com##.partners_ITs -racinguk.com##.partners_carousel_container +investopedia.com##.partnerlinks +2oceansvibe.com,speedcafe.com,travelweekly.com##.partners +letsgodigital.org,letsgomobile.org##.partners-bar +cbn.com##.partners-block +practicalecommerce.com##.partners-sidebar +advocate.com##.partners__container arrivealive.co.za##.partnersheading -theweek.co.uk##.partnership-top -ryanair.com##.partnersmenu -nzbclub.com##.partsincomplete liveuamap.com##.passby -cjnews.com##.paszone_container -prankvidz.com##.pb-container -eeweb.com##.pbox -neverendingplaylist.com##.pcad -extremetech.com,geek.com##.pcmag-mostclicked -pcmag.com##.pcmwrap -photodom.com##.pd_AdBlock -search.smartaddressbar.com##.peach -imvu.com##.peoplesearch-ad -vosizneias.com##.perm -forums.vr-zone.com##.perm_announcement -westernjournal.com##.persistent-footer -politifact.com##.pfad -proxfree.com##.pfad2 -invisionfree.com##.pformleft[width="300px"] -sensis.com.au##.pfpRightParent -sensis.com.au##.pfplist -proxfree.com##.pftopad -mashable.com##.pga -parentherald.com##.ph-article > .att-body a[href^="https://www.amazon.com/"] -deseretnews.com##.photo-area > .rightSpace -roadandtrack.com##.photo-banner -phoronix.com##.phxcms_contentphx_right_bar:first-child -industryweek.com##.pillar-promo-unit -metacrawler.com,start.mysearchdial.com##.pirArea -twitch.tv##.pl-overlay -vr-zone.com##.place_top -gamesradar.com,pcgamer.com,t3.com,techradar.com##.placeholder -gamersyde.com##.placeholder-bottom -gamersyde.com##.placeholder-top -gamersyde.com##.placeholder-top-empty -qikr.co##.placeholder1 -qikr.co##.placeholder2 -autotrader.co.uk##.placeholderBottomLeaderboard -autotrader.co.uk##.placeholderTopLeaderboard -browardpalmbeach.com,citypages.com,dallasobserver.com,houstonpress.com,laweekly.com,lifebuzz.com,miaminewtimes.com,phoenixnewtimes.com,villagevoice.com,westword.com,zerohedge.com##.placement -world-airport-codes.com##.placement-leaderboard -world-airport-codes.com##.placement-mpu -world-airport-codes.com##.placement-skyscraper -techfrag.com##.play-unit-inner -t45ol.com##.play_game_adcube_bloc -wherever.tv##.player-page-add -overthumbs.com##.playerad -smallseotools.com##.please_dont_disturb -netmums.com##.plinth-mpu -ulivetv.com##.plugbarremozi -wsj.com##.pmCfoDeloitte -playnj.com##.pnj-table -streamingthe.net##.pnl_video_2 +writerscafe.org##.pay +nhentai.com##.pb-0.w-100[style] +newkerala.com##.pb-2 .text-mute +dermatologytimes.com##.pb-24 +ahajournals.org,royalsocietypublishing.org,tandfonline.com##.pb-ad +wweek.com##.pb-f-phanzu-phanzu-ad-code +cattime.com,dogtime.com,liveoutdoors.com,playstationlifestyle.net,thefashionspot.com##.pb-in-article-content +playbuzz.com##.pb-site-player +washingtonpost.com##.pb-sm.pt-sm.b +publicbooks.org##.pb_ads_widget +allthatsinteresting.com##.pbh_inline +babynombres.com,culturanimation.com,motoratrium.com,nombresmolones.com,recetasmaria.com,recipesandcooker.com,sombracycling.com,techobras.com##.pbl +caixinglobal.com##.pc-ad-left01 +serverstoplist.com##.pcOnly +lazada.co.id,lazada.co.th,lazada.com.my,lazada.com.ph,lazada.sg,lazada.vn##.pdp-block__product-ads +thefintechtimes.com##.penci-widget-sidebar +dailynews.lk##.penci_topblock +bestbuy.ca##.pencilAd_EE9DV +thegatewaypundit.com,westernjournal.com,wnd.com##.persistent-footer +apkmb.com##.personalizadas +proxfree.com##.pflrgAds +post-gazette.com##.pg-mobile-adhesionbanner +fontsquirrel.com##.pgAdWrapper +post-gazette.com##.pgevoke-flexbanner-innerwrapper +post-gazette.com##.pgevoke-superpromo-innerwrapper +online.pubhtml5.com##.ph5---banner---container +timesofindia.com##.phShimmer +drivespark.com,gizbot.com##.photos-add +drivespark.com##.photos-left-ad +washingtontimes.com##.piano-in-article-reco +washingtontimes.com##.piano-right-rail-reco +reelviews.net##.picHolder +locklab.com##.picwrap +yopmail.com,yopmail.fr,yopmail.net##.pindexhautctn +9animetv.to,hianime.to##.pizza +pricespy.co.nz,pricespy.co.uk##.pjra-w-\[970px\] +carsized.com##.pl_header_ad +redgifs.com##.placard-wrapper +gismeteo.com,meteofor.com,nofilmschool.com##.placeholder +bestlifeonline.com##.placeholder-a-block +bucksco.today##.placeholder-block +theoldie.co.uk##.placeholder-wrapper +sundayworld.co.za##.placeholderPlug +pcgamebenchmark.com,soccerway.com,streetcheck.co.uk##.placement +pch.com##.placement-content +diglloyd.com,windinmyface.com##.placementInline +diglloyd.com,windinmyface.com##.placementTL +diglloyd.com,windinmyface.com##.placementTR +hagerty.com##.placements +plagiarismtoday.com##.plagi-widget +trakt.tv##.playwire +advfn.com##.plus500 +thepinknews.com##.pn-ad-container freewebarcade.com##.pnum -pokernewsreport.com##.pokerbanner -bodybuilding.com##.poll-padding -winnipegfreepress.com##.poll-sponsor -alluc.com##.ponsorlink -thefix.com##.pop-up-a -theguardian.com##.popular-trails__mpu -filefactory.com,tablesleague.com##.popup -bangbrosporn.com##.porndiddy -pirateiro.com##.porndudelink -freenewspos.com##.pos-adt -freenewspos.com##.pos-adv -blogtv.com##.posAbs.BOGL -blogtv.com##.posRel.BGW.BOGL.TxtC.FB.L0 -blogtv.com##.posRel.txtL.userForeColor.userBoxBG.BOGL -forums.linuxmint.com##.post + .divider + .bg3 -macdailynews.com##.post + .link-list -netbooknews.com##.post-banner -cointelegraph.com##.post-banners -rare.us##.post-block -motherjones.com##.post-continued-from-above -motherjones.com##.post-continues -awesomestyles.com##.post-download-screen -egoallstars.com,egotastic.com##.post-item-az -mobilitydigest.com##.post-rel -moviecarpet.com##.post-top -pinkisthenewblog.com##.post-wrap -buzzfeed.com##.post2[style="background-color: #FDF6E5;"] -mac-forums.com##.postMREC -thejournal.ie##.postSponsored -dutchgrammar.com##.post[style="border: 1px solid #339999 "] -fastcodesign.com##.post__relative--recommender -wwtdd.com##.post_insert -androidpolice.com##.post_main_blob2 -litecointalk.org##.post_separator + .windowbg -neogaf.com##.postbit-goodie -cincinnati.com,wbir.com##.poster-container -phonebook.com.pk##.posterplusmiddle -phonebook.com.pk##.posterplustop -picocool.com##.postgridsingle -weaponsmedia.com##.posts > div[class]:first-child -1019thewolf.com,923thefox.com,fox1150.com,hot1035.com,hot1035radio.com,indie1031.com##.posts-banner -firstpost.com##.powBy -natgeotraveller.in##.powerWithSocial -indiatimes.com,thetowner.com##.powered -1053kissfm.com##.powered-by -planetrugby.com##.pr-art-betlinks -mysmartprice.com##.prc-tbl -lowellsun.com##.preHeaderRegion +radiotoday.co.uk##.pnvqryahwk-container +thespec.com,wellandtribune.ca##.polarAds +bramptonguardian.com,guelphmercury.com,insideottawavalley.com,thestar.com##.polarBlock +autoexpress.co.uk##.polaris__below-header-ad-wrapper +autoexpress.co.uk,carbuyer.co.uk,evo.co.uk##.polaris__partnership-block +bigissue.com##.polaris__simple-grid--full +epmonthly.com##.polis-target +compoundsemiconductor.net##.popular__section-newsx +itc.ua##.popup-bottom +wethegeek.com##.popup-dialog +welovemanga.one##.popup-wrap +battlefordsnow.com,cfjctoday.com,everythinggp.com,huskiefan.ca,larongenow.com,lethbridgenewsnow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca##.pos-top +buffstreams.sx##.position-absolute +coincodex.com##.position-chartNative +charlieintel.com##.position-sticky +wtop.com##.post--sponsored +engadget.com##.post-article-ad +samehadaku.email##.post-body.site-main > [href] +kiplinger.com##.post-gallery-item-ad +dmarge.com##.post-infinite-ads +hackread.com##.post-review-li +hellocare.com.au##.post-wrapper__portrait-ads +newagebd.net##.postPageRightInTop +newagebd.net##.postPageRightInTopIn +thetrek.co##.post__in-content-ad +fastcompany.com##.post__promotion +bleedingcool.com##.post_content_spacer +ultrabookreview.com##.postzzif3 +redketchup.io##.potato_sticky +redketchup.io##.potato_viewer +apartmenttherapy.com,cubbyathome.com,thekitchn.com##.pov_recirc__ad +power987.co.za##.power-leader-board-center +thetowner.com##.powered +thecoinrise.com##.pp_ad_block +theportugalnews.com##.ppp-banner +theportugalnews.com##.ppp-inner-banner +oneesports.gg##.pr-sm-4 +hindustantimes.com##.pramotedWidget +birdsandblooms.com,familyhandyman.com,rd.com,tasteofhome.com,thehealthy.com##.pre-article-ad +foxbusiness.com##.pre-content +breakingdefense.com##.pre-footer-menu sassymamahk.com##.pre_header_widget -gamesting.com##.pregleaderboard -crooksandliars.com##.preheader -gcnlive.com##.premSponsor -towersearch.com##.premier -aubizbuysell.com.au,citationmachine.net,nzbizbuysell.co.nz,nzcommercial.co.nz,nzfranchises.co.nz,whitepages.com##.premium -yellowbook.com##.premium-listing -dramafever.com##.premium-overlay -gamblinginsider.com##.premium_box -livingfilms.org##.premium_btn -livingfilms.org##.premium_btn_2 -warez-files.com##.premium_results -crownheights.info##.prempo -huffingtonpost.com##.presented-by -theatlanticwire.com##.presented_by -softexia.com##.press-lastest -pokerupdate.com##.prev-article -dailysurge.com##.prev-next-wrapper + div > div[class]:first-child -1cookinggames.com,dressupone.com,flobzoo.com,onlyfungames.com,playkissing.com,yokogames.com##.preview2bannerspot -1cookinggames.com##.preview2bannerspot2 -onlyfungames.com##.preview3bannerspot -dressupone.com##.previewpubgoogle -dressupone.com##.previewpubgoogle2 -androidbenchmark.net,cpubenchmark.net,harddrivebenchmark.net,iphonebenchmark.net,memorybenchmark.net,tomshardware.com,videocardbenchmark.net##.price -tomsguide.com##.price-lazy -news24.com##.pricecheckBlock -digitaltrends.com##.pricegrabber -tomshardware.com##.prices -anandtech.com##.pricing -co-optimus.com##.pricing-table -clipart.me##.primary-sponsors -foliomag.com##.prime_sponsors -theguardian.com##.print-sponsorship -tulsaworld.com##.printViewAll -toptenreviews.com##.prod_head_buy_button -search.yahoo.com##.prod_listings_pe -pcworld.com##.product -bestreviews.com##.product-action -itechpost.com,parentherald.com##.product-box -cosmopolitan.com##.product-buy-button-wrapper -barnesandnoble.com##.product-commentary-advertisement -pcworld.com##.product-sidebar -avsforum.com##.products -openwith.org##.program-link -pbs.org##.program-support -gokunming.com##.prom -wnd.com##.prom-full-width-expandable -apps.opera.com,autosport.com,babynamegenie.com,businessdailyafrica.com,computerandvideogames.com,dailyrecord.co.uk,eclipse.org,film.com,foreignpolicy.com,irishmirror.ie,macworld.com,manchestereveningnews.co.uk,nbcbayarea.com,nwherald.com,planetsourcecode.com,sandiego6.com,sciagaj.org,sfgate.com,sportpesanews.com,thenextweb.com,theonion.com,totalxbox.com,varsity.com,w3techs.com,wgxa.tv,wsj.com##.promo -onhax.me##.promo-an +livescores.biz##.predict_bet +vivo.sx##.preload +anfieldwatch.co.uk##.prem-gifts +premiumtimesng.com##.premi-texem-campaign +banjohangout.org,fiddlehangout.com,flatpickerhangout.com,mandohangout.com,resohangout.com##.premiere-sponsors +sulekha.com##.premium-banner-advertisement +pixabay.com##.present-g-item +bangpremier.com##.presentation-space +bangpremier.com##.presentation-space-m-panel +flobzoo.com##.preview2bannerspot +manutd.com##.primary-header-sponsors +tech.hindustantimes.com##.primeDay +advfn.com##.primis-container +astrology.com##.primis-video-module-horoscope +dicebreaker.com,rockpapershotgun.com##.primis_wrapper +bostonagentmagazine.com##.prm1_w +infoq.com##.prmsp +setlist.fm##.prmtnMbanner +setlist.fm##.prmtnTop +computerweekly.com##.pro-downloads-home +kompass.com##.prodListBanner +ecosia.org##.product-ads-carousel +cnn.com##.product-offer-card-container_related-products +skinstore.com##.productSponsoredAdsWrapper +letsgodigital.org##.product__wrapper +nymag.com##.products-package +nymag.com##.products-package_single +kohls.com##.products_grid.sponsored-product +amtraktrains.com,kitchenknifeforums.com##.productslider +filehippo.com##.program-actions-header__promo +filehippo.com##.program-description__slot +as.com,gokunming.com##.prom +delicious.com.au,taste.com.au##.prom-header +babynamegenie.com,comparitech.com,ecaytrade.com,nbcbayarea.com,nwherald.com,overclock3d.net,planetsourcecode.com,sciagaj.org,themuslimvibe.com,totalxbox.com,varsity.com,w3techs.com,wgxa.tv##.promo +setapp.com,thesaturdaypaper.com.au##.promo-banner winscp.net##.promo-block -fourfourtwo.com##.promo-block-center -bbcgoodfood.com,pri.org##.promo-box -fool.com##.promo-box-column -lamag.com,nextdoor.com##.promo-container -thepeoplesperson.com##.promo-first-para -pokertube.com##.promo-holder -news.com.au##.promo-image-01 -cointelegraph.com##.promo-item -efinancialnews.com##.promo-leaderboard -sitepoint.com##.promo-panel -postgradproblems.com##.promo-post -imageshack.com##.promo-right -thepeoplesperson.com##.promo-right-300 -miniclip.com##.promo-text +centris.ca,forums.minecraftforge.net,nextdoor.com,staradvertiser.com,uploadvr.com##.promo-container +texasmonthly.com##.promo-in-body +federalnewsnetwork.com,texasmonthly.com##.promo-inline +spin.com##.promo-lead +coveteur.com##.promo-placeholder +ecaytrade.com##.promo-processed texasmonthly.com##.promo-topper -miniclip.com##.promo-unit -conservativereview.com,stevedeace.com##.promo-wrapper -cio.com,csoonline.com,infoworld.com,itworld.com,javaworld.com,networkworld.com##.promo.list -bollywoodhungama.com##.promo266 -cnet.com##.promo3000 -moneycontrol.com##.promoBanner -downloadcrew.com##.promoBar -zdnet.com##.promoBox -fitnessmagazine.com##.promoContainer -itv.com##.promoMpu -gamepedia.com##.promoSidebar +lawandcrime.com,themarysue.com##.promo-unit texasmonthly.com##.promo__vertical -tradingview.com,uxmatters.com##.promo_block -videobb.com##.promo_tab -animecharactersdatabase.com##.promobanner -journallive.co.uk,liverpooldailypost.co.uk,walesonline.co.uk##.promobottom -cnet.com.au,photobucket.com,ratemyteachers.com##.promobox -dnainfo.com##.promomerchant_block -afullcup.com##.promos -penny-arcade.com##.promos-horizontal -imgur.com,investors.com,search.genieo.com,search.installmac.com##.promoted -twitter.com##.promoted-account -andoveradvertiser.co.uk,asianimage.co.uk,autoexchange.co.uk,banburycake.co.uk,barryanddistrictnews.co.uk,basildonstandard.co.uk,basingstokegazette.co.uk,bicesteradvertiser.net,borehamwoodtimes.co.uk,bournemouthecho.co.uk,braintreeandwithamtimes.co.uk,brentwoodlive.co.uk,bridgwatermercury.co.uk,bridportnews.co.uk,bromsgroveadvertiser.co.uk,bucksfreepress.co.uk,burnhamandhighbridgeweeklynews.co.uk,burytimes.co.uk,campaignseries.co.uk,chardandilminsternews.co.uk,chelmsfordweeklynews.co.uk,chesterlestreetadvertiser.co.uk,chorleycitizen.co.uk,clactonandfrintongazette.co.uk,consettstanleyadvertiser.co.uk,cotswoldessence.co.uk,cotswoldjournal.co.uk,cravenherald.co.uk,creweguardian.co.uk,croydonguardian.co.uk,dailyecho.co.uk,darlingtonandstocktontimes.co.uk,dorsetecho.co.uk,droitwichadvertiser.co.uk,dudleynews.co.uk,durhamadvertiser.co.uk,ealingtimes.co.uk,echo-news.co.uk,enfieldindependent.co.uk,eppingforestguardian.co.uk,epsomguardian.co.uk,eveningtimes.co.uk,eveshamjournal.co.uk,falmouthpacket.co.uk,freepressseries.co.uk,gazette-news.co.uk,gazetteherald.co.uk,gazetteseries.co.uk,guardian-series.co.uk,halesowennews.co.uk,halsteadgazette.co.uk,hampshirechronicle.co.uk,harrowtimes.co.uk,harwichandmanningtreestandard.co.uk,heraldscotland.com,heraldseries.co.uk,herefordtimes.com,hillingdontimes.co.uk,ilkleygazette.co.uk,keighleynews.co.uk,kidderminstershuttle.co.uk,knutsfordguardian.co.uk,lancashiretelegraph.co.uk,ledburyreporter.co.uk,leighjournal.co.uk,ludlowadvertiser.co.uk,maldonandburnhamstandard.co.uk,malverngazette.co.uk,messengernewspapers.co.uk,middlewichguardian.co.uk,milfordmercury.co.uk,monmouthshirecountylife.co.uk,newsshopper.co.uk,northwichguardian.co.uk,northyorkshireadvertiser.co.uk,oxfordmail.co.uk,oxfordtimes.co.uk,penarthtimes.co.uk,prestwichandwhitefieldguide.co.uk,redditchadvertiser.co.uk,redhillandreigatelife.co.uk,richmondandtwickenhamtimes.co.uk,romseyadvertiser.co.uk,runcornandwidnesworld.co.uk,salisburyjournal.co.uk,smallholder.co.uk,somersetcountygazette.co.uk,southendstandard.co.uk,southwalesargus.co.uk,southwalesguardian.co.uk,southwestfarmer.co.uk,stalbansreview.co.uk,sthelensstar.co.uk,stourbridgenews.co.uk,surreycomet.co.uk,suttonguardian.co.uk,swindonadvertiser.co.uk,tewkesburyadmag.co.uk,theargus.co.uk,theboltonnews.co.uk,thenational.scot,thenorthernecho.co.uk,thescottishfarmer.co.uk,thetelegraphandargus.co.uk,thetottenhamindependent.co.uk,thewestmorlandgazette.co.uk,thisisthewestcountry.co.uk,thurrockgazette.co.uk,times-series.co.uk,wandsworthguardian.co.uk,warringtonguardian.co.uk,watfordobserver.co.uk,wearvalleyadvertiser.co.uk,westerntelegraph.co.uk,wharfedaleobserver.co.uk,wilmslowguardian.co.uk,wiltsglosstandard.co.uk,wiltshiretimes.co.uk,wimbledonguardian.co.uk,wirralglobe.co.uk,witneygazette.co.uk,worcesternews.co.uk,yeovilexpress.co.uk,yorkpress.co.uk,yourlocalguardian.co.uk##.promoted-block -twitter.com##.promoted-trend -twitter.com##.promoted-tweet[data-disclosure-type="issue"] -twitter.com##.promoted-tweet[data-disclosure-type="political"] -twitter.com##.promoted-tweet[data-disclosure-type="promoted"] -youtube.com##.promoted-videos -quora.com##.promoted_answer_wrapper -search.genieo.com##.promoted_right -bizcommunity.com##.promotedcontent-box -bizcommunity.com##.promotedcontent-box-top -reddit.com##.promotedlink -northcountrypublicradio.org##.promotile -twitter.com,wral.com##.promotion -vogue.co.uk##.promotionButtons -gocdkeys.com##.promotion_bg -thenextweb.com##.promotion_frame -mademan.com##.promotion_module -livemint.com##.promotional-content -hindustantimes.com##.promotional-feature-block -tnp.sg##.promotional-material -951shinefm.com##.promotional-space -wired.co.uk##.promotions -domainnamewire.com##.promotions_120x240 -bostonreview.net,journallive.co.uk,liverpooldailypost.co.uk,people.co.uk,walesonline.co.uk##.promotop -bullz-eye.com##.prompt_link -mywebsearch.com##.prontoBox -independent.com.mt##.property-container -standard.co.uk##.propertySearch -msn.com##.providerupsell -psmag.com##.psmag-ad-300px -psmag.com##.psmag-ad-300x250 -playswitch.com##.psmainshellad -essentialmums.co.nz##.ptbl -1980-games.com,flash-mp3-player.net,larousse.com,theportugalnews.com,tolonews.com##.pub -euronews.com##.pub-block +uxmatters.com##.promo_block +reviversoft.com##.promo_dr +macworld.com##.promo_wrap +core77.com##.promo_zone +fool.com##.promobox-container +thedailydigest.com##.promocion_celda +canstar.com.au,designspiration.com,investors.com,propertyguru.com.sg,search.installmac.com##.promoted +twitter.com,x.com##.promoted-account +andoveradvertiser.co.uk,asianimage.co.uk,autoexchange.co.uk,banburycake.co.uk,barryanddistrictnews.co.uk,basildonstandard.co.uk,basingstokegazette.co.uk,bicesteradvertiser.net,borehamwoodtimes.co.uk,bournemouthecho.co.uk,braintreeandwithamtimes.co.uk,brentwoodlive.co.uk,bridgwatermercury.co.uk,bridportnews.co.uk,bromsgroveadvertiser.co.uk,bucksfreepress.co.uk,burnhamandhighbridgeweeklynews.co.uk,burytimes.co.uk,campaignseries.co.uk,chardandilminsternews.co.uk,chelmsfordweeklynews.co.uk,chesterlestreetadvertiser.co.uk,chorleycitizen.co.uk,clactonandfrintongazette.co.uk,cotswoldjournal.co.uk,cravenherald.co.uk,creweguardian.co.uk,dailyecho.co.uk,darlingtonandstocktontimes.co.uk,dorsetecho.co.uk,droitwichadvertiser.co.uk,dudleynews.co.uk,ealingtimes.co.uk,echo-news.co.uk,enfieldindependent.co.uk,eppingforestguardian.co.uk,eveshamjournal.co.uk,falmouthpacket.co.uk,freepressseries.co.uk,gazette-news.co.uk,gazetteherald.co.uk,gazetteseries.co.uk,guardian-series.co.uk,halesowennews.co.uk,halsteadgazette.co.uk,hampshirechronicle.co.uk,harrowtimes.co.uk,harwichandmanningtreestandard.co.uk,heraldseries.co.uk,herefordtimes.com,hillingdontimes.co.uk,ilkleygazette.co.uk,keighleynews.co.uk,kidderminstershuttle.co.uk,knutsfordguardian.co.uk,lancashiretelegraph.co.uk,ledburyreporter.co.uk,leighjournal.co.uk,ludlowadvertiser.co.uk,maldonandburnhamstandard.co.uk,malverngazette.co.uk,messengernewspapers.co.uk,milfordmercury.co.uk,newsshopper.co.uk,northwichguardian.co.uk,oxfordmail.co.uk,penarthtimes.co.uk,prestwichandwhitefieldguide.co.uk,redditchadvertiser.co.uk,redhillandreigatelife.co.uk,richmondandtwickenhamtimes.co.uk,romseyadvertiser.co.uk,runcornandwidnesworld.co.uk,salisburyjournal.co.uk,somersetcountygazette.co.uk,southendstandard.co.uk,southwalesargus.co.uk,southwalesguardian.co.uk,southwestfarmer.co.uk,stalbansreview.co.uk,sthelensstar.co.uk,stourbridgenews.co.uk,surreycomet.co.uk,suttonguardian.co.uk,swindonadvertiser.co.uk,tewkesburyadmag.co.uk,theargus.co.uk,theboltonnews.co.uk,thenational.scot,thenorthernecho.co.uk,thescottishfarmer.co.uk,thetelegraphandargus.co.uk,thetottenhamindependent.co.uk,thewestmorlandgazette.co.uk,thisisthewestcountry.co.uk,thurrockgazette.co.uk,times-series.co.uk,wandsworthguardian.co.uk,warringtonguardian.co.uk,watfordobserver.co.uk,westerntelegraph.co.uk,wharfedaleobserver.co.uk,wiltsglosstandard.co.uk,wiltshiretimes.co.uk,wimbledonguardian.co.uk,wirralglobe.co.uk,witneygazette.co.uk,worcesternews.co.uk,yeovilexpress.co.uk,yorkpress.co.uk,yourlocalguardian.co.uk##.promoted-block +azoai.com,azobuild.com,azocleantech.com,azolifesciences.com,azom.com,azomining.com,azonano.com,azooptics.com,azoquantum.com,azorobotics.com,azosensors.com##.promoted-item +imdb.com##.promoted-provider +coinalpha.app##.promoted_content +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##.promotedlink:not([style^="height: 1px;"]) +racingtv.com,twitter.com,wral.com,x.com##.promotion +eetimes.eu##.promotion-block-wrapper +actionnetwork.com##.promotion-table +throwawaymail.com##.promotion_row +bostonreview.net##.promotop +insauga.com##.proper-content-dynamic +highspeedinternet.com##.provider-ads +football365.com,planetf1.com,planetrugby.com##.ps-block-a +indiabusinessjournal.com##.pt--20 +kathmandupost.com##.pt-0 +gsmarena.com##.pt-10 +gonintendo.com##.pt-5 +steamladder.com##.pt-large +getyarn.io##.pt3p > div +1980-games.com,coleka.com,flash-mp3-player.net,gameslol.net,theportugalnews.com,tolonews.com##.pub +starsinsider.com##.pub-container yabiladi.com##.pub2 -tvgolo.com##.pub468x60top -larousse.com##.pub728x90 -catchvideo.net##.pubRight -catchvideo.net##.pubTop -yabiladi.com##.pub_header -radionomy.com##.pub_imu -videolan.org##.pub_text -hellokids.com##.pub_topright -runt-of-the-web.com##.pubex -efe.com##.publi-wrapper -elpais.com##.publi220_elpais -elpais.com##.publi300_elpais -elpais.com##.publi728_elpais +gameslol.net##.pubGside +gameslol.net,yabiladi.com##.pub_header +devhints.io##.pubbox +as.com,desdelinux.net,tutiempo.net,ubunlog.com##.publi +surinenglish.com##.publiTop catholic.net##.publicidad -reporter.bz##.publicidad-logo +eitb.eus##.publicidad_cabecera eitb.eus##.publicidad_robapaginas -europolitics.info##.publicite1 -hancinema.net##.publicite_468x60 -hancinema.net##.publicite_mobile_300x250 -cinemalebnen.org##.publicity -sporcle.com##.pubnation -protect-url.net##.pubpagebas -journallive.co.uk,liverpooldailypost.co.uk##.puffs -radio.com##.purchase -vidoza.net##.pvr -ndtv.com##.pw_wrp -rockingsoccer.com##.pwadh -torfinder.net##.q2 -qrobe.it##.qad -torfinder.net##.qh22 -sakshieducation.com##.qp-spl-bar +online-stopwatch.com##.publift-div +online-stopwatch.com##.publift-unfixed +101soundboards.com##.publift_in_content_1 +101soundboards.com##.publift_in_content_2 +decisiondeskhq.com##.publirAds +dailymail.co.uk##.puff_pastel +speedtest.net##.pure-u-custom-ad-rectangle +speedtest.net##.pure-u-custom-wifi-recommendation +appleinsider.com##.push +2conv.com##.push-offer +happymod.com##.pvpbar_ad +onmsft.com##.pw-gtr-box +bleedingcool.com##.pw-in-article +pricecharting.com##.pw-leaderboard +giantfreakinrobot.com##.pw-leaderboard-atf-container +giantfreakinrobot.com##.pw-leaderboard-btf-container +giantfreakinrobot.com##.pw-med-rect-atf-container +giantfreakinrobot.com##.pw-med-rect-btf-container +breakingnews.ie,canberratimes.com.au,theland.com.au##.py-2.bg-gray-100 +fastcompany.com##.py-8 +onlyinyourstate.com##.py-8.md\:flex +pymnts.com##.pymnt_ads +euronews.com##.qa-dfpLeaderBoard +infoq.com##.qcon_banner +thegatewaypundit.com##.qh1aqgd revolution935.com##.qt-sponsor -capitalkfm.com##.qt-sponsors -tmz.com##.quigo-main -tmz.com##.quigo-permalink -moviefone.com##.quigoModule -modernghana.com##.quikr_banner -unlockboot.com##.r-banner -search.icq.com##.r2-1 -decoist.com##.r300 -periscopepost.com##.r72890 -joins.com,rt.com##.r_banner -kukmindaily.co.kr##.r_bnr_box -dietsinreview.com##.r_content_300x250 +coingape.com,dailyboulder.com,townflex.com##.quads-location +surfline.com##.quiver-google-dfp +dagens.com##.r-1 +allthatsinteresting.com##.r-11rk87y +dagens.com##.r-3 +dagens.com##.r-6 +letour.fr##.r-rentraps +tgstat.com##.r1-aors +tripadvisor.com##.rSJod +joins.com,kmplayer.com##.r_banner +check-host.net##.ra-elative +linuxtopia.org##.raCloseButton +attheraces.com##.race-nav-plus-ad__ad time.is##.rad wahm.com##.rad-links -wired.com##.rad-top -dawn.com##.radWrapper -900amwurd.com##.radio-container -kvcr.org##.radio_livesupport -about.com##.radlinks -mygames4girls.com##.rads07 -dailyfreegames.com##.radsbox -weatherzone.com.au##.rainbowstrip -isearch.whitesmoke.com##.rating -amctv.com##.rb-dart +w3newspapers.com##.rads +theparisreview.org##.rail-ad +bookriot.com##.random-content-pro-wrapper +dappradar.com##.rankings-ad-row +rappler.com##.rappler-ad-container +benzinga.com##.raptive-ad-placement +wdwmagic.com##.raptive-custom-sidebar1 +atlantablackstar.com,finurah.com,theshadowleague.com##.raptive-ddm-header +leagueofgraphs.com##.raptive-log-sidebar +epicdope.com##.raptive-placeholder-below-post +epicdope.com##.raptive-placeholder-header +gobankingrates.com##.rate-table-header +dartsnews.com,tennisuptodate.com##.raw-html-component mydorpie.com##.rbancont forebet.com##.rbannerDiv -pocketnow.com##.rc-item -pocketnow.com##.rc-photo -bustedcoverage.com##.rcr-box -tasteofhome.com##.rd_zone3_position0 -wsj.com##.reTransWidget -elyrics.net##.read3 -commercialtrucktrader.com##.real-media300x250 -infoworld.com##.recRes_head -nypost.com,pagesix.com##.recirc -ebookee.org##.recomended -webopedia.com##.recommend -golf.com,si.com##.recommend-section -dailydot.com##.recommendation-engine -biblegateway.com##.recommendations -wallpapers-room.com##.recommendations-468x60 -biblegateway.com##.recommendations-column -biblegateway.com##.recommendations-header-column -biblegateway.com##.recommendations-view-row -exactseek.com##.recommended -hindustantimes.com##.recommended-area -aplus.com##.recommended-block -casinonewsdaily.com##.recommended-casinos-widget -yellowpages.qa##.recommended-div -winaero.com##.recommended-inline -xml.com##.recommended_div2 -fastcompany.com##.recommender -gsmchoice.com##.recommends -uinterview.com##.rect-min-height -dailynews.co.zw,defenseindustrydaily.com,dosgamesarchive.com,sciencedaily.com,twogag.com,webappers.com##.rectangle -wdun.com##.rectangle-300x250px -rantnow.com##.rectangle-atf -geekologie.com##.rectangle-container -geekosystem.com,styleite.com,themarysue.com##.rectangle-section +reverso.net##.rcacontent +bookriot.com##.rcp-wrapper +just-dice.com##.realcontent +shareus.io##.recent-purchased +advfn.com##.recent-stocks-sibling +tasteofhome.com##.recipe-ingredients-ad-wrapper +bettycrocker.com##.recipeAd +goodmorningamerica.com##.recirculation-module +videocelebs.net##.recl +nzherald.co.nz##.recommended-articles > .recommended-articles__heading +streamtvinsider.com##.recommended-content +slashgear.com##.recommended-heading +forestriverforums.com##.recommended-stories +last.fm##.recs-feed-item--ad +anisearch.com##.rect_sidebar +zerohedge.com##.rectangle +zerohedge.com##.rectangle-large knowyourmeme.com##.rectangle-unit-wrapper -scholastic.com##.rectangleMedium -games.co.uk,gamesgames.com##.rectangular-banners -girlsgogames.com##.rectbanner -girlsgogames.com##.rectbanner-container -whatdigitalcamera.com##.reevoo -marketwatch.com##.region--sponsored -whathifi.com##.region-content-mpu -reviewjournal.com##.region-content_bottom -tmz.com##.region-gpt -linux.com##.region-header-top -nbcolympics.com##.region-leaderboard -examiner.com##.region-masthead -ana-white.com##.region-sidebar-second > #block-block-64 -extrahardware.com##.region-skyscraper -weather.com##.region-top -futbol24.com,vidfile.net##.rek -4shared.com##.rekl_top_wrapper -filmgo.org##.reklam-videoyan -watchcartoononline.io##.reklam_pve -topclassifieds.info##.reklama_vip -radiosi.eu##.reklame -appleinsider.com##.rel-half-r-cnt-ad -sedoparking.com,techeblog.com##.related -eurosport.com##.related-content-story--sponsored -collegehumor.com##.related-links -autoblog.com##.related-products-portlet -pokerupdate.com##.related-room -classifiedextra.ca##.relativeBandeau -classifiedextra.ca##.relativeBoite -sleepywood.net##.relstar -ixquick.com##.reltext -cghub.com##.remove_ads -upworthy.com##.res-iframe -search.icq.com##.res_sp -driving.ca##.resource-center -techrepublic.com##.resource-centre -intelius.com##.resourceBox -cio.com,informationweek.com,infoworld.com##.resources -macmillandictionary.com##.responsive_cell_whole -duckduckgo.com##.result--ad > .result__body +twz.com##.recurrent-inline-leaderboard +redferret.net##.redfads +arras.io##.referral +al-monitor.com##.region--after-content +middleeasteye.net##.region-before-navigation +steveharveyfm.com##.region-recommendation-right +mrctv.org##.region-sidebar +futbol24.com##.rek +wcostream.com##.reklam_pve +cyclingnews.com##.related-articles-wrap +engadget.com##.related-content-lazyload +idropnews.com##.related-posts +timesofindia.indiatimes.com##.relatedVideoWrapper +esports.gg##.relative.esports-inarticle +astrozop.com##.relative.z-5 +miragenews.com##.rem-i-s +4shared.com##.remove-rekl +boldsky.com##.removeStyleAd +runningmagazine.ca##.repeater-bottom-leaderboard +bbjtoday.com##.replacement +m.tribunnews.com##.reserved-topmedium +holiday-weather.com##.resp-leaderboard +box-core.net,mma-core.com##.resp_ban +arras.io##.respawn-banner +guru99.com##.responsive-guru99-mobile1 +championmastery.gg##.responsiveAd +thetimes.com##.responsive__InlineAdWrapper-sc-4v1r4q-14 +riderfans.com##.restore.widget-content +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.result--ad > .result__body jetphotos.com##.result--adv -qwant.com##.result--ext -simplefilesearch.com##.result-f -wrongdiagnosis.com##.result_adv -qwant.com##.result_extensions__underline -yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_gold -yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_silver -hotbot.com##.results-top -yellowbook.com##.resultsBanner -nickjr.com##.resultsSponsoredBy -cardomain.com##.resultsTableCol -movies.yahoo.com##.results[bgcolor="#ECF5FA"] -vmn.net##.results_sponsor -queentorrent.com##.results_table > tbody > :nth-child(-n+4) -yauba.com##.resultscontent:first-child -classifiedads.com##.resultspon -washingtonexaminer.com##.rev -nzautocar.co.nz##.revMRECRight -bitcandy.com##.rev_cont_below -crooksandliars.com##.revblock -al.com,cleveland.com,gulflive.com,lehighvalleylive.com,masslive.com,mlive.com,newyorkupstate.com,nj.com,nola.com,oregonlive.com,pennlive.com,silive.com,syracuse.com##.revenueUnit -informer.com##.review_a1 -hindustantimes.com##.rft_logos -alltheragefaces.com##.rg -popeater.com##.rgtPane -breakingnews.ie##.ri_container -pv-magazine.com##.ric_rot_banner +myminifactory.com##.result-adv +word.tips##.result-top-ad +word.tips##.result-words-ad +word.tips##.result-words-ad-new +classifiedads.com##.resultmarg +inchcalculator.com##.results-ad-container-outer +infobel.com##.results-bottom-banner-container +infobel.com##.results-middle-banner-container +infobel.com##.results-top-banner-container +curseforge.com##.rev-container +utahgunexchange.com##.rev_slider_wrapper +latimes.com,sandiegouniontribune.com##.revcontent +al.com,cleveland.com,lehighvalleylive.com,masslive.com,mlive.com,newyorkupstate.com,oregonlive.com,pennlive.com,silive.com,syracuse.com##.revenue-display +grammar.yourdictionary.com##.revenue-placeholder +therailwayhub.co.uk##.revive +planetizen.com##.revive-sitewide-banner-2__wrapper +planetizen.com##.revive-sitewide-banner__wrapper +hindustantimes.com##.rgtAdSection +timesofindia.indiatimes.com##.rgt_ad +websitedown.info##.rgtad +newindian.in##.rhs-ad2 +indianexpress.com##.rhs-banner-carousel +cnbctv18.com##.rhs-home-second-ad +firstpost.com##.rhs-tp-ad +dailyo.in##.rhsAdvertisement300 +moneycontrol.com##.rhs_banner_300x34_widget siteslike.com##.rif -marieclaire.co.uk,search.smartaddressbar.com,usnewsuniversitydirectory.com##.right -yourepeat.com##.right > .bigbox:first-child -intoday.in##.right-add -jrn.com##.right-banner -linuxinsider.com,macnewsworld.com##.right-bb -greenbiz.com,greenerdesign.com##.right-boom-small -scoop.co.nz##.right-box -ticotimes.net##.right-carrousel -crossmap.com##.right-col > div[class]:first-child -mediabistro.com##.right-column-boxes-content-partners -kovideo.net##.right-def-160 -movies.yahoo.com##.right-module -bloomberg.com##.right-rail-bkg +terminal.hackernoon.com##.right +cnbctv18.com##.right-ad-amp +mathgames.com##.right-ad-override +news.net##.right-banner-wr > .right +africanews.com##.right-legend +essentialenglish.review##.right-panel +newsweek.com##.right-rail-ads jta.org##.right-rail-container -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.right-rail-yla-wrapper -hiphopearly.com##.right-side -republicbroadcasting.org##.right-sidebar-padder > #text-7 -realclearworld.com##.right-wide-skyscraper -10minutemail.net##.rightBig -timeout.com##.rightCol -myvi.vi##.rightCol .bannergroup -ghanaweb.com##.rightSkyscraper -prevention.com##.rightSubBoxArea -outlookindia.com##.right_add -themoscowtimes.com##.right_banner -themoscowtimes.com##.right_banner_block -screenindia.com##.right_blank2 -cybergamer.com##.right_dvrtsmnt -electronista.com,ipodnn.com,macnn.com##.right_footer +businessinsider.com##.right-rail-min-height-250 +medpagetoday.com##.right-rail-panel +supplychainbrain.com##.right-rail-sponsors +jpost.com##.right-side-banner +businesstoday.in##.right-side-tabola +livemint.com##.rightAdNew +slickdeals.net##.rightRailBannerSection +babycenter.com##.rightRailSegment +boomlive.in##.right_ad_4 +gamemodding.com##.right_banner softicons.com##.right_ga -legalbusinessonline.com##.right_job_bg01 -mosnews.com##.right_pop -huffingtonpost.ca##.right_rail_edit_promo -opensubtitles.org##.right_side_fixed -veryfunnyads.com##.right_sponsor -gumtree.co.za,phonearena.com,virtualmedicalcentre.com##.rightbanner -tuvaro.com##.rightbar-inside -findlaw.com##.rightcol_300x250 -findlaw.com##.rightcol_sponsored -computerworld.co.nz##.rightcontent -khmertimeskh.com##.rightheader -bikesportnews.com##.rightmpu -press-citizen.com##.rightrail-promo -theteachercorner.net##.rightside -talksms.com##.righttd -homewiththekids.com##.rightwide2 -homewiththekids.com##.rightwide2 + .rightwide -lyricsfreak.com,metrolyrics.com##.ringtone -audiko.net##.ringtone-banner-top -songlyrics.com##.ringtone-matcher -lyricsfreak.com##.ringtone_b -lyricsty.com##.ringtone_s -clip.dj##.ringtonemakerblock -idolator.com##.river-interstitial -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##.river-unit -ratemyprofessors.com##.rmp_leaderboard -ballinaadvocate.com.au,bigrigs.com.au,byronnews.com.au,caboolturenews.com.au,centraltelegraph.com.au,coffscoastadvocate.com.au,coolum-news.com.au,cqnews.com.au,dailyexaminer.com.au,dailymercury.com.au,echonews.com.au,frasercoastchronicle.com.au,gattonstar.com.au,gladstoneobserver.com.au,gympietimes.com.au,ipswichadvertiser.com.au,news-mail.com.au,noosanews.com.au,northernstar.com.au,qt.com.au,rangenews.com.au,ruralweekly.com.au,southburnetttimes.com.au,stanthorpeborderpost.com.au,sunshinecoastdaily.com.au,suratbasin.com.au,thechronicle.com.au,themorningbulletin.com.au,thereporter.com.au,thesatellite.com.au,tweeddailynews.com.au,warwickdailynews.com.au,whitsundaytimes.com.au##.rnn_ri_container_compare-and-container-containere -momtastic.com,realitytea.com,superherohype.com##.roadblock -pc-specs.com##.roadblockContainer -surinenglish.com##.robapaginas -roblox.com##.roblox-skyscraper -euronews.com##.rolexLogo -cbslocal.com##.rotatable -impactwrestling.com##.rotator -zigzag.co.za##.rounded_bottom -lonelyplanet.com##.row--leaderboard -bikechatforums.com##.row1[style="padding: 5px;"] +thehansindia.com##.right_level_7 +theportalist.com##.right_rail_add +livemint.com##.rightblockAd +footballdb.com##.rightcol_ad +smartasset.com##.riklam-container +ip.sb##.rivencloud_ads +rocket-league.com##.rlg-footer-ads-container +rocket-league.com##.rlg-trading-ad +rocket-league.com##.rlg-trading-spacer +costco.com##.rm-grid-product +chemistwarehouse.com.au##.rm__campaign-product__slider-item +windowsreport.com##.rmdcb +indiatimes.com##.rmfp +realitytea.com##.roadblock +surinenglish.com##.roba +cults3d.com##.robots-nocontent +boxrox.com##.rolling-mrt +beforeitsnews.com##.rotating_text_link +superhumanradio.net##.rotating_zone +atalayar.com##.rotulo-publi +flightconnections.com##.route-display-box +nme.com##.row-mobile-billboard +healthnfitness.net##.row-section-game-widget +elnacional.cat##.row-top-banner +steamanalyst.com##.row.tpbcontainer bikechatforums.com##.row2[style="padding: 5px;"] -aol.com##.rrpromo +onlineocr.net##.row[style*="text-align:right"] +rasmussenreports.com##.rr-ad-image +jdpower.com##.rrail__ad-wrap +wikihow.com##.rrdoublewrap +kickassanime.mx,kickassanimes.io##.rs freewebarcade.com##.rsads -techmeme.com##.rsp -herold.at##.rssBox -newstrackindia.com##.rt-add336x280 -rockthebells.net##.rtb-bot-banner-row -computerweekly.com##.rtx -news24.com,sport24.co.za,women24.com##.rubyContainer -6scoops.com,9gag.com##.s-300 -listverse.com##.s-a -virginmedia.com##.s-links -firstpost.com##.s-logo -itweb.co.za##.s-logos -business-standard.com##.s-s -amazon.com##.s-sponsored-list-header -amazon.com##.s-sponsored-list-header + .a-popover-preload + .a-row + .a-row -amazon.com##.s-sponsored-list-header + .a-popover-preload + .a-row + .a-row + .a-row +gamertweak.com##.rsgvqezdh-container +box-core.net,mma-core.com##.rsky +voxelmatters.com##.rss-ads-orizontal +rswebsols.com##.rsws_banner_sidebar +nextofwindows.com##.rtsidebar-cm +freewebarcade.com##.rxads +freewebarcade.com##.rxse +aerotime.aero##.s-banner +bleepingcomputer.com##.s-ou-wrap hope1032.com.au##.s-supported-by -wwtdd.com##.s728x90 -farmtrader.co.nz,motorcycletrader.co.nz,tradeaboat.co.nz##.sBanner -search.charter.net,search.frontier.com##.sBrSpns -dnsrsearch.com,dnssearch.rr.com,search.charter.net,search.frontier.com##.sRsltHld -pipl.com##.s_links -phonearena.com##.s_mb_15 -pipl.com##.s_tips -phonearena.com##.s_w_300 -asiator.net##.sa -legacy.com##.sa_Table -mouseprice.com##.salerent_advt -nigerianbulletin.com,studentdoctor.net##.samBannerUnit +japantoday.com##.s10r +nodejs.libhunt.com##.saashub-ad +steamladder.com##.salad +salife.com.au##.salife-slot +sherbrookerecord.com##.sam-pro-container +softonic.com##.sam-slot +f95zone.to##.samAlignCenter +audi-sport.net,beermoneyforum.com,clubsearay.com,forums.sailinganarchy.com,geekdoing.com,skitalk.com,sportfishingbc.com,studentdoctor.net##.samBannerUnit +audi-sport.net,forums.bluemoon-mcfc.co.uk,overtake.gg,racedepartment.com,resetera.com,satelliteguys.us##.samCodeUnit +beermoneyforum.com##.samTextUnit +anime-sharing.com,forums.bluemoon-mcfc.co.uk##.samUnitWrapper +netweather.tv##.samsad-Leaderboard2 teamfortress.tv##.sau -cointelegraph.com##.sb-area-wrap -casinonewsdaily.com##.sb-live-dealers -scienceblogs.com##.sb-sponsor -usmagazine.com##.sb_logo -thedirty.com##.sbanner -4kidstv.com##.sbbox1 -mobilebloom.com##.sbpricing -bitcoinblogger.com##.sc_ads_within_one -scmp.com##.scmp_advert-tile -skysports.com##.score-bet -nine.com.au##.score-strip__neds -chicagomag.com##.scrailmodule -slack-time.com##.scraper -drizzydrake.org##.scrbl -farmanddairy.com##.screen-4 -phonedog.com##.scribol -cultofmac.com##.sda_container -stardoll.com##.sdadinfo -stardoll.com##.sdadinfoTrans -ebay.co.uk##.sdcBox -itproportal.com##.se_left -itproportal.com##.se_right -blogger-index.com,sedoparking.com##.search -kovideo.net##.search-728 -search.freefind.com##.search-headline-table -start.mysearchdial.com##.search-list + .mts + .search-list -ioljobs.co.za##.search-main-wrapper -howstuffworks.com##.search-span -yellowise.com##.search-title[style="color: #666;padding:0;margin:0;"] -startpins.com##.searchResultsBottom -somoto.com##.searchResultsRight -startpins.com##.searchResultsTop -bhg.com##.searchSponsors -youtube.com##.searchView.list-view -kibagames.com##.search_adv_container -myprivatesearch.com##.search_left_block -linxdown.me##.search_link_box -brothersoft.com##.search_sponor -linxdown.com##.searchblock -gaystarnews.com##.sechead3-right +point2homes.com##.saved-search-banner-list +thebudgetsavvybride.com##.savvy-target +pcgamesn.com##.saw-wrap +tvtropes.org##.sb-fad-unit +animehub.ac##.sb-subs +sabcsport.com##.sbac_header_top_ad +pcwdld.com##.sbcontent +mindbodygreen.com##.sc-10p0iao-0 +kotaku.com##.sc-6zn1bq-0 +news.bitcoin.com##.sc-cpornS +distractify.com,inquisitr.com,qthemusic.com,radaronline.com##.sc-fTZrbU +scotsman.com##.sc-igwadP +sankakucomplex.com##.scad +soyacincau.com##.scadslot-widget +bangordailynews.com##.scaip +newindianexpress.com##.scc +radiotimes.com##.schedule__row-list-item-advert +fantasyalarm.com##.scoreboard +hentaihaven.icu,hentaihaven.xxx,hentaistream.tv,nhentai.io##.script_manager_video_master +eatsmarter.com##.scroll-creatives +readmng.com##.scroll_target_top +lethbridgenewsnow.com##.scroller +cyclinguptodate.com,tennisuptodate.com##.sda +userscript.zone##.searcad +chemistwarehouse.com.au##.search-product--featured +dryicons.com##.search-related__sponsored +tempest.com##.search-result-item--ad +alibaba.com##.searchx-offer-item[data-aplus-auto-offer*="ad_adgroup_toprank"] minecraftservers.org##.second-banner -vogue.co.uk##.secondary-content-banner-box -vogue.co.uk##.secondary-content-mpu-box -citysearch.com##.secondaryText -xml.com##.secondary[width="153"] -wbur.org##.section--breakout +businesstoday.in##.secondAdPosition +finextra.com##.section--minitextad +finextra.com##.section--mpu +wbur.org##.section--takeover sowetanlive.co.za##.section-article-sponsored -topgear.com##.section-box--promo -pornhub.com##.section-hqrelateds -ft.com##.section-meta__sponsorship -seattletimes.com##.section-sponsored -free-codecs.com##.sectionBanners -androidauthority.com##.section_divider -thevarguy.com##.sectionbreak2 -babylon.com##.sectionheadertopltr -ask.reference.com##.sectiontitle -gadgetsnow.com##.seealso-sponsored -fredericknewspost.com##.select[width="148"] -xboxdvr.com##.sell -codeinspot.com##.sen1 -sheryna.com.my##.sense2 -sheryna.com.my##.sense_h0 -sheryna.com.my##.sensel1 -time.com##.sep -activistpost.com##.separator[style="clear: both; text-align: center;"] -filesocean.net,linexdown.net##.serchblock -filesocean.net,linexdown.net##.serchbox -espncricinfo.com##.seriesSpncr -yellowpages.com.jo,yellowpages.com.lb##.serp-left-banners -whitepages.com##.serp-list > .med-grey -yellowpages.com.jo,yellowpages.com.lb##.serp-right-banners -charter.net,verizon.com##.serp21_sponsored -nytimes.com##.sfg-paidpost-li -sfgate.com##.sfg_ysm001 -zeetv.com##.sh_banner1 -04stream.com##.shade -foxstart.com##.shadow -arto.com##.shadowBoxBody -awpl.lt##.shailan_banner_widget -zdnet.com##.shared-resource-center -newgrounds.com##.shareicons -4shared.com##.sharemore -laughingsquid.com##.sharethrough-placement -yahoo.com##.sharing-toolbar -shopping.yahoo.com##.shmod-ysm -coderanch.com##.shngl -instyle.com##.shop-fav -bhg.com##.shopNation -dailylife.com.au##.shopStyle-widget -ndtv.com##.shop_widget_banner -ndtv.com##.shop_widget_heading -ndtv.com##.shop_widget_product -cnet.com##.shopperSpecials -tomshardware.com##.shopping -caranddriver.com,roadandtrack.com##.shopping-tools -nzherald.co.nz##.shoppingContainer -deccanherald.com##.shoppingContent -musicradar.com##.shopping_partners -yumsugar.com##.shopstyle-sidebar-content -ocworkbench.com##.shopwidget1 -funnyordie.com##.short-mrec -skins.be##.shortBioShadowB -cnn.com##.show-paid-partner -spike.com##.show_branding_holder -bookmyshow.com,made-in-china.com##.showcase -wccftech.com##.showcase-location-mid_content -wccftech.com##.showcase-location-pre_content -zillow.com##.showcase-outline -freepik.com##.showcase-shutterstock -channel24.co.za##.showmaxDiv -crunchyroll.com##.showmedia-tired-of-ads -ndtv.com##.shp_wdgt_banner -ndtv.com##.shp_wdgt_prd -shazam.com##.shz-buy -complex.com##.side-300x600 -xboxdvr.com##.side-ac -houseandleisure.co.za##.side-add -makeuseof.com,news.am,viva.co.nz##.side-banner -apptism.com##.side-banner-holder -metrolyrics.com##.side-box.clearfix -desktopreview.com##.side-resouresc -bvblackspin.com,bvonmoney.com,bvonmovies.com##.sideBanner -tomsguide.com,tomshardware.com##.sideOffers -weatherology.com##.side_165x100 -telecompaper.com##.side_banner -wow-europe.com##.side_banner_305x133 +bmj.com##.section-header +nzherald.co.nz##.section-iframe +lawinsider.com##.section-inline-partner-ad +tvarticles.me##.section-post-about +pipeflare.io##.section-promo-banner +thesun.co.uk##.section-sponsorship-wrapper-article +thesun.co.uk##.section-sponsorship-wrapper-section +seattlepride.org##.section_sponsorship +brandsoftheworld.com##.seedling +searchenginejournal.com##.sej-hello-bar +searchenginejournal.com##.sej-ttt-link +timesofisrael.com##.sellwild-label +hypestat.com##.sem_banner +spotifydown.com##.semi-transparent +jambase.com##.sense +shareus.io##.seperator-tag +searchencrypt.com##.serp__top-ads +minecraftforum.net##.server-forum-after-comment-ad +save-editor.com##.set_wrapper +bravenewcoin.com##.sevio-ad-wrapper +sportbusiness.com##.sf-taxonomy-body__advert-container +pressdemocrat.com##.sfb2024-section__ad +analyticsinsight.net,moviedokan.lol,shortorial.com##.sgpb-popup-overlay +stockhouse.com##.sh-ad +soaphub.com##.sh-sh_belowpost +soaphub.com##.sh-sh_inpost_1 +soaphub.com##.sh-sh_inpost_2 +soaphub.com##.sh-sh_inpost_3 +soaphub.com##.sh-sh_inpost_4 +soaphub.com##.sh-sh_inpost_5 +soaphub.com##.sh-sh_inpost_6 +soaphub.com##.sh-sh_postlist_2_home +themeforest.net##.shared-global_footer-cross_sell_component__root +romzie.com##.shcntr +bestbuy.com##.shop-dedicated-sponsored-carousel +bestbuy.com##.shop-pushdown-ad +stokesentinel.co.uk##.shop-window[data-impr-tracking="true"] +intouchweekly.com,lifeandstylemag.com,usmagazine.com##.shop-with-us__container +rebelnews.com##.shopify-buy-frame +instacart.com##.shoppable-list-a-las2t7 +hypebeast.com##.shopping-break-container +indiatoday.in##.shopping__widget +citychicdecor.com##.shopthepost-widget +mirror.co.uk##.shopwindow-adslot +mirror.co.uk##.shopwindow-advertorial +chess.com##.short-sidebar-ad-component +axios.com##.shortFormNativeAd +fool.com##.show-ad-label +siliconrepublic.com##.show-for-medium-up +spacenews.com##.show-street-dialog +thepointsguy.com##.showBb +winx-club-hentai.com##.shr34 +nagpurtoday.in##.shrcladv +mbauniverse.com##.shriresume-logo +seeklogo.com##.shutterBannerWp +tineye.com##.shutterstock-similar-images +scriptinghelpers.org##.shvertise-skyscraper +cartoq.com##.side-a +chaseyoursport.com##.side-adv-block-blog-open +news.am,nexter.org,viva.co.nz##.side-banner +setapp.com##.side-scrolling__banner +idropnews.com##.side-title-wrap +vpnmentor.com##.side-top-vendors-wrap +pr0gramm.com##.side-wide-skyscraper +seeklogo.com##.sideAdsWp +israelnationalnews.com##.sideInf +freeseotoolbox.net##.sideXd +thefastmode.com##.side_ads +uquiz.com##.side_bar panarmenian.net##.side_panner -newburytoday.co.uk##.side_takeover_inner -electricpig.co.uk##.side_wide_banner -newburytoday.co.uk,tutorialrepublic.com##.sidebar -weknowmemes.com##.sidebar > .widgetcontainer -photobucket.com##.sidebar > div[class]:first-child -thejointblog.com##.sidebar img[width="235"] -thejointblog.com##.sidebar img[width="250"] -makeuseof.com##.sidebar-banner -ditii.com##.sidebar-left -rte.ie,seatrade-cruise.com##.sidebar-mpu -newstatesman.com,spearswms.com##.sidebar-mpu-1 -blogtechnical.com##.sidebar-outline -sheekyforums.com##.sidebar-rc -g4chan.com##.sidebar-rectangle -techi.com##.sidebar-rectangle-banner -newstatesman.com##.sidebar-sponsored-article -timesofisrael.com##.sidebar-spotlight -techi.com##.sidebar-square-banner -davidwalsh.name##.sidebar-treehouse +tutorialrepublic.com##.sidebar +collegedunia.com##.sidebar .course-finder-banner +coincodex.com##.sidebar-2skyscraper +ganjapreneur.com##.sidebar-ad-block +oann.com##.sidebar-ad-slot__ad-label +jayisgames.com##.sidebar-ad-top +autoguide.com,motorcycle.com##.sidebar-ad-unit +computing.co.uk##.sidebar-block +dailycoffeenews.com##.sidebar-box +coingape.com##.sidebar-btn-container +nfcw.com##.sidebar-display +thehustle.co##.sidebar-feed-trends +gameflare.com##.sidebar-game +lawandcrime.com,mediaite.com##.sidebar-hook +freshbusinessthinking.com##.sidebar-mpu +spearswms.com##.sidebar-mpu-1 +middleeasteye.net##.sidebar-photo-extend +comedy.com##.sidebar-prebid +domainnamewire.com,repeatreplay.com##.sidebar-primary +libhunt.com##.sidebar-promo-boxed +davidwalsh.name##.sidebar-sda-large +ldjam.com##.sidebar-sponsor +abovethelaw.com##.sidebar-sponsored +azoai.com,azobuild.com,azocleantech.com,azolifesciences.com,azom.com,azomining.com,azonano.com,azooptics.com,azoquantum.com,azorobotics.com,azosensors.com##.sidebar-sponsored-content +hypebeast.com##.sidebar-spotlights +proprivacy.com##.sidebar-top-vpn indianapublicmedia.org##.sidebar-upper-underwritings -thebadandugly.com##.sidebar30 -photobucket.com##.sidebar:first-child > span -celebritynetworth.com##.sidebarAvtBox -comicsalliance.com,lemondrop.com,popeater.com,urlesque.com##.sidebarBanner -urgames.com##.sidebarBar -urgames.com##.sidebarScrapper +mobilesyrup.com##.sidebarSponsoredAd +zap-map.com##.sidebar__advert +wordcounter.icu##.sidebar__display pbs.org##.sidebar__logo-pond -caster.fm##.sidebar_ablock -cghub.com##.sidebar_banner -instantshift.com##.sidebar_banners_bottom -instantshift.com##.sidebar_banners_top -instantshift.com##.sidebar_bsa_mid01 -instantshift.com##.sidebar_bsa_top02 -gpforums.co.nz##.sidebar_mm_block -domainnamewire.com##.sidebar_promotions_small -mediacomcable.com##.sidebar_sponsored -geektyrant.com##.sidebar_support -instantshift.com##.sidebar_vps_banner -riotimesonline.com##.sidebarbanner -bridgemi.com##.sidebarboxinvest -thenokiablog.com##.sidebardirect -smashingmagazine.com##.sidebared -freedla.com##.sidebox -tothepc.com##.sidebsa -thecrimson.com##.sidekick -ee.co.za##.sidepromo -ohinternet.com##.sider -yttalk.com##.sidevert -yttalk.com##.sidevert2 -nabble.com##.signature -usnews.com##.signup-deals -zerohedge.com##.similar-box -greatis.com##.sing -bestvaluelaptops.co.uk##.single-728 -cryptothrift.com##.single-auction-ad -bestvaluelaptops.co.uk##.single-box -gaystarnews.com##.single-sponsored -businessinsider.com##.site-banner -infosecurity-magazine.com,sassyhongkong.com,sassymanila.com##.site-leaderboard -wahcricket.com##.site-mainhead -fxstreet.com,macstories.net,seatrade-cruise.com##.site-sponsor -seatrade-cruise.com##.site-sponsor-other -faithtalk1500.com,kfax.com,wmca.com##.siteWrapLink -itproportal.com##.site_header -cracked.com##.site_sliver -inthesetimes.com##.sites-of-interest -9gag.tv##.size-728x90 -kwgn.com##.size_230_90 -indeed.co.uk,indeed.com##.sjas2 -indeed.co.uk,indeed.com##.sjl -indeed.com##.sjl0 -indeed.co.uk,indeed.com##.sjl1t -bit.com.au##.skin-btn -autocarindia.com##.skin-link -tennisworldusa.org##.skin1 -videogamer.com,zdnet.com##.skinClick +hepper.com##.sidebar__placement +breakingdefense.com,medcitynews.com##.sidebar__top-sticky +snopes.com##.sidebar_ad +pcgamesn.com##.sidebar_affiliate_disclaimer +bxr.com##.sidebar_promo +bleedingcool.com##.sidebar_spacer +alternet.org##.sidebar_sticky_container +macrumors.com##.sidebarblock +macrumors.com##.sidebarblock2 +linuxize.com##.sideblock +dbknews.com##.sidekick-wrap +kit.co##.sidekit-banner +linuxtopia.org##.sidelinks > .sidelinks +atlasobscura.com##.siderail-bottom-affix-placeholder +thespike.gg##.siderail_ad_right +classicalradio.com,jazzradio.com,radiotunes.com,rockradio.com,zenradio.com##.sidewall-ad-component +wncv.com##.simple-image +metalsucks.net##.single-300-insert +lgbtqnation.com##.single-bottom-ad +9to5mac.com##.single-custom-post-ad +kolompc.com##.single-post-content > center +geoawesome.com##.single-post__extra-info +abovethelaw.com##.single-post__sponsored-post--desktop +policyoptions.irpp.org##.single__ad +mixonline.com##.site-ad +gg.deals##.site-banner-content-widget +deshdoaba.com##.site-branding +winaero.com##.site-content > div > p[style="margin: 22px"] +archaeology.org##.site-header__iykyk +emulatorgames.net##.site-label +jdpower.com##.site-top-ad +dailycoffeenews.com##.site-top-ad-desktop +emulatorgames.net##.site-unit-lg +macys.com##.siteMonetization +warcraftpets.com##.sitelogo > div +garagejournal.com##.size-full.attachment-full +newsnext.live##.size-large +garagejournal.com##.size-medium +canadianbusiness.com,torontolife.com##.sjm-dfp-wrapper charismanews.com##.skinTrackClicks -bleedingcool.com##.skinny-skyscraper -entrepreneur.com,newstatesman.com##.sky -miniclip.com##.sky-wrapper -skysports.com##.skyBetLinkBox -petoskeynews.com##.skyScraper -football365.com##.skybet -aol.co.uk##.skybet-art -skysports.com##.skybet-odds-link -football365.com##.skybet-space -planetf1.com,planetrugby.com##.skybetbar -eweek.com##.skylabel -games2c.com,knowyourmobile.com,mymovies.net##.skyright -afcbournemouthnews.com,baydriver.co.nz,bighospitality.co.uk,bigtennetwork.com,burnleyfcnews.com,californiareport.org,cheese.com,chelseanews.com,coastandcountrynews.co.nz,columbiatribune.com,comicbookresources.com,computerweekly.com,crystalpalacenews.com,datpiff.com,egyptindependent.com,emedtv.com,engadget.com,etonline.com,evertonnews.com,evilmilk.com,goonernews.com,guanabee.com,gumtree.co.za,hammersheadlines.com,huddersfieldtownnews.com,infosecurity-magazine.com,iwatchstuff.com,keyetv.com,kqed.org,l4dmaps.com,leicestercitynews.org,ludobox.com,mancitynews.com,manunews.com,moneyweek.com,morningadvertiser.co.uk,newcastleunitednews.org,pastemagazine.com,pcworld.com,planetrock.com,pulse.co.uk,saintsnews.com,scienceblogs.com,sciencedaily.com,seagullsnews.com,sportsvibe.co.uk,spursnews.com,stokecitynews.com,swanseacitynews.com,theresurgent.com,topgear.com,walkon.com,waterline.co.nz,watfordfcnews.com,weartv.com,webshots.com,westbromnews.com##.skyscraper -dailynewsegypt.com##.skyscraper-banner -infosecurity-magazine.com##.skyscraper-button -democraticunderground.com,sciencedaily.com##.skyscraper-container -democraticunderground.com##.skyscraper-placeholder -gmx.com##.skyscraperClass -lookbook.nu,tucsoncitizen.com##.skyscraper_container -telegram.com##.skyscraper_in_narrow_column -freshbusinessthinking.com##.skyscraper_lft -freshbusinessthinking.com##.skyscraper_rgt_btm -freshbusinessthinking.com##.skyscraper_rgt_top -dosgamesarchive.com##.skyscraper_small +pinkvilla.com##.skinnerAd +entrepreneur.com##.sky +edarabia.com##.sky-600 +govexec.com##.skybox-item-sponsored +cbssports.com##.skybox-top-wrapper +cheese.com,datpiff.com,gtainside.com##.skyscraper +plos.org##.skyscraper-container +lowfuelmotorsport.com,newsnow.co.uk##.skyscraper-left +lowfuelmotorsport.com##.skyscraper-right singaporeexpats.com##.skyscrapers -fog24.com,futbol24.com##.skyscrapper -search.ch##.sl_banner -scotsman.com##.slab--leaderboard -slacker.com##.slacker-sidebar-ad -slant.investorplace.com##.slant-sidebar-ad-tag -cnet.com.au##.slb -manchesterconfidential.co.uk##.sldr -drum.co.za,you.co.za##.slider -drugs.com##.slider-title -bikeradar.com##.slider-vert -thebeachchannel.tv##.slideshow -bustle.com##.slideshow-page__panoramic-ad -kcra.com,ketv.com,kmbc.com,wcvb.com,wpbf.com,wtae.com##.slideshowCover -bonappetit.com##.slideshow_sidebar_divider -thephuketnews.com##.slidesjs-container -foodfacts.com##.slimBanner -cordcutting.com##.sling -ecommercetimes.com##.slink-text -ecommercetimes.com##.slink-title +everythingrf.com,futbol24.com##.skyscrapper +myfoodbook.com.au##.slick--optionset--mfb-banners +as.com##.slider-producto inbox.com##.slinks -theguardian.com##.slot__container -gamesradar.com,pcgamer.com,techradar.com##.slotify-contents -pcgamer.com##.slotify-slot -euractiv.com,mnn.com,newsweek.com,runnersworld.com,slashdot.org##.slug -pixelatedgeek.com##.small-leaderboard -ten.com.au##.small-listing.small-listing4.google -farmanddairy.com##.small-quad-banner -dealsonwheels.com##.small-text -hitsquad.com##.small-title -tbs.com##.smallBanners -pdnonline.com##.smallGrayType -cio-today.com,data-storage-today.com,mobile-tech-today.com,toptechnews.com##.smallText -rottentomatoes.com##.small[style="margin-top:10px;"] -monhyip.net##.small_banner -empireonline.com##.smallgrey[height="250"] -dressupone.com##.smallpreviewpubgoogle -duluthnewstribune.com##.smalltxt -geniuskitchen.com##.smart-rail -bbj.hu##.smartdreamers -qwant.com##.snippet -snopes.com##.snopes-partner-unit -computerworlduk.com##.socialMediaBoxout -dawn.com##.soft-half--top.soft-half--sides -fanhow.com##.softhalf -softpile.com##.softitem -afreecodec.com##.softshot -wccftech.com##.sohail_250 -wccftech.com##.sohail_600 -inhabitat.com##.solar_widget_placeholder_img -elyrics.net##.songring -greatandhra.com##.sortable-item_top_add -businessdaytv.co.za##.source -crawler.com,phonebook.com.pk##.sp -swatchseries.to##.sp-leader -pcmag.com##.sp-links -filestube.to##.spF -filestube.to##.spL -mywebsearch.com##.spLinkCon -rapid-search-engine.com##.sp_header -channelchooser.com##.span-12.prepend-top.last -nationmultimedia.com##.span-7-1[style="height:250px; overflow:hidden;"] -kcsoftwares.com##.span2.well -fark.com##.spau -picosearch.com##.spblock -askmen.com##.special -newsweek.com##.special-insight -fool.com##.special-message -fashionmagazine.com##.special-messages -pcmag.com##.special-offers -euronews.com##.specialCoveragePub -nzherald.co.nz##.specialOffers -msn.co.nz##.special_features -picarto.tv##.specialbanner -weddingchannel.com##.specialoffers -thenextweb.com##.speeb_widget -reference.com##.spl_adblk -ask.com##.spl_shd_plus -ask.com,reference.com,search-results.com,thesaurus.com##.spl_unshd -reference.com##.spl_unshd_NC -ozy.com##.splash-takeover -giveawayoftheday.com##.splinks -listverse.com##.split -yahoo.com##.spns -informer.com##.spnsrd -smashingmagazine.com##.spnsrlistwrapper -everyclick.com,info.co.uk,info.com,travel.yahoo.com##.spon -thefinancialbrand.com##.spon-a -thefinancialbrand.com##.spon-b +airdriecityview.com,alaskahighwaynews.ca,albertaprimetimes.com,bowenislandundercurrent.com,burnabynow.com,coastreporter.net,cochraneeagle.ca,delta-optimist.com,fitzhugh.ca,moosejawtoday.com,mountainviewtoday.ca,newwestrecord.ca,nsnews.com,piquenewsmagazine.com,princegeorgecitizen.com,prpeak.com,richmond-news.com,rmoutlook.com,sasktoday.ca,squamishchief.com,stalbertgazette.com,thealbertan.com,theorca.ca,townandcountrytoday.com,tricitynews.com,vancouverisawesome.com,westerninvestor.com,westernwheel.ca##.slot +nicelocal.com##.slot-service-2 +nicelocal.com##.slot-service-top +iheartradio.ca##.slot-topNavigation +independent.ie##.slot1 +independent.ie##.slot4 +boxofficemojo.com,imdb.com##.slot_wrapper +drivereasy.com##.sls_pop +sltrib.com##.sltrib_medrec_sidebar_atf +skinnyms.com##.sm-above-header +dermatologytimes.com##.sm\:w-\[728px\] +bikeexif.com##.small +dutchnews.nl##.small-add-block +numuki.com##.small-banner-responsive-wrapper +startup.ch##.smallbanner +food.com##.smart-aside-inner +food.com##.smart-rail-inner +watchinamerica.com##.smartmag-widget-codes +pressdemocrat.com##.smiPlugin_rail_ad_widget +secretchicago.com##.smn-new-gpt-ad +rugby365.com##.snack-container +foottheball.com,small-screen.co.uk##.snackStickyParent +dailyevergreen.com##.sno-hac-desktop-1 +khmertimeskh.com##.so-widget-sow-image +u.today##.something +u.today##.something--fixed +u.today##.something--wide +songfacts.com##.songfacts-song-inline-ads +macys.com##.sortable-grid-sponsored-items +greatandhra.com##.sortable-item_top_add123 +khmertimeskh.com##.sow-slider-image +freeonlineapps.net##.sp +coincarp.com##.sp-down +semiengineering.com##.sp_img_div +academickids.com##.spacer150px +quora.com##.spacing_log_question_page_ad +nationaltoday.com##.sphinx-popup--16 +informer.com##.spnsd +sundayworld.co.za##.spnsorhome +mydramalist.com##.spnsr +coincarp.com##.spo-btn worldtimezone.com##.spon-menu -thefinancialbrand.com##.spon-na -thefinancialbrand.com##.spon-o -thefinancialbrand.com##.spon-sb -yahoo.com##.spon.clearfix -aol.com##.spon_by -autos.aol.com##.spon_link_new -quakelive.com##.spon_media -technologyreview.com##.sponcont -radiozindagi.com##.sponeser -mediagazer.com##.sponrn -pho.to,smartwebby.com,whoownes.com,workhound.co.uk,yahoo.com##.spons -njuice.com,wwitv.com##.sponsb -1130thetiger.com,1310news.com,2oceansvibe.com,964eagle.co.uk,abc22now.com,airlineroute.net,airliners.net,animepaper.net,app.com,ar15.com,austinist.com,b100quadcities.com,bexhillobserver.net,blackpoolfc.co.uk,blackpoolgazette.co.uk,bloomberg.com,bognor.co.uk,bostonstandard.co.uk,brisbanetimes.com.au,brothersoft.com,businessinsider.com,canberratimes.com.au,cbslocal.com,cd1025.com,centralillinoisproud.com,chicagoist.com,chichester.co.uk,concordmonitor.com,dailymaverick.co.za,dcist.com,domainincite.com,dramafever.com,eastbourneherald.co.uk,eastidahonews.com,electricenergyonline.com,europages.co.uk,eurovision.tv,ewn.co.za,gamingcloud.com,gayvegas.com,gothamist.com,halifaxcourier.co.uk,hastingsobserver.co.uk,hellomagazine.com,homelife.com.au,informationweek.com,isearch.igive.com,itwebafrica.com,khak.com,kkyr.com,kosy790am.com,kpbs.org,ktla.com,kygl.com,laist.com,lcfc.com,lep.co.uk,limerickleader.ie,lmgtfy.com,mg.co.za,mix933fm.com,networkworld.com,newrepublic.com,news1130.com,newsweek.com,nocamels.com,nouse.co.uk,pastie.org,phillyvoice.com,pogo.com,portsmouth.co.uk,power959.com,prestontoday.net,proactiveinvestors.com,proactiveinvestors.com.au,publicradio.org,rock1049.com,rte.ie,salemreporter.com,scotsman.com,sfgate.com,sfist.com,shieldsgazette.com,sky.com,skysports.com,smh.com.au,spaldingtoday.co.uk,speedcafe.com,star935fm.com,sunderlandecho.com,techonomy.com,theage.com.au,thefederalistpapers.org,themeditelegraph.com,thescarboroughnews.co.uk,thestar.co.uk,theworld.org,userscripts.org,variety.com,verizon.net,videolan.org,watoday.com.au,wayfm.com,wfnt.com,wigantoday.net,wklh.com,wscountytimes.co.uk,wsj.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk,zdnet.co.uk,zuula.com##.sponsor -search.comcast.net##.sponsor-6 -kiswrockgirls.com,xda-developers.com##.sponsor-banner -tekrevue.com##.sponsor-blurb -bbc.com##.sponsor-container -pcmag.com##.sponsor-head -theweek.co.uk##.sponsor-image -diynetwork.com##.sponsor-lead -houserepairtalk.com,soapmakingforum.com##.sponsor-list -tricycle.com##.sponsor-logo-image -f1today.net,newsroom.co.nz,techwire.net##.sponsor-logos -yourclassical.org##.sponsor-main-top -itwebafrica.com##.sponsor-message -sny.tv##.sponsor-row -oilprice.com##.sponsor-slider -theroot.com##.sponsor-slot-hp -tennessean.com##.sponsor-story-theme-bg-hover +danmurphys.com.au##.sponserTiles +andrewlock.net,centos.org,domainincite.com,europages.co.uk,gamingcloud.com,ijr.com,kpbs.org,manutd.com,phillyvoice.com,phish.report,speedcafe.com,thefederalistpapers.org,thegatewaypundit.com,ufile.io,westernjournal.com,wnd.com##.sponsor +cssbattle.dev##.sponsor-container +dallasinnovates.com##.sponsor-footer +wralsportsfan.com##.sponsor-label +jquery.com##.sponsor-line +newsroom.co.nz##.sponsor-logos2 +fimfiction.net##.sponsor-reminder +compellingtruth.org##.sponsor-sidebar cricketireland.ie##.sponsor-strip -eurobasket2015.org##.sponsor-stripe -mnn.com##.sponsor-title-image -theweek.co.uk##.sponsor-top -linux-mag.com##.sponsor-widget -tumblr.com##.sponsor-wrap -clgaming.net##.sponsor-wrapper -411.com,whitepages.com,wprugby.com##.sponsor1 -wprugby.com##.sponsor2 -wprugby.com##.sponsor3 -dptv.org##.sponsor300 arizonasports.com,ktar.com##.sponsorBy -wsj.com##.sponsorContainer -rugbyworldcup.com##.sponsorFamilyWidget -investors.com##.sponsorFt -wine-searcher.com##.sponsorImg -natgeotraveller.in,nzherald.co.nz##.sponsorLogo -dlife.com##.sponsorSpecials +cryptolovers.me##.sponsorContent blbclassic.org##.sponsorZone -channel5.com##.sponsor_container -bolandrugby.com##.sponsor_holder -videolan.org##.sponsor_img -go963mn.com##.sponsor_strip -sat-television.com,satfriends.com,satsupreme.com##.sponsor_wrapper -freeyourandroid.com##.sponsorarea -vancouversun.com##.sponsorcontent -monsterindia.com##.sponsoreRes -monsterindia.com##.sponsoreRes_rp -92q.com,abovethelaw.com,app.com,argusleader.com,azdailysun.com,battlecreekenquirer.com,baxterbulletin.com,biv.com,bloomberg.com,bostonmagazine.com,break.com,bucyrustelegraphforum.com,burlingtonfreepress.com,businesstech.co.za,centralohio.com,chicagobusiness.com,chillicothegazette.com,chronicle.co.zw,cincinnati.com,cio.com,citizen-times.com,clarionledger.com,cnbc.com,cnet.com,coloradoan.com,computerworld.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailymaverick.co.za,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,desmoinesregister.com,divamag.co.uk,dnj.com,ebookee.org,examiner.co.uk,express.co.uk,fdlreporter.com,federaltimes.com,findbestvideo.com,floridatoday.com,freep.com,funnyordie.com,geektime.com,govtech.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hellobeautiful.com,herald.co.zw,hometownlife.com,hotklix.com,htrnews.com,imgur.com,indystar.com,infoworld.com,irishtimes.com,ithacajournal.com,ixquick.com,jacksonsun.com,javaworld.com,jconline.com,knoworthy.com,lansingstatejournal.com,lfpress.com,livingstondaily.com,lohud.com,lycos.com,mansfieldnewsjournal.com,marionstar.com,marketingland.com,marshfieldnewsherald.com,modernhealthcare.com,montgomeryadvertiser.com,msn.com,mybroadband.co.za,mycentraljersey.com,mydesert.com,mywot.com,nation.co.ke,networkworld.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,newsone.com,niagarafallsreview.ca,noscript.net,nugget.ca,nzherald.co.nz,pal-item.com,parent24.com,pcworld.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,racinguk.com,rgj.com,salon.com,scottishdailyexpress.co.uk,sctimes.com,searchengineland.com,seroundtable.com,sheboyganpress.com,shreveporttimes.com,slate.com,stargazette.com,startpage.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,theblaze.com,thecalifornian.com,thedailyjournal.com,thedailyobserver.ca,thedirty.com,theguardian.com,theleafchronicle.com,thenationalstudent.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,theobserver.ca,thepeterboroughexaminer.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,timeout.com,timeslive.co.za,timesofmalta.com,traveller24.com,trovit.co.uk,visaliatimesdelta.com,wausaudailyherald.com,wheels.ca,wisconsinrapidstribune.com,yippy.com,zanesvilletimesrecorder.com##.sponsored -hindustantimes.com##.sponsored-area -phillyvoice.com##.sponsored-article-widget -christianpost.com,gardensillustrated.com##.sponsored-articles -citizen.co.za,policeone.com##.sponsored-block -general-files.com##.sponsored-btn -advisorone.com,cbslocal.com,cutimes.com,futuresmag.com##.sponsored-by -geektime.com##.sponsored-channel -washingtontimes.com##.sponsored-container -chron.com,eurosport.com,slate.com,w24.co.za##.sponsored-content -itweb.co.za##.sponsored-content-box -tumblr.com##.sponsored-day-media-section -itproportal.com##.sponsored-hub -theblaze.com##.sponsored-image -techtipsgeek.com##.sponsored-level -telegraph.co.uk##.sponsored-list-item -usnews.com##.sponsored-listing -thestar.com##.sponsored-listings -tradingview.com##.sponsored-logo -hellomagazine.com##.sponsored-news -moneyweb.co.za##.sponsored-panel-item -nigerianbulletin.com,philstar.com##.sponsored-posts -arstechnica.com##.sponsored-rec -dailystar.co.uk,express.co.uk,standardmedia.co.ke##.sponsored-section -wsj.com##.sponsored-sections -computerandvideogames.com##.sponsored-slideshow -futuresmag.com##.sponsored-tops -politico.com##.sponsored-wrapper -windowsitpro.com,winsupersite.com##.sponsoredAnnouncementWrap -investing.com##.sponsoredArticle -mybroadband.co.za##.sponsoredBreaking -citywire.co.uk,fool.com,offshore-mag.com##.sponsoredBy -downloadcrew.com##.sponsoredDownloads -gamesforthebrain.com##.sponsoredGames -eluta.ca##.sponsoredJobsTable -iol.co.za##.sponsoredLinksList -technologyreview.com##.sponsored_bar -globaltelecomsbusiness.com##.sponsored_content_push -pixabay.com##.sponsored_images -fin24.com,news24.com##.sponsored_item -jobs.aol.com##.sponsored_listings -eastidahonews.com,mybroadband.co.za,tumblr.com##.sponsored_post -funnyordie.com##.sponsored_videos -bdlive.co.za,engadget.com##.sponsoredcontent -news-medical.net##.sponsorer-note -classifiedads.com##.sponsorhitext -dailyglow.com##.sponsorlogo -premierleague.com##.sponsorlogos -affiliatesrating.com,africaoilandpower.com,allkpop.com,androidfilehost.com,arsenal.com,audiforums.com,backpage.com,blueletterbible.org,canaries.co.uk,capitalfm.co.ke,dolliecrave.com,eaglewavesradio.com.au,foodhub.co.nz,geckoforums.net,health24.com,herold.at,hobbytalk.com,jaguarforums.com,keepvid.com,lake-link.com,meanjin.com.au,morokaswallows.co.za,mtvema.com,nesn.com,nineoclock.ro,quotes.net,thebugle.co.za,thebulls.co.za,thedailywtf.com,themuslimweekly.com,thespinoff.co.nz,thinksteroids.com,wbal.com,yellowpageskenya.com##.sponsors -herold.at##.sponsors + .hdgTeaser -herold.at##.sponsors + .hdgTeaser + #karriere -thespinoff.co.nz##.sponsors-block -ca2016.com##.sponsors-grid -pri.org##.sponsors-logo-group -keepvid.com##.sponsors-s -firstpost.com##.sponsors-wrap -appadvice.com##.sponsorsAside -skilouise.com##.sponsorsSlider -pwnage.tv##.sponsors_bar -edie.net##.sponsors_bottom -grsecurity.net##.sponsors_footer_background2 -livemint.com##.sponsors_logo_newspon -driverdb.com##.sponsors_table -edie.net##.sponsors_top -gulfnews.com,newsweek.com,sky.com,speroforum.com,theolympian.com,theonion.com##.sponsorship -news1130.com,news919.com,news957.com,sonicnation.ca##.sponsorship-block -seahawks.com##.sponsorship-bottom -createjs.com##.sponsorship-menu -nhl.com##.sponsorship-placement -indiatoday.in##.sponsorslogo -law.com##.sponsorspot -yellowpageskenya.com##.sponsorsz -nu2.nu##.sponsortable +2b2t.online,caixinglobal.com,chicagobusiness.com,chronicle.co.zw,dailymaverick.co.za,dailytarheel.com,duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion,dunyanews.tv,fifplay.com,freebmd.org.uk,hbr.org,herald.co.zw,lawandcrime.com,libhunt.com,motherjones.com,naval-technology.com,reviewjournal.com,saashub.com,samedicalspecialists.co.za,sportsbusinessjournal.com,statnews.com,stocksnap.io,thedp.com,timeslive.co.za##.sponsored +newegg.com##.sponsored-brands +crypto.news##.sponsored-button-group +cheknews.ca##.sponsored-by +washingtontimes.com##.sponsored-heading +itweb.co.za##.sponsored-highlights +breakingdefense.com##.sponsored-inline +freesvg.org##.sponsored-main-detail +dermstore.com,lookfantastic.com##.sponsored-product-plp +justwatch.com##.sponsored-recommendation +crn.com##.sponsored-resources +coincarp.com##.sponsored-td +search.brave.com##.sponsored-unit_wrapper +coingecko.com##.sponsored-v2 +tech.hindustantimes.com##.sponsoredBox +coinmarketcap.com##.sponsoredMark +lookfantastic.com##.sponsoredProductsList +circleid.com##.sponsoredTopicCard +mynorthwest.com##.sponsored_block +hannaford.com##.sponsored_product +meijer.com##.sponsoredproducts +ar15.com,armageddonexpo.com,audiforums.com,f1gamesetup.com,ferrarichat.com,hotrodhotline.com,jaguarforums.com,pypi.org,smashingmagazine.com,thebugle.co.za,waamradio.com,wbal.com,webtorrent.io##.sponsors +vuejs.org##.sponsors-aside-text +salixos.org##.sponsors-container +libhunt.com##.sponsors-list-content +petri.com##.sponsorsInline newswiretoday.com,przoom.com##.sponsortd -superpages.com##.sponsreulst -tuvaro.com##.sponsrez -wwitv.com##.sponstv -dailymail.co.uk,mailonsunday.co.uk##.sport.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,connection-sports.com,emporis.com,fairfaxconnection.com,fairfaxstationconnection.com,garfield.com,greatfallsconnection.com,herndonconnection.com,kusports.com,mcleanconnection.com,mountvernongazette.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,union-bulletin.com,viennaconnection.com##.spot -thewhir.com##.spot-125x125 -thewhir.com##.spot-234x30 -thewhir.com##.spot-728x90 -steamboattoday.com##.spot500 -wunderground.com##.spotBox -phonearena.com##.spot_disclaimer -pcmag.com##.spotlight -jpost.com##.spotlight-long -edmunds.com##.spotlight-set -jpost.com##.spotlight-single -u-file.net##.spottt_tb -walmart.com##.sprite-26_IMG_ADVERTISEMENT_94x7 -bizarrepedia.com##.spsnrd -picosearch.com##.sptitle -educationtimes.com##.sqBanner -autoaction.com.au,bayt.com,booyapictures.com,industryweek.com,milesplit.com##.square -biography.com##.square-advertisment-module-second-column -mixcloud.com##.square-bottom -port2port.com##.squareBanner -vibevixen.com##.square_300 -thevarguy.com##.squarebanner160x160 -ign.com##.squarepromo -squawka.com##.squawka-article-promo -baseball-reference.com##.sr_draftstreet -downbyte.net,linxdown.com##.srchbox -realliving.com.ph##.srec -buenosearch.com,delta-search.com,holasearch.com##.srmadb -buenosearch.com##.srmads -delta-search.com##.srmah -ebay.com##.srp-1p__banner -sourceforge.net##.ss-deals-link -starsports.com##.ss-mrec-align -skysports.com##.ss-sponsor -law.com##.ssp_outer -webmd.com##.st-continue-reading-below -coolspotters.com##.stack -forumpromotion.net##.staff-affiliates -nst.com.my##.standard -thesportreview.com##.standard-MPU -citytalk.fm##.standard-mpu-widget -citytalk.fm##.standard-skyscraper-widget -leo.org##.standard_banner -autoweek.com##.stanzacal -stardoll.com##.stardollads -cinemablend.com##.sticky-div -flashscores.co.uk,salon.com##.sticky-wrapper -wtop.com##.sticky_parent -gohuskies.com##.stickybar -pcmag.com##.stickyblogroll -shazam.com##.store -brisbanetimes.com.au,canberratimes.com.au,smh.com.au,theage.com.au,watoday.com.au##.story--promo -newsy.com##.story-a-placeholder -punchng.com##.story-bottom -abcnews.go.com##.story-embed-left.box -newser.com##.storyTopMain > aside > [type="text/css"] + div -straitstimes.com##.story_imu -hindustantimes.com##.story_lft_wid -swns.com##.story_mpu -chowhound.com##.str_native_feed -brisbanetimes.com.au,theage.com.au,watoday.com.au##.strapHeadingDealPartner -twitter.com##.stream-item-group-start[label="promoted"] -twitter.com##.stream-item[data-item-type="tweet"][data-item-id*=":"] -twitter.com##.stream-tweet[label="promoted"] -bitshare.com##.stream_flash_overlay -bangkok.com##.strip-banner-top -people.com,peoplepets.com##.stylefind -people.com##.stylefindtout -videohelp.com##.stylenormal[width="24%"][valign="top"][align="left"] -firesticktricks.com##.su-note -complex.com##.sub-div -goo-net-exchange.com##.subBnr -lolhome.com##.subPicBanner -ratemyteachers.com##.sub_banner_728 -deviantart.com,sta.sh##.subbyCloseX -lyricsfreak.com##.subhdr -ycuniverse.com##.subheader_container -businessinsider.com##.subnav-container -viralviralvideos.com##.suf-horizontal-widget -twitter.com##.suggested-tweet-stream-container -scotch.io##.super-duper -interaksyon.com##.super-leader-board -monocle.com,tnp.sg##.super-leaderboard -t3.com##.superSky -djtunes.com##.superskybanner -scotthelme.co.uk##.support-banner -wamu.org##.supportbanner -wbez.org##.supported_by -listio.com##.supporter -thespinoff.co.nz##.supporters-block -spyka.net##.swg-spykanet-adlocation-250 -eweek.com##.sxs-mod-in -eweek.com##.sxs-spon -tourofbritain.co.uk##.sys_googledfp -search.yahoo.com##.sys_shopleguide -sedoparking.com##.system.links +alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,coincost.net,connection-sports.com,fairfaxconnection.com,fairfaxstationconnection.com,greatfallsconnection.com,herndonconnection.com,mcleanconnection.com,mountvernongazette.com,phonearena.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,viennaconnection.com##.spot +phonearena.com##.spot-sticky-container +darwintube.com##.spots +freepik.com##.spr-adblock +freepik.com##.spr-plc +gemoo.com##.sprtadv +collive.com##.spu-bg +collive.com##.spu-box +motorauthority.com##.sq-block +reneweconomy.com.au##.sq_get_quotes +ftvlive.com##.sqs-block-image-link +nutritioninsight.com,packaginginsights.com##.squarblk +autoaction.com.au,snokido.com##.square +digitimes.com##.square-ad +flvto.biz,flvto.com.mx##.square-area +getmyuni.com##.squareDiv +cathstan.org##.squat +yodobashi.com##.srcResultPromotionItem +ebay.co.uk,ebay.com,ebay.com.au##.srp-1p__link +mlsbd.shop##.srzads +theblueoceansgroup.com##.ss-on-media-container +searchenginejournal.com##.sss2_sllo_o3 +aupetitparieur.com##.st85ip42z1v3x +cnn.com##.stack__ads +barrons.com##.standard__AdWrapper-sc-14sjre0-6 +gameworldobserver.com##.start-popup +geoguessr.com##.start__display-ad +sourceforge.net##.sterling +bostonglobe.com##.stick_1200--tablet +ar15.com##.stickers +kathmandupost.com##.sticky--bottom +healthing.ca##.sticky-ad-spacer-desktop +religionnews.com##.sticky-ad-white-space +bmwblog.com##.sticky-ad-widget-container +rugbyonslaught.com##.sticky-add +thenationonlineng.net##.sticky-advert +gr8.cc,psycatgames.com##.sticky-banner +note.nkmk.me##.sticky-block +pastpapers.co##.sticky-bottom +golfmagic.com,kbb.com,thisismoney.co.uk##.sticky-container +goterriers.com##.sticky-footer +walletinvestor.com##.sticky-footer-content +babylonbee.com##.sticky-footer-image +kmzu.com##.sticky-footer-promo-container +business2community.com##.sticky-header +sciencing.com,sportsnet.ca##.sticky-leaderboard-container +fastcompany.com##.sticky-outer-wrapper +niagarathisweek.com##.sticky-parent +foxweather.com##.sticky-pre-content +foxnews.com##.sticky-pre-header +foxnews.com##.sticky-pre-header-inner +theportugalnews.com##.sticky-pub +almanac.com##.sticky-right-sidebar +thechinaproject.com##.sticky-spacer +oilcity.news##.sticky-sponsors-large +jpost.com##.sticky-top-banner +litecoin-faucet.com##.sticky-top1 +theblock.co,thekitchn.com##.stickyFooter +everythingrf.com##.stickyRHSAds +cnet.com##.stickySkyboxSpacing +fastfoodnutrition.org##.sticky_footer +pcgamesn.com##.sticky_rail600 +minecraftlist.org##.stickywrapper +romzie.com##.stksht +seattletimes.com##.stn-player +dailyherald.com##.stnContainer +stationx.net##.stnx-cta-embed +groceries.asda.com##.sto_format +dailycoffeenews.com##.story-ad-horizontal +dailykos.com##.story-banner-ad-placeholder +bqprime.com##.story-base-template-m__vuukle-ad__g1YBt +nzherald.co.nz##.story-card--sponsored--headline +nzherald.co.nz##.story-card--sponsored-text-below +wccftech.com##.story-products-wrapper +stadiumtalk.com##.story-section-inStory-inline +interest.co.nz##.story-tag-wrapper +healthshots.com##.storyBlockOne +livemint.com##.storyPage_storyblockAd__r4wwE +businesstoday.in##.stoybday-ad +24fm.ps,datingscammer.info,ihrc24x7.com,kayifamily.net,news365.co.za,thedefensepost.com,xboxera.com##.stream-item +siasat.com##.stream-item-below-post-content +twitter.com,x.com##.stream-item-group-start[label="promoted"] +coinpedia.org,siasat.com##.stream-item-inline-post +conservativebrief.com##.stream-item-mag +hardwaretimes.com##.stream-item-size +how2electronics.com##.stream-item-top +todayuknews.com##.stream-item-top-wrapper +siasat.com##.stream-item-widget +news365.co.za##.stream-item-widget-content +coinpedia.org##.stream-title +open3dlab.com##.stream[style="align-items:center; justify-content:center;"] +stellar.ie##.stuck +darko.audio##.studio_widget +news.stv.tv##.stv-article-gam-slot +dbltap.com##.style_7z5va1-o_O-style_48hmcm-o_O-style_1ts1q2h +inyourarea.co.uk##.style_advertisementMark_1Jki4 +inyourarea.co.uk##.style_cardWrapper_ycKf8 +amazonadviser.com,apptrigger.com,arrowheadaddict.com,bamsmackpow.com,fansided.com,gamesided.com,gojoebruin.com,hiddenremote.com,lastnighton.com,mlsmultiplex.com,netflixlife.com,playingfor90.com,stormininnorman.com,winteriscoming.net##.style_k8mr7b-o_O-style_1ts1q2h +nationalrail.co.uk##.styled__StyledFreeFormAdvertWrapper-sc-7prxab-4 +nationalheraldindia.com##.styles-m__dfp__3T0-C +streamingsites.com##.styles_adverticementBlock__FINvH +streamingsites.com##.styles_backdrop__8uFQ4 +egamersworld.com##.styles_bb__hb10X +producthunt.com##.styles_item__hNPI1 +egamersworld.com##.styles_sidebar__m6yLy +troypoint.com##.su-box +cfoc.org##.su-button-style-glass +buzzfeed.com##.subbuzz-bfp--connatix_video +proprivacy.com##.summary-footer-cta +monocle.com##.super-leaderboard +atalayar.com,express.co.uk,the-express.com##.superbanner +f1gamesetup.com##.supp-footer-banner +f1gamesetup.com##.supp-header-banner +f1gamesetup.com##.supp-sense-desk-large +f1gamesetup.com##.supp-sense-sidebar-box-large +f1gamesetup.com##.supp-sidebar-box +japantimes.co.jp##.supplements-binder +ocado.com##.supplierBanner +cdromance.com##.support-us +fstoppers.com##.supportImg +indiedb.com,moddb.com##.supporter +hyiptop.net##.supporthome +techreen.com##.svc_next_content +survivopedia.com##.svp_campaign_main +timesofmalta.com##.sw-Top +saltwire.com##.sw-banner +securityweek.com##.sw-home-ads +swimswam.com##.swimswam-acf +khmertimeskh.com##.swiper-container-horizontal +khmertimeskh.com##.swiper-wrapper +top100token.com##.swiper_div.right-pad +presearch.com##.sx-top-bar-products +html-online.com##.szekcio4 +dagens.com,dagens.dk##.t-1 > .con-0 > .r-1 > .row > .c-0 > .generic-widget[class*=" i-"] > .g-0 +dagens.com,dagens.de,dagens.dk##.t-1 > .con-0 > .r-2 .row > .c-1 > .generic-widget[class*=" i-"] > .g-0 +royalroad.com##.t-center-2 +interestingengineering.com##.t-h-\[130px\] +interestingengineering.com##.t-h-\[176px\] +interestingengineering.com##.t-h-\[280px\] +fiercebiotech.com##.t1-ad-slot +patriotnationpress.com##.t2ampmgy +sbenny.com##.t3-masthead emoneyspace.com##.t_a_c -movreel.com##.t_download -sanet.me##.tab_buttons_adv -sanet.me##.tab_buttons_adv + .responsive-table -dealsofamerica.com##.tab_ext -whatsthescore.com##.table-odds -newsbtc.com##.table-responsive -thescore.com##.tablet-big-box -thescore.com##.tablet-leaderboard -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##.taboola-row -ndtv.com##.taboola_rhs -vitalmtb.com##.tactical -vitalmtb.com##.tacticalWrapper -suvudu.com##.tad-block-outer -jta.org##.tag-sponsored -coldwellbanker.com##.tag247-728x90Wrapper -ebookmarket.org##.tags-area + .movie--preview -jetsetta.com##.tags_2 -fhm.com##.takeOverContainer -bigjohnandamy.com,bmwblog.com,brobible.com,miniclip.com##.takeover -recombu.com##.takeover-left -flicks.co.nz##.takeover-link -recombu.com##.takeover-right -thirdforcenews.org.uk##.takeover-side -routesonline.com##.takeoverBanner -tamilyogi.tv##.tamilyogi -taste.com.au##.taste-leaderboard-ad -koreaherald.com##.tbanner -anoox.com##.tbl_border[bgcolor="#fff9dd"] -websleuths.com##.tborder[width="140"] -ironmagazineforums.com##.tborder[width="150"] -genesisowners.com##.tborder[width="160"] -thoughtcatalog.com##.tc-rev-content-container -hgtv.com##.tcap -hiphopearly.com##.td-468 -thespec.com##.td-Home_Sponsor -cyberparse.co.uk##.td-a-rec -alextimes.com##.td-a-rec-id-content_bottom -sonorannews.com,wonkette.com##.td-a-rec-id-sidebar -brila.net,businessmirror.com.ph,cgmagonline.com,sanmarinotribune.com,theyeshivaworld.com,thisisanfield.com##.td-banner-wrap-full -nontondramaonline.co##.td-banner-wrap-fulles -mobiletor.com##.td-footer-wrap -ticgn.com,wtf1.co.uk##.td-footer-wrapper -startlr.com##.td-g-rec -5pillarsuk.com,eastcountytoday.net,sonorannews.com,thestonedsociety.com,weekendspecial.co.za##.td-header-sp-recs -eastcountytoday.net##.td-ss-main-sidebar .textwidget a[target="_blank"] > img -gixen.com##.td_bck3 -toronto.com##.td_featured -treetorrent.com##.tdwb -soccerway.com##.team-widget-wrapper-content-placement -4shared.com,itproportal.com##.teaser -mmegi.bw##.template_leaderboard_space -mypayingads.com##.text-add-middal -dirpy.com##.text-center[style="margin-top: 20px"] -dirpy.com##.text-center[style="margin-top: 20px;display: block;"] -adelaidenow.com.au##.text-g-an-web-group-news-affiliate -couriermail.com.au##.text-g-cm-web-group-news-affiliate -perthnow.com.au##.text-g-pn-web-group-news-affiliate -news.com.au##.text-g-tech-rh-panel-compareprices -najoomi.com##.text-left > .span11 -news.com.au##.text-m-news-tech-iframe-getprice-widget-rhc -lastmenonearth.com##.text-muted -jekoo.com##.textCollSpons -sportschatplace.com##.textLink -nbcnews.com##.textSmallGrey -gamechix.com##.text[style="margin:28px 0 0 0;width:95%;text-align:center;"] -macsurfer.com##.text_top_box -sumotorrent.sx##.textboxFduck -kqed.org##.textsponsor -evilbeetgossip.com,knowelty.com##.textwidget -travel.yahoo.com##.tgl-block -thonline.com##.th-rail-weathersponsor -wdet.org##.thanks -pushsquare.com##.the-right -nintendolife.com##.the300x250 -burntorangereport.com##.theFlip -citizen.co.za##.theleaderboard -thonline.com##.thheaderweathersponsor -vogue.com##.thin_banner -onlinepokerreport.com##.thirstylinkimg -thesaturdaypaper.com.au##.thp-wrapper -y100.com##.threecolumn_rightcolumn -supercompressor.com##.thrillist-ad -time4tv.com##.thumbimg -dt-updates.com##.thx > .bottomBorderDotted + .block[style]:last-child -razorianfly.com##.ticker -browardpalmbeach.com,citypages.com,dallasobserver.com,houstonpress.com,laweekly.com,lifebuzz.com,miaminewtimes.com,phoenixnewtimes.com,villagevoice.com,westword.com##.ticket -browardpalmbeach.com,citypages.com,dallasobserver.com,houstonpress.com,laweekly.com,miaminewtimes.com,phoenixnewtimes.com,villagevoice.com,westword.com##.ticket-button -nhl.com##.ticket-link -nytimes.com##.ticketNetworkModule -nbcsports.msnbc.com##.ticketsnow-widget -trucksales.com.au##.tiles-container -coub.com##.timeline-banner -cointelegraph.com##.timeline-promo -newsfactor.com##.tinText -cincinnati.com##.tinyclasslink +theanalyst.com##.ta-ad +ucompares.com##.tablepress-id-46 +posemaniacs.com##.tabletL\:w-\[728px\] +moco360.media,protocol.com##.tag-sponsored +spectrum.ieee.org##.tag-type-whitepaper +ghanaweb.com,thefastmode.com##.takeover +thefastmode.com##.takeover_message +literaryreview.co.uk##.tall-advert +seattletimes.com##.tall-rect +igg-games.com##.taxonomy-description +bookriot.com##.tbr-promo +tennis.com##.tc-video-player-iframe +ghpage.com,schengen.news##.td-a-ad +8pmnews.com,antiguanewsroom.com,aptoslife.com,aviacionline.com,betootaadvocate.com,bohemian.com,carnewschina.com,constructionreviewonline.com,corvetteblogger.com,cyberparse.co.uk,darkhorizons.com,eastbayexpress.com,eindhovennews.com,ericpetersautos.com,fenuxe.com,gameplayinside.com,gamezone.com,ghpage.com,gilroydispatch.com,gizmochina.com,goodtimes.sc,goonhammer.com,greekreporter.com,greenfieldnews.com,healdsburgtribune.com,indianapolisrecorder.com,industryhit.com,jewishpress.com,kenyan-post.com,kingcityrustler.com,lankanewsweb.net,maltabusinessweekly.com,metrosiliconvalley.com,morganhilltimes.com,musictech.net,mycariboonow.com,nasilemaktech.com,newsnext.live,newstalkflorida.com,nme.com,pacificsun.com,pajaronian.com,pakobserver.net,pipanews.com,pressbanner.com,radioink.com,runnerstribe.com,salinasvalleytribune.com,sanbenito.com,scrolla.africa,sonorannews.com,tamilwishesh.com,telugubullet.com,theindependent.co.zw,ticotimes.net,unlockboot.com,wrestling-online.com,zycrypto.com##.td-a-rec +zycrypto.com##.td-a-rec-id-content_bottom +zycrypto.com##.td-a-rec-id-custom_ad_2 +thediplomat.com##.td-ad-container--labeled +unlockboot.com##.td-ads-home +techgenyz.com##.td-adspot-title +bizasialive.com##.td-all-devices +americanindependent.com##.td-banner-bg +brila.net,cgmagonline.com,cycling.today,gayexpress.co.nz,theyeshivaworld.com##.td-banner-wrap-full +boxthislap.org,ticgn.com,wtf1.co.uk##.td-footer-wrapper +91mobiles.com,techyv.com##.td-header-header +healthyceleb.com##.td-header-header-full +androidcommunity.com,euro-sd.com,sfbg.com,techworm.net##.td-header-rec-wrap +5pillarsuk.com,babeltechreviews.com,cybersecuritynews.com,sonorannews.com,techviral.net,thestonedsociety.com,weekendspecial.co.za##.td-header-sp-recs +runnerstribe.com##.td-post-content a[href^="https://tarkine.com/"] +antiguanewsroom.com,gadgetstouse.com##.td-ss-main-sidebar +techgenyz.com##.td_block_single_image +capsulenz.com,ssbcrack.com,thecoinrise.com##.td_spot_img_all +thedailybeast.com##.tdb-ads-block +arynews.tv##.tdi_103 +techgenyz.com##.tdi_114 +pakobserver.net##.tdi_121 +pakobserver.net##.tdi_124 +carnewschina.com##.tdi_162 +greekreporter.com##.tdi_18 +techgenyz.com##.tdi_185 +based-politics.com##.tdi_30 +teslaoracle.com##.tdi_48 +coinedition.com##.tdi_59 +ghpage.com##.tdi_63 +depressionforums.org##.tdi_66 +coinedition.com##.tdi_95 +coinedition.com##.tdm-inline-image-wrap +lankanewsweb.net##.tdm_block_inline_image +standard.co.uk##.teads +who.is##.teaser-bar +liverpoolecho.co.uk,manchestereveningnews.co.uk##.teaser[data-tmdatatrack-source="SHOP_WINDOW"] +eurovisionworld.com##.teaser_flex_united24 +semiconductor-today.com##.teaserexternal.teaser +techopedia.com##.techo-adlabel +technology.org##.techorg-banner +sporcle.com##.temp-unit +macrumors.com##.tertiary +speedof.me##.test-ad-container +tasfia-tarbia.org##.text +ericpetersautos.com##.text-109 +stupiddope.com##.text-6 +hackread.com##.text-61 +vuejs.org##.text-ad +how2shout.com##.text-ads +y2down.cc##.text-center > a[href="https://loader.to/loader.apk"] +skylinewebcams.com##.text-center.cam-light +charlieintel.com,dexerto.com##.text-center.italic +ascii-code.com##.text-center.mb-3 +upi.com##.text-center.mt-5 +thegradcafe.com##.text-center.py-3 +whatismyisp.com##.text-gray-100 +businessonhome.com##.text-info +mastercomfig.com##.text-start[style^="background:"] +geeksforgeeks.org##.textBasedMannualAds_2 +putlockers.do##.textb +sciencedaily.com##.textrule +evilbeetgossip.com,kyis.com,thesportsanimal.com,wild1049hd.com,wky930am.com##.textwidget +tftcentral.co.uk##.tftce-adlabel +thejakartapost.com##.the-brief +vaughn.live##.theMvnAbvsLowerThird +thedefensepost.com##.thede-before-content_2 +steelersdepot.com##.theiaStickySidebar +serverhunter.com##.this-html-will-keep-changing-these-ads-dont-hurt-you-advertisement +phillyvoice.com##.this-weekend-container +gearspace.com##.thread__sidebar-ad-container +geeksforgeeks.org##.three90RightBarBanner +nzherald.co.nz##.ticker-banner aardvark.co.nz##.tinyprint -softwaredownloads.org##.title2 -domains.googlesyndication.com##.title_txt02 -wambie.com##.titulo_juego1_ad_200x200 -myspace.com##.tkn_medrec -centredaily.com##.tla -practicalmotorhome.com##.tlc-leaderboard -practicalmotorhome.com##.tlc-mpu-mobile-wrap -tldrlegal.com##.tldrlegal-ad-space -independent.co.uk##.tm_140_container -independent.co.uk##.tm_300_container -timeout.com##.to-offers -tvguide.co.uk##.to_clickable_area -ghanaweb.com##.tonaton-ads -mp3lyrics.org##.tonefuse_link -newsok.com##.toolbar_sponsor -w3schools.com##.tooltip + div[style="height:90px;"] -euobserver.com,runescape.com,thehill.com##.top -searchza.com,webpronews.com##.top-750 -houseandleisure.co.za##.top-add -outlooktraveller.com##.top-add-banner -smarteranalyst.com##.top-article-banner -9to5google.com,animetake.com,arabianbusiness.com,brainz.org,centralchronicle.in,cfl.ca,dailynews.gov.bw,dnainfo.com,ebony.com,firsttoknow.com,leadership.ng,leedsunited.com,letstalkbitcoin.com,reverso.net,rockthebells.net,spanishdict.com,sportpesanews.com,total-croatia-news.com,weeklyworldnews.com,yellowpages.com.jo,yellowpages.com.lb##.top-banner -mmohuts.com##.top-banner-billboard -manicapost.com##.top-banner-block -rumorfix.com##.top-banner-container -citymetric.com,wjunction.com##.top-banners -thekit.ca##.top-block -golf365.com##.top-con +blendernation.com##.title +cryptocompare.com##.title-hero +thejakartapost.com##.tjp-ads +thejakartapost.com##.tjp-placeholder-ads +kastown.com##.tkyrwhgued +onlinecourse24.com##.tl-topromote +the-tls.co.uk##.tls-single-articles__ad-slot-container +themighty.com##.tm-ads +trademe.co.nz##.tm-display-ad__wrapper +thenewstack.io##.tns-sponsors-rss +nybooks.com##.toast-cta +spy.com##.todays-top-deals-widget +last.fm##.tonefuze +euobserver.com,medicinehatnews.com##.top +charlieintel.com,dexerto.com##.top-0.justify-center +mashable.com##.top-0.sticky > div +charlieintel.com,dexerto.com##.top-10 +cartoq.com##.top-a +freedomleaf.com##.top-ab +cartoq.com##.top-ad-blank-div +forbes.com##.top-ad-container +artistdirect.com##.top-add +firstpost.com##.top-addd +n4g.com,techspy.com##.top-ads-container-outer +india.com##.top-ads-expend +jamieoliver.com##.top-avocado +advfn.com##.top-ban-wrapper +addictivetips.com,argonauts.ca,automotive-fleet.com,businessfleet.com,cfl.ca,developer.mozilla.org,fleetfinancials.com,forbesindia.com,government-fleet.com,howsecureismypassword.net,ncaa.com,pcwdld.com,rigzone.com,schoolbusfleet.com,seekvectorlogo.net,wltreport.com##.top-banner +smartasset.com##.top-banner-ctr +gptoday.net##.top-banner-leaderboard +numuki.com##.top-banner-responsive-wrapper +gamewatcher.com##.top-banners-wrapper +papermag.com##.top-billboard__below-title-ad +livescores.biz##.top-bk +blockchair.com##.top-buttons-wrap +freedesignresources.net##.top-cat-ads +procyclingstats.com##.top-cont foodrenegade.com##.top-cta -ratemyprofessors.com##.top-header -azdailysun.com,billingsgazette.com,bismarcktribune.com,hanfordsentinel.com,journalstar.com,lompocrecord.com,magicvalley.com,missoulian.com,mtstandard.com,napavalleyregister.com,nctimes.com,santamariatimes.com,stltoday.com##.top-leader-wrapper -1071thepeak.com,931dapaina.com,politico.com,sciencedaily.com##.top-leaderboard -film.com##.top-leaderboard-container +forbes.com##.top-ed-placeholder +forexlive.com##.top-forex-brokers__wrapper +theguardian.com##.top-fronts-banner-ad-container +debka.com##.top-full-width-sidebar +reverso.net##.top-horizontal +india.com##.top-horizontal-banner +spectrum.ieee.org##.top-leader-container +thedailystar.net##.top-leaderboard +coinpedia.org##.top-menu-advertise +sportingnews.com##.top-mpu-container +webmd.com##.top-picks speedtest.net##.top-placeholder -donedeal.ie##.top-placement-container -sciencedaily.com##.top-rectangle -standardmedia.co.ke##.top-right -1340bigtalker.com##.top-right-banner -standardmedia.co.ke##.top-right-inner -worldradio.ch##.top-schmetterling -accringtonobserver.co.uk,belfastlive.co.uk,birminghammail.co.uk,bristolpost.co.uk,cambridge-news.co.uk,chesterchronicle.co.uk,chroniclelive.co.uk,coventrytelegraph.net,crewechronicle.co.uk,dailypost.co.uk,dailyrecord.co.uk,devonlive.com,dublinlive.ie,examiner.co.uk,football.london,gazettelive.co.uk,getbucks.co.uk,gethampshire.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,glasgowlive.co.uk,grimsbytelegraph.co.uk,hinckleytimes.net,irishmirror.ie,leicestermercury.co.uk,lincolnshirelive.co.uk,liverpoolecho.co.uk,loughboroughecho.net,macclesfield-express.co.uk,manchestereveningnews.co.uk,mirror.co.uk,mylondon.news,rossendalefreepress.co.uk,southportvisiter.co.uk,stokesentinel.co.uk,walesonline.co.uk,wharf.co.uk##.top-slot -whowhatwear.com.au##.top-slot-container -metrolyrics.com##.top-sponsor -jarkey.net##.top728 -advocate.com,aol.ca,aol.com,dailytrust.com.ng,nerdist.com,out.com,reviewgist.com,shelterpop.com,tampabay.com,telegraph.co.uk,weibo.com,wsj.com##.topAd -stevedeace.com##.topAddHolder -motor1.com,motorsport.com##.topAp -celebrity.aol.co.uk,christianpost.com,comicsalliance.com,csnews.com,europeantour.com,gourmetretailer.com,haaretz.com,inrumor.com,jobberman.com,lemondrop.com,pricegrabber.com,progressivegrocer.com,singlestoreowner.com,urgames.com,urlesque.com##.topBanner -urgames.com##.topBannerBOX -onetime.com##.topBannerPlaceholder -hcanews.com##.topBg -ebay.co.uk,ebay.com##.topBnrSc -techadvisor.co.uk##.topLeader -kjonline.com,pressherald.com##.topLeaderboard -technomag.co.zw##.topLogoBanner -yellowbook.com##.topPlacement -haaretz.com##.topSectionBanners -search.sweetim.com##.topSubHeadLine2 -weatherology.com##.top_660x100 -giveawayoftheday.com##.top_ab -onlymyhealth.com##.top_add -informer.com##.top_advert_v4 -channelstv.com##.top_alert -androidcommunity.com,carmarthenshireherald.com,emu-russia.net,freeiconsweb.com,getthekick.eu,hydrocarbonprocessing.com,kohit.net,laradiofm.com,praguepost.com,themediaonline.co.za,themoscowtimes.com,tiresandparts.net,voxilla.com,weta.org##.top_banner +techdirt.com##.top-promo +financemagnates.com,forexlive.com##.top-side-unit +horoscope.com##.top-slot +cryptoslate.com##.top-sticky +playbuzz.com##.top-stickyplayer-container +ganjingworld.com##.topAdsSection_wrapper__cgH4h +timesofindia.indiatimes.com##.topBand_adwrapper +ada.org,globes.co.il,techcentral.ie,texteditor.co,versus.com##.topBanner +pcworld.com##.topDeals +tech.hindustantimes.com##.topGadgetsAppend +tutorviacomputer.com##.topMargin15 +click2houston.com,clickondetroit.com,clickorlando.com,ksat.com,local10.com,news4jax.com##.topWrapper +giveawayoftheday.com,informer.com##.top_ab +theepochtimes.com##.top_ad +asmag.com,tiresandparts.net##.top_banner joebucsfan.com##.top_banner_cont -freeridegames.com##.top_banner_container -thebatt.com##.top_banner_place -sportspagenetwork.com##.top_banner_scoreboard_content -itp.net##.top_bit -famousbloggers.net##.top_content_banner -myreadingmanga.info##.top_label -postcourier.com.pg##.top_logo_righ_img -wallpapersmania.com##.top_pad_10 -myreadingmanga.info##.top_pos -babylon.com##.top_right -finecooking.com##.top_right_lrec -4chan.org,everydayhealth.com,gamingonlinux.com,goodanime.eu,iflscience.com,intothegloss.com,makezine.com,mangashare.com,religionnewsblog.com,roadtests.com,rollingout.com,sina.com,thenewstribe.com##.topad -dnaindia.com##.topadd -nx8.com,search.b1.org##.topadv -gofish.com##.topban1 -gofish.com##.topban2 -900amwurd.com,bankrate.com,chaptercheats.com,copykat.com,dawn.com,dotmmo.com,downv.com,factmonster.com,harpers.org,newreviewsite.com,opposingviews.com,tinyurl.com,weta.org,xinhuanet.com##.topbanner +archaeology.org##.top_black +searchenginejournal.com##.top_lead +justjared.com,justjaredjr.com##.top_rail_shell +fark.com##.top_right_container +allnigerianrecipes.com,antimusic.com,roadtests.com##.topad +cycleexif.com,thespoken.cc##.topban +eurointegration.com.ua##.topban_r +axisbank.com##.topbandBg_New +algemeiner.com,allmonitors24.com,streamable.com,techforbrains.com##.topbanner drugs.com##.topbanner-wrap -thistv.com##.topbannerarea -webstatschecker.com##.topcenterbanner -wafa.ps##.topembed -channel103.com,islandfm.com##.topheaderbanner -bloggingstocks.com,emedtv.com,gadling.com,minnpost.com##.topleader -gamesting.com##.topleaderboard -search.ch##.toplinks -bootsnipp.com##.toppromo -madamasr.com##.topspace -yttalk.com##.topv -enn.com##.topwrapper -torrentfunk.com##.torrentsTime -pgatour.com##.tourPlayerFooterAdContainer -outdoorchannel.com##.tout_300x250 -metric-conversions.org,sporcle.com##.tower -timefm.ca##.tp-banner-container -emedtv.com##.tpad -androidauthority.com##.tpd-box -indiatimes.com##.tpgry -pagesinventory.com##.tpromo -unlockboot.com##.tr-caption-container -trustedreviews.com##.tr-reviews-affiliate-list-item -trustedreviews.com##.tr-reviews-affiliate-title -911tabs.com##.tr1 -namemc.com##.track-link -investing.com##.tradenowBtn -dailymail.co.uk##.travel-booking-links -phillyvoice.com##.travel-zoo -dailymail.co.uk##.travel.item.button_style_module -dailymail.co.uk##.travel.item.html_snippet_module -traveller24.com##.travel_widget -nj.com##.travidiatd -chicagotribune.com##.trb_eg -baltimoresun.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sandiegouniontribune.com,southflorida.com,sun-sentinel.com##.trb_outfit_sponsorship -baltimoresun.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sandiegouniontribune.com,southflorida.com,sun-sentinel.com##.trb_taboola -msn.com##.trc_excludable -weather.com##.trc_recs_column + .right-column -ndtv.com##.trc_related_container a[href^="http://tba"] -metro.co.uk##.trending-sponsored-byline -thenationalstudent.com##.trending_channels -express.co.uk##.trevda -sitepoint.com##.triggered-cta-box-wrapper-bg -torrentfunk.com,torrentfunk2.com,yourbittorrent2.com##.trtbl -thestar.com##.ts-articlesidebar_wrapper -techspot.com##.ts_google_ad -zimpapers.co.zw##.tsbanners -winteriscoming.net##.tshirt-wrapper -ask.reference.com##.tsrc_SAS -search.vmn.net##.ttl_sponsors -infoplease.com##.tutIP-infoarea -simpleprogrammer.com##.tve-leads-post-footer -metro.co.uk##.tw-item-sponsored -joebucsfan.com##.tweet_div1 -englishrussia.com##.two_leep_box -ahk-usa.com,gaccmidwest.org,gaccny.com,gaccsouth.com,gaccwest.com##.tx-bannermanagement-pi1 -care2.com##.txt13-vd -shaaditimes.com##.txt[style="border: solid 1px #A299A6; background-color: #FDFCFC;"] -geekwire.com##.type-home_listing -bizjournals.com##.u-bg-sponsored -villages-news.com##.ubm_premium_banners_rotation -villages-news.com##.ubm_premium_rotation_widget -funkykit.com##.ubm_rotation_widget -blogtv.com##.uc_banner -smallseotools.com##.uffff_you_are_little_child -searchenginewatch.com##.ukn-iab-300x250 -searchenginewatch.com##.ukn-u-thanks -bitenova.nl,bitenova.org##.un -bitenova.nl,bitenova.org##.un_banner +videogamemods.com##.topbanners +papermag.com##.topbarplaceholder +belfastlive.co.uk,birminghammail.co.uk,bristolpost.co.uk,cambridge-news.co.uk,cheshire-live.co.uk,chroniclelive.co.uk,cornwalllive.com,coventrytelegraph.net,dailypost.co.uk,derbytelegraph.co.uk,devonlive.com,dublinlive.ie,edinburghlive.co.uk,examinerlive.co.uk,getsurrey.co.uk,glasgowlive.co.uk,gloucestershirelive.co.uk,hertfordshiremercury.co.uk,kentlive.news,leeds-live.co.uk,leicestermercury.co.uk,lincolnshirelive.co.uk,liverpool.com,manchestereveningnews.co.uk,mylondon.news,nottinghampost.com,somersetlive.co.uk,stokesentinel.co.uk,walesonline.co.uk##.topbox-cls-placeholder +blabber.buzz##.topfeed +cambridge.org,ldoceonline.com##.topslot-container +collinsdictionary.com##.topslot_container +moviemistakes.com##.tower +towleroad.com##.towletarget +utahgunexchange.com##.tp-revslider-mainul +steamanalyst.com##.tpbcontainerr +totalprosports.com##.tps-top-leaderboard +techreen.com##.tr-block-header-ad +techreen.com##.tr-block-label +torbay.gov.uk##.track +futurism.com##.tracking-wider +adsoftheworld.com,futurism.com##.tracking-widest +bincodes.com##.transferwise +sun-sentinel.com##.trb_sf_hl +coinmarketcap.com##.trending-sponsored +iflscience.com##.trendmd-container +naturalblaze.com##.trfkye8nxr +thumbsnap.com##.ts-blurb-wrap +thesimsresource.com##.tsr-ad +yidio.com##.tt +telegraphindia.com##.ttdadbox310 +venturebeat.com##.tude-cw-wrap +tutorialink.com##.tutorialink-ad1 +tutorialink.com##.tutorialink-ad2 +tutorialink.com##.tutorialink-ad3 +tutorialink.com##.tutorialink-ad4 +roseindia.net##.tutorialsstaticdata +tvtropes.org##.tvtropes-ad-unit +drivencarguide.co.nz##.tw-bg-gray-200 +todayonline.com##.tw-flex-shrink-2 +drivencarguide.co.nz##.tw-min-h-\[18\.75rem\] +karnalguide.com##.two_third > .push20 +geekwire.com##.type-sponsor_post.teaser +theroar.com.au##.u-d-block +patriotnationpress.com##.u8s470ovl +tumblr.com##.uOyjG +ubergizmo.com##.ubergizmo-dfp-ad +unlockboot.com##.ubhome-banner +darko.audio##.ubm_widget +unlockboot.com##.ubtopheadads +barrons.com,wsj.com##.uds-ad-container +news.sky.com##.ui-advert +golflink.com,grammar.yourdictionary.com,yourdictionary.com##.ui-advertisement +m.rugbynetwork.net##.ui-footer-fixed +businessday.ng##.uiazojl +nullpress.net##.uinyk-link +zpaste.net##.uk-animation-shake +telegraphindia.com##.uk-background-muted +doodrive.com##.uk-margin > [href] > img +igg-games.com##.uk-panel.widget-text +softarchive.is##.un-link +collegedunia.com##.unacedemy-wrapper +uncanceled.news##.uncan-content_11 pixhost.to##.under-image -nv1.org##.underwriters -wbgo.org##.underwriting -afterdawn.com##.uniblue -wonderwall.com##.unicorn-wrap -mediaite.com##.unit-wrapper -wonderhowto.com##.unverVidAd -hottipscentral.com##.unwrapped -notebook-driver.com##.updrv -siouxcityjournal.com##.upickem-deal-of-the-day -memez.com##.upperSideBox -uproxx.com##.uproxx_mp_ad -christiantoday.com##.usefulLinks -downeu.net##.usenet -audioz.download##.usenetWide -mnova.eu##.usenetd -money-forum.org##.usideblock -universetoday.com##.ut_ad_content -sportsnet.ca##.v2-3cols-promo -sportsnet.ca##.v2-topnav-promo -brandonsun.com,winnipegfreepress.com##.v4_tile_flyertown -dealsonwheels.co.nz,farmtrader.co.nz,motorcycletrader.co.nz,tradeaboat.co.nz##.vBanner -sourceforge.net##.v_300_large -vosizneias.com##.vad_container -vosizneias.com##.vads -bibme.org,citationmachine.net##.vantage -easybib.com##.vantage_wrap +hidefninja.com##.underads +inquinte.ca##.unit-block +bobvila.com##.unit-header-container +sciencedaily.com##.unit1 +sciencedaily.com##.unit2 +gpucheck.com##.unitBox +pravda.com.ua##.unit_side_banner +thegamerstation.com##.universal-js-insert +t.17track.net##.up-deals +t.17track.net##.up-deals-img +thegradcafe.com##.upcoming-events +pcgamingwiki.com##.upcoming-releases.home-card:first-child +filepuma.com##.update_software +letterboxd.com##.upgrade-kicker +upworthy.com##.upworthy_infinite_scroll_ad +upworthy.com##.upworthy_infinte_scroll_outer_wrap +uproxx.com##.upx-ad-unit +vervetimes.com##.uyj-before-header +vitalmtb.com##.v-ad-slot +surinenglish.com##.v-adv +azscore.com##.v-bonus +militarywatchmagazine.com##.v-size--x-small.theme--light +tetris.com##.vAxContainer-L +tetris.com##.vAxContainer-R +zillow.com##.vPTHT +osuskins.net##.vad-container lasvegassun.com##.varWrapper -indeed.com##.vasu -venturebeat.com##.vb-ad-leaderboard -thehill.com##.vbanner -thehill.com##.vbanner_center -lyricsfreak.com##.vbanner_lyrics -slickdeals.net##.vbmenu_popup + .tborder[align="center"][width="100%"][cellspacing="0"][cellpadding="6"][border="0"] -drivearchive.co.uk##.vehicle[style="background-color:#b0c4de"] -heraldtribune.com##.vendor -thelocalweb.net##.verdana9green -telegraph.co.uk##.version-6--sponsored -softpile.com##.versionadv -inverse.com##.vert-div -theverge.com##.vert300 -newsnet5.com,wcpo.com,wxyz.com##.vertical-svg -ytmnd.com##.vertical_aids -praguepost.com##.vertical_banner -cnn.com##.vidSponsor -autoslug.com##.video -dailystoke.com,wimp.com##.video-ad -wsj.com##.video-list[data-ref="Sponsored"] -streamhd.eu##.videoBoxContainer -drive.com.au##.videoGalLinksSponsored -fora.tv##.video_plug_space -asianjournal.com##.videosidebar -vidto.me##.vidto_backscreen -vidzi.tv##.vidzi_backscreen -straitstimes.com##.view-2014-qoo10-feature -euractiv.com##.view-Sponsors -moviemet.com##.view-amazon-offers -asiaone.com##.view-aone2015-qoo10-box -next-gen.biz##.view-featured-job-ad -theweek.co.uk##.view-footer -rabble.ca##.view-front-sustainers -themittani.com##.view-game-taxonomy-affiliates -healthcastle.com##.view-healthcastle-ads -zdnet.com##.view-medusa -espncricinfo.com##.view-sponsor -talksport.co.uk##.view-ts-sponsor-feature -relink.us##.view_middle_block -vidiload.com##.vinfobanner -host1free.com##.virus-information -viamichelin.co.uk,viamichelin.com##.vm-pub-home300 -christianpost.com##.vmuad -n4g.com##.vn-sub -searchassist.verizon.com##.vn_searchresults > .vn_results + .vn_rightresults -searchassist.verizon.com##.vn_sponsblock -vocativ.com##.voc-news-feed-ad -vocm.com##.vocmcares-banner -ashbournenewstelegraph.co.uk,ashfordherald.co.uk,bathchronicle.co.uk,bedfordshire-news.co.uk,blackcountrybugle.co.uk,blackmorevale.co.uk,bostontarget.co.uk,brentwoodgazette.co.uk,bristolpost.co.uk,burtonmail.co.uk,cambridge-news.co.uk,cannockmercury.co.uk,canterburytimes.co.uk,carmarthenjournal.co.uk,centralsomersetgazette.co.uk,cheddarvalleygazette.co.uk,cleethorpespeople.co.uk,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,crawleynews.co.uk,croydonadvertiser.co.uk,derbytelegraph.co.uk,dorkingandleatherheadadvertiser.co.uk,dover-express.co.uk,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,ely-news.co.uk,essexchronicle.co.uk,exeterexpressandecho.co.uk,folkestoneherald.co.uk,fromestandard.co.uk,gloucestercitizen.co.uk,gloucestershireecho.co.uk,granthamtarget.co.uk,greatbarrobserver.co.uk,grimsbytelegraph.co.uk,harlowstar.co.uk,hertfordshiremercury.co.uk,hertsandessexobserver.co.uk,hulldailymail.co.uk,leek-news.co.uk,leicestermercury.co.uk,lichfieldmercury.co.uk,lincolnshireecho.co.uk,llanellistar.co.uk,luton-dunstable.co.uk,maidstoneandmedwaynews.co.uk,middevongazette.co.uk,northampton-news-hp.co.uk,northdevonjournal.co.uk,northsomersetmercury.co.uk,nottinghampost.com,nuneaton-news.co.uk,onemk.co.uk,plymouthherald.co.uk,retfordtimes.co.uk,scunthorpetelegraph.co.uk,sevenoakschronicle.co.uk,sheptonmalletjournal.co.uk,sleafordtarget.co.uk,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,staffordshirelife.co.uk,staffordshirenewsletter.co.uk,stokesentinel.co.uk,stroudlife.co.uk,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,tamworthherald.co.uk,thanetgazette.co.uk,torquayheraldexpress.co.uk,uttoxeteradvertiser.co.uk,walsalladvertiser.co.uk,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk##.vouchers -nymag.com##.vp-1180-plus -ettv.tv##.vp_a -centurylink.net##.vp_right -speedtest.net##.vpn-product -torrentz2.eu,torrentz2.is##.vpninfo -vivastreet.co.uk##.vs-summary-300x250 -lifescript.com##.vtcMiddle -boldsky.com##.vucato-home-page-promo -dlldll.com##.w0[width="181"] -skysports.com##.w10-mpu -independent.ie##.w138 -share-links.biz##.w160.dark.center -way2sms.com##.w2mtad -plumasnews.com##.w49 -chinadaily.com.cn##.w980.pt10 -hdonline.is,yesmovies.to##.wa-pre -xe.com##.wa_leaderboard -utrend.tv##.wad -sportskrap.com##.wallpaper-link -citationmachine.net##.wantage -torrentdownloads.me##.warez -imdb.com##.watch-bar -filmlinks4u.is##.watch-dl-img -youtube.com##.watch-extra-info-column -youtube.com##.watch-extra-info-right -channel4.com##.watchLiveOutlinks -hancinema.net##.watch_now -movie25.cm##.watchnow -coolspotters.com##.wau +tech.co##.vc_col-sm-4 +salaamedia.com##.vc_custom_1527667859885 +salaamedia.com##.vc_custom_1527841947209 +businessday.ng##.vc_custom_1627979893469 +progamerage.com##.vc_separator +battlefordsnow.com,cfjctoday.com,everythinggp.com,filmdaily.co,huskiefan.ca,larongenow.com,meadowlakenow.com,nanaimonewsnow.com,northeastnow.com,panow.com,rdnewsnow.com,sasknow.com,vernonmatters.ca##.vc_single_image-wrapper +itmunch.com##.vc_slide +ktm2day.com##.vc_wp_text +ggrecon.com##.venatus-block +mobafire.com##.venatus-responsive-ad +theloadout.com##.venatus_ad +fox10phoenix.com,fox13news.com,fox26houston.com,fox29.com,fox2detroit.com,fox32chicago.com,fox35orlando.com,fox4news.com,fox5atlanta.com,fox5dc.com,fox5ny.com,fox6now.com,fox7austin.com,fox9.com,foxbusiness.com,foxla.com,foxnews.com,ktvu.com,q13fox.com,wogx.com##.vendor-unit +cryptonews.net##.vert-public +avclub.com,jezebel.com##.vertical-ad-spacer +mmegi.bw##.vertical-banner +radiocity.in##.vertical-big-add +radiocity.in##.vertical-small-add +hashrate.no,thelancet.com##.verticalAdContainer +packaginginsights.com##.verticlblk +forbes.com##.vestpocket +mirror.co.uk##.vf3-conversations-list__promo +videogameschronicle.com##.vgc-productsblock +express.co.uk##.viafoura-standalone-mpu +vice.com##.vice-ad__container +victoriabuzz.com##.victo-billboard-desktop +justthenews.com##.video--vdo-ai +songkick.com##.video-ad-wrapper +forexlive.com##.video-banner__wrapper +cyclinguptodate.com##.video-container +floridasportsman.com##.video-detail-player +gbnews.com##.video-inbody +emptycharacter.com##.video-js +forbes.com,nasdaq.com##.video-placeholder +flicksmore.com##.video_banner +guru99.com##.videocontentmobile +justthenews.com##.view--breaking-news-sponsored +teachit.co.uk##.view-advertising-display +koreabiomed.com##.view-aside +costco.com##.view-criteo-carousel +vigilantcitizen.com##.vigil-leaderboard-article +vigilantcitizen.com##.vigil-leaderboard-home +variety.com##.vip-banner +kijiji.ca##.vipAdsList-3883764342 +pokernews.com##.virgutis +coincheckup.com##.visible-xs > .ng-isolate-scope +visualcapitalist.com##.visua-target +roosterteeth.com##.vjs-marker +koreaboo.com##.vm-ads-dynamic +belloflostsouls.net,ginx.tv,op.gg,paladins.guru,smite.guru,theloadout.com##.vm-placement +c19-worldnews.com##.vmagazine-medium-rectangle-ad +lightnovelcave.com##.vnad +lightnovelcave.com##.vnad-in +gosunoob.com##.vntsvideocontainer +darkreader.org##.vpnwelt +valueresearchonline.com##.vr-adv-container +trueachievements.com##.vr-auction +hentaihaven.xxx##.vrav_a_pc +fastpic.ru##.vright +vaughn.live##.vs_v9_LTabvsLowerThirdWrapper +vaughn.live##.vs_v9_LTabvsLower_beta +vsbattles.com##.vsb_ad +vsbattles.com##.vsb_sticky +notateslaapp.com##.vtwjhpktrbfmw +wral.com##.vw3Klj +horoscopes.astro-seek.com##.vyska-sense +stocktwits.com##.w-\[300px\] +lolalytics.com##.w-\[336px\] +androidpolice.com##.w-pencil-banner +wsj.com##.w27771 +userscript.zone##.w300 +engadget.com##.wafer-benji +swimcompetitive.com##.waldo-display-unit +wetransfer.com##.wallpaper +goodfon.com##.wallpapers__banner240 +dailymail.co.uk,thisismoney.co.uk##.watermark +watson.ch##.watson-ad wbal.com##.wbal-banner -wincustomize.com##.wc_home_tour_loggedout -plagiarism.org##.wc_logo -dir.indiamart.com##.wd1 -yahoo.com##.wdpa1 -glamourvanity.com##.wdt_gads -timesfreepress.com##.weatherSponsor -vg.no##.webboard -offshore-mag.com##.webcast-promo-box-sponsorname -commitstrip.com##.wejusthavetoeat -wincustomize.com##.welcome +technclub.com##.wbyqkx-container +wccftech.com##.wccf_video_tag +searchencrypt.com##.web-result.unloaded.sr +northernvirginiamag.com##.website-header__ad--leaderboard probuilds.net##.welcome-bnr -mobygames.com,taskcoach.org##.well -cosplay.com##.well2[style^="background-color"] +taskcoach.org##.well gearlive.com##.wellvert -codinghorror.com##.welovecodinghorror -transfermarkt.co.uk##.werbung +pcguide.com##.wepc-takeover-sides +pcguide.com##.wepc-takeover-top +cpu-monkey.com,cpu-panda.com,gpu-monkey.com##.werb +best-faucets.com,transfermarkt.co.uk,transfermarkt.com##.werbung transfermarkt.co.uk##.werbung-skyscraper -wikihow.com##.wh_ad_inner -boston.com##.what_is_link -mansionglobal.com##.whats_trending-listing_of_the_day-container -soccer365.com##.whiteContentBdr350 -hellokids.com##.white_box.r5 -backstage.com##.whitemodbg -betanews.com##.whitepapers -wonderhowto.com##.whtaph -wonderhowto.com##.whtaph-rightbox -ndtv.com##.wid_tboola -pimpandhost.com##.wide-iframe-wrapper -bleedingcool.com##.wide-skyscraper-bottom -bleedingcool.com##.wide-skyscraper-top -living.aol.co.uk##.wide.horizontal_promo_HPHT -port2port.com##.wideBanner -investing.com##.wideBannerBottom -footyroom.com##.wideBox -inooz.co.uk##.wideContainer -laradiofm.com,netpages.co.za,pch.com,pchgames.com##.wide_banner -netpages.co.za##.wide_banner2 -newgrounds.com##.wide_storepromo -newgrounds.com##.wide_storepromobot -roms43.com##.widebanner -videogamer.com##.widesky -networkworld.com##.wideticker -skysports.com##.widge-marketing -skysports.com##.widge-skybet -skysports.com##.widge-skybet-grand-parade -fijisun.com.fj,soccer24.co.zw##.widget-1 -soccer24.co.zw##.widget-2 +transfermarkt.co.uk,transfermarkt.com##.werbung-skyscraper-container +westsiderag.com##.wests-widget +tametimes.co.za##.white-background +gadgethacks.com,reality.news,wonderhowto.com##.whtaph +pch.com##.wide_banner +japantoday.com##.widget--animated +headforpoints.com##.widget--aside.widget +japantoday.com##.widget--jobs +fijisun.com.fj##.widget-1 fijisun.com.fj##.widget-3 -tf2outpost.com##.widget-aphex -smartearningsecrets.com##.widget-area -pocketnow.com##.widget-block -wikinvest.com##.widget-content-nvadslotcomponent -gaystarnews.com##.widget-footer-logo -bloombergtvafrica.com,miniclip.com##.widget-mpu -shanghaiist.com##.widget-skyscraper -dawn.com##.widget-sponsoredcontent -dose.ca##.widget_650 -beverlyhillsmagazine.com,fxempire.com##.widget_banner -dailynewsegypt.com##.widget_bannerleaderboard -mg.co.za,valke.co.za##.widget_banners -phonedog.com##.widget_bar_bottom -bloomberg.com##.widget_bb_doubleclick_widget -thescore.com##.widget_bigbox -bitguru.co.uk##.widget_black_studio_tinymce -usacryptocoins.com##.widget_buffercode_banner_upload_info -motoring.com.au##.widget_car_stock_widget -cbslocal.com,radio.com##.widget_cbs_gamification_stats_widget -lulzsec.net##.widget_chaturbate_widget -energyvoice.com##.widget_dfp_widget -current.org,religionnews.com##.widget_doubleclick_widget -eos.org##.widget_eosadvertisement -styleblazer.com##.widget_fashionblog_ad -essentials.co.za##.widget_featured_post_widget -urbanmusichq.se##.widget_gad -extremetech.com##.widget_gptwidget -fxempire.com##.widget_latest_promotions -fxempire.com##.widget_latest_promotions_right -theiphoneappreview.com##.widget_links -geek.com##.widget_logicbuy_first_deal -massivelyop.com##.widget_massivelyop_advertisement -cyclingweekly.com##.widget_monetizer_widget -modamee.com##.widget_nav_menu -fxempire.com##.widget_recommended_brokers -dailynewsegypt.com##.widget_rotatingbanners +kyivpost.com##.widget-300-250 +vodacomsoccer.com##.widget-ad-block +bollywoodhungama.com##.widget-advert +boernestar.com##.widget-advert_placement +wikikeep.com##.widget-area +superdeluxeedition.com##.widget-bg-image__deal-alert +cinemaexpress.com##.widget-container-133 +thebeet.com##.widget-promotion +screencrush.com##.widget-widget_third_party_content +ceoexpress.com##.widgetContentIfrWrapperAd +adexchanger.com,live-adexchanger.pantheonsite.io##.widget_ai_ad_widget +gsmserver.com##.widget_banner-container_three-horizontal +discussingfilm.net,goonhammer.com,joemygod.com,shtfplan.com,thestrongtraveller.com,usmagazine.com,wiki-topia.com##.widget_block +wplift.com##.widget_bsa +techweekmag.com##.widget_codewidget +4sysops.com,9to5linux.com,activistpost.com,arcadepunks.com,backthetruckup.com,catcountry941.com,corrosionhour.com,corvetteblogger.com,dailyveracity.com,dcrainmaker.com,discover.is,fastestvpns.com,gamingonphone.com,girgitnews.com,gizmochina.com,guides.wp-bullet.com,iwatchsouthparks.com,macsources.com,manhuatop.org,mediachomp.com,metalsucks.net,mmoculture.com,monstersandcritics.com,nasaspaceflight.com,openloading.com,patriotfetch.com,planetofreviews.com,precinctreporter.com,prepperwebsite.com,rugbylad.ie,sashares.co.za,scienceabc.com,scienceandliteracy.org,spokesman-recorder.com,survivopedia.com,techdows.com,techforbrains.com,techiecorner.com,techjuice.pk,theblueoceansgroup.com,thecinemaholic.com,tooxclusive.com,torrentfreak.com,torrentmac.net,trackalerts.com,trendingpoliticsnews.com,wabetainfo.com##.widget_custom_html +insidehpc.com##.widget_download_manager_widget +domaingang.com##.widget_execphp +bitcoinist.com##.widget_featured_companies +bestlifeonline.com,hellogiggles.com##.widget_gm_karmaadunit_widget +inlandvalleynews.com##.widget_goodlayers-1-1-banner-widget +faroutmagazine.co.uk##.widget_grv_mpu_widget +gizmodo.com##.widget_keleops-ad +247media.com.ng,appleworld.today,athleticsillustrated.com,businessaccountingbasics.co.uk,circuitbasics.com,closerweekly.com,coincodecap.com,cozyberries.com,dbknews.com,deshdoaba.com,developer-tech.com,foreverconscious.com,glitched.online,globalgovernancenews.com,granitegrok.com,intouchweekly.com,jharkhandmirror.net,kashmirreader.com,kkfm.com,levittownnow.com,lifeandstylemag.com,londonnewsonline.co.uk,manhuatop.org,marqueesportsnetwork.com,mensjournal.com,nikonrumors.com,ognsc.com,patriotfetch.com,pctechmag.com,prajwaldesai.com,pstribune.com,raspians.com,robinhoodnews.com,rok.guide,rsbnetwork.com,showbiz411.com,spokesman-recorder.com,sportsspectrum.com,stacyknows.com,supertotobet90.com,teksyndicate.com,thecatholictravelguide.com,thedefensepost.com,theoverclocker.com,therainbowtimesmass.com,thethaiger.com,theyucatantimes.com,tronweekly.com,ubuntu101.co.za,wakingtimes.com,washingtonmonthly.com,webscrypto.com,wgow.com,wgowam.com,wlevradio.com##.widget_media_image +palestinechronicle.com##.widget_media_image > a[href^="https://www.amazon.com/"] +cracked-games.org##.widget_metaslider_widget +washingtoncitypaper.com##.widget_newspack-ads-widget +nypost.com##.widget_nypost_dfp_ad_widget +nypost.com##.widget_nypost_vivid_concerts_widget +bitcoinist.com,newsbtc.com##.widget_premium_partners twistedsifter.com##.widget_sifter_ad_bigbox_widget -sassymanila.com##.widget_sp_digitallylux_widget -acprimetime.com,brigantinenow.com,downbeachbuzz.com##.widget_sp_image -nineoclock.ro##.widget_sponsor -lnbs.org.ls##.widget_sponsors -automobilemag.com##.widget_ten_automobilemag_outbrain -amygrindhouse.com,lostintechnology.com##.widget_text -ynaija.com##.widget_ti_code_banner -fxempire.com##.widget_top_brokers -venturebeat.com##.widget_vb_dfp_ad -wired.com##.widget_widget_widgetwiredadtile -wnd.com##.widget_wnd_prom_widget -indiatvnews.com##.wids -listverse.com##.wiki -espn.co.uk##.will_hill -oboom.com##.window_current -foxsports.com##.wisfb_sponsor -weatherzone.com.au##.wo-widget-wrap-1 -itsfoss.com##.wp-coupons -planet5d.com##.wp-image-1573 -almasdarnews.com,breaking911.com,breakingac.com,carnewschina.com,haitiantimes.com,hotelemarketer.com,kakuchopurei.com,lbo-news.com,mediabiasfactcheck.com,michaelsavage.com,mynintendonews.com,premiumtimesng.com,theconservativetreehouse.com,thecryptosphere.com,thehungaryjournal.com,them0vieblog.com,thenationalsentinel.com,whysayanything.com,wordpress.com##.wpa -rustourismnews.com##.wpb_widgetised_column -notjustok.com##.wpbr-widget -notjustok.com,punchng.com##.wpbrbanner -webpronews.com##.wpn-business-resources -buzzinn.net##.wpn_finner -talkers.com##.wpss_slideshow -theregister.co.uk##.wptl -currentaffair.com##.wrap-cad -sowetanlive.co.za##.wrap-onelife -osbot.org##.wrapper > center:nth-of-type(-n+3) > a +985kissfm.net,bxr.com,catcountry951.com,nashfm1065.com,power923.com,wncv.com,wskz.com##.widget_simpleimage +mypunepulse.com,optimyz.com##.widget_smartslider3 +permanentstyle.com##.widget_sow-advertisements +acprimetime.com,androidpctv.com,brigantinenow.com,downbeachbuzz.com,thecatholictravelguide.com##.widget_sp_image +screenbinge.com,streamingrant.com##.widget_sp_image-image-link +gamertweak.com##.widget_srlzycxh +captainaltcoin.com,dailyboulder.com,freedesignresources.net,ripplecoinnews.com,utahgunexchange.com,webkinznewz.ganzworld.com,webpokie.com##.widget_text +nypost.com##.widget_text.no-mobile.box +tutorialink.com##.widget_ti_add_widget +carpeludum.com##.widget_widget_catchevolution_adwidget +cryptoreporter.info##.widget_wpstealthads_widget +techpout.com##.widget_xyz_insert_php_widget +ign.com##.wiki-bobble +wethegeek.com##.win +dailywire.com##.wisepops-block-image +gg.deals##.with-banner +windowsloop.com##.wl-prakatana +reuters.com##.workspace-article-banner__image__2Ibji +dictionary.com##.wotd-widget__ad +warontherocks.com##.wotr_top_lbjspot +guitaradvise.com##.wp-block-affiliate-plugin-lasso +thechainsaw.com##.wp-block-create-block-pedestrian-gam-ad-block +gamepur.com##.wp-block-dotesports-affiliate-button +dotesports.com,primagames.com##.wp-block-gamurs-ad +themarysue.com##.wp-block-gamurs-ad__creative +gearpatrol.com##.wp-block-gearpatrol-ad-slot +gearpatrol.com##.wp-block-gearpatrol-from-our-partners +gamingskool.com##.wp-block-group-is-layout-constrained +samehadaku.email##.wp-block-group-is-layout-constrained > [href] > img +independent.com##.wp-block-group__inner-container +cryptofeeds.news,defence-industry.eu,gamenguides.com,houstonherald.com,millennial-grind.com,survivopedia.com,teslaoracle.com##.wp-block-image +lowcarbtips.org##.wp-block-image.size-full +livability.com##.wp-block-jci-ad-area-two +bangordailynews.com,michigandaily.com##.wp-block-newspack-blocks-wp-block-newspack-ads-blocks-ad-unit +hyperallergic.com,repeatreplay.com,steamdeckhq.com##.wp-block-spacer +thewrap.com##.wp-block-the-wrap-ad +c19-worldnews.com##.wp-caption +biznews.com##.wp-image-1055350 +biznews.com##.wp-image-1055541 +strangesounds.org##.wp-image-281312 +rvguide.com##.wp-image-3611 +kiryuu.id##.wp-image-465340 +thecricketlounge.com##.wp-image-88221 +weisradio.com##.wp-image-931153 +appuals.com##.wp-timed-p-content +bevmalta.org,chromoscience.com,conandaily.com,gamersocialclub.ca,hawaiireporter.com,michaelsavage.com##.wpa +techyv.com##.wpb_raw_code +premiumtimesng.com##.wpb_raw_code > .wpb_wrapper +ukutabs.com##.wpb_raw_html +nationalfile.com##.wpb_wrapper > p +foottheball.com##.wpb_wrapper.td_block_wrap.vc_raw_html.tdi_46 +coralspringstalk.com##.wpbdp-listings-widget-list +tejanonation.net##.wpcnt +americanfreepress.net,sashares.co.za##.wppopups-whole +theregister.com##.wptl +fontawesome.com##.wrap-ad +warezload.net##.wrapper > center > center > [href] +memeburn.com,ventureburn.com##.wrapper--grey +hotnewhiphop.com##.wrapper-Desktop_Header +cspdailynews.com,restaurantbusinessonline.com##.wrapper-au-popup paultan.org##.wrapper-footer -breitbart.com##.wrapperBanner -kiplinger.com##.wrapper[style="display: block;"] -limetorrents.info##.wrn_txt3 -bnaibrith.org##.wsite-image[style="padding-top:10px;padding-bottom:10px;margin-left:0;margin-right:0;text-align:center"] -wsj.com##.wsj-native-strip -poynter.org##.wsm_frame_medium -dotabuff.com##.wukong-side -search.ch##.www_promobox -newsherder.com##.x-300x250 -davidwalsh.name##.x-terciary -jpost.com##.xl-banner-wrap -ocaholic.ch##.xoops-blocks -chronicle.com,fareastgizmos.com,ganzworld.com,webdesignerdepot.com##.xoxo -cryptothrift.com##.xoxo > #text-34 -cryptothrift.com##.xoxo > #text-50 -cryptothrift.com##.xoxo > #text-55 -arstechnica.co.uk##.xrail-content -yahoo.com##.y7-breakout-bracket -yahoo.com##.y708-ad-eyebrow -yahoo.com##.y708-commpartners -yahoo.com##.y708-promo-middle -nz.yahoo.com##.y7countdown -yahoo.com##.y7moneyhound -yahoo.com##.y7partners -yahoo.com##.ya-LDRB -yahoo.com##.ya-darla-LREC -yahoo.com##.yad -yahoo.com##.yad-cpa -mysanantonio.com##.yahoo-bg -candofinance.com,idealhomegarden.com##.yahooSl -newsok.com##.yahoo_cm -thetandd.com##.yahoo_content_match -reflector.com##.yahooboss -tumblr.com##.yamplus-unit-container -yardbarker.com##.yard_leader -autos.yahoo.com##.yatAdInsuranceFooter -autos.yahoo.com##.yatysm-y -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yelp-add -local.com##.yextSpecOffer -finance.yahoo.com##.yfi_ad_s -groups.yahoo.com##.yg-mbad-row -filmgo.org##.yildiz-pageskin-link -selfbutler.com##.yitems -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yla -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-list -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-list-exp -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-search-result -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-search-result-exp -local.yahoo.com##.yls-rs-paid -finance.yahoo.com,news.yahoo.com##.yom-ysmcm -yellowpages.aol.com##.yp_ad -17track.net##.yq-panel-gad -yahoo.com##.yschspns -yahoo.com##.ysm-cont -travel.yahoo.com##.ysmcm -yahoo.com##.ysptblbdr3 -youtube.com##.ytd-merch-shelf-renderer -youtube.com##.ytd-search-pyv-renderer -travel.yahoo.com##.ytrv-lrec -nfl.com##.yui3-polls-mobile-adspot -zacks.com##.zacks_header_ad_ignore -zap2it.com##.zc-station-position -ign.com##.zd-commerce-autolink-tag -slashgear.com##.zdStickyFixed -onlymyhealth.com##.zedo_atf -cricketcountry.com##.zeeibd -downturk.net##.zippo -allenwestrepublic.com,clashdaily.com,conservativebyte.com,dailyheadlines.net,fandustry.com,joeforamerica.com,minutemennews.com,newszoom.com,politichicks.com,reviveusa.com,theblacksphere.net,valuewalk.com##.zone -foodprocessorsdirect.com##.zoneWidth100 -tomsguide.com,tomshardware.com##.zonepub -isearch.whitesmoke.com##:not(.item):not(.stats) + * + .item -sitepoint.com##ADS-WEIGHTED -justwatch.com##PUBLICATION-BLOCK -trademe.nz##TM-SPONSOR-LINKS -youtube.com##YTM-PROMOTED-VIDEO-RENDERER -incredimail.com##[autoid="sponsoredLinks"] -op.gg,torrentz2.eu,torrentz2.is##[class*="Ad"] -op.gg##[class*="Notice"] -eztv.io##[class] + * + table[style][width] -monova.org##[class] > div + span[class] -onhax.me##[class][data-title] -uploadocean.com##[class][src][alt] -tubeoffline.com##[class][style] > a[href][data-hash] -yahoo.com##[data-ad-enhanced="card"] -yahoo.com##[data-ad-enhanced="pencil"] -yahoo.com##[data-ad-enhanced="text"] -destructoid.com##[data-delivery] -boston.com,thoughtcatalog.com##[data-google-query-id] -fortune.com,time.com##[data-partial="sponsored-tile"] -deathandtaxesmag.com##[data-refresh] -msn.com##[data-src^="https://contextual.media.net/"] -hulu.com##[flashvars^="backgroundURL=http://ads.hulu.com/published/"] -bunalti.com##[height="90"][width="728"] -torrentfunk.com,torrentfunk2.com,yourbittorrent2.com##[href*=".an0n."] -news.softpedia.com##[href*=".php?"] > img[src] -123moviesfree.com,alaskapublic.org,allkeyshop.com,ancient-origins.net,animeidhentai.com,arabtimesonline.com,coinad.com,dailypost.ng,dexerto.com,digitallydownloaded.net,dotesports.com,dotmmo.com,ebookw.com,gizmochina.com,goal.com,guidedhacking.com,hlstester.com,limetorrents.info,majorgeeks.com,mydramalist.com,mymp3singer.site,naijaloaded.com.ng,onlinevideoconverter.com,owaahh.com,pcgamesn.com,premiumtimesng.com,retail.org.nz,rustourismnews.com,sh.st,smallseotools.com,sports.yahoo.com,ssbcrack.com,tetris.com,theblaze.com,thehackernews.com,thenationonlineng.net,torrentdownloads.me,ultshare.com,vumafm.co.za,wapking.site,yeyeboyz.net,zmescience.com##[href*="bit.ly/"] -monova.to##[href*="https://medictiona.info/"] -eztv.io##[href] > [id][style*="padding"] -watchcartoonsonline.la##[href^="/scripts/"] -dexerto.com##[href^="http://tiny.cc/"] -ancient-origins.net,ssbcrack.com##[href^="https://amzn.to/"] -dexerto.com##[href^="https://is.gd/"] -hdonline.is,yesmovies.to##[href^="https://watchasap.com/"] -nwanime.tv##[href^="https://www.nutaku.net/signup/landing/"] -clickmngr.com##[href^="https://www.safenetdir.com/"] -vidoza.net##[id*="Overlay"] -animmex.club,animmex.co.uk,animmex.com,animmex.info,animmex.online,animmex.org,animmex.press,animmex.site,animmex.space,animmex.tech,animmex.website,animmex.xyz,bg-gledai.tv,btsone.cc,jukezilla.com,linx.cloud,monova.org,ouo.io,swatchseries.to,torrentsgroup.com##[id*="ScriptRoot"] -1001tracklists.com##[id][width] -msn.com##[id^="-"] -msn.com##[id^="\35 "] -comicbook.com,popculture.com##[id^="oas"] -extremetech.com##[id^="zdAdContainer"] -cultofmac.com##[name="dn-frame-1"] -monova.org##[onclick] > [target="_blank"] -monova.org##[onclick] > a[class] -filecrypt.cc##[onmouseup$=", true);"] -eztv.io##[rel*="nofollow"] > [id][style] -naturalblaze.com##[rel="nofollow"][href^="http://products.naturalblaze.com/"] > img -msn.com##[src*="g00.msn.com/goo"] -uploadocean.com##[src][width] -tomshardware.co.uk,tomshardware.com##[style*="animation:"] -drudgereport.com##[style*="background-blend"] -timeanddate.com##[style="float: right; width: 170px;"] -condo.com##[style="float:left;width:515px;"] -hindustantimes.com##[style="font-family:Arial; color: #545454; font-size:10px; font-family:Arial; padding-right:15px"] -wxyz.com##[style="height:310px;width:323px"] -uploaded.to##[style="margin-left: 15px;"] -wahm.com##[style="min-height:250px;"] -imagetwist.com##[target="_blank"] > img -uploadocean.com##[target="_blank"][href] > [src][alt] -ewallpapers.eu##[title="Advertising"] -uploadocean.com##[title][height] -torrentresource.com##[width="150"]:last-child -ewallpapers.eu##[width="160"] -break.com##[width="300"][height="250"] -4chan.org,crackdump.com##[width="468"] -majorgeeks.com##[width="478"][height="70"] -4chan.org##[width="728"] -timeanddate.com##[width="728"][height="90"] -crackdump.com##[width="74"] -empireonline.com##[width="950"][height="130"][align="center"] -lindaikeji.blogspot.com##a > img[height="600"] -video-download.online##a > img[src][style] -powerbot.org##a > img[width="729"] -facebook.com##a[ajaxify*="&eid="] + a[href^="https://l.facebook.com/l.php?u="] -experthometips.com##a[class^="abp_image_"] -grammarist.com##a[data-delivery^="/"] -pcmag.com##a[data-section="Ads"] -roadracerunner.com##a[data-target] -mail.yahoo.com##a[data-test-id="pencil-ad"] -harpersbazaar.com##a[data-vars-ga-call-to-action="SHOP NOW"] -kdramaindo.com##a[data-wpel-link="external"] -bestvpn.com##a[href$="_banner"] -isearch.whitesmoke.com##a[href*="&rt=gp&"] -insideevs.com##a[href*="&utm_medium=Banners&"] -mmorpg.com##a[href*="&utm_medium=skin&"] -cannabisnow.com,pcgamesn.com##a[href*="&utm_source"] -ndtv.com,torrentz2.eu,torrentz2.is##a[href*=".amazonaws.com"] -coincodex.com##a[href*=".apps7.space/"] -huffingtonpost.com##a[href*=".atwola.com/"] -concordnewsradio.com##a[href*=".be/"] -concordnewsradio.com##a[href*=".cc/"] -imgah.com##a[href*=".com/track/"] -streamcloud.eu##a[href*=".engine"] -concordnewsradio.com##a[href*=".es/"] -autodealer.co.za,bitminter.com,shareae.com,spellcheck.net##a[href*=".go2cloud.org/aff_c?offer_id="] -concordnewsradio.com##a[href*=".gy/"] -beforeitsnews.com,boredpanda.com,celebrityweightloss.com,fittube.tv,in5d.com,jeffbullas.com,siteworthchecker.com##a[href*=".hop.clickbank.net"] -zippyshare.com##a[href*=".inclk.com/"] -hotbollywoodactress.net##a[href*=".makdi.com"] -audiobookabb.com,audiobookbay.nl,bossmp3.me,heromaza.co##a[href*=".php"] -skysports.com,sportinglife.com##a[href*=".skybet.com/"] -punjabimob.org##a[href*=".smaato.net"] -coinmarketcal.com##a[href*=".space"] -coinmarketcap.com##a[href*=".space/"] -indiatoday.in,intoday.in##a[href*=".zedo.com/"] -whatismyreferer.com##a[href*="/?offer_id="] -iolproperty.co.za##a[href*="/Ad_Click_Thru.jsp?"] -dutchnews.nl##a[href*="/adbanners/"] -itweb.co.za,radiofrontier.ch##a[href*="/adclick.php?"] -business-standard.com##a[href*="/adclicksTag.php?"] -itweb.co.za##a[href*="/adredir.php?"] -f1today.net##a[href*="/advertorial--"] -streamplay.to##a[href*="/apu.php"] -movie4me.fun,webmusic.live##a[href*="/c.php?"][href*="&zn="] -streamcloud.eu##a[href*="/clicktag."] -adlock.org##a[href*="/download/"] -bittorrentz.net##a[href*="/download_torrent.php?"] -downloadwarez.org##a[href*="/fullversion-download/"] -torrentdownload.ch##a[href*="/get.php?"] -cracksfiles.com##a[href*="/getfile/"] -gigapurbalingga.com##a[href*="/getfiles-"] -tamilyogi.cc##a[href*="/ghits/"] -animetoon.org##a[href*="/go"] -benzinga.com,computerera.co.in##a[href*="/go/"] -headforpoints.com##a[href*="/hfp/"] -bossmp3.me##a[href*="/key/?id="] -spokesman.com##a[href*="/marketing/"] +tftactics.gg##.wrapper-lb1 +webtoolhub.com##.wth_zad_text +forums.ventoy.net##.wwads-cn +waterfordwhispersnews.com##.wwn-ad-unit +geekflare.com##.x-article-818cc9d4 +beaumontenterprise.com,chron.com,ctpost.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,mrt.com,myjournalcourier.com,myplainview.com,mysanantonio.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,sfgate.com,stamfordadvocate.com,theintelligencer.com##.x100.bg-gray100 +beforeitsnews.com##.x1x2prx2lbnm +aupetitparieur.com##.x7zry3pb +mcpmag.com##.xContent +theseotools.net##.xd_top_box +livejournal.com##.xhtml_banner +dallasnews.com##.xl_right-rail +stopmandatoryvaccination.com##.xoxo +naturalblaze.com##.xtfaoba0u1 +seattlepi.com##.y100.package +mamieastuce.com##.y288crhb +coin360.com##.y49o7q +titantv.com##.yRDh6z2_d0DkfsT3 +247mirror.com,365economist.com,bridewired.com,dailybee.com,drgraduate.com,historictalk.com,mvpmode.com,parentmood.com,theecofeed.com,thefunpost.com,visualchase.com,wackojaco.com##.ya-slot +pravda.ru##.yaRtbBlock +yardbarker.com##.yb-card-ad +yardbarker.com##.yb-card-leaderboard +yardbarker.com##.yb-card-out +gamereactor.asia,gamereactor.cn,gamereactor.com.tr,gamereactor.cz,gamereactor.de,gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.fi,gamereactor.fr,gamereactor.gr,gamereactor.it,gamereactor.jp,gamereactor.kr,gamereactor.me,gamereactor.nl,gamereactor.no,gamereactor.pl,gamereactor.pt,gamereactor.se,gamereactor.vn##.yks300 +desmoinesregister.com##.ymHyVK__ymHyVK +shockwave.com##.ympb_target_banner +saltwire.com##.youtube_article_ad +yellowpages.co.za##.yp-object-ad-modal +readneverland.com##.z-0 +buzzly.art##.z-10.w-max +howstuffworks.com##.z-999 +culturemap.com##.z-ad +tekdeeps.com##.zAzfDBzdxq3 +ign.com,mashable.com,pcmag.com##.zad +windows101tricks.com##.zanui-container +techspot.com##.zenerr +antimusic.com##.zerg +pcmag.com##.zmgad-full-width +bellinghamherald.com,bnd.com,bradenton.com,centredaily.com,charlotteobserver.com,cleaner.com,cults3d.com,elnuevoherald.com,fresnobee.com,heraldonline.com,heraldsun.com,idahostatesman.com,islandpacket.com,kansas.com,kansascity.com,kentucky.com,ledger-enquirer.com,macon.com,mcclatchydc.com,mercedsunstar.com,miamiherald.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sacbee.com,sanluisobispo.com,star-telegram.com,sunherald.com,thenewstribune.com,theolympian.com,thestate.com,tri-cityherald.com,weekand.com##.zone +bellinghamherald.com##.zone-el +cleaner.com##.zone-sky +cnn.com##.zone__ads +marketscreener.com##.zppAds +11alive.com,12news.com,12newsnow.com,13newsnow.com,13wmaz.com,5newsonline.com,9news.com,abc10.com,abovethelaw.com,adelaidenow.com.au,adtmag.com,aero-news.net,airportia.com,aiscoop.com,americanprofile.com,ans.org,appleinsider.com,arazu.io,arstechnica.com,as.com,asianwiki.com,askmen.com,associationsnow.com,attheraces.com,autoevolution.com,autoguide.com,automation.com,autotrader.com.au,bab.la,barchart.com,bdnews24.com,beinsports.com,bgr.in,biometricupdate.com,boats.com,bobvila.com,booksourcemagazine.com,bostonglobe.com,bradleybraves.com,briskoda.net,btimesonline.com,businessdailyafrica.com,businessinsider.com,businesstech.co.za,businessworld.in,c21media.net,carcomplaints.com,cbc.ca,cbs19.tv,celebdigs.com,celebified.com,ch-aviation.com,chargedevs.com,chemistryworld.com,cnn.com,cnnphilippines.com,colourlovers.com,couriermail.com.au,cracked.com,createtv.com,crn.com,crossmap.com,crosswalk.com,cyberscoop.com,dailycaller.com,dailylobo.com,dailyparent.com,dailytarheel.com,dcist.com,dealnews.com,deccanherald.com,defenseone.com,defensescoop.com,discordbotlist.com,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dynamicwallpaper.club,earlygame.com,edmontonjournal.com,edscoop.com,elpais.com,emoji.gg,eurosport.com,excellence-mag.com,familydoctor.org,fanpop.com,fedscoop.com,femalefirst.co.uk,filehippo.com,filerox.com,finance.yahoo.com,firstcoastnews.com,flightglobal.com,flowermanga.net,fox6now.com,foxbusiness.com,foxnews.com,funeraltimes.com,fxnowcanada.ca,gamepressure.com,gamesadshopper.com,gayvegas.com,geelongadvertiser.com.au,gmanetwork.com,go.com,godtube.com,golfweather.com,gtplanet.net,heraldnet.com,heraldsun.com.au,hodinkee.com,homebeautiful.com.au,hoodline.com,huckmag.com,inc-aus.com,indiatvnews.com,infobyip.com,inhabitat.com,insider.com,interfax.com.ua,joc.com,jscompress.com,kagstv.com,kare11.com,kcentv.com,kens5.com,kgw.com,khou.com,kiiitv.com,king5.com,koreabang.com,kpopstarz.com,krem.com,ksdk.com,ktvb.com,kvue.com,lagom.nl,leaderpost.com,letsgodigital.org,lifezette.com,lonestarlive.com,looktothestars.org,m.famousfix.com,mangarockteam.com,marketwatch.com,maxpreps.com,mcpmag.com,minecraftmods.com,modernretail.co,monkeytype.com,motherjones.com,mprnews.org,mybroadband.co.za,myfox8.com,myfoxzone.com,mygaming.co.za,myrecipes.com,namibtimes.net,nejm.org,neowin.net,newbeauty.com,news.com.au,news.sky.com,newscentermaine.com,newsday.com,newstatesman.com,nymag.com,nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion,nzherald.co.nz,patch.com,patheos.com,pcgamesn.com,petfinder.com,picmix.com,planelogger.com,playsnake.org,playtictactoe.org,pokertube.com,politico.com,politico.eu,powernationtv.com,pressgazette.co.uk,proremodeler.com,quackit.com,ranker.com,ratemds.com,ratemyprofessors.com,redmondmag.com,refinery29.com,revolver.news,roadsideamerica.com,salisburypost.com,scholarlykitchen.sspnet.org,scworld.com,seattletimes.com,segmentnext.com,silive.com,simpledesktops.com,slickdeals.net,slippedisc.com,sltrib.com,smartcompany.com.au,softpedia.com,soranews24.com,spot.im,spryliving.com,statenews.com,statescoop.com,statscrop.com,straight.com,streetinsider.com,stv.tv,sundayworld.com,the-decoder.com,thecut.com,thedigitalfix.com,thedp.com,theeastafrican.co.ke,thefader.com,thefirearmblog.com,thegrocer.co.uk,themercury.com.au,theringreport.com,thestarphoenix.com,thv11.com,time.com,timeshighereducation.com,tntsports.co.uk,today.com,toonado.com,townhall.com,tracker.gg,tribalfootball.com,triblive.com,tripadvisor.*,tweaktown.com,ultimatespecs.com,ultiworld.com,uptodown.com,usmagazine.com,usnews.com,vancouversun.com,vogue.in,vulture.com,wamu.org,washingtonexaminer.com,washingtontimes.com,watzatsong.com,wbir.com,wcnc.com,wdhafm.com,weatheronline.co.uk,webestools.com,webmd.com,weeklytimesnow.com.au,wfaa.com,wfmynews2.com,wgnt.com,wgntv.com,wgrz.com,whas11.com,windsorstar.com,winnipegfreepress.com,wkyc.com,wltx.com,wnep.com,worthplaying.com,wqad.com,wral.com,wrif.com,wtsp.com,wusa9.com,wwltv.com,wzzm13.com,x17online.com,xatakaon.com,yorkpress.co.uk##.ad +wunderground.com##AD-TRIPLE-BOX +tjrwrestling.net##[ad-slot] +news12.com##[alignitems="normal"][justifycontent][direction="row"][gap="0"] +cloutgist.com,codesnse.com##[alt="AD DESCRIPTION"] +hubcloud.day##[alt="New-Banner"] +exchangerates.org.uk##[alt="banner"] +browardpalmbeach.com,dallasobserver.com,miaminewtimes.com,phoenixnewtimes.com,westword.com##[apn-ad-hook] +gab.com##[aria-label*="Sponsored:"] +issuu.com##[aria-label="Advert"] +thepointsguy.com##[aria-label="Advertisement"] +foodlion.com##[aria-label="Sponsored Ad"] +wsj.com##[aria-label="Sponsored Offers"] +blackbeltmag.com##[aria-label="Wix Monetize with AdSense"] +giantfood.com,giantfoodstores.com,martinsfoods.com##[aria-label^="Sponsored"] +impressivetimes.com##[class$="-ads"] +economictimes.indiatimes.com##[class*="-ad-"] +thehansindia.com##[class*="-ad-"]:not(#inside_post_content_ad_1_before) +collegedunia.com##[class*="-ad-slot"] +80.lv##[class*="BrndigPrmo_"] +petco.com##[class*="SponsoredText"] +fotmob.com##[class*="TopBannerWrapper"] +jagranjosh.com##[class*="_AdColl_"] +jagranjosh.com##[class*="_BodyAd_"] +top.gg##[class*="__AdContainer-"] +everydaykoala.com,playjunkie.com##[class*="__adspot-title-container"] +everydaykoala.com,playjunkie.com##[class*="__adv-block"] +gamezop.com##[class*="_ad_container"] +cointelegraph.com,doodle.com##[class*="ad-slot"] +bmwblog.com##[class*="bmwbl-300x250"] +bmwblog.com##[class*="bmwbl-300x600"] +bitcoinist.com,captainaltcoin.com,cryptonews.com,cryptonewsz.com,cryptopotato.com,insidebitcoins.com,news.bitcoin.com,newsbtc.com,philnews.ph,watcher.guru##[class*="clickout-"] +manabadi.co.in##[class*="dsc-banner"] +startribune.com##[class*="htlad-"] +fullmatch.info##[class*="wp-image"] +douglas.at,douglas.be,douglas.ch,douglas.cz,douglas.de,douglas.es,douglas.hr,douglas.hu,douglas.it,douglas.lt,douglas.lv,douglas.nl,douglas.pl,douglas.pt,douglas.ro,douglas.si,douglas.sk,nocibe.fr##[class="cms-criteo"] +m.economictimes.com##[class="wdt-taboola"] +shoprite.com##[class^="CitrusBannerXContainer"] +bloomberg.com##[class^="FullWidthAd_"] +genius.com##[class^="InnerSectionAd__"] +genius.com##[class^="InreadContainer__"] +zerohedge.com##[class^="PromoButton"] +uploader.link##[class^="ads"] +nasdaq.com##[class^="ads_"] +nasdaq.com##[class^="btf_"] +weather.us##[class^="dkpw"] +dallasnews.com##[class^="dmnc_features-ads-"] +romhustler.org##[class^="leaderboard_ad"] +filmibeat.com##[class^="oiad"] +nofilmschool.com##[class^="rblad-nfs_content"] +thetimes.co.uk##[class^="responsive__InlineAdWrapper-"] +nagpurtoday.in##[class^="sgpb-"] +cmswire.com##[class^="styles_ad-block"] +cmswire.com##[class^="styles_article__text-ad"] +cmswire.com##[class^="styles_article__top-ad-wrapper"] +hancinema.net##[class^="wmls_"] +enostech.com##[class^="wp-image-41"] +torlock.com##[class^="wrn"] +mydramalist.com##[class^="zrsx_"] +newspointapp.com##[ctn-style] +flatpanelshd.com##[data-aa-adunit] +dribbble.com##[data-ad-data*="ad_link"] +petco.com##[data-ad-source] +androidauthority.com##[data-ad-type] +gamelevate.com##[data-adpath] +coingecko.com##[data-ads-target="banner"] +builtbybit.com##[data-advertisement-id] +timesofindia.indiatimes.com##[data-aff-type] +czechtheworld.com##[data-affiliate] +thesun.co.uk##[data-aspc="newBILL"] +walmart.ca##[data-automation="flipkartDisplayAds"] +jobstreet.com.sg##[data-automation="homepage-banner-ads"] +jobstreet.com.sg##[data-automation="homepage-marketing-banner-ads"] +newshub.co.nz##[data-belt-widget] +groupon.com##[data-bhc$="sponsored_carousel"] +costco.com##[data-bi-placement="Criteo_Home_Espot"] +costco.ca##[data-bi-placement="Criteo_Product_Display_Page_Espot"] +privacywall.org##[data-bingads-suffix] +chron.com,seattlepi.com,sfchronicle.com,timesunion.com##[data-block-type="ad"] +chewy.com##[data-carousel-id="plp_sponsored_brand"] +theblaze.com##[data-category="SPONSORED"] +autotrader.com##[data-cmp="alphaShowcase"] +gab.com##[data-comment="gab-ad-comment"] +sephora.com##[data-comp*="RMNCarousel"] +sephora.com##[data-comp*="RmnBanner"] +bbc.com##[data-component="ad-slot"] +bloomberg.com##[data-component="in-body-ad"] +lookfantastic.com##[data-component="sponsoredProductsCriteo"] +vox.com##[data-concert="leaderboard_top_tablet_desktop"] +vox.com##[data-concert="outbrain_post_tablet_and_desktop"] +curbed.com##[data-concert="prelude"] +vox.com##[data-concert="tablet_leaderboard"] +polygon.com##[data-concert] +timesofindia.indiatimes.com##[data-contentprimestatus] +coingecko.com##[data-controller="button-ads"] +hedgefollow.com##[data-dee_type^="large_banner"] +digitalspy.com##[data-embed="embed-gallery"][data-node-id] +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##[data-empty] +badgerandblade.com,ginx.tv##[data-ez-ph-id] +news.sky.com##[data-format="leaderboard"] +cumbriacrack.com,euromaidanpress.com##[data-hbwrap] +dannydutch.com,tvzoneuk.com##[data-hook="HtmlComponent"] +blackbeltmag.com##[data-hook="bgLayers"] +hackster.io##[data-hypernova-key="ModularAd"] +clevelandclinic.org##[data-identity*="billboard-ad"] +clevelandclinic.org##[data-identity="leaderboard-ad"] +motortrend.com##[data-ids="AdContainer"] +igraal.com##[data-ig-ga-cat="Ad"] +jeffdornik.com##[data-image-info] +phoneia.com##[data-index] +dailymail.co.uk##[data-is-sponsored="true"] +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##[data-layout="ad"] +motor1.com##[data-m1-ad-label] +cnet.com##[data-meta="placeholder-slot"] +lightnovelcave.com,lightnovelpub.com##[data-mobid] +independent.co.uk##[data-mpu1] +goal.com##[data-name="ad-leaderboard"] +polygon.com##[data-native-ad-id^="container"] +helpnetsecurity.com##[data-origin][style] +greenbaycrimereports.com##[data-original-width="820"] +jeffdornik.com##[data-pin-url] +extremetech.com##[data-pogo="sidebar"] +mashable.com##[data-pogo="top"] +gumtree.com##[data-q="section-middle"] > div[style^="display:grid;margin"] +scmp.com##[data-qa="AppBar-renderLayout-AdSlotContainer"] +scmp.com##[data-qa="ArticleContentRightSection-AdSlot"] +washingtonpost.com##[data-qa="article-body-ad"] +washingtonpost.com##[data-qa="right-rail-ad"] +ginx.tv##[data-ref] +euroweeklynews.com##[data-revive-zoneid] +chemistwarehouse.com.au##[data-rm-beacon-state] +disqus.com##[data-role="ad-content"] +news.sky.com##[data-role="ad-label"] +olympics.com##[data-row-type="custom-row-adv"] +timesofindia.indiatimes.com##[data-scrollga="spotlight_banner_widget"] +trakt.tv##[data-snigel-id] +amp.theguardian.com##[data-sort-time="1"] +timesofindia.indiatimes.com##[data-sp-click="stpPgtn(event)"] +theinertia.com##[data-spotim-module="tag-tester"] +vrbo.com##[data-stid="meso-ad"] +etherscan.io##[data-t8xt5pt6kr-seq="0"] +si.com##[data-target="ad"] +coingecko.com##[data-target="ads.banner"] +the-express.com##[data-tb-non-consent] +drivencarguide.co.nz##[data-test-ui="outbrain-suggestions"] +woot.com##[data-test-ui^="advertisementLeaderboard"] +target.com##[data-test="featuredProducts"] +zillow.com##[data-test="search-list-first-ad"] +target.com##[data-test="sponsored-text"] +reuters.com##[data-testid="CnxPlayer"] +reuters.com##[data-testid="Leaderboard"] +topgear.com##[data-testid="MpuPremium1"] +topgear.com##[data-testid="MpuPremium1Single"] +topgear.com##[data-testid="MpuPremium2"] +topgear.com##[data-testid="MpuPremium2Single"] +reuters.com##[data-testid="ResponsiveAdSlot"] +nytimes.com,nytimesn7cgmftshazwhfgzm37qxb44r64ytbb2dj3x62d2lljsciiyd.onion##[data-testid="StandardAd"] +topgear.com##[data-testid="TopSlot"] +bleacherreport.com,coles.com.au##[data-testid="ad"] +kijiji.ca##[data-testid="adsense-container"] +gozofinder.com##[data-testid="advert"] +coles.com.au##[data-testid="banner-container-desktop"] +walmart.ca,walmart.com##[data-testid="carousel-ad"] +petco.com##[data-testid="citrus-widget"] +argos.co.uk##[data-testid="citrus_products-carousel"] +theweathernetwork.com##[data-testid="content-feed-ad-slot"] +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##[data-testid="driver"] +washingtonpost.com##[data-testid="fixed-bottom-ad"] +sbs.com.au##[data-testid="hbs-widget-skeleton"] +theweathernetwork.com##[data-testid="header-ad-content"] +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##[data-testid="header-leaderboard"] +forbes.com##[data-testid="locked-top-ad-container"] +imdb.com##[data-testid="media-sheet__attr-banner"] +you.com##[data-testid="microsoft-ads"] +washingtonpost.com##[data-testid="outbrain"] +sportingnews.com##[data-testid="outbrain-block"] +washingtonpost.com##[data-testid="placeholder-box"] +theweathernetwork.com##[data-testid="pre-ad-text"] +abcnews.go.com##[data-testid="prism-sticky-ad"] +zillow.com##[data-testid="right-rail-ad"] +greatist.com,healthline.com,medicalnewstoday.com,psychcentral.com##[data-testid="sponsored-bar"] +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##[data-testid="spr-brd-banner"] +therealdeal.com##[data-testid="test-div-id-for-pushdown"] +game8.co##[data-track-nier-keyword="footer_overlay_ads"] +money.com##[data-trk-company="rocket-mortgage-review"] +goal.com##[data-type="AdComponent"] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##[data-type="AdRowBillboard"] +search.brave.com,thesportsrush.com##[data-type="ad"] +dictionary.com##[data-type="ad-horizontal-module"] +gadgetsnow.com##[data-type="mtf"] +forum.ragezone.com##[data-widget-key="widget_partners"] +petco.com##[data-widget-type="citrus-ad"] +petco.com##[data-widget-type="citrus-banner"] +petco.com##[data-widget-type^="rmn-"] +theautopian.com##[data-widget_type="html.default"] +namepros.com##[data-xf-init][data-tag] +cnn.com##[data-zone-label="Paid Partner Content"] +faroutmagazine.co.uk,hitc.com##[dock="#primis-dock-slot"] +browardpalmbeach.com,citybeat.com,leoweekly.com,metrotimes.com##[gpt-slot-config-id] +citybeat.com,leoweekly.com,metrotimes.com,riverfronttimes.com##[gpt-slot-div-id] +dailynews.lk,fxempire.com,german-way.com,londonnewsonline.co.uk,power987.co.za,qsaltlake.com,tfetimes.com##[height="250"] +ciiradio.com,hapskorea.com,thetruthwins.com##[height="300"] +namepros.com,pointblanknews.com,sharktankblog.com##[height="60"] +cdmediaworld.com,cryptofeeds.news,fxempire.com,gametarget.net,lnkworld.com,power987.co.za##[height="600"] +bankbazaar.com##[height="80"] +1001tracklists.com,airplaydirect.com,bankbazaar.com,cultofcalcio.com,dailynews.lk,economicconfidential.com,eve-search.com,lyngsat.com,newzimbabwe.com,opednews.com,roadtester.com.au,runechat.com,tfetimes.com,therainbowtimesmass.com##[height="90"] +tokopedia.com##[href$="src=topads"] +yourbittorrent.com##[href*="%20"][href$=".html"] +photopea.com##[href*=".ivank.net"] +nzbstars.com,upload.ee##[href*=".php"] +complaintsingapore.com##[href*="/adv.php"] +utahgunexchange.com##[href*="/click.track"] +thepiratebay.org##[href*="/redirect?tid="] +libtorrent.org,mailgen.biz,speedcheck.org,torrentfreak.com,tubeoffline.com,utorrent.com##[href*="://go.nordvpn.net/"] +auto.creavite.co##[href*="?aff="] +auto.creavite.co##[href*="?utm_medium=ads"] +gamecopyworld.com,gamecopyworld.eu##[href*="@"] +cnx-software.com##[href*="aliexpress.com/item/"] +steroid.com##[href*="anabolics.com"] +cnx-software.com##[href*="banner"] +9jaflaver.com,alaskapublic.org,allkeyshop.com,analyticsinsight.net,ancient-origins.net,animeidhentai.com,arabtimesonline.com,asura.gg,biblestudytools.com,bitcoinworld.co.in,christianity.com,cnx-software.com,coingolive.com,csstats.gg,digitallydownloaded.net,digitbin.com,domaingang.com,downturk.net,fresherslive.com,gizmochina.com,glitched.online,glodls.to,guidedhacking.com,hackernoon.com,hubcloud.day,indishare.org,kaas.am,katfile.com,khmertimeskh.com,litecoin-faucet.com,mbauniverse.com,mediaite.com,mgnetu.com,myreadingmanga.info,newsfirst.lk,nexter.org,owaahh.com,parkablogs.com,pastemytxt.com,premiumtimesng.com,railcolornews.com,resultuniraj.co.in,retail.org.nz,ripplesnigeria.com,rtvonline.com,ryuugames.com,sashares.co.za,sofascore.com,thinknews.com.ng,timesuganda.com,totemtattoo.com,trancentral.tv,vumafm.co.za,yugatech.com,zmescience.com##[href*="bit.ly/"] +beforeitsnews.com,in5d.com,mytruthnews.com,thetruedefender.com##[href*="hop.clickbank.net"] +cnx-software.com##[href*="url2.cnx-software.com/"] +cnx-software.com##[href*="url3.cnx-software.com/"] +linuxlookup.com##[href="/advertising"] +audiobookbay.is##[href="/ddeaatr"] +mywaifulist.moe##[href="/nord"] +whatsmyreferer.com##[href="http://fakereferer.com"] +whatsmyreferer.com##[href="http://fakethereferer.com"] +toumpano.net##[href="http://roz-tilefona.xbomb.net/"] +warfarehistorynetwork.com##[href="http://www.bktravel.com/"] +daijiworld.com##[href="http://www.expertclasses.org/"] +gametracker.com##[href="http://www.gameservers.com"] +allnewspipeline.com##[href="http://www.sqmetals.com/"] +bitcoiner.tv##[href="https://bitcoiner.tv/buy-btc.php"] +cracked.io##[href="https://cutt.ly/U7s7Wu8"] +spys.one##[href="https://fineproxy.org/ru/"] +freedomfirstnetwork.com##[href="https://freedomfirstcoffee.com"] +summit.news##[href="https://infowarsstore.com/"] +americafirstreport.com##[href="https://jdrucker.com/ira"] +julieroys.com##[href="https://julieroys.com/restore"] +hightimes.com##[href="https://leafwell.com"] +conservativeplaybook.com##[href="https://ourgoldguy.com/contact/"] +davidwalsh.name##[href="https://requestmetrics.com/"] +unknowncheats.me##[href="https://securecheats.com/"] +slaynews.com##[href="https://slaynews.com/ads/"] +cracked.io##[href="https://sweet-accounts.com"] +multimovies.bond##[href="https://telegram.me/multilootdeals"] +complaintsingapore.com##[href="https://thechillipadi.com/"] +photorumors.com##[href="https://topazlabs.com/ref/70/"] +bleepingcomputer.com##[href="https://try.flare.io/bleeping-computer/"] +uncrate.com##[href="https://un.cr/advertise"] +walletinvestor.com##[href="https://walletinvestor.com/u/gnrATE"] +duplichecker.com##[href="https://www.duplichecker.com/gcl"] +wikifeet.com##[href="https://www.feetfix.com"] +barrettsportsmedia.com##[href="https://www.jimcutler.com"] +10minutemail.com##[href="https://www.remove-metadata.com"] +jagoroniya.com##[href="https://www.virtuanic.com/"] +cnx-software.com##[href="https://www.youyeetoo.com/"] +wplocker.com##[href^="//namecheap.pxf.io/"] +mediafire.com##[href^="//static.mediafire.com/dynamic/af_link.php"] +unogs.com##[href^="/ad/"] +vikingfile.com##[href^="/fast-download/"] +ar15.com##[href^="/forums/transfers.html"] +notbanksyforum.com,pooletown.co.uk,tossinggames.com,urbanartassociation.com##[href^="http://redirect.viglink.com"] +eevblog.com##[href^="http://s.click.aliexpress.com/"] +learn-cpp.org##[href^="http://www.spoj.com/"] +scribd.vpdfs.com##[href^="https://accounts.binance.com"] +windows-noob.com##[href^="https://adaptiva.com/"] +open.spotify.com##[href^="https://adclick.g.doubleclick.net/"] +topfiveforex.com##[href^="https://affiliate.iqoption.com/"] +brighteon.com##[href^="https://ams.brighteon.com/"] +lilymanga.com,orschlurch.net,photorumors.com,shenisha.substack.com##[href^="https://amzn.to/"] +fmovies24.to##[href^="https://anix.to/"] +cloutgist.com,codesnse.com##[href^="https://app.adjust.com/"] +aitextpromptgenerator.com##[href^="https://app.getsitepop.com/"] +wiki.gg##[href^="https://app.wiki.gg/showcase/"] +topfiveforex.com##[href^="https://betfury.io/"] +seganerds.com##[href^="https://betway.com/"] +greatandhra.com,kitploit.com,moviedokan.lol##[href^="https://bit.ly/"] img +coingolive.com##[href^="https://bitpreco.com/"] +analyticsindiamag.com##[href^="https://business.louisville.edu/"] +50gameslike.com,highdemandskills.com,yumyumnews.com##[href^="https://click.linksynergy.com/"] +learn-cpp.org##[href^="https://codingforkids.io"] +parametric-architecture.com##[href^="https://enscape3d.com/"] +yourstory.com##[href^="https://form.jotform.com/"] +limetorrents.ninjaproxy1.com##[href^="https://gamestoday.org/"] +ahaan.co.uk,emailnator.com,myip.is,scrolller.com,whereto.stream##[href^="https://go.nordvpn.net/"] +everybithelps.io##[href^="https://hi.switchy.io/"] +imagetwist.com##[href^="https://imagetwist.com/pxt/"] +topfiveforex.com##[href^="https://iqoption.com/"] +romsfun.org##[href^="https://kovcifra.click/"] +theburningplatform.com##[href^="https://libertasbella.com/collections/"] +topfiveforex.com##[href^="https://luckyfish.io/"] +crypto-news-flash.com##[href^="https://mollars.com/"] +abovetopsecret.com,thelibertydaily.com##[href^="https://mypatriotsupply.com/"] +topfiveforex.com##[href^="https://olymptrade.com/"] +topfiveforex.com##[href^="https://omibet.io/"] +windows-noob.com##[href^="https://patchmypc.com/"] +unknowncheats.me##[href^="https://proxy-seller.com/"] +multi.xxx##[href^="https://prtord.com/"] +cryptonews.com##[href^="https://rapi.cryptonews.com/"] +tcbscans.com##[href^="https://readcbr.com/"] +rlsbb.cc##[href^="https://rlsbb.cc/link.php"] +rlsbb.ru##[href^="https://rlsbb.ru/link.php"] +everybithelps.io##[href^="https://shop.ledger.com/"] +all-free-download.com##[href^="https://shutterstock.7eer.net/c/"] img +yts.mx##[href^="https://stARtgAMinG.net/"] +terraria.wiki.gg##[href^="https://store.steampowered.com/app/"] +brighteon.com##[href^="https://support.brighteon.com/"] +beforeitsnews.com,highshortinterest.com##[href^="https://tinyurl.com/"] +tripsonabbeyroad.com##[href^="https://tp.media/"] +minidl.org##[href^="https://uploadgig.com/premium/index/"] +wikifeet.com##[href^="https://vip.stakeclick.com/"] +cracked.io##[href^="https://vshield.com/"] +cnx-software.com##[href^="https://www.aliexpress.com/"] +spectator.org,thespoken.cc##[href^="https://www.amazon.com/"] +mailshub.in##[href^="https://www.amazon.in/"] +cnx-software.com##[href^="https://www.armdesigner.com/"] +businessonhome.com##[href^="https://www.binance.com/en/register?ref="] +bleepingcomputer.com##[href^="https://www.bleepingcomputer.com/go/"] +health.news,naturalnews.com,newstarget.com##[href^="https://www.brighteon.tv"] +work.ink##[href^="https://www.buff.game/buff-download/"] +seganerds.com##[href^="https://www.canadacasino.ca/"] +onecompiler.com##[href^="https://www.datawars.io"] +ratemycourses.io##[href^="https://www.essaypal.ai"] +seganerds.com##[href^="https://www.ewinracing.com/"] +crackwatcher.com##[href^="https://www.kinguin.net"] +gamecopyworld.com,gamecopyworld.eu##[href^="https://www.kinguin.net/"] +defenseworld.net##[href^="https://www.marketbeat.com/scripts/redirect.aspx"] +weberblog.net##[href^="https://www.neox-networks.com/"] +newstarget.com##[href^="https://www.newstarget.com/ARF/"] +how2electronics.com##[href^="https://www.nextpcb.com/"] +ownedcore.com##[href^="https://www.ownedcore.com/forums/cb.php"] +how2electronics.com##[href^="https://www.pcbway.com/"] +news.itsfoss.com##[href^="https://www.pikapods.com/"] +hivetoon.com##[href^="https://www.polybuzz.ai/"] +bikeroar.com##[href^="https://www.roaradventures.com/"] +searchcommander.com##[href^="https://www.searchcommander.com/rec/"] +shroomery.org##[href^="https://www.shroomery.org/ads/"] +censored.news,newstarget.com##[href^="https://www.survivalnutrition.com"] +swimcompetitive.com##[href^="https://www.swimoutlet.com/"] +screenshot-media.com##[href^="https://www.tryamazonmusic.com/"] +protrumpnews.com##[href^="https://www.twc.health/"] +ultimate-guitar.com##[href^="https://www.ultimate-guitar.com/send?ug_from=redirect"] +upload.ee##[href^="https://www.upload.ee/click.php"] +gametracker.com##[href^="https://www.vultr.com/"] +wakingtimes.com##[href^="https://www.wendymyersdetox.com/"] +musicbusinessworldwide.com##[href^="https://wynstarks.lnk.to/"] +cars.com##[id$="-sponsored"] +lolalytics.com##[id$=":inline"] +80.lv##[id*="Image_bnnr"] +homedepot.com##[id*="sponsored"] +producebluebook.com##[id^="BBS"] +ldoceonline.com##[id^="ad_contentslot"] +bestbuy.ca,bestbuy.com##[id^="atwb-ninja-carousel"] +beforeitsnews.com##[id^="banners_"] +pluggedingolf.com##[id^="black-studio-tinymce-"] +shipt.com##[id^="cms-ad_banner"] +hola.com##[id^="div-hola-slot-"] +designtaxi.com##[id^="dt-small-"] +skyblock.bz##[id^="flips-"] +getcomics.org##[id^="getco-"] +eatthis.com##[id^="gm_karmaadunit_widget"] +designtaxi.com##[id^="in-news-link-"] +komando.com##[id^="leaderboardAdDiv"] +comicbook.com,popculture.com##[id^="native-plus-"] +dailydooh.com##[id^="rectdiv"] +daily-choices.com##[id^="sticky_"] +wuxiaworld.site##[id^="wuxia-"] +grabcad.com##[ng-if="model.asense"] +buzzheavier.com##[onclick="downloadAd()"] +survivopedia.com##[onclick="recordClick("] +timesofindia.indiatimes.com##[onclick="stpPgtn(event)"] +filecrypt.cc,filecrypt.co##[onclick^="var lj"] +transfermarkt.co.uk##[referrerpolicy] +appleinsider.com,dappradar.com,euroweeklynews.com,metro.co.uk,sitepoint.com,tld-list.com,twitch-tools.rootonline.de,wccftech.com##[rel*="sponsored"] +warecracks.com,websiteoutlook.com##[rel="nofollow"] +myanimelist.net##[src*="/c/img/images/event/"] +audioz.download##[src*="/promo/"] +transfermarkt.com##[src*="https://www.transfermarkt.com/image/"] +wallpaperaccess.com##[src="/continue.png"] +audiobookbay.is##[src="/images/d-t.gif"] +audiobookbay.is##[src="/images/dire.gif"] +webcamtests.com##[src^="/MyShowroom/view.php?medium="] +linuxtopia.org##[src^="/includes/index.php/?img="] +academictorrents.com##[src^="/pic/sponsors/"] +exportfromnigeria.info##[src^="http://storage.proboards.com/"] +exportfromnigeria.info##[src^="http://storage2.proboards.com/"] +infotel.ca##[src^="https://infotel.ca/absolutebm/"] +exportfromnigeria.info##[src^="https://storage.proboards.com/"] +exportfromnigeria.info##[src^="https://storage2.proboards.com/"] +buzzly.art##[src^="https://submissions.buzzly.art/CANDY/"] +nesmaps.com##[src^="images/ads/"] +manhwabtt.com,tennismajors.com##[style$="min-height: 250px;"] +livejournal.com##[style$="width: 300px;"] +circleid.com##[style*="300px;"] +circleid.com##[style*="995px;"] +news.abs-cbn.com##[style*="background-color: rgb(236, 237, 239)"] +tetris.com##[style*="min-width: 300px;"] +tetris.com##[style*="min-width: 728px;"] +coolors.co##[style*="position:absolute;top:20px;"] +4anime.gg,apkmody.io,bollyflix.nexus,bravoporn.com,dramacool.sr,gogoanime.co.in,gogoanime.run,harimanga.com,hdmovie2.rest,himovies.to,hurawatch.cc,instamod.co,leercapitulo.com,linksly.co,mangadna.com,manhwadesu.bio,messitv.net,miraculous.to,movies-watch.com.pk,moviesmod.zip,nkiri.com,prmovies.dog,putlockers.li,sockshare.ac,ssoap2day.to,sukidesuost.info,tamilyogi.bike,waploaded.com,watchomovies.net,y-2mate.com,yomovies.team,ytmp3.cc,yts-subs.com##[style*="width: 100% !important;"] +news.abs-cbn.com##[style*="width:100%;min-height:300px;"] +upmovies.net##[style*="z-index: 2147483647"] +shotcut.org##[style="background-color: #fff; padding: 6px; text-align: center"] +realitytvworld.com##[style="background-color: white; background: white"] +coin360.com##[style="display:flex;justify-content:center;align-items:center;min-height:100px;position:relative"] +guides.wp-bullet.com##[style="height: 288px;"] +forum.lowyat.net##[style="height:120px;padding:10px 0;"] +imagecolorpicker.com##[style="height:250px"] +forum.lowyat.net##[style="height:250px;padding:5px 0 5px 0;"] +tenforums.com##[style="height:280px;"] +kingmodapk.net##[style="height:300px"] +geekzone.co.nz##[style="height:90px"] +cycleexif.com,thespoken.cc##[style="margin-bottom: 25px;"] +realitytvworld.com##[style="margin: 5px 0px 5px; display: inline-block; text-align: center; height: 250;"] +gpfans.com##[style="margin:10px auto 10px auto; text-align:center; width:100%; overflow:hidden; min-height: 250px;"] +scamrate.com##[style="max-width: 728px;"] +timesnownews.com##[style="min-height: 181px;"] +namemc.com##[style="min-height: 238px"] +africam.com##[style="min-height: 250px;"] +waifu2x.net##[style="min-height: 270px; margin: 1em"] +phys.org##[style="min-height: 601px;"] +africam.com,open3dlab.com##[style="min-height: 90px;"] +calendar-uk.co.uk,theartnewspaper.com,wahm.com##[style="min-height:250px;"] +ntd.com##[style="min-height:266px"] +ntd.com##[style="min-height:296px"] +edgegamers.com##[style="padding-bottom:10px;height:90px;"] +dvdsreleasedates.com##[style="padding:15px 0 15px 0;width:728px;height:90px;text-align:center;"] +himovies.sx##[style="text-align: center; margin-bottom: 20px; margin-top: 20px;"] +analyticsinsight.net##[style="text-align: center;"] +kreationnext.com##[style="text-align:center"] +forum.nasaspaceflight.com##[style="text-align:center; margin-bottom:30px;"] +deviantart.com##[style="width: 308px; height: 316px;"] +waifu2x.net##[style="width: 90%;height:120px"] +law360.com##[style="width:100%;display:flex;justify-content:center;background-color:rgb(247, 247, 247);flex-direction:column;"] +newagebd.net##[style^="float:left; width:320px;"] +decrypt.co##[style^="min-width: 728px;"] +perchance.org##[style^="position: fixed;"] +filmdaily.co,gelbooru.com,integral-calculator.com,passiveaggressivenotes.com,twcenter.net##[style^="width: 728px;"] +alphacoders.com##[style^="width:980px; height:280px;"] +gametracker.com##[style^="width:980px; height:48px"] +mrchecker.net##[target="_blank"] +myfitnesspal.com##[title*="Ad"] +balls.ie##[type="doubleclick"] +kiryuu.id##[width="1280"] +fansshare.com##[width="300"] +cdmediaworld.com,flashx.cc,flashx.co,forum.gsmhosting.com,gametarget.net,jeepforum.com,lnkworld.com,themediaonline.co.za,topprepperwebsites.com##[width="468"] +americanfreepress.net,analyticsindiamag.com,namepros.com,readneverland.com##[width="600"] +drwealth.com##[width="640"] +americaoutloud.com,analyticsindiamag.com,artificialintelligence-news.com,autoaction.com.au,cryptoreporter.info,dafont.com,developer-tech.com,forexmt4indicators.com,gamblingnewsmagazine.com,godradio1.com,irishcatholic.com,runnerstribe.com,tntribune.com,tryorthokeys.com##[width="728"] +elitepvpers.com##[width="729"] +elitepvpers.com##[width="966"] +presearch.com##[x-data*="kwrdAdFirst"] +mobiforge.com##a > img[alt="Ad"] +eztv.tf,eztv.yt##a > img[alt="Anonymous Download"] +designtaxi.com##a.a-click[target="_blank"] +cript.to##a.btn[target="_blank"][href^="https://cript.to/"] +infowars.com##a.css-1yw960t +darkreader.org##a.logo-link[target="_blank"] +hulkshare.com##a.nhsIndexPromoteBlock +steam.design##a.profile_video[href^="https://duobot.com/"] +marinelink.com##a.sponsored +cults3d.com##a.tbox-thumb[href^="https://jlc3dp.com/"] +cults3d.com##a.tbox-thumb[href^="https://shrsl.com/"] +cults3d.com##a.tbox-thumb[href^="https://us.store.flsun3d.com/"] +cults3d.com##a.tbox-thumb[href^="https://www.kickstarter.com/"] +cults3d.com##a.tbox-thumb[href^="https://www.sunlu.com/"] +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[ajaxify*="&eid="] + a[href^="https://l.facebook.com/l.php?u="] +newstalkflorida.com##a[alt="Ad"] +moviekhhd.biz##a[alt="Sponsor Ads"] +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[aria-label="Advertiser link"] +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##a[aria-label="Advertiser"] +alibaba.com##a[campaignid][target="_blank"] +bernama.com##a[class^="banner_photo_"] +probuilds.net##a[class^="dl-blitz-"] +trakt.tv##a[class^="hu-ck-s-t-er-"][target="_blank"] +iconfinder.com##a[data-tracking^="iStock"] +sashares.co.za##a[data-wpel-link="external"] +pinterest.at,pinterest.ca,pinterest.ch,pinterest.co.uk,pinterest.com,pinterest.com.au,pinterest.com.mx,pinterest.de,pinterest.es,pinterest.fr,pinterest.it,pinterest.pt##a[href*="&epik="] +imgpile.com,linuxjournal.com,threatpost.com##a[href*="&utm_campaign="] +hitbullseye.com##a[href*="&utm_medium="] +walmart.ca##a[href*=".criteo.com/"] +chicagoprowrestling.com##a[href*="//thecmf.com/"] > img +chicagoprowrestling.com##a[href*="//www.aliciashouse.org/"] > img +pcgamestorrents.com##a[href*="/gameadult/"] +breakingbelizenews.com,cardealermagazine.co.uk,headfonics.com,igorslab.de,landline.media,mikesmoneytalks.ca,sundayworld.co.za,theroanokestar.com,visualcapitalist.com##a[href*="/linkout/"] movie-censorship.com##a[href*="/out.php?"] -projectfree-tv.to##a[href*="/script/ad.php?"] -charismanews.com,universityaffairs.ca##a[href*="/sponsored-content/"] -bbc.com,biznews.com,businessdailyafrica.com,financialexpress.com,independent.ie,irishtimes.com,komonews.com,nan.ng,seattletimes.com,spokesman.com,telegraph.co.uk##a[href*="/sponsored/"] -todaypk.com##a[href*="/watch/?"] -devshed.com##a[href*="/www/delivery/"] -ietab.net##a[href*="/xadnet/"] -imagenpic.com,imageshimage.com,imagetwist.com##a[href*="/xyz"] +imagetwist.com##a[href*="/par/"] +pnn.ps##a[href*="/partners/"] +civilserviceindia.com##a[href*="/red.php?bu="] +amsterdamnews.com,sundayworld.co.za,universityaffairs.ca##a[href*="/sponsored-content/"] +biznews.com,burnabynow.com,businessdailyafrica.com,coastreporter.net,financialexpress.com,irishtimes.com,komonews.com,newwestrecord.ca,nsnews.com,prpeak.com,richmond-news.com,spokesman.com##a[href*="/sponsored/"] distrowatch.com##a[href*="3cx.com"] -bossmp3.in,heromaza.in,wapking.site##a[href*=":80/key/?id="] -mathwarehouse.com,sowetanlive.co.za##a[href*="?affiliateid="] -kickass.cx##a[href*="?q="] -lawctopus.com##a[href*="?utm_source="] -analyticsvidhya.com##a[href*="AVads"] -distrowatch.com##a[href*="acunetix.com"] -lawctopus.com##a[href*="alc.edu.in/Lawctopus"] -worldfree4u.lol##a[href*="clksite.com/"] -snaptest.org##a[href*="edutourism.in/?utm_source=snapportalemail"] -streamcloud.eu##a[href*="engine.4dsply.com"] -encyclopediadramatica.rs##a[href*="http://torguard.net/aff.php"] -threepercenternation.com##a[href*="https://pro."] -snaptest.org##a[href*="indianbank.net.in/jsp/startIB.jsp"] -deadline.com##a[href*="javascript:"] -horriblesubs.info##a[href*="jlist.com"] -scotch.io##a[href*="leanpub.com"] img -imdb.com##a[href*="page-action=offsite-amazon"] -medicaldialogues.in##a[href*="sanjeevanhospital.com"] > img:only-child -medicaldialogues.in##a[href*="sanjeevanhospital.in"] > img:only-child -scotch.io##a[href*="synd.co"] img -smallseotools.com##a[href*="tinyurl.com"] +97rock.com,wedg.com##a[href*="716jobfair.com"] +cript.to##a[href*="8stream-ai.com"] +uploadrar.com##a[href*="?"][target="_blank"] +pc-games.eu.org##a[href*="https://abandonelp.store"] +filefleck.com,haxnode.net,sadeempc.com,upload4earn.org,usersdrive.com##a[href*="javascript:"] +twitter.com,x.com##a[href*="src=promoted_trend_click"] +twitter.com,x.com##a[href*="src=promoted_trend_click"] + div +coolors.co##a[href*="srv.Buysellads.com"] unitconversion.org##a[href="../noads.html"] -encyclopediadramatica.rs##a[href="//encyclopediadramatica.rs/sparta.html"] -insidefacebook.com##a[href="/advertise"] -fooooo.com##a[href="/bannerClickCount.php"] -opensubtitles.org##a[href="/en/aoxwnwylgqtvicv"] -mailinator.com##a[href="/soget.jsp"] -dlldll.com##a[href="/stw_lp/fmr/"] -swatchseries.to##a[href="/westworld-watch.html"] -designtaxi.com##a[href="advertise.html"] -didyoumean-generator.com##a[href="go.php"] -thejointblog.com##a[href="http://42grow.com"] > img -activistpost.com##a[href="http://activistpost.net/thrivemarket.html"] -addgadgets.com##a[href="http://addgadgets.com/mcafee-internet-security/"] -thejointblog.com##a[href="http://autoseeds.com/"] > img -coolheadtech.com##a[href="http://coolhead.tech/ringcentral-for-google"] -encyclopediadramatica.rs##a[href="http://encyclopediadramatica.rs/webcamgirls.html"] -tny.cz##a[href="http://followshows.com?tp"] -tf2maps.net##a[href="http://forums.tf2maps.net/payments.php"] -proxylistpro.com##a[href="http://goo.gl/"] -bazoocam.org##a[href="http://kvideo.org"] -moviefather.com##a[href="http://moviefather.com/watchonline.php"] -my.rsscache.com##a[href="http://nimbb.com"] -soft32.com##a[href="http://p.ly/regbooster"] -infowars.com##a[href="http://prisonplanet.tv/"] -propakistani.pk##a[href="http://propakistani.pk/sms/"] -gooddrama.net##a[href="http://spendcrazy.net"] -adrive.com##a[href="http://stores.ebay.com/Berkeley-Communications-Corporation"] -freetv.tv##a[href="http://tvoffer.etvcorp.track.clicksure.com"] -vidbear.com##a[href="http://videoworldx.com"] -torrentfreak.com##a[href="http://vuze.com/"] -thejointblog.com##a[href="http://www.bombseeds.nl/"] > img -hscripts.com##a[href="http://www.buildmylink.com"] -hon3yhd.com##a[href="http://www.cyber-planet.in"] -diablo3builds.com##a[href="http://www.diablo3builds.com/bc"] -dirwell.com##a[href="http://www.dirwell.com/submit.php"] -dllerrors-fix.com##a[href="http://www.dllerrors-fix.com/Download.php"] -techotopia.com##a[href="http://www.ebookfrenzy.com"] -iphonecake.com##a[href="http://www.filepup.net/get-premium.php"] -interupload.com##a[href="http://www.fileserving.com/"] -dexerto.com##a[href="http://www.gfuel.com/"] -geocities.ws##a[href="http://www.gridhoster.com/?geo"] -financialsurvivalnetwork.com##a[href="http://www.hardassetschi.com/"] -thejointblog.com##a[href="http://www.herbiesheadshop.com/"] > img -scam.com##a[href="http://www.ip-adress.com/trace_email/"] -wiiuiso.com##a[href="http://www.jobboy.com"] -lotteryextreme.com##a[href="http://www.lotteryextreme.com/info/topjackpot"] -bitrebels.com##a[href="http://www.makeupbykili.com"] -makeuseof.com##a[href="http://www.makeuseof.com/advertise/"] -dailymirror.lk##a[href="http://www.nawaloka.com/"] -ab.typepad.com##a[href="http://www.newcannabisventures.com"] -naijaborn.com##a[href="http://www.njorku.com/nigeria"] > img -ps3iso.com##a[href="http://www.pcgameiso.com"] -worldfree4u.lol##a[href="http://www.playwinz.com/"] -gogoanime.com,goodanime.eu##a[href="http://www.spendcrazy.net/"] -dosplash.com##a[href="http://www.sverve.com/dashboard/DoSplash"] -thejointblog.com##a[href="http://www.thebestsalvia.com/"] > img -free-wallpaper-download.com##a[href="http://www.thoosje.com/toolbar.html"] -thejointblog.com##a[href="http://www.unitedforcare.org/sign_up"] > img -thejointblog.com##a[href="http://www.uptowngrowlab.net/"] > img -vidbux.com##a[href="http://www.vidbux.com/ccount/click.php?id=4"] -watchop.com##a[href="http://www.watchop.com/download.php"] -ziddu.com##a[href="http://wxdownloadmanager.com/zdd/"] -zmea-log.blogspot.com##a[href="http://zmea-log.blogspot.com/p/rapids-for-sale.html"] -wemineall.com,wemineltc.com##a[href="https://diceliteco.in"] -ummah.com##a[href="https://quranforkids.org/registration/"] -vpsboard.com##a[href="https://vpsboard.com/advertise.html"] -ugotfile.com##a[href="https://www.astrill.com/"] -cloudvideo.tv##a[href="https://www.myvpn.review"] -meta-calculator.com,meta-chart.com##a[href="https://www.penjee.com"] -time4hemp.com##a[href="https://www.seriousseeds.com/"] -allmyvideos.net##a[href] > img[id] -crackingpatching.com##a[href][onclick][rel] -horriblesubs.info,naturalnews.com,naturalnewsblogs.com##a[href][rel="nofollow"] -eztv.io##a[href][target="_blank"] -rarbg.to,rarbg.unblockall.org,rarbgaccess.org,rarbgmirror.com,rarbgmirror.org,rarbgmirror.xyz,rarbgproxy.com,rarbgproxy.org,rarbgunblock.com##a[href][target="_blank"] > button -idm-crack-patch.com##a[href^=" http://backkeyconsole.com/"] -akstream.video##a[href^="../hd/movie.php?"] -ogsi.it##a[href^="//adbit.co/?a=Advertise"] -thepiratebay.org,tpb.run,ukpirate.org##a[href^="//cdn.bitx.tv/"] -doubleclick.net##a[href^="//dp.g.doubleclick.net/apps/domainpark/"] -smallseotools.com##a[href^="//goo.gl/"] -strikeout.co##a[href^="/?open="] -rapidog.com##a[href^="/adclick.php"] -sweflix.net,sweflix.to##a[href^="/adrotate.php?"] -shroomery.org##a[href^="/ads/ck.php?"] -metrolyrics.com##a[href^="/ads/track.php"] -shroomery.org##a[href^="/ads/www/delivery/"] -scoop.co.nz##a[href^="/adsfac.net/link.asp?"] -facebook.com##a[href^="/ajax/emu/end.php?"] -icmag.com##a[href^="/banners.php?"] -rsbuddy.com##a[href^="/campaign/click_"] -business-standard.com##a[href^="/click-tracker/textlink/"] -nairaland.com##a[href^="/click/"] -saigoneer.com##a[href^="/component/banners/"] -hpcwire.com##a[href^="/ct/e/"] -resettoo.com##a[href^="/dl.php"] -torrentfunk.com##a[href^="/dltor3/"] -ebook3000.com##a[href^="/download/"] -merdb.ru##a[href^="/external.php?gd=0&"] -yourbittorrent.com##a[href^="/extra/"] -tampermonkey.net##a[href^="/f.php?f="] -tor-cr.com##a[href^="/get-download2/"] -onlinepokerreport.com,yourbittorrent.com##a[href^="/go/"] -bts.ph##a[href^="/goto_.php?"] -torrentz2.eu,torrentz2.is##a[href^="/inago_.php"] -lightreading.com##a[href^="/lg_redirect.asp?piddl_lgid_docid="] -downloadhelper.net##a[href^="/liutilities.php"] -1337x.to##a[href^="/mirror"] -sharedir.com##a[href^="/out.php?"] -freedomhacker.net##a[href^="/out/"] -lightreading.com##a[href^="/partner-perspectives/"] -esportlivescore.com##a[href^="/r/"] -airliners.net##a[href^="/rad_results.main?"] -torrentv.org##a[href^="/rec/"] -imdb.com##a[href^="/rg/action-box-title/buy-at-amazon/"] -1337x.to##a[href^="/stream/"] -torrentfunk.com##a[href^="/tor2/"] -torrentfunk.com##a[href^="/tor3/"] -kickasstorrents.to##a[href^="/torrents/Download"] -stuff.co.nz##a[href^="/track/click/"] -torrentproject2.se##a[href^="/vpn/"] -womenspress.com##a[href^="Redirect.asp?UID="] -474747.net##a[href^="ad"] +osradar.com##a[href="http://insiderapps.com/"] +dailyuploads.net##a[href="https://aptoze.com/"] +tpb.party##a[href="https://mysurferprotector.com/"] +smalldev.tools##a[href="https://sendit.arcana.network"] +pc-games.eu.org##a[href="javascript:void(0)"] +igg-games.com,pcgamestorrents.com##a[href][aria-label=""], [width="300"][height^="25"], [width="660"][height^="8"], [width="660"][height^="7"] +techporn.ph##a[href][target*="blank"] +rarbgaccess.org,rarbgmirror.com,rarbgmirror.org,rarbgproxy.com,rarbgproxy.org,rarbgunblock.com,rarbgunblocked.org##a[href][target="_blank"] > button +tractorbynet.com##a[href][target="_blank"] > img[class^="attachment-large"] +codapedia.com##a[href^="/ad-click.cfm"] +bestoftelegram.com##a[href^="/ads/banner_ads?"] +graphic.com.gh##a[href^="/adverts/"] +audiobookbay.is##a[href^="/dl-14-days-trial"] +kickasstorrents.to##a[href^="/download/"] +kinox.lat##a[href^="/engine/player.php"] +torrentgalaxy.to##a[href^="/hx?"] +limetorrents.lol##a[href^="/leet/"] +pcgamestorrents.com##a[href^="/offernf"] +tehrantimes.com##a[href^="/redirect/ads/"] xbox-hq.com##a[href^="banners.php?"] -downloadhelper.net##a[href^="free-driver-scan.php"] -rom-freaks.net##a[href^="gotomirror-"] -thefilebay.com##a[href^="http://91.205.157.43/"] -heroturko.org##a[href^="http://MyDownloadHQ.com/index.asp?PID="] -userscloud.com##a[href^="http://a.centerwebicemeta.biz/"] -newssun.com##a[href^="http://access.newssun.com/b_cl.php?"] -bayfiles.com##a[href^="http://ad.propellerads.com/"] -unawave.de##a[href^="http://ad.zanox.com/"] -reading107fm.com,three.fm##a[href^="http://adclick.g-media.com/"] -jdownloader.org##a[href^="http://adcolo.com/ad/"] -autodealer.co.za##a[href^="http://ademag.co.za/"] -extremefile.com##a[href^="http://adf.ly/"] -depositfiles.com,dfiles.eu##a[href^="http://ads.depositfiles.com/"] -hindilinks4u.to##a[href^="http://ads.hindilinks4u.to/"] -howproblemsolution.com##a[href^="http://ads.howproblemsolution.com/"] -deviantart.com##a[href^="http://advertising.deviantart.com/"] -thesearchenginelist.com##a[href^="http://affiliate.buy.com/gateway.aspx?"] -smallbusinessbrief.com##a[href^="http://affiliate.wordtracker.com/"] -soundtrackcollector.com,the-numbers.com##a[href^="http://affiliates.allposters.com/"] -freebetcodes.info##a[href^="http://affiliates.galapartners.co.uk/"] -justhungry.com##a[href^="http://affiliates.jlist.com/"] -news24.com##a[href^="http://affiliates.trafficsynergy.com/"] -gematsu.com##a[href^="http://aksysgames.com/"] -premiumtimesng.com##a[href^="http://allhealthsol.com/"] -bizarrepedia.com,crodict.com##a[href^="http://amzn.to/"] -parentherald.com##a[href^="http://amzn.to/"] > img -animetake.com##a[href^="http://anime.jlist.com/click/"] -torrent-invites.com##a[href^="http://anonym.to?http://www.seedmonster.net/clientarea/link.php?id="] -speedvideo.net##a[href^="http://api.adlure.net/"] -lyriczz.com##a[href^="http://app.toneshub.com/"] -datafilehost.com,load.to##a[href^="http://applicationgrabb.net/"] -datafilehost.com##a[href^="http://b.contractallsinstance.info/"] -movie4me.fun##a[href^="http://bestresultmob1le.com/"] -thetvdb.com##a[href^="http://billing.frugalusenet.com/"] -ancient-origins.net,wideopenspaces.com##a[href^="http://bit.ly/"] > img -themediafire.com##a[href^="http://bit.ly/"] > img[src^="http://i.imgur.com/"] -bitminter.com##a[href^="http://bitcasino.io?ref="] -leasticoulddo.com##a[href^="http://blindferret.clickmeter.com/"] -lowyat.net##a[href^="http://bs.serving-sys.com"] -torrentfreak.com##a[href^="http://btguard.com/"] -betootaadvocate.com##a[href^="http://budgysmuggler.com.au"] > img -downforeveryoneorjustme.com##a[href^="http://bweeb.com/"] -designtaxi.com##a[href^="http://bza.co/buy/"] -zomganime.com##a[href^="http://caesary.game321.com/"] -animenewsnetwork.com##a[href^="http://cf-vanguard.com/"] -commitstrip.com##a[href^="http://chooseyourboss.com/?utm_source="] -quuit.com##a[href^="http://classic.thumbplay.com/join/"] -guru99.com,thetruthwins.com,weddingmuseum.com##a[href^="http://click.linksynergy.com/"] -maxthon.com##a[href^="http://click.v9.com/"] -unawave.de##a[href^="http://clix.superclix.de/"] -heraldscotland.com,tmz.com##a[href^="http://clk.atdmt.com/"] -msn.com##a[href^="http://clk.tradedoubler.com/"] -absoluteradio.co.uk,mkfm.com##a[href^="http://clkuk.tradedoubler.com/click?"] -dot-bit.org##a[href^="http://coinabul.com/?a="] -gas2.org##a[href^="http://costofsolar.com/?"] -powvideo.net##a[href^="http://creative.ad127m.com/"] -idm-crack-patch.com##a[href^="http://databass.info"] -armslist.com##a[href^="http://delivery.tacticalrepublic.com/"] -ebookw.com##a[href^="http://dlguru.com/"] -dllnotfound.com##a[href^="http://dllnotfound.com/scan.php"] -majorgeeks.com##a[href^="http://download.iobit.com/"] -dvdtalk.com##a[href^="http://dvdtalk.pricegrabber.com/"] -gosugamers.net##a[href^="http://ebettle.com/"] -tampermonkey.net##a[href^="http://ecosia.co/"] -ucas.com##a[href^="http://eva.ucas.com/s/redirect.php?ad="] -flashvids.org##a[href^="http://flashvids.org/click/"] -forumpromotion.net##a[href^="http://freebitco.in/?r="] -hotfile.mobi##a[href^="http://games.kobrawap.co.uk/"] -jpost.com##a[href^="http://gdeil.hit.gemius.pl/"] -pcgamesn.com##a[href^="http://geni.us/"] -armorgames.com,getios.com,iamdisappoint.com,myrls.se,nypost.com,odiamusic.mobi,shitbrix.com,speakbet.com,tattoofailure.com,techotopia.com,tempobet300.net,theedge.co.nz,thehackernews.com,thevoicebw.com,wapking.cc,waploft.com##a[href^="http://goo.gl/"] -ancient-origins.net,wideopenspaces.com##a[href^="http://goo.gl/"] > img -smallseotools.com##a[href^="http://grammarly.com/"] -kinox.to##a[href^="http://hd-streams.tv/"] -hotfiletrend.com##a[href^="http://hotfiletrend.com/c.php?"] -querverweis.net##a[href^="http://is.gd/"] -quuit.com##a[href^="http://itunes.apple.com/"] -minecraftprojects.net##a[href^="http://jmp2.am/"] -serials.ws,userscloud.com##a[href^="http://jobsetter.info/"] -labor411.org##a[href^="http://labor411.org/linkout/"] -whatismyip.com##a[href^="http://link.pcspeedup.com/aff_"] -winaero.com,windowslatest.com##a[href^="http://link.tweakbit.com/"] -linuxforums.org##a[href^="http://linuxforums.tradepub.com/"] -warriorforum.com##a[href^="http://list-mob.com/"] > img -yourbittorrent.com##a[href^="http://livedowngreen.com/"] -d-h.st##a[href^="http://lp.sharelive.net/"] -psnprofiles.com##a[href^="http://manage.aff.biz/"] -time4hemp.com##a[href^="http://marinalliance.club/"] -boyantech.com##a[href^="http://marketing.net.jumia.com.ng/"] -carpoint.com.au##a[href^="http://mm.carsales.com.au/carsales/adclick/"] -mmohuts.com##a[href^="http://mmo-it.com/"] -justhungry.com##a[href^="http://moe.jlist.com/click/"] -thejointblog.com##a[href^="http://movieandmusicnetwork.com/content/cg/"] > img -moviearchive.eu##a[href^="http://moviearchive.sharingzone.net/"] -who.is##a[href^="http://name.market/?utm_source="] -mobilust.net##a[href^="http://nicevid.net/?af="] -geekculture.co##a[href^="http://notionseo.com/"] -torrentfunk.com##a[href^="http://o.gng-dl.pw/"] -azcentral.com##a[href^="http://phoenix.dealchicken.com/"] -vr-zone.com##a[href^="http://pikachu.vr-zone.com.sg/"] -downdlz.com,downeu.org,serials.ws##a[href^="http://pushtraffic.net/TDS/?wmid="] -rarbg.to,rarbg.unblockall.org,rarbgaccess.org,rarbgmirror.com,rarbgmirror.org,rarbgmirror.xyz,rarbgproxy.com,rarbgproxy.org,rarbgunblock.com##a[href^="http://putrr14.com/"] -vodly.to##a[href^="http://r.lumovies.com/"] -boingboing.net##a[href^="http://r1.fmpub.net/?r="] -topbet.eu##a[href^="http://record.tbaffiliate.com/"] -toolsvoid.com##a[href^="http://ref.name.com/"] -tdhe.eu,vipboxe.com,vipboxme.eu##a[href^="http://refpa.top/"] -nextofwindows.com##a[href^="http://remotedesktopmanager.com/?utm_source="] -richkent.com##a[href^="http://richkent.com/uses/"] -cartype.com,maxthon.com,mobygames.com,psu.com##a[href^="http://rover.ebay.com/"] -latestgadgets.tech##a[href^="http://s.click.aliexpress.com/e/"] -soundtrackcollector.com##a[href^="http://search.ebay.com/"] -msn.com##a[href^="http://searchads.msn.net/"] -dulfy.net##a[href^="http://send.onenetworkdirect.net/"] -thejointblog.com##a[href^="http://sensiseeds.com/refer.asp?refid="] > img -share-links.biz##a[href^="http://share-links.biz/redirect/"] -search.com##a[href^="http://shareware.search.com/click?"] -merdb.ru##a[href^="http://shineads.net/"] -media1fire.com##a[href^="http://siement.info/"] -filetie.net##a[href^="http://softwares2015.com/"] -thejointblog.com##a[href^="http://speedweed.com/_clicktracker.php?code="] > img -uvnc.com##a[href^="http://sponsor2.uvnc.com"] -uvnc.com##a[href^="http://sponsor4.uvnc.com/"] -hltv.org##a[href^="http://sports.betway.com/"] -mp3monkey.net##a[href^="http://srv.tonefuse.com/showads/"] -isaumya.com##a[href^="http://studiotracking.envato.com/aff_c?offer_id="] -5x.to##a[href^="http://support.suc-team.info/aff.php"] -majorgeeks.com##a[href^="http://systweak.com/"] -tv.com##a[href^="http://target.georiot.com/"] -strata40.megabyet.net##a[href^="http://tiny.cc/freescan"] -kinox.to,openload.tv,serialbase.us,serialzz.us,tubeoffline.com##a[href^="http://tinyurl.com/"] -todaypk.com##a[href^="http://todaypk.com/movie4k/"] -sharelinks.xyz##a[href^="http://todaypk.com/watch/?"] -encyclopediadramatica.rs##a[href^="http://torguard.net/"] -catmo.ru##a[href^="http://torrentindex.org/"] -torrentroom.com##a[href^="http://torrentroom.net/afbc/"] -20somethingfinance.com##a[href^="http://track.flexlinks.com/a.ashx?"] -yourbittorrent.com##a[href^="http://track.scanguard.com/"] -lolking.net##a[href^="http://track.strife.com/?"] -lmgtfy.com##a[href^="http://tracking.livingsocial.com/aff_c?"] -sumotorrent.sx##a[href^="http://trafficlord.net/"] -tulsaworld.com##a[href^="http://tulsaworld.autoracing.upickem.net/autoracing/"] -ugotfile.com##a[href^="http://ugotfile.com/affiliate?"] -uncova.com##a[href^="http://uncova.com/adClick/"] -serials.ws##a[href^="http://unlimitedloads.com/"] -pandaapp.com##a[href^="http://vda.gtarcade.com/?q="] -wakingtimes.com##a[href^="http://wakingtimes.com/ads/"] -imagenpic.com,imageshimage.com,imagetwist.com##a[href^="http://wct.link/"] -shelbystar.com##a[href^="http://web.gastongazette.com/advertising/"] -windows7themes.net##a[href^="http://windows7themes.net/creatives2/"] -webdesignshock.com##a[href^="http://www.123rf.com"] -serials.ws##a[href^="http://www.1clickmoviedownloader.net/"] -soundtrackcollector.com##a[href^="http://www.MovieGoods.com/?mgaid="] -softwaresplus.com##a[href^="http://www.ad2links.com/"] -babelzilla.org##a[href^="http://www.addonfox.com/"] -printroot.com##a[href^="http://www.adgz.net/"] -jordantimes.com##a[href^="http://www.aigcmiddleast.com/ads"] -thehackernews.com##a[href^="http://www.alienvault.com/"] -alluc.com##a[href^="http://www.alluc.com/source/unl.php"] -distrowatch.com,dvdtalk.com,soundtrackcollector.com##a[href^="http://www.amazon."][href*="/obidos/ASIN/"] -absoluteradio.co.uk,aol.co.uk,azlyrics.com,cloudfront.net,dailypaul.com,desktoplinuxreviews.com,dvdtalk.com,ign.com,indiatimes.com,jimlynch.com,maxthon.com,mkfm.com,mobygames.com,mydramalist.info,mysearch.com,myway.com,opensubtitles.org,policestateusa.com,quuit.com,seganerds.com,songfacts.com,tv.com,unz.com,wccftech.com##a[href^="http://www.amazon."][href*="tag="] -hqwallpapers4free.com##a[href^="http://www.anno1777.com/index.php?i="] -macdailynews.com,myway.com##a[href^="http://www.anrdoezrs.net/click-"] -renewcanceltv.com##a[href^="http://www.appsdl.site/"] > img -kusc.org,publicradio.org,weta.org##a[href^="http://www.arkivmusic.com/"] -aspkin.com##a[href^="http://www.aspkin.com/go/"] -dumbassdaily.com##a[href^="http://www.badjocks.com"] -bitcoinukforum.com##a[href^="http://www.betcoinpartners.com/"] -freetv-video.ca##a[href^="http://www.bhmfinancial.com/"] -bingo-hunter.com##a[href^="http://www.bingo3x.com/main.php"] -rghost.net##a[href^="http://www.binverse.com"] -torrentfreak.tv##a[href^="http://www.binverse.com/offers/"] -freebitco.in##a[href^="http://www.bitcoininsanity.com/affiliates/"] -bitlordsearch.com##a[href^="http://www.bitlordsearch.com/bl/fastdibl.php?"] -usenet-crawler.com##a[href^="http://www.cash-duck.com/"] -soundtrackcollector.com##a[href^="http://www.cdandlp.com/"][href*="&affilie=filmmusic"] -gsmarena.com##a[href^="http://www.cellpex.com/affiliates/"] -onlinefreetv.net##a[href^="http://www.chitika.com/publishers/apply?refid="] -cryptothrift.com##a[href^="http://www.coinographic.com/"] -india.com##a[href^="http://www.compareraja.in/"] -majorgeeks.com##a[href^="http://www.compatdb.org/"] -feed-the-beast.com##a[href^="http://www.creeperhost.net/aff.php?aff="] -tulsaworld.com##a[href^="http://www.dailydealtulsa.com/deal/"] -blackhatlibrary.net##a[href^="http://www.darkexile.com/forums/index.php?action=affiliates"] -vgleaks.com##a[href^="http://www.dhgate.com/"] -serials.ws##a[href^="http://www.dl-provider.com/"] -dlh.net##a[href^="http://www.dlh.net/advs/www/delivery/ck.php?"] -pdf-giant.com##a[href^="http://www.downloadprovider.me/"] -diply.com##a[href^="http://www.dplserve.com/"] -bootstrike.com,dreamhosters.com,howtoblogcamp.com##a[href^="http://www.dreamhost.com/r.cgi?"] -techotopia.com##a[href^="http://www.ebookfrenzy.com/"] -sina.com##a[href^="http://www.echineselearning.com/"] -betterhostreview.com##a[href^="http://www.elegantthemes.com/affiliates/"] -professionalmuscle.com##a[href^="http://www.elitefitness.com/g.o/"] -internetslang.com##a[href^="http://www.empireattack.com"] -lens101.com##a[href^="http://www.eyetopics.com/"] -mercola.com##a[href^="http://www.fatswitchbook.com/"] > img -omegleconversations.com##a[href^="http://www.freecamsexposed.com/"] -liveleak.com##a[href^="http://www.freemake.com/"] -fxsforexsrbijaforum.com##a[href^="http://www.fxlider.com/lp4/9-koraka-do-zarade/?tag="] > img -rpgcodex.net##a[href^="http://www.gog.com/?pp="] -bootstrike.com##a[href^="http://www.gog.com/en/frontpage/?pp="] -smallseotools.com##a[href^="http://www.grammarly.com/"] -bingo-hunter.com##a[href^="http://www.harrysbingo.co.uk/index.php"] -htcsource.com##a[href^="http://www.htcsimunlock.com/"] -ragezone.com##a[href^="http://www.hyperfilter.com/panel/link.php?id="] -guns.ru##a[href^="http://www.impactguns.com/cgi-bin/affiliates/"] -softpedia.com##a[href^="http://www.iobit.com/"] -jewishpress.com##a[href^="http://www.jewishpress.com/addendum/sponsored-posts/"] -ps3iso.com##a[href^="http://www.jobboy.com/index.php?inc="] -macdailynews.com,myway.com,thesearchenginelist.com,web-cam-search.com##a[href^="http://www.kqzyfj.com/"] -hotbollywoodactress.net##a[href^="http://www.liposuctionforall.com/"] -livescore.cz##a[href^="http://www.livescore.cz/go/click.php?"] -majorgeeks.com##a[href^="http://www.majorgeeks.com/compatdb"] -emaillargefile.com##a[href^="http://www.mb01.com/lnk.asp?"] -sing365.com##a[href^="http://www.mediataskmaster.com"] -htmlgoodies.com##a[href^="http://www.microsoft.com/click/"] -theringer.com##a[href^="http://www.millerlite.com/"] -armorgames.com##a[href^="http://www.mmo123.co/"] +iamdisappoint.com,shitbrix.com,tattoofailure.com##a[href^="http://goo.gl/"] +notbanksyforum.com##a[href^="http://l-13.org/"] +wjbc.com##a[href^="http://sweetdeals.com/bloomington/deals"] +notbanksyforum.com##a[href^="http://www.ebay.co.uk/usr/heartresearchuk_shop/"] +1280wnam.com##a[href^="http://www.milwaukeezoo.org/visit/animals/"] 2x4u.de##a[href^="http://www.myfreecams.com/?baf="] -wonkette.com##a[href^="http://www.newsmax.com?promo_code="] -cnn.com##a[href^="http://www.nextadvisor.com/"] -netmarketshare.com##a[href^="http://www.ns8.com?"] -masterani.me##a[href^="http://www.nutaku.com/signup/landing/"] -kaaz.eu##a[href^="http://www.offersfair.com/"] -aol.com##a[href^="http://www.opselect.com/ad_feedback/"] -davidwalsh.name##a[href^="http://www.oreilly.com/pub/"] -distrowatch.com##a[href^="http://www.osdisc.com/"] -shareplace.org##a[href^="http://www.pc-bodyguard.com/?p="] -majorgeeks.com##a[href^="http://www.pctools.com/"] -pinknews.co.uk##a[href^="http://www.pinknews.co.uk/clicks/"] -internetslang.com##a[href^="http://www.pointlesssites.com"] -myway.com##a[href^="http://www.popswatter.com/?partner="] -magnetdl.com##a[href^="http://www.privateinternetaccess.com/"] -bestgore.com##a[href^="http://www.punishtube.com/"] -tomsguide.com,tomshardware.co.uk,tomshardware.com##a[href^="http://www.purch.com/perks?"] -publichd.se##a[href^="http://www.putdrive.com/?"] -mg-rover.org##a[href^="http://www.quotezone.co.uk/SetAffiliate.php?aid="] -majorgeeks.com##a[href^="http://www.reimageplus.com/includes/router_land.php"] -tweaking.com##a[href^="http://www.reimageplus.com/includes/router_land.php?"] -fxsforexsrbijaforum.com##a[href^="http://www.rfxt.com.au/"] > img rpg.net##a[href^="http://www.rpg.net/ads/"] -gruntig.net##a[href^="http://www.sellmilesnow.com"] > img -oss.oetiker.ch##a[href^="http://www.serverscheck.com/sensors?"] -blogengage.com,isaumya.com,myanimelist.net##a[href^="http://www.shareasale.com/r.cfm?"] -wpdailythemes.com##a[href^="http://www.shareasale.com/r.cfm?b="] > img -bestgore.com##a[href^="http://www.slutroulette.com/"] -softpedia.com##a[href^="http://www.softpedia.com/aout.php"] -softpedia.com##a[href^="http://www.softpedia.com/yout.php"] -findsounds.com##a[href^="http://www.soundsnap.com/search/"] -spaste.com##a[href^="http://www.spaste.com/redirect.php"] -drum.co.za,you.co.za##a[href^="http://www.spree.co.za/"] -kenrockwell.com##a[href^="http://www.steeletraining.com/idevaffiliate/idevaffiliate.php"] -azlyrics.com##a[href^="http://www.ticketnetwork.com/"] -egigs.co.uk##a[href^="http://www.ticketswitch.com/cgi-bin/web_finder.exe"] -macobserver.com,mailinator.com,tundraheadquarters.com##a[href^="http://www.tkqlhce.com/"] -limetorrents.co,torrentdownloads.me##a[href^="http://www.torrentindex.org/"] -tri247.com##a[href^="http://www.tri247ads.com/"] -tsbmag.com##a[href^="http://www.tsbmag.com/wp-content/plugins/max-banner-ads-pro/"] -tvduck.com##a[href^="http://www.tvduck.com/graboid.php"] -tvduck.com##a[href^="http://www.tvduck.com/netflix.php"] -linuxformat.com##a[href^="http://www.ukfast.co.uk/linux-jobs.html/#utm_source="] -codecguide.com,downloadhelper.net,dvdshrink.org,thewindowsclub.com##a[href^="http://www.uniblue.com/"] -distrowatch.com##a[href^="http://www.unixstickers.com/"] -thejointblog.com##a[href^="http://www.vapornation.com/?="] > img -thejointblog.com##a[href^="http://www.weedseedshop.com/refer.asp?refid="] > img -womenspress.com##a[href^="http://www.womenspress.com/Redirect.asp?"] -wptmag.com##a[href^="http://www.wptmag.com/promo/"] -youtube.com##a[href^="http://www.youtube.com/cthru?"] -datafilehost.com##a[href^="http://zilliontoolkitusa.info/"] -dulfy.net##a[href^="https://a2g-secure.com/"] -msn.com##a[href^="https://afflnk.microsoft.com/"] -msn.com,u.gg##a[href^="https://amzn.to/"] -yahoo.com##a[href^="https://beap.adss.yahoo.com/"] -yahoo.com##a[href^="https://beap.gemini.yahoo.com/mbclk?"][target="_blank"] -blockchain.info##a[href^="https://blockchain.info/r?url="] > img -indiatimes.com##a[href^="https://bnc.lt/"] -cnn.com##a[href^="https://ck.lendingtree.com/"] -sassymanila.com##a[href^="https://click.linksynergy.com/"] -inquirer.net##a[href^="https://clk.omgt3.com/"] -activistpost.com##a[href^="https://coinbase.com/?r="] -deconf.com##a[href^="https://deconf.com/out/"] -codeproject.com##a[href^="https://dm.codeproject.com/"] -japantoday.com##a[href^="https://go.injapan.com/"] -speedtest.net,torrentfunk.com##a[href^="https://go.nordvpn.net/"] -bitcoinmagazine.com##a[href^="https://godistributed.com/trade?"] -9jaflaver.com,9to5google.com,9to5mac.com,9to5toys.com,bulbagarden.net,dailynews.lk,dexerto.com,diply.com,electrek.co,herald.ca,hltv.org,kuwaittimes.net,pcgamesn.com,smallseotools.com,smarteranalyst.com,socialeurope.eu,sundayobserver.lk,thehackernews.com,thenationonlineng.net,threepercenternation.com,torrentdownload.ch,torrentdownloads.me,tribuneonlineng.com,vumafm.co.za,wheremilan.com##a[href^="https://goo.gl/"] -userscdn.com##a[href^="https://hostdzire.com/billing/aff.php?"] -dailyuploads.net,douploads.com##a[href^="https://href.li/"] -capricornfm.co.za,jazzfm.com,readmng.com##a[href^="https://itunes.apple.com/"] -circuitdigest.com##a[href^="https://jlcpcb.com/"] -facebook.com##a[href^="https://l.facebook.com/"][href*="%2526ad_id%"] -bolly4u.pro##a[href^="https://miastina.pw/"] -mmos.com##a[href^="https://mmos.com/play/"] -conservativetribune.com,mindsetforsuccess.net##a[href^="https://my.leadpages.net/"] -windowslatest.com##a[href^="https://pdf.iskysoft.com/"] -readmng.com##a[href^="https://play.google.com/"] -ouo.io##a[href^="https://pmzer.com/"] -thehornnews.com##a[href^="https://pro.healthrevelations.net/"] -thehornnews.com##a[href^="https://pro.hsionlineorders.net/"] -thehornnews.com##a[href^="https://pro.northstarorders.net/"] -thehornnews.com##a[href^="https://pro.nutritionandhealing.com/"] -renewcanceltv.com##a[href^="https://rebrand.ly/"] -mysearch.com,myway.com##a[href^="https://redirect.viglink.com"] -time4hemp.com##a[href^="https://referral.robinhood.com/"] -ouo.io##a[href^="https://rev4rtb.com/"] -aol.co.uk##a[href^="https://rover.ebay.com/"] -swatchseries.to##a[href^="https://s3.amazonaws.com/www.123moviess.me/"] -247sports.com##a[href^="https://servedby.flashtalking.com/"] -turtleboysports.com##a[href^="https://shiva4senate.com/product/"] -cnn.com##a[href^="https://smartasset.com/"] -pdevice.com##a[href^="https://t.cfjump.com/"] > img -time4hemp.com##a[href^="https://time4hemp.com/buy-cannabis-stocks/"] -mikymoons.com##a[href^="https://top9space.com/"] -encyclopediadramatica.rs##a[href^="https://torguard.net/"] -torrents.me##a[href^="https://torrents.me/out/"] -zorrostream.com##a[href^="https://wl1xbet.adsrv.eacdn.com/"] -leo.org##a[href^="https://www.advertising.de/"] -pcgamesn.com,scaredstiffreviews.com##a[href^="https://www.amazon."][href*="ref="] -9to5google.com,9to5mac.com,9to5toys.com,amgreatness.com,ancient-origins.net,aol.co.uk,arstechnica.com,catholicculture.org,electrek.co,gamenguide.com,ign.com,indianexpress.com,lewrockwell.com,livescience.com,macworld.co.uk,marineelectronics.com,marinelink.com,marinetechnologynews.com,maritimejobs.com,maritimeprofessional.com,maritimepropulsion.com,myanimelist.net,mydramalist.com,oneangrygamer.net,parentherald.com,pcgamer.com,segmentnext.com,spartareport.com,ssbcrack.com,techradar.com,thewirecutter.com,wonkette.com,yachtingjournal.com##a[href^="https://www.amazon."][href*="tag="] -cnn.com##a[href^="https://www.bankrate.com/"] -tampermonkey.net##a[href^="https://www.bitcoin.de/"] -canalwp.com##a[href^="https://www.canalwp.com/refer/"] -bitminter.com##a[href^="https://www.cloudbet.com/en/?af_token="] -benzinga.com,cnn.com##a[href^="https://www.comparecards.com/"] -techotopia.com##a[href^="https://www.createspace.com/"] -brecorder.com##a[href^="https://www.dhgate.com/"] -escapefromobesity.net##a[href^="https://www.dietdirect.com/rewardsref/index/refer/"] -techotopia.com##a[href^="https://www.e-junkie.com/ecom/"] -blacklistednews.com##a[href^="https://www.fincabayano.net/"] -torrentz2.eu,torrentz2.is##a[href^="https://www.get-express-vpn.com/torrent-vpn?"] -time4hemp.com##a[href^="https://www.gorilla-cannabis-seeds.co.uk/"] -smallseotools.com##a[href^="https://www.grammarly.com"] -ynetnews.com##a[href^="https://www.hotelscombined.co.il/"] -koditips.com##a[href^="https://www.ipvanish.com/"] -cnn.com##a[href^="https://www.lendingtree.com/"] -ragezone.com##a[href^="https://www.leovegas.com/"] -conservativereview.com##a[href^="https://www.levintv.com/?utm_source="] -linkbucks.com##a[href^="https://www.linkbucks.com/advertising"] -watchallchannels.com##a[href^="https://www.linkev.com/?a_fid="] -meta-calculator.com,meta-chart.com##a[href^="https://www.mathway.com/"] -metal-archives.com##a[href^="https://www.metal-archives.com/affiliate/"] -cnn.com##a[href^="https://www.myfinance.com/"] -freenode.org,magnetdl.com,rarbg.to,rarbgmirror.com,rarbgproxy.com##a[href^="https://www.privateinternetaccess.com/"] -xscores.com##a[href^="https://www.rivalo1.com/?affiliateId="] -geekzone.co.nz##a[href^="https://www.wrike.com/?r="] -ynetnews.com##a[href^="https://www.xplorer.co.il/"] -youtube.com##a[href^="https://www.youtube.com/cthru?"] -fanfox.net##a[href^="https://z6store.com/"] -krapps.com##a[href^="index.php?adclick="] -filefleck.com,hit2k.com,sadeempc.com,torrentfunk.com,upload4earn.org,vidtodo.com,yourbittorrent.com##a[href^="javascript:"] -piratebay.to##a[href^="magnet:"] + a -movietv4u.pro##a[href^="stream4k.php?q="] -essayscam.org##a[id^="banner_"] +warm98.com##a[href^="http://www.salvationarmycincinnati.org"] +tundraheadquarters.com##a[href^="http://www.tkqlhce.com/"] +shareae.com##a[href^="https://aejuice.com/"] +coincarp.com##a[href^="https://bcgame.sk/"] +downloadhub.ltd##a[href^="https://bestbuyrdp.com/"] +detectiveconanworld.com##a[href^="https://brave.com/"] +broadwayworld.com##a[href^="https://cloud.broadwayworld.com/rec/ticketclick.cfm"] +cript.to##a[href^="https://cript.to/goto/"] +cript.to##a[href^="https://cript.to/link/"][href*="?token="] +sythe.org##a[href^="https://discord.gg/dmwatch"] +moddroid.co##a[href^="https://doodoo.love/"] +pluggedingolf.com##a[href^="https://edisonwedges.com/"] +files.im##a[href^="https://galaxyroms.net/?scr="] +egamersworld.com##a[href^="https://geni.us/"] +warm98.com##a[href^="https://giving.cincinnatichildrens.org/donate"] +disasterscans.com##a[href^="https://go.onelink.me/"] +forkast.news##a[href^="https://h5.whalefin.com/landing2/"] +fileditch.com##a[href^="https://hostslick.com/"] +douploads.net##a[href^="https://href.li/?"] +embed.listcorp.com##a[href^="https://j.moomoo.com/"] +disasterscans.com##a[href^="https://martialscanssoulland.onelink.me/"] +metager.org##a[href^="https://metager.org"][href*="/partner/r?"] +dailyuploads.net##a[href^="https://ninjapcsoft.com/"] +emalm.com##a[href^="https://offer.alibaba.com/"] +101thefox.net,957thevibe.com##a[href^="https://parisicoffee.com/"] +blix.gg##a[href^="https://partnerbcgame.com/"] +nyaa.land##a[href^="https://privateiptvaccess.com"] +metager.org##a[href^="https://r.search.yahoo.com/"] +nosubjectlosangeles.com,richardvigilantebooks.com##a[href^="https://rebrand.ly/"] +disasterscans.com##a[href^="https://recall-email.onelink.me/"] +narkive.com##a[href^="https://rfnm.io/?"] +cnx-software.com##a[href^="https://rock.sh/"] +emalm.com,linkdecode.com,up-4ever.net##a[href^="https://s.click.aliexpress.com/"] +997wpro.com##a[href^="https://seascapeinc.com/"] +cointelegraph.com##a[href^="https://servedbyadbutler.com/"] +listland.com##a[href^="https://shareasale.com/r.cfm?"] +wbnq.com,wbwn.com,wjbc.com##a[href^="https://stjude.org/radio/"] +glory985.com##a[href^="https://sweetbidsflo.irauctions.com/listing/0"] +veev.to##a[href^="https://t.ly/"] +accesswdun.com##a[href^="https://tinyurl.com"] > img +mastercomfig.com##a[href^="https://tradeit.gg/"] +scrolller.com##a[href^="https://trk.scrolller.com/"] +primewire.link##a[href^="https://url.rw/"] +vnkb.com##a[href^="https://vnkb.com/e/"] +1280wnam.com##a[href^="https://wistatefair.com/fair/tickets/"] +ancient-origins.net,anisearch.com,catholicculture.org,lewrockwell.com,ssbcrack.com##a[href^="https://www.amazon."][href*="tag="] +pooletown.co.uk##a[href^="https://www.easyfundraising.org.uk"] +wjbc.com##a[href^="https://www.farmweeknow.com/rfd_radio/"] +magic1069.com##a[href^="https://www.fetchahouse.com/"] +coachhuey.com##a[href^="https://www.hudl.com"] +elamigos-games.net##a[href^="https://www.instant-gaming.com/"][href*="?igr="] +domaintyper.com,thecatholictravelguide.com##a[href^="https://www.kqzyfj.com/"] +wgrr.com##a[href^="https://www.mccabelumber.com/"] +wbnq.com,wbwn.com,wjbc.com##a[href^="https://www.menards.com/main/home.html"] +jox2fm.com,joxfm.com##a[href^="https://www.milb.com/"] +thelibertydaily.com##a[href^="https://www.mypillow.com"] +who.is##a[href^="https://www.name.com/redirect/"] +kollelbudget.com##a[href^="https://www.oorahauction.org/"][target="_blank"] > img +minecraft-schematics.com##a[href^="https://www.pingperfect.com/aff.php?"] +sythe.org##a[href^="https://www.runestake.com/r/"] +foxcincinnati.com##a[href^="https://www.safeauto.com"] +sportscardforum.com##a[href^="https://www.sportscardforum.com/rbs_banner.php?"] +thecatholictravelguide.com##a[href^="https://www.squaremouth.com/"] +adfoc.us##a[href^="https://www.survivalservers.com/"] +itsfoss.com,linuxhandbook.com##a[href^="https://www.warp.dev"] +yugatech.com##a[href^="https://yugatech.ph/"] kitguru.net##a[id^="href-ad-"] -eztv.io##a[id^="mell"] -torrentdownloads.me##a[key] -washingtontimes.com##a[onclick*="'COMMENThomepageAds'"] -washingtontimes.com##a[onclick*="'homepage-ad-tracking2'"] -washingtontimes.com##a[onclick*="'rightrail-ad-tracking2'"] -gizmodo.in##a[onclick*="('/click.htm?"] -indiatimes.com##a[onclick*=".cms?r="] -adageindia.in,indiatimes.com,mensxp.com##a[onclick*="/click.htm?"] -m.youtube.com##a[onclick*="\"ping_url\":\"http://www.google.com/aclk?"] -software182.com##a[onclick*="sharesuper.info"] -sportcategory.org##a[onclick*="trafficinvest.com"] -ndtv.com##a[onclick*="window.open("][href$="=p"] -yogisoftworld.blogspot.com##a[onclick] -powerbot.org##a[onclick][href^="http://px.rs/"] -platinlyrics.com##a[onclick^="DownloadFile('lyrics',"] -nba-stream.com##a[onclick^="OpenInNewTab();"] -shtfplan.com##a[onclick^="_gaq.push(['_trackEvent', 'Banner',"] -shtfplan.com##a[onclick^="_gaq.push(['_trackEvent', 'TextAd',"] -checkpagerank.net##a[onclick^="_gaq.push(['_trackEvent', 'link', 'linkclick'"] -tundraheadquarters.com##a[onclick^="_gaq.push(['_trackEvent', 'outbound-widget'"] -startbootstrap.com##a[onclick^="ga"][onclick*="Referral"] -rghost.net##a[onclick^="goad"] -naturalon.com,torrentfunk.com,yourbittorrent.com##a[onclick^="javascript:"] -coinurl.com,cur.lv##a[onclick^="open_ad('"] -w3schools.com##a[rel="nofollow"] -nixiepixel.com##a[rel^="http://bit.ly/"] -grammarist.com##a[style*="cursor: pointer"] -softpedia.com##a[style="display: block; width: 970px; height: 90px;"] -uploadocean.com##a[style][href][target="_blank"] -sh.st,yourupload.com##a[style][onclick] -hdvid.tv##a[style][rel] -easyvideo.me,videofun.me,videozoo.me##a[style^="display: block;"] -nba-stream.com##a[style^="width:100%; height:100%;"] -betfooty.com##a[target="_blank"] > .wsite-image[alt="Picture"] -mmorpg.com##a[target="_blank"] > [id][src] -lawctopus.com##a[target="_blank"] > img[height="250"][width="250"] -lawctopus.com##a[target="_blank"] > img[height="251"][width="250"] -neko-miku.com##a[target="_blank"] > img[src] -ndtv.com##a[target="_blank"][href$="=p"] -thejointblog.com##a[target="_blank"][href="http://smokecartel.com/"] -herold.at##a[target="_blank"][href="http://www.adaffix.com"] -gbatemp.net##a[target="_blank"][href="http://www.nds-card.com"] > img -herold.at##a[target="_blank"][href="http://www.reise-hero.com/"] -herold.at##a[target="_blank"][href="http://www.urlauburlaub.at"] -noscript.net##a[target="_blank"][href^="/"] -mic.com##a[target="_blank"][href^="/click?"] -wg-gesucht.de##a[target="_blank"][href^="http://affiliate.immobilienscout24.de/go.cgi?pid="] -thefinancialbrand.com##a[target="_blank"][href^="http://bit.ly/"] -bitcoinfees.com##a[target="_blank"][href^="http://bitcoinkamikaze.com/ref/"] > img -rcgroups.com##a[target="_blank"][href^="http://decals.rcgroups.com/adclick.php?bannerid="] -freedomhacker.net##a[target="_blank"][href^="http://freedomhacker.net/out/"] > img -gbatemp.net##a[target="_blank"][href^="http://www.nds-card.com/ProShow.asp?ProID="] > img -softpedia.com##a[target="_blank"][href^="http://www.softpedia.com/xout.php?l="] -horriblesubs.info##a[target="_blank"][rel="nofollow"] -mmorpg.com##a[target="_blank"][style="cursor: pointer;"] -noscript.net##a[target="_blаnk"][href$="?MT"] -bodymindsoulspirit.com##a[target="_new"] > img -hookedonads.com##a[target="_top"][href="http://www.demilked.com"] > img -libertyblitzkrieg.com##a[target="ad"] -thepiratebay.org,tpb.run,ukpirate.org##a[title*="Anonymous Download"] -tor-cr.com##a[title="Direct Download"] -torfinder.net,vitorrent.org##a[title="sponsored"] -herold.at##a[title^="Werbung: "][target="_blank"] -colourlovers.com,convert-me.com,videotoolbox.com##a[v-href^="/?i="] -irrigator.com.au##advertisement -flightglobal.com##advertisingheader -aliexpress.com#?#.list-item:-abp-has(span.sponsored) -amazon.ca,amazon.co.uk,amazon.de,amazon.es,amazon.fr,amazon.in,amazon.it#?#.s-result-item:-abp-has(h5.s-sponsored-header) -aol.co.uk,metabomb.net,moviefone.com#?#.trc-content-sponsored -ancient-origins.net,biology-online.org,breakingisraelnews.com,citationmachine.net,datpiff.com,destructoid.com,freewarefiles.com,fullmatchesandshows.com,imagefap.com,imagetwist.com,imgwallet.com,newsarama.com,pocketnow.com,tomshardware.co.uk,tomshardware.com,trifind.com,veteranstoday.com##article > .entry-content + span * -slashdot.org##article[class*="sponsored"] -digg.com##article[data-primary-tag-display="Promoted"] -digg.com##article[data-primary-tag-display="Sponsored"] -xing.com##article[data-tracking*="\"type\":\"ad"] -goal.com##aside > .commercial -makeuseof.com##aside a[href][target="_blank"] -poundsterlinglive.com##blockquote -creatives.livejasmin.com##body -just-dice.com##body > .wrapper > .container:first-child -fancystreems.com##body > div > a -widestream.io##body > link + style + div[class] -onhax.me##button[onclick] -onhax.me##button[type] -jguru.com##center -pocketnow.com##center + a[href^="/"] -findagrave.com##center > .search-widget -nzbindex.com,nzbindex.nl##center > a > img[style="border: 1px solid #000000;"] -pocketnow.com##center > a[href^="/"] -go4up.com##center > a[target="_blank"] -destructoid.com##center > div > iframe -4shared.com##center[dir="ltr"] -ehow.com##center[id^="DartAd_"] -cesoirtv.com#?#a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] -helenair.com##dd -userscloud.com##div + div[style^="height:"] + div -slashdot.org##div > [style*="margin-bottom:"]:last-child -businessinsider.in,teaparty.org##div > a[onclick] -medicine.news,robotics.news##div > a[target="_blank"] -blacklistednews.com,d-h.st,daclips.in,datpiff.com,roadracerunner.com,trifind.com##div > iframe -mail.yahoo.com##div#msg-list .list-view .ml-bg:not(.list-view-item-container) -jdoodle.com##div.hidden-print + div.native-js -altenen.com##div[align="left"] > p + p[align="center"] -live.com##div[aria-label="MessageAdsContainer"] -ctpost.com,seattlepi.com,timesunion.com##div[class$="-dealnews"] -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##div[class*="-inner"] -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##div[class*="-section"] -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##div[class*="-widget"] -distractify.com##div[class*="AdInArticle"] -distractify.com##div[class*="RightRailAd"] -issuu.com##div[class*="adContainer"] -issuu.com##div[class*="adLeaderboardContainer"] -yahoo.com##div[class*="ads-"] -thewirecutter.com,utorrent.com##div[class*="callout"] -lonelyplanet.com##div[class*="templateAreaAdSuperzone"] -tampermonkey.net##div[class][data-width] -bulletsfirst.net##div[class][style^="display:"] -issuu.com##div[class^="ExploreShelf__ad"] -axios.com##div[class^="LatestStories__promo-"] -kinox.to##div[class^="Mother_"][style^="display: block;"] -britannicaenglish.com,nglish.com##div[class^="WordFromSponsor"] -live.com##div[class^="__Microsoft_Owa_MessageListAds_"] -anime1.com,animefreak.tv##div[class^="a-filter"] -drama.net##div[class^="ad-filter"] -manaflask.com##div[class^="ad_a"] +himovies.to,home-barista.com,rarpc.co,washingtontimes.com##a[onclick] +amishamerica.com##a[rel="nofollow"] > img +gab.com##a[rel="noopener"][target="_blank"][href^="https://grow.gab.com/go/"] +nslookup.io,stackabuse.com,unsplash.com##a[rel^="sponsored"] +colombotimes.lk##a[target="_blank"] img:not([src*="app.jpg"]) +opensubtitles.org##a[target="_blank"][href^="https://www.amazon.com/gp/search"] +classicstoday.com##a[target="_blank"][rel="noopener"] > img +abysscdn.com,hqq.ac,hqq.to,hqq.tv,linris.xyz,megaplay.cc,meucdn.vip,netuplayer.top,ntvid.online,plushd.bio,waaw.to,watchonlinehd123.sbs,wiztube.xyz##a[title="Free money easy"] +kroger.com##a[title^="Advertisement:"] +rottentomatoes.com##ad-unit +unmatched.gg##app-advertising +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##article[data-ft*="\"ei\":\""] +linkedin.com##article[data-is-sponsored] +xing.com##article[data-qa="disco-updates-video-ad"] +xing.com##article[data-qa="disco-updates-website-ad"] +greatist.com##aside +4runnerforum.com,acuraforums.com,blazerforum.com,buickforum.com,cadillacforum.com,camaroforums.com,cbrforum.com,chryslerforum.com,civicforums.com,corvetteforums.com,fordforum.com,germanautoforums.com,hondaaccordforum.com,hondacivicforum.com,hondaforum.com,hummerforums.com,isuzuforums.com,kawasakiforums.com,landroverforums.com,lexusforum.com,mazdaforum.com,mercuryforum.com,minicooperforums.com,mitsubishiforum.com,montecarloforum.com,mustangboards.com,nissanforum.com,oldsmobileforum.com,pontiactalk.com,saabforums.com,saturnforum.com,truckforums.com,volkswagenforum.com,volvoforums.com##aside > center +everydayrussianlanguage.com##aside img[src^="/wp-content/themes/edr/img/"] +vezod.com##av-adv-slot +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com##bam-inline-promotion +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com##bam-inline-promotion-block +bluejaysnation.com,canucksarmy.com,dailyfaceoff.com,flamesnation.ca,oilersnation.com,theleafsnation.com##bam-promotion-list +basschat.co.uk,momondo.*##div[data-resultid$="-sponsored"] +bayequest.com#?#.elementor-section:-abp-contains(Advertisement) +nbcsports.com##bsp-reverse-scroll-ad +buffstreams.sx##button[data-openuri*=".allsportsflix."] +filecrypt.cc,filecrypt.co##button[onclick*="://bullads.net/"] +psycom.net##center > .vh-quiz-qborder +dustinabbott.net,turbobits.cc,turbobits.net##center > a > img +mangas-raw.com##center > div[style] +sailingmagazine.net##center > font +greekreporter.com##center > p > [href] +pricehistoryapp.com##center[class^="min-h-"] +builtbybit.com##center[style="margin-top: 20px"] +weatherbug.com##display-ad-widget +wings.io##div > [href="https://mechazilla.io"] +readonepiece.com##div > b +coffeeordie.com##div.HtmlModule > [href] +web.telegram.org##div.bubbles > div.scrollable > div.bubbles-inner > div.is-sponsored +sbs.com.au##div.css-1wbfa8 +steamgifts.com##div.dont_block_me +sitepoint.com##div.inline-content +easypet.com##div.kt-inside-inner-col > div.wp-block-kadence-rowlayout +baking-forums.com,windows10forums.com##div.message--post.message +thehackernews.com##div.rocking +tld-list.com##div.row > .text-center > .ib +home.cricketwireless.com##div.skeleton.block-item +forward.com##div.sticky-container:first-child +newegg.com##div.swiper-slide[data-sponsored-catalyst] +investing.com##div.text-\[\#5b616e\] +inverse.com##div.zz +presearch.com##div[\:class*="AdClass"] +boxing-social.com##div[ad-slot] +liverpoolway.co.uk##div[align="center"] > a[href] +informer.com##div[align="center"][style="margin:10px"] +yandex.com##div[aria-label="Ad"] +lifehacker.com##div[aria-label="Products List"] +azuremagazine.com##div[class$="azoa"] +wsj.com##div[class*="WSJTheme--adWrapper"] +pcgamer.com,techcrunch.com,tomsguide.com,tomshardware.com##div[class*="ad-unit"] +aajtakcampus.in##div[class*="ads_ads_container__"] +dallasnews.com##div[class*="features-ads"] +gamingbible.com,ladbible.com,unilad.co.uk,unilad.com##div[class*="margin-Advert"] +thefiscaltimes.com##div[class*="pane-dfp-"] +emojipedia.org##div[class="flex flex-col items-center md:order-1"] +walmart.com##div[class="mv3 ml3 mv4-xl mh0-xl"][data-testid="sp-item"] +tripadvisor.com##div[class="ui_container dSjaD _S"] +timesofindia.com##div[class^="ATF_container_"] +arkadium.com##div[class^="Ad-adContainer"] +dailymotion.com##div[class^="AdBanner"] +breastcancer.org,emojipedia.org##div[class^="AdContainer"] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##div[class^="AdLoadingText"] +pricespy.co.nz,pricespy.co.uk##div[class^="AdPlacement"] +usnews.com##div[class^="Ad__Container-"] +zerohedge.com##div[class^="AdvertisingSlot_"] +sportinglife.com##div[class^="Article__FlashTalkingWrapper-"] +barrons.com##div[class^="BarronsTheme--adWrapper"] +someecards.com##div[class^="BaseAdSlot_adContainer_"] +theglobeandmail.com##div[class^="BaseAd_"] +cnbc.com##div[class^="BoxRail-Styles-"] +yallo.tv##div[class^="BrandingBackgroundstyled__Wrapper-"] +donedeal.ie##div[class^="DFP__StyledAdSlot-"] +genius.com##div[class^="DfpAd__Container-"] +dailymotion.com##div[class^="DisplayAd"] +games.dailymail.co.uk,nba.com##div[class^="DisplayAd_"] +alternativeto.net##div[class^="GamAds_"] +games.dailymail.co.uk##div[class^="GameTemplate__displayAdTop_"] +benzinga.com##div[class^="GoogleAdBlock_"] +allradio.net##div[class^="GoogleAdsenseContainer_"] +livescore.com##div[class^="HeaderAdsHolder_"] +games.dailymail.co.uk##div[class^="HomeCategory__adWrapper_"] +games.dailymail.co.uk##div[class^="HomeTemplate__afterCategoryAd_"] +sportinglife.com##div[class^="Layout__TopAdvertWrapper-"] +genius.com##div[class^="LeaderboardOrMarquee__"] +edhrec.com##div[class^="Leaderboard_"] +appsample.com##div[class^="MapLayout_Bottom"] +dailymotion.com##div[class^="NewWatchingDiscovery__adSection"] +dsearch.com##div[class^="PreAd_"] +games.dailymail.co.uk##div[class^="RightRail__displayAdRight_"] +genius.com##div[class^="SidebarAd_"] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##div[class^="SidebarAds_"] +zerohedge.com##div[class^="SponsoredPost_"] +chloeting.com##div[class^="StickyFooterAds__Wrapper"] +newyorker.com##div[class^="StickyHeroAdWrapper-"] +scotsman.com##div[class^="TopBanner"] +cnbc.com##div[class^="TopBanner-"] +dailymotion.com##div[class^="VideoInfo__videoInfoAdContainer"] +timeout.com##div[class^="_inlineAdWrapper_"] +timeout.com##div[class^="_sponsoredContainer_"] +crictracker.com##div[class^="ad-block-"] +fodors.com,thehulltruth.com##div[class^="ad-placeholder"] +reuters.com##div[class^="ad-slot__"] +gamingdeputy.com##div[class^="ad-wrapper-"] +goodrx.com##div[class^="adContainer"] +statsroyale.com##div[class^="adUnit_"] +goodrx.com##div[class^="adWrapper-"] +90min.com,investing.com,newsday.com##div[class^="ad_"] +constative.com##div[class^="ad_placeholder_"] +ehitavada.com##div[class^="ad_space_"] greatandhra.com##div[class^="add"] -smallseotools.com##div[class^="adds_"] -megawarez.org##div[class^="ads"] -u00p.com##div[class^="adv-box"] -newstatesman.com##div[class^="article-mpu-"] -hattrick.org##div[class^="bannerBackground"] -ragezone.com##div[class^="bannerBox"] -base64decode.org,base64encode.org,beautifyjson.org,minifyjson.org,numgen.org,pdfmrg.com,pdfspl.com,prettifycss.com,pwdgen.org,strlength.com,strreverse.com,uglifyjs.net,urldecoder.org##div[class^="banner_"] -plsn.com##div[class^="clickZone"] -webhostingtalk.com##div[class^="flashAd_"] -web2.0calc.com##div[class^="gad"] -avforums.com##div[class^="takeover_box_"] -linuxbsdos.com##div[class^="topStrip"] -yttalk.com##div[class^="toppedbit"] -msn.com##div[class^="trc_elastic"] -amazon.com##div[data-a-carousel-options*="\"widgetName\":\"sp_rhf_search\""] -happytrips.com##div[data-ad-id] -yahoo.com##div[data-ad-story-beacon^="https://ir2.beap.gemini.yahoo.com/mbcsc?"] -realmadrid.com##div[data-ads-block="desktop"] -lifehacker.co.in##div[data-agent="web"] -yahoo.com##div[data-beacon] > div[class*="streamBoxShadow"] -theoutline.com##div[data-campaign] -wayn.com##div[data-commercial-type="MPU"] -theguardian.com##div[data-component^="labs-commercial-container"] -pushsquare.com##div[data-dfp-id] -monova.org##div[data-id] -ehow.com##div[data-module="radlinks"] -engadget.com##div[data-nav-drawer-slide-panel] > aside[role="banner"] -tomsguide.com##div[data-tracking^="http://out.tomsguide.fr/clic.php?"][data-shopping-template="ProductTable"] -tomsguide.com##div[data-tracking^="http://out.tomsguide.fr/clic.php?"][data-shopping-template="ShoppingBlock_template"] -yahoo.com##div[data-type="ADS"] -deviantart.com##div[gmi-name="ad_zone"] -thetechjournal.com##div[height="250"] -tinypic.com##div[id$="Banner"] -lastresistance.com##div[id$="FloatingBanner"] -search.snapdo.com##div[id$="TopD"] -phoronix.com##div[id$="ad_container"] -quora.com##div[id$="content_box"] -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##div[id*="-section"] -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##div[id*="-widget"] -1337x.to,kissmanga.com,mylivecricket.tv,torrentz2.eu,torrentz2.is,watchcartoononline.io##div[id*="Composite"] -netflixlife.com##div[id*="Preload"] -sockshare.ws##div[id] > [id][style^="height: "] -softpedia.com##div[id]:last-child > img[src]:first-child -easybib.com##div[id][class][style*="height:"] -easybib.com##div[id][class][style*="width:"] -akvideo.stream##div[id][onclick][style] -bibme.org##div[id][style*="margin: "] -automotive.com,internetautoguide.com,motortrend.com##div[id^="AD_CONTROL_"] -topdocumentaryfilms.com##div[id^="AdAuth"] -internetautoguide.com,motorcyclistonline.com##div[id^="GOOGLE_ADS_"] -automotive.com##div[id^="LEADER_BOARD_"] -sockshare.net##div[id^="MGWrap"] -vidspot.net##div[id^="On1Pl"] -vidspot.net##div[id^="On2Pl"] -yourstory.com##div[id^="YS-MastHead"] -yourstory.com##div[id^="YS-ZONE"] -shortlist.com##div[id^="ad-slot"] -minecraftforum.net##div[id^="ad-wrapper-"] -ucoz.com,ucoz.net,ucoz.org##div[id^="adBar"] -govtech.com##div[id^="ad_id_"] -chess.com##div[id^="ad_report_host_"] -bossmp3.me##div[id^="adg"] -warframe-builder.com##div[id^="ads"] -mahalo.com##div[id^="ads-section-"] -streetmap.co.uk##div[id^="advert_"] -askyourandroid.com##div[id^="advertisespace"] -askubuntu.com,stackexchange.com,stackoverflow.com,superuser.com##div[id^="adzerk"] -blogspot.com,bosscast.net,time4tv.com##div[id^="bannerfloat"] -smallseotools.com##div[id^="bio_ep"] -fxstreet.com##div[id^="brokersspreads_"] -designtaxi.com##div[id^="bza-"] -theteacherscorner.net##div[id^="catfish"] -pcmag.com##div[id^="ebBannerDiv"] -qz.com##div[id^="engage-"] -reviewjournal.com##div[id^="ext-travel-zoo-"] -cast4u.tv,cricfree.tv,crichd.tv,micast.tv,wiz1.net##div[id^="floatLayer"] -eventhubs.com,volokh.com##div[id^="google_ads_"] -businessinsider.in##div[id^="gpt-"] -wg-gesucht.de##div[id^="listAdPos_"] -iwantsport.com,tykestv.eu##div[id^="ltas_overlay_"] -discordbots.org##div[id^="medalad_"] -citizensvoice.com##div[id^="nimbleBuyWidget"] -teslarati.com##div[id^="ntv"] -mysuburbanlife.com,reviewjournal.com##div[id^="origami-"] -reddit.com##div[id^="overlay-sidebar-atf-"] -reddit.com##div[id^="overlay-sidebar-btf-"] -newindianexpress.com##div[id^="pro_menu"] -experts-exchange.com##div[id^="promo-"] -proz.com##div[id^="proz_ad_zone_"] -yopmail.com,yopmail.fr,yopmail.net##div[id^="pub"] -howtogeek.com##div[id^="purch"] -space.com##div[id^="rightcol_top"] -target.com##div[id^="rr_promo_"] -sawlive.tv##div[id^="sawdiv"] -reddit.com##div[id^="sidebar-atf-"] -reddit.com##div[id^="sidebar-btf-"] -indeed.com##div[id^="sjob_"] -nytimes.com##div[id^="story-ad-"] -dailymail.co.uk##div[id^="taboola-stream"] -yahoo.com##div[id^="tile-A"][data-beacon-url^="https://beap.gemini.yahoo.com/mbcsc?"] -yahoo.com##div[id^="tile-mb-"] -footstream.tv,leton.tv##div[id^="timer"] -statigr.am##div[id^="zone"] -bountysource.com##div[info-space^="ads."] -bountysource.com##div[info-space^="getInterstitialAd"] -4shared.com##div[onclick="window.location='/premium.jsp?ref=removeads'"] -gsprating.com##div[onclick="window.open('http://www.nationvoice.com')"] -easyvideo.me,videofun.me,videozoo.me##div[original^="http://byzoo.org/"] -imagebam.com##div[style$="padding-top:14px; padding-bottom:14px;"] -yahoo.com##div[style*="/ads/"] -maxgames.com##div[style*="background-image: URL('/images/sponsor_"] -thegauntlet.ca##div[style*="background-image:url('/advertisers/your-ad-here-"] -kizi.com##div[style*="display:block !important"] -pencurimovie.ph##div[style*="float:none;"] -wizhdsports.is##div[style*="height:"] -invisionfree.com##div[style*="height:90px;width:728px;"] -thevideobee.to##div[style*="overflow: visible;"] -300mbmovies4u.net##div[style*="padding-top:"] -torrentfunk.com,yourbittorrent.com##div[style*="padding:"] -imgadult.com,imgtaxi.com,imgwallet.com##div[style*="position: absolute;"] -imgadult.com,imgtaxi.com,imgwallet.com##div[style*="position: fixed;"] -vercanalestv.com,verdirectotv.com##div[style*="position:relative"] -drudgereport.com##div[style*="text-rendering:"] -extremetech.com##div[style*="width: 300"] -directupload.net##div[style*="width: 300px"] -readcomiconline.to##div[style*="width: 300px; height: 250px;"] -fansshare.com,hdfree.se,iconarchive.com,mcndirect.com,opensourcecms.com,slickdeals.net,streamcloud.eu,theawesomer.com,unexplained-mysteries.com,x64bitdownload.com,yuku.com##div[style*="width:300px"] -inquirer.net##div[style*="width:629px;height:150px;"] -rlslog.net##div[style*="z-index:"]:first-child -ndtv.com##div[style=" margin:0 auto; width:970px; height:90px; text-align:center;"] -seattlepi.com##div[style=" width:100%; height:90px; margin-bottom:8px; float:left;"] -fmr.co.za##div[style=" width:1000px; height:880px; margin: 0 auto"] -nasdaq.com##div[style="align: center; vertical-align: middle;width:336px;height:250px"] -wral.com##div[style="background-color: #ebebeb; width: 310px; padding: 5px 3px;"] +ndtv.com##div[class^="add_"] +ntdeals.net,psdeals.net,xbdeals.net##div[class^="ads-"] +dnaindia.com##div[class^="ads-box"] +tyla.com,unilad.com##div[class^="advert-placeholder_"] +365scores.com##div[class^="all-scores-container_ad_placeholder_"] +247solitaire.com,247spades.com##div[class^="aspace-"] +stakingrewards.com##div[class^="assetFilters_desktop-banner_"] +releasestv.com##div[class^="astra-advanced-hook-"] +onlineradiobox.com##div[class^="banner-"] +technical.city##div[class^="banner_"] +365scores.com##div[class^="bookmakers-review-widget_"] +historycollection.com##div[class^="cis_add_block"] +filehorse.com##div[class^="dx-"][class$="-1"] +365scores.com##div[class^="games-predictions-widget_container_"] +astro.com##div[class^="goad"] +groovypost.com##div[class^="groov-adsense-"] +imagetopdf.com,pdfkit.com,pdftoimage.com,topdf.com,webpconverter.com##div[class^="ha"] +technologyreview.com##div[class^="headerTemplate__leaderboardRow-"] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##div[class^="helper__AdContainer"] +localjewishnews.com##div[class^="local-feed-banner-ads"] +bloomberg.com##div[class^="media-ui-BaseAd"] +bloomberg.com##div[class^="media-ui-FullWidthAd"] +goal.com##div[class^="open-web-ad_"] +odishatv.in##div[class^="otv-"] +nltimes.nl##div[class^="r89-"] +nationalmemo.com,spectrum.ieee.org,theodysseyonline.com##div[class^="rblad-"] +windowsreport.com##div[class^="refmedprd"] +windowsreport.com##div[class^="refmedprod"] +staples.com##div[class^="sku-configurator__banner"] +mydramalist.com##div[class^="spnsr"] +kijiji.ca##div[class^="sponsored-"] +target.com##div[class^="styles__PubAd"] +semafor.com##div[class^="styles_ad"] +unmineablesbest.com##div[class^="uk-visible@"] +gamingdeputy.com##div[class^="vb-"] +whatsondisneyplus.com##div[class^="whats-"] +podchaser.com##div[data-aa-adunit] +unsplash.com##div[data-ad="true"] +deeplol.gg##div[data-ad] +tennews.in##div[data-adid] +3addedminutes.com,anguscountyworld.co.uk,banburyguardian.co.uk,bedfordtoday.co.uk,biggleswadetoday.co.uk,blackpoolgazette.co.uk,bucksherald.co.uk,burnleyexpress.net,buxtonadvertiser.co.uk,chad.co.uk,daventryexpress.co.uk,derbyshiretimes.co.uk,derbyworld.co.uk,derryjournal.com,dewsburyreporter.co.uk,doncasterfreepress.co.uk,falkirkherald.co.uk,fifetoday.co.uk,glasgowworld.com,halifaxcourier.co.uk,harboroughmail.co.uk,harrogateadvertiser.co.uk,hartlepoolmail.co.uk,hemeltoday.co.uk,hucknalldispatch.co.uk,lancasterguardian.co.uk,leightonbuzzardonline.co.uk,lep.co.uk,lincolnshireworld.com,liverpoolworld.uk,londonworld.com,lutontoday.co.uk,manchesterworld.uk,meltontimes.co.uk,miltonkeynes.co.uk,newcastleworld.com,newryreporter.com,newsletter.co.uk,northamptonchron.co.uk,northantstelegraph.co.uk,northernirelandworld.com,northumberlandgazette.co.uk,nottinghamworld.com,peterboroughtoday.co.uk,portsmouth.co.uk,rotherhamadvertiser.co.uk,scotsman.com,shieldsgazette.com,stornowaygazette.co.uk,sunderlandecho.com,surreyworld.co.uk,thescarboroughnews.co.uk,thesouthernreporter.co.uk,thestar.co.uk,totallysnookered.com,wakefieldexpress.co.uk,walesworld.com,warwickshireworld.com,wigantoday.net,worksopguardian.co.uk,yorkshireeveningpost.co.uk,yorkshirepost.co.uk##div[data-ads-params] +999thehawk.com##div[data-alias="Sweetjack"] +walmart.ca##div[data-automation^="HookLogicCarouses"] +bestbuy.ca##div[data-automation^="criteo-sponsored-products-carousel-"] +reddit.com##div[data-before-content="advertisement"] +artforum.com##div[data-component="ad-unit-gallery"] +theverge.com##div[data-concert] +bedbathandbeyond.com##div[data-cta="plpSponsoredProductClick"] +gamingbible.com,unilad.com##div[data-cypress^="sticky-header"] +analyticsindiamag.com##div[data-elementor-type="header"] > section.elementor-section-boxed +thestudentroom.co.uk##div[data-freestar-ad] +my.clevelandclinic.org##div[data-identity*="board-ad"] +lightnovelworld.co##div[data-mobid] +yandex.com##div[data-name="adWrapper"] +uefa.com##div[data-name="sponsors-slot"] +nogomania.com##div[data-ocm-ad] +thebay.com##div[data-piq-toggle="true"] +scmp.com##div[data-qa="AdSlot-Container"] +scmp.com##div[data-qa="AppBar-AdSlotContainer"] +scmp.com##div[data-qa="ArticleHeaderAdSlot-Placeholder"] +scmp.com##div[data-qa="AuthorPage-HeaderAdSlotContainer"] +scmp.com##div[data-qa="GenericArticle-MobileContentHeaderAdSlot"] +scmp.com##div[data-qa="GenericArticle-TopPicksAdSlot"] +scmp.com##div[data-qa="InlineAdSlot-Container"] +xing.com##div[data-qa="jobs-inline-ad"] +xing.com##div[data-qa="jobs-recommendation-ad"] +linustechtips.com##div[data-role="sidebarAd"] +cruisecritic.co.uk##div[data-sentry-component="AdWrapper"] +cruisecritic.co.uk##div[data-sentry-component="NativeAd"] +costco.com##div[data-source="sponsored"] +aliexpress.com,aliexpress.us##div[data-spm="seoads"] +ecosia.org##div[data-test-id="mainline-result-ad"] +ecosia.org##div[data-test-id="mainline-result-productAds"] +debenhams.com##div[data-test-id^="sponsored-product-card"] +investing.com##div[data-test="ad-slot-visible"] +symbaloo.com##div[data-test="homepageBanner"] +costco.com##div[data-testid="AdSet-all-sponsored_products_-_search_bottom"] +costco.com##div[data-testid="AdSet-all-sponsored_products_-_search_top"] +alternativeto.net##div[data-testid="adsense-wrapper"] +hotstar.com##div[data-testid="bbtype-video"] +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##div[data-testid="boosted-product-recommendations"] +twitter.com,x.com##div[data-testid="cellInnerDiv"] > div > div[class] > div[class][data-testid="placementTracking"] +qwant.com##div[data-testid="heroTiles"] +qwant.com##div[data-testid="homeTrendsContainer"] a[href^="https://api.qwant.com/v3/r/?u="] +qwant.com##div[data-testid="pam.container"] +qwant.com##div[data-testid="productAdsMicrosoft.container"] +sitepoint.com##div[data-unit-code] +audi-sport.net##div[data-widget-key="Snack_Side_Menu_1"] +audi-sport.net##div[data-widget-key="Snack_Side_Menu_2"] +audi-sport.net##div[data-widget-key="forum_home_sidebar_top_ads"] +audi-sport.net##div[data-widget-key="right_top_ad"] +audi-sport.net##div[data-widget-key="sellwild_sidebar_bottom"] +cults3d.com##div[data-zone-bsa] +spin.com##div[id*="-promo-lead-"] +spin.com##div[id*="-promo-mrec-"] +chrome-stats.com##div[id*="billboard_responsive"] +thenewspaper.gr##div[id*="thene-"] +diskingdom.com##div[id="diski-"] +thewire.in##div[id^="ATD_"] +geeksforgeeks.org##div[id^="GFG_AD_"] +kisshentai.net,onworks.net##div[id^="ad"] +songlyrics.com##div[id^="ad-absolute-160"] +nationalrail.co.uk##div[id^="ad-advert-"] +belloflostsouls.net##div[id^="ad-container-"] +timeout.com##div[id^="ad-promo-"] +timeout.com##div[id^="ad-side-"] +nowgoal8.com##div[id^="ad_"] +javacodegeeks.com##div[id^="adngin-"] +agoda.com##div[id^="ads-"] +pixiv.net##div[id^="adsdk-"] +antiguanewsroom.com##div[id^="antig-"] +slidesgo.com##div[id^="article_ads"] +business-standard.com##div[id^="between_article_content_"] +digg.com,iplogger.org,wallhere.com,webnots.com,wikitechy.com##div[id^="bsa-zone_"] +business2community.com##div[id^="busin-"] +competenetwork.com##div[id^="compe-"] +elfaro.net##div[id^="content-ad-body"] +titantv.com##div[id^="ctl00_TTLB"] +timesofindia.com##div[id^="custom_ad_"] +cyprus-mail.com##div[id^="cypru-"] +football-tribe.com##div[id^="da-article-"] +rediff.com##div[id^="div_ad_"] +memedroid.com##div[id^="freestar-ad-"] +gamepix.com##div[id^="gpx-banner"] +maltadaily.mt##div[id^="malta-"] +mediabiasfactcheck.com##div[id^="media-"] +gamebyte.com,irishnews.com##div[id^="mpu"] +pretoriafm.co.za##div[id^="preto-"] +progamerage.com##div[id^="proga-"] +howtogeek.com##div[id^="purch_"] +realtalk933.com##div[id^="realt-"] +sbstatesman.com##div[id^="sbsta-"] +smallnetbuilder.com##div[id^="snb-"] +filehorse.com##div[id^="td-"] +birrapedia.com##div[id^="textoDivPublicidad_"] +searchenginereports.net##div[id^="theBdsy_"] +theroanoketribune.org##div[id^="thero-"] +yovizag.com##div[id^="v-yovizag-"] +weraveyou.com##div[id^="werav-"] +mommypoppins.com##div[id^="wrapper-div-gpt-ad-"] +wallpaperflare.com##div[itemtype$="WPAdBlock"] +nashfm100.com##div[onclick*="https://deucepub.com/"] +forums.pcsx2.net##div[onclick^="MyAdvertisements."] +ezgif.com##div[style$="min-height:90px;display:block"] +kuncomic.com##div[style*="height: 2"][style*="text-align: center"] +castanet.net##div[style*="height:900px"] +news18.com##div[style*="min-height"][style*="background"] +news18.com##div[style*="min-height: 250px"] +footballtransfers.com##div[style*="min-height: 250px;"] +news18.com##div[style*="min-height:250px"] +gsmarena.com##div[style*="padding-bottom: 24px;"] +newsbreak.com##div[style*="position:relative;width:100%;height:0;padding-bottom:"] +news18.com,readcomiconline.li##div[style*="width: 300px"] +datacenterdynamics.com,fansshare.com,hairboutique.com,iconarchive.com,imagetwist.com,memecenter.com,neoseeker.com,news18.com,paultan.org,thejournal-news.net,unexplained-mysteries.com,windsorite.ca,xtra.com.my##div[style*="width:300px"] +castanet.net##div[style*="width:300px;"] +castanet.net##div[style*="width:640px;"] +clover.fm##div[style*="width:975px; height:90px;"] filesharingtalk.com##div[style="background-color: white; border-width: 2px; border-style: dashed; border-color: white;"] -moneycontrol.com##div[style="background-color:#efeeee;width:164px;padding:8px"] -search.bpath.com,tlbsearch.com##div[style="background-color:#f2faff;padding:4px"] -bostonherald.com##div[style="background-color:black; width:160px; height:600px; margin:0 auto;"] -fansshare.com##div[style="background-image:url(/media/img/advertisement.png);width:335px;height:282px;"] -fansshare.com##div[style="background-image:url(http://img23.fansshare.com/media/img/advertisement.png);width:335px;height:282px;"] -skyatnightmagazine.com##div[style="background: none repeat scroll 0% 0% #B3E3FA; height: 95px; padding: 5px; margin-bottom: 5px;"] -backstage.com##div[style="background:#666666; height:250px; color:#fff;"] -mamiverse.com##div[style="background:#f7f7f7;padding:40px;"] -hints.macworld.com##div[style="border-bottom: 2px solid #7B7B7B; padding-bottom:8px; margin-bottom:5px;"] -collective-evolution.com##div[style="border-top: 1px solid #ccc; border-bottom: 1px solid #ccc; padding: 20px 0; margin-bottom: 20px;"] -kijiji.ca##div[style="border: 1px solid #999; background: #fff"] -undsports.com##div[style="border:1px solid #c3c3c3"] -iconseeker.com##div[style="clear:both;width: 728px; height:90px; margin:5px auto; overflow:hidden;"] -iconseeker.com##div[style="clear:both;width: 728px; height:90px; margin:5px auto;"] -synonyms.net##div[style="color:#666666;font-size:10px;\""] -bumpshack.com##div[style="display: block; padding:5px 0px 5px 0px;"] -phoronix.com##div[style="display: inline-block; width: 728px; height: 90px;"] -imagebam.com,imgbox.com##div[style="display: inline-block;width:300px;height:250px"] -sendvid.com##div[style="display: inline-block;width:300px;height:250px;"] -kshowonline.com##div[style="display:block !important"] -veervid.com##div[style="display:block; width:302px; height:275px;"] -leadership.ng##div[style="display:inline-block;width:336px;height:280px"] -ip-address.org##div[style="float: left; margin-right:15px; margin-top:-5px"] -sgclub.com##div[style="float: left; width: 310px; height: 260px;"] -boarddigger.com##div[style="float: left; width: 320px; height: 250px; padding: 5px;"] -dreammoods.com##div[style="float: left; width: 350; height: 350"] -ps3hax.net##div[style="float: left;margin: 12px;"] -apa.az##div[style="float: left;width:516px;height:60px;"] -trendir.com##div[style="float: right; margin-left: 30px; font-size: 10px;"] -dreammoods.com##div[style="float: right; width: 350; height: 358"] -bit-tech.net##div[style="float: right; width: 728px; height: 90px; overflow: hidden; position: relative; top: 10px;"] -lightreading.com##div[style="float: right; width: 728px; height: 90px;"] -limetorrents.info##div[style="float:left"] -longislandpress.com##div[style="float:left; clear:left; margin:10px 20px 5px 0px;"] -limetorrents.info##div[style="float:left; margin: 0px; padding: 5px"] -pinknews.co.uk##div[style="float:left; width:160px;"] -amazines.com##div[style="float:left; width:341; height:285;"] -worldscreen.com##div[style="float:left; width:528px; height:80px; padding-bottom:10px; background-color: "] -happynews.com##div[style="float:left; width:768px; height:90px; margin-bottom:12px;"] -listal.com##div[style="float:left;margin-right:10px;width:336px;height:280px;"] -etaiwannews.com,taiwannews.com.tw##div[style="float:right; padding:5px;"] -honolulustreetpulse.com##div[style="float:right; width:200px;height:180px;"] -icydk.com##div[style="float:right; width:325px; background-color:#d7e9f5; margin:10px;"] -smashingapps.com##div[style="float:right;margin-left:5px;"] -cinemablend.com##div[style="float:right;text-align:right;"] -putme.org##div[style="float:right;width:336px;"] -runningshoesguru.com##div[style="float:right;width:336px;height:280px"] -siliconera.com##div[style="font-family:Arial;background:#ffffff none repeat scroll 0 0;float:left;text-align:center;margin:auto 0;width:570px;"] -jobberman.com##div[style="font-size: 10px;text-align: center;margin: 0px auto;letter-spacing: 1px;"] -ksl.com##div[style="font-size: 9px; "] -wallbase.cc##div[style="font-size:13px;padding:5px"] -adf.ly##div[style="height: 120px; width: 728px; font-size:10px; text-align:center; margin: 30px auto;"] -clgaming.net##div[style="height: 250px; margin-top: 20px;"] -way2sms.com##div[style="height: 250px; width: 610px; margin-left: -5px;"] -rawstory.com##div[style="height: 250px;"] -innocentenglish.com##div[style="height: 260px;"] -babble.com##div[style="height: 263px; margin-left:0px; margin-top:5px;"] -northcountrypublicradio.org##div[style="height: 272px; max-width: 250px; margin: 5px auto 10px; padding: 4px 0px 20px;"] -bsplayer.com##div[style="height: 281px; overflow: hidden"] -interfacelift.com##div[style="height: 288px;"] -losethebackpain.com##div[style="height: 290px;"] -wsj.com##div[style="height: 375px; width: 390px;"] -ieltsonlinetests.com##div[style="height: 460px; text-align: center; padding-top: 50px;"] -cheatcc.com##div[style="height: 50px;"] -indiatimes.com##div[style="height: 60px;width: 1000px;margin: 0 auto;"] -hongkongnews.com.hk##div[style="height: 612px; width: 412px;"] -thetechherald.com##div[style="height: 640px"] -revision3.com##div[style="height: 90px"] -add0n.com##div[style="height: 90px; max-width: 728px; text-align: center"] -cpu-world.com##div[style="height: 90px; padding: 3px; text-align: center"] -mmohuts.com,onrpg.com##div[style="height: 90px; width: 728px;"] -food.com##div[style="height: 96px;"] -samachar.com##div[style="height:100%; left:50%; position:fixed; width:957px; top:50px; z-index:3; overflow:hidden;margin-left:510px;"] -aceshowbiz.com##div[style="height:100px; margin-top:20px; "] -ipchecking.com##div[style="height:108px"] -cosmopolitan.co.za##div[style="height:112px;width:713px"] -northeasttimes.com##div[style="height:120px; width:600px;"] -ubc.ug##div[style="height:130px; width:313px; text-align:center !important;"] -forum.computerlounge.co.nz##div[style="height:150px; padding:10px;"] -shortcuts.com##div[style="height:160px;"] -globaltimes.cn##div[style="height:160px;width:250px;"] -exchangerates.org.uk##div[style="height:200px;width:200px;margin:10px 0;"] -vgchartz.com##div[style="height:220px; width:100%;"] -ubc.ug##div[style="height:248px; width:313px; text-align:center !important;"] -gardenersworld.com##div[style="height:250px"] -prospect.org##div[style="height:250px; overflow:hidden;margin-bottom:20px;"] -jewishencyclopedia.com##div[style="height:250px; width:250px; margin-bottom:1em"] -demogeek.com##div[style="height:250px; width:250px; margin:10px;"] -androidheadlines.com##div[style="height:250px; width:300px"] -urdupoint.com##div[style="height:250px; width:300px; margin:0 auto; padding-top:5px;"] -mutually.com##div[style="height:250px; width:300px; overflow:hidden"] -theworldwidewolf.com##div[style="height:250px; width:310px; text-align:center; vertical-align:middle; display:table-cell; margin:0 auto; padding:0;"] -crowdignite.com,gamerevolution.com,sheknows.com,tickld.com##div[style="height:250px;"] -thenewsnigeria.com.ng##div[style="height:250px;margin-bottom: 20px"] -way2sms.com##div[style="height:250px;margin:2px 0;"] -tf2wiki.net##div[style="height:260px; width:730px; border-style:none"] -cracker.com.au##div[style="height:260px;width:310px;clear:both;position:relative;"] -opensourcecms.com##div[style="height:280px; background-color:#E9EEF2;"] -quickr.org##div[style="height:280px; margin-top:0px; margin-bottom:10px;"] -demogeek.com##div[style="height:280px; width:336px; margin:10px;"] -ghacks.net##div[style="height:280px; width:336px; margin:2px 2px; float:right;"] -twowheelsblog.com##div[style="height:280px;width:350px"] -bipartisanreport.com##div[style="height:300px;width:346px;margin:0 auto;text-align:center;"] -animeflv.net##div[style="height:36px;"] -aceshowbiz.com##div[style="height:425px;"] -hyperallergic.com##div[style="height:600px;"] -cybergamer.com##div[style="height:600px;margin:15px 0 0 0;"] -wincustomize.com##div[style="height:60px;margin:10px auto;width:468px"] -cookingforengineers.com##div[style="height:60px;width:120px;margin:0 20px 5px 20px"] -chronicleonline.com,sentinelnews.com,theandersonnews.com##div[style="height:620px;width:279px;margin:auto;margin-top:5px;background-color:#eaeaea;"] -monstersandcritics.com##div[style="height:690px"] -kbcradio.eu##div[style="height:70px;width:480px;"] -farmville.com##div[style="height:80px;"] -monstersandcritics.com##div[style="height:840px"] -add0n.com##div[style="height:90px; max-width: 728px; text-align: center; margin-bottom: 7px"] -hithiphop.com##div[style="height:90px; padding: 2px 0; text-align:center"] -dvb.no##div[style="height:90px; width:970px; margin-right:auto; margin-left:auto;"] -phpbbhacks.com,thetechjournal.com,yopmail.com##div[style="height:90px;"] -wincustomize.com##div[style="height:90px;overflow:hidden;width:728px"] -cracker.com.au##div[style="height:90px;width:675px;clear:both;position:relative;"] -zillow.com##div[style="height:90px;width:728px"] -desktopnexus.com##div[style="margin-bottom: 8px; height: 250px;"] -stuffpoint.com##div[style="margin-bottom:0px;margin-top:-10px"] -codinghorror.com##div[style="margin-bottom:10px"] -charitynavigator.org##div[style="margin-bottom:10px; font-size: 10px;"] -4sysops.com##div[style="margin-bottom:20px;"] -jdpower.com##div[style="margin-left: 20px; background-color: #FFFFFF;"] -propakistani.pk##div[style="margin-right: 10px;"] -propakistani.pk##div[style="margin-right: 1px;"] -ebay.com##div[style="margin-top: 15px; width: 160px; height: 600px; overflow: hidden; display: block;"] -ebay.co.uk,ebay.com##div[style="margin-top: 15px; width: 160px; height: 615px; overflow: hidden; display: block;"] -funnycrazygames.com##div[style="margin-top: 8px;"] -technet.microsoft.com##div[style="margin-top:0px; margin-bottom:10px"] -surfline.com##div[style="margin-top:10px; width:990px; height:90px"] -worstpreviews.com##div[style="margin-top:15px;width:160;height:600;background-color:#FFFFFF;"] -centraloutpost.com##div[style="margin-top:16px; width:740px; height:88px; background-image:url(/images/style/cnop_fg_main_adsbgd.png); background-repeat:no-repeat; text-align:left;"] -4sysops.com##div[style="margin-top:50px;margin-bottom:20px;"] -namepros.com##div[style="margin: 0 auto; max-width: 882px; padding: 10px 0 70px;"] -ap.org##div[style="margin: 0px auto 20px; width: 728px; height: 90px"] -golflink.com##div[style="margin: 0px auto; width: 728px; height: 90px;"] -keprtv.com##div[style="margin: 0px; width: 300px; height: 250px"] -care2.com##div[style="margin: 10px 7px; width: 301px;"] -uproxx.com##div[style="margin: 15px auto; width: 728px; height: 90px;"] -usedcars.com##div[style="margin: 20px 0"] -shouldiremoveit.com##div[style="margin: 5px 0px 30px 0px;"] -comicwebcam.com##div[style="margin: 6px auto 0;"] -recipepuppy.com##div[style="margin:0 auto 10px;min-height:250px;"] -malaysiakini.com##div[style="margin:0 auto; width:728px; height:90px;"] -voat.co##div[style="margin:0 auto;width: 270px;"] -ouo.io##div[style="margin:0 auto;width: 300px;"] -joomla.org##div[style="margin:0 auto;width:728px;height:100px;"] -synonym.com##div[style="margin:0px auto; width: 300px; height: 250px;"] -10minutemail.net##div[style="margin:10px 0; height:90px; width:728px;"] -22find.com##div[style="margin:10px auto 0;width:300px;height:320px;"] -whattoexpect.com##div[style="margin:15px auto;width:728px;"] -xnotifier.tobwithu.com##div[style="margin:1em 0;font-weight:bold;"] -thespoof.com##div[style="margin:20px 5px 10px 0;"] -ipiccy.com##div[style="margin:20px auto 10px; width:728px;text-align:center;"] -bonjourlife.com##div[style="margin:20px auto;width:720px;height:90px;"] -ipaddress.com##div[style="margin:32px 0;text-align:center"] -indiatvnews.com##div[style="margin:5px 0px 20px 0px"] -bikeexchange.com.au##div[style="margin:60px 0 20px 0;"] -into-asia.com##div[style="margin:auto; width:728px; height:105px; margin-top:20px"] -codeproject.com##div[style="margin:auto;width:728px;height:90px;margin-top:10px"] -blackpressusa.com##div[style="max-width: 300px;"] -wrestlinginc.com##div[style="max-width:970px;"] -channelstv.com##div[style="max-width:980px; max-height:94px"] -boldsky.com##div[style="min-height: 250px; margin-bottom: 10px; margin-top: 5px;"] -boldsky.com,gizbot.com,goodreturns.in##div[style="min-height: 250px;"] -drivespark.com##div[style="min-height: 260px;"] -martechadvisor.com##div[style="min-height: 98px;"] -theroar.com.au##div[style="min-height:250px;"] -barchart.com##div[style="min-height:250px;margin-bottom:3px;"] -cnn.com##div[style="min-height:270px; max-height:625px;height: 270px!important;"] -tulsaworld.com##div[style="min-height:400px;"] -smallnetbuilder.com##div[style="min-height:95px;"] -pixabay.com##div[style="min-width: 960px;"] -dailytelegraph.com.au##div[style="overflow:hidden;width:300px;height:263px;"] -desktopnexus.com##div[style="padding-bottom: 12px; height: 250px;"] -canadianlisted.com##div[style="padding-bottom: 6px;width:728px;height:92px;margin-left:125px;"] -odili.net##div[style="padding-bottom:3px;"] +askdifference.com##div[style="color: #aaa"] +aceshowbiz.com##div[style="display:inline-block;min-height:300px"] +kimcartoon.li##div[style="font-size: 0; position: relative; text-align: center; margin: 10px auto; width: 300px; height: 250px; overflow: hidden;"] +pixiv.net##div[style="font-size: 0px;"] a[target="premium_noads"] +distractify.com,greenmatters.com,inquisitr.com,okmagazine.com,qthemusic.com,radaronline.com##div[style="font-size:x-small;text-align:center;padding-top:10px"] +beta.riftkit.net##div[style="height: 300px; width: 400px;"] +pixiv.net##div[style="height: 540px; opacity: 1;"] +paraphraser.io##div[style="height:128px;overflow: hidden !important;"] +wikibrief.org##div[style="height:302px;width:auto;text-align:center;"] +comics.org##div[style="height:90px"] +productreview.com.au##div[style="line-height:0"] +streamingsites.com##div[style="margin-bottom: 10px; display: flex;"] +upjoke.com##div[style="margin-bottom:0.5rem; min-height:250px;"] +gsmarena.com##div[style="margin-left: -10px; margin-top: 30px; height: 145px;"] +theroar.com.au##div[style="margin: 0px auto; text-align: center; height: 280px; max-height: 280px; overflow: hidden;"] +editpad.org##div[style="min-height: 300px;min-width: 300px"] +wikiwand.com##div[style="min-height: 325px; max-width: 600px;"] +gamereactor.asia,gamereactor.cn,gamereactor.com.tr,gamereactor.cz,gamereactor.de,gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.fi,gamereactor.fr,gamereactor.gr,gamereactor.it,gamereactor.jp,gamereactor.kr,gamereactor.me,gamereactor.nl,gamereactor.no,gamereactor.pl,gamereactor.pt,gamereactor.se,gamereactor.vn##div[style="min-height: 600px; margin-bottom: 20px;"] +disneydining.com##div[style="min-height:125px;"] +theroar.com.au##div[style="min-height:260px;max-height:260px;overflow:hidden;"] +askdifference.com##div[style="min-height:280px;"] +newser.com##div[style="min-height:398px;"] +flotrack.org##div[style="min-width: 300px; min-height: 250px;"] +nicelocal.com##div[style="min-width: 300px; min-height: 600px;"] +editpad.org##div[style="min-width: 300px;min-height: 300px"] +nicelocal.com##div[style="min-width: 728px; min-height: 90px;"] +technical.city##div[style="padding-bottom: 20px"] > div[style="min-height: 250px"] bitcoin-otc.com##div[style="padding-left: 10px; padding-bottom: 10px; text-align: center; font-family: Helvetica;"] -youtubedoubler.com##div[style="padding-left:2px; padding-top:9px; padding-bottom:8px; margin-top:0px; background-color:lightgrey;text-align:center;margin-top:18px;"] -rlslog.net##div[style="padding-left:40px;"] -pt-news.org##div[style="padding-right:5px; padding-top:18px; float:left; "] -ynetnews.com##div[style="padding-top:10px;padding-bottom:10px;padding-right:10px"] -funnycrazygames.com##div[style="padding-top:2px"] -cardschat.com##div[style="padding: 0px 0px 0px 0px; margin-top:10px;"] -epinions.com##div[style="padding: 15px 5px;"] -funvid.hu##div[style="padding: 3px 0px 0px 26px; height: 90px; clear: both;"] -shaaditimes.com##div[style="padding: 5 0 0 0px; height: 138px; text-align:center; width:780px; background: url('/imgs/top-ad-bg.gif') repeat-x left bottom; background-color:#FFF9D0;"] -sevenforums.com##div[style="padding: 6px 0px 0px 0px"] -legacy.com##div[style="padding:0; margin:0 auto; text-align:right; width:738px;"] -condo.com##div[style="padding:0px 5px 0px 5px; width:300px;"] -standardmedia.co.ke##div[style="padding:10px; width:1200px; height:90px; "] -myanimelist.net##div[style="padding:12px 0px"] -ucatholic.com##div[style="padding:5px 0 5px 0; text-align:center"] -avforums.com##div[style="padding:5px 0px 0px 0px"] -usfinancepost.com##div[style="padding:5px 15px 5px 0px;"] -lbcgroup.tv##div[style="position: relative; height: 250px; width: 300px;"] -dailybitcoinnews.com##div[style="position: relative; padding-bottom: 56.25%; padding-top: 25px; height: 0;"] -skyvids.net##div[style="position: relative;width: 800px;height: 440px;"] -i6.com##div[style="position:absolute;top: 240px; left:985px;width: 320px;"] -healthcastle.com##div[style="position:relative; width: 300px; height: 280px;"] -opiniojuris.org##div[style="position:relative; width:300px; height:250px; overflow:hidden"] -centurylink.net##div[style="text-align: center; font-size: 11px;"] -funnyjunk.com##div[style="text-align: center; height: 255px;"] -geekstogo.com##div[style="text-align: center; min-height:250px; min-width:310px;"] -patheos.com##div[style="text-align: center; width: 970px; height: 90px;"] -ticketweb.com##div[style="text-align:center; font-size:10px; color:#afafaf"] -tennisearth.com##div[style="text-align:center; height:630px;"] -canoe.ca##div[style="text-align:center; min-height:260px;"] -eatingwell.com##div[style="text-align:center; min-height:90px;"] -legacy.com##div[style="text-align:center; padding:2px 0 3px 0;"] -cinemablend.com##div[style="text-align:center;"] -opensubtitles.org##div[style="text-align:center;"] > a[class] -iloubnan.info##div[style="text-align:center;color:black;font-size:10px;"] -sumotorrent.sx##div[style="text-align:center;font-family:Tahoma;"] -imcdb.org##div[style="text-align:center;width:150px;font-family:Arial;"] -statscrop.com##div[style="text-align:left; margin-left:5px; clear:both;"]:first-child -zrtp.org##div[style="text-align:left;display:block;margin-right:auto;margin-left:auto"] -chron.com##div[style="width: 100%; height: 90px; margin-bottom: 8px; float: left;"] -thecable.ng##div[style="width: 100%;height: 120px; max-width: 728px; overflow: hidden;margin: 0 auto;align-content: center;"] -encyclopedia.com##div[style="width: 1005px;"] -watertowndailytimes.com##div[style="width: 120px; height: 240px; margin-bottom: 20px;"] -croatia.org##div[style="width: 120px; text-align:center"] -whatson.co.za##div[style="width: 140px; height: 470px;"] -vr-zone.com##div[style="width: 160px; height: 600px"] -brandeating.com##div[style="width: 160px; height: 600px; overflow: visible;"] -jpost.com,performanceboats.com##div[style="width: 160px; height: 600px;"] -kidzworld.com##div[style="width: 160px; height: 617px; margin: auto;"] -wrip979.com##div[style="width: 160px; height: 627px"] -disclose.tv##div[style="width: 160px;"] -checkip.org##div[style="width: 250px; margin-left: 25px;margin-top:10px;"] -whodoyouthinkyouaremagazine.com##div[style="width: 290px; height: 100px; padding: 5px; margin-bottom: 5px; clear: both;"] -box10.com##div[style="width: 300px; float: left;"] -nba.com##div[style="width: 300px; height: 100px"] -kidzworld.com##div[style="width: 300px; height: 117px; margin: auto;"] -eastonline.eu##div[style="width: 300px; height: 132px; margin-bottom: 20px;margin-top: 20px;"] -theonion.com##div[style="width: 300px; height: 220px; overflow: hidden;"] -myfitnesspal.com,nba.com,patheos.com##div[style="width: 300px; height: 250px"] -uvnc.com##div[style="width: 300px; height: 250px; background-color: #FFFFFF"] -thefightnetwork.com##div[style="width: 300px; height: 250px; background: #000"] -lolking.net##div[style="width: 300px; height: 250px; background: #000;"] -buccaneers.com##div[style="width: 300px; height: 250px; background: #fff;"] -djmag.ca##div[style="width: 300px; height: 250px; border: 2px solid #000;"] -ecorazzi.com##div[style="width: 300px; height: 250px; float: right; margin: 0 0 15px 25px;"] -marriland.com##div[style="width: 300px; height: 250px; float: right; margin: 2px;"] -rockol.com##div[style="width: 300px; height: 250px; left: 650px; top: 0px;"] -techfresh.net##div[style="width: 300px; height: 250px; margin-bottom: 20px;"] -fame10.com##div[style="width: 300px; height: 250px; margin: 0 auto;"] -socialblade.com##div[style="width: 300px; height: 250px; margin: 0px auto 10px auto;"] -benzinga.com,newstalk.ie,newswhip.ie##div[style="width: 300px; height: 250px; overflow: hidden;"] -mbworld.org##div[style="width: 300px; height: 250px; overflow:hidden;"] -ukfree.tv##div[style="width: 300px; height: 250px; padding-top: 10px"] -cbsnews.com,cbssports.com,cnn.com,gamefront.com,jpost.com,mondomedia.com,newsonjapan.com,performanceboats.com,sciencedaily.com,spot.ph,synonym.com,viceversa-mag.com,vitals.com,wamu.org,way2sms.com,whatsonstage.com,wnd.com##div[style="width: 300px; height: 250px;"] -compasscayman.com##div[style="width: 300px; height: 250px;float: left;"] -aaj.tv##div[style="width: 300px; height: 260px; display: block;"] -usedcars.com##div[style="width: 300px; height: 265px"] -ebay.co.uk##div[style="width: 300px; height: 265px; overflow: hidden; display: block;"] -kidzworld.com##div[style="width: 300px; height: 267px; margin: auto;"] -tempo.co##div[style="width: 300px; height: 300px;"] -wnd.com##div[style="width: 300px; height: 600px"] -socialblade.com##div[style="width: 300px; height: 600px; margin: 20px auto 10px auto;"] -jpost.com,urbandictionary.com,viceversa-mag.com,wraltechwire.com##div[style="width: 300px; height: 600px;"] -fropper.com##div[style="width: 300px; height:250px; margin-bottom:15px;"] -liveleak.com##div[style="width: 300px; height:340px"] -gematsu.com##div[style="width: 300px; min-height: 250px; max-height: 600px; overflow: hidden; background: #1e1e1e; margin: 0 0 20px;"] -digitalphotopro.com##div[style="width: 300px; text-align: center;"] -vitals.com##div[style="width: 300px; text-align:right"] -babesandkidsreview.com##div[style="width: 304px; height: 280px; outline: 1px solid #808080; padding-top: 2px; text-align: center; background-color: #fff;"] -cheatcc.com##div[style="width: 308px; text-align: right; font-size: 11pt;"] -weaselzippers.us##div[style="width: 320px; height:600px; margin-top:190px;"] -technobuffalo.com,thetruthaboutguns.com,weaselzippers.us##div[style="width: 320px; height:600px;"] -wellness.com##div[style="width: 336px; padding: 0 0 0 15px; height:280px;"] -theday.com##div[style="width: 468px; height: 60px; border: 1px solid #eeeeee; margin: 5px 0; clear: both;"] -way2sms.com##div[style="width: 468px; height: 60px; margin-left: 140px;"] -mmoculture.com##div[style="width: 468px; height: 60px;"] -zimeye.net##div[style="width: 575px; height: 232px; padding: 6px 6px 6px 0; float: left; margin-left: 0; margin-right: 1px;"] -free-tv-video-online.info##div[style="width: 653px; height:49px;"] -redorbit.com##div[style="width: 700px; height: 250px; overflow: hidden;"] -hiphopstan.com##div[style="width: 700px; height: 270px; margin-left: auto; margin-right: auto; clear: both;"] -sharingcentre.net##div[style="width: 700px; margin: 0 auto;"] -urbandictionary.com##div[style="width: 728px; height: 90px"] -secretmaryo.org##div[style="width: 728px; height: 90px; margin-left: 6px;"] -passiveaggressivenotes.com##div[style="width: 728px; height: 90px; margin: 0 auto 5px; border: 1px solid #666;"] -businessmirror.com.ph##div[style="width: 728px; height: 90px; margin: 0px auto; margin-top: 5px;"] -hurriyetdailynews.com,leoweekly.com##div[style="width: 728px; height: 90px; margin: 0px auto;"] -twcenter.net##div[style="width: 728px; height: 90px; margin: 1em auto 0;"] -ripoffreport.com##div[style="width: 728px; height: 90px; margin: 20px auto; overflow: hidden;"] -uproxx.com##div[style="width: 728px; height: 90px; margin: 20px auto;"] -mbworld.org##div[style="width: 728px; height: 90px; overflow: hidden; margin: 0px auto;"] -nitroflare.com##div[style="width: 728px; height: 90px; text-align: center;"] -bit-tech.net,eatliver.com,jpost.com,lightreading.com,urbandictionary.com##div[style="width: 728px; height: 90px;"] -itnews.com.au##div[style="width: 728px; height:90px; margin-left: auto; margin-right: auto; padding-bottom: 20px;"] -coinwarz.com##div[style="width: 728px; margin-left: auto; margin-right: auto; height:90px;"] -bravejournal.com##div[style="width: 728px; margin: 0 auto;"] -zoklet.net##div[style="width: 728px; margin: 3px auto;"] -news-panel.com##div[style="width: 730px; height: 95px;"] -elitistjerks.com##div[style="width: 730px; margin: 0 auto"] -quikr.com##div[style="width: 735px; height: 125px;"] -freemake.com##div[style="width: 735px; height:60px; margin: 0px auto; padding-bottom:40px;"] -radiosurvivor.com##div[style="width: 750px; height: 90px; border: padding-left:25px; margin-left:auto; margin-right:auto; padding-bottom: 40px; max-width:100%"] -shop.com##div[style="width: 819px; border:1px solid #cccccc; "] -shop.com##div[style="width: 819px; height: 124px; border:1px solid #cccccc; "] -betterpropaganda.com##div[style="width: 848px; height: 91px; margin: 0; position: relative;"] -mydaily.co.uk##div[style="width: 921px; opacity: 1; top: -110px;"] -fscheetahs.co.za##div[style="width: 945px; padding-left: 15px; padding-right: 15px; padding-top: 20px; background-color: #FFFFFF"] -hotpepper-gourmet.com##div[style="width: 950px;margin: 30px auto 0;"] -nba.com##div[style="width: 958px; height: 90px; margin: 0 auto; text-align: center; "] -patheos.com##div[style="width: 970px; height: 40px; margin-bottom: 10px;"] -clatl.com##div[style="width: 970px; height: 76px; background-image: url('http://clatl.com/ads/loafdeals_homepage-bkgnd.png'); background-repeat: no-repeat; margin-bottom: 8px; margin-top: 8px; margin-left: auto; margin-right: auto;"] -patheos.com##div[style="width: 970px; height: 90px; margin-bottom: 10px;"] -cbssports.com##div[style="width: 970px; height: 90px;"] -cheatcc.com##div[style="width:100%; background: #ffffff; padding-bottom: 5px;"] -mondotimes.com##div[style="width:100%; height:90px; line-height:90px; text-align:left;"] -saabplanet.com##div[style="width:100%; max-height:250px; min-height:90px; margin:50px auto;"] -thesimsresource.com##div[style="width:100%;background:#000;"] -techcentral.ie##div[style="width:1000px; height:90px; margin:auto"] -flixist.com##div[style="width:1000px; padding:0px; margin-left:auto; margin-right:auto; margin-bottom:10px; margin-top:10px; height:90px;"] -newhampshire.com,unionleader.com##div[style="width:100px;height:38px;float:right;margin-left:10px"] -techbrowsing.com##div[style="width:1045px;height:90px;margin-top: 15px;"] -strangecosmos.com##div[style="width:120px; height:600;"] -opensourcecms.com##div[style="width:120px; height:600px; margin:auto; \9 \9 \9 margin-bottom:20px"] -egyptindependent.com##div[style="width:120px;height:600px;"] -googletutor.com##div[style="width:125px;text-align:center;"] -eadt.co.uk,eveningstar.co.uk##div[style="width:134px; margin-bottom:10px;"] -worldscreen.com##div[style="width:150px; height:205px; background-color:#ddd;"] -opensourcecms.com##div[style="width:150px; height:310px; margin:auto;"] -worstpreviews.com##div[style="width:160;height:600;background-color:#FFFFFF;"] -allthingsnow.com##div[style="width:160px; height: 600px;z-index:1;"] -encyclopedia.com##div[style="width:160px; height:600px"] -rantsports.com##div[style="width:160px; height:600px; float:left;"] -gametracker.com##div[style="width:160px; height:600px; margin-bottom:8px; overflow:hidden;"] -inrumor.com##div[style="width:160px; height:600px; margin:0 0 20px 0;"] -yourmindblown.com##div[style="width:160px; height:600px; padding:10px 0px;"] -legitreviews.com,modernluxury.com,nationmaster.com,techgage.com##div[style="width:160px; height:600px;"] -brothersoft.com##div[style="width:160px; height:600px;margin:0px auto;"] -gogetaroomie.com##div[style="width:160px; height:616px;background: #ffffff; margin-top:10px; margin-bottom:10px;"] -forums.eteknix.com##div[style="width:160px; margin:10px auto; height:600px;"] -downloadcrew.com##div[style="width:160px;height:160px;margin-bottom:10px;"] -wxyz.com##div[style="width:160px;height:600px;"] -downloadcrew.com##div[style="width:160px;height:600px;margin-bottom:10px;"] -majorgeeks.com##div[style="width:160px;height:600px;margin:0;padding:0"] -leitesculinaria.com##div[style="width:162px; height:600px; float:left;"] -leitesculinaria.com##div[style="width:162px; height:600px; float:right;"] -undsports.com##div[style="width:170px;height:625px;overflow:hidden;background-color:#ffffff;border:1px solid #c3c3c3"] -wantitall.co.za##div[style="width:195px; height:600px; text-align:center"] -mlmhelpdesk.com##div[style="width:200px; height:200px;"] -today.az##div[style="width:229px; height:120px;"] -vumafm.co.za##div[style="width:230px; height:200px;"] -today.az##div[style="width:240px; height:400px;\""] -theadvocate.com##div[style="width:240px;height:90px;background:#eee; margin-top:5px;float:right;"] -newzimbabwe.com##div[style="width:250px; height:250px;"] -today.az##div[style="width:255px; height:120px;"] -exchangerates.org.uk##div[style="width:255px;text-align:left;background:#fff;margin:15px 0 15px 0;"] -linksrank.com##div[style="width:260px; align:left"] -webstatschecker.com##div[style="width:260px; text-align:left"] -chinadaily.com.cn##div[style="width:275px;height:250px;border:none;padding:0px;margin:0px;overflow:hidden;"] -101greatgoals.com##div[style="width:280px;height:440px;"] -cinemablend.com##div[style="width:290px;height:600px;"] -cinemablend.com##div[style="width:290px;height:606px;"] -samoaobserver.ws##div[style="width:297px; height:130px;"] -worstpreviews.com##div[style="width:300;height:250;background-color:#FFFFFF;"] -firstpost.com##div[style="width:300;height:250px;margin-bottom:10px;"] -cooking.com##div[style="width:300;height:250px;position:relative;z-index:10000;"] -weatherreports.com##div[style="width:300px; border: 1px solid gray;"] -mensfitness.com##div[style="width:300px; height: 250px; overflow:auto;"] -redflagflyinghigh.com,wheninmanila.com##div[style="width:300px; height: 250px;"] -shape.com##div[style="width:300px; height: 255px; overflow:auto;"] -itweb.co.za##div[style="width:300px; height: 266px; overflow: hidden; margin: 0"] -jerusalemonline.com##div[style="width:300px; height: 284px; padding-top: 10px; padding-bottom: 10px; border: 1px solid #ffffff; float:right"] -foxsportsasia.com##div[style="width:300px; height:100px;"] -girlgames.com##div[style="width:300px; height:118px; margin-bottom:6px;"] -midweek.com##div[style="width:300px; height:135px; float:left;"] -encyclopedia.com,thirdage.com##div[style="width:300px; height:250px"] -herplaces.com##div[style="width:300px; height:250px; background-color:#CCC;"] -iskullgames.com##div[style="width:300px; height:250px; border: 2px solid #3a3524;"] -thecable.ng##div[style="width:300px; height:250px; margin-bottom:10px;"] -earthsky.org##div[style="width:300px; height:250px; margin-bottom:25px;"] -gametracker.com##div[style="width:300px; height:250px; margin-bottom:8px; overflow:hidden;"] -midweek.com##div[style="width:300px; height:250px; margin: 5px 0px; float:left;"] -inrumor.com##div[style="width:300px; height:250px; margin:0 0 10px 0;"] -bombaytimes.com##div[style="width:300px; height:250px; margin:0 auto;"] -funny-city.com,techsupportforum.com##div[style="width:300px; height:250px; margin:auto;"] -filesfrog.com##div[style="width:300px; height:250px; overflow: hidden;"] -search.ch##div[style="width:300px; height:250px; overflow:hidden"] -worldtvpc.com##div[style="width:300px; height:250px; padding:8px; margin:auto"] -adforum.com,alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,channel24.pk,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flasharcade.com,flashgames247.com,flyergroup.com,foxsportsasia.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,jerusalemonline.com,joplinglobe.com,journal-times.com,journalexpress.net,kexp.org,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,opposingviews.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,outlookmoney.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,siteslike.com,standardmedia.co.ke,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,theawesomer.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net,wrestlinginc.com##div[style="width:300px; height:250px;"] -snewsnet.com##div[style="width:300px; height:250px;border:0px;"] -cnn.com##div[style="width:300px; height:250px;overflow:hidden;"] -ego4u.com##div[style="width:300px; height:260px; padding-top:10px"] -jerusalemonline.com##div[style="width:300px; height:265px;"] -topgear.com##div[style="width:300px; height:306px; padding-top: 0px;"] -mid-day.com##div[style="width:300px; height:30px; margin-top:5px; border:1px solid black;"] -jerusalemonline.com,race-dezert.com##div[style="width:300px; height:600px;"] -worldscreen.com##div[style="width:300px; height:65px; background-color:#ddd;"] -standard.co.uk##div[style="width:300px; margin-bottom:20px; background-color:#f5f5f5;"] -uesp.net##div[style="width:300px; margin-left: 120px;"] -miamitodaynews.com##div[style="width:300px; margin:0 auto;"] -windsorite.ca##div[style="width:300px; min-height: 600px;"] -forzaitalianfootball.com##div[style="width:300px; min-height:250px; max-height:600px;"] -yourmindblown.com##div[style="width:300px; min-height:250px; padding:10px 0px;"] -etfdailynews.com##div[style="width:300px;border:1px solid black"] -memecenter.com##div[style="width:300px;height: 250px;display:inline-block"] -egyptindependent.com##div[style="width:300px;height:100px;"] -independent.com##div[style="width:300px;height:100px;margin-left:10px;margin-top:15px;margin-bottom:15px;"] -snewsnet.com##div[style="width:300px;height:127px;border:0px;"] -smh.com.au##div[style="width:300px;height:163px;"] -1071thez.com,classichits987.com,funnyjunk.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div[style="width:300px;height:250px"] -afterdawn.com,egyptindependent.com,flyertalk.com,hairboutique.com,hancinema.net,itnews.com.au,leftfootforward.org,news92fm.com,nfl.com,nowtoronto.com,techcareers.com,tuoitrenews.vn##div[style="width:300px;height:250px;"] -kohit.net##div[style="width:300px;height:250px;background-color:#000000;"] -winrumors.com##div[style="width:300px;height:250px;background:#c0c8ce;"] -imagebam.com##div[style="width:300px;height:250px;display: inline-block;"] -sonsoflibertymedia.com##div[style="width:300px;height:250px;display:block;"] -sciencedaily.com##div[style="width:300px;height:250px;display:inline-block"] -afterdawn.com##div[style="width:300px;height:250px;float:left;"] -hiphopdx.com##div[style="width:300px;height:250px;margin-bottom:20px;"] -eaaga.com##div[style="width:300px;height:250px;margin-top:5px;margin-bottom:5px;"] -bdnews24.com,datacenterdynamics.com,theolivepress.es##div[style="width:300px;height:250px;margin:0;padding:0"] -gossipcop.com##div[style="width:300px;height:250px;margin:0;padding:0;"] -hancinema.net##div[style="width:300px;height:250px;margin:30px auto;clear:both"] -961kiss.com##div[style="width:300px;height:250px;overflow:hidden;margin-bottom:10px;"] -amazon.ca,amazon.co.uk,amazon.com,amazon.com.au,amazon.fr##div[style="width:300px;height:280px;"] -bdnews24.com,datacenterdynamics.com##div[style="width:300px;height:600px;margin:0;padding:0"] -extremefile.com##div[style="width:300px;margin-left:360px;padding-top:29px;"] -xtra.com.my##div[style="width:300px;margin:auto"] -fanpop.com##div[style="width:300px;min-height:250px;color:#999999;"] -newsblaze.com##div[style="width:305px;height:250px;float:left;"] -houserepairtalk.com##div[style="width:305px;height:251px;"] -whois.net##div[style="width:320px; float:right; text-align:center;"] -tomopop.com##div[style="width:330px; overflow:hidden;"] -worldtvpc.com##div[style="width:336px; height:280px; padding:8px; margin:auto"] -standardmedia.co.ke##div[style="width:336px; height:280px;"] -theepochtimes.com##div[style="width:336px;float:left;margin-right:18px"] -stabroeknews.com##div[style="width:336px;height:280px;"] -maximumpcguides.com##div[style="width:336px;height:280px;margin:0 auto"] -auto-types.com##div[style="width:337px;height:280px;float:right;margin-top:5px;"] -worldwideweirdnews.com##div[style="width:341px; height:285px;float:left; display:inline-block"] -mapsofindia.com##div[style="width:345px;height:284px;float:left;"] -keo.co.za##div[style="width:350px;height:250px;float:left;"] -hostcabi.net##div[style="width:350px;height:290px;float:left"] -worldscreen.com##div[style="width:468px; height:60px; background-color:#ddd;"] -bfads.net##div[style="width:468px; height:60px; margin:0 auto 0 auto;"] -hiphopearly.com##div[style="width:468px; height:60px; margin:5px auto;"] -channel24.pk,ualpilotsforum.org##div[style="width:468px; height:60px;"] -jwire.com.au##div[style="width:468px;height:60px;margin:10px 0;"] -independent.com##div[style="width:468px;height:60px;margin:10px 35px;clear:both;padding-top:15px;border-top:1px solid #ddd;"] -jwire.com.au##div[style="width:468px;height:60px;margin:10px auto;"] -standardmedia.co.ke##div[style="width:470px; height:100px; margin:20px;"] -southcoasttoday.com##div[style="width:48%; border:1px solid #3A6891; margin-top:20px;"] -reactiongifs.com##div[style="width:499px; background:#ffffff; margin:00px 0px 35px 180px; padding:20px 0px 20px 20px; "] -toorgle.net##div[style="width:550px;margin-bottom:15px;font-family:arial,serif;font-size:10pt;"] -chrome-hacks.net##div[style="width:600px;height:250px;"] -manilatimes.net##div[style="width:690px; height:90px; clear:both; margin-bottom:10px;"] -mailinator.com##div[style="width:700;height:120;text-align:left;"] -uesp.net##div[style="width:728px; height:105px; overflow: hidden; margin-left: auto; margin-right: auto;"] -encyclopedia.com##div[style="width:728px; height:90px"] -mustangevolution.com##div[style="width:728px; height:90px; margin: 0 auto;"] -gta3.com,gtagarage.com,gtasanandreas.net,myanimelist.net##div[style="width:728px; height:90px; margin:0 auto"] -fas.org##div[style="width:728px; height:90px; margin:10px 0 20px 0;"] -herplaces.com##div[style="width:728px; height:90px; margin:12px auto;"] -motionempire.me##div[style="width:728px; height:90px; margin:20px auto 10px; padding:0;"] -imgbox.com##div[style="width:728px; height:90px; margin:auto; margin-bottom:8px;"] -dodgeforum.com##div[style="width:728px; height:90px; overflow:hidden; margin:0 auto;"] -freeforums.org,scottishamateurfootballforum.com##div[style="width:728px; height:90px; padding-bottom:20px;"] -alliednews.com,americustimesrecorder.com,andovertownsman.com,androidpolice.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,boards.ie,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,cookingforengineers.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flyergroup.com,forzaitalianfootball.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,nationmaster.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedeadwood.co.uk,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,ualpilotsforum.org,unionrecorder.com,valdostadailytimes.com,vumafm.co.za,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div[style="width:728px; height:90px;"] -theepochtimes.com##div[style="width:728px; height:90px;margin:10px auto 0 auto;"] -imagebam.com##div[style="width:728px; margin:auto; margin-top:10px; margin-bottom:10px; height:90px;"] -kavkisfile.com##div[style="width:728px; text-align:center;font-family:verdana;font-size:10px;"] -ipernity.com##div[style="width:728px;height:100px;margin:0 auto;"] -tictacti.com##div[style="width:728px;height:110px;text-align:center;margin: 10px 0 20px 0; background-color: White;"] -1071thez.com,classichits987.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div[style="width:728px;height:90px"] -footballfancast.com##div[style="width:728px;height:90px; margin: 0 auto 10px;"] -935kday.com##div[style="width:728px;height:90px; margin: 0px auto; background: #ccc; "] -roxigames.com##div[style="width:728px;height:90px;\a border:1px solid blue;"] -sualize.us##div[style="width:728px;height:90px;background:#bbb;margin:0 auto;"] -videohelp.com##div[style="width:728px;height:90px;margin-left: auto ; margin-right: auto ;"] -raaga.com##div[style="width:728px;height:90px;margin-top:10px;margin-bottom:10px"] -stopmalvertising.com##div[style="width:728px;height:90px;margin:0 auto;padding:0;text-align:center;margin-bottom:32px;"] -4chan.org##div[style="width:728px;height:90px;margin:10px auto 10px auto"] -holidayscentral.com##div[style="width:728px;height:90px;margin:15px auto;clear:both"] -colorgirlgames.com##div[style="width:728px;height:90px;margin:5px auto"] -neatorama.com##div[style="width:728px;height:90px;margin:5px auto;"] -technabob.com##div[style="width:728px;height:90px;margin:8px 0px 16px 0px;"] -colorgirlgames.com##div[style="width:728px;height:90px;margin:8px auto 8px"] -maximumpcguides.com##div[style="width:728px;height:90px;position:absolute;top:-95px;left:103px;"] -attheraces.com##div[style="width:728px;height:90px;text-align:center;float:left;background-color:#EFEFEF;"] -interglot.com##div[style="width:728px;margin-right:auto;margin-left:auto"] -putme.org##div[style="width:728px;margin:0 auto;"] -xtra.com.my##div[style="width:728px;margin:auto"] -solomid.net##div[style="width:728px;padding:5px;background:#000;margin:auto"] -proxynova.com##div[style="width:730px; height:90px;"] -usfinancepost.com##div[style="width:730px;height:95px;display:block;margin:0 auto;"] -1fichier.com##div[style="width:750px;height:110px;margin:auto"] -imagebam.com##div[style="width:780px; margin:auto; margin-top:10px; margin-bottom:10px; height:250px;"] -brothersoft.com##div[style="width:795px; height:95px; float:left;text-align:center;"] -sc2casts.com##div[style="width:850px; padding-bottom: 10px;padding-top:10px;text-align:center"] -currency.me.uk##div[style="width:916px;border:1px solid #e1e1e1;background:#fff;padding:1px;margin-bottom:10px;"] -stockmarketwire.com##div[style="width:930px;height:530px;clear:both;margin: 0 auto; margin-top: 15px; "] -tigerdirect.ca##div[style="width:936px; clear:both; margin-top:2px; height:90px;"] -afaqs.com##div[style="width:940px; height: 75px; margin:-10.5px 0 0; valign:top; float: left; margin: 10px 0px 30px 10px;"] -china.cn##div[style="width:948px;margin:5px auto 5px auto;overflow:hidden;zoom:1;height:90px;line-height:90px;overflow:hidden;"] -thegardenisland.com##div[style="width:950px; height:90px; margin:10px auto; display:block;"] -uploadc.com,zalaa.com##div[style="width:950px; padding:10px;padding-bottom:0px; "] -japannewsreview.com##div[style="width:955px;height:90px;align:auto;margin-bottom:10px;"] -speedmonkey.net##div[style="width:960px;height:110px;text-align:center"] -channel24.pk##div[style="width:970px; height:90px;"] -jacars.net##div[style="width:970px; margin-top:5px; top:0px; left:15px; position:relative; height:90px; "] -jacars.net##div[style="width:970px; margin:auto; top:0px; position:relative; height:90px; "] -jacars.net##div[style="width:970px; top:0px; left:15px; position:relative; height:90px; "] -whdh.com##div[style="width:970px;height:250px;"] -rateyourmusic.com##div[style="width:970px;height:90px;text-align:center;margin:0 auto;margin-top:0.25em;margin-bottom:1em;"] -tigerdirect.ca##div[style="width:977px; clear:both; margin-top:2px; height:90px;"] -gametracker.com##div[style="width:980px; height:48px; margin-bottom:5px; overflow:hidden;"] -apphit.com##div[style="width:980px;height:100px;clear:both;margin:0 auto;"] -moneyam.com##div[style="width:980px;height:450px;clear:both;margin: 0 auto;"] -teleservices.mu##div[style="width:980px;height:50px;float:left; "] -performanceboats.com##div[style="width:994px; height:238px;"] -search.ch##div[style="width:994px; height:250px"] -monova.org##div[style] > a -independent.com##div[style^="background-image:url('http://media.independent.com/img/ads/ads-bg.gif')"] -sevenforums.com##div[style^="border: 1px solid #94D3FE;"] -gamebanshee.com##div[style^="border:1px solid #b98027; width:300px;"] -interfacelift.com##div[style^="clear: both; -moz-border-radius: 6px; -webkit-border-radius: 6px;"] -redbrick.me##div[style^="cursor:pointer; position: relative;width:1000px; margin: auto; height:150px; background-size:contain; "] -iload.to##div[style^="display: block; width: 950px;"] -google.com##div[style^="height: 16px; font: bold 12px/16px"] -paultan.org##div[style^="height:250px; width:300px;"] -softpedia.com##div[style^="margin-top:"] > a > img:first-child -rlslog.net##div[style^="padding-top: 20px;"] -technabob.com##div[style^="padding:0px 0px "] -easyvideo.me,videofun.me,videozoo.me##div[style^="position: absolute;"] -pcmag.com##div[style^="position: relative; top:"] -viz.com##div[style^="position:absolute; width:742px; height:90px;"] -easyvideo.me,videofun.me,videozoo.me##div[style^="top: "] -wizzed.com##div[style^="visibility: visible !important;display: block !important;"] -memecenter.com##div[style^="visibility:visible;width:336px;height:768px;"] -softpedia.com##div[style^="width: 100%; height: 90px;"] -eatliver.com##div[style^="width: 160px; height: 600px;"] -allmyvideos.net##div[style^="width: 315px; "] -someimage.com##div[style^="width: 728px; height: 90px;"] -droid-life.com##div[style^="width: 970px;"] -kino.to##div[style^="width: 972px;display: inline;top: 130px;"] -easyvideo.me,videofun.me,videozoo.me##div[style^="width:"] -sakshieducation.com##div[style^="width:160px; height:600px;"] -userscdn.com##div[style^="width:300px; height:250px;"] -userscdn.com,way2sms.com##div[style^="width:728px; height:90px;"] -timelinecoverbanner.com##div[style^="width:728px;"] -walmart.com##div[style^="width:740px;height:101px"] -thevideos.tv##div[style^="z-index: 2000; background-image:"] -easyvideo.me,videofun.me,videozoo.me##div[style^="z-index:"] +9gag.com##div[style="position: relative; z-index: 3; width: 640px; min-height: 202px; margin: 0px auto;"] +navajotimes.com##div[style="text-align: center; margin-top: -35px;"] +wikibrief.org##div[style="text-align:center;height:302px;width:auto;"] +m.koreatimes.co.kr##div[style="width: 300px; height:250px; overflow: hidden; margin: 0 auto;"] +ultimatespecs.com##div[style="width:100%;display:block;height:290px;overflow:hidden"] +constative.com##div[style]:not([class]) +whatmobile.com.pk##div[style^="background-color:#EBEBEB;"] +fctables.com##div[style^="background:#e3e3e3;position:fixed"] +footybite.cc##div[style^="border: 2px solid "] +pastebin.com##div[style^="color: #999; font-size: 12px; text-align: center;"] +realpython.com##div[style^="display:block;position:relative;"] +newser.com##div[style^="display:inline-block;width:728px;"] +elitepvpers.com##div[style^="font-size:11px;"] +drudgereport.com##div[style^="height: 250px;"] +add0n.com,crazygames.com##div[style^="height: 90px;"] +apkdone.com,crazygames.com,english-hindi.net,livesoccertv.com,malaysiakini.com,sporticos.com##div[style^="height:250px"] +titantv.com##div[style^="height:265px;"] +altchar.com##div[style^="height:280px;"] +malaysiakini.com##div[style^="height:600px"] +whatmobile.com.pk##div[style^="height:610px"] +point2homes.com,propertyshark.com##div[style^="margin-bottom: 10px;"] +unionpedia.org##div[style^="margin-top: 15px; min-width: 300px"] +gizbot.com,goodreturns.in,inc.com##div[style^="min-height: 250px"] +point2homes.com,propertyshark.com##div[style^="min-height: 360px;"] +add0n.com##div[style^="min-height:90px"] +decrypt.co,metabattle.com##div[style^="min-width: 300px;"] +gtaforums.com##div[style^="text-align: center; margin: 0px 0px 10px;"] +appleinsider.com##div[style^="text-align:center;border-radius:0;"] +jwire.com.au##div[style^="width:468px;"] +imgbabes.com##div[style^="width:604px;"] +interglot.com,sodapdf.com,stopmalvertising.com##div[style^="width:728px;"] +worldstar.com,worldstarhiphop.com##div[style^="width:972px;height:250px;"] +tvtv.us##div[style^="z-index: 1100; position: fixed;"] ebay.com##div[title="ADVERTISEMENT"] -eclipse.org##div[width="200"] -isnare.com##div[width="905"] -filepuma.com##dt[style="height:25px; text-indent:3px; padding-top:5px;"] -ebay.com#?#li.s-item:-abp-has(span:-abp-contains(SPONSORED)) -kitguru.net##embed[src][quality] -xtremesystems.org##embed[width="728"] -etsy.com#?#a.listing-link:-abp-has(span:-abp-contains(Ad)) -facebook.com#?#.ego_section:-abp-has(a[href^="/ad_"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=152717608708800&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=1562919887258584&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=172084499810064&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=1840872649470382&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=19062931201&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=193309864593981&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=238900856656179&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=337919069680305&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=441678479351111&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=444394995756697&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=455771467959090&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=821130027910635&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=825496334242487&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[data-hovercard^="/ajax/hovercard/page.php?id=931112240236154&"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(a[href*="is_sponsored"]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(input[data-next-question-id]) -facebook.com#?#div[id^="hyperfeed_story_id_"]:-abp-has(span:-abp-contains(/Suggested Post|Vorgeschlagener Beitrag/)) -cinemablend.com##font[color="#737373"] -imgburn.com,majorgeeks.com##font[face="Arial"][size="1"] -bargaineering.com##font[face="Verdana"][color="#808080"] +presearch.com##div[x-show*="_ad_click"] +adblock-tester.com##embed[width="240"] +teslaoracle.com##figure.aligncenter +groupon.com##figure[data-clickurl^="https://api.groupon.com/sponsored/"] +imgburn.com##font[face="Arial"][size="1"] realitytvworld.com##font[size="1"][color="gray"] -nufc.com##font[size="1"][face="Verdana"] > table[width="297"][cellspacing="0"][cellpadding="0"][border="0"][align="center"] -zippyshare.com##font[style="font-size: 10px; letter-spacing: 3px; word-spacing: 2px; line-height: 18px;"] -zippyshare.com##font[style="font-size: 10px; letter-spacing: 3px; word-spacing: 2px;"] -softpedia.com##h2 + div + a[style] -cnn.com##h2[data-analytics^="Paid Partner Content_list-"] +dailydot.com##footer law.com,topcultured.com##h3 -rapidog.com##h3[style="color:#00CC00"] -virtualmedicalcentre.com##h5 -bigpond.com##h5.subheading -amazon.com##h5[data-alt-pixel-url^="/gp/sponsored-products/"] -amazon.com##h5[data-alt-pixel-url^="/gp/sponsored-products/"] + div + .a-row -indowebster.com##h6.size_1 -sketchucation.com##h6[style^="width:766px;height:88px;"] -deadline.com##header > .header-ad-mobile + * -forums.eteknix.com##hgroup[style="width:728px; margin:10px auto; height:90px;"] -discovermagazine.com##hr[size="1"] -extremetech.com,hawtcelebs.com,moviemistakes.com,wccftech.com##iframe[height="250"] -funnyjunk.com##iframe[height="250"][width="300"] -kizi.com##iframe[height="270"][width="800"] -animefreak.tv,extremetech.com,hawtcelebs.com,moviemistakes.com##iframe[height="600"] -ziddu.com##iframe[height="80"] -pcmag.com##iframe[id][marginheight="0"] -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,mcall.com,montrealgazette.com,nasdaq.com,nationalpost.com,orlandosentinel.com,ottawacitizen.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,vancouversun.com,vibe.com,windsorstar.com##iframe[name*="ads_iframe"] -img2share.com##iframe[src="about:blank"] -imgbar.net##iframe[src="earn.php"] -briansarmiento.website##iframe[src] -torrentfunk.com##iframe[src][sandbox] -goolink.me##iframe[src][style][height] -yourbittorrent.com##iframe[src][width] -cybergamer.com##iframe[src^="http://au.cybergamer.com/iframe_cgbanners.php?"] -pcmag.com##iframe[src^="http://sp.pcmag.com/"] -fortune.com##iframe[src^="https://products.gobankingrates.com/"] -biology-online.org##iframe[style*=" ! important"] -grammarist.com##iframe[style*="display: block ! important"] -bolde.com##iframe[style="display: block !important;"] -boards2go.com##iframe[style="display: inline-table !important;"] -btmon.com##iframe[style="height: 600px; width: 160px"] -liveuamap.com##iframe[style="margin-left: -32px; width: 362px;height:295px;border:0px none #000;"] -thestreet.com##iframe[style="margin-top:5px;"] -heyoya.com##iframe[style="width: 300px; height: 250px; overflow: hidden;"] -hinduwebsite.com##iframe[style="width:320px; height:260px;"] -animefreak.tv,imagetwist.com##iframe[width="300"] -france24.com##iframe[width="300"][height="170"] -therecord.com##iframe[width="300"][height="180"] -fansshare.com,headlinepolitics.com,tmn.today##iframe[width="300"][height="250"] -mouthshut.com##iframe[width="336"] -1tvlive.in,4archive.org,ahashare.com,imagetwist.com,moviemistakes.com,thebarchive.com,tomsguide.com,ziddu.com##iframe[width="728"] -headlinepolitics.com,imgchili.net,tmn.today##iframe[width="728"][height="90"] -shoesession.com##iframe[width="732"] -gamecopyworld.com##iframe[width="760"] -israelnationalnews.com##iframe[width="970"][height="500"] -newsbtc.com##img.aligncenter[width="200"][height="200"] -thegremlin.co.za##img[alt*="Advertising"] -windycitymediagroup.com,windycitytimes.com##img[alt*="Sponsor"] -chroniclelive.co.uk,liverpoolecho.co.uk##img[alt*="sponsor"] -thefashionlaw.com##img[alt="Ad 1"] -thecuttingedgenews.com##img[alt="Ad by The Cutting Edge News"] -adaderana.lk,inmr.com##img[alt="Ad"] -technologyreview.com,tmz.com##img[alt="Advertisement"] -techxav.com##img[alt="Commercial WordPress themes"] -jdownloader.org##img[alt="Filesonic Premium Download"] -nta.ng##img[alt="Online Ads WeConnect Platform"] -scriptmafia.org##img[alt="SM AdSpaces"] -capitalkfm.com##img[alt="Sponsor"] -adswikia.com,searchquotes.com##img[alt="Sponsored"] -awazfm.co.uk##img[alt="advert"] +kazwire.com##h3.tracking-widest +drive.com.au##hr +nordstrom.com##iframe[data-revjet-options] +pixiv.net##iframe[height="300"][name="responsive"] +pixiv.net##iframe[height="520"][name="expandedFooter"] +yourbittorrent.com##iframe[src] +realgearonline.com##iframe[src^="http://www.adpeepshosted.com/"] +bollyflix.how,dramacool.sr##iframe[style*="z-index: 2147483646"] +4anime.gg,apkmody.io,bollyflix.how,bravoporn.com,dramacool.sr,gogoanime.co.in,gogoanime.run,harimanga.com,hdmovie2.rest,himovies.to,hurawatch.cc,instamod.co,leercapitulo.com,linksly.co,mangadna.com,manhwadesu.bio,messitv.net,miraculous.to,movies-watch.com.pk,moviesmod.zip,nkiri.com,prmovies.dog,putlockers.li,sockshare.ac,ssoap2day.to,sukidesuost.info,tamilyogi.bike,waploaded.com,watchomovies.net,y-2mate.com,yomovies.team,ytmp3.cc,yts-subs.com##iframe[style*="z-index: 2147483647"] +pixiv.net##iframe[width="300"][height="250"] +premiumtimesng.com##img[alt$=" Ad"] +f1technical.net##img[alt="Amazon"] +cnx-software.com##img[alt="ArmSoM CM5 - Raspberry Pi CM4 alternative with Rockchip RK3576 SoC"] +cnx-software.com##img[alt="Cincoze industrial GPU computers"] +cnx-software.com##img[alt="I-PI SMARC Intel Amston Lake devkit"] +cnx-software.com##img[alt="Intel Amston Lake COM Express Type 6 Compact Size module"] +cnx-software.com##img[alt="Orange Pi Amazon Store"] +cnx-software.com##img[alt="ROCK 5 ITX RK3588 mini-ITX motherboard"] +cnx-software.com##img[alt="Radxa ROCK 5C (Lite) SBC with Rockchip RK3588 / RK3582 SoC"] +cnx-software.com##img[alt="Rockchip RK3568/RK3588 and Intel x86 SBCs"] +newagebd.net##img[alt="ads space"] therainbowtimesmass.com##img[alt="banner ad"] -mycbseguide.com##img[alt="banner"] -dailysport.co.uk##img[alt="cams"] -sanmarinotribune.com##img[alt="headerad1"] -sanmarinotribune.com##img[alt="sidebarad1"] -thebradentontimes.com##img[class^="custom_adgroup_"] -capricornfm.co.za##img[data-image-width="300"][data-image-height="250"] -lyngsat.com##img[height="100"][width="160"] -am950radio.com##img[height="100"][width="205"] -wibc.com,wjr.com##img[height="100"][width="300"] -hankfm.com##img[height="100"][width="350"] -constructionreviewonline.com##img[height="100"][width="690"] -hapskorea.com##img[height="110"][width="110"] -naijaloaded.com.ng##img[height="114"][width="728"] -jozikids.co.za##img[height="140"][width="140"] -onefm.co.za,thedrinksbusiness.com##img[height="150"][width="150"] -lyngsat-logo.com,lyngsat-maps.com,lyngsat-stream.com,lyngsat.com,webhostingtalk.com##img[height="160"][width="160"] -nzfranchises.co.nz##img[height="180"][width="270"] -independent.co.ug##img[height="189"][width="320"] -owngoalnigeria.com,thomhartmann.com##img[height="200"][width="200"] -newseveryhour.com##img[height="209"][width="250"] -africandesignmagazine.com##img[height="226"] -mypbrand.com,tfetimes.com##img[height="250"] -german-way.com##img[height="250"][width="250"] -ahomkaradiouk.com,allblackmedia.com,bigeye.ug,bjpenn.com,cananewsonline.com,colombiareports.com,cordcutting.com,einnews.com,fextralife.com,hot919fm.com,naijaloaded.com.ng,nationalreview.com,naturallivingideas.com,newsday.co.zw,power987.co.za,proxy.org,qsaltlake.com,thedailyblog.co.nz,thegatewaypundit.com,thelibertarianrepublic.com,tribuneonlineng.com,wcpt820.com##img[height="250"][width="300"] -power987.co.za##img[height="250"][width="970"] -thetruthwins.com##img[height="255"] -awesomeradio.com,newyorkyimby.com##img[height="280"][width="336"] -africandesignmagazine.com,thetruthwins.com##img[height="300"] -arizonadailyindependent.com,ciiradio.com,hapskorea.com,hot919fm.com##img[height="300"][width="300"] -capitalkfm.com##img[height="302"][width="690"] -thetruthwins.com##img[height="310"] -constructionreviewonline.com##img[height="326"][width="326"] -hot919fm.com##img[height="350"][width="300"] -constructionreviewonline.com##img[height="360"][width="360"] -webhostingtalk.com##img[height="400"][width="160"] -howtogermany.com##img[height="45"][width="120"] -2pass.co.uk##img[height="470"] -thelibertarianrepublic.com##img[height="50"][width="320"] -bigeye.ug##img[height="549"][width="300"] -pointblanknews.com##img[height="60"][width="120"] -warez-home.net##img[height="60"][width="420"] -opednews.com##img[height="600"][width="160"] -power987.co.za,thedailyblog.co.nz##img[height="600"][width="300"] -africandesignmagazine.com##img[height="688"] -sharesansar.com##img[height="80px;"][style="width:992px;"] -smallseotools.com##img[height="89"][width="728"] -abundance-and-happiness.com,hapskorea.com,professionalmuscle.com,tfetimes.com##img[height="90"] -nmap.org##img[height="90"][width="120"] -opednews.com##img[height="90"][width="180"] -independent.co.ug##img[height="90"][width="720"] -constructionreviewonline.com##img[height="90"][width="725"] -airplaydirect.com,bentelevision.com,biznisafrica.com,economicconfidential.com,geekzone.co.nz,itsfoss.com,newseveryhour.com,newyorkyimby.com,pcwdld.com,proxy.org,roadtester.com.au,runechat.com,slayradio.org,therainbowtimesmass.com,tribuneonlineng.com##img[height="90"][width="728"] -backpackerguide.nz##img[height="90"][width="770"] -prowrestling.com##img[height="91"] -windycitymediagroup.com,windycitytimes.com##img[name="Sponsor"] -modelhorseblab.com##img[name="js_ad"] -coinmarketcap.com##img[src*=".space"] -forum.blackhairmedia.com##img[src*="/?AdID="] -seocentro.com##img[src*="/images/sponsors/"] -coinwarz.com##img[src*="_AfBanner_"] -minecraftforum.net##img[src][height="96"] -dimtus.com##img[src^="http://bnrs.it/"] -kino.to##img[src^="http://c.statcounter.com/"] + span -osbot.org##img[src^="https://i.imgur.com/"] -raysindex.com##img[style$="text-align: center; cursor: \a \a pointer; width: 728px;"] -grabchicago.com##img[style="border: 0px solid ; width: 728px; height: 90px;"] -thehackernews.com##img[style="border: 0px"] -tampermonkey.net##img[style="display:block;"] -noscript.net##img[style="float: left;padding: 32px 16px 8px 0; border: none"] -world4free.in##img[style="height: 600px; width: 160px;"] -magazine.org##img[style="height:250px; width:300px"] -wfc.tv##img[style="max-width: 240px;max-height: 400px;"] -inewsmalta.com##img[style="max-width:728px;max-height:90px"] -newtimes.co.rw##img[style="width: 160px;"] -wutqfm.com##img[style="width: 200px; height: 200px;"] -atwonline.com##img[style="width: 274px; height: 50px;"] -wbap.com##img[style="width: 299px; height: 85px;"] -newtimes.co.rw##img[style="width: 300px; border-width: 1px; border-style: solid;"] -wmal.com##img[style="width: 300px; height: 150px;"] -dailymirror.lk,radiotoday.com.au##img[style="width: 300px; height: 200px;"] -dailymirror.lk##img[style="width: 300px; height: 248px;"] -ktul.com##img[style="width: 300px; height: 24px; border: 0px;"] -indypendent.org##img[style="width: 300px; height: 250px; "] -flafnr.com,gizmochina.com##img[style="width: 300px; height: 250px;"] -britishexpat.com##img[style="width: 300px; height:250px; border: 0; margin-left: -15px;margin-bottom:8px;"] -dailymirror.lk##img[style="width: 302px; height: 202px;"] -newtimes.co.rw##img[style="width: 400px; height: 600px;"] -pricecheck.co.za##img[style="width: 460px;"] -britishexpat.com##img[style="width: 468px; height: 60px;"] -classicfm.co.za##img[style="width: 600px; height: 300px;"] -bulletin.us.com##img[style="width: 600px; height: 50px;"] -check-host.net##img[style="width: 640px"] -indypendent.org,uploadocean.com##img[style="width: 728px; height: 90px;"] -newtimes.co.rw##img[style="width: 900px; height: 200px;"] -unionleader.com##img[style="width:100px;height:38px;margin-top:-10px"] -thespiritsbusiness.com##img[style="width:170px;"] -newsfirst.lk##img[style="width:300px; height:200px;"] -bcmagazine.net##img[style="width:300px; height:250px; border:0px;"] -bcmagazine.net##img[style="width:300px; height:400px; border:0px;"] -oathkeepers.org##img[style="width:350px"] -bitcoindifficulty.com##img[style="width:728px; height:90px;"] -downloadhelper.net##img[style="width:728px;height:90px"] -cryptoinfinity.com##img[style="width:728px;height:90px;"] -snopes.com##img[style][width] -readcomiconline.to##img[style^="float:"] -oathkeepers.org##img[style^="width: 350px;"] -nba-stream.com##img[style^="width:728px;height:90px"] +framed.wtf##img[alt="prime gaming banner"] +pasty.info##img[aria-label="Aliexpress partner network affiliate Link"] +pasty.info##img[aria-label="Ebay partner network affiliate Link"] +inkbotdesign.com,kuramanime.boo##img[decoding="async"] +cloutgist.com,codesnse.com##img[fetchpriority] +nepallivetoday.com,wjr.com##img[height="100"] +prawfsblawg.blogs.com,thomhartmann.com##img[height="200"] +newyorkyimby.com##img[height="280"] +callofwar.com##img[referrerpolicy] +nsfwyoutube.com##img[src*="data"] +bcmagazine.net##img[style^="width:300px;"] +unb.com.bd##img[style^="width:700px; height:70px;"] abpclub.co.uk##img[width="118"] -miningreview.com,scnsrc.net,traxarmstrong.com##img[width="120"][height="600"] -oshili24.com.na##img[width="1200"][height="400"] -darknet.org.uk##img[width="123"][height="123"] -americanisraelite.com,dailyblogtips.com,macintouch.com,miningreview.com,radiotoday.co.uk,utahstories.com##img[width="125"][height="125"] -guardianonline.co.nz##img[width="134"][height="35"] -link-base.org##img[width="135"] -bosscast.net,ndtv.com,postzambia.com##img[width="150"] -zonalmarking.net##img[width="150"][height="750"] -palipost.com##img[width="160"][height="100"] -radiocaroline.co.uk,yournews.com##img[width="160"][height="160"] -zonalmarking.net##img[width="160"][height="300"] -newswireni.com##img[width="160"][height="596"] -airplaydirect.com,ata.org,candofinance.com,newswireni.com,serialbay.com,siliconera.com,temulator.com,windfm.com##img[width="160"][height="600"] -newswireni.com##img[width="161"][height="600"] -unionleader.com##img[width="165"][height="40"] -sunny106.fm,tompkinsweekly.com,wutqfm.com##img[width="180"] -wegoted.com,wyep.org##img[width="180"][height="150"] -prawfsblawg.blogs.com##img[width="180"][height="200"] -wegoted.com##img[width="180"][height="204"] -kashmirtimes.com,kashmirtimes.in##img[width="180"][height="600"] -wrno.com##img[width="185"][height="60"] -radio1041.fm##img[width="189"] -radio1041.fm##img[width="190"] -bayfm.co.za##img[width="195"][height="195"] -sarasotatalkradio.com##img[width="200"][height="200"] -coffeegeek.com##img[width="200"][height="250"] -professionalmuscle.com##img[width="201"] -bayfm.co.za##img[width="208"][height="267"] -bayfm.co.za##img[width="208"][height="301"] -bayfm.co.za##img[width="208"][height="319"] -professionalmuscle.com##img[width="210"] -khow.com##img[width="216"][height="156"] -thisdaylive.com##img[width="220"][height="147"] -aroundhawaii.com##img[width="220"][height="60"] -nufc.com##img[width="226"][height="58"] -aroundhawaii.com##img[width="230"][height="150"] -islamchannel.tv##img[width="230"][height="185"] -mlfat4arab.com##img[width="234"][height="60"] -mommymatters.co.za##img[width="249"][height="250"] -codecguide.com,fashionpulis.com,golfstylesonline.com##img[width="250"] -phillyrecord.com##img[width="250"][height="218"] -5pillarsuk.com,ciiradio.com,korabroadcasting.com,mommymatters.co.za,readfomag.com##img[width="250"][height="250"] -yournews.com##img[width="250"][height="90"] -tompkinsweekly.com##img[width="252"] -theannouncer.co.za##img[width="252"][height="100"] -tompkinsweekly.com##img[width="253"] -miningreview.com##img[width="260"][height="250"] -ozarkssportszone.com##img[width="267"][height="294"] -threatpost.com##img[width="270"] -haitiantimes.com##img[width="275"][height="300"] -staugustine.com##img[width="275"][height="75"] -korabroadcasting.com##img[width="279"][height="279"] -wwl.com##img[width="281"][height="141"] -postzambia.com##img[width="285"] -staugustine.com##img[width="285"][height="75"] -mypbrand.com##img[width="295"] -inquirer.net##img[width="298"][style="margin-bottom:5px;margin-top:5px;"] -africandesignmagazine.com,breakingbelizenews.com,naijaloaded.com.ng,punchng.com,radio1041.fm,technomag.co.zw,techpowerup.com,thefix.com,thetruthwins.com,wheremilan.com,wonkette.com##img[width="300"] -espnrichmond.com,momsmiami.com,nehandaradio.com##img[width="300"][height="100"] -fancystreems.com##img[width="300"][height="150"] -947wls.com##img[width="300"][height="155"] -businessdayonline.com##img[width="300"][height="200"] -360nobs.com,afrivibes.net,airplaydirect.com,autoaction.com.au,businessdayonline.com,clutchmagonline.com,cryptomining-blog.com,dotsauce.com,fancystreems.com,firstpost.com,freedomhacker.net,gameplayinside.com,goodcarbadcar.net,gossipmillnigeria.com,icxm.net,movin100.com,mycolumbuspower.com,nehandaradio.com,onislandtimes.com,portugaldailyview.com,radiobiz.co.za,rlslog.net,robhasawebsite.com,sacobserver.com,samoatimes.co.nz,seguintoday.com,staugustine.com,tangatawhenua.com,techpowerup.com,theannouncer.co.za,themediaonline.co.za,thenationonlineng.net,theolivepress.es,thevoicebw.com,thewillnigeria.com,thisdaylive.com,three.fm,vpnreviewer.com,wantedinafrica.com,wantedinrome.com,wolf1051.com,ynaija.com,yomzansi.com,zizonline.com##img[width="300"][height="250"] -irishcatholic.com##img[width="300"][height="252"] -ynaija.com##img[width="300"][height="290"] -haitiantimes.com,linkbitty.com,newspapers-online.com,therep.co.za##img[width="300"][height="300"] -theolivepress.es##img[width="300"][height="33"] -sportdiver.co.uk##img[width="300"][height="350"] -haitiantimes.com##img[width="300"][height="375"] -showbiz411.com##img[width="300"][height="400"] -pymnts.com##img[width="300"][height="500"] -khaleejtimes.com##img[width="300"][height="60"] -clutchmagonline.com,korabroadcasting.com,religionnewsblog.com##img[width="300"][height="600"] -afrivibes.net##img[width="300px"][height="250px"] -thisdaylive.com##img[width="301"][height="251"] -gamingcentral.in##img[width="310"][height="175"] -wallstreetsurvivor.com##img[width="310"][height="56"] -wben.com##img[width="316"][height="120"] -argentinaindependent.com##img[width="320"][height="250"] -thisdaylive.com##img[width="320"][height="316"] -radioasiafm.com##img[width="350"][height="300"] -chicagojewishnews.com##img[width="350"][height="454"] -ipwatchdog.com##img[width="350px"][height="250px"] -noordnuus.co.za##img[width="357"][height="96"] -nufc.com##img[width="360"][height="100"] -transportxtra.com##img[width="373"][height="200"] -transportxtra.com##img[width="373"][height="250"] -forum.blackhairmedia.com##img[width="400"][height="82"] -gomlab.com##img[width="410"][height="80"] -sunnewsonline.com##img[width="420"][height="55"] -powerbot.org##img[width="428"] -hangout.co.ke##img[width="448"][height="70"] -inmr.com##img[width="450"][height="64"] -maltairport.com##img[width="453"][height="115"] -ch131.so##img[width="460"][height="228"] -chat-avenue.com,flashx.cc,flashx.co,flashx.me,flashx.pw,flashx.run,flashx.space,flashx.top,hollywoodbackwash.com,macintouch.com,muzique.com,opencarry.org##img[width="468"] -abpclub.co.uk,allforpeace.org,cpaelites.com,forum.gsmhosting.com,hulkload.com,load.to,rlslog.net,themediaonline.co.za,thetobagonews.com,warezhaven.org,waz-warez.org##img[width="468"][height="60"] -topprepperwebsites.com##img[width="468"][height="80"] -link-base.org##img[width="468px"] -infinitecourses.com##img[width="468px"][height="60px"] -sharktankblog.com##img[width="485"][height="60"] -colorlib.com##img[width="500"][height="500"] -yournews.com##img[width="540"][height="70"] -thedailysheeple.com##img[width="560"] -sunny106.fm##img[width="560"][height="69"] -5pillarsuk.com##img[width="561"][height="70"] -sunny106.fm##img[width="570"][height="131"] -staugustine.com##img[width="590"][height="200"] -isportconnect.com##img[width="590"][height="67"] -mail.macmillan.com,motortrader.com.my##img[width="600"] -nufc.com##img[width="600"][height="85"] -softpedia.com##img[width="600"][height="90"] -showme.co.za##img[width="626"][height="228"] -bloombergtvafrica.com##img[width="628"][height="78"] -radiotoday.co.uk##img[width="630"][height="120"] -therep.co.za##img[width="640"][height="241"] -motortrader.com.my##img[width="640"][height="80"] -postzambia.com##img[width="675"][height="70"] -cryptothrift.com##img[width="700"] -1550wdlr.com##img[width="711"][height="98"] -crackingforum.com##img[width="720"] -businessdayonline.com,ch131.so,haitiantimes.com##img[width="720"][height="90"] -wharf.co.uk##img[width="720px"][height="90px"] -lindaikeji.blogspot.com,livemixtapes.com,mixingonbeat.com,naija247news.com,powerbot.org,rsvlts.com,rule34.xxx,techpowerup.com,xtremesystems.org##img[width="728"] -autoaction.com.au##img[width="728"][height="200"] -420careers.com,add-anime.net,ahealthblog.com,creditboards.com,driverguide.com,ecostream.tv,freeforums.org,hulkload.com,imgbar.net,irishcatholic.com,kashmirtimes.com,kashmirtimes.in,knco.com,korabroadcasting.com,movin100.com,namibiansun.com,oldiesradio1050.com,power987.co.za,radioinsight.com,sameip.org,starconnectmedia.com,tangatawhenua.com,technomag.co.zw,techpowerup.com,topprepperwebsites.com,vpnreviewer.com,wallstreetfool.com,warezlobby.org,wcfx.com,wolf1051.com,wsoyam.com##img[width="728"][height="90"] -mkfm.com##img[width="75"][height="75"] -telecomtiger.com##img[width="768"][height="80"] -ndtv.com##img[width="770"] -americanisraelite.com##img[width="778"][height="114"] -pymnts.com##img[width="800"][height="300"] -myretrotv.com##img[width="875"][height="110"] -waz-warez.org##img[width="88"][height="31"] -korabroadcasting.com##img[width="883"][height="109"] -racefans.net##img[width="912"][height="92"] -player.stv.tv##img[width="960px"][height="32px"] -staugustine.com##img[width="970"][height="90"] -lockerz.com##img[width="980"][height="60"] -moneycontrol.com##img[width="996"][height="169"] -allmyvideos.net##img[width] -opednews.com##img[wodth="160"][height="600"] -ad2links.com##input[value="Download Now"] -lix.in##input[value="Download"] -broadbandforum.co##ins[data-ad-client] -downace.com##ins[data-ad-client^="ca-pub-"] -uploadocean.com##ins[id][style] -startlr.com##ins[style="display:inline-block;width:300px;height:600px"] -timesofisrael.com##item-spotlight -lifehacker.co.in##li[data-ad] -yahoo.com##li[data-beacon^="https://beap.adss.yahoo.com/"] -yahoo.com##li[data-beacon^="https://beap.gemini.yahoo.com/"] -mail.yahoo.com##li[data-test-id="infinite-scroll-AD"] -mail.yahoo.com##li[data-test-id="infinite-scroll-PENCIL"] -yahoo.com##li[data-type="outlink"] -yahoo.com##li[id^="ad-"] -linkedin.com#?#.core-rail > div > div[id^="ember"]:-abp-has(.feed-shared-actor__description span:-abp-contains(/Sponsored|Promoted/)) -linkedin.com#?#.core-rail > div > div[id^="ember"]:-abp-has(.feed-shared-actor__sub-description span:-abp-contains(/Sponsored|Promoted/)) -bitcoinfees.com##p > span[style="color:#aaaaaa; font-size:8pt;"] -crmbuyer.com,ecommercetimes.com,linuxinsider.com,technewsworld.com##p[style="clear: left;padding: 5px;border-top: solid 1px #cbcbcb;border-bottom: solid 1px #cbcbcb;"] -lyricsmania.com##p[style="font-size:14px; text-align:center;"] -history.ca##p[style="height:15px;"] -quora.com#?#.question_page_content:-abp-has(div:-abp-contains(ad)) -quora.com#?#.question_page_content:-abp-has(div:-abp-contains(promoted)) -scotch.io#?#div.card:-abp-has(a > span:-abp-contains(Sponsor)) -monova.org##script + [class] > [class]:first-child -9to5mac.com##script + [class] > div[class]:first-child -sh.st##script + a[onclick] -gboxes.com##script + div[style^="width: "] -service.mail.com##script + div[tabindex="1"] div[style="z-index:99996;position:absolute;cursor:default;background-color:white;opacity:0.95;left:0px;top:0px;width:1600px;height:552px;"] -service.mail.com##script + div[tabindex="1"] div[style^="z-index:99998;position:absolute;cursor:default;left:0px;top:0px;width:"] -traileraddict.com##section + div + div + div[class] -cnn.com##section[data-zone-label="Paid Partner Content"] -koreaherald.com##section[style="border:0px;width:670px;height:200px;"] -elitistjerks.com##small -smallseotools.com#?#.col-sm-12 > :-abp-has(p:-abp-contains(Advertisement)) -smallseotools.com##span[class*="_you_are_"] -smallseotools.com##span[class^="sda_"] -easyvideo.me,videozoo.me##span[original^="http://byzoo.org/"] -washingtonmonthly.com##span[style="font-size:12px"] -openwith.org##span[style="font-size:12px;"] -lyricsmania.com##span[style="font-size:14px;"] -liveleak.com##span[style="font-size:9px; font-weight:bold;"] -windowsbbs.com##span[style^="margin: 2px; float: left;"] -sh.st##style + iframe[class] -artstation.com##support-artstation-please -torrentportal.com##table[align="center"][width="800"] -learninginfo.org##table[align="left"][width="346"] -japantimes.co.jp##table[align="right"][width="250"] -411mania.com##table[align="right"][width="300"] -officegamespot.com##table[bgcolor="#CCCCCC"] -geology.com##table[bgcolor="#cccccc"] -search.vmn.net##table[bgcolor="#ecf5fa"] -biz.yahoo.com##table[bgcolor="white"][width="100%"] +lyngsat-logo.com,lyngsat-maps.com,lyngsat-stream.com,lyngsat.com,webhostingtalk.com##img[width="160"] +fashionpulis.com,techiecorner.com##img[width="250"] +airplaydirect.com,americaoutloud.com,bigeye.ug,completesports.com,cryptomining-blog.com,cryptoreporter.info,dotsauce.com,espnrichmond.com,flsentinel.com,forexmt4indicators.com,freedomhacker.net,gamblingnewsmagazine.com,gameplayinside.com,goodcarbadcar.net,kenyabuzz.com,kiwiblog.co.nz,mauitime.com,mkvcage.com,movin100.com,mycolumbuspower.com,naijaloaded.com.ng,newzimbabwe.com,oann.com,onislandtimes.com,ouo.press,portlandphoenix.me,punchng.com,reviewparking.com,robhasawebsite.com,sacobserver.com,sdvoice.info,seguintoday.com,themediaonline.co.za,theolivepress.es,therep.co.za,thewillnigeria.com,tntribune.com,up-4ever.net,waamradio.com,wantedinafrica.com,wantedinrome.com,wschronicle.com##img[width="300"] +boxthislap.org,unknowncheats.me##img[width="300px"] +independent.co.ug##img[width="320"] +londonnewsonline.co.uk##img[width="360"] +gamblingnewsmagazine.com##img[width="365"] +arcadepunks.com##img[width="728"] +boxthislap.org##img[width="728px"] +umod.org##ins[data-revive-id] +bitzite.com,unmineablesbest.com##ins[style^="display:inline-block;width:300px;height:250px;"] +everythingrf.com,natureworldnews.com##label +laredoute.*##li[class*="sponsored-"] +cgpress.org##li > div[id^="cgpre-"] +bestbuy.com##li.embedded-sponsored-listing +cultbeauty.co.uk,dermstore.com,skinstore.com##li.sponsoredProductsList +linkedin.com##li[data-is-sponsored="true"] +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##li[data-layout="products"] +duckduckgo.com##li[data-layout="products_middle"] +xing.com##li[data-qa="notifications-ad"] +instacart.com##li[data-testid="compact-item-list-header"] +flaticon.com##li[id^="bn-icon-list"] +linkvertise.com##lv-redirect-static-ad +escorenews.com##noindex +adblock-tester.com##object[width="240"] +forums.golfwrx.com##ol.cTopicList > li.ipsDataItem:not([data-rowid]) +opentable.*##div[data-promoted="true"] +opentable.*##li[data-promoted="true"] +americanfreepress.net##p > [href] > img +ft.com##pg-slot +radiome.*##.min-h-\[250px\].mx-auto.w-full.hidden.my-1.lg\:flex.center-children +mashable.com##section.mt-4 > div +weather.com##section[aria-label="Sponsored Content"] +olympics.com##section[data-cy="ad"] +bbc.com##section[data-e2e="advertisement"] +reddit.com,reddittorjg6rue252oqsxryoxengawnmo46qy4kyii5wtqnwfj4ooad.onion##shreddit-comments-page-ad +tempostorm.com##side-banners +smartprix.com##sm-dap +nativeplanet.com##span[class^="oiad-txt"] +thewire.in##span[style*="background: rgb(232, 233, 237); text-align: center;"] +windowsbbs.com##span[style*="width: 338px; height: 282px;"] +fxempire.com##span[style="user-select:none"] +americanfreepress.net##strong > span > a +torlock.com##table.hidden-xs realitytvworld.com##table[border="0"][align="left"] -softexia.com##table[border="0"][width="728"][align="center"] -shopping.net##table[border="1"][width="580"] -calguns.net##table[border="2"] -majorgeeks.com##table[cellpadding="3"][align="center"] -pcstats.com##table[cellpadding="5"][width="866"] -talkgold.com##table[cellpadding="7"][align="center"] +thebbqforum.com##table[border="0"][width] +thebbqforum.com##table[border="1"][width] roadtester.com.au##table[cellpadding="9"][border="0"] -chinapost.com.tw##table[cellspacing="0"][cellpadding="0"][border="0"][width="300"] -iwebtool.com##table[cellspacing="0"][cellpadding="0"][border="1"] -chinapost.com.tw##table[cellspacing="1"][cellpadding="1"][bgcolor="#DD0000"][width="120"] -tdpri.com##table[cellspacing="2"][width="860"] -eztv.io##table[class] + * + * + table[width] -hotonlinenews.com,skyandtelescope.com##table[height="100"] -airlinequality.com##table[height="110"][width="740"] -empireonline.com##table[height="130"] -japantimes.co.jp##table[height="250"][width="250"] -windycitymediagroup.com##table[height="250"][width="322"] -wchstv.com##table[height="252"][width="320"] -wifinetnews.com##table[height="260"][width="310"] -airlinequality.com##table[height="270"][width="320"] -lyngsat-logo.com##table[height="320"] -abundance-and-happiness.com##table[height="339"] -officegamespot.com,ohgizmo.com,usconstitution.net##table[height="600"] +wifinetnews.com##table[height="260"] softpanorama.org##table[height="620"] -car.com##table[height="90"][width="100%"] -indiaglitz.com##table[height="90"][width="740"] -billboard.biz##table[height="90px"][bgcolor="#CCCCCC"] -worldairlineawards.com##table[height="95"][width="740"] -jeepforum.com##table[style="border-width: 1px; border-color: gray; border-style: solid;"] -sharedir.com##table[style="margin:15px 0 0 -8px;width:540px"] -limetorrents.info##table[style="padding-bottom:10px;width:100%;font-size: 12px;font-family:Verdana"] -i3investor.com##table[style="padding:8px;border:6px solid #dbdbdb;min-width:228px"] -kashmirtimes.com,kashmirtimes.in##table[style="width: 320px; height: 260px; float: right"] -localstore.co.za##table[style="width: 952px; height: 90px; padding: 10px; border: 0; margin: 0 auto;"] -eztv.io##table[style][width] + * + table[class][width] -nufc.com##table[title="Ford Direct - Used Cars Backed by Ford"] -chiff.com##table[title="Sponsored Links"] -trucknetuk.com##table[width="100%"][bgcolor="#cecbce"] > tbody > tr > #sidebarright[valign="top"]:last-child -linkreferral.com##table[width="100%"][height="1"] + table[width="750"][border="0"][bgcolor="ffffff"][cellspacing="0"][cellpadding="4"] -wvtlfm.com##table[width="1024"][height="100"] -tvsite.co.za##table[width="120"][height="600"] -thephuketnews.com##table[width="1215"][bgcolor="#DDDDDD"] -sermonaudio.com##table[width="152"][bgcolor="C8D6C9"] -afrol.com##table[width="159"][height="70"] -audiforums.com##table[width="170"] -flipline.com##table[width="180"][height="100%"] -articlebiz.com##table[width="200"][height="200"] -news.excite.com##table[width="210"] -excite.com,myway.com##table[width="210"][height="199"] -articletrader.com,asiansexgazette.com,thestandard.com.hk##table[width="250"] -font-cat.com##table[width="254"] -astrocenter.com,iloveuquotes.com,kanoodle.com,sextails.com,tennis.com,wwitv.com##table[width="300"] -pcstats.com##table[width="300"][align="right"] -highdefdigest.com##table[width="300"][cellspacing="0"][cellpadding="0"] -deccanchronicle.com##table[width="300"][height="108"] -4hoteliers.com,business-standard.com,idlebrain.com,itnewsonline.com,itweb.co.za,macsurfer.com,omgblog.com,themoviespoiler.com##table[width="300"][height="250"] -missoulian.com##table[width="300px"][height="487"] -notdoppler.com##table[width="312"][height="252"] -garfield.com##table[width="332"] -idlebrain.com,lanewsmonitor.com,stickyminds.com,themoviespoiler.com##table[width="336"] -iloveuquotes.com##table[width="350"] -cameralabs.com##table[width="350"][align="right"][cellspacing="0"][cellpadding="0"][border="0"] -fredericknewspost.com,geology.com,jeepforum.com,talkgold.com##table[width="468"] -airlinequality.com##table[width="470"] -worldtimezone.com##table[width="472"][border="0"][bgcolor="ffffff"] -stampnews.com##table[width="482"][cellspacing="1"][cellpadding="0"] -gardenstateapartments.com##table[width="486"] -business-standard.com##table[width="490"][height="250"] -abundance-and-happiness.com##table[width="500"] -christiansunite.com##table[width="597"] -lowellsun.com##table[width="599"] -animaltales.info##table[width="610"] -imgspice.com,pixroute.com##table[width="610"][height="260"] -blingcheese.com##table[width="620"] -rainbowdressup.com##table[width="620"][height="250"] -scoop.co.nz##table[width="640"][height="254"] -tvseriesfinale.com##table[width="658"] -proaudioreview.com,rwonline.com,televisionbroadcast.com,tvtechnology.com,videography.com##table[width="665"] -techlearning.com##table[width="665"][align="center"] -911tabs.com,airlinequality.com,animalcrossingcommunity.com,craftster.org,dreamteammoney.com,forums.wirelessadvisor.com,jobsearch.monsterindia.com,jokes2go.com,linuxgizmos.com,talkgold.com##table[width="728"] -monsterindia.com##table[width="728"][align="center"] -softexia.com##table[width="728"][bordercolor="#003366"] -serialbay.com##table[width="728"][cellspacing="0"][cellpadding="0"] -apanews.net,geekmontage.com,iphpbb3.com,silentera.com##table[width="728"][height="90"] -monsterindia.com##table[width="730"][align="left"] -freetvstream.in##table[width="730"][height="90"] -font-cat.com##table[width="732"] -airlinequality.com##table[width="736"] -learnaboutmovieposters.com##table[width="744"][border="2"][bgcolor="#000000"][align="center"] -sharedata.co.za##table[width="760"][height="60"] -inquirer.net##table[width="780"][height="90"] -asciiribbon.org,worldometers.info##table[width="800"] -blackstarnews.com##table[width="800"][height="110"] -blackstarnews.com##table[width="800"][height="130"] -lyngsat-logo.com##table[width="800"][height="96"] -g35driver.com##table[width="867"] -curezone.org##table[width="88%"][height="10"] -forums.syfy.com##table[width="900"][bgcolor="#3A3163"] -aaroads.com##table[width="900"][height="110"] -ksub590.com,newstalk890.com##table[width="910"][height="100"] -newreviewsite.com##table[width="940"][height="60"] -psl.co.za##table[width="952"][height="115"] -psl.co.za##table[width="952"][height="64"] -psl.co.za##table[width="952"][height="87"] -japan-guide.com##table[width="965"][height="90"] -scvnews.com##table[width="978"][height="76"] -prowrestling.net##table[width="979"][height="105"] -dining-out.co.za##table[width="980"][vspace="0"][hspace="0"] -westportnow.com##table[width="981"] -kool.fm##table[width="983"][height="100"] -gamecopyworld.com##table[width="984"][height="90"] -apanews.net##table[width="990"] -cnykiss.com,wbkvam.com,wutqfm.com##table[width="990"][height="100"] -cbc-radio.com##table[width="990"][height="100"][align="center"] -965ksom.com##table[width="990"][height="101"] -wbrn.com##table[width="990"][height="98"] -eztv.io##td > a[href][rel="noindex"] -eztv.io##td > a[href][style] -findagrave.com##td[align="center"] > style + .search-widget -autosport.com##td[align="center"][valign="top"][height="266"][bgcolor="#dcdcdc"] -coffeegeek.com##td[align="center"][width="100%"][valign="middle"] -forums.battle.net##td[align="center"][width="130"] -rapidog.com##td[align="left"][colspan="3"] -teenhut.net,whistlestopper.com##td[align="left"][width="160"][valign="top"] -healthboards.com##td[align="left"][width="300"]:first-child -notdoppler.com##td[background*="/img/topad_"] -959kissfm.com##td[background="/i/banner_back.jpg"] -vgcats.com##td[background="images/towerbanner.gif"] -vgcats.com##td[background="images/widebanner.gif"] -planetlotus.org##td[bgcolor="#BCCEDC"][align="center"][colspan="6"] -appleinsider.com##td[bgcolor="#f5f5f5"] -ixquick.com##td[bgcolor="#f7f9ff"] -ixquick.com##td[bgcolor="#fbf0fa"] -express.co.uk##td[colspan="2"] +afrol.com##table[height="70"] +automobile-catalog.com,car.com,silentera.com##table[height="90"] +automobile-catalog.com,itnewsonline.com##table[width="300"] +learninginfo.org##table[width="346"] +worldtimezone.com##table[width="472"] +pcstats.com##table[width="866"] +vpforums.org##td[align="center"][style="padding: 0px;"] schlockmercenary.com##td[colspan="3"] -btmon.com##td[colspan="4"] -ytmnd.com##td[colspan="5"] -affiliatescout.com,freewarefiles.com,mysavings.com,techarp.com##td[height="100"] -notdoppler.com##td[height="100"][rowspan="3"] -extremeoverclocking.com##td[height="104"] -designboom.com,indianetzone.com##td[height="110"] -lowyat.net,ultimatemetal.com##td[height="110px"] -usautoparts.net##td[height="111"][align="center"][valign="top"] -aspfree.com,devarticles.com,devshed.com##td[height="115"] -officegamespot.com##td[height="120"][bgcolor="#FFFFFF"] -1980-games.com##td[height="129"][colspan="4"] -eurometeo.com##td[height="14"][width="738"] -eve-search.com##td[height="150"] -autosport.com##td[height="17"] -videohelp.com##td[height="200"] -wrestlingnewsworld.com##td[height="204"] -coolifiedgames.com,coolmath.com,elouai.com##td[height="250"] -maxgames.com##td[height="250"][bgcolor="#fff"] -vectorportal.com##td[height="250"][colspan="3"] -honda-tech.com,tennis.com##td[height="250"][width="300"] -dllme.com##td[height="260"] -crictime.com##td[height="265"] -autosport.com##td[height="266"][bgcolor="#DCDCDC"] -kids-in-mind.com##td[height="270"][align="center"] -rediff.com##td[height="280"] -seriouswheels.com##td[height="289"] -rediff.com,rentalads.com##td[height="290"] -lyngsat-logo.com##td[height="320"] -cellular-news.com##td[height="350"] -moviesite.co.za##td[height="600"] -musicjesus.com##td[height="600"][width="160"] -talkgold.com##td[height="61"] -tinyurl.com##td[height="610"][width="310"] -crictime.com##td[height="641"] -mybetting.co.uk##td[height="70"] -businessknowhow.com##td[height="70"][colspan="3"] -eve-search.com,stuffpoint.com##td[height="90"] -start64.com##td[height="92"][colspan="2"] -crictime.com##td[height="93"] -tigerdroppings.com##td[height="95"][bgcolor="#dedede"] -imtranslator.net##td[height="96"] -tinyurl.com##td[height="98"] -searchalot.com##td[onmouseout="cs()"] -bt-chat.com##td[rowspan="3"] -tinyurl.com##td[style="background-color : #F1F0FF;"] -themaineedge.com##td[style="background-color:#000000;"] -hyipexplorer.com##td[style="border-bottom: 1px solid #EBEBEB; padding-right: 0px;"] -dslreports.com##td[style="border-right: 1px #CCCCCC solid;"] -nvnews.net##td[style="border: 0px solid #000000"][rowspan="3"] -rapidog.com##td[style="font-size:11"] -citationmachine.net##td[style="height: 100px;"] -360cities.net##td[style="min-width:210px;min-height:600px;"] -cellular-news.com##td[style="padding-bottom:20px;"] -jimbotalk.net##td[style="padding-bottom:3px; background-color:#ffffff; height:90px;"] -kids-in-mind.com##td[style="padding-left: 5; padding-right: 5"] -searchftps.net##td[style="padding-top: 15px;"] -ip-address.org##td[style="padding-top:0.3em"] -mg.co.za##td[style="padding-top:5px; width: 200px"] -car.com##td[style="padding: 8px; border: 1px solid #C9D9DD; background-color: #F9F9FF;"] -wikifeet.com##td[style="padding:10px"] -business-standard.com##td[style="padding:5px"] -healthsquare.com##td[style="padding:6px 0px 0px 4px;"] -uploadc.com##td[style="text-align:center; vertical-align:middle; background:black"] -tampermonkey.net##td[style="vertical-align: top; min-width: 120px;"] -tampermonkey.net##td[style="vertical-align: top; min-width: 250px;"] -tixati.com##td[style="vertical-align: top; text-align: right; width: 346px; font-size: 12px;"] -englishforum.ch##td[style="width: 160px; padding-left: 15px;"] -armslist.com##td[style="width: 190px; vertical-align: top;"] -uvnc.com##td[style="width: 300px; height: 250px;"] -mlbtraderumors.com##td[style="width: 300px;"] -talkgold.com##td[style="width:150px"] -staticice.com.au##td[valign="middle"][height="80"] -newhampshire.com##td[valign="top"][height="94"] -cdcovers.cc##td[width="10"] -linkreferral.com##td[width="100%"][bgcolor="dddddd"][align="right"] > table[width="800"][border="0"][align="center"][cellspacing="0"][cellpadding="0"] -manoramaonline.com##td[width="1000"] -gotquestions.org##td[width="1000"][height="93"] -rawstory.com##td[width="101"][align="center"][style][margin="0"] -worldtribune.com##td[width="1024"] -evolutionm.net,forumserver.twoplustwo.com,itnewsonline.com,talkgold.com##td[width="120"] -pojo.biz##td[width="125"] -wetcanvas.com##td[width="125"][align="center"]:first-child -zambiz.co.zm##td[width="130"][height="667"] -manoramaonline.com##td[width="140"] -appleinsider.com##td[width="150"] -aerobaticsweb.org##td[width="156"][height="156"] -zambiz.co.zm##td[width="158"][height="667"] -gardenweb.com##td[width="159"][bgcolor="#A39614"] -billoreilly.com,complaints.com,pprune.org,thinkbabynames.com,ultimatemetal.com,worldometers.info##td[width="160"] -eweek.com,terradaily.com##td[width="160"][align="left"] -securityfocus.com##td[width="160"][bgcolor="#eaeaea"] -manoramaonline.com##td[width="160"][height="600"] -productreview.com.au,wirelessforums.org##td[width="160"][valign="top"] -manoramaonline.com##td[width="165"] -barbie.com##td[width="168"][height="640"] -iconizer.net,thefourthperiod.com##td[width="170"] -appleinsider.com##td[width="180"] -aaroads.com##td[width="180"][height="650"] -odili.net##td[width="180"][valign="top"] -couponmom.com##td[width="184"] -eab.abime.net##td[width="185"][align="left"]:first-child -avsforum.com##td[width="193"] -tivocommunity.com##td[width="193"][valign="top"] -boxingscene.com##td[width="200"][height="18"] -dir.yahoo.com##td[width="215"] -itweb.co.za##td[width="232"][height="90"] -degreeinfo.com,rubbernews.com##td[width="250"] -scriptmafia.org##td[width="250px"] -websitelooker.com##td[width="30%"][align="center"] -avsforum.com,ballerstatus.com,btobonline.com,coolmath-games.com,coolmath4kids.com,dzineblog.com##td[width="300"] -zigzag.co.za##td[width="300"][height="250"] -musicsonglyrics.com,safemanuals.com,vector-logos.com##td[width="300"][valign="top"] -ziddu.com##td[width="305"] -bt-chat.com##td[width="305px"] -pwtorch.com##td[width="306"][height="250"] -tennis.com##td[width="330"][height="250"] -devarticles.com,rage3d.com##td[width="336"] -net-security.org##td[width="337"][height="287"] -askvg.com##td[width="370px"] -freeonlinegames.com##td[width="50%"][height="250"] -goodquotes.com##td[width="55%"] -leo.org##td[width="55%"][valign="middle"] -forum.cstalking.com##td[width="600px"][height="300px"] -ballerstatus.com,cellular-news.com,prowrestling.com,rivals.com##td[width="728"] -itweb.co.za,lyngsat-logo.com,lyngsat.com,notdoppler.com,thinkbabynames.com##td[width="728"][height="90"] -postchronicle.com##td[width="728"][valign="top"] -samachar.com##td[width="730"][height="90"] -barbie.com##td[width="767"][height="96"] -gardenweb.com##td[width="932"][height="96"] -the-numbers.com##td[width="95"] -empireonline.com##td[width="950"][height="75"] -workforce.com##td[width="970"][height="110"] -usanetwork.com##td[width="970"][height="66"] -howstuffworks.com##td[width="980"][height="90"] -hongkongindians.com##th[width="1000"][height="141"] -rarbg.to,rarbg.unblockall.org,rarbgaccess.org,rarbgmirror.com,rarbgmirror.org,rarbgmirror.xyz,rarbgproxy.com,rarbgproxy.org,rarbgunblock.com##tr > td + td[style*="height:"] -eztv.io,eztv.tf,eztv.yt##tr > td[style*="border:"] -uvnc.com##tr > td[valign="middle"][style="width: 10px;"]:first-child + td[valign="top"][style="width: 180px;"] -fredericknewspost.com##tr[height="250"] -whatsmyip.org##tr[height="95"] -nowgoal.com##tr[id^="tr_ad"] -internetslang.com##tr[style="min-height:28px;height:28px"] -internetslang.com##tr[style="min-height:28px;height:28px;"] -rarbg.to,rarbg.unblockall.org,rarbgaccess.org,rarbgmirror.com,rarbgmirror.org,rarbgmirror.xyz,rarbgproxy.com,rarbgproxy.org,rarbgunblock.com##tr[style^="font-size:"] > td > table -horoscope.com##tr[valign="top"][height="250"] -twitter.com#?#[data-testid="tweet"]:-abp-contains(Promoted) -elizium.nu##ul[style="padding: 0; width: 100%; margin: 0; list-style: none;"] -! uponit / rev/ taboola -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,codeproject.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,daclips.in,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[href*="base64"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,codeproject.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,daclips.in,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,readmng.comcrackberry.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[href*="data:"] -loveroms.com##[src*="application/javascript"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,codeproject.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,daclips.in,dailygalaxy.com,datpiff.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jewsnews.co.il,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,readmng.comcrackberry.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[src*="base64"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,daclips.in,dailygalaxy.com,datpiff.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[src*="blob:"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,daclips.in,dailygalaxy.com,damimage.com,datpiff.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagedecode.com,imagepearl.com,imageteam.org,indiewire.com,israelnationalnews.com,jewsnews.co.il,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[src*="data:"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,daclips.in,dailygalaxy.com,datpiff.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,jerusalemonline.com,jewsnews.co.il,kizi.com,kshowonline.com,magnetdl.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[style*="background-image:"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,codeproject.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,daclips.in,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[style*="base64"] -101greatgoals.com,allthetests.com,almasdarnews.com,ancient-origins.net,antonymsfor.com,bibme.org,biology-online.org,blacklistednews.com,breakingisraelnews.com,chicagotribune.com,citationmachine.net,codeproject.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,daclips.in,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[style*="blob:"] -almasdarnews.com,antonymsfor.com,blacklistednews.com,breakingisraelnews.com,chicagotribune.com,citationmachine.net,codeproject.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,daclips.in,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,elbooru.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com##[style*="border: 0px none; margin:"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,daclips.in,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[style*="data:"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,msn.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[style*="display: block !important; visibility: visible !important"] -almasdarnews.com,antonymsfor.com,breakingisraelnews.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,israelnationalnews.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com,xda-developers.com##[style*="display:inline !important"] -bibme.org,breakingisraelnews.com,codeproject.com,diffen.com,eurweb.com,freewarefiles.com,indiewire.com,israelnationalnews.com,the4thofficial.net,wnd.com##[style] > [scrolling] -bibme.org,breakingisraelnews.com,codeproject.com,diffen.com,eurweb.com,indiewire.com,israelnationalnews.com,playbill.com,readmng.com,the4thofficial.net,wnd.com##[style] > iframe -antonymsfor.com,blacklistednews.com,breakingisraelnews.com,chicagotribune.com,citationmachine.net,codeproject.com,coed.com,colourlovers.com,convert-me.com,convertcase.net,crackberry.com,dailygalaxy.com,datpiff.com,destructoid.com,diffen.com,drudgereport.com,easybib.com,elbooru.com,eurweb.com,freewarefiles.com,fullmatchesandshows.com,gelbooru.com,genfb.com,getinmybelly.com,grammarist.com,imagepearl.com,indiewire.com,jerusalemonline.com,jewsnews.co.il,jpost.com,kizi.com,kshowonline.com,magnetdl.com,mmorpg.com,nba-stream.com,newsarama.com,opensubtitles.org,phonesreview.co.uk,playbill.com,pocketnow.com,readmng.com,roadracerunner.com,rule34.xxx,sh.st,sportspickle.com,teslacentral.com,the4thofficial.net,thebarchive.com,toptenz.net,trifind.com,uproxx.com,videotoolbox.com,vrheads.com,wnd.com#?#:-abp-properties(base64) -101greatgoals.com,allthetests.com,bibme.org,biology-online.org,blacklistednews.com,breakingisraelnews.com,colourlovers.com,convertcase.net,diffen.com,eurweb.com,freewarefiles.com,genfb.com,indiewire.com,jerusalemonline.com,kshowonline.com,playbill.com,readmng.com,the4thofficial.net##div > iframe:first-child -biology-online.org##div[style*="display:block !important"] -bibme.org,diffen.com,freewarefiles.com,playbill.com,readmng.com##iframe[id][style] -codeproject.com,indiewire.com,kshowonline.com,wnd.com##iframe[marginheight] -codeproject.com,indiewire.com##iframe[marginwidth] -codeproject.com,indiewire.com##iframe[name][style] -codeproject.com,indiewire.com##iframe[style][scrolling] -codeproject.com,indiewire.com##iframe[style][src] -! gelbooru.com -gelbooru.com##.contain-push > .hidden-xs -gelbooru.com##.contain-push > center > [class] -gelbooru.com##a[href*=".r18."] -gelbooru.com##a[target="_blank"] > div -gelbooru.com##a[target="_blank"] > img -gelbooru.com##center > center > .hidden-xs -gelbooru.com#?#:-abp-properties(base64) -! reuters.com -! reuters.com##* > * > * > [src*="/g/r/?a="] +geekzone.co.nz##td[colspan="3"].forumRow[style="border-right:solid 1px #fff;"] +titantv.com##td[id^="menutablelogocell"] +wordreference.com##td[style^="height:260px;"] +itnewsonline.com##td[width="120"] +greyhound-data.com##td[width="160"] +eurometeo.com##td[width="738"] +tellows-au.com,tellows-tr.com,tellows.*##li > .comment-body[style*="min-height: 250px;"] +radiosurvivor.com##text-18 +telescopius.com##tlc-ad-banner +trademe.co.nz##tm-display-ad +rarbgaccess.org,rarbgmirror.com,rarbgmirror.org,rarbgproxy.com,rarbgproxy.org,rarbgunblock.com,rarbgunblocked.org##tr > td + td[style*="height:"] +titantv.com##tr.gridRow > td > [id] > div:first-child +livetv.sx##tr[height] ~ tr > td[colspan][height][bgcolor="#000000"] +tripadvisor.*##.txxUo +morningagclips.com##ul.logo-nav +greyhound-data.com##ul.ppts +greatandhra.com##ul.sortable-list > div +backgrounds.wetransfer.net##we-wallpaper +! ! top-level domain wildcard +autoscout24.*##img[referrerpolicy="unsafe-url"] +douglas.*##.criteo-product-carousel +douglas.*##.swiper-slide:has(button[data-testid="sponsored-button"]) +douglas.*##div.product-grid-column:has(button[data-testid="sponsored-button"]) +laredoute.*###hp-sponsored-banner +lazada.*##.pdp-block__product-ads +manomano.*##a[href^="/"][href*="?product_id="][title]:has(span > .svg_tamagoshi) +manomano.*##div[data-testid="sprbrd-banner"] +pinterest.*##div[data-grid-item]:has([data-test-pin-id] [data-test-id^="one-tap-desktop"] > a[href^="http"][rel="nofollow"]):not(body > div) +pv-magazine.*,pv-magazine-usa.com,pv-magazine-australia.com###home-top-rectangle-wrap-1 +pv-magazine.*,pv-magazine-usa.com,pv-magazine-australia.com###home-top-rectangle-wrap-2 +pv-magazine.*,pv-magazine-usa.com,pv-magazine-australia.com###home-top-rectangle-wrap-3 +walmart.*##[data-testid="carousel-ad"] +wayfair.*##.CompareSimilarItemsCarousel-item:has(a[href*="&sponsoredid="]) +wayfair.*##.MediaNativePlacement-wrapper-link +wayfair.*##[data-hb-id="Card"]:has([data-node-id^="ListingCardSponsored"]) +wayfair.*##a[data-enzyme-id="WssBannerContainer"] +wayfair.*##div[data-enzyme-id="WssBannerContainer"] +wayfair.*##div[data-hb-id="Grid.Item"]:has(a[href*="&sponsoredid="]) +wayfair.*##div[data-node-id^="SponsoredListingCollectionItem"] +yandex.*##._view_advertisement +yandex.*##.business-card-title-view__advert +yandex.*##.mini-suggest__item[data-suggest-counter*="/yandex.ru/clck/safeclick/"] +yandex.*##.ProductGallery +yandex.*##.search-advert-badge +yandex.*##.search-business-snippet-view__direct +yandex.*##.search-list-view__advert-offer-banner +yandex.*##a[href^="https://yandex.ru/an/count/"] +yandex.*##li[class*="_card"]:has(a[href^="https://yabs.yandex.ru/count/"]) +yandex.*##li[class*="_card"]:has(a[href^="https://yandex.com/search/_crpd/"]) +! :has() +windowscentral.com###article-body > .hawk-nest[data-widget-id]:has(a[class^="hawk-affiliate-link-"][class$="-button"]) +cars.com###branded-canvas-click-wrapper:has(> #native-ad-html) +radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se###headerTopBar ~ div > div:has(div#RAD_D_station_top) +gtaforums.com###ipsLayout_mainArea div:has(> #pwDeskLbAtf) +aleteia.org###root > div[class]:has(> .adslot) +scribd.com###sidebar > div:has(> div > [data-e2e^="dismissible-ad-header"]) +bbc.com###sticky-mpu:has(.dotcom-ad-inner) +kroger.com##.AutoGrid-cell:has(.ProductCard-tags > div > span[data-qa="featured-product-tag"]) +nationalgeographic.com##.FrameBackgroundFull--grey:has(.ad-wrapper) +sbs.com.au##.MuiBox-root:has(> .desktop-ads) +luxa.org##.MuiContainer-root:has(> ins.adsbygoogle) +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##.Ssfiu-:has([data-testid="popoverTriggersponsoredLabel"]) +outlook.live.com##.VdboX[tabindex="0"]:has(img[src="https://res.cdn.office.net/assets/ads/adbarmetrochoice.svg"]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##._6y8t:has(a[href="/ads/about/?entry_product=ad_preferences"]) +haveibeenpwned.com##.actionsBar:has(.why1Password) +barandbench.com##.ad-wrapper-module__adContainer__iD4aI +slickdeals.net##.announcementBar:has(.sponsorContent) +thedailywtf.com##.article-body > div:has-text([Advertisement]) +nation.africa##.article-collection-teaser:has(.sponsored-label) +thesun.co.uk##.article-sidebar .widget-sticky:has([class*="ad_widget"]) +historic-uk.com##.article-sidebar:has-text(Advertisement) +forexlive.com##.article-slot__wrapper:has(.article-header__sponsored) +time.com##.article-small-sidebar > .sticky-container:has(div[id^="ad-"]) +hackernoon.com##.articles-wrapper > div:not([class]):has(a[href^="https://ad.doubleclick.net/"]) +blitz.gg##.aside-content-column:has(.display-ad) +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,mrt.com,myjournalcourier.com,myplainview.com,mysanantonio.com,newstimes.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,stamfordadvocate.com,thehour.com,theintelligencer.com##.b-gray300:has-text(Advertisement) +olympics.com##.b2p-list__item:has(> .adv-fluid) +beincrypto.com##.before-author-block-bio:has-text(Sponsored) +outsports.com##.bg-gray-100:has(.adb-os-lb-incontent) +dropstab.com##.bg-slate-100:has-text(Ad) +atlanticsuperstore.ca,fortinos.ca,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca##.block-wrapper:has(.element-header__sponsoredLabel) +loblaws.ca##.block-wrapper:has([data-track-product-component="carousel||rmp_sponsored"]) +haveibeenpwned.com##.bodyGradient > :has(.why1Password) +coincarp.com##.border-bottom:has-text(Sponsored) +thenewdaily.com.au##.border-grey-300:has(> [data-ad-id]) +dropstab.com##.bottom-0.gap-2:has-text(/Stake Now|Invest Now/) +chosun.com##.box--bg-grey-20:has(.dfpAd) +radioreference.com##.box.gradient:has(a[href*="&Click="]) +gpro.net##.boxy:has(#blockblockA) +slickdeals.net##.bp-p-filterGrid_item:has(.bp-c-label--promoted) +homedepot.com##.browse-search__pod:has([id^="plp_pod_sponsored"]) +bws.com.au##.card-list-item:has(.productTile.is-Sponsored) +truecar.com##.card:has([href*="marketplace&sponsored"]) +doordash.com##.carousel-virtual-wrapper:has([href*="collection_type=sponsored_brand"]) +doordash.com##.ccdtLs:has([data-testid="sponsored:Sponsored"]) +dexscreener.com##.chakra-link:has-text(Advertise) +asda.com##.cms-modules:has([data-module*="Sponsored Products"]) +asda.com##.co-item:has(.co-item__sponsored-label) +theautopian.com##.code-block:has(.htlad-InContent) +templateshub.net##.col-lg-4.col-md-6:has(> div.singel-course) +appleinsider.com##.col-sm-12 > :has([id^="div-gpt-ad-"]) +autotrader.com##.col-xs-12.col-sm-4:has([data-cmp="inventorySpotlightListing"]) +costco.com##.col-xs-12:has([data-bi-placement^="Criteo_Product_Display"]) +infinitestart.com##.cs-sidebar__inner > .widget:has(> ins.adsbygoogle) +wsj.com##.css-c54t2t:has(> .adWrapper) +wsj.com##.css-c54t2t:has(> .adWrapper) + hr +alphacoders.com##.css-grid-content:has(> .in-thumb-ad-css-grid) +androidauthority.com##.d_3i:has-text(Latest deals) +dollargeneral.com##.dg-product-card:has(.dg-product-card__sponsored[style="display: block;"]) +limetorrents.lol##.downloadareabig:has([title^="An‌on‌ymous Download"]) +tripsonabbeyroad.com##.e-con-inner:has(tp-cascoon) +bitcoinsensus.com##.e-con-inner:has-text(Our Favourite Trading Platforms) +protrumpnews.com##.enhanced-text-widget:has(span.pre-announcement) +upfivedown.com##.entry > hr.wp-block-separator:has(+ .has-text-align-center) +morrisons.com##.featured-items:has(.js-productCarouselFops) +morrisons.com##.fops-item:has([title="Advertisement"]) +wings.io##.form-group center:has-text(Advertisement) +pigglywigglystores.com##.fp-item:has(.fp-tag-ad) +slickdeals.net##.frontpageGrid__feedItem:has(.dealCardBadge--promoted) +tumblr.com##.ge_yK:has(.hM19_) +bestbuy.com##.generic-morpher:has(.spns-label) +fortune.com##.homepage:has(> div[id^="InStream"]) +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##.hrHZYT:has([data-testid="popoverTriggersponsoredLabel"]) +dollargeneral.com##.image__desktop-container:has([data-track-image*="|P&G|Gain|"]) +vpforums.org##.ipsSideBlock.clearfix:has-text(Affiliates) +1tamilmv.tax##.ipsWidget:has([href*="RajbetImage"]) +qwant.com##.is-sidebar:has(a[data-testid="advertiserAdsLink"]) +stocktwits.com##.is-visible:has-text(Remove ads) +thingiverse.com##.item-card-container:has-text(Advertisement) +yovizag.com##.jeg_column:has(> .jeg_wrapper > .jeg_ad) +motortrend.com##.justify-center:has(.nativo-news) +chewy.com##.kib-carousel-item:has(.kib-product-sponsor) +content.dictionary.com##.lp-code:has(> [class$="Ad"]) +euronews.com##.m-object:has(.m-object__spons-quote) +acmemarkets.com,andronicos.com,carrsqc.com,haggen.com,jewelosco.com,kingsfoodmarkets.com,pavilions.com,shaws.com,starmarket.com,tomthumb.com,vons.com##.master-product-carousel:has([data-carousel-api*="search/sponsored-carousel"]) +acmemarkets.com,albertsons.com,andronicos.com,carrsqc.com,haggen.com,jewelosco.com,kingsfoodmarkets.com,pavilions.com,randalls.com,safeway.com,shaws.com,starmarket.com,tomthumb.com,vons.com##.master-product-carousel:has([data-carousel-driven="sponsored-products"]) +motortrend.com##.mb-6:has([data-ad="true"]) +beaumontenterprise.com,chron.com,ctinsider.com,ctpost.com,expressnews.com,greenwichtime.com,houstonchronicle.com,lmtonline.com,manisteenews.com,michigansthumb.com,middletownpress.com,mrt.com,myjournalcourier.com,myplainview.com,mysanantonio.com,newstimes.com,nhregister.com,ourmidland.com,registercitizen.com,sfchronicle.com,sfgate.com,stamfordadvocate.com,thehour.com,theintelligencer.com##.mb32:has-text(Advertisement) +outsports.com##.min-h-\[100px\]:has(.adb-os-inarticle-block) +outsports.com##.min-h-\[100px\]:has(.adb-os-lb-incontent) +boots.com##.oct-listers-hits__item:has(.oct-teaser__listerCriteoAds) +officedepot.com##.od-col:has(.od-product-card-region-colors-sponsored) +pollunit.com##.owl-carousel:has(.carousel-ad) +hivetoon.com##.p-4:has(> [href^="https://www.polybuzz.ai/"]) +andronicos.com,haggen.com,randalls.com##.pc-grid-prdItem:has(span[data-qa="prd-itm-spnsrd"]) +sainsburys.co.uk##.pd-merchandising-product:has(.product-header--citrus[data-testid="product-header"]) +hannaford.com##.plp_thumb_wrap:has([data-citrusadimpressionid]) +niagarathisweek.com##.polarBlock:has(.polarAds) +404media.co##.post__content > p:has(a[href^="https://srv.buysellads.com/"]) +404media.co##.post__content > p:has-text(This segment is a paid ad) +myntra.com##.product-base:has(.product-waterMark) +woolworths.com.au##.product-grid-v2--tile:has(.sponsored-text) +meijer.com##.product-grid__product:has(.product-tile__sponsored) +chaussures.fr,eapavi.lv,ecipele.hr,ecipo.hu,eobuv.cz,eobuv.sk,eobuwie.com.pl,epantofi.ro,epapoutsia.gr,escarpe.it,eschuhe.at,eschuhe.ch,eschuhe.de,eskor.se,evzuttya.com.ua,obuvki.bg,zapatos.es##.product-item:has(.sponsored-label) +maxi.ca##.product-tile-group__list__item:has([data-track-products-array*="sponsored"]) +pbs.org##.production-and-funding:has(.sponsor-info-link) +sainsburys.co.uk##.pt-grid-item:has(.product-header--citrus[data-testid="product-header"]) +sainsburys.co.uk##.pt__swiper--grid-item:has(.product-header--citrus[data-testid="product-header"]) +quora.com##.q-sticky[style*="box-sizing: border-box; position: sticky;"]:has-text(Advertisement) +ksl.com##.queue:has(.sponsored) +olx.com.pk##.react-swipeable-view-container:has([href*="http://onelink.to"]) +downforeveryoneorjustme.com##.relative.bg-white:has-text(PolyBuzz) +laravel-news.com##.relative:has([wire\:key="article-ad-card"]) +builtbybit.com##.resourceSidebar-belowContent > div > .block:has(.block-container a[href="https://tebex.io/"]) +metager.org##.result:has(a[href^="https://metager.org"][href*="/partner/r?"]) +metager.org##.result:has(a[href^="https://r.search.yahoo.com/"]) +qwant.com##.result__ext > div:has([data-testid="adResult"]) +petco.com##.rmn-container:has([class*="SponsoredText"]) +sfchronicle.com##.scrl-block > .scrl-block-inner:has(.ad-module--ad--16cf1) +yandex.com##.search-list-view__advert-offer-banner +playpilot.com##.search-preview .side:has(> .provider) +tempest.com##.search-result-item:has(.search-result-item__title--ad) +yandex.com##.search-snippet-view:has(span.search-advert-badge__advert) +shipt.com##.searchPageStaticBanner:has([href*="/shop/featured-promotions"]) +troyhunt.com##.sidebar-featured:has(a[href^="https://pluralsight.pxf.io/"]) +insidehpc.com##.sidebar-sponsored-content +bitcointalk.org##.signature:has(a[href]:not([href*="bitcointalk.org"])) +bing.com##.slide:has(.rtb_ad_caritem_mvtr) +fastcompany.com##.sticky:has(.ad-container) +rustlabs.com##.sub-info-block:has(#banner) +scamwarners.com##.subheader:has(> ins.adsbygoogle) +thesun.co.uk##.sun-grid-container:has([class*="ad_widget"]) +independent.co.uk,standard.co.uk,the-independent.com##.teads:has(.third-party-ad) +nex-software.com##.toolinfo:has(a[href$="/reimage"]) +canberratimes.com.au##.top-20 +twitter.com,x.com##.tweet:has(.promo) +wowcher.co.uk##.two-by-two-deal:has(a[href*="src=sponsored_search_"]) +news.sky.com##.ui-box:has(.ui-advert) +forums.socialmediagirls.com##.uix_nodeList > div[class="block"]:has([href^="/link-forums/"]) +darkreader.org##.up:has(.ddg-logo-link) +darkreader.org##.up:has(.h-logo-link) +duckduckgo.com##.vertical-section-divider:has(span.badge--ad-wrap) +noon.com##.visibilitySensorWrapper:has(.adBannerModule) +neonheightsservers.com##.well:has(ins.adsbygoogle) +9to5linux.com##.widget:has([href$=".php"]) +evreporter.com##.widget_media_image:not(:has(a[href^="https://evreporter.com/"])) +cnx-software.com##.widget_text.widget:has([href*="?utm"]) +themarysue.com##.wp-block-gamurs-article-group__sidebar__wrapper:has-text(related content) +dotesports.com##.wp-block-gamurs-article-tile:has-text(Sponsored) +bestbuy.ca##.x-productListItem:has([data-automation="sponsoredProductLabel"]) +mapquest.co.uk##.z-10.justify-center:has-text(Advertisement) +freshdirect.com##[class*="ProductsGrid_grid_item"]:has([data-testid="marketing tag"]) +livejournal.com##[class*="categories"] + div[class]:has(> [class*="-commercial"]) +momondo.com##[class*="mod-pres-default"]:has(div[class*="ad-badge"]) +petco.com##[class*="rmn-banner"]:has([class*="SponsoredText"]) +popularmechanics.com##[class] > :has(> #article-marketplace-horizontal) +popularmechanics.com##[class] > :has(> #gpt-ad-vertical-bottom) +independent.co.uk,standard.co.uk,the-independent.com##[class] > :has(> [data-mpu]) +brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##[class] > [class]:has(> [data-testid="ad"]) +avclub.com,jalopnik.com,kotaku.com,theonion.com,theroot.com##[class] > div:has(> [is="bulbs-dfp"]) +fortune.com##[class]:has(> #Leaderboard0) +jalopnik.com,kotaku.com,theroot.com##[class]:has(> .related-stories-inset-video) +polygon.com,vox.com##[class]:has(> [data-concert]) +standard.co.uk##[class]:has(> [data-fluid-zoneid]) +independent.co.uk,standard.co.uk,the-independent.com##[class]:has(> [data-mpu]) +nytimes.com##[class]:has(> [id="ad-top"]) +thrillist.com##[class^="Container__GridRow-sc-"]:has(> .concert-ad) +petco.com##[class^="citrus-carousel-"]:has([class^="carousel__Sponsored"]) +svgrepo.com##[class^="style_native"]:has([href*="buysellads.com"]) +tesco.com##[class^="styled__StyledLIProductItem"]:has([class^="styled__StyledOffers"]) +argos.co.uk##[class^="styles__LazyHydrateCard"]:has([class*="ProductCardstyles__FlyoutBadge"]) +argos.co.uk##[class^="styles__LazyHydrateCard-sc"]:has([class*="SponsoredBadge"]) +outlook.live.com##[data-app-section="MessageList"] div[style^="position: absolute; left: 0px; top: 0px"]:has(.ms-Shimmer-container) +cargurus.com##[data-cg-ft="car-blade"]:has([data-eyebrow^="FEATURED"]) +cargurus.com##[data-cg-ft="car-blade-link"]:has([data-cg-ft="srp-listing-blade-sponsored"]) +avxhm.se##[data-localize]:has(a[href^="https://canv.ai/"]) +giantfood.com,giantfoodstores.com,martinsfoods.com##[data-product-id]:has(.flag_label--sponsored) +petco.com##[data-testid="product-buy-box"]:has([class*="SponsoredText"]) +kayak.com##[role="button"]:has([class*="ad-marking"]) +kayak.com##[role="tab"]:has([class*="sponsored"]) +crackwatcher.com##[style="background:none !important;"]:has([href^="https://www.kinguin.net"]) +aliexpress.com,aliexpress.us##a[class^="manhattan--container--"][class*="main--card--"]:has(span[style="background-color:rgba(0,0,0,0.20);position:absolute;top:8px;color:#fff;padding:2px 5px;background:rgba(0,0,0,0.20);border-radius:4px;right:8px"]) +aliexpress.com,aliexpress.us##a[class^="manhattan--container--"][class*="main--card--"]:has(span[style="background: rgba(0, 0, 0, 0.2); position: absolute; top: 8px; color: rgb(255, 255, 255); padding: 2px 5px; border-radius: 4px; right: 8px;"]) +yandex.com##a[href^="https://yandex.ru/an/count/"] +digg.com##article.fp-vertical-story:has(a[href="/channel/digg-pick"]) +digg.com##article.fp-vertical-story:has(a[href="/channel/promotion"]) +9gag.com##article:has(.promoted) +mg.co.za##article:has(.sponsored-single) +tympanus.net##article:has(header:has(.ct-sponsored)) +foxnews.com##article[class|="article story"]:has(.sponsored-by) +cruisecritic.co.uk##article[data-sentry-component="ContentCard"]:has(a[href^="/sponsored-content/"]) +kijijiautos.ca##article[data-testid="SearchResultListItem"]:has(span[data-testid="PromotionLabel"]) +twitter.com,x.com##article[data-testid="tweet"]:has(path[d$="10H8.996V8h7v7z"]) +thetimes.com##article[id="article-main"] > div:has(#ad-header) +psychcentral.com##aside:has([data-empty]) +vidplay.lol##body > div > div[class][style]:has(> div > div > a[target="_blank"]) +wolt.com##button:has(> div > div > div > span:has-text(Sponsored)) +countdown.co.nz##cdx-card:has(product-badge-list) +creepypasta.com##center:has(+ #ad-container-1) +hashrate.no##center:has(.sevioads) +manomano.co.uk,manomano.de,manomano.es,manomano.fr,manomano.it##div > div:has([data-testid="banner-spr-label"]) +inverse.com##div > p + div:has(amp-ad) +outlook.live.com##div.customScrollBar > div > div[id][class]:has(img[src$="/images/ads-olk-icon.png"]) +flightradar24.com##div.items-center.justify-center:has(> div#pb-slot-fr24-airplane:empty) +appleinsider.com##div.main-art:has-text(Sponsored Content) +costco.ca##div.product:has(.criteo-sponsored) +thebay.com##div.product:has(div.citrus-sponsored) +meijer.com##div.slick-slide:has(.product-tile__sponsored) +healthyrex.com##div.textwidget:has(a[rel="nofollow sponsored"]) +bestbuy.ca##div.x-productListItem:has([class^="sponsoredProduct"]) +timesnownews.com,zoomtventertainment.com##div:has(> .bggrayAd) +newsfirst.lk##div:has(> [class*="hide_ad"]) +fandomwire.com##div:has(> [data-openweb-ad]) +doordash.com##div:has(> a[data-anchor-id="SponsoredStoreCard"]) +wolt.com##div:has(> div > div > div > div > div > p:has-text(Sponsored)) +outlook.live.com##div:has(> div > div.fbAdLink) +tripadvisor.com##div:has(> div > div[class="ui_column ovNFo is-3"]) +tripadvisor.com##div:has(> div[class="ui_columns is-multiline "]) +heb.com##div:has(> div[id^="hrm-banner-shotgun"]) +webtools.fineaty.com##div[class*=" hidden-"]:has(.adsbygoogle) +shoprite.com##div[class*="Row--"]:has(img[src*="/PROMOTED-TAG_"]) +aliexpress.com,aliexpress.us##div[class*="search-item-card-wrapper-"]:has(span[class^="multi--ad-"]) +qwant.com##div[class="_2NDle"]:has(div[data-testid="advertiserAdsDisplayUrl"]) +walmart.com##div[class="mb1 ph1 pa0-xl bb b--near-white w-25"]:has(div[data-ad-component-type="wpa-tile"]) +radio.at,radio.de,radio.dk,radio.es,radio.fr,radio.it,radio.net,radio.pl,radio.pt,radio.se##div[class] > div[class]:has(> div[class] > div[id^="RAD_D_"]) +androidauthority.com##div[class]:has(> .pw-incontent) +androidauthority.com##div[class]:has(> [data-ad-type="leaderboard_atf"]) +scribd.com##div[class]:has(> [data-e2e="dismissible-ad-header-scribd_adhesion"]) +dearbornmarket.com,fairwaymarket.com,gourmetgarage.com,priceritemarketplace.com,shoprite.com,thefreshgrocer.com##div[class^="ColListing"]:has(div[data-testid^="Sponsored"]) +wish.com##div[class^="ProductGrid__FeedTileWidthWrapper-"]:has(div[class^="DesignSpec__TextSpecWrapper-"][color="#6B828F"]:not([data-testid])) +wish.com##div[class^="ProductTray__ProductStripItem-"]:has(div[class^="DesignSpec__TextSpecWrapper-"][color="#6B828F"][data-testid] + div[class^="DesignSpec__TextSpecWrapper-"][color="#6B828F"]) +virginradio.co.uk##div[class^="css-"]:has(> .ad-outline) +flickr.com##div[class^="main view"]:has(a[href$="&ref=sponsored"]) +cargurus.com##div[data-cg-ft="car-blade"]:has(div[data-cg-ft="sponsored-listing-badge"]) +abcnews.go.com##div[data-container="band"]:has(> div > div[data-box-type="fitt-adbox-thinbannerhome"]) +rakuten.com##div[data-productid]:has(div.productList_sponsoredAds_RUS) +cruisecritic.co.uk##div[data-sentry-component="CruiseCard"]:has(a[rel="sponsored"]) +priceline.com##div[data-testid="HTL_NEW_LISTING_CARD_RESP"]:has(a[aria-label*=" Promoted"]) +twitter.com,x.com##div[data-testid="UserCell"]:has(path[d$="10H8.996V8h7v7z"]) +twitter.com,x.com##div[data-testid="eventHero"]:has(path[d$="10H8.996V8h7v7z"]) +twitter.com,x.com##div[data-testid="placementTracking"]:has(div[data-testid$="-impression-pixel"]) +booking.com##div[data-testid="property-card"]:has(div[data-testid="new-ad-design-badge"]) +twitter.com,x.com##div[data-testid="trend"]:has(path[d$="10H8.996V8h7v7z"]) +puzzle-aquarium.com,puzzle-battleships.com,puzzle-binairo.com,puzzle-bridges.com,puzzle-chess.com,puzzle-dominosa.com,puzzle-futoshiki.com,puzzle-galaxies.com,puzzle-heyawake.com,puzzle-hitori.com,puzzle-jigsaw-sudoku.com,puzzle-kakurasu.com,puzzle-kakuro.com,puzzle-killer-sudoku.com,puzzle-light-up.com,puzzle-lits.com,puzzle-loop.com,puzzle-masyu.com,puzzle-minesweeper.com,puzzle-nonograms.com,puzzle-norinori.com,puzzle-nurikabe.com,puzzle-pipes.com,puzzle-shakashaka.com,puzzle-shikaku.com,puzzle-shingoki.com,puzzle-skyscrapers.com,puzzle-slant.com,puzzle-star-battle.com,puzzle-stitches.com,puzzle-sudoku.com,puzzle-tapa.com,puzzle-tents.com,puzzle-thermometers.com,puzzle-words.com##div[id]:has(> #bannerSide) +puzzle-aquarium.com,puzzle-battleships.com,puzzle-binairo.com,puzzle-bridges.com,puzzle-chess.com,puzzle-dominosa.com,puzzle-futoshiki.com,puzzle-galaxies.com,puzzle-heyawake.com,puzzle-hitori.com,puzzle-jigsaw-sudoku.com,puzzle-kakurasu.com,puzzle-kakuro.com,puzzle-killer-sudoku.com,puzzle-light-up.com,puzzle-lits.com,puzzle-loop.com,puzzle-masyu.com,puzzle-minesweeper.com,puzzle-nonograms.com,puzzle-norinori.com,puzzle-nurikabe.com,puzzle-pipes.com,puzzle-shakashaka.com,puzzle-shikaku.com,puzzle-shingoki.com,puzzle-skyscrapers.com,puzzle-slant.com,puzzle-star-battle.com,puzzle-stitches.com,puzzle-sudoku.com,puzzle-tapa.com,puzzle-tents.com,puzzle-thermometers.com,puzzle-words.com##div[id]:has(> #bannerTop) +truthsocial.com##div[item="[object Object]"]:has(path[d="M17 7l-10 10"]) +truthsocial.com##div[item="[object Object]"]:has(path[d="M9.83333 1.83398H16.5M16.5 1.83398V8.50065M16.5 1.83398L9.83333 8.50065L6.5 5.16732L1.5 10.1673"]) +facebook.com,facebookwkhpilnemxj7asaniu7vnjjbiltxjqhye3mhbshg7kx5tfyd.onion##div[style="max-width: 390px; min-width: 190px;"]:has(a[href^="/ads/"]) +thisday.app##div[style="min-height: 340px;"]:has(div.ad) +nicelocal.com##div[style="min-height: 600px;"]:has(iframe[id^="google_ads_"]) +nicelocal.com##div[style="min-height: 90px;"]:has(iframe[id^="google_ads_"]) +tartaria-faucet.net##div[style^="display"]:has([src^="https://multiwall-ads.shop/"]) +douglas.*##.product-grid-column:has(.product-tile__sponsored) +douglas.*##.swiper-slide:has(button[data-testid="sponsored-button"]) +douglas.*##div.product-grid-column:has(button[data-testid="sponsored-button"]) +90min.com##figure:has(> div > #mm-player-placeholder-large-screen) +gamereactor.*###videoContainer:has(> [id^="videoContent-videoad-"]) +nex-software.com##h4:has(a[href$="/reimage"]) +walmart.com##li.items-center:has(div[data-ad-component-type="wpa-tile"]) +walgreens.com##li.owned-brands:has(figure.sponsored) +macys.com##li.productThumbnailItem:has(.sponsored-items-label) +kohls.com##li.products_grid:has(p.piq-sponsored) +streeteasy.com##li.searchCardList--listItem:has(.jsSponsoredListingCard) +autotrader.co.uk##li:has(section[data-testid="trader-seller-listing"] > span[data-testid="FEATURED_LISTING"]) +autotrader.co.uk##li:has(section[data-testid="trader-seller-listing"] > span[data-testid="PROMOTED_LISTING"]) +bbc.com##li[class*="-ListItem"]:has(div.dotcom-ad) +yandex.com##li[class*="_card"]:has(a[href^="https://yabs.yandex.ru/count/"]) +yandex.com##li[class*="_card"]:has(a[href^="https://yandex.com/search/_crpd/"]) +yahoo.com##li[class="first"]:has([data-ylk*="affiliate_link"]) +zillow.com##li[class^="ListItem-"]:has(#nav-ad-container) +dictionary.com,thesaurus.com##main div[class]:has(> [data-type="ad-vertical"]) +globalchinaev.com##p.content-center:has-text(ADVERTISEMENT) +sciencenews.org##p:has-text(Sponsor Message) +provigo.ca#?#.css-1nhzth8:-abp-contains(/sponsorisé|sponsored/) +rome2rio.com#?#div[aria-labelledby="schedules-header"] > div > div:-abp-contains(Ad) +windowsreport.com##section.hide-mbl:has(a[href^="https://out.reflectormedia.com/"]) +hwbusters.com##section.widget:has(> div[data-hwbus-trackbid]) +thehansindia.com##section:has(> .to-be-async-loaded-ad) +thehansindia.com##section:has(> [class*="level_ad"]) +homedepot.com##section[id^="browse-search-pods-"] > div.browse-search__pod:has(div.product-sponsored) +fxempire.com##span[display="inline-block"]:has-text(Advertisement) +mirrored.to##tbody > tr:has(> td[data-label="Host"] > img[src="https://www.mirrored.to/templates/mirrored/images/hosts/FilesDL.png"]) +titantv.com##tr:has(> td[align="center"][valign="middle"][colspan="2"][class="gC"]) +opensubtitles.org##tr[style]:has([src*="php"]) +tripadvisor.*##section[data-automation$="_AdPlaceholder"]:has(.txxUo) +tripadvisor.*#?#[data-automation="crossSellShelf"] div:has(> span:-abp-contains(Sponsored)) +tripadvisor.*#?#[data-automation="relatedStories"] div > div:has(a:-abp-contains(SPONSORED)) +oneindia.com##ul > li:has(> div[class^="adg_"]) +bleepingcomputer.com##ul#bc-home-news-main-wrap > li:has-text(Sponsored) +! curseforge/modrinth +modrinth.com##.normal-page__content [href*="bisecthosting.com/"] > img +modrinth.com##.normal-page__content [href^="http://bloom.amymialee.xyz"] > img +modrinth.com##.normal-page__content [href^="https://billing.apexminecrafthosting.com/"] > img +modrinth.com##.normal-page__content [href^="https://billing.bloom.host/"] > img +modrinth.com##.normal-page__content [href^="https://billing.ember.host/"] > img +modrinth.com##.normal-page__content [href^="https://billing.kinetichosting.net/"] > img +modrinth.com##.normal-page__content [href^="https://mcph.info/"] > img +modrinth.com##.normal-page__content [href^="https://meloncube.net/"] > img +modrinth.com##.normal-page__content [href^="https://minefort.com/"] > img +modrinth.com##.normal-page__content [href^="https://nodecraft.com/"] > img +modrinth.com##.normal-page__content [href^="https://scalacube.com/"] > img +modrinth.com##.normal-page__content [href^="https://shockbyte.com/"][href*="/partner/"] > img +modrinth.com##.normal-page__content [href^="https://www.akliz.net/"] > img +modrinth.com##.normal-page__content [href^="https://www.ocean-hosting.top/"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="billing.apexminecrafthosting.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="billing.bloom.host"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="billing.ember.host"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="billing.kinetichosting.net"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="bisecthosting.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="mcph.info"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="meloncube.net"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="minefort.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="nodecraft.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="scalacube.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="shockbyte.com"] > img +curseforge.com##.project-description [href^="/linkout?remoteUrl="][href*="www.ocean-hosting.top"] > img +! taboola +nme.com###taboola-below-article +oneindia.com###taboola-mid-article-thumbnails +the-independent.com###taboola-mid-article-thumbnails-ii +independent.co.uk,the-independent.com###taboola-mid-article-thumbnails-iii +lifeandstylemag.com###taboola-right-rail-thumbnails +nbsnews.com##.TaboolaFeed +ndtv.com##.TpGnAd_ad-cn +hindustantimes.com##.ht_taboola +financialexpress.com##.ie-network-taboola +indianexpress.com##.o-taboola-story +6abc.com,abcnews.go.com##.taboola +kotaku.com,theonion.com,theroot.com##.taboola-container +firstpost.com##.taboola-div +ndtv.com##[class^="ads_"] +ndtv.com##div:has(> [id^="adslot"]) +weather.com##div[id*="Taboola-sidebar"] +weather.com##div[id^="Taboola-main-"] +drivespark.com,express.co.uk,goodreturns.in##div[id^="taboola-"] +mail.aol.com##li:has(a[data-test-id="pencil-ad-messageList"]) +linkvertise.com##lv-taboola-ctr-ad-dummy +filmibeat.com,gizbot.com,oneindia.com##ul > li:has(> div[id^="taboola-mid-home-stream"]) +! firework +ndtv.com,ndtv.in##[class^="firework"] +ndtv.com,ndtv.in##[id^="firework"] +! Abusive Adcompanies +a-ads.com,ad-maven.com,adcash.com,admitad.com,adskeeper.co.uk,adskeeper.com,adspyglass.com,adstracker.info,adsupply.com,adsupplyads.com,adsupplyads.net,chpadblock.com,exoclick.com,hilltopads.com,join-admaven.com,joinpropeller.com,juicyads.com,luckyads.pro,monetag.com,myadcash.com,popads.net,propellerads.com,purpleads.io,trafficshop.com,yavli.com##HTML +! Eurosport/TNTSports +##.ad-fallback +##.ad.reform-top +##.reform-top-container +! Amazon +amazon.*###nav-swmslot +amazon.*###sc-rec-bottom +amazon.*###sc-rec-right +amazon.*###similarities_feature_div:has(span.sponsored_label_tap_space) +amazon.*###sponsoredProducts2_feature_div +amazon.*###sponsoredProducts_feature_div +amazon.*###typ-recommendations-stripe-1 +amazon.*###typ-recommendations-stripe-2 +amazon.*##.amzn-safe-frame-container +amazon.*##.dp-widget-card-deck:has([data-ad-placement-metadata]) +amazon.*##.s-result-item:has([data-ad-feedback]) +amazon.*##.s-result-item:has(div.puis-sponsored-label-text) +amazon.*##.s-result-list > .a-section:has(.sbv-ad-content-container) +amazon.*##.sbv-video-single-product +amazon.*##[cel_widget_id*="-creative-desktop_loom-desktop-"] +amazon.*##div.s-inner-result-item > div.sg-col-inner:has(a.puis-sponsored-label-text) +amazon.*##div[cel_widget_id*="_ad-placements-"] +amazon.*##div[cel_widget_id*="Deals3Ads"] +amazon.*##div[cel_widget_id*="desktop-dp-"] +amazon.*##div[cel_widget_id="sp-orderdetails-desktop-carousel_desktop-yo-orderdetails_0"] +amazon.*##div[cel_widget_id="sp-orderdetails-mobile-list_mobile-yo-orderdetails_0"] +amazon.*##div[cel_widget_id="sp-pop-mobile-carousel_mobile-yo-postdelivery_0"] +amazon.*##div[cel_widget_id="sp-rhf-desktop-carousel_desktop-rhf_0"] +amazon.*##div[cel_widget_id="sp-shiptrack-desktop-carousel_desktop-yo-shiptrack_0"] +amazon.*##div[cel_widget_id="sp-shiptrack-mobile-list_mobile-yo-shiptrack_0"] +amazon.*##div[cel_widget_id="sp-typ-mobile-carousel_mobile-typ-carousels_2"] +amazon.*##div[cel_widget_id="sp_phone_detail_thematic"] +amazon.*##div[cel_widget_id="typ-ads"] +amazon.*##div[cel_widget_id^="adplacements:"] +amazon.*##div[cel_widget_id^="LEFT-SAFE_FRAME-"] +amazon.*##div[cel_widget_id^="MAIN-FEATURED_ASINS_LIST-"] +amazon.*##div[cel_widget_id^="multi-brand-"] +amazon.*##div[cel_widget_id^="sp-desktop-carousel_handsfree-browse"] +amazon.*##div[class*="_dpNoOverflow_"][data-idt] +amazon.*##div[class*="SponsoredProducts"] +amazon.*##div[data-a-carousel-options*="\\\"isSponsoredProduct\\\":\\\"true\\\""] +amazon.*##div[data-ad-id] +amazon.*##div[data-cel-widget="sp-rhf-desktop-carousel_desktop-rhf_1"] +amazon.*##div[data-cel-widget="sp-shiptrack-desktop-carousel_desktop-yo-shiptrack_0"] +amazon.*##div[data-cel-widget^="multi-brand-video-mobile_DPSims_"] +amazon.*##div[data-cel-widget^="multi-card-creative-desktop_loom-desktop-top-slot_"] +amazon.*##div[data-csa-c-painter="sp-cart-mobile-carousel-cards"] +amazon.*##div[data-csa-c-slot-id^="loom-mobile-brand-footer-slot_hsa-id-"] +amazon.*##div[data-csa-c-slot-id^="loom-mobile-top-slot_hsa-id-"] +amazon.*##div[id^="sp_detail"] +amazon.*##span[cel_widget_id^="MAIN-FEATURED_ASINS_LIST-"] +amazon.*##span[cel_widget_id^="MAIN-loom-desktop-brand-footer-slot_hsa-id-CARDS-"] +amazon.*##span[cel_widget_id^="MAIN-loom-desktop-top-slot_hsa-id-CARDS-"] +! +modivo.at,modivo.bg,modivo.cz,modivo.de,modivo.ee,modivo.fr,modivo.gr,modivo.hr,modivo.hu,modivo.it,modivo.lt,modivo.lv,modivo.pl,modivo.ro,modivo.si,modivo.sk,modivo.ua##.display-container +modivo.at,modivo.bg,modivo.cz,modivo.de,modivo.ee,modivo.fr,modivo.gr,modivo.hr,modivo.hu,modivo.it,modivo.lt,modivo.lv,modivo.pl,modivo.ro,modivo.si,modivo.sk,modivo.ua##.promoted-slider-wrapper +chaussures.fr,eapavi.lv,ecipele.hr,ecipo.hu,eobuv.cz,eobuv.sk,eobuwie.com.pl,epantofi.ro,epapoutsia.gr,escarpe.it,eschuhe.at,eschuhe.ch,eschuhe.de,eskor.se,evzuttya.com.ua,obuvki.bg,zapatos.es##.sponsored-slider-wrapper +! Expedia +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com###floating-lodging-card:has(a.uitk-card-link[href*="&trackingData="]) +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##.uitk-card:has(.uitk-badge-sponsored) +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##[data-stid="meso-similar-properties-carousel"] +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div.not_clustered[id^="map-container-"] +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div[class="uitk-spacing uitk-spacing-margin-blockstart-three"]:has(a[href*="&trackingData"]) +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div[class="uitk-spacing uitk-spacing-margin-blockstart-three"]:has(a[href^="https://adclick.g.doubleclick.net/pcs/click?"]) +cheaptickets.com,ebookers.com,expedia.*,hoteis.com,hoteles.com,hotels.com,orbitz.com,travelocity.ca,travelocity.com,wotif.com##div[class="uitk-spacing uitk-spacing-margin-blockstart-three"]:has(a[href^="https://pagead2.googlesyndication.com/"]) +! Skyscanner +skyscanner.*,tianxun.com##[class^="FlightsResults"] > div:has([class^="Sponsored"]) +skyscanner.*,tianxun.com##div > a:has(div[class^="DefaultBanner_sponsorshipRow"]) +skyscanner.*,tianxun.com##div:has(> a[data-testid="inline-brand-banner"]) +skyscanner.*,tianxun.com##div[class*="InlineBrandBanner" i]:has(button[class*="SponsoredInfoButton" i]) +skyscanner.*,tianxun.com##div[class*="ItineraryInlinePlusWrapper" i]:has(button[class*="SponsoredInfoButton" i]) +skyscanner.*,tianxun.com##div[class^="ItineraryInlinePlusWrapper_"]:has(button[class^="SponsoredInfoButton_"]) +skyscanner.*,tianxun.com##div[id*="-first-result" i]:has(button[class*="SponsoredInfoButton" i]) +skyscanner.*,tianxun.com##section[data-testid="inline-ad-panel-desktop-layout"] +! ad insertition https://chromewebstore.google.com/detail/idgpnmonknjnojddfkpgkljpfnnfcklj +www.google.*###google-s-ad +! invideo advertising +gunsandammo.com###VideoPlayerDivIframe +usnews.com###ac-lre-player-ph +ew.com###article__primary-video-jw_1-0 +wral.com###exco +factinate.com###factinateVidazoo +ispreview.co.uk###footer-slot-3 +ginx.tv###ginx-floatingvod-containerspacer +ibtimes.com###ibt-video +gunsandammo.com###inline-player +pubs.rsc.org###journal-info > .text--centered +forums.whathifi.com###jwplayer-container-div +express.co.uk###mantis-recommender-top-placeholder +ispreview.co.uk###mobile-takeover-slot-8 +express.co.uk,the-express.com###ovp-primis +blackamericaweb.com,bossip.com,cassiuslife.com,charlieintel.com,dexerto.com,hiphopwired.com,madamenoire.com,newsone.com,tvone.tv###player-wrapper +bar-planb.com###player_dev +essentiallysports.com###player_stn-player__Dybik +techlicious.com###primis-incontent-desktop +charlieintel.com,dexerto.com###primis-player +flightradar24.com###primisAdContainer +freethesaurus.com###qk1 +freethesaurus.com###qk2 +freethesaurus.com###qk5 +realclearpolitics.com###realclear_jwplayer_container +ispreview.co.uk###sidebar-slot-5 +wideopencountry.com###sv-video-container +uproxx.com###upx-mm-player-wrap +wideopencountry.com###video-header +sportskeeda.com###video-player-container-- +onlyinyourstate.com###video1-1 +newseveryday.com###vplayer_large +tvline.com##._video_ti56x_1 +musictimes.com,techtimes.com##.ad_wrapper_video +indy100.com##.addressed_cls +androidheadlines.com,gcaptain.com,mp1st.com,thedebrief.org,unofficialnetworks.com##.adthrive +muscleandfitness.com##.ami-video-placeholder +telegraph.co.uk##.article-betting-unit-container +financemagnates.com##.article-sidebar__video-banner +ibtimes.com,sciencetimes.com##.article-videoplayer +people.com##.article__broad-video +digitaltrends.com##.b-connatix +bmwblog.com##.bmwbl-video-in-content +washingtonexaminer.com##.bridtv +pedestrian.tv##.brightcove-video-container +military.com##.brightcove-video-wrapper +cnet.com,zdnet.com##.c-avStickyVideo +stuff.tv##.c-squirrel-embed +cartoonbrew.com##.cb-ad +rd.com,tasteofhome.com##.cnx-inline-player-wrapper +mb.com.ph##.code-block +techwalla.com##.component-article-section-jwplayer-wrapper +livestrong.com##.component-article-section-votd +accuweather.com##.connatix-player +familystylefood.com##.email-highlight +comicbook.com##.embedVideoContainer +taskandpurpose.com##.empire-unit-prefill-container +europeanpharmaceuticalreview.com##.europ-fixed-footer +accuweather.com##.feature-tag +ibtimes.sg##.featured_video +pedestrian.tv##.find-dream-job +sportbible.com,unilad.com##.floating-video-player_container__u4D9_ +dailymail.co.uk##.footballco-container +redboing.com##.fw-ad +foxsports.com##.fwAdContainer +thestar.co.uk##.gOoqzH +electricianforum.co.uk##.gb-sponsored +arboristsite.com##.gb-sponsored-wrapper +givemesport.com##.gms-videos-container +gamesradar.com##.in-article +bringmethenews.com,mensjournal.com,thestreet.com##.is-fallback-player +gmanetwork.com##.ivs-placeholder +evoke.ie##.jw-player-video-widget +anandtech.com##.jwplayer +gamesradar.com,livescience.com,tomshardware.com,whathifi.com##.jwplayer__widthsetter +space.com##.jwplayer__wrapper +southernliving.com##.karma-sticky-rail +gearjunkie.com##.ldm_ad +usmagazine.com##.lead-container +thespun.com##.m-video-player +ispreview.co.uk##.midarticle-slot-10 +insideevs.com##.minutely_video_wrap +zerohedge.com##.mixed-unit-ac +lifewire.com##.mntl-jwplayer-broad +respawnfirst.com##.mv-ad-box +bestrecipes.com.au,delicious.com.au,taste.com.au##.news-video +newsnationnow.com##.nxs-player-wrapper +pagesix.com##.nyp-video-player +picrew.me##.play-Imagemaker_Footer +sciencetimes.com##.player +bossip.com##.player-wrapper-inner +swimswam.com##.polls-461 +baseball-reference.com,basketball-reference.com,fbref.com,hockey-reference.com,pro-football-reference.com,sports-reference.com##.primis +appleinsider.com##.primis-ad-wrap +themarysue.com##.primis-player-container +iheart.com##.provider-stn +pedestrian.tv##.recent-jobs-widget +kidspot.com.au##.secondary-video +pedestrian.tv##.sticky-item-group +playbuzz.com##.stickyplayer-container +si.com##.style_hfl21i-o_O-style_uhlm2 +gazette.com##.tnt-section-sponsored +thegrio.com##.tpd-featured-video +bestlifeonline.com,eatthis.com,hellogiggles.com##.vi-video-wrapper +gamesradar.com,tomsguide.com,tomshardware.com,whathifi.com##.vid-present +sportskeeda.com##.vidazoo-player-container +justthenews.com##.video +petapixel.com##.video-aspect-wrapper +bowhunter.com,firearmsnews.com,flyfisherman.com,gameandfishmag.com,gunsandammo.com,handgunsmag.com,in-fisherman.com,northamericanwhitetail.com,petersenshunting.com,rifleshootermag.com,shootingtimes.com,wildfowlmag.com##.video-detail-player +fodors.com##.video-inline +gearjunkie.com##.video-jwplayer +hiphopdx.com##.video-player +bolavip.com##.video-player-placeholder +benzinga.com##.video-player-wrapper +thepinknews.com##.video-player__container +tasty.co##.video-wrap +dpreview.com##.videoWrapper +consequence.net##.video_container +thewrap.com##.wp-block-post-featured-image--video +comicbook.com##.wp-block-savage-platform-primis-video +thecooldown.com##.wp-block-tcd-multipurpose-gutenberg-block +bigthink.com##.wrapper-connatixElements +bigthink.com##.wrapper-connatixPlayspace +global.espreso.tv##.ym-video--wrapper +totalprosports.com##[data-stn-player="n2psbctm"] +worldsoccertalk.com##[id*="primis_"] +offidocs.com##[id^="ja-container-prev"] +hollywoodreporter.com##[id^="jwplayer"] +ukrinform.de,ukrinform.es,ukrinform.fr,ukrinform.jp,ukrinform.net,ukrinform.pl,ukrinform.ua##[style^="min-height: 280px;"] +wlevradio.com##a[href^="https://omny.fm/shows/just-start-the-conversation"] +firstforwomen.com##div[class^="article-content__www_ex_co_video_player_"] +balls.ie##div[style="min-height: 170px;"] +! dark pattern adverts +burnerapp.com##.exit__overlay +booking.com##.js_sr_persuation_msg +booking.com##.sr-motivate-messages +! Google https://forums.lanik.us/viewtopic.php?f=62&t=45153 +##.section-subheader > .section-hotel-prices-header +! yahoo +yahoo.com###Horizon-ad +yahoo.com###Lead-0-Ad-Proxy +yahoo.com###adsStream +yahoo.com###defaultLREC +finance.yahoo.com###mrt-node-Lead-0-Ad +sports.yahoo.com###mrt-node-Lead-1-Ad +sports.yahoo.com###mrt-node-Primary-0-Ad +sports.yahoo.com###mrt-node-Secondary-0-Ad +yahoo.com###sda-Horizon +yahoo.com###sda-Horizon-viewer +yahoo.com###sda-LDRB +yahoo.com###sda-LDRB-iframe +yahoo.com###sda-LDRB2 +yahoo.com###sda-LREC +yahoo.com###sda-LREC-iframe +yahoo.com###sda-LREC2 +yahoo.com###sda-LREC2-iframe +yahoo.com###sda-LREC3 +yahoo.com###sda-LREC3-iframe +yahoo.com###sda-LREC4 +yahoo.com###sda-MAST +yahoo.com###sda-MON +yahoo.com###sda-WFPAD +yahoo.com###sda-WFPAD-1 +yahoo.com###sda-WFPAD-iframe +yahoo.com###sda-wrapper-COMMENTSLDRB +mail.yahoo.com###slot_LREC +yahoo.com###viewer-LDRB +yahoo.com###viewer-LREC2 +yahoo.com###viewer-LREC2-iframe +yahoo.com##.Feedback +finance.yahoo.com##.ad-lrec3 +yahoo.com##.ads +yahoo.com##.caas-da +yahoo.com##.darla +yahoo.com##.darla-container +yahoo.com##.darla-lrec-ad +yahoo.com##.darla_ad +yahoo.com##.ds_promo_ymobile +finance.yahoo.com##.gam-placeholder +yahoo.com##.gemini-ad +yahoo.com##.gemini-ad-feedback +yahoo.com##.item-beacon +yahoo.com##.leading-3:has-text(Advertisement) +yahoo.com##.mx-\[-50vw\] +yahoo.com##.ntk-ad-item +sports.yahoo.com##.post-article-ad +finance.yahoo.com##.sdaContainer +yahoo.com##.searchCenterBottomAds +yahoo.com##.searchCenterTopAds +search.yahoo.com##.searchRightBottomAds +search.yahoo.com##.searchRightTopAds +yahoo.com##.sys_shopleguide +yahoo.com##.top-\[92px\] +yahoo.com##.viewer-sda-container +yahoo.com##[data-content="Advertisement"] +mail.yahoo.com##[data-test-id="gam-iframe"] +mail.yahoo.com##[data-test-id="leaderboard-ad-mobile"] +mail.yahoo.com##[data-test-id^="pencil-ad"] +mail.yahoo.com##[data-test-id^="taboola-ad-"] +yahoo.com##[data-wf-beacons] +finance.yahoo.com##[id^="defaultLREC"] +www.yahoo.com##[id^="mid-center-ad"] +mail.yahoo.com##[rel="noreferrer"][data-test-id][href^="https://beap.gemini.yahoo.com/mbclk?"] +yahoo.com##a[data-test-id="large-image-ad"] +mail.yahoo.com##article[aria-labelledby*="-pencil-ad-"] +www.yahoo.com##body#news-content-app li:has(.inset-0) +www.yahoo.com##body.font-yahoobeta > div.items-center:has(style) +yahoo.com##div[class*="ads-"] +yahoo.com##div[class*="gemini-ad"] +yahoo.com##div[data-beacon] > div[class*="streamBoxShadow"] +yahoo.com##div[id*="ComboAd"] +yahoo.com##div[id^="COMMENTSLDRB"] +yahoo.com##div[id^="LeadAd-"] +yahoo.com##div[id^="darla-ad"] +yahoo.com##div[id^="defaultWFPAD"] +yahoo.com##div[id^="gemini-item-"] +yahoo.com##div[style*="/ads/"] +mail.yahoo.com##li:has(a[href^="https://api.taboola.com/"]) +yahoo.com##li[data-test-locator="stream-related-ad-item"] +! youtube +youtube.com###masthead-ad +youtube.com###mealbar-promo-renderer +youtube.com###player-ads +youtube.com###shorts-inner-container > .ytd-shorts:has(> .ytd-reel-video-renderer > ytd-ad-slot-renderer) +youtube.com##.YtdShortsSuggestedActionStaticHostContainer +youtube.com##.ytd-merch-shelf-renderer +www.youtube.com##.ytp-featured-product +youtube.com##.ytp-suggested-action > button.ytp-suggested-action-badge +m.youtube.com##lazy-list > ad-slot-renderer +youtube.com##ytd-ad-slot-renderer +youtube.com##ytd-rich-item-renderer:has(> #content > ytd-ad-slot-renderer) +youtube.com##ytd-search-pyv-renderer +m.youtube.com##ytm-companion-slot[data-content-type] > ytm-companion-ad-renderer +m.youtube.com##ytm-rich-item-renderer > ad-slot-renderer ! Site Specific filters (used with $generichide) -autoevolution.com###\5f wlts -citationsy.com###aaaaaaaaaa -googlesyndication.com###adunit -oregonlive.com###adv_network -static.adf.ly###container -upi.com###div-ad-inread -upi.com###div-ad-top -idg.com.au###float_leaderboard_bottom -dospelis.com###frame-holder -macdailynews.com###header-ads -arnnet.com.au###leaderboard-bottom-ad -kenkenpuzzle.com###leaderboard-container -lifewire.com###leaderboard_2-0 -telecompetitor.com###sidetopbanner -telecompetitor.com###singlepostbanner -deadline.com###skin-ad-section -cinemablend.com###slot_drawer -mingle2.com###textlink_ads_placeholder -computerworlduk.com###topLeaderboard > .leaderboard -mingle2.com###topbannerad -janjuaplayer.com###video_ads_overdiv -sctimes.com##.ad-bottom -standard.co.uk##.ad-center -nme.com##.ad-container -universityherald.com##.ad-sample -uptobox.com##.ad-square -credio.com,findthedata.com##.ad-text -greenbaypressgazette.com,sctimes.com##.ad-wrap-none -dailymail.co.uk,spanishdict.com##.ad-wrapper -dailymail.co.uk##.adHolder -comicbook.com##.ad_blk -spin.com##.ad_desktop_placeholder -autoevolution.com##.adcont970 -cinemablend.com##.ads_slot -tomshardware.com##.adsbox -afreesms.com,dailymail.co.uk,israellycool.com,mma-core.com,technoshouter.com##.adsbygoogle -technobuffalo.com##.adspot -universityherald.com##.adunit_rectangle -modmy.com##.article-leaderboard -wccftech.com##.banner-ad -samaup.com##.bannernone -playwire.com##.bolt-ad-container -menshealth.com##.breaker-ad -freewarefiles.com##.center-gray-ad-txt -zippyshare.com##.center_ad -zdnet.com##.content-bottom-leaderboard -womenshealthmag.com##.dfp-tag-wrapper -broadwayworld.com##.ezoic-ad -wccftech.com##.featured-ad -nme.com##.header-advert-wrapper -freewarefiles.com##.homepage_300x600adslot -courier-journal.com##.inline-share-btn -radiotimes.com##.js-ad-banner-container -radiotimes.com##.js-dfp-ad-bottom -computerworlduk.com##.jsAdContainer > #dynamicAd1 -mediafire.com##.lb-ad -menshealth.com,runnersworld.com,womenshealthmag.com##.leaderboard-ad -mediafire.com##.lr-ad -ubergizmo.com##.mediumbox_container -ubergizmo.com##.mediumbox_container_incontent -ubergizmo.com##.mediumbox_incontent_wide -lifewire.com##.mntl-lazy-ad -clashdaily.com,dailysurge.com##.pan-ad-inline1 -clashdaily.com##.pan-ad-sidebar1 -clashdaily.com##.pan-ad-sidebar2 -flashx.tv##.rec_article_footer -flashx.tv##.rec_container_footer -spanishdict.com##.sd-ad-wrapper -technobuffalo.com##.shortcode-ad-box -veekyforums.com##.sidebar-rc -radiotimes.com##.sidebar__item-spacer--advert-top -mingle2.com##.skyscraper_ad -spin.com##.sm-widget-ad-holder -foreignaffairs.com##.speed-bump -hypable.com##.splitter -womenshealthmag.com##.sponsor-bar -nymag.com##.taboola -jewishpress.com##.td-a-rec-id-custom_ad_1 -jewishpress.com##.td-a-rec-id-custom_ad_3 -jewishpress.com##.td-adspot-title -telecompetitor.com##.top125banners -cinemablend.com##.topsticky_wrapper -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailymail.co.uk,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,huffingtonpost.co.uk,ign.com,infinitiev.com,last.fm,latimes.com,leaderpost.com,lolking.net,mcall.com,metacritic.com,montrealgazette.com,nasdaq.com,nationalpost.com,newsarama.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,startribune.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,tomshardware.co.uk,tomshardware.com,torontosun.com,trustedreviews.com,twincities.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com,yourtailorednews.com##.trc-content-sponsored -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailymail.co.uk,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,huffingtonpost.co.uk,ign.com,infinitiev.com,last.fm,latimes.com,leaderpost.com,lolking.net,mcall.com,metacritic.com,montrealgazette.com,nasdaq.com,nationalpost.com,newsarama.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,tomshardware.co.uk,tomshardware.com,torontosun.com,trustedreviews.com,twincities.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com,yourtailorednews.com##.trc-content-sponsoredUB -realfarmacy.com##.trc_rbox_container -freep.com##.tsfrm-sponsor-logo-content -mirrorace.com##.uk-margin-bottom -mingle2.com##.user_profile_ads -courier-journal.com##.util-bar-module-share -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,ign.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,mcall.com,montrealgazette.com,nasdaq.com,nationalpost.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,torontosun.com,twincities.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com##.zerg-holder -moviefone.com##.zergnet -ign.com##.zergnet-container -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,ign.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,mcall.com,montrealgazette.com,nasdaq.com,nationalpost.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,torontosun.com,twincities.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com##.zergnet-holder -gelbooru.com##[href*="adtng.com/"] -broadwayworld.com##[id="outbrain_widget_"] -revclouds.com##a[href^="http://adtrack123.pl/"] -flashx.tv##a[href^="http://data.committeemenencyclopedicrepertory.info/"] -christianforums.com##a[href^="http://go.tryonlinetherapy.com/aff_c?offer_id="] -wccftech.com##a[href^="http://internalredirect.site/"] -vidbull.com##a[href^="http://mgid.com/"] -akiba-online.com##a[href^="https://filejoker.net/invite-"] -apkmirror.com,baltimoresun.com,boreburn.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailycaller.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,mcall.com,menshealth.com,montrealgazette.com,nasdaq.com,nationalpost.com,orlandosentinel.com,ottawacitizen.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,vancouversun.com,vibe.com,wexfordpeople.ie,windsorstar.com,womenshealthmag.com,yourtailorednews.com##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] -computerworlduk.com##aside > div > .mpuHolder -torrentfunk.com##center > table -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,huffingtonpost.co.uk,ign.com,infinitiev.com,last.fm,latimes.com,leaderpost.com,lolking.net,mcall.com,metacritic.com,montrealgazette.com,nasdaq.com,nationalpost.com,nme.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,tomshardware.co.uk,torontosun.com,trustedreviews.com,twincities.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com,yourtailorednews.com##div[data-item-syndicated="true"] -daclips.in,vidbull.com##div[id^="MarketGid"] -boredomtherapy.com,broadwayworld.com,mingle2.com,wccftech.com##div[id^="div-gpt-ad"] -sharespark.net##div[id^="randomContentServe"] -cinemablend.com##div[style="height:250px; width:300px;"] -smallseotools.com##iframe[id^="google_ads_frame"] -androidsage.com##ins[data-ad-client] -world4.eu##ins[style="display:inline-block;width:336px;height:280px"] -socketloop.com##span[data-ez-name] -! Bug in uBo: https://github.com/gorhill/uBlock/issues/1885 -newyorker.com##div[class^="Ad_"] -! Filter for testpages.adblockplus.org +thefreedictionary.com###Content_CA_AD_0_BC +thefreedictionary.com###Content_CA_AD_1_BC +instapundit.com###adspace_top > .widget-ad__content +sonichits.com###bottom_ad +sonichits.com###divStickyRight +spanishdict.com###removeAdsSidebar +sonichits.com###right-ad +ldoceonline.com###rightslot2-container +sonichits.com###top-ad-outer +sonichits.com###top-top-ad +plagiarismchecker.co###topbox +spanishdict.com##.ad--1zZdAdPU +tweaktown.com##.adcon +geekzone.co.nz##.adsbygoogle +apkmirror.com##.ains-apkm_outbrain_ad +tweaktown.com##.center-tag-rightad +rawstory.com##.connatix-hodler +apkmirror.com##.ezo_ad +patents.justia.com##.jcard[style="min-height:280px; margin-bottom: 10px;"] +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.js-results-ads +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.js-sidebar-ads > .nrn-react-div +boatsonline.com.au,yachthub.com##.js-sticky +history.com##.m-balloon-header--ad +history.com##.m-in-content-ad +history.com##.m-in-content-ad-row +spiegel.de##.ob-dynamic-rec-container.ob-p +duckduckgo.com,duckduckgogg42xjoc72x3sjasowoarfbgcmvfimaftt6twagswzczad.onion##.results--ads +mail.google.com##a[href^="http://li.blogtrottr.com/click?"] +geekzone.co.nz##div.cornered.box > center +apkmirror.com##div[id^="adtester-container-"] +yandex.com##div[id^="yandex_ad"] +! Google +www.google.*###tads[aria-label] +www.google.*###tadsb[aria-label] +www.google.*##.commercial-unit-desktop-rhs:not(.mnr-c) +www.google.*##.commercial-unit-mobile-top > div[data-pla="1"] +www.google.*##.cu-container +www.google.*##.ltJjte +www.google.*##.OcdnDb +www.google.*##.OcdnDb + .fp2VUc +www.google.*##.OcdnDb + .PbZDve +www.google.*##.OcdnDb + .PbZDve + .m6QErb +www.google.*##.uEierd +www.google.*##a[href^="/aclk?sa="][href*="&adurl=&placesheetAdFix=1"] +www.google.*##a[href^="/aclk?sa="][href*="&adurl=&placesheetAdFix=1"] + button +www.google.*##a[href^="https://www.googleadservices.com/pagead/aclk?"] +www.google.*##body#yDmH0d [data-is-promoted="true"] +www.google.*##c-wiz[jsrenderer="YTTf6c"] > .bhapoc.oJeWuf[jsname="bN97Pc"][data-ved] +www.google.*##div.FWfoJ > div[jsname="Nf35pd"] > div[class="R09YGb ilovz"] +www.google.*##div.sh-sr__shop-result-group[data-hveid]:has(g-scrolling-carousel) +www.google.*##div[class="Nv2PK THOPZb CpccDe "]:has(.OcdnDb) +www.google.*##div[data-ads-title="1"] +www.google.*##div[data-attrid="kc:/local:promotions"] +www.google.*##div[data-crl="true"][data-id^="CarouselPLA-"] +www.google.*##div[data-is-ad="1"] +www.google.*##div[data-is-promoted-hotel-ad="true"] +www.google.*##div[data-section-type="ads"] +www.google.*##div[jsdata*="CarouselPLA-"][data-id^="CarouselPLA-"] +www.google.*##div[jsdata*="SinglePLA-"][data-id^="SinglePLA-"] +www.google.*##html[itemtype="http://schema.org/SearchResultsPage"] #cnt div[class$="sh-sr__bau"] +www.google.*##html[itemtype="http://schema.org/SearchResultsPage"] #cnt div[class$="sh-sr__tau"][style] +! Filters for ABP testpages testpages.adblockplus.org###abptest -! CSS property filters for Adblock Plus -webfail.com#?##aside > :-abp-properties(cursor: pointer;) -freethesaurus.com#?#.widget + :-abp-properties(height: 265px; width: 300px;) -ksl.com#?#.queue:-abp-has(.sponsored) -multiup.eu,multiup.org#?#.alert:-abp-contains(VPN) -multiup.eu,multiup.org#?#.col-md-4:-abp-contains(Usenet.nl) -multiup.eu,multiup.org#?#.trtbl:-abp-has(.warnIp) -space.com#?#:-abp-properties(height: 250px;*width: 300px;) -webfail.com#?##subheader + :-abp-properties(text-align: center;) -tomshardware.com#?#.page-content-rightcol :-abp-properties(height: 600px;*width: 300px;) -torrentsgroup.com#?#:-abp-properties(*data:image*) -webfail.com#?#:-abp-properties(cursor: pointer; margin-left: *px;) -webfail.com#?#:-abp-properties(position: relative; width: 728px) -webfail.com#?#:-abp-properties(text-align: center;) > img -webfail.com#?#div[style="width:300px;height:auto;margin:30px 0;"] + div -yelp.com#?#li[class^="domtags--li"]:-abp-has(a[href^="/adredir?"]) -yelp.com#?#li[class^="lemon--li"]:-abp-contains(Sponsored Results) -yelp.com#?#li[class^="lemon--li"]:-abp-has(a[href^="/adredir?"]) -! IL -metacritic.com###leader_bottom -metacritic.com###leader_middle -metacritic.com###leader_top_wrapper -chicagotribune.com###tl_outer -boston.com,chicagotribune.com,cnet.com,metacritic.com,pcmag.com##.trc_elastic -boston.com##[data--dor-ibwh^="inarticle"] -boston.com##[data--dor-ibwh^="stream"] -cnet.com##[data-ad-meta] -pcmag.com##[data-ad-unit-path] -boston.com##[data-ad-unit] -chicagotribune.com##[data-adloader-adtype="articlecube"] -chicagotribune.com##[data-adloader-adtype="responsivebarkerad"] -chicagotribune.com##[data-adloader-position="leaderboardcombo"] -chicagotribune.com,gamepedia.com,metacritic.com,pcmag.com,sporcle.com##[data-google-query-id] -cnet.com##[name*="\"type\":\"\ads\""] -metacritic.com##[name*="adcontainer"] -sporcle.com##[name*="googleSearchAds"] -chicagotribune.com##[style*="width: 300px; height: 250px;"] -chicagotribune.com##[style*="width: 300px; height: 600px;"] -chicagotribune.com,sporcle.com##[style*="width: 728px; height: 90px;"] -metacritic.com##a[href*="/aclk?"] -boston.com##a[href^="http://sponsored.bostonglobe.com/"] -boston.com,chicagotribune.com,cnet.com,metacritic.com,pcmag.com##div[id^="trc_wrapper_"] -pcmag.com,sporcle.com##iframe[width="300"] -pcmag.com,sporcle.com##iframe[width="728"] -! oriel -theguardian.com##[data-google-query-id] -! msn.com -msn.com##a[href^="https://redirect.viglink.com/"] -msn.com##a[href^="https://www.amazon."][href*="&tag="] -msn.com##a[target="_blank"][x-enc] -msn.com##div[x-enc] > a -msn.com##iframe:not([src]) -msn.com##iframe[src="about:blank"] +testpages.eyeo.com###test-aa +testpages.eyeo.com###test-element-id +testpages.eyeo.com##.test-element-class +! MSN +msn.com###displayAdCard +msn.com###div[id^="mrr-topad-"] +msn.com###partners +msn.com###promotions +msn.com##.ad-banner-wrapper +msn.com##.articlePage_bannerAd_wrapper-DS-EntryPoint1-1 +msn.com##.articlePage_eoabNativeAd_new-DS-EntryPoint1-1 +msn.com##.bannerAdContainer-DS-EntryPoint1-1 +msn.com##.consumption-page-banner-wrapper +msn.com##.drrTopAdWrapper +msn.com##.eocb-ads +msn.com##.galleryPage_eoabContent_new-DS-EntryPoint1-1 +msn.com##.galleryPage_eoabNativeAd_new-DS-EntryPoint1-1 +msn.com##.intra-article-ad-full +msn.com##.intra-article-ad-half +msn.com##.modernRightRail_stickyTopBannerAd-DS-EntryPoint1-1 +msn.com##.modernRightRail_topAd_container_2col_newRR-DS-EntryPoint1-1 +msn.com##.outeradcontainer +msn.com##.qohvco-DS-EntryPoint1-1 +msn.com##.river-background +msn.com##.views-right-rail-top-display +msn.com##.views-right-rail-top-display-ad +msn.com##.windowsBannerAdContainer-DS-EntryPoint1-1 +msn.com##[class^="articlePage_eoabContent"] +msn.com##[data-m*="Infopane_CMSBasicCardstore_article"] +msn.com##a[aria-label="AliExpress"] +msn.com##a[aria-label="Amazon Assistant"] +msn.com##a[aria-label="Amazon"] +msn.com##a[aria-label="Bol.com"] +msn.com##a[aria-label="Booking.com"] +msn.com##a[aria-label="Ricardo"] +msn.com##a[aria-label="Today's Deals"] +msn.com##a[aria-label="eBay"] +msn.com##a[href*=".booking.com/"] +msn.com##a[href*="/aff_m?offer_id="] +msn.com##a[href*="?sub_aff_id="] +msn.com##a[href="https://aka.ms/QVC"] +msn.com##a[href^="https://amzn.to/"] +msn.com##a[href^="https://clk.tradedoubler.com/click?"] +msn.com##a[href^="https://clkde.tradedoubler.com/click?"] +msn.com##a[href^="https://disneyplus.bn5x.net/"] +msn.com##a[href^="https://prf.hn/click/camref:"] +msn.com##a[href^="https://ww55.affinity.net/"] +msn.com##above-river-block +msn.com##cs-native-ad-card +msn.com##cs-native-ad-card-24 +msn.com##cs-native-ad-card-no-hover +msn.com##div[class^="articlePage_topBannerAdContainer_"] +msn.com##div[class^="galleryPage_bannerAd"] +msn.com##div[id^="nativeAd"] +msn.com##div[id^="watch-feed-native-ad-"] +msn.com##li[data-m*="NativeAdItem"] > a > * +msn.com##li[data-provider="gemini"] +msn.com##li[data-provider="outbrain"] +msn.com##msft-article-card[class=""] +msn.com##msft-content-card[data-t*="NativeAd"] +msn.com##msft-content-card[href^="https://api.taboola.com/"] +msn.com##msft-content-card[id^="contentcard_nativead-"] +msn.com##msn-info-pane-panel[id^="tab_panel_nativead-"] +msn.com##partner-upsell-card ! Bing -bing.com###b_results > li > ul > li > div > .b_caption -bing.com###b_results > li > ul > li > div > .b_vlist2col -bing.com###mm_pla -bing.com##.ad_cvr +bing.com###bepfo.popup[style^="visibility: visible"] bing.com##.ad_sc -bing.com##.b_mhdr -bing.com##.pa_carousel_mlo -bing.com##.pa_list_sbo +bing.com##.b_ad +bing.com##.b_adBottom +bing.com##.b_adLastChild +bing.com##.b_adPATitleBlock +bing.com##.b_spa_adblock +bing.com##.mapsTextAds +bing.com##.mma_il bing.com##.pa_sb -@@||bing.com/shop^$elemhide -@@||bing.com^$generichide -bing.com##a[data-uri^="https://www.bing.com/aclk?"] -bing.com##a[data-url^="https://www.bing.com/aclk?"] -bing.com##a[href^="https://www.bing.com/aclick?"] -bing.com##a[href^="https://www.bing.com/aclk?"] -bing.com#?##b_context > li + li :-abp-has(span.b_adSlug) -bing.com#?##b_results > li :-abp-has(span.b_aslcp) +bing.com##.productAd +bing.com##.text-ads-container +bing.com##[id$="adsMvCarousel"] +bing.com##a[href*="/aclick?ld="] +bing.com##cs-native-ad-card +bing.com##div[aria-label$="ProductAds"] +bing.com##div[class="ins_exp tds"] +bing.com##div[class="ins_exp vsp"] +bing.com##li[data-idx]:has(#mm-ebad) +! kayak +checkfelix.com,kayak.*,swoodoo.com###resultWrapper > div > div > [role="button"][tabindex="0"] > .yuAt-pres-rounded +checkfelix.com,kayak.*,swoodoo.com##.Dp1L +checkfelix.com,kayak.*,swoodoo.com##.ev1_-results-list > div > div > div > div.G-5c[role="tab"][tabindex="0"] > .yuAt-pres-rounded +checkfelix.com,kayak.*,swoodoo.com##.ev1_-results-list > div > div > div > div[data-resultid$="-sponsored"] +checkfelix.com,kayak.*,swoodoo.com##.EvBR +checkfelix.com,kayak.*,swoodoo.com##.IZSg-mod-banner +checkfelix.com,kayak.*,swoodoo.com##.J8jg:has(.J8jg-provider-ad-badge) +checkfelix.com,kayak.*,swoodoo.com##.nqHv-pres-three:has(div.nqHv-logo-ad-wrapper) +checkfelix.com,kayak.*,swoodoo.com##.resultsList > div > div > div > div.G-5c[role="tab"][tabindex="0"] > .yuAt-pres-rounded +checkfelix.com,kayak.*,swoodoo.com##.resultsList > div > div > div > div[data-resultid$="-sponsored"] +checkfelix.com,kayak.*,swoodoo.com##.YnaR +checkfelix.com,kayak.*,swoodoo.com##.zZcm-pres-three +checkfelix.com,kayak.*,swoodoo.com##div.PzK0-pres-default +checkfelix.com,kayak.*,swoodoo.com##div.YTRJ[role="button"][tabindex="0"] > .yuAt-pres-rounded +checkfelix.com,kayak.*,swoodoo.com##div[class$="-adWrapper"] +checkfelix.com,kayak.*,swoodoo.com##div[class*="-ad-card"] +checkfelix.com,kayak.*,swoodoo.com##div[class*="-adInner"] +checkfelix.com,kayak.*,swoodoo.com##div[data-resultid]:has(a.IZSg-adlink) +checkfelix.com,kayak.*,swoodoo.com##div[id^="inline-"] +! *** easylist:easylist/easylist_specific_hide_abp.txt *** +noon.com#?#.swiper-slide:-abp-contains(Sponsored) +tripadvisor.com#?#.AaFRW:-abp-contains(Sponsored) +shoprite.com##div[class^="Row"]:has(div[data-component] a[data-testid] picture source[media="(min-width: 1024px)"] + img[class*="ImageTextButtonImage"][src*=".jpg"]) +regexlearn.com#?#.w-full.mb-3:has(a[href="/learn/regex-for-seo"]) +kslnewsradio.com,ksltv.com,ktar.com#?#.wrapper:-abp-contains(Sponsored Articles) +shopee.sg#?#.shopee-search-item-result__item:-abp-contains(Ad) +shopee.sg#?#.shopee-header-section__content:-abp-contains(Ad) +kogan.com#?#.rs-infinite-scroll > div:-abp-contains(Sponsored) +kogan.com#?#._2EeeR:-abp-contains(Sponsored) +kogan.com#?#.slider-slide:-abp-contains(Sponsored) +euronews.com#?#.m-object:has(.m-object__quote:-abp-contains(/In partnership with|En partenariat avec|Mit Unterstützung von|In collaborazione con|En colaboración con|Em parceria com|Совместно с|ile birlikte|Σε συνεργασία με|Együttműködésben a|با همکاری|بالمشاركة مع/)) +nordstrom.com#?#ul[style^="padding: 0px; position: relative;"] > li[class]:-abp-contains(Sponsored) +loblaws.ca#?#[data-testid="product-grid"]>div:-abp-contains(Sponsored) +semafor.com#?#.suppress-rss:-abp-has(:-abp-contains(Supported by)) +atlanticsuperstore.ca,fortinos.ca,loblaws.ca,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#.chakra-container:-abp-contains(Sponsored) +shipt.com#?#li[class]:-abp-contains(Sponsored) +argos.co.uk#?#[data-test^="component-slider-slide-"]:-abp-contains(SPONSORED) +atlanticsuperstore.ca,fortinos.ca,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#[data-testid="card"]:-abp-contains(sponsored) +kijiji.ca#?#[data-testid^="listing-card-list-item-"]:-abp-contains(TOP AD) +atlanticsuperstore.ca,fortinos.ca,loblaws.ca,maxi.ca,newfoundlandgrocerystores.ca,nofrills.ca,provigo.ca,realcanadiansuperstore.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#.product-tile-group__list__item:-abp-contains(Sponsored) +coles.com.au#?#.coles-targeting-UnitContainer:has(ul.product__top_messaging) +dev.to#?#.crayons-card:-abp-has(.sponsorship-dropdown) +ulta.com#?#li.ProductListingResults__productCard:has(.ProductCard__badge:-abp-contains(Sponsored)) +leadership.ng#?#.jeg_postblock:-abp-contains(SPONSORED) +acmemarkets.com,albertsons.com,andronicos.com,carrsqc.com,haggen.com,jewelosco.com,kingsfoodmarkets.com,pavilions.com,randalls.com,safeway.com,shaws.com,starmarket.com,tomthumb.com,vons.com#?#.product-card-col:-abp-contains(Sponsored) +agoda.com#?#.PropertyCardItem:-abp-has(div:-abp-contains(Promoted)) +alibaba.com#?#.J-offer-wrapper:-abp-contains(Top sponsor listing) +aliexpress.com#?##card-list > .search-item-card-wrapper-gallery:-abp-has(a.search-card-item[href*="&aem_p4p_detail="] div[class*="cards--image--"] > div[class*="multi--ax--"]:-abp-contains(/^(?:AD|An[uú]ncio|광고|広告)$/)):-abp-has(+ .search-item-card-wrapper-gallery a.search-card-item:not([href*="&aem_p4p_detail="])) +app.daily.dev#?#article:-abp-contains(Promoted) +backpack.tf,backpacktf.com#?#.panel:-abp-contains(createAd) +belloflostsouls.net#?#span.text-secondary:-abp-contains(Advertisement) +cointelegraph.com#?#li.group-\[\.inline\]\:mb-8:-abp-contains(Ad) +scamwarners.com#?#center:-abp-contains(Advertisement) +infographicjournal.com#?#.et_pb_widget:-abp-contains(Partners) +infographicjournal.com#?#.et_pb_module:-abp-contains(Partners) +infographicjournal.com#?#.et_pb_module:-abp-contains(Partners) + .et_pb_module +telugupeople.com#?#table:-abp-has(> tbody > tr > td > a:-abp-contains(Advertisements)) +yelp.at,yelp.be,yelp.ca,yelp.ch,yelp.cl,yelp.co.jp,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.ar,yelp.com.au,yelp.com.br,yelp.com.hk,yelp.com.mx,yelp.com.ph,yelp.com.sg,yelp.com.tr,yelp.cz,yelp.de,yelp.dk,yelp.es,yelp.fi,yelp.fr,yelp.ie,yelp.it,yelp.my,yelp.nl,yelp.no,yelp.pl,yelp.pt,yelp.se#?#main[class^="searchResultsContainer"] li h2:-abp-contains(Sponsored) +bleepingcomputer.com#?#.post_wrap:-abp-contains(AdBot) +bolnews.com#?#[style*="center"]:-abp-contains(Ad) +booking.com#?#div[data-testid="property-card"]:-abp-has(span:-abp-contains(Promoted)) +yourstory.com#?#[width]:-abp-contains(ADVERTISEMENT) +boots.com#?#.oct-listers-hits__item:-abp-contains(Sponsored) +deccanherald.com#?#div:-abp-has(> div > .ad-background) +deccanherald.com#?#div[style^="min-height"]:-abp-has(> div > div[id*="-ad-separator"]) +qz.com#?#div[class^="sc-"]:-abp-has(> div[is="bulbs-dfp"]) +qz.com#?#div[class^="sc-"]:-abp-has(> div[class="ad-unit"]) +china.ahk.de#?#.b-main__section:-abp-has(h2.homepage-headline:-abp-contains(Advertisement)) +producthunt.com#?#.text-12:-abp-contains(Promoted) +cleantechnica.com#?#.zox-side-widget:-abp-contains(/^Advertis/) +mapchart.net#?#.row:-abp-contains(Advertisement) +coinlisting.info#?#.panel:-abp-has(h3:-abp-contains(Sponsored Ad)) +coolors.co#?#a:-abp-has(div:last-child:-abp-contains(Hide)) +neowin.net#?#.ipsColumns_collapsePhone.classes:-abp-contains(Our Sponsors) +amusingplanet.com#?#.blockTitle:-abp-contains(Advertisement) +corvetteblogger.com#?#aside.td_block_template_1.widget.widget_text:-abp-has(> h4.block-title > span:-abp-contains(Visit Our Sponsors)) +cruisecritic.co.uk,cruisecritic.com#?#div[role="group"]:-abp-contains(Sponsored) +deccanherald.com#?#div#container-text:-abp-contains(ADVERTISEMENT) +deccanherald.com#?#span.container-text:-abp-contains(ADVERTISEMENT) +decrypt.co#?#span:-abp-contains(AD) +digg.com#?#article.relative:-abp-has(div:-abp-contains(SPONSORED)) +eztv.tf,eztv.yt,123unblock.bar#?#tbody:-abp-contains(WARNING! Use a) +filehippo.com#?#article.card-article:-abp-has(span.card-article__author:-abp-contains(Sponsored Content)) +freshdirect.com#?#.swiper-slide:-abp-contains(Sponsored) +gamersnexus.net#?#.moduleContent:-abp-contains(Advertisement) +hannaford.com#?#.header-2:-abp-contains(Sponsored Suggestions) +heb.com#?#div[class^="sc-"]:-abp-has(> div[data-qe-id="productCard"]:-abp-contains(Promoted)) +instagram.com#?#div[style="max-height: inherit; max-width: inherit; display: none !important;"]:-abp-has(span:-abp-contains(Paid partnership with )) +instagram.com#?#div[style="max-height: inherit; max-width: inherit; display: none !important;"]:-abp-has(span:-abp-contains(Paid partnership)) +instagram.com#?#div[style="max-height: inherit; max-width: inherit;"]:-abp-has(span:-abp-contains(Paid partnership with )) +linkedin.com#?#.msg-overlay-list-bubble__conversations-list:-abp-contains(Sponsored) +linkedin.com#?#div.feed-shared-update-v2:-abp-has(span.update-components-actor__sub-description--tla:-abp-contains(/Anzeige|Sponsored|Promoted|Dipromosikan|Propagováno|Promoveret|Gesponsert|Promocionado|促銷內容|Post sponsorisé|프로모션|Post sponsorizzato|广告|プロモーション|Treść promowana|Patrocinado|Promovat|Продвигается|Marknadsfört|Nai-promote|ได้รับการโปรโมท|Öne çıkarılan içerik|Gepromoot|الترويج/)) +linkedin.com#?#div.feed-shared-update-v2:-abp-has(span.update-components-actor__description:-abp-contains(/Anzeige|Sponsored|Promoted|Dipromosikan|Propagováno|Promoveret|Gesponsert|Promocionado|促銷內容|Post sponsorisé|프로모션|Post sponsorizzato|广告|プロモーション|Treść promowana|Patrocinado|Promovat|Продвигается|Marknadsfört|Nai-promote|ได้รับการโปรโมท|Öne çıkarılan içerik|Gepromoot|الترويج/)) +linkedin.com#?#div.feed-shared-update-v2:-abp-has(span.update-components-actor__sub-description:-abp-contains(/Anzeige|Sponsored|Promoted|Dipromosikan|Propagováno|Promoveret|Gesponsert|Promocionado|促銷內容|Post sponsorisé|프로모션|Post sponsorizzato|广告|プロモーション|Treść promowana|Patrocinado|Promovat|Продвигается|Marknadsfört|Nai-promote|ได้รับการโปรโมท|Öne çıkarılan içerik|Gepromoot|الترويج/)) +loblaws.ca,provigo.ca,valumart.ca,yourindependentgrocer.ca,zehrs.ca#?#.chakra-container:-abp-contains(Featured Items) +lovenovels.net#?#center:-abp-contains(Advertisement) +modivo.it,modivo.pl,modivo.ro,modivo.cz,modivo.hu,modivo.bg,modivo.gr,modivo.de#?#.banner:-abp-contains(/Sponsorizzato|Sponsorowane|Sponsorizat|Sponzorováno|Szponzorált|Спонсорирани|Sponsored|Gesponsert/) +modivo.it,modivo.pl,modivo.ro,modivo.cz,modivo.hu,modivo.bg,modivo.gr,modivo.de#?#.product:-abp-contains(/Sponsorizzato|Sponsorowane|Sponsorizat|Sponzorováno|Szponzorált|Спонсорирани|Sponsored|Gesponsert/) +noelleeming.co.nz#?#div.product-tile:-abp-has(span:-abp-contains(Sponsored)) +noon.com#?#span[class*="productContaine"]:-abp-has(div:-abp-contains(Sponsored)) +nordstrom.com#?#article:has(.Yw5es:-abp-contains(Sponsored)) +petco.com#?#[class^="CitrusCatapult-styled__LeftContent"]:-abp-has(div:-abp-contains(Sponsored)) +petco.com#?#[class^="HorizontalWidget"]:-abp-has(div:-abp-contains(Sponsored)) +petco.com#?#li:-abp-contains(Sponsored) +bitchute.com#?#.row.justify-center:-abp-contains(Advertisement) +regex101.com#?#div > header + div > div + div:-abp-contains(Sponsors) +search.yahoo.com#?#div.mb-28:-abp-has(span:-abp-contains(Ads)) +seattleweekly.com#?#.marketplace-row:-abp-contains(Sponsored) +sephora.com#?#div[class^="css-"]:-abp-has(>a:-abp-has(span:-abp-contains(Sponsored))) +techonthenet.com#?#div[class] > p:-abp-contains(Advertisements) +dictionary.com,thesaurus.com#?#[class] > p:-abp-contains(Advertisement) +thesaurus.com#@#.SZjJlj7dd7R6mDTODwIT +shipt.com#?#div.swiper-slide:-abp-contains(Sponsored) +sprouts.com#?#li.product-wrapper:-abp-has(span:-abp-contains(Sponsored)) +target.com#?#.ProductRecsLink-sc-4mw94v-0:-abp-has(p:-abp-contains(sponsored)) +target.com#?#div[data-test="@web/ProductCard/ProductCardVariantAisle"]:-abp-contains(Sponsored) +target.com#?#div[data-test="@web/site-top-of-funnel/ProductCardWrapper"]:-abp-contains(sponsored) +tossinggames.com#?#tbody:-abp-contains(Please visit our below advertisers) +trends.gab.com#?#li.list-group-item:-abp-contains(Sponsored content) +tripadvisor.com#?#.cAWGu:-abp-has(a:-abp-contains(Similar Sponsored Properties)) +tripadvisor.com#?#.tkvEM:-abp-contains(Sponsored) +twitter.com,x.com#?#h2[role="heading"]:-abp-contains(/Promoted|Gesponsert|Promocionado|Sponsorisé|Sponsorizzato|Promowane|Promovido|Реклама|Uitgelicht|Sponsorlu|Promotert|Promoveret|Sponsrad|Mainostettu|Sponzorováno|Promovat|Ajánlott|Προωθημένο|Dipromosikan|Được quảng bá|推廣|推广|推薦|推荐|プロモーション|프로모션|ประชาสมพนธ|परचरत|বজঞপত|تشہیر شدہ|مروج|تبلیغی|מקודם/) +vofomovies.info#?#a13:-abp-contains( Ad) +walmart.ca,walmart.com#?#div > div[io-id]:-abp-contains(Sponsored) +! bing +bing.com#?#li.b_algo:has(.rms_img[src*="id=ODLS.A2450BEC-5595-40BA-9F13-D9EC6AB74B9F"]):has(.tptt:-abp-contains(/^(Amazon|Best Buy|Booking\.com|eBay|eDreams|Lenovo US|Trip\.com|Tripadvisor|Walmart)$/)) +! top-level domain wildcard +walmart.*#?#div > div[io-id]:-abp-contains(Sponsored) +! ABP CSS injection filters +euronews.com###o-site-hr__leaderboard-wallpaper.u-show-for-xlarge {remove:true;} +dailystar.co.uk##[data-testid="commercial-above-header-box-1"] {remove:true;} ! *** easylist:easylist_adult/adult_specific_hide.txt *** -ashemaletube.com###ASHM_imBox_Container -nudography.com###BannerContainer -porntack.com###BannerUnder -cam4.com###Cam4IMslider -starsex.pl###FLOW_frame -rule34hentai.net###Our_Partnersmain -thestranger.com###PersonalsScroller -privatehomeclips.com###Ssnw2ik -imagehaven.net###TransparentBlack -pornhd.xyz###Video_Oncesi_Reklam -namethatporn.com###a_block +virtuagirlgirls.com###DynamicBackgroundWrapper +porndr.com###PD-Under-player +deviants.com###_iframe_content swfchan.com###aaaa -youjizz.com###above-related -4tube.com###accBannerContainer03 -4tube.com###accBannerContainer04 -pornhub.com,tube8.com,youporn.com###access_container -cliphunter.com,isanyoneup.com,seochat.com###ad -pornhub.com###adA -pornhub.com###adB -ua-teens.com###ad_global_below_navbar -gaytube.com,pornomovies.com,turboimagehost.com,xvideos.com###ads +xnxx.com,xvideos.com###ad-footer +eporner.com###addesktop +javgg.net###adlink +eporner.com###admobileoutstream +tnaflix.com###ads-under-video_ +h-flash.com###ads_2 +badassbitch.pics###adv flyingjizz.com###adv_inplayer -hiddencamsvideo.com###advert -primejailbait.com###advertical -hairyclassic.com,qruq.com###advertisement -pornative.com###advertisers -orgyxxxhub.com###advobj -pornomovies.com###aff-aside -daporn.com###aff-banner -fleshbot.com###afleft -fleshbot.com###afright -xxxbunker.com###agePopup -imageporter.com###agebox -imagehaven.net###agreeCont -intporn.com###ajax_load_indicator -pornoitaliana.com,pornologo.com###alfa_promo_parent -redtube.com.br###as_131 -youjizz.com###baner_top -linkbucks.com###banner -designm.ag###banner-holder -vporn.com###banner-place -vporn.com###banner-small -dansmovies.com###banner4 -xxxbunker.com###bannerListBottom -xxxbunker.com###bannerListTop -debonairblog.com###banner_an -adultfriendfinder.com###banner_con -dansmovies.com,egbo.com,pervertslut.com###banner_video -namethatpornstar.com###bannercontainer -topescortbabes.com###banners -iafd.com###bantop -porndoe.com###below_player_zone +xpaja.net###advertisement +milffox.com###advertising +instantfap.com###af +pervclips.com###after-adv +cockdude.com###after-boxes-ver2 +str8ongay.com###alfa_promo_parent +sunporno.com###atop +literotica.com###b-top +thehentai.net###balaoAdDireito +massfans.cc,massrips.cc###banner +pornchimp.com###banner-container +massfans.cc,massrips.cc###banner2 +massfans.cc,massrips.cc###banner4 +filtercams.com###bannerFC +cuntest.net###banners +fakings.com,nigged.com###banners_footer +pornstargold.com###basePopping +lewdspot.com,mopoga.com###belowGameAdContainerPause +cockdude.com###beside-video-ver2 sexyandfunny.com###best-friends -namethatporn.com###bfda -desktopangels.net###bg_tab_container -pornflex53.com###bigbox_adv -xxxbunker.com###blackout -xcum.com###block-adv -anyporn.com###block-ffb -upornia.com###bns -chaturbate.com###botright -porntube.com###bottomBanner -xxxbunker.com###bottomBanners -wankerhut.com###bottom_adv -fuckme.me###bottom_warning -watchindianporn.net###boxban2 -fastpic.ru###brnd -fastpic.ru###brnd-footer -befuck.com,hotshame.com,pinkrod.com,pornoid.com,thenewporn.com,updatetube.com,wetplace.com###c2p -dachix.com,dagay.com###cams -deviantclip.com###cams_ajax -hdzog.com###channel-banner -xvideos.com###channel_banner -24porn7.com###closeSyntax_adpB -drtuber.com###close_bottom_banner -thestranger.com###communityScroller -trovaporno.com###corpo_video_sponsor -playpornfree.org###custom_html-2 -ultrahorny.com###desktop -youjizz.com###desktopRecommendedPr -blackandrose.net###disclaimer -theync.com###divYNC-RC-BotAd -theync.com###divYNC-RC-TopAd -theync.com###divYNCFootAdHolder -theync.com###divYNCFooterAdsWrapper -theync.com###divYNCHeadAdHolder -theync.com###divYNCVidPageAboveAdWrapper -theync.com###divYNCVidPageBelowAdWrapper -theync.com###divYNCVidPageBotAdWrapper -theync.com###divYNCVidPageTopAdsWrapper -celeb.gate.cc###div_alert -celeb.gate.cc###div_alternative -dojki.com###dosug -xaxtube.com###download -dominationtube.com###download-bar -anyvids.com###eapromo -adultdvdtalk.com###enter_overlay -crazyhomesex.com,deliciousmovies.com,imgflare.com,momisnaked.com,momsteachboys.com,momsxboys.com,sex-movies.cc,topamateursexvideos.com###fadeinbox -pornday.org,yporn.tv###featured -imagetwist.com###firopage -be3x.com###fl813695 -sexyclips.org###flash -loadsofpics.com###floatdiv -sex.com###floater_button -milffox.com###fltd -monstertube.com,youjizz.com###footer -youjizz.com###footer-block -extremetube.com###footerWhole -burningcamel.com###fp_promo -adultfriendfinder.com###free_chat_models -efukt.com###friends -homemoviestube.com###friendscontents -netasdesalim.com###frutuante -mansurfer.com###gayporn -cantoot.com###googlebox -pornhub.com###hd-rightColVideoPage > div[class]:first-child -pornhub.com###hd-rightColVideoPage [style="float: inherit;"] +pussyspace.com###bhcr +euroxxx.net###block-15 +hentaiprn.com###block-27 +jav-jp.com###block-29 +toppixxx.com###bottom +xxxdan.com,xxxdan3.com###bottom-line +hentaiasmr.moe###bottom-tab +hentaidude.com###box-canai +cockdude.com###box-txtovka-con +eporner.com###btasd +pornstar-scenes.com###chatCamAjaxV0 +heavy-r.com###closeable_widget +sexu.site###closeplay +anysex.com###content > .main > .content_right +imagebam.com###cs-link +hentaiprn.com###custom_html-19 +celebritymovieblog.com,interracial-girls.com###custom_html-2 +watchjavonline.com###custom_html-3 +zhentube.com###custom_html-38 +dpfantasy.org,hotcelebshome.com###custom_html-4 +hentai7.top###custom_html-6 +javgg.co###custom_html-7 +pictoa.com###d-zone-1 +eporner.com###deskadmiddle +cdnm4m.nl###directAds +hentai-cosplays.com,hentai-img.com###display_image_detail > span +javguard.xyz###dl > a[target="_blank"][id] +thehun.net###dyk_right +escortbook.com###ebsponAxDS +jzzo.com,xxxvogue.net###embed-overlay +youjizz.com###englishPr +porntrex.com###exclusive-link +china-tube.site###extraWrapOverAd +namethatporn.com###fab_blacko +dailyporn.club###fixedban +212.32.226.234###floatcenter +anysex.com###fluid_theatre > .center +pussy.org###footZones +youjizz.com###footer +sunporno.com###footer_a +mopoga.com###fpGMcontainer +girlsofdesire.org###gal_669 +perfectgirls.net###hat_message +yourlust.com###headC nangaspace.com###header -freepornvs.com###header > h1 > .buttons aan.xxx###header-banner youtubelike.com###header-top -cam4.com###headerBanner -spankwire.com###headerContainer -xaxtube.com###header_banner_1 -xaxtube.com###header_banner_2 -phonedog.com###headerboard -dumpaporn.com###headerbottom -todaysparent.com###hearst -bonecasxxx.com###highlights -prettyhotandsexy.sk###home-insert-1 -fapdu.com###home_300_250 -realgfporn.com###iknow -tnaflix.com###imfb -pornxs.com###imff -girlfriendvideos.com,pornxs.com###imfloat +manga-miz.vy1.click###header_banner +pornpics.network###hidden +javhd.today###ics +porngameshub.com###im-container guyswithiphones.com###imglist > .noshadow -pornhd.com###inVideoZone -gotgayporn.com###index4x4ad -pornxs.com###initR4Box -pornxs.com###initialize4Box -pornxs.com###initialize4d -imageporter.com###interVeil -sex.com###interWrapper -rampant.tv###interesting-bar -freebunker.com,imagesnake.com,imgcarry.com,loadsofpics.com,pornbus.org###introOverlayBg -porn18sex.com###invideo -sex2ube.com###jFlowSlide -anysex.com###kt_b -extremetube.com###leaderBoard -perfectgirls.net,postyourpuss.com###leaderboard -imagetwist.com###left[align="center"] > center > a[target="_blank"] -collegegrad.com###leftquad -dachix.com###link-buttons -faapy.com###link_bottom -alysa.xxx###links -suicidegirls.com###livetourbanner +mopoga.com###inTextAdContainerPause +maturesladies.com###inVideoInner +aniporn.com###in_v +hotmovs.com###in_va +youngamateursporn.com###inplayer_block +imgcarry.com,pornbus.org###introOverlayBg +hentaiprn.com###l_340 +pornlib.com###lcams2 +escortbook.com###links +xfantasy.su###listing-ba +livecamrips.com###live-cam +redtube.com###live_models_row_wrap bootyoftheday.co###lj -imghost.us.to###lj_livecams -5ilthy.com###ltas_overlay_unvalid -ynot.com###lw-bannertop728 -ynot.com###lw-top -4tube.com###main-banner-grid -pornhub.com###main-container > [id] > [class]:first-child -news.com.au###match-widget -xred2.com###mbEnd -5ilthy.com,cockcheese.com,gfssex.com###mediaspace -hotmovs.com,upornia.com###mjs-undervideo +maturetubehere.com###lotal +4tube.com###main-jessy-grid +anysex.com,jizzberry.com###main_video_fluid_html_on_pause +peekvids.com###mediaPlayerBanner +pornvalleymedia.net###media_image-81 +pornvalleymedia.net###media_image-82 +pornvalleymedia.net###media_image-83 +pornvalleymedia.net###media_image-84 +pornvalleymedia.net###media_image-86 +pornvalleymedia.net###media_image-87 +pornvalleymedia.net###media_image-88 +pornvalleymedia.net###media_image-90 +vpornvideos.com###mn-container gifsfor.com###mob_banner -adultfriendfinder.com###mod -youporn.com,youporngay.com###moreVideosTabview3 -askjolene.com###more_from_this -protectlinks.com###mouselayer -animeidhentai.com###myDIV2 -alotporn.com,flashx.tv,myfreeblack.com###nuevoa -ma3comic.com###omad -newverhost.com###onload -newverhost.com###onload-main -newverhost.com###onload-overlay -deviantclip.com###overlay -bitchcrawler.com###overlay1 -imagetwist.com,imagevenue.com,intporn.com###overlayBg -heavy-r.com,vidiload.com###overlayVid -videos.com###pToolbar -jizzhut.com###pagetitle -wide6.com###partner -gamcore.com,pimpyporn.com,wide6.com###partners -namethatporn.com###parto_block -beardedperv.com###pauseRoll -extremetube.com,mofosex.com,redtube.com,redtube.com.br,spankwire.com,youporngay.com###pb_block -pornhub-com.appspot.com,pornhub.com,pornhub.net,tube8.com,youporn.com###pb_template -youpornru.com###pbs_block -youporn.com###personalizedHomePage > div:nth-child(2) -namethatporn.com###pinnu_blacko -dbnaked.com###play-video-box -pornhub.com###player + [id][class] -pornhub.com###player + div + div[style] -pornhub.com###player + div[style] -smut6.com###player-banner -megatube.xxx###player-pop-layer -ultrahorny.com###player12 -hentai2w.com,ultrahorny.com,xxxkingtube.com###playerOverlay -hdbraze.com###player_adv_pause -hdbraze.com###player_adv_start -alotporn.com###playeradv -txxx.com###playvideot -pornxs.com###pointearn_modal -depic.me###popup_div -imagehaven.net###popwin +fetishshrine.com###mobile-under-player +whentai.com###modalegames +eporner.com###movieplayer-box-adv +cockdude.com###native-boxes-2-ver2 +amateur8.com,maturetubehere.com###nopp +flashx.tv,xrares.com###nuevoa +scrolller.com###object_container +youjizz.com###onPausePrOverlay +alldeepfake.ink,hentaimama.io,underhentai.net,watchhentai.net###overlay +porn300.com,porndroids.com###overlay-video +22pixx.xyz,imagevenue.com###overlayBg +hentaiff.com###overplay +video.laxd.com###owDmcIsUc +jzzo.com,xxxvogue.net###parrot +nudevista.at,nudevista.com###paysite +redtube.com,redtube.com.br,redtube.net,youporngay.com###pb_block +pornhub-com.appspot.com,pornhub.com,pornhub.net,youporn.com###pb_template +youporngay.com###pbs_block +ggjav.com,ggjav.tv###pc_instant +pornx.to###player-api-over +hentai2w.com,iporntoo.com,tsmodelstube.com,xhentai.tv###playerOverlay +ebony8.com,lesbian8.com,maturetubehere.com###player_add +redtube.com###popsByTrafficJunky +javtrailers.com###popunderLinkkkk +pornstargold.com###popup +jav321.com###popup-container sextvx.com###porntube_hor_bottom_ads -sextvx.com###porntube_hor_top_ads -beardedperv.com###postRoll -xtube.com###postrollContainer -kaktuz.com###postroller -imagepost.com###potd -beardedperv.com,daporn.com###preRoll -eroclip.mobi,fuqer.com###premium -fapxl.com,javtitan.com###preroll -crazyshit.com###pro_tip -youporn.com,youporngay.com###producer -porn.com###promo -redtube.com###puBody -drtuber.com,nuvid.com,proporn.com,viptube.com###puFloatDiv -foxtube.com###pub-container -hd-porn.me###publicidad-videoancho -xvideoslatino.com###publicidadlateral1 -xvideoslatino.com###publicidadlateral2 +thejavmost.com###poster +katestube.com###pre-block +sleazyneasy.com###pre-spots +mopoga.com###preGamescontainer +javtitan.com,thejavmost.com,tojav.net###preroll +alotav.com,javbraze.com,javdoe.fun,javdoe.sh,javhat.tv,javhd.today,javseen.tv,javtape.site###previewBox +youporngay.com###producer +xvideos.name###publicidad-video celebjihad.com###pud -pussy.org###pussyhbanner -pussy.org###pussytextlinks -ma3comic.com###pxhead -javhub.net###r18 -javhub.net###r18_banner bootyoftheday.co###random-div-wrapper -flurl.com###rectbanner -yourlust.com###relatedBanner -xxxymovies.com###reltabContent -youjizz.com###right-tower -tnaflix.com###rightPromo -homemoviestube.com###right_out +cockdude.com###related-boxes-footer-ver2 +pornhub.com###relatedVideosCenter > li[class^="related"] +freebdsmxxx.org###right +lewdspot.com###rightSidebarAdContainerPause +youjizz.com###rightVideoPrs +sexuhot.com###right_div_1 +sexuhot.com###right_div_2 badjojo.com###rightcol -nonktube.com###second +onlyporn.tube,porntop.com###s-suggesters +homemade.xxx###scrollhere sexyandfunny.com###sexy-links -pornmaturetube.com###show_adv -retrovidz.com###showimage -shesocrazy.com###sideBarsMiddle -shesocrazy.com###sideBarsTop -pornday.org###side_subscribe_extra -spankwire.com###sidebar -imageporter.com###six_ban -flurl.com###skybanner -io9.com,postyourpuss.com###skyscraper -imagedax.net,imagedunk.com,imageporter.com###slashpage -free-celebrity-tube.com###slide_up2 +spankbang.com###shorts-frame +javtiful.com###showerm +3movs.com###side_col_video_view +fc2covid.com###sidebar > .widget_block +vndevtop.com###sidebar_right +pornhub.com###singleFeedSection > .emptyBlockSpace +adult-sex-games.com###skyscraper +adultgamesworld.com###slideApple +hentaifox.com###slider +javfor.tv###smac12403o0 xbooru.com,xxxymovies.com###smb -fantasti.cc###smutty_widget -porn.com###sp -kindgirls.com###spon -hiddencamshots.com,porn.com###sponsor -megatube.xxx###sponsor-sticker -dagay.com###sponsor-video-media -dagay.com###sponsor_video_pub +instawank.com###snackbar +hd-easyporn.com###special_column +megatube.xxx###sponsor-widget flingtube.com###sponsoredBy -hiddencamshots.com###sponsors w3avenue.com###sponsorsbox +hd21.com,winporn.com###spot_video_livecams +hd21.com,winporn.com###spot_video_underplayer_livecams +xnxxporn.video###spotholder maxjizztube.com,yteenporn.com###spotxt -xxxbunker.com###ssLeft -xxxbunker.com###ssRight -gotgayporn.com,motherless.com###ss_bar -wikiporno.org###sticky-footer -hot-jav.com###stop -hclips.com,privatehomeclips.com###stopImapwUx -privatehomeclips.com###stopVAD -cam4.be,cam4.com###subfoot -porn300.com###tabcams-desk -adultfyi.com###table18 -xtube.com###tabs -jav4.me,videowood.tv###tbl1 -fapgames.com###the720x90-spot -filhadaputa.tv###thumb[width="959"] -mansurfer.com###top-ban -hiddencamshots.com###top-banner -bitporno.sx###top350 -bitporno.sx###top350b -nude.hu###topPartners -extremetube.com###topRightsquare -xhamster.com###top_player_adv -allureamateurs.net,mataporno.com,sexmummy.com,sopervinhas.net,teenwantme.com,worldgatas.com,xpg.com.br###topbar -gifsfor.com###topbar1 -namethatpornstar.com###topphotocontainer +gotgayporn.com###ss_bar +oldies.name###stop_ad2 +trannyvideosxxx.com###text-2 +yaoimangaonline.com###text-28 +hentaimama.io###text-3 +hentaimama.io,leaktape.com###text-5 +theboobsblog.com###text-74 +hentai-sharing.net###text-9 +theboobsblog.com###text-94 +allureamateurs.net,sexmummy.com###topbar +ohentai.org###topdetailad motherless.com###topsites -babe.today###toptab -askjolene.com###tourpage -pornhyve.com###towerbanner -pervclips.com###tube_ad_category -creampietubeporn.com,fullxxxtube.com,gallsin.xxx,xxxxsextube.com,yourdarkdesires.com###ubr -txxx.com###under-pla -hclips.com###underplayer-vda -usatoday.com###usat_PosterBlog +pussycatxx.com,zhentube.com###tracking-url +creampietubeporn.com,fullxxxtube.com###ubr +hd-easyporn.com###udwysI3c7p +usasexguide.nl###uiISGAdFooter +aniporn.com###und_ban +pervclips.com###under-video +wetpussygames.com###under728 +fakings.com###undervideo +kisscos.net###v-overlay homemoviestube.com###v_right -stileproject.com###va1 -stileproject.com###va2 -stileproject.com###va3 -stileproject.com###va4 -stileproject.com###va5 -stileproject.com###va6 -stileproject.com###va7 -stileproject.com###va8 -motherless.com###vid-overlay -vporn.com###video-banner -teenist.com###video-bottom-right +xvideos.com###video-right xvideos.com###video-sponsor-links -youporn.com###videoCanvas > .grid_5[style="height: 455px;"] -sunporno.com###videoContainer_DarkBg -sunporno.com###videoContainer_atv -sunporno.com###videoContainer_bg -sunporno.com###videoContainer_pop -spankwire.com###videoCounterStraight -extremetube.com###videoPageObject -porndoo.com###videoTr -youporn.com###videoWrapper + div[style] -bangyoulater.com###video_ad -pornvideoscout.com,xsharebox.com###video_cover -tube8.com###video_left_message +javtrailers.com###videoPlayerContainer a[target="_blank"] drtuber.com###video_list_banner -adultfriendfinder.com###video_main_cams -pornhyve.com###videobanners -rextube.com###videoright -pervclips.com,pornicom.com,wankoz.com###view_video_ad -pornhub.com###views_left -tjoob.com###viewvidright -thisav.com###vjs-banner-container -mofosex.com###vjs-inplayer-overlay -matureworld.ws###vote_popup -adultfriendfinder.com###vp_left -extremetube.com###whole -xvideos.com###x-messages-btn -mrstiff.com###xdv-preroll -yespornplease.com###xxas -porntack.com##.Banner -indianporntube.xxx##.Dvr300 -indianbfvideos.com##.MFOO -ziporn.com##.RightBoxMain -ziporn.com##.RightRefBoxMain -porntack.com##.TopBannerCon -motherless.com##._ln-floater -extremetube.com##._mapm_link_local_sex -extremetube.com##._mapm_link_phone_sex -extremetube.com##._mapm_link_premium -seductivetease.com##.a-center -porndoe.com##.a-container -heavy-r.com##.a-d-holder -de-sexy-tube.ru##.aBlock -porn.com##.aRight -pornvideofile.com##.aWrapper -fooktube.com##.aa -porn300.com##.aan -porn300.com##.aan__video-units -bravotube.net##.abbs -vrsmash.com##.abovePlayer -celebspank.com,chaturbate.com,cliphunter.com,gamcore.com,playboy.com,pornhub.com,rampant.tv,sex.com,signbucks.com,tehvids.com,uflash.tv,wankoz.com,xcafe.com##.ad -extremetube.com,pornhugo.com##.ad-container -pornhub.com##.ad-link + table -milfzr.com##.ad-widget > a -celebspank.com##.ad1 -pornhub.com,redtube.net,xtube.com##.adContainer -cumsearcher.com##.adb -cumsearcher.com##.adb-right -ceporn.net,pornoxo.com##.adblock -xxxkingtube.com##.adbox -xxxfuel.com##.adcontainer -katestube.com##.add +dofap.com###video_overlay_banner +hentaiplay.net###video_overlays +redtube.com###video_right_col > .clearfix +gosexpod.com###xtw +porndroids.com##.CDjtesb7pU__video-units +bellesa.co##.Display__RatioOuter-hkc90m-0 +beeg.com##.GreyFox +redgifs.com##.InfoBar +topinsearch.com##.TelkiTeasersBlock +hentaivideo.tube##.UVPAnnotationJavascriptNormal +xtube.com##.ZBTBTTr93ez9.ktZk9knDKFfB +porndoe.com##.\-f-banners +xhamster.com##._029ef-containerBottomSpot +xhamster.com##._80e65-containerBottomSpot +xhamster.com##._80e65-containerPauseSpot +tubepornclassic.com##.___it0h1l3u2se2lo +pichunter.com##.__autofooterwidth +txxx.com##._ccw-wrapper +ukadultzone.com##.a--d-slot +sunporno.com##.a-block +pornsos.com##.a-box +7mm001.com,7mmtv.sx##.a-d-block +porngem.com,uiporn.com##.a-d-v +bravoteens.com##.a352 +china-tubex.site,de-sexy-tube.ru##.aBlock +namethatporn.com##.a_br_b +upornia.com##.aa_label +namethatporn.com##.aaaabr +pimpandhost.com##.aaablock_yes +pimpandhost.com##.ablock_yes +pornx.to##.above-single-player +cambb.xxx,chaturbate.com,dlgal.com,playboy.com,rampant.tv,sex.com,signbucks.com,tallermaintenancar.com,tehvids.com,thehentaiworld.com,thehun.net,tiktits.com,uflash.tv,xcafe.com##.ad +x13x.space##.ad-banner +coomer.su,kemono.su,pics-x.com,pinflix.com,sdhentai.com,urlgalleries.net##.ad-container +xnxx.com##.ad-footer +javur.com##.ad-h250 +gay.bingo##.ad-w +xtube.com##.adContainer +boyfriendtv.com##.adblock +iporntoo.com##.adbox-inner +ftopx.com##.add-block sex3.com##.add-box -perfectgirls.net##.additional-block-bg -hentaistream.com##.adds -yourdarkdesires.com##.adequate > .pleasant -pinflix.com##.adhesion-zone -adultbox.eu,bangyoulater.com,beemtube.com,cam4.com,djs-teens.net,femdom-fetish-tube.com,free-celebrity-tube.com,glarysoft.com,gosexy.mobi,hdporn.in,mobilepornmovies.com,onlyhot.biz,pichunter.com,pornshaft.com,porntalk.com,pornxs.com,ratemypeach.com,thisav.com,youporn.com##.ads -myfreeblack.com##.ads-player -anyporn.com,badteencam.com,cutepornvideos.com,faapy.com,famouspornstarstube.com,hdporntube.xxx,lustypuppy.com,mrstiff.com,pervertslut.com,pixhub.eu,pornfreebies.com,pornoreino.com,shameless.com,smut6.com,tubedupe.com,tubepornclassic.com,vporn.com,watchteencam.com,webanddesigners.com,youngartmodels.net##.adv -txxx.com##.adv-desk-list -hdzog.com##.adv-thumbs -freexcafe.com##.adv1 -anysex.com,hclips.com,privatehomeclips.com##.adv_block -mygirlfriendvids.net,wastedamateurs.com##.advblock -megatube.xxx,porn.hu,sunporno.com##.advert -fakku.net,flyingjizz.com,gotporn.com,perfectgirls.net,pornmd.com,porntube.com,xtube.com,youporn.com,youporngay.com##.advertisement -alphaporno.com,bravotube.net,myxvids.com,privatehomeclips.com,sleazyneasy.com,tubewolf.com,xxxhdd.com##.advertising +playvids.com##.add_href_jsclick +4kporn.xxx,babesandstars.com,cam-video.xxx,crazyporn.xxx,cumlouder.com,gosexy.mobi,hoes.tube,hog.tv,javcl.com,javseen.tv,kartavarna.com,love4porn.com,marawaresearch.com,mobilepornmovies.com,mypornstarbook.net,pichunter.com##.ads +pornx.to##.ads-above-single-player +video.laxd.com##.ads-container +cumlouder.com##.ads__block +porn87.com##.ads_desktop +tube8.com,tube8.es,tube8.fr##.adsbytrafficjunky +pornpics.com,pornpics.de##.adss-rel +androidadult.com##.adswait +crazyporn.xxx##.adswarning +hipsternudes.com##.adultfriendfinder-block +anyporn.com,cartoon-sex.tv,oncam.me,pervertslut.com,theyarehuge.com,tiktits.com,webanddesigners.com##.adv +uiporn.com##.adv-in-video +sex3.com##.adv-leftside +roleplayers.co##.adv-wrap +gay.bingo##.adv-wrapper +freebdsmxxx.org##.adv315 +perfectgirls.net##.adv_block +alohatube.com,reddflix.com##.advbox +alohatube.com##.advboxemb +ftopx.com,gayboystube.com,gayporntube.com,hungangels.com##.advert +cumlouder.com,flyingjizz.com,gotporn.com,japan-whores.com,porntube.com##.advertisement +katestube.com,sleazyneasy.com,vikiporn.com,wankoz.com##.advertising +javcab.com##.advt-spot +adultfilmindex.com##.aebn +porngals4.com##.afb0 +porngals4.com##.afb1 +porngals4.com##.afb2 hentai2w.com##.aff-col -fapdu.com##.aff300 +hentai2w.com##.aff-content-col porngals4.com##.affl -redtube.com##.after-header -bestgore.com##.ai-viewport-1 -bestgore.com##.ai-viewport-2 -askjolene.com##.aj_lbanner_container -megatube.xxx##.alert-panel -ah-me.com,befuck.com,pornoid.com,sunporno.com,thenewporn.com,twilightsex.com,updatetube.com,videoshome.com,xxxvogue.net##.allIM -pinkrod.com,pornsharing.com,wetplace.com##.allIMwindow -hotmovs.com##.annoying-container -1loop.com##.asblock -playvids.com##.aside-emb -pornfun.com##.aside-spots -sunporno.com##.atv-block +cockdude.com##.after-boxes-ver2 +hentaidude.xxx##.ai_widget +hentai2read.com##.alert-danger +dvdgayonline.com##.aligncenter +lewdzone.com##.alnk +punishworld.com##.alrt-ver2 +freeadultcomix.com##.anuncios +hotmovs.com##.app-banners +hotmovs.tube##.app-banners__wrapper +fuqer.com##.area +sextb.net##.asg-overlay +hobby.porn##.asg-vast-overlay +porndictator.com,submityourflicks.com##.aside > div +str8ongay.com##.aside-itempage-col +ad69.com##.aside-section +sexvid.pro##.aside_thumbs +hd21.com##.aside_video +babepump.com,fapnfuck.com,fuqster.com,onlyppv.com,povxl.com,sexpester.com,thotcity.su,w1mp.com,w4nkr.com,xmateur.com##.asside-link +veev.to##.avb-active +avn.com##.avn-article-tower mrskin.com##.az -gayporno.fm##.b-banners-column -onlydudes.tv##.b-below-video -onlydudes.tv##.b-mobile-spots-wrap -onlydudes.tv##.b-randoms-col -onlydudes.tv##.b-side-info -onlydudes.tv##.b-uvb-spot -fuqer.com##.b300x250 -porndoo.com##.bAd -redtube.com##.babyblue -dbnaked.com##.ban-link -devatube.com##.ban-list -analpornpix.com##.ban_list -gayboystube.com##.bancentr -fux.com##.baner-column -xchimp.com##.bannadd -4tube.com,analpornpix.com,chaturbate.com,dansmovies.com,fboomporn.com,fecaltube.com,gaytube.com,hotmovs.com,imageporter.com,imagezog.com,myxvids.com,paradisehill.cc,playvid.com,playvids.com,pornflip.com,pornhub.com,pornoreino.com,private.com,upornia.com,vid2c.com,vidxnet.com,vjav.com,wanknews.com,watchhentaivideo.com,waybig.com,xbabe.com,xhamster.com,yourdailygirls.com##.banner -watchindianporn.net##.banner-1 -hd-porn.me##.banner-actions -adultpornvideox.com,jojobaa.net##.banner-box -tube8.com,xhamster.com##.banner-container -4tube.com,fux.com,porntube.com##.banner-frame +fapeza.com##.azz_div +gayporno.fm##.b-content__aside-head +onlydudes.tv##.b-footer-place +onlydudes.tv##.b-side-col +japan-whores.com##.b-sidebar +rat.xxx##.b-spot +me-gay.com,redporn.porn##.b-uvb-spot +buondua.com##.b1a05af5ade94f4004a7f9ca27d9eeffb +buondua.com##.b2b4677020d78f744449757a8d9e94f28 +pornburst.xxx##.b44nn3rss +buondua.com##.b489c672a2974fbd73005051bdd17551f +dofap.com##.b_videobot +justpicsplease.com,xfantasy.su##.ba +dominationworld.com,femdomzzz.com##.ban-tezf +pornburst.xxx##.bann3rss +18teensex.tv,3movs.xxx,adultdeepfakes.com,amamilf.com,amateurelders.com,babesmachine.com,chaturbate.com,fboomporn.com,freepornpicss.com,gramateurs.com,grannarium.com,happysex.ch,hiddenhomemade.com,imagezog.com,its.porn,kawaiihentai.com,legalporn4k.com,lyama.net,maturator.com,milffox.com,oldgf.com,oldies.name,paradisehill.cc,player3x.xyz,playporngames.com,playsexgames.xxx,playvids.com,porngames.com,private.com,submittedgf.com,teenextrem.com,video.laxd.com,vidxnet.com,vikiporn.com,vjav.com,wankerson.com,watchhentaivideo.com,waybig.com,xanalsex.com,xbabe.com,xcum.com,xgrannypics.com,xnudepics.com,xpornophotos.com,xpornopics.com,xpornpix.com,xpussypics.com,xwifepics.com,xxxpornpix.com,youcanfaptothis.com,yourdailygirls.com,youx.xxx##.banner +highporn.net##.banner-a +javfor.tv##.banner-c +ero-anime.website,jav.guru##.banner-container +cumlouder.com##.banner-frame +grannymommy.com##.banner-on-player +freeones.com##.banner-placeholder +javynow.com##.banner-player babesandstars.com##.banner-right -watchindianporn.net##.banner-vid -pornoeggs.com##.banner-videos -vporn.com##.banner-wrapper -perfectgirls.net##.banner-wrapper-static -celebritymovieblog.com##.banner700 +javfor.tv##.banner-top-b +jav.guru##.banner-widget +ok.xxx,pornhat.com##.banner-wrap-desk +perfectgirls.net##.banner-wrapper +tnaflix.com##.bannerBlock watchhentaivideo.com##.bannerBottom -4tube.com,empflix.com,tnaflix.com##.bannerContainer -4tube.com##.banner_btn -galleries-pornstar.com##.banner_list -penthouse.com##.banner_livechat -yourlust.com##.banner_right -freeporn.com##.bannercube -xfanz.com##.bannerframe -thehun.net##.bannerhorizontal -beardedperv.com,chubby-ocean.com,cumlouder.com,grandpaporntube.net,sexu.com,skankhunter.com##.banners -isanyoneup.com##.banners-125 -porntubevidz.com##.banners-area -vid2c.com##.banners-aside +pornshare.biz##.banner_1 +pornshare.biz##.banner_2 +pornshare.biz##.banner_3 +4pig.com##.banner_page_right +yourlust.com##.banner_right_bottoms +camporn.to,camseek.tv,camstreams.tv,eurogirlsescort.com,sexu.com##.banners +xxxvogue.net##.banners-container bubbaporn.com,kalporn.com,koloporno.com,pornodingue.com,pornodoido.com,pornozot.com,serviporno.com,voglioporno.com##.banners-footer +paradisehill.cc##.banners3 paradisehill.cc##.banners4 -5ilthy.com##.bannerside -sexoncube.com##.bannerspot-index -thehun.net##.bannervertical ratemymelons.com##.bannus -porn.com##.bd -redtube.com##.before-footer -redtube.com##.belowVideo -tnaflix.com##.bgDecor -eskimotube.com,tjoob.com##.bg_banner_l -eskimotube.com,tjoob.com##.bg_banner_r -fantasti.cc##.big-banner -bangyoulater.com##.big-box-border -tub99.com##.bigimg2 -drtuber.com##.bl[style="height: auto;"] -twilightsex.com##.bl_b_l -wauporn.com##.block-300x250-mega -hdzog.com##.block-advertise -japan-whores.com,xcum.com##.block-banners -anyporn.com##.block-btm -hdzog.com##.block-showtime -hdzog.com##.block-showtime-two -youx.xxx##.block-sites -thenude.eu##.blockBnr -thenude.eu##.blockBnrCenter -tube8.com##.block_02_right -porn.com,pornhat.com##.bn -anysex.com,xcafe.com##.bnr -pornhat.com##.bns-bl +fapello.com##.barbie_desktop +fapello.com##.barbie_mobile +yourdarkdesires.com##.battery +fap18.net,fuck55.net,tube.ac,tube.bz##.bb_desktop +mofosex.net##.bb_show_5 +hotcelebshome.com##.bcpsttl_name_listing +ok.xxx,pornhat.com##.before-player +porndoe.com##.below-video +cockdude.com##.beside-video-ver2 +wapbold.com,wapbold.net##.bhor-box +hqporner.com##.black_friday +babestare.com##.block +alphaporno.com,tubewolf.com##.block-banner +urgayporn.com##.block-banvert +xxbrits.com##.block-offer +3prn.com##.block-video-aside +escortnews.eu,topescort.com##.blogBanners +blogvporn.com##.blue-btns +xtube.com##.bm6LRcdKEZAE +smutty.com##.bms_slider_div +ok.porn,pornhat.com##.bn +ok.xxx##.bn-title +xbabe.com##.bnnrs-aside +alphaporno.com,crocotube.com,hellporno.com,tubewolf.com,xbabe.com,xcum.com##.bnnrs-player +pornogratisdiario.com,xcafe.com##.bnr +porngames.games##.bnr-side +ok.porn,ok.xxx,oldmaturemilf.com,pornhat.com,pornyoungtube.tv##.bns-bl +sexsbarrel.com,zingyporntube.com##.bns-place-ob xnxxvideoporn.com##.bot_bns -streamsexclips.com,tubesexclips.com,tubesexmovies.com##.botban -anyporn.com,home-made-videos.com,pervertslut.com,xozilla.com##.bottom-adv -fux.com##.bottom-baner -xbabe.com,yumymilf.com##.bottom-banner -pornoeggs.com##.bottom-banner-templ -playvid.com##.bottom-banners -letmejerk.com##.bottom-blocks -pornhd.com##.bottom-box -h2porn.com##.bottom-cubes -pornxs.com##.bottom-sidebar -pornfun.com,teenpornvideo.xxx##.bottom-spots +jagaporn.com##.botad +teenhost.net##.bottom-ban +pornoreino.com##.bottom-bang +hentaigamer.org##.bottom-banner-home +alphaporno.com,katestube.com,sleazyneasy.com,vikiporn.com##.bottom-banners +elephanttube.world##.bottom-block +dailyporn.club,risextube.com##.bottom-blocks +fetishshrine.com,sleazyneasy.com##.bottom-container +katestube.com##.bottom-items +pornwhite.com,teenpornvideo.xxx##.bottom-spots youtubelike.com##.bottom-thumbs youtubelike.com##.bottom-top -katestube.com##.bottom-video-spot -tabletporn.com##.bottom_pos -dixyporn.com,katestube.com##.bottom_spot -tube8.com##.bottomadblock -tube8.com##.box-thumbnail-friends -celeb.gate.cc##.boxgrid > a[target="_blank"][href^="http://"] -worldsex.com##.brandreach -bravotube.net##.brazzers +xhamster.com##.bottom-widget-section +rexxx.com##.bottom_banners +porn-plus.com##.bottom_player_a +dixyporn.com##.bottom_spot +sexvid.xxx##.bottom_spots +javlibrary.com##.bottombanner2 +hd-easyporn.com##.box +zbporn.com##.box-f +bravotube.net##.box-left +sexvid.xxx##.box_site +barscaffolding.co.uk,capitalregionusa.xyz,dcraddock.uk,eegirls.com,javbebe.com,pornstory.net,sexclips.pro##.boxzilla-container +barscaffolding.co.uk,capitalregionusa.xyz,dcraddock.uk,eegirls.com,javbebe.com,pornstory.net,sexclips.pro##.boxzilla-overlay +hentaianimedownloads.com##.bp_detail +bravotube.net,spanishporn.com.es##.brazzers xozilla.com##.brazzers-link -sublimedirectory.com##.browseAd -xaxtube.com##.bthums -babesandstars.com##.btn-block +kompoz2.com,pornvideos4k.com##.brs-block +teensforfree.net##.bst1 +aniporn.com##.btn-close realgfporn.com##.btn-info -katestube.com##.btn-offer xcum.com##.btn-ponsor -4tube.com,tube8.com##.btnDownload -adultfreex.com##.btnvideo -redtube.com##.bvq -redtube.com##.bvq-caption -gamesofdesire.com##.c_align -jjgirls.com,pornpics.vip,xjapanese.com,xxxporn.pics##.cam -empflix.com##.camsBox -tnaflix.com##.camsBox2 +cinemapee.com##.button +video.laxd.com##.c-ad-103 +pornpics.com##.c-model +redporn.porn##.c-random +tiktits.com##.callback-bt +pornpics.vip,xxxporn.pics##.cam +xnxxvideos.rest##.camitems +winporn.com##.cams +theyarehuge.com##.cams-button +sleazyneasy.com##.cams-videos +tnapics.com##.cams_small +peekvids.com##.card-deck-promotion sxyprn.com##.cbd -celebspank.com##.celeb_bikini -pornpics.com##.channel -hclips.com##.channel-banner-box -hotmovs.com,porndoe.com,upornia.com##.channel-link -cliphunter.com##.channelMainBanner -cliphunter.com##.channelMiddleBanner -youporn.com##.channel_leaderboard -youporn.com##.channel_square -babe.today##.chat -adultfriendfinder.com##.chatDiv.rcc +stepmom.one##.cblidovr +stepmom.one##.cblrghts +porntry.com##.center-spot +fakings.com##.centrado thefappeningblog.com##.cl-exl -pornrabbit.com##.container300 -x-boobs.com##.content-banner -youporn.com,youporngay.com##.contentPartner +bigtitsgallery.net##.classifiedAd +teenanal.co##.clickable-overlay +xhamster.com##.clipstore-bottom +sunporno.com##.close-invid +fap-nation.com,fyptt.to,gamegill.com,japaneseasmr.com##.code-block +tube8.com,tube8.es,tube8.fr##.col-3-lg.col-4-md.col-4 +playvids.com##.col-lg-6.col-xl-4 +taxidrivermovie.com##.col-pfootban +whoreshub.com##.col-second +hentaiworld.tv##.comments-banners +perfectgirls.net##.container + div + .additional-block-bg +fetishshrine.com,pornwhite.com,sleazyneasy.com##.container-aside +senzuri.tube##.content > div > .hv-block-transparent +sleazyneasy.com,wankoz.com##.content-aside +watchmygf.me##.content-footer +xxxdessert.com##.content-gallery_banner +sexyandfunny.com##.content-source +iwara.tv##.contentBlock__content +youporngay.com##.contentPartner +sexu.site##.content__top xcafe.com##.content_source -xbutter.com##.counters -vivud.com##.cover-rich-media +gottanut.com##.coverUpVid-Dskt +forced-tube.net,hqasianporn.org##.coverup +shemale777.com##.covid19 4tube.com##.cpp -3movs.com,fapality.com,pervclips.com,pornicom.com##.cs +bootyheroes.com##.cross-promo-bnr +3movs.com,fapality.com##.cs +mylust.com##.cs-bnr +rat.xxx,zbporn.tv##.cs-holder +zbporn.com##.cs-link-holder +hdtube.porn,pornid.xxx,rat.xxx##.cs-under-player +watchmygf.mobi##.cs_info watchmygf.me##.cs_text_link -alotporn.com##.cube -playpornfree.org##.custom-html-widget -jigglegifs.com##.dating -anysex.com##.desc -txxx.com##.desk-list -youngpornvideos.com##.detail-side-td -pornalized.com,pornoid.com##.discount -fapdu.com##.disp-underplayer -pornhd.com##.double-zone -keezmovies.com##.double_right -cameltoe.com##.downl -pinkrod.com,wetplace.com,xjapanese.com,xxxporn.pics##.download -realgfporn.com##.downloadbtn -proporn.com##.drt-spot-box -hellporno.com##.dvb-advertisements -efukt.com##.ef_block_wrapper -efukt.com##.efukt-widget-slider -youporn.com##.eight-column > div[class] -goldporntube.com##.embadv -grandpaporntube.net##.embed_banners -pornhub.com##.enesuch -viptube.com##.envelope + div[class] -celebrity-slips.com##.execphpwidget -grandpaporntube.net##.exo -porn.com##.f-zne -porn.com##.f-zne2 -porn.com##.f-zne3 -porn.com##.f-zne4 -porn.com##.f-zne7 -porn.com##.f-zon -imagepost.com##.favsites -hardsextube.com##.featured-wrap -hardsextube.com##.featured-wrap-container -hardsextube.com##.featured-wrapper -mrstiff.com##.feedadv-wrap -upornia.com##.fel-container -hotmovs.com##.fel-fbs -tubepornclassic.com##.fel-foot -porn555.com##.fel-foot-m -upornia.com##.fel-footer +crocotube.com##.ct-video-ntvs +h2porn.com##.cube-thumbs-holder +worldsex.com##.currently-blokje-block-inner +alloldpics.com,sexygirlspics.com##.custom-spot +worldsex.com##.dazone +faptor.com##.dblock +anysex.com##.desc.type2 +rule34.xxx##.desktop +theyarehuge.com##.desktop-spot +inxxx.com,theyarehuge.com##.desktopspot +cartoonpornvideos.com##.detail-side-banner +hentaicity.com##.detail-side-bnr +xxxporn.pics##.download +sexvid.porn,sexvid.pro,sexvid.xxx##.download_link +drtuber.com,nuvid.com##.drt-sponsor-block +drtuber.com,iceporn.com,nuvid.com,proporn.com,viptube.com,winporn.com##.drt-spot-box +pornsex.rocks##.dump +youporngay.com##.e8-column +pornx.to##.elementor-element-e8dcf4f +porngifs2u.com##.elementor-widget-posts + .elementor-widget-heading +rare-videos.net##.embed-container +vxxx.com##.emrihiilcrehehmmll +tsumino.com##.erogames_container +pornstargold.com##.et_bloom_popup +upornia.com,upornia.tube##.eveeecsvsecwvscceee +eromanga-show.com,hentai-one.com,hentaipaw.com##.external +lewdzone.com##.f8rpo +escortnews.eu,topescort.com##.fBanners +porngem.com##.featured-b sss.xxx##.fel-item tuberel.com##.fel-list -upornia.com##.fel-playclose -tubepornclassic.com##.fel-side -youjizz.com##.fix-right-content -extremetube.com##.float-left[style="width: 49.9%; height: 534px;"] -wankerhut.com##.float-right -extremetube.com##.float-right[style="width: 49.9%; height: 534px;"] -gotporn.com##.floater-banner -xcafe.com##.fluid-b -teensexyvirgins.com##.foot_squares -scio.us,youporn.com##.footer -4tube.com,fux.com,hotmovs.com,porntube.com,upornia.com##.footer-banners -tube8.com##.footer-box +javfor.tv##.fel-playclose +camwhores.tv##.fh-line +hotmovs.com,thegay.com##.fiioed +homemoviestube.com##.film-item:not(#showpop) +sexyandfunny.com##.firstblock +ah-me.com,gaygo.tv,tranny.one##.flirt-block +asiangaysex.net,gaysex.tv##.float-ck +risextube.com##.floating +hentaiworld.tv##.floating-banner +xgroovy.com##.fluid-b +yourlust.com##.fluid_html_on_pause +xgroovy.com##.fluid_next_video_left +xgroovy.com##.fluid_next_video_right +stileproject.com##.fluid_nonLinear_bottom +cbhours.com##.foo2er-section +porn.com##.foot-zn +pornburst.xxx##.foot33r-iframe +hclips.com,thegay.com,tporn.xxx,tubepornclassic.com##.footer-banners +hentaiworld.tv##.footer-banners-iframe +xcafe.com##.footer-block +pornfaia.com##.footer-bnrz youporn.com,youporngay.com##.footer-element-container -gotporn.com##.footer-image-contents-bl -4tube.com##.footer-la-vane -youjizz.com##.footer-prs -hclips.com,onlydudes.tv##.footer-spot +pornburst.xxx##.footer-iframe +4tube.com##.footer-la-jesi +4kporn.xxx,alotporn.com,amateurporn.co,camstreams.tv,crazyporn.xxx,danude.com,fpo.xxx,hoes.tube,scatxxxporn.com,xasiat.com##.footer-margin +cliniqueregain.com##.footer-promo +cbhours.com##.footer-section pornhd.com##.footer-zone -babesandstars.com##.footer_banners +homo.xxx##.footer.spot badjojo.com##.footera -pornhub.com##.foragirllikeyou +mansurfer.com##.footerbanner +cambay.tv,videocelebs.net##.fp-brand xpics.me##.frequently -mrskin.com##.friends-runner -sextvx.com##.friends_spo -sunporno.com##.frms-block -porndoe.com##.full-video-tag +onlyporn.tube##.ft +jizzbunker.com,jizzbunker2.com##.ftrzx1 +teenpornvideo.fun##.full-ave +kompoz2.com,pornvideos4k.com,roleplayers.co##.full-bns-block +iceporn.com##.furtherance xpics.me##.future -sammobile.com##.gad +hdtube.porn##.g-col-banners +teenextrem.com,teenhost.net##.g-link youx.xxx##.gallery-link -youtubelike.com##.gallery-thumbs -pichunter.com##.galleryad -pornhub.com##.gay-ad-container -titsintops.com##.gensmall[width="250"] -titsintops.com##.gensmall[width="305"] -beeg.com##.go-paysite -pinflix.com,pornhd.com##.gsm-header-zone -ziporn.com##.hBannerHolder -heavy-r.com##.hd-ban -bgafd.co.uk##.hdradclip -celebspank.com##.header -redtube.com##.header > #as_1 -atescorts.com##.header_info_section -thenude.eu##.headercourtesy -pornhub.com##.heatwarning -animeidhentai.com,ultrahorny.com##.hentai_pro_float -hclips.com##.hold-adv -nuvid.com##.holder_banner -pornhub.com##.home-ad-container + div -alphaporno.com##.home-banner -tube8.com##.home-message + .title-bar + .cont-col-02 -julesjordanvideo.com##.horiz_banner +xxxonxxx.com,youtubelike.com##.gallery-thumbs +porngamesverse.com##.game-aaa +tubator.com##.ggg_container +cliniqueregain.com,tallermaintenancar.com##.girl +sexybabegirls.com##.girlsgirls +pornflix.cc,xnxx.army##.global-army +bravoteens.com,bravotube.net##.good_list_wrap +kbjfree.com##.h-\[250px\] +amateur-vids.eu,bestjavporn.com,leaktape.com,mature.community,milf.community,milf.plus##.happy-footer +hdporn92.com,koreanstreamer.xyz,leaktape.com##.happy-header +cheemsporn.com,milfnut.com,nudeof.com,sexseeimage.com,yporn.tv##.happy-inside-player +sexseeimage.com,thisav.me,thisav.video##.happy-player-beside +sexseeimage.com,thisav.me,thisav.video##.happy-player-under +sexseeimage.com,thisav.me,thisav.video##.happy-section +deepfake-porn.com,x-picture.com##.happy-sidebar +amateur-vids.eu,camgirl-video.com,mature.community,milf.community,milf.plus##.happy-under-player +redtube.com##.hd +zbporn.com##.head-spot +anysex.com##.headA +xgroovy.com##.headP +coomer.su,kemono.su##.header + aside +myhentaigallery.com##.header-image +megatube.xxx##.header-panel-1 +cutegurlz.com##.header-widget +videosection.com##.header__nav-item--adv-link +mansurfer.com##.headerbanner +txxx.com##.herrmhlmolu +txxx.com##.hgggchjcxja +porn300.com,porndroids.com##.hidden-under-920 +worldsex.com##.hide-on-mobile +hqporner.com##.hide_ad_marker +hentairules.net##.hide_on_mobile +javgg.co,javgg.net##.home_iframead > a[target="_blank"] > img orgasm.com##.horizontal-banner-module -orgasm.com##.horizontal-banner-module-small +underhentai.net##.hp-float-skb eporner.com##.hptab -pornanal.net##.i_br -pornflip.com##.ib-300-250 -gotporn.com,hardsextube.com##.image-300x250 -drtuber.com##.img_video -vivud.com##.in-gallery-banner -pornsis.com##.indexadl -pornsis.com##.indexadr -pornhub.com##.inesuch -pornicom.com##.info_row2 -pornomovies.com##.inner-aside-af -cocoimage.com,hotlinkimage.com,picfoco.com##.inner_right -zmovs.com##.inplayer_banners -bravotube.net##.inplb3x2 -playvids.com,pornflip.com,pornoeggs.com##.invideoBlock +pantiespics.net##.hth +videosection.com##.iframe-adv +gayforfans.com##.iframe-container +recordbate.com##.image-box +gotporn.com##.image-group-vertical +thisav.me##.img-ads +top16.net##.img_wrap +trannygem.com##.in_player_video +vivud.com##.in_stream_banner +sexu.site##.info +cocoimage.com##.inner_right +javhhh.com##.inplayer +vivud.com##.inplayer_banners +anyporn.com,bravoporn.com,bravoteens.com,bravotube.net##.inplb +anyporn.com,bravotube.net##.inplb3x2 +cockdude.com##.inside-list-boxes-ver2 +videosection.com##.invideo-native-adv +playvids.com,pornflip.com##.invideoBlock +amateur8.com##.is-av +internationalsexguide.nl,usasexguide.nl##.isg_background_border_banner +internationalsexguide.nl,usasexguide.nl##.isg_banner e-hentai.org##.itd[colspan="4"] -namethatporn.com##.item_a -sex2ube.com##.jFlowControl -babesandstars.com,definebabe.com,pornhub.com,pornhubpremium.com,youporn.com##.join -redtube.com,xhamster.com##.join-button -dbnaked.com##.join-now-btn -pornhubpremium.com##.joinWrapper -extremetube.com##.join_box -pornhub.com,spankwire.com,tube8.com,youporn.com##.join_link -overthumbs.com##.joinnow -redtube.com##.justmadebail -zuzandra.com##.jx-bar -tnaflix.com##.lastLiAv -gamcore.com##.left-side-skin -tnaflix.com##.leftAbsoluteAdd -sextingpics.com##.leftMAIN -xxxporntalk.com##.left_col +amateurporn.me,eachporn.com##.item[style] +drtuber.com##.item_spots +twidouga.net##.item_w360 +fetishshrine.com,pornwhite.com,sleazyneasy.com##.items-holder +vxxx.com##.itrrciecmeh +escortdirectory.com##.ixs-govazd-item +alastonsuomi.com##.jb +babesandstars.com,pornhubpremium.com##.join +javvr.net##.jplayerbutton +japan-whores.com##.js-advConsole +sexlikereal.com##.js-m-goto +pornpapa.com##.js-mob-popup +eurogirlsescort.com##.js-stt-click > picture +freeones.com##.js-track-event +ts-tube.net##.js-uvb-spot +porndig.com##.js_footer_partner_container_wrapper +hnntube.com##.jumbotron +senzuri.tube##.jw-reset.jw-atitle +xxxymovies.com##.kt_imgrc +4tube.com##.la-jessy-frame +hqpornstream.com##.lds-hourglass +thehun.net##.leaderboard +abjav.com,aniporn.com##.left > section +xxxpicss.com,xxxpicz.com##.left-banners +babepedia.com##.left_side > .sidebar_block > a xxxporntalk.com##.leftsidenav -fantasti.cc##.lft-bn -crazyshit.com##.linx -galleries-pornstar.com##.list_sites -pinflix.com,pornhd.com##.listing-zone -sexyfunpics.com##.listingadblock300 -tnaflix.com##.liveJasminHotModels -spankbang.com##.live_api_results_holder -spankbang.com##.live_api_results_hugger -proporn.com##.livecams -drtuber.com##.livecams_main -ns4w.org##.livejasmine -madthumbs.com##.logo -pornhub.com,redtube.com##.lonesomemuch -tube8.com##.main-video-wrapper > .float-right -sexdepartementet.com##.marketingcell -motherless.com##.media-linked -dachix.com,dagay.com##.media-links -femefun.com##.media_spot_box -animeidhentai.com,ultrahorny.com##.message-container +missav.ai,missav.city,missav.loan,missav.today,missav.wiki,missav.ws,missav123.com,missav888.com##.lg\:block +missav.ai,missav.city,missav.loan,missav.today,missav.wiki,missav.ws,missav123.com,missav888.com##.lg\:hidden +videosdemadurasx.com##.link +xxxvogue.net##.link-adv +escortnews.eu,topescort.com##.link-buttons-container +babepump.com,fapnfuck.com,fuqster.com,povxl.com,sexpester.com,w1mp.com,w4nkr.com##.link-offer +boyfriendtv.com##.live-cam-popunder +spankbang.com##.live-rotate +alloldpics.com,sexygirlspics.com##.live-spot +spankbang.com##.livecam-rotate +proporn.com,vivatube.com##.livecams +loverslab.com##.ll_adblock +vxxx.com##.lmetceehehmmll +javhd.run##.loading-ad +hdsex.org##.main-navigation__link--webcams +hentaipaw.com##.max-w-\[720px\] +peekvids.com##.mediaPlayerSponsored +efukt.com##.media_below_container +lesbianbliss.com,mywebcamsluts.com,transhero.com##.media_spot +ryuugames.com##.menu-item > a[href^="https://l.erodatalabs.com/s/"] +camcam.cc##.menu-item-5880 +thehentai.net##.menu_tags +empflix.com,tnaflix.com##.mewBlock +sopornmovies.com##.mexu-bns-bl avn.com##.mfc online-xxxmovies.com##.middle-spots +allpornstream.com##.min-h-\[237px\] lic.me##.miniplayer -upornia.com##.mjs-closeandplay -hotmovs.com,upornia.com##.mjs-closeplay -hanksgalleries.com##.mob_vids -xpics.me##.native +tryindianporn.com##.mle +hentaicore.org##.mob-lock +rat.xxx##.mob-nat-spot +gaymovievids.com,verygayboys.com##.mobile-random +tube-bunny.com##.mobile-vision +javgg.co,javgg.net##.module > div[style="text-align: center;"] +yourdarkdesires.com##.moment +txxx.com##.mpululuoopp +tikpornk.com##.mr-1 +xnxxvideos.rest##.mult +javfor.tv,javhub.net##.my-2.container +4kporn.xxx,crazyporn.xxx##.myadswarning +jagaporn.com##.nativad yourlust.com##.native-aside +pornhd.com##.native-banner-wrapper +cockdude.com##.native-boxes-2-ver2 +cockdude.com##.native-boxes-ver2 +pornwhite.com,sleazyneasy.com##.native-holder +ggjav.com##.native_ads anysex.com##.native_middle -namethatpornstar.com##.navbar__toprow -extremetube.com##.noPopunder -pornhub.com,tube8.com##.nonesuch -hotmovs.com,upornia.com##.ntv-banners-container -redtube.com##.ntva -finaid.org##.one -pornhub.com##.onesuch -lustgalore.com,yourasiansex.com##.opac_bg -baja-opcionez.com##.opaco2 -vporn.com##.overheaderbanner -babe.today##.overlay -pornomovies.com##.overlay-ggf -dachix.com,dagay.com,deviantclip.com##.overlay-media -cumlouder.com##.p-bottom -tnaflix.com##.pInterstitial -tnaflix.com##.pInterstitialx -tnaflix.com##.padAdv -redtube.com##.pageVideos > div > [class][style*="z-index:"] -definebabe.com##.partner-info -definebabe.com,tube8.com##.partner-link -shameless.com##.pause-adv -bravotube.net##.paysite -ah-me.com##.paysite-link -faapy.com##.picture-row__holder -hdzog.com##.pl_showtime1_wr2 -hclips.com##.pl_wr -camvideos.tv##.place -boundhub.com##.place > .spot -hdzog.com##.player-advertise -drtuber.com##.player-adx-block -zmovs.com##.player-aside-banners -pornhat.com##.player-bn -txxx.com##.player-desk -madmovs.com,pornosexxxtits.com##.player-outer-banner -hdzog.com##.player-showtime -drtuber.com##.player-sponsor-block +fapality.com##.nativeaside +fapeza.com##.navbar-item-sky +miohentai.com##.new-ntv +escortnews.eu,topescort.com##.newbottom-fbanners +xmissy.nl##.noclick-small-bnr +pornhd.com##.ntv-code-container +negozioxporn.com##.ntv1 +fapality.com##.ntw-a +rule34.xxx##.nutaku-mobile +boundhub.com##.o3pt +bdsmx.tube##.oImef0 +lustgalore.com##.opac_bg +pornchimp.com,pornxbox.com,teenmastube.com,watchmygf.mobi##.opt +bbporntube.pro##.opve-bns-bl +bbporntube.pro##.opve-right-player-col +sexseeimage.com##.order-1 +hentaistream.com##.othercontent +eboblack.com,teenxy.com##.out_lnk +beemtube.com##.overspot +javtiful.com##.p-0[style="margin-top: 0.45rem !important"] +zbporn.com##.p-ig +hot.co.uk,hot.com##.p-search__action-results.badge-absolute.text-div-wrap.top +empflix.com##.pInterstitialx +hobby.porn##.pad +dessi.co##.pages__BannerWrapper-sc-1yt8jfz-0 +xxxdan3.com##.partner-site +hclips.com,hotmovs.tube##.partners-wrap +xfantazy.com##.partwidg1 +fapnado.xxx##.pause-ad-pullup +empflix.com##.pause-overlay +porn87.com##.pc_instant +ebony8.com,maturetubehere.com##.pignr +bigtitslust.com,sortporn.com##.pignr.item +boundhub.com##.pla4ce +camvideos.tv,exoav.com,jizzoncam.com,rare-videos.net##.place +3movs.com##.player + .aside +alotporn.com##.player + center +xhamster.com##.player-add-overlay +katestube.com##.player-aside +vivud.com,zmovs.com##.player-aside-banners +sexu.site##.player-block__line +ok.xxx,pornhat.com,xxxonxxx.com##.player-bn +sexvid.xxx##.player-cs +videosection.com##.player-detail__banners +7mmtv.sx##.player-overlay +cliniqueregain.com##.player-promo +sexu.site##.player-related +blogbugs.org,tallermaintenancar.com,zuzandra.com##.player-right +gay.bingo##.player-section__ad-b +3movs.com##.player-side +sexvid.porn,sexvid.pro,sexvid.xxx##.player-sponsor +xvideos.com,xvideos.es##.player-video.xv-cams-block +porn18videos.com##.playerRight +gay.bingo##.player__inline +sexu.com##.player__side +pervclips.com##.player_adv xnxxvideoporn.com##.player_bn -4tube.com##.player_faq_link -4tube.com##.player_sub_link -4tube.com##.playerside-col -efukt.com##.plugs -beardedperv.com##.plugzContainer -xtube.com##.postRoll -uflash.tv##.pps-banner -pornhub.com##.pre-footer -txxx.com##.preroll -adultdvdtalk.com##.productinfo -perfectgirls.net,pornfun.com,xnostars.com##.promo -thefappening.wiki##.promo-1 -thefappening.wiki##.promo-2 -porntubevidz.com##.promo-block -nakedtube.com,pornmaki.com##.promotionbox -nuvid.com,nuvidselect.com##.puFloatLine -dachix.com,dagay.com,deviantclip.com##.pub_right -foxtube.com##.publi_pc -pornjam.com##.publicidad -cumlouder.com,freemovies.tv,pornjam.com##.publis-bottom -pussy.org##.pussytrbox -redtube.com.br##.qb -xchimp.com##.rCol2 -cam4.com##.raFoot -bustedcoverage.com##.rcr-tower -candidvoyeurism.com##.rectangle -vporn.com##.red-adv -txxx.com##.rek-iv -xporno.me##.rekl -txxx.com##.rekl-iv -burningcamel.com##.reklaim +txxx.com##.polumlluluoopp +porntrex.com##.pop-fade +fapnado.com,young-sexy.com##.popup +pornicom.com##.pre-ad +porntube.com##.pre-footer +sleazyneasy.com##.pre-spots +xnxxvideos.rest##.prefixat-player-promo-col +recordbate.com##.preload +japan-whores.com##.premium-thumb +cam4.com##.presentation +pornjam.com##.productora +perfectgirls.net,xnostars.com##.promo +nablog.org##.promo-archive-all +xhamster.com##.promo-message +nablog.org##.promo-single-3-2sidebars +perfectgirls.net##.promo__item +viptube.com##.promotion +3dtube.xxx,milf.dk,nakedtube.com,pornmaki.com##.promotionbox +telegram-porn.com##.proxy-adv__container +tnaflix.com##.pspBanner +spankbang.com##.ptgncdn_holder +pornjam.com##.publ11s-b0ttom +watchmygf.me##.publicity +freemovies.tv##.publis-bottom +pornjam.com##.r11ght-pl4yer-169 +pornjam.com##.r1ght-pl4yer-43 +pornpics.com##.r2-frame +tokyonightstyle.com##.random-banner +gaymovievids.com,me-gay.com,ts-tube.net,verygayboys.com##.random-td +tnaflix.com##.rbsd +pornhub.com##.realsex +vxxx.com##.recltiecrrllt +xnxxvideos.rest##.refr +svscomics.com##.regi +nuvid.com##.rel_right +cockdude.com##.related-boxes-footer-ver2 +bestjavporn.com,javhdporn.net##.related-native-banner +cumlouder.com##.related-sites sexhd.pics##.relativebottom +pervclips.com,vikiporn.com##.remove-spots cam4.com##.removeAds -tubaholic.com##.result_under_video -pornxs.com##.revad -youjizz.com##.right-content -pornxs.com##.right-sb -gamcore.com##.right-side-skin -porn.com##.right300 -tnaflix.com##.rightAbsoluteAdd -tnaflix.com##.rightBarBanners -sextingpics.com##.rightMAIN -tabletporn.com##.right_pos -xxxporntalk.com##.rightalt-1 > center > a[target="_blank"] > img[width="160"] -anysex.com##.rightbnr -gaytube.com##.rkl-block -analsexstars.com,porn.com,xvideos-free.com##.rmedia -collegegrad.com##.roundedcornr_box_quad -xxxymovies.com##.rtoptbl -porn.com##.s-zne -porn.com##.s-zne2 -porn.com##.s-zne3 -porn.com##.s-zne4 -porn.com##.s-zne6 -porn.com##.s-zne7 -porn.com##.s-zon -sticking.com##.sb-box -woodrocket.com##.sb-store -dominationtube.com,gaysexarchive.com,skeezy.com,sticking.com##.sb-txt -pornhub.com##.scandalouspokemon -pornhd.com##.section-next-to-title -thenude.eu##.sexart_sidebar -uselessjunk.com##.shadow_NFL +cumlouder.com##.resumecard +porndroids.com,pornjam.com##.resumecard__banner +abjav.com,bdsmx.tube,hotmovs.com,javdoe.fun,javdoe.sh,javtape.site,onlyporn.tube,porntop.com,xnxx.army##.right +infospiral.com##.right-content +pornoreino.com##.right-side +definebabe.com##.right-sidebar +empflix.com##.rightBarBannersx +gottanut.com##.rightContent-videoPage +analsexstars.com,porn.com,pussy.org##.rmedia +jav321.com##.row > .col-md-12 > h2 +jav321.com##.row > .col-md-12 > ul +erofus.com##.row-content > .col-lg-2[style^="height"] +lewdspot.com##.row.auto-clear.text-center +elephanttube.world,pornid.xxx##.rsidebar-spots-holder +jizzbunker.com,jizzbunker2.com,xxxdan.com,xxxdan3.com##.rzx1 +forum.lewdweb.net,forums.socialmediagirls.com,titsintops.com##.samCodeUnit +porngals4.com##.sb250 +pornflix.cc##.sbar +7mm001.com,7mm003.cc,7mmtv.sx##.set_height_250 +sextb.net,sextb.xyz##.sextb_300 +gay-streaming.com,gayvideo.me##.sgpb-popup-dialog-main-div-wrapper +gay-streaming.com,gayvideo.me##.sgpb-popup-overlay +paradisehill.cc##.shapka +thehentai.net##.showAd h2porn.com##.side-spot sankakucomplex.com##.side300xmlc +video.laxd.com##.side_banner +familyporn.tv,mywebcamsluts.com,transhero.com##.side_spot queermenow.net##.sidebar > #text-2 flyingjizz.com##.sidebar-banner -celebspank.com##.sidebar5 -4tube.com##.sidebarVideos +pornid.name##.sidebar-holder vidxnet.com##.sidebar_banner +javedit.com##.sidebar_widget waybig.com##.sidebar_zing -cliphunter.com##.sidecreative +taxidrivermovie.com##.sidebarban1 xxxporntalk.com##.sidenav myslavegirl.org##.signature +milffox.com##.signup +gayck.com##.simple-adv-spot +supjav.com##.simpleToast hersexdebut.com##.single-bnr porngfy.com##.single-sponsored -4tube.com##.siteBannerHoriz +babestare.com##.single-zone +sexvid.xxx##.site_holder porn-monkey.com##.size-300x250 -tube8.com##.skin -tube8.com##.skin1 -tube8.com##.skin2 -tube8.com##.skin3 -tube8.com##.skin4 -tube8.com##.skin6 -tube8.com##.skin7 -candidvoyeurism.com,simply-hentai.com##.skyscraper -gaytube.com##.slider-section -movies.askjolene.com##.small_tourlink +simply-hentai.com##.skyscraper +porngames.tv##.skyscraper_inner pornhub.com##.sniperModeEngaged -pornpics.com##.sp-block -nonktube.com##.span-300 -nonktube.com##.span-320 -taxidrivermovie.com##.special_offer -ns4w.org##.splink -bgafd.co.uk##.spnsr -pornpics.com##.spons-block -tnaflix.com##.sponsVideoLink -anyporn.com,boundhub.com,pervertslut.com,pornever.net,pornoreino.com,sexpornimages.com,xbabe.com##.sponsor -tubepornclassic.com##.sponsor-container -xhamster.com##.sponsor-message -xhamster.com##.sponsorB -xxxbunker.com##.sponsorBoxAB -xhamster.com##.sponsorS -xhamster.com##.sponsor_top -fux.com,gotporn.com,pornerbros.com,porntube.com##.sponsored -beeg.com##.spoor -beeg.com##.spor -bravotube.net,camvideos.tv,dixyporn.com,hotmovs.com,proporn.com,smut6.com,tubepornclassic.com,upornia.com,vjav.com,xhamster.com##.spot -magicaltube.com##.spot-block -xhamster.com##.spot-container +thelittleslush.com##.snppopup +boycall.com##.source_info +amateurfapper.com,iceporn.tv,pornmonde.com##.sources +hd-easyporn.com##.spc_height_80 +gotporn.com##.spnsrd +hotgirlclub.com##.spnsrd-block-aside-250 +18porn.sex,amateur8.com,anyporn.com,area51.porn,bigtitslust.com,cambay.tv,eachporn.com,fapster.xxx,fpo.xxx,freeporn8.com,hentai-moon.com,its.porn,izlesimdiporno.com,pervertslut.com,porngem.com,pornmeka.com,porntop.com,sexpornimages.com,sexvid.xxx,sortporn.com,tktube.com,uiporn.com,xhamster.com##.sponsor +teenpornvideo.fun##.sponsor-link-desk +teenpornvideo.fun##.sponsor-link-mob +pornpics.com,pornpics.de##.sponsor-type-4 +nakedpornpics.com##.sponsor-wrapper +4kporn.xxx,crazyporn.xxx,hoes.tube,love4porn.com##.sponsorbig +fux.com,pornerbros.com,porntube.com,tubedupe.com##.sponsored +hoes.tube##.sponsorsmall +3movs.com,3movs.xxx,babepump.com,bravotube.net,camvideos.tv,cluset.com,deviants.com,dixyporn.com,fapnfuck.com,fuqster.com,hello.porn,javcab.com,katestube.com,pornicom.com,sexpester.com,sleazyneasy.com,videocelebs.net,vikiporn.com,vjav.com,w1mp.com,w4nkr.com##.spot +pornicom.com##.spot-after +faptube.xyz,hqpornstream.com,magicaltube.com##.spot-block +bleachmyeyes.com##.spot-box +3movs.com##.spot-header +katestube.com##.spot-holder +tsmodelstube.com##.spot-regular +fuqer.com##.spot-thumbs > .right +homo.xxx##.spot.column drtuber.com##.spot_button_m -drtuber.com,egbo.com,smutr.com##.spots +3movs.com##.spot_large +pornmeka.com##.spot_wrapper +drtuber.com,thisvid.com,vivatube.com,xxbrits.com##.spots +elephanttube.world##.spots-bottom +rat.xxx##.spots-title +sexvid.xxx##.spots_field +sexvid.xxx##.spots_thumbs analsexstars.com##.sppc -pornhd.com##.square -redtube.com##.square-banner +teenasspussy.com##.sqs pornstarchive.com##.squarebanner -sunporno.com,twilightsex.com##.squarespot -sunporno.com##.squaretabling -babesandstars.com##.srcreen -sexyandshocking.com##.sub-holder -peepinghunter.com,simply-hentai.com##.superbanner -porndaddy.us##.svd -porn.com##.t-zne -porn.com##.t-zne2 -porn.com##.t-zne3 -porn.com##.t-zne4 -dickbig.net##.t_14 -boundhub.com##.table > noindex -porndoe.com##.tablet-content-acontainer -intporn.com##.tagcloudlink.level4 -amateuralbum.net##.tb3 +pornpics.com,pornpics.de##.stamp-bn-1 +lewdninja.com##.stargate +cumlouder.com##.sticky-banner +xxx18.uno##.sticky-elem +xxxbule.com##.style75 +teenmushi.org##.su-box +definebabe.com##.subheader +pornsex.rocks##.subsequent +tporn.xxx##.sug-bnrs +hclips.com##.suggestions +pornmd.com##.suggestions-box +txxx.com##.sugggestion +telegram-porn.com##.summary-adv-telNews-link +simply-hentai.com##.superbanner +holymanga.net##.svl_ads_right +tnapics.com##.sy_top_wide +exhibporno.com##.syn +boundhub.com##.t2op +boundhub.com##.tab7le +18porn.sex,18teensex.tv,429men.com,4kporn.xxx,4wank.com,alotporn.com,amateurporn.co,amateurporn.me,bigtitslust.com,camwhores.tv,danude.com,daporn.com,fapnow.xxx,fpo.xxx,freeporn8.com,fuqer.com,gayck.com,hentai-moon.com,heroero.com,hoes.tube,intporn.com,japaneseporn.xxx,jav.gl,javwind.com,jizzberry.com,mrdeepfakes.com,multi.xxx,onlyhentaistuff.com,pornchimp.com,porndr.com,pornmix.org,rare-videos.net,sortporn.com,tabootube.xxx,watchmygf.xxx,xcavy.com,xgroovy.com,xmateur.com,xxxshake.com##.table +sxyprn.com##.tbd amateurvoyeurforum.com##.tborder[width="99%"][cellpadding="6"] +fap-nation.org##.td-a-rec +camwhores.tv##.tdn pronpic.org##.teaser -imagepost.com##.textads1 +onlytik.com##.temporary-real-extra-block +avn.com##.text-center.mb-10 +javfor.tv##.text-md-center +cockdude.com##.textovka +wichspornos.com##.tf-sp +tranny.one##.th-ba +porn87.com##.three_ads +chikiporn.com,pornq.com##.thumb--adv +xnxx.com,xvideos.com##.thumb-ad +pornpictureshq.com##.thumb__iframe +toppixxx.com##.thumbad +cliniqueregain.com,tallermaintenancar.com##.thumbs smutty.com##.tig_following_tags2 -extremetube.com##.title-sponsor-box drtuber.com##.title-sponsored -galleries-pornstar.com##.title_slider -tube8.com##.tjFooterMods -tube8.com##.tjUpperMods -popporn.com##.top-banner +4wank.com,cambay.tv,daporn.com,fpo.xxx,hentai-moon.com,pornmix.org,scatxxxporn.com,xmateur.com##.top +pornfaia.com##.top-banner-single sexvid.xxx##.top-cube -sunporno.com##.top-player-link +vikiporn.com##.top-list > .content-aside +japan-whores.com##.top-r-all motherless.com##.top-referers -definebabe.com##.top-traders +lewdspot.com##.top-sidebar +porngem.com,uiporn.com##.top-sponsor +rat.xxx,zbporn.tv##.top-spot +escortnews.eu,topescort.com##.topBanners 10movs.com##.top_banner -pornhub.com##.top_hd_banner -imgwet.com##.topa -camwhores.tv,mrstiff.com##.topad -peepinghunter.com##.topbanner +ok.xxx,perfectgirls.xxx##.top_spot +camwhores.tv##.topad +m.mylust.com##.topb-100 +m.mylust.com##.topb-250 itsatechworld.com##.topd -tubepornclassic.com##.tpcadv -vivatube.com##.tr-download -vivatube.com##.tr-sponsor -realgfporn.com##.trade-slider +babesmachine.com##.topline +babesmachine.com##.tradepic babesandstars.com##.traders -overthumbs.com,proporn.com##.trailerspots -tubedupe.com##.treview_link_1 -xhamster.com##.ts -tubedupe.com##.tube_review -avn.com##.twobannersbot -avn.com##.twobannersbot-bot +gayporno.fm##.traffic +proporn.com##.trailerspots +sexjav.tv##.twocolumns > aside +sexhd.pics##.tx boysfood.com##.txt-a-onpage -dumparump.com##.txt8pt[width="120"] -beardedperv.com##.under-player-banner -sunporno.com##.under-player-link -bravotube.net##.under-video -redtube.com##.under-video-banner -spankwire.com##.underplayer -tubepornclassic.com##.underplayer-container -spankwire.com##.underplayer__view -txxx.com##.underplayer_banner -megatube.xxx##.unlock-video -upornia.com##.vda-closeplay -porn555.com,sss.xxx,tuberel.com##.vda-item -txxx.com##.vda-iv +pornid.xxx##.under-player-holder +hdtube.porn##.under-player-link +sexvid.xxx##.under_player_link +thegay.com##.underplayer__info > div:not([class]) +videojav.com##.underplayer_banner +tryindianporn.com##.uvk +hentaiprn.com##.v-overlay +javtiful.com##.v3sb-box +see.xxx,tuberel.com##.vda-item indianpornvideos.com##.vdo-unit -julesjordanvideo.com##.vertical_banner -freepornvs.com##.vib > .cs -vporn.com##.video-add -letmejerk.com,niceporn.xxx##.video-aside -daporn.com,h2porn.com##.video-banner +xnxxporn.video##.vertbars +milfporn8.com,ymlporn7.net##.vid-ave-pl +ymlporn7.net##.vid-ave-th +xvideos.com##.video-ad +pornone.com##.video-add +ad69.com,risextube.com##.video-aside +sexseeimage.com##.video-block-happy +pornfaia.com##.video-bnrz +x-hd.video##.video-brs +comicsxxxgratis.com,video.javdock.com##.video-container +pornhoarder.tv##.video-detail-bspace boyfriendtv.com##.video-extra-wrapper -hdporntube.xxx,pornhat.com##.video-link -redtube.com##.video-page -hardsextube.com##.video-player-overlay -japan-whores.com##.video-provider -heavy-r.com##.video-slider -alphaporno.com,tubewolf.com##.video-sponsor -clip16.com##.video-spots -redtube.com.br##.video-wrap > .bvq -pornhub.com##.video-wrapper > #player + [class] -de-sexy-tube.ru##.videoAd -youporn.com##.videoBanner -tube8.com##.videoPageSkin -tube8.com##.videoPageSkin1 -tube8.com##.videoPageSkin2 -4tube.com##.videoSponsor -h2porn.com##.video_banner -voyeurperversion.com##.video_right -bonertube.com##.videoad940 -indianpornvideos.com##.videoads -onlydudes.tv##.videojs-hero-overlay -porndoo.com##.videosite -sexyshare.net##.videosz_banner -myxvids.com##.vidtopbanner -youporn.com##.views_left -lubetube.com##.viewvideobanner -yourdarkdesires.com##.visibility +megatube.xxx##.video-filter-1 +theyarehuge.com##.video-holder > .box +porn00.org##.video-holder > .headline +bdsmx.tube##.video-info > section +videosection.com##.video-item--a +videosection.com##.video-item--adv +pornzog.com##.video-ntv +ooxxx.com##.video-ntv-wrapper +pornhdtube.tv,recordbate.com##.video-overlay +hotmovs.tube##.video-page > .block_label > div +thegay.com##.video-page__content > .right +xhtab2.com##.video-page__layout-ad +senzuri.tube##.video-page__watchfull-special +pornhd.com##.video-player-overlay +peachurbate.com##.video-right-banner +hotmovs.tube##.video-right-top +porntry.com,videojav.com##.video-side__spots +thegay.com##.video-slider-container +kisscos.net##.video-sponsor +senzuri.tube##.video-tube-friends +xhamster.com##.video-view-ads +china-tube.site,china-tubex.site##.videoAd +koreanjav.com##.videos > .column:not([id]) +javynow.com##.videos-ad__ad +porntop.com##.videos-slider--promo +porndoe.com##.videos-tsq +zbporn.tv##.view-aside +zbporn.com,zbporn.tv##.view-aside-block +tube-bunny.com##.visions yourlust.com##.visit_cs eporner.com##.vjs-inplayer-container -pornhd.com##.vp-under-video-spot -drtuber.com##.vpage_premium_bar -redtube.com##.watch + div[style="display: block !important"] -pornoeggs.com##.watch-page-banner -redtube.com##.watch-page-box -redtube.com##.webmaster-banner -xhamster.one##.wid-banner-container -xhamster.com##.wid-sponsor-banner -imagearn.com##.wide_banner -cumlouder.com##.widget_bnrs +upornia.tube##.voiscscttnn +japan-whores.com##.vp-info +porndoe.com##.vpb-holder +porndoe.com##.vpr-section +kbjfree.com##.w-\[728px\] +reddxxx.com##.w-screen.backdrop-blur-md +3prn.com##.w-spots +pornone.com##.warp +upornia.com,upornia.tube##.wcccswvsyvk +trannygem.com##.we_are_sorry +porntube.com##.webcam-shelve +spankingtube.com##.well3 +bustyporn.com##.widget-friends +rpclip.com##.widget-item-wrap +interviews.adultdvdtalk.com##.widget_adt_performer_buy_links_widget +hentaiprn.com,whipp3d.com##.widget_block +arcjav.com,hotcelebshome.com,jav.guru,javcrave.com,pussycatxx.com##.widget_custom_html gifsauce.com##.widget_live -beeg.com##.window -de-sexy-tube.ru##.wrap-head-banner-mob -xjapanese.com##.xcam -babe.today##.xchat -babe.today##.xchat1 -babe.today##.xoverlay -babe.today##.xoverlay1 -xhamster.com##.xp-hover-link -mrskin.com##.yui3-u-1-3:last-child -porn.com,pornhd.com,xvideos-free.com##.zone -youjizz.com##[class][style*="padding-bottom:"] -redtube.com##[data-h] -redtube.com##[data-w] +hentaiblue.com,pornifyme.com##.widget_text +xhamster.com##.wio-p +xhamster.com##.wio-pcam-thumb +xhamster.com##.wio-psp-b +xhamster.com,xhamster2.com##.wio-xbanner +xhamster2.com##.wio-xspa +xhamster.com##.wixx-ebanner +xhamster.com##.wixx-ecam-thumb +xhamster.com##.wixx-ecams-widget +teenager365.com##.wps-player__happy-inside-btn-close +playporn.xxx,videosdemadurasx.com##.wrap-spot +pornrabbit.com##.wrap-spots +abjav.com,bdsmx.tube##.wrapper > section +porn300.com##.wrapper__related-sites +upornia.com,upornia.tube##.wssvkvkyyee +xhamster.com##.xplayer-b +xhamster18.desi##.xplayer-banner +megaxh.com##.xplayer-banner-bottom +xhamster.com##.xplayer-hover-menu +theyarehuge.com##.yellow +xhamster.com##.yfd-fdcam-thumb +xhamster.com##.yfd-fdcams-widget +xhamster.com##.yfd-fdclipstore-bottom +xhamster.com##.yfd-fdsp-b +xhamster.com##.yld-mdcam-thumb +xhamster.com##.yld-mdsp-b +xhamster.com##.ytd-jcam-thumb +xhamster.com##.ytd-jcams-widget +xhamster.com##.ytd-jsp-a +xhamster.com##.yxd-jcam-thumb +xhamster.com##.yxd-jcams-widget +xhamster.com##.yxd-jdbanner +xhamster.com##.yxd-jdcam-thumb +xhamster.com##.yxd-jdcams-widget +xhamster.com##.yxd-jdplayer +xhamster.com##.yxd-jdsp-b +xhamster.com##.yxd-jdsp-l-tab +xhamster.com##.yxd-jsp-a +faponic.com##.zkido_div +777av.cc,pussy.org##.zone +momxxxfun.com##.zone-2 +pinflix.com,pornhd.com##.zone-area +hentai2read.com##.zonePlaceholder +fapnado.xxx##.zpot-horizontal +faptor.com##.zpot-horizontal-img +fapnado.xxx##.zpot-vertical +jizzbunker2.com,xxxdan.com,xxxdan3.com##.zx1p +tnaflix.com##.zzMeBploz +hotnudedgirl.top,pbhotgirl.xyz,prettygirlpic.top##[class$="custom-spot"] +porn300.com,pornodiamant.xxx##[class^="abcnn_"] +beeg.porn##[class^="bb_show_"] +hotleaks.tv,javrank.com##[class^="koukoku"] +whoreshub.com##[class^="pop-"] +cumlouder.com##[class^="sm"] +xhamster.com,xhamster.one,xhamster2.com##[class^="xplayer-banner"] +fapnado.com##[class^="xpot"] +porn.com##[data-adch] +xhspot.com##[data-role="sponsor-banner"] +tube8.com##[data-spot-id] +tube8.com##[data-spot] sxyprn.com##[href*="/re/"] -extremetube.com,pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com##[href*="base64"] -extremetube.com,pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com##[href*="data:"] -imagehaven.net##[href="http://clicks.totemcash.com/?s=38739&p=21&pp=4"] -camvideos.tv##[href^="http://mmcams.com/"][href*="&utm_"] -ero-advertising.com##[id][style] -imagevenue.com##[id^="MarketGid"] -redtube.com##[id^="adb_"] -youporn.com##[id^="parent_zone_"] -extremetube.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,youjizz.com,youporn.com,youporngay.com##[src*="base64"] -extremetube.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,youjizz.com,youporn.com,youporngay.com##[src*="blob:"] -extremetube.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,youjizz.com##[src*="data:"] -pornhub.com##[srcdoc] -extremetube.com,pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,youjizz.com,youporn.com,youporngay.com##[style*="base64"] -extremetube.com,pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,youjizz.com,youporn.com,youporngay.com##[style*="blob:"] -sexyclips.org##[style="text-align: center; width: 1000px; height: 250px;"] -exgirlfriendmarket.com##[width="728"][height="150"] +pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com##[href*="base64"] +pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com##[href*="data:"] +doseofporn.com,jennylist.xyz##[href="/goto/desire"] +jav.gallery##[href="https://jjgirls.com/sex/GoChaturbate"] +hardcoreluv.com,imageweb.ws,pezporn.com,wildpictures.net##[href="https://nudegirlsoncam.com/"] +perverttube.com##[href="https://usasexcams.com/"] +coomer.su,kemono.su##[href^="//a.adtng.com/get/"] +brazz-girls.com##[href^="/Site/Brazzers/"] +footztube.com##[href^="/tp/out"] +boobieblog.com##[href^="http://join.playboyplus.com/track/"] +thotstars.com##[href^="http://thotmeet.site/"] +androidadult.com,homemoviestube.com##[href^="https://aoflix.com/Home"] +hentai2read.com##[href^="https://camonster.com"] +akiba-online.com##[href^="https://filejoker.net/invite"] +sweethentai.com##[href^="https://gadlt.nl/"] +usasexguide.nl##[href^="https://instable-easher.com/"] +adultcomixxx.com##[href^="https://join.hentaisex3d.com/"] +ryuugames.com,yaoimangaonline.com##[href^="https://l.erodatalabs.com/s/"] > img +clubsarajay.com##[href^="https://landing.milfed.com/"] +javgg.net##[href^="https://onlyfans.com/action/trial/"] +sankakucomplex.com##[href^="https://s.zlink3.com/d.php"] +freebdsmxxx.org##[href^="https://t.me/joinchat/"] +bestthots.com,leakedzone.com##[href^="https://v6.realxxx.com/"] +porngames.club##[href^="https://www.familyporngames.games/"] +porngames.club##[href^="https://www.porngames.club/friends/out.php"] +koreanstreamer.xyz##[href^="https://www.saltycams.com"] +alotporn.com,amateurporn.me##[id^="list_videos_"] > [class="item"] +youjizz.com,youporngay.com##[img][src*="blob:"] +tophentai.biz##[src*="hentaileads/"] +hentaigasm.com##[src^="https://add2home.files.wordpress.com/"] +tubedupe.com##[src^="https://tubedupe.com/player/html.php?aid="] +hentai-gamer.com##[src^="https://www.hentai-gamer.com/pics/"] +pornhub.com##[srcset*="bloB:"] +pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,youjizz.com,youporn.com,youporngay.com##[style*="base64"] +pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,youjizz.com,youporn.com,youporngay.com##[style*="blob:"]:not(video) +xozilla.com##[style="height: 220px !important; overflow: hidden;"] +hentairider.com##[style="height: 250px;padding:5px;"] +eporner.com##[style="margin: 20px auto; height: 275px; width: 900px;"] +vjav.com##[style="width: 728px; height: 90px;"] +xozilla.com##[style^="height: 250px !important; overflow: hidden;"] +missav.ai,missav.ws,missav123.com,missav888.com##[x-show$="video_details'"] > div > .list-disc +pornone.com##a[class^="listing"] +f95zone.to##a[data-nav-id="AIPorn"] +f95zone.to##a[data-nav-id="AISexChat"] +boyfriendtv.com##a[href*="&creativeId=popunder-listing"] porn.com##a[href*="&ref="] -asspoint.com,babepedia.com,babesandstars.com,babesource.com,dachix.com,datoporn.co,dbnaked.com,definebabe.com,fux.com,gaytube.com,gfycatporn.com,girlsnaked.net,javfor.me,mansurfer.com,newpornstarblogs.com,pichunter.com,porn.com,porndoe.com,pornerbros.com,pornhubpremium.com,pornoxo.com,pornstarchive.com,porntube.com,redtube.com,rogreviews.com,sexyandfunny.com,shemaletubevideos.com,spankbang.com,spankwire.com,str8upgayporn.com,the-new-lagoon.com,theanalist.info,tube8.com,vporn.com,xhamster.one,xxxhdd.com,youjizz.com,youporn.com,yourdailypornstars.com##a[href*=".com/track/"] -pornhub.com##a[href*=".download/"] -redtube.com##a[href*=".hop.clickbank.net"] -badjojo.com,boysfood.com,celebrity-leaks.net,definebabe.com,efukt.com,eskimotube.com,fantasti.cc,gaytube.com,girlsofdesire.org,imagepix.org,keezmovies.com,madthumbs.com,pornerbros.com,pornxs.com,redtube.com,shemaletubevideos.com,therealpornwikileaks.com,xhamster.com,xxxkingtube.com,yea.xxx,youngpornvideos.com,yourdailypornstars.com##a[href*=".php"] -xxxporn.pics##a[href*=".solidcams.com?"] -cfake.com,porn-w.org,porn99.net##a[href*="//bit.ly/"] -cfake.com##a[href*="//bitly.com/"] -dagay.com##a[href*="/aff_ad?"] -adultfreex.com##a[href*="/brazzers-network/"] +asspoint.com,babepedia.com,babesandstars.com,blackhaloadultreviews.com,dbnaked.com,freeones.com,gfycatporn.com,javfor.me,mansurfer.com,newpornstarblogs.com,ok.porn,porn-star.com,porn.com,porndoe.com,pornhubpremium.com,pornstarchive.com,rogreviews.com,sexyandfunny.com,shemaletubevideos.com,spankbang.com,str8upgayporn.com,the-new-lagoon.com,tube8.com,wcareviews.com,xxxonxxx.com,youporn.com##a[href*=".com/track/"] +badjojo.com,boysfood.com,definebabe.com,efukt.com,fantasti.cc,girlsofdesire.org,imagepix.org,javfor.me,pornxs.com,shemaletubevideos.com,therealpornwikileaks.com##a[href*=".php"] +blackhaloadultreviews.com,boyfriendtv.com,hentaigasm.com,javjunkies.com,masahub.net,missav.ai,missav.ws,missav123.com,missav888.com,phun.org,porn-w.org##a[href*="//bit.ly/"] +celeb.gate.cc##a[href*="//goo.gl/"] taxidrivermovie.com##a[href*="/category/"] nude.hu##a[href*="/click/"] -faapy.com,hdzog.com,xcafe.com##a[href*="/cs/"] -data18.com,porndoe.com,theanalist.info,watchmygf.me,xxxhdd.com,xxxymovies.com##a[href*="/go/"] -megatube.xxx,xozilla.com##a[href*="/link/"] -onlydudes.tv##a[href*="/out.php?id="] -dbnaked.com,mansurfer.com,mypornstarbook.net##a[href*="/out/"] -mypornstarbook.net##a[href*="/out1/"] +hdzog.com,xcafe.com##a[href*="/cs/"] +lewdspot.com,mopoga.com##a[href*="/gm/"] +agedbeauty.net,data18.com,imgdrive.net,pornpics.com,pornpics.de,vipergirls.to##a[href*="/go/"] +pornlib.com##a[href*="/linkout/"] +mansurfer.com##a[href*="/out/"] avgle.com##a[href*="/redirect"] 4tube.com,fux.com,pornerbros.com,porntube.com##a[href*="/redirect-channel/"] -xhamster.com##a[href*="/sponsor/"] -porndig.com##a[href*="/trackhit/"] -nicsgalleries.com##a[href*="/us/"] -efukt.com##a[href*="/videos/"] -porndig.com##a[href*="/zone_link/"] -celebrity-slips.com##a[href*="?_atc="] -pornhat.com##a[href*="?aff="] -adultfreex.com,animeidhentai.com,daftsex.com,gotporn.com,katestube.com,megatube.xxx,pstargif.com,redtube.com,sextvx.com,spankbang.com,sxyprn.com,ultrahorny.com,vporn.com,xnostars.com,xozilla.com,xxxporn.pics,xxxymovies.com##a[href*="?ats="] -dachix.com##a[href*="?campaign_id="] -pornhat.com,redtube.com,thumbzilla.com##a[href*="?coupon="] -redtube.com##a[href*="?link_id="][href*="&tracker_id="] -drtuber.com##a[href*="?nats="] +cockdude.com##a[href*="/tsyndicate.com/"] +youpornzz.com##a[href*="/videoads.php?"] +pornhub.com,pornhubpremium.com,pstargif.com,spankbang.com,sxyprn.com,tube8.com,tube8vip.com,xozilla.com,xxxymovies.com##a[href*="?ats="] adultdvdempire.com##a[href*="?partner_id="][href*="&utm_"] -babe.today,eskimotube.com,xjapanese.com##a[href*="?track="] -pornhub.com##a[href*="abbp"] taxidrivermovie.com##a[href*="mrskin.com/"] -pornhub.com##a[href*="pleasedontslaymy"] -pronpic.org##a[href*="takyake.ru"] -adultfilmdatabase.com,animeidhentai.com,bos.so,camvideos.tv,camwhores.tv,celebrity-slips.com,cutscenes.net,dbnaked.com,devporn.net,efukt.com,fritchy.com,gifsauce.com,hentai2read.com,hotpornfile.org,hpjav.com,imagebam.com,imgbox.com,imgtaxi.com,motherless.com,myporn.club,planetsuzy.org,pussyspace.com,sendvid.com,sexgalaxy.net,sextvx.com,sexuria.com,sxyprn.com,thefappeningblog.com,ultrahorny.com,vintage-erotica-forum.com,waxtube.com,xopenload.com,yeapornpls.com##a[href*="theporndude.com"] -gaytube.com##a[href="/external/meet_and_fuck"] -efukt.com##a[href="http://crazyshit.com/?utm_"] -sex.com##a[href="http://idg.idealgasm.com/"] -porn99.net##a[href="http://porn99.net/asian/"] -xhamster.com##a[href="http://premium.xhamster.com/join.html?from=no_ads"] -pornwikileaks.com##a[href="http://www.adultdvd.com/?a=pwl"] -footfetishtube.com##a[href="http://www.footfetishtube.com/advertising_banner.php"] -stockingstv.com##a[href="http://www.stockingstv.com/banners/default.php"] -camwhores.tv##a[href^="//810f3f9dde63ae3.com/"] -vporn.com##a[href^="//bongacams.com/track?"] -vporn.com##a[href^="//bongacams2.com/track?"] -voyeur.net##a[href^="//voyeur.net/"] -fux.com##a[href^="/adc/"] -pornhd.com##a[href^="/connect/"] -babe.today,jjgirls.com##a[href^="/coupon/"] +adultfilmdatabase.com,animeidhentai.com,babeforums.org,bos.so,camvideos.tv,camwhores.tv,devporn.net,f95zone.to,fritchy.com,gifsauce.com,hentai2read.com,hotpornfile.org,hpjav.com,imagebam.com,imgbox.com,imgtaxi.com,motherless.com,muchohentai.com,myporn.club,oncam.me,pandamovies.pw,planetsuzy.org,porntrex.com,pussyspace.com,sendvid.com,sexgalaxy.net,sextvx.com,sexuria.com,thefappeningblog.com,vintage-erotica-forum.com,vipergirls.to,waxtube.com,xfantazy.com,yeapornpls.com##a[href*="theporndude.com"] +tsmodelstube.com##a[href="https://tsmodelstube.com/a/tangels"] bravotube.net##a[href^="/cs/"] sexhd.pics##a[href^="/direct/"] -gaytube.com##a[href^="/external/premium/"] -analpornpix.com,fecaltube.com##a[href^="/go/"] drtuber.com##a[href^="/partner/"] -dachix.com,dagay.com##a[href^="/sponsor/"] -anyvids.com##a[href^="http://ad.onyx7.com/"] -madthumbs.com##a[href^="http://adbucks.brandreachsys.com/"] -sex4fun.in##a[href^="http://adiquity.info/"] -extremetube.com,pornhub.com,spankwire.com##a[href^="http://ads.genericlink.com/"] -keezmovies.com,pornhub.com,redtube.com,spankbang.com,tube8.com##a[href^="http://ads.trafficjunky.net/"] -keezmovies.com,pornhub.com,tube8.com##a[href^="http://ads2.contentabc.com/"] -giftube.com##a[href^="http://adultfriendfinder.com/go/"] -anyporn.com##a[href^="http://anyporn.com/cs/"] -porn.com,youjizz.com,youporn.com,youporngay.com##a[href^="http://as.sexad.net/"] -avgle.com,camvideos.tv##a[href^="http://bongacams.com/track?"] -sex4fun.in##a[href^="http://c.mobpartner.mobi/"] -sex3dtoons.com##a[href^="http://click.bdsmartwork.com/"] -imghit.com##a[href^="http://crtracklink.com/"] -youjizz.com##a[href^="http://dat.itsup.com/"] -celeb.gate.cc##a[href^="http://enter."][href*="/track/"] -hollywoodoops.com##a[href^="http://exclusive.bannedcelebs.com/"] -bestgore.com##a[href^="http://frtya.com/"] -gamcore.com##a[href^="http://gamcore.com/ads/"] -smutty.com##a[href^="http://gamescarousel.com/"] -hentai-imperia.org,naughtyblog.org,rs-linkz.info##a[href^="http://goo.gl/"] -babestationtube.com##a[href^="http://hits.epochstats.com/"] -efukt.com##a[href^="http://inhumanity.com/?utm_"] -celeb.gate.cc,thumbzilla.com##a[href^="http://join."][href*="/track/"] -porn99.net##a[href^="http://lauxanh.us/"] -incesttoons.info##a[href^="http://links.verotel.com/"] -babesandstars.com,efukt.com##a[href^="http://rabbits.webcam/"] -iseekgirls.com,motherless.com,small-breasted-teens.com,the-new-lagoon.com,tube8.com##a[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] -hentairules.net##a[href^="http://secure.bondanime.com/track/"] -hentairules.net##a[href^="http://secure.futafan.com/track/"] -hentairules.net##a[href^="http://secure.lestai.com/track/"] -hentairules.net##a[href^="http://secure.titanime.com/track/"] -dachix.com,dagay.com,deviantclip.com,voyeur.net##a[href^="http://seethisinaction.com/"] -bestgore.com##a[href^="http://seethisinaction.com/servlet/"] -perfectgirls.net##a[href^="http://syndication.exosrv.com/"] -beardedperv.com,youjizz.com##a[href^="http://syndication.traffichaus.com/"] -xhamster.com##a[href^="http://theater.aebn.net/dispatcher/"] -imagetwist.com##a[href^="http://www.2girlsteachsex.com/"] -2hot4fb.com##a[href^="http://www.2hot4fb.com/catch.php?id="] -nifty.org##a[href^="http://www.adlbooks.com/"] +pornhub.com,spankbang.com##a[href^="http://ads.trafficjunky.net/"] +teenmushi.org##a[href^="http://keep2share.cc/code/"] +babesandstars.com##a[href^="http://rabbits.webcam/"] +adultgifworld.com,babeshows.co.uk,boobieblog.com,fapnado.com,iseekgirls.com,the-new-lagoon.com##a[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] hentai-imperia.org##a[href^="http://www.adult-empire.com/rs.php?"] xcritic.com##a[href^="http://www.adultdvdempire.com/"][href*="?partner_id="] -picfoco.com##a[href^="http://www.adultfriendfinder.com/search/"] -bravotube.net##a[href^="http://www.bravotube.net/cs/"] -heavy-r.com##a[href^="http://www.cams4free.com/landing/"] -free-adult-anime.com##a[href^="http://www.cardsgate-cs.com/redir?"] -celeb.gate.cc##a[href^="http://www.cashdorado.de/track/"] -filthdump.com##a[href^="http://www.filthdump.com/adtracker.php?"] -alotporn.com##a[href^="http://www.fling.com/"] -myfreeblack.com##a[href^="http://www.fling.com/enter.php"] -porn.com##a[href^="http://www.fuckeveryday.com/"] hentairules.net##a[href^="http://www.gallery-dump.com"] -hentai2read.com##a[href^="http://www.gay-harem.org/"] -mansurfer.com##a[href^="http://www.gaysexexposed.com/?t="] -cliphunter.com,eskimotube.com,thumbzilla.com,tube8.com,xhamster.com,yea.xxx##a[href^="http://www.linkfame.com/"] -girlsnaked.net##a[href^="http://www.mrvids.com/out/"] -tube8.com##a[href^="http://www.mykinkygfs.com/"] -efukt.com##a[href^="http://www.painaltube.com/?utm_"] -imgcandy.net##a[href^="http://www.porntrex.com"] -hclips.com##a[href^="http://www.rabbits.webcam/"] -redtube.com##a[href^="http://www.redtube.com/click.php?id="] -sexwebvideo.com##a[href^="http://www.sexwebvideo.com/link/"] -sex3dtoons.com##a[href^="http://www.shinydollars.com/sites/3dld/?id="] -porn.com##a[href^="http://www.slutfinder.com/"] -eskimotube.com##a[href^="http://www.streamate.com/"] -eskimotube.com##a[href^="http://www.tjoobvip.com/"] -xxxprivates.com##a[href^="http://www.xxxprivates.com/out-sponsor-"] -katestube.com##a[href^="https://ads.traffichaus.com/"] -xxxgames.biz##a[href^="https://detour.click/"] -camwhores.tv##a[href^="https://go.stripcash.com/"] -camvideos.tv,camwhores.tv,proporn.com,xhamster.com##a[href^="https://go.stripchat.com/"] -creepshots.com##a[href^="https://go.trkclick2.com/"] -prestashop.com##a[href^="https://partners.a2hosting.com/solutions.php?id="] -thefappeningblog.com##a[href^="https://porndabster.com/?utm_"] -sex.com,spankbang.com##a[href^="https://porngames.adult/"] -rule34.xxx##a[href^="https://rule34.xxx/c.html"] -fantasti.cc##a[href^="https://syndication.traffichaus.com/"] -adultfreex.com##a[href^="https://t.co/"] -yespornplease.com##a[href^="https://www.brazzersnetwork.com/"] -celebrity-slips.com##a[href^="https://www.celebrity-slips.com/rd/"] +f95zone.to,pornhub.com,pornhubpremium.com,redtube.com##a[href^="https://ads.trafficjunky.net/"] +hentai2read.com##a[href^="https://arf.moe/"] +imgsen.com##a[href^="https://besthotgayporn.com/"] +imx.to##a[href^="https://camonster.com/"] +f95zone.to##a[href^="https://candy.ai/"] +hog.tv##a[href^="https://clickaine.com"] +spankbang.com##a[href^="https://deliver.ptgncdn.com/"] +seexh.com,valuexh.life,xhaccess.com,xhamster.com,xhamster.desi,xhamster2.com,xhamster3.com,xhamster42.desi,xhamsterporno.mx,xhbig.com,xhbranch5.com,xhchannel.com,xhchannel2.com,xhdate.world,xhlease.world,xhofficial.com,xhspot.com,xhtab4.com,xhtotal.com,xhtree.com,xhwide2.com,xhwide5.com##a[href^="https://flirtify.com/"] +hitbdsm.com##a[href^="https://go.rabbitsreviews.com/"] +instantfap.com##a[href^="https://go.redgifcams.com/"] +sexhd.pics##a[href^="https://go.stripchat.com/"] +imgsen.com##a[href^="https://hardcoreincest.net/"] +adultgamesworld.com##a[href^="https://joystick.tv/t/?t="] +yaoimangaonline.com##a[href^="https://l.hyenadata.com/"] +gayforfans.com##a[href^="https://landing.mennetwork.com/"] +trannygem.com##a[href^="https://landing.transangelsnetwork.com/"] +datingpornstar.com##a[href^="https://mylinks.fan/"] +mrdeepfakes.com##a[href^="https://pages.faceplay.fun/ds/index-page?utm_"] +babepedia.com##a[href^="https://porndoe.com/"] +oncam.me##a[href^="https://pornwhitelist.com/"] +mrdeepfakes.com##a[href^="https://pornx.ai?ref="] +oncam.me##a[href^="https://publishers.clickadilla.com/signup"] +fans-here.com##a[href^="https://satoshidisk.com/"] +forums.socialmediagirls.com##a[href^="https://secure.chewynet.com/"] +smutr.com##a[href^="https://smutr.com/?action=trace"] +pornlizer.com##a[href^="https://tezfiles.com/store/"] +allaboutcd.com##a[href^="https://thebreastformstore.com/"] +thotimg.xyz##a[href^="https://thotsimp.com/"] +oncam.me##a[href^="https://torguard.net/aff.php"] +muchohentai.com##a[href^="https://trynectar.ai/"] +forums.socialmediagirls.com##a[href^="https://viralporn.com/"][href*="?utm_"] +oncam.me##a[href^="https://www.clickadu.com/?rfd="] +f95zone.to##a[href^="https://www.deepswap.ai"] +myreadingmanga.info##a[href^="https://www.dlsite.com/"] +namethatpornad.com,vxxx.com##a[href^="https://www.g2fame.com/"] +myreadingmanga.info,yaoimangaonline.com##a[href^="https://www.gaming-adult.com/"] gotporn.com##a[href^="https://www.gotporn.com/click.php?id="] -spankwire.com##a[href^="https://www.mrporngeek.com/"] -avn.com,penthouse.com##a[href^="https://www.myfreecams.com/"][href*="&track="] -sex.com##a[href^="https://www.rabbits.webcam/?id="] -babesandstars.com##a[href^="https://www.watchmygf.me/"] -vporn.com##a[onclick*="adclick"] -keezmovies.com##a[onclick*="window.open"] -barelist.com##a[onclick="CallServer('ad', '')"] -tube8.com,tube8.es,tube8.fr##a[onclick^="loadAdFromHeaderTab('http://ads.genericlink.com"] -xxxstreams.eu##a[style] -hentai-foundry.com##a[target="_new"] > img[src] -picfoco.com##a[title="Sponsor link"] -pornhub.com,redtube.com##ads -mofosex.com##article[style="position: relative; overflow: hidden; width: 299px; height: 249px; margin:0 auto;"] -pornhub.com##aside > [style="display: block;"] > table -pornhub.com##aside > span:first-child -alrincon.com,boobieblog.com,thenipslip.com##canvas -drtuber.com##div + style[id] + div[class] -ngentot.tv##div > a[href][target="_blank"] -pornhub.com##div > aside > aside -txxx.com##div > div[style*="z-index:"] +spankbang.com##a[href^="https://www.iyalc.com/"] +imagebam.com,vipergirls.to##a[href^="https://www.mrporngeek.com/"] +pimpandhost.com##a[href^="https://www.myfreecams.com/"][href*="&track="] +couplesinternational.com##a[href^="https://www.redhotpie.com"] +pornhub.com##a[href^="https://www.uviu.com"] +barelist.com,spankingtube.com##a[onclick] +h-flash.com##a[style^="width: 320px; height: 250px"] +povaddict.com##a[title^="FREE "] +aniporn.com,bdsmx.tube##article > section +girlonthenet.com##aside[data-adrotic] +xpassd.co##aside[id^="tn_ads_widget-"] +mysexgames.com##body > div[style*="z-index:"] +xxbrits.com##button[class^="click-fun"] +boobieblog.com,imgadult.com,lolhentai.net,picdollar.com,porngames.com,thenipslip.com,wetpussygames.com,xvideos.name##canvas redtube.com##div > iframe -xhamster.com##div > noscript + div[style] -sex3dtoons.com##div[align="center"] > table[width="940"][cellspacing="0"][cellpadding="0"][border="0"] -babesandbitches.net##div[class^="banner"] -tube8.com##div[class^="footer-ad"] -vivud.com##div[class^="player-banner"] -tubepornclassic.com##div[id^="ad-"] -tube8.com##div[id^="ad_zone_"] +motherless.com##div > table[style][border] +publicflashing.me##div.hentry +xxxdl.net##div.in_thumb.thumb +sexwebvideo.net##div.trailer-sponsor +underhentai.net##div[class*="afi-"] +redtube.com##div[class*="display: block; height:"] +twiman.net##div[class*="my-"][class*="px\]"] +camsoda.com##div[class^="AdsRight-"] +ovacovid.com##div[class^="Banner-"] +cam4.com,cam4.eu##div[class^="SponsoredAds_"] +hentaicovid.com##div[class^="banner-"] +xporno.tv##div[class^="block_ads_"] +hpjav.top##div[class^="happy-"] +hentaimama.io##div[class^="in-between-ad"] +pornwhite.com,sleazyneasy.com##div[data-banner] +theyarehuge.com##div[data-nosnippet] +hentai2read.com##div[data-type="leaderboard-top"] hentaistream.com##div[id^="adx_ad-"] -celeb.gate.cc##div[id^="bnrrotator_"] -voyeurhit.com##div[id^="div-ad-"] -hentaistream.com##div[id^="hs_ad"] +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##div[id^="after-boxes"] +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##div[id^="beside-video"] +pornsitetest.com##div[id^="eroti-"] +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##div[id^="native-boxes"] +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##div[id^="related-boxes-footer"] pornstarbyface.com##div[id^="sponcored-content-"] -tube8.com##div[id^="tj-zone"] -pornhub.com,redtube.com,youporn.com,youporngay.com##div[onclick*="bbbp1.com"] -ceporn.net##div[style="border:4px solid;width:300px;height:250px;background:#7e7e7e;"] -redtube.com##div[style="display: block !important;"] -javlibrary.com##div[style="display:block; position:relative; width:730px; height:92px; overflow:hidden; margin: 10px auto 0px auto;"] -xhamster.com##div[style="font-size: 10px; margin-top: 5px;"] -xxxstash.com##div[style="height: 250px; width: 960px;"] -empflix.com##div[style="height: 400px;"] -datoporn.co##div[style="height:30px; text-align:center; background-color:#ffcc1b; color:#000; font-weight: 700; font-size: 18px; margin:6px; border-radius:3px; line-height:30px;"] -mofosex.com##div[style="margin-top: 10px"] -porngals4.com##div[style="margin:0 0 15px 0;width:728px;height:90px;background:#FAFAFA;"] -xtube.com##div[style="text-align:center; width:1000px; height: 150px;"] -eegay.com##div[style="width:100%;display:inline-block;text-align:center"] -iloveinterracial.com##div[style="width:1000px;height:110px; background-color:#E9DECA; font-family: Tahoma,Helvetica,Arial,sans-serif; font-size: 11px; font-style:normal; color:#535353;"] -motherless.com##div[style="width:300px!important;height:250px!important;overflow:hidden;text-align:center"] -hdzog.com,voyeurhit.com##div[style="width:300px; height:250px;"] +lewdgamer.com##div[id^="spot-"] +hentaiff.com##div[id^="teaser"] +thefetishistas.com##div[id^="thefe-"] +eromanga-show.com,hentai-one.com,hentaipaw.com##div[id^="ts_ad_"] +pornhub.com,youporngay.com##div[onclick*="bp1.com"] +hentaistream.com##div[style$="width:100%;height:768px;overflow:hidden;visibility:hidden;"] +hentai.com##div[style="cursor: pointer;"] +xozilla.xxx##div[style="height: 250px !important; overflow: hidden;"] +porncore.net##div[style="margin:10px auto;height:200px;width:800px;"] +javplayer.me##div[style="position: absolute; inset: 0px; z-index: 999; display: block;"] +simpcity.su##div[style="text-align:center;margin-bottom:20px;"] +abxxx.com,aniporn.com,missav.ai,missav.ws,missav123.com,missav888.com##div[style="width: 300px; height: 250px;"] sexbot.com##div[style="width:300px;height:20px;text-align:center;padding-top:30px;"] -porn.com##div[style="width:300px;height:250px;margin:auto"] -newbigtube.com##div[style="width:640px; min-height:54px; margin-top:8px; padding:5px;"] -xhamster.com##div[style="width:950px; height:250px;overflow: hidden; margin: 0 auto;"] -porn.com##div[style="width:950px;height:250px;margin:auto"] -tmz.com##div[style^="display: block; height: 35px;"] -mofosex.com##div[style^="width: 300px;"] -xhamster.com##div[style^="width:315px; height:300px;"] -imgflare.com##div[style^="width:604px; height:250px;"] -extremetube.com,pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(*data:image*) -extremetube.com,pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(base64) -extremetube.com,pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(data:) -extremetube.com,pornhub.com,redtube.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(image/) -pornhub.com##figure > [id][style="display: block;"] +pornpics.network##div[style^="height: 250px;"] +gay0day.com##div[style^="height:250px;"] +ooxxx.com##div[style^="width: 728px; height: 90px;"] +thehentai.net##div[style^="width:300px; height:250px;"] +javtorrent.me##div[style^="width:728px; height: 90px;"] rateherpussy.com##font[size="1"][face="Verdana"] -cliphunter.com##h2[style="color: blue;"] -pornhub.com,redtube.com##iframe[height*="/"] -pornhub.com,redtube.com##iframe[height*="PX"] -pornhub.com,redtube.com##iframe[height*="Px"] -pornhub.com,redtube.com##iframe[height*="pX"] -pornhub.com,redtube.com##iframe[height*="px"] -3movs.com##iframe[height="250"][width="300"] -javjunkies.com##iframe[height="670"] -pornhd.com,pornroxxx.com##iframe[scrolling] -vivud.com##iframe[src*="/ban/"] +javgg.net##iframe.lazyloaded.na +smutty.com##iframe[scrolling="no"] xcafe.com##iframe[src] watchteencam.com##iframe[src^="http://watchteencam.com/images/"] -pornhub.com##iframe[style="width: 350px; height: 350px;"] -reallifecamhd.com##iframe[style][width] -thisav.com##iframe[width="160"][height="600"] -4sex4.com,motherless.com##iframe[width="300"] -thisav.com,tnaflix.com,youporn.com##iframe[width="300"][height="250"] -redtube.com##iframe[width="320"][height="270"] -yourasiansex.com##iframe[width="660"] -videosgls.com.br##iframe[width="800"] -hentai-foundry.com##iframe[width] -pornhub.com##iframe[width][height*="px"] -adultfreex.com,porn.com##img[height="250"][width="300"] -porn.com##img[height="250"][width="950"] -avgle.com,hotgirlclub.com,pornobae.com,xxxkingtube.com##img[src*=".php"] -fantasti.cc,pornerbros.com,pornxs.com##img[src*=".php?"] +komikindo.info,manga18fx.com,manhwa18.cc,motherless.com##iframe[style] +3movs.com,ggjav.com,tnaflix.com##iframe[width="300"] +avgle.com##img[src*=".php"] +pornhub.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporngay.com##img[src*="blob:" i]:not(video) 4tube.com##img[src][style][width] -pornhub.com##img[src^="http://www.pornhub.com/album/strange/"] -extremetube.com,spankwire.com##img[style="height: 250px; width: 300px;"] -hentai-foundry.com##img[style="height: 90px; width: 728px;"] -lukeisback.com##img[width="140"][height="525"] -loralicious.com##img[width="250"] -brit-babes.com##img[width="280"] -loralicious.com##img[width="300"] -4sex4.com##img[width="300"][height="244"] -extremetube.com,pornhub.com,spankwire.com##img[width="300"][height="250"] -naughty.com##img[width="450"] -adultwork.com,babepicture.co.uk,imagetwist.com,naughty.com,sexmummy.com,tophentai.biz,tvgirlsgallery.co.uk##img[width="468"] -clips4sale.com##img[width="468px"] -anetakeys.net##img[width="500"] -4fuckr.com,babeshows.co.uk,jessie-rogers.com,rule34hentai.net##img[width="728"] -mofosex.com##li[style="width: 385px; height: 380px; display: block; float: right;"] -youporn.com##milktruck > div -boundhub.com##noindex > .opt -boundhub.com##noindex > .place -boundhub.com##noindex > .top -hentai-foundry.com##p > a[href][target="_blank"] -pornhub.com,redtube.com##sads -picfoco.com##table[border="0"][width="728"] -xcritic.com##table[cellpadding="10"][width="600"] -xvideos.com##table[height="480"] -loadsofpics.com##table[height="750"] -pornper.com,xxxkinky.com##table[width="100%"][height="260"] -humoron.com##table[width="527"] -exgfpics.com##table[width="565"] -xcritic.com##table[width="610"][height="150"] -imagecarry.com##table[width="610"][height="260"] -milkmanbook.com##table[width="620"] -free-adult-anime.com##table[width="620"][cellspacing="1"][cellpadding="4"][bordercolor="#FF33FF"][border="0"] -amateuralbum.net##table[width="722"] -hotlinkimage.com##table[width="728"] -exgfpics.com##table[width="750"][height="248"] -grannysexforum.com##table[width="768"][height="226"] -titsintops.com##table[width="780"] -newsfilter.org##table[width="800px"] -anyvids.com##table[width="860"][cellspacing="1"][cellpadding="10"][border="1"] -magnetxxx.com##table[width="900"][height="250"] -petiteteenager.com##table[width="960"][height="102"] -boobieblog.com##td[align="center"][width="20%"] -skimtube.com##td[align="center"][width="330"] -rude.com##td[height="25"] -furnow.com##td[height="300"][align="center"] -ezilon.com##td[width="120"][align="center"] -asianforumer.com##td[width="160"][valign="top"][align="left"] -sharks-lagoon.fr##td[width="164"][valign="top"][bgcolor="#3366ff"][align="center"] -imagedunk.com##td[width="250"] -imagedax.net,youjizz.com##td[width="300"] -pornwikileaks.com##td[width="43"] -youjizz.com##tr > td + td[valign="top"] -youjizz.com##tr > td[style*="padding"][width] -youporn.com##video[id]:first-child -pornhub.com##video[style*="display: block !important;"] -vivud.com##video[webkit-playsinline] -pornhub.com##zzzzz -! motherless.com -motherless.com###anonymous-notice -motherless.com###main > #content + div[style*="text-align:center;"] -motherless.com##.sidebar > table[style][cellpadding="0"] -motherless.com##[class][style*="data:image/gif;base64,"] -motherless.com##[class][style*="data:image/jpeg;base64"] -motherless.com##[class][style] > [width][height] -motherless.com##a[href^="http://www.safelinktrk.com/"] -motherless.com##div > table[style][border] -motherless.com##iframe[style] +pornhub.com##img[srcset] +mature.community,milf.community,milf.plus,pornhub.com##img[width="300"] +sexmummy.com##img[width="468"] +mrjav.net##li[id^="video-interlacing"] +pictoa.com##nav li[style="position: relative;"] +boundhub.com##noindex +pornhd.com##phd-floating-ad +koreanstreamer.xyz##section.korea-widget +porngifs2u.com##section[class*="elementor-hidden-"] +redtube.com##svg +mysexgames.com##table[height="630"] +mysexgames.com##table[height="640"] motherless.com##table[style*="max-width:"] -! CSS property filters +exoav.com##td > a[href] +xxxcomics.org##video +tube8.es,tube8.fr,youporngay.com##video[autoplay] +porndoe.com,redtube.com##video[autoplay][src*="blob:" i] +porndoe.com,redtube.com##video[autoplay][src*="data:" i] +! top-level domain wildcard +cam4.*##div[class^="SponsoredAds_"] +! ! :has() +redgifs.com##.SideBar-Item:has(> [class^="_liveAdButton"]) +porn-w.org##.align-items-center.list-row:has(.col:empty) +picsporn.net##.box:has(> .dip-exms) +porngames.com##.contentbox:has(a[href="javascript:void(0);"]) +porngames.com##.contentbox:has(iframe[src^="//"]) +kimochi.info##.gridlove-posts > .layout-simple:has(.gridlove-archive-ad) +tokyomotion.com##.is-gapless > .has-text-centered:has(> div > .adv) +4kporn.xxx,crazyporn.xxx,hoes.tube,love4porn.com##.item:has(> [class*="ads"]) +vagina.nl##.list-item:has([data-idzone]) +darknessporn.com,familyporner.com,freepublicporn.com,pisshamster.com,punishworld.com,xanimu.com##.no-gutters > .col-6:has(> #special-block) +kbjfree.com##.relative.w-full:has(> .video-card[target="_blank"]) +pornhub.com##.sectionWrapper:has(> #bottomVideos > .wrapVideoBlock) +hentaicomics.pro##.single-portfolio:has(.xxx-banner) +xasiat.com##.top:has(> [data-zoneid]) +scrolller.com##.vertical-view__column > .vertical-view__item:has(> div[style$="overflow: hidden;"]) +povxl.com##.video-holder > div:has([id^="ts_ad_native_"]) +porndoe.com##.video-item:has(a.video-item-link[ng-native-click]) +jav4tv.com##aside:has(.ads_300_250) +youporn.com##aside:has(a.ad-remove) +pornhub.com##div[class="video-wrapper"] > .clear.hd:has(.adsbytrafficjunky) +rule34.paheal.net##section[id$="main"] > .blockbody:has(> div[align="center"] > ins) +! ! Advanced element hiding rules +4wank.com#?#.video-holder > center > :-abp-contains(/^Advertisement$/) +crocotube.com#?#.ct-related-videos-title:-abp-contains(Advertisement) +crocotube.com#?#.ct-related-videos-title:-abp-contains(You may also like) +hdpornpics.net#?#.money:-abp-has(.century:-abp-contains(ADS)) +hotmovs.com#?#.block_label--last:-abp-contains(Advertisement) +okxxx1.com#?#.bn-title:-abp-contains(Advertising) +porn-w.org#?#.row:-abp-contains(Promotion Bot) pornhub.com#?#:-abp-properties(height: 300px; width: 315px;) pornhub.com,youporn.com#?#:-abp-properties(float: right; margin-top: 30px; width: 50%;) -! -----------------------Whitelists to fix broken sites------------------------! -! *** easylist:easylist/easylist_whitelist.txt *** -@@.com/b/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@.com/banners/$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|sianevents.com|travelplus.com -@@.com/image-*-$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|extrarebates.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com -@@.net/image-*-$image,domain=catalogfavoritesvip.com|extrarebates.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@/advertising-glype/*$image,stylesheet,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@/cdn-cgi/pe/bag2?*-adspot-$domain=dailycaller.com -@@/cdn-cgi/pe/bag2?*.openx.$domain=dailycaller.com -@@/cdn-cgi/pe/bag2?*adblade.com$domain=addictinginfo.com|reverbpress.com|socialmediamorning.com -@@/cdn-cgi/pe/bag2?*content.ad$domain=lazygamer.net -@@/cdn-cgi/pe/bag2?*googleadservices.com%2Fgpt%2Fpubads_impl_$xmlhttprequest,domain=biznews.com|dailycaller.com -@@/cdn-cgi/pe/bag2?*googleadservices.com%2Fpagead%2Fconversion.js$xmlhttprequest,domain=ethica.net.au|factom.org|gogoonhold.com.au -@@/cdn-cgi/pe/bag2?*googlesyndication.com%2Fpagead%2Fshow_ads.js$domain=talksms.com|youngcons.com -@@/cdn-cgi/pe/bag2?*pagead2.googlesyndication.com$domain=dailycaller.com|nmac.to|notalwaysfriendly.com|notalwayshopeless.com|notalwayslearning.com|notalwaysrelated.com|notalwaysright.com|notalwaysromantic.com|notalwaysworking.com -@@/cdn-cgi/pe/bag2?*pagead2.googlesyndication.com%2Fpub-config$domain=talksms.com|youngcons.com -@@/display-ad/*$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@/iframe_video/ad.php?$object-subrequest,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wordpress/wp-admin/*-ads-manager/*$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wordpress/wp-admin/*/adrotate/*$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/ad-inserter/css/*$image,stylesheet,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/ad-inserter/includes/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/ad-inserter/js/ad-inserter.js$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/bwp-minify/min/?f=$script,stylesheet,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@|blob:resource://$image -@@||192.168.$~third-party,xmlhttprequest,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||192.168.*/images/adv_$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||196.30.218.174/admentor/sirius_sdo_top.htm$subdocument,domain=sharedata.co.za -@@||196.30.218.174/admentor/top_$subdocument,domain=fundsdata.co.za -@@||209.222.8.217/crossdomain.xml$object-subrequest,domain=~p2p.adserver.ip -@@||247realmedia.com^*/farecomp/ -@@||24ur.com/adserver/adall. -@@||24ur.com/static/*/banners.js -@@||33universal.adprimemedia.com/vn/vna/data/ad.php?$object-subrequest -@@||360gig.com/images/1_468x60.png -@@||4cdn.org/adv/$image,xmlhttprequest,domain=4chan.org -@@||53.com/resources/images/ad-rotator/ -@@||6waves.com/ads/720x300/ -@@||6waves.com/js/adshow.js -@@||961bobfm.com/Pics/Ad%20Images/LISTEN_LIVE_BUTTON.png -@@||9msn.com.au/Services/Service.axd?callback=ninemsn_ads_contextualTargeting_$script,domain=ninemsn.com.au -@@||9msn.com.au/share/com/adtrack/adtrack.js$domain=ninemsn.com.au -@@||9msn.com.au^*/ads/ninemsn.ads$script -@@||a.giantrealm.com/assets/vau/grplayer*.swf -@@||a.intentmedia.net/adServer/$script,domain=hotwire.com -@@||abbyy.com/adx/$~third-party -@@||abc.com/streaming/ads/preroll_$object-subrequest,domain=abc.go.com -@@||abcnews.com/assets/static/ads/fwps.js -@@||abcnews.go.com/assets/static/ads/fwps.js -@@||accelo.com^*/affiliation/$xmlhttprequest,domain=accelo.com -@@||activelydisengaged.com/wp-content/uploads/*/ad$image -@@||ad.103092804.com/st?ad_type=$subdocument,domain=wizard.mediacoderhq.com -@@||ad.71i.de/crossdomain.xml$object-subrequest -@@||ad.71i.de/global_js/magic/sevenload_magic.js$object-subrequest -@@||ad.adorika.com/st?ad_type=ad&ad_size=728x90$script,domain=lshunter.tv -@@||ad.adserve.com/crossdomain.xml$object-subrequest -@@||ad.afy11.net/crossdomain.xml$object-subrequest -@@||ad.doubleclick.net/ad/*.JABONG.COM$image,domain=jabong.com -@@||ad.doubleclick.net/ad/can/cbs/*;pausead=1;$object-subrequest -@@||ad.doubleclick.net/adi/*.JABONG.COM$document,subdocument,domain=jabong.com -@@||ad.doubleclick.net/adj/*/cartalk.audio_player;$script,domain=cartalk.com -@@||ad.doubleclick.net/adj/rstone.site/music/photos^$script,domain=rollingstone.com -@@||ad.doubleclick.net/adx/nbcu.nbc/rewind$object-subrequest -@@||ad.doubleclick.net/clk;*?https://dm.victoriassecret.com/product/$image,domain=freeshipping.com -@@||ad.doubleclick.net/pfadx/nbcu.nbc/rewind$object-subrequest -@@||ad.ghfusion.com/constants.js$domain=gamehouse.com +reddxxx.com#?#.items-center:-abp-contains(/^ad$/) +reddxxx.com#?#[role="gridcell"]:-abp-contains(/^AD$/) +redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(*data:image*) +redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(base64) +redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(data:) +redtube.com,tube8.com,tube8.es,tube8.fr,xvideos.com,youjizz.com,youporn.com,youporngay.com#?#:-abp-properties(image/) +! -----------------------Allowlists to fix broken sites------------------------! +! *** easylist:easylist/easylist_allowlist.txt *** +@@||2mdn.net/instream/html5/ima3.js$script,domain=earthtv.com|zdnet.com +@@||4cdn.org/adv/$image,xmlhttprequest,domain=4channel.org +@@||4channel.org/adv/$image,xmlhttprequest,domain=4channel.org +@@||abcnews.com/assets/js/prebid.min.js$~third-party +@@||abcnews.com/assets/player/$script,~third-party +@@||accuweather.com/bundles/prebid.$script @@||ad.linksynergy.com^$image,domain=extrarebates.com -@@||ad.reebonz.com/www/ -@@||ad.smartclip.net/crossdomain.xml$object-subrequest -@@||ad2.zophar.net/images/logo.jpg$image -@@||ad4.liverail.com/?compressed|$domain=pbs.org|wikihow.com -@@||ad4.liverail.com/crossdomain.xml$object-subrequest -@@||adap.tv/control?$object-subrequest -@@||adap.tv/crossdomain.xml$object-subrequest -@@||adap.tv/redir/client/adplayer.swf$object-subrequest @@||adap.tv/redir/javascript/vpaid.js -@@||adblockplus.org^$generichide,domain=easylist.adblockplus.org|reports.adblockplus.org -@@||adf.ly/static/image/ad_top_bg2.png? -@@||adguard.com/public/Adguard/Blog/Android/comparison/*_ads_$image,domain=adguard.com -@@||adhostingsolutions.com/crossdomain.xml$object-subrequest -@@||adimages.go.com/crossdomain.xml$object-subrequest -@@||adm.fwmrm.net^*/AdManager.js$script -@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=9jumpin.com.au|9news.com.au|bigbrother.com.au|ninemsn.com.au -@@||adm.fwmrm.net^*/LinkTag2.js$domain=6abc.com|7online.com|abc.go.com|abc11.com|abc13.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com|ahctv.com|destinationamerica.com|discovery.com|discoverylife.com|tlc.com -@@||adm.fwmrm.net^*/TremorAdRenderer.$object-subrequest,domain=go.com -@@||adm.fwmrm.net^*/videoadrenderer.$object-subrequest,domain=cnbc.com|go.com|nbc.com|nbcnews.com -@@||adnet.mennonite.net^$domain=adnetonline.org -@@||adnet.twitvid.com/crossdomain.xml$object-subrequest -@@||adotube.com/adapters/as3overstream*.swf?$domain=livestream.com -@@||adotube.com/crossdomain.xml$object-subrequest -@@||adroll.com/j/roundtrip.js$domain=onehourtranslation.com -@@||ads.belointeractive.com/realmedia/ads/adstream_mjx.ads/www.kgw.com/video/$script -@@||ads.bizx.info/www/delivery/spc.php?zones$script,domain=nyctourist.com -@@||ads.bridgetrack.com/ads_v2/script/btwrite.js$domain=ads.bridgetrack.com -@@||ads.cnn.com/js.ng/*&cnn_intl_subsection=download$script -@@||ads.dollartree.com/SneakPeek/$~third-party -@@||ads.eu.com/ads-$~third-party -@@||ads.exoclick.com/*.js$script,domain=gelbooru.com|thepiratebay.org -@@||ads.exoclick.com/close.png$image,domain=streamcloud.eu -@@||ads.freewheel.tv/|$media,domain=cnbc.com|my.xfinity.com|nbc.com|nbcsports.com -@@||ads.globo.com^*/globovideo/player/ -@@||ads.healthline.com/v2/adajax?$subdocument -@@||ads.indeed.com^$~third-party -@@||ads.intergi.com/crossdomain.xml$object-subrequest -@@||ads.m1.com.sg^$~third-party -@@||ads.mefeedia.com/flash/flowplayer-3.1.2.min.js -@@||ads.mefeedia.com/flash/flowplayer.controls-3.0.2.min.js -@@||ads.nationmedia.com/webfonts/$font -@@||ads.nyootv.com/crossdomain.xml$object-subrequest -@@||ads.nyootv.com:8080/crossdomain.xml$object-subrequest -@@||ads.pandora.tv/netinsight/text/pandora_global/channel/icf@ -@@||ads.pinterest.com^$~third-party -@@||ads1.atpclick.com/atpClick.aspx?$image,script,domain=jobnet.co.il|jobs-israel.com -@@||ads2.melia.com/toolib/components/hero/img/$~third-party +@@||addicted.es^*/ad728-$image,~third-party +@@||adjust.com/adjust-latest.min.js$domain=anchor.fm +@@||adm.fwmrm.net^*/TremorAdRenderer.$object,domain=go.com +@@||adm.fwmrm.net^*/videoadrenderer.$object,domain=cnbc.com|go.com|nbc.com|nbcnews.com +@@||adnxs.com/ast/ast.js$domain=zone.msn.com +@@||ads.adthrive.com/api/$domain=adamtheautomator.com|mediaite.com|packhacker.com|packinsider.com +@@||ads.adthrive.com/builds/core/*/js/adthrive.min.js$domain=adamtheautomator.com|mediaite.com|packhacker.com|packinsider.com +@@||ads.adthrive.com/builds/core/*/prebid.min.js$domain=mediaite.com +@@||ads.adthrive.com/sites/$script,domain=adamtheautomator.com|mediaite.com|packhacker.com|packinsider.com +@@||ads.freewheel.tv/|$media,domain=cnbc.com|fxnetworks.com|my.xfinity.com|nbc.com|nbcsports.com +@@||ads.kbmax.com^$domain=adspipe.com +@@||ads.pubmatic.com/adserver/js/$script,domain=wionews.com|zeebiz.com +@@||ads.pubmatic.com/AdServer/js/pwtSync/$script,subdocument,domain=dnaindia.com|independent.co.uk +@@||ads.roblox.com/v1/sponsored-pages$xmlhttprequest,domain=roblox.com +@@||ads.rogersmedia.com^$subdocument,domain=cbc.ca +@@||ads.rubiconproject.com/prebid/$script,domain=drudgereport.com|everydayhealth.com +@@||ads3.xumo.com^$domain=2vnews.com +@@||adsafeprotected.com/iasPET.$script,domain=independent.co.uk|reuters.com|wjs.com +@@||adsafeprotected.com/vans-adapter-google-ima.js$script,domain=gamingbible.co.uk|ladbible.com|reuters.com|wjs.com @@||adsales.snidigital.com/*/ads-config.min.js$script -@@||adserve.atedra.com/js/$script,domain=repeatmyvids.com -@@||adserve.atedra.com/vast/wrap.php?$script,domain=repeatmyvids.com -@@||adserve.atedra.com/zones.php$xmlhttprequest,domain=repeatmyvids.com -@@||adserver.vidcoin.com^*/get_campaigns?$xmlhttprequest -@@||adservice.google.*/adsid/integrator.js$domain=twitch.tv -@@||adservice.google.com/|$xmlhttprequest,domain=twitch.tv -@@||adssecurity.com/app_themes/ads/images/ -@@||advantabankcorp.com/ADV/$~third-party -@@||advertising.nzme.co.nz/media/$image,~third-party -@@||advertising.oriel.io^$xmlhttprequest -@@||advertising.racingpost.com^$image,script,stylesheet,~third-party,xmlhttprequest -@@||advertising.scoop.co.nz^ -@@||advertising.theigroup.co.uk^$~third-party -@@||advertising.utexas.edu^$~third-party -@@||advertising.vrisko.gr^$~third-party -@@||advweb.ua.cmu.edu^$~third-party -@@||adweb.cis.mcmaster.ca^$~third-party -@@||adweb.pl^$~third-party -@@||affiliate.kickapps.com/service/ -@@||affiliate.skiamade.com^$subdocument,third-party +@@||adserver.skiresort-service.com/www/delivery/spcjs.php?$script,domain=skiresort.de|skiresort.fr|skiresort.info|skiresort.it|skiresort.nl +@@||adswizz.com/adswizz/js/SynchroClient*.js$script,third-party,domain=jjazz.net +@@||adswizz.com/sca_newenco/$xmlhttprequest,domain=triplem.com.au @@||airplaydirect.com/openx/www/images/$image -@@||akamai.net^*/ads/preroll_$object-subrequest,domain=bet.com -@@||amazon-adsystem.com/aax2/apstag.js$domain=twitch.tv -@@||amazonaws.com/banners/$image,domain=livefromdarylshouse.com|pandasecurity.com -@@||amazonaws.com/bt-dashboard-logos/$domain=signal.co -@@||amazonaws.com^*/sponsorbanners/$image,domain=members.portalbuzz.com -@@||ananzi.co.za/ads/$~third-party -@@||annfammed.org/adsystem/$image,~third-party -@@||anyvan.com/send-goods-api/$domain=preloved.co.uk -@@||aolcdn.com^*/adhads.css$domain=aol.com -@@||aolcdn.com^*/adsWrapper.$domain=aol.com|engadget.com|games.com|huffingtonpost.com|mapquest.com|stylelist.ca -@@||aone-soft.com/style/images/ad*.jpg -@@||api.cirqle.nl^*&advertiserId=$script,xmlhttprequest -@@||api.hexagram.com^$domain=scribol.com -@@||api.paymentwall.com^$domain=adguard.com +@@||almayadeen.net/Content/VideoJS/js/videoPlayer/VideoAds.js$script,~third-party +@@||amazon-adsystem.com/aax2/apstag.js$domain=accuweather.com|barstoolsports.com|blastingnews.com|cnn.com|familyhandyman.com|foxbusiness.com|gamingbible.co.uk|history.com|independent.co.uk|inquirer.com|keloland.com|radio.com|rd.com|si.com|sportbible.com|tasteofhome.com|thehealthy.com|time.com|wboy.com|wellgames.com|wkrn.com|wlns.com|wvnstv.com +@@||amazon-adsystem.com/widgets/q?$image,third-party +@@||amazonaws.com/prod.iqdcontroller.iqdigital/cdn_iqdspiegel/live/iqadcontroller.js.gz$domain=spiegel.de +@@||aniview.com/api/$script,domain=gamingbible.co.uk|ladbible.com +@@||aone-soft.com/style/images/ad2.jpg +@@||api.adinplay.com/libs/aiptag/assets/adsbygoogle.js$domain=bigescapegames.com|brofist.io|findcat.io|geotastic.net|lordz.io +@@||api.adinplay.com/libs/aiptag/pub/$domain=geotastic.net +@@||api.adnetmedia.lt/api/$~third-party +@@||apis.kostprice.com/fapi/$script,domain=gadgets.ndtv.com @@||apmebf.com/ad/$domain=betfair.com -@@||apmex.com/resources/ads/ -@@||appagg.com/css/ads.css$domain=appagg.com -@@||apple.com^*/ads/$object,object-subrequest,xmlhttprequest -@@||apple.com^*/images/ad-$image,domain=apple.com -@@||apple.com^*/images/ads_$image,domain=apple.com -@@||apple.com^*/includes/ads -@@||apple.com^*/video-ad.html -@@||archiproducts.com/adv/ -@@||auctionzip.com/cgi-bin/showimage.cgi? +@@||app.clickfunnels.com/assets/lander.js$script,domain=propanefitness.com +@@||app.hubspot.com/api/ads/$~third-party +@@||app.veggly.net/plugins/cordova-plugin-admobpro/www/AdMob.js$script,~third-party +@@||apv-launcher.minute.ly/api/$script +@@||archive.org/BookReader/$image,~third-party,xmlhttprequest +@@||archive.org/services/$image,~third-party,xmlhttprequest +@@||assets.ctfassets.net^$media,domain=ads.spotify.com +@@||assets.strossle.com^*/strossle-widget-sdk.js$script,domain=kaaoszine.fi +@@||at.adtech.redventures.io/lib/api/$xmlhttprequest,domain=gamespot.com|giantbomb.com|metacritic.com +@@||at.adtech.redventures.io/lib/dist/$script,domain=gamespot.com|giantbomb.com|metacritic.com +@@||atlas.playpilot.com/api/v1/ads/browse/$xmlhttprequest,domain=playpilot.com +@@||audience.io/api/v3/app/fetchPromo/$domain=campaign.aptivada.com @@||autotrader.co.uk^*/advert$~third-party -@@||backpackinglight.com/backpackinglight/ads/banner-$~third-party -@@||bahtsold.com/assets/home/openx/Thailand/$image,~third-party -@@||bahtsold.com/assets/images/ads/no_img_main.png -@@||bankofamerica.com^*?adx=$xmlhttprequest +@@||avclub.com^*/adManager.$script,~third-party +@@||bankofamerica.com^*?adx=$~third-party,xmlhttprequest @@||banmancounselling.com/wp-content/themes/banman/ -@@||banner.pumpkinpatchkids.com/www/delivery/$domain=pumpkinpatch.co.nz|pumpkinpatch.co.uk|pumpkinpatch.com|pumpkinpatch.com.au -@@||banner4five.com/banners/$~third-party -@@||bannerfans.com/banners/$image,~third-party -@@||bannerist.com/images/$image,domain=bannerist.com -@@||banners.gametracker.rs^$image -@@||banners.goldbroker.com/widget/ -@@||banners.webmasterplan.com/view.asp?ref=$image,domain=sunsteps.org -@@||banners.wunderground.com^$image -@@||bannersnack.net^$domain=bannersnack.com -@@||barafranca.*/banner.php|$~third-party,domain=barafranca.com -@@||bargetbook.com^$xmlhttprequest,domain=daclips.in -@@||bauerassets.com/global-js/prebid-$domain=parkers.co.uk -@@||bayie.com//uploads/ads/$image,~third-party -@@||bbc.co.uk^*/adsense_write.js$domain=bbc.com -@@||bbc.co.uk^*/advert.js$domain=bbc.co.uk|bbc.com -@@||bbc.co.uk^*/adverts.js$domain=bbc.co.uk|bbc.com -@@||bbci.co.uk^*/adsense_write.js$domain=bbc.com -@@||bbci.co.uk^*/adverts.js$domain=bbc.co.uk|bbc.com -@@||bbcimg.co.uk^*/adsense_write.js$domain=bbc.com -@@||bbcimg.co.uk^*/advert.js$domain=bbc.co.uk|bbc.com -@@||bbcimg.co.uk^*/adverts.js$domain=bbc.co.uk|bbc.com -@@||bbcimg.co.uk^*/SmpAds.swf$object-subrequest,domain=bbc.com -@@||beatthebrochure.com/js/jquery.popunder.js -@@||bebusiness.eu/js/adview.js -@@||bellaliant.net^*/banners/ads/$image,~third-party -@@||belwrite.com^$image,domain=streamcloud.eu -@@||betar.gov.bd/wp-content/plugins/useful-banner-manager/ -@@||betar.gov.bd/wp-content/uploads/useful_banner_manager_banners/ -@@||betrad.com^*.gif$domain=grammarist.com -@@||betterads.org^*-Sticky-Ad-$image,~third-party -@@||betteradvertising.com/logos/$image,domain=ghostery.com -@@||bigfile.to/script/jquery.popunder.js$script,~third-party -@@||bigfishaudio.com/banners/$image -@@||bikeexchange.com.au/adverts/ -@@||bing.com/images/async?q=$xmlhttprequest -@@||bing.com/maps/Ads.ashx$xmlhttprequest -@@||bing.com/search$popup,domain=msn.com -@@||bing.net/images/thumbnail.aspx?q=$image -@@||biz.yelp.com/ads_stats/$domain=biz.yelp.com -@@||blackshoppingchannel.com^*/ad_agency/$~third-party -@@||blackshoppingchannel.com^*/com_adagency/$~third-party -@@||blastro.com/pl_ads.php?$object-subrequest -@@||blizzardwatch.com^*/bw-ads.js -@@||blogspot.com^$image,domain=kissmanga.com -@@||bloomberg.com/rapi/ads/js_config.js -@@||bluetooth.com/banners/ -@@||bluetree.co.uk/hji/advertising.$object-subrequest -@@||bnbfinder.com/adv_getCity.php?$xmlhttprequest -@@||boats.com/ad/$~third-party,xmlhttprequest -@@||bodybuilding.com/ad-ops/prebid-adops-forums.js$script -@@||bodybuilding.com/ad-ops/prebid.js$script -@@||bonappetit.com/ams/page-ads.js? -@@||bonappetit.com^*/cn.dart.js -@@||booking.loganair.co.uk^*/images/ads- -@@||boracay.mobi/boracay/imageAds/$image,domain=boracay.tel -@@||boreburn.com^$generichide -@@||borneobulletin.com.bn/wp-content/banners/bblogo.jpg -@@||boston.com/images/ads/yourtown_social_widget/$image -@@||box10.com/advertising/*-preroll.swf -@@||boxedlynch.com/advertising-gallery.html -@@||bp.blogspot.com^$domain=adsense.googleblog.com -@@||brainient.com/crossdomain.xml$object-subrequest -@@||brandverity.com/letter/complaint/prepare/$document,domain=brandverity.com -@@||brandverity.com/reports/$document,domain=brandverity.com -@@||brightcove.com^*bannerid$third-party -@@||britannica.com/resources/images/shared/ad-loading.gif -@@||britishairways.com/cms/global/styles/*/openx.css -@@||brocraft.net/js/banners.js -@@||brothersoft.com/gads/coop_show_download.php?soft_id=$script -@@||bsvideos.com/json/ad.php? -@@||bthomehub.home/images/adv_ -@@||btrll.com/crossdomain.xml$object-subrequest -@@||btrll.com/vast/$object-subrequest,domain=nfl.com -@@||budgetedbauer.com^$script,domain=fyi.tv|history.com|mylifetime.com|speedtest.net -@@||bulletproofserving.com/scripts/ads*.js$domain=technobuffalo.com -@@||burfordadvertising.com/advertising/$~third-party -@@||business-supply.com/images/adrotator/ -@@||business.linkedin.com^*/advertise-$subdocument,domain=business.linkedin.com -@@||business.linkedin.com^*/advertise/$xmlhttprequest,domain=business.linkedin.com -@@||butlereagle.com/static/ads/ -@@||buy.com/buy_assets/addeals/$~third-party -@@||buyandsell.ie/ad/$~third-party -@@||buyandsell.ie/ads/$~third-party -@@||buyandsell.ie/images/ads/$~third-party -@@||buyforlessok.com/advertising/ -@@||buyselltrade.ca/adimages/$image,~third-party -@@||buzzadexchange.com/a/display.php?r=$script,domain=vivo.sx -@@||bworldonline.com/adserver/ -@@||cache.nymag.com/scripts/ad_manager.js -@@||calgarysun.com/assets/js/dfp.js? -@@||cameralabs.com/PG_library/Regional/US/Love_a_Coffee_120x240.jpg -@@||campingworld.com/images/AffiliateAds/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||canadianlisted.com/css/*/ad/index.css -@@||candystand.com/assets/images/ads/$image -@@||canoe.com/Canoe/Ad/premium/$script -@@||capertongillett.com/glp?r=$script,~third-party -@@||capitalone360.com/js/adwizard/adwizard_homepage.js? -@@||carambo.la^*/GetAds|$xmlhttprequest -@@||carandclassic.co.uk/images/buttons/edit_free_ad.gif +@@||bannersnack.com/banners/$document,subdocument,domain=adventcards.co.uk|charitychristmascards.org|christmascardpacks.co.uk|kingsmead.com|kingsmeadcards.co.uk|nativitycards.co.uk|printedchristmascards.co.uk +@@||basinnow.com/admin/upload/settings/advertise-img.jpg +@@||basinnow.com/upload/settings/advertise-img.jpg +@@||bauersecure.com/dist/js/prebid/$domain=carmagazine.co.uk +@@||bbc.co.uk^*/adverts.js +@@||bbc.gscontxt.net^$script,domain=bbc.com +@@||betterads.org/hubfs/$image,~third-party +@@||bigfishaudio.com/banners/$image,~third-party +@@||bikeportland.org/wp-content/plugins/advanced-ads/public/assets/js/advanced.min.js$script,~third-party +@@||bitcoinbazis.hu/advertise-with-us/$~third-party +@@||blueconic.net/capitolbroadcasting.js$script,domain=wral.com +@@||boatwizard.com/ads_prebid.min.js$script,domain=boats.com +@@||bordeaux.futurecdn.net/bordeaux.js$script,domain=gamesradar.com|tomsguide.com +@@||borneobulletin.com.bn/wp-content/banners/bblogo.jpg$~third-party +@@||brave.com/static-assets/$image,~third-party +@@||britannica.com/mendel-resources/3-52/js/libs/prebid4.$script,~third-party +@@||capitolbroadcasting.blueconic.net^$image,script,xmlhttprequest,domain=wral.com @@||carandclassic.co.uk/images/free_advert/$image,~third-party -@@||caranddriver.com/assets/js/ads/ads-combined.min.js -@@||caranddriver.com/tools/iframe/?$subdocument -@@||carzone.ie/es-ie/*advert$image,script,stylesheet -@@||cas.clickability.com/cas/cas.js?r=$script,domain=kmvt.com -@@||casino.com/banners/flash/$object,~third-party -@@||cbc.ca/ads/*.php?$xmlhttprequest -@@||cbs.com/sitecommon/includes/cacheable/combine.php?*/adfunctions. -@@||cbsistatic.com/cnwk.1d/ads/common/manta/adfunctions*.js$domain=cnettv.cnet.com -@@||cbsistatic.com^*/js/plugins/doubleclick.js$domain=cnet.com -@@||cbsistatic.com^*/sticky-ads.js? -@@||cbslocal.com/flash/videoads.*.swf$object,domain=radio.com -@@||cc-dt.com/link/tplimage?lid=$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||cctv.com/js/cntv_Advertise.js -@@||cdm.link/app/themes/cdm/js/ads.js$~third-party +@@||cbsi.com/dist/optanon.js$script,domain=cbsnews.com|zdnet.com +@@||cc.zorores.com/ad/*.vtt$domain=rapid-cloud.co +@@||cdn.adsninja.ca^$domain=carbuzz.com|xda-developers.com @@||cdn.advertserve.com^$domain=hutchgo.com|hutchgo.com.cn|hutchgo.com.hk|hutchgo.com.sg|hutchgo.com.tw -@@||cdn.betrad.com/pub/icon1.png$domain=usanetwork.com -@@||cdn.complexmedianetwork.com/cdn/agenda.complex.com/js/jquery.writecapture.js -@@||cdn.complexmedianetwork.com/cdn/agenda.complex.com/js/jwplayerl.js -@@||cdn.complexmedianetwork.com/cdn/agenda.complex.com/js/swfobject.js -@@||cdn.complexmedianetwork.com/cdn/agenda.complex.com/js/writecapture.js -@@||cdn.inskinmedia.com^*/brightcove3.js$domain=virginmedia.com -@@||cdn.inskinmedia.com^*/ipcgame.js?$domain=mousebreaker.com -@@||cdn.intentmedia.net^$image,script,domain=travelzoo.com -@@||cdn.jwplayer.com/v2/media/$xmlhttprequest,domain=investopedia.com -@@||cdn.pch.com/spectrummedia/spectrum/adunit/ -@@||cdn.travidia.com/fsi-page/$image -@@||cdn.travidia.com/rop-ad/$image -@@||cdn.travidia.com/rop-sub/$image -@@||cdn.turner.com^*/video/336x280_ad.gif -@@||cdn.vdopia.com^$object,object-subrequest,script,domain=indiatvnews.com|moneycontrol.com -@@||cdn77.org/static/js/advertisement*.js -@@||cdn77.org^$image,domain=splitsider.com -@@||cerebral.s4.bizhat.com/banners/$image,~third-party -@@||channel4.com/media/scripts/oasconfig/siteads.js -@@||channeladvisor.com^*/GetAds?$~third-party -@@||chase.com/content/*/ads/$image,~third-party -@@||chase.com^*/adserving/ -@@||cheapoair.ca/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest -@@||cheapoair.com/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest -@@||checkerdist.com/product-detail.cfm?*advert_id=$~third-party -@@||checkm8.com/adam/$script,domain=askqology.com -@@||checkm8.com/crossdomain.xml$object-subrequest -@@||chemistwarehouse.com.au/images/AdImages/ -@@||chibis.adotube.com/appruntime/player/$object,object-subrequest -@@||chibis.adotube.com/appRuntime/swfobject/$script -@@||chibis.adotube.com/napp/$object,object-subrequest -@@||chicavenue.com.au/assets/ads/$image,~third-party -@@||christianhouseshare.com.au/images/publish_ad1.jpg -@@||cio.com/www/js/ads/gpt_includes.js -@@||classifiedads.com/adbox.php$xmlhttprequest -@@||classifieds.wsj.com/ad/$~third-party -@@||classistatic.com^*/banner-ads/ -@@||cleveland.com/static/common/js/ads/ads.js -@@||click2houston.com/gmg.static/ads/$script -@@||clickbd.com^*/ads/$image,~third-party -@@||clickondetroit.com/gmg.static/ads/$script -@@||clickorlando.com/gmg.static/ads/$script -@@||clients*.google.com/adsense/*?key=$domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||cloudflare.com/ajax/libs/videojs-contrib-ads/$stylesheet,domain=healthmeans.com -@@||cloudflare.com^*/videojs.ads.js$domain=radiojavan.com -@@||cloudfront.net/_ads/$xmlhttprequest,domain=jobstreet.co.id|jobstreet.co.in|jobstreet.co.th|jobstreet.com|jobstreet.com.my|jobstreet.com.ph|jobstreet.com.sg|jobstreet.vn -@@||cloudfront.net/ad/$xmlhttprequest,domain=lucidchart.com|lucidpress.com -@@||cloudfront.net/ads/$domain=boreburn.com|yibada.com -@@||cloudfront.net/assets/ads_728x90-$script,domain=citationmachine.net -@@||club777.com/banners/$~third-party -@@||clustrmaps.com/images/clustrmaps-back-soon.jpg$third-party -@@||cnet.com/ad/ad-cookie/*?_=$xmlhttprequest -@@||cnsm.com.br/wp-content/plugins/wp-bannerize/css/wpBannerizeStyleDefault.css$domain=cnsm.com.br -@@||collegehumor.com^$generichide -@@||colorado.gov/airquality/psi/adv.png -@@||comeadvertisewithus.com^$script,domain=thecountrycaller.com -@@||commarts.com/Images/missinganissue_ad.gif -@@||commercialmotor.com/profiles/*advertisement/$image,~third-party -@@||commercialmotor.com^*/advertisement-images/$image,~third-party +@@||cdn.ex.co^$domain=mm-watch.com|theautopian.com +@@||cdn.wgchrrammzv.com/prod/ajc/loader.min.js$domain=journal-news.com +@@||chycor.co.uk/cms/advert_search_thumb.php$image,domain=chycor.co.uk +@@||clients.plex.tv/api/v2/ads/$~third-party +@@||cloudfront.net/js/common/invoke.js @@||commons.wikimedia.org/w/api.php?$~third-party,xmlhttprequest -@@||completemarkets.com/pictureHandler.ashx?adid=$image,~third-party -@@||computerworld.com/resources/scripts/lib/doubleclick_ads.js$script -@@||comsec.com.au^*/homepage_banner_ad.gif -@@||condenast.co.uk/scripts/cn-advert.js$domain=cntraveller.com -@@||connect.facebook.com^*/AudienceNetworkPrebid.js$domain=cbssports.com -@@||connect.facebook.net^*/AudienceNetworkPrebid.js$domain=cbssports.com -@@||connectingdirectories.com/advertisers/$~third-party,xmlhttprequest -@@||constructalia.com/banners/$image,~third-party -@@||contactmusic.com/advertpro/servlet/view/dynamic/$object-subrequest -@@||content-images.p-cdn.com/images/public/devicead/$image,domain=pandora.com -@@||content.aimatch.com/swfobject.js$domain=itv.com -@@||content.datingfactory.com/promotools/$script -@@||content.hallmark.com/scripts/ecards/adspot.js -@@||content.linkedin.com/content/*/text-ads/$image,domain=business.linkedin.com -@@||copesdistributing.com/images/adds/banner_$~third-party -@@||corporatehousingbyowner.com/js/ad-gallery.js -@@||cosmopolitan.com/ams/page-ads.js -@@||cosmopolitan.com/cm/shared/scripts/refreshads-$script -@@||countryliving.com/ams/page-ads.js -@@||cracker.com.au^*/cracker-classifieds-free-ads.$~document -@@||crazygamenerd.web.fc2.com^*/ads.png -@@||cricbuzz.com/includes/ads/images/cricbuzz/$~third-party -@@||cricbuzz.com/includes/ads/images/wct20/$image -@@||cricbuzz.com/includes/ads/images/worldcup/more_arrow_$image -@@||cricbuzz.com/includes/ads/schedule/$~third-party -@@||cricketcountry.com/js/ad-gallery.js$script -@@||crickwrite.com^$image,domain=streamcloud.eu -@@||crowdin.com/project/$xmlhttprequest,domain=crowdin.com -@@||csair.com/*/adpic.js -@@||csmonitor.com/advertising/sharetools.php$subdocument -@@||csoonline.com/js/doubleclick_ads.js? -@@||css-tricks.com/wp-content/uploads/*/google-adsense-$image,domain=css-tricks.com -@@||css.wpdigital.net/wpost/css/combo?*/ads.css -@@||ctrl.blog/media/adsense-$image,domain=ctrl.blog -@@||ctv.ca/players/mediaplayer/*/AdManager.js^ -@@||cubeecraft.com/openx/$~third-party +@@||connatix.com*/connatix.player.$script,domain=ebaumsworld.com|funker530.com|tvinsider.com|washingtonexaminer.com +@@||content.pouet.net/avatars/adx.gif$image,~third-party +@@||crackle.com/vendor/AdManager.js$script,~third-party @@||cvs.com/webcontent/images/weeklyad/adcontent/$~third-party -@@||cwtv.com^$generichide -@@||cxmedia.co^*/ads/ads.js$script,domain=goal.com -@@||cyberpower.advizia.com/CyberPower/adv.asp -@@||cyberpower.advizia.com^*/scripts/adv.js -@@||cydiaupdates.net/CydiaUpdates.com_600x80.png -@@||d1sp6mwzi1jpx1.cloudfront.net^*/advertisement_min.js$domain=reelkandi.com -@@||d2nlytvx51ywh9.cloudfront.net^$image,domain=streamcloud.eu -@@||d3con.org/data1/$image,~third-party -@@||d3iuob6xw3k667.cloudfront.net^*.com/ad/$xmlhttprequest,domain=lucidchart.com|lucidpress.com -@@||d3pkae9owd2lcf.cloudfront.net/mb102.js$domain=wowhead.com -@@||d6u22qyv3ngwz.cloudfront.net/ad/$image,domain=ispot.tv -@@||da-ads.com/truex.html?$domain=deviantart.com -@@||dailycaller.com/wp-content/plugins/advertisements/$script -@@||dailyhiit.com/sites/*/ad-images/ -@@||dailymail.co.uk^*/googleads--.js -@@||dailymotion.com/videowall/*&clickTAG=http -@@||danielechevarria.com^*/advertising-$~third-party -@@||dart.clearchannel.com/crossdomain.xml$object-subrequest -@@||data.panachetech.com/crossdomain.xml$object-subrequest -@@||data.panachetech.com/|$object-subrequest,domain=southpark.nl -@@||dataknet.com/s.axd?$stylesheet -@@||davescomputertips.com/images/ads/paypal.png -@@||davidsilverspares.co.uk/graphics/*_ad.gif$~third-party -@@||dawanda.com^*/ad_center.css$~third-party -@@||dawanda.com^*/adcenter.js$~third-party -@@||dc.tremormedia.com/crossdomain.xml$object-subrequest -@@||dealerimg.com/Ads/$image -@@||delicious.com^*/compose?url=$xmlhttprequest -@@||deliciousdigital.com/data/our-work/advertising/ -@@||delish.com/cm/shared/scripts/refreshads-*.js -@@||delivery.anchorfree.us/player-multi.php?$subdocument,domain=anchorfree.us -@@||delvenetworks.com/player/*_ad_$subdocument -@@||deployads.com/a/yourtailorednews.com.js$domain=yourtailorednews.com -@@||design-essentials.net/affiliate/$script,subdocument -@@||developer.apple.com/app-store/search-ads/images/*-ad -@@||deviantart.net/fs*/20*_by_$image,domain=deviantart.com -@@||deviantart.net/minish/advertising/downloadad_splash_close.png -@@||dexerto.com/app/themes/dexerto/assets/js/ads.js$domain=dexerto.com -@@||dianomi.com/partner/marketwatch/js/dianomi-marketwatch.js?$domain=marketwatch.com -@@||dianomi.com/recirculation.epl?id=$subdocument -@@||digiads.com.au/css/24032006/adstyle.css -@@||digiads.com.au/images/shared/misc/ad-disclaimer.gif -@@||digsby.com/affiliate/banners/$image,~third-party -@@||direct.fairfax.com.au/hserver/*/site=vid.*/adtype=embedded/$script -@@||directorym.com/articles_media/$domain=localmarket.autismsupportnetwork.com -@@||directtextbook.com^*.php?ad_ -@@||directwonen.nl/adverts/$~third-party -@@||discovery.com/components/consolidate-static/?files=*/adsense- -@@||disney.com.au/global/swf/banner300x250.swf -@@||disney.go.com/dxd/data/ads/game_ad.xml?gameid=$object-subrequest -@@||disneyphotopass.com/adimages/ -@@||disruptorbeam.com/assets/uploaded/ads/$image,~third-party -@@||dmgt.grapeshot.co.uk^$domain=dailymail.co.uk -@@||dmstatic.com^*/adEntry.js$domain=daft.ie -@@||doityourself.com^*/shared/ads.css$stylesheet -@@||dolidoli.com/images/ads- -@@||dolimg.com^*/dxd_ad_code.swf$domain=go.com -@@||dolphinimaging.com/banners.js -@@||dolphinimaging.com/banners/ -@@||domandgeri.com/banners/$~third-party -@@||dotomi.com/commonid/match?$script,domain=betfair.com -@@||doubleclick.net/ad/*.linkshare/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||doubleclick.net/ad/can/chow/$object-subrequest -@@||doubleclick.net/ad/can/tvcom/$object-subrequest,domain=tv.com -@@||doubleclick.net/adi/*.mlb/photos;*;sz=300x250;$subdocument,domain=mlb.com -@@||doubleclick.net/adi/*.mlb/scoreboard;pageid=scoreboard_ymd;sz=$subdocument,domain=mlb.com -@@||doubleclick.net/adi/amzn.*;ri=digital-music-track;$subdocument -@@||doubleclick.net/adi/apts.com/home;pos=$subdocument,domain=apartments.com -@@||doubleclick.net/adi/ebay.*/video;$subdocument,domain=ebay.com -@@||doubleclick.net/adi/mlb.mlb/*;pageid=cutfour;sz=$subdocument,domain=mlb.mlb.com -@@||doubleclick.net/adi/mlb.mlb/*;pageid=free_agent_tracker_$subdocument,domain=mlb.com -@@||doubleclick.net/adi/mlb.mlb/*^free_agent_tracker_12^$subdocument,domain=mlb.com -@@||doubleclick.net/adi/sny.tv/media;$subdocument,domain=sny.tv -@@||doubleclick.net/adi/sony.oz.opus/*;pos=bottom;$subdocument,domain=doctoroz.com -@@||doubleclick.net/adi/yesnetwork.com/media;$subdocument,domain=yesnetwork.com -@@||doubleclick.net/adi/zillow.hdp/$subdocument,domain=zillow.com -@@||doubleclick.net/adj/bbccom.live.site.auto/*^sz=1x1^$script,domain=bbc.com -@@||doubleclick.net/adj/cm.peo/*;cmpos=$script,domain=people.com -@@||doubleclick.net/adj/cm.tim/*;cmpos=$script,domain=time.com -@@||doubleclick.net/adj/ctv.muchmusicblog.com/$script -@@||doubleclick.net/adj/gamesco.socialgaming/$script,domain=ghsrv.com -@@||doubleclick.net/adj/imdb2.consumer.video/*;sz=320x240,$script -@@||doubleclick.net/adj/kval/health;pos=gallerytop;sz=$script,domain=kval.com -@@||doubleclick.net/adj/nbcu.nbc/videoplayer-$script -@@||doubleclick.net/adj/oiq.man.$script,domain=manualsonline.com -@@||doubleclick.net/adj/pch.candystand/video;pos=box;sz=300x250;a=$script,domain=candystand.com -@@||doubleclick.net/adj/pong.all/*;dcopt=ist;$script -@@||doubleclick.net/adj/profootballreference.fsv/$script,domain=pro-football-reference.com -@@||doubleclick.net/adj/yorkshire.jp/main-section;*;sz=120x600,160x600$script,domain=yorkshirepost.co.uk -@@||doubleclick.net/ddm/$image,domain=aetv.com|fyi.tv|history.com|mylifetime.com|speedtest.net -@@||doubleclick.net/ddm/clk/*://www.amazon.jobs/jobs/$subdocument,domain=glassdoor.com -@@||doubleclick.net/favicon.ico$image,domain=convert-me.com|goal.com|grammarist.com|videotoolbox.com -@@||doubleclick.net/N2605/adi/MiLB.com/scoreboard;*;sz=728x90;$subdocument -@@||doubleclick.net/N6545/adj/*_music/video;$script,domain=virginmedia.com -@@||doubleclick.net/N6619/adj/zillow.hdp/$script,domain=zillow.com -@@||doubleclick.net/pfadx/nfl.*/html5;$xmlhttprequest,domain=nfl.com -@@||doubleclick.net/pfadx/umg.*;sz=10x$script -@@||doubleclick.net^*/ad/nfl.*.smartclip/$object-subrequest,domain=nfl.com -@@||doubleclick.net^*/adi/MiLB.com/multimedia^$subdocument,domain=milb.com -@@||doubleclick.net^*/adi/MiLB.com/standings^$subdocument,domain=milb.com -@@||doubleclick.net^*/adj/wwe.shows/ecw_ecwreplay;*;sz=624x325;$script -@@||doubleclick.net^*/ftcom.*;sz=1x1;*;pos=refresh;$script,domain=ft.com -@@||doubleclick.net^*/ndm.tcm/video;$script,domain=player.video.news.com.au -@@||doubleclick.net^*/targeted.optimum/*;sz=968x286;$image,popup,script -@@||doubleclick.net^*/videoplayer*=worldnow$subdocument,domain=ktiv.com|wflx.com -@@||dove.saymedia.com^$xmlhttprequest -@@||downvids.net/ads.js -@@||dragon-mania-legends-wiki.mobga.me^*_advertisement. -@@||dragon-mania-legends-wiki.mobga.me^*_Advertisement_ -@@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/adserver.js?$domain=igougo.com|travelocity.com -@@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/drfcomms/advertisers?$script,domain=igougo.com|travelocity.com -@@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/drfcomms/drf?$script,domain=igougo.com|travelocity.com -@@||drizzle.monsoonads.com/ip.php$object-subrequest,domain=bollywoodhungama.com -@@||drop.ndtv.com/social/widgets/$script,domain=ndtv.com -@@||dropzone.no/sap/its/gfx/top_ad_$image,~third-party -@@||drunkard.com/banners/drunk-korps-banner.jpg -@@||drunkard.com/banners/drunkard-gear.jpg -@@||drunkard.com/banners/modern-drunkard-book.jpg -@@||drupal.org^*/revealads.png -@@||dstw.adgear.com/crossdomain.xml$object-subrequest -@@||dstw.adgear.com/impressions/int/as=*.json?ag_r=$object-subrequest,domain=hot899.com|nj1015.com|tsn.ca -@@||dwiextreme.com/banners/dwiextreme$image -@@||dx.com/openx/$image,~third-party -@@||dyncdn.buzznet.com/catfiles/?f=dojo/*.googleadservices.$script -@@||eagleboys.com.au/eagleboys/*/ads/$~third-party -@@||earthcam.com/swf/ads5.swf -@@||earthtechling.com^*/imasters-wp-adserver-styles.css -@@||earthtv.com/player_tmp/overlayad.js -@@||easyfundraising.org.uk/images/home/*-120x60.$image -@@||ebaumsworld.com/js/aol-prebid.js -@@||ebayrtm.com/rtm?rtmcmd&a=json&cb=parent.$script -@@||eboundservices.com/iframe/newads/iframe.php?stream=$subdocument -@@||economist.com.na^*/banners/cartoon_ -@@||edgar.pro-g.co.uk/data/*/videos/adverts/$object-subrequest -@@||edge.andomedia.com^*/ando/files/$object-subrequest,domain=radiou.com -@@||edmontonjournal.com/js/adsync/adsynclibrary.js -@@||edmontonsun.com/assets/js/dfp.js? -@@||eduspec.science.ru.nl^*-images/ad- -@@||eeweb.com/comics/*_ads-$image -@@||egotastic.us.intellitxt.com/intellitxt/front.asp -@@||ehow.co.uk/frames/ad.html?$subdocument -@@||eightinc.com/admin/zone.php?zoneid=$xmlhttprequest -@@||elephantjournal.com/ad_art/ -@@||eluxe.ca^*_doubleclick.js*.pagespeed.$script -@@||emailbidding.com^*/advertiser/$~third-party,xmlhttprequest -@@||emergencymedicalparamedic.com/wp-content/themes/AdSense/style.css -@@||empireonline.com/images/image_index/300x250/ -@@||engadget.com/_uac/adpage.html$subdocument -@@||engine.adzerk.net/ados?$script,domain=serverfault.com|stackoverflow.com -@@||engine.spotscenered.info^$script,domain=streamcloud.eu -@@||englishanimes.com/wp-content/themes/englishanimes/js/pop.js -@@||engrish.com/wp-content/uploads/*/advertisement-$image,~third-party -@@||entrobet.com/banners/$domain=entrobet.com -@@||epiccustommachines.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epiccustommachines.com -@@||epicgameads.com/crossdomain.xml$object-subrequest -@@||epicindustrialautomation.com/cdn-cgi/pe/bag2?r*googleadservices.com$xmlhttprequest,domain=epicindustrialautomation.com -@@||epicmodularprocess.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epicmodularprocess.com -@@||epicpackagingsystems.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epicpackagingsystems.com -@@||epicsysinc.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epicsysinc.com -@@||epicvisionsystems.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epicvisionsystems.com -@@||eplayerhtml5.performgroup.com/js/tsEplayerHtml5/js/Eplayer/js/modules/bannerview/bannerview.main.js? -@@||equippers.com/abm.aspx?$script -@@||equippers.com/absolutebm.aspx?$script -@@||esi.tech.ccp.is^*/affiliation/ -@@||espncdn.com/combiner/c?*/ads.css -@@||espngp.com/ads/*_sprite$domain=espnf1.com -@@||esquire.com/ams/page-ads.js?$script -@@||euads.org^$~third-party -@@||evanscycles.com/ads/$image,~third-party -@@||eventcinemas.co.nz^*_adhub_server_$script -@@||eventim.de/obj/basic/ad2_obj/layout/ -@@||ewallpapers.eu/ads/logo.jpg -@@||exoclick.com/ads.php?*login$script,domain=imgserve.net|imgtiger.com -@@||expedia.co.nz/html.cms/tpid=*&adsize= -@@||expedia.com/daily/common/msi.asp -@@||expedia.com/html.cms/TPID=*&ADSIZE=$subdocument -@@||expedia.com/js.ng/*&PLACEMENT=CXHOMECORE_$script -@@||expedia.com/minify/ads-min-*.js? -@@||explosm.net/comics/$image -@@||explosm.net/db/files/comics/$image -@@||expressclassifiedstt.com/adimg.php?$~third-party -@@||extras.chron.com/banners/*/social_icons/$image,subdocument -@@||ezone.com/banners/swfs/$object,domain=ezone.com -@@||f-cdn.com/build/js/ads/main.js?$domain=freelancer.com -@@||facdn.net/art/$image,domain=furaffinity.net -@@||facebook.com/ads/ajax/ads_stats_dialog/$~third-party,xmlhttprequest -@@||facebook.com/ads/api/preview_iframe.php$subdocument,~third-party -@@||facebook.com/ads/profile/advertisers/$~third-party,xmlhttprequest -@@||facebook.com/ads/profile/interests/$~third-party,xmlhttprequest -@@||facebook.com/ajax/feed/filter_action/dialog_direct_action_ads?$xmlhttprequest,domain=facebook.com -@@||facebook.com/rsrc.php/$domain=facebook.com -@@||faceinhole.com/adsense.swf$object-subrequest -@@||faculty.uml.edu^*/ad$image,~third-party -@@||farecompare.com^*/farecomp/ -@@||fbcdn.net/rsrc.php/ -@@||fbexternal-a.akamaihd.net/safe_image.php?$image,domain=facebook.com -@@||feedroom.speedera.net/static.feedroom.com/affiliate/ -@@||feeds.videogamer.com^*/videoad.xml?$object-subrequest -@@||festina.com/txt/advertising.xml$object-subrequest -@@||ff.connextra.com^$domain=pinnaclesports.com -@@||fifa.com/flash/videoplayer/libs/advert_$object-subrequest -@@||files.coloribus.com^$image,~third-party -@@||files.linuxgizmos.com/adlink_$image,domain=hackerboards.com -@@||filestage.to/design/player/player.swf?*&popunder=$object,third-party -@@||firstpost.in/wp-content/uploads/promo/social_icons.png -@@||fixtracking.com/images/ad-$image,~third-party -@@||flipboard.com/media/uploads/adv_$image,~third-party -@@||flossmanuals.net/site_static/xinha/plugins/DoubleClick/$~third-party -@@||flyerservices.com/cached_banner_pages/*bannerid= -@@||flysaa.com^*/jquery.adserver.js -@@||fmpub.net/site/$domain=theawl.com -@@||fncstatic.com^*/fox411/fox-411-head-728x90.png$domain=foxnews.com -@@||folklands.com/health/advertise_with_us_files/$~third-party -@@||force.com/adv_$~third-party,xmlhttprequest -@@||forex.com/adx/$image -@@||fortune.com/data/chartbeat/$xmlhttprequest -@@||forums.realgm.com/banners/ -@@||freeads.in/classifieds/common/postad.css -@@||freeads.in/freead.png -@@||freeonlinegames.com/advertising/adaptv-as3.swf?$object -@@||freeonlinegames.com/advertising/google-loader.swf?$object -@@||freeride.co.uk/img/admarket/$~third-party -@@||freeviewnz.tv^*/uploads/ads/ -@@||freeworldgroup.com/googleloader/GoogleAds.swf?contentId=FWG_Game_PreLoader&$object,domain=freeworldgroup.com -@@||fs-freeware.net/images/jdownloads/downloadimages/banner_ads.png -@@||fsdn.com/sd/topics/advertising_64.png$domain=slashdot.org -@@||funiaste.net/obrazki/*&adtype= -@@||fwmrm.net/ad/g/1?$script,domain=msn.com -@@||fwmrm.net/p/msn_live/AdManager.js$domain=msn.com -@@||g.doubleclick.net/aclk?*^adurl=http://thoughtcatalog.com/$popup,domain=thoughtcatalog.com -@@||g.doubleclick.net/crossdomain.xml$object-subrequest,domain=~newgrounds.com -@@||g.doubleclick.net/gampad/ads?$object-subrequest,domain=nfl.com|player.rogersradio.ca|viki.com|worldstarhiphop.com -@@||g.doubleclick.net/gampad/ads?$script,domain=app.com|argusleader.com|autoguide.com|battlecreekenquirer.com|baxterbulletin.com|beqala.com|blastingnews.com|boatshop24.com|bodas.com.mx|bodas.net|bucyrustelegraphforum.com|burlingtonfreepress.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|chillicothegazette.com|cincinnati.com|clarionledger.com|coloradoan.com|computerworlduk.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|daveramsey.com|defensenews.com|delawareonline.com|democratandchronicle.com|desmoinesregister.com|dnj.com|drupalcommerce.org|escapegames.com|fdlreporter.com|flightcentre.co.uk|floridatoday.com|foxnews.com|freep.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|gz.com|hattiesburgamerican.com|hometownlife.com|htrnews.com|indystar.com|ithacajournal.com|jacksonsun.com|jconline.com|lancastereaglegazette.com|lansingstatejournal.com|liverpoolfc.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|mariages.net|marionstar.com|marshfieldnewsherald.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|montgomeryadvertiser.com|motorcycle.com|mycentraljersey.com|mydesert.com|mysoju.com|nauticexpo.com|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|nonags.com|noodle.com|orbitz.com|pal-item.com|phoronix.com|podomatic.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|qz.com|rgj.com|ripley.cl|ripley.com.pe|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thedailyjournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thesimsresource.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|thoughtcatalog.com|ticketek.com.ar|urbandictionary.com|virginaustralia.com|visaliatimesdelta.com|volokh.com|vroomvroomvroom.com.au|wausaudailyherald.com|weddingspot.co.uk|wisconsinrapidstribune.com|wlj.net|wsj.com|zanesvilletimesrecorder.com|zavvi.com|zillow.com|zui.com -@@||g.doubleclick.net/gampad/ads?$script,xmlhttprequest,domain=foodkick.com -@@||g.doubleclick.net/gampad/ads?$xmlhttprequest,domain=daveramsey.com|s4c.cymru -@@||g.doubleclick.net/gampad/ads?*%2CSend_$script,xmlhttprequest,domain=olx.pl -@@||g.doubleclick.net/gampad/ads?*^iu_parts=7372121%2CPTGBanner%2C$script,domain=pianobuyer.com -@@||g.doubleclick.net/gampad/ads?adk$domain=rte.ie -@@||g.doubleclick.net/gampad/adx?$xmlhttprequest,domain=qz.com -@@||g.doubleclick.net/gampad/google_ads.js$domain=nitrome.com|ticketek.com.ar -@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=120sports.com|al.com|allmusic.com|beqala.com|blastingnews.com|bodas.com.mx|bodas.net|brandonsun.com|canoe.com|caranddriver.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|cbsnews.com|cleveland.com|consequenceofsound.net|cwtv.com|daveramsey.com|denofgeek.co|denofgeek.com|drupalcommerce.org|ebaumsworld.com|fastcompany.com|flightcentre.co.uk|foodkick.com|foxnews.com|goalzz.com|greyhoundbet.racingpost.com|gulflive.com|independent.co.uk|lehighvalleylive.com|liverpoolfc.com|m.tmz.com|mardigras.com|mariages.net|marvel.com|masslive.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|mlb.com|mlive.com|nauticexpo.com|nj.com|nola.com|noodle.com|nytimes.com|olx.pl|opb.org|orbitz.com|oregonlive.com|out.com|pennlive.com|phonearena.com|phoronix.com|pianobuyer.com|pocketnow.com|qz.com|ripley.cl|ripley.com.pe|seahawks.com|sendtonews.com|silive.com|syracuse.com|thesimsresource.com|thoughtcatalog.com|time.com|tmz.com|urbandictionary.com|vanityfair.com|video.foxbusiness.com|vroomvroomvroom.com.au|washingtonexaminer.com|weather.com|weddingspot.co.uk|winnipegfreepress.com|wlj.net|wsj.com|wtop.com|wwe.com|zavvi.com|zdnet.com|zillow.com -@@||g.doubleclick.net/pagead/ads?ad_type=image_text^$object-subrequest,domain=ebog.com|gameark.com -@@||g.doubleclick.net/pagead/ads?ad_type=text_dynamicimage_flash^$object-subrequest -@@||g4tv.com/clientscriptoptimizer.ashx?*-ads.$script,stylesheet -@@||gactv.com^*/javascript/ad/coread/$script -@@||game.zylom.com^*.swf?*&adURL=$object -@@||game.zylom.com^*/cm_loader.*.swf?$object -@@||gamehouse.com/adiframe/preroll-ad/$subdocument -@@||gameitnow.com/ads/gameadvertentie.php?$subdocument -@@||gameitnow.com/ads/google_loader.swf$object -@@||games.cnn.com/ad/$object,object-subrequest,subdocument -@@||games.washingtonpost.com/games/$generichide -@@||gamesgames.com/vda/friendly-iframe.html?videoPreroll300x250$subdocument -@@||gan.doubleclick.net/gan_impression?lid=$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||gannett.gcion.com/addyn/$script,domain=greenbaypressgazette.com|wcsh6.com -@@||gannettdigital.com/universal-web-client/master/latest/elements/video/video-ads/video-ads.html$xmlhttprequest,domain=indystar.com -@@||garmin.com^*/Sponsors.js? -@@||garrysmod.org/ads/$image,script,stylesheet -@@||gcultra.com/js/exit_popup.js -@@||geektime.com/wp-content/uploads/*/Google-Adsense-$image,~third-party -@@||getgamesgo.com/Banners/$image,~third-party -@@||getkahoot.com/banners/welcome/$subdocument -@@||getprice.com.au/images/$domain=shopping.ninemsn.com.au|shopping.yahoo.com.au -@@||gfsrv.net/ad/$domain=ogame.org|ogame.us -@@||ghstatic.com/archives/*&adURL=$domain=game.zylom.com -@@||girlsplay.com/banners/ima3_preloader_$object -@@||gitorious.org/adv/$~third-party,xmlhttprequest -@@||gizmodo.in/doubleclickads/$script -@@||glamour.com/aspen/components/cn-fe-ads/js/cn.dart.js -@@||glamour.com/aspen/js/dartCall.js -@@||glnimages.s3.amazonaws.com/odw/ad$image,domain=odysseyware.com -@@||globaltv.com/js/smdg_ads.js -@@||glos.ac.uk/DataRepository/*/adv/adv_$image,domain=glos.ac.uk -@@||gmfreeze.org/site_media//uploads/page_ad_images/$image -@@||gmodules.com/ig/ifr?up_ad$domain=healthboards.com -@@||gmx.com/images/outsource/application/mailclient/mailcom/resource/mailclient/flash/multiselection_upload/multiselectionupload-*.swf$object -@@||goal.com^$generichide -@@||godtube.com/resource/mediaplayer/*&adzone=$object-subrequest -@@||goember.com/ad/*.xml?$xmlhttprequest -@@||goodeed.com/donation/pr/*/makegoodeed$document -@@||goodyhoo.com/banners/ -@@||google.*/s?*&q=$~third-party,xmlhttprequest,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||google.*/search?sclient=*&q=$~third-party,xmlhttprequest,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||google.*/webpagethumbnail?*&query=$script,~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||google.com/_/apps-static/*/socialads/$script,stylesheet,~third-party -@@||google.com/_static/images/*/ads.png$~third-party -@@||google.com/ads/search/module/ads/*/search.js$domain=about.com|armstrongmywire.com|atlanticbb.net|bestbuy.com|bresnan.net|broadstripe.net|buckeyecablesystem.net|cableone.net|centurylink.net|charter.net|cincinnatibell.net|dish.net|ehow.com|forbbbs.org|hargray.net|hawaiiantel.net|hickorytech.net|homeaway.co.uk|knology.net|livestrong.com|mediacomtoday.com|midco.net|mybendbroadband.com|mybrctv.com|mycenturylink.com|myconsolidated.net|myepb.net|mygrande.net|mygvtc.com|myhughesnet.com|myritter.com|northstate.net|nwcable.net|query.nytimes.com|rentals.com|search.rr.com|searchresults.verizon.com|suddenlink.net|surewest.com|synacor.net|tds.net|toshiba.com|trustedreviews.com|truvista.net|windstream.net|windstreambusiness.net|wowway.net|zoover.co.uk|zoover.com -@@||google.com/adsense/$subdocument,domain=sedo.co.uk|sedo.com|sedo.jp|sedo.kr|sedo.pl -@@||google.com/adsense/domains/caf.js$domain=capertongillett.com|webfirstrow.eu -@@||google.com/adsense/search/ads.js$domain=armstrongmywire.com|atlanticbb.net|bestbuy.com|bresnan.net|broadstripe.net|buckeyecablesystem.net|cableone.net|centurylink.net|charter.net|cincinnatibell.net|dish.net|forbbbs.org|gumtree.com.au|hargray.net|hawaiiantel.net|hickorytech.net|homeaway.co.uk|knology.net|livestrong.com|mediacomtoday.com|midco.net|mybendbroadband.com|mybrctv.com|mycenturylink.com|myconsolidated.net|myepb.net|mygrande.net|mygvtc.com|myhughesnet.com|myritter.com|northstate.net|nwcable.net|query.nytimes.com|rentals.com|search.rr.com|searchresults.verizon.com|suddenlink.net|surewest.com|synacor.net|tds.net|toshiba.com|trustedreviews.com|truvista.net|windstream.net|windstreambusiness.net|wowway.net|www.google.com|zoover.co.uk|zoover.com -@@||google.com/adsense/search/async-ads.js$domain=about.com|ehow.com -@@||google.com/afs/ads?$document,subdocument,domain=ehow.com|livestrong.com -@@||google.com/doubleclick/studio/swiffy/$domain=www.google.com +@@||d.socdm.com/adsv/*/tver_splive$xmlhttprequest,domain=imasdk.googleapis.com +@@||dcdirtylaundry.com/cdn-cgi/challenge-platform/$~third-party +@@||delivery-cdn-cf.adswizz.com/adswizz/js/SynchroClient*.js$script,domain=tunein.com +@@||discretemath.org/ads/ +@@||discretemath.org^$image,stylesheet +@@||disqus.com/embed/comments/$subdocument +@@||docs.woopt.com/wgact/$image,~third-party,xmlhttprequest +@@||dodo.ac/np/images/$image,domain=nookipedia.com +@@||doodcdn.co^$domain=dood.la|dood.pm|dood.to|dood.ws +@@||doubleclick.net/ddm/$image,domain=aetv.com|fyi.tv|history.com|mylifetime.com +@@||doubleclick.net/|$xmlhttprequest,domain=tvnz.co.nz +@@||edmodo.com/ads$~third-party,xmlhttprequest +@@||einthusan.tv/prebid.js$script,~third-party +@@||embed.ex.co^$xmlhttprequest,domain=espncricinfo.com +@@||entitlements.jwplayer.com^$xmlhttprequest,domain=iheart.com +@@||experienceleague.adobe.com^$~third-party +@@||explainxkcd.com/wiki/images/$image,~third-party +@@||ezodn.com/tardisrocinante/lazy_load.js$script,domain=origami-resource-center.com +@@||ezoic.net/detroitchicago/cmb.js$script,domain=gerweck.net +@@||f-droid.org/assets/Ads_$~third-party +@@||facebook.com/ads/profile/$~third-party,xmlhttprequest +@@||faculty.uml.edu/klevasseur/ads/ +@@||faculty.uml.edu^$image,stylesheet +@@||fdyn.pubwise.io^$script,domain=urbanglasgow.co.uk +@@||files.slack.com^$image,~third-party +@@||flying-lines.com/banners/$image,~third-party +@@||forum.miuiturkiye.net/konu/reklam.$~third-party,xmlhttprequest +@@||forums.opera.com/api/topic/$~third-party,xmlhttprequest +@@||franklymedia.com/*/300x150_WBNQ_TEXT.png$image,domain=wbnq.com +@@||fuseplatform.net^*/fuse.js$script,domain=broadsheet.com.au|friendcafe.jp +@@||g.doubleclick.net/gampad/ads$xmlhttprequest,domain=bloomberg.com|chromatographyonline.com|formularywatch.com|journaldequebec.com|managedhealthcareexecutive.com|medicaleconomics.com|physicianspractice.com +@@||g.doubleclick.net/gampad/ads*%20Web%20Player$domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?*%2Ftver.$xmlhttprequest,domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?*&prev_scp=kw%3Diqdspiegel%2Cdigtransform%2Ciqadtile4%2$xmlhttprequest,domain=spiegel.de +@@||g.doubleclick.net/gampad/ads?*.crunchyroll.com$xmlhttprequest,domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?*RakutenShowtime$xmlhttprequest,domain=imasdk.googleapis.com +@@||g.doubleclick.net/gampad/ads?env=$xmlhttprequest,domain=wunderground.com +@@||g.doubleclick.net/gampad/live/ads?*tver.$xmlhttprequest,domain=imasdk.googleapis.com +@@||g.doubleclick.net/pagead/ads$subdocument,domain=sudokugame.org +@@||g.doubleclick.net/pagead/ads?*&description_url=https%3A%2F%2Fgames.wkb.jp$xmlhttprequest,domain=imasdk.googleapis.com +@@||g2crowd.com/uploads/product/image/$image,domain=g2.com +@@||gbf.wiki/images/$image,~third-party +@@||gitlab.com/api/v4/projects/$~third-party +@@||givingassistant.org/Advertisers/$~third-party +@@||global-uploads.webflow.com/*_dimensions-$image,domain=dimensions.com +@@||gn-web-assets.api.bbc.com/bbcdotcom/assets/$script,domain=bbc.co.uk +@@||go.ezodn.com/tardisrocinante/lazy_load.js?$script,domain=raiderramble.com +@@||go.xlirdr.com/api/models/vast$xmlhttprequest +@@||gocomics.com/assets/ad-dependencies-$script,~third-party @@||google.com/images/integrations/$image,~third-party -@@||google.com/recaptcha/$subdocument,domain=123short.com|limetorrents.info|sh.st -@@||google.com/search?q=$xmlhttprequest -@@||google.com/uds/?file=ads&$script,domain=landandfarm.com -@@||google.com/uds/afs?$document,subdocument,domain=about.com|ehow.com|livestrong.com -@@||google.com/uds/api/ads/*/search.$script,domain=landandfarm.com|query.nytimes.com|trustedreviews.com|www.google.com -@@||google.com/uds/modules/elements/newsshow/iframe.html?format=728x90^$document,subdocument -@@||google.com^*/show_afs_ads.js$domain=whitepages.com -@@||googleads.github.io/videojs-ima/$domain=healthmeans.com -@@||googleadservices.com/pagead/conversion_async.js$domain=dillards.com -@@||googleapis.com/affiliation/*?key= -@@||googleapis.com/flash/*adsapi_*.swf$domain=viki.com|wwe.com -@@||googlesyndication.com/pagead/ads?$object-subrequest,domain=nx8.com -@@||googlesyndication.com/pagead/imgad?id=$image,domain=liverpoolfc.com|noodle.com|olx.pl|vroomvroomvroom.com.au -@@||googlesyndication.com/safeframe/$document,subdocument,domain=foodkick.com -@@||googlesyndication.com/simgad/$image,domain=amctheatres.com|beqala.com|bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|drupalcommerce.org|flightcentre.co.uk|liverpoolfc.com|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|orbitz.com|pianobuyer.com|podomatic.com|ripley.cl|ripley.com.pe|thoughtcatalog.com|weddingspot.co.uk|wlj.net|zavvi.com -@@||googlesyndication.com/simgad/13728906246154688052|$image,domain=wsj.com -@@||googlesyndication.com/simgad/7375390051936080329|$image,domain=wsj.com -@@||googlesyndication.com/simgad/781098143614816132|$image,domain=wsj.com -@@||googlesyndication.com/simgad/781301171516911047|$image,domain=wsj.com -@@||gopjn.com/b/$image,domain=deliverydeals.co.uk -@@||gorillanation.com/storage/lightbox_code/static/companion_ads.js$domain=comingsoon.net|gamerevolution.com|sohh.com -@@||gotoassist.com/images/ad/ -@@||gotomeeting.com/images/ad/$image,stylesheet -@@||greasyfork.org/system/screenshots/screenshots/$domain=greasyfork.org -@@||gsmarena.com/adjs.php$script,domain=gsmarena.com -@@||guardian4.com/banners/$image,~third-party -@@||guardianapps.co.uk^*/advertisement-features$xmlhttprequest -@@||guim.co.uk^*/styles/wide/google-ads.css -@@||gulflive.com/static/common/js/ads/ads.js -@@||gumtree.com^*/postAd.js -@@||gws.ign.com/ws/search?*&google_adpage=$script -@@||hackerboards.com/files/adlink_$image,domain=hackerboards.com -@@||hafeezcentre.pk^*/ads_images/$image,~third-party -@@||hallo.co.uk/advert/$~third-party -@@||harmonsgrocery.com/ads/$image -@@||hawaii-scuba.com/ads_styles.css -@@||header.tech/MetOffice_$script,domain=metoffice.gov.uk -@@||healthadnet.adprimemedia.com/vn/vna/data/ad.php$object-subrequest -@@||healthcare-learning.com/banners/$image,domain=healthcare-learning.com -@@||healthcare.gov/global/images/widgets/him/$domain=cms.gov -@@||healthline.com/resources/base/js/responsive-ads.js? -@@||healthline.com/v2/ad-leaderboard-iframe?$subdocument -@@||healthline.com/v2/ad-mr2-iframe?useAdsHost=*&dfpAdSite= -@@||hebdenbridge.co.uk/ads/images/smallads.png -@@||hellotv.in/livetv/advertisements.xml$object-subrequest -@@||hentai-foundry.com/themes/default/images/buttons/add_comment_icon.png -@@||hihostels.com^*/hibooknow.php?affiliate=$subdocument -@@||hillvue.com/banners/$image,~third-party -@@||hipsterhitler.com/wp-content/webcomic/$image -@@||history.com^$generichide -@@||historyextra.com^*_advertorial$stylesheet -@@||hitc-s.com^*/advertisement.js$domain=hitc.com -@@||hitwastedgarden.com^$script,domain=junglevibe2.net|linkshrink.net -@@||hm732.com^$domain=nme.com|trustedreviews.com -@@||hologfx.com/banners/$image,~third-party -@@||homedepot.com^*/thdGoogleAdSense.js -@@||hotnewhiphop.com/web_root/images/ads/banner-*.png -@@||housebeautiful.com/cm/shared/scripts/refreshads-*.js -@@||houstonpress.com/adindex/$xmlhttprequest -@@||howcast.com/flash/assets/ads/liverail.swf -@@||hp.com^*/scripts/ads/$~third-party -@@||huffingtonpost.co.uk/_uac/adpage.html -@@||huffingtonpost.com/_uac/adpage.html -@@||huffingtonpost.com/images/ads/$~third-party -@@||huffpost.com/images/ads/$domain=huffingtonpost.com -@@||hulu.com/published/*.flv -@@||hulu.com/published/*.mp4 -@@||humana-medicare.com/ad/$~document,domain=humana-medicare.com -@@||huntington.com/Script/AdManager.js +@@||googleadservices.com/pagead/conversion_async.js$script,domain=zubizu.com +@@||googleoptimize.com/optimize.js$script,domain=wallapop.com +@@||gpt-worldwide.com/js/gpt.js$~third-party +@@||grapeshot.co.uk/main/channels.cgi$script,domain=telegraph.co.uk +@@||gstatic.com/ads/external/images/$image,domain=support.google.com +@@||gumtree.co.za/my/ads.html$~third-party +@@||hotstar.com/vs/getad.php$domain=hotstar.com +@@||hp.com/in/*/ads/$script,stylesheet,~third-party +@@||htlbid.com^*/htlbid.js$domain=hodinkee.com @@||hutchgo.advertserve.com^$domain=hutchgo.com|hutchgo.com.cn|hutchgo.com.hk|hutchgo.com.sg|hutchgo.com.tw -@@||i.4cdn.org/adv/$image,domain=4channel.org -@@||i.cdn.turner.com^*/adserviceadapter.swf -@@||i.com.com^*/adfunctionsd-*.js$domain=cbsnews.com|cbssports.com|cnettv.cnet.com|metacritic.com|tv.com -@@||i.espn.co.uk/ads/gamemodule_$object -@@||ib.adnxs.com/jpt?$script,domain=phonearena.com -@@||ibnlive.com/videoads/*_ads_*.xml$object-subrequest -@@||ibsrv.net/ads/$domain=carsdirect.com -@@||icefilms.info/jquery.lazyload-ad-*-min.js -@@||icons.duckduckgo.com^*.ico$image,domain=duckduckgo.com -@@||icons.iconarchive.com/icons/$image -@@||identity-us.com/ads/ads.html -@@||ifeelgoood.com/tapcontent-*.swf?clicktag=$object -@@||iframe.ivillage.com/iframe_render? -@@||ign.com/js.ng/size=headermainad&site=teamxbox$script,domain=teamxbox.com -@@||ign.com/newsfeed-block?*&adType=$xmlhttprequest -@@||ikea.com^*/img/ad_ -@@||ikea.com^*/img/ads/ -@@||images-amazon.com/images/*/adsimages/$domain=amazon.com -@@||images-amazon.com/images/G/01/traffic/s9m/images/sweeps/$image,domain=amazon.com -@@||images-na.ssl-images-amazon.com/images/*/dacx/AdForge/$image,domain=amazon.com -@@||images.dashtickets.co.nz/advertising/featured/$image -@@||images.frys.com/art/ads/images/$image,~third-party -@@||images.frys.com/art/ads/js/$script,stylesheet -@@||images.nationalgeographic.com/wpf/media-live/graphic/ -@@||images.nickjr.com/ads/promo/ -@@||images.rewardstyle.com/img?$image,domain=glamour.com|itsjudytime.com -@@||images.vantage-media.net^$domain=yahoo.net -@@||imagesbn.com/resources?*/googlead.$stylesheet,domain=barnesandnoble.com -@@||imasdk.googleapis.com/flash/core/3.*/adsapi.swf$object-subrequest -@@||imasdk.googleapis.com/flash/sdkloader/adsapi_3.swf$object-subrequest -@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=~spotify.com -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=allcatvideos.com|audiomack.com|beinsports.com|blastingnews.com|bloomberg.com|cbc.ca|cbsnews.com|cbssports.com|cnet.com|complex.com|cwtv.com|gamejolt.com|healthmeans.com|indystar.com|insideedition.com|metacritic.com|metrolyrics.com|mobg.io|news.sky.com|play.ludigames.com|player.performgroup.com|powr.com|rumble.com|snopes.com|thegamer.tv|thestreet.com|theverge.com|ultimedia.com|usatoday.com|video.foxbusiness.com|video.foxnews.com|vidyomani.com|yiv.com -@@||imasdk.googleapis.com/js/sdkloader/outstream.js$domain=gameflare.com -@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=discovery.com -@@||img-cdn.mediaplex.com^$image,domain=betfair.com -@@||img.brickscout.com^$domain=brickscout.com -@@||img.espngp.com/ads/$image,domain=espnf1.com -@@||img.mediaplex.com^*_afl_bettingpage_$domain=afl.com.au -@@||img.techwallacdn.com/300x250/ppds/$image,domain=techwalla.com -@@||img.thedailywtf.com/images/ads/ -@@||img.travidia.com^$image -@@||img.weather.weatherbug.com^*/stickers/$image,stylesheet -@@||imgag.com^*/adaptvadplayer.swf$domain=egreetings.com -@@||imobie.com/js/anytrans-adv.js -@@||imp*.tradedoubler.com/imp?type(img)$image,domain=deliverydeals.co.uk -@@||imp*.tradedoubler.com/imp?type(js)$script,domain=europe-airports.com -@@||impde.tradedoubler.com/imp?type(img)$image,domain=sunsteps.org -@@||imwx.com/js/adstwo/adcontroller.js$domain=weather.com -@@||imzy.com/api/communities/no-auth/creative_ads$~third-party,xmlhttprequest -@@||indiaresults.com/advertisements/submit.png -@@||infoworld.com/www/js/ads/gpt_includes.js -@@||innovid.com/crossdomain.xml$object-subrequest,domain=~channel4.com -@@||innovid.com/iroll/package/iab-vpaid-ex/$domain=cbs.com -@@||innovid.com^$object-subrequest,domain=hulu.com -@@||innovid.com^*/VPAIDEXIRollPackage.swf$domain=cbs.com -@@||inskinmedia.com^*/api/brightcove3.js$domain=virginmedia.com -@@||inskinmedia.com^*/js/base/api/$domain=mousebreaker.com -@@||inspectrumapp.com/verified/$xmlhttprequest -@@||inspire.net.nz/adverts/$image -@@||intellicast.com/App_Images/Ads/$image,~third-party -@@||intellicast.com^*/ad-$script,~third-party -@@||intellitext.co^$~third-party -@@||intellitxt.com/ast/js/nbcuni/$script -@@||intentmedia.net/adServer/$script,xmlhttprequest,domain=travelzoo.com -@@||intentmedia.net/javascripts/$script,domain=travelzoo.com -@@||interadcorp.com/script/interad.$script,stylesheet -@@||intergi.com^*/videos/$media,other,third-party -@@||investopedia.com/inv/ads/$image,domain=investopedia.com -@@||investors.com/Scripts/AdScript.js? -@@||inviziads.com/crossdomain.xml$object-subrequest -@@||iolproperty.co.za/images/ad_banner.png -@@||ipcamhost.net/flashads/*.swf$object-subrequest,domain=canadianrockies.org -@@||ipcdigital.co.uk^*/adloader.js?$domain=trustedreviews.com -@@||ipcdigital.co.uk^*/adtech.js$domain=trustedreviews.com +@@||hw-ads.datpiff.com/news/$image,domain=datpiff.com +@@||image.shutterstock.com^$image,domain=icons8.com +@@||improvedigital.com/pbw/headerlift.min.js$domain=games.co.uk|kizi.com|zigiz.com +@@||infotel.ca/images/ads/$image,~third-party +@@||infoworld.com/www/js/ads/gpt_includes.js$~third-party +@@||instagram.com/api/v1/ads/$~third-party,xmlhttprequest +@@||ipinfo.io/static/images/use-cases/adtech.jpg$image,~third-party @@||island.lk/userfiles/image/danweem/island.gif @@||itv.com/itv/hserver/*/site=itv/$xmlhttprequest -@@||itv.com/itv/jserver/$script,domain=itv.com -@@||itv.com/itv/lserver/jserver/area=*/pubtype=home/*showad=true/*/size=resptakeover/$script,domain=itv.com -@@||itv.com^*.adserver.js -@@||itv.com^*/flvplayer.swf?$object -@@||itv.com^*/tvshows_adcall_08.js -@@||itweb.co.za/banners/en-cdt*.gif -@@||japan-guide.com/ad/$image,~third-party -@@||jobs.wa.gov.au/images/advertimages/ -@@||jobsearch.careerone.com.au^*/bannerad.asmx/ -@@||jobstreet.com/_ads/ -@@||johnston.grapeshot.co.uk^$domain=peterboroughtoday.co.uk +@@||itv.com/itv/tserver/$~third-party @@||jokerly.com/Okidak/adSelectorDirect.htm?id=$document,subdocument @@||jokerly.com/Okidak/vastChecker.htm$document,subdocument -@@||joyhubs.com/View/*/js/pop.js -@@||js.indexww.com^$script,domain=everydayhealth.com -@@||js.revsci.net/gateway/gw.js?$domain=app.com|argusleader.com|aviationweek.com|battlecreekenquirer.com|baxterbulletin.com|bucyrustelegraphforum.com|burlingtonfreepress.com|centralohio.com|chillicothegazette.com|cincinnati.com|citizen-times.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|delawareonline.com|delmarvanow.com|democratandchronicle.com|desmoinesregister.com|dnj.com|fdlreporter.com|foxsmallbusinesscenter.com|freep.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|honoluluadvertiser.com|htrnews.com|indystar.com|jacksonsun.com|jconline.com|lancastereaglegazette.com|lansingstatejournal.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|marionstar.com|marshfieldnewsherald.com|montgomeryadvertiser.com|mycentraljersey.com|mydesert.com|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|pal-item.com|pnj.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|theithacajournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com|wausaudailyherald.com|weather.com|wisconsinrapidstribune.com|zanesvilletimesrecorder.com -@@||jsstatic.com/_ads/ -@@||jtvnw.net/widgets/jtv_player.*&referer=http://talkrtv.com/ad/channel.php?$object,domain=talkrtv.com -@@||justin-klein.com/banners/ -@@||k01k0.com^$domain=nme.com|trustedreviews.com -@@||kaltura.com^*/doubleClickPlugin.swf$object-subrequest,domain=thechive.com|tmz.com -@@||kamernet.nl^*/Adverts/$~third-party,xmlhttprequest -@@||karolinashumilas.com/img/adv/ -@@||kcna.kp/images/ads_arrow_ -@@||kcra.com^*/adpositionsizein-min.js -@@||kenovatech.com/affiliate_signin_signup.php?$subdocument -@@||keygamesnetwork.com/adserve/request/$object-subrequest,domain=gamesforwork.com -@@||king5.com/templates/belo_dart_iframed_ad?dartTag=LeaderTop&$subdocument -@@||kingofgames.net/gads/kingofgames.swf -@@||kixer.com/ad/12?$xmlhttprequest,domain=m.tmz.com -@@||kixer.com/ad/2?$xmlhttprequest,domain=m.tmz.com -@@||kiz10.com/template/publicidad/ficha/ads_preloadgame/ima3_preloader_$object -@@||kloubert.com/wp-content/uploads/*/Advertising_$image,~third-party -@@||koaa.com/videoplayer/iframe.cfm?*&hide_ads= -@@||kongcdn.com/game_icons/*-300x250_$domain=kongregate.com -@@||kotak.com/banners/$image -@@||krispykreme.com/content/images/ads/ -@@||ksat.com/gmg.static/ads/$script -@@||ksl.com/resources/classifieds/graphics/ad_ -@@||l.yimg.com/*/adservice/ -@@||l.yimg.com/zz/combo?*/advertising.$stylesheet -@@||lads.myspace.com/videos/msvideoplayer.swf?$object,object-subrequest -@@||lanacion.com.ar/*/publicidad/ -@@||laptopmag.com^$generichide -@@||larazon.es/larazon-theme/js/publicidad.js? -@@||lbdevicons.brainient.com/flash/*/VPAIDWrapper.swf$object,domain=mousebreaker.com -@@||lduhtrp.net/image-$domain=uscbookstore.com -@@||leadback.advertising.com/adcedge/$domain=careerbuilder.com -@@||lehighvalleylive.com/static/common/js/ads/ads.js -@@||lelong.com.my/UserImages/Ads/$image,~third-party -@@||lemon-ads.com^$~document,~third-party -@@||lesacasino.com/banners/$~third-party -@@||libraryjournal.com/wp-content/plugins/wp-intern-ads/$script,stylesheet -@@||lifehacker.co.in/doubleclickads/$script -@@||lightningcast.net/servlets/getplaylist?*&responsetype=asx&$object -@@||lijit.com///www/delivery/fpi.js?*&width=728&height=90$script,domain=hypeseek.com -@@||limecellular.com/resources/images/adv/$~third-party +@@||jsdelivr.net^*/videojs.ads.css$domain=irctc.co.in +@@||jwpcdn.com/player/plugins/googima/$script,domain=iheart.com|video.vice.com +@@||kotaku.com/x-kinja-static/assets/new-client/adManager.$~third-party +@@||lastpass.com/ads.php$subdocument,domain=chrome-extension-scheme +@@||lastpass.com/images/ads/$image,~third-party +@@||letocard.fr/wp-content/uploads/$image,~third-party @@||linkbucks.com/tmpl/$image,stylesheet -@@||linkconnector.com/traffic_record.php?lc=$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||linkshare.iregdev.com/images/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||linkshrink.net/content/js/jquery-*.min.js$script -@@||linkstorm.net/stormbird/ls-pub-include.js$domain=onehourtranslation.com -@@||linksynergy.com/fs-bin/show?id=$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||linksynergy.com/fs/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||lipsum.com/images/banners/ -@@||listings.brokersweb.com/JsonSearchSb.aspx?*&maxAds=$script -@@||live-support.se^*/Admax/$~third-party -@@||live.seenreport.com:82/media/js/ads_controller.js?$domain=live.geo.tv -@@||live.seenreport.com:82/media/js/fingerprint.js?$domain=live.geo.tv -@@||liverail.com/?LR_PUBLISHER_ID=$xmlhttprequest,domain=dailymotion.com -@@||liverail.com/?url=http%3A%2F%2Fads.adaptv.advertising.com$xmlhttprequest,domain=dailymotion.com -@@||liverail.com/js/LiveRail.AdManager$script,domain=~bluray-disc.de -@@||liverail.com/js/LiveRail.Interstitial-$script,domain=keygames.com -@@||liverail.com^*/liverail_preroll.swf$object,domain=newgrounds.com -@@||liverail.com^*/vpaid-player.swf?$object,domain=addictinggames.com|keygames.com|nglmedia.com|shockwave.com -@@||llnwd.net^*/js/3rdparty/swfobject$script -@@||logmein.com/Serve.aspx?ZoneID=$script,~third-party +@@||live.primis.tech^$script,domain=eurogamer.net|klaq.com|loudwire.com|screencrush.com|vg247.com|xxlmag.com +@@||live.primis.tech^$xmlhttprequest,domain=xxlmag.com +@@||live.streamtheworld.com/partnerIds$domain=iheart.com|player.amperwave.net @@||lokopromo.com^*/adsimages/$~third-party -@@||longtailvideo.com^*/gapro.js$domain=physorg.com -@@||loot.com/content/css/combo/advert_$domain=loot.com -@@||lovefilm.com/ajax/widgets/advertising/$xmlhttprequest -@@||lovefilm.com/static/scripts/advertising/dart.overlay.js -@@||lovemybubbles.com/images/ads/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||ltassrv.com/crossdomain.xml$object-subrequest -@@||ltassrv.com/yume.swf$domain=animecrazy.net|gamedorm.org|gamepro.com|satsukai.com|sparknotes.com -@@||ltassrv.com/yume/yume_$object-subrequest,domain=animecrazy.net|gamedorm.org|gamepro.com|satsukai.com|sparknotes.com -@@||luceosolutions.com/recruit/advert_details.php?id=$subdocument -@@||lycos.com/catman/init.js$domain=video.lycos.com -@@||lyngsat-logo.com/icon/flag/az/ad.gif -@@||mac-sports.com/ads2/508128.swf -@@||macworld.com/www/js/ads/jquery.lazyload-ad.js -@@||madlemmings.com/wp-content/uploads/*/Google-$image,domain=madlemmings.com -@@||mads.cbs.com/mac-ad?$object-subrequest -@@||mads.com.com/ads/common/faith/*.xml$object-subrequest -@@||mads.tv.com/mac-ad?META^$script,domain=tv.com -@@||magicbricks.com/img/adbanner/ -@@||mail.google.com^*&view=ad&$xmlhttprequest -@@||mail.google.com^*/uploaderapi*.swf -@@||mail.yahoo.com/neo/assets/swf/uploader.swf -@@||manoramaonline.com/advt/cricbuzz/ -@@||mansioncasino.com/banners/$~third-party -@@||maps-static.chitika.net^ -@@||maps.chitika.net^ -@@||maps.googleapis.com/maps-api-*/adsense.js -@@||maps.gstatic.com/maps-api-*/adsense.js -@@||marciglesias.com/publicidad/ -@@||marcokrenn.com/public/images/pages/advertising/$~third-party -@@||marcs.com^*/AdViewer.js -@@||marines.com/videos/commercials/$object-subrequest -@@||marketing.beatport.com.s3.amazonaws.com/html/*/Banner_Ads/header_$image -@@||marketingmag.ca/wp-content/uploads/*/adtech$domain=marketingmag.ca -@@||masslive.com/static/common/js/ads/ads.js -@@||maxim.com/advert*/countdown/$script,stylesheet -@@||mcpn.us/resources/images/adv/$~third-party -@@||media-imdb.com^*/js/ads.js$domain=imdb.com -@@||media.avclub.com/onion/js/videoads.js$script -@@||media.cargocollective.com^$image -@@||media.expedia.com/*/ads/ -@@||media.glnsrv.com/ads/$image,domain=aopschools.com -@@||media.hotelscombined.com^$image,domain=kenweego.com -@@||media.monster.com/ads/$image,domain=monster.com -@@||media.net/videoAds.js?cid=$script,domain=forbes.com -@@||media.newjobs.com/ads/$image,object,domain=monster.com -@@||media.salemwebnetwork.com/js/admanager/swfobject.js$domain=christianity.com -@@||media.styleblueprint.com/ad.php?$script,~third-party -@@||media.tumblr.com^$image,domain=kissmanga.com -@@||media.washingtonpost.com/wp-srv/ad/ad_v2.js -@@||media.washingtonpost.com/wp-srv/ad/photo-ad-config.jsonp -@@||media.washingtonpost.com/wp-srv/ad/tiffany_manager.js -@@||mediabistro.com^*/displayadleader.asp?$subdocument -@@||mediaplex.com/ad/$domain=betfair.com -@@||medrx.sensis.com.au/images/sensis/*/util.js$domain=afl.com.au|goal.com -@@||medrx.sensis.com.au/images/sensis/generic.js$domain=afl.com.au -@@||medscape.com/html.ng/*slideshow -@@||medscapestatic.com/pi/scripts/ads/dfp/profads2.js -@@||memecdn.com/advertising_$image,domain=memecenter.com -@@||meritline.com/banners/$image,~third-party -@@||merkatia.com/adimages/$image -@@||meta.streamcloud.eu/serve.php?adzone=ipc$script,domain=streamcloud.eu -@@||metacafe.com/banner.php? -@@||metalmusicradio.com^*/banner.php -@@||meviodisplayads.com/adholder.php$domain=mevio.com -@@||mfcreative.com/lib/tgn/combo.ashx?$script,stylesheet,domain=ancestry.com|ancestry.com.au -@@||miller-mccune.com/wp-content/plugins/*/oiopub-direct/images/style/output.css -@@||minecraftservers.org/banners/$image,~third-party -@@||miniclip.com/scripts/js.php? -@@||miniclipcdn.com/content/push-ads/ -@@||mircscripts.org/advertisements.js -@@||mixpo.com/js/bust.js$script,domain=onehourtranslation.com -@@||mlb.com/bundle?js=*/adproxy.$script,domain=mlb.com -@@||mlb.com/scripts/dc_ads.js -@@||mlb.com/shared/components/gameday/v6/js/adproxy.js -@@||mlbstatic.com/mlb.com/video/config/mlb-vpp-aws/$xmlhttprequest,domain=mlb.com -@@||mlive.com/static/common/js/ads/ads.js -@@||mobilefish.com/scripts/advertisement.js -@@||mobinozer.com^*/gads.js -@@||mochiads.com/ctr/*.swf?$domain=gamesforwork.com -@@||mochiads.com/srv/*.swf?cachebust=$domain=gamesforwork.com -@@||mochiads.com/srv/*.swf?cxnid=$domain=gamesforwork.com -@@||mochiads.com/static/pub/swf/leaderboard.js$domain=mochigames.com -@@||modaresearch.it/uk/pcss/adverts.css? -@@||mofunzone.com/ads/ima3_preloader_*.swf$object -@@||moneybookers.com/ads/$~third-party -@@||moneymailer.com/direct-mail-advertise/$~third-party -@@||monster.com/awm/*/ADVERTISING- -@@||monster.com/services/bannerad.asmx/getadsrc$xmlhttprequest,domain=monster.com -@@||motortrade.me/advert/$~third-party -@@||motortrade.me/js/$~third-party -@@||mouser.com/bmp/get.aspx?ZoneID=$xmlhttprequest,domain=mouser.com -@@||movoto.com/LeaderboardAd.aspx?adSpotName=$subdocument -@@||mp32u.net/adframe.js -@@||msads.net/adbar/products/*/adbar.js$domain=mail.live.com -@@||msi.com/js/topad/topad.css -@@||msi.com/pic/banner/ -@@||msmedia.morningstar.com^*/size=*/random=*/viewid=$script,domain=morningstar.in -@@||msn.com^$popup,~third-party -@@||msnbcmedia.msn.com^*/sitemanagement/ads/*/blog_printbutton.png -@@||mstar.com/ads/$image,domain=morningstar.com -@@||msy.com.au/images/ADbanner/eletter/$~third-party -@@||muchmusic.com/includes/js/adzone.js -@@||mudah.my/css/mudah_adview_min.css -@@||music-clips.net/ads/list.txt?_=$xmlhttprequest -@@||music-tags.com/tagengine/www/delivery/fl.js$domain=blastro.com -@@||music-tags.com/tagengine/www/delivery/spcjs.php$domain=blastro.com -@@||mussil.com/mussilcomfiles/commercials/*.jpg -@@||mutualofomaha.com/images/ads/ -@@||mvapublicstorage.microsoft.com/banners/$domain=microsoftvirtualacademy.com -@@||mxtabs.net/ads/interstitial$subdocument -@@||myadt.com/js-ext/smartbanner/ -@@||myhouseabroad.com/*/ads/ -@@||myhouseabroad.com/js/adview.js -@@||mymemory.co.uk/images/adverts/$image,~third-party -@@||myprotein.com/Files/OpenX/$image,~third-party -@@||myrecipes.com/static/advertising/ -@@||mythings.com/c.aspx?atok$domain=enter.ru -@@||mzstatic.com/image/$image,domain=mp3clan.one -@@||napaonline.com/Content/script/jquery.lazyload-ad-$script -@@||nationalbusinessfurniture.com/product/advertising/$image -@@||nationalgeographic.com/channel/videos/satellite/*.swf?adsite= -@@||nationmultimedia.com/new/js/doubleclick.js -@@||nature.com/advertising/$~third-party -@@||nba.com/mobilevideo?*&ad_url=$script,domain=mavs.wpengine.netdna-cdn.com -@@||nbc.com/collarity/ -@@||nbcmontana.com/html/js/endplay/ads/ad-core.js? -@@||ncregister.com/images/ads/ -@@||ncregister.com/images/sized/images/ads/ -@@||neobux.com/adalert/ -@@||neobux.com/v/?a=l&l=$document -@@||neodrive.co/cam/directrev.js? -@@||netdna-cdn.com/banners/$image,domain=arktv.ro -@@||netupd8.com/webupd8/*/adsense.js$domain=webupd8.org -@@||netupd8.com/webupd8/*/advertisement.js$domain=webupd8.org -@@||networkadvertising.org/choices/|$document -@@||networkadvertising.org/|$document -@@||networkworld.com/www/js/ads/gpt_includes.js? -@@||newgrounds.com/ads/ad_medals.gif -@@||newgrounds.com/ads/advertisement.js -@@||news.nate.com/etc/adrectanglebanner? -@@||news4jax.com/gmg.static/ads/$script -@@||newsarama.com^$generichide -@@||newsweek.com/ads/adscripts/prod/*_$script -@@||newyorker.com/wp-content/assets/js/vendors/cn-fe-ads/cn.dart.js -@@||newzimbabwe.com/banners/350x350/ -@@||nexac.com/e/getdata.xgi$xmlhttprequest,domain=twitch.tv -@@||nextmedia.com/admedia/$object-subrequest -@@||nextmovie.com/plugins/mtvnimageresizer/actions/scale_image?$image,domain=nextmovie.com -@@||nfl.com^*/ads.js -@@||nflcdn.com/static/*/global/ads.js -@@||nflcdn.com^*/adplayer.js$domain=nfl.com -@@||nflcdn.com^*/scripts/global/ads.js$domain=nfl.com -@@||ngads.com/getad.php?url=$object-subrequest,domain=newgrounds.com -@@||nick.com/js/ads.jsp -@@||nick.com/js/coda/nick/adrefresh.js$domain=nick.com -@@||nickjr.com/assets/ad-entry/ -@@||nickjr.com/global/scripts/overture/sponsored_links_lib.js -@@||nintandbox.net/images/*-Advertising_$image -@@||nj.com/static/common/js/ads/ads.js -@@||nme.com^$generichide -@@||nola.com/static/common/js/ads/ads.js -@@||nonstoppartner.net/a/$image,domain=deliverydeals.co.uk -@@||nonstoppartner.net^$image,domain=extrarebates.com|sunsteps.org -@@||notebookcheck.$image,~third-party -@@||nsandi.com/files/asset/banner-ads/ +@@||looker.com/api/internal/$~third-party +@@||luminalearning.com/affiliate-content/$image,~third-party +@@||makeuseof.com/public/build/images/bg-advert-with-us.$~third-party +@@||manageengine.com/images/logo/$image,~third-party +@@||manageengine.com/products/ad-manager/$~third-party +@@||martinfowler.com/articles/asyncJS.css$stylesheet,~third-party +@@||media.kijiji.ca/api/$image,~third-party +@@||mediaalpha.com/js/serve.js$domain=goseek.com +@@||micro.rubiconproject.com/prebid/dynamic/$script,xmlhttprequest,domain=gamingbible.co.uk|ladbible.com|sportbible.com +@@||moatads.com^$script,domain=imsa.com|nascar.com +@@||motortrader.com.my/advert/$image,~third-party +@@||mtouch.facebook.com/ads/api/preview/$domain=business.facebook.com +@@||nascar.com/wp-content/themes/ndms-2023/assets/js/inc/ads/prebid8.$~third-party +@@||newscgp.com/prod/prebid/nyp/pb.js$domain=nypost.com +@@||nextcloud.com/remote.php/$~third-party,xmlhttprequest +@@||nflcdn.com/static/site/$script,domain=nfl.com +@@||npr.org/sponsorship/targeting/$~third-party,xmlhttprequest @@||ntv.io/serve/load.js$domain=mcclatchydc.com -@@||nyctourist.com/www/delivery/spcjs.php?$script,domain=nyctourist.com -@@||nyt.com^*/ad-loader.js$domain=nytimes.com -@@||nyt.com^*/ad-view-manager.js$domain=nytimes.com -@@||nyt.com^*/dfp.js$domain=nytimes.com -@@||nytimes.com/ads/interstitial/skip*.gif -@@||nytimes.com/adx/bin/adx_remote.html?type=fastscript$script,xmlhttprequest,domain=nytimes.com -@@||nytimes.com/adx/images/ADS$domain=myaccount.nytimes.com -@@||nytimes.com/adx/images/ads/*_buynow_btn_53x18.gif -@@||nytimes.com/adx/images/ads/*_premium-crosswords_bg_600x329.gif -@@||nytimes.com/vi-assets/*/js/shared/adlibrary/views/adx.js$domain=nytimes.com -@@||nytimes.com/vi-assets/*/js/shared/adlibrary/views/dfp.js$domain=nytimes.com -@@||nytimes.com^*/ad-view-manager.js -@@||nytimes.perfectmarket.com^$stylesheet -@@||oas.absoluteradio.co.uk/realmedia/ads/$object-subrequest -@@||oas.absoluteradio.co.uk^*/www.absoluteradio.co.uk/player/ -@@||oas.bigflix.com/realmedia/ads/$object-subrequest,domain=~tamilflix.net -@@||oas.theguardian.com^$xmlhttprequest -@@||oascentral.discovery.com/realmedia/ads/adstream_mjx.ads/$script,domain=discovery.com -@@||oascentral.feedroom.com/realmedia/ads/adstream_sx.ads/$script,domain=feedroom.com|stanford.edu -@@||oascentral.feedroom.com/realmedia/ads/adstream_sx.ads/brighthouse.com/$document,domain=oascentral.feedroom.com -@@||oascentral.ibtimes.com/crossdomain.xml$object-subrequest -@@||oascentral.post-gazette.com/realmedia/ads/$object-subrequest -@@||oascentral.sumworld.com/crossdomain.xml$object-subrequest -@@||oascentral.sumworld.com/realmedia/ads/adstream_sx.ads/*video$domain=mlssoccer.com -@@||oascentral.sumworld.com/realmedia/ads/adstream_sx.ads/mlssoccer.com/$object-subrequest,domain=mlssoccer.com -@@||oascentral.surfline.com/crossdomain.xml$object-subrequest -@@||oascentral.surfline.com/realmedia/ads/adstream_sx.ads/www.surfline.com/articles$object-subrequest -@@||oascentral.thechronicleherald.ca/realmedia/ads/adstream_mjx.ads$script -@@||oascentral.thepostgame.com/om/$script -@@||objects.tremormedia.com/embed/js/$domain=animecrave.com|bostonherald.com|deluxemusic.tv|deluxetelevision.com|theunlockr.com|videopoker.com|weeklyworldnews.com -@@||objects.tremormedia.com/embed/sjs/$domain=nfl.com -@@||objects.tremormedia.com/embed/swf/acudeoplayer.swf$domain=animecrave.com|bostonherald.com|deluxemusic.tv|deluxetelevision.com|theunlockr.com|videopoker.com|weeklyworldnews.com -@@||objects.tremormedia.com/embed/swf/admanager*.swf -@@||ocp.com.com/adfunctions.js? -@@||offerpalads.com^*/opmbanner.js$domain=farmville.com -@@||okta.com/js/app/sso/interstitial.js$~third-party -@@||oldergames.com/adlib/ -@@||omgili.com/ads.search? -@@||omgubuntu.co.uk^*/banner.js -@@||omnikool.discovery.com/realmedia/ads/adstream_mjx.ads/dsc.discovery.com/$script -@@||once.unicornmedia.com^$object-subrequest,domain=today.com -@@||onetravel.com/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest -@@||onionstatic.com^*/videoads.js -@@||openx.com/favicon.ico$domain=grammarist.com -@@||openx.ideastudios.ro^$script,domain=enjoydressup.com -@@||openx.infrontams.tv/www/$image,object,script,domain=acmilan.com -@@||openx.net/w/1.0/arj?$xmlhttprequest,domain=phonearena.com -@@||openx.nobelprize.org/openx/www/delivery/$script -@@||openx.org/afr.php?$subdocument,domain=cubeecraft.com -@@||openx.org/avw.php?zoneid$image,domain=podomatic.com -@@||openx.org/ck.php?$subdocument,domain=cubeecraft.com -@@||opgevenisgeenoptie.nl^*/favicon_ad6.ico @@||optimatic.com/iframe.html$subdocument,domain=pch.com @@||optimatic.com/redux/optiplayer-$domain=pch.com @@||optimatic.com/shell.js$domain=pch.com -@@||optimatic.com^*/shell.swf$object,domain=pch.com -@@||optimatic.com^*/shell_$object,domain=pch.com -@@||oregonlive.com/static/common/js/ads/ads.js -@@||otakumode.com/shop/titleArea?*_promo_id=$xmlhttprequest -@@||otrkeyfinder.com/otr/frame*.php?ads=*&search=$subdocument,domain=onlinetvrecorder.com -@@||ottawasun.com/assets/js/dfp.js? -@@||overture.london^$~third-party -@@||ox-d.motogp.com/v/1.0/av?*auid=$object-subrequest,domain=motogp.com -@@||ox-d.qz.com/w/1.0/jstag|$script,domain=qz.com -@@||ox-d.rantsports.com/w/1.0/jstag$script,domain=rantlifestyle.com -@@||ox-d.sbnation.com/w/1.0/jstag| -@@||ox.popcap.com/delivery/afr.php?&zoneid=$subdocument,~third-party -@@||oxfordlearnersdictionaries.com/external/scripts/doubleclick.js -@@||ozspeedtest.com/js/pop.js -@@||pachanyc.com/_images/advertise_submit.gif -@@||pachoumis.com/advertising-$~third-party -@@||pacogames.com/ad/ima3_preloader_$object -@@||pagead2.googlesyndication.com/pagead/imgad?$image,domain=kingofgames.net|virginaustralia.com -@@||pagead2.googlesyndication.com/pagead/imgad?id=$object-subrequest,domain=bn0.com|ebog.com|gameark.com|yepi.com -@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=downloads.codefi.re|globaldjmix.com|gsmdude.com|nlfreevpn.com|oldapps.com|pattayaone.net|receive-a-sms.com|slideplayer.com|smallseotools.com|talksms.com|tampermonkey.net|thefreedictionary.com|unlockpwd.com|uploadex.com|windows7themes.net -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=slideplayer.com|smallseotools.com|tampermonkey.net|thefreedictionary.com -@@||pagead2.googlesyndication.com/pagead/js/lidar.js$domain=convert-me.com|destructoid.com|grammarist.com|videotoolbox.com -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=nlfreevpn.com|oldapps.com|technobuffalo.com -@@||pagead2.googlesyndication.com/pagead/static?format=in_video_ads&$generichide,subdocument -@@||pagead2.googlesyndication.com/|$xmlhttprequest,domain=twitch.tv -@@||pagesinventory.com/_data/flags/ad.gif -@@||pandasecurity.com/banners/$image,~third-party -@@||pandasecurity.s3.amazonaws.com/promotions/$domain=pandasecurity.com -@@||pantherssl.com/banners/ -@@||paperpk.com/Ads/site/$image,domain=paperpk.com -@@||paperpk.com/ads_pic_directory/$image,domain=paperpk.com -@@||paperpk.com/pk_img/$image,domain=paperpk.com -@@||partner.googleadservices.com/gampad/google_ads.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|ensonhaber.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|mysoju.com|nitrome.com|nx8.com|playedonline.com|sulekha.com|volokh.com -@@||partner.googleadservices.com/gampad/google_ads2.js$domain=motorcycle.com|mysoju.com -@@||partner.googleadservices.com/gampad/google_ads_gpt.js$domain=amctheatres.com|pitchfork.com|podomatic.com|virginaustralia.com -@@||partner.googleadservices.com/gampad/google_service.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|ensonhaber.com|escapegames.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|motorcycle.com|mysoju.com|nx8.com|playedonline.com|playstationlifestyle.net|readersdigest.com.au|sulekha.com|ticketek.com.ar|volokh.com -@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=120sports.com|beqala.com|bodas.com.mx|bodas.net|canoe.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|cbsnews.com|cwtv.com|denofgeek.co|denofgeek.com|drupalcommerce.org|flightcentre.co.uk|foxnews.com|goalzz.com|greyhoundbet.racingpost.com|independent.co.uk|liverpoolfc.com|m.tmz.com|mariages.net|marvel.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|mlb.com|nauticexpo.com|noodle.com|nytimes.com|opb.org|orbitz.com|out.com|phoronix.com|pianobuyer.com|ripley.cl|ripley.com.pe|seahawks.com|sendtonews.com|thesimsresource.com|thoughtcatalog.com|time.com|urbandictionary.com|vanityfair.com|video.foxbusiness.com|vroomvroomvroom.com.au|washingtonexaminer.com|weather.com|weddingspot.co.uk|wlj.net|wsj.com|wtop.com|wwe.com|zavvi.com|zdnet.com|zillow.com -@@||partnerads.ysm.yahoo.com/ypa/?ct=*-search_results%$subdocument,domain=ask.com -@@||patient-education.com/banners/$~third-party -@@||paulfredrick.com/csimages/affiliate/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||payload*.cargocollective.com^$image,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||pbs.org^*/sponsors/flvvideoplayer.swf -@@||pbs.twimg.com/ad_img/$image,domain=twitter.com -@@||pch.com/iframe-ad/?adType=$subdocument -@@||pch.com^*/videoad.$stylesheet -@@||pcwdld.com/wp-content/uploads/*/AdGuard.$domain=pcwdld.com -@@||pcworld.com/www/js/ads/jquery.lazyload-ad.js -@@||pennlive.com/static/common/js/ads/ads.js +@@||optout.networkadvertising.org^$document +@@||p.d.1emn.com^$script,domain=hotair.com +@@||pandora.com/images/public/devicead/$image +@@||patreonusercontent.com/*.gif?token-$image,domain=patreon.com +@@||payload.cargocollective.com^$image,~third-party +@@||pbs.twimg.com/ad_img/$image,xmlhttprequest @@||pepperjamnetwork.com/banners/$image,domain=extrarebates.com -@@||perbang.dk/_pub/ads.php?u=$xmlhttprequest -@@||perbang.dk/_pub/advertisement.js? -@@||perezhilton.com/included_ads/ -@@||performancehorizon.com^*/advertiser/$xmlhttprequest,domain=performancehorizon.com -@@||petapixel.com/ads/$~third-party -@@||petcarerx.com/banners/ -@@||petra-fischer.com/tl_files/pics/*/ADVERTISING/$~third-party -@@||pets4homes.co.uk/*/advert.js -@@||pets4homes.co.uk^*/advert.css -@@||pgatour.com/etc/designs/pgatour-advertisements/clientlibs/ad.min.js$script -@@||phl.org/Advertising/$image,~third-party -@@||phoenix.untd.com/OASX/$script,domain=netzero.net -@@||phonealchemist.com/api/affiliation/$~third-party -@@||photo.ekathimerini.com/ads/extra/$image,~third-party -@@||photobucket.com/albums/ad$image -@@||photofunia.com/effects/$~third-party -@@||picmonkey.com/facebook-canvas/?ads$domain=apps.facebook.com -@@||piercesnorthsidemarket.com/ads/$image -@@||pilotplantdesign.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=pilotplantdesign.com -@@||pinkbike.org^*.swf?ad=0&$object -@@||pioneerfcu.org/assets/images/bannerads/pfcu-system-upgrade-banner-02-180x218.gif -@@||pitchfork.com/desktop/js/pitchfork/ads/interstitial.js -@@||pix.btrll.com^$image,domain=twitch.tv +@@||photofunia.com/effects/$image,~third-party @@||pjtra.com/b/$image,domain=extrarebates.com -@@||planetaxel.com^*.php?ad=$stylesheet -@@||planetoddity.com/wp-content/*-ads-$image -@@||planetrecruit.com/ad/$image -@@||player.animelicio.us/adimages/$subdocument -@@||player.cdn.targetspot.com/ts_embed_functions_as3.php$domain=tritonmedia.com -@@||player.goviral-content.com/crossdomain.xml$object-subrequest -@@||player.tritondigital.com^$domain=kmozart.com -@@||player.vioapi.com/ads/flash/vioplayer.swf -@@||playintraffik.com/advertising/ -@@||plugcomputer.org^*/ad1.jpg +@@||player.aniview.com/script/$script,domain=odysee.com|pogo.com +@@||player.avplayer.com^$script,domain=explosm.net|gamingbible.co.uk|justthenews.com|ladbible.com +@@||player.ex.co/player/$script,domain=mm-watch.com|theautopian.com|usatoday.com|ydr.com +@@||player.odycdn.com/api/$xmlhttprequest,domain=odysee.com +@@||playwire.com/bolt/js/zeus/embed.js$script,third-party +@@||pngimg.com/distr/$image,~third-party @@||pntrac.com/b/$image,domain=extrarebates.com @@||pntrs.com/b/$image,domain=extrarebates.com -@@||pntrs.com^$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||politico.com/js/magazine/ads.js -@@||pollen.vc/views/ads.html$domain=pollen.vc -@@||pop.advecs.com^$~third-party -@@||popad.co^$~third-party -@@||popcap.com/sites/all/modules/popcap/js/popcap_openx.js? -@@||popularmechanics.com/ams/page-ads.js$domain=popularmechanics.com -@@||popunder.ru/banners/$domain=magesy.be @@||portal.autotrader.co.uk/advert/$~third-party -@@||powercolor.com/image/ad/$~third-party -@@||pressdisplay.com/advertising/showimage.aspx? -@@||prism.opticsinfobase.org/Scripts/ADS/Details.js -@@||procato.com/_pub/ads.php?u=$xmlhttprequest -@@||procato.com/_pub/advertisement.js -@@||productioncars.com/pics/menu/ads.gif -@@||productioncars.com/pics/menu/ads2.gif -@@||promo.acronis.com^*?base=www.acronis.$subdocument -@@||promo.campaigndog.com^$third-party -@@||promo.freshdirect.com^$image,popup,script,domain=freshdirect.com -@@||promo.g5e.com^$domain=apps.fbsbx.com -@@||promo2.tubemogul.com/adtags/slim_no_iframe.js$domain=comedy.com -@@||promo2.tubemogul.com/flash/youtube.swf$domain=comedy.com -@@||promo2.tubemogul.com/lib/tubemoguldisplaylib.js$domain=comedy.com -@@||promophot.com/photo/ad/$image -@@||proprofs.com/quiz-school/js/modernizr_ads.js -@@||ps.w.org^*/assets/$image,domain=wordpress.org -@@||pshared.5min.com/Scripts/ThumbSeed2.js?*&adUnit=$script -@@||ptgrey.com/_PGR_Content/Advertising/$image,~third-party -@@||pubmatic.com/AdServer/js/universalpixel.js$domain=politico.com -@@||pubmatic.com/AdServer/Pug?$image,domain=grammarist.com -@@||pubmatic.com/AdServer/UPug?$script,domain=politico.com -@@||pumpkinpatchkids.com/www/delivery/ajs.php?$script -@@||purch.auth0.com^$xmlhttprequest,domain=tomsguide.com|tomshardware.co.uk|tomshardware.com -@@||purebilling.com^*/pb.min.js -@@||pursuit.co.za/css/globalAd.css -@@||puzzler.com/commercials/*.htm$subdocument -@@||q2servers.com/pop.js -@@||qnsr.com/cgi/r?$domain=insure.com -@@||quit.org.au/images/images/ad/ -@@||qzprod.files.wordpress.com^*?w=$domain=qz.com -@@||r2games.com/bannerad/$image,~third-party -@@||rackcdn.com/banners/$image,domain=rackspace.co.uk|rackspace.com.au -@@||rackcdn.com/banners/default_coupon_banner.png$domain=michaels.com -@@||rad.msn.com/ADSAdClient31.dll?GetAd=$xmlhttprequest,domain=ninemsn.com.au -@@||rad.msn.com/ADSAdClient31.dll?GetSAd=$script,domain=www.msn.com -@@||rad.org.uk/images/adverts/$image,~third-party -@@||radioguide.fm/minify/?*/Advertising/webroot/css/advertising.css -@@||radioline.co/js/advert.js?$xmlhttprequest -@@||radiotimes.com/rt-service/resource/jspack? -@@||radiotimes.com^$generichide -@@||rainbowdressup.com/ads/adsnewvars.swf -@@||rainiertamayo.com/js/*-$script -@@||rapmls.com/banners/small/logoBARI.gif$domain=rapmls.com -@@||rapmls.com^*=AD&Action=$domain=rapmls.com -@@||rapoo.com/images/ad/$image,~third-party -@@||raulgonzalez.com/graphics/mockup-advertising_md.jpg$~third-party -@@||rc.hotkeys.com/interface/$domain=ehow.com -@@||rcards.net/wp-content/plugins/useful-banner-manager/ -@@||rcards.net/wp-content/uploads/useful_banner_manager_banners/ -@@||rcm-images.amazon.com/images/$domain=rankbank.net -@@||rcm.amazon.com/e/cm$domain=asianmommy.com|filmcrave.com -@@||readwrite.com/files/styles/$image -@@||realbeauty.com/ams/page-ads.js? -@@||realvnc.com/assets/img/ad-bg.jpg -@@||redbookmag.com/ams/page-ads.js? -@@||redsharknews.com/components/com_adagency/includes/$script -@@||refline.ch^*/advertisement.css -@@||remo-xp.com/wp-content/themes/adsense-boqpod/style.css -@@||replgroup.com/banners/$image,~third-party -@@||revcontent.com//player.php?$script,domain=powr.com -@@||revcontent.com/build/revpowrvideo.min.js$domain=powr.com -@@||revcontent.com/video.js.php$script,domain=powr.com -@@||revresda.com/event.ng/Type=click&$subdocument,domain=cheaptickets.com|orbitz.com -@@||revresda.com/js.ng/*&adsize=544x275&$script,domain=cheaptickets.com -@@||revresda.com/js.ng/*&adsize=960x400&$script,domain=orbitz.com -@@||rmncdn.com/ads/mini-$image -@@||rogersdigitalmedia.com^*/rdm-ad-util.min.js$domain=citytv.com -@@||rogersmagazines.com/ads/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||rosauers.com/locations/ads.html -@@||rotate.infowars.com/www/delivery/fl.js -@@||rotate.infowars.com/www/delivery/spcjs.php -@@||rottentomatoescdn.com^*/SocialAds.js$domain=rottentomatoes.com -@@||rover.ebay.com^*&size=120x60&$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||rovicorp.com/advertising/*&appver=$xmlhttprequest,domain=charter.net -@@||rsvlts.com/wp-content/uploads/*-advertisment- -@@||rt.liftdna.com/fs.js$domain=formspring.me -@@||rt.liftdna.com/liftrtb2_2.js$domain=formspring.me -@@||rthk.hk/assets/flash/rthk/*/ad_banner$object -@@||rthk.org.hk/assets/flash/rthk/*/ad_banner$object -@@||russellrooftiles.co.uk/images/rrt_envirotile_home_advert.png -@@||ryuutama.com/ads/ads.php?get=$xmlhttprequest -@@||s.w.org/plugins/ad-inserter/$image,~third-party -@@||s.ytimg.com/yts/swfbin/player-*/watch_as3.swf$object,domain=youtube.com -@@||s3.amazonaws.com/digital/ad-ops-and-targeting/images/ad-ops-and-targeting.jpg$domain=circusstreet.com -@@||sabotage-films.com/ads/$~third-party -@@||sal.co.th/ads/$image,~third-party -@@||sales.liveperson.net/visitor/addons/deploy2.asp?*&d_id=adcenter&$script -@@||salfordonline.com/wp-content/plugins/wp_pro_ad_system/templates/js/jquery.jshowoff.min.js? -@@||salon.com/content/plugins/salon-ad-controller/ad-utilities.js -@@||sascdn.com/diff/video/$script -@@||sascdn.com/video/$script -@@||sasontnwc.net/intermission/loadTargetUrl?$xmlhttprequest -@@||save.ca/img/ads/$~third-party -@@||scity.tv/js/ads.js$domain=live.scity.tv -@@||screenshot.brandverity.com/cm/detail/$document,domain=screenshot.brandverity.com -@@||screenshot.brandverity.com/cm/review/$document,domain=screenshot.brandverity.com -@@||screenwavemedia.com/play/SWMAdPlayer/SWMAdPlayer.html?type=ADREQUEST&$xmlhttprequest,domain=cinemassacre.com -@@||scribdassets.com/aggregated/javascript/ads.js?$domain=scribd.com -@@||scutt.eu/ads/$~third-party -@@||sdcdn.com/cms/ads/piczo/$image -@@||sdelkino.com/images/ad/$image -@@||sdltutorials.com/Data/Ads/AppStateBanner.jpg -@@||search.comcast.net/static.php?$stylesheet -@@||searchengineland.com/figz/wp-content/seloads/$image,domain=searchengineland.com -@@||sec-ads.bridgetrack.com/ads_img/ -@@||secondlife.com/assets/*_AD3.jpg -@@||securenetsystems.net/advertising/ad_campaign_get.cfm?$xmlhttprequest -@@||sedo.com/ox/www/delivery/ajs.php$domain=sedo.com|sedo.de -@@||sekonda.co.uk/advert_images/ -@@||selsin.net/imprint-$image -@@||serve.vdopia.com/js/vdo.js$domain=indiatvnews.com -@@||servebom.com/tmn*.js$script,domain=tomsguide.com|tomshardware.co.uk|tomshardware.com|wonderhowto.com -@@||servedbyadbutler.com/adserve/$script,domain=healthmeans.com -@@||servedbyadbutler.com/app.js$domain=healthmeans.com -@@||servedbyadbutler.com/app.js$script,domain=floridadivorce.com -@@||server.cpmstar.com/view.aspx?poolid=$domain=newgrounds.com -@@||serviceexpress.net/js/pop.js -@@||serving-sys.com/BurstingRes/CustomScripts/mmConversionTagV3.js$domain=schweizerfleisch.ch|viandesuisse.ch -@@||serving-sys.com/SemiCachedScripts/$domain=cricketwireless.com -@@||seventeen.com/ams/page-ads.js -@@||sfdict.com/app/*/js/ghostwriter_adcall.js$domain=dynamo.dictionary.com -@@||sh.st/bundles/smeadvertisement/img/track.gif?$xmlhttprequest -@@||shacknews.com/advertising/preroll/$domain=gamefly.com -@@||share.pingdom.com/banners/$image -@@||shareasale.com/image/$domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||sharinspireds.co.nf/Images/Ads/$~third-party -@@||shawfloors.com/adx/$image,~third-party -@@||shelleytheatre.co.uk/filmimages/banners/160 -@@||shop.cotonella.com/media/images/AD350.$~third-party -@@||shopmanhattanite.com/affiliatebanners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||siamautologistics.com/ads/$image,~third-party -@@||sify.com/news/postcomments.php?*468x60.html +@@||prebid.adnxs.com^$xmlhttprequest,domain=go.cnn.com +@@||preromanbritain.com/maxymiser/$~third-party +@@||promo.com/embed/$subdocument,third-party +@@||promo.zendesk.com^$xmlhttprequest,domain=promo.com +@@||pub.doubleverify.com/dvtag/$script,domain=time.com +@@||pub.pixels.ai/wrap-independent-no-prebid-lib.js$script,domain=independent.co.uk +@@||radiotimes.com/static/advertising/$script,~third-party +@@||raw.githubusercontent.com^$domain=viewscreen.githubusercontent.com +@@||redventures.io/lib/dist/prod/bidbarrel-$script,domain=cnet.com|zdnet.com +@@||renewcanceltv.com/porpoiseant/banger.js$script,~third-party +@@||rubiconproject.com/prebid/dynamic/$script,domain=ask.com|journaldequebec.com +@@||runescape.wiki^$image,~third-party +@@||s.ntv.io/serve/load.js$domain=titantv.com +@@||salfordonline.com/wp-content/plugins/wp_pro_ad_system/$script +@@||schwab.com/scripts/appdynamic/adrum-ext.$script,~third-party +@@||scrippsdigital.com/cms/videojs/$stylesheet,domain=scrippsdigital.com +@@||sdltutorials.com/Data/Ads/AppStateBanner.jpg$~third-party +@@||securenetsystems.net/v5/scripts/ +@@||shaka-player-demo.appspot.com/lib/ads/ad_manager.js$script,~third-party +@@||showcase.codethislab.com/banners/$image,~third-party +@@||shreemaruticourier.com/banners/$~third-party @@||signin.verizon.com^*/affiliate/$subdocument,xmlhttprequest -@@||sihanoukvilleonline.com/banners/sologo.png -@@||silive.com/static/common/js/ads/ads.js -@@||sillyvamp.com/ads/Donate.png -@@||simage2.pubmatic.com/AdServer/Pug?vcode=$image,domain=convert-me.com -@@||site-jump.com/banners/ -@@||sjsuspartans.com/ads2/$image -@@||skymediator.com/ads/*/skymediator.php?$subdocument -@@||skypeassets.com^*/advertise/$domain=skype.com -@@||slotsheaven.com/banners/$~third-party -@@||slowblog.com/ad.js -@@||smallseotools.com/asets/js/adframe.js -@@||smallseotools.com/js/ads.js -@@||smallseotools.com^$generichide -@@||smartadserver.com/call/pubj/*/8596/s/*/?$script,domain=cuantarazon.com|cuantocabron.com|vistoenfb.com -@@||smc.temple.edu/advertising/$domain=smctemple.wpengine.com -@@||smctemple.wpengine.com/advertising/$~third-party -@@||smdg.ca/ads/banner/pen.png$domain=globalnews.ca -@@||smileonthetiles2.co.uk/openx/www/$image,script,subdocument,domain=smileonthetiles.com|smileonthetiles2.co.uk -@@||smmirror.com^*/getads.php -@@||snug-harbor.org/wp-content/uploads/*/Delta_FULL-PAGE-AD.jpg$domain=snug-harbor.org -@@||socialblogsitewebdesign.com^*/advertising_conversion_images/ -@@||softwarepromotions.com/adwords/$~third-party -@@||softwarepromotions.com/images/google-adwords-professional.gif -@@||somethingsexyplanet.com/image/adzones/ @@||somewheresouth.net/banner/banner.php$image -@@||sonypictures.com/global/images/ads/300x250/ad300x250.json$xmlhttprequest -@@||sonypictures.com^*/admedia/ -@@||southparkstudios.com/images/shows/south-park/episode-thumbnails/*-advertising_$image -@@||southwest.com/assets/images/ads/ad_select_flight_ -@@||southwest.com^*/homepage/ads/ -@@||spectrum.ieee.org/assets/js/masonry-ads-right.min.js -@@||spendino.de/admanager/ -@@||sponsorselect.com/direct/preroll.aspx?$subdocument,domain=pch.com -@@||sponsorselect.com/Direct/SponsorIndex.aspx$domain=pch.com -@@||spotrails.com^*/flowplayeradplayerplugin.swf -@@||spotxchange.com/ad_player/as3.swf$domain=games.yahoo.com|onescreen.net -@@||spotxchange.com/flash/ad.swf?$domain=directon.tv|wii-cast.tv -@@||spotxchange.com/flash/adplayer.swf$domain=boxlive.tv|directon.tv|foxnews.ws|icastlive.tv|wii-cast.tv -@@||spotxchange.com/media/videos/flash/ad_player/$domain=directon.tv|games.yahoo.com|onescreen.net|wii-cast.tv -@@||spotxchange.com/media/videos/flash/adplayer_$domain=directon.tv -@@||springboardplatform.com/storage/lightbox_code/static/companion_ads.js -@@||springbokradio.com/images/ads- -@@||springbokradio.com/sitebuilder/images/ads- -@@||sprint.com^*/adservice/$xmlhttprequest -@@||sprouts.com/ad/$image,subdocument -@@||ssacdn.com/banners/$domain=supersonicads.com -@@||ssl-images-amazon.com/images/G/01/traffic/s9m/images/sweeps/$image,domain=amazon.com -@@||ssl-images-amazon.com^*/AdProductsWebsite/images/ad-$image,domain=advertising.amazon.com -@@||ssl-images-amazon.com^*/popover/popover-$script -@@||sstatic.net/Sites/stackoverflow/img/favicon.ico$domain=convert-me.com -@@||st.com^*/banners.js -@@||st.districtm.ca^$script,domain=gsmarena.com -@@||startxchange.com/textad.php?$xmlhttprequest -@@||state.co.us/caic/pub_bc_avo.php?zone_id=$subdocument -@@||statedesign.com/advertisers/$image,~third-party -@@||static.adzerk.net/ados.js$domain=serverfault.com|stackoverflow.com -@@||static.ak.fbcdn.net^*/ads/$script -@@||static.bored.com/advertising/top10/$image,domain=bored.com -@@||static.cricinfo.com^*/ADVERTS/*/liveScores.swf$object -@@||static.criteo.net/images/pixel.gif?ch=1$image,domain=opensubtitles.org|technobuffalo.com -@@||static.exoclick.com^$image,domain=streamcloud.eu -@@||staticbg.com/thumb/*/AD/$image,domain=banggood.com -@@||stats.g.doubleclick.net/dc.js$domain=native-instruments.com|nest.com|theheldrich.com -@@||stclassifieds.sg/images/ads/$~third-party -@@||stclassifieds.sg/postad/ -@@||storage.googleapis.com^$media,domain=validately.com -@@||streamcloud.eu^$generichide -@@||streaming.adswizz.com/anon.npr-mp3/npr/$media,domain=npr.org|player.fm -@@||streamplay.club/js/pop$script,~third-party -@@||style.com/flashxml/*.doubleclick$object -@@||style.com/images/*.doubleclick$object -@@||subscribe.newyorker.com/ams/page-ads.js -@@||subscribe.teenvogue.com/ams/page-ads.js +@@||sportsnet.ca/wp-content/plugins/bwp-minify/$domain=sportsnet.ca +@@||standard.co.uk/js/third-party/prebid8.$~third-party +@@||startrek.website/pictrs/image/$xmlhttprequest +@@||stat-rock.com/player/$domain=4shared.com|adplayer.pro +@@||static.doubleclick.net/instream/ad_status.js$script,domain=ignboards.com +@@||static.vrv.co^$media,domain=crunchyroll.com @@||summitracing.com/global/images/bannerads/ -@@||supercartoons.net/ad-preroll.html -@@||superfundo.org/advertisement.js -@@||support.dlink.com/Scripts/custom/pop.js +@@||sundaysportclassifieds.com/ads/$image,~third-party @@||survey.g.doubleclick.net^$script,domain=sporcle.com -@@||svcs.ebay.com/services/search/FindingService/*affiliate.tracking$domain=bkshopper.com|geo-ship.com|globalesearch.com|testfreaks.co.uk|watchmydeals.com -@@||swordfox.co.nz^*/advertising/$~third-party -@@||syn.5min.com/handlers/SenseHandler.ashx?*&adUnit=$script -@@||syndication.exoclick.com/splash.php?$script,domain=streamcloud.eu -@@||syndication.streamads.yahoo.com/na_stream_brewer/brew/*?cid=*&url=*&pvid=*&callback=$script,domain=yimg.com -@@||t.st/files/$script,domain=thestreet.com -@@||tacdn.com^*_popunder_$script,stylesheet -@@||tags.bkrtx.com/js/bk-coretag.js$domain=tmz.com|zillow.com -@@||talkgold.com/bans/rss.png -@@||talkrtv.com/ad/channel.php?$subdocument -@@||tampermonkey.net^$script,domain=tampermonkey.net -@@||temple.edu/advertising/$~third-party -@@||texasstudentmedia.com/advertise/ -@@||theatlantic.com/widget/$xmlhttprequest -@@||thedailygreen.com/ams/page-ads.js? -@@||thedoujin.com/includes/ads/$subdocument,domain=thedoujin.com -@@||thefourthperiod.com/ads/tfplogo_ -@@||thefreedictionary.com^$generichide -@@||thetvdb.com/banners/ -@@||theweathernetwork.com/js/ads.js -@@||thunderheadeng.com/wp-content/uploads/*300x250 -@@||timeinc.net^*/tii_ads.js -@@||timeout.com/images/ads/weather/ -@@||tlc.com/shared/ad-enablers/$subdocument -@@||tm.tradetracker.net/tag?$script -@@||tntexpress.com.au^*/marketing/banners/ -@@||tooltrucks.com/ads/$image,~third-party -@@||tooltrucks.com/banners/$image,~third-party -@@||toongoggles.com/getads?$xmlhttprequest -@@||topgear.com^*/ads.min.js -@@||topusajobs.com/banners/ -@@||torontosun.com/assets/js/dfp.js? -@@||trade-a-plane.com/AdBox/js/jquery.TAP_AdBox.js -@@||tradecarview.com/material/housead/$image -@@||tradedoubler.com/file/$image,domain=deliverydeals.co.uk|sunsteps.org -@@||tradee.com^$generichide -@@||trader.ca/TraderMobileAPIBB.asmx/GetAds?$script,domain=autos.ca -@@||trafficvance.com/?$domain=propelmedia.com -@@||trafficvance.com^*/socket.io/$domain=propelmedia.com -@@||traktorpool.de/scripts/advert/ -@@||traktorpool.de^*/advert. -@@||translate.google.*/translate_*&q=$~third-party,xmlhttprequest,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||translate.google.com/translate/static/*-ads/ -@@||traumagame.com/trauma_data/ads/ad2.jpg -@@||travelocity.com/event.ng/*click$domain=travelocity.com -@@||travelocity.com/html.ng/*558x262$domain=travelocity.com -@@||travelocity.com/js.ng/$script,domain=travelocity.com -@@||travidia.com/fsi/page.aspx?$subdocument -@@||travidia.com/ss-page/ -@@||trialpay.com/js/advertiser.js -@@||trifort.org/ads/$~third-party -@@||tritondigital.com/adv/$~third-party -@@||trulia.com/modules/ad_agents_$xmlhttprequest -@@||trustedreviews.com^$generichide -@@||trustedreviews.com^*/adtech.js -@@||tttcdn.com/advertising/$image,domain=tomtop.com -@@||tudouui.com/bin/player2/*&adsourceid= -@@||turner.com/adultswim/big/promos/$media,domain=video.adultswim.com -@@||turner.com^*/ads/freewheel/*/AdManager.js -@@||turner.com^*/ads/freewheel/*/admanager.swf -@@||turner.com^*/ads/freewheel/js/fwjslib_1.1.js$domain=nba.com -@@||turner.com^*/videoadrenderer.swf$domain=tntdrama.com -@@||tut.by/uppod/frameid406/ads1/ -@@||tv-kino.net/wp-content/themes/*/advertisement.js -@@||tvnz.co.nz/*/advertisement.js -@@||twinspires.com/php/$subdocument,~third-party -@@||twitvid.com/mediaplayer_*.swf? -@@||twofactorauth.org/img/$image,~third-party -@@||twogag.com/comics/$image,~third-party -@@||ucaster.eu/static/scripts/adscript.js -@@||uillinois.edu/eas/ +@@||synchrobox.adswizz.com/register2.php$script,domain=player.amperwave.net|tunein.com +@@||tcbk.com/application/files/4316/7521/1922/Q1-23-CD-Promo-Banner-Ad.png^$~third-party +@@||thdstatic.com/experiences/local-ad/$domain=homedepot.com +@@||thedailybeast.com/pf/resources/js/ads/arcads.js$~third-party +@@||thepiratebay.org/cdn-cgi/challenge-platform/$~third-party +@@||thetvdb.com/banners/$image,domain=tvtime.com +@@||thisiswaldo.com/static/js/$script,domain=bestiefy.com +@@||townhall.com/resources/dist/js/prebid-pjmedia.js$script,domain=pjmedia.com +@@||tractorshed.com/photoads/upload/$~third-party +@@||tradingview.com/adx/$subdocument,domain=adx.ae +@@||trustprofile.com/banners/$image @@||ukbride.co.uk/css/*/adverts.css -@@||ultimate-guitar.com/js/ug_ads.js -@@||ultrabrown.com/images/adheader.jpg -@@||undsports.com/ads2/$image -@@||upc-cablecom.ch^*.swf?clicktag=http$object -@@||upload.wikimedia.org/wikipedia/ -@@||urbanog.com/banners/$image -@@||usanetwork.com^*/usanetwork_ads.s_code.js? -@@||usps.com/adserver/ -@@||utdallas.edu/locator/maps/$image -@@||utdallas.edu/maps/images/img/$image -@@||utdallas.edu^*/banner.js -@@||utu.fi/sso/*/AD1.html?$xmlhttprequest,domain=utu.fi -@@||uuuploads.com/ads-on-buildings/$image,domain=boredpanda.com -@@||v.fwmrm.net/*/AdManager.swf$domain=marthastewart.com|nbcsports.com -@@||v.fwmrm.net/ad/p/1?$domain=abc.go.com|abcfamily.go.com|abcnews.go.com|adultswim.com|cartoonnetwork.com|cc.com|channel5.com|cmt.com|comedycentral.com|crackle.com|eonline.com|flexonline.com|foodnetwork.com|ign.com|logotv.com|mlb.mlb.com|mtv.com|mtvnservices.com|muscleandfitness.com|nascar.com|nbc.com|nbcnews.com|nbcsports.com|ncaa.com|nick.com|player.theplatform.com|simpsonsworld.com|sky.com|southpark.nl|southparkstudios.com|spike.com|teamcoco.com|teennick.com|thedailyshow.com|thingx.tv|today.com|travelchannel.com|tvland.com|uverseonline.att.net|vevo.com|vh1.com|video.cnbc.com|vod.fxnetworks.com|watch.aetnd.com -@@||valueram.com/banners/ads/ -@@||vancouversun.com/js/adsync/adsynclibrary.js -@@||vanityfair.com/ads/js/cn.dart.bun.min.js -@@||veetle.com/images/common/ads/ -@@||vhobbies.com/admgr/*.aspx?ZoneID=$script,domain=vcoins.com -@@||vidcoin.com/adserver/$subdocument,xmlhttprequest -@@||video.nbcuni.com^*/ad_engine_extension_nbc.swf -@@||video.nbcuni.com^*/inext_ad_engine/ad_engine_extension.swf -@@||videotoolbox.com^$generichide -@@||vidible.tv/prod/$media,object,other -@@||vidible.tv/prod/tags/$script,domain=smallscreennetwork.com -@@||vidible.tv/stage/$media,object,other -@@||vidspot.net/blank.html|$subdocument -@@||vidspot.net/builtin-$subdocument -@@||vidspot.net/cgi-bin/upload.cgi?upload_id=*&X-Progress-ID=*&js_on=*&utype=*&upload_type=$subdocument -@@||vidspot.net/tmp/status.html?*upload=file$subdocument -@@||vidtech.cbsinteractive.com/plugins/*_adplugin.swf -@@||villermen.com/minecraft/banner/banner.php$image -@@||virginradiodubai.com/wp-content/plugins/wp-intern-ads/jquery.internads.js -@@||vistek.ca/ads/ -@@||vitalitymall.co.za/images/adrotator/ -@@||vizanime.com/ad/get_ads? -@@||vmagazine.com/web/css/ads.css -@@||vombasavers.com^*.swf?clickTAG=$object,~third-party -@@||vswebapp.com^$~third-party -@@||vtstage.cbsinteractive.com/plugins/*_adplugin.swf -@@||vzoozv.com^$domain=nme.com|trustedreviews.com -@@||w.org/plugins/adsense-plugin/screenshot-$image,domain=wordpress.org -@@||wahoha.com^$~third-party -@@||wahooads.com/Ads.nsf/$~third-party -@@||wallpapersmania.com/ad/$image,~third-party -@@||walmartmoneycard.com^*/shared/ad_rotater.swf -@@||wappalyzer.com/sites/default/files/icons/$image -@@||washingtonpost.com/wp-adv/advertisers/russianow/ -@@||washingtonpost.com/wp-srv/ad/generic_ad.js -@@||washingtonpost.com/wp-srv/ad/textlink_driver.js -@@||washingtonpost.com/wp-srv/ad/textlinks.js -@@||washingtonpost.com/wp-srv/ad/textlinks_config.js -@@||washingtonpost.com/wp-srv/ad/wp.js -@@||washingtonpost.com/wp-srv/ad/wp_ad.js -@@||washingtonpost.com/wp-srv/ad/wp_config.js -@@||washingtonpost.com/wp-srv/ad/wpni_generic_ad.js -@@||washingtonpost.com/wpost/css/combo?*/ads.css -@@||washingtonpost.com/wpost2/css/combo?*/ads.css -@@||washingtonpost.com^*=/ad/audsci.js -@@||wearetennis.com/pages/home/img/ad-$image -@@||web.archive.org^$generichide -@@||webspectator.com^*/_adsense_/$script,domain=goal.com -@@||wellsfargo.com/img/ads/$~third-party -@@||wetransfer.com/advertise/$xmlhttprequest -@@||whitepages.com^*/google_adsense.js? -@@||whittakersworldwide.com/site-media/advertisements/ -@@||widget.breakingburner.com/ad/$subdocument -@@||widget.slide.com^*/ads/*/preroll.swf -@@||widgets.cbslocal.com/player/embed?affiliate=$subdocument -@@||widgets.rewardstyle.com^$domain=glamour.com|itsjudytime.com -@@||widgetserver.com/syndication/get_widget.html?*&widget.adplacement=$subdocument -@@||wikia.nocookie.net^$stylesheet -@@||wikia.nocookie.net^*/images/$image -@@||wikipedia.org^$generichide -@@||wiktionary.org^$generichide -@@||williamsauction.com/Resources/images/ads/$~third-party -@@||winnipegsun.com/assets/js/dfp.js? -@@||wirefly.com/_images/ads/ -@@||wisegeek.com/res/contentad/ -@@||worldstarhiphop.com^*/dj2.swf -@@||wortech.ac.uk/publishingimages/adverts/ -@@||wp.com/_static/*/criteo.js -@@||wp.com/wp-content/themes/*/ads.js$script -@@||wpgdadago.com/ad/$image,~third-party -@@||wpgdadatong.com/ad/$image,~third-party -@@||wpthemedetector.com/ad/$~third-party -@@||wrapper.teamxbox.com/a?size=headermainad -@@||wsj.net/public/resources/images/*_AdTech_$image,domain=wsj.com -@@||wsj.net^*/images/adv-$image,domain=marketwatch.com -@@||wsls.com/gmg.static/ads/$script -@@||www.facebook.com/ad.*^ajaxpipe^$subdocument,~third-party -@@||www.google.*/aclk?$~third-party -@@||www.google.*/search?$~third-party +@@||unpkg.com^$script,domain=vidsrc.stream +@@||upload.wikimedia.org/wikipedia/$image,media +@@||v.fwmrm.net/?$xmlhttprequest +@@||v.fwmrm.net/ad/g/*Nelonen$script +@@||v.fwmrm.net/ad/g/1$domain=uktv.co.uk|vevo.com +@@||v.fwmrm.net/ad/g/1?*mtv_desktop$xmlhttprequest +@@||v.fwmrm.net/ad/g/1?csid=vcbs_cbsnews_desktop_$xmlhttprequest +@@||v.fwmrm.net/ad/p/1?$domain=cc.com|channel5.com|cmt.com|eonline.com|foodnetwork.com|nbcnews.com|ncaa.com|player.theplatform.com|simpsonsworld.com|today.com +@@||v.fwmrm.net/crossdomain.xml$xmlhttprequest +@@||vms-players.minutemediaservices.com^$script,domain=si.com +@@||vms-videos.minutemediaservices.com^$xmlhttprequest,domain=si.com +@@||warpwire.com/AD/ +@@||warpwire.net/AD/ +@@||web-ads.pulse.weatherbug.net/api/ads/targeting/$domain=weatherbug.com +@@||webbtelescope.org/files/live/sites/webb/$image,~third-party +@@||widgets.jobbio.com^*/display.min.js$domain=interestingengineering.com +@@||worldgravity.com^$script,domain=hotstar.com +@@||wrestlinginc.com/wp-content/themes/unified/js/prebid.js$~third-party +@@||www.google.*/search?$domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk @@||www.google.com/ads/preferences/$image,script,subdocument -@@||www8-hp.com^*/styles/ads/$domain=hp.com -@@||wz856.com^$domain=nme.com|trustedreviews.com -@@||xbox.com/assets/ad/$image,~third-party -@@||xboxlive.com/assets/*_banner_ad.$image,domain=forzamotorsport.net -@@||xboxlive.com/assets/ad/$image,domain=forzamotorsport.net -@@||xpanama.net^$xmlhttprequest -@@||yadayadayada.nl/banner/banner.php$image,domain=murf.nl|workhardclimbharder.nl -@@||yahoo.com/combo?$stylesheet -@@||yceml.net^$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|extrarebates.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||yellowpages.com.mt/Images/Design/Buttons/advert.png -@@||yibada.com^$generichide -@@||yimg.com/ks/plugin/adplugin.swf?$domain=yahoo.com -@@||yimg.com/nn/lib/metro/300_250_Human_Touch_mail.jpg$domain=yahoo.com -@@||yimg.com/p/combo?$stylesheet,domain=yahoo.com +@@||yaytrade.com^*/chunks/pages/advert/$~third-party +@@||yieldlove.com/v2/yieldlove.js$script,domain=whatismyip.com @@||yimg.com/rq/darla/*/g-r-min.js$domain=yahoo.com -@@||yimg.com/zz/combo?*&*.js -@@||yimg.com^*&yat/js/ads_ -@@||yimg.com^*/adplugin_*.swf$object,domain=games.yahoo.com -@@||yimg.com^*/ads-min.css$domain=yahoo.com -@@||yimg.com^*/java/promotions/js/ad_eo_1.1.js -@@||yimg.com^*_300x250.$image,domain=search.yahoo.com -@@||ykhandler.com/adframe.js -@@||yokosonews.com/files/cache/ -@@||yoox.com/img//banner/affiliation/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||yourtailorednews.com^$generichide -@@||youtube.com/yt/advertise/medias/images/$image -@@||youtube.com/yt/css/www-advertise.css -@@||youtube.com^*_adsense_$xmlhttprequest -@@||ytimg.com/yts/img/*/display-ads$image,domain=youtube.com -@@||ytimg.com/yts/img/channels/*_banner-*.jpg$domain=youtube.com -@@||ytimg.com/yts/img/channels/*_banner-*.png$domain=youtube.com -@@||ytimg.com^*/channels4_banner.jpg?$domain=youtube.com -@@||ytimg.com^*/channels4_banner_hd.jpg?$domain=youtube.com -@@||yttalk.com/threads/*/add-reply$domain=yttalk.com -@@||yumenetworks.com/content/static/$domain=dailygames.com -@@||yumenetworks.com/dynamic_preroll_playlist.vast2xml$domain=contv.com -@@||zanox-affiliate.de/images/$domain=sunsteps.org -@@||zanox.com/images//programs/$image,domain=sunsteps.org -@@||zanox.com/images/programs/$domain=sunsteps.org -@@||zap2it.com/ads/newsletter/$image,~third-party -@@||zattoo.com/advertising/channelswitch/$subdocument -@@||zedo.com/jsc/c5/fhs.js$domain=rrstar.com -@@||zedo.com/swf/$domain=startv.in -@@||zemanta.com/plugins/$script,third-party -@@||zergnet.com^$image,script,stylesheet,domain=ci.craveonline.com|ci.gamerevolution.com|ci.momtastic.com|ci.thefashionspot.com|ci.totallyher.com -@@||ziehl-abegg.com/images/img_adverts/$~third-party -@@||zillow.com/ads/FlexAd.htm?did=$subdocument -@@||zillow.com/widgets/search/ZillowListingsWidget.htm?*&adsize=$subdocument,domain=patch.com -@@||zippyshare.com^$generichide -@@||zstream.to/js/pop.js$domain=zstream.to -! csp whitelists -@@||1337x.to/cat/$csp,~third-party -@@||1337x.to/home/$csp,~third-party -@@||1337x.to/login$csp,~third-party -@@||1337x.to/movie-library/$csp,~third-party -@@||1337x.to/new-episodes/$csp,~third-party -@@||1337x.to/register$csp,~third-party -@@||1337x.to/series-library/$csp,~third-party -@@||1337x.to/top-100$csp,~third-party -@@||1337x.to/torrent/$csp,~third-party -@@||1337x.to/upload$csp,~third-party -@@||swatchseries.to/latest$csp,~third-party -@@||swatchseries.to/login$csp,~third-party -@@||swatchseries.to/new$csp,~third-party -@@||swatchseries.to/register$csp,~third-party -@@||swatchseries.to/series$csp,~third-party -@@||tamilrockerss.ch/index.php$csp,~third-party -@@||uploadproper.com/login.html$csp,~third-party -@@||uploadproper.com/register.html$csp,~third-party -@@||www.limetorrents.info/register/$csp,~third-party -! Zazzle https://github.com/easylist/easylist/pull/939 -@@||zcache.ca^$image,domain=zazzle.ca -@@||zcache.co.nz^$image,domain=zazzle.co.nz -@@||zcache.co.uk^$image,domain=zazzle.co.uk -@@||zcache.com^$image,domain=zazzle.com +@@||z.moatads.com^$script,domain=standard.co.uk +@@||zeebiz.com/ads/$image,~third-party +@@||zohopublic.com^*/ADManager_$subdocument,xmlhttprequest,domain=manageengine.com|zohopublic.com +! Webcompat fixes (Avoid any potential filters being applied to non-ad domains) +@@||challenges.cloudflare.com/turnstile/$script +@@||gmail.com^$generichide +@@||google.com/recaptcha/$csp,subdocument +@@||google.com/recaptcha/api.js +@@||google.com/recaptcha/enterprise.js +@@||google.com/recaptcha/enterprise/ +@@||gstatic.com/recaptcha/ +@@||hcaptcha.com/captcha/$script,subdocument +@@||hcaptcha.com^*/api.js +@@||recaptcha.net/recaptcha/$script +@@||search.brave.com/search$xmlhttprequest +@@||ui.ads.microsoft.com^$~third-party +! Webcompat Generichide fixes (Avoid any potential filters being applied to non-ad domains) +@@://10.0.0.$generichide +@@://10.1.1.$generichide +@@://127.0.0.1$generichide +@@://192.168.$generichide +@@://localhost/$generichide +@@://localhost:$generichide +@@||accounts.google.com^$generichide +@@||ads.microsoft.com^$generichide +@@||apple.com^$generichide +@@||bitbucket.org^$generichide +@@||browserbench.org^$generichide +@@||builder.io^$generichide +@@||calendar.google.com^$generichide +@@||carbuzz.com^$generichide +@@||cbs.com^$generichide +@@||cdpn.io^$generichide +@@||chatgpt.com^$generichide +@@||cloud.google.com^$generichide +@@||codepen.io^$generichide +@@||codesandbox.io^$generichide +@@||console.cloud.google.com^$generichide +@@||contacts.google.com^$generichide +@@||curiositystream.com^$generichide +@@||deezer.com^$generichide +@@||discord.com^$generichide +@@||discoveryplus.com^$generichide +@@||disneyplus.com^$generichide +@@||docs.google.com^$generichide +@@||drive.google.com^$generichide +@@||dropbox.com^$generichide +@@||facebook.com^$generichide +@@||fastmail.com^$generichide +@@||figma.com^$generichide +@@||gemini.google.com^$generichide +@@||github.com^$generichide +@@||github.io^$generichide +@@||gitlab.com^$generichide +@@||icloud.com^$generichide +@@||instagram.com^$generichide +@@||instapundit.com^$generichide +@@||instawp.xyz^$generichide +@@||jsfiddle.net^$generichide +@@||mail.google.com^$generichide +@@||material.angular.io^$generichide +@@||material.io^$generichide +@@||matlab.mathworks.com^$generichide +@@||max.com^$generichide +@@||meet.google.com^$generichide +@@||morphic.sh^$generichide +@@||mui.com^$generichide +@@||music.amazon.$generichide +@@||music.youtube.com^$generichide +@@||myaccount.google.com^$generichide +@@||nebula.tv^$generichide +@@||netflix.com^$generichide +@@||notion.so^$generichide +@@||oisd.nl^$generichide +@@||onedrive.live.com^$generichide +@@||open.spotify.com^$generichide +@@||pandora.com^$generichide +@@||paramountplus.com^$generichide +@@||peacocktv.com^$generichide +@@||photos.google.com^$generichide +@@||pinterest.com^$generichide +@@||pinterest.de^$generichide +@@||pinterest.es^$generichide +@@||pinterest.fr^$generichide +@@||pinterest.it^$generichide +@@||pinterest.jp^$generichide +@@||pinterest.ph^$generichide +@@||proton.me^$generichide +@@||publicwww.com^$generichide +@@||qobuz.com^$generichide +@@||reddit.com^$generichide +@@||slack.com^$generichide +@@||sourcegraph.com^$generichide +@@||stackblitz.com^$generichide +@@||teams.live.com^$generichide +@@||teams.microsoft.com^$generichide +@@||testufo.com^$generichide +@@||tidal.com^$generichide +@@||tiktok.com^$generichide +@@||tubitv.com^$generichide +@@||tv.youtube.com^$generichide +@@||twitch.tv^$generichide +@@||web.basemark.com^$generichide +@@||web.telegram.org^$generichide +@@||whatsapp.com^$generichide +@@||wikibooks.org^$generichide +@@||wikidata.org^$generichide +@@||wikinews.org^$generichide +@@||wikipedia.org^$generichide +@@||wikiquote.org^$generichide +@@||wikiversity.org^$generichide +@@||wiktionary.org^$generichide +@@||www.youtube.com^$generichide +@@||x.com^$generichide +! wordpress.org https://wordpress.org/plugins/woocommerce-google-adwords-conversion-tracking-tag/ +@@||ps.w.org^$image,domain=wordpress.org +@@||s.w.org/wp-content/$stylesheet,domain=wordpress.org +@@||wordpress.org/plugins/$domain=wordpress.org +@@||wordpress.org/stats/plugin/$domain=wordpress.org +! Fingerprint checks +@@||fingerprintjs.com^$generichide +@@||schemeflood.com^$generichide +! Admiral baits +@@||succeedscene.com^$script +! uBO-CNAME (Specific allowlists) +@@||akinator.mobi.cdn.ezoic.net^$domain=akinator.mobi +@@||banner.customer.kyruus.com^$domain=doctors.bannerhealth.com +@@||hwcdn.net^$script,domain=mp4upload.com +! ezfunnels.com (https://forums.lanik.us/viewtopic.php?f=64&t=44355) +@@||ezsoftwarestorage.com^$image,media,domain=ezfunnels.com +! Memo2 +@@||ads.memo2.nl/banners/$subdocument ! allow vk.com to confirm age. ! https://forums.lanik.us/viewtopic.php?p=131491#p131491 @@||oauth.vk.com/authorize? -! propellar ad false positives -@@||8m5sew59gr.bid^$xmlhttprequest,domain=drudgereport.com -@@||cdn-surfline.com^*.stream/$xmlhttprequest,domain=surfline.com -@@||screenshot3.bid^$xmlhttprequest -! Yavli -@@||100percentfedup.com^$generichide -@@||addictinginfo.com^$generichide -@@||allenwestrepublic.com^$generichide -@@||allthingsvegas.com^$generichide -@@||askmefast.com^$generichide -@@||auntyacid.com^$generichide -@@||barbwire.com^$generichide -@@||bestfunnyjokes4u.com^$generichide -@@||bighealthreport.com^$generichide -@@||boredomtherapy.com^$generichide -@@||breathecast.com^$generichide -@@||bulletsfirst.net^$generichide -@@||celebrity-gossip.net^$generichide -@@||cheapism.com^$generichide -@@||cheatsheet.com^$generichide -@@||chicksonright.com^$generichide -@@||comicallyincorrect.com^$generichide -@@||conservativebyte.com^$generichide -@@||conservativeintel.com^$generichide -@@||conservativevideos.com^$generichide -@@||constitution.com^$generichide -@@||coviral.com^$generichide -@@||craigjames.com^$generichide -@@||crossmap.com^$generichide -@@||dailyfeed.co.uk^$generichide -@@||dailyheadlines.net^$generichide -@@||dailyhealthpost.com^$generichide -@@||dailysurge.com^$generichide -@@||deneenborelli.com^$generichide -@@||digitaljournal.com^$generichide -@@||eaglerising.com^$generichide -@@||earnthenecklace.com^$generichide -@@||enstarz.com^$generichide -@@||faithit.com^$generichide -@@||fitnessconnoisseur.com^$generichide -@@||foreverymom.com^$generichide -@@||freedomforce.com^$generichide -@@||freedomoutpost.com^$generichide -@@||freewarefiles.com^$generichide -@@||gamerant.com^$generichide -@@||gosocial.co^$generichide -@@||gymflow100.com^$generichide -@@||hallels.com^$generichide -@@||hautereport.com^$generichide -@@||headcramp.com^$generichide -@@||healthstatus.com^$generichide -@@||hngn.com^$generichide -@@||honesttopaws.com^$generichide -@@||hypable.com^$generichide -@@||infowars.com^$generichide -@@||intellectualconservative.com^$generichide -@@||jobsnhire.com^$generichide -@@||joeforamerica.com^$generichide -@@||juicerhead.com^$generichide -@@||justdiy.com^$generichide -@@||kdramastars.com^$generichide -@@||keepandbear.com^$generichide -@@||knowledgedish.com^$generichide -@@||kpopstarz.com^$generichide -@@||lastresistance.com^$generichide -@@||latinpost.com^$generichide -@@||legalinsurrection.com^$generichide -@@||lidblog.com^$generichide -@@||lifebuzz.com^$generichide -@@||madworldnews.com^$generichide -@@||mentalflare.com^$generichide -@@||minutemennews.com^$generichide -@@||moneyversed.com^$generichide -@@||myscienceacademy.org^$generichide -@@||naturalblaze.com^$generichide -@@||naturalsociety.com^$generichide -@@||natureworldnews.com^$generichide -@@||newser.com^$generichide -@@||newseveryday.com^$generichide -@@||newsthump.com^$generichide -@@||opednews.com^$generichide -@@||parentherald.com^$generichide -@@||patriotoutdoornews.com^$generichide -@@||patriottribune.com^$generichide -@@||pickthebrain.com^$generichide -@@||politicaloutcast.com^$generichide -@@||politichicks.com^$generichide -@@||practicallyviral.com^$generichide -@@||quirlycues.com^$generichide -@@||realfarmacy.com^$generichide -@@||realmomsrealreviews.com^$generichide -@@||realtytoday.com^$generichide -@@||redmaryland.com^$generichide -@@||reverbpress.com^$generichide -@@||reviveusa.com^$generichide -@@||rightwingnews.com^$generichide -@@||shark-tank.com^$generichide -@@||shedthoselbs.com^$generichide -@@||stevedeace.com^$generichide -@@||supercheats.com^$generichide -@@||survivalnation.com^$generichide -@@||techconsumer.com^$generichide -@@||technobuffalo.com^$generichide -@@||techtimes.com^$generichide -@@||terezowens.com^$generichide -@@||theblacksphere.net^$generichide -@@||theboredmind.com^$generichide -@@||thehayride.com^$generichide -@@||thelibertydaily.com^$generichide -@@||themattwalshblog.com^$generichide -@@||thepolitistick.com^$generichide -@@||tinypic.com^$generichide -@@||tosavealife.com^$generichide -@@||traileraddict.com^$generichide -@@||truththeory.com^$generichide -@@||universityherald.com^$generichide -@@||urbantabloid.com^$generichide -@@||valuewalk.com^$generichide -@@||vcpost.com^$generichide -@@||vgpie.com^$generichide -@@||victoriajackson.com^$generichide -@@||videogamesblogger.com^$generichide -@@||viralnova.com^$generichide -@@||visiontoamerica.com^$generichide -@@||youthhealthmag.com^$generichide -! Anti-Adblock -@@.gif#$domain=budget101.com|cbox.ws|dx-tv.com|funniermoments.com|gameurs.net|liveonlinetv247.info|loadlum.com|premiumleecher.com|remo-xp.com|showsport-tv.com|superplatyna.com|turktorrent.cc|ver-flv.com|verdirectotv.com|wallpapersimages.co.uk|wowebook.org|wwe2day.tv|xup.in -@@.ico#$domain=xup.in|xup.to -@@.jpg#$domain=bicimotosargentina.com|calcularindemnizacion.es|dragoart.com|galna.org|haxlog.com|idevnote.com|lag10.net|legionpeliculas.org|livrosdoexilado.org|lomeutec.com|mac2sell.net|masfuertequeelhierro.com|max-deportv.info|max-deportv.net|megacineonline.biz|movie1k.net|musicacelestial.net|mypapercraft.net|naasongs.com|play-old-pc-games.com|pxstream.tv|rtube.de|tv-msn.com|wallpapersimages.co.uk -@@.min.js$domain=ftlauderdalewebcam.com|nyharborwebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com -@@.png#$domain=amigosdelamili.com|anime2enjoy.com|anizm.com|anonytext.tk|backin.net|bitcoin-cloud.eu|calcularindemnizacion.es|cleodesktop.com|compartiendofull.org|debrastagi.com|debridit.com|debridx.com|dragoart.com|freelive365.com|hubturkey.net|idevnote.com|kwikupload.com|latinomegahd.net|legionprogramas.org|maamp3.com|magesy.be|marketmilitia.org|media1fire.com|media4up.com|mediaplaybox.com|megacineonline.net|minecraft-forum.net|mintmovies.net|mpc-g.com|mundoprogramas.net|myksn.net|nontonanime.org|nornar.com|noticiasautomotivas.com.br|omaredomex.org|oploverz.net|osdarlings.com|pes-patch.com|pocosmegashdd.com|portalzuca.com|portalzuca.net|puromarketing.com|realidadscans.org|sawlive.tv|scriptnulled.eu|short.am|skidrowcrack.com|superanimes.com|superplatyna.com|technoshouter.com|trackitonline.ru|trizone91.com|turkdown.com|tv-msn.com|ulto.ga|unlockpwd.com|uploadex.com|uploadocean.com|url4u.org|vbaddict.net|vencko.net|vidlockers.ag|wolverdon-filmes.com|wowhq.eu -@@.png?*#$domain=mypapercraft.net -@@.xzn.ir/$script,third-party,domain=psarips.com -@@/adBlockDetector/*$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/advertisement.js$domain=dramacafe.in|mackolik.com|sahadan.com -@@/banman/*$script,domain=atlanticcitywebcam.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|keywestharborwebcam.com|morganhillwebcam.com|nyharborwebcam.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com -@@/blockalyzer-adblock-counter/js/advertisement.js$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/*/plugins/adblock.js$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/adblock-notify-by-bweb/js/advertisement.js$script,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/anti-block/js/advertisement.js$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/blockalyzer-adblock-counter/*$image,script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/blocked-ads-notifier-lite/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/simple-adblock-notice/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/wordpress-adblock-blocker/adframe.js$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/themes/$script,domain=9to5mac.com -@@/wp-prevent-adblocker/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/xbanner.js$subdocument,domain=vivo.sx -@@?aid=$image,third-party,domain=kisscartoon.se -@@|http://$image,third-party,domain=360haven.com|4553t5pugtt1qslvsnmpc0tpfz5fo.xyz|animmex.com|ip-address.org|linkdrop.net|playlivenewz.com|seekingalpha.com|sznpaste.net -@@|http://$script,third-party,domain=eventhubs.com -@@|http://$xmlhttprequest,domain=gogi.in -@@|https://$image,third-party,domain=360haven.com|4553t5pugtt1qslvsnmpc0tpfz5fo.xyz|animmex.club|animmex.co.uk|animmex.com|animmex.info|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz|ip-address.org|jukezilla.com|linkdrop.net|nmac.to|sznpaste.net -@@|https://$script,third-party,domain=eventhubs.com -@@|https://$xmlhttprequest,domain=gogi.in -@@||10-download.com/ad/adframe.js -@@||1rx.io^$script,domain=allmusic.com|blinkx.com -@@||247realmedia.com/RealMedia/ads/Creatives/default/empty.gif$image,domain=surfline.com -@@||360haven.com^$generichide -@@||3dsforum.tk^$generichide -@@||4fuckr.com^*/adframe.js -@@||4shared.com^$image,script,xmlhttprequest -@@||4sysops.com^*/adframe.js -@@||5.189.144.107^$script,domain=afdah.tv -@@||8muses.com^$script,~third-party -@@||8shit.net^$generichide -@@||95.211.184.210/js/advertisement.js -@@||97.74.238.106^$domain=afreesms.com -@@||9msn.com.au/Services/Service.axd?*=AdExpert&$script,domain=9news.com.au -@@||9xbuddy.com/js/ads.js -@@||ad.doubleclick.net/|$image,domain=cwtv.com -@@||ad.filmweb.pl^$script -@@||ad.leadbolt.net/show_cu.js -@@||ad8k.com^$script,domain=extratorrent.cc|flash-x.tv|flashx.tv|wrestlinginc.com -@@||adcity.tech^$script,third-party -@@||adexprt.com/cdn3/*&m=magnet$subdocument -@@||adf.ly/ad/banner/*=$xmlhttprequest -@@||adf.ly^$generichide -@@||adgarden.tech^$script,third-party -@@||adm.fwmrm.net/p/*/AdManager.js$domain=dplay.com|dplay.dk|dplay.se|eonline.com|rte.ie|uktv.co.uk -@@||adm.fwmrm.net/p/*/LinkTag2.js$domain=uktv.co.uk -@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=uktv.co.uk -@@||admost.com/adx/get.ashx?$script,domain=mackolik.com|sahadan.com -@@||admost.com/adx/js/admost.js$domain=mackolik.com|sahadan.com -@@||adnetasia.com^$script,domain=sznpaste.net -@@||adnow.tech^$script,third-party -@@||adocean.pl^*/ad.js?id=$script,domain=tvn24.pl -@@||ads.360haven.com^$script,~third-party -@@||ads.ad-center.com/smart_ad/display?ref=*&smart_ad_id=$subdocument,domain=dayt.se -@@||ads.ad-center.com^$subdocument,domain=dayt.se -@@||ads.ad4game.com/www/delivery/lg.php$subdocument,domain=turkanime.tv -@@||ads.avazu.net^$subdocument,domain=xuuby.com -@@||ads.clubedohardware.com.br/www/delivery/$script -@@||ads.colombiaonline.com^$generichide -@@||ads.cxadserving.com^$subdocument,domain=pocketnow.com -@@||ads.nipr.ac.jp^$~third-party -@@||ads.rubiconproject.com/ad/$script,domain=memegenerator.net -@@||adsbox.in^$generichide -@@||adserver.adreactor.com/js/libcode1_noajax.js$domain=mp3clan.audio|mp3clan.com -@@||adserver.adtech.de/?adrawdata/3.0/$domain=digitoday.fi|groovefm.fi|hs.fi|iltasanomat.fi|istv.fi|jimtv.fi|livtv.fi|loop.fi|metrohelsinki.fi|nelonen.fi|nyt.fi|radioaalto.fi|radiorock.fi|radiosuomipop.fi|ruokala.net|ruutu.fi -@@||adserver.adtech.de/?adrawdata/3.0/$script,domain=entertainment.ie -@@||adserver.adtech.de/multiad/$script,domain=aftenposten.no|e24.no|vg.no -@@||adserver.dca13.com/js/ads*.js$script -@@||adserver.liverc.com/getBannerVerify.js -@@||adstreet.tech^$script,third-party -@@||adtechus.com/dt/common/DACMultiAdPlugin.js$domain=e24.no -@@||adtechus.com/dt/common/postscribe.js$domain=vg.no -@@||adworld.tech^$script,third-party +! Downdetector Consent +@@||googletagservices.com/tag/js/gpt.js$domain=allestoringen.be|allestoringen.nl|downdetector.ae|downdetector.ca|downdetector.cl|downdetector.co.nz|downdetector.co.uk|downdetector.co.za|downdetector.com|downdetector.com.ar|downdetector.com.au|downdetector.com.br|downdetector.com.co|downdetector.cz|downdetector.dk|downdetector.ec|downdetector.es|downdetector.fi|downdetector.fr|downdetector.gr|downdetector.hk|downdetector.hr|downdetector.hu|downdetector.id|downdetector.ie|downdetector.in|downdetector.it|downdetector.jp|downdetector.mx|downdetector.my|downdetector.no|downdetector.pe|downdetector.ph|downdetector.pk|downdetector.pl|downdetector.pt|downdetector.ro|downdetector.ru|downdetector.se|downdetector.sg|downdetector.sk|downdetector.tw|downdetector.web.tr|xn--allestrungen-9ib.at|xn--allestrungen-9ib.ch|xn--allestrungen-9ib.de +! Generichide +@@||adblockplus.org^$generichide @@||aetv.com^$generichide -@@||afairweb.com/api/*/urls$xmlhttprequest -@@||afairweb.com^$generichide -@@||afdah.tv^$script -@@||afreesms.com^$generichide -@@||agar.io^*ad$script -@@||ahctv.com^$generichide -@@||aka-cdn-ns.adtech.de/images/*.gif$image,domain=akam.no|amobil.no|gamer.no|teknofil.no -@@||akamaihd.net^*/showads$script,domain=golfchannel.com -@@||akstream.video/include/advertisement.js -@@||allmedia-d.openx.net^$script,domain=sidereel.com -@@||allmusic.com^$generichide -@@||allmyvideos.net^$generichide -@@||allmyvideos.net^$script,~third-party -@@||alphahistory.com^$generichide -@@||altoque.com^$generichide -@@||amazon-adsystem.com/aax2/amzn_ads.js$domain=allmusic.com|cinemablend.com|fullmatchesandshows.com|sidereel.com -@@||amazonaws.com/*.js$domain=cwtv.com -@@||amazonaws.com/atzuma/ajs.php?adserver=$script -@@||amazonaws.com/khachack/ima3.js?$script,domain=ndtv.com -@@||amazonaws.com/ssbss.ss/$script -@@||amazonaws.com^*/video-ad-unit.js$script -@@||amazonaws.com^*/videoads.js -@@||amigosdelamili.com^$generichide -@@||amk.to/js/adcode.js? -@@||ancensored.com/sites/all/modules/player/images/ad.jpg -@@||anilinkz.io^$generichide -@@||animecrave.com/_content/$script -@@||animenewsnetwork.com/javascripts/advertisement.js -@@||animmex.$generichide -@@||anisearch.com^*/ads/ -@@||anonymousemail.me/js/$~script -@@||anonytext.tk^$generichide -@@||arto.com/includes/js/adtech.de/script.axd/adframe.js? -@@||atresplayer.com/static/js/advertisement.js -@@||auditude.com/player/js/lib/aud.html5player.js -@@||autogespot.*/JavaScript/ads.js?$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||avforums.com/*ad$script -@@||bestofmedia.com^*/advertisement.js -@@||bicimotosargentina.com^$generichide -@@||bidvertiser.com/*.html?$subdocument,domain=exrapidleech.info -@@||bidvertiser.com/*?pid=$script,subdocument,domain=exrapidleech.info -@@||bilzonen.dk/scripts/ads.js -@@||bollywoodshaadis.com/js/ads.js -@@||boxxod.net/advertisement.js -@@||bsmotoring.com/adsframe.js -@@||bulletproofserving.com/scripts/ads.js -@@||bulletproofserving.com^$script,domain=opensubtitles.org -@@||business-solutions.us^$generichide -@@||business-standard.com/include/_mod/site/adblocker/js/$script -@@||buysellads.com/ac/bsa.js$domain=jc-mp.com -@@||caspion.com/cas.js$domain=clubedohardware.com.br -@@||catchvideo.net/adframe.js -@@||cbsistatic.com^*/cnetjs/$script,domain=cnet.com -@@||cdn-seekingalpha.com^*/ads.js -@@||cdn-surfline.com/ads/VolcomSurflinePlayerHo13.jpg$domain=surfline.com -@@||cdn.ndtv.com/static/$script,domain=ndtv.com -@@||cdnco.us^$script -@@||celogeek.com/stylesheets/blogads.css -@@||centro.co.il^$generichide -@@||chicagoreader.com^$generichide -@@||chitika.net/getads.js$domain=anisearch.com -@@||cinestrenostv.tv/reproductores/adblock.js -@@||cio.co.nz^$generichide -@@||cio.com.au^$generichide -@@||cleodesktop.com^$generichide -@@||cloudflare.com/ajax/libs/fuckadblock/$script,domain=watchcartoononline.io -@@||cloudfront.net*/ad$script,domain=robinwidget.com|space.com|theinquirer.net|tomshardware.co.uk|tomshardware.com -@@||cloudfront.net^$image,domain=theinquirer.net -@@||cloudfront.net^*/pubads_$script,domain=slader.com -@@||clubedohardware.com.br^$generichide -@@||cmacapps.com^$generichide -@@||cmo.com.au^$generichide -@@||cnbc.com^*/showads.js$script -@@||cnbcfm.com^*/showads.js$script,domain=cnbc.com -@@||codingcrazy.com/demo/adframe.js -@@||coincheckin.com/js/adframe.js -@@||coinracket.com^$generichide -@@||coinurl.com/get.php?id=18045 -@@||comicbook.com^$generichide -@@||compartiendofull.org^$generichide -@@||complexmedianetwork.com/js/cmnUNT.js$script,domain=allmusic.com -@@||computerworld.co.nz^$generichide -@@||computerworld.com.au^$generichide -@@||computerworld.com/www/js/ads/gpt_includes.js -@@||cookinggames.com^$generichide -@@||coolgames.com^*/ads.js -@@||corepacks.com^$generichide -@@||cpalead.com/gwjs.php?pub=$script,domain=youserials.com -@@||cpalead.com/mygateway.php?pub=$script,domain=free-space.net|receive-sms.com -@@||cpu-world.com^$generichide -@@||crackberry.com^$generichide -@@||credio.com/ad? -@@||credio.com^$generichide -@@||cricfree.sc^$generichide -@@||cricket-365.tv^$generichide -@@||cricketndtv.com^$script,domain=ndtv.com -@@||criteo.com/delivery/ajs.php?zoneid=$script,domain=clubedohardware.com.br -@@||criteo.com/delivery/rta/rta.js$domain=allmusic.com|sidereel.com -@@||crunchyroll.com^*/ads_enabled_flag.js -@@||cso.com.au^$generichide -@@||cssload.net/js/adframe.js -@@||cyberdevilz.net^$generichide -@@||d2anfhdgjxf8s1.cloudfront.net/ajs.php?adserver=$script -@@||d3pkae9owd2lcf.cloudfront.net^$script,domain=hockeybuzz.com|hotslogs.com|wowhead.com -@@||daclips.in^$generichide -@@||dailymail.co.uk/abe/$script -@@||dailymail.co.uk^$generichide -@@||dailymotion.com/embed/video/$subdocument -@@||dayt.se^$generichide -@@||dayt.se^$script,domain=dayt.se -@@||debrastagi.com^$generichide -@@||debrid.us^$generichide -@@||debridit.com^$generichide -@@||debridnet.com/adframe.js$script -@@||debridnet.com^$generichide -@@||debridx.com^$generichide -@@||decomaniacos.es^*/advertisement.js -@@||designtaxi.com/js/ad*.js +@@||apkmirror.com^$generichide +@@||brighteon.com^$generichide +@@||cwtv.com^$generichide @@||destinationamerica.com^$generichide -@@||destinypublicevents.com/src/advertisement.js -@@||diep.io^$script,~third-party -@@||dinglydangly.com^$script,domain=eventhubs.com -@@||dinozap.tv/adimages/ -@@||divisionid.com^*/ads.js +@@||geekzone.co.nz^$generichide +@@||history.com^$generichide +@@||megaup.net^$generichide +@@||sciencechannel.com^$generichide +@@||smallseotools.com^$generichide +@@||sonichits.com^$generichide +@@||soranews24.com^$generichide +@@||spiegel.de^$generichide +@@||thefreedictionary.com^$generichide +@@||tlc.com^$generichide +@@||yibada.com^$generichide +! Search engine generichide (allowing searching of ad items) +@@||bing.com/search?$generichide +@@||duckduckgo.com/?q=$generichide +@@||www.google.*/search?$generichide +@@||yandex.com/search/?$generichide +! Anti-Adblock (Applicable to Adult, file hosting, streaming/torrent sites) +@@/wp-content/plugins/blockalyzer-adblock-counter/*$image,script,~third-party,domain=~gaytube.com|~pornhub.com|~pornhubthbh7ap3u.onion|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com +@@||adtng.com/get/$subdocument,domain=hanime.tv +@@||artnet.com^$generichide +@@||az.hp.transer.com/content/dam/isetan_mitsukoshi/advertise/$~third-party +@@||az.hpcn.transer-cn.com/content/dam/isetan_mitsukoshi/advertise/$~third-party +@@||cdnqq.net/ad/api/popunder.js$script +@@||centro.co.il^$generichide +@@||coinmarketcap.com/static/addetect/$script,~third-party @@||dlh.net^$script,subdocument,domain=dlh.net -@@||dniadops-a.akamaihd.net/ads/scripts/fwconfig/current/fwplayerconfig.min.js$domain=dplay.com|dplay.dk|dplay.se -@@||dnswatch.info^$script,domain=dnswatch.info -@@||dogecoinpuddle.com^$script,domain=dogecoinpuddle.com -@@||dogefaucet.com^*/ad$script -@@||dollarade.com/overlay_gateway.php?oid=$script,domain=dubs.me|filestore123.info|myfilestore.com|portable77download.blogspot.com -@@||domain.com/ads.html -@@||dontdrinkandroot.net/js/adframe.js -@@||doodle.com/builtstatic/*/doodle/js/$script -@@||doubleclick.net/adj/gn.eventhubs.com/*;sz=728x90;$script,domain=eventhubs.com -@@||doubleclick.net/instream/ad_status.js$domain=ip-address.org -@@||doubleclick.net/static/glade.js$domain=allmusic.com -@@||doubleclick.net/xbbe/creative/vast?$domain=rte.ie -@@||downace.com/themes/ace/frontend_assets/$script -@@||downace.com^$generichide -@@||dragoart.com^$generichide -@@||dragoart.com^$script,~third-party -@@||drakulastream.tv^*/flash_popunder.js -@@||drfile.net^$generichide -@@||drugs.com^$subdocument,~third-party -@@||dutplanet.net/ajax/reclamecheck.php?$xmlhttprequest -@@||dx-tv.com^$generichide -@@||dynamicyield.com/abadimage/$image,subdocument -@@||e24.no^$generichide -@@||ebkimg.com/banners/ -@@||edgekey.net^*/advertisement.js$domain=play.spotify.com -@@||elektrotanya.com/ads/$script,~third-party -@@||embedupload.com^$generichide -@@||eska.pl^*bbelements.js -@@||eteknix.com^$generichide -@@||eu5.org^*/advert.js -@@||euroman.dk^$generichide -@@||eventhubs.com^*.$script -@@||examplenews.com/static/js/overlay/$script -@@||exoclick.com/wp-content/$image,third-party -@@||exponential.com/tags/ClubeDoHardwarecombr/ROS/tags.js$domain=clubedohardware.com.br +@@||dragontea.ink^$generichide @@||exponential.com^*/tags.js$domain=yellowbridge.com -@@||exrapidleech.info/templates/$image -@@||exrapidleech.info^$generichide,script -@@||exsite.pl^*/advert.js -@@||external.mranime.tv^$generichide,script -@@||ezcast.tv/static/scripts/adscript.js -@@||fas.li^$generichide -@@||fastcontentdelivery.com/ad*.js$script -@@||fastcontentdelivery.com^*/ad*.js$script -@@||filmweb.pl/adbanner/$script -@@||financialexpress.com/wp-content/$script -@@||firstonetv.eu/*ad$script,~third-party -@@||firstonetv.eu/ajs/$xmlhttprequest -@@||fitshr.net^$script,stylesheet -@@||flashtalking.com/spot/$image,domain=itv.com -@@||flashx.$generichide -@@||flashx.tv/js/ad*.js$script -@@||flashx.tv^$generichide -@@||flvto.biz/scripts/ads.js -@@||flvto.biz^$generichide -@@||fm.tuba.pl/tuba3/_js/advert.js -@@||folue.info/player/*.js|$domain=youwatch.org -@@||forshrd.com^$script,domain=4shared.com -@@||freevaluator.com^$generichide -@@||fullmatchesandshows.com^$generichide -@@||fwcdn.pl^$script,domain=filmweb.pl -@@||fwmrm.net/ad/g/1?$xmlhttprequest,domain=vevo.com -@@||fwmrm.net/ad/g/1?prof=$script,domain=testtube.com -@@||fwmrm.net/p/*/admanager.js$domain=adultswim.com|animalist.com|mlb.com|revision3.com|testtube.com -@@||fyi.tv^$generichide -@@||g.doubleclick.net/gampad/ad?iu=*/Leaderboard&sz=728x90$image,domain=magicseaweed.com -@@||g.doubleclick.net/gampad/ads?$script,domain=allmusic.com|theinquirer.net -@@||g.doubleclick.net/gampad/ads?^*&sz=970x90%7C728x90^$xmlhttprequest,domain=cwtv.com -@@||gallery.aethereality.net/advertisement.js -@@||galna.org^$generichide -@@||game-advertising-online.com/index.php?section=serve&id=7740&subid=$subdocument,domain=anizm.com -@@||gamecopyworld.com/games/$script -@@||gamecopyworld.eu/games/$script -@@||gamereactor.$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||gamereactor.net/advertisement.js -@@||gamersconnexion.com/js/advert.js -@@||games-pc.ro/adver*.js$script @@||games.pch.com^$generichide -@@||games.washingtonpost.com/Scripts/$script -@@||gamesgames.com^*/advertisement.js -@@||gameshark.com/images/ads/ -@@||gametransfers.com^$generichide -@@||gameurs.net^$generichide -@@||gannett-cdn.com/uxstatic/$script -@@||gdataonline.com/exp/textad.js -@@||genvideos.com/js/show_ads.js$domain=genvideos.com -@@||genvideos.org/js/showads.js -@@||girlgames.com^*/ads.js -@@||girlsaskguys.com^*/js/ads. -@@||girlsocool.com^*/ads.js -@@||glam.com/gad/glamadapt_jsrv.act?$script,domain=thesimsresource.com -@@||globfone.com^$generichide -@@||go.padstm.com/?$script,domain=mediatechnologycenter.info -@@||go4up.com^$generichide -@@||gogi.in^$generichide -@@||gohuskies.com^$generichide -@@||goldsday.com^$generichide -@@||goodvideohost.com^$generichide -@@||google.com/ads/popudner/banner.jpg?$domain=magesy.be -@@||googlecode.com/files/google_ads.js$domain=turkdown.com -@@||googlecode.com^*/advertisement.js$domain=freeallmusic.net -@@||googlesyndication.com/favicon.ico$domain=comicbook.com|multiup.org -@@||googlesyndication.com/pagead/*/abg.js$domain=sc2casts.com -@@||googlesyndication.com/pagead/osd.js$domain=allmusic.com|sc2casts.com -@@||graphiq.com/sites/*ad$script -@@||grouchyaccessoryrockefeller.com^*/ads.js -@@||gscontxt.net/main/channels-jsonp.cgi?$domain=9news.com.au -@@||gsmdude.com^$generichide -@@||guygames.com^*/ads.js -@@||hackers.co.id/adframe/adframe.js -@@||hallpass.com^*/ads.js -@@||happytrips.com/*_ad$script -@@||happytrips.com/*ads$script -@@||harvardgenerator.com/js/ads.js -@@||haxlog.com^$generichide -@@||hcpc.co.uk/*ad$script,domain=avforums.com -@@||hdfree.tv/live/ad.php -@@||hentai-foundry.com^*/ads.js -@@||hindustantimes.com/*ad$script -@@||hindustantimes.com^*/ads.js -@@||hotslogs.com^$generichide -@@||hpfanficarchive.com^*/advertisement.js -@@||hqpdb.com/ads/banner.jpg? -@@||html5player.gamezone.com^$script,third-party -@@||hubturkey.net^$generichide -@@||huffingtonpost.co.uk^$generichide -@@||huffingtonpost.com^$generichide -@@||hwcdn.net/ads/advertisement.js$script -@@||hypable.com^*/advertisement.js$script -@@||hypixel.net^$generichide -@@||i-makeawish.com^$script,domain=i-makeawish.com -@@||ibibi.com/mads/ad*.js$domain=thesimsresource.com -@@||iconizer.net/js/adframe.js -@@||idevnote.com^$generichide -@@||idg.com.au/adblock/$script -@@||ifirstrow.eu^$script -@@||ifirstrowit.eu^$script,domain=ifirstrowit.eu -@@||ifirstrowus.eu^$script,domain=ifirstrowus.eu -@@||ifmnwi.club/adblockr$script -@@||iguide.to/js/advertisement.js -@@||ilovefood.xyz^$generichide -@@||imageontime.com/ads/banner.jpg? -@@||imagepearl.com/asset/javascript/ads.js -@@||images.bangtidy.net^$generichide -@@||images.cwtv.com^$script,~third-party -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=einthusan.tv|mobinozer.com|slacker.com -@@||imasdk.googleapis.com/pal/sdkloader/pal.js$script,domain=animalplanet.com|investigationdiscovery.com -@@||imgleech.com/ads/banner.jpg? -@@||imgsure.com/ads/banner.jpg? -@@||imgve.com/pop.js -@@||incredibox.com/js/advertisement.js -@@||incredibox.com^$generichide -@@||infineoncorp.com^$domain=eventhubs.com -@@||informer.com/js/ads.js -@@||informer.com^$generichide -@@||integral-marketing.com/scripts/imads.js$domain=dayt.se -@@||investigationdiscovery.com/shared/ad-enablers/ -@@||investing.com^*/ads.js -@@||investors.com^*/ads.js -@@||ip-address.org^$generichide -@@||ip-address.org^$script,domain=ip-address.org -@@||ipneighbour.com/ads.js -@@||iridiumsergeiprogenitor.info^$script -@@||iriptv.com/player/ads.js -@@||itunesplusaacm4a.org^$generichide -@@||jagranjosh.com/Resources/$script -@@||jansatta.com/*ads_$script -@@||javadecompilers.com^$generichide -@@||jb51.net^$script,domain=lg-firmware-rom.com -@@||jevvi.es/adblock/$image -@@||jewishpress.com^$generichide -@@||jiwangmovie.com^$generichide -@@||jjcast.com^$generichide -@@||jkanime.net/assets/js/advertisement.js -@@||jkanime.net^*/advertisement2.js -@@||jpopasia.com^$script,~third-party -@@||jpost.com/JavaScript/ads.js? -@@||juba-get.com^*/advertisement.js -@@||jukezilla.com^$generichide -@@||juzupload.com/advert*.js -@@||k01k0.com/adverts/$xmlhttprequest,domain=autoevolution.com -@@||k2nblog.com^$generichide -@@||katsomo.fi^*/advert.js -@@||katsomo.fi^*/advertisement.js -@@||kdliker.com/js/advert.js -@@||kenkenpuzzle.com/assets/ads-$script -@@||kenkenpuzzle.com^$generichide -@@||ketubanjiwa.com^$generichide -@@||kitguru.net^$generichide -@@||komoona.com^$script,third-party,domain=phoronix.com -@@||koparos.info/ads.php -@@||koparos.info^$generichide -@@||kwikupload.com^$generichide -@@||lag10.net^$generichide -@@||lapurno.info/ads.php -@@||last.fm^$generichide -@@||latinomegahd.net^$generichide -@@||layer13.net^$generichide,script -@@||lcpdfr.com/adblock.js -@@||lcpdfr.com^$generichide -@@||leaguesecretary.com/advertisement.js -@@||legionpeliculas.org^$generichide -@@||legionprogramas.org^$generichide -@@||lilfile.com/js/advertise-2.js -@@||lilfile.com/js/advertise.js -@@||liliputing.com^$generichide -@@||link.tl^$generichide -@@||linkcrypt.ws/image/*#$image -@@||linkcrypt.ws^$generichide -@@||linkdrop.net^$generichide -@@||linkshrink.net^$generichide -@@||litecoin-faucet.tk/advertisement.js -@@||live2.snopes.com^*/adframe.js? -@@||livemint.com*/ads.js$script,~third-party,domain=livemint.com -@@||livenewschat.eu^$generichide -@@||liveonlinetv247.info^$generichide -@@||livrosdoexilado.org^$generichide -@@||lolalytics.com/js/ad*.js$script -@@||lomeutec.com^$generichide -@@||lookr.com^*/advertisement.js -@@||lpg-forum.pl/advertise.js -@@||m2.ai^$script,domain=thesimsresource.com -@@||maamp3.com^$generichide -@@||mac2sell.net^$generichide -@@||macdailynews.com^$generichide -@@||mackolik.com^$script,domain=mackolik.com -@@||magesy.be^$generichide -@@||magesy.be^*/ad$script -@@||makemehost.com/js/ads.js -@@||manga-news.com/js/advert.js -@@||mangabird.me/sites/default/files/manga/*/advertise-$image -@@||mangahop.com^$generichide -@@||mangahost.com/ads.js? -@@||marketmilitia.org/advertisement.js -@@||marketmilitia.org^$generichide -@@||masfuertequeelhierro.com^$generichide -@@||matchhighlight.com^$generichide -@@||max-deportv.info^$generichide -@@||max-deportv.net^$generichide -@@||maxcheaters.com/public/js/jsLoader.js -@@||maxedtech.com^$generichide -@@||maxigame.org^$script,domain=maxigame.org -@@||media.eventhubs.com/images/*#$image -@@||media1fire.com^$generichide -@@||media4up.com^$generichide -@@||mediafire.com^$generichide -@@||mediaplaybox.com^$generichide -@@||medyanetads.com/ad.js$domain=mackolik.com|sahadan.com -@@||megacineonline.biz^$generichide -@@||megacineonline.net^$generichide -@@||megadown.us/advertisement.js -@@||megafiletube.xyz/js/adblock.js -@@||megahd.me^*/advertisement.js -@@||megavideodownloader.com/adframe.js -@@||megawypas.pl/includes/adframe.js -@@||menshealth.com^$generichide -@@||mensxp.com^$generichide -@@||mexashare.com^$generichide -@@||mgcash.com/common/adblock.js -@@||mgcashgate.com/cpalocker/$script,domain=movieleaks.co|videodepot.org -@@||mgid.com/s/p/*.js?$script,domain=sportsmole.co.uk -@@||minecraft-forum.net^$generichide -@@||minecrafthousedesign.com^$generichide -@@||mingle2.com^$generichide -@@||miniclipcdn.com/js/advertisement.js -@@||mintmovies.net^$generichide -@@||mirrorcreator.com^$script,~third-party,xmlhttprequest -@@||mix.dj/jscripts/jquery/mdj_adverts.js -@@||mix.dj^*/advertisement.js -@@||mmatko.com/images/ad/$image -@@||moatads.com/huluvpaid$domain=cc.com -@@||mobinozer.com^*/advert.js -@@||mocospace.com^$generichide -@@||mocospace.com^*/ads_$script -@@||moje-dzialdowo.pl/delivery/ajs.php?zoneid=$script -@@||moje-dzialdowo.pl/images/*.swf|$object -@@||monova.org/js/adframe.js -@@||monova.org^$generichide -@@||monova.unblocked.la/js/adframe.js -@@||monova.unblocked.la^$generichide -@@||moon-faucet.tk/advertisement.js -@@||mousebreaker.com/scripts/ads.js -@@||movie1k.net^$generichide -@@||mp3clan.audio^$generichide -@@||mp3clan.com^$generichide -@@||mp3clan.com^*/advertisement.js -@@||mp3clan.net^$generichide -@@||mp3skull.la^$generichide -@@||mpc-g.com^$generichide -@@||mrtzcmp3.net/advertisement.js -@@||msecnd.net/widget-scripts/extra_content/ads.js$script -@@||mtlblog.com/wp-content/*/advert.js -@@||mtlblog.com^$generichide -@@||mtvnservices.com/aria/*Ad$script -@@||multiup.org/img/theme/*?$image -@@||multiup.org/pop.js$script,domain=multiup.org -@@||multiup.org^$generichide -@@||mundoprogramas.net^$generichide -@@||musicacelestial.net^$generichide -@@||mwfiles.net/advertisement.js -@@||mybannermaker.com/banner.php$~third-party -@@||myfineforum.org/advertisement.js -@@||myfreeforum.org/advertisement.js -@@||myiplayer.com/ad*.js -@@||myiplayer.com^$generichide -@@||myksn.net^$generichide -@@||mylifetime.com^$generichide -@@||mypapercraft.net^$generichide -@@||narkive.com^$generichide -@@||nbcudigitaladops.com/hosted/$script -@@||ndtv.com^$script,~third-party -@@||needrom.com/advert1.js -@@||nettavisen.no^*/advert -@@||newsy.com^$generichide -@@||nextthreedays.com/Include/Javascript/AdFunctions.js -@@||ngads.com/*.js$script,domain=newgrounds.com -@@||nmac.to^$generichide -@@||nosteam.ro/*ad*.$script -@@||notebookcheck.net/ads.min.js -@@||npttech.com/advertising.js$script -@@||nzd.co.nz^*/ads/webads$script,domain=nzdating.com -@@||okgoals.com^$generichide -@@||oklivetv.com^$generichide -@@||olcdn.net/ads1.js$domain=olweb.tv -@@||olweb.tv^$generichide -@@||omaredomex.org^$generichide -@@||omnipola.com/ads.php -@@||omnipola.com^$generichide -@@||oneplay.tv^$generichide -@@||onhax.me^$generichide -@@||onrpg.com^*/advertisement.js -@@||onvasortir.com/ad$script -@@||openload.co/advert2.js -@@||openload.co^$generichide -@@||openx.gamereactor.dk/multi.php?$script -@@||openx.net/w/1.0/acj?$script,domain=clubedohardware.com.br -@@||openx.net/w/1.0/jstag$script,domain=clubedohardware.com.br -@@||osdarlings.com^$generichide -@@||ouo.io^$generichide -@@||overclock3d.net/js/advert.js -@@||pagead2.googlesyndication.com/bg/$script,domain=sc2casts.com -@@||pagead2.googlesyndication.com/pagead/$script,domain=altoque.com -@@||pagead2.googlesyndication.com/pagead/expansion_embed.js$domain=allmusic.com|full-ngage-games.blogspot.com|kingofgames.net|nonags.com|upfordown.com -@@||pagead2.googlesyndication.com/pagead/js/*/expansion_embed.js$domain=softpedia.com -@@||pagead2.googlesyndication.com/pagead/js/*/expansion_publ.js$domain=sc2casts.com -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=3dsforum.tk|afreesms.com|androidrepublic.org|apkmirror.com|appraisersforum.com|bitcoinker.com|boxbit.co.in|broadbandforum.co|calcularindemnizacion.es|clubedohardware.com.br|cpu-world.com|debridit.com|debridnet.com|demo-uhd3d.com|dev-metal.com|ezoden.com|freebitco.in|globaldjmix.com|gnomio.com|gsmdude.com|hubturkey.net|i-stats.net|incredibox.com|javadecompilers.com|kadinlarkulubu.com|lailasblog.com|lcpdfr.com|lomeutec.com|mangahop.com|masfuertequeelhierro.com|media4up.com|megaleech.us|mpc-g.com|mypapercraft.net|narkive.com|niresh.co|niresh12495.com|nonags.com|noticiasautomotivas.com.br|pattayaone.net|play-old-pc-games.com|receive-a-sms.com|ringmycellphone.com|rockfile.eu|sc2casts.com|scriptnulled.eu|settlersonlinemaps.com|shinobilifeonline.com|short.am|skylinewebcams.com|slideplayer.com.br|streaming-hub.com|technoshouter.com|thehomestyle.co|unlockpwd.com|unlocktheinbox.com|uploadex.com|uploadrocket.net|wallpapersimages.co.uk|wowtoken.info|xcl.com.br|zeperfs.com -@@||pagead2.googlesyndication.com/pagead/js/google_top_exp.js$domain=cleodesktop.com|musicacelestial.net -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=360haven.com|9bis.net|9jumpin.com.au|9news.com.au|afreesms.com|atlanticcitywebcam.com|bbc.com|bicimotosargentina.com|budget101.com|buickforums.com|bullywiihacks.com|carsfromitaly.info|downloads.codefi.re|dragoart.com|dreamscene.org|foro.clubcelica.es|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|ip-address.org|keywestharborwebcam.com|kingofgames.net|livenewschat.eu|morganhillwebcam.com|moviemistakes.com|mypapercraft.net|newsok.com|nonags.com|nornar.com|numberempire.com|nx8.com|nyharborwebcam.com|omegadrivers.net|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|puromarketing.com|radioaficion.com|rapid8.com|readersdigest.com.au|seeingwithsound.com|simply-debrid.com|smashgamez.com|softpedia.com|tech-blog.net|tipstank.com|top100clans.com|tv-kino.net|upfordown.com|virginmedia.com|warp2search.net|washington.edu|windows7themes.net|winterrowd.com|yellowbridge.com -@@||pagead2.googlesyndication.com/pub-config/ca-pub-$script,domain=sc2casts.com -@@||pagead2.googlesyndication.com/simgad/573912609820809|$image,domain=hardocp.com -@@||pagefair.net/ads.min.js$script,domain=allmusic.com -@@||pandora.com/static/ads/ -@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=allmusic.com|bakersfield.com|baseball-reference.com|basketball-reference.com|computerworlduk.com|dawn.com|hockey-reference.com|pro-football-reference.com|residentadvisor.net|sitepoint.com|slacker.com|speedtest.net|sports-reference.com|theinquirer.net|wowtoken.info -@@||paste.org/style/adframe.js -@@||pasted.co^$generichide -@@||pasty.link/javascript/ads.js -@@||pcworld.co.nz^$generichide -@@||pep.ph/res/js/ads.$script -@@||perkuinternete.lt/modules/mod_jpayday/js/advertisement.js -@@||pes-patch.com^$generichide -@@||phoronix.com^$script,~third-party -@@||photobucket.com^$generichide -@@||photofacefun.com^*/adblock.js -@@||picfont.com^$generichide -@@||picload.org^$generichide -@@||pipocas.tv/js/advertisement.js -@@||play-old-pc-games.com^$generichide -@@||player.foxfdm.com^*/playback.js$xmlhttprequest -@@||player.utv.ie/assets/js/adframe.js -@@||playindiafilms.com/advertisement.js -@@||playlive.pw/advertisement.js -@@||playlivenewz.com^$generichide -@@||pocosmegashdd.com^$generichide -@@||pokewatchers.com/ads.js -@@||poponclick.com/pp800x600.js?id=$domain=exrapidleech.info -@@||portalzuca.com^$generichide -@@||postimg.org/js/adframe.js -@@||powvideo.xyz/js/ads.js$script,~third-party -@@||prad.de/en/$generichide -@@||preloaders.net/jscripts/adframe.js -@@||premium-place.co^$generichide -@@||premiumleecher.com^$generichide -@@||problogbooster.com^$generichide -@@||protect-url.net^$script,~third-party -@@||ps4news.com/ad*.js$script -@@||ps4news.com^$generichide -@@||pttrns.com^$generichide -@@||pubdirecte.com^*/advertisement.js -@@||puromarketing.com/js/advertisement.js -@@||puromarketing.com^$generichide -@@||pxstream.tv^$generichide -@@||qoinfaucet.com^$script,domain=qoinfaucet.com -@@||qrrro.com^*/adhandler/ -@@||racedepartment.com^*/advertisement.js -@@||rackcdn.com^$image,script,domain=computerworlduk.com|theinquirer.net -@@||radar-toulouse.fr/advertisement.js -@@||radioaficion.com/HamNews/*/ad$image -@@||radioaficion.com^$generichide -@@||radioio.com^*/adframe.js -@@||randomarchive.com^$generichide -@@||rapid8.com^$script -@@||rapidmoviez.com/ad$image,subdocument -@@||rapidmoviez.com/files/php/mgid-ad$subdocument -@@||ratebeer.com/javascript/advertisement.js -@@||rctrails.com^$script,domain=eventhubs.com -@@||realidadscans.org^$generichide -@@||receive-a-sms.com^$generichide -@@||redtube.com*/adframe.js$~third-party,domain=redtube.com|redtube.com.br -@@||rek.www.wp.pl/pliki/$script,domain=wp.tv -@@||rek.www.wp.pl/vad.xml?$xmlhttprequest,domain=wp.tv -@@||remo-xp.com^$generichide -@@||reseller.co.nz^$generichide -@@||residentadvisor.net^$generichide -@@||resources.infolinks.com/js/*/ice.js$domain=cyberdevilz.net -@@||resources.infolinks.com/js/infolinks_main.js$domain=cyberdevilz.net -@@||revclouds.com^$generichide -@@||rincondelvago.com^*_adsense.js -@@||ringmycellphone.com^$generichide -@@||rivcash.com/it/$script,domain=backin.net -@@||rojadirecta.me^$generichide -@@||rsc.cdn77.org^$script,domain=allkpop.com -@@||rsense-ad.realclick.co.kr/favicon.ico?id=$image,domain=mangaumaru.com -@@||rtube.de^$generichide -@@||ruckusschroederraspberry.com^$script,domain=flash-x.tv|flashx.tv -@@||runners.es^*/advertisement.js -@@||runnersworld.com^$generichide -@@||s.ntv.io/serve/load.js$domain=allmusic.com|sidereel.com -@@||saavn.com/ads/search_config_ad.php?$subdocument -@@||sahadan.com^$script,domain=sahadan.com -@@||salefiles.com^$generichide -@@||salefiles.com^$script,~third-party -@@||samaup.com^$generichide -@@||sascdn.com/diff/js/smart.js$domain=onvasortir.com -@@||savevideo.me/images/banner_ads.gif -@@||sawlive.tv/adscript.js -@@||sawlive.tv^$generichide -@@||sbs.com.au^*/advertisement.js +@@||maxstream.video^$generichide +@@||receiveasms.com^$generichide @@||sc2casts.com^$generichide -@@||sc2casts.com^$script,domain=sc2casts.com -@@||scan-manga.com/ads.html -@@||scan-manga.com/ads/banner.jpg$image -@@||sciencechannel.com^$generichide -@@||scoutingbook.com/js/adsense.js -@@||scriptnulled.eu^$generichide -@@||seekingalpha.com/adsframe.html#que=$subdocument -@@||seekingalpha.com^$script -@@||senmanga.com/advertisement.js -@@||share-online.biz^*/ads.js -@@||sheepskinproxy.com/js/advertisement.js -@@||shimory.com/js/show_ads.js -@@||shink.in/js/showads.js -@@||shink.in^$generichide -@@||short.am^$generichide -@@||showsport-tv.com/adv*.js -@@||showsport-tv.com^$generichide -@@||siamfishing.com^*/advert.js -@@||sidereel.com^$generichide -@@||sitepoint.com^*/ad-server.js -@@||skidrowcrack.com/advertisement.js -@@||skidrowcrack.com^$generichide -@@||skylinewebcams.com^$generichide -@@||slacker.com^*/Advertising.js -@@||slader.com^$generichide -@@||smartadserver.com/call/pubj/*/M/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com -@@||smartadserver.com/call/pubj/*/S/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com -@@||smartadserver.com/config.js?nwid=$domain=onvasortir.com -@@||soccity.net^$generichide @@||spanishdict.com^$generichide -@@||spaste.com^$script -@@||speakingtree.in^$generichide -@@||stackexchange.com/affiliate/ -@@||stackoverflow.com/tags/$~third-party,xmlhttprequest -@@||stockmarketwire.com/js/advertisement.js @@||stream4free.live^$generichide -@@||streamdefence.com/*.js$script,third-party -@@||streamplay.to/js/ads.js -@@||streamplay.to^$generichide -@@||studybreakmedia.com^*/ads.js$script -@@||sznpaste.net^$generichide -@@||team-vitality.fr/assets/images/advert.png -@@||television-envivo.com^$generichide -@@||tf2center.com^*/advert.js -@@||theads.me/www/delivery/$script,domain=vidup.me -@@||thebarchive.com^$generichide -@@||thesimsresource.com/downloads/download/itemId/$generichide -@@||thesimsresource.com^$script,domain=thesimsresource.com -@@||thetechpoint.org^*/ads.js -@@||thevideos.tv/js/ads.js -@@||tlc.com^$generichide -@@||tomshardware.co.uk^$generichide -@@||tomshardware.com^$generichide -@@||tpc.googlesyndication.com^$image,domain=sc2casts.com -@@||tradedoubler.com/anet?type(iframe)loc($subdocument,domain=topzone.lt -@@||tribalfusion.com/displayAd.js?$domain=clubedohardware.com.br|yellowbridge.com -@@||tribalfusion.com/j.ad?$script,domain=clubedohardware.com.br|yellowbridge.com -@@||turkdown.com^$generichide -@@||tvn.adocean.pl/files/js/ado.js$domain=tvn.pl|tvn24.pl -@@||tweaktown.com^$generichide -@@||ucoz.com/ads/banner.jpg?$image -@@||ultimate-catch.eu^$generichide -@@||up-4ever.com^$generichide -@@||up-flow.org/advertisement.js -@@||uptobox.com*.ad6media$script,domain=uptobox.com -@@||uptobox.com^$generichide -@@||urbeez.com/adver$script -@@||urdupoint.com/js/advertisement.js -@@||url4u.org^$generichide -@@||urlgalleries.net^*/adhandler/$subdocument -@@||urlst.me^$generichide -@@||usapoliticstoday.com^$generichide -@@||usaupload.net/ads.js -@@||userscdn.com^$generichide -@@||uskip.me^$generichide -@@||uvnc.com/advertisement.js -@@||v.fwmrm.net/ad/g/1?$script,domain=uktv.co.uk -@@||v.fwmrm.net/ad/p/1$xmlhttprequest,domain=uktv.co.uk -@@||vbaddict.net^$generichide -@@||vdrive.to/js/pop.js -@@||vdrive.to^$generichide -@@||veedi.com/player/js/ads/advert.js -@@||veedi.com^*/ADS.js -@@||veekyforums.com^$generichide -@@||velocity.com^$generichide -@@||vencko.net^$generichide -@@||veohb.net/js/advertisement.js$domain=veohb.net -@@||ver-flv.com^$generichide -@@||vercanalestv.com/adblock.js -@@||vercanalestv.com^$generichide -@@||verticalscope.com/js/advert.js -@@||vgunetwork.com/public/js/*/advertisement.js -@@||vidbull.com^$generichide -@@||video.unrulymedia.com^$script,subdocument,domain=allmusic.com|sidereel.com|springstreetads.com -@@||videocelebrities.eu^*/adframe/ -@@||videoplaza.tv/contrib/*/advertisement.js$domain=tv4play.se -@@||vidlockers.ag^$generichide -@@||vidlox.tv/pop.js -@@||vidup.me/js/$script -@@||vidup.me^*/ads.js$script -@@||vietvbb.vn/up/clientscript/google_ads.js -@@||viki.com/*.js$script -@@||vipboxsa.co/js/ads.js$script -@@||viralitytoday.com^$generichide -@@||virtualpets.com^*/ads.js -@@||vivotvhd.com^$generichide -@@||vodu.ch^$script -@@||vpnproxy.online^$generichide -@@||wallrider.top^$script,~third-party -@@||wanamlite.com/images/ad/$image -@@||weather.com^*/advertisement.js -@@||webfirstrow.eu/advertisement.js -@@||webfirstrow.eu^*/advertisement.js -@@||webtv.rs/media/blic/advertisement.jpg -@@||weshare.me^$generichide -@@||whatuptime.com^$generichide -@@||whosampled.com/ads.js -@@||windows7themes.net/wp-content/advert.js -@@||wrestlinginc.com^$generichide -@@||writing.com^$script -@@||wwe2day.tv^$generichide -@@||www.vg.no^$generichide -@@||xooimg.com/magesy/js-cdn/adblock.js -@@||xup.in^$generichide -@@||yahmaib3ai.com/*ad$script -@@||yairworkshop.com^$generichide -@@||yasni.*/adframe.js$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||yellowbridge.com/ad/show_ads.js +@@||up-load.io^$generichide +@@||userload.co/adpopup.js$script +@@||waaw.to/adv/ads/popunder.js$script +@@||yandexcdn.com/ad/api/popunder.js$script @@||yellowbridge.com^$generichide -@@||yellowbridge.com^*/advertisement.js -@@||yolohobo.us^$script,domain=eventhubs.com -@@||yourvideohost.com^$generichide -@@||youwatch.org/js/show_ads.js -@@||youwatch.org^$generichide -@@||youwatch.org^*#$image -@@||ytconv.net/*google_ads.js -@@||z.moatads.com^$script,domain=allmusic.com|phoronix.com -@@||zahitvstation.com^$generichide -@@||zattoo.com/ads/cs?$xmlhttprequest -@@||zeperfs.com^$script,domain=zeperfs.com -@@||zerozero.pt/script/$script,domain=zerozero.pt -! Google "Related Searches" -@@||domains.googlesyndication.com/apps/domainpark/domainpark.cgi?*^channel=csa_use_rs^$subdocument -@@||www.google.com/adsense/search/ads.js$domain=domains.googlesyndication.com -@@||www.google.com/adsense/search/async-ads.js$domain=webcrawler.com -@@||www.google.com/afs/ads?*^channel=csa_use_rs^$subdocument +@@||yimg.com/dy/ads/native.js$script,domain=animedao.to ! Gladly.io New Tab extension (https://tab.gladly.io/) +! Don't install Gladly extension if you don't like ads. @@||tab.gladly.io/newtab/|$document,subdocument +! ! imasdk.googleapis.com/js/sdkloader/ima3.js +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=247sports.com|antena3.ro|api.screen9.com|autokult.pl|bbc.com|blastingnews.com|bloomberg.co.jp|bloomberg.com|bsfuji.tv|cbc.ca|cbsnews.com|cbssports.com|chicagotribune.com|clickorlando.com|cnet.com|crunchyroll.com|delish.com|distro.tv|doubtnut.com|einthusan.tv|embed.comicbook.com|etonline.com|farfeshplus.com|filmweb.pl|game.pointmall.rakuten.net|gamebox.gesoten.com|gamepix.com|gameplayneo.com|games.usatoday.com|gbnews.com|geo.dailymotion.com|givemesport.com|goodmorningamerica.com|goodstream.uno|gospodari.com|howstuffworks.com|humix.com|ignboards.com|iheart.com|insideedition.com|irctc.co.in|klix.ba|ktla.com|kxan.com|lemino.docomo.ne.jp|locipo.jp|maharashtratimes.com|maxpreps.com|metacritic.com|minigame.aeriagames.jp|missoulian.com|myspace.com|nettavisen.no|paralympic.org|paramountplus.com|player.abacast.net|player.amperwave.net|player.earthtv.com|player.performgroup.com|plex.tv|pointmall.rakuten.co.jp|popculture.com|realmadrid.com|rte.ie|rumble.com|s.yimg.jp|scrippsdigital.com|sonyliv.com|southpark.lat|southparkstudios.com|spiele.heise.de|sportsbull.jp|sportsport.ba|success-games.net|synk-casualgames.com|tbs.co.jp|tdn.com|thecw.com|truvid.com|tubitv.com|tunein.com|tv-asahi.co.jp|tv.abcnyheter.no|tv.rakuten.co.jp|tver.jp|tvp.pl|univtec.com|video.tv-tokyo.co.jp|vlive.tv|watch.nba.com|wbal.com|weather.com|webdunia.com|wellgames.com|worldsurfleague.com|wowbiz.ro|wsj.com|wtk.pl|zdnet.com|zeebiz.com +! ! https://adssettings.google.com/anonymous?hl=en +@@||googleads.g.doubleclick.net/ads/preferences/$domain=googleads.g.doubleclick.net +! ! imasdk.googleapis.com/js/sdkloader/ima3_dai.js +@@||imasdk.googleapis.com/js/sdkloader/ima3_dai.js$domain=247sports.com|4029tv.com|bet.com|bloomberg.co.jp|bloomberg.com|cbc.ca|cbssports.com|cc.com|clickorlando.com|embed.comicbook.com|gbnews.com|history.com|kcci.com|kcra.com|ketv.com|kmbc.com|koat.com|koco.com|ksbw.com|mynbc5.com|paramountplus.com|s.yimg.jp|sbs.com.au|tv.rakuten.co.jp|vk.sportsbull.jp|wapt.com|wbaltv.com|wcvb.com|wdsu.com|wesh.com|wgal.com|wisn.com|wjcl.com|wlky.com|wlwt.com|wmtw.com|wmur.com|worldsurfleague.com|wpbf.com|wtae.com|wvtm13.com|wxii12.com|wyff4.com +! ! pubads.g.doubleclick.net/ondemand/hls/ +@@||pubads.g.doubleclick.net/ondemand/hls/$domain=history.com +! ! ||imasdk.googleapis.com/js/core/bridge +@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument +! ! ||imasdk.googleapis.com/pal/sdkloader/pal.js +@@||imasdk.googleapis.com/pal/sdkloader/pal.js$domain=pluto.tv|tunein.com +! ! imasdk.googleapis.com/js/sdkloader/ima3_debug.js +@@||imasdk.googleapis.com/js/sdkloader/ima3_debug.js$domain=abcnews.go.com|brightcove.net|cbsnews.com|embed.sportsline.com|insideedition.com|pch.com +! ! https://github.com/uBlockOrigin/uAssets/issues/18541 +! ! cbssports.com|newson.us|worldsurfleague.com +@@||pubads.g.doubleclick.net/ssai/ +! ! +@@||pagead2.googlesyndication.com/tag/js/gpt.js$script,domain=wunderground.com +! ! g.doubleclick.net/tag/js/gpt.js +@@||g.doubleclick.net/tag/js/gpt.js$script,xmlhttprequest,domain=accuweather.com|adamtheautomator.com|bestiefy.com|blastingnews.com|bloomberg.com|chromatographyonline.com|cornwalllive.com|devclass.com|digitaltrends.com|edy.rakuten.co.jp|epaper.timesgroup.com|euronews.com|filmweb.pl|formularywatch.com|games.coolgames.com|gearpatrol.com|hoyme.jp|journaldequebec.com|managedhealthcareexecutive.com|mediaite.com|medicaleconomics.com|nycgo.com|olx.pl|physicianspractice.com|repretel.com|spiegel.de|standard.co.uk|telsu.fi|theta.tv|weather.com|wralsportsfan.com +! ! googletagservices.com/tag/js/gpt.js +@@||googletagservices.com/tag/js/gpt.js$domain=chegg.com|chelseafc.com|epaper.timesgroup.com|farfeshplus.com|k2radio.com|koel.com|kowb1290.com|nationalreview.com|nationalworld.com|nbcsports.com|scotsman.com|tv-asahi.co.jp|uefa.com|vimeo.com|vlive.tv|voici.fr|windalert.com +! ! g.doubleclick.net/gpt/pubads_impl_ +@@||g.doubleclick.net/gpt/pubads_impl_$domain=accuweather.com|blastingnews.com|bloomberg.com|chelseafc.com|chromatographyonline.com|cornwalllive.com|digitaltrends.com|downdetector.com|edy.rakuten.co.jp|epaper.timesgroup.com|formularywatch.com|game.anymanager.io|games.coolgames.com|managedhealthcareexecutive.com|mediaite.com|medicaleconomics.com|nationalreview.com|nationalworld.com|nbcsports.com|nycgo.com|physicianspractice.com|scotsman.com|telsu.fi|voici.fr|weather.com +! ! g.doubleclick.net/pagead/managed/js/gpt/ +@@||g.doubleclick.net/pagead/managed/js/gpt/$script,domain=adamtheautomator.com|allestoringen.be|allestoringen.nl|aussieoutages.com|canadianoutages.com|downdetector.ae|downdetector.ca|downdetector.co.nz|downdetector.co.uk|downdetector.co.za|downdetector.com|downdetector.com.ar|downdetector.com.br|downdetector.dk|downdetector.es|downdetector.fi|downdetector.fr|downdetector.hk|downdetector.ie|downdetector.in|downdetector.it|downdetector.jp|downdetector.mx|downdetector.no|downdetector.pl|downdetector.pt|downdetector.ru|downdetector.se|downdetector.sg|downdetector.tw|downdetector.web.tr|euronews.com|filmweb.pl|hoyme.jp|ictnews.org|journaldequebec.com|mediaite.com|spiegel.de|thestar.co.uk|xn--allestrungen-9ib.at|xn--allestrungen-9ib.ch|xn--allestrungen-9ib.de|yorkshirepost.co.uk +! ! pagead2.googlesyndication.com/pagead/js/adsbygoogle.js +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=allb.game-db.tw|battlecats-db.com|cpu-world.com|game.anymanager.io|games.wkb.jp|html5.gamedistribution.com|knowfacts.info|lacoste.com|megagames.com|megaleech.us|newson.us|radioviainternet.nl|real-sports.jp|slideplayer.com|sudokugame.org|tampermonkey.net|teemo.gg|thefreedictionary.com +! ! pagead2.googlesyndication.com/pagead/managed/js/*/show_ads_impl +@@||pagead2.googlesyndication.com/pagead/managed/js/*/show_ads_impl$script,domain=battlecats-db.com|game.anymanager.io|games.wkb.jp|sudokugame.org +! ! pagead2.googlesyndication.com/pagead/managed/js/adsense/*/slotcar_library_ +@@||pagead2.googlesyndication.com/pagead/managed/js/adsense/*/slotcar_library_$script,domain=game.anymanager.io|sudokugame.org +! ! +@@||pagead2.googlesyndication.com/pagead/managed/js/gpt/*/pubads_impl.js?$script,domain=wunderground.com +! ! g.doubleclick.net/pagead/ppub_config +@@||g.doubleclick.net/pagead/ppub_config$domain=bloomberg.com|independent.co.uk|repretel.com|telsu.fi|weather.com +! ! ads-twitter.com/uwt.js +@@||ads-twitter.com/uwt.js$domain=aussiebum.com|factory.pixiv.net ! Non-English -@@||247realmedia.com/RealMedia/ads/adstream_sx.ads/wm-desktop/home/$xmlhttprequest,domain=walmart.com.br -@@||abril.com.br^$generichide +@@/banner/ad/*$image,domain=achaloto.com +@@||about.smartnews.com/ja/wp-content/assets/img/advertisers/ad_$~third-party +@@||ad-api-v01.uliza.jp^$script,xmlhttprequest,domain=golfnetwork.co.jp|tv-asahi.co.jp @@||ad.atown.jp/adserver/$domain=ad.atown.jp -@@||ad.doubleclick.net^*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co -@@||ad.nl/ad/css/$~third-party -@@||ad.nl^*/themes/ad/ad.css -@@||ad3.l3go.com.br^$~third-party -@@||adap.tv/redir/client/swfloader.swf?$object,domain=my-magazine.me -@@||adgear.com/session.js$domain=noovo.ca -@@||adgear.com^*/adgear.js$domain=noovo.ca -@@||adman.gr/adman-video.js$domain=alphatv.gr -@@||adman.gr/jwplayer.flash.swf$object,domain=alphatv.gr -@@||adocean.pl/files/*.flv?$domain=blesk.cz|open.fm -@@||adpriv.nikkei.com/bservers/AAMALL/*/acc_random=$script -@@||ads.cvut.cz^$~third-party -@@||ads.dainikbhaskar.com/AdTech/$script -@@||ads.elefant.ro/ajs.php?$script,domain=elefant.ro -@@||ads.nicovideo.jp/assets/js/ads-*.js -@@||adserver.netsprint.eu//widgets/widgets.js$domain=autocentrum.pl -@@||adsystem.pl^$~third-party -@@||adtech.de/?adrawdata/$xmlhttprequest,domain=hs.fi|iltasanomat.fi -@@||adtech.de/?advideo/$xmlhttprequest,domain=hs.fi -@@||adtech.de/dt/common/DAC.js$domain=dn.no -@@||adv.pt^$~third-party -@@||adv.r7.com/hash/?$script,domain=r7.com -@@||advert.ee^$~third-party -@@||advert.mgimg.com/servlet/view/$xmlhttprequest,domain=uzmantv.com -@@||advert.uzmantv.com/advertpro/servlet/view/dynamic/url/zone?zid=$script,domain=uzmantv.com -@@||advertisers.dk/wp-content/uploads/*/google-adwords-$image,domain=advertisers.dk -@@||advertisers.dk/wp-content/uploads/*/google-adwords.$image,domain=advertisers.dk -@@||advertising.mercadolivre.com.br^$xmlhttprequest,domain=mercadolivre.com.br -@@||advertising.sun-sentinel.com/el-sentinel/elsentinel-landing-page.gif -@@||affiliate.fsas.eu^$subdocument,domain=iprima.cz -@@||affiliate.matchbook.com/processing/impressions.asp?$image,domain=betyper.com -@@||aka-cdn-ns.adtech.de^*.flv$domain=talksport.co.uk -@@||alio.lt/public/advertisement/texttoimage.html?$image -@@||am10.ru/letitbit.net_in.php$subdocument,domain=moevideos.net -@@||amarillas.cl/advertise.do?$xmlhttprequest -@@||amarillas.cl/js/advertise/$script -@@||amazon-adsystem.com/e/ir?$image,domain=kasi-time.com -@@||amazon-adsystem.com/widgets/$image,domain=thewatchsnob.com -@@||amazonaws.com/affiliates/banners/logo/$image,domain=betyper.com -@@||amazonaws.com^*/transcriptions/$domain=diki.pl -@@||americateve.com/mediaplayer_ads/new_config_openx.xml$xmlhttprequest -@@||ampproject.org/amp4ads-$script,domain=themarker.com -@@||analytics.disneyinternational.com/ads/tagsv2/video/$xmlhttprequest,domain=disney.no -@@||anandabazar.com/js/anandabazar-bootstrap/$script -@@||annonser.dagbladet.no/eas?$script,domain=se.no -@@||annonser.dagbladet.no/EAS_tag.1.0.js$domain=se.no -@@||annonser.godtprestert.no^$xmlhttprequest,domain=godtprestert.no -@@||antenna.gr/js/adman-video-$script -@@||app.medyanetads.com/ad.js$domain=fanatik.com.tr -@@||autoscout24.*/all.js.aspx?m=css&*=/stylesheets/adbanner.css$~third-party,domain=autoscout24.com|autoscout24.de|autoscout24.hr|autoscout24.hu|autoscout24.it -@@||autotube.cz/ui/player/ad.php?id=$object-subrequest -@@||bancainternet.com.ar/eBanking/images/*-PUBLICIDAD. -@@||bancodevenezuela.com/imagenes/publicidad/$~third-party +@@||ad.smartmediarep.com/NetInsight/video/smr$domain=programs.sbs.co.kr +@@||adfurikun.jp/adfurikun/images/$~third-party +@@||ads-i.org/images/ads3.jpg$~third-party +@@||ads-twitter.com/oct.js$domain=ncsoft.jp +@@||adtraction.com^$image,domain=ebjudande.se +@@||aiasahi.jp/ads/$image,domain=japan.zdnet.com +@@||amebame.com/pub/ads/$image,domain=abema.tv|ameba.jp|ameblo.jp +@@||api.friends.ponta.jp/api/$~third-party +@@||arukikata.com/images_ad/$image,~third-party +@@||asahi.com/ads/$image,~third-party +@@||ascii.jp/img/ad/$image,~third-party +@@||assoc-amazon.com/widgets/cm?$subdocument,domain=atcoder.jp +@@||astatic.ccmbg.com^*/prebid$script,domain=linternaute.com @@||banki.ru/bitrix/*/advertising.block/$stylesheet -@@||bbelements.com/bb/$script,domain=iprima.cz -@@||bbelements.com/bb/bb_one2n.js$domain=moviezone.cz -@@||benchmarkhardware.com^$generichide -@@||bhaskar.com/revenue/$script -@@||biancolavoro.euspert.com/js/ad.js -@@||blocket.se^*/newad.js -@@||bmwoglasnik.si/images/ads/ -@@||bn.uol.com.br/html.ng/$object-subrequest -@@||bnrs.ilm.ee/www/delivery/fl.js -@@||bolha.com/css/ad.css? -@@||bomnegocio.com/css/ad_insert.css -@@||bs.serving-sys.com/crossdomain.xml$domain=itv.com -@@||cadena100.es/static/plugins/vjs/js/videojs.ads.js -@@||carfinder.gr/api/ads/$xmlhttprequest -@@||catmusica.cat/paudio/getads.jsp?$xmlhttprequest -@@||climatempo.com.br^$generichide -@@||cloudinary.com/portalbici/advertisements/$image,domain=portalbici.es -@@||content.reklamz.com/internethaber/SPOR_*.mp4$object-subrequest,domain=tvhaber.com -@@||custojusto.pt/user/myads/ -@@||daumcdn.net/adfit/static/ad-native.min.js$domain=daum.net|kakao.com -@@||daumcdn.net^*/displayAd.min.js$domain=daum.net -@@||di.se^$generichide -@@||di.se^*/advertisement.js -@@||diki.pl/images-common/$domain=diki.pl -@@||dingit.tv/js/dingit-player/js/html5/videojs.ads.js +@@||bihoku-minpou.co.jp/img/ad_top.jpg$~third-party +@@||bloominc.jp/adtool/$~third-party +@@||book.com.tw/image/getImage?$domain=books.com.tw +@@||c.ad6media.fr/l.js$domain=scan-manga.com +@@||candidate.hr-manager.net/Advertisement/PreviewAdvertisement.aspx$subdocument,~third-party +@@||catchapp.net/ad/img/$~third-party +@@||cdn.jsdelivr.net/npm/*/videojs-contrib-ads.min.js$domain=24ur.com +@@||cinema.pia.co.jp/img/ad/$image,~third-party +@@||clj.valuecommerce.com/*/vcushion.min.js +@@||cloudflare.com^*/videojs-contrib-ads.js$domain=wtk.pl +@@||copilog2.jp/*/webroot/ad_img/$domain=ikkaku.net +@@||core.windows.net^*/annonser/$image,domain=kmauto.no @@||discordapp.com/banners/$image -@@||display.ad.daum.net/sdk/native?$script,domain=daum.net -@@||doladowania.pl/pp/$script -@@||doubleclick.net/adx/es.esmas.videonot_embed/$script,domain=esmas.com -@@||doubleclick.net^*;sz=*;ord=$image,script,domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co -@@||doublerecall.com/core.js.php?$script,domain=delo.si -@@||duwo.nl^*/advertisement-$image,~third-party -@@||eenadu.net/ads.js -@@||eenadu.net/ads/$script -@@||ehow.com.br/frames/ad.html?$subdocument -@@||ehowenespanol.com/frames/ad.html?$subdocument -@@||el-mundo.net/js/advertisement.js$script,third-party,domain=marca.com -@@||emag.hu/site_ajax_ads?id=$xmlhttprequest -@@||emagst.net/openx/$image,domain=emag.hu|emag.ro -@@||emediate.eu/crossdomain.xml$object-subrequest -@@||emediate.eu/eas?cu_key=*;ty=playlist;$object-subrequest,domain=bandit.se|lugnafavoriter.com|nrj.se|playradio.se|radio1.se|rixfm.com -@@||emediate.se/crossdomain.xml$object-subrequest -@@||emediate.se/eas?$domain=novatv.bg|tv2.dk -@@||emediate.se/eas_tag.1.0.js$domain=tv2.dk -@@||ensonhaber.com/player/ads.js -@@||epaper.andhrajyothy.com/js/newads.js -@@||ettevotja.ee/templates/*/images/advert.gif -@@||expdash.adtlgc.com^$xmlhttprequest,domain=expressen.se -@@||fajerwerkilider.pl/environment/cache/images/300_250_productGfx_$image -@@||feed.theplatform.com^*=adtech_$object-subrequest,domain=tv2.dk -@@||felcia.co.uk/css/ads-common.css -@@||felcia.co.uk/css/advert-view.css -@@||felcia.co.uk/js/ads_common.js -@@||filmon.com/ad/affiliateimages/banner-250x350.png -@@||flashgames247.com/advertising/preroll/google-fg247-preloader.swf$object -@@||folha.uol.com.br/paywall/js/1/publicidade.ads.js -@@||forads.pl^$~third-party -@@||fotojorgen.no/images/*/webadverts/ -@@||fotolog.com/styles/flags/ad.gif -@@||fotosioon.com/wp-content/*/images/advert.gif -@@||freefoto.com/images/*-Advertisement_$image,domain=diki.pl +@@||doda.jp/brand/ad/img/icon_play.png +@@||doda.jp/cmn_web/img/brand/ad/ad_text_ +@@||doda.jp/cmn_web/img/brand/ad/ad_top_3.mp4 +@@||econcal.forexprostools.com^$domain=bloomberg.com +@@||forexprostools.com^$subdocument,domain=fx-rashinban.com @@||freeride.se/img/admarket/$~third-party -@@||fwmrm.net/ad/g/$script,domain=viafree.se -@@||fwmrm.net^*/AdManager.js$domain=viafree.se -@@||fwmrm.net^*/LinkTag2.js$domain=viafree.se -@@||g.doubleclick.net/gampad/ads?$script,domain=concursovirtual.com.br|payback.pl -@@||g.doubleclick.net/gampad/ads?*_Ligatus&$script,domain=lavozdegalicia.es -@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=concursovirtual.com.br|forum.kooora.com|lavozdegalicia.es|payback.pl|posta.com.tr|uol.com.br -@@||g.doubleclick.net/pcs/click?$popup,domain=payback.pl -@@||googleads.g.doubleclick.net^$image,domain=loi1901.com -@@||googleadservices.com/pagead/conversion.js$domain=play.tv2.dk -@@||googlesyndication.com/pagead/imgad?id=$image,domain=concursovirtual.com.br -@@||googlesyndication.com/simgad/$image,domain=concursovirtual.com.br|payback.pl -@@||googlevideo.com^$popup,domain=onlinevideoconverter.com -@@||gov.in/pdf/ADVERTISEMENT/$~third-party -@@||guloggratis.dk/modules/$script,~third-party,xmlhttprequest -@@||haberler.com/video-haber/adsense_news_politics.swf?$object -@@||happymtb.org/annonser/$~third-party -@@||hisse.net^$generichide -@@||hizlial.com/banners/$~third-party -@@||homad.eu^$~third-party -@@||honfoglalo.hu/aagetad.php?$subdocument -@@||hry.cz/ad/adcode.js -@@||hub.com.pl/reklama_video/instream_ebmed/vStitial_inttv_$object,domain=interia.tv -@@||il.timetoknow.com/lms/*/js/advertisement.js -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=capital.fr|dibujos.net|ensonhaber.com|f5haber.com|filmfront.no|marieclaire.fr|r7.com|radio-canada.ca|tv2.no|uol.com.br -@@||imdb.com^$popup,domain=0123movies.com -@@||img.gpoint.co.jp^$image,~third-party -@@||impact-ad.jp/combo?$subdocument,domain=jalan.net -@@||imstore.bet365affiliates.com/?AffiliateCode=$image,domain=betyper.com -@@||imstore.bet365affiliates.com/AffiliateCreativeBanners/$image,domain=betyper.com -@@||iplsc.com^*/inpl.box.ad.js$domain=rmf24.pl -@@||isanook.com/vi/0/js/ads-$script -@@||izigo.pt/AdPictures/ -@@||izigo.pt^*/adsearch? -@@||jagran.com/Resources/mob_jagran-auto/js/$script -@@||jesper.nu/javascript/libs/videoads.js -@@||joemonster.org^*_reklama_$image -@@||jsuol.com.br/c/detectadblock/$script,domain=uol.com.br -@@||jyllands-posten.dk/js/ads.js +@@||friends.ponta.jp/app/assets/images/$~third-party +@@||g.doubleclick.net/gampad/ads?$domain=edy.rakuten.co.jp|tv-tokyo.co.jp|voici.fr +@@||gakushuin.ac.jp/ad/common/$~third-party +@@||ganma.jp/view/magazine/viewer/pages/advertisement/googleAdSense.html|$~third-party,xmlhttprequest +@@||getjad.io/library/$script,domain=allocine.fr +@@||go.ezodn.com/beardeddragon/basilisk.js$domain=humix.com +@@||google.com/adsense/search/ads.js$domain=news.biglobe.ne.jp +@@||googleadservices.com/pagead/conversion.js$domain=ncsoft.jp +@@||gunosy.co.jp/img/ad/$image,~third-party +@@||h1g.jp/img/ad/ad_heigu.html$~third-party +@@||hinagiku-u.ed.jp/wp54/wp-content/themes/hinagiku/images/$image,~third-party +@@||ias.global.rakuten.com/adv/$script,domain=rakuten.co.jp +@@||iejima.org/ad-banner/$image,~third-party +@@||ienohikari.net/ad/common/$~third-party +@@||ienohikari.net/ad/img/$~third-party +@@||img.rakudaclub.com/adv/$~third-party +@@||infotop.jp/html/ad/$image,~third-party +@@||intelyvale.com.mx/ads/images/$domain=valesdegasolina.mx +@@||jmedj.co.jp/files/$image,~third-party +@@||jobs.bg/front_job_search.php$~third-party +@@||js.assemblyexchange.com/videojs-skip-$domain=worldstar.com +@@||js.assemblyexchange.com/wana.$domain=worldstar.com +@@||kabumap.com/servlets/kabumap/html/common/img/ad/$~third-party @@||kanalfrederikshavn.dk^*/jquery.openx.js? -@@||kompas.com^*/supersized.*.min_ads.js? -@@||kopavogur.is/umsoknarvefur/advertisement.aspx$subdocument -@@||krotoszyn.pl/uploads/pub/ads_files/$image,~third-party -@@||laredoute.*/scripts/combinejs.ashx?*/affiliation/$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||longtailvideo.com/5/adttext/adttext.js$domain=ostrow24.tv|yuvutu.com -@@||longtailvideo.com/5/adtvideo/adtvideo.js$domain=ostrow24.tv -@@||lrytas.lt/ads/video_feed.js +@@||kincho.co.jp/cm/img/bnr_ad_$image,~third-party +@@||ladsp.com/script-sf/$script,domain=str.toyokeizai.net +@@||live.lequipe.fr/thirdparty/prebid.js$~third-party +@@||lostpod.space/static/streaming-playlists/$domain=videos.john-livingston.fr @@||mail.bg/mail/index/getads/$xmlhttprequest -@@||marieclaire.fr/media/videojs/$script -@@||megastar.fm/static/plugins/vjs/js/videojs.ads.js -@@||megatv.com^*/adverts.asp?$object-subrequest -@@||minhacontachevroletsf.com.br^*/CampaignImageProcessor.bon?*&BannerID=$image,~third-party -@@||minuripsmed.ee/templates/*/images/advert.gif +@@||microapp.bytedance.com/docs/page-data/$~third-party +@@||minigame.aeriagames.jp/*/ae-tpgs-$~third-party +@@||minigame.aeriagames.jp/css/videoad.css +@@||minyu-net.com/parts/ad/banner/$image,~third-party +@@||mistore.jp/content/dam/isetan_mitsukoshi/advertise/$~third-party @@||mjhobbymassan.se/r/annonser/$image,~third-party -@@||mlstatic.com^*/product_ads/$image,domain=mercadolibre.com.ve -@@||mmgastro.pl/img/reklama/$image,~third-party -@@||mmgastro.pl/js/reklama/$~third-party -@@||moviezone.cz//moviezone/reklama/$object-subrequest -@@||moviezone.cz/swf/ad-player/$object,object-subrequest -@@||mxstatic.com/p/mscripts/prebid_$script,domain=gentside.com|gentside.com.br|maxisciences.com|ohmymag.com|ohmymag.com.br -@@||mynet.com.tr/nocache/adocean.js? -@@||mynet.com/nocache/adocean.js? -@@||naasongs.com^$generichide -@@||naver.com/adcall$script -@@||naver.net/ad/$domain=shopping.naver.com -@@||naver.net/adpost/adpost_show_ads_min.js$domain=danawa.com +@@||musictrack.jp/a/ad/banner_member.jpg +@@||mysmth.net/nForum/*/ADAgent_$~third-party @@||netmile.co.jp/ad/images/$image -@@||newmedia.lu^*/adtech_video/*.xml$object-subrequest,domain=rtl.lu -@@||niedziela.nl/adverts/$image,~third-party -@@||noovo.ca^$generichide -@@||nordjyske.dk/scripts/ads/StoryAds.js -@@||nuggad.net/rc?nuggn=$script,domain=ekstrabladet.dk -@@||oas.di.se/RealMedia/ads/Creatives/di.se/$object,script,domain=di.se -@@||oas.di.se^*/di.se/Lopet/*@$script,domain=di.se -@@||oas.dn.se/adstream_mjx.ads/dn.se/nyheter/ettan/*@$script -@@||oascentral.gfradnetwork.net/RealMedia/ads/adstream_nx.ads/$image,domain=primerahora.com -@@||openimage.interpark.com/_nip_ui/category_shopping/shopping_morningcoffee/leftbanner/null.jpg -@@||openx.zomoto.nl/live/www/delivery/fl.js -@@||openx.zomoto.nl/live/www/delivery/spcjs.php?id= -@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=concursovirtual.com.br|forum.kooora.com|lavozdegalicia.es|posta.com.tr|uol.com.br -@@||partners.10bet.com/processing/impressions.asp?$image,domain=betyper.com -@@||payback.pl/statics/common/js/dfp.js$domain=payback.pl -@@||peoplegreece.com/assets/js/adtech_res.js -@@||phinf.net/common/?src=*/adimg.$image,domain=shopping.naver.com -@@||play.iprima.cz^$generichide -@@||play.iprima.cz^$~third-party,xmlhttprequest -@@||player.liquidplatform.com^$subdocument,domain=sbt.com.br -@@||player.terra.com^*&adunit=$script -@@||player.theplatform.com^$subdocument,domain=nbc.com +@@||nintendo.co.jp/ring/*/adv$~third-party +@@||nizista.com/api/v1/adbanner$~third-party +@@||oishi-kenko.com/kenko/assets/v2/ads/$~third-party +@@||point.rakuten.co.jp/img/crossuse/top_ad/$~third-party @@||politiken.dk/static/$script -@@||polovniautomobili.com/images/ad-$~third-party -@@||portalbici.es/modules/*-advertisement.$xmlhttprequest,domain=portalbici.es -@@||prohardver.hu/js/common/forms_$script -@@||propellerads.com/afu.php?zoneid=$subdocument,domain=moevideos.net -@@||psoe.es/Areas/Affiliation/ -@@||pstatic.net^*/adpost_show_ads_$script,domain=danawa.co.kr|danawa.com -@@||ptchan.net/imagens/banner.php -@@||ptcliente.pt/App_Themes/Default/Img/ad_$image -@@||pubads.g.doubleclick.net/gampad/ads?$script,domain=r7.com -@@||quebarato.com.br/css/static/ad_detail.css -@@||quebarato.com.br/css/static/ad_search.css -@@||r7.com/js/ads.js -@@||reklama.hiking.sk/openx_new/www/delivery/spcjs.php?id=*&target=_blank$script,domain=mapy.hiking.sk -@@||reklama5.mk^$~third-party -@@||reklamport.com/rpgetad.ashx?*&vast=$xmlhttprequest,domain=uzmantv.com -@@||rentalsystems.com/advert_price_imbed.asp?$subdocument -@@||ring.bg/adserver/adall.php?*&video_on_page=1 -@@||rocking.gr/js/jquery.dfp.min.js -@@||rtl.lu/ipljs/adtech_async.js -@@||run.admost.com/adx/get.ashx?z=*&accptck=true&nojs=1 -@@||run.admost.com/adx/js/admost.js? -@@||s-nk.pl/img/ads/icons_pack -@@||s1emagst.akamaized.net/openx/*.jpg$domain=emag.hu -@@||saikoanimes.net/adb/advert.js$script,domain=saikoanimes.net -@@||samplefan.com/img/ad/$image -@@||sanook.com/php/get_ads.php?vast_linear=$xmlhttprequest -@@||sascdn.com/diff/video/current/libs/js/controller.js$domain=ligtv.com.tr -@@||sascdn.com/video/$object,script,domain=ligtv.com.tr -@@||sbt.com.br^$generichide -@@||screen9.com/players/$script -@@||segundamano.mx/api/*/ads/$~third-party -@@||serving-sys.com/BurstingPipe/adServer.bs?*&pl=VAST&$xmlhttprequest,domain=uzmantv.com -@@||sigmalive.com/assets/js/jquery.openxtag.js -@@||skai.gr/advert/*.flv$object-subrequest -@@||smart.allocine.fr/crossdomain.xml$object-subrequest -@@||smart.allocine.fr/def/def/xshowdef.asp$object-subrequest,domain=beyazperde.com -@@||smartadserver.com/call/pubj/$object-subrequest,domain=antena3.com|europafm.com|ondacero.es|vertele.com -@@||smartadserver.com/call/pubj/$script,domain=cuisineetvinsdefrance.com -@@||smartadserver.com/call/pubx/*/M/$object-subrequest,domain=get.x-link.pl -@@||smartadserver.com/call/pubx/*blq$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com -@@||smartadserver.com/crossdomain.xml$object-subrequest -@@||smartadserver.com/diff/*/show*.asp?*blq$object-subrequest,domain=antena3.com|atresplayer.com|lasexta.com|ondacero.es -@@||sms.cz/bannery/$object-subrequest,~third-party -@@||soov.ee/js/newad.js -@@||staircase.pl/wp-content/*/adwords.jpg$domain=staircase.pl -@@||start.no/advertpro/servlet/view/text/html/zone?zid=$script -@@||start.no/includes/js/adCode.js -@@||stat24.com/*/ad.xml?id=$object-subrequest,domain=ipla.tv -@@||stat24.com/ad.xml?id=$object-subrequest,domain=ipla.tv -@@||static.lecho.be^*/js/site/dfp-$script,domain=lecho.be -@@||static.lecho.be^*/js/site/modules/dfp/$script,domain=lecho.be -@@||static.tijd.be^*/js/site/dfp-$script,domain=tijd.be -@@||static.tijd.be^*/js/site/modules/dfp/$script,domain=tijd.be -@@||style.seznam.cz/ad/im.js -@@||submarino.com.br/openx/www/delivery/ -@@||ta3.com/advert-async-system/$xmlhttprequest -@@||tamasha.com/embed/*?vastUrl=https://adwebservice.videoboom.net/videoads.svc/linearvasth/$subdocument -@@||tcdn.nl/javascript/showads.$script -@@||terra.cl^*/admanager.html$subdocument -@@||terra.com.br^*/admanager.html$subdocument -@@||thewineplace.es/wp-content/plugins/m-wp-popup/js/wpp-popup-frontend.js -@@||tn.com.ar^*/vivo/300/publicidad.html$subdocument -@@||trrsf.com.br/playerttv/$xmlhttprequest -@@||trrsf.com.br^*/admanager.js$domain=terra.com.br -@@||trrsf.com^*/admanager.js -@@||tugaleaks.com^*/wp-super-popup-pro/sppro.js -@@||tugaleaks.com^*/wp-super-popup-pro/sppro.php -@@||tusoft.org^$generichide -@@||tv2.dk/mpx/player.php/adtech_$subdocument -@@||tvn.adocean.pl^$object-subrequest -@@||tvp.pl/files/tvplayer/$image -@@||udd.cl/publicidad/$domain=comunicaciones.udd.cl -@@||uol.com.br/html.ng/*&affiliate=$object-subrequest -@@||uol.com.br^*/detectadblock/$script -@@||uvnimg.com^*/?url=*-ad1.$image,domain=univision.com +@@||popin.cc/popin_discovery/recommend?$~third-party +@@||przegladpiaseczynski.pl/wp-content/plugins/wppas/$~third-party +@@||r10s.jp/share/themes/ds/js/show_ads_randomly.js$domain=travel.rakuten.co.jp +@@||rakuten-bank.co.jp/rb/ams/img/ad/$~third-party +@@||s.yimg.jp/images/listing/tool/yads/yads-timeline-ex.js$domain=yahoo.co.jp +@@||s0.2mdn.net/ads/studio/Enabler.js$domain=yuukinohana.co.jp +@@||sanyonews.jp/files/image/ad/okachoku.jpg$~third-party +@@||search.spotxchange.com/vmap/*&content_page_url=www.bsfuji.tv$xmlhttprequest,domain=imasdk.googleapis.com +@@||shikoku-np.co.jp/img/ad/$~third-party +@@||site-banner.hange.jp/adshow?$domain=animallabo.hange.jp +@@||smartadserver.com/genericpost$domain=filmweb.pl +@@||so-net.ne.jp/access/hikari/minico/ad/images/$~third-party +@@||stats.g.doubleclick.net/dc.js$script,domain=chintaistyle.jp|gyutoro.com +@@||suntory.co.jp/beer/kinmugi/css2020/ad.css? +@@||suntory.co.jp/beer/kinmugi/img/ad/$image,~third-party +@@||tdn.da-services.ch/libs/prebid8.$script,domain=20min.ch +@@||tenki.jp/storage/static-images/top-ad/ +@@||tpc.googlesyndication.com/archive/$image,subdocument,xmlhttprequest,domain=adstransparency.google.com +@@||tpc.googlesyndication.com/archive/sadbundle/$image,domain=tpc.googlesyndication.com +@@||tpc.googlesyndication.com/pagead/js/$domain=googleads.g.doubleclick.net +@@||tra.scds.pmdstatic.net/advertising-core/$domain=voici.fr +@@||trj.valuecommerce.com/vcushion.js +@@||uze-ads.com/ads/$~third-party @@||valuecommerce.com^$image,domain=pointtown.com -@@||vedomosti.ru/assets/vendors/adriver.media-$script -@@||velasridaura.com/modules/*/advertising_custom.$image,~third-party -@@||viafree.se^$~third-party,xmlhttprequest -@@||video.appledaily.com.hk/admedia/$object-subrequest,domain=nextmedia.com -@@||videonuz.ensonhaber.com/player/hdflvplayer/xml/ads.xml?$object-subrequest -@@||videoplaza.tv/proxy/distributor?$object-subrequest,domain=aftenposten.no|bt.no|ekstrabladet.dk|kuriren.nu|qbrick.com|svd.se -@@||vilaglato.info^$generichide -@@||vinden.se/ads/$~third-party -@@||wl188bet.adsrv.eacdn.com/S.ashx?btag=$script,domain=betyper.com -@@||wl188bet.eacdn.com/wl188bet/affimages/$image,script,domain=betyper.com -@@||wlmatchbook.eacdn.com/wlmatchbook/affimages/$image,domain=betyper.com -@@||wp.com^*/ad$script,domain=abril.com.br -@@||xe.gr/property/recent_ads?$xmlhttprequest -@@||yapo.cl/js/viewad.js? -@@||yimg.com/ud/fp/js/ADPositions$script,domain=mobi.yahoo.com -@@||yimg.jp/images/listing/tool/yads/impl/yads-stream-conf-top_smp.js$domain=yahoo.co.jp -@@||yimg.jp/images/listing/tool/yads/yads-stream-conf-top_smp.js$domain=yahoo.co.jp -@@||yimg.jp/images/listing/tool/yads/yjaxc-stream-ex.js$domain=yahoo.co.jp -@@||ynet.co.il^*/ads.js -@@||ziarelive.ro/assets/js/advertisement.js -! Used as an Anti-adblock check -@@||fastly.net/ad/$image,script,xmlhttprequest -@@||fastly.net/ad2/$image,script,xmlhttprequest -@@||fastly.net/js/*_ads.$script -! Whitelists to fix broken pages of advertisers -! adwolf.eu -@@||adwolf.eu^$~third-party -! breitbart -@@||realvu.net/realvu_*.js$domain=breitbart.com -! Facebook -@@||www.facebook.com/ads/$generichide -@@||www.facebook.com/ajax/ads/$xmlhttprequest,domain=www.facebook.com +@@||videosvc.ezoic.com/play?videoID=$domain=humix.com +@@||yads.c.yimg.jp/js/yads-async.js$domain=kobe-np.co.jp|yahoo.co.jp +@@||youchien.net/ad/*/ad/img/$~third-party +@@||youchien.net/css/ad_side.css$~third-party +@@||yuru-mbti.com/static/css/adsense.css$~third-party +! Allowlists to fix broken pages of advertisers ! Google -@@||accounts.google.com/adwords/$domain=accounts.google.com -@@||accounts.google.com^$document,subdocument,domain=adwords.google.com -@@||ads.google.$image,script,stylesheet,domain=ads.google.ac|ads.google.ad|ads.google.ae|ads.google.al|ads.google.am|ads.google.as|ads.google.at|ads.google.az|ads.google.ba|ads.google.be|ads.google.bf|ads.google.bg|ads.google.bi|ads.google.bj|ads.google.bs|ads.google.bt|ads.google.by|ads.google.ca|ads.google.cat|ads.google.cd|ads.google.cf|ads.google.cg|ads.google.ch|ads.google.ci|ads.google.cl|ads.google.cm|ads.google.co.ao|ads.google.co.bw|ads.google.co.ck|ads.google.co.cr|ads.google.co.id|ads.google.co.il|ads.google.co.in|ads.google.co.jp|ads.google.co.ke|ads.google.co.kr|ads.google.co.ls|ads.google.co.ma|ads.google.co.mz|ads.google.co.nz|ads.google.co.th|ads.google.co.tz|ads.google.co.ug|ads.google.co.uk|ads.google.co.uz|ads.google.co.ve|ads.google.co.vi|ads.google.co.za|ads.google.co.zm|ads.google.co.zw|ads.google.com|ads.google.com.af|ads.google.com.ag|ads.google.com.ai|ads.google.com.ar|ads.google.com.au|ads.google.com.bd|ads.google.com.bh|ads.google.com.bn|ads.google.com.bo|ads.google.com.br|ads.google.com.by|ads.google.com.bz|ads.google.com.cn|ads.google.com.co|ads.google.com.cu|ads.google.com.cy|ads.google.com.do|ads.google.com.ec|ads.google.com.eg|ads.google.com.et|ads.google.com.fj|ads.google.com.gh|ads.google.com.gi|ads.google.com.gt|ads.google.com.hk|ads.google.com.jm|ads.google.com.jo|ads.google.com.kh|ads.google.com.kw|ads.google.com.lb|ads.google.com.ly|ads.google.com.mm|ads.google.com.mt|ads.google.com.mx|ads.google.com.my|ads.google.com.na|ads.google.com.ng|ads.google.com.ni|ads.google.com.np|ads.google.com.om|ads.google.com.pa|ads.google.com.pe|ads.google.com.pg|ads.google.com.ph|ads.google.com.pk|ads.google.com.pr|ads.google.com.py|ads.google.com.qa|ads.google.com.ru|ads.google.com.sa|ads.google.com.sb|ads.google.com.sg|ads.google.com.sl|ads.google.com.sv|ads.google.com.tj|ads.google.com.tn|ads.google.com.tr|ads.google.com.tw|ads.google.com.ua|ads.google.com.uy|ads.google.com.vc|ads.google.com.ve|ads.google.com.vn|ads.google.cv|ads.google.cz|ads.google.de|ads.google.dj|ads.google.dk|ads.google.dm|ads.google.dz|ads.google.ee|ads.google.es|ads.google.fi|ads.google.fm|ads.google.fr|ads.google.ga|ads.google.ge|ads.google.gg|ads.google.gl|ads.google.gm|ads.google.gp|ads.google.gr|ads.google.gy|ads.google.hk|ads.google.hn|ads.google.hr|ads.google.ht|ads.google.hu|ads.google.ie|ads.google.im|ads.google.iq|ads.google.is|ads.google.it|ads.google.it.ao|ads.google.je|ads.google.jo|ads.google.jp|ads.google.kg|ads.google.ki|ads.google.kz|ads.google.la|ads.google.li|ads.google.lk|ads.google.lt|ads.google.lu|ads.google.lv|ads.google.md|ads.google.me|ads.google.mg|ads.google.mk|ads.google.ml|ads.google.mn|ads.google.ms|ads.google.mu|ads.google.mv|ads.google.mw|ads.google.ne|ads.google.ne.jp|ads.google.ng|ads.google.nl|ads.google.no|ads.google.nr|ads.google.nu|ads.google.pl|ads.google.pn|ads.google.ps|ads.google.pt|ads.google.ro|ads.google.rs|ads.google.ru|ads.google.rw|ads.google.sc|ads.google.se|ads.google.sh|ads.google.si|ads.google.sk|ads.google.sm|ads.google.sn|ads.google.so|ads.google.sr|ads.google.st|ads.google.td|ads.google.tg|ads.google.tl|ads.google.tm|ads.google.tn|ads.google.to|ads.google.tt|ads.google.us|ads.google.vg|ads.google.vu|ads.google.ws -@@||ads.google.com/jsapi$script,domain=www.google.com -@@||ads.google.com^$domain=analytics.google.com -@@||adwords.google.com^$domain=adwords.google.com -@@||apps.admob.com/admob/*.adsense.$script,domain=apps.admob.com -@@||bpui0.google.com^$document,subdocument,domain=adwords.google.com -@@||google.*/ads/$generichide,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||google.*/adsense_$~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||google.*/adwords/$~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||google.*/services/$generichide,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||google.com/payments/*/adwords.$document,subdocument -@@||google.com/tools/feedback/open.js?*^url=https://adwords.google.com/$script,domain=adwords.google.com -@@||gstatic.com/accounts/services/adwords/$image,domain=accounts.google.com -@@||gstatic.com/adsense/$domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||gstatic.com/awn/displayads/$domain=ads.google.com -@@||gstatic.com/images/icons/product/adsense-$image,domain=accounts.google.com -@@||gstatic.com/images/icons/product/adsense_$image,domain=accounts.google.com -@@||gstatic.com^*/adwords/$domain=support.google.com -@@||support.google.com/adsense/$~third-party -@@||support.google.com/google-ads/$domain=ads.google.com -@@||www.google.*/adometry.$~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||www.google.*/adometry/$~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||www.google.*/ads/images/$~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||www.google.*/ads/js/$~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||www.google.*/adsense/$~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fi|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se|google.sk -@@||www.google.com/adwords/$generichide -@@||www.google.com/analytics/web/$xmlhttprequest,domain=www.google.com -@@||www.google.com/doubleclick/$domain=www.google.com -@@||www.google.com/doubleclick/images/favicon.ico -@@||www.google.com/images/icons/*/adsense_$image,domain=www.google.com -@@||www.google.com/images/icons/feature/adsense_$image -@@||www.google.com/images/icons/product/adsense-$image -@@||www.googleadservices.*/aclk?$~third-party -accounts.google.com#@#.adwords -www.google.com#@##videoads -! YouTube -@@||youtube.com/yt/js/www-advertise.min.js$domain=youtube.com -! Mobicow.com -@@||adcenter.mobicow.com^$~third-party -! advertising.com -@@||www.advertising.com^$~third-party -! Quantcast.com -! http://forums.lanik.us/viewtopic.php?f=64&t=15116&p=53518 -@@||quantcast.com/advertise$domain=quantcast.com -! Marketgid/MGID -@@||dashboard.idealmedia.com^$~third-party -@@||dashboard.lentainform.com^$~third-party -@@||dashboard.marketgid.com^$~third-party -@@||dashboard.mgid.com^$~third-party -@@||dashboard.tovarro.com^$~third-party -! Full.Ad -@@||fullad.com.br^$~third-party -! Healthy Advertising (Spanish) -@@||healthyadvertising.es^$~third-party -! Adfox -@@||adfox.ru^$~third-party -! Apple (iAd) -@@||advertising.apple.com^$domain=advertising.apple.com -! Adhese -@@||adhese.com^$~third-party -! Openx.com -@@||netdna-cdn.com^*/OpenX/$domain=openx.com -@@||openx.com^$domain=openx.com -! Skimlinks -@@||api-merchants.skimlinks.com^ -@@||authentication-api.skimlinks.com^ -! Microsoft -@@||ads.bingads.microsoft.com^$domain=ads.bingads.microsoft.com -@@||ads.microsoft.com^$~third-party -@@||advertise.bingads.microsoft.com/Includes/$domain=login.live.com -@@||advertise.bingads.microsoft.com/wwimages/search/global/$image -@@||advertising.microsoft.com^$~third-party -@@||bingads.microsoft.com/ApexContentHandler.ashx?$script,domain=bingads.microsoft.com -! VK.ru/.com -@@||api.vigo.ru^*/network_status?$object-subrequest,xmlhttprequest,domain=vk.com -@@||paymentgate.ru/payment/*_Advert/ -@@||vk.com/ads$generichide -@@||vk.com/ads.php$~third-party,xmlhttprequest -@@||vk.com/ads.php?$subdocument,domain=vk.com -@@||vk.com/ads?act=$~third-party -@@||vk.com/ads?act=payments&type$script,stylesheet -@@||vk.com/ads_*php?$subdocument,~third-party -@@||vk.com/images/ads_$domain=vk.com -@@||vk.com/js/al/ads.js?$domain=vk.com -@@||vk.com^*/ads.css$domain=vk.com -@@||vk.me/css/al/ads.css$domain=vk.com -@@||vk.me/images/ads_$domain=vk.com -! Mxit -@@||advertise.mxit.com^$~third-party -! Sanoma media -@@||advertising.sanoma.be^$domain=advertising.sanoma.be -! AdRoll -@@||adroll.com^$xmlhttprequest,domain=adroll.com -@@||app.adroll.com^$generichide -! Teliad -@@||seedingup.*/advertiser/$~third-party,xmlhttprequest,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||teliad.*/advertiser/$~third-party,xmlhttprequest,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -! EasyAds -@@||easyads.eu^$domain=easyads.eu -! SiteAds -@@||siteads.com^$domain=siteads.com -! Amazon Associates/PartnerNet -@@||amazon-adsystem.com/e/cm?$document,subdocument,domain=affiliate-program.amazon.co.uk|affiliate-program.amazon.com|affiliate-program.amazon.in|affiliate.amazon.co.jp|afiliados.amazon.es|associados.amazon.com.br|associates.amazon.ca|associates.amazon.cn|partenaires.amazon.fr|partnernet.amazon.de|programma-affiliazione.amazon.it -@@||amazon-adsystem.com^$domain=affiliate-program.amazon.com -@@||amazon.com/home/ads/$document,subdocument,domain=affiliate-program.amazon.com -@@||ssl-images-amazon.com/images/$image,domain=affiliate-program.amazon.co.uk|affiliate-program.amazon.com|affiliate-program.amazon.in|affiliate.amazon.co.jp|afiliados.amazon.es|associados.amazon.com.br|associates.amazon.ca|associates.amazon.cn|partenaires.amazon.fr|partnernet.amazon.de|programma-affiliazione.amazon.it +@@||ads.google.com^$domain=ads.google.com|analytics.google.com +@@||cloud.google.com^$~third-party +@@||developers.google.com^$domain=developers.google.com +@@||support.google.com^$domain=support.google.com ! Yahoo -@@||eioservices.marketingsolutions.yahoo.com^$domain=eio.manhattan.yahoo.com @@||gemini.yahoo.com/advertiser/$domain=gemini.yahoo.com @@||yimg.com/av/gemini-ui/*/advertiser/$domain=gemini.yahoo.com ! Twitter +@@||ads-api.twitter.com^$domain=ads.twitter.com|analytics.twitter.com @@||ads.twitter.com^$domain=ads.twitter.com|analytics.twitter.com -@@||ton.twimg.com/ads-manager/$domain=twitter.com -@@||ton.twimg.com^$domain=ads.twitter.com|analytics.twitter.com -! StumbleUpon -@@||ads.stumbleupon.com^$popup -@@||ads.stumbleupon.com^$~third-party -! advertise.ru -@@||advertise.ru^$~third-party -! acesse.com -@@||ads.acesse.com^$generichide -@@||ads.acesse.com^$~third-party -! integralads.com -@@||integralplatform.com/static/js/Advertiser/$~third-party -! Revealads.com -@@||revealads.com^$~third-party -! Adsbox.io -@@||adsbox.io^$~third-party -! Gameloft -@@||gameloft.com/advertising-$~third-party -! Dailymotion -@@||api.dmcdn.net/pxl/advertisers/$domain=dailymotion.com -@@||dailymotion.com/advertise/$xmlhttprequest -! Amazon -@@||ams.amazon.co.jp^$domain=ams.amazon.co.jp -@@||ams.amazon.co.uk^$domain=ams.amazon.co.uk -@@||ams.amazon.com^$domain=ams.amazon.com -! Adservice.com -@@||ad-server.one.com/click?agency=adservice-$domain=adservicemedia.dk -@@||adservice.com/wp-content/themes/adservice/$~third-party -@@||adservicemedia.dk/images/$~third-party -@@||adservicemedia.dk^$generichide -@@||banners.one.com/bannere/$domain=adservicemedia.dk -@@||publisher.adservice.com^$domain=publisher.adservice.com -@@||publisher.adservice.com^$generichide -! chameleon.ad -@@||chameleon.ad/demo/$elemhide -! Memo2 -@@||ads.memo2.nl^ -! *** easylist:easylist/easylist_whitelist_dimensions.txt *** -@@-120x60-$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@-120x60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@_120_60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@_120x60.$image,domain=2dayshippingbymastercard.com|catalogfavoritesvip.com|chase.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|sunsteps.org|theperfectsaver.com|travelplus.com -@@_120x60_$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com -@@_300x250.$image,domain=lockd.co.uk -@@||adnews.com.br^*/300x250/$image,domain=adnews.com.br -@@||ajax.googleapis.com/ajax/services/search/news?*-728x90&$script -@@||amazonaws.com/content-images/article/*_120x60$domain=vice.com -@@||amazonaws.com^*-300x250_$image,domain=snapapp.com -@@||amazonaws.com^*/300x250_$image,domain=snapapp.com -@@||anitasrecipes.com/Content/Images/*160x500$image -@@||arnhemland-safaris.com/images/*_480_80_ -@@||artserieshotels.com.au/images/*_460_60. -@@||assets.vice.com^*_120x60.jpg -@@||babyhit.pl/images/*-120x60-$image,domain=babyhit.pl -@@||bettermarks.com/static/media$~third-party -@@||bexio.com/files/content/*160x600.$domain=bexio.com -@@||bizquest.com^*_img/_franchise/*_120x60.$image -@@||breakingisraelnews.com/wp-content/uploads/*-300x250- -@@||canada.com/news/*-300-250.gif -@@||cbsistatic.com/img/*/300x250/$image,xmlhttprequest -@@||cinemanow.com/images/banners/300x250/ -@@||cnsm.com.br/wp-content/uploads/*/468x60_$image,domain=cnsm.com.br -@@||consumerist-com.wpengine.netdna-cdn.com/assets/*300x250 -@@||crowdignite.com/img/upload/*300x250 -@@||cubeecraft.com/images/home/features/300x250/$image,~third-party -@@||d18wkpp7xvnw38.cloudfront.net/wp-content/uploads/products/mecox/FNR-1215-012_0-300x600.jpg$domain=mecox.com -@@||dawn.com/wp-content/uploads/*_300x250.jpg -@@||discovery.com^*/ratio-size/pixel-ratio/300x250.png -@@||disney.com.au/global/swf/*728x90.swf -@@||disney.com.au/global/swf/banner160x600.swf -@@||educationpost.com.hk^*/300x250/$image -@@||efvi.eu/badge/*-120x60.png -@@||elwehda.com/temp/thumb/300x150_$image -@@||etsystatic.com^*_760x100.$domain=etsy.com -@@||film.com/plugins/*-300x250 -@@||findafranchise.com/_img/*_120x60.$image -@@||firestormgames.co.uk/image/*-120x60. -@@||flii.by/thumbs/image/*_300x250.$domain=flii.by -@@||flumotion.com/play/player?*/300x250-$subdocument,domain=flaixfm.cat -@@||framestr.com^*/300x250/$image,~third-party -@@||freeshipping.com^*_120x60.$image,domain=shopsmarter.com -@@||freetvhub.com/ad1_300x250.html -@@||google.com/uds/modules/elements/newsshow/iframe.html?*=300x250& -@@||gujaratsamachar.com/thumbprocessor/cache/300x250- -@@||harpers.co.uk/pictures/300x250/ -@@||heathceramics.com/media/300x250/$image,~third-party -@@||hortifor.com/images/*120x60$~third-party -@@||hoyts.com.ar/uploads/destacado/*_300x250_$image,domain=hoyts.com.ar -@@||imagehost123.com^*_300x250_$image,domain=wealthymen.com -@@||images*.roofandfloor.com^$image,domain=roofandfloor.com -@@||images.itreviews.com/*300x250_$domain=itreviews.com -@@||images.outbrain.com/imageserver/*-120x60.$image -@@||imawow.weather.com/web/wow/$image -@@||imdb.com/images/*doubleclick/*300x250 -@@||imdb.com/images/*doubleclick/*320x240 -@@||imperialwonderservices.ie/images/banner/*-468x60.$~third-party -@@||komikslandia.pl/environment/cache/images/300_250_ -@@||la-finca-distribution.de/wp-content/uploads/*-120x240.$image -@@||maps.google.*/staticmap*^size=300x250^$image,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||maps.googleapis.com/maps/api/*=300x250&$image -@@||marketing.beatport.com.s3.amazonaws.com^*/728x90_ -@@||metrics.target.com/b/ss/*_300x250_$image -@@||metvnetwork.s3.amazonaws.com^*-quiz-300x250-$image,domain=metv.com -@@||motherboard.tv/content-images/*_120x60. -@@||mozilla.org/img/covehead/plugincheck/*/728_90/loading.png$domain=mozilla.org -@@||msecnd.net/socialfactoryimagesresized/mediaspotlight/2/300x250/$image -@@||mxtoolbox.com/Public/images/banners/Mx-Pro-160x600.jpg -@@||nationalgeographic.com/exposure/content/*300x250 -@@||nc-myus.com/images/pub/www/uploads/merchant-logos/ -@@||onescreen.net/os/static/widgets/*300x250 -@@||openmp.org/wp/openmp_336x120.gif -@@||opposingviews.com^*/300x250/ -@@||player.grabnetworks.com^*/vox_300x250_inline.xml$domain=mavrixonline.com -@@||quisqualis.com/QBanner_760x100.jpg -@@||rackcdn.com^*_120x60_$image,domain=shopsmarter.com -@@||ragnsells.se/globalassets/sverige/inspireras/*1160x600.$domain=ragnsells.se -@@||rehabs.com^*/xicons_social_sprite_400x60.png -@@||roofandfloor.com/listing_$image,~third-party -@@||russia-direct.org/custom_ajax/widget?*=300x250&$script -@@||site-*.mozfiles.com/files/*/banners/$image -@@||static-origin.openedition.org^*-120x240.jpg -@@||swansuk.co.uk^*/300x250/$image,~third-party -@@||target.122.2o7.net/b/ss/*_300x250_$image,domain=target.com -@@||techpakistani.com/wp-content/uploads/*-300x100.$image -@@||turner.com/v5cache/TCM/images/*_120x60. -@@||turner.com/v5cache/TCM/Images/*_120x60_ -@@||ubi.com/resource/*/game/*_300x250_$image,domain=ubi.com -@@||union.edu/media/galleryPics/400x250/$~third-party -@@||usanetwork.com/sites/usanetwork/*300x250 -@@||usopen.org/images/pics/misc/*.300x250.jpg -@@||viamichelin.*&size=728x90,$subdocument,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||vortex.accuweather.com^*_120x60_bg.jpg -@@||vortex.accuweather.com^*_160x600_bg.jpg -@@||vortex.accuweather.com^*_300x250_bg.jpg -@@||w3easy.org/templates/*_120x60. -@@||w3easy.org/templates/*_120x60_ -@@||wavepc.pl/wp-content/*-500x100.png$image -@@||weather.craven.net.au/weather/products/300x250.asp?$image -@@||weatherbug.com/desktop-weather/*=728x90& -@@||weatherbug.com/images/stickers/*/728x90/ -@@||weatherbug.com/style/stickers/*_728x90.css -@@||wixstatic.com/media/*_300_250_$image,domain=lenislens.com -@@||worlds-luxury-guide.com/sites/default/files/rectangle-300x250-newsletter.jpg -@@||zorza-polarna.pl/environment/cache/images/300_250_ -! *** easylist:easylist/easylist_whitelist_popup.txt *** -@@/clickthrgh.asp?btag=*&aid=$popup,domain=casinobonus24.se -@@/promoRedirect?*&zone=$popup,domain=casinobonus24.se|top5casinosites.co.uk -@@/redirect.aspx?bid=$popup,domain=casinosonline.co.uk|onlinecasinos.co.uk|top5casinosites.co.uk -@@/redirect.aspx?pid=$popup,domain=askgamblers.com|betbeaver.com|casinobonus24.se|casinosonline.co.uk|gamble.co.uk|gokkeninonlinecasino.nl|internetcasinot.com|onlinecasinos.co.uk|sportsfavoritesodds.com|sportsgo365.com -@@/tracking.php?*&pid=$popup,domain=casinobonus24.se +! *** easylist:easylist/easylist_allowlist_dimensions.txt *** +@@||anitasrecipes.com/Content/Images/Recipes/$image,~third-party +@@||arnhemland-safaris.com/images/made/$image,~third-party +@@||banner-hiroba.com/wp-content/uploads/$image,~third-party +@@||cloud.mail.ru^$image,~third-party +@@||crystalmark.info/wp-content/uploads/*-300x250.$image,~third-party +@@||crystalmark.info/wp-content/uploads/sites/$image,~third-party +@@||government-and-constitution.org/images/presidential-seal-300-250.gif$image,~third-party +@@||hiveworkscomics.com/frontboxes/300x250_$image,~third-party +@@||leerolymp.com/_nuxt/300-250.$script,~third-party +@@||leffatykki.com/media/banners/tykkibanneri-728x90.png$image,~third-party +@@||nc-myus.com/images/pub/www/uploads/merchant-logos/$image,~third-party +@@||nihasi.ru/upload/resize_cache/*/300_250_$image,~third-party +@@||przegladpiaseczynski.pl/wp-content/uploads/*-300x250-$image,~third-party +@@||radiosun.fi/wp-content/uploads/*300x250$image,~third-party +@@||redditinc.com/assets/images/site/*_300x250.$image,~third-party +@@||taipit-mebel.ru/upload/resize_cache/$image,~third-party +@@||wavepc.pl/wp-content/*-500x100.png$image,~third-party +@@||yimg.jp/images/news-web/all/images/jsonld_image_300x250.png$domain=news.yahoo.co.jp +! *** easylist:easylist/easylist_allowlist_popup.txt *** @@^utm_source=aff^$popup,domain=gamble.co.uk|gokkeninonlinecasino.nl|top5casinosites.co.uk -@@|blob:$popup,domain=arbeitsagentur.de|codepen.io|elo.fi|hardingevans.com|hevans.com|kipp.6f.io|mozo.awana.org|tidepool.org -@@|data:text^$popup,domain=arestwo.org|box.com|labcorp.com|zipit.io -@@||888casino.com^$popup,domain=casinobonus24.se|casinosonline.co.uk|onlinecasinos.co.uk +@@|data:text^$popup,domain=box.com|clker.com|labcorp.com +@@||accounts.google.com^$popup +@@||ad.doubleclick.net/clk*&destinationURL=$popup +@@||ad.doubleclick.net/ddm/$popup,domain=billiger.de|creditcard.com.au|debitcards.com.au|finder.com|finder.com.au|findershopping.com.au|guide-epargne.be|legacy.com|mail.yahoo.com|nytimes.com|spaargids.be|whatphone.com.au @@||ad.doubleclick.net/ddm/clk/*http$popup -@@||adfarm.mediaplex.com/ad/ck/$popup,domain=betwonga.com|comparison411.com|dealsplus.com|matched-bet.net|pcmag.com -@@||admin.mgid.com^$popup -@@||ads.affiliate-cruise-mail.com/redirect.aspx?pid=*&bid=$popup -@@||ads.affiliateclub.com/redirect.aspx?pid=$popup -@@||ads.affiliatecruise.com/redirect.aspx?$popup -@@||ads.affiliates-spinit.com/redirect.aspx?pid=*&bid=$popup -@@||ads.annapartners.com/redirect.aspx?pid=*&bid=$popup -@@||ads.askgamblers.com^$popup -@@||ads.betfair.com/redirect.aspx?$popup -@@||ads.casumoaffiliates.com/redirect.aspx?$popup -@@||ads.cherrycasino.com/tracking.php?tracking_code&aid=$popup -@@||ads.comeon.com/redirect.aspx?pid=*&bid=$popup -@@||ads.ellmountgaming.com/redirect.aspx?pid=*&bid=$popup -@@||ads.eurogrand.com/redirect.aspx?$popup -@@||ads.eurolotto.com/tracking.php?$popup -@@||ads.euroslots.com/tracking.php?tracking_code&aid=$popup -@@||ads.flipkart.com/delivery/ck.php?$popup,domain=flipkart.com -@@||ads.getlucky.com/redirect.aspx?pid=*&bid=$popup -@@||ads.google.$popup,domain=google.ac|google.ad|google.ae|google.al|google.am|google.as|google.at|google.az|google.ba|google.be|google.bf|google.bg|google.bi|google.bj|google.bs|google.bt|google.by|google.ca|google.cat|google.cd|google.cf|google.cg|google.ch|google.ci|google.cl|google.cm|google.co.ao|google.co.bw|google.co.ck|google.co.cr|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.ke|google.co.kr|google.co.ls|google.co.ma|google.co.mz|google.co.nz|google.co.th|google.co.tz|google.co.ug|google.co.uk|google.co.uz|google.co.ve|google.co.vi|google.co.za|google.co.zm|google.co.zw|google.com|google.com.af|google.com.ag|google.com.ai|google.com.ar|google.com.au|google.com.bd|google.com.bh|google.com.bn|google.com.bo|google.com.br|google.com.by|google.com.bz|google.com.cn|google.com.co|google.com.cu|google.com.cy|google.com.do|google.com.ec|google.com.eg|google.com.et|google.com.fj|google.com.gh|google.com.gi|google.com.gt|google.com.hk|google.com.jm|google.com.jo|google.com.kh|google.com.kw|google.com.lb|google.com.ly|google.com.mm|google.com.mt|google.com.mx|google.com.my|google.com.na|google.com.ng|google.com.ni|google.com.np|google.com.om|google.com.pa|google.com.pe|google.com.pg|google.com.ph|google.com.pk|google.com.pr|google.com.py|google.com.qa|google.com.ru|google.com.sa|google.com.sb|google.com.sg|google.com.sl|google.com.sv|google.com.tj|google.com.tn|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vc|google.com.ve|google.com.vn|google.cv|google.cz|google.de|google.dj|google.dk|google.dm|google.dz|google.ee|google.es|google.fi|google.fm|google.fr|google.ga|google.ge|google.gg|google.gl|google.gm|google.gp|google.gr|google.gy|google.hk|google.hn|google.hr|google.ht|google.hu|google.ie|google.im|google.iq|google.is|google.it|google.it.ao|google.je|google.jo|google.jp|google.kg|google.ki|google.kz|google.la|google.li|google.lk|google.lt|google.lu|google.lv|google.md|google.me|google.mg|google.mk|google.ml|google.mn|google.ms|google.mu|google.mv|google.mw|google.ne|google.ne.jp|google.ng|google.nl|google.no|google.nr|google.nu|google.pl|google.pn|google.ps|google.pt|google.ro|google.rs|google.ru|google.rw|google.sc|google.se|google.sh|google.si|google.sk|google.sm|google.sn|google.so|google.sr|google.st|google.td|google.tg|google.tl|google.tm|google.tn|google.to|google.tt|google.us|google.vg|google.vu|google.ws -@@||ads.harpercollins.com^$popup,domain=harpercollins.com -@@||ads.honestpartners.com/redirect.aspx?$popup -@@||ads.joaffs.com/redirect.aspx?pid=*&bid=$popup -@@||ads.kabooaffiliates.com/redirect.aspx?$popup -@@||ads.lapalingo.com/redirect.aspx?pid=*&bid=$popup -@@||ads.leovegas.com/redirect.aspx?pid=*&bid=$popup -@@||ads.mobilbet.com/redirect.aspx?pid=*&bid=$popup -@@||ads.mrgreen.com/redirect.aspx?pid=*&bid=$popup -@@||ads.mrringoaffiliates.com/redirect.aspx?pid=*&bid=$popup -@@||ads.o-networkaffiliates.com/redirect.aspx?pid=*&bid=$popup -@@||ads.ovocasino.com/redirect.aspx?pid=$popup +@@||ad.doubleclick.net/ddm/trackclk/*http$popup +@@||ads.atmosphere.copernicus.eu^$popup +@@||ads.doordash.com^$popup +@@||ads.elevateplatform.co.uk^$popup +@@||ads.emarketer.com/redirect.spark?$popup,domain=emarketer.com +@@||ads.finance^$popup +@@||ads.google.com^$popup +@@||ads.kazakh-zerno.net^$popup +@@||ads.listonic.com^$popup +@@||ads.microsoft.com^$popup +@@||ads.midwayusa.com^$popup @@||ads.pinterest.com^$popup -@@||ads.quasaraffiliates.com/redirect.aspx?pid=*&bid=$popup -@@||ads.reempresa.org^$popup,domain=reempresa.org -@@||ads.slottyvegas.com/redirect.aspx?pid=*&bid=$popup -@@||ads.staybetpartners.com/text/$popup -@@||ads.sudpresse.be^$popup,domain=sudinfo.be -@@||ads.suomikasino.com/redirect.aspx?pid=*&bid=$popup -@@||ads.thrillsaffiliates.com/redirect.aspx?$popup -@@||ads.toplayaffiliates.com/redirect.aspx?$popup -@@||ads.twitter.com^$popup,~third-party -@@||ads.viksaffiliates.com/redirect.aspx?pid=*&bid=$popup -@@||ads.williamhillcasino.com/redirect.aspx?*=internal&$popup,domain=williamhillcasino.com -@@||ads.yakocasinoaffiliates.com/redirect.aspx?pid=*&bid=$popup -@@||adserving.unibet.com/redirect.aspx?pid=$popup,domain=betwonga.com -@@||adserving.unibet.com/redirect.aspx?pid=*&bid=$popup -@@||adsrv.eacdn.com/C.ashx?btag=a_$popup -@@||adsrv.eacdn.com/wl/clk?btag=a_$popup -@@||adv.blogupp.com^$popup -@@||adv.cr^$popup +@@||ads.shopee.*/$popup +@@||ads.snapchat.com^$popup +@@||ads.spotify.com^$popup +@@||ads.taboola.com^$popup +@@||ads.tiktok.com^$popup +@@||ads.twitter.com^$popup +@@||ads.vk.com^$popup +@@||ads.x.com^$popup +@@||adv.asahi.com^$popup @@||adv.gg^$popup @@||adv.welaika.com^$popup -@@||ananzi.co.za/ads/Click?$popup,domain=ananzi.co.za -@@||bet365.com^*^affiliate^$popup,domain=betbeaver.com|betwonga.com|betyper.com|sportsfavoritesodds.com -@@||casino.*^affiliate^$popup,domain=askgamblers.com|casinobonus24.se|gamble.co.uk|internetcasinot.com -@@||casino.betsson.com^*^utm_medium=Affiliate^$popup -@@||casino.com/cgi-bin/redir.cgi?$popup,domain=casinobonus24.se -@@||casino.com^*/landingpages/$popup,domain=casinobonus24.se +@@||biz.yelp.com/ads?$popup @@||dashboard.mgid.com^$popup -@@||doubleclick.net/click%$popup,domain=people.com|time.com @@||doubleclick.net/clk;$popup,domain=3g.co.uk|4g.co.uk|hotukdeals.com|jobamatic.com|play.google.com|santander.co.uk|techrepublic.com -@@||doubleclick.net/ddm/trackclk/*NETREFER.COM/$popup -@@||eurogrand.com^$popup,domain=casinobonus24.se|casinosonline.co.uk|onlinecasinos.co.uk @@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|pianobuyer.com|weddingspot.co.uk|zillow.com -@@||g.doubleclick.net/ads/preferences/$popup -@@||g.doubleclick.net/pcs/click?$popup,domain=wsj.com -@@||g.doubleclick.net/pcs/click^$popup,domain=economist.com -@@||gsmarena.com/adclick.php?bannerid=$popup @@||hutchgo.advertserve.com^$popup,domain=hutchgo.com|hutchgo.com.cn|hutchgo.com.hk|hutchgo.com.sg|hutchgo.com.tw -@@||imgbox.com/?src=$popup,domain=sendvid.com -@@||online.europartners.com/promoRedirect?$popup -@@||online.winner.co.uk/promoRedirect?$popup -@@||pokerstars.eu^$popup,domain=gokkeninonlinecasino.nl -@@||rule34hentai.net/post/$popup,~third-party -@@||sendvid.com/?src=$popup,domain=imgbox.com -@@||servedbyadbutler.com/redirect.spark?MID=$popup,domain=healthmeans.com -@@||serving-sys.com/BurstingPipe/adServer.bs?$popup,domain=jobamatic.com -@@||swatchseries.to/freecale.html?r=$popup -@@||viroll.com^$popup,domain=imagebam.com|imgbox.com +@@||serving-sys.com/Serving/adServer.bs?$popup,domain=spaargids.be @@||vk.com/ads?$popup,domain=vk.com @@||www.google.*/search?q=*&oq=*&aqs=chrome.*&sourceid=chrome&$popup,third-party -@@||youtube.com/ads/preferences/$popup -! *** easylist:easylist_adult/adult_whitelist.txt *** -! temp comment to fix python-abp issue -@@/cdn-cgi/pe/bag2?r[]=*ads.exoclick.com$xmlhttprequest,domain=hd-porn.me -@@/cdn-cgi/pe/bag2?r[]=*juicyads.com$xmlhttprequest,domain=glamourbabe.eu -@@/cdn-cgi/pe/bag2?r[]=*popads.net$xmlhttprequest,domain=hd-porn.me -@@||ad.thisav.com/player/config.xml$object-subrequest -@@||ad.thisav.com/player/jw.swf -@@||ads.fuckingmachines.com^$image,~third-party -@@||ads.ultimatesurrender.com^$image,~third-party -@@||adv.alsscan.com^$image,stylesheet,domain=alscash.com -@@||anyporn.com*/images/$image,~third-party,domain=anyporn.com -@@||as.sexad.net/as/r?d=preroll-mov-$object-subrequest,domain=youjizz.com -@@||boyzshop.com/affimages/$~third-party -@@||boyzshop.com/images/affbanners/$image,~third-party -@@||burningcamel.com/ads/banner.jpg -@@||cam4.*/ads/directory/$~third-party,xmlhttprequest,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||cdn.delight-vr.com^$domain=xhamster.com -@@||cdn.trafficstars.com/sdk/v1/bi.js$domain=xhamster.com -@@||chatbro.com^$xmlhttprequest,domain=camwhores.tv -@@||chaturbate.com/affiliates/$domain=noracam.com -@@||dpmate.com/exports/tour_20/$domain=digitalplayground.com -@@||eegay.com^$generichide -@@||eskimotube.com/advertisements.php?$script -@@||fucktube.com/work/videoad.php? +@@||www.ticketmaster.$popup,domain=adclick.g.doubleclick.net +! *** easylist:easylist_adult/adult_allowlist.txt *** +@@/api/models?$domain=tik.porn +@@/api/v2/models-online?$domain=tik.porn +@@||chaturbate.com/in/$subdocument,domain=cam-sex.net +@@||exosrv.com/video-slider.js$domain=xfreehd.com @@||gaynetwork.co.uk/Images/ads/bg/$image,~third-party -@@||gelbooru.com//images/ad/$domain=gelbooru.com -@@||graphics.pop6.com/javascript/live/$script -@@||graphics.pop6.com/javascript/live_cd/$script -@@||hdzog.com/js/advertising.js -@@||hostave4.net^*/video/$object-subrequest,domain=kporno.com -@@||hostedadsp.realitykings.com/hosted/flash/rk_player_1.5_300x250.swf$object -@@||iafd.com/graphics/headshots/thumbs/th_iafd_ad.gif -@@||img.livejasmin.com^$image,domain=4mycams.com -@@||kuntfutube.com/go.php?ad= -@@||lp.longtailvideo.com^*/adttext/adttext.js$domain=yuvutu.com -@@||manhuntshop.com/affimages/$~third-party -@@||manhuntshop.com/images/affbanners/$~third-party -@@||mrstiff.com/view/textad/$xmlhttprequest -@@||nonktube.com/img/adyea.jpg -@@||panicporn.com/Bannerads/player/player_flv_multi.swf$object -@@||pop6.com/banners/$domain=horny.net|xmatch.com -@@||porn.com/image/*/PORN.jpg?$image -@@||pornhd.com/pornhd/*/js/dist/$script -@@||pornhubpremium.com/user/login_status? -@@||pornhubpremiumcdn.com^$image,domain=pornhub.com -@@||pornteengirl.com/temporaire/image.php?*/virtuagirl/$image -@@||promo.cdn.homepornbay.com/key=*.mp4$object-subrequest,domain=hiddencamsvideo.com -@@||sextoyfun.com/admin/aff_files/BannerManager/$~third-party -@@||sextoyfun.com/control/aff_banners/$~third-party -@@||skimtube.com/advertisements.php? -@@||store.adam4adam.com/affimages/$~third-party -@@||store.adam4adam.com/images/affbanners/$~third-party -@@||sundaysportclassifieds.co.uk/ads/$image,~third-party -@@||sundaysportclassifieds.com/ads/$image,domain=sundaysportclassifieds.co.uk -@@||thisav.com/uploaded_banners/jw.swf$domain=thisav.com -@@||tjoob.com/go.php?ad=$script,~third-party -@@||tnaflix.com/ad/$object-subrequest -@@||tools-euads.flugubluc.com/dtct.js?ads=true$domain=gaytube.com -@@||tracking.hornymatches.com/track?type=unsubscribe&enid=$subdocument,third-party -@@||traffichaus.com/ad.js$script -@@||traffichaus.com^*/ad.js$script -@@||traffichunt.com/adx-dir-d/checkab?$script,domain=spankwire.com -@@||ul.ehgt.org/ad/$image,domain=e-hentai.org -@@||upornia.com/js/advertising.js?$script -@@||widget.plugrush.com^$subdocument,domain=amateursexy.net -@@||xhcdn.com/images/flag/AD.gif -@@||xxxporntalk.com/images/xxxpt-chrome.jpg -@@||yamvideo.com/pop1/jwplayer.js$script -@@||youjizz.com/video_templates/non-flash-video.php?id=$subdocument,domain=youjizz.com -@@||youjizz.com/videos/embed/$subdocument,domain=youjizz.com -! Pornhub network -@@||ajax.googleapis.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||algolia.net^*/indexes/$xmlhttprequest,domain=tube8.com|tube8.es|tube8.fr -@@||algolianet.com^*/indexes/$xmlhttprequest,domain=tube8.com|tube8.es|tube8.fr -@@||amazonaws.com/uploads.uservoice.com/$image,domain=pornhub.com|redtube.com|tube8.com|youporn.com -@@||api.feel-app.com^$xmlhttprequest,domain=pornhub.com -@@||api.recaptcha.net^$script -@@||apis.google.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||blog.tube8.com/wp-content/$image,script -@@||cdn-*.pornhub.com^$image,domain=pornhub.com|redtube.com|redtube.com.br -@@||cdn.jsdelivr.net/algoliasearch/3/algoliasearch.min.js$script,domain=tube8.com|tube8.es|tube8.fr -@@||cdn.jsdelivr.net/autocomplete.js/0/autocomplete.min.js$script,domain=tube8.com|tube8.es|tube8.fr -@@||cdne-st.redtubefiles.com^$script,domain=redtube.com|redtube.com.br -@@||connect.facebook.net^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||disqus.com/count.js$domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||disqus.com/embed.js$domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||disquscdn.com/count.js$domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||feedback.pornhub.com^$xmlhttprequest,domain=feedback.pornhub.com -@@||google.com/recaptcha/$image,script -@@||gstatic.com/recaptcha/$image,script -@@||icfcdn.com^*/player.js$script,domain=pornhub.com -@@||img.pornhub.com/gif/*.gif|$image,~third-party -@@||img.youtube.com/vi/*/sddefault.jpg$domain=pornhub.com -@@||maps.googleapis.com^$domain=pornhub.com -@@||maps.gstatic.com^$domain=pornhub.com -@@||media.trafficjunky.net/js/holiday-promo.js$script,domain=pornhub.com -@@||naiadmmm.com^$image,domain=pornhub.com -@@||naiadsystems.com^$script,websocket,xmlhttprequest,domain=pornhub.com -@@||nsimg.net^$image,domain=pornhub.com -@@||phncdn.com/*/js/likeDislike/$script -@@||phncdn.com/*/js/t8.util-min.js?$script -@@||phncdn.com//js/popUnder/exclusions-min.js -@@||phncdn.com/assets/*/js/common.js$script -@@||phncdn.com/assets/*/js/home.js$script -@@||phncdn.com/assets/*/js/user_notification.js$script -@@||phncdn.com/assets/*/js/video.js$script -@@||phncdn.com/assets/*/js/video_page.js$script -@@||phncdn.com/assets/pc/js/categories_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/contact_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/halloffap_asset_list.js$script -@@||phncdn.com/assets/pc/js/home_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/info_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/searchporntag_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/searchresult_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/signup_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/sitemap_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/tags_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/userachievements.js$script -@@||phncdn.com/assets/pc/js/usercomments.js$script -@@||phncdn.com/assets/pc/js/userfollowers.js$script -@@||phncdn.com/assets/pc/js/userfollowing.js$script -@@||phncdn.com/assets/pc/js/users.js?$script -@@||phncdn.com/assets/pc/js/uservideos_output.js$script -@@||phncdn.com/assets/pc/js/video_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/videos_page_asset_list.js$script -@@||phncdn.com/assets_dev/js/algolia/algolia_search_result*.js$script,domain=tube8.com -@@||phncdn.com/cb/assets/$script -@@||phncdn.com/cb/bundles/$script -@@||phncdn.com/dash/videos/$media,object,object-subrequest,other,xmlhttprequest,domain=pornhub.com|redtube.com|tube8.com|youporn.com|youporngay.com -@@||phncdn.com/head/$script -@@||phncdn.com/highcharts-$script -@@||phncdn.com/hls/videos/$media,object,object-subrequest,other,xmlhttprequest,domain=pornhub.com|redtube.com|tube8.com|youporn.com|youporngay.com -@@||phncdn.com/html5player/$script -@@||phncdn.com/html5player/videoPlayer/$object,object-subrequest,domain=pornhub.com|redtube.com|youporn.com -@@||phncdn.com/html5shiv-$script -@@||phncdn.com/jquery-$script -@@||phncdn.com/jquery/$script -@@||phncdn.com/js/*_disclaimer/*_disclaimer-min.js?$script -@@||phncdn.com/js/*_disclaimer/*_disclaimer_controller-min.js?$script -@@||phncdn.com/js/achievement-$script -@@||phncdn.com/js/ad_form_header/ad_form_header-min.js?$script -@@||phncdn.com/js/avatar_$script -@@||phncdn.com/js/badgeSelector/$script -@@||phncdn.com/js/browser-$script -@@||phncdn.com/js/carousellite.$script -@@||phncdn.com/js/categorylist_setUp-min.js?$script -@@||phncdn.com/js/comments/$script -@@||phncdn.com/js/common_jq-min.js$script -@@||phncdn.com/js/cover_tutorial/$script -@@||phncdn.com/js/deleteComment/$script -@@||phncdn.com/js/deleteVideo/$script -@@||phncdn.com/js/editUserDropDown/$script -@@||phncdn.com/js/et.ready.$script -@@||phncdn.com/js/fav_like_user_feed/$script -@@||phncdn.com/js/filters_menu/$script -@@||phncdn.com/js/flipbook/$script -@@||phncdn.com/js/follow_button/$script -@@||phncdn.com/js/general-min.js$script -@@||phncdn.com/js/general_tablet-min.js$script -@@||phncdn.com/js/home_setUp-min.js$script -@@||phncdn.com/js/home_setUp_tablet-min.js$script -@@||phncdn.com/js/html5player.js?$script -@@||phncdn.com/js/infinite.$script -@@||phncdn.com/js/ipad/$script -@@||phncdn.com/js/is_online/$script -@@||phncdn.com/js/jqbrowser-compressed.js$script -@@||phncdn.com/js/jquery.$script -@@||phncdn.com/js/karmaInfo/$script -@@||phncdn.com/js/language_$script -@@||phncdn.com/js/levelUp/$script -@@||phncdn.com/js/libs/ProfileCommentsAction-min.js$script -@@||phncdn.com/js/login_form/$script -@@||phncdn.com/js/m_tubes/MG_autocomplete.js$script -@@||phncdn.com/js/menu_setUp_tablet-min.js$script -@@||phncdn.com/js/mg_modal/$script -@@||phncdn.com/js/needLogin/$script -@@||phncdn.com/js/nextBtn/$script -@@||phncdn.com/js/ourfriends-min.js$script -@@||phncdn.com/js/popUnder/exclusions-min.js$script -@@||phncdn.com/js/relatedVideos/$script -@@||phncdn.com/js/report_video_form/$script -@@||phncdn.com/js/search_setUp-min.js$script -@@||phncdn.com/js/search_widget.js$script -@@||phncdn.com/js/searchbar/$script -@@||phncdn.com/js/searchbar_show/$script -@@||phncdn.com/js/segment_changer/$script -@@||phncdn.com/js/share_video_block/$script -@@||phncdn.com/js/showMenu/$script -@@||phncdn.com/js/signin-min.js$script -@@||phncdn.com/js/site-main.$script -@@||phncdn.com/js/tagStar/$script -@@||phncdn.com/js/translator-min.js$script -@@||phncdn.com/js/translator/$script -@@||phncdn.com/js/translatorWatchPageController-min.js$script -@@||phncdn.com/js/underPlayer/$script -@@||phncdn.com/js/uploaded_video_thumbnail_select/$script -@@||phncdn.com/js/user_comments/$script -@@||phncdn.com/js/user_dashboard/$script -@@||phncdn.com/js/user_favorites/$script -@@||phncdn.com/js/user_post_comment_form/$script -@@||phncdn.com/js/userAchievements_setUp-min.js?$script -@@||phncdn.com/js/userComments-min.js$script -@@||phncdn.com/js/userComments_setUp-min.js?$script -@@||phncdn.com/js/userDashboard_setUp-min.js?$script -@@||phncdn.com/js/userFavorites-$script -@@||phncdn.com/js/userFavorites_setUp-min.js?$script -@@||phncdn.com/js/userFollowers_setUp-min.js?$script -@@||phncdn.com/js/userFollowing_setUp-min.js?$script -@@||phncdn.com/js/userInc-min.js$script -@@||phncdn.com/js/userMiniProfile/$script -@@||phncdn.com/js/userSettings_setUp-min.js?$script -@@||phncdn.com/js/userVideos_setUp-min.js?$script -@@||phncdn.com/js/utils/mg-utils-min.js$script -@@||phncdn.com/js/video_favorite/$script -@@||phncdn.com/js/video_setUp-min.js$script -@@||phncdn.com/js/video_setUp_tablet-min.js$script -@@||phncdn.com/js/videoDetection.js?$script -@@||phncdn.com/js/videoPlayer/$script -@@||phncdn.com/js/videos_setUp-min.js?$script -@@||phncdn.com/js/votingSystem/$script -@@||phncdn.com/js/xp_bubble/$script -@@||phncdn.com/mg_utils-$script -@@||phncdn.com/modernizr-$script -@@||phncdn.com/networkbar-$script -@@||phncdn.com/pagespeed.js$script -@@||phncdn.com/swfobject-$script -@@||phncdn.com/timings-$script -@@||phncdn.com/tubes-$script -@@||phncdn.com/tubes.infopages-$script -@@||phncdn.com/underscore-$script -@@||phncdn.com/videos/$image,media,object,other,domain=pornhub.com|redtube.com|tube8.com|youporn.com|youporngay.com -@@||phncdn.com/vortex-simple-*.js$script -@@||phncdn.com/vortex.modern-*.js$script -@@||phncdn.com/www-static/$image -@@||phncdn.com/www-static/*/autocomplete.$script -@@||phncdn.com/www-static/*/gif-view-functions.js$script -@@||phncdn.com/www-static/*/gif-view.js$script -@@||phncdn.com/www-static/*/jquery.$script -@@||phncdn.com/www-static/js/album-display-public.js?$script -@@||phncdn.com/www-static/js/amateur/amateur-signup.js$script -@@||phncdn.com/www-static/js/amateur/dropdown.js?$script -@@||phncdn.com/www-static/js/autocomplete-search.js$script -@@||phncdn.com/www-static/js/channel-main.js?$script -@@||phncdn.com/www-static/js/claimed-pornstar.js$script -@@||phncdn.com/www-static/js/comments.js?$script -@@||phncdn.com/www-static/js/content-removal.js$script -@@||phncdn.com/www-static/js/create-account.js?$script -@@||phncdn.com/www-static/js/create-phlive-account.js$script -@@||phncdn.com/www-static/js/detect.browser.js?$script -@@||phncdn.com/www-static/js/dropdown.js$script -@@||phncdn.com/www-static/js/footer.js$script -@@||phncdn.com/www-static/js/front-index.js?$script -@@||phncdn.com/www-static/js/front-information.js?$script -@@||phncdn.com/www-static/js/front-login.js$script -@@||phncdn.com/www-static/js/gif-$script -@@||phncdn.com/www-static/js/header-menu.js?$script -@@||phncdn.com/www-static/js/header-nojquery.js?$script -@@||phncdn.com/www-static/js/header.js$script -@@||phncdn.com/www-static/js/html5Player/$script -@@||phncdn.com/www-static/js/lib/$script -@@||phncdn.com/www-static/js/manage-constructors.js$script -@@||phncdn.com/www-static/js/member-search.js?$script -@@||phncdn.com/www-static/js/messages.js?$script -@@||phncdn.com/www-static/js/mg-modal.js$script -@@||phncdn.com/www-static/js/mg-utils.js$script -@@||phncdn.com/www-static/js/mg_flipbook-$script -@@||phncdn.com/www-static/js/mg_modal-$script -@@||phncdn.com/www-static/js/mg_utils-$script -@@||phncdn.com/www-static/js/modal-tipping.js$script -@@||phncdn.com/www-static/js/modelhub/$script -@@||phncdn.com/www-static/js/notified-modal.js?$script -@@||phncdn.com/www-static/js/ph-footer.js$script -@@||phncdn.com/www-static/js/ph-networkbar.js$script -@@||phncdn.com/www-static/js/phub-nojquery.js$script -@@||phncdn.com/www-static/js/phub.$script -@@||phncdn.com/www-static/js/playlist-show.js$script -@@||phncdn.com/www-static/js/playlist/$script -@@||phncdn.com/www-static/js/pornstars-comment.js?$script -@@||phncdn.com/www-static/js/pornstars-photo.js?$script -@@||phncdn.com/www-static/js/pornstars-profile.js?$script -@@||phncdn.com/www-static/js/pornstars-upload.js?$script -@@||phncdn.com/www-static/js/pornstars-video.js?$script -@@||phncdn.com/www-static/js/pornstars.js?$script -@@||phncdn.com/www-static/js/premium/$script -@@||phncdn.com/www-static/js/profile/$script -@@||phncdn.com/www-static/js/promo-banner.js$script -@@||phncdn.com/www-static/js/quality-$script -@@||phncdn.com/www-static/js/recommended-taste.js$script -@@||phncdn.com/www-static/js/recommended.js$script -@@||phncdn.com/www-static/js/sceditor/sceditor.bbcode.js?$script -@@||phncdn.com/www-static/js/searchFilter.js$script -@@||phncdn.com/www-static/js/show_image.js?$script -@@||phncdn.com/www-static/js/signin.js$script -@@||phncdn.com/www-static/js/sitemap.js?$script -@@||phncdn.com/www-static/js/stream-community.js?$script -@@||phncdn.com/www-static/js/stream-notifications.js?$script -@@||phncdn.com/www-static/js/stream-subscriptions.js?$script -@@||phncdn.com/www-static/js/stream.js?$script -@@||phncdn.com/www-static/js/streamate-my-photos.js$script -@@||phncdn.com/www-static/js/streamate-view.js$script -@@||phncdn.com/www-static/js/streamate.js$script -@@||phncdn.com/www-static/js/suggest-$script -@@||phncdn.com/www-static/js/support-content.js?$script -@@||phncdn.com/www-static/js/support.js?$script -@@||phncdn.com/www-static/js/tag-$script -@@||phncdn.com/www-static/js/user-edit.js?$script -@@||phncdn.com/www-static/js/user-friend-requests.js?$script -@@||phncdn.com/www-static/js/user-prefs.js$script -@@||phncdn.com/www-static/js/user-share-item.js?$script -@@||phncdn.com/www-static/js/user-start.js?$script -@@||phncdn.com/www-static/js/user-stream-overview.js?$script -@@||phncdn.com/www-static/js/user-video-show.js?$script -@@||phncdn.com/www-static/js/verfication.js?$script -@@||phncdn.com/www-static/js/video-$script -@@||phncdn.com/www-static/js/vmobile/album.js$script -@@||phncdn.com/www-static/js/vmobile/application.js$script -@@||phncdn.com/www-static/js/vmobile/autocomplete-$script -@@||phncdn.com/www-static/js/vmobile/comments.js$script -@@||phncdn.com/www-static/js/vmobile/feed-comments.js$script -@@||phncdn.com/www-static/js/vmobile/footer.js$script -@@||phncdn.com/www-static/js/vmobile/head.js$script -@@||phncdn.com/www-static/js/vmobile/html5-canvas.js$script -@@||phncdn.com/www-static/js/vmobile/login.js$script -@@||phncdn.com/www-static/js/vmobile/notifications.js$script -@@||phncdn.com/www-static/js/vmobile/photo.js$script -@@||phncdn.com/www-static/js/vmobile/phub.js$script -@@||phncdn.com/www-static/js/vmobile/preHeadJs.$script -@@||phncdn.com/www-static/js/vmobile/profile.js$script -@@||phncdn.com/www-static/js/vmobile/show.js$script -@@||phncdn.com/www-static/js/vmobile/stream-$script -@@||phncdn.com/www-static/js/vmobile/stream.js$script -@@||phncdn.com/www-static/js/vmobile/utils.js$script -@@||phncdn.com/www-static/js/vmobile/video-search.js$script -@@||phncdn.com/www-static/js/vmobile/widget-$script -@@||phncdn.com/www-static/js/vr/lib/gl-matrix.js?$script -@@||phncdn.com/www-static/js/vr/normotion.js?$script -@@||phncdn.com/www-static/js/vr/vrplayer-noMin.js?$script -@@||phncdn.com/www-static/js/vr/vrplayer.js?$script -@@||phncdn.com/www-static/js/vtablet/$script -@@||phncdn.com/www-static/js/widgets-album-upper-info.js$script -@@||phncdn.com/www-static/js/widgets-category_listings.js$script -@@||phncdn.com/www-static/js/widgets-comments-simple.js$script -@@||phncdn.com/www-static/js/widgets-comments.js$script -@@||phncdn.com/www-static/js/widgets-community-info.js$script -@@||phncdn.com/www-static/js/widgets-leave-page.js$script -@@||phncdn.com/www-static/js/widgets-live-popup.js$script -@@||phncdn.com/www-static/js/widgets-player.js$script -@@||phncdn.com/www-static/js/widgets-pornstar.js$script -@@||phncdn.com/www-static/js/widgets-rating-bar.js$script -@@||phncdn.com/www-static/js/widgets-rating-like-fav.js$script -@@||phncdn.com/www-static/js/widgets-share-image.js$script -@@||phncdn.com/zeroclipboard-$script -@@||phncdn.com^$image,object-subrequest,other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||phncdn.com^*/html5Uploader/$script -@@||phncdn.com^*/streamate/client.js|$script -@@||phncdn.com^*/userfavorites.js$script -@@||phncdn.com^*/xp_bubble-$script -@@||phncdn.com^*/xp_bubble_$script -@@||phprcdn.com^$image,domain=pornhub.com -@@||platform.tumblr.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||platform.twitter.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||pornhub.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||pornhub.com/album/$xmlhttprequest -@@||pornhub.com/album_upload$xmlhttprequest -@@||pornhub.com/channel/$xmlhttprequest -@@||pornhub.com/chat/$xmlhttprequest -@@||pornhub.com/comment/$xmlhttprequest -@@||pornhub.com/community_ajax?$xmlhttprequest,domain=pornhub.com -@@||pornhub.com/event/awards_vote$xmlhttprequest -@@||pornhub.com/front/$xmlhttprequest -@@||pornhub.com/gif/$xmlhttprequest -@@||pornhub.com/insights/$image,xmlhttprequest -@@||pornhub.com/jobs/?wc-ajax=$xmlhttprequest,domain=pornhub.com -@@||pornhub.com/jobs/wp-content/$image,domain=pornhub.com -@@||pornhub.com/live/$xmlhttprequest -@@||pornhub.com/oauth2/authorize?$popup -@@||pornhub.com/playlist/$xmlhttprequest,domain=pornhub.com -@@||pornhub.com/playlist_json/$xmlhttprequest -@@||pornhub.com/pornstar/$xmlhttprequest -@@||pornhub.com/pornstars/$xmlhttprequest -@@||pornhub.com/premium/$xmlhttprequest -@@||pornhub.com/recommended/$xmlhttprequest -@@||pornhub.com/sex/wp-content/uploads/$image,domain=pornhub.com -@@||pornhub.com/stream/$xmlhttprequest -@@||pornhub.com/svvt/add?$xmlhttprequest -@@||pornhub.com/toys/?$xmlhttprequest,domain=pornhub.com -@@||pornhub.com/toys/wp-content/$image,script,xmlhttprequest,domain=pornhub.com -@@||pornhub.com/upload/$xmlhttprequest -@@||pornhub.com/uploading/$xmlhttprequest -@@||pornhub.com/user/$xmlhttprequest -@@||pornhub.com/users/$xmlhttprequest -@@||pornhub.com/video/$xmlhttprequest -@@||pornhub.com/videos/$media,object,object-subrequest,other -@@||pornhub.com/videouploading3/$xmlhttprequest -@@||pornhub.com/www-static/flash/gate.swf$object,object-subrequest,other -@@||pornhub.com/www-static/images/$image -@@||pornhub.com^*/emoticons/$image -@@||pornhubcommunity.com/cdn_files/images/$image -@@||pornhublive.com/blacklabel/bl.client.min.js|$script -@@||pornmd.com/resources/js/search_widget.js$script -@@||rdtcdn.com/www-static/cdn_files/$script,xmlhttprequest,domain=redtube.com|redtube.com.br -@@||rdtcdn.com^$image,media,other,domain=redtube.com|redtube.com.br -@@||rdtcdn.com^*/add-collection.js?$script -@@||rdtcdn.com^*/autocomplete.js?$script -@@||rdtcdn.com^*/community.js?$script -@@||rdtcdn.com^*/fileupload/$script -@@||rdtcdn.com^*/friends.js?$script -@@||rdtcdn.com^*/gallery.js?$script -@@||rdtcdn.com^*/home_page/home_page-$script -@@||rdtcdn.com^*/jquery/$script -@@||rdtcdn.com^*/js_assets/$script -@@||rdtcdn.com^*/lib.js?$script -@@||rdtcdn.com^*/lightbox-slideshow.js?$script -@@||rdtcdn.com^*/quality-selector-mobile.js?$script -@@||rdtcdn.com^*/redtube.js?$script -@@||rdtcdn.com^*/respond.js?$script -@@||rdtcdn.com^*/settings.js?$script -@@||rdtcdn.com^*/showLogin.js?$script -@@||rdtcdn.com^*/thumbchange.js?$script -@@||rdtcdn.com^*/uploadgallery.js?$script -@@||rdtcdn.com^*/video.js?$script -@@||redtube.com.br/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||redtube.com.br/images/$image,domain=redtube.com.br -@@||redtube.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||redtube.com/_thumbs/$image -@@||redtube.com/account_auto_complete?$xmlhttprequest -@@||redtube.com/addfavorite/$xmlhttprequest -@@||redtube.com/addfriend/$xmlhttprequest -@@||redtube.com/advancedsearch$xmlhttprequest -@@||redtube.com/ajax_register$xmlhttprequest -@@||redtube.com/authenticate/$xmlhttprequest -@@||redtube.com/bid/$subdocument -@@||redtube.com/blockuser/$xmlhttprequest -@@||redtube.com/comment/$xmlhttprequest -@@||redtube.com/comments/$xmlhttprequest -@@||redtube.com/embed/$xmlhttprequest -@@||redtube.com/gallery/$xmlhttprequest -@@||redtube.com/htmllogin?$subdocument -@@||redtube.com/htmllogin| -@@||redtube.com/images/$image,domain=redtube.com|redtube.com.br -@@||redtube.com/js/autocomplete.js?$script -@@||redtube.com/js/community.js?$script -@@||redtube.com/js/jquery/$script,xmlhttprequest -@@||redtube.com/js/lib.js?$script -@@||redtube.com/js/redtube.js?$script -@@||redtube.com/language-star-suggestion/$xmlhttprequest -@@||redtube.com/logout$xmlhttprequest -@@||redtube.com/media/avatars/$image -@@||redtube.com/message/$xmlhttprequest -@@||redtube.com/notificationcontractors|$xmlhttprequest -@@||redtube.com/notifications/$xmlhttprequest -@@||redtube.com/panel/$xmlhttprequest -@@||redtube.com/playlist/$xmlhttprequest -@@||redtube.com/playlist_json/$xmlhttprequest -@@||redtube.com/pornstar/$xmlhttprequest -@@||redtube.com/profile/$subdocument -@@||redtube.com/rate$xmlhttprequest -@@||redtube.com/recommended/$xmlhttprequest -@@||redtube.com/register$xmlhttprequest -@@||redtube.com/relatedvideos/$xmlhttprequest -@@||redtube.com/searchsuggest?$xmlhttprequest -@@||redtube.com/settings/$xmlhttprequest -@@||redtube.com/starsuggestion/$xmlhttprequest -@@||redtube.com/stream/$xmlhttprequest -@@||redtube.com/subscribe/$xmlhttprequest -@@||redtube.com/tags-stars$xmlhttprequest -@@||redtube.com/upload/$xmlhttprequest -@@||redtube.com/uploading/$xmlhttprequest -@@||redtube.com/user/$xmlhttprequest -@@||redtube.com/video/$xmlhttprequest -@@||redtube.com/videodetails/$xmlhttprequest -@@||redtube.com/videouploader/$xmlhttprequest -@@||redtube.com/videoview/$xmlhttprequest -@@||redtube.com/watched/$xmlhttprequest -@@||redtube.com^*/media/videos/$image -@@||redtubefiles.com^$image,media,object-subrequest,other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||rncdn3.com^$media,object-subrequest,other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||s.ytimg.com/yts/jsbin/*/www-widgetapi.js$domain=pornhub.com -@@||s7.addthis.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||services.pornhub.com^$~third-party,xmlhttprequest -@@||t8cdn.com/js/modernizr-flex-min.js$script,domain=tube8.com|tube8.es|tube8.fr -@@||t8cdn.com^$image,media,domain=tube8.com|tube8.es|tube8.fr -@@||t8cdn.com^*/html5Uploader/$script,domain=tube8.com|tube8.es|tube8.fr -@@||thumbs-cdn.redtube.com^$image,domain=redtube.com|redtube.com.br -@@||tube8.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||tube8.com/ajax-$xmlhttprequest -@@||tube8.com/ajax/$xmlhttprequest -@@||tube8.com/ajax2/$xmlhttprequest -@@||tube8.com/embed/$subdocument,~third-party -@@||tube8.com/favicon.ico -@@||tube8.com/images/$image -@@||tube8.com/videoplayer/$xmlhttprequest,domain=tube8.com -@@||tube8.es/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||tube8.fr/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||upload.pornhub.com/temp/images/$image,~third-party -@@||upload.tube8.com^$script,xmlhttprequest -@@||uvcdn.com^$image,script,domain=pornhub.com|redtube.com|tube8.com|youporn.com -@@||widget.uservoice.com^$script,domain=pornhub.com|redtube.com|tube8.com|youporn.com -@@||youporn.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||youporn.com/ajax/$xmlhttprequest -@@||youporn.com/api/videos/related/$xmlhttprequest -@@||youporn.com/beingwatchedrightnow.php$xmlhttprequest -@@||youporn.com/bundles/$image,~third-party -@@||youporn.com/change/$xmlhttprequest -@@||youporn.com/esi_home/$xmlhttprequest -@@||youporn.com/mycollections.json$xmlhttprequest -@@||youporn.com/notifications/$xmlhttprequest -@@||youporn.com/recommendedtoyou.php -@@||youporn.com/search/autocomplete/$xmlhttprequest -@@||youporn.com/searchapi/$xmlhttprequest -@@||youporn.com/subscriptions/$xmlhttprequest -@@||youporn.com/watch/$xmlhttprequest -@@||youporn.com/watch_postroll/$xmlhttprequest -@@||youporngay.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||youporngay.com/api/videos/related/$xmlhttprequest -@@||youporngay.com/beingwatchedrightnow.php$xmlhttprequest -@@||youporngay.com/bundles/$image,~third-party -@@||youporngay.com/elements/$xmlhttprequest -@@||youporngay.com/recommendedtoyou.php$xmlhttprequest -@@||youporngay.com/search/autocomplete/$xmlhttprequest -@@||ypncdn.com/cb/assets/js/$script,domain=youporn.com|youporngay.com|youpornru.com -@@||ypncdn.com^$image,media,other,domain=redtube.com|redtube.com.br|youporn.com|youporngay.com|youpornru.com +@@||spankbang.com^*/prebid-ads.js$domain=spankbang.com ! Anti-Adblock -@@.jpg#$domain=hellojav.com|hentaienespañol.net|palaotog.net -@@.png#$domain=indiangilma.com|javcen.me|javpub.me|lfporn.com|pornbraze.com|thisav.com|you-fap.com|youfreeporntube.com|youngmodelsclub.net -@@||209.58.131.22^*/advertisement.js -@@||25643e662a2.com/ad*.js -@@||ad.thisav.com/player/swfobject.js -@@||ad8k.com^$script,domain=urlgalleries.net|xxxstreams.eu -@@||ads.exoclick.com^$script,domain=8muses.com|imagefap.com -@@||adultadworld.com/adhandler/$subdocument -@@||bemywife.cc^$script,~third-party,domain=bemywife.cc -@@||cntrafficpro.com/scripts/advertisement.js -@@||crazyshit.com^$generichide -@@||desihoes.com/advertisement.js -@@||easylist.club/adconfig.js$script -@@||easylist.club/popunder2.js$script -@@||ero-advertising.com/banads/$subdocument,domain=palimas.com -@@||exoclick.com/ad_track.js -@@||exoclick.com/invideo.js -@@||exoclick.com/splash.php$script,domain=gaybeeg.info -@@||freeomovie.com^$generichide -@@||fuckme.me^$generichide -@@||fuqer.com^*/advertisement.js -@@||fux.com/assets/ads-$script -@@||gaybeeg.info/wp-content/plugins/blockalyzer-adblock-counter/$image,domain=gaybeeg.info @@||gaybeeg.info^$generichide -@@||google.com/ads/$domain=hinduladies.com -@@||hclips.com/js/advertising.js -@@||hellojav.com^$generichide -@@||hentaienespañol.net^$generichide -@@||hentaimoe.com/js/advertisement.js -@@||imagefap.com^$generichide -@@||imgadult.com/js/advertisement.js -@@||indiangilma.com^$generichide -@@||jadult.net^$generichide -@@||jamo.tv^$script,domain=jamo.tv -@@||jav4.me^$script,domain=jav4.me -@@||javcen.me^$generichide -@@||javfee.com^$script,domain=javfee.com -@@||javfor.me/ads-1.html$subdocument,domain=jav4.me -@@||javhub.net^$generichide -@@||javhub.net^$script,~third-party -@@||javpee.com/eroex.js -@@||javpub.me^$generichide -@@||jkhentai.tv^$script,domain=jkhentai.tv -@@||jporn4u.com/js/ads.js -@@||juicyads.com/jac.js$domain=jav4.me -@@||lfporn.com^$generichide @@||milfzr.com^$generichide -@@||mongoporn.com^*/adframe/$subdocument -@@||n4mo.org/advertisement.js -@@||n4mo.org/wp-content/*/ads/ -@@||n4mo.org^$generichide -@@||noracam.com/js/ads.js -@@||notonlyporn.net^$script,~third-party -@@||ooporn.com/ads.js -@@||palimas.com^$generichide -@@||phncdn.com/js/advertisement.js -@@||phncdn.com/v2/js/adblockdetect.js$domain=keezmovies.com -@@||phncdn.com^*/ads.js -@@||popads.net/pop.js$domain=jav4.me -@@||pornbraze.com^$generichide -@@||porndoo.com/showads.js -@@||pornfun.com/js/ads.js -@@||pornomovies.com/js/1/ads-1.js$domain=submityourflicks.com -@@||pornscum.com^$generichide -@@||pornve.com^$generichide -@@||pornve.com^$script -@@||pornxs.com/js/ads/ads.js$script -@@||puhtml.com^*.js$domain=jav4.me @@||rule34hentai.net^$generichide -@@||sexvidx.tv/js/eroex.js -@@||sexwebvideo.com/js/ads.js -@@||submityourflicks.com/player/player-ads.swf$object -@@||syndication.exoclick.com/ads.php?type=728x90&$script,domain=dirtstyle.tv -@@||t8cdn.com/assets/pc/js/$script,domain=tube8.com|tube8.es|tube8.fr -@@||t8cdn.com/assets_dev/js/algolia/$script,domain=tube8.com|tube8.es|tube8.fr -@@||tmoncdn.com/scripts/advertisement.js$domain=tubemonsoon.com -@@||trafficshop.com/show.php$script,domain=palimas.com -@@||trafficshop.com/show_std_auction.php$script,domain=palimas.com -@@||tube8.com/js/advertisement.js @@||urlgalleries.net^$generichide -@@||voyeurperversion.com/inc/showads.js -@@||watchingmysistergoblack.com/pop.js -@@||x18.eu/ads/$~third-party,xmlhttprequest -@@||xhcdn.com^*/ads.js$domain=xhamster.com -@@||xibitnet.com/check/advertisement.js -@@||xibitnet.com/check/advertisements.js -@@||xonline.tv^$generichide -@@||xxxstreams.eu^$generichide -@@||youfreeporntube.com^$generichide -@@||youngmodelsclub.net^$generichide -! Non-English -@@||ads.b10f.jp/flv/$~third-party -! *** easylist:easylist_adult/adult_whitelist_popup.txt *** -@@&utm_medium=traffic_trade&utm_campaign=pornhub_trade_search_box$popup,domain=pornhub.com -@@||as.sexad.net^*?p=*&v=$popup,domain=extremetube.com|keezmovies.com|pornhub.com|redtube.com|spankwire.com|tube8.com|tube8.es|tube8.fr -@@||blogger.com^$popup,domain=pornhub.com -@@||contentabc.com/ads?spot_id=$popup,domain=tube8.com|tube8.es|tube8.fr -@@||download.pornhub.phncdn.com/videos/$popup,domain=pornhub.com -@@||extremetubefreehd.com^*.Extreme_HeaderTab&$popup,domain=extremetube.com -@@||extremetubemate.com/?AFNO=$popup,domain=extremetube.com -@@||gelbooru.com^$popup,~third-party -@@||imagebam.com/image/$popup -@@||pornhublive.com/?AFNO=$popup,domain=pornhub.com -@@||rdtcdn.com/media/videos$media,popup,domain=redtube.com -@@||reddit.com^$popup,domain=pornhub.com -@@||redtubelive.com/?AFNO=$popup,domain=redtube.com -@@||redtubeplatinum.com/signup/signup.php$popup,domain=redtube.com -@@||redtubeplatinum.com/track/*/join?$popup,domain=redtube.com -@@||rncdn3.com/videos/$popup,domain=pornhub.com -@@||securejoinsite.com/loader.php?*_HeaderTab&$popup,domain=extremetube.com|spankwire.com -@@||spankwirecams.com/?AFNO=$popup,domain=spankwire.com -@@||spankwirefreehd.com^*.Spankwire_HeaderTab&$popup,domain=spankwire.com -@@||stumbleupon.com^$popup,domain=pornhub.com -@@||supportchat.contentabc.com^$popup,domain=brazzerssupport.com -@@||t8premium.com/signup/signup.php?$popup,domain=tube8.com|tube8.es|tube8.fr -@@||t8premium.com/track/*/join?$popup,domain=tube8.com|tube8.es|tube8.fr -@@||tube8live.com/?AFNO=$popup,domain=tube8.com|tube8.es|tube8.fr -@@||tumblr.com^$popup,domain=pornhub.com -@@||twitter.com^$popup,domain=pornhub.com -@@||wmtrafficentry.com/cgi-bin/ewm.cgi/*_HeaderTab?$popup,domain=extremetube.com|spankwire.com +@@||xfreehd.com^$generichide +! *** easylist:easylist_adult/adult_allowlist_popup.txt *** diff --git a/data/easylist.to/easylist/easyprivacy.txt b/data/easylist.to/easylist/easyprivacy.txt index 513d8d8f..82c3879f 100644 --- a/data/easylist.to/easylist/easyprivacy.txt +++ b/data/easylist.to/easylist/easyprivacy.txt @@ -1,1005 +1,526 @@ [Adblock Plus 1.1] -! Version: 201906281109 +! Version: 202501241003 ! Title: EasyPrivacy -! Last modified: 28 Jun 2019 11:09 UTC +! Last modified: 24 Jan 2025 10:03 UTC ! Expires: 4 days (update frequency) -! Homepage: https://easylist.to/ -! Licence: https://easylist.to/pages/licence.html +! *** easylist:template_header.txt *** ! -! Please report any unblocked tracking or problems +! Please report any unblocked adverts or problems ! in the forums (https://forums.lanik.us/) -! or via e-mail (easylist.subscription@gmail.com). +! or via e-mail (easylist@protonmail.com). +! +! Homepage: https://easylist.to/ +! Licence: https://easylist.to/pages/licence.html +! GitHub issues: https://github.com/easylist/easylist/issues +! GitHub pull requests: https://github.com/easylist/easylist/pulls ! ! -----------------General tracking systems-----------------! ! *** easylist:easyprivacy/easyprivacy_general.txt *** &action=js_stats& -&action=js_stats_ -&callback=hitStats_ -&ctxId=*&pubId=*&clientDT= -&ctxId=*&pubId=*&objId= -&event=view& -&funnel_state= -&http_referer=$script,xmlhttprequest -&pageReferrer= -&ref=*&tag= +&ev=PageView& +&EventType=DataDealImpression& +&EventType=Impression& +&hitType=pageview& +&http_referer=$script,xmlhttprequest,domain=~biletomat.pl|~facebook.com|~jobscore.com &refer=http$script -&refererPageDetail= -&trackingserver= --action/fingerprint? --action/ping? --ad-targeting? --ads-tracking- --AdTracking. --analitycs//fab. --analitycs//ga. --analitycs//metrica. --analitycs/fab. --analitycs/ga. --analitycs/metrica. --analytics-state? --analytics-tagserver- --analytics-wi. --analytics/analytics. --analytics/insight. --appanalytics- --asset-tag. --audience-science-pixel/ --baynote. --bluekai. --boomerang_ --ClickTale. --comscore. --conversion-tracking- --criteo. --datacollection. --dspcookiematching. --dtaectolog- --event-tracking. --ga-track. --ga-tracker. --gatracker. +&t=pageview& +-adobe-analytics/ +-adobeDatalayer_bridge.js +-click-tracker. +-didomi.js -geoIP.js --google-analytics- --google-analytics. --google-analytics/ --google-tag-manager/$script --imppix/ --javascript_xiti_ --kameleoon.js --kameleoon.min.js --krux-tag/ --log?referUrl= --logging/log? --lp-tracking. --mastertag. --mediaplex_ --optimost- --page-analytics. --pixel.*?uuid= --pixelfront-analytics. --rttracking. --sa-tracker- --sc-analytics. +-inview-tracker. -scroll-tracker.js --seo-tracker. --social-tracking. --stat/collect/ --stat?callback= --stats/fab. --stats/ga. --stats/imr. --stats/metrica. --track-ati. --tracker-geoip. +-track-inview. -tracking-pixel. --tracking.gtm. --tracking.js? --tracking/ga- --tracking?referrer= --trackingScript. -universal-analytics/ --v1/tracking/ --xtcore.js -.AdmPixelsCacheController? -.analysis.pv. -.analytics.min. -.asis?Log= -.asp?t=*&c=$image -.aspx?trackid= -.au/c.gif? -.au/t.ashx? -.be/uts/ .beacon.min.js -.bmp?*&referrer= -.cc/s.gif? -.cdn-tracking.js -.click/track? -.cn/0.gif? -.cn/1.gif? -.cn/2.gif? -.cn/a.gif? -.cn/b.gif? -.cn/jc.gif? -.cn/pv.gif? -.cn/r.gif? -.cn/s.gif? -.cn/sl.gif? -.cn/z.gif? -.co/e.gif? -.com.au/HG?hc= -.com.com/redir?timestamp -.com/0.gif? -.com/1.gif? -.com/2.gif? -.com/3.gif? -.com/?epl=$image,script -.com/?livehit .com/_.gif? -.com/__kl.gif? -.com/a.gif? -.com/analytics.js?_t=$script,third-party -.com/analytics? -.com/b.gif? -.com/blank.aspx? -.com/c.gif? .com/clk? -.com/cm?ci= -.com/cm?tid +.com/count? .com/counter? .com/dc.gif? -.com/e.gif? -.com/f.gif? .com/g.gif? -.com/ga-*.js -.com/ga.js; -.com/ga.js? -.com/geo_ip -.com/HG? -.com/hitlog? -.com/i.gif? -.com/js/ga-*.js -.com/js/ga.js .com/log/? -.com/log?event -.com/log?srvc -.com/log?type -.com/mm.gif? -.com/o.gif? -.com/p.gif? -.com/pagelogger/ -.com/pv.gif? -.com/pvlog? -.com/px.js? -.com/r.gif? -.com/s.gif? -.com/s/at?site -.com/ss/*sessionId= -.com/stats.ashx? .com/stats.aspx? -.com/tp.php? -.com/track?$~object -.com/tracker.jsp -.com/tracking? -.com/traffic/?t=*&cb= -.com/u.gif? -.com/v.gif? -.com/vanity/? -.com/vtrack| -.com/w.gif? -.com/www.gif? -.com/x.gif? -.com/x0.gif? -.com/z.gif? -.composeTrack.htm -.core.tracking-min- -.de/e.gif? -.de/h.gif? +.com/track?v= +.content_tracking.js .de/l.gif? -.de/o.gif? -.do_tracking& -.drive-analytics. .eloqua.js -.emsecure.min.js .EventTracking. -.EventTrackingPlugins. -.fr/z.gif? -.gatracker. .gatracking.js -.gif?*&url=*&banners= -.gif?ad= -.gif?event= -.gif?hit_ -.gif?Log=$~xmlhttprequest -.gif?page_refer_ -.gif?pixels= -.gif?pixelToken= -.gif?ref=*&ev= -.gif?ref=*&url= -.gif?track_ -.gif?uri= -.Google.Tracker.js -.googleanalytics.js -.GoogleAnalytics/ -.gov/stat? -.htm?imprId= -.html?wpl= -.idge/js/analytics/ -.iframetracker/ -.in/c.gif? -.io/0.gif? -.io/track? -.io/w.gif? -.it/s.gif? +.gif?Log= .jp/pv? -.js?referer= -.jsp/?Log= -.lms-analytics/ -.me/geoip/ -.me/l.gif? -.net/0.gif? -.net/c.gif? -.net/e.gif? -.net/HG?hc=&hb= -.net/i.gif? +.jp/static/js/track.js .net/l.gif? -.net/p.gif? -.net/ping.php? -.net/px.js? -.net/s.gif? -.net/trck/ -.net/vtrack| -.net/z.gif? -.ntpagetag. -.org/?js| -.org/js/ga- -.ovh/presbyters.js -.PageHitServlet? -.pageVisitCounter_ +.no/app/aas/a .php?action=browse& .php?action_name= .php?logRefer= .php?logType= +.php?notrack= .php?p=stats& .php?ping= -.php?refcode= -.php?self= +.php?stats= .php?tracking= -.pixel?*&event_ -.pixel?record_ -.PixelNedstatStatistic/ -.pl?trans.gif&ref= -.png?cpn= -.pt/n.gif? -.ro/c.gif? -.ru/0.gif? .sharecounter.$third-party -.sitecatalyst.js -.siteclarity. -.sitetracking. .skimlinks.js -.snowplowanalytics.$domain=~snowplowanalytics.com -.social_tracking. -.statData-eup. .stats?action= -.to/vtrack| -.track.actions.get? -.track_Visit? -.trackArticleAction& -.tracking.js?dpv= -.trackUserAction& -.trafficTracking. -.tstracker. -.tv/log?event -.tv/t.png? -.uk/o.gif? -.uk/pv? -.uk/track? -.uk/traffic/? -.usertracking_script.js +.svc/?tracking_id= .v4.analytics. -.vn/0.gif? -.vsTracking. -.webmetrics.js -.webstats. -.wxAdTargeting. -/!crd_prm!. -//feedproxy.*/~r/*$image -/0.png?ver= +/.webscale/rum? +/.well-known/shopify/monorail +/0.gif? +/0c.gif? /0pixel.php? -/1.gif?n= +/1.gif? +/1pixel.php /1px.gif? /1px.php? -/1x1.a? -/1x1.dyn? /1x1.gif? /1x1.png? -/1x1_akamai.gif -/1x1_imp.gif? -/1x1p.gif? -/1x1tracker. -/247px.js +/2.gif? +/24h-analytics. /2x2.gif?$image -/3rd-party-stats/* -/4399stat.js +/3.gif? /500b-bench.jpg? -/?&cs=*&pid=*&tid= -/?&pid=*&subid=$image -/?&subid=*&pid=$image -/?com=visit*=record& -/?dm=*&blogid=$script,domain=~wordpress.org +/?dm=*&blogid=$script /?essb_counter_ /?livehit= -/?mob.ct= +/?log=experiment& +/?log=performance- /?record&key= -/__analytics/* -/__dam.gif? +/?sentry_key= +/?sentry_version= +/?swift-performance-tracking +/_/api/v2/analytics/? +/_/lite/performance/* +/__imp_apg__/* +/__rmn.gif? /__ssobj/core.js +/__ssobj/rum? /__ssobj/sync?$image /__sttm.gif? -/__tm3k.gif? /__ub.gif? /__utm.gif /__utm.js -/__varnish_geoip /__wsm.gif -/_bm/abd- -/_bm/bd- -/_dts.gif? +/_blazor/*$ping +/_ga?send& +/_ga?sponsor_pixel= +/_gz/counter.php? +/_hcms/perf +/_i?type=event& /_lib/ga.js /_owa.gif? /_sess/script.js -/_t.gif?*&u= -/_t.gif?url= -/_topic_stats? +/_stat/log/* +/_stat/log_ /_tracking/* -/A-LogAnalyzer/* -/a-stat. -/a.gif?uuid -/a.logrequest.yolx? -/a.php?ref= -/a/analytics/* -/aa.php?anuid= -/ablank.gif? -/abp-analytics. -/abp.gif? -/abppx-*.gif? -/aby.gif? -/ac.fcgi? -/acbeacon2. -/accAnal.js -/AccessCounter/* -/accesslog? +/_vercel/insights/script.js +/_vercel/speed-insights/script.js +/_visitcount? +/a.gif? +/a/performance_timing/* +/a8c-analytics.js +/aap/stats +/abc.gif? +/access.php?referrer= +/accessanalyzer/tracker? +/AccessCounter/index.cgi? /accesstracking/* -/AccessTrackingLogServlet? -/accip_script.js /acclog.cgi? -/account-stats/* -/ace.*/?cookie +/acctag.js /acecounter/* /acecounter_ -/acfp.js /acounter.php? -/act_pagetrack. -/activetrackphp.php? -/activities/logger/* -/activity-track/? +/action/analytics /activity.gif? -/activity_log. -/activityloggingapi/* -/acv?camp= -/acv?extcmp= -/acv?utm_ -/ad-blocker-stats. -/ad-iptracer. -/ad/no_cookie? /AD/PageHits. -/ad/statistic -/ad_1_trans. -/ad_imp. -/adam.js -/AdAppSettings/* -/adb/track.php? /adb1.gif? -/adb_iub.js -/AdBlockDetection/scriptForGA. -/AdCookies.js -/AdCount/* /add_page_view? -/add_stats -/add_utm_links. /addEvent?action= -/additional.php?res_width=$script /addLinker.js -/addLinkerEvents-ga. -/addLinkerEvents-std. +/addLinkerEvents-ga.js +/addLinkerEvents-std.js /addLinkerEvents.js /addlog/? -/addlogdetails. -/addon/analytics/* /addpageview/* -/addrtlog/* /adds/counter.js -/addstats?callback= -/addTrackingScripts. -/adform-tracking. -/adframestats| -/adimp? -/adimppixel/* -/adinfo? -/adinteraction/* -/adlog. -/adlogger. -/adlogger_ -/adloggertracker. -/adlogue/* +/adf-tm-base-min.js +/adlogger.php +/adlogger_tracker.php /adm_tracking.js -/admantx- -/admantx. -/admantx/* -/admonitoring. -/admp- -/adobe-analytics. -/adobe-analytics/* +/adobe-analytics-$domain=~business.adobe.com +/adobe-analytics.js +/adobe-analytics2.js +/adobe-prd/* +/adobe.visitor- +/adobe/app-measurement. /adobe/AppMeasurement- -/adobe/VideoHeartbeat- -/AdobeAnalyticsSDK. -/AdobeCustomVideoMeasurement.swf -/adonis_event/* -/adpixel. -/adplogger/* -/adpv/* -/adpv2/* -/adrum- -/adrum. -/adrum_ -/ads/counter. -/ads/track. -/ads/track/* -/ads?cookie_ -/ads_tracker. -/ads_tracking. +/adobe/logging/* +/adobe/target/* +/adobe/VideoHeartbeat. +/adobe/visitor- +/adobe/VisitorAPI- +/adobeanalytics.js +/adobeAnalytics/* +/adobeanalyticsandtargetoverwrites.min. /adsct? -/adstat. -/adstats. -/adstrack. -/adtctr. -/adtrk/* -/adv/tracking. -/adviewtrack. -/advstats/* -/adwords-conversion-tracking. -/adwords-tracker. -/adx/*.gifx? -/adx_remote. -/aegis_tracking. +/adstat.js +/adstats.php +/adstrack.js +/adtracking.asmx +/adtrk/tr.gif +/advstats.js /aff_i?offer_id= /aff_land?referrer -/affil/tracker/* -/affiliate-track. -/affiliate-tracker. -/affiliate.1800flowers. -/affiliate.track? -/affiliate/track? -/AffiliateClick. -/affiliateTracking. -/affiliatetracking/* -/affilinetRetargeting. -/AffinoAudit/* -/affl.cgi? -/affs?affid=$script -/afftrack. -/afftracking. -/aflog.gif? -/afrpt.gif? -/aftrack. -/aftrackingplugin.swf +/affiliate-tracker.js +/affiliate:link_visit? +/affiliatetracking.js +/aftrack.asp /aggbug.aspx? -/agof/iam- -/agwebtracking_ -/aicon_track. -/aimp.php? -/AIT_Analytics. -/ajax-hits-counter/* +/ahoy/events +/ahoy/visits +/AIT_Analytics.js +/ajax-hits-counter/increment-hits/index.php +/ajax-link-tracker.js /ajax-track-page-view/* -/ajax-track-view. /ajax/analytics/* -/ajax/heatmap- /ajax/log? -/ajax/optimizely- /ajax/stat/* -/ajax/track.php? -/ajax_store_analytics? /ajax_video_counter.php? -/ajaxClicktrack. -/ajaxInit.gif? -/ajaxlog.txt? /ajaxlog? -/ajaxLogger_tracking_ -/ajaxservice.svc/registersession?session_id= -/ajaxstat/* -/ajaxtracker. -/ajx/ptrack/* /akam/*/pixel_ /akam/10/* -/akamai/pixy.gif -/akamai_analytics_ -/AkamaiAnalytics. -/AkamaiMediaAnalytics. -/AkamaiTrackingPixel. -/alexa.aspx?site= -/alllinksclicktracker.js +/akam/11/* +/akam/13/* /alog.min.js -/alog/dp. -/altpracenje.js -/altpwk.js -/alvenda_remarketing_ -/amazon-affiliate- -/amdhfp/a.do?param$image -/amdhfp/t.do?id$image +/amazon_linker.min.js +/amp-access/cta/* +/amp-access/cta? +/amp-access/ping? +/amp-access/set/* +/amp-access/set? /amp-analytics- /amp-analytics/* -/amp-geo- -/amp-omniture-iframe? +/amp-call-tracking- +/amp-skimlinks- +/amp-story-auto-analytics- +/amp-tealium? /amp.gif? -/amp_ping/* -/amplitude-*.js$script -/ampmetrics. -/amptrack. -/amunglite. -/analiz.php3? -/AnalTrack.js -/analys/dep/* +/amp/?rid= +/amp/analytics +/amp/log.json +/amp/pingback? +/amp_pingback/* /analyse.js /analysis-logger/* -/analysis/ga_ -/analysis/gtm_ -/analytic/count. -/analytic?publisher -/analytic_data_ -/analyticReporting. -/analyticReportingAS3.$domain=~miniclip.com -/analytics-assets/* -/analytics-beacon- -/analytics-cdn. -/analytics-corp.js +/analysisTag.js +/analytic/pageview +/analytics-amplitude- +/analytics-async-loader.js +/analytics-client-identification/* +/analytics-collector +/analytics-data-collector.js +/analytics-data-collector.min.js /analytics-dotcom/* /analytics-efukt. -/analytics-event- -/analytics-event. -/analytics-gcp. +/analytics-event-adapter.bundle.min.js +/analytics-event-adapter.js +/analytics-event.js +/analytics-events- +/analytics-facade. +/analytics-gjc-min.js +/analytics-helper.js +/analytics-hit? +/analytics-ingestion/* /analytics-ingress- -/analytics-js. /analytics-js/* -/analytics-ping. -/analytics-plugin/* -/analytics-post- -/analytics-savebt? -/analytics-social. -/analytics-tag. -/analytics-v1. +/analytics-library.js +/analytics-minimal-v4.js +/analytics-minimal.js +/analytics-ping.js +/analytics-prod.js +/analytics-reporter/* +/analytics-sdk. +/analytics-secure.js +/analytics-tracker/* +/analytics-tracking.js +/analytics.*/event? /analytics.*/ping/? -/analytics.ad. -/analytics.ashx -/analytics.asmx -/Analytics.aspx? +/analytics.*/track +/analytics.analytics/analytics.min.js /analytics.bundled.js -/analytics.compressed.js /analytics.config.js /analytics.do /analytics.gif? -/analytics.google.js -/analytics.html? -/analytics.init.js /analytics.js/v1/* -/analytics.json? -/analytics.min. -/analytics.php. -/analytics.php? -/analytics.swf? +/analytics.plausible.js +/analytics.prod.$domain=~fifteen.eu +/analytics.sitecatalyst.js /analytics.v1.js -/analytics/*.gif?t= -/analytics/*satellitelib.js -/analytics/?*&url= -/analytics/?event -/analytics/activity. -/analytics/analytics.$~xmlhttprequest +/analytics/?event= +/analytics/abtest/* +/analytics/adtags? +/analytics/amp/* +/analytics/analytics.js +/analytics/analytics.min.js /analytics/beacons/* -/analytics/call- -/analytics/cms/* -/analytics/collect_ -/analytics/collector. -/analytics/collector/* -/analytics/content? -/analytics/core. -/analytics/dealerfire/* -/analytics/dfa. -/analytics/dist/* -/analytics/eloqua/* -/analytics/engine/* -/analytics/event -/analytics/ga. -/analytics/ga/* -/analytics/ga? -/Analytics/Google. -/analytics/google/* -/analytics/gw. -/analytics/hit -/analytics/hmac- -/analytics/idg_ -/analytics/js$script -/analytics/klaviyo_ -/analytics/liferay- -/analytics/logging -/analytics/mbox.js -/analytics/mouse_ -/analytics/newrelic_ -/analytics/p.gif? -/analytics/page/* +/analytics/call-tracking.js +/analytics/capture/* +/analytics/click? +/analytics/collect? +/analytics/comscore.js +/analytics/dist/analytics.min.js +/analytics/embed/* +/analytics/event$domain=~app.diagrams.net +/analytics/ga.js +/analytics/google.js +/analytics/layer +/analytics/metric/* +/analytics/pagestats /analytics/pageview -/Analytics/Pdp/* -/analytics/ping^ -/analytics/pv.gif? -/analytics/report/* -/analytics/smarttag- -/analytics/socialTracking.js -/analytics/sockjs. -/analytics/tagx- -/analytics/tealium- -/analytics/timeme. -/analytics/tms_ -/analytics/tools_ -/analytics/track- -/analytics/track. -/analytics/track/* -/analytics/track? -/analytics/tracker. +/analytics/searches? +/analytics/track_event/* +/analytics/tracker.js /analytics/trackers? -/Analytics/Tracking. -/analytics/tracking/* -/analytics/track| -/Analytics/UniqueEndUser? -/analytics/urlTracker. -/analytics/v1/*$domain=~my.leadpages.net -/analytics/video_$domain=~twitch.tv -/analytics/visit/* -/Analytics/Visitor. -/analytics/web/* -/analytics/yell- -/analytics3. -/analytics?body= +/analytics/visit.jsp +/analytics/visit.php +/analytics/visit? /analytics?http_referer /analytics?token= -/analytics?url= -/analytics_embed. -/analytics_frame. -/analytics_functions. -/analytics_id. -/analytics_js/* -/analytics_ping. -/analytics_prod. -/analytics_tag. -/analytics_tracker +/analytics_cookie.js +/analytics_events.js +/analytics_js/client.js +/analytics_prod.js +/analytics_tag.js +/analytics_tracker.js /analytics_v2.js -/AnalyticsEvent. -/analyticsfeed.ashx? -/analyticsid. -/analyticsjs. -/analyticsjs/* -/analyticsmediator. -/AnalyticsOnDemand/* -/analyticsscript_ -/analyticstick. -/analyticstrack. -/analyticstracking. -/analyticstracking? -/analyticstracking_ -/analyticstrain- -/analyticsUnitaire? -/analyticsUrlToDataMappings. -/analyze.js^ -/analyzer.gif? -/analyzer2. -/anametrix.js -/anametrix/* -/anametrix_tag.js -/anapixel. -/ancAdTrack.js -/angular-tag. -/angular-tag_ -/angularlytics. -/angularytics. -/angularytics/* -/any/*.gif? -/anycent_tracker_ +/analytics_wbc.min.js +/analytics_www.js +/AnalyticsDataLayer.min. +/AnalyticsEvent.js +/analyticsFooter.js +/analyticsjs.js +/analyticsscript.ashx +/analyticstrack.js +/analyticstracking.js +/anametrix/cas.js +/anclytic-ajax.html +/anclytic.htm +/angular-tag.js +/anonymous_user_guid.gif? +/apc/trans.gif? /api-analytics. +/api-insights/log? /api/0/stats -/api/analytics/* -/api/log? -/api/lt/ref? +/api/adplogger/* +/api/async.php?t=user&m=pagehits& +/api/bfb_write_log +/api/click/*?c= +/api/cmp_tracker| +/api/drpStats +/api/event-rfkj/* +/api/front/v2/observability$ping +/api/internal/pixel? +/api/ipv4check? +/api/log-visit +/api/metrics/collect +/api/metrics/event +/api/pageactivity /api/pageview? -/api/ping/* +/api/pagevisits +/api/ping?$~xmlhttprequest /api/pixel? +/api/reqAnalytic/* /api/stat? -/api/tracking/* +/api/track?guid +/api/trk? +/api/v1/EndpointTracker +/api/v1/firehose?_ /api/v1/metrics +/api/v1/reportData/* /api/v1/stat? -/api/x.gif? +/api/v1/streamtelemetry +/api/v2/collector +/api/v3/getPageVisits +/api/v3/trackSegmentEvent +/api/video/stats/*$xmlhttprequest +/api_adlog.php? +/api_ip_info.php /apilog? -/apis/cpt.php? -/apitracking. -/apixel? +/apmrum.min.js /app-measurement? -/app/tracking/* -/app/tracking_ -/appendOmnitureTracking. -/appier-track- +/app.php/ads/* +/appdynamics/adrum- +/appGoogleTagManager- +/appinsightor.min.js +/AppMeasurement.js +/AppMeasurement.min.js /AppMeasurement2.js -/apTracker. -/apw.js -/aqtag. +/AppMeasurement_Module_ActivityMap.min.js +/AppMeasurementCustom.min.js +/aptrk.js /ard.png? -/argtk.min. /aria-web-telemetry- -/arms-datacollectorjs/* -/arstat? /art/stats/* -/article-analytics. -/article-tracking.js +/article/count? /Article/ViewCount/* /article_counter.php? /article_hit.php? -/ArticleCounterLogger. -/ArticleLog.aspx? -/ArticleViewTracking/* -/asdf/tracking- -/asknet_tracking. -/aslog.php? -/aspenanalytics. -/aspstats/index.asp? -/assets/analytics: -/assets/tracking- -/assets/uts/* -/assign.gif? -/AssyncCSStats.aspx +/articleOmnitureTracking.js +/ASPixel.js +/assets-cdonAnalytics.js +/assets/beacons.js +/assets/performance_timing- +/assets/smarttag-$script /astrack.js -/astracker. -/astracker/* -/asyncggtracking. +/astracker.js +/astracker/ast.php +/at-composer.js /at.gif? /atapixel.js /atatus.js -/athena.gif? -/athenastgbeacon. -/atlas_track. /atrk.gif? /atrk.js -/ats/lib/* -/atslib. +/attpro/a? /audience-extraction.js -/audience-meter. -/audience-science. /audience.gif? /audience.min.js -/audience_science- -/audience_science. -/audience_science_ -/audienceScience. -/audiweb.js -/audsci.js -/autotag. +/audienceScience.js /autotrack.carbon.js +/autotrack.custom.js +/autotrack.custom.min.js /autotrack.js +/autotrack.min.js /AutoTracker.js -/aux/collect? -/avant_sfpc_ -/avantlink/*$third-party -/avmws_*.js -/avtstats. -/aw-tracker. -/awAnalytics. -/awe/ccs. -/awesc.php? -/aws-analytics.js +/awin?awc=$image +/awp.log +/awpx_click.js +/awpys.log /awstats.js /awstats_misc_tracker -/aztrack. -/aztracker. +/azion-pulse.js +/aztracker.js +/b.banners.impress. +/b.gif? +/b.rnc? +/b/s/beacon /b/ss/*&aqe= -/b/ss/*&ce=iso-8859-1& -/b/ss/*&ce=utf-8& /b/ss/*&events= /b/ss/*&ndh= -/b/ss/*&pagename= -/b/ss/*/h.17--wap?c20= /b/ss/*/JS- -/b/ss/*=event36& -/b/ss/*=referrers& -/b/ss/*?aqb=1&pccr= -/b/ss/*?gn=mobile: -/b/ss/*?pagename= -/b/ss/ueglobaldev/* -/b/ss/wdgdolad, +/b/ss?AQB= /b/stats? -/b2bsdc.js -/b_track_2. -/backlink.php? -/backlink2. +/ba_tracking.js /baiduStatistics.js -/BALinkImpressionTracking/* -/banner-tracker. -/banner.stats? -/banners-stat. -/basesdc.js -/basilic.php +/banalytics.js +/base/es5/bundle.js +/base/es6/bundle.js /batch.gif? -/baynote-$script -/baynote. -/baynote/* -/baynote3. -/baynote80. -/baynote_ -/baynoteobserver/* -/bc-track. +/batch/action/_: +/baynote.js +/bb-analytics-inline.min.js /bc/clk? -/bcbot-nomin.js /bcn.gif? -/bcn? /bcsensor.js -/bctrackers/* -/bdanalytics. -/bdash_log. -/bdg-analytics. /bdg.gif? -/beacon-cookie. /beacon.cgi? /beacon.gif? -/beacon.html? /beacon.js -/beacon/b.ashx? +/beacon.min.js +/beacon/affiliates +/beacon/collector/* +/beacon/error? +/beacon/event/* /beacon/event? +/beacon/init? +/beacon/media? /beacon/metrics -/beacon/performance? -/beacon/portal-lite? +/beacon/page? +/beacon/perf +/beacon/receive +/beacon/stats /beacon/timing? /beacon/track/* -/beacon/vtn_loader.gif? -/beacon? -/beacon_async. -/beacon_img? -/beaconconfigs/* -/beaconimg.php? +/beacon/user-data +/beacon/v1/batch? +/beacon?cust= /beacons?data= /behavior/web/pv? -/BehaviourCaptureHandler. -/benchmarketingsmarttag/* -/betamax_tracker.gif? -/betamax_tracker.js -/better-analytics/* +/benchmarketingsmarttag/get? +/better-analytics/js/loader.php /bf.gif?ac= -/bfs-track. -/bg_j.gif? -/bglog.gif? -/bh_counter.js -/bi.tracking/* -/bicomscore. -/bicomscore_ -/biddr-analytics. -/bidiq. -/bin/reff.php -/bin/stats? -/bipixel/* +/bi/dev/*$ping +/bi/doop/*$ping +/bineos.min.js +/bing-bat.js +/bingimpression? /bitrix/spread.php? -/biyfn/notify. /bizo.js /bk-coretag.js -/bkclick? /BKVTrack.js +/blaize/datalayer /blank.gif?*% /blank.gif?*& -/block/pixel? -/blockstat? -/blog/traffic/? -/blogcu-analytics.js -/blogsectiontracking. -/blogtotal_stats_ -/bluekai. -/bluekai/* -/blueKaiAnalytics. -/bluekaicookieinfo. -/BlueKaiPixel/* -/bluetracker/* -/bm-analytics-trk.js -/bm-analytics/* -/bm-bam-trk. -/bms-analytics. -/bn/tracker/* -/bookvisitinfo.html? -/boomerang-minified- +/blogcounter.js +/bloomreach.js +/bluekai.js +/bluekai.min.js +/bom/analytics/* +/boomerang-latest.js +/boomerang-latest.min.js /boomerang.js -/boomLogger. +/boomerang/beacon /boomr.js -/boost_stats. +/boost-sd-analytic.js +/boost_stats.php +/bootstrap/metrics.js /botd.gif? -/bounce_user_tracking- /bower_components/fp/fp.js -/bps_sv.gif? -/br-trk- -/br-trk. -/br_imps/add_item? +/bpsma.js +/branchMetrics.js /brandAnalytics.js -/brightcove/tracking/* -/brightcoveGoogleAnalytics. /brightedge.js /brightspot/analytics/* /brightTag-min.js -/britetrack/* -/bs.measure. -/bsc_trak. +/browserinfo?f.sid= +/bsp-analytics.min. /bstat.js -/bstats.$domain=~bstats.org -/bsuite/worker.php? -/bt.gif? -/btn_tracking_pixel. -/buffer.pgif?r= -/buffermetrics/* -/bug/pic.gif? +/btrack.php? /bugcounter.php? -/build/tracker.js -/BuiltRegister.aspx?upt= -/bundle.tracking. +/bundle-analytics.js +/bundle.tracking.js /bundle/analytics. -/bundles/cm.js| -/bundles/metrics. -/bundles/tracciamento? -/buzz_stats. -/bypasspiphp? -/byside_webcare. -/c.gif?daid -/c.gif?id= -/c.php?r= +/bunsen/events/* +/busting/facebook-tracking/* +/busting/google-tracking/* +/bv-analytics.js +/c.gif? /c.wrating.com/* /c2_count.js -/C4ATracker. /c?siteID=$image,script /c_track.php? -/cablog? +/cache/analytics.js +/cache_warmer/track/* +/cached-scripts/analytics.js /caixinlog.js -/calameo-beacon. -/call-tracking.js +/call.tracker.js /callbacks/stats? -/campaign_tracker. -/campaign_trax. -/caos-analytics/* /capture_client.js -/CaptureStat. -/cbanalytics. -/CBM.Tracking.js? -/cbs1x1.gif? -/cbstats/* -/cc?a= -/cclickTracking. -/cclog?ck= -/ccm_sj? -/cct? -/cdcVanity? +/CaptureStat.asmx +/cdn-cgi/beacon/* /cdn-cgi/ping?$image -/cdn-monitoring-pixel. -/cdn.stats2? -/cdn5.js? -/cds-webanalytics. -/cdx-radar/* -/cdx.gif? +/cdn-cgi/rum? +/cdn-cgi/zaraz/* +/cdn_cookie_service.html /cedexis.js -/cedexis/* -/cedexisus. +/cedexis.radar.js +/census/RecordHit /certifica-js14.js /certifica.js -/certifica_2010.js -/certona. -/Certona/* -/certona_$script -/cfformprotect/* -/cfm-realtime-marketing/* +/cfformprotect/js/cffp.js /cgi-bin/cnt/* /cgi-bin/count.cgi? /cgi-bin/count.pl? @@ -1017,224 +538,135 @@ /cgi-bin/te/in.cgi? /cgi-bin/user_online/uos.cgi? /cgi-bin/useronline/* -/cgi-bin/vdz/* /cgi-sys/count.cgi?df= /cgi/bin/trk.js /cgi/count? /cgi/stats.pl? /cgi/trk.js -/chan_slidesurvey.js -/chanalytics. -/channelintelligence/* -/ChannelTracking. -/ChannelTrackingConverter. -/chartbeat- -/chartbeat.jhtml /chartbeat.js /chartbeat.min.js -/chartbeat/* -/chartbeat_ -/Chartbeatanalytics. -/chartbeatanalytics/* -/chartbeatCode. -/chartbeatftr. -/chcounter/* +/chcounter/counter.php /check.php?referrer= -/checkForAdvertorials. -/checkstat.asp /chicken.gif?*= -/ci-capture. -/cim_tns/spring.js -/citycounter. -/cjtracker2. -/ckimg_1x1.gif? /cklink.gif? /cklog.js -/cl.gif?pvID= -/clacking.js -/clarity-*.js -/class.tracking.js /clear.gif? -/Clear.HTML?ctx= -/Clear.PNG?ctx= -/clear/c.gif? -/clicevent.php? -/click-count. -/click-logger. -/click-stat.js -/click-tracker -/click.cgi?callback= -/click.php?c= -/Click?MQUrl= +/click-tracking.js +/click/impression? +/click?track= /click_metrics-jquery.js -/click_stat/* -/click_statistics/* -/click_stats. +/click_stats.js /click_track.js -/click_tracking -/clickability- -/clickability.$domain=~clickability.com.au -/clickability/* -/clickability2/* -/clickability? -/clickAnalyse. -/clickcount. -/clickcount/* -/clickcount_ +/click_tracking.js +/clickcount.asp +/clickcount.js +/clickcount.php /clickctrl.js -/clickdimensions- +/clickdimensions-2.js /clickheat.js -/clickheat^ -/clicklog. -/clicklog4pc. -/clicklog_ -/clickLogger? -/clicklognew. +/clicklog.js +/clicklog4pc.js /clickm.js -/clickmap.js -/clickpathmedia. -/clickpathmedia_ -/clickrecord.php? -/clicks/servlet/* -/clickscript. -/clickstats. +/clickpathmedia.js +/clickscript.js +/clickstats.php /clickstream.aspx? /clickstream.js -/ClickTail. -/clicktale- -/clicktale. -/clicktale/* -/clicktale_ -/ClickTaleFilter. -/clicktrack-*.gif? -/ClickTrack. +/clickstream/visit? +/clicktag.js +/ClickTail.js +/clicktale.js +/ClickTrack.js +/clicktrack.min.js /clicktrack? -/clicktracker. -/clicktracking-global. -/clicktracking. -/clicktracking/* -/ClickTracks_ -/ClickTracksCookies. -/clicktrends/* -/clickx-tracker. +/clicktracker.js +/clicktracker.php +/clicktracking.js /clicky.js -/client-event-logger. -/client-event.axd? /client-metrics/?target /client_pathlog.asp? -/clientdatacollector/* -/clientlib-analytics- -/clientlibs/analytics. -/clientlibs/ga.js +/clientele/reports/* +/clientlib-analytics-core. /clientstat? -/clip-started.gif? -/clk?utmwv= +/cls/check.php?$image /cls_report? -/cls_rpt.gif? -/cm-xtgreat? -/cm.gif? -/cm?ci=*&tid= -/cm?tid= -/cmarketing.countus.js -/cmd_track? +/cmanalytics.min.js /cms.gif? /cms/stats/* /cmslog.dll? -/cn-fe-stats/* -/cnstats. -/cnstats/* +/cn-track? +/cnstats.js +/cnstats/cntg.php /cnt-combined.php? /cnt.aspx? /cnt.cgi? /cnt.js -/cnt.php?rf= /cnt/cnt.php? /cnt/start.php? -/cntlog/* -/cntpixel. -/CntRpt.aspx? +/cnt_js.php? /cnvtr.js -/cnwk.1d/*/apex.js -/coAnalytics. -/CofinaHits. -/cognitive_match/* -/col1/*&ss= -/col1/*?ss= -/col2/*&sa= -/col2/*&ss= -/collect-*/jsEvent.js -/collect.php?data= +/cocoon-master/lib/analytics/access. +/codesters-analytics. +/CofinaHits.js +/cohesion-latest.min.js +/coinhive.min.js +/coinimp-cache/* +/collect.gif? +/collect.php?tid= +/collect/?dp= +/collect/kasupport /collect/kf? /collect/pageview? -/collect/tracking. -/collect?*&cid= -/collect?*&tid= +/collect/pv? +/collect/sdk?$domain=~iugu.com +/collect/stats? +/collect/view? +/collect/view_count? +/collect?appName /collect?callback= +/collect?d= /collect?data= /collect?eid= /collect?event= /collect?iid= +/collect?k= /collect?r= /collect?tid= +/collect?type= +/collect?v= /collect_data.php? -/collect_stat. -/collection.php?data= -/collector.php? -/collector/*/*?*&euidl=*&url= -/collector/beacon^ +/collect_stat.js /collector/hit? +/collector/pageview +/collector/v1/event /collector?report= -/collectStats; -/com_joomla-visites/* -/com_joomlawatch/* +/collectsysteminfo? +/com.snowplowanalytics.snowplow/* +/com_joomlawatch/img.php +/common/analytics.js +/common/ga.js /common/tracker.js -/competeTracking_test.html? -/comscore. -/comscore/pageview_ -/comscore/streamsense. +/complianz/v1/track$xmlhttprequest +/comscore-min.js /comscore? -/comscore_beacon. -/comscore_engine. -/comscore_stats. -/comscorebeacon. -/ComScorePlugin. -/ComScoreSWF. -/concat/tracking. -/condenet-metric. -/config/analytics.js +/comscore_beacon/* +/comscore_pageview +/confiant.js /configuration-stat.js -/connect_counter.js -/contador.gif? -/containerTag.js -/containertag? -/content-targeting-staging.js -/contentanalytics/* /contentiq.js -/ContentTrackingCall. -/control/tracking.php? -/conversion_async. +/conversion_async.js /convertro.js -/cookie.crumb /cookie.gif? -/cookie/visitor/* -/cookie?affiliate -/Cookie?merchant= -/cookie_ga. -/cookieAnalytics. -/cookiebean? +/cookie_ga.js +/cookieAnalytics.js /cookieId.htm -/CookieLawStats/* -/CookieManager-bdl? -/CookieMapping? -/CookiePingback? -/CookieSetterAS3. -/cookietag? +/cookies/render? +/coopcommerce-pixel.js /coradiant.js /core-tracking.js /coretracking.php? -/coreWatchingEvents. -/CorporatePageTracking. /count.cfm? +/count.do? /count.exe? /count.fcg? /count.fcgi? @@ -1242,769 +674,508 @@ /count.gif? /count.php? /count.png? -/count/?ad= /count/count.cgi? -/count?*&url= /count?pid= -/count?type= -/count_DB/* -/count_js. -/count_stats/* -/countbk. -/CountContent? +/count_js.php +/counter-js.php /Counter.ashx? /counter.asp? /counter.aspx? -/counter.cgi/* /counter.cgi? -/counter.do? -/counter.lt? -/counter.php?chcounter_mode= +/counter.js.php +/counter.php?width= /counter.pl? -/counter.visit? -/Counter.woa/* -/counter/?*&referer= -/counter/action_ -/counter/article? -/counter/ashow/* +/counter/acnt.php? /counter/collect? -/counter/ct.php? -/counter/process.asp? -/counter/r.pl -/counter/stat. +/counter/stat.php /counter/views/* /counter1.gif? +/counter2.gif? +/counter5.min.js +/counter?action= /counter?id= /counter_1.php /counter_2.php? /counter_3.php -/counter_image.gif? -/counter_liveinternet. -/countercgi. -/countercollector/* -/counterFooterFlash. -/counters/pages? -/countertab.js? -/countHits. +/counter_access.php +/countertab.js /countinj.cgi? -/countpixel. +/countly.js +/countly.min.js +/countpixel.asp /countstat.php? -/countubn. /countus.php -/cqcounter. -/crai_tracker. /create-lead.js +/CreateAnalytics.js /CreateCookieSSO_ -/CreateVIDCookie.aspx? -/creative.png?slotId= -/criteo. -/Criteo/* -/criteo_ -/criteoRTA. -/crmTracking. -/cross-domain-cookie? -/cross_pixels. -/crtracker. -/cs_api/log -/CSAdobeTracking. -/csc-event? -/csct.js +/criteo.$domain=~criteo.blotout.io|~criteo.github.io|~criteo.investorroom.com +/criteoRTA.js +/crypta.js /csi?v=*&action= /csi?v=2&s= /csi?v=3&s= -/csm/analytics; +/csp_204? /csp_log? -/csp_report.gne? -/ctr_tracking. -/ctrack? -/ctrl.gif?ref= -/custom-tracking. -/CustomTrackingScript. +/cta-loaded.js +/ctr_tracking.php? +/custom-analytics.js +/CustomTrackingScript.js /cv/conversion.js -/cv_pixel. +/cv_pixel.js /cwTRACK.js -/cwtracking- -/cx-video-analytics.js +/cx-tracking.js /cx_tracking.js -/cXense-Analytics- /cxense-candy.js -/cxense-video/* +/cxense-entitlement.js /cxense/cx.js -/cyberestat/* -/d.gif?id= -/dart_wrapper.html? -/data.do?session_ -/data/collect/*$xmlhttprequest +/cxf-tracking@ +/d.gif? /data_collect.js -/datacapture/track -/datacollectcode? -/dc-storm-track. -/dc-storm.js -/dc-storm/aff. -/dc-storm/track. -/dc_performance.js +/datacollectionapi-client/index.js +/dataunlocker-prod.js +/dataunlocker.js +/datawrapper.gif? +/dcjs/prod/* /dcs.gif? -/dcs/track. -/dcs_tag. -/dcstorm-track. -/dcstorm.js -/dcstorm/track. -/dctk.js -/DecideDNATrackingCode- -/delivery/lg. -/delstats/* -/demandbase. -/demandbase_ -/demdex.js -/demdex/* -/DemdexBehavioralTracking. -/deskanalytics.js -/detective.gif? -/detm-container- -/detm_adobe. -/device-fingerprint. -/dfp-gpt. -/di-tealium. -/Diagnostics?hit= -/didna-pixel- -/digitalice_tag.js -/dil_v6.4.js -/disp_cnt. +/dcs_tag.js +/default/pAnalytics +/detm-container-ftr.js +/detm-container-hdr.js +/DG/DEFAULT/rest/* +/dg_measurement_protocol.js +/dh-analytics-prod/* +/diffuser.js +/digital-data-enrichment.min.js +/discourse-fingerprint_ +/disp_cnt.php /dispatch.fcgi? -/dist/analytics. -/diva-analytics.js /divolte.js -/dl_counter. -/dla_tracker. -/dltrack. -/dltrack/* +/dl-web-pixel.js +/dla_tracker.js +/dlpageping? /dm.gif? -/dmde/track/* -/dmp-tracking- -/dmpcollector.js -/dmtk.*_tag= -/dmtracking2. -/DNATracking. -/dni_reporting.js -/doctracking. -/doIperceptionsRegulator. -/dolWebAnalytics. -/domanalytics. -/domcount. -/domcount_ +/dmp/pixel.js +/dmu2panalytics/ajax_call.php? +/dnx-event-collector/* +/doctracking.js +/dolWebAnalytics.js +/dom-event-tracker.min.js +/domcount.nsf/WebCounter? /dot.asp? /dot.gif? -/dotn?*&pg=http -/Dotomi. -/dotomi_abandon. -/dotomi_tracking/* -/doubleclick_head_tag_ -/doubleclickCheck/* -/dow_analytics. -/downloadAndOutboundLinksTracking. -/DownloadTracker. -/drads?referrer= -/drive-analytics/* +/dow_analytics.js +/dpistat/updater.php +/drwebstat.js /dspixel.js -/dst.gif? -/dstctsevent.js -/dstracking. -/dtagent630_ -/dtagent6312_ -/dtagent_ -/dtm-ddo-utilities.js -/dtm/*/satelliteLib- /dtm_cm.js -/dtmtag.js /dtrack.js -/dtstats. -/dw/hit? +/duel-analytics.js /dwanalytics- -/dwanalytics. -/dwell/log? -/dynamic_ytrack_ -/DynamicAnalytics. -/dynamictag. -/dynaTraceMonitor^ -/dynimpression?rkey= -/e.gif?data= -/e086ec.aspx?q=l3mkwgak -/ea-analytics/* -/ea_ctrl? -/eae-logger/* +/dwanalytics.js +/dynamic.ziftsolutions.com/* +/DynamicAnalytics.js +/dynamicyield/* +/dynaTraceMonitor? +/e.gif? +/e_stat?g_id= /eatms.js /ebonetag.js /ecanalytics.js /ecap.min.js /ecblank.gif? +/ecg-js-ga-tracking/index. /ecom/status.jsp? -/econa-site-search-ajax-log-referrer.php -/econa-site-search/log.php? -/Econda2. -/ecos-surveycode. -/ecos.js -/ecos_survey. -/ecos_surveycode_ -/ecossurvey. -/eCustomerSurvey. -/edAnalyticsWrapper. +/edAnalyticsWrapper.js +/edapi/event? /edata.js -/edateAdTrack? -/edgemesh.track. -/EDigitalSurvey_ -/ee-tagging. -/effectivemeasure. -/EfficientFrontier.$domain=~efficientfrontier.com -/eftracking. -/ehcorp.tracking. -/eheat.js -/elex.track. -/eloqua_ -/elqcfg-$script +/edmonds.js +/efxanalytics.js +/egcs/v2/collect +/elastic-apm-rum.umd.min.js +/eloqua.js /elqcfg.js /elqcfg.min.js /elqfcs.js /elqidg.js /elqimg.js -/elqnow/* /elqscr.js -/elqtracking. /elt.gif? /eluminate? +/email/track/*$image /email/tracking? +/email_opened_tracking_pixel? /EmailOpenTrackLog.aspx?$image -/embed-log.js -/EMERPEventCollector. -/emos2-$script -/emos2.js$~xmlhttprequest -/empty-1px-gif; -/empty-iab.gif? -/empty.js.gif? -/emstrack. -/emtj_tracker. -/end.gif? -/endpoint/stats. -/engine/ping? +/EmbedAsyncLogger.js +/emos2.js +/emstrack.js +/emtj_tracker.js +/emtj_tracker.min.js +/endpoint/stats.php? +/Engagement/TrackEventAsync /ent_counter? -/entry.count.image? -/entry.count? /entry_stats? -/envoy.sb?sbaid -/epf_v1_95.js -/error/*.gif?msg= +/err/js/?url= +/err0r/rum/* /error/js/log? -/est.pl? -/estat.$domain=~estat.ly|~estat.stat.ee +/estat.js /estatistica.js -/estatnativeflashtag.swf -/etag? -/etarget/* -/etracker. -/etracker/* -/etrackercode. -/eu-survey.js -/ev/co/*?eventid= -/event-log/* -/event-report?*&uid= -/event-tracking. +/eta/events? +/eta/guid? +/eumcollector/beacons/* +/eva-analytics.min.js +/event-log? +/event-tracking.js +/event-tracking/*$domain=~github.com /event.cgi? /event.gif? /event.php?campaign= -/event/*/*?*&euidl=*&url= -/event/?ra= -/event/pageview/* /event/pageview? -/event/pageviewgeodevice/* -/event/rumdata? /event/track? -/event/v3? -/event?&event= -/event?auditLinkReceived= -/event?client=$websocket +/event/tracking +/event/trigger? +/event/visit? +/event?event_id= /event?eventType= -/event?pmo= -/event?stat_ -/event?t=*&__seed= -/event?t=view& -/event?token= +/event?s=$ping +/event_log/* /event_logger -/EventhubStats.js -/EventLog.axd? -/eventlog.js +/event_logging/* +/eventLog.ajax /eventLogServlet? +/eventproxy/track /events-collector. +/events-tracker/* /events.gif? -/events/*?event= +/events/analytics/* /events/capture? -/events?_trigger= -/events?data= +/events/counter? +/Events/Impression? +/events/page-viewed +/events/pixelEvent +/events/track/* +/events/tracking +/events/view-form-open +/events/view? /events?rpId= +/eventsBeacon? /eventtracker.js /eventtracking- /eventtracking. /eventtracking/* -/evercookie. -/evercookie/* -/evercookie_ -/evtrack- -/ewtrack. -/EWTRACK_ -/exaonclick.js -/exelate.htm? -/exelate.html? -/exelator. -/exittracker. -/exittraffic. -/expcount/* -/expose.gif? -/extBnr.gif? -/extendedAnalytics. -/external-promo-metrics. -/external-tracking. -/external/nielsen_ -/external=retargeting/* -/external_teaser_impression? -/ezakus.js -/ezoic/*.gif? -/ezytrack. -/facebook-tracking/* -/facebook_fbevents. -/facebookpixel. -/facebookpixel/* -/FacebookTracking. -/faciliti-tag. +/evercookie.js +/evercookie/swfobject-2.2.min.js +/evergage.js +/evergage.min.js +/evt.gif? +/exactag.js +/exittracker.js +/expcount/additional.php +/extendedanalytics.js +/external-tracking.min.js +/ezais/analytics? +/ezytrack.js +/f.gif? +/facebook-pixel-worker.js +/facebook-pixel.js +/facebook/pixel.js +/facebook_fbevents.js +/facebook_pixel_3_1_2.js +/facebookpixel.js +/facebookproductad/views/js/pixel. +/faciliti-tag.min.js /fairfax_tracking.js -/fastcounter. -/favcyanalytics? -/fb-app-tracker. -/fb-ga-track- -/fb-pixel- +/fb-pixel-dsgvo/* +/fb-pixel-tracking.js /fb-tracking.js -/fbanalytics/* -/fbcounter/* -/fbevents-amd.js +/fb_pixel_page_view +/fbanalytics.js +/fbcounter/counter.cgi /fbevents.js /fbevents.min.js -/fbpix- -/fbpixel. -/fbpixel/* -/fcp.gif? -/fe/track/* -/federated-analytics. -/figanalytics. -/figanalytics/* -/files/ga.js -/finalizestats. -/fingerprint-video.min.js +/fbpix-events- +/fbpixel.js +/fe_logger? +/figanalytics-short-ttl.js /fingerprint.js /fingerprint.min.js /fingerprint2.js /fingerprint2.min.js /fingerprint3.js /fingerprint3.min.js -/fingerprintjs2. -/firestats/* +/firebase-performance-compat.js +/firebase-performance-standalone.js +/firestats/js/fs.js.php /firm_tracking.js -/fkounter/* -/fkounter5/* -/flash-cookies/* -/flash-stats.php? -/flashtag.txt?Log= -/flcounter/*$script -/flextag/* -/flip-stats-queue? -/flowplayer.ganalytics. +/fkounter/counter.js +/fkounter5/counter.js +/flipptag.js +/flowplayer.drive-analytics.min.js +/flushimpressions? /flv_tracking. +/flying-analytics/* /footer-tracking.js -/footer_tag_iframe. /footerpixel.gif? -/fora_player_tracking. -/foresee/* -/fortvision-fb-web. -/forumPixLog. -/FoxAnalyticsExtension. -/FoxBlueKaiPlugIn. -/FoxComScore. -/fp/clear.png? -/fp/tags.js? -/fpc.pl?a= +/foresee-trigger.js +/fp-3.3.6.min.js +/fp/check.js +/fp/clear.png +/fp/clear1.png +/fp/clear2.png +/fp/clear3.png +/fp/es.js +/fp/HP?session_id +/fp/ls_fp. +/fp/tags.js +/fp/top_fp. +/fp2.compressed.js +/fp2.min.js$domain=~spweb.auction.co.kr|~spweb.gmarket.co.kr +/fp3.min.js +/fp_204? +/fpc/cookie_js.php +/fpcookie? /fpcount.exe -/fps/check. +/fprnt.min.js +/fps/check.php +/fptrk.min.js +/fpv2.js /freecgi/count.cgi? /friendbuy.min.js -/frosmo.easy.js -/frtrack. -/fsrscripts/* -/ft/hit/* -/FTTrack2.js -/g-track/* -/g=analytics& +/frontend-gtag.js +/frontend-gtag.min.js +/frontend-metrics^ +/frontend-sentry- +/fsrscripts/triggerParams.js +/fusion/lucid/data/* /g_track.php? -/ga*.js?PID= -/ga-affiliates. -/ga-async- -/ga-beacon.*/UA- -/ga-collect? -/ga-custom-tracking. -/ga-custom-vars. -/ga-explorations. -/ga-integration-$script +/ga-events.js /ga-links.js -/ga-lite. +/ga-lite.js +/ga-lite.min.js /ga-local.js -/ga-multidomain. -/ga-script. -/ga-scroll-events- -/ga-scroll-events. +/ga-multidomain.js +/ga-script.js +/ga-scroll-events.js /ga-se-async.js -/ga-socialtracker. /ga-targets.js -/ga-track. -/ga-tracker. +/ga-track-code.js +/ga-track-external.js +/ga-track.js +/ga-track.min.js +/ga-tracker.js /ga-tracking- -/ga-tracking/* -/ga.aspx? +/ga-tracking.js +/ga-tracking.min.js /ga.gif? +/ga.js?grid /ga.jsp?$image -/ga.min.js /ga.php?$image -/GA.swf?gaId= -/ga.swf?gid= -/ga/*.gif? -/ga/trackevent. /ga/yap.js /ga1.js -/ga2.aspx?utmac=$image /ga2.js -/ga?type= -/ga?utmac=$image /ga_anonym.js -/ga_dpc_youtube. -/ga_dualcode_tracking. -/ga_event_frame? +/ga_cookie_track +/ga_event_tracking.js /ga_events.js -/ga_external. -/ga_footer. -/ga_gwo. -/ga_header. -/ga_keyword2. -/ga_link_tracker_ -/ga_loader. +/ga_footer.js +/ga_header.js +/ga_helper.js +/ga_keyword2.js +/ga_loader.js /ga_local.js -/ga_measure. -/ga_no_cookie. -/ga_no_cookie_ -/ga_outgoinglinks. +/ga_no_cookie.php /ga_setup.js -/ga_sip.js -/ga_social. -/ga_social_tracking_ -/ga_trace. -/ga_track.php?adurl= -/ga_tracker. -/ga_tracking- -/ga_tracking. -/ga_tracklinks. -/ga_wrapper. +/ga_social.js +/ga_tracker.js +/ga_tracking.js +/ga_tracklinks.js /gaaddons- /gaaddons.js -/gaAnalytics. -/gaclicktracking. -/gaCustom. -/gadsfuncs. +/gaaddons_univ.js +/gaAnalytics.js +/gaclicktracking-universal.js +/gaclicktracking.js +/gaCustom.js /gaEvents.js -/gaEventTracking. -/GAFOAWrapper.swf? +/gaEventTracking.js /gaFunction? -/GAInit.js| -/gainjectmin. +/gainit.js /gajs/analytics.js -/galinks- -/gallerystats. -/galtracklib. -/ganalytics. -/ganalytics/* -/gapagetracker. -/gapro-1.swf -/gapro-1h.swf -/gapro.swf -/GARecord^ -/gascript. -/gasocialtracking. +/ganalytics.js +/gapro.js +/gascript.js +/gasocialtracking.js /gaStatistics.js /gatag.js +/gatag_v2.js +/gaTags.js /gatc.js -/gatrack. -/gatracking. -/gatrackingcampaigns/* -/gatrackthis. -/gatrackwww. -/gClickTracking. +/gatrack.js +/gatrack.min.js +/gaTracker.js +/gatracking.js +/gb-tracker-client-3.min.js +/gc?refurl= /gcount.pl? -/gcui_vidtracker/* -/gd-stat. -/gd.stat? +/gd_tracker_events.js +/gemius.3.15.js /gemius.js -/gemius/* -/gemius1.js -/gemius_ -/gemiusAudience. -/gen_204?$image,script -/generate_204$image -/generictracking. +/gen204/* +/gen204? /geo.php? /geoAnalysis.js -/geocc. -/geocoding.ash -/geocompteur. -/geocounter. -/geoip.html +/geocc.js +/geocompteur.php +/geoip/detect? /geoip? /geoip_cc -/geoip_script? -/geoipAPI.js? -/geomap.js? +/geoLocationData/v1/* /geov2.js -/get-tracking-data -/get?affid=$script -/get_browser_info. -/get_cdns?$third-party,xmlhttprequest /get_geoip? -/get_site_data?*&cookie= -/get_site_data?*&href= -/get_statistics.php?screen_width= -/get_tracking_id? -/get_tracking_url. +/get_site_data?requestUUID= /getbglog.js -/getclicky. -/getclicky_ -/getcookie.php? -/getcount?ids= -/getPixels?*&referer= -/getPixelSso -/getRemoteDomainCookies? -/getsidpixeltag?sid= -/getThirdPartyTracking? -/getTotalHits. -/getViewBeans.action? -/GetWebTrekkRecoElement? -/gifbanner? -/gifstats. -/gigyaGAIntegration. -/gingeranalytics. -/glb-pv-min.js -/glbltrackjs. +/getclicky.js +/getintent.js +/getlog.gif +/getstats.js.php +/gigyaGAIntegration.js +/gingeranalytics.min.js +/GlanceCobrowseLoader_ +/GlancePresenceVisitor_ /global-analytics.js /global/analytics/* -/global/ga.js? -/global/tracker. -/globalpagetracking.js -/gmasst.gif?guid= -/gn_analytics. -/gn_tracking. -/goAnalytics. -/gomez.js -/gomez/*$script -/GomezTracking. -/google-analyticator/* -/google-analytics-$~image -/google-analytics.$~image -/google-analytics/* -/google-nielsen-analytics. -/google-tracking/* -/google.analytics. +/global/ga.js +/global/tracker.js +/global_analytics.js +/global_analytics/s_code.js +/global_tracking.js +/goAnalytics.js +/google-nielsen-analytics.js /google/analytics.js -/google/analytics_$~image -/google/autotrack. -/Google/ga.js -/google_analitycs. -/google_analytics-bc.swf -/google_analytics.$~image -/google_analytics/* -/google_analytics3_ -/google_analytics_ -/google_page_track -/google_tag. +/google_analitycs.js +/google_analytics3_v2.js +/google_analytics4.js +/google_analytics_gtag.js$script +/google_tag.data_layer.js +/google_tag.script.js /google_tag/* -/google_tracker. -/googleana. +/google_tracker.js +/googleana.js /googleAnal.js -/GoogleAnalystics. -/GoogleAnalyticActionLib. -/googleanalytics- -/googleanalytics.js -/GoogleAnalytics.swf -/googleanalytics/* -/googleAnalytics1. -/googleAnalytics2. -/GoogleAnalytics2| +/GoogleAnalystics.js +/GoogleAnalyticActionLib.js +/googleAnalytics1.js +/googleAnalytics4.js /GoogleAnalytics?utmac= -/googleAnalytics_ -/googleAnalyticsBase_ -/GoogleAnalyticsBC3. -/googleAnalyticsBottom. -/googleanalyticsevents? -/googleanalyticsmanagement.swf -/GoogleAnalyticsModule. -/googleAnalyticsOutgoingLinks. -/GoogleAnalyticsPlugIn. -/GoogleAnalyticsPlus/* -/googleAnalyticsTracking. -/GoogleAnalyticsTrackingProvider.js -/GoogleAnalytics| -/googleanalyze1. -/googleanalyze2. -/googletagmanager_backend.js -/googleTagManagerTrackEvent. +/googleAnalyticsDataLayer.v1.0.min.js +/GoogleAnalyticsEvents.js +/GoogleAnalyticsModule.min.js +/GoogleAnalyticsPlus/distilled.FirstTouch.js +/googleAnalyticsTracking.js +/googleEventTracking.js +/googletag.js +/googletagmanageranalytics.js /googletrack.js -/googleTracker. -/googletracker/* +/googleTracker.js /googleTracking.js -/googlytics- -/gootics.js -/gosquared-livestats/* -/gPageTracking. -/grappler/log/* -/gravity-beacon- -/gravity-beacon.js -/greenoaks.gif? /grumi-ip.js -/gs-analytics- +/gs-analytics-init.js +/gs-analytics.js /gs.gif? -/gscounters. -/gtm-tracking-events. +/gtag.js +/gtag.min.js +/GTag/general_tracker.js +/gtag/js? +/gtagv4.js +/gtm-data-layer-$script +/gtm-listeners.js +/gtm-suite.js +/gtm.js +/gtm.min.js /gtm/gtm- -/gtmTracking. -/gtrack. -/gv-analytics/* -/gweb/analytics/* -/hash_stat_bulk/* -/hc/tracking/* -/hc_pixel.gif? -/headerpixel.gif? -/headupstats.gif? -/heatmap.*? -/heatmap.js -/heatmap_log.js -/HeatmapSessionRecording/* +/gtmTracking.js +/gv-analytics/riveted.js +/h.gif? +/hc/activity +/header-pixels.min.js +/HeatmapSessionRecording/configs.php +/HeatmapSessionRecording/tracker.min.js /hg?hc=&hb=*&vjs= /hgct?hc=&hb=*&vjs= /hints.netflame.cc/* -/HiroBeacon? -/histats/* +/histats.js /hit-counter. -/hit-counter/* /Hit.ashx? /hit.asp? /Hit.aspx? /hit.c? -/hit.gif?hash= /hit.php? -/hit.png? /hit.t? /hit.xiti? /hit/?r= /hit/tracker /hit2.php -/hit?artefactId= -/hit?t=*&__seed= +/hit?aff_id=$xmlhttprequest +/hit?time= /hit_count? /hit_counter /hit_img.cfm? /hitbox.js -/hitCount. +/hitCount.js +/hitCount.php /hitcount/* /hitcount? -/hitcount_ /HitCounter. /HitCounter/* -/hitlog.mpl? /hitlog.php? -/hits.count? +/Hits/collect/* /hits/logger? -/hitslink. +/hitslink.js /hittrack.cgi? /HitTracker/* /HitTracking. -/hkStatCms/ViewCount? +/hitv4.php /hlog.asp -/hm.pl?p= /hmapxy.js -/homeCounter. -/homepage/analytics. -/homepage_pixels. -/homePixelTracking. -/horizon-pageview? -/horizon-track. -/horizon.*/track? -/horizon.*/watch? -/horizon/track? -/host-analyticsjs-local/* -/hotmobtag_ -/hpanalytics_ -/hpmetrics. -/hrtrackjs.gif? -/hs_track. +/hnpprivacy-min.js +/hockeystack.min.js +/homeCounter.php +/honeybadger.js +/honeybadger.min.js +/host-analyticsjs-local/cache/local-ga.js +/hs_track.js /hsc/trk/* -/hstrck-detect. -/hubspot_tracking. -/HuShenGangTong.js +/htdocs/js/admiral/init.js +/hubspot-ga-tracking.js +/i.gif? /i.php?i= /i.png?id= -/i/b.gif? -/i/i.gif? /i2a.js /i2yesCounter.js -/i?e=*&page=*&cookie= -/i?redir=*&page=*&cookie= +/i?e=pv&url= /i?siteid= /i?stm= +/ia-sentry.min.js +/ib_pvcounter.php +/ibeat.min.js /icf-analytics.js -/icon.gif?type= -/ics/2/pview.gif? -/id?d_visid_ver=$~xmlhttprequest -/ident/hit.js -/identify?data= -/identify?fp= -/iframe-tracker.js -/iframe.tracker.js -/iframe_googleAnalytics -/iframetracker. -/ig-analytics_ -/IGA.linktagger. -/ignition-one.js -/image.articleview? +/id?d_visid_ +/if/services/tdg?hs= +/IIQUniversalID.min.js /image.ng/* -/images/a.gif?*= -/images/mxl.gif? -/images/uc.GIF? -/imageTracking. -/iMAWebCookie. -/img.aspx?q=l3mkwgak -/img.gif? -/img.mqcdn.com/a/a -/img/gnt.gif? -/img/gut.gif? -/img/tracking-$image +/iMAWebCookie.js /img?eid= /imgcount.cgi? /imgcount.php? -/imgtracker. -/imp.aspx? +/imgevent? /imp.gif? /imp.php? -/imp/a.gif? -/imp/ad_ -/imp/rtm? -/imp/www. /imp2.js? -/imp?*&impId= /imp?imgid= -/imp?sid= +/imp_check.php /imp_cnt.gif? /imp_img.php? -/imppix/* -/impr.xlg? +/impr.gif? +/impresion/zona/* /impress.php? /impression.ashx /impression.gif? @@ -2012,2773 +1183,2398 @@ /impression.php? /impression.pl? /impression.track? -/impression/widget? -/impression?*.loadAds& -/impression?bid -/impression?rkey= -/impression_tracker. -/impression_tracking. -/impressioncount. -/impressions/*/creative.png? -/impressions/*/track -/Impressions/aolukdp.imp? -/impressions/log? -/impressions/servlet/* -/impressions3.asp? -/impressions? +/impression/inline? +/impression/track? +/impressions?$~xmlhttprequest /ImpressionsEvent.js -/impressionTrackerV2. -/in.cgi?*http /in.getclicky.com/* /in.gif?url= -/in.php?*&referer= -/in.php?p= /in.php?referer= -/include/js/ga- -/includes/analytics. -/includes/tracker/* -/includes/tracking_ -/increment_page_counter. -/incrementVisits_get? -/index.php?_m=livesupport*&referrer= +/inboundAnalytics.min.js +/include/js/ga-set.js +/increment_page_counter.jsp /index.track? /indextools.js -/indraeventsapi. -/inetlog.ru/* -/info/picksel/* -/informb_stat. -/informerStat? -/init_cookie.php? -/inpl.measure. -/insales_counter. -/insert_impressions. -/InsightTrk/* -/insightXe.js -/insitemetrics/* -/InstantTracking. -/integration?pixel= -/intellitracker.js -/intercept.js -/intervigil. -/intstatcheck. -/IPbeacon. -/iperceptions. -/iperceptions/* -/iperceptions_ -/IperceptionsSurvey. -/ipfx?eid= -/ipixel?spacedesc -/iplookup.php -/iporganictrack. +/inline-pixel.js +/inpl.measure.jssc +/insales_counter.js? +/InsightTrk/guuidSkeleton.do? +/InsightTrk/tracker.do? +/insitemetrics/uRMJ/ujutilv2sll.js +/instantpage.js +/instart.js +/intake/v2/rum.js +/interaction/beacon +/intercept/intercept.js +/IOL.Analytics.Tracking.min.js +/IPbeacon.min.js +/ipdvdc.min.js /ips-invite.iperceptions.com/* -/iptracer. -/iqtm.js -/isi-tracking. -/istat.aspx? -/ists.tag? -/item/tracking/* -/ItemStats.ajax? -/itrack.php? -/iva_analytics. -/iva_thefilterjwanalytics. -/ivw.html -/ivw.js -/ivw.php +/iterable/track/views/* +/itgdtracksdk.js +/itmdp_code.js /ivw/SP/*$image,script -/ivw2.cgi? -/ivw2.js -/ivw_analytics_ -/IVWAnalytics. -/ivwbox/* -/IVWTracker.swf -/iwa.js -/iwstat.js -/j.gif?act= -/javascript/analytics/* -/javascript/ci/*landing.js$script -/Javascript/ga.js -/javascripts/ga.js -/javascripts/tracking_ -/jc.gif?1= -/jcaffiliatesystem/* +/j.gif? /jgs_portal_log_bildschirm.php? -/jkidd_cookies? -/join/tracking/* -/jp-coremetrics- -/jquery.analytics.js| -/jquery.google-analytics. -/jquery.trackstar. -/jquery.unica. -/JqueryEtracker. -/js-tag-manager/* -/js/_analytics/* -/js/analitics. -/js/analitycs_ -/js/analytics. +/joomla-visites.php +/jquery-gatracker.js +/jquery.analytics.js +/jquery.audiencetarget.js +/jquery.browser-fingerprint- +/jquery.gatracker.js +/jquery.google-analytics.js +/jquery.iframetracker- +/jquery.trackstar.js +/js-sdk-event.min.js +/js/_analytics.js +/js/analitics.js /js/count.js. /js/counter.js? /js/dart.js -/js/dcstorm/* -/js/ddx/* -/js/google_stats. +/js/ga_event_ /js/hbx.js -/js/indextools/* -/js/livestats_ /js/logger? /js/quantcast- -/js/sophus/* -/js/tagging/tagtrack.js -/js/targeting.js -/js/tophits_ -/js/tracker.js -/js/tracking.js -/js/tracking.min.js? -/js/tracking/* -/js/tracking_ -/js/trk_ -/js_hotlink.php? -/js_log_error. -/js_logger. -/js_tracker. +/js_ibeat_ext.cms +/js_log_error.js +/js_logger.php +/js_tracker.js +/js_tracker.min.js /js_tracking? -/jscounter. +/jscounter.js +/jscounter.php +/jscripts/analytics.js /jserrLog? /jslogger.php?ref= /json/stats? /json/tracking/* +/json?mbox= /json?referer= /jsonp_geoip? -/jsstat. -/jstatphp. +/jsstat.cgi? /jstats.php -/jstats/js/* -/jtracking/* /jump/?jl= -/jump/clk1. -/kairion.gif? +/jump/clk1.php /kaiseki/script.php /kaiseki/track.php? -/kaizentrack/* -/kalturaevent? +/kaizentrack/resources/scripts/script.js +/kameleoon-iframe.html /kameleoon.js /kameleoon.min.js -/KAStatsWriter/* -/keen-tracker. +/kameleoon/script.js +/keen-tracker.min.js /keen-tracking- +/keen-tracking.js +/keen-tracking.min.js /keen.min.js -/keenio.min.js -/kejobscounter. -/Kelkooid? -/kelkooSponsoredLinks. +/KenticoActivityLogger/Logger.js /keypress.js$script /keywee.js -/keywordlogger. -/kGoogleAnalytics.js -/khan_analystics.js -/kissmetrics. -/kissmetrics/* -/KISSmetricsTrackCode. -/kiwip.js -/klaviyo_analytics. +/kissmetrics.js +/klaviyo_analytics.js +/koko-analytics-collect.php +/koko-analytics-pro/assets/dist/js/script.js +/koko-analytics/assets/dist/js/*script.js /kontera.js -/konterayahoooo. -/kooomo.tracker. -/krux-pixel. +/krux-sass-helper.js /krux.js -/ktrace/ktrace$script -/l1v.ly/*$third-party -/landings-pixel? -/LastClick/js? -/layer_log.php?p= -/lbi_ga. -/ldsimp_wf? -/lead-tracking. -/lead-tracking/* +/LandingPageHitLog.aspx? +/lasso-ga.js +/lead-tracking.min.js /leadgen/ga.js -/leadgen_track -/lftracker. -/lftracker_ -/lib.tailtarget/* -/lib/analytics. -/lib/tracking/* -/library/svy/*/broker.js +/leadtag.js +/leage.google.tracker.js +/lhnhelpouttab-current.min.js +/li.lms-analytics/insight.min.js +/lib/analytics.js /library/svy/broker.js -/library_analytics. -/librato-collector. /libs/tracker.js -/liferay-analytics- -/lingabot. -/link-tracker- -/link_track. -/link_tracking/* -/linkcountdata/* +/liferay-analytics-api.js +/liferay-analytics-processor.js +/lightspeed_tracker.js +/link_track.js /linkinformer.js +/linkpulse.js /linktrack.js /linktracker.js -/linktracker/* -/linktracking. -/listener.php?userRef= +/linktracking.js +/livecounter.php?wid= /livestats.js -/livestats.php? /livezilla/server.php?request=track& -/load.gif? -/load.js.gz? -/LoadAudienceSegs- -/loadcounter. -/loader-counter. -/loadJsFingerprint.js +/ljcounter/?d= +/load_analytics.php +/loader-wp/static/loader.min.js? +/loader/counter.js /localga.js /locotrack.js -/log-ads. /log-nt/* -/log-reporter. -/log-view. -/Log.ashx? +/log-reporter.js +/log-view.js /log.aspx? -/log.bi? /log.cfm? -/log.collect. /log.gif? -/log.htm? -/log.jphp? /log.jsp? /log.php?*http /log.php?id -/log.php?owa_timestamp= -/log/1.gif? -/log/ad- +/log.php?referrer= +/log/?pixel= /log/analytics /log/browser/event +/log/client/messages /log/collect/* +/log/counter? +/log/debug? /log/error? /log/event? +/log/exposed? /log/impression/* /log/init? /log/jserr.php +/log/log-event- /log/log.php? -/log/p.gif? +/log/logs? +/log/metrics? +/log/page-view /log/pageview /log/report/* /log/sentry/* -/log/ux_analytics^ +/log/server? +/log/track/* +/log/views/* /log/web? /log2.php? -/Log?*&adID= +/log204? /Log?act=$image /log?action= +/log?count= /log?data= /log?documentUrl= /Log?entry= /log?event= +/log?format= /log?id= /log?kc= +/log?method= +/log?ref= /log?sLog= /log?tag= -/log?type= -/log_agent. +/log?track_ +/log?uuid= +/log_agent.php +/log_amp_item_set? +/log_beacon.js /log_e.php?id= -/log_event? -/log_hit. -/log_impression/* -/log_interaction? -/log_presence/* +/log_h.jsp /log_stats.php? -/log_syndication. -/log_tracker. -/log_view. -/log_zon_img. +/log_view.php /LogAction? /logactions.gif? -/logadhit. -/logAdv. -/logaholictracker. -/LogAnalysisTracker/* -/logAutoMicroConversion? -/logclick. -/logcollect. -/logcollect_ -/logcollectscript_ -/LogCompany.aspx?$image +/logaholictracker.php +/logAjaxErr_h.jsp +/LogAmpHit? +/loganalyticsevent? +/logclick.js +/logcollect.js /logcount.php? -/logcounter. -/logduration/* -/logevent.action? +/logcounter.aspx +/logdata/et/ua /logEvent? /logExecutionStats? -/logextrastats. /logger.ashx? /logger.dll/* -/logger.pageperf? -/logger.performance? -/logger.screensize? -/logger/*&referer= -/logger/?et= /logger/?referer= -/logger/p.gif? -/logger?d= -/logger?description= -/logging-code. -/logging/log- +/logging/ClientEvent +/logging/log.do +/logging/logjs +/logging/pageView /logging/pixel? -/Logging?dv= -/logging_requests. -/logging_save. +/logging/React-UHP? +/logging/v1/log| /LoggingAgent? /loggingService.js -/loggly.tracker.js -/logHandler. -/LogImpression. +/loggly.tracker- +/loggly.tracker. /LogImpression? -/logLoad/? -/LogMediaClick? -/logo.gif?a= +/logImpressions? +/logjs.php /LogPage.aspx? -/logprogress. -/logpstatus. +/LogPageRequest? +/logPerf? /logpv.aspx? -/LogRecorder. -/logreferrer.php?*&referrer= -/Logs/ad? -/Logs/discovery? -/Logs/other?data= -/logserver- -/logstat. -/logstat? -/logStatistic? -/logStatistics? +/LogRecorder.php +/logreferrer.php? +/logs/report_js_error +/logstat.js +/logstats.php /logview.js /logview?referrer= /logview_new.js /logviewedpage? -/logViewImpression/* -/logvisit?visitedurl= -/logwebhit. -/logwriter.php -/lotame_audiences. -/loyalty-tracking- +/ls.gif? /lunametrics- -/lycostrack.js -/lytics/* -/lzdtracker. /m.gif? -/m1x1.jpg -/m360lib.js -/ma.gif?cc= -/magiq- -/mail_tracking-cg.php -/mail_tracking.php -/mailstatstrk/* -/makecrmpcookie. -/mapstats. +/madAnalytics.js +/magento-storefront-event-collector@ +/magento/page-visit? +/magento2.js +/magpie.js +/marfeelanalytics.js /marketing-analytics.js -/marketing/js/analytics/* /martypixel? -/matomo.js -/maxymiser. -/Maxymiser/* -/mbcom.tracking. -/mbox/at/* +/master-amg-plugin/assets/js/page-view-ga.js +/matomo-tracking.js +/matomo.js$domain=~github.com +/matomo.php +/matomo/*$domain=~github.com|~hub.docker.com|~matomo.org|~wordpress.org /mcookie.aspx -/MCookieCheck.aspx -/MCookieReturn.aspx /mcount.cgi? -/md.js?country= -/mdwtc/click_thru/* -/measure/spring. +/measure/pixel/* /measure/visit/* -/measurement/access/contents? -/measurementBeacon. -/media_viewed_tracking. -/medialaanUniversalTracker. +/medialaanUniversalTracker.js /mediametrie.js /mediateGA.js -/megacounter/* -/mendelstats. -/merise.gif? -/meta-analytics/* -/meta-tracker/* +/megacounter.php +/mendelstats.js /metatraffic/track.asp? +/metric/?mid= +/metric/?wid= +/metrica/sp.js /metricool.js -/metrics-ga. -/metrics-UGA. -/metrics-VarysMetrics. -/metrics.xml -/metrics/ga.html? -/metrics/image.gif? -/metrics/metrics$domain=~spatineo.com +/metrics-backend/* +/metrics/bambuser.min.js +/metrics/event? +/metrics/ga.js +/metrics/init? /metrics/onload -/metrics/stat. +/metrics/ping? +/metrics/rum +/metrics/statsd/* /metrics/survey/* /metrics/track/* +/metrics/v1/frontend/* /metrics/vanity/? -/metricsISCS. -/metrika/*?ident= -/metrika/watch. -/metrika/watch_ -/metriks/watch. -/metriks/watch_ -/metrimatics/* -/metriweb.js -/metriweb/spring.js -/metrixEvents.js -/metsol- -/mh_metric. +/metrika/tag.js /mi/insite/* -/mianalytics. -/micro.php?action=view& -/microreporting. -/middle?call=http -/minder-tracker. -/mindshare-tracking. +/microsoft.cognitiveservices.speech.sdk.bundle.js +/min/gtm/* +/minescripts.js /mint/?js /mint/?record -/mint8/? /mintstats/?js -/mistats/* -/mixpanel-*.js -/mixpanel-measurement. +/mistat-data/onetrack/onetrack.js +/mixpanel-init.js /mixpanel.$domain=~mixpanel.com -/mixpanel_beacon. -/mixpanel_tracker. -/mkt-tags/* -/mktg_metrics/* -/ml.track.me? -/mlopen_track. -/mm-metrics. -/mm_track/* -/mma/?t= +/mlb-ml-analytics.min.js +/mlopen_track.html /mmclient.js /mmcore.js -/mmetrix.mobi/* /mms.*/pv? /mms/get_loaders? -/mmt.gif? -/mngi/tracking/* +/mn-collector.php +/mnppixellibrary.min.js /mnt/imp? -/mobify_ga.gif -/mobileanalytics. -/modoweb-tracking/* -/module/analytics/* -/moduleTracker. -/momentum-tracking/* -/monetization/pixel- +/moat/yield.js +/moksa.js +/monetate.js /mongoose.fp.js -/monitor/log/* +/monitor/v1/log /monitor?rtype= +/monitor_analytic.js /monitus.js -/moose-track. -/morega.js +/monsido.js /mormont.js -/mouseover-tracker. -/mousetrap/mp-embed. /mpel/mpel.js -/mpf-mediator. /mpixel.js -/mpl/mpulse. /mpulse.js /mpulse.min.js -/msftaudience. -/mstartracking/* -/mstat/* -/mstats. -/mstr?phpsessid= -/mstrack/* -/mt.gif? -/mtiFontTrackingCode. -/mtrack.nl/js/* -/mtracking. -/mttag/* +/ms-widgets/tracking-cookies/* +/ms.analytics-web-3.min.js +/mtc.js +/mtiFontTrackingCode.js +/mtracking.gif? /mtvi_reporting.js -/mvTracker. /mwTag.js -/mwtag_flash.js -/myasg/stats_js.asp -/mycounter/counter_in.php? -/myImage.track? -/myopslogger. -/mystats.asp? -/mystats/track.js /mystats2.px? /myTracking.js -/natero_analytics. -/native-tag. +/naLogImpressions^ +/natero_analytics.min.js +/nativendo.js /navbar-analytics.js -/naveggQry- -/NavMultiTracking. /naytev.min.js -/nbc-stats/* +/nb-collector| /ncj-pixel.js -/ncp/checkBrowser? -/nct.php?nid= -/nedstat. /neilson.js -/neocounter. -/neocounter/* -/netconversions. -/netcounter? -/netgraviton.net/* -/netizen_track. -/netmind-$script +/neoworx_tracker.php /netmining.js -/netratings.js /netresults.js -/netrum. -/netstat. -/nettracker.js -/nettracker/* -/netupdate/live.php? -/NetworkTracking. -/neustar.beacon. -/new.cnt.aspx? +/neustar.beacon.js +/new-client/trackers. +/new-relic.js +/new-relic.min.js /newlog.php? -/newrelic-gpt. +/newrelic-browser.js +/newrelic-browser.min.js /newrelic.js -/newrelicKpis- -/newrelicKpisFooter- -/newscount/* -/newSophus/* -/newsstat/* -/newstat/* -/newstatsinc. -/next_analytics. -/nextPerformanceRetargeting. +/newrelic.min.js /nielsen.htm /nielsen.js -/nielsen.min. -/nielsen.track -/Nielsen.v53. -/Nielsen53. -/nielsen_geotarget/* -/nielsen_v53. -/NielsenAnalytics. -/NielsenData/* -/nielsenscv53.$script -/NielsenTracking. -/nielson/track -/nielson_stats. -/nikioWSJCallback. -/ninemsn.tracking. -/ninja-panamera.js /NitroCookies.js /njs.gif? +/nlogger.js /nLoggerJB_ /nm/itracking? -/nm_ga_bottom. -/nm_ga_top_ -/nm_tr_combined-min.js -/nm_tr_combined.js -/nm_track.js -/nm_trck.gif? -/NNAnalytics. -/NNAnalytics/* -/NNAnalyticsWPSites. +/NNAnalyticsWPSites.js /no-impression.gif? -/nofastat. -/notifications/analytics /np?log= -/npssurvey. -/nsimpression/* -/nStat/* -/ntpagetag- -/ntpagetag. -/ntpagetag_ -/ntpagetaghttps. +/npm/perfops-rom +/nr-spa-1216.min.js +/ntpagetag.gif +/ntpagetag.js /ntrack.asp? /null.gif? -/numericAnalyticsFramework. -/nx_stat. -/o.jpg?*&ref= -/o.svg? +/o.gif? /o_code.js -/o_tealium. -/oas_analytics. -/object_stats. +/o_tealium.js +/oa-tracking? +/oas_analytics.js +/obPixelFrame/* /observations/capture? +/obtp.js /ocount.php -/ocounter. +/ocounter.php /odoscope.js -/oewa_pixel_ -/olx/tracker. /om.gif? -/om_ctrack. -/om_tracking_ -/omega?ad_ -/omega?tceRow_ -/omgpixel. -/omni-tracking. -/omnidiggthis| -/omnipagetrack. -/omniture-app-measurement. -/omniture-visitorapi. -/omniture.*&ref= -/omniture.do;$image -/omniture/sphere -/omniture/tracking. -/omniture/visitorapi. -/omnitureAMP. -/OmnitureAnalytics. -/OmnitureTracking_$object-subrequest +/omni-tracking.min.js +/omniture/uuid.js +/omniture? +/omniture_tracking.js /omniunih.js -/oms_analytics_ +/one-plugin-analytics-comscore/* /onedot.php? /onestat.js /onetag/* -/onetagv2/* -/onfocus-tag. +/onl/track.php? /onlinecount.php -/onsitegeo. -/opdc.gif? +/oo/*/l.js +/oo/*/lsync.js +/oo/cl*.js?rd= /opdc.js -/open.aspx? +/ope-adalliance.js /open/log/* +/openpixel.gif? +/openpixel.js /opentag- /opentag/* -/openxblank.gif? -/openxtargeting.js /opinionlab.js -/optimizely.$domain=~optimizely.com -/optimizely/*$script -/optimost- -/optimost. -/Optimost/* -/optimost_ -/optimostBody1. -/optimostBody2. -/optimostfoot. -/OptimostFooter. -/optimosthead. -/optimosthead/* -/optimostHeader. -/optimostHeader1. -/optimostHeader2. -/OptimostPageCode. -/ordertrack/* -/osGoogleAnalytics. -/ositTracker. +/optiextension.dll?$script +/optimizelyjs/* /ot_e404.gif? -/other-analitycs/* +/OtAutoBlock.js /ouibounce.min.js -/ovstats. -/ow_analytics. -/owa.Analytics. +/outbrain.js +/outbrainAd. +/outLoging.js +/outLoging2.js +/owa.Analytics.m.js /owa.tracker-combined-min.js -/ox_stats. -/oxtracker. -/packaged-js/trackers. -/packed.analytics. -/page-analytics. -/page-track. +/oxAnalytics.js +/p.gif? +/page-addviews? +/page-analytics.js +/page-events/trackclick/* /page-view.gif? -/page.gif?p= -/page?referUrl= -/page_analytics. -/page_counter. -/page_imp; -/pageaction/trackEvent -/pagead/conversion_ +/page/load? +/page/page_view +/page/unload? +/page_analytics.js +/page_counter.js +/page_perf_log? /PageCount.php? /pageCounter.adp? /pagedot.gif? -/pageeventcounter; /PageHit.ashx -/PageHitPixel. -/pagehits/* /pagelogger/connector.php? -/pageloggerobyx. -/pages/analytics-$script -/pagestat/* /pagestat? -/PageStatistics/* -/PageStats. -/pagestats/* +/pagestats.ashx +/PageStats.asp +/PageStats.js /pagetag.gif? /pageTag? /PageTrack.js /pagetrack.php? -/PageTracker. -/pageTracker/? +/PageTracker.js /PageTracker? -/pageTracker_ -/pageTrackerEvent. /pageTracking.js -/pageView.act^ /pageview.ashx /pageview.js /pageview; -/pageview?*&referrer= +/pageview?client= +/pageview?key= /pageview?pageId= /pageview?pageviewId +/pageview?t= /pageview?user_guid= -/pageviews-counter- /pageviews.gif? -/pageviews/*$domain=~stats.wikimedia.org|~tools.wmflabs.org +/pageviews.php?type= /pageviews?token= -/pageviews_counter. -/PageviewsTracker. -/pap.swf? -/particles/analytics. +/parsely.js +/particles/analytics.js +/partner-analytics/* /partner/transparent_pixel-$image -/pbasitetracker. -/PBSTrackingPlugIn. -/pc-log? -/pcookie_get_key +/partnermetrics.js +/pbasitetracker.min.js /pcount.asp -/Peermap/Log/* +/pdp.gif? +/peach-collector.min.js +/pepperjam.js +/perf-beacon- +/perf-vitals. +/perf-vitals_ +/perfmatters/js/analytics.js +/perfmetrics.js +/performance-metrics.js /performance.fcgi? -/performance_timing/log? -/performance_tracker- -/performancetimer.js -/permalink-tracker.html? -/pf?pid= -/pg_pixel? -/pgtracking. -/pgtrackingV3. +/performance/metrics +/performanceMetrics? +/perimeterx/px. +/permutiveIdGenerator.js +/ph-tracking-1.2.js +/phenomtrack.min.js +/PhoenixGoogleAnalytics.min.js /php-stats.js /php-stats.php? /php-stats.phpjs.php? /php-stats.recjs.php? -/php/stats.php? -/php/stats/* /phpmyvisites.js -/pic.gif?m= -/pic.gif?url= -/ping.*&referrer= -/ping.*/ping.js +/piano-analytics.js +/piNctTracking.js /ping.gif? -/ping.php?sid= -/ping.png?session= -/ping/?p= /ping/?url= /ping/pageload? /ping/show? /ping?h= +/ping?referrer= +/ping?rid= /ping?spacedesc -/ping?token= +/ping?utm_ /ping_g.jsp? /ping_hotclick.js -/pingAlt.php?*&referrer= +/pingAudience? +/pingback| /pingd? /pinger.cgi? -/PingPixel. /pingServerAction? -/pippio. -/pistats/cgi-bin/* -/piwik-$domain=~github.com|~matomo.org|~piwik.org -/piwik.$image,script,domain=~matomo.org|~piwik.org -/piwik.*/ping? -/piwik.php -/piwik/*$domain=~github.com|~matomo.org|~piwik.org +/pinterest-pixels.js +/piwik-$domain=~github.com|~matomo.org|~piwik.org|~piwik.pro|~piwikpro.de +/piwik.$image,script,domain=~matomo.org|~piwik.org|~piwik.pro|~piwikpro.de +/piwik/*$domain=~github.com|~matomo.org|~piwik.org|~piwik.pro /piwik1. -/piwik2.js -/piwik_ +/piwik2. /piwikapi.js -/piwikC_ -/piwikTracker. +/piwikTracker.js +/pix-ddc-fp.min.js /pix.fcg? -/pix.fly/* /pix.gif? -/pix/*&tracker= -/pix_st.php? -/pix_st_v2.php? /pixall.min.js -/pixel-events. +/pixel-caffeine/build/frontend.js /pixel-manager.js? -/pixel-page.html -/pixel-render/* -/pixel-track. +/pixel-tracker.js +/pixel-tracking. /pixel.*/track/* -/pixel.ashx? -/pixel.aspx? /pixel.cgi? /pixel.fingerprint. -/pixel.gif/sensor? /pixel.gif? -/pixel.json? -/pixel.jsp? -/pixel.php? -/Pixel.pl? -/pixel.png? -/pixel.swf? -/pixel.track2? -/pixel.track? -/pixel/*?url= -/pixel/?__tracker -/pixel/conv/* -/pixel/cv? -/pixel/cv_ -/pixel/ga- -/pixel/gtm- -/pixel/img/* -/pixel/impression/* -/pixel/js/*$third-party -/pixel/stream/* +/pixel.modern.js +/pixel.track +/pixel/email/*$image +/pixel/nvrwe? +/pixel/sbs? +/pixel/view? /pixel/visit? -/pixel1/impression. -/pixel?google_ -/pixel?id= -/pixel?m= -/pixel?sm_ +/pixel2.gif? /pixel?tag= -/pixel?type= -/pixel_event_data? -/pixel_iframe. -/pixel_track. -/pixel_tracking. -/pixel_V2. -/pixelappcollector. -/pixelcounter. -/pixelframe/* -/PixelImg.asp +/pixel_identifier.js +/pixel_iframe.php +/pixel_tracking.js +/pixel_tracking? +/pixel_V2.js +/pixelcounter.$domain=~pixelcounter.co.uk|~pixelcounter.com|~pixelcounter.dev|~pixelcounter.org|~pixelcounters.co.uk|~pixelcounters.uk /pixeljs/* -/pixellog. -/PixelNedstat. /pixelNew.js -/pixelpropagate. +/pixelpropagate.js /pixels.jsp? -/pixelstats/* -/pixeltag. -/pixelTargetingCacheBuster. -/pixeltrack.php? -/pixeltracker. -/PixelTracking. -/pixeltracking/* -/pixiedust-build.js -/pixLogVisit. -/pixMark.png? +/pixels/track? +/pixeltag.js +/pixeltrack.php +/pixeltrack.pl +/pixeltracker.bundle.js +/pixeltracker.js +/PixelTracking.js +/pixeltracking/sdk-worker.js +/pixelyoursite/dist/scripts/public.js /pixy.gif? -/PKAnalytics. -/pladtrack. -/planetstat. -/platform-analytics- -/player_counter.ashx? -/PlayerDashboardLoggingService.svc/json/StartSession? -/playerlogger. -/playerstats.gif? -/playertracking/* -/plgtrafic. -/plingatracker. +/planetstat.php +/plausible.js$domain=~plausible.io +/plausible.manual.js +/plausible.outbound-links.js$domain=~plausible.io +/player-test-impression? +/player/stats.php? /plog?id -/pluck-tracking. -/plugin/trackEvents. +/plow.lite.js /plugins/catman/* +/plugins/civic-science/js/pixel.js +/plugins/duracelltomi-google-tag-manager/* +/plugins/exactmetrics- +/plugins/nimiq/*$script +/plugins/nsmg-tracking/* +/plugins/pageviews-counter/* +/plugins/pup-comscore/* /plugins/stat-dfp/* /plugins/status.gif? /plugins/userinfo.gif? +/plugins/vdz-google-analytics/* /plugins/visitors-traffic- /plugins/wordfence/visitor.php? -/plzcrawlme.js -/pm/pixel. -/PmsPixel? -/pmspxl. -/point_roll. +/plugins/wp-vgwort/* +/pmc-cxense.js /pointeur.gif? -/PointRoll. -/PointRollAnonymous. /pomegranate.js -/popanalytics. -/popupCookieWriter. -/popuplog/* -/post-tracking/* +/pongAudienceLS? +/popu.js$script /postcounter.php? /postlog? /postview.gif? -/powercount. -/powr-counter. -/pphlogger. +/pp/micro.tag.min.js +/pphlogger.js +/pphlogger.php +/ppms.js /pr.php? +/prebid.pro.js +/preparecookies?callback=$domain=~mirapodo.de|~mytoys.de|~yomonda.de +/prepixel? /presslabs.js$script,~third-party /prime-email-metrics/*$image /printpixel.js /printtracker.js -/prn.google.analytics. -/prnx_track. -/pro-ping.php? -/probance_tracker. -/process.php?ut=*&rf= -/prod-analytics. -/prodtracker? -/profile_tracker. -/promo_tracking/* -/promos/pixels? -/propagate_cookie. -/prum. -/pspixel/* -/pstats. -/pt.gif?type= -/ptmd?t= -/ptrack. +/prnx_track.js +/probance_tracker-min.js +/probance_tracker.js +/prod/ncg/ncg.js +/prod/ping? +/production/analytics.min.js +/promo/impression? +/propagate_cookie.php +/pt.gif? +/pt?type=pv& +/ptrack.js /pub/as?_ri_=$image /pub/imp? -/pubfooter/js/tracking- -/pubimppixel/* +/pubble.stats.min.js +/pubcid.min.js /public/analytics.js +/public/statsd +/public/visit/record /public/visitor.json? /public/visitor/create? +/publisher:getClientId?key= /publishertag.js -/pubstats. -/pubtag.js? -/push/page-view/* -/pushlog. -/pv.gif?1= -/pv.gif?url -/pv.php?id= -/pv.txt? +/publitas-stats.js +/pubstats.$domain=~pubstats.dev +/pubtag.js +/pulsario.js +/push-analytics.js +/pushlog.min.js +/pushlog.php +/pv.gif? /pv/?aid= -/pv/code.asp? -/pv/new? -/pv?fe=*&elg= +/pv2.gif? /pv?place= /pv?token= -/pv_count. -/pvcount. -/pvcounter. -/pvcounter/* -/pvcounter? -/pvevent_ -/pview?event +/pv_count.php +/pv_web.gif +/pvcount.js +/pvcount.php +/pvcounter.cgi +/pvcounter.js +/PvCountUp.action +/pvevents.gif? +/pvlog.js /pvmax.js /pvnoju.js -/pvserver/pv.js -/PvServlet? -/pw.js?deskurl= /px.gif? /px.js?ch=$script /px/*/blank.gif? +/px/client/main.min.js /px?t= /px_trans.gif -/pxa.min.js -/pxgif/* +/pxf.gif? /pxl.cgi? /pxl.gif? -/pxlctl. -/pxls/* -/pxlspamanalyst- -/pxtrk.gif -/pzn/proxysignature -/qa-tracker. +/pxl.png? +/pxlctl.gif +/pxrc.php +/pxre.php +/pxtrack.js +/qapcore.js /qlitics.js -/qqcreporter. -/qtracker- -/QualtricsSurvey. +/qtracker-v3-min.js /quant.js -/quant.swf? /quantcast.js -/quantcast.xml -/quantcast/* -/quantcast_ -/QuantcastAnalyticsModule. -/quantcastjs/* -/quantserve.com/* -/quantv2.swf? -/qubit-integration1. -/qubit-integration2. -/qubittracker/* -/questus/* -/quidsi.ga.js? +/Quantcast/cmp_v2.js +/QuotaService.RecordEvent? +/r.gif? +/r.rnc? /r/collect? -/ra_track. /radar/trace? -/radio-analytics.htm /RadioAnalytics.js -/RadioAnalyticsIframe.js -/radium-one.js -/rbi_us.js -/rbipt.gif? -/rbipt.js -/rcAnalyticsLib. -/rcdntpagetag.js -/rcmd_track. -/rcpganalytics- -/rcpganalytics/* -/readcounter.aspx? -/readomniturecookie. +/rainbow/master-js +/RcAnalyticsEvents.js +/rcAnalyticsLib.js /readReceipt/notify/?img=$image -/readtracker- -/realytics- +/readthedocs-analytics.js +/realtimeapi/impression? +/realytics-1.2.min.js +/realytics.js /recommendtrack? -/record-impressions. +/record-impressions? /record-stats? /record.do? -/record_clicks. -/record_visitor. -/RecordClick. -/RecordClickv2. +/RecordAnalytic? +/RecordClick.js /RecordHit? -/recstatsv2. -/redirectexittrack.php? -/redx/c.gif? -/ref_analytics. -/refer-tracking. /referadd? -/referer.gif? -/referer_frame. -/refererRecord. -/referral_tracker. -/referral_tracking. +/referer/visitor/* +/referral-tracking.js +/referral-tracking.min.js +/referral_tracking.js /referrer.js /referrer.php?*http -/referrer_invisible.js? -/referrer_tracking. -/RefinedAdsTracker.swf -/refresh_uid?$script -/refstats.asp? -/reg_stat.php? -/register_pageview? -/register_stats.php? -/register_video_*&server= -/registeradevent? -/RegisterWebPageVisit. -/RemoteTargetingService. -/remoteTrackingManager.cfc?*trackPage& -/render?trackingId= -/repdata.*/b/ss/* -/report-re. -/report/click? -/report/impression? -/report?event_ -/report_visit. -/reporting/analytics.js -/reporting/campaignresolution/? -/request_tracker+ -/RequestTrackerServlet? -/RequestVideoTag. -/res/x.gif? -/resmeter.js -/resourcestat. +/referrer_invisible.js +/referrer_tracking.js +/reftracker.js +/renderTimingPixel. +/report_visit.php +/reportData/nm.gif? +/reporting/metrics +/ResonateAnalytics.min.js +/resource?zones= /rest/analytics/* -/restats_ -/resxclsa. -/resxclsa_ -/ret_pixels/* -/retargetingScript/* -/revenue-science. -/revenuescience. -/revenuescience_ -/RevenueScienceAPI. +/resxclsa.js +/resxclsx.js +/retarget_pixel.php +/retargeting-pixels.php /revinit.js -/revsci. -/revtracking/* -/RioTracking2. +/rgea.min.js /risk_fp_log? -/riveted.js /riveted.min.js /rivraddon.js -/rkrt_tracker- +/rkrt_tracker-viajs.php +/rm-gtm-google-analytics-for-wordpress/js/gtm-player.js /rm.gif? -/RMAnalytics. -/roi_tracker. -/roiengine. -/roitrack. -/roitracker. -/roitracker2. -/roiTrax. +/rmntracking.js +/rnb/events +/rntracking.js +/roi_tracker.js +/roi_tracker.min.js +/roiengine.js +/roitrack.cgi +/roitrack.js +/roitrack.php +/roitracker2.js /rollbar.js /rollbar.min.js -/rolluptracker_ +/rook.tracking.min.js /rot_in.php +/roverclk/* +/roverimp/* +/roversync/? /rpc.gif?ac= +/rpc/log/* /rpc/log? /rpc/preccount? /rpFingerprint? /rr/t?step= -/rsya-tag-users/* -/rt_tag. -/rt_track. -/rt_track_ +/rrweb-record-pack.js +/rrweb-record.min.js +/rt_tag.js +/rt_tag.ofs.js +/rt_track.js +/rt_track_event.js /rtac/gif? /rtd.js /rtkbeacon.gif? -/rtm-tracking. /rtoaster.js -/rtracker. -/rtt-log-data? -/rtu-monitoring. -/rubics_trk -/rubicsimp/c.gif? -/rum-dytrc. +/rtracker.min.js +/rtracker/ofs.rtt.js +/rudder-analytics.js +/rudder-analytics.min.js +/rum-collector/* +/rum-telemetry/* /rum-track? /rum.gif? -/rum.min. -/rum/id? -/rumstat. -/rumtag. -/runtimejs/intercept/* +/rum.min.js +/rum/events +/rum?ddsource= +/run/perf /ruxitagentjs_ /rwtag.gif? /rwtag.js -/rwtaghome.js /s-pcjs.php -/s.ashx?u= -/s.aspx?r= -/s.gif?a= -/s.gif?l= -/s.gif?log= -/s.gif?t= -/s1.php?type= +/s.gif? +/s/js/ta-2.3.js? +/s/vestigo/measure +/s_code_global_context.js /s_trans.gif? -/s_trans_nc. /sa.gif? -/sage_tracker. +/safelinkconverter.js /salog.js /SAPOWebAnalytics/* -/save_stats.php? -/saveStats.php? -/savetracking? -/sb.logger.js -/sb.trackers.js -/sbtracking/pageview2? -/sc_trackingid. -/sclanalyticstag. +/satismeter.js /scmetrics.*/b/ss/* -/script/analytics. -/script/analytics/* -/script/logger. +/screencount?vcid= +/scribd_events? +/script.pageview-props.js +/script.tagged-events.outbound-links.js +/script.tagged-events.pageview-props.js /script/pixel.js -/script/track?url= -/script_log. -/scriptAnalytics. +/scriptAnalytics.js /scripts.kissmetrics.com/* -/scripts/analytics. -/scripts/analytics_ /scripts/clickjs.php -/scripts/contador. -/scripts/ga.js /scripts/hbx.js -/scripts/log. /scripts/statistics/* -/scripts/stats/* -/scripts/tracking.js +/scripts/track_visit.php? /scripts/xiti/* /scroll-analytics- -/sctracker. +/scroll-track.js +/scroll-tracker.js +/SdaAnalytics.js +/sdc.js /sdc1.js /sdc2.js -/sdc3.js -/sdc_reporting_ -/sdc_tag. -/sdctag. /sdctag1.js /sdctag2.js -/sdp-tagcollector. -/sdxp1/dru4/meta?_hc= +/sdcTrackingCode.js +/sdk/impressions /search-cookie.aspx?$image -/searchIgnite. -/searchMetric. -/secure-stats. -/securetracker. +/securetracker.js /seed.gif? +/segment/api/* +/segment/js/* +/segmentify.js /segmentio.js -/segmentIoTrackingProvider.js -/SellathonCounterService. -/semanticTagService.js -/semsocial/*/analytics.js -/SEMTracking. -/send-impressions.html +/sendLogs?cid +/sensor.modern.ncl.min.js /sensor/statistic? /sensorsdata- /sensorsdata.$domain=~sensorsdata.cn -/seo-track. -/seo.googleAnalytics- -/seo.googleAnalytics. -/seo.tagCommander- -/seo.tagCommander. -/seo/tr_aff_ -/seomonitor/* -/seosite-tracker/* -/seostats/* -/seoTracker. -/seotracker/* -/SEOTracking. -/serve/mtrcs_ +/sentry-browser.min.js +/sentry-browser.tracing.es5.min.js +/sentry-logger.js +/sentry/bundle.min.js +/seo.taCo.min.js +/seo/pageStat/* +/seostats.php +/seotracking-v3.js /server.php?request=track&output= /server/detect.php? /service/track? -/services/?tid= -/services/analytics/* -/services/counter/* -/services/counters/* /services/pixel.html? /servlet/Cookie? -/session-hit. /session-tracker/tracking- -/session/preparecookies? +/session/preparecookies?$domain=~mirapodo.de|~mytoys.de|~yomonda.de +/session/referer +/session/update-beacon +/sessioncam.js /sessioncam.min.$script /sessioncam.recorder.js -/sessioncam/* +/SessionHit.aspx? /set-cookie.gif? /set_cookie.php? +/set_optimizely_cookie.js /set_tracking.js -/setbucket?signature= -/SETCOOKAFF. -/setcooki. -/setcookie.php? -/setcookie? -/setcookieADV.js -/SetSabreAnalyticsCookie. -/setTDUID.do? -/shareCounts. -/shareTrackClient. +/sfCounter/* +/sfdc/networktracking.js +/sgtracker.js +/shared/sentry/* /sherlock.gif? -/shinystat. -/shinystat_ +/shinystat.cgi +/shopify-boomerang- +/shopify-event.gif? +/shopify/track.js /shopify_stats.js -/showcounter. +/shopifycloud/shopify/assets/shop_events_listener-$script +/showcounter.js +/showcounter.php /showhits.php? -/si-tracking. -/sidebarAnalytic? -/sidtracker. -/sikcomscore_ -/sikquantcast_ -/SilverPop. -/silverpop/* -/simple-tracking? +/shreddit/perfMetrics +/silveregg/js/cookie_lib.js /simple_reach.js -/simplereach_counts/* /simtracker.min.js -/siq-analytics. -/site-tracker- -/site-tracker. -/site-tracker_ -/site_counter. -/site_counter? -/site_statistics. -/site_stats. +/site_statistics.js +/site_stats.js /site_stats/* -/site_tracking. -/siteAnalytics- -/siteAnalytics. -/siteanalytics_ +/site_tracking.js /sitecatalist.js +/sitecatalyst.js /sitecatalyst/tracking. -/sitecounter/counter. /sitecrm.js /sitecrm2.js /SiteSearchAnalytics.js -/siteskan.com/* -/sitestat. -/sitestat_ -/sitestatforms. +/sitestat.js /sitestats.gif? -/SiteTracker. -/sitetracker21. -/SiteTrackingGA. /sitetrek.js -/sizes.gif?*= -/sk1n-async. -/skstats- -/skstats_ -/skype-analytics. -/sl.gif?1= -/slimstat/* -/small.gif?type +/skype-analytics.js +/sluurpy_track.js +/smart-pixel.min.js /smartpixel-1.js -/smartpixel.$domain=~smartpixel.tv -/smartrack/* -/smarttag-prod. -/smarttag.js +/smartpixel.$domain=~smartpixel.com|~smartpixel.tv +/smartTag.bundle.js /smarttag/smarttag- /smetrics.*/b/ss/* /smetrics.*/id? -/smg_tracking/* +/smg_tracking/js/onthe.io.js +/smmch-mine.js +/smmch-own.js /snowman.gif?p= -/snowplow.js$script,third-party +/snowplow-tracker.tatest.js +/snowplow.js /snowplow/*$script -/social_tracking. -/socialButtonTracker. -/SocialSharingTracking. -/SocialTrack_ +/snowplow_$script +/social_tracking.js +/socialTracking.js /socialtracking.min.js /softclick.js -/softpage/stats_registerhit.asp? /solarcode.js -/sometrics/* +/somni.js +/somtag/loader/* +/somtag/logs/* /sophus.js -/sophus/logging.js -/sophus3/* +/sophus3/logging.js /sophus3_logging.js -/sophusThree- -/sovrn_beacon_ /sp-2.0.0.min.js -/sp-analytics- -/sp_logging. -/sp_tracker. -/space.gif?host= +/sp_analytics.js +/sp_tracker.js /spacer.gif? -/spannerworks-tracking- -/speedlog?ts= -/SpeedTrapInsert. -/spi.gif?aid= -/spip.php?page=stats.js -/spixel. -/sponsorship_stats/* -/spot.aspx?Log= -/springmetrics. -/sptlog. -/spylog_ +/splunk-logging-v2.js +/spresso.sdk.tracking.web.js +/spymonitor.js /sr.gif? -/sra_analytics. -/sranalytics. -/src/tracking_ +/sranalytics.js /srp.gif? /ssl-intgr-net/* /SSOCore/update? /sst8.js -/sst8.sst? /sstat_plugin.js -/sstlm8.sst? -/st.aspx? -/stat-analytics/* -/stat.asmx -/stat.aspx? -/stat.cgi? +/standalone-analytics- +/stat-adobe-analytics.js +/stat-dfp.js /stat.gif? -/stat.htm? +/stat.htm?$domain=~192.168.0.1|~192.168.1.1 /stat.js? -/stat.php? -/stat.png? -/stat.tiff? -/stat/ad? /stat/count /stat/event/* /stat/event? -/stat/eventManager/* /stat/fe? -/stat/inserthit. -/stat/track.php?mode=js -/stat/track_ -/stat/tracker. -/stat/uvstat? +/stat/rt/js? /stat2.aspx? /stat2.js -/stat36/stat/track.php /stat?event= /stat?sid= /stat?SiteID= /stat?track= -/stat_callback. -/stat_click. /stat_js.asp? -/stat_origin.gif? -/stat_page. -/stat_page2. -/stat_search. -/stat_visits. +/stat_page.php /stat_vue.php? /stataffs/track.php? -/statcapture. +/statblog/pws.php? /StatCms/ViewCount? /statcollector. +/statcollector/* /statcount. +/statcounter-$~image /statcounter.asp /statcounter.js /statcountex/count.asp? -/stateye/* -/static-tracking/*$script -/static/tracking/* -/statics/analytics.js? -/statistic/*&data= -/statistics-desktop.js -/statistics-page-view/* -/statistics.asp? -/statistics.aspx?profile -/statistics.html?action= -/statistics.html?url= +/statistic/pixel? /statistics.js?$third-party -/statistics.php?data= -/statistics.php?nid= -/statistics/fab. -/statistics/ga. -/statistics/get? -/statistics/getcook.php? -/statistics/imr. -/statistics/logging/* -/statistics/metrica. -/statistics/ping. -/statistics/set? -/statistics?counter= -/statistics?eventType= -/StatisticService.m? -/statlogger. -/stats-amp. -/stats-dc1. +/statistics/pixel/* +/statistics/visit?id= +/StatRecorder.asp? +/stats-collect /stats-js.cgi? +/stats-listener.js /stats-tracking.js +/stats.*/event /stats.*/hits/* +/stats.*/tracker. /stats.asp?id /stats.cgi$image /stats.gif? -/stats.hitbox.com/* /stats.php?*http -/stats.php?type= -/stats.php?uri= -/stats/*?category=$image -/stats/?js +/stats.wp.com/* /stats/?ref= /stats/?rt= -/stats/add/* -/stats/adonis_ +/stats/api/collect +/stats/api/event +/stats/article? +/stats/bezoek_count.php +/stats/c/*$image +/stats/collect/* /stats/collect? /stats/collector.js -/stats/common/* -/stats/count. -/stats/counter. -/stats/CounterPage. -/stats/dlcount_ -/stats/enc- -/stats/et_track.asp? /stats/event.js? -/stats/ga. -/stats/hmac- +/stats/events$xmlhttprequest +/stats/footer.js +/stats/ga.js /stats/impression -/stats/imr. -/stats/init. -/stats/log. +/stats/log.pl /stats/Logger? /stats/lookup? -/stats/lp.min. /stats/mark? -/stats/metrica. -/stats/metrics/* -/stats/mixpanel- +/stats/page-view /stats/page_view_ -/stats/pgview. +/stats/pageview /stats/ping? -/stats/pv. +/stats/pv.php? /stats/record.php? -/stats/services/* -/stats/track.asp? -/stats/tracker.js -/stats/tracking. +/stats/record/* +/stats/search-log +/stats/transp.bmp +/stats/v2/visit? +/stats/visitors /stats/welcome.php? -/stats/xmsg_ -/stats/xtcore. /stats?aid= /stats?blog_ /stats?callback= /stats?ev= +/stats?event= /stats?object -/stats?sid= +/stats?referer= /stats?style$~xmlhttprequest -/stats_adcalls/* -/stats_blog.js? -/stats_brand.js -/stats_clicks. /stats_img.png? -/stats_js.asp? -/stats_tracker. -/stats_video_ +/stats_js.asp +/stats_tracker.js /statsadvance.js +/statscollector.min.gz.js /StatsCollector/* /statscounter/* /statscript.js /statsd_proxy -/StatsHelper.gif? -/StatsMngrWebInterface. -/StatsPage. -/statspider? -/statspixel. -/StatsRadioAnalyticsHub.htm +/StatSNA.js +/StatsPage.php +/StatsPixel? +/StatsService.RecordStats? +/statstracker. /statstracker/* /statstracker? -/statsupdater. +/statsupdater.aspx +/statsVisitesAnnonces? +/stattag.js /stattracker- -/status-beacon/* -/status.gif?*= -/StatV1? -/stcollection. -/store-uniq-client-id?bomuuid= -/storeAdvImpression. +/status/impression? +/storeAdvImpression.jsp +/storefront.google-analytics-4.min.js +/stp.gif? /stracking.js -/sTrackStats. +/sTrackStats.js +/strak.php?t= /stream/log.html? -/stt/track. -/stt/track/* -/stwc-counter/* +/streamsense.min.js +/strpixel.png? +/stt/track.js +/stwc-counter/code.js /stwc/code.js -/supercookie. -/superstats. -/supertracking. -/surphace_track. -/survey_invite_ -/surveyoverlay/* +/submission/pageview +/supercookie.asp +/supercookie.js +/svs.gif? +/sw/analytics.js /swa_t.gif? /swatag.js -/swfaddress.js?tracker= -/swptrk. -/syn/mail_s.php? +/swell-ct-ad-data +/swell-ct-pv^ +/swlapi/stats| +/symplr-analytics- /sync.gif?partner_ +/sync?visitor_id= /synd.aspx -/syndication/metrics/* -/syndstats. /szm_mclient.js -/t-richrelevance- -/t.*?ref=$~xmlhttprequest /t.gif? /t/event.js? /t/event? /t?referer= -/tablytics. -/tacoda. -/tacoda_ -/TacodaFTT. -/taevents- +/t?tcid= +/taboola.js +/taboola/loader.js +/taboolaHead.js +/taevents-c.js /tag/tag.jsp? /tag?tags= -/tagAnalyticsCNIL. +/taganalyticscnil.js +/tagAnalyticscnil.php /tagCNIL.js -/TagCommander.cfc? -/tagcommander.js -/tagcommander_ -/tagging?type= -/tagmanager/pptm. -/tagmgmt/bootstrap. -/tagomnitureengine.js -/tags/angular- -/tags?org_id= -/tags?session_id= -/TagSvc/* -/tagx.js +/tagcommander/prd/* +/tagmanager/event? +/tagmanager/pptm.js +/tags.js?org_id= /tailtarget.js -/targetemsecure. -/targeting/render. -/taxtag.js -/tblz_sailthru/* -/tbuy/tracker/* -/tc_logging.js -/tc_targeting. -/tc_throttle.js -/TCMAnalytics_ -/tda.*/in.gif -/tealeaf.cgi +/talpa-analytics-pro/* +/tatari-shopify/tracker-snippet-latest.min.js +/tbl_nw_web_logs? +/tc_analytics.js +/tc_analytics.min.js +/tc_imp.gif? +/tccl.min.js +/tck/gif/* +/teal-comscore- +/teal-gcianalytics- /TeaLeaf.js /tealeaf.min.js /TeaLeafCfg.js /TealeafSDK.js /TealeafSDKConfig.js -/tealium-analytics. -/tealium-api/* -/tealium-udo. -/tealium-web/* -/tealium.html? -/tealium.js -/tealiumpixel. -/tenping.cpa. -/textlink.php?text -/thbeacon/* -/thetracker.js -/third-party-analitycs/* -/third-party-stats/* -/third-party/tracking. -/thirdpartyCookie. -/thirdPartyPixel. -/thirdPartyTags.js -/thirdPartyTagscachebuster.js -/ThirdPartyTracking. -/thuzianayltics. -/ti.gif?slotid= +/tealeaftarget? +/tealium-external/utag.js +/tealium-utag-set.js +/tealiumAnalytics.js +/tealiumTagsData.js +/tenant.min.js +/thermostat.js +/thixel.js /tiara/tracker/* +/ticimax/analytics.js /tide_stat.js -/timeslog. -/timestrend_ -/tiwik. -/tjp_beacon. -/tmpstats.gif? -/tms/metrics. -/tmv11. -/tnc.js?h= -/tnc?_t= +/tilda-stat-1.0.min.js +/timingcg.min.js +/tjp_beacon.js +/tjx-tracking-data.js +/tking/ajax_track_stats? /tncms/tracking.js -/tns_gallup/* -/tnsCounter. -/tnsmetrix/* /token?referer= /tongji.js -/tools/analytics/* -/top_tagcommander+ -/topic_beat_log? -/topic_page_timer? /toplytics.js -/tops-counter? -/torimochi.js -/touchclarity/* -/tp.gif? -/tpix.gif? -/tPx.gif? +/TouchClarity.js +/touchclarity/logging.js /tr.gif? -/tr/p.gif? -/tracciamento.php? -/tracdelight.js +/tr/lp/intg.js +/tr/pageview/* /trace-Update.php? /trace/link/*$image /trace/mail/*$image +/trace/record? /trace?sessionid= /traces.php? -/tracing?aspect= -/track-action/* -/track-boosters-event. -/track-compiled.js -/track-cookies. -/track-event. -/track-internal-links. -/track-opening/* -/track-referrals.js -/track.ads/* +/track-event.js +/track-focus.min.js +/track-imp? +/track-internal-links.js +/track-pixel. +/track-the-click-public.js +/track-visit? /track.ashx?*=http -/Track.aspx/* -/track.aspx? -/track.cgi? -/track.gif^ -/track.js?referrer -/track.js?screen= -/track.p? -/track.php?*&uid= -/track.php?referrer= +/track.gif?data= /track.png? /track.srv. -/track/*&CheckCookieId= -/track/*&event= -/track/*&siteurl= -/track/*?rnd=0.$image -/track/?s= -/track/?site -/track/a.gif? +/track.v2.js +/track/?*&event= +/track/?data= /track/aggregate? +/track/batch? /Track/Capture.aspx? +/track/client-event/* +/track/client-events +/track/cm? /track/component/* -/track/count*js /track/event/* +/track/hit.gif +/track/identity? /track/imp? /track/impression/* /track/impression? -/track/jsinfo -/track/mygreendot/* -/track/pix.asp? -/track/pix2.asp? -/track/pixel. +/track/pageview? +/track/pageviews/* +/track/pixel.php /track/pixel/* -/track/read/* /track/site/* -/track/track- -/track/track.php? -/track/usage. -/track/view/* +/track/statistic/* +/track/svbaff01/* /track/visitors/? /track/visits/? -/track2.php -/track;adv /track?*&event= -/track?*&ref= -/track?browserId +/track?_event= /track?cb= /track?data= /track?event= +/track?event_id= +/track?eventKey= +/track?events= /track?name= +/track?page_view /track?pid= /track?referer= -/Track?trackAction= -/track?ts=*&domain= -/track?wm_ +/track?referrer= /track_click? -/track_clicks_ /track_event. -/track_general_stat. -/track_google. -/track_in_overwatch.gif? +/track_framework_metrics? +/track_general_stat.php /track_js/? -/track_metric/* +/track_page_view? /track_pageview? +/track_pixel? /track_proxy? -/track_social. /track_stat? /track_video.php?id= -/track_views. -/track_visit. +/track_visit.js /track_visit? -/track_yt_vids. -/trackad. -/trackAdHit. -/trackalyze/*$script +/track_visitor? +/trackBatchEvents? /TrackClick. -/trackClickAsync. /trackClickEvent.js -/trackContentViews. /trackconversion? -/tracker-config.js -/tracker-ev-sdk.js -/tracker-pb-min-rem.js -/tracker-r1.js -/tracker-setting.js -/tracker.*/visit? -/tracker.do? +/tracker.ga. /tracker.gif? -/tracker.js.php? -/tracker.json.php? -/tracker.log? -/tracker.min.js -/tracker.pack. -/tracker.php? -/tracker.pl? -/tracker.tsp? -/tracker/aptimized- -/tracker/canvas.ashx -/tracker/emos2_ +/tracker/?key= /tracker/event? -/tracker/eventBatch/* /tracker/imp? -/tracker/index.jsp? -/tracker/log? -/tracker/logs.php -/tracker/p.gif? -/tracker/ping/* -/tracker/receiver/* -/tracker/referrer/* -/tracker/story.jpg? -/tracker/t.php? -/tracker/track.php? -/tracker/track? -/tracker/tracker-$domain=~bugs.chromium.org -/tracker/tracker.js -/tracker/trackView? -/tracker2.js -/tracker?*= -/tracker_activityStream. -/tracker_article -/tracker_async. -/tracker_czn.tsp? -/tracker_gif. -/tracker_pageview. -/tracker_pixel. -/TrackerAS3. -/trackerGif? -/TrackerHandler. -/trackerLog.php? -/trackerpixel.js -/trackers/hp_conversion- -/trackerstatistik. -/trackEvent.js? -/trackEvent.min.js? -/trackga. -/trackgablocked_ -/trackGAEvents. -/trackhandler.ashx? -/trackimage/* -/trackImpression/* -/trackimps? -/tracking-active/* -/tracking-ad/* -/tracking-aws. -/tracking-cookie. -/tracking-hits. -/tracking-info.gif? -/tracking-init. -/tracking-jquery-shim. +/tracker_async.js +/trackerPageAnalytics.js +/trackEvent.js +/trackga.js +/trackga.min.js +/tracking-analytics-events.js +/tracking-cookie.js +/tracking-events.js /tracking-links.js -/tracking-pixel. -/tracking-pixel/* -/tracking-portlet/* -/tracking-script/* -/tracking-v3. -/tracking-widget. -/tracking.*/impression? -/tracking.*/view? -/tracking.*/viewRes? -/tracking.ashx? -/tracking.cgi? -/tracking.comp. -/tracking.fcgi? -/tracking.gif? -/tracking.js?async= -/tracking.js?site_id= -/tracking.jsp -/tracking.php?id -/tracking.php?q= -/tracking.phtml? -/tracking.png? -/tracking.relead. -/tracking.vidt -/tracking/*/agof- -/tracking/?c_ -/tracking/?ID= -/tracking/addview/* -/tracking/adobe.js -/tracking/adobe/* -/tracking/ads. -/tracking/analytics/* -/tracking/article. -/tracking/article/* -/tracking/at.js -/tracking/beacon/? -/tracking/call. -/tracking/click? -/tracking/clicks -/tracking/comscore/* -/tracking/count -/tracking/create? -/tracking/csp? -/tracking/digitalData. -/tracking/epixels. +/tracking.asmx/AddTrack? +/tracking.jsp?sid= +/tracking/airdog +/tracking/common.html +/tracking/cookies? +/tracking/digitaldata.js +/tracking/events/* /tracking/events? -/tracking/fingerprint/* -/tracking/impression/* -/tracking/index. -/tracking/json2. +/tracking/freewheel/* +/tracking/impression +/tracking/ipify +/tracking/jitney/* /tracking/log.php? +/tracking/log? +/tracking/networktrackingservlet /tracking/open? -/tracking/pageview. -/tracking/pixel. -/tracking/pixel/* -/tracking/pixel_ -/tracking/pixels. /tracking/referrer? -/tracking/ret. -/tracking/setTracker/* -/tracking/simplified_ -/tracking/srv. -/tracking/t.srv? -/tracking/tag_commander.php? -/tracking/track.jsp? -/tracking/track.php? -/tracking/track_ -/tracking/tracker. -/tracking/tracking. -/tracking/tracking_ -/tracking/trk- -/tracking/ts? -/tracking/tynt_ +/tracking/thirdpartytag.js +/tracking/trackpageview +/tracking/universalJSRequest.php /tracking/user_sync_widget? /tracking/views/* -/tracking/widget/* -/tracking/xhl? -/tracking/xtcore. -/tracking202/* +/tracking202/static/landing.php /Tracking?id= +/tracking?referrer /Tracking?t= /tracking?vs= -/tracking_add_ons. -/tracking_ajax. -/tracking_clic. -/tracking_clickevents. -/tracking_cookie_baker. -/tracking_eh. -/tracking_frame_ -/tracking_headerJS_ /tracking_id_ -/tracking_iframe. -/tracking_info.gif? -/tracking_link_cookie. -/tracking_NodeheaderJS. -/tracking_partenaire. -/tracking_pix. /tracking_pixel -/tracking_super_hot.js -/trackingab? -/trackingapi. -/TrackingCentral.js +/tracking_unitary/* /trackingCode- /trackingCode.js -/TrackingCookieCheck. /trackingcookies. -/TrackingData. /trackingDTM.js -/trackingfilter.json? -/trackingFooter. -/TrackingHandler. -/trackingheader. +/trackingEventsBlocks/* +/trackingFooter.js +/trackingGA.js +/TrackingHandler.js +/trackingheader.js /trackingImpression/* /trackingp.gif -/trackingPixel. +/trackingpixel.php /TrackingPixel/* -/trackingPixelForIframe. -/trackingpixels/get?referrer= -/trackings/addview/* -/trackingScript1. -/trackingScript2. -/TrackingService.js -/trackingService.min.js -/trackingService/* -/trackingVtm. -/trackinpage.js +/trackingTools. +/trackingVtm.js /trackIt.js /trackit.php? /trackit.pl? -/trackjs. -/trackjs1. -/trackjs6. -/trackjs_ -/tracklog. +/trackjs.$domain=~trackjs.com +/tracklib.min.js /trackmerchant.js -/tracknat. +/trackmvisit? /trackopen.cgi? +/trackPage.js? /trackpagecover? -/trackpageview. +/trackpageview.js +/trackpageview.php /trackPageView/* -/trackpidv3. -/trackpix. -/trackpixel. +/TrackPageview? +/trackpixel? +/trackpush.min.js /trackpxl? -/trackr.swf -/TrackShopAnalytics. -/tracksrk. +/TrackShopAnalytics.aspx? /trackstats? -/tracksubprop. /trackTimings.gif? -/trackuity. -/TrackUser?callback= -/trackv&tmp= +/trackui.min.js /TrackView/*$xmlhttprequest -/TrackView/?track /TrackViews/* /trackVisit/* /trackvisit? /TrackVisitors/* -/tradelab.js -/traffic-source-cookie. -/traffic-source-cookie/* -/traffic.asmx/* +/TrackWebPage? +/trade/in.php?*&ref= +/traffic-source-cookie.min.js /traffic/status.gif? -/traffic/track^ -/traffic4u. -/traffic_link_client.php? /traffic_record.php? -/traffic_tracker. -/TrafficCookie. -/traffictracker. +/TrafficCookie.js /traffictrade/* -/traffix-track. /trafic.js -/trakksocial.js -/trans/logger.js /trans_pixel.asp -/transparent1x1. -/travel-pixel- -/trax.gif? -/traxis-logger. +/transparent1x1.gif +/transparent1x1.png +/transparent_pixel.gif +/transparent_pixel.png +/transpix.gif +/travel-pixel-js/* /trbo.js /trck/eclick/* /trck/etms/* -/trckUtil. -/trclnk.js +/trckUtil.min.js +/trendmd.min.js +/trigger-visit-event /triggertag.js -/triggit-analytics. -/trk-fr. -/trk-off. +/trk.*/impression/* +/trk.*/open?$image /trk.gif? /trk.php? -/trk/p.gif? -/trk_tb. -/trk_zbo. -/trkga. -/trkpixel.gif -/trkr.js -/trkr/php? +/trk/api/* +/trk2.*/open?$image +/trk?t=$image +/trkga.js /trovit-analytics.js -/trpic.asp? /truehits.php? -/trx?id= -/tse/tracking. -/tsrHitCounter. -/ttt.gif? -/tunestats. -/turn-proxy.html? /tw-track.js -/TwitterTracking. +/twiga.js /tynt.js -/tzr.fcgi? -/uchkr.swf +/u.gif? /ucount.php? -/udctrack. /uds/stats? -/uedata? +/uecomscore_cmp_event_mundo.js /uem-ep.js -/uf-stat? -/ui/analytics/* -/uim.html/* -/ulpixel. -/ultra_track/* -/umg-analytics/* +/uisprime/track +/umami.js +/umg-analytics.min.js +/umg-analytics/umgaal.min.js /umt.gif? -/unbxdAnalytics. -/unbxdAnalyticsConfig. -/unica.gif? -/unica.js -/unica_$domain=~unica.fi -/UnicaTag. +/unbxdAnalytics.js /UniqueUserVisit? -/Universal-Federated-Analytics. -/universal-trackers/* -/universal-tracking- -/universalPixelStatic. -/uo-stat? -/updateBotStatus.do? -/updateStats. +/updatestats.js /urchin.gif? /urchin.html? /urchin.js -/urchinstats. -/URLSplitTrack? -/us.gif? -/userdata_n?*&uid= +/user-context?referrer= +/userdata_n? +/userfingerprinttoken/*$xmlhttprequest /userfly.js /users/track? /UserTraceCookie? /usertrack.aspx? -/usertrack/sa. /usertracking.js -/usertrackingajax.php? -/UserTrackingRecord? -/usr.gif?openratetracking= -/usrtrck- -/usrtrck_ -/utag-dit.js -/utag.ga. -/utag.handler.js -/utag.loader- -/utag.loader. -/util/trk2.php? -/util/trk3.php? -/utils/analytics.js +/utag.loader.js +/utag.sync.js +/utag_data.js +/utiqloader.js +/utm-tracking.js /utm.gif? -/utm_cookie. +/utm_cookie.js +/utm_cookie.min.js /utrack.js? /utrack? /utracker.js -/uts-no-vea.js -/uts-vec. -/uts/log? -/uts/t/* /uutils.fcg? -/uvstat.js -/uxm_tracking. -/v.gif?t= +/v.gif? +/v1/adn/visit| +/v1/pixel.js /v1/pixel? -/v1/r.gif? -/v4/analytics. +/v1/stats/track +/v1/tracker.js +/v1/viewport_events +/v2/pv-data? /v4/analytics/*$~xmlhttprequest -/v5.3nse. -/v52.js -/v53.js -/v53nse.js +/v4/metrics /v60.js -/va-stat. -/valor_analytics. -/valor_analytics/* -/valueclickbrands/* -/vanillaanalytics/* -/vanillastats/* -/vanillastatsapp/* +/valnet-header. +/valnetinccom-adapter.js +/vanillaanalytics/js/vendors/js.cookie.js /vastlog.txt? -/vblank.gif? -/vblntpagetag. /vecapture.js -/vendemologserver- -/vendor/xtcore. -/vertical-stats. +/vendor/analytics.js +/vendor/analytics/* +/vendor/cedexis/* +/vestigo/v1/measure /vglnk.js -/vgwort/* /video-ga.js -/video.counters.js +/video.counters. /video/tracking.js /video_count.php? /videoanalytic/* -/videoAnalytics. -/videojs.ga. -/videolog?vid= -/videotrack.js -/VideoTracking. -/videotracking/* -/vidtrack. -/view-log? +/videojs-analytics.js +/videojs.ga.js +/videojs.ga.min.js +/videojs.ga.videocloud.js +/videotracking.js +/vidtrack.js /view-tracking/*$image /view.gif? /view_stats.js.php -/viewcount-service. -/viewcount.ashx?*&referrer= /ViewCounter/* -/viewcounterjqueryproxy. -/viewcounterproxy. -/views/s.gif? -/views/vw.js -/viewstats.aspx? +/viewerimpressions? +/views_tracking/* /viewtracking.aspx? /viewTracking.min.js -/viglink_ -/vip-analytics. -/viperbar/stats.php? -/visci-interface. /visistat.js +/visit-tag? /visit-tracker.js /visit.gif? -/visit/?*&ref= /visit/log.js? /visit/record.gif? /visit/record? -/visit?id= -/visit_pixel? -/visit_tracking. -/VisitCounter. +/visit_log.js +/visitcounter.do +/visitcounter.js +/visitinfo.js /VisitLog.asmx -/visitor-event? +/visitor-params.js /Visitor.aspx? -/visitor.cgi?aff /visitor.gif?ts= /visitor.js?key= /visitor.min.js -/visitor/identity? -/visitor/index.php?*referrer$image -/visitor/segment?*= +/visitor_id.jsp +/visitor_info.js +/visitor_info? /VisitorAPI.js -/visitorCookie. +/visitorCookie.js +/visitorcountry.svc/* /VisitorIdentification.js +/visitors/screencount? /visitortrack? /visitortracker.pl? /visits/pixel? -/visits_contor. +/visits?aff_ /VisitSite.js /VisitTracking? -/visitWebPage?_ -/visual_revenue. -/visualdna- -/visualdna. +/visscore.tag.min.js +/vissense.js /visualrevenue.js -/visualsciences. -/visualsciences_ -/visualstat/stat.php /vjslog? -/vmtracking. -/vpstats. -/vptrack_ +/vli-platform/adb-analytics@ /vs-track.js /vs.gif? -/vs/track. -/vs_track. /vsl/imp? /vstat.php -/vstats/counter.php -/vstrack. /vtrack.aspx /vtrack.php? -/vtracker.$domain=~vtracker.org -/vTracker_ -/vuukle-analytics. +/vtrack?vid= /vwFiles/analytics/* -/vztrack.gif? -/vzTracker/* -/wa01.gif?log= -/wa_tracker. -/wa_tracker_ -/wadsAdsLoaded/* -/wanalytics/* -/watchonline_cookies. +/w.gif? +/wa.gif? +/wa_tracker.js /wcount.php? -/wdg/tracking- -/wdg_tracking- -/web-analytics. +/web-analytics.js /web-api/log/* -/web/analytics.$script +/web-data-ingress? +/web-pixel-shopify-app-pixel@ +/web-pixel-shopify-custom-pixel@ +/web/push? /web_analytics/* -/web_answertip. -/web_cm_event? -/Web_JS.gif? -/web_page_view? -/web_tracking_ +/web_answertip.js +/Web_JS_Stats.js /web_traffic_capture.js -/webabacus-$script -/WebAnalytics. +/WebAnalytics.$domain=~webanalytics.italia.it /webAnalytics/* -/webanalytics3. -/WebAnalyticsInclude. -/webbug.png? -/webbug/* -/webbug_c.gif? -/webc-tracking- -/webc/tracking/* /webcounter/* -/webdig.js?z= +/webdig.js /webdig_test.js -/webforensics/* -/webiq. -/webiq/* -/webiq_ -/weblog.*?cookie /weblog.js? /weblog.php? -/weblog/*&refer= -/weblog_*&wlog_ -/WebLogScript. -/WebLogWriter. -/webmetricstracking. -/webmonitor/collect/* -/WebPageEventLogger. -/webPushAnalytics| -/webrec/wr.do? -/WebStat.asmx +/webmnr.min.js +/webmonitor/collect/badjs.json +/webmr.js /webstat.js -/webstat/cei_count.asp? -/WebStat2. -/webstat_ +/WebStat2.asmx /webstatistics.php? -/WebStatistik/*.pl? -/webstatistik/track.asp /webstats.js /webstats.php -/webstats/index? -/webstats/stat /webstats/track.php? /webstats_counter/* /webtag.js -/webtrack. -/webtracker. -/webTracking.$domain=~webtracking.girard-agediss.com -/webtracking/*$~subdocument -/WebTrackingHandler. -/WebTrackingService. +/webtrack.js +/webtracker.dll +/webtracking/*$~document,~subdocument,domain=~wwwapps.ups.com /webtraffic.js -/webtraxs. -/webtrekk_mediaTracking. -/WebTrendsAnalytics/* -/wego.farmer. -/weizenbock/dist/* -/wf/open?upn=$image -/wget?*&referer= -/wh_tracking. -/where-go-add.js -/who/?js -/wholinked.com/track -/whos.amung.us.classic. -/whoson_*_trackingonly.js -/wi?spot= -/widget/s.gif? -/wijitTrack.gif? -/WikiaStats/* +/webtraxs.js +/webtrekk_mediaTracking.min.js +/webtrends.js +/webtrends.min.js +/webxmr.js +/wf-beacon- +/whisper?event= +/white_pixel.gif? /wildfire/i/CIMP.gif? -/wisdom_tracking. -/wiseRtSvcVisit. -/wjcounter- -/wjcounter. -/wjcountercore. -/wlexpert_tracker. -/wlexpert_tracker/* -/wlog.php? +/wix-engage-visitors- +/wlexpert_tracker.js /wmxtracker.js +/woocommerce-google-adwords-conversion-tracking-tag/* /woopra.js -/worldwide_analytics/* -/wp-click-track/* -/wp-clickmap/* -/wp-content/tracker. -/wp-counter.php -/wp-js/analytics. -/wp-powerstat/* -/wp-rum/* -/wp-slimstat/* -/wp-useronline/useronline. -/wp.gif?wpi +/wp-coin-hive-util.js +/wp-coin-hive.js +/wp-content/plugins/confection/bridge.php +/wp-content/plugins/pageviews/pageviews.min.js +/wp-content/plugins/woocommerce-google-analytics-integration/* +/wp-content/plugins/wp-click-track/js/ajax.js +/wp-content/plugins/wp-clickmap/clickmap.js +/wp-content/tracker.js +/wp-js/analytics.js +/wp-json/iawp/* +/wp-monero-miner-class.js +/wp-monero-miner-util.min.js +/wp-monero-miner.js +/wp-monero-miner.min.js +/wp-rocket/assets/js/lcp-beacon. +/wp-sentry-browser.min.js +/wp-slimstat.js +/wp-slimstat.min.js +/wp-statistics-tracker.min.js +/wp-statistics/assets/js/tracker.js +/wp-statistics/v2/hit +/wp-stats-manager/js/wsm_new.js +/wp-useronline/useronline.js /wp_stat.php? -/wpblog.gif? -/wpengine-analytics/* -/wprum. -/wrapper/quantcast.swf -/Wrappers?cmd= +/wpengine-analytics/js/main.js +/wpr-beacon.js +/wpr-beacon.min.js +/wps-visitor-counter/styles/js/custom.js +/wpstatistics/v1/hit? +/wrapper/metrics/v1/custom-metrics? /WRb.js -/writeKAStats/* -/writelog.$domain=~writelog.com -/WritePartnerCookie?$third-party -/writrak. -/written-analytics. +/wreport.js +/writelog.js /wstat.pl /wstats.php? -/wt.js?http -/wt.pl?p= -/wt?p= /wt_capi.js /wtbase.js -/wtcore.js /wtd.gif? /wtid.js /wtinit.js -/wtstats/* -/wusage_screen_properties.gif? -/wv326redirect_ -/WWTracking_ +/wtrack?event= +/wup?cid= /wwwcount.cgi? +/wxhawkeye.js /wysistat.js -/wz_logging. -/x/x.gif? -/xboxcom_pv?c=$image -/xgemius. -/xgemius_lv. -/xgemius_v2. -/xgenius. -/xitcore-min.js +/x.gif? +/x_track.php? +/xgemius.js +/xinhua_webdig.js /xiti.js -/xiti_mesure_clics. -/xitistatus.js -/xmint/?js -/xn_track. +/xml/pv.xml? +/xn_track.min.js /xstat.aspx? -/xtanalyzer_roi. -/xtclick. -/xtclicks-$script -/xtclicks. -/xtclicks_ -/xtcore_ -/xtcoreSimpleTag. -/xtplug. -/xtplugar. -/xtrack.*/?id= -/xtrack.php? -/xtrack.png? +/xtclick.js +/xtclicks.js +/xtcore.js /xtroi.js -/xy.gif? /yad_sortab_cetlog.js -/yahoo-beacon.js -/yahoo_marketing.js -/yahooBeacon. -/yahooTracker/* -/yalst/pixel*.php? /yandex-metrica-watch/* /yandex-metrika.js /yastat.js -/ybn_pixel/* -/yell-analytics- -/yell-analytics. -/yna_stat. -/youtube-track-event_ -/ystat.do +/ye-gatracker.js +/yell-analytics-app.js +/yell-analytics-min.js +/yell-analytics.js +/yna_stat.js +/youtubeVideoAnalytic.js /ystat.js -/YuduStatistics/* -/z.inc.php? -/zag.gif? -/zagcookie. -/zaguk.gif? -/ZagUser.js +/yt-track-streamer +/z.gif? /zaius-min.js -/zaius.gif? +/zaius.js /zanox.js -/zdgurgler.min.js -/zemtracker. -/zero.gif?*&uid= -/zig.js -/zig_c.min.js -/zonapixel. -/zone-log. -/ztagtrackedevent/* -/zxc.gif? -/~r/Slashdot/slashdot/* -/~utm_gif? -://adclear.*/acc? -://adclear.*/acv? -://analytics.*/collect? -://analytics.*/tracker. -://anx.*/anx.gif? -://apex.*/apexTarget? -://b.*/click? -://b.*/ping? -://b.*/vanity/? -://c.*/c.gif? -://c1.*/c.gif? -://email.*/blankpixel.gif -://eulerian.*/ea.js -://gdyn.*/1.gif? -://ivwextern. +/zaraz/s.js +/zdcc.min.js +/zhugeio.js +/ztracker.js +://a869.$~image +://analytics-cdn. +://analytics.*/collect +://analytics.*/event +://analytics.*/hits/ +://analytics.*/impression +://analytics.*/page_entry +://analytics.*/pageview/ +://backstory.ebay. +://beacon.*/track +://blue.*/script.js +://client.rum. +://cmpworker. +://collect.*/pageview +://collector.*/event +://elqtrk. +://fallback.*/collector +://fathom.$domain=~fathom.fm|~fathom.info|~fathom.io|~fathom.org|~fathom.video|~fathom.world|~fathomdelivers.com|~fathomseo.com|~usesfathom.com +://gtrack.*/dye +://insights-collector. +://internal-matomo. +://lightning.*/launch/ +://matomo.$domain=~matomo.org ://mint.*/?js -://piwik.$third-party -://sett.*/log.js -://sp.*/xyz?$image +://piwik.$domain=~matomo.org|~piwik.pro +://posthog.$script,domain=~posthog.com +://segment-api. +://segment-cdn. +://track.*/collect +://track.*/dye +://track.*/visitor/ +://tracker.*/pageview ://tracking.*/beacon/ -://utm.$domain=~utm.edu|~utm.io|~utm.md|~utoronto.ca -;1x1inv= -;manifest-analytics.js -;sz=1x1;ord= -=&cs_Referer= -=ATAtracker& -=event&*_ads% -=get_preroll_cookie& -=getSideStats& -=googleanalytics_ -=metrics_profile& -=stats&action= -=stats&apiVersion= -=track_view& -=widgetimpression& -=xtcore. -?&anticache=*filename.gif +://tracking.*/event ?[AQB]&ndh=1&t= -?_cid=*&sxiti= -?_siteid= -?act=counter& ?action=event& +?action=impression& +?action=log_promo_impression +?action=saveViewStat& +?action=statsjs& ?action=track_visitor& ?action=tracking_script -?ad_played= -?affiliate=$third-party -?args=*&t= -?begin_session=*&metrics= -?bstat= -?criteoTrack= -?event=*&siteid= -?event=*&ts= -?event=advert_ -?event=General.track +?event=impressions& ?event=log& +?event=pageview& +?event=performance& ?event=performancelogger: -?event=pixel. -?eventtype=impression&pid= -?eventtype=request&pid= -?googleTrack= -?hmtrackerjs= -?Id=*&cookies=*&Referer_ -?log=stats& +?local_ga_js= +?log=player-*&stats_tkn= +?log=player_*&stats_tkn= ?log=stats- -?log_visibility= -?mf_referrer= -?pvid=*&pn= -?rand=*&blk= -?rand=*&ref_ -?record&*&serve_js -?ref=*&itemcnt= -?service=settrace& -?src=*_trk= +?log=united-impression& +?log=xhl-widgets-events& +?log_performance_metrics +?logType=impression& +?logType=trackEvent& +?pageviews=$third-party +?sam-item/track-impressions ?statify_referrer= -?stwc_cz= -?target-ref= -?token=*&sessionid=*&visitorid= -?trackGroup=*&referrer= -?trackingCategory= -?triggertags= +?type=page&event= ?type=pageview& -?url=*&id=*&res=*&ref= -?utmad=*&utmac= -?viewsToCount= -?wpgb_public_action=*&referrer= -^name=atatracker^ -_.gif?ref= -_.gif?t= -_247seotracking. -_act/tracking. -_adcenterconversion. -_ajax/btrack.php? -_analytics-tracking? -_Analytics.js? -_analytics.php? -_analytics/lib/ -_artcl_log/ -_assets/metrics- -_astatspro/ -_audience_pixel. -_baynote. +?v=2&tid=G-$~third-party _beacon? -_browsermetrix. -_cedexis. +_c.gif?c= _chartbeat.js -_check.php?referer -_clickability/ -_Clicktale. -_clicktrack.asp? -_clickTracking. -_ComScore. -_contar_imp.php? -_Crstatistics.js -_directtrack.js -_effectivemeasure_tag.js -_effectLog- -_empty.ad? -_event_stats. -_event_tracking- -_event_tracking. -_files/analytics. -_fpn.gif? -_ga-events_ -_ga_code. -_ga_tag. -_ga_tracker. -_gaTrack.js -_GCM.min.js -_global_analytics_ -_google_analytics. -_googleAnalytics. -_googleAnalytics_ -_gstat.gif?uid= -_hitcount1. -_hits_stat. -_hptag.asis? -_i2a.js +_event_tracking? _imp?Log= -_imp_logging? -_impressions.gif? -_landingLog/ _logHuman= -_logimpressions. -_loginlog.php? -_m10banners/tracking.php? -_marquage/js/xtcore. -_marquage_xiti. -_masterTagCallback& -_metric_collect. -_metricsTagging. -_minder_tracking/ -_mixpanel_events. -_modal?referer= -_mzblank.gif? _nedstat.js -_nielsen.js -_NielsenNetRatings. -_ntpagetag. -_OpinionLab/$script -_pages_tracker. -_pdb.gif?session_ -_performance_tracker- -_ping/amp- -_pix.gif? -_pixel_db? -_pixel_test/? -_pixelmap.js -_promo_id= -_pv_init? -_pv_log? -_quantcast.swf -_quantcast_tag. -_resource/analytics.js _rpc/log? -_saveUserEventLog. -_sdctag1_ -_sdctag2. -_semanticTag/ -_setAnalyticsFields& -_social_tracking. +_social_tracking.js _stat.php?referer= -_stat/addEvent/ _stat_counter.php? -_stats.js? -_stats/Logger? -_stats_log. -_Tacoda_ -_tag.ofs. -_tag_mobylog. -_track/ad/ -_tracker-active/ -_tracker.js. -_tracker.js? -_tracker.php?*http -_tracker_min. -_tracking1.gif? _trackWebtrekkEvents. -_traf.ips? -_trafficTracking. -_trans_1px. -_url_tracking. -_web_stat.js +_view_pixel&$image _webanalytics. -_webiq. -_wiselog_ -_wreport.fcgi? -_xiti_js- -_zag_cookie. -cgi-bin/counter -||meetrics.netbb- -! Mining --coin-hive.js --coin-hive/$script --monero-miner- --monero-miner.$domain=~wp-monero-miner.com --monero-miner/ -.aspx?poolid= -.cfm?poolid= -.ga/*.wasm -.spacepools.*: -/aj-crypto-miner/* -/ajcm-inject. -/ajcryptominer/* -/authedmine.$script,domain=~authedmine.com -/authedminer.js -/bitcoin-plus-miner/* -/bitcoincore/?ref= -/bootstrap.wasm$third-party -/bootstrap.wasm$xmlhttprequest -/browsermine.js -/c-hive.js -/c.wasm -/cloudcoins.js -/cloudcoins.min.js -/cn.wasm$third-party -/coin-hive-proxy- -/coinblind.js -/coinblind_beta. -/coinGofile. -/coinhive-proxy- -/coinhive.min.js -/coinlab.js -/compact_miner? -/connectics.js -/crn.wasm -/crypta.js -/Crypto-Loot/*$script -/crypto-webminer.$domain=~crypto-webminer.com -/cryptocpu.js -/cryptoloot/*$script -/cryptonight-worker. -/cryptonight.wasm -/cryptonoter. -/deepMiner.js -/deepMiner.min.js -/dprocessor.js -/facash. -/hash.wasm -/helper.wasm$third-party -/impression_analytics/* -/inject.js?key=$script -/jsecoin.*/? -/lhnhelpouttab-current.min.js -/lib/crlt.js$script,third-party -/maxcdn.wasm -/media/miner. -/mine/bitcoincore/* -/miner-ui.js -/miner.*/crypto- -/miner.*/loader. -/miner.full.js -/miner.js -/miner.min.js -/miner?key= -/miner_proxy -/minera.js -/minero-proxy- -/minescripts.js -/nano.wasm -/noblock.js -/obfus.min.js -/processor.js -/projectpoi.min.js -/rum_analytics/* -/safelinkconverter.js -/simple-miner-tweaks/* -/simple-monero-$script -/sparechange.js -/streambeam-jw.js -/streambeam-video.js -/web_miner/* -/webcoin.js -/webcoin.min.js -/webmr.js -/webxmr.js -/wproxy$~third-party,websocket -/xminer.js -/xminer.min.js -/xmr-monero.js -/xmr.js -/xmr.min.js -=ws://*?pool= -=ws://*?pools= -=wss://*?pool= -=wss://*?pools= -?*.spacepools. -?proxy=*?pool= -?proxy=*?pools= -?proxy=ws://$script,websocket -?proxy=wss://$script,websocket +_WebVitalsReporter_ +! https://www.mcclatchy.com/our-impact/markets +/ng.gif? +! Facebook pixels +! /ajax/bnzai?_ +/ajax/bz?_ +! https://imgsen.com/mdaywmhb6u6d/photo-1551582045-6ec9c11d8697.jpg.html +.com/vtrack +! parked domains +/ls.php?t= +/track.php?domain= +/track.php?toggle= +! Amazon +/ajax/counter?ctr= +/batch/1/OE/* +/insights/reportEvent/* +/loi/imp? +/remote-weblab-triggers/* +/uedata? +/unagi.amazon. +/usage/Clickstream? +/usage/ReportEvent? +! hellofresh / greenchef / everyplate +/otlp/traces +! Pinterest +/_/_/logClientError/* +/_/trace/trace/* +! real time web analytics +/rrweb-script.js +/rrweb.js +/rrweb.min.js +! DNS checks +/DNSCheck.js +/DNSChecker.js +! hawkeye +/hawk.js +/hawkeye.js +/hawklinks.js +! cloudflare tracking +/cdn-cgi/apps/body/*$script,~third-party +/cdn-cgi/apps/head/*$script,~third-party +! Notifcation scripts +/blink-sw.js +/PushexSDK.js +/pushly-sdk.min.js +! Admiral +/admiral.js +/js/admiral- +! eventbrite tracking +/search/log_requests/* +! Consent/GDPR tracking +/cmp/messaging.js +/cmp3.js +/slot_cmp.js +/sourcepoint.js +! Eulerian +&pagegroup=*&url=$script +/ajax/eulerian/* +/eulerian.js +! google tracking +/client_204?$image,other,ping,script +/csi_204?$image,other,ping,script +/gen_204?$image,other,ping,script +/generate_204?$image +! Server-side GTM +&l=dataLayer&cx=c +.js?id=GTM- +://gtm.*.js?st= +://load.*.js?st=$~third-party +||adservice.google. +||google.*/url?$ping +||google.com/gen_204? +||googleapis.com^*/gen_204? +||gstatic.com/gen_204? ! Adblock tracking --logabpstatus. +/ab_track.js /adb.policy.js -/adblock?action= -/adblocker/pixel. -/iab-adblockDetector. +/adblockLogger/* +/sk-logabpstatus.php /wp-admin/admin-ajax.php?action=adblockvisitor$~third-party /ws_client?zone=gen$websocket -_adblock_stat. -_mongo_stats/ -! CDN-based filters -/cdn-cgi/pe/bag2?*.google-analytics.com -/cdn-cgi/pe/bag2?*bluekai.com -/cdn-cgi/pe/bag2?*bounceexchange.com -/cdn-cgi/pe/bag2?*cdn.onthe.io%2Fio.js -/cdn-cgi/pe/bag2?*chartbeat.js -/cdn-cgi/pe/bag2?*dnn506yrbagrg.cloudfront.net -/cdn-cgi/pe/bag2?*geoiplookup -/cdn-cgi/pe/bag2?*getblueshift.com -/cdn-cgi/pe/bag2?*google-analytics.com%2Fanalytics.js -/cdn-cgi/pe/bag2?*histats.com -/cdn-cgi/pe/bag2?*hs-analytics.net -/cdn-cgi/pe/bag2?*log.outbrain.com -/cdn-cgi/pe/bag2?*mc.yandex.ru -/cdn-cgi/pe/bag2?*newrelic.com -/cdn-cgi/pe/bag2?*nr-data.net -/cdn-cgi/pe/bag2?*optimizely.com -/cdn-cgi/pe/bag2?*piwik.js -/cdn-cgi/pe/bag2?*quantserve.com -/cdn-cgi/pe/bag2?*radarurl.com -/cdn-cgi/pe/bag2?*scorecardresearch.com -/cdn-cgi/pe/bag2?*static.getclicky.com%2Fjs -/cdn-cgi/pe/bag2?*viglink.com -/cdn-cgi/pe/bag2?*yieldbot.intent.js -! Russian rating sites -/img.php?id=*&page= -://ivw.*/get?referrer= -://top.*/count/cnt.php? -://top.*/hit/ +/wutime-adblocktracker/* +! *** easylist:easyprivacy/easyprivacy_general_emailtrackers.txt *** +! easyprivacy_general_emailtrackers.txt +! Email tracking pixels +%2Fevent.gif%3F +%2Fo.gif& +%2Fopen.aspx%3F +%2Frw%2Fbeacon_ +&mi_ecmp=$image +-track-email-open? +.acemlna.com/lt.php?$image +.acemlna.com/Prod/link-tracker?$image +.acemlnb.com/Prod/link-tracker?$image +.alcmpn.com/ +.app.returnpath.net/ +.aveda.com/t/$image +.awstrack.me/$image +.backblaze.com/e2t/$image +.backcountry.com/o/$image +.bahn.de/op/$image +.benchurl.com/c/o?$image +.bhphotovideo.com/mo/ +.birdsend.net/o/$image +.bluekai.com/*?e_id_ +.bmetrack.com/c/$image +.cmail19.com/t/$image +.cmail19.com/ti/$image +.cmail20.com/t/$image +.crsend.com/stats/$image +.ct.sendgrid.net/$image +.delivery-status.com/open? +.demdex.net/event? +.doctolib.de/tr/op/$image +.doubleclick.net/$image +.duolingo.com/open/ +.efeedbacktrk.com/$third-party +.elaine-asp.de/action/view/$image +.email.*/tr/op/$image +.emlfiles4.com/cmpimg/t/$image +.emltrk.com/ +.epicgames.com/O/ +.eventim.de/op/$image +.everestengagement.com/$image +.eviq.org.au/CMSModules/$image +.exponea.com/*/open$image +.facebook.com/tr/$image +.facebook.com/tr?$image +.flipboard.com/usage? +.getblueshift.com/q/ +.getsendmail.com/p/$image +.gif?stat=open +.goodwell18.com/track/ +.google-analytics.com/ +.hilton.com/subscription/watermark.gif? +.hootsuite.com/trk? +.informz.net/z/$image +.innologica.com/t/ +.intercom-mail.com/q/ +.intercom-mail.com/via/$image +.inxmail-commerce.com/tracking/$image +.inxserver.com/transparent.gif +.keap-link003.com/$image +.keap-link004.com/$image +.keap-link005.com/$image +.keap-link006.com/$image +.keap-link007.com/$image +.keap-link008.com/$image +.keap-link009.com/$image +.keap-link010.com/$image +.keap-link011.com/$image +.keap-link012.com/$image +.keap-link013.com/$image +.keap-link014.com/$image +.keap-link015.com/$image +.keap-link016.com/$image +.kijiji.ca/r/ +.klclick.com/$image +.lassuranceretraite.fr/mk/op/$image +.list-manage.com/track/ +.mail.odysee.com/o/$image +.mailbutler.io/tracking/ +.mailgun.patreon.com/o/$image +.mailing.*/oo/$image +.maillist-manage.com/click/$image +.maillist-manage.com/clicks/$image +.members.babbel.com/mo/ +.mgmailer.binance.com/o/$image +.microsoft.com/m/v2/d?$image +.mightyape.co.nz/mo? +.mjt.lu/oo/$image +.mkt2684.com/eos/ +.mkt51.net/eos/ +.mozilla.org/eos/$image +.na1.hs-sales-engage.com/$image +.ne16.com/do/ +.netcologne.de/-open2/$image +.nordvpn.com/q/$image +.oculus.com/collect/ +.online.costco.com/t?$image +.pledgebox.com/t/$image +.pstmrk.it/open^ +.publish0x.com/t/ +.quora.com/qemail/mark_read? +.redsift.com/e/o/$image +.revolut.com/q/$image +.secureserver.net/bbimage.aspx? +.sendcloud.net/track/$image +.sendemail.gate.io/o/$image +.sendibm1.com/*.gif? +.sendibm1.com/mk/ +.sendibt2.com/tr/op/$image +.sendibt3.com/tr/op/$image +.simplicitycrm.com/rd/ +.smartrmail.co/o/$image +.smtp.net/o/$image +.southwest.com/r/$image +.sparkpostmail.com/q/$image +.sparkpostmail2.com/q/$image +.spmailtechnol.com/q/$image +.spmailtechnolo.com/q/$image +.spreadshirt.net/mo/$image +.starbucks.com/a/ +.substack.com/o/$image +.substackcdn.com/open?$image +.telekom-dienste.de/common/1x1_transparent.png +.theatlantic.com/email.gif? +.titus.de/oo/$image +.tradewhy.cn//openemail/$image +.travis-ci.com/r/$image +.tripadvisor.com/MptUrl?$image +.tripadvisor.com/q/$image +.umusic-online.com^*/o.gif +.useinsider.com/pixel?$image +.vzbv.de/-open2/$image +.warehousefashion.com/warehouse/e/$image +.webex.com/q/ +.wix.com/_api/ping/ +.zalando.com/images/probe.png +.zippingcare.com/beacon/$image +/1x1_usermatch.gif? +/ap.lijit.com/* +/atlas-trk.prd.msg.ss-inf.net/*$image +/beacon.krxd.net/* +/beaconimages.netflix.net/*$image +/c.vialoops.com/*$image +/click.*/q/*$image +/click.em.nike.com/*$image +/click.email.$image +/click.instahyre.com/*$image +/click.php?c= +/clicks.*/q/*$image +/clicks.email.$image +/cmail2.com/t/* +/coherentpath.link/o/*$image +/condor.slgnt.eu/optiext/optiextension.dll?$image +/cp.gap.com/o/*$image +/e.customeriomail.com/e/o/*$image +/email-pixel? +/email.t.*/o/*$image +/email/open/?pd=$image +/email/open? +/email_open_log_ +/emimp/*$image +/engage.indeed.com/*$image +/eo?_t=$image +/etrack01.com/*$image +/eventing.coursera.org/img/* +/exmo.email/open.html +/gate.amnesty-international.*/open.php? +/global-cdm.net:443/sap/public/cuan/*/pixel.gif +/go.news.fly.io/e/o/*$image +/gp/r.html?$image +/gridinbound.blob.core. +/i?aid=*&se_ac=open&$image +/impression?mkevt= +/inbox.*/imp?$image +/is-tracking-pixel- +/klicks.nebenan.de/q/*$image +/link-tracker?*&l=open& +/link.coindesk.com/img/* +/link.divenewsletter.com/img/*$image +/link.e-mail.*/mo/*$image +/link.email.usmagazine.com/img/*$image +/link.morningbrew.com/img/*.gif +/link.news.*/mo/*$image +/link.oneplus.com/mo$image +/link.pbtech.co.nz/mo/*$image +/link.theatlantic.com/img/* +/link.thrillist.com/img/*$image +/links1.strava.com/*$image +/lzdmailer.letter.open? +/m-email/t.png? +/mail-stat.airdroid.com/*$image +/mail-tracking/*$image +/mail.sparksport.co.nz/forms/read/* +/mail.sparksport.co.nz/mail/read/* +/mailings/opened/*$image +/MailIsRead?$image +/maillist.*/t/*$image +/maling.roidusat.com/t/*$image +/media.sailthru.com/5ik/1k4/9/*.gif +/newsletter/log/*$image +/newsletter/read?s=$image +/newslink.reuters.com/img/*$image +/newtrackingscript. +/notifications.google.com/g/img/*$image +/notifications.googleapis.com/email/t/* +/notifications/beacon/* +/open.aspx? +/open.html?$image +/open/?ot=$image +/open?token=$image +/opens.jscrambler.com/*$image +/p/rp/*?mi_u=*=&sap_id=$image +/p1x1.gif +/page.bsigroup.com/* +/pixel-prod. +/pixel.mathtag.com/* +/pixel?cid= +/post.pinterest.com/q/*$image +/pqt.email/o/*$image +/prod-puc-all/*/open^$image +/px/track? +/redir.inxmail-commerce.com/r/*$image +/rover.ebay.com/roveropen/* +/rw/beacon_ +/sendmail.backerupdate.com/t/* +/shoutout.wix.com/*$image +/sli.*/imp?$image +/sptracking. +/ss/o/*.gif +/t.contactlab.it/v/* +/t.ifly.southwest.com/*$image +/t.paypal.com/*$image +/t.yesware.com/t/*$image +/T/OFC4/*$image +/track.interestingfacts.com/?xol= +/track.octanemail.in/sapi/*$image +/track/open.php? +/track/open/*$image +/track/open? +/tracking.fanbridge.com/* +/tracking.srv2.de/op/*$image +/tracking/email.php +/trcksp. +/wf/open?upn=$image +/wizrocketmail.net/r?$image +/znsrc.com/c/*$image +://2ip.*/member_photo/$third-party +://cl.melonbooks.co.jp/c/$image +://e.email.*/open?$image +://email.*/e/o/ +://email.*/o/$image +://links.paypal.*/eos/$image +://parcel-api.delivery-status.*/open/$image +://t.order.*/r/?id=$image +_ad_impression. +_adobe_analytics.js +_track_pixel.gif? +img.promio-connect.com$image +omni.soundestlink.com$image ! -----------------Third-party tracking domains-----------------! -! *** easylist:easyprivacy/easyprivacy_trackingservers.txt *** +! *** easylist:easyprivacy/easyprivacy_trackingservers_general.txt *** +! easyprivacy_trackingservers_general.txt +||00px.net^ +||1bliq.io^ +||1cros.net^ +||2cnt.net^ +||2l6ddsmnm.de^ +||2smt6mfgo.de^ +||34.215.155.61^ +||3gl.net^ +||4251.tech^ +||44.228.85.26^ +||46rtpw.ru^ +||a1webstrategy.com^ +||a8723.com^ +||aaxwall.com^ +||acsbapp.com^ +||adcontroll.com^ +||aditude.cloud^ +||admaxium.com^ +||adnext.co^ +||adrtx.net^ +||adscore.com^ +||adspsp.com^ +||adstk.io^ +||adultium.com^ +||afrdtech.com^ +||aggle.net^ +||agkn.com^ +||agma-analytics.de^ +||allvideometrika.com^ +||alpha1trk.com^ +||altopd.com^ +||analys.live^ +||analysis.fi^ +||analyt.ir^ +||apeagle.io^ +||apenterprise.io^ +||apharponloun.com^ +||apxl.io^ +||as3.io^ +||aseads.com^ +||australiarevival.com^ +||avads.net^ +||awmonitor.com^ +||b3mxnuvcer.com^ +||bfmio.com^ +||bidgx.com^ +||bidswitch.net^ +||bkrtx.com^ +||bluekai.com^ +||blueoyster.click^ +||bonne-terre-data-layer.com^ +||boomtrain.com^ +||bounceexchange.com^ +||bouncex.net^ +||bqstreamer.com^ +||bringmethehats.com^ +||briskeagle.io^ +||briskpelican.io^ +||broadstreet.ai^ +||brwsrfrm.com^ +||btloader.com^ +||bx-cloud.com^ +||bydst.com^ +||cadsuta.net^ +||cafirebreather.com^ +||catsunrunjam.com^ +||cbdatatracker.com^ +||cdnhst.xyz^ +||cdnwidget.com^ +||ciqtracking.com^ +||cityrobotflower.com^ +||ck123.io^ +||ckies.net^ +||clarity.ms^ +||clearbitscripts.com^ +||click360.io^ +||cliquelead.com^ +||cloudwp.io^ +||clrt.ai^ +||cnna.io^ +||cntxtfl.com^ +||confiant-integrations.net^ +||convead.io^ +||convertlink.com^ +||cpx.to^ +||crwdcntrl.net^ +||cvlb.dev^ +||cxense.com^ +||cybba.solutions^ +||czx5eyk0exbhwp43ya.biz^ +||da29e6b8-f018-490f-b25f-39a887fc95e7.xyz^ +||dadalytics.it^ +||dataofpages.com^ +||datas3ntinel.com^ +||demdex.net^ +||digi-ping.com^ +||directavenue.tech^ +||dispatchunique.com^ +||dkotrack.com^ +||dlxpix.net^ +||dm-event.net^ +||dmepyodjotcuks.com^ +||dmpxs.com^ +||domself.de^ +||doublestat.info^ +||dspx.tv^ +||dttrk.com^ +||dwin1.com^ +||dwin2.com^ +||e1e.io^ +||eagle-insight.com^ +||ecn-ldr.de^ +||ed-sys.net^ +||efreecode.com^ +||egoi.site^ +||emailsnow.info^ +||entail-insights.com^ +||enterombacerick.com^ +||enthusiastgaming.net^ +||envato.market^ +||epsilondelta.co^ +||eqy.link^ +||etop.ro^ +||eu-1-id5-sync.com^ +||everesttech.net^ +||ew3.io^ +||experianmatch.info^ +||ezstat.ru^ +||f27tltnd.de^ +||fairdatacenter.de^ +||fastemu.co^ +||fastfinch.co^ +||fastgull.io^ +||fasttiger.io^ +||featuregates.org^ +||ffbbbdc6d3c353211fe2ba39c9f744cd.com^ +||ffe390afd658c19dcbf707e0597b846d.de^ +||fn-pz.com^ +||fourtimessmelly.com^ +||fpapi.io^ +||fpcdn.io^ +||fptls.com^ +||fptls2.com^ +||fptls3.com^ +||funnelserv.systems^ +||fzlnk.com^ +||g10102301085.co^ +||g10300385420.co^ +||g11686975765.co^ +||g1188506010.co^ +||g11885060100.co^ +||g12083144435.co^ +||g12281228770.co^ +||g1386590346.co^ +||g1584674682.co^ +||g1584674684.co^ +||g1782759015.co^ +||g1782759016.co^ +||g1980843350.co^ +||g2575096355.co^ +||g792337340.co^ +||g792337342.co^ +||g792337343.co^ +||g8715710740.co^ +||g8913795075.co^ +||g9111879410.co^ +||g9508048080.co^ +||g9706132415.co^ +||g990421675.co^ +||g990421676.co^ +||gbqofs.com^ +||gcprivacy.com^ +||geoedge.be^ +||geotargetly-api-*.com^ +||getdeviceinf.com^ +||getjan.io^ +||glamipixel.com^ +||glimr.io^ +||glookup.info^ +||go-mpulse.net^ +||godiciardstia.com^ +||googleoptimize.com^ +||googletagmanager.com^ +||gw-dv.vip^ +||hbiq.net^ +||hdmtools.com^ +||herbgreencolumn.com^ +||hirsung.de^ +||hs-analytics.net^ +||hsadspixel.net^ +||hsleadflows.net^ +||htplayground.com^ +||i218435.net^ +||ia-dmp.com^ +||iconmediapixel.com^ +||iconnode.com^ +||id-ward.com^ +||idx.lat^ +||ilius.net^ +||impactcdn.com^ +||impactradius-event.com^ +||imrworldwide.com^ +||imzahrwl.xyz^ +||ineed2s.ro^ +||infisecure.com^ +||innerskinresearch.com^ +||instantfox.co^ +||intellimizeio.com^ +||irs01.com^ +||jams.wiki^ +||jcpclick.com^ +||jubbie.de^ +||k5a.io^ +||krxd.net^ +||kspotson.de^ +||ldgnrtn.com^ +||ldnlyap.com^ +||leadhit.io^ +||lemonpi.io^ +||liveyield.com^ +||lltrck.com^ +||lmepbq.com^ +||log.dance^ +||logicanalytics.io^ +||logtail.com^ +||loopcybersec.com^ +||lordofthesuperfrogs.com^ +||lsdm.co^ +||lyfnh.io^ +||maggieeatstheangel.com^ +||mapixl.com^ +||markadver.com^ +||matheranalytics.com^ +||mathilde-ads.com^ +||maxepv.com^ +||mb-tracking.com^ +||mbmgivexdvpajr.com^ +||mcangelus.com^ +||mdhv.io^ +||mdstats.info^ +||mediamathrdrt.com^ +||michiganrobotflower.com^ +||minstats.xyz^ +||mirabelanalytics.com^ +||mircheigeshoa.com^ +||mitour.de^ +||mitself.net^ +||ml-sys.xyz^ +||mm-api.agency^ +||mobildev.in^ +||monicaatron.com^ +||mors22.com^ +||motu-teamblue.services^ +||mrpdata.net^ +||mt48.net^ +||mysingleromance.com^ +||native-track.com^ +||niblewren.co^ +||nigelmidnightrappers.com^ +||nimblebird.co^ +||nimbleswan.io^ +||nmgassets.com^ +||nmgplatform.com^ +||nmo-ep.nl^ +||notifpush.com^ +||ns1p.net^ +||nxakpj4ac8gkd53.info^ +||o1ych4jb.com^ +||omappapi.com^ +||omtrdc.net^ +||openfpcdn.io^ +||oppuz.com^ +||opti-digital.com^ +||opticksprotection.com^ +||optistats.ovh^ +||organiccdn.io^ +||orhdev.com^ +||ostrichesica.com^ +||p7cloud.net^ +||pageid.info^ +||peiq.services^ +||permutive.app^ +||pippio.com^ +||pix.pub^ +||pixel-tracker.com^ +||pixmg.com^ +||pixrealm.com^ +||pjstat.com^ +||powerrobotflower.com^ +||prfct.co^ +||procroanalytics.com^ +||progmxs.com^ +||pushvisit.xyz^ +||pxlstat.com^ +||pzapi-ij.com^ +||pzapi-kg.com^ +||pzimff.com^ +||q0losid.com^ +||quantserve.com^ +||quickkoala.io^ +||quickpcfixer.click^ +||r42tag.com^ +||raac33.net^ +||rapidpanda.io^ +||rapidzebra.io^ +||realtimely.io^ +||reportic.app^ +||rezync.com^ +||rfpx1.com^ +||rkdms.com^ +||robotflowermobile.com^ +||rtactivate.com^ +||rum-ingress-coralogix.com^ +||rumt-sg.com^ +||s-onetag.com^ +||sbgsodufuosmmvsdf.info^ +||sc-static.net^ +||screen13.com^$image +||script.ac^ +||seadform.net^ +||selphiu.com^ +||seoab.io^ +||sf-insights.io^ +||sgmntfy.com^ +||sgstats.com^ +||shgcdn3.com^ +||site24x7rum.eu^ +||sitecounter.site^ +||sitedataprocessing.com^ +||sjpf.io^ +||snptrk.com^ +||soapfighters.com^ +||solutionshindsight.net^ +||speedyfox.io^ +||speedyrhino.co^ +||spinnaker-js.com^ +||sprtnd.com^ +||srmdata-eur.com^ +||srvgl.com^ +||ssevt.com^ +||stack-sonar.com^ +||stat.ovh^ +||statisticplatform.com^ +||statisticsplatform.com^ +||stats.rip^ +||sturton-lation.com^ +||summerhamster.com^ +||superpointlesshamsters.com^ +||sy57d8wi.com^ +||t13.io^ +||takingbackjuly.com^ +||targetemsecure.blob.core.windows.net^ +||tatpek.com^ +||techpump.com^ +||tepatonol.com^ +||test.vast^ +||testingmetriksbre.ru^ +||thefontzone.com^ +||tkrconnector.com^ +||tncid.app^ +||track-selectmedia.com^ +||trackclicks.info^ +||tracking24.net^ +||transmapp.com^ +||triplestat.online^ +||trk-maiorum.com^ +||trkapi.impact.com^ +||trkbc.com^ +||trkn.us^ +||tru.am^ +||truffle.bid^ +||trx-hub.com^$image +||tryzens-analytics.com^ +||turboeagle.co^ +||turbolion.io^ +||tvpixel.com^ +||tw.cx^ +||ugdturner.com^ +||uidapi.com^ +||uqd.io^ +||ustat.info^ +||venture-365-inspired.com^ +||venusrevival.com^ +||veozn3f.com^ +||vfghe.com^ +||videocdnmetrika.com^ +||videoplayerhub.com^ +||vkanalytics.net^ +||vmzqqmlpwwmazjnio.com^ +||vpdcp.com^ +||vstats.me^ +||wct-2.com^ +||whale3.io^ +||widgetbe.com^ +||wknd.ai^ +||wlct-one.de^ +||wlct-two.de^ +||wlt-alice.de^ +||wlt-jupiter.de^ +||wmgroup.us^ +||woodpeckerlog.com^ +||xanalytics.vip^ +||yardianalytics.com^ +||yndhi.com^ +||yottlyscript.com^ +||youborafds01.com^ +||youboranqs01.com^ +||zdbb.net^ +||zenaps.com^ +||zippyfrog.co^ +||zjptg.com^ +||zononi.com^ +||zqtk.net^ +||ztsrv.com^ +! *** easylist:easyprivacy/easyprivacy_trackingservers_thirdparty.txt *** +! easyprivacy_trackingservers_thirdparty.txt +! Third-party ||0emm.com^$third-party -||0tracker.com^$third-party -||1-cl0ud.com^$third-party -||100im.info^$third-party ||103bees.com^$third-party ||105app.com^$third-party ||11nux.com^$third-party ||123count.com^$third-party -||149.13.65.144^$third-party +||123stat.com^$third-party ||15gifts.com^$third-party -||168logger.com^$third-party -||195.10.245.55^$third-party ||1freecounter.com^$third-party ||1pel.com^$third-party ||200summit.com^$third-party ||204st.us^$third-party ||206solutions.com^$third-party -||208.88.226.75^$third-party,domain=~informer.com.ip -||212.227.100.108^$third-party -||216.18.184.18^$third-party,domain=~etahub.com.ip ||247-inc.com^$third-party -||247-inc.net^$third-party ||247ilabs.com^$third-party -||24businessnews.com^$third-party ||24counter.com^$third-party ||24log.com^$third-party -||2cnt.net^$third-party ||2o7.net^$third-party -||33across.com^$third-party ||360i.com^$third-party ||360tag.com^$third-party ||360tag.net^$third-party ||3dlivestats.com^$third-party ||3dstats.com^$third-party -||3enm.com^$third-party -||3gl.net^$third-party ||40nuggets.com^$third-party -||44-trk-srv.com^$third-party ||4oney.com^$third-party -||4spoonyexperiment.com^$third-party -||50greyofsha.de^$third-party ||55labs.com^$third-party -||62.160.52.73^$third-party -||66.228.52.30^$third-party -||67.228.151.70^$third-party ||6sc.co^$third-party -||72.172.88.25^$third-party ||720-trail.co.uk^$third-party -||74.55.82.102^$third-party ||77tracking.com^$third-party -||79.125.117.123^$third-party,domain=~amazon.cdn.ip.seen.on.cheapflight ||7bpeople.com^$third-party ||7eer.net^$third-party ||8020solutions.net^$third-party -||88infra-strat.com^$third-party ||99counters.com^$third-party ||99stats.com^$third-party -||9juj88.com^$third-party ||9nl.eu^$third-party ||a-cast.jp^$third-party ||a-counters.com^$third-party ||a-pagerank.net^$third-party ||a013.com^$third-party +||a4b-tracking.com^$third-party ||a8.net^$third-party ||a8ww.net^$third-party ||aaddzz.com^$third-party @@ -4786,122 +3582,118 @@ _mongo_stats/ ||aaxdetect.com^$third-party ||abcstats.com^$third-party ||ablsrv.com^$third-party +||ablyft.com^$third-party ||abmr.net^$third-party ||absolstats.co.za^$third-party -||abtrcking.com^$third-party +||abtshield.com^$third-party ||acc-hd.de^$third-party -||acceptableserver.com^$third-party +||accdab.net^$third-party ||access-analyze.org^$third-party -||access-traffic.com^$third-party ||accessintel.com^$third-party -||accumulatorg.com^$third-party ||acecounter.com^$third-party -||acestats.net^$third-party ||acetrk.com^$third-party ||acexedge.com^$third-party ||acint.net^$third-party ||acq.io^$third-party +||acsbap.com^$third-party +||acstat.com^$third-party ||active-trk7.com^$third-party ||activeconversion.com^$third-party ||activemeter.com^$third-party ||activeprospects.com^$third-party ||actnx.com^$third-party -||acuityplatform.com^$third-party ||acxiom-online.com^$third-party ||acxiomapac.com^$third-party -||ad-score.com^$third-party -||ad.gt^$third-party +||ad-srv-track.com^$third-party ||adabra.com^$third-party ||adalyser.com^$third-party +||adara.com^$third-party ||adblade.com^$third-party ||adblockrelief.com^$third-party -||adchemix.com^$third-party -||adchemy-content.com^$third-party -||adchemy.com^$third-party -||adclickstats.net^$third-party ||addfreestats.com^$third-party -||addlvr.com^$third-party +||addwish.com^$third-party ||adelixir.com^$third-party -||adform.net^$third-party ||adfox.ru^$third-party -||adgjl13.com^$third-party ||adgreed.com^$third-party ||adheart.de^$third-party ||adhslx.com^$third-party ||adinsight.co.kr^$third-party ||adinsight.com^$third-party -||adinsight.eu^$third-party ||adinte.jp^$third-party ||adku.co^$third-party ||adku.com^$third-party ||admantx.com^$third-party ||admaster.com.cn^$third-party ||admetric.io^$third-party -||admitad.com^$third-party -||admother.com^$third-party -||adobedtm.com^$third-party +||adobedtm.com^$third-party,domain=~adobe.com|~costco.com +||adoberesources.net^$third-party,domain=~adobe.com ||adobetag.com^$third-party +||adobetarget.com^$third-party ||adoftheyear.com^$third-party ||adoric-om.com^$third-party ||adpaths.com^$third-party ||adpies.com^$third-party -||adprotraffic.com^$third-party ||adregain.com^$third-party ||adregain.ru^$third-party ||adrizer.com^$third-party ||adrta.com^$third-party +||adsave.co^$third-party ||adsensedetective.com^$third-party -||adservicemedia.dk^$third-party -||adspsp.com^$third-party -||adsrvx.com^$third-party -||adswizz.com^$third-party -||adsymptotic.com^$third-party +||adsmatcher.com^$third-party +||adsrvr.org^$third-party ||adtarget.me^$third-party +||adtector.com^$third-party ||adtelligence.de^$third-party ||adultblogtoplist.com^$third-party ||adunity.com^$third-party +||advalo.com^$third-party ||advanced-web-analytics.com^$third-party +||advangelists.com^$third-party ||advconversion.com^$third-party ||advertising.com^$third-party +||advoncommerce.com^$third-party ||adways.com^$third-party +||adwerx.com^$third-party ||adwstats.com^$third-party ||adxadtracker.com^$third-party +||adxcel-ec2.com^$third-party ||adyapper.com^$third-party -||afairweb.com^$third-party +||aff-handler.com^$third-party +||affex.org^$third-party ||affilae.com^$third-party ||affiliateedge.eu^$third-party -||affiliates-pro.com^$third-party -||affiliatetrackingsetup.com^$third-party ||affiliatly.com^$third-party +||affilimate.com^$third-party +||affilimate.io^$third-party +||affilired.com^$third-party ||affinesystems.com^$third-party ||affinitymatrix.com^$third-party ||affistats.com^$third-party -||africal.info^$third-party +||afftrack.pro^$third-party ||afsanalytics.com^$third-party -||agencytradingdesk.net^$third-party +||afterclick.co^$third-party ||agentanalytics.com^$third-party ||agentinteractive.com^$third-party ||agilecrm.com^$third-party +||agilesrv.com^$third-party ||agilone.com^$third-party -||agkn.com^$third-party -||aidata.io^$third-party +||agrvt.com^$third-party ||aimediagroup.com^$third-party ||air2s.com^$third-party +||airbrake.io^$third-party +||airlogak.com^$third-party ||airpr.com^$third-party ||airserve.net^$third-party +||aivalabs.com^$third-party ||akanoo.com^$third-party ||akstat.com^$third-party ||akstat.io^$third-party ||albacross.com^$third-party ||alcmpn.com^$third-party -||alcvid.com^$third-party ||alenty.com^$third-party -||alexacdn.com^$third-party -||alexametrics.com^$third-party -||alltagcloud.info^$third-party ||alltracked.com^$third-party -||alnera.eu^$third-party ||alocdn.com^$third-party +||alpixtrack.com^$third-party ||altabold1.com^$third-party ||altastat.com^$third-party ||alvenda.com^$third-party @@ -4910,93 +3702,100 @@ _mongo_stats/ ||amavalet.com^$third-party ||amazingcounters.com^$third-party ||ambercrow.com^$third-party -||amctp.net^$third-party ||amikay.com^$third-party -||amilliamilli.com^$third-party ||amnet.tw^$third-party +||amp.vg^$third-party ||amplitude.com^$third-party -||ampush.io^$third-party ||amung.us^$third-party -||amxdt.com^$third-party -||analitits.com^$third-party +||analitycs.net^$third-party ||analoganalytics.com^$third-party -||analysistools.net^$third-party -||analytics-egain.com^$third-party -||analytics-engine.net^$third-party -||analyticschecker.com^$third-party +||analytically.net^$third-party +||analytics-debugger.com^$third-party +||analytics-helper.com^$third-party +||analytics.vg^$third-party +||analyticson.com^$third-party ||analyticswizard.com^$third-party -||analytk.com^$third-party +||analyzee.io^$third-party +||analyzz.com^$third-party ||anametrix.com^$third-party ||anametrix.net^$third-party -||anatid3.com^$third-party -||andagainanotherthing.com^$third-party -||andyetanotherthing.com^$third-party -||anexia-it.com^$third-party ||angelfishstats.com^$third-party ||angorch-cdr7.com^$third-party -||angsrvr.com^$third-party -||anonymousdmp.com^$third-party +||anonymised.io^$third-party ||anrdoezrs.net^$third-party +||answerbook.com^$third-party ||answerscloud.com^$third-party ||anti-cheat.info^$third-party -||ape78cn2.com^$third-party +||antiblock.info^$third-party +||anura.io^$third-party +||anytrack.io^$third-party ||apexstats.com^$third-party ||apextag.com^$third-party ||apextwo.com^$third-party +||api64.com^$third-party ||apicit.net^$third-party ||apollofind.com^$third-party -||appared.online^$third-party +||apolloprogram.io^$third-party ||appboycdn.com^$third-party +||appcast.io^$third-party +||appdynamics.com^$third-party ||appn.center^$third-party ||aprtn.com^$third-party ||aprtx.com^$third-party +||apsis1.com^$third-party +||apsislead.com^$third-party +||aptrinsic.com^$third-party ||aqtracker.com^$third-party +||aralego.net^$third-party +||arc.io^$third-party ||arcadeweb.com^$third-party -||arch-nicto.com^$third-party +||ardalio.com^$third-party ||arena-quantum.co.uk^$third-party -||arianelab.com^$third-party ||arkayne.com^$third-party ||arlime.com^$third-party -||arpuonline.com^$third-party ||arpxs.com^$third-party +||arrivalist.com^$third-party ||arrowpushengine.com^$third-party ||arsdev.net^$third-party ||artefact.is^$third-party -||arturtrack.com^$third-party +||artfut.com^$third-party ||ascend.ai^$third-party ||assoctrac.com^$third-party +||asteriresearch.com^$third-party ||astro-way.com^$third-party +||at-o.net^$third-party ||atatus.com^$third-party -||atgsvcs.com^$third-party ||athenainstitute.biz^$third-party -||atoshonetwork.com^$third-party -||atticwicket.com^$third-party +||atp.io^$third-party +||atsptp.com^$third-party ||attracta.com^$third-party ||attributionapp.com^$third-party -||audience.visiblemeasures.com^$object-subrequest,third-party -||audienceamplify.com^$third-party +||audience.systems^$third-party ||audienceiq.com^$third-party +||audienceplay.com^$third-party ||audiencerate.com^$third-party ||audiens.com^$third-party ||audrte.com^$third-party +||aufp.io^$third-party ||authorinsights.com^$third-party ||auto-ping.com^$third-party ||autoaffiliatenetwork.com^$third-party ||autoaudience.com^$third-party ||autoid.com^$third-party ||autoline-top.com^$third-party +||automizely-analytics.com^$third-party ||avantlink.com^$third-party -||avastats.com^$third-party +||avapartner.com^$third-party ||avazudsp.net^$third-party ||avenseo.com^$third-party ||avmws.com^$third-party ||awasete.com^$third-party ||awesomelytics.com^$third-party +||awfonts.com^$script,third-party ||awin1.com^$third-party -||awmcounter.de^$third-party +||awstats.cloud^$third-party ||awstrack.me^$third-party ||axf8.net^$third-party -||azalead.com^$third-party ||azera-s014.com^$third-party ||azointel.com^$third-party ||b0e8.com^$third-party @@ -5004,184 +3803,170 @@ _mongo_stats/ ||b1js.com^$third-party ||b2c.com^$third-party ||babator.com^$third-party +||baikalize.com^$third-party ||bam-x.com^$third-party ||baptisttop1000.com^$third-party +||baremetrics.com^$third-party ||barilliance.net^$third-party ||basicstat.com^$third-party ||basilic.io^$third-party ||baynote.net^$third-party +||baztrack.com^$third-party +||bbthat.com^$script,third-party ||bdash-cloud.com^$third-party ||beacon.kmi-us.com^$third-party +||beaconstreetservices.com^$third-party ||beampulse.com^$third-party ||beanstalkdata.com^$third-party ||beanstock.com^$third-party -||bebj.com^$third-party -||beeftransmission.com^$third-party ||beemray.com^$third-party ||beemrdwn.com^$third-party -||beencounter.com^$third-party ||behavioralengine.com^$third-party -||belstat.at^$third-party ||belstat.be^$third-party -||belstat.ch^$third-party ||belstat.com^$third-party ||belstat.de^$third-party ||belstat.fr^$third-party ||belstat.nl^$third-party -||benchit.com^$third-party ||benchtag2.co^$third-party ||bentonow.com^$third-party ||berg-6-82.com^$third-party ||best-top.de^$third-party ||bestcontactform.com^$~image,third-party -||bestweb2013stat.lk^$third-party ||betarget.com^$third-party -||betarget.net^$third-party -||bettermetrics.co^$third-party -||bfmio.com^$third-party +||bettermeter.com^$third-party +||beusable.net^$third-party ||bfoleyinteractive.com^$third-party +||bgpng.me^$third-party +||bidphysics.com^$third-party ||bidr.io^$third-party -||bidswitch.net^$third-party +||bidsimulator.com^$third-party +||bigbrain.me^$third-party ||bigcattracks.com^$third-party ||bigmir.net^$third-party -||bigstats.net^$third-party +||bignutty.xyz^$third-party +||bigreal.org^$third-party ||bigtracker.com^$third-party -||bikepasture.com^$third-party ||bionicclick.com^$third-party ||bizible.com^$third-party ||bizo.com^$third-party ||bizspring.net^$third-party ||bjcathay.com^$third-party -||bkrtx.com^$third-party -||bkvtrack.com^$third-party -||blizzardcheck.com^$third-party -||blockbreaker.io^$third-party +||blaick.com^$third-party +||blisspointmedia.com^$third-party +||blockdetector.org^$third-party ||blockmetrics.com^$third-party ||blog-stat.com^$third-party ||blogmeetsbrand.com^$third-party ||blogpatrol.com^$third-party ||blogrankers.com^$third-party ||blogreaderproject.com^$third-party -||blogscounter.com^$third-party -||blogsontop.com^$third-party -||blogtoplist.com^$third-party ||bluecava.com^$third-party ||blueconic.net^$third-party ||bluecore.com^$third-party -||bluekai.com^$third-party +||blueknow.com^$third-party ||blvdstatus.com^$third-party ||bm23.com^$third-party -||bm324.com^$third-party ||bmlmedia.com^$third-party ||bmmetrix.com^$third-party -||bookforest.biz^$third-party +||bnqt.com^$third-party +||bntech.io^$third-party ||boomerang.com.au^$third-party -||boomtrain.com^$third-party ||botman.ninja^$third-party ||botsvisit.com^$third-party ||bouncepilot.com^$third-party ||bouncex.com^$third-party +||bp01.net^$third-party ||bpmonline.com^$third-party +||brandlock.io^$third-party ||brat-online.ro^$third-party ||brcdn.com^$third-party ||bridgevine.com^$third-party -||brightedge.com^$third-party ||brightfunnel.com^$third-party ||brilig.com^$third-party +||brilliantcollector.com^$third-party +||britepool.com^$third-party +||bronto.com^$third-party +||browser-intake-datadoghq.eu^$third-party ||browser-statistik.de^$third-party -||brsrvr.com^$third-party -||bstk.co^$third-party +||browser-update.org^$third-party ||bstn-14-ma.com^$third-party ||btbuckets.com^$third-party -||btserve.com^$third-party -||btstatic.com^$third-party +||btncdn.com^$third-party +||bttn.io^$third-party ||btttag.com^$third-party ||bubblestat.com^$third-party ||bugherd.com^$third-party +||bugsnag.com^$third-party ||bunchbox.co^$third-party +||burpee.xyz^$third-party ||burstbeacon.com^$third-party ||burt.io^$third-party -||bux1le001.com^$third-party ||buzzdeck.com^$third-party ||bytemgdd.com^$third-party ||c-o-u-n-t.com^$third-party -||c-rings.net^$third-party -||c-webstats.de^$third-party -||c.adroll.com^$third-party ||c.hit.ua^$third-party ||c1exchange.com^$third-party ||c212.net^$third-party ||c3metrics.com^$third-party ||c3tag.com^$third-party ||c4tracking01.com^$third-party -||cache.am^$third-party -||cache.fm^$third-party +||cactusglobal.io^$third-party +||cactusmedia.com^$third-party ||cadreon.com^$third-party ||call-tracking.co.uk^$third-party -||callingjustified.com^$third-party ||callisto.fm^$third-party ||callmeasurement.com^$third-party ||callrail.com^$third-party ||callreports.com^$third-party +||calltouch.ru^$third-party ||calltrackingmetrics.com^$third-party ||calltracks.com^$third-party -||calltrk.com^$third-party ||campaigncog.com^$third-party +||campaignmonitor.com^$third-party ||canddi.com^$third-party ||canlytics.com^$third-party ||canopylabs.com^$third-party -||caphyon-analytics.com^$third-party ||captify.co.uk^$third-party ||captivate.ai^$third-party -||captora.com^$third-party +||capturehighered.net^$third-party ||capturemedia.network^$third-party ||capturly.com^$third-party -||carrotquest.io^$third-party +||carambo.la^$third-party +||caramel.press^$third-party +||cartstack.com^$third-party ||cashburners.com^$third-party ||cashcount.com^$third-party -||castelein.nu^$third-party ||cbtrk.net^$third-party ||cccpmo.com^$third-party ||ccgateway.net^$third-party -||cdn-analytics.pl^$third-party +||ccscserver.com^$third-party ||cdn-net.com^$third-party -||cdnanalytics.xyz^$third-party +||cdnlibjs.com^$third-party ||cdnmaster.com^$third-party -||cdntrf.com^$third-party +||cdnopw.com^$third-party ||cedexis.com^$third-party -||cedexis.net^$third-party ||celebros-analytics.com^$third-party ||celebrus.com^$third-party ||center.io^$third-party -||centraltag.com^$third-party ||cetrk.com^$third-party -||cformanalytics.com^$third-party ||cftrack.com^$third-party -||cguru.ga^$third-party -||chardneave.info^$third-party ||chartaca.com^$third-party ||chartbeat.com^$third-party ||chartbeat.net^$third-party -||checkmypr.net^$third-party +||checkreferrer.io^$third-party ||checkstat.nl^$third-party -||cheezburger-analytics.com^$third-party -||chickensaladandads.com^$third-party ||christiantop1000.com^$third-party -||christmalicious.com^$third-party -||chrumedia.com^$third-party -||cint.com^$third-party -||circular-counters.com^$third-party -||ck-cdn.com^$third-party -||clarifyingquack.com^$third-party +||chtbl.com^$script,third-party,xmlhttprequest +||cintnetworks.com^$third-party +||cityadstrack.com^$third-party +||cityspark.com^$third-party ||claritytag.com^$third-party +||clarium.io^$third-party ||clarivoy.com^$third-party -||cleananalytics.com^$third-party -||clearviewstats.com^$third-party -||cleveritics.com^$third-party +||clearbit.com^$third-party +||clearbitjs.com^$third-party ||clevi.com^$third-party -||click-linking.com^$third-party ||click-url.com^$third-party -||click2meter.com^$third-party ||click4assistance.co.uk^$third-party ||clickable.net^$third-party ||clickaider.com^$third-party @@ -5189,15 +3974,11 @@ _mongo_stats/ ||clickbrainiacs.com^$third-party ||clickcease.com^$third-party ||clickclick.net^$third-party -||clickcloud.info^$third-party -||clickconversion.net^$third-party ||clickdensity.com^$third-party -||clickdimensions.com^$third-party ||clickening.com^$third-party -||clickforensics.com^$third-party +||clickferret.com^$third-party +||clickguard.com^$third-party ||clickguardian.co.uk^$third-party -||clickigniter.io^$third-party -||clickinc.com^$third-party ||clickmanage.com^$third-party ||clickmeter.com^$third-party ||clickonometrics.pl^$third-party @@ -5207,46 +3988,50 @@ _mongo_stats/ ||clicksagent.com^$third-party ||clicksen.se^$third-party ||clickshift.com^$third-party -||clickstream.co.za^$third-party ||clicktale.net^$third-party -||clicktrack1.com^$third-party ||clicktracks.com^$third-party -||clicktrkservices.com^$third-party ||clickx.io^$third-party ||clickzs.com^$third-party ||clickzzs.nl^$third-party -||clixcount.com^$third-party +||clientgear.com^$third-party +||clipcentric.com^$third-party +||clixgalore.com^$third-party ||clixpy.com^$third-party ||cloud-exploration.com^$third-party ||cloud-iq.com^$third-party +||cloudiq.com^$third-party ||cloudtracer101.com^$third-party -||clustrmaps.com^$third-party -||cmcintra.net^$third-party ||cmcore.com^$third-party ||cmmeglobal.com^$third-party ||cmptch.com^$third-party ||cnt1.net^$third-party +||cnwebperformance.biz^$third-party ||cnxweb.com^$third-party ||cnzz.com^$third-party ||cobaltgroup.com^$third-party ||codata.ru^$third-party ||cogmatch.net^$third-party +||cognativex.com^$third-party ||cognitivematch.com^$third-party +||cognitivlabs.com^$third-party +||cohesionapps.com^$third-party +||coll2onf.com^$third-party ||collarity.com^$third-party +||collecting.click^$third-party ||collserve.com^$third-party ||colossusssp.com^$third-party ||commander1.com^$third-party ||company-target.com^$third-party ||compteur.cc^$third-party -||comradepony.com^$third-party +||compteur.fr^$third-party ||conductrics.com^$third-party +||conductrics.net^$third-party +||conduze.com^$third-party +||config.parsely.com^$third-party ||confirmational.com^$third-party -||confirmit.com^$third-party -||contactatonce.com^$third-party +||connectif.cloud^$third-party ||contactmonkey.com^$third-party -||contemporaryceremonies.ca^$third-party ||content-square.net^$third-party -||content.ad^$third-party ||contentinsights.com^$third-party ||contentspread.net^$third-party ||contentsquare.net^$third-party @@ -5256,196 +4041,176 @@ _mongo_stats/ ||conversionlogic.net^$third-party ||conversionly.com^$third-party ||conversionruler.com^$third-party +||convertagain.net^$third-party ||convertcart.com^$third-party ||convertexperiments.com^$third-party ||convertglobal.com^$third-party -||convertmarketing.net^$third-party ||convertro.com^$third-party ||cooladata.com^$third-party -||copacast.net^$third-party ||copperegg.com^$third-party ||coralogix.com^$third-party ||core-cen-54.com^$third-party ||coremetrics.com^$third-party ||coremotives.com^$third-party -||cormce.com^$third-party ||cost1action.com^$third-party +||count.ly^$third-party ||countby.com^$third-party +||counter.dev^$third-party ||counter.gd^$third-party -||counter.top.kg^$third-party -||counter160.com^$third-party ||counterbot.com^$third-party ||countercentral.com^$third-party ||countergeo.com^$third-party ||counterland.com^$third-party ||counters4u.com^$third-party -||counterservis.com^$third-party ||countersforlife.com^$third-party ||countertracker.com^$third-party -||counterviews.net^$third-party ||counting4free.com^$third-party -||countingbiz.info^$third-party ||countomat.com^$third-party ||countz.com^$third-party ||cpcmanager.com^$third-party -||cphalk.com^$third-party ||cpmstar.com^$third-party -||cpx.to^$third-party ||cqcounter.com^$third-party -||cquotient.com^$third-party ||craftkeys.com^$third-party ||craktraffic.com^$third-party -||crashfootwork.com^$third-party +||crashlytics.com^$third-party +||crazyclickstats.com^$third-party ||crazyegg.com^$third-party ||criteo.com^$third-party ||criteo.net^$third-party -||crmmetrix.fr^$third-party ||crmmetrixwris.com^$third-party ||crosspixel.net^$third-party ||crosswalkmail.com^$third-party ||crowdscience.com^$third-party -||crowdtwist.com^$third-party -||crsspxl.com^$third-party -||crwdcntrl.net^$third-party +||crtx.info^$third-party ||csdata1.com^$third-party -||csi-tracking.com^$third-party -||ctnsnet.com^$third-party -||cttracking02.com^$third-party +||cuberoot.co^$third-party ||curalate.com^$third-party ||customer.io^$third-party ||customerconversio.com^$third-party -||customerdiscoverytrack.com^$third-party ||customerlabs.co^$third-party ||cux.io^$third-party ||cvtr.io^$third-party -||cxense.com^$third-party -||cxt.ms^$third-party ||cya2.net^$third-party -||cybermonitor.com^$third-party -||cytoclause.com^$third-party +||cyberanalytics.nl^$third-party ||d-1.co^$third-party ||d41.co^$third-party -||dable.io^$third-party ||dacounter.com^$third-party -||dailycaller-alerts.com^$third-party ||dapxl.com^$third-party ||dashboard.io^$third-party -||data-analytics.jp^$third-party +||data-dynamic.net^$third-party ||databrain.com^$third-party +||databreakers.com^$third-party ||datacaciques.com^$third-party ||datacoral.com^$third-party ||datacoral.io^$third-party +||datacygnal.io^$third-party +||datadoghq-browser-agent.com^$third-party +||datadoghq.eu^$third-party +||datadsk.com^$third-party +||datafa.st^$third-party ||datafeedfile.com^$third-party +||datafront.co^$third-party ||datam.com^$third-party +||datamilk.app^$third-party ||datamind.ru^$third-party ||dataperforma.com^$third-party +||dataroid.com^$third-party +||datasteam.io^$third-party +||dataunlocker.com^$third-party ||dataxpand.com^$third-party +||datazoom.io^$third-party ||datvantage.com^$third-party -||daylife-analytics.com^$third-party -||daylogs.com^$third-party +||db-ip.com^$third-party ||dc-storm.com^$third-party -||dc.tremormedia.com^$third-party ||dcmn.com^$third-party ||ddm.io^$third-party +||deadlinefunnel.com^$third-party ||decdna.net^$third-party ||decibelinsight.net^$third-party ||decideinteractive.com^$third-party -||declaredthoughtfulness.co^$third-party +||deep-content.io^$third-party ||deep.bi^$third-party ||deepattention.com^$third-party +||deepchannel.com^$third-party ||dejavu.mlapps.com^$third-party ||demandbase.com^$third-party -||demdex.net^$third-party +||demandscience.com^$third-party ||departapp.com^$third-party ||deqwas.net^$third-party ||devatics.com^$third-party +||devatics.io^$third-party ||device9.com^$third-party -||dgmsearchlab.com^$third-party -||dhmtracking.co.za^$third-party +||di-capt.com^$third-party ||dialogtech.com^$third-party ||did-it.com^$third-party ||didit.com^$third-party +||didna.io^$third-party ||diffusion-tracker.com^$third-party -||digdeepdigital.com.au^$third-party +||digianalytics.fr^$third-party ||digitaloptout.com^$third-party ||digitaltarget.ru^$third-party ||digitru.st^$third-party ||dignow.org^$third-party ||dimestore.com^$third-party ||dimml.io^$third-party -||dinkstat.com^$third-party -||directrdr.com^$third-party ||discover-path.com^$third-party ||discovertrail.net^$third-party ||displaymarketplace.com^$third-party ||distiltag.com^$third-party -||distralytics.com^$third-party -||districtm.io^$third-party -||djers.com^$third-party -||dlrowehtfodne.com^$third-party -||dm-event.net^$third-party ||dmanalytics1.com^$third-party ||dmclick.cn^$third-party -||dmd53.com^$third-party ||dmpcounter.com^$third-party -||dmpxs.com^$third-party +||dmpprof.com^$third-party ||dmtracker.com^$third-party -||dmtry.com^$third-party ||dmxleo.com^$third-party +||dnsdelegation.io^$third-party +||doceree.com^$third-party ||doclix.com^$third-party +||dojomojo.com^$third-party +||dojomojo.ninja^$third-party +||domdog.io^$third-party ||dominocounter.net^$third-party ||domodomain.com^$third-party -||dotomi.com^$third-party -||doubleclick.net/activity$third-party -||doubleclick.net/imp%$third-party -||doubleclick.net/imp;$third-party -||doubleclick.net/json?$third-party -||doubleclick.net/pixel?$third-party -||doubleclick.net^$image,third-party -||doubleclick.net^*/trackimp/$third-party -||downture.in^$third-party +||donreach.com^$third-party +||dotaki.com^$third-party ||dpbolvw.net^$third-party ||dps-reach.com^$third-party +||driv-analytics.com^$third-party +||dsail-tech.com^$third-party ||dsmmadvantage.com^$third-party +||dsmstats.com^$third-party ||dsparking.com^$third-party ||dsply.com^$third-party -||dstrack2.info^$third-party ||dtc-v6t.com^$third-party ||dti-ranker.com^$third-party -||dtscout.com^$third-party ||dtxngr.com^$third-party -||dummy-domain-do-not-change.com^$third-party -||dv0.info^$third-party -||dwin1.com^$third-party -||dwin2.com^$third-party -||dynatrace.com^$third-party -||dynatracesaas.com^$third-party +||durationmedia.net^$third-party +||dvnfo.com^$third-party +||dynatrace-managed.com^$third-party +||dynatrace.com^$third-party,domain=~dynatracelabs.com ||dyntrk.com^$third-party +||e-contenta.com^$third-party ||e-goi.com^$third-party,domain=~e-goi.com.br|~e-goi.pt ||e-pagerank.net^$third-party ||e-referrer.com^$third-party ||e-webtrack.net^$third-party -||e-zeeinternet.com^$third-party -||earnitup.com^$third-party +||eacla.com^$third-party +||easy-hit-counter.com^$third-party ||easy-hit-counters.com^$third-party ||easycounter.com^$third-party ||easyhitcounters.com^$third-party ||easyresearch.se^$third-party ||ebtrk1.com^$third-party ||ec-track.com^$third-party -||eclampsialemontree.net^$third-party -||ecn5.com^$third-party ||ecommstats.com^$third-party -||ecsanalytics.com^$third-party ||ecustomeropinions.com^$third-party ||edgeadx.net^$third-party ||edigitalsurvey.com^$third-party +||eggplant.cloud^$third-party ||ekmpinpoint.co.uk^$third-party ||ekmpinpoint.com^$third-party ||ela-3-tnk.com^$third-party ||elastx.net^$third-party -||electusdigital.com^$third-party -||elite-s001.com^$third-party ||elitics.com^$third-party ||eloqua.com^$~stylesheet,third-party ||eluxer.net^$third-party @@ -5454,23 +4219,21 @@ _mongo_stats/ ||emediatrack.com^$third-party ||emjcd.com^$third-party ||emltrk.com^$third-party -||emxdgt.com^$third-party ||enecto.com^$third-party -||enectoanalytics.com^$third-party ||engageclick.com^$third-party ||engagemaster.com^$third-party +||engagetosell.com^$third-party ||engagio.com^$third-party ||engine212.com^$third-party ||engine64.com^$third-party -||enhance.com^$third-party +||enhencer.com^$third-party ||enquisite.com^$third-party ||ensighten.com^$third-party -||enticelabs.com^$third-party +||entravision.com^$third-party +||eolcdn.com^$third-party ||ep4p.com^$third-party ||eperfectdata.com^$third-party ||epilot.com^$third-party -||epiodata.com^$third-party -||episerver.net^$third-party ||epitrack.com^$third-party ||eproof.com^$third-party ||eps-analyzer.de^$third-party @@ -5479,16 +4242,16 @@ _mongo_stats/ ||esearchvision.com^$third-party ||esm1.net^$third-party ||esomniture.com^$third-party +||esputnik.com^$third-party ||estara.com^$third-party ||estat.com^$third-party ||estrack.net^$third-party ||etahub.com^$third-party -||etherealhakai.com^$third-party ||ethn.io^$third-party ||ethnio.com^$third-party +||ethyca.com^$third-party +||etp-prod.com^$third-party ||etracker.com^$third-party -||etrafficcounter.com^$third-party -||etrafficstats.com^$third-party ||etrigue.com^$third-party ||etyper.com^$third-party ||eu-survey.com^$third-party @@ -5498,85 +4261,71 @@ _mongo_stats/ ||europagerank.com^$third-party ||europuls.eu^$third-party ||europuls.net^$third-party -||evanetpro.com^$third-party -||eventbeacon.ca^$third-party -||eventcapture03.com^$third-party -||eventoptimize.com^$third-party +||eval.privateapi.click^$third-party ||everestjs.net^$third-party -||everesttech.net^$third-party ||evergage.com^$third-party ||evisitanalyst.com^$third-party -||evisitcs.com^$third-party -||evisitcs2.com^$third-party -||evolvemediametrics.com^$third-party +||evorra.net^$third-party ||evyy.net^$third-party ||ewebanalytics.com^$third-party -||ewebcounter.com^$third-party ||exactag.com^$third-party +||excited.me^$third-party ||exclusiveclicks.com^$third-party ||exelator.com^$third-party -||exitbee.com^$third-party ||exitmonitor.com^$third-party -||exovueplatform.com^$third-party +||exorigos.com^$third-party ||experianmarketingservices.digital^$third-party ||explore-123.com^$third-party ||exposebox.com^$third-party ||extole.com^$third-party -||extole.io^$third-party +||extrawatch.com^$third-party ||extreme-dm.com^$third-party +||extreme-ip-lookup.com^$third-party ||eyein.com^$third-party ||ezec.co.uk^$third-party ||ezytrack.com^$third-party ||f92j5.com^$third-party ||fabricww.com^$third-party -||factortg.com^$third-party -||fallingfalcon.com^$third-party +||faktor.io^$third-party ||fandommetrics.com^$third-party ||fanplayr.com^$third-party -||farmer.wego.com^$third-party ||fast-thinking.co.uk^$third-party ||fastanalytic.com^$third-party ||fastly-analytics.com^$third-party ||fastly-insights.com^$third-party -||fastonlineusers.com^$third-party -||fastwebcounter.com^$third-party ||fathomseo.com^$third-party -||fbgpnk.com^$third-party ||fcs.ovh^$third-party -||fdxstats.xyz^$third-party ||feathr.co^$third-party ||feedcat.net^$third-party ||feedjit.com^$third-party ||feedperfect.com^$third-party -||fetchback.com^$third-party +||figpii.com^$third-party ||fiksu.com^$third-party ||filitrac.com^$third-party ||finalid.com^$third-party +||finalyticsdata.com^$third-party ||find-ip-address.org^$third-party -||finderlocator.com^$third-party -||fishhoo.com^$third-party +||fireworkanalytics.com^$third-party +||firstpromoter.com^$third-party ||fitanalytics.com^$third-party ||flagcounter.com^$third-party ||flaghit.com^$third-party ||flash-counter.com^$third-party -||flash-stat.com^$third-party -||flashadengine.com^$third-party -||flashgamestats.com^$third-party +||flashb.id^$third-party ||flcounter.com^$third-party -||flix360.com^$third-party +||flexlinkspro.com^$third-party ||flixfacts.co.uk^$third-party ||flixsyndication.net^$third-party -||flowstats.net^$third-party -||fluctuo.com^$third-party +||flockrocket.io^$third-party +||flocktory.com^$third-party ||fluencymedia.com^$third-party ||fluidsurveys.com^$third-party ||flurry.com^$third-party ||flx1.com^$third-party ||flxpxl.com^$third-party ||flyingpt.com^$third-party -||fn-pz.com^$third-party +||fndrsp.net^$third-party ||followercounter.com^$third-party -||fonderredd.info^$third-party ||footprintdns.com^$third-party ||footprintlive.com^$third-party ||force24.co.uk^$third-party @@ -5585,16 +4334,20 @@ _mongo_stats/ ||forkcdn.com^$third-party ||formalyzer.com^$third-party ||formisimo.com^$third-party +||forter.com^$third-party +||fouanalytics.com^$third-party ||foundry42.com^$third-party ||fout.jp^$third-party ||fpctraffic2.com^$third-party +||fpjs.io^$third-party ||fprnt.com^$third-party ||fqsecure.com^$third-party -||fqtag.com^$third-party +||fraud0.com^$third-party +||fraudjs.io^$third-party ||free-counter.co.uk^$third-party ||free-counter.com^$third-party ||free-counters.co.uk^$third-party -||free-website-hit-counters.com^$third-party +||free-hit-counters.net^$third-party ||free-website-statistics.com^$third-party ||freebloghitcounter.com^$third-party ||freecountercode.com^$third-party @@ -5603,284 +4356,301 @@ _mongo_stats/ ||freegeoip.net^$third-party ||freehitscounter.org^$third-party ||freelogs.com^$third-party -||freeonlineusers.com^$third-party ||freesitemapgenerator.com^$third-party ||freestats.com^$third-party ||freetrafficsystem.com^$third-party ||freeusersonline.com^$third-party +||freevisitorcounters.com^$third-party ||freeweblogger.com^$third-party -||frescoerspica.com^$third-party ||freshcounter.com^$third-party ||freshmarketer.com^$third-party ||freshplum.com^$third-party +||freshrelevance.com^$third-party ||friendbuy.com^$third-party +||frodx.com^$third-party +||froomle.com^$third-party ||fruitflan.com^$third-party ||fsd2.digital^$third-party -||fshka.com^$third-party +||fstats.xyz^$third-party ||fstrk.net^$third-party ||ftbpro.com^$third-party +||ftz.io^$third-party ||fueldeck.com^$third-party +||fuelx.com^$third-party ||fugetech.com^$third-party +||fullcircleinsights.com^$third-party +||fullstory.com^$third-party ||funneld.com^$third-party +||funnelytics.io^$third-party ||funstage.com^$third-party -||fuse-data.com^$third-party ||fusestats.com^$third-party ||fuziontech.net^$third-party +||fwpixel.com^$third-party ||fyreball.com^$third-party +||ga-analytics.com^$third-party +||gaconnector.com^$third-party ||gameanalytics.com^$third-party ||gammachug.com^$third-party +||gatorleads.co.uk^$third-party ||gaug.es^$third-party ||gbotvisit.com^$third-party -||gear5.me^$third-party +||gc.zgo.at^$third-party ||geistm.com^$third-party ||gemius.pl^$third-party -||gemtrackers.com^$third-party -||geni.us^$third-party ||genieesspv.jp^$third-party +||geniuslinkcdn.com^$third-party +||geo-targetly.com^$third-party ||geobytes.com^$third-party +||geoip-db.com^$third-party +||geoiplookup.io^$third-party +||geolid.com^$third-party +||geolocation-db.com^$third-party ||geoplugin.net^$third-party ||georiot.com^$third-party +||geotargetly-1a441.appspot.com^$third-party +||geotargetly.co^$third-party +||getaawp.com^$third-party +||getambassador.com^$third-party ||getbackstory.com^$third-party +||getblue.io^$third-party ||getblueshift.com^$third-party ||getclicky.com^$third-party ||getconversion.net^$third-party ||getdrip.com^$third-party -||getetafun.info^$third-party ||getfreebl.com^$third-party +||getinsights.io^$third-party +||getlasso.co^$third-party ||getrockerbox.com^$third-party +||getsentry.com^$third-party,domain=~sentry.dev|~sentry.io ||getsmartcontent.com^$third-party ||getsmartlook.com^$third-party +||getstat.net^$third-party ||getstatistics.se^$third-party +||getstats.org^$third-party +||getviously.com^$third-party ||gez.io^$third-party +||giddyuptrk.com^$third-party ||gigcount.com^$third-party ||gim.co.il^$third-party -||glanceguide.com^$third-party +||glancecdn.net^$third-party,domain=~glance.net +||glassboxcdn.com^$third-party +||glassboxdigital.io^$third-party ||glbtracker.com^$third-party -||globalviptraffic.com^$third-party +||globalsiteanalytics.com^$third-party ||globalwebindex.net^$third-party ||globase.com^$third-party ||globel.co.uk^$third-party ||globetrackr.com^$third-party ||gnpge.com^$third-party -||go-mpulse.net^$third-party ||goadservices.com^$third-party -||goaltraffic.com^$third-party +||goatcounter.com^$third-party ||godhat.com^$third-party ||goingup.com^$third-party ||goldstats.com^$third-party ||goneviral.com^$third-party ||goodcounter.org^$third-party -||google-analytics.com/analytics.js -||google-analytics.com/analytics_debug.js -||google-analytics.com/batch^ -||google-analytics.com/collect -||google-analytics.com/cx/api.js -||google-analytics.com/ga_exp.js -||google-analytics.com/gtm/js? -||google-analytics.com/internal/analytics.js -||google-analytics.com/internal/collect^ -||google-analytics.com/plugins/ -||google-analytics.com/r/collect^ -||google-analytics.com/siteopt.js? +||goodmeasure.io^$third-party +||google-analytics.com^$third-party ||googleadservices.com^$third-party ||googlerank.info^$third-party -||googletagmanager.com/gtag/$third-party -||googletagmanager.com/gtm.js?$third-party ||gooo.al^$third-party ||gopjn.com^$third-party ||gostats.com^$third-party ||gostats.org^$third-party -||gostats.ro^$third-party ||govmetric.com^$third-party ||granify.com^$third-party ||grapheffect.com^$third-party ||gravity4.com^$third-party -||grepdata.com^$third-party ||grmtech.net^$third-party ||group-ib.ru^$third-party -||grumrt.com^$third-party +||growthrx.in^$third-party ||gsecondscreen.com^$third-party +||gsght.com^$third-party ||gsimedia.net^$third-party ||gsspat.jp^$third-party ||gssprt.jp^$third-party -||gstats.cn^$third-party ||gtcslt-di2.com^$third-party ||gtopstats.com^$third-party ||guanoo.net^$third-party -||guardwork.info^$third-party -||guruquicks.net^$third-party ||gvisit.com^$third-party -||gweini.com^$third-party -||h4k5.com^$third-party +||gwmtracking.com^$third-party +||hadronid.net^$third-party ||halldata.com^$third-party -||halo77.com^$third-party -||halstats.com^$third-party -||haraju.co^$third-party +||haloscan.com^$third-party +||havasedge.com^$third-party ||haveamint.com^$third-party -||hdmtools.com^$third-party ||heapanalytics.com^$third-party +||heatmap.com^$third-party ||heatmap.it^$third-party -||heatmap.services^$third-party ||hellosherpa.com^$third-party ||hentaicounter.com^$third-party ||hexagon-analytics.com^$third-party -||heyhelga.net^$third-party +||heylink.com^$third-party ||heystaks.com^$third-party ||hiconversion.com^$third-party +||hif.to^$third-party ||higherengine.com^$third-party +||highlight.io^$third-party +||highlight.run^$third-party ||highmetrics.com^$third-party ||hira-meki.jp^$third-party ||histats.com^$third-party -||hit-counter-download.com^$third-party +||hit-360.com^$third-party ||hit-counter.info^$third-party -||hit-counters.net^$third-party -||hit-counts.com^$third-party ||hit-parade.com^$third-party ||hit2map.com^$third-party ||hitbox.com^$third-party ||hitcounterstats.com^$third-party -||hitfarm.com^$third-party ||hitmatic.com^$third-party -||hitmaze-counters.net^$third-party -||hits.io^$third-party ||hits2u.com^$third-party ||hitslink.com^$third-party ||hitslog.com^$third-party ||hitsniffer.com^$third-party ||hitsprocessor.com^$third-party +||hitstatus.com^$third-party +||hitsteps.com^$third-party ||hittail.com^$third-party ||hittracker.com^$third-party ||hitwake.com^$third-party ||hitwebcounter.com^$third-party -||hivps.xyz^$third-party -||hlserve.com^$third-party -||homechader.com^$third-party -||hopurl.org^$third-party +||hmstats.com^$third-party +||hockeystack.com^$third-party +||holdonstranger.com^$third-party +||horzrb.com^$third-party ||hospitality-optimizer.com^$third-party ||host-tracker.com^$third-party ||hostip.info^$third-party -||hoststats.info^$third-party -||hotdogsandads.com^$third-party ||hotjar.com^$third-party +||hotjar.io^$third-party ||hotlog.ru^$third-party -||hqhrt.com^$third-party -||hs-analytics.net^$third-party -||hsadspixel.net^$third-party +||hscta.net^$third-party ||hubvisor.io^$third-party -||hudb.pl^$third-party +||hum.works^$third-party ||humanclick.com^$third-party +||humanpresence.app^$third-party ||hunt-leads.com^$third-party ||hurra.com^$third-party -||hurterkranach.net^$third-party ||hwpub.com^$third-party ||hxtrack.com^$third-party +||hybrid.ai^$third-party ||hyfntrak.com^$third-party ||hyperactivate.com^$third-party +||hypercounter.com^$third-party +||hyperdx.io^$third-party ||hypestat.com^$third-party -||i-stats.com^$third-party -||i401xox.com^$third-party -||iadvize.com^$third-party ||iaudienc.com^$third-party ||ib-ibi.com^$third-party +||ibeat-analytics.com^$third-party ||ibpxl.com^$third-party ||ibpxl.net^$third-party ||ic-live.com^$third-party +||icanhazip.com^$third-party ||iclive.com^$third-party -||ics0.com^$third-party ||icstats.nl^$third-party +||iculture.report^$third-party ||id-visitors.com^$third-party -||id5-sync.com^$third-party ||ideoclick.com^$third-party ||idio.co^$third-party ||idtargeting.com^$third-party ||iesnare.com^$third-party ||ifactz.com^$third-party +||ifvox.com^$third-party ||igaming.biz^$third-party -||ijncw.tv^$third-party ||iljmp.com^$third-party ||illumenix.com^$third-party ||ilogbox.com^$third-party -||imanginatium.com^$third-party +||imhd.io^$third-party ||immanalytics.com^$third-party -||impactradius-event.com^$third-party -||impcounter.com^$third-party +||impression.link^$third-party ||imrtrack.com^$third-party -||imrworldwide.com^$third-party +||imtwjwoasak.com^$third-party ||inboxtag.com^$third-party ||incentivesnetwork.net^$third-party ||index.ru^$third-party ||indexstats.com^$third-party ||indextools.com^$third-party +||indicative.com^$third-party ||indicia.com^$third-party ||individuad.net^$third-party ||ineedhits.com^$third-party ||inferclick.com^$third-party ||infinigraph.com^$third-party +||infinity-tracking.com^$third-party ||infinity-tracking.net^$third-party ||inflectionpointmedia.com^$third-party -||influid.co^$third-party ||infopro-insight.com^$third-party ||infoprodata.com^$third-party ||informz.net^$third-party +||ingest-lr.com^$third-party ||inimbus.com.au^$third-party -||innomdc.com^$third-party +||innertrends.com^$third-party ||innovateads.com^$third-party ||inphonic.com^$third-party ||inpwrd.com^$third-party ||inside-graph.com^$third-party ||insightera.com^$third-party ||insightgrit.com^$third-party -||insigit.com^$third-party ||insitemetrics.com^$third-party ||inspectlet.com^$third-party ||instadia.net^$third-party ||instana.io^$third-party +||instant.page^$third-party ||instapage.com^$third-party,domain=~pagedemo.co +||instapagemetrics.com^$third-party ||instore.biz^$third-party -||integritystat.com^$third-party -||intelevance.com^$third-party -||intelimet.com^$third-party +||intake-lr.com^$third-party ||intelli-direct.com^$third-party -||intelli-tracker.com^$third-party ||intelligencefocus.com^$third-party ||intellimize.co^$third-party +||interact-analytics.com^$third-party ||interceptum.com^$third-party -||intergient.com^$third-party ||intermundomedia.com^$third-party ||interstateanalytics.com^$third-party ||intervigil.com^$third-party -||invisioncloudstats.com^$third-party +||investingchannel.com^$third-party ||invitemedia.com^$third-party +||invitereferrals.com^$third-party ||invoc.us^$third-party ||invoca.net^$third-party ||invoca.solutions^$third-party +||io1g.net^$third-party ||iocnt.net^$third-party -||ionmvdpifz.com^$third-party +||iotechnologies.com^$third-party +||iovation.com^$third-party ||ip-label.net^$third-party +||ip-tracker.org^$third-party +||ip2c.org^$third-party ||ip2location.com^$third-party ||ip2map.com^$third-party ||ip2phrase.com^$third-party ||ipaddresslabs.com^$third-party ||ipapi.co^$third-party ||ipcatch.com^$third-party -||ipcounter.de^$third-party +||iper2.com^$third-party ||iperceptions.com^$third-party +||ipfind.com^$third-party ||ipfingerprint.com^$third-party -||ipify.org^$third-party +||ipgp.net^$third-party ||ipinfo.info^$third-party ||ipinfodb.com^$third-party ||ipinyou.com.cn^$third-party +||iplist.cc^$third-party ||iplocationtools.com^$third-party +||iplogger.org^$third-party,domain=~iplogger.com +||ipmeta.io^$third-party +||ipnoid.com^$third-party ||ipro.com^$third-party ||iproanalytics.com^$third-party ||iprotrk.com^$third-party -||ipstat.com^$third-party +||iptrack.io^$third-party ||ipv6monitoring.eu^$third-party +||iqdata.ai^$third-party ||iqfp1.com^$third-party -||irelandmetrix.ie^$third-party +||iqm.com^$third-party ||ironbeast.io^$third-party ||ist-track.com^$third-party ||istrack.com^$third-party +||ithinkthereforeiam.net^$third-party ||itrac.it^$third-party ||itracker360.com^$third-party ||itrackerpro.com^$third-party @@ -5888,28 +4658,24 @@ _mongo_stats/ ||ivcbrasil.org.br^$third-party ||ivwbox.de^$third-party ||iwebtrack.com^$third-party -||iwstats.com^$third-party ||ixiaa.com^$third-party +||izatcloud.net^$third-party ||izea.com^$third-party ||izearanks.com^$third-party -||janrain.xyz^$third-party -||jdoqocy.com^$third-party -||jimdo-stats.com^$third-party +||izooto.com^$third-party ||jirafe.com^$third-party -||jscounter.com^$third-party -||jsid.info^$third-party -||jsonip.com^$third-party +||jixie.io^$third-party +||journera.com^$third-party +||journity.com^$third-party +||js-delivr.com^$third-party ||jstracker.com^$third-party -||jump-time.net^$third-party ||jumplead.com^$third-party -||jumplead.io^$third-party -||jumptime.com^$third-party -||junta.net^$third-party ||justuno.com^$third-party ||jwmstats.com^$third-party ||k-analytix.com^$third-party ||kameleoon.com^$third-party ||kameleoon.eu^$third-party +||kaminari.click^$third-party ||kampyle.com^$third-party ||kantartns.lt^$third-party ||kaxsdc.com^$third-party @@ -5920,99 +4686,109 @@ _mongo_stats/ ||keywee.co^$third-party ||keywordmax.com^$third-party ||keywordstrategy.org^$third-party +||kickfire.com^$third-party ||kieden.com^$third-party -||killerwebstats.com^$third-party ||kilometrix.de^$third-party ||kissmetrics.com^$third-party -||kisstesting.com^$third-party +||kissmetrics.io^$third-party ||kitbit.net^$third-party -||kitcode.net^$third-party +||kiwihk.net^$third-party ||klert.com^$third-party ||klldabck.com^$third-party ||km-sea.net^$third-party -||knowlead.io^$third-party +||kmtx.io^$third-party +||knorex.com^$third-party +||knotch-cdn.com^$third-party ||knowledgevine.net^$third-party ||koddi.com^$third-party +||koji-analytics.com^$third-party +||kokos.click^$third-party ||komtrack.com^$third-party -||kontagent.net^$third-party ||kopsil.com^$third-party -||kqzyfj.com^$third-party -||krxd.net^$third-party ||ksyrium0014.com^$third-party -||ktxtr.com^$third-party ||l2.io^$third-party -||l2.visiblemeasures.com^$object-subrequest,third-party -||ladsp.com^$third-party -||lanchaeanly.pro^$third-party ||landingpg.com^$third-party -||lansrv030.com^$third-party ||lasagneandands.com^$third-party ||lead-123.com^$third-party -||lead-converter.com^$third-party -||lead-tracking.biz^$third-party +||leadberry.com^$third-party +||leadbi.com^$third-party ||leadboxer.com^$third-party ||leadchampion.com^$third-party +||leaddyno.com^$third-party +||leadelephant.com^$third-party ||leadfeeder.com^$third-party ||leadforce1.com^$third-party ||leadforensics.com^$third-party -||leadformix.com^$third-party ||leadid.com^$third-party ||leadin.com^$third-party +||leadinfo.net^$third-party ||leadintel.io^$third-party ||leadintelligence.co.uk^$third-party ||leadlab.click^$third-party ||leadlife.com^$third-party ||leadmanagerfx.com^$third-party ||leadsius.com^$third-party +||leadsleap.com^$third-party ||leadsmonitor.io^$third-party +||leadspace.com^$third-party ||leadsrx.com^$third-party +||leafmedia.io^$third-party ||leanplum.com^$third-party ||legolas-media.com^$third-party -||les-experts.com^$third-party +||lemnisk.co^$third-party ||letterboxtrail.com^$third-party ||levexis.com^$third-party ||lexity.com^$third-party +||lfeeder.com^$third-party ||lfov.net^$third-party -||liadm.com^$third-party -||lijit.com^$third-party -||limbik.io^$third-party ||linezing.com^$third-party -||link-smart.com^$third-party ||linkconnector.com^$third-party +||linkifier.com^$third-party ||linkpulse.com^$third-party +||linksnappy.com^$third-party ||linksynergy.com^$third-party ||linkxchanger.com^$third-party -||listrakbi.com^$third-party +||listenlayer.com^$third-party ||litix.io^$third-party -||livecount.fr^$third-party -||livehit.net^$third-party ||livesegmentservice.com^$third-party ||livesession.io^$third-party ||livestat.com^$third-party ||livetrafficfeed.com^$third-party +||llanalytics.com^$third-party ||lloogg.com^$third-party +||lngtd.com^$third-party +||loc.kr^$third-party ||localytics.com^$third-party ||lockview.cn^$third-party ||locotrack.net^$third-party ||logaholic.com^$third-party +||logbor.com^$third-party ||logcounter.com^$third-party ||logdy.com^$third-party ||logentries.com^$third-party -||logger.pw^$third-party ||loggly.com^$third-party +||logicsfort.com^$third-party +||loginfra.com^$third-party ||logmatic.io^$third-party ||lognormal.net^$third-party +||logr-ingest.com^$third-party ||logrocket.com^$third-party ||logrocket.io^$third-party -||logsss.com^$third-party +||logz.io^$third-party ||lookery.com^$third-party +||loomi-prod.xyz^$third-party ||loopa.net.au^$third-party ||loopfuse.net^$third-party ||lopley.com^$third-party +||lordoftheentertainingostriches.com^$third-party ||losstrack.com^$third-party ||lp4.io^$third-party -||lpbeta.com^$third-party ||lporirxe.com^$third-party +||lr-in-prod.com^$third-party +||lr-in.com^$third-party +||lr-ingest.com^$third-party +||lr-ingest.io^$third-party +||lr-intake.com^$third-party ||lsfinteractive.com^$third-party ||lucidel.com^$third-party ||luckyorange.com^$third-party @@ -6020,7 +4796,6 @@ _mongo_stats/ ||lumatag.co.uk^$third-party ||luminate.com^$third-party ||lxtrack.com^$third-party -||lymantriacypresdoctrine.biz^$third-party ||lyngro.com^$third-party ||lypn.com^$third-party ||lypn.net^$third-party @@ -6028,10 +4803,12 @@ _mongo_stats/ ||lytiks.com^$third-party ||m-pathy.com^$third-party ||m-t.io^$third-party -||m1ll1c4n0.com^$third-party +||m0mentum.net^$third-party +||m365log.com^$third-party ||m6r.eu^$third-party ||mabipa.com^$third-party -||macandcheeseandads.com^$third-party +||madkudu.com^$third-party +||magicpixel.io^$third-party ||magiq.com^$third-party ||magnetmail1.net^$third-party ||magnify360.com^$third-party @@ -6039,124 +4816,126 @@ _mongo_stats/ ||maploco.com^$third-party ||mapmyuser.com^$third-party ||marinsm.com^$third-party -||market015.com^$third-party -||market2lead.com^$third-party +||marketingcloudfx.com^$third-party ||marketizator.com^$third-party -||marketo.com^$third-party -||marketo.net^$third-party ||marketperf.com^$third-party ||marketshot.com^$third-party ||marketshot.fr^$third-party ||maropost.com^$third-party -||martianstats.com^$third-party -||maryneallynndyl.com^$third-party +||marvelmetrix.com^$third-party ||masterstats.com^$third-party -||matheranalytics.com^$third-party +||masterworks.digital^$third-party ||mathtag.com^$third-party ||matomo.cloud^$third-party +||matterlytics.com^$third-party ||maxtracker.net^$third-party ||maxymiser.com^$third-party ||maxymiser.net^$third-party ||mb4a.com^$third-party -||mbid.io^$third-party ||mbotvisit.com^$third-party ||mbsy.co^$third-party ||mbww.com^$third-party -||md-ia.info^$third-party -||mdotlabs.com^$third-party -||mdxapi.io^$third-party ||measure.ly^$third-party +||measured.com^$third-party ||measuremap.com^$third-party ||measurementapi.com^$third-party -||meatballsandads.com^$third-party ||media01.eu^$third-party ||mediaarmor.com^$third-party ||mediaforgews.com^$third-party ||mediagauge.com^$third-party +||mediaglacier.com^$third-party +||mediago.io^$third-party ||mediametrics.ru^$third-party ||mediaplex.com^$third-party ||mediarithmics.com^$third-party -||mediaseeding.com^$third-party ||mediaweaver.jp^$third-party ||mediego.com^$third-party ||mega-stats.com^$third-party ||memecounter.com^$third-party +||memo.co^$third-party ||mercadoclics.com^$third-party ||mercent.com^$third-party -||metakeyproducer.com^$third-party +||merchant-center-analytics.goog^$third-party +||metarouter.io^$third-party ||meteorsolutions.com^$third-party +||metricode.com^$third-party ||metricool.com^$third-party +||metrics0.com^$third-party ||metricsdirect.com^$third-party -||meyersdalebixby.com^$third-party +||metricswave.com^$third-party ||mezzobit.com^$third-party -||mfadsrvr.com^$third-party +||mgln.ai^$third-party +||miadates.com^$third-party ||mialbj6.com^$third-party -||micpn.com^$third-party +||micpn.com^$script,third-party +||microanalytics.io^$third-party ||midas-i.com^$third-party -||midkotatraffic.net^$third-party ||mieru-ca.com^$third-party -||millioncounter.com^$third-party ||minewhat.com^$third-party +||minkatu.com^$third-party +||mirabelsmarketingmanager.com^$third-party +||mixi.mn^$third-party ||mixpanel.com^$third-party ||mkt3261.com^$third-party ||mkt51.net^$third-party +||mkt6333.com^$third-party ||mkt941.com^$third-party ||mktoresp.com^$third-party -||ml314.com^$third-party +||ml-attr.com^$third-party ||mlclick.com^$third-party -||mletracker.com^$third-party ||mlno6.com^$third-party -||mlstat.com^$third-party ||mm7.net^$third-party ||mmccint.com^$third-party -||mmetrix.mobi^$third-party -||mmi-agency.com^$third-party ||mno.link^$third-party ||mobalyzer.net^$third-party +||mobee.xyz^$third-party ||mochibot.com^$third-party +||mockingfish.com^$third-party ||momently.com^$third-party +||mon-pagerank.com^$third-party ||monetate.net^$third-party ||mongoosemetrics.com^$third-party ||monitis.com^$third-party ||monitus.net^$third-party -||monu.delivery^$third-party +||monsido.com^$third-party +||monstat.com^$third-party ||mooseway.com^$third-party +||mopinion.com^$third-party ||motrixi.com^$third-party ||mouse3k.com^$third-party ||mouseflow.com^$third-party ||mousestats.com^$third-party ||mousetrace.com^$third-party +||movable-ink-397.com^$third-party ||movable-ink-6710.com^$third-party ||mparticle.com^$third-party +||mpianalytics.com^$third-party +||mpio.io^$third-party ||mplxtms.com^$third-party -||mppapi.io^$third-party ||mpstat.us^$third-party ||msecure108.com^$third-party ||msgapp.com^$third-party +||msgfocus.com^$third-party ||msgtag.com^$third-party -||msparktrk.com^$third-party -||mstracker.net^$third-party ||mstrlytcs.com^$third-party ||mtracking.com^$third-party -||mtrics.cdc.gov^$third-party -||mucocutaneousmyrmecophaga.com^$third-party ||murdoog.com^$third-party ||musthird.com^$third-party +||mutinycdn.com^$third-party +||mutinyhq.io^$third-party ||mvilivestats.com^$third-party ||mvtracker.com^$third-party ||mxcdn.net^$third-party ||mxpnl.com^$third-party -||mxptint.net^$third-party ||myaffiliateprogram.com^$third-party -||myaudience.de^$third-party ||mybloglog.com^$third-party ||myfastcounter.com^$third-party +||myfidevs.io^$third-party ||mynewcounter.com^$third-party ||mynsystems.com^$third-party ||myntelligence.com^$third-party ||myomnistar.com^$third-party ||mypagerank.net^$third-party -||myreferer.com^$third-party ||myroitracking.com^$third-party ||myseostats.com^$third-party ||mysitetraffic.net^$third-party @@ -6164,15 +4943,13 @@ _mongo_stats/ ||mytictac.com^$third-party ||mytrack.pro^$third-party ||myusersonline.com^$third-party -||myvisualiq.net^$third-party +||myvisitorcounter.com^$third-party ||mywebstats.com.au^$third-party ||mywebstats.org^$third-party +||n-analytics.io^$third-party ||n74s9.com^$third-party ||naayna.com^$third-party ||naj.sk^$third-party -||nakanohito.jp^$third-party -||nalook.com^$third-party -||nanovisor.io^$third-party ||natero.com^$third-party ||native.ai^$third-party ||natpal.com^$third-party @@ -6181,18 +4958,13 @@ _mongo_stats/ ||navigator.io^$third-party ||navilytics.com^$third-party ||naytev.com^$third-party -||ndf81.com^$third-party +||ncaudienceexchange.com^$third-party ||ndg.io^$third-party -||neads.delivery^$third-party ||neatstats.com^$third-party -||nedstat.com^$third-party -||nedstat.net^$third-party ||nedstatbasic.net^$third-party -||nedstatpro.net^$third-party -||neki.org^$third-party -||nerfherdersolo.com^$third-party +||nejmqianyan.cn^$third-party +||nelioabtesting.com^$third-party ||nero.live^$third-party -||nestedmedia.com^$third-party ||net-filter.com^$third-party ||netaffiliation.com^$script,third-party ||netapplications.com^$third-party @@ -6202,646 +4974,653 @@ _mongo_stats/ ||netcoresmartech.com^$third-party ||netflame.cc^$third-party ||netgraviton.net^$third-party -||netinsight.co.kr^$third-party ||netmining.com^$third-party ||netmng.com^$third-party ||netratings.com^$third-party -||newpoints.info^$third-party -||newscurve.com^$third-party -||newstatscounter.info^$third-party -||nexeps.com^$third-party +||netrefer.com^$third-party +||newrelic.com^$third-party +||newrrb.bid^$third-party ||nextstat.com^$third-party +||nexx360.io^$third-party ||ngmco.net^$third-party ||nicequest.com^$third-party -||nicewii.com^$third-party ||niftymaps.com^$third-party ||nik.io^$third-party -||nile.works^$third-party +||ninjacat.io^$third-party +||nmrodam.com^$third-party +||noibu.com^$third-party ||noowho.com^$third-party ||nordicresearch.com^$third-party ||northstartravelmedia.com^$third-party ||notifyvisitors.com^$third-party -||novately.com^$third-party ||nowinteract.com^$third-party ||npario-inc.net^$third-party ||nprove.com^$third-party ||nr-data.net^$third-party ||nr7.us^$third-party ||nrich.ai^$third-party -||ns1p.net^$third-party ||nstracking.com^$third-party -||nuconomy.com^$third-party ||nuggad.net^$third-party +||nullitics.com^$third-party ||nuloox.com^$third-party ||numerino.cz^$third-party -||nyctrl32.com^$third-party +||nyltx.com^$third-party ||nytlog.com^$third-party ||o-s.io^$third-party ||observerapp.com^$third-party ||octavius.rocks^$third-party ||octomarket.com^$third-party -||od.visiblemeasures.com^$object-subrequest,third-party -||odesaconflate.com^$third-party ||odoscope.com^$third-party ||offermatica.com^$third-party -||offerpoint.net^$third-party ||offerstrategy.com^$third-party ||ogt.jp^$third-party -||ogxatekkyzr.com^$third-party +||ohayoo.io^$third-party ||ohmystats.com^$third-party -||oidah.com^$third-party -||ojrq.net^$third-party ||okt.to^$third-party ||oktopost.com^$third-party -||omarsys.com^$third-party -||omeda.com^$third-party ||ometria.com^$third-party ||omguk.com^$third-party ||omkt.co^$third-party ||omniconvert.com^$third-party -||omtrdc.net^$third-party ||onaudience.com^$third-party ||ondu.ru^$third-party -||onecount.net^$third-party +||onedollarstats.com^$third-party ||onefeed.co.uk^$third-party -||onelink-translations.com^$third-party +||onelink.me^$image,script,third-party ||onestat.com^$third-party -||onetag-sys.com^$third-party -||ongsono.com^$third-party -||online-media-stats.com^$third-party +||oniad.com^$third-party ||online-metrix.net^$third-party -||online-right-now.net^$third-party ||onlinepbx.ru^$third-party -||onlysix.co.uk^$third-party -||onthe.io^$script,third-party +||onthe.io^$third-party ||opbandit.com^$third-party ||openclick.com^$third-party ||openhit.com^$third-party +||openlog.in^$third-party ||openstat.net^$third-party ||opentracker.net^$third-party ||openvenue.com^$third-party -||openxtracker.com^$third-party ||oproi.com^$third-party +||opstag.com^$third-party ||optify.net^$third-party -||optimahub.com^$third-party ||optimix.asia^$third-party -||optimizely.com^$third-party ||optimost.com^$third-party -||optin-machine.com^$third-party +||optimove.net^$third-party ||optorb.com^$third-party -||optreadetrus.info^$third-party +||optoutadvertising.com^$third-party +||oracleinfinity.io^$third-party ||oranges88.com^$third-party ||orcapia.com^$third-party ||oribi.io^$third-party -||os-data.com^$third-party ||ositracker.com^$third-party -||ospserver.net^$third-party ||otoshiana.com^$third-party -||otracking.com^$third-party ||ournet-analytics.com^$third-party ||outbid.io^$third-party -||outboundlink.me^$third-party +||outbrainimg.com^$third-party ||overstat.com^$third-party -||owlanalytics.io^$third-party +||overtracking.com^$third-party +||owltrack.com^$third-party ||ownpage.fr^$third-party +||ox-bio.com^$third-party ||oxidy.com^$third-party ||p-td.com^$third-party -||p.l1v.ly^$third-party ||p.raasnet.com^$third-party ||p0.raasnet.com^$third-party -||p2r14.com^$third-party ||pa-oa.com^$third-party +||pabidding.io^$third-party ||pagefair.com^$third-party ||pages05.net^$third-party -||paidstats.com^$third-party +||pagesense.io^$third-party +||pageview.click^$third-party +||parametre.online^$third-party ||parklogic.com^$third-party ||parrable.com^$third-party +||particularaudience.com^$third-party ||pass-1234.com^$third-party -||pathful.com^$third-party -||pc1.io^$third-party -||pclicks.com^$third-party +||pbbl.co^$third-party +||pbgrd.com^$third-party +||pbstck.com^$third-party ||pcspeedup.com^$third-party ||pdbu.net^$third-party -||peep1alea.com^$third-party +||pdmntn.com^$third-party +||pdst.fm^$script,third-party ||peerius.com^$third-party -||pega.com^$third-party +||pendo.io^$third-party ||percentmobile.com^$third-party -||perfdrive.com^$third-party +||perf-serving.com^$third-party +||perfalytics.com^$third-party ||perfectaudience.com^$third-party ||perfiliate.com^$third-party -||perfops.net^$third-party -||performanceanalyser.net^$third-party +||perfops.io^$third-party ||performancerevenues.com^$third-party -||performtracking.com^$third-party -||perimeterx.net^$third-party ||perion.com^$third-party +||perljs.com^$third-party ||permutive.com^$third-party -||personalicanvas.com^$third-party ||personyze.com^$third-party -||petametrics.com^$third-party +||pghub.io^$third-party +||pgs.io^$third-party,domain=~publicgood.com ||phonalytics.com^$third-party ||phone-analytics.com^$third-party ||photorank.me^$third-party ||pi-stats.com^$third-party -||pickzor.com^$third-party -||pikzor.com^$third-party ||ping-fast.com^$third-party -||pingagenow.com^$third-party ||pingdom.net^$third-party ||pingil.com^$third-party +||pingmeter.com^$third-party ||pingomatic.com^$third-party -||pipfire.com^$third-party -||pippio.com^$third-party -||piwik.pro^$third-party +||pingometer.com^$third-party +||pinpoll.com^$third-party +||piratepx.com^$third-party +||pirsch.io^$third-party +||piwik.pro^$third-party,domain=~clearcode.cc|~clearcode.pl|~piwikpro.de ||pixel.ad^$third-party -||pixel.parsely.com^$third-party ||pixel.watch^$third-party ||pixeleze.com^$third-party ||pixelinteractivemedia.com^$third-party +||pixelpop.co^$third-party ||pixelrevenue.com^$third-party -||pixelsnippet.com^$third-party -||pizzaandads.com^$third-party +||pixeltracker.co^$third-party +||pixeltracker.im^$third-party +||pixfuture.com^$third-party ||pjatr.com^$third-party ||pjtra.com^$third-party ||placemypixel.com^$third-party ||platformpanda.com^$third-party +||plausible-analytics.xyz^$third-party +||plausible.avris.it^$third-party +||plausible.io^$third-party +||plavxml.com^$third-party ||plecki.com^$third-party ||pleisty.com^$third-party +||plerdy.com^$third-party ||plexop.com^$third-party ||plugin.ws^$third-party -||plwosvr.net^$third-party ||pm0.net^$third-party ||pm14.com^$third-party ||pnstat.com^$third-party ||pntra.com^$third-party ||pntrac.com^$third-party ||pntrs.com^$third-party -||pointomatic.com^$third-party +||podcorn.com^$third-party +||podscribe.com^$third-party +||poeticmetric.com^$third-party +||pointillist.com^$third-party +||pointmediatracker.com^$third-party +||polaranalytics.com^$third-party ||polarcdn-pentos.com^$third-party +||pop6serve.com^$third-party ||popsample.com^$third-party -||popt.in^$third-party +||popt.in^$third-party,domain=~poptin.com ||populr.me^$third-party +||popupmaker.com^$third-party ||porngraph.com^$third-party ||portfold.com^$third-party ||posst.co^$third-party -||postaffiliatepro.com^$third-party -||postclickmarketing.com^$third-party -||ppclocation.biz^$third-party -||ppctracking.net^$third-party +||pranmcpkx.com^$third-party ||prchecker.info^$third-party +||prebidmanager.com^$third-party ||precisioncounter.com^$third-party ||predicta.net^$third-party -||predictivedna.com^$third-party ||predictiveresponse.net^$third-party -||prfct.co^$third-party +||premiumimpression.com^$third-party +||presage.io^$third-party +||privymktg.com^$third-party ||prnx.net^$third-party -||pro6e.com^$third-party ||proclivitysystems.com^$third-party -||profilertracking3.com^$third-party -||profilesnitch.com^$third-party -||projecthaile.com^$third-party +||profitmetrics.io^$third-party +||programmatictrader.com^$third-party ||projectsunblock.com^$third-party ||promotionengine.com^$third-party ||proofpoint.com^$third-party ||proofpositivemedia.com^$third-party +||propermessage.io^$third-party ||provenpixel.com^$third-party +||provify.io^$third-party +||prprocess.com^$third-party ||prtracker.com^$third-party ||pstats.com^$third-party -||psyma-statistics.com^$third-party ||pt-trx.com^$third-party ||ptengine.cn^$third-party ||ptengine.com^$third-party ||ptengine.jp^$third-party ||ptmind.com^$third-party ||pto-slb-09.com^$third-party -||ptp123.com^$third-party ||ptrk-wn.com^$third-party +||ptztvpremium.com^$third-party +||pubdream.com^$third-party +||pubexchange.com^$third-party +||publicgood.com^$third-party ||publicidees.com^$third-party ||publishflow.com^$third-party +||publytics.net^$third-party +||pubperf.com^$third-party +||pubplus.com^$third-party ||pubstack.io^$third-party ||pulleymarketing.com^$third-party +||pulseinsights.com^$third-party ||pulselog.com^$third-party ||pulsemaps.com^$third-party -||pureairhits.com^$third-party ||purevideo.com^$third-party -||putags.com^$third-party -||pxf.io^$third-party +||pushauction.com^$third-party +||pushspring.com^$third-party +||pvd.to^$third-party +||pxaction.com^$third-party +||pxf.io^$image,script,third-party ||pxi.pub^$third-party ||pymx5.com^$third-party -||pzkysq.pink^$third-party +||pzz.events^$third-party ||q-counter.com^$third-party ||q-stats.nl^$third-party ||qbaka.net^$third-party ||qbop.com^$third-party -||qdtracking.com^$third-party -||qlfsat.co.uk^$third-party +||qflm.net^$third-party ||qlitics.com^$third-party -||qlzn6i1l.com^$third-party ||qoijertneio.com^$third-party +||qortex.ai^$third-party ||qsstats.com^$third-party ||quadran.eu^$third-party +||qualaroo.com^$third-party ||quantcount.com^$third-party -||quantserve.com/api/ -||quantserve.com/pixel/$object-subrequest,third-party -||quantserve.com^$~object-subrequest,third-party -||quantserve.com^*.swf?$object-subrequest,third-party -||quantserve.com^*^a=$object-subrequest,third-party ||quantummetric.com^$third-party +||quartic.pl^$third-party ||qubitproducts.com^$third-party -||questionpro.com^$third-party +||questionpro.com^$third-party,domain=~questionpro.com.au|~questionpro.eu ||questradeaffiliates.com^$third-party ||quillion.com^$third-party ||quintelligence.com^$third-party +||quitsnap-blue.com^$third-party ||qzlog.com^$third-party ||r7ls.net^$third-party ||radarstats.com^$third-party -||radarurl.com^$third-party -||radiomanlibya.com^$third-party +||radiateb2b.com^$third-party ||rampanel.com^$third-party ||rampmetrics.com^$third-party -||rank-hits.com^$third-party ||rankingpartner.com^$third-party ||rankinteractive.com^$third-party ||rapidcounter.com^$third-party ||rapidstats.net^$third-party ||rapidtrk.net^$third-party ||rating.in^$third-party +||ravelin.click^$third-party +||rdcdn.com^$third-party ||reachforce.com^$third-party -||reachsocket.com^$third-party +||reachlocalservices.com^$third-party ||reactful.com^$third-party -||reactrmod.com^$third-party ||readertracking.com^$third-party ||readnotify.com^$third-party -||real5traf.ru^$third-party ||realcounter.eu^$third-party ||realcounters.com^$third-party -||realtimeplease.com^$third-party +||reallyfreegeoip.org^$third-party +||realtimewebstats.com^$third-party ||realtimewebstats.net^$third-party ||realtracker.com^$third-party -||realtracking.ninja^$third-party ||realytics.io^$third-party ||realzeit.io^$third-party +||recapture.io^$third-party +||recognified.net^$third-party +||recosenselabs.com^$third-party ||recoset.com^$third-party ||recruitics.com^$third-party ||redcounter.net^$third-party +||redfastlabs.com^$third-party ||redistats.com^$third-party ||redstatcounter.com^$third-party ||reedbusiness.net^$third-party -||reedge.com^$third-party ||referer.org^$third-party ||referforex.com^$third-party -||referlytics.com^$third-party -||referrer.org^$third-party +||referralrock.com^$third-party ||refersion.com^$third-party ||reinvigorate.net^$third-party ||relead.com^$third-party +||relevant-digital.com^$third-party ||reliablecounter.com^$third-party ||relmaxtop.com^$third-party -||remarketingpixel.com^$third-party +||remailtarget.com^$third-party ||remarketstats.com^$third-party -||rep0pkgr.com^$third-party +||remind.me^$third-party +||renderbetter.net^$third-party ||repixel.co^$third-party +||replaybird.com^$third-party +||report-uri.com^$third-party ||report-uri.io^$third-party +||requestmetrics.com^$third-party ||res-x.com^$third-party ||research-tool.com^$third-party -||researchnow.co.uk^$third-party -||reson8.com^$third-party +||researchintel.com^$third-party +||researchnow.co.uk^$third-party,domain=~dynata.com +||researchnow.com^$third-party +||resetdigital.co^$third-party ||responsetap.com^$third-party ||resulticks.com^$third-party -||retags.us^$third-party +||retargetapp.com^$third-party ||retargetly.com^$third-party ||retargettracker.com^$third-party ||retentionscience.com^$third-party ||rettica.com^$third-party -||reussissonsensemble.fr^$third-party -||revdn.net^$third-party +||returnpath.net^$third-party ||revenuepilot.com^$third-party ||revenuescience.com^$third-party ||revenuewire.net^$third-party +||revhunter.tech^$third-party +||revlifter.io^$third-party +||revoffers.com^$third-party ||revolvermaps.com^$third-party -||revsw.net^$third-party ||rewardtv.com^$third-party ||reztrack.com^$third-party -||rezync.com^$third-party -||rfihub.com^$third-party -||rfksrv.com^$third-party ||rfr-69.com^$third-party ||rhinoseo.com^$third-party ||riastats.com^$third-party ||richard-group.com^$third-party ||richmetrics.com^$third-party -||ritecounter.com^$third-party +||rightmoveanalytics.co.uk^$third-party +||riskid.security^$third-party ||rivrai.com^$third-party -||rkdms.com^$third-party +||rktch.com^$third-party ||rktu.com^$third-party -||rlcdn.com^$third-party +||rlets.com^$third-party ||rmtag.com^$third-party ||rnengage.com^$third-party ||rng-snp-003.com^$third-party ||rnlabs.com^$third-party ||rockincontent.net^$third-party +||roeye.com^$third-party +||roeyecdn.com^$third-party ||roi-pro.com^$third-party ||roi-rocket.net^$third-party -||roia.biz^$third-party +||roirevolution.com^$third-party ||roiservice.com^$third-party ||roispy.com^$third-party -||roitesting.com^$third-party -||roivista.com^$third-party -||rollingcounters.com^$third-party +||rollbar.com^$third-party ||roosterfirework.com^$third-party -||rp-rep.net^$third-party -||rpdtrk.com^$third-party -||rqtrk.eu^$third-party -||rrimpl.com^$third-party ||rs0.co.uk^$third-party -||rs6.net^$third-party -||rstg.io^$third-party -||rsvpgenius.com^$third-party +||rs6.net^$image,script,third-party ||rtb123.com^$third-party -||rtbauction.com^$third-party -||rtfn.net^$third-party -||rtmark.net^$third-party +||rtbiq.com^$third-party +||rtox.net^$third-party ||rtrk.co.nz^$third-party ||rtrk.com^$third-party ||ru4.com^$third-party +||rudderlabs.com^$third-party ||rumanalytics.com^$third-party ||rumpelstiltskinhead.com^$third-party -||runtnc.net^$third-party +||runconverge.com^$third-party ||rztrkr.com^$third-party -||s-onetag.com^$third-party ||s3s-main.net^$third-party +||safe-click.net^$third-party +||safeanalytics.net^$third-party +||safevisit.online^$third-party ||sageanalyst.net^$third-party -||sajari.com^$third-party +||sailthru.com^$third-party ||salecycle.com^$third-party -||salemove.com^$third-party -||salesgenius.com^$third-party -||salesmanago.pl^$third-party ||salesviewer.com^$third-party ||salesviewer.org^$third-party -||saletrack.co.uk^$third-party +||san-spr-01.net^$third-party ||sapha.com^$third-party -||sarevtop.com^$third-party ||sas15k01.com^$third-party +||say.ac^$third-party ||sayutracking.co.uk^$third-party -||sbdtds.com^$third-party -||sc-static.net^$third-party +||sbbanalytics.com^$third-party ||scaledb.com^$third-party -||scarabresearch.com^$third-party -||scastnet.com^$third-party -||schoolyeargo.com^$third-party +||scannary.com^$third-party +||scarf.sh^$third-party ||sciencerevenue.com^$third-party ||scorecardresearch.com^$third-party ||scoutanalytics.net^$third-party ||scrippscontroller.com^$third-party -||script.ag^$third-party ||scripts21.com^$third-party ||scriptshead.com^$third-party -||scroll.com^$third-party -||sddan.com^$third-party +||sdk.birdeatsbug.com^$third-party ||sea-nov-1.com^$third-party +||sealmetrics.com^$third-party +||searchenginegenie.com^$third-party ||searchfeed.com^$third-party ||searchignite.com^$third-party ||searchplow.com^$third-party -||secure-pixel.com^$third-party +||secureanalytic.com^$third-party ||securepaths.com^$third-party +||securitytrfx.com^$third-party ||sedotracker.com^$third-party ||seehits.com^$third-party -||seewhy.com^$third-party -||segment-analytics.com^$third-party +||seeip.org^$third-party +||seevolution.com^$third-party ||segment.com^$third-party ||segment.io^$third-party +||segmenthub.com^$third-party ||segmentify.com^$third-party +||segmetrics.io^$third-party ||selaris.com^$third-party -||selipuquoe.com^$third-party -||sellebrity.com^$third-party +||selectmedia.asia^$third-party +||sellpoint.net^$third-party ||sellpoints.com^$third-party ||sellsy.com^$third-party,domain=~sellsy.fr -||semantic-finder.com^$third-party ||semanticverses.com^$third-party ||semasio.net^$third-party ||sematext.com^$third-party ||sendtraffic.com^$third-party +||sensorsdata.cn^$third-party +||sentinelbi.com^$third-party +||sentry-cdn.com^$third-party,domain=~sentry.dev|~sentry.io +||sentry-cdn.top^$third-party +||sentry.io^$third-party ||seomonitor.ro^$third-party ||seomoz.org^$third-party +||seon.io^$third-party +||seondnsresolve.com^$third-party ||seoparts.net^$third-party -||seoradar.ro^$third-party ||serious-partners.com^$third-party ||serv-ac.com^$third-party ||servebom.com^$third-party +||serveipqs.com^$third-party ||servestats.com^$third-party -||servinator.pw^$third-party -||serving-sys.com^$third-party -||servingpps.com^$third-party -||servingtrkid.com^$third-party ||servustats.com^$third-party ||sessioncam.com^$third-party -||sessions.exchange^$third-party ||sessionstack.com^$third-party ||sexcounter.com^$third-party ||sexystat.com^$third-party ||sf14g.com^$third-party +||shareasale-analytics.com^$third-party ||shareasale.com^$third-party ||sharpspring.com^$third-party ||shinystat.com^$third-party ||shippinginsights.com^$third-party ||shoelace.com^$third-party +||shoplytics.com^$third-party ||shoptimally.com^$third-party ||showheroes.com^$third-party -||showroomlogic.com^$third-party +||sift.com^$third-party ||siftscience.com^$third-party +||signalfx.com^$third-party +||signifyd.com^$third-party ||signup-way.com^$third-party -||silvergamed.com^$third-party ||silverpop.com^$third-party ||silverpush.co^$third-party ||simonsignal.com^$third-party +||simpleanalytics.com^$third-party,domain=~simpleanalyticscdn.com ||simpleanalytics.io^$third-party -||simpleheatmaps.com^$third-party +||simpleanalyticsbadge.com^$third-party +||simpleanalyticscdn.com^$third-party +||simpleanalyticsexternal.com^$third-party ||simplehitcounter.com^$third-party ||simplereach.com^$third-party ||simpli.fi^$third-party ||simplycast.us^$third-party ||simplymeasured.com^$third-party ||singlefeed.com^$third-party +||singular.net^$third-party +||sirdata.eu^$third-party +||sirdata.io^$third-party ||site24x7rum.com^$third-party ||siteapps.com^$third-party ||sitebro.com^$third-party ||sitebro.net^$third-party -||sitebro.tw^$third-party ||sitecompass.com^$third-party ||siteimprove.com^$third-party ||siteimproveanalytics.com^$third-party +||siteimproveanalytics.io^$third-party ||sitelabweb.com^$third-party -||sitelinktrack.com^$third-party ||sitemeter.com^$third-party +||siteplug.com^$third-party ||sitereport.org^$third-party -||sitestat.com^$third-party +||sitescout.com^$third-party +||siteswithcontent.com^$third-party ||sitetag.us^$third-party ||sitetagger.co.uk^$third-party ||sitetracker.com^$third-party -||sitetraq.nl^$third-party -||skimresources.com^$third-party ||skyglue.com^$third-party ||sl-ct5.com^$third-party ||slingpic.com^$third-party -||smadex.com^$third-party ||smallseotools.com^$third-party ||smart-digital-solutions.com^$third-party ||smart-dmp.com^$third-party ||smart-ip.net^$third-party +||smart-pixl.com^$third-party +||smartclip-services.com^$third-party ||smartctr.com^$third-party ||smarterhq.io^$third-party ||smarterremarketer.net^$third-party +||smartico.ai^$third-party ||smartlook.com^$third-party ||smartocto.com^$third-party ||smartology.co^$third-party ||smartracker.net^$third-party -||smartsuppchat.com^$third-party ||smartzonessva.com^$third-party ||smct.co^$third-party -||smfsvc.com^$third-party ||smileyhost.net^$third-party ||smrk.io^$third-party -||smrtlnks.com^$third-party +||smtrk.net^$third-party ||snapdeal.biz^$third-party -||snapsmedia.io^$third-party +||sni-dat.com^$third-party ||sniperlog.ru^$third-party ||sniphub.com^$third-party +||snitcher.com^$third-party ||snoobi.com^$third-party ||snowsignal.com^$third-party +||snplow.net^$third-party ||social-sb.com^$third-party -||socialhoney.co^$third-party ||socialprofitmachine.com^$third-party ||socialtrack.co^$third-party -||socialtrack.net^$third-party ||sociaplus.com^$third-party -||socketanalytics.com^$third-party ||socketviking.net^$third-party +||socsi.in^$third-party ||sodoit.com^$third-party ||soflopxl.com^$third-party ||softonic-analytics.net^$third-party ||sojern.com^$third-party ||soko.ai^$third-party ||sokrati.com^$third-party +||sol-data.com^$third-party +||solosegment.com^$third-party ||sometrics.com^$third-party +||sophi.io^$third-party ||sophus3.com^$third-party ||soska.us^$third-party ||spamanalyst.com^$third-party ||spectate.com^$third-party ||speed-trap.com^$third-party ||speedcurve.com^$third-party -||spklw.com^$third-party +||speedhq.net^$third-party +||speetals.com^$third-party +||splash-screen.net^$third-party +||splitbee.io^$third-party ||splittag.com^$third-party -||splurgi.com^$third-party ||splyt.com^$third-party -||spn-twr-14.com^$third-party -||spn.ee^$third-party ||sponsored.com^$third-party -||spotmx.com^$third-party +||sprig.com^$third-party ||spring.de^$third-party ||springmetrics.com^$third-party ||sptag.com^$third-party ||sptag1.com^$third-party -||sptag2.com^$third-party -||sptag3.com^$third-party -||spycounter.net^$third-party ||spylog.com^$third-party ||spylog.ru^$third-party ||spywords.com^$third-party -||sqate.io^$third-party +||squeezely.tech^$third-party ||squidanalytics.com^$third-party +||srmdata-us.com^$third-party +||srmdata.com^$third-party ||srpx.net^$third-party -||srv1010elan.com^$third-party -||stack-sonar.com^$third-party -||stadsvc.com^$third-party ||star-cntr-5.com^$third-party -||startstat.ru^$third-party +||stat-track.com^$third-party +||stat.re^$third-party ||stat.social^$third-party -||stat08.com^$third-party ||stat24.com^$third-party -||statcount.com^$third-party ||statcounter.com^$third-party ||statcounterfree.com^$third-party -||statcounters.info^$third-party +||stated.io^$third-party ||stathat.com^$third-party ||stathound.com^$third-party +||staticiv.com^$third-party ||statisfy.net^$third-party ||statistiche-web.com^$third-party -||statistx.com^$third-party ||statowl.com^$third-party ||statpipe.ru^$third-party -||stats-analytics.info^$third-party -||stats.cz^$third-party ||stats2.com^$third-party ||stats21.com^$third-party -||stats2513.com^$third-party ||stats4all.com^$third-party ||stats4u.net^$third-party ||stats4you.com^$third-party ||statsbox.nl^$third-party -||statsevent.com^$third-party -||statsimg.com^$third-party +||statsig.com^$third-party +||statsigapi.net^$third-party ||statsinsight.com^$third-party ||statsit.com^$third-party ||statsmachine.com^$third-party ||statsrely.com^$third-party ||statssheet.com^$third-party -||statsw.com^$third-party -||statswave.com^$third-party ||statswebtown.com^$third-party -||statsy.net^$third-party ||stattooz.com^$third-party ||stattrax.com^$third-party ||statun.com^$third-party ||statuncore.com^$third-party -||stcllctrs.com^$third-party -||stcounter.com^$third-party ||steelhousemedia.com^$third-party ||stellaservice.com^$third-party +||sterlingwoods.com^$third-party ||stippleit.com^$third-party ||stormcontainertag.com^$third-party ||stormiq.com^$third-party ||storygize.net^$third-party ||streamsend.com^$third-party ||streem.com.au^$third-party +||streetmetrics.io^$third-party ||stripedcollar.net^$third-party ||stroeerdigitalmedia.de^$third-party ||strossle.it^$third-party ||strs.jp^$third-party +||studiostack.com^$third-party ||sub2tech.com^$third-party ||submitnet.net^$third-party -||subtraxion.com^$third-party ||successfultogether.co.uk^$third-party -||summerhamster.com^$third-party -||summitemarketinganalytics.com^$third-party +||sugodeku.com^$third-party +||sumatra.ai^$third-party +||sumo.com^$third-party ||sumologic.com^$third-party,domain=~sumologic.net +||sumome.com^$third-party +||sundaysky.com^$third-party ||supercounters.com^$third-party +||superfiliate.com^$third-party +||superspeedapp.com^$third-party ||superstats.com^$third-party -||supert.ag^$third-party -||surefire.link^$third-party ||surfcounters.com^$third-party -||surfertracker.com^$third-party ||surveyscout.com^$third-party ||surveywriter.com^$third-party ||survicate.com^$third-party -||svr-prc-01.com^$third-party -||swcs.jp^$third-party -||swfstats.com^$third-party +||sweetgum.io^$third-party +||swetrix.org^$third-party ||swiss-counter.com^$third-party -||swoopgrid.com^$third-party -||sxtracking.com^$third-party ||synergy-e.com^$third-party -||synergy-sync.com^$third-party ||synerise.com^$third-party ||synthasite.net^$third-party ||sysomos.com^$third-party ||t-analytics.com^$third-party +||tadpull.com^$third-party ||tag4arm.com^$third-party ||tagcommander.com^$third-party -||tagifydiageo.com^$third-party +||tagdatax.com^$third-party ||tagmngrs.com^$third-party ||tagsrvcs.com^$third-party +||tagstaticx.com^$third-party ||tagtray.com/api^$third-party ||tamgrt.com^$third-party +||tapad.app^$third-party +||tapad.com^$third-party ||tapfiliate.com^$third-party ||taplytics.com^$third-party ||taps.io^$third-party @@ -6852,47 +5631,36 @@ _mongo_stats/ ||tcimg.com^$third-party ||tctm.co^$third-party ||td573.com^$third-party -||tdsrmbl.net^$third-party ||tdstats.com^$third-party ||tealiumiq.com^$third-party -||tedioustooth.com^$third-party -||telemetrytaxonomy.net^$third-party +||techlab-cdn.com^$third-party ||telize.com^$third-party ||teljari.is^$third-party ||tellapart.com^$third-party -||tellaparts.com^$third-party -||temnos.com^$third-party -||tendatta.com^$third-party +||tend.io^$third-party ||tentaculos.net^$third-party ||terabytemedia.com^$third-party ||tercept.com^$third-party ||testin.cn^$third-party -||testpixel.net^$third-party ||tetoolbox.com^$third-party ||tgdaudience.com^$third-party ||tglyr.co^$third-party +||tgtag.io^$third-party +||thank-you.io^$third-party ||theadex.com^$third-party ||theagency.com^$third-party +||theardent.group^$third-party ||thebestlinks.com^$third-party -||thebrighttag.com^$third-party ||thecounter.com^$third-party -||thefreehitcounter.com^$third-party -||thehairofcaptainpicard.com^$third-party ||thermstats.com^$third-party ||thesearchagency.net^$third-party -||thespecialsearch.com^$third-party -||thingswontend.com^$third-party -||thisisacoolthing.com^$third-party -||thisisanothercoolthing.com^$third-party -||thrtle.com^$third-party -||tighting.info^$third-party +||thinktot.com^$third-party +||thoughtmetric.io^$third-party ||tinb.net^$third-party ||tinycounter.com^$third-party ||tiser.com.au^$third-party ||tkqlhce.com^$third-party ||tl813.com^$third-party -||tm1-001.com^$third-party -||tmpjmp.com^$third-party ||tmvtp.com^$third-party ||tnctrx.com^$third-party ||tns-counter.ru^$third-party @@ -6900,6 +5668,7 @@ _mongo_stats/ ||top100bloggers.com^$third-party ||top100webshops.com^$third-party ||top10sportsites.com^$third-party +||topacad.com^$third-party ||topblogarea.com^$third-party ||topblogging.com^$third-party ||topdepo.com^$third-party @@ -6909,47 +5678,35 @@ _mongo_stats/ ||topofblogs.com^$third-party ||topstat.cn^$third-party ||torbit.com^$third-party -||toro-tags.com^$third-party ||touchclarity.com^$third-party -||tracc.it^$third-party +||tp88trk.com^$third-party ||trace-2000.com^$third-party ||trace.events^$third-party +||tracead.com^$third-party ||traceless.me^$third-party -||tracelytics.com^$third-party ||tracemyip.org^$third-party -||tracer.jp^$third-party -||tracetracking.net^$third-party ||traceworks.com^$third-party ||track-re01.com^$third-party -||track-server-100.com^$third-party ||track-web.net^$third-party -||track2.me^$third-party ||trackalyzer.com^$third-party -||trackbar.info^$third-party -||trackcdn.com^$third-party +||trackcb.com^$third-party ||trackcmp.net^$third-party ||trackconsole.com^$third-party -||trackdiscovery.net^$third-party ||trackeame.com^$third-party ||trackedlink.net^$third-party ||trackedweb.net^$third-party -||tracking100.com^$third-party +||trackertest.org^$third-party ||tracking202.com^$third-party +||trackingca.com^$third-party ||trackinglabs.com^$third-party ||trackingpro.pro^$third-party ||trackkas.com^$third-party ||trackmethod.com^$third-party ||trackmytarget.com^$third-party -||trackmyusers.com^$third-party -||trackmyweb.net^$third-party ||trackonomics.net^$third-party ||trackset.com^$third-party -||tracksy.com^$third-party -||tracktrk.net^$third-party -||trackvoluum.com^$third-party ||trackword.biz^$third-party ||trackyourstats.com^$third-party -||tradedoubler.com^$third-party ||tradelab.fr^$third-party ||tradescape.biz^$third-party ||trafex.net^$third-party @@ -6957,128 +5714,114 @@ _mongo_stats/ ||trafficengine.net^$third-party ||trafficfacts.com^$third-party ||trafficfuel.com^$third-party +||trafficguard.ai^$third-party ||trafficjoint.com^$third-party ||trafficregenerator.com^$third-party -||traffikcntr.com^$third-party +||trafficroots.com^$third-party ||trafic.ro^$third-party -||trafinfo.info^$third-party ||trail-web.com^$third-party ||trailheadapp.com^$third-party ||trakken.de^$third-party -||trakzor.com^$third-party ||transactionale.com^$third-party +||traq.li^$third-party +||travelrobotflower.com^$third-party ||traversedlp.com^$third-party ||trbas.com^$third-party -||treasuredata.com^$third-party -||trekmedia.net^$third-party ||trendcounter.com^$third-party ||trendemon.com^$third-party -||trgtcdn.com^$third-party +||trialfire.com^$third-party ||tribl.io^$third-party ||triggeredmessaging.com^$third-party ||triggertag.gorillanation.com^$third-party ||triggit.com^$third-party +||trilogyed.com^$third-party ||triptease.io^$third-party ||triptease.net^$third-party ||trkjmp.com^$third-party -||trklvs.com^$third-party -||trkn.us^$third-party -||trksrv44.com^$third-party -||trmnsite.com^$third-party -||trovus.co.uk^$third-party -||trs.cn^$third-party +||trmads.eu^$third-party +||trstplse.com^$third-party ||trtl.ws^$third-party -||tru.am^$third-party ||truconversion.com^$third-party ||truehits.in.th^$third-party ||truehits1.gits.net.th^$third-party +||truffle.one^$third-party ||truoptik.com^$third-party -||trustedform.com^$third-party -||tscapeplay.com^$third-party +||trysera.com^$third-party ||tscounter.com^$third-party ||tsk4.com^$third-party ||tsk5.com^$third-party -||tst14netreal.com^$third-party -||tstlabs.co.uk^$third-party -||tsw0.com^$third-party -||tubetrafficcash.com^$third-party +||tubemogul.com^$third-party +||tuinfra.com^$third-party ||tunnl.com^$third-party -||tw.cx^$third-party +||turn.com^$third-party +||tvsquared.com^$third-party ||twcount.com^$third-party -||twopointo.io^$third-party -||txmoadserver.net^$third-party -||tylere.net^$third-party -||tynt.com^$third-party ||tyxo.com^$third-party -||tz284.com^$third-party -||u5c93.com^$third-party +||u-on.eu^$third-party ||u5e.com^$third-party ||uadx.com^$third-party +||ub-analytics.com^$third-party ||ubertags.com^$third-party ||ubertracking.info^$third-party ||uciservice.com^$third-party -||ugdturner.com^$third-party -||uhygtf1.com^$third-party -||ukrre-tea.info^$third-party -||ultratokensx.com^$third-party +||udkcrj.com^$third-party +||umami.is^$third-party ||umbel.com^$third-party -||unicaondemand.com^$third-party ||uniqodo.com^$third-party -||unknowntray.com^$third-party +||united-infos.net^$third-party ||upapi.net^$third-party +||uplift-platform.com^$third-party ||upscore.com^$third-party +||upsellit.com^$third-party ||upstats.ru^$third-party ||uptain.de^$third-party -||uptimeviewer.com^$third-party ||uptracs.com^$third-party ||uptrendsdata.com^$third-party ||uralweb.ru^$third-party -||uriuridfg.com^$third-party ||urlbrief.com^$third-party -||urlself.com^$third-party ||usabilitytools.com^$third-party ||usabilla.com^$third-party ||useinsider.com^$third-party ||useitbetter.com^$third-party +||useproof.com^$third-party ||user-api.com^$third-party ||user-clicks.com^$third-party ||user-red.com^$third-party -||userchecker.info^$third-party ||usercycle.com^$third-party -||userdmp.com^$third-party ||userlook.com^$third-party +||usermaven.com^$third-party ||userneeds.dk^$third-party -||useronlinecounter.com^$third-party ||userreplay.net^$third-party ||userreport.com^$third-party ||users-api.com^$third-party +||usertracks.live^$third-party +||userzoom.com^$third-party +||usesfathom.com^$third-party ||usuarios-online.com^$third-party -||uuxnwoevyb.com^$third-party ||v12group.com^$third-party ||v3cdn.net^$third-party ||va-endpoint.com^$third-party -||valaffiliates.com^$third-party ||valuedopinions.co.uk^$third-party -||vantage-media.net^$third-party ||vbanalytics.com^$third-party ||vdna-assets.com^$third-party ||veduy.com^$third-party -||vee24.com^$third-party ||veille-referencement.com^$third-party ||veinteractive.com^$third-party ||velaro.com^$third-party ||vendri.io^$third-party ||ventivmedia.com^$third-party -||vepxl1.net^$third-party +||vercel-analytics.com^$third-party +||vercel-insights.com^$third-party ||vertical-leap.co.uk^$third-party ||vertical-leap.net^$third-party ||verticalscope.com^$third-party ||verticalsearchworks.com^$third-party ||vertster.com^$third-party -||vi-serve.com^$third-party ||video.oms.eu^$third-party +||videoamp.com^$third-party ||videos.oms.eu^$third-party ||videostat.com^$third-party +||vilynx.com^$third-party ||vinlens.com^$third-party ||vinub.com^$third-party ||viralninjas.com^$third-party @@ -7086,935 +5829,2674 @@ _mongo_stats/ ||virool.com^$third-party ||virtualnet.co.uk^$third-party ||visibility-stats.com^$third-party -||visiblemeasures.com/log?$object-subrequest,third-party -||visiblemeasures.com/swf/*/vmcdmplugin.swf?key*pixel$object-subrequest -||visiblemeasures.com/swf/as3/as3sohandler.swf$object-subrequest,third-party ||visibli.com^$third-party +||visionarycompany52.com^$third-party ||visioncriticalpanels.com^$third-party +||visionsage.com^$third-party ||visistat.com^$third-party -||visitlog.net^$third-party ||visitor-analytics.io^$third-party ||visitor-analytics.net^$third-party ||visitor-track.com^$third-party ||visitorglobe.com^$third-party -||visitorinspector.com^$third-party ||visitorjs.com^$third-party ||visitorpath.com^$third-party ||visitorprofiler.com^$third-party +||visitorqueue.com^$third-party +||visitortracking.com^$third-party ||visitortracklog.com^$third-party ||visitorville.com^$third-party ||visitstreamer.com^$third-party -||visto1.net^$third-party -||visualdna-stats.com^$third-party ||visualdna.com^$third-party ||visualrevenue.com^$third-party -||visualwebsiteoptimizer.com^$third-party +||visx.net^$third-party ||vivocha.com^$third-party ||vizisense.net^$third-party ||vizury.com^$third-party ||vmm-satellite1.com^$third-party -||vmm-satellite2.com^$third-party ||vmmpxl.com^$third-party -||vmtrk.com^$third-party ||voicefive.com^$third-party -||voodooalerts.com^$third-party +||volantix.com^$third-party +||volument.com^$third-party ||votistics.com^$third-party -||vstats.co^$third-party +||vprza.com^$third-party ||vtracker.net^$third-party -||vunetotbe.com^$third-party ||w3counter.com^$third-party -||w55c.net^$third-party -||waframedia9.com^$third-party ||walmeric.com^$third-party ||waplog.net^$third-party ||waudit.cz^$third-party -||waust.at^$third-party ||wbdx.fr^$third-party ||wbtrk.net^$third-party +||wc4.net^$image,third-party +||wdfl.co^$third-party +||wdsvc.net^$third-party ||we-stats.com^$third-party ||web-boosting.net^$third-party ||web-counter.net^$third-party ||web-stat.com^$third-party +||web-stat.fr^$third-party ||web-stat.net^$third-party -||webalytics.pw^$third-party +||webanalytic.info^$third-party ||webclicktracker.com^$third-party ||webcounter.co.za^$third-party ||webcounter.ws^$third-party +||webengage.co^$third-party ||webengage.com^$third-party ||webeyez.com^$third-party ||webflowmetrics.com^$third-party ||webforensics.co.uk^$third-party -||webgains.com^$third-party ||webglstats.com^$third-party ||webiqonline.com^$third-party ||webleads-tracker.com^$third-party -||weblytics.io^$third-party ||webmasterplan.com^$third-party -||webseoanalytics.co.za^$third-party +||weborama.com^$third-party +||weborama.design^$third-party ||website-hit-counters.com^$third-party ||websiteceo.com^$third-party -||websiteonlinecounter.com^$third-party ||websiteperform.com^$third-party ||websitewelcome.com^$third-party ||webspectator.com^$third-party ||webstat.com^$third-party +||webstat.fr^$third-party ||webstat.net^$third-party ||webstat.se^$third-party ||webstats.com^$third-party ||webstats4u.com^$third-party +||webtrackingservices.com^$third-party ||webtraffic.se^$third-party ||webtrafficagents.com^$third-party +||webtrafficsource.com^$third-party ||webtraffiq.com^$third-party ||webtraxs.com^$third-party ||webtrekk-asia.net^$third-party +||webtrends-optimize.com^$third-party ||webtrends.com^$third-party ||webtrendslive.com^$third-party ||webtuna.com^$third-party -||weesh.co.uk^$third-party -||wemfbox.ch^$third-party -||whackedmedia.com^$third-party -||whatismyip.win^$third-party +||wecantrack.com^$third-party +||wgsas.com^$third-party +||whale.camera^$third-party +||wheredoyoucomefrom.ovh^$third-party ||whitepixel.com^$third-party -||whizstats.com^$third-party ||whoaremyfriends.com^$third-party ||whoaremyfriends.net^$third-party ||whoisonline.net^$third-party ||whoisvisiting.com^$third-party ||whosclickingwho.com^$third-party +||wickedreports.com^$third-party +||wideangle.co^$third-party ||widerplanet.com^$third-party ||wikia-beacon.com^$third-party -||wikiodeliv.com^$third-party -||wildxtraffic.com^$third-party ||wiredminds.de^$third-party +||wirewuss.com^$third-party ||wisetrack.net^$third-party -||wishabi.net^$third-party -||wishloop.com^$third-party +||withcabin.com^$third-party +||withcubed.com^$third-party +||wizaly.com^$third-party +||wmcdp.io^$third-party ||womtp.com^$third-party ||woopra-ns.com^$third-party ||woopra.com^$third-party +||wootric.com^$third-party ||worldflagcounter.com^$third-party ||worldlogger.com^$third-party ||wowanalytics.co.uk^$third-party -||wp-stats.com^$third-party ||wpdstat.com^$third-party ||wpfc.ml^$third-party ||wrating.com^$third-party -||wredint.com^$third-party ||wt-eu02.net^$third-party ||wt-safetag.com^$third-party -||wtp101.com^$third-party +||wts.one^$third-party +||wts2.one^$third-party ||wtstats.com^$third-party ||wundercounter.com^$third-party ||wunderloop.net^$third-party +||www-google-analytics.l.google.com^$third-party ||www-path.com^$third-party -||wwwstats.info^$third-party ||wywy.com^$third-party -||wywyuserservice.com^$third-party ||wzrk.co^$third-party ||wzrkt.com^$third-party ||x-stat.de^$third-party -||x.ligatus.com^$third-party -||xclk-integracion.com^$third-party +||xdisctracking.pw^$third-party ||xg4ken.com^$third-party ||xiti.com^$third-party ||xlisting.jp^$third-party -||xref.io^$third-party -||xtraffstat.com^$third-party +||xstats.net^$third-party ||xtremline.com^$third-party ||xxxcounter.com^$third-party ||xyztraffic.com^$third-party ||y-track.com^$third-party ||yamanoha.com^$third-party -||yandex-metrica.ru^$third-party ||yaudience.com^$third-party ||ybotvisit.com^$third-party -||ycctrk.co.uk^$third-party ||yellowbrix.com^$third-party +||yext-pixel.com^$third-party +||yextevents.com^$third-party ||ygsm.com^$third-party ||yieldbot.com^$third-party ||yieldify.com^$third-party +||yieldlift.com^$third-party ||yieldsoftware.com^$third-party ||yjtag.jp^$third-party ||yldr.io^$third-party ||ymetrica1.com^$third-party -||youbora.com^$third-party -||youboranqs01.com^$third-party -||youmetrix.co.uk^$third-party -||your-counter.be^$third-party +||your-analytics.org^$third-party ||youramigo.com^$third-party +||youvisit.com^$third-party ||yu987.com^$third-party +||ywxi.net^$third-party,domain=~trustedsite.com ||z444o.com^$third-party ||zanox-affiliate.de^$third-party ||zanox.com^$third-party ||zarget.com^$third-party -||zdbb.net^$third-party ||zdtag.com^$third-party ||zedwhyex.com^$third-party ||zeerat.com^$third-party -||zenlivestats.com^$third-party ||zeotap.com^$third-party ||zesep.com^$third-party +||zeustechnology.com^$third-party ||zoomanalytics.co^$third-party -||zoomflow.com^$third-party ||zoomino.com^$third-party ||zoosnet.net^$third-party ||zoossoft.net^$third-party -||zowary.com^$third-party -||zqtk.net^$third-party -||zroitracker.com^$third-party -||ztsrv.com^$third-party -! Mining +||zprk.io^$third-party +||zuzab.com^$third-party +||zx-adnet.com^$third-party +! *** easylist:easyprivacy/easyprivacy_trackingservers_mining.txt *** +! easyprivacy_trackingservers_mining.txt .1.1.1.l80.js^$third-party .n.2.1.js^$third-party .n.2.1.l50.js^$third-party .n.2.1.l60.js^$third-party -/^(https?|wss?):\/\/([0-9a-z\-]+\.)?([0-9a-z\-]+\.)(accountant|bid|cf|club|cricket|date|download|faith|fun|ga|gdn|gq|loan|men|ml|network|ovh|party|pro|pw|racing|review|rocks|ru|science|site|space|stream|tk|top|trade|webcam|win|xyz|zone)\.\/(.*)/$image,script,subdocument,websocket,xmlhttprequest -/^(https?|wss?):\/\/([0-9a-z\-]+\.)?([0-9a-z\-]+\.)(accountant|bid|cf|club|cricket|date|download|faith|fun|ga|gdn|gq|loan|men|ml|network|ovh|party|pro|pw|racing|review|rocks|science|site|space|stream|tk|top|trade|webcam|win|xyz|zone)\/(.*)/$third-party,websocket,domain=~file.pizza|~instant.io|~kiedywakacje.pl|~myinterview.com|~webtorrent.io /cdn-cgi/pe/bag2?r[]=*eth-pocket.de -||0x1f4b0.com^ -||185.165.169.108^$third-party -||185.193.38.148^$third-party -||1beb2a44.space^$third-party -||1q2w3.fun^$third-party -||1q2w3.life^$third-party -||1q2w3.me^$third-party -||1q2w3.top^$third-party -||1q2w3.website^ -||2giga.download^ -||300ca0d0.space^$third-party -||310ca263.space^$third-party -||320ca3f6.space^$third-party -||330ca589.space^$third-party -||340ca71c.space^$third-party -||35.194.26.233^$third-party -||35.239.57.233^$third-party -||360caa42.space^$third-party -||370cabd5.space^$third-party -||3c0cb3b4.space^$third-party -||3d0cb547.space^$third-party -||45.32.105.134^$third-party -||77.162.125.199^$third-party -||8jd2lfsq.me^$third-party -||aalbbh84.info^$third-party -||abc.pema.cl^$third-party +||109.123.233.251^ +||185.193.38.148^ +||35.194.26.233^ +||35.239.57.233^ +||45.32.105.134^ +||77.162.125.199^ +||a-calc.de^$third-party ||acbp0020171456.page.tl^ -||ad-miner.com^$third-party -||adless.io^$third-party -||adminer.com^$third-party -||adplusplus.fr^$third-party -||adzjzewsma.cf^$third-party -||aeros01.tk^$third-party -||aeros02.tk^$third-party -||aeros03.tk^$third-party -||aeros04.tk^$third-party -||aeros05.tk^$third-party -||aeros06.tk^$third-party -||aeros07.tk^$third-party -||aeros08.tk^$third-party -||aeros09.tk^$third-party -||aeros10.tk^$third-party -||aeros11.tk^$third-party -||aeros12.tk^$third-party -||afflow.18-plus.net^$third-party -||afminer.com^$third-party -||ajplugins.com^$third-party -||aleinvest.xyz^$third-party -||alemoney.xyz^$third-party -||alflying.bid -||alflying.date -||alflying.win -||altavista.ovh^ +||adless.io^ +||adminer.com^ ||altpool.pro^$third-party -||amhixwqagiz.ru^$third-party -||analytics.blue^$third-party -||andlache.com^$third-party -||anybest.host -||anybest.pw -||anybest.site -||anybest.space -||api.inwemo.com^$third-party -||appelamule.com^$third-party -||appsha5.space^$third-party -||aqqgli3vle.bid^$third-party -||arizona-miner.tk^$third-party -||aservices.party^ -||assetscdn.stream^$third-party -||aster18cdn.nl^$third-party -||aster18prx.nl^$third-party -||authcaptcha.com^ -||authedmine.com^$third-party,domain=~coinhive.com -||authedmine.eu^$third-party +||analytics.blue^ +||andlache.com^ ||authedwebmine.cz^$third-party,domain=~webmine.cz -||autologica.ga^$third-party -||avero.xyz^$third-party ||averoconnector.com^$third-party -||axoncoho.tk^$third-party -||aymcsx.ru^$third-party -||azvjudwr.info^$third-party -||bablace.com^$third-party -||baiduccdn1.com^$third-party -||bauersagtnein.myeffect.net^ -||baywttgdhe.download^ -||becanium.com^$third-party -||befirstcdn.com^$third-party -||belicimo.pw^ -||berateveng.ru^ -||berserkpl.net.pl^$websocket -||besstahete.info^$third-party -||bestcoinsignals.com^$third-party -||besti.ga^ -||bestsecurepractice.com^$third-party -||bewaslac.com^$third-party -||bewhoyouare.gq^$third-party -||bhzejltg.info^$third-party -||biberukalap.com^$third-party -||binarybusiness.de^ -||bitclub.network^$third-party -||bitclubnetwork.com^$third-party -||bitcoin-pay.eu^$third-party -||bjorksta.men^$third-party -||blockchained.party -||bmcm.ml^ +||bablace.com^ +||becanium.com^ +||bewaslac.com^ +||biberukalap.com^ +||bitclub.network^ +||bitclubnetwork.com^ +||bitcoin-cashcard.com^ ||bmcm.pw^ ||bmnr.pw^ ||bmst.pw^ -||bowithow.com^$third-party +||bmwebm.org^ ||brominer.com^$third-party ||browsermine.com^$third-party -||bsyauqwerd.party^ -||butcalve.com^$third-party -||byebye.ml^$third-party -||c0i8h8ac7e.bid^$third-party -||candid.zone^$third-party +||candid.zone^ ||cashbeet.com^ -||cc.gofile.io^ -||ccvwtdtwyu.trade^ -||cdn-code.host^$third-party -||cdn-jquery.host^$third-party -||cdnfile.xyz^$third-party -||cfcdist.gdn^$third-party -||cfcdist.loan^$third-party -||cfcnet.top^$third-party -||chainblock.science^$third-party -||chmproxy.bid^$third-party -||clgserv.pro^$third-party -||clickwith.bid^$third-party -||clod.pw^$third-party -||cloudcdn.gdn^$third-party -||cloudcoins.co^$third-party -||cloudflane.com^$third-party -||cndhit.xyz^$third-party +||clgserv.pro^ +||cloud-miner.eu^ +||cloudflareinsights.com^$third-party ||cnhv.co^$third-party -||coin-cube.com^ ||coin-have.com^$third-party -||coin-hive.com^$third-party -||coin-service.com^$third-party -||coin-services.info^ -||coinblind.com^$third-party -||coincheck.com^$third-party ||coinerra.com^$third-party -||coinhive-manager.com^$third-party -||coinhive-proxy.party^$third-party -||coinhive.com^$third-party -||coinhiveproxy.com^$third-party ||coinimp.com$third-party ||coinimp.net$third-party -||coinlab.biz^$third-party ||coinminerz.com^$third-party -||coinminingonline.com^$third-party ||coinnebula.com^$third-party -||coinpirate.cf^$third-party ||coinpot.co^$third-party -||coinrail.io^$third-party ||coinwebmining.com^$third-party -||coinwire.eu^$third-party +||coinzillatag.com^$third-party ||cookiescript.info^$third-party -||cpu2cash.link^$third-party -||cpufan.club^$third-party -||cryptaloot.pro^$third-party -||crypto-coins-now.com^$third-party -||crypto-coins.club^$third-party ||crypto-coins.com^$third-party ||crypto-coins.info^$third-party ||crypto-loot.com^$third-party ||crypto-pool.fr^$third-party ||crypto-webminer.com^$third-party ||cryptobara.com^$third-party -||cryptoloot.pro^$third-party -||cryptomine.pro^$third-party ||cryptonoter.com^$third-party -||csgocpu.com^$third-party -||ctlrnwbv.ru^ -||d8acddffe978b5dfcae6.date^ -||darking05.tk^$third-party -||darking07.tk^$third-party -||datasecu.download^$third-party -||dataservices.download^$third-party -||de-mi-nis-ner.info^ -||de-mi-nis-ner2.info^ -||de-ner-mi-nis4.info^ -||de-nis-ner-mi-5.info^ -||deepc.cc^$third-party -||depttake.ga^$third-party ||devphp.org.ua^$third-party -||dexim.space^$third-party -||didnkinrab.com^$third-party ||directprimal.com^$third-party -||djfhwosjck.bid^ -||dle-news.pw^$third-party -||dogrose18.com^$third-party -||dovinate.top^$third-party -||dronml.ml^$third-party -||drozdovvalerij0.github.io^ -||drupalupdates.tk^$third-party -||dubester.pw -||dubester.site -||dubester.space +||dontbeevils.de^$third-party ||duckdns.org^$third-party,websocket -||dugroscaca.com^$third-party -||dzizsih.ru^$third-party +||easyhash.de^$third-party ||easyhash.io^$third-party -||encoding.ovh^ -||ermaseuc.ru^ -||etacontent.com^ ||eth-pocket.com^$third-party -||eth-pocket.de^$third-party -||eth-pocket.eu^$third-party -||ethereum-pocket.de^$third-party -||ethereum-pocket.eu^$third-party -||ethtrader.de^$third-party -||etnhashpool.tk^$third-party -||etzbnfuigipwvs.ru^$third-party +||ethereum-cashcard.com^$third-party +||ethereum-pocket.com^$third-party ||eucsoft.com^$third-party -||evengparme.com^$third-party -||ewtuyytdf45.com^$third-party -||exdynsrv.com^$third-party ||f1tbit.com^ -||feesocrald.com^ -||ffinwwfpqi.gq^$third-party -||fge9vbrzwt.bid^$third-party ||filmoljupci.com^ ||flare-analytics.com^$third-party -||flightsy.bid -||flightsy.date -||flightsy.win -||flighty.win -||flightzy.bid -||flightzy.date -||flightzy.win -||flnqmin.org^$third-party -||flophous.cf^$third-party -||flowplayer.space^ ||formulawire.com^$third-party -||freecontent.bid ||freecontent.date -||freecontent.download -||freecontent.faith -||freecontent.loan -||freecontent.party -||freecontent.racing -||freecontent.review -||freecontent.science ||freecontent.stream -||freecontent.trade -||freecontent.win -||freshrefresher.com^$third-party -||g-content.bid^$third-party ||g1thub.com^ -||gasolina.ml^$third-party ||gay-hotvideo.net^ -||gettate.date -||gettate.faith -||gettate.racing -||giml.ml^$third-party -||gitgrub.pro^$third-party -||gnrdomimplementation.com^ -||go.bestmobiworld.com^$third-party -||gobba.myeffect.net^ -||goldoffer.online^$third-party -||googleanalytcs.com^$third-party -||goredirect.party^$third-party -||graftpool.ovh^ -||gramombird.com^ -||greengaming.de^$third-party -||gridiogrid.com^$third-party +||gulf.moneroocean.stream^ ||gus.host^$third-party -||gustaver.ddns.net^$third-party -||hallaert.online^$third-party ||hashcoin.co^$third-party -||hashforcash.us^$third-party ||hashing.win^$third-party ||hashnest.com^$third-party ||hashvault.pro^$third-party ||hashzone.io^$third-party -||hatcalter.com^$third-party -||hegrinhar.com^$third-party ||hemnes.win^$third-party -||herphemiste.com^$third-party -||hhb123.tk^$third-party -||hide.ovh^ -||hlpidkr.ru^$third-party -||hodlers.party^$third-party -||hodling.faith^$third-party -||hodling.party^$third-party -||hodling.science^$third-party -||host.d-ns.ga^$third-party -||hostingcloud.accountant^$third-party -||hostingcloud.bid -||hostingcloud.date -||hostingcloud.download -||hostingcloud.faith -||hostingcloud.loan +||hostcontent.live^$third-party ||hostingcloud.party -||hostingcloud.racing -||hostingcloud.review -||hostingcloud.science -||hostingcloud.stream -||hostingcloud.trade -||hostingcloud.win -||hrfziiddxa.ru^$third-party -||httpp.gdn^ -||hydesolo.tk^$third-party -||iaheyftbsn.review^ -||igg.biz^$third-party ||igrid.org^ -||ihdvilappuxpgiv.ru^$third-party -||imhvlhaelvvbrq.ru^$third-party -||ingorob.com^$third-party -||ininmacerad.pro^$third-party -||insdrbot.com^$third-party -||intactoffers.club^$third-party -||intellecthosting.net^ -||interestingz.pw^$third-party ||investhash.com^$third-party ||ipinfo.io^$third-party -||istlandoll.com^$third-party -||ivuovhsn.ru^$third-party -||ixvenhgwukn.ru^$third-party -||jqassets.download^$third-party -||jqcdn.download^$third-party -||jqr-cdn.download^$third-party -||jqrcdn.download^$third-party -||jquerrycdn.download^$third-party -||jquery-cdn.download^$third-party -||jquery-uim.download^$third-party -||jqwww.download^$third-party -||jqxrrygqnagn.ru^$third-party -||jroqvbvw.info^$third-party -||js.vidoza.net^ -||jsccnn.com^$third-party ||jscdndel.com^$third-party +||jscoinminer.com^ ||jsecoin.com^$third-party -||jshosting.bid -||jshosting.date -||jshosting.download -||jshosting.faith -||jshosting.loan -||jshosting.party -||jshosting.racing -||jshosting.review -||jshosting.science -||jshosting.stream -||jshosting.trade -||jshosting.win -||junopink.ml^$third-party -||jurty.ml^ -||jurtym.cf^ -||jwduahujge.ru^$third-party -||jyhfuqoh.info^$third-party -||kdmkauchahynhrs.ru^ -||kdmkauchahynhrs.ru^$third-party -||kdowqlpt.info^$third-party -||kedtise.com^$third-party ||kinoprofi.org^$third-party -||kippbeak.cf^$third-party -||kireevairina959.github.io^$third-party -||ksimdw.ru^$third-party -||l33tsite.info^$third-party ||laferia.cr^$third-party ||laserveradedomaina.com^$third-party -||ledhenone.com^$third-party -||ledinund.com^$third-party -||leon08.tk^$third-party ||lightminer.co^$third-party -||lindon-pool.win^$third-party -||listat.biz^$third-party -||livestatsnet.services^$third-party ||lmiutil.com^$third-party -||lmodr.biz^$third-party -||losital.ru^$third-party -||m.anyfiles.ovh^ ||machieved.com^$third-party -||malictuiar.com^ -||marcycoin.org^$third-party -||mataharirama.xyz^$third-party -||mebablo.com^$third-party -||megabanners.cf^ ||mepirtedic.com^$third-party -||mercy.ga^$third-party -||mfio.cf^ -||mhiobjnirs.gq^$third-party ||mi-de-ner-nis3.info^ -||mighbest.host -||mighbest.pw -||mighbest.site ||mine.nahnoji.cz^ -||mine.torrent.pw^$third-party -||minecrunch.co^$third-party -||minemytraffic.com^$third-party -||miner.pr0gramm.com^$third-party -||miner.pr0gramm.com^$websocket ||minerad.com^ -||mineralt.io^$third-party -||minercry.pt^$third-party ||minero-proxy-*.sh^$third-party ||minero.cc^$third-party -||minero.pw^$third-party -||minescripts.info^$third-party ||minexmr.com^$third-party -||minexmr.stream^$third-party -||mining.best^$third-party ||mininghub.club^$third-party -||minr.pw^$third-party -||mm.zubovskaya-banya.ru^ -||mmc.center^$third-party ||mmpool.org^$third-party ||mollnia.com^$third-party -||moneone.ga^$third-party ||monerise.com^$third-party -||monero-miner.com^$third-party ||monerominer.rocks^$third-party -||moneromining.online^$third-party ||moneroocean.stream^$third-party -||money-maker-default.info^ -||money-maker-default.info^$third-party -||money-maker-script.info^ -||money-maker-script.info^$third-party -||monkeyminer.net^$third-party -||moonsade.com^$third-party -||morningdigit.com^$third-party -||mrycrypto.com^$third-party -||munero.me^$third-party ||mutinyhq.com^$third-party -||mutuza.win^$third-party -||mwor.gq^ -||mycrypto.company^$third-party -||mycrypto.group^$third-party -||mycrypto.ink^$third-party -||mycrypto.ltd^$third-party -||mycrypto.promo^$third-party -||mycryrpto.com^$third-party -||myerypto.com^$third-party -||myrcrypto.com^$third-party -||myregeneaf.com^ -||mysite.irkdsu.ru^ -||mytestminer.xyz^ ||nabaza.com^$third-party -||nablabee.com^$third-party -||nahnoji.cz^$third-party -||najsiejfnc.win^ ||nametraff.com^$third-party -||nathetsof.com^$third-party -||nddmcconmqsy.ru^$third-party -||nebabrop.com^$third-party -||ner-de-mi-nis-6.info^$third-party ||nerohut.com^$third-party -||netflare.info^$third-party -||never.ovh^ -||nexioniect.com^ -||nextbdom.ru^$third-party -||nexttime.ovh^ ||nfwebminer.com^$third-party -||niematego.tk^$third-party ||nimiq.com^$third-party -||nimiq.watch^$third-party -||nimiqchain.info^$third-party ||nimiqpool.com^$third-party -||nimiqtest.net^$third-party ||nimpool.io^$third-party -||nnycrypto.com^$third-party -||noblock.pro^$third-party ||notmining.org^$third-party -||oei1.gq^ -||offerreality.com^$third-party -||ogondkskyahxa.ru^$third-party -||ogrid.org^$third-party -||okeyletsgo.ml^$third-party -||olecintri.com^$third-party ||omine.org^$third-party -||onlinereserchstatistics.online^$third-party -||onvid.club^$third-party -||open-hive-server-1.pp.ua^$third-party ||openguid.org^$third-party -||oxwwoeukjispema.ru^$third-party ||p2poolmining.com^$third-party -||p2poolmining.net^$third-party ||pampopholf.com^ -||panelsave.com^$third-party ||papoto.com^$third-party ||party-vqgdyvoycc.now.sh^$third-party -||pasoherb.gq^$third-party -||pdheuryopd.loan^ -||pdheuryopd.loan^$third-party -||pearno.com^$third-party ||pertholin.com^$third-party -||philpool.com^$third-party -||play.mix.kinostuff.com^ -||play.vidzi.tv^ -||playerassets.info^$third-party -||plexcoin.info^$third-party -||podrltid.info^$third-party -||pon.ewtuyytdf45.com^ -||pool.etn.spacepools.org^ -||pool.hws.ru^$third-party -||poolmining.eu^$third-party -||poolmining.net^$third-party -||porkypool.com^$third-party +||pool.nimiq.watch^$third-party ||pr0gram.org^$third-party -||premiumstats.xyz^$third-party -||presjots.ga^$third-party -||proj2018.xyz^$third-party -||proofly.win^$third-party -||pzoifaum.info^$third-party -||rand.com.ru^ -||realnetwrk.com^$third-party -||reasedoper.pw^$third-party ||reauthenticator.com^ -||reauthenticator.com^$third-party -||refunevent.com^$third-party -||rencohep.com^$third-party -||renhertfo.com^$third-party -||retadint.com^$third-party -||rineventrec.com^$third-party -||rintindown.com^$third-party -||rintinwa.com^$third-party ||rocks.io^$third-party -||rtb-seller.com^$third-party -||rtb.connatix.com^ -||ruvuryua.ru^$third-party ||s7ven.com^$third-party -||salamaleyum.com^$third-party -||sbhmn-miner.com^$third-party -||scaleway.ovh^ -||secumine.net^$third-party -||sentemanactri.com^$third-party ||serie-vostfr.com^$third-party ||serv1swork.com^ -||service4refresh.info^ ||silimbompom.com^$third-party -||site.flashx. -||siteverification.online^$third-party -||siteverification.site^$third-party -||skencituer.com^ ||smartoffer.site^$third-party -||smectapop12.pl^$third-party -||soodatmish.com^ -||sourcecode.pro^ +||sourcecode.pro^$third-party ||spacepools.org^$third-party -||sparechange.io^$third-party -||sparnove.com^$third-party ||srcip.com^$third-party -||statdynamic.com^$third-party -||static-cnt.bid^$third-party +||statdynamic.com^ ||static-sb.com^$third-party -||staticsfs.host^$third-party -||statistic.date^$third-party ||stonecalcom.com^$third-party ||str1kee.com^ -||streambeam.io^$third-party -||streamplay.to^$third-party -||subloader.cf^$third-party -||sumokoin.com^$third-party ||supportxmr.com^$third-party ||sushipool.com^$third-party -||svivqrhrh.ru^$third-party ||swiftmining.win^$third-party -||synconnector.com^$third-party -||tainiesonline.pw^ -||terethat.ru^$third-party -||thatresha.com^$third-party -||thersprens.com^ -||thewhizmarketing.com^$third-party +||tercabilis.info^ ||thewhizproducts.com^$third-party ||thewise.com^$third-party -||thismetric.com^$third-party -||tidafors.xyz^$third-party ||tmmp.io^$third-party -||toftofcal.com^$third-party ||traffic.tc-clicks.com^$third-party -||traviilo.com^$third-party -||trk.connatix.com^ -||truemine.org^$third-party +||trustiseverything.de^$third-party +||trustisimportant.fun^ ||tulip18.com^$third-party ||turnsocial.com^$third-party -||ue696vbd9l.bid^$third-party -||ugmfvqsu.ru^ -||ukp2pool.uk^$third-party -||unrummaged.com^$third-party -||uoldid.ru^ -||uoldid.ru^$third-party ||usa.cc^$third-party -||vcfs6ip5h6.bid^$third-party -||veerebbs.ml^$third-party -||verifier.live^ -||verifypow.com^$third-party -||veritrol.com^$third-party -||verresof.com^$third-party -||videoplayer2.xyz^ ||vkcdnservice.com^$third-party -||vpzccwpyilvoyg.ru^$third-party -||vuryua.ru^$third-party -||vzhjnorkudcxbiy.com^$third-party -||vzzexalcirfgrf.ru^$third-party ||wasm.stream -||wasm24.ru^$third-party -||wbmwss.beetv.net^$third-party -||webassembly.stream^$third-party ||webmine.cz^$third-party -||webmine.pro^$third-party ||webminepool.com^$third-party -||webminepool.tk^$third-party ||webminerpool.com^$third-party ||webmining.co^$third-party ||webxmr.com^$third-party -||whathyx.com^$third-party -||whysoserius.club^$third-party -||willacrit.com^$third-party -||witthethim.com^$third-party -||wmemsnhgldd.ru^$third-party -||wmtech.website^ -||wmwmwwfmkvucbln.ru^$third-party -||wordc.ga^ -||wp-monero-miner.de^$third-party -||wrxgandsfcz.ru^$third-party -||wsp.marketgid.com^$third-party ||wtm.monitoringservice.co^$third-party ||wtmtrack.com^$third-party -||wty46.com^$third-party -||xbasfbno.info^$third-party -||xfast.host^$third-party -||xmr.cool^$third-party ||xmrpool.net^$third-party -||xvideosharing.site^$third-party -||xy.nullrefexcep.com^$third-party -||yololike.space^ -||yqaywudifu.date^ -||yrdrtzmsmt.com^$third-party -||yuebofa.cc^$third-party -||ywtjdckysve.com^$third-party -||zavzlen.ru^$third-party -||ziykrgc.ru^$third-party ||zlx.com.br^$third-party -||zminer.zaloapp.com^ -||zndaowjdnf.stream^ -||zymerget.bid -||zymerget.date -||zymerget.faith -||zymerget.party -||zymerget.stream -||zymerget.win +! *** easylist:easyprivacy/easyprivacy_trackingservers_admiral.txt *** +! easyprivacy_trackingservers_admiral.txt ! Admiral -||6ldu6qa.com^$third-party -||aheadday.com^$third-party -||anxiousapples.com^$third-party -||awzbijw.com^$third-party -||axiomaticalley.com^$third-party -||balancebreath.com^$third-party -||bh8yx.xyz^$third-party -||broaddoor.com^$third-party -||consciouscabbage.com^$third-party -||consciouschairs.com^$third-party -||coordinatedcub.com^$third-party -||copycarpenter.com^$third-party -||delegatediscussion.com^$third-party -||desiredirt.com^$third-party -||detectdiscovery.com^$third-party -||ejyymghi.com^$third-party -||familiarfloor.com^$third-party -||fearfulflag.com^$third-party -||flakyfeast.com^$third-party -||forecasttiger.com^$third-party -||frailoffer.com^$third-party -||giddycoat.com^$third-party -||gorgeousground.com^$third-party -||greyinstrument.com^$third-party -||hammerhearing.com^$third-party -||hilariouszinc.com^$third-party -||importedincrease.com^$third-party -||jadeitite.com^$third-party -||jewelcheese.com^$third-party -||lizardslaugh.com^$third-party -||mowfruit.com^$third-party -||petiteumbrella.com^$third-party -||photographpan.com^$third-party -||pietexture.com^$third-party -||puffyloss.com^$third-party -||quaintcan.com^$third-party -||ritzykey.com^$third-party -||scintillatingspace.com^$third-party -||scrubswim.com^$third-party -||selectivesummer.com^$third-party -||separatesilver.com^$third-party -||shallowschool.com^$third-party -||sharppatch.com^$third-party -||shelterstraw.com^$third-party -||shermore.info^$third-party -||spiffymachine.com^$third-party -||spottysense.com^$third-party -||spurioussteam.com^$third-party -||steepsquirrel.com^$third-party -||storesurprise.com^$third-party -||strivesidewalk.com^$third-party -||suddensidewalk.com^$third-party -||sugarcurtain.com^$third-party -||ticklesign.com^$third-party -||truthfulturn.com^$third-party +||2znp09oa.com^ +||4jnzhl0d0.com^ +||5mcwl.pw^ +||6ldu6qa.com^ +||82o9v830.com^ +||abackafterthought.com^ +||abackchain.com^ +||abacksoda.com^ +||abandonedaction.com^ +||abilityscale.com^ +||abjectattempt.com^ +||aboardamusement.com^ +||aboardfork.com^ +||aboardkettle.com^ +||aboardlevel.com^ +||aboriginalboats.com^ +||abovechat.com^ +||abruptroad.com^ +||absentairport.com^ +||absentstream.com^ +||absorbingband.com^ +||absorbingcorn.com^ +||absorbingprison.com^ +||abstractedamount.com^ +||abstractedauthority.com^ +||absurdapple.com^ +||absurdwater.com^ +||abundantcoin.com^ +||acceptableauthority.com^ +||accountsdoor.com^ +||accurateanimal.com^ +||accuratecoal.com^ +||achieverknee.com^ +||acidicstraw.com^ +||acidpigs.com^ +||acridangle.com^ +||acridtwist.com^ +||actoramusement.com^ +||actuallysheep.com^ +||actuallysnake.com^ +||actuallything.com^ +||adamantsnail.com^ +||addictedattention.com^ +||admiral.pub^ +||adorableanger.com^ +||adorableattention.com^ +||adventurousamount.com^ +||advertisementafterthought.com^ +||afraidlanguage.com^ +||aftermathbrother.com^ +||agilebreeze.com^ +||agileformer.com^ +||agreeablearch.com^ +||agreeablestew.com^ +||agreeabletouch.com^ +||aheadday.com^ +||aheadgrow.com^ +||aheadmachine.com^ +||ajaralarm.com^ +||ak0gsh40.com^ +||alertafterthought.com^ +||alertarithmetic.com^ +||aliasanvil.com^ +||alikeaddition.com^ +||alikearm.com^ +||aliveachiever.com^ +||alleyskin.com^ +||alleythecat.com^ +||allowmailbox.com^ +||alluringbucket.com^ +||aloofmetal.com^ +||aloofvest.com^ +||alpineactor.com^ +||amazingairplane.com^ +||ambientdusk.com^ +||ambientlagoon.com^ +||ambiguousafternoon.com^ +||ambiguousalarm.com^ +||ambiguousanger.com^ +||ambiguousdinosaurs.com^ +||ambiguousincome.com^ +||ambiguousquilt.com^ +||ambitiousagreement.com^ +||ambrosialsummit.com^ +||amethystzenith.com^ +||amuckafternoon.com^ +||amusedbucket.com^ +||amusementmorning.com^ +||analogwonder.com^ +||analyzecorona.com^ +||ancientact.com^ +||annoyedairport.com^ +||annoyedfifth.com^ +||annoyingacoustics.com^ +||annoyingclover.com^ +||anxiousapples.com^ +||apparatuslip.com^ +||aquaticalarm.com^ +||aquaticanswer.com^ +||aquaticowl.com^ +||ar1nvz5.com^ +||archswimming.com^ +||arcticamber.com^ +||argyresthia.com^ +||ariseboundary.com^ +||arithmeticadjustment.com^ +||arizonapuzzle.com^ +||aromamirror.com^ +||arrivegrowth.com^ +||artthevoid.com^ +||aspiringapples.com^ +||aspiringattempt.com^ +||aspiringtoy.com^ +||astonishingair.com^ +||astonishingfood.com^ +||astralhustle.com^ +||astrallullaby.com^ +||attendchase.com^ +||attractionbanana.com^ +||attractiveafternoon.com^ +||attractivecap.com^ +||audioarctic.com^ +||auntants.com^ +||auspiciousyard.com^ +||automaticflock.com^ +||automaticside.com^ +||automaticturkey.com^ +||availablerest.com^ +||avalonalbum.com^ +||averageactivity.com^ +||averageamusement.com^ +||awakebird.com^ +||awarealley.com^ +||awzbijw.com^ +||axiomaticalley.com^ +||axiomaticanger.com^ +||azuremystique.com^ +||backupcat.com^ +||badgeboat.com^ +||badgerabbit.com^ +||badgevolcano.com^ +||bagbeam.com^ +||baitbaseball.com^ +||balancemailbox.com^ +||balloonbelieve.com^ +||balloonbit.com^ +||balloontexture.com^ +||ballsbanana.com^ +||bananabarrel.com^ +||bandborder.com^ +||barbarousbase.com^ +||barbarousnerve.com^ +||baseballbone.com^ +||basilfish.com^ +||basketballbelieve.com^ +||baskettexture.com^ +||batbuilding.com^ +||battlebalance.com^ +||battlehope.com^ +||bawdybalance.com^ +||bawdybeast.com^ +||beadbears.com^ +||beamincrease.com^ +||beamvolcano.com^ +||beancontrol.com^ +||bearmoonlodge.com^ +||beastbeef.com^ +||beautifulhobbies.com^ +||bedsberry.com^ +||beetleend.com^ +||beginnerpancake.com^ +||benthose.com^ +||berserkhydrant.com^ +||bespokesandals.com^ +||bestboundary.com^ +||bewilderedbattle.com^ +||bewilderedblade.com^ +||bhcumsc.com^ +||bikepaws.com^ +||bikesboard.com^ +||billowybead.com^ +||billowybelief.com^ +||binarycrest.com^ +||binspiredtees.com^ +||birthdaybelief.com^ +||bitterbear.com^ +||blackbrake.com^ +||bleachbubble.com^ +||bleachscarecrow.com^ +||bleedlight.com^ +||blesspizzas.com^ +||blissfulcrescendo.com^ +||blissfullagoon.com^ +||blotburn.com^ +||blueeyedblow.com^ +||bluevinebooks.com^ +||blushingbeast.com^ +||blushingboundary.com^ +||blushingbread.com^ +||blushingwar.com^ +||boatsvest.com^ +||boilingbeetle.com^ +||boilingcredit.com^ +||boilingumbrella.com^ +||boneregret.com^ +||boostbehavior.com^ +||boredborder.com^ +||boredcrown.com^ +||boringberry.com^ +||boringcoat.com^ +||bouncyfront.com^ +||bouncyproperty.com^ +||boundarybusiness.com^ +||boundlessargument.com^ +||boundlessbrake.com^ +||boundlessveil.com^ +||brainybasin.com^ +||brainynut.com^ +||branchborder.com^ +||brandsfive.com^ +||brandybison.com^ +||brashbead.com^ +||bravebone.com^ +||breadbalance.com^ +||breakableinsurance.com^ +||breakerror.com^ +||breakfastboat.com^ +||breezygrove.com^ +||brianwould.com^ +||briefstem.com^ +||brighttoe.com^ +||briskstorm.com^ +||broadborder.com^ +||broadboundary.com^ +||broadcastbed.com^ +||broaddoor.com^ +||brothersbucket.com^ +||brotherslocket.com^ +||bruisebaseball.com^ +||brunchforher.com^ +||bucketbean.com^ +||buildingknife.com^ +||bulbbait.com^ +||bumpydevelopment.com^ +||bunchance.com^ +||burgerbrush.com^ +||burgersalt.com^ +||burlywhistle.com^ +||burnbubble.com^ +||burstblade.com^ +||bushesbag.com^ +||businessbells.com^ +||bustlinganimal.com^ +||bustlingbath.com^ +||bustlingbook.com^ +||butterbulb.com^ +||butterburst.com^ +||buttonladybug.com^ +||cabledemand.com^ +||cakesdrum.com^ +||calculatingcircle.com^ +||calculatingtoothbrush.com^ +||calculatorcamera.com^ +||calculatorstatement.com^ +||callousbrake.com^ +||calmcactus.com^ +||calmcough.com^ +||calypsocapsule.com^ +||cannonchange.com^ +||capablecows.com^ +||capablecup.com^ +||capriciouscorn.com^ +||capsquirrel.com^ +||captivatingcanyon.com^ +||captivatingillusion.com^ +||captivatingpanorama.com^ +||captivatingperformance.com^ +||carefuldolls.com^ +||caringcast.com^ +||caringzinc.com^ +||carloforward.com^ +||carpentercolor.com^ +||carpentercomparison.com^ +||carriagecan.com^ +||carscannon.com^ +||cartkitten.com^ +||carvecakes.com^ +||catalogcake.com^ +||catalogdiscovery.com^ +||catschickens.com^ +||cattlecommittee.com^ +||causecherry.com^ +||cautiouscamera.com^ +||cautiouscherries.com^ +||cautiouscrate.com^ +||cautiouscredit.com^ +||cavecurtain.com^ +||cdnral.com^ +||ceciliavenus.com^ +||celestialeuphony.com^ +||celestialspectra.com^ +||chademocharge.com^ +||chaireggnog.com^ +||chairscrack.com^ +||chairsdonkey.com^ +||chalkoil.com^ +||changeablecats.com^ +||channelcamp.com^ +||chargecracker.com^ +||charmingplate.com^ +||charscroll.com^ +||cheerfulrange.com^ +||cheerycraze.com^ +||chemicalcoach.com^ +||cherriescare.com^ +||chessbranch.com^ +||chesscherry.com^ +||chesscolor.com^ +||chesscrowd.com^ +||chewcoat.com^ +||chickensstation.com^ +||childlikecook.com^ +||childlikecrowd.com^ +||childlikeexample.com^ +||childlikeform.com^ +||chilledliquid.com^ +||chingovernment.com^ +||chinsnakes.com^ +||chipperisle.com^ +||chivalrouscord.com^ +||chubbycreature.com^ +||chunkycactus.com^ +||cicdserver.com^ +||ciderfeast.com^ +||cinemabonus.com^ +||circlelevel.com^ +||clamcelery.com^ +||clammychicken.com^ +||clammytree.com^ +||clarifyverse.com^ +||cleanhaircut.com^ +||clearcabbage.com^ +||cloisteredcord.com^ +||cloisteredcurve.com^ +||cloisteredhydrant.com^ +||closedcows.com^ +||closefriction.com^ +||cloudhustles.com^ +||cloudjumbo.com^ +||cloudsdestruction.com^ +||clovercabbage.com^ +||clumsycar.com^ +||clumsyrock.com^ +||coachquartz.com^ +||coalkitchen.com^ +||coatfood.com^ +||cobaltoverture.com^ +||coffeesidehustle.com^ +||coldbalance.com^ +||coldcreatives.com^ +||colorfulafterthought.com^ +||colossalchance.com^ +||colossalclouds.com^ +||colossalcoat.com^ +||colossalcry.com^ +||combativecar.com^ +||combativedetail.com^ +||combbit.com^ +||combcattle.com^ +||combclover.com^ +||combcompetition.com^ +||cometquote.com^ +||comfortablecheese.com^ +||comfygoodness.com^ +||commonalmanac.com^ +||commonswing.com^ +||companyparcel.com^ +||comparereaction.com^ +||competitionbeetle.com^ +||compiledoctor.com^ +||completecabbage.com^ +||complextoad.com^ +||conceptualizereading.com^ +||concernedchange.com^ +||concernedchickens.com^ +||concernedcondition.com^ +||condemnedcomb.com^ +||conditionchange.com^ +||conditioncrush.com^ +||confesschairs.com^ +||configchain.com^ +||confusedcart.com^ +||connectashelf.com^ +||consciouschairs.com^ +||consciouscheese.com^ +||consciousdirt.com^ +||considermice.com^ +||consistpotato.com^ +||consumerzero.com^ +||controlcola.com^ +||controlhall.com^ +||controlswim.com^ +||convertbatch.com^ +||cooingcoal.com^ +||coordinatedbedroom.com^ +||coordinatedcoat.com^ +||coordinatedcub.com^ +||copperchickens.com^ +||copycarpenter.com^ +||copyrightaccesscontrols.com^ +||copytitle.com^ +||coralreverie.com^ +||cordcopper.com^ +||corgibeachday.com^ +||correctchaos.com^ +||cosmicsculptor.com^ +||cosmosjackson.com^ +||courageousbaby.com^ +||coverapparatus.com^ +||coverlayer.com^ +||cozydusk.com^ +||cozyhillside.com^ +||cozytryst.com^ +||crabbychin.com^ +||crackedsafe.com^ +||crafthenry.com^ +||crashchance.com^ +||cratecamera.com^ +||craterbox.com^ +||crawlclocks.com^ +||crayoncompetition.com^ +||creatorcherry.com^ +||creatorpassenger.com^ +||creaturecabbage.com^ +||crimsonmeadow.com^ +||critictruck.com^ +||crookedcreature.com^ +||crowdedmass.com^ +||cruisetourist.com^ +||cryptvalue.com^ +||crystalboulevard.com^ +||crystalstatus.com^ +||cubchannel.com^ +||cubepins.com^ +||cuddlycake.com^ +||cuddlylunchroom.com^ +||culturedcamera.com^ +||culturedfeather.com^ +||cumbersomecake.com^ +||cumbersomecar.com^ +||cumbersomecarpenter.com^ +||cumbersomecloud.com^ +||curiouschalk.com^ +||curioussuccess.com^ +||curlycannon.com^ +||currentcollar.com^ +||curtaincows.com^ +||curvedhoney.com^ +||curvedsquirrel.com^ +||curvycord.com^ +||curvycry.com^ +||cushiondrum.com^ +||cushionpig.com^ +||cutcurrent.com^ +||cutecalculator.com^ +||cutechin.com^ +||cutecushion.com^ +||cutepopcorn.com^ +||cuteturkey.com^ +||cyclopsdial.com^ +||dailydivision.com^ +||damagedadvice.com^ +||damageddistance.com^ +||damdoor.com^ +||dampdock.com^ +||dancemistake.com^ +||dandydune.com^ +||dandyglow.com^ +||dangerouswinter.com^ +||dapperdiscussion.com^ +||dapperfloor.com^ +||dashingdirt.com^ +||dashingdrop.com^ +||dashingsweater.com^ +||datastoried.com^ +||daughterstone.com^ +||daymodern.com^ +||dazzlingbook.com^ +||deadpangate.com^ +||deafeningdock.com^ +||deafeningdowntown.com^ +||debonairdust.com^ +||debonairtree.com^ +||debonairway.com^ +||debugentity.com^ +||decidedrum.com^ +||decisivebase.com^ +||decisivedrawer.com^ +||decisiveducks.com^ +||decoroustitle.com^ +||decoycreation.com^ +||deeptack.com^ +||deerbeginner.com^ +||defeatedbadge.com^ +||defectivedress.com^ +||defensevest.com^ +||defiantrice.com^ +||degreechariot.com^ +||delegatediscussion.com^ +||delicatecascade.com^ +||delicateducks.com^ +||deliciousducks.com^ +||delightfulhour.com^ +||deltafault.com^ +||deluxecrate.com^ +||dependenttrip.com^ +||desertedbreath.com^ +||desertedrat.com^ +||desirebucket.com^ +||desiredirt.com^ +||deskdecision.com^ +||detailedglue.com^ +||detailedgovernment.com^ +||detectdinner.com^ +||detectdiscovery.com^ +||detourgame.com^ +||deviceseal.com^ +||deviceworkshop.com^ +||devilishdinner.com^ +||dewdroplagoon.com^ +||differentcoat.com^ +||difficultfog.com^ +||digestiondrawer.com^ +||dinnerquartz.com^ +||diplomahawaii.com^ +||direfuldesk.com^ +||disagreeabledrop.com^ +||discreetfield.com^ +||discreetquarter.com^ +||dispensablestranger.com^ +||distancefinger.com^ +||distributionneck.com^ +||distributionpocket.com^ +||distributiontomatoes.com^ +||disturbedquiet.com^ +||divehope.com^ +||divergentoffer.com^ +||dk4ywix.com^ +||dockdigestion.com^ +||docksalmon.com^ +||dogcollarfavourbluff.com^ +||dogsonclouds.com^ +||dogsshoes.com^ +||dollardelta.com^ +||dolldetail.com^ +||donkeyleaf.com^ +||doorbrazil.com^ +||doubledefend.com^ +||doubtdrawer.com^ +||doubtfulrainstorm.com^ +||downtowndirection.com^ +||dq95d35.com^ +||drabsize.com^ +||draconiancurve.com^ +||dragzebra.com^ +||drainpaste.com^ +||dramaticcondition.com^ +||dramaticdirection.com^ +||drawservant.com^ +||dreamycanyon.com^ +||dressexpansion.com^ +||driftingchef.com^ +||driftpizza.com^ +||dripappliance.com^ +||driverequest.com^ +||drollwharf.com^ +||drydrum.com^ +||dustydime.com^ +||dustyhammer.com^ +||dustyrabbits.com^ +||dustywave.com^ +||eagereden.com^ +||eagerflame.com^ +||eagerknight.com^ +||earnbaht.com^ +||earthquakescarf.com^ +||earthycopy.com^ +||earthyfarm.com^ +||eatablesquare.com^ +||echochief.com^ +||echoinghaven.com^ +||economicpizzas.com^ +||effervescentcoral.com^ +||effervescentvista.com^ +||efficaciouscactus.com^ +||effulgentnook.com^ +||effulgenttempest.com^ +||ejyymghi.com^ +||elasticchange.com^ +||elderlybean.com^ +||elderlyinsect.com^ +||elderlyscissors.com^ +||elderlytown.com^ +||elegantboulevard.com^ +||elephantqueue.com^ +||elusivebreeze.com^ +||elusivecascade.com^ +||elysiantraverse.com^ +||embellishedmeadow.com^ +||embermosaic.com^ +||emberwhisper.com^ +||eminentbubble.com^ +||eminentend.com^ +||emptyescort.com^ +||enchantedjudge.com^ +||enchantedskyline.com^ +||enchantingdiscovery.com^ +||enchantingenchantment.com^ +||enchantingmystique.com^ +||enchantingtundra.com^ +||enchantingvalley.com^ +||encourageshock.com^ +||encouragingleaf.com^ +||encouragingthread.com^ +||encouragingvase.com^ +||encouragingwilderness.com^ +||endlesstrust.com^ +||endurablebulb.com^ +||endurableshop.com^ +||energeticexample.com^ +||energeticladybug.com^ +||engineergrape.com^ +||engineertrick.com^ +||enigmaprint.com^ +||enigmaticblossom.com^ +||enigmaticcanyon.com^ +||enigmaticvoyage.com^ +||enormousearth.com^ +||enormousfoot.com^ +||enterdrama.com^ +||entertainingeyes.com^ +||entertainskin.com^ +||enthusiasticdad.com^ +||enthusiastictemper.com^ +||enviousshape.com^ +||enviousthread.com^ +||epicoldschool.com^ +||equablekettle.com^ +||erraticreaction.com^ +||etherealbamboo.com^ +||ethereallagoon.com^ +||etherealpinnacle.com^ +||etherealquasar.com^ +||etherealripple.com^ +||evanescentedge.com^ +||evasivejar.com^ +||eventexistence.com^ +||exampleshake.com^ +||excitingtub.com^ +||exclusivebrass.com^ +||executeknowledge.com^ +||exhibitsneeze.com^ +||expansioneggnog.com^ +||experienceeggs.com^ +||exquisiteartisanship.com^ +||extractobservation.com^ +||extralocker.com^ +||extramonies.com^ +||exuberantedge.com^ +||exuberanteyes.com^ +||exuberantsoda.com^ +||exultantdrop.com^ +||facilitatebreakfast.com^ +||facilitategrandfather.com^ +||fadechildren.com^ +||fadedprofit.com^ +||fadedsnow.com^ +||faintflag.com^ +||fairfeeling.com^ +||fairiesbranch.com^ +||fairygaze.com^ +||fairytaleflame.com^ +||fallaciousfifth.com^ +||falsefeet.com^ +||falseframe.com^ +||familiarrod.com^ +||famousquarter.com^ +||fancyactivity.com^ +||fancydune.com^ +||fancygrove.com^ +||fangfeeling.com^ +||fantasticsmash.com^ +||fantastictone.com^ +||farethief.com^ +||farmergoldfish.com^ +||farshake.com^ +||farsnails.com^ +||fascinatedfeather.com^ +||fastenfather.com^ +||fasterfineart.com^ +||fasterjson.com^ +||fatcoil.com^ +||faucetfoot.com^ +||faultycanvas.com^ +||faultyfowl.com^ +||fearfowl.com^ +||fearfulfear.com^ +||fearfulfish.com^ +||fearfulmint.com^ +||fearlessfaucet.com^ +||fearlesstramp.com^ +||featherstage.com^ +||feebleshock.com^ +||feeblestamp.com^ +||feedten.com^ +||feignedfaucet.com^ +||fernwaycloud.com^ +||fertilefeeling.com^ +||fewjuice.com^ +||fewkittens.com^ +||finalizeforce.com^ +||financefear.com^ +||finestpiece.com^ +||finitecube.com^ +||firecatfilms.com^ +||fireworkcamp.com^ +||firstendpoint.com^ +||firstfrogs.com^ +||firsttexture.com^ +||fitmessage.com^ +||fivesidedsquare.com^ +||fixedfold.com^ +||flakyfeast.com^ +||flameuncle.com^ +||flimsycircle.com^ +||flimsythought.com^ +||flippedfunnel.com^ +||floodprincipal.com^ +||flourishingcollaboration.com^ +||flourishingendeavor.com^ +||flourishinginnovation.com^ +||flourishingpartnership.com^ +||flowersornament.com^ +||flowerstreatment.com^ +||flowerycreature.com^ +||floweryfact.com^ +||floweryflavor.com^ +||floweryoperation.com^ +||flushingbeast.com^ +||flutteringfireman.com^ +||foambench.com^ +||foamyfood.com^ +||followborder.com^ +||forecasttiger.com^ +||foregoingfowl.com^ +||foretellfifth.com^ +||forevergears.com^ +||forgetfulflowers.com^ +||forgetfulsnail.com^ +||fortunatemark.com^ +||fourarithmetic.com^ +||fourfork.com^ +||fourpawsahead.com^ +||fractalcoast.com^ +||frailflock.com^ +||frailfruit.com^ +||frailoffer.com^ +||framebanana.com^ +||franticroof.com^ +||frantictrail.com^ +||frazzleart.com^ +||freakyglass.com^ +||freezingbuilding.com^ +||frequentflesh.com^ +||fretfulfurniture.com^ +||friendlycrayon.com^ +||friendlyfold.com^ +||frightenedpotato.com^ +||frogator.com^ +||frogtray.com^ +||fronttoad.com^ +||frugalfiestas.com^ +||fujiladder.com^ +||fumblingform.com^ +||fumblingselection.com^ +||functionalcrown.com^ +||functionalfeather.com^ +||funnyairplane.com^ +||funoverbored.com^ +||funoverflow.com^ +||furnstudio.com^ +||furryfork.com^ +||furryhorses.com^ +||futuristicapparatus.com^ +||futuristicfairies.com^ +||futuristicfifth.com^ +||futuristicfold.com^ +||futuristicframe.com^ +||fuzzyaudio.com^ +||fuzzybasketball.com^ +||fuzzyerror.com^ +||fuzzyflavor.com^ +||fuzzyweather.com^ +||fvl1f.pw^ +||gammamaximum.com^ +||gardenovens.com^ +||gaudyairplane.com^ +||geekactive.com^ +||generalprose.com^ +||generateoffice.com^ +||gentlemoonlight.com^ +||ghostgenie.com^ +||giantsvessel.com^ +||giddycoat.com^ +||giftedglue.com^ +||giraffepiano.com^ +||gitcrumbs.com^ +||givevacation.com^ +||gladglen.com^ +||gladysway.com^ +||glamhawk.com^ +||gleamingcow.com^ +||gleaminghaven.com^ +||gleamingtrade.com^ +||glisteningguide.com^ +||glisteningsign.com^ +||glitteringbrook.com^ +||gloriousbeef.com^ +||glossysense.com^ +||glowingmeadow.com^ +||gluedpixel.com^ +||godlygeese.com^ +||godseedband.com^ +||goldfishgrowth.com^ +||gondolagnome.com^ +||goodbark.com^ +||gorgeousedge.com^ +||gorgeousground.com^ +||gossamerwing.com^ +||gracefulmilk.com^ +||gracefulsock.com^ +||grainmass.com^ +||grandfatherguitar.com^ +||grandiosefire.com^ +||grandioseguide.com^ +||grandmotherunit.com^ +||granlite.com^ +||grapeopinion.com^ +||gravitygive.com^ +||gravitykick.com^ +||grayoranges.com^ +||grayreceipt.com^ +||greasegarden.com^ +||greasemotion.com^ +||greasysquare.com^ +||greetzebra.com^ +||greyinstrument.com^ +||gripcorn.com^ +||groovyornament.com^ +||grouchybrothers.com^ +||grouchypush.com^ +||grumpydime.com^ +||grumpydrawer.com^ +||guaranteelamp.com^ +||guardeddirection.com^ +||guardedschool.com^ +||guessdetail.com^ +||guidecent.com^ +||guildalpha.com^ +||guiltlessbasketball.com^ +||guitargrandmother.com^ +||gulliblegrip.com^ +||gullibleguitar.com^ +||gustocooking.com^ +||gustygrandmother.com^ +||h78xb.pw^ +||habitualhumor.com^ +||halcyoncanyon.com^ +||halcyonsculpture.com^ +||hallowedinvention.com^ +||haltingbadge.com^ +||haltingdivision.com^ +||haltinggold.com^ +||hammerhearing.com^ +||handleteeth.com^ +||handnorth.com^ +||handsomehose.com^ +||handsomeindustry.com^ +||handsomelyhealth.com^ +||handsomelythumb.com^ +||handsomeyam.com^ +||handyfield.com^ +||handyfireman.com^ +||handyincrease.com^ +||haplesshydrant.com^ +||haplessland.com^ +||happysponge.com^ +||harborcaption.com^ +||harborcub.com^ +||hardtofindmilk.com^ +||harmonicbamboo.com^ +||harmonywing.com^ +||hatefulrequest.com^ +||headydegree.com^ +||headyhook.com^ +||healflowers.com^ +||hearinglizards.com^ +||heartbreakingmind.com^ +||hearthorn.com^ +||heavydetail.com^ +||heavyplayground.com^ +||helpcollar.com^ +||helpflame.com^ +||hesitanttoothpaste.com^ +||hfc195b.com^ +||highfalutinbox.com^ +||highfalutinhoney.com^ +||highfalutinroom.com^ +||hilariouszinc.com^ +||historicalbeam.com^ +||historicalrequest.com^ +||hocgeese.com^ +||hollowafterthought.com^ +||homebizplaza.com^ +||homelycrown.com^ +||homeslick.com^ +||honeybulb.com^ +||honeygoldfish.com^ +||honeywhipped.com^ +||honorablehall.com^ +||honorablehydrant.com^ +||honorableland.com^ +||hookconference.com^ +||hospitablehall.com^ +||hospitablehat.com^ +||howdyinbox.com^ +||humdrumhat.com^ +||humdrumhobbies.com^ +||humdrumtouch.com^ +||hurtgrape.com^ +||hurtteeth.com^ +||hypnoticwound.com^ +||hystericalcloth.com^ +||hystericalfinger.com^ +||hystericalhelp.com^ +||i9w8p.pw^ +||icebergindigo.com^ +||idolscene.com^ +||idyllicjazz.com^ +||illfatedsnail.com^ +||illinvention.com^ +||illustriousoatmeal.com^ +||immensehoney.com^ +||imminentshake.com^ +||imperfectinstrument.com^ +||importantmeat.com^ +||importedincrease.com^ +||importedinsect.com^ +||importedplay.com^ +||importedpolice.com^ +||importlocate.com^ +||impossibleexpansion.com^ +||impossiblemove.com^ +||impulsehands.com^ +||impulsejewel.com^ +||impulselumber.com^ +||incomehippo.com^ +||incompetentjoke.com^ +||inconclusiveaction.com^ +||infamousstream.com^ +||informengine.com^ +||innatecomb.com^ +||innocentinvention.com^ +||innocentlamp.com^ +||innocentwax.com^ +||inputicicle.com^ +||inquisitiveice.com^ +||inquisitiveinvention.com^ +||instrumentinsect.com^ +||instrumentsponge.com^ +||insulatech.com^ +||intelligentscissors.com^ +||intentlens.com^ +||interestdust.com^ +||interestsmoke.com^ +||internalcondition.com^ +||internalsink.com^ +||inventionpassenger.com^ +||investigatepin.com^ +||invitesugar.com^ +||iotapool.com^ +||iridescentdusk.com^ +||iridescentvista.com^ +||irritatingfog.com^ +||itemslice.com^ +||ivykiosk.com^ +||j93557g.com^ +||jadedjoke.com^ +||jadeitite.com^ +||jaderooster.com^ +||jailbulb.com^ +||jimny.pro^ +||joblessdrum.com^ +||jollylens.com^ +||joyfulkeen.com^ +||joyfulvibe.com^ +||joyoussurprise.com^ +||jubilantaura.com^ +||jubilantcanyon.com^ +||jubilantglimmer.com^ +||jubilanthush.com^ +||jubilantlagoon.com^ +||jubilantpinnacle.com^ +||jubilantvista.com^ +||jubilantwhisper.com^ +||juicebard.com^ +||juiceblocks.com^ +||justconfig.com^ +||justicejudo.com^ +||justwebcards.com^ +||k54nw.pw^ +||kaputquill.com^ +||keenquill.com^ +||kibbleandbytes.com^ +||kindhush.com^ +||kitesquirrel.com^ +||kittyaction.com^ +||knitstamp.com^ +||knotkettle.com^ +||knottysticks.com^ +||knottyswing.com^ +||laboredlight.com^ +||laboredlocket.com^ +||lackadaisicalkite.com^ +||lagoonolivia.com^ +||lameletters.com^ +||lamplow.com^ +||landandfloor.com^ +||languagelake.com^ +||largebrass.com^ +||lasttaco.com^ +||laughablecopper.com^ +||laughcloth.com^ +||laughdrum.com^ +||leapfaucet.com^ +||leaplunchroom.com^ +||learnedmarket.com^ +||ledlocket.com^ +||leftliquid.com^ +||legalleg.com^ +||lemonpackage.com^ +||lemonsandjoy.com^ +||lettucecopper.com^ +||lettucelimit.com^ +||levelbehavior.com^ +||liftedknowledge.com^ +||lightcushion.com^ +||lightenafterthought.com^ +||lighttalon.com^ +||literatelight.com^ +||livelumber.com^ +||livelylaugh.com^ +||livelyreward.com^ +||livingsleet.com^ +||lizardslaugh.com^ +||loadsurprise.com^ +||lonelybulb.com^ +||lonelyflavor.com^ +||longinglettuce.com^ +||longingtrees.com^ +||looseloaf.com^ +||lopsidedleather.com^ +||lorenzourban.com^ +||losslace.com^ +||loudlunch.com^ +||lovelydrum.com^ +||loveseashore.com^ +||lowlocket.com^ +||lp3tdqle.com^ +||luckyzombie.com^ +||ludicrousarch.com^ +||lumberamount.com^ +||luminousboulevard.com^ +||luminouscatalyst.com^ +||luminoussculptor.com^ +||lumpygnome.com^ +||lumpylumber.com^ +||lunchroomlock.com^ +||lustroushaven.com^ +||lyricshook.com^ +||maddeningpowder.com^ +||madebyintent.com^ +||madlysuccessful.com^ +||magicaljoin.com^ +||magicminibox.com^ +||magiczenith.com^ +||magnetairport.com^ +||magnificentmeasure.com^ +||magnificentmist.com^ +||mailboxmeeting.com^ +||majesticmountainrange.com^ +||majesticwaterscape.com^ +||majesticwilderness.com^ +||makeshiftmine.com^ +||makesimpact.com^ +||maliciousmusic.com^ +||managedpush.com^ +||maniacalappliance.com^ +||mantrafox.com^ +||mapbasin.com^ +||mapcommand.com^ +||marblediscussion.com^ +||markahouse.com^ +||markedcrayon.com^ +||markedmeasure.com^ +||markedpail.com^ +||marketspiders.com^ +||marriedbelief.com^ +||marriedmailbox.com^ +||marriedvalue.com^ +||marrowleaves.com^ +||massivebasket.com^ +||massivemark.com^ +||matchjoke.com^ +||materialisticfan.com^ +||materialisticmark.com^ +||materialisticmoon.com^ +||materialmilk.com^ +||materialmoon.com^ +||materialparcel.com^ +||materialplayground.com^ +||meadowlullaby.com^ +||measlymiddle.com^ +||measurecaption.com^ +||meatydime.com^ +||meddleplant.com^ +||mediatescarf.com^ +||mediumshort.com^ +||mellowhush.com^ +||mellowmailbox.com^ +||melodiouschorus.com^ +||melodiouscomposition.com^ +||melodioussymphony.com^ +||meltmilk.com^ +||memopilot.com^ +||memorizeline.com^ +||memorizematch.com^ +||memorizeneck.com^ +||memorycobweb.com^ +||mentorsticks.com^ +||meremark.com^ +||merequartz.com^ +||merryopal.com^ +||merryvault.com^ +||messagenovice.com^ +||messyoranges.com^ +||metajaws.com^ +||metroaverage.com^ +||mightyspiders.com^ +||militaryverse.com^ +||mimosamajor.com^ +||mindfulgem.com^ +||mindlessmark.com^ +||minorcattle.com^ +||minormeeting.com^ +||minusmental.com^ +||minuteburst.com^ +||minuterhythm.com^ +||miscreantmine.com^ +||miscreantmoon.com^ +||missionrewards.com^ +||mistervillas.com^ +||mistyhorizon.com^ +||mittencattle.com^ +||mixedreading.com^ +||modifyeyes.com^ +||modularmental.com^ +||moldyicicle.com^ +||monacobeatles.com^ +||monthlyhat.com^ +||moorshoes.com^ +||morefriendly.com^ +||motionflowers.com^ +||motionlessbag.com^ +||motionlessbelief.com^ +||motionlessmeeting.com^ +||mountainouspear.com^ +||movemeal.com^ +||mowfruit.com^ +||mowgoats.com^ +||muddledaftermath.com^ +||muddledmemory.com^ +||mundanenail.com^ +||mundanepollution.com^ +||murkymeeting.com^ +||mushywaste.com^ +||muteknife.com^ +||mutemailbox.com^ +||muterange.com^ +||mysteriousmonth.com^ +||mysticalagoon.com^ +||naivestatement.com^ +||nappyattack.com^ +||nappyneck.com^ +||neatshade.com^ +||nebulacrescent.com^ +||nebulajubilee.com^ +||nebulousamusement.com^ +||nebulousquasar.com^ +||nebulousripple.com^ +||needlessnorth.com^ +||needyneedle.com^ +||negotiatetime.com^ +||neighborlywatch.com^ +||nervoussummer.com^ +||newartreview.com^ +||newsletterjet.com^ +||niftygraphs.com^ +||niftyhospital.com^ +||niftyjelly.com^ +||niftyreports.com^ +||nightwound.com^ +||nimbleplot.com^ +||nocturnalloom.com^ +||nocturnalmystique.com^ +||nodethisweek.com^ +||noiselessplough.com^ +||nonchalantnerve.com^ +||nondescriptcrowd.com^ +||nondescriptnote.com^ +||nondescriptsmile.com^ +||nondescriptstocking.com^ +||nostalgicknot.com^ +||nostalgicneed.com^ +||nothingmethod.com^ +||nothingunit.com^ +||notifyglass.com^ +||nudgeduck.com^ +||nulldiscussion.com^ +||nullnorth.com^ +||numberlessring.com^ +||numerousnest.com^ +||nutritiousbean.com^ +||nuttyorganization.com^ +||oafishchance.com^ +||oafishobservation.com^ +||objecthero.com^ +||obscenesidewalk.com^ +||observantice.com^ +||offshorecyclone.com^ +||oldfashionedoffer.com^ +||omgthink.com^ +||omniscientfeeling.com^ +||omniscientspark.com^ +||onlywoofs.com^ +||opalquill.com^ +||operationchicken.com^ +||operationnail.com^ +||opinionsurprise.com^ +||oppositeoperation.com^ +||optimallimit.com^ +||opulentsylvan.com^ +||orangeoperation.com^ +||orientedargument.com^ +||orionember.com^ +||ourblogthing.com^ +||outdoorthingy.com^ +||outgoinggiraffe.com^ +||outsidevibe.com^ +||outstandingsnails.com^ +||ovalweek.com^ +||overconfidentfood.com^ +||overkick.com^ +||overratedchalk.com^ +||owlsr.us^ +||oxygenfuse.com^ +||pailcrime.com^ +||pailpatch.com^ +||painstakingpickle.com^ +||paintpear.com^ +||paintplantation.com^ +||paleleaf.com^ +||pamelarandom.com^ +||panickycurtain.com^ +||panickypancake.com^ +||panoramicbutter.com^ +||panoramicplane.com^ +||paradoxfactor.com^ +||parallelbulb.com^ +||parcelcreature.com^ +||parchedangle.com^ +||parchedsofa.com^ +||pardonpopular.com^ +||parentpicture.com^ +||parsimoniouspolice.com^ +||partplanes.com^ +||passengerpage.com^ +||passivepolo.com^ +||pastcabbage.com^ +||pastepot.com^ +||pastoralcorn.com^ +||pastoralroad.com^ +||pawsnug.com^ +||peacefullimit.com^ +||pedromister.com^ +||pedropanther.com^ +||pegsbuttons.com^ +||perceivequarter.com^ +||periodicpocket.com^ +||perkyjade.com^ +||perpetualpail.com^ +||persuadesock.com^ +||persuadesupport.com^ +||petiteumbrella.com^ +||philippinch.com^ +||phonicsblitz.com^ +||photographpan.com^ +||physicalbikes.com^ +||piespower.com^ +||pietexture.com^ +||pigspie.com^ +||pinchsquirrel.com^ +||pinkbonanza.com^ +||pinpointpotato.com^ +||piquantgrove.com^ +||piquantmeadow.com^ +||piquantpigs.com^ +||piquantprice.com^ +||piquantstove.com^ +||piquantvortex.com^ +||pixeledhub.com^ +||pixelvariety.com^ +||pizzasnut.com^ +||placeframe.com^ +||placidactivity.com^ +||placidperson.com^ +||plainrequest.com^ +||planebasin.com^ +||planesorder.com^ +||plantdigestion.com^ +||plantpotato.com^ +||plantrelation.com^ +||platescarecrow.com^ +||playfulriver.com^ +||pleasantpump.com^ +||plotparent.com^ +||plotrabbit.com^ +||pluckypocket.com^ +||pluckyzone.com^ +||pocketfaucet.com^ +||podiumpresto.com^ +||poemprompt.com^ +||poeticpackage.com^ +||pointdigestion.com^ +||pointlesshour.com^ +||pointlesspocket.com^ +||pointlessprofit.com^ +||pointlessrifle.com^ +||poisedfuel.com^ +||poisedpig.com^ +||polarismagnet.com^ +||polishedcrescent.com^ +||polishedfolly.com^ +||politegoldfish.com^ +||politeplanes.com^ +||politicalflip.com^ +||politicalporter.com^ +||popplantation.com^ +||possessivebucket.com^ +||possibleboats.com^ +||possiblepencil.com^ +||potatoinvention.com^ +||powderjourney.com^ +||powderprofit.com^ +||powerfulblends.com^ +||powerfulcopper.com^ +||preciouseffect.com^ +||preciousplanes.com^ +||preciousyoke.com^ +||predictplate.com^ +||prefixpatriot.com^ +||prepareplanes.com^ +||presetrabbits.com^ +||previousplayground.com^ +||previouspotato.com^ +||priceypies.com^ +||pricklydebt.com^ +||pricklyjourney.com^ +||pricklyplastic.com^ +||pricklypollution.com^ +||printerplasma.com^ +||probablepartner.com^ +||processplantation.com^ +||producecopy.com^ +||producepickle.com^ +||productivepear.com^ +||productsurfer.com^ +||profitrumour.com^ +||profusesupport.com^ +||promiseair.com^ +||promopassage.com^ +||proofconvert.com^ +||propertypotato.com^ +||propsynergy.com^ +||protestcopy.com^ +||proudprose.com^ +||psychedelicarithmetic.com^ +||psychedelicchess.com^ +||pubfs.com^ +||pubimgs.com^ +||publicsofa.com^ +||puffyloss.com^ +||puffypaste.com^ +||puffypull.com^ +||puffypurpose.com^ +||pulsatingmeadow.com^ +||pumpedpancake.com^ +||pumpedpurpose.com^ +||punyplant.com^ +||puppytooth.com^ +||purchasesuggestion.com^ +||purposepipe.com^ +||puzzlingproperty.com^ +||q20jqurls0y7gk8.info^ +||quacksquirrel.com^ +||quaintborder.com^ +||quaintcan.com^ +||quaintlake.com^ +||quantumlagoon.com^ +||quantumshine.com^ +||quarterbean.com^ +||queenskart.com^ +||quicksandear.com^ +||quietknowledge.com^ +||quillkick.com^ +||quirkybliss.com^ +||quirkysugar.com^ +||quixoticnebula.com^ +||quizzicalpartner.com^ +||quizzicalzephyr.com^ +||rabbitbreath.com^ +||rabbitrifle.com^ +||radiantcanopy.com^ +||radiateprose.com^ +||railwayrainstorm.com^ +||railwayreason.com^ +||raintwig.com^ +||rainydirt.com^ +||rainyhand.com^ +||rainyrule.com^ +||rainystretch.com^ +||rambunctiousflock.com^ +||rambunctiousvoyage.com^ +||rangecake.com^ +||rangeplayground.com^ +||rangergustav.com^ +||rapidkittens.com^ +||rarestcandy.com^ +||raresummer.com^ +||razzweb.com^ +||reactjspdf.com^ +||readgoldfish.com^ +||readingguilt.com^ +||readymoon.com^ +||readysnails.com^ +||realizedoor.com^ +||realizerecess.com^ +||rebelclover.com^ +||rebelhen.com^ +||rebelsubway.com^ +||rebelswing.com^ +||receiptcent.com^ +||receptivebranch.com^ +||receptiveink.com^ +||receptivereaction.com^ +||recessrain.com^ +||recommenddoor.com^ +||reconditeprison.com^ +||reconditerake.com^ +||reconditerespect.com^ +||recordbutter.com^ +||referdriving.com^ +||reflectivereward.com^ +||reflectivestatement.com^ +||refundradar.com^ +||regexmail.com^ +||regularplants.com^ +||regulatesleet.com^ +||rehabilitatereason.com^ +||rejectfairies.com^ +||relationrest.com^ +||releasepath.com^ +||reloadphoto.com^ +||rememberdiscussion.com^ +||rentinfinity.com^ +||repeatsweater.com^ +||replaceroute.com^ +||resolutekey.com^ +||resonantbrush.com^ +||resonantrock.com^ +||respectrain.com^ +||resplendentecho.com^ +||restrainstorm.com^ +||restructureinvention.com^ +||retrievemint.com^ +||rhetoricalactivity.com^ +||rhetoricalloss.com^ +||rhetoricalveil.com^ +||rhymezebra.com^ +||rhythmmoney.com^ +||rhythmrule.com^ +||richreceipt.com^ +||richstring.com^ +||righteouscrayon.com^ +||rightfulfall.com^ +||rigidrobin.com^ +||rigidveil.com^ +||rigorlab.com^ +||ringplant.com^ +||ringplayground.com^ +||ringsrecord.com^ +||ritzykey.com^ +||ritzyrepresentative.com^ +||ritzyveil.com^ +||robustbelieve.com^ +||rockagainst.com^ +||rockpebbles.com^ +||rodeopolice.com^ +||rollconnection.com^ +||roomyreading.com^ +||roseincome.com^ +||rottenray.com^ +||roughroll.com^ +||ruddycast.com^ +||ruddywash.com^ +||ruralrobin.com^ +||rusticprice.com^ +||ruthlessdegree.com^ +||ruthlessmilk.com^ +||ruthlessrobin.com^ +||sableloss.com^ +||sableshelf.com^ +||sablesmile.com^ +||sablesong.com^ +||sadloaf.com^ +||safetybrush.com^ +||saffronrefuge.com^ +||sagargift.com^ +||saltsacademy.com^ +||samesticks.com^ +||samestretch.com^ +||samplesamba.com^ +||samuraibots.com^ +||sandstrophies.com^ +||satisfycork.com^ +||satisfyingshirt.com^ +||satisfyingshow.com^ +||satisfyingspark.com^ +||savoryorange.com^ +||savorystructure.com^ +||sayinnovation.com^ +||saysidewalk.com^ +||scarcecard.com^ +||scarceshock.com^ +||scarcesign.com^ +||scarcestructure.com^ +||scarcesurprise.com^ +||scarecrowslip.com^ +||scarecrowslope.com^ +||scaredcomfort.com^ +||scaredsidewalk.com^ +||scaredslip.com^ +||scaredsnake.com^ +||scaredsnakes.com^ +||scaredsong.com^ +||scaredstomach.com^ +||scaredstory.com^ +||scaredswing.com^ +||scarefowl.com^ +||scarfsmash.com^ +||scarfthought.com^ +||scatteredheat.com^ +||scatteredquiver.com^ +||scatteredstream.com^ +||scenicapparel.com^ +||scenicdrops.com^ +||scientificshirt.com^ +||scientificsneeze.com^ +||scintillatingscissors.com^ +||scintillatingsilver.com^ +||scintillatingspace.com^ +||scissorsstatement.com^ +||scrapesleep.com^ +||scratchsofa.com^ +||screechingfurniture.com^ +||screechingstocking.com^ +||screechingstove.com^ +||scribbleson.com^ +||scribblestring.com^ +||scrollservice.com^ +||scrubswim.com^ +||seashoresociety.com^ +||seatsmoke.com^ +||secondhandfall.com^ +||secretivecub.com^ +||secretivesheep.com^ +||secretspiders.com^ +||secretturtle.com^ +||sedatebun.com^ +||seedscissors.com^ +||seemlysuggestion.com^ +||seespice.com^ +||selectionship.com^ +||selectivesummer.com^ +||selfishsea.com^ +||selfishsnake.com^ +||sendingspire.com^ +||sensorsmile.com^ +||sentinelp.com^ +||separateshow.com^ +||separatesilver.com^ +||separatesort.com^ +||seraphichorizon.com^ +||serendipityecho.com^ +||serenecascade.com^ +||serenesurf.com^ +||serenezenith.com^ +||serioussuit.com^ +||serpentshampoo.com^ +||serverracer.com^ +||settleshoes.com^ +||shadeship.com^ +||shaggytank.com^ +||shakegoldfish.com^ +||shakesuggestion.com^ +||shakyseat.com^ +||shakysurprise.com^ +||shakytaste.com^ +||shallowart.com^ +||shallowblade.com^ +||shallowsmile.com^ +||shamerain.com^ +||shapecomb.com^ +||sharkskids.com^ +||sharppatch.com^ +||shesubscriptions.com^ +||shinesavage.com^ +||shinypond.com^ +||shirtsidewalk.com^ +||shiveringspot.com^ +||shiverscissors.com^ +||shockinggrass.com^ +||shockingship.com^ +||shopbreakfast.com^ +||showsteel.com^ +||shredquiz.com^ +||shrillspoon.com^ +||shutseashore.com^ +||shydinosaurs.com^ +||shyseed.com^ +||sickflock.com^ +||sicksmash.com^ +||sierrakermit.com^ +||signaturepod.com^ +||silentcredit.com^ +||silentwrench.com^ +||siliconslow.com^ +||silkysquirrel.com^ +||sillyscrew.com^ +||simplesidewalk.com^ +||simplisticstem.com^ +||simulateswing.com^ +||sincerebuffalo.com^ +||sinceresubstance.com^ +||singroot.com^ +||sinkbooks.com^ +||sixauthority.com^ +||sixscissors.com^ +||sizesidewalk.com^ +||sizzlingsmoke.com^ +||skillfuldrop.com^ +||skillfulsock.com^ +||skisofa.com^ +||skullmagnets.com^ +||slaysweater.com^ +||sleepcartoon.com^ +||slimopinion.com^ +||slimyscarf.com^ +||slinksuggestion.com^ +||slipperysack.com^ +||slopesoap.com^ +||sloppycalculator.com^ +||sloppyearthquake.com^ +||smallershops.com^ +||smashquartz.com^ +||smashshoe.com^ +||smashsurprise.com^ +||smilewound.com^ +||smilingcattle.com^ +||smilingshake.com^ +||smilingswim.com^ +||smilingwaves.com^ +||smoggysnakes.com^ +||smoggysongs.com^ +||smoggystation.com^ +||snacktoken.com^ +||snailsengine.com^ +||snakemineral.com^ +||snakeslang.com^ +||snakesshop.com^ +||snakesstone.com^ +||snappyreport.com^ +||snapsgate.com^ +||sneakwind.com^ +||sneakystew.com^ +||snoresmile.com^ +||snowmentor.com^ +||soaprange.com^ +||softwarerumble.com^ +||soggysponge.com^ +||soggyzoo.com^ +||solarislabyrinth.com^ +||soleblinds.com^ +||somberattack.com^ +||somberscarecrow.com^ +||sombersea.com^ +||sombersquirrel.com^ +||sombersticks.com^ +||somberstructure.com^ +||sombersurprise.com^ +||songssmoke.com^ +||songsterritory.com^ +||sootheside.com^ +||soothingglade.com^ +||sophisticatedstory.com^ +||sophisticatedstove.com^ +||sordidsmile.com^ +||sordidstation.com^ +||soresidewalk.com^ +||soresneeze.com^ +||sorethunder.com^ +||soretrain.com^ +||sortanoisy.com^ +||sortsail.com^ +||sortstructure.com^ +||sortsummer.com^ +||soundstocking.com^ +||sowlettuce.com^ +||spadelocket.com^ +||sparkgoal.com^ +||sparklesleet.com^ +||sparklingnumber.com^ +||sparklingshelf.com^ +||specialscissors.com^ +||specialsnake.com^ +||specialstatement.com^ +||spectacularstamp.com^ +||spellmist.com^ +||spellsalsa.com^ +||spendpest.com^ +||spidersboats.com^ +||spiffymachine.com^ +||spirebaboon.com^ +||spookyexchange.com^ +||spookyskate.com^ +||spookysleet.com^ +||spookyslope.com^ +||spookystitch.com^ +||spoonsilk.com^ +||spotlessstamp.com^ +||spotstring.com^ +||spottednoise.com^ +||spottedsmile.com^ +||spottedsnow.com^ +||springaftermath.com^ +||springolive.com^ +||springsister.com^ +||springsnails.com^ +||sproutingbag.com^ +||sprydelta.com^ +||sprysummit.com^ +||spuriousair.com^ +||spuriousbase.com^ +||spurioussquirrel.com^ +||spurioussteam.com^ +||spuriousstranger.com^ +||spysubstance.com^ +||squalidscrew.com^ +||squashfriction.com^ +||squeakzinc.com^ +||squealingturn.com^ +||squeamishspot.com^ +||squirrelhands.com^ +||stakingbasket.com^ +||stakingscrew.com^ +||stakingshock.com^ +||stakingslope.com^ +||stakingsmile.com^ +||staleseat.com^ +||staleshow.com^ +||stalesummer.com^ +||stampknot.com^ +||standingnest.com^ +||standingsack.com^ +||standtrouble.com^ +||starkscale.com^ +||startercost.com^ +||startingcars.com^ +||stat.pet^ +||statementsweater.com^ +||statshunt.com^ +||statuesquebrush.com^ +||stayaction.com^ +||steadfastseat.com^ +||steadfastsound.com^ +||steadfastsystem.com^ +||steadycopper.com^ +||stealsteel.com^ +||steepscale.com^ +||steepsister.com^ +||steepsquirrel.com^ +||stepcattle.com^ +||stepplane.com^ +||stepwisevideo.com^ +||stereoproxy.com^ +||stereotypedclub.com^ +||stereotypedsugar.com^ +||stewspiders.com^ +||stickssheep.com^ +||stickysheet.com^ +||stiffgame.com^ +||stiffstem.com^ +||stimulatingsneeze.com^ +||stingsquirrel.com^ +||stingycrush.com^ +||stingyshoe.com^ +||stingyspoon.com^ +||stockingsleet.com^ +||stockingsneeze.com^ +||stocktheme.com^ +||stomachscience.com^ +||stonechin.com^ +||stopstomach.com^ +||storescissors.com^ +||storeslope.com^ +||storesurprise.com^ +||stormyachiever.com^ +||stormyfold.com^ +||stoveseashore.com^ +||straightnest.com^ +||strangeclocks.com^ +||strangersponge.com^ +||strangesink.com^ +||streetsort.com^ +||stretchsister.com^ +||stretchsneeze.com^ +||stretchsquirrel.com^ +||stringsmile.com^ +||stripedbat.com^ +||stripedburst.com^ +||strivesidewalk.com^ +||strivesquirrel.com^ +||strokesystem.com^ +||structurerod.com^ +||stupendousselection.com^ +||stupendoussleet.com^ +||stupendoussnow.com^ +||stupidscene.com^ +||stupidsnake.com^ +||sturdysnail.com^ +||subletyoke.com^ +||subsequentsand.com^ +||subsequentstew.com^ +||subsequentswim.com^ +||substantialcarpenter.com^ +||substantialgrade.com^ +||substantialstraw.com^ +||successfulscent.com^ +||suddensidewalk.com^ +||suddensnake.com^ +||suddensoda.com^ +||suddenstructure.com^ +||sugarcurtain.com^ +||sugarfriction.com^ +||suggestionbridge.com^ +||sulkybutter.com^ +||sulkycook.com^ +||summerobject.com^ +||sunshinegates.com^ +||superchichair.com^ +||superficialeyes.com^ +||superficialspring.com^ +||superficialsquare.com^ +||supervisegoldfish.com^ +||superviseshoes.com^ +||supportwaves.com^ +||suspectmark.com^ +||suspendseed.com^ +||swankysquare.com^ +||sweepsheep.com^ +||sweetslope.com^ +||swellstocking.com^ +||swelteringsleep.com^ +||swimfreely.com^ +||swimslope.com^ +||swingslip.com^ +||swordgoose.com^ +||syllablesight.com^ +||symbolizebeast.com^ +||synonymousrule.com^ +||synonymoussticks.com^ +||synthesizespoon.com^ +||systemizecoat.com^ +||tackytrains.com^ +||talentedsteel.com^ +||talltouch.com^ +||tangibleteam.com^ +||tangletrace.com^ +||tangyamount.com^ +||tangycover.com^ +||tarttendency.com^ +||tasksimplify.com^ +||tasselapp.com^ +||tastefulsongs.com^ +||tastelesstoes.com^ +||tastelesstrees.com^ +||tastesnake.com^ +||tawdryson.com^ +||tdzvm.pw^ +||teacupbooks.com^ +||tearfulglass.com^ +||techconverter.com^ +||tediousbear.com^ +||tediousticket.com^ +||tedioustooth.com^ +||teenytinycellar.com^ +||teenytinyshirt.com^ +||teenytinytongue.com^ +||teenyvolcano.com^ +||teethfan.com^ +||telephoneapparatus.com^ +||tempertrick.com^ +||tempttalk.com^ +||temptteam.com^ +||tendersugar.com^ +||tendertest.com^ +||tenhourweek.com^ +||terriblethumb.com^ +||terrificgoose.com^ +||terrifictooth.com^ +||testadmiral.com^ +||testedtouch.com^ +||texturetrick.com^ +||thejavalane.com^ +||therapeuticcars.com^ +||thickticket.com^ +||thicktrucks.com^ +||thingsafterthought.com^ +||thingstaste.com^ +||thinkablefloor.com^ +||thinkablerice.com^ +||thinkitten.com^ +||thinkitwice.com^ +||thirdrespect.com^ +||thirstyswing.com^ +||thirstytwig.com^ +||thomastorch.com^ +||thoughtlessknot.com^ +||threechurch.com^ +||threetruck.com^ +||throattrees.com^ +||thunderingrose.com^ +||thunderingtendency.com^ +||ticketaunt.com^ +||ticklesign.com^ +||tidymitten.com^ +||tightpowder.com^ +||timeterritory.com^ +||timetwig.com^ +||tinyswans.com^ +||tinytendency.com^ +||tiredthroat.com^ +||tiresomethunder.com^ +||toecircle.com^ +||toedrawer.com^ +||toolcapital.com^ +||toomanyalts.com^ +||toothbrushnote.com^ +||toothpasterabbits.com^ +||topichawaii.com^ +||torpidtongue.com^ +||torpidtoothpaste.com^ +||touristfuel.com^ +||trackcaddie.com^ +||tradetooth.com^ +||trafficviews.com^ +||tranquilamulet.com^ +||tranquilarchipelago.com^ +||tranquilcanyon.com^ +||tranquilplume.com^ +||tranquilside.com^ +||tranquilveranda.com^ +||trappush.com^ +||traytouch.com^ +||treadbun.com^ +||tremendousearthquake.com^ +||tremendousplastic.com^ +||tremendoustime.com^ +||tritebadge.com^ +||tritethunder.com^ +||tritetongue.com^ +||troubleshade.com^ +||truckstomatoes.com^ +||truculentrate.com^ +||truebackpack.com^ +||tumbleicicle.com^ +||tuneupcoffee.com^ +||twistloss.com^ +||twistsweater.com^ +||typicalairplane.com^ +||typicalteeth.com^ +||tzwaw.pw^ +||ubiquitoussea.com^ +||ubiquitousyard.com^ +||ultraoranges.com^ +||ultravalid.com^ +||unablehope.com^ +||unaccountablecreator.com^ +||unaccountablepie.com^ +||unarmedindustry.com^ +||unbecominghall.com^ +||unbecominglamp.com^ +||uncoveredexpert.com^ +||understoodocean.com^ +||unequalbrake.com^ +||unequaltrail.com^ +||unicontainers.com^ +||unifyaddition.com^ +||uninterestedquarter.com^ +||unknowncontrol.com^ +||unknowncrate.com^ +||unknownidea.com^ +||unknowntray.com^ +||unloadyourself.com^ +||untidyquestion.com^ +||untidyrice.com^ +||unusedstone.com^ +||unusualtitle.com^ +||unwieldyhealth.com^ +||unwieldyimpulse.com^ +||unwieldyplastic.com^ +||unwrittenspot.com^ +||uppitytime.com^ +||usedexample.com^ +||uselesslumber.com^ +||uttermosthobbies.com^ +||validmemo.com^ +||vanfireworks.com^ +||vanishmemory.com^ +||velvetnova.com^ +||velvetquasar.com^ +||vengefulgrass.com^ +||venomousvessel.com^ +||venusgloria.com^ +||verdantanswer.com^ +||verdantcrescent.com^ +||verdantlabyrinth.com^ +||verdantsculpture.com^ +||verifyvegetable.com^ +||verseballs.com^ +||vibranthaven.com^ +||vibrantsundown.com^ +||vibrantvale.com^ +||victoriousrequest.com^ +||virgoplato.com^ +||virtualvincent.com^ +||vivaciousveil.com^ +||voicelessvein.com^ +||voicevegetable.com^ +||voidgoo.com^ +||volatileprofit.com^ +||volatilerainstorm.com^ +||volatilevessel.com^ +||voraciousgrip.com^ +||voyagepotato.com^ +||vq1qi.pw^ +||waggishpig.com^ +||waitingnumber.com^ +||wakefulcook.com^ +||wantingwindow.com^ +||warmafterthought.com^ +||warmquiver.com^ +||warnwing.com^ +||waryfog.com^ +||washbanana.com^ +||wateryvan.com^ +||waterywave.com^ +||waterywrist.com^ +||wearbasin.com^ +||websitesdude.com^ +||wellgroomedapparel.com^ +||wellgroomedbat.com^ +||wellgroomedhydrant.com^ +||wellmadefrog.com^ +||westpalmweb.com^ +||whimsicalcanyon.com^ +||whimsicalgrove.com^ +||whineattempt.com^ +||whirlwealth.com^ +||whiskyqueue.com^ +||whisperingbadge.com^ +||whisperingcascade.com^ +||whisperingcrib.com^ +||whisperingsummit.com^ +||whispermeeting.com^ +||wigglygeese.com^ +||wigglyindustry.com^ +||wildcommittee.com^ +||wildernesscamera.com^ +||wildwoodavenue.com^ +||wirecomic.com^ +||wiredforcoffee.com^ +||wirypaste.com^ +||wistfulflight.com^ +||wittypopcorn.com^ +||womanear.com^ +||workableachiever.com^ +||workoperation.com^ +||worldlever.com^ +||worriednumber.com^ +||worriedwine.com^ +||wrapstretch.com^ +||wreckvolcano.com^ +||writewealth.com^ +||wrongpotato.com^ +||wrongwound.com^ +||wryfinger.com^ +||wtaccesscontrol.com^ +||xovq5nemr.com^ +||yamstamp.com^ +||yieldingwoman.com^ +||youngmarble.com^ +||youthfulnoise.com^ +||zbwp6ghm.com^ +||zealousfield.com^ +||zephyrcatalyst.com^ +||zephyrlabyrinth.com^ +||zestycrime.com^ +||zestyhorizon.com^ +||zestyrover.com^ +||zestywire.com^ +||zipperxray.com^ +||zippywind.com^ +||zlp6s.pw^ +||zonewedgeshaft.com^ +! *** easylist:easyprivacy/easyprivacy_trackingservers_notifications.txt *** +! easyprivacy_trackingservers_notifications.txt +||actirinius.com^$third-party +||aimtell.com^$third-party +||alertme.news^$third-party +||amazonaws.com/cdn.aimtell.com/ +||aswpsdkeu.com^$third-party +||aswpsdkus.com^ +||bildirt.com^$third-party +||bosspush.com^$third-party +||browserpusher.com^$third-party +||cdn-sitegainer.com^$third-party +||cleverpush.com^$third-party +||copush.com^$third-party +||cracataum.com^$third-party +||danorenius.com^$third-party +||dengage.com^$third-party +||edrone.me^$third-party +||feedify.net^$third-party +||feraciumus.com^$third-party +||fernomius.com^$third-party +||fkondate.com^$third-party +||foxpush.com^$third-party +||foxpush.net^$third-party +||getback.ch^$third-party +||getnotix.co^$third-party +||getpush.net^$third-party +||getpushmonkey.com^$third-party +||gravitec.net^$third-party +||heroesdom.com^$third-party +||hrbpark.bid^$third-party +||jeeng.com^$third-party +||kattepush.com^$third-party +||letreach.com^$third-party +||lifterpopup.com^$third-party +||master-push.com^$third-party +||master-push.net^$third-party +||misrepush.com^$third-party +||moengage.com^$third-party +||mypush.online^$third-party +||najva.com^$third-party +||nativesubscribe.pro^$third-party +||netmera-web.com^$third-party +||notifadz.com^$third-party +||notify.solutions^$third-party +||notiks.io^$third-party +||notiksio.com^$third-party +||notix.io^$third-party +||on-push.com^$third-party +||onepush.app^$third-party +||outfunnel.com^$third-party +||pn.vg^$third-party +||provesrc.com^$third-party +||psh.one^$third-party +||push-ad.com^$third-party +||push-free.com^$third-party +||push.delivery^$third-party +||push7.jp^$third-party +||pushalert.co^$third-party +||pushbird.com^$third-party +||pushbullet.com^$third-party +||pushengage.com^$third-party +||pushible.com^$third-party +||pushify.com^$third-party +||pushmaster-cdn.xyz^ +||pushowl.com^$third-party +||pushprofit.ru^$third-party +||pushpushgo.com^$third-party +||pushwize.com^$third-party +||pushwoosh.com^$third-party +||reprocautious.com^$third-party +||sbi-push.com^$third-party +||sendpulse.com^$third-party +||shroughtened.com^$third-party +||snd.tc^$third-party +||subscribers.com^$third-party +||truenat.bid^$third-party +||truepush.com^$third-party +||unative.com^$third-party +||urbanairship.com^ +||viapush.com^$third-party +||webpu.sh^$third-party +||webpushr.com^$third-party +||webpushs.com^$third-party +||whiteclick.biz^$third-party +||wonderpush.com^$third-party +||wwclickserv.club^$third-party +||xtremepush.com^$third-party +! *** easylist:easyprivacy/easyprivacy_trackingservers.txt *** +! Chinese google (https://github.com/easylist/easylist/issues/15643) +||google-analytics-cn.com^ +||googleoptimize-cn.com^ +||googletagmanager-cn.com^ +! IP tracking +||0.0.0.1^ +! Bright Data https://github.com/AdguardTeam/AdGuardSDNSFilter/issues/1580 +||brdtest.com^ +||brdtnet.com^ +||brightdata.com^$third-party +||brightdata.de^$third-party +||luminati.io^ +||perr.l-agent.me^ +||perr.l-err.biz^ +! Block ping +$ping,third-party +! https://www.opensubtitles.org/ +$third-party,xmlhttprequest,domain=opensubtitles.org +! Oracle +||addthis.com^$third-party +||addthiscdn.com^$domain=~addthis.com +||addthisedge.com^$third-party +! revprotect +||pphwrevr.com^$third-party +||protectcrev.com^$third-party +||protectsubrev.com^$third-party +||revcatch.com^$third-party +||revprotect.com^$third-party +! Marketo email tracking domains https://github.com/easylist/easylist/issues/6475 +||mkto-*.com^$third-party +! Fingerprinting +||breaktime.com.tw^$third-party +||brightedge.com^$third-party +||citrusad.net^$third-party +||clickguardian.app^$third-party +||clickyab.com^$third-party +||fpjscdn.net^ +||guoshipartners.com^$third-party +||klangoo.com^$third-party +||p30rank.ir^$third-party +||ppcprotect.com^$third-party +||push4site.com^$third-party +||ravelin.net^$third-party +||simility.com^$third-party ! -----------------International third-party tracking domains-----------------! ! *** easylist:easyprivacy/easyprivacy_trackingservers_international.txt *** ! German ||123-counter.de^$third-party -||12mnkys.com^$third-party ||193.197.158.209^$third-party,domain=~statistik.lubw.baden-wuerttemberg.de.ip ||212.95.32.75^$third-party,domain=~ipcounter.de.ip ||24log.de^$third-party +||3ng6p6m0.de^$third-party ||4stats.de^$third-party -||abcounter.de^$third-party -||actionallocator.com^$third-party ||active-tracking.de^$third-party ||adc-serv.net^$third-party ||adclear.net^$third-party ||adcrowd.com^$third-party -||addcontrol.net^$third-party ||admeira.ch^$third-party -||adnz.co^$third-party ||adquality.ch^$third-party -||adrank24.de^$third-party ||adtraxx.de^$third-party -||adzoe.de^$third-party +||adtriba.com^$third-party ||amunx.de^$third-party ||analytics.rechtslupe.org^ ||andyhoppe.com^$third-party ||anormal-tracker.de^$third-party +||area51.to^$third-party +||asadcdn.com^$third-party ||atsfi.de^$third-party ||audiencemanager.de^$third-party ||audienzz.ch^$third-party ||avencio.de^$third-party ||backlink-test.de^$third-party -||backlink-umsonst.de^$third-party ||backlinkdino.de^$third-party -||backlinkprofi.info^$third-party -||backlinks.li^$third-party -||backlinktausch.biz^$third-party ||bekannt-im-web.de^$third-party ||belboon.de^$third-party ||beliebtestewebseite.de^$third-party -||besucherstats.de^$third-party ||besucherzaehler-counter.de^$third-party ||besucherzaehler-homepage.de^$third-party ||besucherzaehler-zugriffszaehler.de^$third-party ||besucherzaehler.org^$third-party -||besucherzahlen.com^$third-party ||betarget.de^$third-party +||bf-tools.net^$third-party ||blacktri.com^$third-party ||blog-o-rama.de^$third-party ||blog-webkatalog.de^$third-party @@ -8023,28 +8505,24 @@ _mongo_stats/ ||bloggeramt.de^$third-party ||bloggerei.de^$third-party ||blogtraffic.de^$third-party -||blogverzeichnis.eu^$third-party ||bluecounter.de^$third-party ||bonitrust.de^$third-party ||bonuscounter.de^$third-party +||businessclick.ch^$third-party ||checkeffect.at^$third-party ||clickmap.ch^$third-party -||clkd.at^$third-party -||count.im^$third-party +||content-garden.com^$third-party +||contiamo.com^$third-party ||count24.de^$third-party ||countar.de^$third-party -||counted.at^$third-party -||counter-city.de^$third-party ||counter-go.de^$third-party ||counter-gratis.com^$third-party ||counter-kostenlos.info^$third-party ||counter-kostenlos.net^$third-party -||counter-pagerank.de^$third-party ||counter-treff.de^$third-party +||counter-zaehler.de^$third-party ||counter.de^$third-party ||counter27.ch^$third-party -||counter4all.de^$third-party -||countercity.de^$third-party ||countercity.net^$third-party ||counterlevel.de^$third-party ||counteronline.de^$third-party @@ -8054,7 +8532,6 @@ _mongo_stats/ ||counterstatistik.de^$third-party ||counthis.com^$third-party ||counti.de^$third-party -||countimo.de^$third-party ||countino.de^$third-party ||countit.ch^$third-party ||countnow.de^$third-party @@ -8063,166 +8540,137 @@ _mongo_stats/ ||countyou.de^$third-party ||cptrack.de^$third-party ||cya1t.net^$third-party +||dcmn.io^$third-party ||df-srv.de^$third-party -||die-rankliste.com^$third-party ||digidip.net^$third-party +||digistats.de^$third-party ||directcounter.de^$third-party ||divolution.com^$third-party -||dk-statistik.de^$third-party +||dl8.me^$third-party ||dreamcounter.de^$third-party -||durocount.com^$third-party +||durchsichtig.xyz^ ||eanalyzer.de^$third-party ||easytracking.de^$third-party ||econda-monitor.de^$third-party ||edococounter.de^$third-party ||edtp.de^$third-party ||emetriq.de^$third-party -||erotikcounter.org^$third-party ||etracker.de^$third-party -||etracking24.de^$third-party +||etrust.eu^$third-party ||euro-pr.eu^$third-party ||eurocounter.com^$third-party ||exapxl.de^$third-party -||exmarkt.de^$third-party ||faibl.org^$third-party +||fairanalytics.de^$third-party +||fast-counter.net^$third-party ||fastcounter.de^$third-party ||fixcounter.com^$third-party ||free-counters.net^$third-party -||freetracker.biz^$third-party ||freihit.de^$third-party ||fremaks.net^$third-party ||fun-hits.com^$third-party ||gacela.eu^$third-party ||generaltracking.de^$third-party -||getcounter.de^$third-party ||gezaehlt.de^$third-party ||gft2.de^$third-party ||giga-abs.de^$third-party -||google-pr7.de^$third-party -||google-rank.org^$third-party ||gostats.de^$third-party ||gratis-besucherzaehler.de^$third-party ||gratis-counter-gratis.de^$third-party -||gratisbacklink.de^$third-party ||greatviews.de^$third-party ||grfz.de^$third-party +||haymarketstat.de^$third-party ||healte.de^$third-party -||hiddencounter.de^$third-party ||hitmaster.de^$third-party ||hot-count.com^$third-party -||hotcounter.de^$third-party ||hstrck.com^$third-party +||htm1.ch^$third-party ||hung.ch^$third-party ||iivt.com^$third-party ||imcht.net^$third-party -||inet-tracker.de^$third-party +||imcounter.com^$third-party ||ingenioustech.biz^$third-party -||intelliad-tracking.com^$third-party ||intelliad.de^$third-party ||interaktiv-net.de^$third-party ||interhits.de^$third-party +||ioam.de^$third-party ||ipcount.net^$third-party -||ipcounter.net^$third-party -||iptrack.biz^$third-party ||iyi.net^$third-party ||kctag.net^$third-party ||keytrack.de^$third-party -||klamm-counter.de^$third-party -||kono-research.de^$third-party ||kostenlose-counter.com^$third-party ||kupona.de^$third-party ||lddt.de^$third-party ||leserservice-tracking.de^$third-party ||link-empfehlen24.de^$third-party -||linktausch-pagerank.de^$third-party -||linktausch.li^$third-party -||liverank.org^$third-party +||listrakbi.com^$third-party +||lokalleads-cci.com^$third-party ||losecounter.de^$third-party +||lumitos.com^$third-party ||mairdumont.com^$third-party ||marketing-page.de^$third-party +||matelso.de^$third-party ||mateti.net^$third-party ||md-nx.com^$third-party ||meetrics.net^$third-party ||mengis-linden.org^$third-party ||metalyzer.com^$third-party -||metrigo.com^$third-party,domain=~metrigo.de ||microcounter.de^$third-party ||mindtake.com^$third-party -||mitmeisseln.de^$third-party ||motorpresse-statistik.de^$third-party ||mps-gba.de^$third-party -||mpwe.net^$third-party ||mr-rank.de^$third-party +||multicounter.de^$third-party ||my-ranking.de^$third-party ||my-stats.info^$third-party -||mysumo.de^$third-party ||netcounter.de^$third-party ||netdebit-counter.de^$third-party ||netupdater.info^$third-party ||netzaehler.de^$third-party ||netzstat.ch^$third-party -||northclick-statistiken.de^$third-party ||observare.de^$third-party ||odoscope.cloud^$third-party ||oewabox.at^$third-party +||offer-go.com^$third-party ||oghub.io^$third-party ||optimierung-der-website.de^$third-party -||org-dot-com.com^$third-party -||osxau.de^$third-party ||ourstats.de^$third-party ||page-hit.de^$third-party -||pagerank-backlink.eu^$third-party -||pagerank-hamburg.de^$third-party ||pagerank-linkverzeichnis.de^$third-party ||pagerank-online.eu^$third-party -||pagerank-suchmaschine.de^$third-party -||pagerank4you.eu^$third-party -||pageranking-counter.de^$third-party -||pageranking.li^$third-party ||pc-agency24.de^$third-party -||pimpmypr.de^$third-party ||plexworks.de^$third-party -||powerbar-pagerank.de^$third-party ||powercount.com^$third-party ||ppro.de^$third-party -||pr-chart.com^$third-party -||pr-chart.de^$third-party -||pr-link.eu^$third-party ||pr-linktausch.de^$third-party -||pr-rang.de^$third-party ||pr-sunshine.de^$third-party -||pr-textlink.de^$third-party -||pr-update.biz^$third-party ||prnetwork.de^$third-party ||productsup.com^$third-party -||propagerank.de^$third-party ||prudsys-rde.de^$third-party -||r.movad.de^$third-party -||rank-power.com^$third-party +||ptadsrv.de^$third-party ||rank4all.eu^$third-party ||rankchamp.de^$third-party ||ranking-charts.de^$third-party ||ranking-counter.de^$third-party ||ranking-hits.de^$third-party -||ranking-it.de^$third-party ||ranking-links.de^$third-party -||rankings24.de^$third-party -||ranklink.de^$third-party ||redretarget.com^$third-party ||refinedads.com^$third-party -||research.de.com^$third-party ||reshin.de^$third-party +||retailads.net^$third-party ||rightstats.com^$third-party -||roitracking.net^$third-party ||royalcount.de^$third-party ||scriptil.com^$third-party +||scw.systems^$third-party ||sedotracker.de^$third-party ||seitwert.de^$third-party ||selfcampaign.com^$third-party ||semtracker.de^$third-party ||sensic.net^$third-party +||sitealyse.de^$third-party ||sitebro.de^$third-party ||slogantrend.de^$third-party +||smarketer.de^$third-party ||space-link.de^$third-party ||spacehits.net^$third-party ||speedcount.de^$third-party @@ -8232,50 +8680,43 @@ _mongo_stats/ ||spider-mich.com^$third-party ||sponsorcounter.de^$third-party ||spring-tns.net^$third-party -||srvtrck.com^$third-party -||ssl4stats.de^$third-party ||static-fra.de^*/targeting.js ||static-fra.de^*/tracking.js ||statistik-gallup.net^$third-party -||statistiq.com^$third-party ||stats.de^$third-party ||stats4free.de^$third-party ||stetic.com^$third-party -||suchmaschinen-ranking-hits.de^$third-party ||sunios.de^$third-party ||t4ft.de^$third-party -||tamedia.ch^$third-party -||tausch-link.de^$third-party ||tda.io^$third-party ||technical-service.net^$third-party -||teriotracker.de^$third-party +||tedo-stats.de^$third-party ||tisoomi-services.com^$third-party -||tophits4u.de^$third-party ||toplist100.org^$third-party ||topstat.com^$third-party ||tracdelight.com^$third-party ||tracdelight.io^$third-party -||trackfreundlich.de^$third-party +||trackboxx.info^$third-party ||trafficmaxx.de^$third-party ||trbo.com^$third-party ||trendcounter.de^$third-party ||trkme.net^$third-party -||universaltrackingcontainer.com^$third-party +||txt.eu^$third-party +||undom.net^$third-party +||uniconsent.com^$third-party +||untho.de^$third-party ||up-rank.com^$third-party ||urstats.de^$third-party +||usage.seibert-media.io^$third-party ||usemaxserver.de^$third-party -||verypopularwebsite.com^$third-party ||viewar.org^$third-party ||vinsight.de^$third-party ||visitor-stats.de^$third-party ||vtracy.de^$third-party ||wcfbc.net^$third-party -||web-controlling.org^$third-party ||webhits.de^$third-party -||webkatalog.li^$third-party ||weblist.de^$third-party ||webprospector.de^$third-party -||websitesampling.com^$third-party ||webtrekk-us.net^$third-party ||webtrekk.de^$third-party ||webtrekk.net^$third-party @@ -8283,86 +8724,91 @@ _mongo_stats/ ||wecount4u.com^$third-party ||welt-der-links.de^$third-party ||wipe.de^$~script,third-party -||xa-counter.com^$third-party +||wp-worthy.de^$third-party ||xcounter.ch^$third-party ||xhit.com^$third-party -||xl-counti.com^$third-party ||xplosion.de^$third-party ||yoochoose.net^$third-party -||zaehler.tv^$third-party ! French ||123compteur.com^$third-party -||7e59f52a58ab3be819c9a90ba53b9ffe.ovh^$third-party +||24log.fr^$third-party ||7x4.fr^$third-party ||7x5.fr^$third-party ||abcompteur.com^$third-party ||admo.tv^$third-party +||adsixmedia.fr^$third-party ||adthletic.com^$third-party ||affilizr.com^$third-party ||air360tracker.net^$third-party ||alkemics.com^$third-party +||allo-media.net^$third-party ||analytics-cdiscount.com^$third-party ||antvoice.com^$third-party ||atraxio.com^$third-party ||audiencesquare.com^$third-party -||browsiprod.com^$third-party -||canalstat.com^$third-party ||carts.guru^$third-party ||casualstat.com^$third-party -||coll1onf.com^$third-party ||compteur-fr.com^$third-party ||compteur-gratuit.org^$third-party ||compteur-visite.com^$third-party -||compteur.com^$third-party ||compteur.org^$third-party ||count.fr^$third-party ||countus.fr^$third-party +||cshield.io^$third-party +||d-bi.fr^$third-party +||datado.me^$third-party ||datadome.co^$third-party -||deliv.lexpress.fr^$third-party ||do09.net^$third-party +||early-birds.io^$third-party ||edt02.net^$third-party ||emailretargeting.com^$third-party -||ew3.io^$third-party +||et-gv.fr^$third-party ||ezakus.net^$third-party ||facil-iti.com^$third-party ||ferank.fr^$third-party +||first-id.fr^$third-party ||fogl1onf.com^$third-party +||galaxiemedia.fr^$third-party ||geocompteur.com^$third-party -||goutee.top^$third-party -||goyavelab.com^$third-party -||graphinsider.com^$third-party +||geovisite.ovh^$third-party ||hunkal.com^$third-party ||ivitrack.com^$third-party -||lead-analytics.biz^$third-party +||kdata.fr^$third-party ||leadium.com^$third-party ||libstat.com^$third-party ||livestats.fr^$third-party ||mastertag.effiliation.com^$third-party ||mb-srv.com^$third-party -||megast.at^$third-party +||megavisites.com^$third-party +||mgtmod01.com^$third-party ||mmtro.com^$third-party -||ncdnprorogeraie.lol^$third-party ||netquattro.com/stats/ ||netvigie.com^$third-party -||organicfruitapps.com^$third-party +||non.li^$third-party +||pa-cd.com^$third-party ||phywi.org^$third-party -||reseau-pub.com^$third-party +||pingclock.net^$third-party ||semiocast.com^$third-party +||shopimind.com^$third-party ||sk1n.fr^$third-party ||sk8t.fr^$third-party ||stats.fr^$third-party +||sync.tv^$third-party ||tget.me^$third-party +||tinyclues.com^$third-party ||titag.com^$third-party -||tnsinternet.be^$third-party ||toc.io^$third-party ||tracking.wlscripts.net^ -||trafiz.net^$third-party -||url-stats.net^$third-party +||uzerly.net^$third-party +||vpn-access.site^$third-party ||webcompteur.com^$third-party +||winitout.com^$third-party ||wysistat.com^$third-party ||x-traceur.com^$third-party ! Armenian ||circle.am^$third-party +! Azerbaijani +||mobtop.az^$third-party ! Belarusian ||call-tracking.by^$third-party ! Bulgarian @@ -8370,14 +8816,14 @@ _mongo_stats/ ||tyxo.bg^$third-party ! Chinese ||180.76.2.18^$third-party,domain=~baidu.ip +||365dmp.com^$third-party ||50bang.org^$third-party -||51yes.com^$third-party -||99click.com^$third-party ||acs86.com^$third-party ||ad7.com^$third-party ||adop.cc^$third-party ||adskom.com^$third-party ||adxvip.com^$third-party +||affclkr.com^$third-party ||appier.net^$third-party ||baifendian.com^$third-party ||blog104.com^$third-party @@ -8388,11 +8834,12 @@ _mongo_stats/ ||cnzz.net^$third-party ||cr-nielsen.com^$third-party ||ctags.cn^$third-party -||datamaster.com.cn^$third-party +||datayi.cn^$third-party +||eland-tech.com^$third-party ||emarbox.com^$third-party -||eyeota.net^$third-party ||fraudmetrix.cn^$third-party ||ggxt.net^$third-party +||giocdn.com^$third-party ||gm99.com^$third-party ||gostats.cn^$third-party ||gridsum.com^$third-party @@ -8402,14 +8849,10 @@ _mongo_stats/ ||he2d.com^$third-party ||hotrank.com.tw^$third-party ||hubpd.com^$third-party -||i-mobile.co.jp^$third-party ||ipinyou.com^$third-party -||irs01.$third-party -||irs09.com^$third-party -||iteye.com^$third-party ||jiankongbao.com^$third-party +||jpush.cn^$third-party ||lndata.com^$third-party -||logly.co.jp^$third-party ||mediav.com^$third-party ||miaozhen.com^$third-party ||mmstat.com^$third-party @@ -8424,16 +8867,18 @@ _mongo_stats/ ||reachmax.cn^$third-party ||sagetrc.com^$third-party ||scupio.com^$third-party -||sitebot.cn^$third-party +||sdqoi2d.com^$third-party ||sjv.io^$third-party +||ta.sbird.xyz^$third-party ||tagmanager.cn^$third-party -||tanx.com^$third-party ||tenmax.io^$third-party +||threatbook.cn^$third-party ||tomonline-inc.com^$third-party ||top-bloggers.com^$third-party ||topsem.com^$third-party ||tovery.net^$third-party -||users.51.la^$third-party +||turtlemobile.com.tw^$third-party +||twcouponcenter.com^$third-party ||vamaker.com^$third-party ||vdoing.com^$third-party ||vm5apis.com^$third-party @@ -8447,6 +8892,7 @@ _mongo_stats/ ||dotmetrics.net^$third-party ||xclaimwords.net^$third-party ! Czech +||affilbox.cz^$third-party ||analights.com^$third-party ||itop.cz^$third-party ||lookit.cz^$third-party @@ -8457,10 +8903,12 @@ _mongo_stats/ ||pocitadlo.cz^$third-party ||programmatic.cz^$third-party ||semnicneposilejte.cz^$third-party +||smartselling.cz^$third-party ! Danish ||agillic.eu^$third-party ||andersenit.dk^$third-party ||chart.dk^$third-party +||digitaladvisor.dk^$third-party ||euroads.dk^$third-party ||gixmo.dk^$third-party ||hitcount.dk^$third-party @@ -8472,50 +8920,43 @@ _mongo_stats/ ||netstats.dk^$third-party ||parameter.dk^$third-party ||peakcounter.dk^$third-party -||sitechart.dk^$third-party +||telemetric.dk^$third-party ||tns-gallup.dk^$third-party ||zipstat.dk^$third-party ! Dutch ||active24stats.nl^$third-party ||istats.nl^$third-party -||metriweb.be^$third-party ||mtrack.nl^$third-party ||mystats.nl^$third-party +||onlinesucces.nl^$third-party ||stealth.nl^$third-party ||svtrd.com^$third-party ||synovite-scripts.com^$third-party ||traffic4u.nl^$third-party ! Estonian ||counter.ok.ee^$third-party -||mediaindex.ee^$third-party ! Finnish -||frosmo.com^$third-party -||gallupnet.fi^$third-party -||inpref.com^$third-party ||kavijaseuranta.fi^$third-party +||leiki.com^$third-party ||m-brain.fi^$third-party ||netmonitor.fi^$third-party -||stat.www.fi^$third-party ||tracking*.euroads.fi^$third-party ||vihtori-analytics.fi^$third-party +! Georgian +||tbcconnect.ge^$third-party ! Greek -||hotstats.gr^$third-party +||appocalypsis.com^$third-party ||linkwi.se^$third-party ! Hebrew ||enter-system.com^$third-party ||erate.co.il^$third-party ||fortvision.com^$third-party -||hetchi.com^$third-party ||lead.im^$third-party -||mimgoal.com^$third-party -||nepohita.com^$third-party -||ritogaga.com^$third-party ! Hungarian ||gpr.hu^$third-party ||hirmatrix.hu^$third-party ||mystat.hu^$third-party ||p24.hu^$third-party -||ripost.services^$third-party ! Icelandic ||modernus.is^$third-party ! Indonesian @@ -8523,121 +8964,160 @@ _mongo_stats/ ||props.id^$third-party ! Italian ||0stats.com^$third-party +||24log.it^$third-party ||accessi.it^$third-party -||avstat.it^$third-party +||buzzoole.com^$third-party ||contatoreaccessi.com^$third-party -||cuntador.com^$third-party +||cpmktg.com^$third-party +||ctusolution.com^$third-party ||digital-metric.com^$third-party ||distribeo.com^$third-party -||dnab.info^$third-party ||freecounter.it^$third-party ||freestat.ws^$third-party ||freestats.biz^$third-party -||freestats.me^$third-party ||freestats.net^$third-party -||freestats.org^$third-party -||freestats.tk^$third-party ||freestats.tv^$third-party ||freestats.ws^$third-party ||geocontatore.com^$third-party +||gm-it.consulting^$third-party ||hiperstat.com^$third-party ||hitcountersonline.com^$third-party ||imetrix.it^$third-party -||iolam.it^$third-party ||ipfrom.com^$third-party ||italianadirectory.com^$third-party ||keyxel.com^$third-party ||laserstat.com^$third-party -||megastat.net^$third-party ||mwstats.net^$third-party ||mystat.it^$third-party ||ninestats.com^$third-party ||ntlab.org^$third-party ||pagerankfree.com^$third-party -||prostats.it^$third-party ||shinystat.it^$third-party +||sibautomation.com^$third-party +||spearad.video^$third-party ||specialstat.com^$third-party +||sphostserver.com^$third-party ||statistiche-free.com^$third-party ||statistiche.it^$third-party -||statistiche.ws^$third-party ||statistichegratis.net^$third-party -||statsadvance-01.net^$third-party ||statsforever.com^$third-party -||statsview.it^$third-party ||superstat.info^$third-party ||tetigi.com^$third-party ||thestat.net^$third-party ||trackset.it^$third-party ||trick17.it^$third-party -||ultrastats.it^$third-party ||vivistats.com^$third-party +||webads.eu^$third-party ||webmeter.ws^$third-party ||webmobile.ws^$third-party -||webtraffstats.net^$third-party +||websanalytic.com^$third-party ||whoseesyou.com^$third-party -||wstatslive.com^$third-party -||zt-dst.com^$third-party ! Japanese +||accaii.com^$third-party +||accesstrade.net^$third-party +||actiontracking.jp^$third-party +||ad-fam.com^$third-party +||ad-track.jp^$third-party +||ad2iction.com^$third-party +||adapf.com^$third-party +||adgainersolutions.com^$third-party +||adgocoo.com^$third-party ||admatrix.jp^$third-party +||adpon.jp^$third-party +||adrange.net^$third-party +||af-z.jp^$third-party +||afi-b.com^$third-party ||aid-ad.jp^$third-party ||amoad.com^$third-party ||analyticsip.net^$third-party -||bb-analytics.jp^$third-party -||beanscattering.jp^$third-party +||ar-x.site^$third-party +||aspservice.jp^$third-party ||bigmining.com^$third-party ||blogranking.net^$third-party -||ca-mpr.jp^$third-party +||canem-auris.com^$third-party +||caprofitx.com^$third-party +||catsys.jp^$third-party ||cetlog.jp^$third-party +||cheqzone.com^$third-party ||cosmi.io^$third-party ||d-markets.net^$third-party +||d2-apps.net^$third-party +||d2c.ne.jp^$third-party +||dbfocus.jp^$third-party ||deteql.net^$third-party -||digitiminimi.com^$third-party +||dmtag.jp^$third-party ||docodoco.jp^$third-party +||docomo-analytics.com^$third-party +||e-click.jp^$third-party ||e-kaiseki.com^$third-party ||ebis.ne.jp^$third-party ||ec-concier.com^$third-party ||ec-optimizer.com^$third-party ||eco-tag.jp^$third-party -||genieedmp.com^$third-party +||eltex.co.jp^$third-party +||enhance.co.jp^$third-party +||f-counter.jp^$third-party +||f-counter.net^$third-party +||fpad.jp^$third-party +||fspark-ap.com^$third-party +||fw-ad.jp^$third-party +||gacraft.jp^$third-party +||geniee.jp^$third-party ||genieessp.jp^$third-party ||gmodmp.jp^$third-party +||gmossp-sp.jp^$third-party ||gsspcln.jp^$third-party +||gyro-n.com^$third-party +||h-cast.jp^$third-party +||hebiichigo.com^$third-party ||hitgraph.jp^$third-party +||i-mobile.co.jp^$third-party ||i2ad.jp^$third-party ||i2i.jp^$third-party ||iid-network.jp^$third-party ||im-apps.net^$third-party +||interactive-circle.jp^$third-party ||iogous.com^$third-party -||japanmetrix.jp^$third-party -||keyword-match.com^$third-party -||kir.jp^$third-party +||kaizenplatform.net^$third-party +||letro.jp^$third-party +||logly.co.jp^$third-party ||macromill.com^$third-party -||marsflag.com^$third-party +||medipartner.jp^$third-party +||mobadme.jp^$third-party ||mobylog.jp^$third-party -||msgs.jp^$third-party -||n8s.jp^$third-party -||nex8.net^$third-party +||moshimo.com^$third-party ||omiki.com^$third-party ||owldata.com^$third-party ||pagoda56.com^$third-party ||pdmp.jp^$third-party +||performancefirst.jp^$third-party ||polymorphicads.jp^$third-party -||r-ad.ne.jp^$third-party +||quant.jp^$third-party +||r-ad.ne.jp^$script,third-party +||rays-counter.com^$third-party ||rentracks.jp^$third-party ||research-artisan.com^$third-party ||rtoaster.jp^$third-party -||seesaa.jp^$third-party +||segs.jp^$third-party ||sibulla.com^$third-party +||smart-counter.net^$third-party ||smartnews-ads.com^$third-party -||socdm.com^$third-party ||speee-ad.jp^$third-party +||sygrip.info^$third-party +||talpa-analytics.com^$third-party +||taxel.jp^$third-party +||team-rec.jp^$third-party ||tgknt.com^$third-party +||thench.net^$third-party +||thesmilingpencils.com^$third-party ||trackfeed.com^$third-party -||triver.jp^$third-party -||ukw.jp^$third-party +||uncn.jp^$third-party +||viaklera.com^$third-party ||wonder-ma.com^$third-party +||zerostats.com^$third-party ||ziyu.net^$third-party ! Korean +||acrosspf.com^$third-party ||adpick.co.kr^$third-party ||adtive.com^$third-party ||aicontents.net^$third-party @@ -8645,25 +9125,28 @@ _mongo_stats/ ||dawin.tv^$third-party ||logger.co.kr^$third-party ||oevery.com^$third-party +||rainbownine.net^$third-party +||smlog.co.kr^$third-party ||tenping.kr^$third-party ! Latvian ||cms.lv^$third-party -||erotop.lv^$third-party +||mcloudglobal.com^$third-party ||on-line.lv^$third-party +||ppdb.pl^$third-party ||puls.lv^$third-party ||reitingi.lv^$third-party ||statistika.lv^$third-party -||stats4u.lv^$third-party ||top.lv^$third-party ||topsite.lv^$third-party ||webstatistika.lv^$third-party ||wos.lv^$third-party ! Lithuanian +||dcdn.lt/g.js ||easy.lv^$third-party -||reitingas.lt^$third-party +||maxtraffic.com^$third-party +||mxapis.com^$third-party ||stats.lt^$third-party ||visits.lt^$third-party -||webstatistika.lt^$third-party ||www.hey.lt^$third-party ! Norwegian ||de17a.com^$third-party @@ -8671,96 +9154,116 @@ _mongo_stats/ ||webstat.no^$third-party ||xtractor.no^$third-party ! Persian -||melatstat.com^$third-party +||amarfa.ir^$third-party ||persianstat.com^$third-party ||persianstat.ir^$third-party ||tinystat.ir^$third-party -||webgozar.com^$third-party -||webgozar.ir^$third-party +||yektanet.com^$third-party ! Polish ||adschoom.com^$third-party ||adstat.4u.pl^$third-party ||caanalytics.com^$third-party ||clickmatic.pl^$third-party +||conversion.pl^$third-party +||conversionlabs.net.pl^$third-party +||dmdi.pl^$third-party +||goprediction.com^$third-party ||gostats.pl^$third-party ||hub.com.pl^$third-party ||i22lo.com^$third-party -||inaudium.com^$third-party +||inistrack.net^$third-party ||legenhit.com^$third-party +||naanalle.pl^ ||ngacm.com^$third-party ||ngastatic.com^$third-party +||nokaut.link^$third-party ||nsaudience.pl^$third-party -||p071qmn.com^$third-party -||pushdom.co^$third-party -||quartic.pl^$third-party +||refericon.pl^$third-party ||rejestr.org^$third-party -||spolecznosci.net^$third-party +||sare25.com^$third-party ||stat.4u.pl^$third-party ||stat.pl^$third-party -||tagcdn.com^$third-party -||volvelle.tech^$third-party +||trafficscanner.pl^$third-party ||way2traffic.com^$third-party ! Portuguese ||ad5track.com^$third-party -||cifraclub.com.br^$third-party +||bob-recs.com^$third-party +||btg360.com.br^$third-party ||clearsale.com.br^$third-party +||dataroyal.com.br^$third-party +||dataunion.com.br^$third-party ||denakop.com^$third-party ||engageya.com^$third-party +||enviou.com.br^$third-party +||fulllab.com.br^$third-party +||goadopt.io^$third-party +||hariken.co^$third-party +||lomadee.com^$third-party ||marktest.pt^$third-party ||percycle.com^$third-party -||popstats.com.br^$third-party -||rdstation.com.br^$third-party +||pmweb.com.br^$third-party +||retargeter.com.br^$third-party ||sambaads.com^$third-party +||shoptarget.com.br^$third-party +||solucx.com.br^$third-party ||tailtarget.com^$third-party ||trugaze.io^$third-party +||voxus.com.br^$third-party +||widgets.solutions^$third-party ! Romanian -||2iui01.com^$third-party +||2222.ro^$third-party ||2parale.ro^$third-party ||2performant.com^$third-party +||aghtag.tech^$third-party +||agorahtag.tech^$third-party +||attr-2p.com^$third-party ||best-top.ro^$third-party ||gtop.ro^$third-party ||hit100.ro^$third-party +||pahtag.tech^$third-party ||profitshare.ro^$third-party ||retargeting.biz^$third-party ||statistics.ro^$third-party ||top-ro.ro^$third-party -||trafix.ro^$third-party +||wtstats.ro^$third-party ||zontera.com^$third-party ! Russian ||109.169.66.161^$third-party,domain=~adult-site.ip ||1dmp.io^$third-party ||24log.ru^$third-party ||24smi.info^$third-party -||2ip.ua^$third-party -||3wnp9.ru^$third-party -||a-counter.com.ua^$third-party +||24smi.net^$third-party ||a-counter.kiev.ua^$third-party -||adblockmetrics.ru^$third-party +||admile.ru^$third-party +||adsmediator.com^$third-party ||adx.com.ru^$third-party +||airlogs.ru^$third-party ||announcement.ru^$third-party ||apkonline.ru^$third-party ||audsp.com^$third-party -||audtd.com^$third-party +||avsplow.com^$third-party +||ban.su^$third-party ||bid.run^$third-party ||bidderrtb.com^$third-party ||botdetector.ru^$third-party ||botscanner.com^$third-party ||bumlam.com^$third-party +||checkru.net^$third-party ||cityua.net^$third-party ||clubcollector.com^$third-party ||cnstats.ru^$third-party -||cntcash.ru^$third-party -||countstat.ru^$third-party +||comagic.ru^$third-party ||cpaevent.ru^$third-party ||cszz.ru^$third-party +||culturaltracking.ru^$third-party +||detmir-stats.ru^$third-party ||dircont3.com^$third-party ||directcrm.ru^$third-party ||e-kuzbass.ru^$third-party -||efatik.me^$third-party ||exe.bid^$third-party ||faststart.ru^$third-party -||ftrack.ru^$third-party ||gdeslon.ru^$third-party +||get4click.ru^$third-party ||giraff.io^$third-party ||gnezdo.ru^$third-party ||gostats.ru^$third-party @@ -8775,62 +9278,63 @@ _mongo_stats/ ||interakt.ru^$third-party ||intergid.ru^$third-party ||iryazan.ru^$third-party -||jetcounter.ru^$third-party -||k3dqv.ru^$third-party ||kmindex.ru^$third-party +||leadhit.ru^$third-party ||leadslabpixels.net^$third-party ||lentainform.com^$third-party -||listtop.ru^$third-party -||livetex.ru^$third-party -||logger.su^$third-party ||logua.com^$third-party ||logxp.ru^$third-party ||logz.ru^$third-party ||lookmy.info^$third-party ||lugansk-info.ru^$third-party -||luxup2.ru^$third-party -||luxupadva.com^$third-party -||luxupcdna.com^$third-party -||luxupcdnc.com^$third-party ||madnet.ru^$third-party ||mediaplan.ru^$third-party ||mediatoday.ru^$third-party +||metrika-informer.com^$third-party +||mobtop.com^$third-party ||mokuz.ru^$third-party +||more-data.ru^$third-party ||musiccounter.ru^$third-party ||mystat-in.net^$third-party -||personage.name^$third-party +||mytopf.com^$third-party +||netlog.ru^$third-party +||octotracking.com^$third-party +||opentracking.ru^$third-party +||otclick-adv.ru^$third-party ||pladform.ru^$third-party ||pmbox.biz^$third-party ||proext.com^$third-party ||quick-counter.net^$third-party -||r24-tech.com^$third-party +||relap.io^$third-party ||retag.xyz^$third-party ||rnet.plus^$third-party +||roistat.com^$third-party ||ru.net^$third-party ||rutarget.ru^$third-party ||sarov.ws^$third-party ||sas.com^$third-party +||sbermarketing.ru^$third-party ||semantiqo.com^$third-party ||sensor.org.ua^$third-party ||seo-master.net^$third-party -||serating.ru^$third-party ||site-submit.com.ua^$third-party -||skylog.kz^$third-party -||stat-well.com^$third-party ||stat.media^$third-party ||stat24.ru^$third-party -||stattds.club^$third-party +||targetads.io^$third-party ||targetix.net^$third-party ||tbex.ru^$third-party ||tds.io^$third-party +||teletarget.ru^$third-party +||theactivetag.com^$third-party ||tnative.ru^$third-party +||tophitbit.com^$third-party ||toptracker.ru^$third-party -||tpm.pw^$third-party -||track.cooster.ru^ -||trbna.com^$third-party +||ttrace.ru^$third-party ||uarating.com^$third-party +||ulclick.ru^$third-party ||upravel.com^$third-party -||uptolike.com^$third-party +||uptolike.com^$third-party,domain=~uptolike.ru +||utraff.com^$third-party ||uzrating.com^$third-party ||variti.net^$third-party ||vidigital.ru^$third-party @@ -8844,20 +9348,22 @@ _mongo_stats/ ||webturn.ru^$third-party ||webvisor.com^$third-party ||webvisor.ru^$third-party -||wunderdaten.com^$third-party ||wwgate.ru^$third-party -||www.rt-ns.ru^$third-party +||yandexmetric.com^$third-party ||zero.kz^$third-party -! Singaporean -||blogtraffic.sg^$third-party +! Serbian ! Slovak +||algopine.com^$third-party ||idot.cz^$third-party ||pocitadlo.sk^$third-party ||toplist.sk^$third-party ! Spanish +||24log.es^$third-party +||agency360.io^$third-party ||botize.com^$third-party ||ccrtvi.com^$third-party ||certifica.com^$third-party +||comitiumanalytics.com^$third-party ||contadordevisitas.es^$third-party ||contadorgratis.com^$third-party ||contadorgratis.es^$third-party @@ -8867,24 +9373,21 @@ _mongo_stats/ ||easysol.net^$third-party ||eresmas.net^$third-party ||estadisticasgratis.com^$third-party -||estadisticasgratis.es^$third-party ||flags.es^$third-party -||hit.copesa.cl^$third-party -||hits.e.cl^$third-party +||indigitall.com^$third-party ||intrastats.com^$third-party ||mabaya.com^$third-party ||micodigo.com^$third-party -||seedtag.com^$third-party +||propelbon.com^$third-party +||protecmedia.com^$third-party +||socy.es^$third-party ! Swedish ||adsettings.com^$third-party ||adten.eu^$third-party -||adtlgc.com^$third-party ||adtr.io^$third-party -||adtraction.com^$third-party ||bonnieradnetwork.se^$third-party ||brandmetrics.com^$third-party ||citypaketet.se^$third-party -||cssrvsync.com^$third-party ||dep-x.com^$third-party ||lwadm.com^$third-party ||myvisitors.se^$third-party @@ -8895,7 +9398,6 @@ _mongo_stats/ ||suntcontent.se^$third-party ||tidningsnatet.se^$third-party ||tns-sifo.se^$third-party -||vastpaketet.se^$third-party ||webserviceaward.com^$third-party ||yieldbird.com^$third-party ! Thai @@ -8904,520 +9406,549 @@ _mongo_stats/ ||truehits.net^$third-party ||truehits3.gits.net.th^$third-party ! Turkish +||brainsland.com^$third-party +||cunda.ai^$third-party +||elmasistatistik.com.tr^$third-party ||onlinewebstat.com^$third-party ||realist.gen.tr^$third-party ||sayyac.com^$third-party ||sayyac.net^$third-party ||sitetistik.com^$third-party +||sortext.com^$third-party +||tagon.co^$third-party ||visilabs.net^$third-party ||webservis.gen.tr^$third-party +||webtemsilcisi.com^$third-party ||zirve100.com^$third-party ! Ukranian -||getaim.info^$third-party ||holder.com.ua^$third-party ||mediatraffic.com.ua^$third-party ||mycounter.com.ua^$third-party ||mycounter.ua^$third-party -||uapoisk.net^$third-party -||weblog.com.ua^$third-party ||zmctrack.net^$third-party +||znctrack.net^$third-party ! Vietnamese +||adtimaserver.vn^$third-party ||amcdn.vn^$third-party +||ants.vn^$third-party ||contineljs.com^$third-party ||gostats.vn^$third-party ! -----------------Third-party tracking services-----------------! ! *** easylist:easyprivacy/easyprivacy_thirdparty.txt *** -|http://l2.io/ip.js$third-party -||10.122.129.149^$third-party,domain=~search-news-cn.ip -||101apps.com/tracker.ashx? +-client-tracking.goodgamestudios.com/ +-wrapper-analytics-prod.cloudfunctions.net/ +||1.1.1.1/cdn-cgi/trace +||100widgets.com^$third-party ||105app.com/report/? -||107.20.91.54/partner.gif?$third-party,domain=~thedailybeast.com.ip -||116.213.75.36/logstat/$domain=~caixin.com.ip -||121.78.90.104:8383/pv?*&refer=$third-party,domain=~livere-kr.ip -||123myp.co.uk/ip-address/ -||148.251.8.156/track.js -||174.129.112.186/small.gif?$third-party,domain=~skytide.ip -||174.129.135.197/partner.gif?$third-party,domain=~skytide.ip -||174.129.6.226/tracker/$third-party,domain=~skytide.ip -||174.129.88.189/partner.gif?$third-party,domain=~skytide.ip -||174.129.98.240/small.gif?$third-party,domain=~skytide.ip -||174.37.54.170^$third-party,domain=~informer.com.ip -||184.73.199.40/tracker/$third-party,domain=~skytide.ip -||184.73.199.44/tracker/$third-party,domain=~skytide.ip -||184.73.203.249/i.gif? -||188.225.25.145^$third-party -||188.40.142.44/track.js$third-party,domain=~dropped.pl.ip -||195.177.242.237^$third-party,domain=~sat24.com.ip -||195.182.58.105/statistics/$third-party,domain=~stream5.tv.ip -||198.101.148.38/update_counter.php -||204.236.233.138/tracker/$third-party,domain=~skytide.ip -||204.236.243.21/small.gif?$third-party,domain=~skytide.ip -||208.91.157.30/viewtrack/ -||209.15.236.80^$third-party,domain=~crosspixelmedia.ip -||213.8.137.51/Erate/$third-party,domain=~ynet-il.ip +||1558334541.rsc.cdn77.org^ +||1worldsync.com/log? ||216.18.176.4/logger/ -||219.232.238.60/count.$domain=~caixin.com.ip -||23.20.0.197^$third-party,domain=~tritondigital.net.ip -||23.23.22.172/ping/$third-party,domain=~newjerseynewsroom.com.ip -||24option.com/?oftc=$image,third-party -||360buyimg.com^*/unit/log/*/log.js -||3crowd.com^*/3c1px.gif -||3qsdn.com/watchtime? -||4theclueless.com/adlogger/ -||50.16.191.59^$third-party,domain=~tritondigital.net.ip +||360buyimg.com/jdf/1.0.0/unit/log/ +||3j0pw4ed7uac-a.akamaihd.net^ +||3p-geo.yahoo.com^ +||3p-udc.yahoo.com^ +||4e4356b68404a5138d2d-33393516977f9ca8dc54af2141da2a28.ssl.cf1.rackcdn.com/sa7d76sa/ +||4taps.me/analytics/ ||51network.com^$third-party -||5251.net/stat.jsp? -||54.217.234.232^$third-party,domain=~moleskine-store.ip -||54.246.124.188/analytics/$domain=~racinguk.ip -||58.68.146.44:8000^$third-party,domain=~peoplesdaily.cn.ip -||5min.com/flashcookie/StorageCookieSWF_ -||61.129.118.83^$third-party,domain=~shanghaidaily.cn.ip -||62.219.24.238^$third-party,domain=~cast-tv.com.ip -||6waves.com/edm.php?uid=$image -||74.117.176.217/trf/track.php?$third-party,domain=~adult.sites.ip -||88.150.172.219^*?r= -||88.208.248.58/tracking/ -||93.93.53.198^$third-party,domain=~awempire.ip -||95.211.106.41^$third-party,domain=~leaseweb-nl.ip ||99widgets.com/counters/ -||9fine.ru/js/counter. -||9msn.com.au^*/tracking/ +||9w2zed1szg.execute-api.us-east-1.amazonaws.com^ +||a.emea01.idio.episerver.net^ +||a.getflowbox.com^ +||a.hcaptcha.com^ ||a.mobify.com^ -||a.unanimis.co.uk^ -||a2a.lockerz.com^ -||aaa.aj5.info^ +||a.vturb.net^ +||a2z.com/sping? ||aan.amazon.com^$third-party -||aao.org/aao/sdc/track.js -||abc.hearst.co.uk^$third-party -||acces-charme.com/fakebar/track.php? -||acount.alley.ws^$third-party -||acs86.com/t.js -||activecommerce.net/collector.gif +||accesswire.com/img.ashx ||activengage.com/overwatch/ -||activetracker.activehotels.com^$third-party -||activities.niagara.comedycentral.com^ -||activity.*.miui.com^ -||actonservice.com^*/tracker/ -||ad.aloodo.com^$third-party -||ad.atdmt.com/c/ -||ad.atdmt.com/e/ -||ad.atdmt.com/i/*= -||ad.atdmt.com/i/go; -||ad.atdmt.com/i/img/ -||ad.atdmt.com/m/ -||ad.atdmt.com/s/ -||adchemy-content.com^*/tracking.js -||addnow.com/tracker/ -||addthis.com/at/ -||addthis.com/live/ -||addthis.com/red/$script,third-party -||addthis.com/red/p.png? -||addthis.com^*/p.json?*&ref= -||addthiscdn.com/*.gif?uid= -||addthiscdn.com/live/ -||addthisedge.com/live/ +||activity-flow.vtex.com^ +||activity.wisepops.com^ +||ad-shield.io^$third-party +||ad.aloodo.com^ +||ad.mail.ru/*.gif?rnd=$third-party +||adbr.io/log? ||addtoany.com/menu/transparent.gif -||adf.ly/ad/conv? +||ade.googlesyndication.com^ ||adfox.yandex.ru^ -||adg.bzgint.com^ +||adimo.co/api/tracking/ ||adlog.com.com^ -||admission.net^*/displaytracker.js +||adnz.co/api/ws-events-sink/ +||adnz.co/dmp/publisher.js +||adnz.co/header.js +||adobedc.net/collector/ ||ads-trk.vidible.tv^ -||ads.bridgetrack.com^$image -||adsv7.com/t/ -||adtrack.calls.net^$third-party -||adultmastercash.com/e1.php$third-party -||affiliate.iamplify.com^ -||affiliate.mediatemple.net^$~third-party -||affiliates.mgmmirage.com^ -||affiliates.minglematch.com^$third-party -||affiliates.spark.net^$third-party -||affiliates.swappernet.com^ -||affilired.com/analytic/$third-party -||affl.sucuri.net^ -||afrigator.com/track/ -||agendize.com^*/counts.jsp? -||aiya.com.cn/stat.js -||akamai.com/crs/lgsitewise.js -||akamai.net/*.babylon.com/trans_box/ -||akamai.net/chartbeat. -||akamai.net^*/a.visualrevenue.com/ -||akamai.net^*/sitetracking/ -||akamaihd.net/*.gif?e= -||akamaihd.net/bping.php? -||akamaihd.net/javascripts/browserfp. -||akamaihd.net/log? -||akamaihd.net/push.gif? -||akamaihd.net^*.gif?d= -||akamaized.net/?u= -||akanoo.com/tracker/ +||adsolutions.com^$third-party +||adv-analytics-collector.videograph.ai^ +||adyen.com/checkoutshopper/images/analytics.png? +||adyen.com/checkoutshopper/v2/analytics/log? +||affiliate-api.raptive.com^ +||affiliates.minglematch.com^ +||affirm.com/api/v2/cookie_sent +||affirm.com/api/v2/session/touch_track +||afterpay.com^*/v1/event +||akamaihd.net/p1lakjen.gif +||akamaized.net/cookie_check/ ||akatracking.esearchvision.com^ -||aklamio.com/ovlbtntrk? -||aksb-a.akamaihd.net^ -||alenty.com/trk/ +||aktion.esprit-club.com^$image +||alex.leonard.ie/misc-images/transparent.png ||alexa.com/minisiteinfo/$third-party ||alexa.com/traffic/ ||alexandria.marfeelcdn.com^ +||algolia.io/1/events? +||algolia.io/1/isalive ||alibaba.com/ts? ||alipay.com/service/clear.png? ||aliyun.com/actionlog/ -||aliyuncs.com/r.png? ||allanalpass.com/track/ -||alooma.com/track/ -||alooma.io/track/? -||alphasitebuilder.co.za/tracker/ -||amatomu.com/link/log/ -||amatomu.com/log.php? -||amazon.com/gp/*&linkCode$third-party -||amazonaws.com/?wsid= -||amazonaws.com/accio-lib/accip_script.js -||amazonaws.com/amacrpr/crpr.js +||alpharank.io/api/pixel/ ||amazonaws.com/analytics. +||amazonaws.com/appmonitors/ ||amazonaws.com/avsmetrics/ +||amazonaws.com/beacon^ ||amazonaws.com/cdn.barilliance.com/ -||amazonaws.com/ds-dd/data/data.gif?$domain=slickdeals.net -||amazonaws.com/fstrk.net/ -||amazonaws.com/g.aspx$third-party -||amazonaws.com/gaL.js -||amazonaws.com/initialize/$third-party +||amazonaws.com/iglu.acme.com.dev.clixtream/tracker.js +||amazonaws.com/j.kissinsights.com/ ||amazonaws.com/js/reach.js +||amazonaws.com/jsstore/*/ge.js ||amazonaws.com/ki.js/ -||amazonaws.com/logs$xmlhttprequest,domain=wat.tv +||amazonaws.com/lp/js/tag.js? ||amazonaws.com/new.cetrk.com/ +||amazonaws.com/prod/entities +||amazonaws.com/prod/main?ref=$image,third-party +||amazonaws.com/prod/nobot +||amazonaws.com/prod/report-only +||amazonaws.com/production_beacon ||amazonaws.com/searchdiscovery-satellite-production/ -||amazonaws.com/statics.reedge.com/ -||amazonaws.com/wgntrk/ -||amazonaws.com^*.kissinsights.com/ -||amazonaws.com^*.kissmetrics.com/ -||amazonaws.com^*/i?stm= -||amazonaws.com^*/pageviews -||amazonaws.com^*/Test_oPS_Script_Loads? -||amazonaws.com^*/track.js$domain=hitfix.com -||amazonaws.com^*/vis_opt.js -||amazonaws.com^*=avnts_error +||amazonaws.com/snowplow-zitcha.js +||amazonaws.com/storejs/a/JKRHRQG/ge.js +||amazonaws.com/v1/apps/*/events +||amazonaws.com/webengage-files/ +||amazonaws.com^*/prod_analytics +||amazonpay.com/customerInsight? ||amp-error-reporting.appspot.com^ -||amplify.outbrain.com^$third-party ||amplifypixel.outbrain.com^ -||ams.addflow.ru^ -||an.yandex.ru^ -||analytic.pho.fm^ +||ampproject.org/preconnect.gif +||ams-pageview-public.s3.amazonaws.com^ +||analyse.bcovery.com^ +||analytic-client.chickgoddess.com^ +||analytic-client.panowars.com^ +||analytic.rollout.io^ ||analytic.xingcloud.com^$third-party -||analyticapi.pho.fm^ ||analyticcdn.globalmailer.com^ -||analytics-beacon-*.amazonaws.com^ +||analytics-1.cavai.com^ +||analytics-api.klickly.com^ +||analytics-cf.bigcrunch.com^ ||analytics-cms.whitebeard.me^ +||analytics-consent-manager-v2-prod.azureedge.net^ +||analytics-prd.aws.wehaa.net^ +||analytics-prod-alb-292764149.us-west-2.elb.amazonaws.com^ ||analytics-production.hapyak.com^ -||analytics-rhwg.rhcloud.com^ +||analytics-scripts.cablelabs.com^ +||analytics-sg.tiktok.com^ ||analytics-static.ugc.bazaarvoice.com^ -||analytics-v2.anvato.com^ ||analytics.30m.com^ -||analytics.abacast.com^ -||analytics.adeevo.com^ +||analytics.adobe.io^ +||analytics.agoda.com^ +||analytics.aimtell.com^ +||analytics.algolia.com^ ||analytics.amakings.com^ -||analytics.anvato.net^ ||analytics.apnewsregistry.com^ -||analytics.artirix.com^ -||analytics.atomiconline.com^ ||analytics.audioeye.com^ ||analytics.avanser.com.au^ ||analytics.aweber.com^ -||analytics.bigcommerce.com^ -||analytics.brandcrumb.com^ +||analytics.bestreviews.com^ +||analytics.bitrix.info^ ||analytics.carambo.la^ +||analytics.carbaselive.com^ +||analytics.chegg.com^ ||analytics.cincopa.com^ -||analytics.clickpathmedia.com^ -||analytics.closealert.com^ -||analytics.cmg.net^ +||analytics.clic2buy.com^ +||analytics.cloud.coveo.com^ +||analytics.cmn.com^ ||analytics.codigo.se^ -||analytics.cohesionapps.com^ -||analytics.conmio.com^ +||analytics.contentexchange.me^ ||analytics.convertlanguage.com^ -||analytics.cynapse.com^ -||analytics.datahc.com^ -||analytics.dev.springboardvideo.com^ +||analytics.data.visenze.com^ +||analytics.dev.htmedia.in^ +||analytics.developer.riotgames.com^ +||analytics.digitalpfizer.com^ +||analytics.disney.go.com^ +||analytics.disneyinternational.com^ ||analytics.dvidshub.net^ ||analytics.edgekey.net^ -||analytics.edgesuite.net^ -||analytics.episodic.com^ -||analytics.fairfax.com.au^ +||analytics.eggoffer.com^ +||analytics.erepublic.com^ +||analytics.fabricators.ltd^$third-party +||analytics.facebook.com^$third-party +||analytics.fatmedia.io^ ||analytics.favcy.com^ +||analytics.firespring.com^ ||analytics.foresee.com^ +||analytics.formstack.com^ +||analytics.genial.ly^ +||analytics.google.com^$third-party +||analytics.gooogol.com^ ||analytics.groupe-seb.com^ +||analytics.growthphysics.com^ ||analytics.gvim.mobi^ -||analytics.hosting24.com^ -||analytics.hpprintx.com^ +||analytics.iraiser.eu^ +||analytics.jazel.net^ +||analytics.jst.ai^ ||analytics.kaltura.com^ ||analytics.kapost.com^ -||analytics.live.com^ +||analytics.klickly.com^ +||analytics.kongregate.io^ +||analytics.lemoolah.com^ ||analytics.livestream.com^ +||analytics.logsss.com^ +||analytics.lunaweb.cloud^ +||analytics.m7g.twitch.tv^ +||analytics.maikel.pro^ ||analytics.mailmunch.co^ ||analytics.matchbin.com^ ||analytics.midwesternmac.com^ ||analytics.mlstatic.com^ +||analytics.myfidevs.io^ ||analytics.myfinance.com^ ||analytics.newscred.com^ ||analytics.onlyonlinemarketing.com^ -||analytics.ooyala.com^ ||analytics.optilead.co.uk^ ||analytics.orenshmu.com^ +||analytics.ostr.io^ ||analytics.paddle.com^ -||analytics.performable.com^ -||analytics.photorank.me^ +||analytics.pagefly.io^ +||analytics.pangle-ads.com^ ||analytics.piksel.com^ +||analytics.pinterest.com^$third-party +||analytics.pixels.ai^ +||analytics.plasmic.app^ +||analytics.pointdrive.linkedin.com^ +||analytics.pop2watch.com^ ||analytics.prezly.com^ -||analytics.prod.aws.ecnext.net^ -||analytics.r17.com^ +||analytics.qualityunit.com^ ||analytics.radiatemedia.com^ ||analytics.recruitics.com^ -||analytics.revee.com^ ||analytics.reyrey.net^ ||analytics.rogersmedia.com^ +||analytics.salesanalytics.io^ ||analytics.shareaholic.com^ +||analytics.shorte.st^ +||analytics.shorthand.com^ ||analytics.sitewit.com^ +||analytics.sleeknote.com^ ||analytics.snidigital.com^ -||analytics.sonymusic.com^ -||analytics.springboardvideo.com^ -||analytics.staticiv.com^ -||analytics.stg.springboardvideo.com^ ||analytics.strangeloopnetworks.com^ -||analytics.suggestv.io^ +||analytics.superstructure.ai^ ||analytics.supplyframe.com^ +||analytics.test.cheggnet.com^ ||analytics.themarketiq.com^ +||analytics.threedeepmarketing.com^ +||analytics.tiktok.com^ +||analytics.topseotoolkit.com^ ||analytics.tout.com^ -||analytics.tribeca.vidavee.com^ -||analytics.truecarbon.org^ -||analytics.urx.io^ +||analytics.unibuddy.co^ +||analytics.unilogcorp.com^ ||analytics.vanillaforums.com^ +||analytics.vdo.ai^ ||analytics.vendemore.com^ +||analytics.vixcloud.co^ ||analytics.webgains.io^ +||analytics.webpushr.com^ ||analytics.websolute.it^ ||analytics.wildtangent.com^ ||analytics.witglobal.net^ +||analytics.yahoo.com^ +||analytics.yext-static.com^ +||analytics.ynap.biz^ ||analytics.yola.net^ ||analytics.yolacdn.net^ ||analytics.ziftsolutions.com^ -||analyticsengine.s3.amazonaws.com^ -||analyze.full-marke.com^ -||analyzer.qmerce.com^ +||analytics1.vdo.ai^ +||analyticsehnwe.servicebus.windows.net^ +||analyticssec.overwolf.com^ ||ancestrycdn.com/tao/at/ -||anvato.com/anvatoloader.swf?analytics= +||anyclip.com/getuids? +||anyclip.com/v1/events +||anyclip.com/v1/lre-events? +||ao-freegeoip.herokuapp.com^ ||aol.com/ping? -||aolanswers.com/wtrack/ ||aolcdn.com/js/mg2.js ||aolcdn.com/omniunih_int.js -||aolcdn.com^*/beacon.min.js ||ape-tagit.timeinc.net^ ||apester.com/event^ -||api.awe.sm/stats/$third-party +||api-analytics-prd.pelcro.com^ +||api-iam.intercom.io/messenger/web/metrics +||api-location-prd.pelcro.com^$domain=newsweek.com +||api-v3.findify.io/v3/feedback +||api.autopilothq.com^ ||api.bit.ly/*/clicks?$third-party -||api.choicestream.com/instr/ccm/ +||api.blink.net/a/ ||api.collarity.com/cws/*http -||api.fyreball.com^ +||api.country.is^$third-party +||api.ipgeolocation.io/getip +||api.iris.tv/update +||api.june.so^ +||api.sardine.ai/assets/loader.min.js$third-party ||api.wipmania.com^ -||app.cdn-cs.com/__t.png? -||app.insightgrit.com^ -||app.link^$third-party -||app.pendo.io/data/ptm.gif +||apibaza.com/pixel/ +||apm-engine.meteor.com^$third-party,xmlhttprequest +||app.adjust.com^$third-party +||app.carnow.com/dealers/track_visitor +||app.link/_r?$script,third-party +||app.opmnstr.com/v2/geolocate/ +||app.posthog.com/e/?compression= +||app.posthog.com/e/?ip= +||app.posthog.com/static/array.js +||app.posthog.com/static/recorder-v2.js +||app.revenuehero.io/logs/ingest ||app.yesware.com/t/$third-party -||appdynamics.com/geo/$third-party ||appinthestore.com/click/ +||apple.com/hvr/mw/v1/spile +||apple.com/mw/v1/reportAnalytics ||apple.www.letv.com^ +||applets.ebxcdn.com^ +||applicationinsights.azure.com^$third-party,domain=~azure.net ||appliedsemantics.com/images/x.gif -||appmifile.com^*/stat/ +||applovin.com/shopify/*/pixel +||appmifile.com/webfile/globalweb/stat/ +||apps-pbd.ctraffic.io^ +||apps.omegatheme.com/facebook-pixel/ ||appsolutions.com/hitme?$third-party ||appspot.com/analytics/ ||appspot.com/api/track/ -||appspot.com/collect +||appspot.com/display? +||appspot.com/event? +||appspot.com/events.js ||appspot.com/stats? -||apture.com/v3/?5=%7b%22stats%22$xmlhttprequest +||appspot.com/take? +||appspot.com/track-analytics-event +||arc.pub/clavis/training/events ||arclk.net/trax? -||areyouahuman.com/kitten? -||aserve.directorym.com^ -||ask.com^*/i.gif? -||assoc-amazon.*^e/ir?t=$image +||arcpublishing.com/beacon +||argos.citruserve.com^ +||ariane.abtasty.com^ +||arkoselabs.com/metrics/ +||asayer.io/tracker.js +||assets.apollo.io/micro/website-tracker/ +||assets.moneymade.io/js/fp.min.js +||assets.yumpu.com/release/*/tracking.js +||assistant.watson.appdomain.cloud/analytics/ ||asterpix.com/tagcloudview/ -||async-px.dynamicyield.com^$third-party -||atdmt.com/action/ -||atdmt.com/iaction/ -||atdmt.com/jaction/ -||atdmt.com/mstag/ +||at.cbsi.com/lib/api/client-info +||at.cbsi.com^*/event? +||atcdn.co.uk/frostbite/ +||atgsvcs.com/js/atgsvcs.js +||ati-host.net/event? ||atom-data.io/session/latest/track.html?$third-party +||attn.tv/tag/ +||attn.tv^*/dtag.js ||attributiontrackingga.googlecode.com^ ||auctiva.com/Default.aspx?query -||audience.atex.com^ ||audience.newscgp.com^ -||audienceapi.newsdiscover.com.au^$third-party ||audienceinsights.net^$third-party +||audioeye.com/ae.js +||audioeye.com/frame/cookieStorage.html ||audit.303br.net^ ||audit.median.hu^ +||auriro.net/views.cfm? +||aurora-d3.herokuapp.com^ +||auryc.com/v1/event ||autoline-top.com/counter.php? ||automate-prod.s3.amazonaws.com^$~script +||avo.app^*/track ||awaps.yandex.net^ ||awe.sm/conversions/ ||aweber.com/form/displays.htm?$image -||awseukpi.whisbi.com^$third-party +||awsapprunner.com/api/frontend/client/metrics +||awswaf.com^*/report +||awswaf.com^*/telemetry +||ax.babe.today^ ||axislogger.appspot.com^ +||az.nzn.io^ +||az693360.vo.msecnd.net^ ||azureedge.net/javascripts/Tracking. ||azureedge.net/track +||azureedge.net^*/fnix.js +||azurewebsites.net/api/views? +||azurewebsites.net/Pixel? ||azurewebsites.net/TrackView/ ||azurewebsites.net^*/telemetry.js -||b-aws.aol.com^ ||b.bedop.com^ ||b5media.com/bbpixel.php -||b8cdn.com^*/analytics.js -||bab.frb.io^ -||backstage.funnelenvy.com^ +||b7tp47v2nb3x-a.akamaihd.net^ +||b8cdn.com/assets/v1/analytics- +||backend.verbolia.com/content/js/velw.min.js ||baidu.com/pixel? -||bango.net/exid/*.gif? -||bango.net/id/*.gif? +||baidu.com/push.js +||bamgrid.com/dust$domain=~disneyplus.com +||bamgrid.com/telemetry +||baqend.com/v1/rum/ ||barium.cheezdev.com^ -||basilic.netdna-cdn.com^ +||basis.net/assets/up.js ||bat.bing.com^ +||bat.bing.net^ +||baxter.olx.org^ ||bazaarvoice.com/sid.gif -||bazaarvoice.com^*/magpie.js +||bb.itwc.ca/js/cube.js ||bc.geocities. +||bc.marfeelcache.com^ +||bc0a.com/api/ +||bc0a.com/autopilot/ +||bc0a.com/be_ixf_js_sdk.js +||bc0a.com/marvel.js +||bdg.com/event? +||beacon.adelphic.com^ ||beacon.affil.walmart.com^ ||beacon.aimtell.com^ +||beacon.cdnma.com^ ||beacon.errorception.com^ -||beacon.gcion.com^ -||beacon.gu-web.net^ -||beacon.guim.co.uk^ -||beacon.heliumnetwork.com^ -||beacon.indieclick.com^ -||beacon.livefyre.com^ -||beacon.richrelevance.com^ +||beacon.flow.io^ +||beacon.klm.com^ ||beacon.riskified.com^ -||beacon.rum.dynapis.com^ +||beacon.s.llnwi.net^ +||beacon.searchspring.io^ ||beacon.securestudies.com^ +||beacon.sftoaa.com^ ||beacon.sojern.com^ -||beacon.squixa.net^ ||beacon.statful.com^ -||beacon.thred.woven.com^ -||beacon.tingyun.com^ -||beacon.viewlift.com^ -||beacon2.indieclick.com^ -||beacon2.indieclicktv.com^$third-party -||beacons.brandads.net^ ||beacons.mediamelon.com^ -||bestofmedia.com^*/beacons/$~image -||bfnsoftware.com^*/environment.cgi? +||beam.mjhlifesciences.com^ +||beamanalytics.b-cdn.net^ +||bee.tc.easebar.com^ +||bendingspoonsapps.com/v4/web-events +||bento.agoda.com^ +||bet365.de/Members/*&affiliate=$subdocument,third-party +||betano.de^*?btag=$subdocument,third-party ||bhphotovideo.com/imp/ -||bibzopl.com/in.php -||bid.g.doubleclick.net^ -||bidsystem.com/ppc/sendtracker.aspx? -||bin.clearspring.*/b.swf -||bing.com/aclick/$third-party -||bing.com/action/ +||bi.heyloyalty.com^ +||bi.medscape.com^ +||birdsend.co/assets/static/js/pixel/ +||birdsend.email/pixel +||birdsend.net/pixel ||bit.ly/stats? -||bitdash-reporting.appspot.com^ -||bitgravity.com/b.gif$third-party -||bitgravity.com^*/tracking/ ||bitrix.info/ba.js -||bizrate-images.co.uk^*/tracker.js -||bizrate-images.com^*/tracker.js -||bizrate.co.uk/js/survey_ -||bizrate.com^*/survey_ -||bizsolutions.strands.com^ -||blamcity.com/log/ -||blinkx.com/thirdparty/iab/$third-party -||blip.bizrate.com^ +||bizseasky.com/dc/ +||bizseasky.com/mon +||bizseasky.com/tracker/ +||blend.com/event/ +||blink.net/e/ +||blip.bizrate.com^$script ||blogblog.com/tracker/ +||bmrg.reflected.net^ ||bobparsons.com/image.aspx? -||bonsai.internetbrands.com^ +||bolt.com/v1/log? +||bonfire.spklw.com^ +||booking.com/pxpixel.html +||botdetection.hbrsd.com^ ||bpath.com/count.dll? -||brain.foresee.com^ -||branch.io^*/pageview -||branch.io^*_fingerprint_id=$third-party -||brandaffinity.net/icetrack/ +||branch.io^$third-party ||brandcdn.com/pixel/ ||bravenet.com/counter/ -||break.com/apextracker/ -||break.com/break/js/brktrkr.js$third-party -||breakingburner.com/stats.html? -||breakmedia.com/track.jpg? -||bright.bncnt.com^ -||browserscope.org/user/beacon/ +||braze.eu/api/v3/data/ +||breadpayments.com/log +||breadpayments.com/stats +||browser-intake-datadoghq.com^ +||browser.covatic.io^ +||browser.events.data.microsoft.com^$ping +||browser.pipe.aria.microsoft.com^ ||bs.yandex.ru^ -||btn.clickability.com^ -||btrace.video.qq.com^ -||bufferapp.com/wf/open?upn=$third-party -||bumpin.com^*/analytics.html -||business.sharedcount.com^$third-party -||buzzbox.buzzfeed.com^ -||bzgint.com/CUNCollector/ +||bucklemail.com/a/$image +||burstcloud.co/jwe? +||bytedance.com/pixel/ +||byteoversea.com/captcha/report +||byteoversea.com/monitor_browser/ ||bzpics.com/jslib/st.js? -||c.compete.com^ -||c.homestore.com^ +||c-date.com/pixel/ +||c.albss.com^ +||c.amazinglybrilliant.com.au^ +||c.bazo.io^ ||c.imedia.cz^ ||c.live.com^ ||c.mgid.com^ ||c.wen.ru^ ||c.ypcdn.com^*&ptid ||c.ypcdn.com^*?ptid -||c2s-openrtb.liverail.com^ ||c3metrics.medifast1.com^ ||cache2.delvenetworks.com^ -||cadreon.s3.amazonaws.com^ +||californiatimes.com/privacy/$image +||calltrack.co^ +||calltrk.com/companies/ +||calvera-telemetry.polaris.me^ +||camel.headfarming.com^ ||canada.com/js/analytics/ -||canecto.info/analytics.js -||canvas-ping.conduit-data.com^ -||canvas-usage-v2.conduit-data.com^ -||capture.bi.movideo.com/dc? -||capture.camify.com/dc? +||capture-api.ap3prod.com^ ||capture.condenastdigital.com^ +||capture.trackjs.com^$third-party ||carambo.la/analytics/ ||carambo.la/logging/ -||carl.pubsvs.com^ +||cardinalcommerce.com/prod/log ||caspionlog.appspot.com^ +||castify-trk.playitviral.com^ +||cbsaavideo.com/measurements/ +||cbsivideo.com/measurements/ ||cc.swiftype.com^ -||cdn.trafficexchangelist.com^$third-party -||cdn3.net/pixe/ -||cdnbigdata.azureedge.net^ +||ccexperimentsstatic.oracleoutsourcing.com^ +||cdn-channels-pixel.ex.co^ +||cdn-ds.com/analytics/ +||cdn.clkmc.com/cmc.js +||cdn.debugbear.com^$third-party +||cdn.one.store/xdomain_cookie.html +||cdn.polarbyte.com^ +||cdn.ravm.tv^ +||cdn.sourcesync.io/open-pixel/source-pixel.js +||cdn.statically.io/gh/opcdn/analytics/main/script.js +||cdn.usefathom.com^ +||cdnjs.work/metrics.js ||cdnma.com/apps/capture.js ||cdnplanet.com/static/rum/rum.js -||ce.lijit.com^ -||centerix.ru^*/count.msl? +||cdns.brsrvr.com^ +||ceros.com/a?data +||cf-pixelfront-analytics.widencdn.net^ ||cf.overblog.com^ +||cfmediaview.com/API/MV_Visit.ashx ||cgicounter.oneandone.co.uk^ ||cgicounter.puretec.de^ ||chanalytics.merchantadvantage.com^ -||chartaca.com.s3.amazonaws.com^ +||channelexco.com/events +||chaport.com/api/public/v1/stats/ +||chargebee.com/api/internal/track_info_error +||check.ddos-guard.net^$third-party ||checkout.com/logger/ -||choicestream.com^*/pixel/ -||chtah.com/a/*/spacer-0.gif$third-party -||chtah.com^*/1x1.gif -||chtah.net/a/*/spacer-0.gif$third-party +||checkout.com/logging +||cimage.adobe.com^ ||circonus.com/hit? ||citygridmedia.com/tracker/ ||citysearch.com/tracker/ -||clarium.global.ssl.fastly.net^ +||cityzen.io/Pixel/ +||civicscience.com/jot? +||ck.connatix.com^ +||cleantalk.org/pixel/ ||clearspring.com/at/ ||clearspring.com/t/ +||clerk.io/static/clerk.js +||clevertap-prod.com^$third-party ||click.appinthestore.com^ -||click.aristotle.net^$third-party -||click.geopaysys.com^ -||click.rssfwd.com^$third-party -||click1.email.nymagazine.com^$third-party -||click1.online.vulture.com^$image,third-party -||clickchatsold.com/d0/ -||clicker.com^*pageurl$third-party -||clickfunnels.com/assets/pushcrew.js$third-party -||clickfunnels.com/cf.js -||clickfunnels.com/userevents/ -||clickfunnels.com^*/track? +||click360v2-ingest.azurewebsites.net^ +||clickdimensions.com/ts.js +||clickiocdn.com/clickiotag_log/ +||clickiocdn.com/consent/log/ +||clickiocdn.com/utr/ ||clicks.dealer.com^ -||clickstream.loomia.com^ -||clicktale.pantherssl.com^ -||clicktalecdn.sslcs.cdngc.net^ +||clicks.tyuwq.com^ ||clickthru.lefbc.com^$third-party +||clicktime.symantec.com^$script,third-party ||clicktracker.iscan.nl^ -||clicktracks.aristotle.net^ -||client.tahono.com^$third-party -||clientstat.castup.net^ +||client-analytics.braintreegateway.com^ +||client-logger.beta.salemove.com^ +||client-logger.salemove.com^ +||client.perimeterx.net^ +||clinch.co/a_js/client_pixels/ ||clipsyndicate.com/cs_api/cliplog? -||clk.onet.pl^ -||clnk.me/_t.gif? +||clixtell.com/track.js ||cloudapp.net/l/ +||clouderrorreporting.googleapis.com^ +||cloudflare-quic.com/cdn-cgi/trace +||cloudflare.com/cdn-cgi/trace$third-party,domain=~isbgpsafeyet.com|~wyndhamdestinations.com ||cloudfront-labs.amazonaws.com^ ||cloudfront.net*/keywee.min.js ||cloudfront.net*/sp.js| @@ -9429,11 +9960,13 @@ _mongo_stats/ ||cloudfront.net/analytics_$script ||cloudfront.net/analyticsengine/ ||cloudfront.net/autotracker +||cloudfront.net/beaver.js ||cloudfront.net/bti/ +||cloudfront.net/clipkit_assets/beacon- ||cloudfront.net/code/keen-2.1.0-min.js ||cloudfront.net/dough/*/recipe.js ||cloudfront.net/esf.js -||cloudfront.net/i?stm= +||cloudfront.net/i?v= ||cloudfront.net/js/ca.js ||cloudfront.net/js/reach.js ||cloudfront.net/khp.js @@ -9447,653 +9980,744 @@ _mongo_stats/ ||cloudfront.net/scripts/cookies.js ||cloudfront.net/sentinel.js ||cloudfront.net/sitegainer_ -||cloudfront.net/smartserve- ||cloudfront.net/sso.js +||cloudfront.net/t.gif +||cloudfront.net/t?event= +||cloudfront.net/tag-manager/ ||cloudfront.net/track.html ||cloudfront.net/track? ||cloudfront.net/trackb.html +||cloudfront.net/uba.js ||cloudfront.net/websites/sb.js ||cloudfront.net/zephyr.js -||cloudfront.net^$script,domain=phonearena.com +||cloudfront.net^*.bmp? +||cloudfunctions.net/commonBonnierDataLayer +||cloudfunctions.net/export-customizer-data-metrics +||cloudfunctions.net/function-record-stream-metric? ||cloudfunctions.net/ingest? -||cm.g.doubleclick.net^ +||cloudfunctions.net/sendwebpush-analytics +||cloudfunctions.net/vanalytics +||cloudmetrics.xenforo.com^ +||cltgtstor001.blob.core.windows.net^ +||clustrmaps.com/counter/$third-party +||cmail19.com/t/$image,third-party ||cmmeglobal.com/evt? ||cmmeglobal.com^*/page-view? -||cms-pixel.crowdreport.com^ -||cnetcontent.com/jsc/h.js ||cnetcontent.com/log? ||cnevids.com/metrics/ +||cnnx.io^*/tracker.js +||cnnx.io^*/tracking.js +||cnnx.link/roi/ ||cnpapers.com/scripts/library/ +||cnstrc.com/behavior? ||cnt.3dmy.net^ -||cnt.mastorage.net^ ||cnzz.com/stat. ||cod.bitrec.com^ -||coinbase.com/assets/application-*.js$third-party -||collect.*.miui.com^ -||collect.igodigital.com^$script +||coefficy.com/ip/ +||coherentpath.com/tracker/ +||collect-ap2.attraqt.io^ +||collect-eu.attraqt.io^ +||collect.alphastream.io^ +||collect.analyse.lnearn.com^ +||collect.bannercrowd.net^ +||collect.cloudsponge.com^ +||collect.igodigital.com^ +||collect.iteam-dress.com^ +||collect.rebelmouse.io^ ||collect.rewardstyle.com^ -||collection.acromas.com^ -||collector-*.elb.amazonaws.com^$image,third-party -||collector-*.tvsquared.com^ -||collector.air.tv^ -||collector.apester.com^ +||collect.usefathom.com^ +||collect.verify.lnearn.com^ +||collection.e-satisfaction.com^ +||collector-1.ex.co^ +||collector-api.99designs.com^ +||collector-api.frspecifics.com^ +||collector.api.video^ +||collector.appconsent.io^ ||collector.automote.co.nz^ +||collector.clareity.net^ ||collector.contentexchange.me^$third-party -||collector.leaddyno.com^ -||collector.nextguide.tv^ -||collector.roistat.com^ -||collector.snplow.net^ +||collector.getyourguide.com^ +||collector.mazeberry.com^ ||collector.sspinc.io^ -||comet.ibsrv.net^ +||collector5.zipy.ai^ +||comeon.com/tracking.php ||comic-rocket.com/metrics.js +||commerce.adobe.io/recs/ +||commerce.bing.com^ +||comms.thewhiskyexchange.com^$image ||communicatorcorp.com^*/conversiontracking.js -||compendiumblog.com/js/stats.js +||compendiumblog.com/sp.js ||competitoor.com/analytics/ +||concert.io/lookup/ ||conde.io/beacon ||condenastdigital.com/content?$third-party +||confiant-integrations.global.ssl.fastly.net^ +||config-security.com/event +||confirmit.com/wix/inline.aspx? +||connatix.com/rtb/ +||connatix.com/tr/ +||connect.bolt.com/v1/log ||connect.facebook.net/signals/$third-party ||connect.facebook.net^*/fbds.js$third-party +||connect.facebook.net^*/pcm.js$third-party +||connect.idocdn.com^ +||connect.nosto.com/analytics/ +||connext-cdn.azureedge.net^ ||consensu.org/?log= +||consensu.org/geoip +||consentmanager.net/delivery/info/$third-party +||console.uxlens.com^ +||constellation.networknmedia.com/cdn-cgi/trace +||contactatonce.com/GetAgentStatusImage.aspx? ||contactatonce.com/VisitorContext.aspx? +||container.pepperjam.com^$third-party ||content.cpcache.com^*/js/ga.js +||contentdriver.com/api/impression +||contently.com/xdomain/ ||contentpass.net/stats?$third-party -||control.adap.tv^$object-subrequest +||contents-tracking.beop.io^ ||control.cityofcairns.com^$third-party +||conversions.genieventures.co.uk^ +||convertflow.co^*/visitors/ +||convertkit.com^*/visit +||cookie-guard-erdee.ey.r.appspot.com^ ||cookies.livepartners.com^ -||cookietracker.cloudapp.net^ ||cookiex.ngd.yahoo.com^ +||copyrightcontent.org/e/ +||core-apps.b-cdn.net^ +||corvidae.ai/pixel.min.js +||count-server.sharethis.com^ ||count.asnetworks.de^ ||count.carrierzone.com^ -||count.channeladvisor.com^ ||count.me.uk^ ||count.paycounter.com^ +||count.xxxssk.com^ ||counter.bloke.com^ ||counter.cam-content.com^ -||counter.htmlvalidator.com^ ||counter.hyipexplorer.com^ +||counter.jdi5.com^ +||counter.live4members.com^ ||counter.maases.com^ -||counter.mgaserv.com^ ||counter.packa2.cz^ -||counter.pagesview.com^ -||counter.pax.com^ +||counter.powr.io^ ||counter.powweb.com^ ||counter.rambler.ru^ ||counter.scribblelive.com^ -||counter.scribblelive.net^ ||counter.snackly.co^ -||counter.sparklit.com^ ||counter.tldw.me^ -||counter.top.ge^$third-party -||counter.webcom.com^ -||counter.webmasters.bpath.com^ +||counter.top.ge^ ||counter.yadro.ru^ ||counters.freewebs.com^ -||counters.gigya.com^ -||cr.loszona.com^$third-party -||creativecdn.com/pix/? -||creativecdn.com/tags? +||coveo.com/coveo.analytics.js/ +||covery.ai/fp/$third-party +||covet.pics/beacons +||cp.official-coupons.com^ +||cp.official-deals.co.uk^ +||cqloud.com/measurements/ +||crall.io/beacon/ +||creator.zmags.com^ +||credible.com/api/logs-fe ||crm-vwg.com/tracker/ -||crowdfactory.com/tracker/ ||crowdskout.com/analytics.js ||crowdskout.com/skout.js ||crowdskout.com^*/page-view +||crowdtwist.com/trck/$script +||crta.and.co.uk^ +||crta.dailymail.co.uk^ ||csi.gstatic.com^ ||csp-collector.appspot.com^ -||csp.archant.co.uk^ +||csp-reporting.cloudflare.com^ +||csp.secureserver.net^ ||csr.onet.pl^ -||ct.eid.co.nz^$third-party +||ct.capterra.com^ +||ct.corpusapp.com^ ||ct.itbusinessedge.com^$third-party ||ct.needlive.com^ ||ct.pinterest.com^ ||ct.thegear-box.com^$third-party -||cts-log.channelintelligence.com^$third-party -||cts-secure.channelintelligence.com^$third-party ||cts.businesswire.com^$third-party -||cts.channelintelligence.com^$third-party -||cts.vresp.com^ -||cumulus-cloud.com/trackers/ -||curalate.com^*/events.jsonp$third-party -||curate.nestedmedia.com^ +||cts.vresp.com^$third-party +||curated.fieldtest.cc^ ||custom.search.yahoo.co.jp/images/window/*.gif ||customerlobby.com/ctrack- -||cx.atdmt.com^ +||customfingerprints.bablosoft.com^ +||cws.conviva.com^ ||d.rcmd.jp^$image ||d.shareaholic.com^ -||d10lpsik1i8c69.cloudfront.net^ -||d11a2fzhgzqe7i.cloudfront.net^ -||d169bbxks24g2u.cloudfront.net^ -||d16fk4ms6rqz1v.cloudfront.net^ -||d18p8z0ptb8qab.cloudfront.net^ -||d191y0yd6d0jy4.cloudfront.net^ -||d1cdnlzf6usiff.cloudfront.net^ -||d1cerpgff739r9.cloudfront.net^ -||d1clfvuu2240eh.cloudfront.net^ -||d1clufhfw8sswh.cloudfront.net^ -||d1cr9zxt7u0sgu.cloudfront.net^ -||d1f1eryiqyjs0r.cloudfront.net^*/track. -||d1gp8joe0evc8s.cloudfront.net^ -||d1ivexoxmp59q7.cloudfront.net^*/live.js -||d1ksyxj9xozc2j.cloudfront.net^ -||d1lm7kd3bd3yo9.cloudfront.net^ -||d1m6l9dfulcyw7.cloudfront.net^ -||d1nh2vjpqpfnin.cloudfront.net^ -||d1qpxk1wfeh8v1.cloudfront.net^ -||d1r27qvpjiaqj3.cloudfront.net^ -||d1r55yzuc1b1bw.cloudfront.net^ -||d1rgnfh960lz2b.cloudfront.net^ -||d1rnw04e6mc22h.cloudfront.net^ -||d1ros97qkrwjf5.cloudfront.net^ -||d1ssbq1bwjg5ux.cloudfront.net^ -||d1t9uctetvi0tu.cloudfront.net^ -||d1uanozc5el74n.cloudfront.net^ -||d1wscoizcbxzhp.cloudfront.net^ -||d1xfq2052q7thw.cloudfront.net^ -||d1yu5hbtu8mng9.cloudfront.net^ -||d1z2jf7jlzjs58.cloudfront.net^ -||d21o24qxwf7uku.cloudfront.net^ -||d22v2nmahyeg2a.cloudfront.net^ -||d23p9gffjvre9v.cloudfront.net^ -||d23pi6hvdpcc5i.cloudfront.net^ -||d241ujsiy3yht0.cloudfront.net -||d24cze5sab2jwg.cloudfront.net^ -||d24rtvkqjwgutp.cloudfront.net^ -||d25ezbwokoefx6.cloudfront.net^ -||d27s92d8z1yatv.cloudfront.net/js/jquery.jw.analitycs.js -||d28g9g3vb08y70.cloudfront.net^ -||d2cpw6kwpff7n5.cloudfront.net^ -||d2d5uvkqie1lr5.cloudfront.net^*/analytics- -||d2d5uvkqie1lr5.cloudfront.net^*/analytics. -||d2gfdmu30u15x7.cloudfront.net^ -||d2gfi8ctn6kki7.cloudfront.net^ -||d2ibu2ug0mt5qp.cloudfront.net^ -||d2kmrmwhq7wkvs.cloudfront.net^ -||d2kyy9hvbrzkgn.cloudfront.net^ -||d2nq0f8d9ofdwv.cloudfront.net/track.js -||d2nxi61n77zqpl.cloudfront.net^ -||d2o67tzzxkqap2.cloudfront.net^ -||d2oh4tlt9mrke9.cloudfront.net^ -||d2pxb4n3f9klsc.cloudfront.net^ -||d2ry9vue95px0b.cloudfront.net^ -||d2san7t27xb2pn.cloudfront.net^ -||d2so4705rl485y.cloudfront.net^ -||d2tcg4i9q4js4a.cloudfront.net^ -||d2tgfbvjf3q6hn.cloudfront.net^ -||d2xgf76oeu9pbh.cloudfront.net^ -||d303e3cdddb4ded4b6ff495a7b496ed5.s3.amazonaws.com^ -||d3135glefggiep.cloudfront.net^ -||d31bfnnwekbny6.cloudfront.net/customers/ -||d33im0067v833a.cloudfront.net^ -||d34ko97cxuv4p7.cloudfront.net^ -||d36lvucg9kzous.cloudfront.net^ -||d36wtdrdo22bqa.cloudfront.net^ -||d396ihyrqc81w.cloudfront.net^ -||d3a2okcloueqyx.cloudfront.net^ -||d3alqb8vzo7fun.cloudfront.net^ -||d3cxv97fi8q177.cloudfront.net^ -||d3ezl4ajpp2zy8.cloudfront.net^ -||d3h1v5cflrhzi4.cloudfront.net^ -||d3hr5gm0wlxm5h.cloudfront.net^ -||d3iouejux1os58.cloudfront.net^ -||d3kyk5bao1crtw.cloudfront.net^ -||d3l3lkinz3f56t.cloudfront.net^ -||d3mskfhorhi2fb.cloudfront.net^ -||d3n6i6eorggdxk.cloudfront.net^ -||d3ojzyhbolvoi5.cloudfront.net^ -||d3qxef4rp70elm.cloudfront.net/m.js -||d3qxwzhswv93jk.cloudfront.net^ -||d3r7h55ola878c.cloudfront.net^ -||d3rmnwi2tssrfx.cloudfront.net^ -||d3s7ggfq1s6jlj.cloudfront.net^ -||d3sbxpiag177w8.cloudfront.net^ -||d3tglifpd8whs6.cloudfront.net^ -||d4ax0r5detcsu.cloudfront.net^ -||d6jkenny8w8yo.cloudfront.net^ -||d81mfvml8p5ml.cloudfront.net^ -||d8rk54i4mohrb.cloudfront.net^ -||d9lq0o81skkdj.cloudfront.net^ -||dagda.vilynx.com^ -||daq0d0aotgq0f.cloudfront.net^ -||data.alexa.com^ -||data.beyond.com^$third-party +||dadi.technology^$third-party +||dash.getsitecontrol.com^ +||dashboard.nowdialogue.com/api/events/ ||data.circulate.com^ -||data.fotorama.io/?$third-party -||data.gosquared.com^$third-party -||data.imakenews.com^$third-party -||data.marketgid.com^$third-party +||data.debugbear.com^$third-party +||data.digitalks.az^ +||data.eetech.com^ +||data.embeddables.com^ +||data.gosquared.com^ ||data.minute.ly^ +||data.nexxt.com^ ||data.queryly.com^ -||data2.gosquared.com^$third-party -||datacollect*.abtasty.com^$third-party -||datam8.co.nz^$third-party -||daumcdn.net/tiara/ -||daylogs.com/counter/ -||dc8na2hxrj29i.cloudfront.net^ -||dc8xl0ndzn2cb.cloudfront.net^ -||dd6zx4ibq538k.cloudfront.net^ +||data.tm-awx.com/smile-web-v2/ +||data.tm-awx.com/smile-web.min.js +||data.wiris.cloud/telemetry/ +||data.woosmap.com^ +||data2.gosquared.com^ +||datadog-service.mvfglobal.com^ +||datasign.co/js/opn.js +||daxab.com/logger/ +||dcinfos-cache.abtasty.com^ ||dditscdn.com/*fingerprints ||dditscdn.com/?a= ||dditscdn.com/log/ ||dealer.com^*/tracker/ ||dealer.com^*/tracking/ ||dealerfire.com/analytics/ -||deb.gs/track/ ||delivra.com/tracking/$third-party ||dell.com/TAG/tag.aspx?$third-party ||delvenetworks.com/player/plugins/analytics/ ||demandmedia.com/wm.js ||demandmedia.s3.amazonaws.com^$third-party -||desert.ru/tracking/ +||dep.hmgroup.com^ +||deprecated-custom-domains.b-cdn.net^$third-party ||desipearl.com/tracker/ -||detect.ergebnis-dienst.de^ ||dfanalytics.dealerfire.com^ -||dfdbz2tdq3k01.cloudfront.net^ +||dgcollector.evidon.com^ +||diagnose.igstatic.com^ +||dig.ultimedia.com^ ||digimedia.com/pageviews.php? -||digitalgov.gov/Universal-Federated-Analytics-Min.js +||digitaloceanspaces.com/pixel/ +||direct-collect.dy-api.com^ +||direct-collect.dy-api.eu^ +||direct-events-collector.spot.im^ ||directnews.co.uk/feedtrack/ -||dirt.dennis.co.uk^ -||discovery.com^*/events -||disqus.com/api/ping?$third-party +||discovery.evvnt.com/prd/evvnt_discovery_plugin-latest.min.js +||disqus.com/api/ping ||disqus.com/event.js?$script ||disqus.com/stats.html +||disquscdn.com/next/embed/alfalfalfa. ||distillery.wistia.com^ -||djibeacon.djns.com^ -||djtflbt20bdde.cloudfront.net^ -||dkj2m377b0yzw.cloudfront.net^ -||dl1d2m8ri9v3j.cloudfront.net^ -||dlvkf5067xruv.cloudfront.net^ +||dl.episerver.net^ ||dmcdn.net/behavior/ -||dmdentertainment.com^*/video_debug.gif? -||dn-net.com/cc.js -||dn34cbtcv9mef.cloudfront.net^ -||dnn506yrbagrg.cloudfront.net^ -||domodomain.com^*/ddsense.aspx? -||doug1izaerwt3.cloudfront.net^ -||dreamhost.com/*.cgi?$image,third-party +||dnnapi.com/analytics/ +||doppiocdn.com/healthcheck +||doppiocdn.org/healthcheck +||doppler-beacon.cbsivideo.com^ +||doppler-client-events.cbsivideo.com^ +||doppler-reporting.cbsivideo.com^ +||dotaudiences.com^$third-party +||drift.com/impressions/ +||drift.com/targeting/evaluate_with_log ||drift.com/track -||ds-aksb-a.akamaihd.net^ -||dt.sellpoint.net^ -||dt1pxsve3tgas.cloudfront.net^ -||dtym7iokkjlif.cloudfront.net/dough/ -||du4rq1xqh3i1k.cloudfront.net^ -||du8783wkf05yr.cloudfront.net^$third-party -||dufue2m4sondk.cloudfront.net^ -||duu8lzqdm8tsz.cloudfront.net^ -||dw.cbsi.com^$script -||dw.cbsi.com^*/e.gif$image -||dw.cbsimg.net^$script +||dugout.co/das2.js ||dw.com.com^$script -||dxwgpw0lkcum5.cloudfront.net^ -||dy2xcjk8s1dbz.cloudfront.net^ -||dymlo6ffhj97l.cloudfront.net^ -||dzmxze7hxwn6b.cloudfront.net^ -||dzxxxg6ij9u99.cloudfront.net^ -||e-activist.com^*/broadcast.record.message.open.do? -||e-merchant.com/^*/edr.js$third-party +||dx.mountain.com^ +||dynamic.ziftsolutions.com^ +||dynamicyield.com/batch? +||dynamicyield.com/clog +||dynamicyield.com/dpx? +||dynamicyield.com/imp? +||dynamicyield.com/rcomEvent? +||dynamicyield.com/uia? +||dynamicyield.com/var? +||e.channelexco.com^ ||e.ebidtech.com/cv/ +||ea.youmaker.com^ ||early-birds.fr/tracker/ -||ebay.northernhost.com^ -||ebayrtm.com/rtm?RtmCmd&a=img&$image -||ebaystatic.com^*/pulsar.js -||ebaystatic.com^*/rover_$script -||ebaystatic.com^*/tracking_RaptorheaderJS.js -||ecommstats.s3.amazonaws.com^$third-party -||ecustomeropinions.com/survey/nojs.php? -||ecustomeropinions.com^*/i.php? +||ebayadservices.com/marketingtracking/ +||ec.walkme.com^ +||ecomm.events^ +||ecommstats.s3.amazonaws.com^ +||edge-hls.doppiocdn.com/ping +||edge.adobedc.net^ ||edge.bredg.com^$third-party -||edge.sqweb.com^ -||edgesuite.net^*/googleanalyt -||edrta.mol.im^ -||edw.insideline.com^$third-party -||elb.amazonaws.com/?page=$image -||elb.amazonaws.com/g.aspx?surl= -||elb.amazonaws.com/partner.gif? -||elb.amazonaws.com/small.gif? -||els-cdn.com^*/analytics.js -||email-edg.paypal.com/o/$image -||email.mediafire.com/wf/open?$third-party +||edrone.me/trace? +||edw.edmunds.com/edw/edw1x1.gif +||eel.transistor.fm^ +||egmontpublishing.dk/tracking/ +||elpais.com/t.gif ||emarketeer.com/tracker/ -||embed.docstoc.com/Flash.asmx/StoreReffer? -||embedly.com/widgets/xcomm.html$third-party -||emihosting.com^*/tracking/ -||enews.pcmag.com/db/$third-party +||endorsal.io/check/ ||ensighten.com/error/e.php? -||entry-stats.huffpost.com^ -||epl.paypal-communication.com^ +||epimg.net/js/gdt/ +||epl.paypal-communication.com^$script ||epromote.co.za/track/ -||erne.co/tags? +||eq.userneeds.com^ +||era.easyvoyage.com^ ||errors.snackly.co^ -||eservicesanalytics.com.au^ -||et.grabnetworks.com^ -||etahub.com^*/track?site_id -||etc.grab.com^$image,third-party +||et.educationdynamics.com^ +||etl.springbot.com^ ||etoro.com/tradesmonitor/ +||eu-mobile.events.data.microsoft.com^ +||ev.moneymade.io^ +||ev.stellarlabs.ai^ +||event-api.rdstation.com.br^ ||event-listener.air.tv^ +||event-logger.tagboard.com^ +||event-service.letslinc.com^ +||event-stream.spot.im^ ||event.api.drift.com^ -||event.getblue.io^ -||event.loyalty.bigdoor.com^$third-party -||event.previewnetworks.com^ -||event.trove.com^ +||event.collector.scopely.io^ +||event.instiengage.com^ +||event.syndigo.cloud^ +||event.webcollage.net^ ||eventapi.libring.com^ +||eventcollector.mcf-prod.a.intuit.com^ ||eventful.com/apps/generic/$image,third-party ||eventgateway.soundcloud.com^ -||eventlog.inspsearch.com^ +||eventlog.chatlead.com^ ||eventlog.inspsearchapi.com^ +||events-endpoint.pointandplace.com^ ||events.air.tv^ -||events.antenna.is^ -||events.apester.com^ -||events.bounceexchange.com^ +||events.api.secureserver.net^ +||events.attentivemobile.com^ +||events.audiate.me^ +||events.brightline.tv^ +||events.btw.so^ ||events.demoup.com^ -||events.eyeviewdigital.com^*.gif?r= -||events.izooto.com^ +||events.devcycle.com^ +||events.elev.io^ +||events.flagship.io^ +||events.getmodemagic.com^ +||events.getsitectrl.com^ ||events.jotform.com^ ||events.launchdarkly.com^$third-party -||events.marquee-cdn.net^ +||events.mapbox.com^ +||events.matterport.com^ ||events.medio.com^ +||events.missena.io^ ||events.ocdn.eu^ +||events.paramount.tech^ ||events.realgravity.com^ +||events.release.narrativ.com^$subdocument,xmlhttprequest +||events.shareably.net^ +||events.splash-screen.net^ +||events.split.io^$domain=~collegeboard.org +||events.storifyme.com^ +||events.tryamped.com^ +||events.tubecup.org^ +||events.ubembed.com^ ||events.whisk.com^ ||events.yourcx.io^ -||eventtracker.videostrip.com^$third-party +||eventsproxy.gargantuan.futureplc.com^ ||eveonline.com/redir.asp$third-party -||evgnet.com/beacon/ -||evidon.com/pub/tag.js +||evergage.com/beacon/ +||everyaction.com/v1/Track/ +||evidon.com/pub/ ||eviesays.com/js/analytics/ ||evri.com/analytics/ +||evt.24.com^ ||evt.collarity.com^$image +||evt.houzz.com^ +||ex.co/content/monetization/legacy-pixels/ +||exacttarget.com^$~subdocument,third-party +||excite.ie/?click_in= ||exitintel.com/log/$third-party +||expedia.com/static/default/default/scripts/siteAnalytics.js +||expedia.com/vaclog/ ||experience.contextly.com^ +||extole.io/core.js +||extole.io^*/core.js +||ezoic.net/ezqlog? +||f-log-at.grammarly.io^ +||f-log-test.grammarly.io^ +||f.email.bjs.com^*/1x2.gif ||facebook.com*/impression.php -||facebook.com/*/plugins/send_to_messenger.php?app_id=$third-party +||facebook.com/adnw_request? ||facebook.com/ai.php? -||facebook.com/audience_network/$image ||facebook.com/brandlift.php -||facebook.com/common/scribe_endpoint.php -||facebook.com/email_open_log_pic.php -||facebook.com/fr/u.php? -||facebook.com/js/conversions/tracking.js -||facebook.com/method/links.getStats?$third-party -||facebook.com/offsite_event.php$third-party -||facebook.com/rtb_impression/? -||facebook.com/rtb_video/? -||facebook.com/tr$third-party -||facebook.com^*/placementbid.json$third-party -||facebook.com^*/tracking.js$third-party +||facebook.com/common/cavalry_endpoint.php? +||facebook.com/method/links.getstats? +||facebook.com/platform/cavalry_endpoint.php? +||facebook.com/platform/scribe_endpoint.php/ +||facebook.com/tr/ +||facebook.com/tr? +||facebook.com/w/$third-party +||facebook.com/xti.php? +||factors.ai/sdk/event/ ||fairfax.com.au/js/track/ -||fastcounter.bcentral.com^ -||fastcounter.onlinehoster.net^ -||fastly.net/collect? -||fastly.net/i? -||fbpixel.network.exchange^ +||faphouse.com/api/collector/ +||fast.fonts.net/jsapi/core/mt.js +||fast.wistia.net/assets/external/googleAds.js +||fastcdn.co/js/sptw. +||fbot.me/error +||fbot.me/events/ +||fbsbx.com/paid_ads_pixel/ +||fcmatch.google.com^ +||fcmatch.youtube.com^ ||feed.informer.com/fdstats ||feedblitz.com/imp?$third-party ||feedblitz.com^*.gif?$third-party -||feedcat.net/button/ +||feedify.net/thirdparty/json/track/ ||filament-stats.herokuapp.com^ +||files.envoke.com^*_nvk_tracking.js ||filesonic.com/referral/$third-party +||fingerprinter-production.herokuapp.com^ +||firebaselogging-pa.googleapis.com^ +||firecrux.com/track/$xmlhttprequest ||fitanalytics.com/metrics/ -||flashi.tv/histats.php? +||fkrkkmxsqeb5bj9r.s3.amazonaws.com^ ||flashstats.libsyn.com^ ||flex.msn.com/mstag/ -||fliqz.com/metrics/$~object-subrequest +||flipp.com/beacons ||flix360.com/beat? +||flixcar.com/*/tracking/ +||flixcar.com/gvid ||flixcdn.com^*/track.js +||flixgvid.flix360.io^ ||flixster.com^*/analytics. ||flocktory.com^*/tracks/ -||fluidsurveys-com.fs.cm^$third-party +||flux-cdn.com/plugin/common/analytics/ ||flux.com/geo.html? +||fmnetwork.nl/tracking/ +||fog.pixual.co^ ||followistic.com/widget/stat/ ||footballmedia.com/tracking/ +||forethought.ai/workflow/tracking-event ||forms.aweber.com^*/displays.htm?id= -||forter.com/events$third-party +||formstack.com/forms/analytics.php +||formstack.com/forms/js/*/analytics_ +||fotomoto.com/analytics/ +||foureyes.io/fe-init.js ||fourmtagservices.appspot.com^ -||foxcontent.com/tracking/ +||fp-cdn.azureedge.net^ +||fp-it-acc.portal101.cn/deviceprofile/ ||freecurrencyrates.com/statgif. ||freedom.com^*/analytic/ ||freedom.com^*/analytics/ ||freehostedscripts.net^*.php?site=*&s=*&h=$third-party -||friends.totallynsfw.com^ +||fresh.inlinkz.com^$third-party +||frog.editorx.com^ +||frontend-logger.flippback.com/api/logging +||fs-client-logger.herokuapp.com^ ||ftimg.net/js/log.js? -||fullstory.com/s/fs.js$third-party +||ftm.fluencyinc.co^ +||fudge.ai/metrics? ||future-fie-assets.co.uk^ +||future-price.co.uk^ +||futurecdn.net/bordeaux.js$xmlhttprequest ||futurecdn.net^*/abp.js -||fwix.com/ref.js -||fwix.com^*/trackclicks_ -||fyre.co^*/tracking/ -||g.delivery.net^$third-party +||futurehybrid.tech^$third-party +||futureplc.com/push_metrics/ +||fw.tv/embed/impressions +||g.msn.com^ +||g2insights-cdn.azureedge.net^ ||ga-beacon.appspot.com^ -||ga.kvideo.io^ +||ga.chickgoddess.com/gs_api/stats/ ||ga.webdigi.co.uk^ +||gaijin.net/tag? +||gamedistribution.com/event? +||gamedock.io/gamemonkey-web-tracker/ ||gamegecko.com/gametrack? +||gannettdigital.com/capture_logger/ +||ganon.yahoo.com^ ||gatehousemedia.com/wickedlocal/ip.js +||gateway.bridged.media/Engagement/View +||gateway.bridged.media/Logging/ +||gateway.dev/log +||gateway.foresee.com^ ||gcion.com/gcion.ashx? +||gecko.space/count.js ||geckofoot.com/gfcounterimg.aspx? ||geckofoot.com/gfvisitormap.aspx? +||gem.com/api/o/$image,third-party +||generflow.com/client-logs/ +||genesis.malwarebytes.com^ ||geni.us/snippet.js +||geni.us/snippet.min.js ||geo.ertya.com^ -||geo.gexo.com/geo.js$third-party ||geo.gorillanation.com^ -||geo.kaloo.ga^$third-party -||geo.kontagent.net^ -||geo.ltassrv.com^ -||geo.q5media.net^ +||geo.mezr.com^ +||geo.ngtv.io^ ||geo.query.yahoo.com^$~xmlhttprequest,domain=~mail.yahoo.com +||geo.thehindu.com^ ||geobar.ziffdavisinternational.com^ +||geoip.apps.avada.io^ +||geoip.instiengage.com^ ||geoip.nekudo.com^ -||geoip.taskforce.is^ -||geolocation.performgroup.com^ +||geolocation.outreach.com^ ||geoservice.curse.com^ +||getelevar.com/shops/*/events.js ||getglue.com^*/count? ||getkudos.me/a?$image +||getmetrical.com/storagesync ||getpos.de/ext/ ||getrockerbox.com/pixel? +||gi-client-tracking.goodgamestudios.com^ ||gigya.com^*/cimp.gif? ||giosg.com^*/public/trace/ -||github.com/notifications/beacon/ ||glam.com/cece/agof/ ||glam.com/ctagsimgcmd.act? ||glam.com/jsadimp.gif? ||glam.com^*/log.act? -||glbdns.microsoft.com^ ||gleam.io/seen? -||glogger.inspcloud.com^ -||go-stats.dlinkddns.com^$third-party +||gleam.io^$script,third-party +||global.localizecdn.com/api/lib/*.gif? +||global.ssl.fastly.net/native/ +||globalservices.conde.digital/p77xzrbz9z.js +||gml-grp.com^*&affid=$subdocument,third-party +||go.activengage.com^ ||go.com/capmon/GetDE/? -||go.optifuze.com^ +||go.techtarget.com^$image,xmlhttprequest ||go.toutapp.com^$third-party ||goadv.com^*/track.js -||goals.ar.gy/bug.gif? -||goaww.com/stats.php +||goaffpro.com/track ||godaddy.com/js/gdwebbeacon.js +||gomoxie.solutions^*/events ||google.com/analytics/$third-party -||google.com/insights/$script,third-party +||google.com/gsi/log? ||googleapis.com/aam.js +||googleapis.com/gadasource/gada.js ||googleapis.com/ivc.js -||googleapis.com^*/gen_204? ||googlecode.com^*/tracker.js -||googletagmanager.com/ns.html?$third-party -||googletagservices.com^*/osd.js$third-party -||googletagservices.com^*/osd_listener.js$third-party ||googleusercontent.com/tracker/ ||gotdns.com/track/blank.aspx? ||gotmojo.com/track/ +||gotolstoy.com/events/ ||gowatchit.com/analytics.js ||gowatchit.com^*/tracking/ ||grabnetworks.com/beacons/ ||grabnetworks.com/ping? -||graph.facebook.com/?ids=*&callback=$script,third-party +||grafana.net/collect/ ||graphcomment.com/api/thread/*/stats -||gravity.com^*/beacons/ ||green-griffin-860.appspot.com^ -||grymco.com^*/event? -||gsn.chameleon.ad^$~script +||groupbycloud.com/gb-tracker-client-5.min.js ||gsp1.baidu.com^ ||gstatic.com/gadf/ga_dyn.js -||gstatic.com/gen_204? +||gstatic.com/retail/v2_event.js +||gstatic.com/wcm/impl- +||gstatic.com/wcm/loader.js +||gtmfsstatic.getgoogletagmanager.com^ ||gtrk.s3.amazonaws.com^ ||gu-pix.appspot.com^$third-party ||gubagoo.com/modules/tracking/ +||gubagoo.io/c/$image +||h-bid.com^$third-party ||h2porn.com/new-hit/? -||harvester.ext.square-enix-europe.com^ +||hadrianpaywall.com/views +||happen.spkt.io^ +||harvest.graindata.com^ ||hasbro.com/includes/js/metrics/ -||hawkeye-data-production.sciencemag.org.s3-website-us-east-1.amazonaws.com^ ||haymarket.com/injector/deliver/ -||heals.msgfocus.com^$third-party +||hb.vhsrv.com^ +||hcmanager.swifteq.com/hc_events/ +||hdnux.com/HNP/stats/page_view? ||hearstmags.com^*/hdm-lib_hearstuser_proxy.html$third-party +||hearstnp.com/log? ||heg-cp.com/upm/$third-party +||hello.myfonts.net/count/ ||hello.staticstuff.net^ ||hellobar.com/ping? +||helloextend.com/tracking +||helloretail.com/serve/collect/ +||helloretail.com/serve/trackingUser +||helpshift.com/events/ ||heraldandtimeslabs.com/sugar.js ||heroku.com/?callback=getip$third-party -||hgcdn.net/?$third-party +||heyday.io/idx/ +||heyflow.co/pixel/ ||hi.hellobar.com^ -||hit-pool.upscore.io^ -||hits-*.iubenda.com^ +||hicloud.com/download/web/dtm.js +||highway.cablecar.sph.com.sg^ +||highwebmedia.com/CACHE/js/output.92c98302d256.js +||hit.mybestpro.com^ ||hits.dealer.com^ +||hits.getelevar.com^ +||hits.gokwik.co^ ||hits.informer.com^ +||hktracker.hankookilbo.com^ ||hm.baidu.com^$third-party ||hocalwire.com/tracking- +||homedepot-static.com/data-collection/ ||homestore.com/srv/ -||hop.clickbank.net^ +||honeycomb.io/1/events/ +||hop.clickbank.net^$script ||hornymatches.com^*/visit.php? -||hostingtoolbox.com/bin/Count.cgi? -||hpr.outbrain.com^ ||hqq.tv/js/counters.js +||hrzn-nxt.com/pxl? +||hsforms.com/embed/v3/counters.gif +||hub.reacti.co/index.js ||hubspot.com/analytics/ ||hubspot.com/cs/loader-v2.js +||hubspot.com/img/trackers/ ||hubspot.com/tracking/ +||hubspot.com/usage-logging/ +||hushforms.com/visitorid? +||hydro-ma-proxy.akamaized.net^ ||hypercomments.com/widget/*/analytics.html -||i-stats.ieurop.net^ +||i.compendium.com^ +||i.posthog.com^ ||i.s-microsoft.com/wedcs/ms.js ||i.viafoura.co^ -||ib.adnxs.com^ +||iabusprivacy.pmc.com^ +||iadvize.com/collector/ ||ibmcloud.com/collector/ ||icbdr.com/images/pixel.gif -||icu.getstorybox.com^ +||id.google.*/verify/ ||id.verticalhealth.net/script.js?partnerid= -||ihstats.cloudapp.net^$third-party -||imagedoll.com^$subdocument,third-party -||imagepix.okoshechka.net^*/?sid= -||images-amazon.com/images/*/ga.js$third-party -||images-amazon.com/images/*/third-party/tracker$third-party -||images-amazon.com/images^*/analytics/$third-party -||images-amazon.com^*/1x1_trans.gif -||images-amazon.com^*/Analytics- -||images-amazon.com^*/AnalyticsReporter- +||iddu1vvb7sk8-a.akamaihd.net^ +||identification.hotmart.com^ +||iheart.com/events +||ihi.flowplayer.com^ ||imageshack.us^*/thpix.gif ||imgfarm.com/images/nocache/tr/*.gif?$image ||imgfarm.com/images/trk/myexcitetr.gif? ||imgfarm.com^*/mw.gif?$third-party -||imghostsrc.com/counter.php? -||imp.affiliator.com^$third-party -||imp.clickability.com^$third-party ||imp.constantcontact.com^$third-party -||imp.pix.com^ +||imp.pvnsolutions.com^ ||impdesk.com/smartpix/ -||impi.tv/trackvideo.aspx? +||impel.io/releases/analytics/ ||impress.vcita.com^ -||imprvdosrv.com^$image,third-party -||inboxtag.com/tag.swf +||impressionmedia.cz/statistics/ +||inbound-analytics.pixlee.co^ +||incapdns.net/monitor.js +||incomaker.com//tracking/ ||ind.sh/view.php?$third-party +||indoleads.com/api/pixel-content/ +||inetstatic.com/tracking/ ||infinityid.condenastdigital.com^ ||infogr.am/logger.php? ||informer.yandex.ru^ ||infosniper.net/locate-ip-on-map.php ||infusionsoft.com^*/getTrackingCode? +||ingest.make.rvapps.io^ +||inmobi.com/?log +||inmoment.com.au/intercept/$third-party +||inmoment.com/intercept/$third-party +||inmoment.com/websurvey/$third-party +||innogamescdn.com/media/js/metrics- ||inphonic.com/tracking/ -||inq.com/tagserver/logging/ -||inq.com/tagserver/tracking/ ||inq.com^*/onEvent?_ +||ins.connatix.com^ +||insiderdata360online.com/service/platform.js ||insight.mintel.com^$third-party -||insights.gravity.com^ -||insights.plista.com^$third-party +||insight.rapid7.com^$third-party +||insights.algolia.io^ +||insights.sitesearch360.com^ ||insitez.blob.core.windows.net^ -||insnw.net/assets/dsc/dsc.fingerprint- -||insnw.net/instart/js/instart.js +||instagram.com/logging/ ||instagram.com/logging_client_events +||instagram.com/paid_ads/ ||installiq.com/Pixels/ -||intelligence.dgmsearchlab.com^ +||intake-analytics.wikimedia.org^ +||intelligems.io/track ||intelligencefocus.com^*/sensor.js ||intelligencefocus.com^*/websensor.aspx? ||intensedebate.com/remotevisit.php? ||intensedebate.com/widgets/blogstats/ ||intercomcdn.com/intercom*.js$domain=unblocked.la -||interestsearch.net/videoTracker.js? ||internetfuel.com/tracking/ ||intuitwebsites.com/tracking/ +||invite.leanlab.co^ +||invitejs.trustpilot.com^ ||io.narrative.io/?$third-party -||ioam.de/? -||ioam.de/aid.io? -||ioam.de/tx.io? -||irqs.ioam.de^ +||ip.lovely-app.com^ +||ip.momentummedia.com.au^ +||ippen.space/idat +||ipstatp.com/growth/fe_sdk/reportsdk/$third-party +||ipstatp.com/static_magic/pgc/tech/collect/$third-party +||iq.sixaxisllc.com^ +||iqzone.com^$third-party +||iraiser.eu/analytics.js ||isacglobal.com/sa.js -||itracking.fccinteractive.com^ +||isitelab.io/ite_sitecomV1ANA.min.js +||iterable.com/analytics.js +||iturl.in/analytics? +||iubenda.com/write? ||iyisayfa.net/inc.php? ||jailbaitchan.com/tp/ ||jangomail.com^*?UID$third-party +||jas.indeednps.com^ ||javascriptcounter.appspot.com^ -||jobs.hrkspjbs.com^ +||jennifersoft.com^$third-party +||jill.fc.yahoo.com^ +||jly24aw29n5m-a.akamaihd.net^ ||jobvite.com/analytics.js -||join-safe.com/tracking/ ||jotform.io/getReferrer/$third-party -||js-agent.newrelic.com^ -||jsrdn.com/i/1.gif? +||jscache.com/static/page_moniker/ +||jsdelivr.net/gh/sensitiveio/sbtracker@master/ +||jsdelivr.net/npm/navigator.sendbeacon +||jsdelivr.net^*/fp.min.js +||jsrdn.com/creatives/ +||jsrdn.com/s/1.js +||jst.ai/vck.js +||jtracking-gate.lulusoft.com^ +||k.keyade.com^ ||k.streamrail.com^ -||k7-labelgroup.com/g.html?uid=$image ||kalstats.kaltura.com^ -||kaltura.com^*/statisticsPlugin.swf ||kbb.com/partner/$third-party -||kdpgroupe.com/ea.js ||kelkoogroup.net/st? -||key4web.com^*/set_cookie_by_referer/ -||keywee.co/analytics.js? -||keyword.daumdn.com^ +||kimonix.com/analytics/ ||kiwari.com^*/impressions.asp? +||kiwi.mdldb.net^ +||kiwisizing.com/api/log ||kk-resources.com/ks.js +||klarnaservices.com/v1/osm-client-script/ +||klarnaservices.com^$image,third-party +||klaviyo.com/onsite/js/sentry. +||klaviyo.com/onsite/track-analytics? +||klickly.com/track ||kmib.co.kr/ref/ +||kochava.com/track/$third-party ||kununu.com^*/tracking/ +||kxcdn.com/actor/$third-party +||kxcdn.com/assets/js/script.js ||kxcdn.com/prj/ ||kxcdn.com/track.js ||l-host.net/etn/omnilog? -||l.coincident.tv^ ||l.fairblocker.com^$third-party ||l.ooyala.com^ ||l.player.ooyala.com^ ||l.sharethis.com^ +||l.typesquare.com^ +||lambda-url.eu-west-1.on.aws^$ping +||lambda-url.us-east-1.on.aws/chug/event ||laurel.macrovision.com^ ||laurel.rovicorp.com^ -||lct.salesforce.com^$third-party +||lciapi.ninthdecimal.com^ +||lcs.naver.com^ +||leadliaison.com/tracking_engine/ +||leadpages.net/leadboxes/current/embed.js ||leadpages.net^*/tracking.js ||leadtracking.plumvoice.com^ ||leadvision.dotmailer.co.uk^$third-party ||lederer.nl/incl/stats.js.php? ||legacy.com/globalscripts/tracking/ ||legacy.com^*/unicaclicktracking.js? -||lela.com/api/v2/tracking.js ||letv.com/cloud_pl/ ||letv.com/env/ +||levelaccess.net/analytics/ +||lh.bigcrunch.com^ +||lhinsights.com/collect? +||libcdnjs.com/api/event +||libs.platform.californiatimes.com/meteringjs/ ||licdn.com/*.gif?rnd= -||licensing.bitmovin.com^ +||licensing.bitmovin.com/impression ||lift.acquia.com^ -||ligatus.com/push/url.gif? -||ligatus.com/rms/rend? -||ligatus.com/script/viewtracker- ||lightboxcdn.com/static/identity.html -||lijit.com/blog_wijits?*=trakr& -||lijit.com/ip.php? -||lijit.com/res/images/wijitTrack.gif +||limbik.com/static/tracking-script.js ||lingows.appspot.com/page_data/? -||link.americastestkitchencorp.com^ -||link.huffingtonpost.com^$third-party +||link.cosmopolitan.com^$image ||link.indiegogo.com/img/ ||link.informer.com^ -||link.tym.cool^ +||link.messaging.usnews.com^$image +||link.myjewishpage.com^$image +||link.realself.com^$image ||linkbucks.com/visitScript/ -||linkedin.com/emimp/$image +||linkdeli.com/widget.js +||linkedin.com/countserv/count/$third-party ||links.voyeurweb.com^ ||linkwithin.com/pixel.png ||list-manage.com/track/ ||list.fightforthefuture.org/mpss/o/*/o.gif +||listen.audiohook.com/*/pixel.png +||listrak.com/api/Activity/click +||listrak.com/api/Activity/impression +||listrakbi.com/activity/ +||listrakbi.com/api/ActivityEvents/ +||lit.connatix.com^ +||literally-analytics.appspot.com^ ||live-partner.com/tags? +||live-tv.top/js/k.min.js +||live.mrf.io/statics/marfeel/gardac-sync.js ||live2support.com^*/js_lstrk. ||livechatinc.com^*/control.cgi? ||livecounter.theyosh.nl^ @@ -10102,75 +10726,72 @@ _mongo_stats/ ||livefyre.com^*/tracker.js ||livefyre.com^*/tracking/ ||livehelpnow.net/lhn/handler/$image -||livehelpnow.net/lhn/jsutil/getinvitationmessage.aspx? +||livelyvideo.tv/lb/logger ||liverail.com/?metric= ||liverail.com/track/? ||livestats.kaltura.com^ +||livestory.io/*/collect +||llama.fi/script.js +||lma.npaw.com^ +||loader-cdn.azureedge.net^ ||location3.com/analytics/ ||log-*.previewnetworks.com^ -||log.adap.tv^$object-subrequest +||log-pq.shopfully.cloud^ ||log.aimtell.com^ -||log.artipbox.net^$third-party -||log.ideamelt.com^ -||log.invodo.com^ -||log.kcisa.kr^ -||log.kibboko.com^ -||log.kukuplay.com^$third-party -||log.liverail.com^ +||log.cookieyes.com^ +||log.dpa.com^ +||log.go.com^ +||log.mediacategory.com^ +||log.nordot.jp^ ||log.olark.com^ ||log.outbrain.com^ -||log.outbrainimg.com^ ||log.pinterest.com^ +||log.reformal.ru^ ||log.seekda.com^ -||log000.goo.ne.jp^$third-party -||log1.survey.io^ -||logger.logidea.info^ ||logger.snackly.co^ -||logger.sociablelabs.com^ -||logging.carambo.la^ -||logging.prefixbox.com^ +||logging.je-apps.com^ +||logging.pw.adn.cloud^ ||loggingapi.spingo.com^ ||loglady.skypicker.com^ +||logs-api.shoprunner.com^ +||logs.animaapp.com^ +||logs.datadoghq.com^$third-party +||logs.mezmo.com^ ||logs.spilgames.com^ -||logs.thebloggernetwork.com^ -||logs.vmixcore.com^ -||logssl.enquisite.com^ ||longtailvideo.com^*/yourlytics- -||longurl.it/_t.gif?$third-party ||loomia.com^*/setcookie.html -||loxodo-analytics.ext.nile.works^ -||lp.vadio.com^ ||lsimg.net^*/vs.js -||lt.tritondigital.com^ -||ltassrv.com/track/ +||ltwebstatic.com/she_dist/libs/devices/fpv2. +||ltwebstatic.com^*/libs/sensors/ +||lucid.mjhassoc.com^ ||luminate.com/track/ -||lunametrics.wpengine.netdna-cdn.com^ ||lycos.com/hb.js -||m.addthisedge.com^$third-party -||m.trb.com^ -||m30w.net/engine/$image,third-party -||madmimi.com/view?id=$image +||m.clear.link/cpr/external/track +||m.stripe.com^$third-party,domain=~stripe.network +||ma.logsss.com^ +||magento-recs-sdk.adobe.net^ ||magnify.net/decor/track/ -||magnify360-cdn.s3.amazonaws.com^ ||mail-app.com/pvtracker/ -||mail.ebay.com/img/*.gif +||mail.ru/dstat? ||mail.ru/grstat? ||mail.ru/k? -||mailmax.co.nz/login/open.php$third-party -||makantime.tv/analytics.js ||mandrillapp.com/track/ -||mangomolo.com/tracking/ -||mansion.com/mts.tracker.js -||mantisadnetwork.com/sync? -||mapquestapi.com/logger/ ||maptrackpro.com/track/ -||marketing.net.jumia.com.ng^ -||marketingautomation.services/koi$third-party -||marketingautomation.services/net?$third-party -||marketinghub.hp.com^ +||marker.io/widget/ping +||marketcat.co/pixel/ +||marketingautomation.services/client/ss.js +||marketingautomation.services/koi ||marketo.com/gw1/ +||marketo.com/rtp-api/ +||marsflag.com/mf2file/site/ext/tr.js +||martech.condenastdigital.com^ ||mas.nth.ch^ ||mashery.com/analytics/ +||materiel.net/r/$image +||mato.clanto.cloud^ +||matomo.clanto.cloud^ +||maven.io/api/userEvent/ +||mavencoalition.io/collect ||maxmind.com/app/$third-party ||maxmind.com/geoip/$third-party ||maxmind.com/js/country.js @@ -10180,378 +10801,517 @@ _mongo_stats/ ||mbsvr.net/js/tracker/ ||mc.webvisor.com^ ||mc.webvisor.org^ -||mc.webvisor.ru^ +||mc.yandex.com^ ||mc.yandex.ru^ -||mcs.delvenetworks.com^ +||mcdp-*.outbrain.com^ ||mcssl.com^*/track.ashx? -||mdctrail.com/b.ashx$third-party +||mdxprod.io/analytics.js +||measure.refinery89.com^ ||media-imdb.com/twilight/? +||media-lab.ai/ana-sentry.js +||media-platform.com/common/js/lib/cxense/ ||mediabong.com/t/ ||mediabong.net/t/ +||mediadelivery.net/.metrics/ +||mediadelivery.net/rum.js ||mediaite.com^*/track/ ||mediametrics.mpsa.com^ -||mediapartner.bigpoint.net^$third-party ||mediaplex.com^*?mpt= ||meebo.com/cim/sandbox.php? -||merchenta.com/track/ +||merklesearch.com/merkle_track.js ||metabroadcast.com^*/log? ||metaffiliation.com^*^mclic= +||meteored.com/cmp/web/events/analytic/ ||metering.pagesuite.com^$third-party -||metric.nwsource.com^ ||metrics-api.librato.com^ +||metrics-logger.spot.im^ ||metrics.api.drift.com^ +||metrics.beyondwords.io^ ||metrics.brightcove.com^ -||metrics.chmedia.com^ ||metrics.ctvdigital.net^ -||metrics.el-mundo.net^ -||metrics.feedroom.com^ -||metrics.loomia.com^ +||metrics.doppiocdn.com^ +||metrics.doppiostreams.com^ +||metrics.futureplc.engineering^ +||metrics.gs-chat.com^ +||metrics.kmsmep.com^ +||metrics.mdstrm.com^ +||metrics.onshape.com^ +||metrics.pico.tools^ ||metrics.scribblelive.com^ -||metrics.seenon.com^ -||metrics.sonymusicd2c.com^ -||metrics.toptenreviews.com^ -||metrics.upcload.com^ -||metrics.wikinvest.com^ -||metrixlablw.customers.luna.net^ -||metro-trending-*.amazonaws.com^$third-party -||mint.good.is^ -||mitel.marketbright.com^ +||metrics.userguiding.com^ +||metrix.emagister.com^ +||mgmlcdn.com/stats/ +||minutemediacdn.com/campaign-manager-client/ ||mixpanel.com/track? +||mj-snowplow-static-js.s3.amazonaws.com^ ||mkcms.com/stats.js ||ml.com/enterprisetagging/ ||mlweb.dmlab.hu^ +||mmcdn.com/events/ ||mmi.bemobile.ua^ -||mmpstats.mirror-image.com^ ||mochiads.com/clk/ +||moco.yukata.dev/get/$image,third-party +||moderate.cleantalk.org/ct-bot-detector-wrapper.js ||modules.ooyala.com^*/analytics- +||mon.domdog.io^ +||monitor-api.blackcrow.ai^ +||monitor-frontend-collector.a.bybit-aws.com^ +||monitor.azure.com^ +||monitoring.iraiser.eu^ +||monorail-edge.shopifysvc.com^ ||mormont.gamer-network.net^ ||movementventures.com/_uid.gif +||mowplayer.com/media/statistics/ ||mozilla.org/page/*/open.gif$third-party -||mp.pianomedia.eu^ -||mqs.ioam.de^ +||mql5.com/st? +||mql5.com/tr? +||mrf.io/statics/marfeel-sdk.js +||mrf.io/statics/marfeel/chunks/metrics- +||ms-trackingapi.phenompeople.com^ +||msadsscale.azureedge.net^ ||msecnd.net/jscripts/HA-$script -||msecnd.net/scripts/a/ai.0.js +||msecnd.net/next/$script +||msecnd.net/script/raptor- +||msecnd.net/scripts/a/ai. +||msecnd.net/scripts/b/ai. ||msecnd.net/scripts/jsll- -||mtrcs.samba.tv^ -||mts.mansion.com^$third-party +||mshcdn.com/assets/metrics- +||mssdk.tiktokw.us/web/report? +||mtvnservices.com/aria/projectX/ ||mtvnservices.com/aria/uuid.html +||mtvnservices.com/measurements/ ||mtvnservices.com/metrics/ +||multiup.us/cdn-cgi/trace +||munchkin.marketo.net^ ||murdoog.com^*/Pixel/$image ||museter.com/track.php? ||musvc2.net/e/c? -||mutinyhq.com/impressions/ ||mv.treehousei.com^ ||mxmfb.com/rsps/img/ ||myblueday.com^*/count.asp? +||myfinance.com/widget/ ||myfreecams.com/mfc2/lib/o-mfccore.js ||mymarketing.co.il/Include/tracker.js +||myopenpass.com/v1/api/telemetry/event +||myprivacy.dpgmedia.net/audits ||myscoop-tracking.googlecode.com^$third-party ||mysdcc.sdccd.edu^*/.log/ ||mysociety.org/track/ ||mzbcdn.net/mngr/mtm.js -||n.mailfire.io^$third-party ||nastydollars.com/trk/ -||nativly.com^*/track? +||native-ads-events-api.c4s-rd.services^ +||native-ads-events-api2.c4s-rd.services^ +||navattic.com/api/events/ ||naver.net/wcslog.js ||navlink.com/__utmala.js ||nbcudigitaladops.com/hosted/housepix.gif +||nbcudigitaladops.com/hosted/util/geo_data.js +||ncdn22.xyz/cdn-cgi/trace ||needle.com/pageload? +||needle.com/pageupdate? ||neocounter.neoworx-blog-tools.net^ ||neon-lab.com/neonbctracker.js -||netalpaca.com/beacon +||net-tracker.notolytix.com^$third-party ||netbiscuits.net^*/analytics/ +||netclick.io/pixel/ ||netdna-ssl.com/tracker/ +||netlify-rum.netlify.app^ ||netne.net/stats/ ||netscape.com/c.cgi? ||neulion.vo.llnwd.net^*/track.js ||news.banggood.com/mo/$image,third-party ||newsanalytics.com.au^$third-party -||newsletters.infoworld.com/db/$image,third-party +||newscgp.com/cs/sync/ ||newsletters.nationalgeographic.com^$image,third-party ||newton.pm/events/track_bulk +||nexstardigital.net/segment.js +||nfcube.com/assets/img/pixel.gif +||ngpvan.com/v1/Track/ ||nice264.com/data?$third-party +||nile.works/api/save-perf? +||nile.works/TargetingWebAPP/ ||ninja.onap.io^ -||nitropay.com/nads/$third-party +||nitrous-analytics.s3.amazonaws.com^ +||noa.yahoo.com^ +||noflake-aggregator-http.narvar.com^ +||nojscontainer.pepperjam.com^$third-party ||nol.yahoo.com^ -||nonxt1.c.youtube.com^$third-party +||nosto.com/analytics/ +||notyf.com/pixel/ ||nova.dice.net^ +||nr.static.mmcdn.com^ ||ns-cdn.com^*/ns_vmtag.js ||ns.rvmkitt.com^ -||nsdsvc.com/scripts/action-tracker.js -||nspmotion.com/tracking/ ||nude.hu/html/track.js -||o.addthis.com^ +||nvidia.partners/telemetry/ +||nwr.static.mmcdn.com^ ||o.aolcdn.com/js/mg1.js +||observe-nexus.pointandplace.com^ ||observer.ip-label.net^ -||ocp.cnettv.com^*/Request.jsp? +||obseu.netgreencolumn.com^ +||ocmail1.in/rtw/$image +||oct8ne.com/Visitor/ +||octaneai.com^*/utrk ||octopart-analytics.com^$third-party ||oda.markitondemand.com^ -||oddcast.com/event.php?$object-subrequest -||odnaknopka.ru/stat.js -||offermatica.intuit.com^ -||offers.keynote.com^$third-party +||odysee.com/api/v1/metric/ +||odysee.com/log/ ||ohnorobot.com/verify.pl? -||om.1and1.co.uk^ -||om.rogersmedia.com^ +||olytics.omeda.com^ +||ondigitalocean.app/insight-analytics.js +||one.store/v1/analytics/ +||onecount.net/onecount/oc_track/ ||onescreen.net/os/static/pixels/ +||onesignal.com/api/v*/apps/ +||onesignal.com/api/v1/sync/ +||onesignal.com/sdks/OneSignalSDKStyles +||onesignal.com/sdks/OneSignalSDKWorker +||onesignal.com/webPushAnalytics ||onespot-tracking.herokuapp.com^ ||onet.pl/eclk/ ||onet.pl^*/tags? +||onetrust.com^$ping ||onsugar.com/static/ck.php? +||ontraport.com/track.php +||ontraport.com/tracking.js +||oo-syringe.com/prod/moat.js ||ooyala.com/3rdparty/comscore_ ||ooyala.com/authorized?analytics ||ooyala.com/sas/analytics? ||ooyala.com/verify? ||ooyala.com^*/report?log -||open.delivery.net^ -||optimera.elasticbeanstalk.com^ -||optimizely.appspot.com^$third-party +||openxcdn.net^$third-party +||opinary.com/v1/events +||optimeeze.appspot.com^ +||optmn.cloud/hb/ ||ora.tv/j/ora_evttracking.js +||orb.ee/collect +||ordergroove.com/log/offer? +||organicfruitapps.com/analytics/ ||orts.wixawin.com^$third-party +||osano.com/js/?action_name= +||otg.mblycdn.com/bundles/cmp.js +||outbrain.com/nanoWidget/externals/cookie/ +||outbrain.com/widgetOBUserSync/ +||outbrain.com^$third-party ||outbrain.com^*/widgetStatistics.js -||p.adbrn.com^ -||p.delivery.net^$third-party -||p.dsero.net^ -||p.po.st/p?pub= -||p.po.st/p?t=view&$third-party -||p.po.st^*&pub= -||p.po.st^*&vguid= -||p.travelsmarter.net^ +||p.cquotient.com^ +||p.metrilo.com^ +||p.placed.com^ +||p.skimresources.com^ +||p.typekit.net^ ||p.yotpo.com^ ||p0.com/1x1 ||paddle.com^*/analytics.js +||page-events-ustats.udemy.com^ +||pagecloud.com/event +||pagefly.io/pagefly/core/analytics.js ||pages-stats.rbl.ms^ +||pagesense-collect.zoho.com^ +||pagesocket.glam.com^ ||pageturnpro.com/tracker.aspx? -||pageview.goroost.com^ ||pair.com/itero/tracker_ftc/ -||partner.cynapse.com^ +||panorama.wixapps.net^ +||pap.qualityunit.com^$third-party +||parallax.askmediagroup.com^ +||paramount.tech/lookup/ +||parkwhiz.com/events/ +||parsely.com/keys/$script,third-party ||partners.etoro.com^$script -||partners.thefilter.com^ -||partypoker.com^*/tracking- -||passport.pfn.bz^ +||patreon.com/api/tracking ||payments-amazon.com^*/analytics.js ||payments.amazon.com/cs/uedata +||paypal.com/ptrk/ +||paypal.com/webapps/mch/cmd/? +||paypal.com/xoplatform/logger/api/logger ||paypal.com^*/pixel.gif$third-party ||paypalobjects.com^*/pixel.gif -||pcmag.com/tview/$image +||pbjs-stream.bydata.com^ +||pc161021.com/scripts/noui/eventlogger.js +||pc161021.com/scripts/noui/StatProvider.js ||pcrl.co/js/jstracker.min.js -||pebed.dm.gg^ -||peermapcontent.affino.com^ +||pega.com/logserver +||pegasus.unifygroup.com^ ||penton.com/analytics/ -||performance.typekit.net^$third-party +||perf-events.cloud.unity3d.com^ +||perf.hsforms.com^ +||perfops.net/rom3/ ||performgroup.com/metrics/ -||perr.h-cdn.com^$third-party -||petitionermaster.appspot.com^ -||pf.aclst.com^$third-party -||pg.buzzfeed.com^ -||phantom.nudgespot.com^$third-party -||phncdn.com/js/ssig_helper.js -||phoenix.untd.com^ +||perimeterx.net/api/v1/collector/ +||perr.h-cdn.com^ +||perso.aws.arc.pub^ +||petametrics.com^$domain=meidastouch.com +||petametrics.com^$image,third-party,xmlhttprequest +||pets.channeladvisor.com^ +||photobox.com/event +||photobox.com/logs ||phrasetech.com/api/collect -||piano-media.com/auth/index.php? -||piano-media.com/bucket/novosense.swf$third-party -||piano-media.com/ping -||piano-media.com/uid/$third-party +||pi.ispot.tv^ +||pi.pardot.com/analytics? +||piano.io/api/v3/customform/log/impression ||piano.io/tracker/ -||pianomedia.biz/uid/$script -||ping-dot-acp-magento.appspot.com^ -||ping.aclst.com^ +||pico.tools/metrics/ +||pikapod.net/script.js +||ping-admin.ru^$third-party ||ping.dozuki.com^ -||ping.hellobar.com^ -||ping.rasset.ie^ -||ping.smyte.com^ ||pings.conviva.com^ -||pings.reembed.com^ ||pings.vidpulse.com^ ||pipe-collect.ebu.io^ ||pipedream.wistia.com^ -||pix.impdesk.com^ +||pix.hyj.mobi^ +||pix.revjet.com^ ||pix.speedbit.com^$third-party +||pix.spot.im^ ||pixel-a.basis.net^ -||pixel-xpanama.netdna-ssl.com^ -||pixel.cdnwidget.com^ -||pixel.colorupmedia.com^ +||pixel.ampry.com^ +||pixel.anyclip.com^ +||pixel.archipro.co.nz^ +||pixel.blivenyc.com^ +||pixel.byspotify.com^ ||pixel.condenastdigital.com^ -||pixel.fanbridge.com^ -||pixel.glimr.io^ -||pixel.indieclicktv.com/annonymous/ +||pixel.driveniq.com^ +||pixel.embed.su^ +||pixel.fohr.co^ +||pixel.lilystyle.ai^ +||pixel.locker2.com^ +||pixel.mintigo.com^ +||pixel.mtrcs.samba.tv^ ||pixel.newscred.com^ -||pixel.newsdata.com.au^ +||pixel.redgifs.com^ ||pixel.roymorgan.com^ ||pixel.s3xified.com^ -||pixel.solvemedia.com^ +||pixel.safe-installation.com^ ||pixel.sprinklr.com^ -||pixel.tree.com^ -||pixel.usrsync.com^ -||pixel.vmm-satellite2.com^ +||pixel.videohub.tv^ ||pixel.wp.com^ -||pixel.xmladfeed.com^$third-party ||pixel.yabidos.com^ ||pixel.yola.com^ -||pixels.youknowbest.com^$third-party -||pixhosting.com/ct/jct.php? -||planet49.com/log/ -||platform.communicatorcorp.com^$third-party -||platform.twitter.com/impressions.js$third-party +||pixels.afcdn.com^ +||pixlee.com/assets/fp.js +||pixlee.com/assets/keen- +||pixlee.com/assets/pixlee_events.js +||pl.connatix.com^ +||pla.fwdcdn.com^ +||platform.iteratehq.com^ +||platform.twitter.com/impressions.js +||plausible.io/js/p.js +||plausible.io/js/plausible. +||plausible.server.hakai.app^ +||plausibleio.workers.dev^$third-party +||play.adtonos.com^ +||play.ht/views/ +||player-metrics.instaread.co^ ||player.ooyala.com/errors/report? +||playhop.com/clck/ ||playtomic.com/Tracker/ ||plista.com/activity -||plugins.longtailvideo.com/googlytics -||plugins.longtailvideo.com/yourlytics -||pmetrics.performancing.com^ -||pong.production.gannettdigital.com^ -||pornhost.com/count_hit_player.php +||pm.boostintegrated.com^ +||pmi.flowplayer.com^ +||pn.ybp.yahoo.com/ab/secure/true/imp/ +||poool.fr/api/v3/access/event +||popup-static.unisender.com^ +||porpoise.azettl.net^ ||postageapp.com/receipt/$third-party -||postpixel.vindicosuite.com^ -||postquare.com^*/event.json? ||poweredbyeden.com/widget/tracker/ -||powersearch.us.com^ ||ppx.com/tracking/ +||pr-bh.ybp.yahoo.com^ ||pr.blogflux.com^ -||prd-collector-anon.playbuzz.com^ +||prd-collector-anon.ex.co^ +||prd-collector-platform.ex.co^ +||presspage.com/statistics/ +||prf.vagnt.com^ ||pricespider.com/impression/ ||primedia.co.za/analytics/ -||print2webcorp.com/mkt3/_js/p2w_tracker.js +||primer.typekit.net^$xmlhttprequest ||prism.app-us1.com^$script,third-party -||privacytool.org/AnonymityChecker/js/fontdetect.js$third-party -||production-eqbc.lvp.llnw.net^ -||production-mcs.lvp.llnw.net^ -||production.mcs.delve.cust.lldns.net^ -||project-syndicate.org/fwat.js -||projecthaile.com/js/trb-1.js -||projop.dnsalias.com^$third-party -||propelplus.com/track/$third-party -||providence.voxmedia.com^$third-party -||proxify.com/xyz.php$third-party -||prstats.postrelease.com^ +||prismaconnect.fr/prd/ping +||privacy-center.org^*/events +||privacy.outdoorsg.com^ +||processor.asccommunications.com^ +||prod.benchmarkemail.com/tracker.bundle.js +||prod.ew.srp.navigacloud.com^ +||prod.fennec.atp.fox^ +||prodregistryv2.org^ +||propps.com/v1/referrer/ +||providesupport.com/cmd/$image +||proxy.dzeio.com^ +||proxy.trysavvy.com^ +||proxycheck.io/v2/ ||pswec.com/px/$third-party ||pt.crossmediaservices.com^ ||pt.ispot.tv^ -||ptracker.nurturehq.com^ ||ptsc.shoplocal.com^ +||pub.pixels.ai/metrics-lib.js ||pub.sheknows.com^ -||pubexchange.com/modules/partner/$script,third-party +||pubimgs.net/main.gif? +||public.cobrowse.oraclecloud.com/rely/storage/ +||public.fbot.me/track/ ||publicbroadcasting.net/analytics/ -||publish.pizzazzemail.com^$third-party +||pulse.shopflo.com^ ||purevideo.com^*/pvshim.gif? ||pushly.com/pushly-event-tracker +||pushpro.io/api/logging/ ||pussy.org^*.cgi?pid= ||pussy.org^*/track.php -||px.247inc.net^ -||px.dynamicyield.com^$third-party -||px.excitedigitalmedia.com^ +||px-cdn.net/b/ +||px-cdn.net^*/collector +||px-cloud.net/b/s ||px.marchex.io^ +||px.mountain.com^ ||px.owneriq.net^ -||px.reactrmod.com^ -||px.spiceworks.com^ -||px.topspin.net^ -||pxlgnpgecom-a.akamaihd.net^ +||pxchk.net/b/s +||pylon.micstatic.com^ ||qcloud.com/report.go? -||qlog.adap.tv^$object-subrequest -||qos.video.yimg.com^ -||qq.com/code.cgi? ||qq.com/collect? ||qq.com/dataimport/ ||qq.com/heatmap/ ||qq.com/ping.js? ||qq.com/stats? +||quadpay.com/analytics/ +||qualifioapp.com/egw/events +||qualtrics.com/jfe/$script,third-party +||qualtrics.com/sie/$script,third-party ||qualtrics.com/WRSiteInterceptEngine/?Q_Impress=$third-party ||qualtrics.com^*/metrics +||quantcast.com/?log +||quantcast.mgr.consensu.org/?log ||qubitanalytics.appspot.com^ +||query1.petametrics.com^ ||quisma.com/tracking/ ||quora.com/_/ad/ ||quora.com/qevents.js -||r.mail.ru^ -||r.msn.com^ -||r.ypcdn.com^*/rtd?ptid$image -||ra.ripple6.com^ -||rackcdn.com/easie.js -||rackcdn.com/icon2.gif? -||rackcdn.com/knotice.api.js +||qzzr.com/_uid.gif +||r.mail.ru^$script +||r.skimresources.com^ +||r.stripe.com^$script,xmlhttprequest +||rackcdn.com/gate.js ||rackcdn.com/stf.js -||rackcdn.com^$script,domain=barrons.com|buysubscriptions.com|cbsnews.com|cbssports.com|cnet.com|cnetfrance.fr|dailystar.co.uk|express.co.uk|gamerant.com|gamespot.com|giantbomb.com|inyt.com|metacritic.com|metrolyrics.com|page3.com|rotoworld.com|scout.com|sh.st|thesun.co.uk|thesun.ie|thesundaytimes.co.uk|thetimes.co.uk|tv.com|tvguide.com|zdnet.com -||rackcdn.com^*/analytics.js ||radiotime.com/Report.ashx? ||radiotime.com/reports/ +||rakanto.com/cx_collector/ ||ramp.purch.com^ +||rampjs-cdn.system1.com^ +||rapidspike.com/performance/ +||rapidspike.com/static/js/timingpcg.min.js ||raygun.io/events? ||rbl.ms/res/users/tracking/ -||rc.rlcdn.com^ -||readcube.com/tracking/ -||realplayer.com^*/pixel? -||realtidbits.com^*/analytics.js -||recs.atgsvcs.com^$third-party +||reach-id.orbit.tm-awx.com^ +||readcube.com/assets/track_ +||realm.hearst3pcc.com^ +||rebelmouse.com/pharos/ +||recart.com/tracking/ +||receive.wmcdp.io^ +||recipefy.net/analytics.js +||recs-api.conde.digital^ +||recs.richrelevance.com/rrserver/api/engage/trackExperienceEvent? +||recs.shareaholic.com^ +||recurly.com/js/v1/events +||redditsave.com/api/event ||redditstatic.com/ads/pixel.js -||redir.widdit.com^$third-party -||redplum.com^*&pixid=$third-party -||reevoo.com/assets/ga.$script -||reevoo.com/track/ +||redfast.com/ping/ ||reevoo.com/track_url/ -||reevoo.com^*/track/ +||refer.wordpress.com^ ||referrer.disqus.com^ -||relap.io^*/head.js? +||reflow.tv/pixels/ +||rejoiner.com/tracker/ ||relaymedia.com/ping?$third-party -||replyat.com/gadgetpagecounter*.asp? -||report.downloastar.com^ -||reporting.handll.net^ -||reporting.reactlite.com^$third-party +||removeads.workers.dev^ +||replit.app/tap/ +||replyat.com/gadgetpagecounter.asp? +||report.error-report.com^$subdocument +||reporting-api.gannettinnovation.com^ +||reporting.cdndex.io^ ||reporting.singlefeed.com^ -||reportinglogger.my.rightster.com^ -||reports.maxperview.com^ -||reports.pagesuite-professional.co.uk^ -||reports.tstlabs.co.uk^ +||reports-api.sqreen.io^ +||reports.hibu.com^ +||reports.sdiapi.com^ ||res.rbl.ms^ -||researchintel.com^$third-party -||response.pure360.com^ +||rest.wildstar-online.com^ +||retail-client-events-service.internal.salsify.com/events +||retargeting.newsmanapp.com^ ||reverbnation.com/widgets/trk/ -||rhapsody.com^*/pixel? -||ria.ru/js/counter.js -||rich-agent.s3.amazonaws.com^ +||rfksrv.com/rfk/$third-party +||rfksrv.com/rfkj/$image ||richrelevance.com/rrserver/tracking? -||rlinks.one.in^ -||rndntpmgnj-a.akamaihd.net/NA2L50A6M.js +||rltd.io/tags/ +||roadster.com/roadster_dealer_analytics ||rodale.com/ga/ -||rodalenl.com/imp?$third-party -||roitrack.addlvr.com^ -||rokt.com/pixel/ -||royalecms.com/statistics.php? +||roomvo.com/services/event/ +||route.com/collect +||routeapp.io/route-analytics/ ||rs.sinajs.cn^ -||rss.tmgrup.com.tr^ -||rtt.campanja.com^ -||ru4.com/click? -||rva.outbrain.com^ -||s-microsoft.com/mscc/ -||s-vop.sundaysky.com^$third-party -||s.clickability.com^ -||s.sniphub.com^ -||s24cloud.net/log^ -||s24cloud.net/metrics/ -||s3-tracking.synthasite.net.s3.amazonaws.com^ -||s5labs.io/common/i?impressionId$image -||saaspire.net/pxl/$third-party -||sadv.dadapro.com^$third-party +||rt.flix360.com^ +||rtc.hibuwebsites.com/feature/metrics +||rtc.multiscreensite.com^ +||rtxpx-a.akamaihd.net^ +||rum.azion.com^ +||rum.azioncdn.net^ +||rum.corewebvitals.io^ +||rum.hlx.page^ +||rum.ingress.layer0.co^ +||rum.layer0.co^ +||rum.perfops.net^ +||rum.uptime.com^ +||rumstat.cdnvideo.ru^ +||run.app/data.log +||run.app/metrics/ +||rw.marchex.io^ +||s-microsoft.com/mscc/$~stylesheet +||s.autopilotapp.com^ +||s.beop.io^ +||s.logsss.com^ +||s.pinimg.com/ct/core.js +||s.srvsynd.com^ +||s.vibe.co^ +||s3.amazonaws.com/www.audiencenetwork.ai/ +||sa.scorpion.co^ +||saasexch.com/bapi/fe/usd/report/ +||safe-iplay.com/logger +||sail-horizon.com/horizon/$third-party +||sailthru.com/Sailthru_spacer_1x1.gif +||sajari.com/js/sj.js$third-party +||salescs.com/liveagent/scripts/track.js ||salesforce.com/sfga.js -||sana.newsinc.com^ +||salesloft.com/sl.js +||salesmartly.com/client/log/ +||salesmartly.com/client/station/log? +||sascdn.com/mh_audience/ ||sawpf.com/1.0.js$third-party ||saymedia.com/latest/tetrapak.js +||scatec.io/collect +||schemaapp.com/pagecount ||schibsted.com/autoTracker -||scout.haymarketmedia.com^$third-party +||sciencex.com/api/location/ +||scout.salesloft.com/r?tid= +||scout.us2.salesloft.com^$image +||scribd.com/api/v1/events ||scribol.com/traffix/widget_tracker/ +||script-api.kinja.com/script? ||scripts.psyma.com^ +||scripts.swifteq.com/hc_events.js +||sd-tagging.azurefd.net^ +||sdiapi.com/reporter/ +||sdk.51.la^$third-party ||sdrive.skoda-auto.com^ -||search.mediatarget.net^$third-party +||sdtagging.azureedge.net^ ||searchcompletion.com/BannerHandler.ashx -||searchmaestros.com/trackpoint/ -||searchstats.usa.gov^ -||secure.ed4.net/GSI/$third-party +||secure-stats.pingdom.com^ ||secure.ifbyphone.com^$third-party +||secure.merchantadvantage.com^ ||secureprovide1.com/*=tracking$image +||secureserver.net/t/ ||seg.sharethis.com^ ||segments.adap.tv^$third-party -||sendtonews.com/player/loggingajax.php? -||sendtonews.com^*/data_logging.php +||sendtonews.com/stn_trk.gif? +||sermoncloud.com/logger/ +||service.trustpid.com^ ||session.timecommerce.net^ +||sessions.embeddables.com^ +||sexhd.pics/x/x.js +||sezzle.com/v1/event/log +||sfstatic.net/build/js/basicMetricsTracking. ||sftrack.searchforce.net^ +||sgali-mcs.byteoversea.com^ ||share-online.biz/affiliate/$third-party ||shareaholic.com/analytics_ ||shareaholic.com/partners.js @@ -10560,659 +11320,1054 @@ _mongo_stats/ ||shareit.com/affiliate.html$third-party ||sharethis.com/increment_clicks? ||sharethis.com/pageviews? -||shopify.com/*/page?*&eventType= +||shopify-gtm-suite.getelevar.com/getelevar/*/dl-web-pixel-lax-custom.js +||shopify.com/shopifycloud/consent-tracking-api/ +||shopify.com/shopifycloud/web-pixels-manager/ +||shoplift.ai/api/events/ ||shoplocal.com/it.ashx? -||shoprunner.com^*/record? -||sig.atdmt.com^ -||sig.gamerdna.com^$third-party -||sightmaxondemand.com/wreal/sightmaxagentinterface/monitor.smjs -||signup.advance.net^*affiliate +||shopnetic.com^$third-party +||shorthand.com/analytics/ +||showstopped.com/owa/log.php +||showstopped.com/owa/modules/base/dist/owa.tracker.js +||shrtfly.vip/js/tag.js ||sinajs.cn/open/analytics/ ||sitebooster.com/sb/wix/p?$third-party -||sitereports.officelive.com^ -||skimresources.com/api/ref-banners.js +||sitefinity.com/collect/ +||sitescdn.net/ytag/ytag.min.js +||skeepers.io/data/collect +||skypack.dev/@amplitude/ ||skysa.com/tracker/ +||slackb.com^ +||slgnt.us/track ||sli-spark.com/b.png$third-party ||slidedeck.com^$image,third-party +||smart-data-systems.com^ ||smartertravel.com/ext/pixel/ +||smarthint.co/Scripts/i/SmartHintTrack.Full.min.js +||smarthint.co/track/ ||smrt.as^ +||snapkit.com/v1/sdk/metrics/ ||snaps.vidiemi.com^$third-party -||snazzyspace.com/generators/viewer-counter/counter.php$third-party +||snowplow.swm.digital^ +||snowplowjs.darwin.cx^ ||soccer.ru/counter/ -||socialreader.com^*?event=email_open^$image -||sohu.com/stat/ -||sohu.com^*/cookie? -||soundcloud.com^*/plays?referer= +||socialannex.com/c-sale-track/$script +||solutions.invocacdn.com^ +||souisa.com/analytics/ +||soundestlink.com/rest/forms/v2/track/ ||sourceforge.net/tracker/$~xmlhttprequest -||southafricahome.com/statsmodulev2/ -||spacedust.netmediaeurope.com^ -||spaceprogram.com/webstats/ +||sp-wukong-tracker.b-cdn.net^ +||sp.tinymce.com^ +||spa-tracker.spapi.io^ ||sparklit.com/counter/ -||speedtestbeta.com/*.gif?cb$third-party +||speedtest.dailymotion.com/latencies.js ||speedtrap.shopdirect.com^ -||spoods.rce.veeseo.com^ -||spot.im/api/tracker/ -||spot.im^*/pixel? +||spindl.link/events +||spiral.world/events/ +||splunkcloud.com/services/collector/ +||spot.im/v1.0.0/conversation/realtime/read +||spotpass.com/api/log ||spread.ly^*/statistics.php +||spresso.com/pim/public/events +||squarecdn.com/square-marketplace-js/chunk-analytics-vendors.js +||squarecdn.com/square-marketplace-js/chunk-analytics.js +||squarespace.com/universal/scripts-compressed/performance-$script,third-party +||src.freshmarketer.in^ ||srvmath.com^*/analytics.js -||ssl-images-amazon.com/images/*/common/1x1._*.gif$domain=~amazon.com +||ssa.stepstone.com^ +||ssc.shopstyle.com/collective.min.js +||ssl-images-amazon.com/images/I/31YXrY93hfL.js$domain=imdb.com +||ssr.streamrail.net^ ||st.cdnco.us^ -||stat.boredomtherapy.com^ -||stat.easydate.biz^ -||stat.ed.cupidplc.com^ -||stat.itp-nyc.com^ +||st.linkfire.com^ +||staging-pt.ispot.tv^ +||starman.fathomdns.com^ +||stas.outbrain.com^ +||stat.absolutist.com^ +||stat.glaze.ai^ ||stat.mixi.media^ -||stat.php-d.com^ -||stat.pladform.ru^ +||stat.moevideo.net^ +||stat.mydaddy.cc^ ||stat.segitek.hu^ -||stat.to.cupidplc.com^$third-party +||stat.testme.cloud^ +||stat.u.sb^ ||stat.web-regie.com^ ||statdb.pressflex.com^ +||static-tracking.klaviyo.com^ +||static.fengkongcloud.com^ ||static.parsely.com^$third-party -||statistics.infowap.info^ -||statistics.m0lxcdn.kukuplay.com^$third-party +||staticmoly.me/metric.php ||statistics.tattermedia.com^ ||statistics.wibiya.com^ -||statking.net^*/count.js ||statm.the-adult-company.com^ +||stats-bq.stylight.net^ +||stats-dev.brid.tv^ ||stats-messages.gifs.com^ ||stats-newyork1.bloxcms.com^ ||stats.big-boards.com^ ||stats.bitgravity.com^ ||stats.bluebillywig.com^ -||stats.cdn.pfn.bz^ -||stats.cdn.playfair.co.za^ -||stats.clickability.com^ -||stats.clipprtv.com^$third-party -||stats.cloudwp.io^ +||stats.bradmax.com^ +||stats.bunkr.ru^ +||stats.callnowbutton.com^ ||stats.cmcigroup.com^ -||stats.cnevids.com^ -||stats.complex.com^ +||stats.curds.io^ ||stats.datahjaelp.net^ -||stats.dice.com^ -||stats.directnic.com^ ||stats.edicy.com^ -||stats.free-rein.net^ -||stats.g.doubleclick.net^ -||stats.geegain.com^ +||stats.esecured.net^ +||stats.externulls.com^$domain=beeg.com +||stats.flixhq.live^ +||stats.fomo.com^ ||stats.gifs.com^ ||stats.heyoya.com^ -||stats.highwire.com^ -||stats.indexstats.com^ ||stats.inergizedigitalmedia.com^ ||stats.itweb.co.za^ ||stats.kaltura.com^ -||stats.lightningcast.net^ -||stats.load.com^ +||stats.ksearchnet.com^ +||stats.live-video.net^$domain=kick.com +||stats.locallabs.com^ ||stats.lotlinx.com^ -||stats.magnify.net^ -||stats.manticoretechnology.com^ ||stats.mituyu.com^ +||stats.mpthemes.net^ ||stats.nebula.fi^ ||stats.netbopdev.co.uk^ +||stats.netdriven.com^ ||stats.olark.com^ -||stats.ombx.io^ -||stats.openload.co^ ||stats.ozwebsites.biz^ +||stats.phoenix-widget.com^ ||stats.polldaddy.com^ -||stats.qmerce.com^ -||stats.ref2000.com^ +||stats.prebytes.com^ +||stats.pusher.com^ +||stats.pushloop.io^ ||stats.sa-as.com^ ||stats.sawlive.tv^ -||stats.screenresolution.org/get.php$image,third-party +||stats.screenresolution.org^ ||stats.shopify.com^ ||stats.smartclip.net^ -||stats.snacktools.net^ -||stats.snappytv.com^ -||stats.solidopinion.com^ -||stats.staging.suite101.com^ -||stats.surfaid.ihost.com^ -||stats.svpply.com^ ||stats.topofblogs.com^ -||stats.twistage.com^ +||stats.uscreen.io^ +||stats.varrando.com^ ||stats.viddler.com^ -||stats.vodpod.com^ ||stats.webs.com^ ||stats.webstarts.com^$third-party -||stats.whicdn.com^$third-party ||stats.wp.com^ -||stats.yme.com^ -||stats.yourminis.com^ +||stats.wpmucdn.com^ ||stats.zotabox.com^ -||stats1.tune.pk^ -||stats2.lightningcast.net^ -||stats2.tune.pk^ -||stats3.unrulymedia.com^ +||stats2.indianpornempire.com^ ||statsadv.dadapro.com^$third-party ||statsapi.screen9.com^ -||statsd.zmags.com^ -||statsdev.treesd.com^ -||statsrv.451.com^ +||statscollector-1.agora.io^ +||statscollector.sd-rtn.com^ +||statsig.anthropic.com^ +||statsjs.klevu.com^ ||statt-collect.herokuapp.com^ ||stg-data-collector.playbuzz.com^ +||stg.truvidplayer.com/*/v.php?st= ||stileproject.com/vhtk/ -||storage.data-vp.com/vp/t.js +||storage.googleapis.com/afs-prod/tags +||storage.googleapis.com/nchq-dj-nid/prod/sp_v1.js +||storage.googleapis.com/snowplow-cto-office-tracker-bucket/ +||storage.googleapis.com/tm-frend-graffiti/ +||storage.syncmedia.io/libs/sm_capture_ +||stream-log.dditscdn.com^ ||streamads.com/view? +||streamoptim.com/log.js +||streamoptim.com/log/report? +||streams.cablecar.sph.com.sg^ +||streamtheworld.com/imp? ||stripe.com/?event= -||su.addthis.com^ +||sts.eccmp.com^ +||stylitics.com/api/engagements ||su.pr/hosted_js$third-party -||sugarops.com/w?action=impression$third-party ||sulia.com/papi/sulia_partner.js/$third-party -||sumo.com/api/event/ -||sumo.com/apps/heatmaps/ -||sumome.com/api/event/? -||sumome.com/apps/heatmaps/ -||sundaysky.com/sst.gif? -||sundaysky.com/vop/$third-party +||sunlightmetrics.b-cdn.net^ +||sunset.com/tia/ +||surfshark.events^ +||surfside.io/event/ ||survey.interquest.com^ -||survey.io/log? +||surveymonkey.com/resp/api/metrics ||surveywall-api.survata.com^$third-party +||svc.dynamics.com/f/m/$third-party +||svc.dynamics.com/t/w$third-party +||svibeacon.onezapp.com^ +||swarm.video/j79z9kzty.js +||swarm.video/track/ ||swiftypecdn.com/cc.js$third-party ||swiftypecdn.com/te.js$third-party -||synapsys.us^*.gif? -||synapsys.us^*/tracker.js ||sync.adap.tv^ ||synergizeonline.net/trackpoint/ -||systemmonitoring.badgeville.com^ -||t-staging.powerreviews.com^ +||system-beta.b-cdn.net^ +||syteapi.com/et? +||t.360playvid.info^ +||t.91syun.com^ ||t.a3cloud.net^ -||t.beopinion.com^ +||t.adx.opera.com^ +||t.arcade.show^ +||t.auditedmedia.org.au^ +||t.beop.io^ ||t.bimvid.com^ -||t.brand-server.com^ +||t.buyist.app^ ||t.c4tw.net^ +||t.castle.io^ ||t.cfjump.com^ -||t.devnet.com^$third-party +||t.channeladvisor.com^ +||t.clic2buy.com^ +||t.cometlytrack.com^ +||t.commandbar.com^ ||t.dgm-au.com^$third-party -||t.flux.com^ +||t.enuygun.com^ +||t.fullres.net^ +||t.ghostboard.io^ +||t.id.net/log +||t.irtyc.com^ +||t.jobsyn.org^ ||t.mail.sony-europe.com/r/? ||t.menepe.com^ +||t.metrilo.com^ +||t.pointandplace.com^ ||t.powerreviews.com^$third-party -||t.pswec.com^ -||t.purch.com^ -||t.sgc.io^ +||t.raptorsmartadvisor.com^ +||t.rentcafe.com^ +||t.screeb.app^ ||t.sharethis.com^ +||t.signalayer.com^ +||t.skimresources.com^ ||t.smile.eu^ -||t.theoutplay.com^ -||t.ymlp275.net^$third-party +||t.spbx.app^ +||t.splicky.com^ +||t.spot.im^ ||t2.t2b.click^ -||taboola.com/tb? -||taboola.com^*/log/ -||taboola.com^*/notify-impression?$third-party -||taboolasyndication.com/log/ -||taboolasyndication.com^*/log/ -||tag-abe.cartrawler.com^ +||taboola.com^$third-party +||taboolasyndication.com^$third-party +||tag-manager.playbuzz.com^ ||tag.aticdn.net^ +||tag.atom.gamedistribution.com^ +||tag.aumago.com^ ||tag.brandcdn.com^ -||tag.email-attitude.com^ +||tag.digops.sincro.io^ +||tag.elevaate.io^ +||tag.flagship.io^ +||tag.imagino.com^ +||tag.lexer.io^ +||tag.mtrcs.samba.tv^ ||tag.myplay.com^ -||tag.sonymusic.com^ -||tagcdn.com/pix/? +||tag.pearldiver.io^ +||tag.rightmessage.com^ +||tag.rmp.rakuten.com^ +||tag.statshop.fr^ ||tagger.opecloud.com^ -||tags.cdn.circlesix.co^ +||taggstar.com^*/taggstar.min.js +||tags.catapultx.com^ +||tags.dxmdp.com^ +||tags.fullcontact.com^ ||tags.master-perf-tools.com^ -||tags.newscgp.com^ -||target.fark.com^ +||tagtracking.vibescm.com^ ||target.mixi.media^ -||targeting.*.arcpublishing.com^ -||targeting.wpdigital.net^ -||tc.airfrance.com^ -||tcheck.outbrainimg.com^ -||te.supportfreecontent.com^ +||tarteaucitron.io/log/ +||tatadigital.com/analytics-engine/ +||technolutions.net/ping? ||technorati.com/technoratimedia-pixel.js +||techtarget.com^*/GetCookiesWithCallback? ||techweb.com/beacon/ +||telemetrics.klaviyo.com^ +||telemetry.goodlifefitness.com^ +||telemetry.phenixrts.com^ ||telemetry.reembed.com^ +||telemetry.smartframe.io^ ||telemetry.soundcloud.com^ +||telemetry.tableausoftware.com^ +||telemetry.vtex.com^ +||terabox.com/api/analytics? +||terabox.fun/api/analytics +||terabox.fun/api/getsyscfg?*web_share_ads_adsterra_config +||test.takedwn.ws^ +||th.bing.com/th/*&riu=$image,third-party ||the-group.net/aether/ -||thefilter.com^*?extanonid=$~script -||themesltd.com/hit-counter/$third-party ||themesltd.com/online-users-counter/$third-party ||theoplayer.com/t? -||thepornstarlist.com/lo/lo/track.php? -||thespringbox.com/analytics/ -||thetradedesk-tags.s3.amazonaws.com^ -||thinairsoftware.net/OWYPTracker.aspx? -||thismoment.com/tracking/ -||threadloom.com/ga/$script,third-party +||threadloom.com/ga/ +||threedy.ai/api/event/ ||thron.com/shared/plugins/tracking/ -||thron.com^*/trackingLibrary.swf -||timeinc.net^*/peopleas2artracker_v1.swf +||tickaroo.com/api/collect/ +||tiktokv.com/web/report? +||tildacdn.com/pixel.png +||timejs.game.163.com^ +||tinybird.co/v0/events? +||tinypass.com/checkout/offer/trackShow ||tinypass.com^*/track? ||tinyurl.com/pixel.gif/ +||tk.pathmonk.com^ +||tkx.mp.lura.live/rest/v2/server_time ||tl.tradetracker.net^ -||tm-awx.com/felix.min.js +||tm-awx.com/pageview ||tm.tradetracker.net^ ||tm.vendemore.com^ +||tmp.argusplatform.com/js/wid.tracker.js +||tms.fmm.io^ +||tmtarget.com/tracking/ +||to.getnitropack.com^ +||toast.com/log +||toast.com/sendid? ||top-fwz1.mail.ru^ ||topix.net/t6track/ -||totallylayouts.com/hit-counter/$third-party -||totallylayouts.com/online-users-counter/$third-party -||totallylayouts.com^*/users-online-counter/online.js -||totallylayouts.com^*/visitor-counter/counter.js +||totallylayouts.com/tumblr/visitor-counter/counter.js ||touchcommerce.com/tagserver/logging/ ||tourradar.com/def/partner?$third-party ||tout.com/tracker.js -||tower.moviepilot.com^ -||tr-metrics.loomia.com^ -||tr.advance.net^ +||tpx.tesseradigital.com^ +||tr-op.datatrics.com^ ||tr.cloud-media.fr^ -||tr.connatix.com^ -||tr.interlake.net^ +||tr.datatrics.com^ +||tr.marsflag.com^ +||tr.outbrain.com^ +||tr.snapchat.com^ +||tr.vitals.co^ ||tr.webantenna.info^ -||tr1.mailperformance.com^ -||trace.qq.com^$third-party -||track.99acres.com^ -||track.addevent.com^ +||tra.scds.pmdstatic.net/sourcepoint/ +||traccoon.intellectsoft.net^ +||trace.swaven.com^ +||track-dark-bz.b-cdn.net^ +||track.360playvid.info^ +||track.91app.io^ ||track.atgstores.com^$third-party -||track.atom-data.io^ ||track.bannedcelebs.com^ -||track.cafemomstatic.com^ -||track.captivate.ai^ +||track.btdmp.com^ +||track.coherentpath.com^ ||track.contently.com^ ||track.cordial.io^ -||track.did-it.com^ ||track.digitalriver.com^ -||track.dzloans.com^ -||track.g-bot.net^ -||track.gridlockparadise.com^ +||track.emerse.com^ +||track.hubspot.com^ +||track.hydro.online^ ||track.juno.com^ -||track.kandle.org^ -||track.leadin.com^ +||track.kinetiksoft.com^ ||track.mailerlite.com^ -||track.mobicast.io^ -||track.mybloglog.com^ +||track.mituo.cn^ +||track.mp4.center^ ||track.mycliplister.com^ -||track.omg2.com^ -||track.parse.ly^ -||track.prezna.com^ +||track.nopaperforms.com^ ||track.pricespider.com^ -||track.propelplus.com^ -||track.qcri.org^ ||track.qoof.com^ -||track.redirecting2.net^ -||track.ringcentral.com^ -||track.sauce.ly^ ||track.searchignite.com^ -||track.securedvisit.com^ +||track.searchiq.co^ ||track.shop2market.com^ -||track.sigfig.com^ ||track.sitetag.us^ ||track.social.com^ -||track.spots.im^ -||track.sprinklecontent.com^ ||track.strife.com^ -||track.tcppu.com^ ||track.td3x.com^ ||track.uc.cn^ ||track.untd.com^ +||track.uppromote.com^ +||track.us.org^ +||track.venatusmedia.com^ ||track.vscash.com^ -||track.written.com^ ||track.yfret.com^ ||track.yieldsoftware.com^ +||track.zappos.com^ +||trackdesk.com/tracking.js +||tracker-dot-optimeeze.appspot.com^ +||tracker-v4.gamedock.io^ ||tracker.affirm.com^ +||tracker.au.zitcha.app^ ||tracker.beezup.com^ -||tracker.data-vp.com^ +||tracker.cdnbye.com^ ||tracker.downdetector.com^ -||tracker.everestnutrition.com^ ||tracker.financialcontent.com^ +||tracker.gamedock.io^ +||tracker.gamemonkey.org^ +||tracker.gleanview.com^ +||tracker.hdtvcloud.com^ ||tracker.icerocket.com^ -||tracker.iqnomy.com^ -||tracker.issuu.com^ +||tracker.idocdn.com^ +||tracker.jkstremum.xyz^ ||tracker.keywordintent.com^ ||tracker.marinsoftware.com^ -||tracker.mgnetwork.com^ -||tracker.mtrax.net^ -||tracker.myseofriend.net^$third-party -||tracker.neon-images.com^ -||tracker.neon-lab.com^ -||tracker.roitesting.com^ -||tracker.seoboost.net^$third-party -||tracker.streamroot.io^ +||tracker.mrpfd.com^ +||tracker.myth.dev^ +||tracker.myyschool.xyz^ +||tracker.netklix.com^$script +||tracker.nitropay.com^ +||tracker.nocodelytics.com^ +||tracker.novage.com.ua^ +||tracker.prod.ams3.k8s.hyperia.sk^ +||tracker.services.vaix.ai^ +||tracker.smartframe.io^ +||tracker.softcube.com^ +||tracker.ssl0d.com^ ||tracker.timesgroup.com^ +||tracker.tubecj.com^ ||tracker.twenga. -||tracker.u-link.me^$third-party -||tracker.vreveal.com^ -||tracker2.apollo-mail.net^ +||tracker.unbxdapi.com^ +||tracker.wigzopush.com^ +||tracker.wpserveur.net^ +||tracker.xgen.dev^ ||trackerapi.truste.com^ ||trackicollect.ibase.fr^$third-party -||tracking.*.miui.com^ +||tracking-api-4lasu2nlcq-ew.a.run.app^ +||tracking-api.hotmart.com^ +||tracking-api.mangopulse.net^ +||tracking-na.hawksearch.com^ ||tracking.adalyser.com^ -||tracking.allposters.com^ -||tracking.badgeville.com^$third-party -||tracking.bidmizer.com^$third-party +||tracking.ads.global-fashion-group.com^ +||tracking.aegpresents.com^ +||tracking.americaneagle.com^ +||tracking.audio.thisisdax.com^ +||tracking.b-cdn.net^ +||tracking.bababam.com^ ||tracking.brandmentions.com^ -||tracking.cmcigroup.com^ -||tracking.cmjump.com.au^ -||tracking.customerly.io^ -||tracking.dealerwebwatcher.com^ +||tracking.buygoods.com^ +||tracking.cerdmann.com^ +||tracking.chilipiper.com^ +||tracking.dealeranalytics.com^ +||tracking.diginetica.net^ ||tracking.drsfostersmith.com^$third-party +||tracking.drum.io^ ||tracking.dsmmadvantage.com^ ||tracking.edvisors.com^$third-party -||tracking.ehavior.net^ ||tracking.fanbridge.com^ -||tracking.fccinteractive.com^$third-party ||tracking.feedperfect.com^ -||tracking.fits.me^$third-party ||tracking.g2crowd.com^ ||tracking.godatafeed.com^ -||tracking.i-click.com.hk^ +||tracking.graphly.io^ +||tracking.hivecloud.net^ +||tracking.hyros.com^ +||tracking.intentsify.io^ ||tracking.interweave.com^$third-party ||tracking.jotform.com^ ||tracking.keywee.co^ +||tracking.leadlander.com^ ||tracking.lengow.com^ ||tracking.listhub.net^ ||tracking.livingsocial.com^ -||tracking.maxcdn.com^$third-party +||tracking.magnetmail.net^ +||tracking.markethero.io^ ||tracking.musixmatch.com^ +||tracking.olx-st.com^ ||tracking.pacharge.com^ -||tracking.performgroup.com^ ||tracking.plattformad.com^$third-party ||tracking.plinga.de^ ||tracking.practicefusion.com^$third-party -||tracking.quillion.com^ +||tracking.prepr.io^ ||tracking.quisma.com^ ||tracking.rapidape.com^ +||tracking.scenepass.com^ ||tracking.searchmarketing.com^ ||tracking.sembox.it^$third-party +||tracking.server.bytecon.com^ +||tracking.sexcash.com^ +||tracking.sezzle.com^ +||tracking.sharplink.us^ ||tracking.skyword.com^$third-party ||tracking.sokrati.com^ -||tracking.sponsorpay.com^$third-party ||tracking.synthasite.net^ ||tracking.target2sell.com^ -||tracking.theeword.co.uk^ ||tracking.thehut.net^ -||tracking.tradeking.com^ ||tracking.waterfrontmedia.com^ -||tracking.worldmedia.net^$third-party +||tracking.wisepops.com^ ||tracking1.brandmentions.com^ ||tracking2.channeladvisor.com^ -||tracking2.interweave.com^$third-party -||trackingapi.cloudapp.net^ -||trackingdev.nixxie.com^ +||trackingapi.trendemon.com/api/events/pageview? +||trackjs.com/agent/$script,third-party +||trackjs.com/releases/current/tracker.js ||trackjs.com/usage.gif? ||trackla.stackla.com^ -||tracksys.developlabs.net^ +||tracksmart.se^$third-party +||tradablebits.com/pixels/ ||traffic.acwebconnecting.com^ -||traffic.belaydevelopment.com^$third-party ||traffic.prod.cobaltgroup.com^ ||traffic.shareaholic.com^ ||trafficfuelpixel.s3-us-west-2.amazonaws.com^ +||trafficmanager.net/uet/tracking_script? ||trakksocial.googlecode.com^$third-party +||trap.skype.com^ ||traq.li/tracker/ -||travpan.com/out/$third-party -||trax.dirxion.com^ -||trc.pushnami.com^ -||tredir.go.com/capmon/GetDE?$third-party -||tree-pixel-log.s3.amazonaws.com^ -||tremorhub.com^ -||trendmd.com/events -||trf.intuitwebsites.com^ -||triad.technorati.com^ +||travix.com/log +||traxex.gannettdigital.com^ +||tree-nation.com/js/track.js +||trends.newsmaxwidget.com^ +||trib.al^$image,third-party +||trickyrock.com/redirect.aspx?pid=*&bid=$subdocument,third-party ||triggers.wfxtriggers.com^ -||tritondigital.com/lt?sid*&hasads= -||tritondigital.com/ltflash.php? -||tritondigital.com/ltjs.php -||tritondigital.net/activity.php? -||tritondigital.net^*/see.js -||trk*.vidible.tv^ -||trk.bhs4.com^ -||trk.email.dynect.net^ -||trk.pswec.com^$third-party -||trk.sele.co^ -||trk.vindicosuite.com^ -||trove.com^*&uid=$image -||tru.webelapp.com^ -||trumba.com/et.aspx?$third-party +||trinitymedia.ai/api/collect? +||triplewhale-pixel.web.app^ +||tritondigital.com/ondemand/impression? +||trk.clinch.co^ +||trk.playitviral.com^ +||trk.storyly.io^ +||trk.techtarget.com^ +||trk2-wtb.swaven.com^ +||trustarc.com/cap? +||trustarc.com/log? +||trustcommander.net/iab-tcfapi/ +||trustedform.com/trustedform.js?provide_referrer +||trustmary.io/agg-event ||trustpilot.com/stats/ -||trustsquare.net/trafficmonitor/ -||try.abtasty.com^$third-party +||trx-cdn.zip.co^ +||trx.zip.co^ +||try.abtasty.com^ ||ts.tradetracker.net^ -||tsk5.com/17*?*=ex- -||tt.onthe.io^ -||ttdetect.staticimgfarm.com^ -||ttwbs.channelintelligence.com^$third-party -||turner.com^*/1pixel.gif? -||turnto.com/webEvent/$third-party -||twimg.com/jot? -||twitter.com/i/jot +||turnto.com/event +||tvpage.com/tvpa.min.js +||tvpage.com^*/__tvpa.gif? ||twitter.com/jot.html ||twitter.com/oct.js ||twitter.com/scribe/ -||twitvid.com^*/tracker.swf$third-party -||txn.grabnetworks.com^ -||typepad.com^*/stats?$third-party +||typeform.com/*/insights/events^ +||uadblocker.com/pixel1.php?$third-party ||uc.cn/collect? ||ucounter.ucoz.net^ +||ucoz.net/stat/ ||uhit.eu/id/$third-party -||uhytajrtpo-a.akamaihd.net/nrse.html -||ui-portal.com^*;ns_referrer= +||uid.mediacorp.sg^ +||uilogging.tcdevops.com^ ||uim.tifbs.net^ -||uknetguide.co.uk/user.js? -||ultimatebootcd.com/tracker/ -||ultimedia.com/v/ -||ultimedia.com^*/visibilityStat.js -||upcat.custvox.org/survey/*/countOpen.gif -||upt.graphiq.com^ -||urc.taboolasyndication.com^ -||userlog.synapseip.tv^ +||umami.aigenerations.net^ +||unibet.de/stan/campaign.do?*&affiliateId=$subdocument,third-party +||unifyintent.com/analytics/ +||units.knotch.it^ +||unpkg.com/web-vitals? +||uptime.com/static/rum/$third-party +||uriports.com/reports/$third-party +||urldefense.com^$image,third-party +||us-central1-markuphero.cloudfunctions.net^ +||usaoptimizedby.increasingly.co^ +||user.userguiding.com^ +||usercentrics.eu/session/$image +||userexperience.thehut.net^ ||usersegment.wpdigital.net^ -||uservoice.com^*/track.js -||userzoom.com/uz.js$third-party -||v.giantrealm.com/players/stats.swf? +||usersonline.org/ping.php? +||userway.org/api/seo-widget/ +||userway.org/api/v1/stats +||usizy.com/external/pageview +||usr.interactiveone.com^ +||utics.nodejibi.in^ +||utils.global-e.com/set? +||utt.pm/utm/ +||v.shopify.com^ ||va.tawk.to/log +||validate.onecount.net^$image ||vanilladev.com/analytics. -||vapedia.com^*/largebanner. ||vast.com/vimpressions.js$third-party -||vds_dyn.rightster.com/v/*?rand= +||vcita.com/tr_ +||vdo.ai/core/logger.php? +||vdo.ai/core/scantrad-net/ +||vdrn.redplum.com^ +||vee24.com/c/PageBehaviour? ||veeseo.com/tracking/ ||ventunotech.com/beacon/ -||vertical-stats.huffpost.com^ -||verticalacuity.com/varw/sendEvent? -||verticalacuity.com/vat/ +||vercel-vitals.axiom.co^ +||vid.media.cm/m.js +||vidazoo.com/aggregate? ||vidazoo.com/event/ ||video-ad-stats.googlesyndication.com^ +||video-analytics-api.cloudinary.com^ ||video-cdn.net/event? ||video.google.com/api/stats/ -||video.msn.com/report.aspx? +||videoevents.outbrain.com^ ||videoly.co^*/event/ -||videoplaza.com/proxy/distributor/$object-subrequest -||videoplaza.tv/proxy/tracker^$object-subrequest ||videopress.com/plugins/stats/ +||vidible.tv/trk/ +||vidstream.pro/log/ +||vidstream.pro/ping/ ||viglink.com/api/ping$third-party ||vimeocdn.com/add/player-stats? -||vindicosuite.com/track/ -||vindicosuite.com/tracking/ -||vindicosuite.com/xumo/swf/$third-party +||vimeocdn.com/ga/ ||viralize.tv/track/ ||virgingames.com/tracker/ ||virginmedia.com^*/analytics/ ||virtueworldwide.com/ga-test/ +||virtuoussoftware.com/tracker/ ||visa.com/logging/logEvent$third-party -||visit.geocities.com^ -||visit.webhosting.yahoo.com^ +||vissle.me/track/ ||visual.ly/track.php? ||visualstudio.com/_da.gif? -||visualstudio.com/v2/track$third-party +||visualwebsiteoptimizer.com/dyn +||visualwebsiteoptimizer.com/ee.gif? +||visualwebsiteoptimizer.com/gv.gif? +||visualwebsiteoptimizer.com/j.php +||visualwebsiteoptimizer.com/server-side/track-user? ||vivociti.com/images/$third-party -||vizual.ai^*/click-stream-event? ||vizury.com/analyze/ ||vk.com/rtrg? ||vk.com/videostats.php ||vmixcore.com/vmixcore/playlog? ||vmweb.net/identity.min.js +||vo.msecnd.net/api/beYableJSv2.js ||vooxe.com/analytics.js -||voss.collegehumor.com^ +||vortex.data.microsoft.com^ ||voxmedia.com/beacon-min.js -||vpoweb.com/counter.php? -||vra.outbrain.com^ -||vrp.outbrain.com^ -||vrt.outbrain.com^ ||vs4.com/impr.php? -||vtnlog-*.elb.amazonaws.com^ -||vtracking.in.com^ +||vst.sibnet.ru^ +||vstat.borderlessbd.com^ +||vuukle.com/bq-publish? +||vuukle.com/getGeo ||vvhp.net/read/view.gif ||vwdealerdigital.com/cdn/sd.js ||w3track.com/newtrk/$third-party -||wac.edgecastcdn.net^$object-subrequest,domain=vzaar.com +||w4o7aea80ss3-a.akamaihd.net^ +||wallkit.net^*/user/event ||wantlive.com/pixel/ -||watch.teroti.com^$third-party +||warnermedia.com/api/v1/events? +||watchtower.graindata.com^ +||wco.crownpeak.com^ +||wds.weqs.me^ ||weather.ca/counter.gif? -||web-soft.in/counters/ +||web-tracker.smsbump.com^ +||web.valiuz.com^*/tag.js ||web1.51.la^ -||webcare.byside.com^$third-party +||webcare.byside.com/agent/usert_agent.php ||webedia.fr/js/gs.js -||webeffective.keynote.com^ -||weblog.livesport.eu^ -||weblogger-dynamic-lb.playdom.com^ +||webeyo.com/ipinfo +||webgames.io/imp/ +||websdk.appsflyer.com^ ||webservices.websitepros.com^ -||webstats.motigo.com^$third-party -||webstats.seoinc.com^ ||webstats.thaindian.com^ ||websuccess-data.com/tracker.js -||webterren.com/webdig.js? +||webtrack.chd01.com^ +||webtrack.savoysystems.co.uk^$third-party ||webtracker.apicasystem.com^ -||webtracker.educationconnection.com^ ||webvoo.com/wt/Track.aspx ||webvoo.com^*/logtodb. ||webworx24.co.uk/123trace.php ||webzel.com/counter/ +||weglot.com/pageviews? ||wetpaint.com^*/track? -||whoson.creativemark.co.uk^$third-party +||whooshkaa.com/identify +||whooshkaa.com/listen/track +||whoson.com/poll.gif +||whoson.com/w.js ||whosread.com/counter/ -||wibiya-actions.conduit-data.com^ -||wibiya-june-new-log.conduit-data.com^ ||widgeo.net/compteur.php? ||widgeo.net/geocompteur/ ||widgeo.net/hitparade.php ||widgeo.net/tracking.php? -||widget.perfectmarket.com^ -||widget.quantcast.com^ +||widget-pixels.outbrain.com^ +||widget.civey.com^$ping +||widget.educationdynamics.com^ ||widgetbox.com/syndication/track/ ||widgethost.com/pax/counter.js? +||widgets.outbrain.com/widgetMonitor/ +||widgets.sprinklecontent.com/v2/sprinkle.js ||widgetserver.com/metrics/ ||widgetserver.com/t/ ||widgetserver.com^*/image.gif? -||widgetserver.com^*/quantcast.swf -||wikinvest.com/plugin/*=metricpv -||wikinvest.com^*/errorlogger.php? ||win.staticstuff.net^ +||witbee.com^*/collect +||wl-pixel.index.digital^ ||wn.com/count.js +||wogaa.sg/scripts/wogaa.js ||wondershare.es/jslibs/track.js -||woolik.com/__el.gif? -||woolik.com^*^tracker^ +||wordmonetize.com^$third-party ||wordpress.com/geo/ -||worldssl.net/reporting.js$third-party -||wpdigital.net/metrics/ -||ws.amazon.com/widgets/*=gettrackingid| -||wsb.aracert.com^ -||wsf.com/tracking/$third-party -||wsj.net/MW5/content/analytics/hooks.js -||wstat.wibiya.com^ -||wunderloop.aol.co.uk^ -||wvnetworkmedia.org/min/? +||workers.dev/api/event +||workers.dev/js/script.js +||worldssl.net/reporting.js +||worldztool.com^*/dotraceuser.php +||wp-engage.org/api/v5/post/activity/log/ +||wp.com/i/mu.gif$image +||wp.com/wp-content/js/bilmur.min.js +||ws.audioeye.com^ +||ws.sharethis.com^$script +||wsmcdn.audioeye.com^ +||wspisp.net/logger.php +||wstats.slashed.cloud^ +||wt.viagogo.net^ +||wtbevents.pricespider.com^ +||wtr-digital-analytics.ew.r.appspot.com^ +||x.babe.today^ +||x.disq.us^ ||x.weather.com^ +||xp2023-pix.s3.amazonaws.com^ ||yahoo.co.jp/js/s_retargeting.js +||yahoo.com/sync/casale/ ||yandex.*/data?referrer= +||yandex.ru/an/rtbcount/ +||yandex.ru/click/ ||yandex.ru/cycounter? -||yapi.awe.sm^$third-party ||yarpp.org/pixels/ -||yellowbrix.com/images/content/cimage.gif? -||yellowpages.com^*.gif?tid$third-party +||yellow.ai/api/plugin/analytics? +||yellow.ai/integrations/analytics/ ||yext.com/plpixel? +||yimg.com/aaq/vzm/$script,domain=news.yahoo.com +||yimg.com/cx/vzm/cs.js +||yimg.com/ss/vops.js ||yimg.com/wi/ytc.js -||yimg.com^*/l?ig=$image -||ypcdn.com/*/webyp? -||ys.ddns.me^ -||ywxi.net/meter/ +||yoast-schema-graph.com^$third-party +||yotpo.com/widget-assets/yotpo-pixel/ +||yottaa.com/rapid.min.js +||yottaa.net/log-jh ||zapcdn.space/zapret.js -||zdlogs.sphereup.com^ -||zemanta.com/reblog_*.png$image,third-party -||zemanta.com/usersync/outbrain/? -||ziffprod.com^*/zdcse.min.js?referrer= -||zmags.com/a/p/p.js -||zoomtv.me^*?pixel= -||zoover.co.uk/tracking/ -||zope.net^*/ghs_wa.js -||zvsuhljiha-a.akamaihd.net^ +||zendesk.com/frontendevents/$xmlhttprequest +||zengenti.com/tags/ +||ziffdavisb2b.com^*/tracker.js +||zineone.com^*/event +||zip.co/analytics +||zoominfo.com/pixel/ +||zooplus.io/static/js/tracking-min.js +||zynga.com/track/ +! https://d3ward.github.io/toolz/adblock.html +||adsdk.yandex.ru^ +||analytics-api.samsunghealthcn.com^ +||analytics.mobile.yandex.net^ +||analytics.samsungknox.com^ +||app.chat.xiaomi.net^$third-party +||appmetrica.yandex.com^$third-party +||click.oneplus.cn^ +||cloudfront.net/test.png +||data.hicloud.com^$third-party +||extmaps-api.yandex.net^ +||logbak.hicloud.com^ +||logservice.hicloud.com^ +||logservice1.hicloud.com^ +||metrics-dra.dt.hicloud.com^ +||metrics.icloud.com^ +||metrics.mzstatic.com^ +||open.oneplus.net^$third-party +||supportmetrics.apple.com^ +||tracking.miui.com^ +||trk.pinterest.com^$third-party +||yandexadexchange.net^ +! cloudfront +||d10lpsik1i8c69.cloudfront.net^ +||d11bdev7tcn7wh.cloudfront.net^ +||d169bbxks24g2u.cloudfront.net^ +||d16fk4ms6rqz1v.cloudfront.net^ +||d1733r3id7jrw5.cloudfront.net^ +||d18p8z0ptb8qab.cloudfront.net^ +||d191y0yd6d0jy4.cloudfront.net^ +||d196fri2z18sm.cloudfront.net^ +||d1cr9zxt7u0sgu.cloudfront.net^ +||d1f0tbk1v3e25u.cloudfront.net^ +||d1f1eryiqyjs0r.cloudfront.net^*/track. +||d1get58iwmjrxx.cloudfront.net^ +||d1gp8joe0evc8s.cloudfront.net^ +||d1hyarjnwqrenh.cloudfront.net^ +||d1k8sb4xbepqao.cloudfront.net^ +||d1m6l9dfulcyw7.cloudfront.net^ +||d1n00d49gkbray.cloudfront.net^ +||d1qnmu4nrib73p.cloudfront.net^ +||d1r27qvpjiaqj3.cloudfront.net^ +||d1r2sy6oc0ariq.cloudfront.net^ +||d1r55yzuc1b1bw.cloudfront.net^ +||d1rgnfh960lz2b.cloudfront.net^ +||d1ros97qkrwjf5.cloudfront.net^ +||d1snv67wdds0p2.cloudfront.net/tracker/ +||d1t9uctetvi0tu.cloudfront.net^ +||d1tbj6eaenapdy.cloudfront.net^ +||d1vg5xiq7qffdj.cloudfront.net^ +||d1xfq2052q7thw.cloudfront.net^ +||d1z3r0i09bwium.cloudfront.net^ +||d1z9vm58yath60.cloudfront.net^ +||d20kffh39acpue.cloudfront.net^ +||d21o24qxwf7uku.cloudfront.net^ +||d21y75miwcfqoq.cloudfront.net^ +||d22v2nmahyeg2a.cloudfront.net^ +||d23p9gffjvre9v.cloudfront.net^ +||d241ujsiy3yht0.cloudfront.net +||d24cze5sab2jwg.cloudfront.net^ +||d24rtvkqjwgutp.cloudfront.net^ +||d2cpw6kwpff7n5.cloudfront.net^ +||d2ezz24t9nm0vu.cloudfront.net^ +||d2fj3s7h83rb61.cloudfront.net +||d2fuc4clr7gvcn.cloudfront.net/track.js +||d2gbtcuv3w9qyv.cloudfront.net^ +||d2ibu2ug0mt5qp.cloudfront.net^ +||d2j1fszo1axgmp.cloudfront.net^ +||d2j74sjmqqyf26.cloudfront.net^ +||d2kdl5wcwrtj90.cloudfront.net^ +||d2lxqodqbpy7c2.cloudfront.net^ +||d2nq0f8d9ofdwv.cloudfront.net/track.js +||d2o67tzzxkqap2.cloudfront.net^ +||d2oh4tlt9mrke9.cloudfront.net^ +||d2pozfvrp52dk4.cloudfront.net^ +||d2pt12ct4kmq21.cloudfront.net^ +||d2r1yp2w7bby2u.cloudfront.net^ +||d2rnkf2kqy5m6h.cloudfront.net^ +||d2t77mnxyo7adj.cloudfront.net^ +||d2tgfbvjf3q6hn.cloudfront.net^ +||d2wa5sea6guof0.cloudfront.net^ +||d2wu036mkcz52n.cloudfront.net^ +||d2wy8f7a9ursnm.cloudfront.net^ +||d2z0bn1jv8xwtk.cloudfront.net^ +||d31bfnnwekbny6.cloudfront.net/customers/ +||d31y97ze264gaa.cloudfront.net^ +||d34ko97cxuv4p7.cloudfront.net^ +||d34r8q7sht0t9k.cloudfront.net^ +||d35u1vg1q28b3w.cloudfront.net^ +||d39ion77s0ucuz.cloudfront.net^ +||d39yds8oe4n4jq.cloudfront.net^ +||d3bo67muzbfgtl.cloudfront.net^ +||d3cgm8py10hi0z.cloudfront.net^ +||d3cxv97fi8q177.cloudfront.net^ +||d3gi6isrskhoq.cloudfront.net^ +||d3hb14vkzrxvla.cloudfront.net/health-check +||d3iouejux1os58.cloudfront.net^ +||d3j1weegxvu8ns.cloudfront.net^ +||d3kyk5bao1crtw.cloudfront.net^ +||d3l3lkinz3f56t.cloudfront.net^ +||d3lqotgbn3npr.cloudfront.net^ +||d3m6sept6cnil5.cloudfront.net^ +||d3mapax0c3izpi.cloudfront.net/lib/ajax/events.js +||d3mskfhorhi2fb.cloudfront.net^ +||d3n6i6eorggdxk.cloudfront.net^ +||d3nn82uaxijpm6.cloudfront.net/8f96b1247cf4359f8fec.js +||d3or5d0jdz94or.cloudfront.net^ +||d3plfjw9uod7ab.cloudfront.net^ +||d3qxef4rp70elm.cloudfront.net/m.js +||d3r7h55ola878c.cloudfront.net^ +||d3s7ggfq1s6jlj.cloudfront.net^ +||d3sbxpiag177w8.cloudfront.net^ +||d3tglifpd8whs6.cloudfront.net^ +||d3uvwl4wtkgzo1.cloudfront.net^ +||d3vebqdofhigrn.cloudfront.net^ +||d4ax0r5detcsu.cloudfront.net^ +||d761erxl2qywg.cloudfront.net^ +||d81mfvml8p5ml.cloudfront.net^ +||danv01ao0kdr2.cloudfront.net^ +||dc8na2hxrj29i.cloudfront.net^ +||dc8xl0ndzn2cb.cloudfront.net^ +||dcv4p460uqa46.cloudfront.net^ +||dd6zx4ibq538k.cloudfront.net^ +||dggaenaawxe8z.cloudfront.net^ +||dh0c1bz67fuho.cloudfront.net^ +||di2xwvxz1jrvu.cloudfront.net^ +||dkupaw9ae63a8.cloudfront.net^ +||dl1d2m8ri9v3j.cloudfront.net^ +||dljnjom9md7c.cloudfront.net/02/zara.js +||dn34cbtcv9mef.cloudfront.net^ +||dniyppubkuut7.cloudfront.net^ +||dnn506yrbagrg.cloudfront.net^ +||dnxlgencstz4.cloudfront.net^ +||dqif5bl25s0bf.cloudfront.net^ +||dsbahmgppc0j4.cloudfront.net^ +||dtxtngytz5im1.cloudfront.net^ +||dtym7iokkjlif.cloudfront.net/dough/ +||du4rq1xqh3i1k.cloudfront.net^ +||duu8lzqdm8tsz.cloudfront.net^ +||dy2xcjk8s1dbz.cloudfront.net^ +||dzgwautxzdtn9.cloudfront.net^ +! Goatcounter CNAMES https://github.com/AdguardTeam/cname-trackers/issues/99 +||anal.sataniskwijt.be^ +||analytics.code.dccouncil.gov^ +||count.vidsrc.pro^ +||goat.hepicgamerz.com^ +||goat.nhimmeo.cf^ +||goat.skeetstats.xyz^ +||goat.tailspace.net^ +||st.mapleranks.com^ +||stats.boringproxy.io^ +||stats.how.wtf^ +! optimizely.com +||optimizely.com/client_storage/ +||optimizely.com/log +||optimizely.com/public/ +! firebase +||firebase.googleapis.com^$domain=terabox.fun +||firebaseinstallations.googleapis.com^$domain=terabox.fun +! https://gist.github.com/tinogomes/c425aa2a56d289f16a1f4fcb8a65ea65 +! Domains linking to 127.0.0.1 +! ||cefgo.com^ +! ||domaincontrol.com^ +! ||fbi.com^ +! ||lacolhost.com^ +! ||lndo.site^$third-party +! ||local.computer^ +! ||local.qinlili.bid^ +! ||local.sisteminha.com^ +! ||localho.st^ +! !||localhost.direct^ +! ||localtest.me^ +! ||lvh.me^ +! ||netfinity.hostedrmm.com^ +! ||nip.io^$third-party +! ||ssh.town^ +! ||supercalifragilisticexpialidocious.co.uk^ +! ||xip.io^ +! ||yoogle.com^ +! Ad-Shield +! https://github.com/uBlockOrigin/uAssets/issues/9717 +/^https:\/\/cdn\.jsdelivr\.net\/npm\/[-a-z_]{4,22}@latest\/dist\/script\.min\.js$/$script,third-party +! wix +||frog.wix.com/da-client? +||frog.wix.com/fed? +||frog.wix.com/hls2? +||frog.wix.com/p? +||frog.wix.com/pre? +||frog.wix.com^$image,ping,xmlhttprequest +! Fingerprinting +||ascpqnj-oam.global.ssl.fastly.net^ +||cloudfront.net/js/grin-sdk.js +||dingxiang-inc.com/ctu-group/constid-js/index.js +||fpcn.bpsgameserver.com^ +||fyrsbckgi-c.global.ssl.fastly.net^ +||ipqualityscore.com/api/$third-party +||mhxk.com^*/main/entry.common.$script +||mjca-yijws.global.ssl.fastly.net^ +||nofraud.com/js/device.js +||nofraud.com^*/customer_code.js +||poll-maker.com^*/scpolls.js +||rc.vtex.com.br^ +||realperson.de/system/third-party/rpfp/rpfp.min.js +||ref.dealerinspire.com^ +||resu.io/scripts/resclient.min.js +||socital.com^*/socital.js +||talkingdata.com^*/sdk_release.js +||targeting.voxus.tv^ +||trwl1.com/ascripts/gcrt.js +||vtex.com.br/rc/rc.js +! akamai +||akamai.com/crs/lgsitewise.js +||akamai.net/*.babylon.com/trans_box/ +||akamai.net/chartbeat. +||akamai.net^*/a.visualrevenue.com/ +||akamai.net^*/sitetracking/ +||akamaihd.net/*.gif?e= +||akamaihd.net/bping.php? +||akamaihd.net/javascripts/browserfp. +||akamaihd.net/log? +||akamaihd.net/push.gif? +||akamaihd.net^*.gif?d= +||akamaized.net/?u= +||akamaized.net/js3/tracker.js +||aksb-a.akamaihd.net^ +||ds-aksb-a.akamaihd.net^ +||e77lmzbqou0n-a.akamaihd.net^ +||ninja.akamaized.net^ +||pnekru6pxrum-a.akamaihd.net^ +||pxlgnpgecom-a.akamaihd.net^ +! fastly +||7q1z79gxsi.global.ssl.fastly.net^ +||clarium.global.ssl.fastly.net^ +||dfapvmql-q.global.ssl.fastly.net^ +||fastly.net/i? +||fastly.net/sp.js +||vwonwkaqvq-a.global.ssl.fastly.net^ +! CPU abuse +! https://publicwww.com/websites/%22cloudfront.net%2Fscript.js%22/ +||cloudfront.net./script.js +||cloudfront.net/script.js +! Seals, Websecurity, Protection etc. Unnecessary third-party scripts +||antillephone.com^$third-party +||beyondsecurity.com^$third-party +||geotrust.com^$third-party +||gmo-cybersecurity.com/siteseal/$third-party +||guarantee-cdn.com^$third-party +||howsmyssl.com^$third-party +||js.trendmd.com^$script,subdocument,third-party +||legitscript.com/seals/$script +||medals.bizrate.com^$third-party +||nsg.symantec.com^$third-party +||popup.laybuy.com^$subdocument,third-party +||privacy-policy.truste.com^$third-party +||scanalert.com/meter/ +||scanverify.com^$third-party +||seal.digicert.com^$third-party +||seal.globalsign.com^$third-party +||seal.godaddy.com^$third-party +||seal.networksolutions.com^$third-party +||seal.qualys.com^$third-party +||sealserver.trustwave.com^$third-party +||secure.trust-guard.com^$third-party +||securitymetrics.com^$third-party +||shield.sitelock.com^$third-party +||shopperapproved.com^$third-party +||siteintercept.allegiancetech.com^ +||smart-widget-assets.ekomiapps.de^$third-party +||trust-provider.com^*/trustlogo.js$third-party +||trusted-web-seal.cybertrust.ne.jp^ +||trustev.com/trustev.min.js$third-party +||verify.authorize.net^$third-party +||verify.safesigned.com^$third-party +||websecurity.norton.com^$third-party +||webutation.net/js/load_badge.js +||widgets.trustedshops.com^$third-party +! https://www.oligo.security/blog/0-0-0-0-day-exploiting-localhost-apis-from-the-browser +||0.0.0.0^$third-party,domain=~0.0.0.0|~127.0.0.1|~[::1]|~[::]|~local|~localhost +||[::]^$third-party,domain=~0.0.0.0|~127.0.0.1|~[::1]|~[::]|~local|~localhost +! Suspect trackers (from privacy badger) +||jsrdn.com/s/cs.js +! Rewrite to internal resources filters for Adblock Plus +||d1z2jf7jlzjs58.cloudfront.net^$rewrite=abp-resource:blank-js,domain=voici.fr ! -----------------International third-party tracking services-----------------! ! *** easylist:easyprivacy/easyprivacy_thirdparty_international.txt *** ! German +/rdir.baur.de/g.html?uid=$image ||78.46.19.203^$third-party,domain=~sprueche-zitate.net.ip +||ablida.net^$third-party ||adc-srv.net/retargeting.php ||adm24.de/hp_counter/$third-party +||advantage.digitalsunray.com^ ||aftonbladet.se/trafikfonden/ ||agitos.de/content/track? -||analytics-static.unister-gmbh.de^ +||analytics.agenedia.com^ +||analytics.audionow.de^ ||analytics.cnd-motionmedia.de^$third-party ||analytics.gameforge.de^ +||analytics.idfnet.net^ ||analytics.loop-cloud.de^$third-party -||analytics.pinpoll.com^ +||analytics.media-proweb.de^ ||analytics.praetor.im^$third-party -||analytics.unister-gmbh.de^ ||andyhoppe.com/count/ -||asci.freenet.de^ +||api.fanmatics.com/event +||api.nexx.cloud/*/session/ +||api.tv.de/*/tracking/ +||artemis-cdn.ocdn.eu^ +||ats.otto.de^ ||audimark.de/tracking/ +||ba-content.de/cds/log/ ||bcs-computersysteme.com/cgi-local/hiddencounter/ -||beenetworks.net/traffic +||beagle.prod.tda.link^ ||blacktri-a.akamaihd.net^ -||bt.ilsemedia.nl^ -||captcha-ad.com/stats/ -||cdntrf.de^$third-party +||cdn.c-i.as^$script,third-party ||cgicounter.onlinehome.de^ ||clipkit.de/metrics? ||cloudfront.net/customers/24868.min.js -||cnt2.stroeerdp.de^ -||collect.finanzen.net^ ||com.econa.com^ -||confido.dyndns.org^*/dot.php? -||count.snacktv.de^ ||counter.1i.kz^ ||counter.blogoscoop.net^ ||counter.webmart.de^ ||ctr-iwb.nmg.de^ ||ctr-opc.nmg.de^ ||ctr.nmg.de^$third-party -||d.adrolays.de^ +||d.adlpo.com^ ||d.nativendo.de^ +||d.omsnative.de^ ||data.econa.com^ +||data.kameleoon.io^ ||datacomm.ch^*/count.cgi? +||datahub-srgssr.ch/tracking/ +||djuf7jb483wz1.cloudfront.net/p/l.jpg ||et.twyn.com^ -||events.kaloo.ga^$third-party -||events.snacktv.de^ +||events.onet.pl^ ||export.newscube.de^$~subdocument ||fc.webmasterpro.de^$third-party +||fd.bawag.at^ ||filmaster.tv^*/flm.tracker.min.js +||freshclip.tv/tracking/ ||frontlineshop.com/ev/co/frontline?*&uid= ||gameforge.de/init.gif? ||geo.mtvnn.com^ ||geo.xcel.io^ -||gibts-hier.com/counter.php ||giga.de/vw/$image,third-party ||global-media.de^*/track/ai.img -||gocp.stroeermediabrands.de^$third-party ||goldsilbershop.de/go.cgi? ||hbx.df-srv.de^ ||hittracker.org/count.php ||hittracker.org/counter.php ||house27.ch/counter/ -||idt.id-news.net^ -||im.aol.de^ +||hyteck.de/count.js +||hyvyd.com/count$image,domain=mobile.de ||info.elba.at^$third-party ||insene.de/tag/$third-party -||insights.blogfoster.com^$third-party ||iqcontentplatform.de/tracking/ -||ivw.discover-outdoor.de^ -||ivw.dumontreise.de^ -||ivw.fem.com^ -||js.stroeermediabrands.de^$third-party -||koe-vip.com/statistik/ -||kontextr.eu/content/track? -||kt-g.de/counter.php? +||liberty.schip.io/liberty-metrics/ ||live.cxo.name^ -||live.ec2.cxo.name^ ||liveviewer.ez.no^ ||log.worldsoft-cms.info^ ||lr-port.de/tracker/ +||m.mobile.de/svc/track/ ||mapandroute.de/log.xhr? +||marktjagd.de/proxy/trackings/ ||mastertag.kpcustomer.de^ ||mastertag.q-sis.de^ ||mehrwertdienstekompetenz.de/cp/$third-party @@ -11220,52 +12375,46 @@ _mongo_stats/ ||mindwerk.net/zaehlpixel.php? ||mlm.de/counter/ ||mlm.de/pagerank-ranking/ -||movad.de/c.ount? -||myv-img.de/m2/e? -||nametec.de/cp/ ||newelements.de/tracker/ +||nexx.cloud/play/beacon. +||nexxtv-events.servicebus.windows.net^ +||nlytcs.idfnet.net^ ||ntmb.de/count.html? ||oe-static.de^*/wws.js -||omniture.eaeurope.eu^ ||omsnative.de/tracking/ ||onlex.de/_counter.php ||onlinepresse.info/counter.php? ||onlyfree.de^*/counterservice/ +||orbidder.otto.de^ ||ottogroup.media/ogm.nitro. -||pix.news.at^ -||pixel.holtzbrinckdigital.info^ -||pixel.nbsp.de^ +||owen.prolitteris.ch^ +||pixel.poptok.com^ +||plausible.ams.to^ ||plista.com/getuid? ||plista.com/iframeShowItem.php ||px.staticfiles.at^ -||pyroactive.de/counter/ -||rc.aol.de^*/getrcmd.js +||quiz.stroeermediabrands.de/pub/$image ||retrack.q-divisioncdn.de^ ||retresco.de^*/stats/$third-party ||script.idgentertainment.de/gt.js -||sec-web.com/stats/ ||serverkompetenz.net/cpx.php? -||sett.i12.de^ ||sheego.de/ar/$third-party ||sim-technik.de/dvs.gif? ||sim-technik.de^*&uniqueTrackId= ||skoom.de/gratis-counter/ +||somquery.sqrt-5041.de/tv/tracking-event +||sp.data.funkedigital.de^ +||spark.cloud.funkedigital.de/agnes.js ||spox.com/pub/js/track.js ||ss4w.de/counter.php? ||stat.clichehosting.de^ -||stat4.edev.at^ -||statistics.aldi-international.com^ ||statistics.klicktel.de^ ||statistik.motorpresse.de^$third-party ||statistik.simaja.de^ -||stats.av.de^ ||stats.blogoscoop.net^ ||stats.clickforknowledge.com^ ||stats.digital-natives.de^ -||stats.fittkaumaass.de^ ||stats.frankfurterneuepresse.de^ -||stats.ilsemedia.nl^ -||stats.nekapuzer.at^$third-party ||stats.united-domains.de^ ||stats.urban-media.com^ ||stats2.algo.at^$third-party @@ -11276,141 +12425,154 @@ _mongo_stats/ ||t.etraveli.com^ ||t.nativendo.de^ ||t.quisma.com^ -||tap.idg.de^ +||tagm.tchibo.de^ +||tms.danzz.ch^ ||top50-solar.de/solarcount/ +||track2.cliplister.com^ ||track2.dulingo.com^ ||track2.mycliplister.com^ ||tracker.euroweb.net^ -||tracker.netdisk.de^ ||tracker.winload.de^ -||tracking-rce.veeseo.com^ +||tracking-live.kr3m.com^ ||tracking.base.de^ -||tracking.ddd.de^ ||tracking.emsmobile.de^ ||tracking.gameforge.de^ -||tracking.gj-mobile-services.de^ ||tracking.hannoversche.de^ -||tracking.hi-pi.com^ -||tracking.ladies.de^ -||tracking.mindshare.de^ -||tracking.mvsuite.de^ -||tracking.netzathleten-media.de^ -||tracking.promiflash.de^ -||tracking.rce.veeseo.com^ ||tracking.rtl.de^ ||tracking.s24.com^ -||tracking.sim-technik.de^ ||tracking.srv2.de^ -||traffic.brand-wall.net^ +||tracking.webtradecenter.com^ ||trck.bdi-services.de^ ||trck.spoteffects.net^ +||trecker.aklamio.com^ ||uni-duesseldorf.de/cgi-bin/nph-count? -||uni-leipzig.de^*/stats/ ||united-infos.net/event? -||urtracker.q-sis.de^ ||veeseo.com^*/url.gif? ||veeseo.com^*/view/$image ||vertical-n.de/scripts/*/immer_oben.js ||verticalnetwork.de/scripts/*/immer_oben.js ||vtrtl.de^ ||webcounter.goweb.de^ -||webstatistik.odav.de^$third-party ||wieistmeineip.de/ip-address/$third-party -||wrmwb.7val.com^ +||wo-cloud.com^$ping ||x.bloggurat.net^ ||xnewsletter.de/count/counter.php? ||zs.dhl.de^ ! Arabic -||analytics.traidnt.net^ ||shofonline.org/javashofnet/ti.js ! French ||01net.com/track/ -||179.43.173.134^$third-party -||46.101.168.189^$third-party,domain=lematin.ch -||46.101.246.10^$third-party,domain=lematin.ch ||abs.proxistore.com^ ||affiliation.planethoster.info^$third-party ||analytics.freespee.com^ -||analytics.grupogodo.com^ -||analytics.ladmedia.fr^ -||audience.acpm.fr^ -||bbtrack.net^$third-party +||analytics.valiuz.com^ +||at.360.audion.fm^ ||blogoutils.com/online-$third-party -||blogrankings.com/img_$third-party ||bnpparibas.fr/JavascriptInsert.js ||btstats.devtribu.fr^ -||calotag.com^$third-party -||cdn-analytics.ladmedia.fr^ +||c.woopic.com/tools/pdb.min.js +||caast.tv/v1/record.gif? +||calcul-pagerank.fr/client/$third-party +||canalplus-bo.net/web/*/tracker/? +||capping.sirius.press^ ||cdn-files.prsmedia.fr^*/xiti/ +||ced-ns.sascdn.com/diff/js/smart.js ||cloudfront.net^$script,domain=gentside.com +||collect-v6.51.la^ ||compteur.websiteout.net^ -||d3eokk6ya562p5.cloudfront.net^ ||da-kolkoz.com/da-top/track/ ||devtribu.fr/t.php? +||dsj4qf77pyncykf2dki6isfcuy0orwhc.lambda-url.eu-west-1.on.aws^ ||e-pagerank.fr/bouton.gif?$third-party -||e.funnymel.com^$third-party +||e.viously.com^ +||early-birds.fr/events/ +||easydmp.net/collect_ +||easydmp.net/etag. +||easydmp.net/get_delivery_data. ||email-reflex.com^$third-party -||free.fr/cgi-bin/wwwcount.cgi? +||events.newsroom.bi^ +||events.sk.ht^ ||free.fr/services/compteur_page.php? +||houston.advgo.net^ +||humanoid.fr/register-impression? ||i-services.net^*/compteur.php? +||img-static.com/CERISE.gif? +||ip7prksb2muxvmmh25t6rxl2te0tfulc.lambda-url.eu-west-1.on.aws^ +||jvc.gg^*/traffic.js ||leguide.com/js/lgtrk-*.js -||lepoint-stat.sdv.fr^ ||linguee.fr/white_pixel.gif -||live-medias.net/button.php?$third-party ||m6web.fr/statsd/ -||makazi.com/tracker- +||marktplaats.net/identity/mid.js ||neteventsmedia.be/hit.cfm? ||netreviews.eu/index.php?action=act_access&$third-party -||nvc.n1bus-exp.com^ ||nws.naltis.com^ +||offer.slgnt.eu^ ||optinproject.com/rt/visit/ ||osd.oxygem.it^ +||p.a2d.io/plx.js ||pagesjaunes.fr/stat/ ||piximedia.com^$third-party +||qiota.com/api/event +||rs.smc.tf^ ||scriptsgratuits.com/sg/stats/ -||securite.01net.com^ ||service-webmaster.fr/cpt-visites/$third-party -||stat.prsmedia.fr^ +||socialrank.fr/client/$third-party +||static-od.com/setup/$third-party ||stats-dc1.frz.io^ -||stats.buzzea.com^ +||stats-factory.digitregroup.io^ ||stats.ipmgroup.be^ -||t.planvip.fr^$third-party +||stats.macg.io^ +||stats.tipser.com^ +||t.360.audion.fm^ +||t.ofsys.com^ +||tag.agrvt.com^ +||tag.goldenbees.fr^ ||tag.leadplace.fr^ -||tmgr.ccmbg.com^ -||tra.pmdstatic.net^ +||tim.nextinpact.com^ ||track.byzon.swelen.net^$third-party +||track.kyoads.com^ ||track.laredoute.fr^$image -||trackcustomer.laredoute.com^$image +||track.myli.io^ +||tracker-dot-dfty-optimeeze-leroymerlinfr.appspot.com^ ||tracking.ecookie.fr^ ||tracking.kdata.fr^ +||tracking.lqm.io^ ||tracking.netvigie.com^ +||tracking.voxeus.com^ +||trjs.mediafin.be/loader/trmfn-loader.js +||trk.a-dsp.com^ ||trk.adbutter.net^ ||tsphone.biz/pixelvoleur.jpg? ||veoxa.com/get_trackingcode. +||vidazoo.com/report/? +||viously.com^*/mt? ||visitping.rossel.be^ ||webreseau.com/impression.asp? ||webtutoriaux.com/services/compteur-visiteurs/index.php?$third-party ||wifeo.com/compteurs/$third-party ||woopic.com/Magic/o_vr.js +||wrapper.lemde.fr^$third-party +||ws3.smartp.com^ ||zebestof.com^$third-party ! Belarusian -||ladesk.com/scripts/track.js ||minsk-in.net/counter.php? ! Croatian ||aff*.kolektiva.net^ -||analytics.styria.hr^ ! Chinese -logging.nextmedia.com^ ||120.132.57.41/pjk/pag/ys.php +||163.com/sn.gif? ||3.cn/cesu/r? ||360.cn/mapping_service? ||4gtv.tv/js/ga_ +||adv-sv-stat.focus.cn^ ||aixifan.com/acsdk/log.min.js? +||alicdn.com/tkapi/click.js ||alimama.cn/inf.js ||alipay.com/common/um/lsa.swf -||analytics.21cn.com^ ||analytics.meituan.net^ ||atanx.alicdn.com^ +||atom-log.3.cn^ ||baidu.com/cpro/ui/c.js ||baidu.com/cpro/ui/f.js ||baidu.com/h.js? @@ -11419,3931 +12581,39929 @@ _mongo_stats/ ||baidu.com/js/o.js ||baidu.com/x.js? ||beacon.sina.com.cn^ +||beaconcdn.qq.com^ ||bokecc.com/flash/playlog? ||bokecc.com/flash/timerecorder? +||busuanzi.ibruce.info^$third-party ||bzclk.baidu.com^ +||c.holmesmind.com^ +||cartx.cloud^ ||cbsi.com.cn/js/dw.js -||cdn.hiido.cn^$third-party ||cdnmaster.com/sitemaster/sm360.js +||chuzushijian.cn/c.php ||click.bokecc.com^ +||click.taobao.com^$script ||cms.grandcloud.cn^$third-party ||cnzz.com/c.php? -||counter.csdn.net^$script -||counter.pixplug.in^ +||collector2c.zhihuishu.com^ +||counter.pixplug.in^$third-party +||cpro.baidustatic.com^$script,domain=sohu.com ||cri.cn/js/a1.js -||csbew.com^$third-party ||csdn.net^*/counter.js -||css.aliyun.com^$third-party ||d17m68fovwmgxj.cloudfront.net^ ||da.netease.com^ +||datacollector-dra.dt.hicloud.com^ +||dcbpm.suning.cn^ +||dt.xfyun.cn^ ||dup.baidustatic.com^ -||dw.cbsi.com.cn^$third-party -||epro.sogou.com^ +||eclick.baidu.com^ ||etwun.com:8080/counter.php? +||event.tagtoo.co^ +||experiments.sparanoid.net^ +||fourier.taobao.com^ ||g.yccdn.com^ +||gdt.qq.com^ +||gias.jd.com/js/td.js ||haostat.qihoo.com^ ||hudong.com/flux.js ||hyrankhit.meldingcloud.com^ -||idigger.qtmojo.com^ +||ia.51.la^ ||ifengimg.com/sta_collection.*.js ||imp.ad-plus.cn^ ||imp.go.sohu.com^ ||imp.optaim.com^ +||iqiyi.com/pixel? ||itc.cn/pv/ +||ixigua.com/at/log/ ||js.letvcdn.com/js/*/stats/ ||js.static.m1905.cn/pingd.js +||log-api.cli.im^ ||log.hiiir.com^ +||log.qvb.qcloud.com^ ||log.tagtic.cn^ -||log.v.iask.com^ -||look.urs.tw^$third-party -||mlt01.com/cmp.htm$third-party +||mcs.zijieapi.com^ +||mon.zijieapi.com^ ||msg.71.am^ -||n.yunshipei.com^ -||netease.com/beacons/ +||netease.com/track/ +||netease.com/web/performance? +||nos.netease.com/udc-web/*.log.js ||p.aty.sohu.com^ +||p.tencentmind.com^ ||pos.baidu.com^ +||pr.nss.netease.com^ ||pstatp.com^*/raven.js ||pstatp.com^*/ttstatistics. ||pv.hd.sohu.com^ +||pv.kuaizhan.com^ ||pv.sohu.com^ +||px.effirst.com^ ||qbox.me/vds.js -||qtmojo.com/pixel? +||qidian.qq.com/report/ +||qq.com/speed ||r.sax.sina.com.cn^ ||report.meituan.com^ +||s.cdin.me/i.php ||sitemaji.com/nownews.php? ||sobeycloud.com/Services/Stat. ||sohu.com/pvpb.gif? +||sohu.com/stat/ +||ssac.suning.com^ ||stargame.com/g.js ||stat.ws.126.net^ -||stat.youku.com^ +||stats.hanmaker.com^ ||sugs.m.sm.cn^ ||t.hypers.com.cn^ -||tanx.com/t/tanxclick.js -||tanx.com/t/tanxcollect.js +||t.rainide.com^ +||tagtoo.co/js/unitrack.js +||taobao.com/tracker. +||tce.alicdn.com^ +||tieszhu.com/e.html ||tns.simba.taobao.com^ -||toruk.tanx.com^ +||tongjiniao.com^$third-party ||tr.n2.hk^ -||track.ra.icast.cn^ +||track.storm.mg^ +||track.tomwx.net^ +||track.unidata.ai^ +||tracker-00.qvb.qcloud.com^ ||tracking.cat898.com^ -||traffic.bokecc.com^ -||union.360.cn/1899.js -||useg.nextdigital.com.hk^ -||v.emedia.cn^ +||tracklog.58.com^ +||trail.71baomu.com^ +||videostats.kakao.com^ ||w3t.cn^*/fx.js +||web-trace.ksapisrv.com^ +||webstat.qiumibao.com^ +||webtrack.pospal.cn^ +||wlog.kuaishou.com^ ||yigouw.com/c.js ! Croatian ||tracking.vid4u.org^ ! Czech -||bnr.alza.cz^ +||a.centrum.cz^ +||bisko.mall.tv^ +||c.seznam.cz^ ||counter.cnw.cz^ -||fimg-resp.seznam.cz^ ||h.imedia.cz^ +||h.seznam.cz/hit +||h.seznam.cz/js/dot-small.js ||hit.skrz.cz^ ||i.imedia.cz^ +||log.cpex.cz^ ||log.idnes.cz^ +||mer.stdout.cz^ +||pixel.biano.cz^ ||pixel.cpex.cz^ +||r2b2.cz/events.php? +||ssp.seznam.cz^ ||stat.cncenter.cz^ -||stat.ringier.cz^$third-party -||stats.mf.cz^ +||stat.kununu.cz^$third-party ||t.leady.com^ ||t.leady.cz^ ||track.leady.cz^ ! Danish +||bbl.k.dk/tracking/ ||blogtoppen.dk^*/bt_tracker.js ||counter.nope.dk^$third-party +||log.ecgh.dk^ ||newbie.dk/topref.php? ||newbie.dk^*/counter.php? ||sslproxy.dk^*/analytics.js -||ubt.berlingskemedia.net^ +||statistics.jfmedier.dk^ +||trckr.nordiskemedier.dk^ ||wee.dk/modules/$third-party -||wwwportal.dk/statistik.php ! Dutch +||adcalls.nl^$third-party +||adult-trade.nl/lo/track.php +||amazonaws.com/prod/v1/track$domain=ixxi.com ||analytics.belgacom.be^ +||apm.tnet.nl^ ||bbvms.com/zone/js/zonestats.js -||cookies.reedbusiness.nl^ +||bol.com/click/ +||botndm.nl^*/init.min.js +||cloudfunctions.net/webtraffic$domain=eurocampings.nl +||contentreveal.net/event/events.js +||ct.beslist.nl^ +||dmtgo.upc.biz^ +||go.planetnine.com^ ||hottraffic.nl^$third-party ||marktplaats.net/cnt/ +||mediahuis.be/cxense/ +||mhtr.be/public/tr/tracker.min.js +||navigator-analytics.tweakwise.com^ +||npo.nl/divolte/tt/web-event?$domain=zapp.nl +||pijper.io/visits/ +||pxr.nl/v1/stats/ +||rmgdapfnccsharpprd.azurewebsites.net^ +||sp.dpgmedia.net^ +||stat.24liveplus.com^ ||statistics.rbi-nl.com^ +||tags.hilabel.nl^ +||tr.mediafin.be^ +||trjs2.mediafin.be^ +||trkr.shoppingminds.net^ ||ugent.be/js/log.js ! Estonian -||counter.zone.ee^$third-party ! Finnish -||inpref.s3.amazonaws.com^$third-party -||insight.fonecta.fi^ -||sestatic.fi^*/zig.js +||almamedia.fi^*/scroll-monitor.min.js +||dnt-userreport.com^ +||er.sanoma-sndp.fi/stats/ +||er.sanoma-sndp.fi/v2/stats/ +||nelonenmedia.fi/logger/ +||tags.op-palvelut.fi^ +||vine.eu/track/ ! Georgian +||analytics.palitra.ge^ ||links.boom.ge^ ! Greek -||analytics.dol.gr^ -||analyticsv2.dol.gr^ -||stats.e-go.gr^ +||event-tracker-library.mediaownerscloud.com^ +||glami.gr/js/compiled/pt.js +||kwikmotion.com^*/videojs-kwikstat.min.js +||stats-real-clients.zentech.gr^ ! Hebrew ||walla.co.il/stats/ ! Hungarian ||gpr.hu/pr.pr? -||pagerank.g-easy.hu^ +||heartbeat.pmd.444.hu^ +||pixel.barion.com^ ||rum.marquardmedia.hu^ ||videostat-new.index.hu^ ||videostat.index.hu^ ! Icelandic -||82.196.13.38^$third-party,domain=~dv-is.ip ! Indian -||analytics.bhaskar.com^ +||indiatimes.com/pixel? +||tvid.in/log/ ! Indonesian ||mediaquark.com/tracker.js +||oval.id/tracker/ +||parsley.detik.com^ ! Italian -||91.196.216.64^ ||alice.it/cnt/ ||analytics.competitoor.com^ -||analytics.digitouch.it^ -||analytics.ettoredelnegro.pro^ -||analytics.linkwelove.com^ +||analytics.eikondigital.it^ +||analytics.gtechgroup.it^ ||analytics00.meride.tv^ +||analytics2-3-meride-tv.akamaized.net^ +||analytics2-meride-tv.akamaized.net^ +||api.rivpoint.com/*/event/ ||aruba.it/servlet/counterserver? -||audienceserver.aws.forebase.com^ -||bstracker.blogspirit.net^ +||audit.shaa.it^ +||bemail.it^*/analytics.js +||blasterzone.it/analytics/ ||click.kataweb.it^ -||contatore-di-visite.campusanuncios.com^ -||counter.ksm.it^ -||counter2.condenast.it^ -||d32hwlnfiv2gyn.cloudfront.net^ -||dd3p.com/sensor/ddsense.aspx? +||cnt.iol.it^ ||digiland.it/count.cgi? ||diritalia.com^*/seosensor.js +||dmp.citynews.ovh^ +||dmpcdn.el-mundo.net^ +||dmpmetrics.rcsmetrics.it^ ||eage.it/count2.php? -||eageweb.com/count2.php? -||eageweb.com/stats.php -||encoderfarmced-stats-ns.servicebus.windows.net^ -||encoderfarmstatsnew.servicebus.windows.net^ +||eventsink.api.redbee.live^ ||evnt.iol.it^ -||exsigma.eu/mercurio/ ||fb_servpub-a.akamaihd.net^ -||fcstats.altervista.org^$third-party +||galada.it/omnitag/ ||gazzettaobjects.it^*/tracking/ ||glomera.com/stats +||gmdigital.it/vtrack-staging.js +||heatmaps.lcisoft.it^ +||heymatic.com^$third-party ||httdev.it/e/c? ||iltrovatore.it/vp.htm -||instore.pagomeno.it^ ||iol.it^*/clickserver.js +||iolam.it/service/trk +||iolam.it/trk +||italiaonline.it/script/ga. +||italiaonline.it/script/iol-body.js +||limone.iltrovatore.it^ ||livestats.matrix.it^ -||log.superweb.ws^ +||log.edidomus.it^ ||logger.kataweb.it^ -||maxusglobal.it/init.js ||mibatech.com/track/ ||mrwebmaster.it/work/stats.php? ||nanopress.it/lab.js ||nanostats.nanopress.it^ ||net-parade.it/tracker/ -||noicattolici.it/x_visite/ +||plausible.citynews.ovh^ ||plug.it/tracks/ ||plug.it^*/iol_evnt. +||plug.it^*/iol_evnt_ ||plug.it^*/track_ ||plug.it^*/tracking_ -||quinet.it/counter/ -||rcsmetrics.it^ +||rcsobjects.it/rcs_tracking-service/v1/distro/HTML/trservice.shtml ||rd.alice.it^ +||redbee.serverside.ai^$image ||sembox.it/js/sembox-tracking.js -||shinystat.lvlar.com^ ||stat.acca.it^ -||stat.freetool.it^ -||stat.webtool.it^ +||stat.valica.it^ ||stats.itsol.it^ ||stats.rcsobjects.it^ -||stats.technopia.it^ ||stats2.*.fdnames.com^ -||stgy.ovh^*/3rdp-censor/ ||tag.triboomedia.it^ -||top100.mrwebmaster.it^ -||top100.tuttoperinternet.it^ +||tourmake.it^*/stat/ +||tourmake.it^*/stats? ||tr.bt.matrixspa.it^ -||track.adintend.com^ ||track.cedsdigital.it^ +||track.eadv.it^ ||track.veedio.it^ ||track.youniversalmedia.com^ ||tracker.bestshopping.com^ ||tracker.iltrovatore.it^ -||tracking.conversion-lab.it^ -||tracking.conversionlab.it^ +||tracker.thinkermail.com^ ||tracking.trovaprezzi.it^ ||tracks.arubamediamarketing.it^ -||tracy.sadv.dadapro.com^ ||triboomedia.it^*/Bootstrap.js -||ts.blogo.it^ +||videomatictv.com/imps/ ||vppst.iltrovatore.it^ ||webbificio.com/add.asp? ||webbificio.com/wm.asp? ||websolutions.it/statistiche/ ||wmtools.it/wmtcounter.php? +||wopweb.net/services/counters/ ! Japanese ||199.116.177.156^$domain=~fc2.jp.ip -||analysis.shinobi.jp^ +||a.flux.jp/analytics.collect.v1.CollectService/Collect +||a.o2u.jp^ +||ac.prism-world.jp.net^ +||acclog001.shop-pro.jp^ +||acclog002.shop-pro.jp^ +||actagtracker.jp/tag +||ad.daum.net^ +||affiliate.rakuten.co.jp^$script,third-party +||analytics-beacon.p.uliza.jp^ +||analytics.contents.by-fw.jp^ +||analytics.liveact.cri-mw.jp^ +||analytics.livesense.marketing^ +||analytics.partcommunity.com^ +||analytics.spearly.com^ ||analyzer51.fc2.com^ +||api.all-internet.jp^$third-party +||api.popin.cc/conversion2.js +||appront.net/click.js ||asumi.shinobi.jp^ -||beacon.itmedia.jp^ -||clickanalyzer.jp^$third-party +||b.sli-spark.com^ +||b0.yahoo.co.jp^ +||bance.jp/bnctag.js +||bidder.mediams.mb.softbank.jp^ +||blogroll.livedoor.net/img/blank.gif? +||blozoo.info/js/ranktool/ +||blozoo.info/js/reversetool/ +||bridge-ashiato.appspot.com/beacon/ +||bs.nakanohito.jp^ +||buzzurl.jp/api/counter/ +||bvr.ast.snva.jp^ +||bvr.snva.jp^ +||c-rings.net^$script,third-party +||client-log.karte.io^ +||clipkit.co/clipkit_assets/beacon- +||cloudfunctions.net/trackEvent +||cnobi.jp^*/js/imp. +||codemarketing.cloud/rest/ +||collector.t-idr.com^ +||cookie.sync.usonar.jp^ ||counter2.blog.livedoor.com^ -||imgstat.ameba.jp^$third-party +||crossees.com^ +||cs.nakanohito.jp^ +||cv-tracker.stanby.com^ +||delivery.satr.jp/event/ +||docomo.ne.jp/scripts/retargeting/retargeting.js +||estore.jp/beacon/ +||ev.tpocdm.com^ +||flux-cdn.com/client/ukiuki/flux_wikiwiki_AS_TM_AT.min.js +||future-shop.jp/rview.gif? +||hatmiso.net^$third-party ||ip2c.landscape.co.jp^ +||ipcheck.blogsys.jp^ +||jal.co.jp/common_rn/img/rtam.gif +||jal.co.jp/common_rn/js/rtam.js +||karte.io/libs/tracker. +||karte.io/mirror-record/ +||karte.io/rewrite-log/ +||kccsrecommend.site/torimochi_log/ ||kitchen.juicer.cc^ ||l-tike.com/akam/$script -||l.popin.cc^ -||lcs.livedoor.net^ +||lcs.comico.jp^$image +||line-scdn.net^*/line_tag/ ||line.me/tag.gif$image -||log.nordot.jp^ +||livedoor.com/counter/ +||log.codemarketing.cloud^ +||log.f-tra.com^ +||log.gs3.goo.ne.jp^ +||log.popin.cc^ +||log000.goo.ne.jp^ +||logger.torimochi-ad.net^ +||logs.chatboost-cv.algoage.co.jp^ ||macromill.com/imp/ +||mail-count.matsui.co.jp^ +||metrics.streaks.jp^ ||mofa.go.jp^*/count.cgi? +||monipla.com/launch.js +||moshimo.com^*/impression? +||ocn-tag.sienca.jp/api/v1/event/pv ||omt.shinobi.jp^ ||otoshiana.com/ufo/ +||panda.kasika.io^ ||pia.jp/akam/$script ||pia.jp/images/pt.gif$image +||ping.paidy.com^ +||popin.cc/iframe/piuid.html +||popin.cc/js/pixel.js +||popin.cc/PopinService/Logs/ +||popin.cc/retarget/ +||popin.cc/test/popin_img_m.js +||popin.cc/test/popin_send_cookie_set_fail.js +||quant.jp/track/ +||rakuten-static.com/com/rat/ +||rasin.tech/heatmap- +||rasin.tech/scroll-logs/ ||rcm.shinobi.jp^ ||rd.rakuten.co.jp^$script +||re-volver.net/visitor/ +||receptions.smart-bdash.com/receptions/action/click +||reports-tsi.tangerine.io^ +||reproio.com^$third-party +||resultspage.com/js/sli-spark.js +||rlog.popin.cc^ +||rtg-adroute.focas.jp^ +||s.dc-tag.jp^ +||s.yimg.jp/images/listing/tool/cv/ytag.js +||sales-crowd.jp/js/sc-web-access-analysis.js +||sankei-digital.co.jp/log? +||sankei.co.jp/js/privacy/sando.js ||seesaa.jp/ot_square.pl? ||shinobi.jp/track? +||shinobi.jp/zen? +||site24x7rum.jp/beacon/ +||sitest.jp/tracking/ +||smaero.jp/js/access.js +||smart-bdash.com/receptions/action/impression +||smart-bdash.com/tracking-script/ +||snva.jp/api/bcon/basic? +||snva.jp/javascripts/reco/ +||sp-trk.com^$third-party ||speee-ad.akamaized.net^ +||spnx.jp/spnx-logger.js +||stats.streamhub.io^ +||stlog.d.dmkt-sp.jp^ +||stlog.dmarket.docomo.ne.jp^ +||storage.googleapis.com/rasin/*/hm.js +||sweet-candy.jp/c.php?$third-party ||sync.shinobi.jp^ -||torimochi.line-apps.com^ -||trck.dlpo.jp^ +||sysmon.kakaku.com^ +||t.adlpo.com^ +||t.blog.livedoor.jp^ +||t.felmat.net^$third-party +||t.seesaa.net^ +||tag.cribnotes.jp^ +||targeting.focas.jp^ +||tetori-colorme.com/share/js/tracking.js +||tm.msgs.jp^ +||tr.c-tag.net^ +||tr.dec-connect.decsuite.com^ +||tr.slvrbullet.com^ +||track.list-finder.jp^ +||track.span-smt.jp^ +||track.thebase.in^ +||tracker-rec.smart-bdash.com^ +||tracker.520call.me^ +||tracker.durasite.net^ +||tracker.shanon-services.com^ +||tracker.smartseminar.jp^ +||trk.fensi.plus^ +||uh.nakanohito.jp^ +||ukw.jp/taglog/ ||userdive.com^$third-party -||webtracker.jp^$third-party +||x.t-idr.com/api/v1/identify ||x9.shinobi.jp^ ||yahoo.co.jp/js/retargeting.js ! Korean -||115.84.165.13/wlo/$domain=~seul-go.ip -||180.70.93.115/ndmclick/$domain=~daum.ip +||acelogger.heraldcorp.com^ +||ad.aceplanet.co.kr^ +||adlc-exchange.toast.com^ +||applog.ssgdfs.com^ +||assets.datarize.ai^ +||cafe24.com/cfa.js ||cafe24.com/weblog.js +||cm-exchange.toast.com^ +||dadispapi.gmarket.co.kr^ +||dco.coupang.com^ +||dtr-onsite-feed.datarize.ai^ +||event.hackle.io^ +||log.adplex.co.kr^ ||log.cizion.com^ -||log2.adop.cc^ +||log.mofa.go.kr^ +||log.pipeline.datarize.io^ +||log.targetpush.co.kr^ +||logger.bzu.kr^ +||logs-partners.coupang.com^ +||megadata.co.kr^ +||montelena.auction.co.kr^ +||mtag.mman.kr^ +||naver.com/mcollector/ +||ngc1.nsm-corp.com^ +||performanceplay.co.kr^ +||realtime-profiling.datarize.ai^ ||recobell.io/rest/logs? +||saluton.cizion.com^ +||sas.nsm-corp.com^ +||skplanet.com/pixel? +||skplanet.com/pixelb? +||t1.daumcdn.net/*/static/kp.js +||teralog.techhub.co.kr^ +||tracker.adbinead.com^ +||tracker.digitalcamp.co.kr^ ||tracking.adweb.co.kr^$third-party +||utsgw.auction.co.kr^ ! Latvian ||counter.hackers.lv^ -||hits.sys.lv^ +||pmo.ee/stats/ +||salidzini.lv^*/logo_button.gif?$third-party ! Lithuanian -||top.chebra.lt^$third-party -||top.dating.lt^$third-party -||top.dkd.lt^$third-party ! Norwegian -||engage-cdn.schibsted.media^ -||webhit.snd.no^ +||cis.schibsted.com^ +||collect.adplogger.no^ +||ish.tumedia.no^ +||log.medietall.no^ ! Persian -||analytics.aasaam.com^ +||1abzar.ir/abzar/tools/stat/ +||webgozar.com/c.aspx*&t=counter +||webgozar.ir/c.aspx*&t=counter ! Polish +||analytics.ceneo.pl^ ||analytics.greensender.pl^$third-party +||ar1.aza.io^ +||ave-caesar-mas.modivo.io^ ||cafenews.pl/mpl/static/static.js? -||fab.interia.pl^ +||cmp.dreamlab.pl^ +||dsg.interia.pl^ ||hit.interia.pl^ ||liczniki.org/hit.php ||pixel.homebook.pl^ +||pixel6.wp.pl^ ||ppstatic.pl^*/track.js +||px.wp.pl^ ||scontent.services.tvn.pl^ +||snrbox.com/tck/ ||stats.asp24.pl^ ||stats.media.onet.pl^ ||stats.ulixes.pl^ ||statystyki.panelek.com^ -||track.omgpl.com^ -||tracker.advisable.pl^ +||tp.convertiser.com^ ||tracking.novem.pl^ -||wymiana.org/stat/ +||trc.gpcdn.pl^ +||youlead.pl/st?browserid ! Portuguese -||api.nobeta.com.br^ +||7gra.us/path-tracker-js/ +||ad-tracker-api.luizalabs.com^ +||ads-collector.luizalabs.com^ +||analytics-coletor-site.ojc.com.br^ +||analytics-stamp.confi.com.vc^ +||analytics.spun.com.br^ ||b2w.io/event/ -||contadorgratis.web-kit.org^ +||biggylabs.com.br/track-api/v2/track/site? +||collect.chaordicsystems.com^ ||events.chaordicsystems.com^ +||feature-flag-edge.live.clickbus.net^ ||hitserver.ibope.com.br^ ||jsuol.com/rm/clicklogger_ -||lomadee.com/loc/$third-party +||linximpulse.net/impulse/ +||lurker.olx.com.br^ +||melhorplano.net/scripts/tracker/ ||nctrk.abmail.com.br^ +||netdeal.com.br/open/event/ +||neurotrack.neurolake.io^ +||pageviews.tray.com.br^ +||sat.soluall.net^ +||segmentor.snowfox-ai.com^ ||statig.com.br/pub/setCookie.js? +||statistic.audima.co^ +||stats.gridmidia.com.br^ +||tags.cmp.tail.digital^ ||terra.com.br/metrics/ -||track.e7r.com.br^ -||trk.absuite.com.br^ +||tiktok.tray.com.br^ +||track.noddus.com^ +||track.zapimoveis.com.br^ +||tracker.tolvnow.com^ ||trrsf.com.br/metrics/ +||visit-prod-us.occa.ocs.oraclecloud.com^ ||webstats.sapo.pt^ ||xl.pt/api/stats.ashx? ! Romanian +||7w.ro/js/trk.js +||enginey.altex.ro/events/ ||onnetwork.tv/cnt/ +||pixel.biano.ro^ ||profiling.avandor.com^ -||t5.ro/static/$third-party ||top.skyzone.ro^ +||views.cancan.ro^ +||vlogs.deja.media^ ! Russian |http://a.pr-cy.ru^$third-party |https://a.pr-cy.ru^$third-party -||1in.kz/counter? ||1l-hit.mail.ru^ -||7host.ru/tr/*?r=$third-party -||a.tovarro.com^ +||ad.mail.ru^$image,~third-party ||agates.ru/counters/ ||all-top.ru/cgi-bin/topcount.cgi? ||anycent.com/analytics/ -||autoretro.com.ua/smtop/ +||api.vp.rambler.ru/events/ ||awaps.yandex.ru^ ||banstat.nadavi.net^ ||bigday.ru/counter.php? -||bioraywaterrank.ru/count/ +||bitrix.info/bx_stat +||browser-updater.yandex.net^ ||c.bigmir.net^ -||clck.yandex.ru^$~other -||climatecontrol.ru/counters/ +||cdn-rum.ngenix.net^ +||client-analytics.mts.ru^ ||cnstats.cdev.eu^ ||cnt.logoslovo.ru^ ||cnt.nov.ru^ ||cnt.rambler.ru^ ||cnt.rate.ru^ ||count.yandeg.ru^ -||counter.amik.ru^ ||counter.insales.ru^ ||counter.megaindex.ru^ -||counter.nn.ru^ ||counter.photopulse.ru^ ||counter.pr-cy.ru^ -||counter.rian.ru^ -||counter.star.lg.ua^ -||counter.tovarro.com^ -||counter.wapstart.ru^ +||counter.reddigital.ru^ +||counter.smotrim.ru^ +||crm-analytics.imweb.ru^ +||csp.yandex.net^ +||d.wi-fi.ru^ +||dbex-tracker-v2.driveback.ru^ ||dp.ru/counter.gif? -||emoment.net/cnt/ ||error.videonow.ru^ +||events.auth.gid.ru^ +||g4p.redtram.com^ +||ga-tracker-dot-detmir-bonus.appspot.com^ ||gainings.biz/counter.php? ||gde.ru/isapi/tracker.dll? -||gnezdo.ru/cgi-bin/$third-party ||hubrus.com^$third-party ||ifolder.ru/stat/? ||imgsmail.ru/gstat? -||infopolit.com/counter/ -||inforotor.net/rotor/ +||ip.up66.ru^ ||izhevskinfo.ru/count/ +||k50.ru/tracker/ ||karelia.info/counter/ +||kraken.rambler.ru^ ||kvartirant.ru/counter.php? +||likemore-go.imgsmail.ru^$image ||linestudio.ru/counter/ +||logs.adplay.ru^ +||logs.viavideo.digital^ +||mail.ru/cm.gif? +||mango-office.ru/calltracking/ +||mango-office.ru/track/ ||mediaplus.fm/cntr.php? -||mediator.mail.ru^ -||medorgs.ru/js/counterlog_img.js ||metka.ru/counter/ ||metrics.aviasales.ru^ -||mobtop.ru/c/$third-party -||montblanc.rambler.ru^ -||mymed.su/counter/ ||mymetal.ru/counter/ ||myrealty.su/counter/ ||niknok.ru/count.asp? -||odessaaccommodations.com/counter.php -||onlines.su/counter.php? ||open.ua/stat/ -||optimizavr.ru/counter.php? ||penza-online.ru^*/userstats.pl? -||pluso.ru/counter.php? -||pluso.ru/ping.php? -||prompages.ru/top/ +||pinnacle.com/ru/?btag= +||piper.amocrm.ru^ +||prime.rambler.ru^$~script +||programmatica.com^$third-party ||promworld.ru^*/counter.php? ||properm.ru/top/counter_new.php? +||r.mail.ru^$image ||rambler.ru/counter.js -||rbc.magna.ru^ +||redtram.com/px/ ||retailrocket.ru/content/javascript/tracking.js -||rustopweb.ru/cnt.php? ||s.agava.ru^ ||s.holm.ru/stat/ ||scnt.rambler.ru^ ||scounter.rambler.ru^ ||sepyra.com^$third-party -||service-stat.tbn.ru^ ||sishik.ru/counter.php? +||sov.stream^$third-party +||sp.aviasales.com^ +||sp.aviasales.ru^ +||st.hbrd.io^ ||stainlesssteel.ru/counter.php? -||stascorp.com/stat/ -||stat-22.medialand.ru^ -||stat-counter.tass-online.ru^ ||stat.eagleplatform.com^ -||stat.radar.imgsmail.ru^ +||stat.fly.codes^ ||stat.rum.cdnvideo.ru^ ||stat.sputnik.ru^ ||stat.tvigle.ru^ +||statistics.fppressa.ru^ ||stats-*.p2pnow.ru^ -||stats.internet-yadro.com^ -||stats.seedr.com^ -||t.pusk.ru^ +||stats.tazeros.com^ +||stats2.videonow.ru^ +||subscribe.ru/1.gif/$image +||t1.trex.media^ +||tags.soloway.ru^ ||target.mirtesen.ru^ ||target.smi2.net^ ||target.smi2.ru^ ||tbe.tom.ru^ ||telemetry.jivosite.com^ +||test.legitcode.ws^ ||tms-st.cdn.ngenix.net^ -||top.bur-bur.ru^ +||tms.dmp.wi-fi.ru^ ||top.elec.ru^ -||top.sec.uz^ -||track.recreativ.ru^ -||track.revolvermarketing.ru^ -||track.rtb-media.ru^ -||tracking.i-vengo.com^ +||tracker.comagic.ru^ +||tracking.gpm-rtv.ru^ ||tracking.retailrocket.net^ -||tracking.vengovision.ru^ ||traktor.ru^*/counter.php? +||uc.xddi.ru^ ||ulogin.ru/js/stats.js +||umnico.com/tracker/ ||upstats.yadro.ru^ ||uptolike.com/widgets/*/imp? -||viewstat.promoblocks.ru^ -||wapson.ru/counter.php? +||visitor-microservice.ext.p-a.im^ +||visor.sberbank.ru^ ||webtrack.biz^$third-party -||wmtools.ru/counter.php? +||wl-analytics.tsp.li^ ||xn--e1aaipcdgnfsn.su^*/counter.php ||yandeg.ru/count/ +||yandex.net/expjs/latest/exp.js ||yandex.ru/metrika/ ||zahodi-ka.ru/ic/index_cnt.fcgi? ||zahodi-ka.ru^*/schet.cgi? ! Serbian ||contentexchange.me/static/tracker.js +||hits.tf.rs^ +||moa.mediaoutcast.com^ +||w4m.rs/tracker.js ! Slovak +||engerio.sk/api/v1/listener/ ||stat.ringier.sk^ +||tipsport.sk/c/1x1.php? ! Slovene -||interseek.si^*/visit.js +||cpx.smind.si^ ! Spanish ||1to1.bbva.com^ +||ab.blogs.es^ +||advgo.net/hits/ +||advgo.net/mushroom/ ||analitica.webrpp.com^ -||analytics.epi.es^ +||analytics.lasegunda.ecn.cl^ +||analytics.mercadolibre.com^ +||analytics.neoogilvy.uy^ +||bpt.webedia-group.com^ +||citiservi.es/adstrack? +||collector-videoplayer.5centscdn.net^ +||contador.biobiochile.cl^ ||contadores.miarroba.com^ ||contadores.miarroba.es^ +||count.sibbo.net^ +||creatives.sunmedia.tv^ +||ctx.citiservi.es^ +||datanoticias.prisasd.com^ +||digitalproserver.com/mango-web-metrics/ ||enetres.net/StatisticsV1/ ||epimg.net/js/vr/vrs. ||g-stats.openhost.es^ -||hits.eluniversal.com.mx^ -||leadzu.com^$third-party -||maik.ff-bt.net^ -||pixel.zumby.io^ -||reachandrich.antevenio.com^ -||stats.lnol.com.ar^ +||madrid.report.botm.transparentedge.io^ +||mat.socy.es^ +||mdstrm.com/js/lib/streammetrics.js +||mtm.qdqmedia.com +||pub.servidoresge.com^ +||recogerconsentimiento.com/consent/ +||rt.cdnmedia.tv^ +||s3wfg.com/js/vortexloader.js +||smarte.rs/log +||sp.vtex.com^ +||stats.administrarweb.es^ ||stats.miarroba.info^ -||track.bluecompany.cl^ +||stats.qdq.com^ +||stats.sec.telefonica.com^ +||tag.shopping-feed.com^ +||track.sunmedia.tv^ +||track.tappx.com^ ||tracker.thinkindot.com^ +||tracking.smartmeapp.com^ +||tracking.univtec.com^ +||trsbf.com/static/fbs.min.js +||webpixel.smartmeapp.com^ ! Swedish ||aftonbladet.se/blogportal/view/statistics?$third-party ||collector.schibsted.io^ -||counter.mtgnewmedia.se^ -||evt.klarna.com^ -||stats.dominoplaza.com^ +||eniro.com/pixel/ +||evt-api.ntm.eu^ +||impression-tracker-service-5eimuebuhq-lz.a.run.app^ +||pji.nu/libs/pjpixel/ ||vizzit.se^$third-party +! Tajik +||pixel.smartmedia.tj^ ! Thai ||sal.isanook.com^ ||stat.matichon.co.th^ ! Turkish -||analytic.piri.net^ -||analyticapi.piri.net^ -||hit.dogannet.tv^ -||st.tmgrup.com.tr^ +||0.myikas.com^ +||analitik.bik.gov.tr^ +||analytics.cdnstr.com^$third-party +||analytics.faprika.net^ +||analytics.kkb.com.tr^ +||analytics.qushad.com^ +||analytics.turk.pro^$third-party +||c.keltis.com^ +||collector.wawlabs.com^ +||daioncdn.net/events? +||eticaret.pro/pixel/ +||hulyagedikci.com/vhit.php? +||iyzipay.com/buyer-protection/assets/js/analytics.js +||izinal.com/log +||log.collectaction.com^ +||sayac.kapital.com.tr^ +||statistics.daktilo.com^ +||stats.vidyome.com^ +||traffic.wdc.center^ +||web.tv/analytics/ ! Ukranian -||counter.opinion.com.ua^ ||informers.sinoptik.ua^ -||mgz.com.ua/counter.php? ||top.zp.ua/counter/ +||tracker.multisearch.io^ +||tracker.prom.ua^ +||webvitals.luxnet.ua^ ! Vietnamese -||analytics.mecloud.vn^ +||accesstrade.vn/js/trackingtag/ +||analytics.yomedia.vn^ +||f-emc.ngsp.gov.vn^ +||fpt.shop/fa_tracking.js +||px.dmp.zaloapp.com^ +||st-a.cdp.asia^ +||tracking.aita.gov.vn^ +||tracking3.vnncdn.net^ +||za.zalo.me^ +||za.zdn.vn^ +||zalo.me/v3/w/_zaf.gif ! -----------------Individual tracking systems-----------------! ! *** easylist:easyprivacy/easyprivacy_specific.txt *** -.gif?*&utm_$domain=livejasmin.com -/fam/view.php?$domain=cnet.com -/viewtrack/track?$domain=hulu.com -|blob:$domain=iamdisappoint.com|shitbrix.com|tattoofailure.com -|blob:$image,domain=jpost.com -||123greetings.com/usr-bin/view_sent.pl? -||123rf.com/j/ga.js -||123rf.com/tk/ -||123rf.com/tr/ -||1337x.to/ip.php -||192.com/log/ -||198.105.253.2/lvl3/$image,domain=searchguide.level3.com -||1e400.net/tracking.js -||213.8.193.45/themarker/$domain=haaretz.com -||24hourfitness.com/includes/script/siteTracking.js -||37signals.com/ga.js -||3dcartstores.com/3droi/monstertrack.asp -||3dmark.com^*/ruxitbeacon -||3rdeye.spankbang.com^ +||1024tera.com/api/analytics? +||123rf.com/apicore-index/traffic_log +||40svintageporn.com/hit ||4hds.com/js/camstats.js -||4info.com/alert/listeners/ -||5.153.4.92^$domain=spreaker.com -||5min.com/PSRq? -||5min.com/PSRs? -||69.25.121.67/page_load?$domain=theverge.com -||6waves.com/trker/ -||79.125.21.168/i.gif? -||86.63.194.248/js/measure.js$third-party,domain=feedcat.net -||99bitcoins.com/_load/ -||9msn.com.au/share/com/js/fb_google_intercept.js -||9msn.com.au^*.tracking.udc. -||a.huluad.com/beacons/ -||a.jango.com^ -||a7.org/infol.php? +||4kporn.xxx/static/analytics/ +||4shared.com/js/d1VisitsCounter.4min.js +||6pm.com/err.cgi? +||6pm.com/onload.cgi? +||6pm.com/track.cgi? +||9gag.com/event/ +||9gag.com/track/ +||a-da.invideo.io^ +||a-reporting.nytimes.com^ +||a.electerious.com^ +||a.tellonym.me^ +||a10.nationalreview.com^ ||aa.avvo.com^ -||aax-us-iad.amazon.com^ -||abc.net.au/counters/ -||abc.net.au^*/stats/ -||abeagle-public.buzzfeed.com^ -||abebooks.com/timer.gif? -||about.me/wf/open? -||abplive.in/analytics/ -||academia.edu/record_hit -||accountnow.com/SyslogWriter.ashx -||accuradio.com/static/track/ -||accuratefiles.com/stat +||aawsat.com/pageview/ +||aax-eu-dub.amazon.com^$script +||aax-us-iad.amazon.com^$script +||ab-machine.forbes.com^ +||ab.chatgpt.com/v1/rgstr +||ab.fanatical.com^ +||about.me/track? +||abysscdn.com/cdn-cgi/trace +||academia.edu/record_hit? +||acast.com/api/stats +||accor.com/g/collect? ||accuterm.com/data/stat.js -||aclst.com/ping.php? -||aclu.org/aclu_statistics_image.php -||acookie.alibaba.com^ -||acronymfinder.com/~/st/af.js -||activity.frequency.com^ -||activity.homescape.com^ -||ad2links.com/lpajax.php? -||adapd.com/addon/upixel/ -||adc.9news.com.au^ -||adc.api.nine.com.au^ -||adc.nine.com.au^ -||adf.ly/omni*.swf -||adguru.guruji.com^ -||adidas.com/analytics/ -||adidas.com^*/analytics/ -||adprimemedia.com^*/video_report/attemptAdReport.php? -||adprimemedia.com^*/video_report/videoReport.php? -||adroll.com/pixel/ +||acronymfinder.com/~/tr.ashx +||actionviewphotography.com/api/stats? +||activate.latimes.com/pc/caltimes/?pulse2001= +||active.com/ig.track.js +||activity.fiverr.com^ +||adalytics.io/api/view +||adblockeronstape.me/stat/ +||adblockeronstreamtape.me/stat/ +||adblockeronstreamtape.xyz/stat/ +||adblockeronstrtape.xyz/stat/ +||adblockplustape.xyz/stat/ +||adblockstreamtape.art/stat/ +||adblockstreamtape.fr/stat/ +||adblockstreamtape.site/stat/ +||adblocktape.online/stat/ +||adblocktape.store/stat/ +||adblocktape.wiki/stat/ +||adc-js.nine.com.au^ +||adguard.com/-/event/ +||adl.bankofthewest.com^ +||adobe.io/system/log +||adobe.io/web/v1/metrics +||adtech-events.bookmyshow.com^ ||adv.drtuber.com^ -||advancedmp3players.co.uk/support/visitor/index.php? -||advancedtracker.appspot.com^ -||advfn.com/space.gif? -||adwiretracker.fwix.com^ -||aexp-static.com/api/axpi/omniture/s_code_serve.js?$domain=serve.com -||affiliate.mercola.com^ -||affiliate.productreview.com.au^ -||affiliate.resellerclub.com^ -||affiliates.genealogybank.com^ -||affiliates.londonmarketing.com^ -||affiliates.mozy.com^ -||affiliates.myfax.com^ -||affiliates.treasureisland.com^ -||affiliates.vpn.ht^ -||afterdawn.com/views.cfm? -||agendize.com/analytics.js -||aggregator.inquisitr.com^ -||agoda.net/js/abtest/analytics.js -||ai.inmdata.io^ -||ai.iol.io^ -||airbnb.*/tracking/ -||airfrance.com/s/?tcs= -||airspacemag.com/g/g/button/ -||akamai.net^$script,domain=argos.co.uk|newscientist.com|upwork.com -||akamai.net^*/button.clickability.com/ -||akamaihd.net/pixelkabam/ -||alarabiya.net/track_content_ -||alarabiya.net^*/googleid.js +||advancedmp3players.co.uk/themes/basic/js/analytics.js +||advertisertape.com/stat/ +||adweek.com/wp-content/plugins/adw-parsley/ +||aegis.trovo.live^ +||aerlingus.com/ahktqsewxjhguuxe.js +||agbi.com/kqmp6? +||agoda.net/v2/track +||aim.cloudflare.com/__log +||airtable.com/internal/ +||airtel.in/analytics/pixel? +||aiv-delivery.net/Events/ +||aiv-delivery.net/v1/ReportEvent +||akamaihd.net/paay6hyr.gif? ||alb.reddit.com^ -||alibaba.com/js/beacon_ -||alicdn.com/js/aplus_*.js -||aliexpress.com/js/beacon_ +||alicdn.com/AWSC/et/ +||aliexpress.com/ts? ||alipay.com/web/bi.do?ref= -||allcarpictures.com/stat/ -||allexperts.com/px/ -||allmodern.com^*/sessioned_reqs.asp? -||allmovieportal.com/hostpagescript.js -||allvoices.com/track_page -||alot.com/tb/cookiewriter.php? -||amazon.*/action-impressions/ -||amazon.*/ajax/counter? -||amazon.*/batch/*uedata=$image -||amazon.*/gp/r.html? -||amazon.*/record-impressions? -||amazon.*/uedata/ -||amazon.com/clog/ +||aljazeera.com/thirdparty/nr.js +||allaboutberlin.com/whoisthere.js +||allevents.in/actracker/ +||alljapanesepass.com/ascripts/gcu.js +||alljapanesepass.com/rstat +||als-svc.nytimes.com^ +||altruja.de/js/micro/integration-ga.js +||alwayslucky.com/platform/webvitals +||amazon.com/1/aiv-web-player/1/OE^ +||amazon.com/1/events/$domain=~aws.amazon.com +||amazon.com/e/xsp/imp? ||amazon.com/empty.gif?$image -||amazon.com/gp/yourstore/recs/ -||amazon.com^*/amazon-clicks/ -||amazon.com^*/events/$domain=~aws.amazon.com -||amazon.com^*/token/ -||amazon.com^*/vap-metrics/ -||amazonaws.com/beacon/vtpixpc.gif? -||amazonaws.com^*/pzyche.js -||amcnets.com/cgi-bin/true-ip.cgi -||amd.com/us/as/vwo/vwo_ -||amp.virginmedia.com^ -||amy.gs/track/ -||analysis.focalprice.com^ -||analytic.imlive.com^ -||analytics.247sports.com^ -||analytics.adfreetime.com^ +||americanexpress.com/beacon +||amethyst.6pm.com^ +||amethyst.zappos.com^ +||amiunique.org/analytics.js +||amnesty.org/collect/ +||amplitude.chess.com^ +||ampltd.medal.tv^ +||ampltd.top.gg^ +||ampltd2.medal.tv^ +||anal.doubledouble.top^ +||analytics-api.dvdfab. +||analytics-batch.blitz.gg^ +||analytics-dataplane.invideo.io^ +||analytics-proxy.springboard.com^ +||analytics-server.arras.cx^ +||analytics-tracking.meetup.com^ +||analytics-wcms.joins.net^ +||analytics-zone-1.api.leadfamly.com^ +||analytics.3c5.com^ +||analytics.academy.com^ +||analytics.ahrefs.dev^ ||analytics.archive.org^ -||analytics.bloomberg.com^ +||analytics.bitchute.com^ ||analytics.brave.com^ -||analytics.ecosia.org^ +||analytics.chase.com^ +||analytics.cookiefirst.dev^ +||analytics.crazygames.com^ +||analytics.designspiration.com^ ||analytics.eip.telegraph.co.uk^ -||analytics.femalefirst.co.uk^ +||analytics.faceitanalytics.com^ +||analytics.footballdb.com^ +||analytics.freemake.com^ +||analytics.gamesdrive.net^ +||analytics.getshogun.com^ ||analytics.global.sky.com^ -||analytics.go.com^ -||analytics.gorillanation.com^ -||analytics.hindustantimes.com^ -||analytics.ifood.tv^ -||analytics.iraiser.eu^ -||analytics.islamicfinder.org^ -||analytics.jabong.com^ -||analytics.localytics.com^ -||analytics.mindjolt.com^ -||analytics.newsinc.com^ -||analytics.ngfiles.com^ -||analytics.omgpop.com/log +||analytics.hashnode.com^ +||analytics.inquisitr.com^ +||analytics.kaggle.io^ +||analytics.makeitmeme.com^ +||analytics.maxroll.gg^ +||analytics.ml.homedepot.ca^ +||analytics.mouthshut.com^ +||analytics.nike.com^ +||analytics.ovh.com^ +||analytics.oyorooms.com^ +||analytics.pgncs.notion.so^ ||analytics.plex.tv^ -||analytics.posttv.com^ -||analytics.schoolwires.com^ -||analytics.services.distractify.com^ -||analytics.shorte.st^ -||analytics.skyscanner.net^ +||analytics.productreview.com.au^ +||analytics.qogita.com^ +||analytics.realestate.com.au^ +||analytics.silktide.com^ ||analytics.slashdotmedia.com^ -||analytics.socialblade.com^ -||analytics.spankbang.com^ -||analytics.sportybet.com^ -||analytics.teespring.com^ -||analytics.thenest.com^ -||analytics.thenewslens.com^ -||analytics.thetab.com^ -||analytics.thevideo.me^ +||analytics.synchrony.com^ +||analytics.ticketmaster. +||analytics.tomato.gg^ ||analytics.tradedoubler.com^ -||analytics.twitter.com^ -||analytics.upworthy.com^ -||analytics.us.archive.org^ -||analytics.volvocars.com^ -||analytics.wetpaint.me^ -||analytics.whatculture.com^ -||analytics.yahoo.com^ -||analytics.zg-api.com^ -||analyze.yahooapis.com^ -||analyzer52.fc2.com^ -||androidcommunity.com/ws/?js +||analytics.vedantu.com^ +||analytics.vortexscans.com^ +||analytics.wavebox.io^ +||analytics.yugen.to^ +||analyticsapi.qogita.com^ +||ancestry.com/core.js ||androidfilehost.com/libs/otf/stats.otf.php? -||androidtv.news/ezoic/ -||angelfire.com/cgi-bin/count.cgi -||annoncesbateau.com/xtcore.js -||anntaylor.com/webassets/*/page_code.js ||anon-stats.eff.org^ -||anp.se/track? -||answers.com/resources/tac.html -||any.gs/track/ -||aol.ca/track/ -||aol.co.uk/track/ -||aol.com/articles/traffic/ -||aol.com/beacons/ -||aol.com/master/? -||aol.com/metrics/ -||aol.com/track/ -||apartments.com^*/al.gif? -||api.tinypic.com/api.php?action=track -||apkpure.com/analytics_ -||apnews.com/logger -||apphit.com/js/count.js -||apple.com^*/spacer2.gif? -||applifier.com/users/tracking? -||appspot.com/tracking/ -||archive.org^*/analytics.js -||arcpublishing.com^*/datapoint/save -||armystudyguide.com/hqxapi/it? -||arstechnica.co.uk/services/incr.php?stats$xmlhttprequest -||arstechnica.com/*.ars$object -||arstechnica.com/dragons/breath.gif -||arstechnica.com/services/incr.php?stats$xmlhttprequest -||arstechnica.com/|$object -||arstechnica.com^*.gif?id= -||arstechnica.com^*/|$object -||art.co.uk/asp/robot/ -||art.com/asp/robot/ -||art.com/asp/UTERecording.asp -||asianblast.com/statx/ -||ask.com/servlets/ulog? -||askmen.com/tracking/ -||associatedcontent.com/action_cookie -||astrology.com/visits/ -||atax.gamermetrics.com^ -||atax.gamespy.com^ -||atax.gamestats.com^ -||atax.ign.com^ -||atax.teamxbox.com^ -||athena.mysmartprice.info^ -||athenatmpbeacon.theglobeandmail.ca^ -||atlantafalcons.com/wp-content/*/metrics.js -||atlantis.com/_scripts/tsedge/pagemarker.gif? -||atlas.astrology.com^ -||atrack.allposters.com^ -||atrack.art.com^ -||atracktive.collegehumor.com^ -||att.com/csct.gif? -||attachmate.com*/pv.aspx? -||audible.com^*/uedata/ -||audit.macworld.co.uk^ -||audit.pcadvisor.co.uk^ -||audiusa.com/us/brand/en.usertracking_javascript.js -||auriq.com/asp/aq_tag. -||autoblog.com/traffic/ -||autobytel.com/content/shared/markerfile.bin -||autopartswarehouse.com/thirdparty/tracker? -||autosite.com/scripts/markerfile.bin? -||autotrader.co.uk/page-tracking/ -||autotrader.co.za/log/ -||autozone.com^*/analytics.js -||avg.com^*/stats.js -||avira.com/site/datatracking? -||avitop.com^*/hitlist.asp -||aviva.co.uk/metrics/ -||avstop.com^*/poll.gif? -||axa.com/elements/js/wreport.js -||azfamily.com/images/pixel.gif -||b-aws.techcrunch.com^ -||b.huffingtonpost.com^ -||b.imwx.com^ -||b.myspace.com^ -||b.photobucket.com^$~object-subrequest -||baidu.com/ecom? -||baidu.com/js/log.js -||baidu.com/location/ip? -||bandstores.co.uk/tracking/scripts/ -||banggood.com/?p= -||bangkokpost.com/spac/spac.js -||bankofamerica.com/cookie-id.js -||barcelo.com^*/Tracking.js -||barclaycard.co.uk/cs/static/js/esurveys/esurveys.js -||barnesandnoble.com/Analytics/ -||barrons.com^*/blank.htm -||bat.adforum.com^ +||antiadtape.com/stat/ +||apartments.com/clientvisit/al.gif? +||apester.com/cookie/bundle.js +||api-hotmart-tracking-manager.hotmart.com^ +||api-js.mixpanel.com^ +||api-router.kaspersky-labs.com/logger2/metrics/ +||api.audio.com/analytics/event +||api.channel.io/*/events +||api.doodle.com/data-layer/track +||api.ffm.to/sl/e/$image +||api.invideo.io/v3/send_analytics_event +||api.narrativ.com/favicon.ico +||api.samsungfind.com/log-collector +||api.streamelements.com/science/ +||api.takealot.com^$ping +||api.tsc.ca/Tracking/v1/events/ +||api.vk.com/method/statEvents. +||app-bnkr.b-cdn.net/js/lv.js +||app.box.com/app-api/split-proxy/api/metrics +||app.box.com/gen204 +||appanalysis.banggood.com^ +||apple-mapkit.com/mw/v1/reportAnalytics +||argtesa.com/cdn-cgi/trace +||armedangels.com/javascript/script.js +||arttrk.com/pixel/ +||as.coinbase.com/metrics +||assets.prod.abebookscdn.com/cdn/com/scripts/abepixel-$domain=abebooks.com +||ats.alot.com^ +||audacy.com/data-events/ +||aulart.com/wp-admin/admin-ajax.php?data_send=pageView +||aurum.tirto.id^ +||auth.services.adobe.com/signin/v1/audit +||autotrader.com/*/pep?pixallId +||autotrader.com/pixall/ +||avitop.com/aviation/hitlist.asp +||b629.electronicdesign.com^ +||ba-bamail.com/handlers/stats.ashx +||backcountry.com/api/log +||backend.academy.cs.cmu.edu/api/v0/event/ +||baidu.com/static/h.gif +||baidu.com^*/mwb2.gif? +||baidu.com^*/wb.gif? +||banggood.com/collectBanner? +||banggood.com/collectException +||bangkokpost.com/hits/ +||barrons.com/cookies/pixel.gif +||bat.maydream.com^ ||bats.video.yahoo.com^ -||baxter.com/includes/wtss.js -||bayer.com^*/analytics.js -||bayer.com^*/sp.gif? -||bbc.co.uk/analytics? -||bbc.co.uk^*/tracker.js -||bbc.co.uk^*/vs.js -||bbci.co.uk/archive_stats/ -||bbci.co.uk^*/analytics.js -||bc.yahoo.com^ -||bcm.itv.com^ -||beacon-1.newrelic.com^ -||beacon.ehow.com^ -||beacon.examiner.com^ -||beacon.indieclicktv.com^ -||beacon.lycos.com^ -||beacon.netflix.com^ -||beacon.nuskin.com^ -||beacon.search.yahoo.com^ +||bcbits.com/bundle/bundle/1/analytics-$domain=bandcamp.com +||bcbits.com/bundle/bundle/1/impl-$domain=bandcamp.com +||beacon.dropbox.com^ +||beacon.samsclub.com^ ||beacon.shazam.com^ -||beacon.toyota.co.jp^ +||beacon.shutterfly.com^ ||beacon.walmart.com^ ||beacon.wikia-services.com^ -||beacon.www.theguardian.com^ -||beacons.helium.com^ -||beacons.vessel-static.com/xff? -||beacons.vessel-static.com^*/pageView? -||beap-bc.yahoo.com^ -||beeg.com/logo.gif? -||bench.uc.cn^ -||bermudasun.bm/stats/ -||bestofmedia.com/i/tomsguide/a.gif -||bestofmedia.com/sfp/js/boomerang/ -||betfair.com/1x1.gif -||betway.com/snowflake/? -||beyond.com/common/track/trackgeneral.asp -||bhg.com^*/tracking-data? -||bi.medscape.com^ -||bidz.com/contentarea/BidzHomePixel -||binaries4all.nl/misc/misc.php?*&url=http -||bing.com/fd/ls/$~ping -||bing.com/partner/primedns -||bing.com/widget/metrics.js -||bing.com^*/GLinkPing.aspx -||biosphoto.com^*/stats/ -||birthvillage.com/watcher/ -||bit.ehow.com^ -||bits.wikimedia.org/geoiplookup -||blackplanet.com/images/shim.gif -||blankfire.com^*_.gif -||blastingnews.com/?newsid= -||blastro.com/log_player_actions.php -||bleacherreport.com/api/hit.json? -||blekko.com/a/track? -||blick.ch/stats/ -||blinkbox.com/tracking -||blinkist.com/t? -||blip.tv/engagement? -||blockchain.info/Resources/analytics.js -||bloomberg.com/apps/data?referrer -||bloxcms.com^*/tracker.js -||bluenile.ca/track/ -||bluenile.co.uk/track/ -||bluenile.com/track/ -||bn.adultempire.com^ -||boards.ie/timing.php? -||boats.com/images/tracking/ -||booking.com/error_catcher? -||booking.com/load_times? +||beacons.digital.disneyadvertising.com^ +||bearblog.dev/hit/ +||beforeitsnews.com/core/ajax/counter/count.php^ +||behance.net/log +||behance.net/v2/logs +||bestpornsites.tv/i/js/extra/metrics.js +||bfp.capitalone.com^ +||bgro41vnmb.execute-api.us-east-2.amazonaws.com/production$domain=masterworks.com +||bhphotovideo.com/aperture/shared/js/dataLayer.js +||bi.banggood.com^ +||bigw.com.au/api/event/ +||bigw.com.au/events/ +||bing.com/fd/ls/GLinkPing.aspx? +||bing.com/geolocation/write? +||bing.com/mouselog +||bing.com/notifications/render? +||bing.com/rewardsapp/reportActivity? +||binocule21c.merriam-webster.com^ +||biomedcentral.com/track/ +||bitchute.com/data/script.js +||blitz-analytics-batch-server.blitz.gg^ +||blockworks.co/_vercel/insights/ +||blue.nbc4i.com^ +||bmoharris.com/www/assets/analytics/loader.js +||bonprix.*/ajax/landmarks/ +||bonprix.*/ajax/marketing-parameters/ +||booking.com/c360/v1/track +||booking.com/collector/ ||booking.com/logo? -||booking.com/navigation_times? -||booking.com/track_join_app_landing? -||boston.com/upixel/ -||box.com/gen204? -||brandrepublic.com/session-img/ -||branica.com/counter.php? -||brazzerscontent.com/atlas/ -||bridgetrack.com/site/ -||bridgetrack.com/track/ -||brightcove.com/1pix.gif? -||broadbandchoices.co.uk/track.js -||broadwayworld.com/regionalbug.cfm? -||brobible.com/?ACT -||bulb.76.my^ -||bulgari.com/bulgari/wireframe_script/BulgariGa.js -||business.com/images2/anal.gif? -||businessinsider.com/tracker.js -||businessinsider.com^*/track.js -||buto.tv/track/ -||buzzamedia.com/js/track.js -||buzzfed.com/pixel? -||buzzfed.com^*/pound.js -||buzzfeed.com^*/small.gif? -||buzzfeed.com^*/tracker.js -||buzzurl.jp/api/counter/ -||c.ipaddress.com^ -||c.microsoft.com^ -||c.newsinc.com^ -||c.paypal.com^ +||booking.com/navigation_times +||booking.com/sendlayoutevents +||boomerang.dell.com^ +||box.com/index.php?rm=box_gen204_batch_record +||brightside.me/metric-collector +||browse-privately.net/event/ +||browsealoud.com/plus/scripts/$script +||browserling.com/api/stats-browsing +||bugsnag.shopbop.amazon.dev^ +||builder.io/api/v1/track +||buondua.com/hit/ +||butterfly-api.masterworks.com/v1/ +||butterly.com/node_modules/detect.js/detect.min.js +||buzzfeed.com/destination-sync.html +||bwbx.io/s3/javelin/public/hub/js/abba/$script,domain=bloomberg.co.jp|bloomberg.com +||byteoversea.com/monitor_web/ +||c.arstechnica.com^ +||c.fingerprint.com^ +||c.gq.com^ +||c.newyorker.com^ +||c.paypal.com^$image,script +||c.thredup.com^ +||c.vanityfair.com^ +||c.vogue.com^ +||c.wired.com^ ||c.wort-suche.com^ -||c.x.oanda.com^ -||c.ypcdn.com^*/webyp?rid= -||caller.com/metrics/ -||candy.com/3droi/ -||canoe.ca/generix/ga.js -||canstockphoto.com/monitor/ -||capitalone.com/tracker/ -||cardomain.com/js/tibbylog.js? -||cardstore.com/affiliate.jsp? -||carmagazine.co.uk^*/tracking.js -||carmax.com/ping? -||cars.com^*/analytics.js -||cartier.co.uk^*/eyeblaster. -||cartoonnetwork.com/tools/js/clickmap/ -||cartoonnetwork.com^*/brandcma.js +||c.xbox.com^ +||c.ypcdn.com^$domain=yellowpages.com +||camgirls.casa/p.php +||campsaver.com/nelmio-js-logger/ +||canstockphoto.com/server.php?rqst=track +||canva.com/_ajax/ae/createBatch +||capital.com^$ping +||capitalone.com/collector/ +||cargurus.com/cars/cganalyticspageview.action +||cargurus.com/tr/ +||carsandbids.com/a/p ||cbc.ca/g/stats/ -||cbox.ws/box/relay.swf? -||cbox.ws^*/relay.swf?host= -||cbs.com/assets/js/*AdvCookie.js -||cbs.wondershare.com^ -||cbsimg.net/js/cbsi/dw.js -||cbsnews.com/i/trk/ -||cbssports.com/common/p? -||cclickvidservgs.com/mattel/cclick.js -||cctv.com/eg.js -||cctv.com^*/SnoopStat? -||cd.musicmass.com^ -||cdnstats.tube8.com^ -||cellstores.com/tracking/ -||cem.hotelsapi.io^ +||cc.cc/visit_log_ajax/visit_log_save_ajax.php? +||cdn.jsdelivr.net/npm/@adshield/ ||centerblog.net/stats.js -||cert.org/images/1pxinv.gif -||cfr.org/js/ga.*js -||cgi.nch.com.au^*&referrer -||chanel.com/js/flashtrack.js -||channel4.com/foresee_c4/ -||charter.com/static/scripts/mock/tracking.js -||cheapflights.com/ic/*.gif? -||cheapsalesconsulting.com/adaptive.php? -||cheezburger.com/api/visitor -||chelseafc.com^*/tracking.js -||china.com/statistic.js -||china.com^*/endpage_footer.js -||chip.eu^*/pic.gif? -||chkpt.zdnet.com^ -||chron.com/javascript/cider/ -||chud.com/community/p/ -||chunk.bustle.com^ -||civicscience.com/jot? -||cjtube.com/tp/*.php -||cl.expedia.com^ -||cl.ly/metrics? -||clancy.spiceworks.com/gov.js -||classic.comunio.*/external/ct/ct.js -||clc.stackoverflow.com^ -||clck.yandex.com^ -||clck.yandex.ru^ -||click.aliexpress.com^$image,script -||click.engage.xbox.com^ -||click.jasmin.com^ -||click.livejasmin.com^ -||click.mmosite.com^ -||click.oneplus.com^ -||click.udimg.com^ -||click2.cafepress.com^ -||clicks.hurriyet.com.tr^ -||clicks.traffictrader.net^ -||client-event-reporter.twitch.tv^ -||clientlog.portal.office.com^ -||climatedesk.org*/pixel.gif -||clk.about.com^ -||clkstat.china.cn^ -||clog.go.com^ -||cloudfront.net/amznUrchin.js -||cloudfront.net/bbc-filter.js -||cloudfront.net/dm.js$domain=dailymotion.com -||cloudfront.net/m/princess/ae.js -||cloudfront.net/m/princess/ae.live.js -||cloudfront.net/pages/scripts/0011/0794.js$domain=sourceforge.net -||cloudfront.net/photo/*_tp_*.jpg$domain=9gag.com +||cgtn.com/api/collect/ +||ch3ngl0rd.com/hit/ +||change.org/api-proxy/-/bandit/pull +||change.org/api-proxy/-/et +||change.org/api-proxy/-/event_tracker +||channel.io/front/v*/channels/*/events +||chatfuel.com/cf-analytics/ +||chatgpt.com/ces/v1/t +||chatroll.com/t.gif +||chewy.com/api/event/ +||chickadvisor.com/js/detect.min.js +||chronicle.medal.tv^ +||cidrap.umn.edu/core/modules/statistics +||cisco.com/c/dam/cdc/j/at.js +||civitai.com/api/page-view +||civitai.com/api/trpc/track.addView +||cl.canva.com^ +||cl.t3n.de^ +||clanker-events.squarespace.com^ +||clarice.streema.com^ +||classdojo.com/logs/ +||classistatic.com^*/js/lib/prebid-7.5.0.min.js$script,domain=kijiji.ca +||claude.ai/sentry^ +||click.aliexpress.com^$image +||click.nudevista.com^ +||clickindia.com/cimem/ad-post-ajax.php?FormName=browsingHistory +||client-log.box.com^ +||client-metrics.chess.com^ +||cloudflare.com/_cf/analytics.js +||cloudfront.net/tracker-latest.min.js ||cloudfront.net/vis_opt.js ||cloudfront.net/vis_opt_no_jquery.js -||cls.ichotelsgroup.com^ -||clvk.viki.io^ -||clyp.it^*/log^ -||cmap.alibaba.com^ -||cmstrendslog.indiatimes.com^ -||cmstrendslog.timesnow.tv^ -||cnn.com/analytics/ -||cnt.nicemix.com^ -||cnt.nuvid.com^ +||cloudzilla.ai/ingest/ +||clp-mms.cloudpro.co.uk^ +||cm-mms.coachmag.co.uk^ +||cm.nordvpn.com^ +||cmp.vg.no^*/metrics/ +||cms-stats-view.vitrinabox.com^ +||cnt.hd21.com^ +||cnt.iceporn.com^ +||cnt.viptube.com^ ||cnt.vivatube.com^ -||codecguide.com/stats.js -||codeweblog.com/js/count.js -||coherentpath.com/tracker/ -||collarity.com/ucs/tracker.js -||collect.sas.com^ -||collect2.sas.com^ -||collection.theaa.com^ -||collector*.xhamster.com^ -||collector-cdn.github.com^ -||collector-medium.lightstep.com^ +||cnt.xhamster.com^ +||codecademy.com/analytics/ +||coincheckup.com/report_events/ +||coincodex.com/cdn-cgi/trace +||cointelegraph.com/pixel? +||collect.air1.com^ +||collect.alipay.com^ +||collect.asics.com^ +||collect.banggood.com^ +||collect.deel.com^ +||collect.hollisterco.com^ +||collect.klove.com^ +||collect.reagroupdata.com.au^ +||collect.stepstone.co.uk^ +||collect.thunder-io.com^ +||collector-direct.xhamster.com^ +||collector-px0py5pczn.octopart.com^ +||collector.cint.com^ +||collector.fiverr.com^ +||collector.github.com^ ||collector.githubapp.com^ -||collector.ksax.com^ -||collector.kstptv5.com^ -||collector.prod.expedia.com^ -||collector.shopstream.co^ -||collector.shorte.st^ -||collector.statowl.com^ -||collector.tescocompare.com^ -||collector.trendmd.com^ -||collegehumor.com/track.php? -||commentarymagazine.com^*/track.asp? -||commercialappeal.com/metrics/ -||comms-web-tracking.uswitchinternal.com^ -||compare.easyvoyage. -||computerarts.co.uk/*.php?cmd=site-stats -||computershopper.com/wsgac/ -||computing.co.uk^*/webtrends.js -||confirm-referer.glrsales.com^ -||consumerreports.org^*/js/conversion.js -||contadores.bolsamania.com^ -||cookpad.com^*/init.js -||cooksunited.co.uk/counter*.php? -||cooksunited.co.uk^*/pixel/ -||coolertracks.emailroi.com^ -||cooliris.com/shared/stats/ -||cosmopolitan.co.za/rest/track/ -||count.livetv.ru^ -||count.livetv.sx^ -||count.prx.org^ +||collector.megaxh.com^ +||collector.pi.spectrum.net^ +||collector.quillbot.com^ +||collector.taoxh.life^ +||collector.xhaccess.com^ +||collector.xhamster.com^ +||collector.xhamster.desi^ +||collector.xhamster2.com^ +||collector.xhamster3.com^ +||collector.xhamsterporno.mx^ +||collider.com/strpixel.png +||colvk.viki.io^ +||confiant.msn.com^ +||configurator.ecom-mobile-samsung.com/api/logger +||connatix.com/scripts/$~third-party +||connatix.com/us/google/ +||connect.airfrance.com/ach/api/event^ +||connecteam.com/bi/api/ReportHit/ +||consent.api.osano.com/record +||consent.ghostery.com/v1.js +||consent.trustarc.com/bannermsg? +||consent.trustarc.com/noticemsg? +||console-telemetry.oci.oraclecloud.com^ +||consumer.org.nz/session/ping/ +||containers.appdomain.cloud/api/send-log$domain=ibm.com +||cookpad.com/*/activity_logs +||copilot-telemetry.githubusercontent.com^ +||count.darkreader.app^ ||count.rin.ru^ -||counter.entertainmentwise.com^ -||counter.joins.com^ -||counter.promodeejay.net^ -||counter.sina.com.cn^ -||counter.theconversation.edu.au^ -||counter.zerohedge.com^ -||coupons.com/pmm.asp -||courierpress.com/metrics/ -||coursera.org/wf/open? -||coveritlive.com/1/sts/view? +||counter.darkreader.app^ +||coursehero.com/v1/data-tracking +||coursera.org/eventing +||cpb.esprit.*/91405.js ||cpt.itv.com^ -||cr-eec.etp-prod.com^$xmlhttprequest,domain=crunchyroll.com -||cracked.com/tracking/ -||crackle.com/tracking/ -||creativecommons.org/elog/ -||creativecommons.org^*/triples? -||creativefactory.zalando. -||creditcards.com/actions/page_view.php? -||creditcards.com/sb.php? -||crowdignite.com/img/l.gif -||crunchsports.com/tracking_fetchinfo.aspx? -||crunchyroll.com/ip -||crunchyroll.com/tracker -||crunchyroll.com^*/breadcrumb.js -||ct.buzzfeed.com^ -||ct.cnet.com/opens? -||ctscdn.com/content/tracking- -||current.com/tracking.htm? -||customerservicejobs.com/common/track/ -||cyberlink.com/analytics/ -||da.virginmedia.com^ -||dabs.com/AbacusTest/clientinfo_bk.gif +||creately.com/static/js/creately-analytics- +||crta.metro.co.uk^ +||crumbs.robinhood.com^ +||crunchyroll.com/tracker? +||cryo.socialblade.com^ +||cstats.sankakucomplex.com^ +||cultofmac.com/djrxqhzkbsgf.js +||cvs.com/tnadstlinj.js +||cwt.citywire.info^ +||d.analyticsmania.com^ +||d.skk.moe^ +||d401.dollartree.com^ +||d712.theinformation.com^ +||dabu.askmediagroup.com^ +||dailymail.co.uk/geo/ ||dailymail.co.uk/rta2/ -||dailymail.co.uk/tracking/ ||dailymotion.com/logger/ -||dailymotion.com/track- -||dailymotion.com/track/ -||dailymotion.com^*/analytics.js -||dailymotion.com^*/tag.gif? -||dainikbhaskar.com/tracking/ -||data.mic.com^ -||data.ninemsn.com.au/*GetAdCalls -||data.ryanair.com^ +||darkreader.org/data/top-backers.json +||darkreader.org/elements/backers- +||darkreader.org/elements/statistics.js +||data.allstate.com^ +||data.cheatography.com/banana.js +||data.guide.photobucket.com^ +||data.torry.io^ +||data.ublock-browser.com^ +||data.webullfintech.com/event/ +||data.whop.com/api/v1/track/ ||data.younow.com^ -||datacollector.coin.scribol.com^ -||datehookup.com/strk/dateadvertreg? -||daum.net^*/dwi.js -||db.com^*/stats.js? +||datadoghq.com/assets/dd-browser-logs-rum.js +||datadome.maisonsdumonde.com^ +||datayze.com/callback/record_visit? +||datum.jsdelivr.com^ +||dbhsejcg-meetup-com.cdnjs.network^ ||dc.banggood.com^ -||dccss.banggood.com^ -||dcs.mattel.com^ -||dcs.maxthon.com^ -||dealnews.com/lw/ul.php? -||debtconsolidationcare.com/affiliate/tracker/ -||debug-vp.webmd.com^ -||dell.com/images/global/js/s_metrics*.js -||dell.com/metrics/ -||depositfiles.com/stats.php -||derkeiler.com/gam/tag.js -||desa.fkapi.net^ -||desb.fkapi.net^ -||designtaxi.com/tracker.php -||despegar.com/t? -||desr.fkapi.net^ -||destructoid.com/img2.phtml? -||diag.doba.com^ -||diamond.transfermarkt.de^ -||dictionary.com/track/ -||diet.rodale.com^ -||digitalriver.com^*/globaltracking -||digitalspy.co.uk/gip1.php -||dilbert.com^*&tracker$script -||dippic.com/cgi-bin/index_dl.cgi? -||discordapp.com^*/track -||displaymate.com/cgi-bin/stat/ -||divxden.com^*/tracker.js -||djtunes.com^*&__utma= -||dl.meliacloud.com^ -||dmcdn.net/pxl/$domain=dailymotion.com -||dmcdn.net/track/$domain=dailymotion.com -||dmeserv.newsinc.com^ -||dmp.marketgid.com^ -||dmtracking2.alibaba.com^ -||dmtrk.com/*/o.gif -||docs.google.com/stat|$xmlhttprequest -||docstoc.com/metrics/ -||dogpile.com/__kl.gif +||dcf.espn.com/privacy/ +||dd.auspost.com.au^ +||dd.nytimes.com^ +||ddome-tag.blablacar.com^ +||dealdash.com/tracker-json +||dealnews.com/lw/ul.php +||deepl.com/web/statistics +||deepnote.com/api/track +||deezer.com/ajax/gw-light.php?method=triton.pixelTracking& +||deliveroo.com^*/events +||deliveryrank.com/drapp070eb2deb1932e2101e6.js +||delta.com/datacollect +||deovr.com/api_logs/ +||desmos.com/analytics/js/ +||dev.to/fallback_activity_recorder +||developer.mozilla.org/submit/ +||developers.miro.com/pageview +||df.infra.shopee. +||df.infra.sz.shopee. +||dhl.com/g8Dj6P8TAg/ +||dhresource.com/dhs/fob/js/common/track/$domain=dhgate.com +||digg.com/library/tracker.js +||digital.flytedesk.com/js/head.js +||discover-metrics.cloud.seek.com.au^ +||discover.com/QaiuqHH6L7OpQ2dSZzdDRhs6/ +||dls-account.di.atlas.samsung.com^ +||dmtgvn.com/wrapper/js/common-engine.js$domain=rt.com +||docs.github.com/events +||dollartree.com/ccstoreui/*/analytics/ ||domainit.com/scripts/track.js ||domaintools.com/buffer.pgif? -||domaintools.com/tracker.php -||dominos.co.uk^*/universal.html? +||dominos.co.uk/qRgAwS/ +||dotesports.com/sp.js +||dp.shoprunner.com^ +||dribbble.com/client_app/events +||dribbble.com/client_app/screenshot_boost_ad_events +||dribbble.com/client_app/search_results +||dribbble.com/shots/log_views +||drop.com/impressionsBeacon +||drop.com/statBeacon +||dropbox.com/2/client_metrics +||dropbox.com/2/pap_event_logging ||dropbox.com/alternate_ -||dropbox.com/el/?b=open: +||dropbox.com/jse ||dropbox.com/log/ -||dropbox.com/log_ -||dropbox.com/web_timing_log -||drpeterjones.com/stats/ -||dsm.com^*/searchenginetracking.js +||dropbox.com/log_js_sw_data +||dropbox.com/pithos/ux_analytics +||dropbox.com/prompt/log_impression? +||dropbox.com/unity_connection_log +||drudgereport.com/204.png +||drugs.com/api/logger/ +||drugs.com/img/pixel.gif +||dtag.breadfinancial.com^ +||dtksoft.com/ajax/log^ +||dubz.co/analytics/ +||dubz.live/analytics/ ||duckduckgo.com/t/ -||dump8.com/js/stat.php -||dvdempire.com/images/empty2.asp -||dvdempire.com/include/user/empty2.asp? -||dw.cnet.com^ -||dw.com/tracking/ -||dw.de^*/run.dw? -||dx.com/?utm_rid= -||dyo.gs/track/ -||ea.laredoute. -||ea.pixmania. -||eafyfsuh.net/track/ -||easy2.com^*/logging/ -||ebay-us.com/fp/ -||ebay.com/op/t.do?event -||ebayobjects.com/*;dc_pixel_url=$image -||ebaystatic.com^*/agof_survey_ -||ebaystatic.com^*/iam_ -||ec2-prod-tracker.babelgum.com^ -||economist.com/geoip.php -||ectnews.com/shared/missing.gif? -||edgecastcdn.net^*/ehow_am.js$domain=ehow.com -||edgecastcdn.net^*/pixel_1.png? -||edmunds.com/api/logTime? -||edmunds.com^*/dart1x1.gif -||edmunds.com^*/edw1x1.gif -||ednetz.de/api/public/socialmediacounter. -||edutrek.com/wgsltrk.php?$image -||edvantage.com.sg/site/servlet/tracker.jsp -||edw.edmunds.com^ -||edweek.org/js/sc.js -||efukt.com^*?hub= -||egg.com/rum/data.gif? -||ehow.com/services/jslogging/log/? -||ekg.riotgames.com^ -||elance.com^*/emc.php? -||elsevier.com/pageReport? -||email-tickets.com/dt?e=PageView -||email.aol.com/cgi-bin*/flosensing? -||emarketing.rmauctions.com^ -||emv2.com/HO? -||emv2.com/P? -||emv3.com/HO?$image -||encrypted.google.*/imgevent?$script -||encrypted.google.*/imghover?$image -||encrypted.google.*/url?$image -||engadget.com/click? -||engadget.com/traffic/? -||enlightenment.secureshoppingbasket.com^ -||entensity.net/pages/c.htm -||entry-stats.huffingtonpost.com^ -||epinions.com/js/stdLauncher.js -||epinions.com/js/triggerParams.js -||eporner.com/stats/ -||es.puritan.com^ -||espncdn.com^*.tracking.js +||dumpster.cam4.com^ +||duolingo.com/2017-06-30/tracking-status +||e.quizlet.com^ +||e.used.ca/event +||e.zg-api.com/event$domain=zillow.com +||e2ma.net/track/ +||ea.epochbase.com^ +||ebay.com/delstats/ +||ebay.com^*/customer_image_service? +||ebay.com^*/madrona_loadscripts.js +||ebaystatic.com/cr/v/c01/c54e60e1-996e-4a53-a314-f44a6b151b40.min.js +||ebaystatic.com/cr/v/c01/nh24082119176031f8a0afcb42d.js +||ebaystatic.com/cr/v/c01/ubt241024192c097b9ddc0a81e0a.js +||ebaystatic.com^*tracking/configuration.js +||ec.thredup.com^ +||edge.staging.fullstory.com^ +||edisound.com/api/p/stats +||eec.crunchyroll.com^ +||effect.habr.com^ +||eharmony.ca/fd/ +||eharmony.co.uk/bd/ +||eighten-bloc-party.thebrowser.company/script.js +||ejlytics.editorji.com^ +||el.quizlet.com^ +||eldorado.gg/white-house/white_house_script_data_ +||elitesingles.com/cs/tp.png? +||embed.reddit.com/svc/shreddit +||embedme.top/embed/extra +||engagefront.meteomedia.com^ +||engagefront.theweathernetwork.com^ +||engagement.feedly.com^ +||engine.traceparts.com^ +||engineering.com/scripts/$script,domain=eng-tips.com +||eproof.drudgereport.com^ +||equirodi.*/addstat.php +||ericdraken.com/a/$script +||error-collector.ted.com^ +||error.fc2.com/blog/$image +||error.fc2.com/blog3/$script +||errorreports.couponcabin.com^ +||errors.darkreader.app^ +||espy.boehs.org^ ||et.nytimes.com^ -||etonline.com/media/*/ctvconviva.swf +||et.tidal.com^ +||etsy.com/bcn/beacon +||etsy.com/clientlog ||etui.fs.ml.com^ -||eulerian.sarenza.com^ -||eulerian.splendia.com/ea.js -||euroleague.tv^*/tracking.js -||ev.kck.st^ -||event-reporting-dot-webylytics.appspot.com^ +||etx.indiatimes.com^ +||euclid.kuula.co^ +||eurogamer-uk.eurogamer.net^ +||event-api.reverb.com^ +||event-collector.moviesanywhere.com^ +||event-router.olympics.com^ +||event.platform.autotrader.com.au^ +||event.platform.tunein.com^ +||eventhub.au01.miro.com/api/stream +||eventhub.eu01.miro.com/api/stream +||eventhub.us01.miro.com/api/stream ||eventlog.jackpot.de^ -||eventlogger.soundcloud.com^ -||events.avantisvideo.com^ -||events.godaddy.com^ -||events.jora.com^ +||events-prod.autolist.com^ +||events-tracker.deliveroo.net^ +||events.api.godaddy.com^ +||events.baselime.io^ +||events.bsky.app^ +||events.character.ai^ +||events.clips4sale.com^ +||events.framer.com^ +||events.mercadolibre.com^ +||events.practo.com^ +||events.prd.api.max.com^ ||events.privy.com^ ||events.reddit.com^ ||events.redditmedia.com^ -||events.secureserver.net^ +||events.santander.co.uk^ +||events.squarespace.com^ ||events.turbosquid.com^ -||eventtracker.elitedaily.com^ -||everythinggirl.com/assets/tracker/ -||evisit.exeter.ac.uk^ -||eweek.com/hqxapi/ -||ex.ua/counter/ -||exalead.com/search/pixel-ref/ -||examiner.com/sites/all/modules/custom/ex_stats/ -||exchangeandmart.co.uk/js/ga.js -||excite.com/tr.js -||exelate.com/pixel? -||expatnetwork.com/mtc.js -||expbl2ro.xbox.com^ -||expdb2.msn.com^ -||experiandirect.com/javascripts/tracking.js -||experts-exchange.com/pageloaded.jsp? -||extremetech.com/sac/mostclicked/$script -||extremetech.com^*/ga.js -||ez.no/statjs/ -||ezinearticles.com/blank/ -||f-secure.com^*/wtsdc.js -||f.staticlp.com^ +||events2.www.edenfantasys.com^ +||evs.icy-lake.kickstarter.com^ +||evs.sgmt.loom.com^$script +||excess.duolingo.com/batch +||exp.notion.so^ +||expedia.*/cl/ +||experiences.wyng.com/api/*/event-api/events +||exporntoons.net/api/stats? +||expressvpn.com/__px.gif? +||exr-mms.expertreviews.co.uk^ +||extendoffice.com/analytics.js +||f.cdngeek.com^$domain=edugeek.net +||f362.nola.com^ +||facebook.com/a/bz? ||facebook.com/ajax/*/log.php ||facebook.com/ajax/*logging. -||facebook.com/ct.php -||facebook.com/friends/requests/log_impressions -||facebook.com/search/web/instrumentation.php? -||facebook.com/xti.php? -||facebook.com^*/impression_logging/ -||fanatical.com^*/fansp.js -||fanfiction.net/eye/ -||fanhow.com/script/tracker.js -||fantasticfiction.co.uk/cgi-bin/checker.cgi -||fantom-xp.org^*/toprefs.php? -||farecompare.com/resources/ga/ga.js -||farecompare.com/trackstar/ -||fark.com/cgi/ll.pl? -||fark.net/imagesnoc/ -||farmville.com/trackaction.php? -||farsnews.com/stcs.js.aspx? -||fast.forbes.com^ -||fastexercise.com/logging.js -||fastly.net^*/sp-analytics.min.$domain=spotify.com -||favicon.co.uk/stat/ -||fc2.com/ana/ -||fc2.com/ana2/ -||fc2.com/counter.php? +||facebook.com/ajax/mtouch_perf_page_load_timings/ +||facebook.com/ajax/qm/ +||facebook.com/sem_mpixel/ +||facebook.com/sw/log/init/ +||fanatics.com/api/track +||fancentro.com/lapi/statisticWriter/ +||fancentro.com/trck- +||fansedge.com/api/track +||fansshare.com/t.gif +||faphouse.com/collector/ +||farfetch.net/v1/marketing/trackings +||faro-collector-prod-*.grafana.net^ +||fastmail.com/api/event/ +||fathom.app.silverbeak.com^ +||fathom.tdvm.net^ +||fbo-statistics-collector-tc.is.flippingbook.com^ +||fc2.com/ana/analyzer.php +||fc2.com/ana/processor.php? ||fc2.com/counter_img.php? -||fccbrea.org/javascript/stats.js -||feedburner.com/~r/ -||feeds.feedblitz.com/~/i/ -||feeds.timesonline.co.uk^*/mf.gif -||feedsportal.com/c/ -||felitb.rightinthebox.com^ -||fightforthefuture.org/wf/open? -||filesmonster.com/tck/ -||filmlinks4u.net/twatch/jslogger.php -||filterlists.com/*.php -||financeglobe.com/Visit/ -||financialstandardnews.com^*/webstats/ +||fdt.kraken.com^ +||feedly.com/mxpnl/ +||femetrics.grammarly.io^ +||feross.org/views +||fgn-plausible.serverable.com^ +||figma.com/api/figment-proxy/ +||figma.com/api/web_logger/ +||filext.com/pageview^ +||findmatches.com/bts.js +||findmatches.com/tri?tid= +||fingerprint.com/events/ +||fingerprintjs.com/visitors/ +||firebaselogging.googleapis.com^ ||fishki.net/counter/ -||fishki.net/informer1/ -||flashget.org/cow_$script -||flickr.com/beacon/ -||flickr.com/beacon_ -||fling.com/zeftour/t_i.php? +||fiverr.com/api/v1/activities +||flaticon.com/_ga? +||flipboard.com/api/v2/reporting ||flipboard.com/usage? -||flipkart.com/ajaxlog/visitIdlog? -||flipkart.com/bbeacon.php? -||flipkart.com^*/collector/ -||flixist.com/img2.phtml -||flixster.com^*/pixels? -||fls-*.amazon.*% -||fls-*.amazon.*& -||flybmi.com/livetrack/ -||flyjazz.ca/ow_ga.js -||fncstatic.com/static/all/js/geo.js -||fnlondon.com/fn_rac/ -||fns.modanisa.com^*/analytics.js -||foodcouture.net/public_html/ra/script.php$script -||foodnavigator.com/tracker/ -||fool.com/tracking/ -||forbes.com/fps/cookie_backup.php? -||forbes.com^*/track.php? -||forbesimg.com/assets/js/forbes/fast_pixel.js -||ford.com/ngtemplates/ngassets/com/forddirect/ng/newMetrics.js -||ford.com/ngtemplates/ngassets/ford/general/scripts/js/galleryMetrics.js -||fotothing.com/space.gif? -||foursquare.com^*/logger? -||foursquare.com^*/wtrack? -||foxadd.com/addon/upixel/ -||foxsports.com.au/akam/$script -||foxtel.com.au/cms/fragments/corp_analytics/ -||freaksofcock.com/track/ -||free-tv-video-online.me/resources/js/counter.js -||freean.us/track/ -||freebase.com/log? -||freebiesms.com/tracker.aspx? -||freecause.com^*.png? -||freedownloadscenter.com^*/empty.gif? -||freelotto.com/offer.asp?offer=$image -||freemeteo.com^*/log.asp? -||freemeteo.com^*/searchlog.asp? -||freeones.com/cd/?cookies= -||freeones.com^*/cd/?cookies= -||fresh.techdirt.com^ -||frog.wix.com^ -||frontdoor.com/_track? -||frstatic.net^*/tracking.js -||ft.com/conker/service/pageview? +||flipkart.com/api/3/data/collector/ +||flirt4free.com/pixel/ +||flow.1passwordservices.com/api/v1/event +||flya.me/eventtrack +||foodcouture.net/public_html/ra/script.php +||formula1.com/api/track +||fortune.com/comscore-json/ +||foursquare.com/v2/private/logactions +||foxsports.com.au/akam/ +||fp.measure.office.com^ +||fpa-cdn.adweek.com^ +||fpa-cdn.arstechnica.com^ +||fpc.fingerprint.com^ +||fpt.microsoft.com^ +||freedownloadmanager.org/ajax/th_hit.php +||freedownloadmanager.org/ajax/th_view.php +||freepik.*/download.gif? +||freepik.com/_ga? +||freeplayervideo.com/cdn-cgi/trace +||freeprivacypolicy.com/track/ +||fresnel-events.vimeocdn.com^ +||fsho.st/tracker.js ||ft.com/ingest? -||ft.com^*/ft-tracking.js -||fujifilm.com/js/shared/analyzer.js -||funbrain.com/a2.gif -||funn.graphiq.com^ -||furk.net/counter.yadro.ru/ -||fwmrm.net^*/AnalyticsExtension. -||g.deathandtaxesmag.com^ +||fullscreen.nz/v1/tracking/$domain=threenow.co.nz +||fusevideo.io/api/event +||g-scale.org/scripts/EventLog.js ||g.ign.com^ -||g.msn.com^ -||g.vev.io^ -||g2a-com.newsletter.com.pl^$image,third-party -||ga.canoe.ca^ +||g.mashable.com^ +||g.newtimes.com^ +||g.pcmag.com^ ||ga.nsimg.net^ +||gadgets360.com/analytics.js ||gaiaonline.com/internal/mkt_t.php? -||galleries.bz/track/ -||gallup.wn.com/1x1.gif -||gamefront.com/wp-content/plugins/tracker/ -||gamerdeals.net/aggbug.aspx -||gamesgames.com/WebAnalysis/ -||gamezone.com/?act= -||gardenweb.com^*/iv_footer.js -||gardenweb.com^*/iv_header.js -||gateway.reddit.com| -||gcpdata.telegraph.co.uk^ -||geek.com/js/zdgurgle/ -||geico.com/vs/track2.js? -||gekko.spiceworks.com^ -||general-files.com/stat -||general-search.com/stat -||geo.hltv.org^ -||geo.homepage-web.com^ -||geo.metronews.ca^ -||geo.mozilla.org^ -||geo.perezhilton.com^ -||geo.play.it^ -||geo.theawesomer.com^ +||gak.webtoons.com^ +||gamedistribution.com/collect? +||gamejolt.com/tick/ +||gamemonetize.com/account/event.php? +||gamemonetize.com/account/eventvideo.php? +||gamivo.com/tcllc? +||gc.newsweek.com/front/js/counter.js +||gct.americanexpress.com^ +||gemoo-resource.com/js/analytics.js +||generalblue.com/js/pages/shared/analytics.min.js +||generic-function-log-data-7il2midpaa-nn.a.run.app^$domain=telus.com +||geo.brobible.com^ +||geo.nbcsports.com^ ||geo.yahoo.com^ -||geobeacon.ign.com^ -||geoip-lookup.vice.com^ -||geoip.al.com^ ||geoip.boredpanda.com^ -||geoip.cleveland.com^ -||geoip.gulflive.com^ -||geoip.inquirer.net^ -||geoip.lehighvalleylive.com^ -||geoip.masslive.com^ -||geoip.mlive.com^ -||geoip.nj.com^ -||geoip.nola.com^ -||geoip.oregonlive.com^ -||geoip.pennlive.com^ -||geoip.silive.com^ -||geoip.syracuse.com^ -||geoip.viamichelin.com^ -||geoiplookup.wikimedia.org^ -||geovisites.com^*/geouser.js -||gfycat.com^*/GFAN.min.js -||giffgaff.com/r/?id= -||giganews.com/images/rpp.gif -||gismeteo.*/stat.gif +||geoip.hmageo.com^ +||geoip.ifunny.co^ +||geolocation.forbes.com^ +||getadblock.com/js/log.js +||getpocket.com/web-utilities/public/static/te.js +||gettapeads.com/stat/ +||gettyimages.*/pulse$ping +||gg.asuracomic.net/api/views/collect +||gg.vevor.com^ +||ghacks.net/statics/px.gif +||gianteagle.com/webevents/ +||girlsofdesire.org/images/girlsofdesire.org/analytics.js ||github.com/_private/browser/stats -||github.com/_stats -||github.com/hydro_browser_events -||glamourmagazine.co.uk^*/LogPageView +||github.dev/diagnostic? +||glassdoor.*/geb/events/ ||glassmoni.researchgate.net^ -||glean.pop6.com^ -||global.canon^*/analytics.js -||globes.co.il/ga.asp +||global.canon/00cmn/js/*/analytics- +||global.ssl.fastly.net^$domain=allmodern.com|argos.co.uk|basspro.com|birchlane.com|courier-journal.com|courierpress.com|desertsun.com|detroitnews.com|eddiebauer.com|freep.com|glassesusa.com|greenbaypressgazette.com|harborfreight.com|indystar.com|jsonline.com|kurtgeiger.com|legacy.com|lenovo.com|lohud.com|lowes.com|naplesnews.com|news-journalonline.com|northjersey.com|perigold.com|quickship.com|quikshiptoner.com|radiotimes.com|sainsburys.co.uk|sanuk.com|sheboyganpress.com|tallahassee.com|theadvertiser.com|thisweek.com|ugg.com|usatoday.com|wayfair.co.uk|wayfair.com|wwe.com ||globes.co.il/shared/s.ashx? -||globester.com^*/track.js -||glosbe.com/glosbetrans.gif? -||gmonitor.aliimg.com^ +||gmetrics.getbeamer.com^ ||gnar.grammarly.com^ ||gnavi.co.jp/analysis/ -||go.com/disneyid/responder? -||go.com/globalelements/utils/tracking -||go.com/stat/ -||go.com^*/analytics.js +||go.fap18.net/ftt2/js.php +||go.pardot.com^ ||go.theregister.com^$image -||golfsmith.com/ci/ -||google.*/api/sclk? -||google.*/client_204? -||google.*/gen204? -||google.*/gen_204?$~xmlhttprequest -||google.*/gwt/x/ts? -||google.*/log204? -||google.*/logxhraction? -||google.*/stats?frame= -||google.com/appserve/mkt/img/*.gif -||google.com/log?$~xmlhttprequest -||google.com/reader/logging? -||google.com/stream_204? -||google.com/support/webmasters/api/metrics?$script -||google.com/uploadstats|$xmlhttprequest -||google.com^*/dlpageping? -||google.com^*/log? -||google.com^*/urchin_post.js -||google.com^*/viewerimpressions? -||googlelabs.com/log/ -||gosanangelo.com/metrics/ -||gov.in/js/ga.js -||gq-magazine.co.uk^*/LogPageView -||groupon.*/tracky$xmlhttprequest +||gobankingrates.com/fp/ +||gofundme.com/track +||gog-statics.com/js/frontpagelogintracking-$script,domain=gog.com +||gog-statics.com/js/loginTracking-$script,domain=gog.com +||goodfon.com/stat/ +||goodreads.com/logging +||goodreads.com/metrics_logging_batched +||goodreads.com/report_metric +||goodreads.com/track/ +||google.com/ads/measurement/ +||google.com/async/ddllog +||google.com/dssw.js +||google.com/images/phd/px.gif +||google.com/log? +||google.com/pagead/1p-conversion/ +||grabify.link/api/js +||grgnsht.nzxt.com^ +||groove.so/unlocker.js ||groupon.com/analytic/ -||groupon.com/tracking -||gumtree.com.au/?pc= -||h.cliphunter.com^ -||hanksgalleries.com/stxt/counter.php? -||harvester.eu.square-enix.com^ -||harvester.hbpl.co.uk^ -||haxx.ly/counter/ -||hclips.com/js/0818.js -||hdzog.com/js/1308.js -||healthcarejobsite.com/Common/JavaScript/functions.tracking.js -||heapanalytics.com/h?$image -||heartbeat.flickr.com^ -||helium.com/javascripts/helium-beacons.js -||heraldtimesonline.com/js/tk.js -||heroku.com/track.js -||herold.at/images/stathbd.gif? -||hexus.net/trk/$image -||higheredjobs.com/ClickThru/ -||hitcount.heraldm.com^ -||hitweb2.chosun.com^ -||hobsons.co.uk^*/WebBeacon.aspx? -||holiday-rentals.co.uk/thirdparty/tag -||holiday-rentals.co.uk^*/tracking-home.html -||homeaway.com^*/tracking-home.html -||homesalez.com/itop/hits.php -||honda.ca/_Global/js/includes/tracker.js -||hoseasons.co.uk/tracking/js.html? -||hostelbookers.com/track/request/ -||hostels.com/includes/lb.php? -||hostels.com/includes/thing.php? -||hotelplanner.com/TT.cfm -||hothardware.com/stats/ -||hotnews.ro/pageCount.htm? +||groupondata.com/tracky +||gsght.com/twizards.js +||gso.amocrm.com/humans/ +||gtm.lercio.it^ +||gtm.wise.com^ +||gtreus.aliexpress.com^ +||gumtree.com.au/tracking/ +||gurgle.pcmag.com^ +||gurgle.spiceworks.com^ +||h031.familydollar.com^ +||hacksplaining.com/track +||hankookilbo.com/service/kt/trk.js$script,domain=koreatimes.co.kr +||harryrosen.com/analytics/ +||health-metrics-api.setapp.com^ +||healthline.com/api/metrics +||heap.drop.com^ +||hellopeter.com/api/consumer-tracking/ +||hilton.com/zJbufaUX/ +||hindustantimes.com/res/images/one-pixel.png +||hlogger.heraldcorp.com^ +||hltv.org/scripts/hltv-tracking.js +||hn-ping*.hashnode.com^ +||homedepot.ca/mr/thd-ca-prod.js +||hoo.be/api/hoobe/analytics +||hotels.com/api/bucketing/v1/evaluateExperimentsAndLog +||hotels.com/cl/data/omgpixel.json? +||hotpads.com/node/api/comscore +||hotstar.com/v1/identify +||hotstar.com/v1/track +||houzz.com/hsc/aetrk/ +||houzz.com/j/ajax/client-error-light? ||houzz.com/js/log? -||hoverstock.com/boomerang? -||howcast.com/images/h.gif -||howtogeek.com/public/stats.php -||hp.com^*/bootstrap/metrics.js -||hrblock.com/includes/pixel/ -||hrum.hotelsapi.io^ -||hsn.com/code/pix.aspx -||huawei.com/hwa-c/ -||hubpages.com/c/*.gif? -||huffingtonpost.*/vanity/? -||huffingtonpost.com/click? -||huffingtonpost.com/geopromo/ -||huffingtonpost.com/include/geopromo.php -||huffingtonpost.com/ping? -||huffingtonpost.com/traffic/ -||huffpost.com/ping? +||hqq.ac/cdn-cgi/trace +||hqq.to/cdn-cgi/trace +||hqq.tv/cdn-cgi/trace +||html5games.com/event/ +||htrace.wetvinfo.com^ +||huggingface.co/js/script.js ||hulkshare.com/ajax/tracker.php -||hulkshare.com/stats.php -||hulu.com/*&beaconevent$image,object-subrequest,~third-party -||hulu.com/beacon/v3/error? -||hulu.com/beacon/v3/playback? -||hulu.com/beaconservice.swf -||hulu.com/google_conversion_video_view_tracking.html -||hulu.com/guid.swf -||hulu.com/watch/*track.url-1.com -||hulu.com^*/external_beacon.swf -||hulu.com^*/plustracking/ -||hulu.com^*/potentialbugtracking/bigdropframes? -||hulu.com^*/potentialbugtracking/contentplaybackresume? -||hulu.com^*/potentialbugtracking/dropframes? -||hulu.com^*/recommendationTracking/tracking? -||hulu.com^*/sitetracking/ -||huluim.com/*&beaconevent$image,object-subrequest,~third-party -||huluim.com^*/sitetracking/ -||humanclick.com/hc/*/?visitor= -||hwscdn.com/analytics.js -||hwscdn.com^*/brands_analytics.js -||i-am-bored.com/cad.asp -||i-am-bored.com/cah.asp -||i.walmartimages.com/i/icon/ -||i365.com^*/pv.aspx? -||iafrica.com/php-bin/iac/readcnt.php? -||ibeat.indiatimes.com^ -||iberia.com^*/ga/ga.js -||ibm.com/common/stats/ -||ibm.com/gateway/? -||ibs.indiatimes.com^ -||ibtimes.com/player/stats.swf$object-subrequest -||icq.com/search/js/stats.js -||id.allegisgroup.com^ -||id.google.*/verify/*.gif -||id.localsearch.ch^ -||iedc.fitbit.com^ -||ign.com/global/analytics/drones.js -||iheart.com/tracking/ -||image.providesupport.com/cmd/ +||hulu.com/metricsconfig +||hypebeast.com/firebase-messaging-sw.js +||i.pokernews.com^ +||iam-rum-intake.datadoghq.com^ +||ibm.com/analytics/build/bluemix-analytics.min.js +||ibtimes.com/front/js/counter.js +||icgp.ie/overview/js/tracker.php +||idiva.com/analytics_ +||iguazu.doordash.com^ +||ih.newegg.com^ +||iheart.com/api/v3/playback/reporting +||ihg.com/logging/ ||imagefap.com/images/yes.gif? -||images-amazon.com^*/beacon-$domain=imdb.com -||images-amazon.com^*/ClientSideMetricsAUIJavascript*.js -||images-amazon.com^*/clog/clog-platform*.js$script -||images.military.com/pixel.gif -||imagetwist.com/?op= -||imdb.com/rd/?q -||imdb.com/tr/ -||imdb.com/twilight/? -||imdb.com/video/*/metrics_ -||imdb.com/video/*metrics? -||imgtrack.domainmarket.com^ +||imagetwistcams.com/pixel/ +||imdb.com/api/_ajax/metrics/ +||imf.org/Assets/IMF/js/SocialScript.js ||imgur.com/albumview.gif? ||imgur.com/imageview.gif? -||imgur.com/lumbar.gif? -||immassets.s3.amazonaws.com^ -||imonitor.dhgate.com^ -||imp-media-lab.thenewslens.com^ -||imx.comedycentral.com^ +||impressions.svc.abillion.com^ +||improve.tempest.com^ +||in.brilliant.org^ +||indeed.com/cmp/_rpc/dwell-log? +||indeed.com/cmp/_rpc/flog +||indeed.com/cmp/_rpc/logentry +||indeed.com/m/rpc/frontendlogging ||indeed.com/rpc/$~xmlhttprequest -||independentmail.com/metrics/ -||indiatimes.com/trackjs10. -||indiatimes.com^*/notify.htm -||influxer.onion.com^ -||infogr.am/js/metrics.js -||infomine.com/imcounter.js -||infoq.com/scripts/tracker.js -||informer.com/statistic? -||infospace.com^*=pageview& -||infusionextreme.com/tracker/ -||ingest.onion.com^ -||inmagine.com/j/ga.js -||ino.com/img/sites/mkt/click.gif -||inquiries.redhat.com^ -||insideline.com^*/dart1x1.gif -||insideline.com^*/edw1x1.gif -||insidesoci.al/track -||insire.com/imp? +||indeed.com/rpc/pageload/perf +||independent.co.uk/iframe/native-cookiesync-frames.html +||indiatimes.com/personalisation/logdata/ +||indiatimes.com/savelogs? +||indmetric.rediff.com^ +||inews.co.uk/rta2/ +||infinityscans.net/api/collect +||info.com/pingback +||infoq.com/metrics/ +||informer.com/ajax/article_log.php +||ingest.coincodex.com^ +||ingest.make.rvohealth.com^ +||ingress.linktr.ee^ +||inq.com/tagserver/logging/logline +||insideevs.com/analytics.js +||insights-mxp-cdn.coursecareers.com^ +||instagram.com/ajax/bz ||instructables.com/counter -||instyle.co.uk^*/tracking.js -||insynchq.com/wf/open? -||intelli.ageuk.org.uk^ -||intensedebate.com/empty.php -||intent.cbsi.com^ -||intercom.io/gtm_tracking/ -||internetslang.com/jass/$script -||investegate.co.uk/Weblogs/IGLog.aspx? -||ip-adress.com/gl?r= -||ip.breitbart.com^ -||ip.pichunter.com^ -||ipetitions.com/img.php? -||irs.gov/js/irs_reporting_cookie.js -||issn.org/isens_marker.php? -||istitutomarangoni.com/tracking/ -||itp.net/ga.js -||itv.com/_app/cmn/js/bcm.js -||itweb.co.za/analytics/ -||ixquick.*/avtc? -||ixquick.*/do/avt?$image -||ixquick.*/do/smt? -||ixquick.*/elp? -||ixquick.*/pelp? -||ixs1.net/s/ -||jack.allday.com^ -||jakpost.net/jptracker/ -||jal.co.jp/common_rn/js/rtam.js -||jaludo.com/pm.php? -||javhd.com/click/ -||javher.com/analytics.js -||jessops.com/js/JessopsTracking. -||jetsetter.com/tracker.php -||jeuxjeux2.com/stats.php -||jobscentral.com.sg/cb_transfer.php -||jobthread.com/js/t.js -||jobthread.com/t/ -||johansens.com^*/LogPageView -||joins.com/hc.aspx? -||joins.com^*/JTracker.js? -||jokeroo.com/i/.gif -||jpmorgan.co.uk/tagging/ -||jtv.com^*/__analytics-tracking? -||juno.com/start/javascript.do?message=$image -||justanswer.com/browsercheck/ -||justanswer.com/ja_services/processes/log.asmx/ -||kayak.*/gtm/ -||kayak.*/px/ -||kayak.com/k/redirect/tracking? -||kelkoo.co.uk/kk_track? -||kelkoo.co.uk^*/tracker/ -||kelkoo.com/kk_track? -||kg.aws.mashable.com^ -||kiks.yandex. -||killerstartups.com^*/adsensev -||kinesisproxy.hearstlabs.com^ -||kitsapsun.com/metrics/ -||kksou.com^*/record.php? -||klm.com/travel/generic/static/js/measure_async.js +||intent.cmo.com.au^ +||intent.goodgearguide.com.au^ +||intent.macworld.co.uk^ +||intent.pcworld.idg.com.au^ +||intent.techadvisor.com^ +||internal-analytics.odoo.com^ +||internal-e.posthog.com^ +||internetslang.com/jass/ +||intg.snapchat.com^ +||intuitvisitorid.api.intuit.com^ +||investigationdiscovery.com/cms/collections/ +||investigationdiscovery.com/events/ +||invisionapp.com/analytics-api/ +||iono.fm/tracking? +||ip.cliphunter.com^ +||irs.gov/h4z97Hz8jMrNO/ +||isc-tracking.eventim.com^ +||isharemetric.rediff.com^ +||ivx.lacompagnie.com^ +||j927.statnews.com^ +||jansatta.com/api/capture/ua +||jav4tv.com/player/analytics +||javedit.com/e/public/ViewClick/ +||javhd.com/ascripts/gcu.js +||javhd.com/rstat +||jetbluevacations.com/apis/v2-analytics/ +||jfapiprod.optimonk.com^ +||jiji.co.ke/tag_event +||jockey.com/event/ +||jockey.com/scripts/omt-base.js +||joggo.run/api/events +||julius.ai/monitoring +||jumbo.zomato.com^ +||juno.com/start/javascript.do?message= +||justanswer.com/jatag/ +||justdial.com/jd-trkr +||k.p-n.io/event-stream +||k.qwant.com^ +||kaggle.com/api/i/diagnostics.MetricsService +||kansascity.com/nyb-zsooli/ +||kayak.*/vestigo/measure +||kbb.com/pixall/ +||kck.st/web/track +||kgoma.com/v1/stat/ +||khanacademy.org/api/internal/_analytics/ +||kinesis.us-east-1.analytics.edmentum.com^ +||klm.us/CWZUvc/ ||kloth.net/images/pixel.gif -||klout.com/ka.js -||knoxnews.com/metrics/ -||kodakgallery.com^*/analytics_ -||kosmix.com^*.txt?pvid= -||kyte.tv/flash/MarbachMetricsOmniture.swf -||kyte.tv/flash/MarbachMetricsProvider.swf -||l.5min.com^ -||laas.americanexpress.com^ -||lancasteronline.com/javascript/ga.php -||landrover.com/system/logging/ -||lastpass.com/analytics2.php -||lastpass.com^*/analyticsjs$script,~third-party -||lastpass.com^*/loadanalytics.js -||latimes.com/images/pixel.gif -||lcs.naver. -||legalmatch.com/scripts/lmtracker.js -||lendingtree.com/forms/eventtracking? -||lendingtree.com/javascript/tracking.js -||letitbit.net/atercattus/letitbit/counter/? -||letitbit.net/counter/ -||lexus.com/lexus-share/js/campaign_tracking.js -||lh.secure.yahoo.com^ -||life.com/sm-stat/ -||likes.com/api/track_pv -||lilb2.shutterstock.com^ -||linguee.com*/white_pixel.gif? -||link.codeyear.com/img/ -||link.ex.fm/img/*.gif -||linkbucks.com/clean.aspx?task=record$image -||linkbucks.com/track/ -||linkedin.com/analytics/ +||knewz.com/api/event +||kobo.com/TrackClicks +||kohls.com/mtFndb/ +||kohls.com/test_rum_nv? +||komoot.*/api/t/event +||kompass.com/logAdvertisements +||kour.io/api/track +||kroger.com/clickstream/ +||kudoslabs.gg/track/ +||l.usaa.com/e/v1/ +||lastminute.com/ose/processEvent +||lastminute.com/ose/tracking/ +||lastminute.com/s/hdp/hotel-details/api/logs +||lastminute.com/s/hdp/hotel-details/api/metrics +||lastpass.com/lpapi/content/pixels +||lastpass.com/m.php/proxy_tracker +||lego.com/api/dl-event-ingest +||lendingtree.com/analytics/ +||lendingtree.com/pixel/ +||lensdirect.com/page-tracking/ +||letsdoeit.com/tracking/ +||lexology.com/pd.js +||libhunt.com/api/ahoy/event +||librato-collector.genius.com^ +||lightstep.medium.systems^*/reports +||link.kogan.com^ +||link2.strawberrynet.com^$image +||linkedin.com/collect/ +||linkedin.com/li/track$xmlhttprequest +||linkedin.com/litms/utag/ ||linkedin.com/platform-telemetry/ -||linkedin.com^*/collect -||linkedin.com^*/tracking -||linkpuls.idg.no^ -||linuxtoday.com/hqxapi/ -||lipsy.co.uk/_assets/images/skin/tracking/ -||list.ru/counter? -||live-audience.dailymotion.com^ -||live.com/handlers/watson.mvc? -||live.philips.com^ -||livedoor.com/counter/ -||livejournal.com/ljcounter/? +||linkedin.com/sensorCollect/ +||links.strava.com^$image +||linktr.ee/events +||linris.xyz/cdn-cgi/trace +||lists.ccmbg.com^ +||littlebigsnake.com/event? +||livejournal.com/ljcounter/ +||livejournal.com/log? ||liveperson.net/hc/*/?visitor= -||livestation.com^*/akamaimediaanalytics.swf -||livestation.com^*/statistics.swf -||livestream.com^*/analytics/ -||livestrong.com/services/jslogging/ -||livesupport.zol.co.zw/image_tracker.php? -||lm.pcworld.com/db/*/1.gif -||loc.gov/js/ga.js -||loc.rediff.com^ -||local.ch/track/ -||localads-statistics.maps.me^ -||localmonero.co/static/ga.js +||lms.roblox.com^ +||lnkd.in/li/track +||load.tm.all3dp.com/rqlevydw.js +||log-gateway.zoom.us^ ||log.china.cn^ -||log.data.disney.com^ -||log.deutschegrammophon.com^ -||log.go.com^ +||log.genyt.net^ ||log.hypebeast.com^ -||log.mappy.net^ -||log.newsvine.com^ -||log.optimizely.com^ -||log.player.cntv.cn/stat.html? -||log.prezi.com^ +||log.klook.com^ +||log.quora.com^ ||log.snapdeal.com^ -||log.thevideo.me^ -||log.vdn.apps.cntv.cn^ -||log.wat.tv^ ||log.webnovel.com^ -||log1.24liveplus.com^ -||logdev.openload.co^ -||logg.kiwi.com^ -||logger-*.dailymotion.com^ -||logger.dailymotion.com^ ||logger.nerdwallet.com^ -||logger.viki.io^ -||logging.goodgamestudios.com^ -||loggingservices.tribune.com^ -||loggly.cheatsheet.com^ -||loglady.publicbroadcasting.net^ -||logmein.com/scripts/Tracking/ -||logs.dashlane.com^ -||lolbin.net/stats.php -||lovefilm.com/api/ioko/log/ -||lovefilm.com/lovefilm/images/dot.gif -||lovefilm.com^*/lf-perf-beacon.png -||lsam.research.microsoft.com^ -||lslmetrics.djlmgdigital.com^ -||lucidchart.com/analytics_ -||luxurylink.com/t/hpr.php? -||ly.lygo.com^*/jquery.lycostrack.js -||madthumbs.com/tlog.php -||mail.com/monitor/count? -||mail.ru/counter? -||mail.yahoo.com/dc/rs?log= -||mailings.gmx.net/action/view/$image -||malibubright.com/krtrk/ -||mansion.com/collect.js? -||manta.com/sbb? -||maps.nokia.com^*/tracking.c.js -||marketgid.com/c? +||logger007.cam4.com^ +||logging.api.intuit.com^ +||loglady.kiwi.com^ +||logs.hotstar.com^ +||logs.naukri.com^ +||logs.netflix.com^ +||logx.optimizely.com^ +||lolwot.com/B5xaqzSGvMTM.js +||lookawoman.com/t/ +||loom.com/insights-api/graphql +||loom.com/metrics/graphql +||lowes.com/gauge/ +||lowes.com/pharos/api/webTelemetry? +||lucida.su/api/event +||lyft.com/api/track +||lyngsat.com/system/loadclick.js +||m.facebook.com/ajax/weblite_load_logging/ +||m.facebook.com/ajax/weblite_resources_timing_logging/ +||ma.redhat.com^ +||macys.com/tag_path/ +||mail.proton.me/api/data/v1/stats +||mail.yahoo.com/f/track/ +||mangadex.org/api/event +||mangadex.org/p.js +||mangakoma.net/ajax/manga/view +||manomano.*/api/v1/sp-tracking/ +||manua.ls/g/collect? +||manua.ls/gtag +||mapcarta.com/logs +||mapquest.com/logger ||marketing.alibaba.com^ ||marketing.dropbox.com^ -||marketing.kalahari.net^ -||marketing.nodesource.com^ -||marriott.com^*/Bootstrap.js -||marriott.com^*/mi_customer_survey.js -||mashable.com/pv.xml -||massdrop.com*^/pixelrb? -||mastercard.com^*/Analytics/ -||matchesfashion.com/js/Track.js -||mate1.com^*/iframe/pixel/ -||mate1.com^*/reg.logging.js -||mayoclinic.org/js/gconversion.js -||mdmpix.com/js/connector.php? -||mealime.com/assets/mealytics.js -||media-imdb.com/images/*/imdbads/js/beacon-$script -||media-imdb.com^*/adblock.swf -||mediaplex.com^*/universal.html -||medscape.com/pi/1x1/pv/profreg-1x1.gif +||marty.zappos.com^ +||mat6tube.com/api/stats? +||mcc-tags.cisco.com^ +||mcs-ie.tiktokw.eu^ +||mcs-va-useast2a.tiktokv.com^ +||mcs-va.tiktokv.com^ +||mcs.tiktokv.us^ +||mcs.tiktokw.us^ +||mcs.us.tiktokv.com^ +||mdt.crateandbarrel.com^ +||medal.tv^$ping +||media.io/trk +||medium.com/_/batch ||meduza.io/stat/ -||merchantcircle.com/static/track.js -||merck.com/js/mercktracker.js -||merlin.abc.go.com^ -||met-art.com/visit.js -||metacafe.com/services/fplayer/report.php? -||metacafe.com^*/statsrecorder.php? -||metacrawler.com/__kl.gif -||meter-svc.nytimes.com^ -||metric*.rediff.com^ -||metric-agent.i10c.net^ -||metric.gstatic.com^ -||metric.inetcore.com^ -||metrics.apartments.com^ -||metrics.aws.sitepoint.com^ +||megaplay.cc/cdn-cgi/trace +||megatron.igraal.com^ +||mensjournal.com/.bootscripts/analytics.min.js +||mentimeter.com/performance-metrics +||mercedes-benz.com/datadog- +||merriam-webster.com/lapi/v1/mwol-search/stats/lookup +||messari.io/js/wutangtrack.js +||messenger.com/ajax/bnzai? +||metacrawler.com/pingback +||metrics.audius.co^ ||metrics.bangbros.com^ -||metrics.cbn.com^ -||metrics.cbslocal.com^ -||metrics.cnn.com^ -||metrics.dailymotion.com^ -||metrics.ee.co.uk^ -||metrics.extremetech.com^ -||metrics.tbliab.net^ +||metrics.camsoda.com^ +||metrics.freemake.com^ +||metrics.hackerrank.com^ +||metrics.hyperliquid.xyz^ +||metrics.onewegg.com^ +||metrics.roblox.com^ +||metrics.spkt.io^ +||metrics.syf.com^ ||metrics.ted.com^ -||metrics.washingtonpost.com^ -||metrigo.zalan.do^ -||metro.co.uk/js/ga- -||metro.us/api/trackPage/ +||metrics.th.gl^ +||metricsishare.rediff.com^ +||metro.co.uk/base/rta/ +||metro.co.uk/cvx/client/sync/fpc? ||metroweekly.com/tools/blog_add_visitor/ -||mic.com/pageview- -||microsoft.com/_log? -||microsoft.com/blankpixel.gif -||microsoft.com/click/ -||microsoft.com/collect/ -||microsoft.com/Collector/ -||microsoft.com/getsilverlight/scripts/silverlight/SilverlightAtlas-MSCOM-Tracking.js -||microsoft.com/getsilverlight/scripts/Tracker.js -||microsoft.com/library/svy/ -||microsoft.com/LTS/default.aspx -||microsoft.com^*/bimapping.js -||microsoft.com^*/surveytrigger.js -||military.com/cgi-bin/redlog2.cgi? -||military.com/Scripts/mnfooter.js -||miniclip.com^*/swhsproxy.swf? -||miniurls.co/track/ -||miniusa.com^*/trackDeeplink.gif? -||mint.boingboing.net^ -||mirror.co.uk^*/stats/ -||mitpress.mit.edu/wusage_screen_properties.gif -||ml.com/js/ml_dcs_tag_ -||mmm.theweek.co.uk^ -||mms.al.com^ -||mms.cbslocal.com^ -||mms.cleveland.com^ -||mms.cnn.com^ -||mms.deadspin.com^ -||mms.gizmodo.com^ -||mms.gulflive.com^ -||mms.jalopnik.com^ -||mms.jezebel.com^ -||mms.lehighvalleylive.com^ -||mms.lifehacker.com^ -||mms.masslive.com^ -||mms.mlive.com^ -||mms.newyorkupstate.com^ -||mms.nj.com^ -||mms.nola.com^ -||mms.oregonlive.com^ -||mms.pennlive.com^ -||mms.silive.com^ -||mms.splinternews.com^ -||mms.syracuse.com^ -||mms.theroot.com^ -||modernsalon.com/includes/sc_video_tracking.js -||momtastic.com/libraries/pebblebed/js/pb.track.js -||moneysupermarket.com^*/ProphetInsert.js -||monkeyquest.com/monkeyquest/static/js/ga.js -||monova.org/js/ga.js -||monstercrawler.com/__kl.gif -||mortgage101.com/tracking/ -||mov-world.net/counter/ -||movieclips.com/api/v1/player/test? -||mozilla.com/js/track.js -||mozilla.net^*/webtrends/ -||mozilla.org/includes/min/*=js_stats -||mp.twitch.tv^ -||mp3lyrics.org^*/cnt.php? -||msecnd.net^*/wt.js? -||msn.com/ro.aspx? -||msn.com/script/tracking*.js -||msn.com/tracker/ -||msn.com^*/report.js -||msn.com^*/track.js -||msxml.excite.com/*.gif? -||mto.mediatakeout.com/viewer? -||mtoza.vzaar.com^ -||mts-ws.rueducommerce.fr^ -||multiply.com/common/dot_clear.gif -||multiupload.com/extreme/?*&ref=$subdocument -||musicstack.com/livezilla/server.php?request=track -||my.com/v1/hit/ +||meucdn.vip/cdn-cgi/trace +||mewe.com/ubk4jrxn.js +||mi.academy.com/p/js/1.js +||mi.dickssportinggoods.com/p/js/1.js +||mi.grubhub.com^ +||miao.baidu.com^ +||midas.chase.com^ +||mixpanel-proxy.coingecko.com^ +||mixpanel-proxy.ted.com^ +||mixproxy.epoch.cloud^$domain=theepochtimes.com +||mktcs.cloudapps.cisco.com^ +||mo8it.com/count.js +||modanisa.com/al/j/analytics.js +||mollusk.apis.ign.com/metrics/ +||mon.us.tiktokv.com^ +||moneycontrol.com/news/services/get_comscore_pageview/ +||monitor.channel4.com^ +||motorsport.com/stat/ +||mov.t-mobile.com/p/js/1.js +||movetv.com/sa-events +||mp.imgur.com^ +||mp.theepochtimes.com^ +||mparticle.weather.com/identity/ +||mps.nbcuni.com/request/page/json/params/*&adunits=$xmlhttprequest +||mr.homedepot.ca^ +||msg-intl.qy.net^$image +||msn.com/collect/ +||msn.com/OneCollector/ +||mstm.motorsport.com^ ||myanimelist.net/static/logging.html -||myfitnesspal.com/assets/mfp_localytics.js -||mypaydayloan.com/setc.asp? -||mypoints.com/js/*ga.js? -||myporn.club^*/hit +||mybbc-analytics.files.bbci.co.uk/reverb-client-js/smarttag- +||mylocal.co.uk/api/trpc/analytics. ||myspace.com/beacon/ -||myspace.com/isf.gif? -||mytravel.co.uk/thomascooktrack.gif? -||mywebsearch.com/anx.gif? -||mywebsearch.com^*/mws_bw.gif? -||n26.com/n26_sp_ -||nabble.com/static/analytics.js -||naplesnews.com/metrics/ -||naptol.com/usr/local/csp/staticContent/js/ga.js -||nationalgeographic.com/stats/ax/ -||nationalpayday.com/1pix.gif -||nationalpayday.com/MAPProc.aspx? -||nationmobi.com/*/analyse.php -||nature.com^*/marker-file.nocache? -||naughtydog.com/beacon/ -||naukrigulf.com/logger/ -||naukrigulf.com^*/bms_display.php -||navlog.channel4.com^ -||nb.myspace.com^ -||nbcnews.com^*/analytics.js -||nbcudigitaladops.com/hosted/js/*_com.js -||nbcudigitaladops.com/hosted/js/*_com_header.js -||ncsoft.com/tracker.js -||ndtv.com/Status24x7.lv? -||neatorama.com/story/view/*.gif?hash -||ned.itv.com^ -||net-a-porter.com/intl/trackpage.nap? +||na.groupondata.com^ +||naiz.eus/visits +||namethatporn.com/assets/imgs/1x1.gif +||narkive.com/ajax/TelemV2? +||nasi.etherscan.com^ +||nature.com/platform/track/ +||naukrigulf.com/ni/nibms/bms_display.php +||navan.com/api/analytics +||nbarizona.com/metrics/ +||nbc.com/webevents/ +||nbcnews.com/_next/static/chunks/ads.$script,domain=msnbc.com|nbcnews.com +||ncbi.nlm.nih.gov/core/pinger +||neatorama.com/story/view/ +||neeva.com/logql/log +||neighbourly.co.nz/event-tracking +||neowin.net/ws/$websocket ||net.haier.com^ -||netflix.com/beacons?*&ssizeCat=*&vsizeCat= -||netflix.com/customerevents/ -||netflix.com/EpicCounter? ||netflix.com/ichnaea/log -||netflix.com/LogCustomerEvent? -||netflix.com/RegisterActionImpression? -||netlog.com/track -||netmag.co.uk/matchbox/traffic/ -||netzero.net/account/event.do?$image -||newegg.com/common/thirdparty/$subdocument -||newegg.com/tracking -||news-leader.com^*/analytics.js -||news.cn/webdig.js -||news.com.au/track/ -||news.com.au/tracking/ -||news9.com/beacon/ -||newsarama.com/common/track.php +||netflix.com/msl/playapi/cadmium/logblob/ +||netu.ac/cdn-cgi/trace +||netuplayer.top/cdn-cgi/trace +||netusia.xyz/cdn-cgi/trace +||newegg.com/amber3/tracking +||newegg.com/gfplib.js +||news.google.com/_/v ||newscom.com/js/v2/ga.js -||newscorpaustralia.com/akam/$script ||newser.com/utility.aspx? -||newsinc.com/players/report.xml?$image -||newsletter.mybboard.net/open.php? -||newstatesman.com/js/NewStatesmanSDC.js -||newswire.ca/rt.gif? -||nexon.net/log/ -||nexon.net/tagging/ -||next.co.uk/log.php -||nfl.com/imp? -||nhk.jp^*/bc.gif? -||nih.gov/medlineplus/images/mplus_en_survey.js -||nih.gov/share/scripts/survey.js -||nike.com/cms/analytics-store-desktop.js -||ninemsn.com.au^*.tracking.udc. -||ning.com^*/ga/ga.js -||nj.com/cgi-bin/stats/ -||nj.com/dhtml/stats/ -||nm.newegg.com^ -||nmtracking.netflix.com^ -||noip.com/images/em.php?$image -||nola.com/cgi-bin/stats/ -||nola.com/content/*/tracklinks.js -||nola.com/dhtml/stats/ -||nordstrom.com/log -||nova.pub/track.php? -||novatech.co.uk^*/tracking? -||novell.com^*/metrics.js -||novinite.com/tz.php -||nst.com.my/statistic/ -||nymag.com/js/2/metrony -||nymag.com^*/analytics.js -||nyse.com^*/stats/ -||nysun.com/tracker.js -||nyt.com/js/mtr.js -||nytimes.com/?url*&referrer$script -||nytimes.com/js/mtr.js -||nytimes.com^*/data-layer? -||nzbsrus.com/tracker/ -||nzonscreen.com/track_video_item -||nzpages.co.nz^*/track.js -||nzs.com/sliscripts_ -||oasisactive.com/pixels.cfm -||ocregister.com/za? -||odin.mic.com^ -||offers.keynote.com/wt/ -||officedepot.com/at/rules_*.js$script -||officelivecontent.com^*/Survey/ -||oimg.m.cnbc.com^ -||oimg.mobile.cnbc.com^ -||ok.co.uk/tracking/ -||okcupid.com/poststat? -||olark.com/track/ -||oload.tv/log -||om.cbsi.com^ -||omni.nine.com.au^ -||omniture.stuff.co.nz^ -||omniture.theglobeandmail.com^ -||oms.expedia.com^ -||onetravel.com/TrackOnetravelAds.js -||oodle.co.uk/event/track-first-view/ -||oodle.com/js/suntracking.js -||open.mkt1397.com^ -||openload.co/log -||openuniversity.co.uk/marketing/ -||opera.com/js/sfga.js +||newsmax.com/js/analytics.js +||newzit.com/setABframe.html +||nexon.com/api/nxlog/ +||nexon.com/nxlog-collect/ +||nextdoor.*/ajax/ping_ndas/ +||nextdoor.com/events/ +||nflshop.com/api/track +||nid.thetimes.com/prod/sp/nid_sp.js +||nike.com/assets/measure/data-capture/ +||nimbusweb.me/gtlytics.js +||nitroscripts.com^$script,domain=pcguide.com +||no9pldds1lmn3.soundcloud.com^ +||noblocktape.com/stat/ +||noodle.backmarket.io^ +||noodlemagazine.com/api/stats? +||nordace.com/track.js +||nordstrom.com/api/cake/ +||nordstrom.com/api/cupcake/ +||norton.com/service/norton/head? +||notion.so/api/v*/teV1 +||novanthealth.org/v1/tagular/beam +||novelcool.com/files/js/yh_tj.js +||npa.thetimes.com/stats +||nr-data.noelleeming.co.nz^ +||nr.noelleeming.co.nz^ +||nslookup.io/pl.js +||ntvid.online/cdn-cgi/trace +||nyt.com/ads/tpc-check.html$domain=nytimes.com +||nytimes.com/v1/purr-cache +||nzpages.co.nz/modules/common/track.js +||observe.metarouter.io^ +||odysee.com/reports/ +||ohm-dot-hackster-io.appspot.com^ +||oklink.com/jsstat/ +||okx.com/jsstat/sb? +||online-umwandeln.de/analytics.js +||ontraport.com/opt_assets/static/js/logging.js +||opendesktop.org/l/fp ||ophan.theguardian.com^ -||optimize-stats.voxmedia.com^ +||oppo.com/api/country ||optimizely.com/js/geo.js -||optimum.net^*=pageview& -||optionsxpress.com^*/tracking.js -||orain.org/w/index.php/Special:RecordImpression? -||origin-tracking.trulia.com^ -||origin.chron.com^ -||osalt.com/js/track.js -||oscars.org/scripts/wt_include1.js -||oscars.org/scripts/wt_include2.js -||ostkcdn.com/js/p13n.js -||overclock.net/p/$image -||overstock.com/dlp?cci=$image -||overstock.com/uniquecount -||ownerdriver.com.au/ga. -||p.ctpost.com/article?i= -||pageinfo.motorsport.com^ -||pages03.net/WTS/event.jpeg? -||pajamasmedia.com/stats/ -||pandasecurity.com/js/ahref/ahref.js -||papajohns.com/index_files/activityi.html -||papajohns.com/index_files/activityi_data/ct-*.js -||paper.li/javascripts/analytics.js +||optimizely.techtarget.com^ +||oracle.com/visitorinfo/ +||oracleimg.com/us/assets/metrics/ora_docs.js +||outbound.io/v2/identify +||outbound.io/v2/track +||overstock.com/analytics/ +||overstock.com/dlp? +||ovyerus.com/js/script.js +||p.ctpost.com/article? +||p.hentaiforce.net^ +||p.minds.com^ +||p.ost2.fyi/courses/*/save_user_state +||p.ost2.fyi/event^ +||p.sfx.ms/is/invis.gif +||pac.thescottishsun.co.uk^ +||pac.thesun.co.uk^ +||pac.thetimes.com^ +||papi.stylar.ai^ +||pappagallu.onefootball.com^ ||pardot.com/pd.js -||partner.worldoftanks.com^ -||partners.badongo.com^ -||partners.mysavings.com^ -||paypal.com/webapps/beaconweb/ -||paypalobjects.com/*/m/mid.swf$domain=paypal.com -||pbsrc.com/common/pixel.png -||pch.com^*/scripts/Analytics/ -||pch.com^*/SpectrumAnalytics.js? -||pckeeper.com^*/pixels/ -||pclick.europe.yahoo.com^ -||pclick.internal.yahoo.com^ -||pclick.yahoo.com^ -||pcmag.com/mst/ -||pcmag.com^*/analytics.js -||pcp001.com/media/globalPixel.js -||peacocks.co.uk^*/analytics.js -||pearltrees.com/s/track? -||pepsi.com/js/pepsi_tracking.js -||perezhilton.com/gtjs.php -||perezhilton.com/services/geo/ -||perezhilton.com^*/stat/ -||perfectmarket.com/pm/track? -||performances.bestofmedia.com^ -||petersons.com^*/trackBeta.asp -||petersons.com^*/trackFunctionsBeta.asp -||petplanet.co.uk^*/js/ga.js -||petri.co.il/akit/? +||paypal.com/credit-presentment/log +||paypal.com/platform/tealeaftarget +||pcgamesn.com/cdn-cgi/trace +||pcmag.com/js/ga.js +||pcmag.com/js/z0WVjCBSEeGLoxIxOQVEwQ.min.js +||pcp.coupert.com^ +||pendo.scopus.com/data/ptm.gif +||perf.mouser.com^ +||performance-logger.minted.com^ +||perr.hola.org^ ||pf.newegg.com^ -||phar.gu-web.net^ +||pftk.temu.com^ +||ph.thenextweb.com^ ||phonearena.com/_track.php -||phonedog.com/geo.php -||photobucket.com/ss/open.php? -||photobucket.com/track/ -||photobucket.com^*/api.php?*&method=track& -||photobucket.com^*/tracklite.php -||photographyblog.com/?ACT -||pi.feedsportal.com^ -||picapp.com/empty.gif? -||picbucks.com/track/ -||pichunter.com/logs/ -||pictopia.com^*/hb.gif? -||pictures.zooplus.com^ -||ping.buto.tv^ +||pi.ai/proxy/api/event +||pie.org/g/collect? +||pikbest.com/?m=Stats& +||ping.hashnode.com^ ||ping.hungama.com^ -||ping.tvmaze.com^ +||pingback.giphy.com^ ||pingback.issuu.com^ -||pings.blip.tv^ -||pinterest.com/_/_/report/ -||pipeline.realtime.active.com^ -||pipl.com/rd/? -||pix.eads.com^ -||pix.gfycat.com^ -||pix.nbcuni.com^ -||pixazza.com/track/ -||pixel.anyclip.com^ +||pingo.staticmoly.me^ +||pinkvilla.com/comscore_response.php ||pixel.archive. -||pixel.buzzfeed.com^ -||pixel.digitalspy.co.uk^ -||pixel.dorehernowi.pro^ +||pixel.archivecaslytosk.onion^ +||pixel.archiveiya74codqgiixo33q62qlrqtkgmcitqx5u2oeqnmn5bpcbiyd.onion^ +||pixel.clutter.com^ +||pixel.convertize.io^ ||pixel.facebook.com^ -||pixel.honestjohn.co.uk^ -||pixel.klout.com^ -||pixel.naij.com^ -||pixel.newscgp.com^ -||pixel.newsdiscover.com.au^ -||pixel.pcworld.com^ -||pixel.propublica.org^ -||pixel.reddit.com^ -||pixel.redditmedia.com^ -||pixel.staging.tree.com^ +||pixel.ionos.com^ +||pixel.nine.com.au^ ||pixel.tuko.co.ke^ -||pixels.livingsocial.com^ +||pixelzirkus.gameforge.com^ ||pixiedust.buzzfeed.com^ -||play.com/analytics/ -||play.com/sitetrak/ -||playboy.com/libs/analytics/ -||playdom.com/affl/show_pixel? -||playlist.com/scripts/remote_logger.js -||playserver1.com/analytics/ -||playstation.com/beacon/ -||playstation.net/event/ -||plentyoffish.com/tracking.js -||pluto.airbnb.com^*.php?uuid= -||pnet.co.za/js/ga.js -||pokernews.com/track-views.php? -||policeone.com/stat/ -||pong.gannettdigital.com^ -||popcap.com^*/interstitial_zones.js -||porndoo.com/lib/ajax/track.php -||pornhd.com/api/user/tracking -||porntube.com^*/track -||potterybarn.com/pbimgs/*/external/thirdparty.js -||potterybarnkids.com/pkimgs/*/external/thirdparty.js -||pound.buzzfeed.com^ -||powerreviews.com^*/ph.gif? -||presentationtracking.netflix.com^ -||presstv.ir/stat/ -||prezi.com/log/ -||pricegrabber.com/analytics.php -||priceline.com/svcs/$script -||priceline.com^*/beaconHandler? -||priceline.com^*/impression/ -||primevideo.com/uedata/ -||primevideo.com^*/ref= +||pks-analytics.raenonx.cc^ +||pl.letsblock.it^ +||plausible.bots.gg^ +||plausible.corsme.com^ +||plausible.dragonfru.it^ +||plausible.omgapi.org^ +||plausible.safing.io^ +||plausible.tubemagic.com^ +||play.google.com/log +||player-cdn.com/cdn-cgi/trace +||player-telemetry.vimeo.com^ +||playvideohd.com/cdn-cgi/trace +||plenty.vidio.com^ +||plushd.bio/cdn-cgi/trace +||pluto.smallpdf.com^ +||pm.dailykos.com^ +||pm.geniusmonkey.com^ +||pog.com^$ping +||poki.com/observer/ +||politico.com/resource/assets/js.min/video-tracking. +||poptropica.com/brain/track.php? +||pornbox.com/event/ +||pornbox.com/stats/ +||porzo.com/js/analytics +||prairiedog.hashnode.com^ +||pravda.com.ua/counter/ +||prescouter.com/pd.js +||priceline.com/pws/v1/ace/impression/ +||priceline.com/svcs/mkt/tag/ ||princetonreview.com/logging/ -||prnewswire.com/rit.gif? -||prnewswire.com/rt.gif? -||proac.nationwide.com^ -||production.airswap.io^ -||projop.dnsalias.com/intranet-crm-tracking/ -||prontohome.com/permuto.do -||propertyfinder.ae/js/ga.js -||prospects.ac.uk/assets/js/prospectsWebTrends.js -||prosper.com/referrals/ -||proxypage.msn.com^ -||prudential.com^*/metrics_1px.gif? -||ps-deals.com/aggbug.aspx -||ps.ecosia.org^ -||pubarticles.com/_hits.php? -||pubarticles.com/add_hits_by_user_click.php -||pulsar.ebay.$script -||pulse-analytics-beacon.reutersmedia.net^ -||puritan.com/images/pixels/ -||pvstat.china.cn^ -||pw.org/sites/all/*/ga.js -||px.wayfair.com^ -||qbn.com/media/static/js/ga.js -||quantserve.com/pixel; -||questionmarket.com/adsc/ -||questionmarket.com/static/ -||quibids.com^*/pixels/ +||prisma.io/gastats.js +||priv.gc.ca/m/m.js +||privacy-api.9gag.com^ +||privacyfriendly.netlify.app^ +||privacypolicies.com/track/ +||prod-events.nykaa.com^ +||progressive.com/Log/ +||promos.investing.com/*/digibox.gif? +||proporn.com/ajax/log/ +||proxima.midjourney.com^ +||pulpulyy.club/cdn-cgi/trace +||pulsar.ebay.com^ +||pulse.delta.com^ +||pumpkin.abine.com^ +||pushsquare.com/blank.gif +||px.srvcs.tumblr.com^ +||pxl.indeed.com^ +||qc.arstechnica.com^ +||qc.gq.com^ +||qc.newyorker.com^ +||qc.vanityfair.com^ +||qc.vogue.com^ +||qc.wired.com^ +||qm.redbull.com^ +||quibids.com/marketing/pixels/ ||quickmeme.com/tracker/ -||quintcareers.4jobs.com/Common/JavaScript/functions.tracking.js -||quotesonic.com/vendor/pixel.cfm +||qwant.com/action/ +||qwant.com/impression/ +||qwant.com/maps/events +||qwant.com/v2/api/ux/surveys? +||qwerpdf.com/trk23/ +||r.3hentai.net^ +||r.apkpure.net^ ||r.bbci.co.uk^ -||r.my.com^ -||racingbase.com/tracking_fetchinfo.aspx? -||racinguk.com/images/home_sponsors/ -||radio-canada.ca/lib/TrueSight/markerFile.gif? -||rainbow-uk.mythings.com^ -||rakuten-static.com/com/rat/ -||ralphlauren.com^*/icg.metrics.js -||rambler.ru/cnt/ -||rangers.co.uk^*/tracking.js -||rarefilmfinder.com^*/cnt-gif1x1.php -||rat.rakuten.co.jp^$~xmlhttprequest -||razor.tv/site/servlet/tracker.jsp -||rd.meebo.com^ -||reachlocal.com/js/tracklandingpage.js -||real.com^*/pixel? -||real.com^*/track.htm? +||raenonx.cc/api/tag +||raenonx.cc/g/usage/ +||raindrop.io/pb/api/event +||rakuten.com/rmsgjs/soj2.js +||ranker.com/api/px +||ranker.com/api/tr? +||ranker.com/api/tracking/comscore +||rankhit.china.com^ +||ras.yahoo.com^ +||rbc.ua/enghits/ +||react-admin-telemetry.marmelab.com^ ||realitytvworld.com/images/pixel.gif -||reallifecam.com/track/ -||reco.hardsextube.com^ -||recomendedsite.com/addon/upixel/ -||recommendation.24.com^ -||redding.com/metrics/ +||rec.banggood.com^ +||reddit.com/static/pixel.png$image ||reddit.com/timings/ -||reddit.com/web/log/ -||reddit.com^*.gif?$third-party ||redditmedia.com/gtm/jail? -||redeye.williamhill.com^ -||rediff.com^*?rkey= -||redtube.com/_status/pix.php -||redtube.com/_status/pixa.php -||redtube.com/blockcount| -||redtube.com/js/track.js -||redtube.com/pix.php -||redtube.com/stats/ -||redtube.com/trackimps -||redtube.com/trackplay? -||redtube.com^*/jscount.php -||refer.evine.com^ -||reference.com/track/ -||refinery29.com/api/stats? -||register.it/scripts/track_ -||rel.msn.com^ -||relatable.inquisitr.com^$image -||rent.com/track/visit/ -||rentalcars.com/tracking/ -||report-zt.allmusic.com^ -||report.shell.com^ -||reporter-times.com/js/tk.js? -||reporternews.com/metrics/ -||reporting.flymonarch.com^ -||reporting.onthebeach.co.uk^ -||reporting.theonion.com^ -||reporting.wilkinsonplus.com^ -||request.issuu.com^ -||resellerclub.com/helpdesk/visitor/index.php?$image -||retargeting.vistaprint.com^ -||retrevo.com/m/vm/tracking/ -||retrevo.com/search/v2/jsp/blank.jsp? -||reuters.com/pulse/$script -||reuters.com/tracker/ -||reuters.com^*/rcom-wt-mlt.js -||reuters.com^*/tracker_video.js -||reuters.com^*/widget-rta-poc.js -||reutersmedia.net^*/tracker-article*.js -||revsci.tvguide.com^ -||rgbstock.com/logsearch/ -||rightmove.co.uk/ps/images/logging/timer.gif? -||rightstuf.com/phplive/ajax/footprints.php -||ringcentral.com/misc/se_track.asp -||rismedia.com/tracking.js -||ritzcarlton.com/ritz/crossDomainTracking.mi? -||riverisland.com^*/mindshare.min.js -||rkdms.com/order.gif? -||rkdms.com/sid.gif? -||ro89.com/hitme.php? -||roadandtrack.com^*/RTdartSite.js +||redditstatic.com/accountmanager/sentry. +||redditstatic.com/shreddit/sentry- +||redfin.com/rift? +||redgifs.com/v2/metrics/ +||reelgood.com/v3.0/checkip +||reichelt.com/setsid.php? +||relay.fiverr.com^ +||reports.tunein.com^ +||researchgate.net/track/ +||reverbnation.com/api/user/app_events +||rfk.biglots.com^ +||rfk.dsw.com/api/init/1/init.js +||rgshows.me/js/logger.js +||rgshows.me/js/statistics.js +||ring.staticmoly.me^ +||risextube.com/t/ +||roblox.com/_/_/1px.gif +||roblox.com/report ||roblox.com/www/e.png? -||rok.com.com^ -||roll.bankofamerica.com^ -||rottentomatoes.com/tracking/ -||rover.ebay.$image,object,script -||rover.ebay.com.au^*&cguid= +||rome.api.flipkart.com/api/1/fdp +||rps-p2.rockpapershotgun.com^ +||rps-uk.rockpapershotgun.com^ ||rs.mail.ru^ -||rsscache.com/Section/Stats/ -||rsys2.net/pub/as? -||rt.com^*/pixel.gif +||rss-loader.com/track/ +||rstat.rockmostbet.com^ +||rt.newswire.ca^ ||rt.prnewswire.com^ -||rt.rakuten.co.jp^$~xmlhttprequest ||rta.dailymail.co.uk^ +||rta2.inews.co.uk^ ||rta2.metro.co.uk^ -||rte.ie/player/playertracker.js -||rtn.thestar.com^ -||rumble.com/l/$image -||runnersworld.com^*/universalpixel.html -||russellgrant.com/hostedsearch/panelcounter.aspx -||rv.modanisa.com^ -||s-msn.com/br/gbl/js/2/report.js -||s-msn.com/primedns.gif?$domain=msn.com -||s-msn.com/s/js/loader/activity/trackloader.min.js -||s.infogr.am^ +||rta2.newzit.com^ +||rtds.progressive.com^ +||rum.api.intuit.com^ +||rum.condenastdigital.com^ +||rumble.com/l/ +||run.app/events$domain=imgur.com|worldstar.com|worldstarhiphop.com +||rv.modanisa.com^$script +||rvo-cohesion.healthline.com^ +||s.gofile.io^ ||s.infogram.com^ -||s.youtube.com^ -||s2.youtube.com^ -||s3s-bofm.net/ouv2/*.gif$image,third-party -||sa.bbc.co.uk^ -||sa.bbc.com^ -||sa.squareup.com^ -||sa135.macworld.co.uk^ -||sabah.com.tr/Statistic/ -||sabah.com.tr/StatisticImage/ -||sabc.co.za/SABC/analytics/ -||sagepub.com^*/login_hit_hidden.gif? -||samsung.com^*/scripts/tracking.js -||sana.newsinc.com.s3.amazonaws.com^ -||sap.com/global/ui/js/trackinghelper.js -||sasontnwc.net/track/ -||satellite-tv-guides.com/stat/ -||sayac.hurriyettv.com^ -||sb.vevo.com^ -||scdn.co/build/js/tracking- -||sciencedaily.com/blank.htm -||sciencedaily.com/cache.php? -||scluster3.cliphunter.com^ -||scoop.co.nz/images/pixel.gif -||scoot.co.uk/ajax/log_serps.php -||scotts.com/smg/js/omni/customTracking.js -||scout.lexisnexis.com^ -||scout.rollcall.com^ -||scribe.twitter.com^ -||scribol.com/traffix-tracker.gif -||scriptlance.com/cgi-bin/freelancers/ref_click.cgi? -||scripts.snowball.com/scripts/images/pixy.gif -||sdc.com/sdcdata.js +||s.smallpdf.com/static/track-js- +||s.wayfair.com^ +||sa.uswitch.com^ +||saa.insideedition.com^ +||samsung.com/us/web/internal/logger +||sapi.tremendous.com^ +||sapphire-api.target.com^ +||scholar.google.com^$ping +||sciencechannel.com/events/ +||scloud.online/stat/ +||scoot.co.uk/ajax/log_ +||scribd.com/log/ +||search.anonymous.ads.brave.com^ +||search.aol.com/beacon/ +||search.brave.com/api/feedback$~third-party +||search.brave.com/serp/v1/static/serp-js/telemetry/ ||search.ch/audit/ -||search.firstplace.com^*pageview -||search.usa.gov/javascripts/stats.js -||search.yahoo.com/ra/click? -||searchenginewatch.com/utils/article_track/ -||searchyc-naity.ru/analytics.js -||seatgeek.com/sixpack/participate? -||seatguru.com^*/analytics.js -||seatguru.com^*/DMPDesktopBehaviorTracker.js -||seatguru.com^*/sg-tracking.js -||seattletimes.com/clientip -||secondspace.com^*/blank.gif -||securepaynet.net/image.aspx? -||seeclickfix.com^*/text_widgets_analytics.html -||seedr.cc/tr.js -||selfip.org/counter/ -||sella.co.nz^*/sella_stats_ -||sense.dailymotion.com^ -||seoquake.com/seoadv/audience/3.gif -||servedby.o2.co.uk^ -||servedby.yell.com/t.js?cq -||servicetick.com^ -||session-tracker.badcreditloans.com^ -||sevenload.com/som_ -||sex-flow.com/js/error.js -||sh.st/bundles/smeweb/img/tracking- -||shareaholic.com^*/bake.gif? -||sharecast.com/counter.php -||shoes.com/WebServices/ClientLogging. -||shopautoweek.com/js/modules/tracker.js -||shopify.com/track.js -||shoplocal.com/dot_clear.gif? -||shopping.com/pixel/ -||shopsubmit.co.uk/visitor.ashx -||shoutcast.com/traffic/? -||showstreet.com/log/ -||shutterfly.com^*/pageloadtime.gif? -||shutterstock.com/b.png? +||searchenginejournal.com/xcs0MhRsfxHG.js +||searchiq.co/api/tr? +||secure.checkout.visa.com/logging/ +||seekingalpha.com/mone_event +||service.techzine.eu^ +||services.haaretz.com/ds/impression +||services.haaretz.com/ms-gstat-campaign/ +||servo-report.dvdfab. +||sexu.com/api/events +||sexu.com/api/ttrack +||sexybabepics.net/re/?ping +||sf-syn.com/conversion_outbound_tracker$subdocument,domain=sourceforge.net +||sharesies.com/v1/identify +||sharesies.com/v1/track +||shavetape.cash/stat/ +||shazam.com/services/metrics/ +||shobiddak.com/logging/ +||shopee.*/__t__$xmlhttprequest +||shopifysvc.com/v1/metrics +||shopmetric.rediff.com^ ||siberiantimes.com/counter/ -||sidebar.issuu.com^ -||similarsites.com/sbbgate.aspx/ -||simplyhired.com^*/hit? -||sinaimg.cn/unipro/pub/ -||singer22-static.com/stat/ -||sitelife.ehow.com^ -||sitemeter.com/meter.asp -||sixpack.udimg.com^ -||sky.com^*/hightrafficsurveycode.js -||sky.com^*/incomeGeneratingDevicesExpanding.js -||sky.com^*/metrics/ -||skype.com^*/inclient/ -||skype.com^*/track_channel.js -||skypeassets.com/i/js/jquery/tracking.js -||skypeassets.com^*/inclient/ -||skypeassets.com^*/track_channel.js -||skyrock.net/img/pix.gif -||skyrock.net/js/stats_blog.js -||skyrock.net/stats/ -||skyscanner.*/slipstream/applog| -||skyscanner.*/slipstream/view| +||sid.nordstrom.com^ +||sided.co/analytics/ +||silvergames.com/div/g.php? +||simplelogin.io/p/api/event +||sjc.cloud.optable.co^ +||skyscanner.*/slipstream/view +||slack-edge.com/bv1-10/slack_beacon. ||slack.com/beacon/ ||slack.com/clog/track/ -||slacker.com/beacon/page/$image ||slant.co/js/track.min.js -||slashdot.org/images/js.gif?$image -||slashdot.org/purple.gif -||slashgear.com/stats/ -||slide.com/tracker/ +||slashdot.org/country.js +||slashdot.org/images/js.gif +||slickdeals.net/ajax/stats/ +||slideshare.net/frontend_tracking/ ||slipstream.skyscanner.net^ -||smallcapnetwork.com^*/viewtracker/ -||smartname.com/scripts/cookies.js -||smassets.net/assets/anonweb/anonweb-click-$script -||smetrics.att.com^ -||smetrics.delta.com^ -||snakesworld.com/cgi-bin/hitometer/ -||snorgtees.com/js/digitalbasement/conversion.js -||snowplow-collector.sugarops.com^ -||socialcodedev.com/pixel/ -||socialstreamingplayer.crystalmedianetworks.com/tracker/ -||soe.com/js/web-platform/web-data-tracker.js -||sofascore.com/geoip.js -||somniture.theglobeandmail.com^ -||soonnight.com/stats.htm -||soundcloud.com/event? -||sourceforge.net/images/mlopen_post.html? -||sourceforge.net/log/ -||sovereignbank.com/utils/track.asp -||sp.app.com^ -||sp.argusleader.com^ -||sp.azcentral.com^ -||sp.battlecreekenquirer.com^ -||sp.baxterbulletin.com^ -||sp.bucyrustelegraphforum.com^ -||sp.burlingtonfreepress.com^ -||sp.caller.com^ -||sp.centralfloridafuture.com^ -||sp.chillicothegazette.com^ -||sp.cincinnati.com^ -||sp.citizen-times.com^ -||sp.clarionledger.com^ -||sp.coloradoan.com^ -||sp.commercialappeal.com^ -||sp.coshoctontribune.com^ -||sp.courier-journal.com^ -||sp.courierpostonline.com^ -||sp.courierpress.com^ -||sp.dailyrecord.com^ -||sp.dailyworld.com^ -||sp.delawareonline.com^ -||sp.delmarvanow.com^ -||sp.democratandchronicle.com^ -||sp.desertsun.com^ -||sp.desmoinesregister.com^ -||sp.detroitnews.com^ -||sp.dnj.com^ -||sp.fdlreporter.com^ -||sp.floridatoday.com^ -||sp.freep.com^ -||sp.fsunews.com^ -||sp.gametimepa.com^ -||sp.gosanangelo.com^ -||sp.greatfallstribune.com^ -||sp.greenbaypressgazette.com^ -||sp.greenvilleonline.com^ -||sp.guampdn.com^ -||sp.hattiesburgamerican.com^ -||sp.htrnews.com^ -||sp.independentmail.com^ -||sp.indystar.com^ -||sp.inyork.com^ -||sp.ithacajournal.com^ -||sp.jacksonsun.com^ -||sp.jconline.com^ -||sp.jsonline.com^ -||sp.kitsapsun.com^ -||sp.knoxnews.com^ -||sp.lancastereaglegazette.com^ -||sp.lansingstatejournal.com^ -||sp.ldnews.com^ -||sp.lohud.com^ -||sp.mansfieldnewsjournal.com^ -||sp.marionstar.com^ -||sp.marshfieldnewsherald.com^ -||sp.montgomeryadvertiser.com^ -||sp.mycentraljersey.com^ -||sp.naplesnews.com^ -||sp.newarkadvocate.com^ -||sp.news-press.com^ -||sp.newsleader.com^ -||sp.northjersey.com^ -||sp.pal-item.com^ -||sp.pnj.com^ -||sp.portclintonnewsherald.com^ -||sp.postcrescent.com^ -||sp.poughkeepsiejournal.com^ -||sp.press-citizen.com^ -||sp.pressconnects.com^ -||sp.publicopiniononline.com^ -||sp.redding.com^ -||sp.reporternews.com^ -||sp.rgj.com^ -||sp.sctimes.com^ -||sp.sheboyganpress.com^ -||sp.shreveporttimes.com^ -||sp.stargazette.com^ -||sp.statesmanjournal.com^ -||sp.stevenspointjournal.com^ -||sp.tallahassee.com^ -||sp.tcpalm.com^ -||sp.tennessean.com^ -||sp.theadvertiser.com^ -||sp.thecalifornian.com^ -||sp.thedailyjournal.com^ -||sp.thegleaner.com^ -||sp.theleafchronicle.com^ -||sp.thenews-messenger.com^ -||sp.thenewsstar.com^ -||sp.thenorthwestern.com^ -||sp.thespectrum.com^ -||sp.thestarpress.com^ -||sp.thetimesherald.com^ -||sp.thetowntalk.com^ -||sp.timesrecordnews.com^ -||sp.udimg.com^ -||sp.usatoday.com^ -||sp.vcstar.com^ -||sp.visaliatimesdelta.com^ -||sp.wausaudailyherald.com^ -||sp.wisconsinrapidstribune.com^ -||sp.ydr.com^ -||sp.yorkdispatch.com^ -||sp.zanesvilletimesrecorder.com^ -||spanids.dictionary.com^ -||spanids.reference.com^ -||spanids.thesaurus.com^ -||spankbang.com^*.ping.js -||speakertext.com/analytics/ -||speed.wikia.net^ -||spinback.com/spinback/event/impression/ -||spinmedia.com/clarity.min.js -||spinmediacdn.com/clarity.min.js -||splurgy.com/bacon/*_ct.gif$image -||spoonful.com^*/tracking.js -||spoor-api.ft.com/px.gif -||sporcle.com/adn/yaktrack.php? -||sportingnews.com/px/ -||sportsmole.co.uk/track*.gif? -||spotify.com^*/metric -||spotlight.accuweather.com^ -||spreaker.com^*/statistics/ -||squidoo.com/track/ -||srt.pch.com^ -||ssc.api.bbc.com^ -||ssl-stats.wordpress.com^ -||st.arte.tv^ +||smartlink-api.amuse.io/api/analytics/ +||smassets.net/assets/anonweb/anonweb-click- +||smetrics.couponcabin.com^ +||smetrics.ralphlauren.com^ +||smutty.com/ajax/trcking/ +||snapchat.com/web/metrics +||sofire.terabox.app^ +||solvusoft.com^*/scripts/visitor.js +||soundcloud.com^$ping +||source.chromium.org/v1/logging +||sourcesync.io/analytics +||southwest.com/api/logging/v1/logging/ +||southwest.com/di/swadc/beacon/ +||sp.cargurus.co.uk^ +||sp.ecosia.org^ +||sp.pcoptimum.ca^ +||sp.welcometothejungle.com^ +||spanishdict.com/page-view-metadata +||spectrum.gettyimages.com^ +||speed.cloudflare.com/__log +||sportsmansguide.com/scripts/vendor/at_ +||spotifycdn.com/cdn/js/retargeting-pixels. +||spt.ahram.org.eg^ +||squarespace.com/api/1/performance/ +||squirrel.malaynahocker.com^ +||srchoffer.com/tracking/ +||srtb.msn.com^ +||srv.plesk.com^ +||ss.esade.edu^ +||ss.photospecialist.co.uk^ +||sst.shopware.com^ +||sstats.adobe.com^ +||st.sawlive.tv^ +||stackoverflow.com/_/client-timings +||stackshare.io/analytics. ||stan.xing.com^ -||startpage.*/avtc? -||startpage.*/do/avt?$image -||startpage.*/do/smt? -||startpage.*/elp? -||startpage.*/pelp? -||stat.alibaba.com^ -||stat.dealtime.com^ -||stat.kbs.co.kr^ +||stapadblockuser.art/stat/ +||stapadblockuser.click/stat/ +||stapadblockuser.info/stat/ +||stapadblockuser.xyz/stat/ +||stape.fun/stat/ +||stapewithadblock.beauty/stat/ +||stapewithadblock.monster/stat/ +||stapewithadblock.xyz/stat/ +||starfiles.co/analytics.php +||startpage.com/sp/$ping +||startpage.com/sp/dplpxs? +||startpage.com/sp/jst +||starzplay.com/resources/js/analytics.js ||stat.pubhtml5.com^ -||stat.ruvr.ru^ -||stat.torrentbar.com^ -||stat.xhamsterpremium.com^ -||statesmanjournal.com^*/articlepageview.php? -||static.ow.ly^*/click.gz.js -||staticice.com.au/cgi-bin/stats.cgi? -||staticlp.com/analytics/ -||staticwhich.co.uk/assets/*/track.js -||staticworld.net/pixel.gif -||statistics.crowdynews.com^ -||statravel.co.uk/static/uk_division_web_live/Javascript/wt_gets.js -||statravel.com^*/Javascript/wt_gets.js -||stats.aplus.com^ -||stats.articlesbase.com^ -||stats.avg.com^ -||stats.bbc.co.uk^ -||stats.behance.net^ -||stats.binki.es^ -||stats.blogg.se^ -||stats.break.com^ -||stats.cardschat.com^ -||stats.christianpost.com^ -||stats.clear-media.com^ -||stats.dnaindia.com^ -||stats.ebay.com^ -||stats.europe.newsweek.com^ -||stats.eyeviewdigital.com^ -||stats.farfetch.com^ -||stats.harpercollins.com^ +||stat.tildacdn.com^ +||stat.turb.pw^ +||stat.vulkanvegas.com^ +||statista.com/data/ptm.gif +||statistics.darkreader.app^ +||statistics.streamdav.com^ +||stats.aerotime.aero^ +||stats.allenai.org^ +||stats.calcalist.co.il^ +||stats.chromatone.center^ +||stats.codeur.com^ +||stats.darkreader.app^ +||stats.davidickedelivery.com^ +||stats.gateio.ch^ +||stats.habr.com^ ||stats.ibtimes.co.in^ -||stats.ibtimes.co.uk^ -||stats.macmillanusa.com^ -||stats.mehrnews.com^ -||stats.nimiq-network.com^ -||stats.nymag.com^ -||stats.opoloo.de^ -||stats.pandora.com^ -||stats.paste2.org^ -||stats.paypal.com^ -||stats.piaggio.com^ -||stats.propublica.org^ -||stats.pusher.com^ -||stats.radiostreamlive.com^ -||stats.redditmedia.com^ +||stats.ibtimes.sg^ +||stats.justpaste.it^ +||stats.mempool.space^ +||stats.newsweek.com^ +||stats.qwant.com^ +||stats.sandberg.world^ ||stats.searchftps.net^ -||stats.searchftps.org^ -||stats.searchsight.com^ -||stats.sharenet.co.za^ -||stats.shoppydoo.com^ -||stats.slashgear.com^ -||stats.slideshare.net^ -||stats.someecards.com^ -||stats.storify.com^ -||stats.suite101.com^ -||stats.thevideo.me^ -||stats.townnews.com^ -||stats.tvmaze.com^ -||stats.uswitch.com^ -||stats.vc.gg^ -||stats.video.search.yahoo.com^ -||stats.videodelivery.net^ -||stats.visistat.com^ -||stats.vulture.com^ +||stats.suenicholls.com^ +||stats.synedat.io^ +||stats.trimbles.ie^ +||stats.vidbinge.com^ +||stats.vk-portal.net^ ||stats.wordpress.com^ -||stats.wwd.com^ ||stats.wwitv.com^ -||stats.ynet.co.il^ -||stats.zmags.com^ -||stats02.topix.com^ -||statscol.pond5.com^ -||statstracker.celebrity-gossip.net^ -||stattrack.0catch.com^ -||stbt.coupons.com^ -||stcollection.moneysupermarket.com^ -||stickpage.com/counter.php -||stocktwits.com/spaceape-web.gif? -||stomp.com.sg/site/servlet/tracker -||store.yahoo.net^*/ywa.js -||storenvy.com/tracking/ -||storewidesearch.com/imn/mn.gif? -||streamango.com/log -||streamstats1.blinkx.com^ -||streetdirectory.com/tracking/ -||streetfire.net/flash/trackingutility.swf -||streetfire.net/handlers/logstreamfileimpression.ashx? -||streetinsider.com/*.php? -||stribe.com/00/logs? -||studyisland.com^*/ga.js -||stuff.afterdawn.com/views.cfm -||stuff.co.nz/track/ -||stuff.co.nz^*/track.min.js -||stylelist.com/ping?ts= -||sublimevideo.net/_.gif -||sugar.gameforge.com^ -||sugarvine.com/inc/tracking.asp -||suite101.com/tracking/ -||sun.com/share/metrics/ -||sundayskylb1.com/sst.gif? -||supermediastore.com/web/track? -||superpages.com/ct/clickThrough? -||surinenglish.com/acceso.php? -||surveys.cnet.com^ -||sysomos.com/track/ -||t-ak.hulu.com^ +||stats2.mytuner.mobi^ +||statsegg.cdngeek.com^ +||stayz.com.au/cl/data/omgpixel.json +||storage.googleapis.com/t3n-de/assets/t3n/2018/scripts/msodrq.js +||stratascratch.com/monitoring? +||strcdn.org/cdn-cgi/trace +||strcloud.in/stat/ +||stream.corporatefinanceinstitute.com^ +||streamadblocker.cc/stat/ +||streamadblocker.com/stat/ +||streamadblocker.store/stat/ +||streamadblocker.xyz/stat/ +||streamate.com/api/metrics +||streamed.su/api/preload +||streamelements.com/z/i.js +||streamelements.com/z/s.js +||streamelements.com/z/t +||streamlabs.com/web/data/ping +||streamnoads.com/stat/ +||streamstats.prd.dlive.tv^ +||streamta.pe/stat/ +||streamta.site/stat/ +||streamtape.cc/stat/ +||streamtape.com/stat/ +||streamtape.net/stat/ +||streamtape.to/stat/ +||streamtape.xyz/stat/ +||streamtapeadblock.art/stat/ +||streamtapeadblockuser.art/stat/ +||streamtapeadblockuser.homes/stat/ +||streamtapeadblockuser.monster/stat/ +||streamtapeadblockuser.xyz/stat/ +||stripchat.com/pixel/ +||stripe.com/tracking/ +||strtape.cloud/stat/ +||strtapeadblock.club/stat/ +||strtapeadblocker.xyz/stat/ +||strtapewithadblock.art/stat/ +||strtapewithadblock.xyz/stat/ +||strtpe.link/stat/ +||stubhub.com/a/icph +||stytch.com/sdk/v1/events +||suaurl.com/adblock/js/smarttag.js +||sudokupad.app/api/event +||sumsub.com/api/tunnel/ +||sumsub.com/resources/fevents +||sumsub.com/stry/ +||support.github.com/_event +||support.github.com/_stats +||support.github.com/session/event +||support.github.com/session/user +||swarm.video/stats/ +||szrpr.raen.com^ +||t-mobile.com/self-service-commerce/v1/logging ||t.9gag.com^ +||t.airasia.com^ +||t.allmodern.com^ ||t.appsflyer.com^ -||t.blinkist.com^ -||t.cinemablend.com^ +||t.av.st^ +||t.birchlane.com^ ||t.dailymail.co.uk^ -||t.delfi. -||t.eharmony.com^ -||t.hulu.com/beacon/ +||t.deepnote.com^ +||t.freelancer.com^ ||t.indeed.com^ +||t.ionos.com^ +||t.jossandmain.com^ ||t.kck.st^ -||t.my.jobs^ -||t.paypal.com^ -||t.vimeo.com^ +||t.nypost.com^ +||t.pagesix.com^ +||t.paypal.com^$image +||t.perigold.com^ +||t.poki.io^ +||t.regionsjob.com^ +||t.wayfair.ca^ +||t.wayfair.co.uk^ ||t.wayfair.com^ +||t.y8.com^ ||t2.hulu.com^ -||t2.huluim.com^ -||t3.com/js/trackers.js -||tab.co.nz/track? -||tag-stats.huffpost.com^ -||tagcommander.laredoute. -||tags.aljazeera. -||tags.msnbc.com^ +||t810.ctpost.com^ +||tagger.ope.scmp.com^ +||tagging.steelseries.com^ +||tags.air1.com^ +||tags.aljazeera.com^ +||tags.johnlewis.com^ +||tags.klove.com^ ||tags.news.com.au^$script -||tags.transportdirect.info^ -||tagx.nytimes.com^ -||takealot.com/rest/^*/collect -||talktalk.co.uk^*/log.html -||talktalk.co.uk^*/tracking/ -||target.com/ci/$script -||targetspot.com/track/ -||tarot.com/stats/ -||tck.bangbros.com^ -||tcog.news.com.au^$~xmlhttprequest -||tcpalm.com/metrics/ -||tdwaterhouse.ca/includes/javascript/rtesurvey.js -||tdwaterhouse.co.uk^*/track.js -||ted.dailymail.co.uk^ -||ted.metro.co.uk^ -||ted1.metro.co.uk^ -||telegraph.co.uk^*/tmglmultitrackselector.js +||tags.stepstone.com^ +||tahoe.com/imp +||taiwanplus.com/api/video/startVideo +||tao.barstoolsports.com^ +||tapeadsenjoyer.com/stat/ +||tapeadvertisement.com/stat/ +||tapeantiads.com/stat/ +||tapeblocker.com/stat/ +||tapelovesads.org/stat/ +||tapenoads.com/stat/ +||tapewithadblock.com/stat/ +||tapewithadblock.org/stat/ +||target-us.samsung.com^ +||target.com/consumers/v1/ingest/web/eventstream? +||target.com/consumers/v1/ttms/events? +||target.com/rum_analytics/ +||target.com/telemetry_data/ +||target.nationwide.com^ +||target.nejm.org^ +||targeting.washpost.nile.works^ +||tc.geniusmonkey.com^ +||tccd.douglas. +||td.airdroid.com^ +||telegraph.prd.api.max.com^ +||telem.sre.gopuff.com^ +||telemetry.adobe.io^ +||telemetry.algolia.com^ +||telemetry.api.playstation.com^ +||telemetry.canva.com^ +||telemetry.firez.one^ +||telemetry.stytch.com^ ||telemetry.tradingview.com^ -||tempo.inc.com^ -||tesco.com/cgi-bin3/buyrate?type= -||tfl.gov.uk/tfl-global/scripts/stats-config.js -||tfl.gov.uk/tfl-global/scripts/stats.js -||tgw.com/1/t.gif -||theage.com.au^*/behave.js +||tellerreport.com/react/pixel +||terabox.app/api/analytics? +||terabox.app/issue/terabox/ts_ad/ +||terabox.com/abdr? +||terabox.com/nodeapi/reporterror? +||termsfeed.com/track/ +||tgt.maep.ibm.com^ +||theblock.co/api/analytics ||theconversation.com/javascripts/lib/content_tracker_hook.js -||thecreatorsproject.com/tracker.html -||thedeal.com/oas_ -||thefashionspot.com^*/pb.track.js -||thefilter.com^*/CaptureRest.ashx?cmd= -||thefind.com/page/sizelog? -||thefreedictionary.com/x/tp.ashx -||thefreedictionary.com^*/track.ashx? -||thefrisky.com/?act= -||thegameslist.com/wb/t.gif -||thegumtree.com^*/tracking.js -||theintercept.com/a? -||thejc.com/metatraffic2/ -||thenewsroom.com//playerreporting/ -||theolivepress.es/cdn-cgi/cl/ -||thesaurus.com/track/ -||theseforums.com/track/ -||thesmokinggun.com^*/jsmd.js -||theweek.com/decor/track/ -||thinkgeek.com/js/rts.js -||thrillist.com/track -||ti.com/assets/js/headerfooter/$script -||tiaa-cref.org^*/js_tiaacref_analytics. -||tickco.com/track.js -||tidaltv.com/Ping.aspx -||timeslogtn.timesnow.tv^ -||timesrecordnews.com/metrics/ -||timestrends.indiatimes.com^ -||timestrends.timesnow.tv^ -||tinypic.com/api.php?*&action=track$object-subrequest -||tinypic.com/track.php? -||tinyupload.com^*/ct_adkontekst.js -||tivo.com/__ssobj/track? -||tk.kargo.com^ -||tkpi.delta.com^ -||tmagazine.com/js/track_ -||tnla.thenewslens.com^ -||tools.ranker.com^ +||thedailybeast.com/static/js/thirdparty. +||thefreedictionary.com/_/tr.ashx? +||thehackernews.com/zscripts/ +||theladders.com/api/user-tracking/ +||thesun.co.uk/assets/client/analyticsListeners~ +||thesun.co.uk/assets/client/newrelicExperimentTracking~ +||thesun.ie/track? +||thetimes.co.uk/track? +||thetruth.com/pd.js +||thewindowsclub.com/wp-content/themes/genesis/lib/js/skip-links.min.js +||thisiswhyimbroke.com/api/user/gift-guide-thumbnail-homepage/tracking +||thisiswhyimbroke.com/api/user/tracking +||thriftbooks.com/scripts/sp.js +||thtk.temu.com^ +||tiendeo.*/_statsapi/ +||tif.ionos.com^ +||tiktok.com/captcha/report +||tiktok.com/ttwid/check/ +||tiktok.com/v1/list +||tiktok.com/web/report? +||tiktok.com/whale/ +||tiktokv.com/monitor_browser/ +||tiktokv.us/monitor_browser/ +||tilanalytics.timesinternet.in^ +||time.is/img/nod.png +||tms.delta.com/privacy/$image +||tms.eharmony.ca^ +||tms.hft.everyplate.com^ +||tms.hft.factor75.com^ +||tms.hft.greenchef.com^ +||tms.hft.hellofresh.com^ +||tnaflix.com/stats.php +||toms.com/*/FacebookCAPI-Event +||toms.com/*/PinterestCAPI-Event +||tongji-res.meizu.com^ +||top.gg/api/auctions/i ||top.wn.com^ -||topix.com/t6track/ -||toros.co/collect.php -||torrentz.eu/ping? -||torrentz.in/ping? -||torrentz.li/ping? -||torrentz.me/ping? -||torrentz.ph/ping? -||tortoise.proboards.com/tortoise.pl? -||toshibadirect.com^*/remarketing_google.js -||total.shanghaidaily.com^ -||totalporn.com/videos/tracking/?url= -||tottenhamhotspur.com/media/javascript/google/ +||totalcsgo.com/ctrack/ +||totaljobs.com/analytics/ +||totaljobs.com/chatbot/webhook/analytics +||totaljobs.com/chatbot/webhook/logger +||touch.myntra.com^ ||toyota.com/analytics/ -||toyota.jp/onetag/ -||tp.ranker.com^ -||tqn.com/px/? -||tr.snapchat.com^ -||tracelog.www.alibaba.com^ -||tracer.perezhilton.com^ -||track.briskfile.com^ -||track.catalogs.com^ -||track.cbs.com^ -||track.codepen.io^ -||track.collegehumor.com^ +||tpcs.payu.in/pixelwithcookie.gif$domain=hindustantimes.com +||tr.clickstay.com^ +||tr.www.cloudflare.com^ +||tracemyip.org/vlg/ +||traceparts.com/logs +||track-visit.monday.com^ +||track.americansongwriter.com^ +||track.bestpornsites.tv^ ||track.dictionary.com^ -||track.engagesciences.com^ -||track.ft.com^ -||track.fxstreet.com^ -||track.hubspot.com^ +||track.eurogirlsescort.com^ +||track.kueez.com^ +||track.mrgugu.com^ ||track.netzero.net^ -||track.ning.com^ -||track.pushbullet.com^ -||track.rediff.com^ -||track.slideshare.net^ +||track.sodapdf.com^ ||track.thesaurus.com^ -||track.ugamezone.com^ +||track.ttsave.app^ ||track.ultimate-guitar.com^ -||track.webgains.com^ -||track.websiteceo.com^ -||track.wildblue.com^ -||track.workablemetro.com^ -||track.zalando. -||track.zomato.com^ -||tracker-api.my.com^ -||tracker.anandtech.com^ -||tracker.calameo.com^ -||tracker.cpapath.com^ -||tracker.joost.com^ -||tracker.lolalytics.com^ -||tracker.mattel.com^ +||tracker.affiliate.iqbroker.com^ +||tracker.bang.com^ ||tracker.nbcuas.com^ -||tracker.pinnaclesports.com^ -||tracker.realclearpolitics.com^ -||tracker.redditmedia.com^ -||tracker.revip.info^ -||tracker.secretescapes.com^ +||tracker.ranker.com^ ||tracker.shopclues.com^ -||tracker.uprinting.com^ -||tracker.washtimes.com^ -||tracker.wordstream.com^ -||tracking.ancestry.com^ -||tracking.batanga.com^ -||tracking.battleon.com^ -||tracking.carprices.com^ +||tracking.bloomberg.com^ ||tracking.carsales.com.au^ -||tracking.chacha.com^ -||tracking.conduit.com^ -||tracking.epicgames.com^$image -||tracking.eurosport.com^ -||tracking.gfycat.com/viewCount/ -||tracking.goodgamestudios.com^ +||tracking.christianpost.com^ +||tracking.digitalocean.com^ +||tracking.engineering.cloud.seek.com.au^ +||tracking.game8.co^ ||tracking.hsn.com^ -||tracking.koego.com^ -||tracking.military.com^ -||tracking.moneyam.com^ -||tracking.mycapture.com^ -||tracking.nextdoor.com^ -||tracking.olx-st.com^ -||tracking.olx. -||tracking.porndoelabs.com^ -||tracking.pornhd.com^ -||tracking.realtor.com^ -||tracking.resumecompanion.com^ -||tracking.shoptogether.buy.com^ -||tracking.softwareprojects.com^ -||tracking.teamskeet.com^ -||tracking.tidalhifi.com^ -||tracking.times247.com^ -||tracking.ukwm.co.uk^ +||tracking.peopleareeverything.com^ +||tracking.rocketleague.com^ +||tracking.shopstyle.co.uk^ +||tracking.shopstyle.com^ ||tracking.unrealengine.com^ -||tracking.ustream.tv^ -||tracking.yourfilehost.com^ -||trackpm.shop2market.com^ -||trade-it.co.uk/counter/ -||tradetrucks.com.au/ga. -||traffic.buyservices.com^ -||traffic.tuberip.com^ -||trainup.com/inc/TUPTracking.js -||traktr.news.com.au^ -||trax.tvguide.com^ -||trb.com/hive/swf/analytics.swf -||trck.sixt.com^ -||tre.emv3.com/P? -||treatme.co.nz^*/Census.js -||treato.com/api/analytics? -||triadretail.com^*/roverTrack.js -||trialpay.com/mi/ -||triond.com/cntimp? -||tripadvisor.*/PageMoniker? -||tripadvisor.com/uvpages/page_moniker.html -||trivago.com/check-session-state? +||trackr.vivenu.com^ +||tradingview.com/ping +||trck.coomeet.com^ +||trckng.dainese.com^ +||trcksplt.miro.com^ +||treatment.grammarly.com^ +||tredir.go.com^ +||trends.privacywall.org^ +||tripadvisor.*/BALinkImpressionTracking/ +||tripadvisor.*/CookiePingback? +||tripadvisor.*/GARecord^ +||tripadvisor.*/MetricsAjax +||tripadvisor.*/wm/record +||tripcdn.com/bee/collect$domain=trip.com ||trivago.com/tracking/ -||trk.freepik.com^ -||trove.com/identity/public/visitor/ -||trovus.co.uk/tracker/ -||trowel.twitch.tv^ -||truecar.com/tct? -||trueffect.underarmour.com^ -||truste.com/common/js/ga.js -||truste.com/notice?*consent-track -||ts.delfi. -||tscapeplay.com/msvp.php? -||tscapeplay.com/pvim? -||tsn.ua/svc/video/stat/ -||ttxm.co.uk^*/log.js -||tubeplus.me/geoip.php? -||tubepornclassic.com/js/111.js -||tubidy.io/sc.js -||tubxporn.com/track.php -||tumblr.com/impixu? -||tunein.com^*/log/ -||turn.com/js/module.tracking.js -||turnsocial.com/track/ -||tv-links.eu/qtt_spacer.gif -||tvshark.com/stats.js -||tw.i.hulu.com^ -||tweako.com/imp.php -||twimbow.com/serverreq/twbtracker.php$xmlhttprequest -||twitch.tv/track/ -||twitter.com/abacus? +||trk.decido.io^ +||trk.tirto.id^ +||trumba.com/et.aspx? +||trustradius.com/api/v1/pageview +||trustradius.com/api/v2/collectMetrics +||truthsocial.com/instance/innovid.js +||trx3.famousfix.com^ +||ts.delfi.lt^ +||tubepornstars.com/js/analytics +||tubi.io/datascience/logging? +||tubitv.com/oz/performance/ +||tumblr.com/pop/js/modern/sentry- +||tumblr.com/services/bblog +||tunein.com/api/v1/log/ +||twitter.com/1.1/attribution +||twitter.com/1.1/jot +||twitter.com/9/measurement/ +||twitter.com/i/api/1.1/jot ||twitter.com/i/csp_report? -||twitter.com/metrics -||twitter.com/scribe? -||twitter.com/scribes/ -||twitter.com^*/anonymize?data -||twitter.com^*/log.json? -||twitter.com^*/prompts/impress -||twitter.com^*/scribe^ -||twitvid.com/api/tracking.php$object-subrequest -||twitvid.com/mediaplayer/players/tracker.swf -||txmblr.com^*/pixel^ -||txn.thenewsroom.com^ +||twitter.com/i/jot +||twitter.com^*/log.json +||tyler-brown.com/api/stats? ||typepad.com/t/stats? -||u.bb/omni*.swf| -||u.tv/utvplayer/everywhere/tracking.aspx? +||ua.financialexpress.com/api/capture +||ua.indianexpress.com^ +||uber.com/_events +||uber.com/_track +||uber.com/careers/apply/_log +||ubereats.com/_errors +||ubereats.com/_events +||ubereats.com/_track +||ubt.tracking.shopee. +||ubuyanalytics.ubuy.com^ ||ucoz.com/stat/ ||ucweb.com/collect/ -||ui-portal.com/1and1/mailcom/s? +||udemy.com/api-2.0/ecl +||ukdevilz.com/api/stats? ||ulogin.ru/stats.html +||ultimate-guitar.com/components/ab/event? ||ultimedia.com/deliver/statistiques/ -||ultra-gamerz-zone.cz.cc/b/stats? -||unicornapp.com^*/Metrics/ -||unid.go.com^ -||unionleader.com/js/ul/ga.js -||unisys.com^*/dcsMultiTrack.js -||unisys.com^*/dcsMultiTrackFastSearch. -||unisys.com^*/tracking.js -||united.com^*/hp_mediaplexunited.html -||unrealmarketing.com/js/unrealGTS.js -||unrulymedia.com/loader-analytics.html -||up.boston.com^ -||up.nytimes.com^ -||upi.com/*/stat/ -||uploaded.net/io/pixel/ -||uploadrocket.net/downloadfiles.php?*&ip -||upornia.com/js/0818.js -||upromise.com/js/csgather.js -||upsellit.com^*/visitor? -||uptpro.homestead.com^ -||urbanlist.com/event/track-first-view/ -||urchin-tracker.bigpoint.net^ -||urlcheck.hulu.com^ -||usage.zattoo.com/?adblock= -||usell.com/bug.gif? -||userfly.com^ -||usps.com/survey/ -||ut.ratepoint.com^ -||uts-rss.crystalmedianetworks.com/track.php? -||v.fwmrm.net/ad/*defaultImpression -||v.fwmrm.net/ad/*slotImpression -||validome.org/valilogger/track.js -||vator.tv/tracking/ -||vbs.tv/tracker.html -||vcstar.com/metrics/ -||vectorstock.com^*/tracking -||velaro.com/lf/monitor2.aspx? -||venere.com/common/js/track.js -||verizonwireless.com/mpel.js? -||vertical-stats.huffingtonpost.com^ -||vevo.com/audit.ashx? -||vg247.com/pv? -||viamichelin.co.uk^*/stats.js -||viamichelin.de^*/stats.js -||viator.com/orion/perfMetric -||vice.com*/mb_tracker.html -||vice.com*/tracker.html -||victoriassecret.com/m/a.gif? -||vid.io^*/mejs-feature-analytics.js -||video-stats.video.google.com^ -||video.msn.com/frauddetect.aspx? -||video.nbc.com^*/metrics_viral.xml -||video.syfy.com/lg.php -||videoplaza.com/proxy/tracker? -||videopremium.tv/dev/tr.js -||videotracker.washingtonpost.com^ -||vidxden.com^*/tracker.js -||vietnamnet.vn^*/tracking.js -||villarenters.com/inttrack.aspx -||vimeo.com/log/ -||vimeo.com^*?type=$ping -||vimeocdn.com/js_opt/ablincoln_combined.min.js -||viralnova.com/track.php -||viralogy.com/javascript/viralogy_tracker.js -||virginholidays.co.uk/_assets/js/dc_storm/track.js -||virtualearth.net/mapcontrol/*/veapiAnalytics.js -||visit.dealspwn.com^ -||visit.mobot.net^ -||visit.theglobeandmail.com^ -||visitors.sourcingmap.com^ -||visualware.com/vvv? -||vitamine.networldmedia.net^ -||vixy.net/fb-traffic-pop.js +||um.contentstudio.io^ +||umami.wakarimasen.moe^ +||unibling.com/eclytics/ +||unity3d.com/v1/events +||unl1zvy2zuyn.franchiseplus.nl^ +||unsplash.com/nmetrics +||untappd.com/profile/impression? +||upi.com/story/stat/ +||uprinting.com/muffins/UPTracker- +||ups.com/img/icp.gif +||upstract.com/tokei/ +||upwork.com/shasta/suit +||upwork.com/upi/jslogger +||urs.metacritic.com^ +||useblackbox.io/telemetry +||user-metrics.onthemarket.com^ +||usmetric.rediff.com^ +||usnews.com/static/esi/usn-geo.json +||uviu.com/activity/ +||v.adblockultimate.net^ +||v.ctrl.blog^ +||vagrantup.com/api/auth/_log +||vanityfair.com/user-context?referrer +||vf.startpage.com^ +||video.mobile.yahoo.com/log|$xmlhttprequest +||views.arabnews.com^ +||views.asurascans.com^ +||vimeo.com/ablincoln/ +||vimeocdn.com/js_opt/logging_combined.min.js +||visualstudio.com/v2/track +||vitals.groww.in/collect +||vivaldi.*/rep/rep.js +||vizcloud.co/ping/ +||vk.com/al_video.php?act=ads_stat +||vk.com/al_video.php?act=inc_view_counter +||vk.com/al_video.php?act=live_heartbeat +||vk.com/al_video.php?act=track_player_events +||vk.com/al_video.php?act=watch_stat ||vk.com/js/lib/px.js -||vmware.com/files/include/ga/ -||vnunet.com^*/wunderloop/ -||vodpod.com/stats/ -||vogue.co.uk/_/logic/statistics.js -||votigo.com/contests/t/ -||voyages-sncf.com^*/vsca.js -||voyeurhit.com/js/a2210.js -||vs.target.com^ -||vs4food.com/ERA/era_rl.aspx -||vstat.vidigy.com^ -||vstats.digitaltrends.com^ -||vzaar.com/libs/stats/ -||w88.espn.com^ -||w88.go.com^ -||wa.metro.co.uk^ -||wa.ui-portal.de^ -||wachovia.com^*/stats.js +||vortex.hulu.com^ +||vrbo.com/edap/elo/v1/event/beacon +||vrbo.com/serp/api/metrics +||vsco.co/api/cantor/track +||w2g-mtrx.w2g.tv^ +||w2g-ping.b-cdn.net^ +||w3-reporting.reddit.com^ +||w6.chabad.org^ +||w9g7dlhw3kaank.www.eldorado.gg^ +||wa.childrensplace.com^ +||wa.gmx.co.uk^ +||wa.gymboree.com^ +||wa.pjplace.com^ +||wa.sugarandjade.com^ +||waaw.ac/cdn-cgi/trace +||waaw.to/cdn-cgi/trace +||waaw1.tv/cdn-cgi/trace +||waitrose.com/gDaVC7/ ||wal.wolfram.com^ -||wallcannrewards.com^*/index.php? -||walletpop.com/track/ -||wallpaperstock.net/partners.js -||warp.prnewswire.co.uk^ -||washingtonpost.com/notification-sw.js -||washingtonpost.com/rw/sites/twpweb/js/init/init.track-header-1.0.0.js -||washingtonpost.com/wp-srv/javascript/placeSiteMetrix. -||washingtonpost.com/wp-stat/analytics/ -||washingtonpost.com^*/one.gif? -||watch-series.to/analytics.html -||watchmouse.com^*/jsrum/ -||watson.live.com^ -||wavescape.mobi/rest/track/ -||wcnc.com/g/g/button/ -||weather.com/pagelet/metrics/ -||weather.com^*/makeRequest- -||web-18.com/common/w18a26062012143253_min.js -||web-t.9gag.com^ -||web.hbr.org/test/whoami.php -||webcamgalore.com/aslog.js -||webcollage.net/apps/el? -||webcrawler.com/__kl.gif -||webengage.sky.com^$xmlhttprequest -||webjam.com/Actions/Hit.jam? -||weblog.strawberrynet.com^ -||weblogger01.data.disney.com^ -||webmd.com/dtmcms/live/webmd/PageBuilder_Assets/JS/oas35.js -||webmd.com/pixel/ -||webmd.com^*/tools/dsppixels.js -||webmonkey.com/js/stats/ -||webring.com/cgi-bin/logit? -||webstats.perfectworld.com^ -||webyclip.com/WebyClipAnalytics.html -||weeklyblitz.net/tracker.js -||wego.com/farmer/ -||wellness.com/proxy.asp -||wellsphere.com/?hit= -||whatcar.com/Client/Stats/ -||whoson.smcorp.com^ -||whstatic.com^*/ga.js? -||wikihow.com/visit_info +||walmart.ca/api/bsp/logger +||walmart.ca/api/home-page/logger +||walmart.ca/api/landing-page/beacon-logger +||walmartimages.com/dfw/4ff9c6c9-d9a0/$domain=walmart.com +||wapn1.flosports.tv^ +||watchadsontape.com/stat/ +||wattpad.com/js/tracker/app. +||wc.yahoodns.net^$image +||wccftech.com/cnt7vfDVvWa3.js +||wealthfront.com/event +||wealthfront.com/track_next?p= +||web.snapchat.com/web-analytics-v2/web/events +||web.whatsapp.com/wam +||webd-assets.cdn4dd.com/s.js$domain=doordash.com +||weblog.flyasiana.com^ +||webmd.com/static/v/c? +||weedmaps.com/pixel? +||wellsfargo.com/as/jsLog +||wellsfargo.com/dti_apg/ +||wellsfargo.com/jenny/ +||wellsfargo.com/tracking/ +||wfinterface.com/tracking/$domain=wellsfargo.com +||wh.ipaddress.com^ +||whattomine.com/stats +||wheregoes.com/api/event +||whistleout.com.au/track ||wikihow.com/x/collect? -||wikimedia.org/wiki/Special:RecordImpression? -||wikinvest.com/plugin/api.php?*=metricld& -||wikio.com/shopping/tracking/hit.jsp? +||wikimonde.com/matom.js ||wikipedia.org/beacon/ -||windowscentral.com^*/linkid.js -||windowsphone.com/scripts/siteTracking.js -||winter.metacafe.com^ -||wired.co.uk^*/Statistics/ -||wired.com/ecom/ -||wired.com/event? -||wired.com/js/stats/ -||wired.com/tracker.js -||witn.com/g/g/button/ -||wla.vivaldi.com^ -||wnd.com/s.js -||wolfram.com/common/javascript/wal/ -||worksheetsengine.com/fd/ls/l? -||worldgolf.com^*/js/track.js -||worldnow.com/ajax?callback=po_a&$xmlhttprequest -||worldnow.com/global/tools/video/Namespace_VideoReporting_DW.js -||worldreviewer.com/_search/tracker.png? -||worldvision.org/kana/wvcg_wvorg.asp? -||wovencube.com/track/ -||wowwiki.com/__onedot? -||ws.elance.com^*&referrer= -||ws.md/c.png? -||ws.yellowpages.ca^ +||windy.com/sedlina/ga/ +||wipo.int/wipo-analytics/ +||wish.com/api/analytics/ +||wiztube.xyz/cdn-cgi/trace +||wnyc.org/analytics/ +||wolfram.com/common/javascript/analytics.js +||wolfram.com/common/javascript/wal/latest/walLoad.js +||wondershare.com/trk +||worldremit.com/web-cms/api/metric +||wsj.com/cookies/pixel.gif ||wstats.e-wok.tv^ -||wtk.db.com^ -||wunderground.com/tag.php -||wusstrack.wunderground.com^ -||wwe.com/sites/all/modules/wwe/wwe_analytics/ -||www.google.*/imgevent?$script -||www.google.*/imghover?$image -||www.imdb.*/rd/?q= -||wzus.askkids.com^ -||wzus1.ask.com^ -||wzus1.reference.com^ -||wzus1.thesaurus.com^ -||xbox.com/tags? -||xbox.com^*/vortex_tracking.js -||xda-cdn.com/analytics.js -||xda-developers.com/ping.php +||www.ebay.*/gh/dfpsvc? +||x.com/1.1/attribution +||x.com/1.1/jot +||x.com/9/measurement/ +||x.com/i/api/1.1/jot +||x.com/i/csp_report +||x.com/i/jot +||x.com^*/log.json +||xero.com/api/events/ ||xfinity.com/event/ -||xhamster.com/?log= -||xhamster.com/ajax.php?act=track_event -||xhamster.com/embed.log/ -||xhcdn.com/js/track. -||xing.com/app_stats/ -||xing.com/collect/ +||xhamster.com/api/$ping +||xhamsterlive.com/pixel/ +||xhcdn.com/js/*.track.min.js ||xing.com/logjam/ -||xozilla.com/js/analytics.js -||yahoo.com/__perf_log_ +||xnxx.com/picserror/ +||xp.apple.com^ +||xvideos.com/picserror/ +||xxf.mobi/hit +||ya.ru/clck/ ||yahoo.com/_td_api/beacon/ -||yahoo.com/b? ||yahoo.com/beacon/ -||yahoo.com/neo/stat -||yahoo.com/neo/ygbeacon/ -||yahoo.com/neo/ymstat -||yahoo.com/p.gif; -||yahoo.com/perf.gif? -||yahoo.com/serv?s -||yahoo.com/sig=$image -||yahoo.com/track/ -||yahoo.com/yhs/b? -||yahoo.com/yi?bv= -||yahoo.com^*/pageview/ -||yahoo.com^*/rt.gif? -||yahoo.com^*/ultLog? -||yahoo.net^*/hittail.js -||yahooapis.com/get/Valueclick/CapAnywhere.getAnnotationCallback? +||yahoo.com/beacon? +||yahoo.com/pageview? +||yahoo.net/pixel.gif ||yandex.*/clck/$~ping ||yandex.*/count/ -||ybinst2.ec.yimg.com/ec/*&Type=Event.CPT&$domain=search.yahoo.com -||yellowpages.co.in/trac/ -||yellowpages.com/images/li.gif? -||yellowpages.com/proxy/envoy/ -||yellowpages.com/proxy/turn_tags/ -||yelp.ca/spice? -||yelp.co.uk/spice? -||yelp.com.au/spice? +||yandex.com/clck/ +||yandex.eu/clck/ +||yandex.ru/clck/ +||yandexcdn.com/cdn-cgi/trace +||yelp.*/sit_rep +||yelp.com/ad_acknowledgment +||yelp.com/ad_syndication_user_tracking ||yelp.com/spice? -||yelp.ie/spice? -||yimg.com/nq/ued/assets/flash/wsclient_ -||yimg.com/ss/rapid$script -||yimg.com^*/swfproxy-$object -||yimg.com^*/yabcs.js -||yimg.com^*/ywa.js -||yna.co.kr^*/eas. -||ynuf.alibaba.com^ -||yobt.tv/js/timerotation*.js -||yoox.com^*/yoox/ga.js -||yopmail.com/c.swf -||youandyourwedding.co.uk^*/EAS_tag. -||youandyourwedding.co.uk^*/socialtracking/ -||younewstv.com/js/easyxdm.min.js -||youporn.com^*/tracker.js -||yourbittorrent.com/collect.php -||yourfilehost.com/counter.htm -||youronlinechoices.com/activity/ -||yourtv.com.au/share/com/js/fb_google_intercept.js -||youtube-nocookie.com/device_204? -||youtube-nocookie.com/gen_204? +||yes88kks.infinityscans.net^ +||yimg.com/aaq/wf/wf-darla- +||yodayo.com/scripts/pixel.js +||you.com/api/recordEvent +||youjizzlive.com/api/metrics +||youmaker.com/g/test +||yourupload.com/jwe? +||youtube-nocookie.com/api/stats/atr? +||youtube-nocookie.com/api/stats/delayplay? +||youtube-nocookie.com/api/stats/qoe? ||youtube-nocookie.com/ptracking? ||youtube-nocookie.com/robots.txt? -||youtube.com/*_204?$~xmlhttprequest +||youtube-nocookie.com/youtubei/v1/log_event? ||youtube.com/api/stats/ads? ||youtube.com/api/stats/delayplay? -||youtube.com/api/stats/playback? ||youtube.com/api/stats/qoe? ||youtube.com/get_video? +||youtube.com/pcs/activeview? ||youtube.com/ptracking? -||youtube.com/s? ||youtube.com/set_awesome? -||ypcdn.com/webyp/javascripts/client_side_analytics_ -||yuku.com/stats? -||yupptv.com/yupptvreports/stats.php^ -||yyv.co/track/ -||zap.dw-world.de^$image -||zap2it.com^*/editorial-partner/ -||zappos.com/*.cgi? +||youtube.com/youtubei/v1/log_event? +||youtube.googleapis.com/youtubei/v1/log_event? +||youtubekids.com/api/stats/ads? +||youtubekids.com/api/stats/qoe? +||youtubekids.com/ptracking? +||youtubekids.com/youtubei/v1/log_event? +||z.cdp-dev.cnn.com^ +||z737.thestar.com^ +||za.qeeq.com^ +||zalando-lounge.*/api/tracking/ +||zalando-prive.*/api/tracking/ +||zappos.com/err.cgi? ||zappos.com/karakoram/js/main. -||zappos.com^*/events? -||zawya.com/zscripts/ajaxztrack.cfm? -||zawya.com^*/logFile.cfm? -||zdnet.com/wi? -||zedo.com/img/bh.gif? -||zmags.com/CommunityAnalyticsTracking -||zoomin.tv/impressions/ -||zoomin.tv/impressionsplayers/ -||zulily.com/action/track? -||zvents.com/partner_json/ -||zvents.com/za? -||zvents.com/zat? -||zwire.com/gen/qc/qualitycontrol.cfm -||zylom.com/pixel.jsp -||zylom.com^*/global_tracking.jsp? -||zylom.com^*/tracking_spotlight.js -||zytpirwai.net/track/ -! Mining -$subdocument,third-party,domain=estream.to -$websocket,domain=123moviesgo.nl|123movieshub.asia|123movieshub.cx|123telugu.com|2giga.link|7tors.com|ajplugins.com|akvideo.stream|alltube.pl|alltube.tv|animeteatr.ru|annuaire-bleu.net|bigspeeds.com|biter.tv|bitvid.sx|bmovie123.me|bmoviego.me|bmovies123.me|btstors.com|bypassed.ws|byter.tv|catrumahminimalis.me|centrum-dramy.pl|cinemafacil.com|clipwatching.com|cmovieshd.nl|coinfaucet.eu|coinhub.win|coinminingonline.com|crictime.com|crictime.is|ddmix.net|dekoder.ws|deltabit.co|descargas2020.com|djs.sk|dragonballzpolo.blogspot.com|drama-cool.me|estream.to|estream.xyz|extratorrent.cd|fbmovies.org|fileone.tv|filmstreamvk.site|flashx.cc|flashx.co|flashx.sx|flashx.to|flashx.tv|flashx.ws|fmoviesgo.me|gofile.io|gomovie123.me|gomovies123.me|hdvid.life|hdvid.tv|hdvid.xyz|hdyayinmac1.com|hentai-online.pl|hq-porns.com|hqq.tv|hqq.watch|ianimes.co|idope.tv|ifrp.xyz|intactoffers.club|jkanime.net|kinohabr.net|kinokongo.cc|kinokrad.co|kinoprofi.org|kinosha.cc|kinostuff.com|lafmacun.net|leitor.net|leon08.tk|leon12.tk|leon16.tk|lewd.ninja|logovo.net|love-drama.pl|mladipodnikatelia.sk|monero-miner.com|movie4k.is|mp3free.pw|myeffect.net|myfeed4u.net|netiap.com|nowvideo.sx|oload.info|oload.tv|onlinevideoconverter.com|onvid.club|onvid.fun|onvid.online|onvid.pw|onvid.xyz|openload.co|openloed.co|pebx.pl|potomy.ru|povw1deo.com|powvideo.cc|powvideo.net|protect-iframe.com|proxyportal.eu|reactor.cc|replaytvstreaming.com|seventorrents.cc|severita-service.ru|sherlockonline.ru|shrink-service.it|skyback.ru|skytorrents.co|skytorrents.me|sleeptimer.org|sorteosrd.com|stream247.me|streamango.com|streambeam.io|streamcherry.com|streamplay.me|streamplay.to|szukajka.tv|tainies.online|theappguruz.com|thepiratebay.cr|thepiratebay.org|thepiratebay.red|thevideo.ch|thevideo.io|thevideo.me|thevideo.us|tomadivx.tv|tubetitties.com|tvad.me|unblockall.org|unblocked.gdn|vidfile.net|vidoza.net|vidtodo.com|vidtodo.me|vidtodo.pro|vidup.io|vidup.me|vidup.tv|vidzi.tv|void.cat|wallpoper.com|watchfreemovies.tv|wearesaudis.net|wwtors.com|xmovies8.nl|ya3ale.com|yazilir.com|zenexplayer.com|zona.plus -$xmlhttprequest,domain=alltube.pl|alltube.tv|auroravid.to|catrumahminimalis.me|ddmix.net|dekoder.ws|estream.to|flashx.cc|freecontent.stream|leon08.tk|leon12.tk|leon16.tk|myeffect.net|nowvideo.sx|onlinevideoconverter.com|povw1deo.com|powvideo.cc|powvideo.net|sleeptimer.org|sorteosrd.com|streambeam.io|szukajka.tv|tainies.online|vidfile.net -! regex ! -/([0-9]{1,3}\.){3}[0-9]{1,3}.*(\/proxy|\.wasm|\.wsm|\.wa)$/$third-party,websocket -/.*(\/proxy|\.wasm|\.wsm|\.wa)$/$websocket,xmlhttprequest,domain=~aochagavia.github.io|~edwin0cheng.github.io|github.io|rawgit.com|reactor.cc|sickrage.ca|sorteosrd.com|streamplay.to|tubetitties.com|vidfile.net -! -/assets/application-$domain=iamdisappoint.com|shitbrix.com|tattoofailure.com -||2giga.link^*/hive.js -||browsealoud.com/plus/scripts/$script -||cdn1.pebx.pl^ -||cinemafacil.com/js.php -||de-mi-nis-ner2.info^ -||estream.to/bootstrap.min.js$script -||estream.to/player.js -||flashx.*/bootstrap.min.js -||gus.host/coins.js -||piti.bplaced.net^ -||play.estream.to^ -||shrink-service.it/js/cM.js -||site.flashx. -||stackpathdns.com/assets/javascript/cr.js -||stream.vidzi.tv^$websocket,xmlhttprequest -||support.2giga.link^ -||vidoza.net/*bootstrap. -||vidoza.net/app.js -||vidzi.tv/*bootstrap. -||wallpoper.com^*/c.js -||worker.salon.com^ -! salon.com cpu mining -@@||content.jwplatform.com^$script,domain=salon.com -@@||platform.tout.com^$script,domain=salon.com -|http*://$script,third-party,domain=salon.com +||zed.dev/api/send_page_event +||zenimpact.io/dist/zen_init.min.js +||zerohedge.com/statistics-ajax? +||zillowstatic.com/contact-pixel/$image,domain=zillow.com +||zion-telemetry-nonprod.api.cnn.io^ +||zion-telemetry.api.cnn.io^ +||zoosk.com/cs/tp.png? +||zumper.com/events +! OpenTable +://track.opentable. +! Vinted +://www.vinted.*/relay/events +! akamaihd.net +||akamaihd.net^$image,domain=globalnews.ca|nycgo.com|stcatharinesstandard.ca +! Non-legit domains +||edge-client^$script,domain=barrons.com +! Plausible selfhosted +||jeremiahlee.com/fanboynz.js +! confection.io +||hubspot.com/collected-forms/$xmlhttprequest,domain=confection.io +||s3.amazonaws.com/downloads.mailchimp.com/$script,domain=confection.io +||substation.confection.io^ +! Adobe +||lightning.ncaa.com/launch/$script +! onesignal.com +||onesignal.com^$domain=androidauthority.com|iphoneincanada.ca|rockpapershotgun.com|senpa.io|shineads.org +! Bing +||bing.com/fd/ls/l?IG= +||bing.com/fd/ls/lsp.aspx +||bing.com^*/glinkping.aspx$ping,xmlhttprequest +||bing.com^*/GLinkPingPost.aspx$ping,xmlhttprequest +! Site specific elements (due to EP) +###cxense-recs-in-article +##.embed-responsive-trendmd +! Aliexpress +||aliyuncs.com/r.png +||gj.mmstat.com^ +||oneid.mmstat.com^ +! https://github.com/easylist/easylist/commit/7a86afd +/rest/high/api/cogitoergosum +! (naiadsystems.com/icfcdn.com) +/api/events|$ping,~third-party +/api/statsd|$~third-party,xmlhttprequest +/api/v1/activity|$~third-party,xmlhttprequest +/api/v2/jsonlogger +||naiadsystems.com/api/v1/xment/ +! Port scanning Fingerprinting Trackers (Privacy and CPU abuse) +! https://nullsweep.com/why-is-this-website-port-scanning-me/ +/^https?:\/\/fdts\.ebay-kleinanzeigen\.de\/[a-z0-9]{13,18}\.js\?/$script,domain=kleinanzeigen.de +/^https?:\/\/pov\.spectrum\.net\/[a-zA-Z0-9]{14,}\.js/$script,domain=spectrum.net +/^https?:\/\/tjmaxx\.tjx\.com\/libraries\/[a-z0-9]{20,}/$script,xmlhttprequest,domain=tjx.com +/^https?:\/\/tmx\.(td|tdbank)\.com\/[a-z0-9]{14,18}\.js.*/$script,domain=mbna.ca|td.com|tdbank.com +/^https?:\/\/www\.ebay-kleinanzeigen\.de\/[a-z0-9]{8}\-[0-9a-f]{4}\-/$script,domain=kleinanzeigen.de +/^https?:\/\/www\.kroger\.com\/content\/{20,}/$script,xmlhttprequest,domain=kroger.com +||127.0.0.1^$third-party,domain=53.com|ameriprise.com|beachbody.com|chick-fil-a.com|citi.com|ebay.at|ebay.be|ebay.ca|ebay.ch|ebay.cn|ebay.co.uk|ebay.com|ebay.com.au|ebay.com.hk|ebay.com.my|ebay.com.sg|ebay.de|ebay.es|ebay.fr|ebay.ie|ebay.it|ebay.nl|ebay.ph|ebay.pl|equifax.ca|equifax.com|globo.com|gumtree.com|kleinanzeigen.de|lendup.com|mbna.ca|rusneb.ru|sciencedirect.com|sky.com|spectrum.net|td.com|tiaa.org|vedacheck.com|wepay.com|whatleaks.com +||cfa.fidelity.com^ +||citi.com^*/fp.js +||citibank.com.ph/JSO/js/fp.js +||citibank.com.ph/tmx/js/ +||citibank.com.sg/jso/js/fp.js +||citibank.com.sg/tmx/ +||clear.wallapop.com^ +||content.canadiantire.ca^ +||content.tab.com.au^ +||content22.bmo.com^ +||content22.citi.eu^$script +||content22.citibank.com.au^ +||content22.citibank.com.sg^$script +||content22.citibankonline.com^ +||content22.online.citi.com^ +||customer.homedepot.com^$script +||drfdisvc.walmart.com^ +||ebay.com/nkfytkqtoxtljvzbxhr.js$script,domain=ebay.com +||ebaystatic.com/rs/v/10341xh50yz21mhhydueu4m5wad.js +||ebaystatic.com/rs/v/dxtuvtkk2q3hpkc1xveeo13iaek.js +||ebaystatic.com/rs/v/klminxoj1uyzvo0p0qu4nhpg0qo.js +||ebaystatic.com/rs/v/s0hteylevy4bpkd12dvkd4yi5ms.js +||event.evtm.53.com^ +||idhtm.bb.com.br^ +||idstatus.sky.com^ +||img2021.navyfederal.org^ +||imgs.signifyd.com^ +||log-185a61e7.bendigobank.com.au^ +||mfasa.chase.com/auth/js/jpmc_bb_check.js +||olacontent.schwab.com^$script +||qfp.intuit.com^ +||rba-screen.healthsafe-id.com^ +||rsx.afterpay.com^ +||src.ebay-us.com/*=usllpic$script,domain=ebay.com +||svc2.sc.com^ +||tm-eps.neutrino.nu^ +||tmetrix.my.chick-fil-a.com^ +||tmx.td.com^ +||u47.pnc.com^ +||w-profiling.cibc.com^$script +||w-profiling.simplii.com^ +||wup-185a61e7.bendigobank.com.au^ +! Fingerprint +||bankofamerica.com/cookie-id.js +||bup.bankofamerica.com^ +||cdn1.skrill.com^ +||d276.ourmidland.com^ +||d810.mysanantonio.com^ +||dii.bankaust.com.au^ +||eventbus.intuit.com^ +||f775.thehour.com^ +||glassbox-hlx-igw.bankofamerica.com^ +||h353.ncadvertiser.com^ +||h559.stamfordadvocate.com^ +||halifax-online.co.uk/scripts/16c9d93d/ +||j198.registercitizen.com^ +||l936.expressnews.com^ +||o398.trumbulltimes.com^ +||pf.intuit.com^ +||q777.sfchronicle.com^ +||rail.bankofamerica.com^$script,~third-party,xmlhttprequest +||t570.wiltonbulletin.com^ +||tilt.bankofamerica.com^ +||u652.myplainview.com^ +||u927.sfgate.com^ +||w740.newstimes.com^ +||y738.nhregister.com^ +||y820.darientimes.com^ +||y900.greenwichtime.com^ +||z211.yourconroenews.com^ +||z492.ctinsider.com^ +||z680.beaumontenterprise.com^ +||zion.qbo.intuit.com^ +! Consent/GDPR tracking +! https://github.com/easylist/easylist/blob/08ad3ed93e8ddbc32b8860340f25e8ddf4074741/easyprivacy/easyprivacy_specific.txt#L2813 +://a02342. +||cb-mms.carbuyer.co.uk^ +||cmp.courrierinternational.com^ +||cmp.finn.no^ +||cmp.huffingtonpost.fr^ +||cmp.lavie.fr^ +||cmp.lemonde.fr^ +||cmp.lepoint.fr^ +||cmp.netzwelt.de^ +||cmp.nouvelobs.com^ +||cmp.tek.no^ +||cmp.telerama.fr^ +||d.sourcepoint.capitalfm.com^ +||fuse.forbes.com^ +||sourcepoint-mms.aetv.com^ +||sourcepoint-mms.history.com^ +||sourcepoint-mms.mylifetime.com^ +||trustarc.mgr.consensu.org/get? +||vg247-uk.vg247.com^ +! McClatchy sites (bellinghamherald.com,bnd.com,bradenton.com,centredaily.com etc) +! https://github.com/easylist/easylist/blob/4ec8049213fd2ede4682f1760764ae79cda7cc55/easyprivacy/easyprivacy_specific.txt#L1067 +/misites/* +/yozons-lib/* ! CSP Mining $csp=child-src 'none'; frame-src 'self' *; worker-src 'none',domain=fileone.tv|theappguruz.com -$csp=child-src 'none'; frame-src *; worker-src 'none',domain=ddmix.net|extratorrent.cd|gofile.io|hq-porns.com|intactoffers.club|myfeed4u.net|skyback.ru|szukajka.tv|thepiratebay.cr|thepiratebay.org|thepiratebay.red|thevideo.ch|thevideo.io|thevideo.me|thevideo.us|tvad.me|vidoza.net|vidup.me -$csp=worker-src 'none',domain=akvideo.stream|alltube.pl|alltube.tv|animeteatr.ru|annuaire-bleu.net|bigspeeds.com|biter.tv|bypassed.ws|byter.tv|centrum-dramy.pl|cinemafacil.com|clipwatching.com|coinfaucet.eu|coinhub.win|crictime.com|crictime.is|dekoder.ws|deltabit.co|descargas2020.com|estream.to|estream.xyz|filmonet.com|filmstreamvk.site|flashx.cc|flashx.co|flashx.sx|flashx.to|flashx.tv|flashx.ws|hdvid.life|hdvid.tv|hdvid.xyz|hentai-online.pl|hqq.watch|ianimes.co|kinokongo.cc|kinostuff.com|lewd.ninja|love-drama.pl|movie4k.is|pebx.pl|potomy.ru|povw1deo.com|powvideo.cc|powvideo.net|proxyportal.eu|reactor.cc|salon.com|severita-service.ru|sickrage.ca|sorteosrd.com|tomadivx.tv|unblockall.org|unblocked.gdn|vidfile.net|vidtodo.com|vidtodo.me|vidtodo.pro|wallpoper.com|wearesaudis.net|ya3ale.com|yazilir.com|zenexplayer.com -! Preliminarily blocking Omniture s_code tracking scripts (versions H.25 - H.25.2) due to breakage (https://adblockplus.org/forum/viewtopic.php?f=10&t=11378) -||abc.com/service/gremlin/js/files/s_code.js?$domain=abc.go.com -||adobe.com^*/omniture_s_code.js -||aeroplan.com/static/js/omniture/s_code_prod.js -||aexp-static.com/api/axpi/omniture/s_code_myca_context.js$domain=americanexpress.com -||aircanada.com/shared/common/sitecatalyst/s_code.js -||announcements.uk.com^*/s_code.js -||atgstores.com/js/lowesca_s_code.js$domain=lowes.ca -||bitdefender.com/resources/scripts/omniture/*/code.js -||bleacherreport.net/pkg/javascripts/*_omniture.js -||cdnds.net/js/s_code.js$domain=digitalspy.ca|digitalspy.co.nz|digitalspy.co.uk|digitalspy.com|digitalspy.com.au|digitalspy.ie -||chip.de/js/omniture_somtr_code_vH.25.js -||consumerreports.org^*/s_code.js -||csmonitor.com/extension/csm_base/design/csm_design/javascript/omniture/s_code.js -||csmonitor.com/extension/csm_base/design/standard/javascript/adobe/s_code.js -||demandware.edgesuite.net^*/omniture.js$domain=otterbox.com -||disneylandparis.fr^*/s_code.js -||eltiempo.com/js/produccion/s_code_*.js -||event-analytics.yesware.com^ -||expressen.se/static/scripts/s_code.js? -||ge.com/sites/all/themes/ge_2012/assets/js/bin/s_code.js -||hayneedle.com/js/s_code.min.*.js -||images-amazon.com/images/*/wcs-help-omniture/wcs-help-omniture-$script -||img-bahn.de/v/*/js/s_code.js$domain=bahn.de -||loc.gov/js/*/s_code.js -||mercedes-benz.ca/js/omniture.js -||mercola.com/Assets/js/omniture/sitecatalyst/mercola_s_code.js -||mercuryinsurance.com/static/js/s_code.js -||michaelkors.com/common/js/extern/omniture/s_code.js -||mnginteractive.com/live/js/omniture/SiteCatalystCode_H_22_1_NC.js -||mnginteractive.com/live/omniture/custom_scripts/omnicore-blogs.js$domain=mercurynews.com -||mnginteractive.com/live/omniture/sccore.js$domain=denverpost.com -||mnginteractive.com/live/omniture/sccore_NEW.js$domain=pasadenastarnews.com|presstelegram.com -||mnginteractive.com/live/omniture/sccore_NEW_JRC.js -||navyfederal.org/js/s_code.js -||nwsource.com/shared/js/s_code.js?$domain=seattletimes.com -||nyteknik.se/ver02/javascript/2012_s_code_global.js -||paypal.com/acquisition-app/static/js/s_code.js -||playstation.com/pscomauth/groups/public/documents/webasset/community_secured_s_code.js -||r7.com/scode/s_code_portal_$script -||redbox.com^*/scripts/s_code.js -||riverisland.com^*/s_code.min.omniture_$script -||sephora.com/javascripts/analytics/wa2.js -||skypeassets.com/i/tracking/js/s_code_20121127.js$domain=skype.com -||skypeassets.com/static/skype.skypeloginstatic/js/s_code.js$domain=skype.com -||sltrib.com/csp/mediapool/sites/Shared/assets/csp/includes/omniture/SiteCatalystCode_H_17.js -||ssl-images-amazon.com^*/wcs-help-omniture-$script -||ticketmaster.eu^*/omniture_tracker.js -||timeinc.net/tii/omniture/h/config/timesi.js$domain=si.com -||vitacost.com/Javascripts/s_code.js -||vmware.com/files/templates/inc/s_code_my.js -||wp.com/wp-content/themes/vip/metrouk/js/site-catalyst.js$domain=metro.co.uk -||yell.com/js/omniture-H.25.js -! Blocking filters due to High-CPU usage bug (https://adblockplus.org/forum/viewtopic.php?f=11&t=23368) -||radio-canada.ca/omniture/omni_stats_base.js? -! Specific filters necessary for sites whitelisted with $genericblock filter option -/__utm.gif$domain=autobild.de|quoka.de|tellows.de|transfermarkt.de -/analytics/track?$domain=widgets.azureedge.net -/csi?v=*&action=$domain=tellows.de +$csp=child-src 'none'; frame-src *; worker-src 'none',domain=thepiratebay.org|vidoza.net +! *** easylist:easyprivacy/easyprivacy_specific_perimeterx.txt *** +! easyprivacy_specific_perimeterx.txt +||alaskaair.com/AlXMT4Ma/init.js +||anthropologie.com/XgWM9nuH/init.js +||apartmenttherapy.com/jAYekY18/init.js +||arcteryx.com/943r4Fb8/init.js +||asda.com/px/PX1UGLZTko/init.js +||ashleyfurniture.com/ouqLB4fq/init.js +||auctionzip.com/eKtvxkQ2/init.js +||b.px-cdn.net/api/v1/PXrf8vapwA/ +||bathandbodyworks.com/lsXlyYa5/init.js +||beaumontenterprise.com/413gkwMT/init.js +||belk.com/0iiey9LM/init.js +||bhphotovideo.com/3D8mkYG1/init.js +||bloomberg.com/8FCGYgk4/init.js +||bm.paypal.com/spd3TxHV/init.js +||booking.com/87sduif98q3rijax +||booktopia.com.au/Ns7aBMIv/init.js +||brownsshoes.com/IZ/2tcS0qiG/init.js +||build.com/2Ztkihy4/init.js +||calm.com/api/12Xk43jk/init.js +||calvinklein.us/n8ANl15k/init.js +||carbon38.com/A44kxi5a/init.js +||careermatch.com/oGckki0e/init.js +||carolsdaughter.com/IZ/uaPO0cuk/init.js +||carters.com/0F3091f3/init.js +||chron.com/413gkwMT/init.js +||cookpad.com/FqtAw5et/init.js +||couchsurfing.com/bEcn7fQX/init.js +||crunchbase.com/rw7M6iAV/init.js +||ctinsider.com/413gkwMT/init.js +||ctpost.com/413gkwMT/init.js +||discount.hk-hotel.com/QUkd4lO9/init.js +||drupal.org/VnPBBfwe/init.js +||expressnews.com/413gkwMT/init.js +||fiverr.com/px/client/PXK3bezZfO/main.min.js +||flixcart.com/px/gNtTli3A/init.js +||flooranddecor.com/v1HqbVho/init.js +||foodora.fi/lJuB4eTB/init.js +||foodora.se/lJuB4eTB/init.js +||foodpanda.bg/lJuB4eTB/init.js +||foodpanda.co.th/lJuB4eTB/init.js +||foodpanda.com.bd/lJuB4eTB/init.js +||foodpanda.com.kh/lJuB4eTB/init.js +||foodpanda.com.mm/lJuB4eTB/init.js +||foodpanda.com.tw/lJuB4eTB/init.js +||foodpanda.hk/lJuB4eTB/init.js +||foodpanda.la/lJuB4eTB/init.js +||foodpanda.my/lJuB4eTB/init.js +||foodpanda.ph/lJuB4eTB/init.js +||foodpanda.pk/lJuB4eTB/init.js +||foodpanda.ro/lJuB4eTB/init.js +||foodpanda.sg/lJuB4eTB/init.js +||freepeople.com/tN88Q85M/init.js +||hotpads.com/xOR1K5b6/init.js +||houstonchronicle.com/413gkwMT/init.js +||iherb.com/VtidNbtC/init.js +||internships.com/oGckki0e/init.js +||jimmyjohns.com/Abo2Yc8X/init.js +||joann.com/qXTWmr91/init.js +||kerastase-usa.com/IZ/PXXiuO7QTJ/init.js +||kget.com/CvbtpUrj/init.js +||kickstarter.com/Uy3R669N/init.js +||kiehls.com/IZ/PXG8ATFja1/init.js +||kiva.org/r3pNVz1F/init.js +||ktla.com/CvbtpUrj/init.js +||lancome-usa.com/IZ/PXq99AlOxk/init.js +||lmtonline.com/413gkwMT/init.js +||madlan.co.il/o4wPDYYd/init.js +||middletownpress.com/413gkwMT/init.js +||mrt.com/413gkwMT/init.js +||mysanantonio.com/413gkwMT/init.js +||ncadvertiser.com/413gkwMT/init.js +||newsnationnow.com/yZuPxxW0/init.js +||newstimes.com/413gkwMT/init.js +||nhregister.com/413gkwMT/init.js +||nyxcosmetics.com/IZ/PXLZNv2dn4/init.js +||octopart.com/kdRQnL15/init.js +||oshkosh.com/0F3091f3/init.js +||priceline.com/9aTjSd0n/init.js +||ralphlauren.com^*/init.js +||realtor.com/rdc_user_check/init.js +||registercitizen.com/413gkwMT/init.js +||sams.com.mx/px/PX87wpO5aK/init.js +||samsclub.com/px/PXsLC3j22K/init.js +||seattlepi.com/413gkwMT/init.js +||seekingalpha.com/xgCxM9By/init.js +||sensor.grubhub.com/O97ybH4J/init.js +||sfchronicle.com/413gkwMT/init.js +||sfgate.com/413gkwMT/init.js +||shiekh.com/iJ55yhVs/init.js +||shoebacca.com/YaRJwC0q/init.js +||simon.com/46SCNLxs/init.js +||skechers.com/dL6GOSf9/init.js +||skiphop.com/0F3091f3/init.js +||skyscanner.*/rf8vapwA/init.js +||snipesusa.com/6XNN2xkk/init.js +||spirit.com/kp4CLSb5/init.js +||ssense.com/58Asv359/init.js +||stamfordadvocate.com/413gkwMT/init.js +||stockx.com/16uD0kOF/init.js +||streeteasy.com/cZdhF737/init.js +||studeersnel.nl/27m703Hm/init.js +||studocu.com/27m703Hm/init.js +||sweetwater.com/p2TBVNJZ/init.js +||thehill.com/6zcfGH4h/init.js +||thehour.com/413gkwMT/init.js +||thekitchn.com/jAYekY18/init.js +||therealreal.com/ev56mY37/init.js +||timesunion.com/413gkwMT/init.js +||tumi.com/4i06uv8M/init.js +||walmart.ca/px/PXnp9B16Cq/init.js +||walmart.com/px/PXu6b0qd2S/init.js +||walmartcanada.ca/px/PXcfrcFEfA/init.js +||walmartcareerswithamission.com/px/PXcfrcFEfA/init.js +||walmartethics.com/px/PXcfrcFEfA/init.js +||walmartpetrx.com/1Ct9c6G3/init.js +||walmartrealty.com/px/PXcfrcFEfA/init.js +||wfla.com/CvbtpUrj/init.js +||wgno.com/CvbtpUrj/init.js +||whois.com/js/gtmDataLayer.js +||wine-searcher.com/K6S8okp3/init.js +||worthpoint.com/lIUjcOwl/init.js +||www.digikey.*/lO2Z493J/init.js +||www.mouser.*/4UAZUiaI/init.js +||yeti.com/T1p5rBaN/init.js +||zazzle.ca/botdefender/init.js +||zazzle.ca/svc/px +||zazzle.co.nz/botdefender/init.js +||zazzle.co.nz/svc/px +||zazzle.co.uk/botdefender/init.js +||zazzle.co.uk/svc/px +||zazzle.com.au/botdefender/init.js +||zazzle.com.au/svc/px +||zazzle.com/botdefender/init.js +||zazzle.com/svc/px +||zazzle.de/botdefender/init.js +||zazzle.de/svc/px +||zazzle.es/botdefender/init.js +||zazzle.es/svc/px +||zazzle.fr/botdefender/init.js +||zazzle.fr/svc/px +! ||zillow.com/HYx10rg3/init.js +||zoominfo.com/osx7m0dx/init.js +! -----------------Extension specific systems-----------------! +! *** easylist:easyprivacy/easyprivacy_specific_abp.txt *** +! easyprivacy_specific_abp.txt +! #if ext_abp +! Specific filters necessary for sites allowlisting with $genericblock filter option +/__utm.gif$domain=autobild.de|gofeminin.de /nm_trck.gif?$domain=spiegel.de -/pic.gif?m=$domain=autobild.de -||3gl.net^$domain=stern.de -||babator.com^$domain=focus.de -||bluekai.com^$domain=disqus.com|widgets.outbrain.com -||chartbeat.com^$domain=stern.de -||contentexchange.me^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||contentspread.net^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||cpx.to^$domain=quoka.de -||crwdcntrl.net^$domain=disqus.com -||cxense.com^$domain=focus.de +||criteo.com^$domain=spiegel.de +||digidip.net^$domain=gofeminin.de ||disqus.com/api/ping?$domain=autobild.de -||dnn506yrbagrg.cloudfront.net^$domain=quoka.de -||ds-aksb-a.akamaihd.net^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||emetriq.de^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de|spiegel.de|stern.de|transfermarkt.de -||exactag.com^$domain=quoka.de +||emetriq.de^$domain=spiegel.de ||exelator.com^$domain=disqus.com -||facebook.com*/impression.php$domain=autobild.de|focus.de|kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de|tellows.de|transfermarkt.de -||facebook.com/common/scribe_endpoint.php$domain=transfermarkt.de -||facebook.com/tr/?$domain=metal-hammer.de|musikexpress.de|rollingstone.de -||google-analytics.com/analytics.js$domain=kabeleins.de|metal-hammer.de|musikexpress.de|prosieben.de|prosiebenmaxx.de|quoka.de|ran.de|rollingstone.de|sat1.de|sixx.de|spiegel.de|stern.de -||google-analytics.com/collect$domain=stern.de -||googleapis.com^*/gen_204?$domain=tellows.de -||googletagmanager.com/gtm.js?$domain=autobild.de|transfermarkt.de -||hotjar.com^$domain=quoka.de -||hpr.outbrain.com^$domain=focus.de -||imrworldwide.com^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||ioam.de/?$domain=autobild.de|focus.de|spiegel.de|stern.de|tellows.de|transfermarkt.de -||ioam.de/tx.io?$domain=autobild.de|focus.de|kabeleins.de|metal-hammer.de|musikexpress.de|prosieben.de|prosiebenmaxx.de|quoka.de|ran.de|rollingstone.de|sat1.de|sixx.de|spiegel.de|stern.de|tellows.de|transfermarkt.de -||irqs.ioam.de^$domain=metal-hammer.de|musikexpress.de|rollingstone.de -||log.outbrain.com^$domain=autobild.de|focus.de|metal-hammer.de|musikexpress.de|rollingstone.de|widgets.outbrain.com -||meetrics.net^$domain=spiegel.de|stern.de -||met.vgwort.de^$domain=focus.de|stern.de -||metrics.brightcove.com^$domain=stern.de -||mxcdn.net^$domain=spiegel.de|stern.de -||nuggad.net^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|quoka.de|ran.de|sat1.de|sixx.de|transfermarkt.de -||optimizely.com^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||pingdom.net^$domain=musikexpress.de +||facebook.com*/impression.php$domain=autobild.de +||google-analytics.com/analytics.js$domain=spiegel.de +||googletagmanager.com/gtm.js?$domain=autobild.de +||ioam.de^$domain=autobild.de|spiegel.de +||log.outbrain.com^$domain=autobild.de|widgets.outbrain.com +||meetrics.net^$domain=spiegel.de +||mxcdn.net^$domain=spiegel.de ||pippio.com^$domain=disqus.com ||referrer.disqus.com^$domain=autobild.de ||rlcdn.com^$domain=autobild.de|widgets.outbrain.com -||rqtrk.eu^$domain=stern.de -||semasio.net^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de ||static.parsely.com^$domain=spiegel.de -||tealiumiq.com^$domain=autobild.de|metal-hammer.de|musikexpress.de|transfermarkt.de -||theadex.com^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|quoka.de|ran.de|sat1.de|sixx.de -||tisoomi-services.com^$domain=metal-hammer.de|musikexpress.de -||tracking-rce.veeseo.com^$domain=stern.de -||twitter.com/i/jot$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|rollingstone.de|sat1.de|sixx.de -||visualrevenue.com^$domain=autobild.de|kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de|spiegel.de -||watchseries.to/piwik.js -||webtrekk.net^$domain=kabeleins.de|metal-hammer.de|musikexpress.de|prosieben.de|prosiebenmaxx.de|ran.de|rollingstone.de|sat1.de|sixx.de -||wt-eu02.net^$domain=stern.de -||wt-safetag.com^$domain=stern.de -||xplosion.de^$domain=spiegel.de|stern.de +||tealiumiq.com^$domain=autobild.de +||visualrevenue.com^$domain=autobild.de|spiegel.de +||xplosion.de^$domain=spiegel.de +! +! https://github.com/easylist/easylist/issues/18198 +@@||bam.nr-data.net^$xmlhttprequest,domain=abema.tv +@@||js-agent.newrelic.com^$script,domain=abema.tv +! #endif +! *** easylist:easyprivacy/easyprivacy_specific_uBO.txt *** +! easyprivacy_specific_uBO.txt +! #if ext_ublock + +! https://github.com/AdguardTeam/AdguardFilters/issues/180750 +||pcoptimizedsettings.com/wp-content/plugins/koko-analytics/$script,redirect=noop.js,important +||pcoptimizedsettings.com/wp-content/uploads/breeze/google/gtag.js$script,redirect=noop.js,important +! GPC +subway.com,ticketmaster.*,livewithkellyandmark.com,visible.com,porsche.com,uber.com,jdsports.com,engadget.com,yahoo.com,techcrunch.com,rivals.com,kkrt.com,crunchyroll.com,dnb.com,dnb.co.uk,weather.com,ubereats.com##+js(set, Navigator.prototype.globalPrivacyControl, false) +subway.com,ticketmaster.*,livewithkellyandmark.com,visible.com,porsche.com,uber.com,jdsports.com,engadget.com,yahoo.com,techcrunch.com,rivals.com,kkrt.com,crunchyroll.com,dnb.com,dnb.co.uk,weather.com,ubereats.com##+js(set, navigator.globalPrivacyControl, false) +! Clear GPC storage item +visible.com##+js(set-local-storage-item, browser-ids, $remove$) +! server-side GTM +bolighub.dk##+js(acs, document.getElementsByTagName, gtm.js) +! chartbeat.js redirect +||static.chartbeat.com/js/chartbeat_mab.js$script,redirect=chartbeat.js +||static.chartbeat.com/js/chartbeat.js$script,redirect=chartbeat.js +! Admiral popups +247sports.com,androidpolice.com,bringmethenews.com,mensjournal.com,arstechnica.com,audizine.com,blackenterprise.com,boston.com,britannica.com,cattime.com,cbr.com,cheatsheet.com,collider.com,comingsoon.net,cwtv.com,dogtime.com,esportstales.com,forums.hfboards.com,freep.com,fresnobee.com,gamerant.com,gbatemp.net,golfdigest.com,grabify.link,hancinema.net,hemmings.com,howtogeek.com,ijr.com,informazionefiscale.it,inquirer.net,insider-gaming.com,knowyourmeme.com,magesypro.pro,makeuseof.com,money.it,motorbiscuit.com,movieweb.com,nationalreview.com,nbcnews.com,neopets.com,nofilmschool.com,nypost.com,omg.blog,order-order.com,playstationlifestyle.net,pwinsider.com,savvytime.com,screenrant.com,siliconera.com,simpleflying.com,sporcle.com,stealthoptional.com,techlicious.com,technicpack.net,thedraftnetwork.com,thefashionspot.com,thegamer.com,thenerdstash.com,titantv.com,topspeed.com,twinfinite.net,videogamer.com,wnd.com,worldpopulationreview.com,wral.com,wrestlezone.com,wrestlinginc.com,xda-developers.com##+js(acs, document.createElement, admiral) +gbatemp.net##+js(set, admiral, noopFunc) +abc17news.com,adoredbyalex.com,agrodigital.com,al.com,aliontherunblog.com,allaboutthetea.com,allmovie.com,allmusic.com,allthingsthrifty.com,amessagewithabottle.com,androidpolice.com,antyradio.pl,artforum.com,artnews.com,awkward.com,awkwardmom.com,bailiwickexpress.com,barnsleychronicle.com,becomingpeculiar.com,bethcakes.com,blogher.com,bluegraygal.com,briefeguru.de,carmagazine.co.uk,cattime.com,cbr.com,chaptercheats.com,cleveland.com,collider.com,comingsoon.net,commercialobserver.com,competentedigitale.ro,crafty.house,dailyvoice.com,decider.com,didyouknowfacts.com,dogtime.com,dualshockers.com,dustyoldthing.com,faithhub.net,femestella.com,footwearnews.com,freeconvert.com,frogsandsnailsandpuppydogtail.com,fsm-media.com,funtasticlife.com,fwmadebycarli.com,gamerant.com,gfinityesports.com,givemesport.com,gulflive.com,helloflo.com,homeglowdesign.com,honeygirlsworld.com,hotcars.com,howtogeek.com,insider-gaming.com,insurancejournal.com,jasminemaria.com,kion546.com,lehighvalleylive.com,lettyskitchen.com,lifeinleggings.com,liveandletsfly.com,lizzieinlace.com,localnews8.com,lonestarlive.com,madeeveryday.com,maidenhead-advertiser.co.uk,makeuseof.com,mardomreport.net,masslive.com,melangery.com,milestomemories.com,mlive.com,modernmom.com,momtastic.com,mostlymorgan.com,motherwellmag.com,movieweb.com,muddybootsanddiamonds.com,musicfeeds.com.au,nationalreview.com,nj.com,nordot.app,nothingbutnewcastle.com,nsjonline.com,oakvillenews.org,observer.com,oregonlive.com,pagesix.com,pennlive.com,pinkonthecheek.com,predic.ro,puckermom.com,qtoptens.com,realgm.com,robbreport.com,royalmailchat.co.uk,samchui.com,sandrarose.com,screenrant.com,sheknows.com,sherdog.com,sidereel.com,silive.com,simpleflying.com,sloughexpress.co.uk,spacenews.com,sportsgamblingpodcast.com,spotofteadesigns.com,stacysrandomthoughts.com,ssnewstelegram.com,superherohype.com,syracuse.com,tablelifeblog.com,thebeautysection.com,thecelticblog.com,thecurvyfashionista.com,thefashionspot.com,thegamer.com,thenerdyme.com,thenonconsumeradvocate.com,theprudentgarden.com,thethings.com,timesnews.net,topspeed.com,toyotaklub.org.pl,travelingformiles.com,tutsnode.org,tvline.com##+js(rmnt, script, '"v4ac1eiZr0"') +baeldung.com,cheatsheet.com,pwinsider.com,mensjournal.com##+js(rmnt, script, admiral) +usatoday.com##+js(set, gnt.x.adm, '') +247sports.com,cbsnews.com,cbssports.com,indiewire.com,masslive.com,pennlive.com,nypost.com,pagesix.com,syracuse.com##+js(rmnt, script, '"data-adm-url"') +! anikore.jp +anikore.jp##html[class^="loading"]:style(visibility: visible !important;) +! fedex.com +fedex.com##+js(set-local-storage-item, fdx_enable_new_detail_page, true) +! mweb.jp +mwed.jp##+js(acs, document.createElement, keen-tracking) +! nicovideo.jp +nicovideo.jp##+js(no-fetch-if, stella) +nicovideo.jp##+js(no-xhr-if, stella) +! #if cap_html_filtering +abema.tv##^script:has-text(NREUM) +! #else +abema.tv##+js(rmnt, script, NREUM) +! #endif +! phileweb.com +||clarity.ms/tag/$script,domain=phileweb.com,important +phileweb.com##+js(set-attr, span[class] img.lazyload[width], src, [data-src]) +! e-begin.jp +e-begin.jp##.inviewSection:not(.is-show):style(transform: translateY(0) !important; opacity: 1 !important;) +! mustar.meitetsu.co.jp +||googletagmanager.com/gtm.js$domain=mustar.meitetsu.co.jp,important +mustar.meitetsu.co.jp##body[style="opacity: 0;"]:style(opacity: 1 !important;) +! EOF +! #endif +! -----------------Individual cname tracking systems-----------------! +! *** easylist:easyprivacy/easyprivacy_specific_cname_dataunlocker.txt *** +! easyprivacy_specific_cname_dataunlocker.txt +! https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/dataunlocker.txt +! CNAME https://github.com/easylist/easylist/issues/9383 https://github.com/AdguardTeam/cname-trackers/issues/15 +! Company name: DataUnlocker +||11b6n4ty2x3.taxliencode.com^ +||13js1lbtbj3.sparkloop.app^ +||16i6nuuc2ej.koelewijn.nl^ +||1a715b8q5m3j.www.logology.co^ +||1amehwchx31.bloxdhop.io^ +||1baq2nvd6n7.www.keevowallet.com^ +||1bpmtrvkqkj.pettoonies.com^ +||1bw7etm93lf.www.woodbrass.com^ +||1eusy6.boxoffice.adventuretix.com^ +||1hb4jkt1u2d.probemas.com^ +||1j2n061x3td.www.digi.no^ +||1k5vz1ejbcx.staging.probemas.com^ +||1kpv4njzilv.community.intersystems.com^ +||1vyt1eguj27.ommasign.com^ +||21fhq0t574p.talentkit.io^ +||21udflra4wd.app-dev.cainthus.com^ +||25ix8gm8ien.sandbox.panprices.com^ +||2829i2p88jx.www.csaladinet.hu^ +||2922qj5tf2n.swyftx.com.au^ +||2aa6f9qgrh9.acc.evservice.nl^ +||2e718yf5jypb.test.digitalsurge.io^ +||2rid9fii9chx.www.atlaslane.com^ +||2yqcaqbfnv.nextgen.shareablee.com^ +||3l0zszdzjhpw.www.comicleaks.com^ +||3wn3w3skxpym.round.t3.gg^ +||48z7wyjdsywu.www.revistaferramental.com.br^ +||4jaehnfqizyx.controlconceptsusa.com^ +||5jgwflo4y935b8udrp.www.pmn-nerez.cz^ +||5mc92su06suu.www.abhijith.page^ +||6nwp0r33a71m.app.dev.cardahealth.com^ +||6ynyejkv0j1s.app.tapmyback.com^ +||704g8xh7qfzx.www.intercity.technology^ +||771fnypadw0j.pt.themoneytizer.com^ +||78rkcgj4i8c6.www.cefirates.com^ +||7hdl8dlfjm4g.www.cybernetman.com^ +||8ehhtsv9bo7i.monkeylearn.com^ +||8ue4rp6yxyis.www.tapmyback.com^ +||8vwxqg.tapin.gg^ +||9b5gjkrnw71r.it.themoneytizer.com^ +||9kkjfywjz50v.www.eventus.io^ +||9l3cr6dvk2kb.adaptive.marketing^ +||9uim1pc4ej4n.ru.themoneytizer.com^ +||9ywl0cwf7e37m5yi.tapin.gg^ +||ac9kpxbans1l.staging.unstoppabledomains.com^ +||am3s622gcd6m.tt.live^ +||av6fm8zw2cvz.furucombo.app^ +||b1tow9h4erpw.anur.polymerdev.com^ +||b20p6lt350nt.app.polymersearch.com^ +||b536mpmxoqxa.www.themoneytizer.com^ +||b5j6itccyluq.nofluffjobs.com^ +||c319tpiw462o.segops.madisonspecs.com^ +||cqsecshf4rd9.www.tracktheta.com^ +||cqz6fn6aox.aporia.com^ +||cy98g9wuwn0n.angularjs.poc.glenigan.com^ +||dlziqh9bo7.boring.fm^ +||dsoxjxin5jji.controlconceptsusa.com^ +||e5obq1v261.www.lurkit.com^ +||f02b61sgc617.es.themoneytizer.com^ +||fkupm8697t19.eyevolution.de^ +||fq9vy0muyqi3.www.madrigalmaps.com^ +||fyznhp8inq9x.jaywilsonwebsolutions.com^ +||gl5g98t0vfjb.panprices.com^ +||gvmomuqjv1.swyftx.com^ +||hht8m6w8mnug.quine.sh^ +||ia84berzxy7v.de.themoneytizer.com^ +||ilkk97e98lvg.www.sidsplumbing.ie^ +||ivrnfvlcgubm.www.cefirates.com^ +||iwl2d7pa4yx1.www.logology.co^ +||ixa9ill0f7bg.grundbuch.zentraler-antragsservice.com^ +||jc917x3.adaptive.marketing^ +||jiktq0fr9hv6.meleton.ru^ +||kn81kivjwwc7.www.logology.co^ +||li3k4d70ig52.resourceya.com^ +||lj5s1u8ct5vz.app.chatpay.dev^ +||lofo3l15c674.platform.replai.io^ +||lv6od3a4sz12.www.logology.co^ +||m3uef4b38brmbntdzx.franchiseplus.nl^ +||m4zoxtrcea1k.controlconceptsusa.com^ +||m6c4t9vmqarj.www.cefirates.com^ +||mh9qqwotr890.koelewijn.nl^ +||mteme7li1d6r.vertexmarketingagency.com^ +||my8yyx7wcyyt.dev.monumentmetals-pwa.stgin.com^ +||n367tqpdxce0.quine.sh^ +||n4kb43cl2bsw.creatordrop.com^ +||nqyuel589fq5.esgrounding.com^ +||ns3w1qrlbk4s.tip.etip-staging.etip.io^ +||o3gxzoewxl1x.cp.zomro.com^ +||omyvimmw9wsk.t.mahapowerex.eu^ +||os270ojwwxtg.gameflow.tv^ +||otx23nu6rzon.prep.toppers.com^ +||p7h1silo3f.app.cainthus.com^ +||q4l5gz6lqog6.www.eventus.io^ +||qnlbs2m0uoto.www.videoath.com^ +||qqeuq1cmoooq.accuretawealth.com^ +||qri2r94eeajr.innovationcast.com^ +||qt5jl7r111h7.allesvoormijnvakantie.nl^ +||rgb9uinh2dej9ri.jacobzhang.de^ +||ros3d4dbs3px.salud-masculina.info^ +||s2whyufxmzam.chatpay.com.br^ +||soahu1wnmt6l.www.replai.io^ +||sr59t7wbx5.claricelin.com^ +||swaljol72dgv.controlconceptsusa.com^ +||sxwxswg8z1xe.www.arnowebtv.com^ +||t7baxp1xmw00.boxoffice.adventuretix.com^ +||ti3av8k3ikwm.resume.gerardbosch.xyz^ +||tnincvf1d1jl.de.themoneytizer.com^ +||tutbc1.www.tapmyback.com^ +||tzgurwizule3.app.cardahealth.com^ +||u0crsrah75fy.camberlion.com^ +||uhd5nn09mgml.fort-shop.kiev.ua^ +||umylynsr9b.quira.sh^ +||ut19suycy9vt.nowyformat.nofluffjobs.com^ +||vyz3nn85ed0e.controlconceptsusa.com^ +||vzal21mooz.hyperwrite.ai^ +||w38ju82bano4.cv.gerardbosch.xyz^ +||wayyaj8t094u.www.kodalia.com^ +||wiar9wff0ma9.ping.t3.gg^ +||xlvvy4msxr.coolinastore.com^ +||y4e04gql5o1b.www.nookgaming.com^ +||yrjpgjv35y9x.salud-masculina.info^ +||ysrrzgku6tar.us.themoneytizer.com^ +||z3617cz9ep.fitness.tappbrothers.com^ +||zkmhhr1fr79z.dictionary.basabali.org^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_a8net.txt *** +! easyprivacy_specific_cname_a8net.txt +! a8.net https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/a8_net.txt +! +! Disabled +! ||cart.matsuzaka-steak.com^ +! remove dube: ||www.a8clk.kanagawa-zero.com^ +! ||www.a8clk.amelia.ne.jp^ +||1909a8.satofull.jp^ +||a8-22.hana-yume.net^ +||a8-affiliate.kase3535.com^ +||a8-cv.lean-body.jp^ +||a8-hoiku.mama-9jin.com^ +||a8-itp.qoo10.jp^ +||a8-kouten.kouten.work^ +||a8-mamacareer.mama-9jin.com^ +||a8-wpxblog.secure.wpx.ne.jp^ +||a8-wpxshin.secure.wpx.ne.jp^ +||a8-xshop.secure.xserver.ne.jp^ +||a8.01cloud.jp^ +||a8.123.rheos.jp^ +||a8.2ndstreet.jp^ +||a8.abemashopping.jp^ +||a8.ablenet.jp^ +||a8.aga-hakata.com^ +||a8.ahcswiss.com^ +||a8.air-snet.com^ +||a8.aliceandolivia.jp^ +||a8.ama-mail.jp^ +||a8.amairo-sky.com^ +||a8.andethic.com^ +||a8.anipos.com^ +||a8.arrrt-shop.com^ +||a8.asdf.co.jp^ +||a8.au-hikarinet.com^ +||a8.avalon-works.com^ +||a8.b-cafe.net^ +||a8.bambi-craft.com^ +||a8.bandel.jp^ +||a8.banninkun.com^ +||a8.beerowle.com^ +||a8.benro.jp^ +||a8.big-hikari.com^ +||a8.biglobe.openplat.jp^ +||a8.biz.ne.jp^ +||a8.biziphone.com^ +||a8.bobby-jp.com^ +||a8.boco.co.jp^ +||a8.bon-quish.jp^ +||a8.bousui-pro.com^ +||a8.brandcosme.com^ +||a8.brandkaimasu.com^ +||a8.bridal-hills.com^ +||a8.buddyup.shop^ +||a8.buvlabo.com^ +||a8.calmia-clinic.com^ +||a8.careecen-shukatsu-agent.com^ +||a8.career.rexit.co.jp^ +||a8.careerpark.jp^ +||a8.casie.jp^ +||a8.cbd-cosme.jp^ +||a8.cbd-oil.jp^ +||a8.cbiz.io^ +||a8.centarc.com^ +||a8.chat-lady.jp^ +||a8.chiyo-moni.com^ +||a8.choomia.com^ +||a8.chuo-estate.net^ +||a8.clarah.jp^ +||a8.classicalelf.shop^ +||a8.clubgets.com^ +||a8.cocomeister.jp^ +||a8.coloria.jp^ +||a8.copyki-pr.com^ +||a8.cotta.jp^ +||a8.creativevillage.ne.jp^ +||a8.croaster-select.com^ +||a8.cucua.fun^ +||a8.cyclemarket.jp^ +||a8.cypris-online.jp^ +||a8.daredemomobile.com^ +||a8.de-limmo.jp^ +||a8.degicashop.com^ +||a8.denki-koji.work^ +||a8.denki-tatsujin.com^ +||a8.denwa-hikari.com^ +||a8.denwa-kaisen.jp^ +||a8.denwa-kanyuken.com^ +||a8.diakaimasu.jp^ +||a8.direia-to.net^ +||a8.doctorstretch.com^ +||a8.dolcibolle.com^ +||a8.drinco.jp^ +||a8.dstation.jp^ +||a8.dymtech.jp^ +||a8.earth-shiho.com^ +||a8.earthwater-cayenne.com^ +||a8.efax.co.jp^ +||a8.elife.clinic^ +||a8.emeao.jp^ +||a8.emestore.me^ +||a8.engineer-shukatu.jp^ +||a8.eonet.jp^ +||a8.eonet.ne.jp^ +||a8.epauler.co.jp^ +||a8.epo.info^ +||a8.erasutamo.onlinestaff.jp^ +||a8.everest.ac^ +||a8.evertrust-inc.com^ +||a8.exam-katekyo.com^ +||a8.exetime.jp^ +||a8.exwimax.jp^ +||a8.final-seo.jp^ +||a8.fishing-v.jp^ +||a8.fit-theme.com^ +||a8.foods.petokoto.com^ +||a8.form.run^ +||a8.fots.jp^ +||a8.fpo.bz^ +||a8.fracora.com^ +||a8.freeconsultant.btcagent.jp^ +||a8.freeengineer.btcagent.jp^ +||a8.ftcbeauty.com^ +||a8.fujiorganics.com^ +||a8.fxism.jp^ +||a8.gaizyu-taiji.com^ +||a8.geo-online.co.jp^ +||a8.global-mobility-service.com^ +||a8.gme.co.jp^ +||a8.golfland.co.jp^ +||a8.goodappeal.site^ +||a8.gtm.co.jp^ +||a8.guardian-mp.aerial-p.com^ +||a8.h-daiya.co.jp^ +||a8.hagent.jp^ +||a8.hakata-hisamatsu.net^ +||a8.hana-mail.jp^ +||a8.happy-card.jp^ +||a8.haptic.co.jp^ +||a8.healthyolive.com^ +||a8.heart-denpo.com^ +||a8.hemptouch.co.jp^ +||a8.hikari-flets.jp^ +||a8.hikari-n.jp^ +||a8.hikari-softbank.jp^ +||a8.hikarix.net^ +||a8.hitohana.tokyo^ +||a8.hitoma-tuhan.com^ +||a8.hoken-connect.com^ +||a8.hokengarden.com^ +||a8.hokkaido-nb.jp^ +||a8.i-netservice.net^ +||a8.i-staff.jp^ +||a8.idiy.biz^ +||a8.ihinnoseiriyasan.com^ +||a8.iisakafuji.online^ +||a8.ikkatsu.jp^ +||a8.industrial-branch.com^ +||a8.infinitussub.com^ +||a8.ippin-do.com^ +||a8.jiiawater.com^ +||a8.joygirl.jp^ +||a8.joylab.jp^ +||a8.joyvack.com^ +||a8.jp.peacebird.com^ +||a8.kajitaku.com^ +||a8.kami2323.com^ +||a8.kanbei.jp^ +||a8.kateikyoushi.kuraveil.jp^ +||a8.kddi-hikari.com^ +||a8.kekkon.kuraveil.jp^ +||a8.kimonomachi.co.jp^ +||a8.kinkaimasu.jp^ +||a8.kinkennet.jp^ +||a8.kinnikushokudo-ec.jp^ +||a8.kireisalone.style^ +||a8.kireiyu.com^ +||a8.kissmusic.net^ +||a8.kizuna-link.jp^ +||a8.kland.shop^ +||a8.knew.jp^ +||a8.kojyo-worker.com^ +||a8.kotei-denwa.com^ +||a8.kougu-kaitoriyasan.com^ +||a8.kujo-service.com^ +||a8.l-co-shop.jp^ +||a8.labiotte.jp^ +||a8.lacitashop.com^ +||a8.lalala-clean.com^ +||a8.lantelno.jp^ +||a8.lat-international.com^ +||a8.lavie-official.jp^ +||a8.learning.agaroot.jp^ +||a8.lens-labo.com^ +||a8.lens-ocean.com^ +||a8.liver-rhythm.jp^ +||a8.looom.jp^ +||a8.looop-denki.com^ +||a8.lwa-coating.com^ +||a8.lyprimo.jp^ +||a8.machino-housecleaning.com^ +||a8.maf.mentor-capital.jp^ +||a8.makeshop.jp^ +||a8.mamacosme.co.jp^ +||a8.mamaworks.jp^ +||a8.manara.jp^ +||a8.medireanetshopoi.com^ +||a8.migxl.com^ +||a8.minion-wifi.com^ +||a8.mira-feel.com^ +||a8.miror.jp^ +||a8.mishii-list.com^ +||a8.misshajp.com^ +||a8.mm-digitalsales.academy^ +||a8.mochu.jp^ +||a8.mogurun.com^ +||a8.moku.info^ +||a8.mosh.jp^ +||a8.musbell.co.jp^ +||a8.n-pri.jp^ +||a8.nachurabo.com^ +||a8.nanafu.tokyo^ +||a8.narikiri.me^ +||a8.nengahonpo.com^ +||a8.nengajyo.co.jp^ +||a8.neur.jp^ +||a8.next-hikari.jp^ +||a8.nezumi-guard.com^ +||a8.nezumi-kanzentaiji.com^ +||a8.nosh.jp^ +||a8.novicetokyo.com^ +||a8.o-tayori.com^ +||a8.obihiro-butaichi.jp^ +||a8.ocnk.net^ +||a8.okamotogroup.com^ +||a8.olightstore.jp^ +||a8.onamae.com^ +||a8.onecoinenglish.com^ +||a8.ones-ones.jp^ +||a8.otoku-line.jp^ +||a8.otonayaki.com^ +||a8.outline-gym.com^ +||a8.papapa.baby^ +||a8.parcys.com^ +||a8.pcnext.shop^ +||a8.pcwrap.com^ +||a8.petfood.mtflat.co.jp^ +||a8.pla-cole.wedding^ +||a8.pocket-m.jp^ +||a8.polyglots.net^ +||a8.princess-jp.com^ +||a8.print-netsquare.com^ +||a8.projectee.online^ +||a8.rank-quest.jp^ +||a8.recmount-plus.com^ +||a8.remobiz.jp^ +||a8.renkindo.com^ +||a8.ricafrosh.com^ +||a8.ringbell.co.jp^ +||a8.rinshosiken.com^ +||a8.route-roller.info^ +||a8.runway-harmonia.co.jp^ +||a8.ryugaku.kuraveil.jp^ +||a8.sakemuseum.com^ +||a8.sakuramobile.jp^ +||a8.sakuratravel.jp^ +||a8.sara-uv.com^ +||a8.schecon.com^ +||a8.seifu-ac.jp^ +||a8.seminarshelf.com^ +||a8.sennendo.jp^ +||a8.sharefull.com^ +||a8.shikaketegami.com^ +||a8.shikigaku.jp^ +||a8.shinnihonjisyo.co.jp^ +||a8.shitsukekun.com^ +||a8.shizq.store^ +||a8.shokubun.net^ +||a8.shop.basefood.co.jp^ +||a8.shop.km-link.jp^ +||a8.shop.nicosuma.com^ +||a8.shop.tsukijiwadatsumi.com^ +||a8.shopserve.jp^ +||a8.shukatsu-note.com^ +||a8.sibody.tw^ +||a8.skr-labo.jp^ +||a8.smart-onepage.com^ +||a8.smp.shanon.co.jp^ +||a8.snapmaker.jp^ +||a8.soelu.com^ +||a8.softbank-hikari.jp^ +||a8.sommelier.gift^ +||a8.sp-hoken.net^ +||a8.speever.jp^ +||a8.ssl.aispr.jp^ +||a8.st.oddspark.com^ +||a8.store.aceservice.jp^ +||a8.store.goo.ne.jp^ +||a8.strapya.com^ +||a8.sui-so.com^ +||a8.suma-sapo.net^ +||a8.sumai-planet.com^ +||a8.sumilena.co.jp^ +||a8.tabechoku.com^ +||a8.tailorenglish.jp^ +||a8.tapp-co.jp^ +||a8.taylormadegolf.jp^ +||a8.tcha-tcha-japan.com^ +||a8.tea-lab.co.jp^ +||a8.tecgate.jp^ +||a8.tech-base.net^ +||a8.techis.jp^ +||a8.tecpartners.jp^ +||a8.teddyworks.co.jp^ +||a8.the-session.jp^ +||a8.themoonmilk.jp^ +||a8.thermostand.jp^ +||a8.thg.co.jp^ +||a8.tideisturning.com^ +||a8.tokihana.net^ +||a8.tokyo-hills-clinic.com^ +||a8.tone.ne.jp^ +||a8.toraiz.jp^ +||a8.tour-sys.com^ +||a8.tour.jtrip.co.jp^ +||a8.track.entry.dokoyorimo.com^ +||a8.triple-m.jp^ +||a8.tscubic.com^ +||a8.uchi-iwai.net^ +||a8.uchideno-kozuchi.com^ +||a8.uluwatutiger.com^ +||a8.unicoffee.tech^ +||a8.uridoki.net^ +||a8.uzuz-college.jp^ +||a8.vector-park.jp^ +||a8.vinew.jp^ +||a8.virus-gekitai.com^ +||a8.volstar.jp^ +||a8.vtuber.sexy^ +||a8.watero.pet^ +||a8.web-hikari.net^ +||a8.webdeki.com^ +||a8.webist-cri.com^ +||a8.wemotion.co.jp^ +||a8.wifi-fami.com^ +||a8.wifi-tokyo-rentalshop.com^ +||a8.wifi.erasutamo.onlinestaff.jp^ +||a8.willcloud.jp^ +||a8.williesenglish.jp^ +||a8.wizrecruitment.012grp.co.jp^ +||a8.woodlife.jp^ +||a8.worldikids.com^ +||a8.ws.job.career-tasu.jp^ +||a8.www.keurig.jp^ +||a8.www.melonbooks.co.jp^ +||a8.www.nicosuma.com^ +||a8.www.retrospect.co.jp^ +||a8.www.seesaa.co.jp^ +||a8.www.smart-factor.co.jp^ +||a8.xn--google-873exa8m6161dbbyb.net^ +||a8.xn--y8jd4aybzqd.jp^ +||a8.yakumatch.com^ +||a8.yanoman.com^ +||a8.yayoi-kk.co.jp^ +||a8.yellmall.jp^ +||a8.yumejin.jp^ +||a8.yuzen-official.com^ +||a8.zen-camps.com^ +||a8.zeroku.jp^ +||a8.zipan.jp^ +||a8.zzz-land.com^ +||a802.xn--38jf6c4pa86a1dv833cexrb.com^ +||a803.xn--38jf6c4pa86a1dv833cexrb.com^ +||a8affiliate.liftup-turban.net^ +||a8aspconv.itx-home-router.com^ +||a8aspconv.nn-com.co.jp^ +||a8aspconv.ns-air.net^ +||a8aspconv.ns-softbank-hikari.com^ +||a8aspconv.xn--auso-net-h53gmnzi.com^ +||a8aspconv.xn--bgm-os4bt98xxicx4fqs5c8e8agvq.com^ +||a8aspconv.xn--biglobe-kc9k.com^ +||a8aspconv.xn--ipv6-yn4cxgwe959zqrkp58g.com^ +||a8aspconv.xn--ocn-ws1e.jp^ +||a8atcomsme.mellife.jp^ +||a8clic.alcosystem.co.jp^ +||a8click.daini2.co.jp^ +||a8click.you-up.com^ +||a8click.young-mobile.net^ +||a8clk.011330.jp^ +||a8clk.1osechi.com^ +||a8clk.292957.jp^ +||a8clk.9factor.com^ +||a8clk.account.matsui.co.jp^ +||a8clk.adeliv.treasure-f.com^ +||a8clk.adventkk.co.jp^ +||a8clk.afi1.emanon-sharesalon.com^ +||a8clk.aipo.com^ +||a8clk.alljewelry.jp^ +||a8clk.ambientlounge.co.jp^ +||a8clk.amelia.ne.jp^ +||a8clk.ancar.jp^ +||a8clk.ands-tech.com^ +||a8clk.angeliebe.co.jp^ +||a8clk.aoki-style.com^ +||a8clk.ap.livede55.com^ +||a8clk.app.offerbox.jp^ +||a8clk.apply-shop.menu.inc^ +||a8clk.asahi-net.or.jp^ +||a8clk.ashitarunrun.com^ +||a8clk.asp.jcity.co.jp^ +||a8clk.assecli.com^ +||a8clk.ato-barai.com^ +||a8clk.audiobook.jp^ +||a8clk.autoc-one.jp^ +||a8clk.bang.co.jp^ +||a8clk.beauteq.jp^ +||a8clk.bikeman.jp^ +||a8clk.biken-mall.com^ +||a8clk.biomarche.jp^ +||a8clk.birai-cm.com^ +||a8clk.biz-communication.jp^ +||a8clk.bizworkers.jp^ +||a8clk.booking.jetfi.jp^ +||a8clk.bresmile.jp^ +||a8clk.bungeisha.co.jp^ +||a8clk.buy-master.com^ +||a8clk.buyking.club^ +||a8clk.camerakaitori.jp^ +||a8clk.campaigns.speed-kaitori.jp^ +||a8clk.car-mo.jp^ +||a8clk.carbattery110.com^ +||a8clk.career.prismy.jp^ +||a8clk.carenessapp.lifekarte.com^ +||a8clk.cart.amahada.com^ +||a8clk.cart.co-heart.com^ +||a8clk.cart.dr-vegefru.com^ +||a8clk.cart.ordersupli.com^ +||a8clk.cart.raku-uru.jp^ +||a8clk.cd.ecostorecom.jp^ +||a8clk.cev.macchialabel.com^ +||a8clk.chance.com^ +||a8clk.chapup.jp^ +||a8clk.chat-wifi.site^ +||a8clk.checkout.leafee.me^ +||a8clk.chibakan-yachiyo.net^ +||a8clk.chuko-truck.com^ +||a8clk.cleaneo.jp^ +||a8clk.cocorotherapy.com^ +||a8clk.colone.cc^ +||a8clk.coreda.jp^ +||a8clk.cp.favorina.com^ +||a8clk.cp.formalklein.com^ +||a8clk.crefus.com^ +||a8clk.crowdworks.jp^ +||a8clk.cs.machi-ene.jp^ +||a8clk.cv.dreamsv.jp^ +||a8clk.cv.geechs-job.com^ +||a8clk.cv.hanaravi.jp^ +||a8clk.cv.kenkouichiba.com^ +||a8clk.cv.kihada.jp^ +||a8clk.cv.mensfashion.cc^ +||a8clk.cv.onedenki.jp^ +||a8clk.cv.only-story.jp^ +||a8clk.cv.shop.resalon.co.jp^ +||a8clk.cv.syukatsu-kaigi.jp^ +||a8clk.cv.t-fic.co.jp^ +||a8clk.cv.warau.jp^ +||a8clk.cv.yanuk.jp^ +||a8clk.d.toyo-case.co.jp^ +||a8clk.dfashion.docomo.ne.jp^ +||a8clk.digicafe.jp^ +||a8clk.doda.jp^ +||a8clk.dospara.co.jp^ +||a8clk.dr-10.com^ +||a8clk.dr-40.com^ +||a8clk.dr-8.com^ +||a8clk.driver-island.com^ +||a8clk.e-ninniku.jp^ +||a8clk.ec.halmek.co.jp^ +||a8clk.ec.oreno.co.jp^ +||a8clk.ectool.jp^ +||a8clk.englead.jp^ +||a8clk.es.akyrise.jp^ +||a8clk.ex-wifi.jp^ +||a8clk.excellence-aoyama.com^ +||a8clk.famm.us^ +||a8clk.fastsim.jp^ +||a8clk.fc-mado.com^ +||a8clk.fido-co.com^ +||a8clk.firadis.net^ +||a8clk.for-customer.com^ +||a8clk.form.coached.jp^ +||a8clk.formal.cariru.jp^ +||a8clk.formasp.jp^ +||a8clk.francfranc.com^ +||a8clk.fromcocoro.com^ +||a8clk.fujisan.co.jp^ +||a8clk.fuku-chan.jp^ +||a8clk.funds.jp^ +||a8clk.geo-arekore.jp^ +||a8clk.global-crown.com^ +||a8clk.globalbase.jp^ +||a8clk.golf-kace.com^ +||a8clk.grandg.com^ +||a8clk.grirose.jp^ +||a8clk.gurutas.jp^ +||a8clk.guruyaku.jp^ +||a8clk.hags-ec.com^ +||a8clk.hikakaku.com^ +||a8clk.hikarinobe.com^ +||a8clk.hoiku.fine.me^ +||a8clk.hoken-minaoshi-lab.jp^ +||a8clk.hokennews.jp^ +||a8clk.hom.adebtt.info^ +||a8clk.hotman-onlineshop.com^ +||a8clk.hozon.sp-site.jp^ +||a8clk.hurugicom.jp^ +||a8clk.ias.il24.net^ +||a8clk.inakakon.jp^ +||a8clk.info2.sunbridge.com^ +||a8clk.jaf.or.jp^ +||a8clk.janiking.jp^ +||a8clk.jlp-shop.jp^ +||a8clk.jobspring.jp^ +||a8clk.joggo.me^ +||a8clk.joppy.jp^ +||a8clk.just-buy.jp^ +||a8clk.justfitoffice.com^ +||a8clk.justy-consul.com^ +||a8clk.ka-shimo.com^ +||a8clk.kaitori-beerecords.jp^ +||a8clk.kaitori-janiyard.jp^ +||a8clk.kaitori-retrog.jp^ +||a8clk.kaitori-toretoku.jp^ +||a8clk.kaitori-yamatokukimono.jp^ +||a8clk.kaitori.kind.co.jp^ +||a8clk.kaitoriyasan.group^ +||a8clk.kake-barai.com^ +||a8clk.kanagawa-zero.com^ +||a8clk.kenkoukazoku.co.jp^ +||a8clk.kihada.jp^ +||a8clk.komochikon.jp^ +||a8clk.kyoto-health.co.jp^ +||a8clk.kyoyu-mochibun.com^ +||a8clk.label-seal-print.com^ +||a8clk.lasana.co.jp^ +||a8clk.laundry-out.jp^ +||a8clk.lens-1.jp^ +||a8clk.libinc.jp^ +||a8clk.life.bang.co.jp^ +||a8clk.lolipop.jp^ +||a8clk.loungemembers.com^ +||a8clk.low-ya.com^ +||a8clk.lp.yuyu-kenko.co.jp^ +||a8clk.ma-platform.com^ +||a8clk.macchialabel.com^ +||a8clk.macpaw.com^ +||a8clk.manabiz.jp^ +||a8clk.manage.conoha.jp^ +||a8clk.mapple-tour.com^ +||a8clk.marche.onward.co.jp^ +||a8clk.mat.duskin-hozumi.co.jp^ +||a8clk.meister-coating.com^ +||a8clk.mens-mr.jp^ +||a8clk.mens-rinx.jp^ +||a8clk.merry.duskin-hozumi.co.jp^ +||a8clk.miidas.jp^ +||a8clk.minnadeooyasan.com^ +||a8clk.mirrorball-recurit.emanon-sharesalon.com^ +||a8clk.mobile-norikae.com^ +||a8clk.mop.duskin-hozumi.co.jp^ +||a8clk.moriichi-net.co.jp^ +||a8clk.mouse-jp.co.jp^ +||a8clk.moving.a-tm.co.jp^ +||a8clk.mutukistyle.com^ +||a8clk.muumuu-domain.com^ +||a8clk.mynavi-creator.jp^ +||a8clk.mynavi-job20s.jp^ +||a8clk.mypage.awesome-wash.com^ +||a8clk.nandemo-kimono.com^ +||a8clk.nenga-kazoku.com^ +||a8clk.nenga.fumiiro.jp^ +||a8clk.netowl.jp^ +||a8clk.nikkoudou-kottou.com^ +||a8clk.nissen.co.jp^ +||a8clk.nobirun.jp^ +||a8clk.nta.co.jp^ +||a8clk.nyandaful.jp^ +||a8clk.okamoto-homelife.com^ +||a8clk.okawa-god.jp^ +||a8clk.okuta.com^ +||a8clk.olulu-online.jp^ +||a8clk.onemile.jp^ +||a8clk.only-story.jp^ +||a8clk.order-box.net^ +||a8clk.order.banana-wifi.com^ +||a8clk.order.lpio.jp^ +||a8clk.orders.bon-book.jp^ +||a8clk.osoujihonpo.com^ +||a8clk.owners-age.com^ +||a8clk.p-bandai.jp^ +||a8clk.pages.supporterz.jp^ +||a8clk.patpat.com^ +||a8clk.petelect.jp^ +||a8clk.petitjob.jp^ +||a8clk.photorevo.info^ +||a8clk.plusone.space^ +||a8clk.point-island.com^ +||a8clk.point-land.net^ +||a8clk.point-museum.com^ +||a8clk.point-stadium.com^ +||a8clk.psd.jp^ +||a8clk.purekon.jp^ +||a8clk.qracian365.com^ +||a8clk.radianne.jp^ +||a8clk.rarejob.com^ +||a8clk.rdlp.jp^ +||a8clk.recycle-net.jp^ +||a8clk.rei-book.com^ +||a8clk.rental.geo-online.co.jp^ +||a8clk.reserve.retty.me^ +||a8clk.resortbaito-dive.com^ +||a8clk.rf28.com^ +||a8clk.risou.com^ +||a8clk.satei-meijin.com^ +||a8clk.secure.freee.co.jp^ +||a8clk.secure.jetboy.jp^ +||a8clk.segatoys.com^ +||a8clk.service.ridera-inc.com^ +||a8clk.shadoten.com^ +||a8clk.shareboss.net^ +||a8clk.shikaku-square.com^ +||a8clk.shinnihon-seminar.com^ +||a8clk.shoes.regal.co.jp^ +||a8clk.shokutakubin.com^ +||a8clk.shop.echigofuton.jp^ +||a8clk.shop.kitamura.jp^ +||a8clk.shop.saraya.com^ +||a8clk.shop.shareme.jp^ +||a8clk.shop.sunsorit.co.jp^ +||a8clk.shop.tanita.co.jp^ +||a8clk.sikatoru.com^ +||a8clk.siro.duskin-hozumi.co.jp^ +||a8clk.sirtuinbooster.net^ +||a8clk.sixcore.ne.jp^ +||a8clk.skima.jp^ +||a8clk.skynet-c.jp^ +||a8clk.skyoffice.info^ +||a8clk.sma-ene.jp^ +||a8clk.smart-keiri.com^ +||a8clk.smile-zemi.jp^ +||a8clk.sohbi-company.com^ +||a8clk.solideajapan.com^ +||a8clk.speedcoaching.co.jp^ +||a8clk.staff.mynavi.jp^ +||a8clk.star-mall.net^ +||a8clk.starwifi.jp^ +||a8clk.store.kadokawa.co.jp^ +||a8clk.store.mago-ch.com^ +||a8clk.stylestore.jp^ +||a8clk.suguchoku.jp^ +||a8clk.sumafuri.jp^ +||a8clk.support-hoiku.com^ +||a8clk.supreme-noi.jp^ +||a8clk.sure-i.co.jp^ +||a8clk.t-fic.co.jp^ +||a8clk.taisho-beauty.jp^ +||a8clk.takken-job.com^ +||a8clk.takuhai.daichi-m.co.jp^ +||a8clk.tamiyashop.jp^ +||a8clk.tanp.jp^ +||a8clk.tastytable-food.com^ +||a8clk.teacon.jp^ +||a8clk.titivate.jp^ +||a8clk.toretoku.jp^ +||a8clk.tsuchiya-kaban.jp^ +||a8clk.tsunorice.com^ +||a8clk.uchinotoypoo.jp^ +||a8clk.unihertz.com^ +||a8clk.unionspo.com^ +||a8clk.ur-s.me^ +||a8clk.uzu.team^ +||a8clk.videocash.tv^ +||a8clk.voice-inc.co.jp^ +||a8clk.waq-online.com^ +||a8clk.web-camp.io^ +||a8clk.wedding.294p.com^ +||a8clk.weleda.jp^ +||a8clk.wi-ho.net^ +||a8clk.works.sagooo.com^ +||a8clk.world-family.co.jp^ +||a8clk.wpx.ne.jp^ +||a8clk.www.access-jp.jp^ +||a8clk.www.autoway.jp^ +||a8clk.www.big-m-one.com^ +||a8clk.www.cledepeau-beaute.com^ +||a8clk.www.clip-studio.com^ +||a8clk.www.daiohs.com^ +||a8clk.www.doicoffee.com^ +||a8clk.www.duskin-chiyoda.com^ +||a8clk.www.duskin-hozumi.co.jp^ +||a8clk.www.duskin-hozumi.jp^ +||a8clk.www.e87.com^ +||a8clk.www.fitnessshop.jp^ +||a8clk.www.flierinc.com^ +||a8clk.www.gaihekitosou-partners.jp^ +||a8clk.www.green-dog.com^ +||a8clk.www.italki.com^ +||a8clk.www.jaf.or.jp^ +||a8clk.www.just-size.net^ +||a8clk.www.ka-nabell.com^ +||a8clk.www.khaki.jp^ +||a8clk.www.netage.ne.jp^ +||a8clk.www.nortonstore.jp^ +||a8clk.www.oms.energy-itsol.com^ +||a8clk.www.rebo-success.co.jp^ +||a8clk.www.solar-partners.jp^ +||a8clk.www.solarmonitorlp.energy-itsol.com^ +||a8clk.www.uz.team^ +||a8clk.www.workport.co.jp^ +||a8clk.www.xebiocard.co.jp^ +||a8clk.www.zwei.com^ +||a8clk.xn--t8jx01hmvbgye566gd1f.com^ +||a8clk.xserver.ne.jp^ +||a8clk.y-station.net^ +||a8clk.ykd.co.jp^ +||a8clk.yourmystar.jp^ +||a8clk.yu-en.com^ +||a8clk.yubisashi.com^ +||a8clk.yumeyakata.com^ +||a8clk.ziaco.eco-life.tokyo^ +||a8clk.zigen-shop.com^ +||a8clk1.zkai.co.jp^ +||a8clkapply.mycredit.nexuscard.co.jp^ +||a8clkcv.lognavi.com^ +||a8clkcv.tcb-beauty.net^ +||a8cllk.arahataen.com^ +||a8cname.cloudwifi-nc.com^ +||a8cname.nj-e.jp^ +||a8cnv.rmsbeauty.jp^ +||a8cv.012grp.co.jp^ +||a8cv.03plus.net^ +||a8cv.1-class.jp^ +||a8cv.1sbc.com^ +||a8cv.464981.com^ +||a8cv.489pro.com^ +||a8cv.550909.com^ +||a8cv.a-resort.jp^ +||a8cv.a-ru-ku.co.jp^ +||a8cv.a-satei.com^ +||a8cv.accelfacter.co.jp^ +||a8cv.access-jp.jp^ +||a8cv.aff.life-110.com^ +||a8cv.aiambeauty.jp^ +||a8cv.akapon.kanritools.com^ +||a8cv.akihabara-x.jp^ +||a8cv.akippa.com^ +||a8cv.al-on.com^ +||a8cv.all-plan.co.jp^ +||a8cv.all24.jp^ +||a8cv.alvo.co.jp^ +||a8cv.amiami.jp^ +||a8cv.anapnet.com^ +||a8cv.androsophybaby.com^ +||a8cv.ans-ec.shop^ +||a8cv.aplod.jp^ +||a8cv.aquasilver.co.jp^ +||a8cv.araiba.net^ +||a8cv.atami-box.com^ +||a8cv.atgp.jp^ +||a8cv.auhikari-bykddi.com^ +||a8cv.b-concept.tokyo^ +||a8cv.b-noix.jp^ +||a8cv.babybjorn.jp^ +||a8cv.bag-repair.pro^ +||a8cv.baku-art.jp^ +||a8cv.balanslab.jp^ +||a8cv.bb-internet-qsyu.net^ +||a8cv.bbt757.com^ +||a8cv.be-slim-spbikyou.com^ +||a8cv.beaming.jp^ +||a8cv.bellcosme.com^ +||a8cv.bellevie-inc.co.jp^ +||a8cv.bettysbeauty.jp^ +||a8cv.beyondvape.jp^ +||a8cv.biken-mall.jp^ +||a8cv.biz-maps.com^ +||a8cv.bizcircle.jp^ +||a8cv.bizcomfort.jp^ +||a8cv.bloomonline.jp^ +||a8cv.bonaventura.shop^ +||a8cv.borderfree-official.com^ +||a8cv.brandeuse.jp^ +||a8cv.brandnet.info^ +||a8cv.bresmile.jp^ +||a8cv.bright-app.com^ +||a8cv.broadbandservice.jp^ +||a8cv.bugsfarm.jp^ +||a8cv.bulk.co.jp^ +||a8cv.busbookmark.jp^ +||a8cv.c-hikari.biz^ +||a8cv.ca-rent.jp^ +||a8cv.cacom.jp^ +||a8cv.calotore.com^ +||a8cv.career.medpeer.jp^ +||a8cv.careerpark-agent.jp^ +||a8cv.carryonmall.com^ +||a8cv.cart.bi-su.jp^ +||a8cv.cart3.toku-talk.com^ +||a8cv.cast-er.com^ +||a8cv.celav.net^ +||a8cv.celbest.urr.jp^ +||a8cv.cellbic.net^ +||a8cv.chefbox.jp^ +||a8cv.chillaxy.jp^ +||a8cv.chuoms.com^ +||a8cv.cinemage.shop^ +||a8cv.clickjob.jp^ +||a8cv.cloud-wi-fi.jp^ +||a8cv.cloudthome.com^ +||a8cv.coco-gourmet.com^ +||a8cv.codexcode.jp^ +||a8cv.codmon.com^ +||a8cv.contents-sales.net^ +||a8cv.control.cloudphotobook.com^ +||a8cv.coopnet.or.jp^ +||a8cv.cosmeonline.com^ +||a8cv.cosmo-water.net^ +||a8cv.cosmosfoods.jp^ +||a8cv.covermark.co.jp^ +||a8cv.cozuchi.com^ +||a8cv.cpi.ad.jp^ +||a8cv.cprime-japan.com^ +||a8cv.crecari.com^ +||a8cv.crefus.jp^ +||a8cv.crowdcredit.jp^ +||a8cv.crowdlinks.jp^ +||a8cv.cv2308001.tanomelu.com^ +||a8cv.daini-agent.jp^ +||a8cv.daisenham.com^ +||a8cv.danipita.com^ +||a8cv.danjiki-net.jp^ +||a8cv.dazzyclinic.jp^ +||a8cv.deiba.jp^ +||a8cv.delis.co.jp^ +||a8cv.designlearn.co.jp^ +||a8cv.direct-teleshop.jp^ +||a8cv.direct.shark.co.jp^ +||a8cv.diyfactory.jp^ +||a8cv.doctor-agent.com^ +||a8cv.doctoryotsu.com^ +||a8cv.dokoyorimo.com^ +||a8cv.dokugaku-dx.com^ +||a8cv.downjacket.pro^ +||a8cv.dream-licence.jp^ +||a8cv.dreambeer.jp^ +||a8cv.dreamchance.net^ +||a8cv.drsoie.com^ +||a8cv.dsc-nightstore.com^ +||a8cv.dshu.jp^ +||a8cv.duo.jp^ +||a8cv.e-3shop.com^ +||a8cv.e-3x.jp^ +||a8cv.e-d-v-j.co.jp^ +||a8cv.e-earphone.jp^ +||a8cv.e-stretch-diet.com^ +||a8cv.eakindo.com^ +||a8cv.ec.oliveunion.com^ +||a8cv.eco-ring.com^ +||a8cv.ecodepa.jp^ +||a8cv.eeo.today^ +||a8cv.egmkt.co.jp^ +||a8cv.eikajapan.com^ +||a8cv.emma-sleep-japan.com^ +||a8cv.encounter2017.jp^ +||a8cv.english-bootcamp.com^ +||a8cv.english-cc.com^ +||a8cv.english-village.net^ +||a8cv.entre-salon.com^ +||a8cv.entry.renet.jp^ +||a8cv.est-online.com^ +||a8cv.euria.store^ +||a8cv.exrg-premium.shop^ +||a8cv.eys-musicschool.com^ +||a8cv.f.012grp.co.jp^ +||a8cv.factoringzero.jp^ +||a8cv.fafa-shop.com^ +||a8cv.favorric.com^ +||a8cv.fc-japan.biz^ +||a8cv.fc-osoujikakumei.jp^ +||a8cv.first-spoon.com^ +||a8cv.fitness-terrace.com^ +||a8cv.focusneo.net^ +||a8cv.folio-sec.com^ +||a8cv.folli.jp^ +||a8cv.follome.motaras.co.jp^ +||a8cv.foresight.jp^ +||a8cv.forza-gran.com^ +||a8cv.fots.jp^ +||a8cv.fp-life.design^ +||a8cv.frecious.jp^ +||a8cv.free-max.com^ +||a8cv.freeks-japan.com^ +||a8cv.freelance-start.com^ +||a8cv.fujiplus.jp^ +||a8cv.fukuoka-factoring.net^ +||a8cv.fundrop.jp^ +||a8cv.futurefinder.net^ +||a8cv.fxtrade.co.jp^ +||a8cv.gaiasign.co.jp^ +||a8cv.gaikokujin-support.com^ +||a8cv.gaikouexterior-partners.jp^ +||a8cv.gakuen.omobic.com^ +||a8cv.gb-chat.com^ +||a8cv.gbset.jp^ +||a8cv.genesis-nipt.com^ +||a8cv.gigabaito.com^ +||a8cv.gimuiko.com^ +||a8cv.global-dive.jp^ +||a8cv.global-link-seminar.com^ +||a8cv.glocalnet.jp^ +||a8cv.glow-clinic.com^ +||a8cv.goodlucknail.com^ +||a8cv.goods-station.jp^ +||a8cv.goqoo.me^ +||a8cv.grace-grace.info^ +||a8cv.grassbeaute.jp^ +||a8cv.greed-island.ne.jp^ +||a8cv.haka.craht.jp^ +||a8cv.hal-tanteisya.com^ +||a8cv.hanamaro.jp^ +||a8cv.handmade-ch.jp^ +||a8cv.happy-bears.com^ +||a8cv.harasawa.co.jp^ +||a8cv.hardwarewallet-japan.com^ +||a8cv.hariocorp.co.jp^ +||a8cv.hello-people.jp^ +||a8cv.heybit.io^ +||a8cv.hi-tailor.jp^ +||a8cv.hikari-mega.com^ +||a8cv.hoken-laundry.com^ +||a8cv.holo-bell.com^ +||a8cv.homepage296.com^ +||a8cv.honeys-onlineshop.com^ +||a8cv.hoppin-garage.com^ +||a8cv.hor.jp^ +||a8cv.hotyoga-loive.com^ +||a8cv.houjin-keitai.com^ +||a8cv.housingbazar.jp^ +||a8cv.humming-water.com^ +||a8cv.hyperknife.info^ +||a8cv.i-office1.net^ +||a8cv.ias.il24.net^ +||a8cv.icoi.style^ +||a8cv.ieagent.jp^ +||a8cv.iekoma.com^ +||a8cv.iikyujin.net^ +||a8cv.ikapula.com^ +||a8cv.info.atgp.jp^ +||a8cv.inkan-takumi.com^ +||a8cv.interlink.or.jp^ +||a8cv.investment.mogecheck.jp^ +||a8cv.ioo-sofa.net^ +||a8cv.irodas.com^ +||a8cv.ishibashi.co.jp^ +||a8cv.ishibestcareer.com^ +||a8cv.ishizawa-lab.co.jp^ +||a8cv.isslim.jp^ +||a8cv.isuzu-rinji.com^ +||a8cv.itscoco.shop^ +||a8cv.iwamizu.com^ +||a8cv.iy-net.jp^ +||a8cv.japaden.jp^ +||a8cv.jbl-link.com^ +||a8cv.jcom.co.jp^ +||a8cv.jeansmate.co.jp^ +||a8cv.jemmy.co.jp^ +||a8cv.join-tech.jp^ +||a8cv.jokyonext.jp^ +||a8cv.joy-karaokerental.com^ +||a8cv.jp-shop.kiwabi.com^ +||a8cv.jp.metrocityworld.com^ +||a8cv.jp.redodopower.com^ +||a8cv.k-ikiiki.jp^ +||a8cv.kabu-online.jp^ +||a8cv.kagoya.jp^ +||a8cv.kaimonocart.com^ +||a8cv.kaimonoform.com^ +||a8cv.kaiteki.gr.jp^ +||a8cv.kaitori-okoku.jp^ +||a8cv.kaitorisatei.info^ +||a8cv.kajier.jp^ +||a8cv.kamurogi.net^ +||a8cv.karitoke.jp^ +||a8cv.kidsmoneyschool.net^ +||a8cv.kikubari-bento.com^ +||a8cv.king-makura.com^ +||a8cv.kk-orange.jp^ +||a8cv.kkmatsusho.jp^ +||a8cv.kn-waterserver.com^ +||a8cv.kobe38.com^ +||a8cv.kosodatemoney.com^ +||a8cv.kuih.jp^ +||a8cv.kurashi-bears.com^ +||a8cv.kusmitea.jp^ +||a8cv.kuzefuku-arcade.jp^ +||a8cv.kxn.co.jp^ +||a8cv.kyotokimono-rental.com^ +||a8cv.l-meal.com^ +||a8cv.laclulu.com^ +||a8cv.lalavie.jp^ +||a8cv.lancers.jp^ +||a8cv.laviepre.co.jp^ +||a8cv.lc-jewel.jp^ +||a8cv.lear-caree.com^ +||a8cv.leasonable.com^ +||a8cv.lens-1.jp^ +||a8cv.leoandlea.com^ +||a8cv.lianest.co.jp^ +||a8cv.lp.nalevi.mynavi.jp^ +||a8cv.lp.x-house.co.jp^ +||a8cv.lyprinol.jp^ +||a8cv.machi-ene.jp^ +||a8cv.machicon.jp^ +||a8cv.macloud.jp^ +||a8cv.madoguchi.com^ +||a8cv.maenomery.jp^ +||a8cv.magniflexk.com^ +||a8cv.mamarket.co.jp^ +||a8cv.mansiontech.com^ +||a8cv.marumochiya.net^ +||a8cv.mashumaro-bra.com^ +||a8cv.mbb-inc.com^ +||a8cv.mcc-lazer-hr.com^ +||a8cv.meetsmore.com^ +||a8cv.memberpay.jp^ +||a8cv.members.race.sanspo.com^ +||a8cv.menina-joue.jp^ +||a8cv.mentors-lwc.com^ +||a8cv.mi-vision.co.jp^ +||a8cv.minana-jp.com^ +||a8cv.minnano-eikaiwa.com^ +||a8cv.mitaina.tokyo^ +||a8cv.mobabiji.jp^ +||a8cv.modern-deco.jp^ +||a8cv.modescape.com^ +||a8cv.mogecheck.jp^ +||a8cv.mokumokumarket.com^ +||a8cv.momiji-tantei.com^ +||a8cv.mova-creator-school.com^ +||a8cv.ms-toushiguide.jp^ +||a8cv.mura.ne.jp^ +||a8cv.my-arrow.co.jp^ +||a8cv.nagatani-shop.com^ +||a8cv.naire-seisakusho.jp^ +||a8cv.naradenryoku.co.jp^ +||a8cv.natulahonpo.com^ +||a8cv.naturaltech.jp^ +||a8cv.naturebreath-store.com^ +||a8cv.naturecan-fitness.jp^ +||a8cv.nd-clinic.net^ +||a8cv.netvisionacademy.com^ +||a8cv.next1-one.jp^ +||a8cv.nichirei.co.jp^ +||a8cv.nifty.com^ +||a8cv.nigaoe.graphics.vc^ +||a8cv.nijiun.com^ +||a8cv.nikugatodoke.com^ +||a8cv.nippon-olive.co.jp^ +||a8cv.nipt-clinic.jp^ +||a8cv.nittei-group-alliance.com^ +||a8cv.o-juku.com^ +||a8cv.o-ken.com^ +||a8cv.oceanprincess.jp^ +||a8cv.ococorozashi.com^ +||a8cv.off-site.jp^ +||a8cv.ogaland.com^ +||a8cv.oisix.com^ +||a8cv.omakase-cyber-mimamori.net^ +||a8cv.omni7.jp^ +||a8cv.omobic.com^ +||a8cv.one-netbook.jp^ +||a8cv.online-mega.com^ +||a8cv.online.aivil.jp^ +||a8cv.online.bell-road.com^ +||a8cv.online.d-school.co^ +||a8cv.online.thekiss.co.jp^ +||a8cv.onlinestore.xmobile.ne.jp^ +||a8cv.onlinezemi.com^ +||a8cv.open-cage.com^ +||a8cv.orbis.co.jp^ +||a8cv.orochoku.shop^ +||a8cv.otakudathough.com^ +||a8cv.otoriyose.site^ +||a8cv.p-antiaging.com^ +||a8cv.paidy.com^ +||a8cv.palms-gym.com^ +||a8cv.perrot.co^ +||a8cv.pf.classicmusic.tokyo^ +||a8cv.phonim.com^ +||a8cv.photojoy.jp^ +||a8cv.physiqueframe.com^ +||a8cv.picksitter.com^ +||a8cv.pigeon-fw.com^ +||a8cv.pilates-k.jp^ +||a8cv.pocket-sommelier.com^ +||a8cv.postcoffee.co^ +||a8cv.pre-sana.com^ +||a8cv.premium.aidemy.net^ +||a8cv.presence.jp^ +||a8cv.print-gakufu.com^ +||a8cv.pro.omobic.com^ +||a8cv.quattrocart.com^ +||a8cv.quick-management.jp^ +||a8cv.r-maid.com^ +||a8cv.radi-cool.shop^ +||a8cv.rakumizu.jp^ +||a8cv.rawfood-lohas.com^ +||a8cv.rehome-navi.com^ +||a8cv.renoveru.jp^ +||a8cv.repairman.jp^ +||a8cv.repitte.jp^ +||a8cv.reservation.matching-photo.com^ +||a8cv.reserve.victoria.tokyo.jp^ +||a8cv.risu-japan.com^ +||a8cv.rita-style.co.jp^ +||a8cv.rmkrmk.com^ +||a8cv.rohto.co.jp^ +||a8cv.runteq.jp^ +||a8cv.ryomon.jp^ +||a8cv.s-darts.com^ +||a8cv.sabusuta.jp^ +||a8cv.safetycart.jp^ +||a8cv.saitoma.com^ +||a8cv.sakura-forest.com^ +||a8cv.sanix.jp^ +||a8cv.sankyo-fs.jp^ +||a8cv.saraschool.net^ +||a8cv.scheeme.com^ +||a8cv.se-navi.jp^ +||a8cv.second-hand.jp^ +||a8cv.secure.sakura.ad.jp^ +||a8cv.seikatsu-kojo.jp^ +||a8cv.select-type.com^ +||a8cv.selkalabo.com^ +||a8cv.sell.miraias.co.jp^ +||a8cv.setagayarecords.co^ +||a8cv.shadoten.com^ +||a8cv.sharing-tech.co.jp^ +||a8cv.sharing-tech.jp^ +||a8cv.shibarinashi-wifi.jp^ +||a8cv.shibuya-scramble-figure.com^ +||a8cv.shimomoto-cl.co.jp^ +||a8cv.shokubun.ec-design.co.jp^ +||a8cv.shokunosoyokaze.com^ +||a8cv.shop.matsuo1956.jp^ +||a8cv.shop.mintme.jp^ +||a8cv.shop.pixela.jp^ +||a8cv.shop.solve-grp.com^ +||a8cv.sibody.co.jp^ +||a8cv.signalift.com^ +||a8cv.sirusi.jp^ +||a8cv.sl-creations.store^ +||a8cv.slp.partners-re.co.jp^ +||a8cv.smart-shikaku.com^ +||a8cv.smoola.jp^ +||a8cv.snkrdunk.com^ +||a8cv.softbankhikari-collabo.net^ +||a8cv.somresta.jp^ +||a8cv.soundfun.co.jp^ +||a8cv.soyafarm.com^ +||a8cv.spalab-chintai.uk-corp.co.jp^ +||a8cv.spot-pj.com^ +||a8cv.staff-manzoku.co.jp^ +||a8cv.staffagent.co.jp^ +||a8cv.starpeg-music.com^ +||a8cv.store.alpen-group.jp^ +||a8cv.store.ion-e-air.jp^ +||a8cv.store.saneibd.com^ +||a8cv.store.tavenal.com^ +||a8cv.store.tiger-corporation.com^ +||a8cv.store.wiredbeans.jp^ +||a8cv.store.yslabo.net^ +||a8cv.story365.co.jp^ +||a8cv.str.classicmusic.tokyo^ +||a8cv.studycompass.io^ +||a8cv.studycompass.net^ +||a8cv.studygear.evidus.com^ +||a8cv.success-idea.com^ +||a8cv.sumai-surfin.com^ +||a8cv.sunmillion-ikiiki.jp^ +||a8cv.suzaku.or.jp^ +||a8cv.suzette-shop.jp^ +||a8cv.t-bang.jp^ +||a8cv.t-gaia.co.jp^ +||a8cv.taclinic.jp^ +||a8cv.taisyokudaiko.jp^ +||a8cv.tamago-repeat.com^ +||a8cv.taxi-qjin.com^ +||a8cv.techkidsschool.jp^ +||a8cv.tenishokunext.jp^ +||a8cv.tenkuryo.jp^ +||a8cv.tenshinocart.com^ +||a8cv.tmix.jp^ +||a8cv.tokei-syuri.jp^ +||a8cv.toko-navi.com^ +||a8cv.tokutoku-battery.com^ +||a8cv.tokyo-dive.com^ +||a8cv.tokyo-indoorgolf.com^ +||a8cv.tokyogas.bocco.me^ +||a8cv.tomodachi-my.com^ +||a8cv.tomorrow-bright.jp^ +||a8cv.tonyuclub.com^ +||a8cv.toushi-up.com^ +||a8cv.toybox-mnr.com^ +||a8cv.toysub.net^ +||a8cv.treasure-f.com^ +||a8cv.ulp-kyoto.jp^ +||a8cv.unias.jp^ +||a8cv.unico-fan.co.jp^ +||a8cv.untenmenkyo-yi.com^ +||a8cv.urocca.jp^ +||a8cv.usedfun.jp^ +||a8cv.veggie-toreru.jp^ +||a8cv.vieon.co.jp^ +||a8cv.w2solution.co.jp^ +||a8cv.wakan.shop^ +||a8cv.wake.fun^ +||a8cv.waterenergy.co.jp^ +||a8cv.waterserver.co.jp^ +||a8cv.web-planners.net^ +||a8cv.wedding.mynavi.jp^ +||a8cv.wellcrew.net^ +||a8cv.whynot.jp^ +||a8cv.will-agaclinic.com^ +||a8cv.will-gocon.net^ +||a8cv.willfu.jp^ +||a8cv.winkle.online^ +||a8cv.womanmoney.net^ +||a8cv.wordman.jp^ +||a8cv.worker.sukimaworks.app^ +||a8cv.workman.jp^ +||a8cv.worx.jp^ +||a8cv.www.bedstyle.jp^ +||a8cv.www.bigability.co.jp^ +||a8cv.www.bitlock.jp^ +||a8cv.www.chara-ani.com^ +||a8cv.www.club-sincerite.co.jp^ +||a8cv.www.covearth.co.jp^ +||a8cv.www.iropuri.com^ +||a8cv.www.mogecheck.jp^ +||a8cv.www.monologue.watch^ +||a8cv.www.pascaljp.com^ +||a8cv.www.sofastyle.jp^ +||a8cv.www2.sundai.ac.jp^ +||a8cv.xn--1lqs71d2law9k8zbv08f.tokyo^ +||a8cv.xn--eckl3qmbc6976d2udy3ah35b.com^ +||a8cv.xn--hckxam3skb2412b1hxe.com^ +||a8cv.xn--hdks151yx96c.com^ +||a8cv.y-osohshiki.com^ +||a8cv.ya-man.com^ +||a8cv.yakuzaishi.yakumatch.com^ +||a8cv.yakuzaishibestcareer.com^ +||a8cv.yamasa-suppon.com^ +||a8cv.yamato-gp.net^ +||a8cv.yamatokouso.com^ +||a8cv.ygm-clinic.or.jp^ +||a8cv.yobybo-japan.com^ +||a8cv.yohodo.net^ +||a8cv.yokoyamakaban.com^ +||a8cv.yoriso.com^ +||a8cv.you-shoku.net^ +||a8cv.yui.gift^ +||a8cv.yuyu-tei.jp^ +||a8cv.zacc.jp^ +||a8cv.zeroen-denki.com^ +||a8cv.zerorenovation.com^ +||a8cv.zoner.com^ +||a8cv2.vapelog.jp^ +||a8cventry.uqwimax.jp^ +||a8cvhoiku.kidsmate.jp^ +||a8cvtrack.sincere-garden.jp^ +||a8cvtrack.tokai.jp^ +||a8dev.hikarinet-s.com^ +||a8dns.webcircle.co.jp^ +||a8hokuro.ike-sunshine.co.jp^ +||a8itp.bitoka-japan.com^ +||a8itp.skinx-japan.com^ +||a8kotsujiko.ike-sunshine.co.jp^ +||a8live-vote.eventos.work^ +||a8lp-tebiki.e-sogi.com^ +||a8lpclk.club-marriage.jp^ +||a8n.radishbo-ya.co.jp^ +||a8net.augustberg.jp^ +||a8net.beyond-gym.com^ +||a8net.gset.co.jp^ +||a8net.hassyadai.com^ +||a8net.kitamura-print.com^ +||a8net.pg-learning.net^ +||a8net.sourcenext.com^ +||a8netcv.crebiq.com^ +||a8nikibi.ike-sunshine.co.jp^ +||a8onlineshop.trendmicro.co.jp^ +||a8redirect.cart.ec-sites.jp^ +||a8shop.nihon-trim.co.jp^ +||a8sup.chapup.jp^ +||a8tag.emprorm.com^ +||a8tag.suplinx.com^ +||a8tatoo.ike-sunshine.co.jp^ +||a8track.aidmybank.com^ +||a8track.bizdigi.jp^ +||a8track.speakbuddy-personalcoaching.com^ +||a8track.www.pontely.com^ +||a8trck.aisatsujo.com^ +||a8trck.aisatsujo.jp^ +||a8trck.helloactivity.com^ +||a8trck.j-sen.jp^ +||a8trck.sibody.co.jp^ +||a8trck.tolot.com^ +||a8trck.worldone.to^ +||a8trck.ws.formzu.net^ +||a8trk.www.std-lab.jp^ +||a8wakiga.ike-sunshine.co.jp^ +||a8wristcut.ike-sunshine.co.jp^ +||a8x.piece-kaitori.jp^ +||ac.livelty.com^ +||acv.auhikari-norikae.com^ +||acv.aun-air-wifi.com^ +||acv.aun-company.com^ +||acv.aun-n-hikari.com^ +||acv.aun-softbank-hikari.com^ +||acv.biglobe-hikari.net^ +||acv.cmf-hikari.net^ +||acv.crea-lp.com^ +||acv.fletsntt.com^ +||acv.hikariocn.com^ +||acv.hikarisoftbank.com^ +||acv.internet-moushikomi.net^ +||acv.kyushu-internet.com^ +||acv.mc-doctor.net^ +||acv.mc-nurse.net^ +||acv.mc-pharma.net^ +||acv.me-hikari.net^ +||acv.next-air-wifi.com^ +||acv.next-internet.info^ +||acv.nft-hikari.net^ +||acv.pikarahikari.net^ +||acv.softbank-hikaricollabo.com^ +||acv.xn--dckf5a1e821s9i7b.com^ +||acv.xn--lck7b0fy49k9y1b.com^ +||ad-a8.www.zeiri4.com^ +||ad.belleeau.jp^ +||ad.e-dpe.jp^ +||ad.houkei-shinjuku.com^ +||ad.ichiban-boshi.com^ +||ad.ichiru.net^ +||ad.jibunde-esute.com^ +||ad.kirara-support.jp^ +||ad.magokoro-care-shoku.com^ +||ad.rejichoice.jp^ +||ad.shinjuku-mens-chuoh.com^ +||ada8-2.ampleur.jp^ +||ada8.ampleur.jp^ +||ads.dandelionchocolate.jp^ +||af.gmobile.biz^ +||af.shozankan-shop.com^ +||afcv.champ-shop.com^ +||afep.pivn.shop^ +||affa8.hikkoshi-master.com^ +||afficv.lettuce.co.jp^ +||affiliate.couleur-labo.com^ +||affiliate.dietician-family.jp^ +||affiliate.htb-energy.co.jp^ +||affiliate.k-uno.co.jp^ +||affiliate.kgcshop.jp^ +||affiliate.ouchi.coop^ +||affiliate.petitwedding.com^ +||affiliate.taihoshop.jp^ +||affiliate.tripact.jp^ +||afi.biyou.web-marketing.ai^ +||afi.iino.life^ +||afi.school.web-marketing.ai^ +||afi.sougou.web-marketing.ai^ +||afi.ssl.gmobb.jp^ +||ahachi.dietnavi.com^ +||ahachi.dreamdenki.jp^ +||ai.kaishabaikyaku.com^ +||analytics.villagehouse.jp^ +||approach.wise1-golf.com^ +||asp.glasspp119.jp^ +||asp.hachipp119.com^ +||asp.taishokunext.com^ +||aspa8.ozmall.co.jp^ +||car-a8.tabirai.net^ +||click.techtree.jp^ +||clk.entry.surala.jp^ +||clk.glam-print.com^ +||clk.ingage.jp^ +||clk.liberty-e.com^ +||clk.wagon-hire.com^ +||clkcv.biglobehikari-kaisen.com^ +||clkcv.livede55.com^ +||contact.kdg-yobi.com^ +||cosme.caseepo.jp^ +||cp.cp.twendee.jp^ +||cv-match.sharebase.jp^ +||cv.2jikaikun.com^ +||cv.a-cial.com^ +||cv.a-hikkoshi.com^ +||cv.ag.cybersecurity-jp.com^ +||cv.agent-sana.com^ +||cv.atelier-shark.com^ +||cv.b2b.subscription-store.com^ +||cv.bc-force.com^ +||cv.belta-shop.jp^ +||cv.betrading.jp^ +||cv.bikoshaen.com^ +||cv.bloomeelife.com^ +||cv.cante-gym.com^ +||cv.cart.naturath.jp^ +||cv.colleize.com^ +||cv.cp-c21.com^ +||cv.denkichoice.jp^ +||cv.drive-hikari.net^ +||cv.e-tukline.jp^ +||cv.fire-bird.jp^ +||cv.gas-choice.net^ +||cv.h-docomo.com^ +||cv.hanna-saku.jp^ +||cv.hikari.organic^ +||cv.hikkoshizamurai.jp^ +||cv.hoikushi-bosyu.com^ +||cv.homepage-seisaku.jp^ +||cv.ignis.coach^ +||cv.it-kyujin.jp^ +||cv.japan-curtain.jp^ +||cv.jidoumail.com^ +||cv.joggo.jp^ +||cv.just-size.net^ +||cv.kuvings.jp^ +||cv.liability.jp^ +||cv.masteraxis.com^ +||cv.meo.tryhatch.co.jp^ +||cv.michiuru.jp^ +||cv.moena-eatstyle.net^ +||cv.my-lancul.com^ +||cv.nell.life^ +||cv.oiz-care.jp^ +||cv.online.ysroad.co.jp^ +||cv.optimo-slb.com^ +||cv.quocard.jp^ +||cv.rakuten-hikari.net^ +||cv.re-shop.jp^ +||cv.ryoutuki-kyujin.com^ +||cv.shiryoku1.com^ +||cv.stella-s.com^ +||cv.subscription-store.com^ +||cv.sumaho-hoken.jp^ +||cv.taskar.online^ +||cv.tenjin.cc^ +||cv.theatreacademy.info^ +||cv.tokyowork.jp^ +||cv.ui-chiho.clinic^ +||cv.virtualoffice-resonance.jp^ +||cv.web-sana.com^ +||cv.willbefit.jp^ +||cv.wp-avenue.com^ +||cv.www.jobcareer.jp^ +||cv.www.risetokyo.jp^ +||cv.www.rokuzan.net^ +||cv.xn--bcktcvdzde3c.biz^ +||cv.xn--zbs202g.com^ +||cv.zephylrin-x.net^ +||cv1.start-eo.jp^ +||cv1.stefany.co.jp^ +||dwuzxuvwlq.winticket.jp^ +||electricity2.tokyu-ps.jp^ +||ems-a8net-tracking.easy-myshop.jp^ +||herpes2.pa-ruit.jp^ +||investment.lianest.co.jp^ +||itp.yaku-job.com^ +||ja-jp-a8.etudehouse.com^ +||kaden.netoff.co.jp^ +||kikoe.aisei.co.jp^ +||kobetu.grand1corp.com^ +||listing-a8-itp.hello-storage.com^ +||lp.kumamoto4510.com^ +||mvc.shopjapan.co.jp^ +||nccaf.ncc-mens.com^ +||ntt-fletscv.ntt-flets.com^ +||onenet.gakujutsu.com^ +||p004.raffi-hair.com^ +||p005.raffi-hair.com^ +||pages2.rizap.jp^ +||pr.yokohama-chokin.com^ +||rsv.dankore.jp^ +||rsv.pairorder.jp^ +||salto.freeto.jp^ +||sekaopi.nocre.jp^ +||sfcv.chinavi-shop.jp^ +||shop.anu-cosme.com^ +||shopping.cellpure.co.jp^ +||smn.dankore.jp^ +||sokutei.car2828.jp^ +||st-a8.tscubic.com^ +||storea8tracking.alc.co.jp^ +||sub.booksdream-mypage.com^ +||sub.ecd.bookoffonline.co.jp^ +||sub.turningpoint.work^ +||summary.bookoffonline.co.jp^ +||sync-a8.cocolocala.jp^ +||tag.minimaid.co.jp^ +||test.shigoto-web.com^ +||test.zeus-wifi.jp^ +||testa8wifi.dokoyorimo.com^ +||thanks.hubspaces.jp^ +||thanks.olivesitter.com^ +||thanks.tsubaki-musicschool.com^ +||track-v4.ipadpresence.com^ +||track.craudia.com^ +||track.kiafudousan.com^ +||track.xmarketech.com^ +||tracking.196189.com^ +||tracking.lead-plus.jp^ +||traka8.crypto-mall.org^ +||trck-a8.j-depo.com^ +||trck.aeon.co.jp^ +||trck.atnenga.com^ +||trck.flexnet.co.jp^ +||trck.frutafrutashop.com^ +||trck.kenkiya.com^ +||trck.naco-do.com^ +||trck.nuwlnuwl.com^ +||trck.propo.co.jp^ +||trck.repesta.com^ +||trck.rework-s.com^ +||trck.stefany.co.jp^ +||trck02.magaseek.com^ +||trcka8.orobianco-jp.com^ +||trcka8net.bestlens.jp^ +||trcka8net.glens.jp^ +||trcka8net.irobot-jp.com^ +||trcka8net.lenszero.com^ +||trcka8net.qieto.net^ +||web.collaboration-access.com^ +||web.hikari-ocn.com^ +||web.hikari-softbank.com^ +||web.life-cw.com^ +||webtest.lpio.jp^ +||yoiku-sub.yoiku.support^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_plausible.txt *** +! easyprivacy_specific_cname_plausible.txt +! plausible.io cname (https://plausible.io/docs/custom-domain) +! Removed: +! ||stats.trimbles.ie^ +! ||stats.suenicholls.com^ +! +! Company name: Plausible Analytics https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/plausible-analytics.txt +! +! custom.plausible.io disguised trackers +! +! Company name: Plausible Analytics +||a-api.skz.dev^ +||a.aawp.de^ +||a.iiro.dev^ +||a.linkz.ai^ +||also.greatsecuritydebate.net^ +||an.xavierrosee.com^ +||analytics.adam.page^ +||analytics.andrewsmith.com.au^ +||analytics.arunraghavan.net^ +||analytics.basistheory.com^ +||analytics.betterplaces.nl^ +||analytics.certifriedit.com^ +||analytics.chattarize.de^ +||analytics.churchthemes.com^ +||analytics.codeforscience.org^ +||analytics.codeskulptor.org^ +||analytics.eikko.ai^ +||analytics.ericafischerphotography.com^ +||analytics.gamedatacrunch.com^ +||analytics.geekyminds.net^ +||analytics.hambleden-capital.com^ +||analytics.hiome.com^ +||analytics.kerns.co^ +||analytics.lifestyledemocracy.com^ +||analytics.littlekingdesigns.com^ +||analytics.lunge.de^ +||analytics.mambaui.com^ +||analytics.mc500.info^ +||analytics.multithread.studio^ +||analytics.mycater.fr^ +||analytics.naturequant.com^ +||analytics.qualityquestions.co^ +||analytics.ramiyer.io^ +||analytics.ramiyer.me^ +||analytics.recamov.com^ +||analytics.sideprojectsoftware.com^ +||analytics.sixfigureswine.com^ +||analytics.teamcovenant.com^ +||analytics.top10-charts.com^ +||analytics.trust.page^ +||analytics.uxmetrics.com^ +||analytics.valheimgamer.com^ +||analytics.vanilla-project.guide^ +||analytics.wayland.app^ +||analytics.whostheboss.co.uk^ +||analytics.whotargets.me^ +||analytics.winter.ink^ +||analytics.xiloc.net^ +||analytics.zevvle.com^ +||antitracking.owncast.online^ +||api.digitalpiloten.org^ +||api.elliehuxtable.com^ +||api.fuck.education^ +||api.ryanyao.design^ +||apis.4bn.xyz^ +||app-stats.supernotes.app^ +||artistchristinacarmel.ericksonbuilt.com^ +||assets.garron.blog^ +||assets.garron.me^ +||assets.mikeroulston.com^ +||assets.modeathletics.com^ +||assets.modehypertext.com^ +||aux.lansator.ro^ +||badwolf.open-election-compass.com^ +||besucher.nona.de^ +||bob.gitclear.com^ +||btstats.benakt.com^ +||cats.d20.rs^ +||cdn.arcstudiopro.com^ +||channelwatcher.panda.tech^ +||cheese.guac.live^ +||churro.noteapps.info^ +||count.gothaer-digital.de^ +||counter.cropvid.com^ +||counter.proxycrawl.com^ +||counter.subtitlebee.com^ +||counter.websitevoice.com^ +||cp.phiilu.com^ +||datum.appfleet.com^ +||ds.webprojectslab.com^ +||eliteclng.ericksonbuilt.com^ +||events.mikescerealshack.co^ +||explore.bytelab.uk^ +||external.techopian.com^ +||extramilefloorcare.ericksonbuilt.com^ +||f8phvntohv.tpetry.me^ +||galop.leferacheval-saintcloud.com^ +||hej.henriksommerfeld.se^ +||hi.koalendar.com^ +||hi.streetworkoutlist.com^ +||hola.xebel.co^ +||hstats.askmiso.com^ +||hurricane.tinybird.co^ +||info.bestbudgetapps.com^ +||informatics.filamentcolors.xyz^ +||insights.affilimate.com^ +||jinx.skullctf.com^ +||joy.ochronus.online^ +||kaladyaudiology.ericksonbuilt.com^ +||kingsandqueens.splowser.com^ +||l.lilyzhou.com^ +||l2k30jsa.theochu.com^ +||lkj23jlkajsa.realestate.help^ +||log.rhythmtowers.com^ +||loggychops.paulsmith.site^ +||logs.theccaa.com^ +||lytics.findairpods.com^ +||marsupial.roleup.com^ +||meter.bref.sh^ +||metric.methoddev.com^ +||metrics.creit.tech^ +||metrics.earrieta.dev^ +||metrics.recunia.de^ +||momotaro.craigmod.com^ +||momotaro.walkkumano.com^ +||munnin.hicsuntdra.co^ +||noushe.zevvle.com^ +||numbers.monthlyphotos.com^ +||nums.upscale.app^ +||p.classroombookings.com^ +||p.ejs.dev^ +||p.fairspot.host^ +||p.ianmjones.com^ +||p.iforge.app^ +||p.logbox.io^ +||p.marqueplace.com^ +||p.meilentrio.de^ +||p.ryanhalliday.com^ +||p.versacommerce.de^ +||p.victoria.dev^ +||p.viennaandbailey.co.nz^ +||p.wren.co^ +||p.www.viertaxa.com^ +||pa-stats.encore.dev^ +||pa.opqr.co^ +||pa.travelwhiz.app^ +||peards.zevvle.com^ +||pine.clk.click^ +||pine.nervecentral.com^ +||ping.naturadapt.com^ +||ping.resoluteoil.com^ +||pl.1feed.app^ +||pl.astro-akatemia.fi^ +||pl.astro.fi^ +||pl.carbon-tab.ethan.link^ +||pl.codetheweb.blog^ +||pl.ethan.link^ +||pl.fashmoms.com^ +||pl.getfamealy.com^ +||pl.hackathon-makers.com^ +||pl.hitthefrontpage.com^ +||pl.kanbanmail.app^ +||pl.kis-nagy.art^ +||pl.maya-astro.fi^ +||pl.mynorthstarapp.com^ +||pl.terraintinker.com^ +||pl.venusafe.com^ +||pl.volunteeringhb.org.nz^ +||pl.weinshops.online^ +||pla.wigglepixel.nl^ +||plan.devbyexample.com^ +||plans.fundtherebuild.com^ +||plas.imfeld.dev^ +||plau.artemsyzonenko.com^ +||plau.caisy.io^ +||plau.devitjobs.nl^ +||plau.devitjobs.uk^ +||plau.devitjobs.us^ +||plau.devjob.ro^ +||plau.germantechjobs.de^ +||plau.swissdevjobs.ch^ +||plauplauplau.app.budg.co^ +||plauplauplau.budg.co^ +||plaus.outpost.pub^ +||plaus.pentserv.com^ +||plausdj2ajskljzx0ikwkiasible.ethics.info^ +||plausibel.ablis.net^ +||plausible-stats.tangodelta.media^ +||plausible.adreform.com^ +||plausible.alexandar.me^ +||plausible.alpaga.io^ +||plausible.app.kdojang.com^ +||plausible.app.tlschedule.com^ +||plausible.bablab.com^ +||plausible.bacanalia.net^ +||plausible.baychi.org^ +||plausible.beanti.me^ +||plausible.benscarblog.com^ +||plausible.bostad.shop^ +||plausible.buildfirst.tech^ +||plausible.campwire.com^ +||plausible.canpoi.com^ +||plausible.conveyal.com^ +||plausible.corbettbarr.com^ +||plausible.countingindia.com^ +||plausible.dailytics.com^ +||plausible.deploymentfromscratch.com^ +||plausible.dev.logicboard.com^ +||plausible.dingran.me^ +||plausible.doctave.com^ +||plausible.ejs.dev^ +||plausible.eurostocks.nl^ +||plausible.exploreandcreate.com^ +||plausible.external.sine.foundation^ +||plausible.f1laps.com^ +||plausible.factly.in^ +||plausible.flowcv.io^ +||plausible.getlean.digital^ +||plausible.giveatip.io^ +||plausible.goldanger.de^ +||plausible.golfbreaks.com^ +||plausible.gryka.net^ +||plausible.gymglish.com^ +||plausible.haltakov.net^ +||plausible.help.exploreandcreate.com^ +||plausible.holderbaum-academy.de^ +||plausible.hopecanebay.com^ +||plausible.ionicelements.dev^ +||plausible.jeroenvandenboorn.nl^ +||plausible.joinself.com^ +||plausible.k6sbw.net^ +||plausible.kabaret.no^ +||plausible.kdojang.com^ +||plausible.kundenportal.io^ +||plausible.lesbianromantic.com^ +||plausible.logicboard.com^ +||plausible.mattpruitt.com^ +||plausible.mcj.co^ +||plausible.myvirtualsuper.com^ +||plausible.nickmazuk.com^ +||plausible.nmyvsn.net^ +||plausible.nuqu.org^ +||plausible.promlens.com^ +||plausible.prufit.co^ +||plausible.pumpkint.com^ +||plausible.quantumcomputingexplained.com^ +||plausible.quo.wtf^ +||plausible.rachel.systems^ +||plausible.reabra.com.br^ +||plausible.redchamp.net^ +||plausible.regex.help^ +||plausible.retune.de^ +||plausible.sbw.org^ +||plausible.shadygrovepca.org^ +||plausible.simplelogin.io^ +||plausible.srijn.net^ +||plausible.starlegacyfoundation.org^ +||plausible.strzibny.name^ +||plausible.sysloun.cz^ +||plausible.tac.dappstar.io^ +||plausible.tasteslikeme.ca^ +||plausible.tlschedule.com^ +||plausible.treelightsoftware.com^ +||plausible.urbanekuensteruhr.de^ +||plausible.veszelovszki.com^ +||plausible.visitu.com^ +||plausible.viteshot.com^ +||plausible.west.io^ +||plausible.x.baychi.org^ +||plausible.yalepaprika.com^ +||plausible.zest.dev^ +||plausible.zorin.com^ +||pls.ambue.com^ +||pls.fcrpg.net^ +||pls.skycastle.dev^ +||plsbl-staging.edison.se^ +||plsbl.edison.se^ +||prism.drivingkyoto.com^ +||prism.feurer-network.ch^ +||prism.netherlandlines.com^ +||prism.pablonouvelle.com^ +||prism.raumgleiter.com^ +||prism.singapouring.com^ +||prism.tramclockmunich.com^ +||pstat.akathists.com^ +||pstat.goodremotejobs.com^ +||pstats.cloudpal.app^ +||reddwarf.till-sanders.de^ +||reporting.autographapp.me^ +||retention.ankidecks.com^ +||s.allbootdisks.com^ +||s.cameratico.com^ +||s.crackedthecode.co^ +||s.cuoresportivo.no^ +||s.cybercompass.io^ +||s.ergotherapieblog.de^ +||s.fission.codes^ +||s.fraservotes.com^ +||s.freelanceratecalculator.com^ +||s.glimesh.tv^ +||s.innoq.com^ +||s.inspectelement.co^ +||s.leolabs.org^ +||s.mannes.tech^ +||s.maxrozen.com^ +||s.nerdfulmind.com^ +||s.repguard.uk^ +||s.saucisson-rebellion.fr^ +||s.sporks.space^ +||s.stgeorgeafc.com.au^ +||s.testingreactjs.com^ +||s.useeffectbyexample.com^ +||s.vucko.co^ +||sa.flux.community^ +||sats.mailbrew.com^ +||see.wasteorshare.com^ +||server.japanbyrivercruise.com^ +||server.olliehorn.com^ +||site-stats.supernotes.app^ +||sp.ballsdigroup.com^ +||sp.gameomatic.fr^ +||sp.jrklein.com^ +||sp.soniccares.com^ +||sp.spaceomatic.fr^ +||sp.wvoil.com^ +||st.anastasija.lt^ +||st.picshuffle.com^ +||st.preciousamber.com^ +||st.tulastudio.se^ +||starman.floorcleanse.co.uk^ +||stat.bill.harding.blog^ +||stat.landingpro.pl^ +||stat.recklesslove.co.za^ +||stat.umsu.de^ +||static.osalta.eu^ +||statistic.jac-systeme.de^ +||statistics.heatbeat.de^ +||statistik.apartments-tirolerhaus.at^ +||statman.sesong.info^ +||stats.69grad.de^ +||stats.acadevor.com^ +||stats.achtsame-yonimassage.de^ +||stats.activityvault.io^ +||stats.adlperformance.es^ +||stats.aixbrain.de^ +||stats.albert-kropp-gmbh.de^ +||stats.alibhai.co^ +||stats.alleaktien.de^ +||stats.alocreativa.com^ +||stats.am.ai^ +||stats.amaeya.media^ +||stats.amiibo.life^ +||stats.andrewlevinson.me^ +||stats.appcessible.org^ +||stats.arquido.com^ +||stats.artisansfiables.fr^ +||stats.artistchristinacarmel.com^ +||stats.asmodee.net^ +||stats.astrr.ru^ +||stats.asymptotic.io^ +||stats.auto-dombrowski.de^ +||stats.autofarm.network^ +||stats.bananatimer.com^ +||stats.bcdtravel.com^ +||stats.beanr.coffee^ +||stats.beatricew.com^ +||stats.beausimensen.com^ +||stats.belic.si^ +||stats.benui.ca^ +||stats.bernardobordadagua.com^ +||stats.bertwagner.com^ +||stats.bestservers.co^ +||stats.bholmes.dev^ +||stats.bikeschool.co.za^ +||stats.bimbase.nl^ +||stats.bitpost.app^ +||stats.blackbird-automotive.com^ +||stats.blackblog.cz^ +||stats.blockleviton.com^ +||stats.blog.catholicluv.com^ +||stats.blog.codingmilitia.com^ +||stats.blog.merckx.fr^ +||stats.blog.sean-wright.com^ +||stats.blog.sublimesecurity.com^ +||stats.bloke.blog^ +||stats.bmxdevils.be^ +||stats.book-rec.com^ +||stats.booncon.com^ +||stats.boscabeatha.ie^ +||stats.bostonedtech.org^ +||stats.breathly.app^ +||stats.brennholzauktion.com^ +||stats.briskoda.net^ +||stats.broddin.be^ +||stats.brumtechtapas.co.uk^ +||stats.buddiy.net^ +||stats.bungeefit.co.uk^ +||stats.burocratin.com^ +||stats.byma.com.br^ +||stats.byterocket.dev^ +||stats.cable.tech^ +||stats.callum.fyi^ +||stats.carrot2.org^ +||stats.carrotsearch.com^ +||stats.caseydunham.com^ +||stats.cassidyjames.com^ +||stats.catholicluv.com^ +||stats.centralswindonnorth-pc.gov.uk^ +||stats.cfcasts.com^ +||stats.chadly.net^ +||stats.changelog.com^ +||stats.chomp.haus^ +||stats.chronoslabs.net^ +||stats.cinqsecondes.fr^ +||stats.citizenos.com^ +||stats.clavisaurea.xyz^ +||stats.cleverdiabetic.com^ +||stats.cloud-backup-for-podio.com^ +||stats.coachinghive.com^ +||stats.code-it-studio.de^ +||stats.codinginfinity.me^ +||stats.codis.io^ +||stats.coditia.com^ +||stats.cohere.so^ +||stats.coldbox.org^ +||stats.connect.pm^ +||stats.convaise.com^ +||stats.corona-navi.de^ +||stats.covid.vitordino.com^ +||stats.craftybase.com^ +||stats.creativinn.com^ +||stats.crema.fi^ +||stats.cremashop.eu^ +||stats.cremashop.se^ +||stats.crewebo.de^ +||stats.crypdit.com^ +||stats.cryptmail.io^ +||stats.curbnumberpro.com^ +||stats.curtiscummings.me^ +||stats.dailyposter.com^ +||stats.danestevens.dev^ +||stats.danielwolf.photography^ +||stats.danner-landschaftsbau.at^ +||stats.dashbit.co^ +||stats.davidlms.com^ +||stats.davydepauw.be^ +||stats.dawn.md^ +||stats.declanbyrd.co.uk^ +||stats.deja-lu.de^ +||stats.depends-on-the-definition.com^ +||stats.develop.wwdcscholars.com^ +||stats.devenet.eu^ +||stats.devenet.info^ +||stats.devetkomentara.net^ +||stats.devrain.io^ +||stats.devskills.co^ +||stats.dexie.me^ +||stats.dflydev.com^ +||stats.diarmuidsexton.com^ +||stats.digiexpert.store^ +||stats.dillen.dev^ +||stats.divyanshu013.dev^ +||stats.dmail.co.nz^ +||stats.dmarcdigests.com^ +||stats.doana-r.com^ +||stats.doors.live^ +||stats.dotnetos.org^ +||stats.dotplan.io^ +||stats.doublejones.com^ +||stats.dreher-dreher.eu^ +||stats.drsaavedra.mx^ +||stats.dt-esthetique.ch^ +||stats.duetcode.io^ +||stats.earlygame.com^ +||stats.editorhawes.com^ +||stats.eedistudio.ie^ +||stats.eightyfourrooms.com^ +||stats.einsvieracht.de^ +||stats.ekomenyong.com^ +||stats.elementary.io^ +||stats.eliteclng.com^ +||stats.elixir-lang.org^ +||stats.elysenewland.com^ +||stats.emailrep.io^ +||stats.emk.at^ +||stats.emmah.net^ +||stats.emmas.site^ +||stats.engel-apotheke.de^ +||stats.engeldirekt.de^ +||stats.equium.io^ +||stats.erikinthekitchen.com^ +||stats.erlef.org^ +||stats.evenchilada.com^ +||stats.executebig.org^ +||stats.extramilefloorcare.com^ +||stats.eyehelp.co^ +||stats.fabiofranchino.com^ +||stats.faluninfo.at^ +||stats.faluninfo.ba^ +||stats.faluninfo.mk^ +||stats.faluninfo.rs^ +||stats.faluninfo.si^ +||stats.fastbackward.app^ +||stats.felipesere.com^ +||stats.femtobill.com^ +||stats.ferienwohnung-dombrowski.com^ +||stats.finalrabiesgeneration.org^ +||stats.findvax.us^ +||stats.flightsphere.com^ +||stats.florianfritz.net^ +||stats.flowphantom.com^ +||stats.frantic.im^ +||stats.frenlo.com^ +||stats.fs4c.org^ +||stats.fundimmo.com^ +||stats.fungus.computer^ +||stats.galeb.org^ +||stats.galleriacortona.com^ +||stats.geobox.app^ +||stats.gesund-vital-lebensfreude.com^ +||stats.getdoks.org^ +||stats.gethyas.com^ +||stats.getpickaxe.com^ +||stats.ghinda.com^ +||stats.glassmountains.co.uk^ +||stats.glyphs.fyi^ +||stats.gnalt.de^ +||stats.goldsguide.com^ +||stats.gounified.com^ +||stats.graphql-api.com^ +||stats.gras-system.org^ +||stats.gravitaswins.com^ +||stats.greatlakesdesign.co^ +||stats.groupconsent.eu^ +||stats.gslc.utah.edu^ +||stats.gtnetworks.com^ +||stats.guersanguillaume.com^ +||stats.guidingwallet.app^ +||stats.gynsprechstunde.de^ +||stats.hackershare.dev^ +||stats.halcyon.hr^ +||stats.hammertime.me^ +||stats.hauke.me^ +||stats.headhunted.com.au^ +||stats.henkverlinde.com^ +||stats.homepage-2021.askmiso-dev.com^ +||stats.homestow.com^ +||stats.hpz-scharnhausen.de^ +||stats.htmlcsstoimage.com^ +||stats.htp.org^ +||stats.hugoreeves.com^ +||stats.huysmanbouw.be^ +||stats.iamzero.dev^ +||stats.ibuildings.net^ +||stats.igassmann.me^ +||stats.igor4stir.com^ +||stats.in-tuition.net^ +||stats.incoming.co^ +||stats.increasinglyfunctional.com^ +||stats.indyhall.org^ +||stats.infoboard.de^ +||stats.innoq.com^ +||stats.instabudget.app^ +||stats.interactjs.io^ +||stats.interruptor.pt^ +||stats.intheloop.dev^ +||stats.intothebox.org^ +||stats.invoice.orballo.dev^ +||stats.ipadhire.co.nz^ +||stats.isabelsommerfeld.com^ +||stats.iscc-system.org^ +||stats.isthispoisonivy.website^ +||stats.ivs.rocks^ +||stats.jackwhiting.co.uk^ +||stats.jamesevers.co.uk^ +||stats.jamesilesantiques.com^ +||stats.jamhouse.app^ +||stats.jansix.at^ +||stats.jasonludden.dev^ +||stats.jdheyburn.co.uk^ +||stats.jerickson.net^ +||stats.jhsheridan.com^ +||stats.jjude.com^ +||stats.joaopedro.dev^ +||stats.jsbible.com^ +||stats.jtrees.io^ +||stats.jun-etan.com^ +||stats.justinwilliams.ca^ +||stats.kaladyaudiology.com^ +||stats.katharinascheitz.com^ +||stats.keirwhitaker.com^ +||stats.kendix.org^ +||stats.kensho.com^ +||stats.kettlebellbundle.com^ +||stats.kfcsint-lenaartsjeugd.be^ +||stats.klj-consult.com^ +||stats.knowkit.cloud^ +||stats.kod.ru^ +||stats.koehrer.de^ +||stats.koerner-logopaedie.de^ +||stats.kongressen.com^ +||stats.krauss.io^ +||stats.kryptoslogic.com^ +||stats.ks-labs.de^ +||stats.kyushoku2050.org^ +||stats.labibli.com^ +||stats.laptopsin.space^ +||stats.lastfm.matthiasloibl.com^ +||stats.latehours.net^ +||stats.lauracpa.ca^ +||stats.laxallstars.com^ +||stats.leaguestats.gg^ +||stats.leahcollection.com^ +||stats.learnlinux.tv^ +||stats.leavetrackapp.com^ +||stats.lefthoek.com^ +||stats.legendofnom.com^ +||stats.leoloso.com^ +||stats.lica.at^ +||stats.lik.fr^ +||stats.limitlessnetworks.eu^ +||stats.lippeshirts.de^ +||stats.literacysomerset.org^ +||stats.literaturkreis.online^ +||stats.lmdsp.com^ +||stats.localmetravel.com^ +||stats.lord.io^ +||stats.lstfnd.de^ +||stats.ltdhunt.com^ +||stats.luieremmer.net^ +||stats.lussoveloce.com^ +||stats.lyricall.cz^ +||stats.macosicons.com^ +||stats.madethis.gallery^ +||stats.maferland.com^ +||stats.magarantie5ans.fr^ +||stats.makerr.market^ +||stats.makingknown.xyz^ +||stats.maklerupdate.de^ +||stats.malte-bartels.de^ +||stats.martinbetz.eu^ +||stats.martyntaylor.com^ +||stats.mashword.com^ +||stats.mastermeup.com^ +||stats.masterybits.com^ +||stats.matthiasloibl.com^ +||stats.maximaconsulting.xyz^ +||stats.meetnfly.com^ +||stats.mein-futterlexikon.org^ +||stats.memberdrive.org^ +||stats.meno.science^ +||stats.mesenvies.fr^ +||stats.michaeloliver.dev^ +||stats.micv.works^ +||stats.missionrabies.com^ +||stats.moco-comics.com^ +||stats.mostlycoding.com.au^ +||stats.motion-effect.com^ +||stats.motorcyclepartsireland.ie^ +||stats.mrtnvh.com^ +||stats.multiplelenses.com^ +||stats.multiply.cloud^ +||stats.musicuniverse.education^ +||stats.myherocard.com^ +||stats.napaconnect.ca^ +||stats.navedislam.com^ +||stats.nddmed.com^ +||stats.nerdbusiness.com^ +||stats.newslit.co^ +||stats.nexagon.dk^ +||stats.nodewood.com^ +||stats.nonprofit.foundation^ +||stats.nothingbutnylon.com^ +||stats.nullsecure.com^ +||stats.nytecomics.com^ +||stats.obiit.co^ +||stats.obokat.se^ +||stats.odysseeseine.org^ +||stats.officefoosball.com^ +||stats.oldtinroof.com^ +||stats.oliveoil.pro^ +||stats.onepagelove.com^ +||stats.orbitalhealth.co^ +||stats.ordinarypuzzles.com^ +||stats.ortussolutions.com^ +||stats.osiemsiedem.com^ +||stats.otsohavanto.net^ +||stats.outpostdemo.com^ +||stats.ownpath.xyz^ +||stats.owre.se^ +||stats.p42.ai^ +||stats.parqet.com^ +||stats.parrot.dev^ +||stats.passwordyeti.com^ +||stats.pasteapp.io^ +||stats.pastorwagner.com^ +||stats.patout.dev^ +||stats.patriot.win^ +||stats.paulronge.se^ +||stats.paysagistes.pro^ +||stats.pebkac.io^ +||stats.pendleratlas.de^ +||stats.perpetual.pizza^ +||stats.petanode.com^ +||stats.petr.codes^ +||stats.phili.pe^ +||stats.philjava.com^ +||stats.photographer.com.au^ +||stats.pinoymusicstation.com^ +||stats.piplette.co^ +||stats.pitstone.co.uk^ +||stats.plainsending.com^ +||stats.planxti.com^ +||stats.poesieundgenuss.com^ +||stats.pointflottant.com^ +||stats.polekatfitness.com^ +||stats.poochplaces.dog^ +||stats.portalmonitor.io^ +||stats.postcollectors.com^ +||stats.poweringpastcoal.org^ +||stats.preeventualist.org^ +||stats.pri.org^ +||stats.pricewell.io^ +||stats.principedepaz.gt^ +||stats.print.work^ +||stats.processserver101.com^ +||stats.procumeni.cz^ +||stats.prodtype.com^ +||stats.profilehunt.net^ +||stats.profitablesignpricing.com^ +||stats.projectcongress.com^ +||stats.psychotherapieravensburg.de^ +||stats.pubfind.io^ +||stats.qovery.com^ +||stats.quicksilvercre.com^ +||stats.radicaldata.org^ +||stats.radicalweb.design^ +||stats.rasulkireev.com^ +||stats.reactician.com^ +||stats.readng.co^ +||stats.redlabelsports.com^ +||stats.redpandabooks.com^ +||stats.referralhero.com^ +||stats.rehaag-immobilien.de^ +||stats.reisemobil.pro^ +||stats.remotebear.io^ +||stats.reprage.com^ +||stats.respkt.de^ +||stats.reto.tv^ +||stats.revitfamily.app^ +||stats.rideinpeace.ie^ +||stats.rightourhistoryhawaii.com^ +||stats.robotika.ax^ +||stats.rocketvalidator.com^ +||stats.roderickduenas.com^ +||stats.ruhrfestspiele.de^ +||stats.rymawby.com^ +||stats.s-zt.at^ +||stats.sakurasky.com^ +||stats.sapnininkas.com^ +||stats.sascha-theobald.de^ +||stats.savoirplus-risquermoins.net^ +||stats.sax.net^ +||stats.scailable.net^ +||stats.scalesql.com^ +||stats.scottbartell.com^ +||stats.screenagers.com^ +||stats.screenwavemedia.com^ +||stats.seanbailey.dev^ +||stats.sebastiandombrowski.de^ +||stats.sebastiangale.ca^ +||stats.selectam.io^ +||stats.sendngnt.com^ +||stats.servicedesignjobs.com^ +||stats.seva.rocks^ +||stats.sexplore.app^ +||stats.shareup.app^ +||stats.shepherd.com^ +||stats.shh.io^ +||stats.shiftx.com^ +||stats.simplinetworks.com^ +||stats.sirdata.com^ +||stats.sixseven.at^ +||stats.ski.com^ +||stats.slicedthread.com^ +||stats.socialeurope.eu^ +||stats.soundbite.so^ +||stats.southswindon-pc.gov.uk^ +||stats.sparkloop.app^ +||stats.spreadtheworld.net^ +||stats.sprune.com^ +||stats.sqlteam.com^ +||stats.stack11.io^ +||stats.stackingthebricks.com^ +||stats.stacks.org^ +||stats.staging.hex.pm^ +||stats.steuer-soldaten.de^ +||stats.strawberry.rocks^ +||stats.studypages.com^ +||stats.sublimesecurity.com^ +||stats.suniboy.com^ +||stats.suominaikidoacademy.com^ +||stats.sushibyte.io^ +||stats.svemir.co^ +||stats.symbiofest.cz^ +||stats.tarasyarema.com^ +||stats.tax-venture.de^ +||stats.teamdetails.com^ +||stats.tedserbinski.com^ +||stats.teenranch.com^ +||stats.tekin.co.uk^ +||stats.terre-compagne.fr^ +||stats.textprotocol.org^ +||stats.theiere-tasse.com^ +||stats.thelandofar.be^ +||stats.thenewradiance.com^ +||stats.thingsthatkeepmeupatnight.dev^ +||stats.thomasbandt.com^ +||stats.thomasvitale.com^ +||stats.tijdschrift.zenleven.nl^ +||stats.time2unfold.com^ +||stats.timkhoury.com^ +||stats.timmo.immo^ +||stats.tinkerer.tools^ +||stats.tl8.io^ +||stats.tms-development.com^ +||stats.tms-development.de^ +||stats.tms-institut.de^ +||stats.tnc.sc^ +||stats.toiletmap.org.uk^ +||stats.training.fit^ +||stats.travelfodder.com^ +||stats.trenntoi.de^ +||stats.tresor.one^ +||stats.trigo.at^ +||stats.trussed.dev^ +||stats.tubecalculator.co.uk^ +||stats.twhl.xyz^ +||stats.ubiwiz.com^ +||stats.unka.space^ +||stats.unusualtourist.com^ +||stats.urbanfinn.com^ +||stats.urlaubsverwaltung.cloud^ +||stats.useeffect.dev^ +||stats.uxtools.co^ +||stats.v4.agirpourlenvironnement.org^ +||stats.vanityprojects.com^ +||stats.vdsnow.ru^ +||stats.vican.me^ +||stats.visions.ch^ +||stats.voltimum.com^ +||stats.wachstum.at^ +||stats.walkiees.co.uk^ +||stats.websnap.app^ +||stats.wecodeni.com^ +||stats.wellbeyond.com^ +||stats.westswindon-pc.gov.uk^ +||stats.whenpigsflybbq.com^ +||stats.whereisit5pmrightnow.com^ +||stats.wordvested.org^ +||stats.world.hey.com^ +||stats.wvs.org.uk^ +||stats.wvsindia.org^ +||stats.wwdcscholars.com^ +||stats.www.agirpourlenvironnement.org^ +||stats.wymanmobilenotary.com^ +||stats.xactcode.com^ +||stats.xn--antnio-dxa.pt^ +||stats.zimri.net^ +||statystyki.ekspertyzy-szkolenia.pl^ +||sts.authramp.com^ +||sts.eliasjarzombek.com^ +||sts.papyrs.com^ +||sts.tour-europe.org^ +||stts.sgab-srfp.ch^ +||stts.swisshranalytics.ch^ +||t.lastcast.fm^ +||tics.cortex.gg^ +||tics.seeker.gg^ +||tics.techdirt.com^ +||tipstats.onepagelove.com^ +||tock.weg.plus^ +||track.slickinbox.com^ +||traffic.hostedstatus.page^ +||traffic.taktikal.is^ +||triton.companyegg.com^ +||varys.asongofzandc.xyz^ +||views.emikajewelry.com^ +||views.ericcapella.com^ +||views.sikerlogistics.com^ +||views.sikerproducts.com^ +||views.wioks.com^ +||visitorcenter.ioafw.com^ +||visitorcenter.srwild.com^ +||visitors.gigianddavid.com^ +||vitals.cgddrd.me^ +||we-love-privacy.humane.club^ +||webstats.bijenpatel.com^ +||yolo.philipbjorge.com^ +||zahlen.olereissmann.de^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_tracedock.txt *** +! easyprivacy_specific_cname_tracedock.txt +! Company name: TraceDock https://github.com/AdguardTeam/cname-trackers/blob/master/data/microsites/tracedock.txt +! +||2tty.overstappen.nl^ +||api.bunzlaucastle.com^ +||app1.maatwerkonline.nl^ +||bc.semwerkt.nl^ +||box.bossdata.be^ +||cms.hardloopaanbiedingen.nl^ +||ee.impactextend.dk^ +||erp.qwic.nl^ +||host11.traffic-builders.com^ +||o2.ikontwerpflyers.nl^ +||s1.carnext.com^ +||s4.parkeren-amsterdam.com^ +||s4.parkeren-haarlem.nl^ +||s4.parkeren-utrecht.nl^ +||tdep.bunzlonline.nl^ +||tdep.growwwdigital.com^ +||tdep.sdim.nl^ +||tdep.suncamp.be^ +||tdep.suncamp.de^ +||tdep.suncamp.nl^ +||tdep.suncamp.pl^ +||tdep.teamnijhuis.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_at-internet.txt *** +! easyprivacy_specific_cname_at-internet.txt +! +! at-o.net https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/at-internet-(formerly-xiti).txt +! Removed due to dubes +! www.strawberry.basf.com +! +||71efe2183b8663ad5bf9d7a9320aeb48.leboncoin.fr^ +||a.20minutes.fr^ +||a.hellowork.com^ +||a.pourquoidocteur.fr^ +||a1.api.bbc.co.uk^ +||a1.api.bbc.com^ +||abncx.amv.fr^ +||ama.planet-wissen.de^ +||ama.quarks.de^ +||ama.wdr.de^ +||ama.wdrmaus.de^ +||ana.tv5unis.ca^ +||arrietty.nrj.fr^ +||at-cddc.actu-juridique.fr^ +||at.badische-zeitung.de^ +||atconnect.npo.nl^ +||ati-a1.946d001b783803c1.xhst.bbci.co.uk^ +||ati.sazka.cz^ +||aud.banque-france.fr^ +||avocado.laprovence.com^ +||avp.labanquepostale.fr^ +||blava.viessmann.sk^ +||brickworks.viessmann.sg^ +||buf.lemonde.fr^ +||c0012.brsimg.com^ +||checkpointcharlie.heizung.de^ +||chihiro.nostalgie.fr^ +||col.casa.it^ +||col.idealista.com^ +||col.idealista.it^ +||col.idealista.pt^ +||col.rentalia.com^ +||collect.meilleurtaux.com^ +||conimicutlighthouse.viessmann-us.com^ +||content.kleinezeitung.at^ +||crocetta.viessmann.it^ +||culture.intermedes.com^ +||d.deloitte.fr^ +||d.m-net.de^ +||d.santemagazine.fr^ +||d.uni-medias.com^ +||da.freo.nl^ +||da.maif.fr^ +||da.rabobank.nl^ +||dfr.deloitte.com^ +||dimensions.mappy.com^ +||donjigrad.viessmann.rs^ +||drau.viessmann.si^ +||epwa.europarl.europa.eu^ +||fabryczna.viessmann.pl^ +||faucons.viessmann.fr^ +||hal.courrierinternational.com^ +||hd.pe.fr^ +||hmg.handelsblatt.com^ +||hmg.wiwo.de^ +||hrbitov.viessmann.cz^ +||image.ard.de^ +||image.mdr.de^ +||images.kika.de^ +||insights.biallo.de^ +||insights.sport1.de^ +||johannes.voith.com^ +||kallerupstone.viessmann.dk^ +||kiki.rireetchansons.fr^ +||kistacity.viessmann.se^ +||lem.nouvelobs.com^ +||mediniku.viessmann.lt^ +||mefo1.zdf.de^ +||mkt.usz.ch^ +||montpalatin.handicap.fr^ +||pear.ca-eko-globetrotter.fr^ +||ponyo.cheriefm.fr^ +||protys.protys.fr^ +||res.elle.fr^ +||res.femina.fr^ +||res.franc-tireur.fr^ +||res.marianne.net^ +||res.programme-television.org^ +||res.public.fr^ +||ressources.annoncesbateau.com^ +||ressources.argusassurance.com^ +||ressources.caradisiac.com^ +||ressources.centraleauto.com^ +||ressources.lacentrale.fr^ +||ressources.lagazette.com^ +||ressources.lemoniteur.com^ +||ressources.lsa.fr^ +||ressources.mavoiturecash.fr^ +||ressources.promoneuve.fr^ +||ressources.usine-digitale.com^ +||ressources.usine-nouvelle.com^ +||rsc.lepoint.fr^ +||salzwerk.viessmann.de^ +||selvi.viessmann.com.tr^ +||severn.viessmann.co.uk^ +||sheeta.nrj-play.fr^ +||st1.lg.avendrealouer.fr^ +||steinbackhaus.viessmann.com^ +||steinernehaus.viessmann.at^ +||steinsala.viessmann.lu^ +||strawberry.basf.com^ +||tm.urssaf.fr^ +||torropinto.viessmann.es^ +||tse.telerama.fr^ +||uusimaa.viessmann.fi^ +||waati.quechoisir.org^ +||wareneingang.edeka.de^ +||wasserkraftwerkkessel.viessmann.ch^ +||waterlooberlin.viessmann.ca^ +||woodstock.viessmann.com.au^ +||wvvw.france24.com^ +||wvvw.francemediasmonde.com^ +||wvvw.infomigrants.net^ +||wvvw.mc-doualiya.com^ +||wvvw.rfi.fr^ +||y1.arte.tv^ +||zagrabiti.viessmann.hr^ +||zaventemdijleland.viessmann.be^ +||zelten.fritz-berger.de^ +||zug.sbb.ch^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_adobe.txt *** +! easyprivacy_specific_cname_adobe.txt +! Adobe https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/adobe-experience-cloud-(formerly-omniture).txt +! +! Company name: Adobe Experience Cloud (formerly Omniture) +! removed: *.tt.omtrdc.net (dube of EP) +! remove dube: wa.sugarandjade.com +! ||wa.pjplace.com^ +! ||wa.gymboree.com^ +! ||wa.childrensplace.com^ +! ||tgt.maep.ibm.com^ +! ||target-us.samsung.com^ +! ||sstats.adobe.com^ +! ||smetrics.couponcabin.com^ +! ||saa.insideedition.com^ +! ||telemetry.goodlifefitness.com^ +! ||adobedc.demdex.net^ +! ||target.nejm.org^ +! ||target.nationwide.com^ +! ||smetrics.ralphlauren.com^ +! ||edge.adobedc.net^ +! ||sams.manager-magazin.de^ +! ||www.metrics.argos.co.uk^ +! ||000scripps.hb.omtrdc.net^ +! ||www.smetrics.argos.co.uk^ +! ||www.sstats.bnpparibasfortis.be^ +! ||www.sstats.hellobank.be^ +! ||ssl.o.webmd.com^ +! ||std.o.webmd.com^ +! ||lp.go2.ringcentral.com^ +! ||w.smobile.wotif.com^ +! +||0tfsd2rwwu3xjstb.edge41.testandtarget.omniture.com^ +||1ps6e7sort397gy9.edge46.testandtarget.omniture.com^ +||20.edge46.testandtarget.omniture.com^ +||a.1800gotjunk.com^ +||a.acxiom.com^ +||a.addskills.se^ +||a.alzcombocare.com^ +||a.amw.com^ +||a.bigtennetwork.com^ +||a.dev-ajo.caixabank.com^ +||a.ehc.com^ +||a.ekero.se^ +||a.fchp.org^ +||a.fox.com^ +||a.foxsports.com^ +||a.foxsportsarizona.com^ +||a.foxsportscarolinas.com^ +||a.foxsportsdetroit.com^ +||a.foxsportsflorida.com^ +||a.foxsportshouston.com^ +||a.foxsportskansascity.com^ +||a.foxsportslocal.com^ +||a.foxsportsmidwest.com^ +||a.foxsportsnorth.com^ +||a.foxsportsohio.com^ +||a.foxsportssandiego.com^ +||a.foxsportssouth.com^ +||a.foxsportssouthwest.com^ +||a.foxsportstennessee.com^ +||a.foxsportswest.com^ +||a.foxsportswisconsin.com^ +||a.fxnetworks.com^ +||a.hjart-lungfonden.se^ +||a.ipoque.com^ +||a.koodomobile.com^ +||a.lls.org^ +||a.loi.nl^ +||a.medtronic.com^ +||a.mercuriurval.com^ +||a.micorp.com^ +||a.munters.cn^ +||a.munters.co.uk^ +||a.munters.com.au^ +||a.munters.com.mx^ +||a.munters.com^ +||a.munters.es^ +||a.munters.fi^ +||a.munters.it^ +||a.munters.jp^ +||a.munters.nl^ +||a.munters.se^ +||a.munters.us^ +||a.pork.org^ +||a.publicmobile.ca^ +||a.redbrickhealth.com^ +||a.replaytheseries.com^ +||a.rohde-schwarz.com.cn^ +||a.rohde-schwarz.com^ +||a.sami.se^ +||a.simonandschuster.com^ +||a.sj.se^ +||a.smetrics.sovereign.com^ +||a.sodra.com^ +||a.spv.se^ +||a.svenskfast.se^ +||a.tactics.com^ +||a.telus.com^ +||a.transportgruppen.se^ +||a.trivita.com^ +||a.wheelabratorgroup.com^ +||aa-aem.hamamatsu.com^ +||aa-metrics.aircard.jp^ +||aa-metrics.airpayment.jp^ +||aa-metrics.airregi.jp^ +||aa-metrics.airreserve.net^ +||aa-metrics.airrsv.net^ +||aa-metrics.airwait.jp^ +||aa-metrics.arg.x.recruit.co.jp^ +||aa-metrics.beauty.hotpepper.jp^ +||aa-metrics.bookingtable.jp^ +||aa-metrics.golf-jalan.net^ +||aa-metrics.handy.airregi.jp^ +||aa-metrics.handy.arg.x.recruit.co.jp^ +||aa-metrics.hokench.com^ +||aa-metrics.hotpepper-gourmet.com^ +||aa-metrics.hotpepper.jp^ +||aa-metrics.jalan.net^ +||aa-metrics.minterior.jp^ +||aa-metrics.ponparemall.com^ +||aa-metrics.r-cash.jp^ +||aa-metrics.recruit-card.jp^ +||aa-metrics.restaurant-board.com^ +||aa-metrics.s-lms.net^ +||aa-metrics.salonboard.com^ +||aa-metrics.tabroom.jp^ +||aa-metrics.trip-ai.jp^ +||aa.analog.com^ +||aa.athome.com^ +||aa.bathandbodyworks.com^ +||aa.cbs.com^ +||aa.cbsi.com^ +||aa.cbsnews.com^ +||aa.cbssports.com^ +||aa.cnet.com^ +||aa.comicbook.com^ +||aa.db-finanzberatung.de^ +||aa.deutsche-bank.de^ +||aa.dyson.at^ +||aa.dyson.be^ +||aa.dyson.ch^ +||aa.dyson.co.uk^ +||aa.dyson.com^ +||aa.dyson.de^ +||aa.dyson.dk^ +||aa.dyson.es^ +||aa.dyson.fr^ +||aa.dyson.ie^ +||aa.dyson.it^ +||aa.dyson.nl^ +||aa.dyson.pt^ +||aa.dyson.se^ +||aa.dysoncanada.ca^ +||aa.fyrst.de^ +||aa.gamespot.com^ +||aa.giantbomb.com^ +||aa.irvinecompanyapartments.com^ +||aa.irvinecompanyoffice.com^ +||aa.kyoceradocumentsolutions.com^ +||aa.last.fm^ +||aa.maxblue.de^ +||aa.mclaren.com^ +||aa.metacritic.com^ +||aa.neom.com^ +||aa.norisbank.de^ +||aa.pacificdentalservices.com^ +||aa.paramountplus.com^ +||aa.popculture.com^ +||aa.poptv.com^ +||aa.postbank.de^ +||aa.reebok.com^ +||aa.reebok.nl^ +||aa.sparebank1.no^ +||aa.tallink.com^ +||aa.tescomobile.com^ +||aa.thedoctorstv.com^ +||aa.tv.com^ +||aa.tvguide.com^ +||aa.wowma.jp^ +||aa.zdnet.com^ +||aaat.2ndstreet.jp^ +||aadata.april-international.com^ +||aainfo.anz.co.nz^ +||aametrics.aktia.fi^ +||aamt.msnbc.com^ +||aamt.nbcnews.com^ +||aamt.newsapp.telemundo.com^ +||aamt.today.com^ +||aanalytics.adelaide.edu.au^ +||aans.athome.com^ +||aas.bellemaison.jp^ +||aas.ismet.kz^ +||aas.mclaren.com^ +||aas.neom.com^ +||aas.visitsaudi.com^ +||abmeldung.information.o2.de^ +||abmeldung.information.whatsappsim.de^ +||abt.bauhaus.es^ +||abt.bauhaus.info^ +||abt.nike.com^ +||abt.nl.bauhaus^ +||academics.academicsuperstore.com^ +||acc.info.lumxpert.signify.com^ +||acc.marketing.adobedxcusteng.com^ +||access.hikaritv.net^ +||acemetrics.aaa.com^ +||acs.woolworths.com.au^ +||activity.newlook.com^ +||adb-analytics.live-now.com^ +||adb-secured.kijk.nl^ +||adb.kijk.nl^ +||adb.superrtl.de^ +||adb.toggoeltern.de^ +||adbedgeexp.aircanada.com^ +||adbmetrics.abc.es^ +||adbmetrics.blogasturias.com^ +||adbmetrics.canarias7.es^ +||adbmetrics.caravantur.eus^ +||adbmetrics.degustacastillayleon.es^ +||adbmetrics.diariosur.es^ +||adbmetrics.diariovasco.com^ +||adbmetrics.elcomercio.es^ +||adbmetrics.eldiariomontanes.es^ +||adbmetrics.elnortedecastilla.es^ +||adbmetrics.hoy.es^ +||adbmetrics.hyundai.com^ +||adbmetrics.ideal.es^ +||adbmetrics.koreanair.com^ +||adbmetrics.larioja.com^ +||adbmetrics.lasprovincias.es^ +||adbmetrics.laverdad.es^ +||adbmetrics.lomejordelvinoderioja.com^ +||adbmetrics.masterelcorreo.com^ +||adbmetrics.miperiodicodigital.com^ +||adbmetrics.vehiculosdeocasion.eus^ +||adbmetrics.vocento.com^ +||adbmetrics.welife.es^ +||adbmetrics.womennow.es^ +||adbmetrics.xn--futuroenespaol-1nb.es^ +||adbsmetrics.ep.hmc.co.kr^ +||adbsmetrics.everland.com^ +||adbsmetrics.genesis.com^ +||adbsmetrics.hanwha.com^ +||adbsmetrics.hyundai.com^ +||adbsmetrics.kia.com^ +||adbsmetrics.koreanair.com^ +||adbsmetrics.kt.com^ +||adbsmetrics.lgcaremall.com^ +||adbsmetrics.lotterentacar.net^ +||adbsmetrics.thewhoo.com^ +||adobe-analytics-dc.belastingdienst.nl^ +||adobe-analytics.vionicshoes.com^ +||adobe-dev-landingpageprefix.descubre.interbank.pe^ +||adobe-ep.cms.gov^ +||adobe-ep.cuidadodesalud.gov^ +||adobe-ep.healthcare.gov^ +||adobe-ep.insurekidsnow.gov^ +||adobe-ep.medicaid.gov^ +||adobe-ep.medicare.gov^ +||adobe-nonsecure.cjone.com^ +||adobe-secure.cjone.com^ +||adobe.aeonbank.co.jp^ +||adobe.autoscout24.at^ +||adobe.autoscout24.be^ +||adobe.autoscout24.bg^ +||adobe.autoscout24.com.tr^ +||adobe.autoscout24.com.ua^ +||adobe.autoscout24.com^ +||adobe.autoscout24.cz^ +||adobe.autoscout24.de^ +||adobe.autoscout24.es^ +||adobe.autoscout24.eu^ +||adobe.autoscout24.fr^ +||adobe.autoscout24.hr^ +||adobe.autoscout24.it^ +||adobe.autoscout24.lu^ +||adobe.autoscout24.nl^ +||adobe.autoscout24.pl^ +||adobe.autoscout24.ro^ +||adobe.autoscout24.ru^ +||adobe.autoscout24.se^ +||adobe.bupaglobal.com^ +||adobe.dynamic.ca^ +||adobe.falabella.com.ar^ +||adobe.falabella.com.co^ +||adobe.falabella.com.pe^ +||adobe.falabella.com^ +||adobe.filmstruck.com^ +||adobe.pmi.org^ +||adobe.sodimac.cl^ +||adobe.sukoonglobalhealth.com^ +||adobe.toridoll.com^ +||adobe.truckscout24.com^ +||adobe.wacoal.jp^ +||adobeanalytic.aerotek.com^ +||adobeanalytic.allegisglobalsolutions.com^ +||adobeanalytic.astoncarter.com^ +||adobeanalytic.teksystems.com^ +||adobeanalytics-http.hds.com^ +||adobeanalytics-https.hds.com^ +||adobeanalytics-secure.girlscouts.org^ +||adobeanalytics.actalentservices.com^ +||adobeanalytics.aerotek.com^ +||adobeanalytics.allegis-partners.com^ +||adobeanalytics.allegisglobalsolutions.com^ +||adobeanalytics.allegisgroup.com^ +||adobeanalytics.astoncarter.com^ +||adobeanalytics.bws.com.au^ +||adobeanalytics.danmurphys.com.au^ +||adobeanalytics.easi.com^ +||adobeanalytics.geico.com^ +||adobeanalytics.gettinghired.com^ +||adobeanalytics.medline.com^ +||adobeanalytics.mlaglobal.com^ +||adobeanalytics.populusgroup.com^ +||adobeanalytics.serveone.co.kr^ +||adobeanalytics.teksystems.com^ +||adobeanalytics.vice.com^ +||adobeedge.morganstanley.com^ +||adobeedge.my.gov.au^ +||adobemarketing.bodendirect.at^ +||adobemetrics.yellohvillage.co.uk^ +||adobemetrics.yellohvillage.com^ +||adobemetrics.yellohvillage.de^ +||adobemetrics.yellohvillage.es^ +||adobemetrics.yellohvillage.fr^ +||adobemetrics.yellohvillage.it^ +||adobemetrics.yellohvillage.nl^ +||adobes.marugame-seimen.com^ +||adobes.pmi.org^ +||adobetarget.yellohvillage.fr^ +||adtarget.barcainnovationhub.com^ +||adtarget.fcbarcelona.cat^ +||adtarget.fcbarcelona.co.it^ +||adtarget.fcbarcelona.com^ +||adtarget.fcbarcelona.es^ +||adtarget.fcbarcelona.fr^ +||adtarget.fcbarcelona.jp^ +||adtarget.fcbarcelona.net^ +||adtd.douglas.at^ +||adtd.douglas.be^ +||adtd.douglas.ch^ +||adtd.douglas.cz^ +||adtd.douglas.de^ +||adtd.douglas.hr^ +||adtd.douglas.hu^ +||adtd.douglas.it^ +||adtd.douglas.nl^ +||adtd.douglas.pl^ +||adtd.douglas.pt^ +||adtd.douglas.ro^ +||adtd.douglas.si^ +||adtd.douglas.sk^ +||adtd.niche-beauty.com^ +||adtd.parfumdreams.at^ +||adtd.parfumdreams.be^ +||adtd.parfumdreams.ch^ +||adtd.parfumdreams.co.uk^ +||adtd.parfumdreams.cz^ +||adtd.parfumdreams.de^ +||adtd.parfumdreams.dk^ +||adtd.parfumdreams.es^ +||adtd.parfumdreams.fi^ +||adtd.parfumdreams.fr^ +||adtd.parfumdreams.ie^ +||adtd.parfumdreams.it^ +||adtd.parfumdreams.nl^ +||adtd.parfumdreams.pl^ +||adtd.parfumdreams.pt^ +||adtd.parfumdreams.se^ +||aec-target.base.be^ +||aec-target.telenet.be^ +||aecid.santanderbank.com^ +||aep-target.credit-suisse.com^ +||aepxlg.adobe.com^ +||ainu.intel.cn^ +||ainu.intel.co.jp^ +||ainu.intel.co.kr^ +||ainu.intel.co.uk^ +||ainu.intel.com.au^ +||ainu.intel.com.br^ +||ainu.intel.com.tw^ +||ainu.intel.com^ +||ainu.intel.de^ +||ainu.intel.es^ +||ainu.intel.fr^ +||ainu.intel.in^ +||ainu.intel.it^ +||ainu.intel.la^ +||ainu.intel.pl^ +||ajo-lp-salesvelocity.adobedemo.com^ +||ajo-zensar.adobesandbox.com^ +||ajo1gdc.ajo1gdc.adobevlab.com^ +||al-smetrics.vizio.com^ +||ametrics.finn.no^ +||ametrics.lumen.com^ +||ametrics.mheducation.com^ +||ametrics.web.dnbbank.no^ +||an.avast.com^ +||an.avast.ru^ +||an.constantcontact.com^ +||an.milb.com^ +||an.mlb.com^ +||an.sny.tv^ +||an.theblaze.com^ +||an.yesnetwork.com^ +||analytic.alabama.aaa.com^ +||analytic.americanfunds.com^ +||analytic.buoyweather.com^ +||analytic.calif.aaa.com^ +||analytic.capitalgroup.com^ +||analytic.cibc.com^ +||analytic.fishtrack.com^ +||analytic.hawaii.aaa.com^ +||analytic.hotelclub.com^ +||analytic.newmexico.aaa.com^ +||analytic.northernnewengland.aaa.com^ +||analytic.simplyhealth.co.uk^ +||analytic.texas.aaa.com^ +||analytic.tidewater.aaa.com^ +||analytic.underarmour.com^ +||analytics-lgs.corebridgefinancial.com^ +||analytics-nssl.bradyid.com^ +||analytics-secure.dollargeneral.com^ +||analytics-ssl.allconnect.com^ +||analytics-ssl.bradyid.com^ +||analytics-ssl.seton.co.uk^ +||analytics.1800contacts.com^ +||analytics.adultswim.co.uk^ +||analytics.airindia.com^ +||analytics.airtron.com^ +||analytics.alrajhibank.com.sa^ +||analytics.americanfunds.com^ +||analytics.amig.com^ +||analytics.argeton.com^ +||analytics.asml.com^ +||analytics.autozone.com^ +||analytics.avis.de^ +||analytics.awhr.com^ +||analytics.bgr.com^ +||analytics.bigfishgames.com^ +||analytics.bleacherreport.com^ +||analytics.boing.es^ +||analytics.boomerangtv.co.uk^ +||analytics.box.com^ +||analytics.boxlunch.com^ +||analytics.brickaward.com^ +||analytics.canaltnt.es^ +||analytics.capitalgroup.com^ +||analytics.cartoonnetwork.co.uk^ +||analytics.cartoonnetwork.com.au^ +||analytics.cartoonnetwork.jp^ +||analytics.cartoonnetworkasia.com^ +||analytics.cartoonnetworkindia.com^ +||analytics.cartoonnetworkmena.com^ +||analytics.cdf.cl^ +||analytics.ceu.com^ +||analytics.changiairport.com^ +||analytics.chilevision.cl^ +||analytics.chvnoticias.cl^ +||analytics.cibc.com^ +||analytics.cibcrewards.com^ +||analytics.cirroenergy.com^ +||analytics.cnfanart.com^ +||analytics.cnnchile.com^ +||analytics.combatefreestyle.com^ +||analytics.conad.it^ +||analytics.concorsicartoonito.it^ +||analytics.corusent.com^ +||analytics.cyrillus.be^ +||analytics.cyrillus.ch^ +||analytics.cyrillus.com^ +||analytics.cyrillus.de^ +||analytics.cyrillus.fr^ +||analytics.data.lloydsbankinggroup.com^ +||analytics.directenergy.ca^ +||analytics.directenergy.com^ +||analytics.discountpowertx.com^ +||analytics.disneyplus.com^ +||analytics.egernsund.com^ +||analytics.egernsund.de^ +||analytics.esporteinterativo.com.br^ +||analytics.evo.co.uk^ +||analytics.firstbankcardcenter.com^ +||analytics.firstbankcardplcc.com^ +||analytics.firstnational.com^ +||analytics.fishtrack.com^ +||analytics.floridatravellife.com^ +||analytics.fnbfremont.com^ +||analytics.fnni.com^ +||analytics.futuro360.com^ +||analytics.geastore.com^ +||analytics.geoutletstore.com^ +||analytics.gestore.com^ +||analytics.gewaterheater.com^ +||analytics.greenmountain.com^ +||analytics.greenmountainenergy.com^ +||analytics.hardrock.com^ +||analytics.haworth.com^ +||analytics.hazeldenbettyford.org^ +||analytics.hiexpress.com^ +||analytics.hlntv.com^ +||analytics.holidayinn.com^ +||analytics.hollywoodlife.com^ +||analytics.homebank.ro^ +||analytics.homes.com^ +||analytics.hottopic.com^ +||analytics.id.amazongames.com^ +||analytics.ihg.com^ +||analytics.ishopchangi.com^ +||analytics.jjkellerconsulting.com^ +||analytics.jjkellerdatasense.com^ +||analytics.jjkellersafety.com^ +||analytics.johnson.ca^ +||analytics.joincambridge.com^ +||analytics.kellerencompass.com^ +||analytics.kellerpermits.com^ +||analytics.kellyservices.com^ +||analytics.lendio.com^ +||analytics.lexisnexisrisk.com^ +||analytics.makro.be^ +||analytics.makro.pt^ +||analytics.martinandosa.com^ +||analytics.massivwerthaus.at^ +||analytics.metro-cc.ru^ +||analytics.metro.be^ +||analytics.metro.co.in^ +||analytics.metro.de^ +||analytics.metro.fr^ +||analytics.metro.pk^ +||analytics.metro.ua^ +||analytics.midas-antilles.fr^ +||analytics.midas.be^ +||analytics.midas.ci^ +||analytics.midas.es^ +||analytics.midas.fr^ +||analytics.midas.it^ +||analytics.midas.pt^ +||analytics.midas.re^ +||analytics.midas.sn^ +||analytics.midas.tc^ +||analytics.mondotv.jp^ +||analytics.myapstore.com^ +||analytics.mystream.com^ +||analytics.national-lottery.co.uk^ +||analytics.navyfederal.org^ +||analytics.ncaa.com^ +||analytics.nordea.com^ +||analytics.nordea.dk^ +||analytics.nordea.fi^ +||analytics.nordea.no^ +||analytics.nordea.se^ +||analytics.nrg.com^ +||analytics.nrgprotects.com^ +||analytics.onlinehomeretail.co.uk^ +||analytics.pgatour.com^ +||analytics.phn.com^ +||analytics.picknrg.com^ +||analytics.pipelife-bewaesserung.at^ +||analytics.pipelife.at^ +||analytics.pipelife.bg^ +||analytics.pipelife.com.tr^ +||analytics.pipelife.com^ +||analytics.pipelife.cz^ +||analytics.pipelife.de^ +||analytics.pipelife.ee^ +||analytics.pipelife.hr^ +||analytics.pipelife.hu^ +||analytics.pipelife.ie^ +||analytics.pipelife.lt^ +||analytics.pipelife.lv^ +||analytics.pipelife.nl^ +||analytics.pipelife.no^ +||analytics.pipelife.pl^ +||analytics.pipelife.ro^ +||analytics.pipelife.rs^ +||analytics.pipelife.se^ +||analytics.pipelife.si^ +||analytics.plumbworld.co.uk^ +||analytics.pnc.com^ +||analytics.qualcomm.com^ +||analytics.ratioform.ch^ +||analytics.reliant.com^ +||analytics.runpath.com^ +||analytics.seagate.com^ +||analytics.shopncaasports.com^ +||analytics.simplii.com^ +||analytics.simplyhealth.co.uk^ +||analytics.sixt.be^ +||analytics.sixt.cn^ +||analytics.sixt.com^ +||analytics.sixt.de^ +||analytics.sixt.es^ +||analytics.sixt.fr^ +||analytics.sixt.jobs^ +||analytics.sixt.jp^ +||analytics.sixt.nl^ +||analytics.sixtcarsales.de^ +||analytics.sixtmiddleeast.com^ +||analytics.skinit.com^ +||analytics.smart.mercedes-benz.com^ +||analytics.soluforce.com^ +||analytics.sona-mira.co.jp^ +||analytics.southpointcasino.com^ +||analytics.spark.co.nz^ +||analytics.superstation.com^ +||analytics.surfline.com^ +||analytics.sydney.edu.au^ +||analytics.tabichan.jp^ +||analytics.tbs.com^ +||analytics.tcm.com^ +||analytics.techem.com^ +||analytics.techem.de^ +||analytics.thehartford.com^ +||analytics.theinstitutes.org^ +||analytics.tnt-tv.com^ +||analytics.tnt-tv.de^ +||analytics.tnt-tv.pl^ +||analytics.tnt-tv.ro^ +||analytics.tnt.africa^ +||analytics.tntdram.com^ +||analytics.tntdrama.com^ +||analytics.tntdramma.com^ +||analytics.tntsports.cl^ +||analytics.tntsports.com.ar^ +||analytics.tntsports.com.br^ +||analytics.tntsports.com^ +||analytics.tondach.pl^ +||analytics.toyotaforklift.com^ +||analytics.truckingauthority.com^ +||analytics.trutv.com^ +||analytics.turnertv.com^ +||analytics.ubs.com^ +||analytics.uhhospitals.org^ +||analytics.underarmour.com^ +||analytics.unive.nl^ +||analytics.verizon.com^ +||analytics.verizonwireless.com^ +||analytics.virginaustralia.com^ +||analytics.virginmobileusa.com^ +||analytics.visible.com^ +||analytics.warnertv.fr^ +||analytics.weldonowen.com^ +||analytics.wellington.com^ +||analytics.wienerberger-building-solutions.com^ +||analytics.wienerberger.al^ +||analytics.wienerberger.at^ +||analytics.wienerberger.ba^ +||analytics.wienerberger.be^ +||analytics.wienerberger.bg^ +||analytics.wienerberger.co.uk^ +||analytics.wienerberger.com^ +||analytics.wienerberger.cz^ +||analytics.wienerberger.de^ +||analytics.wienerberger.ee^ +||analytics.wienerberger.fi^ +||analytics.wienerberger.fr^ +||analytics.wienerberger.hr^ +||analytics.wienerberger.hu^ +||analytics.wienerberger.in^ +||analytics.wienerberger.it^ +||analytics.wienerberger.lt^ +||analytics.wienerberger.mk^ +||analytics.wienerberger.nl^ +||analytics.wienerberger.no^ +||analytics.wienerberger.pl^ +||analytics.wienerberger.ro^ +||analytics.wienerberger.rs^ +||analytics.wienerberger.se^ +||analytics.wienerberger.si^ +||analytics.wienerberger.sk^ +||analytics.xoomenergy.com^ +||analytics.zagg.com^ +||analytics1.dillards.com^ +||analyticsbusiness.ing.ro^ +||analyticsnarc.ro.ing.net^ +||analyticsnossl.forcepoint.com^ +||analyticsresults.bildungsforum.datev.de^ +||analyticsresults.datev-karriereblog.de^ +||analyticsresults.datev-magazin.de^ +||analyticsresults.datev-mymarketing.de^ +||analyticsresults.datev.com^ +||analyticsresults.datev.de^ +||analyticsresults.dev.datev.de^ +||analyticsresults.trialog-magazin.de^ +||analyticsssl.forcepoint.com^ +||anl.footlocker.com^ +||anmet.originenergy.com.au^ +||ans.avast.com^ +||ans.avast.ru^ +||ans.milb.com^ +||ans.mlb.com^ +||ans.worldbaseballclassic.com^ +||ans.yesnetwork.com^ +||as.autobild.de^ +||as.axelspringer.com^ +||as.bild.de^ +||as.businessinsider.de^ +||as.bz-berlin.de^ +||as.computerbild.de^ +||as.fitbook.de^ +||as.metal-hammer.de^ +||as.musikexpress.de^ +||as.myhomebook.de^ +||as.petbook.de^ +||as.rollingstone.de^ +||as.stylebook.de^ +||as.techbook.de^ +||as.travelbook.de^ +||as.welt.de^ +||as.wieistmeineip.de^ +||asc.e-conolight.com^ +||asc.solidworks.com^ +||asd.bauhaus.at^ +||asd.bauhaus.es^ +||asd.bauhaus.hr^ +||asd.bauhaus.info^ +||asd.bauhaus.lu^ +||asd.nl.bauhaus^ +||assets2.aainsurance.co.nz^ +||assets2.aami.com.au^ +||assets2.apia.com.au^ +||assets2.bingle.com.au^ +||assets2.cilinsurance.com.au^ +||assets2.gio.com.au^ +||assets2.shannons.com.au^ +||assets2.suncorp.com.au^ +||assets2.suncorpbank.com.au^ +||assets2.terrischeer.com.au^ +||assets2.vanz.vero.co.nz^ +||assets2.vero.co.nz^ +||assinatura.marketingbmg.bancobmg.com.br^ +||at-cdn.swisscom.ch^ +||at-ecomm.levi.com^ +||at.db-finanzberatung.de^ +||at.deutsche-bank.de^ +||at.maxblue.de^ +||at.mclaren.com^ +||at.neom.com^ +||at.norisbank.de^ +||at.postbank.de^ +||at.swisscom.ch^ +||at.vodafone.de^ +||atarget.adelaide.edu.au^ +||atarget.csu.edu.au^ +||atarget.firstrepublic.com^ +||atarget.harley-davidson.com^ +||atgt.grafana.com^ +||atsmetrics.adobe.com^ +||audience.standardchartered.com.tw^ +||awap.equifax.com^ +||axp.8newsnow.com^ +||axp.abc27.com^ +||axp.abc4.com^ +||axp.bigcountryhomepage.com^ +||axp.binghamtonhomepage.com^ +||axp.borderreport.com^ +||axp.brproud.com^ +||axp.cbs17.com^ +||axp.cbs42.com^ +||axp.cbs4indy.com^ +||axp.cenlanow.com^ +||axp.centralillinoisproud.com^ +||axp.cnyhomepage.com^ +||axp.conchovalleyhomepage.com^ +||axp.counton2.com^ +||axp.cw33.com^ +||axp.cw39.com^ +||axp.cw7az.com^ +||axp.dcnewsnow.com^ +||axp.everythinglubbock.com^ +||axp.fourstateshomepage.com^ +||axp.fox16.com^ +||axp.fox21news.com^ +||axp.fox2now.com^ +||axp.fox40.com^ +||axp.fox44news.com^ +||axp.fox4kc.com^ +||axp.fox56news.com^ +||axp.fox59.com^ +||axp.fox5sandiego.com^ +||axp.fox8.com^ +||axp.informnny.com^ +||axp.kark.com^ +||axp.kdvr.com^ +||axp.keloland.com^ +||axp.ketk.com^ +||axp.kfor.com^ +||axp.kget.com^ +||axp.khon2.com^ +||axp.klfy.com^ +||axp.koin.com^ +||axp.kron4.com^ +||axp.krqe.com^ +||axp.ksn.com^ +||axp.ksnt.com^ +||axp.ktalnews.com^ +||axp.ktla.com^ +||axp.ktsm.com^ +||axp.kxan.com^ +||axp.kxnet.com^ +||axp.localsyr.com^ +||axp.myarklamiss.com^ +||axp.mychamplainvalley.com^ +||axp.myfox8.com^ +||axp.myhighplains.com^ +||axp.mypanhandle.com^ +||axp.mystateline.com^ +||axp.mysterywire.com^ +||axp.mytwintiers.com^ +||axp.mywabashvalley.com^ +||axp.nbc4i.com^ +||axp.news10.com^ +||axp.newsnationnow.com^ +||axp.nwahomepage.com^ +||axp.ourquadcities.com^ +||axp.ozarksfirst.com^ +||axp.pahomepage.com^ +||axp.phl17.com^ +||axp.pix11.com^ +||axp.qcnews.com^ +||axp.rochesterfirst.com^ +||axp.siouxlandproud.com^ +||axp.snntv.com^ +||axp.texomashomepage.com^ +||axp.thehill.com^ +||axp.tristatehomepage.com^ +||axp.upmatters.com^ +||axp.valleycentral.com^ +||axp.wane.com^ +||axp.wate.com^ +||axp.wavy.com^ +||axp.wboy.com^ +||axp.wbtw.com^ +||axp.wcia.com^ +||axp.wdhn.com^ +||axp.wdtn.com^ +||axp.wearegreenbay.com^ +||axp.westernslopenow.com^ +||axp.wfla.com^ +||axp.wfxrtv.com^ +||axp.wgno.com^ +||axp.wgnradio.com^ +||axp.wgntv.com^ +||axp.whnt.com^ +||axp.who13.com^ +||axp.wiproud.com^ +||axp.wivb.com^ +||axp.wjbf.com^ +||axp.wjhl.com^ +||axp.wjtv.com^ +||axp.wkbn.com^ +||axp.wkrg.com^ +||axp.wkrn.com^ +||axp.wlns.com^ +||axp.wnct.com^ +||axp.woodtv.com^ +||axp.wowktv.com^ +||axp.wpri.com^ +||axp.wrbl.com^ +||axp.wreg.com^ +||axp.wric.com^ +||axp.wsav.com^ +||axp.wspa.com^ +||axp.wtaj.com^ +||axp.wtnh.com^ +||axp.wtrf.com^ +||axp.wvnstv.com^ +||axp.wwlp.com^ +||axp.wytv.com^ +||axp.yourbasin.com^ +||axp.yourbigsky.com^ +||axp.yourcentralvalley.com^ +||axp.yourerie.com^ +||b.aecf.org^ +||b.allsecur.nl^ +||b.escardio.org^ +||b.fox.com^ +||b.foxsports.com^ +||b.freshpair.com^ +||b.fxnetworks.com^ +||b.koodomobile.com^ +||b.law.com^ +||b.m.mynewplace.com^ +||b.medtronic.com^ +||b.mibank.com^ +||b.miretirement.com^ +||b.mitrust.com^ +||b.miwebflex.com^ +||b.mynewplace.com^ +||b.parade.com^ +||b.publicmobile.ca^ +||b.redbrickhealth.com^ +||b.rohde-schwarz.com^ +||b.rwjf.org^ +||b.simonandschuster.com^ +||b.simyo.de^ +||b.snow.com^ +||b.socialdemokraterna.se^ +||b.telus.com^ +||b2binsider.adobe.com^ +||bank.svb.com^ +||bcomniture.focus.de^ +||beer2s.millerbrewing.com^ +||bismetrics.experian.com^ +||biz1.kddi.com^ +||blau-subdomain.b.information.blau.de^ +||bluelp.2ask.blue.com.hk^ +||brands.lookfantastic.com^ +||bsna.galeria-kaufhof.de^ +||bsna.inno.be^ +||c.mibank.com^ +||c.musicradio.com^ +||c.snow.com^ +||candy.sees.com^ +||catalogs.printplace.com^ +||caterpillarsigns.coversandall.ca^ +||caterpillarsigns.coversandall.co.uk^ +||caterpillarsigns.coversandall.com.au^ +||caterpillarsigns.coversandall.com^ +||caterpillarsigns.coversandall.eu^ +||ccpd.jet2.com^ +||ccpd.jet2holidays.com^ +||cctrkom.creditcards.com^ +||cdp.cifinancial.com^ +||cesario.bt.no^ +||cgwebmetrics.capgroup.com^ +||charms.pugster.com^ +||christian.lifeway.com^ +||christians.lifeway.com^ +||ci.intuit.ca^ +||ci.intuit.co.uk^ +||ci.intuit.com^ +||ci.quickbooks.com^ +||clerks.doccheck.com^ +||clnmetrics.cisco.com^ +||cmon.congress.gov^ +||cname-aa.022022.net^ +||cname-aa.engineersguide.jp^ +||cname-aa.hatarakunavi.net^ +||cname-aa.staffservice-engineering.jp^ +||cname-aa.staffservice-medical.jp^ +||cname-aa.staffservice.co.jp^ +||code.randomhouse.com^ +||collect.allianz-technology.ch^ +||collect.allianz.ch^ +||collect.cap.ch^ +||collect.elvia.ch^ +||collect.helsana-preprod.ch^ +||collect.helsana.ch^ +||collect.vans.com.cn^ +||collect2.allianz.ch^ +||collection.saga.co.uk^ +||collector.betway.be^ +||collector.betway.com^ +||collector.hippodromeonline.com^ +||connectstats.mckesson.com^ +||consent.clientemais.paodeacucar.com^ +||consent.online.paodeacucar.com^ +||contoso-my.sharepoint.com^ +||cookies-adobe.kbc.be^ +||cp.deltadentalwa.com^ +||cs.analytics.lego.com^ +||csmetrics.wilton.com^ +||csvt002.harrisbank.com^ +||csvt005.heretakethewheel.com^ +||csvt009.bmoharris.com^ +||csvti.intuit.ca^ +||csvtq.intuit.co.uk^ +||csvtr.bmo.com^ +||csvtr02.bmocorpmc.com^ +||csvtr05.mosaikbusiness.com^ +||csvtr07.bmoinvestorline.com^ +||csvtr09.bmonesbittburns.com^ +||csvtr10.bmocm.com^ +||csvtr13.bmodelawaretrust.com^ +||csvtt.bmolife.com^ +||csvtu.bmolending.com^ +||cups.republicoftea.com^ +||data-ssl.pnet.co.za^ +||data-ssl.stepstone.at^ +||data-ssl.stepstone.be^ +||data-ssl.stepstone.de^ +||data-ssl.stepstone.fr^ +||data-ssl.stepstone.nl^ +||data-ssl.stepstone.pl^ +||data.2ask.blue.com.hk^ +||data.a.news.aida.de^ +||data.abc.es^ +||data.accenturemkt.adobesandbox.com^ +||data.accentureplcmkt.adobesandbox.com^ +||data.accionista.caixabank.com^ +||data.account.assurancewireless.com^ +||data.account.metrobyt-mobile.com^ +||data.accounts.t-mobile.com^ +||data.accountsamericas.coca-cola.com^ +||data.accountsapac.coca-cola.com^ +||data.accountsemea.coca-cola.com^ +||data.accountslatam.coca-cola.com^ +||data.admin-updates.airmiles.ca^ +||data.aem-sites-internal.adobe.com^ +||data.ajo-demosystem4.adobedemosystem.com^ +||data.ajo2emea.adobevlab.com^ +||data.ajodev.cbussuper.com.au^ +||data.ajopharmabeta.riteaid.com^ +||data.ajostg.cfs.com.au^ +||data.ajostg.colonialfirststate.com.au^ +||data.ajotest.cbussuper.com.au^ +||data.alert.servicenow.com^ +||data.americas.coca-cola.com^ +||data.apac.coca-cola.com^ +||data.articles.ringcentral.com^ +||data.asp.coca-cola.com^ +||data.au-email.princess.com^ +||data.au-guest.princess.com^ +||data.autocasion.com^ +||data.automaticas.realmadrid.com^ +||data.avid.com^ +||data.b.information.blau.de^ +||data.b2bmail.adobe.com^ +||data.bioplanet.be^ +||data.bless.blesscollectionhotels.com^ +||data.boletin.super99.com^ +||data.business.nordea.dk^ +||data.business.nordea.fi^ +||data.business.nordea.no^ +||data.business.nordea.se^ +||data.campagneinformative.inail.it^ +||data.campaign.cfs.com.au^ +||data.campaigns.cbussuper.com.au^ +||data.campaigns.cineplex.com^ +||data.campaigns.colonialfirststate.com.au^ +||data.campaigns.mediasuper.com.au^ +||data.campaigns.therecroom.com^ +||data.canon.club-news.com.hk^ +||data.cart.metrobyt-mobile.com^ +||data.carts.t-mobile.com^ +||data.chelseafc.com^ +||data.client-comms.nedbank.co.za^ +||data.cliente.clubeextra.com.br^ +||data.clientemais.paodeacucar.com^ +||data.clientes.caixabankpc.com^ +||data.clientes.palladiumhotelgroup.com^ +||data.club.costacoffee.in^ +||data.club.costacoffee.pl^ +||data.collectandgo.be^ +||data.collishop.be^ +||data.colruyt.be^ +||data.colruytgroup.com^ +||data.comms.coca-cola.com^ +||data.comms.hestapartners.com.au^ +||data.comms.pokerstars.com^ +||data.comms.pokerstars.fr^ +||data.communicatie.nn.nl^ +||data.communication.guard.me^ +||data.communications.cbussuper.com.au^ +||data.communications.manulife.ca^ +||data.comunicaciones.bancoentrerios.net^ +||data.comunicaciones.bancosanjuan.net^ +||data.comunicaciones.bancosantacruz.net^ +||data.comunicaciones.bancosantafe.net^ +||data.comunicaciones.ficohsa.hn^ +||data.comunicaciones.jetstereo.com^ +||data.comunicaciones.motomundohn.com^ +||data.comunicaciones.solvenza.hn^ +||data.comunicaciones.ultramotorhn.com^ +||data.comunitat.3cat.cat^ +||data.connect.riolasvegas.com^ +||data.connect.riteaid.com^ +||data.connectingthreads.com^ +||data.craftsamericana.com^ +||data.crm-edm.thsrc.com.tw^ +||data.crm.lizearle.com^ +||data.crm.soapandglory.com^ +||data.cs.officedepot.com^ +||data.csdev.officedepot.com^ +||data.customer-success-apac.adobe.com^ +||data.customer.amp.com.au^ +||data.customermail.bioplanet.be^ +||data.customermail.collectandgo.be^ +||data.customermail.colruyt.be^ +||data.customermail.mijnextra.be^ +||data.customermail.mijnxtra.be^ +||data.customermail.sparcolruytgroup.be^ +||data.customermail.syst.colruytgroup.com^ +||data.customermail.test.colruytgroup.com^ +||data.cx.hrhibiza.com^ +||data.cx.palladiumhotelgroup.com^ +||data.cx.theushuaiaexperience.com^ +||data.cxbevents.caixabank.com^ +||data.dats24.be^ +||data.deinfeedback.alditalk-kundenbetreuung.de^ +||data.descubre.interbank.pe^ +||data.dev-ajo.caixabank.com^ +||data.dev-notifications.future.smart.com^ +||data.devbmg.bancobmg.com.br^ +||data.devmail.northeast.aaa.com^ +||data.digital.costco.ca^ +||data.digital.costco.com^ +||data.discover.ringcentral.com^ +||data.dm.casio.com^ +||data.dm.casio.info^ +||data.dow.com^ +||data.dreambaby.be^ +||data.dreamland.be^ +||data.e.adobe.com^ +||data.e.lotteryoffice.com.au^ +||data.e.ringcentral.com^ +||data.e.visionmondiale.ca^ +||data.e.worldvision.ca^ +||data.ear.nespresso.com^ +||data.eat.nespresso.com^ +||data.eau.nespresso.com^ +||data.ebe.nespresso.com^ +||data.ebr.nespresso.com^ +||data.eca.nespresso.com^ +||data.ech.nespresso.com^ +||data.ecl.nespresso.com^ +||data.eco.nespresso.com^ +||data.ecz.nespresso.com^ +||data.ede.nespresso.com^ +||data.edge-cert.emailtechops.net^ +||data.edk.nespresso.com^ +||data.edm.chowtaifook.com^ +||data.education.aware.com.au^ +||data.ees.nespresso.com^ +||data.efr.nespresso.com^ +||data.egr.nespresso.com^ +||data.ehk.nespresso.com^ +||data.ehu.nespresso.com^ +||data.eit.nespresso.com^ +||data.ejp.nespresso.com^ +||data.ekr.nespresso.com^ +||data.elu.nespresso.com^ +||data.em.assurancewireless.com^ +||data.em.macys.com^ +||data.em.officedepot.com^ +||data.em.ringcentral.com^ +||data.em.t-mobile.com^ +||data.em.viking.com^ +||data.em.vikingcruises.com^ +||data.em2.cloudflare.com^ +||data.email-discovery.cjm.adobe.com^ +||data.email-disney.cjm.adobe.com^ +||data.email-kpn.cjm.adobe.com^ +||data.email-lightroom.cjm.adobe.com^ +||data.email-merkle.cjm.adobe.com^ +||data.email-mobiledx.cjm.adobe.com^ +||data.email-signify.cjm.adobe.com^ +||data.email-tsb.cjm.adobe.com^ +||data.email.aida.de^ +||data.email.belgiantrain.be^ +||data.email.gamma.be^ +||data.email.gamma.nl^ +||data.email.gobrightline.com^ +||data.email.hostplus.com.au^ +||data.email.islandsbanki.is^ +||data.email.jet2.com^ +||data.email.jet2holidays.com^ +||data.email.karwei.nl^ +||data.email.key.com^ +||data.email.metrobyt-mobile.com^ +||data.email.podcast.adobe.com^ +||data.email.princess.com^ +||data.email.q8.it^ +||data.email.realmadrid.com^ +||data.email.telmore.dk^ +||data.email.verizon.com^ +||data.email.virginatlantic.com^ +||data.email.yourmessage.aviva.co.uk^ +||data.email.yousee.dk^ +||data.emaillpb.adobe.com^ +||data.emails.aucklandairport.co.nz^ +||data.emails.caixabank.com^ +||data.emails.makro.es^ +||data.emails.makro.nl^ +||data.emails.metro.it^ +||data.emails.metro.ro^ +||data.emails.ringcentral.com^ +||data.emails.vidacaixa.es^ +||data.emailservice.vattenfall.nl^ +||data.emdev.officedepot.com^ +||data.emea.coca-cola.com^ +||data.eml.wegmans.com^ +||data.employercomms.aware.com.au^ +||data.emx.nespresso.com^ +||data.emy.nespresso.com^ +||data.enl.nespresso.com^ +||data.eno.nespresso.com^ +||data.enz.nespresso.com^ +||data.epl.nespresso.com^ +||data.epost.sbanken.no^ +||data.epost.snn.no^ +||data.epsilon.adobesandbox.com^ +||data.ept.nespresso.com^ +||data.erfahrung.o2.de^ +||data.ero.nespresso.com^ +||data.ese.nespresso.com^ +||data.esg.nespresso.com^ +||data.esk.nespresso.com^ +||data.eth.nespresso.com^ +||data.etr.nespresso.com^ +||data.etw.nespresso.com^ +||data.euk.nespresso.com^ +||data.europe.coca-cola.com^ +||data.events.cbussuper.com.au^ +||data.events.pokerstars.dk^ +||data.fans.alexalbon.com^ +||data.fans.realmadrid.com^ +||data.fans.williamsf1.com^ +||data.fundacion.realmadrid.org^ +||data.gc.qantas.com.au^ +||data.giftcards.dev.cjmadobe.com^ +||data.go.bartelldrugs.com^ +||data.grandpalladium.palladiumhotelgroup.com^ +||data.guest.princess.com^ +||data.hardrock.palladiumhotelgroup.com^ +||data.hello.consumercellular.com^ +||data.hk-email.princess.com^ +||data.hk-guest.princess.com^ +||data.hoteles.palladiumhotelgroup.com^ +||data.i.lotteryoffice.com.au^ +||data.i.mysticlake.com^ +||data.ibmnorthamerica.adobesandbox.com^ +||data.info.avianca.com^ +||data.info.aware.com.au^ +||data.info.consumercellular.com^ +||data.info.credit-suisse.com^ +||data.info.ficohsa.com.gt^ +||data.info.ficohsa.com.pa^ +||data.info.gobrightline.com^ +||data.info.jetstereo.com^ +||data.info.lumxpert.signify.com^ +||data.info.metro.fr^ +||data.info.motomundohn.com^ +||data.info.nordea.dk^ +||data.info.nordea.fi^ +||data.info.nordea.no^ +||data.info.nordea.se^ +||data.info.qb.intuit.com^ +||data.info.smart.com^ +||data.info.solvenza.hn^ +||data.info.ultramotorhn.com^ +||data.info.viking.com^ +||data.infobmg.bancobmg.com.br^ +||data.information.ayyildiz.de^ +||data.information.fonic.de^ +||data.information.o2.de^ +||data.information.telefonica.de^ +||data.information.whatsappsim.de^ +||data.inst.socios.realmadrid.com^ +||data.inswa.coca-cola.com^ +||data.investing.questrade.com^ +||data.jp-email.princess.com^ +||data.jp-guest.princess.com^ +||data.keybank.dev.cjmadobe.com^ +||data.latinamerica.coca-cola.com^ +||data.lavozdigital.es^ +||data.lifesize.com^ +||data.loyalty.timhortons.ca^ +||data.lp.eurobet.it^ +||data.m.metro-tr.com^ +||data.m.mysticlake.com^ +||data.m.philadelphiaeagles.com^ +||data.ma1.techvaladobe.com^ +||data.madridista-free.realmadrid.com^ +||data.madridista-premium.realmadrid.com^ +||data.magmail.northeast.aaa.com^ +||data.mail.callme.dk^ +||data.mail.metro.de^ +||data.mail.nn.nl^ +||data.mail.telia.dk^ +||data.mailing.kpn.com^ +||data.mailing.mcafee.com^ +||data.mailing.repsol.com^ +||data.mailtest.lexmei.online^ +||data.markadsmal.islandsbanki.is^ +||data.marketing-madridista-junior.realmadrid.com^ +||data.marketing-offers.airmiles.ca^ +||data.marketing.aeptest.a.intuit.com^ +||data.marketing.bancobmg.com.br^ +||data.marketing.boradetop.com.br^ +||data.marketing.doitbest.com^ +||data.marketing.ecg.magento.com^ +||data.marketing.giftcards.com^ +||data.marketing.onemarketinguxp.com^ +||data.marketing.perficientdemo.com^ +||data.marketing.smart.com^ +||data.marketing.stark.dk^ +||data.marketing.super99.com^ +||data.marketing.williamsf1.com^ +||data.marketingbmg.bancobmg.com.br^ +||data.member.aware.com.au^ +||data.member.unitedhealthcare.com^ +||data.membership.chowtaifook.com^ +||data.message.aircanada.com^ +||data.mkt.qb.intuit.com^ +||data.mktg.nfl.com^ +||data.mmail.northeast.aaa.com^ +||data.msg.wegmans.com^ +||data.msgs.westpac.com.au^ +||data.myhealth.riteaid.com^ +||data.nedbanktest.dev.cjmadobe.com^ +||data.news.airmiles.ca^ +||data.news.blesscollectionhotels.com^ +||data.news.eurobet.it^ +||data.news.lumxpert.signify.com^ +||data.news.palladiumhotelgroup.com^ +||data.news.paypal.com^ +||data.news.riyadhair.com^ +||data.news.wizconnected.com^ +||data.newsletter.avianca.com^ +||data.newsletter.italia.it^ +||data.newsletter.seasmiles.com^ +||data.noreply.timhortons.ca^ +||data.noreply.timsfinancial.ca^ +||data.northeast.aaa.com^ +||data.notice.assurancewireless.com^ +||data.notice.metrobyt-mobile.com^ +||data.notice.t-mobile.com^ +||data.notificaciones.ficohsa.com^ +||data.notification.giftcards.com^ +||data.notification.servicenow.com^ +||data.notifications.mylighting.signify.com^ +||data.notifications.portal.cooperlighting.com^ +||data.notifications.portal.signify.com^ +||data.notifications.riolasvegas.com^ +||data.okay.be^ +||data.online.clubeextra.com.br^ +||data.online.paodeacucar.com^ +||data.onlyyou.palladiumhotelgroup.com^ +||data.orders.costco.com^ +||data.outbound.luxair.lu^ +||data.page.worldvision.ca^ +||data.partner-offers.airmiles.ca^ +||data.partner-updates.airmiles.ca^ +||data.pharmacyservices.riteaid.com^ +||data.phg.palladiumhotelgroup.com^ +||data.pisos.com^ +||data.pnet.co.za^ +||data.prewards.palladiumhotelgroup.com^ +||data.promo.timhortons.ca^ +||data.promo.timhortons.com^ +||data.promos.timsfinancial.ca^ +||data.promotions.riolasvegas.com^ +||data.publicis-sapient-global-aep.publicissapient.com^ +||data.purchase.riteaid.com^ +||data.qaegift.giftcards.com^ +||data.qamailing.mcafee.com^ +||data.qamarketing.giftcards.com^ +||data.resources.ringcentral.com^ +||data.rewards.riteaid.com^ +||data.rmsocio.realmadrid.com^ +||data.securemetrics-apple.com^ +||data.service.aware.com.au^ +||data.service.cfs.com.au^ +||data.service.colonialfirststate.com.au^ +||data.service.manulife.ca^ +||data.service.miumiu.com^ +||data.service.paypal.com^ +||data.service.prada.com^ +||data.service.wizconnected.com^ +||data.services.telia.dk^ +||data.servicing.key.com^ +||data.sg-email.princess.com^ +||data.sg-guest.princess.com^ +||data.shop.williamsf1.com^ +||data.sm.princess.com^ +||data.smartinfo.future.smart.com^ +||data.smartmkt.future.smart.com^ +||data.smspromo.consumercellular.com^ +||data.socio.realmadrid.net^ +||data.stage-mail.fpl.com^ +||data.stage-message.aircanada.com^ +||data.stage-notifications.future.smart.com^ +||data.stageegift.giftcards.com^ +||data.stagemailing.mcafee.com^ +||data.stagemarketing.giftcards.com^ +||data.stageno.reply.fpl.com^ +||data.stepstone.be^ +||data.stepstone.de^ +||data.stepstone.nl^ +||data.surveys.aware.com.au^ +||data.t.epost.dnb.no^ +||data.t.worldvision.ca^ +||data.tc.jetstar.com^ +||data.thepointsguy.com^ +||data.tmail.northeast.aaa.com^ +||data.transaction.giftcards.com^ +||data.transactional.williamsf1.com^ +||data.trn.qb.intuit.com^ +||data.trx.costco.ca^ +||data.trx.costco.com^ +||data.tw-email.princess.com^ +||data.tw-guest.princess.com^ +||data.txn.puntoscolombia.com^ +||data.uk-email.princess.com^ +||data.uk-guest.princess.com^ +||data.umfrage.aetkasmart.de^ +||data.umfrage.ayyildiz.de^ +||data.umfrage.blau.de^ +||data.umfrage.nettokom.de^ +||data.umfrage.whatsappsim.de^ +||data.vinsolutions.com^ +||data.voyager.dev.cjmadobe.com^ +||data.web.doitbest.com^ +||data.welcome.realmadrid.com^ +||data.wunderman-email.cjm.adobe.com^ +||data.yashir.5555555.co.il^ +||data.yashir.9mil.co.il^ +||data.your.hesta.com.au^ +||data.your.hestaformercy.com.au^ +||data0.bell.ca^ +||data0.sympatico.ca^ +||data0.virginmobile.ca^ +||data1.bell.ca^ +||data1.sparkasse.at^ +||data1.virginmobile.ca^ +||data1.virginplus.ca^ +||datas.connectingthreads.com^ +||datas.knitpicks.com^ +||dc.audi.com^ +||dc.kfz-steuercheck.de^ +||dc.luzygas.ahorraconrepsol.com^ +||dc.madridistas.com^ +||dc.realmadrid.com^ +||dc.realmadridnext.com^ +||dc.reiseversicherung.de^ +||dc.repsol.com^ +||dc.repsol.es^ +||dc.stenaline.co.uk^ +||dc.stenaline.com^ +||dc.stenaline.cz^ +||dc.stenaline.de^ +||dc.stenaline.dk^ +||dc.stenaline.ee^ +||dc.stenaline.es^ +||dc.stenaline.fi^ +||dc.stenaline.fr^ +||dc.stenaline.ie^ +||dc.stenaline.it^ +||dc.stenaline.lt^ +||dc.stenaline.lv^ +||dc.stenaline.nl^ +||dc.stenaline.no^ +||dc.stenaline.pl^ +||dc.stenaline.ru^ +||dc.stenaline.se^ +||dc.stenalinetravel.com^ +||dc.tuenergia.repsol.com^ +||dc.waylet.es^ +||dc2.credit-suisse.com^ +||dcs.audi.com^ +||dcs.esprit.at^ +||dcs.esprit.au^ +||dcs.esprit.be^ +||dcs.esprit.co.uk^ +||dcs.esprit.com^ +||dcs.esprit.cz^ +||dcs.esprit.de^ +||dcs.esprit.dk^ +||dcs.esprit.es^ +||dcs.esprit.eu^ +||dcs.esprit.fi^ +||dcs.esprit.fr^ +||dcs.esprit.hk^ +||dcs.esprit.kr^ +||dcs.esprit.nl^ +||dcs.esprit.ph^ +||dcs.esprit.se^ +||dcs.esprit.sg^ +||dcs.esprit.tw^ +||dcs.esprit.us^ +||dcs.espritshop.ch^ +||dcs.espritshop.it^ +||dcs.espritshop.pl^ +||dcs.plussizetech.com^ +||dcs.reiseversicherung.de^ +||delivery.lululemon.com^ +||demo.emaillpb.adobe.com^ +||desuscripcion.phg.palladiumhotelgroup.com^ +||dev.email-signify.cjm.adobe.com^ +||di2.zooplus.es^ +||digistat.westjet.com^ +||digistats.westjet.com^ +||dii1.bitiba.be^ +||dii1.bitiba.cz^ +||dii1.bitiba.de^ +||dii1.bitiba.dk^ +||dii1.bitiba.fi^ +||dii1.bitiba.fr^ +||dii1.bitiba.it^ +||dii1.bitiba.pl^ +||dii1.zoochic-eu.ru^ +||dii1.zoohit.cz^ +||dii1.zoohit.si^ +||dii1.zoohit.sk^ +||dii1.zooplus.at^ +||dii1.zooplus.be^ +||dii1.zooplus.bg^ +||dii1.zooplus.ch^ +||dii1.zooplus.co.uk^ +||dii1.zooplus.com^ +||dii1.zooplus.de^ +||dii1.zooplus.dk^ +||dii1.zooplus.fi^ +||dii1.zooplus.fr^ +||dii1.zooplus.gr^ +||dii1.zooplus.hr^ +||dii1.zooplus.hu^ +||dii1.zooplus.ie^ +||dii1.zooplus.it^ +||dii1.zooplus.nl^ +||dii1.zooplus.no^ +||dii1.zooplus.pl^ +||dii1.zooplus.pt^ +||dii1.zooplus.ro^ +||dii1.zooplus.se^ +||dii2.bitiba.be^ +||dii2.bitiba.ch^ +||dii2.bitiba.co.uk^ +||dii2.bitiba.cz^ +||dii2.bitiba.de^ +||dii2.bitiba.dk^ +||dii2.bitiba.es^ +||dii2.bitiba.fi^ +||dii2.bitiba.fr^ +||dii2.bitiba.it^ +||dii2.bitiba.nl^ +||dii2.bitiba.pl^ +||dii2.bitiba.se^ +||dii2.shpd.ext.zooplus.io^ +||dii2.shpp.ext.zooplus.io^ +||dii2.zoobee.de^ +||dii2.zoochic-eu.ru^ +||dii2.zoohit.cz^ +||dii2.zoohit.si^ +||dii2.zoohit.sk^ +||dii2.zooplus.at^ +||dii2.zooplus.be^ +||dii2.zooplus.bg^ +||dii2.zooplus.ch^ +||dii2.zooplus.co.uk^ +||dii2.zooplus.com^ +||dii2.zooplus.de^ +||dii2.zooplus.dk^ +||dii2.zooplus.es^ +||dii2.zooplus.fi^ +||dii2.zooplus.fr^ +||dii2.zooplus.gr^ +||dii2.zooplus.hr^ +||dii2.zooplus.hu^ +||dii2.zooplus.ie^ +||dii2.zooplus.it^ +||dii2.zooplus.nl^ +||dii2.zooplus.no^ +||dii2.zooplus.pl^ +||dii2.zooplus.pt^ +||dii2.zooplus.ro^ +||dii2.zooplus.se^ +||dii3.bitiba.be^ +||dii3.bitiba.ch^ +||dii3.bitiba.co.uk^ +||dii3.bitiba.cz^ +||dii3.bitiba.de^ +||dii3.bitiba.dk^ +||dii3.bitiba.es^ +||dii3.bitiba.fi^ +||dii3.bitiba.fr^ +||dii3.bitiba.it^ +||dii3.bitiba.nl^ +||dii3.bitiba.pl^ +||dii3.bitiba.se^ +||dii3.zoochic-eu.ru^ +||dii3.zoohit.cz^ +||dii3.zoohit.si^ +||dii3.zoohit.sk^ +||dii3.zooplus.at^ +||dii3.zooplus.be^ +||dii3.zooplus.bg^ +||dii3.zooplus.ch^ +||dii3.zooplus.co.uk^ +||dii3.zooplus.com^ +||dii3.zooplus.de^ +||dii3.zooplus.dk^ +||dii3.zooplus.es^ +||dii3.zooplus.fi^ +||dii3.zooplus.fr^ +||dii3.zooplus.gr^ +||dii3.zooplus.hr^ +||dii3.zooplus.hu^ +||dii3.zooplus.ie^ +||dii3.zooplus.it^ +||dii3.zooplus.nl^ +||dii3.zooplus.no^ +||dii3.zooplus.pl^ +||dii3.zooplus.pt^ +||dii3.zooplus.ro^ +||dii3.zooplus.se^ +||dii4.bitiba.be^ +||dii4.bitiba.ch^ +||dii4.bitiba.co.uk^ +||dii4.bitiba.cz^ +||dii4.bitiba.de^ +||dii4.bitiba.dk^ +||dii4.bitiba.es^ +||dii4.bitiba.fi^ +||dii4.bitiba.fr^ +||dii4.bitiba.it^ +||dii4.bitiba.nl^ +||dii4.bitiba.pl^ +||dii4.bitiba.se^ +||dii4.zoochic-eu.ru^ +||dii4.zoohit.cz^ +||dii4.zoohit.si^ +||dii4.zoohit.sk^ +||dii4.zooplus.at^ +||dii4.zooplus.be^ +||dii4.zooplus.bg^ +||dii4.zooplus.ch^ +||dii4.zooplus.co.uk^ +||dii4.zooplus.com^ +||dii4.zooplus.de^ +||dii4.zooplus.dk^ +||dii4.zooplus.es^ +||dii4.zooplus.fi^ +||dii4.zooplus.fr^ +||dii4.zooplus.gr^ +||dii4.zooplus.hr^ +||dii4.zooplus.hu^ +||dii4.zooplus.ie^ +||dii4.zooplus.it^ +||dii4.zooplus.nl^ +||dii4.zooplus.no^ +||dii4.zooplus.pl^ +||dii4.zooplus.pt^ +||dii4.zooplus.ro^ +||dii4.zooplus.se^ +||dm-target.fishersci.com^ +||dm-target.thermofisher.com^ +||dplp1.ibmnorthamerica.adobesandbox.com^ +||dtmssl.bobcat.com^ +||dxaop.bcbsla.com^ +||dxop.bcbsla.com^ +||ecn-analytics-nssl.emc.com^ +||ecn-analytics.emc.com^ +||ecu.hagerty.com^ +||edge.afco.com^ +||edge.bell.ca^ +||edge.bigbrothercanada.ca^ +||edge.bridgetrusttitle.com^ +||edge.cafo.com^ +||edge.foodnetwork.ca^ +||edge.globaltv.com^ +||edge.grandbridge.com^ +||edge.hgtv.ca^ +||edge.historiatv.ca^ +||edge.history.ca^ +||edge.mcgriff.com^ +||edge.regionalacceptance.com^ +||edge.seriesplus.com^ +||edge.sheffieldfinancial.com^ +||edge.stacktv.ca^ +||edge.sterlingcapital.com^ +||edge.teletoonplus.ca^ +||edge.treehousetv.com^ +||edge.truist.com^ +||edge.truistmomentum.com^ +||edge.truistsecurities.com^ +||edge.wnetwork.com^ +||edgedc.falabella.com^ +||electronics.sony-latin.com^ +||em.em.officedepot.com^ +||emetrics.bose.ca^ +||emetrics.bose.com^ +||erutinmos.snagajob.com^ +||experience.acs.org.au^ +||experience.amp.co.nz^ +||experience.asb.co.nz^ +||experience.deceuninck.be^ +||experience.fbbrands.com^ +||experiences.cibc.com^ +||experiences.simplii.com^ +||fipsta.ravensberger-matratzen.de^ +||fipsta.urbanara.at^ +||fipsta.urbanara.co.uk^ +||fipsta.worldfitness.de^ +||firstparty.alloyio.com^ +||flashplayerfeedback.adobe.com^ +||forbes.realclearpolitics.com^ +||form.e.silverfernfarms.com^ +||fpc.changehealthcare.com^ +||fpc.firemountaingems.com^ +||fpcs.firemountaingems.com^ +||fpida.amphi.jp^ +||fpida.bodybook.jp^ +||fpida.cw-x.jp^ +||fpida.lingenoel.co.jp^ +||fpida.successwalk.jp^ +||fpida.une-nana-cool.com^ +||fpida.w-wing.jp^ +||fpida.wacoal.co.jp^ +||fpida.wacoalholdings.jp^ +||fpida.yue-japan.com^ +||fpssl-monitor-dal.omniture.com^ +||furnishings.bellacor.com^ +||gms.greatschools.org^ +||go2.ringcentral.com^ +||gw-analytics.panasonic.com^ +||hits.guardian.co.uk^ +||home.usg.com^ +||hqmetrics.sony.com^ +||hub.firestonecompleteautocare.com^ +||hubmetric.samsclub.com^ +||hubmetrics.samsclub.com^ +||i.americanblinds.com^ +||i.blinds.ca^ +||i.paypal.com^ +||icas.ikea.com^ +||icas.ikea.net^ +||ig.ig.com^ +||ig.igmarkets.com^ +||ig.nadex.com^ +||ik8uf01fm7neloo9.edge41.testandtarget.omniture.com^ +||img.biospace.com^ +||img.bwin.be^ +||img.bwin.com.mx^ +||img.bwin.com^ +||img.bwin.es^ +||img.bwin.it^ +||img.gamebookers.com^ +||img.healthecareers.com^ +||img.interhome.ch^ +||img.interhome.com^ +||img.interhome.se^ +||img.simply.bwin.com^ +||img.yemeksepeti.com^ +||incs.get-go.com^ +||incs.marketdistrict.com^ +||info.afl.com.au^ +||info.americas.coca-cola.com^ +||info.apac.coca-cola.com^ +||info.comms.coca-cola.com^ +||info.emea.coca-cola.com^ +||info.inswa.coca-cola.com^ +||info.latinamerica.coca-cola.com^ +||info.m.seek.co.nz^ +||info.m.seek.com.au^ +||info.penrithpanthers.com.au^ +||info.seaeagles.com.au^ +||info.seek.com^ +||info.sensis.com.au^ +||info.telstra.com.au^ +||info.telstra.com^ +||info.truelocal.com.au^ +||info.weststigers.com.au^ +||info.whitepages.com.au^ +||informatie.communicatie.nn.nl^ +||informatie.mail.nn.nl^ +||infos.anz-originator.com.au^ +||infos.anz.com.au^ +||infos.anz.com^ +||infos.anzmortgagesolutions.com.au^ +||infos.anzsmartchoice.com.au^ +||infos.b2dreamlab.com^ +||infos.belong.com.au^ +||infos.telstra.com.au^ +||infos.telstra.com^ +||infos.vodafone.com.au^ +||infos.whereis.com^ +||infos.whitepages.com.au^ +||infos.yellow.com.au^ +||insights.academy.com^ +||insights.bodogaffiliate.com^ +||insights.morrismohawk.ca^ +||insights.zinio.com^ +||iqmetrics.11freunde.de^ +||iqmetrics.ariva.de^ +||iqmetrics.btc-echo.de^ +||iqmetrics.cicero.de^ +||iqmetrics.del-2.org^ +||iqmetrics.dus.com^ +||iqmetrics.faz.net^ +||iqmetrics.forschung-und-wissen.de^ +||iqmetrics.freitag.de^ +||iqmetrics.hamburg-airport.de^ +||iqmetrics.handelsblatt.com^ +||iqmetrics.manager-magazin.de^ +||iqmetrics.marktundmittelstand.de^ +||iqmetrics.monopol-magazin.de^ +||iqmetrics.scinexx.de^ +||iqmetrics.spektrum.de^ +||iqmetrics.spiegel.de^ +||iqmetrics.sueddeutsche.de^ +||iqmetrics.tagesspiegel.de^ +||iqmetrics.wissen.de^ +||iqmetrics.wissenschaft.de^ +||iqmetrics.wiwo.de^ +||iqmetrics.zeit.de^ +||jinair.nsc.jinair.com^ +||jinair.sc.jinair.com^ +||journeys.journeyed.com^ +||jpaatr.astellas.jp^ +||jptgtr.astellas.jp^ +||kohlermetrics.kohler.com^ +||kohlermetricssecure.kohler.com^ +||l.dev-ajo.caixabank.com^ +||l.dm.casio.info^ +||l.training-page.worldvision.ca^ +||landing.lp.eurobet.it^ +||landing.madridista-free.realmadrid.com^ +||landingpage.emaillpb.adobe.com^ +||lewis.gct.com^ +||live.comunicaciones.jetstereo.com^ +||lp.b2bmail.adobe.com^ +||lp.club.costacoffee.in^ +||lp.club.costacoffee.pl^ +||lp.communications.manulife.ca^ +||lp.demo1.demoamericas275.adobe.com^ +||lp.demo10.demoamericas275.adobe.com^ +||lp.demo11.demoamericas275.adobe.com^ +||lp.demo12.demoamericas275.adobe.com^ +||lp.demo13.demoamericas275.adobe.com^ +||lp.demo14.demoamericas275.adobe.com^ +||lp.demo15.demoamericas275.adobe.com^ +||lp.demo16.demoamericas275.adobe.com^ +||lp.demo17.demoamericas275.adobe.com^ +||lp.demo18.demoamericas275.adobe.com^ +||lp.demo19.demoamericas275.adobe.com^ +||lp.demo2.demoamericas275.adobe.com^ +||lp.demo20.demoamericas275.adobe.com^ +||lp.demo3.demoamericas275.adobe.com^ +||lp.demo4.demoamericas275.adobe.com^ +||lp.demo5.demoamericas275.adobe.com^ +||lp.demo6.demoamericas275.adobe.com^ +||lp.demo7.demoamericas275.adobe.com^ +||lp.demo8.demoamericas275.adobe.com^ +||lp.demo9.demoamericas275.adobe.com^ +||lp.dmillersb.journeyusshared.adobe.com^ +||lp.dmillersbdev.journeyusshared.adobe.com^ +||lp.em.viking.com^ +||lp.email-kpn.cjm.adobe.com^ +||lp.email-lightroom.cjm.adobe.com^ +||lp.email-merkle.cjm.adobe.com^ +||lp.hol1.demoamericas275.adobe.com^ +||lp.hol10.demoamericas275.adobe.com^ +||lp.hol11.demoamericas275.adobe.com^ +||lp.hol12.demoamericas275.adobe.com^ +||lp.hol13.demoamericas275.adobe.com^ +||lp.hol14.demoamericas275.adobe.com^ +||lp.hol15.demoamericas275.adobe.com^ +||lp.hol16.demoamericas275.adobe.com^ +||lp.hol17.demoamericas275.adobe.com^ +||lp.hol18.demoamericas275.adobe.com^ +||lp.hol19.demoamericas275.adobe.com^ +||lp.hol2.demoamericas275.adobe.com^ +||lp.hol20.demoamericas275.adobe.com^ +||lp.hol4.demoamericas275.adobe.com^ +||lp.hol5.demoamericas275.adobe.com^ +||lp.hol6.demoamericas275.adobe.com^ +||lp.hol7.demoamericas275.adobe.com^ +||lp.hol8.demoamericas275.adobe.com^ +||lp.jkowalskisb.journeyusshared.adobe.com^ +||lp.jkowalskisbdev.journeyusshared.adobe.com^ +||lp.kkaufmansb.journeyusshared.adobe.com^ +||lp.owarnersb.journeyusshared.adobe.com^ +||lp.owarnersbdev.journeyusshared.adobe.com^ +||lptest.email-mobiledx.cjm.adobe.com^ +||m.communications.ihmvcu.org^ +||m.delltechnologies.com^ +||m.edweek.org^ +||m.olympia.it^ +||m.sm.princess.com^ +||m.topschooljobs.org^ +||m.trb.com^ +||m.univision.com^ +||maling.dn.no^ +||marketing.news.riyadhair.com^ +||matrix.hbo.com^ +||matrix.itshboanytime.com^ +||mbox.wegmans.com^ +||mbox12.offermatica.com^ +||mbox4.offermatica.com^ +||mbox5.offermatica.com^ +||mbox9.offermatica.com^ +||mbox9e.offermatica.com^ +||mcdmetric.aaa.com^ +||mcdmetrics.aaa.com^ +||mcdmetrics2.aaa.com^ +||mdws.1stchoicesavings.ca^ +||mdws.advancesavings.ca^ +||mdws.aldergrovecu.ca^ +||mdws.assiniboine.mb.ca^ +||mdws.banquelaurentienne.ca^ +||mdws.battlerivercreditunion.com^ +||mdws.beaubear.ca^ +||mdws.belgianalliancecu.mb.ca^ +||mdws.bergengrencu.com^ +||mdws.biggarcu.com^ +||mdws.bowvalleycu.com^ +||mdws.caissepopclare.com^ +||mdws.caseracu.ca^ +||mdws.cccu.ca^ +||mdws.ccunl.ca^ +||mdws.cdcu.com^ +||mdws.chinookcu.com^ +||mdws.chinookfinancial.com^ +||mdws.coastalfinancial.ca^ +||mdws.communitycreditunion.ns.ca^ +||mdws.communityfirst-cu.com^ +||mdws.communitytrust.ca^ +||mdws.consolidatedcreditu.com^ +||mdws.copperfin.ca^ +||mdws.cornerstonecu.com^ +||mdws.cua.com^ +||mdws.cvcu.bc.ca^ +||mdws.cwbank.com^ +||mdws.diamondnorthcu.com^ +||mdws.eaglerivercu.com^ +||mdws.eastcoastcu.ca^ +||mdws.easternedgecu.com^ +||mdws.eccu.ca^ +||mdws.ekccu.com^ +||mdws.encompasscu.ca^ +||mdws.enderbycreditunion.com^ +||mdws.envisionfinancial.ca^ +||mdws.estoniancu.com^ +||mdws.firstcu.ca^ +||mdws.firstontariocu.com^ +||mdws.fnbc.ca^ +||mdws.frontlinecu.com^ +||mdws.ganaraskacu.com^ +||mdws.gvccu.com^ +||mdws.hmecu.com^ +||mdws.icsavings.ca^ +||mdws.innovationcu.ca^ +||mdws.inovacreditunion.coop^ +||mdws.integriscu.ca^ +||mdws.interiorsavings.com^ +||mdws.islandsavings.ca^ +||mdws.kawarthacu.com^ +||mdws.lakelandcreditunion.com^ +||mdws.ldcu.ca^ +||mdws.lecu.ca^ +||mdws.leroycu.ca^ +||mdws.luminusfinancial.com^ +||mdws.minnedosacu.mb.ca^ +||mdws.montaguecreditu.com^ +||mdws.morellcreditu.com^ +||mdws.mvcu.ca^ +||mdws.nelsoncu.com^ +||mdws.newrosscreditunion.ca^ +||mdws.nivervillecu.mb.ca^ +||mdws.nlcu.com^ +||mdws.northerncu.com^ +||mdws.northsave.com^ +||mdws.northsydneycreditunion.com^ +||mdws.noventis.ca^ +||mdws.npscu.ca^ +||mdws.omista.com^ +||mdws.pccu.ca^ +||mdws.peacehills.com^ +||mdws.penfinancial.com^ +||mdws.portagecu.mb.ca^ +||mdws.prospera.ca^ +||mdws.provincialcu.com^ +||mdws.provincialemployees.com^ +||mdws.pscu.ca^ +||mdws.revcu.com^ +||mdws.rpcul.com^ +||mdws.samplecu.com^ +||mdws.sdcu.com^ +||mdws.shellcu.com^ +||mdws.southwestcu.com^ +||mdws.stridecu.ca^ +||mdws.sudburycu.com^ +||mdws.sunrisecu.mb.ca^ +||mdws.sunshineccu.com^ +||mdws.sydneycreditunion.com^ +||mdws.tandia.com^ +||mdws.tcufinancialgroup.com^ +||mdws.teachersplus.ca^ +||mdws.tignishcreditu.com^ +||mdws.ubcu.ca^ +||mdws.ukrainiancu.com^ +||mdws.unitycu.ca^ +||mdws.valleycreditunion.com^ +||mdws.valleyfirst.com^ +||mdws.vancity.com^ +||mdws.vantageone.net^ +||mdws.venturecu.ca^ +||mdws.vermilioncreditunion.com^ +||mdws.victorycreditunion.ca^ +||mdws.visioncu.ca^ +||mdws.wetaskiwincreditunion.com^ +||mdws.weyburncu.ca^ +||mdws.wfcu.ca^ +||mdws.wldcu.com^ +||mdws.wpcu.ca^ +||mdws.wscu.com^ +||mdws.yourcu.com^ +||med.androderm.com^ +||med.aptalispharma.com^ +||med.armourthyroid.com^ +||med.asacolhdhcp.com^ +||med.bystolic.com^ +||med.bystolichcp.com^ +||med.bystolicsavings.com^ +||med.cerexa.com^ +||med.dalvance.com^ +||med.delzicol.com^ +||med.fetzima.com^ +||med.fetzimahcp.com^ +||med.frxis.com^ +||med.gelnique.com^ +||med.liletta.com^ +||med.lilettahcp.com^ +||med.linzess.com^ +||med.linzesshcp.com^ +||med.live2thrive.org^ +||med.myandroderm.com^ +||med.namenda.com^ +||med.namzaric.com^ +||med.rectiv.com^ +||med.saphris.com^ +||med.savella.com^ +||med.savellahcp.com^ +||med.teflaro.com^ +||med.viibryd.com^ +||med.viibrydhcp.com^ +||med.vraylar.com^ +||meds.androderm.com^ +||meds.asacolhdhcp.com^ +||meds.avycaz.com^ +||meds.bystolicsavings.com^ +||meds.delzicol.com^ +||meds.fetzima.com^ +||meds.liletta.com^ +||meds.lilettahcp.com^ +||meds.linzess.com^ +||meds.linzesshcp.com^ +||meds.rapaflo.com^ +||meds.savella.com^ +||meds.viibryd.com^ +||meds.viibrydhcp.com^ +||met.jasperforge.org^ +||met.sewell.com^ +||met1.hp.com^ +||met2.hp.com^ +||metc.banfield.com^ +||metric-nonssl.nomura.co.jp^ +||metric.1035thearrow.com^ +||metric.4imprint.com^ +||metric.alexandani.com^ +||metric.angieslist.com^ +||metric.armstrong.com^ +||metric.armstrongceilings.com^ +||metric.asos.com^ +||metric.asos.de^ +||metric.atg.se^ +||metric.atlanta.net^ +||metric.australiansuper.com^ +||metric.barclaycardus.com^ +||metric.baylorhealth.com^ +||metric.billmelater.com^ +||metric.bostonscientific.com^ +||metric.caixabank.es^ +||metric.carview.co.jp^ +||metric.ch.nissan.co.jp^ +||metric.changiairport.com^ +||metric.cort.com^ +||metric.crateandbarrel.com^ +||metric.cshgreenwich.org^ +||metric.dertour.de^ +||metric.drsfostersmith.com^ +||metric.duluthtrading.com^ +||metric.emerils.com^ +||metric.fatcatalog.com^ +||metric.foodbusinessnews.net^ +||metric.fxdd.com^ +||metric.genesis.es^ +||metric.golfnow.com^ +||metric.handmark.com^ +||metric.hilton.com^ +||metric.iccu.com^ +||metric.ing.es^ +||metric.ingdirect.es^ +||metric.its.de^ +||metric.jahnreisen.de^ +||metric.jeppesen.com^ +||metric.lacaixa.es^ +||metric.lan.com^ +||metric.langhamhotels.com^ +||metric.lo.movement.com^ +||metric.longhornsteakhouse.com^ +||metric.m.nissan-global.com^ +||metric.makemytrip.com^ +||metric.mars.com^ +||metric.matchesfashion.com^ +||metric.meatpoultry.com^ +||metric.mein-its.de^ +||metric.melectronics.ch^ +||metric.millenniumhotels.com^ +||metric.morganshotelgroup.com^ +||metric.movement.com^ +||metric.napster.com^ +||metric.nissan.co.uk^ +||metric.nissan.cz^ +||metric.nissan.de^ +||metric.nissan.es^ +||metric.nissan.lt^ +||metric.nissan.lv^ +||metric.nissan.nl^ +||metric.nissan.no^ +||metric.nissan.sk^ +||metric.nissan.ua^ +||metric.nomura.co.jp^ +||metric.northeast.aaa.com^ +||metric.nrma.com.au^ +||metric.octanner.com^ +||metric.olivegarden.com^ +||metric.optum.com^ +||metric.panpacific.com^ +||metric.pepboys.com^ +||metric.philosophy.com^ +||metric.polyone.com^ +||metric.postoffice.co.uk^ +||metric.publicstorage.com^ +||metric.redlobster.com^ +||metric.rent.com^ +||metric.restockit.com^ +||metric.revolutionhealth.com^ +||metric.samsclub.com^ +||metric.schooloutfitters.com^ +||metric.schwab.com^ +||metric.schwabinstitutional.com^ +||metric.sciencemag.org^ +||metric.sdl.com^ +||metric.seetorontonow.com^ +||metric.serena.com^ +||metric.shop.com^ +||metric.thecapitalgrille.com^ +||metric.timewarnercable.com^ +||metric.toyotacertificados.com^ +||metric.toyotacertified.com^ +||metric.trulia.com^ +||metric.tsite.jp^ +||metric.vodacom.co.za^ +||metric.vodafone.com.eg^ +||metric.vodafone.hu^ +||metric.volkswagen-nutzfahrzeuge.de^ +||metric.volkswagen.com^ +||metric.volkswagen.de^ +||metric.volkswagen.es^ +||metric.volkswagen.ie^ +||metric.volkswagen.pl^ +||metric.wilsonelectronics.com^ +||metric.worldcat.org^ +||metric.yardhouse.com^ +||metricas.agzero.com.br^ +||metrics-ieeexplore.ieee.org^ +||metrics-target.siriusxm.com^ +||metrics.1800contacts.com^ +||metrics.24hourfitness.com^ +||metrics.28degreescard.com.au^ +||metrics.3838.com^ +||metrics.3m.com^ +||metrics.48.ie^ +||metrics.aa.com^ +||metrics.aavacations.com^ +||metrics.abbott.co.in^ +||metrics.abbott.co.jp^ +||metrics.abbott.com^ +||metrics.abbott^ +||metrics.abbottbrasil.com.br^ +||metrics.abbvie.com^ +||metrics.abercrombie.com^ +||metrics.absolute.com^ +||metrics.absolutetotalcare.com^ +||metrics.academy.com^ +||metrics.acbj.com^ +||metrics.accuweather.com^ +||metrics.acehardware.com^ +||metrics.actemrahcp.com^ +||metrics.activase.com^ +||metrics.activecommunities.com^ +||metrics.adacreisen.de^ +||metrics.adage.com^ +||metrics.adelaidenow.com.au^ +||metrics.adiglobal.us^ +||metrics.adobe.nb.com^ +||metrics.adobe.nbprivatewealth.com^ +||metrics.adt.com^ +||metrics.advancedmd.com^ +||metrics.aem.playstation.com^ +||metrics.aetn.com^ +||metrics.aetnamedicare.com^ +||metrics.affymetrix.com^ +||metrics.agentprovocateur.com^ +||metrics.agilent.com^ +||metrics.agtechnavigator.com^ +||metrics.aia.com^ +||metrics.aircanada.com^ +||metrics.airtran.com^ +||metrics.airtv.net^ +||metrics.alabama.aaa.com^ +||metrics.alecensa.com^ +||metrics.alexandani.com^ +||metrics.alienware.com^ +||metrics.allaboutyou.com^ +||metrics.allegisgroup.com^ +||metrics.allianz.com.au^ +||metrics.allianzlife.com^ +||metrics.allstate.com^ +||metrics.ally.com^ +||metrics.alpo.com^ +||metrics.ambetterhealth.com^ +||metrics.amd.com^ +||metrics.ameise.de^ +||metrics.american-airlines.nl^ +||metrics.americanairlines.be^ +||metrics.americanairlines.cl^ +||metrics.americanairlines.co.cr^ +||metrics.americanairlines.jp^ +||metrics.americanblinds.com^ +||metrics.americancentury.com^ +||metrics.americaninno.com^ +||metrics.americansignaturefurniture.com^ +||metrics.amersports.com^ +||metrics.amg.com^ +||metrics.amgfunds.com^ +||metrics.amplifon.com^ +||metrics.ancestry.ca^ +||metrics.ancestry.com.au^ +||metrics.ancestry.com^ +||metrics.ancestry.de^ +||metrics.angelinaballerina.com^ +||metrics.angi.com^ +||metrics.angieslist.com^ +||metrics.anhi.org^ +||metrics.anixter.com^ +||metrics.anntaylor.com^ +||metrics.ansys.com^ +||metrics.antena3.com^ +||metrics.anthem.com^ +||metrics.apartments.com^ +||metrics.apps.ge.com^ +||metrics.argenta.be^ +||metrics.argenta.eu^ +||metrics.argos.co.uk^ +||metrics.arkansastotalcare.com^ +||metrics.armstrong.com^ +||metrics.armstrongceilings.com^ +||metrics.armstrongflooring.com^ +||metrics.army.mod.uk^ +||metrics.as.com^ +||metrics.asos.com^ +||metrics.assurances-bnc.ca^ +||metrics.assurancewireless.com^ +||metrics.assuranthealth.com^ +||metrics.astrogaming.com^ +||metrics.asumag.com^ +||metrics.asurion.com^ +||metrics.asx.com.au^ +||metrics.atresmedia.com^ +||metrics.au.com^ +||metrics.audi.co.uk^ +||metrics.austar.com.au^ +||metrics.australiansuper.com^ +||metrics.autoclubmo.aaa.com^ +||metrics.avalara.com^ +||metrics.avastin-hcp.com^ +||metrics.aviationweek.com^ +||metrics.avnet.com^ +||metrics.axs.com^ +||metrics.babycenter.de^ +||metrics.baitoru-id.com^ +||metrics.baitoru.com^ +||metrics.baitorupro.com^ +||metrics.bakeryandsnacks.com^ +||metrics.bakeryawards.co.uk^ +||metrics.bakeryinfo.co.uk^ +||metrics.bananarepublic.eu^ +||metrics.bancobmg.com.br^ +||metrics.bankatfirst.com^ +||metrics.bankia.es^ +||metrics.bankofamerica.com^ +||metrics.banksa.com.au^ +||metrics.bankwest.com.au^ +||metrics.barclaycardus.com^ +||metrics.barclays.co.uk^ +||metrics.base.be^ +||metrics.bayer.com^ +||metrics.bayer.us^ +||metrics.bbva.com.ar^ +||metrics.bbva.com.co^ +||metrics.bbva.es^ +||metrics.bbva.mx^ +||metrics.bbva.pe^ +||metrics.bbvaleasing.mx^ +||metrics.bcbsks.com^ +||metrics.bcbsnc.com^ +||metrics.bcbsnd.com^ +||metrics.be.carrefour.eu^ +||metrics.bestandless.com.au^ +||metrics.bestrecipes.com.au^ +||metrics.beveragedaily.com^ +||metrics.bhf.org.uk^ +||metrics.billmelater.com^ +||metrics.biocompare.com^ +||metrics.biooncology.com^ +||metrics.biopharma-reporter.com^ +||metrics.bissell.com^ +||metrics.bitbang.com^ +||metrics.bizjournals.com^ +||metrics.bkb.ch^ +||metrics.blackbaud.com^ +||metrics.blackrock.com^ +||metrics.bmc.com^ +||metrics.bmo.com^ +||metrics.bmwusa.com^ +||metrics.bncollege.com^ +||metrics.bnymellon.com^ +||metrics.boats.com^ +||metrics.bobthebuilder.com^ +||metrics.bodyandsoul.com.au^ +||metrics.boehringer-ingelheim.es^ +||metrics.boozallen.com^ +||metrics.boq.com.au^ +||metrics.borgatapoker.com^ +||metrics.boscovs.com^ +||metrics.bose.ca^ +||metrics.bose.com^ +||metrics.bostonglobe.com^ +||metrics.bostonscientific.com^ +||metrics.breadfinancial.com^ +||metrics.bridgestoneamericas.com^ +||metrics.brighthorizons.com^ +||metrics.brilliantbylangham.com^ +||metrics.britishgas.co.uk^ +||metrics.brocade.com^ +||metrics.brooksbrothers.com^ +||metrics.brooksrunning.com^ +||metrics.bt.com.au^ +||metrics.bt.com^ +||metrics.bt.se^ +||metrics.buildasign.com^ +||metrics.bupa.com.au^ +||metrics.business.comcast.com^ +||metrics.buyersedge.com.au^ +||metrics.buysearchsell.com.au^ +||metrics.c2fo.com^ +||metrics.caesars.com^ +||metrics.cahealthwellness.com^ +||metrics.cairnspost.com.au^ +||metrics.caixabank.es^ +||metrics.calbaptist.edu^ +||metrics.calgary.ca^ +||metrics.calia.com^ +||metrics.calif.aaa.com^ +||metrics.calimera.com^ +||metrics.calvinklein.com^ +||metrics.calvinklein.us^ +||metrics.calwater.com^ +||metrics.camperboerse.com^ +||metrics.campingworld.com^ +||metrics.cancer.gov^ +||metrics.capella.edu^ +||metrics.capitalone.com^ +||metrics.caracoltv.com^ +||metrics.carbonite.com^ +||metrics.care.com^ +||metrics.career-education.monster.com^ +||metrics.carfax.com^ +||metrics.carnival.co.uk^ +||metrics.carnival.com.au^ +||metrics.carnival.com^ +||metrics.carpricesecrets.com^ +||metrics.carters.com^ +||metrics.carzone.ie^ +||metrics.casinosplendido.com^ +||metrics.casio.com.tw^ +||metrics.catalog.usmint.gov^ +||metrics.cathflo.com^ +||metrics.cb2.com^ +||metrics.cbc.ca^ +||metrics.cbc.youtube.mercedes-benz.com^ +||metrics.cbn.com^ +||metrics.ccma.cat^ +||metrics.cdiscount.com^ +||metrics.cedars-sinai.org^ +||metrics.cellcept.com^ +||metrics.census.gov^ +||metrics.centurylink.com^ +||metrics.channelfutures.com^ +||metrics.chapters.indigo.ca^ +||metrics.chatrwireless.com^ +||metrics.chghealthcare.com^ +||metrics.chipotle.com^ +||metrics.chrysler.com^ +||metrics.churchill.com^ +||metrics.cib.bnpparibas^ +||metrics.cigarsinternational.com^ +||metrics.citi.com^ +||metrics.citibank.com.my^ +||metrics.citibank.com^ +||metrics.citimortgage.com^ +||metrics.citizensbank.com^ +||metrics.claires.com^ +||metrics.cluballiance.aaa.com^ +||metrics.clubmonaco.ca^ +||metrics.cmfgroup.com^ +||metrics.cnb.com^ +||metrics.cnn.com^ +||metrics.coach.com^ +||metrics.coachfactory.com^ +||metrics.coalesse.com^ +||metrics.codesports.com.au^ +||metrics.columbia.com^ +||metrics.combinedinsurance.com^ +||metrics.comcast.com^ +||metrics.comenity.net^ +||metrics.commercialtrucktrader.com^ +||metrics.commonclaimsmistakesvideo.com^ +||metrics.company.co.uk^ +||metrics.comparethemarket.com^ +||metrics.confectionerynews.com^ +||metrics.consumerreports.org^ +||metrics.contractingbusiness.com^ +||metrics.conveniencestore.co.uk^ +||metrics.converse.com^ +||metrics.coolibar.com^ +||metrics.coordinatedcarehealth.com^ +||metrics.cornerbanca.ch^ +||metrics.correos.es^ +||metrics.cort.com^ +||metrics.corus.ca^ +||metrics.cosmeticsdesign-asia.com^ +||metrics.cosmeticsdesign-europe.com^ +||metrics.cosmeticsdesign.com^ +||metrics.cosstores.com^ +||metrics.costco.ca^ +||metrics.costco.com^ +||metrics.costcobusinesscentre.ca^ +||metrics.costcobusinessdelivery.com^ +||metrics.cotellic.com^ +||metrics.cottages.com^ +||metrics.countryfinancial.com^ +||metrics.couriermail.com.au^ +||metrics.covance.com^ +||metrics.coventryhealthcare.com^ +||metrics.cpsenergy.com^ +||metrics.crainsnewyork.com^ +||metrics.crateandbarrel.com^ +||metrics.creditacceptance.com^ +||metrics.crocs.com^ +||metrics.cru.org^ +||metrics.csmonitor.com^ +||metrics.csu.edu.au^ +||metrics.ctv.ca^ +||metrics.currys.co.uk^ +||metrics.cvs.com^ +||metrics.cycleworld.com^ +||metrics.cytivalifesciences.com^ +||metrics.dailytelegraph.com.au^ +||metrics.dairyreporter.com^ +||metrics.dandh.ca^ +||metrics.dandh.com^ +||metrics.darty.com^ +||metrics.datapipe.com^ +||metrics.dcshoes.com^ +||metrics.deakin.edu.au^ +||metrics.defenseone.com^ +||metrics.delhaizedirect.be^ +||metrics.delicious.com.au^ +||metrics.delta.com^ +||metrics.dentalcompare.com^ +||metrics.depakoteer.com^ +||metrics.der.com^ +||metrics.dertour-reisebuero.de^ +||metrics.dertour.de^ +||metrics.despegar.com^ +||metrics.dev.www.vwfs.de^ +||metrics.dhc.co.jp^ +||metrics.dhl.de^ +||metrics.digitaleditions.com.au^ +||metrics.directtv.com^ +||metrics.directv.com^ +||metrics.discover.com^ +||metrics.discovertrk.com^ +||metrics.dish.co^ +||metrics.dish.com^ +||metrics.distrelec.ch^ +||metrics.divosta.com^ +||metrics.diy.com^ +||metrics.diynetwork.com^ +||metrics.dockers.com^ +||metrics.dog.com^ +||metrics.dollar.com^ +||metrics.dollargeneral.com^ +||metrics.donaldson.com^ +||metrics.dreamvacationweek.com^ +||metrics.drklein.de^ +||metrics.droidsc.natwest.com^ +||metrics.droidsc.rbs.co.uk^ +||metrics.drsfostersmith.com^ +||metrics.drugpricinglaw.com^ +||metrics.duluthtrading.com^ +||metrics.dunkindonuts.com^ +||metrics.e-abbott.com^ +||metrics.e-wie-einfach.de^ +||metrics.eastcentral.aaa.com^ +||metrics.edb.gov.sg^ +||metrics.eddiebauer.com^ +||metrics.eddiev.com^ +||metrics.edgepark.com^ +||metrics.ee.co.uk^ +||metrics.egencia.ae^ +||metrics.egencia.be^ +||metrics.egencia.ca^ +||metrics.egencia.ch^ +||metrics.egencia.cn^ +||metrics.egencia.co.in^ +||metrics.egencia.co.nz^ +||metrics.egencia.co.uk^ +||metrics.egencia.co.za^ +||metrics.egencia.com.au^ +||metrics.egencia.com.hk^ +||metrics.egencia.com.sg^ +||metrics.egencia.com^ +||metrics.egencia.cz^ +||metrics.egencia.de^ +||metrics.egencia.dk^ +||metrics.egencia.es^ +||metrics.egencia.fi^ +||metrics.egencia.fr^ +||metrics.egencia.ie^ +||metrics.egencia.it^ +||metrics.egencia.nl^ +||metrics.egencia.no^ +||metrics.egencia.pl^ +||metrics.egencia.se^ +||metrics.ehc.com^ +||metrics.ehealthinsurance.com^ +||metrics.ehstoday.com^ +||metrics.einsure.com.au^ +||metrics.eiu.com^ +||metrics.eki-net.com^ +||metrics.el-mundo.net^ +||metrics.elal.com^ +||metrics.elgiganten.dk^ +||metrics.elle.co.jp^ +||metrics.ellechina.com^ +||metrics.elpais.com^ +||metrics.elsevier.com^ +||metrics.eltenedor.es^ +||metrics.emdeon.com^ +||metrics.emicizumabinfo.com^ +||metrics.emirates.com^ +||metrics.empiretoday.com^ +||metrics.enelenergia.it^ +||metrics.energyaustralia.com.au^ +||metrics.enspryng-hcp.com^ +||metrics.enspryng.com^ +||metrics.enterprise.com^ +||metrics.ereplacementparts.com^ +||metrics.erivedge.com^ +||metrics.esbriet.com^ +||metrics.esbriethcp.com^ +||metrics.escape.com.au^ +||metrics.esignal.com^ +||metrics.etihad.com^ +||metrics.etihadengineering.com^ +||metrics.etihadguest.com^ +||metrics.eu.playstation.com^ +||metrics.eurobet.it^ +||metrics.eversource.com^ +||metrics.evine.com^ +||metrics.evite.com^ +||metrics.evrysdi.com^ +||metrics.ewstv.com^ +||metrics.examinebiosimilars.com^ +||metrics.explore.calvinklein.com^ +||metrics.express.com^ +||metrics.extraespanol.warnerbros.com^ +||metrics.extratv.warnerbros.com^ +||metrics.faceipf.com^ +||metrics.familiaynutricion.com.co^ +||metrics.fancl.co.jp^ +||metrics.farmprogressdaily.com^ +||metrics.farmshopanddelishow.co.uk^ +||metrics.farnell.com^ +||metrics.fcacert.com^ +||metrics.fcbarcelona.com^ +||metrics.fcsamerica.com^ +||metrics.fedex.com^ +||metrics.feednavigator.com^ +||metrics.feedstuffsfoodlink.com^ +||metrics.ferguson.com^ +||metrics.fetnet.net^ +||metrics.fifa.com^ +||metrics.figis.com^ +||metrics.filemaker.com^ +||metrics.finn.no^ +||metrics.flagstar.com^ +||metrics.flexerasoftware.com^ +||metrics.flexshares.com^ +||metrics.fmdos.cl^ +||metrics.folksam.se^ +||metrics.foodanddrinkexpo.co.uk^ +||metrics.foodex.co.uk^ +||metrics.foodmanufacture.co.uk^ +||metrics.foodnavigator-asia.com^ +||metrics.foodnavigator-latam.com^ +||metrics.foodnavigator-usa.com^ +||metrics.foodnavigator.com^ +||metrics.foodnetwork.com^ +||metrics.forbestravelguide.com^ +||metrics.ford.com^ +||metrics.forecourttrader.co.uk^ +||metrics.fortinet.com^ +||metrics.fortune.com^ +||metrics.foxbusiness.com^ +||metrics.foxnews.com^ +||metrics.foxsports.com.au^ +||metrics.fpl.com^ +||metrics.fressnapf.at^ +||metrics.fressnapf.ch^ +||metrics.fressnapf.de^ +||metrics.friskies.com^ +||metrics.frontier.com^ +||metrics.ftd.com^ +||metrics.fuzeon.com^ +||metrics.galicia.ar^ +||metrics.gap.co.jp^ +||metrics.gap.co.uk^ +||metrics.gap.com^ +||metrics.gap.eu^ +||metrics.gapcanada.ca^ +||metrics.gazyva.com^ +||metrics.gcimetrics.com^ +||metrics.geelongadvertiser.com.au^ +||metrics.gemfinance.co.nz^ +||metrics.genentech-access.com^ +||metrics.genentech-forum.com^ +||metrics.genentech-pro.com^ +||metrics.genentechhemophilia.com^ +||metrics.generac.com^ +||metrics.genesis.es^ +||metrics.gengraf.com^ +||metrics.genzyme.com^ +||metrics.giftcards.com^ +||metrics.gio.com.au^ +||metrics.global.mandg.com^ +||metrics.global.nba.com^ +||metrics.globalgolf.com^ +||metrics.globalscape.com^ +||metrics.globe.com.ph^ +||metrics.glucerna.net^ +||metrics.gnc.com^ +||metrics.goalfinancial.net^ +||metrics.gobank.com^ +||metrics.goindigo.in^ +||metrics.goinggoing.com^ +||metrics.goldcoastbulletin.com.au^ +||metrics.golfgalaxy.com^ +||metrics.gomastercard.com.au^ +||metrics.gomedigap.com^ +||metrics.goodhousekeeping.co.uk^ +||metrics.gordonsjewelers.com^ +||metrics.gq.com.au^ +||metrics.grainger.com^ +||metrics.grandandtoy.com^ +||metrics.greatland.com^ +||metrics.greendot.com^ +||metrics.greenflag.com^ +||metrics.greenies.com^ +||metrics.growthasiasummit.com^ +||metrics.grundfos.com^ +||metrics.guess.hk^ +||metrics.handmark.com^ +||metrics.harborfreight.com^ +||metrics.hatarako.net^ +||metrics.hawaii.aaa.com^ +||metrics.hayesandjarvis.co.uk^ +||metrics.hbogo.com^ +||metrics.hbogola.com^ +||metrics.hbr.org^ +||metrics.health.com^ +||metrics.healthpartners.com^ +||metrics.heathrow.com^ +||metrics.heathrowexpress.com^ +||metrics.helpguide.sony.net^ +||metrics.helvetia.com^ +||metrics.her2treatment.com^ +||metrics.heraldsun.com.au^ +||metrics.herbalife.com^ +||metrics.herceptin.com^ +||metrics.herceptinhylecta.com^ +||metrics.hgtv.com^ +||metrics.hitentertainment.com^ +||metrics.hm.com^ +||metrics.hmhco.com^ +||metrics.hollandamerica.com^ +||metrics.hollisterco.com.hk^ +||metrics.hollisterco.com^ +||metrics.homeadvisor.com^ +||metrics.homedecorators.com^ +||metrics.hoseasons.co.uk^ +||metrics.hostech.co.uk^ +||metrics.hrblock.com^ +||metrics.hsamuel.co.uk^ +||metrics.htc.com^ +||metrics.hubert.com^ +||metrics.huffingtonpost.es^ +||metrics.huntington.com^ +||metrics.huntingtonsdiseasehcp.com^ +||metrics.hydraulicspneumatics.com^ +||metrics.hyundaiusa.com^ +||metrics.iconfitness.com^ +||metrics.ifc.org^ +||metrics.iij.ad.jp^ +||metrics.ikea.com^ +||metrics.illinois.gov^ +||metrics.industryweek.com^ +||metrics.inet.fi^ +||metrics.infiniti.com^ +||metrics.infomedics.it^ +||metrics.ing.es^ +||metrics.ingdirect.es^ +||metrics.ingredion.com^ +||metrics.inkcartridges.com^ +||metrics.insider.hagerty.com^ +||metrics.instyle.com^ +||metrics.insuramatch.com^ +||metrics.insurancesaver.com^ +||metrics.interbank.pe^ +||metrics.interestfree.com.au^ +||metrics.interhyp.de^ +||metrics.internationalwinechallenge.com^ +||metrics.intervalworld.com^ +||metrics.interweave.com^ +||metrics.investmentnews.com^ +||metrics.ionos-group.com^ +||metrics.ionos.at^ +||metrics.ionos.ca^ +||metrics.ionos.co.uk^ +||metrics.ionos.com^ +||metrics.ionos.de^ +||metrics.ionos.es^ +||metrics.ionos.fr^ +||metrics.ionos.it^ +||metrics.ionos.mx^ +||metrics.iossc.natwest.com^ +||metrics.iossc.rbs.co.uk^ +||metrics.ireport.com^ +||metrics.its.de^ +||metrics.ittoolbox.com^ +||metrics.ivivva.com^ +||metrics.iwakifc.com^ +||metrics.jamestowndistributors.com^ +||metrics.jcrew.com^ +||metrics.jcwhitney.com^ +||metrics.jeppesen.com^ +||metrics.jetblue.com^ +||metrics.jm-lexus.com^ +||metrics.joefresh.com^ +||metrics.johnhancock.com^ +||metrics.judgemathistv.warnerbros.com^ +||metrics.juiceplus.com^ +||metrics.jungheinrich-profishop.co.uk^ +||metrics.kadcyla.com^ +||metrics.kaercher.com^ +||metrics.kao.com^ +||metrics.kawai-juku.ac.jp^ +||metrics.kayosports.com.au^ +||metrics.kempinski.com^ +||metrics.kennethcole.com^ +||metrics.keno.com.au^ +||metrics.key.com^ +||metrics.keysight.com^ +||metrics.kia.com^ +||metrics.kidsnews.com.au^ +||metrics.kidspot.com.au^ +||metrics.kimberly-clark.com^ +||metrics.kindercare.com^ +||metrics.kipling-usa.com^ +||metrics.kirklands.com^ +||metrics.knowyourhdl.com^ +||metrics.knowyourtrigs.com^ +||metrics.kone.cn^ +||metrics.kpmg.com^ +||metrics.kpmg.us^ +||metrics.kristinehamn.se^ +||metrics.kumon.com^ +||metrics.kunilexusofcoloradosprings.com^ +||metrics.labcorp.com^ +||metrics.lacaixa.es^ +||metrics.lacounty.gov^ +||metrics.ladbrokes.be^ +||metrics.lafourchette.com^ +||metrics.lambweston.com^ +||metrics.landolakesinc.com^ +||metrics.langhamhotels.com^ +||metrics.lastminute.ch^ +||metrics.latitudefinancial.com.au^ +||metrics.latitudepay.com^ +||metrics.learning.monster.com^ +||metrics.learningcurve.com^ +||metrics.legalandgeneral.com^ +||metrics.legalsolutions.thomsonreuters.com^ +||metrics.leggmason.com^ +||metrics.levi.com^ +||metrics.lexus.com^ +||metrics.lexusofqueens.com^ +||metrics.lifetime.life^ +||metrics.liverpool.com.mx^ +||metrics.lmtonline.com^ +||metrics.loblaws.ca^ +||metrics.londoncoffeefestival.com^ +||metrics.lovefilm.com^ +||metrics.lowes.com^ +||metrics.lpl.com^ +||metrics.lucentis.com^ +||metrics.lululemon.ch^ +||metrics.lululemon.cn^ +||metrics.lululemon.co.jp^ +||metrics.lululemon.co.kr^ +||metrics.lululemon.co.nz^ +||metrics.lululemon.co.uk^ +||metrics.lululemon.com.au^ +||metrics.lululemon.com.hk^ +||metrics.lululemon.com^ +||metrics.lululemon.de^ +||metrics.lululemon.fr^ +||metrics.lww.com^ +||metrics.lycos.com^ +||metrics.ma500.co.uk^ +||metrics.madeformums.com^ +||metrics.maestrocard.com^ +||metrics.makemytrip.com^ +||metrics.mandg.com^ +||metrics.marcus.com^ +||metrics.marketing.lighting.philips.kz^ +||metrics.marksandspencer.com^ +||metrics.marksandspencer.eu^ +||metrics.marksandspencer.fr^ +||metrics.marksandspencer.ie^ +||metrics.marksandspencerlondon.com^ +||metrics.marriott.com^ +||metrics.marriottvacationclub.asia^ +||metrics.mars.com^ +||metrics.mastercard.com^ +||metrics.mastercardadvisors.com^ +||metrics.mastercardbusiness.com^ +||metrics.mastercardintl.com^ +||metrics.masters.com^ +||metrics.matchesfashion.com^ +||metrics.mathworks.cn^ +||metrics.mathworks.com^ +||metrics.matlab.com^ +||metrics.maurices.com^ +||metrics.maxgo.com^ +||metrics.maxizoo.be^ +||metrics.maxizoo.fr^ +||metrics.maxizoo.ie^ +||metrics.maxizoo.pl^ +||metrics.mca-insight.com^ +||metrics.med.roche.ru^ +||metrics.medical.roche.de^ +||metrics.meiers-weltreisen.de^ +||metrics.mein-dertour.de^ +||metrics.mein-its.de^ +||metrics.mein-jahnreisen.de^ +||metrics.mein-meiers-weltreisen.de^ +||metrics.melectronics.ch^ +||metrics.menshealth.co.uk^ +||metrics.metrobyt-mobile.com^ +||metrics.mfs.com^ +||metrics.mgmresorts.com^ +||metrics.mhn.com^ +||metrics.mhngs.com^ +||metrics.mibcookies.rbs.com^ +||metrics.midatlantic.aaa.com^ +||metrics.midwestliving.com^ +||metrics.miketheknight.com^ +||metrics.miles-and-more.com^ +||metrics.mindshareworld.com^ +||metrics.miniusa.com^ +||metrics.missselfridge.com^ +||metrics.misumi-ec.com^ +||metrics.mobilebanking.scotiabank.com^ +||metrics.modcloth.com^ +||metrics.moen.com^ +||metrics.monclick.it^ +||metrics.moneta.cz^ +||metrics.moodys.com^ +||metrics.moosejaw.com^ +||metrics.morganshotelgroup.com^ +||metrics.morganstanley.com^ +||metrics.morningadvertiser.co.uk^ +||metrics.morningstar.com^ +||metrics.morrisjenkins.com^ +||metrics.motorhomebookers.com^ +||metrics.motortrend.com^ +||metrics.mrporter.com^ +||metrics.mrrooter.com^ +||metrics.mum.edu^ +||metrics.mycareforward.com^ +||metrics.myclubwyndham.com^ +||metrics.mydish.com^ +||metrics.myprime.com^ +||metrics.myspringfield.com^ +||metrics.mytributes.com.au^ +||metrics.myvi.in^ +||metrics.myyellow.com^ +||metrics.nab.com.au^ +||metrics.nabbroker.com.au^ +||metrics.napaonline.com^ +||metrics.nascar.com^ +||metrics.nationalconvenienceshow.co.uk^ +||metrics.nationalgeographic.com^ +||metrics.nationaljournal.com^ +||metrics.nationalrestaurantawards.co.uk^ +||metrics.nba.com^ +||metrics.nbnco.com.au^ +||metrics.nebraskatotalcare.com^ +||metrics.nero.com^ +||metrics.nespresso.com^ +||metrics.nestlepurinacareers.com^ +||metrics.netxpress.biz^ +||metrics.netxpress.co.nz^ +||metrics.newark.com^ +||metrics.newbalance.co.uk^ +||metrics.newbalance.com^ +||metrics.newequipment.com^ +||metrics.newmexico.aaa.com^ +||metrics.newport.com^ +||metrics.newportlexus.com^ +||metrics.news.co.uk^ +||metrics.news.com.au^ +||metrics.newsadds.com.au^ +||metrics.newsconcierge.com.au^ +||metrics.newscorpaustralia.com^ +||metrics.newscorporatesubscriptions.com.au^ +||metrics.newyorkfarmshow.com^ +||metrics.nexmo.com^ +||metrics.nfl.com^ +||metrics.nflextrapoints.com^ +||metrics.nfluk.com^ +||metrics.nfm.com^ +||metrics.nfpa.org^ +||metrics.nhm.ac.uk^ +||metrics.nhmshop.co.uk^ +||metrics.nielsen.com^ +||metrics.nike.net^ +||metrics.nintendo.com^ +||metrics.nissan.co.uk^ +||metrics.nissan.ee^ +||metrics.nissan.es^ +||metrics.nissan.lt^ +||metrics.nissan.lv^ +||metrics.nissan.no^ +||metrics.nissanusa.com^ +||metrics.nmfn.com^ +||metrics.nn.nl^ +||metrics.noloan.com^ +||metrics.northeast.aaa.com^ +||metrics.northernnewengland.aaa.com^ +||metrics.northwesternmutual.com^ +||metrics.norvir.com^ +||metrics.nowtv.com^ +||metrics.nrma.com.au^ +||metrics.ntnews.com.au^ +||metrics.nutraingredients-asia.com^ +||metrics.nutraingredients-latam.com^ +||metrics.nutraingredients-usa.com^ +||metrics.nutraingredients.com^ +||metrics.nutraingredientsasia-awards.com^ +||metrics.nutropin.com^ +||metrics.nvidia.com^ +||metrics.nxtbook.com^ +||metrics.nyandcompany.com^ +||metrics.nycgo.com^ +||metrics.nylexpress.com^ +||metrics.nysdot.gov^ +||metrics.o2online.de^ +||metrics.ocrelizumabinfo.com^ +||metrics.ocrevus.com^ +||metrics.octanner.com^ +||metrics.oetker.de^ +||metrics.olgaintimates.com^ +||metrics.omniture.com^ +||metrics.omya.com^ +||metrics.onecall.com^ +||metrics.optimum.net^ +||metrics.optum.com^ +||metrics.oreck.com^ +||metrics.oreilly.com^ +||metrics.orlandofuntickets.com^ +||metrics.outsourcing-pharma.com^ +||metrics.pacsun.com^ +||metrics.palopmed.com^ +||metrics.panasonic.biz^ +||metrics.panasonic.com^ +||metrics.panasonic.jp^ +||metrics.pandora.com^ +||metrics.panerabread.com^ +||metrics.paperdirect.com^ +||metrics.parcelforce.com^ +||metrics.patientsatheart.com^ +||metrics.paysafecard.com^ +||metrics.pcrichard.com^ +||metrics.pebblebeach.com^ +||metrics.penny-reisen.de^ +||metrics.pennymacusa.com^ +||metrics.penton.com^ +||metrics.people.com^ +||metrics.peoplescourt.warnerbros.com^ +||metrics.pepboys.com^ +||metrics.perjeta.com^ +||metrics.petchow.net^ +||metrics.petco.com^ +||metrics.petinsurance.com^ +||metrics.petsmart.com^ +||metrics.pfizer.com^ +||metrics.pgi.com^ +||metrics.pgs.com^ +||metrics.phoenix.edu^ +||metrics.photos.com^ +||metrics.pinkribbonbottle.com^ +||metrics.pisces-penton.com^ +||metrics.plusrewards.com.au^ +||metrics.pmis.abbott.com^ +||metrics.politico.com^ +||metrics.politico.eu^ +||metrics.politicopro.com^ +||metrics.polivy.com^ +||metrics.popularwoodworking.com^ +||metrics.portal.roche.de^ +||metrics.post-gazette.com^ +||metrics.postoffice.co.uk^ +||metrics.powerreviews.com^ +||metrics.ppt.org^ +||metrics.prd.base.be^ +||metrics.prd.telenet.be^ +||metrics.premierinn.com^ +||metrics.priceless.com^ +||metrics.princess.com^ +||metrics.privilege.com^ +||metrics.probiotaamericas.com^ +||metrics.proquest.com^ +||metrics.protectmyid.com^ +||metrics.provincial.com^ +||metrics.proximus.be^ +||metrics.pru.co.uk^ +||metrics.prudential.com^ +||metrics.pruina.com^ +||metrics.psoriasisuncovered.com^ +||metrics.publiclands.com^ +||metrics.publicstorage.com^ +||metrics.pulmozyme.com^ +||metrics.puma.com^ +||metrics.purina-petcare.com^ +||metrics.purina.ca^ +||metrics.purinamills.com^ +||metrics.purinaone.com^ +||metrics.purinastore.com^ +||metrics.purinaveterinarydiets.com^ +||metrics.puritan.com^ +||metrics.pvh.com^ +||metrics.qatarairways.com^ +||metrics.questrade.com^ +||metrics.quiksilver.com^ +||metrics.quill.com^ +||metrics.quiltingcompany.com^ +||metrics.qvc.jp^ +||metrics.r200.co.uk^ +||metrics.radissonhotels.com^ +||metrics.radissonhotelsamericas.com^ +||metrics.rainbowmagic.co.uk^ +||metrics.ralphlauren.com^ +||metrics.ralphlauren.fr^ +||metrics.rarediseasesignup.com^ +||metrics.rbcgam.com^ +||metrics.rbcgma.com^ +||metrics.rci.com^ +||metrics.rcn.com^ +||metrics.rcsmetrics.it^ +||metrics.reallymoving.com^ +||metrics.realpropertymgt.com^ +||metrics.realsimple.com^ +||metrics.realtor.com^ +||metrics.refinitiv.com^ +||metrics.refrigeratedtransporter.com^ +||metrics.regal.es^ +||metrics.regions.com^ +||metrics.reliant.com^ +||metrics.renesas.com^ +||metrics.renfe.com^ +||metrics.rent.com^ +||metrics.reseguiden.se^ +||metrics.restaurant-hospitality.com^ +||metrics.restaurantonline.co.uk^ +||metrics.restockit.com^ +||metrics.retail-week.com^ +||metrics.rethinksma.com^ +||metrics.rewe-reisen.de^ +||metrics.rewe.de^ +||metrics.richmondamerican.com^ +||metrics.riteaid.com^ +||metrics.rituxan.com^ +||metrics.rituxanforgpampa-hcp.com^ +||metrics.rituxanforpv.com^ +||metrics.rituxanforra-hcp.com^ +||metrics.rituxanforra.com^ +||metrics.rituxanhycela.com^ +||metrics.robeco.com^ +||metrics.roche-applied-science.com^ +||metrics.roche-infohub.co.za^ +||metrics.roche.de^ +||metrics.rochehelse.no^ +||metrics.rocheksa.com^ +||metrics.rochenet.pt^ +||metrics.rockandpop.cl^ +||metrics.rolex.cn^ +||metrics.rotorooter.com^ +||metrics.roxy.com^ +||metrics.royalcaribbean.com^ +||metrics.royalmail.com^ +||metrics.royalmailgroup.com^ +||metrics.rozlytrek.com^ +||metrics.ryanhomes.com^ +||metrics.rydahls.se^ +||metrics.sainsburysbank.co.uk^ +||metrics.salliemae.com^ +||metrics.samsclub.com^ +||metrics.samsunglife.com^ +||metrics.sap.com^ +||metrics.sasktel.com^ +||metrics.saudiairlines.com^ +||metrics.savethechildren.org.uk^ +||metrics.sce.com^ +||metrics.schooloutfitters.com^ +||metrics.sciencemag.org^ +||metrics.scopus.com^ +||metrics.scottrade.com^ +||metrics.sdcvisit.com^ +||metrics.seabourn.com^ +||metrics.seawheeze.com^ +||metrics.seb.se^ +||metrics.sebgroup.com^ +||metrics.seloger.com^ +||metrics.sensai-cosmetics.com^ +||metrics.sentido.com^ +||metrics.sephora.com^ +||metrics.sephora.fr^ +||metrics.sephora.it^ +||metrics.sephora.pl^ +||metrics.sfchronicle.com^ +||metrics.sfr.fr^ +||metrics.sgproof.com^ +||metrics.shangri-la.com^ +||metrics.shannons.com.au^ +||metrics.sharecare.com^ +||metrics.sharpusa.com^ +||metrics.shinseibank.com^ +||metrics.shiremedinfo.com^ +||metrics.shop.learningcurve.com^ +||metrics.shop.superstore.ca^ +||metrics.shopjapan.co.jp^ +||metrics.shopmyexchange.com^ +||metrics.showtickets.com^ +||metrics.showtime.com^ +||metrics.similac.com.tr^ +||metrics.siriusxm.ca^ +||metrics.siriusxm.com^ +||metrics.sisal.it^ +||metrics.sj1.omniture.com^ +||metrics.sjo.omniture.com^ +||metrics.skandia.se^ +||metrics.skipton.co.uk^ +||metrics.skistar.com^ +||metrics.sky.com^ +||metrics.sky.it^ +||metrics.skynews.com.au^ +||metrics.sling.com^ +||metrics.smartauctionlogin.com^ +||metrics.smartstyle.com^ +||metrics.smartzip.com^ +||metrics.smbcnikko.co.jp^ +||metrics.smedia.com.au^ +||metrics.snapfish.ca^ +||metrics.softwareag.com^ +||metrics.solarwinds.com^ +||metrics.solaseedair.jp^ +||metrics.solinst.com^ +||metrics.somas.se^ +||metrics.sony.com^ +||metrics.sony.jp^ +||metrics.sothebys.com^ +||metrics.southeastfarmpress.com^ +||metrics.southwest.com^ +||metrics.sparkassendirekt.de^ +||metrics.spdrs.com^ +||metrics.spencersonline.com^ +||metrics.spirithalloween.com^ +||metrics.srpnet.com^ +||metrics.ssga.com^ +||metrics.stage.www.vwfs.de^ +||metrics.standardandpoors.com^ +||metrics.stanfordhealthcare.org^ +||metrics.staples.com.au^ +||metrics.staples.com^ +||metrics.staplesadvantage.com^ +||metrics.starhub.com^ +||metrics.startribune.com^ +||metrics.statefarm.com^ +||metrics.statestreet.com^ +||metrics.steelcase.com^ +||metrics.steinhafels.com^ +||metrics.stockhead.com.au^ +||metrics.store.irobot.com^ +||metrics.strategiccoach.com^ +||metrics.striderite.com^ +||metrics.strokeawareness.com^ +||metrics.stubhub.co.uk^ +||metrics.stubhub.de^ +||metrics.stubhub.fr^ +||metrics.stwater.co.uk^ +||metrics.suncorpbank.com.au^ +||metrics.sunflowerhealthplan.com^ +||metrics.sungard.com^ +||metrics.sunlife.com^ +||metrics.sunpower.com^ +||metrics.sunpowercorp.com^ +||metrics.supercoach.com.au^ +||metrics.supercuts.com^ +||metrics.support.e-abbott.com^ +||metrics.svd.se^ +||metrics.swinburne.edu.au^ +||metrics.synergy.net.au^ +||metrics.synopsys.com^ +||metrics.sysco.com^ +||metrics.t-mobile.com^ +||metrics.t-mobilemoney.com^ +||metrics.tacobell.com^ +||metrics.tagesspiegel.de^ +||metrics.takami-labo.com^ +||metrics.talbots.com^ +||metrics.tamiflu.com^ +||metrics.tarceva.com^ +||metrics.target.com^ +||metrics.taste.com.au^ +||metrics.tasteline.com^ +||metrics.taxi.com^ +||metrics.taylormadegolf.com^ +||metrics.taylors.edu.my^ +||metrics.tbs.com^ +||metrics.tcm.com^ +||metrics.tcs.com^ +||metrics.td.com^ +||metrics.tdworld.com^ +||metrics.te.com^ +||metrics.teachforamerica.org^ +||metrics.teampages.com^ +||metrics.teamviewer.cn^ +||metrics.teamviewer.com^ +||metrics.tecentriq-hcp.com^ +||metrics.tecentriq.com^ +||metrics.teeoff.com^ +||metrics.telegraph.co.uk^ +||metrics.telenet.be^ +||metrics.telenor.se^ +||metrics.tescobank.com^ +||metrics.teveten-us.com^ +||metrics.texas.aaa.com^ +||metrics.tgifridays.com^ +||metrics.theaustralian.com.au^ +||metrics.thechronicle.com.au^ +||metrics.thedailybeast.com^ +||metrics.thefork.com^ +||metrics.thegrocer.co.uk^ +||metrics.thehartford.com^ +||metrics.thelott.com^ +||metrics.themadisonsquaregardencompany.com^ +||metrics.themercury.com.au^ +||metrics.thenation.com^ +||metrics.theomnichannelconference.co.uk^ +||metrics.therestaurantconference.co.uk^ +||metrics.therestaurantshow.co.uk^ +||metrics.thetrainline.com^ +||metrics.theworlds50best.com^ +||metrics.thingspeak.com^ +||metrics.thingsremembered.com^ +||metrics.thomasandfriends.com^ +||metrics.thomastrackmaster.com^ +||metrics.thoughtworks.com^ +||metrics.three.co.uk^ +||metrics.three.ie^ +||metrics.thrifty.com^ +||metrics.thrivent.com^ +||metrics.tiaa-cref.org^ +||metrics.tiaa.org^ +||metrics.ticketmaster.com^ +||metrics.tidewater.aaa.com^ +||metrics.tidycats.com^ +||metrics.tienda.telcel.com^ +||metrics.tim.it^ +||metrics.timberland.com^ +||metrics.timberland.de^ +||metrics.timberland.es^ +||metrics.timberland.it^ +||metrics.time.com^ +||metrics.timeinc.net^ +||metrics.timewarner.com^ +||metrics.timewarnercable.com^ +||metrics.tips.com.au^ +||metrics.tirebusiness.com^ +||metrics.tlc.com^ +||metrics.tmz.com^ +||metrics.tnkase.com^ +||metrics.tntdrama.com^ +||metrics.tommy.com^ +||metrics.tomsofmaine.com^ +||metrics.toofab.com^ +||metrics.toolbox.inter-ikea.com^ +||metrics.top50boutiquehotels.com^ +||metrics.top50cocktailbars.com^ +||metrics.top50gastropubs.com^ +||metrics.topshop.com^ +||metrics.toptenreviews.com^ +||metrics.toryburch.com^ +||metrics.totalwine.com^ +||metrics.townsvillebulletin.com.au^ +||metrics.toyota.com^ +||metrics.toyotacertificados.com^ +||metrics.toyotacertified.com^ +||metrics.toysrus.com^ +||metrics.tp.edu.sg^ +||metrics.tractorsupply.com^ +||metrics.traderonline.com^ +||metrics.trammellcrow.com^ +||metrics.travelchannel.com^ +||metrics.travelmoneyonline.co.uk^ +||metrics.travelodge.com^ +||metrics.trendmicro.co.jp^ +||metrics.trendmicro.com^ +||metrics.trendyol.com^ +||metrics.trovix.com^ +||metrics.trucker.com^ +||metrics.tryg.dk^ +||metrics.tsb.co.uk^ +||metrics.tsn.ca^ +||metrics.ttiinc.com^ +||metrics.tulsaworld.com^ +||metrics.tv2.dk^ +||metrics.tyrashow.warnerbros.com^ +||metrics.tyson.com^ +||metrics.tysonfoodservice.com^ +||metrics.ubi.com^ +||metrics.uhc.com^ +||metrics.ukfoodanddrinkshows.co.uk^ +||metrics.ulsterbank.com^ +||metrics.unipolsai.it^ +||metrics.united-internet.de^ +||metrics.ups.com^ +||metrics.us.playstation.com^ +||metrics.usbank.com^ +||metrics.usfoods.com^ +||metrics.usmint.gov^ +||metrics.uso.org^ +||metrics.usopen.org^ +||metrics.vademecum.es^ +||metrics.valuecityfurniture.com^ +||metrics.vanquis.co.uk^ +||metrics.vans.com.au^ +||metrics.vcm.com^ +||metrics.venclextahcp.com^ +||metrics.verizon.com^ +||metrics.vermontcountrystore.com^ +||metrics.vero.co.nz^ +||metrics.viasat.com^ +||metrics.viceroyhotelsandresorts.com^ +||metrics.viega.de^ +||metrics.vikingline.ee^ +||metrics.virginatlantic.com^ +||metrics.virginaustralia.com^ +||metrics.virginmedia.com^ +||metrics.virtualservers.com^ +||metrics.vision-systems.com^ +||metrics.visitflorida.com^ +||metrics.vitas.com^ +||metrics.vocus.com^ +||metrics.vodafone.co.uk^ +||metrics.vodafone.com.eg^ +||metrics.vodafone.com.tr^ +||metrics.vodafone.es^ +||metrics.vodafone.hu^ +||metrics.vodafone.ro^ +||metrics.vogue.com.au^ +||metrics.volusion.com^ +||metrics.vonage.co.uk^ +||metrics.vonage.com^ +||metrics.vrst.com^ +||metrics.vrtx.com^ +||metrics.vueling.com^ +||metrics.vw.com^ +||metrics.vwfs.com.br^ +||metrics.vwfs.com^ +||metrics.vwfs.cz^ +||metrics.vwfs.de^ +||metrics.vwfs.es^ +||metrics.vwfs.fr^ +||metrics.vwfs.gr^ +||metrics.vwfs.ie^ +||metrics.vwfs.it^ +||metrics.vwfs.mx^ +||metrics.vwfs.pl^ +||metrics.vwfs.pt^ +||metrics.wacken.com^ +||metrics.walgreens.com^ +||metrics.walmart.com^ +||metrics.walmartmoneycard.com^ +||metrics.washingtonpost.com^ +||metrics.waste360.com^ +||metrics.watch.nba.com^ +||metrics.watlow.com^ +||metrics.wdc.com^ +||metrics.wealthmanagement.com^ +||metrics.weeklytimesnow.com.au^ +||metrics.westernunion.com^ +||metrics.westgateresorts.com^ +||metrics.westmarine.com^ +||metrics.westpac.com.au^ +||metrics.wgu.edu^ +||metrics.when.com^ +||metrics.wildadventures.com^ +||metrics.william-reed.com^ +||metrics.williamhill.com^ +||metrics.williamhill.es^ +||metrics.williams-sonoma.com^ +||metrics.wingatehotels.com^ +||metrics.winsc.natwest.com^ +||metrics.winsc.rbs.co.uk^ +||metrics.wm.com^ +||metrics.wmg.com^ +||metrics.wnba.com^ +||metrics.wolterskluwer.com^ +||metrics.womansday.com^ +||metrics.workforce.com^ +||metrics.workfront.com^ +||metrics.workingadvantage.com^ +||metrics.worldbank.org^ +||metrics.worlds50bestbars.com^ +||metrics.worldsbestsommeliersselection.com^ +||metrics.worldsbestvineyards.com^ +||metrics.worldsteakchallenge.com^ +||metrics.worldvision.org^ +||metrics.wu.com^ +||metrics.www.apus.edu^ +||metrics.www.career-education.monster.com^ +||metrics.www.vwfs.de^ +||metrics.wyndhamhotels.com^ +||metrics.wyndhamtrips.com^ +||metrics.xfinity.com^ +||metrics.xofluza.com^ +||metrics.xolairhcp.com^ +||metrics.ybs.co.uk^ +||metrics.yelloh.com^ +||metrics.yellowbook.com^ +||metrics.yellowpages.com^ +||metrics.yola.com^ +||metrics.youandyourwedding.co.uk^ +||metrics.yourlexusdealer.com^ +||metrics.zacks.com^ +||metrics1.citi.com^ +||metrics1.citibank.com^ +||metrics1.citibankonline.com^ +||metrics1.citicards.com^ +||metrics1.experian.com^ +||metrics1.thankyou.com^ +||metrics2.houselogic.com^ +||metrics2.williamhill.com^ +||metricss.bibliotheek.nl^ +||metricssecure.empiretoday.com^ +||metricssecure.luna.com^ +||metricssecure.nmfn.com^ +||metricssecure.northwesternmutual.com^ +||metricstur.www.svenskaspel.se^ +||metrix.511tactical.com^ +||metrix.avon.uk.com^ +||metrix.publix.com^ +||metrix.youravon.com^ +||mix-omniture.rbs.com^ +||mixomniture.rbs.com^ +||mktg.aa.f5.com^ +||ms.topschooljobs.org^ +||msub.mmail.northeast.aaa.com^ +||mtc.jetstar.com^ +||mtc.nhk.or.jp^ +||mtc.qantas.com^ +||mtcs.nhk-ondemand.jp^ +||mtcs.nhk.or.jp^ +||mtr.fluor.com^ +||mtrs.cooecfluor.com^ +||mtrs.fluor.com^ +||mtrs.fluorconstructors.com^ +||mtrs.fluoruniversity.com^ +||mtx.lastminute.com.au^ +||my.iheart.com^ +||myhome.usg.com^ +||n.earthlink.net^ +||n.fitchratings.com^ +||n.hdsupplysolutions.com^ +||n.lexusfinancial.com^ +||n.netquote.com^ +||n.toyotafinancial.com^ +||nanalytics.virginaustralia.com^ +||nats.xing.com^ +||natsp.xing.com^ +||newsletter.sst-apac.test.cjmadobe.com^ +||newtest.wunderman-email.cjm.adobe.com^ +||nmetrics.samsung.com^ +||nmetrics.samsungmobile.com^ +||nocaadobefpc.optus.com.au^ +||nom.familysearch.org^ +||nom.lds.org^ +||nomsc.kpn.com^ +||nossl.aafpfoundation.org^ +||nossl.basco.com^ +||notice-tmo.notice.assurancewireless.com^ +||nsc.coutts.com^ +||nsc.iombank.com^ +||nsc.natwest.com^ +||nsc.natwestgroup.com^ +||nsc.natwestgroupremembers.com^ +||nsc.natwestinternational.com^ +||nsc.rbs.co.uk^ +||nsc.rbs.com^ +||nsc.ulsterbank.co.uk^ +||nsc.ulsterbank.com^ +||nsc.ulsterbank.ie^ +||nscmetrics.shell.com^ +||nsm.dell.com^ +||nsm.sungardas.com^ +||nsmeasure.jstor.org^ +||nsmetrics.adelaidenow.com.au^ +||nsmetrics.couriermail.com.au^ +||nsmetrics.dailytelegraph.com.au^ +||nsmetrics.geelongadvertiser.com.au^ +||nsmetrics.goldcoastbulletin.com.au^ +||nsmetrics.heraldsun.com.au^ +||nsmetrics.levi.com^ +||nsmetrics.ni.com^ +||nsmetrics.theaustralian.com.au^ +||nsmetrics.themercury.com.au^ +||nsmetrics.vogue.com.au^ +||nsstatistics.calphalon.com^ +||nsteq.queensland.com^ +||o.bluewin.ch^ +||o.carmax.com^ +||o.efaxcorporate.com^ +||o.evoicereceptionist.com^ +||o.fandango.com^ +||o.j2.com^ +||o.j2global.com^ +||o.macworld.co.uk^ +||o.medallia.com^ +||o.opentable.co.uk^ +||o.opentable.com^ +||o.otrestaurant.com^ +||o.swisscom.ch^ +||o.webmd.com^ +||o.xbox.com^ +||o8.hyatt.com^ +||ocs.hagerty.com^ +||odc.1und1.de^ +||odc.wunderground.com^ +||oimg.login.cnbc.com^ +||oimg.m.calltheclose.cnbc.com^ +||oimg.nbcsports.com^ +||oimg.nbcuni.com^ +||oimg.universalorlandovacations.com^ +||oimg.universalstudioshollywood.com^ +||om-ssl.consorsbank.de^ +||om.abritel.fr^ +||om.aopa.org^ +||om.burberry.com^ +||om.cbsi.com^ +||om.churchofjesuschrist.org^ +||om.cyberrentals.com^ +||om.dowjoneson.com^ +||om.escapehomes.com^ +||om.etnetera.cz^ +||om.familysearch.org^ +||om.fewo-direkt.de^ +||om.greatrentals.com^ +||om.healthgrades.com^ +||om.homeaway.ca^ +||om.homeaway.co.in^ +||om.hoteis.com^ +||om.hoteles.com^ +||om.hotels.cn^ +||om.hotwire.com^ +||om.lds.org^ +||om.medreps.com^ +||om.norton.com^ +||om.owenscorning.com^ +||om.ringcentral.com^ +||om.rogersmedia.com^ +||om.servicelive.com^ +||om.sportsnet.ca^ +||om.symantec.com^ +||om.travelocity.ca^ +||om.travelocity.com^ +||om.triphomes.com^ +||om.vacationrentals.com^ +||om.vegasmeansbusiness.com^ +||om.venere.com^ +||om.visitbouldercity.com^ +||om.vrbo.com^ +||om.zdnet.com.au^ +||omahasteaks.com.102.122.207.net^ +||ometrics.ameds.com^ +||ometrics.netapp.com^ +||ometrics.warnerbros.com^ +||ometrics.wb.com^ +||omn.americanexpress.com^ +||omn.costumesupercenter.com^ +||omn.crackle.com^ +||omn.hasbro.com^ +||omn.murdoch.edu.au^ +||omn.rockpanel.co.uk^ +||omn.rockwool.com^ +||omn.sonypictures.com^ +||omn.wholesalehalloweencostumes.com^ +||omn2.hasbro.com^ +||omni.alaskaair.com^ +||omni.amsurg.com^ +||omni.avg.com^ +||omni.basspro.com^ +||omni.bluebird.com^ +||omni.bluecrossma.com^ +||omni.cancercenter.com^ +||omni.carecreditprovidercenter.com^ +||omni.cineplex.com^ +||omni.cn.saxobank.com^ +||omni.commercial.pccw.com^ +||omni.copaair.com^ +||omni.deere.com^ +||omni.deloittenet.deloitte.com^ +||omni.djoglobal.com^ +||omni.dsw.com^ +||omni.dxc.com^ +||omni.dxc.technology^ +||omni.elearners.com^ +||omni.genworth.com^ +||omni.holidaycheck.com^ +||omni.holidaycheck.cz^ +||omni.home.saxo^ +||omni.israelbonds.com^ +||omni.istockphoto.com^ +||omni.lightstream.com^ +||omni.nine.com.au^ +||omni.nwa.com^ +||omni.orvis.com^ +||omni.pcm.com^ +||omni.pemco.com^ +||omni.pluralsight.com^ +||omni.rei.com^ +||omni.rockethomes.com^ +||omni.sbicard.com^ +||omni.serve.com^ +||omni.sky.de^ +||omni.suntrust.com^ +||omni.superonline.net^ +||omni.syf.com^ +||omni.synchronybank.com^ +||omni.thermofisher.com^ +||omni.turkcell.com.tr^ +||omni.vikingrivercruises.com^ +||omni.westernasset.com^ +||omni.yellowpages.com^ +||omnifpc.devry.edu^ +||omnifpcs.devry.edu^ +||omnis.basspro.com^ +||omnis.firstdata.com^ +||omnis.pcmall.com^ +||omnistat.teleflora.com^ +||omnistats.jetblue.com^ +||omnistats.teleflora.com^ +||omnit.blinkfitness.com^ +||omnit.pureyoga.com^ +||omniture-dc-sec.cadence.com^ +||omniture-secure.valpak.com^ +||omniture-ssl.direct.asda.com^ +||omniture-ssl.groceries-qa.asda.com^ +||omniture-ssl.groceries.asda.com^ +||omniture-ssl.kia.com^ +||omniture-ssl.wal-mart.com^ +||omniture-ssl.walmart.ca^ +||omniture-ssl.walmart.com^ +||omniture.affarsliv.com^ +||omniture.chip.de^ +||omniture.chip.eu^ +||omniture.corel.com^ +||omniture.direct.asda.com^ +||omniture.groceries-qa.asda.com^ +||omniture.groceries.asda.com^ +||omniture.kcbd.com^ +||omniture.kennametal.com^ +||omniture.lg.com^ +||omniture.money.asda.com^ +||omniture.omgeo.com^ +||omniture.partycity.ca^ +||omniture.partycity.com^ +||omniture.rbs.com^ +||omniture.scotiabank.com^ +||omniture.stuff.co.nz^ +||omniture.theglobeandmail.com^ +||omniture.valpak.com^ +||omniture.waff.com^ +||omniture.wal-mart.com^ +||omniture.walmart.ca^ +||omniture.walmart.com^ +||omniture.yell.com^ +||omniture.yodlee.com^ +||omniture443.partycity.ca^ +||omniture443.partycity.com^ +||omns.americanexpress.com^ +||omns.crackle.com^ +||omns.murdoch.edu.au^ +||ompx.shopbop.com^ +||ompxs.shopbop.com^ +||oms.1067rock.ca^ +||oms.680news.com^ +||oms.avast.com^ +||oms.avg.com^ +||oms.avira.com^ +||oms.barrons.com^ +||oms.breakfasttelevision.ca^ +||oms.ccleaner.com^ +||oms.chatelaine.com^ +||oms.chatrwireless.com^ +||oms.cityline.tv^ +||oms.citynews.ca^ +||oms.citytv.com^ +||oms.country600.com^ +||oms.davita.com^ +||oms.dowjones.com^ +||oms.dowjoneson.com^ +||oms.easy1013.ca^ +||oms.factiva.com^ +||oms.fido.ca^ +||oms.fnlondon.com^ +||oms.fxnowcanada.ca^ +||oms.gendigital.com^ +||oms.goarmy.com^ +||oms.hellomagazine.com^ +||oms.jack969.com^ +||oms.macleans.ca^ +||oms.mansionglobal.com^ +||oms.marketwatch.com^ +||oms.mymcmurray.com^ +||oms.neimanmarcus.com^ +||oms.nhllive.com^ +||oms.norton.com^ +||oms.ocean985.com^ +||oms.omnitv.ca^ +||oms.reputationdefender.com^ +||oms.rogersmedia.com^ +||oms.snnow.ca^ +||oms.symantec.com^ +||oms.travelocity.ca^ +||oms.travelocity.com^ +||oms.tsc.ca^ +||oms.usnews.com^ +||oms.venere.com^ +||oms.wsj.com^ +||oms1.sportsnet.ca^ +||omsc.kpn.com^ +||omtr.financialengines.com^ +||omtr1.partners.salesforce.com^ +||omtr2.partners.salesforce.com^ +||omtrdc.jobsdb.com^ +||omtrdc.jobstreet.co.id^ +||omtrdc.jobstreet.com.my^ +||omtrdc.jobstreet.com.ph^ +||omtrdc.jobstreet.com.sg^ +||omtrdc.jobstreet.com^ +||omtrdc.jobstreet.vn^ +||omtrns.sstats.q8.dk^ +||onem.marketing.onemarketinguxp.com^ +||oopt.norauto.es^ +||opt.delta.com^ +||optimisation.co-oplegalservices.co.uk^ +||optimisation.coop.co.uk^ +||optimisation.data.lloydsbankinggroup.com^ +||optout.info.nordea.fi^ +||optout.info.nordea.no^ +||origin-smetrics.go365.com^ +||origin-target.humana.com^ +||os.efax.es^ +||os.efax.nl^ +||os.efaxcorporate.com^ +||os.evoice.com^ +||os.evoicereceptionist.com^ +||os.fandango.com^ +||os.j2.com^ +||os.j2global.com^ +||os.mbox.com.au^ +||os.mckinseyquarterly.com^ +||os.onebox.com^ +||os.send2fax.com^ +||os.shutterfly.com^ +||os.vudu.com^ +||osc.hrs.com^ +||oscs.palazzolasvegas.com^ +||osimg.discoveruniversal.com^ +||osimg.halloweenhorrornights.com^ +||osimg.nbcuni.com^ +||osimg.universalorlando.co.uk^ +||osimg.universalorlando.com^ +||osimg.universalorlandovacations.com^ +||osimg.universalparks.com^ +||osimg.universalstudioshollywood.com^ +||osimg.windsurfercrs.com^ +||osur.dell.com^ +||otr.kaspersky.ca^ +||otr.kaspersky.co.jp^ +||otr.kaspersky.co.uk^ +||otr.kaspersky.co.za^ +||otr.kaspersky.com.au^ +||otr.kaspersky.com.br^ +||otr.kaspersky.com.tr^ +||otr.kaspersky.com^ +||otr.kaspersky.de^ +||otr.kaspersky.es^ +||otr.kaspersky.fr^ +||otr.kaspersky.it^ +||otr.kaspersky.nl^ +||otr.kaspersky.pt^ +||otr.kaspersky.se^ +||otrack.workday.com^ +||otracks.workday.com^ +||ou.shutterfly.com^ +||outrigger-a.outrigger.com^ +||owa.carhartt.com^ +||ows.ihs.com^ +||owss.ihs.com^ +||p1.danskebank.co.uk^ +||p1.danskebank.dk^ +||p1.danskebank.ie^ +||p2.danskebank.co.uk^ +||p2.danskebank.dk^ +||p2.danskebank.fi^ +||p2.danskebank.no^ +||p2.danskebank.se^ +||page.e.silverfernfarms.com^ +||page.email.key.com^ +||pagedot.deutschepost.de^ +||pages.ajo.knak.link^ +||pages.comunicaciones.ficohsa.com.gt^ +||pages.email.princess.com^ +||pages.guest.princess.com^ +||pages.info.ficohsa.com.pa^ +||pages.mail.puntoscolombia.com^ +||pages.newsletter.avianca.com^ +||pbstats.jpmorgan.com^ +||pc.personalcreations.com^ +||pdmsmrt.buick.ca^ +||pdmsmrt.buick.com^ +||pdmsmrt.cadillac.com^ +||pdmsmrt.cadillaccanada.ca^ +||pdmsmrt.chevrolet.ca^ +||pdmsmrt.chevrolet.com^ +||pdmsmrt.gmc.com^ +||pdmsmrt.gmccanada.ca^ +||petal.calyxflowers.com^ +||plugs.jameco.com^ +||private.cervicalcancer-risk.com^ +||private.roche.com^ +||purpose.fressnapf.at^ +||purpose.fressnapf.ch^ +||purpose.fressnapf.de^ +||purpose.maxizoo.be^ +||purpose.maxizoo.fr^ +||purpose.maxizoo.ie^ +||purpose.maxizoo.pl^ +||re.stjude.org^ +||repdata.12newsnow.com^ +||repdata.9news.com^ +||repdata.app.com^ +||repdata.battlecreekenquirer.com^ +||repdata.caller.com^ +||repdata.clarionledger.com^ +||repdata.coloradoan.com^ +||repdata.courier-journal.com^ +||repdata.dnj.com^ +||repdata.eveningsun.com^ +||repdata.federaltimes.com^ +||repdata.floridatoday.com^ +||repdata.golfweek.com^ +||repdata.jacksonsun.com^ +||repdata.kiiitv.com^ +||repdata.kitsapsun.com^ +||repdata.lansingstatejournal.com^ +||repdata.lcsun-news.com^ +||repdata.ldnews.com^ +||repdata.marionstar.com^ +||repdata.montgomeryadvertiser.com^ +||repdata.naplesnews.com^ +||repdata.news-press.com^ +||repdata.news10.net^ +||repdata.newsleader.com^ +||repdata.northjersey.com^ +||repdata.packersnews.com^ +||repdata.postcrescent.com^ +||repdata.poughkeepsiejournal.com^ +||repdata.sctimes.com^ +||repdata.tallahassee.com^ +||repdata.thv11.com^ +||repdata.usatoday.com^ +||repdata.wcsh6.com^ +||repdata.wzzm13.com^ +||repdata.ydr.com^ +||repdata.yorkdispatch.com^ +||rolt7it2lhml5rxa.edge41.testandtarget.omniture.com^ +||rpt.kidsfootlocker.com^ +||s-adobe.wacoal.jp^ +||s-adobeanalytics.vice.com^ +||s-omniture.yell.com^ +||s-sitecatalyst.work.shiseido.co.jp^ +||s.acxiom.com^ +||s.americanblinds.com^ +||s.ameriprisestats.com^ +||s.blinds.ca^ +||s.blinds.com^ +||s.boydgaming.com^ +||s.bramptonguardian.com^ +||s.cadent.bloomberglaw.com^ +||s.caledonenterprise.com^ +||s.cambridgetimes.ca^ +||s.columbiathreadneedle.ch^ +||s.columbiathreadneedle.co.uk^ +||s.columbiathreadneedle.hk^ +||s.durhamregion.com^ +||s.flamboroughreview.com^ +||s.grace.com^ +||s.guelphmercury.com^ +||s.hamiltonnews.com^ +||s.hdsupplysolutions.com^ +||s.hm.com^ +||s.insidehalton.com^ +||s.insideottawavalley.com^ +||s.justblinds.com^ +||s.lenovo.com^ +||s.lexusfinancial.com^ +||s.metrics.artistsnetwork.com^ +||s.metrics.skyandtelescope.com^ +||s.metroland.com^ +||s.mississauga.com^ +||s.musicradio.com^ +||s.muskokaregion.com^ +||s.newhamburgindependent.ca^ +||s.niagarafallsreview.ca^ +||s.niagarathisweek.com^ +||s.northbaynipissing.com^ +||s.northumberlandnews.com^ +||s.orangeville.com^ +||s.ourwindsor.ca^ +||s.parrysound.com^ +||s.rosettastone.co.uk^ +||s.rosettastone.com^ +||s.rosettastone.de^ +||s.rosettastone.eu^ +||s.sachem.ca^ +||s.save.ca^ +||s.simcoe.com^ +||s.stcatharinesstandard.ca^ +||s.tccc-comms.com^ +||s.testneedle.co.uk^ +||s.theifp.ca^ +||s.thepeterboroughexaminer.com^ +||s.therecord.com^ +||s.thespec.com^ +||s.thestar.com^ +||s.toronto.com^ +||s.toyotafinancial.com^ +||s.waterloochronicle.ca^ +||s.wellandtribune.ca^ +||s.wheels.ca^ +||s.yorkregion.com^ +||s02.bestsecret.com^ +||s1.subaru.com^ +||sa.adidas.ae^ +||sa.adidas.be^ +||sa.adidas.ca^ +||sa.adidas.ch^ +||sa.adidas.cn^ +||sa.adidas.co.in^ +||sa.adidas.co.uk^ +||sa.adidas.co^ +||sa.adidas.com.ar^ +||sa.adidas.com.au^ +||sa.adidas.com.br^ +||sa.adidas.com.tr^ +||sa.adidas.com.vn^ +||sa.adidas.com^ +||sa.adidas.cz^ +||sa.adidas.de^ +||sa.adidas.dk^ +||sa.adidas.es^ +||sa.adidas.fi^ +||sa.adidas.fr^ +||sa.adidas.gr^ +||sa.adidas.hu^ +||sa.adidas.ie^ +||sa.adidas.it^ +||sa.adidas.jp^ +||sa.adidas.mx^ +||sa.adidas.nl^ +||sa.adidas.no^ +||sa.adidas.pl^ +||sa.adidas.pt^ +||sa.adidas.se^ +||sa.adidas.sk^ +||sa.bankofinternet.com^ +||sa.cookingchanneltv.com^ +||sa.discovery.com^ +||sa.discoveryplus.com^ +||sa.discoveryplus.in^ +||sa.diynetwork.com^ +||sa.dyson.no^ +||sa.eurosport.co.uk^ +||sa.eurosport.com^ +||sa.fchp.org^ +||sa.foodnetwork.com^ +||sa.hgtv.com^ +||sa.investigationdiscovery.com^ +||sa.oprah.com^ +||sa.reebok.co.uk^ +||sa.tactics.com^ +||sa.tlc.com^ +||sa.travelchannel.com^ +||saa-aem.hamamatsu.com^ +||saa.247sports.com^ +||saa.cbs.com^ +||saa.cbsi.com^ +||saa.cbsnews.com^ +||saa.cbssports.com^ +||saa.cnet.com^ +||saa.collegesportslive.com^ +||saa.comicbook.com^ +||saa.dabl.com^ +||saa.datasheets360.com^ +||saa.daveandbusters.com^ +||saa.drphil.com^ +||saa.dyson.ae^ +||saa.dyson.at^ +||saa.dyson.be^ +||saa.dyson.ch^ +||saa.dyson.co.il^ +||saa.dyson.co.kr^ +||saa.dyson.co.nz^ +||saa.dyson.co.th^ +||saa.dyson.co.uk^ +||saa.dyson.co.za^ +||saa.dyson.com.au^ +||saa.dyson.com.ee^ +||saa.dyson.com.kw^ +||saa.dyson.com.ro^ +||saa.dyson.com.sg^ +||saa.dyson.com.tr^ +||saa.dyson.com^ +||saa.dyson.cz^ +||saa.dyson.de^ +||saa.dyson.dk^ +||saa.dyson.es^ +||saa.dyson.fr^ +||saa.dyson.hk^ +||saa.dyson.hr^ +||saa.dyson.hu^ +||saa.dyson.ie^ +||saa.dyson.in^ +||saa.dyson.it^ +||saa.dyson.lt^ +||saa.dyson.lu^ +||saa.dyson.lv^ +||saa.dyson.mx^ +||saa.dyson.my^ +||saa.dyson.nl^ +||saa.dyson.no^ +||saa.dyson.pl^ +||saa.dyson.pt^ +||saa.dyson.qa^ +||saa.dyson.se^ +||saa.dyson.sk^ +||saa.dyson.vn^ +||saa.dysoncanada.ca^ +||saa.etonline.com^ +||saa.gamespot.com^ +||saa.giantbomb.com^ +||saa.globalspec.com^ +||saa.irvinecompanyapartments.com^ +||saa.last.fm^ +||saa.maxpreps.com^ +||saa.metacritic.com^ +||saa.mysmile.wellfit.com^ +||saa.pacificdentalservices.com^ +||saa.paramountplus.com^ +||saa.paramountpressexpress.com^ +||saa.pluto.tv^ +||saa.popculture.com^ +||saa.poptv.com^ +||saa.rachaelrayshow.com^ +||saa.smilegeneration.com^ +||saa.smithsonianchannel.com^ +||saa.sparebank1.no^ +||saa.sportsline.com^ +||saa.startrek.com^ +||saa.tallink.com^ +||saa.techrepublic.com^ +||saa.tescomobile.com^ +||saa.thedoctorstv.com^ +||saa.thedrewbarrymoreshow.com^ +||saa.tvguide.com^ +||saa.viacomcbspressexpress.com^ +||saa.wowma.jp^ +||saa.zdnet.com^ +||saadata.career.netjets.com^ +||saadata.executivejetmanagement.com^ +||saadata.netjets.com^ +||saainfo.anz.co.nz^ +||saam.gumtree.com.au^ +||saametrics.aktia.fi^ +||saametrics.vaisala.com^ +||saat.dow.com^ +||sabxt.teeoff.com^ +||saccess.hikaritv.net^ +||sace.aaa.com^ +||sadb.superrtl-licensing.de^ +||sadb.superrtl.de^ +||sadb.toggo.de^ +||sadb.toggoeltern.de^ +||sadbelytics.munichre.com^ +||sadbmetrics.15kvalencia.es^ +||sadbmetrics.7canibales.com^ +||sadbmetrics.abc.es^ +||sadbmetrics.alhambraventure.com^ +||sadbmetrics.andorrataste.com^ +||sadbmetrics.aupaathletic.com^ +||sadbmetrics.autocasion.com^ +||sadbmetrics.b-venture.com^ +||sadbmetrics.burgosconecta.es^ +||sadbmetrics.canarias7.es^ +||sadbmetrics.carreraempresas.com^ +||sadbmetrics.carteleraasturias.com^ +||sadbmetrics.cmacomunicacion.com^ +||sadbmetrics.congresomigueldelibes.es^ +||sadbmetrics.diariosur.es^ +||sadbmetrics.diariovasco.com^ +||sadbmetrics.donostimasterscup.com^ +||sadbmetrics.e-movilidad.com^ +||sadbmetrics.e-volucion.es^ +||sadbmetrics.elbalcondemateo.es^ +||sadbmetrics.elbierzonoticias.com^ +||sadbmetrics.elcomercio.es^ +||sadbmetrics.elcorreo.com^ +||sadbmetrics.elcorreoclasificados.com^ +||sadbmetrics.eldiariomontanes.es^ +||sadbmetrics.elnortedecastilla.es^ +||sadbmetrics.finanza.eus^ +||sadbmetrics.funandseriousgamefestival.com^ +||sadbmetrics.granadablogs.com^ +||sadbmetrics.habitatsoft.com^ +||sadbmetrics.hoy.es^ +||sadbmetrics.hoycinema.com^ +||sadbmetrics.huelva24.com^ +||sadbmetrics.ideal.es^ +||sadbmetrics.innova-bilbao.com^ +||sadbmetrics.lagacetadesalamanca.es^ +||sadbmetrics.larioja.com^ +||sadbmetrics.lasprovincias.es^ +||sadbmetrics.laverdad.es^ +||sadbmetrics.lavozdegalicia.es^ +||sadbmetrics.lavozdigital.es^ +||sadbmetrics.leonoticias.com^ +||sadbmetrics.localdigitalkit.com^ +||sadbmetrics.lomejordelvinoderioja.com^ +||sadbmetrics.madridfusion.net^ +||sadbmetrics.malagaenlamesa.com^ +||sadbmetrics.masterelcorreo.com^ +||sadbmetrics.miperiodicodigital.com^ +||sadbmetrics.mondragoncitychallenge.com^ +||sadbmetrics.motocasion.com^ +||sadbmetrics.muevetebasket.es^ +||sadbmetrics.mujerhoy.com^ +||sadbmetrics.nextspain.es^ +||sadbmetrics.nuevosvecinos.com^ +||sadbmetrics.oferplan.com^ +||sadbmetrics.pidecita.com^ +||sadbmetrics.pisocompartido.com^ +||sadbmetrics.pisos.cat^ +||sadbmetrics.pisos.com^ +||sadbmetrics.relevo.com^ +||sadbmetrics.rendibu.com^ +||sadbmetrics.rtve.es^ +||sadbmetrics.salamancahoy.es^ +||sadbmetrics.salon-sie.com^ +||sadbmetrics.sansebastiangastronomika.com^ +||sadbmetrics.suenasur.com^ +||sadbmetrics.surinenglish.com^ +||sadbmetrics.todoalicante.es^ +||sadbmetrics.topcomparativas.com^ +||sadbmetrics.turium.es^ +||sadbmetrics.tusanuncios.com^ +||sadbmetrics.tvr.es^ +||sadbmetrics.unoauto.com^ +||sadbmetrics.vamosacorrer.com^ +||sadbmetrics.vehiculosdeocasion.eus^ +||sadbmetrics.vehiculosocasionalava.com^ +||sadbmetrics.vehiculosocasionlarioja.com^ +||sadbmetrics.vidasolidaria.com^ +||sadbmetrics.vocento.com^ +||sadbmetrics.vocentoeventos.com^ +||sadbmetrics.welife.es^ +||sadbmetrics.womennow.es^ +||sadbmetrics.worldcanic.com^ +||sadbmetrics.xlsemanal.com^ +||sadbmetrics.zendalibros.com^ +||sadobe.autoscout24.at^ +||sadobe.autoscout24.be^ +||sadobe.autoscout24.de^ +||sadobe.autoscout24.es^ +||sadobe.autoscout24.fr^ +||sadobe.autoscout24.it^ +||sadobe.autoscout24.lu^ +||sadobe.autoscout24.nl^ +||sadobe.dentsu-ho.com^ +||sadobe.falabella.com.co^ +||sadobe.falabella.com.pe^ +||sadobe.falabella.com^ +||sadobe.homecenter.com.co^ +||sadobe.mercuryinsurance.com^ +||sadobe.sodimac.com.ar^ +||sadobeanalytics.geico.com^ +||sadobeanalytics.medline.com^ +||sadobemarketing.boden.co.uk^ +||sadobemarketing.boden.eu^ +||sadobemarketing.boden.fr^ +||sadobemarketing.bodenclothing.com.au^ +||sadobemarketing.bodendirect.at^ +||sadobemarketing.bodendirect.de^ +||sadobemarketing.bodenusa.com^ +||sadobemetrics.dr.dk^ +||sadobemetrics.la-z-boy.com^ +||saec-metrics.base.be^ +||saec-metrics.telenet.be^ +||sal.milanoo.com^ +||sam.manager-magazin.de^ +||samc.frankly.ch^ +||samc.swisscanto.com^ +||samc.zkb.ch^ +||samc.zuerilaufcup.ch^ +||same.zkb.ch^ +||same.zkb.co.uk^ +||sametrics.finn.no^ +||sams.11freunde.de^ +||sams.spiegel.de^ +||samt.frankly.ch^ +||samt.swisscanto.com^ +||samt.zkb.ch^ +||sanalytics.adobe.tp.gskpro.com^ +||sanalytics.adultswim.co.uk^ +||sanalytics.allianz-assistance.co.uk^ +||sanalytics.amig.com^ +||sanalytics.autozone.com^ +||sanalytics.bd.com^ +||sanalytics.boing.es^ +||sanalytics.boingtv.it^ +||sanalytics.boomerang-tv.hu^ +||sanalytics.boomerang-tv.pl^ +||sanalytics.boomerang-tv.ro^ +||sanalytics.boomerang.asia^ +||sanalytics.boomerang.com.br^ +||sanalytics.boomerangmena.com^ +||sanalytics.boomerangtv.co.uk^ +||sanalytics.boomerangtv.com.au^ +||sanalytics.boomerangtv.de^ +||sanalytics.boomerangtv.fr^ +||sanalytics.boomerangtv.it^ +||sanalytics.boomerangtv.nl^ +||sanalytics.boomerangtv.se^ +||sanalytics.box.com^ +||sanalytics.boxlunch.com^ +||sanalytics.canaltnt.es^ +||sanalytics.cartoonito.co.uk^ +||sanalytics.cartoonito.com.br^ +||sanalytics.cartoonito.com.tr^ +||sanalytics.cartoonito.de^ +||sanalytics.cartoonito.fr^ +||sanalytics.cartoonito.hu^ +||sanalytics.cartoonito.it^ +||sanalytics.cartoonito.pl^ +||sanalytics.cartoonito.pt^ +||sanalytics.cartoonito.ro^ +||sanalytics.cartoonitoafrica.com^ +||sanalytics.cartoonitocheidea.it^ +||sanalytics.cartoonnetwork.bg^ +||sanalytics.cartoonnetwork.cl^ +||sanalytics.cartoonnetwork.co.uk^ +||sanalytics.cartoonnetwork.com.ar^ +||sanalytics.cartoonnetwork.com.au^ +||sanalytics.cartoonnetwork.com.br^ +||sanalytics.cartoonnetwork.com.co^ +||sanalytics.cartoonnetwork.com.mx^ +||sanalytics.cartoonnetwork.com.tr^ +||sanalytics.cartoonnetwork.com.ve^ +||sanalytics.cartoonnetwork.cz^ +||sanalytics.cartoonnetwork.de^ +||sanalytics.cartoonnetwork.dk^ +||sanalytics.cartoonnetwork.es^ +||sanalytics.cartoonnetwork.fr^ +||sanalytics.cartoonnetwork.hu^ +||sanalytics.cartoonnetwork.it^ +||sanalytics.cartoonnetwork.jp^ +||sanalytics.cartoonnetwork.nl^ +||sanalytics.cartoonnetwork.no^ +||sanalytics.cartoonnetwork.pl^ +||sanalytics.cartoonnetwork.pt^ +||sanalytics.cartoonnetwork.ro^ +||sanalytics.cartoonnetwork.se^ +||sanalytics.cartoonnetworkarabic.com^ +||sanalytics.cartoonnetworkasia.com^ +||sanalytics.cartoonnetworkclimatechampions.com^ +||sanalytics.cartoonnetworkhq.com^ +||sanalytics.cartoonnetworkindia.com^ +||sanalytics.cartoonnetworkkorea.com^ +||sanalytics.cartoonnetworkla.com^ +||sanalytics.cartoonnetworkme.com^ +||sanalytics.cdf.cl^ +||sanalytics.cha-ching.com^ +||sanalytics.chilevision.cl^ +||sanalytics.chvnoticias.cl^ +||sanalytics.cnfanart.com^ +||sanalytics.cnnchile.com^ +||sanalytics.combatefreestyle.com^ +||sanalytics.disneyplus.com^ +||sanalytics.enterprise.spectrum.com^ +||sanalytics.esporteinterativo.com.br^ +||sanalytics.ewz.ch^ +||sanalytics.expomaritt.com^ +||sanalytics.express.de^ +||sanalytics.facilitiesshow.com^ +||sanalytics.fietsverzekering.nl^ +||sanalytics.firstbankcard.com^ +||sanalytics.firstnational.com^ +||sanalytics.fnbolending.com^ +||sanalytics.fnbsd.com^ +||sanalytics.fsbloomis.com^ +||sanalytics.futuro360.com^ +||sanalytics.gladbachlive.de^ +||sanalytics.hallmark.com^ +||sanalytics.hottopic.com^ +||sanalytics.houghtonstatebank.com^ +||sanalytics.ingredion.com^ +||sanalytics.johnson.ca^ +||sanalytics.kbdesignlondon.com^ +||sanalytics.ksta.de^ +||sanalytics.landmands.com^ +||sanalytics.latamwbd.com^ +||sanalytics.lovemoney.com^ +||sanalytics.mail-corp.com^ +||sanalytics.makro.cz^ +||sanalytics.makro.es^ +||sanalytics.makro.nl^ +||sanalytics.makro.pl^ +||sanalytics.makro.pt^ +||sanalytics.metro.co.in^ +||sanalytics.metro.de^ +||sanalytics.metro.fr^ +||sanalytics.metro.it^ +||sanalytics.mondotv.jp^ +||sanalytics.mopo.de^ +||sanalytics.mz-web.de^ +||sanalytics.nba.com^ +||sanalytics.ncaa.com^ +||sanalytics.powernewz.ch^ +||sanalytics.proactiv.com^ +||sanalytics.radioberg.de^ +||sanalytics.radiobonn.de^ +||sanalytics.radioerft.de^ +||sanalytics.radioeuskirchen.de^ +||sanalytics.radiokoeln.de^ +||sanalytics.radioleverkusen.de^ +||sanalytics.radiorur.de^ +||sanalytics.ratioform.ch^ +||sanalytics.ratioform.it^ +||sanalytics.rbs.com.au^ +||sanalytics.rbs.com^ +||sanalytics.rbs.nl^ +||sanalytics.rbsbank.dk^ +||sanalytics.rbsbank.no^ +||sanalytics.rundschau-online.de^ +||sanalytics.safestepskids.com^ +||sanalytics.safety-health-expo.co.uk^ +||sanalytics.scsbnet.com^ +||sanalytics.securebanklogin.com^ +||sanalytics.skinny.co.nz^ +||sanalytics.smart.mercedes-benz.com^ +||sanalytics.southpointcasino.com^ +||sanalytics.spark.co.nz^ +||sanalytics.sydney.edu.au^ +||sanalytics.sydneyuniversity.cn^ +||sanalytics.tabichan.jp^ +||sanalytics.tbs.com^ +||sanalytics.tcm.com^ +||sanalytics.tcmuk.tv^ +||sanalytics.teentitanstoptalent.com^ +||sanalytics.tnt-tv.de^ +||sanalytics.tnt-tv.pl^ +||sanalytics.tnt-tv.ro^ +||sanalytics.tnt.africa^ +||sanalytics.tntdrama.com^ +||sanalytics.tntgo.tv^ +||sanalytics.tntsports.cl^ +||sanalytics.tntsports.com.ar^ +||sanalytics.tntsports.com.br^ +||sanalytics.toonamiafrica.com^ +||sanalytics.tributarycapital.com^ +||sanalytics.trutv.com^ +||sanalytics.verizon.com^ +||sanalytics.verizonenterprise.com^ +||sanalytics.verizonwireless.com^ +||sanalytics.visible.com^ +||sanalytics.warnertv.de^ +||sanalytics.warnertv.fr^ +||sanalytics.warnertv.pl^ +||sanalytics.warnertv.ro^ +||sanalytics.warnertvspiele.de^ +||sanalytics.washingtoncountybank.com^ +||sanalytics.wbd.com^ +||sanalytics.wideroe.no^ +||sanalytics.yorkstatebank.com^ +||sanl.champssports.ca^ +||sanl.champssports.com^ +||sanl.eastbay.com^ +||sanl.footaction.com^ +||sanl.footlocker.at^ +||sanl.footlocker.be^ +||sanl.footlocker.ca^ +||sanl.footlocker.co.nz^ +||sanl.footlocker.co.uk^ +||sanl.footlocker.com.au^ +||sanl.footlocker.com^ +||sanl.footlocker.cz^ +||sanl.footlocker.de^ +||sanl.footlocker.dk^ +||sanl.footlocker.es^ +||sanl.footlocker.fr^ +||sanl.footlocker.gr^ +||sanl.footlocker.hu^ +||sanl.footlocker.ie^ +||sanl.footlocker.it^ +||sanl.footlocker.kr^ +||sanl.footlocker.lu^ +||sanl.footlocker.nl^ +||sanl.footlocker.no^ +||sanl.footlocker.pl^ +||sanl.footlocker.pt^ +||sanl.footlocker.se^ +||sanl.six02.com^ +||sanmet.originenergy.com.au^ +||sappmetrics.sprint.com^ +||sasc.solidworks.com^ +||satarget.csu.edu.au^ +||satarget.npubank.com.au^ +||satarget.southaustralia.com^ +||satgt.grafana.com^ +||sats.manager-magazin.de^ +||sats.spiegel.de^ +||sawap.equifax.com^ +||sb.mynewplace.com^ +||sbcomniture.focus.de^ +||sbrands.lookfantastic.com^ +||sc-nossl.speakeasy.net^ +||sc.blurb.fr^ +||sc.cmt.com^ +||sc.coutts.com^ +||sc.cvent.com^ +||sc.disneylandparis.com^ +||sc.doctorwho.tv^ +||sc.hl.co.uk^ +||sc.hm.com^ +||sc.holtsmilitarybank.co.uk^ +||sc.icarly.com^ +||sc.infor.com^ +||sc.iombank.com^ +||sc.lacapitale.com^ +||sc.locator-rbs.co.uk^ +||sc.lombard.co.uk^ +||sc.lombard.ie^ +||sc.londonlive.co.uk^ +||sc.metrics-shell.com^ +||sc.mtv.co.uk^ +||sc.mtv.tv^ +||sc.mtvne.com^ +||sc.muji.net^ +||sc.natwest.com^ +||sc.natwestgroup.com^ +||sc.natwestgroupremembers.com^ +||sc.natwestinternational.com^ +||sc.neteller.com^ +||sc.nick.co.uk^ +||sc.nick.com.au^ +||sc.nick.com^ +||sc.nick.tv^ +||sc.nickelodeon.se^ +||sc.nickelodeonarabia.com^ +||sc.nickjr.com^ +||sc.nicktoons.co.uk^ +||sc.paramount.com^ +||sc.paramountnetwork.com^ +||sc.payback.de^ +||sc.rbos.com^ +||sc.rbs.co.uk^ +||sc.rbs.com^ +||sc.restplatzboerse.de^ +||sc.rhapsody.com^ +||sc.sanitas.com^ +||sc.sonystyle.com.cn^ +||sc.supertv.it^ +||sc.ulsterbank.co.uk^ +||sc.ulsterbank.ie^ +||sc.unitymedia.de^ +||sc.vmware.com^ +||sc.voanews.com^ +||sc.wa.gto.db.com^ +||sc2.constantcontact.com^ +||sc2.infor.com^ +||sc2metrics.exacttarget.com^ +||scadobe.vpay.co.kr^ +||scanalytics.wral.com^ +||sci.intuit.ca^ +||sci.intuit.com^ +||sci.quickbooks.com^ +||scmetrics.exacttarget.com^ +||scmetrics.shell.com^ +||scmetrics.vodafone.it^ +||scnd.landsend.co.uk^ +||scnd.landsend.com^ +||scnd.landsend.de^ +||scode.randomhouse.com^ +||sconnectstats.mckesson.com^ +||scookies-adobe.24plus.be^ +||scookies-adobe.cbc.be^ +||scookies-adobe.kbc-group.com^ +||scookies-adobe.kbc.be^ +||scookies-adobe.kbc.com^ +||scookies-adobe.kbcbrussels.be^ +||scookies-adobe.kbcsecurities.com^ +||scookies-adobe.kching.be^ +||scp.deltadentalwa.com^ +||scrippscookingchannel.cookingchanneltv.com^ +||scrippsfoodnetnew.foodnetwork.com^ +||scrippshgtvnew.hgtv.com^ +||scs.allsecur.nl^ +||scs.arcteryx.com^ +||scs.lacapitale.com^ +||scs.lifenet-seimei.co.jp^ +||scsmetrics.ho-mobile.it^ +||scsmetrics.vodafone.it^ +||sdata.avid.com^ +||sdata.chelseafc.com^ +||sdata.connection.com^ +||sdata.efficientlearning.com^ +||sdata.govconnection.com^ +||sdata.lifesize.com^ +||sdata.macconnection.com^ +||sdata.sealedair.com^ +||sdata.wiley.com^ +||sdc.allianz-autowelt.com^ +||sdc.allianz-autowelt.de^ +||sdc.allianz-maklerakademie.de^ +||sdc.allianz-vertrieb.de^ +||sdc.allianz-vor-ort.de^ +||sdc.allianz.de^ +||sdc.allianzpp.com^ +||sdc.allvest.de^ +||sdc.aware.com.au^ +||sdc.azt-automotive.com^ +||sdc.firmenonline.de^ +||sdc.firststatesuper.com.au^ +||sdc.kfz-steuercheck.de^ +||sdc.kvm-ga.de^ +||sdc.meinebav.com^ +||sdc.risikolebensversicherungen.com^ +||sdc2.credit-suisse.com^ +||sdcs.felissimo.co.jp^ +||sdome.underarmour.co.jp^ +||sec-analytics.panasonic.co.uk^ +||secmetrics.bkb.ch^ +||secmetrics.friendscout24.it^ +||secmetrics.friendscout24.nl^ +||secmetrics.leggmason.com^ +||secmetrics.rakuten-checkout.de^ +||secmetrics.schaefer-shop.at^ +||secmetrics.schaefer-shop.be^ +||secmetrics.schaefer-shop.ch^ +||secmetrics.schaefer-shop.de^ +||secmetrics.schaefer-shop.nl^ +||secu.hagerty.ca^ +||secu.hagerty.com^ +||secu.hagertyagent.com^ +||secu.hagertybroker.ca^ +||secure-stat.canal-plus.com^ +||secure.adata.ca.com^ +||secure.analytics.crowneplaza.com^ +||secure.analytics.intercontinental.com^ +||secure.diet.mayoclinic.org^ +||secure.info.m.seek.co.nz^ +||secure.realwomenofphiladelphia.ca^ +||secure.sigmaaldrich.com^ +||secure.valpak.com^ +||secure.whattoexpect.com^ +||secureae-edge.ikea.com^ +||secureanalytics.avis.at^ +||secureanalytics.avis.be^ +||secureanalytics.avis.ch^ +||secureanalytics.avis.co.uk^ +||secureanalytics.avis.com.pt^ +||secureanalytics.avis.cz^ +||secureanalytics.avis.de^ +||secureanalytics.avis.dk^ +||secureanalytics.avis.es^ +||secureanalytics.avis.fr^ +||secureanalytics.avis.lu^ +||secureanalytics.avis.nl^ +||secureanalytics.avis.no^ +||secureanalytics.avis.se^ +||secureanalytics.avisautonoleggio.it^ +||secureanalytics.budget.at^ +||secureanalytics.budget.co.uk^ +||secureanalytics.budget.de^ +||secureanalytics.budget.dk^ +||secureanalytics.budget.es^ +||secureanalytics.budget.fr^ +||secureanalytics.budget.no^ +||secureanalytics.budget.se^ +||secureanalytics.budgetautonoleggio.it^ +||secureanalytics.nedbank.co.za^ +||secureclicks.geae.com^ +||secureclicks.geaviation.com^ +||securedata.bestellen-mijnspar.be^ +||securedata.bioplanet.be^ +||securedata.collectandgo.be^ +||securedata.collectandgo.fr^ +||securedata.collishop.be^ +||securedata.colruyt.be^ +||securedata.colruyt.fr^ +||securedata.colruytgroup.com^ +||securedata.colruytgroupacademy.be^ +||securedata.commander-monspar.be^ +||securedata.cru.be^ +||securedata.dats24.be^ +||securedata.dreambaby.be^ +||securedata.dreamland.be^ +||securedata.mijnspar.be^ +||securedata.monspar.be^ +||securedata.okay.be^ +||securedata.retailpartnerscolruytgroup.be^ +||securedata.solucious.be^ +||securedata.unsw.edu.au^ +||secureflashplayerfeedback.adobe.com^ +||securemetrics-z.v.aaplimg.com^ +||securemetrics.athletawell.com^ +||securemetrics.blackrock.com^ +||securemetrics.brhome.com^ +||securemetrics.dailycandy.com^ +||securemetrics.gap.co.jp^ +||securemetrics.gap.co.uk^ +||securemetrics.gap.eu^ +||securemetrics.gpsuniforms.com^ +||securemetrics.marthastewart.com^ +||securemetrics.nbnco.com.au^ +||securestats.callawaygolf.com^ +||securestats.odysseygolf.com^ +||securetags.aeroterra.com^ +||securetags.esri-portugal.pt^ +||securetags.esri.ca^ +||securetags.esri.ch^ +||securetags.esri.cl^ +||securetags.esri.co^ +||securetags.esri.com.tr^ +||securetags.esri.com^ +||securetags.esri.de^ +||securetags.esri.fi^ +||securetags.esri.in^ +||securetags.esri.nl^ +||securetags.esri.ro^ +||securetags.esri.rw^ +||securetags.esrichina.hk^ +||securetags.esriuk.com^ +||securetags.geotecnologias.com^ +||securetags.gisbaltic.eu^ +||securetags.igeo.com.bo^ +||securetags.img.com.br^ +||securetags.maps.com^ +||securetags.sigsa.info^ +||securetarget.nedbank.co.za^ +||securetenilstats.turner.com^ +||securetracking.huntington.com^ +||securewebhelp.govmint.com^ +||sedge.aarp.org^ +||sedge.nfl.com^ +||selectronics.sony-latin.com^ +||service.vrp.com^ +||serviceo.comcast.net^ +||serviceo.xfinity.com^ +||serviceos.comcast.net^ +||serviceos.xfinity.com^ +||sfeedback.equa.cz^ +||sfirst.penfed.org^ +||sfirstparty.here.com^ +||sfpc.changehealthcare.com^ +||sgms.greatschools.org^ +||sgw-analytics.panasonic.com^ +||shop.lids.ca^ +||shqmetrics.sony.com^ +||sicas.ikea.com^ +||sicas.ikea.net^ +||sig.ig.com^ +||sig.igmarkets.com^ +||sig.nadex.com^ +||simg.bwin.be^ +||simg.bwin.com^ +||simg.bwin.es^ +||simg.bwin.fr^ +||simg.bwin.it^ +||simg.discovery.com^ +||simg.gamebookers.com^ +||simg.interhome.at^ +||simg.interhome.be^ +||simg.interhome.com^ +||simg.interhome.de^ +||simg.interhome.fr^ +||simg.interhome.ie^ +||simg.interhome.no^ +||simg.interhome.pl^ +||simg.interhome.se^ +||simg.mgsgamesonline.com^ +||simg.premium.com^ +||simg.sh.bwin.de^ +||simg.yemeksepeti.com^ +||sinfo.dtcidev.co^ +||sinmo.chasecenter.com^ +||sit-metrics.nab.com.au^ +||sit-smetrics.nab.com.au^ +||site.emarketer.com^ +||site.johnlewis-insurance.com^ +||site.waitrose.com^ +||site2.emarketer.com^ +||sitecat.eset.com^ +||sitecat.troweprice.com^ +||sitecatalyst.pts.se^ +||sitecatalyst.smartsource.com^ +||sitecatalyst.work.shiseido.co.jp^ +||sitecatalysts.a-q-f.com^ +||sitecatalysts.saisoncard.co.jp^ +||sitecats.troweprice.com^ +||sitectlyst.saksfifthavenue.com^ +||sjourney.aarp.org^ +||sjourney.penfed.org^ +||sjremetrics.java.com^ +||slaunch.shopcanopy.com^ +||slaunch.spectrumtherapeutics.com^ +||sm.delltechnologies.com^ +||sm.edweek.org^ +||sm.macys.com^ +||sm.stjude.org^ +||sm.sungardas.com^ +||sm.trb.com^ +||smatning.volkswagen.se^ +||smatrix.hbo.com^ +||smeasurement.fcc-fac.ca^ +||smeasurement.infiniti.ca^ +||smeasurement.nissan.ca^ +||smetc.banfield.com^ +||smetric.4imprint.com^ +||smetric.ads.microsoft.com^ +||smetric.atg.se^ +||smetric.bahamabreeze.com^ +||smetric.baylorhealth.com^ +||smetric.betway.com^ +||smetric.bimsplus24.pl^ +||smetric.biogen.com^ +||smetric.carview.co.jp^ +||smetric.changiairport.com^ +||smetric.cheddars.com^ +||smetric.darden.com^ +||smetric.dtgonlineplus.de^ +||smetric.e-nichii.net^ +||smetric.eddiev.com^ +||smetric.efgonlineplus.de^ +||smetric.gconlineplus.at^ +||smetric.gconlineplus.de^ +||smetric.gebrueder-goetz.de^ +||smetric.gutonlineplus.de^ +||smetric.hilton.com^ +||smetric.hti24.pl^ +||smetric.htionlineplus.de^ +||smetric.hydrosolar24.pl^ +||smetric.iccu.com^ +||smetric.itgonlineplus.de^ +||smetric.lo.movement.com^ +||smetric.longhornsteakhouse.com^ +||smetric.m.nissan-global.com^ +||smetric.malaysiaairlines.com^ +||smetric.mandatum.fi^ +||smetric.markenschuhe.de^ +||smetric.millenniumhotels.com^ +||smetric.movement.com^ +||smetric.nfgonlineplus.de^ +||smetric.olivegarden.com^ +||smetric.panpacific.com^ +||smetric.parkroyalhotels.com^ +||smetric.philosophy.com^ +||smetric.redlobster.com^ +||smetric.sales.vikingline.com^ +||smetric.schwab.com^ +||smetric.schwabinstitutional.com^ +||smetric.schwabplan.com^ +||smetric.seasons52.com^ +||smetric.shop.com^ +||smetric.sydneywater.com.au^ +||smetric.tfgonlineplus.de^ +||smetric.thecapitalburger.com^ +||smetric.thecapitalgrille.com^ +||smetric.trulia.com^ +||smetric.tsite.jp^ +||smetric.volkswagen-nutzfahrzeuge.de^ +||smetric.volkswagen-veicolicommerciali.it^ +||smetric.volkswagen.ch^ +||smetric.volkswagen.com.au^ +||smetric.volkswagen.com^ +||smetric.volkswagen.de^ +||smetric.volkswagen.es^ +||smetric.volkswagen.ie^ +||smetric.volkswagen.it^ +||smetric.volkswagen.pl^ +||smetric.volkswagen.ru^ +||smetric.vw.ca^ +||smetric.vw.com.tr^ +||smetric.worldcat.org^ +||smetric.yardhouse.com^ +||smetricas.fgv.br^ +||smetrics-cns.panasonic.com^ +||smetrics-ieeexplore.ieee.org^ +||smetrics-smartcommerce.amazon.in^ +||smetrics.1011bigfm.com^ +||smetrics.1031freshradio.ca^ +||smetrics.1043freshradio.ca^ +||smetrics.1045freshradio.ca^ +||smetrics.1075daverocks.com^ +||smetrics.10daily.com.au^ +||smetrics.10play.com.au^ +||smetrics.1792bourbon.com^ +||smetrics.1800contacts.com^ +||smetrics.21nova.com^ +||smetrics.24hourfitness.com^ +||smetrics.28degreescard.com.au^ +||smetrics.360dx.com^ +||smetrics.3838.com^ +||smetrics.3cat.cat^ +||smetrics.3kronor.se^ +||smetrics.3m.com^ +||smetrics.48.ie^ +||smetrics.50southcapital.com^ +||smetrics.7-elevenfleet.com^ +||smetrics.7eleven.com.au^ +||smetrics.915thebeat.com^ +||smetrics.925thechuck.ca^ +||smetrics.931freshradio.ca^ +||smetrics.963bigfm.com^ +||smetrics.aa.co.uk^ +||smetrics.aa.com^ +||smetrics.aaas.org^ +||smetrics.aaasouth.com^ +||smetrics.aadimbalance.com^ +||smetrics.aainsurance.co.nz^ +||smetrics.aami.com.au^ +||smetrics.aamotors.com^ +||smetrics.aarp.org^ +||smetrics.aarpmedicareplans.com^ +||smetrics.aavacations.com^ +||smetrics.abacusplumbing.net^ +||smetrics.abanca.com^ +||smetrics.abbott.co.in^ +||smetrics.abbott.com.sg^ +||smetrics.abbott.com^ +||smetrics.abbott^ +||smetrics.abbottbrasil.com.br^ +||smetrics.abbottcore.com^ +||smetrics.abbottdiagnostics.com^ +||smetrics.abbottgps.com^ +||smetrics.abbottnutrition.com.my^ +||smetrics.abbottnutrition.com^ +||smetrics.abbottstore.com^ +||smetrics.abbottvascular.com^ +||smetrics.abbvie.com^ +||smetrics.abcspark.ca^ +||smetrics.abercrombie.cn^ +||smetrics.abercrombie.com^ +||smetrics.abercrombiekids.com^ +||smetrics.abilify.com^ +||smetrics.abilifyasimtufii.com^ +||smetrics.abilifyasimtufiihcp.com^ +||smetrics.abilifymaintena.com^ +||smetrics.abilifymaintenahcp.com^ +||smetrics.abilifymycite.com^ +||smetrics.abilifymycitehcp.com^ +||smetrics.absolute.com^ +||smetrics.absolutetotalcare.com^ +||smetrics.absorbcommunicationskit.com^ +||smetrics.academy.com^ +||smetrics.accaglobal.com^ +||smetrics.accredo.com^ +||smetrics.aclu.org^ +||smetrics.acpny.com^ +||smetrics.acs.org.au^ +||smetrics.act4yourheart.com^ +||smetrics.actemra.com^ +||smetrics.actemrahcp.com^ +||smetrics.actemrainfo.com^ +||smetrics.activase.com^ +||smetrics.active.com^ +||smetrics.activecommunities.com^ +||smetrics.activeendurance.com^ +||smetrics.activenetwork.com^ +||smetrics.adage.com^ +||smetrics.addabilify.com^ +||smetrics.adhduniversity.com^ +||smetrics.adiglobal.us^ +||smetrics.adnradio.cl^ +||smetrics.adpkdquestions.com^ +||smetrics.adt.com^ +||smetrics.adult.prevnar13.com^ +||smetrics.adultnutritionlearningcenter.com^ +||smetrics.advancedmd.com^ +||smetrics.advil.com^ +||smetrics.aegon.co.uk^ +||smetrics.aelca.es^ +||smetrics.aem.playstation.com^ +||smetrics.aena.es^ +||smetrics.aetn.com^ +||smetrics.aetnamedicare.com^ +||smetrics.afcom.com^ +||smetrics.affymetrix.com^ +||smetrics.afpjobs.amazon.com^ +||smetrics.afrique.pwc.com^ +||smetrics.afvclub.ca^ +||smetrics.afvclub.com^ +||smetrics.agentprovocateur.com^ +||smetrics.agilent.com^ +||smetrics.agillink.com^ +||smetrics.agra-net.com^ +||smetrics.aia.co.kr^ +||smetrics.aia.com^ +||smetrics.aida.de^ +||smetrics.airandgo.fr^ +||smetrics.aircanada.com^ +||smetrics.airmiles.ca^ +||smetrics.airngo.at^ +||smetrics.airngo.de^ +||smetrics.airngo.dk^ +||smetrics.airngo.it^ +||smetrics.airngo.nl^ +||smetrics.airngo.no^ +||smetrics.airngo.pt^ +||smetrics.airngo.se^ +||smetrics.airtv.net^ +||smetrics.ajinomoto.co.jp^ +||smetrics.aktiv-mit-psa.de^ +||smetrics.aktiv-mit-rheuma.de^ +||smetrics.albankaldawli.org^ +||smetrics.alecensa.com^ +||smetrics.alexandani.com^ +||smetrics.alfalaval.cn^ +||smetrics.alfalaval.com.au^ +||smetrics.alfalaval.com^ +||smetrics.alfalaval.kr^ +||smetrics.alfalaval.sg^ +||smetrics.alka.dk^ +||smetrics.alkamobil.dk^ +||smetrics.allegion.com^ +||smetrics.allenedmonds.ca^ +||smetrics.allenedmonds.com^ +||smetrics.alliancebernstein.com^ +||smetrics.allianz.com.au^ +||smetrics.allianzlife.com^ +||smetrics.allstate.com^ +||smetrics.allstatecorporation.com^ +||smetrics.allwellmedicare.com^ +||smetrics.ally.com^ +||smetrics.alpo.com^ +||smetrics.amaroso.com.au^ +||smetrics.ambetterhealth.com^ +||smetrics.ambetterofillinois.com^ +||smetrics.ambetterofnorthcarolina.com^ +||smetrics.ambetteroftennessee.com^ +||smetrics.americanairlines.com.au^ +||smetrics.americanairlines.com^ +||smetrics.americanairlines.es^ +||smetrics.americanairlines.in^ +||smetrics.americanblinds.com^ +||smetrics.americancentury.com^ +||smetrics.americanconnection.io^ +||smetrics.americanway.com^ +||smetrics.americastire.com^ +||smetrics.amersportsproclub.com^ +||smetrics.amfam.com^ +||smetrics.amg.com^ +||smetrics.amica.com^ +||smetrics.amp.co.nz^ +||smetrics.amplifon.com^ +||smetrics.amway-bulgaria-qas.com^ +||smetrics.amway-estonia.com^ +||smetrics.amway-qas.com.co^ +||smetrics.amway-qas.nl^ +||smetrics.amway-turkey-qas.com^ +||smetrics.amway.ch^ +||smetrics.amway.com.ar^ +||smetrics.amway.com.hn^ +||smetrics.amway.it^ +||smetrics.amway.my^ +||smetrics.amway.se^ +||smetrics.amway.sg^ +||smetrics.ancestry.ca^ +||smetrics.ancestry.co.uk^ +||smetrics.ancestry.com.au^ +||smetrics.ancestry.com^ +||smetrics.ancestry.de^ +||smetrics.angara.com^ +||smetrics.angi.com^ +||smetrics.anhi.org^ +||smetrics.animalhealthacademy.com.au^ +||smetrics.animalnetwork.com^ +||smetrics.anixter.com^ +||smetrics.anntaylor.com^ +||smetrics.ansible.com^ +||smetrics.ansys.com^ +||smetrics.antena3.com^ +||smetrics.anthem.com^ +||smetrics.anticoagulante.info^ +||smetrics.anwagolf.com^ +||smetrics.apellis.com^ +||smetrics.apia.com.au^ +||smetrics.apps.ge.com^ +||smetrics.aptashop.co.uk^ +||smetrics.arcobusinesssolutions.com^ +||smetrics.argenta.be^ +||smetrics.argenta.eu^ +||smetrics.argos.co.uk^ +||smetrics.arhealthwellness.com^ +||smetrics.arkansastotalcare.com^ +||smetrics.armadaskis.com^ +||smetrics.army.mod.uk^ +||smetrics.arnette.com^ +||smetrics.as.com^ +||smetrics.ascentric.co.uk^ +||smetrics.aservoequihaler.com^ +||smetrics.asgrow.com.mx^ +||smetrics.asics.com^ +||smetrics.asmithbowman.com^ +||smetrics.assurancewireless.com^ +||smetrics.assuranthealth.com^ +||smetrics.asteronlife.com.au^ +||smetrics.asumag.com^ +||smetrics.atecsports.com^ +||smetrics.atlantic.caa.ca^ +||smetrics.atlanticsuperstore.ca^ +||smetrics.atmosphere.ca^ +||smetrics.atomic.com^ +||smetrics.atresmedia.com^ +||smetrics.atresplayer.com^ +||smetrics.au.com^ +||smetrics.au.ugg.com^ +||smetrics.audi.co.uk^ +||smetrics.audifinance.ca^ +||smetrics.audifinancialservices.nl^ +||smetrics.australiancurriculum.edu.au^ +||smetrics.australiansuper.com^ +||smetrics.autodesk.com^ +||smetrics.automobilemag.com^ +||smetrics.automobilwoche.de^ +||smetrics.autonews.com^ +||smetrics.autotrader.com^ +||smetrics.avalara.com^ +||smetrics.avancesenrespiratorio.com^ +||smetrics.avastin-hcp.com^ +||smetrics.avastin.com^ +||smetrics.aveva.com^ +||smetrics.aviationweek.com^ +||smetrics.aviva.co.uk^ +||smetrics.avnet.com^ +||smetrics.axa-direct-life.co.jp^ +||smetrics.axs.com^ +||smetrics.azcompletehealth.com^ +||smetrics.babycenter.at^ +||smetrics.babycenter.ca^ +||smetrics.babycenter.com.au^ +||smetrics.babycenter.com.mx^ +||smetrics.babycenter.com.ph^ +||smetrics.babycenter.de^ +||smetrics.babycenter.in^ +||smetrics.babycenter.ru^ +||smetrics.babycentre.co.uk^ +||smetrics.babyjoyclub.com^ +||smetrics.babynes.ch^ +||smetrics.bakerbrothersplumbing.com^ +||smetrics.bamboohr.com^ +||smetrics.banamex.com^ +||smetrics.bancobmg.com.br^ +||smetrics.bancomundial.org^ +||smetrics.bancsabadell.com^ +||smetrics.bank-daiwa.co.jp^ +||smetrics.bankatfirst.com^ +||smetrics.bankaustria.at^ +||smetrics.bankinter.com^ +||smetrics.bankofamerica.com^ +||smetrics.bankofmelbourne.com.au^ +||smetrics.banksa.com.au^ +||smetrics.bankwest.com.au^ +||smetrics.banquemondiale.org^ +||smetrics.banter.com^ +||smetrics.barandblock.co.uk^ +||smetrics.barberinilenses.com^ +||smetrics.barcainnovationhub.com^ +||smetrics.barkandwhiskers.com^ +||smetrics.barracuda.com^ +||smetrics.base.be^ +||smetrics.baskinrobbins.com^ +||smetrics.bayer.africa^ +||smetrics.bayer.ca^ +||smetrics.bayer.co^ +||smetrics.bayer.com.ar^ +||smetrics.bayer.com.br^ +||smetrics.bayer.com.mx^ +||smetrics.bayer.com.tr^ +||smetrics.bayer.com^ +||smetrics.bayer.cr^ +||smetrics.bayer.cz^ +||smetrics.bayer.dz^ +||smetrics.bayer.ec^ +||smetrics.bayer.gt^ +||smetrics.bayer.ma^ +||smetrics.bayer.pe^ +||smetrics.bayer.sk^ +||smetrics.bayer.us^ +||smetrics.bbb.org^ +||smetrics.bbva.com.ar^ +||smetrics.bbva.com.co^ +||smetrics.bbva.com.uy^ +||smetrics.bbva.com^ +||smetrics.bbva.es^ +||smetrics.bbva.it^ +||smetrics.bbva.mx^ +||smetrics.bbva.pe^ +||smetrics.bbvacib.com^ +||smetrics.bbvaexperience.com^ +||smetrics.bbvanet.com.co^ +||smetrics.bbvanet.com.mx^ +||smetrics.bbvanetcash.pe^ +||smetrics.bbvaopenmind.com^ +||smetrics.bbvaresearch.com^ +||smetrics.bbvaseguros.mx^ +||smetrics.bcbsks.com^ +||smetrics.bcbsm.com^ +||smetrics.bcbsnc.com^ +||smetrics.bcbsnd.com^ +||smetrics.bd.dk^ +||smetrics.be.carrefour.eu^ +||smetrics.beachbody.com^ +||smetrics.beatsbydre.com.cn^ +||smetrics.beatsbydre.com^ +||smetrics.beaumontenterprise.com^ +||smetrics.beckmancoulter.com^ +||smetrics.becomeanex.org^ +||smetrics.beefeater.co.uk^ +||smetrics.belairdirect.com^ +||smetrics.belk.com^ +||smetrics.benefitcosmetics.com.cn^ +||smetrics.beneful.com^ +||smetrics.beneplace.com^ +||smetrics.bereadywith.com^ +||smetrics.besame.fm^ +||smetrics.bestbuy.com^ +||smetrics.bestdrive.cz^ +||smetrics.bestegg.com^ +||smetrics.bestinver.es^ +||smetrics.bestoforlando.com^ +||smetrics.bestofvegas.com^ +||smetrics.bet.com^ +||smetrics.beterhoren.nl^ +||smetrics.bevestor.de^ +||smetrics.bgov.com^ +||smetrics.bhgelite.com^ +||smetrics.bhgfinancial.com^ +||smetrics.bhgpersonal.com^ +||smetrics.bi-connect.com^ +||smetrics.bi-vetmedica.com^ +||smetrics.bigkidneybigproblem.com^ +||smetrics.biglots.com^ +||smetrics.bilfinans.no^ +||smetrics.binge.com.au^ +||smetrics.bingle.com.au^ +||smetrics.biomedtracker.com^ +||smetrics.biooncology.com^ +||smetrics.biophilia-fbbva.es^ +||smetrics.biore.com^ +||smetrics.biosimilarsbyboehringer.com^ +||smetrics.bissell.com^ +||smetrics.bittermens.com^ +||smetrics.bjs.com^ +||smetrics.bkstr.com^ +||smetrics.blair.com^ +||smetrics.blanchir-sp.net^ +||smetrics.blau.de^ +||smetrics.blockbuster.com^ +||smetrics.bloombergbna.com^ +||smetrics.bloombergindustry.com^ +||smetrics.bloomberglaw.com^ +||smetrics.bloombergtax.com^ +||smetrics.bloombergtaxtech.com^ +||smetrics.bluegrasscellular.com^ +||smetrics.bluemercury.com^ +||smetrics.bluenile.com^ +||smetrics.blueprintprep.com^ +||smetrics.bmc.com^ +||smetrics.bmo.com^ +||smetrics.bms-immuno-dermatologie.de^ +||smetrics.bms-io-academy.co.uk^ +||smetrics.bms-newfrontiers.com.au^ +||smetrics.bms-onkologie.de^ +||smetrics.bms.com^ +||smetrics.bmscustomerconnect.com^ +||smetrics.bmshealthcare.jp^ +||smetrics.bmsmedinfo.co.uk^ +||smetrics.bmsmedinfo.com^ +||smetrics.bmsmedinfo.de^ +||smetrics.bmsoncology.jp^ +||smetrics.bmspaf.org^ +||smetrics.bmsstudyconnect.com^ +||smetrics.bmwusa.com^ +||smetrics.bna.com^ +||smetrics.bncollege.com^ +||smetrics.bncvirtual.com^ +||smetrics.bnpparibas.com^ +||smetrics.bnymellon.com^ +||smetrics.bnymellonam.com^ +||smetrics.bodyforlife.com^ +||smetrics.bodyworkmall.com^ +||smetrics.boehringer-ingelheim.at^ +||smetrics.boehringer-ingelheim.ca^ +||smetrics.boehringer-ingelheim.com.br^ +||smetrics.boehringer-ingelheim.com^ +||smetrics.boehringer-ingelheim.de^ +||smetrics.boehringer-ingelheim.es^ +||smetrics.boehringer-ingelheim.hu^ +||smetrics.boehringer-ingelheim.it^ +||smetrics.boehringer-ingelheim.jp^ +||smetrics.boehringer-ingelheim.no^ +||smetrics.boehringer-ingelheim.pl^ +||smetrics.boehringer-ingelheim.sk^ +||smetrics.boehringer-ingelheim.tw^ +||smetrics.boehringer-ingelheim.ua^ +||smetrics.boehringer-ingelheim.us^ +||smetrics.boehringer-interaktiv.de^ +||smetrics.boehringerone.com^ +||smetrics.boom1019.com^ +||smetrics.boom997.com^ +||smetrics.boostinfinite.com^ +||smetrics.boostmobile.com^ +||smetrics.boothehvac.com^ +||smetrics.boozallen.com^ +||smetrics.boq.com.au^ +||smetrics.borgatacasino.com^ +||smetrics.borgatapoker.com^ +||smetrics.boscovs.com^ +||smetrics.boss.info^ +||smetrics.boston.com^ +||smetrics.bostonglobe.com^ +||smetrics.bottegaverde.es^ +||smetrics.bottegaverde.it^ +||smetrics.boundaryford.com^ +||smetrics.bpbusinesssolutions.com^ +||smetrics.bravenhealth.com^ +||smetrics.breezeforcats.com^ +||smetrics.brett-robinson.com^ +||smetrics.brewersfayre.co.uk^ +||smetrics.bridgestoneamericas.com^ +||smetrics.brinksprepaidmastercard.com^ +||smetrics.briteboxelectrical.com^ +||smetrics.britishgas.co.uk^ +||smetrics.broadlinespoton.de^ +||smetrics.brocade.com^ +||smetrics.brookdale.com^ +||smetrics.brooksbrothers.com^ +||smetrics.brumate.jp^ +||smetrics.bt.com.au^ +||smetrics.bt.com^ +||smetrics.buckeyehealthplan.com^ +||smetrics.buell.com^ +||smetrics.buffalotrace.com^ +||smetrics.buffalotracedistillery.com^ +||smetrics.builddirect.com^ +||smetrics.bupa.com.au^ +||smetrics.business.comcast.com^ +||smetrics.businessfinancemag.com^ +||smetrics.buyagift.co.uk^ +||smetrics.buyersedge.com.au^ +||smetrics.buytickets.virgintrains.co.uk^ +||smetrics.buytickets.westmidlandsrailway.co.uk^ +||smetrics.bzees.com^ +||smetrics.c2fo.com^ +||smetrics.cadenadial.com^ +||smetrics.cadenaser.com^ +||smetrics.caesars.com^ +||smetrics.cahealthwellness.com^ +||smetrics.calbaptist.edu^ +||smetrics.caleres.com^ +||smetrics.calia.com^ +||smetrics.caliastudio.com^ +||smetrics.calvinklein.ca^ +||smetrics.calvinklein.cn^ +||smetrics.calvinklein.us^ +||smetrics.calwater.com^ +||smetrics.campaigns.abbott.com.sg^ +||smetrics.camzyos.com^ +||smetrics.camzyoshcp.com^ +||smetrics.canosan.de^ +||smetrics.capella.edu^ +||smetrics.capitalone.com^ +||smetrics.caracol.com.co^ +||smetrics.carbonite.com^ +||smetrics.care.com^ +||smetrics.carfax.com^ +||smetrics.caribbeanjobs.com^ +||smetrics.carnival.co.uk^ +||smetrics.carnival.com.au^ +||smetrics.carnival.com^ +||smetrics.carolina.com^ +||smetrics.carparts.com^ +||smetrics.carphonewarehouse.com^ +||smetrics.carrieres.pwc.fr^ +||smetrics.carters.com^ +||smetrics.cartersoshkosh.ca^ +||smetrics.cartoonnetwork.ca^ +||smetrics.caser.es^ +||smetrics.caserexpatinsurance.com^ +||smetrics.caseys.com^ +||smetrics.cashnetusa.com^ +||smetrics.casinoladbrokes.be^ +||smetrics.casinosplendido.com^ +||smetrics.casio-intl.com^ +||smetrics.casio-watches.com^ +||smetrics.casio.co.jp^ +||smetrics.casio.com.tw^ +||smetrics.casio.com^ +||smetrics.casio.info^ +||smetrics.casio.jp^ +||smetrics.cast.r-agent.com^ +||smetrics.catalog.usmint.gov^ +||smetrics.catchow.com^ +||smetrics.cathflo.com^ +||smetrics.catxpert.dk^ +||smetrics.cbc.ca^ +||smetrics.cbc.youtube.mercedes-benz.com^ +||smetrics.cbn.com^ +||smetrics.ccma.cat^ +||smetrics.cdiscount.com^ +||smetrics.cedars-sinai.org^ +||smetrics.celebritycruises.com^ +||smetrics.cellcept.com^ +||smetrics.celticarehealthplan.com^ +||smetrics.census.gov^ +||smetrics.centene.com^ +||smetrics.centerpointenergy.com^ +||smetrics.centex.com^ +||smetrics.centralparknyc.org^ +||smetrics.centrum.com^ +||smetrics.centurylink.com^ +||smetrics.cepheid.com^ +||smetrics.ceratizit.com^ +||smetrics.cfainstitute.org^ +||smetrics.cfox.com^ +||smetrics.chadstone.com.au^ +||smetrics.channel.com^ +||smetrics.channelfutures.com^ +||smetrics.chapstick.com^ +||smetrics.charter.com^ +||smetrics.charter.no^ +||smetrics.charter.se^ +||smetrics.chase.com^ +||smetrics.chatrwireless.com^ +||smetrics.chelseafc.com^ +||smetrics.chemistanddruggist.co.uk^ +||smetrics.chghealthcare.com^ +||smetrics.chicagobusiness.com^ +||smetrics.chip1stop.com^ +||smetrics.christianscience.com^ +||smetrics.christies.com^ +||smetrics.chron.com^ +||smetrics.chrysler.com^ +||smetrics.churchill.com^ +||smetrics.ciena.com^ +||smetrics.cigar.com^ +||smetrics.cigarsinternational.com^ +||smetrics.cigna.com^ +||smetrics.cinemaxx.de^ +||smetrics.circulodelasalud.mx^ +||smetrics.circusny.com^ +||smetrics.cirquedusoleil.com^ +||smetrics.cisco.com^ +||smetrics.cisnfm.com^ +||smetrics.cit.com^ +||smetrics.citalia.com^ +||smetrics.citeline.com^ +||smetrics.citibank.ae^ +||smetrics.citibank.cn^ +||smetrics.citibank.co.th^ +||smetrics.citibank.co.uk^ +||smetrics.citibank.com.au^ +||smetrics.citibank.com.hk^ +||smetrics.citibank.com.my^ +||smetrics.citibank.com.ph^ +||smetrics.citibank.com.sg^ +||smetrics.citibank.com.vn^ +||smetrics.citibank.pl^ +||smetrics.citizensbank.com^ +||smetrics.civilsandutilities.com^ +||smetrics.cjoy.com^ +||smetrics.claris.com^ +||smetrics.clearly.ca^ +||smetrics.clementia.cz^ +||smetrics.clickbank.com^ +||smetrics.client-services.ca^ +||smetrics.cloudera.com^ +||smetrics.cluballiance.aaa.com^ +||smetrics.clubmarriott.in^ +||smetrics.clubmonaco.com^ +||smetrics.clubnoble.jp^ +||smetrics.clubreservations.com^ +||smetrics.cnb.com^ +||smetrics.cnn.com^ +||smetrics.cnr.com^ +||smetrics.coach.com^ +||smetrics.coachfactory.com^ +||smetrics.coca-cola.com^ +||smetrics.coca-colacanada.ca^ +||smetrics.coca-colaentuhogar.com^ +||smetrics.codan.dk^ +||smetrics.coffretdor-makeup.jp^ +||smetrics.coke2home.com^ +||smetrics.collinscomfort.com^ +||smetrics.columbia.com^ +||smetrics.combinedinsurance.com^ +||smetrics.comcast.com^ +||smetrics.comdata.com^ +||smetrics.comenity.net^ +||smetrics.comfortwave.com^ +||smetrics.commonclaimsmistakesvideo.com^ +||smetrics.commonwealth.com^ +||smetrics.comms.westpac.co.nz^ +||smetrics.comparethemarket.com^ +||smetrics.comphealth.com^ +||smetrics.concardis.com^ +||smetrics.concierto.cl^ +||smetrics.condodirect.com^ +||smetrics.connecticare.com^ +||smetrics.consumerreports.org^ +||smetrics.contactsdirect.com^ +||smetrics.controlcenter.com^ +||smetrics.converse.co.uk^ +||smetrics.converse.com^ +||smetrics.cookhouseandpub.co.uk^ +||smetrics.coolray.com^ +||smetrics.cooltoday.com^ +||smetrics.coordinatedcarehealth.com^ +||smetrics.copd-aktuell.de^ +||smetrics.copdinsideout.ca^ +||smetrics.corazon.cl^ +||smetrics.cornercard.ch^ +||smetrics.cornertrader.ch^ +||smetrics.corpay.com^ +||smetrics.corpaybusinesscard.com^ +||smetrics.corpayone.com^ +||smetrics.corpayone.dk^ +||smetrics.correos.es^ +||smetrics.cortefiel.com^ +||smetrics.cortevents.com^ +||smetrics.cortfurnitureoutlet.com^ +||smetrics.cortpartyrental.com^ +||smetrics.corus.ca^ +||smetrics.costacruise.com^ +||smetrics.costadelmar.com^ +||smetrics.costco.ca^ +||smetrics.costco.com^ +||smetrics.costcobusinesscentre.ca^ +||smetrics.costcobusinessdelivery.com^ +||smetrics.costumesupercenter.com^ +||smetrics.cotellic.com^ +||smetrics.cottages.com^ +||smetrics.coulditbehcm.com^ +||smetrics.country104.com^ +||smetrics.country105.com^ +||smetrics.countryfinancial.com^ +||smetrics.countryfinancialsecurityblog.com^ +||smetrics.countrypassport.com^ +||smetrics.covance.com^ +||smetrics.cox.com^ +||smetrics.cpaaustralia.com.au^ +||smetrics.cpsenergy.com^ +||smetrics.crain.com^ +||smetrics.crainscleveland.com^ +||smetrics.crainsdetroit.com^ +||smetrics.crainsnewyork.com^ +||smetrics.creditscore.com^ +||smetrics.crimewatchdaily.com^ +||smetrics.crocs.at^ +||smetrics.crocs.ca^ +||smetrics.crocs.co.uk^ +||smetrics.crocs.com^ +||smetrics.crocs.de^ +||smetrics.crocs.eu^ +||smetrics.crocs.fi^ +||smetrics.crocs.fr^ +||smetrics.crocs.nl^ +||smetrics.crocs.se^ +||smetrics.crocsespana.es^ +||smetrics.croma.com^ +||smetrics.cru.org^ +||smetrics.crystalski.co.uk^ +||smetrics.crystalski.ie^ +||smetrics.csmonitor.com^ +||smetrics.css.ch^ +||smetrics.csu.edu.au^ +||smetrics.ctm.uhc.com^ +||smetrics.ctshirts.com^ +||smetrics.ctv.ca^ +||smetrics.cua.com.au^ +||smetrics.cultura.com^ +||smetrics.cupraofficial.com^ +||smetrics.cupraofficial.de^ +||smetrics.curel.com^ +||smetrics.currys.co.uk^ +||smetrics.customersvc.com^ +||smetrics.customs.pwc.com^ +||smetrics.cvs.com^ +||smetrics.cvty.com^ +||smetrics.cyrillus.be^ +||smetrics.cytivalifesciences.co.jp^ +||smetrics.cytivalifesciences.co.kr^ +||smetrics.cytivalifesciences.com^ +||smetrics.daiwa-grp.jp^ +||smetrics.daiwa.jp^ +||smetrics.daiwatv.jp^ +||smetrics.dalisalda.com^ +||smetrics.dallasmidwest.com^ +||smetrics.dandh.ca^ +||smetrics.dandh.com^ +||smetrics.darty.com^ +||smetrics.dashandstars.com^ +||smetrics.datapipe.com^ +||smetrics.davidclulow.com^ +||smetrics.dcu.org^ +||smetrics.deakin.edu.au^ +||smetrics.dekalb.com.co^ +||smetrics.dekalb.com.mx^ +||smetrics.dekalbasgrowdeltapine.com^ +||smetrics.delacon.com.au^ +||smetrics.delbetalning.seb.se^ +||smetrics.delta.com^ +||smetrics.deltacargo.com^ +||smetrics.deltafarmpress.com^ +||smetrics.demarini.com^ +||smetrics.derneuekaemmerer.de^ +||smetrics.dertreasurer.de^ +||smetrics.desparasitaatumascota.es^ +||smetrics.destinythegame.com^ +||smetrics.detect-afib.com^ +||smetrics.deutschepost.com^ +||smetrics.deutschepost.de^ +||smetrics.deutscheranwaltspiegel.de^ +||smetrics.dev.www.vwfs.de^ +||smetrics.devcommittee.org^ +||smetrics.dfo.com.au^ +||smetrics.dha.com^ +||smetrics.dhc.co.jp^ +||smetrics.dhl.de^ +||smetrics.dickssportinggoods.com^ +||smetrics.die-stiftung.de^ +||smetrics.digicert.com^ +||smetrics.digital.pwc.ie^ +||smetrics.digitalbalance.com.au^ +||smetrics.diners.co.jp^ +||smetrics.dinersclub.dk^ +||smetrics.directauto.com^ +||smetrics.directline.com^ +||smetrics.directlineforbusiness.co.uk^ +||smetrics.directtv.com^ +||smetrics.directv.com^ +||smetrics.discounttire.com^ +||smetrics.discova.jp^ +||smetrics.discover.com^ +||smetrics.discovertrk.com^ +||smetrics.dish.co^ +||smetrics.dish.com^ +||smetrics.dishanywhere.com^ +||smetrics.dishpuertorico.com^ +||smetrics.dishwireless.com^ +||smetrics.disneychannel.ca^ +||smetrics.disneylachaine.ca^ +||smetrics.distrelec.ch^ +||smetrics.dlalekarzy.roche.pl^ +||smetrics.dnb.com^ +||smetrics.dnszone.jp^ +||smetrics.doctoramascotas.com^ +||smetrics.doingbusiness.org^ +||smetrics.dominos.com^ +||smetrics.donaldson.com^ +||smetrics.donovanac.com^ +||smetrics.doujinshi-print.com^ +||smetrics.dreamlabdata.com^ +||smetrics.dreamvacationweek.com^ +||smetrics.driveshare.com^ +||smetrics.drmartens.com.au^ +||smetrics.drschollsshoes.com^ +||smetrics.drugpricinglaw.com^ +||smetrics.dryerventwizard.com^ +||smetrics.dunkindonuts.com^ +||smetrics.dxc.com^ +||smetrics.e-abbott.com^ +||smetrics.e-casio.co.jp^ +||smetrics.e-wie-einfach.de^ +||smetrics.earpros.com^ +||smetrics.eas.com^ +||smetrics.easacademy.org^ +||smetrics.eascertified.com^ +||smetrics.eastwestbank.com^ +||smetrics.ebgsolutions.com^ +||smetrics.ecmweb.com^ +||smetrics.edc.ca^ +||smetrics.eddiebauer.com^ +||smetrics.edge.ca^ +||smetrics.edifice-watches.com^ +||smetrics.ee.co.uk^ +||smetrics.efirstbank.com^ +||smetrics.ehealthinsurance.com^ +||smetrics.einsure.com.au^ +||smetrics.eis-inc.com^ +||smetrics.eki-net.com^ +||smetrics.el-mundo.net^ +||smetrics.elal.com^ +||smetrics.elecare.com^ +||smetrics.electronicdesign.com^ +||smetrics.element14.com^ +||smetrics.elgallomasgallo.com.gt^ +||smetrics.elgallomasgallo.com.hn^ +||smetrics.elgallomasgallo.com.ni^ +||smetrics.elgiganten.se^ +||smetrics.eliquis.co.uk^ +||smetrics.eliquis.com^ +||smetrics.eliquisdataportal.com^ +||smetrics.eliquispatient.nl^ +||smetrics.elkjop.no^ +||smetrics.elpais.com^ +||smetrics.elsevier.com^ +||smetrics.emblemhealth.com^ +||smetrics.emicizumabinfo.com^ +||smetrics.empliciti.com^ +||smetrics.enelenergia.it^ +||smetrics.energia.ie^ +||smetrics.energy953radio.ca^ +||smetrics.energyaustralia.com.au^ +||smetrics.energytoday.biz^ +||smetrics.enjoy365.ch^ +||smetrics.enspryng-hcp.com^ +||smetrics.enspryng.com^ +||smetrics.enterprise.com^ +||smetrics.enterprisersproject.com^ +||smetrics.enterprisesg.gov.sg^ +||smetrics.enterprisesurveys.org^ +||smetrics.entrykeyid.com^ +||smetrics.eprice.it^ +||smetrics.equipmentwatch.com^ +||smetrics.equitable.com^ +||smetrics.erivedge.com^ +||smetrics.ernestjones.co.uk^ +||smetrics.es-diabetes.com^ +||smetrics.esbriet.com^ +||smetrics.esbriethcp.com^ +||smetrics.esignal.com^ +||smetrics.essds.com^ +||smetrics.essomastercard.no^ +||smetrics.esurance.com^ +||smetrics.etcanada.com^ +||smetrics.eticketing.abbott.com.sg^ +||smetrics.etihad.com^ +||smetrics.etihadaviationgroup.com^ +||smetrics.etihadcargo.com^ +||smetrics.etihadengineering.com^ +||smetrics.etihadguest.com^ +||smetrics.etihadholidays.com^ +||smetrics.etihadsecurelogistics.com^ +||smetrics.ets.org^ +||smetrics.eu.playstation.com^ +||smetrics.eurekalert.org^ +||smetrics.eurobet.it^ +||smetrics.eurocard.com^ +||smetrics.europafm.com^ +||smetrics.eurowings.com^ +||smetrics.evernorth.com^ +||smetrics.eversource.com^ +||smetrics.evicore.com^ +||smetrics.evine.com^ +||smetrics.evivanlanschot.nl^ +||smetrics.evolytics.com^ +||smetrics.evoshield.com^ +||smetrics.evrysdi.com^ +||smetrics.ewweb.com^ +||smetrics.examinebiosimilars.com^ +||smetrics.experian.co.uk^ +||smetrics.expoeast.com^ +||smetrics.exposehcm.com^ +||smetrics.expowest.com^ +||smetrics.express-scripts.com^ +||smetrics.express.com^ +||smetrics.expressnews.com^ +||smetrics.expressverified.ca^ +||smetrics.extranetperu.grupobbva.pe^ +||smetrics.ey.com^ +||smetrics.faceipf.com^ +||smetrics.facitlaan.dk^ +||smetrics.familiaynutricion.com.co^ +||smetrics.famousfootwear.ca^ +||smetrics.famousfootwear.com^ +||smetrics.fancl.co.jp^ +||smetrics.fancl.jp^ +||smetrics.fancyfeast.com^ +||smetrics.farnell.com^ +||smetrics.fatface.com^ +||smetrics.faz-konferenzen.de^ +||smetrics.faz.net^ +||smetrics.fcacert.com^ +||smetrics.fcbarcelona.cat^ +||smetrics.fcbarcelona.co.de^ +||smetrics.fcbarcelona.co.it^ +||smetrics.fcbarcelona.com^ +||smetrics.fcbarcelona.es^ +||smetrics.fcbarcelona.fr^ +||smetrics.fcbarcelona.jp^ +||smetrics.fedex.com^ +||smetrics.feedthe485.com^ +||smetrics.feelbanfresh.com^ +||smetrics.ferguson.com^ +||smetrics.ferris.ac.jp^ +||smetrics.ferroviedellostato.it^ +||smetrics.fetnet.net^ +||smetrics.ficohsa.hn^ +||smetrics.fifa.com^ +||smetrics.fiftyoutlet.com^ +||smetrics.filemaker.com^ +||smetrics.filmmagic.com^ +||smetrics.filtron.eu^ +||smetrics.finance-magazin.de^ +||smetrics.financing.vwfinance.ca^ +||smetrics.findomestic.it^ +||smetrics.fingerhut.com^ +||smetrics.finishline.com^ +||smetrics.finn.no^ +||smetrics.finning.com^ +||smetrics.fireballwhisky.com^ +||smetrics.firestonebpco.com^ +||smetrics.flagstar.com^ +||smetrics.flashnews.com.au^ +||smetrics.fleetcardapplication.com^ +||smetrics.fleetcardsusa.com^ +||smetrics.fleetcor.com^ +||smetrics.flex.amazon.ca^ +||smetrics.flex.amazon.co.jp^ +||smetrics.flex.amazon.co.uk^ +||smetrics.flex.amazon.com.au^ +||smetrics.flex.amazon.com.mx^ +||smetrics.flex.amazon.com.sg^ +||smetrics.flex.amazon.com^ +||smetrics.flex.amazon.in^ +||smetrics.flexera.com^ +||smetrics.flexerasoftware.com^ +||smetrics.flexshares.com^ +||smetrics.flightnetwork.com^ +||smetrics.flyfar.ca^ +||smetrics.fm96.com^ +||smetrics.fmdos.cl^ +||smetrics.fnac.be^ +||smetrics.fnac.ch^ +||smetrics.fnac.com^ +||smetrics.fnac.es^ +||smetrics.fnac.pt^ +||smetrics.fnacpro.com^ +||smetrics.foeniksprivatlaan.dk^ +||smetrics.fokuslaan.dk^ +||smetrics.fokuslan.no^ +||smetrics.folksam.se^ +||smetrics.folksamlopension.se^ +||smetrics.fondation.pwc.fr^ +||smetrics.foniksprivatlan.no^ +||smetrics.ford.ca^ +||smetrics.ford.com^ +||smetrics.forgingmagazine.com^ +||smetrics.fortinos.ca^ +||smetrics.fortnumandmason.com^ +||smetrics.fostercaretx.com^ +||smetrics.foxbusiness.com^ +||smetrics.foxnews.com^ +||smetrics.fpl.com^ +||smetrics.framesdirect.com^ +||smetrics.francosarto.com^ +||smetrics.franke.com^ +||smetrics.fraport-bulgaria.com^ +||smetrics.fraport-galaxy.de^ +||smetrics.fraport-slovenija.si^ +||smetrics.fraport.com^ +||smetrics.fraport.de^ +||smetrics.frasersproperty.com^ +||smetrics.freecreditscore.com^ +||smetrics.freedomfordsales.ca^ +||smetrics.freeplus-global.net^ +||smetrics.friskies.com^ +||smetrics.front-line.nl^ +||smetrics.frontier.com^ +||smetrics.frontline.co.th^ +||smetrics.ftd.ca^ +||smetrics.fuelman.com^ +||smetrics.future.smart.com^ +||smetrics.futuro.cl^ +||smetrics.fuzeon.com^ +||smetrics.fxsolutions.com^ +||smetrics.fyndus.de^ +||smetrics.g-shock.com^ +||smetrics.g-shock.jp^ +||smetrics.g-tune.jp^ +||smetrics.gaes.es^ +||smetrics.gatesnotes.com^ +||smetrics.gazyva.com^ +||smetrics.gcimetrics.com^ +||smetrics.geeksquad.com^ +||smetrics.gehealthcare.com^ +||smetrics.gemcreditline.co.nz^ +||smetrics.gemfinance.co.nz^ +||smetrics.gemplers.com^ +||smetrics.gemvisa.co.nz^ +||smetrics.genarts.com^ +||smetrics.genentech-access.com^ +||smetrics.genentech-forum.com^ +||smetrics.genentech-pro.com^ +||smetrics.genentechhemophilia.com^ +||smetrics.generac.com^ +||smetrics.genomeweb.com^ +||smetrics.gestionpriveegi.com^ +||smetrics.getravelop.com^ +||smetrics.ghirardelli.com^ +||smetrics.gibbsanddandy.com^ +||smetrics.gio.com.au^ +||smetrics.glasses.com^ +||smetrics.global.jcb^ +||smetrics.global.mandg.com^ +||smetrics.global.nba.com^ +||smetrics.globalbmsmedinfo.com^ +||smetrics.globalfinancingfacility.org^ +||smetrics.globalnews.ca^ +||smetrics.glucerna.ca^ +||smetrics.glucerna.com^ +||smetrics.gmfinancial.com^ +||smetrics.gobank.com^ +||smetrics.goccl.co.uk^ +||smetrics.goibibo.com^ +||smetrics.goindigo.in^ +||smetrics.goinggoing.com^ +||smetrics.goinggoinggone.com^ +||smetrics.golden1.com^ +||smetrics.golfgalaxy.com^ +||smetrics.gomastercard.com.au^ +||smetrics.gomedigap.com^ +||smetrics.goodsamrvinsurance.com^ +||smetrics.gordonsjewelers.com^ +||smetrics.grainger.com^ +||smetrics.grandandtoy.com^ +||smetrics.greatland.com^ +||smetrics.greatsouthernbank.com.au^ +||smetrics.greendot.com^ +||smetrics.greenflag.com^ +||smetrics.greenrow.com^ +||smetrics.greenstate.com^ +||smetrics.group.uhc.com^ +||smetrics.groupama.fr^ +||smetrics.grundfos.com^ +||smetrics.grupobancomundial.org^ +||smetrics.gs1us.org^ +||smetrics.gsbank.com^ +||smetrics.gsfresh.com^ +||smetrics.gsghukuk.com^ +||smetrics.gshock.com^ +||smetrics.gsipartners.com^ +||smetrics.gsretail.com^ +||smetrics.guaranteedrate.com^ +||smetrics.guaranteesmatter.com^ +||smetrics.guess.eu^ +||smetrics.guhl.com^ +||smetrics.gvb.ch^ +||smetrics.h-scc.jp^ +||smetrics.ha.com^ +||smetrics.haband.com^ +||smetrics.hagerty.co.uk^ +||smetrics.handelsbanken.co.uk^ +||smetrics.handelsbanken.com^ +||smetrics.handelsbanken.nl^ +||smetrics.handelsbanken.no^ +||smetrics.handelsbanken.se^ +||smetrics.happyfamilyorganics.com^ +||smetrics.harborfreight.com^ +||smetrics.harley-davidson.com^ +||smetrics.havenwellwithin.com^ +||smetrics.hayesandjarvis.co.uk^ +||smetrics.hbogo.com^ +||smetrics.hbonow.com^ +||smetrics.hbr.org^ +||smetrics.hbs.edu^ +||smetrics.hbsp.harvard.edu^ +||smetrics.hdcymru.co.uk^ +||smetrics.hdfcbank.com^ +||smetrics.health.com^ +||smetrics.healthcompare.com^ +||smetrics.healthengine.com.au^ +||smetrics.healthnet.com^ +||smetrics.healthnetaccess.com^ +||smetrics.healthnetadvantage.com^ +||smetrics.healthnetcalifornia.com^ +||smetrics.healthnetoregon.com^ +||smetrics.healthpartners.com^ +||smetrics.heartgardplus.com.tw^ +||smetrics.heathrow.com^ +||smetrics.heathrowexpress.com^ +||smetrics.hebdebit.com^ +||smetrics.hebprepaid.com^ +||smetrics.helios-gesundheit.de^ +||smetrics.hellobank.fr^ +||smetrics.helvetia.com^ +||smetrics.hemapedia.jp^ +||smetrics.hematoconnect.com.br^ +||smetrics.hemlibra.com^ +||smetrics.henkivakuutuskuntoon.fi^ +||smetrics.her2treatment.com^ +||smetrics.herbalife.com^ +||smetrics.herceptin.com^ +||smetrics.herceptinhylecta.com^ +||smetrics.heroesvacationclub.com^ +||smetrics.heromotocorp.com^ +||smetrics.herschel.com.au^ +||smetrics.herzstolpern.at^ +||smetrics.herzstolpern.de^ +||smetrics.hfma.org^ +||smetrics.hibiyakadan.com^ +||smetrics.higheroneaccount.com^ +||smetrics.highsmith.com^ +||smetrics.hillrom.com^ +||smetrics.history.ca^ +||smetrics.hitachi-hightech.com^ +||smetrics.hitachivantara.com^ +||smetrics.hks-power.co.jp^ +||smetrics.hm.com^ +||smetrics.hmhco.com^ +||smetrics.hoken.zexy.net^ +||smetrics.holcimelevate.com^ +||smetrics.hollandamerica.com^ +||smetrics.hollisterco.com^ +||smetrics.hollisterco.jp^ +||smetrics.home.kpmg^ +||smetrics.homeadvisor.com^ +||smetrics.homegoods.com^ +||smetrics.homes.com^ +||smetrics.homestatehealth.com^ +||smetrics.hoovers.com^ +||smetrics.horizonblue.com^ +||smetrics.horizonnjhealth.com^ +||smetrics.horsexperts.be^ +||smetrics.hoseasons.co.uk^ +||smetrics.hossintropia.com^ +||smetrics.hotsy.com^ +||smetrics.houseoffraser.co.uk^ +||smetrics.houseoffraser.com^ +||smetrics.howifightms.com^ +||smetrics.hpe.com^ +||smetrics.hr.abbott^ +||smetrics.hrblock.com^ +||smetrics.hsamuel.co.uk^ +||smetrics.htc.com^ +||smetrics.hubbl.com.au^ +||smetrics.hubert.ca^ +||smetrics.hubert.com^ +||smetrics.huffingtonpost.es^ +||smetrics.humana.com^ +||smetrics.huntington.com^ +||smetrics.huntingtonsdiseasehcp.com^ +||smetrics.hydraulicspneumatics.com^ +||smetrics.hypedc.com^ +||smetrics.hyundaiusa.com^ +||smetrics.i-law.com^ +||smetrics.i22.nadro.mx^ +||smetrics.ibercaja.es^ +||smetrics.ibfd.org^ +||smetrics.ice.gov^ +||smetrics.iceland.co.uk^ +||smetrics.icharlotte.com^ +||smetrics.icicibank.com^ +||smetrics.iconfitness.com^ +||smetrics.icorner.ch^ +||smetrics.identityguard.com^ +||smetrics.iehp.org^ +||smetrics.ifc.org^ +||smetrics.ig.ca^ +||smetrics.igmfinancial.com^ +||smetrics.iilg.com^ +||smetrics.ikea.com^ +||smetrics.ileitis.de^ +||smetrics.ilhealthpracticealliance.com^ +||smetrics.illinicare.com^ +||smetrics.illinois.gov^ +||smetrics.illumina.com.cn^ +||smetrics.illumina.com^ +||smetrics.ilovematlab.cn^ +||smetrics.ilyouthcare.com^ +||smetrics.immunooncology.be^ +||smetrics.impress-web.com^ +||smetrics.infinitematerialsolutions.com^ +||smetrics.infinitiusa.com^ +||smetrics.infomedics.it^ +||smetrics.informa.com^ +||smetrics.ingdirect.it^ +||smetrics.inkcartridges.com^ +||smetrics.inlyta.com^ +||smetrics.insider.hagerty.com^ +||smetrics.insight.com^ +||smetrics.inspectionpanel.org^ +||smetrics.insuramatch.com^ +||smetrics.insuranceday.com^ +||smetrics.insurancesaver.com^ +||smetrics.insurewithaudi.co.uk^ +||smetrics.insurewithseat.co.uk^ +||smetrics.insurewithskoda.co.uk^ +||smetrics.insurewithvolkswagen.co.uk^ +||smetrics.insurewithvwcv.co.uk^ +||smetrics.intact.ca^ +||smetrics.intactarr2pro.com.py^ +||smetrics.intactinsurance.com^ +||smetrics.interbank.com.pe^ +||smetrics.interbank.pe^ +||smetrics.interbankbenefit.pe^ +||smetrics.interestfree.com.au^ +||smetrics.intermountainhealthcare.org^ +||smetrics.internationalchampionscup.com^ +||smetrics.internetbanka.cz^ +||smetrics.intertek-etlsemko.com^ +||smetrics.intervalresortsupport.com^ +||smetrics.intervalworld.com^ +||smetrics.intralinks.com^ +||smetrics.investmentnews.com^ +||smetrics.investorsgroup.com^ +||smetrics.iossc.natwest.com^ +||smetrics.iossc.rbs.co.uk^ +||smetrics.iotworldtoday.com^ +||smetrics.iowatotalcare.com^ +||smetrics.ipb.citibank.com.sg^ +||smetrics.iprodeveloper.com^ +||smetrics.irishjobs.ie^ +||smetrics.iselect.com.au^ +||smetrics.islandford.ca^ +||smetrics.its.rmit.edu.au^ +||smetrics.ivivva.com^ +||smetrics.iwakifc.com^ +||smetrics.iwceexpo.com^ +||smetrics.jackson.com^ +||smetrics.jacuzzi.com^ +||smetrics.jamestowndistributors.com^ +||smetrics.jarboes.com^ +||smetrics.jardiance.com^ +||smetrics.jared.com^ +||smetrics.jboss.org^ +||smetrics.jcb.co.jp^ +||smetrics.jcpenney.com^ +||smetrics.jcrew.com^ +||smetrics.jeld-wen.com^ +||smetrics.jergens.com^ +||smetrics.jetblue.com^ +||smetrics.jeugdbibliotheek.nl^ +||smetrics.jewson.co.uk^ +||smetrics.jimwilsonchevrolet.com^ +||smetrics.jjill.com^ +||smetrics.jobs.ie^ +||smetrics.joefresh.com^ +||smetrics.johnfrieda.com^ +||smetrics.johnhancock.com^ +||smetrics.joules.com^ +||smetrics.joulesusa.com^ +||smetrics.jre-travel.com^ +||smetrics.juiceplus.com^ +||smetrics.jumpforward.com^ +||smetrics.jumpradio.ca^ +||smetrics.junsungki.com^ +||smetrics.jwpepper.com^ +||smetrics.jynarque.com^ +||smetrics.kadcyla.com^ +||smetrics.kaercher.com^ +||smetrics.kaiserpermanente.org^ +||smetrics.kamloopshonda.ca^ +||smetrics.kanebo-cosmetics.co.jp^ +||smetrics.kanebo-cosmetics.jp^ +||smetrics.kanebo-forum.net^ +||smetrics.kanebo-global.com^ +||smetrics.kanebo.co.th^ +||smetrics.kanebo.com^ +||smetrics.kanebocos.net^ +||smetrics.kanen-net.info^ +||smetrics.kansasfarmer.com^ +||smetrics.kao-kirei.com^ +||smetrics.kao.co.jp^ +||smetrics.kao.com^ +||smetrics.kaobeautybrands.com^ +||smetrics.karcher-futuretech.com^ +||smetrics.karcher.cn^ +||smetrics.karcher.com^ +||smetrics.karcher.cz^ +||smetrics.kate-global.net^ +||smetrics.kawai-juku.ac.jp^ +||smetrics.kay.com^ +||smetrics.kayosports.com.au^ +||smetrics.kayoutlet.com^ +||smetrics.kbb.com^ +||smetrics.kebuena.com.mx^ +||smetrics.kelownachev.com^ +||smetrics.kelownatoyota.com^ +||smetrics.kenwood.com^ +||smetrics.kerry.com^ +||smetrics.ketsusen.jp^ +||smetrics.keysight.co.kr^ +||smetrics.keysight.com.cn^ +||smetrics.keysight.com^ +||smetrics.kioxia-holdings.com^ +||smetrics.kioxia-iwate.co.jp^ +||smetrics.kioxia.com.cn^ +||smetrics.kioxia.com^ +||smetrics.kipling-usa.com^ +||smetrics.kipling.com^ +||smetrics.klikklan.no^ +||smetrics.kmshair.com^ +||smetrics.knowpneumonia.com^ +||smetrics.kol.se^ +||smetrics.kone.ae^ +||smetrics.kone.at^ +||smetrics.kone.be^ +||smetrics.kone.bg^ +||smetrics.kone.bi^ +||smetrics.kone.ca^ +||smetrics.kone.ch^ +||smetrics.kone.cn^ +||smetrics.kone.co.id^ +||smetrics.kone.co.il^ +||smetrics.kone.co.ke^ +||smetrics.kone.co.nz^ +||smetrics.kone.co.za^ +||smetrics.kone.com.au^ +||smetrics.kone.com.cy^ +||smetrics.kone.com.kh^ +||smetrics.kone.com.tr^ +||smetrics.kone.com^ +||smetrics.kone.cz^ +||smetrics.kone.de^ +||smetrics.kone.dk^ +||smetrics.kone.ee^ +||smetrics.kone.eg^ +||smetrics.kone.es^ +||smetrics.kone.fi^ +||smetrics.kone.fr^ +||smetrics.kone.gr^ +||smetrics.kone.hk^ +||smetrics.kone.hu^ +||smetrics.kone.ie^ +||smetrics.kone.in^ +||smetrics.kone.is^ +||smetrics.kone.it^ +||smetrics.kone.lt^ +||smetrics.kone.lv^ +||smetrics.kone.me^ +||smetrics.kone.mx^ +||smetrics.kone.nl^ +||smetrics.kone.no^ +||smetrics.kone.om^ +||smetrics.kone.pt^ +||smetrics.kone.rs^ +||smetrics.kone.se^ +||smetrics.kone.sk^ +||smetrics.kone.tw^ +||smetrics.kone.us^ +||smetrics.kone.vn^ +||smetrics.kowa-h.com^ +||smetrics.kpmg.com^ +||smetrics.kpmg.us^ +||smetrics.krebs.de^ +||smetrics.krugerseed.com^ +||smetrics.kyndryl.com^ +||smetrics.labaie.com^ +||smetrics.labsafety.com^ +||smetrics.lacounty.gov^ +||smetrics.ladbrokes.be^ +||smetrics.lakeshorelearning.com^ +||smetrics.lakeside.com^ +||smetrics.lakewoodchev.com^ +||smetrics.lambweston.com^ +||smetrics.landa.com^ +||smetrics.landg-life.com^ +||smetrics.landg.com^ +||smetrics.landolakes.com^ +||smetrics.landolakesfoodservice.com^ +||smetrics.landolakesinc.com^ +||smetrics.landrover.com^ +||smetrics.lanebryant.com^ +||smetrics.laredoute.fr^ +||smetrics.lasexta.com^ +||smetrics.latitudefinancial.co.nz^ +||smetrics.latitudefinancial.com.au^ +||smetrics.latitudefinancial.com^ +||smetrics.latitudepay.com.au^ +||smetrics.latitudepay.com^ +||smetrics.latrobe.edu.au^ +||smetrics.lazarediamond.jp^ +||smetrics.lcbo.com^ +||smetrics.ldproducts.com^ +||smetrics.leagueone.com^ +||smetrics.leasy.com^ +||smetrics.leasy.dk^ +||smetrics.leasy.se^ +||smetrics.legalandgeneral.com^ +||smetrics.leisuretimepassport.com^ +||smetrics.lenscrafters.ca^ +||smetrics.leonardo.essilorluxottica.com^ +||smetrics.lexmark.com^ +||smetrics.lexus.com^ +||smetrics.lexusonthepark.ca^ +||smetrics.libertymutual.com^ +||smetrics.lidea.today^ +||smetrics.lifestride.com^ +||smetrics.lifetime.life^ +||smetrics.lifree.com^ +||smetrics.lilly.com^ +||smetrics.lillymedical.com^ +||smetrics.lina.co.kr^ +||smetrics.lissage.jp^ +||smetrics.liveitup.com^ +||smetrics.lizearle.com^ +||smetrics.lloydslist.com^ +||smetrics.lloydslistintelligence.com^ +||smetrics.lmtonline.com^ +||smetrics.loblaws.ca^ +||smetrics.loewshotels.com^ +||smetrics.loft.com^ +||smetrics.lordabbett.com^ +||smetrics.los40.com.co^ +||smetrics.los40.com.mx^ +||smetrics.los40.com^ +||smetrics.louandgrey.com^ +||smetrics.louisianahealthconnect.com^ +||smetrics.lowes.com^ +||smetrics.lpl.com^ +||smetrics.ltdcommodities.com^ +||smetrics.lucentis.com^ +||smetrics.lululemon.ch^ +||smetrics.lululemon.cn^ +||smetrics.lululemon.co.jp^ +||smetrics.lululemon.co.kr^ +||smetrics.lululemon.co.nz^ +||smetrics.lululemon.co.uk^ +||smetrics.lululemon.com.au^ +||smetrics.lululemon.com.hk^ +||smetrics.lululemon.com^ +||smetrics.lululemon.de^ +||smetrics.lululemon.es^ +||smetrics.lululemon.fr^ +||smetrics.lundbeck.com^ +||smetrics.luxilon.com^ +||smetrics.lww.com^ +||smetrics.m1.com.sg^ +||smetrics.mabanque.bnpparibas^ +||smetrics.machinedesign.com^ +||smetrics.mackenzieinvestments.com^ +||smetrics.maclinfordcalgary.com^ +||smetrics.madewell.com^ +||smetrics.maestrocard.com^ +||smetrics.magic106.com^ +||smetrics.magnoliahealthplan.com^ +||smetrics.magnumicecream.com^ +||smetrics.majestic.co.uk^ +||smetrics.mamypoko.com^ +||smetrics.man-uat.com^ +||smetrics.mandai.com^ +||smetrics.mandatumam.com^ +||smetrics.mandatumlife.fi^ +||smetrics.mandatumtrader.fi^ +||smetrics.mandg.com^ +||smetrics.manheim.com^ +||smetrics.mann-filter.com^ +||smetrics.mann-hummel.com^ +||smetrics.maplesoft.com^ +||smetrics.marathonthegame.com^ +||smetrics.marcus.com^ +||smetrics.markandgraham.ca^ +||smetrics.markandgraham.com^ +||smetrics.markantalo.fi^ +||smetrics.marketfor.com^ +||smetrics.marketing.attralux.com^ +||smetrics.marketing.colorkinetics.com^ +||smetrics.marketing.interact-lighting.com.cn^ +||smetrics.marketing.interact-lighting.com^ +||smetrics.marketing.lighting.philips.at^ +||smetrics.marketing.lighting.philips.be^ +||smetrics.marketing.lighting.philips.bg^ +||smetrics.marketing.lighting.philips.ca^ +||smetrics.marketing.lighting.philips.ch^ +||smetrics.marketing.lighting.philips.cl^ +||smetrics.marketing.lighting.philips.co.id^ +||smetrics.marketing.lighting.philips.co.il^ +||smetrics.marketing.lighting.philips.co.in^ +||smetrics.marketing.lighting.philips.co.kr^ +||smetrics.marketing.lighting.philips.co.nz^ +||smetrics.marketing.lighting.philips.co.th^ +||smetrics.marketing.lighting.philips.co.uk^ +||smetrics.marketing.lighting.philips.co.za^ +||smetrics.marketing.lighting.philips.com.ar^ +||smetrics.marketing.lighting.philips.com.au^ +||smetrics.marketing.lighting.philips.com.br^ +||smetrics.marketing.lighting.philips.com.hk^ +||smetrics.marketing.lighting.philips.com.mx^ +||smetrics.marketing.lighting.philips.com.my^ +||smetrics.marketing.lighting.philips.com.ph^ +||smetrics.marketing.lighting.philips.com.pk^ +||smetrics.marketing.lighting.philips.com.tr^ +||smetrics.marketing.lighting.philips.com.tw^ +||smetrics.marketing.lighting.philips.com.vn^ +||smetrics.marketing.lighting.philips.cz^ +||smetrics.marketing.lighting.philips.de^ +||smetrics.marketing.lighting.philips.dk^ +||smetrics.marketing.lighting.philips.ee^ +||smetrics.marketing.lighting.philips.es^ +||smetrics.marketing.lighting.philips.fi^ +||smetrics.marketing.lighting.philips.fr^ +||smetrics.marketing.lighting.philips.gr^ +||smetrics.marketing.lighting.philips.hr^ +||smetrics.marketing.lighting.philips.hu^ +||smetrics.marketing.lighting.philips.it^ +||smetrics.marketing.lighting.philips.kz^ +||smetrics.marketing.lighting.philips.lt^ +||smetrics.marketing.lighting.philips.lv^ +||smetrics.marketing.lighting.philips.nl^ +||smetrics.marketing.lighting.philips.pl^ +||smetrics.marketing.lighting.philips.pt^ +||smetrics.marketing.lighting.philips.ru^ +||smetrics.marketing.lighting.philips.sa^ +||smetrics.marketing.lighting.philips.se^ +||smetrics.marketing.lighting.philips.ua^ +||smetrics.marketing.mazdalighting.fr^ +||smetrics.marketing.mazdalighting.pt^ +||smetrics.marketing.meethue.com^ +||smetrics.marketing.philips-hue.com^ +||smetrics.marketing.pila-led.com^ +||smetrics.marketing.signify.com^ +||smetrics.marksandspencer.com^ +||smetrics.marksandspencer.eu^ +||smetrics.marksandspencer.fr^ +||smetrics.marksandspencer.ie^ +||smetrics.marksandspencerlondon.com^ +||smetrics.marriott.com^ +||smetrics.marriottvacationclub.asia^ +||smetrics.marriottvacationclub.com^ +||smetrics.marshalls.com^ +||smetrics.marshandmclennan.com^ +||smetrics.martinfurnitureexperts.com^ +||smetrics.mastercard.com^ +||smetrics.mastercardadvisors.com^ +||smetrics.mastercardbrandcenter.com^ +||smetrics.mastercardbusiness.com^ +||smetrics.mastercardintl.com^ +||smetrics.mastercardmoments.com^ +||smetrics.mathworks.cn^ +||smetrics.mathworks.com^ +||smetrics.matlab.com^ +||smetrics.matlabexpo.com^ +||smetrics.maurices.com^ +||smetrics.maverik.com^ +||smetrics.maxi.ca^ +||smetrics.maxicoffee.com^ +||smetrics.maxicoffee.de^ +||smetrics.maxicoffee.it^ +||smetrics.maximintegrated.com^ +||smetrics.mazuri.com^ +||smetrics.mbsdirect.net^ +||smetrics.mcafee.com^ +||smetrics.mcdonalds.com^ +||smetrics.mcdpromotion.ca^ +||smetrics.mdlive.com^ +||smetrics.meccabingo.com^ +||smetrics.med-iq.com^ +||smetrics.med.roche.ru^ +||smetrics.medallia.com^ +||smetrics.media-global.net^ +||smetrics.mediakademie.at^ +||smetrics.mediakademie.de^ +||smetrics.medical.roche.de^ +||smetrics.medichanzo.com^ +||smetrics.medstarhealth.org^ +||smetrics.medxperts.pk^ +||smetrics.meetingsnet.com^ +||smetrics.melanom-info.dk^ +||smetrics.melanom-wissen.ch^ +||smetrics.memberdeals.com^ +||smetrics.members.co.jp^ +||smetrics.merch.bankofamerica.com^ +||smetrics.mercola.com^ +||smetrics.mercolamarket.com^ +||smetrics.mercy.net^ +||smetrics.metacam.co.uk^ +||smetrics.metacam.com^ +||smetrics.metlife.com^ +||smetrics.metrobyt-mobile.com^ +||smetrics.mfs.com^ +||smetrics.mgmresorts.com^ +||smetrics.mhlnews.com^ +||smetrics.mhsindiana.com^ +||smetrics.mhswi.com^ +||smetrics.mibcookies.rbs.com^ +||smetrics.michaeljfox.org^ +||smetrics.michaelkors.ca^ +||smetrics.michaelkors.com^ +||smetrics.michaelkors.de^ +||smetrics.michaelkors.es^ +||smetrics.michaelkors.eu^ +||smetrics.michaelkors.fr^ +||smetrics.michaelkors.global^ +||smetrics.michaelkors.it^ +||smetrics.michaelkors.uk^ +||smetrics.michaels.com^ +||smetrics.michigancompletehealth.com^ +||smetrics.michiganfarmer.com^ +||smetrics.microtelinn.com^ +||smetrics.mid-townford.com^ +||smetrics.midatlantic.aaa.com^ +||smetrics.midnightlounge.com^ +||smetrics.mieten.mercedes-benz.de^ +||smetrics.miga.org^ +||smetrics.miles-and-more.com^ +||smetrics.minisom.pt^ +||smetrics.miniusa.com^ +||smetrics.minsteronline.co.uk^ +||smetrics.miracle-ear.com^ +||smetrics.misrp.com^ +||smetrics.mistore.jp^ +||smetrics.misumi-ec.com^ +||smetrics.mitrelinen.co.uk^ +||smetrics.mitsubishi-motors.co.jp^ +||smetrics.mitsubishi-motors.com.au^ +||smetrics.mizuno.com^ +||smetrics.mizuno.jp^ +||smetrics.modernatx.com^ +||smetrics.modernhealthcare.com^ +||smetrics.modernphysician.com^ +||smetrics.mojemedicina.cz^ +||smetrics.moncoeurmavie.ca^ +||smetrics.mondex.com^ +||smetrics.moneta.cz^ +||smetrics.monetaauto.cz^ +||smetrics.monetaleasing.cz^ +||smetrics.moneymarketing.co.uk^ +||smetrics.monsanto.com^ +||smetrics.moodys.com^ +||smetrics.moony.com^ +||smetrics.moosejaw.com^ +||smetrics.morganstanley.com^ +||smetrics.morningstar.com^ +||smetrics.mosquitojoe.com^ +||smetrics.motegrity.com^ +||smetrics.motioncanada.ca^ +||smetrics.motionindustries.com^ +||smetrics.motorsportreg.com^ +||smetrics.motortrend.com^ +||smetrics.mounjaro.com^ +||smetrics.mountainhomeutah.com^ +||smetrics.mouse-jp.co.jp^ +||smetrics.moving.com^ +||smetrics.mphasis.com^ +||smetrics.mrappliance.ca^ +||smetrics.mrelectric.com^ +||smetrics.mrhandyman.ca^ +||smetrics.mro-network.com^ +||smetrics.mrplumberatlanta.com^ +||smetrics.mrplumberindy.com^ +||smetrics.mrporter.com^ +||smetrics.mrrooter.com^ +||smetrics.msccrociere.it^ +||smetrics.msccruceros.es^ +||smetrics.msccruises.be^ +||smetrics.msccruises.ca^ +||smetrics.msccruises.ch^ +||smetrics.msccruises.co.za^ +||smetrics.msccruises.de^ +||smetrics.msccruises.se^ +||smetrics.msccruzeiros.com.br^ +||smetrics.msg.com^ +||smetrics.mslifelines.com^ +||smetrics.msvoice.com^ +||smetrics.multikino.pl^ +||smetrics.multiview.com^ +||smetrics.mum.edu^ +||smetrics.murata.com^ +||smetrics.mutua.es^ +||smetrics.mutuactivos.com^ +||smetrics.mutuateayuda.es^ +||smetrics.mybenefits.com.au^ +||smetrics.mybonuscenter.com^ +||smetrics.mycondogetaway.com^ +||smetrics.mycontrolcard.com^ +||smetrics.mydccu.com^ +||smetrics.myhealthtoolkit.com^ +||smetrics.myio.com.au^ +||smetrics.mykirei.com^ +||smetrics.mylifestages.org^ +||smetrics.mymanheim.com^ +||smetrics.mymatrixx.com^ +||smetrics.mymercy.net^ +||smetrics.myonlineservices.ch^ +||smetrics.mysanantonio.com^ +||smetrics.mysensiva.com^ +||smetrics.mysleepyhead.com^ +||smetrics.myspringfield.com^ +||smetrics.myspringfield.mx^ +||smetrics.mystudywindow.com^ +||smetrics.myvi.in^ +||smetrics.myyellow.com^ +||smetrics.nab.com.au^ +||smetrics.nabbroker.com.au^ +||smetrics.nabtrade.com.au^ +||smetrics.nadaguides.com^ +||smetrics.nadro.mx^ +||smetrics.namestudio.com^ +||smetrics.napaonline.com^ +||smetrics.napaprolink.ca^ +||smetrics.napaprolink.com^ +||smetrics.nascar.com^ +||smetrics.nationalbusinessfurniture.com^ +||smetrics.nationalgeneral.com^ +||smetrics.nationalgrid.com^ +||smetrics.nationalhogfarmer.com^ +||smetrics.nationaltrust.org.uk^ +||smetrics.nationwide.co.uk^ +||smetrics.naturalizer.ca^ +||smetrics.naturalizer.com^ +||smetrics.nba.com^ +||smetrics.nbi-sems.com^ +||smetrics.nbjsummit.com^ +||smetrics.ncbank.co.jp^ +||smetrics.nebraskafarmer.com^ +||smetrics.nebraskatotalcare.com^ +||smetrics.neighborly.com^ +||smetrics.neighborlybrands.com^ +||smetrics.neighbourly.ca^ +||smetrics.nepro.com^ +||smetrics.nerium.kr^ +||smetrics.nesn.com^ +||smetrics.net-a-porter.com^ +||smetrics.netspend.com^ +||smetrics.nettokom.de^ +||smetrics.netxpress.biz^ +||smetrics.new.wyndhamvrap.com^ +||smetrics.newark.com^ +||smetrics.newbalance.com^ +||smetrics.newequipment.com^ +||smetrics.newfoundlandgrocerystores.ca^ +||smetrics.newport.com^ +||smetrics.nexium24hr.com^ +||smetrics.nexmo.com^ +||smetrics.nexusmentalhealth.com^ +||smetrics.nfl.com^ +||smetrics.nfpa.org^ +||smetrics.nhhealthyfamilies.com^ +||smetrics.ni.com^ +||smetrics.nielsen.com^ +||smetrics.nike.net^ +||smetrics.nintendo.com^ +||smetrics.nisbets.be^ +||smetrics.nisbets.co.nz^ +||smetrics.nisbets.co.uk^ +||smetrics.nisbets.com.au^ +||smetrics.nisbets.fr^ +||smetrics.nisbets.ie^ +||smetrics.nisbets.nl^ +||smetrics.nissanusa.com^ +||smetrics.noblehome.co.jp^ +||smetrics.nofrills.ca^ +||smetrics.noloan.com^ +||smetrics.nomorerules.net^ +||smetrics.nordiclaan.se^ +||smetrics.nordiclan.no^ +||smetrics.northernterritory.com^ +||smetrics.nottingham.ac.uk^ +||smetrics.nowtv.com^ +||smetrics.nowtv.it^ +||smetrics.npr.org^ +||smetrics.npubank.com.au^ +||smetrics.nrhtx.com^ +||smetrics.ntkm2.com^ +||smetrics.nuanceaudio.com^ +||smetrics.nuedexta.com^ +||smetrics.nuedextahcp.com^ +||smetrics.nutritionmatters.com^ +||smetrics.nutropin.com^ +||smetrics.nvidia.com^ +||smetrics.nycgo.com^ +||smetrics.nykaa.com^ +||smetrics.nykaafashion.com^ +||smetrics.nylaarp.com^ +||smetrics.nylexpress.newyorklife.com^ +||smetrics.nyulangone.org^ +||smetrics.o2online.de^ +||smetrics.oakley.com^ +||smetrics.oakleysi.com^ +||smetrics.obirin.ac.jp^ +||smetrics.obirin.jp^ +||smetrics.oceaniacruises.com^ +||smetrics.oclc.org^ +||smetrics.ocrelizumabinfo.com^ +||smetrics.ocrevus.com^ +||smetrics.oerproject.com^ +||smetrics.officefurniture.com^ +||smetrics.officeworks.com.au^ +||smetrics.ohiofarmer.com^ +||smetrics.ok.dk^ +||smetrics.okcashbag.com^ +||smetrics.oliverpeoples.com^ +||smetrics.omdia.com^ +||smetrics.omniture.com^ +||smetrics.ondacero.es^ +||smetrics.oneamerica.com^ +||smetrics.onetrust.com^ +||smetrics.ontechsmartservices.com^ +||smetrics.onureg.ch^ +||smetrics.onward.co.jp^ +||smetrics.opdivo.com^ +||smetrics.opdivo.dk^ +||smetrics.opdivoclinicaldata.com^ +||smetrics.opdivohcp.com^ +||smetrics.opdualag.com^ +||smetrics.openboxdirect.com^ +||smetrics.openinnovationnetwork.gov.sg^ +||smetrics.openshift.com^ +||smetrics.opensource.com^ +||smetrics.opnme.com^ +||smetrics.opsm.co.nz^ +||smetrics.opsm.com.au^ +||smetrics.optica.de^ +||smetrics.optimum.com^ +||smetrics.optimum.net^ +||smetrics.optum.com^ +||smetrics.orangetheory.com^ +||smetrics.oreilly.com^ +||smetrics.orencia.com^ +||smetrics.orenciapatient.se^ +||smetrics.otsuka-us.com^ +||smetrics.ott.showmax.com^ +||smetrics.ove.com^ +||smetrics.ovumkc.com^ +||smetrics.ownertoownercommunication.com^ +||smetrics.oxfam.org.uk^ +||smetrics.packersproshop.com^ +||smetrics.pacsun.com^ +||smetrics.pahealthwellness.com^ +||smetrics.pakietyserwisowe.pl^ +||smetrics.palopmed.com^ +||smetrics.panasonic.com^ +||smetrics.panasonic.jp^ +||smetrics.panasonic.net^ +||smetrics.pandora.com^ +||smetrics.pandora.net^ +||smetrics.panerabread.com^ +||smetrics.parkerandsons.com^ +||smetrics.partnerbrands.com^ +||smetrics.partnermastercard.com^ +||smetrics.partssource.com^ +||smetrics.payback.at^ +||smetrics.payback.de^ +||smetrics.payback.it^ +||smetrics.payback.mx^ +||smetrics.payback.net^ +||smetrics.payback.pl^ +||smetrics.paymarkfinans.dk^ +||smetrics.paymarkfinans.se^ +||smetrics.payment-estimator.vwcredit.com^ +||smetrics.paysafecard.com^ +||smetrics.pbainfo.org^ +||smetrics.pbteen.ca^ +||smetrics.pbteen.com^ +||smetrics.pch.com^ +||smetrics.pcid.ca^ +||smetrics.pcoptimum.ca^ +||smetrics.pdt.r-agent.com^ +||smetrics.peachjohn.co.jp^ +||smetrics.peakperformance.com^ +||smetrics.pearlevision.ca^ +||smetrics.pearlevision.com^ +||smetrics.pebblebeach.com^ +||smetrics.pedialyte.com^ +||smetrics.pediasure.com.my^ +||smetrics.pediasure.com^ +||smetrics.pedrodelhierro.com^ +||smetrics.peek-und-cloppenburg.de^ +||smetrics.penfed.org^ +||smetrics.penguin.co.uk^ +||smetrics.pennwell.com^ +||smetrics.pensionstallet.dk^ +||smetrics.people.com^ +||smetrics.peoplepets.com^ +||smetrics.peoplesjewellers.com^ +||smetrics.perjeta.com^ +||smetrics.persol.com^ +||smetrics.personalwirtschaft.de^ +||smetrics.petbarn.com.au^ +||smetrics.petcentric.com^ +||smetrics.petco.com^ +||smetrics.petersmithcadillac.com^ +||smetrics.petersmithgm.com^ +||smetrics.petsmart.com^ +||smetrics.petvaccinesclinic.com^ +||smetrics.pexion.co.uk^ +||smetrics.pfa.dk^ +||smetrics.pfaassetmanagement.dk^ +||smetrics.pfabank.dk^ +||smetrics.pfaejendomme.dk^ +||smetrics.pfizer.com^ +||smetrics.pfizer.nl^ +||smetrics.pfizercemp.com^ +||smetrics.pflege-onkologie.de^ +||smetrics.pgford.ca^ +||smetrics.pharmawebportal.com^ +||smetrics.phesgo.com^ +||smetrics.phoenix.edu^ +||smetrics.phoenix.gov^ +||smetrics.phoenixinwest.de^ +||smetrics.photos.com^ +||smetrics.pictet.com^ +||smetrics.pinkribbonbottle.com^ +||smetrics.pionline.com^ +||smetrics.plansponsor.com^ +||smetrics.plasticsnews.com^ +||smetrics.platformservices.co.uk^ +||smetrics.platypusshoes.com.au^ +||smetrics.playforpurpose.com.au^ +||smetrics.plumbenefits.com^ +||smetrics.plumbingtoday.biz^ +||smetrics.plumblineservices.com^ +||smetrics.plymouthrock.com^ +||smetrics.pmis.abbott.com^ +||smetrics.podiumpodcast.com^ +||smetrics.pods.com^ +||smetrics.politico.com^ +||smetrics.politico.eu^ +||smetrics.politicopro.com^ +||smetrics.polivy.com^ +||smetrics.pordentrodaesclerodermia.com.br^ +||smetrics.potterybarn.ca^ +||smetrics.potterybarn.com^ +||smetrics.potterybarnkids.ca^ +||smetrics.potterybarnkids.com^ +||smetrics.power97.com^ +||smetrics.powerelectronics.com^ +||smetrics.powertracagri.com^ +||smetrics.prada.com^ +||smetrics.pradaxapatient.se^ +||smetrics.pradaxapro.com^ +||smetrics.prado.com.sv^ +||smetrics.prd.base.be^ +||smetrics.prd.telenet.be^ +||smetrics.preautorizacionfs.com^ +||smetrics.precisionmedicineonline.com^ +||smetrics.premera.com^ +||smetrics.premierinn.com^ +||smetrics.presidentscup.com^ +||smetrics.prestigeclub.in^ +||smetrics.preventionworks.info^ +||smetrics.previcox.de^ +||smetrics.pricedigests.com^ +||smetrics.princess.com^ +||smetrics.prinovaglobal.com^ +||smetrics.privatebank.citibank.com^ +||smetrics.privilege.com^ +||smetrics.productcentral-stg.products.pwc.com^ +||smetrics.projectbaseline.com^ +||smetrics.promod.eu^ +||smetrics.promod.fr^ +||smetrics.proplan.com^ +||smetrics.prosper.com^ +||smetrics.prosure.com^ +||smetrics.protrek.jp^ +||smetrics.provigo.ca^ +||smetrics.provincial.com^ +||smetrics.proximus.be^ +||smetrics.pru.co.uk^ +||smetrics.prudential.com^ +||smetrics.pshpgeorgia.com^ +||smetrics.publicissapient.com^ +||smetrics.publiclands.com^ +||smetrics.pudahuel.cl^ +||smetrics.pulmonaryfibrosis360.com^ +||smetrics.pulmozyme.com^ +||smetrics.pulte.com^ +||smetrics.puma.com^ +||smetrics.purchase.audipureprotection.com^ +||smetrics.purchasingpower.com^ +||smetrics.purina.ca^ +||smetrics.purinamills.com^ +||smetrics.purinaone.com^ +||smetrics.purinaveterinarydiets.com^ +||smetrics.puritan.com^ +||smetrics.purolatornow.com^ +||smetrics.pvh.com^ +||smetrics.pwc-tls.it^ +||smetrics.pwc.at^ +||smetrics.pwc.be^ +||smetrics.pwc.ch^ +||smetrics.pwc.co.nz^ +||smetrics.pwc.co.tz^ +||smetrics.pwc.co.uk^ +||smetrics.pwc.co.za^ +||smetrics.pwc.com.ar^ +||smetrics.pwc.com.au^ +||smetrics.pwc.com.br^ +||smetrics.pwc.com.cy^ +||smetrics.pwc.com.pk^ +||smetrics.pwc.com.tr^ +||smetrics.pwc.com.uy^ +||smetrics.pwc.com^ +||smetrics.pwc.dk^ +||smetrics.pwc.ec^ +||smetrics.pwc.es^ +||smetrics.pwc.fi^ +||smetrics.pwc.fr^ +||smetrics.pwc.gi^ +||smetrics.pwc.hr^ +||smetrics.pwc.ie^ +||smetrics.pwc.in^ +||smetrics.pwc.is^ +||smetrics.pwc.lu^ +||smetrics.pwc.nl^ +||smetrics.pwc.no^ +||smetrics.pwc.pl^ +||smetrics.pwc.pt^ +||smetrics.pwc.ro^ +||smetrics.pwc.rs^ +||smetrics.pwc.tw^ +||smetrics.pwcalgerie.pwc.fr^ +||smetrics.pwcavocats.com^ +||smetrics.pwccn.com^ +||smetrics.pwcconsulting.co.kr^ +||smetrics.pwchk.com^ +||smetrics.pwclegal.ee^ +||smetrics.pwclegal.lu^ +||smetrics.pwcmaroc.pwc.fr^ +||smetrics.q107.com^ +||smetrics.q107fm.ca^ +||smetrics.qatarairways.com.qa^ +||smetrics.qatarairways.com^ +||smetrics.qcnet.com^ +||smetrics.quallentpharmaceuticals.com^ +||smetrics.quickenloans.org^ +||smetrics.quikshiptoner.com^ +||smetrics.quiksilver.com^ +||smetrics.quill.com^ +||smetrics.qvc.com^ +||smetrics.qvc.de^ +||smetrics.qvc.jp^ +||smetrics.qvcuk.com^ +||smetrics.rac.co.uk^ +||smetrics.rackroomshoes.com^ +||smetrics.racq.com.au^ +||smetrics.racv.com.au^ +||smetrics.radioacktiva.com^ +||smetrics.radioactiva.cl^ +||smetrics.radioimagina.cl^ +||smetrics.radiole.com^ +||smetrics.radissonhotels.com^ +||smetrics.ragsdaleair.com^ +||smetrics.rainbowintl.com^ +||smetrics.ralphlauren.be^ +||smetrics.ralphlauren.ch^ +||smetrics.ralphlauren.co.kr^ +||smetrics.ralphlauren.co.uk^ +||smetrics.ralphlauren.com.au^ +||smetrics.ralphlauren.com.my^ +||smetrics.ralphlauren.com.sg^ +||smetrics.ralphlauren.com.tw^ +||smetrics.ralphlauren.de^ +||smetrics.ralphlauren.es^ +||smetrics.ralphlauren.eu^ +||smetrics.ralphlauren.fr^ +||smetrics.ralphlauren.global^ +||smetrics.ralphlauren.ie^ +||smetrics.ralphlauren.it^ +||smetrics.ralphlauren.nl^ +||smetrics.ralphlauren.pt^ +||smetrics.ramada.com^ +||smetrics.rapidadvance.com^ +||smetrics.rarediseasesignup.com^ +||smetrics.rate.com^ +||smetrics.ray-ban.com^ +||smetrics.rci.com^ +||smetrics.rcsmetrics.it^ +||smetrics.rds.ca^ +||smetrics.realcanadiansuperstore.ca^ +||smetrics.realcommercial.com.au^ +||smetrics.reale.es^ +||smetrics.realestate.com.au^ +||smetrics.realpropertymgt.com^ +||smetrics.realsimple.com^ +||smetrics.realtor.com^ +||smetrics.recruit.co.jp^ +||smetrics.redbox.com^ +||smetrics.redbull.tv^ +||smetrics.redcapnow.com^ +||smetrics.redcross.org^ +||smetrics.redcrossblood.org^ +||smetrics.redletterdays.co.uk^ +||smetrics.reedbusiness.net^ +||smetrics.refinanso.cz^ +||smetrics.reg.kb.nl^ +||smetrics.regions.com^ +||smetrics.rejuvenation.com^ +||smetrics.rejuvenationhome.ca^ +||smetrics.remservsalarypackage.com.au^ +||smetrics.renesas.com^ +||smetrics.renesas.eu^ +||smetrics.renfe.com^ +||smetrics.rent.mercedes-benz.ch^ +||smetrics.rent.mercedes-benz.co.jp^ +||smetrics.rent.mercedes-benz.se^ +||smetrics.rentprogress.com^ +||smetrics.repco.co.nz^ +||smetrics.repco.com.au^ +||smetrics.residentlearningcenter.com^ +||smetrics.resilium.com.au^ +||smetrics.resortdeveloper.com^ +||smetrics.retailagents.tui.co.uk^ +||smetrics.rethinksma.com^ +||smetrics.rexulti.com^ +||smetrics.rexultihcp.com^ +||smetrics.rexultisavings.com^ +||smetrics.riamoneytransfer.com^ +||smetrics.rimac.com^ +||smetrics.rinpashu.jp^ +||smetrics.ris.ac.jp^ +||smetrics.riteaid.com^ +||smetrics.rituxan.com^ +||smetrics.rituxanforgpampa-hcp.com^ +||smetrics.rituxanforgpampa.com^ +||smetrics.rituxanforpv.com^ +||smetrics.rituxanforra-hcp.com^ +||smetrics.rituxanforra.com^ +||smetrics.rituxanhycela.com^ +||smetrics.riumachitearoom.jp^ +||smetrics.rlicorp.com^ +||smetrics.robeco.com^ +||smetrics.robeco.nl^ +||smetrics.roche-infohub.co.za^ +||smetrics.roche-uae.com^ +||smetrics.roche.com^ +||smetrics.roche.de^ +||smetrics.rochehelse.no^ +||smetrics.rochemd.bg^ +||smetrics.rochenet.pt^ +||smetrics.rocheonline.net^ +||smetrics.rocheplus.es^ +||smetrics.rochepro-eg.com^ +||smetrics.rochepro.hr^ +||smetrics.rock101.com^ +||smetrics.rockandpop.cl^ +||smetrics.rockettes.com^ +||smetrics.rockwellautomation.com^ +||smetrics.roland.com^ +||smetrics.rolex.com^ +||smetrics.roomandboard.com^ +||smetrics.roomservicebycort.com^ +||smetrics.roxy.com^ +||smetrics.royalcaribbean.com^ +||smetrics.rozlytrek.com^ +||smetrics.rtl.nl^ +||smetrics.rubbernews.com^ +||smetrics.ryanhomes.com^ +||smetrics.ryka.com^ +||smetrics.safeauto.com^ +||smetrics.sainsburysbank.co.uk^ +||smetrics.saks.com^ +||smetrics.saksoff5th.com^ +||smetrics.salliemae.com^ +||smetrics.salomon.com^ +||smetrics.samedelman.ca^ +||smetrics.samedelman.com^ +||smetrics.samsung.com.cn^ +||smetrics.samsung.com^ +||smetrics.samsunglife.com^ +||smetrics.sandbox.ford.com^ +||smetrics.santander.co.uk^ +||smetrics.santandertravelinsurance.co.uk^ +||smetrics.sap.com^ +||smetrics.saseurobonusmastercard.dk^ +||smetrics.saseurobonusmastercard.no^ +||smetrics.saseurobonusmastercard.se^ +||smetrics.sasktel.com^ +||smetrics.saudiairlines.com^ +||smetrics.savethechildren.org.uk^ +||smetrics.saxobank.com^ +||smetrics.saxxanlage.ostsaechsische-sparkasse-dresden.de^ +||smetrics.sazerac.com^ +||smetrics.sazeracbarrelselect.com^ +||smetrics.sazerachouse.com^ +||smetrics.sbisec.co.jp^ +||smetrics.sbishinseibank.co.jp^ +||smetrics.sbs.com.au^ +||smetrics.scandichotels.com^ +||smetrics.scandichotels.de^ +||smetrics.scandichotels.dk^ +||smetrics.scandichotels.fi^ +||smetrics.scandichotels.no^ +||smetrics.scandichotels.se^ +||smetrics.scarboroughtoyota.ca^ +||smetrics.sce.com^ +||smetrics.schindler-berufsbildung.ch^ +||smetrics.schindler.ae^ +||smetrics.schindler.ar^ +||smetrics.schindler.at^ +||smetrics.schindler.ba^ +||smetrics.schindler.be^ +||smetrics.schindler.ch^ +||smetrics.schindler.cl^ +||smetrics.schindler.co.id^ +||smetrics.schindler.co.il^ +||smetrics.schindler.co.th^ +||smetrics.schindler.co.uk^ +||smetrics.schindler.co.za^ +||smetrics.schindler.co^ +||smetrics.schindler.com.br^ +||smetrics.schindler.com.tr^ +||smetrics.schindler.com^ +||smetrics.schindler.de^ +||smetrics.schindler.eg^ +||smetrics.schindler.es^ +||smetrics.schindler.fi^ +||smetrics.schindler.fr^ +||smetrics.schindler.in^ +||smetrics.schindler.it^ +||smetrics.schindler.lt^ +||smetrics.schindler.lu^ +||smetrics.schindler.lv^ +||smetrics.schindler.ma^ +||smetrics.schindler.mt^ +||smetrics.schindler.mx^ +||smetrics.schindler.my^ +||smetrics.schindler.nl^ +||smetrics.schindler.pe^ +||smetrics.schindler.pl^ +||smetrics.schindler.pt^ +||smetrics.schindler.ro^ +||smetrics.schindler.sa^ +||smetrics.schindler.sg^ +||smetrics.schindler.vn^ +||smetrics.science.org^ +||smetrics.sciencecareers.org^ +||smetrics.sciencemagazinedigital.org^ +||smetrics.scottrade.com^ +||smetrics.sdcvisit.com^ +||smetrics.seabourn.com^ +||smetrics.seasearcher.com^ +||smetrics.seat-italia.it^ +||smetrics.seat.be^ +||smetrics.seat.ch^ +||smetrics.seat.co.nz^ +||smetrics.seat.co.uk^ +||smetrics.seat.com.mt^ +||smetrics.seat.com^ +||smetrics.seat.de^ +||smetrics.seat.es^ +||smetrics.seat.fi^ +||smetrics.seat.fr^ +||smetrics.seat.ie^ +||smetrics.seat.mx^ +||smetrics.seat.no^ +||smetrics.seat.pl^ +||smetrics.seat.pt^ +||smetrics.seat.se^ +||smetrics.seat.tn^ +||smetrics.seawheeze.com^ +||smetrics.seb.ee^ +||smetrics.seb.lt^ +||smetrics.seb.lv^ +||smetrics.seb.se^ +||smetrics.sebgroup.com^ +||smetrics.sebkort.com^ +||smetrics.secure.ehc.com^ +||smetrics.secureremserv.com.au^ +||smetrics.seeeliquisevidence.com^ +||smetrics.seguro.mediaset.es^ +||smetrics.seic.com^ +||smetrics.selectquote.com^ +||smetrics.sen.com.au^ +||smetrics.sensai-cosmetics.com^ +||smetrics.sephora.com^ +||smetrics.sephora.fr^ +||smetrics.sephora.it^ +||smetrics.sephora.pl^ +||smetrics.seriesplus.com^ +||smetrics.servicechampions.net^ +||smetrics.severntrent.com^ +||smetrics.sfchronicle.com^ +||smetrics.sfr.fr^ +||smetrics.shangri-la.com^ +||smetrics.sharecare.com^ +||smetrics.sheen.jp^ +||smetrics.shell.co.uk^ +||smetrics.shellenergy.co.uk^ +||smetrics.sherwoodbuickgmc.com^ +||smetrics.sherwoodmotorcars.com^ +||smetrics.sherwoodparkchev.com^ +||smetrics.shihang.org^ +||smetrics.shihangjituan.org^ +||smetrics.shinseibank.com^ +||smetrics.shionogi.co.jp^ +||smetrics.shionogi.tv^ +||smetrics.sho.com^ +||smetrics.shop.mrbostondrinks.com^ +||smetrics.shop.superstore.ca^ +||smetrics.shopjapan.co.jp^ +||smetrics.shopmyexchange.com^ +||smetrics.shopnbc.com^ +||smetrics.shoppersdrugmart.ca^ +||smetrics.shoppremiumoutlets.com^ +||smetrics.showcase.ca^ +||smetrics.showtickets.com^ +||smetrics.showtime.com^ +||smetrics.showtimeanytime.com^ +||smetrics.siapnge.com^ +||smetrics.siblu.com^ +||smetrics.siblu.de^ +||smetrics.siblu.es^ +||smetrics.siblu.fr^ +||smetrics.siblu.nl^ +||smetrics.sierra.com^ +||smetrics.silversummithealthplan.com^ +||smetrics.simargenta.be^ +||smetrics.similac.com^ +||smetrics.simplyink.com^ +||smetrics.singlife.com^ +||smetrics.siriusxm.ca^ +||smetrics.siriusxm.com^ +||smetrics.sisal.it^ +||smetrics.sitestuff.com^ +||smetrics.sivasdescalzo.com^ +||smetrics.sj.se^ +||smetrics.sjmtech.ma^ +||smetrics.skandia.se^ +||smetrics.skandiabanken.se^ +||smetrics.skechers.co.nz^ +||smetrics.skechers.com.au^ +||smetrics.skiphop.com^ +||smetrics.skipton.co.uk^ +||smetrics.skodafinancialservices.nl^ +||smetrics.sky.com^ +||smetrics.sky.de^ +||smetrics.sky.es^ +||smetrics.sky.it^ +||smetrics.skyhighsecurity.com^ +||smetrics.slalom.com^ +||smetrics.sleepnumber.com^ +||smetrics.sling.com^ +||smetrics.sloc.co.uk^ +||smetrics.slugger.com^ +||smetrics.smart-invest.sparkasse-wuppertal.de^ +||smetrics.smartcommerce.amazon.in^ +||smetrics.smartervacations.com^ +||smetrics.smartmove.us^ +||smetrics.smartstyle.com^ +||smetrics.smartvermoegen.de^ +||smetrics.smbcnikko.co.jp^ +||smetrics.smtb.jp^ +||smetrics.snapfish.ca^ +||smetrics.snapfish.ch^ +||smetrics.snapfish.co.nz^ +||smetrics.snapfish.co.uk^ +||smetrics.snapfish.com.au^ +||smetrics.snapfish.com^ +||smetrics.snapfish.fr^ +||smetrics.snapfish.it^ +||smetrics.snapfish.nl^ +||smetrics.snapfish.no^ +||smetrics.snapfish.pt^ +||smetrics.snapfish.se^ +||smetrics.societyofvaluedminds.org^ +||smetrics.sofina.co.jp^ +||smetrics.sofina.com^ +||smetrics.softcrylic.com^ +||smetrics.softwareag.com^ +||smetrics.sofy.jp^ +||smetrics.sofygirls.com^ +||smetrics.solarwinds.com^ +||smetrics.solaseedair.jp^ +||smetrics.solidigm.com^ +||smetrics.solidigm.de^ +||smetrics.solidigmtech.com.cn^ +||smetrics.solidigmtechnology.cn^ +||smetrics.solidigmtechnology.jp^ +||smetrics.solidigmtechnology.kr^ +||smetrics.solinst.com^ +||smetrics.solomobile.ca^ +||smetrics.solvingmdddisconnect.com^ +||smetrics.sony-africa.com^ +||smetrics.sony-asia.com^ +||smetrics.sony-europe.com^ +||smetrics.sony.at^ +||smetrics.sony.be^ +||smetrics.sony.bg^ +||smetrics.sony.ca^ +||smetrics.sony.ch^ +||smetrics.sony.cl^ +||smetrics.sony.co.cr^ +||smetrics.sony.co.id^ +||smetrics.sony.co.in^ +||smetrics.sony.co.kr^ +||smetrics.sony.co.nz^ +||smetrics.sony.co.th^ +||smetrics.sony.co.uk^ +||smetrics.sony.com.au^ +||smetrics.sony.com.br^ +||smetrics.sony.com.co^ +||smetrics.sony.com.do^ +||smetrics.sony.com.ec^ +||smetrics.sony.com.hn^ +||smetrics.sony.com.mx^ +||smetrics.sony.com.pa^ +||smetrics.sony.com.pe^ +||smetrics.sony.com.ph^ +||smetrics.sony.com.tr^ +||smetrics.sony.com.tw^ +||smetrics.sony.com.vn^ +||smetrics.sony.com^ +||smetrics.sony.cz^ +||smetrics.sony.de^ +||smetrics.sony.dk^ +||smetrics.sony.ee^ +||smetrics.sony.es^ +||smetrics.sony.eu^ +||smetrics.sony.fi^ +||smetrics.sony.fr^ +||smetrics.sony.gr^ +||smetrics.sony.hr^ +||smetrics.sony.hu^ +||smetrics.sony.ie^ +||smetrics.sony.it^ +||smetrics.sony.jp^ +||smetrics.sony.kz^ +||smetrics.sony.lt^ +||smetrics.sony.lu^ +||smetrics.sony.lv^ +||smetrics.sony.nl^ +||smetrics.sony.no^ +||smetrics.sony.pl^ +||smetrics.sony.pt^ +||smetrics.sony.ro^ +||smetrics.sony.ru^ +||smetrics.sony.se^ +||smetrics.sony.si^ +||smetrics.sony.sk^ +||smetrics.sony.ua^ +||smetrics.sonylatvija.com^ +||smetrics.sorgenia.it^ +||smetrics.sothebys.com^ +||smetrics.sotyktu.com^ +||smetrics.sotyktuhcp.com^ +||smetrics.sourceesb.com^ +||smetrics.southaustralia.com^ +||smetrics.southeastfarmpress.com^ +||smetrics.southerncomfort.com^ +||smetrics.southernglazers.com^ +||smetrics.southwest.com^ +||smetrics.southwestfarmpress.com^ +||smetrics.southwesthotels.com^ +||smetrics.southwestwifi.com^ +||smetrics.soyaparabebe.com.co^ +||smetrics.spaf-academy.pl^ +||smetrics.spanx.com^ +||smetrics.spargofinans.se^ +||smetrics.sparkassendirekt.de^ +||smetrics.spdrs.com^ +||smetrics.speedousa.com^ +||smetrics.spela.svenskaspel.se^ +||smetrics.spendwise.no^ +||smetrics.spendwise.se^ +||smetrics.spiriva.com^ +||smetrics.sportsbet.com.au^ +||smetrics.sportsmansguide.com^ +||smetrics.sprucemoney.com^ +||smetrics.sptoyota.com^ +||smetrics.srpnet.com^ +||smetrics.srptelecom.com^ +||smetrics.ssfcu.org^ +||smetrics.ssga.com^ +||smetrics.standardandpoors.com^ +||smetrics.stanfordchildrens.org^ +||smetrics.stanfordhealthcare.org^ +||smetrics.staples.com^ +||smetrics.staplesadvantage.co.nz^ +||smetrics.staplesadvantage.com.au^ +||smetrics.staplesadvantage.com^ +||smetrics.starhub.com^ +||smetrics.stark.dk^ +||smetrics.startribune.com^ +||smetrics.statefarm.com^ +||smetrics.statestreet.com^ +||smetrics.statnews.com^ +||smetrics.stewartseeds.com^ +||smetrics.stgeorge.com.au^ +||smetrics.store.irobot.com^ +||smetrics.store360.luxottica.com^ +||smetrics.strategyand.pwc.com^ +||smetrics.stressless.com^ +||smetrics.striderite.com^ +||smetrics.strokeawareness.com^ +||smetrics.stubhub.co.uk^ +||smetrics.stwater.co.uk^ +||smetrics.stylefind.com^ +||smetrics.subaruofsaskatoon.ca^ +||smetrics.suisai-global.net^ +||smetrics.sumitclub.jp^ +||smetrics.suncorp.co.nz^ +||smetrics.suncorp.com.au^ +||smetrics.suncorpbank.com.au^ +||smetrics.sunflowerhealthplan.com^ +||smetrics.sunglasshut.com^ +||smetrics.sunlife.ca^ +||smetrics.sunlife.com.vn^ +||smetrics.sunlife.com^ +||smetrics.sunlife.ie^ +||smetrics.sunlifeconnect.com^ +||smetrics.sunlifefinancialtrust.ca^ +||smetrics.sunlifeglobalinvestments.com^ +||smetrics.sunpower.com^ +||smetrics.sunshinehealth.com^ +||smetrics.super8.com^ +||smetrics.super99.com^ +||smetrics.superfleet.net^ +||smetrics.superiorhealthplan.com^ +||smetrics.supermarketnews.com^ +||smetrics.suppliesguys.com^ +||smetrics.sustainableplastics.com^ +||smetrics.suunto.com^ +||smetrics.svd.se^ +||smetrics.swalife.com^ +||smetrics.swinburne.edu.au^ +||smetrics.swisslife-select.de^ +||smetrics.synergy.net.au^ +||smetrics.synjardyhcp.com^ +||smetrics.synopsys.com^ +||smetrics.sysmex-support.com^ +||smetrics.t-mobile.com^ +||smetrics.t-mobilemoney.com^ +||smetrics.tab.com.au^ +||smetrics.tabletable.co.uk^ +||smetrics.tackntogs.com^ +||smetrics.tacobell.com^ +||smetrics.takami-labo.com^ +||smetrics.talbots.com^ +||smetrics.talkaboutlaminitis.co.uk^ +||smetrics.taltz.com^ +||smetrics.tamiflu.com^ +||smetrics.tarceva.com^ +||smetrics.target.com^ +||smetrics.targetoptical.com^ +||smetrics.tarrantcounty.com^ +||smetrics.tastingaustralia.com.au^ +||smetrics.tataaia.com^ +||smetrics.tataaig.com^ +||smetrics.taylormadegolf.com^ +||smetrics.taylors.edu.my^ +||smetrics.taymark.taylorcorp.com^ +||smetrics.tbs.com^ +||smetrics.tcm.com^ +||smetrics.tcs.com^ +||smetrics.tdc.dk^ +||smetrics.tdworld.com^ +||smetrics.te.com^ +||smetrics.teachforamerica.org^ +||smetrics.teambeachbody.com^ +||smetrics.tecentriq-hcp.com^ +||smetrics.tecentriq.com^ +||smetrics.techdata.com^ +||smetrics.tecoloco.co.cr^ +||smetrics.tecoloco.com^ +||smetrics.tedbaker.com^ +||smetrics.teeoff.com^ +||smetrics.telecel.com.gh^ +||smetrics.telegraph.co.uk^ +||smetrics.telenet.be^ +||smetrics.telenor.dk^ +||smetrics.telenor.se^ +||smetrics.teletoon.com^ +||smetrics.telustvplus.com^ +||smetrics.ten.com.au^ +||smetrics.tesco.com^ +||smetrics.tescobank.com^ +||smetrics.tetrapak.com^ +||smetrics.textbooks.com^ +||smetrics.tfl.gov.uk^ +||smetrics.tgw.com^ +||smetrics.the-farmer.com^ +||smetrics.theathletesfoot.co.nz^ +||smetrics.theathletesfoot.com.au^ +||smetrics.thebay.com^ +||smetrics.theetihadaviationgroup.com^ +||smetrics.thefa.com^ +||smetrics.thegpsa.org^ +||smetrics.thelawyer.com^ +||smetrics.themadisonsquaregardencompany.com^ +||smetrics.theoutnet.com^ +||smetrics.thepeakfm.com^ +||smetrics.theplayers.com^ +||smetrics.thespacecinema.it^ +||smetrics.thespecialeventshow.com^ +||smetrics.thetruth.com^ +||smetrics.thewhitecompany.com^ +||smetrics.thewolf.ca^ +||smetrics.thingspeak.com^ +||smetrics.thingsremembered.com^ +||smetrics.thinkstockphotos.com^ +||smetrics.thomasgalbraith.com^ +||smetrics.thomsonlakes.co.uk^ +||smetrics.thomsonski.co.uk^ +||smetrics.thorn.se^ +||smetrics.thoughtworks.com^ +||smetrics.three.co.uk^ +||smetrics.three.ie^ +||smetrics.thrivent.com^ +||smetrics.thriventfinancial.com^ +||smetrics.thymes.com^ +||smetrics.tiaa-cref.org^ +||smetrics.tiaa.org^ +||smetrics.ticket.dk^ +||smetrics.ticket.fi^ +||smetrics.ticket.no^ +||smetrics.ticket.se^ +||smetrics.ticketmaster.com^ +||smetrics.ticketsatwork.com^ +||smetrics.tienda.telcel.com^ +||smetrics.tiendamonge.com^ +||smetrics.tiffany.com.br^ +||smetrics.tiffany.com.mx^ +||smetrics.tiffany.kr^ +||smetrics.tiffany.ru^ +||smetrics.timberland.com^ +||smetrics.timberland.es^ +||smetrics.timberland.fr^ +||smetrics.timberland.it^ +||smetrics.time.com^ +||smetrics.timeforkids.com^ +||smetrics.timeinc.com^ +||smetrics.timeinc.net^ +||smetrics.timeout.com^ +||smetrics.tirebusiness.com^ +||smetrics.tjekdinpuls.dk^ +||smetrics.tlcgroup.com^ +||smetrics.tmz.com^ +||smetrics.tnkase.com^ +||smetrics.tochinavi.net^ +||smetrics.tokbox.com^ +||smetrics.tomecontroldesusalud.com^ +||smetrics.tommy.com^ +||smetrics.tommybahama.com^ +||smetrics.toofab.com^ +||smetrics.toptenreviews.com^ +||smetrics.totalwine.com^ +||smetrics.tourdownunder.com.au^ +||smetrics.toyota.com^ +||smetrics.toyotanorthwestedmonton.com^ +||smetrics.toyotaonthepark.ca^ +||smetrics.toysrus.com^ +||smetrics.toysrus.es^ +||smetrics.traction.com^ +||smetrics.tractorsupply.com^ +||smetrics.traderonline.com^ +||smetrics.trailer-bodybuilders.com^ +||smetrics.trainsfares.co.uk^ +||smetrics.transact711.com^ +||smetrics.transactfamilycard.com^ +||smetrics.travelchannel.com^ +||smetrics.travelmoneyonline.co.uk^ +||smetrics.travelzoo.com^ +||smetrics.treehousetv.com^ +||smetrics.trellix.com^ +||smetrics.trendmicro.co.jp^ +||smetrics.trendmicro.com^ +||smetrics.trendyol.com^ +||smetrics.trilliumadvantage.com^ +||smetrics.trilliumhealthplan.com^ +||smetrics.trilliumohp.com^ +||smetrics.tropicanafm.com^ +||smetrics.trucker.com^ +||smetrics.truckfleetmro.com^ +||smetrics.truffaut.com^ +||smetrics.trulicity.com^ +||smetrics.trustmark.com^ +||smetrics.truthinitiative.org^ +||smetrics.tryg.dk^ +||smetrics.trygghansa.se^ +||smetrics.tsc.ca^ +||smetrics.tsn.ca^ +||smetrics.ttiinc.com^ +||smetrics.tudorwatch.com^ +||smetrics.tui.co.uk^ +||smetrics.tui.no^ +||smetrics.tui.se^ +||smetrics.tuifly.fr^ +||smetrics.tuleva.fi^ +||smetrics.tune-h.com^ +||smetrics.tuneup.de^ +||smetrics.tunisie.pwc.fr^ +||smetrics.tuvsud.com^ +||smetrics.tv2.dk^ +||smetrics.twany-hadabae.jp^ +||smetrics.typ2podden.se^ +||smetrics.tyro.com^ +||smetrics.tyson.com^ +||smetrics.tysonfoodservice.com^ +||smetrics.u-can.co.jp^ +||smetrics.ubi.com^ +||smetrics.uconnect.dtm.chrysler.com^ +||smetrics.uhc.com^ +||smetrics.undercovertourist.com^ +||smetrics.unipolsai.it^ +||smetrics.unitymediabusiness.de^ +||smetrics.upc.ch^ +||smetrics.ups.com^ +||smetrics.urgentcomm.com^ +||smetrics.us.playstation.com^ +||smetrics.us.trintellix.com^ +||smetrics.usaaperks.com^ +||smetrics.usbank.com^ +||smetrics.usopen.org^ +||smetrics.utech-polyurethane.com^ +||smetrics.utilityanalyticsweek.com^ +||smetrics.valumart.ca^ +||smetrics.vangraaf.com^ +||smetrics.vans.co.nz^ +||smetrics.vans.com.au^ +||smetrics.variis.com^ +||smetrics.vcm.com^ +||smetrics.velocityfrequentflyer.com^ +||smetrics.verdugotienda.com^ +||smetrics.vergoelst.de^ +||smetrics.verisign.com^ +||smetrics.vermontcountrystore.com^ +||smetrics.vermontcreamery.com^ +||smetrics.vero.co.nz^ +||smetrics.vetmedica.de^ +||smetrics.vetplus.com.au^ +||smetrics.viabcp.com^ +||smetrics.viasat.com^ +||smetrics.viceroyhotelsandresorts.com^ +||smetrics.viega.at^ +||smetrics.viega.be^ +||smetrics.viega.com^ +||smetrics.viega.cz^ +||smetrics.viega.de^ +||smetrics.viega.dk^ +||smetrics.viega.es^ +||smetrics.viega.fr^ +||smetrics.viega.hr^ +||smetrics.viega.hu^ +||smetrics.viega.in^ +||smetrics.viega.it^ +||smetrics.viega.lt^ +||smetrics.viega.nl^ +||smetrics.viega.no^ +||smetrics.viega.pl^ +||smetrics.viega.pt^ +||smetrics.viega.rs^ +||smetrics.viega.se^ +||smetrics.viega.us^ +||smetrics.viewtabi.jp^ +||smetrics.viigalan.se^ +||smetrics.vikingline.ax^ +||smetrics.vikingline.ee^ +||smetrics.vikingline.fi^ +||smetrics.vince.com^ +||smetrics.virginatlantic.com^ +||smetrics.virginaustralia.com^ +||smetrics.virginmedia.com^ +||smetrics.virginmediabusiness.co.uk^ +||smetrics.virginmoney.com.au^ +||smetrics.virtual-cosme.net^ +||smetrics.virusbuster.jp^ +||smetrics.visiondirect.co.uk^ +||smetrics.visitsingapore.com.cn^ +||smetrics.visitsingapore.com^ +||smetrics.vitacost.com^ +||smetrics.vitalsource.com^ +||smetrics.vitamix.com^ +||smetrics.vitasure.com.tr^ +||smetrics.vodafone.al^ +||smetrics.vodafone.co.nz^ +||smetrics.vodafone.co.uk^ +||smetrics.vodafone.com.gh^ +||smetrics.vodafone.com.tr^ +||smetrics.vodafone.es^ +||smetrics.vodafone.gr^ +||smetrics.vodafone.in^ +||smetrics.vodafone.qa^ +||smetrics.vodafone.ro^ +||smetrics.vodafonecu.gr^ +||smetrics.vogue-eyewear.com^ +||smetrics.volkswagenfinancialservices.nl^ +||smetrics.volusion.com^ +||smetrics.vonage.ca^ +||smetrics.vonage.co.uk^ +||smetrics.vonage.com^ +||smetrics.vrst.com^ +||smetrics.vrtx.com^ +||smetrics.vsemirnyjbank.org^ +||smetrics.vueling.com^ +||smetrics.vw.com^ +||smetrics.vwfs-service-plans.io^ +||smetrics.vwfs.co.uk^ +||smetrics.vwfs.com.br^ +||smetrics.vwfs.com^ +||smetrics.vwfs.cz^ +||smetrics.vwfs.de^ +||smetrics.vwfs.es^ +||smetrics.vwfs.fr^ +||smetrics.vwfs.gr^ +||smetrics.vwfs.ie^ +||smetrics.vwfs.io^ +||smetrics.vwfs.it^ +||smetrics.vwfs.mx^ +||smetrics.vwfs.pl^ +||smetrics.vwfs.pt^ +||smetrics.vwpfs.nl^ +||smetrics.vyvansepro.com^ +||smetrics.walgreens.com^ +||smetrics.walmart.com^ +||smetrics.walmartmoneycard.com^ +||smetrics.walmartstores.com^ +||smetrics.wardsintelligence.informa.com^ +||smetrics.warners.com^ +||smetrics.waseda-ac.co.jp^ +||smetrics.washingtonpost.com^ +||smetrics.waste360.com^ +||smetrics.watch.nba.com^ +||smetrics.waterlooford.com^ +||smetrics.waterloolincoln.com^ +||smetrics.waters.com^ +||smetrics.wavespartnership.org^ +||smetrics.wdeportes.com^ +||smetrics.wdrake.com^ +||smetrics.webex.com^ +||smetrics.webnova.abbottnutrition.com^ +||smetrics.wedenik.com^ +||smetrics.weflive.com^ +||smetrics.wegmans.com^ +||smetrics.wellcareky.com^ +||smetrics.west.edu^ +||smetrics.westcoastuniversity.edu^ +||smetrics.westelm.ca^ +||smetrics.westelm.com^ +||smetrics.westernaustralia.com^ +||smetrics.westernfarmpress.com^ +||smetrics.westernskycommunitycare.com^ +||smetrics.westernunion.com^ +||smetrics.westgateresorts.com^ +||smetrics.westpac.com.au^ +||smetrics.westpacgroup.com.au^ +||smetrics.wgu.edu^ +||smetrics.whatsappsim.de^ +||smetrics.whitbreadinns.co.uk^ +||smetrics.whitbyoshawahonda.com^ +||smetrics.wibe.com^ +||smetrics.wileyplus.com^ +||smetrics.williamhill.com^ +||smetrics.williamhill.es^ +||smetrics.williamhill.it^ +||smetrics.williamhillplc.com^ +||smetrics.williams-sonoma.ca^ +||smetrics.williams-sonoma.com^ +||smetrics.williamscomfortair.com^ +||smetrics.williamsf1.com^ +||smetrics.wilson.com^ +||smetrics.wilsonniblett.com^ +||smetrics.wimbledon.com^ +||smetrics.winc.co.nz^ +||smetrics.winc.com.au^ +||smetrics.winespectator.com^ +||smetrics.winfieldunited.com^ +||smetrics.wireimage.com^ +||smetrics.wirmagazin.de^ +||smetrics.wixfilters.com^ +||smetrics.wm.com^ +||smetrics.wmaze.com^ +||smetrics.wmg.com^ +||smetrics.wnba.com^ +||smetrics.wnetwork.com^ +||smetrics.wolterskluwer.com^ +||smetrics.woma-group.com^ +||smetrics.womensecret.com^ +||smetrics.womensecret.mx^ +||smetrics.workforce.com^ +||smetrics.workfront.com^ +||smetrics.workingadvantage.com^ +||smetrics.worldbank.org^ +||smetrics.worldbankgroup.org^ +||smetrics.worldmarket.com^ +||smetrics.worldvision.org^ +||smetrics.wowtv.de^ +||smetrics.wradio.com.co^ +||smetrics.wradio.com.mx^ +||smetrics.wrs.com.sg^ +||smetrics.wsib2b.com^ +||smetrics.wszechnica.roche.pl^ +||smetrics.wu.com^ +||smetrics.wunetspendprepaid.com^ +||smetrics.www.hondros.edu^ +||smetrics.www.vwfs.de^ +||smetrics.wyndham.com^ +||smetrics.wyndhamhotelgroup.com^ +||smetrics.wyndhamhotels.com^ +||smetrics.wyndhamrewards.com^ +||smetrics.xe.com^ +||smetrics.xofluza.com^ +||smetrics.xolairhcp.com^ +||smetrics.y108.ca^ +||smetrics.yaencontre.com^ +||smetrics.ybs.co.uk^ +||smetrics.yellow.com.au^ +||smetrics.yellowpages.com.au^ +||smetrics.yesterdaysnews.com^ +||smetrics.yo-ko-o.com^ +||smetrics.yo-ko-o.jp^ +||smetrics.yourconroenews.com^ +||smetrics.yourdot.com^ +||smetrics.yourdot.net^ +||smetrics.yourheartyourdecision.com^ +||smetrics.yourindependentgrocer.ca^ +||smetrics.yrcw.com^ +||smetrics.ytv.com^ +||smetrics.zagg.com^ +||smetrics.zales.com^ +||smetrics.zalesoutlet.com^ +||smetrics.zehrs.ca^ +||smetrics.zeiss.com^ +||smetrics.zeposia.com^ +||smetrics.zeposiareg.ch^ +||smetrics.zexy-en-soudan.net^ +||smetrics.zexy-enmusubi.net^ +||smetrics.zimmerbiomet.com^ +||smetrics.ziplyfiber.com^ +||smetrics.zodiacshoes.com^ +||smetrics.zoneperfect.com^ +||smetrics.zurichlife.co.jp^ +||smetrics1.experian.com^ +||smetrics2.kaiserpermanente.org^ +||smetrics2.nokia.com^ +||smetrics2.williamhill.com^ +||smetricsadobe.hollandandbarrett.be^ +||smetricsadobe.hollandandbarrett.com^ +||smetricsadobe.hollandandbarrett.ie^ +||smetricsadobe.hollandandbarrett.nl^ +||smetricsqa.sierra.com^ +||smetricstur.www.svenskaspel.se^ +||smetrix.avon.uk.com^ +||smetrix.youravon.com^ +||sminerva.healthcentral.com^ +||smobile.wotif.com^ +||smodus.nike.com^ +||smon.activate.cz^ +||smon.blackhistorymonth.gov^ +||smon.congress.gov^ +||smon.copyright.gov^ +||smon.loc.gov^ +||sms.ajopharmabeta.riteaid.com^ +||sms.apac.coca-cola.com^ +||sms.em.officedepot.com^ +||sms.email-disney.cjm.adobe.com^ +||sms.email-mobiledx.cjm.adobe.com^ +||sms.info.smart.com^ +||sms.mcafee.com^ +||sms.nespresso.com^ +||sms.northeast.aaa.com^ +||sms.notice.assurancewireless.com^ +||sms.notice.metrobyt-mobile.com^ +||sms.notice.t-mobile.com^ +||sms.realmadrid1.test.cjmadobe.com^ +||sms.riteaid.com^ +||smtc.qantas.com.au^ +||smtc.qantas.com^ +||smtrcs.redhat.com^ +||smtx.belfius.be^ +||smtx.lastminute.com.au^ +||smtx.travel.com.au^ +||smy.iheart.com^ +||snalytics.accidenthero.at^ +||snalytics.allianz-assistance.at^ +||snalytics.allianz-assistance.es^ +||snalytics.allianz-assistance.ie^ +||snalytics.allianz-assistance.nl^ +||snalytics.allianz-reiseversicherung.de^ +||snalytics.allianz-travel.com.hk^ +||snalytics.allianz-voyage.fr^ +||snalytics.allyz.com^ +||snalytics.travelinsurance.ca^ +||so.blue.ch^ +||so.bluecinema.ch^ +||so.bluenews.ch^ +||so.blueplus.ch^ +||so.bluewin.ch^ +||so.boh.com^ +||so.desertschools.org^ +||so.opentable.co.uk^ +||so.opentable.com^ +||so.otrestaurant.com^ +||so.sunrise.ch^ +||so.swisscom.ch^ +||so8.hyatt.com^ +||socs.hagerty.com^ +||som.abritel.fr^ +||som.aluguetemporada.com.br^ +||som.athenahealth.com^ +||som.blockbuster.com^ +||som.cablestogo.co.uk^ +||som.cbsi.com^ +||som.constellation.com^ +||som.craftsman.com^ +||som.escapehomes.com^ +||som.gaservesamerica.com^ +||som.greatwolf.com^ +||som.healthgrades.com^ +||som.homeaway.com.au^ +||som.homeaway.com.co^ +||som.homeaway.com^ +||som.homeaway.pt^ +||som.hotels.com^ +||som.hotwire.com^ +||som.kenmore.com^ +||som.newenergy.com^ +||som.reethirah.oneandonlyresorts.com^ +||som.resortime.com^ +||som.ringcentral.com^ +||som.sears.com^ +||som.vrbo.com^ +||sometrics.netapp.com^ +||somn.hiltongrandvacations.com^ +||somn.sonypictures.com^ +||somn.wholesalehalloweencostumes.com^ +||somn.wholesalepartysupplies.com^ +||somni.accenture.com^ +||somni.alaskaair.com^ +||somni.americanwesthomes.com^ +||somni.amrock.com^ +||somni.amsurg.com^ +||somni.ashleyfurniturehomestore.com^ +||somni.aussiespecialist.com^ +||somni.australia.cn^ +||somni.australia.com^ +||somni.avg.com^ +||somni.banzel.com^ +||somni.bcg.com^ +||somni.bd.pcm.com^ +||somni.bell.ca^ +||somni.bgsaxo.it^ +||somni.bluebird.com^ +||somni.bluecrossma.com^ +||somni.bostonpizza.com^ +||somni.carecredit.com^ +||somni.carecreditprovidercenter.com^ +||somni.choicehotels.com^ +||somni.cineplex.com^ +||somni.cineplexdigitalmedia.com^ +||somni.cn.saxobank.com^ +||somni.copaair.com^ +||somni.cpobd.com^ +||somni.cpogenerac.com^ +||somni.cpopowermatic.com^ +||somni.cporotarytools.com^ +||somni.cposenco.com^ +||somni.cpowilton.com^ +||somni.cpoworkshop.com^ +||somni.creditonebank.com^ +||somni.csc.com^ +||somni.deere.com^ +||somni.deloittenet.deloitte.com^ +||somni.dexknows.com^ +||somni.dispatch.com^ +||somni.djoglobal.com^ +||somni.dsw.com^ +||somni.dxc.technology^ +||somni.edisonfinancial.ca^ +||somni.empr.com^ +||somni.endocrinologyadvisor.com^ +||somni.fathead.com^ +||somni.firsttechfed.com^ +||somni.genworth.com^ +||somni.getscarlet.com^ +||somni.giljimenez.com^ +||somni.hallmarkecards.com^ +||somni.hardrockhotels.com^ +||somni.home.saxo^ +||somni.huk.de^ +||somni.huk24.de^ +||somni.icicihfc.com^ +||somni.innforks.com^ +||somni.istockphoto.com^ +||somni.lightstream.com^ +||somni.mapac.thermofisher.com^ +||somni.moneytips.com^ +||somni.mycme.com^ +||somni.myrocket.com^ +||somni.myspendwell.com^ +||somni.mysynchrony.com^ +||somni.neighbourly.co.nz^ +||somni.neurologyadvisor.com^ +||somni.nine.com.au^ +||somni.orvis.com^ +||somni.pcm.com^ +||somni.pemco.com^ +||somni.playdium.com^ +||somni.pluralsight.com^ +||somni.qlmortgageservices.com^ +||somni.quickenloans.org^ +||somni.redcardreloadable.com^ +||somni.rei.com^ +||somni.reifund.org^ +||somni.rkt.zone^ +||somni.rocketaccount.com^ +||somni.rocketauto.com^ +||somni.rocketcard.com^ +||somni.rockethomes.com^ +||somni.rockethq.com^ +||somni.rocketloans.com^ +||somni.rocketmoney.com^ +||somni.rocketmortgage.ca^ +||somni.rocketmortgage.com^ +||somni.rocketmortgagesquares.com^ +||somni.rocketpro.com^ +||somni.rocketprotpo.com^ +||somni.sbicard.com^ +||somni.sbimobility.com^ +||somni.scmagazine.com^ +||somni.serve.com^ +||somni.silversea.com^ +||somni.sky.at^ +||somni.sky.de^ +||somni.sundancecatalog.com^ +||somni.suntrust.com^ +||somni.superonline.net^ +||somni.syf.com^ +||somni.synchrony.com^ +||somni.synchronybank.com^ +||somni.synchronybusiness.com^ +||somni.synchronycareers.com^ +||somni.tatacard.com^ +||somni.thatsmymortgage.com^ +||somni.thedarcyhotel.com^ +||somni.therecroom.com^ +||somni.thermofisher.com^ +||somni.turkcell.com.tr^ +||somni.vikingrivercruises.com^ +||somni.vrk.de^ +||somni.westernasset.com^ +||somni.winwithp1ag.com^ +||somni.yellowpages.com^ +||somnistats.jetblue.com^ +||somnit.blinkfitness.com^ +||somnit.equinox.com^ +||somniture.chip.de^ +||somniture.compactappliance.com^ +||somniture.corel.com^ +||somniture.edgestar.com^ +||somniture.faucetdirect.com^ +||somniture.handlesets.com^ +||somniture.kegerator.com^ +||somniture.lightingdirect.com^ +||somniture.livingdirect.com^ +||somniture.pullsdirect.com^ +||somniture.scotiabank.com^ +||somniture.scotiabank.mobi^ +||somniture.stuff.co.nz^ +||somniture.ventingdirect.com^ +||somniture.ventingpipe.com^ +||somniture.winecoolerdirect.com^ +||somniture.yodlee.com^ +||somt.honda.com^ +||somtr.financialengines.com^ +||somtrdc.jobsdb.com^ +||somtrdc.jobstreet.co.id^ +||somtrdc.jobstreet.com.my^ +||somtrdc.jobstreet.com.ph^ +||somtrdc.jobstreet.com.sg^ +||somtrdc.jobstreet.com^ +||somtrdc.jobstreet.vn^ +||soptimize.southwest.com^ +||sosc.hrs.com^ +||sowa.carhartt.com^ +||spc.personalcreations.com^ +||spersonalization.mrappliance.ca^ +||spersonalization.mrappliance.com^ +||spersonalization.mrelectric.com^ +||spersonalization.mrrooter.ca^ +||spersonalization.mrrooter.com^ +||spersonalization.rainbowintl.com^ +||sphc.caring4cancer.com^ +||spscas.hitachi-solutions.co.jp^ +||srepdata.12newsnow.com^ +||srepdata.13wmaz.com^ +||srepdata.app.com^ +||srepdata.armytimes.com^ +||srepdata.azcentral.com^ +||srepdata.caller.com^ +||srepdata.citizen-times.com^ +||srepdata.clarionledger.com^ +||srepdata.coloradoan.com^ +||srepdata.coshoctontribune.com^ +||srepdata.courier-journal.com^ +||srepdata.courierpostonline.com^ +||srepdata.dailyworld.com^ +||srepdata.desertsun.com^ +||srepdata.elpasotimes.com^ +||srepdata.eveningsun.com^ +||srepdata.fdlreporter.com^ +||srepdata.fox15abilene.com^ +||srepdata.freep.com^ +||srepdata.golfweek.com^ +||srepdata.greatfallstribune.com^ +||srepdata.guampdn.com^ +||srepdata.hometownlife.com^ +||srepdata.inyork.com^ +||srepdata.ithacajournal.com^ +||srepdata.jconline.com^ +||srepdata.jsonline.com^ +||srepdata.kcentv.com^ +||srepdata.kens5.com^ +||srepdata.kgw.com^ +||srepdata.kiiitv.com^ +||srepdata.kitsapsun.com^ +||srepdata.knoxnews.com^ +||srepdata.krem.com^ +||srepdata.ktvb.com^ +||srepdata.kvue.com^ +||srepdata.lansingstatejournal.com^ +||srepdata.ldnews.com^ +||srepdata.livingstondaily.com^ +||srepdata.marconews.com^ +||srepdata.marinecorpstimes.com^ +||srepdata.marionstar.com^ +||srepdata.marshfieldnewsherald.com^ +||srepdata.michigan.com^ +||srepdata.montgomeryadvertiser.com^ +||srepdata.mycentraljersey.com^ +||srepdata.mydesert.com^ +||srepdata.mynorthshorenow.com^ +||srepdata.naplesnews.com^ +||srepdata.navytimes.com^ +||srepdata.news-leader.com^ +||srepdata.newsleader.com^ +||srepdata.pal-item.com^ +||srepdata.postcrescent.com^ +||srepdata.poughkeepsiejournal.com^ +||srepdata.pressconnects.com^ +||srepdata.publicopiniononline.com^ +||srepdata.recordonline.com^ +||srepdata.redding.com^ +||srepdata.rgj.com^ +||srepdata.ruidosonews.com^ +||srepdata.shreveporttimes.com^ +||srepdata.tcpalm.com^ +||srepdata.tennessean.com^ +||srepdata.theadvertiser.com^ +||srepdata.thedailyjournal.com^ +||srepdata.thehuddle.com^ +||srepdata.thespectrum.com^ +||srepdata.thetimesherald.com^ +||srepdata.thetowntalk.com^ +||srepdata.usatoday.com^ +||srepdata.wausaudailyherald.com^ +||srepdata.wauwatosanow.com^ +||srepdata.wisfarmer.com^ +||srepdata.wkyc.com^ +||srepdata.ydr.com^ +||srepdata.yorkdispatch.com^ +||sreport.mitsubishicars.com^ +||ssa.asianfoodnetwork.com^ +||ssa.cookingchanneltv.com^ +||ssa.discovery.com^ +||ssa.discoveryplus.com^ +||ssa.discoveryplus.in^ +||ssa.discoveryrise.org^ +||ssa.eurosport.co.uk^ +||ssa.eurosport.com^ +||ssa.eurosport.de^ +||ssa.eurosport.dk^ +||ssa.eurosport.es^ +||ssa.eurosport.fr^ +||ssa.eurosport.hu^ +||ssa.eurosport.it^ +||ssa.eurosport.nl^ +||ssa.eurosport.no^ +||ssa.eurosport.pl^ +||ssa.eurosport.pt^ +||ssa.eurosport.ro^ +||ssa.eurosport.rs^ +||ssa.eurosport.se^ +||ssa.eurosportplayer.com^ +||ssa.food.com^ +||ssa.foodnetwork.com^ +||ssa.hgtv.com^ +||ssa.investigationdiscovery.com^ +||ssa.oprah.com^ +||ssa.tlc.com^ +||ssc.alhurra.com^ +||ssc.amerikaninsesi.org^ +||ssc.amerikaovozi.com^ +||ssc.amerikayidzayn.com^ +||ssc.amerikiskhma.com^ +||ssc.azadiradio.com^ +||ssc.azadliq.org^ +||ssc.azathabar.com^ +||ssc.azatliq.org^ +||ssc.azattyk.org^ +||ssc.azattyq.org^ +||ssc.azatutyun.am^ +||ssc.bellator.com^ +||ssc.benarnews.org^ +||ssc.bet.plus^ +||ssc.budgetair.co.uk^ +||ssc.budgetair.fr^ +||ssc.budgetair.nl^ +||ssc.cc.com^ +||ssc.currenttime.tv^ +||ssc.cvent.com^ +||ssc.dandalinvoa.com^ +||ssc.darivoa.com^ +||ssc.dengeamerika.com^ +||ssc.dengiamerika.com^ +||ssc.disneylandparis.com^ +||ssc.ekhokavkaza.com^ +||ssc.elsaha.com^ +||ssc.europalibera.org^ +||ssc.evropaelire.org^ +||ssc.favetv.com^ +||ssc.glasamerike.net^ +||ssc.golosameriki.com^ +||ssc.hl.co.uk^ +||ssc.holosameryky.com^ +||ssc.idelreal.org^ +||ssc.insidevoa.com^ +||ssc.irfaasawtak.com^ +||ssc.isleofmtv.com^ +||ssc.kavkazr.com^ +||ssc.kcamexico.com^ +||ssc.kidschoiceawards.com^ +||ssc.krymr.com^ +||ssc.logotv.com^ +||ssc.maghrebvoices.com^ +||ssc.martinoticias.com^ +||ssc.mashaalradio.com^ +||ssc.meuspremiosnick.com.br^ +||ssc.mtv.co.uk^ +||ssc.mtv.com.au^ +||ssc.mtv.com.br^ +||ssc.mtv.com^ +||ssc.mtv.de^ +||ssc.mtv.es^ +||ssc.mtv.it^ +||ssc.mtv.nl^ +||ssc.mtvema.com^ +||ssc.mtvi.com^ +||ssc.mtvjapan.com^ +||ssc.mtvla.com^ +||ssc.mtvmama.com^ +||ssc.muji.net^ +||ssc.muji.tw^ +||ssc.mundonick.com.br^ +||ssc.mundonick.com^ +||ssc.newnownext.com^ +||ssc.nick-asia.com^ +||ssc.nick.co.uk^ +||ssc.nick.com.au^ +||ssc.nick.com.pl^ +||ssc.nick.com^ +||ssc.nick.de^ +||ssc.nick.tv^ +||ssc.nickanimation.com^ +||ssc.nickatnite.com^ +||ssc.nickelodeon.be^ +||ssc.nickelodeon.ee^ +||ssc.nickelodeon.es^ +||ssc.nickelodeon.fr^ +||ssc.nickelodeon.gr^ +||ssc.nickelodeon.hu^ +||ssc.nickelodeon.la^ +||ssc.nickelodeon.lt^ +||ssc.nickelodeon.lv^ +||ssc.nickelodeon.nl^ +||ssc.nickelodeon.pt^ +||ssc.nickelodeon.ro^ +||ssc.nickelodeon.se^ +||ssc.nickelodeonafrica.com^ +||ssc.nickelodeonarabia.com^ +||ssc.nickhelps.com^ +||ssc.nickjr.com^ +||ssc.nickourworld.tv^ +||ssc.nicktv.it^ +||ssc.nwf.org^ +||ssc.ozodi.org^ +||ssc.ozodlik.org^ +||ssc.paramountnetwork.com^ +||ssc.pashtovoa.com^ +||ssc.polygraph.info^ +||ssc.radiofarda.com^ +||ssc.radiomarsho.com^ +||ssc.radiosawa.com^ +||ssc.radiosvoboda.org^ +||ssc.radiotavisupleba.ge^ +||ssc.radiotelevisionmarti.com^ +||ssc.radiyoyacuvoa.com^ +||ssc.rfa.org^ +||ssc.rferl.org^ +||ssc.severreal.org^ +||ssc.sibreal.org^ +||ssc.slobodnaevropa.mk^ +||ssc.slobodnaevropa.org^ +||ssc.smithsonianchannel.com^ +||ssc.smithsonianchannellatam.com^ +||ssc.southpark.de^ +||ssc.southpark.lat^ +||ssc.southparkstudios.co.uk^ +||ssc.southparkstudios.com.br^ +||ssc.southparkstudios.com^ +||ssc.southparkstudios.nu^ +||ssc.supertv.it^ +||ssc.svaboda.org^ +||ssc.svoboda.org^ +||ssc.svobodnaevropa.bg^ +||ssc.szabadeuropa.hu^ +||ssc.tvland.com^ +||ssc.urduvoa.com^ +||ssc.usagm.gov^ +||ssc.vh1.com^ +||ssc.vidcon.com^ +||ssc.vliegwinkel.nl^ +||ssc.vmaj.jp^ +||ssc.vmware.com^ +||ssc.voaafaanoromoo.com^ +||ssc.voaafrica.com^ +||ssc.voaafrique.com^ +||ssc.voabambara.com^ +||ssc.voabangla.com^ +||ssc.voacambodia.com^ +||ssc.voacantonese.com^ +||ssc.voachinese.com^ +||ssc.voadeewanews.com^ +||ssc.voahausa.com^ +||ssc.voaindonesia.com^ +||ssc.voakorea.com^ +||ssc.voalingala.com^ +||ssc.voandebele.com^ +||ssc.voanews.com^ +||ssc.voanouvel.com^ +||ssc.voaportugues.com^ +||ssc.voashona.com^ +||ssc.voasomali.com^ +||ssc.voaswahili.com^ +||ssc.voathai.com^ +||ssc.voatibetan.com^ +||ssc.voatiengviet.com^ +||ssc.voaturkce.com^ +||ssc.voazimbabwe.com^ +||ssc.votvot.tv^ +||ssc.vozdeamerica.com^ +||ssc.wa.gto.db.com^ +||ssc.zeriamerikes.com^ +||ssdc.bawag.com^ +||ssdc.easybank.at^ +||ssite.johnlewis-insurance.com^ +||ssite.johnlewis.com^ +||ssite.johnlewisfinance.com^ +||ssite.waitrose.com^ +||ssitecat.eset.com^ +||ssitectlyst.saksfifthavenue.com^ +||ssl-metrics.tim.it^ +||ssl-omtrdc.dmp-support.jp^ +||ssl-omtrdc.zexy.net^ +||ssl.aafp.org^ +||ssl.aafpfoundation.org^ +||ssl.brandlicensing.eu^ +||ssl.citgo.com^ +||ssl.graham-center.org^ +||ssl.licensemag.com^ +||ssl.magiconline.com^ +||ssl.modernmedicine.com^ +||ssl.motorcycleshows.com^ +||ssl.o.additudemag.com^ +||ssl.o.auspost.com.au^ +||ssl.o.coliquio.de^ +||ssl.o.emedicinehealth.com^ +||ssl.o.globalacademycme.com^ +||ssl.o.guidelines.co.uk^ +||ssl.o.guidelinesinpractice.co.uk^ +||ssl.o.jim.fr^ +||ssl.o.mdedge.com^ +||ssl.o.medhelp.org^ +||ssl.o.medicinenet.com^ +||ssl.o.medscape.co.uk^ +||ssl.o.medscape.com^ +||ssl.o.medscape.org^ +||ssl.o.medscapelive.com^ +||ssl.o.medsims.com^ +||ssl.o.onhealth.com^ +||ssl.o.qxmd.com^ +||ssl.o.rxlist.com^ +||ssl.o.the-hospitalist.org^ +||ssl.o.univadis.com^ +||ssl.o.univadis.de^ +||ssl.o.univadis.es^ +||ssl.o.univadis.fr^ +||ssl.o.univadis.it^ +||ssl.o.vitals.com^ +||ssl.o.webmdrx.com^ +||ssl.sciencechannel.com^ +||sslanalytics.sixt.co.uk^ +||sslanalytics.sixt.com^ +||sslanalytics.sixt.de^ +||sslanalytics.sixt.fr^ +||sslanalytics.sixt.it^ +||sslanalytics.sixt.nl^ +||ssldata.thepointsguy.com^ +||sslmetrics.vivint.com^ +||sslomni.canadiantire.ca^ +||sslsc.sanitas.com^ +||sslstats.canadapost-postescanada.ca^ +||sslstats.canadapost.ca^ +||sslstats.deltavacations.com^ +||sslstats.healthydirections.com^ +||sslstats.postescanada-canadapost.ca^ +||sslstats.ssl.postescanada-canadapost.ca^ +||sslstats.worldagentdirect.com^ +||ssmr.nuro.jp^ +||ssmr.so-net.ne.jp^ +||ssmr.sonynetwork.co.jp^ +||ssmr2.so-net.ne.jp^ +||sstat.3pagen.at^ +||sstat.detelefoongids.nl^ +||sstat.gilt.com^ +||sstat.jetsetter.co.uk^ +||sstat.jetsetter.com^ +||sstat.ncl.com^ +||sstat.outrigger.com^ +||sstat.spreadex.com^ +||sstatistikk.telenor.no^ +||sstats.aavacations.com^ +||sstats.adultswim.com^ +||sstats.afco.com^ +||sstats.airfarewatchdog.co.uk^ +||sstats.airfarewatchdog.com^ +||sstats.alfa.com^ +||sstats.alfalaval.com^ +||sstats.alliander.com^ +||sstats.americafirst.com^ +||sstats.arbetarskydd.se^ +||sstats.architecturaldigest.com^ +||sstats.asadventure.com^ +||sstats.asadventure.fr^ +||sstats.asadventure.lu^ +||sstats.asadventure.nl^ +||sstats.atu.at^ +||sstats.auto5.be^ +||sstats.backcountry.com^ +||sstats.bbt.com^ +||sstats.belgiantrain.be^ +||sstats.bever.nl^ +||sstats.bitdefender.com^ +||sstats.bnpparibasfortis.be^ +||sstats.bonappetit.com^ +||sstats.bookhostels.com^ +||sstats.bookingbuddy.co.uk^ +||sstats.bookingbuddy.com^ +||sstats.bookingbuddy.eu^ +||sstats.bridgetrusttitle.com^ +||sstats.build.com^ +||sstats.buycostumes.com^ +||sstats.cafo.com^ +||sstats.cartoonnetwork.com^ +||sstats.celcom.com.my^ +||sstats.checksimple.com^ +||sstats.cimentenligne.com^ +||sstats.cntraveler.com^ +||sstats.competitivecyclist.com^ +||sstats.condenast.com^ +||sstats.cookmedical.com^ +||sstats.coop.dk^ +||sstats.cotswoldoutdoor.com^ +||sstats.cupidandgrace.com^ +||sstats.deloitte.com^ +||sstats.deluxe.com^ +||sstats.dice.com^ +||sstats.dignityhealth.org^ +||sstats.directgeneral.com^ +||sstats.drugstore.com^ +||sstats.ds-pharma.com^ +||sstats.ds-pharma.jp^ +||sstats.economist.com^ +||sstats.emersonecologics.com^ +||sstats.epicurious.com^ +||sstats.estore-tco.com^ +||sstats.extendedstayhotels.com^ +||sstats.fairmont.com^ +||sstats.familyvacationcritic.com^ +||sstats.faucet.com^ +||sstats.fhb.com^ +||sstats.fintro.be^ +||sstats.fishersci.at^ +||sstats.fishersci.be^ +||sstats.fishersci.ca^ +||sstats.fishersci.ch^ +||sstats.fishersci.co.uk^ +||sstats.fishersci.com^ +||sstats.fishersci.de^ +||sstats.fishersci.es^ +||sstats.fishersci.fi^ +||sstats.fishersci.fr^ +||sstats.fishersci.ie^ +||sstats.fishersci.it^ +||sstats.fishersci.nl^ +||sstats.fishersci.no^ +||sstats.fishersci.pt^ +||sstats.fishersci.se^ +||sstats.gaba.co.jp^ +||sstats.gfi.com^ +||sstats.gibson.com^ +||sstats.girls1st.com^ +||sstats.girls1st.dk^ +||sstats.glamour.com^ +||sstats.gohealthinsurance.com^ +||sstats.golfdigest.com^ +||sstats.gourmet.com^ +||sstats.governmentcontractsusa.com^ +||sstats.grandbridge.com^ +||sstats.hannaandersson.com^ +||sstats.harlequin.com^ +||sstats.harrods.com^ +||sstats.hayu.com^ +||sstats.healthcare-sumitomo-pharma.jp^ +||sstats.hellobank.be^ +||sstats.hemtex.com^ +||sstats.hfflp.com^ +||sstats.hickoryfarms.com^ +||sstats.holcim.us^ +||sstats.hostelworld.com^ +||sstats.hostplus.com.au^ +||sstats.incorporate.com^ +||sstats.instawares.com^ +||sstats.investors.com^ +||sstats.iridesse.com^ +||sstats.juttu.be^ +||sstats.kroger.com^ +||sstats.lag-avtal.se^ +||sstats.lfg.com^ +||sstats.liander.nl^ +||sstats.libresse.ee^ +||sstats.libresse.fi^ +||sstats.libresse.hu^ +||sstats.libresse.rs^ +||sstats.lovelibra.com.au^ +||sstats.mcgriff.com^ +||sstats.meijer.com^ +||sstats.mora.jp^ +||sstats.motosport.com^ +||sstats.mt.com^ +||sstats.myafco.com^ +||sstats.myfidm.fidm.edu^ +||sstats.nalgene.com^ +||sstats.nana-maghreb.com^ +||sstats.newworldsreading.com^ +||sstats.newyorker.com^ +||sstats.nikkei.com^ +||sstats.norauto.es^ +||sstats.norauto.fr^ +||sstats.norauto.it^ +||sstats.norauto.pt^ +||sstats.o2extravyhody.cz^ +||sstats.o2family.cz^ +||sstats.o2knihovna.cz^ +||sstats.o2tv.cz^ +||sstats.o2tvsport.cz^ +||sstats.o2videoteka.cz^ +||sstats.o2vyhody.cz^ +||sstats.olivia.com^ +||sstats.omahasteaks.com^ +||sstats.oneilglobaladvisors.com^ +||sstats.onelambda.com^ +||sstats.onetime.com^ +||sstats.ooshop.com^ +||sstats.optionsxpress.com^ +||sstats.oui.sncf^ +||sstats.oyster.com^ +||sstats.paloaltonetworks.com^ +||sstats.paymypremiums.com^ +||sstats.paypal-metrics.com^ +||sstats.pitchfork.com^ +||sstats.portauthorityclothing.com^ +||sstats.postechnologygroup.com^ +||sstats.prevent.se^ +||sstats.primeratepfc.com^ +||sstats.raffles.com^ +||sstats.regionalacceptance.com^ +||sstats.rssc.com^ +||sstats.runnersneed.com^ +||sstats.sanmar.com^ +||sstats.scholastic.com^ +||sstats.seat.ch^ +||sstats.seat.lu^ +||sstats.seat.mx^ +||sstats.seat.pt^ +||sstats.securitas-direct.com^ +||sstats.self.com^ +||sstats.shaneco.com^ +||sstats.simzdarma.cz^ +||sstats.smartertravel.com^ +||sstats.snowandrock.com^ +||sstats.spark.co.nz^ +||sstats.sumitomo-pharma.co.jp^ +||sstats.sumitomo-pharma.com^ +||sstats.sumitomo-pharma.jp^ +||sstats.supply.com^ +||sstats.swissotel.com^ +||sstats.tdameritrade.com^ +||sstats.teenvogue.com^ +||sstats.telenor.se^ +||sstats.tena.ca^ +||sstats.tena.us^ +||sstats.thermofisher.com^ +||sstats.thermoscientific.com^ +||sstats.tiffany.at^ +||sstats.tiffany.ca^ +||sstats.tiffany.co.jp^ +||sstats.tiffany.co.uk^ +||sstats.tiffany.com.au^ +||sstats.tiffany.com^ +||sstats.tiffany.de^ +||sstats.tiffany.es^ +||sstats.tiffany.fr^ +||sstats.tiffany.ie^ +||sstats.tiffany.it^ +||sstats.truist-prd.com^ +||sstats.truist-tst.com^ +||sstats.truist.com^ +||sstats.truistinsurance.com^ +||sstats.truistleadershipinstitute.com^ +||sstats.truistsecurities.com^ +||sstats.uascrubs.com^ +||sstats.upack.com^ +||sstats.vacationclub.com^ +||sstats.vanityfair.com^ +||sstats.vattenfall.nl^ +||sstats.vattenfall.se^ +||sstats.vizergy.com^ +||sstats.vogue.com^ +||sstats.voyages-sncf.com^ +||sstats.wallisfashion.com^ +||sstats.wartsila.com^ +||sstats.webresint.com^ +||sstats.whattopack.com^ +||sstats.williamoneil.com^ +||sstats.wired.com^ +||sstats.wmagazine.com^ +||sstats.www.o2.cz^ +||sstats.yourchi.org^ +||sstats2.allure.com^ +||sstats2.architecturaldigest.com^ +||sstats2.golfdigest.com^ +||sstats2.gq.com^ +||sstats2.newyorker.com^ +||sstatstest.adobe.com^ +||ssuperstats.observepoint.com^ +||sswmetrics.bearskinairlines.com^ +||sswmetrics.firstair.ca^ +||sswmetrics.omanair.com^ +||sswmetrics.philippineairlines.com^ +||sswmetrics.sabre.com^ +||st-nlyss1.plala.or.jp^ +||st.bahn.de^ +||st.bahnhof.de^ +||st.der-kleine-ice.de^ +||st.discover-bavaria.com^ +||st.entdecke-deutschland-bahn.de^ +||st.fahrkartenshop2-bahn.de^ +||st.iceportal.de^ +||st.img-bahn.de^ +||st.mashable.com^ +||st.mazdausa.com^ +||st.newyorklife.com^ +||st.newyorklifeinvestments.com^ +||st.nylannuities.com^ +||st.nylinvestments.com^ +||st.onemazdausa.com^ +||st.s-bahn-muenchen-magazin.de^ +||st.wir-entdecken-bayern.de^ +||starget.aircanada.com^ +||starget.airmiles.ca^ +||starget.bitdefender.com^ +||starget.collegeboard.org^ +||starget.huntington.com^ +||starget.intel.cn^ +||starget.intel.co.jp^ +||starget.intel.co.kr^ +||starget.intel.co.uk^ +||starget.intel.com.br^ +||starget.intel.com.tr^ +||starget.intel.com.tw^ +||starget.intel.com^ +||starget.intel.de^ +||starget.intel.es^ +||starget.intel.fr^ +||starget.intel.in^ +||starget.intel.it^ +||starget.intel.la^ +||starget.intel.pl^ +||starget.intel.ru^ +||starget.ladbrokes.be^ +||starget.mathworks.com^ +||starget.morganstanley.com^ +||starget.nabtrade.com.au^ +||starget.orlandofuntickets.com^ +||starget.panerabread.com^ +||starget.plumbenefits.com^ +||starget.ticketsatwork.com^ +||starget.tv2.dk^ +||starget.uhc.com^ +||starget.vodafone.es^ +||starget.westjet.com^ +||starget.workingadvantage.com^ +||stat-ssl.akiba-souken.com^ +||stat-ssl.autoway.jp^ +||stat-ssl.bushikaku.net^ +||stat-ssl.career-tasu.jp^ +||stat-ssl.cc-rashinban.com^ +||stat-ssl.eiga.com^ +||stat-ssl.fx-rashinban.com^ +||stat-ssl.hitosara.com^ +||stat-ssl.icotto-jp.com^ +||stat-ssl.icotto.jp^ +||stat-ssl.idaten.ne.jp^ +||stat-ssl.idou.me^ +||stat-ssl.jobcube.com^ +||stat-ssl.kaago.com^ +||stat-ssl.kakaku.com^ +||stat-ssl.kakakumag.com^ +||stat-ssl.kinarino-mall.jp^ +||stat-ssl.kinarino.jp^ +||stat-ssl.kyujinbox.com^ +||stat-ssl.money-viva.jp^ +||stat-ssl.pathee.com^ +||stat-ssl.photohito.com^ +||stat-ssl.screeningmaster.jp^ +||stat-ssl.shift-one.jp^ +||stat-ssl.smfg.co.jp^ +||stat-ssl.sumaity.com^ +||stat-ssl.tabelog.com^ +||stat-ssl.tasclap.jp^ +||stat-ssl.teamroom.jp^ +||stat-ssl.tour-list.com^ +||stat-ssl.webcg.net^ +||stat-ssl.xn--pckua2a7gp15o89zb.com^ +||stat.buyersedge.com.au^ +||stat.canal-plus.com^ +||stat.carecredit.com^ +||stat.detelefoongids.nl^ +||stat.gomastercard.com.au^ +||stat.interestfree.com.au^ +||stat.jetsetter.com^ +||stat.kaago.com^ +||stat.kiwibank.co.nz^ +||stat.marshfieldclinic.org^ +||stat.mint.ca^ +||stat.ncl.com^ +||stat.outrigger.com^ +||stat.smbc.co.jp^ +||stat.smfg.co.jp^ +||stat.thegeneral.com^ +||stat.vocus.com^ +||stats-ssl.mdanderson.org^ +||stats.4travel.jp^ +||stats.aapt.com.au^ +||stats.adobe.com^ +||stats.adultswim.com^ +||stats.agl.com.au^ +||stats.airfarewatchdog.co.uk^ +||stats.airfarewatchdog.com^ +||stats.americafirst.com^ +||stats.apachecorp.com^ +||stats.aplaceformom.com^ +||stats.asadventure.nl^ +||stats.bankofthewest.com^ +||stats.bever.nl^ +||stats.bildconnect.de^ +||stats.bitdefender.com^ +||stats.blacksim.de^ +||stats.bookingbuddy.co.uk^ +||stats.bookingbuddy.com^ +||stats.bookingbuddy.eu^ +||stats.cafepress.com^ +||stats.canadapost-postescanada.ca^ +||stats.canadapost.ca^ +||stats.carecredit.com^ +||stats.cartoonnetwork.com^ +||stats.celcom.com.my^ +||stats.commonspirit.org^ +||stats.coop.dk^ +||stats.cruisingpower.com^ +||stats.cybersim.de^ +||stats.datamanie.cz^ +||stats.deloitte.com^ +||stats.deutschlandsim.de^ +||stats.dice.com^ +||stats.drillisch-online.de^ +||stats.economist.com^ +||stats.ellos.dk^ +||stats.exploratv.ca^ +||stats.extendedstayamerica.com^ +||stats.falck.dk^ +||stats.familyvacationcritic.com^ +||stats.fhb.com^ +||stats.firstmarkcu.org^ +||stats.fishersci.at^ +||stats.fishersci.com^ +||stats.fishersci.de^ +||stats.fishersci.it^ +||stats.franklincovey.com^ +||stats.getty.edu^ +||stats.gfi.com^ +||stats.gibson.com^ +||stats.guycarp.com^ +||stats.handyvertrag.de^ +||stats.hannaandersson.com^ +||stats.harrods.com^ +||stats.hayu.com^ +||stats.healthydirections.com^ +||stats.his-j.com^ +||stats.honeywell.com^ +||stats.iata.org^ +||stats.icimusique.ca^ +||stats.instawares.com^ +||stats.interestfree.com.au^ +||stats.jetzt-aktivieren.de^ +||stats.juttu.be^ +||stats.kroger.com^ +||stats.lag-avtal.se^ +||stats.leasy.dk^ +||stats.lumension.com^ +||stats.m2m-mobil.de^ +||stats.marshfieldclinic.org^ +||stats.marshfieldresearch.org^ +||stats.maxxim.de^ +||stats.mcgriff.com^ +||stats.mdanderson.org^ +||stats.meijer.com^ +||stats.merx.com^ +||stats.mint.ca^ +||stats.mt.com^ +||stats.nortonhealthcare.com^ +||stats.nyteknik.se^ +||stats.o2extravyhody.cz^ +||stats.omahasteaks.com^ +||stats.onetime.com^ +||stats.organizeit.com^ +||stats.oui.sncf^ +||stats.oyster.com^ +||stats.pacificdentalservices.com^ +||stats.postescanada-canadapost.ca^ +||stats.postescanada.ca^ +||stats.premiumsim.de^ +||stats.radio-canada.ca^ +||stats.radley.co.uk^ +||stats.radleylondon.com^ +||stats.rcinet.ca^ +||stats.refurbished-handys.de^ +||stats.rs-online.com^ +||stats.russellstover.com^ +||stats.safeway.com^ +||stats.seat.be^ +||stats.seat.es^ +||stats.seat.fr^ +||stats.seat.ie^ +||stats.seat.pt^ +||stats.sfwmd.gov^ +||stats.sim.de^ +||stats.sim24.de^ +||stats.simplytel.de^ +||stats.simzdarma.cz^ +||stats.smartdestinations.com^ +||stats.smartmobil.de^ +||stats.southernphone.com.au^ +||stats.spark.co.nz^ +||stats.steepandcheap.com^ +||stats.swissotel.com^ +||stats.tdameritrade.com^ +||stats.te.com^ +||stats.telenor.se^ +||stats.tennistalk.com^ +||stats.tfl.gov.uk^ +||stats.thegeneral.com^ +||stats.thermofisher.com^ +||stats.tiffany.ie^ +||stats.tnt.com^ +||stats.tou.tv^ +||stats.tradingacademy.com^ +||stats.truist.com^ +||stats.uticorp.com^ +||stats.vacationclub.com^ +||stats.vattenfall.nl^ +||stats.vattenfall.se^ +||stats.voyages-sncf.com^ +||stats.vulture.com^ +||stats.wallisfashion.com^ +||stats.wartsila.com^ +||stats.wartsila.net^ +||stats.whattopack.com^ +||stats.winsim.de^ +||stats.wired.com^ +||stats.wisconsingenomics.org^ +||stats.www.o2.cz^ +||stats.xactware.com^ +||stats.yourfone.de^ +||stats2.architecturaldigest.com^ +||stats2.bonappetit.com^ +||stats2.cntraveler.com^ +||stats2.golfdigest.com^ +||stats2.newyorker.com^ +||stats2.self.com^ +||stats2.wmagazine.com^ +||statse-omtrdc.deka.de^ +||statse.deka-etf.de^ +||statss.smartdestinations.com^ +||stbg.bankonline.sboff.com^ +||stbg.looksee.co.za^ +||stbg.sbgsecurities.co.ke^ +||stbg.stanbic.co.ug^ +||stbg.stanbicbank.co.bw^ +||stbg.stanbicbank.co.ke^ +||stbg.stanbicbank.co.tz^ +||stbg.stanbicbank.co.ug^ +||stbg.stanbicbank.co.zm^ +||stbg.stanbicbank.co.zw^ +||stbg.stanbicbank.com.gh^ +||stbg.stanbicibtccapital.com^ +||stbg.stanbicibtcinsurancebrokers.com^ +||stbg.stanbicibtcnominees.com^ +||stbg.stanbicibtctrustees.com^ +||stbg.standardbank.cd^ +||stbg.standardbank.co.ao^ +||stbg.standardbank.co.mw^ +||stbg.standardbank.co.mz^ +||stbg.standardbank.co.sz^ +||stbg.standardbank.co.za^ +||stbg.standardbank.com.na^ +||stbg.standardbank.com^ +||stbg.standardbank.mu^ +||stbg.standardlesothobank.co.ls^ +||std.o.globalacademycme.com^ +||std.o.medicinenet.com^ +||std.o.medscape.com^ +||std.o.rxlist.com^ +||stel.telegraaf.nl^ +||stereos2.crutchfield.com^ +||stereos2s.crutchfield.ca^ +||stereos2s.crutchfield.com^ +||sticketsmetrics.masters.com^ +||stmetrics.bbva.com.ar^ +||stmetrics.bbva.com.co^ +||stmetrics.bbva.es^ +||stmetrics.bbva.it^ +||stmetrics.bbva.mx^ +||stmetrics.bbva.pe^ +||stms.53.com^ +||stms.newline53.com^ +||stnt.express-scripts.com^ +||stnt.sky.at^ +||stnt.sky.de^ +||str.foodnetwork.ca^ +||str.globalnews.ca^ +||str2-bbyca-track.bestbuy.com^ +||str2-fsca-track.bestbuy.com^ +||strack.aetna.com^ +||strack.aetnabetterhealth.com^ +||strack.allianz.at^ +||strack.allianz.ch^ +||strack.apps.allianzworldwidecare.com^ +||strack.bestbuy.ca^ +||strack.cap.ch^ +||strack.collegeboard.com^ +||strack.collegeboard.org^ +||strack.community.concur.com^ +||strack.concur.ae^ +||strack.concur.ca^ +||strack.concur.com.sg^ +||strack.concur.com^ +||strack.concur.tw^ +||strack.elvia.ch^ +||strack.englandstore.com^ +||strack.entegris.com^ +||strack.evertondirect.evertonfc.com^ +||strack.f1store.formula1.com^ +||strack.fanatics-intl.com^ +||strack.freedommobile.ca^ +||strack.futureshop.ca^ +||strack.go.concur.com^ +||strack.manjiro.net^ +||strack.mentor.com^ +||strack.mercycareaz.org^ +||strack.onemarketinguxp.com^ +||strack.shaw.ca^ +||strack.shawdirect.ca^ +||strack.shawmobile.ca^ +||strack.softbankhawksstore.jp^ +||strack.store.manutd.com^ +||strack.sw.siemens.com^ +||strack.tarif.allianz.ch^ +||strack.www.allianzcare-corporate.com^ +||strack.www.allianzcare.com^ +||stracking.kyobo.co.kr^ +||stracking.myomee.com^ +||stracking.rogers.com^ +||stracking.trutv.com^ +||strackingvanrental.vanrental.de^ +||stscs.ditzo.nl^ +||stt.bupa.com.au^ +||stt.cpaaustralia.com.au^ +||stt.deakin.edu.au^ +||stt.dell.com^ +||stt.keno.com.au^ +||stt.nvidia.com^ +||stt.pluralsight.com^ +||stt.tab.com.au^ +||stt.thelott.com^ +||stt.tyro.com^ +||styles.hautelook.com^ +||subscription.mktg.nfl.com^ +||subscriptions.costco.ca^ +||subscriptions.costco.com^ +||subscriptions.e.silverfernfarms.com^ +||subscriptions.outbound.luxair.lu^ +||sucmetrics.hypovereinsbank.de^ +||sucmetrics.unicredit.de^ +||sucmetrics.unicredit.it^ +||sucmetrics.unicreditbanca.it^ +||sucmetrics.unicreditgroup.eu^ +||sud.holidayinsider.com^ +||sud.holidays.hrs.de^ +||suncanny.marvel.com^ +||suncanny.marvelhq.com^ +||superstats.observepoint.com^ +||sut.dailyfx.com^ +||sut.iggroup.com^ +||sw88.24kitchen.bg^ +||sw88.24kitchen.com.hr^ +||sw88.24kitchen.com.tr^ +||sw88.24kitchen.nl^ +||sw88.24kitchen.pt^ +||sw88.24kitchen.rs^ +||sw88.24kitchen.si^ +||sw88.abc.com^ +||sw88.cinemapp.com^ +||sw88.disney.be^ +||sw88.disney.bg^ +||sw88.disney.co.il^ +||sw88.disney.co.jp^ +||sw88.disney.co.za^ +||sw88.disney.com.au^ +||sw88.disney.cz^ +||sw88.disney.de^ +||sw88.disney.fi^ +||sw88.disney.hu^ +||sw88.disney.pl^ +||sw88.disney.pt^ +||sw88.disney.se^ +||sw88.disneymagicmoments.co.uk^ +||sw88.disneymagicmoments.co.za^ +||sw88.disneymagicmoments.de^ +||sw88.disneymagicmoments.fr^ +||sw88.disneynow.com^ +||sw88.disneyonstage.co.uk^ +||sw88.disneyoutlet.co.uk^ +||sw88.disneyrewards.com^ +||sw88.disneystore.co.uk^ +||sw88.disneystore.de^ +||sw88.disneystore.es^ +||sw88.disneystore.eu^ +||sw88.disneystore.fr^ +||sw88.disneystore.it^ +||sw88.disneytickets.co.uk^ +||sw88.espn.co.uk^ +||sw88.espn.com.co^ +||sw88.espn.com^ +||sw88.espnmanofthematch.nl^ +||sw88.espnplayer.com^ +||sw88.freeform.com^ +||sw88.fxchannel.pl^ +||sw88.fxnetworks.com^ +||sw88.fxturkiye.com.tr^ +||sw88.go.com^ +||sw88.lionkingeducation.co.uk^ +||sw88.natgeotv.com^ +||sw88.nationalgeographic.com^ +||sw88.nationalgeographic.de^ +||sw88.nationalgeographic.es^ +||sw88.nationalgeographic.fr^ +||sw88.nationalgeographicbrasil.com^ +||sw88.nationalgeographicla.com^ +||sw88.shopdisney.asia^ +||sw88.shopdisney.co.uk^ +||sw88.shopdisney.es^ +||sw88.shopdisney.eu^ +||sw88.starchannel-bg.com^ +||sw88.starchannel-hr.com^ +||sw88.starchannel-rs.com^ +||sw88.starchannel.be^ +||sw88.starchannel.nl^ +||sw88.thewaltdisneycompany.eu^ +||swa.asnbank.nl^ +||swa.b2cjewels.com^ +||swa.blgwonen.nl^ +||swa.bol.com^ +||swa.castorama.fr^ +||swa.consumentenbond.nl^ +||swa.devolksbank.nl^ +||swa.energiedirect.nl^ +||swa.eonline.com^ +||swa.essent.nl^ +||swa.gifts.com^ +||swa.localworld.co.uk^ +||swa.millesima.co.uk^ +||swa.millesima.com.hk^ +||swa.millesima.com^ +||swa.millesima.it^ +||swa.monabanq.com^ +||swa.nexive.it^ +||swa.onlineverzendservice.be^ +||swa.personalcreations.com^ +||swa.postnl.nl^ +||swa.regiobank.nl^ +||swa.snsbank.nl^ +||swa.st.com^ +||swa.t-mobile.nl^ +||swa.tjmaxx.tjx.com^ +||swa.vodafone.cz^ +||swa.vodafone.pt^ +||swa.wowcher.co.uk^ +||swasc.homedepot.ca^ +||swasc.homedepot.com^ +||swasc.kaufland.bg^ +||swasc.kaufland.com^ +||swasc.kaufland.cz^ +||swasc.kaufland.de^ +||swasc.kaufland.hr^ +||swasc.kaufland.md^ +||swasc.kaufland.pl^ +||swasc.kaufland.ro^ +||swasc.kaufland.sk^ +||swasc.thecompanystore.com^ +||sweb.ulta.com^ +||swebanalytics.acs.org^ +||swebanalytics.degulesider.dk^ +||swebanalytics.eniro.se^ +||swebanalytics.gulesider.no^ +||swebanalytics.krak.dk^ +||swebanalytics.panoramafirm.pl^ +||swebanalytics.pgatour.com^ +||swebanalytics.proff.no^ +||swebmetrics.avaya.com^ +||swebmetrics.ok.gov^ +||swebmetrics.oklahoma.gov^ +||swebmetrics.zebra.com^ +||swebreports.nature.org^ +||swebstats.americanbar.org^ +||swebstats.imf.org^ +||swebstats.us.aimia.com^ +||swebtraffic.executiveboard.com^ +||sxp.allianz.de^ +||t-s.actemra.com^ +||t-s.activase.com^ +||t-s.allergicasthma.com^ +||t-s.avastin-hcp.com^ +||t-s.avastin.com^ +||t-s.biooncology.com^ +||t-s.cellcept.com^ +||t-s.erivedge.com^ +||t-s.flufacts.com^ +||t-s.fuzeon.com^ +||t-s.gazyva.com^ +||t-s.gene.com^ +||t-s.genentech-access.com^ +||t-s.gpa-mpaclinical.com^ +||t-s.herceptin.com^ +||t-s.kadcyla.com^ +||t-s.kytril.com^ +||t-s.lucentis.com^ +||t-s.lucentisdirect.com^ +||t-s.lyticportfolio.com^ +||t-s.msimmunology.com^ +||t-s.perjeta.com^ +||t-s.revealvirology.com^ +||t-s.rheumatoidarthritis.com^ +||t-s.rituxan.com^ +||t-s.strokeawareness.com^ +||t-s.tamiflu.com^ +||t-s.tnkase.com^ +||t-s.transplantaccessservices.com^ +||t-s.valcyte.com^ +||t-s.xolairhcp.com^ +||t-s.xpansions.com^ +||t-s.zelboraf.com^ +||t.10er-tagesticket.de^ +||t.actemra.com^ +||t.avastin-hcp.com^ +||t.avastin.com^ +||t.bahn-mietwagen.de^ +||t.bahn.de^ +||t.biooncology.com^ +||t.cathflo.com^ +||t.cellcept.com^ +||t.db-gruppen.de^ +||t.emusic.com^ +||t.erivedge.com^ +||t.fuzeon.com^ +||t.gazyva.com^ +||t.gene.com^ +||t.genentech-access.com^ +||t.herceptin.com^ +||t.kadcyla.com^ +||t.lucentis.com^ +||t.lucentisdirect.com^ +||t.mazdausa.com^ +||t.msz-bahn.de^ +||t.nordea.com^ +||t.nordea.dk^ +||t.nordea.fi^ +||t.nordea.no^ +||t.nordea.se^ +||t.nylinvestments.com^ +||t.pandemictoolkit.com^ +||t.perjeta.com^ +||t.popsugar.com^ +||t.rail-and-drive.de^ +||t.rheumatoidarthritis.com^ +||t.rituxan.com^ +||t.strokeawareness.com^ +||t.tamiflu.com^ +||t.tarceva.com^ +||t.tnkase.com^ +||t.transplantaccessservices.com^ +||t.valcyte.com^ +||t.veranstaltungsticket-bahn.de^ +||t.xolairhcp.com^ +||t3e.firstchoice.co.uk^ +||t4e.sainsburys.co.uk^ +||ta.taxslayer.com^ +||tags.esri.ca^ +||tags.esri.com^ +||tags.esri.rw^ +||tags.igeo.com.bo^ +||target-omtrdc.deka.de^ +||target-test.cisco.com^ +||target.abanca.com^ +||target.accenture.com^ +||target.acpny.com^ +||target.afrique.pwc.com^ +||target.aia.co.kr^ +||target.aiavitality.co.kr^ +||target.alfaromeousa.com^ +||target.allianz.at^ +||target.allianz.ch^ +||target.amica.com^ +||target.ansys.com^ +||target.arcobusinesssolutions.com^ +||target.audifinancialservices.nl^ +||target.auspost.com.au^ +||target.bankofamerica.com^ +||target.bankwest.com.au^ +||target.base.be^ +||target.bcbsnd.com^ +||target.belairdirect.com^ +||target.bose.com^ +||target.bpbusinesssolutions.com^ +||target.breadfinancial.com^ +||target.bws.com.au^ +||target.caixabank.es^ +||target.cap.ch^ +||target.carrieres.pwc.fr^ +||target.caseys.com^ +||target.centerpointenergy.com^ +||target.champssports.ca^ +||target.champssports.com^ +||target.changehealthcare.com^ +||target.chase.com^ +||target.chrysler.com^ +||target.cisco.com^ +||target.claris.com^ +||target.comcast.com^ +||target.comdata.com^ +||target.commonspirit.org^ +||target.connecticare.com^ +||target.cox.com^ +||target.danmurphys.com.au^ +||target.dodge.com^ +||target.dzbank.de^ +||target.eastbay.com^ +||target.eaton.com^ +||target.edb.gov.sg^ +||target.element14.com^ +||target.elvia.ch^ +||target.emblemhealth.com^ +||target.eon.de^ +||target.ey.com^ +||target.farnell.com^ +||target.fiatusa.com^ +||target.firestonebpco.com^ +||target.fleetcardsusa.com^ +||target.footlocker.at^ +||target.footlocker.be^ +||target.footlocker.ca^ +||target.footlocker.co.uk^ +||target.footlocker.com.au^ +||target.footlocker.com^ +||target.footlocker.cz^ +||target.footlocker.de^ +||target.footlocker.dk^ +||target.footlocker.es^ +||target.footlocker.fr^ +||target.footlocker.gr^ +||target.footlocker.hu^ +||target.footlocker.ie^ +||target.footlocker.it^ +||target.footlocker.lu^ +||target.footlocker.nl^ +||target.footlocker.no^ +||target.footlocker.pl^ +||target.footlocker.pt^ +||target.footlocker.se^ +||target.fuelman.com^ +||target.galicia.ar^ +||target.groupama.fr^ +||target.gsghukuk.com^ +||target.healthengine.com.au^ +||target.helsana.ch^ +||target.hostech.co.uk^ +||target.hsn.com^ +||target.hyundaiusa.com^ +||target.ihg.com^ +||target.intact.ca^ +||target.investors.com^ +||target.jeep.com^ +||target.jwatch.org^ +||target.key.com^ +||target.kidsfootlocker.com^ +||target.kwiktripfleet.com^ +||target.letsgofrance.pwc.fr^ +||target.maxxia.com.au^ +||target.miaprova.com^ +||target.michaels.com^ +||target.microchip.com^ +||target.microsoft.com^ +||target.monaco.pwc.fr^ +||target.mtu-solutions.com^ +||target.myhealthtoolkit.com^ +||target.navenegocios.com^ +||target.netapp.com^ +||target.newark.com^ +||target.nflextrapoints.com^ +||target.nfm.com^ +||target.ni.com^ +||target.nrma.com.au^ +||target.onemarketinguxp.com^ +||target.onlinebanking.bancogalicia.com.ar^ +||target.openbank.de^ +||target.openbank.es^ +||target.openbank.nl^ +||target.openbank.pt^ +||target.owenscorning.com^ +||target.pandasecurity.com^ +||target.powertracagri.com^ +||target.prd.base.be^ +||target.prd.telenet.be^ +||target.premierinn.com^ +||target.publicissapient.com^ +||target.pwc-tls.it^ +||target.pwc.at^ +||target.pwc.be^ +||target.pwc.ch^ +||target.pwc.co.uk^ +||target.pwc.co.za^ +||target.pwc.com.ar^ +||target.pwc.com.au^ +||target.pwc.com.cy^ +||target.pwc.com.tr^ +||target.pwc.com.uy^ +||target.pwc.com^ +||target.pwc.dk^ +||target.pwc.es^ +||target.pwc.fr^ +||target.pwc.ie^ +||target.pwc.in^ +||target.pwc.is^ +||target.pwc.lu^ +||target.pwc.nl^ +||target.pwc.no^ +||target.pwc.pl^ +||target.pwc.pt^ +||target.pwc.ro^ +||target.pwc.rs^ +||target.pwc.tw^ +||target.pwcalgerie.pwc.fr^ +||target.pwcavocats.com^ +||target.pwclegal.lu^ +||target.pwcmaroc.pwc.fr^ +||target.questdiagnostics.com^ +||target.questrade.com^ +||target.qvc.com^ +||target.qvc.de^ +||target.qvcuk.com^ +||target.ram.com^ +||target.ramtrucks.com^ +||target.retail-week.com^ +||target.roger.ai^ +||target.sanitas.com^ +||target.securemaxxia.com.au^ +||target.sgproof.com^ +||target.sharkgaming.dk^ +||target.sharkgaming.no^ +||target.sharkgaming.se^ +||target.simulationworld.com^ +||target.sivasdescalzo.com^ +||target.skodafinancialservices.nl^ +||target.southernglazers.com^ +||target.spectrum.com^ +||target.sportsmansguide.com^ +||target.stanfordchildrens.org^ +||target.strategyand.pwc.com^ +||target.sunlife.ca^ +||target.sunlife.co.id^ +||target.sunlife.com.hk^ +||target.sunlife.com.ph^ +||target.sunlife.com.vn^ +||target.sunlife.com^ +||target.sunlifeglobalinvestments.com^ +||target.superfleet.net^ +||target.swinburne.edu.au^ +||target.synergy.net.au^ +||target.tataaia.com^ +||target.telenet.be^ +||target.theconvenienceawards.com^ +||target.thegrocer.co.uk^ +||target.thetruth.com^ +||target.theworlds50best.com^ +||target.totalwine.com^ +||target.toyota.com^ +||target.troweprice.com^ +||target.tsc.ca^ +||target.tunisie.pwc.fr^ +||target.ultramarfleet.ca^ +||target.veeam.com^ +||target.visitsingapore.com^ +||target.vodafone.es^ +||target.volkswagenfinancialservices.nl^ +||target.vudu.com^ +||target.vwfs.co.uk^ +||target.vwfs.com^ +||target.vwfs.cz^ +||target.vwfs.de^ +||target.vwfs.es^ +||target.vwfs.fr^ +||target.vwfs.gr^ +||target.vwfs.ie^ +||target.vwfs.it^ +||target.vwfs.mx^ +||target.vwfs.pl^ +||target.vwfs.pt^ +||target.walgreens.com^ +||target.wedenik.com^ +||target.westjet.com^ +||target.wsec06.bancogalicia.com.ar^ +||target.xfinity.com^ +||target.zeiss.com^ +||target.zeiss.de^ +||target.zinia.com^ +||targetab.metrobyt-mobile.com^ +||targetlr.adobe.com^ +||targetsecure.kohler.com^ +||targetsoc.spela.svenskaspel.se^ +||targettur.www.svenskaspel.se^ +||tdor-smetrics.td.com^ +||tel.telegraaf.nl^ +||telemetry.boxt.co.uk^ +||telemetry.chrobinson.com^ +||telemetry.commonspirit.org^ +||telemetry.dematic.com^ +||telemetry.marketscope.com^ +||telemetry.moveworks.com^ +||telemetry.navispherecarrier.com^ +||telemetry.owenscorning.com^ +||telemetry.ruthschris.com^ +||telemetry.stryker.com^ +||telemetry.webasto.com^ +||tenilstats.turner.com^ +||test-landing-page-122122.email-disney.cjm.adobe.com^ +||test-landing-page.a.news.aida.de^ +||testtarget.jeep.com^ +||tidy.intel.cn^ +||tidy.intel.co.jp^ +||tidy.intel.co.kr^ +||tidy.intel.com.br^ +||tidy.intel.com.tw^ +||tidy.intel.com^ +||tidy.intel.de^ +||tidy.intel.fr^ +||tidy.intel.in^ +||tidy.intel.la^ +||tmetrics.hdfcbank.com^ +||tmetrics.webex.com^ +||tms.53.com^ +||tnt.yemeksepeti.com^ +||toolboxadobe.inter-ikea.com^ +||tr1.kaspersky.ca^ +||tr1.kaspersky.com.tr^ +||tr1.kaspersky.com^ +||tr1.kaspersky.es^ +||tr1.kaspersky.ru^ +||tr2.kaspersky.co.uk^ +||tr2.kaspersky.com^ +||tr2.kaspersky.ru^ +||track.bestbuy.ca^ +||track.collegeboard.org^ +||track.concur.ca^ +||track.concur.com.au^ +||track.concur.com.sg^ +||track.concur.com^ +||track.evertondirect.evertonfc.com^ +||track.f1store.formula1.com^ +||track.inews.co.uk^ +||track.mentor.com^ +||track.nbastore.com.au^ +||track.nbastore.la^ +||track.nbastore.mn^ +||track.reservationcounter.com^ +||track.shop.atleticodemadrid.com^ +||tracker-aa.paf.es^ +||tracker-aa.pafbetscore.lv^ +||tracking-secure.csob.cz^ +||tracking.c.mercedes-benz.co.in^ +||tracking.c.mercedes-benz.com.cn^ +||tracking.c.mercedes-benz.de^ +||tracking.csob.cz^ +||tracking.cspire.com^ +||tracking.dailyglow.com^ +||tracking.lg.com^ +||tracking.m.mercedes-benz.ch^ +||tracking.m.mercedes-benz.co.in^ +||tracking.m.mercedes-benz.co.za^ +||tracking.m.mercedes-benz.com.cn^ +||tracking.m.mercedes-benz.com.sg^ +||tracking.m.mercedes-benz.ru^ +||tracking.mb.mercedes-benz.com^ +||tracking.omniture.nt.se^ +||tracking.redbutton.de^ +||tracking.rogers.com^ +||tracking.socialpublish.mercedes-benz.com^ +||tracking.t.mercedes-benz.co.in^ +||tracking.t.mercedes-benz.com.cn^ +||tracking.t.mercedes-benz.de^ +||tracking.techcenter.mercedes-benz.com^ +||tracking.trutv.com^ +||tracking.www5.mercedes-benz.com^ +||trackingaa.hitachienergy.com^ +||trackingssl.agemployeebenefits.be^ +||trackingssl.aginsurance.be^ +||trackingssl.drysolutions.be^ +||trackingssl.homeras.be^ +||trackingssl.vivay-broker.be^ +||trackingssl.yongo.be^ +||transit.ncsecu.org^ +||trg.bosch-home.es^ +||trk.chegg.com^ +||ts.popsugar.com^ +||tsa.taxslayer.com^ +||tt.natwest.com^ +||tt.pluralsight.com^ +||tt.rbs.co.uk^ +||tt.rbs.com^ +||tt.sj.se^ +||tt.ubs.com^ +||tt.ulsterbank.co.uk^ +||tt.ulsterbank.ie^ +||ttarget.eastwestbank.com^ +||ttmetrics.faz.net^ +||ttmetrics.jcpenney.com^ +||ucmetrics.hypovereinsbank.de^ +||ucmetrics.unicredit.it^ +||ucmetrics.unicreditbanca.it^ +||ucmetrics.unicreditgroup.eu^ +||ues.kicker.de^ +||ukg6sq48dy4zd6gn.edge41.testandtarget.omniture.com^ +||uncanny.marvel.com^ +||uncanny.marvelkids.com^ +||unsubscribe.e.silverfernfarms.com^ +||unsubscribe.email.verizon.com^ +||unsubscribe.promo.timhortons.ca^ +||ut.dailyfx.com^ +||ut.iggroup.com^ +||ut.upmc.com^ +||value.register.com^ +||vdmwntw1of9t8xgd.edge41.testandtarget.omniture.com^ +||visit.asb.co.nz^ +||visitor.novartisoncology.us^ +||visualscience.external.bbc.co.uk^ +||vs.target.com^ +||w88.abc.com^ +||w88.disneynow.com^ +||w88.espn.com^ +||w88.go.com^ +||w88.m.espn.go.com^ +||w88.natgeo.pt^ +||w88.natgeotv.com^ +||w88.nationalgeographic.com^ +||wa.and.co.uk^ +||wa.baltimoreravens.com^ +||wa.bol.com^ +||wa.castorama.fr^ +||wa.dailymail.co.uk^ +||wa.devolksbank.nl^ +||wa.epson.com^ +||wa.gifts.com^ +||wa.localworld.co.uk^ +||wa.ncr.com^ +||wa.nxp.com^ +||wa.personalcreations.com^ +||wa.postnl.nl^ +||wa.spring-gds.com^ +||wa.st.com^ +||wa.stubhub.com^ +||wa.t-mobile.nl^ +||wa.vodafone.cz^ +||wa.vodafone.de^ +||wa.vodafone.pt^ +||wa1.otto.de^ +||was.epson.com^ +||was.stubhub.com^ +||was.vodafone.de^ +||was.vodafone.nl^ +||wasc.homedepot.ca^ +||wasc.homedepot.com^ +||wasc.kaufland.ro^ +||wass.ihsmarkit.com^ +||wass.spglobal.com^ +||wat.gogoinflight.com^ +||wats.gogoinflight.com^ +||web.ajostg.cfs.com.au^ +||web.ajostg.colonialfirststate.com.au^ +||web.campaign.cfs.com.au^ +||web.campaigns.colonialfirststate.com.au^ +||web.e.lotteryoffice.com.au^ +||web.hammacher.com^ +||web.m.hurricanes.co.nz^ +||web.ulta.com^ +||webanalytics.astrogaming.com^ +||webanalytics.degulesider.dk^ +||webanalytics.eniro.se^ +||webanalytics.gulesider.no^ +||webanalytics.logicool.co.jp^ +||webanalytics.logitech.com.cn^ +||webanalytics.logitech.com^ +||webanalytics.logitechg.com.cn^ +||webanalytics.logitechg.com^ +||webanalytics.proff.no^ +||webanalyticsssl.websense.com^ +||webapp.e-post.smn.no^ +||webmetrics.avaya.com^ +||webmetrics.perkinelmer.com^ +||webmetrics.turnwrench.com^ +||webmetrics.zebra.com^ +||webs.hammacher.com^ +||websdkmetrics.blackrock.com^ +||webstat.4music.com^ +||webstat.garanti.com.tr^ +||webstat.vodafone.com^ +||webstats.americanbar.org^ +||webstats.cbre.com^ +||webstats.channel4.com^ +||webstats.imf.org^ +||webstats.kronos.com^ +||webstats.vfsco.com^ +||webstats.vodafone.com^ +||webstats.volvoce.com^ +||webstats.volvoit.com^ +||webtarget.astrogaming.com^ +||webtarget.logicool.co.jp^ +||webtarget.logitech.com.cn^ +||webtarget.logitech.com^ +||webtarget.logitechg.com.cn^ +||webtarget.logitechg.com^ +||webtraffic.executiveboard.com^ +||webtraffic.mastercontrol.com^ +||worldmtcs.nhk.jp^ +||ww0s.airtours.de^ +||ww0s.robinson.com^ +||ww0s.tui.com^ +||ww8.kohls.com^ +||ww9.kohls.com^ +||wwu.jjill.com^ +||wwv.jjill.com^ +||www-171.aig.com^ +||www-172.aig.com^ +||www-sadobe.384.co.jp^ +||www-sadobe.anabuki-community.com^ +||www-sadobe.anabuki.co.jp^ +||www-smt.daiichisankyo-hc.co.jp^ +||www.metrics.bankaustria.at^ +||www.notice.assurancewireless.com^ +||www.notice.metrobyt-mobile.com^ +||www.notice.t-mobile.com^ +||www.smetrics.imedeen.us^ +||www1.discountautomirrors.com^ +||www15.jedora.com^ +||www15.jtv.com^ +||www16.jtv.com^ +||www2.automd.com^ +||www2.autopartsplace.com^ +||www2.autopartsworld.com^ +||www2.discountairintake.com^ +||www2.discountautomirrors.com^ +||www2.discountbodyparts.com^ +||www2.discountbrakes.com^ +||www2.discountcarlights.com^ +||www2.extraspace.com^ +||www2.usautoparts.net^ +||www2s.automd.com^ +||www2s.autopartsgiant.com^ +||www2s.autopartswarehouse.com^ +||www2s.canadapartsonline.com^ +||www2s.carjunky.com^ +||www2s.discountautoshocks.com^ +||www2s.discountcatalyticconverters.com^ +||www2s.discountexhaustsystems.com^ +||www2s.discountfuelsystems.com^ +||www2s.extraspace.com^ +||www2s.speedyperformanceparts.com^ +||www2s.storage.com^ +||www2s.thepartsbin.com^ +||www2s.usautoparts.net^ +||www3.gfa.org^ +||www3s.bimmerpartswholesale.com^ +||www3s.ing.be^ +||www3s.pitstopautoparts.com^ +||www4s.ing.be^ +||www91.intel.co.jp^ +||www91.intel.co.kr^ +||www91.intel.co.uk^ +||www91.intel.com.br^ +||www91.intel.com.tr^ +||www91.intel.com.tw^ +||www91.intel.com^ +||www91.intel.de^ +||www91.intel.es^ +||www91.intel.fr^ +||www91.intel.in^ +||www91.intel.la^ +||www91.intel.pl^ +||wwwmetricssl.visitflorida.com^ +||x.timesunion.com^ +||xp.allianz.de^ +||xps.huk.de^ +||xps.huk24.de^ +||zisr3w3i2csfa76m.edge41.testandtarget.omniture.com^ +||zmetrics.boston.com^ +||zmetrics.msn.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_acton.txt *** +! easyprivacy_specific_cname_acton.txt +! actonsoftware.com disguised trackers https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/act-on.txt +! Disabled: +! ||go.fvtc.edu^ +! ||hfd.bridgetowermedia.com^ +! ||marketing.bluekai.com^ +! ||beyondmeasure.rigoltech.com^ +! ||africa.promo.skf.com^ +! ||africafr.promo.skf.com^ +! ||ai.promo.skf.com^ +! ||ar.promo.skf.com^ +! ||au.promo.skf.com^ +! ||austria.promo.skf.com^ +! ||baltics.promo.skf.com^ +! ||benelux.promo.skf.com^ +! ||bg.promo.skf.com^ +! ||br.promo.skf.com^ +! ||ca.promo.skf.com^ +! ||cl.promo.skf.com^ +! ||cn.promo.skf.com^ +! ||co.promo.skf.com^ +! ||communication.promo.skf.com^ +! ||cz.promo.skf.com^ +! ||de.promo.skf.com^ +! ||emea.promo.skf.com^ +! ||evolution.promo.skf.com^ +! ||fr.promo.skf.com^ +! ||gr.promo.skf.com^ +! ||hr.promo.skf.com^ +! ||hu.promo.skf.com^ +! ||iberian.promo.skf.com^ +! ||id.promo.skf.com^ +! ||il.promo.skf.com^ +! ||in.promo.skf.com^ +! ||industry.promo.skf.com^ +! ||it.promo.skf.com^ +! ||jp.promo.skf.com^ +! ||kaydonus.promo.skf.com^ +! ||kc.promo.skf.com^ +! ||lam.promo.skf.com^ +! ||lubrication.promo.skf.com^ +! ||lubricationcee-mea.promo.skf.com^ +! ||lubricationde.promo.skf.com^ +! ||lubricationus.promo.skf.com^ +! ||marine.promo.skf.com^ +! ||mx.promo.skf.com^ +! ||my.promo.skf.com^ +! ||pe.promo.skf.com^ +! ||ph.promo.skf.com^ +! ||pl.promo.skf.com^ +! ||ro.promo.skf.com^ +! ||rs.promo.skf.com^ +! ||seals.promo.skf.com^ +! ||sg.promo.skf.com^ +! ||sk.promo.skf.com^ +! ||tr.promo.skf.com^ +! ||tw.promo.skf.com^ +! ||uk.promo.skf.com^ +! ||us.promo.skf.com^ +! ||vehicleaftermarket.euw.promo.skf.com^ +! ||vietnam.promo.skf.com^ +! ||vsmeue.promo.skf.com^ +! ||vsmeuw.promo.skf.com^ +! ||! ||apprhs.hrm.healthgrades.com^ +! ||atlantic-general-hospital.hrm.healthgrades.com^ +! ||augustahealth.hrm.healthgrades.com^ +! ||bannerhealth.hrm.healthgrades.com^ +! ||baptisthealth.hrm.healthgrades.com^ +! ||beaconhealthsystem.hrm.healthgrades.com^ +! ||bjc.hrm.healthgrades.com^ +! ||california.providence.hrm.healthgrades.com^ +! ||carle.hrm.healthgrades.com^ +! ||centrastate.hrm.healthgrades.com^ +! ||centura.hrm.healthgrades.com^ +! ||childrens.hrm.healthgrades.com^ +! ||cvhp.hrm.healthgrades.com^ +! ||dignityhealth.hrm.healthgrades.com^ +! ||edward.hrm.healthgrades.com^ +! ||elcaminohospital.hrm.healthgrades.com^ +! ||essentiahealth.hrm.healthgrades.com^ +! ||genesishealth.hrm.healthgrades.com^ +! ||goshenhealth.hrm.healthgrades.com^ +! ||gundersenhealth.hrm.healthgrades.com^ +! ||hallmarkhealth.hrm.healthgrades.com^ +! ||hcafarwest.hrm.healthgrades.com^ +! ||hcagulfcoast.hrm.healthgrades.com^ +! ||hcahealthcare.hrm.healthgrades.com^ +! ||hillcrest.hrm.healthgrades.com^ +! ||honorhealth.hrm.healthgrades.com^ +! ||hospitals.hrm.healthgrades.com^ +! ||inova.hrm.healthgrades.com^ +! ||kennedyhealth.hrm.healthgrades.com^ +! ||lovelace.hrm.healthgrades.com^ +! ||mclaren-porthuron.hrm.healthgrades.com^ +! ||memhosp.hrm.healthgrades.com^ +! ||mhs.hrm.healthgrades.com^ +! ||ochsner.hrm.healthgrades.com^ +! ||overlakemedicalcenter.hrm.healthgrades.com^ +! ||pinnacleuniversity.hrm.healthgrades.com^ +! ||rsfh.hrm.healthgrades.com^ +! ||rush.hrm.healthgrades.com^ +! ||stamfordhealth.hrm.healthgrades.com^ +! ||stcharleshealthcare.hrm.healthgrades.com^ +! ||swedishcovenant.hrm.healthgrades.com^ +! ||uhealthsystem.hrm.healthgrades.com^ +! ||uhhospitals.hrm.healthgrades.com^ +! ||umassmemorial.hrm.healthgrades.com^ +! ||unchealthcare.hrm.healthgrades.com^ +! ||ecp.bdoaustralia.bdo.com.au^ +! ||tas.bdoaustralia.bdo.com.au^ +! ||wa.bdoaustralia.bdo.com.au^ +! +||12build.actonservice.com^ +||23andme.actonservice.com^ +||3347.wolf-gordon.com^ +||3347.wolfgordon.com^ +||3dm.3dimensional.com^ +||3mark.actonservice.com^ +||3plworldwide.actonservice.com^ +||a.evergage.com^ +||a.highroadsolution.com^ +||a10053.actonservice.com^ +||a10555.actonservice.com^ +||a10640.actonservice.com^ +||a10641.actonservice.com^ +||a10645.actonservice.com^ +||a10647.actonservice.com^ +||a10655.actonservice.com^ +||a10674.actonservice.com^ +||a10683.actonservice.com^ +||a10695.actonservice.com^ +||a10696.actonservice.com^ +||a10748.actonservice.com^ +||a11058.actonservice.com^ +||a11107.actonservice.com^ +||a11114.actonservice.com^ +||a11143.actonservice.com^ +||a11159.actonservice.com^ +||a11161.actonservice.com^ +||a11176.actonservice.com^ +||a11178.actonservice.com^ +||a11198.actonservice.com^ +||a11211.actonservice.com^ +||a11212.actonservice.com^ +||a11248.actonservice.com^ +||a11283.actonservice.com^ +||a11294.actonservice.com^ +||a11315.actonservice.com^ +||a11320.actonservice.com^ +||a11322.actonservice.com^ +||a11360.actonservice.com^ +||a11367.actonservice.com^ +||a11403.actonservice.com^ +||a11413003.actonservice.com^ +||a11426.actonservice.com^ +||a11436.actonservice.com^ +||a11442.actonservice.com^ +||a11443.actonservice.com^ +||a11463.actonservice.com^ +||a11468.actonservice.com^ +||a11481.actonservice.com^ +||a11501.actonservice.com^ +||a11516.actonservice.com^ +||a11519.actonservice.com^ +||a11522.actonservice.com^ +||a11531.actonservice.com^ +||a11537.actonservice.com^ +||a11538.actonservice.com^ +||a11540.actonservice.com^ +||a11550.actonservice.com^ +||a11576.actonservice.com^ +||a11584.actonservice.com^ +||a11585.actonservice.com^ +||a11588.actonservice.com^ +||a11601.actonservice.com^ +||a11645.actonservice.com^ +||a11690.actonservice.com^ +||a11735.actonservice.com^ +||a11801.actonservice.com^ +||a11823.actonservice.com^ +||a11843.actonservice.com^ +||a11860.actonservice.com^ +||a11862.actonservice.com^ +||a11868.actonservice.com^ +||a11872.actonservice.com^ +||a11888.actonservice.com^ +||a11904.actonservice.com^ +||a11928.actonservice.com^ +||a11929.actonservice.com^ +||a11942.actonservice.com^ +||a11943.actonservice.com^ +||a12014.actonservice.com^ +||a12016.actonservice.com^ +||a12019.actonservice.com^ +||a12058.actonservice.com^ +||a12083.actonservice.com^ +||a12093.actonservice.com^ +||a12132.actonservice.com^ +||a12139.actonservice.com^ +||a12142.actonservice.com^ +||a12160.actonservice.com^ +||a12179.actonservice.com^ +||a12180.actonservice.com^ +||a12192.actonservice.com^ +||a12238.actonservice.com^ +||a12254.actonservice.com^ +||a12255.actonservice.com^ +||a12256.actonservice.com^ +||a12269.actonservice.com^ +||a12273.actonservice.com^ +||a12287.actonservice.com^ +||a12290.actonservice.com^ +||a12329.actonservice.com^ +||a12332.actonservice.com^ +||a12336.actonservice.com^ +||a12409.actonservice.com^ +||a12433.actonservice.com^ +||a12440.actonservice.com^ +||a12516.actonservice.com^ +||a12517.actonservice.com^ +||a12520.actonservice.com^ +||a12533.actonservice.com^ +||a12538.actonservice.com^ +||a12547.actonservice.com^ +||a12559.actonservice.com^ +||a12561.actonservice.com^ +||a12572.actonservice.com^ +||a12619.actonservice.com^ +||a12678.actonservice.com^ +||a12683.actonservice.com^ +||a12684.actonservice.com^ +||a12719.actonservice.com^ +||a12724.actonservice.com^ +||a12732.actonservice.com^ +||a12734.actonservice.com^ +||a12765.actonservice.com^ +||a12770.actonservice.com^ +||a12777.actonservice.com^ +||a12791.actonservice.com^ +||a12793.actonservice.com^ +||a12798.actonservice.com^ +||a12826.actonservice.com^ +||a12852.actonservice.com^ +||a12872.actonservice.com^ +||a12876.actonservice.com^ +||a12893.actonservice.com^ +||a12894.actonservice.com^ +||a12924.actonservice.com^ +||a12930.actonservice.com^ +||a12935.actonservice.com^ +||a12956.actonservice.com^ +||a12991.actonservice.com^ +||a13007.actonservice.com^ +||a13009.actonservice.com^ +||a13010.actonservice.com^ +||a13016.actonservice.com^ +||a13017.actonservice.com^ +||a13027.actonservice.com^ +||a13044.actonservice.com^ +||a13050.actonservice.com^ +||a13072.actonservice.com^ +||a13080.actonservice.com^ +||a13083.actonservice.com^ +||a13101.actonservice.com^ +||a13104.actonservice.com^ +||a13111.actonservice.com^ +||a13112.actonservice.com^ +||a13118.actonservice.com^ +||a13119.actonservice.com^ +||a13132.actonservice.com^ +||a13183.actonservice.com^ +||a13188.actonservice.com^ +||a13199.actonservice.com^ +||a13209.actonservice.com^ +||a13294.actonservice.com^ +||a13302.actonservice.com^ +||a13309.actonservice.com^ +||a13320.actonservice.com^ +||a13357.actonservice.com^ +||a13363.actonservice.com^ +||a13375.actonservice.com^ +||a13389.actonservice.com^ +||a13398.actonservice.com^ +||a13404.actonservice.com^ +||a13422.actonservice.com^ +||a13425.actonservice.com^ +||a13460.actonservice.com^ +||a13472.actonservice.com^ +||a13476.actonservice.com^ +||a13548.actonservice.com^ +||a13557.actonservice.com^ +||a13605.actonservice.com^ +||a13620.actonservice.com^ +||a13650.actonservice.com^ +||a13651.actonservice.com^ +||a13653.actonservice.com^ +||a13654.actonservice.com^ +||a13664.actonservice.com^ +||a13678.actonservice.com^ +||a13692.actonservice.com^ +||a13709.actonservice.com^ +||a13715.actonservice.com^ +||a13724.actonservice.com^ +||a13796.actonservice.com^ +||a13835.actonservice.com^ +||a13850.actonservice.com^ +||a13860.actonservice.com^ +||a13866.actonservice.com^ +||a13868.actonservice.com^ +||a13885.actonservice.com^ +||a13890.actonservice.com^ +||a13912.actonservice.com^ +||a13913.actonservice.com^ +||a13931.actonservice.com^ +||a13938.actonservice.com^ +||a13951.actonservice.com^ +||a13956.actonservice.com^ +||a13980.actonservice.com^ +||a14001.actonservice.com^ +||a14010.actonservice.com^ +||a14041.actonservice.com^ +||a14057.actonservice.com^ +||a14063.actonservice.com^ +||a14069.actonservice.com^ +||a14070.actonservice.com^ +||a14082.actonservice.com^ +||a14089.actonservice.com^ +||a14103.actonservice.com^ +||a14107.actonservice.com^ +||a14109.actonservice.com^ +||a14142.actonservice.com^ +||a14163.actonservice.com^ +||a14164.actonservice.com^ +||a14167.actonservice.com^ +||a14181.actonservice.com^ +||a14214.actonservice.com^ +||a14249.actonservice.com^ +||a14259.actonservice.com^ +||a14267.actonservice.com^ +||a14273.actonservice.com^ +||a14277.actonservice.com^ +||a14282.actonservice.com^ +||a14284.actonservice.com^ +||a14315.actonservice.com^ +||a14338.actonservice.com^ +||a14339.actonservice.com^ +||a14349.actonservice.com^ +||a14362.actonservice.com^ +||a14374.actonservice.com^ +||a14376.actonservice.com^ +||a14377.actonservice.com^ +||a14378.actonservice.com^ +||a14382.actonservice.com^ +||a14383.actonservice.com^ +||a14384.actonservice.com^ +||a14412.actonservice.com^ +||a14414.actonservice.com^ +||a14415.actonservice.com^ +||a14418.actonservice.com^ +||a14429.actonservice.com^ +||a14448.actonservice.com^ +||a14457.actonservice.com^ +||a14481.actonservice.com^ +||a14482.actonservice.com^ +||a14485.actonservice.com^ +||a14489.actonservice.com^ +||a14505.actonservice.com^ +||a14512.actonservice.com^ +||a14515.actonservice.com^ +||a14516.actonservice.com^ +||a14518.actonservice.com^ +||a14527.actonservice.com^ +||a14535.actonservice.com^ +||a14540.actonservice.com^ +||a14556.actonservice.com^ +||a14559.actonservice.com^ +||a14572.actonservice.com^ +||a14576.actonservice.com^ +||a14587.actonservice.com^ +||a14596.actonservice.com^ +||a14606.actonservice.com^ +||a14629.actonservice.com^ +||a14637.actonservice.com^ +||a14641.actonservice.com^ +||a14644.actonservice.com^ +||a14647.actonservice.com^ +||a14655.actonservice.com^ +||a14661.actonservice.com^ +||a14663.actonservice.com^ +||a14690.actonservice.com^ +||a14700.actonservice.com^ +||a14724.actonservice.com^ +||a14732.actonservice.com^ +||a14774.actonservice.com^ +||a14775.actonservice.com^ +||a14778.actonservice.com^ +||a14788.actonservice.com^ +||a14797.actonservice.com^ +||a14808.actonservice.com^ +||a14814.actonservice.com^ +||a14835.actonservice.com^ +||a14951.actonservice.com^ +||a15567.actonservice.com^ +||a15569.actonservice.com^ +||a15575.actonservice.com^ +||a15599.actonservice.com^ +||a15601.actonservice.com^ +||a15613.actonservice.com^ +||a15614.actonservice.com^ +||a15633.actonservice.com^ +||a15654.actonservice.com^ +||a15661.actonservice.com^ +||a15662.actonservice.com^ +||a15668.actonservice.com^ +||a15673.actonservice.com^ +||a15675.actonservice.com^ +||a15691.actonservice.com^ +||a15703.actonservice.com^ +||a15717.actonservice.com^ +||a15736.actonservice.com^ +||a15742.actonservice.com^ +||a15745.actonservice.com^ +||a15760.actonservice.com^ +||a15777.actonservice.com^ +||a15781.actonservice.com^ +||a15782.actonservice.com^ +||a15788.actonservice.com^ +||a15807.actonservice.com^ +||a15817.actonservice.com^ +||a15818.actonservice.com^ +||a15831.actonservice.com^ +||a15832.actonservice.com^ +||a15833.actonservice.com^ +||a15838.actonservice.com^ +||a15857.actonservice.com^ +||a15877.actonservice.com^ +||a15908.actonservice.com^ +||a15909.actonservice.com^ +||a15927.actonservice.com^ +||a15932.actonservice.com^ +||a15933.actonservice.com^ +||a15943.actonservice.com^ +||a15944.actonservice.com^ +||a15949.actonservice.com^ +||a15955.actonservice.com^ +||a15960.actonservice.com^ +||a15964.actonservice.com^ +||a15988.actonservice.com^ +||a15991.actonservice.com^ +||a16009.actonservice.com^ +||a16016.actonservice.com^ +||a16017.actonservice.com^ +||a16018.actonservice.com^ +||a16028.actonservice.com^ +||a16030.actonservice.com^ +||a16031.actonservice.com^ +||a16041.actonservice.com^ +||a16048.actonservice.com^ +||a16052.actonservice.com^ +||a16054.actonservice.com^ +||a16060.actonservice.com^ +||a16065.actonservice.com^ +||a16067.actonservice.com^ +||a16068.actonservice.com^ +||a16070.actonservice.com^ +||a16078.actonservice.com^ +||a16084.actonservice.com^ +||a16088.actonservice.com^ +||a16089.actonservice.com^ +||a16096.actonservice.com^ +||a16097.actonservice.com^ +||a16101.actonservice.com^ +||a16102.actonservice.com^ +||a16108.actonservice.com^ +||a16113.actonservice.com^ +||a16119.actonservice.com^ +||a16121.actonservice.com^ +||a16122.actonservice.com^ +||a16133.actonservice.com^ +||a16157.actonservice.com^ +||a16161.actonservice.com^ +||a16176.actonservice.com^ +||a16178.actonservice.com^ +||a16179.actonservice.com^ +||a16206.actonservice.com^ +||a16207.actonservice.com^ +||a16208.actonservice.com^ +||a16215.actonservice.com^ +||a16219.actonservice.com^ +||a16220.actonservice.com^ +||a16238.actonservice.com^ +||a16241.actonservice.com^ +||a16242.actonservice.com^ +||a16257.actonservice.com^ +||a16258.actonservice.com^ +||a16269.actonservice.com^ +||a16279.actonservice.com^ +||a16282.actonservice.com^ +||a16291.actonservice.com^ +||a16292.actonservice.com^ +||a16302.actonservice.com^ +||a16303.actonservice.com^ +||a16317.actonservice.com^ +||a16378.actonservice.com^ +||a16385.actonservice.com^ +||a16398.actonservice.com^ +||a16404.actonservice.com^ +||a16408.actonservice.com^ +||a16418.actonservice.com^ +||a16443.actonservice.com^ +||a16445.actonservice.com^ +||a16450.actonservice.com^ +||a16453.actonservice.com^ +||a16454.actonservice.com^ +||a16468.actonservice.com^ +||a16473.actonservice.com^ +||a16475.actonservice.com^ +||a16476.actonservice.com^ +||a16477.actonservice.com^ +||a16478.actonservice.com^ +||a16479.actonservice.com^ +||a16485.actonservice.com^ +||a16502.actonservice.com^ +||a16508.actonservice.com^ +||a16509.actonservice.com^ +||a16513.actonservice.com^ +||a16517.actonservice.com^ +||a16523.actonservice.com^ +||a16524.actonservice.com^ +||a16526.actonservice.com^ +||a16527.actonservice.com^ +||a16528.actonservice.com^ +||a16529.actonservice.com^ +||a16530.actonservice.com^ +||a16531.actonservice.com^ +||a16532.actonservice.com^ +||a16533.actonservice.com^ +||a16537.actonservice.com^ +||a16542.actonservice.com^ +||a16543.actonservice.com^ +||a16557.actonservice.com^ +||a16560.actonservice.com^ +||a16570.actonservice.com^ +||a16573.actonservice.com^ +||a16581.actonservice.com^ +||a16583.actonservice.com^ +||a16585.actonservice.com^ +||a16588.actonservice.com^ +||a16589.actonservice.com^ +||a16609.actonservice.com^ +||a16611.actonservice.com^ +||a16611001.actonservice.com^ +||a16617.actonservice.com^ +||a16621.actonservice.com^ +||a16622.actonservice.com^ +||a16624.actonservice.com^ +||a16629.actonservice.com^ +||a16629001.actonservice.com^ +||a16634.actonservice.com^ +||a16635.actonservice.com^ +||a16638.actonservice.com^ +||a16656.actonservice.com^ +||a16656001.actonservice.com^ +||a16658.actonservice.com^ +||a16672.actonservice.com^ +||a16674.actonservice.com^ +||a16677.actonservice.com^ +||a16681.actonservice.com^ +||a16691.actonservice.com^ +||a16696.actonservice.com^ +||a16726.actonservice.com^ +||a16728.actonservice.com^ +||a16734.actonservice.com^ +||a16741.actonservice.com^ +||a16748.actonservice.com^ +||a16765.actonservice.com^ +||a16766.actonservice.com^ +||a16772.actonservice.com^ +||a16778.actonservice.com^ +||a16781.actonservice.com^ +||a16782.actonservice.com^ +||a16810.actonservice.com^ +||a16830.actonservice.com^ +||a16832.actonservice.com^ +||a16834.actonservice.com^ +||a16841.actonservice.com^ +||a16842.actonservice.com^ +||a16844.actonservice.com^ +||a16857.actonservice.com^ +||a16858.actonservice.com^ +||a16859.actonservice.com^ +||a16860.actonservice.com^ +||a16861.actonservice.com^ +||a16862.actonservice.com^ +||a16863.actonservice.com^ +||a16864.actonservice.com^ +||a16865.actonservice.com^ +||a16868.actonservice.com^ +||a16869.actonservice.com^ +||a16870.actonservice.com^ +||a16871.actonservice.com^ +||a16887.actonservice.com^ +||a16893.actonservice.com^ +||a16896.actonservice.com^ +||a16899.actonservice.com^ +||a16907.actonservice.com^ +||a16911.actonservice.com^ +||a16913.actonservice.com^ +||a16914.actonservice.com^ +||a16916.actonservice.com^ +||a16917.actonservice.com^ +||a16923.actonservice.com^ +||a16937.actonservice.com^ +||a16950.actonservice.com^ +||a16955.actonservice.com^ +||a16966.actonservice.com^ +||a16970.actonservice.com^ +||a16973.actonservice.com^ +||a16980.actonservice.com^ +||a16981.actonservice.com^ +||a17003.actonservice.com^ +||a17015.actonservice.com^ +||a17030.actonservice.com^ +||a17033.actonservice.com^ +||a17044.actonservice.com^ +||a17045.actonservice.com^ +||a17049.actonservice.com^ +||a17050.actonservice.com^ +||a17084.actonservice.com^ +||a17095.actonservice.com^ +||a17096.actonservice.com^ +||a17097.actonservice.com^ +||a17098.actonservice.com^ +||a17099.actonservice.com^ +||a17100.actonservice.com^ +||a17101.actonservice.com^ +||a17113.actonservice.com^ +||a17114.actonservice.com^ +||a17120.actonservice.com^ +||a17121.actonservice.com^ +||a17122.actonservice.com^ +||a17124.actonservice.com^ +||a17128.actonservice.com^ +||a17134.actonservice.com^ +||a17153.actonservice.com^ +||a17161.actonservice.com^ +||a17166.actonservice.com^ +||a17174.actonservice.com^ +||a17181.actonservice.com^ +||a17182.actonservice.com^ +||a17183.actonservice.com^ +||a17184.actonservice.com^ +||a17186.actonservice.com^ +||a17187.actonservice.com^ +||a17189.actonservice.com^ +||a17194.actonservice.com^ +||a17217.actonservice.com^ +||a17224.actonservice.com^ +||a17229.actonservice.com^ +||a17237.actonservice.com^ +||a17240.actonservice.com^ +||a17244.actonservice.com^ +||a17245.actonservice.com^ +||a17246.actonservice.com^ +||a17249.actonservice.com^ +||a17254.actonservice.com^ +||a17256.actonservice.com^ +||a17271.actonservice.com^ +||a17276.actonservice.com^ +||a17277.actonservice.com^ +||a17278.actonservice.com^ +||a17286.actonservice.com^ +||a17292.actonservice.com^ +||a17297.actonservice.com^ +||a17298.actonservice.com^ +||a17300.actonservice.com^ +||a17301.actonservice.com^ +||a17302.actonservice.com^ +||a17305.actonservice.com^ +||a17308.actonservice.com^ +||a17310.actonservice.com^ +||a17322.actonservice.com^ +||a17328.actonservice.com^ +||a17342.actonservice.com^ +||a17347.actonservice.com^ +||a17348.actonservice.com^ +||a17350.actonservice.com^ +||a17351.actonservice.com^ +||a17352.actonservice.com^ +||a17362.actonservice.com^ +||a17367.actonservice.com^ +||a17368.actonservice.com^ +||a17382.actonservice.com^ +||a17393.actonservice.com^ +||a17395.actonservice.com^ +||a17396.actonservice.com^ +||a17397.actonservice.com^ +||a17398.actonservice.com^ +||a17401.actonservice.com^ +||a17402.actonservice.com^ +||a17403.actonservice.com^ +||a17406.actonservice.com^ +||a17407.actonservice.com^ +||a17408.actonservice.com^ +||a17409.actonservice.com^ +||a17410.actonservice.com^ +||a17412.actonservice.com^ +||a17414.actonservice.com^ +||a17415.actonservice.com^ +||a17416.actonservice.com^ +||a17426.actonservice.com^ +||a17436.actonservice.com^ +||a17452.actonservice.com^ +||a17453.actonservice.com^ +||a17455.actonservice.com^ +||a17467.actonservice.com^ +||a17476.actonservice.com^ +||a17481.actonservice.com^ +||a17482.actonservice.com^ +||a17483.actonservice.com^ +||a17485.actonservice.com^ +||a17505.actonservice.com^ +||a17512.actonservice.com^ +||a17513.actonservice.com^ +||a17514.actonservice.com^ +||a17517.actonservice.com^ +||a17538.actonservice.com^ +||a17539.actonservice.com^ +||a17549.actonservice.com^ +||a17552.actonservice.com^ +||a17559.actonservice.com^ +||a17560.actonservice.com^ +||a17564.actonservice.com^ +||a17571.actonservice.com^ +||a17591.actonservice.com^ +||a17616.actonservice.com^ +||a17637.actonservice.com^ +||a17638.actonservice.com^ +||a17639.actonservice.com^ +||a17659.actonservice.com^ +||a17661.actonservice.com^ +||a17668.actonservice.com^ +||a17677.actonservice.com^ +||a17679.actonservice.com^ +||a17685.actonservice.com^ +||a17691.actonservice.com^ +||a17697.actonservice.com^ +||a17698.actonservice.com^ +||a17699.actonservice.com^ +||a17700.actonservice.com^ +||a17701.actonservice.com^ +||a17703.actonservice.com^ +||a17704.actonservice.com^ +||a17707.actonservice.com^ +||a17709.actonservice.com^ +||a17739.actonservice.com^ +||a17741.actonservice.com^ +||a17742.actonservice.com^ +||a17744.actonservice.com^ +||a17746.actonservice.com^ +||a17752.actonservice.com^ +||a17754.actonservice.com^ +||a17756.actonservice.com^ +||a17757.actonservice.com^ +||a17758.actonservice.com^ +||a17759.actonservice.com^ +||a17760.actonservice.com^ +||a17788.actonservice.com^ +||a17799.actonservice.com^ +||a17801.actonservice.com^ +||a17803.actonservice.com^ +||a17808.actonservice.com^ +||a17815.actonservice.com^ +||a17817.actonservice.com^ +||a17818.actonservice.com^ +||a17824.actonservice.com^ +||a17842.actonservice.com^ +||a17856.actonservice.com^ +||a17859.actonservice.com^ +||a17869.actonservice.com^ +||a17870.actonservice.com^ +||a17883.actonservice.com^ +||a17898.actonservice.com^ +||a17909.actonservice.com^ +||a17916.actonservice.com^ +||a17918.actonservice.com^ +||a18327.actonservice.com^ +||a18330.actonservice.com^ +||a18886.actonservice.com^ +||a19340.actonservice.com^ +||a19384.actonservice.com^ +||a19537.actonservice.com^ +||a19609.actonservice.com^ +||a19612.actonservice.com^ +||a19615.actonservice.com^ +||a19708.actonservice.com^ +||a19714.actonservice.com^ +||a19717.actonservice.com^ +||a19743.actonservice.com^ +||a19748.actonservice.com^ +||a19755.actonservice.com^ +||a19761.actonservice.com^ +||a19768.actonservice.com^ +||a19772.actonservice.com^ +||a19787.actonservice.com^ +||a19795.actonservice.com^ +||a19807.actonservice.com^ +||a19813.actonservice.com^ +||a19824.actonservice.com^ +||a19858.actonservice.com^ +||a19895.actonservice.com^ +||a19930.actonservice.com^ +||a19997.actonservice.com^ +||a20022.actonservice.com^ +||a20204.actonservice.com^ +||a20207.actonservice.com^ +||a20219.actonservice.com^ +||a20220.actonservice.com^ +||a20221.actonservice.com^ +||a20224.actonservice.com^ +||a20294.actonservice.com^ +||a20301.actonservice.com^ +||a20327.actonservice.com^ +||a20365.actonservice.com^ +||a20372.actonservice.com^ +||a20381.actonservice.com^ +||a20407.actonservice.com^ +||a20424.actonservice.com^ +||a20430.actonservice.com^ +||a20438.actonservice.com^ +||a20442.actonservice.com^ +||a20558.actonservice.com^ +||a20562.actonservice.com^ +||a20588.actonservice.com^ +||a20640.actonservice.com^ +||a20742.actonservice.com^ +||a20776.actonservice.com^ +||a20785.actonservice.com^ +||a20790.actonservice.com^ +||a20829.actonservice.com^ +||a20835.actonservice.com^ +||a20896.actonservice.com^ +||a20899.actonservice.com^ +||a20909.actonservice.com^ +||a20946.actonservice.com^ +||a20989.actonservice.com^ +||a21037.actonservice.com^ +||a21068.actonservice.com^ +||a21094.actonservice.com^ +||a21136.actonservice.com^ +||a21151.actonservice.com^ +||a21165.actonservice.com^ +||a21185.actonservice.com^ +||a21202.actonservice.com^ +||a21310.actonservice.com^ +||a21341.actonservice.com^ +||a21346.actonservice.com^ +||a21347.actonservice.com^ +||a21365.actonservice.com^ +||a21381.actonservice.com^ +||a21389.actonservice.com^ +||a21391.actonservice.com^ +||a21398.actonservice.com^ +||a21401.actonservice.com^ +||a21437.actonservice.com^ +||a21500.actonservice.com^ +||a21540.actonservice.com^ +||a21556.actonservice.com^ +||a21667.actonservice.com^ +||a21699.actonservice.com^ +||a21787.actonservice.com^ +||a21943.actonservice.com^ +||a21961.actonservice.com^ +||a22037.actonservice.com^ +||a22103.actonservice.com^ +||a22128.actonservice.com^ +||a22134.actonservice.com^ +||a22241.actonservice.com^ +||a22243.actonservice.com^ +||a22348.actonservice.com^ +||a22359.actonservice.com^ +||a22368.actonservice.com^ +||a22435.actonservice.com^ +||a22524.actonservice.com^ +||a22658.actonservice.com^ +||a22896.actonservice.com^ +||a22908.actonservice.com^ +||a22923.actonservice.com^ +||a22926.actonservice.com^ +||a22941.actonservice.com^ +||a23027.actonservice.com^ +||a23030.actonservice.com^ +||a23041.actonservice.com^ +||a23051.actonservice.com^ +||a23118.actonservice.com^ +||a23148.actonservice.com^ +||a23163.actonservice.com^ +||a23218.actonservice.com^ +||a23294.actonservice.com^ +||a23402.actonservice.com^ +||a23450.actonservice.com^ +||a23509.actonservice.com^ +||a23581.actonservice.com^ +||a23606.actonservice.com^ +||a23607.actonservice.com^ +||a23646.actonservice.com^ +||a23653.actonservice.com^ +||a23713.actonservice.com^ +||a23754.actonservice.com^ +||a23802.actonservice.com^ +||a23927.actonservice.com^ +||a24000.actonservice.com^ +||a24007.actonservice.com^ +||a24214.actonservice.com^ +||a24226.actonservice.com^ +||a24246.actonservice.com^ +||a24260.actonservice.com^ +||a24273.actonservice.com^ +||a24295.actonservice.com^ +||a24315.actonservice.com^ +||a24335.actonservice.com^ +||a24335001.actonservice.com^ +||a24336001.actonservice.com^ +||a24340.actonservice.com^ +||a24360.actonservice.com^ +||a24395.actonservice.com^ +||a24396.actonservice.com^ +||a24405.actonservice.com^ +||a24439.actonservice.com^ +||a24454.actonservice.com^ +||a24457.actonservice.com^ +||a24500.actonservice.com^ +||a24503.actonservice.com^ +||a24506.actonservice.com^ +||a24531.actonservice.com^ +||a24540.actonservice.com^ +||a24543.actonservice.com^ +||a24546.actonservice.com^ +||a24551.actonservice.com^ +||a24564.actonservice.com^ +||a24577001.actonservice.com^ +||a24579.actonservice.com^ +||a24584.actonservice.com^ +||a24591.actonservice.com^ +||a24592.actonservice.com^ +||a24600.actonservice.com^ +||a24606.actonservice.com^ +||a24612.actonservice.com^ +||a24630.actonservice.com^ +||a24638.actonservice.com^ +||a24642.actonservice.com^ +||a24648.actonservice.com^ +||a24669.actonservice.com^ +||a24681.actonservice.com^ +||a24703.actonservice.com^ +||a24718.actonservice.com^ +||a24727.actonservice.com^ +||a24730.actonservice.com^ +||a24733.actonservice.com^ +||a24744.actonservice.com^ +||a24766.actonservice.com^ +||a24780.actonservice.com^ +||a24786.actonservice.com^ +||a24792.actonservice.com^ +||a24793.actonservice.com^ +||a24809.actonservice.com^ +||a24812.actonservice.com^ +||a24820.actonservice.com^ +||a24842.actonservice.com^ +||a24843.actonservice.com^ +||a24846.actonservice.com^ +||a24849.actonservice.com^ +||a24853.actonservice.com^ +||a24858.actonservice.com^ +||a24863.actonservice.com^ +||a24865.actonservice.com^ +||a24868.actonservice.com^ +||a24869.actonservice.com^ +||a24898.actonservice.com^ +||a24899.actonservice.com^ +||a24907.actonservice.com^ +||a24910.actonservice.com^ +||a24923.actonservice.com^ +||a24962.actonservice.com^ +||a24982.actonservice.com^ +||a24985.actonservice.com^ +||a24998.actonservice.com^ +||a25026.actonservice.com^ +||a25032.actonservice.com^ +||a25041.actonservice.com^ +||a25057.actonservice.com^ +||a25065.actonservice.com^ +||a25067.actonservice.com^ +||a25077.actonservice.com^ +||a25080.actonservice.com^ +||a25095.actonservice.com^ +||a25098.actonservice.com^ +||a25134.actonservice.com^ +||a25152.actonservice.com^ +||a25158.actonservice.com^ +||a25186.actonservice.com^ +||a25197.actonservice.com^ +||a25210.actonservice.com^ +||a25216.actonservice.com^ +||a25224.actonservice.com^ +||a25226.actonservice.com^ +||a25233.actonservice.com^ +||a25247.actonservice.com^ +||a25250.actonservice.com^ +||a25303.actonservice.com^ +||a25306.actonservice.com^ +||a25307.actonservice.com^ +||a25309.actonservice.com^ +||a25329.actonservice.com^ +||a25350.actonservice.com^ +||a25351.actonservice.com^ +||a25370.actonservice.com^ +||a25378.actonservice.com^ +||a25381.actonservice.com^ +||a25393.actonservice.com^ +||a25406.actonservice.com^ +||a25409.actonservice.com^ +||a25412.actonservice.com^ +||a25427.actonservice.com^ +||a25488.actonservice.com^ +||a25493.actonservice.com^ +||a25497.actonservice.com^ +||a25513.actonservice.com^ +||a25526.actonservice.com^ +||a25535.actonservice.com^ +||a25540.actonservice.com^ +||a25545.actonservice.com^ +||a25546.actonservice.com^ +||a25569.actonservice.com^ +||a25572.actonservice.com^ +||a25580.actonservice.com^ +||a25598.actonservice.com^ +||a25599.actonservice.com^ +||a25601.actonservice.com^ +||a25604001.actonservice.com^ +||a25605.actonservice.com^ +||a25611.actonservice.com^ +||a25647.actonservice.com^ +||a25657.actonservice.com^ +||a25674.actonservice.com^ +||a25683.actonservice.com^ +||a25686.actonservice.com^ +||a25689.actonservice.com^ +||a25692.actonservice.com^ +||a25695.actonservice.com^ +||a25697.actonservice.com^ +||a25707.actonservice.com^ +||a25713.actonservice.com^ +||a25719.actonservice.com^ +||a25722.actonservice.com^ +||a25725.actonservice.com^ +||a25727.actonservice.com^ +||a25728.actonservice.com^ +||a25751.actonservice.com^ +||a25752.actonservice.com^ +||a25753.actonservice.com^ +||a25781.actonservice.com^ +||a25797.actonservice.com^ +||a25802.actonservice.com^ +||a25805.actonservice.com^ +||a25848.actonservice.com^ +||a25853.actonservice.com^ +||a25855.actonservice.com^ +||a25859.actonservice.com^ +||a25872.actonservice.com^ +||a25881.actonservice.com^ +||a25884.actonservice.com^ +||a25888.actonservice.com^ +||a25891.actonservice.com^ +||a25910.actonservice.com^ +||a25916.actonservice.com^ +||a25929001.actonservice.com^ +||a25939.actonservice.com^ +||a25949.actonservice.com^ +||a25950.actonservice.com^ +||a25953.actonservice.com^ +||a25956.actonservice.com^ +||a25977.actonservice.com^ +||a25985.actonservice.com^ +||a25994.actonservice.com^ +||a25998.actonservice.com^ +||a25999.actonservice.com^ +||a26011.actonservice.com^ +||a26020.actonservice.com^ +||a26040.actonservice.com^ +||a26043.actonservice.com^ +||a26052.actonservice.com^ +||a26055.actonservice.com^ +||a26062.actonservice.com^ +||a26064.actonservice.com^ +||a26069.actonservice.com^ +||a26089.actonservice.com^ +||a26095.actonservice.com^ +||a26135.actonservice.com^ +||a26138.actonservice.com^ +||a26164.actonservice.com^ +||a26168.actonservice.com^ +||a26175.actonservice.com^ +||a26177.actonservice.com^ +||a26193.actonservice.com^ +||a26199.actonservice.com^ +||a26204.actonservice.com^ +||a26226.actonservice.com^ +||a26232.actonservice.com^ +||a26236.actonservice.com^ +||a26239.actonservice.com^ +||a26245.actonservice.com^ +||a26251.actonservice.com^ +||a26259.actonservice.com^ +||a26260.actonservice.com^ +||a26268.actonservice.com^ +||a26284.actonservice.com^ +||a26287.actonservice.com^ +||a26292.actonservice.com^ +||a26301.actonservice.com^ +||a26310.actonservice.com^ +||a26312.actonservice.com^ +||a26327.actonservice.com^ +||a26361.actonservice.com^ +||a26362.actonservice.com^ +||a26391.actonservice.com^ +||a26394.actonservice.com^ +||a26395.actonservice.com^ +||a26410.actonservice.com^ +||a26448.actonservice.com^ +||a26463.actonservice.com^ +||a26469.actonservice.com^ +||a26472.actonservice.com^ +||a26475.actonservice.com^ +||a26479.actonservice.com^ +||a26495.actonservice.com^ +||a26521.actonservice.com^ +||a26530.actonservice.com^ +||a26539.actonservice.com^ +||a26582.actonservice.com^ +||a26591.actonservice.com^ +||a26597.actonservice.com^ +||a26612.actonservice.com^ +||a26629.actonservice.com^ +||a26632.actonservice.com^ +||a26634.actonservice.com^ +||a26648.actonservice.com^ +||a26650.actonservice.com^ +||a26655.actonservice.com^ +||a26664.actonservice.com^ +||a26665.actonservice.com^ +||a26676.actonservice.com^ +||a26695.actonservice.com^ +||a26698.actonservice.com^ +||a26705.actonservice.com^ +||a26710.actonservice.com^ +||a26711.actonservice.com^ +||a26758.actonservice.com^ +||a26767.actonservice.com^ +||a26770.actonservice.com^ +||a26779.actonservice.com^ +||a26781.actonservice.com^ +||a26807.actonservice.com^ +||a26813.actonservice.com^ +||a26816.actonservice.com^ +||a26826.actonservice.com^ +||a26839.actonservice.com^ +||a26855.actonservice.com^ +||a26857.actonservice.com^ +||a26871.actonservice.com^ +||a26879.actonservice.com^ +||a26889.actonservice.com^ +||a26900.actonservice.com^ +||a26962.actonservice.com^ +||a26965.actonservice.com^ +||a26970.actonservice.com^ +||a26991.actonservice.com^ +||a26996.actonservice.com^ +||a26998.actonservice.com^ +||a27004.actonservice.com^ +||a27013.actonservice.com^ +||a27031.actonservice.com^ +||a27035.actonservice.com^ +||a27050.actonservice.com^ +||a27059.actonservice.com^ +||a27061.actonservice.com^ +||a27063.actonservice.com^ +||a27064.actonservice.com^ +||a27067.actonservice.com^ +||a27069.actonservice.com^ +||a27070.actonservice.com^ +||a27072.actonservice.com^ +||a27075.actonservice.com^ +||a27081.actonservice.com^ +||a27084.actonservice.com^ +||a27087.actonservice.com^ +||a27091.actonservice.com^ +||a27092.actonservice.com^ +||a27110.actonservice.com^ +||a27117.actonservice.com^ +||a27129.actonservice.com^ +||a27133.actonservice.com^ +||a27138.actonservice.com^ +||a27147.actonservice.com^ +||a27157.actonservice.com^ +||a27159.actonservice.com^ +||a27172.actonservice.com^ +||a27175.actonservice.com^ +||a27183.actonservice.com^ +||a27196.actonservice.com^ +||a27199.actonservice.com^ +||a27205.actonservice.com^ +||a27234.actonservice.com^ +||a27238.actonservice.com^ +||a27252.actonservice.com^ +||a27297.actonservice.com^ +||a27300.actonservice.com^ +||a27303.actonservice.com^ +||a27304.actonservice.com^ +||a27307.actonservice.com^ +||a27319.actonservice.com^ +||a27320.actonservice.com^ +||a27323.actonservice.com^ +||a27325.actonservice.com^ +||a27331.actonservice.com^ +||a27337.actonservice.com^ +||a27339.actonservice.com^ +||a27342.actonservice.com^ +||a27348.actonservice.com^ +||a27355.actonservice.com^ +||a27358.actonservice.com^ +||a27378.actonservice.com^ +||a27384.actonservice.com^ +||a27387.actonservice.com^ +||a27394.actonservice.com^ +||a27396.actonservice.com^ +||a27397.actonservice.com^ +||a27402.actonservice.com^ +||a27409.actonservice.com^ +||a27421.actonservice.com^ +||a27424.actonservice.com^ +||a27435.actonservice.com^ +||a27441.actonservice.com^ +||a27457.actonservice.com^ +||a27459.actonservice.com^ +||a27461.actonservice.com^ +||a27469.actonservice.com^ +||a27472.actonservice.com^ +||a27474.actonservice.com^ +||a27501.actonservice.com^ +||a27519.actonservice.com^ +||a27563.actonservice.com^ +||a27571.actonservice.com^ +||a27574.actonservice.com^ +||a27581.actonservice.com^ +||a27584.actonservice.com^ +||a27587.actonservice.com^ +||a27593.actonservice.com^ +||a27596.actonservice.com^ +||a27598.actonservice.com^ +||a27602.actonservice.com^ +||a27617.actonservice.com^ +||a27619.actonservice.com^ +||a27620.actonservice.com^ +||a27626.actonservice.com^ +||a27629.actonservice.com^ +||a27647.actonservice.com^ +||a27657.actonservice.com^ +||a27666.actonservice.com^ +||a27673.actonservice.com^ +||a27679.actonservice.com^ +||a27686.actonservice.com^ +||a27691.actonservice.com^ +||a27692.actonservice.com^ +||a27700.actonservice.com^ +||a27712.actonservice.com^ +||a27728.actonservice.com^ +||a27743.actonservice.com^ +||a27809001.actonservice.com^ +||a27815.actonservice.com^ +||a27817.actonservice.com^ +||a27825.actonservice.com^ +||a27844.actonservice.com^ +||a27847.actonservice.com^ +||a27858.actonservice.com^ +||a27872.actonservice.com^ +||a27877.actonservice.com^ +||a27880.actonservice.com^ +||a27884.actonservice.com^ +||a27887.actonservice.com^ +||a27890.actonservice.com^ +||a27899.actonservice.com^ +||a27900.actonservice.com^ +||a27902.actonservice.com^ +||a27903.actonservice.com^ +||a27909.actonservice.com^ +||a27917.actonservice.com^ +||a27923.actonservice.com^ +||a27927.actonservice.com^ +||a27933.actonservice.com^ +||a27937.actonservice.com^ +||a27942.actonservice.com^ +||a27952.actonservice.com^ +||a27974.actonservice.com^ +||a27976.actonservice.com^ +||a27980.actonservice.com^ +||a27986.actonservice.com^ +||a27989.actonservice.com^ +||a27997.actonservice.com^ +||a28009.actonservice.com^ +||a28011.actonservice.com^ +||a28012.actonservice.com^ +||a28026.actonservice.com^ +||a28028.actonservice.com^ +||a28030.actonservice.com^ +||a28031.actonservice.com^ +||a28044.actonservice.com^ +||a28048001.actonservice.com^ +||a28050.actonservice.com^ +||a28071.actonservice.com^ +||a28087.actonservice.com^ +||a28093.actonservice.com^ +||a28101.actonservice.com^ +||a28115.actonservice.com^ +||a28128.actonservice.com^ +||a28133.actonservice.com^ +||a28137.actonservice.com^ +||a28143.actonservice.com^ +||a28191.actonservice.com^ +||a28200.actonservice.com^ +||a28216.actonservice.com^ +||a28228.actonservice.com^ +||a28230.actonservice.com^ +||a28239.actonservice.com^ +||a28243.actonservice.com^ +||a28248.actonservice.com^ +||a28275.actonservice.com^ +||a28278.actonservice.com^ +||a28284.actonservice.com^ +||a28287.actonservice.com^ +||a28296.actonservice.com^ +||a28298.actonservice.com^ +||a28302.actonservice.com^ +||a28307.actonservice.com^ +||a28308.actonservice.com^ +||a28310.actonservice.com^ +||a28316.actonservice.com^ +||a28320.actonservice.com^ +||a28328.actonservice.com^ +||a28335.actonservice.com^ +||a28337.actonservice.com^ +||a28348.actonservice.com^ +||a28350.actonservice.com^ +||a28351.actonservice.com^ +||a28379.actonservice.com^ +||a28390.actonservice.com^ +||a28397.actonservice.com^ +||a28401.actonservice.com^ +||a28410.actonservice.com^ +||a28416.actonservice.com^ +||a28440.actonservice.com^ +||a28443.actonservice.com^ +||a28472.actonservice.com^ +||a28481.actonservice.com^ +||a28487.actonservice.com^ +||a28490.actonservice.com^ +||a28493.actonservice.com^ +||a28496.actonservice.com^ +||a28499.actonservice.com^ +||a28500.actonservice.com^ +||a28513.actonservice.com^ +||a28515.actonservice.com^ +||a28518.actonservice.com^ +||a28527.actonservice.com^ +||a28530.actonservice.com^ +||a28533.actonservice.com^ +||a28539.actonservice.com^ +||a28541.actonservice.com^ +||a28547.actonservice.com^ +||a28557.actonservice.com^ +||a28565.actonservice.com^ +||a28579.actonservice.com^ +||a28599.actonservice.com^ +||a28609.actonservice.com^ +||a28619.actonservice.com^ +||a28627.actonservice.com^ +||a28647.actonservice.com^ +||a28653.actonservice.com^ +||a28690.actonservice.com^ +||a28702.actonservice.com^ +||a28708.actonservice.com^ +||a28719.actonservice.com^ +||a28720.actonservice.com^ +||a28725.actonservice.com^ +||a28729.actonservice.com^ +||a28772.actonservice.com^ +||a28778.actonservice.com^ +||a28788.actonservice.com^ +||a28791.actonservice.com^ +||a28793.actonservice.com^ +||a28795.actonservice.com^ +||a28797.actonservice.com^ +||a28816.actonservice.com^ +||a28838.actonservice.com^ +||a28858.actonservice.com^ +||a28876.actonservice.com^ +||a28891.actonservice.com^ +||a28895.actonservice.com^ +||a28896.actonservice.com^ +||a28911.actonservice.com^ +||a28914.actonservice.com^ +||a28935.actonservice.com^ +||a28941.actonservice.com^ +||a28962.actonservice.com^ +||a28968.actonservice.com^ +||a28979.actonservice.com^ +||a29009.actonservice.com^ +||a29025.actonservice.com^ +||a29032.actonservice.com^ +||a29045.actonservice.com^ +||a29047.actonservice.com^ +||a29064.actonservice.com^ +||a29071.actonservice.com^ +||a29072.actonservice.com^ +||a29084.actonservice.com^ +||a29088.actonservice.com^ +||a29090.actonservice.com^ +||a29091.actonservice.com^ +||a29097.actonservice.com^ +||a29112.actonservice.com^ +||a29134.actonservice.com^ +||a29152.actonservice.com^ +||a29160.actonservice.com^ +||a29167.actonservice.com^ +||a29170.actonservice.com^ +||a29171.actonservice.com^ +||a29177.actonservice.com^ +||a29192.actonservice.com^ +||a29197.actonservice.com^ +||a29198.actonservice.com^ +||a29201.actonservice.com^ +||a29206.actonservice.com^ +||a29213.actonservice.com^ +||a29218.actonservice.com^ +||a29225.actonservice.com^ +||a29228.actonservice.com^ +||a29235.actonservice.com^ +||a29238.actonservice.com^ +||a29251.actonservice.com^ +||a29255.actonservice.com^ +||a29270.actonservice.com^ +||a29277.actonservice.com^ +||a29282.actonservice.com^ +||a29286.actonservice.com^ +||a29312.actonservice.com^ +||a29315.actonservice.com^ +||a29319.actonservice.com^ +||a29322.actonservice.com^ +||a29330.actonservice.com^ +||a29354.actonservice.com^ +||a29358.actonservice.com^ +||a29364.actonservice.com^ +||a29388.actonservice.com^ +||a29395.actonservice.com^ +||a29397.actonservice.com^ +||a29412.actonservice.com^ +||a29418.actonservice.com^ +||a29421.actonservice.com^ +||a29424.actonservice.com^ +||a29429.actonservice.com^ +||a29431.actonservice.com^ +||a29433.actonservice.com^ +||a29440.actonservice.com^ +||a29478.actonservice.com^ +||a29483.actonservice.com^ +||a29508.actonservice.com^ +||a29521.actonservice.com^ +||a29523.actonservice.com^ +||a29539.actonservice.com^ +||a29546.actonservice.com^ +||a29547.actonservice.com^ +||a29553.actonservice.com^ +||a29565.actonservice.com^ +||a29582.actonservice.com^ +||a29586.actonservice.com^ +||a29643.actonservice.com^ +||a29655.actonservice.com^ +||a29673.actonservice.com^ +||a29682.actonservice.com^ +||a29685.actonservice.com^ +||a29688.actonservice.com^ +||a29710.actonservice.com^ +||a29715.actonservice.com^ +||a29721.actonservice.com^ +||a29751.actonservice.com^ +||a29757.actonservice.com^ +||a29763.actonservice.com^ +||a29772.actonservice.com^ +||a29774.actonservice.com^ +||a29784.actonservice.com^ +||a29794.actonservice.com^ +||a29798.actonservice.com^ +||a29817.actonservice.com^ +||a29820.actonservice.com^ +||a29823.actonservice.com^ +||a29827.actonservice.com^ +||a29831.actonservice.com^ +||a29832.actonservice.com^ +||a29846.actonservice.com^ +||a29866.actonservice.com^ +||a29868.actonservice.com^ +||a29881.actonservice.com^ +||a29902.actonservice.com^ +||a29975.actonservice.com^ +||a30003.actonservice.com^ +||a30010.actonservice.com^ +||a30526.actonservice.com^ +||a30667.actonservice.com^ +||a30668.actonservice.com^ +||a30798.actonservice.com^ +||a30867.actonservice.com^ +||a31047.actonservice.com^ +||a31112.actonservice.com^ +||a31248.actonservice.com^ +||a31254.actonservice.com^ +||a31734.actonservice.com^ +||a31970.actonservice.com^ +||a31985.actonservice.com^ +||a32224.actonservice.com^ +||a32227.actonservice.com^ +||a32270.actonservice.com^ +||a32359.actonservice.com^ +||a32559.actonservice.com^ +||a32800.actonservice.com^ +||a32808.actonservice.com^ +||a32858.actonservice.com^ +||a32861.actonservice.com^ +||a33167.actonservice.com^ +||a33174.actonservice.com^ +||a33374.actonservice.com^ +||a33393.actonservice.com^ +||a33437.actonservice.com^ +||a33519.actonservice.com^ +||a33612.actonservice.com^ +||a33882.actonservice.com^ +||a33994.actonservice.com^ +||a34357.actonservice.com^ +||a34396.actonservice.com^ +||a34436.actonservice.com^ +||a34504.actonservice.com^ +||a34524.actonservice.com^ +||a34529.actonservice.com^ +||a34549.actonservice.com^ +||a34553.actonservice.com^ +||a34648.actonservice.com^ +||a34718.actonservice.com^ +||a34764.actonservice.com^ +||a34773.actonservice.com^ +||a34894.actonservice.com^ +||a34938.actonservice.com^ +||a34969.actonservice.com^ +||a34989.actonservice.com^ +||a35094.actonservice.com^ +||a35110.actonservice.com^ +||a35161.actonservice.com^ +||a35310.actonservice.com^ +||a35388.actonservice.com^ +||a35415.actonservice.com^ +||a35421.actonservice.com^ +||a35511.actonservice.com^ +||a35617.actonservice.com^ +||a35688.actonservice.com^ +||a35697.actonservice.com^ +||a35827.actonservice.com^ +||a35851.actonservice.com^ +||a35907.actonservice.com^ +||a35910.actonservice.com^ +||a35933.actonservice.com^ +||a36025.actonservice.com^ +||a36117.actonservice.com^ +||a36162.actonservice.com^ +||a36168.actonservice.com^ +||a36210.actonservice.com^ +||a36213.actonservice.com^ +||a36216.actonservice.com^ +||a36243.actonservice.com^ +||a36279.actonservice.com^ +||a36331.actonservice.com^ +||a36531.actonservice.com^ +||a36535.actonservice.com^ +||a36539.actonservice.com^ +||a36575.actonservice.com^ +||a36590.actonservice.com^ +||a36723.actonservice.com^ +||a36755.actonservice.com^ +||a36777.actonservice.com^ +||a36791.actonservice.com^ +||a36961.actonservice.com^ +||a36966.actonservice.com^ +||a37023.actonservice.com^ +||a37518.actonservice.com^ +||a37619.actonservice.com^ +||a37641.actonservice.com^ +||a37695.actonservice.com^ +||a37697.actonservice.com^ +||a37929.actonservice.com^ +||a37941.actonservice.com^ +||a38028.actonservice.com^ +||a38031.actonservice.com^ +||a38137.actonservice.com^ +||a38256.actonservice.com^ +||a38619.actonservice.com^ +||a38742.actonservice.com^ +||a38757.actonservice.com^ +||a38761.actonservice.com^ +||a38820.actonservice.com^ +||a38951.actonservice.com^ +||a39173.actonservice.com^ +||a39176.actonservice.com^ +||a39177.actonservice.com^ +||a39210.actonservice.com^ +||a39465.actonservice.com^ +||a39468.actonservice.com^ +||a39498.actonservice.com^ +||a39539.actonservice.com^ +||a39606.actonservice.com^ +||a39662.actonservice.com^ +||a39705.actonservice.com^ +||a39744.actonservice.com^ +||a39780.actonservice.com^ +||a39804.actonservice.com^ +||a40194.actonservice.com^ +||a40248.actonservice.com^ +||a40452.actonservice.com^ +||a40545.actonservice.com^ +||a40554.actonservice.com^ +||a40587.actonservice.com^ +||a40865.actonservice.com^ +||a40890.actonservice.com^ +||a40898.actonservice.com^ +||a40899.actonservice.com^ +||a40901.actonservice.com^ +||a40904.actonservice.com^ +||a40905.actonservice.com^ +||a40907.actonservice.com^ +||a40910.actonservice.com^ +||a40913.actonservice.com^ +||a40916.actonservice.com^ +||a40917.actonservice.com^ +||a41166.actonservice.com^ +||a41172.actonservice.com^ +||a41199.actonservice.com^ +||a41309.actonservice.com^ +||a41334.actonservice.com^ +||a41342.actonservice.com^ +||a41385.actonservice.com^ +||a41505.actonservice.com^ +||a41522.actonservice.com^ +||a41547.actonservice.com^ +||a41550.actonservice.com^ +||a41553.actonservice.com^ +||a41556.actonservice.com^ +||a41558.actonservice.com^ +||a41609.actonservice.com^ +||a41628.actonservice.com^ +||a41643.actonservice.com^ +||a41691.actonservice.com^ +||a41714.actonservice.com^ +||a41768.actonservice.com^ +||a41947.actonservice.com^ +||a41976.actonservice.com^ +||a42072.actonservice.com^ +||a42073.actonservice.com^ +||a42096.actonservice.com^ +||a42330.actonservice.com^ +||a42368.actonservice.com^ +||a42382.actonservice.com^ +||a42384.actonservice.com^ +||a42575.actonservice.com^ +||a42579.actonservice.com^ +||a42580.actonservice.com^ +||a42605.actonservice.com^ +||a42623.actonservice.com^ +||a42624.actonservice.com^ +||a42625.actonservice.com^ +||a42626.actonservice.com^ +||a42628.actonservice.com^ +||a42701.actonservice.com^ +||a42707.actonservice.com^ +||a42767.actonservice.com^ +||a42807.actonservice.com^ +||a42845.actonservice.com^ +||a42872.actonservice.com^ +||a42900.actonservice.com^ +||a42906.actonservice.com^ +||a42917.actonservice.com^ +||a42918.actonservice.com^ +||a42919.actonservice.com^ +||a42920.actonservice.com^ +||a42926.actonservice.com^ +||a42927.actonservice.com^ +||a43050.actonservice.com^ +||a43094.actonservice.com^ +||a43242.actonservice.com^ +||a43245.actonservice.com^ +||a43246.actonservice.com^ +||a43248.actonservice.com^ +||a43253.actonservice.com^ +||a43254.actonservice.com^ +||a43256.actonservice.com^ +||a43257.actonservice.com^ +||a43260.actonservice.com^ +||a43261.actonservice.com^ +||a43263.actonservice.com^ +||a43271.actonservice.com^ +||a43273.actonservice.com^ +||a43285.actonservice.com^ +||a43286.actonservice.com^ +||a43287.actonservice.com^ +||a43290.actonservice.com^ +||a43293.actonservice.com^ +||a43294.actonservice.com^ +||a43295.actonservice.com^ +||a43296.actonservice.com^ +||a43305.actonservice.com^ +||a43307.actonservice.com^ +||a43309.actonservice.com^ +||a43312.actonservice.com^ +||a43315.actonservice.com^ +||a43317.actonservice.com^ +||a43318.actonservice.com^ +||a43320.actonservice.com^ +||a43321.actonservice.com^ +||a43326.actonservice.com^ +||a43329.actonservice.com^ +||a43333.actonservice.com^ +||a43337.actonservice.com^ +||a43338.actonservice.com^ +||a43339.actonservice.com^ +||a43345.actonservice.com^ +||a43347.actonservice.com^ +||a43348.actonservice.com^ +||a43351.actonservice.com^ +||a43354.actonservice.com^ +||a43366.actonservice.com^ +||a43367.actonservice.com^ +||a43368.actonservice.com^ +||a43369.actonservice.com^ +||a43372.actonservice.com^ +||a43373.actonservice.com^ +||a43375.actonservice.com^ +||a43376.actonservice.com^ +||a43378.actonservice.com^ +||a43379.actonservice.com^ +||a43380.actonservice.com^ +||a43381.actonservice.com^ +||a43385.actonservice.com^ +||a43386.actonservice.com^ +||a43396.actonservice.com^ +||a43406.actonservice.com^ +||a43409.actonservice.com^ +||a43410.actonservice.com^ +||a43411.actonservice.com^ +||a43412.actonservice.com^ +||a43414.actonservice.com^ +||a43421.actonservice.com^ +||a43422.actonservice.com^ +||a43423.actonservice.com^ +||a43424.actonservice.com^ +||a43444.actonservice.com^ +||a43445.actonservice.com^ +||a43447.actonservice.com^ +||a43454.actonservice.com^ +||a43456.actonservice.com^ +||a43461.actonservice.com^ +||a43462.actonservice.com^ +||a43465.actonservice.com^ +||a43472.actonservice.com^ +||a43474.actonservice.com^ +||a43477.actonservice.com^ +||a43478.actonservice.com^ +||a43479.actonservice.com^ +||a43480.actonservice.com^ +||a43482.actonservice.com^ +||a43486.actonservice.com^ +||a43494.actonservice.com^ +||a43498.actonservice.com^ +||a43501.actonservice.com^ +||a43504.actonservice.com^ +||a43507.actonservice.com^ +||a43521.actonservice.com^ +||a43523.actonservice.com^ +||a43524.actonservice.com^ +||a43527.actonservice.com^ +||a43528.actonservice.com^ +||a43530.actonservice.com^ +||a43533.actonservice.com^ +||a43534.actonservice.com^ +||a43538.actonservice.com^ +||a43539.actonservice.com^ +||a43542.actonservice.com^ +||a43545.actonservice.com^ +||a43546.actonservice.com^ +||a43547.actonservice.com^ +||a43548.actonservice.com^ +||a43550.actonservice.com^ +||a43553.actonservice.com^ +||a43554.actonservice.com^ +||a43557.actonservice.com^ +||a43558.actonservice.com^ +||a43561.actonservice.com^ +||a43562.actonservice.com^ +||a43569.actonservice.com^ +||a43571.actonservice.com^ +||a43572.actonservice.com^ +||a43573.actonservice.com^ +||a43576.actonservice.com^ +||a43577.actonservice.com^ +||a43582.actonservice.com^ +||a43587.actonservice.com^ +||a43590.actonservice.com^ +||a43591.actonservice.com^ +||a43593.actonservice.com^ +||a43594.actonservice.com^ +||a43595.actonservice.com^ +||a43596.actonservice.com^ +||a43597.actonservice.com^ +||a43601.actonservice.com^ +||a43604.actonservice.com^ +||a43606.actonservice.com^ +||a43607.actonservice.com^ +||a43611.actonservice.com^ +||a43613.actonservice.com^ +||a43614.actonservice.com^ +||a43619.actonservice.com^ +||a43621.actonservice.com^ +||a43624.actonservice.com^ +||a43626.actonservice.com^ +||a43628.actonservice.com^ +||a43630.actonservice.com^ +||a43634.actonservice.com^ +||a43640.actonservice.com^ +||a43645.actonservice.com^ +||a43649.actonservice.com^ +||a43658.actonservice.com^ +||a43661.actonservice.com^ +||a43662.actonservice.com^ +||a43665.actonservice.com^ +||a43666.actonservice.com^ +||a43667.actonservice.com^ +||a43668.actonservice.com^ +||a43672.actonservice.com^ +||a43677.actonservice.com^ +||a43678.actonservice.com^ +||a43685.actonservice.com^ +||a43694.actonservice.com^ +||a43698.actonservice.com^ +||a43702.actonservice.com^ +||a43708.actonservice.com^ +||a43710.actonservice.com^ +||a43711.actonservice.com^ +||a43712.actonservice.com^ +||a43715.actonservice.com^ +||a43723.actonservice.com^ +||a43724.actonservice.com^ +||a43725.actonservice.com^ +||a43726.actonservice.com^ +||a43733.actonservice.com^ +||a43735.actonservice.com^ +||a43736.actonservice.com^ +||a43737.actonservice.com^ +||a43738.actonservice.com^ +||a43740.actonservice.com^ +||a43746.actonservice.com^ +||a43748.actonservice.com^ +||a43749.actonservice.com^ +||a43750.actonservice.com^ +||a43751.actonservice.com^ +||a43757.actonservice.com^ +||a43762.actonservice.com^ +||a43765.actonservice.com^ +||a43766.actonservice.com^ +||a43767.actonservice.com^ +||a43770.actonservice.com^ +||a43772.actonservice.com^ +||a43775.actonservice.com^ +||a43778.actonservice.com^ +||a43780.actonservice.com^ +||a43782.actonservice.com^ +||a43784.actonservice.com^ +||a43785.actonservice.com^ +||a43786.actonservice.com^ +||a43787.actonservice.com^ +||a43789.actonservice.com^ +||a43790.actonservice.com^ +||a43791.actonservice.com^ +||a43792.actonservice.com^ +||a43794.actonservice.com^ +||a43795.actonservice.com^ +||a43797.actonservice.com^ +||a43800.actonservice.com^ +||a43801.actonservice.com^ +||a43803.actonservice.com^ +||a43804.actonservice.com^ +||a43805.actonservice.com^ +||a43806.actonservice.com^ +||a43807.actonservice.com^ +||a43814.actonservice.com^ +||a43818.actonservice.com^ +||a43820.actonservice.com^ +||a43821.actonservice.com^ +||a43830.actonservice.com^ +||a43834.actonservice.com^ +||a43838.actonservice.com^ +||a43839.actonservice.com^ +||a43840.actonservice.com^ +||a43843.actonservice.com^ +||a43846.actonservice.com^ +||a43847.actonservice.com^ +||a43848.actonservice.com^ +||a43849.actonservice.com^ +||a43853.actonservice.com^ +||a43855.actonservice.com^ +||a43856.actonservice.com^ +||a43858.actonservice.com^ +||a43860.actonservice.com^ +||a43863.actonservice.com^ +||a43866.actonservice.com^ +||a43869.actonservice.com^ +||a43870.actonservice.com^ +||a43871.actonservice.com^ +||a43875.actonservice.com^ +||a43876.actonservice.com^ +||a43878.actonservice.com^ +||a43889.actonservice.com^ +||a43893.actonservice.com^ +||a43896.actonservice.com^ +||a43899.actonservice.com^ +||a43901.actonservice.com^ +||a43906.actonservice.com^ +||a43909.actonservice.com^ +||a43910.actonservice.com^ +||a43913.actonservice.com^ +||a43918.actonservice.com^ +||a43919.actonservice.com^ +||a43921.actonservice.com^ +||a43922.actonservice.com^ +||a43923.actonservice.com^ +||a43924.actonservice.com^ +||a43933.actonservice.com^ +||a43934.actonservice.com^ +||a43937.actonservice.com^ +||a43939.actonservice.com^ +||a43951.actonservice.com^ +||a43952.actonservice.com^ +||a43954.actonservice.com^ +||a43957.actonservice.com^ +||a43966.actonservice.com^ +||a43967.actonservice.com^ +||a43968.actonservice.com^ +||a43972.actonservice.com^ +||a43976.actonservice.com^ +||a43977.actonservice.com^ +||a43981.actonservice.com^ +||a43982.actonservice.com^ +||a43993.actonservice.com^ +||a43994.actonservice.com^ +||a43995.actonservice.com^ +||a43996.actonservice.com^ +||a43999.actonservice.com^ +||a44000.actonservice.com^ +||a44022.actonservice.com^ +||a44023.actonservice.com^ +||a44031.actonservice.com^ +||a44036.actonservice.com^ +||a44043.actonservice.com^ +||a44050.actonservice.com^ +||a44051.actonservice.com^ +||a44055.actonservice.com^ +||a44057.actonservice.com^ +||a44058.actonservice.com^ +||a44090.actonservice.com^ +||a44093.actonservice.com^ +||a44094.actonservice.com^ +||a44095.actonservice.com^ +||a44096.actonservice.com^ +||a44097.actonservice.com^ +||a44102.actonservice.com^ +||a44105.actonservice.com^ +||a44107.actonservice.com^ +||a44111.actonservice.com^ +||a44112.actonservice.com^ +||a44113.actonservice.com^ +||a44116.actonservice.com^ +||a44119.actonservice.com^ +||a44120.actonservice.com^ +||a44121.actonservice.com^ +||a44122.actonservice.com^ +||a44125.actonservice.com^ +||a44127.actonservice.com^ +||a44128.actonservice.com^ +||a44130.actonservice.com^ +||a44131.actonservice.com^ +||a44134.actonservice.com^ +||a44135.actonservice.com^ +||a44137.actonservice.com^ +||a44138.actonservice.com^ +||a44143.actonservice.com^ +||a44145.actonservice.com^ +||a44147.actonservice.com^ +||a44148.actonservice.com^ +||a44155.actonservice.com^ +||a44156.actonservice.com^ +||a44157.actonservice.com^ +||a44171.actonservice.com^ +||a44172.actonservice.com^ +||a44177.actonservice.com^ +||a44178.actonservice.com^ +||a44179.actonservice.com^ +||a44182.actonservice.com^ +||a44183.actonservice.com^ +||a44184.actonservice.com^ +||a44190.actonservice.com^ +||a44193.actonservice.com^ +||a44195.actonservice.com^ +||a44200.actonservice.com^ +||a44201.actonservice.com^ +||a44203.actonservice.com^ +||a44205.actonservice.com^ +||a44211.actonservice.com^ +||a44213.actonservice.com^ +||a44214.actonservice.com^ +||a44222.actonservice.com^ +||a44224.actonservice.com^ +||a44227.actonservice.com^ +||a44230.actonservice.com^ +||a44232.actonservice.com^ +||a44233.actonservice.com^ +||a44241.actonservice.com^ +||a44246.actonservice.com^ +||a44251.actonservice.com^ +||a44263.actonservice.com^ +||a44267.actonservice.com^ +||a44269.actonservice.com^ +||a44270.actonservice.com^ +||a44271.actonservice.com^ +||a44272.actonservice.com^ +||a44273.actonservice.com^ +||a44274.actonservice.com^ +||a44275.actonservice.com^ +||a44277.actonservice.com^ +||a44281.actonservice.com^ +||a44287.actonservice.com^ +||a44289.actonservice.com^ +||a44293.actonservice.com^ +||a44300.actonservice.com^ +||a44301.actonservice.com^ +||a44304.actonservice.com^ +||a44305.actonservice.com^ +||a44306.actonservice.com^ +||a44307.actonservice.com^ +||a44308.actonservice.com^ +||a44309.actonservice.com^ +||a44310.actonservice.com^ +||a44311.actonservice.com^ +||a44313.actonservice.com^ +||a44314.actonservice.com^ +||a44315.actonservice.com^ +||a44316.actonservice.com^ +||a44320.actonservice.com^ +||a44321.actonservice.com^ +||a44322.actonservice.com^ +||a44325.actonservice.com^ +||a44329.actonservice.com^ +||a44332.actonservice.com^ +||a44342.actonservice.com^ +||a44344.actonservice.com^ +||a44347.actonservice.com^ +||a44352.actonservice.com^ +||a44354.actonservice.com^ +||a44356.actonservice.com^ +||a44357.actonservice.com^ +||a44358.actonservice.com^ +||a44359.actonservice.com^ +||a44363.actonservice.com^ +||a44364.actonservice.com^ +||a44370.actonservice.com^ +||a44371.actonservice.com^ +||a44379.actonservice.com^ +||a44395.actonservice.com^ +||a44396.actonservice.com^ +||a44397.actonservice.com^ +||a44413.actonservice.com^ +||a44529.actonservice.com^ +||a44530.actonservice.com^ +||a44539.actonservice.com^ +||a44548.actonservice.com^ +||a44557.actonservice.com^ +||a44569.actonservice.com^ +||a44575.actonservice.com^ +||a44581.actonservice.com^ +||a44587.actonservice.com^ +||a44595.actonservice.com^ +||a44596.actonservice.com^ +||a44599.actonservice.com^ +||a44614.actonservice.com^ +||a44619.actonservice.com^ +||a44621.actonservice.com^ +||a44627.actonservice.com^ +||a44644.actonservice.com^ +||a44656.actonservice.com^ +||a44662.actonservice.com^ +||a44670.actonservice.com^ +||a44685.actonservice.com^ +||a44686.actonservice.com^ +||a44687.actonservice.com^ +||a44688.actonservice.com^ +||a44708.actonservice.com^ +||a44712.actonservice.com^ +||a44734.actonservice.com^ +||a44745.actonservice.com^ +||a44746.actonservice.com^ +||a44748.actonservice.com^ +||a44765.actonservice.com^ +||a44766.actonservice.com^ +||a44770.actonservice.com^ +||a44772.actonservice.com^ +||a44775.actonservice.com^ +||a44784.actonservice.com^ +||a44785.actonservice.com^ +||a44791.actonservice.com^ +||a44795.actonservice.com^ +||a44820.actonservice.com^ +||a44828.actonservice.com^ +||a44831.actonservice.com^ +||a44833.actonservice.com^ +||a44834.actonservice.com^ +||a44838.actonservice.com^ +||a44839.actonservice.com^ +||a44840.actonservice.com^ +||a44845.actonservice.com^ +||a44848.actonservice.com^ +||a44853.actonservice.com^ +||a44857.actonservice.com^ +||a44862.actonservice.com^ +||a44863.actonservice.com^ +||a44865.actonservice.com^ +||a44867.actonservice.com^ +||a44876.actonservice.com^ +||a45000.actonservice.com^ +||a45001.actonservice.com^ +||a45002.actonservice.com^ +||a45009.actonservice.com^ +||a45012.actonservice.com^ +||a45021.actonservice.com^ +||a45024.actonservice.com^ +||a45035.actonservice.com^ +||a45040.actonservice.com^ +||a45044.actonservice.com^ +||a45050.actonservice.com^ +||a45064.actonservice.com^ +||a45071.actonservice.com^ +||a45080.actonservice.com^ +||a45115.actonservice.com^ +||a45125.actonservice.com^ +||a45126.actonservice.com^ +||a45139.actonservice.com^ +||a45144.actonservice.com^ +||a45155.actonservice.com^ +||a45157.actonservice.com^ +||a45158.actonservice.com^ +||a45163.actonservice.com^ +||a45165.actonservice.com^ +||a45167.actonservice.com^ +||a45171.actonservice.com^ +||a45175.actonservice.com^ +||a45192.actonservice.com^ +||a45193.actonservice.com^ +||a45194.actonservice.com^ +||a45197.actonservice.com^ +||a45205.actonservice.com^ +||a45208.actonservice.com^ +||a45213.actonservice.com^ +||a45218.actonservice.com^ +||a45223.actonservice.com^ +||a45225.actonservice.com^ +||a45226.actonservice.com^ +||a45230.actonservice.com^ +||a45231.actonservice.com^ +||a45233.actonservice.com^ +||a45235.actonservice.com^ +||a45241.actonservice.com^ +||a45245.actonservice.com^ +||a45246.actonservice.com^ +||a45256.actonservice.com^ +||a45260.actonservice.com^ +||a45261.actonservice.com^ +||a45262.actonservice.com^ +||a45263.actonservice.com^ +||a45266.actonservice.com^ +||a45268.actonservice.com^ +||a45270.actonservice.com^ +||a45271.actonservice.com^ +||a45272.actonservice.com^ +||a45274.actonservice.com^ +||a45275.actonservice.com^ +||a45276.actonservice.com^ +||a45277.actonservice.com^ +||a45278.actonservice.com^ +||a45279.actonservice.com^ +||a45282.actonservice.com^ +||a45289.actonservice.com^ +||a45290.actonservice.com^ +||a45295.actonservice.com^ +||a45298.actonservice.com^ +||a45300.actonservice.com^ +||a45305.actonservice.com^ +||a45306.actonservice.com^ +||a45307.actonservice.com^ +||a45310.actonservice.com^ +||a45318.actonservice.com^ +||a45330.actonservice.com^ +||a45331.actonservice.com^ +||a45337.actonservice.com^ +||a45338.actonservice.com^ +||a45351.actonservice.com^ +||a45353.actonservice.com^ +||a45356.actonservice.com^ +||a45357.actonservice.com^ +||a45358.actonservice.com^ +||a45359.actonservice.com^ +||a45360.actonservice.com^ +||a45362.actonservice.com^ +||a45363.actonservice.com^ +||a45364.actonservice.com^ +||a45365.actonservice.com^ +||a45366.actonservice.com^ +||a45367.actonservice.com^ +||a45375.actonservice.com^ +||a45395.actonservice.com^ +||a45403.actonservice.com^ +||a45405.actonservice.com^ +||a45406.actonservice.com^ +||a45411.actonservice.com^ +||a45415.actonservice.com^ +||a45420.actonservice.com^ +||a45427.actonservice.com^ +||a45428.actonservice.com^ +||a45429.actonservice.com^ +||a45443.actonservice.com^ +||a45445.actonservice.com^ +||a45449.actonservice.com^ +||a45451.actonservice.com^ +||a45452.actonservice.com^ +||a45456.actonservice.com^ +||a45463.actonservice.com^ +||a45477.actonservice.com^ +||a45478.actonservice.com^ +||a45498.actonservice.com^ +||a45499.actonservice.com^ +||a45500.actonservice.com^ +||a45504.actonservice.com^ +||a45508.actonservice.com^ +||a45513.actonservice.com^ +||a45514.actonservice.com^ +||a45519.actonservice.com^ +||a45520.actonservice.com^ +||a45521.actonservice.com^ +||a45526.actonservice.com^ +||a45539.actonservice.com^ +||a45542.actonservice.com^ +||a45548.actonservice.com^ +||a45553.actonservice.com^ +||a45554.actonservice.com^ +||a45570.actonservice.com^ +||a45579.actonservice.com^ +||a45580.actonservice.com^ +||a45584.actonservice.com^ +||a45592.actonservice.com^ +||a45594.actonservice.com^ +||a45609.actonservice.com^ +||a45612.actonservice.com^ +||a45623.actonservice.com^ +||a45629.actonservice.com^ +||a45634.actonservice.com^ +||a45636.actonservice.com^ +||a45641.actonservice.com^ +||a45648.actonservice.com^ +||a45655.actonservice.com^ +||a45656.actonservice.com^ +||a45660.actonservice.com^ +||a45662.actonservice.com^ +||a45682.actonservice.com^ +||a45686.actonservice.com^ +||a45697.actonservice.com^ +||a45704.actonservice.com^ +||a45710.actonservice.com^ +||a45712.actonservice.com^ +||a45713.actonservice.com^ +||a45716.actonservice.com^ +||a45718.actonservice.com^ +||a45720.actonservice.com^ +||a45722.actonservice.com^ +||a45733.actonservice.com^ +||a45734.actonservice.com^ +||a45751.actonservice.com^ +||a45752.actonservice.com^ +||a45759.actonservice.com^ +||a45760.actonservice.com^ +||a45770.actonservice.com^ +||a45772.actonservice.com^ +||a45785.actonservice.com^ +||a45794.actonservice.com^ +||a45797.actonservice.com^ +||a45810.actonservice.com^ +||a45817.actonservice.com^ +||a45823.actonservice.com^ +||a45831.actonservice.com^ +||a45836.actonservice.com^ +||a45841.actonservice.com^ +||a45851.actonservice.com^ +||a45855.actonservice.com^ +||a45856.actonservice.com^ +||a45857.actonservice.com^ +||a45863.actonservice.com^ +||a45868.actonservice.com^ +||a45886.actonservice.com^ +||a45887.actonservice.com^ +||a45899.actonservice.com^ +||a45910.actonservice.com^ +||a45911.actonservice.com^ +||a45963.actonservice.com^ +||a45964.actonservice.com^ +||a45973.actonservice.com^ +||a46060.actonservice.com^ +||a46062.actonservice.com^ +||a46069.actonservice.com^ +||a46090.actonservice.com^ +||a46097.actonservice.com^ +||a46106.actonservice.com^ +||a46122.actonservice.com^ +||a46136.actonservice.com^ +||a46180.actonservice.com^ +||a46248.actonservice.com^ +||a46268.actonservice.com^ +||a46300.actonservice.com^ +||a46303.actonservice.com^ +||a46306.actonservice.com^ +||a8780.actonservice.com^ +||a9643.actonservice.com^ +||aad-marketing.ascendeventmedia.com^ +||aad.actonservice.com^ +||aagon.actonservice.com^ +||aahamarketing.hubinternational.com^ +||aajtech.actonservice.com^ +||aamcompany.actonservice.com^ +||abclegal.actonservice.com^ +||abracon.actonservice.com^ +||absinfo.eagle.org^ +||absoft.actonservice.com^ +||acadian-asset.actonservice.com^ +||acclaro.actonservice.com^ +||accumula.actonservice.com^ +||accuride.actonservice.com^ +||accutrain.actonservice.com^ +||accuzip.actonservice.com^ +||acemetrix.actonservice.com^ +||acendas.actonservice.com^ +||aclordi.actonservice.com^ +||act-on-marketing.advancedsolutionsplm.com^ +||act-on-marketing.asidesignsoftware.com^ +||act-on-marketing.lifesciences.solutions^ +||act-on-marketing.slot3d.com^ +||act-on-marketing.xpedientsoftware.com^ +||act-on.ioactive.com^ +||act-on.milestoneinternet.com^ +||act-on.snb.com^ +||act-on.up.edu.pe^ +||act.boxerproperty.com^ +||act.colorlines.com^ +||act.convergencetraining.com^ +||act.cwsglobal.org^ +||act.davistech.edu^ +||act.enli.net^ +||act.lanap.com^ +||act.online.engineering.nyu.edu^ +||act.pivotpointsecurity.com^ +||act.plumvoice.com^ +||act.raceforward.org^ +||act.soneticscorp.com^ +||act.wernerelectric.com^ +||actie.milieudefensie.nl^ +||action.advisorycloud.com^ +||action.logixfiber.com^ +||action.totalcompbuilder.com^ +||action.totalrewardssoftware.com^ +||action.unifiedoffice.com^ +||acton.ajmfg.com^ +||acton.altep.com^ +||acton.bluetreesystems.com^ +||acton.brightspeed.com^ +||acton.dotcom-monitor.com^ +||acton.goldencomm.com^ +||acton.iriworldwide.com^ +||acton.locatesmarter.com^ +||acton.maintainer.com^ +||acton.marketing.knowlarity.com^ +||acton.oosis.com^ +||acton.outleads.com^ +||acton.prolabs.com^ +||acton.sightlife.org^ +||acton.simpleviewinc.com^ +||acton.the-tma.org^ +||acton.tourismireland.com^ +||acton.trefis.com^ +||actondev.actonservice.com^ +||actonhrm.mercuryhealthcare.com^ +||adm.adminstrumentengineering.com.au^ +||administrator.pnclassaction.com^ +||admission.concord.edu^ +||admissions.easterncollege.ca^ +||admissions.trios.com^ +||admit.mountsaintvincent.edu^ +||advancedsolutions.actonservice.com^ +||advanstar.actonservice.com^ +||advantageauburn.actonservice.com^ +||advantageind.actonservice.com^ +||advisers.kingstonsmith.co.uk^ +||advisor.raa.com^ +||advisors.beaconfinserv.com^ +||advisorycloud-dev.actonservice.com^ +||advtek.actonservice.com^ +||ae.cobweb.com^ +||aeromark.actonservice.com^ +||aftermath.actonservice.com^ +||afterschoolallstars.actonservice.com^ +||agcs-knowledge.allianz.com^ +||agvinfo.kollmorgen.com^ +||aicipc.actonservice.com^ +||aip.actonservice.com^ +||air-weigh.actonservice.com^ +||aircuity.actonservice.com^ +||airefcoinc.actonservice.com^ +||alamocapital.actonservice.com^ +||alereinc.actonservice.com^ +||aleroninc.actonservice.com^ +||alhi.actonservice.com^ +||alicat.actonservice.com^ +||allegiant-partners.actonservice.com^ +||alliantdata.actonservice.com^ +||alliedfundingcorp.actonservice.com^ +||allinsurance.allinsure.ca^ +||allreach.actonservice.com^ +||allrisks.actonservice.com^ +||allstarfg.actonservice.com^ +||almalasers.actonservice.com^ +||alphasimplex.actonservice.com^ +||alticoadvisors.actonservice.com^ +||altn.actonservice.com^ +||alwayscare.starmountlife.com^ +||alwayscarebenefits.actonservice.com^ +||amalto.actonservice.com^ +||americanmarketinggroup.actonservice.com^ +||americanportfolios.actonservice.com^ +||americanroller.actonservice.com^ +||americanuniversityofantigua.actonservice.com^ +||americanwatergroup.actonservice.com^ +||amersc.actonservice.com^ +||amigraphics.actonservice.com^ +||amimon.actonservice.com^ +||amitracks.actonservice.com^ +||amsunsolar.actonservice.com^ +||analytics.rivaliq.com^ +||anesthesiaos.actonservice.com^ +||antonsystems.actonservice.com^ +||ao-marketing.dbiyes.com^ +||ao-marketing.essendant.com^ +||ao-mkt.tableausoftware.com^ +||ao.jsitel.com^ +||ao.pioncomm.net^ +||ao.tolydigital.net^ +||aom.smartbrief.com^ +||aomarketing.blytheco.com^ +||aon.insurancemail.ca^ +||aon.smartbrief.com^ +||aooptout.zoominformation.com^ +||aopcoms.aoptec.com^ +||apbspeakers.actonservice.com^ +||apcerpharma.actonservice.com^ +||aperio.leicabiosystems.com^ +||apisensor.actonservice.com^ +||apllogistics.actonservice.com^ +||apparound.actonservice.com^ +||apply.bluetrustloans.com^ +||apply.maxlend.com^ +||apptus.actonservice.com^ +||aptare.actonservice.com^ +||apwip-dev.actonservice.com^ +||apwip.actonservice.com^ +||aqr.actonservice.com^ +||aragenbio.actonservice.com^ +||aragonresearch.actonservice.com^ +||argyleforum.actonservice.com^ +||arisglobal.actonservice.com^ +||arrayasolutions.actonservice.com^ +||art2wave.actonservice.com^ +||artisan.actonservice.com^ +||arvig.actonservice.com^ +||asap-systems.actonservice.com^ +||asc.asc-net.com^ +||ascassociation.actonservice.com^ +||ascendintegratedmedia.actonservice.com^ +||ascentcrm.actonservice.com^ +||asentech-dev.actonservice.com^ +||ashasafety.actonservice.com^ +||ashcroft.actonservice.com^ +||ashergroup.actonservice.com^ +||asiamarketing.sedgwick.com^ +||asimarketing.antonsystems.com^ +||assets.channelplay.in^ +||association.locktonaffinity.net^ +||assure360.actonservice.com^ +||asteriaed.actonservice.com^ +||astromed.actonservice.com^ +||at.sharpmarketing.eu^ +||atbs.actonservice.com^ +||aticti.actonservice.com^ +||atlanticlabequipment.actonservice.com^ +||atlastravel.actonservice.com^ +||atlasworldusa.actonservice.com^ +||atsmobile.actonservice.com^ +||attivoconsulting.actonservice.com^ +||audiofly.actonservice.com^ +||aumarketing.sedgwick.com^ +||aurelianlending.actonservice.com^ +||authentic3d.actonservice.com^ +||automate.gixxy.com^ +||automotive.autodeskcommunications.com^ +||autozone.actonservice.com^ +||avai.actonservice.com^ +||avalere.actonservice.com^ +||avaloninnovation.actonservice.com^ +||avandsecurity.actonservice.com^ +||avantidestinations.actonservice.com^ +||avantifinance.actonservice.com^ +||avertium.actonservice.com^ +||avid.actonservice.com^ +||aviko.actonservice.com^ +||avnet.actonservice.com^ +||avolvesoftware.actonservice.com^ +||axion-biosystems.actonservice.com^ +||axisgroupbenefits.axiscapital.com^ +||axisinsurance.axiscapital.com^ +||axisre.axiscapital.com^ +||bakercommunications.actonservice.com^ +||ballantine.actonservice.com^ +||ballymoregroup.actonservice.com^ +||bambee.actonservice.com^ +||bayshoresystems.actonservice.com^ +||bcanl.bca-autoveiling.nl^ +||bcc-ltd.actonservice.com^ +||bcob.charlotte.edu^ +||bcob.uncc.edu^ +||bcs.actonservice.com^ +||bdo.actonservice.com^ +||bdoaustralia.bdo.com.au^ +||beanworks.actonservice.com^ +||beaumont.actonservice.com^ +||bersondeanstevens.actonservice.com^ +||bestbuy.actonservice.com^ +||bestinfo.bluetrustloans.com^ +||bgiamericas.actonservice.com^ +||bi.concordesolutions.com^ +||bigcustomernetwork.actonservice.com^ +||biminibliss.rwbimini.com^ +||bioagiliytix.actonservice.com^ +||bioanalyticalmarketing.eurofins-info.com^ +||biophysicsgroup.actonservice.com^ +||bison.actonservice.com^ +||biworldwide.actonservice.com^ +||biznews.oregon.gov^ +||bizz.cochraneco.com^ +||bke.actonservice.com^ +||bkifg.actonservice.com^ +||blackbirdventures.actonservice.com^ +||blackmesh.actonservice.com^ +||bladv.actonservice.com^ +||blockchain.actonservice.com^ +||blog.b2lead.com^ +||blog.trinityconsultants.com^ +||blue-rocket.actonservice.com^ +||bluebusiness.actonservice.com^ +||blueinfo.marugroup.net^ +||bluemarblepayroll.actonservice.com^ +||bluemountains.actonservice.com^ +||blueoceanpharma.actonservice.com^ +||bluvue.actonservice.com^ +||blytheco.actonservice.com^ +||bmail.getventive.com^ +||bmiimaging.actonservice.com^ +||bobcad.actonservice.com^ +||bobswatches.actonservice.com^ +||bolingbrookgolfclub.actonservice.com^ +||bowl.actonservice.com^ +||br.bio-rad.com^ +||brainsell.actonservice.com^ +||brands.cambrio.com^ +||brascomarketing.actonservice.com^ +||briefing.actonservice.com^ +||bringg.actonservice.com^ +||brukernano.actonservice.com^ +||bu.actonservice.com^ +||bubblewrapp.actonservice.com^ +||build.bildgta.ca^ +||bulkbookstore.actonservice.com^ +||burnswhite.actonservice.com^ +||business-decision.actonservice.com^ +||business.franchiseforsale.com^ +||business.franchiseopportunities.com^ +||business.matchd.nl^ +||business.royal-cars.com^ +||businessgrouphealth.actonservice.com^ +||butlercc.actonservice.com^ +||buzz.logility.com^ +||buzz.neilsonmarketing.com^ +||c-c-l.actonservice.com^ +||c4cm.actonservice.com^ +||c4contexture.actonservice.com^ +||ca.ssl.holdmybeerconsulting.com^ +||caderonline.bu.edu^ +||caf.actonservice.com^ +||calgary-content.cresa.com^ +||caliberco.actonservice.com^ +||caljetelite.actonservice.com^ +||calldesignna.actonservice.com^ +||callsource.actonservice.com^ +||calmradio.actonservice.com^ +||camisado.actonservice.com^ +||campaign.csrxp.org^ +||campaign.lexjet.com^ +||campaigns.ashfieldengage.com^ +||campaigns.hygiena.com^ +||campaigns.micromass.com^ +||campaigns.mindplusmatter.com^ +||campaigns.primaverabss.com^ +||campaigns.wordandbrown.com^ +||canadamarketing.travelsavers.com^ +||capplanllc.actonservice.com^ +||caradonna.actonservice.com^ +||cardinalretirement.actonservice.com^ +||cargas.actonservice.com^ +||cargurus.actonservice.com^ +||carlisleit.actonservice.com^ +||carolina.actonservice.com^ +||cc.pennstatehealth.org^ +||celigo.actonservice.com^ +||centermarkplacements.actonservice.com^ +||central.actonservice.com^ +||cerionnano.actonservice.com^ +||certify.nasm.org^ +||cesa6.actonservice.com^ +||cfpwood.actonservice.com^ +||ch.sharpmarketing.eu^ +||channel-impact.actonservice.com^ +||channelblender.actonservice.com^ +||channelsignal.actonservice.com^ +||charlotte-content.cresa.com^ +||chartec.actonservice.com^ +||chevalierusa.actonservice.com^ +||chiefexecutive.actonservice.com^ +||ci42.rgp.com^ +||cil.isotope.com^ +||cincinnati-content.cresa.com^ +||circadence.actonservice.com^ +||cisco-eagle.actonservice.com^ +||citizensclimate.actonservice.com^ +||clariant.actonservice.com^ +||claruscommerce.actonservice.com^ +||classroominc.actonservice.com^ +||claynelsonlifebalance.actonservice.com^ +||cleanservices.actonservice.com^ +||clearbrands.actonservice.com^ +||click.aabacosmallbusiness.com^ +||click.amazingfacts.org^ +||click.avalere.com^ +||click.compli.com^ +||click.execrank.com^ +||click.lmbcustomersupport.com^ +||click.quickenloansnow.com^ +||click.zoominformation.com^ +||clickatell.actonservice.com^ +||cloud.trapptechnology.com^ +||cloudhosting.actonservice.com^ +||cm.prodo.com^ +||cmme.actonservice.com^ +||cns-service.actonservice.com^ +||cnsecurity.actonservice.com^ +||cobweb.actonservice.com^ +||cofactordigital.actonservice.com^ +||coffeycomm.actonservice.com^ +||cogstate.actonservice.com^ +||cohesive.actonservice.com^ +||collab9.actonservice.com^ +||college.business.oregonstate.edu^ +||collegeauthority.actonservice.com^ +||colliers.actonservice.com^ +||commercial.davey.com^ +||commondreams.actonservice.com^ +||comms.adss.com^ +||communicate.apcerls.com^ +||communicate.choicelogistics.com^ +||communicate.lightningprotection.com^ +||communication.avantifinance.co.nz^ +||communication.fits.me^ +||communication.jkseva.com^ +||communication.johnstongroup.ca^ +||communication.teakmedia.com^ +||communication.treston.com^ +||communications.all-risks.com^ +||communications.ameritrustgroup.com^ +||communications.engineering.oregonstate.edu^ +||communications.enrouteglobalexchange.com^ +||communications.fernenergy.co.nz^ +||communications.globalwidemedia.com^ +||communications.lydallpm.com^ +||communications.marlboroughgroup.com^ +||communications.meadowbrook.com^ +||communications.parmenion-im.co.uk^ +||communications.peopleadmin.com^ +||communications.prodways.com^ +||communications.qualico.com^ +||communications.rillion.com^ +||communications.securityins.net^ +||communications.taylorcorp.com^ +||communications.usfleettracking.com^ +||communications.worldtravelinc.com^ +||communications.ypo.org^ +||communique.assetzproperty.com^ +||community.actonline.org^ +||community.axiscapital.com^ +||community.chpw.org^ +||compliance.govdocs.com^ +||complianceupdates.aem.org^ +||compugen.actonservice.com^ +||compulite.actonservice.com^ +||compuware.actonservice.com^ +||comviewcorp.actonservice.com^ +||conference.flsmidth.com^ +||confiaen.legalitas.com^ +||connect.azulseven.com^ +||connect.blackmesh.com^ +||connect.businessldn.co.uk^ +||connect.chiropractic.ac.nz^ +||connect.ciena.com^ +||connect.clearonblack.com^ +||connect.dcblox.com^ +||connect.dexterchaney.com^ +||connect.digi.com^ +||connect.evocalize.com^ +||connect.frontier.com^ +||connect.invibio.com^ +||connect.kristechwire.com^ +||connect.landy.com^ +||connect.lightriver.com^ +||connect.mdtelephone.com^ +||connect.meringcarson.com^ +||connect.mikrocentrum.nl^ +||connect.munsonhealthcare.org^ +||connect.opendoorerp.com^ +||connect.planusa.org^ +||connect.prowareness.nl^ +||connect.purebranding.com^ +||connect.rallypoint.com^ +||connect.riseengineering.com^ +||connect.rush.edu^ +||connect.shopaplusrentals.com^ +||connect.shopezrentals.com^ +||connect.shoprentone.com^ +||connect.sigbee.com^ +||connect.stvincentcharity.com^ +||connect.thinkinterval.com^ +||connect.tpgtelecom.com.au^ +||connect.tribepictures.com^ +||connect.uniti.com^ +||connect.uofuhealth.org^ +||connect.walkerfirst.com^ +||connect.zehno.com^ +||connected.integrationpoint.com^ +||connectedmedicaltechnologies.actonservice.com^ +||conseil.seicgland.ch^ +||conseils.dotbase.com^ +||contact.adaptavist.com^ +||contact.aquaterraenergy.com^ +||contact.assaydepot.com^ +||contact.marathon-sports-ec.com^ +||contactcenter.presenceco.com^ +||content.4teamwork.ch^ +||content.actionbenefits.com^ +||content.aew.com^ +||content.bondbrothers.com^ +||content.brain-storm-email.com^ +||content.cammackhealth.com^ +||content.cannon-dunphy.com^ +||content.ceriumnetworks.com^ +||content.commandc.com^ +||content.czarnowski.com^ +||content.demand-on.com^ +||content.distium.com^ +||content.e-office.com^ +||content.enlightiumacademy.com^ +||content.fabasoft.com^ +||content.familyfeatures.com^ +||content.harrisproductsgroup.com^ +||content.hourigan.group^ +||content.hurix.com^ +||content.investresolve.com^ +||content.linesight.com^ +||content.logile.com^ +||content.mhs.net^ +||content.mrgmarketing.net^ +||content.msufcu.org^ +||content.ncek12.com^ +||content.ndm.net^ +||content.northcdatacenters.info^ +||content.ntwine-conferencing.com^ +||content.palram.com^ +||content.qumulo.com^ +||content.recordpoint.com^ +||content.rightsourcemarketing.com^ +||content.sffirecu.org^ +||content.tacticalma.com^ +||content.timetogather.co.uk^ +||content.wacom.com^ +||content.xpublisher.com^ +||contracts.mhainc.com^ +||convergentdental.actonservice.com^ +||conveyor.lewcoinc.com^ +||corporate-marketing.hrs.com^ +||corporate.averydennison.com^ +||corporatecommunications.bvifsc.vg^ +||cpihrinfo.cpihr.com^ +||crawford-industries.actonservice.com^ +||creationagency.actonservice.com^ +||crm.casabaca.com^ +||crm.masonmac.com^ +||crm.toyotago.com.ec^ +||crmcommunications.progressive.com^ +||crmonline.actonservice.com^ +||crs.actonservice.com^ +||ctg.actonservice.com^ +||ctiimage.actonservice.com^ +||culliganwaterco.actonservice.com^ +||cure.trueface.org^ +||customer.newsflare.com^ +||customercare.aircycle.com^ +||customerrelations.theinstitutes.org^ +||customersucceed.nanophase.com^ +||cxm.ingeniux.com^ +||czsk.sharpmarketing.eu^ +||dacocorp.actonservice.com^ +||daegis.actonservice.com^ +||dallas-content.cresa.com^ +||danielsmoving.actonservice.com^ +||datafiletechnologies.actonservice.com^ +||dav.davrontech.com^ +||dbbest.actonservice.com^ +||dc.actonservice.com^ +||de.bca-news.com^ +||de.sharpmarketing.eu^ +||dealerrelations.cargurus.com^ +||dedola.actonservice.com^ +||deepcrawl.actonservice.com^ +||dev-iradimed.actonservice.com^ +||dev-spamgourmet.actonservice.com^ +||dev-tacticalma.actonservice.com^ +||devacton.simpleviewinc.com^ +||devotionalclicks.amazingfacts.org^ +||dextersolutions.actonservice.com^ +||dfw.bakerbrothersplumbing.com^ +||dialog.dqs.de^ +||dialog.losberger.com^ +||digital.medimpact.com^ +||digital.opsbase.com^ +||digital.setpointis.com^ +||digitalmarketing.gogsg.com^ +||digitalmarketing.smu.edu.sg^ +||dimensionfunding.actonservice.com^ +||dincloud.actonservice.com^ +||dincloudllc.actonservice.com^ +||diningalliance.actonservice.com^ +||discover.covenanthealthcare.com^ +||discover.dignityhealth.org^ +||discover.kloverproducts.com^ +||discover.maringeneral.org^ +||discover.megafrost.gr^ +||discover.supplydepotstore.com^ +||discoverorg.actonservice.com^ +||displaymaxmerchandising.actonservice.com^ +||distribution.provenpharma.com^ +||dkno.netpartnering.com^ +||dm.syntelli.com^ +||dmarkconsulting.actonservice.com^ +||dmc.romotur.com^ +||dmcc.actonservice.com^ +||dohmen.actonservice.com^ +||dotvox.actonservice.com^ +||downtownit.actonservice.com^ +||dppublishinginc.actonservice.com^ +||dqs.actonservice.com^ +||driven.actonservice.com^ +||dryvit.actonservice.com^ +||duprelogistics.actonservice.com^ +||durst-group.actonservice.com^ +||e.kc-education.com^ +||e.meridiancm.com^ +||e.replacementdevicelawsuit.com^ +||e.unchealthcare.org^ +||eagle.actonservice.com^ +||econnect.actonservice.com^ +||ed1.newtekone.com^ +||ed4online.actonservice.com^ +||edeals.rbp.com^ +||edeals.rhymebiz.com^ +||edge.secure-24.com^ +||edm.healthroundtable.org^ +||edm.neoslife.com.au^ +||edriving.actonservice.com^ +||edtrainingcenter.actonservice.com^ +||education.brettdanko.com^ +||education.eatoncambridge.com^ +||education.graduateprogram.org^ +||eeco-net.actonservice.com^ +||efgam.actonservice.com^ +||elastoproxy.actonservice.com^ +||elconfidencialdigital.actonservice.com^ +||electrifai.actonservice.com^ +||elgas.actonservice.com^ +||elink.altru.org^ +||elink.rushcopley.com^ +||elogic-learning.actonservice.com^ +||em-info2.thermofisher.com^ +||em.stauffersafety.com^ +||email-hg.holyredeemer.com^ +||email.apexauctions.com^ +||email.axisintegrated.ca^ +||email.bowl.com^ +||email.cobsbread.com^ +||email.eomega.org^ +||email.festiva.com^ +||email.mhr.co.uk^ +||email.participaction.com^ +||email.thewithotel.com^ +||email.voices.com^ +||email.vollrathco.com^ +||email.zumaoffice.com^ +||emailmarketing.vidanthealth.com^ +||emarketing.landisgyr.com^ +||emarketing.moveo.com^ +||emarketing.zulkiepartners.com^ +||emcalliance.vmware.com^ +||emea.kollmorgen.com^ +||emisgroupplc.actonservice.com^ +||emkt.stefanini.com^ +||emplicity.actonservice.com^ +||enablement.vmware.com^ +||enablis.actonservice.com^ +||enchantedrock.actonservice.com^ +||endeavorbusinessmedia.actonservice.com^ +||enews.learninga-z.com^ +||engage.alphastarcm.com^ +||engage.atriosystems.com^ +||engage.ca.victorinsurance.com^ +||engage.ce.victorinsurance.com^ +||engage.clinipace.com^ +||engage.dorngroup.com^ +||engage.dovetailinsurance.com^ +||engage.ipcginsurance.com^ +||engage.krm22.com^ +||engage.mhainc.com^ +||engage.navigatorgpo.com^ +||engage.nigp.org^ +||engage.permission.com.au^ +||engage.physicstoday.org^ +||engage.ria-insurancesolutions.com^ +||engage.td.org^ +||engage.tines.com^ +||engage.us.victorinsurance.com^ +||enrolldi.glic.com^ +||enterprisehive.actonservice.com^ +||enterpriseimaging.agfahealthcare.com^ +||eo.pearlinsurance.com^ +||epcvip.actonservice.com^ +||epicgolive.rainresources.com^ +||equippo.actonservice.com^ +||equity.e2g.com^ +||erepublic.actonservice.com^ +||es.lucanet.com^ +||es.sharpmarketing.eu^ +||eschsupply.actonservice.com^ +||eservices.lubetech.com^ +||esri.nl.actonservice.com^ +||estore.biscoind.com^ +||eu.sharpmarketing.eu^ +||eumarketing.sedgwick.com^ +||events.trapptechnology.com^ +||evergage1.actonservice.com^ +||eversource.actonservice.com^ +||evolent.actonservice.com^ +||evolutionmarketing.actonservice.com^ +||exdmarketing.smu.edu.sg^ +||execreps.actonsoftware.com^ +||experience.faiu.com^ +||experience.rochesterregional.org^ +||experts.actonservice.com^ +||experts.cutter.com^ +||explore.coursefinders.com^ +||explore.landcentral.com^ +||expo.nada.org^ +||extendyourreach.actonservice.com^ +||eyc-marketing.eyc.com^ +||fac.fanucamerica.com^ +||facetwealth.actonservice.com^ +||farahatco.actonservice.com^ +||fastenermkt.averydennison.com^ +||fbsg.fayebsg.com^ +||fdbs.actonservice.com^ +||fdiinc.actonservice.com^ +||fea-cfd.simutechgroup.com^ +||fedsched.actonservice.com^ +||festo.actonservice.com^ +||ffr.actonservice.com^ +||fi.on-channel.com^ +||fiber.zayo.com^ +||fiduciaryfirst.actonservice.com^ +||filbrandtco.actonservice.com^ +||filemobile.actonservice.com^ +||files.urlinsgroup.com^ +||financialeducation-info.uchicago.edu^ +||financialservices.nada.org^ +||financialservices.teranet.ca^ +||findyourinfluence.actonservice.com^ +||finley.fecinc.com^ +||finley.finleyusa.com^ +||firstpac.actonservice.com^ +||flexibleplan.actonservice.com^ +||flexpod.ynsecureserver.net^ +||flipt.actonservice.com^ +||floorforce.actonservice.com^ +||flotech.actonservice.com^ +||fluentco.actonservice.com^ +||fly.caljetelite.com^ +||fmbankva.actonservice.com^ +||fna.fnainsurance.com^ +||foodpackaging.kpfilms.com^ +||forbidden.actonservice.com^ +||forbin.actonservice.com^ +||forms.accc-cancer.org^ +||forms.cooperaerobics.com^ +||forms.testoil.com^ +||forpci3.siege-corp.com^ +||foxt.actonservice.com^ +||foxtinfo.foxt.com^ +||fr.lucanet.com^ +||fr.sharpmarketing.eu^ +||franchise.goodearthcoffeehouse.com^ +||franchise.locktonaffinity.net^ +||franchise.tutoringacademy.ca^ +||franchiserecruitment.laserclinics.ca^ +||franchising.indooractivebrands.com^ +||franchising.kas.co.nz^ +||franchising.mcdonalds.ca^ +||franchising.pizzapizza.ca^ +||franklin-edu.actonservice.com^ +||franklin.edu.actonservice.com^ +||frankwatching.actonservice.com^ +||franoppnetwork.actonservice.com^ +||frenchgerleman.actonservice.com^ +||fridaymarketing.actonservice.com^ +||frontiermetal.actonservice.com^ +||fsresidential.actonservice.com^ +||ftfnews.actonservice.com^ +||fujifilmdb.fujifilmdiosynth.com^ +||fundraising.centuryresources.com^ +||funnelbox.actonservice.com^ +||futurebrand.actonservice.com^ +||futursalumnes.uic.es^ +||gameplanfinancial.actonservice.com^ +||gas-sensing.spec-sensors.com^ +||gatan.actonservice.com^ +||gblock.greenhousedata.com^ +||generaleducation.graduateprogram.org^ +||geonetric.actonservice.com^ +||get.airecontact.com^ +||get.evidence.care^ +||get.incisive.com^ +||get.informedmortgage.com^ +||get.nuapay.com^ +||getstarted.national.edu^ +||gettoknow.skookum.com^ +||giftplanning.westmont.edu^ +||gk.gkservices.com^ +||global-guardians.actonservice.com^ +||global.raboag.com^ +||globalcommunications.sc.com^ +||globallearningsystems.actonservice.com^ +||globalmed.actonservice.com^ +||glue.evansadhesive.com^ +||gmnameplate.actonservice.com^ +||go.accumaxglobal.com.au^ +||go.acelisconnectedhealth.com^ +||go.adaquest.com^ +||go.alliancefunds.com^ +||go.americangriddle.com^ +||go.anthonyliftgates.com^ +||go.bayshoresystems.com^ +||go.bciburke.com^ +||go.bitnami.com^ +||go.biz.uiowa.edu^ +||go.brandactive.com^ +||go.brandactiveinsights.com^ +||go.brunswickgroup.com^ +||go.c4weld.com^ +||go.carlisleft.com^ +||go.clsi.org^ +||go.convenenow.com^ +||go.cresa.plantemoran.com^ +||go.delve.com^ +||go.diagraph.com^ +||go.diagraphmsp.com^ +||go.dukane.com^ +||go.durst-group.com^ +||go.eacpds.com^ +||go.eapps.com^ +||go.engiestorage.com^ +||go.esri.fi^ +||go.evolutionmarketing.com.au^ +||go.expresslanedefensivedriving.com^ +||go.fabplaygrounds.com^ +||go.foremostmedia.com^ +||go.gemapowdercoating.net^ +||go.getreadyforthefuture.com^ +||go.godunnage.com^ +||go.gpcom.com^ +||go.hatcocorp.com^ +||go.infopulse.com^ +||go.isbamutual.com^ +||go.janesvilleinnovation.com^ +||go.lanair.com^ +||go.lanmark360.com^ +||go.leecompany.com^ +||go.lendspace.com^ +||go.linksource.com^ +||go.loveshaw.com^ +||go.madisoncollege.edu^ +||go.marfeel.com^ +||go.metalgoodsmfg.com^ +||go.mitchell1.com^ +||go.mktgcampaigns.com^ +||go.multi-conveyor.com^ +||go.mvtec.com^ +||go.mysalonsuite.com^ +||go.ngtvalves.com^ +||go.northsidemedia.com^ +||go.nvp.com^ +||go.ovsoftware.nl^ +||go.peppermarketing.com.au^ +||go.pgx.com^ +||go.pheasant.com^ +||go.phhlending.com^ +||go.polarking.com^ +||go.polarkingmobile.com^ +||go.polarleasing.com^ +||go.quartz-events.com^ +||go.quartzinvitations.com^ +||go.rex-bac-t.com^ +||go.riosalado.edu^ +||go.rtafleet.com^ +||go.salessurrogate.com^ +||go.segra.com^ +||go.shareknowledge.com^ +||go.simco-ion.com^ +||go.simplomarketing.com^ +||go.solaruniverse.com^ +||go.spartansolutions.com^ +||go.spiroidgearing.com^ +||go.tactile.co^ +||go.tactile.com^ +||go.tdyne.com^ +||go.ticketbiz.se^ +||go.tigertool.com^ +||go.tm4.com^ +||go.tmacteex.org^ +||go.toonboom.com^ +||go.transversal.com^ +||go.triumphlearning.com^ +||go.unifiedav.com^ +||go.unifysquare.com^ +||go.unitusccu.com^ +||go.uscad.com^ +||go.ustruckbody.com^ +||go.wireco.com^ +||go.wm.plantemoran.com^ +||go.woodsidecap.com^ +||go.wtcmachinery.com^ +||go.zic.co.nz^ +||go2.altaro.com^ +||goaccredited.actonservice.com^ +||gobeyond.superiorgroup.com^ +||gogofunding.actonservice.com^ +||gogovapps.actonservice.com^ +||goldencomm.actonservice.com^ +||goldenhelix.actonservice.com^ +||goldenpaints.actonservice.com^ +||gosenergy.actonservice.com^ +||goto.newmarklearning.com^ +||govirtualoffice.actonservice.com^ +||gowestgroup.actonservice.com^ +||gowhiteowl.actonservice.com^ +||grado.ufv.es^ +||grande.actonservice.com^ +||grassrootsunwired.actonservice.com^ +||greenbeacon.actonservice.com^ +||greencharge.actonservice.com^ +||greif.actonservice.com^ +||groupevents.sixflags.com^ +||grow.business.xerox.com^ +||growthmodemarketing.actonservice.com^ +||guardiancu.actonservice.com^ +||guidepointglobal.actonservice.com^ +||guideposts.actonservice.com^ +||halo.actonservice.com^ +||hancockhealth.hancockregional.org^ +||hardinet.actonservice.com^ +||harlan.actonservice.com^ +||hcu.actonservice.com^ +||health.brgeneral.org^ +||health.hillcrest.com^ +||healthcasts.actonservice.com^ +||healthgrades.actonservice.com^ +||heartflow.actonservice.com^ +||helens.actonservice.com^ +||hello.controlmap.io^ +||hello.emergeinteractive.com^ +||hello.highlandsolutions.com^ +||hellogain.actonservice.com^ +||hesconet.actonservice.com^ +||hhglobal.actonservice.com^ +||hi.bigduck.com^ +||hickeysmith.actonservice.com^ +||hines.actonservice.com^ +||hitachi-hightech-as.actonservice.com^ +||hiway.actonservice.com^ +||hodges.actonservice.com^ +||hodgesmace.actonservice.com^ +||homecareresources.rosemarksystem.com^ +||homehardware.actonservice.com^ +||horacemann.actonservice.com^ +||horizononline.actonservice.com^ +||hotel-marketing.hrs.com^ +||houston-content.cresa.com^ +||hpninfo.hoopis.com^ +||hq.handiquilter.com^ +||hra.nyp.org^ +||hrm.healthgrades.com^ +||hronboard.actonservice.com^ +||hrs.actonservice.com^ +||hu.sharpmarketing.eu^ +||hub.hubfinancial.com^ +||hub.hubinternational.com^ +||hunterindustries.actonservice.com^ +||huseby.actonservice.com^ +||hvac.goodcoinc.com^ +||hygiena.actonservice.com^ +||hyperdisk.actonservice.com^ +||iatspayments.actonservice.com^ +||ibamolecular.actonservice.com^ +||icahealth.actonservice.com^ +||icharts.actonservice.com^ +||icslearn.actonsoftware.com^ +||ideadevice.actonservice.com^ +||idrivelogistics.actonservice.com^ +||ids.actonservice.com^ +||ignite.liftigniter.com^ +||igpr.actonservice.com^ +||ihc.cellmarque.com^ +||immunocorp.actonservice.com^ +||impact-dm.actonservice.com^ +||incisive.actonservice.com^ +||independence.americanportfolios.com^ +||inetprocess.actonservice.com^ +||info-fsi.stanford.edu^ +||info-pacific.marsh.com^ +||info-trek.actonservice.com^ +||info.abadiscount.org^ +||info.abcnorcal.org^ +||info.abcsd.org^ +||info.acacialearning.com^ +||info.accupurls.com^ +||info.accutrain.com^ +||info.acoginsurance.com^ +||info.admtech.com.au^ +||info.advanced-energy.com^ +||info.advantageman.com^ +||info.aestiva.com^ +||info.afidence.com^ +||info.aia-co.aleragroup.com^ +||info.aiabbs.aleragroup.com^ +||info.aiabrg.aleragroup.com^ +||info.allcatcoverage.com^ +||info.alticoadvisors.com^ +||info.americanroller.com^ +||info.anglianwaterbusiness.co.uk^ +||info.apbspeakers.com^ +||info.apisensor.com^ +||info.apparound.com^ +||info.applied.com^ +||info.appliedtech.pro^ +||info.archerdx.com^ +||info.ardentsolutionsllc.aleragroup.com^ +||info.ascassociation.org^ +||info.ashergroup.com^ +||info.aspcapro.org^ +||info.assure360.com^ +||info.astronovainc.com^ +||info.atlaslift.com^ +||info.atlastravel.com^ +||info.augustahealth.org^ +||info.authentic4d.com^ +||info.autozonepro.com^ +||info.avantiplc.com^ +||info.avmalife.org^ +||info.avondixon.aleragroup.com^ +||info.awos.com^ +||info.azuga.com^ +||info.b2lead-marketing.com^ +||info.backbonemedia.com^ +||info.base2s.com^ +||info.battelle.org^ +||info.bauerbuilt.com^ +||info.bcn.nl^ +||info.beaconmedicare.aleragroup.com^ +||info.beaumont.org^ +||info.bellingrathwealth.com^ +||info.belltechlogix.com^ +||info.bematechus.com^ +||info.benico.aleragroup.com^ +||info.bgi.com^ +||info.biafs.aleragroup.com^ +||info.bintheredumpthatusa.com^ +||info.biocision.com^ +||info.biologos.org^ +||info.bkifg.com^ +||info.blazecu.com^ +||info.blueskytherapy.net^ +||info.brand.live^ +||info.briefing.com^ +||info.brilliantfs.com^ +||info.bris.bdo.com.au^ +||info.burnswhite.com^ +||info.bvcm.nl^ +||info.bvo.nl^ +||info.cafonline.org^ +||info.calnexsol.com^ +||info.calypto.com^ +||info.camchealth.org^ +||info.canterburyconsulting.com^ +||info.capitalonesettlement.com^ +||info.capsresearch.org^ +||info.cascadeo.com^ +||info.castlemetals.com^ +||info.ccbjournal.com^ +||info.centrak.com^ +||info.centurybizsolutions.com^ +||info.cfevr.org^ +||info.cgjordaninsurance.com^ +||info.charityvillage.com^ +||info.chat-desk.com^ +||info.cignex.com^ +||info.citymarketingamersfoort.nl^ +||info.claimscope.com^ +||info.clariant.com^ +||info.clarus-rd.com^ +||info.cleanharbors.com^ +||info.cleaningproducts.com^ +||info.clearfunction.com^ +||info.cloudsteer.com^ +||info.cmcagile.com^ +||info.cmworks.com^ +||info.columninfosec.com^ +||info.commonwealthcommercial.com^ +||info.compusource.com^ +||info.comsoft-direct.nl^ +||info.conceptuitgeefgroep.nl^ +||info.conres.com^ +||info.constellationbehavioralhealth.com^ +||info.cpenow.com^ +||info.cpihr.aleragroup.com^ +||info.cranes101.com^ +||info.creadis.com^ +||info.createeveryopportunity.org^ +||info.cresinsurance.com^ +||info.crisp.aleragroup.com^ +||info.crossmfg.com^ +||info.ctiimage.com^ +||info.culturespanmarketing.com^ +||info.cvosusa.com^ +||info.dailybuzzbarrel.com^ +||info.dairymaster.com^ +||info.data-basics.com^ +||info.datasci.com^ +||info.datiphy.com^ +||info.davidrio.com^ +||info.dbbest.com^ +||info.demandmetric.com^ +||info.dgq.de^ +||info.dickerson-group.aleragroup.com^ +||info.digitalsys.com^ +||info.dimensionfunding.com^ +||info.dlancegolf.com^ +||info.doigcorp.com^ +||info.drawingboard.com^ +||info.duprelogistics.com^ +||info.dynamictechservices.com^ +||info.e-tabs.com^ +||info.eagleinvsys.com^ +||info.easealert.com^ +||info.echelonprint.com^ +||info.eco.ca^ +||info.edriving.com^ +||info.edtrainingcenter.com^ +||info.eecoonline.com^ +||info.electrifai.net^ +||info.em-ametek.com^ +||info.emergentsx.com^ +||info.emersonecologics.com^ +||info.emishealth.com^ +||info.enduraproducts.com^ +||info.energizect.com^ +||info.epworthvilla.org^ +||info.escocorp.com^ +||info.esriaustralia.com.au^ +||info.esriindonesia.co.id^ +||info.esrimalaysia.com.my^ +||info.esrisingapore.com.sg^ +||info.etgroup.net^ +||info.eu.tmi.yokogawa.com^ +||info.exxcel.com^ +||info.fairwaywholesalelending.com^ +||info.familyfeatures.com^ +||info.fastfundlending.com^ +||info.fastroofquotes.com^ +||info.fazzi.com^ +||info.filesanywhere.com^ +||info.financefactors.com^ +||info.flattstationers.com^ +||info.fleetlanding.com^ +||info.flexoimpressions.com^ +||info.flyingwithjets.com^ +||info.flytevu.com^ +||info.fminet.com^ +||info.focuspos.com^ +||info.footstepsgroup.com^ +||info.formiik.com^ +||info.forumbenefits.aleragroup.com^ +||info.fosterslaw.ca^ +||info.foundationsoft.com^ +||info.fourkitchens.com^ +||info.fptransitions.com^ +||info.franklin.edu^ +||info.freedom-iot.com^ +||info.freedomcte.com^ +||info.frenchgerleman.com^ +||info.furykeywest.com^ +||info.gantryinc.com^ +||info.gatan.com^ +||info.gcaaltium.com^ +||info.gcgfinancial.aleragroup.com^ +||info.genesishealth.com^ +||info.geonetric.com^ +||info.girlswhoinvest.org^ +||info.gkg.net^ +||info.glenviewterrace.com^ +||info.globalventuring.com^ +||info.gluenetworks.com^ +||info.gluware.com^ +||info.goagilix.com^ +||info.goegyptian.com^ +||info.goldmine.com^ +||info.gravie.com^ +||info.graystone-eye.com^ +||info.greenbusinessnetwork.org^ +||info.greenosupply.com^ +||info.greentarget.com^ +||info.greif.com^ +||info.groupbenefits.aleragroup.com^ +||info.groupservices.aleragroup.com^ +||info.guardiancu.org^ +||info.gucu.org^ +||info.guideposts.org^ +||info.halo.com^ +||info.halogistics.com^ +||info.harmonyhit.com^ +||info.harvardapparatus.com^ +||info.hds-rx.com^ +||info.healthcareittoday.com^ +||info.healthcarescene.com^ +||info.heartflow.com^ +||info.heirtight.co^ +||info.helens.se^ +||info.hesconet.com^ +||info.hiway.org^ +||info.hmk-ins.aleragroup.com^ +||info.holisticprimarycare.net^ +||info.holmenpaper.com^ +||info.hoopla.net^ +||info.horanassoc.com^ +||info.huseby.com^ +||info.hygfinancialservicesinc.com^ +||info.iatspayments.com^ +||info.ibamolecular.com^ +||info.ibexherd.com^ +||info.ic3dprinters.com^ +||info.icahn.org^ +||info.icslearn.co.uk^ +||info.ielts.com.au^ +||info.iihnordic.dk^ +||info.ijungo.com^ +||info.imagethink.net^ +||info.imagimob.com^ +||info.inigral.com^ +||info.insurancehotline.com^ +||info.interworks.cloud^ +||info.invata.com^ +||info.invo-progressus.com^ +||info.ioactive.com^ +||info.ironcad.com^ +||info.itw-air.com^ +||info.itwcce.com^ +||info.iwerk.com^ +||info.jabil.com^ +||info.jacksoncoker.com^ +||info.jacounter.aleragroup.com^ +||info.janiczek.com^ +||info.jccc.edu^ +||info.jensenhughes.com^ +||info.jfahern.com^ +||info.johonnottechnologies.com^ +||info.jonas-construction.com^ +||info.jordansc.com^ +||info.josephmday.com^ +||info.jwpepper.com^ +||info.kahnlitwin.com^ +||info.kanetix.ca^ +||info.kedronuk.com^ +||info.key2.ca^ +||info.key4cleaningsupplies.com^ +||info.klasresearch.com^ +||info.kollmorgen.cn^ +||info.kollmorgen.com^ +||info.kratosdefense.com^ +||info.kuttatech.com^ +||info.labelworks.com^ +||info.laconservancy.org^ +||info.lakewoodwestend.org^ +||info.landstar.com^ +||info.lansingbp.com^ +||info.laseradvanced.com^ +||info.ledcrew.com^ +||info.liftfund.com^ +||info.lincolnloop.com^ +||info.linkmedia360.com^ +||info.livingwage.org.uk^ +||info.locbox.com^ +||info.lonebeaconmedia.com^ +||info.lowestrates.ca^ +||info.lsualumni.org^ +||info.macro4.com^ +||info.mactac.com^ +||info.madronafinancial.com^ +||info.magnumsystems.com^ +||info.magnuspen.com^ +||info.managementsuccess.com^ +||info.marketing.spxflow.com^ +||info.marshmsp.com^ +||info.marshpcs.com^ +||info.marublue.com^ +||info.maruedrcx.com^ +||info.marugroup.net^ +||info.marumatchbox.com^ +||info.mccloudservices.com^ +||info.med-iq.com^ +||info.membercoverage.com^ +||info.memberzone.com^ +||info.mergertech.com^ +||info.meriwest.com^ +||info.meyerandassoc.com^ +||info.mhzdesign.com^ +||info.michaelfoods.com^ +||info.micro-matics.com^ +||info.midwestdatacenterexperts.com^ +||info.milestoneinternet.com^ +||info.mindbreeze.com^ +||info.mmmlaw.com^ +||info.mobiusleadership.com^ +||info.mobmed.com^ +||info.moneycontrol.network18online.com^ +||info.monsooninc.com^ +||info.morganfranklin.com^ +||info.motion10.nl^ +||info.msconsultants.com^ +||info.mshs.com^ +||info.multichannelsystems.com^ +||info.multitech.com^ +||info.museumofthebible.org^ +||info.mvp.nl^ +||info.mwhccareers.com^ +||info.myservicepak.com^ +||info.naag.org^ +||info.nahealth.com^ +||info.nai-consulting.com^ +||info.narcdc.org^ +||info.naswinsure.com^ +||info.nationalfoodgroup.com^ +||info.natlenvtrainers.com^ +||info.navitassys.com^ +||info.navitor.com^ +||info.ncoi.nl^ +||info.neosllc.com^ +||info.nepsisadvisors.com^ +||info.neptune-software.com^ +||info.nescornow.com^ +||info.netec.com^ +||info.nets-inc.com^ +||info.network9.com^ +||info.ngfcu.us^ +||info.nibesvv.nl^ +||info.nicholsonclinic.com^ +||info.nilex.com^ +||info.norman-spencer.com^ +||info.normecfoodcare.com^ +||info.northcdatacenters.com^ +||info.northeast.aleragroup.com^ +||info.northshore.org^ +||info.novahealthcare.com^ +||info.novahomeloans.com^ +||info.nvtc.org^ +||info.ochsner.org^ +||info.ocr-inc.com^ +||info.oh-ins.com^ +||info.omep.org^ +||info.onlinetech.com^ +||info.ortecfinance.com^ +||info.osiriseducational.co.uk^ +||info.osufoundation.org^ +||info.padistance.org^ +||info.parallel6.com^ +||info.parivedasolutions.com^ +||info.patientwise.com^ +||info.patrickandco.com^ +||info.paydashboardinfo.com^ +||info.payroll4construction.com^ +||info.pentra.aleragroup.com^ +||info.pentra.com^ +||info.perceptics.com^ +||info.perfectpatients.com^ +||info.personable.com^ +||info.pestfree.direct^ +||info.pharmaseek.com^ +||info.philadelphia.aleragroup.com^ +||info.phionline.com^ +||info.phsmobile.com^ +||info.pillartopost.com^ +||info.pittsburgh.aleragroup.com^ +||info.pmg360research.com^ +||info.pmhsi.com^ +||info.polypak.com^ +||info.positioninteractive.com^ +||info.precisebusiness.com.au^ +||info.precoa.com^ +||info.prep101.com^ +||info.prodagio.com^ +||info.progressinvestment.com^ +||info.prontopilates.com^ +||info.prosperafinancial.com^ +||info.provencut.com^ +||info.r2cgroup.com^ +||info.racksquared.com^ +||info.rates.ca^ +||info.raytecled.com^ +||info.rbatriad.com^ +||info.re-sourcepartners.com^ +||info.reachtech.com^ +||info.readingpartners.org^ +||info.recoverypoint.com^ +||info.redlinesolutions.com^ +||info.relphbenefit.aleragroup.com^ +||info.relphbenefitadvisors.aleragroup.com^ +||info.reltio.com^ +||info.rescignos.com^ +||info.rev1ventures.com^ +||info.rhahvac.com^ +||info.rodenhiser.com^ +||info.romerlabs.com^ +||info.rumsey.com^ +||info.safecorhealth.com^ +||info.safeguardrisksolutions.com^ +||info.safelogic.com^ +||info.safety-kleen.com^ +||info.sagewater.com^ +||info.sante-group.com^ +||info.savesfbay.org^ +||info.sbsgroup.com.au^ +||info.scheidegger.nl^ +||info.schmidt-na.com^ +||info.schoolspecialtynews.com^ +||info.scoopinsurance.ca^ +||info.scottmadden.com^ +||info.scriptel.com^ +||info.secotools.com^ +||info.send-server.com^ +||info.senior-systems.com^ +||info.serverlift.com^ +||info.services.vivacom.bg^ +||info.sherriffhealthcaresearch.com^ +||info.shilohtech.com^ +||info.shirazi.aleragroup.com^ +||info.siege-corp.com^ +||info.siglentna.com^ +||info.simutechmultimedia.com^ +||info.sispartnerplatform.com^ +||info.skystem.com^ +||info.smartbrief.com^ +||info.smartstrategyapps.com^ +||info.smartstrategyonline.com^ +||info.smilemarketing.com^ +||info.solidscape.com^ +||info.southstarcapital.com^ +||info.spark-point.com^ +||info.spencerfane.com^ +||info.sseinc.com^ +||info.sswhitedental.com^ +||info.stdom.com^ +||info.stratus.hr^ +||info.suite1000.com^ +||info.summitministries.org^ +||info.suncloudhealth.com^ +||info.supercare.health^ +||info.superchoiceservices.com.au^ +||info.suzy.com^ +||info.sydist.com^ +||info.symbio.com^ +||info.synteract.com^ +||info.tcasonline.com^ +||info.technologia.com^ +||info.techoregon.org^ +||info.techwave.net^ +||info.teletrac.net^ +||info.terracesatcloverwood.org^ +||info.terradatum.com^ +||info.tetravx.com^ +||info.texastaxgroup.com^ +||info.theaba.org^ +||info.thecentennial.aleragroup.com^ +||info.themichaelmannteam.com^ +||info.themsrgroup.com^ +||info.themyersbriggs.com^ +||info.thepgaofamerica.com^ +||info.theprogressiveaccountant.com^ +||info.thesmsgroup.com^ +||info.thestoryoftexas.com^ +||info.thomsonlinear.com^ +||info.tidbank.no^ +||info.tiwoiltools.com^ +||info.tmlt.org^ +||info.totango.com^ +||info.touchtown.us^ +||info.tpctrainco.com^ +||info.tpctraining.com^ +||info.tradeinterchange.com^ +||info.trapptechnology.com^ +||info.treeoflifecenterus.com^ +||info.trendler.com^ +||info.trinityconsultants.com^ +||info.truemfg.com^ +||info.truitycu.org^ +||info.tscpainsure.org^ +||info.txeee.engr.utexas.edu^ +||info.tyfone.com^ +||info.uchealth.com^ +||info.uila.com^ +||info.unicosystem.com^ +||info.unicous.com^ +||info.upcurvecloud.com^ +||info.valencepm.com^ +||info.vaporstream.com^ +||info.vcsolutions.com^ +||info.venturesolutions.com^ +||info.veoci.com^ +||info.verifund.tech^ +||info.vesselsvalue.com^ +||info.vestapublicsafety.com^ +||info.vibro-acoustics.com^ +||info.vidanthealth.com^ +||info.vierhetseizoen.nl^ +||info.virtela.net^ +||info.virtusbenefits.aleragroup.com^ +||info.visitgranbury.com^ +||info.visitorlando.com^ +||info.vistasiteselection.com^ +||info.visuresolutions.com^ +||info.vizquest.com^ +||info.vorne.com^ +||info.voxbone.com^ +||info.w-systems.com^ +||info.wafergen.com^ +||info.walkingclassroom.org^ +||info.washingtoninstitute.org^ +||info.watertechonline.com^ +||info.wellbe.me^ +||info.weloveournewwindows.com^ +||info.wespath.com^ +||info.westerville.org^ +||info.woodward.com^ +||info.wsplanadvisor.com^ +||info.xactflex.com^ +||info.yankeehome.com^ +||info.zelmanassociates.com^ +||info.zoominfo-notice.com^ +||info.zoominfo-privacy.com^ +||info.zoominfo.io^ +||info.zoominfotechnologies.com^ +||info.zoomintel.com^ +||info.zuidema.nl^ +||info01.on24.com^ +||infoco.readingpartners.org^ +||infodc.readingpartners.org^ +||infola.readingpartners.org^ +||infoland.actonservice.com^ +||infontx.readingpartners.org^ +||infonyc.readingpartners.org^ +||inform.milestonegroup.com.au^ +||inform.milestonegroup.com^ +||information.cleanservices.co.uk^ +||information.fi360.com^ +||information.remploy.co.uk^ +||infosea.readingpartners.org^ +||infoservice.paratherm.com^ +||infosfba.readingpartners.org^ +||infospot.roanokegroup.com^ +||infotc.readingpartners.org^ +||infotul.readingpartners.org^ +||inkubate.actonservice.com^ +||innovate.bionix.com^ +||innovation.communica.world^ +||innovation.leeind.com^ +||innovation.rlgbuilds.com^ +||innovation.thinkcommunica.com^ +||innovations.provisur.com^ +||insight.boomer.com^ +||insight.redflashgroup.com^ +||insight.wittkieffer.com^ +||insights.alley.com^ +||insights.avad3.com^ +||insights.diamond-consultants.com^ +||insights.goodandprosper.com^ +||insights.hugheseurope.com^ +||insights.i-runway.com^ +||insights.jabian.com^ +||insights.jackporter.com^ +||insights.journey.world^ +||insights.nowitmatters.com^ +||insights.openfieldx.com^ +||insights.partnerwithfacet.com^ +||insights.squintopera.com^ +||install.orderwork.online^ +||insurance.caainsurancecompany.com^ +||insurance.thehullgroup.com^ +||insurancenoodle.actonservice.com^ +||int.actonservice.com^ +||int.deltafaucet.com^ +||intechservices.actonservice.com^ +||intelledox.actonservice.com^ +||intelli-shop.actonservice.com^ +||interedgemarketing.actonservice.com^ +||internalcomms.hubinternational.com^ +||international.wandw.ac.nz^ +||interworks.cloud.actonservice.com^ +||invata.actonservice.com^ +||invited.louwmanexclusive.nl^ +||inx-corp.actonservice.com^ +||ioactiveinc.actonservice.com^ +||ip.chipestimate.com^ +||ipinternational.actonservice.com^ +||iq.intellicyt.com^ +||isbamic.actonservice.com^ +||isentia.actonservice.com^ +||ishainsight.actonservice.com^ +||isoplexis.actonservice.com^ +||it.sharpmarketing.eu^ +||iwantglobal.actonservice.com^ +||jagransolutions.com.actonservice.com^ +||javs.actonservice.com^ +||jeedmact.sc.com^ +||jeffersonawards.actonservice.com^ +||jensenhughes.actonservice.com^ +||jetlinx.actonservice.com^ +||jifflenow.actonservice.com^ +||jobappplus.actonservice.com^ +||join.opencare.com^ +||joinsai.securitiesamerica.com^ +||joinus.holidayseniorliving.com^ +||jumpstartinc.actonservice.com^ +||jwpepper.actonsoftware.com^ +||kbs-services.actonservice.com^ +||kennisdomein.pqr.com^ +||kesko.actonservice.com^ +||kestlerfinancial.actonservice.com^ +||key2.actonservice.com^ +||keynotegroup.actonservice.com^ +||kidsdeservethebest.childrenswi.org^ +||kidsdeservethebest.chw.org^ +||kimberlyspa.actonservice.com^ +||kkhq.actonservice.com^ +||km.rightanswers.com^ +||know.gardner-webb.edu^ +||know.gimmal.com^ +||knowledge.equitymethods.com^ +||kone-cranes.actonservice.com^ +||kratosdefense.actonservice.com^ +||kristechwire.actonservice.com^ +||krm22.actonservice.com^ +||ksamarketing.sedgwick.com^ +||kurzweiledu.actonservice.com^ +||kuwaitmarketing.sedgwick.com^ +||kws.holdmybeerconsulting.com^ +||kyloepartners.actonservice.com^ +||lammico.actonservice.com^ +||landrykling.actonservice.com^ +||landstar.actonservice.com^ +||landuscooperative.actonservice.com^ +||lansinoh.actonservice.com^ +||lapiana.actonservice.com^ +||laplink.actonservice.com^ +||laserconcepts.actonservice.com^ +||lawyers.rigbycooke.com.au^ +||layeredinsight.actonservice.com^ +||lcscompanies.lcsnet.com^ +||leadcertain.actonservice.com^ +||leadership.zengerfolkman.com^ +||learn.altsourcesoftware.com^ +||learn.apartnership.com^ +||learn.brightspotstrategy.com^ +||learn.centricconsulting.com^ +||learn.healthyinteractions.com^ +||learn.image-iq.com^ +||learn.ultherapy.com^ +||ledgeviewpartners.actonservice.com^ +||leecompany.actonservice.com^ +||levementum.actonservice.com^ +||lgm.averydennison.com^ +||lhasalimited.actonservice.com^ +||libertyhomeequity.actonservice.com^ +||library.westernstatescat.com^ +||licensinginsights.ascap.com^ +||lighterthinnerstronger.fiber-line.com^ +||lilogy.actonservice.com^ +||link.hitachi-hightech.com^ +||links.asbury.org^ +||links.riverview.org^ +||loans.rategenius.com^ +||loansales.cbre.com^ +||lodicoandco.actonservice.com^ +||loginvsi.actonservice.com^ +||logistics.osmworldwide.com^ +||look-ahead.nurturemarketing.com^ +||lord.actonservice.com^ +||loveeveryday.brighterkind.com^ +||lowermybills.actonsoftware.com^ +||lp.fsresidential.com^ +||lp.mnp.ca^ +||lp.rallypoint.com^ +||ltcnetwork.mhainc.com^ +||lucanet.actonservice.com^ +||lumenera.actonservice.com^ +||lydallpm.actonservice.com^ +||lyonsdown.actonservice.com^ +||m-m.actonservice.com^ +||m.acmgloballab.com^ +||m.evolutiondigital.com^ +||m.smartmatch.email^ +||m.vistaresourcegroup.com^ +||m2t.actonservice.com^ +||ma.a3.se^ +||ma.axiomatics.com^ +||ma.betterbusiness.se^ +||ma.brightby.se^ +||ma.cbre.com^ +||ma.kyloepartners.com^ +||ma.lekab.com^ +||ma.lexicon.se^ +||ma.meritgo.se^ +||ma.meritmind.se^ +||ma.moblrn.com^ +||ma.mvr.se^ +||ma.mw-ind.com^ +||ma.pasco.com^ +||ma.preciofishbone.se^ +||ma.pricegain.com^ +||ma.prover.com^ +||ma.revideco.se^ +||ma.ri.se^ +||ma.smartplanes.se^ +||ma.tss.se^ +||ma.uslawns.com^ +||madisoncres.actonservice.com^ +||mafiahairdresser.actonservice.com^ +||maformationofficinale.actonservice.com^ +||mail-rite.actonservice.com^ +||mail.fathomdelivers.com^ +||mail.finwellgroup.com^ +||mail.firsthome.com^ +||mail.spandex.com^ +||mailer.conad.com^ +||mailer.gameloft.com^ +||mailers.fusioncharts.com^ +||mailers.unitedadlabel.com^ +||mailing.elconfidencialdigital.com^ +||manufacturing.autodeskcommunications.com^ +||marcom.biodex.com^ +||marcom.biodexrehab.com^ +||marcomauto.globalfoundries.com^ +||marcomm.woodward.com^ +||marcomms.maistro.com^ +||maricich.actonservice.com^ +||markentive.actonservice.com^ +||marketing-company.getinsured.com^ +||marketing-fl.waterstonemortgage.com^ +||marketing-info.cargurus.com^ +||marketing-test.aqr.com^ +||marketing-uk.reputation.com^ +||marketing-us.alere.com^ +||marketing-us.contentguru.com^ +||marketing-us.palettesoftware.com^ +||marketing.1-800boardup.com^ +||marketing.100days.co.il^ +||marketing.188weststjames.com^ +||marketing.1edisource.com^ +||marketing.2016cle.com^ +||marketing.2inspire.com^ +||marketing.3dcadtools.com^ +||marketing.3mark.com^ +||marketing.4over.com^ +||marketing.4sightcomms.com^ +||marketing.602.cz^ +||marketing.90degreebenefits.com^ +||marketing.a1cu.org^ +||marketing.a2btracking.com^ +||marketing.aaaflag.com^ +||marketing.aad.org^ +||marketing.aamcompany.com^ +||marketing.abaco.com^ +||marketing.abnbfcu.org^ +||marketing.absoft.co.uk^ +||marketing.acadian-asset.com^ +||marketing.accedo.tv^ +||marketing.acceleratedwealth.com^ +||marketing.accesscapitalgrp.com^ +||marketing.accesshardware.com^ +||marketing.accountorgroup.com^ +||marketing.accuride.com^ +||marketing.accurisksolutions.com^ +||marketing.acendas.com^ +||marketing.acieu.net^ +||marketing.acromag.com^ +||marketing.acrowire.com^ +||marketing.act-on.com^ +||marketing.activehousing.co.uk^ +||marketing.activeprospect.com^ +||marketing.acumenehr.com^ +||marketing.acumenmd.com^ +||marketing.adamasconsulting.com^ +||marketing.adept-telecom.co.uk^ +||marketing.advancedpowertech.com^ +||marketing.advancedpractice.com^ +||marketing.advanceflooring.co.nz^ +||marketing.advantage.tech^ +||marketing.advectas.se^ +||marketing.advicemedia.com^ +||marketing.advisorsres.com^ +||marketing.aefonline.org^ +||marketing.afterschoolallstars.org^ +||marketing.agracel.com^ +||marketing.airefco.com^ +||marketing.akaes.com^ +||marketing.alaskavisit.com^ +||marketing.alcopro.com^ +||marketing.alere.com^ +||marketing.alereforensics.com^ +||marketing.alfalak.com^ +||marketing.alhi.com^ +||marketing.all-wall.com^ +||marketing.allgress.com^ +||marketing.allmy-data.com^ +||marketing.almalasers.com^ +||marketing.almusnet.com^ +||marketing.alphabroder.ca^ +||marketing.alphabroder.com^ +||marketing.alphacommsolutions.com^ +||marketing.alphastarcm.com^ +||marketing.alsearsmd.com^ +||marketing.am.jll.com^ +||marketing.americanairlinescenter.com^ +||marketing.americanbathgroup.com^ +||marketing.americanweathertechsoffers.com^ +||marketing.amerindrisk.org^ +||marketing.amishcountry.org^ +||marketing.amocc.net^ +||marketing.analysysmason.com^ +||marketing.anchorage.net^ +||marketing.andaluciarealty.com^ +||marketing.angellmarketing.com^ +||marketing.aod-cloud.com^ +||marketing.aoneatm.com^ +||marketing.aotourism.com^ +||marketing.apllogistics.com^ +||marketing.apnconsultinginc.com^ +||marketing.apparound.com^ +||marketing.apptus.com^ +||marketing.aqr.com^ +||marketing.aragonresearch.com^ +||marketing.arcsona.com^ +||marketing.arenasports.net^ +||marketing.ariser.se^ +||marketing.arlington-capital.com^ +||marketing.arlington.org^ +||marketing.armsolutions.com^ +||marketing.arrayasolutions.com^ +||marketing.artemiscm.com^ +||marketing.asginsurance.com^ +||marketing.ashcroft.com^ +||marketing.ashianahomes.com^ +||marketing.asmarterwindow.com^ +||marketing.assetstrategy.com^ +||marketing.astecsolutions.com^ +||marketing.asteracu.com^ +||marketing.astm.org^ +||marketing.asurarisk.com^ +||marketing.atcautomation.com^ +||marketing.aten.com^ +||marketing.atlanticcitynj.com^ +||marketing.atlanticdiagnosticlaboratories.com^ +||marketing.att-smb.com^ +||marketing.attaneresults.com^ +||marketing.attivoconsulting.com^ +||marketing.attocube.com^ +||marketing.attunelive.com^ +||marketing.austiner.com^ +||marketing.autopayplus.com^ +||marketing.avantage.nl^ +||marketing.aventel.nl^ +||marketing.aviacode.com^ +||marketing.avtex.com^ +||marketing.awh.net^ +||marketing.awidubai.com^ +||marketing.ayesa.com^ +||marketing.balconette.co.uk^ +||marketing.baltimore.org^ +||marketing.barbizon.com^ +||marketing.barenbrug.co.uk^ +||marketing.baristaproshop.com^ +||marketing.barnumfg.com^ +||marketing.barsnet.com^ +||marketing.basalite.com^ +||marketing.baschrock-fg.com^ +||marketing.basyspro.com^ +||marketing.bayhealth.org^ +||marketing.bbsmartsolutions.com^ +||marketing.bca.srl^ +||marketing.bcaespana.es^ +||marketing.bcaportugal.pt^ +||marketing.bcltechnologies.com^ +||marketing.bcpas.com^ +||marketing.beachleymedical.com^ +||marketing.bellwethercorp.com^ +||marketing.beneplace.com^ +||marketing.benzcommunications.com^ +||marketing.beringer.net^ +||marketing.berktek.us^ +||marketing.bfandt.com^ +||marketing.bftwealth.com^ +||marketing.biomerieux-usa.com^ +||marketing.bioquell.com^ +||marketing.biotek.com^ +||marketing.bisongear.com^ +||marketing.biworldwide.co.uk^ +||marketing.blacktrace.com^ +||marketing.blastone.com^ +||marketing.blauw.com^ +||marketing.bldgcontrols.com^ +||marketing.bloomingtonmn.org^ +||marketing.bluebox.net^ +||marketing.bluebusiness.com^ +||marketing.bluefcu.com^ +||marketing.bluemarblepayroll.com^ +||marketing.bluvue.com^ +||marketing.bmlwealth.net^ +||marketing.bobswatches.com^ +||marketing.bodine-electric.com^ +||marketing.bodybilt.com^ +||marketing.boeingavenue8.nl^ +||marketing.bondcapital.ca^ +||marketing.bostwick-braun.com^ +||marketing.bouldercoloradousa.com^ +||marketing.boxerproperty.com^ +||marketing.boxmanstudios.com^ +||marketing.braintraffic.com^ +||marketing.branchserv.com^ +||marketing.brandingbusiness.com^ +||marketing.brandonindustries.com^ +||marketing.brandywinevalley.com^ +||marketing.braunintertec.com^ +||marketing.brucknertruck.com^ +||marketing.brukeroptics.com^ +||marketing.bruynzeel.org^ +||marketing.bswift.com^ +||marketing.btcelectronics.com^ +||marketing.budpack.com^ +||marketing.buffalojeans.com^ +||marketing.bulkbookstore.com^ +||marketing.buscircle.com^ +||marketing.business-events.lu^ +||marketing.business-sweden.se^ +||marketing.businesssystemsuk.com^ +||marketing.butlercc.edu^ +||marketing.c-c-l.com^ +||marketing.cabinsatgreenmountain.com^ +||marketing.cableloc.com^ +||marketing.cachetservices.com^ +||marketing.cadillacmichigan.com^ +||marketing.caldwell.com^ +||marketing.caldwellpartners.com^ +||marketing.caliberpublicsafety.com^ +||marketing.calilighting.com^ +||marketing.callahan.agency^ +||marketing.callmeonmycell.com^ +||marketing.callsource.com^ +||marketing.callutc.com^ +||marketing.calm.io^ +||marketing.campbellwealth.com^ +||marketing.campusadv.com^ +||marketing.candorcircuitboards.com^ +||marketing.caplin.com^ +||marketing.careservicesllc.com^ +||marketing.careworks.com^ +||marketing.cargas.com^ +||marketing.carillonlubbock.com^ +||marketing.carlisleit.com^ +||marketing.carltontechnologies.com^ +||marketing.carmichael-hill.com^ +||marketing.carolina.com^ +||marketing.castrum.uk^ +||marketing.catamarans.com^ +||marketing.cbancnetwork.com^ +||marketing.ccbtechnology.com^ +||marketing.celayix.com^ +||marketing.celebratinghomedirect.com^ +||marketing.cellero.com^ +||marketing.celona.io^ +||marketing.celsiusinternational.com^ +||marketing.centra.org^ +||marketing.centreforaviation.com^ +||marketing.centsoft.se^ +||marketing.certipay.com^ +||marketing.cfa.ca^ +||marketing.challengemyteam.co.uk^ +||marketing.championsales.com^ +||marketing.chancefinancialgroup.com^ +||marketing.charityfirst.com^ +||marketing.charliebaggsinc.com^ +||marketing.chemometec.com^ +||marketing.cheyenne.org^ +||marketing.choosechicago.com^ +||marketing.christchurchnz.com^ +||marketing.chromachecker.com^ +||marketing.ciandt.com^ +||marketing.circadence.com^ +||marketing.cisco-eagle.com^ +||marketing.citycollege.edu^ +||marketing.cjisgroup.com^ +||marketing.cla.aero^ +||marketing.claritydiagnostics.com^ +||marketing.clarityqst.com^ +||marketing.clarosanalytics.com^ +||marketing.classroominc.org^ +||marketing.cleardigital.com^ +||marketing.clearlaws.com^ +||marketing.clearviewlive.com^ +||marketing.clickatell.com^ +||marketing.clientsfirst-us.com^ +||marketing.cliffordpower.com^ +||marketing.clinigengroup.com^ +||marketing.cloudmerge.com^ +||marketing.cnalloys.co.uk^ +||marketing.coastalmississippi.com^ +||marketing.coastaloakins.com^ +||marketing.coconutmalorie.com^ +||marketing.codebaby.com^ +||marketing.cofactordigital.com^ +||marketing.cogentco.com^ +||marketing.colliers.com^ +||marketing.cologuardclassic.com^ +||marketing.comda.com^ +||marketing.comeovertoplover.com^ +||marketing.commercehomemortgage.com^ +||marketing.communityassociationmanagement.com^ +||marketing.complianceassociates.ca^ +||marketing.compmort.com^ +||marketing.computerguidance.com^ +||marketing.compuware.com^ +||marketing.confidentialcures.com^ +||marketing.congress.eular.org^ +||marketing.connect.scanstat.com^ +||marketing.connectandsell.com^ +||marketing.conney.com^ +||marketing.constructionmonitor.com^ +||marketing.construsoft.com^ +||marketing.consumermkts1.com^ +||marketing.contentguru.nl^ +||marketing.convergentusa.com^ +||marketing.copc.com^ +||marketing.coregroupusa.com^ +||marketing.corneagen.com^ +||marketing.cornerstonevegas.com^ +||marketing.corrigan.com^ +||marketing.couplescruise.com^ +||marketing.cpa2biz.com^ +||marketing.cpicompanies.com^ +||marketing.cpsi.com^ +||marketing.crawford-industries.com^ +||marketing.crbcunninghams.co.uk^ +||marketing.credoreference.com^ +||marketing.cresa.com^ +||marketing.crystalcoastnc.org^ +||marketing.ctic.ca^ +||marketing.cura-hpc.com^ +||marketing.curetoday.com^ +||marketing.customercarebg.com^ +||marketing.cvma.com^ +||marketing.cyber-edge.com^ +||marketing.cyber360solutions.com^ +||marketing.cygnetcloud.com^ +||marketing.cypram.com^ +||marketing.d4discovery.com^ +||marketing.dacocorp.com^ +||marketing.dairyland.com^ +||marketing.dais.com^ +||marketing.dantecdynamics.com^ +||marketing.darwinspet.com^ +||marketing.data-source.com^ +||marketing.data180.com^ +||marketing.datacenterdynamics.com^ +||marketing.dataflo.com^ +||marketing.datamark.net^ +||marketing.datamatics.com^ +||marketing.dataprise.com^ +||marketing.datawatchsystems.com^ +||marketing.dataxoom.net^ +||marketing.daveycoach.com^ +||marketing.davidcbaker.com^ +||marketing.dbh-group.com^ +||marketing.dcihollowmetal.com^ +||marketing.dcmh.net^ +||marketing.dcmservices.com^ +||marketing.ddc-cabtech.com^ +||marketing.deckerretirementplanning.com^ +||marketing.dedicated-db.com^ +||marketing.dedola.com^ +||marketing.deepcrawl.com^ +||marketing.deltechomes.com^ +||marketing.demagcranes.com^ +||marketing.deppecommunications.com^ +||marketing.dessy.com^ +||marketing.destinationcanada.com^ +||marketing.destinationgranby.com^ +||marketing.destinationtravelnetwork.com^ +||marketing.destinationvancouver.com^ +||marketing.dev-pro.net^ +||marketing.dhptraining.com^ +||marketing.dienerlaw.net^ +||marketing.digitaledge.marketing^ +||marketing.digitalwarehouse.com^ +||marketing.diningalliance.com^ +||marketing.discovercentralma.org^ +||marketing.discoverdenton.com^ +||marketing.discoverdunwoody.com^ +||marketing.discoverkalamazoo.com^ +||marketing.discoverlehighvalley.com^ +||marketing.discovernewport.org^ +||marketing.discoverorg.com^ +||marketing.discoverphl.com^ +||marketing.discoverpuertorico.com^ +||marketing.discoversantaclara.org^ +||marketing.discoversaratoga.org^ +||marketing.discoverstcharles.com^ +||marketing.discovertemple.com^ +||marketing.discovia.com^ +||marketing.dispatchtoday.com^ +||marketing.diverseco.com.au^ +||marketing.dmcc.ae^ +||marketing.dmcplc.co.uk^ +||marketing.dmihotels.com^ +||marketing.dnacenter.com^ +||marketing.docstar.com^ +||marketing.dohenycompanies.com^ +||marketing.doorway.com^ +||marketing.doprocess.com^ +||marketing.draycir.com^ +||marketing.dreamlawn.com^ +||marketing.dreamstyleremodeling.com^ +||marketing.driveline.co.nz^ +||marketing.driveulu.com^ +||marketing.dryvit.com^ +||marketing.dscdredge.com^ +||marketing.ducenit.com^ +||marketing.duckbrand.com^ +||marketing.dulsco.com^ +||marketing.duramarktechnologies.com^ +||marketing.dylangrayconsulting.com^ +||marketing.dynamicairshelters.com^ +||marketing.e-emphasys.com^ +||marketing.earthbend.com^ +||marketing.earthquakeauthority.com^ +||marketing.eastbanctech.com^ +||marketing.eastviewpress.com^ +||marketing.easydita.com^ +||marketing.eccoviasolutions.com^ +||marketing.ece.org^ +||marketing.ecgmc.com^ +||marketing.echohealthinc.com^ +||marketing.echostarmobile.com^ +||marketing.ecosystemintegrity.com^ +||marketing.ecslearn.com^ +||marketing.efleets.com^ +||marketing.ehimrx.com^ +||marketing.ehy.com^ +||marketing.elastoproxy.com^ +||marketing.electroind.com^ +||marketing.electroquip.co.nz^ +||marketing.ellingtonresort.com^ +||marketing.elrig.org^ +||marketing.emds.com^ +||marketing.emeraldheights.com^ +||marketing.emergenttech.com^ +||marketing.emirsoftware.com^ +||marketing.empire-pa.com^ +||marketing.emplicity.com^ +||marketing.employeedevelopmentsystems.com^ +||marketing.endologix.com^ +||marketing.energystewardsinc.com^ +||marketing.enhancedvision.com^ +||marketing.enrichmentjourneys.com^ +||marketing.enterprise-selling.com^ +||marketing.entrustinc.com^ +||marketing.envisionpackaging.com^ +||marketing.envylabs.com^ +||marketing.epsteinandwhite.com^ +||marketing.equipointpartners.com^ +||marketing.equiscript.com^ +||marketing.ergogenesis.com^ +||marketing.erioninsurance.com^ +||marketing.erm-ins.com^ +||marketing.eschelsfinancial.net^ +||marketing.eschenbach.com^ +||marketing.esecuritysolutions.com^ +||marketing.esenetworks.com^ +||marketing.espec.com^ +||marketing.essellc.com^ +||marketing.et.support^ +||marketing.etcnow.net^ +||marketing.eteamsys.com^ +||marketing.eugenecascadescoast.org^ +||marketing.eurofinsus.com^ +||marketing.evansbank.com^ +||marketing.evcp.com^ +||marketing.eventsforce.com^ +||marketing.evolveip.nl^ +||marketing.ewi.org^ +||marketing.exclusive-networks.com.au^ +||marketing.execshape.com^ +||marketing.executivetravel.com^ +||marketing.experiencecolumbus.com^ +||marketing.experiencegr.com^ +||marketing.experienceolympia.com^ +||marketing.experts.com^ +||marketing.exploreasheville.com^ +||marketing.explorecharleston.com^ +||marketing.exploreedmonton.com^ +||marketing.exploregwinnett.org^ +||marketing.explorenorthmyrtlebeach.com^ +||marketing.explorestlouis.com^ +||marketing.expworld.com^ +||marketing.exteresauto.com^ +||marketing.external.xerox.com^ +||marketing.extremenetworks.com^ +||marketing.eyc.com^ +||marketing.ezicarrental.co.nz^ +||marketing.facilityplus.com^ +||marketing.fatiguescience.com^ +||marketing.fedsched.com^ +||marketing.festiva.com^ +||marketing.festivaorlandoresort.com^ +||marketing.fhsr.com^ +||marketing.fiduciaryfirst.com^ +||marketing.firearmsins.com^ +||marketing.first-insight.com^ +||marketing.firstinsurancefunding.com^ +||marketing.firstpac.com^ +||marketing.five-startech.com^ +||marketing.five19creative.com^ +||marketing.flaire.com^ +||marketing.fleetfeetorlando.com^ +||marketing.fleetfeetraleigh.com^ +||marketing.fleetstar.com^ +||marketing.fletchercsi.com^ +||marketing.florencechamber.com^ +||marketing.flsmidth.com^ +||marketing.fluentco.com^ +||marketing.flycastpartners.com^ +||marketing.flynth.nl^ +||marketing.forbin.com^ +||marketing.forepartnership.com^ +||marketing.forgeplumbing.com.au^ +||marketing.forte.net^ +||marketing.fortsmith.org^ +||marketing.fortworth.com^ +||marketing.foxitsoftware1.com^ +||marketing.foxrehab.org^ +||marketing.fpaaust.com.au^ +||marketing.frogtape.com^ +||marketing.frontrowseatsllc.com^ +||marketing.ftfnews.com^ +||marketing.funmobility.com^ +||marketing.funraise.io^ +||marketing.fwcbd.com^ +||marketing.gables.com^ +||marketing.gasandsupply.com^ +||marketing.gatewayp.com^ +||marketing.gatlinburg.com^ +||marketing.gbg.com^ +||marketing.gca.net^ +||marketing.gebroederskoffie.nl^ +||marketing.genesis-fs.com^ +||marketing.genpak.com^ +||marketing.geowarehouse.ca^ +||marketing.gep.com^ +||marketing.getfidelis.com^ +||marketing.getoverdrive.com^ +||marketing.glenviewterrace.com^ +||marketing.globalbmg.com^ +||marketing.globalmedics.co.nz^ +||marketing.globalpetfoods.ca^ +||marketing.globalpointofcare.abbott^ +||marketing.globerunner.com^ +||marketing.gmcvb.com^ +||marketing.gogofunding.com^ +||marketing.gogovapps.com^ +||marketing.gogreat.com^ +||marketing.goldenpaints.com^ +||marketing.goochandhousego.com^ +||marketing.goodcoinc.com^ +||marketing.goodfunding.com^ +||marketing.goprovidence.com^ +||marketing.gorillagroup.com^ +||marketing.gosenergy.com^ +||marketing.gotobermuda.com^ +||marketing.gotolouisville.com^ +||marketing.gowestgroup.com^ +||marketing.gradientfg.com^ +||marketing.gramener.com^ +||marketing.grandecheese.com^ +||marketing.greatgunsmarketing.co.uk^ +||marketing.greatpointins.com^ +||marketing.greenbay.com^ +||marketing.greenbrierwv.com^ +||marketing.greycon.com^ +||marketing.groupmgmt.com^ +||marketing.growbinmaster.com^ +||marketing.growthmodemarketing.com^ +||marketing.grplans.com^ +||marketing.guardianfinancialgp.com^ +||marketing.guidepoint.com^ +||marketing.gulfshores.com^ +||marketing.gwcontainers.com^ +||marketing.halcousa.com^ +||marketing.halldale.com^ +||marketing.halobi.com^ +||marketing.hardysolutions.com^ +||marketing.harlancapital.com^ +||marketing.harrishealthcare.com^ +||marketing.haughn.com^ +||marketing.havenfinancialgroup.com^ +||marketing.hcrwealth.com^ +||marketing.hcsbenefits.com^ +||marketing.hcu.coop^ +||marketing.headwaycorp.com^ +||marketing.healthcarousel.com^ +||marketing.healthfoodinsurance.com^ +||marketing.healthtech.net^ +||marketing.hellomedia.com^ +||marketing.helloposition.com^ +||marketing.heronskey.org^ +||marketing.hfgagents.com^ +||marketing.hfore.com^ +||marketing.hgdata.com^ +||marketing.hhglobal.com^ +||marketing.highpoint.com^ +||marketing.highwoods.com^ +||marketing.higmi.com^ +||marketing.hilltopwealthsolutions.com^ +||marketing.hilltopwealthtax.com^ +||marketing.hines.com^ +||marketing.hodgesmace.com^ +||marketing.holocentric.com^ +||marketing.home-inspection-franchise-opportunity.com^ +||marketing.homedna.com^ +||marketing.homeofpurdue.com^ +||marketing.homesteadplans.com^ +||marketing.horizonfoodgroup.com^ +||marketing.horizonlims.com^ +||marketing.horizonsoftware.com^ +||marketing.hospicecarelc.org^ +||marketing.hughwood.com^ +||marketing.hvcb.org^ +||marketing.hyperdisk.com^ +||marketing.iaccompanies.com^ +||marketing.iaclarington.com^ +||marketing.iacm.com^ +||marketing.iansresearch.com^ +||marketing.iar.com^ +||marketing.ibermatica.com^ +||marketing.icatsoftware.com^ +||marketing.icreative.nl^ +||marketing.idquantique.com^ +||marketing.igel.com^ +||marketing.ijoinsolutions.com^ +||marketing.iloveny.com^ +||marketing.imageworkscreative.com^ +||marketing.imagexmedia.com^ +||marketing.imatrix.com^ +||marketing.impactinnovationgroup.com^ +||marketing.impexium.com^ +||marketing.inaani.com^ +||marketing.incrediwear.com^ +||marketing.indianadunes.com^ +||marketing.industrialformulatorsinc.com^ +||marketing.industrialspec.com^ +||marketing.inex.com^ +||marketing.influitive.com^ +||marketing.influxdb.com^ +||marketing.infrontconsulting.com^ +||marketing.ink-co.com^ +||marketing.insdesign.com^ +||marketing.insigniam.com^ +||marketing.insignio.de^ +||marketing.instrumentassociates.com^ +||marketing.insurancedesigners.com^ +||marketing.insureline.com^ +||marketing.insureon.com^ +||marketing.inszoneinsurance.com^ +||marketing.intellifuel.com^ +||marketing.interact911.com^ +||marketing.interedgemarketing.com^ +||marketing.intergraph.net^ +||marketing.interiorfcu.org^ +||marketing.intermax.nl^ +||marketing.inthenest.com^ +||marketing.intrado.com^ +||marketing.inventiconasia.com^ +||marketing.investwithwmg.com^ +||marketing.invitria.com^ +||marketing.iofficedelivers.com^ +||marketing.iongroup.com^ +||marketing.iriworldwide.com^ +||marketing.irvingtexas.com^ +||marketing.isaless.com^ +||marketing.ismguide.com^ +||marketing.itiball.com^ +||marketing.itsavvy.com^ +||marketing.itshome.com^ +||marketing.ivctechnologies.com^ +||marketing.iwsinc.com^ +||marketing.izeno.com^ +||marketing.jacksonholechamber.com^ +||marketing.janek.com^ +||marketing.javs.com^ +||marketing.jaysoncompany.com^ +||marketing.jdicleaning.com^ +||marketing.jensenprecast.com^ +||marketing.jmait.com^ +||marketing.johncrane.com^ +||marketing.johnsonmelloh.com^ +||marketing.johnstoncountync.org^ +||marketing.joyridecoffee.com^ +||marketing.jstokes.com^ +||marketing.jtsa.edu^ +||marketing.juicepharma.com^ +||marketing.kainmcarthur.com^ +||marketing.kestlerfinancial.com^ +||marketing.keylane.com^ +||marketing.keystonegp.com^ +||marketing.kimble-chase.com^ +||marketing.kinectsolar.com^ +||marketing.kingsiii.com^ +||marketing.kiran.com^ +||marketing.kisales.com^ +||marketing.knoxville.org^ +||marketing.konareefresort.com^ +||marketing.konecranes.com^ +||marketing.kozzyavm.com^ +||marketing.kpfilms.com^ +||marketing.kurtzon.com^ +||marketing.labdepotinc.com^ +||marketing.lakeco.com^ +||marketing.lakecountyfl.gov^ +||marketing.lakepointadvisorygroup.com^ +||marketing.landuscooperative.com^ +||marketing.laplinkemail.com^ +||marketing.latisys.com^ +||marketing.latourism.org^ +||marketing.lcmchealth.org^ +||marketing.leadables.com^ +||marketing.leading-edge.com^ +||marketing.leadingresponse.com^ +||marketing.learncia.com^ +||marketing.leasehawk.com^ +||marketing.leatherberryassociates.com^ +||marketing.ledgeviewpartners.com^ +||marketing.leegov.com^ +||marketing.lhbindustries.com^ +||marketing.libertyhomeequity.com^ +||marketing.libertyreverse.com^ +||marketing.lightstreamin.com^ +||marketing.lilogy.com^ +||marketing.lincoln.org^ +||marketing.linkdex.com^ +||marketing.liquidvoice.co.uk^ +||marketing.livepaniau.com^ +||marketing.livevol.com^ +||marketing.location3.com^ +||marketing.lord.com^ +||marketing.lorenz.ca^ +||marketing.lorenzproducts.com^ +||marketing.loslagosathotspringsvillage.com^ +||marketing.lstaff.com^ +||marketing.lumenera.com^ +||marketing.lumiradx.com^ +||marketing.luxurylink.com^ +||marketing.lystek.com^ +||marketing.m-m.net^ +||marketing.m3design.com^ +||marketing.machtfit.de^ +||marketing.maddenmo.com^ +||marketing.mafiahairdresser.com^ +||marketing.magnamachine.com^ +||marketing.magnet.ie^ +||marketing.magnetrol.com^ +||marketing.mailersusa.com^ +||marketing.mainstream-tech.com^ +||marketing.manchesterspecialty.com^ +||marketing.mandarine.pl^ +||marketing.manningltg.com^ +||marketing.mapleleafpromostore.com^ +||marketing.mapleleafpromotions.com^ +||marketing.maricich.com^ +||marketing.marineagency.com^ +||marketing.marketinggeneral.com^ +||marketing.marketingguys.nl^ +||marketing.martorusa.com^ +||marketing.marusyngro.com^ +||marketing.marybrowns.com^ +||marketing.masergy.com^ +||marketing.matchstick.legal^ +||marketing.mba.hkust.edu.hk^ +||marketing.mcgrawpowersports.com^ +||marketing.mcommgroup.com^ +||marketing.mdbeautyclinic.ca^ +||marketing.medata.com^ +||marketing.medfusion.com^ +||marketing.medical.averydennison.com^ +||marketing.medprostaffing.com^ +||marketing.medsolutions.com^ +||marketing.medsphere.com^ +||marketing.medxm1.com^ +||marketing.meetac.com^ +||marketing.meetboston.com^ +||marketing.meetprestige.com^ +||marketing.melitta.ca^ +||marketing.melitta.com^ +||marketing.merlinbusinesssoftware.com^ +||marketing.mesalabs.com^ +||marketing.metaltanks.com^ +||marketing.metropolislosangeles.com^ +||marketing.mgis.com^ +||marketing.mhe-demag.com^ +||marketing.mhinvest.com^ +||marketing.microlise.com^ +||marketing.middlemarketcenter.org^ +||marketing.midstate-sales.com^ +||marketing.midwestbath.com^ +||marketing.mie-solutions.com^ +||marketing.milesfinancialgroup.com^ +||marketing.millstonefinancial.net^ +||marketing.mimakiusa.com^ +||marketing.mindflowdesign.com^ +||marketing.miraflats.com^ +||marketing.miramarcap.com^ +||marketing.mirrorlaketamarackresort.com^ +||marketing.mixitusa.com^ +||marketing.mlnrp.com^ +||marketing.mnmpartnersllc.com^ +||marketing.mobile.org^ +||marketing.modalife.com^ +||marketing.moldex.com^ +||marketing.monetsoftware.com^ +||marketing.monochrome.co.uk^ +||marketing.moodypublishers.com^ +||marketing.mossinc.com^ +||marketing.motionsolutions.com^ +||marketing.motista.com^ +||marketing.motivation.se^ +||marketing.motleys.com^ +||marketing.moverschoiceinfo.com^ +||marketing.mowe.studio^ +||marketing.mplsnw.com^ +||marketing.mrcaff.org^ +||marketing.mtcperformance.com^ +||marketing.mtrustcompany.com^ +||marketing.multiad.com^ +||marketing.mxmsig.com^ +||marketing.mya.co.uk^ +||marketing.myadvice.com^ +||marketing.mycvcu.org^ +||marketing.mydario.com^ +||marketing.mypoindexter.com^ +||marketing.mypureradiance.com^ +||marketing.na.schoeck.com^ +||marketing.nabatakinc.com^ +||marketing.nace.org^ +||marketing.nada.org^ +||marketing.nanthealth.net^ +||marketing.napatech.com^ +||marketing.natilik.com^ +||marketing.nav-x.com^ +||marketing.navieninc.com^ +||marketing.navitascredit.com^ +||marketing.ncbrunswick.com^ +||marketing.net3technology.net^ +||marketing.netcel.com^ +||marketing.netplan.co.uk^ +||marketing.netrixllc.com^ +||marketing.netvlies.nl^ +||marketing.network-value.com^ +||marketing.networthadvisorsllc.com^ +||marketing.netwoven.com^ +||marketing.neurorelief.com^ +||marketing.newgenerationins.com^ +||marketing.newhomesource.com^ +||marketing.newnet.com^ +||marketing.neworleans.com^ +||marketing.newwestinsurance.com^ +||marketing.nexans.us^ +||marketing.nibusinessparkleasing.com^ +||marketing.nicepak.com^ +||marketing.nicholaswealth.com^ +||marketing.njcpa.org^ +||marketing.nopec.org^ +||marketing.norsat.com^ +||marketing.northgate.com^ +||marketing.novatel.com^ +||marketing.novelcoworking.com^ +||marketing.novicell.co.uk^ +||marketing.nowplayingutah.com^ +||marketing.nparallel.com^ +||marketing.npuins.com^ +||marketing.nsfocus.com^ +||marketing.nsfocusglobal.com^ +||marketing.nsford.com^ +||marketing.ntconsult.com^ +||marketing.nthdegree.com^ +||marketing.nu.com^ +||marketing.nualight.com^ +||marketing.nugrowth.com^ +||marketing.o3world.com^ +||marketing.objectpartners.com^ +||marketing.oceanclubmyrtlebeach.com^ +||marketing.oceangateresortfl.com^ +||marketing.ocozzio.com^ +||marketing.odfigroup.com^ +||marketing.olivers.dk^ +||marketing.omadi.com^ +||marketing.omgnational.com^ +||marketing.omnifymarketing.com^ +||marketing.ompimail.com^ +||marketing.onclive.com^ +||marketing.onececo.com^ +||marketing.oni.co.uk^ +||marketing.onkyousa.com^ +||marketing.openskygroup.com^ +||marketing.opexanalytics.com^ +||marketing.opga.com^ +||marketing.opoffice.com^ +||marketing.optimumenergyco.com^ +||marketing.optionmetrics.com^ +||marketing.optis-world.com^ +||marketing.optitex.com^ +||marketing.orbograph.com^ +||marketing.oremuscorp.com^ +||marketing.orionhealth.com^ +||marketing.orionrisk.com^ +||marketing.orionti.ca^ +||marketing.orolia.com^ +||marketing.orthofi.com^ +||marketing.oxfordcomputergroup.com^ +||marketing.pac.com^ +||marketing.pacificspecialty.com^ +||marketing.paducah.travel^ +||marketing.page1solutions.com^ +||marketing.pal-v.com^ +||marketing.palettesoftware.com^ +||marketing.pangea-cds.com^ +||marketing.panviva.com^ +||marketing.papersave.com^ +||marketing.paraflex.com^ +||marketing.parkmycloud.com^ +||marketing.parkseniorvillas.com^ +||marketing.partnerrc.com^ +||marketing.patriotcapitalcorp.com^ +||marketing.pattonhc.com^ +||marketing.pax8.com^ +||marketing.paysafe.com^ +||marketing.pcsww.com^ +||marketing.peakfinancialfreedomgroup.com^ +||marketing.peerapp.com^ +||marketing.pentaho.com^ +||marketing.peoplesafe.co.uk^ +||marketing.perfarm.com^ +||marketing.performancepolymers.averydennison.com^ +||marketing.performantcorp.com^ +||marketing.periscopewealthadvisors.com^ +||marketing.petsit.com^ +||marketing.pfg1.net^ +||marketing.piazzaavm.com.tr^ +||marketing.pinkerton.com^ +||marketing.pitcher-nsw.com.au^ +||marketing.planar.com^ +||marketing.plastiq.com^ +||marketing.plazahomemortgage.com^ +||marketing.plsx.com^ +||marketing.plus-projects.com^ +||marketing.pmanetwork.com^ +||marketing.polimortgage.com^ +||marketing.pollock.com^ +||marketing.polymerohio.org^ +||marketing.pooleaudi.co.uk^ +||marketing.porchlightatl.com^ +||marketing.potlatchdelticlandsales.com^ +||marketing.precisiondoor.tech^ +||marketing.premierpandp.com^ +||marketing.prescientnational.com^ +||marketing.primaryservices.com^ +||marketing.profmi.org^ +||marketing.projectares.academy^ +||marketing.promiles.com^ +||marketing.promoboxx.com^ +||marketing.pronaca.com^ +||marketing.prosperoware.com^ +||marketing.protegic.com.au^ +||marketing.protosell.se^ +||marketing.ptw.com^ +||marketing.puffininn.net^ +||marketing.punctuation.com^ +||marketing.pureaircontrols.com^ +||marketing.pureflorida.com^ +||marketing.puretechltd.com^ +||marketing.qivos.com^ +||marketing.qualificationcheck.com^ +||marketing.queenstownnz.nz^ +||marketing.quenchonline.com^ +||marketing.questforum.org^ +||marketing.quickattach.com^ +||marketing.quickencompare.com^ +||marketing.quickenloans.com^ +||marketing.quonticbank.com^ +||marketing.rals.com^ +||marketing.ramsayinnovations.com^ +||marketing.rapidlockingsystem.com^ +||marketing.rattleback.com^ +||marketing.rdoequipment.com^ +||marketing.readinghorizons.com^ +||marketing.readtolead.org^ +||marketing.realcomm.com^ +||marketing.realstorygroup.com^ +||marketing.recarroll.com^ +||marketing.redclassic.com^ +||marketing.redlion.net^ +||marketing.redwoodtech.de^ +||marketing.regenteducation.net^ +||marketing.reliablepaper.com^ +||marketing.remotelock.com^ +||marketing.resolutionre.com^ +||marketing.responsepoint.com^ +||marketing.resuelve.mx^ +||marketing.revcommercialgroup.com^ +||marketing.revegy.com^ +||marketing.revgroup.com^ +||marketing.revparts.com^ +||marketing.revrvgroup.com^ +||marketing.rfactr.com^ +||marketing.rfl.uk.com^ +||marketing.rhinofoods.com^ +||marketing.rimes.com^ +||marketing.riseagainsthunger.org^ +||marketing.risingfall.com^ +||marketing.riverfrontig.com^ +||marketing.rme360.com^ +||marketing.rmhoffman.com^ +||marketing.rmhoist.com^ +||marketing.robtheiraguy.com^ +||marketing.rocklakeig.com^ +||marketing.roofconnect.com^ +||marketing.rosica.com^ +||marketing.roxtec.com^ +||marketing.rsvpportal.com^ +||marketing.rtx.travel^ +||marketing.ruckuswireless.com^ +||marketing.ruf-briquetter.com^ +||marketing.runyonsurfaceprep.com^ +||marketing.rxaap.com^ +||marketing.saa.com^ +||marketing.saegissolutions.ca^ +||marketing.safesend.com^ +||marketing.safetreeretirement.com^ +||marketing.safetychix.com^ +||marketing.sambasafety.com^ +||marketing.sanantonioedf.com^ +||marketing.sanitysolutions.com^ +||marketing.santabarbaraca.com^ +||marketing.sap.events.deloitte.com^ +||marketing.savannahchamber.com^ +||marketing.scalematrix.com^ +||marketing.scenicsedona.com^ +||marketing.schneiderdowns.com^ +||marketing.schuff.com^ +||marketing.sectra.com^ +||marketing.sedgwick.com^ +||marketing.seemonterey.com^ +||marketing.self-helpfcu.org^ +||marketing.sensoft.ca^ +||marketing.sensysgatso.com^ +||marketing.sentinelgroup.com^ +||marketing.sentirlabs.com^ +||marketing.seobusinessreporter.com^ +||marketing.sepac.com^ +||marketing.sertantcapital.com^ +||marketing.setaram.com^ +||marketing.shadow-soft.com^ +||marketing.shippers-supply.com^ +||marketing.shoplet.com^ +||marketing.shoppingcenteradvisers.com^ +||marketing.shoresatorangebeach.com^ +||marketing.shoresmith.com^ +||marketing.shpfinancial.com^ +||marketing.shreveport-bossier.org^ +||marketing.shurtapemail.com^ +||marketing.sigmanest.com^ +||marketing.signaltheory.com^ +||marketing.simio.com^ +||marketing.simpartners.com^ +||marketing.simplion.com^ +||marketing.sinctech.com^ +||marketing.skorsports.nl^ +||marketing.slocal.com^ +||marketing.smartcoversystems.com^ +||marketing.smartowner.com^ +||marketing.smartvault.com^ +||marketing.socialbakers.com^ +||marketing.softwaresecure.com^ +||marketing.soha.io^ +||marketing.sojern.com^ +||marketing.soloprotect.com^ +||marketing.somero.com^ +||marketing.sosintl.com^ +||marketing.sossystems.co.uk^ +||marketing.soundtrackyourbrand.com^ +||marketing.sourceadvisors.com^ +||marketing.southeastmortgage.com^ +||marketing.southparkcapital.com^ +||marketing.southwestblinds.com^ +||marketing.sparktx.com^ +||marketing.spbatpa.org^ +||marketing.specgradeled.com^ +||marketing.speconthejob.com^ +||marketing.spectracom.com^ +||marketing.spigit.com^ +||marketing.spinnakermgmt.com^ +||marketing.sportsworld.org^ +||marketing.springfieldelectric.com^ +||marketing.squareonemea.com^ +||marketing.ssfllp.com^ +||marketing.sstid.com^ +||marketing.staffboom.com^ +||marketing.stahl.com^ +||marketing.stamen.com^ +||marketing.starrcompanies.com^ +||marketing.startfinder.com^ +||marketing.stateandfed.com^ +||marketing.stay-rlhc.com^ +||marketing.stellarmls.com^ +||marketing.stentel.com^ +||marketing.sterlingsolutions.com^ +||marketing.sti.com^ +||marketing.stillsecure.com^ +||marketing.stmh.org^ +||marketing.stockcero.com^ +||marketing.streck.com^ +||marketing.striveoffice.com^ +||marketing.strongpoint.io^ +||marketing.summittruckgroup.com^ +||marketing.suncrestadvisors.com^ +||marketing.sunny.org^ +||marketing.superiormobilemedics.com^ +||marketing.superiorrecreationalproducts.com^ +||marketing.superwindowsusa.com^ +||marketing.surfcityusa.com^ +||marketing.swdurethane.com^ +||marketing.swiftprepaid.com^ +||marketing.syntax.com^ +||marketing.syntrio.com^ +||marketing.systancia.com^ +||marketing.systempavers.com^ +||marketing.t2systems.com^ +||marketing.t4media.co.uk^ +||marketing.talbot-promo.com^ +||marketing.tallwave.com^ +||marketing.taos.com^ +||marketing.tarheelpaper.com^ +||marketing.tas.business^ +||marketing.tba.group^ +||marketing.tcgrecycling.com^ +||marketing.teamspirit.uk.com^ +||marketing.techbrite.com^ +||marketing.techcxo.com^ +||marketing.techinsurance.com^ +||marketing.techlogix.com^ +||marketing.technicalprospects.com^ +||marketing.technologyadvice.com^ +||marketing.techoregon.org^ +||marketing.teleswitch.com^ +||marketing.telstraphonewords.com.au^ +||marketing.temptimecorp.com^ +||marketing.tengointernet.com^ +||marketing.tenoapp.com^ +||marketing.ternian.com^ +||marketing.test-acton.com^ +||marketing.testforce.com^ +||marketing.testtargettreat.com^ +||marketing.tfawealthplanning.com^ +||marketing.thatsbiz.com^ +||marketing.thealtan.com^ +||marketing.thebasiccompanies.com^ +||marketing.thebeacongrp.com^ +||marketing.thebestirs.com^ +||marketing.thecea.ca^ +||marketing.thefusiongroup.com^ +||marketing.theinovogroup.com^ +||marketing.themonumentgroup.com^ +||marketing.theoccasionsgroup.com^ +||marketing.theofficestore.com^ +||marketing.thepalmbeaches.com^ +||marketing.theplasticsurgeryclinic.ca^ +||marketing.thequincygroupinc.com^ +||marketing.theresortatsummerlin.com^ +||marketing.thermocalc.se^ +||marketing.thesanfranciscopeninsula.com^ +||marketing.thewilsonagency.com^ +||marketing.thisisalpha.com^ +||marketing.thisiscleveland.com^ +||marketing.threadsol.com^ +||marketing.tidedrycleaners.com^ +||marketing.tignl.eu^ +||marketing.timmons.com^ +||marketing.tmaonline.info^ +||marketing.tmshealth.com^ +||marketing.tongue-tied-nw.co.uk^ +||marketing.toolkitgroup.com^ +||marketing.topekapartnership.com^ +||marketing.topspotims.com^ +||marketing.torrentcorp.com^ +||marketing.totalcsr.com^ +||marketing.tourismpg.com^ +||marketing.tourismrichmond.com^ +||marketing.tourismsaskatoon.com^ +||marketing.tourismwinnipeg.com^ +||marketing.towerfcu.org^ +||marketing.toxicology.abbott^ +||marketing.toyotaofeasley.com^ +||marketing.trackmarketing.net^ +||marketing.transcore.com^ +||marketing.transitair.com^ +||marketing.translations.com^ +||marketing.transperfect.com^ +||marketing.transtar1.com^ +||marketing.travelink.com^ +||marketing.travelks.com^ +||marketing.travelmarketreport.com^ +||marketing.travelportland.com^ +||marketing.travelsavers.com^ +||marketing.traveltags.com^ +||marketing.traversecity.com^ +||marketing.traxtech.com^ +||marketing.trextape.com^ +||marketing.triconamericanhomes.com^ +||marketing.triconresidential.com^ +||marketing.trimtabconsultants.com^ +||marketing.trubridge.com^ +||marketing.trucode.com^ +||marketing.trueinfluence.com^ +||marketing.trustarmarketing.com^ +||marketing.trusteedplans.com^ +||marketing.trustid.com^ +||marketing.tsadvertising.com^ +||marketing.ttcu.com^ +||marketing.tucasi.com^ +||marketing.tvcn.nl^ +||marketing.twofivesix.co^ +||marketing.txsource.net^ +||marketing.u-pic.com^ +||marketing.ugamsolutions.com^ +||marketing.ultimo.com^ +||marketing.uni-med.com^ +||marketing.unimar.com^ +||marketing.unionbenefits.co.uk^ +||marketing.unionhousesf.com^ +||marketing.unionwear.com^ +||marketing.unitedautocredit.net^ +||marketing.uoficreditunion.org^ +||marketing.uptopcorp.com^ +||marketing.urbanprojects.ec^ +||marketing.usailighting.com^ +||marketing.usaprogrip.com^ +||marketing.useadam.co.uk^ +||marketing.usequityadvantage.com^ +||marketing.usglobaltax.com^ +||marketing.usmedequip.com^ +||marketing.uxreactor.com^ +||marketing.vabi.nl^ +||marketing.vacationcondos.com^ +||marketing.vacationvillastwo.com^ +||marketing.valleyforge.org^ +||marketing.valv.com^ +||marketing.vantagepoint-financial.com^ +||marketing.vathorst.nl^ +||marketing.vault49.com^ +||marketing.veladx.com^ +||marketing.verantis.com^ +||marketing.verasci.com^ +||marketing.versatile-ag.ca^ +||marketing.versium.com^ +||marketing.vertexcs.com^ +||marketing.vfop.com^ +||marketing.vgm.com^ +||marketing.vgmeducation.com^ +||marketing.vgmhomelink.com^ +||marketing.vigon.com^ +||marketing.villageatwoodsedge.com^ +||marketing.vippetcare.com^ +||marketing.virginia.org^ +||marketing.virtual-images.com^ +||marketing.visailing.com^ +||marketing.visitabq.org^ +||marketing.visitannapolis.org^ +||marketing.visitannarbor.org^ +||marketing.visitaugusta.com^ +||marketing.visitbatonrouge.com^ +||marketing.visitbellevuewa.com^ +||marketing.visitbentonville.com^ +||marketing.visitbgky.com^ +||marketing.visitcasper.com^ +||marketing.visitcharlottesville.org^ +||marketing.visitchattanooga.com^ +||marketing.visitchesapeake.com^ +||marketing.visitchicagosouthland.com^ +||marketing.visitcookcounty.com^ +||marketing.visitcorpuschristi.com^ +||marketing.visitdenver.com^ +||marketing.visiteauclaire.com^ +||marketing.visitestespark.com^ +||marketing.visitfortwayne.com^ +||marketing.visitgreaterpalmsprings.com^ +||marketing.visitgreenvillesc.com^ +||marketing.visithamiltoncounty.com^ +||marketing.visitindy.com^ +||marketing.visitjamaica.com^ +||marketing.visitkingston.ca^ +||marketing.visitlex.com^ +||marketing.visitloscabos.travel^ +||marketing.visitlubbock.org^ +||marketing.visitmanisteecounty.com^ +||marketing.visitmdr.com^ +||marketing.visitmilwaukee.org^ +||marketing.visitmontrose.com^ +||marketing.visitmusiccity.com^ +||marketing.visitnapavalley.com^ +||marketing.visitnepa.org^ +||marketing.visitnewportbeach.com^ +||marketing.visitnorthplatte.com^ +||marketing.visitoakland.com^ +||marketing.visitomaha.com^ +||marketing.visitorlando.com^ +||marketing.visitpanamacitybeach.com^ +||marketing.visitpasadena.com^ +||marketing.visitpensacola.com^ +||marketing.visitphoenix.com^ +||marketing.visitraleigh.com^ +||marketing.visitrapidcity.com^ +||marketing.visitroanokeva.com^ +||marketing.visitsacramento.com^ +||marketing.visitsalisburync.com^ +||marketing.visitsaltlake.com^ +||marketing.visitsanantonio.com^ +||marketing.visitsanmarcos.com^ +||marketing.visitsarasota.org^ +||marketing.visitsmcsv.com^ +||marketing.visitsouthwalton.com^ +||marketing.visitspc.com^ +||marketing.visitspokane.com^ +||marketing.visittemeculavalley.com^ +||marketing.visittucson.org^ +||marketing.visitvancouverusa.com^ +||marketing.visitvirginiabeach.com^ +||marketing.visitwausau.com^ +||marketing.visitwichita.com^ +||marketing.visitwilliamsburg.com^ +||marketing.visitwilmingtonde.com^ +||marketing.visualskus.com^ +||marketing.voicefirstsolutions.com^ +||marketing.voiply.us^ +||marketing.voltexelectrical.co.nz^ +||marketing.voltexelectrical.com.au^ +||marketing.voxer.com^ +||marketing.vrijekavelsvathorst.nl^ +||marketing.vroozi.com^ +||marketing.wachsws.com^ +||marketing.wainscotsolutions.com^ +||marketing.waitrainer.com^ +||marketing.wallindustries.com^ +||marketing.wallstreetsystems.com^ +||marketing.washcochamber.com^ +||marketing.washington.org^ +||marketing.watchsystems.com^ +||marketing.watercannon.com^ +||marketing.wateriqtech.com^ +||marketing.watsonmortgagecorp.com^ +||marketing.wbbrokerage.com^ +||marketing.wbf.com^ +||marketing.wbm.com^ +||marketing.wealthcarecapital.com^ +||marketing.wealthhorizon.com^ +||marketing.weathersolve.com^ +||marketing.webdcmarketing.com^ +||marketing.webgruppen.no^ +||marketing.welending.com^ +||marketing.wellingtonwealthstrategies.com^ +||marketing.wesco.com.br^ +||marketing.whysymphony.com^ +||marketing.wildhorsepass.com^ +||marketing.willamettewines.com^ +||marketing.wilmingtonandbeaches.com^ +||marketing.windes.com^ +||marketing.wolfgordon.com^ +||marketing.worldlinkintegration.com^ +||marketing.worldnetpr.com^ +||marketing.wowrack.com^ +||marketing.wrightimc.com^ +||marketing.wsandco.com^ +||marketing.wtcutrecht.nl^ +||marketing.wvtourism.com^ +||marketing.xait.com^ +||marketing.xcenda.com^ +||marketing.xcess.nl^ +||marketing.xicato.com^ +||marketing.xportsoft.com^ +||marketing.xtralight.com^ +||marketing.yapmo.com^ +||marketing.yeovilaudi.co.uk^ +||marketing.yesmarketing.com^ +||marketing.ynsecureserver.net^ +||marketing.yongletape.averydennison.com^ +||marketing.youththink.net^ +||marketing.ytc.com^ +||marketing.zencos.com^ +||marketing.zenjuries.com^ +||marketing.zinniawealth.com^ +||marketing1.aiworldexpo.com^ +||marketing1.directimpactinc.com^ +||marketing1.leica-microsystems.com^ +||marketing1.neverfailgroup.com^ +||marketing2.absolutelybryce.com^ +||marketing2.channel-impact.com^ +||marketing2.globalpointofcare.abbott^ +||marketing2.leica-microsystems.com^ +||marketing2.newhomesource.com^ +||marketing2.technologyadvice.com^ +||marketing3.polarispacific.com^ +||marketing4.directimpactinc.com^ +||marketing6.directimpactinc.com^ +||marketingautomation.impexium.net^ +||marketingde.mti.com^ +||marketingemea.guidepoint.com^ +||marketinginfo.clutch.com^ +||marketingms.actonservice.com^ +||marketingus.hso.com^ +||markkinointi.kespro.com^ +||marsh.actonservice.com^ +||marshinsurance.actonservice.com^ +||mas.hronboard.me^ +||mas.marsh.com^ +||masternaut.actonservice.com^ +||matrix42.actonservice.com^ +||mbaco.actonservice.com^ +||mbainfo.ust.hk^ +||mbna.bruker.com^ +||mbns.bruker.com^ +||mbopt.bruker.com^ +||mbs.modernbuilderssupply.com^ +||mcw.actonservice.com^ +||mdfcrm.actonservice.com^ +||meanwellaustralia.actonservice.com^ +||meat.midanmarketing.com^ +||medhyg.actonservice.com^ +||media.claritylabsolutions.com^ +||media.elementsbehavioralhealth.com^ +||media.fsctrust.com^ +||media.gotham.com^ +||media.gstoneinc.com^ +||media.ignitium.com^ +||media.leahy-ifp.com^ +||media.pirtek.co.uk^ +||media.pirtek.de^ +||media.pirtek.nl^ +||media.polariswealth.net^ +||media.theartisansapproach.com^ +||mediacy.actonservice.com^ +||mediasolutions.netinsight.net^ +||mediasource.actonservice.com^ +||medisante.actonservice.com^ +||medtrainer.actonservice.com^ +||medxm1.actonservice.com^ +||member.usenix.org^ +||members.simplicity.coop^ +||membership.mortonarb.org^ +||merchant-mail.neosurf.com^ +||mesalabs.actonservice.com^ +||message.alldata.com^ +||metallic.actonservice.com^ +||metapack.actonservice.com^ +||meteachugood.holdmybeerconsulting.com^ +||metric.khkgears.us^ +||metrics.thesellingagency.com^ +||meylercapital.actonservice.com^ +||mfrmls.actonservice.com^ +||mg.mistrasgroup.com^ +||mhinvest.actonservice.com^ +||mhmp.bruker.com^ +||mhz-design.actonservice.com^ +||microfocus.qm-g.com^ +||microlise.actonservice.com^ +||micronetonline.actonservice.com^ +||microware.actonservice.com^ +||mie-solutions.actonservice.com^ +||mill-all.actonservice.com^ +||mimakiusa.actonservice.com^ +||missionrs.actonservice.com^ +||mkt-i.actonservice.com^ +||mkt.aderant.com^ +||mkt.animalsafety.neogen.com^ +||mkt.bluestate.co^ +||mkt.copernicusmd.com^ +||mkt.detechtion.com^ +||mkt.emea.neogen.com^ +||mkt.environmentsatwork.com^ +||mkt.foodsafety.neogen.com^ +||mkt.globalmentoring.com^ +||mkt.lifesciences.neogen.com^ +||mkt.marcom.neogen.com^ +||mktg.act-on.com^ +||mktg.aicipc.com^ +||mktg.alphawire.com^ +||mktg.bekapublishing.com^ +||mktg.destinationmarketing.org^ +||mktg.digineer.com^ +||mktg.jeffersonhealth.org^ +||mktg.laresdental.com^ +||mktg.marceldigital.com^ +||mktg.matssoft.com^ +||mktg.mecinc.com^ +||mktg.northwoodsoft.com^ +||mktg.rocklandmfg.com^ +||mktg.rtx.travel^ +||mktg.schlage.com^ +||mktg.senneca.com^ +||mktg.ummhealth.org^ +||mktg.xeniumhr.com^ +||mm.morrellinc.com^ +||mmarkhigh.actonservice.com^ +||mmc-ltd.actonservice.com^ +||moldex.actonservice.com^ +||more.socialflow.com^ +||moreinfo.onnowdigital.com^ +||moreinfo.powerpro360.com^ +||moreinfo.sdmyers.com^ +||morganfranklin.actonservice.com^ +||motion.kollmorgen.com^ +||motista.actonservice.com^ +||motorsports.locktonaffinity.net^ +||moxtra.actonservice.com^ +||mpc-co.actonservice.com^ +||mri.iradimed.com^ +||msbainfo.fbe.hku.hk^ +||mshs.actonservice.com^ +||msi.msigts.com^ +||msigbs.actonservice.com^ +||msitec.actonservice.com^ +||msufcu.actonservice.com^ +||mtracking.mhequipment.com^ +||multimedia.netplusentremont.ch^ +||mw-ind.actonservice.com^ +||mwa.meanwellaustralia.com.au^ +||my.bruker.com^ +||my.carolina.com^ +||my.exotravel.com^ +||my.igrafx.com^ +||mya.actonservice.com^ +||mycomm2.hackensackmeridian.org^ +||mydario.actonservice.com^ +||myexhibiteam.actonservice.com^ +||myretailmatch.actonservice.com^ +||naidileobram.actonservice.com^ +||nakisa.actonservice.com^ +||nanthealth.actonservice.com^ +||narc-dc.actonservice.com^ +||nccer.actonservice.com^ +||neathousepartners.actonservice.com^ +||nedasco.actonservice.com^ +||neosllc.actonservice.com^ +||netinsight.actonservice.com^ +||network.cogentco.com^ +||network.conterra.com^ +||network.lightpathfiber.com^ +||network.wintechnology.com^ +||newjersey-content.cresa.com^ +||news-info.gcgfinancial.com^ +||news.azcapitoltimes.com^ +||news.bestcompaniesgroup.com^ +||news.bpsecinc.com^ +||news.bridgetowermedia.com^ +||news.brokersalliance.com^ +||news.caamp.org^ +||news.chiefexecutive.net^ +||news.cmatcherlink.com^ +||news.colormagazine.com^ +||news.cpbj.com^ +||news.dailyreporter.com^ +||news.djcoregon.com^ +||news.finance-commerce.com^ +||news.journalrecord.com^ +||news.libn.com^ +||news.lvb.com^ +||news.masslawyersweekly.com^ +||news.mclaren.org^ +||news.mecktimes.com^ +||news.milawyersweekly.com^ +||news.molawyersmedia.com^ +||news.nada.org^ +||news.neworleanscitybusiness.com^ +||news.njbiz.com^ +||news.nydailyrecord.com^ +||news.petage.com^ +||news.rbj.net^ +||news.scbiznews.com^ +||news.scmanufacturingconference.com^ +||news.sp2.org^ +||news.strategiccfo360.com^ +||news.strategiccio360.com^ +||news.thedailyrecord.com^ +||news.thedolancompany.com^ +||news.valawyersweekly.com^ +||news.verimatrix.com^ +||newsletter.bcautoencheres.fr^ +||newsletter.davey.com^ +||newsletter.visitnc.com^ +||ngs.actonservice.com^ +||nordicmarketing.sedgwick.com^ +||nordics.sharpmarketing.eu^ +||northplains.actonservice.com^ +||northsidemediagroup.actonservice.com^ +||northwire.actonservice.com^ +||nova-healthcare.actonservice.com^ +||novarecoverycenter.actonservice.com^ +||now.infinitecampus.com^ +||now.tana.fi^ +||nparallel.actonservice.com^ +||nra.locktonaffinity.net^ +||nsfocus.actonservice.com^ +||nu.esri.nl^ +||nurture.mylivingvoice.com^ +||nuvi.actonservice.com^ +||oasisadvantage.actonservice.com^ +||oasismarketing.oasisadvantage.com^ +||objectpartners.actonservice.com^ +||oceanair.actonservice.com^ +||oceanautomotive.actonservice.com^ +||offers.hddistributors.com^ +||offers.jazelauto.com^ +||offers.storagepipe.com^ +||omadi.actonservice.com^ +||omgcreative.actonservice.com^ +||on.leagueapps.com^ +||on.librestream.com^ +||oncoclinicas.actonservice.com^ +||oncourselearning.actonservice.com^ +||one-workspace.matrix42.com^ +||onesourcebackground.actonservice.com^ +||online.siteboosters.de^ +||onlineis.actonservice.com^ +||onlinesellerenforcement.vorys.com^ +||onlinevacationcenter.actonservice.com^ +||opoffice.actonservice.com^ +||opportunity.businessbroker.net^ +||opportunityfund.actonservice.com^ +||opsveda.actonservice.com^ +||optis-world.actonservice.com^ +||optout.oracle-zoominfo-notice.com^ +||orbis.actonservice.com^ +||oregonstate.actonservice.com^ +||orionmarketing.actonservice.com^ +||orlmarketing.nfp.com^ +||ottawa-content.cresa.com^ +||outreach.allmy-data.com^ +||outreach.connectednation.org^ +||outreach.crossref.org^ +||outreach.kansashealthsystem.com^ +||outreach.semaconnect.com^ +||outreach.successforall.org^ +||outreach.teex.info^ +||outreach.veritivcorp.com^ +||pacstainless.actonservice.com^ +||page.asraymond.com^ +||page.ephesus.cooperlighting.com^ +||page.evergage.com^ +||page.ggled.net^ +||page.hpcspecialtypharmacy.com^ +||page.irco.com^ +||page.northstateconsultingllc.com^ +||page.vital4.net^ +||page1solutions.actonservice.com^ +||pages.aureon.com^ +||pages.cobweb.com^ +||pages.crd.com^ +||pages.distributionstrategy.com^ +||pages.exterro.com^ +||pages.jobaline.com^ +||pages.rategain.com^ +||pages.srsmith.com^ +||pages.telemessage.com^ +||pages.uila.com^ +||pages.vuzion.cloud^ +||pages.zenefits.com^ +||paintersusainc.actonservice.com^ +||pairin.actonservice.com^ +||pal-v.actonservice.com^ +||paladion.actonservice.com^ +||palramamericas.actonservice.com^ +||parallel6.actonservice.com^ +||partner.hubinternational.com^ +||partnership.evolenthealth.com^ +||patientpay.actonservice.com^ +||pawsplus.actonservice.com^ +||paydashboard.actonservice.com^ +||paynewest.actonservice.com^ +||pbc.programbrokerage.com^ +||pcci.pccinnovation.org^ +||pccipieces.actonservice.com^ +||people.mbtionline.com^ +||peoplehr.actonservice.com^ +||performantcorp.actonservice.com^ +||permission.au.actonservice.com^ +||phdinc.actonservice.com^ +||philadelphia-content.cresa.com^ +||phionline.actonservice.com^ +||phoenix-content.cresa.com^ +||photography.hursey.com^ +||phsmobile.actonservice.com^ +||phyins.actonservice.com^ +||picarro.actonservice.com^ +||pimpoint.inriver.com^ +||pipelinepub.actonservice.com^ +||pitcher.actonservice.com^ +||pivotpointsecurity.actonservice.com^ +||pl.sharpmarketing.eu^ +||pla.pearlinsurance.com^ +||plans.ceteraretirement.com^ +||ple.pearlinsurance.com^ +||pll.pearlinsurance.com^ +||plo.pearlinsurance.com^ +||polypak.actonservice.com^ +||portal.dcgone.com^ +||portal.insight.maruedr.com^ +||possibilities.theajinetwork.com^ +||postgraduate.smu.edu.sg^ +||postgraduate2.smu.edu.sg^ +||powerup.rsaworks.com^ +||ppadv.actonservice.com^ +||practicemanagement.securitiesamerica.com^ +||premiercio.actonservice.com^ +||primavera.actonservice.com^ +||privateclient.hubinternational.com^ +||processserver.abclegal.com^ +||product.cel-fi.com^ +||proffiliatesinc.actonservice.com^ +||progressivedev.actonservice.com^ +||promo.aprima.com^ +||promo.ewellix.com^ +||promo.reborncabinets.com^ +||promo.rmidirect.com^ +||promo.skf.com^ +||promos.sanmarcanada.com^ +||promos.trustedtours.com^ +||promotions.stationcasinos.com^ +||promotionspr.actonservice.com^ +||propay.actonservice.com^ +||properties.insiterealestate.com^ +||prospex.actonservice.com^ +||protapes.actonservice.com^ +||protosell.actonservice.com^ +||providentcrm.actonservice.com^ +||prowareness.actonservice.com^ +||prudential.distribution.team.prudential.co.uk^ +||ptw-i.actonservice.com^ +||publications.nomination.fr^ +||publicschoolworks.actonservice.com^ +||pulse.munsonhealthcare.org^ +||purpletalk.actonservice.com^ +||pushspring.actonservice.com^ +||pyrexar.actonservice.com^ +||q88.actonservice.com^ +||qc.qualicocommunitieswinnipeg.com^ +||qm-g.actonservice.com^ +||questintegrity.actonservice.com^ +||questions.theanswerco.com^ +||questrominfo.bu.edu^ +||quidel.actonservice.com^ +||quinceimaging.actonservice.com^ +||quirklogic.actonservice.com^ +||qumulo.actonservice.com^ +||radiometer.actonservice.com^ +||rakuten.actonservice.com^ +||rarnational.raisingareader.org^ +||rbis-solutions.averydennison.com^ +||readingpartners.actonservice.com^ +||readytrainingonline.actonservice.com^ +||realcomm.actonservice.com^ +||realestate.collinscu.org^ +||realize.goldenspiralmarketing.com^ +||realogic.actonservice.com^ +||realogicinc.actonservice.com^ +||recoverypoint.actonservice.com^ +||redbooks.actonservice.com^ +||redclassic.actonservice.com^ +||redlion.actonservice.com^ +||redthreadmarketing.actonservice.com^ +||redvector.actonservice.com^ +||rehmann.actonservice.com^ +||reico.actonservice.com^ +||reliable.elgas.com.au^ +||remarketing.oncourselearning.com^ +||remine.actonservice.com^ +||reppify.actonservice.com^ +||research.insidesales.com^ +||resolution.taxdefensenetwork.com^ +||resources.acarasolutions.com^ +||resources.acarasolutions.in^ +||resources.activatems.com^ +||resources.aldec.com^ +||resources.biz-tech-insights.com^ +||resources.broadleafresults.com^ +||resources.davey.com^ +||resources.digitcom.ca^ +||resources.faronics.com^ +||resources.harneys.com^ +||resources.linengineering.com^ +||resources.lumestrategies.com^ +||resources.recordpoint.com^ +||resources.sightlogix.com^ +||resources.superiorgroup.in^ +||resources.talentrise.com^ +||results.sierrapiedmont.com^ +||retirementliving.actsretirement.org^ +||retirementservices.firstallied.com^ +||reverb.digitalviscosity.com^ +||revgroup.actonservice.com^ +||rhahvac.actonservice.com^ +||rhinowebgroup.actonservice.com^ +||rightanswers.actonservice.com^ +||riscitsolutions.actonservice.com^ +||rmhoffman.actonservice.com^ +||roiscs.actonservice.com^ +||rollbar.actonservice.com^ +||romotur.actonservice.com^ +||root9b.actonservice.com^ +||roxtec.actonservice.com^ +||rsvp.markettraders.com^ +||rtvision.actonservice.com^ +||rumsey.actonservice.com^ +||ruw.roanokeunderwriting.com^ +||rxaap.actonservice.com^ +||rystadenergy.actonservice.com^ +||rzmarketing.realization.com^ +||s.usenix.org^ +||saas.stratitude.com^ +||sabic.actonservice.com^ +||saegissolutions.actonservice.com^ +||sales.avis.com^ +||sales.northeastind.com^ +||sales.texturacorp.com^ +||sales.virtualpbx.com^ +||salesandmarketing.aitcfis.com^ +||samarketing.sedgwick.com^ +||sc.actonservice.com^ +||scalematrix.actonservice.com^ +||schinnerer.actonservice.com^ +||science.schoolspecialtynews.com^ +||scispg.smu.edu.sg^ +||scmarketing.colliers.com^ +||scorebuddy.actonservice.com^ +||se.netpartnering.com^ +||seahorseinfo.agilent.com^ +||sealingdev.actonservice.com^ +||seamarketny.actonservice.com^ +||seb.sharpmarketing.eu^ +||securityins.actonservice.com^ +||sedgwickpooling.sedgwick.com^ +||segra.actonservice.com^ +||senior-systems.actonservice.com^ +||seniorliving.artisseniorliving.com^ +||seniorliving.atriumatnavesink.org^ +||seniorliving.blakehurstlcs.com^ +||seniorliving.blakeliving.com^ +||seniorliving.brandonwildelcs.com^ +||seniorliving.broadviewseniorliving.org^ +||seniorliving.capitalmanor.com^ +||seniorliving.casadelascampanas.com^ +||seniorliving.claremontplace.com^ +||seniorliving.covia.org^ +||seniorliving.cypressplaceseniorliving.com^ +||seniorliving.cypressvillageretirement.com^ +||seniorliving.eastridgeatcutlerbay.com^ +||seniorliving.essexmeadows.com^ +||seniorliving.fellowshipsl.org^ +||seniorliving.foxhillvillage.com^ +||seniorliving.freedomplazafl.com^ +||seniorliving.freedompointefl.com^ +||seniorliving.freedomsquarefl.com^ +||seniorliving.friendshipvillageaz.com^ +||seniorliving.friendsview.org^ +||seniorliving.fvbrandywine.com^ +||seniorliving.fvhollandseniorliving.com^ +||seniorliving.galleriawoodsseniorliving.com^ +||seniorliving.greystonecommunities.com^ +||seniorliving.heronskey.org^ +||seniorliving.jkv.org^ +||seniorliving.johnknox.com^ +||seniorliving.lakeportseniorliving.com^ +||seniorliving.lakeseminoleseniorliving.com^ +||seniorliving.laurelcirclelcs.com^ +||seniorliving.liveatwhitestone.org^ +||seniorliving.marshesofskidaway.com^ +||seniorliving.merionevanston.com^ +||seniorliving.monroevillageonline.org^ +||seniorliving.mooringsatlewes.org^ +||seniorliving.morningsideoffullerton.com^ +||seniorliving.mrcaff.org^ +||seniorliving.parkplaceelmhurst.com^ +||seniorliving.peacevillage.org^ +||seniorliving.plantationvillagerc.com^ +||seniorliving.plymouthplace.org^ +||seniorliving.presvillagenorth.org^ +||seniorliving.querenciabartoncreek.com^ +||seniorliving.regencyoaksseniorliving.com^ +||seniorliving.sagewoodlcs.com^ +||seniorliving.sandhillcove.com^ +||seniorliving.santamartaretirement.com^ +||seniorliving.seasonsretirement.com^ +||seniorliving.sinairesidences.com^ +||seniorliving.smithcrossing.org^ +||seniorliving.southportseniorliving.com^ +||seniorliving.springpointsl.org^ +||seniorliving.stoneridgelcs.com^ +||seniorliving.summitvista.com^ +||seniorliving.thechesapeake.org^ +||seniorliving.theglebe.org^ +||seniorliving.theglenatscrippsranch.com^ +||seniorliving.theheritagelcs.com^ +||seniorliving.theridgecottonwood.com^ +||seniorliving.theridgepinehurst.com^ +||seniorliving.theridgeseniorliving.com^ +||seniorliving.theterracesatbonitasprings.com^ +||seniorliving.thewoodlandsatfurman.org^ +||seniorliving.timberridgelcs.com^ +||seniorliving.trilliumwoodslcs.com^ +||seniorliving.vantagehouse.org^ +||seniorliving.villageatgleannloch.com^ +||seniorliving.welcometomonarchlanding.com^ +||seniorliving.welcometosedgebrook.com^ +||seniorliving.westminsteraustintx.org^ +||seniorliving.whitneycenter.com^ +||seniorliving.winchestergardens.com^ +||seniorliving.wyndemerelcs.com^ +||seniors.fairportbaptisthomes.org^ +||servcliente.marathon-sports-ec.com^ +||services.releasepoint.com^ +||servicing.unitedautocredit.net^ +||setaram.actonservice.com^ +||setonhill.actonservice.com^ +||sffirecu.actonservice.com^ +||sfsinfo.sabic.com^ +||sg.lucanet.com^ +||shelbypublishing.actonservice.com^ +||shipsmarter.idrivelogistics.com^ +||shop.iwantclips.com^ +||simple.siegelgale.com^ +||simscale.actonservice.com^ +||singleplatform.actonservice.com^ +||site.newzstand.com^ +||sitel.actonservice.com^ +||sjms.actonservice.com^ +||skf.actonservice.com^ +||skillshouse.actonservice.com^ +||slashnext.actonservice.com^ +||smartworksforme.actonservice.com^ +||smf.southernmetalfab.com^ +||smu.actonservice.com^ +||smuengage.smu.edu.sg^ +||snd.freshstartnews.com^ +||soccajoeys.actonservice.com^ +||solar.sharpmarketing.eu^ +||solidscape.actonservice.com^ +||solmax.actonservice.com^ +||solutions.a-1freeman.com^ +||solutions.amigraphics.com^ +||solutions.bwtek.com^ +||solutions.cmsa.org^ +||solutions.coreandmain.com^ +||solutions.getfluid.com^ +||solutions.intactstudio.ca^ +||solutions.kep-technologies.com^ +||solutions.lumosnetworks.com^ +||solutions.multitone.com^ +||solutions.oshaeducationcenter.com^ +||solutions.sertifi.com^ +||solutions.servometer.com^ +||solutions.snapfi.com^ +||solutions.toolepeet.com^ +||solutions.wellspring.com^ +||soneticscorp.actonservice.com^ +||sosintl.actonservice.com^ +||sotelsystems.actonservice.com^ +||southwest.pgaofamericagolf.com^ +||spa.admissions.ucdenver.edu^ +||spamtitan.actonservice.com^ +||spark.thelyst.com^ +||spec-sensors.actonservice.com^ +||spinnakermgmt.actonservice.com^ +||srmy.srglobal.com^ +||srsa.srglobal.com^ +||srsg.srglobal.com^ +||sruk.srglobal.com^ +||ssfllp.actonservice.com^ +||sswhitedental.actonservice.com^ +||stahl.actonservice.com^ +||stanburns.actonservice.com^ +||start.mediware.com^ +||start.mybillingtree.com^ +||start.ptl.org^ +||start.sharpclinical.com^ +||start.spark-thinking.com^ +||steel.newmill.com^ +||stentel.actonservice.com^ +||stormwind.actonservice.com^ +||strategycompanion.actonservice.com^ +||studentadvantage.actonservice.com^ +||subscriber.franchiseinsights.com^ +||subscriber.smallbusinessstartup.com^ +||success.act-on.com^ +||success.azzure-it.com^ +||success.benico.com^ +||success.ebmcatalyst.com^ +||success.ebmsoftware.com^ +||success.etgroup.ca^ +||success.getfluid.com^ +||success.intelligentdemand.com^ +||success.mapcom.com^ +||success.rhb.com^ +||success.vertigis.com^ +||success.vertigisstudio.com^ +||sugabyte.actonservice.com^ +||superiorgroup.actonservice.com^ +||support.flex.com^ +||support2.flex.com^ +||support3.flex.com^ +||svmarketing.destinationtoronto.com^ +||swim2000.actonservice.com^ +||symbio.actonservice.com^ +||synapse-da.actonservice.com^ +||synbiobeta.actonservice.com^ +||systancia-scp.actonservice.com^ +||system.nefiber.com^ +||t.ao.argyleforum.com^ +||t.ao.consumerfinancereport.com^ +||t.ao.walletjoy.com^ +||t.oticon.com^ +||tablesafe.actonservice.com^ +||target.actonservice.com^ +||targetrecruitllc.actonservice.com^ +||targetstore.actonservice.com^ +||taylorshellfish.actonservice.com^ +||teach.graduateprogram.org^ +||team.moxtra.com^ +||teamhodges.hodgesualumniandfriends.com^ +||techadv.actonservice.com^ +||technical.kyzen.com^ +||technologyadvice.actonservice.com^ +||techservices.trapptechnology.com^ +||telamoncom.actonservice.com^ +||tele2.actonservice.com^ +||telsmith.actonservice.com^ +||telstraphonewords.actonservice.com^ +||tengointernet.actonservice.com^ +||teracom.actonservice.com^ +||terradatum.actonservice.com^ +||test.actonservice.com^ +||testforce.actonservice.com^ +||teyourmarketing.trungaleegan.com^ +||thebasiccompanies.actonservice.com^ +||thebdx.actonservice.com^ +||thecea.actonservice.com^ +||thequickbooksteam.intuit.ca^ +||thesearchagency.actonservice.com^ +||thesuccessstars.actonservice.com^ +||think.phdinc.com^ +||thomsonreuters.actonservice.com^ +||tickets.smu.edu^ +||ticomix.actonservice.com^ +||timing.whenandhowagency.com^ +||tls.thelibrarystore.com^ +||tmlt.actonservice.com^ +||toonboom.actonservice.com^ +||toonboomanimation.actonservice.com^ +||toronto-content.cresa.com^ +||touch.multitaction.com^ +||touch.thenavisway.com^ +||touchtown.actonservice.com^ +||tourism.visitorlando.com^ +||towerfcu.actonservice.com^ +||townsquareinteractive.actonservice.com^ +||tpe.theparticipanteffect.com^ +||tqhosting.actonservice.com^ +||track.healthcare-distribution.com^ +||tracking.experiencescottsdale.com^ +||tradeshows.aem.org^ +||training.indigobusiness.co.uk^ +||transportation.external.conduent.com^ +||transportation.external.xerox.com^ +||trappcloudservices.trapptechnology.com^ +||trapptech.actonservice.com^ +||travel.caradonna.com^ +||travel.cruisesforless.com^ +||travel.ec-ovc.com^ +||travel.onlinevacationcenter.com^ +||travelmarketreport.actonservice.com^ +||treeoflifecenterus.actonservice.com^ +||triadtechnologies.actonservice.com^ +||triconah.actonservice.com^ +||trinityconsultants.actonservice.com^ +||triton.actonservice.com^ +||triumph.actonservice.com^ +||truefaced.actonservice.com^ +||truemfg.actonservice.com^ +||trust.mitutoyo.com^ +||trust.titanhq.com^ +||trustid.actonservice.com^ +||ttcu-union.actonservice.com^ +||ttmc.actonservice.com^ +||tvppa.actonservice.com^ +||uaemarketing.sedgwick.com^ +||ugmarketing.smu.edu.sg^ +||uk-marketing.roxtec.com^ +||uk.sharpmarketing.eu^ +||ukmarketing.sedgwick.com^ +||unifilabs.actonservice.com^ +||unitedautocredit.actonservice.com^ +||unitusccu.actonservice.com^ +||updates.aem.org^ +||updates.conexpoconagg.com^ +||us-marketing.roxtec.com^ +||us.lucanet.com^ +||us.onkyo.actonservice.com^ +||usaprogrip.actonservice.com^ +||usb-vna.coppermountaintech.com^ +||ussco-dev.actonservice.com^ +||utexas.actonservice.com^ +||value.kfcu.org^ +||velocitypartners.actonservice.com^ +||veoci.actonservice.com^ +||vertexcs.actonservice.com^ +||vetsource.actonservice.com^ +||vhans.siege-corp.com^ +||via.ssl.holdmybeerconsulting.com^ +||video.funnelbox.com^ +||vip.gophersport.com^ +||visit.monroecollege.edu^ +||visitorlando.actonsoftware.com^ +||vitalimages.actonservice.com^ +||vitalmedia.actonservice.com^ +||viu.actonservice.com^ +||viu.viubyhub.com^ +||vividcortex.actonservice.com^ +||voiply.actonservice.com^ +||vonazon.actonservice.com^ +||vt.mak.com^ +||warfieldtech.actonservice.com^ +||warrenfcu.actonservice.com^ +||washlaundry.actonservice.com^ +||wealthcarecapital.actonservice.com^ +||weare.ballymoregroup.com^ +||web.consolid8.com.au^ +||web.eisenhowerhealthnews.org^ +||web.iru.org^ +||web.vonazon.com^ +||web.yourerc.com^ +||weidenhammer.actonservice.com^ +||welcome.patientmatters.com^ +||welcome.qualicoliving.com^ +||welcome.visitthelandmark.com^ +||wernerelectric.actonservice.com^ +||westevents.presidio.com^ +||why.hdvest.com^ +||wissen.sage.de^ +||withyou.shorr.com^ +||woodruffsweitzer.actonservice.com^ +||woodtone.actonservice.com^ +||workspacesolutions.gos1.com^ +||worldnetpr.actonservice.com^ +||wsandco.actonservice.com^ +||ww2.ads-on-line.com^ +||ww2.businessgrouphealth.org^ +||ww2.vinhwellness.com^ +||www.bcaeurope.eu^ +||www.consulting.ramboll.com^ +||www.healthcare-distribution.com^ +||www.marketing.aftermath.com^ +||www.marketing.altn.com^ +||www.marketing.linguamatics.com^ +||www.paydashboardinfo.com^ +||www.wescam.info^ +||www1.cynergysolutions.net^ +||www1.mcsrentalsoftware.com^ +||www1.symmons.com^ +||www2.2ndgear.com^ +||www2.acsvalves.com^ +||www2.arvig.com^ +||www2.bimobject.com^ +||www2.bobcad.com^ +||www2.citizensclimatelobby.org^ +||www2.cremarc.com^ +||www2.dws-global.com^ +||www2.esri.se^ +||www2.extensis.com^ +||www2.quickbooks.co.uk^ +||www2.senetas.com^ +||www2.simplilearn.com^ +||www2.timecommunications.biz^ +||www2.tyrens.se^ +||www2.unit4.nl^ +||www2.yellowspring.co.uk^ +||www2.zacco.com^ +||www3.bimobject.com^ +||www3.motumb2b.com^ +||www3.strsoftware.com^ +||www4.bimobject.com^ +||www4.qualigence.com^ +||www5.bimobject.com^ +||www8.bimobject.com^ +||xait.actonservice.com^ +||xseedwealth.actonservice.com^ +||yourbrandlive.actonservice.com^ +||yourcare.pennstatehealth.org^ +||yourerc.actonservice.com^ +||yourfuture.walsh.edu^ +||yourhealth.bassett.org^ +||yourhealth.bassetthealthnews.org^ +||yourhealth.cooperhealth.org^ +||yourhealth.sahealth.com^ +||yourhealth.wellness.providence.org^ +||youronestopshop.themagnetgroup.com^ +||yoursolution.electrified.averydennison.com^ +||yoursolution.tapes.averydennison.com^ +||ypowpo.actonservice.com^ +||zenedge.actonservice.com^ +||zoominfo.actonservice.com^ +||zuidema.actonservice.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_otto.txt *** +! easyprivacy_specific_cname_otto.txt +! Company name: Otto Group https://github.com/AdguardTeam/cname-trackers/raw/master/data/trackers/otto-group.txt +! +||prod.nitrosniffer.ottogroup.io^ +||sniffer.nitro-production.otto.boreus.de^ +||sniffer.nitro-test-extern.otto.boreus.de^ +||te.ackermann.ch^ +||te.ambria.de^ +||te.baur.de^ +||te.creation-l.de^ +||te.frankonia.at^ +||te.frankonia.com^ +||te.frankonia.de^ +||te.frankoniamoda.ch^ +||te.heine-shop.nl^ +||te.heine.at^ +||te.heine.ch^ +||te.heine.de^ +||te.helline.fr^ +||te.imwalking.de^ +||te.jelmoli-shop.ch^ +||te.limango.de^ +||te.mirapodo.de^ +||te.mytoys.de^ +||te.nitro-production.otto.boreus.de^ +||te.nitro-test-extern.otto.boreus.de^ +||te.otto.de^ +||te.ottoversand.at^ +||te.quelle.de^ +||te.sheego.de^ +||te.sieh-an.at^ +||te.sieh-an.ch^ +||te.sieh-an.de^ +||te.universal.at^ +||te.waeschepur.de^ +||te.witt-international.cz^ +||te.witt-international.nl^ +||te.witt-international.sk^ +||te.witt-weiden.at^ +||te.witt-weiden.ch^ +||te.witt-weiden.de^ +||te.yomonda.de^ +||te.your-look-for-less.nl^ +||te.your-look-for-less.se^ +||test-extern.nitrosniffer.ottogroup.io^ +||tp.ackermann.ch^ +||tp.ambria.de^ +||tp.baur.de^ +||tp.creation-l.de^ +||tp.frankonia.at^ +||tp.frankonia.com^ +||tp.frankonia.de^ +||tp.frankoniamoda.ch^ +||tp.heine-shop.nl^ +||tp.heine.at^ +||tp.heine.ch^ +||tp.heine.de^ +||tp.imwalking.de^ +||tp.jelmoli-shop.ch^ +||tp.limango.de^ +||tp.mirapodo.de^ +||tp.mytoys.de^ +||tp.otto.de^ +||tp.ottoversand.at^ +||tp.quelle.de^ +||tp.sheego.de^ +||tp.sieh-an.at^ +||tp.sieh-an.ch^ +||tp.sieh-an.de^ +||tp.universal.at^ +||tp.waeschepur.de^ +||tp.witt-international.cz^ +||tp.witt-international.nl^ +||tp.witt-international.sk^ +||tp.witt-weiden.at^ +||tp.witt-weiden.ch^ +||tp.witt-weiden.de^ +||tp.yomonda.de^ +||tp.your-look-for-less.nl^ +||tp.your-look-for-less.se^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_commanders-act.txt *** +! easyprivacy_specific_cname_commanders-act.txt +! tagcommander.com disguised trackers https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/commanders-act.txt +! +||acquisition.klm.com^ +||configure.adlermode.com^ +||data.auchandirect.fr^ +||data.decathlon.co.uk^ +||data.decathlon.de^ +||data.decathlon.es^ +||data.decathlon.fr^ +||data.decathlon.it^ +||data.decathlon.pl^ +||data.ouigo.com^ +||data.ricaud.com^ +||data.ubi.com^ +||data.wptag.net^ +||logger.yp.ca^ +||sales.disneylandparis.com^ +||tag.boulanger.fr^ +||tagcommander.laredoute.be^ +||tagcommander.laredoute.ch^ +||tc.europcar.com.au^ +||tc.europcar.com^ +||tc.europcar.de^ +||tcdata.fnac.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_ingenious-technologies.txt *** +! easyprivacy_specific_cname_ingenious-technologies.txt +! Company name: Ingenious Technologies https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/ingenious-technologies.txt +! +||0.net.easyjet.com^ +||125.net.jumia.co.ke^ +||176.net.jumia.ma^ +||63-217-112-145.static.pccwglobal.net.iberostar.com^ +||68-175.net.jumia.co.ke^ +||69-74.net.jumia.sn^ +||71-177.net.jumia.ma^ +||admin.net.fidorbank.uk^ +||af.eficads.com^ +||affiliate.logitravel.com^ +||ai.net.anwalt.de^ +||ak-br-cdn.kwai.net.iberostar.com^ +||akv2-br-cdn.kwai.net.iberostar.com^ +||ali-pro-origin-pull.kwai.net.iberostar.com^ +||ali-pro-pull.kwai.net.iberostar.com^ +||amahami.net.anwalt.de^ +||anaconda.net.anwalt.de^ +||analytics.net.dz.jumia.com^ +||api.apiok.net.iberostar.com^ +||app.chat.global.xiaomi.net.iberostar.com^ +||appfloor.appcpi.net.iberostar.com^ +||apress.efscle.com^ +||arch.net.jumia.ug^ +||atl-b24-link.ip.twelve99.net.iberostar.com^ +||aws-br-cdn.kwai.net.iberostar.com^ +||aws-br-pic.kwai.net.iberostar.com^ +||bdtheque.net.jumia.com.gh^ +||bolt-gcdn.sc-cdn.net.iberostar.com^ +||bruny.net.anwalt.de^ +||bs-pro-origin-pull.kwai.net.iberostar.com^ +||cast.net.anwalt.de^ +||cdn.net.dz.jumia.com^ +||cdn.net.elogia.net^ +||cppm-kc2.net.jumia.ci^ +||csr11.net.asambeauty.com^ +||cust01-cucm-sub-07-cl6.int.net.jumia.ug^ +||dc01p-net-sslvpn0-ra.net.jumia.com.gh^ +||dclnxirp001cou.net.jumia.co.tz^ +||dev-cenam-mobilefirst.tmx-internacional.net.iberostar.com^ +||dit.whatsapp.net.iberostar.com^ +||dls-b23-link.ip.twelve99.net.iberostar.com^ +||dpm.demdex.net.iberostar.com^ +||dst05lp2.net.mydays.de^ +||edge-mobile-static.azureedge.net.iberostar.com^ +||ei-api.testlb-gwy.easyjet.com.edgekey.net.easyjet.com^ +||ellypsio.net.jumia.com.ng^ +||eniac.net.jumia.com.gh^ +||external-bos5-1.xx.fbcdn.net.iberostar.com^ +||external.fpbc1-1.fna.fbcdn.net.iberostar.com^ +||find.api.micloud.xiaomi.net.iberostar.com^ +||fse.net.anwalt.de^ +||ftwnwght.net.anwalt.de^ +||fulmar.net.anwalt.de^ +||g-br-cdn.kwai.net.iberostar.com^ +||g-fallback.whatsapp.net.iberostar.com^ +||g.whatsapp.net.iberostar.com^ +||gea-exchange-03.net.jumia.ug^ +||ginmon.efscle.com^ +||instagram.xx.fbcdn.net.iberostar.com^ +||ipv4-c006-mid001-telmex-isp.1.oca.nflxvideo.net.iberostar.com^ +||ipv4-c024-mia006-ix.1.oca.nflxvideo.net.iberostar.com^ +||ipv4-cs.intsig.net.iberostar.com^ +||jkanime.net.iberostar.com^ +||kernenergie.efscle.com^ +||lozano.net.anwalt.de^ +||maeketing.net.gafas.es^ +||mandant.net.anwalt.de^ +||marketing.net.asambeauty.com^ +||marketing.net.beate-uhse-movie.com^ +||marketing.net.brillen.com^ +||marketing.net.brillen.pl^ +||marketing.net.daraz.lk^ +||marketing.net.daraz.pk^ +||marketing.net.elogia.net^ +||marketing.net.fidor.de^ +||marketing.net.gafas.es^ +||marketing.net.home24.at^ +||marketing.net.home24.be^ +||marketing.net.home24.de^ +||marketing.net.home24.fr^ +||marketing.net.home24.nl^ +||marketing.net.iberostar.com^ +||marketing.net.idealo-partner.com^ +||marketing.net.jumia.co.ke^ +||marketing.net.jumia.com.gh^ +||marketing.net.jumia.com.ng^ +||marketing.net.jumia.ma^ +||marketing.net.occhiali24.it^ +||marketing.net.vsgamers.es^ +||marketing.net.x24factory.com^ +||marketing.tr.netsalesmedia.pl^ +||mc2o133jkwu19fv9.net.fidor.de^ +||mcfeely.net.mydays.de^ +||mdtnjvcsdbc02-eth1-0.net.mydays.de^ +||media-atl3-1.cdn.whatsapp.net.iberostar.com^ +||media-cdg4-1.cdn.whatsapp.net.iberostar.com^ +||media.fmid5-1.fna.whatsapp.net.iberostar.com^ +||mellamanjorge.net.anwalt.de^ +||mhbhwilson1.net.mydays.de^ +||mholland.net.anwalt.de^ +||mmg.whatsapp.net.iberostar.com^ +||mobile-events.eservice.emarsys.net.iberostar.com^ +||mohamed.net.anwalt.de^ +||naoforge.net.jumia.com.ng^ +||nbcxa65t001z.net.jumia.ug^ +||neoncsr21.net.anwalt.de^ +||net.24-ads.com^ +||net.brillen.de^ +||net.cadeautjes.nl^ +||net.contorion.de^ +||net.daraz.com.bd^ +||net.daraz.com^ +||net.deine-arena.de^ +||net.fashionsisters.de^ +||net.home24.ch^ +||net.home24.com^ +||net.home24.it^ +||net.iberia.com^ +||net.jumia.com.eg^ +||net.jumia.com^ +||net.mydays.ch^ +||net.shop.com.mm^ +||net.steiner-vision.de^ +||net.tradeers.de^ +||net.voopter.com.br^ +||net.zooroyal.de^ +||nsm.tr.netsalesmedia.pl^ +||p16-tiktokcdn-com.akamaized.net.iberostar.com^ +||partner.net.idealo-partner.com^ +||partner.portal.fidormarket.com^ +||partner.service.belboon.com^ +||phpmyadmin.toolmonger.net.jumia.co.tz^ +||pny.net.penny.de^ +||prime.net.jumia.co.tz^ +||pvn.rewe.de^ +||r.akipam.com^ +||r.jakuli.com^ +||r.lafamo.com^ +||r.niwepa.com^ +||r.powuta.com^ +||rbcore-wlc-3.net.jumia.co.ke^ +||renaultbankdirekt.efscle.com^ +||report.appmetrica.yandex.net.iberostar.com^ +||resolver.msg.global.xiaomi.net.iberostar.com^ +||router28.net.anwalt.de^ +||s010.net.jumia.sn^ +||samia.net.anwalt.de^ +||schwaebischhall.efscle.com^ +||scontent-atl3-2.xx.fbcdn.net.iberostar.com^ +||scontent-cdg4-1.xx.fbcdn.net.iberostar.com^ +||scontent-cdg4-2.xx.fbcdn.net.iberostar.com^ +||scontent.fpbc1-2.fna.fbcdn.net.iberostar.com^ +||scontent.xx.fbcdn.net.iberostar.com^ +||server2.www1.dr.goldenserviceawards.net.jumia.co.ke^ +||shhoix0fuonj0hz6.net.fidor.de^ +||sonar6-akl1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ams2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-arn2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-atl3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-bcn1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-bkk1-2.xx.fbcdn.net.iberostar.com^ +||sonar6-bog2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-bom1-2.xx.fbcdn.net.iberostar.com^ +||sonar6-bru2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ccu1-2.xx.fbcdn.net.iberostar.com^ +||sonar6-cdg4-1.xx.fbcdn.net.iberostar.com^ +||sonar6-cdg4-2.xx.fbcdn.net.iberostar.com^ +||sonar6-cdg4-3.xx.fbcdn.net.iberostar.com^ +||sonar6-cgk1-3.xx.fbcdn.net.iberostar.com^ +||sonar6-cph2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-cpt1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-del2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-den4-1.xx.fbcdn.net.iberostar.com^ +||sonar6-dfw5-1.xx.fbcdn.net.iberostar.com^ +||sonar6-dfw5-2.xx.fbcdn.net.iberostar.com^ +||sonar6-doh1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-dub4-1.xx.fbcdn.net.iberostar.com^ +||sonar6-eze1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-fco2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-fml20-1.xx.fbcdn.net.iberostar.com^ +||sonar6-for1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-fra3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-fra3-2.xx.fbcdn.net.iberostar.com^ +||sonar6-fra5-2.xx.fbcdn.net.iberostar.com^ +||sonar6-gig4-1.xx.fbcdn.net.iberostar.com^ +||sonar6-gmp1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-gru2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-gua1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ham3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-hel3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-hkt1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-hou1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-hyd1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ist1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-itm1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-jnb1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-kul2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-lax3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-lga3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-lhr6-2.xx.fbcdn.net.iberostar.com^ +||sonar6-lim1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-lis1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-los2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-maa2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mad1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mba1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mct1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mrs2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mty2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-mxp1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-nrt1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ord5-2.xx.fbcdn.net.iberostar.com^ +||sonar6-pmo1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-qro1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-scl2-1.xx.fbcdn.net.iberostar.com^ +||sonar6-sea1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-sin6-1.xx.fbcdn.net.iberostar.com^ +||sonar6-sjc3-1.xx.fbcdn.net.iberostar.com^ +||sonar6-sof1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-ssn1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-tir3-2.xx.fbcdn.net.iberostar.com^ +||sonar6-tpe1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-vie1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-xsp1-3.xx.fbcdn.net.iberostar.com^ +||sonar6-xxb1-1.xx.fbcdn.net.iberostar.com^ +||sonar6-yyz1-1.xx.fbcdn.net.iberostar.com^ +||sonar6.fcul1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fgdl1-3.fna.fbcdn.net.iberostar.com^ +||sonar6.fgdl1-4.fna.fbcdn.net.iberostar.com^ +||sonar6.fgym1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fhmo1-2.fna.fbcdn.net.iberostar.com^ +||sonar6.fmlm1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fmzt1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fnog1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fntr4-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fpbc1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fpbc1-2.fna.fbcdn.net.iberostar.com^ +||sonar6.fver1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.fzih1-1.fna.fbcdn.net.iberostar.com^ +||sonar6.xy.fbcdn.net.iberostar.com^ +||srd1-pdx.net.jumia.ci^ +||static.whatsapp.net.iberostar.com^ +||stats.g.doubleclick.net.iberostar.com^ +||stereofixers.net.jumia.com.gh^ +||swissinside.easyjet.com.edgekey.net.easyjet.com^ +||tamus.net.anwalt.de^ +||thialfi.net.anwalt.de^ +||thumbs.net.anwalt.de^ +||tirandoalmedio.net.anwalt.de^ +||titomacia.net.anwalt.de^ +||tittendestages.net.anwalt.de^ +||tweetdeck.net.anwalt.de^ +||twistairclub.net.anwalt.de^ +||tx-br-cdn.kwai.net.iberostar.com^ +||tx-pro-pull.kwai.net.iberostar.com^ +||txv2-br-cdn.kwai.net.iberostar.com^ +||tyumen.net.anwalt.de^ +||ui.belboon.com^ +||umrvmb.net.anwalt.de^ +||us.appbackupapi.micloud.xiaomi.net.iberostar.com^ +||us.micardapi.micloud.xiaomi.net.iberostar.com^ +||us.noteapi.micloud.xiaomi.net.iberostar.com^ +||us.pdc.micloud.xiaomi.net.iberostar.com^ +||usw18-268-pdb.net.mydays.de^ +||v16m-default.akamaized.net.iberostar.com^ +||valdes.net.anwalt.de^ +||vd-test.net.anwalt.de^ +||vidfiles.net.mydays.de^ +||vl037.net.anwalt.de^ +||wasteland.net.anwalt.de^ +||whoami.akamai.net.iberostar.com^ +||wotasia2.login.wargaming.net.iberostar.com^ +||wotasia3.login.wargaming.net.iberostar.com^ +||wpe-client02-vm4.net.mydays.de^ +||ws-br-cdn.kwai.net.iberostar.com^ +||ws-pro-pull.kwai.net.iberostar.com^ +||www.brillen.demarketing.net.brillen.pl^ +||www.ciscenje.net.jumia.com.ng^ +||www.clients.net.anwalt.de^ +||www.csr31.net.anwalt.de^ +||www.iaccede.net.jumia.ug^ +||www.meuble-design.net.jumia.ug^ +||www.net.asambeauty.com^ +||www.restopascher.net.jumia.sn^ +||www1.na.sandbox.gwsweb.net.jumia.co.ke^ +||yoi05.youthorganizing.net.jumia.ci^ +||zds.net.anwalt.de^ +||zimadifirenze.net.anwalt.de^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_np6.txt *** +! easyprivacy_specific_cname_np6.txt +! tracking.bp01.net disguised trackers https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/np6.txt +! +! +||cotemaison.np6.com^ +||emailing.casden.banquepopulaire.fr^ +||epm.mailperformance.com^ +||f1.demo.np6.com^ +||f1.mailperf.com^ +||f1.mailperformance.com^ +||f1.mperf.com^ +||f1.np6.com^ +||infojeux.paris.fr^ +||lbv5.mperf.com^ +||mailtracking.tf1.com^ +||mp.pitchero.com^ +||news.mailperformance.com^ +||newsletter.ticketac.com^ +||shortener.np6.com^ +||sms.gestion.cetelem.fr^ +||sms.news.allopneus.com^ +||t8.mailperformance.com^ +||tr.3ou4xcb.cetelem.fr^ +||tr.3xcb.cofinoga.fr^ +||tr.aasi.espmp-agfr.net^ +||tr.abo.cotemaison.fr^ +||tr.account.np6.com^ +||tr.acd-comexpert.fr^ +||tr.acq-pjms.fr^ +||tr.actiflip.devisdirect.com^ +||tr.activeprospects.info^ +||tr.actu-companeo.com^ +||tr.actu.bricodepot.com^ +||tr.actu.reunica.com^ +||tr.actu.rmcbfmplay.com^ +||tr.actualites.bfmtv.com^ +||tr.actualites.reseau-lcd.org^ +||tr.actuentreprises.elior.fr^ +||tr.actupremium.com^ +||tr.actus-fdj.fr^ +||tr.adhesion.ircom-laverriere.com^ +||tr.afpa.espmp-cufr.net^ +||tr.ag2rlamondiale.fr^ +||tr.agefiseminaires.com^ +||tr.alex.espmp-agfr.net^ +||tr.allianz-trade.com^ +||tr.allopneus.com^ +||tr.animation.lexpress.fr^ +||tr.animation.micromania.fr^ +||tr.animations.alticemedia.com^ +||tr.animations.bfmtv.com^ +||tr.apou032.espmp-agfr.net^ +||tr.asp0010.espmp-nifr.net^ +||tr.asp0018.espmp-aufr.net^ +||tr.asp002q.espmp-aufr.net^ +||tr.asp002x.espmp-cufr.net^ +||tr.asp0085.espmp-nifr.net^ +||tr.asp008y.espmp-nifr.net^ +||tr.asp009j.espmp-aufr.net^ +||tr.asp009k.espmp-cufr.net^ +||tr.asp00a0.espmp-cufr.net^ +||tr.asp00a1.espmp-agfr.net^ +||tr.asp00a3.espmp-agfr.net^ +||tr.asp00a6.espmp-nifr.net^ +||tr.asp00ah.espmp-nifr.net^ +||tr.asp00am.espmp-cufr.net^ +||tr.asp1.espmp-agfr.net^ +||tr.asp102n.espmp-cufr.net^ +||tr.asp103z.espmp-nifr.net^ +||tr.asp104p.espmp-aufr.net^ +||tr.asp106d.espmp-cufr.net^ +||tr.asp106g.espmp-nifr.net^ +||tr.asp106m.espmp-agfr.net^ +||tr.asp108a.espmp-cufr.net^ +||tr.asp1098.espmp-cufr.net^ +||tr.asp109c.espmp-aufr.net^ +||tr.asp109e.espmp-cufr.net^ +||tr.asp109y.espmp-agfr.net^ +||tr.asp10a7.espmp-aufr.net^ +||tr.asp10ai.espmp-nifr.net^ +||tr.asp10ap.espmp-nifr.net^ +||tr.asp10ar.espmp-cufr.net^ +||tr.asp10b3.espmp-agfr.net^ +||tr.asp10bq.espmp-nifr.net^ +||tr.asp10bs.espmp-aufr.net^ +||tr.asp10c8.espmp-agfr.net^ +||tr.asp10cc.espmp-nifr.net^ +||tr.asp10cg.espmp-nifr.net^ +||tr.asp10ch.espmp-nifr.net^ +||tr.asp10cr.espmp-nifr.net^ +||tr.asp10d7.espmp-nifr.net^ +||tr.asp10de.espmp-agfr.net^ +||tr.asp10df.espmp-agfr.net^ +||tr.asp10dq.espmp-nifr.net^ +||tr.asp10dx.espmp-nifr.net^ +||tr.asp10ea.espmp-nifr.net^ +||tr.asp10f5.espmp-agfr.net^ +||tr.asp10f6.espmp-agfr.net^ +||tr.asp10fa.espmp-cufr.net^ +||tr.asp10fg.espmp-aufr.net^ +||tr.asp10fl.espmp-nifr.net^ +||tr.asp10fo.espmp-nifr.net^ +||tr.asp10fp.espmp-nifr.net^ +||tr.asp10fx.espmp-cufr.net^ +||tr.asp10ga.espmp-nifr.net^ +||tr.asp10ge.espmp-nifr.net^ +||tr.asp10h2.espmp-nifr.net^ +||tr.asp10hc.espmp-aufr.net^ +||tr.asp10hg.espmp-cufr.net^ +||tr.asp10hi.espmp-cufr.net^ +||tr.asp10hj.espmp-pofr.net^ +||tr.asp10if.espmp-cufr.net^ +||tr.asp2.espmp-agfr.net^ +||tr.asp202u.espmp-cufr.net^ +||tr.asp2032.espmp-aufr.net^ +||tr.asp2035.espmp-nifr.net^ +||tr.asp203m.espmp-cufr.net^ +||tr.asp2045.espmp-nifr.net^ +||tr.asp204q.espmp-cufr.net^ +||tr.asp205a.espmp-cufr.net^ +||tr.asp2063.espmp-nifr.net^ +||tr.asp206k.espmp-agfr.net^ +||tr.asp2070.espmp-aufr.net^ +||tr.asp2075.espmp-nifr.net^ +||tr.asp2076.espmp-pofr.net^ +||tr.asp2077.espmp-nifr.net^ +||tr.asp2078.espmp-nifr.net^ +||tr.asp207e.espmp-nifr.net^ +||tr.asp207f.espmp-cufr.net^ +||tr.assoc.cfsr-retine.com^ +||tr.avisecheance.maaf.fr^ +||tr.axa-millesimes.espmp-aufr.net^ +||tr.axa.espmp-aufr.net^ +||tr.b2d1.espmp-agfr.net^ +||tr.b2d1068.espmp-nifr.net^ +||tr.b2d106z.espmp-aufr.net^ +||tr.b2d107b.espmp-aufr.net^ +||tr.bati-partner.be^ +||tr.bati-partners.be^ +||tr.batirenover.info^ +||tr.batiweb.co^ +||tr.bel-pros.be^ +||tr.bern.espmp-nifr.net^ +||tr.bienvenue.envie-de-bien-manger.com^ +||tr.bizzquotes.co.uk^ +||tr.bobo.espmp-cufr.net^ +||tr.bodet.devisdirect.com^ +||tr.boletim.companeo.pt^ +||tr.boletim.meu-orcamento.pt^ +||tr.bouyguestelecom.espmp-aufr.net^ +||tr.brand.labelleadresse.com^ +||tr.btob-afaceri.ro^ +||tr.btob-cwf.com^ +||tr.btob-deals.co.uk^ +||tr.btob-pro.be^ +||tr.btob-pro.pt^ +||tr.btob.mhdfrance.fr^ +||tr.btobquotes.be^ +||tr.btobquotes.cl^ +||tr.btobquotes.com^ +||tr.btobquotes.mx^ +||tr.buenasofertas.pro^ +||tr.bureauveritas.espmp-aufr.net^ +||tr.business-deal.be^ +||tr.business-deal.cl^ +||tr.business-deal.com.br^ +||tr.business-deal.fr^ +||tr.business-deal.mx^ +||tr.business-deal.nl^ +||tr.business-quotes.co.uk^ +||tr.businessdev.younited-credit.es^ +||tr.cacf-acq.ipsos-surveys.com^ +||tr.cacf.ipsos-surveys.com^ +||tr.camara.eu.com^ +||tr.capu.espmp-agfr.net^ +||tr.carl.espmp-cufr.net^ +||tr.cart02d.espmp-agfr.net^ +||tr.carte.lcl.fr^ +||tr.cartegie.fr^ +||tr.cashback.floa.fr^ +||tr.cb4x.banque-casino.fr^ +||tr.cb4x.floa.fr^ +||tr.cclx.espmp-agfr.net^ +||tr.cdiscount.3wregie.com^ +||tr.ceeregion.moethennessy.com^ +||tr.christmas.petit-bateau.com^ +||tr.chronodrive.com^ +||tr.ciblexo.fr^ +||tr.cifa.espmp-nifr.net^ +||tr.cifa02b.espmp-aufr.net^ +||tr.cifa02d.espmp-aufr.net^ +||tr.cifa02k.espmp-aufr.net^ +||tr.cifa02l.espmp-nifr.net^ +||tr.citiesforlifeparis.latribune.fr^ +||tr.cj.bordeaux-metropole.fr^ +||tr.client.emailing.bnpparibas^ +||tr.clientes.younited-credit.com^ +||tr.clienti.younited-credit.com^ +||tr.clienti.younited-credit.it^ +||tr.clients-mediametrie.fr^ +||tr.clients.base-plus.fr^ +||tr.clients.boursobank.info^ +||tr.clients.boursorama.info^ +||tr.clients.compagnie-hyperactive.com^ +||tr.clients.europrogres.fr^ +||tr.clients.gemy.fr^ +||tr.clients.idaia.group^ +||tr.cnaf.espmp-nifr.net^ +||tr.cobranca.younited-credit.com^ +||tr.cogedim.espmp-agfr.net^ +||tr.collectif.groupe-vyv.fr^ +||tr.com-clients.sfr.fr^ +||tr.com-parc.sfr.fr^ +||tr.com-red.sfr.fr^ +||tr.com-web.sfr.fr^ +||tr.com.santiane.fr^ +||tr.com.sfr.fr^ +||tr.combca.fr^ +||tr.commande.location.boulanger.com^ +||tr.commercial.boursobank.info^ +||tr.communaute.caradisiac.com^ +||tr.communautes-mediametrie.fr^ +||tr.communication.alticemedia.com^ +||tr.communication.ancv.com^ +||tr.communication.armatis-lc.com^ +||tr.communication.arthur-bonnet.com^ +||tr.communication.b2b-actualites.com^ +||tr.communication.boursobank.info^ +||tr.communication.boursorama.info^ +||tr.communication.cgaaer.fr^ +||tr.communication.enkiapp.io^ +||tr.communication.harmonie-mutuelle.fr^ +||tr.communication.hennessy.com^ +||tr.communication.hybrigenics.com^ +||tr.communication.jardindacclimatation.fr^ +||tr.communication.lamaisondesstartups.com^ +||tr.communication.lvmh.fr^ +||tr.communication.lvmhdare.com^ +||tr.communication.mhdfrance.fr^ +||tr.communication.moethennessy.com^ +||tr.communication.moethennessydiageoconnect.com^ +||tr.communication.np6.com^ +||tr.communication.numericable.fr^ +||tr.communication.offresb2b.fr^ +||tr.communication.top-office.com^ +||tr.companeo-news.co.uk^ +||tr.comunicacao.younited-credit.com^ +||tr.comunicazione.younited-credit.com^ +||tr.contact.astuceco.fr^ +||tr.contact.canalplay.com^ +||tr.contact.canalplus.fr^ +||tr.contact.canalsat.fr^ +||tr.contact.cerel.net^ +||tr.contact.cereps.fr^ +||tr.contact.e-turf.fr^ +||tr.contact.henner.com^ +||tr.contact.lvmh.fr^ +||tr.contact.mhl-publishing.fr^ +||tr.contact.ruinart.com^ +||tr.contact.stof.fr^ +||tr.contact.thelist-emirates.fr^ +||tr.contrat.location.boulanger.com^ +||tr.contrat.lokeo.fr^ +||tr.contrats.cetelem.fr^ +||tr.contrats.cofinoga.fr^ +||tr.contrats.domofinance.fr^ +||tr.corporate.moethennessy.com^ +||tr.courriel.mae.fr^ +||tr.courriel.ouestnormandie.cci.fr^ +||tr.courrier.charentelibre.fr^ +||tr.courrier.larepubliquedespyrenees.fr^ +||tr.courrier.sudouest.fr^ +||tr.crc.henner.com^ +||tr.credito.universo.pt^ +||tr.crtl.espmp-aufr.net^ +||tr.customer-solutions.np6.com^ +||tr.cyberarchi.info^ +||tr.cyprusparadiseestates.com^ +||tr.cypruspremiervacations.com^ +||tr.datacom.espmp-pofr.net^ +||tr.demo.np6.com^ +||tr.designoutlet-contact.fr^ +||tr.devis-companeo.be^ +||tr.devis-companeo.com^ +||tr.devis-companeo.fr^ +||tr.devis-express.be^ +||tr.devis-professionnels.com^ +||tr.devis-professionnels.fr^ +||tr.devis.digital^ +||tr.devisminute-affranchissement.com^ +||tr.devisminute-alarme.com^ +||tr.devisminute-caisseenregistreuse.com^ +||tr.devisminute-fontainereseau.com^ +||tr.devisminute-geolocalisation.com^ +||tr.devisminute-gestiondepatrimoine.com^ +||tr.devisminute-gestiondutemps.com^ +||tr.devisminute-gestionpaie.com^ +||tr.devisminute-materieldestockage.com^ +||tr.devisminute-mutuelle.com^ +||tr.devisminute-operateur.com^ +||tr.devisminute-operateurpro.com^ +||tr.devisminute-securiteb2b.com^ +||tr.devisminute-siteecommerce.com^ +||tr.devisminute-weber.com^ +||tr.devize-companeo.ro^ +||tr.devizul-meu.ro^ +||tr.digitalacademy.np6.com^ +||tr.digitaldigest.lvmh.com^ +||tr.directferries.com^ +||tr.dirigeants.harmonie-mutuelle.fr^ +||tr.discover.perfectstay.com^ +||tr.djay.espmp-agfr.net^ +||tr.dkomaison.info^ +||tr.dnapresse.fr^ +||tr.docapost-sirs.com^ +||tr.dogstrust.org.uk^ +||tr.donateur.afm-telethon.fr^ +||tr.dossier-assurance.maaf.fr^ +||tr.drh-holding.lvmh.fr^ +||tr.e-mail.axa.fr^ +||tr.e-mail.axabanque.fr^ +||tr.e-travaux.info^ +||tr.e.entreprise-pm.fr^ +||tr.e.entreprise-pm.net^ +||tr.e.m-entreprise.fr^ +||tr.e.trouver-un-logement-neuf.com^ +||tr.easy-offertes.be^ +||tr.ecolab-france.fr^ +||tr.ecologie-shop.espmp-agfr.net^ +||tr.em.cdiscount-pro.com^ +||tr.em.cdiscountpro.com^ +||tr.email.aeroexpo.online^ +||tr.email.agriexpo.online^ +||tr.email.akerys.com^ +||tr.email.aktuariat.fr^ +||tr.email.archiexpo.com^ +||tr.email.bon-placement-immobilier.fr^ +||tr.email.contact-jaguar.fr^ +||tr.email.contact-landrover.fr^ +||tr.email.custom-campaign.com^ +||tr.email.d17.tv^ +||tr.email.d8.tv^ +||tr.email.directindustry.com^ +||tr.email.distributor-expo.com^ +||tr.email.gap-france.fr^ +||tr.email.grandjeupaysgourmand.fr^ +||tr.email.harmonie-mutuelle.fr^ +||tr.email.infocredit.orangebank.fr^ +||tr.email.janedeboy.com^ +||tr.email.maisonfoody.com^ +||tr.email.medicalexpo.com^ +||tr.email.mnpaf.fr^ +||tr.email.nauticexpo.com^ +||tr.email.pointfranchise.co.uk^ +||tr.email.rs-fr.com^ +||tr.email.securite-routiere.gouv.fr^ +||tr.email.solocal.com^ +||tr.email.thelem-assurances.fr^ +||tr.email.toute-la-franchise.com^ +||tr.email.videofutur.fr^ +||tr.email.virtual-expo.com^ +||tr.email.voyagesleclerc.com^ +||tr.emailatia.fr^ +||tr.emailing-wishesfactory.com^ +||tr.emailing.agencereference.com^ +||tr.emailing.canalbox.com^ +||tr.emailing.canalplay.com^ +||tr.emailing.canalplus-afrique.com^ +||tr.emailing.canalplus-caledonie.com^ +||tr.emailing.canalplus-caraibes.com^ +||tr.emailing.canalplus-maurice.com^ +||tr.emailing.canalplus-polynesie.com^ +||tr.emailing.canalplus-reunion.com^ +||tr.emailing.canalplus.ch^ +||tr.emailing.canalplus.fr^ +||tr.emailing.canalpro.fr^ +||tr.emailing.canalsat.ch^ +||tr.emailing.cifea-mkg.com^ +||tr.emailing.cnam-paysdelaloire.fr^ +||tr.emailing.cstar.fr^ +||tr.emailing.detours.canal.fr^ +||tr.emailing.grassavoye.com^ +||tr.emailing.pogioclub.be^ +||tr.emailing.studiocanal.com^ +||tr.emailing.tvcaraibes.tv^ +||tr.emailium.fr^ +||tr.emc.moethennessy.com^ +||tr.enedis-infos.fr^ +||tr.enews.customsolutions.fr^ +||tr.enquetes.actionlogement.fr^ +||tr.entreprise-pro.info^ +||tr.entreprise.axa.fr^ +||tr.envie-de-bien-manger.espmp-aufr.net^ +||tr.eqs.cpam67.net^ +||tr.ere.emailing.bnpparibas^ +||tr.espmp-agfr.net^ +||tr.estatesandwines.moethennessy.com^ +||tr.etravauxpro.fr^ +||tr.etude.sncd.org^ +||tr.eulerhermes.com^ +||tr.ev001.net^ +||tr.evenements.inpi.fr^ +||tr.expresofferte.be^ +||tr.fg3p.espmp-cufr.net^ +||tr.fidal.pro^ +||tr.fidalformation.pro^ +||tr.finance.moethennessy.com^ +||tr.fleetmatics.vraaguwofferte.be^ +||tr.forum.veuveclicquot.fr^ +||tr.fr.pro.accor.com^ +||tr.france.plimsoll.fr^ +||tr.futurecommerce.moethennessy.com^ +||tr.gen.espmp-agfr.net^ +||tr.gestion.cafineo.fr^ +||tr.gestion.cetelem.fr^ +||tr.gestion.coficabail.fr^ +||tr.gestion.cofinoga.fr^ +||tr.gestion.credit-moderne.fr^ +||tr.gestion.domofinance.fr^ +||tr.gestion.floa.fr^ +||tr.gestion.hondafinancialservices.fr^ +||tr.gestion.lexpress.fr^ +||tr.gestion.liberation.fr^ +||tr.gestion.norrsken.fr^ +||tr.gestion.sygmabnpparibas-pf.com^ +||tr.gplus.espmp-nifr.net^ +||tr.grez.espmp-nifr.net^ +||tr.group-appointments.lvmh.fr^ +||tr.group-hr.lvmh.fr^ +||tr.groupama-gne.fr^ +||tr.gtr.moethennessy.com^ +||tr.haute-maurienne-vanoise.net^ +||tr.hcahealthcare.co.uk^ +||tr.hello.maisonfoody.com^ +||tr.helloartisan.info^ +||tr.hmut.espmp-agfr.net^ +||tr.holidaycottages.co.uk^ +||tr.impayes.filiassur.com^ +||tr.info-btob-leaders.com^ +||tr.info-companeo.be^ +||tr.info-fr.assurant.com^ +||tr.info-jeux.paris.fr^ +||tr.info-pro.promoneuve.fr^ +||tr.info-strategie.fr^ +||tr.info.actionlogement.fr^ +||tr.info.aeroportdeauville.com^ +||tr.info.ag2rlamondiale.fr^ +||tr.info.aliae.com^ +||tr.info.annoncesbateau.com^ +||tr.info.aprr.fr^ +||tr.info.arialcnp.fr^ +||tr.info.astermod.net^ +||tr.info.aussois.com^ +||tr.info.bessans.com^ +||tr.info.bonneval-sur-arc.com^ +||tr.info.businesscreditcards.bnpparibasfortis.be^ +||tr.info.caissenationalegendarme.fr^ +||tr.info.camping-vagues-oceanes.com^ +||tr.info.capfun.com^ +||tr.info.cartesaffaires.bnpparibas^ +||tr.info.casino-proximites.fr^ +||tr.info.certypro.fr^ +||tr.info.clicochic.com^ +||tr.info.cnch.fr^ +||tr.info.comparadordeprestamos.es^ +||tr.info.conexancemd.com^ +||tr.info.conso-expert.fr^ +||tr.info.covid-resistance-bretagne.fr^ +||tr.info.dentexelans.com^ +||tr.info.e-leclerc.com^ +||tr.info.easyviaggio.com^ +||tr.info.easyviajar.com^ +||tr.info.easyvoyage.co.uk^ +||tr.info.easyvoyage.com^ +||tr.info.ecole-de-savignac.com^ +||tr.info.fulli.com^ +||tr.info.galian.fr^ +||tr.info.harmonie-mutuelle.fr^ +||tr.info.lacentrale.fr^ +||tr.info.lettre.cci.fr^ +||tr.info.linnc.com^ +||tr.info.linxea.com^ +||tr.info.mango-mobilites.fr^ +||tr.info.mango-mobilitesbyaprr.fr^ +||tr.info.mavoiturecash.fr^ +||tr.info.maxis-gbn.com^ +||tr.info.mcgarrybowen.com^ +||tr.info.mdbp.fr^ +||tr.info.mercialys.com^ +||tr.info.mobibam.com^ +||tr.info.np6.com^ +||tr.info.np6.fr^ +||tr.info.oceane-pme.com^ +||tr.info.offres-cartegie.fr^ +||tr.info.onboarding.corporatecards.bnpparibas^ +||tr.info.perl.fr^ +||tr.info.ph-bpifrance.fr^ +||tr.info.phsolidaire-bpifrance.fr^ +||tr.info.pret-bpifrance.fr^ +||tr.info.pretflashtpe-bpifrance.fr^ +||tr.info.projeo-finance.fr^ +||tr.info.promoneuve.fr^ +||tr.info.rebond-bpifrance.fr^ +||tr.info.reunica.com^ +||tr.info.rouen.aeroport.fr^ +||tr.info.rouen.cci.fr^ +||tr.info.snpden.net^ +||tr.info.solidarm.fr^ +||tr.info.svp.com^ +||tr.info.valcenis.com^ +||tr.info.vip-mag.co.uk^ +||tr.info.webikeo.fr^ +||tr.infolettre.securite-routiere.gouv.fr^ +||tr.infolettres.groupama.com^ +||tr.infomarche.hennessy.fr^ +||tr.information.fidalformations.fr^ +||tr.information.labelleadresse.com^ +||tr.information.lacollection-airfrance.be^ +||tr.information.lacollection-airfrance.ch^ +||tr.information.lacollection-airfrance.co.uk^ +||tr.information.lacollection-airfrance.fr^ +||tr.information.leclubtravel.fr^ +||tr.information.perfectstay.com^ +||tr.information.smartdeals-transavia-fr.com^ +||tr.information.thelist-emirates.fr^ +||tr.informations.harmonie-mutuelle.fr^ +||tr.informations.lcl.fr^ +||tr.infos-admissions.com^ +||tr.infos.afpa.fr^ +||tr.infos.allianz-trade.com^ +||tr.infos.ariase.com^ +||tr.infos.enerplus-bordeaux.fr^ +||tr.infos.fongecifcentre.com^ +||tr.infos.gazdebordeaux.fr^ +||tr.infos.lacarte.demenagez-moi.com^ +||tr.infos.lettre-resiliation.com^ +||tr.infos.odalys-vacances.com^ +||tr.inspiration.culture-data.fr^ +||tr.interieur.cotemaison.fr^ +||tr.interviews-mediametrie.fr^ +||tr.invest.younited-credit.com^ +||tr.invitation-mesdessous.fr^ +||tr.invitation.perfectstay.com^ +||tr.ipsos-surveys.com^ +||tr.ispaconsulting.com^ +||tr.italia.plimsoll.it^ +||tr.jend.espmp-pofr.net^ +||tr.jesuis.enformedelotus.com^ +||tr.jevoteenligne.fr^ +||tr.jimb.espmp-cufr.net^ +||tr.jkcd.espmp-cufr.net^ +||tr.jkcd.espmp-pofr.net^ +||tr.jkyg.espmp-cufr.net^ +||tr.kang.espmp-cufr.net^ +||tr.kedf.espmp-nifr.net^ +||tr.klse.espmp-agfr.net^ +||tr.kommunikation.younited-credit.com^ +||tr.kontakt.younited-credit.com^ +||tr.kpfc.espmp-nifr.net^ +||tr.kpyn.espmp-cufr.net^ +||tr.kpyn02a.espmp-cufr.net^ +||tr.kpyn02f.espmp-cufr.net^ +||tr.kpyn059.espmp-pofr.net^ +||tr.krus.espmp-agfr.net^ +||tr.lachaiselongue.fr^ +||tr.landrover.compte-financial-services.fr^ +||tr.laprairie.ifop.com^ +||tr.lbar.espmp-agfr.net^ +||tr.leads.direct^ +||tr.legrandjeu.boulanger.com^ +||tr.lesmarques.envie-de-bien-manger.com^ +||tr.lesmarquesenviedebienmanger.fr^ +||tr.lettre.dechets-infos.com^ +||tr.lettre.helianthal.fr^ +||tr.lettre.lecho-circulaire.com^ +||tr.leyravaud.devisdirect.com^ +||tr.liberation.espmp-aufr.net^ +||tr.livrephoto.espmp-aufr.net^ +||tr.loreal.ifop.com^ +||tr.louisvuittonmalletier.com^ +||tr.louvre-boites.com^ +||tr.ltbu.espmp-nifr.net^ +||tr.ltbu02o.espmp-agfr.net^ +||tr.lvmhappening.lvmh.fr^ +||tr.m.cwisas.com^ +||tr.macarte.truffaut.com^ +||tr.mail-companeo.fr^ +||tr.mail.cdiscount.com.ec^ +||tr.mail.cdiscount.com.pa^ +||tr.mail.digitalpjms.fr^ +||tr.mail.enviedebienmanger.fr^ +||tr.mail.floa.fr^ +||tr.mail.hagerservices.fr^ +||tr.mail.koregraf.com^ +||tr.mail.mdbp.fr^ +||tr.mail.moncoupdepouce.com^ +||tr.mail.perial.info^ +||tr.mail.primevere.com^ +||tr.mail.satisfactory.fr^ +||tr.mail.solocal.com^ +||tr.mail.vip-mag.co.uk^ +||tr.mail.vipmag.fr^ +||tr.mail.vo3000.com^ +||tr.mail1.macif.fr^ +||tr.mailatia.com^ +||tr.mailing.achatpublic.com^ +||tr.mailing.heliades.fr^ +||tr.mailing.laredoute.fr^ +||tr.mailing.lvmhappening.com^ +||tr.mailing.promodeclic.fr^ +||tr.mailingnp6.lavoirmoderne.com^ +||tr.mailmp.macif.net^ +||tr.mailperf.institut-de-la-protection-sociale.fr^ +||tr.mailperf.ngt-services.com^ +||tr.mailperformance.com^ +||tr.mailperformance.fr^ +||tr.maisonsdumonde.com^ +||tr.marg02n.espmp-agfr.net^ +||tr.marketing.bordeauxgironde.cci.fr^ +||tr.marketing.comparadordeprestamos.es^ +||tr.marketing.fulli.com^ +||tr.marketing.tennaxia.com^ +||tr.marketing.younited-credit.com^ +||tr.marketing.younited-credit.es^ +||tr.marketing.younited-credit.pt^ +||tr.marketingdisruption.co.uk^ +||tr.mart.espmp-agfr.net^ +||tr.mcom03b.espmp-aufr.net^ +||tr.mcom04p.espmp-aufr.net^ +||tr.media.harmonie-sante.fr^ +||tr.melhores-propostas.pt^ +||tr.membres.boursorama.info^ +||tr.mep.enkiapp.io^ +||tr.mes-bonsplans.be^ +||tr.mes-prestataires.fr^ +||tr.message.maaf.fr^ +||tr.mh-connect.moethennessy.com^ +||tr.mhch.moet.hennessy.com^ +||tr.mhdconnect.mhdfrance.fr^ +||tr.mhist.moethennessy.com^ +||tr.mhlab78.moethennessy.com^ +||tr.mhusa-trade-engagement.moethennessy.com^ +||tr.mhwinesestates.moethennessy.com^ +||tr.mijn-superaanbieding.be^ +||tr.mijnaanbieding.renowizz.be^ +||tr.mika.espmp-nifr.net^ +||tr.mktg.np6.com^ +||tr.mm.infopro-digital.com^ +||tr.mnoc.espmp-nifr.net^ +||tr.mnpd.espmp-agfr.net^ +||tr.moes.espmp-agfr.net^ +||tr.moja-wycena.pl^ +||tr.monagenligne.fr^ +||tr.mondevis-b2b.com^ +||tr.mondevis-pro.com^ +||tr.moving.fr^ +||tr.mp.aconclue-business.fr^ +||tr.mp.aconclue-entreprise.fr^ +||tr.mp.aconclue-pro.com^ +||tr.mp.actu-pm.fr^ +||tr.mp.infomanageo.fr^ +||tr.mp.ld-man.fr^ +||tr.mrls.espmp-agfr.net^ +||tr.mydevisentreprise.com^ +||tr.n.ferrero.fr^ +||tr.n.info.cdgp.fr^ +||tr.n.info.sygmabanque.fr^ +||tr.n.kinder.fr^ +||tr.n.nutella.fr^ +||tr.n.tic-tac.fr^ +||tr.nati02d.espmp-aufr.net^ +||tr.nespresso.com^ +||tr.nespresso.mailsservices.com^ +||tr.new.offres-cartegie.fr^ +||tr.news-abweb.com^ +||tr.news-chocolat.com^ +||tr.news-companeo.be^ +||tr.news-companeo.cl^ +||tr.news-companeo.com.br^ +||tr.news-companeo.fr^ +||tr.news-companeo.gr^ +||tr.news-companeo.mx^ +||tr.news-companeo.nl^ +||tr.news-companeo.pl^ +||tr.news-dfc.sciences-po.fr^ +||tr.news-fr.perfectstay.com^ +||tr.news-ingerop.com^ +||tr.news-longchamp.com^ +||tr.news.a-t.fr^ +||tr.news.a2micile.com^ +||tr.news.accessmastertour.com^ +||tr.news.accessmbatour.com^ +||tr.news.actu-man.com^ +||tr.news.ailleurs.com^ +||tr.news.alcyon.com^ +||tr.news.alibabuy.com^ +||tr.news.alinea.com^ +||tr.news.allopneus.com^ +||tr.news.aramisauto.com^ +||tr.news.assuragency.net^ +||tr.news.bruneau.fr^ +||tr.news.business-deal.co.uk^ +||tr.news.c-media.fr^ +||tr.news.cad-magazine.com^ +||tr.news.capfun.com^ +||tr.news.casino.fr^ +||tr.news.casinodrive.fr^ +||tr.news.casinomax.fr^ +||tr.news.cci-puydedome.com^ +||tr.news.cdiscount.com^ +||tr.news.cdiscountpro.com^ +||tr.news.cenpac.fr^ +||tr.news.chapsvision.com^ +||tr.news.chezmonveto.com^ +||tr.news.chilican.com^ +||tr.news.clicochic.com^ +||tr.news.companeo.es^ +||tr.news.companeo.ro^ +||tr.news.corsicaferries.com^ +||tr.news.corsicalinea.com^ +||tr.news.cotemaison.fr^ +||tr.news.cporadio.tv^ +||tr.news.crystal-partenaires.com^ +||tr.news.delifrance.com^ +||tr.news.deneuville-chocolat.fr^ +||tr.news.deshotelsetdesiles.com^ +||tr.news.devisdirect.be^ +||tr.news.devisdirect.com^ +||tr.news.digitpjms.fr^ +||tr.news.directeo.fr^ +||tr.news.easy-voyage.com^ +||tr.news.easyviaggio.com^ +||tr.news.easyviajar.com^ +||tr.news.easyvoyage.co.uk^ +||tr.news.easyvoyage.com^ +||tr.news.easyvoyage.de^ +||tr.news.economic-studies.fr^ +||tr.news.editions-lva.fr^ +||tr.news.enkiapp.io^ +||tr.news.entreprise-pm.com^ +||tr.news.epicery.com^ +||tr.news.eureden.com^ +||tr.news.eurodatatv.com^ +||tr.news.exclu.fr^ +||tr.news.extenso-telecom.com^ +||tr.news.externis.com^ +||tr.news.extrabook.com^ +||tr.news.flandrintechnologies.com^ +||tr.news.franceloc.fr^ +||tr.news.futuramedia.fr^ +||tr.news.geantcasino.fr^ +||tr.news.geomag.fr^ +||tr.news.glance-mediametrie.com^ +||tr.news.grandsmoulinsdeparis.com^ +||tr.news.groupe-armonia.com^ +||tr.news.hallobanden.be^ +||tr.news.happycap-foundation.fr^ +||tr.news.happycap.org^ +||tr.news.helvyre.fr^ +||tr.news.heredis.com^ +||tr.news.i24news.tv^ +||tr.news.ics.fr^ +||tr.news.infopro-digital.com^ +||tr.news.interforum.fr^ +||tr.news.itancia.com^ +||tr.news.jautomatise.com^ +||tr.news.kpmg-avocats.fr^ +||tr.news.kpmg.fr^ +||tr.news.kpmgacademy.fr^ +||tr.news.kpmgnet.fr^ +||tr.news.kuhn.com^ +||tr.news.la-collectionairfrance.fr^ +||tr.news.la-meilleure-voyance.com^ +||tr.news.labelleadresse.com^ +||tr.news.lacollection-airfrance.be^ +||tr.news.lacollection-airfrance.ch^ +||tr.news.lacollection-airfrance.co.uk^ +||tr.news.lacollection-airfrance.de^ +||tr.news.lacollection-airfrance.fr^ +||tr.news.lacollectionair-france.fr^ +||tr.news.lacollectionairfrance.be^ +||tr.news.lacollectionairfrance.co.uk^ +||tr.news.lacollectionairfrance.de^ +||tr.news.lacollectionairfrance.fr^ +||tr.news.lalettredelexpansion.com^ +||tr.news.latribunebordeaux.fr^ +||tr.news.leclubtravel.fr^ +||tr.news.lentillesmoinscheres.com^ +||tr.news.lentreprise.lexpress.fr^ +||tr.news.lexpansion.lexpress.fr^ +||tr.news.lexpress.fr^ +||tr.news.linxea.com^ +||tr.news.lisez.com^ +||tr.news.lokapimail.com^ +||tr.news.maisonfoody.com^ +||tr.news.maisons-du-monde.com^ +||tr.news.manufacturing.fr^ +||tr.news.mdbp.fr^ +||tr.news.mediametrie.fr^ +||tr.news.meillandrichardier.com^ +||tr.news.mi-oferta.es^ +||tr.news.moethennessy.com^ +||tr.news.mon-horoscope.info^ +||tr.news.monvoyant.fr^ +||tr.news.mperformance.fr^ +||tr.news.normandie.cci.fr^ +||tr.news.np6.com^ +||tr.news.ocs.fr^ +||tr.news.onetoonemba.com^ +||tr.news.ouestnormandie.cci.fr^ +||tr.news.parisinfo.com^ +||tr.news.perfectstay.com^ +||tr.news.perl.fr^ +||tr.news.pl.bata-esp.com^ +||tr.news.prosfora-mou.gr^ +||tr.news.receiveyourquote.co.uk^ +||tr.news.retailglobalsolutions.com^ +||tr.news.seine-estuaire.cci.fr^ +||tr.news.smartdeals-transavia-fr.com^ +||tr.news.smartdealstransavia-fr.com^ +||tr.news.sport2000.fr^ +||tr.news.styles.lexpress.fr^ +||tr.news.supercasino.fr^ +||tr.news.teklifim.pro^ +||tr.news.thelist-emirates.fr^ +||tr.news.themedtechforum.eu^ +||tr.news.tiptel.fr^ +||tr.news.toocampmail.com^ +||tr.news.toute-la-franchise.com^ +||tr.news.triskalia.fr^ +||tr.news.vetharmonie.fr^ +||tr.news.videofutur.fr^ +||tr.news.vip-diary.com^ +||tr.news.vip-mag.co.uk^ +||tr.news.vipmag.fr^ +||tr.news.vivrecotesud.fr^ +||tr.news.vo3000.com^ +||tr.news.votreargent.lexpress.fr^ +||tr.news.voyagesleclerc.com^ +||tr.news.vraaguwofferte.be^ +||tr.news.vraaguwofferte.com^ +||tr.news.younited-coach.com^ +||tr.news.younited-credit.com^ +||tr.news2pjms.fr^ +||tr.news5.cdiscount.com^ +||tr.news6.cdiscount.com^ +||tr.newsletter-stressless.com^ +||tr.newsletter.10h01.fr^ +||tr.newsletter.1664france.fr^ +||tr.newsletter.1oag.com^ +||tr.newsletter.actalians.fr^ +||tr.newsletter.afpa.fr^ +||tr.newsletter.assuragency.net^ +||tr.newsletter.astro-mail.com^ +||tr.newsletter.bassins-a-flot.fr^ +||tr.newsletter.bauermedia.fr^ +||tr.newsletter.bouygues-construction.com^ +||tr.newsletter.bouygues.com^ +||tr.newsletter.capdecision.fr^ +||tr.newsletter.chandon.com^ +||tr.newsletter.cuisine-plus.tv^ +||tr.newsletter.ecig-privee.fr^ +||tr.newsletter.erenumerique.fr^ +||tr.newsletter.etoiledevenus.com^ +||tr.newsletter.fotodiscount.com^ +||tr.newsletter.huilesdolive.fr^ +||tr.newsletter.leocare.eu^ +||tr.newsletter.location.boulanger.com^ +||tr.newsletter.lokeo.fr^ +||tr.newsletter.meilleurmobile.com^ +||tr.newsletter.milleis.fr^ +||tr.newsletter.mixr.net^ +||tr.newsletter.monmedium.com^ +||tr.newsletter.np6.com^ +||tr.newsletter.np6.fr^ +||tr.newsletter.opcoep.fr^ +||tr.newsletter.photoservice.com^ +||tr.newsletter.phyto.com^ +||tr.newsletter.plurielmedia.com^ +||tr.newsletter.tiragephoto.fr^ +||tr.newsletter.younited-credit.com^ +||tr.newsletterpagesjaunes.fr^ +||tr.newsletters-bonpoint.com^ +||tr.newsletters.alticemedia.com^ +||tr.newsletters.coedition-contact.fr^ +||tr.newsletters.odalys-vacances.com^ +||tr.newsletters.qapa-interim.fr^ +||tr.newsmarketing.allopneus.com^ +||tr.nl.2wls.net^ +||tr.nl.ardennes.cci.fr^ +||tr.nl.mondo-shop.fr^ +||tr.nl.myvipmag.fr^ +||tr.nl.services-sncf.com^ +||tr.nl2.sncf-fidelite.com^ +||tr.nmcm.espmp-cufr.net^ +||tr.notification-gdpr.bnpparibas-pf.fr^ +||tr.notification-gdpr.cafineo.fr^ +||tr.notification-gdpr.cofica.fr^ +||tr.notification-gdpr.cofinoga.fr^ +||tr.notification-gdpr.credit-moderne.fr^ +||tr.notification-gdpr.domofinance.fr^ +||tr.notification-gdpr.loisirs-finance.fr^ +||tr.notification-gdpr.norrsken.fr^ +||tr.notification-gdpr.personal-finance-location.bnpparibas^ +||tr.notification.cafineo.fr^ +||tr.notification.cdiscount.com^ +||tr.notification.cetelem.fr^ +||tr.notification.credit-moderne.fr^ +||tr.notification.norrsken.fr^ +||tr.notification.np6.com^ +||tr.np6.com^ +||tr.np6.fr^ +||tr.np6.orange.fr^ +||tr.observatoire.musee-orangerie.fr^ +||tr.observatoire.musee-orsay.fr^ +||tr.oferta-firmy.pl^ +||tr.ofertas-companeo.es^ +||tr.offer-companeo.co.uk^ +||tr.offerta-companeo.com^ +||tr.offerte.migliorifornitori.it^ +||tr.offre-btob.fr^ +||tr.offre-companeo.com^ +||tr.offre.devisdirect.com^ +||tr.offres-professionnelles.fr^ +||tr.offres.ap-regie.fr^ +||tr.offres.bfmtv.com^ +||tr.offresbtoc.engie.fr^ +||tr.offrevip.floa.fr^ +||tr.ojxm.espmp-aufr.net^ +||tr.online.longchamp.com^ +||tr.openinnovation.lvmh.com^ +||tr.orange-lease.fr^ +||tr.orcamento-online.pt^ +||tr.orcamentos-companeo.pt^ +||tr.oxatis.devisdirect.com^ +||tr.panels-mediametrie.fr^ +||tr.part.offres-cartegie.fr^ +||tr.partenaire.groupe-vyv.fr^ +||tr.partenaire.manageo.info^ +||tr.particuliers8.engie.com^ +||tr.partners.younited-credit.it^ +||tr.payment.lvmh.com^ +||tr.phjk.espmp-nifr.net^ +||tr.pixe.espmp-cufr.net^ +||tr.pm.pelhammedia.com^ +||tr.poker.np6.com^ +||tr.pole-emploi-services.com^ +||tr.pole-emploi.info^ +||tr.policyexpert.info^ +||tr.politicoevents.eu^ +||tr.politicolive.eu^ +||tr.politicomarketing.eu^ +||tr.portail.afpa.fr^ +||tr.prevention.harmonie-mutuelle.fr^ +||tr.preventivo.risparmiazienda.it^ +||tr.pro-renov.be^ +||tr.pro.odalys-vacances.com^ +||tr.pro.residencehappysenior.fr^ +||tr.programme-voyageur-sncf.com^ +||tr.projet.cotemaison.fr^ +||tr.promo.np6.fr^ +||tr.promotion.lexpress.fr^ +||tr.prosfores-companeo.gr^ +||tr.prosfores-etairias.gr^ +||tr.ps.espmp-agfr.net^ +||tr.psaparts.com^ +||tr.publicisdrugstore.espmp-agfr.net^ +||tr.qualitaetsumfrage.com^ +||tr.qualitaveicolo.com^ +||tr.qualite.groupama.com^ +||tr.qualite.groupebarriere.com^ +||tr.qualite.viparis.com^ +||tr.qualitevehicule.fr^ +||tr.qualityvehiclesurvey.com^ +||tr.quotes.digital^ +||tr.quotes4business.com^ +||tr.quotes4business.info^ +||tr.quotesforbusiness.cl^ +||tr.quotesforbusiness.co.uk^ +||tr.ratm.espmp-agfr.net^ +||tr.raym.espmp-agfr.net^ +||tr.reactivation.vertbaudet.fr^ +||tr.read.glose.com^ +||tr.recouvrement.finrec.com^ +||tr.recouvrement.seeric.com^ +||tr.recouvrement.younited-credit.com^ +||tr.redaction.essentiel-sante-magazine.fr^ +||tr.reglementaire.emailing.bnpparibas^ +||tr.relation-mediametrie.fr^ +||tr.relation.uneo.fr^ +||tr.renowizze.be^ +||tr.republicains-info.org^ +||tr.rh.auchan.com^ +||tr.route-solutiondata.fr^ +||tr.roxi02e.espmp-agfr.net^ +||tr.safrancom-esp.net^ +||tr.sash.espmp-aufr.net^ +||tr.sash02g.espmp-nifr.net^ +||tr.satisfaction.alinea.com^ +||tr.satisfaction.groupe-pv-cp.com^ +||tr.satisfaction.villagesnature.com^ +||tr.scienceshumaines.info^ +||tr.scienceshumaines.pro^ +||tr.secretary.wfitn.org^ +||tr.secteurentreprises.harmonie-mutuelle.fr^ +||tr.service.linxea.com^ +||tr.serviceclient.adagcaladoise.fr^ +||tr.serviceclient.bf-depannage.fr^ +||tr.serviceclient.confogaz.com^ +||tr.serviceclient.depanchauffageservice.fr^ +||tr.serviceclient.effica-service.fr^ +||tr.serviceclient.explore.fr^ +||tr.serviceclient.gazservicerapide.fr^ +||tr.serviceclient.ochauffage.fr^ +||tr.serviceclient.somgaz.fr^ +||tr.serviceclient.thermogaz.fr^ +||tr.serviceclient.younited-coach.com^ +||tr.serviceclient.younited-credit.com^ +||tr.services.alinea.com^ +||tr.services.caradisiac.com^ +||tr.servicesclients.canalplus.ch^ +||tr.servicesclients.canalplus.fr^ +||tr.servicoaocliente.younited-credit.com^ +||tr.sfr.espmp-aufr.net^ +||tr.sgjk.espmp-aufr.net^ +||tr.silvera-contact.fr^ +||tr.skin.espmp-agfr.net^ +||tr.smtp1.email-mediapost.fr^ +||tr.solendi.com^ +||tr.solocal.espmp-aufr.net^ +||tr.solution.uneo.fr^ +||tr.sort.espmp-nifr.net^ +||tr.souscription.floa.fr^ +||tr.spain.plimsoll.es^ +||tr.sportswear.np6.com^ +||tr.strategie.gouv.fr^ +||tr.suivi-client-edf.com^ +||tr.surveys.np6.com^ +||tr.tdgx.espmp-cufr.net^ +||tr.think.lvmh.fr^ +||tr.thisiseurope.moethennessy.com^ +||tr.tns.harmonie-mutuelle.fr^ +||tr.toner-service.fr^ +||tr.toner-services.fr^ +||tr.tonerservices.fr^ +||tr.tourisme.visit-lanarbonnaise.com^ +||tr.tpe.harmonie-mutuelle.fr^ +||tr.tr.bricodepot.com^ +||tr.trafficnews.lyria.com^ +||tr.ujsv.espmp-agfr.net^ +||tr.uk.icicibank.com^ +||tr.uk.katun.com^ +||tr.unaoffertaalgiorno.com^ +||tr.update.groupon.be^ +||tr.urfk.espmp-agfr.net^ +||tr.urfk02r.espmp-nifr.net^ +||tr.urfk02t.espmp-agfr.net^ +||tr.urfk02v.espmp-cufr.net^ +||tr.urfk02z.espmp-nifr.net^ +||tr.urfk03c.espmp-nifr.net^ +||tr.urfk03h.espmp-nifr.net^ +||tr.urfk03k.espmp-agfr.net^ +||tr.urfk03q.espmp-nifr.net^ +||tr.urfk03u.espmp-nifr.net^ +||tr.urfk03x.espmp-agfr.net^ +||tr.urfk041.espmp-cufr.net^ +||tr.urfk042.espmp-nifr.net^ +||tr.urfk044.espmp-nifr.net^ +||tr.urfk050.espmp-cufr.net^ +||tr.urfk052.espmp-cufr.net^ +||tr.urfk057.espmp-aufr.net^ +||tr.urfk05g.espmp-agfr.net^ +||tr.urfk05l.espmp-nifr.net^ +||tr.urfk05o.espmp-pofr.net^ +||tr.urfk06h.espmp-nifr.net^ +||tr.urfk06n.espmp-nifr.net^ +||tr.urfk06o.espmp-agfr.net^ +||tr.urfk06x.espmp-cufr.net^ +||tr.urfk06y.espmp-nifr.net^ +||tr.urfk07j.espmp-nifr.net^ +||tr.urfk07r.espmp-agfr.net^ +||tr.urfk07s.espmp-nifr.net^ +||tr.urfk080.espmp-agfr.net^ +||tr.urfk08c.espmp-cufr.net^ +||tr.vernede.huilesdolive.fr^ +||tr.vf7n.espmp-agfr.net^ +||tr.videofutur.fr^ +||tr.ville.bordeaux.fr^ +||tr.voeux-wishes.ipsilon-ip.com^ +||tr.voixduclient.harmonie-mutuelle.fr^ +||tr.votrealarme.securitasdirect.fr^ +||tr.vous.hellobank.fr^ +||tr.wa.wordappeal.com^ +||tr.welcome.easyviaggio.com^ +||tr.welcome.easyviajar.com^ +||tr.welcome.easyvoyage.co.uk^ +||tr.welcome.easyvoyage.com^ +||tr.welcome.easyvoyage.de^ +||tr.welcome.lacollection-airfrance.be^ +||tr.welcome.lacollection-airfrance.ch^ +||tr.welcome.lacollection-airfrance.co.uk^ +||tr.welcome.lacollection-airfrance.de^ +||tr.welcome.lacollection-airfrance.fr^ +||tr.welcome.lexpress.fr^ +||tr.welcome.moncoupdepouce.com^ +||tr.welcome.odalys-vacances.com^ +||tr.welcome.perfectstay.com^ +||tr.welcome.smartdeals-transavia-fr.com^ +||tr.welcome.thelist-emirates.fr^ +||tr.welcome.unaoffertaalgiorno.com^ +||tr.welcome.vipmag.fr^ +||tr.wuei.espmp-agfr.net^ +||tr.xlead.digital^ +||tr.xleads.digital^ +||tr.zojh.espmp-aluk.net^ +||tr1.bp06.net^ +||tr1.bp09.net^ +||tr1.bp26.net^ +||tr1.citroen-ipsos.com^ +||tr1.easy-v01.net^ +||tr1.lr001.net^ +||tr1.lr002.net^ +||tr1.lr003.net^ +||tr1.mailperf.com^ +||tr1.mailperformance.com^ +||tr1.mperf.com^ +||tr1.peugeot-ipsos.com^ +||tr1.psa-surveys.com^ +||tr4.mailperf.com^ +||tr5.mailperf.com^ +||tr5.mperf.com^ +||tr6.mperf.com^ +||tracking.allopneus.com^ +||www.bfc-mp.caisse-epargne.fr^ +||www.fodgfip.fr^ +||www.newsletter.banquepopulaire.fr^ +||www.np6.eu^ +||www.tr.bfc-mp.caisse-epargne.fr^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_criteo.txt *** +! easyprivacy_specific_cname_criteo.txt +! Criteo https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/criteo.txt +! +! +! Company name: Criteo +||aacjdq.pontoslivelo.com.br^ +||aadeda.niche-beauty.com^ +||aajdcp.brand-satei.me^ +||aajfoz.halfclub.com^ +||aajmmd.aireuropa.com^ +||aaktao.entel.cl^ +||aaqnpa.sizeofficial.se^ +||aaqrvt.thefryecompany.com^ +||aarqmo.culturekings.co.nz^ +||aaucna.casasbahia.com.br^ +||aazfby.auto.de^ +||aazmiw.reisenthel.com^ +||abbqns.gowabi.com^ +||abdpac.williamsshoes.com.au^ +||abdrjm.eurostarshotels.de^ +||abemms.atp-autoteile.de^ +||abgghj.moustakastoys.gr^ +||abjkfy.muuu.com^ +||abjtuq.exoticca.com^ +||abkdae.namshi.com^ +||abkobh.chobirich.com^ +||abpwqf.lolaflora.com.mx^ +||absscw.vegis.ro^ +||abuaac.suzette-shop.jp^ +||abuajs.e-monsite.com^ +||abvghl.udn.com^ +||abxslg.jollyroom.fi^ +||aciysf.destockage-fitness.com^ +||acxajt.jimmykey.com^ +||adhudg.nec-lavie.jp^ +||adixkr.culturekings.com.au^ +||adsnid.wagyushop.com^ +||adwmab.card-db.com^ +||adxzju.penti.com^ +||aebvay.mesinspirationsculinaires.com^ +||aeewjq.dr-vegefru.com^ +||aehudh.rakumachi.jp^ +||aeotgu.asi-reisen.de^ +||aerezb.nepamall.com^ +||aeuati.wedio.com^ +||aexhyo.pilatos.com^ +||afclms.xd-design.co.kr^ +||afdbwq.blivakker.no^ +||afhjxb.flaconi.de^ +||afilyo.tfehotels.com^ +||afizah.eprice.it^ +||afmvms.dealdash.com^ +||afoykb.ebook.de^ +||agcjee.sklep-nasiona.pl^ +||agcmtb.nameit.com^ +||aggalj.eloem.kr^ +||agoqaa.stockmann.com^ +||agxwhz.bloomingdales.sa^ +||ahbyjm.fiever.com.br^ +||ahfadj.aoki-style.com^ +||ahfzzc.konfio.mx^ +||ahhrtt.pixnet.net^ +||ahisft.moonmagic.com^ +||ahjucs.loberon.de^ +||ahngxh.palladiumhotelgroup.com^ +||ahnrmb.topvintage.de^ +||ahsxot.meaningfulbeauty.com^ +||ahuvjy.design-market.fr^ +||ahzqgr.au-sonpo.co.jp^ +||ahzygy.thesteelshop.com^ +||aiddut.particleformen.com^ +||aidsro.ostin.com^ +||aiieer.mangnut2.com^ +||aikhra.londonclub.sk^ +||aikrir.lcwaikiki.com^ +||aimvaa.gulet.at^ +||aincrd.champstudy.com^ +||ajbeqy.delfi.lt^ +||ajgkdt.eazy.de^ +||ajigzt.lampenwelt.de^ +||ajqaqk.unoliving.com^ +||ajtxoo.academiaassai.com.br^ +||ajvzis.triumph.com^ +||akgnwd.tocris.com^ +||akkieh.yumeyakata.com^ +||aknzmq.divvino.com.br^ +||akpiug.rarecarat.com^ +||akspdp.materialkitchen.com^ +||akzdrh.catofashions.com^ +||alexfj.elten-store.de^ +||alfeza.vueling.com^ +||algrcr.sandro-paris.com^ +||alhiop.thehandsome.com^ +||alrhry.cjthemarket.com^ +||alsgaj.chosun.com^ +||amcgns.giesswein.com^ +||amezqu.fabrykaform.pl^ +||aminks.underarmour.com.tr^ +||amvtwk.thebottleclub.com^ +||anijjm.winkelstraat.nl^ +||annwwu.guitarcenter.com^ +||antblz.mediaworld.it^ +||aoelfb.nanouniverse.jp^ +||aojhzj.watch.co.uk^ +||aolsvc.snowqueen.ru^ +||aonjkj.intermundial.es^ +||aoohaq.micromania.fr^ +||aoqcqh.eavalyne.lt^ +||aoqhfs.optikdodomu.cz^ +||aoulpo.puccini.pl^ +||aozmpm.jwell.com^ +||apfbrk.butorline.hu^ +||aphxav.green-acres.it^ +||aplobv.xexymix.com^ +||appgax.optica-optima.com^ +||apqcjj.celford.com^ +||apqmxf.curama.jp^ +||aqbron.battlepage.com^ +||aqmzbk.avectoi.kr^ +||aqorez.yamo.bio^ +||aqouep.aquaphor.ru^ +||aqwvwn.cultfurniture.com^ +||arigng.door.ac^ +||arphzc.woodica.pl^ +||arrlrk.edigital.hu^ +||arsaqf.yukoyuko.net^ +||aruoyf.peterhahn.ch^ +||arvwwu.stepstone.be^ +||asamgd.rossmann.de^ +||ascbdj.knivesandtools.de^ +||asnjih.apatchy.co.uk^ +||asoewk.jaanuu.com^ +||asttcp.vatera.hu^ +||asxxlo.interflora.es^ +||atblqu.rondorff.com^ +||atcbju.silvergoldbull.ca^ +||ateveq.street-beat.ru^ +||atgtfj.bettermusic.com.au^ +||atlkse.aosom.it^ +||atzzrq.tbs.co.jp^ +||aucqdk.autodoc.es^ +||audsoa.narumiya-online.jp^ +||audxht.effeweg.nl^ +||auhdzd.paprika-shopping.de^ +||aullwp.sportisimo.sk^ +||auoehd.liebscher-bracht.com^ +||ausclh.castlery.com^ +||autspe.notino.hr^ +||auwdff.dyfashion.ro^ +||avbtkz.locknlockmall.com^ +||aviite.freaksstore.com^ +||awbkht.verktygsproffsen.se^ +||awfzfs.kwantum.nl^ +||awggij.wplay.co^ +||awklir.0506mall.com^ +||awogtl.1stopbedrooms.com^ +||awowwo.forever21.com^ +||awrgkd.1000farmacie.it^ +||awuapj.landwatch.com^ +||axfevh.bandab.com.br^ +||axkcmb.mosigra.ru^ +||axkwyf.edinos.pl^ +||axnskz.power-stones.jp^ +||axoqjt.gommadiretto.it^ +||axoqvl.daf-shoes.com^ +||axpjcp.tennis-point.co.uk^ +||aydtkb.pikabu.ru^ +||aygccr.eonet.jp^ +||ayleaf.petersofkensington.com.au^ +||azbrtw.anydesk.com^ +||azcoct.bikkembergs.com^ +||azflce.fragrances.bg^ +||azlyta.immowelt.de^ +||azscgj.penningtons.com^ +||azveac.pearl.ch^ +||azwucq.locservice.fr^ +||azwxpp.nequittezpas.jp^ +||azxhnt.uniformadvantage.com^ +||baahnj.bezokularow.pl^ +||baffae.alcott.eu^ +||bagbgo.unitednude.eu^ +||bahrpo.dint.co.kr^ +||bahyei.himaraya.co.jp^ +||balkog.withmoment.co.kr^ +||basuey.toyscenter.it^ +||bavvgo.zingat.com^ +||bazlny.homepal.it^ +||bbagnw.sedaily.com^ +||bbbihe.vertbaudet.es^ +||bbubuq.aftco.com^ +||bbwqcs.vidaxl.ee^ +||bcdllh.esprit.co.uk^ +||bcfgwi.skidxb.com^ +||bcfhva.tradingpost.com.au^ +||bcigeg.pishposhbaby.com^ +||bcigfr.www.uoc.edu^ +||bcsjcj.nasdaq.com^ +||bcwljq.batteryempire.de^ +||bcybka.deinetuer.de^ +||bcytwb.student.com^ +||bderbn.foxtrot.com.ua^ +||bdickh.globalgolf.com^ +||bdkuth.smartbuyglasses.co.uk^ +||bdncut.pa-man.shop^ +||bdqzcj.micuento.com^ +||bdzcck.stadiumgoods.com^ +||beafdf.restaupro.com^ +||bebpon.zetronix.com^ +||beoofo.pairs.lv^ +||beqioy.promessedefleurs.com^ +||bfeagv.chicwish.com^ +||bfjoyp.plus.nl^ +||bfjpbw.herrenausstatter.de^ +||bfntkv.icon.co.cr^ +||bfvlgp.appstory.co.kr^ +||bfzikn.l-wine.ru^ +||bgaycm.exvital-shop.de^ +||bgevqy.moschino.com^ +||bgfmvc.amandalindroth.com^ +||bgupcq.westfalia.de^ +||bhawtp.vitacost.com^ +||bhcfpo.elfa.se^ +||bhcsub.sankeishop.jp^ +||bhgbqh.crocs.de^ +||bhmzab.totes.com^ +||bhwjoa.cotopaxi.com^ +||bhwkju.vivo.com^ +||bhxemw.charleskeith.com^ +||bibglj.timberland.fr^ +||bijkep.hotelesestelar.com^ +||bilahh.feuvert.fr^ +||bjdqbl.nippn-kenko.net^ +||bjfbac.hyundaivaudreuil.com^ +||bjpsuk.fray-id.com^ +||bjqnpe.i-office1.net^ +||bjuvux.andgino.jp^ +||bkmzhr.joint-space.co.jp^ +||bknqpb.dobredomy.pl^ +||bkogtr.vacationsbyrail.com^ +||bkpoef.jules.com^ +||bksckn.minhacasasolar.com.br^ +||blaltn.physicianschoice.com^ +||blfkmp.fti.de^ +||blmjbp.casamundo.pl^ +||blsoof.wirwinzer.de^ +||blzayw.ticketsmarter.com^ +||blziha.intimissimi.com^ +||bmjmse.softsurroundings.com^ +||bmnbzt.pool-systems.de^ +||bmodjx.mgos.jp^ +||bmyudk.clarins.de^ +||bmzuyj.nifty.com^ +||bnsmoi.valx.jp^ +||bnutnr.landandfarm.com^ +||bnvsjg.hometogo.de^ +||bnzkua.trussardi.com.br^ +||bobawb.pomellato.com^ +||boelsl.lastijerasmagicas.com^ +||boewzj.meiji-jisho.com^ +||bombrw.netshoes.com.br^ +||bopmkf.lolahome.es^ +||boqufs.2nn.jp^ +||bpgbcl.coconala.com^ +||bppbnn.vacanceole.com^ +||bpsxld.meutudo.com.br^ +||bqacmp.vidaxl.no^ +||bqhkix.mosmexa.ru^ +||bqoulb.nowo.pt^ +||bqvndd.ifood.com.br^ +||brgrwd.dansko.com^ +||brhwsg.makingnew.co.kr^ +||brjjkd.calzedonia.com^ +||brqory.notino.sk^ +||brrmpm.skanskin.kr^ +||brycys.24mx.se^ +||bsbmex.flaschenpost.ch^ +||bsjgdn.supergoop.com^ +||bskblt.6thstreet.com^ +||bsytzb.hago.kr^ +||btcfbr.mejshop.jp^ +||btmean.cardosystems.com^ +||btptod.aerzteblatt.de^ +||bttmkj.diesel.com^ +||buasmk.earthshoes.com^ +||budibu.saksfifthavenue.com^ +||bugdsm.buffalo-boots.com^ +||bugjyl.jkattire.co.uk^ +||bulozc.tui.be^ +||busrol.st-eustachenissan.com^ +||bvbqyq.odalys-vacances.com^ +||bvexmf.bigtv.ru^ +||bvkuwv.muumuu-domain.com^ +||bvubje.leboncoin.fr^ +||bwkpkx.projectxparis.com^ +||bwmxdg.kimono-365.jp^ +||bwntyd.neuve-a.net^ +||bwspqc.bloomonline.jp^ +||bwujxl.yoga-lava.com^ +||bxbuvv.zeelool.com^ +||bxiaev.linvosges.com^ +||bxlsct.ex-shop.net^ +||bxumze.buckscountycouriertimes.com^ +||bxumze.gadsdentimes.com^ +||bxumze.jacksonville.com^ +||bxumze.news-star.com^ +||bxumze.palmbeachpost.com^ +||bxumze.providencejournal.com^ +||bxumze.recordonline.com^ +||bxumze.times-gazette.com^ +||bxumze.tuscaloosanews.com^ +||byhqrw.gopeople.co.kr^ +||byjpsr.bobags.com.br^ +||bykwtf.victoriassecret.ae^ +||byqdtp.interpark.com^ +||bysfnu.bodeboca.com^ +||byxcbk.ipekevi.com^ +||bzaxgk.ecctur.com^ +||bzcuta.titleboxing.com^ +||bzlold.machi.to^ +||bznxqj.fiat.it^ +||bzqxze.remixshop.com^ +||bzuaqh.roan.nl^ +||caamcs.julipet.it^ +||cagkpu.suitdirect.co.uk^ +||cakmzz.schwab.de^ +||caknmq.rotita.com^ +||caowuq.babyliss-romania.ro^ +||cargdk.bakerross.co.uk^ +||cbnzop.c-c-j.com^ +||cbpgpg.bombshellsportswear.com^ +||cbudbs.tirendo.de^ +||cbuvhv.desertcart.ae^ +||ccdflm.limberry.de^ +||cchlhb.budgetsport.fi^ +||cciqma.cosabella.com^ +||ccztgy.elgiganten.dk^ +||cdeatz.spartoo.it^ +||cdfhpj.automobile.it^ +||cdjhcf.hometogo.es^ +||ceggfe.msc-kreuzfahrten.de^ +||ceoapr.donjoyperformance.com^ +||ceowyn.eseltree.com^ +||cfrnyp.kars4kids.org^ +||cfsaze.retailmenot.com^ +||cfyhym.weightwatchers.fr^ +||cgctsw.mytour.vn^ +||cgqkhc.trendyol.com^ +||cgsisl.owllabs.com^ +||chgwwj.klimate.nl^ +||choymp.pooldawg.com^ +||chpspb.bubbleroom.fi^ +||chrczt.vite-envogue.de^ +||chrooo.soccerandrugby.com^ +||cikvwv.dsdamat.com^ +||cikxuh.iciformation.fr^ +||cilvph.smartbuyglasses.com^ +||ciszhp.finanzfrage.net^ +||ciszhp.gesundheitsfrage.net^ +||ciszhp.motorradfrage.net^ +||cizzvi.beldona.com^ +||cjbdme.conquer.org^ +||cjcqls.onbuy.com^ +||cjejjz.thelasthunt.com^ +||cjfqtu.vitafy.ch^ +||cjlekm.correiodopovo.com.br^ +||cjnbqe.glamira.com.mx^ +||cjulor.marimekko.jp^ +||ckpxtt.justfly.com^ +||cksfgh.jaycar.com.au^ +||ckygge.mohd.it^ +||ckyhec.maxisport.com^ +||clhzet.ubierzswojesciany.pl^ +||clnbze.dziennikbaltycki.pl^ +||clnbze.dzienniklodzki.pl^ +||clnbze.dziennikpolski24.pl^ +||clnbze.dziennikzachodni.pl^ +||clnbze.echodnia.eu^ +||clnbze.expressbydgoski.pl^ +||clnbze.expressilustrowany.pl^ +||clnbze.gazetakrakowska.pl^ +||clnbze.gazetalubuska.pl^ +||clnbze.gazetawroclawska.pl^ +||clnbze.gk24.pl^ +||clnbze.gloswielkopolski.pl^ +||clnbze.gol24.pl^ +||clnbze.gp24.pl^ +||clnbze.gratka.pl^ +||clnbze.gs24.pl^ +||clnbze.kurierlubelski.pl^ +||clnbze.naszemiasto.pl^ +||clnbze.nowiny24.pl^ +||clnbze.nowosci.com.pl^ +||clnbze.nto.pl^ +||clnbze.polskatimes.pl^ +||clnbze.pomorska.pl^ +||clnbze.poranny.pl^ +||clnbze.regiodom.pl^ +||clnbze.stronakobiet.pl^ +||clnbze.telemagazyn.pl^ +||clohzp.hifi.lu^ +||cltxxq.cruises.united.com^ +||clyexf.decathlon.ie^ +||cmcyne.xoticpc.com^ +||cmgfbg.billetreduc.com^ +||cmhmpr.lolaliza.com^ +||cmrhvx.lojapegada.com.br^ +||cmtmwn.ditano.com^ +||cmttvv.bonprix.se^ +||cmzaly.gebrueder-goetz.de^ +||cngbpl.directliquidation.com^ +||cnlbxi.zoopla.co.uk^ +||cnpxwl.cheapcaribbean.com^ +||cntccc.publicrec.com^ +||cnxddc.lodenfrey.com^ +||cogxmr.travelplanet.pl^ +||colgui.vidaxl.pt^ +||coobuo.pinkpanda.cz^ +||cooyxg.tennis-point.de^ +||counmg.greatvaluevacations.com^ +||cowhmc.docmorris.de^ +||coyizl.embracon.com.br^ +||cpiibb.top-office.com^ +||cploms.hipicon.com^ +||cqbbpf.geewiz.co.za^ +||cqbkhv.anacapri.com.br^ +||cqemus.gartenhaus-gmbh.de^ +||cqishr.mobile.de^ +||cqlonl.spartoo.cz^ +||cqpmvc.caminteresse.fr^ +||cqpmvc.capital.fr^ +||cqpmvc.cesoirtv.com^ +||cqpmvc.cuisineactuelle.fr^ +||cqpmvc.gala.fr^ +||cqpmvc.prima.fr^ +||cqpmvc.programme-tv.net^ +||cqpmvc.programme.tv^ +||cqpmvc.voici.fr^ +||cqubdd.metro.co.uk^ +||cqubdd.thisismoney.co.uk^ +||criteo.gap.ae^ +||cruntn.receno.com^ +||crvayw.kagunosato.com^ +||crzohw.intersport.gr^ +||csalhh.okay.cz^ +||csbmey.viherpeukalot.fi^ +||csghyg.reginaclinic.jp^ +||cspmkl.gruppal.com^ +||csymrm.24mx.fr^ +||csyqts.tmon.co.kr^ +||ctiegx.kagu-wakuwaku.com^ +||ctjfdn.sandals.com^ +||ctlayn.talbots.com^ +||ctwqxs.autoscout24.at^ +||ctyjsf.cellphones.com.vn^ +||ctyojp.kibek.de^ +||cudgoz.mifcom.de^ +||cudrqv.sts.pl^ +||cueohf.actieforum.com^ +||cueohf.activo.mx^ +||cueohf.forumactif.com^ +||cueohf.forumattivo.com^ +||cueohf.forumieren.com^ +||cueohf.forumieren.de^ +||cueohf.forumotion.com^ +||cueohf.forumpro.fr^ +||cueohf.forumsactifs.com^ +||cueohf.hungarianforum.com^ +||cufroa.aboutyou.be^ +||cvhefd.ixbt.com^ +||cvoyrn.astotel.com^ +||cvpthv.vipoutlet.com^ +||cvtspo.moebel24.de^ +||cvzvun.vidaxl.de^ +||cwcdmm.zennioptical.com^ +||cxalid.turtlebeach.com^ +||cxasci.sprzedajemy.pl^ +||cxrfns.gu-global.com^ +||cxrptu.danland.dk^ +||cxsaev.stratiaskin.com^ +||cxwisl.jetstereo.com^ +||cyeabs.luxyhair.com^ +||cymuig.assem.nl^ +||cyntgd.anticipazionitv.it^ +||cyohmj.catawiki.com^ +||cyvxfq.jennikayne.com^ +||czdxto.radiopopular.pt^ +||cznfum.lumas.com^ +||cznluk.urbangymwear.co.uk^ +||czujjs.crownandcaliber.com^ +||czvdlp.hgregoire.com^ +||dafvng.sunrefre.jp^ +||daifez.thebay.com^ +||dajdnm.splits59.com^ +||dasych.drmartypets.com^ +||dazdmx.cobra.fr^ +||dbhbgz.suitableshop.nl^ +||dbmbfe.pegipegi.com^ +||dbmyvl.apartmentfinder.com^ +||dbpbyh.americanas.com.br^ +||dbyoei.styleggom.co.kr^ +||dbzgtg.infostrada.it^ +||dbzpek.nike.com^ +||dccfog.petco.com^ +||dcclaa.bunte.de^ +||dcclaa.daskochrezept.de^ +||dcclaa.einfachbacken.de^ +||dcclaa.elle.de^ +||dcclaa.freundin.de^ +||dcclaa.guter-rat.de^ +||dcclaa.harpersbazaar.de^ +||dcclaa.instyle.de^ +||dcclaa.meine-familie-und-ich.de^ +||dcclaa.slowlyveggie.de^ +||dckiwt.eataly.com^ +||dcnkrd.baseballsavings.com^ +||dcsqim.socialdeal.nl^ +||dcxusu.lacuracao.pe^ +||ddioce.wolverine.com^ +||ddlcvm.clas.style^ +||ddmfrg.modivo.bg^ +||ddnahc.mesbagages.com^ +||ddqwdh.sofastyle.jp^ +||ddsndt.azubiyo.de^ +||debjpy.globoshoes.com^ +||decvsm.xlmoto.se^ +||dejpog.sunstar-shop.jp^ +||denpjz.jamesedition.com^ +||detnmz.cuteness.com^ +||detnmz.ehow.com^ +||detnmz.hunker.com^ +||detnmz.livestrong.com^ +||detnmz.sapling.com^ +||detnmz.techwalla.com^ +||dffpxg.targus.com^ +||dfigxb.underarmour.com.mx^ +||dfitgc.yamamay.com^ +||dgaxzn.samma3a.com^ +||dgbftl.luckyvitamin.com^ +||dgbwya.evyapshop.com^ +||dgkpzy.2ch2.net^ +||dgmolb.irishjobs.ie^ +||dgynnj.koctas.com.tr^ +||dgztiz.conrad.se^ +||dhkyrl.discountmags.com^ +||dhmdja.trueprotein.com.au^ +||dhplma.pontofrio.com.br^ +||dhsjpz.bugaboo.com^ +||dhwmtx.stylewe.com^ +||diboji.class101.net^ +||didzrr.nutraholic.com^ +||dikhsb.vividseats.com^ +||diocgn.biltorvet.dk^ +||dioqto.totaljobs.com^ +||diypxh.tillys.com^ +||djbztw.marimekko.com^ +||djmzap.gamivo.com^ +||djnqoe.rani.com.tr^ +||djxjti.oil-stores.gr^ +||djxyhp.ashtondrake.com^ +||dkbicq.elektramat.nl^ +||dkclxi.sitkagear.com^ +||dkmvyl.kidsahoi.ch^ +||dkqibr.onlineverf.nl^ +||dkskbu.demae-can.com^ +||dkvvwq.aosom.ca^ +||dldotl.ouestfrance-auto.com^ +||dlesjf.fightsite.hr^ +||dlesjf.jutarnji.hr^ +||dlisuq.wbw-nail.com^ +||dljdgn.e-lens.com.br^ +||dlqxtm.sssports.com^ +||dlzbax.street-academy.com^ +||dmcnyf.nevzatonay.com^ +||dmdgdu.atmosphera.com^ +||dmqykw.thirtymall.com^ +||dmuwlm.fonteynspas.com^ +||dmvbpz.swimoutlet.com^ +||dncxgm.pegadorfashion.com^ +||dndvms.24s.com^ +||dnecea.vacances-lagrange.com^ +||dngpzy.bfmtv.com^ +||dngpzy.tradingsat.com^ +||dngpzy.zone-turf.fr^ +||dnhrxt.kintetsu-re.co.jp^ +||dnkeyt.svetsochtillbehor.se^ +||dnltkp.lampeetlumiere.fr^ +||dnxcok.pentik.com^ +||doabqu.s3.com.tw^ +||doagpm.promart.pe^ +||doclec.supersmart.com^ +||doclen.hypedc.com^ +||docyjy.ryderwear.com^ +||dolrfm.fotoregistro.com.br^ +||dopljl.noleggiosemplice.it^ +||dpckzt.mesrecettesfaciles.fr^ +||dptgdj.usagi-online.com^ +||dptkdh.joinhoney.com^ +||dqefxd.kaigoworker.jp^ +||dqntra.home-to-go.ca^ +||dqqfrs.qatarairways.com^ +||dqsfil.pikolinos.com^ +||druzja.canmart.co.kr^ +||drvive.lamoda.ru^ +||dsdjbj.abracadabra.com.br^ +||dshcej.aosom.co.uk^ +||dsvmgu.snipes.it^ +||dtnmyp.cocotorico.com^ +||dtqcpx.eskor.se^ +||dtzrrz.green-japan.com^ +||dujgiq.trendhim.pl^ +||duqqrl.jefchaussures.com^ +||dvczvm.cyfrowe.pl^ +||dvhcob.jtrip.co.jp^ +||dvmira.keskisenkello.fi^ +||dvrxgs.fc-moto.de^ +||dvvkov.agrieuro.de^ +||dwbotr.ssg.com^ +||dwglgp.dunelm.com^ +||dwrlwx.polo-motorrad.de^ +||dwtpxq.karaca-home.com^ +||dxeldq.madeindesign.com^ +||dxkuwz.domyown.com^ +||dxpxgy.jdsports.com^ +||dxqbfo.capfun.nl^ +||dxrkvm.cheryls.com^ +||dxrlkh.icanvas.com^ +||dyghye.fashionesta.com^ +||dynamic-content.croquetteland.com^ +||dyqebg.aboutyou.hr^ +||dysbvu.bodyandfit.com^ +||dyzmpx.speedway.fr^ +||dzbbzg.carfinance247.co.uk^ +||dzforp.buscape.com.br^ +||dzjhok.teufelaudio.at^ +||dzkygl.ullapopken.nl^ +||dzsevh.voyage-prive.com^ +||dzszbb.homes.co.jp^ +||dztatn.soulberry.jp^ +||dzuthv.fahrrad-xxl.de^ +||dzwqfq.alpitour.it^ +||eakaih.creditas.com^ +||eakwza.bipicar.com^ +||eatjav.ekosport.fr^ +||eauicw.artnature.co.jp^ +||ebfudo.underarmour.cl^ +||ebgagg.pink.rs^ +||ebgfyn.zenden.ru^ +||ebhjhw.bonprix.es^ +||ebmhpt.sneakscloud.com^ +||ebnpqi.carrefourlocation.fr^ +||ebreid.garneroarredamenti.com^ +||ebtxxz.travellink.se^ +||ebwupu.superbrightleds.com^ +||ebxirc.taylorstitch.com^ +||ecctjf.leroymerlin.com.br^ +||ecdoib.26p.jp^ +||ecefyu.geox.com^ +||edavbu.vittz.co.kr^ +||ednqjm.magnanni.com^ +||eduynp.fcl-hid.com^ +||eecfrq.edreams.de^ +||eedijm.bakeca.it^ +||eennme.vidaxl.sk^ +||eesexz.butyraj.pl^ +||eetzod.bemol.com.br^ +||eewdrt.fashiontofigure.com^ +||efadyz.smartbuyglasses.co.nz^ +||efbenj.adorebeauty.com.au^ +||efglbp.baur.de^ +||efplso.epost.go.kr^ +||efsqwi.krueger-dirndl.de^ +||efuxqe.tatilbudur.com^ +||efwhcj.emp-shop.se^ +||efxzea.badshop.de^ +||egbqvs.vila.com^ +||egdehs.selected.com^ +||eghrbf.immowelt.at^ +||egvemw.aboutyou.ee^ +||ehauzf.jewlr.ca^ +||ehavol.consul.com.br^ +||ehdkzm.ottoversand.at^ +||ehedwd.sikayetvar.com^ +||ehrlgb.izlato.sk^ +||eicyds.qoo10.jp^ +||eifeou.pandahall.com^ +||eiftfa.fashionette.de^ +||eikwax.marmot.com^ +||eimcqw.dickies.com^ +||einrfh.justanswer.com^ +||eiorzm.orvis.com^ +||eisdog.shape.com^ +||eitkrg.loriblu.com^ +||ejbbcf.finishline.com^ +||ejejip.bjjfanatics.com^ +||ejhyhg.travelist.pl^ +||ejimtl.costway.com^ +||ejkmld.tradus.com^ +||ejpcuw.mitsubishilaval.com^ +||ejrbgi.tous.com^ +||ekfwof.finnishdesignshop.fi^ +||eklexu.kibuba.com^ +||ekphpa.perfectlypriscilla.com^ +||eltlio.boribori.co.kr^ +||elyxvt.wilsonamplifiers.com^ +||embknh.perriconemd.com^ +||emdlqs.longtallsally.com^ +||emedns.bonify.de^ +||emrdnt.sumaity.com^ +||emzorz.allergybuyersclub.com^ +||enbazj.ilbianconero.com^ +||endljp.168chasa.bg^ +||endljp.abv.bg^ +||endljp.activenews.ro^ +||endljp.bazar.bg^ +||endljp.bgdnes.bg^ +||endljp.dariknews.bg^ +||endljp.edna.bg^ +||endljp.fakti.bg^ +||endljp.gong.bg^ +||endljp.kupujemprodajem.com^ +||endljp.nova.bg^ +||endljp.pariteni.bg^ +||endljp.sinoptik.bg^ +||endljp.vesti.bg^ +||endljp.ziuaconstanta.ro^ +||eniobs.moncler.com^ +||eofjtw.jjshouse.se^ +||eofwfj.ria.com^ +||eoiaso.onofre.com.br^ +||eoiqpm.gloria-jeans.ru^ +||eokdol.flaconi.at^ +||eokzre.jd-sports.com.au^ +||eolvci.olx.ro^ +||eonmxd.urban-research.jp^ +||eoocpp.fujiidaimaru.co.jp^ +||eozwcp.jetex.com^ +||epcdko.forevernew.com.au^ +||epezqy.plaisio.gr^ +||epixkf.dentrodahistoria.com.br^ +||epnfoq.cyberpowersystem.co.uk^ +||eqingl.ivet.bg^ +||eqkwat.histoiredor.com^ +||eqvioe.polihome.gr^ +||ergrbp.hobidunya.com^ +||ermiph.petermanningnyc.com^ +||esqjac.costakreuzfahrten.de^ +||esqxrp.bonprix-fl.be^ +||essmnx.edreams.ch^ +||eswpwi.xlmoto.pl^ +||etgaad.smartphoto.be^ +||etgkbu.unieuro.it^ +||etoqel.nordicnest.de^ +||etppmr.luko.eu^ +||etwovr.underarmour.eu^ +||etznkn.ec-store.net^ +||eubynl.baby-sweets.de^ +||euqsfp.belluna.jp^ +||eusdbk.philosophyofficial.com^ +||evhvza.sodimac.com.br^ +||evkjai.grandado.com^ +||evnzcl.ranking.ac^ +||evrget.nikkan-gendai.com^ +||evupmg.olehenriksen.com^ +||ewalxb.epicsports.com^ +||ewfarp.kappa.com^ +||ewfrnd.stockmann.ru^ +||eworfe.babyartikel.de^ +||ewygto.swanicoco.co.kr^ +||exbujk.glamood.com^ +||exmeqy.smartbuyglasses.de^ +||exwvpm.misumi-ec.com^ +||exxwhi.jmty.jp^ +||eyenox.eschuhe.de^ +||eyfygb.yourfirm.de^ +||eylnhf.jobhouse.jp^ +||eymiwj.cancan.ro^ +||eymiwj.ciao.ro^ +||eymiwj.promotor.ro^ +||eymiwj.prosport.ro^ +||eymqcj.lineonline.it^ +||eyqbvz.greysonclothiers.com^ +||eywvko.shaddy.jp^ +||eyypxz.canifa.com^ +||eyzthp.constellation.com^ +||eyzubm.gooutdoors.co.uk^ +||ezdjat.shoesme.nl^ +||ezhddx.thesouledstore.com^ +||eziccr.dedoles.cz^ +||ezobam.jdsports.nl^ +||ezuhbd.industrialdiscount.it^ +||ezvjys.belezanaweb.com.br^ +||fagtgb.acorn.com^ +||fahmta.accountingweb.co.uk^ +||fahmta.f1i.com^ +||fahmta.flashbak.com^ +||fahmta.lipsum.com^ +||fahmta.metoffice.gov.uk^ +||fahmta.polishexpress.co.uk^ +||fahmta.racefans.net^ +||fahmta.theaa.com^ +||faokwl.sklepogrodniczy.pl^ +||faqtjp.redley.com.br^ +||fauzxn.hairlavie.com^ +||fazphz.theiconic.com.au^ +||fbjpji.europcar.es^ +||fbycnk.chiaki.vn^ +||fcizcj.burlingtonfreepress.com^ +||fckxdb.hometogo.it^ +||fcnqkw.xeroshoes.com^ +||fcpszk.telestream.net^ +||fcswcx.cyrillus.fr^ +||fculcz.joann.com^ +||fdixsh.platypusshoes.com.au^ +||fdkeip.azafashions.com^ +||fdowic.hoiku.mynavi.jp^ +||fdxtbs.meeters.org^ +||febcyv.joshi-spa.jp^ +||feppiu.systemaction.es^ +||feqbqn.rent.com^ +||fespzx.sfr.fr^ +||feuqzl.woolrich.com^ +||ffrmel.gerryweber.com^ +||ffrmwn.musinsa.com^ +||ffuodj.lanebryant.com^ +||ffyvsn.evisu.com^ +||fgfecw.rebelle.com^ +||fgfukd.sakazen.co.jp^ +||fgjfwz.legami.com^ +||fglrgt.ruggable.com^ +||fgmaal.u-canshop.jp^ +||fgosob.unhcr.it^ +||fgqxcz.thehipstore.co.uk^ +||fhdnds.mrmarvis.com^ +||fhiwyq.axiory.com^ +||fhngty.vetsecurite.com^ +||fhqrnb.feelway.com^ +||fhrpqp.futfanatics.com.br^ +||fiawmk.empik.com^ +||fiimox.lebenskraftpur.de^ +||fimyxg.bloomberght.com^ +||fimyxg.haberturk.com^ +||fiowtf.hyggee.com^ +||firurx.invia.hu^ +||fizopp.duluthtrading.com^ +||fjdzgn.paulfredrick.com^ +||fjgcai.zlavomat.sk^ +||fjighz.armaniexchange.com^ +||fjkjaj.peterhahn.nl^ +||fjortk.braun-hamburg.com^ +||fjuccm.uktsc.com^ +||fkdaik.lightinthebox.com^ +||fkeupa.bett1.de^ +||fkmdky.lifehacker.ru^ +||fkmzox.teinei.co.jp^ +||fksngj.bonnyread.com.tw^ +||fkxlsc.fenix-store.com^ +||fldoai.municipal.com^ +||flnkmj.hometogo.fr^ +||flpwto.lohaco.jp^ +||fltuyy.philippemodel.com^ +||flznib.weblio.jp^ +||fmjgtp.dentalspeed.com^ +||fmpjka.moroccanoil.com^ +||fmqidg.letras.com^ +||fmqidg.letras.mus.br^ +||fmqidg.ouvirmusica.com.br^ +||fmssly.pets4homes.co.uk^ +||fmufpo.machicon.jp^ +||fnajvu.framingsuccess.com^ +||fnfhgj.secretsales.com^ +||fngwdl.allheart.com^ +||fnlvhy.wowma.jp^ +||fnmvok.aaaradiatory.cz^ +||fnoqgg.roninwear.com^ +||fokbrd.impo.ch^ +||foomjy.teacollection.com^ +||fpadga.mcruises.ru^ +||fpghll.rossmann.hu^ +||fpptmv.mrmarvis.co.uk^ +||fpvrgm.blackforestdecor.com^ +||fpxewa.ilmeteo.it^ +||fqcqnb.dwr.com^ +||fqppgv.cheapoair.com^ +||fqxnlh.kgcshop.co.kr^ +||fraalb.cebanatural.com^ +||frbdzc.goguynet.jp^ +||frbmdx.fwrd.com^ +||frdoki.acrylicpainting.work^ +||frdoki.athleticshoes.work^ +||frdoki.charcoal.work^ +||frdoki.copperprint.work^ +||frdoki.gamefactory.jp^ +||frdoki.heisei-housewarming.work^ +||frdoki.liquidfoundation.work^ +||frdoki.mineralfoundation.work^ +||frdoki.nailcolor.work^ +||frdoki.selftanning.work^ +||frdoki.studioglass.work^ +||frdoki.woodblock.work^ +||frqbff.hedleyandbennett.com^ +||frztrk.beaute-test.com^ +||frztrk.netmums.com^ +||fsbozl.dillards.com^ +||fsegfy.lepoint.fr^ +||fsqwdj.live-tennis.eu^ +||fsugco.rcn.nl^ +||ftaysn.meinekette.de^ +||ftmsyy.jbl.com.br^ +||ftnnce.autodoc.dk^ +||ftuart.chomedeynissan.com^ +||ftysya.aboutyou.de^ +||ftzets.silkfred.com^ +||fudezz.bolasport.com^ +||fudezz.grid.id^ +||fudezz.gridoto.com^ +||fudezz.kompas.com^ +||fudezz.kompas.tv^ +||fudezz.kompasiana.com^ +||fudezz.motorplus-online.com^ +||fudezz.sonora.id^ +||fufbgj.pazzo.com.tw^ +||fufoir.aif.ru^ +||fuicmy.hana-mail.jp^ +||fuooms.aetrex.com^ +||furlhp.kango.mynavi.jp^ +||fuzrct.gutteridge.com^ +||fuzrxc.aboutyou.nl^ +||fvuitt.alibabuy.com^ +||fvvyjd.jtv.com^ +||fwmqki.eckerle.de^ +||fwpugy.savilerowco.com^ +||fwsgvo.takami-labo.com^ +||fxfezg.bodylab24.de^ +||fxmdjr.mamastar.jp^ +||fxmdjr.saita-puls.com^ +||fxmdjr.yogajournal.jp^ +||fxmkij.jny.com^ +||fxsdex.longvadon.com^ +||fyccsw.eobuwie.com.pl^ +||fyebmf.lifenet-seimei.co.jp^ +||fygild.rueonline.com^ +||fywfld.fjellsport.no^ +||fzeidx.vidaxl.gr^ +||fzexkf.drogaraia.com.br^ +||fzgpzp.opodo.de^ +||fzqjvw.oakandluna.com^ +||gaafbi.fashiondays.hu^ +||gaccwr.dutramaquinas.com.br^ +||gagysn.floward.com^ +||gahhfg.bobo.com.br^ +||garvum.julesb.co.uk^ +||gastdn.wolfandbadger.com^ +||gbmfid.1mg.com^ +||gbncqh.koneko-breeder.com^ +||gbvrgf.hibarai.com^ +||gcoiys.cutsclothing.com^ +||gcowhi.thesalarycalculator.co.uk^ +||gcudsn.tradetested.co.nz^ +||gcwubi.happypancake.fi^ +||gcxiyx.inspireuplift.com^ +||gdfsrd.itslighting.kr^ +||gdphhl.elite-auto.fr^ +||gdqlno.weisshaus.de^ +||gdsngr.chainreactioncycles.com^ +||gecfnc.foresight.jp^ +||gedozw.autoscout24.cz^ +||gefkkw.cyberport.de^ +||gejzgq.gehaltsvergleich.com^ +||getpxq.rivolishop.com^ +||geygin.bonprix.ch^ +||gfeede.theminda.com^ +||gfgcwf.vidaxl.lv^ +||gfgywe.abril.com.br^ +||gflpvq.rufflebutts.com^ +||gfnokk.natro.com^ +||gforat.grahambrown.com^ +||gfqhvj.wunderkarten.de^ +||ggduev.cobone.com^ +||ggduzx.potterybarn.com.kw^ +||ghdlry.greetz.nl^ +||ghifrc.baldai1.lt^ +||ghnwss.fmsstores.gr^ +||ghonnz.columbiasports.co.jp^ +||ghrnbw.avocadostore.de^ +||ghrzlu.skechers.com.tr^ +||ghwkuv.lagirl.co.kr^ +||giojhm.finya.de^ +||givoiq.nichiigakkan-careerplus.jp^ +||gizsyj.thegrommet.com^ +||gjljde.kathmandu.co.nz^ +||gjmovc.epapoutsia.gr^ +||gjndsa.amaro.com^ +||gkcqyo.aquazzura.com^ +||gkfdkf.jdsports.co.uk^ +||gkgygj.verivox.de^ +||gkopqp.coccodrillo.eu^ +||gksqdt.reitmans.com^ +||glbgox.djoser.de^ +||glxdlf.tickets.ua^ +||glzsji.nordman.ru^ +||gmmhlk.techstar.ro^ +||gmpcyv.svinando.com^ +||gmqvql.furnwise.co.uk^ +||gmqyld.jacksonandperkins.com^ +||gmrhzf.wolfermans.com^ +||gmsllx.sorteonline.com.br^ +||gmufag.e1.ru^ +||gmufag.fontanka.ru^ +||gmufag.nn.ru^ +||gmufag.starhit.ru^ +||gmufag.woman.ru^ +||gmxcdm.vestel.com.tr^ +||gnfjvt.radpowerbikes.com^ +||gnfqtz.smartphoto.se^ +||gnkvyn.freeportstore.com^ +||gnnkrz.josbank.com^ +||gnozmx.locasun.fr^ +||gnrmty.eurovaistine.lt^ +||goazlf.mytoys.de^ +||gocuxy.baycrews.jp^ +||gogaej.momastore.jp^ +||gotpiu.regenbogen.com^ +||gozncj.stealthangelsurvival.com^ +||gpiljd.thetiebar.com^ +||gpiyhj.leopalace21.com^ +||gppppq.newcars.com^ +||gpsqnl.delsey.com^ +||gpukye.holabirdsports.com^ +||gpzhcc.lapeyre.fr^ +||gqhfjr.sizeofficial.es^ +||gqjppj.rentcafe.com^ +||gqjrfv.autodoc.fi^ +||gqlaur.currentcatalog.com^ +||gqmuky.kaigonohonne.com^ +||gqqxum.mannys.com.au^ +||gqraqz.e-domizil.de^ +||grnext.crockpot-romania.ro^ +||grofag.hollandandbarrett.ie^ +||grxokm.kirstein.de^ +||grxsaq.tagheuer.com^ +||grxxvx.centerparcs.nl^ +||grzhwl.adiamor.com^ +||gsbygc.clarks.eu^ +||gsftuy.nutripure.fr^ +||gsmqez.xcite.com^ +||gspjom.3balls.com^ +||gspqch.cake.jp^ +||gsyegj.shatura.com^ +||gtgvze.chintai.net^ +||gtzpic.opodo.co.uk^ +||guelvp.1111.com.tw^ +||guhyqz.hawesko.de^ +||guufxr.sdbullion.com^ +||guwuym.barneys.co.jp^ +||gvdqzy.milanoo.com^ +||gvfbpo.diafer.com.br^ +||gvxnff.soulara.com.au^ +||gwguyh.edreams.es^ +||gwizal.yumbutter.com^ +||gwropn.soelu.com^ +||gwupkw.flexform.com.br^ +||gxcaxz.cresus.fr^ +||gxleat.attenir.co.jp^ +||gxusko.pinkpanda.hu^ +||gxyaxf.pixartprinting.be^ +||gxyojn.underarmour.fr^ +||gybles.shopee.ph^ +||gyehtm.thebridge.it^ +||gyqbrs.qvc.it^ +||gyqntn.dekoruma.com^ +||gyvcwd.cdiscount.com^ +||gyvlgl.sportitude.com.au^ +||gyvyoc.dermoeczanem.com^ +||gyvzjp.conradelektronik.dk^ +||gyxtyd.yummicandles.com^ +||gyydua.dakine.com^ +||gzbcuy.mamarella.com^ +||gzjroa.bradsdeals.com^ +||gzlxvg.papy.co.jp^ +||halvwk.jetcost.ie^ +||hambtr.unilife.co.jp^ +||haoexw.buysellonline.jp^ +||hauhws.asgoodasnew.de^ +||hauixd.halistores.com^ +||hauzdj.quellogiusto.it^ +||haxdym.min-breeder.com^ +||hazawl.veke.fi^ +||hbaazk.bukalapak.com^ +||hbahrd.yogibo.jp^ +||hbfpvm.comolib.com^ +||hcdnpe.iareduceri.ro^ +||hchlqx.ghbass.com^ +||hcjarn.parfumsclub.de^ +||hcjpbc.closerweekly.com^ +||hcjpbc.intouchweekly.com^ +||hcjpbc.j-14.com^ +||hcjpbc.lifeandstylemag.com^ +||hcjpbc.mensjournal.com^ +||hcjpbc.muscleandfitness.com^ +||hcjpbc.okmagazine.com^ +||hcjpbc.radaronline.com^ +||hcjpbc.usmagazine.com^ +||hckjsc.kastner-oehler.at^ +||hclspy.gourmetencasa-tcm.com^ +||hcmhqb.radpowerbikes.ca^ +||hcsmec.decathlon.pt^ +||hczvwi.soldejaneiro.com^ +||hdicsm.autoscout24.be^ +||hdnagl.womensecret.com^ +||hdxdhu.zumnorde.de^ +||hearob.klix.ba^ +||hekhnn.turnkeyvr.com^ +||hemblx.vans.cl^ +||hesprh.sony.jp^ +||heuida.shopafrm.com^ +||hevqaz.submarino.com.br^ +||heyaxr.fashiondays.bg^ +||hfmogh.piatradesign.ro^ +||hfmphs.loccitane.com^ +||hfoghh.inter.it^ +||hfolmr.office-com.jp^ +||hfpwcx.supermercadosmas.com^ +||hfvura.noriel.ro^ +||hgprha.mizalle.com^ +||hgzqxe.hanesbrandsinc.jp^ +||hhbxcs.tylko.com^ +||hhwcqa.underarmour.com.br^ +||hidjoi.perfumesclub.com^ +||hijxfm.gaspedaal.nl^ +||hikmxb.botovo.cz^ +||hiknhe.tanabesports.com^ +||hipkqt.contorion.de^ +||hitmse.altinbas.com^ +||hiuplq.diretta.it^ +||hiuplq.eredmenyek.com^ +||hiuplq.flashscore.bg^ +||hiuplq.flashscore.ca^ +||hiuplq.flashscore.co.id^ +||hiuplq.flashscore.co.jp^ +||hiuplq.flashscore.co.ke^ +||hiuplq.flashscore.co.uk^ +||hiuplq.flashscore.com.au^ +||hiuplq.flashscore.com.br^ +||hiuplq.flashscore.com.ng^ +||hiuplq.flashscore.com.tr^ +||hiuplq.flashscore.com^ +||hiuplq.flashscore.de^ +||hiuplq.flashscore.dk^ +||hiuplq.flashscore.gr^ +||hiuplq.flashscore.in^ +||hiuplq.flashscore.nl^ +||hiuplq.flashscore.pl^ +||hiuplq.flashscore.pt^ +||hiuplq.flashscore.ro^ +||hiuplq.flashscore.se^ +||hiuplq.flashscore.sk^ +||hiuplq.flashscore.vn^ +||hiuplq.livescore.in^ +||hiuplq.livesport.cz^ +||hiuplq.liveticker.com^ +||hiuplq.resultados.com^ +||hiuplq.rezultati.com^ +||hiuplq.soccer24.com^ +||hiuplq.soccerstand.com^ +||hiuplq.tennis24.com^ +||hiyksu.karllagerfeldparis.com^ +||hjbgdc.fracora.com^ +||hjgcdi.farmacybeauty.com^ +||hjgkdv.fiverr.com^ +||hjyfhi.misterspex.fi^ +||hksfkh.otomotoprofi.pl^ +||hkskqs.belvilla.fr^ +||hlagkl.vinatis.com^ +||hleouh.feelunique.com^ +||hlhyzh.fann.cz^ +||hlqpie.waves.com^ +||hlreoc.gonuldensevenler.com^ +||hlygsp.modivo.ro^ +||hmakpa.saksoff5th.com^ +||hmcncq.pierreetvacances.com^ +||hmeagu.e87.com^ +||hmeoda.restplatzboerse.ch^ +||hmeqvp.essencemakeup.com^ +||hmfnaj.notino.bg^ +||hmgnjf.autoscout24.it^ +||hmjyvj.glamira.it^ +||hmlvxk.julian-fashion.com^ +||hmoctt.leboutique.com^ +||hmpfja.up-t.jp^ +||hmvbmf.vidaxl.es^ +||hmyjoj.5-fifth.com^ +||hmziwy.yearbookordercenter.com^ +||hnibej.transat.com^ +||hnnuaa.willhaben.at^ +||hnpgjp.cyclemarket.jp^ +||hntnca.petpetgo.com^ +||hnwttl.re-katsu.jp^ +||hnytrd.ssfshop.com^ +||hoojts.demmelhuber.net^ +||hpbrqr.daihatsu.co.jp^ +||hpcduz.shoemall.com^ +||hphtjv.orellfuessli.ch^ +||hplkcs.emp-shop.no^ +||hplrqg.interflora.fr^ +||hpxsci.miista.com^ +||hpymkg.air-austral.com^ +||hqfthz.betterlifeuae.com^ +||hqgkmj.marine-deals.co.nz^ +||hqiwnj.clarins.pt^ +||hqjuww.kolesa-darom.ru^ +||hqwtqa.intelligence-artificielle-school.com^ +||hqxbuy.rugs-direct.com^ +||hrcpql.candymagic.jp^ +||hrnhcu.kapiva.in^ +||hrprwf.proteinocean.com^ +||hruoxg.5vorflug.de^ +||hruyiq.auction.co.kr^ +||hrwgsq.loesdau.de^ +||hsaxca.americatv.com.pe^ +||hslkll.psychic.de^ +||hssyje.theathletesfoot.com.au^ +||hsvrww.plain-me.com^ +||hswgqa.jmsc.co.jp^ +||htcnbx.odkarla.cz^ +||htewng.plesio.bg^ +||hthzoa.notino.hu^ +||htmgrl.jollyroom.no^ +||htqfxh.vuch.cz^ +||hudhno.jdsports.es^ +||huechl.paige.com^ +||hugupq.selency.fr^ +||huqkbq.misterrunning.com^ +||husoxn.investors.com^ +||hutkse.wecandoo.fr^ +||hvpeme.petedge.com^ +||hvrhgt.the-sun.com^ +||hvrhgt.thescottishsun.co.uk^ +||hvrhgt.thesun.co.uk^ +||hvrhgt.thesun.ie^ +||hvrzig.e-domizil.ch^ +||hvteqk.snowleader.com^ +||hvuihu.undiz.com^ +||hvwgbj.wikinger-reisen.de^ +||hvxymx.tui.pl^ +||hwkfzf.meinauto.de^ +||hwnmhi.sunbeltrentals.com^ +||hwwjsi.aboutyou.pl^ +||hwyytk.verabradley.com^ +||hwyyuy.ringcentral.com^ +||hxbgxi.seikousa.com^ +||hxiabp.colins.com.tr^ +||hxmssa.wordans.nl^ +||hxnxxq.tophifi.pl^ +||hycywj.akkushop.de^ +||hyeorg.gmarket.co.kr^ +||hyibby.lampen24.be^ +||hykaqn.dormideo.com^ +||hyxvec.michaelpage.co.jp^ +||hyybul.kaskus.co.id^ +||hzeetn.natalie.mu^ +||hzoouw.s-re.jp^ +||hzuheh.palcloset.jp^ +||hzvsld.fr.filorga.com^ +||hzymxd.nocibe.fr^ +||hzzyhl.jobs.ch^ +||iaalxo.vans.ru^ +||iabdly.hoselink.com.au^ +||iabgvi.usadosbr.com^ +||iatoex.kahve.com^ +||iazwzp.lyst.com^ +||ibbmfq.decameron.com^ +||ibbmly.moneymetals.com^ +||ibkups.rci.com^ +||ibtmla.discovery-expedition.com^ +||icaubf.casamundo.de^ +||icfckg.myft.com.br^ +||icmakp.united-arrows.tw^ +||icoktb.onygo.com^ +||ictrjw.barcastores.com^ +||idbkfy.kango-roo.com^ +||idgptg.esm-computer.de^ +||idianw.warmteservice.nl^ +||idlqzb.puntoscolombia.com^ +||idndlc.kango-oshigoto.jp^ +||idqwqm.kkday.com^ +||ieeowa.marcjacobsbeauty.com^ +||iefiop.raizs.com.br^ +||iegwze.goldcar.es^ +||iepfcy.farmandfleet.com^ +||iesbpm.novasol.dk^ +||ievdpg.humanscale.com^ +||iffalh.y-aoyama.jp^ +||ifkzro.llbean.co.jp^ +||ifnyop.priceline.com^ +||ifqtfo.rugsusa.com^ +||ifxnyp.troquer.com.mx^ +||ifyane.balaan.co.kr^ +||igexlg.weltbild.de^ +||igfjkh.vw.com.tr^ +||igjytl.unice.com^ +||ignchq.kentaku.co.jp^ +||igxqyi.iese.edu^ +||igyswj.sixt.it^ +||ihcamp.ybtour.co.kr^ +||ihcrqa.sonnenklar.tv^ +||ihfwer.aboutyou.com^ +||ihnbqe.shane.co.jp^ +||ihpyig.hometogo.ch^ +||ihtnxu.tannergoods.com^ +||iiajtl.zeit.de^ +||iiqtru.aunworks.jp^ +||iirpzp.novasol.com^ +||ijaabm.bravotv.com^ +||ijaabm.eonline.com^ +||ijaabm.nbcsports.com^ +||ijaabm.rotoworld.com^ +||ijaabm.telemundo.com^ +||ijaabm.telemundodeportes.com^ +||ijaabm.usanetwork.com^ +||ijafud.heathcotes.co.nz^ +||ijhlca.lulus.com^ +||ijifwb.green-acres.fr^ +||ikdxfh.jollyroom.se^ +||ikneio.aquantindia.com^ +||ikvjvw.pharma.mynavi.jp^ +||ilepwo.bonprix.at^ +||ilfmju.right-on.co.jp^ +||ilnfdq.cybozu.co.jp^ +||iltcaf.immobilienscout24.de^ +||ilvqos.lyst.es^ +||imbhdu.housedo.co.jp^ +||imhwzc.blibli.com^ +||imjdmq.emcasa.com^ +||imjsfy.allbeauty.com^ +||imjxso.bristol.nl^ +||indiyo.38-8931.com^ +||inencr.woodhouseclothing.com^ +||inmtuj.jobs.ie^ +||inmuzp.popsockets.com^ +||inpney.warehouse-one.de^ +||inqjal.dickssportinggoods.com^ +||iobyeq.dallmayr-versand.de^ +||ioeczq.juno.co.uk^ +||ioedpk.oneill.com^ +||iofeth.pulsee.it^ +||iokhsx.unionmonthly.jp^ +||iooecb.bergzeit.de^ +||ioovmg.flexicar.es^ +||ioovrf.coen.co.jp^ +||iopqct.drogasil.com.br^ +||iopxiu.wingly.io^ +||ioxqdp.leatherology.com^ +||ipcfgw.pieces.com^ +||ipdmlm.yoriso.com^ +||iphufr.circleline.com^ +||ipixsi.aboutyou.fi^ +||ipkasp.nissan.co.jp^ +||iptmgi.akan.co.kr^ +||iptmih.hifi-regler.de^ +||ipummv.pharao24.de^ +||ipyjxs.chowsangsang.com^ +||iqbjqv.airarabia.com^ +||iqcxki.johosokuhou.com^ +||iqjwrk.crocodile.co.jp^ +||iquirc.motionrc.com^ +||iqyioj.harryanddavid.com^ +||irfiqx.babyneeds.ro^ +||irqewz.vilebrequin.com^ +||irqoqr.industrywest.com^ +||irurng.wondershare.jp^ +||iseuaa.olx.pl^ +||isjoui.cainz.com^ +||isovav.akomeya.jp^ +||itkdlu.equideow.com^ +||itznub.gap.co.uk^ +||iujeaa.menz-style.com^ +||iuryhk.soccer.com^ +||iuwiim.steigenberger.com^ +||ivbxao.roastmarket.de^ +||ivcxpw.kogan.com^ +||ivdguf.elephorm.com^ +||ivegss.autotrack.nl^ +||ivencq.nike.com.hk^ +||ivmwbl.hear.com^ +||ivwkkh.nexity.fr^ +||iwgfdj.iko-yo.net^ +||iwhzhi.packstyle.jp^ +||iwlnpw.claudiepierlot.com^ +||iwmjsk.jw.com.au^ +||iwpneu.eneba.com^ +||ixrzwf.decathlon.be^ +||ixsgoy.getpenta.com^ +||ixtzad.fetch.co.uk^ +||iycifx.coldwatercreek.com^ +||iyvzqt.agabangmall.com^ +||izbwce.secretoutlet.com.br^ +||izegag.shop24direct.de^ +||izremx.dentalplans.com^ +||izwgxw.acordocerto.com.br^ +||jambwe.transsibinfo.com^ +||janzoz.1001pneus.fr^ +||jaomlf.giftmall.co.jp^ +||jatflh.pharmamarket.be^ +||jatpmv.megacolchoes.com.br^ +||javvso.newone-shop.com^ +||jbbljg.autoscout24.bg^ +||jbezdi.ilsole24ore.com^ +||jcaqvl.twinset.com^ +||jcblar.floridarentals.com^ +||jcimgi.bestcuckoo.co.kr^ +||jcplzp.lancel.com^ +||jcpyyh.laredoute.es^ +||jdbjhd.saniweb.nl^ +||jdgtgb.4players.de^ +||jdgtgb.autoguru.de^ +||jdgtgb.buffed.de^ +||jdgtgb.desired.de^ +||jdgtgb.dnn.de^ +||jdgtgb.express.de^ +||jdgtgb.familie.de^ +||jdgtgb.fussballfieber.de^ +||jdgtgb.gamezone.de^ +||jdgtgb.giga.de^ +||jdgtgb.goettinger-tageblatt.de^ +||jdgtgb.haz.de^ +||jdgtgb.hildesheimer-allgemeine.de^ +||jdgtgb.kicker.de^ +||jdgtgb.kino.de^ +||jdgtgb.ksta.de^ +||jdgtgb.ln-online.de^ +||jdgtgb.lvz.de^ +||jdgtgb.mainpost.de^ +||jdgtgb.maz-online.de^ +||jdgtgb.meineorte.com^ +||jdgtgb.mopo.de^ +||jdgtgb.op-marburg.de^ +||jdgtgb.paz-online.de^ +||jdgtgb.pcgames.de^ +||jdgtgb.pcgameshardware.de^ +||jdgtgb.rnz.de^ +||jdgtgb.rundschau-online.de^ +||jdgtgb.spielaffe.de^ +||jdgtgb.sportbuzzer.de^ +||jdgtgb.stylevamp.de^ +||jdgtgb.t-online.de^ +||jdgtgb.tierfans.net^ +||jdgtgb.twitterperlen.de^ +||jdgtgb.unnuetzes.com^ +||jdgtgb.unsere-helden.com^ +||jdgtgb.volksstimme.de^ +||jdgtgb.watson.de^ +||jdgtgb.weser-kurier.de^ +||jdzmqj.thousandtrails.com^ +||jeccmq.wehkamp.nl^ +||jelndb.truereligion.com^ +||jeyttn.snipes.com^ +||jfltzz.riu.com^ +||jfnnzq.quelle.de^ +||jfpltp.eyeforfashion.pl^ +||jfyecc.machineseeker.com^ +||jgzhsu.caterer.com^ +||jhfuhi.b-exit.com^ +||jhnmpm.kiwoko.com^ +||jhprvk.skstoa.com^ +||jhpwrn.laredoute.ch^ +||jhrewn.venezia.pl^ +||jhzwle.ryuryumall.jp^ +||jiciqm.antalyahomes.com^ +||jifjai.instamotion.com^ +||jirnxq.guud.com^ +||jjcypx.vrai.com^ +||jjdciu.justspices.de^ +||jkgeyo.urbanara.de^ +||jkizha.theshoecompany.ca^ +||jknarp.kakaku.com^ +||jkwdsl.videt.ro^ +||jkzoac.headphones.com^ +||jldtlh.fashionnova.com^ +||jlffeu.nadula.com^ +||jlhwxm.spartoo.es^ +||jlnyti.mugo.com.tr^ +||jmcnwr.bricoprive.com^ +||jmvmrv.e-davidwalker.com^ +||jnkqnf.cifraclub.com.br^ +||jnkqnf.cifraclub.com^ +||jnkqnf.palcomp3.com.br^ +||jnzedp.his-j.com^ +||joqawz.snipes.nl^ +||joskgw.sewingmachinesplus.com^ +||jowtkv.vertbaudet.de^ +||jpfufu.xlmoto.co.uk^ +||jpluzr.autoc-one.jp^ +||jprbql.jdsports.fr^ +||jptobh.network.com.tr^ +||jpwfkn.besthotels.es^ +||jpwfrl.mona.de^ +||jqlzwb.bauhaus.fi^ +||jqsouo.gourmetcaree.jp^ +||jraasj.kobo.com^ +||jrfjcn.mebeli.bg^ +||jrucbb.guestreservations.com^ +||jrxrit.europcar.de^ +||jrzgcz.ciociariaoggi.it^ +||jrzgcz.latinaoggi.eu^ +||jshkyh.29cm.co.kr^ +||jsomtq.telescope.com^ +||jspqms.bellevue-ferienhaus.de^ +||jswlpe.modainpelle.com^ +||jswyrt.jp1880.de^ +||jszwxm.hometogo.nl^ +||jtbaoo.belvini.de^ +||jtosgk.123pneus.fr^ +||jttmym.gear4music.com^ +||jtxrou.saucony.com^ +||jtyutq.chaussures.fr^ +||jufhxk.audienhearing.com^ +||jujtcq.amnibus.com^ +||juzqsq.finanzcheck.de^ +||jvbvng.notino.it^ +||jviyau.pelicanwater.com^ +||jvpipr.hometogo.se^ +||jvrwil.gabor.de^ +||jvzlya.benesse.ne.jp^ +||jwcnjv.xlmoto.eu^ +||jweqai.amen.fr^ +||jwlvlo.icaniwill.dk^ +||jwmhqs.fsk.ru^ +||jwtnmo.promovacances.com^ +||jwvazl.mansurgavriel.com^ +||jwxqmj.thediamondstore.co.uk^ +||jxdptu.jouete-online.com^ +||jxeumx.hanaunni.com^ +||jxiwdw.ufret.jp^ +||jxoaza.yourmystar.jp^ +||jxpsrh.casamundo.co.uk^ +||jxsmzz.mytrauringstore.de^ +||jxvrhx.fotokoch.de^ +||jybnuw.mudah.my^ +||jynwlg.veromoda.com^ +||jyuicr.codemonkey.com^ +||jyumzv.dcshoes.com.br^ +||jyupgi.eurostarshotels.co.uk^ +||jyyqzt.sledstore.se^ +||jyyzvb.careerindex.jp^ +||jzauch.motostorm.it^ +||jzgfhr.nordicnest.com^ +||jzoxch.menswearhouse.com^ +||jzprtb.1stdibs.com^ +||jzqfac.bestsecret.ch^ +||kaacsi.belvilla.nl^ +||kabokc.webuy.com^ +||kaebyy.autouncle.se^ +||kalwub.mizuho-re.co.jp^ +||katylz.lojaspompeia.com^ +||kbcmdi.florsheim.com.au^ +||kbighx.absolventa.de^ +||kbviuj.enoteca.co.jp^ +||kbvxbw.bugatti-fashion.com^ +||kcgser.azialo.com^ +||kcqoej.roborock.com^ +||kcuzgn.fnac.be^ +||kcvwuw.iryouworker.com^ +||kcykhs.mrblue.com^ +||kdarje.garten-und-freizeit.de^ +||kdhmzv.oculosmeninaflor.com.br^ +||kdlsdk.neverfullydressed.co.uk^ +||kdpxgr.travellink.no^ +||kdqytm.vipre.com^ +||kdtbpt.brogsitter.de^ +||kebpln.darngoodyarn.com^ +||keoofp.gulfnews.com^ +||keqglr.panvel.com^ +||kftfhp.furusato-tax.jp^ +||kgbokc.masrefacciones.mx^ +||kgmmfk.galcomi.jp^ +||kgqxzw.blue-tomato.com^ +||kgqzgj.rougegorge.com^ +||khcdhu.saraschool.net^ +||khfiwx.sephora.com.br^ +||khfyas.bellybandit.com^ +||khgtwn.reifendirekt.de^ +||khimxz.shoesforcrews.com^ +||khiurx.tigerdirect.com^ +||kiddbs.baby-calendar.jp^ +||kierwg.enzzo.gr^ +||kighmh.nelson.nl^ +||kiqwal.autoscout24.es^ +||kiqwil.l-m.co.jp^ +||kirsrn.runway-webstore.com^ +||kjdfho.eidaihouse.com^ +||kjjuuy.icaniwill.fi^ +||kjmaoi.babor.com^ +||kjxmcn.eset.com^ +||kjxztu.biz-journal.jp^ +||kkcmcp.printemps.com^ +||kksuce.hankoya.com^ +||kkznoe.autouncle.ch^ +||kkznoe.autouncle.co.uk^ +||kkznoe.autouncle.it^ +||kkzpde.aboutyou.lt^ +||klhxyi.costakreuzfahrten.ch^ +||klktmc.parler.co.jp^ +||klqlmg.mitchellandness.com^ +||klwuhp.daehyuninside.com^ +||kmqghr.bristolshop.be^ +||kmqhmn.helen-marlen.com^ +||knapia.weightwatchers.com^ +||knfjhy.echo.msk.ru^ +||knjybs.luminis-films.com^ +||knlqeu.jewlr.com^ +||knopnf.asambeauty.com^ +||knorzj.wearfigs.com^ +||knymhv.ariat.com^ +||knzmrw.infojobs.net^ +||knzqjr.pult.ru^ +||koifrz.tvc-mall.com^ +||koowiu.obchod-vtp.cz^ +||kouopt.calvinklein.com.br^ +||kpbzar.warbyparker.com^ +||kpcyic.sportisimo.cz^ +||kpfvaq.schuhe.de^ +||kqchxa.denizbutik.com^ +||kqdqrj.traktorpool.de^ +||kqhckf.outfits24.de^ +||kqkcoq.vidaxl.fr^ +||kqkydl.postel-deluxe.ru^ +||kqscrl.bonprix.nl^ +||kqvtez.watt24.com^ +||kqzbph.zerohedge.com^ +||krgoad.mauboussin.fr^ +||krskux.newhaircaps.com.br^ +||kszpsc.waschbaer.ch^ +||kszuxn.snidel.com^ +||ktdcoy.lyst.it^ +||kthjuw.lyst.com.au^ +||ktoahv.ivet.rs^ +||ktocpw.silabg.com^ +||ktskxm.smartphoto.nl^ +||kuaifr.camicado.com.br^ +||kukckk.sagefinds.com^ +||kuusay.yalispor.com.tr^ +||kvfumh.fairwaystyles.com^ +||kvfunf.factorydirect.ca^ +||kvnkjd.kaigoshoku.mynavi.jp^ +||kvskic.jadore-jun.jp^ +||kwalnc.vans.co.kr^ +||kwbpge.jra-van.jp^ +||kwijfh.proactiv.com^ +||kwitvg.letudiant.fr^ +||kwqpix.ravenna.gr^ +||kwvbhj.jcpenney.com^ +||kwwgmv.tennistown.de^ +||kwwvxn.uniqlo.com^ +||kxbqbq.amicafarmacia.com^ +||kxkvpn.josera.de^ +||kxmrwu.ibarakinews.jp^ +||kxtqgp.mistermenuiserie.com^ +||kydcwp.landwirt.com^ +||kygelf.ludwig-von-kapff.de^ +||kyjoyk.modoza.com^ +||kyszhn.qvc.jp^ +||kyvpze.vidaxl.co.uk^ +||kzhesi.corcoran.com^ +||kzmual.superga.com^ +||kzsicw.chip.de^ +||kzsicw.cinema.de^ +||kzsicw.fitforfun.de^ +||kzsicw.focus.de^ +||kzsicw.tvspielfilm.de^ +||kzsicw.tvtoday.de^ +||kzsisc.3.dk^ +||kzutbh.takeappeal.com^ +||ladghy.jcb.co.jp^ +||ladxxr.sonovente.com^ +||lapkhy.aventon.com^ +||lapwkd.feelgood-shop.com^ +||lbgfqn.onward.co.jp^ +||lbgrwm.zolta.pl^ +||lbnrrh.autouncle.dk^ +||lcdsyj.daily.co.jp^ +||lcefua.timberland.ru^ +||lcodff.uta-net.com^ +||lcsopa.onamae.com^ +||lctfgw.evernew.ca^ +||lcwodl.bleulibellule.com^ +||lcztnn.asics-trading.co.jp^ +||ldckmk.divarese.com.tr^ +||ldgxsr.locasun-vp.fr^ +||ldhteg.mooihorloge.nl^ +||ldinry.drinks.ch^ +||ldorlv.seiban.co.jp^ +||ldqtdd.peing.net^ +||ldvalc.manzara.cz^ +||ldxpmz.people.com^ +||lebtpm.co-medical.com^ +||lekfso.hitohana.tokyo^ +||lenpmh.francoisesaget.com^ +||lexvek.gap.ae^ +||leynqj.newport.se^ +||lezntf.heydudeshoesusa.com^ +||lfapbe.quiksilver.co.jp^ +||lfbowp.talisa.com^ +||lfercl.tcb-beauty.net^ +||lfmhcb.sefamerve.com^ +||lfpfpl.andar.co.kr^ +||lfuzec.bglen.net^ +||lfxdqs.mamasandpapas.ae^ +||lfyqsi.erborian.com^ +||lgbdxo.azazie.com^ +||lgylib.dg-home.ru^ +||lgzkzp.bauhaus.at^ +||lhaqtn.lyst.ca^ +||lhcivu.dekbed-discounter.nl^ +||lhdidz.successories.com^ +||lhevhb.hjgreek.com^ +||lhewdj.fnac.pt^ +||lhlext.e-aircon.jp^ +||lhrzel.enterprise.com.tr^ +||lhzulh.tribeamrapali.com^ +||liecso.e-himart.co.kr^ +||ligxyv.hackers.co.kr^ +||liosix.mtvuutiset.fi^ +||ljbpfe.notino.es^ +||ljqpvo.hardrock.com^ +||ljyipz.nugnes1920.com^ +||ljzxdu.largus.fr^ +||lkhrtf.beveragefactory.com^ +||lkluoz.saraceniwines.com^ +||lknqfn.furla.com^ +||lkvkgk.levis.com.tr^ +||llkdiu.chacos.com^ +||llqutk.skechers.com.au^ +||llteig.framesdirect.com^ +||lltmch.zurifurniture.com^ +||llwoyl.mirraw.com^ +||lmavci.eloquii.com^ +||lmeniu.timberland.com.au^ +||lmgenf.ludwigbeck.de^ +||lmgvur.scbt.com^ +||lmldvr.centauro.net^ +||lmnqof.littletoncoin.com^ +||lmorsb.highstreettv.com^ +||lnjiwo.manzara.sk^ +||lnntnt.hsastore.com^ +||lntvby.banggood.com^ +||lnxfgm.party-calendar.net^ +||lodlww.carcon.co.jp^ +||loobmf.hardloop.fr^ +||lowgxl.yokumoku.jp^ +||lozjnq.stateandliberty.com^ +||lpbhnv.nbcbayarea.com^ +||lpbhnv.nbcboston.com^ +||lpbhnv.nbcchicago.com^ +||lpbhnv.nbcconnecticut.com^ +||lpbhnv.nbcdfw.com^ +||lpbhnv.nbclosangeles.com^ +||lpbhnv.nbcmiami.com^ +||lpbhnv.nbcnewyork.com^ +||lpbhnv.nbcphiladelphia.com^ +||lpbhnv.nbcsandiego.com^ +||lpbhnv.nbcwashington.com^ +||lpbhnv.necn.com^ +||lpbhnv.telemundo47.com^ +||lpbhnv.telemundo49.com^ +||lpbhnv.telemundo52.com^ +||lpbhnv.telemundonuevainglaterra.com^ +||lpbhnv.telemundopr.com^ +||lpbhnv.telemundosanantonio.com^ +||lpbhnv.telemundowashingtondc.com^ +||lpdbca.internetaptieka.lv^ +||lpfirw.kooding.com^ +||lpfsex.fabiboutique.com^ +||lpipua.kcar.com^ +||lpuqtu.propertyfinder.bh^ +||lpygsq.dorita.se^ +||lpyxrp.thewodlife.com.au^ +||lpzxed.em.com.br^ +||lpzxed.superesportes.com.br^ +||lpzxed.uai.com.br^ +||lqbinr.locker-room.co.kr^ +||lqdeyv.thepopcornfactory.com^ +||lqklml.amikado.com^ +||lqopyc.beermachines.ru^ +||lqpzdi.coppel.com^ +||lqsowt.mona-mode.fr^ +||lqvfkk.sosyopix.com^ +||lqxjrk.fbs.com^ +||lravwm.spa.cz^ +||lrdnuu.shopee.co.th^ +||lrdxki.hakutou-shop.com^ +||lrehgz.orix.co.jp^ +||lreust.joshinweb.jp^ +||lrfctq.wordans.co.uk^ +||lrhyty.weeronline.nl^ +||lrjnbf.sabon.co.jp^ +||lsixuz.agrifournitures.fr^ +||lslynl.chiashake.cz^ +||lspfuw.siwonschool.com^ +||lswfmx.stuartweitzman.com^ +||ltcmak.alodokter.com^ +||ltdczq.myhome.nifty.com^ +||ltecrf.dhgate.com^ +||lthbdc.become.co.jp^ +||lthdzu.sercotelhoteles.com^ +||lthzhy.elv.com^ +||ltnico.fnac.com^ +||ltqpej.vidaxl.ie^ +||ltripg.marti.mx^ +||ltsveh.wetteronline.at^ +||ltsveh.wetteronline.ch^ +||ltsveh.wetteronline.de^ +||ltycia.ba-sh.com^ +||ltzpth.sephora.fr^ +||luaqlg.blissy.com^ +||luegnh.sneakercage.gr^ +||lujaqg.e-blooming.com^ +||lujcig.modaforyou.pl^ +||lumtjt.plumbingonline.ca^ +||luptbq.lampsplus.com^ +||luumhi.whatonearthcatalog.com^ +||luuonz.motoblouz.com^ +||luwzem.skala.nl^ +||luzfpa.dltviaggi.it^ +||lvidqa.unisportstore.de^ +||lvivsu.peterhahn.de^ +||lvsats.gardner-white.com^ +||lwkvkd.maison-objet.com^ +||lwmnyf.modivo.hu^ +||lwozzk.legacy.com^ +||lwusnt.yogibo.kr^ +||lxiaho.lesfurets.com^ +||lxmnrl.eobuv.sk^ +||lxoemc.buonissimo.it^ +||lxoemc.dilei.it^ +||lxoemc.libero.it^ +||lxoemc.paginebianche.it^ +||lxoemc.siviaggia.it^ +||lxoemc.tuttocitta.it^ +||lxsway.alltforforaldrar.se^ +||lxsway.blogg.se^ +||lxsway.brollopstorget.se^ +||lxsway.familjeliv.se^ +||lxsway.kwiss.me^ +||lxsway.modette.se^ +||lxsway.nyheter24.se^ +||lxsway.tyda.se^ +||lxswqh.oyorooms.com^ +||lxwasy.tatragarden.ua^ +||lxwysd.hirmer.de^ +||lxztgb.musee-pla.com^ +||lyegyo.bluenile.com^ +||lyfrir.purehockey.com^ +||lynjbq.sizeofficial.nl^ +||lyxfra.shopee.com.my^ +||lyypsy.unisportstore.se^ +||lzcwbt.schuhcenter.de^ +||lziqkx.countryoutfitter.com^ +||lzrhay.farmaciasoccavo.it^ +||lzrljv.tradera.com^ +||lzvwxy.hometogo.pl^ +||lzwxzz.chintaistyle.jp^ +||maaiuh.tomorrowland.co.jp^ +||majdmw.gigasport.at^ +||makbti.bandofboats.com^ +||market.bellelily.com^ +||matytt.tone.ne.jp^ +||maxtat.55truck.com^ +||mbbhij.mi-home.pl^ +||mbelia.underarmour.co.uk^ +||mbeoxt.perfumesclub.pt^ +||mcacry.trendhim.it^ +||mccntp.raen.com^ +||mccylg.rutlandcycling.com^ +||mchtna.fashionplus.co.kr^ +||mckbpe.united-arrows.co.jp^ +||mckiey.thun.com^ +||mczpco.darty.com^ +||mczqzk.yves-rocher.hu^ +||mdokua.shiseido.co.jp^ +||mdugiz.jdsports.de^ +||mdxhon.allhomes.com.au^ +||mennoc.mezlan.com^ +||meypeg.videdressing.com^ +||mfamcw.sodexobeneficios.com.br^ +||mfmkkv.sorgenia.it^ +||mfxtlm.mobiup.ro^ +||mgbfxr.formongde.com^ +||mgbivj.hintaopas.fi^ +||mgclyt.costacruceros.es^ +||mgcnid.aboutyou.cz^ +||mgdmqr.parfium.bg^ +||mgefhu.seiska.fi^ +||mgefhu.suomi24.fi^ +||mggakg.littleblack.co.kr^ +||mgixgn.wittchen.com^ +||mgptul.finson.com^ +||mhauev.glasses.com^ +||mhidwg.elgiganten.se^ +||mhizzr.eurorelais.nl^ +||mhmzhc.trysnow.com^ +||mhnpec.nimaxi-online.com^ +||mhrkxi.thetrybe.com.au^ +||mhwbhn.tohapi.fr^ +||miexgq.forevernew.co.nz^ +||miqeuu.timberland.it^ +||mirvso.boggi.com^ +||mixxuo.sportys.gr^ +||mjfunt.bibi.com^ +||mjjvkx.monoprice.com^ +||mjnpya.marktplaats.nl^ +||mjsnvi.extraspace.com^ +||mjutjc.telstarsurf.de^ +||mjwnxc.julbie.com^ +||mjzkws.marcovasco.fr^ +||mkltfc.atgp.jp^ +||mkmkew.hometogo.no^ +||mkmree.dmm.co.jp^ +||mkolqj.ozonee.pl^ +||mksogv.oneclickdrive.com^ +||mkwntx.pinkpanda.de^ +||mkzpqu.sungboon.com^ +||mkztpk.invictastores.com^ +||mlfolu.nabava.net^ +||mlgubn.autouncle.de^ +||mlhtmc.macnificos.com^ +||mlkblr.la-becanerie.com^ +||mlkklg.suncamp.de^ +||mlmswk.janpara.co.jp^ +||mlqzau.koffer.com^ +||mluszz.eyelashgarage.jp^ +||mmobsz.edenviaggi.it^ +||mmulsx.comet.it^ +||mmwlwm.autoscout24.pl^ +||mnbyto.goo-net.com^ +||mnfqyj.corello.com.br^ +||mnrddc.journeys.com^ +||mnwljk.ibagy.com.br^ +||momyjw.jobninja.com^ +||mosvnx.livup.com.br^ +||mowvra.idlookmall.com^ +||mpglie.apartmentguide.com^ +||mpgtft.zoobeauval.com^ +||mpjtif.viabovag.nl^ +||mprkxf.teebooks.com^ +||mqesfg.bpm-power.com^ +||mqhaxf.keds.com^ +||mqhuzk.soffadirekt.se^ +||mqjpkx.lulli-sur-la-toile.com^ +||mqjsdu.eataly.net^ +||mqldrm.lgcity.ru^ +||mqojih.taschenkaufhaus.de^ +||mqsicr.smiggle.co.uk^ +||mquwyx.engelhorn.de^ +||mqvyob.vidaxl.fi^ +||mqwqas.marketbio.pl^ +||mqzoid.vintorte.com^ +||mrksmm.yumegazai.com^ +||msafoy.eyebuydirect.com^ +||mseeru.faz.net^ +||msfvwi.sieuthiyte.com.vn^ +||msioay.backcountry.com^ +||mtbflj.elementaree.ru^ +||mtcvyv.karakartal.com^ +||mtcvyv.sporx.com^ +||mtcvyv.superfb.com^ +||mtcvyv.webaslan.com^ +||mtkure.gazin.com.br^ +||mtoxtg.tezenis.com^ +||mtuqnl.roomys-webstore.jp^ +||mtvgxt.partirpascher.com^ +||mtvnbq.infopraca.pl^ +||mtyciy.solebox.com^ +||mugapi.lazzarionline.com^ +||muhttw.spotlightstores.com^ +||mujjrh.stylenanda.com^ +||mupmos.levis.com.au^ +||muqtti.motoin.de^ +||muwyib.lettuce.co.jp^ +||mvjkbj.2-carat.net^ +||mvjkbj.inazumanews2.com^ +||mwbhkv.plasico.bg^ +||mwbilx.pisos.com^ +||mwxema.galerieslafayette.com^ +||mxdzxd.mister-auto.com^ +||mxhunv.kurz-mal-weg.de^ +||mxmwqo.biosante.com.br^ +||mxpdsu.bhv.fr^ +||mxsvjc.hackers.ac^ +||myakiu.trendhim.ch^ +||mybjjg.vlan.be^ +||myxuak.mir-kubikov.ru^ +||mzldzb.crocs.pl^ +||mzwkss.chiccousa.com^ +||nafmxc.1083.fr^ +||namcah.alipearlhair.com^ +||navfja.answear.hu^ +||nbfopy.jjshouse.com^ +||nbizzi.store.ferrari.com^ +||nbohze.thenorthface.ru^ +||nbrngg.rinkaiseminar.co.jp^ +||nbyggk.jocee.jp^ +||ncbabz.hometogo.co.uk^ +||ncvsbz.bonds.com.au^ +||ncxxek.donedeal.ie^ +||nczils.pristineauction.com^ +||ndcywq.ullapopken.fr^ +||ndeooc.bubbleroom.no^ +||ndgrlo.visiondirect.com.au^ +||ndroyp.gettingpersonal.co.uk^ +||neaaom.ytn.co.kr^ +||nekgtz.bluestoneperennials.com^ +||neowiv.brumbrum.it^ +||nerldv.ullapopken.pl^ +||nffxqi.jorgebischoff.com.br^ +||nflxjp.residences-immobilier.com^ +||nfmvsq.giuseppezanotti.com^ +||nfptar.giordanoshop.com^ +||nfudeh.jadebag.co.kr^ +||ngazee.novostroy-m.ru^ +||ngcbjq.frecuento.com^ +||ngghll.me.co.kr^ +||ngueja.2ememain.be^ +||ngyxtr.ripcurl.com^ +||nhdhoj.ibs.it^ +||nhkoze.saneibd.com^ +||nhlvvh.sawadee.nl^ +||nhnazx.outdoorlook.co.uk^ +||nhqkbl.semilac.pl^ +||nirdjz.revolveclothing.com.au^ +||njnlih.realitatea.net^ +||njorya.aosom.de^ +||njtwub.schneider.de^ +||njxnsb.paodeacucar.com^ +||nkarmh.jmbullion.com^ +||nkothz.duskin.jp^ +||nkqxyn.misterspex.co.uk^ +||nkwvwb.fluevog.com^ +||nlbukc.babyworld.se^ +||nlgzhd.yoox.com^ +||nljjem.honeys-onlineshop.com^ +||nltihf.fashiondays.ro^ +||nltzqx.autodoc.co.uk^ +||nlvnht.miror.jp^ +||nmiodk.promiflash.de^ +||nnhxjd.zielonalazienka.pl^ +||nnivvr.zimmo.be^ +||nnkeoi.timarco.com^ +||nnkkxb.nuts.com^ +||nnobek.waschbaer.de^ +||nnofmj.studiof.com.co^ +||nnqyed.laredoute.be^ +||nntgna.dmm.com^ +||nnvoia.closetworld.com^ +||nogxjk.dackonline.se^ +||nohaxn.damattween.com^ +||nosjew.glamira.de^ +||npczil.maxandco.com^ +||npfopn.mix.tokyo^ +||nplden.legionathletics.com^ +||nprkvj.mall.sk^ +||npsopu.clearly.ca^ +||nptkpt.vangraaf.com^ +||npvbjv.yourroom.ru^ +||nqacsh.boosted.dk^ +||nqcbgz.cocopanda.se^ +||nqgmcp.chairish.com^ +||nqozgp.botland.com.pl^ +||nqxnvy.levi.com.hk^ +||nrjcur.pomelofashion.com^ +||nrquff.supurgemarket.com^ +||nrrgyk.hair-gallery.it^ +||nrstxi.envieshoes.gr^ +||nrtubi.sobrico.com^ +||nsedgj.bonprix.de^ +||nstclj.rubylane.com^ +||nthldc.europcar.co.uk^ +||ntopcd.underarmour.nl^ +||ntphyl.milan-jeunesse.com^ +||nturnm.unisport.dk^ +||nucgsx.indestructibleshoes.com^ +||nukktn.dorko.hu^ +||nuquds.citizenwatch.com^ +||nuyibu.pieper.de^ +||nuyujp.barstoolsports.com^ +||nvpdaa.brightcellars.com^ +||nvumcv.standoil.kr^ +||nvxlag.liligo.fr^ +||nwajdf.zakzak.co.jp^ +||nwbmvq.jockey.com^ +||nwfkjx.gadventures.com^ +||nwvupz.cljoias.com.br^ +||nwwucx.palemoba.com^ +||nxhqso.nordicnest.se^ +||nxnszu.ettoday.net^ +||nxovay.fo-online.jp^ +||nxwniq.aboutyou.ie^ +||nycwfz.kigili.com^ +||nyrxcy.teslaweld.com^ +||nytjyf.dholic.co.jp^ +||nyuyiw.linea-storia.co.kr^ +||nyvknh.compracerta.com.br^ +||nzmkzl.mytheresa.com^ +||nzqrfa.hushpuppies.com^ +||nzueib.dice.com^ +||nzuwat.miliboo.it^ +||nzzvvf.goldengoose.com^ +||oabnmx.jewelryexchange.com^ +||oaizwm.zox.la^ +||obfrok.partyking.no^ +||obhnrw.furniturebox.se^ +||obhxvb.tmktools.ru^ +||obnrap.neimanmarcus.com^ +||obooom.robinmaybag.com^ +||obqclg.dadway-onlineshop.com^ +||obqvss.debameubelen.be^ +||obrqts.hudforeclosed.com^ +||obtfhl.bellemaison.jp^ +||ocmxbu.hanatour.com^ +||ocpgll.bannerbuzz.ca^ +||ocwlhv.ecid.com.br^ +||odepcf.modetour.com^ +||odjdpy.jobware.de^ +||odkvrg.pedrodelhierro.com^ +||oebarc.ekosport.at^ +||oedbml.collage-shop.jp^ +||oedlmz.underarmour.it^ +||oedxix.lolipop.jp^ +||oesfco.glamira.pl^ +||oesonx.10000recipe.com^ +||oessbi.yves-rocher.ru^ +||oesxlp.atlasformen.co.uk^ +||oexcmv.concent.co.jp^ +||ofkqiy.knowfashionstyle.com^ +||ofqkbk.proclipusa.com^ +||ofvosb.jumbo.com.tr^ +||ofwdvh.suntransfers.com^ +||ogcsvq.sourcenext.com^ +||ognunn.chavesnamao.com.br^ +||ogpdwe.livin24.com^ +||ogwzby.peek-und-cloppenburg.de^ +||ogzucf.all4golf.de^ +||ohjrxj.personalizationmall.com^ +||ohrdit.kfzteile24.de^ +||ohsyat.jdsports.it^ +||ohtdbl.mister-auto.es^ +||oicmda.ugyismegveszel.hu^ +||oikckw.scarosso.com^ +||oiodyx.baldur-garten.de^ +||oitihv.drinks.de^ +||oiwnrl.theory.co.jp^ +||ojlsxt.pigment.co.kr^ +||ojmxro.yatsan.com^ +||ojufuk.vincecamuto.com^ +||ojvxtz.junonline.jp^ +||okhwxl.rnainc.jp^ +||oksiqv.styletread.com.au^ +||oktagv.immobilienscout24.at^ +||olhqou.realsimple.com^ +||olklgn.jh-profishop.de^ +||olpmni.acer.com^ +||olqsty.izipizi.com^ +||olroyk.ardene.com^ +||olspyo.laredoute.co.uk^ +||olwqxg.europcar.it^ +||olziko.maxmara.com^ +||omcshw.pharmasi.it^ +||omfoom.thepoolfactory.com^ +||omftdc.morijuku.com^ +||omjtca.emlakjet.com^ +||omvzcq.vidaxl.be^ +||omxodt.shredoptics.com^ +||oncahh.boxlunch.com^ +||onghfx.revolve.com^ +||onjjbn.koffiemarkt.be^ +||onjmsj.sumai-surfin.com^ +||onoztg.ultimate-guitar.com^ +||ontxgr.hofer-reisen.at^ +||oocrzh.byojet.com^ +||ooqbml.tac-school.co.jp^ +||oossod.potterybarn.ae^ +||opbdps.bonprix.fi^ +||opummf.himiwaybike.com^ +||oqbimz.aviasales.ru^ +||oqgrax.sissy-boy.com^ +||oqidne.itaka.pl^ +||ordbng.extra.com.br^ +||ordpmx.victorianplumbing.co.uk^ +||orlqtz.lampenwelt.ch^ +||orpggb.esprit.at^ +||orsmfg.notino.de^ +||ortkrq.damyller.com.br^ +||oscnjc.035000.com^ +||osczsk.lampeetlumiere.be^ +||osezny.intheswim.com^ +||oshlzg.takealot.com^ +||oshowm.allureville.com^ +||osjpyw.dico.com.mx^ +||osnksi.czytam.pl^ +||osuwzo.oyunfor.com^ +||osvdtm.theshopyohjiyamamoto.jp^ +||othisf.tagomago.pl^ +||otisxx.sullyn.com^ +||otkhyc.bueromarkt-ag.de^ +||otrnww.pipingrock.com^ +||oturvy.sanitairwinkel.nl^ +||otuumq.manyavar.com^ +||oufrqs.kunduz.com^ +||oufuqh.kant.ru^ +||oulpli.bettybarclay.com^ +||ounwut.thehappyplanner.com^ +||out.velpa.pl^ +||ouvjnb.westernbikeworks.com^ +||ovrsso.gemo.fr^ +||owpysc.lampenundleuchten.at^ +||owqbsl.kuhl.com^ +||owtjzn.so-nice.com.tw^ +||owzmdz.glamira.co.uk^ +||oxbskt.autotrader.com.au^ +||oxdejn.lavprisel.dk^ +||oxtrmw.marinarinaldi.com^ +||oyaswl.manor.ch^ +||oylyaz.mrkoll.se^ +||oyotii.sportokay.com^ +||oyoxyc.josefsteiner.at^ +||oyssqe.easyvoyage.com^ +||oyyqan.hejoscar.dk^ +||ozdoir.meundies.com^ +||ozkkuy.fabianafilippi.com^ +||oznlro.sanity.com.au^ +||ozvlyz.justmusic.de^ +||pabgey.siepomaga.pl^ +||paeppk.spar-mit.com^ +||pakdru.altrarunning.com^ +||papemz.rcwilley.com^ +||paqqlk.motatos.de^ +||pardko.pricerunner.com^ +||paupud.meillandrichardier.com^ +||payqjd.subito.it^ +||pbecrm.aquanet.ru^ +||pbvnwd.moongori.com^ +||pbxdny.angrybeards.cz^ +||pcdstm.petbarn.com.au^ +||pciidk.shopee.vn^ +||pciokm.glamuse.com^ +||pcykgc.onetravel.com^ +||pdftfe.thekooples.com^ +||pdlavr.erwinmueller.com^ +||pdsgaj.piquadro.com^ +||pduwvp.chanti.dk^ +||pdzutf.sftworks.jp^ +||pehkmy.edreams.pt^ +||pemskb.unitedcinemas.jp^ +||pepleb.ekosport.de^ +||peqvwk.notino.at^ +||pesaea.autoesa.cz^ +||pevftg.shopee.sg^ +||peyqvn.falke.com^ +||pfltjr.essentialnutrition.com.br^ +||pfuyhr.schutz.com.br^ +||pgkxhq.jamesallen.com^ +||phbnix.rocelec.com^ +||phcnvk.schalke04.de^ +||phczhg.johnjohndenim.com.br^ +||phgnxd.nike.com.br^ +||phhjak.frame-store.com^ +||phinnk.airtrip.jp^ +||phvylw.beurer-shop.de^ +||pibhjs.dongsuhfurniture.co.kr^ +||piddme.buyma.com^ +||pihxmq.98doci.com^ +||pinptg.milleni.com.tr^ +||pionmj.companyshop24.de^ +||pjbncv.ode.co.kr^ +||pjgaez.autouncle.at^ +||pjmryh.zapatos.es^ +||pjtshn.floraprima.de^ +||pjtxmd.epool.ru^ +||pkdimy.shoptime.com.br^ +||pkhevp.suplinx.com^ +||pkiawn.konvy.com^ +||pkimbc.bestsecret.com^ +||pkmvjx.my-store.ch^ +||pkqfky.direct-abris.com^ +||pktbag.flighthub.com^ +||pktytp.membershop.lv^ +||plbcsd.vidaxl.se^ +||plczro.21dressroom.com^ +||pljuin.lensmode.com^ +||plotzn.apmex.com^ +||plwfwc.teknozone.it^ +||plyizb.latour-lith.nl^ +||pmazpg.legalzoom.com^ +||pnaagn.haekplanter-heijnen.dk^ +||pnhesw.jtb.co.jp^ +||pnnpan.cv-library.co.uk^ +||pnovfl.karaca.com^ +||pntbrs.reflectwindow.com^ +||pnvnpy.scullyandscully.com^ +||polhvf.bootbarn.com^ +||porqhi.topictravel.nl^ +||ppgdyq.ideenmitherz.de^ +||ppgqvz.bigmotoringworld.co.uk^ +||pplpiq.pricerunner.se^ +||ppmakl.oscarcalcados.com.br^ +||ppssav.formal-message.com^ +||ppyflc.uniformnext.com^ +||pqcixi.sparco-official.com^ +||pqdhda.bluepops.co.kr^ +||pqghqs.eastcl.com^ +||pqiicj.misterspex.se^ +||pqlcpm.kindoh.co.kr^ +||pqlmae.lamaisonduchocolat.co.jp^ +||pqrede.fiatprofessional.com^ +||prhhqo.vintagevoyage.ru^ +||prkvlr.camper.com^ +||prnzxf.glamira.se^ +||prvizg.shurgard.be^ +||przucu.elkjop.no^ +||psbiaf.converse.com^ +||psfcnf.ochsnersport.ch^ +||pspqlm.rndsystems.com^ +||psqsjg.coach.com^ +||pswgpb.seshop.com^ +||ptlpel.tui.at^ +||ptmcos.beginning.kr^ +||ptrenx.vidaxl.com.au^ +||puiwrs.misterspex.de^ +||pumlmb.netcologne.de^ +||putphc.zuhre.com.tr^ +||pvfbav.sportler.com^ +||pvoheg.bubbleroom.se^ +||pvrugd.nieruchomosci-online.pl^ +||pwtftm.shingaku.mynavi.jp^ +||pxayti.hair-express.de^ +||pxbnou.ig.com.br^ +||pxgpnp.angara.com^ +||pxjkbj.bostonproper.com^ +||pxmzlk.redfin.com^ +||pxvlcc.crocs.fr^ +||pxxhbz.apamanshop.com^ +||pydnsv.ejobs.ro^ +||pyouad.autonvaraosat24.fi^ +||pyqfjx.medwing.com^ +||pyrkxp.novafotograf.com^ +||pytxsn.najlacnejsisport.sk^ +||pywiia.lfmall.co.kr^ +||pyxjkx.springjapan.com^ +||pzajdh.guicheweb.com.br^ +||pzxhyp.aeropostale.com^ +||qaghzg.planteon.pl^ +||qahxwy.goosecreekcandle.com^ +||qamnyl.bever.nl^ +||qasqhi.notino.pt^ +||qbermy.daxon.fr^ +||qblkeu.vamvelosiped.ru^ +||qbwkux.home24.at^ +||qcblzn.pinkpanda.it^ +||qceyjl.cellularoutfitter.com^ +||qcgtoz.cwjobs.co.uk^ +||qcmxuy.hardloop.de^ +||qcppad.merrell.com^ +||qdicel.marymaxim.com^ +||qdkaky.rikilovesriki.com^ +||qdnxys.cotswoldco.com^ +||qdqdfp.toitsutest-koukou.com^ +||qdvavs.trademax.se^ +||qedlai.restplatzboerse.com^ +||qejrwy.lazienkaplus.pl^ +||qerpks.rollei.de^ +||qexbcx.olx.kz^ +||qezfer.motelamiio.com^ +||qfbles.elefant.ro^ +||qfcxpa.dreamcloudsleep.com^ +||qfkmyf.clarins.com^ +||qflwqw.opodo.fr^ +||qfoiss.lendingtree.com^ +||qftpgz.socarrao.com.br^ +||qfvwfi.convenii.com^ +||qfwfbo.decofurnsa.co.za^ +||qgbnjd.coches.net^ +||qgcfcd.cairo.de^ +||qgmikp.fleurdumal.com^ +||qgumjp.asiae.co.kr^ +||qgumjp.joins.com^ +||qgumjp.mediatoday.co.kr^ +||qgutin.crocs.co.kr^ +||qifbmk.rodinnebaleni.cz^ +||qimcqs.hometogo.dk^ +||qitdsl.ralf.ru^ +||qivsvu.creedboutique.com^ +||qixipi.kathykuohome.com^ +||qjapso.r.pl^ +||qjcpcy.imkosmetik.com^ +||qjjgra.vendome.jp^ +||qjmsmj.invia.cz^ +||qjurou.laredoute.com^ +||qjxhxu.lakeside.com^ +||qjxiyt.respect-shoes.ru^ +||qjxkce.patriziapepe.com^ +||qkhhjm.autoscout24.nl^ +||qksbin.nocturne.com.tr^ +||qksxet.zeetours.nl^ +||qktnee.fribikeshop.dk^ +||qkxzdm.stellenanzeigen.de^ +||qldmga.criteo.work^ +||qldvnj.purepara.com^ +||qljiop.allabout.co.jp^ +||qllxvh.shopstyle.com^ +||qlmfpj.laura.ca^ +||qloevv.wikicasa.it^ +||qlqvej.bahia-principe.com^ +||qlsngs.paruvendu.fr^ +||qlspmy.xlmoto.be^ +||qlsszi.lululemon.co.nz^ +||qmcwpi.naturitas.es^ +||qmdbfv.grautecnico.com.br^ +||qmgwny.autobarn.com.au^ +||qmgzkb.dedoles.sk^ +||qmiiln.tower.jp^ +||qmlzcm.petshop.ru^ +||qmoyfh.xcite.com.sa^ +||qmtjvq.kuoni.ch^ +||qnbskk.oqvestir.com.br^ +||qnqdpy.edreams.net^ +||qnuzwe.nomanwalksalone.com^ +||qnwkbv.bestsecret.nl^ +||qnzczf.idc-otsuka.jp^ +||qoairs.scholl-shoes.com^ +||qohlsl.drawer.fr^ +||qonwdq.helmexpress.com^ +||qouxkn.natuurhuisje.nl^ +||qoygsv.born2be.pl^ +||qpielh.kfhi.or.kr^ +||qpuseo.notos.gr^ +||qqdflf.lpga.or.jp^ +||qqinrm.jagodo.vn^ +||qqmzen.elfadistrelec.no^ +||qqwxxf.levi.co.kr^ +||qriqiz.lifeisgood.com^ +||qrmccr.vernal.co.jp^ +||qrpwgt.drezzy.it^ +||qrrhvh.propertyfinder.ae^ +||qrtqsy.freshlycosmetics.com^ +||qrvsnt.citygrounds.com^ +||qsahny.smartbuyglasses.dk^ +||qswdme.modnakiecka.pl^ +||qtbaye.mona.ch^ +||qtdkfh.beautywelt.de^ +||qtdkxs.travellink.dk^ +||qtfnvf.ethika.com^ +||qttfwb.shaneco.com^ +||qtxxdm.levi.jp^ +||qtycwy.modivo.cz^ +||qumaef.conects.com^ +||qutsgp.calif.cc^ +||quyerj.northstyle.com^ +||qvbxza.stoneberry.com^ +||qvenxs.cash-piscines.com^ +||qveyyi.clarivate.com^ +||qvlcdw.ho-br.com^ +||qvmucs.abluestore.com^ +||qvnpxc.technopark.ru^ +||qvqtga.barenecessities.com^ +||qvsfrk.stephane-christian.com^ +||qvwick.mister-auto.de^ +||qvznqz.mekster.se^ +||qvzrde.mensagenscomamor.com^ +||qwfuug.phoneclick.it^ +||qwylpm.teljoy.co.za^ +||qxauwo.sportisimo.ro^ +||qxibrn.enviedefraise.fr^ +||qxkous.sweet-mommy.com^ +||qxsfaj.caloo.jp^ +||qxvqhy.miliboo.es^ +||qyatej.bocage.fr^ +||qygxrh.vandykes.com^ +||qymjpg.star-tex.ru^ +||qyogcr.amscope.com^ +||qypvnb.24mx.it^ +||qysknb.fukuishimbun.co.jp^ +||qysnzg.bien-zenker.de^ +||qyuzwd.maskworld.com^ +||qyvnic.footshop.cz^ +||qzcxtm.mango.com^ +||qzfxcf.coastal.com^ +||qzosds.gabalnara.com^ +||qzpkxf.edenboutique.ro^ +||qzqfud.casamineira.com.br^ +||qzwbod.blackdiamondequipment.com^ +||qzwktr.nazology.net^ +||qzwktr.nijimen.net^ +||qzwktr.world-fusigi.net^ +||qzxfnv.beams.co.jp^ +||raqwjl.dienthoaigiakho.vn^ +||raspnd.quadratec.com^ +||rbbgnn.hanshintigers.jp^ +||rbesql.just4camper.fr^ +||rbjmfj.dickies.ca^ +||rbncmx.chopperexchange.com^ +||rbrzcu.green-acres.gr^ +||rcbsrm.fivefoxes.co.jp^ +||rccnyh.airportrentalcars.com^ +||rcevcm.lyst.co.uk^ +||rcgwej.lights.co.uk^ +||rcqiho.emp.de^ +||rcqtck.dsquared2.com^ +||rcudsw.ths-net.jp^ +||rczwcs.brack.ch^ +||rddiqs.partyhallen.se^ +||rdfine.camelbrown.com^ +||rdlrbm.studying.jp^ +||rdvxxx.crushj.com^ +||reaonq.xn--hdks770u8f0a8dvzft.net^ +||reeokx.reima.com^ +||reeyzk.momq.co.kr^ +||refwkk.cas.sk^ +||refwkk.mojewypieki.com^ +||refwkk.omnicalculator.com^ +||refwkk.topky.sk^ +||refwkk.zoznam.sk^ +||refytq.camp-fire.jp^ +||relay.velpa.pl^ +||reltrd.peteralexander.com.au^ +||remnkv.doda.jp^ +||reqssx.centerparcs.fr^ +||rertrc.abc-mart.net^ +||retarget.gites-de-france.com^ +||reydrj.kozaczek.pl^ +||reydrj.papilot.pl^ +||reyzol.jdsports.dk^ +||rffsds.fsastore.com^ +||rfjrih.skinceuticals.com^ +||rfmfrg.yamap.com^ +||rgiixp.sperry.com^ +||rgjeqr.europcar.fr^ +||rgmseo.thejewellershop.com^ +||rgzrys.hangikredi.com^ +||rhdcmp.maxcolchon.com^ +||rhksxx.nencinisport.it^ +||rhlctb.jjkeller.com^ +||rhoxnc.studentuniverse.com^ +||rhybey.gap.co.jp^ +||riluwt.voxcinemas.com^ +||rimxqx.slickdeals.net^ +||riovdv.mustit.co.kr^ +||riundo.bonprix.no^ +||riwkmo.spacemarket.com^ +||riwnmh.novasol.co.uk^ +||rjgsjm.gigameubel.nl^ +||rjjynf.showcase-tv.com^ +||rjsouj.clubd.co.jp^ +||rkazse.infirmiere.co.jp^ +||rkstmr.cyrillus.ch^ +||rkxmow.novasol-vacaciones.es^ +||rlovoa.duckcamp.com^ +||rmdvca.belvilla.de^ +||rmmskb.fnacspectacles.com^ +||rmxhti.zpacks.com^ +||rnffgv.wemakeprice.com^ +||rnnstu.rentbeforeowning.com^ +||rnybul.gismeteo.lv^ +||rnybul.gismeteo.md^ +||rnyhid.pepperfry.com^ +||roedwy.imidapeptide.com^ +||roinjg.mkluzkoviny.cz^ +||rowsrm.atasunoptik.com.tr^ +||royzgi.giftishow.com^ +||rpfkgf.rp-online.de^ +||rpfkgf.saarbruecker-zeitung.de^ +||rpfkgf.volksfreund.de^ +||rpfqvl.donnerwetter.de^ +||rpiher.web-camp.io^ +||rpnvib.estilos.com.pe^ +||rpozzl.happy-size.de^ +||rqbdyk.evo.com^ +||rqbvgm.aleupominek.pl^ +||rqhtgf.pierrecardin.com.tr^ +||rqjjdi.bershka.com^ +||rqkmir.ferragamo.com^ +||rqkmnr.ifemme.co.kr^ +||rqyxdk.myanimelist.net^ +||rrbaib.tsutsumishop.jp^ +||rrgiuy.jackroad.co.jp^ +||rrincc.auto-doc.it^ +||rrjzyj.lepage.fr^ +||rrxldl.bol.de^ +||rrznha.lanvin-en-bleu.com^ +||rsaard.en-tea.com^ +||rsinqg.homelux.hu^ +||rsotku.mitsui-shopping-park.com^ +||rsuevw.unicef.or.jp^ +||rtegbv.jmclaughlin.com^ +||rtmugo.deindeal.ch^ +||rtneys.luuna.mx^ +||rtpmqv.smakon.jp^ +||rttkpr.bidolubaski.com^ +||rtxlni.doclasse.com^ +||rugttt.robinson.com^ +||ruhpbn.zhigaojixie.com^ +||ruvdkw.turk.net^ +||rvbqze.albamoda.de^ +||rverxn.autosphere.fr^ +||rvhzjg.desivero.com^ +||rvitam.xenos.nl^ +||rvtwqp.winparts.se^ +||rwdito.carsguide.com.au^ +||rwevib.harmontblaine.com^ +||rwfkzw.wuerth.it^ +||rwhneg.breaking-news.jp^ +||rwlnfq.alindashop.ro^ +||rwohdj.motocard.com^ +||rwpuqm.underarmour.es^ +||rwrnkb.lifelongcollectibles.com^ +||rwryla.theblockshop.com.au^ +||rxhsry.sortiraparis.com^ +||rxqqaq.hollandandbarrett.com^ +||rxtolo.domiporta.pl^ +||ryjknw.sonnenbrillen.com^ +||rymhet.posudamart.ru^ +||ryvapi.fragrancenet.com^ +||rzafbl.maxpeedingrods.com^ +||rzarxl.ovs.it^ +||rzdcyv.oreca-store.com^ +||rzgwpw.madeincookware.com^ +||rzoevr.qvc.de^ +||rzpjyz.pasona.co.jp^ +||saclel.zotapay.com^ +||sagxlv.daniellashevel.com^ +||sbdhdq.zeeman.com^ +||sbfrnq.naturalforme.fr^ +||sbmwgj.vidaxl.hu^ +||sbpzeq.lululemon.com.au^ +||sbttlj.togetter.com^ +||sbxxyx.notino.cz^ +||sbyneh.dailymail.co.uk^ +||scjlpq.navitime.co.jp^ +||scuhuh.cucannetshop.jp^ +||scuvcc.sportmax.com^ +||scuzgq.greencell.global^ +||scvgzt.onequince.com^ +||sdjthl.tvguide.dk^ +||sdlmaf.bestsecret.at^ +||sdpimt.lostgolfballs.com^ +||sebotr.rizeclinic.com^ +||sejdfu.coeur.de^ +||senlvg.secretsdujeu.com^ +||sepvbm.fromyouflowers.com^ +||seyfwl.bryk.pl^ +||seyfwl.deccoria.pl^ +||seyfwl.interia.pl^ +||seyfwl.maxmodels.pl^ +||seyfwl.okazjum.pl^ +||seyfwl.pomponik.pl^ +||seyfwl.smaker.pl^ +||seyfwl.styl.pl^ +||sezixz.officesupply.com^ +||sfajfu.boulanger.com^ +||sfbpok.theluxurycloset.com^ +||sffsgi.miele.com.tr^ +||sffyrc.ruparupa.com^ +||sfgysl.m-i.kr^ +||sfgysl.ppomppu.co.kr^ +||sfhgqy.i-sozoku.com^ +||sflvqq.pleinoutlet.com^ +||sfngya.centrecom.com.au^ +||sggsbd.fonteyn.nl^ +||sgwhvw.alura.com.br^ +||shjwhv.falsepeti.com^ +||shtptt.cupshe.com^ +||siazlw.cetroloja.com.br^ +||siewmi.uncommongoods.com^ +||sihoqd.sheridan.com.au^ +||sinkou.tireshop.com.br^ +||sipulo.katies.com.au^ +||sisdtb.climatempo.com.br^ +||siusmv.coraltravel.pl^ +||sizcsi.eobuv.cz^ +||sizybn.shipsltd.co.jp^ +||sjanff.v-moda.com^ +||sjmbua.matsui.co.jp^ +||sjprdu.oakhouse.jp^ +||sjryno.fullyloadedchew.com^ +||sjyzsm.danjohn.com^ +||skbnfa.filorga.com^ +||skmcwz.haselmode.co.kr^ +||skxbbj.clasic.jp^ +||slbunz.casamundo.fr^ +||slewvr.gp.se^ +||slryca.meyou.jp^ +||smbzbm.skymilescruises.com^ +||smqzbr.proozy.com^ +||smsulx.kijijiautos.ca^ +||smtccv.loveholidays.com^ +||smtpmail.velpa.pl^ +||smwvlc.intermixonline.com^ +||smxmlr.shimojima.jp^ +||snbwyi.heine.at^ +||snprxx.wwfmarket.com^ +||snvbhd.weltbild.at^ +||soejzg.efe.com.pe^ +||soelui.butosklep.pl^ +||sohiuc.sheego.de^ +||sorrhs.nescafe.com.tr^ +||sorxyx.vi.nl^ +||soubej.larebajavirtual.com^ +||soxnwz.lg.com^ +||spenvp.gate.shop^ +||spigte.shopee.tw^ +||spjysa.only.com^ +||spmaeu.gumtree.com.au^ +||spmyma.moscowfresh.ru^ +||sqdgwx.jobrapido.com^ +||sqdljj.kijiji.ca^ +||sqmazf.workamajig.com^ +||sqripu.selsey.pl^ +||sqtivj.vidaxl.hr^ +||srmdvb.ekohealth.com^ +||sroork.mrmarvis.nl^ +||srratl.mona-mode.at^ +||ssgamf.stories.com^ +||sshhfy.ray-ban.com^ +||ssigpc.servusmarktplatz.com^ +||ssjqkt.ekosport.it^ +||sspkbf.ragtag.jp^ +||ssuork.sixt.at^ +||ssushe.kennethcole.com^ +||stahhx.inversapub.com^ +||stehly.justfashionnow.com^ +||stfynw.esprit.be^ +||stktkt.profizelt24.de^ +||stliom.vidaxl.cz^ +||sufesj.shop4runners.com^ +||sufetv.chefuniforms.com^ +||supvka.colancolan.com^ +||suriwl.petsmart.com^ +||suxqvc.pinksisly.com^ +||suydnc.wwf.it^ +||svoywu.autoscout24.de^ +||svpury.sizeofficial.de^ +||svpxbr.drsquatch.com^ +||swdced.open32.nl^ +||swqleb.adidas.ru^ +||swwcyk.ahaber.com.tr^ +||swwcyk.atv.com.tr^ +||swwcyk.takvim.com.tr^ +||sxeimx.mydays.de^ +||sxjfhh.app.com^ +||sxjfhh.azcentral.com^ +||sxjfhh.battlecreekenquirer.com^ +||sxjfhh.caller.com^ +||sxjfhh.citizen-times.com^ +||sxjfhh.clarionledger.com^ +||sxjfhh.courier-journal.com^ +||sxjfhh.courierpostonline.com^ +||sxjfhh.delawareonline.com^ +||sxjfhh.delmarvanow.com^ +||sxjfhh.democratandchronicle.com^ +||sxjfhh.desertsun.com^ +||sxjfhh.desmoinesregister.com^ +||sxjfhh.detroitnews.com^ +||sxjfhh.floridatoday.com^ +||sxjfhh.freep.com^ +||sxjfhh.greenbaypressgazette.com^ +||sxjfhh.guampdn.com^ +||sxjfhh.hattiesburgamerican.com^ +||sxjfhh.hometownlife.com^ +||sxjfhh.indystar.com^ +||sxjfhh.jconline.com^ +||sxjfhh.jsonline.com^ +||sxjfhh.kitsapsun.com^ +||sxjfhh.knoxnews.com^ +||sxjfhh.lcsun-news.com^ +||sxjfhh.livingstondaily.com^ +||sxjfhh.lohud.com^ +||sxjfhh.montgomeryadvertiser.com^ +||sxjfhh.naplesnews.com^ +||sxjfhh.newarkadvocate.com^ +||sxjfhh.news-press.com^ +||sxjfhh.newsleader.com^ +||sxjfhh.northjersey.com^ +||sxjfhh.oklahoman.com^ +||sxjfhh.packersnews.com^ +||sxjfhh.pnj.com^ +||sxjfhh.poughkeepsiejournal.com^ +||sxjfhh.press-citizen.com^ +||sxjfhh.pressconnects.com^ +||sxjfhh.redding.com^ +||sxjfhh.rgj.com^ +||sxjfhh.sctimes.com^ +||sxjfhh.sheboyganpress.com^ +||sxjfhh.statesmanjournal.com^ +||sxjfhh.tallahassee.com^ +||sxjfhh.tcpalm.com^ +||sxjfhh.tennessean.com^ +||sxjfhh.theleafchronicle.com^ +||sxjfhh.thenewsstar.com^ +||sxjfhh.thespectrum.com^ +||sxjfhh.thetimesherald.com^ +||sxjfhh.thetowntalk.com^ +||sxjfhh.timesrecordnews.com^ +||sxjfhh.usatoday.com^ +||sxjfhh.vcstar.com^ +||sxmxpm.nectarsleep.com^ +||syfwnf.society6.com^ +||syqhvv.vivense.com^ +||sytuzk.nissanvimontlaval.com^ +||syvvsv.artex.com.br^ +||syycwa.barcelo.com^ +||szakms.bygghemma.se^ +||szgcnd.capfun.es^ +||szkbyo.zkai.co.jp^ +||sztpmc.branshes.com^ +||taduhy.timberland.co.uk^ +||taemhn.zamst-online.jp^ +||tagmwu.thalia.at^ +||takigx.tourneau.com^ +||takqyi.laurenhi.jp^ +||tatehj.nylaarp.com^ +||taznfx.renters.pl^ +||tbaqje.zadig-et-voltaire.com^ +||tbdhap.gamesonly.at^ +||tbihvt.pickawood.com^ +||tbjasp.cyrillus.de^ +||tbknig.ecc.jp^ +||tbmgyz.centerparcs.de^ +||tbvjrd.gocase.com.br^ +||tcbtus.opodo.com^ +||tccjxk.123.ru^ +||tchaxv.large.nl^ +||tczulp.econea.cz^ +||tdaqzz.graviditetskollen.nu^ +||tdbnom.madeleine.de^ +||tdbsoc.thegivingmovement.com^ +||tdjvod.chevignon.com.co^ +||teczbq.amicashop.com^ +||teijgy.herveleger.com^ +||telulr.golfgalaxy.com^ +||teraes.hgreg.com^ +||tevjso.konesso.pl^ +||tevzas.autoscout24.fr^ +||tewisg.monster.fi^ +||teyvmb.moniquelhuillier.com^ +||tfdtpa.dot-st.com^ +||tfoyfx.dukefotografia.com^ +||tfpeev.chanluu.com^ +||tfunqc.domonet.jp^ +||tfuodg.memolife.de^ +||tgbfha.lily-brw.com^ +||tgirgs.flinders.nl^ +||tgmklw.productreview.com.au^ +||tgsdiw.dedoles.de^ +||tgtgzo.otelz.com^ +||thaqyl.mediamarkt.nl^ +||thhesw.tre.it^ +||thsnvv.hollywoodschaukel-paradies.de^ +||ticvui.alexandani.com^ +||tiglck.technopolis.bg^ +||tioztp.unisportstore.nl^ +||tivixv.nutribullet.com^ +||tjbhng.hemington.com.tr^ +||tjitde.dodo.it^ +||tjnffp.tilebar.com^ +||tjwpfr.unitrailer.de^ +||tjyrup.templeandwebster.com.au^ +||tjzvuo.youcom.com.br^ +||tkgaws.seokplant.com^ +||tkjcqb.forrent.com^ +||tkmeyf.houseoflotus.jp^ +||tkvied.levi.com.my^ +||tkvxdj.cars.com^ +||tkykzv.polisorb.com^ +||tkzvse.whois.co.kr^ +||tlsalw.platypusshoes.co.nz^ +||tltkpu.jagran.com^ +||tltpyy.saatchiart.com^ +||tmbsxx.oxybul.com^ +||tmhgma.juwelo.de^ +||tmrhpl.nurse-agent.com^ +||tmwkya.jh-profishop.at^ +||tmxjdr.benaza.ro^ +||tncpzu.marelbo.com^ +||tnegqr.bohme.com^ +||tnhcsf.holzkern.com^ +||tniujy.natura.com.br^ +||tnxxtx.crepeerase.com^ +||toeopa.doutornature.com^ +||tpfrro.justlease.nl^ +||tpmexb.vans.co.nz^ +||tpubrk.eobuv.com^ +||tqbdio.medicare.pt^ +||tqiwqa.jdsports.ie^ +||tqkspo.neobyte.es^ +||tqtedm.kosmetik.at^ +||tqvacq.intrend.it^ +||tqxpnv.bauhaus.info^ +||trccvt.dhc.co.jp^ +||trkpzz.dcinside.com^ +||trpzjj.hrkgame.com^ +||trvonu.k-manga.jp^ +||tsbkht.puritan.com^ +||tsbmkf.zonnebrillen.com^ +||tsedvc.aboutyou.ch^ +||tshuxi.bbqguys.com^ +||tsliat.medme.pl^ +||tswafl.lascana.nl^ +||ttfpil.2dehands.be^ +||ttnnuo.racing-planet.de^ +||tuagol.gartenmoebel.de^ +||tufcum.margaretha.se^ +||tugngs.tui.com^ +||tuvevx.agent-sana.com^ +||tvcoag.brw.pl^ +||tvkfms.nta.co.jp^ +||tvuaeb.taqi.com.br^ +||twdhec.marioeletro.com^ +||twjobq.sixt.com^ +||twjobq.sixt.de^ +||twjobq.sixt.es^ +||twjobq.sixt.fr^ +||twjobq.sixt.nl^ +||twkbui.mansion-review.jp^ +||twoeej.carrefour.fr^ +||twsdne.petenkoiratarvike.com^ +||txaxkc.dsc-nightstore.com^ +||txfroe.decodoma.cz^ +||txfryh.terra.com.br^ +||txmmdl.lampy.pl^ +||txpbnm.sevellia.com^ +||txscpj.emp.ie^ +||txvoin.with2.net^ +||txyqik.jjshouse.fr^ +||tybfxw.puma.com^ +||tytpdz.climamarket.it^ +||tyvuwf.lameteoagricole.net^ +||tzovkp.aboutyou.at^ +||uaaooa.stansberryresearch.com^ +||ualkzq.moobel1.ee^ +||uaqcui.tennis-point.fr^ +||uarrdg.landsofamerica.com^ +||uasmdd.icaniwill.no^ +||uawefo.guylook.co.kr^ +||uazmti.a101.com.tr^ +||ubdjfy.maje.com^ +||ubdsej.notino.pl^ +||ubmdob.connection.com^ +||ubmups.houseofindya.com^ +||ubmwua.maisonsetappartements.fr^ +||ubpekn.sivillage.com^ +||ubqjbd.daviddonahue.com^ +||ubrihx.allbirds.jp^ +||ubvsjh.pointtown.com^ +||ubyjor.distrelec.ch^ +||ubykct.teufel.ch^ +||ucdvze.gudrunsjoden.com^ +||uclgnz.lunabazaar.com^ +||ucmahi.lectiva.com^ +||ucppeo.silux.hr^ +||udgrbq.malwarebytes.com^ +||udicje.perrys.co.uk^ +||udmmdl.dudalina.com.br^ +||udonjl.coopdeli.jp^ +||udrnks.vedder-vedder.com^ +||udrvvx.kabum.com.br^ +||udsgty.alkosto.com^ +||udxsuy.helline.fr^ +||udzucw.haggar.com^ +||uectfe.toptantr.com^ +||uedvam.tatilsepeti.com^ +||ueuqui.esprit.nl^ +||ufeonk.viravira.co^ +||uflfhl.mercci22.com^ +||ufnbgh.meierq.com^ +||ufqzrk.espritshop.ch^ +||ufsmcn.blackspade.com.tr^ +||ufwsfi.magasins-u.com^ +||ugdcxl.timeout.com.hk^ +||ugdcxl.timeout.com^ +||ugdcxl.timeout.es^ +||ugdcxl.timeout.jp^ +||ugdcxl.timeout.pt^ +||ughska.kids-world.dk^ +||ugkray.theloom.in^ +||uglwov.logic-immo.com^ +||ugzbsu.klimaworld.com^ +||uhenqb.manning.com^ +||uhlagm.rakurakuseisan.jp^ +||uhlkij.bonprix.it^ +||uhmpda.sunlocation.com^ +||uhrsek.shoemarker.co.kr^ +||uicjnk.gumtree.co.za^ +||uidpcx.planet.fr^ +||uifesg.modulor.de^ +||uigwgn.france-abonnements.fr^ +||uijciz.gunze.jp^ +||uilwmi.coop.nl^ +||uinpmz.iichi.com^ +||uiusqp.crowdcow.com^ +||uiwock.epantofi.ro^ +||ujbhri.pharmamarket.nl^ +||ujlwwo.lehner-versand.ch^ +||ujvqrs.meandem.com^ +||ujwfrf.uniformix.pl^ +||ujzqud.bestsecret.se^ +||ukaytg.cortefiel.com^ +||ukgfxw.satofull.jp^ +||ukjphn.vitaminler.com^ +||ukmnlp.techbang.com^ +||ukpgsb.agrieuro.es^ +||ukzjce.idus.com^ +||uldtqa.weekendmaxmara.com^ +||ulhyys.naehwelt.de^ +||ulidoo.montblanc.com^ +||ulinyo.bandito.com.tr^ +||ultund.misterspex.nl^ +||ulutlv.esprit.fr^ +||umazvs.raybiotech.com^ +||umdlbn.globetrotter.de^ +||umdpva.gakumado.mynavi.jp^ +||umhyck.belvilla.com^ +||umiaob.kireibiz.jp^ +||umtzwr.adidas.co.kr^ +||umwuxk.hotel.cz^ +||umxwew.hellobello.com^ +||uncmbg.timberland.de^ +||undurs.1md.org^ +||unyzea.aboutyou.sk^ +||uoblij.farmaline.be^ +||uofcdl.lagos.com^ +||uogqym.christopherandbanks.com^ +||uojpjo.miin-cosmetics.com^ +||uolwbz.heine.de^ +||uoqxdh.tendapro.it^ +||upeayz.eksisozluk.com^ +||upfmqr.carmensteffens.com.br^ +||uppbrl.thomassabo.com^ +||upqmpu.leasingtime.de^ +||upwkcv.vidaxl.ro^ +||upwwgd.zentempel.com^ +||uqckxr.chilli.se^ +||uqhpej.wiberrentacar.com^ +||urehgr.halekulani.com^ +||ureoaw.netthandelen.no^ +||uriokr.bauhaus.es^ +||urmgui.nationsphotolab.com^ +||uroqgj.wind.it^ +||urxbvw.tui.nl^ +||usdbbx.mmartan.com.br^ +||usgzei.vidaxl.ch^ +||usnvuj.skillfactory.ru^ +||usrkrz.zdravcity.ru^ +||usyyzz.winparts.nl^ +||usztct.gang.com.br^ +||utapbu.cykelkraft.se^ +||utgckq.reductionrevolution.com.au^ +||utjzyz.phillips.com^ +||utklhk.kojima.net^ +||utxokv.emp.co.uk^ +||uudbvq.skuola.net^ +||uuhejd.snipes.es^ +||uunczm.lescon.com.tr^ +||uurykr.pizzahut.com.mx^ +||uurzdr.global-style.jp^ +||uuzxaz.vidaxl.com^ +||uvccpk.1800petmeds.com^ +||uvgxhu.ezgif.com^ +||uvgxhu.sharemods.com^ +||uvpnpz.misterspex.ch^ +||uvqvvh.avva.com.tr^ +||uvzrtq.livingspaces.com^ +||uwdzbo.tgw.com^ +||uwxdru.hellovillam.com^ +||uxdse.sugarshape.de^ +||uxkurx.sportsmansguide.com^ +||uxqzcu.raunt.com^ +||uxtqtg.quattroruote.it^ +||uyivht.robertgraham.us^ +||uylodc.ecosa.com.au^ +||uyupgd.goalzero.com^ +||uzevnf.realtystore.com^ +||uzhobt.wholesalemarine.com^ +||uzipbs.weltbild.ch^ +||uzpkre.connor.com.au^ +||vahlnd.bogsfootwear.com^ +||vapxga.sieh-an.de^ +||vazulp.graniph.com^ +||vbkryy.pasonacareer.jp^ +||vbseje.stonehengehealth.com^ +||vbsjdd.olx.pt^ +||vbtdzb.fyndiq.se^ +||vdkjfd.hottopic.com^ +||vdmvyu.falk.de^ +||vdrebz.kathmandu.com.au^ +||vdrfga.deagoshop.ru^ +||vdrigb.8190.jp^ +||vdrxia.farmacosmo.it^ +||vdslnp.highkey.com^ +||vdvdjf.remotepc.com^ +||vdzrjr.kenminkyosai.or.jp^ +||vedznh.cumhuriyet.com.tr^ +||veosfi.woonexpress.nl^ +||veqvek.bnnbloomberg.ca^ +||veqvek.ctv.ca^ +||veqvek.ctvnews.ca^ +||veqvek.much.com^ +||veqvek.thebeaverton.com^ +||veqvek.tsn.ca^ +||vewbab.entertainmentearth.com^ +||vezsyr.bxblue.com.br^ +||vfmahn.slevomat.cz^ +||vfvcxv.naturhaeuschen.de^ +||vgavzy.spierandmackay.com^ +||vgazda.krefel.be^ +||vgbify.underarmour.de^ +||vgellr.esprit.de^ +||vglosh.courierpress.com^ +||vgrbvi.atncorp.com^ +||vhmewg.edreams.fr^ +||vhmjci.edreams.co.uk^ +||vhpabx.herffjones.com^ +||vhrbxb.vidaxl.nl^ +||vibsqr.theuiq.com^ +||vipwao.nutrimuscle.com^ +||vipyou.bulkpowders.es^ +||vjjgpt.diamond.jp^ +||vkbvny.ddanzi.com^ +||vkbvny.fow.kr^ +||vkctxy.yves-rocher.fi^ +||vkkasm.officechairsusa.com^ +||vkrdts.finestore.ro^ +||vkscdg.solocruceros.com^ +||vkxyjj.g2a.com^ +||vllsuv.skatedeluxe.com^ +||vmgihu.gelatopique.com^ +||vmjdpk.repairclinic.com^ +||vmsspl.tenamall.co.kr^ +||vmsxzx.buienradar.nl^ +||vmwody.seibu-k.co.jp^ +||vnlvxi.vivastreet.co.uk^ +||vnmopn.brax.com^ +||vnqcyq.noon.co.kr^ +||vnzwxk.e-bebek.com^ +||vocfhq.ilgiardinodeilibri.it^ +||vonvdn.garden.ne.jp^ +||voqysr.afr-web.co.jp^ +||voroud.wine.com.br^ +||vouzpu.tokyolife.co.jp^ +||voxtjm.about-you.ee^ +||vpemsb.autocasion.com^ +||vphsiv.gsshop.com^ +||vpivyf.meshki.com.au^ +||vpmdiq.propertyfinder.qa^ +||vpuuzj.schnullireich.de^ +||vqbidy.benetton.com^ +||vqjacf.mauriziocollectionstore.com^ +||vqpque.eloan.co.jp^ +||vqvuid.kobetsu.co.jp^ +||vqxlbd.billyreid.com^ +||vrhesh.avocadogreenmattress.com^ +||vrvjwr.mobelaris.com^ +||vrzmfy.fool.com^ +||vsfius.aranzulla.it^ +||vsqyaz.sweetwater.com^ +||vtffnz.blindsdirect.co.uk^ +||vtodss.livenation.com^ +||vttics.world.co.jp^ +||vuypew.ikks.com^ +||vvaaol.enuygun.com^ +||vvikao.brighton.com^ +||vvktyh.yotsuyagakuin.com^ +||vvnhhb.mebeles1.lv^ +||vvqizy.witt-weiden.de^ +||vwakpz.vidri.com.sv^ +||vwiind.beautyforever.com^ +||vwotiw.agazeta.com.br^ +||vwrgru.happymail.co.jp^ +||vxcjoz.nextadvisor.com^ +||vxlpha.weddingpark.net^ +||vxohkh.laboutiqueofficielle.com^ +||vxvibc.asahi-kasei.co.jp^ +||vyeysj.foto-mundus.de^ +||vyjwxc.elemis.com^ +||vyplzy.job-medley.com^ +||vyuodh.your-look-for-less.nl^ +||vyyikx.sixt.ch^ +||vyykdr.renogy.com^ +||vzcfqp.unibet.fr^ +||vzeyba.shopee.co.id^ +||vzhjnw.officedepot.com^ +||vzynem.lamporochljus.se^ +||waatch.gva.be^ +||waatch.hbvl.be^ +||waatch.nieuwsblad.be^ +||waatch.standaard.be^ +||waawuu.highfashionhome.com^ +||wabsgz.studocu.com^ +||wafoub.graindemalice.fr^ +||wamahe.wokularach.pl^ +||warrjy.feiler.jp^ +||wavrlh.cedok.cz^ +||wavzlt.michaelstars.com^ +||wbcygu.wardow.com^ +||wbiphu.johnbeerens.com^ +||wbkval.ecco.com^ +||wboeot.shop2gether.com.br^ +||wbswtr.decathlon.com.tr^ +||wchjfv.apartmenttherapy.com^ +||wddnff.bonprix.cz^ +||wdnyom.faces.com^ +||wdsgpy.lekarna.cz^ +||wdukge.midwayusa.com^ +||webmail.velpa.pl^ +||wejpuy.factor75.com^ +||wemqip.misli.com^ +||weoccn.bonito.pl^ +||wepany.tripbeat.com^ +||wesbgz.travel.co.jp^ +||wevbgr.vidaxl.it^ +||wezbvq.heine-shop.nl^ +||wfmcgd.msccruzeiros.com.br^ +||wgeaqi.laredoute.gr^ +||wgnrrd.culturekings.com^ +||wgpepw.boatoutfitters.com^ +||wgyapq.stormberg.com^ +||whahmy.timberland.es^ +||whcmij.altitude-sports.com^ +||whqkyq.leasingmarkt.de^ +||whwiab.pamono.it^ +||wigkxx.jetcost.com^ +||wirjoi.meetsmore.com^ +||wjssvg.descentekorea.co.kr^ +||wjtekf.vidaxl.bg^ +||wjzyrk.magiclife.com^ +||wklwyt.springer.com^ +||wkpjgh.toysrus.pt^ +||wkudly.realtruck.com^ +||wkuuuj.byther.kr^ +||wkympu.agnesb.co.jp^ +||wlkojk.orange.ro^ +||wlptux.habitaclia.com^ +||wlqtte.misterspex.at^ +||wlwtcr.toptoon.com^ +||wlxhzn.godfreys.com.au^ +||wmbldi.compass.it^ +||wmizdm.relax-job.com^ +||wmpmvk.whiskeyriff.com^ +||wmvroh.sgd.de^ +||wmxuba.aldoshoes.com^ +||wnegmu.timberland.nl^ +||wnfwzx.panpacific.com^ +||wngyjr.sportservice.pl^ +||wnozpl.escarpe.it^ +||wnvieu.enpal.de^ +||wnyywf.frankonia.de^ +||woosyt.portalesardegna.com^ +||woowjy.desa.com.tr^ +||woqcfy.sony.ru^ +||woutkw.type.jp^ +||wowrdm.stepstone.at^ +||wozdcc.vidaxl.at^ +||wpauvu.obuvki.bg^ +||wpgobx.feber.se^ +||wpgobx.marcusoscarsson.se^ +||wpkfti.1300k.com^ +||wppyub.mygenerator.com.au^ +||wpyvue.idealwine.com^ +||wqfflc.fupa.net^ +||wqfflc.gartendialog.de^ +||wqfflc.hausgarten.net^ +||wqfflc.plantopedia.de^ +||wqudcv.finnishdesignshop.com^ +||wqytxm.kurly.com^ +||wrkbha.lyst.de^ +||wrlnvt.pepita.hu^ +||wrugwj.bakerross.de^ +||wrvueo.mollis.ru^ +||wsnrfb.modlily.com^ +||wsuqzu.armani.com^ +||wsytyz.tts.ru^ +||wszwgs.cocopanda.fi^ +||wtdpkq.tausendkind.de^ +||wtesqx.news.mynavi.jp^ +||wtgnmr.golfdigest.co.jp^ +||wttbup.novasol.de^ +||wucvvh.surpricenow.com^ +||wvlirb.lexoffice.de^ +||wvoudw.magaseek.com^ +||wvrukp.globalcyclingnetwork.com^ +||wvzddr.quirumed.com^ +||wwbsll.nissen.co.jp^ +||wwnscv.myspringfield.com^ +||wwokkf.laredoute.ru^ +||wwrupv.tannico.it^ +||wxaaqr.plusdental.de^ +||wxbaal.ecosa.com.hk^ +||wxebye.aboutyou.hu^ +||wxgmca.orthofeet.com^ +||wxnxau.air-r.jp^ +||wxwsmt.matsmart.fi^ +||wyaopp.lacoccinelle.net^ +||wyelmp.vidaxl.si^ +||wywvyf.discuss.com.hk^ +||wywvyf.price.com.hk^ +||wywvyf.uwants.com^ +||wyzdlu.arhaus.com^ +||wyzqiy.pnet.co.za^ +||wzcnha.lenspure.com^ +||wzkhzb.cantao.com.br^ +||wzkjip.coru.com^ +||wzpwxe.4lapy.ru^ +||wzyjup.patch.com^ +||wzzhvn.hammer.de^ +||xaguwy.thomas-muenz.ru^ +||xbmady.daimaru-matsuzakaya.jp^ +||xbshje.smartbag.com.br^ +||xbwpfs.fotocasa.es^ +||xcedwa.contactsdirect.com^ +||xcgpdf.beautygarage.jp^ +||xcojhb.unitysquare.co.kr^ +||xdaoxa.footasylum.com^ +||xdbchs.bradfordexchange.com^ +||xdcpfs.shopdoen.com^ +||xdeiaf.elleshop.jp^ +||xdkwsh.farmacialoreto.it^ +||xdsblm.ullapopken.de^ +||xdvdrg.globalindustrial.com^ +||xejpzk.fram.fr^ +||xekjzy.rinascente.it^ +||xewihp.bayut.com^ +||xfobuc.serenaandlily.com^ +||xfzcds.netprint.ru^ +||xgefvi.iteshop.com^ +||xgezbc.tripmasters.com^ +||xgspzv.troyestore.com^ +||xgvenv.farmatodo.com.co^ +||xgyvaf.easydew.co.kr^ +||xhbzrk.hotmart.com^ +||xhohnr.fdm.pl^ +||xhqmvu.k-uno.co.jp^ +||xhuahy.juwelo.it^ +||xhxmhs.ounass.ae^ +||xibspj.komehyo.jp^ +||xiqvza.dickblick.com^ +||xitvce.webtretho.com^ +||xiuksf.worten.es^ +||xiznql.laredoute.it^ +||xjkpzh.voraxacessorios.com.br^ +||xjkugh.waterdropfilter.com^ +||xjoqmy.tuifly.be^ +||xjztuj.kbwine.com^ +||xkddvf.gigantti.fi^ +||xkgtxj.edomator.pl^ +||xkidkt.edenbrothers.com^ +||xknhwv.mobile01.com^ +||xkvmsr.hair.com^ +||xkzura.yves-rocher.se^ +||xlapmx.mcsport.ie^ +||xlbvvo.luisaviaroma.com^ +||xldnzg.trendhim.de^ +||xlhdtn.hugendubel.de^ +||xljqqe.hsn.com^ +||xludzt.alfastrah.ru^ +||xmcvqq.pinkpanda.ro^ +||xmfugv.tgn.co.jp^ +||xmohlh.melia.com^ +||xmqrvx.jewelry-queen-shop.com^ +||xmyvhu.soxo.pl^ +||xnukcp.cpcompany.com^ +||xpcpmr.gsm55.com^ +||xpygen.unger-fashion.com^ +||xpzswr.shasa.com^ +||xqdwwj.medpeer.jp^ +||xqslse.annadiva.nl^ +||xqtcur.kirklands.com^ +||xqupwc.emp.at^ +||xqzqdj.mfind.pl^ +||xransv.hometogo.com.au^ +||xrcksn.vvf-villages.fr^ +||xrnyhc.arumdri.co.kr^ +||xrnyhc.jokwangilbo.com^ +||xrnyhc.welltimes.co.kr^ +||xrxybn.kotofey-shop.ru^ +||xscmzs.tenki.jp^ +||xslmpq.ohou.se^ +||xsrzqh.ananzi.co.za^ +||xsrzqh.oferte360.ro^ +||xsrzqh.the-star.co.ke^ +||xsrzqh.vietnamplus.vn^ +||xsswcg.moglix.com^ +||xtazfx.50factory.com^ +||xtxwva.intersport.com.tr^ +||xudmrz.conforama.fr^ +||xugxwq.e-hoi.de^ +||xunzbx.mon-abri-de-jardin.com^ +||xuojhr.mobly.com.br^ +||xutolr.mainichikirei.jp^ +||xutolr.mantan-web.jp^ +||xuymgm.hostgator.mx^ +||xvteew.lacoste.jp^ +||xvyxgy.stz.com.br^ +||xwpoxv.birdies.com^ +||xwpzlz.gemimarket.it^ +||xwzebw.waja.co.jp^ +||xxjiqg.oysho.com^ +||xxpnnq.sklepmartes.pl^ +||xxsdtb.edreams.com^ +||xxxssv.jeulia.com^ +||xygxko.shop-apotheke.ch^ +||xyhojp.lacoste.com^ +||xymddt.clubeextra.com.br^ +||xymhzq.klingel.de^ +||xyxgbs.lezhin.com^ +||xyzznt.uterque.com^ +||xzjqlg.marella.com^ +||xztqfj.dreamvs.jp^ +||xzutow.affordablelamps.com^ +||xzwcng.vans.com.au^ +||yadtbk.blacks.co.uk^ +||yagoqv.smartbuyglasses.ca^ +||yajkhd.supersports.com^ +||yawxae.footpatrol.com^ +||yaxedj.vkf-renzel.de^ +||yazzuf.joyn.de^ +||ybgsyd.osharewalker.co.jp^ +||ybswii.swarovski.com^ +||ybzcmz.momoshop.com.tw^ +||ycembr.net-a-porter.com^ +||ychqww.aboutyou.lv^ +||ycjhuh.stripe-club.com^ +||ydbcct.nikigolf.jp^ +||ydbeuq.superpharm.pl^ +||ydccky.direnc.net^ +||ydcksa.certideal.com^ +||yddtah.takingshape.com^ +||ydosfw.filippa-k.com^ +||ydtzzw.firenzeviola.it^ +||ydtzzw.milannews.it^ +||ydtzzw.pianetabasket.com^ +||ydtzzw.torinogranata.it^ +||ydtzzw.tuttoc.com^ +||ydtzzw.tuttojuve.com^ +||ydtzzw.tuttomercatoweb.com^ +||ydtzzw.tuttonapoli.net^ +||ydtzzw.vocegiallorossa.it^ +||ydvsok.newbalance.jp^ +||yebvpc.gardengoodsdirect.com^ +||yefktd.avito.ru^ +||yehyqc.hugoboss.com^ +||yewrcd.govoyages.com^ +||yezztf.pinkelephant.co.kr^ +||yfaygn.natureetdecouvertes.com^ +||yfclaf.dsw.ca^ +||yfenys.prenatal.com^ +||yfepff.raymourflanigan.com^ +||yfkclv.asianetnews.com^ +||yfpvmd.reed.co.uk^ +||yftkzg.thisisfutbol.com^ +||yfwnsy.infraredsauna.com^ +||ygdogx.hearstmagazines.co.uk^ +||ygecho.wenz.de^ +||ygmpia.worten.pt^ +||ygopvz.windsorstore.com^ +||ygsoeu.size.co.uk^ +||ygtfgu.casamundo.nl^ +||ygxqjz.intersport.fi^ +||yhbdzh.farmasiint.com^ +||yhhuzt.gintarine.lt^ +||yhjgjk.wemakeup.it^ +||yhnwux.infomoney.com.br^ +||yhskfe.klipsch.com^ +||yhuamf.ktronix.com^ +||yhvewh.aboutyou.ro^ +||yiiwaq.mms.com^ +||yikrmn.ciceksepeti.com^ +||yiohzu.tsigs.com^ +||yixvbp.merkal.com^ +||yizlda.crocs.co.uk^ +||yjlbvd.pcfactory.cl^ +||yjlhep.skechers.co.nz^ +||yjpgxf.svsound.com^ +||yjpzqw.jackjones.com^ +||yjrcks.smile-zemi.jp^ +||yjxssk.apartments.com^ +||ykfrpx.kapten-son.com^ +||ykhqhe.domain.com.au^ +||ykmsxu.vitalabo.ch^ +||yknjjb.usaflex.com.br^ +||ykqapk.aboutyou.si^ +||ykskhw.candytm.pl^ +||ykxfoj.purchasingpower.com^ +||ylafwg.greenpoint.pl^ +||ylakmr.expressionscatalog.com^ +||ylsjdq.jegs.com^ +||ylsjka.conranshop.jp^ +||ymcvxo.check24.de^ +||ymixqb.nationalgeographic.com^ +||ymqnky.bagaggio.com.br^ +||ymrtre.scandinavianoutdoor.fi^ +||ymvikp.estadao.com.br^ +||ymviwl.just4camper.de^ +||ynagqs.vidaxl.pl^ +||ynemmp.goertz.de^ +||yngnwe.8division.com^ +||ynudoo.shoeby.nl^ +||ynwqna.mayblue.co.kr^ +||yogolp.beststl.com^ +||yoifwi.levi.com.ph^ +||yoxeha.afloral.com^ +||ypbfjo.paulsmith.co.jp^ +||ypcdbw.drive2.com^ +||ypcdbw.drive2.ru^ +||ypdewh.dokuritsu.mynavi.jp^ +||ypkado.clicrbs.com.br^ +||ypndvx.stepstone.fr^ +||ypqgnx.morizon.pl^ +||ypwzcq.tink.de^ +||ypzktj.fly.pl^ +||yqaxvu.leilian-online.com^ +||yqigli.tourlane.de^ +||yqorwz.weisshaus.at^ +||yqqhbd.yotsuyaotsuka.com^ +||yrepmy.jochen-schweizer.de^ +||yrrudp.inven.co.kr^ +||ysaaks.mobiauto.com.br^ +||yskvdo.gebrauchtwagen.at^ +||ysuwrg.meritocomercial.com.br^ +||yszedg.vidaxl.dk^ +||ytbnvm.firadis.net^ +||ytouvy.arezzo.com.br^ +||ytwtxi.beautybio.com^ +||yueqal.glassesusa.com^ +||yujmyt.theiconic.co.nz^ +||yuoyan.finanzen.de^ +||yurobl.rw-co.com^ +||yvcjyi.beymen.com^ +||yvdaeg.on-running.com^ +||yvdxij.applevacations.com^ +||yvsofs.tropeaka.com.au^ +||yvtgva.casa.it^ +||ywayoh.ecipo.hu^ +||ywcqef.lyst.com.nl^ +||ywhikg.surplex.com^ +||ywkiyt.candere.com^ +||ywojvu.kujten.com^ +||ywrcqa.11alive.com^ +||ywrcqa.12news.com^ +||ywrcqa.13newsnow.com^ +||ywrcqa.13wmaz.com^ +||ywrcqa.9news.com^ +||ywrcqa.abc10.com^ +||ywrcqa.cbs8.com^ +||ywrcqa.fox43.com^ +||ywrcqa.fox61.com^ +||ywrcqa.kare11.com^ +||ywrcqa.kcentv.com^ +||ywrcqa.kens5.com^ +||ywrcqa.khou.com^ +||ywrcqa.king5.com^ +||ywrcqa.ksdk.com^ +||ywrcqa.ktvb.com^ +||ywrcqa.kvue.com^ +||ywrcqa.newscentermaine.com^ +||ywrcqa.newswest9.com^ +||ywrcqa.wcnc.com^ +||ywrcqa.wfaa.com^ +||ywrcqa.wfmynews2.com^ +||ywrcqa.wgrz.com^ +||ywrcqa.whas11.com^ +||ywrcqa.wkyc.com^ +||ywrcqa.wltx.com^ +||ywrcqa.wnep.com^ +||ywrcqa.wqad.com^ +||ywrcqa.wthr.com^ +||ywrcqa.wtsp.com^ +||ywrcqa.wusa9.com^ +||ywrcqa.wwltv.com^ +||ywrcqa.wzzm13.com^ +||ywzmvh.trovaprezzi.it^ +||yxfqar.trendhim.com.au^ +||yxgcfb.petit-bateau.co.jp^ +||yxiqqh.dealchecker.co.uk^ +||yxkzip.brastemp.com.br^ +||yxqfkm.24mx.de^ +||yxsdgi.bedworld.net^ +||yxxuyo.nintendo.co.za^ +||yxzfdl.550909.com^ +||yyhijp.g123.jp^ +||yylqlk.agatinsvet.cz^ +||yyqlpi.danmusikk.no^ +||yyrtip.mujkoberec.cz^ +||yysjea.stepstone.nl^ +||yysqrv.berge-meer.de^ +||yywdph.multu.pl^ +||yzcfva.healthyplanetcanada.com^ +||yzcpqa.gumtree.com^ +||yzdljh.clarins.ca^ +||yzdltz.pricerunner.dk^ +||yzjqqj.emmiol.com^ +||yzvpco.hfashionmall.com^ +||yzzqza.vanillashu.co.kr^ +||zaawds.farmae.it^ +||zaiuhu.vacatia.com^ +||zatong.icaniwill.se^ +||zbdtkk.totvs.com^ +||zbfszb.calpis-shop.jp^ +||zbrfde.ozmall.co.jp^ +||zcbsft.thedoublef.com^ +||zcjemo.alwaysfashion.com^ +||zcnknu.oxxo.com.tr^ +||zcwcep.lojasrede.com.br^ +||zdbbqb.mancrates.com^ +||zdcjts.asics.com^ +||zdpsve.scrapbook.com^ +||zdqlel.restplatzboerse.at^ +||zefpks.dealdonkey.com^ +||zesgky.belambra.fr^ +||zfhlsg.repassa.com.br^ +||zftces.hoiku-job.net^ +||zftrez.unisportstore.no^ +||zfvdeu.novaconcursos.com.br^ +||zgfilz.propertyfinder.eg^ +||zgqgig.skillbox.ru^ +||zgumwv.stepstone.de^ +||zgwxoy.autoscout24.ro^ +||zhcxvk.qvc.com^ +||zhduni.rizap.jp^ +||zhqcir.netage.ne.jp^ +||zhyeqw.mercury.ru^ +||zicgoi.emmiegray.de^ +||zieyeq.intent24.fr^ +||zigpdx.ltbjeans.com^ +||zikazx.bouwmaat.nl^ +||zilhvf.hesperide.com^ +||zilmwz.gsm55.it^ +||ziqrso.24mx.no^ +||ziuggw.archon.pl^ +||ziwewm.tecovas.com^ +||zjbfke.centerparcs.be^ +||zjhlsx.exxpozed.de^ +||zjhswy.comeup.com.tr^ +||zjkpxw.tesco.hu^ +||zjrbwb.markenschuhe.de^ +||zjzain.aboutyou.bg^ +||zjzste.tom-tailor.de^ +||zkebwy.copenhagenstudios.com^ +||zkkkvb.welovebags.de^ +||zknrhv.sebago.com^ +||zkntjk.hikaku-cardloan.news.mynavi.jp^ +||zkqhqv.sizeofficial.it^ +||zkvxgc.nissui-kenko.com^ +||zldqcc.dodenhof.de^ +||zlgkpr.lottehotel.com^ +||zlvxiw.medicarelife.com^ +||zmfdxt.megastudy.net^ +||zmhsxr.hometogo.com^ +||zmlntc.green-acres.es^ +||zmmrpv.peterglenn.com^ +||zmpvij.bonprix.fr^ +||zmyopn.babadotop.com.br^ +||zmzkyj.agrieuro.com^ +||znlgke.jiobit.com^ +||znmtka.kikocosmetics.com^ +||znrttr.jaypore.com^ +||zodhqv.peterson.fr^ +||zodxgk.lecoqsportif.com^ +||zopqks.kavehome.com^ +||zopxzq.premiata.it^ +||zozwyc.moscot.com^ +||zpashl.amgakuin.co.jp^ +||zpnrnr.ab-in-den-urlaub.de^ +||zppfgh.renovatuvestidor.com^ +||zqkdzl.invia.sk^ +||zqwofo.liverpool.com.mx^ +||zrbbbj.tf.com.br^ +||zrjllb.zeb.be^ +||zrknjk.countrystorecatalog.com^ +||zrktaa.cityfurniture.com^ +||zrnsri.vogacloset.com^ +||zrsaff.petworld.no^ +||zrsetz.shutterstock.com^ +||zrxdzq.levelshoes.com^ +||ztarkm.johnnie-o.com^ +||ztbbpz.betten.de^ +||ztfjtn.liujo.com^ +||ztgblo.vidaxl.lt^ +||ztpdcg.stroilioro.com^ +||ztqnls.lojasrenner.com.br^ +||zudopk.callondoc.com^ +||zudver.matsmart.se^ +||zuqjug.nutrabay.com^ +||zurjxe.armine.com^ +||zusvfq.otorapor.com^ +||zvbqya.marideal.mu^ +||zvfzqw.cotta.jp^ +||zvhkzb.ambiendo.de^ +||zvlxlu.emsan.com.tr^ +||zvrbwf.drogerienatura.pl^ +||zvvpcz.puravita.ch^ +||zvvsvr.kettner-edelmetalle.de^ +||zwatgf.megaknihy.cz^ +||zwinqi.spartoo.pt^ +||zwiucp.ohmynews.com^ +||zwokia.aigle.com^ +||zxbumj.edreams.it^ +||zxqnbp.heute-wohnen.de^ +||zxqrdm.vinomofo.com^ +||zxrnfc.drinco.jp^ +||zxrrop.musely.com^ +||zxxvns.f64.ro^ +||zybveu.swappie.com^ +||zycnof.distrelec.de^ +||zzaoea.costacrociere.it^ +||zzqyxd.smartpozyczka.pl^ +||zzsqqx.shopjapan.co.jp^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_oracle.txt *** +! easyprivacy_specific_cname_oracle.txt +! Company name: Oracle Eloqua https://github.com/AdguardTeam/cname-trackers/blob/master/data/microsites/oracle-eloqua.txt +! +! Disabled: +! ||contactforms.53.com^ +! ||digital.att.com^ +! ||connect.telstrawholesale.com.au^ +! ||form.info-morimoto-real.jp^ +! ||medlemskap.fagforbundet.no^ +! ||go.oracle.com^ +! ||info.medtronicdiabetes.com^ +! ||info.mouser.com^ +! +||10stepswp.advancedtech.com^ +||1stparty.equifax.co.uk^ +||360direct.qualfon.com^ +||529conference.strategic-i.com^ +||a.aer.com^ +||a.swd5.com^ +||aarpannuity.newyorklife.com^ +||aarpfda.newyorklife.com^ +||aarpgfi.newyorklife.com^ +||aarpgli.newyorklife.com^ +||abastur.ubmmexico.com^ +||abo.schibsted.no^ +||acceptcards.americanexpress.co.uk^ +||access.acspubs.org^ +||access.sunpower.com^ +||accountancy.bppeloqua.com^ +||accounting.frbservices.org^ +||acq-au.americanexpress.com^ +||acq-hk.americanexpress.com^ +||acq-jp.americanexpress.com^ +||acq-sg.americanexpress.com^ +||acquisition.cbre.com.au^ +||act.firstdata.com^ +||actie.athlon.com^ +||action.hassconsult.co.ke^ +||activation.labcorp.com^ +||activation.thunderinsider.com^ +||active.sangfor.com^ +||activos.contacto.promerica.fi.cr^ +||adi.ni.com^ +||admin.smartgroup.com.au^ +||adminspace.carte-gr.total.fr^ +||adpia.client.adpinfo.com^ +||adpia130611.adpinfo.com^ +||adppartner.solutions.adpinfo.com^ +||advancing.acams.org^ +||advantages.americanexpress.com^ +||advise.gallup.com^ +||advisor.americanexpress.ca^ +||advisor.eaglestrategies.com^ +||advisor.newyorklifeannuities.com^ +||advisorservices.etradefinancial.com^ +||advisorservicesfpc.etradefinancial.com^ +||ae-go.experian.com^ +||afhleads.keurig.ca^ +||africa.edm.globalsources.com^ +||agentcomm.mercuryinsurance.com^ +||agexpo.americanexpress.com^ +||agribusiness.intelligence.informa.com^ +||ahhmkt.anhua.com.cn^ +||ahima.coniferhealth.com^ +||ai.mist.com^ +||ai.thermo.com^ +||ai.thermofisher.com^ +||aidc.barcodesgroup.com^ +||aladdinupdate.blackrock.com^ +||albanychicago.advancedtech.com^ +||ald.aldautomotive.be^ +||alerts.ironmountain.com^ +||alerts.wolterskluwerfs.com^ +||alertsatwork.americanexpress.com^ +||alias.cloud-marketing.dimensiondata.com^ +||allergy.thermo.com^ +||allergy.thermofisher.com^ +||alquiler.aldflex.es^ +||alquiler.carflex.es^ +||altalex.wolterskluwer.com^ +||alternativetechnology.arrow.com^ +||alumni.qualfon.com^ +||am.siemensplmevents.com^ +||amer.juniper.net^ +||americasbrandperformancesupport.hilton.com^ +||ams.oraclecloud.com^ +||analytics.banksneveraskthat.com^ +||analytics.blackboard.com^ +||analytics.cognyte.com^ +||analytics.ferguson.com^ +||analytics.flexpay.io^ +||analytics.pollardwater.com^ +||analytics.uwindsor.ca^ +||angebote.plex.com^ +||anmeldung.promatis.ch^ +||anmeldung.promatis.de^ +||announcement.lyreco.com^ +||answers.teradata.ch^ +||answers.teradata.co.uk^ +||answers.teradata.com.cn^ +||answers.teradata.com.sa^ +||answers.teradata.com^ +||answers.teradata.de^ +||answers.teradata.fr^ +||answers.teradata.hu^ +||answers.teradata.in^ +||answers.teradata.jp^ +||answers.teradata.mx^ +||answers.teradata.pl^ +||answers.teradata.ru^ +||answers.teradata.se^ +||antwort.hager.de^ +||aonemeaclientcouncil.aon.com^ +||ap.quadient.com^ +||apac-go.experian.com^ +||apac.adpinfo.com^ +||apac.juniper.net^ +||apac.zendesk.com^ +||apacenews.roche.com^ +||apcinfo.motorolasolutions.com^ +||apcinfo.vertexstandard.com^ +||api-websystems.landing.ni.com^ +||app.12thman.com^ +||app.12thmanfoundation.com^ +||app.aaas-science.org^ +||app.accelerate.zoominfo.com^ +||app.advertisingsolutions.att-mail.com^ +||app.arizonawildcats.com^ +||app.arkansasrazorbacks.com^ +||app.arts.kent.edu^ +||app.arts.uci.edu^ +||app.auburntigers.com^ +||app.augustaentertainmentcomplex.com^ +||app.bandimere.com^ +||app.baylorbears.com^ +||app.bbmannpah.com^ +||app.bceagles.com^ +||app.bluehens.com^ +||app.bncontacto.fi.cr^ +||app.bucky.uwbadgers.com^ +||app.budweisergardens.com^ +||app.bushnell.org^ +||app.business.westernunion.com^ +||app.byutickets.com^ +||app.calbears.com^ +||app.campaign.morganstanley.com^ +||app.campaign.trendmicro.com^ +||app.campaigns.fidelity.com^ +||app.care.eisenhowerhealthcares.org^ +||app.cb.pnc.com^ +||app.ceb.executiveboard.com^ +||app.centreinthesquare.com^ +||app.charlotte49ers.com^ +||app.chartwayarena.com^ +||app.cimarketing.aig.com^ +||app.cincinnatiarts.org^ +||app.classiccenter.com^ +||app.cofcsports.com^ +||app.collinscenterforthearts.com^ +||app.comms.aon.com^ +||app.communications.americanexpress.ca^ +||app.communications.citimortgage.com^ +||app.communications.jdsu.com^ +||app.compasslearning.biz^ +||app.connect.cch.ca^ +||app.connect.mandiant.com^ +||app.connect.synopsys.com^ +||app.connect.vmware.com^ +||app.connect.wgbh.org^ +||app.connect.wgby.org^ +||app.connections.te.com^ +||app.corp.tableausoftware.com^ +||app.crm.millenniumhotels.com^ +||app.csurams.com^ +||app.cubuffs.com^ +||app.customer.adaptiveinsights.com^ +||app.customer.adaptiveplanning.com^ +||app.customerservice.royalmail.com^ +||app.dawsoncreekeventscentre.com^ +||app.demand.nexsan.com^ +||app.demand.ni.com^ +||app.depaulbluedemons.com^ +||app.dtlphx.net^ +||app.e.dowjones.com^ +||app.e.flukecal.com^ +||app.e.gettyimages.com^ +||app.e.intercall.com^ +||app.e.kqed.org^ +||app.ecupirates.com^ +||app.email.fitchratings.com^ +||app.email.forrester.com^ +||app.emarketing.heat.com^ +||app.emueagles.com^ +||app.enable.atmel.com^ +||app.engineering.sae.org^ +||app.entertainment.comcast-spectacor.com^ +||app.fabulousfox.com^ +||app.fans.wolveslynx.com^ +||app.fightingillini.com^ +||app.fightingirish.com^ +||app.financialinstitutions.53.com^ +||app.fleet2.vauxhall.co.uk^ +||app.fordidahocenter.com^ +||app.foxtheatre.org^ +||app.frbcommunications.org^ +||app.friars.com^ +||app.gafreedom.com^ +||app.gaincapital.com^ +||app.georgiadogs.com^ +||app.get.comcastbiz.com^ +||app.gfis.genworth.com^ +||app.gfwm.genworth.com^ +||app.global.certain.com^ +||app.globalbusinesstravel.americanexpress.com^ +||app.go.bmc.com^ +||app.go.coxmedia.com^ +||app.go.csc.com^ +||app.go.endicia.com^ +||app.go.gogoair.com^ +||app.go.gogoinflight.com^ +||app.go.guidancesoftware.com^ +||app.go.healthways.com^ +||app.go.hult.edu^ +||app.go.jacksonhewitt.com^ +||app.go.livingstonintl.com^ +||app.go.maas360.com^ +||app.go.nhaschools.com^ +||app.go.nitropdf.com^ +||app.go.pentonmarketingservices.com^ +||app.go.sitel.com^ +||app.go.terremark.com^ +||app.go.wolterskluwerlb.com^ +||app.go.xo.com^ +||app.goairforcefalcons.com^ +||app.goarmywestpoint.com^ +||app.gobearcats.com^ +||app.gobulldogs.com^ +||app.godeacs.com^ +||app.goduke.com^ +||app.gofrogs.com^ +||app.gogriz.com^ +||app.goguecenter.auburn.edu^ +||app.goheels.com^ +||app.gohuskies.com^ +||app.gopack.com^ +||app.gophersports.com^ +||app.gopsusports.com^ +||app.gorhody.com^ +||app.goshockers.com^ +||app.gostanford.com^ +||app.gotigersgo.com^ +||app.goto.dowjones.com^ +||app.gozips.com^ +||app.green.omniture.com^ +||app.griztix.umt.edu^ +||app.growth.orange-business.com^ +||app.gseagles.com^ +||app.hailstate.com^ +||app.hawaiiathletics.com^ +||app.hawkeyesports.com^ +||app.health.bjc.org^ +||app.herdzone.com^ +||app.hokiesports.com^ +||app.hornettickets.csus.edu^ +||app.humanaresponses.com^ +||app.huskers.com^ +||app.info.actuate.com^ +||app.info.americanpublicmediagroup.org^ +||app.info.autotask.com^ +||app.info.aviationweek.com^ +||app.info.avid.com^ +||app.info.compellent.com^ +||app.info.coopenae.fi.cr^ +||app.info.fidelity.com^ +||app.info.fleetmatics.com^ +||app.info.idgenterprise.com^ +||app.info.jdpa.com^ +||app.info.markit.com^ +||app.info.polycom.com^ +||app.info.quark.com^ +||app.info.questrade.com^ +||app.info.recall.com^ +||app.info.redhat.com^ +||app.info.standardandpoors.com^ +||app.info.trinet.com^ +||app.info.truvenhealth.biz^ +||app.info.ubmchannel.com^ +||app.info.washcaps.com^ +||app.info.washingtonwizards.com^ +||app.inform.equifax.com^ +||app.information.cognos.com^ +||app.innovate.molex.com^ +||app.insider.cavs.net^ +||app.insight.cision.com^ +||app.insight.dnb.com^ +||app.insight.thompson.com^ +||app.iowaeventscenter.com^ +||app.iowawild.com^ +||app.iuhoosiers.com^ +||app.jmusports.com^ +||app.knowhow.ceridian.com^ +||app.krannertcenter.com^ +||app.kstatesports.com^ +||app.ksuowls.com^ +||app.kuathletics.com^ +||app.lacr.motorolasolutions.com^ +||app.lamy-liaisons.fr^ +||app.leadership.kenblanchard.com^ +||app.learn.datafoundry.com^ +||app.learn.ioninteractive.com^ +||app.learn.mindjet.com^ +||app.learn.rasmussen.edu^ +||app.libertyfirstcreditunionarena.com^ +||app.libertyflames.com^ +||app.m1.adsolutions.yp.com^ +||app.machspeed.bluecoat.com^ +||app.mail.mfg.macquarie.com^ +||app.mail.skillsoft.com^ +||app.mailings.erepublic.com^ +||app.mailserver.parker.com^ +||app.marketing.pro.sony.eu^ +||app.marketing.richardsonrfpd.com^ +||app.marketing.wolterskluwerfs.com^ +||app.markkinointi.aller.fi^ +||app.massmutualcenter.com^ +||app.meangreensports.com^ +||app.merchant.bankofamerica.com^ +||app.messages.sonicwall.com^ +||app.mgoblue.com^ +||app.miamihurricanes.com^ +||app.miamiredhawks.com^ +||app.mk.westernunion.com^ +||app.mktg.genesys.com^ +||app.mktg.novell.com^ +||app.mogosme.com^ +||app.msuspartans.com^ +||app.network.ecitele.com^ +||app.nevadawolfpack.com^ +||app.news.zend.com^ +||app.newsletter.bisnow.com^ +||app.nhra.com^ +||app.nissan.my-nissan-usa.com^ +||app.noreply.cummins.com^ +||app.now.bomgar.com^ +||app.now.nowtv.com^ +||app.nuhuskies.com^ +||app.nusports.com^ +||app.odusports.com^ +||app.ohiobobcats.com^ +||app.okcciviccenter.com^ +||app.okstate.com^ +||app.olemisssports.com^ +||app.online.microfocus.com^ +||app.osubeavers.com^ +||app.owlsports.com^ +||app.owners.hilton.com^ +||app.paciolan.com^ +||app.pacslo.org^ +||app.partner.fisglobal.com^ +||app.payments-response.americanexpress.co.uk^ +||app.payments.53.com^ +||app.pbr.com^ +||app.pennathletics.com^ +||app.pittsburghpanthers.com^ +||app.playhousesquare.org^ +||app.poconoraceway.com^ +||app.portland5.com^ +||app.post.vertafore.com^ +||app.ppacri.org^ +||app.profile.purina.com^ +||app.prsoftware.vocus.com^ +||app.pultegroup.com^ +||app.purduesports.com^ +||app.qnasdaqomx.com^ +||app.ramblinwreck.com^ +||app.ratingsinfo.standardandpoors.com^ +||app.recruit.caterermail.com^ +||app.reply.perkinelmer.com^ +||app.resources.netiq.com^ +||app.respond.aonhewitt.com^ +||app.response.adobesystemsinc.com^ +||app.response.aiu.edu.au^ +||app.response.americancentury.com^ +||app.response.americanexpress.ca^ +||app.response.americanexpress.com^ +||app.response.att-mail.com^ +||app.response.blackbaud.com^ +||app.response.cetera.com^ +||app.response.firstdata.com^ +||app.response.hanover.com^ +||app.response.hslda.org^ +||app.response.integratelecom.com^ +||app.response.intergraph.com^ +||app.response.j2global.com^ +||app.response.jacksonhealthcare.com^ +||app.response.kroll.com^ +||app.response.krollontrack.co.uk^ +||app.response.locumtenens.com^ +||app.response.markem-imaje.com^ +||app.response.ncr.com^ +||app.response.neopost.com^ +||app.response.softserveinc.com^ +||app.response.stratfor.com^ +||app.response.thermofisher.com^ +||app.response.transplace.com^ +||app.response.volarisgroup.com^ +||app.results.chronicle.com^ +||app.richmondspiders.com^ +||app.riverbed.com^ +||app.rolltide.com^ +||app.sbas.sage.com^ +||app.scarletknights.com^ +||app.selectyourtickets.com^ +||app.seminoles.com^ +||app.siemens-energy.com^ +||app.siemensplmevents.com^ +||app.sjsuspartans.com^ +||app.sjuhawks.com^ +||app.smart.vivint.com^ +||app.smumustangs.com^ +||app.snssecure.mcafee.com^ +||app.soec.ca^ +||app.solution.roxar.com^ +||app.solutions.intermec.com^ +||app.soonersports.com^ +||app.stratfor.com^ +||app.success.coniferhealth.com^ +||app.suse.com^ +||app.tableausoftware.com^ +||app.tech.pentontech.com^ +||app.texasperformingarts.org^ +||app.texassports.com^ +||app.texastech.com^ +||app.thefishercenter.com^ +||app.ticketatlantic.com^ +||app.ticketleader.ca^ +||app.ticketstaronline.com^ +||app.tribeathletics.com^ +||app.tsongascenter.com^ +||app.tuckerciviccenter.com^ +||app.tulanegreenwave.com^ +||app.tulsahurricane.com^ +||app.tysoncenter.com^ +||app.uabsports.com^ +||app.ucdavisaggies.com^ +||app.ucirvinesports.com^ +||app.uclabruins.com^ +||app.uhcougars.com^ +||app.umassathletics.com^ +||app.umterps.com^ +||app.und.com^ +||app.unlvrebels.com^ +||app.update.lenovo.com^ +||app.update.vodafone.co.uk^ +||app.updates.digicert.com^ +||app.usajaguars.com^ +||app.usctrojans.com^ +||app.utrockets.com^ +||app.villanova.com^ +||app.virginiasports.com^ +||app.vucommodores.com^ +||app.whartoncenter.com^ +||app.wine.tweglobal.com^ +||app.wsucougars.com^ +||app.wvusports.com^ +||app.www-102.aig.com^ +||app.xlcenter.com^ +||app.your.csc.com^ +||app.your.level3.com^ +||app.zmail.zionsbank.com^ +||appcloud.appyreward.com^ +||appinfosoryz.carte-gr.total.fr^ +||applicatifs.ricoh.fr^ +||application.rasmussen.edu^ +||application.ricoh.ch^ +||application.ricoh.co.uk^ +||application.ricoh.co.za^ +||application.ricoh.de^ +||application.ricoh.ie^ +||application.taleo.com^ +||appointments.covenanthealth.org^ +||appointments.providence.org^ +||appointments.swedish.org^ +||apps.go.hobsons.com^ +||apps.imaginecommunications.com^ +||apps.info.convio.com^ +||apps.software.netsimplicity.com^ +||appsecurezomation.carte-gr.total.fr^ +||ar.quadient.com^ +||archiv.promatis.de^ +||archived.first.eloqua.extrahop.com^ +||archived.learn.eloqua.extrahop.com^ +||arincol.arin-innovation.com^ +||art.carte-gr.total.fr^ +||as.balluff.com^ +||asia.atradius.com^ +||asia.interface.com^ +||asistente.christus.mx^ +||ask.antalis-verpackungen.at^ +||ask.antalis.co.uk^ +||ask.antalis.com.tr^ +||ask.antalis.com^ +||ask.antalis.dk^ +||ask.antalis.fr^ +||ask.antalis.lv^ +||ask.antalis.no^ +||ask.antalis.pl^ +||ask.antalis.pt^ +||ask.antalis.ro^ +||ask.antalis.se^ +||assets.eafit.edu.co^ +||assets.estudioseconomicos.co^ +||assets.oupe.es^ +||assets.spectrumhealthlakeland.org^ +||assistancetrack.changehealthcare.com^ +||ast-en.adp.ca^ +||ast-fr.adp.ca^ +||at-go.experian.com^ +||atencion.banrural.com.gt^ +||athl.lsusports.net^ +||attend.5gnorthamericaevent.com^ +||attend.motorcycleshows.com^ +||attend.networkxevent.com^ +||au-go.experian.com^ +||au-partners.ingrammicro.com^ +||au.interface.com^ +||au.mywd.com^ +||aus.amexforbusiness.com.au^ +||auth.carte-gr.total.fr^ +||autoimmunity.thermo.com^ +||autoimmunity.thermofisher.com^ +||automate.opex.com^ +||automation.pemco.com^ +||automationtest.pemco.com^ +||automotive-business.vodafone.com^ +||automotive.balluff.com^ +||autovista-fi.autovistagroup.com^ +||autovista-fr.autovistagroup.com^ +||autovista-se.autovistagroup.com^ +||autovistaintelligence.autovistagroup.com^ +||avaya-engage.avaya.com^ +||avs.adpinfo.com^ +||axentis.arclogics.com^ +||axp.avaya.com^ +||b.bloomberglp.com^ +||b2binfo.canon-europe.com^ +||b2bmarketing.swisscom.ch^ +||b2bmarketingsb.swisscom.ch^ +||b2bmarketingsb.swisscom.com^ +||b2bmkt.lge.co.kr^ +||backoffice.verintsystemsinc.com^ +||badirectoryz.carte-gr.total.fr^ +||bancopostapremia.bancoposta.it^ +||banks.adpinfo.com^ +||bapages.carte-gr.total.fr^ +||barracuda.carte-gr.total.fr^ +||bbbb.blackboard.com^ +||bbk.pnc.com^ +||bbworld.blackboard.com^ +||be-go.experian.com^ +||belgium.wolterskluwer.com^ +||belong.curtin.edu.au^ +||beneficios.davivienda.hn^ +||beneficios.davivienda.sv^ +||benefits.aon.com^ +||benelux2.secureforms.mcafee.com^ +||bestill.help.no^ +||better.herculesrx.com^ +||beuniquelyinsured.selective.com^ +||beyond.bluewolf.com^ +||bg-go.experian.com^ +||bienvenido.americanindustriesgroup.com^ +||bigdata.clarin.com^ +||biz.coface.com^ +||bizmkt.lguplus.com^ +||blackbook.coniferhealth.com^ +||bldr.mkt.samsung.com^ +||ble.ubm-licensing.com^ +||blog.myomnipod.com^ +||bnk.wolterskluwerfs.com^ +||boutique.ricoh.fr^ +||bpm.global360.com^ +||bps.ricoh.co.uk^ +||bps.ricoh.ie^ +||bpsemea.hilton.com^ +||br.adpinfo.com^ +||branch.verintsystemsinc.com^ +||branchout.pegs.com^ +||brand.adp.ca^ +||breakthrough.kronos.com^ +||btaconnect.americanexpress.at^ +||btaconnect.americanexpress.co.uk^ +||btaconnect.americanexpress.de^ +||btaconnect.americanexpress.es^ +||btaconnect.americanexpress.fr^ +||btaconnect.americanexpress.it^ +||btaenrolment.americanexpress.at^ +||btaenrolment.americanexpress.co.uk^ +||btaenrolment.americanexpress.it^ +||btaenrolment.americanexpress.nl^ +||bu.adpinfo.com^ +||business-cards.americanexpress.com^ +||business-pages.edfenergy.com^ +||business.keurig.com^ +||business.samsungusa.com^ +||business.vodafone.co.nz^ +||business.vodafone.com^ +||businessaffiliate.americanexpress.com^ +||businessengage.comcast.com^ +||businessmaking.progress.com^ +||businessmedia.americanexpress.com^ +||businessprocess.ricoh.de^ +||buzz.vocus.com^ +||by.mywd.com^ +||ca.connect.finning.com^ +||ca.creditacceptance.com^ +||ca.mattamyhomes.com^ +||calibration.ni.com^ +||camagess.carte-gr.total.fr^ +||campagne.enecozakelijk.nl^ +||campaign-fbsg.fujifilm.com^ +||campaign.amadeus.com^ +||campaign.bbmbonnier.se^ +||campaign.bpost.be.bpost.be^ +||campaign.daimlertruck.com^ +||campaign.fr.mazda.be^ +||campaign.glory-global.com^ +||campaign.hach.com.cn^ +||campaign.kpmg.co.il^ +||campaign.mazda.lu^ +||campaign.mazda.sk^ +||campaign.motorolasolutions.com^ +||campaign.nl.mazda.be^ +||campaign.outpayce.com^ +||campaign.phinmaproperties.com^ +||campaign.raymondcorp.com^ +||campaign.rockwellautomation.com^ +||campaign.ruukki.com^ +||campaign.shl.com^ +||campaign.ssab.com^ +||campaign.tandemdiabetes.com^ +||campaigninfo.motorolasolutions.com^ +||campaignresources.motorolasolutions.com^ +||campaigns-de.opentext.com^ +||campaigns-es.opentext.com^ +||campaigns-fr.opentext.com^ +||campaigns-it.opentext.com^ +||campaigns.amadeus.com^ +||campaigns.engage.cebglobal.com^ +||campaigns.glory-global.com^ +||campaigns.grenke.com^ +||campaigns.mellanox.com^ +||campaigns.messagemedia.com.au^ +||campaigns.netscout.com^ +||campaigns.opentext.com^ +||campaigns.ortec.com^ +||campaigns.panasonic.eu^ +||campaigns.rockwellautomation.com^ +||campaigns.sandhill.co.uk^ +||campaigns.technics.eu^ +||campaigns.verisk.com^ +||campaigns.xactware.com^ +||candidate.response.ingenovishealth.com^ +||carburanalyticsspace.carte-gr.total.fr^ +||carburez-a-l-emotion.carte-gr.total.fr^ +||cardexchanges.carte-gr.total.fr^ +||care.excellence.kaweahhealth.org^ +||care.mercycare.org^ +||care.oakstreethealth.com^ +||care.southeasthealth.org^ +||care.stlukes-stl.com^ +||care.universityhealth.com^ +||careers.coniferhealth.com^ +||carepay.gaf.com^ +||carreras.unisabana.edu.co^ +||cars.autopia.com.au^ +||cars.smartfleetaustralia.com.au^ +||cars.smartleasing.com.au^ +||carte.fleet-page.total.fr^ +||cascadion.thermo.com^ +||cascadion.thermofisher.com^ +||casl.couch-associates.com^ +||catracking.cubiq.com^ +||catracking.finning.com^ +||cbc.pnc.com^ +||ccaas.avaya.com^ +||ccmd.coveredca.com^ +||cd.chemistanddruggist.co.uk^ +||cdrive.compellent.com^ +||cen.acspubs.org^ +||cenbrandlab.acspubs.org^ +||cenjobs.acspubs.org^ +||central2.secureforms.mcafee.com^ +||challengeh.carte-gr.total.fr^ +||channel.cummins.com^ +||channel.informaengage.com^ +||channelevents.partnermcafee.com^ +||channelportal.netsuite.com^ +||channelusa.samsung.com^ +||chat.forddirectdealers.com^ +||check.frbservices.org^ +||chiefinvestmentofficer.strategic-i.com^ +||choose.adelaide.edu.au^ +||choose.nu.edu^ +||cihac.ubmmexico.com^ +||cimarketingforms.aig.com^ +||cimarketingforms.cimarketing.aig.com^ +||clarity-infographic.zebra.com^ +||click.rollouki.com^ +||click.vocus.com^ +||clicks.tableau.com^ +||client.trustaff.com^ +||clients.hermes-investment.com^ +||cloud.diagral.fr^ +||cloudhosting-business.vodafone.com^ +||cloverleaf.infor.com^ +||cm-in.americanexpress.com^ +||cm-jp.americanexpress.com^ +||cm-sg.americanexpress.com^ +||cm.informaengage.com^ +||cmc.americanexpress.co.uk^ +||cmr.customer.americanexpress.de^ +||cmrcustomer.americanexpress.co.uk^ +||cmrcustomer.americanexpress.es^ +||cn-go.experian.com^ +||cn.adpinfo.com^ +||cn.mywd.com^ +||cockpitdcbaima.carte-gr.total.fr^ +||collaborate.blackboard.com^ +||collections.equifax.com^ +||columbustech.tcsg.edu^ +||com.carte-gr.total.fr^ +||comm.toro.com^ +||commanslabdpp.carte-gr.total.fr^ +||commanslabdspace.carte-gr.total.fr^ +||commerce.edc.ca^ +||commercial.equifax.com^ +||commercial.inform.equifax.com^ +||comms.cigna.co.uk^ +||comms.cigna.es^ +||comms.cignaglobalhealth.com^ +||comms.cision.com^ +||comms.dfsco.com^ +||comms.groupmarketing.dimensiondata.com^ +||comms.hello.global.ntt^ +||comms.services.global.ntt^ +||comms.supplychain.nhs.uk^ +||communicate.cision.ca^ +||communicate.cision.co.uk^ +||communicate.prnewswire.co.uk^ +||communicate.prnewswire.com^ +||communicatelp.keysight.com^ +||communicatie.vub.be^ +||communication.adpinfo.com^ +||communication.futuresummits.com^ +||communication.hager.co.uk^ +||communication.imec.be^ +||communication.imechyperspectral.com^ +||communication.imeciclink.com^ +||communication.imecistart.com^ +||communication.imecitf.com^ +||communication.proximus.be^ +||communication.ricoh.at^ +||communication.ricoh.ch^ +||communication.ricoh.co.uk^ +||communication.ricoh.de^ +||communication.ricoh.it^ +||communication.ricoh.pt^ +||communications.adpinfo.com^ +||communications.aon.com^ +||communications.apilayer.com^ +||communications.cigna.com^ +||communications.embarcadero.com^ +||communications.fusioncharts.com^ +||communications.idera.com^ +||communications.lansa.com^ +||communications.parcours.fr^ +||communications.sencha.com^ +||communications.ultraedit.com^ +||communications.wpcarey.com^ +||community.fusesource.com^ +||compliance.coniferhealth.com^ +||computers.panasonic.eu^ +||comtelitalia.alcatel-lucent.com^ +||comunicacao.edpcomunicacao.com.br^ +||comunicacion.usj.es^ +||comunicaciones.davivienda.com.pa^ +||comunicaciones.daviviendacorredores.com^ +||comunicaciones.paginasamarillas.es^ +||comunicaciones.pymas.com.co^ +||comunicazioni.bancamediolanum.it^ +||conf.optum.com^ +||conference.all-energy.com.au^ +||conferences.cigna.com^ +||confirm.aon.com^ +||confirm.ptvgroup.com^ +||connect-qa.netapp.com^ +||connect.abm.netapp.com^ +||connect.acams.org^ +||connect.acspubs.org^ +||connect.arkadin.com^ +||connect.aucmed.edu^ +||connect.becker.com^ +||connect.blackboard.com^ +||connect.blog.netapp.com^ +||connect.build.com^ +||connect.cap.hcahealthcare.com^ +||connect.care.eehealth.org^ +||connect.care.hackensackmeridian.org^ +||connect.care.kansashealthsystem.com^ +||connect.care.lcmchealth.org^ +||connect.care.muschealth.org^ +||connect.care.sheppardpratt.org^ +||connect.care.wakemed.org^ +||connect.caringcrowd.org^ +||connect.carrier.com.ph^ +||connect.chapman.com^ +||connect.cloud.netapp.com^ +||connect.cognex.com^ +||connect.compellent.com^ +||connect.cont.hcahealthcare.com^ +||connect.content-hub.netapp.com^ +||connect.customers.netapp.com^ +||connect.delphi.international^ +||connect.dimensiondata.com^ +||connect.flowroute.com^ +||connect.fwd.hcahealthcare.com^ +||connect.gcd.hcahealthcare.com^ +||connect.geniecompany.com^ +||connect.grassicpas.com^ +||connect.handlesets.com^ +||connect.health.bjc.org^ +||connect.health.lexmed.com^ +||connect.health.mydocnews.com^ +||connect.healthcare.northbay.org^ +||connect.healthcare.rush.edu^ +||connect.info.halifaxhealthnews.org^ +||connect.insidelpl.com^ +||connect.intel.com^ +||connect.intercall.com^ +||connect.inxpo.com^ +||connect.ispo.com^ +||connect.labcorp.com^ +||connect.lgcns.com^ +||connect.link.boone.health^ +||connect.lionsclubs.org^ +||connect.mattamyhomes.com^ +||connect.medical.rossu.edu^ +||connect.medstarhealth.org^ +||connect.memorialcare.org^ +||connect.methodisthealthsystem.org^ +||connect.mhsystem.org^ +||connect.montagehealth.org^ +||connect.mycwt.com^ +||connect.ncd.hcahealthcare.com^ +||connect.netapp.co.il^ +||connect.netapp.co.kr^ +||connect.netapp.com.au^ +||connect.netapp.com.sg^ +||connect.netapp.com.tw^ +||connect.netapp.in^ +||connect.netapp.it^ +||connect.news.evergreenhealth.com^ +||connect.nfd.hcahealthcare.com^ +||connect.northoaks.org^ +||connect.palomarhealth.org^ +||connect.partner-connect.netapp.com^ +||connect.satl.hcahealthcare.com^ +||connect.schoolmessenger.com^ +||connect.senecacollege.ca^ +||connect.senecapolytechnic.ca^ +||connect.singlex.com^ +||connect.stihl.info^ +||connect.telstrawholesale.com^ +||connect.the-stockmarket.com^ +||connect.virginmediabusiness.co.uk^ +||connect.wfd.hcahealthcare.com^ +||connect.xo.com^ +||connect.zebra.com^ +||connect2.secureforms.mcafee.com^ +||connected.technologies.jci.com^ +||connected.verical.com^ +||connectfpc.zebra.com^ +||connection.arrow.com^ +||connection.verical.com^ +||connectlp.keysight.com^ +||connectportal.netapp.com^ +||connecttest.arubanetworks.com^ +||connectvet.rossu.edu^ +||connectwithus.cetera.com^ +||consulting.guidehouse.com^ +||consulting.icmi.com^ +||consulting.mcgladrey.com^ +||consumer.equifax.com^ +||consumer.inform.equifax.com^ +||contact-us.adp.ca^ +||contact.abc-companies.com^ +||contact.aon.com^ +||contact.coface.com^ +||contact.formasquare.com^ +||contact.iwgplc.com^ +||contact.kikusuiamerica.com^ +||contact.lesmills.com^ +||contact.nalgene.com^ +||contact.no18.com^ +||contact.regus.com^ +||contact.samsungsds.com^ +||contact.spacesworks.com^ +||contact.tsr-net.co.jp^ +||contactcenter.verintsystemsinc.com^ +||contactcentercala.verintsystemsinc.com^ +||contactecs.arrow.com^ +||contacto.gtc.com.gt^ +||contacto.lecleire.com.gt^ +||contactus.53.com^ +||content.accelalpha.com^ +||content.bazaarvoice.com^ +||content.blackboard.com^ +||content.box.net^ +||content.convio.com^ +||content.eaton.com^ +||content.ferguson.com^ +||content.juniper.net^ +||content.nxp.com^ +||content.ohcare.ohiohealth.com^ +||content.pollardwater.com^ +||content.powerdms.com^ +||content.prophet.com^ +||content.rackspace.co.uk^ +||content.tatatelebusiness.com^ +||content.verint.com^ +||content.wire.telstra.com^ +||contents.pwc.com^ +||controlexpenses.adp.ca^ +||convention.interfaceflor.com^ +||convision.davivienda.com^ +||cookie.amerigas.com^ +||cookie.cynch.com^ +||cookie.myamerigas.com^ +||cookiejar.atea.no^ +||cookies-sfs.siemens.com^ +||cookies.ec4u.com^ +||cookies.engage.russellinvestments.com^ +||cookies.grenke.ch^ +||cookies.grenke.com^ +||cookies.grenke.de^ +||cookies.siemens-advanta.com^ +||cookies.siemens-energy.com^ +||cookies.siemens-healthineers.com^ +||cookies.siemens.com^ +||cookies.wpcarey.com^ +||cookietracking.eatonpowersource.com^ +||coop.vmware.com^ +||corporate-klm.americanexpress.nl^ +||corporate.americanexpress.it^ +||corporate.mattamyhomes.com^ +||corporate.wpcarey.com^ +||corporatecard.americanexpress.nl^ +||corporatecards.americanexpress.com^ +||corporateforms.americanexpress.com^ +||corporatemembershiprewards.americanexpress.co.uk^ +||corporatemembershiprewards.americanexpress.es^ +||corporatemr.americanexpress.co.uk^ +||corporatemr.americanexpress.de^ +||corporatemr40k.americanexpress.co.uk^ +||corporatemrguide.americanexpress.co.uk^ +||corporatemrguide.americanexpress.de^ +||corporatepages.proximus.com^ +||corporateplatino.americanexpress.it^ +||cortellisconnections.thomsonreuters.com^ +||covenant.psjhealth.org^ +||cp.ir-central.irco.com^ +||create.encore-mx.com^ +||create.encoreglobal.com^ +||crm.ironmountain.com^ +||crm.landing.ni.com^ +||crm.leads360.com^ +||crm.velocify.com^ +||cs.coopeservidores.fi.cr^ +||cs.hot.net.il^ +||cs.nexttv.co.il^ +||ctc.wolterskluwer.com^ +||curious.cognyte.com^ +||custom.dowjones.com^ +||custom.info.shutterstock.com^ +||customer-engagement.verintsystemsinc.com^ +||customerexperience.verintsystemsinc.com^ +||customers-capitalbank-jo-877029.p06.elqsandbox.com^ +||customize.titanfactorydirect.com^ +||cx.quadient.com^ +||cyber-pages.att.com^ +||cyber-tracking.att.com^ +||cyber.boozallen.com^ +||cz-business.vodafone.com^ +||cz-cz.siemensplmevents.com^ +||cz-go.experian.com^ +||data.atea.no^ +||dbl.cadriamarketing.com^ +||dc.bluecoat.com^ +||dd.control4.com^ +||de-de.siemensplmevents.com^ +||de-go.experian.com^ +||de.contact.alphabet.com^ +||de.mywd.com^ +||de.verintsystemsinc.com^ +||defygravity.convio.com^ +||degree.insead.edu^ +||delete.atea.fi^ +||deleteme.intuit.com^ +||dell.compellent.com^ +||delphi.ni.com^ +||demandgen.ptc.com^ +||demo-mktg.vodafone.com^ +||dependable-s.hyster.com^ +||design.informabi.com^ +||design.nanawall.com^ +||details.pella.com^ +||dev-plan.intel.com^ +||dev.marketing.championhomes.com^ +||dev.marketing.skylinehomes.com^ +||devtracking.risk.lexisnexis.com^ +||dg.champion-compressors.com^ +||dg.compair.com^ +||dg.irco.com^ +||dg.ptl.irco.com^ +||dhdaa.duke.edu^ +||dhlsupplychain.dhl.com^ +||diagnostics.thermo.com^ +||dialer.leads360.com^ +||dialer.velocify.com^ +||dialogue.de.mazda.ch^ +||dialogue.fr.mazda.be^ +||dialogue.mazda.at^ +||dialogue.mazda.bg^ +||dialogue.mazda.co.uk^ +||dialogue.mazda.com.tr^ +||dialogue.mazda.cz^ +||dialogue.mazda.de^ +||dialogue.mazda.dk^ +||dialogue.mazda.es^ +||dialogue.mazda.eu^ +||dialogue.mazda.fr^ +||dialogue.mazda.gr^ +||dialogue.mazda.hr^ +||dialogue.mazda.hu^ +||dialogue.mazda.ie^ +||dialogue.mazda.it^ +||dialogue.mazda.nl^ +||dialogue.mazda.no^ +||dialogue.mazda.pl^ +||dialogue.mazda.pt^ +||dialogue.mazda.ro^ +||dialogue.mazda.rs^ +||dialogue.mazda.se^ +||dialogue.mazda.si^ +||dialogue.mazda.sk^ +||dialogue.nl.mazda.be^ +||diamages.carte-gr.total.fr^ +||digital-engineering.de^ +||digital-global.furniture-china.cn^ +||digital.adt-worldwide.com^ +||digital.adt.cl^ +||digital.adt.co.cr^ +||digital.adt.co.uk^ +||digital.adt.com.br^ +||digital.adt.com.es^ +||digital.adt.com.mx^ +||digital.adt.com.uy^ +||digital.aptaracorp.com^ +||digital.bebold.cx^ +||digital.cloud.travelport.com^ +||digital.dynatos.be^ +||digital.forddirectdealers.com^ +||digital.ironmountain.com^ +||digitalworkplace.ricoh.fr^ +||discover.10play.com.au^ +||discover.absciex.com.cn^ +||discover.absciex.com^ +||discover.aptly.de^ +||discover.averydennison.com^ +||discover.citeline.com^ +||discover.clarivate.com^ +||discover.conversantmedia.com^ +||discover.evaluate.com^ +||discover.fullsail.edu^ +||discover.harvardbusiness.org^ +||discover.immofinanz.com^ +||discover.jll.com^ +||discover.parker.com^ +||discover.pharmaignite.com^ +||discover.phenomenex.com^ +||discover.rewe-group.at^ +||discover.streamly.video^ +||discover.tenplay.com.au^ +||discover2.secureforms.mcafee.com^ +||distributors.balluff.com^ +||dk-go.experian.com^ +||dloeloqua.danskespil.dk^ +||dm.smfl.jp^ +||dmkt.solutions.cas.org^ +||dnews.alfaromeo.it^ +||dnews.fiat.it^ +||domorewithless.adp.ca^ +||downeconomywp.advancedtech.com^ +||download.createyournextcustomer.com^ +||download.dnv.com^ +||downloads.advancedtech.com^ +||downloads.coface.com^ +||downloads.mcgladrey.com^ +||downpayment.fernsby.com^ +||dozententag.ni.com^ +||drive.seagate.com^ +||drugtest.questdiagnostics.com^ +||dsdordering.kdrp.com^ +||dtestpromo.fiat.it^ +||dx.thermo.com^ +||dx.thermofisher.com^ +||e-img.hover.to^ +||e-learning.brainshark.com^ +||e.beckmancoulter.com^ +||e.darpro-solutions.com^ +||e.fdm.dk^ +||e.gettyimages.ae^ +||e.gettyimages.co.jp^ +||e.gettyimages.co.nz^ +||e.gettyimages.in^ +||e.gettyimages.nl^ +||e.gettyimages.pt^ +||e.nicklauschildrens.org^ +||e.pomonaelectronics.com^ +||e10.verticurl.com^ +||eagle.aon.com^ +||eastern2.secureforms.mcafee.com^ +||eatonaero.advancedtech.com^ +||eb.informabi.com^ +||ebooks.javer.com.mx^ +||economicadvantage.midamerican.com^ +||economies.adp.ca^ +||ecvmbusiness.mtn.co.za^ +||ed1.comcastbiz.com^ +||edge.ricoh-europe.com^ +||edpsmart.edpcomunicacao.com.br^ +||education.bendigotafe.edu.au^ +||education.leads360.com^ +||education.moodybible.org^ +||education.ricoh.ch^ +||education.ricoh.fr^ +||education.velocify.com^ +||educontinua.javeriana.edu.co^ +||efficiency.nl.visma.com^ +||efficiency.visma.com^ +||efficiency.visma.dk^ +||efficiency.visma.fi^ +||efficiency.visma.lv^ +||efficiency.visma.se^ +||efm.verintsystemsinc.com^ +||ehtel.endress.com^ +||electronics.edm.globalsources.com^ +||electronics.tradeshow.globalsources.com^ +||elia.thermofisher.com^ +||elink.serasaexperian.com.br^ +||eloq.fiducial.fr^ +||eloqua-tracking.kaiserpermanente.org^ +||eloqua-tracking.unity.com^ +||eloqua-tracking.unity3d.com^ +||eloqua-trackings.unity.com^ +||eloqua-trackings.unity3d.com^ +||eloqua-uat.motorolasolutions.com^ +||eloqua.53.com^ +||eloqua.acspubs.org^ +||eloqua.apexsql.com^ +||eloqua.binarytree.com^ +||eloqua.brakepartsinc.com^ +||eloqua.certiport.com^ +||eloqua.digitalpi.com^ +||eloqua.eafit.edu.co^ +||eloqua.eft.com^ +||eloqua.emdmillipore.com^ +||eloqua.erwin.com^ +||eloqua.ethicalcorp.com^ +||eloqua.exploreliberty.com^ +||eloqua.eyeforpharma.com^ +||eloqua.eyefortravel.com^ +||eloqua.gdlcouncil.org^ +||eloqua.impactconf.com^ +||eloqua.incite-group.com^ +||eloqua.infobip.com^ +||eloqua.insurancenexus.com^ +||eloqua.juilliard.edu^ +||eloqua.liberty.edu^ +||eloqua.mindhub.com^ +||eloqua.mindhubpro.com^ +||eloqua.moschampionship.com^ +||eloqua.newenergyupdate.com^ +||eloqua.nissan.com.tw^ +||eloqua.nuclearenergyinsider.com^ +||eloqua.oneidentity.com^ +||eloqua.onelogin.com^ +||eloqua.pearsonvue.ae^ +||eloqua.pearsonvue.co.jp^ +||eloqua.pearsonvue.co.uk^ +||eloqua.pearsonvue.com.cn^ +||eloqua.pearsonvue.com^ +||eloqua.petchem-update.com^ +||eloqua.pointcode.fr^ +||eloqua.psl.com.au^ +||eloqua.quadrotech-it.com^ +||eloqua.quest.com^ +||eloqua.radware.com^ +||eloqua.raybestos.com^ +||eloqua.roche.com^ +||eloqua.saiganeshk.com^ +||eloqua.sigmaaldrich.com^ +||eloqua.soprasteria.co.uk^ +||eloqua.syslog-ng.com^ +||eloqua.teknos.com^ +||eloqua.ufm.edu^ +||eloqua.undergraduateexam.in^ +||eloqua.upstreamintel.com^ +||eloquaimages.e.abb.com^ +||eloquamarketing.masterlock.com^ +||eloquatrack.kistler.com^ +||eloquatracking.internationalsos.com^ +||eloquatracking.iqvia.com^ +||eloquatracking.mindbody.io^ +||elq-tracking.genomes.atcc.org^ +||elq-trk.fullsail.edu^ +||elq.accuity.com^ +||elq.adaptris.com^ +||elq.analog.com^ +||elq.ansible.com^ +||elq.artsfestival.org^ +||elq.axeslive.com^ +||elq.blackrock.com^ +||elq.cirium.com^ +||elq.efront.com^ +||elq.eg.co.uk^ +||elq.egi.co.uk^ +||elq.enterprisersproject.com^ +||elq.feedbacknow.com^ +||elq.fisherinvestments.com^ +||elq.forrester.com^ +||elq.hamamatsu.com^ +||elq.icis.com^ +||elq.insource.co.jp^ +||elq.irobot.com^ +||elq.keysight.com.cn^ +||elq.keysight.com^ +||elq.lansa.com^ +||elq.macu.com^ +||elq.mh.mercuryhealthcare.com^ +||elq.modelgroup.com^ +||elq.mouser.ca^ +||elq.mouser.cn^ +||elq.mouser.com.tr^ +||elq.mouser.com^ +||elq.mouser.dk^ +||elq.mouser.fr^ +||elq.mouser.hk^ +||elq.mouser.it^ +||elq.mouser.jp^ +||elq.mouser.pe^ +||elq.mouser.tw^ +||elq.nextens.nl^ +||elq.openshift.com^ +||elq.opensource.com^ +||elq.proagrica.com^ +||elq.proconnect.intuit.com^ +||elq.redhat.com^ +||elq.scanningpens.ca^ +||elq.scanningpens.com.au^ +||elq.scanningpens.com^ +||elq.sonicwall.com^ +||elq.symantec.com^ +||elq.utas.edu.au^ +||elq.xperthr.co.uk^ +||elq.xperthr.nl^ +||elqact.gartner.com^ +||elqapp.clevelandbrowns.com^ +||elqapp.spectrum.com^ +||elqforms.qnx.com^ +||elqjourney.pwc.com^ +||elqtrack.broadridge.com^ +||elqtrack.kubotausa.com^ +||elqtrack.logarithmicsolutions.com^ +||elqtrack.poly.com^ +||elqtracking.capella.edu^ +||elqtracking.cengage.com^ +||elqtracking.destinationretirement.co.uk^ +||elqtracking.flexera.com^ +||elqtracking.hitachi-powergrids.com^ +||elqtracking.hitachienergy.com^ +||elqtracking.hub-group.co.uk^ +||elqtracking.hubfinancialsolutions.co.uk^ +||elqtracking.justadviser.com^ +||elqtracking.macegroup.com^ +||elqtracking.medidata.com^ +||elqtracking.mercer-retirement.co.uk^ +||elqtracking.pensionbuddy.co.uk^ +||elqtracking.revenera.com^ +||elqtracking.richardsonrfpd.com^ +||elqtracking.sandbox.wearejust.co.uk^ +||elqtracking.strayer.edu^ +||elqtracking.wearejust.co.uk^ +||elqtrck.motor.no^ +||elqtrck.nanawall.com^ +||elqtrk.cn.morningstar.com^ +||elqtrk.cummins.com^ +||elqtrk.hk.morningstar.com^ +||elqtrk.ibbotson.co.jp^ +||elqtrk.insight.tech^ +||elqtrk.intel.cn^ +||elqtrk.intel.co.il^ +||elqtrk.intel.co.jp^ +||elqtrk.intel.co.kr^ +||elqtrk.intel.co.uk^ +||elqtrk.intel.com.au^ +||elqtrk.intel.com.br^ +||elqtrk.intel.com.tr^ +||elqtrk.intel.com.tw^ +||elqtrk.intel.com^ +||elqtrk.intel.de^ +||elqtrk.intel.es^ +||elqtrk.intel.fr^ +||elqtrk.intel.in^ +||elqtrk.intel.it^ +||elqtrk.intel.la^ +||elqtrk.intel.pl^ +||elqtrk.intel.ru^ +||elqtrk.intel.sg^ +||elqtrk.intelrealsense.com^ +||elqtrk.morningstar.be^ +||elqtrk.morningstar.ch^ +||elqtrk.morningstar.com.au^ +||elqtrk.morningstar.com^ +||elqtrk.morningstar.de^ +||elqtrk.morningstar.hk^ +||elqtrk.morningstar.it^ +||elqtrk.morningstar.nl^ +||elqtrk.morningstar.no^ +||elqtrk.my.morningstar.com^ +||elqtrk.rsmus.com^ +||elqtrk.thailand.intel.com^ +||elqtrk.tw.morningstar.com^ +||elqtrkstg.intel.com^ +||elqview.kofax.com^ +||elqview.kofax.de^ +||elqview.kofax.jp^ +||elqview.uclahealth.org^ +||elqview2.uclahealth.org^ +||els298548211.medtronic.com^ +||em-email.thermofisher.com^ +||em.thermofisher.com^ +||email-am.jll-mena.com^ +||email-am.jll.ca^ +||email-am.jll.ch^ +||email-am.jll.cl^ +||email-am.jll.co.il^ +||email-am.jll.co.kr^ +||email-am.jll.co.th^ +||email-am.jll.co.za^ +||email-am.jll.com.ar^ +||email-am.jll.com.au^ +||email-am.jll.com.co^ +||email-am.jll.com.mo^ +||email-am.jll.com.mx^ +||email-am.jll.cz^ +||email-am.jll.de^ +||email-am.jll.es^ +||email-am.jll.fr^ +||email-am.jll.hu^ +||email-am.jll.it^ +||email-am.jll.pe^ +||email-am.joneslanglasalle.co.jp^ +||email-am.joneslanglasalle.com.vn^ +||email-am.stage.ca.jll.com^ +||email-am.us.jll.com^ +||email-ap.jll-mena.com^ +||email-ap.jll.ca^ +||email-ap.jll.co.id^ +||email-ap.jll.co.il^ +||email-ap.jll.co.in^ +||email-ap.jll.co.kr^ +||email-ap.jll.co.th^ +||email-ap.jll.co.uk^ +||email-ap.jll.com.ar^ +||email-ap.jll.com.au^ +||email-ap.jll.com.hk^ +||email-ap.jll.com.lk^ +||email-ap.jll.com.mx^ +||email-ap.jll.com.my^ +||email-ap.jll.com.ph^ +||email-ap.jll.com.sg^ +||email-ap.jll.com.tw^ +||email-ap.jll.de^ +||email-ap.jll.fi^ +||email-ap.jll.fr^ +||email-ap.jll.lu^ +||email-ap.jll.nz^ +||email-ap.jll.pe^ +||email-ap.joneslanglasalle.co.jp^ +||email-ap.joneslanglasalle.com.cn^ +||email-ap.joneslanglasalle.com.vn^ +||email-cm.jll-mena.com^ +||email-cm.jll.ca^ +||email-cm.jll.cl^ +||email-cm.jll.co.id^ +||email-cm.jll.co.il^ +||email-cm.jll.co.uk^ +||email-cm.jll.com.au^ +||email-cm.jll.com.hk^ +||email-cm.jll.com.mx^ +||email-cm.jll.com.sg^ +||email-cm.jll.fi^ +||email-cm.jll.hu^ +||email-cm.jll.nz^ +||email-cm.jll.pe^ +||email-cm.jllsweden.se^ +||email-cm.joneslanglasalle.co.jp^ +||email-cm.joneslanglasalle.com.vn^ +||email-em.jll-mena.com^ +||email-em.jll.be^ +||email-em.jll.ca^ +||email-em.jll.ch^ +||email-em.jll.cl^ +||email-em.jll.co.id^ +||email-em.jll.co.uk^ +||email-em.jll.co.za^ +||email-em.jll.com.co^ +||email-em.jll.com.hk^ +||email-em.jll.com.tr^ +||email-em.jll.de^ +||email-em.jll.fi^ +||email-em.jll.fr^ +||email-em.jll.ie^ +||email-em.jll.it^ +||email-em.jll.lu^ +||email-em.jll.nl^ +||email-em.jll.pe^ +||email-em.jll.pl^ +||email-em.jll.pt^ +||email-em.jll.ro^ +||email-em.jllsweden.se^ +||email-em.joneslanglasalle.co.jp^ +||email-em.joneslanglasalle.com.cn^ +||email-em.us.jll.com^ +||email-hk.americanexpress.com^ +||email-tw.americanexpress.com^ +||email.carte-gr.total.fr^ +||email.hockeytown.com^ +||email.info.exclusive-networks.com^ +||email.lottehotel.com^ +||email.mymandg.co.uk^ +||email.softwareag.com^ +||emailhoteldevelopment.ihg.com^ +||emea-go.experian.com^ +||emeadm.rockwellautomation.com^ +||emeanews.secureforms.partnermcafee.com^ +||en-gb.siemensplmevents.com^ +||en-sg.siemensplmevents.com^ +||en-us.coloplastcare.com^ +||encompassreport.elliemae.com^ +||endo.dentsply.com^ +||energy.eneco.be^ +||enews.alfaromeo.it^ +||engage-emea.jll.com^ +||engage.3m.co.cr^ +||engage.3m.co.id^ +||engage.3m.co.ke^ +||engage.3m.co.kr^ +||engage.3m.co.rs^ +||engage.3m.co.th^ +||engage.3m.co.uk^ +||engage.3m.co.za^ +||engage.3m.com.ar^ +||engage.3m.com.au^ +||engage.3m.com.bo^ +||engage.3m.com.br^ +||engage.3m.com.cn^ +||engage.3m.com.co^ +||engage.3m.com.do^ +||engage.3m.com.dz^ +||engage.3m.com.ec^ +||engage.3m.com.ee^ +||engage.3m.com.es^ +||engage.3m.com.gt^ +||engage.3m.com.hk^ +||engage.3m.com.hn^ +||engage.3m.com.hr^ +||engage.3m.com.jm^ +||engage.3m.com.kw^ +||engage.3m.com.kz^ +||engage.3m.com.lv^ +||engage.3m.com.mx^ +||engage.3m.com.my^ +||engage.3m.com.ni^ +||engage.3m.com.pa^ +||engage.3m.com.pe^ +||engage.3m.com.pk^ +||engage.3m.com.pr^ +||engage.3m.com.pt^ +||engage.3m.com.py^ +||engage.3m.com.qa^ +||engage.3m.com.ro^ +||engage.3m.com.sa^ +||engage.3m.com.sg^ +||engage.3m.com.sv^ +||engage.3m.com.tn^ +||engage.3m.com.tr^ +||engage.3m.com.tt^ +||engage.3m.com.tw^ +||engage.3m.com.ua^ +||engage.3m.com.uy^ +||engage.3m.com.vn^ +||engage.3mabrasive.co.kr^ +||engage.3mae.ae^ +||engage.3maustria.at^ +||engage.3mbelgie.be^ +||engage.3mbelgique.be^ +||engage.3mbulgaria.bg^ +||engage.3mcanada.ca^ +||engage.3mchile.cl^ +||engage.3mcompany.jp^ +||engage.3mdanmark.dk^ +||engage.3mdeutschland.de^ +||engage.3megypt.com.eg^ +||engage.3mfrance.fr^ +||engage.3mhellas.gr^ +||engage.3mindia.in^ +||engage.3mireland.ie^ +||engage.3misrael.co.il^ +||engage.3mitalia.it^ +||engage.3mlietuva.lt^ +||engage.3mmagyarorszag.hu^ +||engage.3mmaroc.ma^ +||engage.3mnederland.nl^ +||engage.3mnorge.no^ +||engage.3mnz.co.nz^ +||engage.3mphilippines.com.ph^ +||engage.3mpolska.pl^ +||engage.3mprivacyfilter.co.kr^ +||engage.3msafety.co.kr^ +||engage.3mschweiz.ch^ +||engage.3mslovensko.sk^ +||engage.3msuisse.ch^ +||engage.3msuomi.fi^ +||engage.3msverige.se^ +||engage.avalara.com^ +||engage.broadcom.com^ +||engage.build.com^ +||engage.dow.com^ +||engage.ferguson.com^ +||engage.hamiltoncaptel.com^ +||engage.informaconstructionmarkets.com^ +||engage.jacksonhewitt.com^ +||engage.jboss.com^ +||engage.jlclive.com^ +||engage.marketone.com^ +||engage.neogen.com^ +||engage.nuance.com^ +||engage.nuance.fr^ +||engage.poolspapatio.com^ +||engage.richardsonrfpd.com^ +||engage.shl.com^ +||engage.siriusdecisions.com^ +||engage.unisa.edu.au^ +||engage.uq.edu.au^ +||engage2demand.cisco.com^ +||engagemetrics.cisco.com^ +||engageru.3mrussia.ru^ +||engageru2.3mrussia.ru^ +||enquiry.marketingcube.com.au^ +||enterprise.dnb.ca^ +||enterprise2.secureforms.mcafee.com^ +||enterprises.proximus.be^ +||ep.regis.edu^ +||eqclicks.movember.com^ +||eqs.accountants.intuit.com^ +||eqs.intuit.com^ +||eqtrack.americashomeplace.com^ +||eroar.lionsclubs.org^ +||es-business.vodafone.com^ +||es-es.siemensplmevents.com^ +||es-go.experian.com^ +||es-mktg.vodafone.com^ +||es-sa.siemensplmevents.com^ +||es.adpinfo.com^ +||etc.lxhausys.com^ +||etk.locusrobotics.com^ +||etrack.ext.arubainstanton.com^ +||etrack.ext.arubanetworks.com^ +||etrack.ext.hpe.com^ +||ets.ni.com^ +||etscampaign.motorola.com^ +||eu.business.samsung.com^ +||eu.cignaglobalhealth.com^ +||eu.ironmountain.com^ +||eufunding.ukri.org^ +||eumeainfo.motorolasolutions.com^ +||eurotax-at.autovistagroup.com^ +||eurotax-be.autovistagroup.com^ +||eurotax-ch.autovistagroup.com^ +||eurotax-cz.autovistagroup.com^ +||eurotax-es.autovistagroup.com^ +||eurotax-hr.autovistagroup.com^ +||eurotax-hu.autovistagroup.com^ +||eurotax-nl.autovistagroup.com^ +||eurotax-pl.autovistagroup.com^ +||eurotax-pt.autovistagroup.com^ +||eurotax-ro.autovistagroup.com^ +||eurotax-si.autovistagroup.com^ +||eurotax-sk.autovistagroup.com^ +||eurotaxsrbija-si.autovistagroup.com^ +||evelynn.landing.ni.com^ +||evenement.ricoh.fr^ +||event.boozallen.com^ +||event.clubcorp.com^ +||event.dnv.com^ +||event.grassicpas.com^ +||event.jma.or.jp^ +||event.ortec.com^ +||event.raise3d.cn^ +||event.seatradecruiseevents.com^ +||event.seatradecruiseglobal.com^ +||event.thermofisher.com^ +||event.thermoscientific.cn^ +||event.thermoscientific.com^ +||event1.thermofisher.com^ +||event1.thermoscientific.com^ +||event3.thermofisher.com^ +||event3.thermoscientific.com^ +||eventos.abastur.com^ +||eventos.cihac.com^ +||eventos.mirecweek.com^ +||eventos.ubmmexico.com^ +||eventos.usj.es^ +||events.accuity.com^ +||events.avaya.com^ +||events.bendigotafe.edu.au^ +||events.blackboard.com^ +||events.careallies.com^ +||events.centex.com^ +||events.cigna.com^ +||events.coface.com^ +||events.elliemae.com^ +||events.engage.cebglobal.com^ +||events.executiveboard.com^ +||events.ferrari.com^ +||events.forddirectdealers.com^ +||events.glory-global.com^ +||events.gogoair.com^ +||events.golubcapital.com^ +||events.icmi.com^ +||events.interface.com^ +||events.kangan.edu.au^ +||events.marketingcube.com.au^ +||events.mbrl.ae^ +||events.mcgladrey.com^ +||events.mywd.com^ +||events.ndtco.com^ +||events.nuance.com^ +||events.oakstreethealth.com^ +||events.oddo-bhf.com^ +||events.pella.com^ +||events.rewe-group.at^ +||events.ricoh.ch^ +||events.ricoh.de^ +||events.ricoh.ie^ +||events.tafensw.edu.au^ +||events.verticurl.com^ +||exchange.carte-gr.total.fr^ +||execgroup.convio.com^ +||exhibit.coteriefashionevents.com^ +||exhibit.firex.co.uk^ +||exhibit.kbb.co.uk^ +||exhibit.magicfashionevents.com^ +||exhibit.myfashionevents.com^ +||exhibit.safety-health-expo.co.uk^ +||exhibit.ubm-events.com^ +||exhibition.edm.globalsources.com^ +||experience.aifsabroad.com^ +||experience.blackbaud.com^ +||experience.comcastbiz.com^ +||experience.jcu.edu.au^ +||experience.limelight.com^ +||experience.micromine.kz^ +||experience.phenomenex.com^ +||experience.rsm.com.au^ +||experience2013.elliemae.com^ +||experienceplatform.avaya.com^ +||experiencia.coopecaja.fi.cr^ +||expertise.logarithmicsolutions.com^ +||explore-dev.agilent.com^ +||explore-ft.agilent.com^ +||explore-uat.agilent.com^ +||explore.agilent.com^ +||explore.att.com^ +||explore.broncos.com.au^ +||explore.epsilon.com^ +||explore.firstnet.com^ +||explore.flexera.com^ +||explore.revenera.com^ +||explore.waldenu.edu^ +||ezgo.advancedtech.com^ +||facey.psjhealth.org^ +||factory.redbull.racing^ +||fan.info.heat.com^ +||fashion.edm.globalsources.com^ +||fashion.tradeshow.globalsources.com^ +||fasttrack.americanexpress.co.uk^ +||featured.bradyid.com^ +||fedexfield.redskins.com^ +||feedback.aon.com^ +||feedback.avigilon.com^ +||feedback.lifeguardarena.com^ +||feedback.nslsc-csnpe.ca^ +||ferias.usj.es^ +||files.info.posteitaliane.it^ +||findthetruth.allergyai.com^ +||fire.solutions.jci.com^ +||firstparty1.dentsplysirona.com^ +||firstpartycookie.gettyimages.com^ +||firstpartycookie.istockphoto.com^ +||flavors.firmenich.com^ +||food.informaengage.com^ +||food.pentonmarketingsvcs.com^ +||foodbrochure.advancedtech.com^ +||forex.americanexpress.com^ +||form.fusesource.com^ +||form.harvardbusiness.org^ +||form.innovative-design-lab.com^ +||form.vocalink.com^ +||formaciones.arin-innovation.com^ +||forms-emea.lenovo.com^ +||forms.anthology.com^ +||forms.b.oncourselearning.com^ +||forms.bankersalmanac.com^ +||forms.blackboard.com^ +||forms.bmc.com^ +||forms.bradyid.com^ +||forms.burriswindows.com^ +||forms.businessnews.telstra.com^ +||forms.campusmanagement.com^ +||forms.capitaliq.com^ +||forms.comcast-spectacor.com^ +||forms.cybersource.com^ +||forms.direxionfunds.com^ +||forms.egi.co.uk^ +||forms.embarcadero.com^ +||forms.enterprisenews.telstra.com^ +||forms.erepublic.com^ +||forms.executiveboard.com^ +||forms.fidelity.ca^ +||forms.fircosoft.com^ +||forms.fitchratings.com^ +||forms.flightglobal.com^ +||forms.icis.com^ +||forms.infor.com^ +||forms.irdeto.com^ +||forms.juniper.net^ +||forms.lenovo.com^ +||forms.mcgladrey.com^ +||forms.mdreducation.com^ +||forms.messe-muenchen.de^ +||forms.nexsan.com^ +||forms.nrs-inc.com^ +||forms.pella.com^ +||forms.pentonmarketingservices.com^ +||forms.personneltoday.com^ +||forms.poweritpro.com^ +||forms.progress.com^ +||forms.sharjahart.org^ +||forms.smarterbusiness.telstra.com^ +||forms.solarwinds.com^ +||forms.systeminetwork.com^ +||forms.telstraglobal.com^ +||forms.trendmicro.co.jp^ +||forms.vaisala.com^ +||forms.verisigninc.com^ +||forms.vistage.com^ +||forms.vmtechpro.com^ +||forms.web.roberthalf.com^ +||forms.xperthr.co.uk^ +||forms.xperthr.com^ +||forms.xtralis.com^ +||forms2.vistage.com^ +||fp.kalevavakuutus.fi^ +||fp.mandatum.fi^ +||fp.mandatumlife.fi^ +||fp.mandatumtrader.fi^ +||fpc.acpinternist.org^ +||fpc.acpjournals.org^ +||fpc.acponline.org^ +||fpc.annals.org^ +||fpc.arborcrowd.com^ +||fpc.attcenter.com^ +||fpc.cebglobal.com^ +||fpc.choosemylo.com^ +||fpc.ciel.com^ +||fpc.consumerportfolio.com^ +||fpc.gartner.com^ +||fpc.golubcapital.com^ +||fpc.immattersacp.org^ +||fpc.inxinternational.com^ +||fpc.laerdal.com^ +||fpc.pelican.com^ +||fpc.questoraclecommunity.org^ +||fpc.sage.com^ +||fpc.sg2.com^ +||fpc.singleplatform.com^ +||fpc.trimarkusa.com^ +||fpc.utexas.edu^ +||fpcdallasstars.nhl.com^ +||fpcsbulls.nba.com^ +||fpt.inxinternational.com^ +||fr-go.experian.com^ +||fr.adpinfo.com^ +||fr.contact.alphabet.com^ +||france.alphabet.com^ +||frc.redcross.fi^ +||fromhttptohttps.atea.fi^ +||frostnsullivan.advancedtech.com^ +||fusiontechnology.arrow.com^ +||future.coniferhealth.com^ +||future.jcu.edu.au^ +||future.uwindsor.ca^ +||fvc.alcatel-lucent.com^ +||fxipca.americanexpress.ca^ +||fxipreferral.americanexpress.com^ +||fxipwelcome.americanexpress.ca^ +||fxpayments.americanexpress.co.nz^ +||fxpayments.americanexpress.com.au^ +||fxreferral.americanexpress.com^ +||gateway.aimia.com^ +||gb.click.finning.com^ +||gba.kwm.com^ +||gbl.radware.com^ +||gbtracking.cubiq.com^ +||gbtracking.finning.com^ +||gc.titans.com.au^ +||gccmembershiprewards.americanexpress.de^ +||gccmembershiprewards.americanexpress.it^ +||gcn.tuv.com^ +||gdg.gardnerdenver.com^ +||gdmelqact.gartner.com^ +||gestiondocumentaire.ricoh.fr^ +||get.anthem.com^ +||get.diamanti.com^ +||get.docusign.com^ +||get.empireblue.com^ +||get.nl.ukg.be^ +||get.sage.com^ +||get.ukg.be^ +||get.ukg.ca^ +||get.ukg.co.uk^ +||get.ukg.com.au^ +||get.ukg.de^ +||get.ukg.fr^ +||get.ukg.in^ +||get.ukg.mx^ +||get.ukg.nl^ +||getconnected.infor.com^ +||getinfo.fullsail.edu^ +||ghp.adp.ca^ +||glass.autovistagroup.com^ +||glassguide-au.autovistagroup.com^ +||global-go.experian.com^ +||global-mktg.transunion.com^ +||global.cphi-china.cn^ +||global.fia-china.com^ +||global.successfactors.com^ +||global.zenprise.com^ +||globalbanking.wolterskluwer.com^ +||globaleloqua.americanexpress.com^ +||globalsolutions.risk.lexisnexis.com^ +||gn.informaengage.com^ +||go-communications.comed.com^ +||go-elqau.oracle.com^ +||go-marketing.comed.com^ +||go-response.thermofisher.com^ +||go-stage.oracle.com^ +||go.accredible.com^ +||go.air-electra.co.il^ +||go.ali-cle.org^ +||go.avalara.com^ +||go.avon.sk^ +||go.axione.com^ +||go.azets.dk^ +||go.azets.fi^ +||go.azets.no^ +||go.azets.se^ +||go.bandits.com^ +||go.billsmafia.com^ +||go.blackboard.com^ +||go.blackrock.com^ +||go.bouygues-construction.com^ +||go.brightspace.com^ +||go.canadalifecentre.ca^ +||go.cargotec.com^ +||go.carrefourclub.co.il^ +||go.century21.fr^ +||go.cf.labanquepostale.fr^ +||go.client.gazpasserelle.engie.fr^ +||go.climate.emerson.com^ +||go.comcastspectacor.com^ +||go.computacenter.com^ +||go.comres.emerson.com^ +||go.comres1.emerson.com^ +||go.contact.alphabet.com^ +||go.cornerstonebuildingbrands.com^ +||go.dallasstars.com^ +||go.deltek.com^ +||go.dunnhumby.com^ +||go.dxc.technology^ +||go.e.mailchimp.com^ +||go.earlywarning.com^ +||go.econnect.dellmed.utexas.edu^ +||go.edmontonoilers.com^ +||go.electra-consumer.co.il^ +||go.emeadatacenter.services.global.ntt^ +||go.emersonautomation.com^ +||go.engineeringim.com^ +||go.enterprise.spectrum.com^ +||go.event.eset.com^ +||go.exactonline.de^ +||go.exactonline.fr^ +||go.exactonline.nl^ +||go.eyefinity.com^ +||go.fairviewmicrowave.com^ +||go.fhlbny.com^ +||go.flukebiomedical.com^ +||go.fortifybuildingsolutions.com^ +||go.greenlee.emerson.com^ +||go.hager.com^ +||go.hager.ie^ +||go.hager.nl^ +||go.hager.pl^ +||go.hager.se^ +||go.healthgrades.com^ +||go.hello.navan.com^ +||go.heritagebuildings.com^ +||go.hitachienergy.com^ +||go.hocoma.com^ +||go.imaginecommunications.com^ +||go.info.verifi.com^ +||go.info.verticurl.com^ +||go.insinkerator.emerson.com^ +||go.int.vsp.com^ +||go.integraoptics.com^ +||go.intercall.com^ +||go.inxinternational.com^ +||go.itsehoitoapteekki.fi^ +||go.kareo.com^ +||go.klauke.emerson.com^ +||go.kurumsal.vodafone.com.tr^ +||go.l-com.com^ +||go.labcorp.com^ +||go.lasvegasaces.com^ +||go.laurelsprings.com^ +||go.mashery.com^ +||go.metallic.com^ +||go.mge.com^ +||go.milestek.com^ +||go.mitesp.com^ +||go.morningstar.com^ +||go.motivcx.com^ +||go.mwe.com^ +||go.my.elca.ch^ +||go.navepoint.com^ +||go.netwitness.com^ +||go.news.loyaltycompany.com^ +||go.oilkings.ca^ +||go.paze.com^ +||go.pearsonvue.com^ +||go.petrelocation.com^ +||go.plygem.com^ +||go.primeone.cloud^ +||go.protools.emerson.com^ +||go.psentertainment.com^ +||go.reach.utep.edu^ +||go.ridgid.emerson.com^ +||go.robertsonbuildings.com^ +||go.rochesterknighthawks.com^ +||go.rohrer.com^ +||go.sabres.com^ +||go.securitymsp.cisco.com^ +||go.servicenow.com^ +||go.sfcg.com^ +||go.sgs.com^ +||go.shutterstock.com^ +||go.sseairtricity.com^ +||go.steelbuilding.com^ +||go.syncsketch.com^ +||go.teknos.com^ +||go.teledynemarine.com^ +||go.testo.com^ +||go.transtector.com^ +||go.tuev.cn^ +||go.tuv.com^ +||go.ubmamg-media.com^ +||go.ukg.com^ +||go.ultimatesoftware.com^ +||go.visma.com^ +||go.vitality.com.ar^ +||go.vitalitybrasil.com^ +||go.vitecgroup.com^ +||go.vue.com^ +||go.wacom.com^ +||go.west.com^ +||go.www4.earlywarning.com^ +||go.zellepay.com^ +||go.zendesk.com^ +||go2.kofax.com^ +||go2.mathworks.com^ +||go5.global.toshiba^ +||gocertiport.pearsonvue.com^ +||gomerchant.groupon.com^ +||goto.firsttechfed.com^ +||goto.heartlandpaymentsystems.com^ +||government.informaengage.com^ +||governmentcloud.avaya.com^ +||gp.oddo-bhf.com^ +||gr-business.vodafone.com^ +||gr-go.experian.com^ +||grc2.secureforms.mcafee.com^ +||groundcare.dixiechopper.com^ +||groups.heatexperience.com^ +||grow.national.biz^ +||gsasolutionssecure.gsa.gov^ +||gslive.edm.globalsources.com^ +||gsmatch.edm.globalsources.com^ +||gsol.edm.globalsources.com^ +||gsols.edm.globalsources.com^ +||gsupplyair.carte-gr.total.fr^ +||guest.vistage.com^ +||happyholidays.coniferhealth.com^ +||harris.ni.com^ +||hasslefree.redwingshoes.com^ +||health.aonunited.com^ +||health.atlanticgeneral.org^ +||health.fishersci.com^ +||health.info.baptisthealth.com^ +||healthcare.fishersci.com^ +||healthcare.mcgladrey.com^ +||healthcare.oakstreethealth.com^ +||healthcare.thermofisher.com^ +||healthier.aahs.org^ +||healthier.luminishealth.org^ +||hello.bpost.be^ +||hello.bpost2.be^ +||hello.effervescents.com^ +||hello.grattezvotrecadeau.be^ +||hello.lesarcs-peiseyvallandry.com^ +||hello.ops.bpost.be^ +||hello.postuler.bpost.be^ +||hello.solliciteren.bpost.be^ +||hello.stbpost.be^ +||hello.trailblazers.com^ +||helpdesk.thinkhdi.com^ +||highered.franklincovey.com^ +||highlights-schadenmanager.schwacke.de^ +||highlights-schwackenet.schwacke.de^ +||hk-go.experian.com^ +||home.edm.globalsources.com^ +||hopeful.coh.org^ +||horizoneurope.ukri.org^ +||hospitality.redbull.racing^ +||hptechnology.arrow.com^ +||hr.adp.ca^ +||hsa.wageworks.info^ +||htc.oaken.com^ +||httr.redskins.com^ +||hu-business.vodafone.com^ +||hvac.solutions.jci.com^ +||i-ready.curriculumassociates.com^ +||i.moneytransfer.travelex.com^ +||ibmtechnology.arrow.com^ +||ideas.nanawall.com^ +||iduk.barcodesgroup.com^ +||ie-business.vodafone.com^ +||ie-go.experian.com^ +||ie-mktg.vodafone.com^ +||ieg.intel.com^ +||ifi-trk.informa.com^ +||iiceq.intuit.com^ +||image.go.aricent.com^ +||image.info.perkinelmer.com^ +||image.now.beyondtrust.info^ +||image.success.bluewolf.com^ +||image.thermoscientific.com^ +||imagenes.ubmmexico.com^ +||imagens.conteudo.algartelecom.com.br^ +||images.a.flukebiomedical.com^ +||images.access.imaginelearning.com^ +||images.aepinfo.com^ +||images.alliances.infor.com^ +||images.annuities.sfgmembers.com^ +||images.app.imaginecommunications.com^ +||images.arcb.com^ +||images.assets.aapa.org^ +||images.at.datawatch.com^ +||images.b2bindia.samsung.com^ +||images.b2bmkt.samsung.com^ +||images.bbs.barclaycard.co.uk^ +||images.bio.ozyme.fr^ +||images.biz.blackberry.com^ +||images.blackhat.com^ +||images.bncontacto.fi.cr^ +||images.bounceback.chiesiusa.com^ +||images.brand.j2.com^ +||images.business.fedex.com^ +||images.business.lenovo.com^ +||images.by.sensiolabs.com^ +||images.campaign.crmit.com^ +||images.campaign.reedexpo.at^ +||images.campaign.reedexpo.co.uk^ +||images.campaign.reedexpo.com^ +||images.campaign.reedexpo.de^ +||images.campaigns-qa.fidelity.com^ +||images.care.gundersenhealth.org^ +||images.care.ssmhealth.com^ +||images.care.tgh.org^ +||images.cargomarketing.email.aa.com^ +||images.chbusiness.samsung.com^ +||images.checkpoint.thomsonreuters.biz^ +||images.chef-lavan.tnuva.co.il^ +||images.cloud.cssus.com^ +||images.cloud.secure-24.com^ +||images.cloud.travelport.com^ +||images.cmbinsight.hsbc.com^ +||images.com.bouygues-es.com^ +||images.comm.pwc.com.br^ +||images.commercecloudevents.salesforce.com^ +||images.comms.cirium.com^ +||images.communication.carsales.com.au^ +||images.communication.maerskline.com^ +||images.communications.aldar.com^ +||images.communications.bt.com^ +||images.community.aidshealth.org^ +||images.compasslearning.biz^ +||images.comunicaciones.prosegur.es^ +||images.connect.ais.arrow.com^ +||images.connect.cebglobal.com^ +||images.connect.globalservices.arrow.com^ +||images.connect.hpe.com^ +||images.connect.mandiant.com^ +||images.connect.o2.co.uk^ +||images.connect.omron.eu^ +||images.connect.veritivcorp.com^ +||images.connect2.bt.com^ +||images.connect2.cebglobal.com^ +||images.connect2.globalservices.bt.com^ +||images.constellation.quintiles.com^ +||images.contact.cigna.com^ +||images.contact.princess.com^ +||images.contact.staubli.com^ +||images.contacto.unis.edu.gt^ +||images.content.aces-int.com^ +||images.content.dp.ae^ +||images.content.ser.de^ +||images.cornerstonebuildingbrands.com^ +||images.corp.berger-levrault.com^ +||images.crazynews.crazyshirts.com^ +||images.createyournextcustomer.com^ +||images.crowecomm.crowehorwath.com^ +||images.cs.consultdss.com^ +||images.cs.dsmihealth.com^ +||images.daikinchemicals.com^ +||images.deals.carpetone.com^ +||images.decisionhealth.com^ +||images.demand.awspls.com^ +||images.demand.brainshark.com^ +||images.demand.mcafee.com^ +||images.demand.naseba.com^ +||images.digital-markets.gartner.com^ +||images.directvbiz.att-mail.com^ +||images.discover.changehealthcare.com^ +||images.dm.itesm.mx^ +||images.donotreply.prudential.com^ +||images.drive.mercedes-benz.se^ +||images.dubaiholding.ae^ +||images.dvubootcamp.devry.edu^ +||images.e-insight.autovistagroup.com^ +||images.e-mail.deloittecomunicacao.com.br^ +||images.e.aquent.com^ +||images.e.bengals.com^ +||images.e.brother.com^ +||images.e.bulls.com^ +||images.e.chiefs.com^ +||images.e.congressionalfcu.org^ +||images.e.corenetglobal.org^ +||images.e.denverbroncos.com^ +||images.e.environicsanalytics.com^ +||images.e.gallup.com^ +||images.e.good2gotravelinsurance.com.au^ +||images.e.hillsbank.com^ +||images.e.ice.com^ +||images.e.istockphoto.com^ +||images.e.lexisnexis.com^ +||images.e.midmark.com^ +||images.e.mylanlabs.com^ +||images.e.pcm.com^ +||images.e.realtor.com^ +||images.e.royalmail.com^ +||images.e.seagate.com^ +||images.e.skandia.pl^ +||images.e.tcichemicals.com^ +||images.e.transunion.com^ +||images.e.tycois.com^ +||images.e.westuc.com^ +||images.e.xtelligentmedia.com^ +||images.e2.aig.com^ +||images.e3.aig.com^ +||images.edgenuity.com^ +||images.edm.carnivalaustralia.com^ +||images.edm.cunardinoz.com.au^ +||images.edm.princesscruises.com.au^ +||images.edm.propertyguru.com^ +||images.education.ifebp.org^ +||images.eloqua.fredhutch.org^ +||images.em.email-prudential.com^ +||images.em.groupon.com^ +||images.em.tdgarden.com^ +||images.email.air-worldwide.com^ +||images.email.fico.com^ +||images.email.hkaf.org^ +||images.emails.bokfinancial.com^ +||images.emails.ipcmedia.co.uk^ +||images.emarketing.hccs.edu^ +||images.emarketing.heat.com^ +||images.en25content.twilio.com^ +||images.energysolutions.evergy.com^ +||images.engage.brunswickgroup.com^ +||images.engage.cebglobal.com^ +||images.engage.elliemae.com^ +||images.engage.hamiltontel.com^ +||images.engage.hp.com^ +||images.engage.mettel.net^ +||images.engage.mims.com^ +||images.engage.nexperia.com^ +||images.engage.parexel.com^ +||images.engage.ubc.ca^ +||images.engageemea.jll.com^ +||images.enrollment.sunywcc.edu^ +||images.entreprise.com-bpifrance.fr^ +||images.eq.tm.intuit.com^ +||images.excellence.americanregistry.com^ +||images.experience.eneco.be^ +||images.explore.behr.com^ +||images.explore.editionhotels.com^ +||images.fans.mlse.com^ +||images.fanservices.jaguars.com^ +||images.financial-risk-solutions.thomsonreuters.info^ +||images.flippengroup.com^ +||images.fmpracticemanagement.lexisnexis.com^ +||images.frbusiness.samsung.com^ +||images.gc.georgiancollege.ca^ +||images.gcom.cigna.com^ +||images.get.kareo.com^ +||images.global.thomsonreuters.com^ +||images.globalempcomm.visa.com^ +||images.globalscm.eaton.com^ +||images.go.aifs.com^ +||images.go.alightsolutions.com^ +||images.go.anixter.com^ +||images.go.attcenter.com^ +||images.go.bge.com^ +||images.go.bluejacketslink.com^ +||images.go.braintreepayments.com^ +||images.go.broadridge1.com^ +||images.go.bryantstratton.edu^ +||images.go.citimortgage.com^ +||images.go.consumer.vsp.com^ +||images.go.cummins.com^ +||images.go.dentsplysirona.com^ +||images.go.diverseeducation.com^ +||images.go.elementfleet.com^ +||images.go.fastweb.it^ +||images.go.firsttechfed.com^ +||images.go.hardware.group^ +||images.go.hulft.com^ +||images.go.ifund.com.hk^ +||images.go.impinj.com^ +||images.go.insidelpl.com^ +||images.go.inxintl.com^ +||images.go.jll.com^ +||images.go.kpmgisraelmail.co.il^ +||images.go.mathworks.com^ +||images.go.metagenics.com^ +||images.go.mongodb.com^ +||images.go.na.sage.com^ +||images.go.optotechnik.zeiss.com^ +||images.go.pelican.com^ +||images.go.pioneer.com^ +||images.go.siriusdecisions.com^ +||images.go.staubli.com^ +||images.go.tennisfame.com^ +||images.go.thermofisher.com^ +||images.go.thompson.com^ +||images.go.trimarkusa.com^ +||images.go.vertivco.com^ +||images.grootzakelijk.kpn.com^ +||images.groupcommunications.royalmail.com^ +||images.guidance.choosemylo.com^ +||images.h.analog.com^ +||images.health.stlukes-stl.com^ +||images.healthlink.rsfh.com^ +||images.hq.scorecardrewards.com^ +||images.i.mesosphere.com^ +||images.identity.okta.com^ +||images.igdg.gardnerdenver.com^ +||images.ihs.com^ +||images.images.compagniedesalpes.fr^ +||images.ime.quintiles.com^ +||images.in.my1961.com^ +||images.info.acelatinamerica.com^ +||images.info.alibabacloud.com^ +||images.info.amexgbt.com^ +||images.info.aviationweek.com^ +||images.info.celum.com^ +||images.info.clubcorp.com^ +||images.info.coleparmer.com^ +||images.info.coopenae.fi.cr^ +||images.info.coopeservidores.fi.cr^ +||images.info.dfsco.com^ +||images.info.fibia.dk^ +||images.info.fticonsulting.com^ +||images.info.grenke.com^ +||images.info.grupovaughan.com^ +||images.info.informex.com^ +||images.info.innovateuk.org^ +||images.info.intrawest.com^ +||images.info.kpmgrealinsights.com^ +||images.info.la-z-boy.com^ +||images.info.legalsolutions.thomsonreuters.co.uk^ +||images.info.mercuryinsurance.com^ +||images.info.mercycare.org^ +||images.info.microstrategy.com^ +||images.info.monumentalsports.com^ +||images.info.newhope.com^ +||images.info.patheon.com^ +||images.info.pentontech.com^ +||images.info.posteitaliane.it^ +||images.info.proov.io^ +||images.info.rcgt.com^ +||images.info.resursbank.se^ +||images.info.rodekors.no^ +||images.info.seatradecruiseglobal.com^ +||images.info.shinoken.com^ +||images.info.siemensplmevents.com^ +||images.info.solidab.se^ +||images.info.telogis.com^ +||images.info.totalfleet.fr^ +||images.info.tupperware.at^ +||images.info.tupperware.be^ +||images.info.tupperware.de^ +||images.info.tupperware.pt^ +||images.info.tycosimplexgrinnell.com^ +||images.info.veritas.com^ +||images.info.visma.com^ +||images.info.wearejust.co.uk^ +||images.info.yourmobilitypartner.com^ +||images.info.yoursolutionspartner.com^ +||images.info.yousee.dk^ +||images.infofreddiemac.com^ +||images.informador.davivienda.com^ +||images.information.thmarch.co.uk^ +||images.inport.princess.com^ +||images.insight.extrahop.com^ +||images.insight.intrado.com^ +||images.insurance.leavitt.com^ +||images.integrity.synopsys.com^ +||images.interact.jll.com^ +||images.internalcomms.ntt.com^ +||images.it.business.samsung.com^ +||images.ita.ice.it^ +||images.join.masaisrael.org^ +||images.kampanjat.yle.fi^ +||images.klubb.bonnier.se^ +||images.lauthorities.com^ +||images.learn.arborcrowd.com^ +||images.learn.blr.com^ +||images.learn.cmdgroup.com^ +||images.learn.deloitte.com^ +||images.learn.drivemedical.com^ +||images.learn.follett.com^ +||images.learn.hitachiconsulting.com^ +||images.learn.hmhco.com^ +||images.learn.internationalsosfoundation.org^ +||images.learn.pharmacyclics.com^ +||images.learn.queenslibrary.org^ +||images.learn.shredit.com^ +||images.learn.unisourceworldwide.com^ +||images.link.penton3.com^ +||images.link.pentonagriculture.com^ +||images.link.pentonauto.com^ +||images.link.pentonaviation.com^ +||images.link.pentoncem.com^ +||images.link.pentonfinancialservices.com^ +||images.link.pentonfoodnews.com^ +||images.link.pentonlsm.com^ +||images.link.pentonnews.com^ +||images.livecreative.creativecircle.com^ +||images.logisticsnews.dbschenker.com^ +||images.loyalty.lindtusa.com^ +||images.lubricants.petro-canada.com^ +||images.luv.winsupplyinc.com^ +||images.m.onepeloton.com^ +||images.ma.kikusuiamerica.com^ +||images.mail-fellowesbrands.com^ +||images.mail.coloplast.com^ +||images.mail.dolce-gusto.com^ +||images.mail.tena.de^ +||images.mail01.arealink.co.jp^ +||images.mail01.learn.internationalsos.com^ +||images.mailaway.abritel.fr^ +||images.mailaway.fewo-direkt.de^ +||images.mailaway.homeaway.com^ +||images.mailaway.vrbo.com^ +||images.mailinfo.clarivate.com^ +||images.mailing.morningstar.com^ +||images.marketing-de.sage.com^ +||images.marketing.box.com^ +||images.marketing.bpp.com^ +||images.marketing.businessdirect.bt.com^ +||images.marketing.centerpointenergy.com^ +||images.marketing.deltaww.com^ +||images.marketing.demandfrontier.com^ +||images.marketing.emaarinfo.com^ +||images.marketing.habtoormotors.com^ +||images.marketing.henryscheinpracticesolutions.com^ +||images.marketing.invacare.com^ +||images.marketing.irobot.com^ +||images.marketing.kaec.net^ +||images.marketing.kaweahhealth.org^ +||images.marketing.ncc.se^ +||images.marketing.netapp.com^ +||images.marketing.richardsonrfpd.com^ +||images.marketing.selligent.com^ +||images.marketing.statistica.io^ +||images.marketing.strategic-i.com^ +||images.marketing.swhyhk.com^ +||images.marketing.zeusinc.com^ +||images.matservice.fcagroup.com^ +||images.max.max-finance.co.il^ +||images.mdtinternal.com^ +||images.medlem.naf.no^ +||images.medtronicdiabetes.com^ +||images.messages.seagate.com^ +||images.mkt.acindar.com.ar^ +||images.mkt.movida.com.br^ +||images.mkt.nectarconsulting.com.br^ +||images.mkt.zoominfo.com^ +||images.mkt.zte.com.cn^ +||images.mktg.dynabook.com^ +||images.mktgassets.symantec.com^ +||images.mm.eulerhermes.com^ +||images.moparservice.mopar.eu^ +||images.moresand.co.uk^ +||images.my1961.com^ +||images.myhealthyfinances.com^ +||images.myhome.modernize.com^ +||images.na.agcocorp.com^ +||images.na.sage.com^ +||images.nasdaqtech.nasdaq.com^ +||images.nationalproduction.wgbh.org^ +||images.news.auchan.lu^ +||images.news.extrahop.com^ +||images.news.lavoro.gov.it^ +||images.news.meraas.com^ +||images.news.panasonic.asia^ +||images.news.psjhealth.org^ +||images.news.thunderinsider.com^ +||images.news.wiley.com^ +||images.newsletter.hach.com.cn^ +||images.newsletter.larksuite.com^ +||images.newsletter.rewe-group.at^ +||images.notice.wageworks.com^ +||images.noticias.clarin.com^ +||images.notifications.aigdirect.com^ +||images.novedades.fibercorp.com.ar^ +||images.nwinsurance.pemco.com^ +||images.offers.princesscruises.co.uk^ +||images.on.karnovgroup.com^ +||images.online.bankofjordan.com.jo^ +||images.online.chancellors.co.uk^ +||images.online.mt.com^ +||images.ops.mailbpost.be^ +||images.oracle.netsuite.com^ +||images.outreach.pewtrusts.org^ +||images.p.smflc.jp^ +||images.pages.brightedge.com^ +||images.partner.fisglobal.com^ +||images.partnersupport.samsung.com^ +||images.performance.volvotrucks.com^ +||images.perspectives.jll.com^ +||images.portal.keppelelectric.com^ +||images.pr.thomsonreuters.com^ +||images.premier.email.shutterstock.com^ +||images.premiumdr.jp^ +||images.pride.kenya-airways.com^ +||images.pro.compagniedesalpes.fr^ +||images.programme.mavieclaire.com^ +||images.promo.mopar.eu^ +||images.protect-us.eset.com^ +||images.publicidad.cajalosandes.cl^ +||images.publishing.wiley.com^ +||images.purl.mercedes-benz.com^ +||images.query.adelaide.edu.au^ +||images.read.aspiresys.com^ +||images.register.deloittece.com^ +||images.register.lighthouse-media.com^ +||images.reldirect.lenovo.com^ +||images.respond.macktrucks.com^ +||images.respond.overheaddoor.com^ +||images.respons.aftenposten.no^ +||images.respons.schibsted.no^ +||images.response.aberdeenstandard.com^ +||images.response.amaliearena.com^ +||images.response.arcb.com^ +||images.response.architizer.com^ +||images.response.athenahealth.com^ +||images.response.bmw.co.nz^ +||images.response.bremer.com^ +||images.response.buydomains.com^ +||images.response.canesmail.com^ +||images.response.capex.com.ph^ +||images.response.cbre.com.au^ +||images.response.cisco.com^ +||images.response.demandbase.com^ +||images.response.denovo-us.com^ +||images.response.firmenich.com^ +||images.response.gcommerce.co.il^ +||images.response.handt.co.uk^ +||images.response.incontact.com^ +||images.response.lexmark.com^ +||images.response.mini.com.au^ +||images.response.motivatedigital.com^ +||images.response.nbnco.com.au^ +||images.response.orhp.com^ +||images.response.osv.com^ +||images.response.ricoh-europe.com^ +||images.response.softchoice.com^ +||images.response.vodafone.co.nz^ +||images.response.wexinc.com^ +||images.retail.ausbil.com.au^ +||images.rjf.raymondjames.com^ +||images.rsvp.capitalgrouppcs.com^ +||images.rx.reedexpo.ae^ +||images.sbs.americanexpress.com^ +||images.seemore.zebra.com^ +||images.service.boonedam.co.uk^ +||images.service.freo.nl^ +||images.service.ubmsinoexpo.com^ +||images.sfgmembers.com^ +||images.share.iheartmedia.com^ +||images.siteconnect.quintiles.com^ +||images.smartpay.changehealthcare.com^ +||images.smbdirect.lenovo.com^ +||images.solutions.createyournextcustomer.com^ +||images.solutions.dexmedia.com^ +||images.solutions.halliburton.com^ +||images.solutions.kellyservices.com^ +||images.srs.sfgmembers.com^ +||images.ssbusiness.samsung.com^ +||images.stanleyhealthcare.sbdinc.com^ +||images.studentlending.ca^ +||images.tableau.com^ +||images.tableausoftware.com^ +||images.tr-mail.bsh-group.com^ +||images.ubmamgevents.com^ +||images.uhealthsystem.miami.edu^ +||images.ultipro.ultimatesoftware.com^ +||images.uni.une.edu.au^ +||images.universidad.javeriana.edu.co^ +||images.update.lennar.com^ +||images.updates.hbo.com^ +||images.updates.hbonow.com^ +||images.v.cyberintel.verint.com^ +||images.verizonconnect.com^ +||images.voyage.apl.com^ +||images.warranty.2-10.com^ +||images.web.pirelli.com^ +||images.web.roberthalf.com^ +||images.workforce.equifax.com^ +||images2.verizonconnect.com^ +||images3.verizonconnect.com^ +||imagine.ricoh.nl^ +||imap1.carte-gr.total.fr^ +||imap2.carte-gr.total.fr^ +||imeetcentral.pgi.com^ +||img.aonunited.com^ +||img.e.sigsauer.com^ +||img.exb.emaildwtc.com^ +||img.go.coface.com^ +||img.hrm.groups.be^ +||img.learn.abreon.com^ +||img.link.cabinetry.com^ +||img.n.nasdaq.com^ +||img.newsletter.mazda.co.jp^ +||img.response.digicert.com^ +||img.website-security.symantec.com^ +||imgict.dwtcmarketing.com^ +||imginfo.insource.co.jp^ +||imgmail.mediasetpremium.it^ +||immunocap.thermofisher.com^ +||impact.carmeuse.com^ +||impact.go.economist.com^ +||in-business.vodafone.com^ +||in-go.experian.com^ +||in-mktg.vodafone.com^ +||indoeasia.edm.globalsources.com^ +||info.aacargo.com^ +||info.aag.com^ +||info.abbotsfordcentre.ca^ +||info.academynet.com^ +||info.adp.com^ +||info.aldcarmarket.com^ +||info.americanadvisorsgroup.com^ +||info.americas.mizuhogroup.com^ +||info.amperecomputing.com^ +||info.arclogics.com^ +||info.arp.com^ +||info.asce.org^ +||info.assets.reuters.com^ +||info.attcenter.com^ +||info.authorize.net^ +||info.avalara.com^ +||info.avigilon.com^ +||info.avtecinc.com^ +||info.banrural.com.gt^ +||info.bbvaautorenting.es^ +||info.bendigokangan.edu.au^ +||info.bendigotafe.edu.au^ +||info.bookkeepingconnect.pwc.com^ +||info.boozallen.com^ +||info.bouygues-es.com^ +||info.box.net^ +||info.cargoexpreso.com^ +||info.cellmedicine.com^ +||info.cengage.com^ +||info.checkin.pwc.com^ +||info.christus.mx^ +||info.clarivate.com^ +||info.clarivate.jp^ +||info.clevelandbrowns.com^ +||info.climatepledgearena.com^ +||info.commercial.keurig.com^ +||info.compasslearning.com^ +||info.compucom.com^ +||info.cybersource.com^ +||info.dailyfx.com^ +||info.darnelgroup.com^ +||info.deutscher-ausbildungsleiterkongress.de^ +||info.dfinsolutions.com^ +||info.dowjones.com^ +||info.e.royalmail.com^ +||info.edb.gov.sg^ +||info.eedinc.com^ +||info.elliemae.com^ +||info.engage.3m.com^ +||info.entega.de^ +||info.extrahop.com^ +||info.fdbhealth.com^ +||info.fieldandmain.com^ +||info.floridagators.com^ +||info.fortrea.com^ +||info.frbcommunications.org^ +||info.frbservices.org^ +||info.fscsecurities.com^ +||info.fxcm-chinese.com^ +||info.global-demand02.nec.com^ +||info.go.lorainccc.edu^ +||info.gtc.net.gt^ +||info.harte-hanks.com^ +||info.hila-leumit.co.il^ +||info.hmisrael.co.il^ +||info.igloosoftware.com^ +||info.insideview.com^ +||info.interface.com^ +||info.iowaeventscenter.com^ +||info.johnsoncontrols.com^ +||info.kace.com^ +||info.kalevavakuutus.fi^ +||info.kangan.edu.au^ +||info.kistler.com^ +||info.kita-aktuell.de^ +||info.kubotausa.com^ +||info.laley.es^ +||info.lamy-liaisons.fr^ +||info.landcentral.com^ +||info.lansa.com^ +||info.legal-solutions.thomsonreuters.co.uk^ +||info.lexisnexis.co.in^ +||info.lexisnexis.com.hk^ +||info.lexisnexis.com.my^ +||info.lexisnexis.com.sg^ +||info.liacourascenter.com^ +||info.lloydslistintelligence.com^ +||info.mackayshields.com^ +||info.mandatum.fi^ +||info.mandatumlife.fi^ +||info.marketingcube.com.au^ +||info.markmonitor.com^ +||info.mdsol.com^ +||info.metronet.com^ +||info.metronetbusiness.com^ +||info.metronetinc.com^ +||info.mkt.global.dnp.co.jp^ +||info.multiburo.com^ +||info.natera.com^ +||info.neg.co.jp^ +||info.netgear.be^ +||info.netgear.co.uk^ +||info.netgear.de^ +||info.nhlseattle.com^ +||info.o2business.de^ +||info.ohlogistics.com^ +||info.pbs.org^ +||info.pella.com^ +||info.philadelphiaunion.com^ +||info.phinmaproperties.com^ +||info.proedge.pwc.com^ +||info.protiviti.co.kr^ +||info.questoraclecommunity.org^ +||info.quova.com^ +||info.refinitiv.com^ +||info.restek.com^ +||info.reutersagency.com^ +||info.revvity.com^ +||info.rewe-group.at^ +||info.riskproducts.pwc.com^ +||info.sagepointfinancial.com^ +||info.sanantoniofc.com^ +||info.saverglass.com^ +||info.scene7.com^ +||info.scorecardrewards.com^ +||info.sec.rakuten.com.hk^ +||info.sg2.com^ +||info.shavve.co.il^ +||info.spurs.com^ +||info.sunsentinelmediagroup.com^ +||info.thecolonialcenter.com^ +||info.thermo.com^ +||info.thermofisher.com^ +||info.thermoscientific.com^ +||info.thunderhead.com^ +||info.transcontinental-printing.com^ +||info.treetopproducts.com^ +||info.ubmamevents.com^ +||info.uconnhuskies.com^ +||info.unis.edu.gt^ +||info.vaadsheli.co.il^ +||info.venyu.com^ +||info.verint.com^ +||info.versicherungspraxis24.de^ +||info.verwaltungspraxis24.de^ +||info.viant.com^ +||info.volvotrucks.us^ +||info.wkf.fr^ +||info.wolterskluwer.de^ +||info.wolterskluwer.nl^ +||info.woodburyfinancial.com^ +||info.workforce.pwc.com^ +||info.workforceorchestrator.pwc.com^ +||info1.thermofisher.com^ +||info1.thermoscientific.com^ +||info10.4thoughtmarketing.com^ +||info2.thermoscientific.com^ +||info3.thermofisher.com^ +||infopromerica.promerica.fi.cr^ +||inform.janssenpro.eu^ +||information.clubcorp.com^ +||information.cma-cgm.com^ +||information.frbcommunications.org^ +||information.lgcns.com^ +||information.skillsoft.com^ +||ingredients.firmenich.com^ +||innovation.m5.net^ +||innovations.luxaflex.com.au^ +||inqueritos-qa.cp.pt^ +||inqueritos.cp.pt^ +||ins.leavitt.com^ +||ins.wolterskluwerfs.com^ +||insight.aon.com^ +||insight.autovistagroup.com^ +||insight.business.hsbc.com^ +||insight.eurofinsexpertservices.fi^ +||insight.gbm.hsbc.com^ +||insight.leads360.com^ +||insight.optum.com^ +||insight.velocify.com^ +||insights.53.com^ +||insights.aiu.edu.au^ +||insights.aiu.sg^ +||insights.atradiuscollections.com^ +||insights.att.com^ +||insights.golubcapital.com^ +||insights.harvardbusiness.org^ +||insights.labcorp.com^ +||insights.networks.global.fujitsu.com^ +||insights.nexansdatacenter.com^ +||insights.prophet.com^ +||insightseries.redbull.racing^ +||inspire.changehealthcare.com^ +||inspire.ubmfashion.com^ +||insurance.alliant.com^ +||insurance.leads360.com^ +||insurance.velocify.com^ +||intel-trk.informa.com^ +||intel-trk.lloydslistintelligence.com^ +||intelpartneralliance.intel.com^ +||interact.crmtechnologies.com^ +||interest.truvenhealth.com^ +||internal.hcltech.com^ +||internalcomms.dbschenker.com^ +||international.edc.ca^ +||internationalpayments.americanexpress.com^ +||investments.aberdeenstandard.com^ +||investments.virtus.com^ +||investors.firmenich.com^ +||iot-business.vodafone.com^ +||iot.informaengage.com^ +||ipv3.landing.ni.com^ +||iready.curriculumassociates.com^ +||irmsolutions.choicepoint.com^ +||isac.thermofisher.com^ +||isbworld.aon.com^ +||it-business.vodafone.com^ +||it-go.experian.com^ +||itservices.ricoh.ch^ +||itservices.ricoh.co.uk^ +||itservices.ricoh.co.za^ +||itservices.ricoh.de^ +||itservices.ricoh.ie^ +||itservices.ricoh.no^ +||itt.enterprises.proximus.com^ +||iw.pentonmarketingsvcs.com^ +||ixia-elq.keysight.com^ +||ixia-lp.keysight.com^ +||ja-jp.siemensplmevents.com^ +||japan.secureforms.partnermcafee.com^ +||jhr.jacksonhealthcare.com^ +||jlfiber.advancedtech.com^ +||joc.marketing.atafreight.com^ +||jogtestdrive.jeep.com^ +||join.boozallen.com^ +||join.brandlicensing.eu^ +||join.coteriefashionevents.com^ +||join.decorex.com^ +||join.fhlbny.com^ +||join.figlobal.com^ +||join.ifsecglobal.com^ +||join.informa-events.com^ +||join.kbb.co.uk^ +||join.magicfashionevents.com^ +||join.myfashionevents.com^ +||join.pharmapackeurope.com^ +||join.projectfashionevents.com^ +||join.safety-health-expo.co.uk^ +||join.stratfor.com^ +||join.zendesk.com^ +||join02.informamarkets.com^ +||journey.cisco.com^ +||jp-go.experian.com^ +||jponmlkj.carte-gr.total.fr^ +||jubileo-ppb.carte-gr.total.fr^ +||justsayyes.infor.com^ +||kadlec.psjhealth.org^ +||kampanja.bhtelecom.ba^ +||kampanjat.atea.fi^ +||kampanjer.yxvisa.no^ +||kattoremontti.ruukki.com^ +||kl.klasselotteriet.dk^ +||klmcorporate.americanexpress.nl^ +||know.wolterskluwerlr.com^ +||knowledge.fdbhealth.com^ +||knowledge.vaisala.com^ +||kr-go.experian.com^ +||kunde.danskespil.dk^ +||la.idgenterprise.com^ +||lab.prodesp.sp.gov.br^ +||labs.verticurl.com^ +||lacinfo.motorolasolutions.com^ +||lakerspreferences.gleague.nba.com^ +||lakerspreferences.nba.com^ +||lan.landing.ni.com^ +||landing-activemeetings.wolterskluwer.com^ +||landing-annotext.wolterskluwer.com^ +||landing-dictnow.wolterskluwer.com^ +||landing-effacts.wolterskluwer.com^ +||landing-kleos.wolterskluwer.com^ +||landing-legisway.wolterskluwer.com^ +||landing-smartdocument.wolterskluwer.com^ +||landing-teamdocs.wolterskluwer.com^ +||landing-trimahn.wolterskluwer.com^ +||landing-trinotar.wolterskluwer.com^ +||landing-winra.wolterskluwer.com^ +||landing.clubcar.com^ +||landing.computershare.com^ +||landing.e.columbuscrew.com^ +||landing.georgeson.com^ +||landing.kccllc.com^ +||landing.kwm.com^ +||landing.lgensol.com^ +||landing.newyorkjets.com^ +||landing.wolterskluwer.hu^ +||landingpages.csustudycentres.edu.au^ +||landingpages.siemens-healthineers.com^ +||landings.omegacrmconsulting.com^ +||lantern.connect.o2.co.uk^ +||lantern.fortinet.com^ +||lantern7.wealth.mandg.com^ +||lantern8.wealth.mandg.com^ +||lantern9.mandg.com^ +||latam.thomsonreuters.com^ +||law.bppeloqua.com^ +||lead.blackrock.com^ +||leadmanagement.leads360.com^ +||leadmanagement.velocify.com^ +||leads.commercial.keurig.com^ +||learn.aiu.edu.au^ +||learn.amllp.com^ +||learn.amplypower.com^ +||learn.anthology.com^ +||learn.armanino.com^ +||learn.armaninollp.com^ +||learn.certiport.com^ +||learn.creditacceptance.com^ +||learn.fhlbny.com^ +||learn.grassicpas.com^ +||learn.houzz.com^ +||learn.huthwaite.com^ +||learn.insperity.com^ +||learn.jacksonhewitt.com^ +||learn.liensolutions.com^ +||learn.mvpindex.com^ +||learn.ndtco.com^ +||learn.nhaschools.com^ +||learn.oviahealth.com^ +||learn.panasonic.de^ +||learn.ricoh.ca^ +||learn.trapac.com^ +||learn.uwindsor.ca^ +||learn.wolterskluwerlb.com^ +||learn.wolterskluwerlr.com^ +||learn.wow.wowforbusiness.com^ +||learning.hmhco.com^ +||learnmore.protiviti.com^ +||lednews.powerint.com^ +||legalhold.ediscovery.com^ +||lets.go.haymarketmedicalnetwork.com^ +||lets.go.mcknightsnetwork.com^ +||lets.go.mmm-online.com^ +||lets.go.prweekus.com^ +||lfn.lfg.com^ +||library.acspubs.org^ +||library.daptiv.com^ +||lieudetravail.ricoh.fr^ +||lifescience.item24.de^ +||lifestyle.edm.globalsources.com^ +||lifestyle.tradeshow.globalsources.com^ +||like.reply.de^ +||lincoln-financial.lfd.com^ +||lincolnfinancialgroup.lfg.com^ +||lineside.networkrail.co.uk^ +||link.bankofscotland.co.uk^ +||link.global.amd.com^ +||link.halifax.co.uk^ +||link.infineon.com^ +||link.lloydsbank.com^ +||link.mbna.co.uk^ +||links.banking.scottishwidows.co.uk^ +||links.blackhorse.co.uk^ +||links.businessinsurance.bankofscotland.co.uk^ +||links.commercialemails.amcplc.com^ +||links.commercialemails.bankofscotland.co.uk^ +||links.commercialemails.blackhorse.co.uk^ +||links.commercialemails.halifax.co.uk^ +||links.commercialemails.lexautolease.co.uk^ +||links.commercialemails.lloydsbank.com^ +||links.e.response.mayoclinic.org^ +||links.email.bm-solutions.co.uk^ +||links.email.hx-intermediaries.co.uk^ +||links.emails-sharedealing.co.uk^ +||links.emails.birminghammidshires.co.uk^ +||links.global.protiviti.com^ +||links.go.shoretel.com^ +||links.insurance.lloydsbank.com^ +||links.lexautolease.co.uk^ +||links.news.riverview.org^ +||links.npsemails.mbna.co.uk^ +||links.qumu.com^ +||live.alljobs.co.il^ +||live.polycom.com^ +||live.techit.co.il^ +||log.cognex.com^ +||logistics.coyote.com^ +||logistics.dbschenker.com^ +||lp-eq.mitsuichemicals.com^ +||lp.adp.com^ +||lp.americas.business.samsung.com^ +||lp.antalis.com^ +||lp.apac.business.samsung.com^ +||lp.befly.com.br^ +||lp.capella.edu^ +||lp.connect.garnethealth.org^ +||lp.connectedcare.wkhs.com^ +||lp.copeland.com^ +||lp.deloittecomunicacao.com.br^ +||lp.dynabook.com^ +||lp.edpcomunicacao.com.br^ +||lp.email-particuliers.engie.fr^ +||lp.embarcadero.com^ +||lp.europe.business.samsung.com^ +||lp.flytour.com.br^ +||lp.fusioncharts.com^ +||lp.go.toyobo.co.jp^ +||lp.healthinfo.thechristhospital.com^ +||lp.info.aspirus.org^ +||lp.info.jeffersonhealth.org^ +||lp.internalcomms.exclusive-networks.com^ +||lp.jurion.de^ +||lp.leadingauthorities.com^ +||lp.marketing.engie-homeservices.fr^ +||lp.mkt-email.samsungsds.com^ +||lp.nexity.fr^ +||lp.northwestern.nm.org^ +||lp.oralia.fr^ +||lp.pro.engie.fr^ +||lp.response.deloitte.com^ +||lp.sekisuikasei.com^ +||lp.services.tuftsmedicine.org^ +||lp.smartbusiness.samsung.com^ +||lp.solutions.cegos.it^ +||lp.sophos.com^ +||lp.strayer.edu^ +||lp.svenskapostkodlotteriet.se^ +||lp.tfd-corp.co.jp^ +||lp.tix.lehigh.edu^ +||lp3.dentsplysirona.com^ +||lps-info.arval.com^ +||lrbelgium.wolterskluwer.com^ +||lrgermany.wolterskluwer.com^ +||lrhungary.wolterskluwer.com^ +||lritaly.wolterskluwer.com^ +||lrnetherlands.wolterskluwer.com^ +||lrpoland.wolterskluwer.com^ +||lrslovakia.wolterskluwer.com^ +||ltam2.secureforms.mcafee.com^ +||lxlx6p7y.arrow.com^ +||m.bumrungrad1378.com^ +||m.carte-gr.total.fr^ +||m.enerpac.com^ +||m.mywd.com^ +||m.premier.info.shutterstock.com^ +||ma.hitachi-systems.com^ +||ma.hmhco.com^ +||mackaytracking.newyorklifeinvestments.com^ +||mail.carte-gr.total.fr^ +||mail.dolce-gusto.at^ +||mail.dolce-gusto.be^ +||mail.dolce-gusto.bg^ +||mail.dolce-gusto.ca^ +||mail.dolce-gusto.cl^ +||mail.dolce-gusto.co.cr^ +||mail.dolce-gusto.co.il^ +||mail.dolce-gusto.co.kr^ +||mail.dolce-gusto.co.nz^ +||mail.dolce-gusto.co.uk^ +||mail.dolce-gusto.co.za^ +||mail.dolce-gusto.com.ar^ +||mail.dolce-gusto.com.au^ +||mail.dolce-gusto.com.mx^ +||mail.dolce-gusto.com.my^ +||mail.dolce-gusto.com.sg^ +||mail.dolce-gusto.com.tw^ +||mail.dolce-gusto.cz^ +||mail.dolce-gusto.de^ +||mail.dolce-gusto.dk^ +||mail.dolce-gusto.es^ +||mail.dolce-gusto.fi^ +||mail.dolce-gusto.fr^ +||mail.dolce-gusto.gr^ +||mail.dolce-gusto.hk^ +||mail.dolce-gusto.hu^ +||mail.dolce-gusto.ie^ +||mail.dolce-gusto.it^ +||mail.dolce-gusto.nl^ +||mail.dolce-gusto.no^ +||mail.dolce-gusto.pl^ +||mail.dolce-gusto.pt^ +||mail.dolce-gusto.ro^ +||mail.dolce-gusto.ru^ +||mail.dolce-gusto.se^ +||mail.dolce-gusto.sk^ +||mail.dolce-gusto.ua^ +||mail.dolce-gusto.us^ +||mail.information.maileva.com^ +||mail.rethinkretirementincome.co.uk^ +||mail2.carte-gr.total.fr^ +||mailer.carte-gr.total.fr^ +||mailgate.carte-gr.total.fr^ +||mailgw.carte-gr.total.fr^ +||mailin.carte-gr.total.fr^ +||mails.coloplast.com^ +||mailx.carte-gr.total.fr^ +||managedaccounts.nvenergy.com^ +||managedaccounts.pacificpower.net^ +||managedaccounts.rockymountainpower.net^ +||map.rockwellautomation.com^ +||march.landing.ni.com^ +||marketing-ap.mmc.co.jp^ +||marketing-form.fiat.com^ +||marketing-tracking.thomsonreuters.com^ +||marketing.adaptiveplanning.com^ +||marketing.agora.io^ +||marketing.alkhaleej.com.sa^ +||marketing.allenmotorgroup.co.uk^ +||marketing.aviationweek.com^ +||marketing.bajajelectricals.com^ +||marketing.business.vodafone.co.uk^ +||marketing.cigna.com^ +||marketing.clippergifts.at^ +||marketing.clippergifts.co.uk^ +||marketing.clippergifts.nl^ +||marketing.cloud.travelport.com^ +||marketing.colman.ac.il^ +||marketing.contenur.com^ +||marketing.edpcomunicacao.com.br^ +||marketing.enterprisedb.com^ +||marketing.euromaster.de^ +||marketing.global360.com^ +||marketing.golubcapital.com^ +||marketing.handt.co.uk^ +||marketing.hilton.com^ +||marketing.ianywhere.com^ +||marketing.igopost.no^ +||marketing.igopost.se^ +||marketing.income.com.sg^ +||marketing.naf.no^ +||marketing.netafim.cn^ +||marketing.netafim.com.br^ +||marketing.netafim.com.mx^ +||marketing.nova.gr^ +||marketing.omegahms.com^ +||marketing.omeir.com^ +||marketing.overheaddoor.com^ +||marketing.pelotongroup.com^ +||marketing.promotiv.se^ +||marketing.promotivnordics.dk^ +||marketing.psentertainment.com^ +||marketing.royalalaskanmovers.com^ +||marketing.salva.es^ +||marketing.sonac.biz^ +||marketing.spcapitaliq.com^ +||marketing.tandemdiabetes.com^ +||marketing.test.insead.edu^ +||marketing.uwmedicine.org^ +||marketing1.yealink.com^ +||marketingb2b.euromaster-neumaticos.es^ +||marketingforms.jdpa.com^ +||marketingpro.euromaster.fr^ +||marketreports.autovistagroup.com^ +||marketresearch.jacksonhealthcare.com^ +||markkinointi.igopost.fi^ +||martech.wavenet.com.tw^ +||mat.lgdisplay.com^ +||matrk.rockymountainpower.net^ +||mds.ricoh-europe.com^ +||mds.ricoh.ch^ +||mds.ricoh.co.uk^ +||mds.ricoh.co.za^ +||mds.ricoh.de^ +||mds.ricoh.es^ +||mds.ricoh.ie^ +||mds.ricoh.it^ +||mds.ricoh.no^ +||me.coact.org.au^ +||me.sigsauer.com^ +||mec.hilton.com^ +||media.redbull.racing^ +||media.ubmamevents.com^ +||medlemskap.nof.no^ +||meet.intercall.com^ +||meet.westuc.com^ +||meeting.nuance.com^ +||meetings.gaylordhotels.com^ +||memberships.clubcorp.com^ +||memelq.acs.org^ +||mercadeo.promerica.fi.cr^ +||message.sonicwall.com^ +||messages.blackhat.com^ +||metrics-go.experian.com^ +||metrics-now.experian.com^ +||metrics.mhi.com^ +||metricsinfo.edc.ca^ +||metricsinfoqac.edc.ca^ +||mexico.balluff.com^ +||micro.workplaceinvesting.fidelity.com^ +||microlearning.att.com^ +||microsite.pbs.org^ +||microsite.standardandpoors.com^ +||mini-site.larksuite-marketing.com^ +||mirec.ubmmexico.com^ +||mk.convera.com^ +||mkg.colfondos.co^ +||mkt-tracking.cloudmargin.com^ +||mkt.compactaprint.com.br^ +||mkt.consultdss.com^ +||mkt.unipega.com^ +||mktg.feedbacknow.com^ +||mktg.forrester.com^ +||mktg.northstardubai.com^ +||mlc.martela.se^ +||mobile-electronics.edm.globalsources.com^ +||mobile.blackboard.com^ +||mobile.tradeshow.globalsources.com^ +||mobile.vmware.com^ +||moodlerooms.blackboard.com^ +||more.groups.be^ +||more.spglobal.com^ +||mortgage.equifax.com^ +||mortgage.inform.equifax.com^ +||mortgage.leads360.com^ +||mortgage.velocify.com^ +||motm.adp.ca^ +||move.azets.com^ +||move.azets.dk^ +||move.azets.fi^ +||move.azets.no^ +||move.azets.se^ +||mroprospector.aviationweek.com^ +||ms.informaengage.com^ +||ms1.morganstanley.com^ +||msa-emea.secureforms.partnermcafee.com^ +||msa-uki.secureforms.partnermcafee.com^ +||mt-business.vodafone.com^ +||mws.verisk.com^ +||mx.carte-gr.total.fr^ +||mx.information.maileva.com^ +||mx.mywd.com^ +||mx2.carte-gr.total.fr^ +||my-go.experian.com^ +||my.catfinancial.com^ +||my.internationalsos.com^ +||my.iso.com^ +||my.kace.com^ +||my.kpmg.ca^ +||my.macu.com^ +||my.pannar.com^ +||my.totaljobs.com^ +||my.verisk.com^ +||my.xactware.co.uk^ +||my.xactware.com^ +||myevents.thalesgroup.com^ +||myfeed.thalesgroup.com^ +||myfuture.futureelectronics.com^ +||myhealth.ssmhealth.com^ +||myhotelbook.pegs.com^ +||myinfo.borland.com^ +||myinfo.eaton.com^ +||mypa-hk.americanexpress.com^ +||mypa-in-prop.americanexpress.com^ +||mypa-sg-prop.americanexpress.com^ +||myprofile.panasonic.eu^ +||myprofile.technics.eu^ +||mysite.webroot.com^ +||mystery.vfmleonardo.com^ +||mywebpage.ni.com^ +||na-pages.husqvarna.com^ +||namrinfo.motorolasolutions.com^ +||nationalaccounts.adp.com^ +||nbg.seagate.com^ +||nd.nasdaqtech.nasdaq.com^ +||ndi.nuance.com^ +||ned.themarketingscience.com^ +||networkingexchange.att.com^ +||networkprotection.mcafee.com^ +||networks.balluff.com^ +||newperspective.americanexpress.com^ +||news.cannesyachtingfestival.com^ +||news.communications-rmngp.fr^ +||news.crmtechnologies.com^ +||news.dbschenker.com^ +||news.equipbaie.com^ +||news.expoprotection.com^ +||news.fiac.com^ +||news.forddirectdealers.com^ +||news.iftm.fr^ +||news.income.com.sg^ +||news.inttra.com^ +||news.la-z-boy.com^ +||news.mazars.nl^ +||news.promo.fcagroup.com^ +||news.reedexpo.com.cn^ +||news.reedexpo.fr^ +||news.salon-aps.com^ +||news.seatrade-maritime.com^ +||news.sitl.eu^ +||news.supplychain-event.com^ +||news.tcsg.edu^ +||news2.secureforms.mcafee.com^ +||newsflash.elliemae.com^ +||newsletter.dolce-gusto.ch^ +||newsletter.standardandpoors.com^ +||newsletter.teletech.com^ +||newsletters.bancsabadell.com^ +||nidays.austria.ni.com^ +||nidays.suisse.ni.com^ +||nidays.switzerland.ni.com^ +||nl-go.experian.com^ +||nl-nl.coloplastcare.com^ +||nl.aon.com^ +||nonprofit.aon.com^ +||nordics.atradius.com^ +||nordicsbtaenrolment.americanexpress.co.uk^ +||notices.regis.edu^ +||noticias.grandt.com.ar^ +||notificaciones.conduce-seguro.es^ +||notify.eset.com^ +||novedades.telecomfibercorp.com.ar^ +||now.catersource.com^ +||now.cummins.com^ +||now.cumminsfiltration.com^ +||now.fintechfutures.com^ +||now.greenbuildexpo.com^ +||now.informaconnect01.com^ +||now.m5net.com^ +||now.myfashionevents.com^ +||now.wealthmanagement.com^ +||ns.carte-gr.total.fr^ +||ns2.carte-gr.total.fr^ +||nurse.fastaff.com^ +||nurse.trustaff.com^ +||nyhed.danskespil.dk^ +||nz-go.experian.com^ +||nzbusiness.vodafone.co.nz^ +||obrazy.dlabiznesu.pracuj.pl^ +||occidente.ubmmexico.com^ +||oci.dyn.com^ +||ocpi.americanexpress.ca^ +||offer.coface.com^ +||offer.lyreco.com^ +||offer.omniture.com^ +||offer.sj1.omniture.com^ +||offer.sjo.omniture.com^ +||offers.desertschools.org^ +||offers.la-z-boy.com^ +||oiat.dow.com^ +||oj.brothercloud.com^ +||okto1.spsglobal.com^ +||old.globalservices.arrow.com^ +||one-source.tax.thomsonreuters.com^ +||onecloud.avaya.com^ +||online-mt-com-455208869.p06.elqsandbox.com^ +||online.cphi.cn^ +||online.eaglepi.com^ +||online.expolifestyle.com^ +||online.hnoexpo.com^ +||online.hsrexpo.com^ +||online.jtiadvance.co.uk^ +||online.rwdls.com^ +||online.rwdstco.com^ +||online.sharjahart.org^ +||online.spsglobal.com^ +||onlineshop.ricoh.ch^ +||onlineshop.ricoh.de^ +||onlineshop.ricoh.it^ +||onlineshop.ricoh.lu^ +||onlineshop.ricoh.no^ +||onlineshop.ricoh.pl^ +||onmlkjiion.carte-gr.total.fr^ +||ops.sunpowercorp.com^ +||optifiantsion.carte-gr.total.fr^ +||optimize.mcafee.com^ +||optionen.hager.de^ +||optumcoding.optum.com^ +||oracle-netsuite-com-796203850.p04.elqsandbox.com^ +||oracle.marketingcube.com.au^ +||oracletechnology.arrow.com^ +||organizations.stratfor.com^ +||origin.www.images.2.forms.healthcare.philips.com^ +||our.sunshinecoast.qld.gov.au^ +||out.information.maileva.com^ +||outreach.sbf.org.sg^ +||owp-sg-prop.americanexpress.com^ +||owp-tw.americanexpress.com^ +||p01.sc.origins.en25.com^ +||p03.sc.origins.en25.com^ +||p04.sc.origins.en25.com^ +||p06.sc.origins.en25.com^ +||page.care.salinasvalleyhealth.com^ +||page.email.trinity-health.org^ +||page.griffinshockey.com^ +||page.health.tmcaz.com^ +||page.sangfor.com.cn^ +||page.sangfor.com^ +||page.thalesgroup.com^ +||pagename.care.ummhealth.org^ +||pages.arabiancentres.com^ +||pages.att.com^ +||pages.batteryworld.com.au^ +||pages.bayer.com^ +||pages.bioglan.com.au^ +||pages.canon.com.au^ +||pages.cenomicenters.com^ +||pages.concoursefinancial.com^ +||pages.contact.umpquabank.com^ +||pages.dubaifitnesschallenge.com^ +||pages.e.chooseumpquabank.com^ +||pages.erepublic.com^ +||pages.expowest.com^ +||pages.feedback.ignite.gleague.nba.com^ +||pages.feedback.vegasgoldenknights.com^ +||pages.financialintelligence.informa.com^ +||pages.health365.com.au^ +||pages.indigovision.com^ +||pages.info.anaheimducks.com^ +||pages.info.exclusive-networks.com^ +||pages.info.hondacenter.com^ +||pages.informatech1.com^ +||pages.intelligence.informa.com^ +||pages.kwm.com^ +||pages.ledger.com^ +||pages.lloydslist.com^ +||pages.lloydslistintelligence.com^ +||pages.magellangroup.com.au^ +||pages.maritimeintelligence.informa.com^ +||pages.mktg-upfield.com^ +||pages.mongodb.com^ +||pages.naturopathica.com.au^ +||pages.nbjsummit.com^ +||pages.news.realestate.bnpparibas^ +||pages.omdia.informa.com^ +||pages.pentonmktgsvcs.com^ +||pages.pharmaintelligence.informa.com^ +||pages.primalpictures.com^ +||pages.reply.broadwayinhollywood.com^ +||pages.reply.dpacnc.com^ +||pages.response.terex.com^ +||pages.sailgp.com^ +||pages.siemens-energy.com^ +||pages.siemens-info.com^ +||pages.siemens.com^ +||pages.titanmachinery.com^ +||pages.uchicagomedicine.org^ +||pages.usviolifeprofessional.mktg-upfield.com^ +||pages.wardsintelligence.informa.com^ +||paginaseloqua.unisabana.edu.co^ +||partenaireslld.temsys.fr^ +||partnermktg.symantec.com^ +||partners.avaya.com^ +||partners.redbull.racing^ +||partners.singularlogic.eu^ +||partnersuccess.cisco.com^ +||partnersuccessmetrics.cisco.com^ +||partnerwith.us.streetbond.com^ +||payments.americanexpress.co.uk^ +||payroll.smartsalary.com.au^ +||pci.aon.com^ +||pcm.symantec.com^ +||pcs.capgroup.com^ +||pd.bppeloqua.com^ +||pet-recycling.husky.ca^ +||pgs.aviationweek.com^ +||pgs.centreforaviation.com^ +||pgs.corporatetravelcommunity.com^ +||pgs.farmprogress.com^ +||phadia.thermo.com^ +||phadia.thermofisher.com^ +||phcbi-solution.phchd.com^ +||picis.optum.com^ +||pkg.balluff.com^ +||pl-go.experian.com^ +||platformsolutions.shutterstock.com^ +||playbook.convio.com^ +||plbusiness.samsung.com^ +||plongezdanslabdkj.carte-gr.total.fr^ +||plusavecmoins.adp.ca^ +||pm.eu.viatrisconnect.com^ +||pm.eu.viatrisconnect.de^ +||pm.eu.viatrisconnect.it^ +||poczta.carte-gr.total.fr^ +||podbooth.martela.com^ +||podbooth.martela.no^ +||podbooth.martela.se^ +||pop.carte-gr.total.fr^ +||pop.dmglobal.com^ +||pop3.carte-gr.total.fr^ +||porsche.nabooda-auto.com^ +||portal.krollontrack.co.uk^ +||posgrados-unisabana-edu-co-1207474081.p04.elqsandbox.com^ +||posgrados.unisabana.edu.co^ +||post.carte-gr.total.fr^ +||pp.scorecardrewards.com^ +||pr.cision.co.uk^ +||pr.cision.com^ +||pr.cision.fi^ +||pr.prnewswire.co.uk^ +||pr.prnewswire.com^ +||praluent-e.regeneron.com^ +||pre-employmentservices.adp.com^ +||preference.motorolasolutions.com^ +||preference.nuance.com^ +||preferencecenter.fticonsulting.com^ +||preferencecentre.americanexpress.co.uk^ +||preferencecentre.americanexpress.es^ +||preferencecentre.americanexpress.se^ +||preferences.acspubs.org^ +||preferences.bowerswilkins.com^ +||preferences.darglobal.co.uk^ +||preferences.definitivetechnology.com^ +||preferences.deloitte.ca^ +||preferences.denon.com^ +||preferences.dtlphx.net^ +||preferences.heatexperience.com^ +||preferences.la-lakers.com^ +||preferences.lakersgaming.com^ +||preferences.marantz.com^ +||preferences.marketone.com^ +||preferences.oakstreethealth.com^ +||preferences.polkaudio.com^ +||preferences.sb-lakers.com^ +||preferenza.nposistemi.it^ +||pregrados.javeriana.edu.co^ +||premierbuyer.edm.globalsources.com^ +||preview.fi-institutional.com.au^ +||primary.hasegawa.jp^ +||pro.stormwindstudios.com^ +||process.global360.com^ +||processusmetier.ricoh.fr^ +||procurement.cipscomms.org^ +||prod.tracking.refinitiv.com^ +||product.cloud.travelport.com^ +||productionprinting.ricoh.ch^ +||productionprinting.ricoh.co.uk^ +||productionprinting.ricoh.ie^ +||productivity-s.yale.com^ +||products.forddirectdealers.com^ +||products.ricoh-europe.com^ +||products.ricoh.ch^ +||products.ricoh.co.uk^ +||products.ricoh.ie^ +||produkte.ricoh.at^ +||produkte.ricoh.de^ +||produktionsdruck.ricoh.de^ +||profile.marketone.com^ +||profiling.afry.com^ +||profiling.eurofins.fi^ +||profiling.idbbn.com^ +||profiling.martela.com^ +||profiling.normet.com^ +||profiling.outokumpu.com^ +||profiling.plannja.com^ +||profiling.ruukki.com^ +||profit.edc.ca^ +||programmes-skema.skema-bs.fr^ +||programmes-skema.skema.edu^ +||programs.mellanox.com^ +||promo.alfaromeo.it^ +||promo.batesville.com^ +||promo.fiat.com^ +||promos.thermoscientific.com^ +||promotion.lginnotek.com^ +||promotion.lindt.az^ +||promotion.lindt.cr^ +||promotion.lindt.gt^ +||promotion.lindt.pa^ +||promotion.sedo.com^ +||promotions.batesville.com^ +||promotions.centex.com^ +||promotions.eq.delwebb.com^ +||promotions.hot.net.il^ +||promotions.kangan.edu.au^ +||promotions.la-z-boy.com^ +||promotions.thermofisher.com^ +||property.aon.com^ +||pruebascol.arin-innovation.com^ +||pt.balluff.com^ +||publicidad.davivienda.com.pa^ +||pubstr.acs.org^ +||pubstr.acspubs.org^ +||pubstr.chemrxiv.org^ +||purple.mongodb.com^ +||q.nasdaq.com^ +||qago.qiagen.com^ +||qr.dwtc.com^ +||r2r.utas.edu.au^ +||radio.moodybible.org^ +||ratings-events.standardandpoors.com^ +||rc.precisely.com^ +||rc.visionsolutions.com^ +||reach.ironmountain.com^ +||reach.terumo-bct.com^ +||read.lightreading.com^ +||read.telecoms.com^ +||ready.curriculumassociates.com^ +||ready.nerdery.com^ +||realbusiness.americanexpress.com^ +||realeducation.kangan.edu.au^ +||realsolutions.americanexpress.fr^ +||realsolutions.americanexpress.it^ +||realsolutions.americanexpress.se^ +||realtors.eq.delwebb.com^ +||recruit.go.apprenticeshipcommunity.com.au^ +||recruiting.dukekunshan.edu.cn^ +||redwingforbusiness.redwingsafety.com^ +||referafriend.box.com^ +||reg.enterpriseconnect.com^ +||reg.gdconf.com^ +||reg.hdiconference.com^ +||reg.informationweek.com^ +||reg.insecurity.com^ +||reg.iotworldtoday.com^ +||reg.nojitter.com^ +||reg.techweb.com^ +||reg.theaisummit.com^ +||reg.vrdconf.com^ +||reg.workspace-connect.com^ +||reg.xrdconf.com^ +||register-implants.dentsplysirona.com^ +||register.compellent.com^ +||register.denovo-us.com^ +||register.dnv.com^ +||register.harley-davidson.com^ +||register.markit.com^ +||register.purina.com^ +||register.redhat.com^ +||registration.promatis.com^ +||registro.omegacrmconsulting.com^ +||regmdr.pref.ims.dialog-direct.com^ +||relacionamento.edpcomunicacao.com.br^ +||relations.extrahop.com^ +||relay.carte-gr.total.fr^ +||relay.information.maileva.com^ +||relyonit.americanexpress.co.uk^ +||remote.carte-gr.total.fr^ +||rent.mgrc.com^ +||renting.aldautomotive.es^ +||reply.osv.com^ +||request.verisign.com^ +||research.dshb.biology.uiowa.edu^ +||research.gartner.com^ +||research.leads360.com^ +||research.velocify.com^ +||resources-it.opentext.com^ +||resources.att.com^ +||resources.blueprintgenetics.com^ +||resources.hermanmiller.com^ +||resources.icmi.com^ +||resources.inovis.com^ +||resources.l1id.com^ +||resources.mcgladrey.com^ +||resources.opentext.com^ +||resources.opentext.de^ +||resources.opentext.es^ +||resources.opentext.fr^ +||resources.rockwellautomation.com^ +||resources.thermofisher.com^ +||resources.xo.com^ +||resources2.secureforms.mcafee.com^ +||respond.firstdata.com^ +||respons.intern.schibsted.no^ +||response.abrdn.com^ +||response.accuitysolutions.com^ +||response.approva.net^ +||response.australian.physio^ +||response.b2b.bea.com^ +||response.bea.com^ +||response.careerstructure.com^ +||response.caterer.com^ +||response.catererglobal.com^ +||response.coh.org^ +||response.cpp.com^ +||response.cwjobs.co.uk^ +||response.deloittedigital.com^ +||response.desjardins.com^ +||response.economistevents.com^ +||response.eiuperspectives.com^ +||response.emirateswoman.com^ +||response.emoneyadvisor.com^ +||response.ez-dock.com^ +||response.fastaff.com^ +||response.hospital.fastaff.com^ +||response.idt.com^ +||response.informamarketsasia.com^ +||response.ingrammicrocloud.com^ +||response.iqpc.com^ +||response.kadient.com^ +||response.leadingauthorities.com^ +||response.littletikescommercial.com^ +||response.miracle-recreation.com^ +||response.nofault.com^ +||response.nxp.com^ +||response.operative.com^ +||response.optimummedical.co.uk^ +||response.playpower.com^ +||response.playworld.com^ +||response.polycom.com^ +||response.quest.com^ +||response.retailchoice.com^ +||response.reversepartner.genworth.com^ +||response.sagaftra.org^ +||response.sonosite.com^ +||response.stepstone.com^ +||response.tandberg.nl^ +||response.totaljobs.com^ +||response.travelex.co.jp^ +||response.turnkeyvr.com^ +||response.usnursing.com^ +||response.wbresearch.com^ +||response.wild.com^ +||response.xactware.com^ +||response2.buydomains.com^ +||responsed.abrdn.com^ +||responsemp.civica.co.uk^ +||responsemp.civica.com^ +||responses.diverseeducation.com^ +||responses.ingrammicro.com^ +||responses.wild.com^ +||responsesite.dsm-firmenich.com^ +||rethink.adp.com^ +||retirement.aonunited.com^ +||retirement.newyorklifeannuities.com^ +||reuniondepadres.unisabana.edu.co^ +||review.teradata.com^ +||rh.adp.ca^ +||rh.grupoocq.com.br^ +||rh.ocq.com.br^ +||rh.vettaquimica.com.br^ +||rims.aig.com^ +||ro-go.experian.com^ +||rs.adpinfo.com^ +||rsvp.heatexperience.com^ +||ru-go.experian.com^ +||ru-ru.siemensplmevents.com^ +||s.clientes.construrama.com^ +||s.corporate.cemex.com^ +||s.info.cemexgo.com^ +||s.latam.cemex.com^ +||s.sick.com^ +||s1133198723.sc.origins.en25.com^ +||s1325061471.sc.origins.en25.com^ +||s138663192.aon.com^ +||s1782711468.sc.origins.en25.com^ +||s1885709864.sc.origins.en25.com^ +||s2013560044.sc.origins.en25.com^ +||s205119.aon.com^ +||s2448.sc.origins.en25.com^ +||s2564.sc.origins.en25.com^ +||s3.landing.ni.com^ +||s362693299.aon.ca^ +||s362693299.aon.com^ +||s46849916.sc.origins.en25.com^ +||s615419487.sc.origins.en25.com^ +||s861531437.sc.origins.en25.com^ +||safety.west.com^ +||sales.hot.net.il^ +||saleslists.inform.equifax.com^ +||sandbox-connectlp.keysight.com^ +||sandbox-elq.keysight.com^ +||satracking.cubiq.com^ +||satracking.finning.com^ +||save.salary.com.au^ +||save.smartsalary.com.au^ +||savings.adp.ca^ +||say.hello.navan.com^ +||say.hello.tripactions.com^ +||sbx.daimlertruck.com^ +||schwacke.autovistagroup.com^ +||se-go.experian.com^ +||se-se.siemensplmevents.com^ +||seao.business.samsung.com^ +||sec.wolterskluwerfs.com^ +||secure-anzgo.arrow.com^ +||secure-e.healthiq.com^ +||secure-eugo.arrow.com^ +||secure.adp.ca^ +||secure.adpinfo.com^ +||secure.aifs.com^ +||secure.arg.email-prudential.com^ +||secure.arrow.com^ +||secure.constellation.iqvia.com^ +||secure.desjardinsassurancesgenerales.com^ +||secure.desjardinsgeneralinsurance.com^ +||secure.digital.mandg.com^ +||secure.ec4u.com^ +||secure.fortinet.com^ +||secure.gartnerevents.com^ +||secure.gartnerformarketers.com^ +||secure.immixgroup.com^ +||secure.info.awlgrip.com^ +||secure.info.domo.com^ +||secure.info.zetes.com^ +||secure.lapersonnelle.com^ +||secure.laurelsprings.com^ +||secure.mdtinternal.medtronic.com^ +||secure.medtronichealth.medtronic.com^ +||secure.medtronicinteract.com^ +||secure.medtroniclearn.com^ +||secure.mycalcas.com^ +||secure.nikkol.co.jp^ +||secure.omegacrmconsulting.com^ +||secure.orthology.com^ +||secure.sonosite.com^ +||secure.thepersonal.com^ +||secure.valleymed.org^ +||secure.visualsonics.com^ +||secure.vspdirect.com^ +||secure1.desjardinsassurancesgenerales.com^ +||secure1.desjardinsgeneralinsurance.com^ +||secure1.lapersonnelle.com^ +||secure1.thepersonal.com^ +||secure3.centralparknyc.org^ +||securecookies.dustin.dk^ +||securecookies.dustin.fi^ +||securecookies.dustin.nl^ +||securecookies.dustin.no^ +||securecookies.dustin.se^ +||securecookies.dustinhome.dk^ +||securecookies.dustinhome.fi^ +||securecookies.dustinhome.nl^ +||securecookies.dustinhome.no^ +||securecookies.dustinhome.se^ +||securecookiesdustininfo.dustin.com^ +||securecookiesdustininfo.dustin.dk^ +||securecookiesdustininfo.dustin.fi^ +||securecookiesdustininfo.dustin.nl^ +||securecookiesdustininfo.dustin.no^ +||securecookiesdustininfo.dustin.se^ +||securecookiesdustininfo.dustinhome.dk^ +||securecookiesdustininfo.dustinhome.fi^ +||securecookiesdustininfo.dustinhome.nl^ +||securecookiesdustininfo.dustinhome.no^ +||securecookiesdustininfo.dustinhome.se^ +||secured.avon-news.com^ +||secured.online.avon.com^ +||securedigital.pru.mandg.com^ +||securedigital.prudential.co.uk^ +||securedigital.wealth.mandg.com^ +||secureform.adaptris.com^ +||secureform.farmplan.co.uk^ +||secureform.proagrica.com^ +||secureforms.accuity.com^ +||secureforms.bankersalmanac.com^ +||secureforms.cirium.com^ +||secureforms.f4f.com^ +||secureforms.fircosoft.com^ +||secureforms.flightglobal.com^ +||secureforms.icis.com^ +||secureforms.nextens.nl^ +||secureforms.nrs-inc.com^ +||secureforms.sortingcodes.co.uk^ +||secureforms.xperthr.co.uk^ +||secureforms.xperthr.com^ +||secureforms.xperthr.nl^ +||secureinfo.edc.ca^ +||securetracking.eaton.com^ +||securetracking.golfpride.com^ +||securityintelligence.verint.com^ +||seek.intel.com^ +||seek.uwa.edu.au^ +||sendmoney.americanexpress.co.uk^ +||seniorlifestyles.amica.ca^ +||sentiment.icis.com^ +||service.athlon.com^ +||service.bechtle.com^ +||services.bdc.ca^ +||services.blackboard.com^ +||services.cairn.info^ +||services.eclerx.com^ +||services.edc.ca^ +||services.princes-trust.org.uk^ +||servicing.business.hsbc.com^ +||sg-go.experian.com^ +||sgsb.aba.com^ +||show.decorex.com^ +||show.kbb.co.uk^ +||signup.vovici.com^ +||simple.avaya.com^ +||simpletopay.americanexpress.co.uk^ +||simpletopay.americanexpress.com.au^ +||simpletopay.americanexpress.com^ +||sinfo.awrostamani.com^ +||site.att.com^ +||site.comunicaciones.iesa.es^ +||site.connect.mydrreddys.com^ +||site.firstnet.com^ +||site.infosysbpm.com^ +||site.tdk.com^ +||sites.campaignmgr.cisco.com^ +||sites.groo.co.il^ +||sites.siemens.com^ +||smallbusiness.adpinfo.com^ +||smart.boxtone.com^ +||smartcam.adt-worldwide.com^ +||smb-cashback.alcatel-lucent.com.au^ +||smb.info.shutterstock.com^ +||sme.proximus.be^ +||smkt.edm.globalsources.com^ +||sms.cf.labanquepostale.fr^ +||smtp.information.maileva.com^ +||smtp2.carte-gr.total.fr^ +||smtpauth.carte-gr.total.fr^ +||smtpauth.information.maileva.com^ +||smtpmail.carte-gr.total.fr^ +||smtpmail.information.maileva.com^ +||smtps.carte-gr.total.fr^ +||smtps.go.fr.scc.com^ +||sns2.secureforms.mcafee.com^ +||social.forddirectdealers.com^ +||social.insidelpl.com^ +||solar.sunpower.com^ +||solar.sunpowercorp.com^ +||solicitud.pacifico.com.pe^ +||solucionesreales.americanexpress.es^ +||solution.agc-chemicals.com^ +||solution.resonac.com^ +||solutions.aampglobal.com^ +||solutions.adp.ca^ +||solutions.adp.com^ +||solutions.arcb.com^ +||solutions.dbschenker.com^ +||solutions.desertfinancial.com^ +||solutions.equifax.co.uk^ +||solutions.lseg.com^ +||solutions.nuance.com^ +||solutions.oppd.com^ +||solutions.peco-energy.com^ +||solutions.redwingshoes.com^ +||solutions.refinitiv.cn^ +||solutions.refinitiv.com^ +||solutions.risk.lexisnexis.co.uk^ +||solutions.risk.lexisnexis.com^ +||solutions.saashr.com^ +||solutions.sabic.com^ +||solutions.sitech-wc.ca^ +||solutions.staubli.com^ +||solutions.stratus.com^ +||solutions.titanmachinery.com^ +||solutions.unysonlogistics.com^ +||solutions.vasque.com^ +||solutions.visaacceptance.com^ +||solutions.westrock.com^ +||solutions2.risk.lexisnexis.com^ +||solve.cranepi.com^ +||sources.nxp.com^ +||spaces.martela.com^ +||spaces.martela.fi^ +||spaces.martela.no^ +||spaces.martela.pl^ +||spaces.martela.se^ +||spain.thomsonreuters.com^ +||spam.carte-gr.total.fr^ +||specialevent.informaengage.com^ +||springboard.aon.com^ +||srqponmd.carte-gr.total.fr^ +||ssmile.dentsplysirona.com^ +||st.azcardinals.com^ +||start.adelaide.edu.au^ +||stat.ado.hu^ +||stat.altalex.com^ +||stat.bdc.ca^ +||stat.ciss.es^ +||stat.cuadernosdepedagogia.com^ +||stat.dauc.cz^ +||stat.dbschenker.com^ +||stat.guiasjuridicas.es^ +||stat.jogaszvilag.hu^ +||stat.juridicas.com^ +||stat.jusnetkarnovgroup.pt^ +||stat.kkpp.cz^ +||stat.kleos.cz^ +||stat.laley.es^ +||stat.laleynext.es^ +||stat.lamy-formation.fr^ +||stat.lamyetudiant.fr^ +||stat.lamyline.fr^ +||stat.legalintelligence.com^ +||stat.lex.pl^ +||stat.lexhub.tech^ +||stat.liaisons-sociales.fr^ +||stat.mersz.hu^ +||stat.praceamzda.cz^ +||stat.praetor-systems.cz^ +||stat.prawo.pl^ +||stat.profinfo.pl^ +||stat.rizeniskoly.cz^ +||stat.smarteca.cz^ +||stat.smarteca.es^ +||stat.starterre-campingcar.fr^ +||stat.starterre.fr^ +||stat.suresmile.dentsplysirona.com^ +||stat.taxlive.nl^ +||stat.ucetni-roku.cz^ +||stat.wk-formation.fr^ +||stat.wkf.fr^ +||stat.wolterskluwer.com^ +||stat.wolterskluwer.es^ +||stat.wolterskluwer.pl^ +||stat.wolterskluwer.pt^ +||stats.bdc.ca^ +||stats.hager.com^ +||stats.saverglass.com^ +||stats.sgs.com^ +||stay.lottehotel.com^ +||sth.mykingsevents.com^ +||stjoe.psjhealth.org^ +||storagetechnology.arrow.com^ +||strikenurse.usnursing.com^ +||study.jcu.edu.au^ +||study.vu.edu.au^ +||submit.info.shutterstock.com^ +||submit.vaisala.com^ +||subscribe.adpinfo.com^ +||subscribe.dnv.com^ +||subscribe.verintsystemsinc.com^ +||subscribe.vistage.com^ +||subscription.coface.com^ +||subscriptionmanagement.53.com^ +||subscriptions.bazaarvoice.com^ +||subscriptions.opentext.com^ +||subscriptions.reedpop.com^ +||subscriptionsbnk.wolterskluwerfs.com^ +||success.coface.com^ +||success.definitive-results.com^ +||summit.edm.globalsources.com^ +||support.panasonic.eu^ +||support.ricoh.de^ +||support.ricoh.fr^ +||survey-staging.mazda.com.au^ +||survey.communication.qualfon.com^ +||survey.mazda.com.au^ +||survey.xo.com^ +||surveys.executiveboard.com^ +||sustainability.ricoh.ch^ +||sustainability.ricoh.co.za^ +||sustainable.optum.com^ +||suunta.visma.fi^ +||sw.broadcom.com^ +||sweeps.la-z-boy.com^ +||symantec.ecs.arrow.com^ +||sys.hager.com^ +||t.12thman.com^ +||t.afry.com^ +||t.alumni.duke.edu^ +||t.antalis-verpackungen.at^ +||t.antalis.at^ +||t.antalis.be^ +||t.antalis.bg^ +||t.antalis.ch^ +||t.antalis.cl^ +||t.antalis.co.uk^ +||t.antalis.com.br^ +||t.antalis.com.tr^ +||t.antalis.cz^ +||t.antalis.de^ +||t.antalis.dk^ +||t.antalis.ee^ +||t.antalis.es^ +||t.antalis.fi^ +||t.antalis.fr^ +||t.antalis.hu^ +||t.antalis.ie^ +||t.antalis.lt^ +||t.antalis.lv^ +||t.antalis.nl^ +||t.antalis.no^ +||t.antalis.pl^ +||t.antalis.pt^ +||t.antalis.ro^ +||t.antalis.se^ +||t.antalis.sk^ +||t.antalisabitek.com^ +||t.antalisbolivia.com^ +||t.antalisperu.com^ +||t.appstatesports.com^ +||t.arizonawildcats.com^ +||t.arkansasrazorbacks.com^ +||t.arts.uci.edu^ +||t.auburntigers.com^ +||t.augustaentertainmentcomplex.com^ +||t.azets.com^ +||t.azets.dk^ +||t.azets.fi^ +||t.azets.no^ +||t.azets.se^ +||t.baylorbears.com^ +||t.bceagles.com^ +||t.bluehens.com^ +||t.bucky.uwbadgers.com^ +||t.budweisergardens.com^ +||t.bushnell.org^ +||t.byutickets.com^ +||t.calbears.com^ +||t.centreinthesquare.com^ +||t.charlotte49ers.com^ +||t.chartwayarena.com^ +||t.cincinnatiarts.org^ +||t.classiccenter.com^ +||t.cofcsports.com^ +||t.collinscenterforthearts.com^ +||t.cozone.com^ +||t.csurams.com^ +||t.cubuffs.com^ +||t.dawsoncreekeventscentre.com^ +||t.deloittece.com^ +||t.depaulbluedemons.com^ +||t.e.x.com^ +||t.ecupirates.com^ +||t.emueagles.com^ +||t.fabulousfox.com^ +||t.fairparkdallas.com^ +||t.fermion.fi^ +||t.festo.com^ +||t.fgcuathletics.com^ +||t.fightingillini.com^ +||t.fightingirish.com^ +||t.fordidahocenter.com^ +||t.foxtheatre.org^ +||t.friars.com^ +||t.georgiadogs.com^ +||t.goairforcefalcons.com^ +||t.goarmywestpoint.com^ +||t.gobearcats.com^ +||t.gobison.com^ +||t.goblackbears.com^ +||t.gobulldogs.com^ +||t.goccusports.com^ +||t.godeacs.com^ +||t.goduke.com^ +||t.gofrogs.com^ +||t.gogriz.com^ +||t.goguecenter.auburn.edu^ +||t.goheels.com^ +||t.gohuskies.com^ +||t.gojacks.com^ +||t.golobos.com^ +||t.gomocs.com^ +||t.gopack.com^ +||t.gophersports.com^ +||t.gopoly.com^ +||t.gopsusports.com^ +||t.goredbirds.com^ +||t.gorhody.com^ +||t.gostanford.com^ +||t.gotigersgo.com^ +||t.govandals.com^ +||t.gowyo.com^ +||t.goxavier.com^ +||t.gozips.com^ +||t.griztix.umt.edu^ +||t.gseagles.com^ +||t.hailstate.com^ +||t.hamptonpirates.com^ +||t.hawaiiathletics.com^ +||t.hawkeyesports.com^ +||t.herdzone.com^ +||t.hokiesports.com^ +||t.hornetsports.com^ +||t.huskers.com^ +||t.iowaeventscenter.com^ +||t.itsehoitoapteekki.fi^ +||t.iuhoosiers.com^ +||t.jmusports.com^ +||t.krannertcenter.com^ +||t.kstatesports.com^ +||t.ksuowls.com^ +||t.liberty.edu^ +||t.libertyfirstcreditunionarena.com^ +||t.libertyflames.com^ +||t.longbeachstate.com^ +||t.lsusports.net^ +||t.massmutualcenter.com^ +||t.meangreensports.com^ +||t.mgoblue.com^ +||t.miamihurricanes.com^ +||t.miamiredhawks.com^ +||t.mktg.genesys.com^ +||t.mmaeast.com^ +||t.montecarlosbm.com^ +||t.msubobcats.com^ +||t.msuspartans.com^ +||t.mynexity.fr^ +||t.navysports.com^ +||t.nevadawolfpack.com^ +||t.nexity-studea.com^ +||t.nexity.fr^ +||t.nhra.com^ +||t.niuhuskies.com^ +||t.nuhuskies.com^ +||t.nusports.com^ +||t.ohiobobcats.com^ +||t.okcciviccenter.com^ +||t.okstate.com^ +||t.olemisssports.com^ +||t.oralia.fr^ +||t.orion.fi^ +||t.osubeavers.com^ +||t.owlsports.com^ +||t.paciolan.com^ +||t.pbr.com^ +||t.pennathletics.com^ +||t.pittsburghpanthers.com^ +||t.playhousesquare.org^ +||t.poconoraceway.com^ +||t.portland5.com^ +||t.poyry.com^ +||t.pplcenter.com^ +||t.purduesports.com^ +||t.ragincajuns.com^ +||t.ramblinwreck.com^ +||t.restek.com^ +||t.richmondspiders.com^ +||t.rolltide.com^ +||t.scarletknights.com^ +||t.selectyourtickets.com^ +||t.seminoles.com^ +||t.sfajacks.com^ +||t.sjsuspartans.com^ +||t.sjuhawks.com^ +||t.soec.ca^ +||t.soonersports.com^ +||t.southernmiss.com^ +||t.texasperformingarts.org^ +||t.texassports.com^ +||t.texastech.com^ +||t.thalesgroup.com^ +||t.thefishercenter.com^ +||t.ticketatlantic.com^ +||t.ticketleader.ca^ +||t.ticketstaronline.com^ +||t.treventscomplex.com^ +||t.tribeathletics.com^ +||t.tulanegreenwave.com^ +||t.tulsahurricane.com^ +||t.tysoncenter.com^ +||t.uabsports.com^ +||t.ucdavisaggies.com^ +||t.ucirvinesports.com^ +||t.uclabruins.com^ +||t.uconnhuskies.com^ +||t.ucsdtritons.com^ +||t.uhcougars.com^ +||t.umassathletics.com^ +||t.umterps.com^ +||t.uncwsports.com^ +||t.und.com^ +||t.unlvrebels.com^ +||t.usajaguars.com^ +||t.usctrojans.com^ +||t.utahstateaggies.com^ +||t.utrockets.com^ +||t.villanova.com^ +||t.virginiasports.com^ +||t.vucommodores.com^ +||t.whartoncenter.com^ +||t.wsucougars.com^ +||t.wvusports.com^ +||t.xlcenter.com^ +||t.xtreamarena.com^ +||talent.aonunited.com^ +||talenteq.intuit.com^ +||target.connect.nicklauschildrens.org^ +||target.connect.nicklaushealth.org^ +||target.health.childrenswi.org^ +||tdbrochure.advancedtech.com^ +||teammate.arclogics.com^ +||tech.finalto.com^ +||tech.sangfor.com^ +||tech.softchoice.com^ +||techgifts.tradeshow.globalsources.com^ +||technology.informaengage.com^ +||technology1.informaengage.com^ +||technologyservices.equifax.com^ +||technologyservices.inform.equifax.com^ +||techprovider.intel.com^ +||techsupport.balluff.com^ +||teefiksummin.visma.fi^ +||teho.visma.fi^ +||temails.productnotice.thomsonreuters.com^ +||temsys.temsys.fr^ +||tesla-fortytwo.landing.ni.com^ +||test.go.provident.bank^ +||test.gogoinflight.com^ +||test.marketing.championhomes.com^ +||test.marketingcube.com.au^ +||test.paradyz.com^ +||test.siriusdecisions.com^ +||test.thomsonreuters.com^ +||testforms.fidelity.ca^ +||th-go.experian.com^ +||thrive.metagenics.com^ +||ticketoffice.liberty.edu^ +||tickets.gs-warriors.com^ +||tkelq.genesys.com^ +||tlm.adp.ca^ +||tm-marketing.wolterskluwer.com^ +||tmt.intelligence.informa.com^ +||todayintheword.moodybible.org^ +||tools.ricoh.co.uk^ +||tools.ricoh.de^ +||townhouses.woodlea.com.au^ +||tp.lexisnexis.co.nz^ +||tp.lexisnexis.com.au^ +||tr-business.vodafone.com^ +||tr-ms.bosch-home.com^ +||tr-ms.profilo.com^ +||tr-ms.siemens-home.bsh-group.com^ +||tr.informabi.com^ +||trace.insead.edu^ +||track-e.cypress.com^ +||track-e.infineon.com^ +||track-e.infineoncommunity.com^ +||track.abrdn.com^ +||track.abrdnacp.com^ +||track.abrdnaef.com^ +||track.abrdnaod.com^ +||track.abrdnawp.com^ +||track.abrdnfax.com^ +||track.abrdnfco.com^ +||track.abrdnifn.com^ +||track.abrdnjapan.co.uk^ +||track.abrdnnewindia.co.uk^ +||track.abrdnpit.co.uk^ +||track.asia-focus.co.uk^ +||track.asiadragontrust.co.uk^ +||track.auckland.ac.nz^ +||track.biz.lguplus.com^ +||track.cecobuildings.com^ +||track.clubcar.com^ +||track.connectwise.com^ +||track.cornerstonebuildingbrands.com^ +||track.deloitte.com^ +||track.docusign.ca^ +||track.docusign.co.uk^ +||track.docusign.com.au^ +||track.docusign.com.br^ +||track.docusign.com.es^ +||track.docusign.com^ +||track.docusign.de^ +||track.docusign.fr^ +||track.docusign.in^ +||track.docusign.it^ +||track.docusign.jp^ +||track.docusign.mx^ +||track.docusign.nl^ +||track.dunedinincomegrowth.co.uk^ +||track.education.intostudy.com^ +||track.estoneworks.com^ +||track.ferrari.com^ +||track.ferraridealers.com^ +||track.financialfairness.org.uk^ +||track.go.shokubai.co.jp^ +||track.heritagebuildings.com^ +||track.hg.healthgrades.com^ +||track.info.cancertherapyadvisor.com^ +||track.info.clinicaladvisor.com^ +||track.info.clinicalpainadvisor.com^ +||track.info.dermatologyadvisor.com^ +||track.info.empr.com^ +||track.info.endocrinologyadvisor.com^ +||track.info.gastroenterologyadvisor.com^ +||track.info.haymarketmedicalnetwork.com^ +||track.info.hematologyadvisor.com^ +||track.info.infectiousdiseaseadvisor.com^ +||track.info.mcknights.com^ +||track.info.mcknightshomecare.com^ +||track.info.mcknightsseniorliving.com^ +||track.info.medicalbag.com^ +||track.info.mmm-online.com^ +||track.info.neurologyadvisor.com^ +||track.info.oncologynurseadvisor.com^ +||track.info.ophthalmologyadvisor.com^ +||track.info.optometryadvisor.com^ +||track.info.prweekus.com^ +||track.info.psychiatryadvisor.com^ +||track.info.pulmonologyadvisor.com^ +||track.info.rarediseaseadvisor.com^ +||track.info.renalandurologynews.com^ +||track.info.rheumatologyadvisor.com^ +||track.info.thecardiologyadvisor.com^ +||track.inspirage.com^ +||track.into-giving.com^ +||track.intoglobal.com^ +||track.intostudy.com^ +||track.invtrusts.co.uk^ +||track.lesmills.com^ +||track.marketingcube.com.au^ +||track.murray-income.co.uk^ +||track.murray-intl.co.uk^ +||track.newdawn-trust.co.uk^ +||track.northamericanincome.co.uk^ +||track.plygem.com^ +||track.postkodlotteriet.se^ +||track.quad.com^ +||track.simonton.com^ +||track.solutions.ostechnology.co.jp^ +||track.solventum.com^ +||track.workfusion.com^ +||tracker.decomworld.com^ +||tracker.eft.com^ +||tracker.ethicalcorp.com^ +||tracker.eyeforpharma.com^ +||tracker.incite-group.com^ +||tracker.insurancenexus.com^ +||tracker.providence.org^ +||tracker.psjhealth.org^ +||tracker.swedish.org^ +||tracking-explore-uat.agilent.com^ +||tracking-explore.agilent.com^ +||tracking-sandbox.vodafone.co.uk^ +||tracking-uat.veritas.com^ +||tracking.aapa.org^ +||tracking.abraservice.com^ +||tracking.abrdn.com^ +||tracking.academicyear.org^ +||tracking.accent-technologies.com^ +||tracking.acceptance.industrial.omron.eu^ +||tracking.adp-iat.adp.ca^ +||tracking.adp-iat.adp.com^ +||tracking.adp.ca^ +||tracking.adp.com^ +||tracking.adpinfo.com^ +||tracking.adpri.org^ +||tracking.agora.io^ +||tracking.aifsabroad.com^ +||tracking.air-worldwide.com^ +||tracking.almax.com^ +||tracking.almirallmed.es^ +||tracking.alphacard.com^ +||tracking.amadeus.com^ +||tracking.americas.business.samsung.com^ +||tracking.analysis.hibu.com^ +||tracking.apac.business.samsung.com^ +||tracking.arabiancentres.com^ +||tracking.arbor.edu^ +||tracking.arcadis.com^ +||tracking.atea.dk^ +||tracking.atea.fi^ +||tracking.athlon.com^ +||tracking.att.com^ +||tracking.attexperts.com^ +||tracking.attsavings.com^ +||tracking.aupairinamerica.co.uk^ +||tracking.aupairinamerica.co.za^ +||tracking.aupairinamerica.com^ +||tracking.aupairinamerica.fr^ +||tracking.automotivemastermind.com^ +||tracking.averydennison.com^ +||tracking.bankofalbuquerque.com^ +||tracking.bankofoklahoma.com^ +||tracking.bankoftexas.com^ +||tracking.barcodediscount.com^ +||tracking.barcodegiant.com^ +||tracking.barcodesinc.com^ +||tracking.bbgevent.app^ +||tracking.bettingexpert.com^ +||tracking.biz.alabamapower.com^ +||tracking.blackboard.com^ +||tracking.blog.hibu.com^ +||tracking.bnpparibas.fr^ +||tracking.bokf.com^ +||tracking.bokfinancial.com^ +||tracking.bonava.de^ +||tracking.bonava.ee^ +||tracking.bonava.fi^ +||tracking.bonava.lt^ +||tracking.bonava.lv^ +||tracking.bonava.no^ +||tracking.bonava.ru^ +||tracking.bonava.se^ +||tracking.brady.co.uk^ +||tracking.brady.com.tr^ +||tracking.brady.es^ +||tracking.brady.eu^ +||tracking.brady.fr^ +||tracking.brady.pl^ +||tracking.bradycorp.it^ +||tracking.bradyid.com^ +||tracking.brevant.ca^ +||tracking.brgeneral.org^ +||tracking.build.com^ +||tracking.burriswindows.com^ +||tracking.business.comcast.com^ +||tracking.businessdirect.bt.com^ +||tracking.bv.com^ +||tracking.cairn.info^ +||tracking.campaigns.drax.com^ +||tracking.capitalbank.jo^ +||tracking.capterra.com^ +||tracking.care.essentiahealth.org^ +||tracking.care.muschealth.org^ +||tracking.care.salinasvalleyhealth.com^ +||tracking.cello-square.com^ +||tracking.cengage.com^ +||tracking.cenomicenters.com^ +||tracking.changehealthcare.com^ +||tracking.chem-agilent.com^ +||tracking.civica.co.uk^ +||tracking.clarivate.com^ +||tracking.coact.org.au^ +||tracking.cognyte.com^ +||tracking.coldspringusa.com^ +||tracking.compactappliance.com^ +||tracking.connect.nicklauschildrens.org^ +||tracking.connect.nicklaushealth.org^ +||tracking.connect.services.global.ntt^ +||tracking.connectedcare.wkhs.com^ +||tracking.construction.com^ +||tracking.contentmarketing.hibu.com^ +||tracking.continuingstudies.wisc.edu^ +||tracking.corporate.flightcentre.com^ +||tracking.corporatetraveler.us^ +||tracking.corporatetraveller.co.nz^ +||tracking.corporatetraveller.co.za^ +||tracking.corporatetraveller.com.au^ +||tracking.corptraveller.com^ +||tracking.corteva.ca^ +||tracking.corteva.us^ +||tracking.cpa.qa.web.visa.com^ +||tracking.cranepi.com^ +||tracking.creditacceptance.com^ +||tracking.culturalinsurance.com^ +||tracking.dataloen.dk^ +||tracking.dev2.pepsicopartners.com^ +||tracking.dfinsolutions.com^ +||tracking.digitalid.co.uk^ +||tracking.direxion.com^ +||tracking.dr-10.com^ +||tracking.dr-8.com^ +||tracking.drreddys.com^ +||tracking.dshb.biology.uiowa.edu^ +||tracking.dunnhumby.com^ +||tracking.dz.janssenmedicalcloud.me^ +||tracking.edb.gov.sg^ +||tracking.ehrintelligence.com^ +||tracking.eloq.soa.org^ +||tracking.eloqua.homeimprovementleads.com^ +||tracking.eloqua.modernize.com^ +||tracking.email.trinity-health.org^ +||tracking.emoneyadvisor.com^ +||tracking.endnote.com^ +||tracking.enlist.com^ +||tracking.ent.oviahealth.com^ +||tracking.epredia.com^ +||tracking.epsilon.com^ +||tracking.epsilon.postclickmarketing.com^ +||tracking.europe.business.samsung.com^ +||tracking.evanta.com^ +||tracking.events.adp.com^ +||tracking.evergy.com^ +||tracking.exclusive-networks.com^ +||tracking.eyefinity.com^ +||tracking.faucet.com^ +||tracking.faucetdirect.com^ +||tracking.fcmtravel.com^ +||tracking.fdbhealth.co.uk^ +||tracking.fdbhealth.com^ +||tracking.fdm.dk^ +||tracking.flowofwork.adp.com^ +||tracking.flukecal.com^ +||tracking.fr.adp.com^ +||tracking.fticonsulting.com^ +||tracking.ftitechnology.com^ +||tracking.fullsail.edu^ +||tracking.gartner.com^ +||tracking.gelia.com^ +||tracking.getapp.com^ +||tracking.global-demand02.nec.com^ +||tracking.go.atcc.org^ +||tracking.go.epsilon.com^ +||tracking.go.lorainccc.edu^ +||tracking.go.onshape.com^ +||tracking.go.provident.bank^ +||tracking.go.toyobo-mc.jp^ +||tracking.go.toyobo.co.jp^ +||tracking.goal.pl^ +||tracking.graduateschool.edu^ +||tracking.guidehouse.com^ +||tracking.handlesets.com^ +||tracking.hardoxwearparts.com^ +||tracking.hcltech.com^ +||tracking.health.bilh.org^ +||tracking.health.bjc.org^ +||tracking.health.lexmed.com^ +||tracking.health.tmcaz.com^ +||tracking.healthitanalytics.com^ +||tracking.healthitsecurity.com^ +||tracking.healthpayerintelligence.com^ +||tracking.hibu.com^ +||tracking.hiscox.com^ +||tracking.hot.net.il^ +||tracking.houzz.com^ +||tracking.idcardgroup.com^ +||tracking.idsuperstore.com^ +||tracking.idwholesaler.com^ +||tracking.idzone.com^ +||tracking.igloosoftware.com^ +||tracking.inexchange.com^ +||tracking.inexchange.fi^ +||tracking.inexchange.se^ +||tracking.infiniti-dubai.com^ +||tracking.info.ivanti.com^ +||tracking.info.jeffersonhealth.org^ +||tracking.info.methodisthealthsystem.org^ +||tracking.info.rcgt.com^ +||tracking.info.rochesterknighthawks.com^ +||tracking.info.servicenow.com^ +||tracking.info.zetes.com^ +||tracking.innovamarketinsights.com^ +||tracking.insead.edu^ +||tracking.insperity.com^ +||tracking.janssenmed.cz^ +||tracking.janssenmed.ro^ +||tracking.janssenmed.sk^ +||tracking.janssenmedicalcloud.be^ +||tracking.janssenmedicalcloud.ch^ +||tracking.janssenmedicalcloud.com^ +||tracking.janssenmedicalcloud.de^ +||tracking.janssenmedicalcloud.ee^ +||tracking.janssenmedicalcloud.es^ +||tracking.janssenmedicalcloud.eu^ +||tracking.janssenmedicalcloud.fr^ +||tracking.janssenmedicalcloud.gr^ +||tracking.janssenmedicalcloud.hr^ +||tracking.janssenmedicalcloud.ie^ +||tracking.janssenmedicalcloud.it^ +||tracking.janssenmedicalcloud.lt^ +||tracking.janssenmedicalcloud.me^ +||tracking.janssenmedicalcloud.nl^ +||tracking.janssenmedicalcloud.pl^ +||tracking.janssenmedicalcloud.pt^ +||tracking.janssenmedicalcloud.ro^ +||tracking.janssenmedicalcloud.se^ +||tracking.janssenmedicalcloud.sk^ +||tracking.janssenos.com^ +||tracking.kegerator.com^ +||tracking.kenblanchard.com^ +||tracking.kubota.ca^ +||tracking.lailiveevents.com^ +||tracking.laivideo.com^ +||tracking.laurelsprings.com^ +||tracking.leadingauthorities.com^ +||tracking.learn.carlingtech.com^ +||tracking.learn.oakstreethealth.com^ +||tracking.lenovo.com^ +||tracking.lenovopartnernetwork.com^ +||tracking.lfg.com^ +||tracking.lightingdirect.com^ +||tracking.lightingshowplace.com^ +||tracking.lindtusa.com^ +||tracking.link.boone.health^ +||tracking.liwest.at^ +||tracking.lonnogpersonalabc.visma.no^ +||tracking.lseg.com^ +||tracking.luminishealth.org^ +||tracking.ma.janssenmedicalcloud.me^ +||tracking.mail.ti.com.cn^ +||tracking.mail.ti.com^ +||tracking.mail.tij.co.jp^ +||tracking.mandg.co.uk^ +||tracking.marketing.frequentis.com^ +||tracking.marketone.com^ +||tracking.martela.com^ +||tracking.mathworks.com^ +||tracking.matsinc.com^ +||tracking.mattersurfaces.com^ +||tracking.max-stg.co.il^ +||tracking.max.co.il^ +||tracking.medicalcloud.janssen.com.tr^ +||tracking.mediwel.net^ +||tracking.mhealthintelligence.com^ +||tracking.mindshiftonline.com^ +||tracking.mizuhogroup.com^ +||tracking.mjbizconference.com^ +||tracking.mjbizdaily.com^ +||tracking.mkt-email.samsungsds.com^ +||tracking.mobiliteverte.engie.fr^ +||tracking.modelgroup.com^ +||tracking.monespaceprime.engie.fr^ +||tracking.motorolasolutions.com^ +||tracking.mtn.co.za^ +||tracking.mwe.com^ +||tracking.my.hq.com^ +||tracking.myaupairinamerica.com^ +||tracking.myregus.com^ +||tracking.myspacesworks.com^ +||tracking.netsuite.com^ +||tracking.news.evergreenhealth.com^ +||tracking.newyorklifeinvestments.com^ +||tracking.ng.janssenmedicalcloud.me^ +||tracking.nissan-dubai.com^ +||tracking.nl.visma.com^ +||tracking.ntl.no^ +||tracking.ocr.ca^ +||tracking.ohiohealth.com^ +||tracking.oldnational.com^ +||tracking.omron.at^ +||tracking.omron.eu^ +||tracking.omron.fr^ +||tracking.omron.pl^ +||tracking.omron.ro^ +||tracking.omron.se^ +||tracking.online.nl.adp.com^ +||tracking.online.wisc.edu^ +||tracking.opentable.com^ +||tracking.oppd.com^ +||tracking.oswegohealth.org^ +||tracking.outsetmedical.com^ +||tracking.parcelpending.com^ +||tracking.particuliers.engie.fr^ +||tracking.patientengagementhit.com^ +||tracking.pdc.wisc.edu^ +||tracking.peco.com^ +||tracking.pella.com^ +||tracking.pennmedicine.princetonhcs.org^ +||tracking.pepsicopartners.com^ +||tracking.petrelocation.com^ +||tracking.pgi.com^ +||tracking.pioneer.com^ +||tracking.pirelli.com^ +||tracking.plascoid.com^ +||tracking.precisely.com^ +||tracking.precollege.wisc.edu^ +||tracking.pro.engie.fr^ +||tracking.prodesa.com^ +||tracking.prophet.com^ +||tracking.prophix.com^ +||tracking.protective.com^ +||tracking.ps.shutterstock.com^ +||tracking.ptc.com^ +||tracking.pullsdirect.com^ +||tracking.puustelli.com^ +||tracking.puustelli.se^ +||tracking.quadient.com^ +||tracking.questdiagnostics.com^ +||tracking.realestate.bnpparibas^ +||tracking.regus.com^ +||tracking.relationshipone.com^ +||tracking.reply.broadwayinchicago.com^ +||tracking.reply.broadwayinhollywood.com^ +||tracking.reply.dpacnc.com^ +||tracking.response.terex.com^ +||tracking.rinoebastel.com^ +||tracking.risk.lexisnexis.co.jp^ +||tracking.risk.lexisnexis.co.uk^ +||tracking.risk.lexisnexis.com.br^ +||tracking.risk.lexisnexis.com^ +||tracking.rootinc.com^ +||tracking.rti-inc.com^ +||tracking.sabic.com^ +||tracking.sailgp.com^ +||tracking.schneider.com^ +||tracking.sciex.com^ +||tracking.securitymsp.cisco.com^ +||tracking.service.cz.nl^ +||tracking.service.just.nl^ +||tracking.sfitrucks.com^ +||tracking.shl.com^ +||tracking.shop.verymobile.it^ +||tracking.sierrawireless.com^ +||tracking.simpleaccess.com^ +||tracking.singlestore.com^ +||tracking.siriusdecisions.com^ +||tracking.smartbets.com^ +||tracking.smartbusiness.samsung.com^ +||tracking.softwareadvice.com^ +||tracking.solartrade-us.baywa-re.com^ +||tracking.solutions.parker.com^ +||tracking.speltips.se^ +||tracking.ssab.co^ +||tracking.ssab.com.br^ +||tracking.ssab.com.tr^ +||tracking.ssab.com^ +||tracking.ssab.dk^ +||tracking.ssab.es^ +||tracking.ssab.fi^ +||tracking.ssab.fr^ +||tracking.ssab.jp^ +||tracking.ssab.nl^ +||tracking.ssab.pe^ +||tracking.ssab.se^ +||tracking.stageandscreen.travel^ +||tracking.steelprize.com^ +||tracking.stemcell.com^ +||tracking.stericycle.com^ +||tracking.stihl-timbersports.com^ +||tracking.stihl.at^ +||tracking.stihl.be^ +||tracking.stihl.co.za^ +||tracking.stihl.com.au^ +||tracking.stihl.com.cy^ +||tracking.stihl.com^ +||tracking.stihl.de^ +||tracking.stihl.es^ +||tracking.stihl.fr^ +||tracking.stihl.gr^ +||tracking.stihl.hu^ +||tracking.stihl.it^ +||tracking.stihl.lu^ +||tracking.stihl.nl^ +||tracking.stihl.pt^ +||tracking.stihl.ua^ +||tracking.summer.wisc.edu^ +||tracking.syncsketch.com^ +||tracking.syncsort.com^ +||tracking.tdk.com.cn^ +||tracking.tdk.com^ +||tracking.te.com^ +||tracking.test.insead.edu^ +||tracking.theemeraldconference.com^ +||tracking.thermoinfo.com^ +||tracking.thiomucase.es^ +||tracking.thunderhead.com^ +||tracking.ti.com.cn^ +||tracking.ti.com^ +||tracking.tibnor.fi^ +||tracking.tij.co.jp^ +||tracking.trinet.com^ +||tracking.uberflip.com^ +||tracking.uk.adp.com^ +||tracking.umbrella.com^ +||tracking.umms.org^ +||tracking.unisabana.edu.co^ +||tracking.usj.es^ +||tracking.utas.edu.au^ +||tracking.ventingdirect.com^ +||tracking.ventingpipe.com^ +||tracking.venture-net.co.jp^ +||tracking.verisk.com^ +||tracking.veritas.com^ +||tracking.vertiv.com^ +||tracking.vertivco.com^ +||tracking.virginmediao2business.co.uk^ +||tracking.virtus.com^ +||tracking.visitdubai.com^ +||tracking.visma.co.uk^ +||tracking.visma.com^ +||tracking.visma.dk^ +||tracking.visma.fi^ +||tracking.visma.lt^ +||tracking.visma.lv^ +||tracking.visma.net^ +||tracking.visma.nl^ +||tracking.visma.no^ +||tracking.visma.ro^ +||tracking.visma.se^ +||tracking.vismaraet.nl^ +||tracking.vismaspcs.se^ +||tracking.vitalant.org^ +||tracking.vodafone.co.uk^ +||tracking.vodafone.com^ +||tracking.wettfreunde.net^ +||tracking.winecoolerdirect.com^ +||tracking.xmor.info^ +||tracking.y-nmc.jp^ +||tracking.yealink.com^ +||tracking.your.montagehealth.org^ +||tracking.zagranie.com^ +||tracking.zakelijk.cz.nl^ +||tracking1.cigna.com.hk^ +||tracking1.cigna.com^ +||tracking1.cignaglobal.com^ +||tracking1.cignaglobalhealth.com^ +||tracking1.labcorp.com^ +||tracking1.questdiagnostics.com^ +||tracking1.tena.com^ +||tracking2.bokf.com^ +||tracking2.bokfinancial.com^ +||tracking2.cigna.co.id^ +||tracking2.cigna.co.uk^ +||tracking2.cigna.com.tw^ +||tracking2.cignaglobal.com^ +||tracking2.labcorp.com^ +||tracking2.questdiagnostics.com^ +||tracking3.labcorp.com^ +||tracking3.lenovo.com^ +||tracking4.labcorp.com^ +||tracking5.labcorp.com^ +||trackingalumni.accenturealumni.com^ +||trackingcareers.accenture.com^ +||trackingeloqua.tec.mx^ +||trackinginternal.hcltech.com^ +||trackinginternal.ti.com^ +||trackinglrus.wolterskluwer.com^ +||trackingmms.accenture.com^ +||trackmarketing.staubli.com^ +||tracks1.ferrari.com^ +||tracks3.ferrari.com^ +||trackside.redbull.racing^ +||tradeshow.edm.globalsources.com^ +||trail.cleardocs.com^ +||trail.dominiosistemas.com.br^ +||trail.sweetandmaxwell.co.uk^ +||trail.thomsonreuters.ca^ +||trail.thomsonreuters.co.jp^ +||trail.thomsonreuters.co.kr^ +||trail.thomsonreuters.co.nz^ +||trail.thomsonreuters.co.uk^ +||trail.thomsonreuters.com.au^ +||trail.thomsonreuters.com.br^ +||trail.thomsonreuters.com.hk^ +||trail.thomsonreuters.com.my^ +||trail.thomsonreuters.com.sg^ +||trail.thomsonreuters.com^ +||trail.thomsonreuters.in^ +||training.hager.co.uk^ +||training.thunderhead.com^ +||transact.blackboard.com^ +||transplant.care.uhssa.com^ +||transplant.universityhealth.com^ +||trck.accredible.com^ +||trck.asset.malcotools.com^ +||trck.comms.watlow.com^ +||trck.copeland.com^ +||trck.e.atradius.com^ +||trck.el.supremapoker.com.br^ +||trck.employerservices.experian.com^ +||trck.feedback.ignite.gleague.nba.com^ +||trck.forfatterforbundet.no^ +||trck.go.emoneyadvisor.com^ +||trck.go.natera.com^ +||trck.graiman.com^ +||trck.info.fullsaildc3.com^ +||trck.internalnews.dbschenker.com^ +||trck.levata.com^ +||trck.medlem.elogit.no^ +||trck.medtronic.com^ +||trck.my.elca.ch^ +||trck.www4.earlywarning.com^ +||trck.www4.paze.com^ +||trck.www4.zellepay.com^ +||trelleborg.tecs1.com^ +||trk.admmontreal.com^ +||trk.admtoronto.com^ +||trk.advancedmanufacturingeast.com^ +||trk.advancedmanufacturingminneapolis.com^ +||trk.advisory.com^ +||trk.aeroengineconference.com^ +||trk.aeroenginesusa.com^ +||trk.afcom.com^ +||trk.aibusiness.com^ +||trk.airborn.com^ +||trk.aircharterguide.com^ +||trk.airchecklab.com^ +||trk.airdimensions.com^ +||trk.airportdata.com^ +||trk.albinpump.com^ +||trk.ali-cle.org^ +||trk.altis.com.gr^ +||trk.americancityandcounty.com^ +||trk.anthology.com^ +||trk.appliedintelligence.live^ +||trk.arozone.cn^ +||trk.arozone.com^ +||trk.astrasrilanka.com^ +||trk.aviationweek.com^ +||trk.avlr.net^ +||trk.bakewithstork.com^ +||trk.banktech.com^ +||trk.barcoproducts.ca^ +||trk.barcoproducts.com^ +||trk.batterytechonline.com^ +||trk.becel.ca^ +||trk.becel.com.br^ +||trk.becel.com^ +||trk.beefmagazine.com^ +||trk.berger-levrault.com^ +||trk.bertolli.co.uk^ +||trk.biomedboston.com^ +||trk.blueband.com.ec^ +||trk.blueband.com^ +||trk.bona.nl^ +||trk.bonella.com.ec^ +||trk.broomwade.com^ +||trk.brummelandbrown.com^ +||trk.business.westernunion.at^ +||trk.business.westernunion.ca^ +||trk.business.westernunion.ch^ +||trk.business.westernunion.co.nz^ +||trk.business.westernunion.co.uk^ +||trk.business.westernunion.com.au^ +||trk.business.westernunion.com^ +||trk.business.westernunion.de^ +||trk.business.westernunion.fr^ +||trk.business.westernunion.it^ +||trk.business.westernunion.pl^ +||trk.catersource.com^ +||trk.cf.labanquepostale.fr^ +||trk.championairtech.com^ +||trk.championpneumatic.com^ +||trk.channelfutures.com^ +||trk.channelleadershipsummit.com^ +||trk.channelpartnersconference.com^ +||trk.childrensfashionevents.com^ +||trk.citeline.com^ +||trk.compair.com^ +||trk.concisegroup.com^ +||trk.contact.alphabet.com^ +||trk.contact.umpquabank.com^ +||trk.contentmarketinginstitute.com^ +||trk.contentmarketingworld.com^ +||trk.convera.com^ +||trk.coteriefashionevents.com^ +||trk.countrycrock.com^ +||trk.createyournextcustomer.com^ +||trk.cremebonjour.fi^ +||trk.cremebonjour.se^ +||trk.croma.nl^ +||trk.cx.motivcx.com^ +||trk.cz.business.westernunion.com^ +||trk.daimlertruck.com^ +||trk.darkreading.com^ +||trk.datacenterknowledge.com^ +||trk.datacenterworld.com^ +||trk.delma.hu^ +||trk.delma.ro^ +||trk.delphiquest.com^ +||trk.designcon.com^ +||trk.designnews.com^ +||trk.digitaltveurope.com^ +||trk.dosatron.com^ +||trk.drdobbs.com^ +||trk.du-darfst.de^ +||trk.dvsystems.com^ +||trk.e.chooseumpquabank.com^ +||trk.e.mailchimp.com^ +||trk.elmlea.com^ +||trk.elmorietschle.com^ +||trk.elq.mcphersonoil.com^ +||trk.emcowheaton.com^ +||trk.en-cz.business.westernunion.com^ +||trk.en.business.westernunion.at^ +||trk.en.business.westernunion.ch^ +||trk.en.business.westernunion.de^ +||trk.en.business.westernunion.fr^ +||trk.en.business.westernunion.it^ +||trk.en.business.westernunion.pl^ +||trk.encore-can.com^ +||trk.encore-mx.com^ +||trk.encoreglobal.com^ +||trk.engie-homeservices.fr^ +||trk.engineeringwk.com^ +||trk.engineleasingandfinance-europe.com^ +||trk.enjoyplanta.com^ +||trk.enterpriseconnect.com^ +||trk.equifax.com.au^ +||trk.event.eset.com^ +||trk.everestblowers.com^ +||trk.everestvacuum.com^ +||trk.evtechexpo.com^ +||trk.evtechexpo.eu^ +||trk.farmprogress.com^ +||trk.farmprogressshow.com^ +||trk.feedstuffs.com^ +||trk.fieldandmain.com^ +||trk.fieldandmaininsurance.com^ +||trk.findfashionevents.com^ +||trk.fintechfutures.com^ +||trk.flora.com^ +||trk.flora.cz^ +||trk.flora.es^ +||trk.flora.pl^ +||trk.floraplant.at^ +||trk.floraspread.com.au^ +||trk.food-management.com^ +||trk.fr.business.westernunion.ca^ +||trk.fr.business.westernunion.ch^ +||trk.fruitdor.fr^ +||trk.futureelectronics.cn^ +||trk.futureelectronics.com^ +||trk.gamasutra.com^ +||trk.gamedeveloper.com^ +||trk.gardnerdenver.com.cn^ +||trk.gardnerdenver.com^ +||trk.gazpasserelle.engie.fr^ +||trk.gdconf.com^ +||trk.go.ingrammicro.com^ +||trk.go.ingrammicrocloud.com^ +||trk.greenbuildexpo.com^ +||trk.hankisonair.com^ +||trk.hartell.com^ +||trk.haskel.com^ +||trk.hello.navan.com^ +||trk.hibon.com^ +||trk.hoffmanandlamson.com^ +||trk.hppumps.com^ +||trk.huskerharvestdays.com^ +||trk.icantbelieveitsnotbutter.com^ +||trk.imeeventscalendar.com^ +||trk.imengineeringeast.com^ +||trk.imengineeringsouth.com^ +||trk.info.puntonet.ec^ +||trk.info.shutterstock.com^ +||trk.info.verifi.com^ +||trk.info.verticurl.com^ +||trk.informaconnect.com^ +||trk.informaengage.com^ +||trk.informatech.com^ +||trk.informationweek.com^ +||trk.ingersollrand.com^ +||trk.insurancetech.com^ +||trk.interop.com^ +||trk.ir-now.com^ +||trk.irco.com^ +||trk.itprotoday.com^ +||trk.iwceexpo.com^ +||trk.jeffersonhealth.org^ +||trk.jorc.com^ +||trk.kansashealthsystem.com^ +||trk.kirbybuilt.com^ +||trk.laetta.com^ +||trk.lasvegasaces.com^ +||trk.latta.se^ +||trk.lightreading.com^ +||trk.living.chartwell.com^ +||trk.lmipumps.com^ +||trk.lookbook.westernunion.com^ +||trk.mackayshields.com^ +||trk.magicfashionevents.com^ +||trk.mailchimp.com^ +||trk.margarinaiberia.com.mx^ +||trk.maximus-solution.com^ +||trk.md-kinney.com^ +||trk.mddionline.com^ +||trk.mdeawards.com^ +||trk.meetingsnet.com^ +||trk.metronet.com^ +||trk.metronetbusiness.com^ +||trk.microsyringes.com^ +||trk.midamericanenergy.com^ +||trk.milda.se^ +||trk.miltonroy.com^ +||trk.mk.westernunion.com^ +||trk.mktg.nec.com^ +||trk.mppumps.com^ +||trk.mt.business.westernunion.com^ +||trk.mycare.maimo.org^ +||trk.nashpumps.com^ +||trk.nationalhogfarmer.com^ +||trk.ndtco.com^ +||trk.neogen.com^ +||trk.networkcomputing.com^ +||trk.networkxevent.com^ +||trk.news.loyaltycompany.com^ +||trk.nojitter.com^ +||trk.novelis.com^ +||trk.nrn.com^ +||trk.nvenergy.com^ +||trk.oberdorferpumps.com^ +||trk.oma.dk^ +||trk.optum.com^ +||trk.oxywise.com^ +||trk.packagingdigest.com^ +||trk.paragondirect.com^ +||trk.parkitbikeracks.com^ +||trk.peceniejeradost.sk^ +||trk.pecenijeradost.cz^ +||trk.pedrogil.com^ +||trk.picnictables.com^ +||trk.planta.be^ +||trk.planta.pt^ +||trk.plantafin.fr^ +||trk.plasticstoday.com^ +||trk.powderandbulkshow.com^ +||trk.powderandbulksolids.com^ +||trk.powerdms.com^ +||trk.pro-activ.com^ +||trk.projectfashionevents.com^ +||trk.protiviti.com^ +||trk.ptl.irco.com^ +||trk.quantumbusinessnews.com^ +||trk.rama.com.co^ +||trk.rama.com^ +||trk.reach.utep.edu^ +||trk.reavell.com^ +||trk.recetasprimavera.com^ +||trk.restaurant-hospitality.com^ +||trk.riverview.org^ +||trk.robuschi.com^ +||trk.routesonline.com^ +||trk.runtechsystems.com^ +||trk.sais.ch^ +||trk.sana.com.tr^ +||trk.sanella.de^ +||trk.secure.icmi.com^ +||trk.seepex.com^ +||trk.send.waoo.dk^ +||trk.share.healthc2u.com^ +||trk.solo.be^ +||trk.solution.desjardins.com^ +||trk.sourcingatmagic.com^ +||trk.specialevents.com^ +||trk.speedbumpsandhumps.com^ +||trk.spsglobal.com^ +||trk.supermarketnews.com^ +||trk.tbivision.com^ +||trk.telecoms.com^ +||trk.the5gexchange.com^ +||trk.thea.at^ +||trk.theaisummit.com^ +||trk.thebatteryshow.com^ +||trk.thebatteryshow.eu^ +||trk.thebenchfactory.com^ +||trk.themspsummit.com^ +||trk.thinkhdi.com^ +||trk.thomaspumps.com^ +||trk.todocouplings.com^ +||trk.trashcontainers.com^ +||trk.treetopproducts.com^ +||trk.tricontinent.com^ +||trk.tu-auto.com^ +||trk.tulipan.es^ +||trk.tuthillpump.com^ +||trk.ummhealth.org^ +||trk.updates.juilliard.edu^ +||trk.urgentcomm.com^ +||trk.us.vacasa.com^ +||trk.vaqueiro.pt^ +||trk.violife.com^ +||trk.violifefoods.com^ +||trk.violifeprofessional.com^ +||trk.vitam.gr^ +||trk.vodafone.com.tr^ +||trk.wallstreetandtech.com^ +||trk.wardsauto.com^ +||trk.wealthmanagement.com^ +||trk.welchvacuum.com^ +||trk.wellsfargocenterphilly.com^ +||trk.williamspumps.com^ +||trk.yzsystems.com^ +||trk.zeks.com^ +||trk.zinsser-analytic.com^ +||trk01.informaconnect.com^ +||trk01.knect365.com^ +||trk02.knect365.com^ +||trk03.informatech.com^ +||trk03.knect365.com^ +||trk04.informatech.com^ +||trk05.informatech.com^ +||trk09.informa.com^ +||trk2.avalara.com^ +||trkcmi.informaconnect.com^ +||trust.flexpay.io^ +||trust.zebra.com^ +||try.blackboard.com^ +||try.tableau.com^ +||try.tableausoftware.com^ +||tv.totaljobs.com^ +||tw-go.experian.com^ +||u.audi-pureprotection.com^ +||u.fordprotectplans.com^ +||u.landing.ni.com^ +||uat.enterprises.proximus.com^ +||ucaas.avaya.com^ +||uk-business.vodafone.com^ +||uk-mktg.vodafone.com^ +||uk.adpinfo.com^ +||uk.contact.alphabet.com^ +||uk.partner.equifax.co.uk^ +||uk.realestate.bnpparibas^ +||uk.verintsystemsinc.com^ +||uki2.secureforms.mcafee.com^ +||ukri.innovateuk.org^ +||unifiedwfo.verintsystemsinc.com^ +||unsubscribe.datadelivers.com^ +||update.purina.com^ +||update.tcsg.edu^ +||updates.gaylordhotels.com^ +||us-go.experian.com^ +||us-now.experian.com^ +||us.mattamyhomes.com^ +||us.ricoh-usa.com^ +||usingyourcard.americanexpress.co.uk^ +||ussolutions.equifax.com^ +||ut.econnect.utexas.edu^ +||uxplora.davivienda.com^ +||vge-business.vodafone.com^ +||vge-mktg-secure.vodafone.com^ +||vge-mktg.vodafone.com^ +||video.verintsystemsinc.com^ +||videos.adp.ca^ +||videos.personneltoday.com^ +||view.americanbuildings.com^ +||view.aon.com^ +||view.centria.com^ +||view.kirbybuildingsystems.com^ +||view.metlspan.com^ +||view.nucorbuildingsystems.com^ +||vip.german.ni.com^ +||vip.granicus.com^ +||vip.maxtor.com^ +||vision.cbre.com.au^ +||vision.cbresi.com.au^ +||visit.adelaide.edu.au^ +||visit.atea.fi^ +||visit.donateblood.com.au^ +||visit.hypertherm.com^ +||visit.lifeblood.com.au^ +||visit.oakstreethealth.com^ +||visit.tafensw.edu.au^ +||visit.tenplay.com.au^ +||visitor.arabiancentres.com^ +||visitor.hotelex.cn^ +||visma.e-conomic.dk^ +||vismaturva.visma.fi^ +||voice.thewealthadvisor.com^ +||vois.vodafone.com^ +||w3.air-worldwide.com^ +||w4.air-worldwide.com^ +||water.tetrapak.com^ +||we.care.oswegohealth.org^ +||wealth.informabi.com^ +||web.akademiai.hu^ +||web.care.eehealth.org^ +||web.care.lcmchealth.org^ +||web.care.mclaren.org^ +||web.care.northoaks.org^ +||web.care.sheppardpratt.org^ +||web.care.uhssa.com^ +||web.care.wakemed.org^ +||web.connect.garnethealth.org^ +||web.destinationretirement.co.uk^ +||web.devry.edu^ +||web.health.childrenswi.org^ +||web.health.hannibalregional.org^ +||web.health.memorialcare.org^ +||web.healthcare.northbay.org^ +||web.healthnews.thechristhospital.com^ +||web.histoire.emailing.bnpparibas^ +||web.houstontexans.com^ +||web.houstontexansluxe.com^ +||web.hubfinancialsolutions.co.uk^ +||web.info.aspirus.org^ +||web.info.mymosaiclifecare.org^ +||web.lsse.net^ +||web.morganfranklin.com^ +||web.northwestern.nm.org^ +||web.nortonrosefulbright.com^ +||web.novogene.com^ +||web.novuna.co.uk^ +||web.novunabusinessfinance.co.uk^ +||web.novunapersonalfinance.co.uk^ +||web.orionpharma.com^ +||web.wearejust.co.uk^ +||web.winzer.com^ +||web2.perkinelmer.com^ +||web3.perkinelmer.com^ +||web8.perkinelmer.com^ +||webcasts.de.ni.com^ +||webcasts.partnermcafee.com^ +||webinar.dnv.com^ +||webinar.intel.com^ +||webinar.ndtco.com^ +||webinars.att.com^ +||webinars.blackboard.com^ +||webinars.cigna.com^ +||webinars.coface.com^ +||webinars.elliemae.com^ +||webinars.monster.com^ +||webinars.oncourselearning.com^ +||webinars.thermofisher.com^ +||webmail.carte-gr.total.fr^ +||webmail.information.maileva.com^ +||website-security.geotrust.com^ +||website-security.rapidssl.com^ +||website-security.thawte.com^ +||website-tracking.smartx.com^ +||webtracking.acams.org^ +||webtracking.aucmed.edu^ +||webtracking.becker.com^ +||webtracking.cuwebinars.com^ +||webtracking.devry.edu^ +||webtracking.medical.rossu.edu^ +||webtracking.moneylaundering.com^ +||webtracking.oncourselearning.com^ +||webtrackingvet.rossu.edu^ +||welcome.ciscopowerofpartnership.com^ +||welcome.coniferhealth.com^ +||welcome.e.chiefs.com^ +||welcome.floridagators.com^ +||welcome.item24.be^ +||welcome.item24.ch^ +||welcome.item24.com^ +||welcome.item24.cz^ +||welcome.item24.de^ +||welcome.item24.es^ +||welcome.item24.fr^ +||welcome.item24.hu^ +||welcome.item24.it^ +||welcome.item24.kr^ +||welcome.item24.mx^ +||welcome.item24.nl^ +||welcome.item24.pl^ +||welcome.item24.pt^ +||welcome.item24.us^ +||welcome.vodafone.com^ +||wellness.palomarhealth.org^ +||whatif.fr.adobe.com^ +||whatif.it.adobe.com^ +||whatif.nl.adobe.com^ +||whitepapers.blackboard.com^ +||whitepapers.rockwellautomation.com^ +||work.construction.com^ +||workforcetrends.advancedtech.com^ +||workplace.ricoh.de^ +||workplace.ricoh.ie^ +||workplace.ricoh.it^ +||workplacesolutions.equifax.com^ +||workplacesolutions.inform.equifax.com^ +||www-103.aig.com^ +||www-103.chartisinsurance.com^ +||www-104.aig.com^ +||www-105.aig.com^ +||www-106.aig.com^ +||www-107.aig.com^ +||www-109.aig.com^ +||www-110.aig.com^ +||www.acpprograms.org^ +||www.activisionnews.com^ +||www.adpinfo.com^ +||www.allergodil.cz^ +||www.allergodil.hu^ +||www.aonunited.com^ +||www.armolipid.com.ru^ +||www.avismarketing.gr^ +||www.cf.labanquepostale.fr^ +||www.chronischepancreatitis.nl^ +||www.comcastbiz.com^ +||www.communications.kra.go.ke^ +||www.completatusdatos.com^ +||www.connect.api.almirall.com^ +||www.connect.johndorys.co.za^ +||www.connect.panarottis.co.za^ +||www.connect.spurcorp.com^ +||www.enterprises.proximus.com^ +||www.epargnez.adp.ca^ +||www.epipenexpiryservice.com^ +||www.ess.tis.co.jp^ +||www.eu.viatrisconnect.com^ +||www.fordprotectplans.com^ +||www.fovissstejavercancun.com^ +||www.gaylordhotelsnews.com^ +||www.get.ukg.com^ +||www.glf.mt.com^ +||www.heatexperience.com^ +||www.infineon-community.com^ +||www.info.dunnhumby.com^ +||www.info.redhat.com^ +||www.infos-experts.adp.com^ +||www.ins-mercadeo.com^ +||www.ins-multiasistencia.com^ +||www.jabalproperties.org^ +||www.kings-email.com^ +||www.learn.dunnhumby.com^ +||www.longterminvestmentsolutions.com^ +||www.lowvolatilitysolutions.com^ +||www.ma-catinfo.com^ +||www.maserati.info^ +||www.mediwebinars.com^ +||www.medtronicsolutions.com^ +||www.mkt.uvg.edu.gt^ +||www.muni360.com^ +||www.mydocusign.com^ +||www.myfiltration.eaton.com^ +||www.mykingsevents.com^ +||www.mykingstickets.com^ +||www.myvehicle.eaton.com^ +||www.nepinplainsight.com^ +||www.newscatalanaoccidente.com^ +||www.newsgrupocatalanaoccidente.com^ +||www.newsplusultra.es^ +||www.on24-webinars.co.uk^ +||www.orionkeraily.fi^ +||www.partnermcafee.com^ +||www.quoteafs.com^ +||www.rdalpha.net^ +||www.registrocofinavit.com^ +||www.registrocumbresallegro.com^ +||www.registroeventosjaver.com^ +||www.registrojardinesdecastalias.com^ +||www.registrovalledelosencinos.com^ +||www.registrovalledesantiago.com^ +||www.registrovillaslapiedad.com^ +||www.retirementadvisorinsights.com^ +||www.safecoprograms.com^ +||www.saugellaviso.it^ +||www.save.adp.ca^ +||www.science.dunnhumby.com^ +||www.scienceaaas.org^ +||www.secondmicrosite.com^ +||www.secure.rc-club.ricoh.co.jp^ +||www.send.hollandcasino.nl^ +||www.service.cz.nl^ +||www.service.hollandcasino.nl^ +||www.service.just.nl^ +||www.solutions.prudential.com^ +||www.sp-newfunds.com^ +||www.subscriptions.nokiasiemensnetworks.com^ +||www.test92.com^ +||www.thalesgroup-events.com^ +||www.tracking.adp.ch^ +||www.tracking.adp.co.uk^ +||www.tracking.alabamapower.com^ +||www.training.graduateschool.edu^ +||www.undiaenlausj.com^ +||www.unrealpain.com^ +||www.us.roche-applied-science.com^ +||www.viatrisneuropathicpain.co.uk^ +||www.whennotsharingiscaring.com^ +||www.yourplanprovisions.com^ +||www.zakelijk.cz.nl^ +||www1.kawasaki-motors.com^ +||www2.carte-gr.total.fr^ +||www2.daikinchemicals.com^ +||www2.edgenuity.com^ +||www2.festo.com^ +||www2.firsttechfed.com^ +||www2.info.renesas.cn^ +||www3.americanprogressaction.org^ +||xvantage.ingrammicro.com^ +||your.maas.ptvgroup.com^ +||your.mapandguide.ptvgroup.com^ +||your.mapandmarket.ptvgroup.com^ +||your.routeoptimiser.ptvgroup.com^ +||your.trafficdata.ptvgroup.com^ +||your.vissim.ptvgroup.com^ +||your.vistro.ptvgroup.com^ +||your.visum.ptvgroup.com^ +||your.xserver.ptvgroup.com^ +||yourporsche.nabooda-auto.com^ +||yourporscheimg.nabooda-auto.com^ +||za-go.experian.com^ +||zakelijke-betalingsoplossingen.americanexpress.nl^ +||zakelijke-oplossingen-nld.americanexpress.nl^ +||zakelijkemarkt.vattenfall.nl^ +||zh-tw.siemensplmevents.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_ad-ebis.txt *** +! easyprivacy_specific_cname_ad-ebis.txt +! Company name: AD EBiS https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/ad-ebis.txt +! +! ebis.ne.jp disguised trackers +! +||a9d8e7b6i5s.andgino.jp^ +||aaa.aqualink.tv^ +||aaaa.jawfp2.org^ +||aaaa.nocor.jp^ +||ac-3.mix.tokyo^ +||ac-ebis-otrk.usen.com^ +||ac-ebis-stb.usen.com^ +||ac-ebis-uhome.usen.com^ +||ac-ebis.otoraku.jp^ +||ac-ebis.usen-ad.com^ +||ac-ebis.usen-insurance.com^ +||ac-ebis.usen-pos.com^ +||ac-ebis.usen-service.com^ +||ac-ebis.usen-store.com^ +||ac-ebis.usen.biz^ +||ac.geechs-job.com^ +||ad-ebis.bookpass.auone.jp^ +||ad-ebis.mynavi-job20s.jp^ +||ad-ebis.toysub.jp^ +||ad.320320.net^ +||ad.aim-universe.co.jp^ +||ad.aucfan.com^ +||ad.aucview.com^ +||ad.autorace.jp^ +||ad.kddi-fs.com^ +||ad.ordersuit.info^ +||ad.takasu.co.jp^ +||ad.tempstaff.co.jp^ +||ad.theatre.co.jp^ +||ad.theatreacademy.jp^ +||ad1.tone.ne.jp^ +||adbq.bk.mufg.jp^ +||ade.deskstyle.info^ +||ade.hirose-fx.co.jp^ +||ade.jfx.co.jp^ +||adebis-52667624.wowma.jp^ +||adebis-bkan.vbest.jp^ +||adebis-cname.jobmall.jp^ +||adebis-dojyo.dojyo.jp^ +||adebis-morijuku.morijuku.com^ +||adebis-rikon.vbest.jp^ +||adebis-saimu.vbest.jp^ +||adebis.464981.com^ +||adebis.afc-shop.com^ +||adebis.ahjikan-shop.com^ +||adebis.aij.co.jp^ +||adebis.angfa-store.jp^ +||adebis.bathclin.jp^ +||adebis.bbb-life.jp^ +||adebis.chojyu.com^ +||adebis.crowdcredit.jp^ +||adebis.daiwahouse.co.jp^ +||adebis.demae-can.com^ +||adebis.e-ohaka.com^ +||adebis.entetsu.co.jp^ +||adebis.ferret-one.com^ +||adebis.furisode-ichikura.jp^ +||adebis.gfs-official.com^ +||adebis.gfs.tokyo^ +||adebis.gogin.co.jp^ +||adebis.harutaka.jp^ +||adebis.hotstaff.co.jp^ +||adebis.jp.iface.com^ +||adebis.juku.st^ +||adebis.kamada.co.jp^ +||adebis.kaonavi.jp^ +||adebis.kirei-journal.jp^ +||adebis.kirin.co.jp^ +||adebis.kodomohamigaki.com^ +||adebis.kose.co.jp^ +||adebis.koutsujiko.jp^ +||adebis.leben-establish.jp^ +||adebis.leben-style.jp^ +||adebis.lifestylemag.jp^ +||adebis.livable.co.jp^ +||adebis.logoshome.jp^ +||adebis.mizunomori.com^ +||adebis.muscledeli.jp^ +||adebis.no.01.alo-organic.com^ +||adebis.nursery.co.jp^ +||adebis.o-baby.net^ +||adebis.pikaichi.co.jp^ +||adebis.qeee.jp^ +||adebis.real-style.co.jp^ +||adebis.report.clinic^ +||adebis.reruju.com^ +||adebis.rishiria-furel.com^ +||adebis.s-toushi.jp^ +||adebis.saison-pocket.com^ +||adebis.satori.marketing^ +||adebis.sbishinseibank.co.jp^ +||adebis.sbpayment.jp^ +||adebis.shinseibank.com^ +||adebis.shiseido.co.jp^ +||adebis.shopserve.jp^ +||adebis.sokamocka.com^ +||adebis.thd-web.jp^ +||adebis.theclinic.jp^ +||adebis.tipness.co.jp^ +||adebis.tohshin.co.jp^ +||adebis.toitoitoi.clinic^ +||adebis.tokyuhotels.co.jp^ +||adebis.toushi-up.com^ +||adebis.tspot.co.jp^ +||adebis.urban-research.jp^ +||adebis.zenyaku-hbshop.com^ +||adebis01.job-con.jp^ +||adebis02.juku.st^ +||adebis0508.brain-sleep.com^ +||adebis1.1rnavi.com^ +||adebis8628.matsui.co.jp^ +||adebiscname.au-sonpo.co.jp^ +||adebiscname.auone.jp^ +||adebiscname.sumirin-ht.co.jp^ +||adebisu.wowow.co.jp^ +||adex.kintetsu-re.co.jp^ +||adex.naruko333.jp^ +||adex.predear.com^ +||admeasure.hh-online.jp^ +||adnl.bk.mufg.jp^ +||adpromo.peppynet.com^ +||adtrack.alchemy-web.jp^ +||adtrack.loracle.jp^ +||adtrack.maisonlexia.com^ +||aesus.so-net.ne.jp^ +||analyse.hinemos.info^ +||axjfkc.kobayashi.co.jp^ +||bbbb.goace.jp^ +||beeline.beeline-tire.co.jp^ +||campaign-direct.eisai.jp^ +||campaign-direct.ketsuatsu-taisaku.xyz^ +||campaign-direct.kouketsuatsu-health.xyz^ +||ccc.aqualink.tokyo^ +||cmass.massmedian.co.jp^ +||cname-ade.gom-in.com^ +||cname-ade.hankoya.com^ +||cname-ade.original-calendar.com^ +||cname-ade.shachihata.biz^ +||cname-adebis.nice2meet.us^ +||cname-adebis.vcube.com^ +||cname.crank-in.net^ +||cname.ebis.folio-sec.com^ +||cname.finess.jp^ +||cname.gladis.jp^ +||cname.jaic-college.jp^ +||cname.jf-d.jp^ +||cname.kyusai.co.jp^ +||cname.lions-mansion.jp^ +||cname.mebiusseiyaku.co.jp^ +||cname.mitsuihome.co.jp^ +||cname.nikkei-cnbc.co.jp^ +||cname1.shakenkan.co.jp^ +||cname2.shaken-yoyaku.com^ +||cnameebis.eizoshigoto.com^ +||cnameebis.usagi-online.com^ +||cnameforitp.dermed.jp^ +||cnebis.chocola.com^ +||cnebis.eisai.jp^ +||cnebis.i-no-science.com^ +||corporate.frontierconsul.net^ +||cs0010sbeda.theory-clinic.com^ +||cs1470sbeda.schoolasp.com^ +||cs1863sbeda.glaucoma-arrest.net^ +||cs2113sbeda.hokto-onlineshop.jp^ +||cvs.kireimo.jp^ +||d-kint.d-kintetsu.co.jp^ +||digital.anicom-sompo.co.jp^ +||eb.bewithyou.jp^ +||eb.o-b-labo.com^ +||ebis-cname.mirai-japan.co.jp^ +||ebis-tracking.hirakata-skin-clinic.com^ +||ebis-tracking.okinawa-keisei.com^ +||ebis-tracking.shinyokohama-beauty.com^ +||ebis-tracking.tcb-beauty.net^ +||ebis-tracking.tcb-fukushima.com^ +||ebis-tracking.tcb-mito.com^ +||ebis-tracking.tcb-recruit.com^ +||ebis-tracking.tcb-setagaya.com^ +||ebis.15jikai.com^ +||ebis.2jikaikun.com^ +||ebis.aibashiro.jp^ +||ebis.apo-mjob.com^ +||ebis.as-1.co.jp^ +||ebis.ayura.co.jp^ +||ebis.bbo.co.jp^ +||ebis.belta.co.jp^ +||ebis.biyo-job.com^ +||ebis.bulk.co.jp^ +||ebis.care-tensyoku.com^ +||ebis.ce-parfait.com^ +||ebis.coyori.com^ +||ebis.cp.claudia.co.jp^ +||ebis.delis.co.jp^ +||ebis.eiyoushi-tensyoku.com^ +||ebis.forcas.com^ +||ebis.funai-finance.com^ +||ebis.funaisoken.co.jp^ +||ebis.glico-direct.jp^ +||ebis.gokusen-ichiba.com^ +||ebis.goldcrest.co.jp^ +||ebis.housekeeping.or.jp^ +||ebis.j-l-m.co.jp^ +||ebis.jinzai-business.com^ +||ebis.jobcan.jp^ +||ebis.jobcan.ne.jp^ +||ebis.jojoble.jp^ +||ebis.jukkou.com^ +||ebis.kan54.jp^ +||ebis.kimonoichiba.com^ +||ebis.kubara.jp^ +||ebis.lululun.com^ +||ebis.macchialabel.com^ +||ebis.makeshop.jp^ +||ebis.mucuna.co.jp^ +||ebis.n-pri.jp^ +||ebis.nomu-silica.jp^ +||ebis.okasan-online.co.jp^ +||ebis.onamae.com^ +||ebis.palclair.jp^ +||ebis.pasonatech.co.jp^ +||ebis.rabo.cat^ +||ebis.radish-pocket.com^ +||ebis.radishbo-ya.co.jp^ +||ebis.randstad.co.jp^ +||ebis.re-shop.jp^ +||ebis.rozetta.jp^ +||ebis.s-bisco.jp^ +||ebis.samurai271.com^ +||ebis.sbismile.co.jp^ +||ebis.seibu-k.co.jp^ +||ebis.sekisuihouse.co.jp^ +||ebis.sekisuihouse.com^ +||ebis.shabon.com^ +||ebis.smakon.jp^ +||ebis.studio-alice.co.jp^ +||ebis.studioindi.jp^ +||ebis.sunstar-shop.jp^ +||ebis.tokado.jp^ +||ebis.touhan-navi.com^ +||ebis.treasurenet.jp^ +||ebis.umulin-lab.com^ +||ebis.yumeyakata.com^ +||ebis01.vernal.co.jp^ +||ebis01.zkai.co.jp^ +||ebis2020.hoiku-job.net^ +||ebis202001.joyfit.jp^ +||ebisanalysis.mouse-jp.co.jp^ +||ebiscname.clark.ed.jp^ +||ebiscname.english-native.net^ +||ebiscname.infofactory.jp^ +||ebiscname.j-esthe-yoyaku.com^ +||ebiscname.j-esthe.com^ +||ebiscname.native-phrase.com^ +||ebiscname.urr.jp^ +||ebiscosme.tamagokichi.com^ +||ebisfracora.fracora.com^ +||ebisstore.tamagokichi.com^ +||ebistoppan1.kyowahakko-bio-campaign-1.com^ +||emc.dr-stick.shop^ +||frontierconsul02.tsunagaru-office.com^ +||greenjapan-cname.green-japan.com^ +||hokkaidobank.rapi.jp^ +||isebis.takamiclinic.or.jp^ +||isebis.yutoriform.com^ +||itp.phoebebeautyup.com^ +||itpebis03.recella3d.com^ +||marketing.biz.mynavi.jp^ +||marketing.zwei.com^ +||matsubun.matsubun.com^ +||maz.zba.jp^ +||mcad.mods-clinic.com^ +||mcad.mods-clinic.info^ +||mdm.hibinobi-mandom.jp^ +||media.geinoschool-hikaku.net^ +||mgn.ebis.xn--olsz5f0ufw02b.net^ +||msr.p-antiaging.com^ +||ncc.nip-col.jp^ +||nlp-japan.life-and-mind.com^ +||p5mcwdbu.ginzo-buy.jp^ +||partner.haru-shop.jp^ +||sem.tkc-biyou.jp^ +||seo.tkc110.jp^ +||sep02.hinagiku-life.jp^ +||sinceregarden.sincere-garden.jp^ +||test-ad.lucia-c.com^ +||test-ad.mens-lucia.com^ +||tracking.mysurance.co.jp^ +||tracking.nokai.jp^ +||tracking.wao-corp.com^ +||tracking.wao.ne.jp^ +||ureruadebis.papawash.com^ +||urerucname.manara.jp^ +||ureruebis.nintama.co.jp^ +||urr.kumamoto-food.com^ +||www-ebis.384.co.jp^ +||www2.hnavi.co.jp^ +||y8hxgv9m.kobetsu.co.jp^ +||z89yxner8h.datsumou-beauty-times.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_eulerian.txt *** +! easyprivacy_specific_cname_eulerian.txt +! Company name: Eulerian https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/eulerian.txt +! +! eulerian.net disguised trackers +! +||0sbm.consobaby.co.uk^ +||16ao.mathon.fr^ +||1ctc.sfr.fr^ +||2efj.economies.cheque-dejeuner.com^ +||2efj.up.coop^ +||3esm.consubebe.es^ +||5fm.985fm.ca^ +||66jo.societegenerale.fr^ +||6pal.consobaby.com^ +||6swu.cpa-france.org^ +||7lbd4.armandthiery.fr^ +||7mx.eider.com^ +||7mx.eidershop.com^ +||8ezc.sfr.fr^ +||a.audi.fr^ +||a.audifrance.fr^ +||a.oney.es^ +||a.parfumsclub.de^ +||a.perfumesclub.co.uk^ +||a.perfumesclub.com^ +||a.perfumesclub.fr^ +||a.perfumesclub.it^ +||a.perfumesclub.nl^ +||a.perfumesclub.pl^ +||a.perfumesclub.pt^ +||a.weareknitters.co.uk^ +||a.weareknitters.com^ +||a.weareknitters.de^ +||a.weareknitters.dk^ +||a.weareknitters.es^ +||a.weareknitters.fr^ +||a.weareknitters.nl^ +||a.weareknitters.no^ +||a.weareknitters.pl^ +||a.weareknitters.se^ +||a7e.monnierfreres.de^ +||a8ht.hipp.fr^ +||ab.oney.es^ +||ab.perfumesclub.com^ +||ali8.alinea.fr^ +||alp1.drimki.fr^ +||am.belambra.co.uk^ +||am.belambra.com^ +||anz7.allianz-voyage.fr^ +||aod4.societegenerale.fr^ +||ar.allrun.fr^ +||ar.i-run.fr^ +||azg1.emalu-store.com^ +||b1n.carabins.umontreal.ca^ +||bch8.destinia.co^ +||bdj5.terrassesmontecarlosbm.com^ +||bft5.destinia.fr^ +||bja2.destinia.cz^ +||bk.brookeo.fr^ +||blog.tagcentral.fr^ +||bn.voyage-prive.com^ +||bpe2.destinia.co.il^ +||bum7.bymycar.fr^ +||bwj4.hrhibiza.com^ +||c0i.ckoi.com^ +||c0p.cepsum.umontreal.ca^ +||c4dv.copinesdevoyage.com^ +||ca.clubavantages.net^ +||cbl6.destinia.gt^ +||cc.conforama.es^ +||cc.conforama.pt^ +||cf.campagnes-france.com^ +||ch.credithypo.com^ +||ch0p.darty.com^ +||cls7.theushuaiaexperience.com^ +||cpgo.avatacar.com^ +||cse3.chausport.com^ +||csm.magnetintell.com^ +||csv4.ebs-paris.fr^ +||ct5m.citadium.com^ +||ctp1.bforbank.com^ +||cvi6.destinia.qa^ +||cyf9.destinia.cl^ +||d2u.dauphinquebec.com^ +||dbj.quebecregion.com^ +||deut1.fdj.fr^ +||deut2.fdj.fr^ +||deut3.fdj.fr^ +||dko.vente-unique.nl^ +||dqs3.darjeeling.fr^ +||dsfe19.madeindesign.com^ +||dv59b.montecarlomeeting.com^ +||dw0c.sfr.fr^ +||dw7u.hotelsbarriere.com^ +||dxe2.heip.fr^ +||ea.armandthiery.fr^ +||ea.assuronline.com^ +||ea.auchantelecom.fr^ +||ea.audika.com^ +||ea.auvergne-direct.fr^ +||ea.bcassurance.fr^ +||ea.camping-and-co.com^ +||ea.carrefour.com^ +||ea.carrefour.fr^ +||ea.castorama.fr^ +||ea.catimini-boutique.com^ +||ea.catimini.com^ +||ea.ciblo.net^ +||ea.coffrefortplus.com^ +||ea.dcshoes-europe.com^ +||ea.devred.com^ +||ea.diamant-unique.com^ +||ea.easyvoyage.com^ +||ea.ecotour.com^ +||ea.elstarprevention.com^ +||ea.evaway.com^ +||ea.fleurancenature.com^ +||ea.fleurancenature.fr^ +||ea.francoisesaget.com^ +||ea.franziskasager.de^ +||ea.greenweez.com^ +||ea.greenweez.de^ +||ea.greenweez.es^ +||ea.greenweez.eu^ +||ea.habitat.de^ +||ea.habitat.fr^ +||ea.handsenderplus.com^ +||ea.histoiredor.com^ +||ea.hofmann.es^ +||ea.hofmann.pt^ +||ea.igraal.com^ +||ea.kauf-unique.at^ +||ea.kauf-unique.de^ +||ea.kidiliz.com^ +||ea.labelhabitation.com^ +||ea.lafrancedunordausud.fr^ +||ea.laredoute.pt^ +||ea.leskidunordausud.fr^ +||ea.lespagnedunordausud.fr^ +||ea.megustaescribir.com^ +||ea.megustaleer.com.pe^ +||ea.millet-mountain.ch^ +||ea.millet-mountain.com^ +||ea.millet-mountain.de^ +||ea.millet.fr^ +||ea.mistergatesdirect.com^ +||ea.mnt.fr^ +||ea.mondial-assistance.fr^ +||ea.mydailyhotel.com^ +||ea.mywarner.warnerbros.fr^ +||ea.natiloo.com^ +||ea.netvox-assurances.com^ +||ea.nextseguros.es^ +||ea.nomade-aventure.com^ +||ea.odalys-vacances.com^ +||ea.odalys-vacation-rental.com^ +||ea.onestep-boutique.com^ +||ea.online.carrefour.fr^ +||ea.peugeot-assurance.fr^ +||ea.placedestendances.com^ +||ea.poeleaboismaison.com^ +||ea.promovacances.com^ +||ea.quiksilver.eu^ +||ea.radiateurplus.com^ +||ea.rentacar.fr^ +||ea.reunica.com^ +||ea.roxy.eu^ +||ea.sadyr.es^ +||ea.smallable.com^ +||ea.sport2000.fr^ +||ea.telecommandeonline.com^ +||ea.tool-fitness.com^ +||ea.topsante.com^ +||ea.venta-del-diablo.com^ +||ea.venta-unica.com^ +||ea.vente-unique.be^ +||ea.vente-unique.ch^ +||ea.vente-unique.com^ +||ea.vente-unique.lu^ +||ea.vivus.es^ +||ea.voyage-prive.co.uk^ +||ea.voyage-prive.es^ +||ea.voyage-prive.it^ +||ea.warnerbros.fr^ +||eat9.thebeat925.ca^ +||ebc1.capifrance.fr^ +||ef.futuroscope.com^ +||ef.futuroscope.mobi^ +||eit3.destinia.nl^ +||ek8.voyage-prive.com^ +||elr.sfr.fr^ +||erb.tremblant.ca^ +||ert5.rmcsport.tv^ +||et.sncf.com^ +||eule1.pmu.fr^ +||eule3.pmu.fr^ +||eule4.pmu.fr^ +||eule5.pmu.fr^ +||euler.pmu.fr^ +||eulerian.alinea.fr^ +||eulerian.astro-way.com^ +||eulerian.belambra.be^ +||eulerian.belambra.fr^ +||eulerian.canal-plus.com^ +||eulerian.eidershop.com^ +||eulerian.eveiletjeux.com^ +||eulerian.look-voyages.fr^ +||eulerian.maison-facile.com^ +||eulerian.malakoffmederic.com^ +||eulerian.mathon.fr^ +||eulerian.monoprix.fr^ +||eulerian.netbooster.com^ +||eulerian.officiel-des-vacances.com^ +||eulerian.oxybul.com^ +||eulerian.sarenza.com^ +||eulerian.siandso.com^ +||eulerian.structube.com^ +||eulerian.telechargement.fr^ +||eulerian.tgv-europe.be^ +||eulerian.tgv-europe.com^ +||eulerian.tgv-europe.es^ +||eulerian.tgv-europe.it^ +||eulerian.tgv-europe.lu^ +||eulerian.tgv-europe.nl^ +||eulerian.thalasseo.com^ +||eulerian.voyage-prive.com^ +||eultech.fnac.com^ +||exd4.destinia.com.au^ +||f0nn.oney.fr^ +||f2.voyage-prive.com^ +||fal2.carrefour-banque.fr^ +||fbu8.hoteldeparismontecarlo.com^ +||fbu8.hotelhermitagemontecarlo.com^ +||fbu8.monte-carlo-beach.com^ +||fbu8.montecarlobay.com^ +||fbu8.montecarloluxuryhotels.com^ +||fbu8.montecarlosbm.com^ +||fbu8.montecarloseasonalsale.com^ +||fbu8.ticket-online.montecarlolive.com^ +||fkwc.sfr.fr^ +||fl5dpe.oui.sncf^ +||fma7.aegon.es^ +||fpb8.esce.fr^ +||fsz1.francoisesaget.com^ +||fsz1.franziskasager.de^ +||fzb5.laboratoire-giphar.fr^ +||fze8.carrefour-banque.fr^ +||fzu4.bysidecar.com^ +||g1be.swisslife-direct.fr^ +||gdm1.toner.fr^ +||gf7t.cheques-cadeaux-culturels.fr^ +||gfn1.ugap.fr^ +||gfv4.destinia.co.za^ +||gi7a.structube.com^ +||gif1.gifi.fr^ +||gli9.inseec-bs.com^ +||gnh2.destinia.lv^ +||gsg9.carrefour-banque.fr^ +||guq9.vente-unique.it^ +||gwtc.sfr.fr^ +||h00c.sfr.fr^ +||hbo5.concours-pass.com^ +||hby7.destinia.it^ +||hde1.repentignychevrolet.com^ +||hgf4.zanzicar.fr^ +||hkj8.evobanco.com^ +||idg1.idgarages.com^ +||igc0.destinia.at^ +||inv3te.oui.sncf^ +||iro.iperceptions.com^ +||irs.iperceptions.com^ +||j2i0.mathon.fr^ +||jcr3.onlyyouhotels.com^ +||jelr1.dili.fr^ +||jfo0.societegenerale.fr^ +||jfp6.destinia.de^ +||jg0c.sfr.fr^ +||jhm3.ifgexecutive.com^ +||jln3.cl-brands.com^ +||jln3.clstudios.com^ +||jn23.madeindesign.ch^ +||jn23.madeindesign.it^ +||jo2f.cheque-cadhoc.fr^ +||ju23.madeindesign.co.uk^ +||jun23.madeindesign.de^ +||jxy6.evobanco.es^ +||kep6.destinia.ie^ +||kvt5.blesscollectionhotels.com^ +||kwsjy9.oui.sncf^ +||lbc.lesbonscommerces.fr^ +||leo1.leon-de-bruxelles.fr^ +||let1.devialet.com^ +||lio8.destinia.com.pa^ +||ljb0.assuronline.com^ +||lp.to-lipton.com^ +||lrp7.carrefour-banque.fr^ +||lsv5.belambra.fr^ +||ltm6.destinia.se^ +||lwh1.carrefour-banque.fr^ +||ly8c.caci-online.fr^ +||lzuc.sfr.fr^ +||m3ds.subarumetropolitain.com^ +||mfd.myfirstdressing.com^ +||mgt7.madeindesign.it^ +||mi.miliboo.be^ +||mi.miliboo.ch^ +||mi.miliboo.co.uk^ +||mi.miliboo.com^ +||mi.miliboo.de^ +||mi.miliboo.es^ +||mi.miliboo.it^ +||mi.miliboo.lu^ +||mla3.societegenerale.fr^ +||mm.melia.com^ +||mmz3.beinsports.com^ +||mre6.destinia.ma^ +||msz3.destinia.cn^ +||mud4.destinia.com.eg^ +||mva1.maeva.com^ +||mwf7.montecarlowellness.com^ +||ncx2.voyage-prive.it^ +||net1.netski.com^ +||netc.sfr.fr^ +||ni8.lafuma-boutique.com^ +||ni8.lafuma.com^ +||nlf6.vente-unique.pl^ +||nmo1.orpi.com^ +||nmu3.destinia.be^ +||noa0.compteczam.fr^ +||nrg.red-by-sfr.fr^ +||nym5c.bonlook.com^ +||nym5c.laura.ca^ +||nyt1.biosens-leanature.fr^ +||o68c.sfr.fr^ +||oae6.carrefour-banque.fr^ +||oal2.destinia.co.uk^ +||oek7.april-moto.com^ +||ogb2.biopur-leanature.fr^ +||ogb2.biovie.com^ +||ogb2.eauthermalejonzac.com^ +||ogb2.jardinbio.fr^ +||ogb2.leanatureboutique.com^ +||ogb2.natessance.com^ +||ogb2.sobio-etic.com^ +||oit4.destinia.com.br^ +||oj2q8.montecarlosbm.book-secure.com^ +||ojm4.palladiumhotelgroup.com^ +||one2.onestep.fr^ +||oo.ooshop.com^ +||oph7o.montecarlosbm-corporate.com^ +||opim.pixmania.com^ +||opo4.assuronline.com^ +||oqr4.destinia.in^ +||ouk7.grantalexander.com^ +||p.pmu.fr^ +||pbox.no.photobox.com^ +||pbox.photobox.at^ +||pbox.photobox.be^ +||pbox.photobox.co.nz^ +||pbox.photobox.co.uk^ +||pbox.photobox.com.au^ +||pbox.photobox.de^ +||pbox.photobox.dk^ +||pbox.photobox.fr^ +||pbox.photobox.ie^ +||pbox.photobox.it^ +||pbox.photobox.nl^ +||pbox.photobox.se^ +||pcnphysio-com.ca-eulerian.net^ +||pgt1.voyage-prive.es^ +||piq4.inseec.education^ +||pjh7.us.chantelle.com^ +||pk1u.melanielyne.com^ +||pkc5.hardrockhoteltenerife.com^ +||pm.pmu.fr^ +||po.ponant.com^ +||pol3.cheque-domicile.fr^ +||pp.promocionesfarma.com^ +||ppp7.destinia.kr^ +||pqn7.cheque-dejeuner.fr^ +||prx6.destinia.ch^ +||ps.pmu.fr^ +||pu.pretunique.fr^ +||pv.partenaires-verisure.fr^ +||qal0.destinia.gr^ +||qbl4.ecetech.fr^ +||qjg4.destinia.asia^ +||qpc4.visilab.ch^ +||qpl9.destinia.dk^ +||qtj0.destinia.pl^ +||quk9.destinia.com.ar^ +||qyn6.ofertastelecable.es^ +||qzl8.destinia.fi^ +||qzu5.carrefour-banque.fr^ +||r1ztni.oui.sncf^ +||r4nds.absorba.com^ +||rce.iperceptions.com^ +||rdc.rachatdecredit.net^ +||rh1a.granions.fr^ +||rjg2.destinia.ly^ +||rmp4.destinia.uy^ +||rqz4.supdigital.fr^ +||rup5.destinia.ru^ +||rvz9.destinia.co.ro^ +||ry0.rythmefm.com^ +||s4e8.cascades.com^ +||sa.lesselectionsskoda.fr^ +||sa.skoda.fr^ +||sa.skodasuperb.fr^ +||sby1.madeindesign.de^ +||sd.securitasdirect.fr^ +||sfp7.eco-conscient.com^ +||sis8.premieremoisson.com^ +||six9e.canal.fr^ +||sk0.monnierfreres.eu^ +||ski1.skiset.com^ +||sno1.snowrental.com^ +||snr4.canalplus.com^ +||srm4.destinia.co.no^ +||ssrlot.lotoquebec.com^ +||ssy7.destinia.com.ua^ +||su1.les-suites.ca^ +||t.locasun-vp.fr^ +||t.locasun.co.uk^ +||t.locasun.de^ +||t.locasun.es^ +||t.locasun.fr^ +||t.locasun.it^ +||t.locasun.nl^ +||t.pmu.fr^ +||t.voyages-sncf.com^ +||t0y.toyota.ca^ +||t9h2.ricardocuisine.com^ +||t9k3a.jeanpaulfortin.com^ +||tdf1.easyviaggio.com^ +||tdf1.easyviajar.com^ +||tdf1.easyvols.fr^ +||tdf1.easyvoyage.co.uk^ +||tdf1.easyvoyage.com^ +||tdf1.easyvoyage.de^ +||tdf1.laredoute.fr^ +||tdf1.vente-unique.pt^ +||tdp1.vivabox.es^ +||tds1.vivabox.be^ +||tmy8.madeindesign.ch^ +||tnz3.carrefour-banque.fr^ +||tr.pmu.fr^ +||tsj0.madeindesign.com^ +||txv0.destinia.hu^ +||udr9.livera.nl^ +||ueb4.destinia.tw^ +||ued8.destinia.sg^ +||uhn9.up-france.fr^ +||ujq1.destinia.is^ +||upload.euleriancdn.net^ +||upz1.destinia.lt^ +||uue2.destinia.ir^ +||uwy4.aegon.es^ +||uzd1.madeindesign.com^ +||v.oney.es^ +||v.oui.sncf^ +||vbe.voyage-prive.be^ +||vch.voyage-prive.ch^ +||vde1.voyage-prive.de^ +||vfo.voyage-prive.co.uk^ +||vfo4.carrefour-banque.fr^ +||vgo.vegaoo.com^ +||vgo.vegaoo.pt^ +||vgo.vegaoopro.com^ +||vi.adviso.ca^ +||vnl1.voyage-prive.nl^ +||vpf4.euskaltelofertas.com^ +||vpl.voyage-prive.pl^ +||vqp3.madeindesign.co.uk^ +||vry9.destinia.com^ +||vs.verisure.fr^ +||why3.inseec.education^ +||wlp3.aegon.es^ +||wnd2.destinia.cat^ +||wph2.destinia.us^ +||www.dataholics.tech^ +||www.fasttrack.fr^ +||www.fasttracker.fr^ +||xay5o.toscane-boutique.fr^ +||xjq5.belambra.be^ +||xuc.monteleone.fr^ +||xy33.smallable.com^ +||xya4.groupefsc.com^ +||yf5.voyage-prive.at^ +||yh6u.dealeusedevoyages.com^ +||yoc.younited-credit.com^ +||ysl3.destinia.ec^ +||yst4.muchoviaje.com^ +||yyi7.consobaby.de^ +||zdx5.destinia.pe^ +||zkc5.fleurancenature.fr^ +||zlm2.ecetech.fr^ +||znq9.destinia.mx^ +||zrw1.destinia.jp^ +||zs.voyage-prive.com^ +||zsi7.destinia.do^ +||zum7cc.oui.sncf^ +||zyq2.destinia.sk^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_keyade.txt *** +! easyprivacy_specific_cname_keyade.txt +! Company name: Keyade https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/keyade.txt +! removed dubed in EP +! ||ka.ilius.net^ +! +! k.keyade.com disguised trackers +! +||click-ext.anxa.com^ +||clk.ubi.com^ +||k.brandalley.be^ +||k.brandalley.co.nl^ +||k.brandalley.de^ +||k.brandalley.es^ +||k.brandalley.fr^ +||k.flynas.com^ +||k.hofmann.es^ +||k.laredoute.com^ +||k.laredoute.es^ +||k.laredoute.pt^ +||k.laredoute.ru^ +||k.laredoute.se^ +||k.truffaut.com^ +||k.voyageursdumonde.be^ +||k.voyageursdumonde.ca^ +||k.voyageursdumonde.ch^ +||k.voyageursdumonde.fr^ +||keyade.alltricks.fr^ +||keyade.ooreka.fr^ +||keyade.uniqlo.com^ +||market-keyade.macif.fr^ +||tck.fr.transavia.com^ +||tck.photobox.com^ +||tck.wonderbox.fr^ +||www.keyade.fr^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_lead-forensics.txt *** +! easyprivacy_specific_cname_lead-forensics.txt +! Company name: Lead Forensics https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/lead-forensics.txt +! +! Removed dubes +! ||fp.measure.office.com^ +! ||secure.venture-365-inspired.com^ +! +||analytics-hub.3plearning.com^ +||analytics-prod2.glance-internal.inmobi.com^ +||analytics.glance.inmobi.com^ +||capture.norm0care.com^ +||cloud.webtrack.online^ +||data.diagnostics.office.com^ +||f5.track-mv-01.com^ +||mail.semilab.hu^ +||oca.microsoft.com^ +||partners.dudley.gov.uk^ +||secure.1-cl0ud.com^ +||secure.24-astute.com^ +||secure.24-information-acute.com^ +||secure.24-visionaryenterprise.com^ +||secure.365-bright-astute.com^ +||secure.365-visionary-insightful.com^ +||secure.365insightcreative.com^ +||secure.365smartenterprising.com^ +||secure.365syndicate-smart.com^ +||secure.52enterprisingdetails.com^ +||secure.7-companycompany.com^ +||secure.acor1sign.com^ +||secure.agile-company-247.com^ +||secure.agile-company-365.com^ +||secure.agile-enterprise-365.com^ +||secure.agile365enterprise.com^ +||secure.agilebusinessvision.com^ +||secure.agilecompanyintelligence.com^ +||secure.agiledata7.com^ +||secure.aiea6gaza.com^ +||secure.alda1mure.com^ +||secure.alea6badb.com^ +||secure.alga9frog.com^ +||secure.amos5lynn.com^ +||secure.aran9midi.com^ +||secure.arid5glop.com^ +||secure.badb5refl.com^ +||secure.bait4role.com^ +||secure.bali6nora.com^ +||secure.bank8line.com^ +||secure.barn5bake.com^ +||secure.bass2poll.com^ +||secure.benn8bord.com^ +||secure.bike6debt.com^ +||secure.blue2fund.com^ +||secure.boat3deer.com^ +||secure.bolt8snap.com^ +||secure.bred4tula.com^ +||secure.brie5jiff.com^ +||secure.burn5tilt.com^ +||secure.businessintuition247.com^ +||secure.bux1le001.com^ +||secure.cage6west.com^ +||secure.care5alea.com^ +||secure.cart8draw.com^ +||secure.cast9half.com^ +||secure.cavy9soho.com^ +||secure.ches5sort.com^ +||secure.chic9usia.com^ +||secure.chip2gift.com^ +||secure.chop8live.com^ +||secure.cloud-ingenuity.com^ +||secure.clue6load.com^ +||secure.coat0tire.com^ +||secure.coax7nice.com^ +||secure.companyperceptive-365.com^ +||secure.copy9loom.com^ +||secure.coup7cold.com^ +||secure.cuba7tilt.com^ +||secure.curl7bike.com^ +||secure.dana8herb.com^ +||secure.data-creativecompany.com^ +||secure.data-ingenuity.com^ +||secure.data-insight365.com^ +||secure.dawn3host.com^ +||secure.deng3rada.com^ +||secure.dens1raec.com^ +||secure.details24group.com^ +||secure.detailsinventivegroup.com^ +||secure.dial4gwyn.com^ +||secure.diet3dart.com^ +||secure.doll8tune.com^ +||secure.doll9jiva.com^ +||secure.dump4barn.com^ +||secure.east2pony.com^ +||secure.easy0bark.com^ +||secure.emeu0circ.com^ +||secure.enterprise-consortiumoperation.com^ +||secure.enterprise-inspired52.com^ +||secure.enterprise-operation-inspired.com^ +||secure.enterprise7syndicate.com^ +||secure.enterpriseforesight247.com^ +||secure.enterpriseintelligence-24.com^ +||secure.enterprisingconsortium.com^ +||secure.enterprisingoperation-7.com^ +||secure.etym6cero.com^ +||secure.fear7calk.com^ +||secure.feed5baby.com^ +||secure.feed5mown.com^ +||secure.file3size.com^ +||secure.flow8free.com^ +||secure.food9wave.com^ +||secure.frog9alea.com^ +||secure.game9time.com^ +||secure.gard4mass.com^ +||secure.garm9yuma.com^ +||secure.gaza2lote.com^ +||secure.gift2pair.com^ +||secure.give2hill.com^ +||secure.glue1lazy.com^ +||secure.golp4elik.com^ +||secure.grow1maid.com^ +||secure.haag0some.com^ +||secure.haig7anax.com^ +||secure.half1hell.com^ +||secure.hall3hook.com^ +||secure.harm6stop.com^ +||secure.hazy4cant.com^ +||secure.head3high.com^ +||secure.hear8crew.com^ +||secure.heat6have.com^ +||secure.herb2warn.com^ +||secure.herb7calk.com^ +||secure.hero6bell.com^ +||secure.hims1nice.com^ +||secure.hiss3lark.com^ +||secure.hook6vein.com^ +||secure.imaginative-24.com^ +||secure.imaginative-trade7.com^ +||secure.imaginativeenterprising-intelligent.com^ +||secure.informationcreativeinnovative.com^ +||secure.innovation-perceptive52.com^ +||secure.insight-52.com^ +||secure.insightful-cloud-365.com^ +||secure.insightful-cloud-7.com^ +||secure.insightful-company-52.com^ +||secure.insightful-enterprise-247.com^ +||secure.insightful-enterprise-intelligence.com^ +||secure.insightfulbusinesswisdom.com^ +||secure.insightfulcloudintuition.com^ +||secure.insightfulcompanyinsight.com^ +||secure.instinct-52.com^ +||secure.intelligence-enterprise.com^ +||secure.intelligence52.com^ +||secure.intelligent-business-wisdom.com^ +||secure.intelligent-company-365.com^ +||secure.intelligent-company-foresight.com^ +||secure.intelligent-consortium.com^ +||secure.intelligent-data-247.com^ +||secure.intelligentcloudforesight.com^ +||secure.intelligentcompanywisdom.com^ +||secure.intelligentdataintuition.com^ +||secure.intelligentdatawisdom.com^ +||secure.intuition-agile-7.com^ +||secure.intuitionoperation.com^ +||secure.intuitive-intuition.com^ +||secure.inventive52intuitive.com^ +||secure.inventiveinspired7.com^ +||secure.inventiveperception365.com^ +||secure.iron0walk.com^ +||secure.jaup0lake.com^ +||secure.jebb8hurt.com^ +||secure.jody0sora.com^ +||secure.josh7cuba.com^ +||secure.keep0bury.com^ +||secure.keet1liod.com^ +||secure.kick1pore.com^ +||secure.kilo6alga.com^ +||secure.kota3chat.com^ +||secure.kpr2exp21.com^ +||secure.lack4skip.com^ +||secure.lane5down.com^ +||secure.late6year.com^ +||secure.late8chew.com^ +||secure.lave6loki.com^ +||secure.lazy8krti.com^ +||secure.lead5beat.com^ +||secure.left5lock.com^ +||secure.line6agar.com^ +||secure.link5view.com^ +||secure.liod1ours.com^ +||secure.list1holp.com^ +||secure.loki8lave.com^ +||secure.loom3otto.com^ +||secure.lope4refl.com^ +||secure.lote1otto.com^ +||secure.mack7oyes.com^ +||secure.main5poem.com^ +||secure.make6pain.com^ +||secure.mali4blat.com^ +||secure.malm1coax.com^ +||secure.mari4norm.com^ +||secure.marx7loki.com^ +||secure.mass1soma.com^ +||secure.mean8sigh.com^ +||secure.meet3monk.com^ +||secure.mews2ruck.com^ +||secure.mile0tire.com^ +||secure.mill8grip.com^ +||secure.misc1bulk.com^ +||secure.moat4shot.com^ +||secure.mon-com-01.com^ +||secure.mown5gaze.com^ +||secure.navy9gear.com^ +||secure.neck6bake.com^ +||secure.nice3aiea.com^ +||secure.nipe4head.com^ +||secure.node7seat.com^ +||secure.nong3bram.com^ +||secure.nora7nice.com^ +||secure.norm0care.com^ +||secure.nyctrl32.com^ +||secure.oboe3broo.com^ +||secure.office-cloud-52.com^ +||secure.office-information-24.com^ +||secure.office-insightdetails.com^ +||secure.oita4bali.com^ +||secure.otto5loki.com^ +||secure.ours3care.com^ +||secure.page1monk.com^ +||secure.page9awry.com^ +||secure.pair1tune.com^ +||secure.pass8heal.com^ +||secure.path5wall.com^ +||secure.pdxor02.com^ +||secure.peak2poem.com^ +||secure.peep1alea.com^ +||secure.perceptionastute7.com^ +||secure.perceptive-innovation-ingenuity.com^ +||secure.perk0mean.com^ +||secure.plug1luge.com^ +||secure.plug4norm.com^ +||secure.poor5zero.com^ +||secure.pump8walk.com^ +||secure.raab3frog.com^ +||secure.rals4alum.com^ +||secure.rate2self.com^ +||secure.rate8deny.com^ +||secure.rear9axis.com^ +||secure.redd7liod.com^ +||secure.refl3alea.com^ +||secure.rigi9bury.com^ +||secure.rime8lope.com^ +||secure.ripe8book.com^ +||secure.risk8belt.com^ +||secure.roar9beer.com^ +||secure.rock5rice.com^ +||secure.rote8mino.com^ +||secure.ruth8badb.com^ +||secure.ryke4peep.com^ +||secure.said3page.com^ +||secure.sale0home.com^ +||secure.saon6harz.com^ +||secure.scan6show.com^ +||secure.seat6worn.com^ +||secure.sharpinspiration-instinct.com^ +||secure.shoo5woop.com^ +||secure.shrfbdg004.com^ +||secure.silk0palm.com^ +||secure.skye6oner.com^ +||secure.slim2disc.com^ +||secure.smart-business-365.com^ +||secure.smart-business-foresight.com^ +||secure.smart-business-ingenuity.com^ +||secure.smart-business-intuition.com^ +||secure.smart-cloud-intelligence.com^ +||secure.smart-company-365.com^ +||secure.smart-company-vision.com^ +||secure.smart-enterprise-365.com^ +||secure.smart-enterprise-52.com^ +||secure.smart-enterprise-7.com^ +||secure.smart-enterprise-acumen.com^ +||secure.smart24astute.com^ +||secure.smartenterprisewisdom.com^ +||secure.snta0034.com^ +||secure.soil5hear.com^ +||secure.soma9vols.com^ +||secure.sour1bare.com^ +||secure.sour7will.com^ +||secure.spit0stge.com^ +||secure.sugh8yami.com^ +||secure.svr007phz.com^ +||secure.swat8toot.com^ +||secure.tank3pull.com^ +||secure.team8save.com^ +||secure.tent0mown.com^ +||secure.text6film.com^ +||secure.tire1soak.com^ +||secure.tm1-001.com^ +||secure.toll6kerb.com^ +||secure.torn6back.com^ +||secure.toru0vane.com^ +||secure.tray0bury.com^ +||secure.tube6sour.com^ +||secure.tula9mari.com^ +||secure.vane3alga.com^ +||secure.venture-enterprising.com^ +||secure.venture365office.com^ +||secure.vice4beek.com^ +||secure.vick6duty.com^ +||secure.visionary-7-data.com^ +||secure.visionary-business-52.com^ +||secure.visionary-business-ingenuity.com^ +||secure.visionary-company-ingenuity.com^ +||secure.visionary-data-intuition.com^ +||secure.visionary-enterprise-ingenuity.com^ +||secure.visionary-enterprise-wisdom.com^ +||secure.visionary-intuitiveimaginative.com^ +||secure.visionary365enterprise.com^ +||secure.visionarybusiness7.com^ +||secure.visionarybusinessacumen.com^ +||secure.visionarycloudvision.com^ +||secure.visionarycompany52.com^ +||secure.vols7feed.com^ +||secure.wait8hurl.com^ +||secure.wake4tidy.com^ +||secure.want7feed.com^ +||secure.wauk1care.com^ +||secure.weed6tape.com^ +||secure.wild0army.com^ +||secure.wild8prey.com^ +||secure.wine9bond.com^ +||secure.wivo2gaza.com^ +||secure.yama1hove.com^ +||secure.yami8alea.com^ +||secure.yeld9auto.com^ +||secure.yirr5frog.com^ +||segment-api.inrix.com^ +||telemetry-eastus.trafficmanager.inmobi.com^ +||telemetry.sdk.inmobi.com^ +||utm.semilab.hu^ +||utm.shireburn.com^ +||watson.microsoft.com^ +||www.1-cl0ud.com^ +||www.1-creative-1.com^ +||www.100-flannelman.com^ +||www.123-tracker.com^ +||www.143nchrtl3.com^ +||www.1h2h54jkw.com^ +||www.200-rockergod.com^ +||www.200summit.com^ +||www.22-trk-srv.com^ +||www.24-visionaryenterprise.com^ +||www.33-trk-srv.com^ +||www.33infra-strat.com^ +||www.44-trk-srv.com^ +||www.44tele-infra.com^ +||www.52data-venture.com^ +||www.55-trk-srv.com^ +||www.66-trk-srv.com^ +||www.66infra-strat.com^ +||www.7-companycompany.com^ +||www.88infra-strat.com^ +||www.acor1sign.com^ +||www.active-trk7.com^ +||www.adgjl13.com^ +||www.agile-company-247.com^ +||www.agile-company-365.com^ +||www.agile-enterprise-365.com^ +||www.agile365enterprise.com^ +||www.agiledata7.com^ +||www.aiea6gaza.com^ +||www.alda1mure.com^ +||www.alea6badb.com^ +||www.alga9frog.com^ +||www.alnw3nsdi.com^ +||www.alskd34.com^ +||www.altabold1.com^ +||www.amos5lynn.com^ +||www.angorch-cdr7.com^ +||www.ape78cn2.com^ +||www.aqedsw4.com^ +||www.aran9midi.com^ +||www.arid5glop.com^ +||www.asdfg23.com^ +||www.atl-6-ga.com^ +||www.azera-s014.com^ +||www.badb5refl.com^ +||www.bae5tracker.com^ +||www.bait4role.com^ +||www.bali6nora.com^ +||www.bank8line.com^ +||www.bass2poll.com^ +||www.baw5tracker.com^ +||www.bdg001a.com^ +||www.benn8bord.com^ +||www.berg-6-82.com^ +||www.bis-dic15.com^ +||www.blocwhite7.com^ +||www.blue2fund.com^ +||www.blzsnd02.com^ +||www.boat3deer.com^ +||www.bolt8snap.com^ +||www.bosctrl32.com^ +||www.bred4tula.com^ +||www.brie5jiff.com^ +||www.burn5tilt.com^ +||www.business-path-55.com^ +||www.bux1le001.com^ +||www.cable-cen-01.com^ +||www.cage6west.com^ +||www.care5alea.com^ +||www.cart8draw.com^ +||www.cast9half.com^ +||www.cavy9soho.com^ +||www.cben9a9s1.com^ +||www.cdbgmj12.com^ +||www.cdert34.com^ +||www.central-core-7.com^ +||www.centralcore7.com^ +||www.ches5sort.com^ +||www.chic9usia.com^ +||www.chip2gift.com^ +||www.chop8live.com^ +||www.click-to-trace.com^ +||www.cloud-9751.com^ +||www.cloud-exploration.com^ +||www.cloud-ingenuity.com^ +||www.cloud-trail.com^ +||www.cloudpath82.com^ +||www.cloudtracer101.com^ +||www.clue6load.com^ +||www.cnej4912jks.com^ +||www.cnt-tm-1.com^ +||www.cntr-di5.com^ +||www.cntr-di7.com^ +||www.co85264.com^ +||www.coat0tire.com^ +||www.coax7nice.com^ +||www.connct-9.com^ +||www.copy9loom.com^ +||www.core-cen-54.com^ +||www.coup7cold.com^ +||www.crb-frm-71.com^ +||www.create-tracking.com^ +||www.cten10010.com^ +||www.cuba7tilt.com^ +||www.cube-78.com^ +||www.curl7bike.com^ +||www.dakic-ia-300.com^ +||www.dana8herb.com^ +||www.data-ingenuity.com^ +||www.data-insight365.com^ +||www.dawn3host.com^ +||www.dbrtkwaa81.com^ +||www.deng3rada.com^ +||www.dens1raec.com^ +||www.detailsinspiration-data.com^ +||www.dhenr54m.com^ +||www.dial4gwyn.com^ +||www.diet3dart.com^ +||www.direct-aws-a1.com^ +||www.direct-azr-78.com^ +||www.discover-path.com^ +||www.discovertrail.net^ +||www.djkeun1bal.com^ +||www.dkjn1bal2.com^ +||www.doll8tune.com^ +||www.doll9jiva.com^ +||www.domainanalytics.net^ +||www.dtc-330d.com^ +||www.dtc-v6t.com^ +||www.dthvdr9.com^ +||www.dump4barn.com^ +||www.east2pony.com^ +||www.easy0bark.com^ +||www.ed-clr-01.com^ +||www.efvrgb12.com^ +||www.ela-3-tnk.com^ +||www.elite-s001.com^ +||www.emeu0circ.com^ +||www.enterprise-consortiumoperation.com^ +||www.enterpriseforesight247.com^ +||www.enterprisingoperation-7.com^ +||www.etym6cero.com^ +||www.eue21east.com^ +||www.eue27west.com^ +||www.eventcapture03.com^ +||www.eventcapture06.com^ +||www.ever-track-51.com^ +||www.explore-123.com^ +||www.fear7calk.com^ +||www.feed5baby.com^ +||www.feed5mown.com^ +||www.file3size.com^ +||www.final-aws-01.com^ +||www.final-azr-01.com^ +||www.finger-info.net^ +||www.flow8free.com^ +||www.food9wave.com^ +||www.forensics1000.com^ +||www.frog9alea.com^ +||www.game9time.com^ +||www.gard4mass.com^ +||www.garm9yuma.com^ +||www.gaza2lote.com^ +||www.gbl007.com^ +||www.gblwebcen.com^ +||www.gift2pair.com^ +||www.glb12pkgr.com^ +||www.glb21pkgr.com^ +||www.gldsta-02-or.com^ +||www.glue1lazy.com^ +||www.golp4elik.com^ +||www.grow1maid.com^ +||www.gtcslt-di2.com^ +||www.gw100-10.com^ +||www.haag0some.com^ +||www.haig7anax.com^ +||www.half1hell.com^ +||www.hall3hook.com^ +||www.harm6stop.com^ +||www.hazy4cant.com^ +||www.head3high.com^ +||www.hear8crew.com^ +||www.heat6have.com^ +||www.herb2warn.com^ +||www.herb7calk.com^ +||www.hero6bell.com^ +||www.hims1nice.com^ +||www.hiss3lark.com^ +||www.hook6vein.com^ +||www.hrb1tng0.com^ +||www.hunt-leads.com^ +||www.hunter-details.com^ +||www.hvgcfx1.com^ +||www.imaginative-trade7.com^ +||www.inc9lineedge.com^ +||www.incline9edge.com^ +||www.indpcr1.com^ +||www.insightful-company-52.com^ +||www.insightfulbusinesswisdom.com^ +||www.insightfulcompanyinsight.com^ +||www.intelligence-enterprise.com^ +||www.intelligent-company-foresight.com^ +||www.intelligent-data-247.com^ +||www.intelligentcompanywisdom.com^ +||www.intelligentdatawisdom.com^ +||www.intuition-agile-7.com^ +||www.ip-a-box.com^ +||www.ip-route.net^ +||www.iproute66.com^ +||www.iron0walk.com^ +||www.jaup0lake.com^ +||www.jebb8hurt.com^ +||www.jenxsw21lb.com^ +||www.jody0sora.com^ +||www.josh7cuba.com^ +||www.jsnzoe301m.com^ +||www.keet1liod.com^ +||www.kick1pore.com^ +||www.kilo6alga.com^ +||www.kota3chat.com^ +||www.kpr2exp21.com^ +||www.kprbexp21.com^ +||www.ksk-mjto-001.com^ +||www.ksyrium0014.com^ +||www.lack4skip.com^ +||www.laksjd4.com^ +||www.lane5down.com^ +||www.lansrv020.com^ +||www.lansrv030.com^ +||www.lansrv040.com^ +||www.lansrv050.com^ +||www.lansrv060.com^ +||www.lansrv070.com^ +||www.lansrv080.com^ +||www.lansrv090.com^ +||www.late6year.com^ +||www.late8chew.com^ +||www.lave6loki.com^ +||www.lazy8krti.com^ +||www.ldfr-cloud.net^ +||www.lead-123.com^ +||www.lead-analytics-1000.com^ +||www.lead-watcher.com^ +||www.leads.goldenshovel.com^ +||www.ledradn.com^ +||www.left5lock.com^ +||www.letterbox-path.com^ +||www.letterboxtrail.com^ +||www.lforen-cloud-trace.com^ +||www.line6agar.com^ +||www.link5view.com^ +||www.liod1ours.com^ +||www.list1holp.com^ +||www.lmknjb1.com^ +||www.loki8lave.com^ +||www.loom3otto.com^ +||www.lope4refl.com^ +||www.lote1otto.com^ +||www.m1ll1c4n0.com^ +||www.mack7oyes.com^ +||www.main5poem.com^ +||www.make6pain.com^ +||www.mali4blat.com^ +||www.malm1coax.com^ +||www.mari4norm.com^ +||www.marx7loki.com^ +||www.mass1soma.com^ +||www.mavic852.com^ +||www.mbljpu9.com^ +||www.me1294hlx.com^ +||www.mean8sigh.com^ +||www.mediaedge-info.com^ +||www.meet3monk.com^ +||www.mews2ruck.com^ +||www.mialbj6.com^ +||www.mile0tire.com^ +||www.mill8grip.com^ +||www.misc1bulk.com^ +||www.mnbvc34.com^ +||www.moat4shot.com^ +||www.mon-com-01.com^ +||www.mon-com-net.com^ +||www.mown5gaze.com^ +||www.n-core-pipe.com^ +||www.navy9gear.com^ +||www.neck6bake.com^ +||www.network-handle.com^ +||www.nhyund4.com^ +||www.nice3aiea.com^ +||www.nipe4head.com^ +||www.node7seat.com^ +||www.nora7nice.com^ +||www.norm0care.com^ +||www.nw-rail-03.com^ +||www.ny79641.com^ +||www.nyc14ny.com^ +||www.nyctrl32.com^ +||www.oboe3broo.com^ +||www.ofnsv69.com^ +||www.oita4bali.com^ +||www.okc-5190.com^ +||www.okc-5191.com^ +||www.operationintelligence7.com^ +||www.optimum-xyz.com^ +||www.otto5loki.com^ +||www.ours3care.com^ +||www.page1monk.com^ +||www.page9awry.com^ +||www.pair1tune.com^ +||www.pass-1234.com^ +||www.pass8heal.com^ +||www.path-follower.com^ +||www.path-trail.com^ +||www.path5wall.com^ +||www.pdxor02.com^ +||www.peak-ip-54.com^ +||www.peak2poem.com^ +||www.peep1alea.com^ +||www.perk0mean.com^ +||www.pkrchp001.com^ +||www.plokij1.com^ +||www.plug1luge.com^ +||www.plug4norm.com^ +||www.poiuy12.com^ +||www.poor5zero.com^ +||www.poqwo3.com^ +||www.pri12mel.com^ +||www.prt-or-067.com^ +||www.pto-slb-09.com^ +||www.pump8walk.com^ +||www.qetup12.com^ +||www.qlzn6i1l.com^ +||www.qpwoei2.com^ +||www.r45j15.com^ +||www.raab3frog.com^ +||www.rals4alum.com^ +||www.rate2self.com^ +||www.rate8deny.com^ +||www.rdeswa1.com^ +||www.rear9axis.com^ +||www.redd7liod.com^ +||www.refl3alea.com^ +||www.rep0pkgr.com^ +||www.req12pkg.com^ +||www.req12pkgb.com^ +||www.rfr-69.com^ +||www.rigi9bury.com^ +||www.rime8lope.com^ +||www.ripe8book.com^ +||www.risk8belt.com^ +||www.rng-snp-003.com^ +||www.roar9beer.com^ +||www.rock5rice.com^ +||www.rote8mino.com^ +||www.ruth8badb.com^ +||www.ryke4peep.com^ +||www.s3network1.com^ +||www.s5network1.com^ +||www.saas-eue-1.com^ +||www.saas-euw-1.com^ +||www.said3page.com^ +||www.sale0home.com^ +||www.san-spr-01.net^ +||www.saon6harz.com^ +||www.sas15k01.com^ +||www.scan-trail.com^ +||www.scan6show.com^ +||www.sch-alt-91.com^ +||www.sch-crt-91.com^ +||www.se-core-pipe.com^ +||www.sea-nov-1.com^ +||www.seat6worn.com^ +||www.seatac15.com^ +||www.shoo5woop.com^ +||www.shrfbdg004.com^ +||www.skye6oner.com^ +||www.sl-ct5.com^ +||www.slim2disc.com^ +||www.smart-business-365.com^ +||www.smart-business-foresight.com^ +||www.smart-business-intuition.com^ +||www.smart-cloud-intelligence.com^ +||www.smart-company-365.com^ +||www.smart-company365.com^ +||www.smart-enterprise-365.com^ +||www.smart-enterprise-7.com^ +||www.smart-enterprise-acumen.com^ +||www.snta0034.com^ +||www.softtrack08.com^ +||www.soil5hear.com^ +||www.soma9vols.com^ +||www.sour1bare.com^ +||www.sour7will.com^ +||www.spit0stge.com^ +||www.spn-twr-14.com^ +||www.srv00infra.com^ +||www.srv1010elan.com^ +||www.srv2020real.com^ +||www.srvtrkxx1.com^ +||www.srvtrkxx2.com^ +||www.star-cntr-5.com^ +||www.sugh8yami.com^ +||www.svr-prc-01.com^ +||www.svr007phz.com^ +||www.sw-rail-7.com^ +||www.swat8toot.com^ +||www.syntace-094.com^ +||www.tank3pull.com^ +||www.tent0mown.com^ +||www.text6film.com^ +||www.tghbn12.com^ +||www.tgvrfc4.com^ +||www.the-lead-tracker.com^ +||www.tire1soak.com^ +||www.tm1-001.com^ +||www.toll6kerb.com^ +||www.torn6back.com^ +||www.toru0vane.com^ +||www.trace-2000.com^ +||www.track-web.net^ +||www.trackdiscovery.net^ +||www.trackercloud.net^ +||www.trackinvestigate.net^ +||www.trail-route.com^ +||www.trail-viewer.com^ +||www.trail-web.com^ +||www.trailbox.net^ +||www.tray0bury.com^ +||www.trksrv44.com^ +||www.trksrv45.com^ +||www.trksrv46.com^ +||www.tst14netreal.com^ +||www.tst16infra.com^ +||www.tube6sour.com^ +||www.tula9mari.com^ +||www.uhygtf1.com^ +||www.ult-blk-cbl.com^ +||www.vane3alga.com^ +||www.vcentury01.com^ +||www.venture-enterprising.com^ +||www.vice4beek.com^ +||www.vick6duty.com^ +||www.visionary-business-52.com^ +||www.visionary-data-intuition.com^ +||www.visionary-enterprise-ingenuity.com^ +||www.visionary-enterprise-wisdom.com^ +||www.visionary365enterprise.com^ +||www.visionarybusiness7.com^ +||www.visionarybusinessacumen.com^ +||www.visionarycompany52.com^ +||www.vols7feed.com^ +||www.wa52613.com^ +||www.wait8hurl.com^ +||www.want7feed.com^ +||www.wauk1care.com^ +||www.web-01-gbl.com^ +||www.web-cntr-07.com^ +||www.websiteexploration.com^ +||www.weed6tape.com^ +||www.wild0army.com^ +||www.wild8prey.com^ +||www.wivo2gaza.com^ +||www.www-path.com^ +||www.yama1hove.com^ +||www.yami8alea.com^ +||www.ydwsjt-2.com^ +||www.yeld9auto.com^ +||www.yirr5frog.com^ +||www.zcbmn14.com^ +||www.zmxncb5.com^ +||www.zxcvb23.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_webtrekk.txt *** +! easyprivacy_specific_cname_webtrekk.txt +! Company name: Webtrekk https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/webtrekk.txt +! +! webtrekk.net disguised trackers +! +||a.deutschehospitality.com^ +||a.hrewards.com^ +||a.jaz-hotel.com^ +||a.maxxhotel.com^ +||a.zleep.com^ +||abc.bayer04.de^ +||analytics.hermesworld.com^ +||analytics.myhermes.de^ +||app03.ikk-classic.de^ +||cdn7.baunetz.de^ +||census.misterspex.at^ +||census.misterspex.no^ +||count.bank99.at^ +||ctdfm.ilgiornale.it^ +||ctrkd.ilsole24ore.com^ +||da.bodenhaus.de^ +||da.hornbach.at^ +||da.hornbach.be^ +||da.hornbach.ch^ +||da.hornbach.cz^ +||da.hornbach.de^ +||da.hornbach.lu^ +||da.hornbach.nl^ +||da.hornbach.ro^ +||da.hornbach.se^ +||da.hornbach.sk^ +||data.adlermode.com^ +||data.all-in.de^ +||data.allgaeuer-zeitung.de^ +||data.babista.de^ +||data.campaign.prenatal.com^ +||data.campaign.toyscenter.it^ +||data.charles-colby.com^ +||data.engelhorn.com^ +||data.engelhorn.de^ +||data.goertz.de^ +||data.inbank.it^ +||data.janvanderstorm.de^ +||data.kulturkaufhaus.de^ +||data.leipzig.de^ +||data.main-ding.de^ +||data.mainpost.de^ +||data.mapp.com^ +||data.mediaworld.it^ +||data.shirtmaster.com^ +||data.vdi-wissensforum.de^ +||data.volksfreund.de^ +||data.westlotto.de^ +||daten.union-investment.de^ +||def.bayer04.de^ +||di.fotos-fuers-leben.ch^ +||di.ifolor.at^ +||di.ifolor.be^ +||di.ifolor.ch^ +||di.ifolor.com^ +||di.ifolor.de^ +||di.ifolor.dk^ +||di.ifolor.es^ +||di.ifolor.fi^ +||di.ifolor.fr^ +||di.ifolor.ie^ +||di.ifolor.it^ +||di.ifolor.lu^ +||di.ifolor.net^ +||di.ifolor.nl^ +||di.ifolor.se^ +||di.spreadmorelove.ch^ +||ed.emp-online.ch^ +||ed.emp-online.com^ +||ed.emp-online.es^ +||ed.emp-online.fr^ +||ed.emp-online.it^ +||ed.emp-shop.cz^ +||ed.emp-shop.dk^ +||ed.emp-shop.no^ +||ed.emp-shop.pl^ +||ed.emp-shop.se^ +||ed.emp-shop.sk^ +||ed.emp.at^ +||ed.emp.co.uk^ +||ed.emp.de^ +||ed.emp.fi^ +||ed.emp.ie^ +||ed.large.be^ +||ed.large.nl^ +||ed.originalpress.com^ +||eht.endress.com^ +||fiwinet.firmenwissen.com^ +||fiwinet.firmenwissen.de^ +||hbbtv-track.prosieben.de^ +||hbbtv-track.prosiebensat1puls4.com^ +||image.deginvest.de^ +||image.kfw-entwicklungsbank.de^ +||image.kfw-formularsammlung.de^ +||image.kfw-ipex-bank.de^ +||image.kfw.de^ +||images1.test.de^ +||img.buch.ch^ +||img.foodspring.at^ +||img.foodspring.ch^ +||img.foodspring.co.uk^ +||img.foodspring.cz^ +||img.foodspring.de^ +||img.foodspring.dk^ +||img.foodspring.es^ +||img.foodspring.fi^ +||img.foodspring.fr^ +||img.foodspring.hr^ +||img.foodspring.it^ +||img.foodspring.nl^ +||img.foodspring.se^ +||img.sparkasse-koelnbonn.de^ +||info.allango.net^ +||info.deltapublishing.co.uk^ +||info.derdiedaf.com^ +||info.genialklick.ch^ +||info.klett-sprachen.de^ +||intel.web.noleggiare.it^ +||intelligence.officialwesthamstore.com^ +||is.lg.com^ +||joda.corriereadriatico.it^ +||joda.ilgazzettino.it^ +||joda.ilmattino.it^ +||joda.ilmessaggero.it^ +||joda.leggo.it^ +||joda.quotidianodipuglia.it^ +||mapp.ewm.co.uk^ +||mapp.jysk.dk^ +||mapp.jysk.nl^ +||mapp.peacocks.co.uk^ +||mapp.yesstyle.com^ +||mff.messefrankfurt.com^ +||mit.bhw.de^ +||mit.db.com^ +||mit.deutsche-bank.de^ +||mit.deutschebank.be^ +||mit.deutschewealth.com^ +||mit.dslbank.de^ +||mit.dws.com^ +||mit.dws.de^ +||mit.postbank.de^ +||mit.researchlog.db.com^ +||mit.researchlog.dbresearch.com^ +||mit.researchlog.dbresearch.de^ +||mon.ingservices.nl^ +||now.peek-cloppenburg.de^ +||on.dextra.ch^ +||ot.obi-baumarkt.ch^ +||ot.obi-brico.ch^ +||ot.obi-italia.it^ +||ot.obi-ticino.ch^ +||ot.obi.at^ +||ot.obi.ba^ +||ot.obi.ch^ +||ot.obi.com^ +||ot.obi.cz^ +||ot.obi.de^ +||ot.obi.hu^ +||ot.obi.pl^ +||ot.obi.si^ +||ot.obi.sk^ +||pix.airbusgroup.com^ +||pix.eads.com^ +||pix.telekom-dienste.de^ +||pix.telekom.com^ +||pix.telekom.de^ +||pixel.augsburger-allgemeine.de^ +||proditor.sparda.de^ +||prophet.heise-academy.de^ +||prophet.heise.de^ +||scout.alpinetrek.co.uk^ +||scout.alpiniste.fr^ +||scout.berg-freunde.at^ +||scout.berg-freunde.ch^ +||scout.bergfreunde.de^ +||scout.bergfreunde.dk^ +||scout.bergfreunde.es^ +||scout.bergfreunde.eu^ +||scout.bergfreunde.fi^ +||scout.bergfreunde.it^ +||scout.bergfreunde.nl^ +||scout.bergfreunde.no^ +||scout.bergfreunde.se^ +||service.hcob-bank.de^ +||startrekk.flaconi.at^ +||startrekk.flaconi.ch^ +||startrekk.flaconi.de^ +||startrekk.flaconi.fr^ +||startrekk.flaconi.pl^ +||statistics.tuv.com^ +||sub1.cosmosdirekt.de^ +||t.mediaset.it^ +||text.benefitsatwork.be^ +||text.benefitsatwork.ch^ +||text.benefitsatwork.pl^ +||text.benefitsatwork.pt^ +||text.convenzioniaziendali.it^ +||text.mitarbeiterangebote.at^ +||text.mitarbeiterangebote.de^ +||text.rahmenvereinbarungen.de^ +||tippcom01.tipp24.com^ +||tr.computeruniverse.net^ +||tr.suedkurier.de^ +||track.emeza.ch^ +||track.emeza.com^ +||track.kiomi.com^ +||track.yellostrom.de^ +||tracking.eduscho.at^ +||tracking.netcologne.de^ +||tracking.shop.hunter.easynet.de^ +||tracking.tchibo.ch^ +||tracking.tchibo.com.tr^ +||tracking.tchibo.cz^ +||tracking.tchibo.de^ +||tracking.tchibo.hu^ +||tracking.tchibo.pl^ +||tracking.tchibo.sk^ +||trail-001.schleich-s.com^ +||trk.blume2000.de^ +||trk.krebsversicherung.de^ +||trk.nuernberger.com^ +||trk.nuernberger.de^ +||trk.nuernberger.digital^ +||w.ilfattoquotidiano.it^ +||w3.aktionaersbank.de^ +||w3.flatex.es^ +||w3.flatex.nl^ +||w7.berlin.de^ +||wa.planet-wissen.de^ +||wa.quarks.de^ +||wa.wdr.de^ +||wa.wdrmaus.de^ +||waaf.medion.com^ +||waaf1.aldi-gaming.de^ +||waaf1.aldi-music.de^ +||waaf1.aldilife.com^ +||waaf1.aldiphotos.co.uk^ +||waaf1.alditalk.de^ +||waaf1.hoferfotos.at^ +||watg.xxxlutz.com^ +||wbtrkk.deutschlandcard.de^ +||wbtrkk.teufel.ch^ +||wbtrkk.teufel.de^ +||wbtrkk.teufelaudio.at^ +||wbtrkk.teufelaudio.be^ +||wbtrkk.teufelaudio.co.uk^ +||wbtrkk.teufelaudio.com^ +||wbtrkk.teufelaudio.es^ +||wbtrkk.teufelaudio.fr^ +||wbtrkk.teufelaudio.it^ +||wbtrkk.teufelaudio.nl^ +||wbtrkk.teufelaudio.pl^ +||web.autobodytoolmart.com^ +||web.b2bimperialfashion.com^ +||web.b2bpleasefashion.com^ +||web.bankofscotland.de^ +||web.campaign.jaked.com^ +||web.campaign.miriade.com^ +||web.campaign.v73.it^ +||web.capriceshoes.com^ +||web.collisionservices.com^ +||web.communications.amouage.com^ +||web.comunicazioni.iol.it^ +||web.crm.beps.it^ +||web.crm.speedup.it^ +||web.diebayerische.de^ +||web.e.aldermore.co.uk^ +||web.e.bolts.co.uk^ +||web.e.compositesales.co.uk^ +||web.e.dekogardensupplies.co.uk^ +||web.e.drainagepipe.co.uk^ +||web.e.guttersupplies.co.uk^ +||web.e.obayaty.com^ +||web.e.panmacmillan.com^ +||web.e.pbslgroup.co.uk^ +||web.e.professionalbuildingsupplies.co.uk^ +||web.e.pvccladding.com^ +||web.e.soakaways.com^ +||web.email.farrow-ball.com^ +||web.email.pizzaexpress.com^ +||web.email.pmtonline.co.uk^ +||web.email.superga.co.uk^ +||web.email.topfarmacia.it^ +||web.email.turtlebay.co.uk^ +||web.email.umbro.co.uk^ +||web.email.zone3.com^ +||web.ideaautorepair.com^ +||web.info.aiteca.it^ +||web.info.bodybuildingwarehouse.co.uk^ +||web.info.bodybuildingwarehouse.com^ +||web.info.bonprix.es^ +||web.info.teamwarrior.com^ +||web.info.vantastic-foods.com^ +||web.info.varelotteriet.dk^ +||web.info.yeppon.it^ +||web.jana-shoes.com^ +||web.mail.parmalat.it^ +||web.mail.proximaati.com^ +||web.mailing.morawa.at^ +||web.mailing.storz-bickel.com^ +||web.mailing.vapormed.com^ +||web.mapp.docpeter.it^ +||web.mapp.edenred.it^ +||web.mapp.ilgiardinodeilibri.it^ +||web.mapp.naturzeit.com^ +||web.mapp.skousen.dk^ +||web.mapp.skousen.no^ +||web.mapp.tretti.se^ +||web.mapp.whiteaway.com^ +||web.mapp.whiteaway.no^ +||web.mapp.whiteaway.se^ +||web.marcotozzi.com^ +||web.marketing.jellybelly.com^ +||web.mytoys.de^ +||web.news.creedfragrances.co.uk^ +||web.news.dixiefashion.com^ +||web.news.eprice.it^ +||web.news.gnv.it^ +||web.news.imperialfashion.com^ +||web.news.lancel.com^ +||web.news.paganistore.com^ +||web.news.piquadro.com^ +||web.news.pleasefashion.com^ +||web.news.thebridge.it^ +||web.newsletter.koffer-to-go.de^ +||web.newsletter.viviennewestwood.com^ +||web.newsletterit.esprinet.com^ +||web.online.monnalisa.com^ +||web.redazione.milanofinanza.it^ +||web.sensilab.com^ +||web.sensilab.cz^ +||web.sensilab.de^ +||web.sensilab.dk^ +||web.sensilab.es^ +||web.sensilab.fi^ +||web.sensilab.hr^ +||web.sensilab.ie^ +||web.sensilab.it^ +||web.sensilab.org^ +||web.sensilab.pt^ +||web.sensilab.ro^ +||web.sensilab.se^ +||web.sensilab.si^ +||web.sensilab.sk^ +||web.sidsavage.com^ +||web.slim-joy.de^ +||web.slimjoy.com^ +||web.slimjoy.cz^ +||web.slimjoy.dk^ +||web.slimjoy.it^ +||web.slimjoy.ro^ +||web.slimjoy.se^ +||web.slimjoy.sk^ +||web.solesource.com^ +||web.tamaris.com^ +||web.tummy-tox.com^ +||web.tummytox.at^ +||web.tummytox.de^ +||web.tummytox.es^ +||web.tummytox.fr^ +||web.tummytox.it^ +||web.tummytox.pt^ +||web.tummytox.sk^ +||web.usautosupply.com^ +||web.web.tomasiauto.com^ +||web.x.ilpost.it^ +||webanalytics.also.com^ +||webmet.creditreform-mahnwesen.de^ +||webmet.creditreform.de^ +||website-usage.b2bendix.com^ +||website-usage.knorr-bremse.com^ +||webt.aqipa.com^ +||webt.eleonto.com^ +||webt.eu.teac-audio.com^ +||webt.pure-audio.com^ +||webt.store.okmilo.com^ +||webts.adac.de^ +||wt.ara.ad^ +||wt.ara.cat^ +||wt.arabalears.cat^ +||wt.dialog-versicherung.de^ +||wt.distrelec.com^ +||wt.envivas.de^ +||wt.generali.de^ +||wt.generalibewegtdeutschland.de^ +||wt.generalihealthsolutions.de^ +||wt.netze-bw.de^ +||wt.vhb.de^ +||wtm.interhyp.de^ +||wttd.douglas.at^ +||wttd.douglas.ch^ +||wttd.douglas.de^ +||wttd.douglas.it^ +||wttd.douglas.nl^ +||wttd.douglas.pl^ +||wttd.madeleine-fashion.be^ +||wttd.madeleine-fashion.nl^ +||wttd.madeleine-mode.at^ +||wttd.madeleine-mode.ch^ +||wttd.madeleine.co.uk^ +||wttd.madeleine.de^ +||wttd.madeleine.fr^ +||wttd.madeleine.gr^ +||www7.springer.com^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_wizaly.txt *** +! easyprivacy_specific_cname_wizaly.txt +! wizaly.com disguised trackers https://github.com/AdguardTeam/cname-trackers/blob/master/data/trackers/wizaly.txt +! +||t-test.esvdigital.com^ +||t.wiz.meilleurtaux.com^ +||tk.abt.com^ +||tk.agrizone.net^ +||tk.aircaraibes.com^ +||tk.airfrance.ae^ +||tk.airfrance.am^ +||tk.airfrance.at^ +||tk.airfrance.be^ +||tk.airfrance.bf^ +||tk.airfrance.bg^ +||tk.airfrance.bj^ +||tk.airfrance.ca^ +||tk.airfrance.ch^ +||tk.airfrance.cm^ +||tk.airfrance.co.ao^ +||tk.airfrance.co.il^ +||tk.airfrance.co.jp^ +||tk.airfrance.co.kr^ +||tk.airfrance.co.th^ +||tk.airfrance.co.uk^ +||tk.airfrance.co.za^ +||tk.airfrance.cz^ +||tk.airfrance.de^ +||tk.airfrance.dj^ +||tk.airfrance.dk^ +||tk.airfrance.dz^ +||tk.airfrance.es^ +||tk.airfrance.fi^ +||tk.airfrance.fr^ +||tk.airfrance.ga^ +||tk.airfrance.gf^ +||tk.airfrance.gr^ +||tk.airfrance.hr^ +||tk.airfrance.ht^ +||tk.airfrance.id^ +||tk.airfrance.ie^ +||tk.airfrance.in^ +||tk.airfrance.it^ +||tk.airfrance.ma^ +||tk.airfrance.mg^ +||tk.airfrance.mq^ +||tk.airfrance.mu^ +||tk.airfrance.my^ +||tk.airfrance.ng^ +||tk.airfrance.nl^ +||tk.airfrance.pa^ +||tk.airfrance.pf^ +||tk.airfrance.pl^ +||tk.airfrance.pt^ +||tk.airfrance.re^ +||tk.airfrance.ro^ +||tk.airfrance.rs^ +||tk.airfrance.ru^ +||tk.airfrance.sa^ +||tk.airfrance.se^ +||tk.airfrance.sg^ +||tk.airfrance.sk^ +||tk.airfrance.sn^ +||tk.airfrance.tn^ +||tk.airfrance.ua^ +||tk.airfrance.us^ +||tk.airfrance.vn^ +||tk.alexandermcqueen.com^ +||tk.apprentis-auteuil.org^ +||tk.assurland.com^ +||tk.assurlandpro.com^ +||tk.atol.fr^ +||tk.balenciaga.com^ +||tk.biovea.com^ +||tk.blancheporte.be^ +||tk.blancheporte.fr^ +||tk.boutique.capital.fr^ +||tk.boutique.geo.fr^ +||tk.boutique.hbrfrance.fr^ +||tk.boutique.voici.fr^ +||tk.bricoprive.com^ +||tk.bullebleue.fr^ +||tk.cadeaux.com^ +||tk.conforama.fr^ +||tk.dietbon.fr^ +||tk.domitys.fr^ +||tk.dossier.co^ +||tk.engie.fr^ +||tk.etam.com^ +||tk.evaneos.ch^ +||tk.evaneos.de^ +||tk.evaneos.es^ +||tk.evaneos.fr^ +||tk.evaneos.it^ +||tk.evaneos.nl^ +||tk.france-abonnements.fr^ +||tk.frenchbee.com^ +||tk.gustaveroussy.fr^ +||tk.healthwarehouse.com^ +||tk.hypnia.co.uk^ +||tk.hypnia.de^ +||tk.hypnia.es^ +||tk.hypnia.fr^ +||tk.hypnia.nl^ +||tk.illicado.com^ +||tk.interflora.dk^ +||tk.interflora.es^ +||tk.interflora.fr^ +||tk.interflora.it^ +||tk.jeux.loro.ch^ +||tk.jim-joe.fr^ +||tk.kidsaround.com^ +||tk.kitchendiet.fr^ +||tk.klm.com^ +||tk.kusmitea.com^ +||tk.lacoste.com^ +||tk.lamaisonduchocolat.com^ +||tk.lcl.fr^ +||tk.little-big-change.com^ +||tk.lolivier.fr^ +||tk.lulli-sur-la-toile.com^ +||tk.m6boutique.com^ +||tk.macif.fr^ +||tk.maison123.com^ +||tk.manouvellevoiture.com^ +||tk.moveyourfit.com^ +||tk.msccruises.com^ +||tk.nhlottery.com^ +||tk.opinion-assurances.fr^ +||tk.petit-bateau.be^ +||tk.petit-bateau.co.uk^ +||tk.petit-bateau.de^ +||tk.petit-bateau.es^ +||tk.petit-bateau.fr^ +||tk.petit-bateau.it^ +||tk.planete-oui.fr^ +||tk.prismashop.fr^ +||tk.qare.fr^ +||tk.qobuz.com^ +||tk.rentacar.fr^ +||tk.rimowa.com^ +||tk.salomon.com^ +||tk.santevet.be^ +||tk.santevet.com^ +||tk.santevet.de^ +||tk.santevet.es^ +||tk.santevet.it^ +||tk.speedway.fr^ +||tk.svsound.com^ +||tk.teleshopping.fr^ +||tk.tikamoon.at^ +||tk.tikamoon.be^ +||tk.tikamoon.ch^ +||tk.tikamoon.co.uk^ +||tk.tikamoon.com^ +||tk.tikamoon.de^ +||tk.tikamoon.es^ +||tk.tikamoon.it^ +||tk.tikamoon.nl^ +||tk.transavia.com^ +||tk.ultrapremiumdirect.com^ +||tk.undiz.com^ +||tk.verisure.fr^ +||tk.viapresse.com^ +||tk.zenpark.com^ +||tracking-test.esearchvision.com^ +||trackv-test.esearchvision.com^ +||tv-test.esvdigital.com^ +||twiz.wizaly.co.uk^ +||twiz.wizaly.fr^ +||wiz.empowerhearing.com^ +||wiz.sncf-connect.com^ +||wz.allianz.fr^ +! *** easylist:easyprivacy/easyprivacy_specific_cname_branch.txt *** +! easyprivacy_specific_cname_branch.txt +! Company name: Branch.io https://github.com/AdguardTeam/cname-trackers/blob/master/data/clickthroughs/branch_io.txt +! Disabled +! ||clickmail.stubhub.com^ +! ||links.strava.com^ +! ||wl.spotify.com^ +! ||go.playbackbone.com^ +! ||t.ac.pandora.com^ +! ||stream.9now.com.au^ +! +! Company name: Branch.io +! +||07b3.pandasuite.io^ +||0ddf.pandasuite.io^ +||1.ftb.al^ +||10008919.pomelo.fashion^ +||10079290.fluz.app^ +||10298198.arch.sofi.org^ +||10298198.info.sofi.org^ +||10298198.m.sofi.org^ +||10298198.o.sofi.org^ +||102d.pandasuite.io^ +||11959579.fun.joyrun.com^ +||12915784.care.sanvello.com^ +||12915784.help.sanvello.com^ +||16134024.artcollection.io^ +||161779.publy.co^ +||18052925.im.intermiles.com^ +||19035924.automated.almosafer.com^ +||19035924.email.almosafer.com^ +||19035924.loyalty.almosafer.com^ +||19035924.mktg.almosafer.com^ +||19035955.automated.tajawal.com^ +||19035955.email.tajawal.com^ +||19035955.loyalty.tajawal.com^ +||19035955.mktg.tajawal.com^ +||1e90.pandasuite.io^ +||2.wantsext.me^ +||20bd.pandasuite.io^ +||2143.pandasuite.io^ +||22153974.branch.rocks^ +||223f.pandasuite.io^ +||2540166.chalknation.com^ +||3565433061881492849.academyofconsciousleadership.com^ +||3587285621425460184.academyofconsciousleadership.net^ +||3889082.dev.att.llabs.io^ +||3935128650935608632.academyofconsciousleadership.org^ +||3988408442896783715.theacademyforconsciousleadership.com^ +||3b38.pandasuite.io^ +||3skickasurf.tre.se^ +||40caidaylimpia.catzolab.net^ +||492733704185584515.academyforconsciousculture.com^ +||4b.oktium.com^ +||5173.pandasuite.io^ +||52d8.pandasuite.io^ +||5363316.marketing.numi.com^ +||5363316.trackerinfo.southbeachdiet.com^ +||581b.pandasuite.io^ +||5e00.pandasuite.io^ +||6068372.huckleberry-labs.com^ +||6519114.automated.almosafer.com^ +||6519114.automated.tajawal.com^ +||6519114.email.tajawal.com^ +||6519114.loyalty.almosafer.com^ +||6519114.loyalty.tajawal.com^ +||6519114.mktg.almosafer.com^ +||6519114.mktg.tajawal.com^ +||6677648.reddoorz.com^ +||671c.pandasuite.io^ +||757d.pandasuite.io^ +||76ef.pandasuite.io^ +||7701534.emails.tntdrama.com^ +||8041691.comms.hipages.com.au^ +||8041691.engage.hipages.com.au^ +||8147563.1954.bk.com^ +||8147563.thekingdom.bk.com^ +||8147563.your-way.bk.com^ +||8820.pandasuite.io^ +||8d4b.pandasuite.io^ +||9189.pandasuite.io^ +||9544702.kazooby.com^ +||9693.pandasuite.io^ +||9735476.sender.skyscanner.com^ +||9735476.sender.skyscanner.net^ +||9735476.test.skyscanner.net^ +||9786.pandasuite.io^ +||9857064.hello.spriggy.com.au^ +||9857064.notice.spriggy.com.au^ +||9955951.pillar.app^ +||9984342.reddoorz.in^ +||9b55.pandasuite.io^ +||9bdb.pandasuite.io^ +||9kvnwwkj.pandasuite.io^ +||a-t.topya.com^ +||a.a23.in^ +||a.careangel.com^ +||a.getemoji.me^ +||a.hibbett.com^ +||a.ifit.io^ +||a.itim.es^ +||a.nelo.mx^ +||a.pickme.lk^ +||a.sbnw.in^ +||a.topya.com^ +||a2.slotxbros.com^ +||aakashapp.byjus.com^ +||abcd.coderays.com^ +||ablink.1954.bk.com^ +||ablink.8email.eightsleep.com^ +||ablink.a.radio.com^ +||ablink.account.one.app^ +||ablink.account.zip.co^ +||ablink.ae.linktr.ee^ +||ablink.alerts.forhers.com^ +||ablink.alerts.max.com^ +||ablink.arch.sofi.org^ +||ablink.c.grubhub.com^ +||ablink.care.sanvello.com^ +||ablink.comms.hipages.com.au^ +||ablink.comms.trainline.com^ +||ablink.comms.waveapps.com^ +||ablink.commsinfo.trainline.com^ +||ablink.daily.sofi.com^ +||ablink.e.hungryjacks.com.au^ +||ablink.e.jackpocket.com^ +||ablink.e.sanvello.com^ +||ablink.e.theiconic.com.au^ +||ablink.earn.liven.com.au^ +||ablink.edm.zip.co^ +||ablink.em.redmart.com^ +||ablink.email.creator.shopltk.com^ +||ablink.email.etsy.com^ +||ablink.email.luminarypodcasts.com^ +||ablink.email.pressreader.com^ +||ablink.emails.spothero.com^ +||ablink.emails.themarket.nz^ +||ablink.emails.vida.com^ +||ablink.engage.hipages.com.au^ +||ablink.engage.insighttimer.com^ +||ablink.enjoy.wonder.com^ +||ablink.feed.liven.com.au^ +||ablink.fun.joyrun.com^ +||ablink.go1.zip.co^ +||ablink.go2.zip.co^ +||ablink.go3.zip.co^ +||ablink.hello.innit.com^ +||ablink.hello.sanvello.com^ +||ablink.hello.spriggy.com.au^ +||ablink.hello.washmen.com^ +||ablink.help.innit.com^ +||ablink.help.sanvello.com^ +||ablink.help.shopwell.com^ +||ablink.info.felixmobile.com.au^ +||ablink.info.oneatwork.app^ +||ablink.info.pressreader.com^ +||ablink.info.sofi.org^ +||ablink.info.themarket.nz^ +||ablink.info.timhortons.ca^ +||ablink.info.timhortons.com^ +||ablink.info.vida.com^ +||ablink.juicer.li.me^ +||ablink.kfc.com.au^ +||ablink.lifecycle.onxmaps.com^ +||ablink.loyal.timhortons.ca^ +||ablink.loyal.timhortons.com^ +||ablink.loyalty.almosafer.com^ +||ablink.loyalty.tajawal.com^ +||ablink.m.feelcove.com^ +||ablink.m.jackpocket.com^ +||ablink.m.popeyes.com^ +||ablink.m.seatedapp.io^ +||ablink.m.sofi.org^ +||ablink.ma.linktr.ee^ +||ablink.mail.activearcade.ai^ +||ablink.mail.adobespark.com^ +||ablink.mail.flipfit.com^ +||ablink.mail.grailed.com^ +||ablink.mail.homecourt.ai^ +||ablink.mail.parkmobile.io^ +||ablink.mail.truemoney.com^ +||ablink.mail.winwinsave.com^ +||ablink.mail1.iheart.com^ +||ablink.marketing.adobemailing.com^ +||ablink.marketing.li.me^ +||ablink.marketing.max.com^ +||ablink.marketing.motortrend.com^ +||ablink.marketing.onxmaps.com^ +||ablink.media.10play.com.au^ +||ablink.mktg.almosafer.com^ +||ablink.mktg.tajawal.com^ +||ablink.msg.flipfit.com^ +||ablink.my.zip.co^ +||ablink.news.felixmobile.com.au^ +||ablink.news.forhers.com^ +||ablink.news.gooseinsurance.com^ +||ablink.news.kfc.co.za^ +||ablink.newsletters1.motortrend.com^ +||ablink.newsletters2.motortrend.com^ +||ablink.notice.spriggy.com.au^ +||ablink.notification.insighttimer.com^ +||ablink.notify.homecourt.ai^ +||ablink.nz-edm.zip.co^ +||ablink.o.sofi.org^ +||ablink.offers.checkout51.com^ +||ablink.offroad-marketing.onxmaps.com^ +||ablink.p.radio.com^ +||ablink.pomelo.fashion^ +||ablink.pomelofashion.com^ +||ablink.promos.timhortons.ca^ +||ablink.promos.timhortons.com^ +||ablink.qa.enjoy.wonder.com^ +||ablink.r.sofi.com^ +||ablink.rider.li.me^ +||ablink.seller.etsy.com^ +||ablink.send.joinjamjar.com.au^ +||ablink.sender.skyscanner.com^ +||ablink.sender.skyscanner.net^ +||ablink.service.max.com^ +||ablink.staging-e.klarna.com^ +||ablink.stream.max.com^ +||ablink.subscribers.motortrend.com^ +||ablink.support.oneatwork.app^ +||ablink.t.feelcove.com^ +||ablink.tchicken.popeyes.com^ +||ablink.test.iheart.com^ +||ablink.test.kfc.com.au^ +||ablink.test.skyscanner.net^ +||ablink.test.vida.com^ +||ablink.thekingdom.bk.com^ +||ablink.thekitchen.popeyes.com^ +||ablink.track.popeyes.com^ +||ablink.track.timhortons.ca^ +||ablink.track.timhortons.com^ +||ablink.uat.enjoy.wonder.com^ +||ablink.updates.creator.shopltk.com^ +||ablink.updates.gooseinsurance.com^ +||ablink.your-way.bk.com^ +||ablink.your.audacy.com^ +||ablinkclicktest.prod.aws.skyscnr.com^ +||ablinks-staging.email.tispr.com^ +||ablinks.comms.healthengine.com.au^ +||ablinks.e.foxsports.com.au^ +||ablinks.e.sportinanutshell.com.au^ +||ablinks.info.amaro.com^ +||ablinks.kfc.com.au^ +||ablinks.mail.claritymoney.com^ +||ablinks.mail.hinge.co^ +||ablinks.mail.pared.com^ +||ablinks.marketing.numi.com^ +||ablinks.news.amaro.com^ +||ablinks.news.learnwithhomer.com^ +||ablinks.notify.healthengine.com.au^ +||ablinks.trackerinfo.southbeachdiet.com^ +||ablinks.welcome.learnwithhomer.com^ +||ablinksemail.wirexapp.com^ +||ablinksuni.a.grubhub.com^ +||ablinksuni.a.seamless.com^ +||abmail.info.amaro.com^ +||abmail.peak.net^ +||abmail.test.iheart.com^ +||abmail2.e.hungryjacks.com.au^ +||acc-link-ccontact.focuscura.com^ +||accenture.epoise.com^ +||accenturetest.epoise.com^ +||access.ipro.net^ +||access.iprolive.com^ +||access2.ipro.net^ +||acesse.tc.com.br^ +||acro.egghead.link^ +||act.wynk.in^ +||activation.depop.com^ +||active-email.branch.rocks^ +||ad.gogox.com^ +||ad.inhaabit.com^ +||adl.kkguan.com^ +||admin.academyforconsciousleadership.net^ +||ads.tikpage.com^ +||afpd.groundwidgets.com^ +||aggelakia.openapp.link^ +||ailla.abphotos.link^ +||aivali.openapp.link^ +||al.airtel.in^ +||al.mtrx.dev^ +||al.mtrx.travel^ +||al.mtrxs.dev^ +||al.test.airtel.in^ +||alaburger.openapp.link^ +||alapita.openapp.link^ +||alerts.steadyapp.com^ +||alexa.dev.intecular.com^ +||alibabapizza.openapp.link^ +||alinks.outcomes4me.com^ +||alpha.go.levelbank.com^ +||amandi.openapp.link^ +||amazon-email.branch.rocks^ +||amo.myoyster.mx^ +||ana.e-ticket.co.jp^ +||analytics.adobe.ly^ +||analytics.crowdkeep.com^ +||analytics.eventbrite.com^ +||anapp.adobe.com^ +||android.txtsmarter.com^ +||anet.abphotos.link^ +||animaux.oworld.fr^ +||antico.openapp.link^ +||aod.echovisuals.com^ +||ap.hibbett.com^ +||ap.shouta.co^ +||app-branch.yummybazaar-qa.com^ +||app-clicks-corporate.firstrepublic.com^ +||app-clicks.firstrepublic.com^ +||app-dat.kingofthecurve.org^ +||app-dev.onyx.fit^ +||app-dev.stressbuoy.com^ +||app-jp.getmiles.com^ +||app-link-test.inkl.com^ +||app-link-test.republik.gg^ +||app-link.funfull.com^ +||app-link.inkl.com^ +||app-link.republik.gg^ +||app-link.smartvid.io^ +||app-link.udex.us^ +||app-qa.rnd.thronelabs.co^ +||app-redirect.wearephlo.com^ +||app-stage.mschfsneakers.com^ +||app-test.albrt.co^ +||app-test.barking.city^ +||app-test.barking.ee^ +||app-test.comparethemarket.com.au^ +||app-test.evntly.com^ +||app-test.get360fit.com^ +||app-test.goat.com^ +||app-test.hermo.my^ +||app-test.kisikates.com.tr^ +||app-test.klip.ae^ +||app-test.mogo.ca^ +||app-test.mywaggle.com^ +||app-test.nala.money^ +||app-test.planstr.com^ +||app-test.playtally.com^ +||app-test.thestaxapp.com^ +||app-test.utlob.com^ +||app-uat.latrobehealth.com.au^ +||app-uat.navyhealth.com.au^ +||app.1112.com^ +||app.2cents.audio^ +||app.5miles.us^ +||app.8tracks.com^ +||app.aaptiv.com^ +||app.acekuwait.com^ +||app.activityhero.com^ +||app.aksent.ai^ +||app.albrt.co^ +||app.allyos.com^ +||app.almosafer.com^ +||app.almutawapharmacies.com^ +||app.ammanmart.com^ +||app.anch.co^ +||app.appcity.com.au^ +||app.aquaservice.com^ +||app.areyouin.io^ +||app.atlasmission.com^ +||app.audibene.de^ +||app.auge.pro.br^ +||app.autotrader.com.au^ +||app.avopass.com^ +||app.awto.cl^ +||app.awto.com.br^ +||app.babycloud.in^ +||app.bajajfinservmarkets.in^ +||app.ballet.org.uk^ +||app.bancobv.com.br^ +||app.banqi.com.br^ +||app.barking.city^ +||app.barking.ee^ +||app.bateriasparacarrosbogota.com^ +||app.begin.is^ +||app.bekfood.de^ +||app.belbet.by^ +||app.belk.com^ +||app.bergenkino.no^ +||app.berrydates.com^ +||app.bettle.co^ +||app.bible.com^ +||app.biblelens.com^ +||app.bikeep.com^ +||app.bimbaylola.com^ +||app.bloombergconnects.org^ +||app.bovedainc.com^ +||app.bplepay.co.kr^ +||app.brain.ly^ +||app.brandclub.com^ +||app.bruce.work^ +||app.buildd.co^ +||app.butterflymx.com^ +||app.bws.com.au^ +||app.byjus.com^ +||app.caden.io^ +||app.cambolink21.com^ +||app.campaignhero.ai^ +||app.campbowwow.com^ +||app.capitalbikeshare.com^ +||app.cardbaazi.com^ +||app.cardiovisual.com^ +||app.carrierview.com^ +||app.carsguide.com.au^ +||app.catchconnect.com.au^ +||app.changemakerz.org^ +||app.citibikenyc.com^ +||app.citylink.ro^ +||app.clientbook.com^ +||app.clovia.com^ +||app.cmnet.cf^ +||app.coconuts.co^ +||app.colesmobile.com.au^ +||app.comparethemarket.com.au^ +||app.cookdtv.com^ +||app.coto.world^ +||app.cover.com^ +||app.ctc.ru^ +||app.cuahealth.com.au^ +||app.curesk.in^ +||app.currenciesdirect.com^ +||app.danmurphys.com.au^ +||app.deliverynow.vn^ +||app.delphia.com^ +||app.dev.pyypl.io^ +||app.dev.talksport.com^ +||app.dev.virginradio.co.uk^ +||app.deviceidfinder.com^ +||app.devyce.com^ +||app.dickssportinggoods.com^ +||app.discover.com^ +||app.dolinakrzny.digimuth.com^ +||app.domclick.ru^ +||app.dreambox.ru.com^ +||app.echo.co.uk^ +||app.echovisuals.com^ +||app.eland.kr^ +||app.elanic.in^ +||app.elly.com^ +||app.email.influitive.com^ +||app.entwickler.de^ +||app.etc.se^ +||app.etcel.se^ +||app.evntly.com^ +||app.exercisetimer.net^ +||app.experience297.com^ +||app.explico.sg^ +||app.fashalot.com^ +||app.favorited.com^ +||app.feedacat.com^ +||app.feedadog.com^ +||app.fitmint.io^ +||app.fixly.pl^ +||app.flatex.at^ +||app.flatex.de^ +||app.flowyour.money^ +||app.flykitt.com^ +||app.flyx.me^ +||app.food.li^ +||app.food.porn^ +||app.foody.vn^ +||app.forever21.com^ +||app.fount.bio^ +||app.fuse.cash^ +||app.fyscore.com^ +||app.gasengineersoftware.co.uk^ +||app.gastro-ausweis.de^ +||app.gempak.com^ +||app.get-e.com^ +||app.getbamboo.io^ +||app.getcubo.com^ +||app.getgifted.com^ +||app.getgigl.com^ +||app.getjerry.com^ +||app.getmiles.com^ +||app.getplayground.com^ +||app.getselect.co^ +||app.getsquirrel.io^ +||app.ggpoker.co.uk^ +||app.gobuncha.com^ +||app.gocheetah.com^ +||app.godtlevert.no^ +||app.gogovan.sg^ +||app.gogovan.tw^ +||app.golfgalaxy.com^ +||app.goodwearmall.com^ +||app.gopib.net^ +||app.goqii.com^ +||app.got-it.link^ +||app.grabon.in^ +||app.grapevine.in^ +||app.greenweez.com^ +||app.grubster.com.br^ +||app.gustave-et-rosalie.com^ +||app.gwsportsapp.in^ +||app.gymstreak.com^ +||app.handlemoa.com^ +||app.hapicolibri.fr^ +||app.happyar.world^ +||app.hauskey.com^ +||app.headuplabs.com^ +||app.health2sync.com^ +||app.healthteams.com.au^ +||app.hear.com^ +||app.heponda.com^ +||app.hermo.my^ +||app.hinge.co^ +||app.hirenodes.com^ +||app.hocngoainguhieuqua.com^ +||app.holdstation.com^ +||app.homelocatorapp.com^ +||app.homoola.com^ +||app.hotdoc.com.au^ +||app.iamblackbusiness.com^ +||app.idexevent.com^ +||app.infyn.it^ +||app.inkitt.com^ +||app.instantlocal.com^ +||app.intermexonline.com^ +||app.intermiles.com^ +||app.interprefy.com^ +||app.intros.com^ +||app.inutriciondeportiva.com^ +||app.iroomit.com^ +||app.itimes.com^ +||app.iwanttfc.com^ +||app.jamdoughnut.com^ +||app.jili178.us^ +||app.joatspace.com^ +||app.joinkroo.com^ +||app.joinraft.com^ +||app.jurishand.com^ +||app.kaptain11.com^ +||app.kcutsgo.com^ +||app.kernwerk.de^ +||app.kingofthecurve.org^ +||app.kippo.gg^ +||app.kisikates.com.tr^ +||app.klaim.us^ +||app.klip.ae^ +||app.klokahem.com^ +||app.kochamwino.com.pl^ +||app.kora.money^ +||app.koyamedical.com^ +||app.kumu.ph^ +||app.lark.com^ +||app.latrobehealth.com.au^ +||app.lawnlove.com^ +||app.learnz.hu^ +||app.levi.com^ +||app.libre.org^ +||app.link.livibank.com^ +||app.link.nba.com^ +||app.liven.com.au^ +||app.lootpop.com^ +||app.luckysweater.com^ +||app.luve.tv^ +||app.manager.privateaser.com^ +||app.marriott.com^ +||app.matchme.social^ +||app.me4u.ai^ +||app.meclub.com^ +||app.meihengyisheng.com^ +||app.meliuz.com.br^ +||app.memor-i.com^ +||app.menupromo.inlinefx.com^ +||app.mikedfitness.com^ +||app.mingo.chat^ +||app.mintmobile.com^ +||app.mobilapp.io^ +||app.mobilevikings.pl^ +||app.mogo.ca^ +||app.moneta.lk^ +||app.moneywalkie.com^ +||app.motiwy.com^ +||app.movebe.com^ +||app.movegb.com^ +||app.mschfsneakers.com^ +||app.mt11.io^ +||app.musely.com^ +||app.mybestphotobook.com^ +||app.mybliss.ai^ +||app.mycirclecare.com^ +||app.mylogoinc.com^ +||app.myrbhs.com.au^ +||app.mywaggle.com^ +||app.naga.com^ +||app.naked.insure^ +||app.nala.money^ +||app.nalogi.online^ +||app.nautilus.io^ +||app.navi.com^ +||app.navyhealth.com.au^ +||app.nhrmcmychart.com^ +||app.nootric.com^ +||app.now.vn^ +||app.nursef.ly^ +||app.ocamping.fr^ +||app.oceans.io^ +||app.ofisten.com^ +||app.onet.pl^ +||app.onyx.fit^ +||app.onyxcharge.com^ +||app.openfolio.com^ +||app.optus.com.au^ +||app.ouicsport.fr^ +||app.ovloop.com^ +||app.oze789.com^ +||app.p100.io^ +||app.pally.live^ +||app.pandasuite.io^ +||app.panomoments.com^ +||app.pawsket.com^ +||app.payomatic.com^ +||app.payon.mn^ +||app.pdf.ac^ +||app.pethoops.com^ +||app.pickwin.net^ +||app.pickyourtrail.com^ +||app.pixapp.com^ +||app.pointer.com.br^ +||app.pokerup.net^ +||app.pooler.io^ +||app.poolkingmobile.com^ +||app.popsa.com^ +||app.poupaenergia.pt^ +||app.powerwatch.io^ +||app.priceoff.com.br^ +||app.primeconcept.co.uk^ +||app.primexbt.com^ +||app.pro-vision.com^ +||app.producttube.com^ +||app.progressive.com^ +||app.puma.com^ +||app.puneeatouts.in^ +||app.pyypl.io^ +||app.qa.flykitt.com^ +||app.qa.fount.bio^ +||app.qeenatha.com^ +||app.qlan.gg^ +||app.qooxydz.net^ +||app.quidd.co^ +||app.quotesalarm.com^ +||app.radio.com^ +||app.radixdlt.com^ +||app.raneen.com^ +||app.rclb.pl^ +||app.realnewsnow.com^ +||app.renozee.com^ +||app.resq.club^ +||app.reuters.com^ +||app.ritual.io^ +||app.rlax.me^ +||app.rmbr.in^ +||app.roomsync.com^ +||app.scrpbx.co^ +||app.seasonshare.com^ +||app.segno.org^ +||app.select.id^ +||app.semusi.com^ +||app.sephora.com^ +||app.shopback.com^ +||app.shouta.co^ +||app.showroomprive.com^ +||app.singlife.com^ +||app.skideal-prod.ynadev.com^ +||app.skydo.cloud^ +||app.smartcredit.com^ +||app.smrtp.link^ +||app.snbla.com^ +||app.sortedai.com^ +||app.soultime.com^ +||app.sswt.co^ +||app.stadac.mobilapp.gmbh^ +||app.stagingsimpl.com^ +||app.streaktrivia.com^ +||app.stressbuoy.com^ +||app.studios.brain.ai^ +||app.subs.tv^ +||app.sunstone.in^ +||app.sweeps.fyi^ +||app.swiftgift.it^ +||app.swiftgift.me^ +||app.ta3weem.com^ +||app.tadatada.com^ +||app.tagachi.io^ +||app.tajawal.com^ +||app.talksport.com^ +||app.task.io^ +||app.teachfx.com^ +||app.test.elly.com^ +||app.th3rdwave.coffee^ +||app.theachieveapp.com^ +||app.theachieveproject.com^ +||app.thedealerapp.co.uk^ +||app.themaven.net^ +||app.thestaxapp.com^ +||app.thetimes.link^ +||app.thetriviabar.com^ +||app.thexlife.co^ +||app.thisiscleveland.com^ +||app.tikki.com^ +||app.times.radio^ +||app.tmro.com^ +||app.toastme.com^ +||app.topgrad.co.uk^ +||app.topten10mall.com^ +||app.torfx.com^ +||app.touchofmodern.com^ +||app.trade.mogo.ca^ +||app.trainfitness.ai^ +||app.trainline.com^ +||app.travelcom.com.tw^ +||app.trayls.com^ +||app.treering.com^ +||app.trell.co^ +||app.trimenu.com^ +||app.trulia.com^ +||app.trutv.com^ +||app.tsgo.io^ +||app.tutorela.com^ +||app.ugo.srl^ +||app.unlockar.com^ +||app.utlob.com^ +||app.vahak.in^ +||app.vidds.ee^ +||app.virdee.co^ +||app.virginradio.co.uk^ +||app.vitabuddy.de^ +||app.vitruvian.me^ +||app.voice.football^ +||app.vurse.com^ +||app.vyaparapp.in^ +||app.w3w.io^ +||app.waybetter.com^ +||app.well.co.uk^ +||app.what3words.com^ +||app.wish2wash.com^ +||app.wishtrend.com^ +||app.withutraining.com^ +||app.wonder.com^ +||app.wordgo.org^ +||app.wsop.ca^ +||app.wudju.de^ +||app.yolda.com^ +||app.yolda.io^ +||app.yollty.com^ +||app.youla.io^ +||app.yourmoji.co^ +||app.zip.co^ +||app.ziptoss.com^ +||app.zirtue.com^ +||app.zwilling.com^ +||app2.220cordncode.com^ +||application.mindshine.app^ +||application.mybiglove.ru^ +||applink-test.chalknation.com^ +||applink.aspiration.com^ +||applink.batterii.com^ +||applink.beta.aspiration.com^ +||applink.calciumhealth.com^ +||applink.cw.com.tw^ +||applink.designengineapp.com^ +||applink.discuss.com.hk^ +||applink.eventable.com^ +||applink.flipboard.com^ +||applink.fun88906.com^ +||applink.get-a-way.com^ +||applink.getbambu.com^ +||applink.getconfide.com^ +||applink.glicrx.com^ +||applink.groupthera.com^ +||applink.hellobacsi.com^ +||applink.hightail.com^ +||applink.hk01.com^ +||applink.hktester.com^ +||applink.joyrun.com^ +||applink.jurafuchs.de^ +||applink.mojilala.com^ +||applink.moolban.com^ +||applink.mypostcardapp.com^ +||applink.oskar.de^ +||applink.picmasters.de^ +||applink.pleizi.com^ +||applink.pod.io^ +||applink.podimo.com^ +||applink.psychonline.com^ +||applink.qa.tarjetabumeran.com^ +||applink.raaho.in^ +||applink.tarjetabumeran.com^ +||applink.test.jurafuchs.de^ +||applink.whizzl.com^ +||applink.youareaceo.com^ +||applink2.moolban.com^ +||applinks-test.flybuys.com.au^ +||applinks.afriflirt.com^ +||applinks.aventuraapp.com^ +||applinks.bikersnearby.com^ +||applinks.box8.in^ +||applinks.calpool.com^ +||applinks.capitalone.co.uk^ +||applinks.cougarsnearby.com^ +||applinks.cowboysnearby.com^ +||applinks.fliplearn.com^ +||applinks.flybuys.com.au^ +||applinks.hotspot.travel^ +||applinks.laoshi.io^ +||applinks.makemytrip.com^ +||applinks.tarrakki.com^ +||applinks.truckersnearby.com^ +||applinks.xdressr.com^ +||applinks.zerista.com^ +||appredirect.snapdeal.com^ +||apps-test.spectrum-member.com^ +||apps.airmeet.com^ +||apps.ayopop.id^ +||apps.bannerman.com^ +||apps.circle.com^ +||apps.crib.in^ +||apps.daxko-qa.com^ +||apps.daxko.com^ +||apps.ding.jobs^ +||apps.e-butler.com^ +||apps.jeffgalloway.com^ +||apps.myprepaidcenter.com^ +||apps.shakaguide.com^ +||apps.spectrum-member.com^ +||apps.uquote.io^ +||apps.weekendgowhere.sg^ +||apps.wholefoodsmarket.com^ +||apps.zingeroo.com^ +||apptest.gotvive.com^ +||apptest.gwsportsapp.in^ +||apptest.jow.fr^ +||apptest.truveiculos.com^ +||apptracker.torob.com^ +||appuat.intermiles.com^ +||apssdc.epoise.com^ +||apssdctest.epoise.com^ +||ar.interiordefine.com^ +||arch.onjoyri.de^ +||aria.inhaabit.com^ +||art.b.inhaabit.com^ +||ascmart.abphotos.link^ +||ask.wearelistening.co.nz^ +||assistant.dg1.com^ +||atb.mlb.com^ +||athlete.uninterrupted.com^ +||atiteasexam.quantresear.ch^ +||atlantablackstar.black.news^ +||atumanera.burgerking.com.mx^ +||authsmtp.happ.social^ +||avasgtest.branch.rocks^ +||awsexam.quantresear.ch^ +||b.arenum.games^ +||b.check-ins.com.my^ +||b.chme.io^ +||b.discotech.me^ +||b.dl.redcrossblood.org^ +||b.ewd.io^ +||b.getmaintainx.com^ +||b.gett.com^ +||b.home.com.au^ +||b.iheart.southwest.com^ +||b.itravel.southwest.com^ +||b.iwanna.southwest.com^ +||b.lyst.com^ +||b.mail.tabcorp.com.au^ +||b.pickme.lk^ +||b.prod1.youroffers.dominos.ca^ +||b.pscp.live^ +||b.sharechat.com^ +||b.sprucehealth.com^ +||b.staging.thechivery.com^ +||b.tate.it^ +||b.thechive.com^ +||b.thechivery.com^ +||b.todaytix.com^ +||b.vidmob.com^ +||b.whee.ly^ +||b.workhere.com^ +||b.your.rewardsemail.dominos.ca^ +||b.ysh.io^ +||b.zedge.me^ +||b73c.pandasuite.io^ +||baccarat.abzorbagames.com^ +||basket.mondo.link^ +||baton.cuetv.online^ +||battlenet.openapp.link^ +||bb.onjoyri.de^ +||bbanywhere.links.rosieapp.com^ +||bbs.theacademyforconsciousleadership.com^ +||bclicks.lyst.com^ +||bde.beformance.com^ +||bdl.xefyr.com^ +||bdtestsendpulse.branch.rocks^ +||be.slowmographer.co^ +||bears.daigostudio.com^ +||bepartof.wechain.eu^ +||beta-link.liilix.com^ +||betrice.wantsext.me^ +||betterhealthrewards.headuplabs.com^ +||bettermedical-app.hotdoc.com.au^ +||bf35f69f2c6f6bcda64064b1f5b49218.domain.com.au^ +||bfg.loanzify.app^ +||bh-test.groc.press^ +||bh.groc.press^ +||bi.irisdating.com^ +||bint.openapp.link^ +||bio.chups.co^ +||bit.beformance.com^ +||bizlink.dinifi.com^ +||bkstg.flyx.me^ +||bl-test.curatedplanet.com^ +||blackdagger.openapp.link^ +||blackenterprise.black.news^ +||blackjack.abzorbagames.com^ +||blavity.black.news^ +||blink.checkworkrights.com.au^ +||blinks.mindoktor.se^ +||blinks.outcomes4me.com^ +||blinkstest.mindoktor.se^ +||bluecore-email.branch.rocks^ +||bmf.branch.rocks^ +||bn.coupocket.com^ +||bnc-papago.naver.com^ +||bnc.autopass.xyz^ +||bnc.chewchunks.com^ +||bnc.citylink.ro^ +||bnc.cityscope.media^ +||bnc.findlife.com.tw^ +||bnc.luxurysportsrelocation.com^ +||bnc.mksp.io^ +||bnc.oustme.com^ +||bnc.squaretrade.com^ +||bnc.thewaya.com^ +||bnc.tripcody.com^ +||book.londonsoundacademy.com^ +||booking.getwaitnot.com^ +||boss.openapp.link^ +||bot.asksyllable.com^ +||bot.stackbots.com^ +||bot.streaktrivia.com^ +||botb.rtl2.de^ +||bp.mlb.com^ +||bpe.mlb.com^ +||bpeml.mlb.com^ +||br.ac.ebookers.ch^ +||br.ac.ebookers.com^ +||br.ac.ebookers.de^ +||br.ac.ebookers.fi^ +||br.ac.ebookers.fr^ +||br.ac.ebookers.ie^ +||br.ac.mrjet.se^ +||br.ac.orbitz.com^ +||br.ac.travelocity.com^ +||br.ac2.cheaptickets.com^ +||br.backmarket.fr^ +||br.email.lifesum.com^ +||br.eml.walgreens.com^ +||br.inhaabit.com^ +||br.kent.co.in^ +||br.links.kmartphotos.com.au^ +||br.links.kodakmoments.com^ +||br.potato1.influitive.com^ +||br.probablecausesolutions.com^ +||br.sprbl.st^ +||br.uk.beformance.com^ +||bractivacar.eccocar.com^ +||braddumacar.eccocar.com^ +||brainlands.stonefalcon.com^ +||bramerirent.eccocar.com^ +||bran.sightdots.com^ +||branch-4567w2a56q-test.salesfloor.net^ +||branch-4567w2a56q.salesfloor.net^ +||branch-5q8gbnve37.salesfloor.net^ +||branch-areena.yle.fi^ +||branch-c.hipages.com.au^ +||branch-consumer.hipages.com.au^ +||branch-dev.getmaintainx.com^ +||branch-g993dvyzae-test.salesfloor.net^ +||branch-g993dvyzae.salesfloor.net^ +||branch-io.smartr365.com^ +||branch-link.getseated.com^ +||branch-sandbox.thekono.com^ +||branch-sl-qc.trycircle.com^ +||branch-stage.jisp.com^ +||branch-test.locationlabs.com^ +||branch-test.rejuvenan.com^ +||branch-test.step.com^ +||branch-test.tbal.io^ +||branch-titan.rejuvenan.com^ +||branch-tradie.hipages.com.au^ +||branch-uutisvahti.yle.fi^ +||branch-ylefi.yle.fi^ +||branch.365soup.bibsolution.net^ +||branch.agmt.it^ +||branch.appryse.com^ +||branch.att.llabs.io^ +||branch.backbon3.com^ +||branch.bottradionetwork.com^ +||branch.callbridge.rocks^ +||branch.careforth.com^ +||branch.carvana.com^ +||branch.chelseafc.com^ +||branch.clicks.anchor.fm^ +||branch.codepressapp.com^ +||branch.connect.actionnetwork.com^ +||branch.craftsmanrepublic.com^ +||branch.dev.att.llabs.io^ +||branch.devishetty.net^ +||branch.dragonslayertravel.com^ +||branch.dstreet.finance^ +||branch.eccocar.com^ +||branch.employus.com^ +||branch.familybase.vzw.com^ +||branch.frankctan.com^ +||branch.getcredible.io^ +||branch.gosunpro.com^ +||branch.hyr.work^ +||branch.indi.com^ +||branch.kastapp.link^ +||branch.kiddom.co^ +||branch.lacarte.com^ +||branch.learny.co^ +||branch.liketk.it^ +||branch.link.loop.net.nz^ +||branch.livenation.com^ +||branch.locationlabs.com^ +||branch.mapstr.com^ +||branch.myoyster.mx^ +||branch.mypixie.co^ +||branch.nc.mails.sssports.com^ +||branch.olamoney.com^ +||branch.oneroof.co.nz^ +||branch.oraleye.com^ +||branch.parkingpanda.com^ +||branch.pgatour-mail.com^ +||branch.quantic.edu^ +||branch.rejuvenan.com^ +||branch.release.winfooz.com^ +||branch.reserveout.com^ +||branch.rockmyrun.com^ +||branch.servingchefs.com^ +||branch.seshfitnessapp.com^ +||branch.shoprunner.com^ +||branch.shuruapp.com^ +||branch.socar.kr^ +||branch.spaceback.me^ +||branch.step.com^ +||branch.supportgenie.io^ +||branch.t.slac.com^ +||branch.tadatada.com^ +||branch.tbal.io^ +||branch.thekono.com^ +||branch.threepiece.com^ +||branch.totalbrain.com^ +||branch.trevo.my^ +||branch.tripcody.com^ +||branch.uat.bfsgodirect.com^ +||branch.udl.io^ +||branch.vcf-test.vzw.dev.llabs.io^ +||branch.vsco.ninja^ +||branch.wallet.bitcoin.com^ +||branch.wawa.com^ +||branch.weeblme.com^ +||branch.wellsitenavigator.com^ +||branch.whatsnxt.app^ +||branch.xoxloveheart.com^ +||branch2.udl.io^ +||branchct.ncapp04.com^ +||branchcust.zulln.se^ +||branchio.hipages.com.au^ +||branchio.rsvp.com.au^ +||branchio.services.evaneos.com^ +||branchio.taxibeat.com^ +||branchioth.thehindu.co.in^ +||branchlink.adobespark.com^ +||branchlink.tripcody.com^ +||branchtest.cocoon.today^ +||branchtest.uk.puma.com^ +||branchtest.veryableops.com^ +||branchtest.whataburger.com^ +||branchtrk.lendingtree.com^ +||brands.picklebutnotcucumber.com^ +||bravantrent.eccocar.com^ +||brbristoltruckrentals.eccocar.com^ +||brc.aigrammar.net^ +||brc.emails.rakuten.com^ +||brc.englishdict.cc^ +||brc.englishtimes.cc^ +||brc.hellotalk.com^ +||brc.languageclass.cc^ +||brc2.aigrammar.net^ +||brcargreen.eccocar.com^ +||brcicar.eccocar.com^ +||brclickrent.eccocar.com^ +||brcrx.eccocar.com^ +||brdriveonrental.eccocar.com^ +||breasycarrental.eccocar.com^ +||brespark.eccocar.com^ +||brevnet.eccocar.com^ +||brfeneval.eccocar.com^ +||brfree2move.eccocar.com^ +||brgoazen.eccocar.com^ +||brgroupeollandini.eccocar.com^ +||brhellorentacar.eccocar.com^ +||brhimobility.eccocar.com^ +||brice-test.nawar.io^ +||brinstascooter.eccocar.com^ +||brioscoot.eccocar.com^ +||brldassustitucion.eccocar.com^ +||brlesrochesmarbella.eccocar.com^ +||brlikecarsharing.eccocar.com^ +||brllanesrentacar.eccocar.com^ +||brmbrenting.eccocar.com^ +||brmexrentacar.eccocar.com^ +||brmocean.eccocar.com^ +||brmoter.eccocar.com^ +||brmov.eccocar.com^ +||brmuvif.eccocar.com^ +||brmuvon.eccocar.com^ +||brnc.seidecor.com.br^ +||bronxvanilla.openapp.link^ +||brooklynway.openapp.link^ +||brpayless.eccocar.com^ +||brquazzar.eccocar.com^ +||brquikly.eccocar.com^ +||brrecordgo.eccocar.com^ +||brrentalservicefinland.eccocar.com^ +||brrhgrocarsharing.eccocar.com^ +||brshareandrent.eccocar.com^ +||brsmovecity.eccocar.com^ +||brsolenelocation.eccocar.com^ +||brtelefurgo.eccocar.com^ +||brtimove.eccocar.com^ +||brtimovesharing.eccocar.com^ +||brtrack.rummypassion.com^ +||brugocarz.eccocar.com^ +||brvallsrentacar.eccocar.com^ +||brvelocity.eccocar.com^ +||brwanacars.eccocar.com^ +||brwerental.eccocar.com^ +||bryurent.eccocar.com^ +||btn.listonic.com^ +||btn.rtl2.de^ +||build.1tap.tax^ +||bulgaria.openapp.link^ +||bulgariarestaurant.openapp.link^ +||buonasera.openapp.link^ +||buoypinger-app.sapsailing.com^ +||business.crib.in^ +||business.face2.io^ +||buyer.okiela.com^ +||c-t.topya.com^ +||c.aquaservice.com^ +||c.autozen.tv^ +||c.ixi.to^ +||c.lolamarket.com^ +||c.refun.do^ +||c.stext.id^ +||c.topya.com^ +||c.vcty.co^ +||c.werally.com^ +||c4c9.pandasuite.io^ +||c6lc.pandasuite.io^ +||c917.pandasuite.io^ +||ca.macheq.com^ +||caapp.levi.com^ +||campaigns.impactive.io^ +||campaigns.outvote.io^ +||card.getgifted.com^ +||card.pingpro.com^ +||careerconnect.epoise.com^ +||cartoon.hardalist.com^ +||cattell.loanzify.app^ +||cclink.carfax.com^ +||cdanjoyner4374.myre.io^ +||cdl.booksy.com^ +||cdl.lvsafe.io^ +||cdl2.booksy.com^ +||cfaexam.quantresear.ch^ +||cfb.8it.me^ +||chef.getmenoo.com^ +||chef.newtrina.com^ +||chelsea.clicks.hqo.co^ +||circle.pandasuite.io^ +||citizenship.quantresear.ch^ +||cl.inhaabit.com^ +||clevertapsendgrid.branch.rocks^ +||click-staging.food.mercato.com^ +||click-staging.getdreams.co^ +||click-testing.moselo.com^ +||click.aaptiv.com^ +||click.bible.com^ +||click.bitesquad.com^ +||click.blueapron.com^ +||click.carousell.com^ +||click.community.carousell.com^ +||click.depop.com^ +||click.devemails.skechers.com^ +||click.dice.com^ +||click.drizly.com^ +||click.e.affirm.com^ +||click.e.progressive.com^ +||click.e.tdbank.com^ +||click.em.soothe.com^ +||click.email.houndapp.com^ +||click.email.soundhound.com^ +||click.emails.creditonebank.com^ +||click.favordelivery.com^ +||click.food.mercato.com^ +||click.glamsquad.com^ +||click.instacartemail.com^ +||click.mail.carousell.com^ +||click.mail.thecarousell.com^ +||click.mail.theknot.com^ +||click.marketing.carousell.com^ +||click.moselo.com^ +||click.pockee.com^ +||click.redditmail.com^ +||click.signaturemarket.co^ +||click.sutra.co^ +||click.totallymoney.com^ +||click.transactional.carousell.com^ +||click.trycaviar.com^ +||click.trycobble.com^ +||click1.e.audacy.com^ +||click1.e.radio.com^ +||click1.email-postup.branch.rocks^ +||click1.email.audacy.com^ +||click2.email.ticketmaster.com^ +||clicked.ebates.com^ +||clicks.6thstreet.com^ +||clicks.burgerking.co.uk^ +||clicks.drizly.com^ +||clicks.email.shakeshack.com^ +||clicks.equinoxplus.com^ +||clicks.exploreshackle.app^ +||clicks.flaming.burger-king.ch^ +||clicks.food.mercato.com^ +||clicks.kfc.co.uk^ +||clicks.kfc.fr^ +||clicks.lifesum.com^ +||clicks.metronautapp.com^ +||clicks.point.app^ +||clicks.rallyrd.com^ +||clicks.shakeshack.com^ +||clicks.staging.worldremit.com^ +||clicks.thehive.hqo.co^ +||clicks.tunein.com^ +||clicks.variis.com^ +||clicks2.hqo.co^ +||clients.belairdirect.com^ +||clients.intact.ca^ +||clients.nbc-insurance.ca^ +||clk.mindfulsuite.com^ +||cltr.irlmail.org^ +||cmflinks.provesio.com^ +||cn1.stadiumgoods.com^ +||cn2.stadiumgoods.com^ +||cname.pebmed.com.br^ +||collect.ezidox.com^ +||colors.chamoji.com^ +||community.keeperz.app^ +||connect.goziohealth.com^ +||connect.huru.ai^ +||connect.im8.net^ +||connect.pixellot.link^ +||connectmychart.goziohealth.com^ +||content.booksplusapp.com^ +||content.mini.pix.style^ +||content.pix.style^ +||content.stage.mini.pix.style^ +||content.yole365.com^ +||content.youmiam.com^ +||contractor-app.buildforce.com^ +||converge.headuplabs.com^ +||cooking-app.lkk.com^ +||cp.rootielearning.com^ +||cq.hq1.influitive.com^ +||crepemania.openapp.link^ +||crew-qa.zubie.com^ +||crew.spektare.tv^ +||crew.zubie.com^ +||crrm.onjoyri.de^ +||crypto.egghead.link^ +||cscsexam.quantresear.ch^ +||ct-dev.taskhuman.com^ +||ct.irl.co^ +||ct.irl.com^ +||ct.irlmail.org^ +||ct.taskhuman.com^ +||ctd.drivescore.com^ +||cttest.branch.rocks^ +||cucaido.abphotos.link^ +||culture.pandasuite.io^ +||custom.tonyle.co^ +||customer.libertycarz.com^ +||cz-anag.m-shop.me^ +||cz-babynabytek.m-shop.me^ +||cz-babyplaza.m-shop.me^ +||cz-batteryimport.m-shop.me^ +||cz-cassidi.m-shop.me^ +||cz-countrylife.m-shop.me^ +||cz-efitness.m-shop.me^ +||cz-fightstore.m-shop.me^ +||cz-fitness007.m-shop.me^ +||cz-grafficon.m-shop.me^ +||cz-joealex.m-shop.me^ +||cz-laznejupiter.m-shop.me^ +||cz-myhealth.m-shop.me^ +||cz-newbag.m-shop.me^ +||cz-nobilistilia.m-shop.me^ +||cz-originalstore.m-shop.me^ +||cz-rekant.m-shop.me^ +||cz-rychleleky.m-shop.me^ +||cz-sasoo.m-shop.me^ +||cz-scootshop.m-shop.me^ +||cz-styx.m-shop.me^ +||cz-tattoomania.m-shop.me^ +||cz-topalkohol.m-shop.me^ +||cz-topgal.m-shop.me^ +||cz-trenyrkarna.m-shop.me^ +||cz-tropicliberec.m-shop.me^ +||cz-velkykosik.m-shop.me^ +||d-app.progressive.com^ +||d-snapshotapp.progressive.com^ +||d-staging.groc.press^ +||d.cybtel.com^ +||d.delahorro.app^ +||d.groc.press^ +||d.jugnoo.in^ +||d.mail.levi.com^ +||d.shopprecouriers.com^ +||d.stay-app.com^ +||d.whoscall.com^ +||d.xapcard.com^ +||d6ek.pandasuite.io^ +||dart.onjoyri.de^ +||dashboardbntest.branchcustom.xyz^ +||dba4.pandasuite.io^ +||ddlbr.timesclub.co^ +||de-metalshop.m-shop.me^ +||dealfastfood.openapp.link^ +||debug-inform.liilix.com^ +||debug-r.rover.com^ +||deep.mimizoo.dev^ +||deep.mlmtool.in^ +||deep.plant.chat^ +||deep.souk.com.br^ +||deeplink-app.olympia.nl^ +||deeplink-staging.tops.co.th^ +||deeplink.alpha.aspiration.com^ +||deeplink.api-sandbox.notarycam.com^ +||deeplink.app.notarycam.com^ +||deeplink.aspiration.com^ +||deeplink.autotrader.com.au^ +||deeplink.dashnow.my^ +||deeplink.estheticon.com^ +||deeplink.gocover.co.za^ +||deeplink.goodmeasures.com^ +||deeplink.instacartemail.com^ +||deeplink.intelligence.weforum.org^ +||deeplink.lamsaworld.com^ +||deeplink.locokids.cn^ +||deeplink.mobile360.io^ +||deeplink.newsandbox.notarycam.com^ +||deeplink.oxstreet.com^ +||deeplink.ring.md^ +||deeplink.supergreat.com^ +||deeplink.tytod.com^ +||deeplink.wagr.ai^ +||deeplink.wbnc.99array.com^ +||deeplink.winespectator.com^ +||deeplink.xeropan.com^ +||deeplinkdev.upoker.net^ +||deeplinks.amex.dynamify.com^ +||deeplinks.breaz.dynamify.com^ +||deeplinks.efeed.dynamify.com^ +||deeplinks.everyday.dynamify.com^ +||deeplinks.mindtickle.com^ +||deeplinks.myyogateacher.com^ +||deeplinks.pebblebee.com^ +||deeplinks.twelve.dynamify.com^ +||deeplinktest.yooture.info^ +||deeplinkuat.upoker.net^ +||delete-me-2.branchcustom.xyz^ +||delete-me.branchcustom.xyz^ +||delikoko.openapp.link^ +||delivery.email-pepipost.branch.rocks^ +||delivery.marketing.boutiqaat.com^ +||demo.gomi.do^ +||demojobsapp.epoise.com^ +||denver.thexlife.co^ +||descarga.veikul.com^ +||descargar.billeteramango.com^ +||descargar.telocompro.com.bo^ +||dev-app.insprd.co^ +||dev-business.stc.com.sa^ +||dev-deeplink.bigrichstore.com^ +||dev-dl.oneworldonesai.com^ +||dev-get.unhedged.com.au^ +||dev-get.wysa.uk^ +||dev-link.aira.io^ +||dev-link.getprizepool.com^ +||dev-link.myoptimity.com^ +||dev-share.beaconlearningapp.com^ +||dev-share.haloedapp.com^ +||dev-share.smartfashion.ai^ +||dev.getcontact.me^ +||dev.getemoji.me^ +||dev.gldn.io^ +||dev.go.levelbank.com^ +||dev.gomi.do^ +||dev.got-it.link^ +||dev.me.thequad.com^ +||dev.smartrbuyer.com^ +||dev.sswt.co^ +||development.me.thequad.com^ +||devlink.saganworks.com^ +||devlink.sprive.com^ +||devlink.thebpr.com^ +||devlinks.slicepay.in^ +||devtest.app-birdy.com^ +||devtest.cocoon.today^ +||dgd.okiela.com^ +||digicard.jollyhires.com^ +||digital.acutx.org^ +||dinocraft-test.animocabrands.com^ +||dinocraft.animocabrands.com^ +||direct.diarymuslim.com^ +||directions.mdanderson.org^ +||distiller.kano.link^ +||dl-dev.tablelist.com^ +||dl-dev.tytocare.com^ +||dl-qa.flipagram.com^ +||dl-qa.nonton.99array.com^ +||dl-stage.6tst.com^ +||dl-stage.zola.com^ +||dl-test.4buy.net^ +||dl-test.boutiqat.com^ +||dl-test.furni-shop.com^ +||dl-test.hadaaya.com^ +||dl-test.myathath.com^ +||dl-test.rivafashion.com^ +||dl.4buy.net^ +||dl.6thstreet.com^ +||dl.amazonmusic.com^ +||dl.autopay.eu^ +||dl.benefits.express-scripts.com^ +||dl.bimbaylola.com^ +||dl.booksy.com^ +||dl.boutiqaat.com^ +||dl.buildsafe.se^ +||dl.caavo.com^ +||dl.connectedboat.eu^ +||dl.correspondence.evernorth.com^ +||dl.dinngo.co^ +||dl.elaw.om^ +||dl.flipagram.com^ +||dl.flipkartwholesale.com^ +||dl.getdrivemark.com^ +||dl.grip.events^ +||dl.hadaaya.com^ +||dl.health-programs.express-scripts.com^ +||dl.klinq.com^ +||dl.mail.accredo.com^ +||dl.mail.express-scripts.com^ +||dl.manscore.com^ +||dl.nalbes.com^ +||dl.nekropol-khv.ru^ +||dl.oneworldonesai.com^ +||dl.orders.accredo.com^ +||dl.orders.express-scripts.com^ +||dl.popclub.co.in^ +||dl.purplle.com^ +||dl.right2vote.in^ +||dl.rivafashion.com^ +||dl.shopwell.com^ +||dl.tablelist.com^ +||dl.thebeat.co^ +||dl.tytocare.com^ +||dl.wooribank.com.kh^ +||dl.workindia.in^ +||dl.zola.com^ +||dl2.brandatt.com^ +||dldev.wooribank.com.kh^ +||dlh1.hilton.com^ +||dlink-staging.blueapron.com^ +||dlink.blueapron.com^ +||dlink.hsdyn.com^ +||dlink.upperinc.com^ +||dlp.egghead.link^ +||dls.guidrr.com^ +||dluat.pokerbros.net^ +||dluat.supremapoker.net^ +||do.exaai.chat^ +||do.usefireside.com^ +||domainbntest.branchcustom.xyz^ +||domino.flycl.ps^ +||download-staging.planify.io^ +||download.backpackergame.com^ +||download.bonnti.com^ +||download.coinseed.co^ +||download.connectie.com^ +||download.dackinc.com^ +||download.frolit.io^ +||download.getneema.com^ +||download.gravitus.com^ +||download.headhelp.io^ +||download.helponymous.com^ +||download.ibuzza.net^ +||download.innit.com^ +||download.joingofree.com^ +||download.kesh5.co.il^ +||download.kuailefun.com^ +||download.milkpot.com^ +||download.parkunload.com^ +||download.planify.io^ +||download.poolking.in^ +||download.quizdom.com^ +||download.quizdom.gr^ +||download.sendstack.africa^ +||download.sharexpere.com^ +||download.shiftsmart.com^ +||download.spotangels.com^ +||download.supercoating.com.hk^ +||download.wearelistening.co.nz^ +||download.withu.fit^ +||download.yuehlia.com^ +||download.zikirapp.com^ +||dp.tuex.ca^ +||drive.carpoollogistics.com^ +||drive.waitrapp.com^ +||driver.dctaxi.com^ +||driver.jugnoo.in^ +||e.e.themighty.com^ +||e.mail.levi.com^ +||e.shop.app^ +||e.synchronybank.com^ +||e.vcty.co^ +||e035.pandasuite.io^ +||e246.pandasuite.io^ +||e403.pandasuite.io^ +||eat.newtrina.com^ +||ebony.black.news^ +||edu.quizdom.gr^ +||educationlink.clear360.com^ +||ee93.pandasuite.io^ +||ef71.pandasuite.io^ +||elgreco.openapp.link^ +||elijah.tantawy.app^ +||elinks.dice.com^ +||em.getsimpleprints.com^ +||em.touchtunes.com^ +||em6802.musesapp.com^ +||email-activecampaign.branch.rocks^ +||email-activecampaign.keylyst.com^ +||email-adobe.branch.rocks^ +||email-appboy.branch.rocks^ +||email-betaout.branch.rocks^ +||email-bronto-stage.branch.rocks^ +||email-bronto.branch.rocks^ +||email-bss-new.branch.rocks^ +||email-campmon.branch.rocks^ +||email-cheetahmail.branch.rocks^ +||email-click-test-for-branch.vts.com^ +||email-clicks.vts.com^ +||email-cm.branch.rocks^ +||email-cordial.branch.rocks^ +||email-eloqua.branch.rocks^ +||email-emarsys.branch.rocks^ +||email-epsilon.branch.rocks^ +||email-full-sailthru.branch.rocks^ +||email-hubspot.branch.rocks^ +||email-icubespro.branch.rocks^ +||email-insider.branch.rocks^ +||email-iterable.branch.rocks^ +||email-klaviyo.branch.rocks^ +||email-link.mg-staging.surkus.com^ +||email-link.mg.surkus.com^ +||email-listrak.branch.rocks^ +||email-mailjet.branch.rocks^ +||email-mailup.branch.rocks^ +||email-mandrill.branch.rocks^ +||email-mandrill.id90travel.com^ +||email-marketo.branch.rocks^ +||email-messagegears.branch.rocks^ +||email-moengage.branch.rocks^ +||email-rapidmail.branch.rocks^ +||email-sailthru.branch.io^ +||email-selligent.branch.rocks^ +||email-sender.branch.rocks^ +||email-sendgrid.branch.rocks^ +||email-simple-sailthru.branch.rocks^ +||email-smartech.branch.rocks^ +||email-sp.branch.rocks^ +||email-staging.goodrx.com^ +||email-test.dmcperforma.com.br^ +||email-test.wirexapp.com^ +||email-vero.branch.rocks^ +||email-yesmail.branch.rocks^ +||email.agfuse.com^ +||email.app.theiconic.com.au^ +||email.branch.ninomail.com^ +||email.branchio.mg.kreezee.com^ +||email.chope.co^ +||email.clearscore.ca^ +||email.clearscore.co.za^ +||email.clearscore.com.au^ +||email.clearscore.com^ +||email.customerio.branch.rocks^ +||email.dev.mypopshop.app^ +||email.devishetty.com^ +||email.email-cusomerio.branch.rocks^ +||email.everyonesocial.apptio.com^ +||email.everyonesocial.bostonscientific.com^ +||email.everyonesocial.circle.com^ +||email.everyonesocial.colt.net^ +||email.everyonesocial.coupa.com^ +||email.everyonesocial.dykema.com^ +||email.everyonesocial.frontier.com^ +||email.everyonesocial.gumgum.com^ +||email.everyonesocial.hmausa.com^ +||email.everyonesocial.indeed.com^ +||email.everyonesocial.inmoment.com^ +||email.everyonesocial.integritystaffing.com^ +||email.everyonesocial.lexisnexisrisk.com^ +||email.everyonesocial.lumen.com^ +||email.everyonesocial.merckgroup.com^ +||email.everyonesocial.neat.no^ +||email.everyonesocial.ni.com^ +||email.everyonesocial.notarize.com^ +||email.everyonesocial.nuskin.com^ +||email.everyonesocial.rubrik.com^ +||email.everyonesocial.united.com^ +||email.everyonesocial.unity.com^ +||email.floatme.io^ +||email.fretello.com^ +||email.goodrx.com^ +||email.happ.social^ +||email.headsuphealth.com^ +||email.inteng-testing.com^ +||email.link.flipgive.com^ +||email.luminpdf.com^ +||email.mail.floatme.io^ +||email.member.theknot.com^ +||email.mg.everyonesocial.com^ +||email.mg.repuzzlic.com^ +||email.mg.test.everyonesocial.com^ +||email.msg.navyfederal.org^ +||email.msg.workday.com^ +||email.mypopshop.app^ +||email.pac-12.com^ +||email.pray.com^ +||email.qa.member.theknot.com^ +||email.reflectlyapp.com^ +||email.rentomojo.in^ +||email.rentomojo.org^ +||email.rentomojomailer.com^ +||email.shouta.co^ +||email.social.avasecurity.com^ +||email.social.f5.com^ +||email.social.qualtrics.com^ +||email.staging-link.flipgive.com^ +||email.strava.com^ +||email.thislife.com^ +||email.wingocard.com^ +||email.wirexapp.com^ +||email1.strava.com^ +||emailct.enfavr.com^ +||emailer45.clovinfo.com^ +||emails.ahctv.com^ +||emails.animalplanet.com^ +||emails.app.allcal.com^ +||emails.cookingchanneltv.com^ +||emails.destinationamerica.com^ +||emails.discoverygo.com^ +||emails.discoverylife.com^ +||emails.foodnetwork.com^ +||emails.hgtv.com^ +||emails.investigationdiscovery.com^ +||emails.motortrend.com^ +||emails.sciencechannel.com^ +||emails.shopupp.com^ +||emails.tlc.com^ +||emails.travelchannel.com^ +||emails.verishop.com^ +||emails.watchown.tv^ +||emb.soothe.com^ +||emlink.hermo.my^ +||emm.ca.puma.com^ +||emm.us.puma.com^ +||emsexam.quantresear.ch^ +||encuestas.billeteramango.com^ +||enroll.workforcewellness.com^ +||epoisejobs.epoise.com^ +||epoisepreptest.epoise.com^ +||espaniapizza.openapp.link^ +||espressoroom.openapp.link^ +||eu.gldn.io^ +||euapp.levi.com^ +||eureka-app.eurekaplatform.org^ +||event.spektare.com^ +||eventos.emkt.ingressorapido.com.br^ +||exchange.happ.social^ +||eximius.epoise.com^ +||exitachieve.myre.io^ +||expertsender.branch.rocks^ +||exprealty377.myre.io^ +||f.a23.in^ +||f928.pandasuite.io^ +||face2.ishoppingapp.com^ +||familydoctor-app.hotdoc.com.au^ +||familypractice-app.hotdoc.com.au^ +||fast.icars.cc^ +||fb.echovisuals.com^ +||feedback.campbellmetal.com^ +||feedback.imsmetals.com^ +||feedme.use-beez.com^ +||fetch.gethuan.com^ +||ff.pdf.ac^ +||fight.offtherecord.com^ +||fishing.daigostudio.com^ +||fleet-eml.postmates.com^ +||foodsouvlakibar.openapp.link^ +||fraudandcyberawareness.safeguard.hsbc.com^ +||friends.hyll.com^ +||fscareers.epoise.com^ +||fscareerstest.epoise.com^ +||ft.groc.press^ +||ftp.happ.social^ +||fullerton-app.hotdoc.com.au^ +||furnituredl.istaging.co^ +||fut.mondo.link^ +||g.getsimpler.me^ +||g.pathsha.re^ +||g.staging.pathsha.re^ +||g2048.rgluk.com^ +||g993dvyzae.branch.salesfloor.net^ +||ga.groc.press^ +||gallerysouvlakeri.openapp.link^ +||gawayez.e-postserv.com^ +||gb-asymbo.m-shop.me^ +||gear.echovisuals.com^ +||get-beta.kabbee.com^ +||get-dev.mastersapp.com^ +||get-lor.tacter.app^ +||get-stage.petdesk.com^ +||get-staging.even.com^ +||get-staging.iynk.com^ +||get-staging.soloyal.co^ +||get-test-employer.switchapp.com^ +||get-test.avakin.com^ +||get-test.livekick.com^ +||get-test.switchapp.com^ +||get.1tap.build^ +||get.1tap.io^ +||get.air-measure.com^ +||get.aivatar.co^ +||get.akim.bo^ +||get.amity.io^ +||get.atakama.com^ +||get.avakin.com^ +||get.babyalbum.com^ +||get.bambinoapp.com^ +||get.basicprint.co^ +||get.betheshyft.com^ +||get.biblechat.ai^ +||get.bigideas.club^ +||get.bizly.co^ +||get.buzzwallet.io^ +||get.call-levels.com^ +||get.catch.co^ +||get.cheapshot.co^ +||get.cityworthapp.com^ +||get.codehub.ninja^ +||get.conciergecare.app^ +||get.cryptocontrol.io^ +||get.dctaxi.com^ +||get.deplike.com^ +||get.emma-app.com^ +||get.endur.app^ +||get.even.com^ +||get.firstline.org^ +||get.flareapp.co^ +||get.found.app^ +||get.fudigo.com^ +||get.fullcourt.io^ +||get.getblood.com^ +||get.helloheart.com^ +||get.hiya.com^ +||get.homemealdeal.com^ +||get.howdy.co^ +||get.hugoapp.com^ +||get.ingomoney.com^ +||get.instalocum.com^ +||get.jan.ai^ +||get.jaranda.kr^ +||get.kabbee.com^ +||get.layer.com^ +||get.livekick.com^ +||get.loanzify.com^ +||get.lookout.com^ +||get.loopmobility.co^ +||get.lu.gg^ +||get.mastersapp.com^ +||get.medifi.com^ +||get.megastarfinancial.com^ +||get.miso.kr^ +||get.mistplay.com^ +||get.mndbdy.ly^ +||get.mojo.sport^ +||get.muchbetter.com^ +||get.myoyster.mx^ +||get.nala.money^ +||get.nfit.club^ +||get.noknok.co^ +||get.noonlight.com^ +||get.oneatwork.app^ +||get.openph.one^ +||get.peoople.app^ +||get.peoople.co^ +||get.plural.com^ +||get.pockit.com^ +||get.prapo.com^ +||get.printt.com^ +||get.printtapp.com^ +||get.prismapp.com^ +||get.pslove.com^ +||get.pslove.dev^ +||get.pulsega.me^ +||get.qapital.com^ +||get.recolor.info^ +||get.revolut.com^ +||get.reward.me^ +||get.riyazapp.com^ +||get.roomiapp.com^ +||get.sakay.ph^ +||get.schoolbuddy.app^ +||get.seedly.sg^ +||get.sidekick.health^ +||get.smart-guide.org^ +||get.snapask.com^ +||get.soloyal.co^ +||get.somontreal.ca^ +||get.speaky.com^ +||get.spenn.com^ +||get.spot.so^ +||get.staging.tellusapp.com^ +||get.starguide.app^ +||get.stationhead.com^ +||get.switchapp.com^ +||get.telexa.mn^ +||get.tellusapp.com^ +||get.thesmartapp.me^ +||get.toffapp.co^ +||get.tunableapp.com^ +||get.tunity.com^ +||get.utelly.com^ +||get.venmo.com^ +||get.vent.co^ +||get.vero.co^ +||get.vida.co^ +||get.videokits.com^ +||get.viggo.com^ +||get.viggo.energy^ +||get.watchcat.app^ +||get.wawa.games^ +||get.weme.sh^ +||get.wemoms.com^ +||get.wishmindr.com^ +||get.wyndy.com^ +||get.wysa.uk^ +||get.yellw.co^ +||get.yugengamers.com^ +||getapp.eltiempo.es^ +||getapp.joinleaf.com^ +||getapp.keepy.me^ +||getapp.marinemax.com^ +||getapp.myhappyforce.com^ +||getapp.priceza.com^ +||getdev.payso.ca^ +||getl4w.lookout.com^ +||gets.myoyster.mx^ +||gettunable.affinityblue.com^ +||geystikigonia.openapp.link^ +||gh.vsee.me^ +||ghd.vsee.me^ +||gi.inhaabit.com^ +||go-dev.callersmart.com^ +||go-dev.qantaswellbeing.com^ +||go-staging.qantaswellbeing.com^ +||go-test.bigspring.io^ +||go-test.goflux.de^ +||go-test.homepass.com^ +||go-test.karos.fr^ +||go-test.string.me^ +||go-test.tamed.fdm.dk^ +||go-test.wondavr.com^ +||go-uat.qantaswellbeing.com^ +||go.17app.co^ +||go.4010.ru^ +||go.4sq.com^ +||go.aero.com^ +||go.alpha.avant.com^ +||go.alphaapp.sharekey.com^ +||go.anifox.net^ +||go.app.sharekey.com^ +||go.asian.mingle.com^ +||go.askbee.my^ +||go.audacy.com^ +||go.augin.app^ +||go.aussie.mingle.com^ +||go.aussiesocial.innovatedating.com^ +||go.aussingles.ignite.technology^ +||go.avant.com^ +||go.backtest.io^ +||go.betql.co^ +||go.bigo.tv^ +||go.bilt.page^ +||go.blackppl.innovatedating.com^ +||go.bluecrewjobs.com^ +||go.bookmate.com^ +||go.booksy.com^ +||go.bouncie.com^ +||go.boxtiq.com^ +||go.brazil.innovatedating.com^ +||go.bro.social^ +||go.callersmart.com^ +||go.calo.app^ +||go.cardless.com^ +||go.cb-w.com^ +||go.channel.io^ +||go.checkncall.com^ +||go.cheerz.com^ +||go.chile.innovatedating.com^ +||go.china.innovatedating.com^ +||go.christsingles.mingle.com^ +||go.citizen.com^ +||go.clickipo.com^ +||go.colombia.innovatedating.com^ +||go.covoitici.fr^ +||go.cwtv.com^ +||go.dateinasia.innovatedating.com^ +||go.datingapp.mingle.com^ +||go.dev.hbnb.io^ +||go.dev.upnext.in^ +||go.devapp.sharekey.com^ +||go.develapme.com^ +||go.dgsta.com^ +||go.divorced.ignite.technology^ +||go.dngn.kr^ +||go.dreamgaragealabama.com^ +||go.driveclutch.com^ +||go.drivemyfreedom.com^ +||go.drivencarsallaccess.ca^ +||go.dubbi.com.br^ +||go.dutchbros.link^ +||go.ebat.es^ +||go.ebates.ca^ +||go.egypt.innovatedating.com^ +||go.emails.discoveryplus.com^ +||go.europe.mingle.com^ +||go.everfave.com^ +||go.ezidox.com^ +||go.faithfollow.com^ +||go.fem.mingle.com^ +||go.fiestabites.com^ +||go.filipinocupid.date^ +||go.filipinosingles.ignite.technology^ +||go.findaplayer.com^ +||go.findplay.it^ +||go.fitfusion.com^ +||go.flexwheels.com^ +||go.flipauto.com^ +||go.flipfit.com^ +||go.flyreel.co^ +||go.france.innovatedating.com^ +||go.freework.com^ +||go.frescofrigo.app^ +||go.frip.kr^ +||go.futupilot.com^ +||go.fyndi.ng^ +||go.gaia.com^ +||go.gaydate.ignite.technology^ +||go.gaysingles.ignite.technology^ +||go.germansingles.ignite.technology^ +||go.germany.innovatedating.com^ +||go.getcyclique.com^ +||go.getone.today^ +||go.ginmon.de^ +||go.gridwise.io^ +||go.hbnb.io^ +||go.hcmuaf.edu.vn^ +||go.heleman.org^ +||go.heybianca.co^ +||go.heyho.my^ +||go.holidayextras.co.uk^ +||go.homear.io^ +||go.homepass.com^ +||go.hongkong.innovatedating.com^ +||go.hongkongcupid.date^ +||go.huterra.com^ +||go.ibi.bo^ +||go.indo.innovatedating.com^ +||go.indonesiacupid.co^ +||go.insight.tv^ +||go.iran.innovatedating.com^ +||go.israel.innovatedating.com^ +||go.italy.innovatedating.com^ +||go.italysingles.ignite.technology^ +||go.japan.ignite.technology^ +||go.japan.innovatedating.com^ +||go.jillianmichaels.com^ +||go.jobtoday.com^ +||go.jsh.mingle.com^ +||go.justarrivd.com^ +||go.karos.fr^ +||go.kasa.co.kr^ +||go.keenvibe.com^ +||go.keenvibe.de^ +||go.korea.innovatedating.com^ +||go.koreacupid.co^ +||go.koreasingles.ignite.technology^ +||go.kvrma.net^ +||go.labonneadresse.ouest-france.fr^ +||go.lamour.ignite.technology^ +||go.lanemove.com^ +||go.latin.mingle.com^ +||go.latincupid.date^ +||go.lawly.app^ +||go.lbb.in^ +||go.leaf.fm^ +||go.lejour.com.br^ +||go.letspepapp.com^ +||go.lexuscompletesubscription.com^ +||go.lezsingles.ignite.technology^ +||go.list-it.ai^ +||go.llapac.com^ +||go.locosonic.com^ +||go.lukat.me^ +||go.lunchr.co^ +||go.majelan.com^ +||go.makwajy.com^ +||go.malay.innovatedating.com^ +||go.malaysiacupid.co^ +||go.malaysingles.ignite.technology^ +||go.mapstr.com^ +||go.mashable.com^ +||go.medicall.cc^ +||go.mercedesbenzsouthorlando.com^ +||go.merqueo.com^ +||go.mexicancupid.date^ +||go.mexico.innovatedating.com^ +||go.mindfi.co^ +||go.moka.ai^ +||go.muglife.com^ +||go.muslim.mingle.com^ +||go.muzz.com^ +||go.myfave.com^ +||go.mylike-app.com^ +||go.mytwc.com.au^ +||go.naratourapp.com^ +||go.netherlands.innovatedating.com^ +||go.noondate.com^ +||go.norway.innovatedating.com^ +||go.ondutydoc.com^ +||go.onecart.co.za^ +||go.onefc.com^ +||go.ortholive.com^ +||go.palpita.net^ +||go.panda-click.com^ +||go.panda.sa^ +||go.parents.mingle.com^ +||go.peak.net^ +||go.petmire.com^ +||go.piccolo.mobi^ +||go.picsart.com^ +||go.pinoy.innovatedating.com^ +||go.player2app.com^ +||go.poland.innovatedating.com^ +||go.polen-app.com^ +||go.porschedrive.com^ +||go.porscheparkingplus.com^ +||go.portfoliobyopenroad.com^ +||go.portugal.innovatedating.com^ +||go.power.trade^ +||go.powunity.com^ +||go.prealpha.avant.com^ +||go.prodapp.sharekey.com^ +||go.pubu.tw^ +||go.qantaswellbeing.com^ +||go.queer.ignite.technology^ +||go.rakuten.com^ +||go.rate.sh^ +||go.ratengoods.com^ +||go.real.co^ +||go.russia.innovatedating.com^ +||go.rzr.to^ +||go.saudiarabia.innovatedating.com^ +||go.seniorppl.mingle.com^ +||go.shokshak.com^ +||go.shop.app^ +||go.shoppremiumoutlets.com^ +||go.sirved.com^ +||go.skippy.ai^ +||go.smartjobr.com^ +||go.snipsnap.it^ +||go.socar.kr^ +||go.socar.my^ +||go.socialvenu.com^ +||go.southafrica.ignite.technology^ +||go.southafrica.innovatedating.com^ +||go.southafricacupid.co^ +||go.spain.innovatedating.com^ +||go.spot.com^ +||go.stagger.co^ +||go.staging.hbnb.io^ +||go.steps.me^ +||go.stgapp.sharekey.com^ +||go.streetbees.app^ +||go.stshr.co^ +||go.subaru-justdrive.com^ +||go.subscribe.mikealbert.com^ +||go.suiste.app^ +||go.sw.iftly.in^ +||go.sweet.io^ +||go.switzerland.innovatedating.com^ +||go.tab.com.au^ +||go.tamed.fdm.dk^ +||go.teepic.com^ +||go.teepik.com^ +||go.tellusapp.com^ +||go.test.mindfi.co^ +||go.test.shop.app^ +||go.thai.innovatedating.com^ +||go.tinder.com^ +||go.topicit.net^ +||go.trevo.my^ +||go.turkey.innovatedating.com^ +||go.twi.sm^ +||go.uae.innovatedating.com^ +||go.uk.innovatedating.com^ +||go.ukraine.innovatedating.com^ +||go.uksingles.ignite.technology^ +||go.unverbluemt.de^ +||go.usecaya.com^ +||go.venezuela.innovatedating.com^ +||go.viet.innovatedating.com^ +||go.voot.com^ +||go.voypost.com^ +||go.vsee.me^ +||go.wanna.com^ +||go.washland.ae^ +||go.webtoons.com^ +||go.weecare.co^ +||go.werbleapp.com^ +||go.whatchu.com^ +||go.wondavr.com^ +||go.worldwinner.com^ +||go.wu.com^ +||go.you-app.com^ +||go.zakatpedia.com^ +||go.zapyle.com^ +||go.zartoo.ir^ +||go.zebra.i-nox.de^ +||go.zoomex.com^ +||go.zvooq.com^ +||go2.letscliq.com^ +||goa.dngn.kr^ +||god.vsee.me^ +||godev.steps.me^ +||gone.pronhub.fun^ +||goseri-link.mysuki.io^ +||gotest.bouncie.com^ +||gotest.onecart.co.za^ +||gotest.onefc.com^ +||gotest.real.co^ +||gotest.taillight.com^ +||goto.nearlist.com^ +||goto.rosegal.com^ +||goto.zaful.com^ +||gotoaws.dresslily.com^ +||gotoaws.rosegal.com^ +||gotoaws.zaful.com^ +||gotoexp.dresslily.com^ +||gpplus-app.hotdoc.com.au^ +||gr.a23.in^ +||grc.openapp.link^ +||grn.openapp.link^ +||guardian-app.hotdoc.com.au^ +||guitarlearning.deplike.com^ +||guterrat.gaius.app^ +||gyradiko.openapp.link^ +||hanadev.branch.rocks^ +||hanastage.branch.rocks^ +||hanatest.branch.rocks^ +||harman.epoise.com^ +||harmantest.epoise.com^ +||harpra-companion-test.harvinar.com^ +||harpra-companion.harvinar.com^ +||hdu-deeplinks.mindtickle.com^ +||hello.ola.app^ +||hello.steadyapp.com^ +||hello.wellocution.com^ +||hf.forevernetworks.com^ +||hi.hipcamp.com^ +||hi.inhaabit.com^ +||hi.littlepixi.com^ +||hi.syllable.ai^ +||hi.wooribank.com^ +||hipizza.openapp.link^ +||hol.dir.tvsmiles.tv^ +||hootsuite.branch.rocks^ +||hop.dttd.app^ +||host.roxiapp.com^ +||hpark-adobe.branch.rocks^ +||hpark-beta-moengage.branch.rocks^ +||hpark-brazesp.branch.rocks^ +||hpark-iterable.branch.rocks^ +||hpark-iterable2.branch.rocks^ +||hpark-marketo.branch.rocks^ +||hpark.branch.rocks^ +||hparksendgrid.branch.rocks^ +||hparksendgridstage.branch.rocks^ +||hst2-invite.ander.ai^ +||hu-topgal.m-shop.me^ +||hubert.branch.rocks^ +||i-dev.villa.ge^ +||i-staging.villa.ge^ +||i.airtel.in^ +||i.appbox.me^ +||i.carry.bible^ +||i.degoo.com^ +||i.getemoji.me^ +||i.honk.me^ +||i.lf360.co^ +||i.live.xyz^ +||i.livexyz.com^ +||i.morons.us^ +||i.play.vividpicks.com^ +||i.poker2u.app^ +||i.pokerbros.net^ +||i.raise.me^ +||i.rttd.io^ +||i.sandbox.love^ +||i.shelf.im^ +||i.spyn.co^ +||i.temiz.co^ +||i.test.airtel.in^ +||i.toywords.games^ +||i.upoker.net^ +||ibf.smrtp.link^ +||igorsgtest.branch.rocks^ +||ilinks.petalcard.com^ +||ilpostoplus.openapp.link^ +||imagica.brain.ai^ +||imap.happ.social^ +||in.invitd.us^ +||in.upipr.co^ +||indir.boowetr.com^ +||indir.pembepanjur.com^ +||influencer.picklebutnotcucumber.com^ +||info.gyg.com.au^ +||inform.fsm.kz^ +||inform.liilix.com^ +||install.ibeor.com^ +||install.mushroomgui.de^ +||install.ottoradio.com^ +||install.playgpl.com^ +||install.pranavconstructions.com^ +||install.xchange.sabx.com^ +||int-shares.ri.la^ +||internet.degoo.com^ +||inv.mksp.io^ +||invest.rubicoin.com^ +||invitation.friendshipwallet.com^ +||invitation.mindbliss.com^ +||invitation.reyesmagos.app^ +||invitation.xmastimeapp.com^ +||invite-alternate.ritual.co^ +||invite-demo.easypark.net^ +||invite-sandbox.ritual.co^ +||invite-test.sadapay.pk^ +||invite.abra.com^ +||invite.airtabapp.com^ +||invite.ak-ecosystem.com^ +||invite.allflex.global^ +||invite.camfrog.com^ +||invite.carselonadaily.com^ +||invite.chalo.com^ +||invite.cippy.it^ +||invite.circleparties.com^ +||invite.coinmine.com^ +||invite.coinstats.app^ +||invite.colu.com^ +||invite.easypark.net^ +||invite.entrylevel.net^ +||invite.fashom.com^ +||invite.getwaitnot.com^ +||invite.gosunpro.com^ +||invite.gust.show^ +||invite.icars.cc^ +||invite.juke.ly^ +||invite.openhouse.study^ +||invite.paltalk.net^ +||invite.piceapp.com^ +||invite.ritual.co^ +||invite.sadapay.pk^ +||invite.supersonic.run^ +||invite.traktivity.com^ +||invite.trueteams.co^ +||invite.urbanclap.com^ +||invite.youmail.com^ +||invites.nospace.app^ +||io.piupiu.io^ +||iob.imgur.com^ +||ios.asktagapp.com^ +||ipn-app.hotdoc.com.au^ +||iqpizza.openapp.link^ +||iterable.convoy.com^ +||ivonitsa.openapp.link^ +||jhmkopen.minortom.net^ +||jobs.smpgn.co^ +||join-staging.kloaked.app^ +||join-test.pre-prod.spur.io^ +||join-test.step.com^ +||join.air.me^ +||join.airvet.com^ +||join.amorus.net^ +||join.asteride.co^ +||join.belive.sg^ +||join.blimp.homes^ +||join.callie.app^ +||join.deetzapp.com^ +||join.entrylevel.net^ +||join.evercoin.com^ +||join.fitgrid.com^ +||join.fusely.app^ +||join.gerak.asia^ +||join.getstarsapp.com^ +||join.haha.me^ +||join.homeyapp.net^ +||join.hu-manity.co^ +||join.hypercare.com^ +||join.kloaked.app^ +||join.lapse.app^ +||join.listmakerapp.com^ +||join.motion-app.com^ +||join.newtrina.com^ +||join.our-story.co^ +||join.parentlove.me^ +||join.pockit.com^ +||join.qa.fitgrid.com^ +||join.reakt.to^ +||join.schmooze.tech^ +||join.sizl.com^ +||join.slickapp.co^ +||join.spur.io^ +||join.staging.spur.io^ +||join.step.com^ +||join.stuypend.com^ +||join.talker.network^ +||join.thekrishi.com^ +||join.tlon.io^ +||join.travelxp.com^ +||join.vibely.io^ +||join.vtail.co^ +||joina.rune.ai^ +||joinb.rune.ai^ +||jp.ppgamingproxy.lol^ +||jumpto.use-beez.com^ +||jupiterhealth-app.hotdoc.com.au^ +||just.playvici.com^ +||k.itribe.in^ +||k50.rtl2.de^ +||k5app.byjus.com^ +||kamchatka-io.traveler.today^ +||kartik.devishetty.com^ +||kartik.devishetty.net^ +||kd.eland.kr^ +||keyes.myre.io^ +||kingnews.burgerking.co.za^ +||kl-branch-sandbox.thekono.com^ +||kl-branch.thekono.com^ +||kotopoulathanasis.openapp.link^ +||l-t.topya.com^ +||l-test.civic.com^ +||l-test.guesthug.com^ +||l.apna.co^ +||l.audibook.si^ +||l.azarlive.com^ +||l.bhaibandhu.com^ +||l.bigbasket.com^ +||l.biglion.ru^ +||l.brightside.com^ +||l.bspace.io^ +||l.civic.com^ +||l.claphere.com^ +||l.coastapp.com^ +||l.create.canva.com^ +||l.cultgear.com^ +||l.dev.audibook.si^ +||l.du.coach^ +||l.e.domain.com.au^ +||l.engage.canva.com^ +||l.getpyfl.com^ +||l.gocement.com^ +||l.gpay.to^ +||l.guesthug.com^ +||l.ialoc.app^ +||l.iamfy.co^ +||l.imax.com^ +||l.itribe.in^ +||l.jayshetty.me^ +||l.kodika.io^ +||l.lyfshort.com^ +||l.m.tradiecore.com.au^ +||l.mydoki.app^ +||l.myvoleo.com^ +||l.navx.co^ +||l.newnew.co^ +||l.nflo.at^ +||l.post2b.com^ +||l.prk.bz^ +||l.redcross.or.ke^ +||l.rovo.co^ +||l.siply.in^ +||l.sqrrl.in^ +||l.support.canva.com^ +||l.supremapoker.net^ +||l.t.domain.com.au^ +||l.thumbtack.com^ +||l.topya.com^ +||l.umba.com^ +||l.unfy.ai^ +||l.urban.com.au^ +||l.uvcr.me^ +||l.voalearningenglish.in^ +||l.voleousa.com^ +||l.whizzl.com^ +||l.workoutparty.co^ +||l.your.md^ +||lapescheria.openapp.link^ +||launch.aella.app^ +||launch.meetsaturn.com^ +||launch.vypr.it^ +||lb.billing01.email-allstate.com^ +||lb.marketing01.email-allstate.com^ +||lb.quote01.email-allstate.com^ +||lb.service01.email-allstate.com^ +||ldv.midoplay.com^ +||leak.welnes.online^ +||learn.infinitylearn.com^ +||learn.mywallst.app^ +||learn.rubicoin.com^ +||leb-app.diasporaid.com^ +||lets-dev.irl.com^ +||lets.instantify.it^ +||lets.playzingus.com^ +||lets.useflash.app^ +||lets.watcho.com^ +||level.badlandgame.com^ +||levi247.levi.com^ +||lhp-mortgage.loanzify.com^ +||li.rtl2.de^ +||link-acceptance.alan.com^ +||link-app-dev.agvisorpro.com^ +||link-app-preprod.agvisorpro.com^ +||link-app-staging.agvisorpro.com^ +||link-app.agvisorpro.com^ +||link-be-acceptance.alan.com^ +||link-be.alan.com^ +||link-beta.qonto.co^ +||link-ccontact.focuscura.com^ +||link-debug.killi.io^ +||link-dev.fandompay.com^ +||link-dev.gem.co^ +||link-dev.killi.io^ +||link-dev.sensemetrics.com^ +||link-dev.tradee.com^ +||link-es-acceptance.alan.com^ +||link-es.alan.com^ +||link-mind.alan.com^ +||link-partner.btaskee.com^ +||link-qc.trycircle.com^ +||link-staging.bestest.io^ +||link-staging.killi.io^ +||link-staging.samewave.com^ +||link-staging.viivio.io^ +||link-staging.youbooq.me^ +||link-test.360vuz.com^ +||link-test.avenue.us^ +||link-test.chalknation.com^ +||link-test.divcity.com^ +||link-test.external.wealth-park.com^ +||link-test.glide.com^ +||link-test.halal-navi.com^ +||link-test.hanpath.com^ +||link-test.ianacare.team^ +||link-test.steadio.co^ +||link-test.trendstag.com^ +||link-test.tumblbug.com^ +||link-web.tatadigital.com^ +||link.1112.com^ +||link.1800contacts.com^ +||link.24go.co^ +||link.321okgo.com^ +||link.360vuz.com^ +||link.3dbear.io^ +||link.7-eleven.vn^ +||link.abandonedmonkey.codes^ +||link.adhdinsight.com^ +||link.admin.kodakmoments.com^ +||link.afterpay.com^ +||link.ag.fan^ +||link.aioremote.net^ +||link.aira.io^ +||link.airfarm.io^ +||link.alan.com^ +||link.alerts.busuu.app^ +||link.allyapp.com^ +||link.altrua.icanbwell.com^ +||link.angel.com^ +||link.angelstudios.com^ +||link.animefanz.app^ +||link.announce.busuu.app^ +||link.antwak.com^ +||link.app.carrx.com^ +||link.app.dev.fixdapp.com^ +||link.app.fixdapp.com^ +||link.app.forhers.com^ +||link.app.hims.com^ +||link.app.medintegral.es^ +||link.app.notab.com^ +||link.appewa.com^ +||link.ascension-app.com^ +||link.atlys.com^ +||link.augmentedreality.jlg.com^ +||link.auraframes.com^ +||link.automated.almosafer.com^ +||link.avenue.us^ +||link.axshealthapp.com^ +||link.babyquip.com^ +||link.bambu.dev^ +||link.beebs.app^ +||link.beforekick.com^ +||link.beforespring.com^ +||link.bellu.gg^ +||link.bemachine.app^ +||link.bestest.io^ +||link.bigroom.tv^ +||link.bluecallapp.com^ +||link.blueheart.io^ +||link.bobmakler.com^ +||link.bodylove.com^ +||link.bolsanelo.com.br^ +||link.booknet.com^ +||link.booknet.ua^ +||link.booksy.com^ +||link.bounty.com^ +||link.broadly.com^ +||link.brottsplats-app.se^ +||link.btl.vin^ +||link.buddybet.com^ +||link.build.com^ +||link.bulbul.tv^ +||link.busuu.app^ +||link.buzzwallet.io^ +||link.californiapsychics.com^ +||link.capital-wellness.icanbwell.com^ +||link.captionwriter.app^ +||link.cardgamesbybicycle.com^ +||link.cardu.com^ +||link.careerfairplus.com^ +||link.carfax.com^ +||link.cargo.co^ +||link.cdl.freshly.com^ +||link.cerego.com^ +||link.chalknation.com^ +||link.cheerz.com^ +||link.chefsclub.com.br^ +||link.classicalradio.com^ +||link.cleaninglab.co.kr^ +||link.clearsky.jlg.com^ +||link.clever.menu^ +||link.clickipo.com^ +||link.clubmanagergame.com^ +||link.cluno.com^ +||link.cofyz.com^ +||link.collectivebenefits.com^ +||link.conio.com^ +||link.covve.com^ +||link.crazyquest.com^ +||link.creatively.life^ +||link.creditonemail.com^ +||link.crowdfireapp.com^ +||link.crumbl.com^ +||link.curious.com^ +||link.curve.com^ +||link.dana.id^ +||link.daryse.com^ +||link.dawriplus.com^ +||link.debatespace.app^ +||link.debatespace.io^ +||link.deliverr.ca^ +||link.design.unum.la^ +||link.dev-portal.icanbwell.com^ +||link.dev.appewa.com^ +||link.develapme.com^ +||link.developerinsider.co^ +||link.dinifi.com^ +||link.dior.com^ +||link.discotech.me^ +||link.dishcult.com^ +||link.district34.com^ +||link.doctorcareanywhere.com^ +||link.dongnealba.com^ +||link.doopage.com^ +||link.doppels.com^ +||link.dosh.cash^ +||link.dralilabolsanelo.com^ +||link.drum.io^ +||link.dubble.me^ +||link.dvendor.com^ +||link.e.blog.myfitnesspal.com^ +||link.easy.me^ +||link.edapp.com^ +||link.eksperience.net^ +||link.electroneum.com^ +||link.electrover.se^ +||link.em.sssports.com^ +||link.email.almosafer.com^ +||link.email.bnext.es^ +||link.email.myfitnesspal.com^ +||link.email.soothe.com^ +||link.email.tajawal.com^ +||link.emblyapp.com^ +||link.empleyo.com^ +||link.epmyalptest.com^ +||link.eventconnect.io^ +||link.evergreen-life.co.uk^ +||link.everlance.com^ +||link.evolia.com^ +||link.expiwell.com^ +||link.explorz.app^ +||link.extasy.com^ +||link.external.wealth-park.com^ +||link.fabulist.app^ +||link.faithplay.com^ +||link.fanfight.com^ +||link.fanzapp.io^ +||link.farm.seedz.ag^ +||link.favorited.com^ +||link.fieldcamp.com^ +||link.financie.online^ +||link.finfinchannel.com^ +||link.finnomena.com^ +||link.fitflo.app^ +||link.fitforbucks.com^ +||link.fjuul.com^ +||link.flickplay.co^ +||link.fn365.co.uk^ +||link.foodgroup.com^ +||link.foodi.fr^ +||link.foodiapp.com^ +||link.foodliapp.com^ +||link.foodnetwork.com^ +||link.forexhero.eu^ +||link.freetrade.io^ +||link.frescoymas.com^ +||link.fretello.com^ +||link.gamebrain.co.uk^ +||link.gem.co^ +||link.geo4.me^ +||link.geoparquelitoralviana.pt^ +||link.get.discovery.plus^ +||link.getamber.io^ +||link.getbaqala.com^ +||link.getcoral.app^ +||link.getdinr.com^ +||link.getfoodly.com^ +||link.getfxguru.com^ +||link.getoutpatient.com^ +||link.getremix.ai^ +||link.getsaturday.com^ +||link.getsendit.com^ +||link.getshortcut.co^ +||link.getsigneasy.com^ +||link.giide.com^ +||link.glicrx.com^ +||link.glide.com^ +||link.global.id^ +||link.globecar.app^ +||link.gokimboo.com^ +||link.gradeproof.com^ +||link.gradeviewapp.com^ +||link.granderota.riadeaveiro.pt^ +||link.gravio.com^ +||link.guoqi365.com^ +||link.halal-navi.com^ +||link.hallow.com^ +||link.happycar.info^ +||link.harveyssupermarkets.com^ +||link.hayhayapp.se^ +||link.hbogo.com^ +||link.hbonow.com^ +||link.hd.io^ +||link.heal.com^ +||link.healthbank.io^ +||link.heartbeathealth.com^ +||link.hello-au.circles.life^ +||link.hello-sg.circles.life^ +||link.hello.unum.la^ +||link.hello2-sg.circles.life^ +||link.hellobeerapp.com^ +||link.helloclue.com^ +||link.hermanpro.com^ +||link.hey.mypostcard.com^ +||link.heycloudy.co^ +||link.heyitsbingo.com^ +||link.heymiso.app^ +||link.hiccup.dev^ +||link.hivexchange.com.au^ +||link.hobbinity.com^ +||link.hola.health^ +||link.hugoapp.com^ +||link.huuu.ge^ +||link.hyre.no^ +||link.iabmexico.com.mx^ +||link.ianacare.team^ +||link.icecream.club^ +||link.igglo.com^ +||link.im.intermiles.com^ +||link.immobilienscout24.at^ +||link.imprint.co^ +||link.imumz.com^ +||link.individuology.com^ +||link.info.myfitnesspal.com^ +||link.inklusiv.io^ +||link.inoxmovies.com^ +||link.inploi.com^ +||link.insense.pro^ +||link.insider.in^ +||link.instabridge.com^ +||link.instaeats.com^ +||link.instnt.com^ +||link.invoiceowl.com^ +||link.itsdcode.com^ +||link.jawwy.tv^ +||link.jetsobee.com^ +||link.jetstar.com^ +||link.jig.space^ +||link.jitta.co^ +||link.jittawealth.co^ +||link.jmbl.app^ +||link.jobble.com^ +||link.joinswitch.co^ +||link.joinswoop.com^ +||link.joinworkpass.com^ +||link.justincase.jp^ +||link.keycollectorcomics.com^ +||link.kidfund.us^ +||link.kidzapp.com^ +||link.killi.io^ +||link.kindred.co^ +||link.kingsnews.whopper.co.za^ +||link.kitchnrock.com^ +||link.kofiz.ru^ +||link.kulina.id^ +||link.lcdg.io^ +||link.lead-out-app-staging.specialized.com^ +||link.lead-out-app.specialized.com^ +||link.legapass.com^ +||link.lendingtree.com^ +||link.letsdayout.com^ +||link.litnet.com^ +||link.localmasters.com^ +||link.lola.com^ +||link.lomolist.com^ +||link.loop11.com^ +||link.loopedlive.com^ +||link.loopslive.com^ +||link.loxclubapp.com^ +||link.loyalty.almosafer.com^ +||link.lpm.surkus.com^ +||link.lpt.surkus.com^ +||link.made.com^ +||link.mail.blidz.com^ +||link.mail.burgerking.ca^ +||link.mail.popsa.com^ +||link.mail.step.com^ +||link.mangoapp.com.py^ +||link.manutdfeed.com^ +||link.mark.app^ +||link.marketing.bleacherreport.com^ +||link.mbtihell.com^ +||link.medibuddy.app^ +||link.medium.com^ +||link.melissawoodhealth.com^ +||link.metronaut.app^ +||link.meumulti.com.br^ +||link.midnite.com^ +||link.million.one^ +||link.mindsetapp.com^ +||link.miratelemundo.com^ +||link.mix.com^ +||link.mixbit.com^ +||link.mixnpik.com^ +||link.mktg.almosafer.com^ +||link.mktg.tajawal.com^ +||link.mobstar.com^ +||link.modstylist.com^ +||link.morty.app^ +||link.mortyapp.com^ +||link.movespring.com^ +||link.moviemate.io^ +||link.mpg.football^ +||link.mpp.football^ +||link.mudrex.com^ +||link.mulliegolf.com^ +||link.mune.co^ +||link.muso.ai^ +||link.muuzzer.com^ +||link.myasnb.com.my^ +||link.mybridge.com^ +||link.myjourneypickleball.com^ +||link.myofx.eu^ +||link.myoptimity.com^ +||link.mypostcard.com^ +||link.mysuki.io^ +||link.mywallst.app^ +||link.nabla.com^ +||link.nate.tech^ +||link.nbcadmin.com^ +||link.nearpod.com^ +||link.neos.app^ +||link.never-missed.com^ +||link.news.bleacherreport.com^ +||link.news.clearpay.co.uk^ +||link.news.goeuro.com^ +||link.newsbeast.gr^ +||link.newspicks.us^ +||link.nextaveapp.com^ +||link.nextlevelsports.com^ +||link.nilclub.com^ +||link.notifications.busuu.app^ +||link.nutty.chat^ +||link.offers.kodakmoments.com^ +||link.olympya.com^ +||link.omghi.co^ +||link.onference.co^ +||link.onference.in^ +||link.onsight.librestream.com^ +||link.oomph.app^ +||link.orders.kodakmoments.com^ +||link.ottencoffee.co.id^ +||link.outgo.com.br^ +||link.outpatient.ai^ +||link.palletml.com^ +||link.pariksha.co^ +||link.patient.com^ +||link.pavilhaodaagua.pt^ +||link.payris.app^ +||link.payulatam.com^ +||link.pbrry.com^ +||link.pedidosonline.com^ +||link.perzzle.com^ +||link.phaze.io^ +||link.piesystems.io^ +||link.pillowcast.app^ +||link.place2biz.fr^ +||link.plaympe.com^ +||link.plazahogar.com.py^ +||link.pluckk.in^ +||link.plzgrp.it^ +||link.podercard.com^ +||link.point.app^ +||link.poputi.coffee^ +||link.portal.icanbwell.com^ +||link.pray.com^ +||link.prenuvo.com^ +||link.prokure.it^ +||link.pulsz.com^ +||link.purplebrick.io^ +||link.qa.bepretty.cl^ +||link.qa.heal.com^ +||link.qanva.st^ +||link.qeenatha.com^ +||link.qp.me^ +||link.quicktakes.io^ +||link.radiotunes.com^ +||link.rangde.in^ +||link.rc.faithplay.com^ +||link.rechat.com^ +||link.reflexhealth.co^ +||link.reklaimyours.com^ +||link.resy.com^ +||link.reuters.com^ +||link.revolut.com^ +||link.ride.specialized.com^ +||link.ride.staging.specialized.com^ +||link.ridewithvia.com^ +||link.ripple.thedacare.org^ +||link.rippling.com^ +||link.roomaters.com^ +||link.roveworld.xyz^ +||link.ruhgu.com^ +||link.saganworks.com^ +||link.samewave.com^ +||link.sandboxx.us^ +||link.saratogaocean.com^ +||link.savvy360.com^ +||link.sayferapp.com^ +||link.scoutfin.com^ +||link.seaflux.tech^ +||link.sendbirdie.com^ +||link.sendoutpost.com^ +||link.sensemetrics.com^ +||link.setyawan.dev^ +||link.sevencooks.com^ +||link.sheeriz.com^ +||link.shengcekeji.com^ +||link.shopbuo.com^ +||link.shopview.in^ +||link.shotgun.live^ +||link.shuffoe.com^ +||link.shutterfly.com^ +||link.sidechat.lol^ +||link.siftfoodlabels.com^ +||link.sixcycle.com^ +||link.skillacademy.org^ +||link.sluv.org^ +||link.smallcase.com^ +||link.smartrbuyer.com^ +||link.smile.com.au^ +||link.smokeandsoda.com^ +||link.snapfeet.io^ +||link.snaphabit.app^ +||link.snippz.com^ +||link.socar.my^ +||link.socash.io^ +||link.somm.io^ +||link.sooooon.com^ +||link.soultime.com^ +||link.space.ge^ +||link.sparrow.geekup.vn^ +||link.splittr.io^ +||link.sporthub.io^ +||link.sprive.com^ +||link.stabilitas.io^ +||link.staff.notab.com^ +||link.stage.easy.me^ +||link.staging.clearsky.jlg.com^ +||link.starshiphsa.com^ +||link.staycation.co^ +||link.staycircles.com^ +||link.steadio.co^ +||link.steezy.co^ +||link.stg.boxofficevr.com^ +||link.stg.imprint.co^ +||link.stickybeak.co^ +||link.stockalarm.io^ +||link.stockviva.com^ +||link.straitstimes.com^ +||link.stridekick.com^ +||link.studdy.ai^ +||link.stynt.com^ +||link.subscribly.com^ +||link.superlocal.com^ +||link.supermama.io^ +||link.superviz.com^ +||link.support.discovery.plus^ +||link.surbee.io^ +||link.swa.info^ +||link.swaypayapp.com^ +||link.swingindex.golf^ +||link.syfy-channel.com^ +||link.szl.ai^ +||link.t2o.io^ +||link.talescreator.com^ +||link.taptapapp.com^ +||link.target.com.au^ +||link.tastemade.com^ +||link.team.bnext.es^ +||link.team.bnext.io^ +||link.techmaxapp.com^ +||link.tempo.fit^ +||link.tenallaccess.com.au^ +||link.test.chalknation.com^ +||link.test.stickybeak.co^ +||link.testbook.com^ +||link.thejetjournal.com^ +||link.theprenatalnutritionlibrary.com^ +||link.thesecurityteam.rocks^ +||link.thisislex.app^ +||link.thue.do^ +||link.tigerhall.com^ +||link.tigerhall.isdemo.se^ +||link.tillfinancial.io^ +||link.togaapp.com^ +||link.tomoloyalty.com^ +||link.tomoloyaltysg.com^ +||link.touchtunes.com^ +||link.touchtunesmail.com^ +||link.tr.freshly.com^ +||link.tradee.com^ +||link.tradle.io^ +||link.tribeup.social^ +||link.truckerpath.com^ +||link.trycircle.com^ +||link.trymida.com^ +||link.trytaptab.com^ +||link.tubi.tv^ +||link.tul.io^ +||link.tumblbug.com^ +||link.tupinambaenergia.com.br^ +||link.tv.cbs.com^ +||link.uat.my.smartcrowd.ae^ +||link.ulive.chat^ +||link.up.com.au^ +||link.upperinc.com^ +||link.urbansitter.com^ +||link.us.paramountplus.com^ +||link.usa-network.com^ +||link.usechatty.com^ +||link.vavabid.fr^ +||link.velas.com^ +||link.vezeeta.com^ +||link.vibo.io^ +||link.victoriatheapp.com^ +||link.viivio.io^ +||link.viska.com^ +||link.voiapp.io^ +||link.volt.app^ +||link.vozzi.app^ +||link.wagerlab.app^ +||link.wait.nl^ +||link.wakatoon.com^ +||link.walem.io^ +||link.wappiter.com^ +||link.watchbravotv.com^ +||link.watchoxygen.com^ +||link.wazirx.com^ +||link.wearecauli.com^ +||link.weepec.com^ +||link.wefish.app^ +||link.wegowhere.com^ +||link.welcomeapp.se^ +||link.wetrade.app^ +||link.winndixie.com^ +||link.winwintechnology.com^ +||link.wisaw.com^ +||link.wix.app^ +||link.workmate.asia^ +||link.workwellnessinstitute.org^ +||link.worqout.io^ +||link.wow.ink^ +||link.xiahealth.com^ +||link.yesorno.bet^ +||link.yoodo.com.my^ +||link.youpickit.de^ +||link.your.storage^ +||link.yourway.burgerking.ca^ +||link.yuu.sg^ +||link.zikto.com^ +||link.zipsit.com^ +||link.zulily.com^ +||link.zurp.com^ +||link1.fanfight.com^ +||linkcmf.insights.md^ +||linkcmfdev.insights.md^ +||linkd.trybany.com^ +||linkdental.insights.md^ +||linkdentaldev.insights.md^ +||linkdev.sprive.com^ +||linker.lyrahealth.com^ +||linker.staging.lyrahealth.com^ +||linkhealth-app.hotdoc.com.au^ +||linking.venueapp-system.com^ +||linkort.insights.md^ +||linkortdev.insights.md^ +||linkprod.sprive.com^ +||links-anz.afterpay.com^ +||links-dev.letzbig.com^ +||links-dev.sandboxx.us^ +||links-dev.seed.co^ +||links-na.afterpay.com^ +||links-uk.clearpay.co.uk^ +||links.ab.soul-cycle.email^ +||links.agoratix.com^ +||links.ahctv.com^ +||links.alerts.depop.com^ +||links.alerts.forhims.com^ +||links.alerts.hims.com^ +||links.amiralearning.com^ +||links.animalplanet.com^ +||links.announce.touchsurgery.com^ +||links.aopcongress.com^ +||links.app.medintegral.es^ +||links.automated.almosafer.com^ +||links.aws.nexttrucking.com^ +||links.blueapron.com^ +||links.bookshipapp.com^ +||links.br.discoveryplus.com^ +||links.brickapp.se^ +||links.bubbloapp.com^ +||links.ca.discoveryplus.com^ +||links.campermate.com^ +||links.claphere.com^ +||links.colonelsclub.kfc.com^ +||links.comms3.jetprivilege.com^ +||links.communitycarehelp.com^ +||links.consultaapp.com^ +||links.cookingchanneltv.com^ +||links.customers.instacartemail.com^ +||links.dailypay.com^ +||links.damejidlo.cz^ +||links.danceinapp.com^ +||links.destinationamerica.com^ +||links.dev.rally.app^ +||links.development.danceinapp.com^ +||links.discovery.com^ +||links.discoverylife.com^ +||links.discoveryplus.com^ +||links.e.aecrimecentral.com^ +||links.e.aetv.com^ +||links.e.history.com^ +||links.e.historyvault.com^ +||links.e.lifetimemovieclub.com^ +||links.e.mylifetime.com^ +||links.e.wine.com^ +||links.earncarrot.com^ +||links.eatclub.com.au^ +||links.edm.noracora.com^ +||links.elmc.mylifetime.com^ +||links.em.aetv.com^ +||links.em.history.com^ +||links.em.mylifetime.com^ +||links.email.almosafer.com^ +||links.email.bravotv.com^ +||links.email.distrokid.com^ +||links.email.getgocafe.com^ +||links.email.getprizepool.com^ +||links.email.gianteagle.com^ +||links.email.greenlight.me^ +||links.email.nbc.com^ +||links.email.oxygen.com^ +||links.email.tajawal.com^ +||links.email.usanetwork.com^ +||links.emea.discoveryplus.com^ +||links.es.aecrimecentral.com^ +||links.evault.history.com^ +||links.extra.app^ +||links.fable.co^ +||links.fabletics.co.uk^ +||links.fabletics.com^ +||links.fabletics.de^ +||links.fabletics.es^ +||links.fabletics.fr^ +||links.feltapp.com^ +||links.fennel.com^ +||links.firecracker.me^ +||links.foodnetwork.com^ +||links.gamersafer.com^ +||links.gardyn.io^ +||links.gemspace.com^ +||links.getprizepool.com^ +||links.getupside.com^ +||links.glamsquad.com^ +||links.goodpup.com^ +||links.goveo.app^ +||links.grand.co^ +||links.h5.hilton.com^ +||links.h6.hilton.com^ +||links.hbe.io^ +||links.hgtv.com^ +||links.himoon.app^ +||links.hitrecord.org^ +||links.huckleberry-labs.com^ +||links.i.blueapron.com^ +||links.imcas.com^ +||links.impactwayv.com^ +||links.info.getgocafe.com^ +||links.info.gianteagle.com^ +||links.info.headspace.com^ +||links.info.kfc.com^ +||links.info.marketdistrict.com^ +||links.investigationdiscovery.com^ +||links.iopool.com^ +||links.joinhiive.com^ +||links.joinrooster.co.uk^ +||links.joro.app^ +||links.justfab.co.uk^ +||links.justfab.com^ +||links.justfab.de^ +||links.justfab.es^ +||links.justfab.fr^ +||links.keepitcleaner.com.au^ +||links.kha.com^ +||links.letzbig.com^ +||links.m.blueapron.com^ +||links.mail.stubhub.com^ +||links.marketing.getprizepool.com^ +||links.max.com^ +||links.mezurashigame.com^ +||links.mgmresorts.com^ +||links.motortrend.com^ +||links.myplace.co^ +||links.myvolly.com^ +||links.nbc.com^ +||links.nbcnews.com^ +||links.news.forhims.com^ +||links.news.hims.com^ +||links.nexttrucking.com^ +||links.notarize.com^ +||links.notifications.headspace.com^ +||links.official.vsco.co^ +||links.ohhey.depop.com^ +||links.openfit.com^ +||links.orders.kfc.com^ +||links.ottplay.com^ +||links.outskill.app^ +||links.own.tv^ +||links.oxstreet.com^ +||links.petpartner.co^ +||links.ph.discoveryplus.com^ +||links.picsart.com^ +||links.pinart.io^ +||links.pkrewards.com^ +||links.plated.com^ +||links.playon.tv^ +||links.quatreepingles.fr^ +||links.rally.app^ +||links.rathilpatel.com^ +||links.respilates.app^ +||links.riftapp.co^ +||links.riverratrounders.com^ +||links.samsclub.com^ +||links.schnucks.com^ +||links.sciencechannel.com^ +||links.seed.co^ +||links.sheroes.in^ +||links.shipt.com^ +||links.shoprunner.com^ +||links.shukran.com^ +||links.sidehide.com^ +||links.silverpop-email.branch.rocks^ +||links.sleep.com^ +||links.sleepscore.com^ +||links.sliceit.com^ +||links.slicepay.in^ +||links.soulsoftware.org^ +||links.sparkmail.branch.rocks^ +||links.staging-lifestepsapp.com^ +||links.stretchitapp.com^ +||links.subscribed.app^ +||links.sudokuplus.net^ +||links.swazzen.com^ +||links.sweet.io^ +||links.t.blueapron.com^ +||links.t.totallymoney.com^ +||links.t.wine.com^ +||links.teladoc.com^ +||links.thedyrt.com^ +||links.theinfatuation.com^ +||links.thephoenix.org^ +||links.thriveglobal.com^ +||links.tlc.com^ +||links.travelchannel.com^ +||links.tribe.fitness^ +||links.trutify.com^ +||links.tutorbin.com^ +||links.vestoapp.com^ +||links.vyzivovetabulky.sk^ +||links.weareher.com^ +||links.well.co^ +||links.wesponsored.com^ +||links.yayzy.com^ +||links.younify.tv^ +||links.younow.com^ +||links.yummly.com^ +||links2.chownowmail.com^ +||links2.fluent-forever.com^ +||links2.pillar.app^ +||linksbntest.branchcustom.xyz^ +||linkspine.insights.md^ +||linkspinedev.insights.md^ +||linktest.itsdcode.com^ +||linkto.driver.codes^ +||linktrace.diningcity.cn^ +||linkus.buddybet.com^ +||linkvet.insights.md^ +||linkvetdev.insights.md^ +||listen.trakks.com^ +||listen.tunein.com^ +||lk.parisfoodies.fr^ +||lk.vrstories.com^ +||lm.groc.press^ +||lnk-stg.welthee.com^ +||lnk-test.jointakeoff.com^ +||lnk.christmaslistapp.com^ +||lnk.culturetrip.com^ +||lnk.dgsta.com^ +||lnk.ernesto.it^ +||lnk.gleeph.net^ +||lnk.joinpopp.in^ +||lnk.jointakeoff.com^ +||lnk.most-days.com^ +||lnk.mostdays.com^ +||lnk.raceful.ly^ +||lnk.rush.gold^ +||lnk.welthee.com^ +||lnk2.patpat.com^ +||local-shares.ri.la^ +||location.imsmetals.com^ +||login.e-ticket.co.jp^ +||lotte.myomee.com^ +||lp.egghead.link^ +||lub-links.eyecue.io^ +||lw.b.inhaabit.com^ +||m-t.topya.com^ +||m-test.papertrail.io^ +||m.aecrimecentral.com^ +||m.aetv.com^ +||m.bell.ca^ +||m.bigroad.com^ +||m.bitmo.com^ +||m.bookis.com^ +||m.brain.ai^ +||m.d11.io^ +||m.dagym-manager.com^ +||m.dq.ca^ +||m.dq.com^ +||m.equinoxplus.com^ +||m.fontself.com^ +||m.fyi.tv^ +||m.giftry.com^ +||m.go4.io^ +||m.happ.social^ +||m.history.com^ +||m.historyvault.com^ +||m.ioicommunity.com.my^ +||m.irl.com^ +||m.irlmail.org^ +||m.jarvisinvest.com^ +||m.kaikuhealth.com^ +||m.lifetimemovieclub.com^ +||m.luckym.ca^ +||m.moomoo.com^ +||m.mylifetime.com^ +||m.natural.ai^ +||m.navi.com^ +||m.nxtgn.us^ +||m.origin.com.au^ +||m.papertrail.io^ +||m.pcmobile.ca^ +||m.petmire.com^ +||m.providers.alto.com^ +||m.realself.com^ +||m.rifird.com^ +||m.riipay.my^ +||m.rsvy.io^ +||m.shoppre.com^ +||m.shopprecouriers.com^ +||m.shoppreparcels.com^ +||m.showaddict.com^ +||m.suda.io^ +||m.topya.com^ +||m.varagesale.com^ +||m.vpc.ca^ +||m.wishmindr.com^ +||m1.stadiumgoods.com^ +||m2.washmen.com^ +||mac.macheq.com^ +||magic.freetrade.io^ +||mail.academyforconsciousleadership.net^ +||mail.blueapronwine.com^ +||mail.bravado.co^ +||mail.central.co.th^ +||mail.tops.co.th^ +||mail.wondery.com^ +||mail1.happ.social^ +||mail2.happ.social^ +||mailer.happ.social^ +||mailx.happ.social^ +||mallioras.openapp.link^ +||mandrillapp.zola.com^ +||mapp.biryanibykilo.com^ +||marceline.wantsext.me^ +||marketing.boostmi.com^ +||math.meistercody.com^ +||matrix.elecle.bike^ +||maui.shakaguide.com^ +||me.glamhive.com^ +||media.wave.qburst.com^ +||meinauto.hdd-dienste.de^ +||melodothogy.meng2x.com^ +||member-app.rightwayhealthcare.com^ +||members.atomcomplete.com^ +||merchant-app.th3rdwave.coffee^ +||merchant.libertycarz.com^ +||microsoft.eventionapp.com^ +||mikelperaia.openapp.link^ +||mit3app.3.dk^ +||mitt.3.se^ +||mitt3.3.se^ +||mk.appwebel.com^ +||mkt.wemakeprice.link^ +||ml.houzz.com^ +||mlinkdev.bookedout.com^ +||mlinks.fluz.app^ +||mlinks.helloalfred.com^ +||mm.openapp.link^ +||mobil.hry.yt^ +||mobile-event-alternative.cvent.me^ +||mobile-event-development.cvent.me^ +||mobile-event-staging.cvent.me^ +||mobile-event.cvent.me^ +||mobile.aspensnowmass.com^ +||mobile.bespontix.com^ +||mobile.bswift.com^ +||mobile.btgpactualdigital.com^ +||mobile.clickastro.com^ +||mobile.dat.com^ +||mobile.etiquetaunica.com.br^ +||mobile.everytap.com^ +||mobile.excedo.io^ +||mobile.expensify.com^ +||mobile.hippovideo.io^ +||mobile.locumprime.co.uk^ +||mobile.mailchimpapp.com^ +||mobile.reki.tv^ +||mobile.suiste.com^ +||mobiletest.aspensnowmass.com^ +||mobilize.tupinambaenergia.com.br^ +||mobwars-alternate.kano.link^ +||mobwars.kano.link^ +||money.clerkie.io^ +||monster.branch.rocks^ +||mousebusters.odencat.com^ +||mpakal.openapp.link^ +||msg.sqz.app^ +||mt.plateiq.com^ +||mtest.fontself.com^ +||mx.carfax.com^ +||mx.happ.social^ +||mx2.happ.social^ +||my-staging.villa.ge^ +||my-testing.tsgo.io^ +||my.bake-club.com^ +||my.blueprint-health.com^ +||my.fbird.co^ +||my.fynd.com^ +||my.gaius.app^ +||my.likeo.fr^ +||my.ndge.co^ +||my.nextgem.com^ +||my.powur.com^ +||my.showin.gs^ +||my.tsgo.io^ +||my.w.tt^ +||myapp.branch.rocks^ +||mymix.mixdevelopment.com^ +||mymix.mixtel.com^ +||mymix.mixtelematics.com^ +||myopia.gocheckkids.com^ +||mypowur.eyecue.io^ +||n.homepass.com^ +||nadelle.wantsext.me^ +||nala.headuplabs.com^ +||nasscom.epoise.com^ +||nasscomtest.epoise.com^ +||nbcnews.black.news^ +||nceexam.quantresear.ch^ +||nikitas.openapp.link^ +||nisaapp.nexus-dt.com^ +||norex-app.paihealth.no^ +||notice.hoopladigital.com^ +||notify.pray.com^ +||now.getwifireapp.com^ +||npr.black.news^ +||npteptptaexam.quantresear.ch^ +||ns1.happ.social^ +||nv.inhaabit.com^ +||o.catalyst.com.sa^ +||o.hmwy.io^ +||o.myomnicard.in^ +||oahu.shakaguide.com^ +||ochre-app.hotdoc.com.au^ +||on.allposters.com^ +||on.art.com^ +||on.hellostake.com^ +||one.appice.io^ +||one.godigit.com^ +||onelink.taptalk.io^ +||open-test.wynk.in^ +||open.ailo.app^ +||open.airtelxstream.in^ +||open.anghami.com^ +||open.bitcoinmagazine.app^ +||open.catchapp.mobi^ +||open.clerkie.io^ +||open.ditch.cash^ +||open.drivescore.com^ +||open.flow.com.mm^ +||open.fotition.com^ +||open.freeplayapp.com^ +||open.gaius.app^ +||open.getsigneasy.com^ +||open.homepass.com^ +||open.homey.app^ +||open.howbout.app^ +||open.kidu.com^ +||open.majelan.com^ +||open.melomm.com^ +||open.muze.chat^ +||open.novamoney.com^ +||open.speeko.co^ +||open.swapu.app^ +||open.theinnercircle.co^ +||open.ticketbro.com^ +||open.trakks.com^ +||open.uzitapp.com^ +||open.wynk.in^ +||openshop.m-shop.me^ +||oshp.io^ +||othanasis.openapp.link^ +||outdoor.theres.co^ +||oxqq.pandasuite.io^ +||p.cab.ua^ +||p3tq.pandasuite.io^ +||paramedicexam.quantresear.ch^ +||parentapp.byjus.com^ +||parents.app.playosmo.com^ +||partner-staging.miso.kr^ +||partner.librarius.com.ua^ +||partner.miso.kr^ +||partnerapp.kravein.com.au^ +||partnerapp.urbanclap.com^ +||partnerdev.extasy.com^ +||patrikios.openapp.link^ +||pay.truemoney.me^ +||payments.acutx.org^ +||paymentslink.dropp.cc^ +||pbm-email.rightwayhealthcare.com^ +||pdf.didgigo.com^ +||pe.txbe.at^ +||pergeroni.openapp.link^ +||pf.a23.in^ +||phlebotomyexam.quantresear.ch^ +||phoenix.thexlife.co^ +||phonetrack.hukumkaikka.in^ +||pint-dev-branch.airship.com^ +||pirateclan-alternate.kano.link^ +||pirateclan.kano.link^ +||pirounakia.openapp.link^ +||pitapan.openapp.link^ +||pitatisisminis.openapp.link^ +||pittaking.openapp.link^ +||pizzacamels.openapp.link^ +||pizzaexpress.openapp.link^ +||pizzaromea.openapp.link^ +||pl-topgal.m-shop.me^ +||play.ab05.bet^ +||play.b-t11.com^ +||play.colorplay.fun^ +||play.fanslide.com^ +||play.goldplay.me^ +||play.jdb888.club^ +||play.journey8.com^ +||play.maxgame.store^ +||play.nekobot.vip^ +||play.rheo.tv^ +||play.scavos.com^ +||play.skydreamcasino.net^ +||play.spdfun777.com^ +||play.spkr.com^ +||play.staging.underdogfantasy.com^ +||play.underdogfantasy.com^ +||play.waka8et.com^ +||play.wavelength.zone^ +||plv.geocomply.com^ +||poczta.happ.social^ +||pod.spoti.fi^ +||polis.openapp.link^ +||poll.pollinatepolls.com^ +||pool.onjoyri.de^ +||pool.onjoyride.com^ +||pop3.happ.social^ +||power.viggo.com^ +||prassas.openapp.link^ +||prasserie.openapp.link^ +||prealpha.go.levelbank.com^ +||premiumapp.byjus.com^ +||prenesi-mojm.mercator.si^ +||primary-app.hotdoc.com.au^ +||priority-app.hotdoc.com.au^ +||prismtest.epoise.com^ +||pro.bizportal.co.il^ +||pro.jig.space^ +||pro.pokerup.net^ +||production-link-ccontact.focuscura.com^ +||promo.cafexapp.com^ +||promo.gogo.org.ua^ +||promo.roadie.com^ +||promo.tops.co.th^ +||prunas.openapp.link^ +||psilikaki.openapp.link^ +||psmastersendgrid.branch.rocks^ +||psssaraki.openapp.link^ +||publish.tagstorm.com^ +||puzzle.spiriteq.com^ +||px.pandora.com^ +||pxsg.pandora.com^ +||q.skiplino.com^ +||qa-branch-app.liketoknow.it^ +||qa-brc.emails.rakuten.com^ +||qa-go.ebat.es^ +||qa-link.californiapsychics.com^ +||qa-prod.branch.rocks^ +||qaapp.forever21.com^ +||qbse.intuit.com^ +||qlp.egghead.link^ +||qr.juuice.com^ +||qr.printko.ro^ +||qrcode.visit-thassos.com^ +||qualitas-app.hotdoc.com.au^ +||quest.epoise.com^ +||question.snapiio.com^ +||questtest.epoise.com^ +||quick.openapp.link^ +||r-dev.urbansitter.net^ +||r.atlasearth.com^ +||r.blidzdeal.com^ +||r.cricbet.co^ +||r.cvglobal.co^ +||r.getcopper-dev.com^ +||r.getcopper.com^ +||r.guggy.com^ +||r.intimately.us^ +||r.morons.us^ +||r.onmyway.com^ +||r.phhhoto.com^ +||r.presspadnews.com^ +||r.rover.com^ +||r.sportsie.com^ +||racemanager-app.sapsailing.com^ +||randstad.epoise.com^ +||randstadtest.epoise.com^ +||rb.groc.press^ +||read.medium.com^ +||read.meistercody.com^ +||redditstream.arborapps.io^ +||redirect.cuballama.com^ +||redirect.indacar.io^ +||redirect.kataklop.com^ +||redirectdemoqpay.2c2p.com^ +||ref.elitehrv.com^ +||ref.mybb.id^ +||refer.chargerunning.com^ +||refer.dev.wagr.us^ +||refer.dragonfly.com.kh^ +||refer.gober.app^ +||refer.kheloapp.com^ +||refer.payluy.com.kh^ +||referral-ca.mixtiles.com^ +||referral.50fin.in^ +||referral.avena.io^ +||referral.mixtiles.com^ +||referral.monkitox.com^ +||referral.moonglabs.com^ +||referral.rvappstudio.com^ +||referral.setipe.com^ +||referral.upay.lk^ +||referral.yourcanvas.co^ +||referrals-test.ridealto.com^ +||referrals.getservice.com^ +||referrals.ridealto.com^ +||referrals.tradeapp.me^ +||referrals.zunify.me^ +||rel-link.californiapsychics.com^ +||relay.happ.social^ +||remaxmetro369.myre.io^ +||request.idangels.org^ +||resetpassword.surepetcare.io^ +||review.openapp.link^ +||rewards-my.greateasternlife.com^ +||rewards-sg.greateasternlife.com^ +||rimsha.viralof.online^ +||rl.finalprice.com^ +||rochelle.wantsext.me^ +||rooms.itsme.cool^ +||rooms.itsme.video^ +||roulette.abzorbagames.com^ +||routes.navibration.com^ +||rr.groc.press^ +||rtek-link.shares.social^ +||rx-test.capsulecares.com^ +||rx.capsulecares.com^ +||s-t.topya.com^ +||s.airgoat.com^ +||s.brin.io^ +||s.chatie.ai^ +||s.goat.com^ +||s.grabble.com^ +||s.grigora.com^ +||s.imagica.ai^ +||s.mygl.in^ +||s.myvoleo.com^ +||s.nextblock.sg^ +||s.salla.ps^ +||s.swishpick.com^ +||s.thebigfamily.app^ +||s.topya.com^ +||s.umba.com^ +||s.upoker.net^ +||s.utop.vn^ +||safepass.citizen.com^ +||safetravelsapp.progressive.com^ +||sailinsight-app.sapsailing.com^ +||sailinsight20-app.sapsailing.com^ +||sales.pandasuite.io^ +||saltsabar.openapp.link^ +||sbc-app-links.specialized.com^ +||scanner-link.covve.com^ +||scheduling.qualifi.hr^ +||securefamilylink.wireless.att.com^ +||see.yousoon.com^ +||sefkal.openapp.link^ +||selectjeeps.acutx.org^ +||selftour.walk.in^ +||sellerapp.musely.com^ +||send.merit.me^ +||send.preply.com^ +||sendgrid.employeelinkapp.com^ +||sendpulsenewtest.branch.rocks^ +||sendpulsetest.branch.rocks^ +||sense.cliexa.com^ +||sephora-qa.branch.rocks^ +||sephora-qa.branchstaging.com^ +||setup.physiapp.com^ +||sex.viralof.online^ +||sf-test.groc.press^ +||sf.groc.press^ +||sf4567w2a56q.branch.salesfloor.net^ +||sf5q8gbnve37.branch.salesfloor.net^ +||sg.carousellmotors.com^ +||sg3.notarize.com^ +||sh.b.inhaabit.com^ +||share-backcountry.onxmaps.com^ +||share-dev.perchwell.com^ +||share-dev1.sparemin.com^ +||share-hunt.onxmaps.com^ +||share-idi.dailyrounds.org^ +||share-local.sparemin.com^ +||share-staging.perchwell.com^ +||share-stg1.sparemin.com^ +||share-test.goswaggle.com^ +||share-test.tessie.com^ +||share-test.travelloapp.com^ +||share-test.usehamper.com^ +||share.1stphorm.app^ +||share.appdater.mobi^ +||share.appsaround.net^ +||share.appwinit.com^ +||share.atlantic.money^ +||share.aynrand.org^ +||share.beaconlearningapp.com^ +||share.bitzer.app^ +||share.blindside.pro^ +||share.bookey.app^ +||share.boostorder.com^ +||share.bttl.me^ +||share.ccorl.com^ +||share.check-ins.com.my^ +||share.cjcookit.com^ +||share.coupangeats.com^ +||share.dailyrounds.in^ +||share.drinki.com^ +||share.dunzo.in^ +||share.dusk.app^ +||share.eleph.app^ +||share.elixirapp.co^ +||share.elsanow.io^ +||share.entertainment.com^ +||share.finory.app^ +||share.flickasa.com^ +||share.foxtrotco.com^ +||share.furaha.co.uk^ +||share.getthatlemonade.com^ +||share.gleeph.net^ +||share.glorify-app.com^ +||share.gobx.com^ +||share.goswaggle.com^ +||share.haloedapp.com^ +||share.headliner.app^ +||share.helpthyneighbour.com^ +||share.heypubstory.com^ +||share.jisp.com^ +||share.jobeo.net^ +||share.jugnoo.in^ +||share.kamipuzzle.com^ +||share.keeano.com^ +||share.ksedi.com^ +||share.liv.rent^ +||share.mansi.io^ +||share.marrow.com^ +||share.moonlightcake.com^ +||share.mooodek.com^ +||share.mzaalo.com^ +||share.nearpod.us^ +||share.oneway.cab^ +||share.oppvenuz.com^ +||share.oyorooms.com^ +||share.palletml.com^ +||share.passportpower.app^ +||share.perchwell.com^ +||share.platoonline.com^ +||share.quin.cl^ +||share.quizizz.com^ +||share.rapfame.app^ +||share.realcrushconnection.com^ +||share.ridehip.com^ +||share.robinhood.com^ +||share.savvy-navvy.com^ +||share.scoreholio.com^ +||share.sharafdg.com^ +||share.sliver.tv^ +||share.soundit.com^ +||share.sparemin.com^ +||share.squadx.online^ +||share.stayplus.com^ +||share.stiya.com^ +||share.supp.film^ +||share.swishpick.com^ +||share.talkit.app^ +||share.tessie.com^ +||share.theladbible.com^ +||share.titanvest.com^ +||share.tops.co.th^ +||share.tornado.com^ +||share.tp666.vip^ +||share.tradeapp.me^ +||share.travelloapp.com^ +||share.vomevolunteer.com^ +||share.wayup.com^ +||share.wigle.me^ +||share.winit.nyc^ +||share.wolfspreads.com^ +||share.worldleaguelive.com^ +||share.yabelink.com^ +||share.yugengamers.com^ +||share2.360vuz.com^ +||shared.jodel.com^ +||sharedev.passportpower.app^ +||sharelink.oppvenuz.com^ +||sharen.oyorooms.com^ +||sharing.kptncook.com^ +||shell-recharge.tupinambaenergia.com.br^ +||sheregesh-io.traveler.today^ +||shop.myaeon2go.com^ +||shoppers-test.instacartemail.com^ +||shoppers.instacartemail.com^ +||shoppingapp.norwex.com^ +||short.afgruppen.no^ +||short.isdev.info^ +||showcase.inhaabit.com^ +||sign.use-neo.com^ +||sk-batteryimport.m-shop.me^ +||sk-sanasport.m-shop.me^ +||sk-topgal.m-shop.me^ +||skaffa.tidyapp.se^ +||skincheckwa-app.hotdoc.com.au^ +||skosgrill.openapp.link^ +||sl.trycircle.com^ +||slotabrosdev.zharev.com^ +||slotabrosuat.zharev.com^ +||sm-test.groc.press^ +||sm.groc.press^ +||sm.sylectus.com^ +||smbranch.nc.mails.sssports.com^ +||sms-vbs.branch.rocks^ +||sms.3.se^ +||sms.uphabit.com^ +||smtp.happ.social^ +||smtp2.happ.social^ +||smtpauth.happ.social^ +||snapshotapp.progressive.com^ +||snowman.odencat.com^ +||social.talenttitan.com^ +||social.tinyview.com^ +||socialflow.branch.rocks^ +||sp-app.fixly.pl^ +||splitexpenses.oworld.fr^ +||spread.epoolers.com^ +||ss.silkandsonder.com^ +||ssltest2.branch.io^ +||stadac.mobilapp.io^ +||stageapplink.reki.tv^ +||stagelink.lola.com^ +||stagelink.supershare.com^ +||stagelink.youareaceo.com^ +||staging-c.vcty.co^ +||staging-go.getsquire.com^ +||staging-link-ccontact.focuscura.com^ +||staging-link.docyt.com^ +||staging-link.kol.store^ +||staging-links.thriveglobal.com^ +||staging-refer.rooam.co^ +||staging.findeck.link^ +||staging.link.findeck.de^ +||staging.narrateapp.com^ +||staging.refer.wagr.us^ +||starchild.odencat.com^ +||starify.appsonic.fr^ +||start.hearsaysocial.com^ +||start.luscii.com^ +||start.ramp.com^ +||status.acutx.org^ +||stg-bnc-papago.naver.com^ +||stg-deeplink.ring.md^ +||store.echovisuals.com^ +||store.esquirrel.at^ +||studio.joinsalut.com^ +||subito.openapp.link^ +||summary.instaread.co^ +||super8-link.mysuki.io^ +||surpreendaapp.hanzo.com.br^ +||swa.anydma.com^ +||sxarakia.openapp.link^ +||t.bztest.origin.com.au^ +||t.comms.thetimes.co.uk^ +||t.discover.kayosports.com.au^ +||t.ecomms.origin.com.au^ +||t.haha.me^ +||t.hmwy.io^ +||t.icomms.origin.com.au^ +||t.newsletter.thetimes.co.uk^ +||t.prod1.discover.binge.com.au^ +||t.service.thetimes.co.uk^ +||t.staging-mail.tabcorp.com.au^ +||t.twenty.co^ +||t.vrbo.io^ +||t1.benefits.tops.co.th^ +||t1.discover.flashnews.com.au^ +||t1.stadiumgoods.com^ +||t2.click.subway.com^ +||tagourounakia.openapp.link^ +||talent.roxiapp.com^ +||talentsprint.epoise.com^ +||talk-test.stitch.cam^ +||talk.stitch.cam^ +||tally.bizanalyst.in^ +||tamedbc.roska.fr^ +||tap.carling.com^ +||tasteeat.openapp.link^ +||tba.smrtp.link^ +||td.emails.domain.com.au^ +||teen.zubie.com^ +||test-app.getgifted.com^ +||test-app.popsa.com^ +||test-app.thetimes.link^ +||test-applink.batterii.com^ +||test-b.todaytix.com^ +||test-eml.postmates.com^ +||test-fleet-eml.postmates.com^ +||test-link-ccontact.focuscura.com^ +||test-link.californiapsychics.com^ +||test-link.electrover.se^ +||test-link.foodiapp.com^ +||test-link.hellobeerapp.com^ +||test-link.payulatam.com^ +||test-link.rmbr.in^ +||test-link.stabilitas.io^ +||test-link.touchsurgery.com^ +||test-link.tradle.io^ +||test-link.volt.app^ +||test-links.cpgdata.com^ +||test-links.dipdip.com^ +||test-links.yelsa.app^ +||test-listen.tunein.com^ +||test-share.glorify-app.com^ +||test-starify.appsonic.fr^ +||test.asteride.co^ +||test.bilt.page^ +||test.customers.instacartemail.com^ +||test.emails.discovery.com^ +||test.fbird.co^ +||test.findeck.link^ +||test.findplay.it^ +||test.handy-alarm.com^ +||test.links.emails.br.discoveryplus.com^ +||test.links.emails.ca.discoveryplus.com^ +||test.links.emails.discoveryplus.com^ +||test.links.emails.emea.discoveryplus.com^ +||test.links.emails.ph.discoveryplus.com^ +||test.open.ggwpacademy.com^ +||test.openapp.link^ +||test.pooler.io^ +||test.smrtp.link^ +||test.spenn.com^ +||test.swa.info^ +||test.thei.co^ +||test2.majelan.com^ +||testbnc.mksp.io^ +||testbranch.onsequel.com^ +||testgo.huterra.com^ +||testing.news.forhers.com^ +||testing.news.forhims.com^ +||testing.news.hims.com^ +||testlink.blueheart.io^ +||testlink.droppin.us^ +||testlink.kidzapp.com^ +||testlink.peak.net^ +||testlink.saganworks.com^ +||testlink.urban.com.au^ +||testlink.victoriatheapp.com^ +||testlinks.ottplay.com^ +||testlinks.sliceit.com^ +||testreferral.upay.lk^ +||testsocial.eduthrill.com^ +||thanecityfc.spyn.co^ +||theme.echovisuals.com^ +||theroot.black.news^ +||thesource.black.news^ +||thraka.openapp.link^ +||timeclock.mytoolr.com^ +||tmapp.fitnessyard.com^ +||tmpbr.getgifted.com^ +||tmvasapp.fitnessyard.com^ +||to.4sq.com^ +||to.5mins.ai^ +||to.card.com^ +||to.degree.plus^ +||to.figr.me^ +||to.golfn.app^ +||to.quit.guru^ +||to.skooldio.com^ +||to.stynt.com^ +||to.uptime.app^ +||tommys.openapp.link^ +||tongkhohangnhat.abphotos.link^ +||top3.inhaabit.com^ +||toto.pandasuite.io^ +||trac.roomster.com^ +||track-mail.homage.co^ +||track-test.workframe.com^ +||track.cafu.com^ +||track.gleeph.net^ +||track.ivia.com^ +||track.newsplug.com^ +||track.roomster.com^ +||track.spothero.com^ +||track.workframe.com^ +||tracking.email-mandrill.pushd.com^ +||tracking.laredoute.fr^ +||tracking.sp.sofi.com^ +||tracking.staging.goshare.co^ +||tracks.roomster.com^ +||transmissionapp.jacoblegrone.com^ +||travel.stage.x.unikoom.com^ +||travel.x.unikoom.com^ +||trk-branch.balinea.com^ +||trk.bc.shutterfly.com^ +||trk.e.underarmour.com^ +||trk.flipfit.com^ +||trk.geico.com^ +||trk.luisaviaroma.com^ +||trk.s.sephora.com^ +||trk.send.safestyle.com.au^ +||trk.shoppremiumoutlets.com^ +||trk.squeezemassage.com^ +||trk.underarmour.com^ +||trk.us.underarmour.com^ +||trkemail.luisaviaroma.com^ +||trklink.luisaviaroma.com^ +||try.jaranda.kr^ +||try.joonapp.io^ +||try.popchart.family^ +||try.postmuseapp.com^ +||tsp.onjoyri.de^ +||tst-link-ccontact.focuscura.com^ +||tune.sckmediatv.com^ +||tw.spiriteq.com^ +||txt.appcity.com.au^ +||txt.fuelmyclub.com^ +||txt.hooplaguru.com^ +||txt.htltn.com^ +||txt.shopbanquet.com^ +||txt.showings.com^ +||txt.styr.com^ +||u-test.getgoose.com^ +||u.getgoose.com^ +||u.salony.com^ +||uat-client.belairdirect.com^ +||uat-client.intact.ca^ +||uat-client.nbc-insurance.ca^ +||uat-link.covve.com^ +||uat-scanner-link.covve.com^ +||uatrewards-my.greateasternlife.com^ +||uatrewards-sg.greateasternlife.com^ +||uatshare.entertainment.com^ +||ujvh.pandasuite.io^ +||uni.okane-reco-plus.com^ +||universal.okane-reco-plus.com^ +||universal.shakaguide.com^ +||universaldev.taylormadegolf.com^ +||unsubscribe.openapp.link^ +||uptvmovies.uptv.com^ +||ur.b.inhaabit.com^ +||url.density.exchange^ +||url1020.keycollectorcomics.com^ +||url1445.affirm.com^ +||url1451.careerkarma.info^ +||url1741.linktr.ee^ +||url1981.jhutnick.tantawy.app^ +||url2031.lemonaidhealth.com^ +||url2556.matthewherman.tantawy.app^ +||url259.artcollection.io^ +||url2987.affirm.com^ +||url3009.onbunches.com^ +||url3630.newsletter.experience-muse.com^ +||url3788.blazepizza.com^ +||url4142.dev.att.llabs.io^ +||url4324.affirm.ca^ +||url4324.affirm.com^ +||url485.yourname.tantawy.app^ +||url5290.dev-portal.icanbwell.com^ +||url6013.qa-app11-sendgrid.branch.rocks^ +||url6035.clay-sendgrid-test.branch.rocks^ +||url6143.branch.rocks^ +||url6146.bastien.tantawy.app^ +||url6514.affirm.com^ +||url6633.ana.tantawy.app^ +||url6933.email.marcon.au^ +||url7061.support.1dental.com^ +||url7542.fluz.app^ +||url7674.fitgenieapp.com^ +||url8196.mindrise.app^ +||url8258.jshek.branch.rocks^ +||url9609.account.experience-muse.com^ +||use.fvr.to^ +||use.lunos.app^ +||users.rentbabe.com^ +||v-t.topya.com^ +||v.angha.me^ +||v.cameo.com^ +||v.minu.be^ +||v.myvoleo.com^ +||v.topya.com^ +||vcs.kensington.my^ +||ve.velocityclinical.com^ +||verify.spin.app^ +||verify.test.spin.app^ +||verizon-branch.locationlabs.com^ +||video.bzfd.it^ +||video.vitcord.com^ +||viewer.pandasuite.io^ +||vikingclan.kano.link^ +||vip.agentteam.com.au^ +||visit.campermate.com^ +||visit.sendheirloom.com^ +||voeux2020.wearemip.com^ +||vote.speaqapp.com^ +||votedotorg.outvote.io^ +||votejoe.outvote.io^ +||vr.mttr.pt^ +||vr.vivareal.com^ +||vrasto.openapp.link^ +||vrcamdl.istaging.com^ +||vrcamdltest.istaging.com^ +||vtneexam.quantresear.ch^ +||wallet.chain.com^ +||wap.mylifetime.com^ +||watch.jawwy.tv^ +||watch.stctv.com^ +||watch.vipa.me^ +||wave.getonthewave.com^ +||we.kurly.com^ +||web.givingli.com^ +||webmail.happ.social^ +||webtoons.naver.com^ +||welcome.peek.com^ +||whatcounts.branch.rocks^ +||wl.bl.frequentvalues.com.au^ +||won.wooribank.com^ +||wop-bio.ubiwhere.com^ +||worker-app-dev.buildforce.com^ +||worker-app-staging.buildforce.com^ +||worker-app.buildforce.com^ +||wpunkt.newsweek.pl^ +||wsfc-t.topya.com^ +||wsfc.topya.com^ +||www.branch.rocks^ +||www.getone.today^ +||www.vetxanh.edu.vn^ +||www1.happ.social^ +||x.gldn.io^ +||x.xtar.io^ +||x88s.pandasuite.io^ +||y-t.topya.com^ +||y.topya.com^ +||yiyemail.branch.rocks^ +||yo.inbots.online^ +||you.pixellot.link^ +||you.stage.pixellot.link^ +||youate.co^ +||your.tmro.me^ +||yummylink.funcapital.com^ +||z.inlist.com^ +||zelle.odencat.com^ +||zombieslayer-alternate.kano.link^ +||zombieslayer.kano.link^ ! -----------------International individual tracking systems-----------------! ! *** easylist:easyprivacy/easyprivacy_specific_international.txt *** ! German -||4players.de^*/foreplaypixel.js -||85.237.86.50/stat/$domain=bluray-disc.de -||ab-in-den-urlaub.de/resources/cjs/?f=/resources/cjs/tracking/ -||ab-in-den-urlaub.de/usertracking/ -||abakus.freenet.de^ -||ac.berlinonline.de^ -||ac.express.de^ -||ac.mz-web.de^ -||acl.stayfriends.de^ -||analytics.arz.at^ -||analytics.industriemagazin.net^ +||1438976156.recolution.de^ +||20min.ch/ana/ +||aachener-zeitung.de/zva/drive.js +||absys.web.de^ +||aerzteblatt.de/inc/js/ga4.js +||agnes.waz.de^ +||analytics.adliners.de^ +||analytics.daasrv.net^ +||analytics.deutscher-apotheker-verlag.de^ ||analytics.moviepilot.de^ -||analytics.proxer.me^ -||analytics.solidbau.at^ -||antenne.de^*/ivw_reload.js -||aol.de/cnt/ -||aol.de/track/ -||arlt.com^*/econda/ -||arte.tv^*=countstats, -||as.base.de^ +||arlt.com/analytics/ +||arte.tv/log-player/ ||as.mirapodo.de^ ||as.mytoys.de^ ||as.yomonda.de^ -||banner.t-online.de^$image -||baur.de/servlet/LandmarkServlet? -||beacon.gutefrage.net^ -||behave.noen.at^ +||autoscout24.de^$ping +||basicthinking.de/stats/ ||behave.sn.at^ -||berliner-zeitung.de/analytics/ -||berlinonline.de^*/cp.php? -||bild.de/code/jiffy,*.js -||bild.de/code/linktracking,*.js -||bild.de^*-linktracking^$script -||billiger.de/js/statistik.js -||billiger.de/trackimg.gif? -||bitreactor.to/counter/ -||bluray-disc.de/user_check.php? -||boerse.de^*/log.jphp -||boersennews.de/js/lib/BnPageTracker.js -||boss.berlinonline.de^ +||berliner-stadtplan.com/t.gif +||bilder11.markt.de^ +||blogmura.com/js/*/gtag-event- ||braunschweiger-zeitung.de/stats/ -||brigitte.de/pv? -||bt.mediaimpact.de^ +||buzzfeed.at/bi/bootstrap/ +||buzzfeed.de/bi/bootstrap/ ||bz-berlin.de/_stats/ -||c.perlentaucher.de^ -||c.t-online.de^ -||cc.zeit.de^ -||cct2.o2online.de^ -||center.tv/counter/ -||chefkoch.de/counter -||chefkoch.de/statistic_service/ -||chefkoch.de^*/pixel/ -||chip.de/collect -||chip.de/stats? -||chip.de^*/hook-tracking.js -||chip.de^*/pic.gif? -||chip.de^*/tracking.js -||chip.de^*_tracking/ -||citybeat.de/include/cbtracker. -||comdirect.de/ccf/img/ecrm2.gif? -||commerzbank.de/companion/cnt.php? -||comparis.ch^*/Tracking/ -||computerbase.de/api/stats? -||computerbild.de/images/pic.gif? -||count.merian.de^ -||count.rtl.de^ -||count.spiegel.de^ -||counter.zeit.de^ -||cpix.daserste.de^ +||chartsurfer.de/js/mtm.js +||chartsurfer.de/uscoll.php? +||chefkoch-cdn.de/agf/agf.js +||chefkoch.de/search/tracking/ +||chefkoch.de/tracking/ +||cinestar.de/collect/ +||click.alternate.de^ +||cmp2.channelpartner.de^ +||cnt.wetteronline.de^ +||comparis.ch/comparis/Tracking/ +||computerbase.de/analytics +||computerbase.de/api2/$ping,xmlhttprequest +||cp.finanzfrage.net/stats ||cpx.golem.de^ ||cpxl.golem.de^ -||dab-bank.de/img/dummy.gif -||dada.net^*/nedstat_sitestat.js -||daenischesbettenlager.de/analytics.js -||daparto.de/track- -||dasoertliche.de/wws/ -||dastelefonbuch.de^*/wws.js -||dat.de/inc/count.js -||dejure.org/cgi-bin/zux2? -||derstandard.at/s/ +||d.rp-online.de^ +||dasoertliche.de/js/liwAnalytics.js +||data.sportdeutschland.tv^ +||dd.betano.com^ +||dein-plan.de/t.gif +||deine-tierwelt.de/ajax/responsive/stats.php? +||dejure.org/cgi-bin/sitzung.fcgi? ||derwesten.de/stats/ -||derwesten.de^*/click.js -||derwesten.de^*/omsv.js ||dforum.net/counter/ -||dfs.de^*/webbug.js -||diegesellschafter.de^*/flashimg.php? -||diepresse.com/files/stats-extensions/ -||digital-zoom.de/counter.js -||dnews.de^*/arnostat302.js -||dpm.bluray-disc.de^ -||dsltarife.net/ddd.js -||dsltarife.net/statistik/ -||dw-eu.com.com^ -||elektromobil-dresden.de/tinc? -||elitepartner.de/km/tcnt.do? +||dv.chemie.de^ ||ens.luzernerzeitung.ch^ ||ens.nzz.ch^ ||ens.tagblatt.ch^ -||event.dkb.de^ -||express.de/analytics/ -||extszm.web.de^ -||fanfiktion.de^*/s.js -||faz.net^*/ivw/ +||epimetheus.navigator.web.de^ +||epochtimes.de/mp/track/ +||event-collector.prd.data.s.joyn.de^ +||events.limango.com^ ||fc.vodafone.de^ -||feed-reader.net/tracking.php -||fireball.de/statistikframe.asp? -||fr-online.de/analytics/ -||ftd.de^*/track.php? -||g.silicon.de^ -||gala.de/js/tracking- -||gamepro.de^*/visitcount.js -||gamestar.de/_misc/tracking/ -||gets.faz.net^ -||gg24.de^*/count.cgi? -||giessener-anzeiger.de/stat/ -||go.bluewin.ch^ -||golem.de/staticrl/scripts/golem_cpx_ +||fotocommunity.de/track/ +||fpoe.at/tracker/ +||froglytics.eventfrog.ch^ +||gegenstimme.tv/tracker/ +||geoip.finanzen.net^ +||glomex.com^$ping +||gmx.net/monitoring/ ||golem.de/staticrl/scripts/golem_cpxl_ -||goyellow.de/trackbrowser.jsp -||handelsblatt.com/analytics/ -||hardware-infos.com/counter/ -||hardwarelabs.de/stat/ -||hardwareschotte.de/na/mdc.php? -||hartgeld.com^*/count.cgi? -||hdm-stuttgart.de/count.cgi? -||homepage-baukasten.de/cookie.php? -||horizont.net/stats/ -||ht4u.net^*/blackpixel2.php -||is.base.de^ -||jobanova.de/stats.php? -||jolie.de^*/pic.gif? -||k-files.de/screen.js -||k-foren.de/screen.js -||k-play.de/screen.js -||kicker.de^*/videocount? -||koins.de/screen.js -||krissi-ist-weg.de/ce_vcounter/ -||kununu.com^*/log? -||laut.de^*/analyse.gif? -||log.suchen.de^ -||log.sz-online.de^ -||log.wilmaa.com^ -||logging.wilmaa.com^ -||lokalisten.de/tracking.gif -||macnews.de/logreferrer.php -||macwelt.de/images/pic.gif? -||magnus.de^*/pic.gif? -||manager-magazin.de/js/http/*,testat_ -||medizinauskunft.de/logger/ -||meinestadt.de^*/tracking/ -||merkur.de/connector.php? +||hamburger-stadtplan.com/t.gif +||hannover-stadtplan.com/t.gif +||happysex.ch/app_jquery/Tracking.js +||hartgeld.com/cgi-sys/Count.cgi? +||heise.de/ivw-bin/ivw/cp/ +||herz-fuer-tiere.de^*/ad.gif? +||herz-fuer-tiere.de^*/sunshine.gif? +||hokuspokus.tarnkappe.info^ +||homegate.ch/g/collect? +||inside-channels.ch/proxy/engine/api/v1/auth/ping/ +||inside-it.ch/proxy/engine/api/v1/auth/ping/ +||jobs.ch/api/v1/public/product/track/ +||js.tag24.de/main.js +||k-aktuell.de/monitoring? +||kaufland.de/uts/events/ +||leipziger-stadtplan.com/t.gif +||llntrack.messe-duesseldorf.de^ +||lokalwerben.t-online.de^ +||lynx.gruender.de^ +||mat.ukraine-nachrichten.de^ ||metrics.n-tv.de^ -||mikrocontroller.net^*/count_view/ -||mm.welt.de^ -||mobilcom-debitel.de/track/ -||mopo.de/uid/ -||motor-talk.de/track -||motorsport-total.com/z.php? ||moviepilot.de/assets/autotrack- -||ms.computerbild.de^ -||msn.com^*/detrack.js -||msxstudios.de^*/system/stats/ -||muensterland.de^*/zaehlpixel.php? -||multicounter.de^$third-party -||musik4fun.com/ga.php? -||mytoys.de/acv/ -||myvideo.at/dynamic/mingreport.php$object-subrequest -||myvideo.ch/dynamic/mingreport.php$object-subrequest -||myvideo.de/dynamic/mingreport.php$object-subrequest -||n24.de^*/tracking.js -||news.ch/newslogbug.asp? +||mtb-news.de/metric/ +||muenchener-stadtplan.com/t.gif +||mydirtyhobby.de/tracker +||navigation-timing.meinestadt.de^ +||nct.ui-portal.de^ +||netzwelt.de/log? +||news.de/track.php +||newsdeutschland.com/RPC.php ||nickles.de/ivw/ -||nowonscreen.com/statistik_ -||nox.to/files/frame.htm -||noz.de/tracking/ -||npage.de/get_statistics.php? -||nzz.ch/statistic/ -||nzz.ch/statistic? -||o2online.de^*/psyma/ -||orf.at/ivwscript.js -||otik.de/tracker/ -||otto.de/servlet/landmarkservlet? -||otto.de^*/beacons/ -||pap.zalando.de^ -||passul.t-online.de^ -||pcfreunde.de/wb. -||pcgames.de^*/remotecampaigntracker.php -||pcwelt.de^*/pic.gif? +||nius.de/monitoring +||ostjob.ch/public/statistic/teaser/hit/ +||otto.de/error-logging/ +||otto.de/pass/scale-beacon-service/ +||otto.de^$ping +||oxifwsabgd.nzz.ch^ ||pi.technik3d.com^ -||pix.friendscout24.de^ -||pix.telekom.de^ -||pixel.1und1.de^ -||pixel.4players.de^ -||pixel.bild.de^ -||pixel.prosieben.de^ -||playomat.de/sfye_noscript.php? -||pnn.de/counter/ -||pooltrax.com/stats/ -||postbank.de^*/pb_tracking_js.js -||postbank.de^*/pb_trackingclientstat_js.js -||powercount.jswelt.de^ -||preisvergleich.de/setcookie/ -||proactive.base.de^ -||prophet.heise.de^ -||putpat.tv/tracking? +||pixel.ionos.de^ +||plausible.motorpresse.de^ +||potsdamer-stadtplan.com/t.gif +||pstt.mtb-news.de^ +||px.derstandard.at^ ||pxc.otto.de^ -||quoka.de^*/wtlog_02.js -||rem-track.bild.de^ -||remixshare.com/stat/ -||rhein-zeitung.de^*/picksel/ -||rl.heise.de^ -||rtl.de/count/ut/x.gif? -||rtl.de/tools/count/ -||rtlradio.de/stats.php? -||rtlradio.lu/stats.php? -||rwt.reichelt.de^ -||s.edeka.de^ -||s.fsphp.t-online.de^ -||secreta.de/tinc? -||shortnews.de/iframes/view_news.cfm? -||spiegel.de^*/statistic/ -||sportal.de/js/cf.analytics.js -||stargate-planet.de^*counter*/c$image,script -||statistics.raiffeisen.ch^ +||r.wz.de^ +||redaktionstest.net/cdn/$ping +||responder.wt.heise.de^ +||ricardo.ch/api/browser-statistics/ +||rt.bunte.de^ +||ruw.de/js/trackSidebarClicks.js +||schnaeppchenfuchs.com/js/default- +||sgtm.tennis-point.de^ +||shoop.de/mgtrx/ +||shop.rewe.de/api/xrd/web-vitals +||sparkasse.de/frontend/setTrackingCookie.htm +||sportnews.bz/pcookie? +||spreewaldkarte.de/t.gif +||sqs.quoka.de^ +||squirrel.cividi.ch^ +||srf.ch/udp/tracking/ +||ss.photospecialist.at^ +||ss.photospecialist.de^ +||statistic2.reichelt.de^ ||statistics.riskommunal.net^ ||stats.autoscout24.ch^ -||stats.bmw.de^ -||stats.daserste.de^ -||stats01.20min.ch^ -||stylight.net/track/ +||stats.rocketbeans.tv^ +||stats.sumikai.com^ +||steuertipps.de/scripts/tracking/ +||stol.it/pcookie? +||stuttgarter-nachrichten.de/cre-1.0/tracking/device.js ||subpixel.4players.de^ -||suedkurier.de/al/analytics/ -||suite101.de/tracking/ -||superfunblog.com/stats/stats.php -||t-online.de/js.gif?$image -||t-online.de^*/iam_toi.js -||t-online.de^*/noresult.js?track= -||t-online.de^*/stats.js?track= -||tagesspiegel.de/analytics/ -||talkline.de^*/count.talkline.js -||tdf.ringier.ch^ -||textundblog.de/powercounter.js -||topnews.de/aws.js -||topnews.de^*/aws.cgi? -||tp.deawm.com^ -||tr.werkenntwen.de^ -||track.bernerzeitung.ch^ -||track.cinestar.de^ -||track.derbund.ch^ +||suche.web.de/click +||swmhdata.stuttgarter-nachrichten.de^ +||swmhdata.stuttgarter-zeitung.de^ +||t-online.de/to/web/click? +||t-online.de/toi/html/de/img/transp.bmp? +||t.wayfair.de^ +||tagm.eduscho.at^ +||tarnkappe.info^$ping +||taz.de/count/ +||teltarif.de/scripts/fb.js +||teltarif.de/scripts/ttt.js +||teltarif.de/ttt.go? +||teltarif.de^$ping +||tgw.gmx.ch^ +||tgw.gmx.net^ +||tgw.web.de^ +||timing.uhrforum.de^ +||tm.swp.de^ +||tr.wbstraining.de^ +||tracer.autoscout24.ch^ +||track.dws.de^ ||track.express.de^ -||trackerstatistik.init-ag.de^ -||tracking.autoscout24.com^ -||tracking.beilagen-prospekte.de^ +||track.noz.de^ +||track.rheinpfalz.de^ +||track.rundschau-online.de^ +||tracking.asialadies.de^ +||tracking.avladies.de^ +||tracking.badeladies.de^ +||tracking.behaarteladies.de^ +||tracking.bizarrladies.de^ +||tracking.busenladies.de^ +||tracking.deutscheladies.de^ +||tracking.devoteladies.de^ +||tracking.dominanteladies.de^ +||tracking.erfahreneladies.de^ +||tracking.escorts24.de^ +||tracking.exklusivladies.de^ ||tracking.finanzen.net^ -||tracking.hrs.de^ +||tracking.fkk24.de^ +||tracking.fupa.net^ +||tracking.grosseladies.de^ +||tracking.hobbyladies.de^ +||tracking.immobilienscout24.de^ +||tracking.jungeladies.de^ ||tracking.krone.at^ -||tracking.kurier.at^ -||tracking.linda.de^ -||tracking.mobile.de^ -||tracking.netbank.de^ +||tracking.kussladies.de^ +||tracking.ladies.de^ +||tracking.latinaladies.de^ +||tracking.live.wetter.at^ +||tracking.massierendeladies.de^ +||tracking.mollyladies.de^ +||tracking.noen.at^ +||tracking.nsladies.de^ +||tracking.nymphomaneladies.de^ ||tracking.oe24.at^ -||tracking.sport1.de^ -||tracking.statravel.de^ -||tracking.tchibo.de^ +||tracking.orientladies.de^ +||tracking.osteuropaladies.de^ +||tracking.piercingladies.de^ +||tracking.rasierteladies.de^ +||tracking.schokoladies.de^ +||tracking.tattooladies.de^ +||tracking.tsladies.de^ +||tracking.zaertlicheladies.de^ +||tracking.zierlicheladies.de^ ||tracksrv.zdf.de^ -||trck.meinprospekt.de^ -||ts.faz.net^ -||ts.otto.de^ -||ts.rtl.de^ -||tvcommunity.at/filmpicture.aspx?count=1& -||ui-portal.de/brbtpixel/ -||unser-star-fuer-oslo.de^*/stats.php +||ui-portal.de/pos-cdn/tracklib/ +||united.web.de/confirm? +||united.web.de/event? ||vfd2dyn.vodafone.de^ -||videovalis.tv/tracking/ -||vip.de^*/tracking.js -||viviano.de/cgi-bin/stat_gateway.cgi? -||vv.ricardo.ch^ -||wdm.map24.com^ -||web-track.telekom-dienste.de^ -||web.de/ivw/cp/ -||web.de/pic? -||webnews.de^*/loglib.js -||webts.adac.de^ -||welt.de/t/js -||wer-weiss-was.de/indication/clue_*.gif? -||wienerzeitung.at/__webtrends/ -||wirtschaftspresse.biz/pshb? -||wiwo.de/analytics/ -||wlw.de^*/tracking/ -||xara.hse24.de^ -||xtranews.de/counter/ -||zdf.de^*/tracking? -||zdf.de^*/trackingivw? -||zeit.de/js/rsa.js -||zeit.de/js/rsa2.js +||vinted.de/relay/events +||wa.gmx.ch^ +||wa.gmx.net^ +||wa.web.de^ +||walbusch.de^$ping +||weltbild.de/tracking/ +||werkenntdenbesten.de/js/tracking. +||werkenntdenbesten.de/pd.js +||wikipedia.de/tracking.js +||witt-weiden.de^$ping +||wlw.de/unified_search_backend/api/v1/tracking/ +||xing.com^$ping +||ymprove.gmx.net^ +||ymprove.web.de^ +||zooplus.de/om/pxl/ +! Danish +||gtm.mandesager.dk^ +||ia.ekstrabladet.dk^ +||jv.dk/assets/statistics/ +||nrpukcsgboqr0gz2o8.www.bolighub.dk^ ! French -/acceptable.$domain=750g.com|alibabuy.com|allocine.fr|cap-cine.fr|chartsinfrance.net|cotecine.fr|easyvols.fr|easyvoyage.com|get-the-look.fr|jeuxactu.com|jeuxvideo.com|lestream.fr|millenium.org|musiquemag.com|ouest-france.fr|ozap.com|purebreak.com|purepeople.com|puretrend.com|shopoon.fr|terrafemina.com -/autopromo.$domain=750g.com|alibabuy.com|allocine.fr|cap-cine.fr|chartsinfrance.net|cotecine.fr|easyvols.fr|easyvoyage.com|get-the-look.fr|jeuxactu.com|jeuxvideo.com|lestream.fr|millenium.org|musiquemag.com|ouest-france.fr|ozap.com|purebreak.com|purepeople.com|puretrend.com|shopoon.fr|terrafemina.com -/autopromotion.$domain=750g.com|alibabuy.com|allocine.fr|cap-cine.fr|chartsinfrance.net|cotecine.fr|easyvols.fr|easyvoyage.com|get-the-look.fr|jeuxactu.com|jeuxvideo.com|lestream.fr|millenium.org|musiquemag.com|ouest-france.fr|ozap.com|purebreak.com|purepeople.com|puretrend.com|shopoon.fr|terrafemina.com -||accn.allocine.net^ +||2ememain.be/c3650cdf- +||2ememain.be/px/ +||actu.fr/assets/js/smarttag5280-1.js ||aliasdmc.fr/js/general_sts.js -||analytics.rtbf.be^ -||arte.tv/includes/xiti/ -||autoplus.fr/st? -||azurewebsites.net^*/mnr-mediametrie-tracking- -||bloguez.com/manager/compteurs/ -||cfcn.allocine.net^ -||clubic.com/editorial/publier_count.php? +||allocine.fr/_/geolocalize +||analytics.allovoisins.com^ +||analytics.clubic.com^ +||api.doctolib.fr/nr_insert_ +||api.odysee.com/locale/get +||api.ouedkniss.com^*&xTrackId= +||api.tacotax.fr/v2/amplitude_trackers +||at.pagesjaunes.fr^ +||batiactu.com/cap_ +||bmly.impots.gouv.fr^ +||boingtv.fr/track_view +||cdtm.cdiscount.com^ +||centerblog.net/a/in +||cesu.urssaf.fr/clm10 +||clubic.com/tview ||compteur.developpez.com^ -||developpez.com/public/js/track.js -||dm.commentcamarche.net^ -||dm.hugolescargot.com^ -||dm.journaldesfemmes.com^ -||dm.journaldunet.com^ -||dm.linternaute.com^ -||ea.celio.com^ -||ea.clubic.com^ -||ea.jeuxvideopc.com^ -||ea.lexpress.fr^ -||ea.monsieurmanuel.com^ -||ea.rueducommerce.fr^ -||editeurjavascript.com/hit-parade.php -||elr.sfr.fr^ -||eultech.fnac.com^ -||flake.formr.io/sp.js -||franceculture.fr/static/js/xtcore- -||futura-sciences.com^*/xtcore.js -||g.itespresso.fr^ -||grazia.fr/ea.js -||gstat.orange.fr^ -||hit.leboncoin.fr^ -||iphonesoft.fr/js/analytics- +||courrierinternational.com/*&vtag= +||datalayer.orange.fr^ +||dd.leboncoin.fr^ +||decathlon.net/content/tracker.v2.prod.min.js +||developpez.com/public/js/log.js +||donnons.org/log.js +||e.legalstart.fr^ +||e.m6web.fr/events +||easeus.com/default/js/aff_buy_tracking.js +||ecranlarge.com/stat +||email.nautiljon.com/oo/$image +||europe1.fr/assets/europe1/estat. +||events-logs.doctolib.com^ +||flow.kiloutou.fr^ +||fourchette-et-bikini.fr/core/modules/statistics/ +||fr.shopping.rakuten.com/rakuten-static-deliver/mob/*/js/track.js +||fsm.lapresse.ca^ +||gamergen.com/ajax/actualites/addVue +||hits.porn.fr^ +||hlms.ecologie.gouv.fr^ +||horairesdouverture24.fr/ar.js +||ianimes.org/img/tracker.gif +||ici.radio-canada.ca/v5/*/trace/ +||igen.fr/modules/statistics/statistics.php +||insights.v3.decathlon.net^ +||iphoneaddict.fr/wp-content/*/counter.php +||iptvgratuit.net/wp-content/*/analytics.js ||jeu.net/hits.js -||jeuxvideo.com/contenu/medias/video/countv.php? -||lavenircdn.net^*/analytics.js? -||lecho.be/fb/? -||lemde.fr^*/metrics/ -||lemde.fr^*/tracking/ -||logs-qos.tf1.fr^ -||nouvelobs.com/scripts/stats.php? -||nouvelobs.com/tools/csrum.php -||nouvelobs.com/trafiz- -||numerama.com/ajax-postviews.php -||orange.fr/track? -||ovni9.com/suggestion/stats/ +||jscrambler.com^$script,domain=airfrance.fr +||kwgs.letudiant.fr^ +||l.francetvinfo.fr^$script +||l.nicematin.com/pv.js +||lacentrale.fr/collect +||lacentrale.fr/static/fragment-sentry/lc-sentry.js +||lacoccinelle.net/tools.js +||laposte.fr/cdp/events? +||ldlc.com/V4px/js/ldlcmachine.js +||leboncoin.fr/rav-monitoring/ +||lecho.be/fb2? +||lecho.be/tag/tag- +||ledevoir.com/js/pianoAnalyticsTags.js +||lemonde.fr/*&cts= +||lemonde.fr/*&stc= +||lemonde.fr/bucket/*/tagistan. +||lemonde.fr^$ping +||leparking-moto.fr/jsV155/Tracker.js +||leparking.fr/*/Tracker.js +||lepoint.fr/img-l/$image +||liberation.fr/newsite/js/cmp/ +||logstash-3.radio-canada.ca^ +||ma-petite-recette.fr/visites +||marmiton.org/reloaded/errpix.php +||medoucine.com/tracking/ +||mesure-pro.engie.fr^ +||metrics-broker.prod.p.tf1.fr^ +||neko-san.fr/stats +||ocular.dealabs.com^ +||ouest-france.fr/v1/javascripts/*-googletag- +||ouest-france.fr/v1/javascripts/*-prebid- ||p.pagesjaunes.fr^ -||pagesjaunes.fr/bva/track.js -||pagesjaunes.fr/crmmetrix/ -||pam.nextinpact.com^ -||pwa.telephoneannuaire.fr^ -||r.orange.fr^ -||rtbf.be/log -||rtl.be^*/trkfblk.js -||rtl.fr/stats/ -||sa.tf1.fr^ -||secure-stat.canal-plus.com^ -||sfr.fr/js/pent-stats.jsp -||sport365.fr/ea.js -||stat.ouedkniss.com^ -||stat.webevolutis.com^ -||static.lephoceen.net/js/xtcore.js -||stats1x1.kapaza.be^ +||pagesjaunes.fr/pmp/ +||paruvendu.fr/*/stats/ +||pixel.dugwood.com^ +||pixel.ionos.fr^ +||promoneuve.fr/stat/ +||pt.legalstart.fr^ +||quellavelinge.com/referer.php? +||res.paruvendu.fr^ +||rts.ch^*/boreas_b01.js +||s5.charliehebdo.fr^ +||serv.letudiant.fr^ +||shemsfm.net/ar/setStats/ +||shemsfm.net/fr/setStats/ +||sncf-connect.com/apm +||sncf-connect.com/bff/api/v1/t/events +||space-blogs.net/include/counter/ +||sta.extreme-down. +||sta.wawacity. +||sta.zone-telechargement. +||stats*.credit-cooperatif.coop^ +||stats.sexemodel.com^ +||stats.zone-annuaire. +||stats.zone-telechargement. +||stt.wawacity.onl^ ||surace-jujitsu.fr/outils/compteur_php/ -||track.24heures.ch^ -||tracker-id.cdiscount.com^ -||tracker.cds-tracking.com^ +||t.7sur7.be^$image +||t.blablacar.com^ +||tc2.hometogo.net^ +||techno-science.net/outils/serviceLoc.php? +||telerama.fr/*&ptag= ||tracker.mspy.com^ -||tracking.ha.rueducommerce.fr^ +||tracking.cdiscount.com^ ||unblog.fr/cu.js -||virginmobile.fr/ea.js -||wawacity.ec/bypasspijs -||wbdds.allocine.fr^ -||zonecss.fr/images/stat_robocop.gif? -||zonecss.fr/images/statscreen.gif? +||vinted.fr/relay/events +||wawacity.*/bypass +||woopic.com/z.gif +||wrhv.education.gouv.fr^ +||wstats.gameblog.fr^ +||wt.oscaro.com^ +||yandex.fr/clck/click +||zone-telechargement.al/analytics/ +||zoneadsl.com/api/get-ip +! Belarusian +||c1hit.zerkalo.io^ +||s1r.zerkalo.io^ +||s3r.zerkalo.io^ +||zerkalo.io/stat/ ! Arabic -||cdn.mosoah.com/analytics.js -||ratteb.com/js.js -! Persian / Farsi -||footprint.anetwork.ir^ -! Bulgarian -||counter.search.bg^ +||khamsat.com/ajax/account_stats? +||mosoah.com/analytics.js +||tags.aljazeera.net^ +! Bosnian +||insight.olx.ba^ +||klix.ba/pixel/ ! Chinese -/pos?act=dur$object-subrequest,domain=tudou.com +||104.com.tw/log/ ||17173.com/ping.js -||2cat.or.tl/pmccounter.swf -||55bbs.com/pv.js -||56img.com/script/fn/stat/ -||591.com.tw/action/stat/ -||99sushe.com^*/stat.js -||acfun.tv/api/count.aspx -||adgeo.163.com^ +||17173.com/pv? +||4399.com/js/4399stat.js +||4399.com/plugins/tj/event? +||4399stat.5054399.com^ +||55bbs.com/east.html +||591.com.tw/stats/ +||9game.cn/stat/ +||a.itsmore.cn^ +||ac.dun.163.com^ +||ac.dun.163yun.com/v2/collect? +||accwww9.53kf.com^ +||adstats.tencentmusic.com^ ||al.autohome.com.cn^ -||analy.qq.com^ -||analyse.weather.com.cn^ +||alicdn.com/f/pcdn/i.php? +||ams.lelong.com.my^ +||analytics-gw.games.wanmei.com^ ||analytics.163.com^ -||analytics.nextmedia.com^ +||analytics.cnblogs.com^ +||analytics.ifanrusercontent.com^ +||analytics.oceanengine.com^ ||analytics.shop.hisense.com^ -||analytics.zhihu.com^ -||atm.youku.com^ -||autohome.com.cn/count.js -||autohome.com.cn/deliver? +||analytics.yicai.com^ +||api.ea3w.com/hits.js +||apilog-web.acfun.cn^ +||apiwmda.58.com.cn^ +||applog.yiche.com^ ||autohome.com.cn/impress? -||autohome.com.cn/realdeliver? -||baidu.com/billboard/pushlog/ -||baidu.com/dalog/ -||baidu.com/tb/pms/img/st.gif? -||baidu.com^*/c.gif? -||baidu.com^*/s.gif? -||baidu.com^*/w.gif? -||baofeng.com/script/baidu_ +||baidu.com/api/bidder/ +||baidu.com/kan/api/ipLocation +||baidu.com^*/ps_default.gif? +||banana.le.com^ ||bc.qunar.com^ -||bdwblog.eastmoney.com^ -||bglog.bitauto.com^ -||btrace.qq.com^ -||cast.ra.icast.cn^ -||cdn.baidupcs.com/monitor.jpg? -||click.ali213.net^ +||beacon.cdn.qq.com^ +||beacon.qq.com^ +||channel-analysis-js.gmw.cn^ +||cherry.le.com^ +||clewm.net/public/cli_analytics.js$domain=cli.im ||click.gamersky.com^ -||click.suning.cn^ -||clkstat.qihoo.com^ -||cmstool.youku.com^ -||collect.tianya.cn^ -||collect.yinyuetai.com^ -||count.joy.cn^ -||count.kandian.com^$object-subrequest -||count.newhua.com^ -||count.qiannao.com^ -||count.taobao.com^ -||count.video.sina.com.cn^ -||count.vrs.sohu.com^$object-subrequest +||clickcount.cnool.net^ +||clientlog.music.163.com^ +||count.candou.com^ ||count5.pconline.com.cn^ ||counter.people.cn^ -||cri.cn/a1.js -||cri.cn/wrating.js -||csdnimg.cn/track/ -||cupid.iqiyi.com/track -||dayoo.com/sta/da.js -||dc.letv.com^ -||deliver.ifeng.com^ -||dj.renren.com^ -||dmtrack.xiu.com^ -||dmtracking.1688.com^ -||docin.com/app/playerLoadLog/ -||duowan.com/duowan.js -||duowan.com/public/s/market_count.js -||dwtracking.sdo.com^ -||eastmoney.com/analysis/ -||eastmoney.com/counter.js? -||ebook.tianya.cn/js/stat.js -||eclick.baidu.com^ -||fang.com/stats/ -||firefoxchina.cn/*/trac.js -||ftchinese.com/js/log.js -||funshion.com/interface/ -||hdslb.com/images/isptrack.js -||his.tv.sohu.com/his/ping.do? +||cstm.baidu.com^ +||ctrmi.cn/t/ +||data.bilibili.com^ +||dcard.tw/v1/events +||df.huya.com^ +||dig.lianjia.com^ +||dlswbr.baidu.com^ +||dolphin.deliver.ifeng.com^ +||douyucdn.cn/fish3/1.gif +||eastmoney.com/usercollect/ +||eastmoney.com/web/prd/jump_tracker.js +||eclick.360doc.com^ +||ems.youku.com^ +||err.ifengcloud.ifeng.com^ +||event.csdn.net^ +||fclog.baidu.com^ +||flog.pressplay.cc^ +||forum.zuvio.com.tw/api/article/finish +||fp-upload.dun.163.com^ +||frog.yuanfudao.com^ +||ftwo-feedback.autohome.com.cn^ +||ftwo-receiver.autohome.com.cn^ +||gentian-frd.hjapi.com^ +||gia.jd.com^ +||gk.sina.cn^ +||h5.analytics.126.net^ +||h5log.zongheng.com^ ||hisense.com/ta.js -||hk.ndx.nextmedia.com^ +||hktvmall.com/api/event +||hoyoverse.com/dora/biz/mihoyo-h5log/ +||huaxiang.eastmoney.com^ +||hujiang.com/v2/log +||i-cable.com/ci/tracking/ +||i-tm.com.tw/api/itm-tracker.js$domain=pixnet.net +||idm.api.autohome.com.cn^ ||ifeng.com/i?p= -||imp.appledaily.com^ -||jcm.jd.com^ +||imgstat.baidu.com^ +||improving.wuzhuiso.com^ +||iqiyi.com/dsp_track3 +||iqiyi.com/track2? +||jcm.jd.com^$script,third-party +||jcmonitor.xcar.com.cn^ ||jiayuan.com^*/pv.js -||js.kuwo.cn/stat/ -||js.sohu.com/track/ -||js.soufunimg.com/count/ -||jscss.kdslife.com/club/html/count/PChome_Count.js -||ku6.com/ku6.gif? -||l.qq.com^$~object-subrequest,~xmlhttprequest +||js.ea3w.com/pv.js +||kn007.net/snmp.php +||l.web.huya.com^ ||le.com/op/ -||letv.com/op? -||log*.ku6.com^ -||log.51cto.com^ +||log-upload-os.hoyoverse.com^ ||log.bitauto.com^ ||log.flight.qunar.com^ -||log.kuwo.cn^ ||log.m.sm.cn^ -||log.ynet.com^ -||log1.17173.com^ -||loginlog.sdo.com^ +||log.mgtv.com^ +||log.mix.sina.com.cn^ +||log.sina.cn^ +||log.zongheng.com^ +||log2.sina.cn^ ||logs.51cto.com^ -||logs.live.tudou.com^ -||logstat.caixin.com^ -||luobo.tv/staticts.html -||mar.vip.com^ -||narutom.com/stat.js -||nstat.tudou.com^ -||on.cc^*/checkrev.gif? -||p-log.ykimg.com^ -||pan.baidu.com/api/analytics? +||logtake.weidian.com^ +||m.diyibanzhu.buzz/17mb/script/tj.js +||m.diyibanzhu.buzz/17mb/script/wap.js +||mail.qq.com/cgi-bin/getinvestigate? +||map.baidu.com/newmap_test/static/common/images/transparent.gif +||metric.huya.com^ +||mi.com/stat/ +||monitor.music.qq.com^ +||mp.weixin.qq.com/mp/appmsgreport? +||mp.weixin.qq.com/mp/getappmsgad? +||mp.weixin.qq.com/mp/jsmonitor? +||mp.weixin.qq.com/mp/report? +||mp.weixin.qq.com/mp/webcommreport? +||msg.qy.net^ +||msgsndr.com/funnel/event +||mtrace.qq.com^ +||music.163.com/device/signature/create/deviceid.js +||music.163.com/weapi/feedback/weblog +||music.163.com/weapi/pl/count +||netstat.yunnan.cn^ +||nex.163.com^ +||p.data.cctv.com^ +||pan.baidu.com/api/report/ +||pan.baidu.com/pcloud/counter/refreshcount? +||pan.baidu.com/recent/report? ||pb.i.sogou.com^ ||people.cn/js/pa.js -||pingback.sogou.com^ +||phpstat.cntcm.com.cn^ ||pingjs.qq.com^ +||pinkoi.com/_log/ +||pixel.kknews.cc^ +||poro.58.com^ ||pptv.com/stg/add? ||pptv.com/webdelivery/ -||pv.csdn.net^ +||pressplay.cc/marketing/event ||pv.ltn.com.tw^ -||pv.udn.com^ ||pv.xcar.com.cn^ ||pvx.xcar.com.cn^ +||qhimg.com/11.0.1.js$script +||qihucdn.com/11.0.1.js$script +||qiyukf.com/webda/da.gif$domain=youdao.com +||qq.com/code.cgi? +||qq.com/collect/ ||qq.com/kvcollect? ||qq.com/p? ||qq.com/qqcom/ -||ranking.ynet.com^ +||qq.com/report.cgi? +||qq.com/report/$image,xmlhttprequest +||qq.com/report| +||qq.com/stdlog +||qreport.qunar.com^ +||qzone.qq.com/iframe/report +||qzone.qq.com/wspeed.qq.com^ +||qzonestyle.gtimg.cn/qzone/v8/ic/iframeReport.js ||rcgi.video.qq.com^ -||rec.udn.com^ -||report.qq.com^ -||rgd.com.cn/counter/ +||referer.pixplug.in^ +||reportsk.web.sdo.com^ +||retcode.taobao.com^ +||reurl.cc/javascripts/tagtoo.js +||rlogs.youdao.com^ +||ro.aiwan4399.com^ ||s.360.cn^ ||s.pixfs.net/js/pixlogger.min.js ||s.pixfs.net/visitor.pixplug.in/ -||s.qhupdate.com^ -||s.renren.com^ -||sbeacon.sina.com.cn/e.gif -||sclick.baidu.com^ +||sbeacon.sina.com.cn^ +||sentry.music.163.com^ +||sfp.safe.baidu.com^ +||shopee.tw/__t__ +||shopee.tw/v2/shpsec/web/report ||shrek.6.cn^ ||sina.com.cn/view? -||sogou.com/cl? -||sogou.com/pv? -||sohu.com.cn/hdpb.gif? +||sinajs.cn/open/api/js/wb.js +||sngmta.qq.com^ +||sofire.bdstatic.com^ +||sogou.com/cl.gif? +||sogoucdn.com/hhytrace/ +||sohu.com/adgtr/ ||sohu.com/count/ -||sohu.com/ctr.gif? +||sohu.com/ip/$script +||sohu.com/pccollector ||sohu.com/pv.js -||sohu.com/pv? -||sohu.com/wrating ||soufun.com/click/ ||soufun.com/stats/ -||ssp.hinet.net^ -||st.vq.ku6.cn^ -||sta.ifeng.com^ ||stadig.ifeng.com^ -||stat.1688.com^ -||stat.55bbs.com^ -||stat.bilibili.tv^ +||stat-58home.58che.com^ +||stat.*.v-56.com^ ||stat.caijing.com.cn^ ||stat.funshion.net^ -||stat.hudong.com^ ||stat.iteye.com^ -||stat.ku6.com^ -||stat.ppstream.com^ -||stat.pptv.com^ ||stat.stheadline.com^ -||stat.tianya.cn^ -||stat.tudou.com^ ||stat.uuu9.com^ -||stat.xunlei.com^ +||stat.y.qq.com^ ||stat.zol.com.cn^ +||static.funshion.com/*/common/log/ ||static.qiyi.com/js/pingback/ ||statistic.qzone.qq.com^ -||statistic.takungpao.com^ -||stats.autohome.com.cn^ -||stats.tudou.com^ -||stats.yinyuetai.com^ +||statwup.huya.com^ +||steamchina.com/events/ +||sugar.zhihu.com^ +||t.home.news.cn^ +||tbskip.taobao.com^$script ||tf.360.cn^ +||theav.xyz/anyalytics +||theporn.cc/anyalytics? ||tianxun.com/ajax_website_statistics. -||tinglog.baidu.com^ ||titan24.com/scripts/stats.js -||tmall.com/add? +||tj.img4399.com^ ||tongji.mafengwo.cn^ +||tongji.techweb.com.cn^ +||tongji.xinmin.cn^ ||tongji2.vip.duba.net/__infoc.gif? ||top.baidu.com/js/nsclick.js ||toutiao.com/action_log/ ||toutiao.com^*/user_log/ ||tr.discuss.com.hk^ ||tr.price.com.hk^ +||trace.qq.com^ +||track.hujiang.com^ ||track.sohu.com^ -||tracker.live.tudou.com^ -||tv.sohu.com/upload/trace/ +||track.tom.com^ +||trackcommon.hujiang.com^ +||tracker.ai.xiaomi.com^ +||trail.53kf.com^ +||udblog.huya.com^ ||uestat.video.qiyi.com^ -||unstat.baidu.com^$~subdocument +||urbtix.hk/api/internet/log/add? ||utrack.hexun.com^ +||uuu9.com/s.php? ||v.blog.sohu.com/dostat.do? ||vatrack.hinet.net^ ||vipstatic.com/mars/ +||visit.xchina.pics^ +||visitorapi.pixplug.in^$domain=pixnet.net +||wanmei.com/public/js/stat.js ||weather.com.cn/a1.js -||webclick.yeshj.com^ -||webstat.kuwo.cn^ +||weibo.cn/h5logs/ +||weibo.com/aj/log/ +||weiyun.com/cgi-bin/tianshu_report +||weiyun.com/proxy/domain/boss.qzone.qq.com/fcg-bin/fcg_rep_strategy? ||wenku.baidu.com/tongji/ -||wl.jd.com^ +||wkctj.baidu.com^ +||wl.jd.com^$third-party +||work.3dmgame.com/js/statistics.js ||wumii.com/images/pixel.png -||youdao.com/cf.gif? -||youdao.com/imp/cac.js -||youku.com/compvlog? -||youku.com/recikupushshow? -||youku.com/ykvvlog? -||youku.com/yplaylog? -||youku.com/ypvlog? -||youku.com^*/click.php? +||xcar.com.cn/exp/ +||xiaohongshu.com/api/collect +||xiaohongshu.com/api/v2/collect +||xiaomi.com/js/mstr.js? +||ylog.huya.com^ +||youku.com/log/ ||yxdown.com/count.js +||zcool.com.cn/track/ ||zhihu-web-analytics.zhihu.com^ +||zhihu.com/collector/ +||zhihu.com/zbst/events/ +||zio.xcar.com.cn^ +||zol-img.com.cn^*/logger.js +||zongheng.com^*/logger.min.js +||zz.bdstatic.com^ ! Croatian +||avaz.ba/update/hits/ ||jutarnji.hr/template/js/eph_analytics.js ! Czech -||kbmg.cz/tracker.js +||cc.dalten.cz^ +||jslog.post.cz^ ||o2.cz^*-ga_o2cz_bundle.js? -||stat.novinky.cz^ +||sa.kolik.cz^ +||seznam.cz^$ping +||stat.super.cz^ +||statistics.csob.cz^ ! Dutch +||2dehands.be/px/ ||analytics.rambla.be^ +||api.rtl.nl/monitoring/ +||bc34.wijnvoordeel.nl^ +||bol.com/tracking/ +||businessinsider.nl^*/tr.php +||c.vrt.be^ +||coolblue.nl/monitoring/ +||events.reclamefolder.nl^ +||expert.nl/daix.js +||fd.nl/pixel/ +||folderz.nl/clickstream/ +||infonu.nl/t.php? +||kieskeurig.nl/collect +||kieskeurig.nl/track- ||klik.nrc.nl/ping? -||logs.ggweb.nl^ +||log.rabobank.nl^ ||marktplaats.nl/add_counter_image. ||marktplaats.nl/metrics/ +||marktplaats.nl/px/ +||metrics.nu.nl^ +||njam.tv/tracking/ +||npo-data.nl/tag/v3/npotag.js +||npo-data.nl/tags/tag.min.js +||npo.nl/tag/atinternet/ +||pcmweb.nl/track/ +||pg.totaaltv.nl/api/metrics +||pipeline.lc.nl^$~script +||pipeline.rd.nl^$~script +||r.kleertjes.com^ ||rtl.nl/system/track/ ||sanoma.nl/pixel/ ||sat.sanoma.fi^ +||statistiek.rijksoverheid.nl^ ||stats.fd.nl^ +||t.ad.nl^$image +||t.bd.nl^$image +||t.bndestem.nl^$image +||t.destentor.nl^$image +||t.ed.nl^$image +||t.gelderlander.nl^$image +||t.hln.be^$image +||t.pzc.nl^$image +||t.tubantia.nl^$image ||tijd.be/fb/? +||tijd.be/fb2? +||tijd.be/track/ +||topspin.npo.nl^ +||track.pexi.nl^ +||tracking.voordeeluitjes.nl^ +||tvgids.nl/collect +||tweakers.nl/track/ +||txrx.bol.com^ +||u299.libelle-lekker.be^ +||vinted.nl/relay/events ||vroom.be^*/stats.js? ||vroom.be^*/stats.php? -||webstatistieken.xs4all.nl^ ! Finnish ||analytics.sanoma.fi^ +||api.nettix.fi/counter/$image +||data.reactandshare.com^ +||dax.yle.fi^ +||dp.alma.iltalehti.fi/v1/cookie +||events.il.fi^ +||hs.fi/stats ||huuto.net/js/analytic/ +||ilcdn.fi^*/Bootstrap.js +||io-tech.fi/io/www/delvr/lokiz.php +||is.fi/stats/ +||logger.omio.com^ +||mha.fi/simple.gif? ||mtv3.fi/remarketing.js +||nelonenmedia.fi/hitcounter$image +||omataloyhtio.fi/ffsw-pushcrew.js +||omataloyhtio.fi/kuvat/pi.gif$image +||omataloyhtio.fi/statb.asp +||puutarha.net/ffsw-pushcrew.js +||puutarha.net/statb.asp +||rac.ruutu.fi^ +||rakentaja.fi/kuvat/pi.gif$image +||rantapallo.fi/s/redirect/tracking? ||stat.mtv3.fi^ +||stats.fonecta.fi^ +||tori.fi/img/none.gif$image +||ts.fi/Statistics/Log$image ||ts.fi^*/spring.js ! Greek ||skroutz.gr/analytics/ +||skroutza.skroutz.gr/skroutza.min.js ||vidads.gr/imp/ ! Hebrew ||bravo.israelweather.co.il^ ||cellstats.mako.co.il^ ||ds.haaretz.co.il^ -||events.walla.co.il/events.asp ||inn.co.il/Controls/HPJS.ashx?act=log -||nana10.co.il/statistics/ +||services.haaretz.co.il^$ping ||stats.mako.co.il^ ||walla.co.il/CountsHP.asp? ||walla.co.il/impression/ ! Hungarian +||adat.borsonline.hu^ +||adat.ingatlanbazar.hu^ +||adat.koponyeg.hu^ +||adat.life.hu^ +||adat.mandiner.hu^ +||adat.mindmegette.hu^ +||adat.origo.hu^ +||adat.travelo.hu^ +||adat.veol.hu^ +||adat.videa.hu^ +||beam.telex.hu^ ||events.ingatlan.com^ +||hirtv.hu/ajaxx/_stat/ +||hirtv.hu/nx_general_stat.jpg? +||nyitvatartas24.hu/ar.js ||otthonterkep.hu/c.js ||outal.origo.hu^ ||rtl.hu/_stat/ ||videa.hu/flvplayer_setcookie.php? +! Indonesian +||analytic20.detik.com^ +||bukalapak.com/banner-redirector/impression +||bukalapak.com/track-external-visit +||bukalapak.com/track_external.json +||dt-tracker.mamikos.com^ +||ktracker.kumparan.com^ +||mygostore.com/api/log +||t.bukalapak.com^ +||ta.tokopedia.com/promo/v1/views +||tokopedia.com/helios-client/client-log ! Italian +/~shared/do/~/count/?$image +||alfemminile.com/logpix.php ||altervista.org/js/contatore.js ||altervista.org/js_tags/contatore.js ||altervista.org/stats/ ||altervista.org^*/tb_hits_ +||analytics.laregione.ch^ +||analytics.ticinolibero.ch^ ||analytics.tio.ch^ ||analytics.traderlink.com^ ||as.payback.it^ ||automobile.it/fb/ +||avvenire.it/content/js/track.es5.min.js? ||bachecaannunci.it/statins3.php? +||bnamic.com/referrer/ ||c-date.it/tracking? ||c-date.it^*/tracking2/tr.js +||c.corriere.it^ +||catalove.com/bimp/ +||catalove.com/ntv/ ||click.tv.repubblica.it^ +||clickserver.libero.it^ ||compare.easyviaggio.com^ +||data.segugio.it^ ||deagostinipassion.it/collezioni/analytics.js -||emng.libero.it^ +||execution-ci360.rai.it^ ||fanpage.it/views/ -||g.techweekeurope.it^ +||freeonline.org/sito_track? ||gazzetta.it^*/stats.php? -||getscreensaver.it/statistiche/ +||insights.cdt.ch^ ||joka.it/inquiero/isapi/csf.dll? ||la7.it/js-live/nielsen1.js +||lalaziosiamonoi.it/pixel +||laregione.ch/ext/av.php? +||leggo.it/index.php?$image ||libero.it//js/comscore/ ||libero.it/cgi-bin/ajaxtrace? ||libero.it/cgi-bin/cdcounter.cgi? ||libero.it/cgi-bin/cdcountersp.cgi? +||libero.it/cgi-bin/twit? ||libero.it/search/abin/ajaxtrace? ||libero.it^*/counter.php? -||livestats.la7.tv^ +||lupoporno.com/js/analytics ||ma.register.it^ ||mediaset.it/cgi-bin/getcod.cgi? ||mtv.it/flux/trackingcodes/ +||paginebianche.it/cgi-bin/jbimpres.cgi? ||paginebianche.it/ip?dv= ||paginegialle.it/cgi-bin/getcod.cgi? ||paginegialle.it/cgi-bin/jimpres.cgi? -||pornolupo.org/track.js -||sa.sky.it^ +||paginegialle.it/engagement.js +||ppcdn.it/iol/tracklib.3.js +||raiplay.it/tracking/ +||repstatic.it^*/nielsen_static_mapping_repubblica_ ||seat.it/cgi-bin/getcod.cgi? ||servizi.unionesarda.it/controlli/ -||siteinfo.libero.it^ +||sgtm.tagmanageritalia.it^ ||smsaffari.it/count_new.php? ||spaziogames.it/ajax/player_impression.ashx? +||sst.colemanfurniture.com^ ||stats.splinder.com^ +||stats.stylight.it^ +||stats.suedtirolerjobs.it^ +||t.mediaset.it^ +||tantifilm.top^*/ping +||timinternet.it/timmobilestatic/img/*.gif? +||timinternet.it/timmobilestatic/jsPrivacy/gdl_function_cookie.js +||tio.ch/ext/u.php? +||tio.ch/lib/videojs/video-js-tiostats.js ||tiscali.it/banner-tiscali/stats.html? +||tla.traderlink.com^ ||topolino.it^*/omniture.php? ||track.tesiteca.it^ +||tracker.stileo.it^ +||tracking.donnemagazine.it^$script +||tracking.foodblog.it^$script ||tracking.gruppo.mps.it^ -||trk.m.libero.it^ +||tracking.mammemagazine.it^$script +||tracking.motorimagazine.it^$script +||tracking.notizie.it^$script +||tracking.offerteshopping.it^$script +||tracking.style24.it^$script +||tracking.tuobenessere.it^$script +||tracking.viaggiamo.it^$script +||tuttocagliari.net/pixel ||tuttogratis.it/gopix.php? +||tuttomercatoweb.com/pixel ||video.mediaset.it/polymediashowanalytics/ ||videogame.it/a/logview/ +||vinted.it/relay/events ||virgilio.it/clientinfo.gif? +||virgilio.it/js/web-vitals-evnt/tracking.js ||volkswagen-italia.it^*/tracking/ +||vvvvid.it^$ping ||yachtingnetwork.it/stat/ ! Japanese +||abema-tv.com/v1/stats/ +||ad-platform.jmty.jp^ +||altema-log.com^ ||amazonaws.com/ai-img/aia.js +||ameba.jp/cookie/ ||ameblo.jp/accesslog/ +||ana.3751chat.com^ +||ana.chat.shalove.net^ +||ana.luvul.net^ +||ana.skypemeet.net^ +||analysis.aws.locondo.jp^ +||analysis.prod.joyfru.jiji.com^ +||analytics.castel.jp^ ||analytics.cocolog-nifty.com^ +||analytics.ikyu.com^ +||analytics.tver.jp^ ||analyzer.fc2.com^ ||analyzer2.fc2.com^ +||anyelse.com/stat^ +||askdoctors.jp/assets/packs/js/impression_tracker- +||astat.nikkei.com^ +||astral.nicovideo.jp^ +||baitoru.com/pu/js/2017/adobe_send_tracking.js ||barks.jp/v1/stats +||bc.nhk.jp^ +||beacon.radiko.jp^ +||beacon.watch.impress.co.jp^ +||beat.yourtv.jp^ +||bookoffonline.co.jp/files/inc_js/ac/ +||bookoffonline.co.jp/files/tracking/ ||carview.co.jp/include_api/log/ -||cgi.tbs.co.jp^ +||contx.net/collect.js ||count.upc.rakuten.co.jp^ +||crank-in.net/assets/common/js/sendpv.js +||ctr.po-kaki-to.com^ +||d-log.asahi.co.jp^ +||d-log.tv-asahi.co.jp^ +||d.tv-asahi.co.jp^ +||daiichi-kamotsu.co.jp/js/google_analytics.js ||dmm.com/analytics/ -||dmm.com^*/dmm.tracking. +||dmm.com/imp? +||doda.jp/DodaCommon/Html/js/RtoasterTrack.js +||doda.jp/DodaFront/Html/js/dodaPrime_pc_aaTag.js +||doda.jp/resources/dcfront/js/usrclkTracking.js +||dxlive.com/js/dtrace.js +||eq-beacon.stream.co.jp^ +||eq-player-log.cdnext.stream.ne.jp^ +||eropuru.com/plugin/tracking/ +||esports-world.jp/js/banner.event.js +||event.lib.visumo.io/js/hbn_track.js +||fensi.plus^*/tracking/ +||fspark-ap.com/ft/analytics_log +||g123.jp/stats? +||game-i.daa.jp/skin/analytics.php +||game8.jp/logs^ +||gizmodo.jp/api/SurveyCountCollection? ||goo.ne.jp^*/vltracedmd.js +||gtm.diamond.jp^ +||hatarako.net/api/recommend/analyze_logger +||hatena.ne.jp/api/log? ||i2i.jp/bin/ +||img.syosetu.org/js/c_ +||is-log.furunavi.jp^ +||j1.ax.xrea.com^ +||k-crm.jp/tracking.js +||kojima.net/excludes/KPC/js/kjm_gtm.js +||korewaeroi.com/fukugan_$subdocument +||link.tv-asahi.co.jp/tver/cookiesync? ||ln.ameba.jp^ +||log-lb.skyperfectv.co.jp^ +||log.recommend.nicovideo.jp^ +||logcollector.note.com^ +||logql.yahoo.co.jp^ +||m-oo-m.com/data/report/ +||mangaraw.to/api/v1/view/ +||masutabe.info/js/access.js +||mayla.jp/TRACKING/ ||measure.ameblo.jp^ -||mtc.nhk.or.jp^ +||medibot.delling.care/api/counts/ +||mixi.net/static/js/build/mixi-analysis.production.js +||mng.jiji.com/cookie.html +||muragon.com/js/normal/gtag-event.js +||mwed.jp/assets/packs/js/measurements/ +||next.rikunabi.com/api/logRecommendRealtimeI2AV2 ||nhk.or.jp^*/bc.js -||ppf.rakuten.co.jp^$~script +||nicoad.nicovideo.jp/*/instream/tracking/ +||nicolive.cdn.nimg.jp/relive/sp/browser-logs. +||nicolive.cdn.nimg.jp/relive/sp/trackingService. +||nicovideo.jp/analyze/ +||nicovideo.jp/api/counter/ +||nikkei.com/.resources/tracking/ +||nvapi.nicovideo.jp/v1/bandit-machine/ +||odsyms15.com/impression? +||portal.kotodaman.jp/api/otel/v1/logs ||pvtag.yahoo.co.jp^ ||pw.gigazine.net^ +||pzd.rakuten.co.jp^ +||rakuten.co.jp/com/js/omniture/ ||rakuten.co.jp/gw.js +||ranking.fc2.com/analyze.js +||rat.rakuten.co.jp^ ||rdsig.yahoo.co.jp^$image +||rebuyengine.com/api/*/analytics/event/ +||rec1.smt.docomo.ne.jp/bcn_access_log/ +||recv-entry.tbs.co.jp^ +||recv-jnn.tbs.co.jp^ +||recv.tbs.co.jp^ +||retty.me/gen204.php +||retty.me/javascripts/common/logging.js +||revico.jp/providejs/revico_tracking.js +||revive-chat.io/js/tracking-min.js +||rtm-tracking.zozo.jp^ ||sankei.co.jp/js/analytics/ -||scis.tbs.co.jp^ +||scinable.net/access? ||seesaawiki.jp/img/rainman.gif? +||service.webgoto.net/*?wAnalytics +||shipping.jp/raa/rd.js +||shopch.jp/com/js/analytics.js +||so-zou.jp/js/ga.js +||ssai.api.streaks.jp/*/ad_info? +||stats.nhk.or.jp^ ||sy.amebame.com^ ||sy.ameblo.jp^ +||t.rentio.jp^ +||t.syosetu.org^ +||tanweb.net/wordpress/?rest_route=/sng/v1/page-count +||tekoki-fuzoku-joho.com/js/ALinkPrepare_ +||temp.twicomi.com^ +||tower.jp/bundle/beacon +||track.buyma.com^ +||track.prod.smash.pet^ +||tracker.curama.jp^ +||tracking.ai.rakuten.co.jp^ +||tracking.game8.jp^ +||tracking.gnavi.co.jp^ +||travel.co.jp/js/analysis.js +||travel.co.jp/tracking.asp ||tsite.jp/static/analytics/ -||visit.geocities.jp^ -||wisteria-js.excite.co.jp^ +||tv-asahi.co.jp/official/logging? +||twivideo.net/templates/ajax_link_click.php +||view.fujitv.co.jp^ +||visumo.jp/Content/js/tracking.js +||withnews.jp/assets/js/bcon.js +||wowow.co.jp/API/new_prg/get_tracking_url.php +||wrtn.ai/proxy/client/metrics ||x.allabout.co.jp^ ||yahoo.co.jp/b?p= ||yahoo.co.jp/p? ||yahoo.co.jp/s?s= ||yjtag.yahoo.co.jp^ +||zatsubitown.com/mailfriend/kaiseki ! Korean -||211.106.66.62^*/statistics/$domain=yonhapnews.co.kr +||11st.co.kr/st/ +||ad-log.dable.io^ +||adoffice.11st.co.kr^ +||aem-collector.daumkakao.io^ +||auction.co.kr/ad/log.js +||auction.co.kr/montelena.js +||bizlog-gateway.myrealtrip.com^ +||cdp.yna.co.kr^ ||chosun.com/hitlog/ ||count.munhwa.com^ -||gather.hankyung.com^ +||cue.search.naver.com/api/*/log/ +||data-logdelivery.wconcept.co.kr^ +||daumcdn.net^*/awsa.js +||dpg.danawa.com/*/rest/*getStampEvent +||gmarket.co.kr/js/common/uuid.js ||hits.zdnet.co.kr^ +||jdsports.co.kr/collect.php +||kyson.kakao.com^ ||l.m.naver.com^ -||log.sv.pandora.tv^ +||log.etoday.co.kr^ +||log.kinolights.com^ +||log.tossinvest.com^ +||log.zdnet.co.kr^ +||naver.com/jackpotlog/ ||naver.com/PostView.nhn?$image -||nil.naver.com^ -||pb.m.naver.com^ +||nlog.naver.com^ +||pds.auction.co.kr^ +||rake.11st.co.kr^ ||seoul.co.kr/weblog/ +||shinsegae.com/topNPopup.do ||sp.naver.com^ +||ssgdfs.com/kr/common/getPageIcfCd +||stat.i3.dmm.com^ +||stat.tiara.daum.net^ +||stat.tiara.kakao.com^ +||stat.tiara.tistory.com^ +||stat.wanted.jobs^ +||tivan.naver.com^ ||track.tiara.daum.net^ -||veta.naver.com^ +||track.tiara.kakao.com^ +||tracker.cauly.co.kr^ +||traders.co.kr/common/js/makePCookie.js +||uts.auction.co.kr^ +||utsssl.auction.co.kr^ ||wcs.naver.com^ +||weblog.coupang.com^ ||weblog.eseoul.go.kr^ ||weblog2.eseoul.go.kr^ ||ytn.co.kr/_comm/ylog.php? @@ -15352,25 +52512,44 @@ $csp=worker-src 'none',domain=akvideo.stream|alltube.pl|alltube.tv|animeteatr.ru ||delfi.lv/t/p.js ||delphi.lv/t/t.js ||diena.lv/statistics/ -||e-spy.petit.lv^ ||inbox.lv^*/ga.js ||insbergs.lv/ins_statistics/ ||reklama.lv/services/espy.php ||ss.lv/counter/ ||stats.tunt.lv^ ||tanks.lv/top/stats.php +! Lithuanian +||15min.lt/cached/tgif$~third-party +||g.delfi.lt/g.js +||lrytas.lt/counter/ +! Malaysian +||event-tracking.hellohealthgroup.com^ +||propertyguru.com.my/api/consumer/vast-media/impression? ! Norwegian -||click.vgnett.no^ -||fusion.nettavisen.no^ +||data.nrk.no^ +||kontrollportalen.no/kontroll/javascript/eventlog.js ||nrk.no^*/stats/ +||stats.proff.no^ +||stm.komplett.no^ +||tdep.hema.nl/main.js ||vg.no/stats/ -||webhit.aftenposten.no^ +! Persian +||abadis.ir/ajaxcmd/setvisit/ +||aparat.com/gogol/ +||namnak.com/act/stats.json +||namnak.com/ga.js ! Polish |http://x.o2.pl^ ||analytics.gazeta.pl^ -||dot.wp.pl^ +||collect.state.centrum24.pl^ +||dot.wp.pl^$script ||entryhit.wp.pl^ +||euro.com.pl/log-customer-visit +||eventstream.dodopizza.com^ +||ingbank.pl/mojeing/bs/xx.js ||interia.pl^*/hit. +||iplsc.com/inpl.log/ +||iwa.iplsc.com^ ||kropka.onet.pl^ ||mklik.gazeta.pl^ ||nasza-klasa.pl^*/pp_gemius @@ -15381,107 +52560,215 @@ $csp=worker-src 'none',domain=akvideo.stream|alltube.pl|alltube.tv|animeteatr.ru ||squid.gazeta.pl/bdtrck/ ||stats.teledyski.info^ ||wp.pl/?rid= +||wtk.pl/js/WTKStats.js +||yctjw54slxrwwlh.trybawaryjny.pl^ ! Portuguese ||audience-mostread.r7.com^ -||audiencia.r7.com^ ||click.uol.com.br^ +||csplog.kwai-pro.com^ ||dejavu.mercadolivre.com.br^ +||dn.pt/tag/ ||dna.uol.com.br^ ||g.bit.pt^ ||g.bitmag.com.br^ +||geoip.ativo.com^ +||globo-ab.globo.com^ ||globo.com/geo? +||hits.letras.mus.br^ +||horizon.globo.com^ +||jsuol.com.br/aud/$script ||lancenet.com.br/pw.js -||log.r7.com^ +||log-ads.r7.com^ ||logger.rm.uol.com.br^ ||logger.uol.com.br^ +||logsdk.kwai-pro.com^ +||matt.mercadolivre.com.br^ ||metrics.uol.com.br^ ||olx.com.br^*/lurker. +||poder360.com.br/_tracker +||r7.com/comscore/ ||sapo.*/clk?u= -||sl.pt/wa.gif? -||tm.jsuol.com.br^ -||tm.uol.com.br^ +||sapo.pt/Projects/sapoabd/ +||sinonimos.com.br/hits.php +||standvirtual.com^$ping +||strapi.clickjogos.com.br^ +||tags.globo.com^ +||terra.com.br^*/metrics.js +||track.exame.com^ +||track.olx.com.br^ ||tracker.bt.uol.com.br^ ||tracker.publico.pt^ ||uai.com.br^*/analytics.js +||unleash.livepix.gg^ ||uol.com.br/stats? -||urchin.estadao.com.br^ +! Romanian +||agrointel.ro/ga.js +||agrointel.ro/track.js +||analytics.okazii.ro^ +||views.b1tv.ro^ +||views.romaniatv.net^ ! Russian ||2ch.hk^*/tracker.js? +||2gis.ru/_/log +||2gis.ru/_/metrics +||3dnews.ru/track ||4pda.ru/stat/ +||a.mts.ru^ +||a.pikabu.ru^ +||a.ria.ru^ +||ad.mail.ru/static/sync-loader.js ||ad7.bigmir.net^ +||adme.media/metric-collector +||affilate.hh.ru^ ||agroserver.ru/ct/ ||analytics.carambatv.ru^ +||api.litres.ru/tracker/ ||auto.ru/-/ajax/$~xmlhttprequest ||auto.ru/cookiesync/ ||avito.ru/stat/ ||babyblog.ru/pixel? +||c.sibnet.ru^ +||clck.dzen.ru^ ||consultant.ru/js/counter.js ||cosmo.ru/*/.js?i=*&r= ||counter.drom.ru^ -||dot-stat.radikal.ru^ +||counter.sibnet.ru^ +||cpa.hh.ru^ +||credistory.ru/api/v1/LiveMetrics/ +||cs42.pikabu.ru^ +||cs43.pikabu.ru^ +||cvt1.sibnet.ru^ +||data.glamour.ru^ ||drom.ru/dummy. +||dzen.ru/api/*/stats/ +||dzen.ru/clck/ +||dzen.ru/pingx +||dzeninfra.ru/ping? ||fb.ru/stat/ +||fontanka.ru/api/metrics/ ||fotostrana.ru/start/ +||goya.rutube.ru^$~image +||hh.ru/analytics^ +||hh.ru/stat? +||interfax.ru/cnt/ ||irecommend.ru/collect/ -||kiks.auto.ru^ +||jetvis.ru/stat/ ||kommersant.ru/a.asp?p= ||kommersant.uk/banner_stats ||lamoda.ru/z? ||link.subscribe.ru^ -||livelib.ru/service/ +||livelib.ru/service/pinger +||livelib.ru/service/spv +||livelib.ru/service/traffic +||livelib.ru/service/visitlist/ ||lmcdn.ru^*/statistics.js +||log.dzen.ru^ ||log.ren.tv^ +||log.rutube.ru^ ||mail.ru/count/ -||montblanc.lenta.ru^ +||metrika.kontur.ru^ +||mirtesen.ru/js/ms.js +||ms.dzen.ru^ +||ms.vk.com^ +||mts.ru/fe-api/logger ||mytoys.ru/ka_z.jpg? ||ngs.ru/s/ +||odnoklassniki.ru/dk?cmd=videoStatNew ||ok.ru/dk?cmd=videoStatNew ||ozon.ru/tracker/ +||pikabu.ru/ajax/analytics.php +||pikabu.ru/apps/*/analytics.js +||pikabu.ru/stat/ +||pixels.boxberry.ru^ +||rabota.by/analytics? +||rabota.by/stat? ||radar.imgsmail.ru^ +||rambler.ru/metrics/ +||rambler.ru/ts-metrics/ ||rbc.ru/click? ||rbc.ru/count/ +||rbc.ru/redir/stat/ +||rbc.ru/rightarror.gif ||rt.ru/proxy? ||rutube.ru/counters.html? ||rutube.ru/dbg/player_stat? ||seedr.ru^*/stats/ +||servernews.ru/track? +||sibnet.ru/counter.php? ||ssp.rambler.ru^ +||start.ru/logger/ +||stat.5-tv.ru^ ||stat.api.2gis.ru^ -||stat.lenta.ru^ +||stat.bankiros.ru^ ||stat.pravmir.ru^ ||stat.russianfood.com^ -||stat.woman-announce.ru^ -||stats.lifenews.ru^ +||stat.stars.ru^ ||stats.mos.ru^ ||superjob.ru/ws/ ||sync.rambler.ru^ +||tes-game.ru/stat/ ||tonkosti.ru/go.php? -||tracker.tiu.ru^ +||top-staging.mail.ru^ +||top.mail.ru/tc?js +||top.mail.ru/tpc.js +||top.mail.ru/tt?js +||trk.mail.ru^$image,script +||umschool.net/_jts/api/s/track ||vedomosti.ru/boom? ||vesti.ru/counter/ +||vstat.rtr-vesti.ru^ +||xapi.ozon.ru^$ping +||xray.mail.ru^ +||yandex.ru/log? ||yast.rutube.ru^ -! Serbian -||trak-analytics.blic.rs^ +! Slovak +||harvester.cms.markiza.sk^ ! Slovene ||24ur.com/bin/player/?mod=statistics& ||dnevnik.si/tracker/ +||go-usertrack-importer.pub.24ur.si^ +||ninja.data.olxcdn.com/ninja-olxba.js ||tracker.azet.sk^ ! Spanish ||abc.es/pixel/ -||analytics.infobae.com^ +||aemet.es/js/stats.js +||analytics.bolavip.com^ +||analytics.emol.com^ ||analytics.redlink.com.ar^ ||audiencies.ccma.cat^ ||bankinter.com/res/img/documento_cargado.gif? +||caixabank.es/util/pixel.png? +||caliente.mx/integration-scripts/tracking.min.js ||coletor.terra.com^ ||compare.easyviajar.com^ +||data.acierto.com^ +||emol.com/bt/ping ||epimg.net/js/*/satelliteLib- +||esfbs.com/site/stat? ||esmas.com/scripts/esmas_stats.js ||estadisticas.lanacion.com.ar^ ||estadonline.publiguias.cl^ +||fnvma.milanuncios.com^ ||g.siliconweek.es^ +||genial.guru/metric-collector +||geo.emol.cl^ +||gruporeforma.com/clickGrupoReforma.js ||hits.antena3.com^ +||horizon-track.globo.com^ +||logs.openbank.com^ +||matt.mercadolibre. +||mediaserver.emol.cl/rtracker/ +||mega.promodescuentos.com^ ||mercadolibre.com/tracks^ +||mundodesconocido.com/tracker/ +||ocular.promodescuentos.com^ ||pixel.europapress.net^ -||stats.milenio.com^ +||px-intl.ucweb.com^ +||realtime.bbcl.cl^ +||rvv.emol.com^ +||sst.cooperativa.cl^ +||statsmp2.emol.com^ +||t-pan.triodos.com^ ||t13.cl/hit/ ||taringa.net/ajax/track-visit.php ||terra.com.mx/js/metricspar_ @@ -15489,1374 +52776,943 @@ $csp=worker-src 'none',domain=akvideo.stream|alltube.pl|alltube.tv|animeteatr.ru ||terra.com.mx^*/metrics_end.js ||terra.com/js/metrics/ ||terra.com^*/td.asp?bstat +||todomercadoweb.es/pixel +||tracker.jkplayers.com^ ||trrsf.com/metrics/ +||ubeat.tv/api/v1/sda/ +||uecdn.es/js/pbmu.js +||unm.emol.com^ +||wssgmstats.vibbo.com^ +||wsstats.coches.net^ ! Swedish +||aftonbladet.se/cnp-assets/glimr-sdk.js ||ai.idg.se^ ||ax.idg.se^ -||beacon.mtgx.tv^ ||blocket.se/js/trafikfonden.js +||bonmed.se/monitoring? ||falkenbergtorget.se/sc.gif? +||fotbollskanalen.se^$ping ||fusion.bonniertidskrifter.se^ ||gx.idg.se^ ||prisjakt.nu/js.php?p=trafikfonden -||prod-metro-collector.cloudapp.net^ ||stat.nyheter24.se^ ! Thai ||dek-d.com^*/analytic.js +||scribe.wongnai.com^ ||ta.sanook.com^ ||thairath.co.th/event/ ! Turkish +||athena-event-provider.n11.com^ ||c.gazetevatan.com^ +||cimri.com/api/pixel ||d.haberler.com^ +||d.sondakika.com^ +||giquhome.com/0/sendEventV2 +||glami.com.tr/tracker/ +||h.n11.com^ ||haberler.com/dinamik/ -||p.milliyet.com.tr^ +||hepsiburada.com/api/track +||hit.cnbce.com^ +||hstats.hepsiburada.com^ +||hstatstest.hepsiburada.com^ +||iys.org.tr/mti-popts.js +||kunduz.com/kunduzlytics.min.js +||magnipeople.com/0/sendEventV2 +||olegcassini.com.tr/0/sendEventV2 +||plausible.elbisebul.com^ ||sahibinden.com/sbbi/ -||visit.hepsiburada.com^ +||stats.birgun.net^ +||tnspro.com.tr/0/sendEventV2 +||tracker.blutv.com^ +||tracker.grupanya.com^ +||womm.com.tr/0/sendEventV2 ! Ukrainian |http://r.i.ua^ |https://r.i.ua^ +||analytics.cosmonova.net^ ||at.ua/stat/ +||counter.nv.ua^ ||counter.ukr.net^ -||hit.meta.ua^ ||meta.ua/c.asp? +||obozrevatel.com/pixel.png ||piccy.info/c? ||piccy.org.ua/c? +||remp.nv.ua^ +||sport.ua/pixel/ ||target.ukr.net^ -! Specific blocking filters necessary for sites whitelisted with $genericblock filter option -! Gamestar.de -/ping.gif?$domain=gamestar.de -||gamestar.de/_misc/tracking/$domain=gamestar.de -||google-analytics.com/analytics.js$domain=gamestar.de -||googletagmanager.com/gtm.js?$third-party,domain=gamestar.de -||ioam.de/tx.io?$domain=gamestar.de -||scorecardresearch.com^$domain=gamestar.de -! Focus.de -/pagedot.gif?$domain=focus.de -||clicktale.net^$domain=focus.de -||cloudfront.net/track?$domain=focus.de -||emetriq.de^$domain=focus.de -||googletagmanager.com^$domain=focus.de -||ioam.de/tx.io?$domain=focus.de -||krxd.net^$domain=focus.de -||log.outbrain.com^$domain=focus.de -||lp4.io^$domain=focus.de -||optimizely.com^$domain=focus.de -||scorecardresearch.com^$domain=outbrain.com -||visualrevenue.com^$domain=focus.de -||xplosion.de^$domain=focus.de -! tvspielfilm.de -||facebook.com/tr?$domain=tvspielfilm.de -||googletagmanager.com/gtm.js?$domain=tvspielfilm.de -||intelliad.de^$domain=tvspielfilm.de -||ioam.de/?$domain=tvspielfilm.de -||ioam.de/tx.io?$domain=tvspielfilm.de -||vinsight.de^$domain=tvspielfilm.de -! Prosieben -||chartbeat.com^$domain=prosieben.at|prosieben.ch|prosieben.de -||contentspread.net^$domain=prosieben.at|prosieben.ch|prosieben.de -||google-analytics.com/analytics.js$domain=prosieben.at|prosieben.ch|prosieben.de -||imrworldwide.com^$domain=prosieben.at|prosieben.ch|prosieben.de -||movad.de/c.ount?$domain=prosieben.at|prosieben.ch|prosieben.de -||nuggad.net^$domain=prosieben.at|prosieben.ch|prosieben.de -||pixel.facebook.com^$domain=facebook.com -||semasio.net^$domain=prosieben.at|prosieben.ch|prosieben.de -||theadex.com^$domain=prosieben.at|prosieben.ch|prosieben.de -||visualrevenue.com^$domain=prosieben.at|prosieben.ch|prosieben.de -||webtrekk.net^$domain=prosieben.at|prosieben.ch|prosieben.de -||xplosion.de^$domain=prosieben.at|prosieben.ch|prosieben.de -! Wetter.com -/__utm.gif?$domain=wetter.com -/chartbeat.js$domain=wetter.com -/piwik.$domain=wetter.com -||ioam.de/tx.io?$domain=wetter.com -||mouseflow.com^$domain=wetter.com -||theadex.com^$domain=wetter.com -||visualwebsiteoptimizer.com^$domain=wetter.com -! Woxikon.de -/__utm.gif$domain=woxikon.de -||ioam.de/?$domain=woxikon.de -||ioam.de/tx.io?$domain=woxikon.de -! Fanfiktion.de -||criteo.com^$domain=fanfiktion.de -||google-analytics.com/analytics.js$domain=fanfiktion.de -! boote-forum.de -||google-analytics.com/analytics.js$domain=boote-forum.de -! comunio.de -||analytics.comunio.de^$domain=comunio.de -||analytics.comunio.net^$domain=comunio.de -||criteo.com^$domain=comunio.de -||ioam.de/?$domain=comunio.de -||ioam.de/tx.io?$domain=comunio.de -||xplosion.de^$domain=comunio.de -! planetsnow.de -||google-analytics.com/analytics.js$domain=planetsnow.de -||ioam.de/?$domain=planetsnow.de -||ioam.de/tx.io?$domain=planetsnow.de -||plista.com/iframeShowItem.php$domain=planetsnow.de -||stroeerdigitalmedia.de^$domain=planetsnow.de -! Notebookcheck.com -||google-analytics.com/analytics.js$domain=notebookcheck.com -||ioam.de/?$domain=notebookcheck.com -||ioam.de/tx.io?$domain=notebookcheck.com -! -----------------------Whitelists to fix broken sites------------------------! -! *** easylist:easyprivacy/easyprivacy_whitelist.txt *** -@@/cdn-cgi/pe/bag2?*geoiplookup$xmlhttprequest,domain=orain.org -@@/cdn-cgi/pe/bag2?*google-analytics.com%2Fanalytics.js$domain=amypink.de|biznews.com|cryptospot.me|dailycaller.com|droid-life.com|forwardprogressives.com|fpif.org|fullpotentialma.com|geekzone.co.nz|goldsday.com|hoyentec.com|imageupload.co.uk|is-arquitectura.es|lazygamer.net|lingholic.com|mmanews.com|nehandaradio.com|nmac.to|orain.org|tvunblock.com|unilad.co.uk|xrussianteens.com|youngcons.com -@@/cdn-cgi/pe/bag2?*googleadservices.com$domain=droid-life.com -@@/cdn-cgi/pe/bag2?*googlesyndication.com%2Fpagead%2Fosd.js$domain=forwardprogressives.com -@@/cdn-cgi/pe/bag2?*histats.com$domain=nmac.to|xrussianteens.com -@@/cdn-cgi/pe/bag2?*log.outbrain.com$domain=dailycaller.com -@@/cdn-cgi/pe/bag2?*newrelic.com$domain=clamav.net|dailycaller.com -@@/cdn-cgi/pe/bag2?*nr-data.net$domain=dailycaller.com|realhardwarereviews.com|thepoliticalinsider.com -@@/cdn-cgi/pe/bag2?*piwik.js$domain=orain.org -@@/cdn-cgi/pe/bag2?*quantserve.com$xmlhttprequest,domain=dailycaller.com -@@/cdn-cgi/pe/bag2?*scorecardresearch.com$xmlhttprequest,domain=amren.com|amypink.de|biznews.com|dailycaller.com|droid-life.com|mmanews.com|nehandaradio.com|unilad.co.uk -@@/cdn-cgi/pe/bag2?*skimlinks.js$domain=droid-life.com -@@/cdn-cgi/pe/bag2?*static.getclicky.com%2Fjs$domain=amazingpics.net -@@/cdn-cgi/pe/bag2?*yieldbot.intent.js$domain=droid-life.com +! Vietnamese +||analytics.aita.gov.vn^ +||api.baomoi.com^$image +||coccoc.com/log +||log.ttbc-hcm.gov.vn^ +||logsbin.dantri.com.vn^ +||pixel.coccoc.com^ +||tka.tiki.vn/pixel/ +||track-srv.vietnamnet.vn^ +||w-api.baomoi.com^$image +! -----------------------Allowlists to fix broken sites------------------------! +! *** easylist:easyprivacy/easyprivacy_allowlist.txt *** @@/cgi-bin/counter_module?action=list_models$subdocument,~third-party -@@/wp-content/mu-plugins/google-analytics-dashboard-for-wp/*$script,stylesheet,~third-party -@@/wp-content/mu-plugins/google-analytics-for-wordpress/*$script,stylesheet,~third-party -@@/wp-content/mu-plugins/google-analytics-premium/*$script,stylesheet,~third-party -@@/wp-content/plugins/google-analytics-for-wordpress/*$script,stylesheet,~third-party -@@/wp-content/plugins/google-analytics-premium/*$script,stylesheet,~third-party -@@||1dmp.io/pixel.gif$image,domain=overclockers.co.uk -@@||247sports.com/site/minify.js?*/scripts/stats/$script -@@||4game.com^*/yandex-metrika.js -@@||a.visualrevenue.com/vrs.js$domain=ebaumsworld.com|nydailynews.com -@@||abclocal.go.com/combiner/c?js=*/visitorAPI.js -@@||about-australia.com/*/clickheat.js -@@||accorhotels.com^*/xtanalyzer_roi.js -@@||ad.crwdcntrl.net^$object-subrequest,domain=newsinc.com -@@||ad.crwdcntrl.net^$script,domain=investopedia.com -@@||ad.zanox.com/ppc/$subdocument,domain=wisedock.at|wisedock.co.uk|wisedock.com|wisedock.de|wisedock.eu -@@||adblockanalytics.com/ads.js| -@@||addgene.org/headers/blat/js/analyze.js -@@||adidas.com^*/adidasAnalytics.js? -@@||adobedtm.com^*/mbox-contents-$script,domain=absa.co.za|fcbarcelona.com|lenovo.com|newyorker.com|oprah.com|pnc.com|vanityfair.com|wired.com +@@||1.1.1.1/cdn-cgi/trace$xmlhttprequest,domain=myair.resmed.com|one.one.one.one +@@||1001trackstats.com/api/$xmlhttprequest,domain=songstats.com +@@||1trackapp.com/static/tracking/$script,stylesheet,~third-party +@@||8tm.net/static/img/fbpixel.png$~third-party +@@||a.usafacts.org/api/v4/Metrics$~third-party +@@||ab.blogs.es/abtest.png$domain=trendencias.com|xataka.com +@@||account.adobe.com/newrelic.js$~third-party +@@||accounts.home.id/authui/client/assets/vendors/new-relic.min.js$~third-party +@@||accounts.intuit.com/fe_logger?$~third-party +@@||addthis.com/*-angularjs.min.js$script,domain=ead.senac.br|missingkids.com|missingkids.org +@@||addthis.com/js/*/addthis_widget.js$script,domain=stagecoachbus.com +@@||admin.corrata.com/console/dcconsolews/event-log?$~third-party +@@||admin.memberspace.com/sites/*/analytics/views$~third-party +@@||adobedc.demdex.net/ee/v1/identity/$xmlhttprequest,domain=cibc.com +@@||adobedtm.com/launch-$script,xmlhttprequest +@@||adobedtm.com^*/launch-$script,xmlhttprequest @@||adobedtm.com^*/s-code-$script @@||adobedtm.com^*/satellite-$script -@@||adobedtm.com^*/satelliteLib-$script,domain=absa.co.za|argos.co.uk|collegeboard.org|crackle.com|crimewatchdaily.com|directline.com|fcbarcelona.com|jeep.com|laredoute.co.uk|laredoute.com|lenovo.com|lowes.com|malaysiaairlines.com|mastercard.us|mathworks.com|monoprice.com|nbcnews.com|newyorker.com|oprah.com|pnc.com|realtor.com|redbull.tv|repco.co.nz|searspartsdirect.com|smooth.com.au|sonycrackle.com|stuff.co.nz|subaru.com|timewarnercable.com|trip-planner.australia.com|vanityfair.com|wired.com -@@||adobetag.com/d2/$script,domain=thestar.com -@@||adobetag.com^*/amc.js$script -@@||adobetag.com^*/sitecatalyst.js$domain=hbf.com.au|seattlepi.com|tv.com -@@||adobetag.com^*/sitecatalystnew.js$domain=playstation.com -@@||adobetag.com^*s_code.js$domain=fnac.com -@@||adp.com^*/heatmap.js -@@||adprotv.com^*/comscore.streaming.$script,domain=mundodeportivo.com -@@||aflac.com/js/wt_capi.js -@@||afs-prod.appspot.com^*/tag?tags=$xmlhttprequest,domain=apnews.com -@@||airfordable.com^*/angulartics-google-analytics.min.js$domain=airfordable.com -@@||akamai.net^*/omniture.jsp$script,domain=walmart.com -@@||akamaihd.net/worldwide_analytics/$script,domain=ubi.com|ubisoft.com -@@||alicdn.com^*/class.js*/base.js*/widget.js$script -@@||alicdn.com^*/click_stat/ -@@||aliexpress.com/home/recommendEntry.do?$script -@@||aliunicorn.com^*/click-stat.js -@@||aliunicorn.com^*/click_stat/ -@@||aliyun.com/captcha/checkcode.jsonp -@@||aliyun.com/nocaptcha/analyze.jsonp -@@||amazonaws.com/searchdiscovery-satellite-production/$domain=dice.com -@@||amazonaws.com/visitorsegment/shared/resources/$script,domain=washingtonpost.com -@@||amctv.com^*/comscore.js -@@||amctv.com^*/google-analytics.js$domain=amctv.com -@@||ampush.io/js/tracker.js$domain=tunein.com -@@||analytics.atomiconline.com/services/jquery.js -@@||analytics.edgekey.net/js/brightcove-csma.js$domain=news.com.au -@@||analytics.edgesuite.net/config/beacon-*.xml$domain=video.foxnews.com -@@||analytics.edgesuite.net/html5/akamaihtml5-min.js$domain=abcnews.go.com|resignationbrewery.com|threenow.co.nz|video.foxnews.com -@@||analytics.logsss.com/logsss*.min.js$script,domain=rosegal.com -@@||analytics.ooyala.com/static/analytics.js$domain=mashable.com -@@||analytics.posttv.com/trending-videos-overall.json$domain=washingtonpost.com -@@||analytics.rogersmedia.com/js/rdm_dil_code.full.js$domain=rogersradio.ca -@@||analytics.rogersmedia.com/js/rdm_s_code.min.js$domain=rogersradio.ca -@@||analytics.twitter.com^$domain=analytics.twitter.com -@@||anthem.com/includes/foresee/foresee-trigger.js -@@||aol.com/mm_track/slideshow/$subdocument -@@||aolcdn.com/js/mg2.js$domain=autoblog.com|autos.aol.com|dailyfinance.com|moviefone.com -@@||aolcdn.com/omniunih.js$domain=aim.com|autoblog.com|autos.aol.com|engadget.com|mapquest.com|video.aol.com|www.aol.com -@@||aolcdn.com/omniunih_int.js$domain=autoblog.com -@@||aolcdn.com^*/beacon.min.js$domain=autoblog.com|dailyfinance.com -@@||api.academia.edu^*/stats?callback$script,~third-party -@@||api.branch.io^*/has-app/$xmlhttprequest,domain=npr.org -@@||api.branch.io^*/open$xmlhttprequest -@@||api.chartbeat.com^$script,domain=betabeat.com|couriermail.com.au|financialpost.com|wcpo.com -@@||api.cxense.com/public/widget/data?$script -@@||api.perfops.net^$script,xmlhttprequest,domain=dnsperf.com -@@||api.vidaxl.com^*/trackingservice/customerportal/*?$xmlhttprequest,domain=tracking.vidaxl.com -@@||app.focalmark.com/bower_components/angulartics-google-analytics/$script,~third-party -@@||app.instapage.com/ajax/$xmlhttprequest -@@||app.link/_r?sdk=*&callback=$script,domain=npr.org -@@||arcgis.com^*/heatmap.js -@@||archive.softwareheritage.org^*/stat/counters/$xmlhttprequest -@@||arkadiumhosted.com^*/google-analytics-logger.swf$object-subrequest -@@||arstechnica.com/services/incr.php?*=interactions.adblock-annoy.click$xmlhttprequest -@@||atdmt.com/ds/yusptsprtspr/ -@@||atdmt.com^*/direct*01$domain=sprint.com -@@||atl-paas.net/analytics/event -@@||atlanticbb.net/images/track/track.gif?$xmlhttprequest -@@||atptour.com/assets/atpwt/scripts/util/googleAnalytics.js -@@||att.com/scripts/adobe/virtual/detm-container-hdr.js -@@||att.com/webtrends/scripts/dcs_tag.js -@@||audi.co.uk^*/js/tracking/$script -@@||autoscout24.net/unifiedtracking/ivw.js -@@||avpwidgets.qbrick.com/playplugins/*/ga/ga.min.js$script -@@||azure.com/api/*/analytics/$~third-party,xmlhttprequest -@@||azureedge.net/trackmeet-profilepicture/$image,domain=gotrackmeet.com -@@||azureedge.net^*/eventtracking.js$domain=crimemapping.com -@@||b-europe.com/HttpHandlers/httpCombiner.ashx?*/xiti.js$script -@@||ba.com/cms/global/scripts/applications/tracking/visualsciences.js -@@||bam.nr-data.net^$script,domain=play.spotify.com -@@||barclays.co.uk/content/dam/$script -@@||barclays.co.uk/touchclarity/mbox.js -@@||barclays.touchclarity.com^$domain=barclaycard.co.uk -@@||bbc.co.uk/frameworks/nedstat/$script,~third-party -@@||bbc.co.uk/radio/player/*/logger.js$script,~third-party -@@||bbci.co.uk/bbcdotcom/*/script/av/emp/analytics.js$domain=bbc.co.uk -@@||bbci.co.uk^*/comscore.js$domain=bbc.co.uk -@@||bc.geocities.*/not_found/ -@@||beacon.guim.co.uk/accept-beacon? -@@||beatthetraffic.com/traffic/?partner=$subdocument -@@||behanceserved.com/stats/stats.js? -@@||benswann.com/decor/javascript/magnify_stats.js? -@@||beplb01.nexus.hewitt.com/analytics?$~third-party -@@||bestbuy.com^*/tracking/liveManager-min.js$~third-party -@@||bestofmedia.com/sfp/js/minified/testedJs/xtClick.min.js?$domain=tomshardware.com -@@||bettycrocker.com/Shared/Javascript/ntpagetag.js -@@||bettycrocker.com/Shared/Javascript/UnicaTag.js -@@||bgp.he.net/images/flags/*.gif?$image -@@||bhg.com/web/js-min/common/js/dwr/RemoteTargetingService.js -@@||bitgo.com/vendor/googleanalytics/angular-ga.min.js -@@||bjjhq.com/HttpCombiner.ashx?$script -@@||blogsmithmedia.com^*/gravity-beacon.js$domain=engadget.com -@@||bolha.com/clicktracker/ -@@||bonappetit.com^*/cn-fe-stats/$script -@@||bookmate.com^*/impressions?$xmlhttprequest -@@||bootcamp.mit.edu/js/angulartics-google-analytics.min.js -@@||borderfree.com/assets/utils/google-analytics.js$~third-party -@@||bountysource.com/badge/tracker? -@@||boxberry.ru/local/templates/site-boxberry/js/tracking_service.js$xmlhttprequest -@@||boxtops4education.com^*/ntpagetag.js -@@||britishairways.com/cms/global/scripts/applications/tracking/visualsciences.js -@@||browserscope.org/user/beacon/*?callback=$script,domain=jsperf.com -@@||bt.com^*/touchclarity/homepage/omtr_tc.js -@@||btstatic.com/tag.js$domain=macys.com -@@||buffalowildwings.com^*/google-analytics.js -@@||bugzilla.mozilla.org^*/extensions/TrackingFlags/$script -@@||bunchball.net/scripts/cookies/current/NitroCookies.js$domain=mtvema.com -@@||by.optimost.com^$domain=ft.com -@@||c.microsoft.com/ms.js$domain=microsoft.com|store.office.live.com|xbox.com -@@||c.mmcdn.net^*/flash/config/metrics.xml$domain=moshimonsters.com -@@||c212.net^$image,domain=prnewswire.com -@@||cache.nymag.com^*/clickability.js -@@||canada.com/js/ooyala/comscore.js -@@||canadiantire.ca^*/analytics.sitecatalyst.js -@@||canoe.ca/generix/omniture/TagOmnitureEngine.js -@@||capitalone360.com/urchin.js -@@||care2.com/assets/scripts/cookies/care2/NitroCookies.js -@@||cbc.ca/g/stats/js/cbc-stats-top.js$~third-party -@@||cbc.ca/g/stats/videoheartbeat/*/cbc-videoheartbeat.js -@@||cbc.ca^*/loggingservice.js? -@@||cbsimg.net/js/cbsi/dw.js$domain=cbssports.com|gamespot.com -@@||cbsinteractive.com^*/lib/tracking/comscore/$script -@@||cbsistatic.com^*/clicktale-$script,domain=cbsnews.com|cnet.com -@@||cbsistatic.com^*/google-analytics.js$domain=cnet.com -@@||cbsistatic.com^*/tealium.js$domain=cnet.com -@@||ccom-cdn.com/assets/img/clear.gif?ccom_md5=$domain=credit.com -@@||cdn-redfin.com^*/clicktracker.js$domain=redfin.com -@@||cdn-redfin.com^*/page_analytics.js$domain=redfin.com -@@||cdn-redfin.com^*/page_analytics.xd.js -@@||cdn-redfin.com^*/PixelTracking.js$domain=redfin.com -@@||cdn.optimizely.com/js/*.js$domain=compassion.com|creditsesame.com|dramafever.com|forbes.com|freeshipping.com|heroku.com|hotukdeals.com|imageshack.com|lifelock.com|malwarebytes.org|policymic.com|ricardo.ch|spotify.com|techrepublic.com|zdnet.com -@@||centurylink.net/images/track/track.gif?track=$xmlhttprequest -@@||chanel.com/js/chanel-tracking.js$script -@@||chartbeat.com/*/chartbeat/$~third-party -@@||chartbeat.com/js/chartbeat.js$domain=indiatimes.com|m.tmz.com|salon.com|zap2it.com -@@||chatzy.com/?jsonp:$script -@@||chobani.com/js/tracking.js -@@||cincinnatibell.net/images/track/track.gif?$xmlhttprequest -@@||cio.com/js/demandbase.js? -@@||cisco.com/web/fw/lib/ntpagetag.js -@@||cisco.com/web/fw/m/ntpagetag.min.js -@@||citi.com/cards/svc/js/tracking.js -@@||citiretailservices.citibankonline.com/USCRSF/USCRSGBL/js/AppMeasurement.js -@@||clarity-green.hart.com^$script,~third-party -@@||cleananalytics.com/browser.js?$script,domain=cheapflights.com -@@||clicktale.net/wrb.js$domain=microsoft.com -@@||clicktale.net^$script,domain=cbc.ca -@@||clicsante.ca^*/angulartics-google-tag-manager.min.js$domain=clicsante.ca -@@||cloud.talend.com/api/ipaas/services/analytics/$~third-party,xmlhttprequest -@@||cloudflare.com/analytics?$domain=cloudflare.com -@@||cloudflare.com^*/angulartics-google-analytics.min.js$domain=chromeexperiments.com -@@||cloudflare.com^*/fingerprint2.min.js$domain=saavn.com -@@||cloudfront.net/assets/js/comscore_beacon.js?$domain=zap2it.com -@@||cloudfront.net/atrk.js$domain=eatthis.com|karnaval.com|livestream.com|luxuryrealestate.com -@@||cloudfront.net/js/reach.js$domain=zap2it.com -@@||cloudfront.net/keen-tracking-*.min.js$domain=dataprivacycareers.com -@@||cloudfront.net/mngr/$script,domain=theladbible.com -@@||cloudfront.net/opentag-*.js$domain=mackweldon.com|telegraph.co.uk -@@||cloudfront.net/releases/current/tracker.js$domain=triage.superservice.com -@@||cloudfront.net^*/AppMeasurement.js$domain=financialpost.com -@@||cloudfront.net^*/comscore.$script,domain=my5.tv -@@||cloudfront.net^*/jquery.google-analytics.js$domain=homepath.com -@@||cloudfront.net^*/keen.min.js$domain=foodnetwork.co.uk -@@||cloudfront.net^*/VisitorAPI.js$domain=financialpost.com -@@||collect.igodigital.com/collect.js$script,domain=cars.com -@@||collector.shorte.st/interstitial-page-event$xmlhttprequest -@@||collegeboard.org/webanalytics/ -@@||computerworld.com/resources/scripts/lib/demandbase.js$script -@@||constantcontact.com/js/WebTracking/ -@@||contentdef.com/assets/common/js/google-analytics.js +@@||aeries.net^*/require/analytics/views/$script,~third-party +@@||ajio.com/static/assets/vendors~static/chunk/common/libraries/fingerprintjs2.$script,~third-party +@@||akamaihd.net/nbad/player/*/appmeasurement.js$domain=watch.nba.com +@@||akamaihd.net/nbad/player/*/visitorapi.js$domain=watch.nba.com +@@||alphaapi.brandify.com/rest/clicktrack$xmlhttprequest,domain=traderjoes.com +@@||analytics-static.ugc.bazaarvoice.com/prod/$script,domain=hisense.co.uk +@@||analytics.amplitude.com^$~third-party +@@||analytics.analytics-egain.com/onetag/$script,domain=boohoo.com|digikey.at|digikey.be|digikey.bg|digikey.ca|digikey.ch|digikey.cn|digikey.co.il|digikey.co.nz|digikey.co.th|digikey.co.uk|digikey.co.za|digikey.com|digikey.com.au|digikey.com.br|digikey.com.mx|digikey.cz|digikey.de|digikey.dk|digikey.ee|digikey.es|digikey.fi|digikey.fr|digikey.gr|digikey.hk|digikey.hu|digikey.ie|digikey.in|digikey.it|digikey.jp|digikey.kr|digikey.lt|digikey.lu|digikey.lv|digikey.my|digikey.nl|digikey.no|digikey.ph|digikey.pl|digikey.pt|digikey.ro|digikey.se|digikey.sg|digikey.si|digikey.sk|digikey.tw +@@||analytics.casper.com/gtag/js$~third-party +@@||analytics.casper.com/gtm.js$~third-party +@@||analytics.edgekey.net/ma_library/html5/html5_malibrary.js$script,domain=mxplayer.in +@@||analytics.itunes.apple.com^$~third-party +@@||api-analytics.magstimconnect.net^$~third-party +@@||api-js.datadome.co/js/$domain=sso.garena.com +@@||api-mg2.db-ip.com^$xmlhttprequest,domain=journal-news.com +@@||api-public.roland.com/geoip$domain=bosstoneexchange.com +@@||api.aliagents.ai/api/v1/activity$~third-party,xmlhttprequest +@@||api.amplitude.com^$xmlhttprequest,domain=insiderintelligence.com +@@||api.app.mobilelocker.eu/api/latest/application-environment/ahoy/events$~third-party +@@||api.ipinfodb.com^$xmlhttprequest,domain=management30.com +@@||api.lab.amplitude.com/v1/vardata?$domain=gaiagps.com +@@||api.omappapi.com/v3/geolocate/json$domain=seclore.com +@@||api.perfops.net^$script,xmlhttprequest,domain=cdnperf.com|dnsperf.com +@@||api.touchnote.io^$xmlhttprequest,domain=app.touchnote.com +@@||api.vk.com/method/statEvents.$~third-party +@@||api.zeeg.me/api/analytics/events/$~third-party +@@||assets.fyers.in/Lib/analytics/Analytics.js$~third-party +@@||assets.msn.com/staticsb/statics/latest/adboxes/$script,~third-party +@@||att.com/scripts/adobe/prod/$script,~third-party +@@||att.com/scripts/adobe/virtual/detm-container-hdr.js$~third-party +@@||att.com/ui/services_co_myatt_common/$script,~third-party +@@||att.tv^*/VisitorAPI.js$script,~third-party +@@||autocomplete.clearbit.com^$xmlhttprequest +@@||azureedge.net/prod/smi/loader-config.json$domain=pressdemocrat.com +@@||bam.nr-data.net^$script,domain=kapwing.com +@@||bgp.he.net/images/flags/*.gif?$image,~third-party +@@||bjjhq.com/HttpCombiner.ashx?$script,~third-party +@@||blackcircles.ca^$script,~third-party +@@||blueconic.net/bostonglobemedia.js$domain=bostonglobe.com +@@||board-game.co.uk/cdn-cgi/zaraz/s.js$script,~third-party +@@||bookmate.com^*/impressions?$~third-party,xmlhttprequest +@@||bostonglobe.com/login/js/lib/AppMeasurement.js$~third-party +@@||browser-intake-datadoghq.com^$domain=pluto.tv +@@||browser.covatic.io/sdk/v1/bauer.js$script,domain=hellorayo.co.uk +@@||c.lytics.io/api/tag/$script,domain=time.com +@@||c.paypal.com/da/r/fb.js$script +@@||c.webtrends-optimize.com/acs/$image,script,domain=tvlicensing.co.uk +@@||canadacomputers.com/templates/ccnew/assets/js/jquery.browser-fingerprint-$~third-party +@@||cdc.gov/jscript/metrics/adobe/launch/$script,~third-party +@@||cdn-net.com/cc.js +@@||cdn.getblueshift.com/blueshift.js$script,domain=rentcafe.com +@@||cdn.heapanalytics.com^$script,domain=libertymutual.com +@@||cdn.jsdelivr.net^*/fp.min.js$script,domain=cuevana2.io +@@||cdn.listrakbi.com^$script,domain=mackenzie-childs.com +@@||cdn.matomo.cloud/tekuchi.matomo.cloud/matomo.js$domain=berkeleygroup.digital +@@||cdn.mxpnl.com/libs/$script,domain=get.pumpkin.care +@@||cdn.perfops.net/rom3/rom3.min.js$domain=cdnperf.com +@@||cdn.segment.com/analytics-next/ +@@||cdn.segment.com/analytics.js/$script,domain=abstractapi.com|app.cryptotrader.tax|driversed.com|fender.com|finerdesk.com|foxbusiness.com|foxnews.com|givingassistant.org|inxeption.io|reuters.com|squaretrade.com|swatches.interiordefine.com +@@||cdn.segment.com/next-integrations/integrations/ +@@||cdn.segment.com/v1/projects/ +@@||cdn.sophi.io/assets/$script,domain=nationalpost.com +@@||cdn.usefathom.com/script.js$domain=sharpen-free-design-generator.netlify.app +@@||cdn.viglink.com/api/vglnk.js$domain=9to5mac.com|electrek.co +@@||certona.net^*/scripts/resonance.js$script,domain=canadiantire.ca|finishline.com|summitracing.com|tumi.com +@@||channel.images.production.web.w4a.tv^*/ard.png?$domain=yallo.tv +@@||chart-embed.service.newrelic.com^$subdocument,xmlhttprequest +@@||chasecdn.com/web/*/eventtracker.js$domain=chase.com +@@||chat.d-id.com/assets/mixpanel.$~third-party +@@||check.ddos-guard.net/check.js$script +@@||cleverpush.com/channel/$script,domain=bsdex.de|heise.de +@@||cleverpush.com/sdk/$script,domain=heise.de +@@||cloudflare.com/ajax/libs/fingerprintjs2/$domain=extracttable.com|fckrasnodar.ru|login.kroton.com.br +@@||cloudflare.com/cdn-cgi/trace$domain=infyspringboard.onwingspan.com|injora.com|kiichin.com|myair.resmed.com|twgtea.com +@@||cloudflareinsights.com/beacon.min.js$script,domain=app.uniswap.org +@@||cloudfront.net/atrk.js$domain=luxuryrealestate.com +@@||cloudinary.com/perimeterx/$image,domain=perimeterx.com +@@||cnet.com/a/video-player/uvpjs-rv/$script,~third-party +@@||cohesionapps.com/cohesion/$domain=bankrate.com|frontier.com +@@||cohesionapps.com/preamp/$subdocument,xmlhttprequest,domain=frontier.com +@@||collections.archives.govt.nz/combo/*/gtag.js$script,~third-party +@@||collusion.com/static/newrelic.js$script,~third-party +@@||commerce.adobe.io^$xmlhttprequest,domain=superbrightleds.com +@@||community.brave.com/t/$xmlhttprequest +@@||connatix.com/min/connatix.renderer.infeed.min.js$domain=accuweather.com|collider.com|gamepress.gg|salon.com +@@||console.statsig.com/_next/$~third-party @@||coremetrics.com*/eluminate.js -@@||count.ly^$~third-party -@@||coursehero.com/min/?f=*/tracker_pageview.js,$domain=coursehero.com +@@||coxbusiness.com/R136/assets/newrelic/newrelic.js$~third-party +@@||cpt-static.gannettdigital.com/universal-web-client/master/latest/elements/vendor/adobe/app-measurement.html$xmlhttprequest +@@||cpt-static.gannettdigital.com/universal-web-client/master/latest/elements/vendor/adobe/visitor-api.html$xmlhttprequest @@||cqcounter.com^$domain=cqcounter.com -@@||craveonline.com/wp-content/plugins/bwp-minify/$script -@@||craveonline.com^*/google-analytics.min.js -@@||create.kahoot.it/rest/analytics/track/$xmlhttprequest -@@||criteo.investorroom.com^$domain=criteo.investorroom.com -@@||crowdscience.com/max-$script,domain=everydayhealth.com -@@||crowdscience.com/start-$script,domain=everydayhealth.com -@@||cschat.ebay.com^*/scripts/log.js -@@||csdata1.com/data/js/$domain=acehardware.com -@@||csid.com/wp-content/plugins/bwp-minify/min/?*/google-analyticator/$script -@@||csoonline.com/js/demandbase.js -@@||ctv.ca/players/mediaplayer/*/comscorebeacon.js -@@||cxense.com/cx.js$domain=brandonsun.com|channelnewsasia.com|winnipegfreepress.com -@@||d1l6p2sc9645hc.cloudfront.net/tracker.js| -@@||d1z2jf7jlzjs58.cloudfront.net/p.js$script,domain=nfl.com -@@||d2dq2ahtl5zl1z.cloudfront.net/analytics.js/*/analytics.min.js$domain=architizer.com -@@||d2pe20ur0h0p8p.cloudfront.net/identity/*/wapo_identity_full.js$domain=washingtonpost.com -@@||d2pe20ur0h0p8p.cloudfront.net/identity/*/wapo_jskit_addon.js$domain=washingtonpost.com -@@||d396ihyrqc81w.cloudfront.net^$domain=currys.co.uk -@@||d3qxwzhswv93jk.cloudfront.net/esf.js$domain=wwe.com -@@||d3ujids68p6xmq.cloudfront.net^$script,domain=wwe.com -@@||dailycaller.com^*_chartbeat.js -@@||dailyfinance.com/traffic/? -@@||dailymail.co.uk/brightcove/tracking/ted3.js -@@||darksky.net^*/analytics.js$script,~third-party -@@||ddmcdn.com^*/comscore.streaming.$script,domain=animalplanet.com|discovery.com|investigationdiscovery.com|tlc.com -@@||deals.nextag.com^*/ClickTracker.jsp -@@||debenhams.com/foresee/foresee-trigger.js -@@||demandbase.com^*/ip.json?$xmlhttprequest,domain=vmware.com -@@||demandware.edgesuite.net^*/js/tracking.js -@@||demdex.net/dest4.html?d_nsid=$subdocument,domain=multipack.com.mx -@@||descopera.ro/js/addLinkerEvents-ga.js -@@||diablo3.com/assets/js/jquery.google-analytics.js -@@||digitalgov.gov/Universal-Federated-Analytics-Min.js?$script,domain=travel.state.gov -@@||digits.com^*/sdk.js$domain=openhub.net -@@||directline.com/touchclarity/$script -@@||directline.com^*/analytics.sitecatalyst.js -@@||dmeserv.newsinc.com/dpid/*/PPEmbed.js$domain=csmonitor.com -@@||dmeserv.newsinc.com^*/dynamicWidgets.js$domain=timesfreepress.com -@@||docodoco.jp^*/docodoco?key=$script,domain=nidec-copal-electronics.com -@@||dopemagazine.com/wp-content/plugins/masterslider/public/assets/css/blank.gif? -@@||doubleclick.net/activityi;src=$object-subrequest,domain=cicispizza.com -@@||dplay.com^*/comscore.streaming.min.js -@@||dplay.com^*/google_analytics.js -@@||dpm.demdex.net/id?$script,domain=gamespot.com -@@||dpm.demdex.net/id?$xmlhttprequest,domain=foxnews.com -@@||dtdc.in/tracking/tracking_results_$subdocument,domain=dtdc.com -@@||dw.cbsi.com/anonc.js$domain=cnet.com|gamespot.com|giantbomb.com -@@||dw.cbsi.com/js/dw.js$domain=cnet.com -@@||dw.com.com/js/dw.js$domain=cbsnews.com|cnet.com|gamespot.com|tv.com -@@||e2e-comms.pearson.com/osbrowserchecker/prd/thirdPartyCookie.html?$subdocument,domain=pearsonmylabandmastering.com -@@||ecostream.tv/js/ecos.js -@@||edgedatg.com/aws/apps/datg/web-player-unity/*/AppMeasurement.js$domain=abc.go.com -@@||edgedatg.com^*/VisitorAPI.js$domain=disneynow.go.com -@@||edgesuite.net/crossdomain.xml$object-subrequest,domain=sbs.com.au -@@||egencia.com/pubspec/scripts/include/omnitureAnalytics.js -@@||egencia.com/pubspec/scripts/include/siteanalytics_include.js -@@||eircomphonebook.ie/js/wt_capi.js? -@@||eloqua.com/include/livevalidation_standalone.compressed.js$domain=pbs.org -@@||eloqua.com/visitor/v200/svrgp.aspx?$domain=itworld.com|juniper.net -@@||emjcd.com^$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||ensighten.com/crossdomain.xml$object-subrequest -@@||ensighten.com/libs/flowplayer/ensightenplugin.swf$object-subrequest -@@||ensighten.com^*/Bootstrap.js$domain=americanexpress.com|caranddriver.com|cart.autodesk.com|citizensbank.com|dell.com|france24.com|homedepot.com|hp.com|rfi.fr|sbs.com.au|sfgate.com|staples.com|t-mobile.com|target.com|verizonwireless.com|williamhill.com|zales.com +@@||crimemapping.com/cdn/*/analytics/eventtracking.js$~third-party +@@||criteo.com/delivery/$domain=canadiantire.ca +@@||cults3d.com/packs/js/quantcast-$~third-party +@@||cvs.com/shop-assets/js/VisitorAPI.js$~third-party +@@||d2ma0sm7bfpafd.cloudfront.net/wcsstore/waitrosedirectstorefrontassetstore/custom/js/analyticseventtracking/$script,domain=waitrosecellar.com +@@||d2wy8f7a9ursnm.cloudfront.net/v8/bugsnag.min.js$script,domain=forecastapp.com +@@||d347cldnsmtg5x.cloudfront.net/util/1x1.gif$image,domain=aplaceforeverything.co.uk +@@||d41.co/tags/ff-2.min.js$domain=ads.spotify.com +@@||data.adxcel-ec2.com^$image,domain=laguardia.edu +@@||datadoghq-browser-agent.com^$script,domain=bbcgoodfood.com|cdn.spatialbuzz.com|dashboard.getdriven.app|hungryroot.com|usa.experian.com +@@||delta.com/dlhome/ruxitagentjs$~third-party +@@||docs.google.com/*/viewdata$~third-party +@@||driverfix.com^*/index_src.php?tracking=$~third-party +@@||dw.com.com/js/dw.js$domain=cbsnews.com|tv.com +@@||dz9qn8fh4jznm.cloudfront.net/script.js$script,domain=bostonglobe.com +@@||easternbank.com/sites/easternbank/files/google_tag/eastern_bank/google_tag.script.js$script,~third-party +@@||easy-firmware.com/templates/default/html/*/assets/js/fingerprint2.min.js$script,~third-party +@@||ebanking.meezanbank.com/AmbitRetailFrontEnd/js/fingerprint2.min.js$~third-party +@@||ec.europa.eu/eurostat/databrowser/assets/analytics/piwik.js$script,~third-party +@@||ensighten.com^*/Bootstrap.js$domain=americanexpress.com|ba.com|bestbuy.com|britishairways.com|capitalone.com|caranddriver.com|cart.autodesk.com|citi.com|citigold.com.sg|citizensbank.com|dell.com|fidelity.com|france24.com|hp.com|norton.com|rfi.fr|sbs.com.au|sfgate.com|staples.com|target.com|verizonwireless.com|williamhill.com|womenshealthmag.com|zales.com @@||ensighten.com^*/code/$script @@||ensighten.com^*/scode/$script,domain=norton.com @@||ensighten.com^*/serverComponent.php?$script -@@||epixhd.com/styleassets/js/google-analytics.js -@@||eplayerhtml5.performgroup.com/js/tsEplayerHtml5/js/Eplayer/js/quantcast/$script -@@||estat.com/js/*.js?$domain=entertainmentwise.com -@@||everestjs.net/static/st.js$domain=ford.com -@@||evernote.com^*/google-analytics-util.js -@@||evestment.com/api/analytics/$domain=evestment.com -@@||expedia.com/minify/siteAnalytics-$script -@@||expedia.com/static/default/default/scripts/siteAnalytics.js -@@||expedia.com/static/default/default/scripts/TealeafSDK.js -@@||facebook.com/ajax/photos/logging/session_logging.php?$xmlhttprequest -@@||facebook.com/common/referer_frame.php$subdocument,domain=facebook.com -@@||faostat3.fao.org^*/google-analytics-manager.js -@@||fastway.co.nz/Umbraco/Api/Tracking/ -@@||fccbrea.org^*/swfaddress.js -@@||fifa.com^*/webanalytics.js? -@@||firstdirect.com^*/logging-code.js -@@||fitloop.co/packages/GAnalytics.js? -@@||flagshipmerchantservices.com/clickpathmedia.js -@@||flipps.com^*/page-tracking.js? -@@||fls-*.amazon.com^*/aiv-web-player/$xmlhttprequest -@@||flsenate.gov/Scripts/GoogleAnalytics.js$~third-party -@@||flurry.com/js/flurry.js$domain=pocketdice.io|slantnews.com -@@||fncstatic.com^*/visitorapi.js$script,domain=foxbusiness.com|foxnews.com -@@||focus.ti.com^*/metrics-min.js -@@||foodnetwork.com^*/analytics.sitecatalyst.js -@@||freefilefillableforms.com/js/lib/irs/fingerprint.js$~third-party -@@||freegeoip.net/json/$domain=userstyles.org -@@||freehostedscripts.net/online/$script,~third-party -@@||ft.com/opentag/opentag-$script -@@||gaanacdn.com/*_social_tracking.js$domain=gaana.com -@@||gameplayer.io^*/EventTracker.js -@@||games.pch.com/js/analytics.js -@@||gannettdigital.com^*/partner-comscore.html$xmlhttprequest,domain=usatoday.com -@@||gardenista.com/media/js/libs/ga_social_tracking.js -@@||garmin.com/modern/main/js/properties/metrics/metrics$domain=garmin.com -@@||gatheringmagic.com/wp-content/plugins/bwp-minify/min/*/google-analyticator/$script -@@||gatsbyjs.org/packages/$xmlhttprequest -@@||gatsbyjs.org/page-data/packages/$xmlhttprequest -@@||geo.kaloo.ga/json/?$script,domain=telesurtv.net -@@||geo.query.yahoo.com^$xmlhttprequest,domain=m.flickr.com -@@||geoplugin.net/javascript.gp$script,domain=christianhouseshare.com.au|gamemazing.com|soundsonline.com|support.netgear.com|support.netgear.de|support.netgear.es|support.netgear.fr|support.netgear.it|support.netgear.ru -@@||geoplugin.net/json.gp?jsoncallback=$script,domain=worldc.am -@@||georiot.com/snippet.js$domain=bound2hiphop.com|itproportal.com -@@||getclicky.com/ajax/marketshare?$script -@@||getclicky.com/js|$script,domain=rsaconference.com -@@||getsmartcontent.com/gateway/?callback$domain=visitpa.com -@@||getsmartcontent.com/gsc.js$domain=visitpa.com -@@||ggwebcast.com^*/urchin.js$script -@@||ghstatic.com/images/site/zylom/scripts/google-analytics.js?$domain=zylom.com -@@||github.com^*/heatmap.js$~third-party,xmlhttprequest -@@||glamour.com/aspen/components/cn-fe-stats/js/$script -@@||go-mpulse.net/boomerang/$script,domain=cnet.com -@@||go.com/combiner/*/comscore.$script -@@||go.com/disneyid/responder$subdocument -@@||go.com/stat/dolwebanalytics.js -@@||go.com/stat/flash/analyticreportingas3.swf -@@||go.com^*/analytics/tracker.otv.js -@@||goldbet.com/Scripts/googleAnalytics.js -@@||goldmansachs.com/a/pg/js/prod/gs-analytics-init.js -@@||google-analytics.com/analytics.js$domain=afternic.com|allmusic.com|amctv.com|bebo.com|bennysva.com|blastingnews.com|ch10.co.il|cliphunter.com|daemon-tools.cc|desigual.com|easyjet.com|firehousesubs.com|gamepix.com|greentoe.com|housing.wisc.edu|infogr.am|jackbox.tv|jobs.net|keygames.com|manowthaimordialloc.com.au|maxiclimber.com|orbitum.com|pluto.tv|pure.com|rebtel.com|sbnation.com|sci2.tv|seatgeek.com|stitcher.com|support.amd.com|tagheuer.com.au|tv10play.se|tv3play.se|tv6play.se|tv8play.se|video.pbs.org|vox.com|vpnster.com|weather.gov|westernunion.at|westernunion.be|westernunion.ca|westernunion.ch|westernunion.cl|westernunion.co.jp|westernunion.co.nz|westernunion.co.uk|westernunion.co.za|westernunion.com|westernunion.com.au|westernunion.com.co|westernunion.com.hk|westernunion.com.my|westernunion.com.pe|westernunion.de|westernunion.fr|westernunion.ie|westernunion.it|westernunion.nl|westernunion.ph|westernunion.pl|westernunion.se|westernunion.sg|www.google.com -@@||google-analytics.com/collect$xmlhttprequest,domain=content.wargaming.net -@@||google-analytics.com/cx/api.js$domain=foxnews.com|redfin.com -@@||google-analytics.com/plugins/ga/inpage_linkid.js$domain=lovehoney.co.uk|maxiclimber.com|opendns.com|openshift.com|vimeo.com|westernunion.at|westernunion.be|westernunion.ca|westernunion.ch|westernunion.cl|westernunion.co.jp|westernunion.co.nz|westernunion.co.uk|westernunion.co.za|westernunion.com|westernunion.com.au|westernunion.com.co|westernunion.com.hk|westernunion.com.my|westernunion.com.pe|westernunion.de|westernunion.fr|westernunion.ie|westernunion.it|westernunion.nl|westernunion.ph|westernunion.pl|westernunion.se|westernunion.sg -@@||google-analytics.com/plugins/ua/ec.js$domain=desigual.com|rebtel.com -@@||google-analytics.com/plugins/ua/linkid.js$domain=bebo.com|rebtel.com|stitcher.com|support.amd.com|vox.com -@@||google-analytics.com/urchin.js$domain=axure.com|chocomaru.com|denverbroncos.com|muselive.com|streetfire.net|wickedthemusical.com -@@||google.*/mapmaker/gen_204?$subdocument,xmlhttprequest -@@||google.com/js/gweb/analytics/$domain=google.com -@@||google.com/js/gweb/analytics/autotrack.js$domain=gradleplease.appspot.com -@@||google.com/js/gweb/analytics/doubletrack.js$domain=android.com -@@||googletagmanager.com/gtm.js?$domain=action.com|adsoup.com|airasia.com|asus.com|bhaskar.com|broadcom.com|computerworlduk.com|desigual.com|drumstick.com|ebuyer.com|elevationscu.com|gamepix.com|git-tower.com|google.com|itv.com|jobs.net|keygames.com|magicjack.com|moviefone.com|nestio.com|newsy.com|optus.com.au|rebtel.com|rockstargames.com|rollingstone.com|rozetka.com.ua|sixflags.com|support.amd.com|talktalk.co.uk|techradar.com|toto.co.jp|trademe.nz|usmagazine.com -@@||googletagmanager.com/gtm.js?id=GTM-5D256R&l=aedataLayer^ -@@||googletagservices.com/tag/js/gpt.js$domain=speedtest.net -@@||gorillanation.com/js/triggertag.js$domain=comingsoon.net|playstationlifestyle.net -@@||gov.au/Scripts/ga.js$script,~third-party -@@||grapeshot.co.uk/image-resize/$image -@@||grapeshot.co.uk/sare-api/ -@@||graphracer.com/js/libs/heatmap.js -@@||guim.co.uk/flash/video/embedded/player-$object,domain=thedailywh.at -@@||haaretz.com/logger/p.gif?$image,xmlhttprequest -@@||halowars.com/stats/images/Buttons/MapStats.jpg -@@||harvard.edu/scripts/ga_social_tracking.js -@@||haystax.com/components/leaflet/heatmap.js -@@||he.net/images/flags/us.gif?$domain=he.net -@@||healthcare.gov/marketplace/*/clear.gif? -@@||hhgregg.com/wcsstore/MadisonsStorefrontAssetStore/javascript/Analytics/AnalyticsTagDataObject.js -@@||highcharts.com^*/heatmap.js -@@||hj.flxpxl.com^*.js?r=*&m=*&a=$domain=twitch.tv -@@||hlserve.com/beacon?$domain=walmart.com -@@||homedepot.com/static/scripts/resxclsa.js -@@||hostlogr.com/etc/geo.php? -@@||hotmail.com/mail/*/i2a.js -@@||hotwirestatic.com^*/opinionLab.js$domain=hotwire.com -@@||i.s-microsoft.com/wedcs/ms.js$domain=skype.com -@@||ibis.com/scripts-*/xtanalyzer_roi.js -@@||ibispaint.com/js/googleAnalytics.js -@@||ibm.com/software/reports/compatibility/clarity-reports/js/$script,~third-party -@@||images-iherb.com/js/ga-pro*.js$domain=iherb.com -@@||img.en25.com/eloquaimages/clients/PentonMediaInc/$image,domain=windowsitpro.com -@@||imrworldwide.com/crossdomain.xml$object-subrequest,domain=cc.com|sbs.com.au -@@||imrworldwide.com/novms/*/gg*.js$domain=9now.com.au|europafm.com|news.com.au -@@||imrworldwide.com/v60.js$domain=last.fm|musicfeeds.com.au|nzherald.co.nz|realestateview.com.au|sf.se|threenow.co.nz|weatherchannel.com.au -@@||imrworldwide.com^*-mediaplayer&$domain=au.launch.yahoo.com -@@||imrworldwide.com^*/flashdetect.js -@@||imrworldwide.com^*/swfobject.js -@@||imwx.com/jsRollup?$script,domain=weather.com -@@||inazuma.co/campaign/js/heatmap.js$domain=monopoly.mcdonalds.co.uk -@@||infowars.com/videojs-event-tracking/dist/videojs-event-tracking.js -@@||infra.lync.com/Scheduler/Scripts/aria-web-telemetry-$script,~third-party -@@||innovelsolutions.com^*/tracking/$~third-party -@@||inpref.com/frosmo.xdm.html?$subdocument -@@||inpref.com/messageApi?$xmlhttprequest -@@||inpref.s3.amazonaws.com/frosmo.easy.js$script,third-party -@@||inpref.s3.amazonaws.com/sites/eventim_$script,third-party -@@||intel.com^*/angular-google-analytics.js -@@||iocdn.coremetrics.com^*.js?V=$domain=24ace.co.uk -@@||iocdn.coremetrics.com^*/io_config.js?ts=$domain=24ace.co.uk -@@||ipinfo.io/?token=$xmlhttprequest,domain=webtv.ert.gr -@@||itworld.com/elqnow/elq*.js -@@||jabra.com/api/Analytics/$xmlhttprequest,domain=jabra.com -@@||jackjones.com^*/google-analytics-tagging.js -@@||jeevansathi.com/minify.php?files=$script,stylesheet -@@||jimmyjohns.com/Scripts/angularytics.$script -@@||js.dmtry.com/channel.js$domain=zillow.com -@@||js.vpro.nl/vpro/*/statcounter.js? -@@||juxtacommons.org^*/heatmap.js -@@||k2s.cc/ext/evercookie/$script -@@||kaltura.com/content/*/comscorePlugin.swf -@@||kbb.com/static/js/global/app-measurement$script -@@||keep2s.cc/ext/evercookie/$script -@@||kentucky.com/mistats/finalizestats.js -@@||keremerkan.net/wp-content/plugins/wp-minify/min/*/google-analyticator/ -@@||koalabeast.com/stats?$script -@@||koldcast.tv/mint/*/tracker.php? -@@||krxd.net/controltag?$script,domain=eatthis.com -@@||krxd.net^$script,domain=nbcnews.com -@@||l.yimg.com/g/combo/*/comscore.$script -@@||leeaws.com/api-cache/chartbeat/?host=$xmlhttprequest,domain=tucson.com -@@||lenovo.com^*/GoogleAnalytics.js -@@||leretourdelautruche.com/map/nuke/heatmap.js -@@||lesacasino.com^*/EMERPEventCollector.$script,subdocument -@@||lexus.com/lexus-share/js/tracking_omn/$xmlhttprequest -@@||lg.com^*/foresee/foresee-trigger.js -@@||lightningmaps.org^*/piwik.js -@@||lininteractive.com/chartbeat/$~third-party -@@||lininteractive.com/chartbeat/mostPopular.php?host=$subdocument -@@||link.theplatform.com/*/tracker.log? -@@||link.theplatform.com/*?affiliate= -@@||lipmonthly.com/js/angulartics-google-analytics/dist/angulartics-ga.min.js -@@||live.indiatimes.com/trackjs.cms -@@||lloydstsb.com/it/xslt/touchclarity/omtr_tc.js -@@||loadus.exelator.com/load/?p=$script,domain=rrstar.com -@@||localytics.com^*/localytics.min.js$domain=ciscospark.com|citymapper.com -@@||logentries.com^*/logs/$xmlhttprequest,domain=app.testobject.com -@@||logging.apache.org^ -@@||logmein.com/scripts/Tracking/Tracking.js -@@||lordandtaylor.com^*/javascript/Analytics/CartEventDataInit.js -@@||lp.longtailvideo.com/5/yourlytics/yourlytics-1.js$domain=indiedb.com|indieroyale.com|moddb.com -@@||lsi.com^*/google-analytics.js -@@||lufthansa.com^*/mmcore.js -@@||luminate.com/order/$subdocument -@@||lynda.com^*/px.gif?$image -@@||magnify.net^*/magnify_stats.js -@@||mail-www.baynote.net^$domain=mail.com -@@||mail.biz.rr.com/images/portal/blank.gif$domain=mail.biz.rr.com -@@||mail.yahoo.com/neo/ymstat$xmlhttprequest -@@||makerstudios.com/js/mixpanel.js?$script -@@||maps.google.*/gen_204?$xmlhttprequest -@@||marketo.com/index.php/form/$script,subdocument -@@||marketo.com/js/forms2/js/$script,stylesheet -@@||maserati.com^*/transparent1x1.png -@@||maxmind.com/app/country.js$domain=lenovo.com|nationalgeographic.com|paypal.fr -@@||maxmind.com/geoip/$xmlhttprequest,domain=elgato.com|filld.com -@@||maxmind.com^*/geoip.js$domain=aljazeera.com|ballerstatus.com|bikemap.net|carltonjordan.com|cashu.com|coolsport.tv|dereon.com|dr.dk|everydaysource.com|fab.com|girlgames4u.com|incgamers.com|ip-address.cc|maaduu.com|qatarairways.com|sat-direction.com|sotctours.com|stoli.com|vibe.com -@@||maxmind.com^*/geoip2.js$domain=boostedboards.com|elgato.com|fallout4.com|filld.com|metronews.ca|mtv.com.lb|runningheroes.com|teslamotors.com -@@||mec.ca/media/javascript/resxclsx.js -@@||media-imdb.com^*/clickstream.js -@@||media.ft.com/j/optimost-$domain=ft.com -@@||media.ticketmaster.*/click_track.js -@@||mediaite.com/decor/javascript/magnify_stats.js$domain=videos.mediaite.com -@@||medianetworkinternational.com/js/fingerprint2.js$script -@@||medicare.gov/SharedResources/widgets/foresee/foresee-trigger.js -@@||mercedes-benz-mobile.com/js/tracking/tracker.min.js? -@@||messenger.com/common/referer_frame.php$subdocument,domain=messenger.com -@@||metric.gstatic.com/ip.js$domain=ipv6test.google.com -@@||metric.gstatic.com/ipv6test/$image,domain=ipv6test.google.com -@@||metrics-api.librato.com/v1/metrics$xmlhttprequest,domain=virginamerica.com -@@||metrics.ctvdigital.net/global/CtvAd.js -@@||metrics.howstuffworks.com/b/ss/*&ot=$image -@@||metrics.mozilla.com^$~third-party -@@||metrics.nissanusa.com/b/ss/nissanusacom/$image -@@||metrics.torproject.org^ -@@||microsoft.com/click/services/RioTracking2.js -@@||mightyspring.com/static/js/beacon.js?$~third-party -@@||milb.com/shared/scripts/bam.tracking.js -@@||mixpanel.com/site_media/js/api/mixpanel.js$domain=blog.cloudflare.com -@@||mixpanel.com/track/?data=$xmlhttprequest,domain=ads.twitter.com|change.org|greentoe.com|kickstarter.com|mint.com|nbc.com|thefrisky.com -@@||mlb.com/b/ss/$image -@@||mlb.com/scripts/stats/app/$script -@@||mlb.com/shared/scripts/bam.tracking.js -@@||mmi.bemobile.ua/lib/lib.js$domain=uatoday.tv -@@||monetate.net/img/$script,domain=newegg.com -@@||monetate.net/js/$domain=nike.com -@@||monetate.net/trk/$script,domain=newegg.com -@@||monetate.net^*/custom.js$domain=newegg.com -@@||monetate.net^*/entry.js$domain=newegg.com -@@||mongoosemetrics.com/jsfiles/js-correlation/mm-rules.min.js$domain=subaru.com -@@||motorolasolutions.com/wrs/b2bsdc.js -@@||moulinex.com/js/xtroi.js -@@||mpsnare.iesnare.com/snare.js$domain=citi.com|citibank.com|enmasse.com|login.skype.com -@@||mpsnare.iesnare.com/wu/snare.js$domain=westernunion.com -@@||msecnd.net^*/site-tracker.js$domain=momondo.co.uk -@@||msn.com/br/chan/udc/$script,domain=my.msn.com -@@||msn.com/c.gif?rid=$image,domain=my.msn.com -@@||munchkin.marketo.net/munchkin.js -@@||musicvideogenome.com/javascripts/stats.js -@@||mxpnl.com/libs/mixpanel-*.min.js$domain=change.org|frigidaire.com|greentoe.com|intuit.com|nbc.com|thefrisky.com +@@||etsy.com/api/v3/ajax/bespoke/*log_performance_metrics=$~third-party +@@||events.raceresult.com^$~third-party,xmlhttprequest +@@||evergage.com/api2/event/$domain=mbusa.com +@@||evil-inc.com/comic/advertising-age/$~third-party,xmlhttprequest +@@||extreme-ip-lookup.com^$script,domain=bulkbarn.ca +@@||ezodn.com/cmp/gvl.json$xmlhttprequest +@@||fast.fonts.net/jsapi/core/mt.js$script,domain=bkmedical.com|eclecticbars.co.uk|gables.com|itsolutions-inc.com|kinsfarmmarket.com|senate.gov +@@||fdi.fiduciarydecisions.com/a/lib/gtag/gtag.js$script,~third-party +@@||fdi.fiduciarydecisions.com/v/app/components/*/Analytics.js$script,~third-party +@@||fichub.com/plugins/adobe/lib/AppMeasurement.js$domain=natgeotv.com +@@||fichub.com/plugins/adobe/lib/VisitorAPI.js$domain=natgeotv.com +@@||filme.imyfone.com/assets/js/gatrack.js$~third-party +@@||firebase.google.com/docs/analytics/$~third-party +@@||forum.djicdn.com/static/js/sensorsdata.min.js$script,domain=forum.dji.com +@@||friendbuy.com^$domain=butcherbox.com +@@||ganyancanavari.com/js/fingerprint2.min.js$~third-party +@@||geoip-db.com/jsonp/$script,third-party +@@||geolocation-db.com/jsonp$script,domain=parts.hp.com +@@||getflywheel.com/addons/google-analytics/$~third-party +@@||getpublica.com/playlist.m3u8$xmlhttprequest +@@||github.com/gorhill/uBlock/*/src/web_accessible_resources/fingerprint2.js$~third-party +@@||globalatlanticannuity.com/assets/embed/gtm.js$script,~third-party +@@||glookup.info/api/json/$domain=grabify.link +@@||gnar.grammarly.com/events$xmlhttprequest,domain=account.grammarly.com +@@||groupbycloud.com/gb-tracker-client-3.min.js +@@||gstatic.com^*/firebase-performance-standalone.js$script,domain=flightradar24.com +@@||gsuite.tools/js/gtag.js$script,~third-party +@@||guce.advertising.com/collectIdentifiers$~third-party +@@||healthgateway.gov.bc.ca/snowplow.js$~third-party +@@||hello.myfonts.net/count/$stylesheet,domain=cfr.org|condor.com|furniturevillage.co.uk|luggagehero.com +@@||hobbyking.com^*/gtm.js$script,~third-party +@@||hotstarext.com/web-messages/core/error/v52.json$xmlhttprequest,domain=hotstar.com +@@||identity.mparticle.com^$xmlhttprequest +@@||ignitetv.rogers.com/js/api/fingerprint.js$script,~third-party +@@||ignitetv.shaw.ca/js/api/fingerprint.js$~third-party +@@||ikea.com^*/analyticsEvent.$script,~third-party +@@||imgur.com/min/px.js$~third-party +@@||indeed.com/rpc/log/myjobs/$~third-party +@@||intuitcdn.net/libs/*/track-star.min.js$script,domain=turbotax.intuit.com +@@||ipapi.co/json/$xmlhttprequest,domain=168.dailymaverick.co.za|audius.co +@@||ipinfo.io/?token=$domain=assurancemortgage.com|webtv.ert.gr +@@||ipinfo.io/json$domain=ptube.pipio.site|queye.co +@@||ipv4.seeip.org/jsonip$domain=empire-streaming.app +@@||join.southerncross.co.nz/quote/_assets/js/sx/app/helpers/gtm.js +@@||js-agent.newrelic.com^$domain=alliantcreditunion.com|giftcards.com|kapwing.com|live.griiip.com +@@||js.datadome.co/tags.js$script,domain=monster.ca|sso.garena.com|thefork.com +@@||js.monitor.azure.com/scripts/$script,domain=genya.it|microsoft.com|rubex.efilecabinet.net +@@||js.sentry-cdn.com^$script,domain=app.homebinder.com|book.dmm.com|etsy.com|interacty.me|jobs.ch|pizzahut.com.au +@@||jsrdn.com/s/$script,domain=distro.tv +@@||kameleoon.eu/kameleoon.js$script,domain=buttercloth.com|jules.com +@@||kaptcha.com/collect/sdk?$domain=palmettostatearmory.com|wyze.com +@@||kaxsdc.com/collect/sdk$xmlhttprequest,domain=vanillaereward.com +@@||kilimall.co.tz/sensorsdata.min.js$~third-party +@@||kilimall.com*/js/sensorsdata.min.js$script,domain=kilimall.co.ke +@@||kohls.com/ecustservice/js/sitecatalyst.js$script,~third-party +@@||lab.eu.amplitude.com^$xmlhttprequest,domain=bluelightcard.co.uk +@@||lacoste.com^*/click-analytics.js$~third-party +@@||lamycosphere.com/cdn/shop/*/assets/pixel.gif$image,~third-party +@@||languagecloud.sdl.com/node_modules/fingerprintjs2/dist/fingerprint2.min.js$~third-party +@@||leadpages.io/analytics/v1/observations/capture?$xmlhttprequest +@@||leanplum.com^$domain=arkadium.com +@@||legendstracking.com/js/legends-tracking.js$~third-party +@@||lenovo.com/_ui/desktop/common/js/AdobeAnalyticsEvent.js$script,~third-party +@@||lenovo.com/fea/js/adobeAnalytics/$script,~third-party,xmlhttprequest +@@||letmegpt.com/js/gpt.js$~third-party +@@||level.travel/tracker/tracker.js$script,~third-party +@@||lightning.bleacherreport.com/launch/*-source.min.js$~third-party +@@||lightning.bleacherreport.com^*/launch-$~third-party +@@||live.rezync.com^$script,domain=batteriesplus.com +@@||liveapi.cleverpush.com/websocket$websocket,domain=heise.de +@@||loader-cdn.azureedge.net/prod/smi/loader.min.js$domain=pressdemocrat.com +@@||logging.apache.org^$~third-party +@@||logo.clearbit.com^$image,third-party +@@||lr-ingest.io/LogRocket.min.js$domain=smartcare.com +@@||m1tm.insideevs.com/gtm.js$~third-party +@@||magento-recs-sdk.adobe.net/v2/index.js$script,domain=superbrightleds.com +@@||mapquestapi.com/logger/$domain=hertz.com +@@||maps.arcgis.com/apps/*/AppMeasurement.js$~third-party +@@||maptiles.ping-admin.ru^$image,domain=ping-admin.com +@@||martech.condenastdigital.com/lib/martech.js$script,domain=wired.com +@@||matomo.miraheze.org/matomo.js$script,~third-party +@@||maxmind.com/geoip/$xmlhttprequest,domain=ibanez.com +@@||maxmind.com^*/geoip.js$domain=aljazeera.com|ballerstatus.com|bikemap.net|carltonjordan.com|cashu.com|dr.dk|everydaysource.com|fab.com|girlgames4u.com|ip-address.cc|qatarairways.com|sat-direction.com|sotctours.com|stoli.com|vibe.com +@@||maxmind.com^*/geoip2.js$domain=bandai-hobby.net|boostedboards.com|donorschoose.org|driftinnovation.com|fallout4.com|ibanez.com|instamed.com|metronews.ca|mtv.com.lb|runningheroes.com|tama.com|teslamotors.com +@@||mbe.modelica.university/_next/static/*/pages/pageview.js$~third-party +@@||mclo.gs/js/logview.js$~third-party +@@||metrics.bangbros.com/tk.js$~third-party +@@||mlbstatic.com/mlb.com/adobe-analytics/$script,domain=mlb.com +@@||mmstat.com/eg.js$script,domain=aliexpress.com +@@||mopar.com/moparsvc/mopar-analytics-state$~third-party +@@||mozu.com^*/monetate.js$script,domain=acehardware.com +@@||mparticle.com/js/v2/*/mparticle.js$script,domain=bk.com|bravotv.com|cnbc.com|gymshark.com|motortrendondemand.com|nbcsports.com +@@||msecnd.net/scripts/jsll-$script,domain=forms.microsoft.com|office.com|sharepoint.com|teams.microsoft.com +@@||munchkin.marketo.net/munchkin.js$domain=st.com|telus.com +@@||mxpnl.com/libs/mixpanel-*.min.js$domain=change.org|frigidaire.com @@||mxpnl.com^$domain=mixpanel.com -@@||mybuys.com/webrec/wr.do? -@@||mycokerewards.com^*/webtrends/mcr3-webtrends_POST_$script -@@||mycommunitynow.com/includes/JI_trafficTracking.js$domain=mycommunitynow.com -@@||myqnapcloud.com^*.angular-google-analytics.js$script -@@||narf-archive.com^*/clickstream.js -@@||nasa.gov/js/libraries/angulartics/angulartics-google-analytics.js -@@||nationalcar.com^*/analytics.min.js -@@||nationalgeographic.com/assets/scripts/utils/event-tracking.js -@@||nationaljournal.com/js/bizo.js -@@||nationalreview.com^*/chartbeat.js -@@||nationwide.co.uk/_/js/webAnalytics.js -@@||ncbi.nlm.nih.gov/stat? -@@||necn.com/includes/AppMeasurement.js -@@||nerdwallet.com/lib/dist/analytics.min.js -@@||netdna-ssl.com/lib/jquery-google-analytics/jquery.google-analytics.js$domain=homepath.com -@@||netinsight.travelers.com/scripts/ntpagetaghttps.js -@@||nettix.fi^*_analytics.js -@@||networkworld.com^*/demandbase.js -@@||newrelic.com/nr-*.min.js$domain=play.spotify.com|surveymonkey.co.uk|surveymonkey.com|surveymonkey.de|surveymonkey.ru -@@||newrelic.com/public/charts/$subdocument,xmlhttprequest -@@||newsinc.com^*/getPlacements.js?pid=$xmlhttprequest,domain=csmonitor.com -@@||newyorker.com^*/cn-fe-stats/$script -@@||next.co.uk/Scripts/GoogleAnalytics.js? -@@||nike.com/checkout/analytics/js/analyticFunctions.js$domain=nike.com -@@||nintendo.com/nclood/*/bundles/analytics.min.js$domain=nintendo.com -@@||nokia.com/b/ss/$image,domain=here.com -@@||nordstromimage.com^*/mmcore.js$domain=nordstrom.com -@@||novell.com/common/util/demandbase_data.php -@@||nudgespot.com/beacon.js?$script,third-party -@@||nyandcompany.com^*/resxclsa.js$domain=nyandcompany.com -@@||nymag.com/decor/javascript/magnify_stats.js -@@||nymag.com/vltr/scripts/analytics.js$domain=vulture.com -@@||nyt.com/bi/js/tagx/tagx.js$domain=nytimes.com -@@||nytimes.com/bi/js/tagx/tagx.js$domain=myaccount.nytimes.com -@@||nytimes.com^*/EventTracker.js -@@||nytimes.com^*/wtbase.js -@@||nytimes.com^*/wtinit.js -@@||oakley.com^*/tealium.js -@@||odcdn.com^*/cm.js -@@||office365.com^*/owa.Analytics.js$script -@@||officeworks.com.au^*/site-tracker.js -@@||oktacdn.com/assets/js/*/mixpanel-$script -@@||omtrdc.net/cdn/target.js$script,domain=swisscom.ch -@@||omtrdc.net/crossdomain.xml$domain=crackle.com -@@||omtrdc.net/settings/$object-subrequest,domain=crackle.com -@@||omtrdc.net^*/mbox/ajax?$script,domain=swisscom.ch -@@||omtrdc.net^*/mbox/json?$xmlhttprequest,domain=absa.co.za|argos.co.uk|att.com|swisscom.ch|t-mobile.com -@@||omtrdc.net^*/mbox/standard?$script,domain=ancestry.co.uk|ancestry.com|ancestry.com.au|ancestry.it|blogtalkradio.com|swisscom.ch -@@||ooyala.com/3rdparty/comscore_$object-subrequest,domain=player.complex.com -@@||ooyala.com/crossdomain.xml$object-subrequest -@@||optimize.webtrends.com^$domain=peterboroughtoday.co.uk -@@||optimizely.com/js/geo.js$domain=forbes.com -@@||optimizely.com/public/$script,domain=nytimes.com -@@||optimost.com/counter/*/event.js?$domain=bebo.com -@@||optimost.com^*/content.js?$domain=bebo.com -@@||optimost.com^*/FT_live.js$domain=ft.com -@@||ourworld.com/ow/evercookie_ -@@||ourworld.com/ow/js/evercookie/$script -@@||palerra.net/apprity/api/analytics/ -@@||pastebin.com/etc/geo.php? -@@||patrick-wied.at/static/heatmapjs/src/heatmap.js -@@||paypalobjects.com^*/opinionLab.js$domain=paypal.com -@@||paypalobjects.com^*/pixel.gif$domain=youngcons.com -@@||pbskids.org/js/ga-current.js -@@||petametrics.com^*.js?$script,domain=nylon.com|space.com -@@||pillsbury.com/Shared/StarterKit/Javascript/ntpagetag.js -@@||pillsbury.com/Shared/StarterKit/Javascript/UnicaTag.js -@@||ping.hellobar.com/?*&_e=click&$image -@@||pipedriveassets.com^*/keen.min.js -@@||pipedrivewebforms.com^*/keen.min.js -@@||piwik.pro/images/ -@@||pixel.condenastdigital.com/sparrow.min.js$domain=video.epicurious.com|video.gq.com|video.wired.com -@@||pixel.facebook.com/ajax/gigaboxx/endpoint/UpdateLastSeenTime.php?$image -@@||pixel.facebook.com/ajax/notifications/mark_read.php?*&alert_ids%$image -@@||pixel.fetchback.com^$subdocument,domain=sears.com -@@||pixel.quantserve.com/api/segments.json?$domain=newsinc.com -@@||pixel.quantserve.com/api/segments.xml?a=$domain=associatedcontent.com|cbs.com|cbsatlanta.com|centurylink.net|comedy.com|eurweb.com|fox5vegas.com|foxcarolina.com|grabnetworks.com|kctv5.com|kpho.com|kptv.com|theimproper.com|thenewsroom.com|tv.com|tvguide.com|wfsb.com|wnem.com|wsmv.com -@@||pixel.quantserve.com/seg/$script,domain=photos.essence.com -@@||pixel.quantserve.com/seg/r;a=$object-subrequest,domain=breitbart.tv|cbs.com|filefront.com|imdb.com|laobserved.com|tv.com -@@||pixelpressmedia.com/wp-content/plugins/duracelltomi-google-tag-manager/$script,domain=pixelpressmedia.com -@@||play.google.com/log?format=json&authuser=$xmlhttprequest,domain=myaccount.google.com -@@||playcanvas.com.*/keen.min.js -@@||player.ooyala.com^*/analytics-plugin/$script,domain=nintendo.com -@@||player.siriusxm.com/assets/app-dynamics/jsagent/adrum-ext.$script -@@||player.siriusxm.com/assets/AppMeasurement/AppMeasurement.js -@@||player.siriusxm.com/assets/AppMeasurement/VisitorAPI.js -@@||player.sundaysky.com^$subdocument -@@||playtheend.com/api/v1/players/heatmap.json?$object-subrequest -@@||pnas.org^*/fingerprint.js$script,~third-party -@@||pokemonblackwhite.com^*/jquery.google-analytics.js -@@||polycom.com/polycomservice/js/unica/ntpagetag.js -@@||popeater.com/traffic/?$script,domain=popeater.com -@@||popmoney.com^*/jquery.analytics.js -@@||pp-serve.newsinc.com^*/unitsdata.js?$domain=timesfreepress.com -@@||primevideo.com/watchlist/ajax/addRemove.html/$xmlhttprequest,domain=primevideo.com -@@||productads.hlserve.com^$script,domain=argos.co.uk -@@||propelmedia.com/resources/images/load.gif -@@||ps.w.org/google-analytics-dashboard-for-wp/assets/ -@@||pshared.5min.com/Scripts/OnePlayer/Loggers/ComScore.StreamSense.js -@@||pshared.5min.com/Scripts/OnePlayer/Loggers/ComScore.Viewability.js -@@||puch-ersatzteile.at^*/google-analytics.min.js -@@||push2check.com/stats.php -@@||qbrick.com/framework/modules/analytics/analytics.min.js$script +@@||my.goabode.com/assets/js/fp2.min.js$script,~third-party +@@||myaccount.chicagotribune.com/assets/scripts/tag-manager/googleTag.js$~third-party +@@||nakedwines.co.uk/search/hitcount?$~third-party +@@||nationwide.com/myaccount/includes/images/x.gif$~third-party +@@||natureetdecouvertes.com^*/pixel.png$~third-party +@@||netcoresmartech.com/smartechclient.js$domain=hdfcfund.com +@@||new.abb.com/ruxitagentjs_$~third-party +@@||newrelic.com/nr-*.min.js$domain=surveymonkey.co.uk|surveymonkey.com|surveymonkey.de +@@||next.co.uk/static-content/gtm-sdk/gtm.js$~third-party +@@||nike.com/assets/measure/data-capture/analytics-client.min.js$script,~third-party +@@||nintendolife.com/themes/base/javascript/fingerprint.js$~third-party +@@||nocookie.net^*/tracking-opt-in.min.js$script,domain=fandom.com +@@||noodid.ee/chordQuiz/$~third-party +@@||noxgroup.com/noxinfluencer/sensor_sdk/$script,domain=noxinfluencer.com +@@||nsfw.xxx/vendor/fingerprint/fingerprint2.min.js$script,~third-party +@@||nypost.com/blaize/datalayer$~third-party +@@||nytimes.com^*/EventTracker.js$~third-party +@@||odb.outbrain.com/utils/get?url=$script,domain=cnn.com +@@||ondemand.sas.com^$subdocument +@@||onenote.com^*/aria-web-telemetry +@@||online-metrix.net/fp/tags.js$domain=donorschoose.org +@@||onlinebanking.usbank.com/TUX/public/libs/adobe/appmeasurement.js$script,~third-party +@@||openfpcdn.io/botd/v1$script,domain=collinsdictionary.com +@@||optimove.net^$domain=app.touchnote.com +@@||ots.webtrends-optimize.com/$xmlhttprequest,domain=tvlicensing.co.uk +@@||outbrain.com/outbrain.js$domain=cnn.com +@@||p.typekit.net/p.css$stylesheet,domain=athleticpropulsionlabs.com|browserstack.com|bungie.net|business.untappd.com|petsafe.com|robertsspaceindustries.com +@@||palmettostatearmory.com/static/$script,~third-party +@@||pals.pa.gov/vendor/analytics/$~third-party +@@||parcel.app/webtrack.php?$~third-party +@@||parsely.com/keys/$script,domain=wmmr.com|wrif.com +@@||paypal.com/xoplatform/logger/api/logger$domain=play.leagueofkingdoms.com +@@||paypalobjects.com/*/pageView.js$script,domain=paypal.com +@@||paypalobjects.com/web/*/gAnalytics.js$script,domain=paypal.com +@@||pcoptimizedsettings.com/wp-content/plugins/koko-analytics/$~third-party +@@||pcoptimizedsettings.com/wp-content/uploads/breeze/google/gtag.js$~third-party +@@||pendo.io/agent/static/$script,domain=recruiting.adp.com +@@||plantyn.com/optiext/optiextension.dll$~third-party +@@||plausible.io/js/plausible.js$script,domain=sammobile.com +@@||plex.tv/api/v2/geoip$xmlhttprequest +@@||plugin.intuitcdn.net/vep-collab-smlk-ui/assets/vendor/glance/cobrowse/ +@@||plugins.matomo.org^$image,~third-party +@@||portal.cityspark.com/PortalScripts/DailyCamera$domain=dailycamera.com +@@||portal.cityspark.com/v1/event$domain=dailycamera.com +@@||postex.com/api/ping?$~third-party +@@||powerquality.eaton.com/include/js/elqScr.js$~third-party +@@||ps.w.org/wp-slimstat/$domain=wordpress.org +@@||pub.pixels.ai/prebid_standard.js$script,domain=standard.co.uk +@@||public.fbot.me/events/$domain=casper.com +@@||px-cdn.net/api/v2/collector/ocaptcha$xmlhttprequest +@@||qm.redbullracing.com/gtm.js$~third-party @@||quantcast.com/wp-content/themes/quantcast/$domain=quantcast.com -@@||quantserve.com/quant.js$domain=apps.facebook.com|caranddriver.com|g4tv.com|nymag.com|salon.com|theblaze.com -@@||query.petametrics.com^ -@@||qz.com^*/tracking/bizo.js -@@||qz.com^*/tracking/chartbeat.js -@@||qz.com^*/tracking/comscore.js -@@||radio.com/player/javascript/tracking.js$domain=player.radio.com -@@||randomhouse.com/book/css/certona.css -@@||rawgit.com^*/heatmap.js -@@||rawstory.com/decor/javascript/magnify_stats.js -@@||redditenhancementsuite.com/js/jquery.google-analytics.js -@@||redfin.com/stingray/clicktracker.jsp? -@@||reftagger.com^*/log?documentUrl=$image -@@||reinvigorate.net/re_.js$domain=thenounproject.com -@@||remodelista.com/media/js/libs/ga_social_tracking.js -@@||repco.co.nz/_ui/shared/js/analyticsmediator.js +@@||reactandshare.com^$domain=maanmittauslaitos.fi +@@||realclearpolitics.com/esm/assets/js/admiral.js$~third-party +@@||realclearpolitics.com/esm/assets/js/analytics/chartbeat.js$~third-party +@@||realclearpolitics.com/esm/assets/js/analytics/gaAnalytics.js$~third-party +@@||reallyfreegeoip.org/json/$domain=thekitchensafe.com +@@||redbull.com/gtm.js$~third-party @@||res-x.com^*/Resonance.aspx? -@@||retailmenot.com/__wsm.gif$ping,xmlhttprequest -@@||reutersmedia.net^*/rcom-scroll-tracker.js$domain=reuters.com -@@||rfdcontent.com^*/utag.loader.js$domain=forums.redflagdeals.com -@@||rockingsoccer.com/js/match_stats.js -@@||rs.mail.ru/crossdomain.xml$object-subrequest,domain=vk.com -@@||ru4.com/wsb/$script,domain=chase.com -@@||runnr.in/assets/tracking-$script,stylesheet,~third-party -@@||s.skimresources.com^$script,domain=slate.com -@@||safelinkwireless.com/enrollment/*/GoogleAnalytics.js -@@||sahibinden.com/assets/analytics*.js$script -@@||samepage.io/assets/lib/google-analytics/GoogleAnalytics.js? -@@||sbphototours.com/includes/AWStats.js$~third-party -@@||sbstatic.com.au/js/tealium.js$domain=sportsbet.com.au -@@||scorecardresearch.com/beacon.js$domain=agame.com|allmusic.com|amctv.com|apl.tv|babycenter.com|bonappetit.com|calgaryherald.com|canada.com|cbc.ca|dailymail.co.uk|deviantart.com|discovery.com|edmontonjournal.com|fastcompany.com|financialpost.com|firstwefeast.com|hitfix.com|huffingtonpost.com|investigationdiscovery.com|landandfarm.com|last.fm|leaderpost.com|m.tmz.com|montrealgazette.com|nationalpost.com|newsday.com|ottawacitizen.com|outsideonline.com|radaronline.com|salon.com|sci2.tv|syfy.com|theprovince.com|thestar.com|thestarphoenix.com|thinkatheist.com|tlc.com|tmz.com|v3.co.uk|vancouversun.com|windsorstar.com -@@||scorecardresearch.com/c2/plugins/streamsense_plugin_html5.js -@@||scorecardresearch.com/c2/plugins/streamsense_plugin_theplatform.js -@@||scorecardresearch.com/crossdomain.xml$domain=rte.ie -@@||scorecardresearch.com^*/cs.js$script,domain=thedailybeast.com -@@||scripts.demandmedia.com/wm.js$domain=ehow.com -@@||sears.com^*/analytics.sitecatalyst.js -@@||segment.com/analytics.js/*/analytics.min.js$script -@@||segment.io/analytics.js/*/analytics.min.js$script -@@||segment.io/v1/$xmlhttprequest,domain=greentoe.com|thescene.com -@@||sellpoint.net/smart_button/$script,domain=walmart.com -@@||sergent-major.com^*/js/tracking.js$domain=sergent-major.com -@@||service.collarity.com/cust/nbcu/ucs.js$xmlhttprequest -@@||services.fliqz.com/metrics/*/applications/$object-subrequest,domain=leftlanenews.com -@@||setelia.com*/page-tracking.js?$script,~third-party -@@||sfdict.com/app/*/click_tracking.js$domain=reference.com|thesaurus.com -@@||sh.st/bundles/smeadvertisement/img/track.gif?$xmlhttprequest -@@||shipwire.com/scripts/account_analytics.js$domain=shipwire.com -@@||sijcc.org^*/page-tracking.js? -@@||siteanalytics.compete.com^$~third-party -@@||sitestat.com^*/s?*&ns_type=clickin&ns_action=view&ns__t=$image,domain=sueddeutsche.de -@@||skypicker.com/places/BCN? -@@||slatic.net/js/tracking.js$domain=lazada.co.id -@@||smartclient.com/smartclient/isomorphic/system/modules/ISC_Analytics.js$xmlhttprequest -@@||smartycenter.com^*/comscore.streaming.$script,domain=mundodeportivo.com -@@||smetrics.blackberry.com/b/ss/*:jump-page:$image,domain=bbm.com -@@||snapchat.com/static/js/google-analytics.js -@@||songza.com/static/*/songza/systems/$script -@@||southwest.com^*/mbox.js -@@||sportsgrid.com/decor/javascript/magnify_stats.js -@@||spot.im/api/tracker/spot/$xmlhttprequest,domain=rt.com -@@||springriverchronicle.com/shared-content/art/tncms/tracking.js$domain=springriverchronicle.com -@@||src.fedoraproject.org/static/issues_stats.js? -@@||src.litix.io/core/$script,domain=animalplanet.com|discovery.com|investigationdiscovery.com -@@||star-telegram.com/mistats/sites/dfw/startelegram.js -@@||startclass.com/ga.$script,xmlhttprequest -@@||statcounter.com/chart.php?$script -@@||statcounter.com/js/fusioncharts.js -@@||statcounter.com/msline.swf -@@||statefillableforms.com/js/lib/irs/fingerprint.js$~third-party -@@||static.atgsvcs.com/js/atgsvcs.js$domain=officedepot.com|shop.lego.com -@@||static.btbuckets.com/bt.js$domain=readwriteweb.com -@@||static.chartbeat.com/crossdomain.xml$object-subrequest -@@||static.chartbeat.com/js/chartbeat_mab.js$domain=usatoday.com -@@||static.parsely.com^$script,domain=dailystar.co.uk|express.co.uk -@@||static.rpxnow.com/js/lib/rpx.js$domain=colbertnation.com|thedailyshow.com -@@||statics.cfmcdn.net/*/scripts/webtrends-$script,domain=cheapflights.com -@@||stats.g.doubleclick.net/dc.js$domain=doverdowns.com|lifehack.org|maxiclimber.com|merriam-webster.com|toto.co.jp|tripinsurance.ru|vimeo.com -@@||stats.jtvnw.net/crossdomain.xml$object-subrequest -@@||stippleit.com/stipple.js$domain=photos.toofab.com -@@||sundaysky.com/coastal/embedded/sundaysky.js$domain=clearlycontacts.ca -@@||sundaysky.com/sundaysky.js?$domain=lenovo.com -@@||sundaysky.com^*/default/sundaysky.js$domain=lenovo.com -@@||support.thesslstore.com/visitor/index.php -@@||switch.atdmt.com/iaction/$subdocument,domain=bestbuy.com -@@||t.st/video/js/kGoogleAnalytics.js?$domain=thestreet.com -@@||tablespoon.com/library/js/TBSP_ntpagetag.js -@@||tag.perfectaudience.com/serve/*.js$domain=asana.com +@@||researchintel.com^*/feedback.asp$xmlhttprequest,domain=intel.com +@@||rest.edit.site/geoip-service/geoip$domain=systemshouse.com +@@||retailmenot.com/__wsm.gif$ping,~third-party,xmlhttprequest +@@||rfksrv.com/rfk/js/*/init.js$script,domain=riteaid.com|spirithalloween.com +@@||riverlink.etcchosted.com/widgets/com/mendix/widget/web/googletag/GoogleTag.js$~third-party +@@||rollbar.com^*/rollbar.min.js$domain=rollingstone.com|variety.com|wwd.com +@@||s-microsoft.com/mscc/statics/$script,domain=microsoft.com +@@||sc.youmaker.com/site/article/count? +@@||scorecardresearch.com^*/streamingtag_plugin_jwplayer.js +@@||sealserver.trustwave.com/seal.js$domain=zoom.us +@@||secure.logmein.com/scripts/Tracking/$script,domain=logme.in|logmein.com +@@||securegames.iwin.com/data/gtm.json$~third-party,xmlhttprequest +@@||seg-cdn.pumpkin.care/analytics.js/$~third-party +@@||seg-cdn.pumpkin.care/next-integrations/integrations/mixpanel/$domain=get.pumpkin.care +@@||seguridad.compensar.com/lib/js/fingerprint2.js$~third-party +@@||sephora-track.inside-graph.com/gtm/$domain=sephora.com +@@||sephora-track.inside-graph.com/ig.js$domain=sephora.com +@@||sephora.com/js/ufe/isomorphic/thirdparty/fp.min.js$script,~third-party +@@||sephora.com/js/ufe/isomorphic/thirdparty/VisitorAPI.js$~third-party +@@||service.apport.net/apport-spa-common/src/tracking/tracking.js$~third-party +@@||services.chipotle.com/__imp_apg__/$~third-party +@@||sharethis.com/button/buttons.js$domain=bristan.com +@@||shoonya.finvasia.com/fingerprint2.min.js$script,~third-party +@@||shop.bmw.com.au/assets/analytics-setup.js$~third-party +@@||shopify.com/shopifycloud/boomerang/shopify-boomerang-$domain=rydewear.com +@@||signalshares.com/webtrends.min.js$script,~third-party +@@||simcotools.app/assets/adsense-*.js$~third-party +@@||simpleanalyticsexternal.com^$script,domain=inleo.io +@@||smushcdn.com^*/1.gif$domain=retrounlim.com +@@||snap.licdn.com/li.lms-analytics/insight.min.js$domain=msci.com +@@||sohotheatre.com^*/PageView.js$~third-party +@@||solr.sas.com/query/$xmlhttprequest,domain=jmp.com +@@||sophos.com^*/tracking/gainjectmin.js$script,domain=community.sophos.com +@@||spark.co.nz/content/*/utag.sync.js$domain=skinny.co.nz +@@||src.fedoraproject.org/static/issues_stats.js?$~third-party +@@||src.litix.io/shakaplayer/*/shakaplayer-mux.js +@@||src.litix.io/videojs/*/videojs-mux.js +@@||ssl-images-amazon.com^*/satelliteLib-$script,domain=audible.com +@@||startribune.com/analytics-assets/sitecatalyst/appmeasurement.js$~third-party +@@||statcounter.com/css/packed/statcounter-$stylesheet,~third-party +@@||statcounter.com/js/packed/statcounter-$script,~third-party +@@||static.amazon.jobs/assets/analytics-$script,domain=amazon.jobs +@@||static.cloud.coveo.com/coveo.analytics.js/$domain=cabelas.com +@@||static.foxnews.com^*/VisitorAPI.js$domain=foxbusiness.com|foxnews.com +@@||static.knowledgehub.com/global/images/ping.gif?$~third-party +@@||static.myfinance.com/widget/$domain=savingspro.org +@@||stats.gleague.nba.com/templates/angular/tables/events/shots.html$~third-party +@@||stats.pusher.com/timeline/$script,domain=bringatrailer.com +@@||stats.sports.bellmedia.ca^$domain=rds.ca|tsn.ca +@@||stats.statbroadcast.com/interface/webservice/event/$~third-party +@@||stats.wnba.com/templates/angular/tables/events/$~third-party +@@||steamstatic.com/steam/apps/$image,domain=store.steampowered.com +@@||taboola.com/libtrc/*/loader.js$domain=dailymail.co.uk|foxsports.com @@||tagcommander.com^*/tc_$script -@@||tags.bkrtx.com/js/bk-coretag.js$domain=mlb.com -@@||tags.bluekai.com/site/*?ret=$subdocument,domain=mlb.com|zillow.com -@@||tags.crwdcntrl.net^$script,domain=indiatimes.com|weather.com -@@||tags.news.com.au/prod/heartbeat/v2/VideoHeartbeat.min.js$domain=news.com.au -@@||tags.news.com.au/prod/metrics/metrics.js$script,~third-party -@@||tags.w55c.net/rs?*&t=marketing$image -@@||tc.bankofamerica.com/c? -@@||ted.com/decor/javascript/magnify_stats.js -@@||teenvogue.com/js/eventTracker.js -@@||telegraph.co.uk/template/ver1-0/js/webtrends/live/wtid.js -@@||telize.com/geoip?$script,domain=dailymotion.com -@@||texasroadhouse.com/common/javascript/google-analytics.js -@@||thebrighttag.com/tag?site=$script,domain=macys.com -@@||thehotelwindsor.com.au^*/javascript.googleAnalytics.js -@@||theplatform.com^*/comScore.swf$object-subrequest -@@||thestreet-static.com/video/js/kGoogleAnalytics.js? -@@||thetenthwatch.com/js/tracking.js$~third-party -@@||ticketm.net^*/click_track.js -@@||tools.usps.com/go/scripts/tracking.js -@@||toshiba.com/images/track/track.gif?track=load&$xmlhttprequest,domain=start.toshiba.com -@@||toyota.com/analytics/recall_af.js$domain=toyota.com -@@||track.adform.net/serving/scripts/trackpoint/$script,domain=strokekampanjen.se|tigerofsweden.com -@@||track.atom-data.io/report?$xmlhttprequest,domain=rt.com -@@||track.mybloglog.com/js/jsserv.php?$domain=egotastic.com -@@||track2.royalmail.com^ -@@||tracker.mattel.com/tracker.aspx?site=$script -@@||tracker.mattel.com^$domain=barbie.com -@@||tracking.unrealengine.com/tracking.js -@@||trackjs.com^$~third-party -@@||travix.com/searchoptions?affiliate=$xmlhttprequest -@@||trc.taboola.com/*/log/3/available|$subdocument,domain=globes.co.il -@@||trc.taboolasyndication.com^$domain=bloomberg.com|breitbart.com|breitbart.tv|nme.com|slatev.com -@@||trellocdn.com/dist/newrelic.$script,domain=trello.com -@@||trustedreviews.com^*/google/analytics.js -@@||trutv.com/ui/scripts/coffee/modules/analytics/click-tracker.js$script -@@||turner.com/cnn/*/video/chartbeat.js$domain=cnn.com -@@||turner.com^*/aspenanalytics.xml$domain=cnn.com -@@||tw.cx/c?a=$xmlhttprequest,domain=justwatch.com -@@||twimg.com/googleanalytics/analytics.js$script,domain=twitter.com -@@||uefa.com/inc/js/core/projects/statistics/statistics.js?$script -@@||uefa.com^*/chartbeat-trending-carousel.js -@@||ultimedia.com/js/common/jquery.gatracker.js -@@||unifi.me/mootools/classes/*-tracking -@@||unisys.com^*/track.gif$image,~third-party -@@||unity3d.com/profiles/unity3d/themes/unity/images/services/analytics/$image,~third-party -@@||ups.com/*/WebTracking/track&dcs -@@||ups.com/WebTracking/$xmlhttprequest -@@||urlcheck.hulu.com/crossdomain.xml$object-subrequest -@@||userzoom.com/analytics/$domain=userzoom.com -@@||usps.com/m/js/tracking.js$domain=usps.com -@@||usps.com^*/metrics.js$domain=usps.com -@@||utm.alibaba.com/eventdriver/recommendEntry.do?$script -@@||utm.arc.nasa.gov/common/css/ -@@||utm.arc.nasa.gov/common/js/common.js -@@||utm.arc.nasa.gov/common/js/hideEmail.js -@@||utm.arc.nasa.gov/common/js/nav.js -@@||utm.arc.nasa.gov/common/js/swap.js -@@||utm.arc.nasa.gov/images/ -@@||uverseonline.att.net/report/click_tracking_nes.json -@@||v.me/personal/assets/ntpagetag-$script -@@||vaadin.com^*/heatmap.js -@@||vacayvitamins.com/wp-content/plugins/wp-minify/min/?*/google-analyticator/$script -@@||validate.onecount.net/js/all.min.js$script,domain=foreignpolicy.com -@@||validate.onecount.net/onecount/api/public/$script,domain=foreignpolicy.com +@@||tags.news.com.au/prod/heartbeat/$script +@@||taplytics.com^$domain=royalbank.com +@@||target.microsoft.com/rest/$xmlhttprequest,domain=microsoft.com +@@||targetimg1.com/webui/$script,domain=target.com +@@||teams.microsoft.com/dialin-cdn-root/*/aria-web-telemetry-$~third-party +@@||telemetry.stytch.com/submit$domain=play.pixels.xyz +@@||tennispro.eu/min/?$script,~third-party +@@||thaiairways.com/static/common/js/wt_js/webtrends.min.js$~third-party +@@||thomas.co/sites/default/files/google_tag/primary/google_tag.script.js$script,~third-party +@@||tinypass.com^*/logAutoMicroConversion?$domain=chicago.suntimes.com +@@||tms.oracle.com/main/prod/utag.sync.js$~third-party +@@||tntdrama.com/modules/custom/ten_video/js/analytics_v2.js$~third-party +@@||tokbox.com/prod/logging/ClientEvent$domain=examroom.ai +@@||toyota.com/recall/static/js/custom/facebookPixel.js$~third-party +@@||traceparts.com/lib/piano-analytics/piano-analytics.js$script,~third-party +@@||track.shipstation.com/collections/trackingEvents.js$~third-party +@@||trackjs.com/agent/$script,domain=delta.com +@@||trackonomics.net/client/$script,domain=popsugar.com +@@||travel-assets.com/platform-analytics-prime/$domain=chase.com +@@||tunein.com/api/v1/comscore$~third-party +@@||unpkg.com/@adobe/magento-storefront-event-collector@$domain=osprey.com +@@||userapi.com^*.gif?extra=$image,domain=vk.com +@@||usplastic.com/js/hawk.js +@@||uwufufu.com/_nuxt/mixpanel.$~third-party @@||vast.com/vimpressions.js$domain=everycarlisted.com -@@||verizon.com/images/track/track.gif?track=load&$xmlhttprequest -@@||vice.com^*/vmp_analytics.js -@@||videos.nbcolympics.com/beacon?$object-subrequest,domain=nbcolympics.com @@||vidible.tv^*/ComScore.StreamSense.js @@||vidible.tv^*/ComScore.Viewability.js -@@||vidtech.cbsinteractive.com^*/AkamaiAnalytics.swf$domain=kuathletics.com|mutigers.com|okstate.com -@@||virtualearth.net/webservices/v1/LoggingService/$script -@@||virtualearth.net^*/LoggingService.svc/Log?$script,domain=bing.com|spatialbuzz.com -@@||virusdesk.kaspersky.com/Resources/js/analytics.js$script -@@||visa.com^*/vendor/unica.js -@@||visiblemeasures.com/crossdomain.xml$object-subrequest,domain=live.indiatimes.com -@@||vizio.com/resources/js/vizio-module-tracking-google-analytics.js -@@||vod.olympics2010.msn.com/beacon?$object-subrequest -@@||vodafone.com.au/analytics/js/$script -@@||volvocars.com^*/swfaddress.js? -@@||vouchercodes.co.uk/__wsm.gif$ping -@@||voya.ai^*/mixpanel-jslib-snippet.min.js$domain=voya.ai -@@||vulture.com/decor/javascript/magnify_stats.js -@@||vupload-edge.facebook.com/ajax/video/upload/$xmlhttprequest,domain=facebook.com -@@||w3spy.org/etc/geo.php? -@@||w88.go.com/crossdomain.xml$object-subrequest,domain=abcnews.go.com -@@||waitrosecellar.com^*/eventTracking-Cellar.js$domain=waitrosecellar.com -@@||walmart.com/__ssobj/core.js -@@||walmart.com^*/track?event=$xmlhttprequest -@@||walmartimages.com/webanalytics/omniture/omniture.jsp$domain=walmart.com -@@||walmartimages.com/webanalytics/wmStat/wmStat.jsp$domain=walmart.com -@@||washingtonexaminer.com/s3/wex15/js/analytics.js?$script -@@||washingtonpost.com/wp-stat/analytics/latest/main.js -@@||washingtonpost.com/wp-stat/analytics/main.js$domain=subscribe.washingtonpost.com -@@||washingtonpost.com^*/spacer.gif?$image -@@||wbshop.com/fcgi-bin/iipsrv.fcgi? -@@||wcnc.com/content/libs/comscore/comscore.min.js -@@||websimages.com/JS/Tracker.js -@@||webtrack.dhlglobalmail.com^ -@@||webtrends.com^*/events.svc$subdocument,domain=mycokerewards.com -@@||webtrendslive.com^*/wtid.js?$domain=att.yahoo.com -@@||westelm.com^*/bloomreach.js -@@||westjet.com/js/webstats.js -@@||whirlpool.com/foresee/foresee-trigger.js -@@||whoson.com/include.js?$script,domain=hotelchocolat.com -@@||widgets.outbrain.com^*/comScore/comScore.htm -@@||wikia.nocookie.net^*/AnalyticsEngine/js/analytics_prod.js -@@||wikimedia.org^*/trackClick.js -@@||wimbledon.com/AppMeasurement.js -@@||windward.eu^*/angulartics-google-analytics.min.js -@@||wired.com/wiredcms/chartbeat.json$xmlhttprequest -@@||wired.com^*/cn-fe-stats/ -@@||wordpress.org/extend/plugins/wp-slimstat/screenshot-$image,~third-party -@@||wordpress.org/wp-slimstat/assets/banner-$image,~third-party -@@||wp.com/_static/*/criteo.js -@@||wp.com/_static/*/gaAddons.js -@@||wp.com/_static/*/vip-analytics.js?$domain=time.com -@@||wp.com^*/google-analytics-for-wordpress/$domain=wordpress.org -@@||wp.com^*/time-tracking.js?$domain=time.com -@@||wp.com^*/wp-content/plugins/wunderground/assets/img/icons/k/clear.gif? -@@||wrap.tradedoubler.com/wrap?$script,domain=desigual.com -@@||wwe.com/sites/all/modules/wwe/wwe_analytics/s_wwe_code.js -@@||www.google.*/maps/preview/log204?$xmlhttprequest -@@||x5.xclicks.net/js/x3165.js$domain=small-breasted-teens.com -@@||xcweather.co.uk/*/geo.php? -@@||xfinity.com^*/Comcast.SelfService.Sitecatalyst.js -@@||yandex.ru/metrika/watch.js$domain=engwords.net -@@||yimg.com/bm/lib/fi/common/*/yfi_comscore.js$domain=finance.yahoo.com -@@||yimg.com^*/ywa.js$domain=nydailynews.com|travelscream.com|yahoo.com -@@||ynet.co.il/Common/App/Video/Gemius/gstream.js -@@||ynetnews.com/Common/App/Video/Gemius/gstream.js -@@||youbora.com/*/js/adapters/jwplayer$script -@@||youtube.com/api/analytics/$~third-party -@@||youtube.com/api/stats/playback?$image,object-subrequest -@@||youtube.com/api/stats/watchtime?$image,domain=youtube.com -@@||zappos.com/js/trackingPixel/mercentTracker.js -@@||zillowstatic.com/c/*/linktrack.js$domain=zillow.com -@@||zylom.com/images/site/zylom/scripts/google-analytics.js -@@||zynga.com/current/iframe/track.php?$domain=apps.facebook.com -! Mining-related whitelists -@@||alltube.tv/jsverify.php$~third-party,xmlhttprequest -@@||api.nyda.pro^$websocket -@@||broadcastt.xyz/apps/$websocket -@@||imaster.space^$websocket -@@||mycdn.me/chat$websocket -@@||mycdn.me/publish$websocket -@@||onlinevideoconverter.com/webservice|$~third-party,xmlhttprequest -@@||realtime.tracker.network^$websocket -@@||szukajka.tv/jsverify.php$~third-party,xmlhttprequest -@@||szukajka.tv/szukaj|$~third-party,xmlhttprequest -@@||ws.webcaster.pro^$websocket +@@||vivocha.com^*/vivocha.js?$script,domain=kartell.com +@@||we-stats.com/scripts/$script,domain=discover.com +@@||web-sdk.urbanairship.com/notify/$script,domain=etoro.com +@@||webtrends.com/js/webtrends.min.js$script,domain=tvlicensing.co.uk +@@||weightwatchers.com/optimizelyjs/$script,~third-party +@@||where2getit.com/traderjoes/rest/clicktrack?$domain=traderjoes.com +@@||widget.fitanalytics.com/widget.js$script,domain=pullandbear.com +@@||widget.trustpilot.com/bootstrap/$script,domain=amartfurniture.com.au|exodus.co.uk|imyfone.com +@@||wpfc.ml/b.gif$image,domain=holybooks.com +@@||wsj.net/iweb/static_html_files/cxense-candy.js$script,domain=marketwatch.com +@@||www.ups.com/WebTracking/processInputRequest +@@||wwwcache.wral.com/presentation/v3/scripts/providers/analytics/ga.js$~third-party +@@||xeroshoes.co.uk/affiliate/scripts/trackjs.js$~third-party +@@||xfinity.com/stream/js/api/fingerprint.js$~third-party +@@||yottaa.net^$script,domain=containerstore.com|hannaandersson.com +@@||zillow.com/rental-manager/proxy/rental-manager-api/api/v1/users/freemium/analytics/pageViews$~third-party +@@||zoominfo.com/c/amplitude-js$script,~third-party +! ! https://old.reddit.com/r/uBlockOrigin/comments/1czbcvg/foundit_is_blocking_searches_until_ublock_origin/ +@@||media.foundit.*/trex/public/theme_3/dist/js/userTracking.js$script,~third-party +! ! amplitude.com/libs +@@||amplitude.com/libs/$script,domain=elconfidencial.com|kink.com|pdfexpert.com|xe.com +! ! flag.lab.amplitude.com / api.lab.amplitude.com +@@||api.lab.amplitude.com^$domain=watch.outsideonline.com +@@||flag.lab.amplitude.com^$domain=watch.outsideonline.com +! ! googletagmanager.com/gtm.js +@@||googletagmanager.com/gtm.js$domain=3djuegosguias.com|3djuegospc.com|9to5mac.com|acehardware.com|acornonline.com|ads.spotify.com|aena.es|aeromexico.com|afisha.timepad.ru|aliexpress.com|almamedia.fi|ampparit.com|animeanime.jp|anond.hatelabo.jp|applesfera.com|aruba.it|arvopaperi.fi|atgtickets.com|atptour.com|aussiebum.com|auth.max.com|autobild.de|autorevue.cz|avis.com|axeptio.eu|backcountry.com|baywa-re.com|bbcgoodfood.com|benesse-style-care.co.jp|besplatka.ua|beterbed.nl|betten.de|binglee.com.au|bombas.com|book.impress.co.jp|bsa-whitelabel.com|bunte.de|butcherblockco.com|bybit.com|bybitglobal.com|caminteresse.fr|canadiantire.ca|capital.it|carcareplus.jp|carhartt-wip.com|casa.it|ccleaner.com|cdek.ru|cdon.fi|checkout.ao.com|chipotle.com|chronopost.fr|cinemacafe.net|cityheaven.net|clickup.com|cmoa.jp|como.fi|complex.com|compradiccion.com|computerbild.de|coolermaster.com|cora.fr|costco.co.jp|courses.monoprix.fr|cram.com|crello.com|cyclestyle.net|cyclingnews.com|cypress.io|dazeddigital.com|de.hgtv.com|deejay.it|dengekionline.com|dholic.co.jp|digitalocean.com|directoalpaladar.com|directv.com|dlsite.com|dmax.de|dmv.ca.gov|doodle.com|dropps.com|e15.cz|easternbank.com|ecovacs.com|edwardjones.com|eki-net.com|elcorteingles.es|elnuevodia.com|enmotive.com|episodi.fi|eprice.it|ergotron.com|espinof.com|euronics.ee|euronics.it|expressvpn.com|famesupport.com|fandom.com|feex.co.il|festoolusa.com|finanzen.at|finanzen.ch|finanzen.net|flets.com|flytap.com|focus.de|formula1.com|fortress.com.hk|fortune.com|freenet-funk.de|froxy.com|fum.fi|gamebusiness.jp|gamespark.jp|genbeta.com|glamusha.ru|globo.com|gorillamind.com|grandhood.dk|gravitydefyer.com|gumtree.com|harveynorman.co.nz|harveynorman.com.au|hatenacorp.jp|headlightrevolution.com|hepsiburada.com|herculesstands.com|hobbyhall.fi|hobbystock.jp|hostingvergelijker.nl|hotelfountaingate.com.au|idealo.at|idealo.de|iexprofs.nl|iltalehti.fi|independent.co.uk|inferno.fi|inside-games.jp|insiderstore.com.br|iodonna.it|iphoneitalia.com|j-wave.co.jp|jalan.net|jn.pt|join.kazm.com|journaldunet.com|jreastmall.com|junonline.jp|kakuyomu.jp|karriere.at|karriere.heldele.de|kauppalehti.fi|kedronparkhotel.com.au|kfc.co.jp|kinepolis.be|kinepolis.ch|kinepolis.es|kinepolis.fr|kinepolis.lu|kinepolis.nl|komputronik.pl|konami.com|la7.it|larousse.fr|lastampa.it|lasvegasentuidioma.com|lbc.co.uk|lecker.de|level.travel|life.fi|lift.co.za|linternaute.com|lippu.fi|loopearplugs.com|luko.eu|m1.com|m2o.it|magazineluiza.com.br|mainichi.jp|makitani.net|mall.heiwa.jp|mangaseek.net|mcgeeandco.com|mecindo.no|mediamarkt.nl|mediuutiset.fi|mercell.com|meritonsuites.com.au|midilibre.fr|mikrobitti.fi|mirapodo.de|mobilmania.cz|montcopa.org|morimotohid.com|mustar.meitetsu.co.jp|mycar-life.com|mysmartprice.com|nanikanokami.github.io|nap-camp.com|netcombo.com.br|newscafe.ne.jp|nflgamepass.com|ngv.vic.gov.au|nielsendodgechryslerjeepram.com|nihontsushin.com|noelleeming.co.nz|nordvpn.com|nourison.com|nove.tv|o2.co.uk|oakandfort.com|odia.ig.com.br|oetker-shop.de|okwave.jp|olx.ro|onepodcast.it|online-shop.mb.softbank.jp|online.ysroad.co.jp|onlineshop.ocn.ne.jp|order.fiveguys.com|papajohns.com|pccomponentes.com|petsathome.com|pgatoursuperstore.com|pioneer.eu|plaion.com|plantsome.ca|plex.tv|pohjanmaanhyvinvointi.fi|poprosa.com|porsche.com|portofoonwinkel.nl|post.ch|posti.fi|primeoak.co.uk|prisjakt.nu|prisonfellowship.org|prizehometickets.com.au|qrcode-monkey.com|radiko.jp|radio-canada.ca|radiobob.de|radiorur.de|rbbtoday.com|reanimal.jp|resemom.jp|response.jp|rocketnews24.com|rtl.de|rumba.fi|rustih.ru|rydercup.com|sanwacompany.co.jp|saraiva.com.br|saturn.at|savethechildren.it|scan.netsecurity.ne.jp|sciencesetavenir.fr|scotsman.com|service.smt.docomo.ne.jp|servicing.loandepot.com|shop.clifbar.com|shoprite.com|smartbox.com|soranews24.com|soundguys.com|soundi.fi|spektrum.de|sport1.de|sportingnews.com|sportiva.shueisha.co.jp|sportmaster.ru|spyder7.com|stage.parco.jp|store-jp.nintendo.com|str.toyokeizai.net|stressless.com|subscribe.greenbuildingadvisor.com|sunnybankhotel.com.au|superesportes.com.br|support.bose.com|support.brother.com|support.creative.com|support.knivesandtools.com|swarajyamag.com|swb.de|talent.lowes.com|talouselama.fi|tbsradio.jp|teddyfood.com|tekniikkatalous.fi|telia.no|thecw.com|theretrofitsource.com|ticketmaster.com|tickets.georgiaaquarium.org|tide.com|tilt.fi|tivi.fi|tn.com.ar|tomshw.it|topper.com.br|toyota-forklifts.se|trademe.co.nz|tradera.com|tredz.co.uk|trendencias.com|trendenciashombre.com|trendyol-milla.com|trendyol.com|tribuna.com|truckspring.com|tugatech.com.pt|tumi.com|tv-asahi.co.jp|type.jp|uclabruins.com|unieuro.it|uniqlo.com|upc.pl|upwork.com|uqr.to|uusisuomi.fi|veho.fi|vidaextra.com|video.lacnews24.it|video.repubblica.it|vip.de|virginmedia.com|vitonica.com|viviennewestwood-tokyo.com|vox.de|vtvgo.vn|wamiz.com|watson.ch|watsons.com.tr|workingclassheroes.co.uk|wowma.jp|wpb.shueisha.co.jp|www.gov.pl|xatakamovil.com|xxl.se|ymobile.jp|yotsuba-shop.com|youpouch.com|zakzak.co.jp|zazzle.com|zennioptical.com|zf1.tohoku-epco.co.jp|zinio.com|zive.cz|zozo.jp +! ! google-analytics.com/analytics.js +@@||google-analytics.com/analytics.js$domain=beinsports.com|brooklinen.com|carnesvizzera.ch|cmoa.jp|enmotive.com|healthrangerstore.com|hobbyhall.fi|infoconso-multimedia.fr|jackbox.tv|k2radio.com|koel.com|kowb1290.com|ligtv.com.tr|meritonsuites.com.au|nabortu.ru|news.gamme.com.tw|novatv.bg|papajohns.com|poiskstroek.ru|rzd.ru|saturn.at|schweizerfleisch.ch|skaties.lv|stressless.com|teddyfood.com|tracking.narvar.com|tradera.com|tribuna.com|truwin.com|tuasaude.com|unicef.de|viandesuisse.ch|vox.de|westernunion.com|worldsbiggestpacman.com|xxl.se +! ! googletagmanager.com/gtag/js +@@||googletagmanager.com/gtag/js$domain=17track.net|9to5mac.com|academy.com|acornonline.com|aena.es|afisha.timepad.ru|aliexpress.com|carhartt-wip.com|cbslocal.com|checkout.ao.com|cmoa.jp|cram.com|devclass.com|dholic.co.jp|docs.wps.com|ejgiftcards.com|enmotive.com|euronics.ee|factory.pixiv.net|fanpage.it|game.anymanager.io|globo.com|gmanetwork.com|herculesstands.com|honeystinger.com|hostingvergelijker.nl|huion.com|inforesist.org|kawasaki.com|kinepolis.be|kinepolis.ch|kinepolis.es|kinepolis.fr|kinepolis.lu|kinepolis.nl|liene-life.com|livongo.com|m.putlocker.how|mall.heiwa.jp|mediaite.com|mirrativ.com|modehasen.de|montcopa.org|nihontsushin.com|o2.co.uk|oko.sh|panflix.com.br|papajohns.com|plex.tv|radiosarajevo.ba|rintraccialamiaspedizione.it|schwab.com|seatmaps.com|showroom-live.com|skylar.com|square-enix.com|starblast.io|supplementmart.com.au|ticketmaster.com|timparty.tim.it|toptal.com|truckspring.com|virginmedia.com|virginplus.ca|winefolly.com|winhappy.com|xl-bygg.no|zf1.tohoku-epco.co.jp +! ! googleoptimize.com/optimize.js +@@||googleoptimize.com/optimize.js$domain=binglee.com.au|grasshopper.com|in.bookmyshow.com|inquirer.com|investing.com|lacomer.com.mx|lodgecastiron.com|tentree.ca|virginmedia.com +! ! google-analytics.com/mp/collect? +@@||google-analytics.com/mp/collect?$domain=startse.com +! ! google-analytics.com/plugins/ua/ec.js +@@||google-analytics.com/plugins/ua/ec.js$domain=saturn.at|teddyfood.com|xxl.se +! ! google-analytics.com/ga.js +@@||google-analytics.com/ga.js$domain=meritonsuites.com.au|realpage.com +! ! collect.igodigital.com/collect.js +@@||collect.igodigital.com/collect.js$domain=berkley-fishing.com|enoteca.co.jp|goodwillfinds.com|samash.com|viajeguanabara.com.br|vitalsource.com|wilsonparking.com.au +! ! browser.sentry-cdn.com +@@||browser.sentry-cdn.com^$domain=acustica-audio.com|dic.pixiv.net|doconcall.com.my|eco-clobber.co.uk|fundhero.io|marshmallow-qa.com|menshealth.com|ocado.com|podcasty.seznam.cz|roomster.com|shop.dns-net.de|spacemarket.com|timesprime.com|vivareal.com.br|womenshealthmag.com +! ! ||assets.adobedtm.com/extensions/*/AppMeasurement.min.js +@@||assets.adobedtm.com/extensions/*/AppMeasurement.min.js$domain=nbc.com|subwy.com|tatamotors.com|usanetwork.com +! ! adobedtm.com^*/satelliteLib- +@@||adobedtm.com^*/satelliteLib-$script,domain=absa.co.za|ally.com|americanexpress.com|as.com|auspost.com.au|backcountry.com|bmw.com.au|canadapost-postescanada.ca|ceair.com|collegeboard.org|conad.it|costco.com|crackle.com|crackle.com.ar|crackle.com.br|crackle.com.ec|crackle.com.mx|crackle.com.pe|crackle.com.py|crave.ca|crimewatchdaily.com|dhl.de|directline.com|elgiganten.se|elkjop.no|eonline.com|fcbarcelona.cat|fcbarcelona.cn|fcbarcelona.com|fcbarcelona.es|fcbarcelona.fr|fcbarcelona.jp|firststatesuper.com.au|gigantti.fi|godigit.com|hellobank.fr|hgtv.com|hrw.com|ilsole24ore.com|jeep.com|laredoute.be|laredoute.ch|laredoute.co.uk|laredoute.com|laredoute.es|laredoute.fr|laredoute.it|laredoute.pl|laredoute.pt|laredoute.ru|lenovo.com|lowes.com|malaysiaairlines.com|mastercard.us|mathworks.com|monoprice.com|myaetnasupplemental.com|nbcnews.com|nfl.com|nflgamepass.com|nofrills.ca|nrj.fr|oprah.com|oracle.com|pnc.com|poweredbycovermore.com|radiko.jp|realtor.com|redbull.tv|repco.co.nz|sbb.ch|searspartsdirect.com|shoppersdrugmart.ca|smooth.com.au|sony.jp|stuff.co.nz|subaru.com|support.nec-lavie.jp|tatacliq.com|telegraph.co.uk|timewarnercable.com|tou.tv|usanetwork.com|vanityfair.com|vtr.com|wayin.com|wired.com +! ! adobedtm.com^*-libraryCode_source.min.js +@@||adobedtm.com^*-libraryCode_source.min.js$domain=doda.jp +! ! adobedtm.com^*_source.min.js +@@||adobedtm.com^*_source.min.js$domain=ally.com|americanexpress.com|as.com|backcountry.com|crave.ca|disneyplus.disney.co.jp|hilton.com|hl.co.uk|homedepot.ca|kroger.com|mora.jp|nbarizona.com|pnc.com|tatacliq.com|telus.com +! ! adobedtm.com^*-source.min.js +@@||adobedtm.com^*-source.min.js$script,domain=53.com|aarp.org|ally.com|americanexpress.com|as.com|atresplayer.com|automobiles.honda.com|backcountry.com|bose.ae|bose.at|bose.ca|bose.ch|bose.cl|bose.co|bose.co.jp|bose.co.nz|bose.co.uk|bose.com|bose.com.au|bose.de|bose.dk|bose.es|bose.fi|bose.fr|bose.hk|bose.hu|bose.ie|bose.it|bose.lu|bose.mx|bose.nl|bose.no|bose.pe|bose.pl|bose.se|boseapac.com|bosebelgium.be|boselatam.com|bt.com|cadenaser.com|churchofjesuschrist.org|cibc.com|crave.ca|currys.co.uk|deutsche-bank.de|dollargeneral.com|etihad.com|fedex.com|guitarcenter.com|healthsafe-id.com|healthy.kaiserpermanente.org|helvetia.com|hgtv.com|hilton.com|homedepot.ca|ihg.com|imsa.com|ing.com.au|ingrammicro.com|kroger.com|lenovo.com|manager-magazin.de|marriott.com|mtvuutiset.fi|mybell.bell.ca|natwest.com|nbarizona.com|news.sky.com|personal.natwest.com|plasticsnews.com|pnc.com|poweredbycovermore.com|ralphlauren.com|samsung.com|sephora.com|snsbank.nl|ssrn.com|subway.com|tatacliq.com|telegraph.co.uk|telus.com|verizon.com|virginplus.ca|walgreens.com|xfinity.com +! ! adobedtm.com^*/mbox-contents- +@@||adobedtm.com^*/mbox-contents-$script,domain=absa.co.za|ally.com|americanexpress.com|as.com|backcountry.com|ceair.com|conad.it|costco.com|dhl.de|fcbarcelona.cat|fcbarcelona.cn|fcbarcelona.com|fcbarcelona.es|fcbarcelona.fr|fcbarcelona.jp|firststatesuper.com.au|hgtv.com|lenovo.com|lowes.com|nfl.com|oprah.com|pnc.com|shoppersdrugmart.ca|sony.jp|tatacliq.com|usanetwork.com|vanityfair.com|wired.com +! ! adobedtm.com/extensions/ +@@||adobedtm.com/extensions/$domain=antena3.com|apple.com|atresmedia.com|atresplayer.com|automobiles.honda.com|bravotv.com|cadenaser.com|crave.ca|foodnetwork.com|lasexta.com|telus.com|verizon.com|xfinity.com +! ! OtAutoBlock.js +@@||cookielaw.org^*/OtAutoBlock.js$domain=bancsabadell.com|darkreading.com|uphold.com +! ! cxense.com/document/search? +@@||cxense.com/document/search? +! ! cxense.com/persisted/execute +@@||cxense.com/persisted/execute$domain=nippon.com +! ! cxense.com/public/widget/ +@@||cxense.com/public/widget/$domain=bizjournals.com|businessinsider.de|computerbild.de|cxpublic.com|cyclestyle.net|friday.gold|friday.kodansha.co.jp|handelsblatt.com|inquirer.com|ksml.fi|mainichi.jp|marketwatch.com|nippon.com|savonsanomat.fi|shueisha.co.jp|tn.com.ar|tvnet.lv|wsj.com +! ! cxense.com/cx.cce.js +@@||cxense.com/cx.cce.js$domain=bizjournals.com|businessinsider.de|cxpublic.com|handelsblatt.com|inquirer.com|mainichi.jp|marketwatch.com|shueisha.co.jp|tarzanweb.jp|tn.com.ar|tvnet.lv|wsj.com +! ! cxense.com/cx.js +@@||cxense.com/cx.js$domain=13.cl|bizjournals.com|businessinsider.de|computerbild.de|cyclestyle.net|handelsblatt.com|inquirer.com|ksml.fi|mainichi.jp|marketwatch.com|nippon.com|savonsanomat.fi|shueisha.co.jp|str.toyokeizai.net|tarzanweb.jp|tn.com.ar|tv-tokyo.co.jp|tvnet.lv|wsj.com +! ! collector.appconsent.io +@@||collector.appconsent.io/hello$domain=lachainemeteo.com|lefigaro.fr +! ! imrworldwide.com/*ggc +@@||imrworldwide.com/novms/js/2/ggc$script,domain=9now.com.au|adelaidenow.com.au|advertiser.com.au|bestrecipes.com.au|byronnews.com.au|cairnspost.com.au|coffscoastadvocate.com.au|couriermail.com.au|dailyexaminer.com.au|espn.com|frasercoastchronicle.com.au|gattonstar.com.au|geelongadvertiser.com.au|gladstoneobserver.com.au|goldcoastbulletin.com.au|heraldsun.com.au|ipswichadvertiser.com.au|la7.it|news-mail.com.au|news.com.au|noosanews.com.au|ntnews.com.au|sky.it|sunshinecoastdaily.com.au|theaustralian.com.au|themercury.com.au|theweeklytimes.com.au|townsvillebulletin.com.au|tvnow.de|video.corriere.it|weeklytimesnow.com.au|whitsundaytimes.com.au +! ! imrworldwide.com/conf/ +@@||imrworldwide.com/conf/$script,domain=nbcolympics.com +! imrworldwide.com/v60.js +@@||imrworldwide.com/v60.js$domain=adelaidenow.com.au|advertiser.com.au|bestrecipes.com.au|byronnews.com.au|cairnspost.com.au|coffscoastadvocate.com.au|corriereadriatico.it|couriermail.com.au|dailyexaminer.com.au|fanpage.it|frasercoastchronicle.com.au|gattonstar.com.au|geelongadvertiser.com.au|gladstoneobserver.com.au|goldcoastbulletin.com.au|heraldsun.com.au|huffingtonpost.it|ilgazzettino.it|ilmattino.it|ilmessaggero.it|ipswichadvertiser.com.au|la7.it|last.fm|leggo.it|musicfeeds.com.au|news-mail.com.au|noosanews.com.au|ntnews.com.au|nzherald.co.nz|quotidianodipuglia.it|realestateview.com.au|sf.se|sunshinecoastdaily.com.au|theaustralian.com.au|themercury.com.au|theweeklytimes.com.au|threenow.co.nz|townsvillebulletin.com.au|video.deejay.it|video.espresso.repubblica.it|video.ilsecoloxix.it|video.lastampa.it|video.repubblica.it|weatherchannel.com.au|weeklytimesnow.com.au|whitsundaytimes.com.au +! ! mpsnare.iesnare.com +@@||mpsnare.iesnare.com^$script,domain=citi.com|citibank.com|jbhifi.com.au|login.skype.com|oreillyauto.com|power.fi|princessauto.com|ringcentral.com|screwfix.com|secure.coventrybuildingsociety.co.uk|usbank.com|verkkokauppa.com|vitacost.com|westernunion.com +! ! ingest.sentry.io/api/ +@@||ingest.sentry.io/api/$xmlhttprequest,domain=core.app|orionprotocol.io|play.tv3.lv|tesco.com|tesco.hu +! ! ci-mpsnare.iovation.com +@@||ci-mpsnare.iovation.com/snare.js$domain=equifax.ca +! ! lightning.cnn.com +@@||lightning.cnn.com^$script,domain=wfmz.com +! ! tag.aticdn.net +@@||tag.aticdn.net^$script,domain=gouv.fr|rte.ie|tv5monde.com|uktvplay.co.uk|visaconcierge.eu|yourstory.com +! ! cdn.optimizely.com/public +@@||cdn-pci.optimizely.com/public/*/sales_snippet.js$domain=talktalk.co.uk +@@||cdn.optimizely.com/public/*.json/tag.js$domain=mobile.de +! ! omtrdc.net +@@||omtrdc.net^*/mbox/json?$xmlhttprequest,domain=absa.co.za|att.com|pnc.com|vodafone.it +! ! tags.tiqcdn.com +@@||tags.tiqcdn.com/utag/*/utag.sync.js$domain=bankofamerica.com|hsbc.co.uk|samsung.com|sony.jp|visible.com|vmware.com +! statcounter.com charts https://github.com/uBlockOrigin/uAssets/issues/11321 +@@||gs.statcounter.com/chart.php$script,third-party +@@||statcounter.com/js//fusioncharts.charts.js +@@||statcounter.com/js/fusioncharts.js +@@||www.statcounter.com/images/$image,third-party +! ping exceptions +@@||api.babbel.io/gamma/v1/$ping,domain=babbel.com +! https://github.com/easylist/easylist/issues/10565 +@@||googletagmanager.com/gtm.js$domain=blaklader.at|blaklader.be|blaklader.ca|blaklader.com|blaklader.cz|blaklader.de|blaklader.dk|blaklader.ee|blaklader.es|blaklader.fi|blaklader.fr|blaklader.ie|blaklader.it|blaklader.nl|blaklader.no|blaklader.pl|blaklader.se|blaklader.uk +! Opera/Safari (buggy 3rd-party implementations) +! https://forums.lanik.us/viewtopic.php?f=64&t=45603&p=158333 +@@||bugsnag.com^$~third-party,domain=app.bugsnag.com +! Consent and video Fixes +@@||sourcepointcmp.bloomberg.*/ccpa.js$script,domain=bloomberg.co.jp|bloomberg.com +@@||sourcepointcmp.bloomberg.*/mms/get_site_data?$domain=bloomberg.co.jp|bloomberg.com +! CNAME (Specific allowlists) +@@||app.clarity.so^$~third-party +@@||cbsi.map.fastly.net^ +@@||content.ingbank.pl^ +@@||gva.et-gv.fr^$script,domain=culture.gouv.fr +@@||mycleverpush.com/iframe?$domain=bsdex.de +@@||n8s.jp^$script,domain=nikkei.com +@@||online-metrix.net^$script,domain=eki-net.com +@@||p11.techlab-cdn.com^$domain=wizzair.com +@@||sc.omtrdc.net^$domain=cibc.com +@@||team-rec.jp^$domain=search-voi.0101.co.jp|voi.0101.co.jp +@@||wwwimage-tve.cbsstatic.com^ ! Chrome bug (Endless loading causing site to crash https://forums.lanik.us/viewtopic.php?f=64&t=25152) -@@||aplus.com/p.gif?$~third-party -! Preliminarily whitelisting Omniture s_code tracking pixels (script versions H.25 - H.25.2) due to breakage (https://adblockplus.org/forum/viewtopic.php?f=10&t=11378) if blocking the script causes issues -@@||112.2o7.net/b/ss/$image,domain=espn.com.br|nissan-global.com -@@||122.2o7.net/b/ss/$image,domain=billetnet.dk|billettservice.no|citibank.co.in|goal.com|lippupalvelu.fi|pcworld.com|riverisland.com|techhive.com|ticketmaster.ae|ticketmaster.co.uk|ticketmaster.de|ticketmaster.ie|ticketmaster.nl|ticnet.se -@@||amazoncustomerservice.d2.sc.omtrdc.net/b/ss/*/H.25.1/$image -@@||castorama.fr/b/ss/$image -@@||fandango.com/b/ss/$image -@@||globalnews.ca/b/ss/$image -@@||info.seek.com/b/ss/$image,domain=seek.com.au -@@||kaspersky.co.uk/b/ss/$image -@@||kohls.com/b/ss/$image -@@||metrics.ancestry.com/b/ss/$image -@@||metrics.brooksbrothers.com/b/ss/$image -@@||metrics.consumerreports.org/b/ss/$image -@@||metrics.nationwide.co.uk/b/ss/$image -@@||metrics.target.com/b/ss/$image -@@||metrics.thetrainline.com/b/ss/$image -@@||metrics.ticketmaster.com/b/ss/$image -@@||oms.dowjoneson.com/b/ss/$image,domain=wsj.com -@@||omtrdc.net/b/ss/$image,domain=macworld.com|pcworld.com|techhive.com -@@||scorecardresearch.com/r2?$image,domain=ancestry.com|billetnet.dk|billettservice.no|lippupalvelu.fi|pcworld.com|techhive.com|ticketmaster.ae|ticketmaster.co.uk|ticketmaster.de|ticketmaster.ie|ticketmaster.nl|ticnet.se|wsj.com -@@||scorecardresearch.com/r?$image,domain=ancestry.com|billetnet.dk|billettservice.no|lippupalvelu.fi|macworld.com|pcworld.com|techhive.com|ticketmaster.ae|ticketmaster.co.uk|ticketmaster.de|ticketmaster.ie|ticketmaster.nl|ticnet.se|wsj.com -@@||simyo.de/b/ss/$image -@@||smetrics.target.com/b/ss/$image -@@||smetrics.ticketmaster.com/b/ss/$image -@@||smetrics.walmartmoneycard.com/b/ss/$image -@@||stat.safeway.com/b/ss/$image -@@||walmart.com/b/ss/$image -! Whitelists to fix broken pages of tracking companies +! Preliminarily allowlists Omniture s_code tracking pixels (script versions H.25 - H.25.2) due to breakage (https://adblockplus.org/forum/viewtopic.php?f=10&t=11378) if blocking the script causes issues +@@||omns.americanexpress.com/b/ss/ +@@||omtrdc.net/b/ss/$image,domain=ba.com|britishairways.com|halifax-online.co.uk +@@||omtrdc.net/rest/$xmlhttprequest +! Allowlists to fix broken pages of tracking companies ! Heatmap -@@||heatmap.it^$domain=heatmap.me -! Google -@@||google.*/analytics/css/$~third-party -@@||google.*/analytics/js/$~third-party -@@||gstatic.com^*/analytics.js$domain=google.com -! ----------------Whitelists to fix broken international sites-----------------! -! *** easylist:easyprivacy/easyprivacy_whitelist_international.txt *** -! German -@@||a.visualrevenue.com/vrs.js$domain=t-online.de -@@||ad.de.doubleclick.net/imp;$object-subrequest,domain=rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de -@@||adclear.teufel.de^*/acv?*&ms=http$image,domain=gewinnspiele.freenet.de -@@||addicted-sports.com/piwik/piwik.js -@@||adobedtm.com^*/satelliteLib-$script,domain=sbb.ch -@@||alternate.de/js/emos2.js +@@||heatmap.it^$domain=heatmap.com|heatmap.it|heatmap.me|heatmap.org +@@||komas19.xyz/cdn-cgi/apps/$script,~third-party +! ----------------Allowlists to fix broken international sites-----------------! +! *** easylist:easyprivacy/easyprivacy_allowlist_international.txt *** +! +! ---------- German ---------- +! +@@||adconsole.ch/api/ws-businessclick/*/data.json$domain=finanzen.ch +@@||adnz.co/dmp/publisher.js$domain=finanzen.ch +@@||adnz.co/header.js?adTagId=$domain=finanzen.ch @@||analytics.edgekey.net/html5/akamaihtml5-min.js$domain=br.de -@@||analytics.edgesuite.net/html5/akamaihtml5-min.js?$domain=ardmediathek.de -@@||belboon.de/adtracking/$subdocument,domain=gutscheindoktor.de|preis-vergleich.tv|preismafia.com -@@||belboon.de/clickout.php?$subdocument,domain=preis-vergleich.tv -@@||billiger.de/js/emos2.js -@@||btstatic.com/tag.js$domain=oralb.de -@@||classistatic.de^*/hitcounter.js$domain=mobile.de -@@||code.etracker.com/t.js?et=$script,domain=apotheken-umschau.de|compo-hobby.de|diabetes-ratgeber.net|giz.de|kaguma.com|krombacher.de -@@||computer-bild.de/imgs/*/Google-Analytics-$image,domain=computerbild.de -@@||count.rtl.de/crossdomain.xml$object-subrequest,domain=n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de -@@||css.ch/stats/tracker.js?$xmlhttprequest -@@||cxense.com/cx.js$domain=tagesanzeiger.ch -@@||darmstadt.ui-traffic.de/mobile/webapp/bower_components/heatmap.js$domain=darmstadt.ui-traffic.de -@@||eltern.de/min.php?*/clickTracking.js -@@||email.1und1.de/appsuite/api/*/1and1_integration/tracking/tracking.js$domain=email.1und1.de +@@||api-v4.trbo.com/r.php?$script,domain=blau.de +@@||apps.derstandard.at^*/TrackingCookieCheck?$subdocument +@@||asadcdn.com/adlib/$domain=computerbild.de +@@||asadcdn.com/assets/video/$domain=computerbild.de +@@||bilder-a.akamaihd.net/ip/js/ipdvdc/ipdvdc.min.js$domain=n-tv.de|toggo.de|vip.de +@@||businessclick.ch/index.js$domain=finanzen.ch +@@||classic.comunio.de/clubImg.phtml/$image,~third-party +@@||digitale-sammlungen.gwlb.de^*/pageview.js$script,domain=digitale-sammlungen.gwlb.de +@@||dynamicyield.com/scripts/*/dy-coll-nojq-min.js$domain=gigasport.at|gigasport.ch|gigasport.de @@||energy.de^*/ivw.js?$domain=energy.de -@@||eventim.de/obj/global/feature/tagCommander/tc_header.min.$script -@@||getgoods.de^*/emstrack.js -@@||giga.de/wp-content/plugins/econa-stats/log/video-views/log.php?id=$object-subrequest -@@||gls.de^*/emos2.js -@@||google-analytics.com/analytics.js$domain=schweizerfleisch.ch -@@||google-analytics.com/siteopt.js?$domain=chip.de -@@||googletagmanager.com/gtm.js?$domain=bunte.de|finanzen.net -@@||hach.de^*/emstrack.js -@@||hammonline.de/statistik/piwik.js -@@||hermesworld.com/tracking/urchin.js -@@||heute.de/zdf/flash/eplayer/player.swf?*/cgi-bin/ivw/ -@@||honeybadger.io^*/honeybadger.min.js$domain=clark.de -@@||hse24.de^*/emos2.js -@@||imrworldwide.com/novms/*/ggcm*.js$domain=ndr.de|tvnow.de|watchbox.de -@@||ing-diba.de^*/sitestat.js -@@||iocdn.coremetrics.com^*.js?V=$script,domain=adidas.de -@@||iocdn.coremetrics.com^*/io_config.js?ts=$domain=adidas.de -@@||ivwbox.de/2004/01/survey.js$domain=stylished.de|t-online.de -@@||ivwextern.prosieben.de/crossdomain.xml$object-subrequest,domain=galileo-videolexikon.de -@@||ivwextern.prosieben.de/php-bin/functions/ivwbox/ivwbox_extern.php?path=$object-subrequest,domain=galileo-videolexikon.de -@@||ivwextern.prosieben.de^*/ivw_flashscript.php?$script -@@||jetztspielen.de^*/EventTracker.js -@@||js.revsci.net/gateway/gw.js?$domain=t-online.de -@@||ksta.de^*/api/tracking/service/ksta/templateclient.js$domain=ksta.de -@@||ksta.de^*/tracking/tracking.js$domain=ksta.de -@@||lablue.at/js/geo.php$~third-party,xmlhttprequest -@@||lablue.de/js/geo.php$~third-party,xmlhttprequest -@@||levexis.com/clients/planetsports/1.js$domain=planet-sports.de -@@||longtailvideo.com/5/googlytics/googlytics-1.js$domain=arte.tv -@@||maxmind.com^*/geoip.js$domain=automatensuche.de -@@||meinestadt.de^*/xiti/xtcore_$script -@@||musicstore.de^*/emos2.js -@@||o2.de/resource/js/tracking/ntpagetag.js -@@||piwik.windit.de/piwik.js$domain=livespotting.tv -@@||pix04.revsci.net^*.js?$domain=t-online.de -@@||pizza.de^*/ptrack.$script -@@||planet-sports.de^*?f=*/emos2.js -@@||real.de/fileadmin/template/javascript/emos2.js -@@||renault.de/js/sitestat.js -@@||rover.ebay.com/ar/1/75997/4?mpt=*&size=300x250&adid=$image,domain=millionenklick.web.de -@@||rp-online.de^*/tracking/tracking.js -@@||s.gstat.orange.fr/lib/gs.js? -@@||scorecardresearch.com/beacon.js$domain=spielen.com -@@||scorecardresearch.com/crossdomain.xml$object-subrequest,domain=web.de -@@||scorecardresearch.com/p?$object-subrequest,domain=web.de -@@||sitestat.com/europcar/europcar-de/*&ns_url=http://microsite.europcar.com/deutschebahn/$subdocument,domain=bahn.de -@@||skoda-auto.de^*/angulartics-google-analytics.min.js$domain=skoda-auto.de -@@||sparkasse.de/if/resources/js/urchin.js -@@||spatialbuzz.com/piwik/piwik.js$domain=spatialbuzz.com +@@||ens.nzz.ch^$~third-party +@@||geo.kaloo.ga/json/$script,domain=tagesspiegel.de +@@||google-analytics.com/gtm/js?$script,domain=unicef.de +@@||google-analytics.com/gtm/optimize.js$domain=focus.de +@@||googleoptimize.com/optimize.js?$domain=eventim.de +@@||gymnasedeburier.ch/themes/segment/js/$~third-party +@@||kameleoon.eu/images/$domain=welt.de +@@||kameleoon.eu/kameleoon.js$domain=welt.de +@@||kameleoon.io/geolocation^$domain=welt.de +@@||kameleoon.io/ip^$domain=welt.de +@@||l.ecn-ldr.de/loader/loader.js$domain=braun-hamburg.com +@@||online.mps-gba.de/praeludium/$script,domain=auto-motor-und-sport.de|caravaning.de|motorradonline.de +@@||outbrainimg.com^$third-party,domain=computerbild.de|fitbook.de|metal-hammer.de|rollingstone.de|stylebook.de +@@||pruefernavi.de/vendor/elasticsearch/elastic-apm-rum.umd.min.js$~third-party +@@||responder.wt-safetag.com/resp/api/get/$script,domain=myhermes.de +@@||sams.11freunde.de/ee/*/interact?$xmlhttprequest,domain=11freunde.de +@@||sams.spiegel.de/ee/irl1/v1/interact?$domain=spiegel.de +@@||script-at.iocnt.net/iam.js$domain=oe24.at +@@||showheroes.com/publishertag.js$domain=rollingstone.de +@@||showheroes.com/pubtag.js$domain=rollingstone.de @@||spiegel.de/layout/js/http/netmind-$script -@@||static-fra.de/devlib/rtli/video-tracking/build/videotracking.min.js$domain=rtl.de -@@||static-fra.de^*/targeting.js$domain=n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de -@@||stats.g.doubleclick.net/dc.js$domain=diejugendherbergen.de -@@||stroeerdigitalmedia.de/dynback/call.sjs?$domain=runnersworld.de -@@||stroeerdigitalmedia.de/praeludium/praeludium_$script,domain=menshealth.de|runnersworld.de -@@||stylished.de/js/vendors/emos2.js$domain=stylished.de -@@||sunday.de/skin/*/googleanalytics.js$script -@@||swr3.de/static/swrplayer/web/plugins/ivw/ivw.js -@@||t-online.de/js/xtcore_t_online.js?$xmlhttprequest -@@||thebrighttag.com/tag?site=$script,domain=oralb.de -@@||track.adform.net/wpf/$script,domain=rewe.de -@@||uim.tifbs.net/js/$script,domain=gewinnspiel.gmx.de|gewinnspiel.web.de|top.de -@@||video.oms.eu/crossdomain.xml$object-subrequest,domain=badische-zeitung.de -@@||video.oms.eu/projekt/download/OMSComponent.swf$object-subrequest,domain=badische-zeitung.de -@@||yimg.com/mi/eu/ywa.js$domain=immowelt.de -@@||ywxi.net/meter/produkte.web.de/$image,domain=web.de -@@||zdf.de/zdf/flash/eplayer/player.swf?*/cgi-bin/ivw/ -@@||zeit.de/piwik/piwik.js$domain=schach.zeit.de -! French -@@||abtasty.com/datacollectHeatmap.php$xmlhttprequest,domain=cdiscount.com +@@||taboola.com/libtrc/$script,domain=bild.de|computerbild.de|fitbook.de|jetzt.de|metal-hammer.de|musikexpress.de|noizz.de|rollingstone.de|stylebook.de|sueddeutsche.de|techbook.de|travelbook.de|welt.de|wieistmeineip.at|wieistmeineip.ch|wieistmeineip.de +@@||technical-service.net^$xmlhttprequest,domain=n-tv.de|rtl.de|vip.de +@@||tipico.de/js/modules/fingerprintjs2/fingerprint2.min.js$script,~third-party +@@||toggo.de/static/js/sourcepoint.js$domain=toggo.de +@@||trbo.com/plugin/trbo_$script,domain=blau.de +@@||ttmetrics.faz.net/rest/v1/delivery?$domain=faz.net +@@||uim.tifbs.net/js/$script,domain=web.de +@@||widgets.trustedshops.com/reviews/tsSticker/$domain=koziol-shop.de +! +! ---------- Greek ----------- +! +@@||extreme-ip-lookup.com/json/$xmlhttprequest,domain=skaitv.gr +! +! ---------- French ---------- +! @@||actiris.be/urchin.js -@@||actiris.be^*/urchin.js -@@||adobedtm.com^*/mbox-contents-$script,domain=fcbarcelona.fr -@@||adobedtm.com^*/satelliteLib-$script,domain=fcbarcelona.fr|icimusique.ca|laredoute.be|laredoute.ch|laredoute.fr|lci.fr|nrj.fr|tou.tv -@@||adyoulike.omnitagjs.com^$script,domain=dl.free.fr -@@||analytics.belgacom.be/tms/loader.js$domain=proximus.be -@@||analytics.ladmedia.fr/parismatch/xtcore_mod2.js$domain=parismatch.com -@@||boutiqueducourrier.laposte.fr/_ui/eboutique/scripts/xiti/part/xtcore.js -@@||cache2.delvenetworks.com/crossdomain.xml$domain=lapresse.ca -@@||cache2.delvenetworks.com/ps/c/v1/$object-subrequest,domain=lapresse.ca -@@||cdscdn.com/Js/external/tagcommander/tc_nav.js$domain=cdiscount.com -@@||cmcm.com^*/googleanalytics.js +@@||ausha.tsbluebox.com^$media,domain=podcast.ausha.co +@@||caf.fr^*/smarttag.js$script,~third-party +@@||cmp.telerama.fr/js/telerama.min.js$~third-party @@||connect.facebook.net^*/fbevents.js$domain=elinoi.com -@@||diwancorp.fr^*/angular-google-analytics.min.js -@@||easypari.fr^*/sitestat.js -@@||estat.com/js/$script,domain=francetvsport.fr -@@||evidal.fr/scripts/stats/evidal/s_code.js @@||forecast.lemonde.fr/p/event/pageview?$image,~third-party -@@||google-analytics.com/analytics.js$domain=infoconso-multimedia.fr|viandesuisse.ch -@@||hello.distribeo.com/atconnect/*?duration=$script,domain=laposte.fr -@@||leboncoin.fr/js/xiti.js -@@||lesinrocks.com/min/?f=*/chartbeat.js -@@||lprs1.fr/assets/js/lib/squid/smarttag.js$domain=leparisien.fr -@@||matvpratique.com/tools/min/index.php?f=*/xtclicks.js -@@||maxmind.com/geoip/$xmlhttprequest,domain=dcshoes.fr -@@||maxmind.com^*/geoip2.js?$script,domain=dcshoes.fr -@@||omnitagjs.com/fo-*/captcha/$domain=dl.free.fr -@@||omnitagjs.com/fo-api/omniTag?$xmlhttprequest,domain=dl.free.fr -@@||orange.fr^*/wtbase.js -@@||orange.fr^*/wtinit.js -@@||ricardocuisine.com/noel/js/google_analytics.js -@@||rtl.be^*/vp_webanalytics.js? -@@||script.ownpage.fr/v1/ownpage.js?$script,domain=lci.fr -@@||sosh.fr^*/wtbase.js -@@||sosh.fr^*/wtinit.js -@@||stat.prsmedia.fr/tag/stat.js$domain=bienpublic.com -@@||static.lci.fr/assets/scripts/common/tracker.js?$script,~third-party -@@||tag.aticdn.net^*/smarttag.js$domain=mon.compteczam.fr -@@||tf1.fr/assets/js/build/lib/smarttag.js$domain=tf1.fr -@@||tf1.fr/assets/js/build/lib/xiti.js$domain=tf1.fr -@@||tv5.org/cms/javascript/*/sitestat.js -@@||tv5monde.com/cms/javascript/*/sitestat.js -@@||ubicast.tv/statics/mediaserver/player/statistics.js -! Bulgarian -@@||google-analytics.com/analytics.js$domain=novatv.bg -! Chinese -@@||360buyimg.com^*/components/default/$script,domain=jd.com -@@||adobedtm.com^*/mbox-contents-$script,domain=fcbarcelona.cn -@@||adobedtm.com^*/satelliteLib-$script,domain=fcbarcelona.cn +@@||helix.videotron.com/js/api/fingerprint.js$~third-party +@@||logic-immo.com/lib/xiti/xiti.js$script,~third-party +@@||mabanque.fortuneo.fr/js/front/fingerprint2.js$script,domain=mabanque.fortuneo.fr +@@||pmdstatic.net/advertising-$script,xmlhttprequest,domain=programme-tv.net +@@||relevant-digital.com^$script,domain=20min.ch +@@||service-public.fr^*/assets/js/eulerian/eulerian.js$~third-party +@@||tag.aticdn.net/piano-analytics.js$script,domain=toureiffel.paris +@@||tra.scds.pmdstatic.net/sourcepoint/$domain=businessinsider.fr|caminteresse.fr|capital.fr|voici.fr +@@||trustcommander.net/iab-tcfapi/tcfapi.js$script,domain=tf1info.fr +! +! ---------- Arabic ---------- +! +@@||collector.leaddyno.com/shopify.js$script,domain=s4l.us +@@||nbe.com.eg/NBEeChannelManager/CallMW.aspx$~third-party +@@||rudaw.net/images/pixel.gif$~third-party +@@||static.leaddyno.com/js$script,domain=s4l.us +! +! ---------- Bosnian ---------- +! +@@||ocdn.eu/ucs/static/*/onesignal.js$script,domain=pulsonline.rs +! +! ---------- Bulgarian ---------- +! +! +! ---------- Chinese ---------- +! +@@||10086.cn/framework/modules/sdc.js$script,~third-party @@||aixifan.com^*/sensorsdata.min.js?$domain=acfun.cn -@@||amazonaws.com^*-google-analytics.js$domain=dcard.tw -@@||aolcdn.com/js/mg2.js$domain=engadget.com -@@||aolcdn.com/omniunih_int.js$domain=engadget.com -@@||count.taobao.com^*_feedcount-$script -@@||google-analytics.com/analytics.js$domain=news.gamme.com.tw -@@||hk.on.cc/hk/bkn/hitcount/web/js/hitCount_$~third-party,xmlhttprequest -@@||ijinshan.com/static/js/analyse.js -@@||imp.appledaily.com/js/nxm_tr_v20s.js -@@||imrworldwide.com/novms/js/2/ggcmb353.js$domain=nexttv.com.tw -@@||itc.cn/v2/asset/*/pageView.js -@@||linezing.com^$domain=lz.taobao.com -@@||on.cc/js/urchin.js -@@||pingjs.qq.com/ping_tcss_ied.js$domain=dnf.qq.com -@@||s-msn.com^*/udctrack*.js$domain=ynet.com -@@||streaming.cri.com.hk/geo.php? -@@||tianxun.com^*/js/tracker.js -@@||tongji.baidu.com/analytics/js/$script,domain=tongji.baidu.com -@@||uwants.com/include/*/swfaddress.js -@@||v.blog.sohu.com/dostat.do?*&n=videoList_vids&$script -@@||vanclimg.com/js.ashx?*/google-analytics.js$domain=vancl.com -@@||wenxuecity.com/data/newscount/$image,domain=wenxuecity.com -@@||wrating.com/a1.js$domain=tudou.com|ynet.com -! Czech -@@||adobetag.com/d2/vodafonecz/live/VodafoneCZ.js -@@||bolha.com/js/gemius_.js? -@@||csfd.cz/log? -@@||googletagmanager.com/gtm.js?$domain=autorevue.cz|e15.cz|mobilmania.cz|sportrevue.cz|zive.cz +@@||baidu.com/api/bidder/$domain=jump2.bdimg.com +@@||gtimg.com/qqcdn/*/beacon.min.js$script,domain=qq.com +@@||hk.on.cc/js/v4/urchin.js +@@||ipqualityscore.com/api/$script,domain=carousell.com.hk +@@||iwrite.unipus.cn/js/main/GPT.js$~third-party +@@||mail.163.com/fetrack/api/27/envelope/?sentry_key=$xmlhttprequest +@@||marketing.unionpayintl.com/offer-promote/static/sensorsdata.min.js$script,~third-party +@@||nobook.com/open-interface/official-sensors.git/$script,~third-party +@@||pubscholar.cn/static/common/fingerprint.js$script,~third-party +@@||pv.sohu.com/cityjson$domain=ems.com.cn +@@||statics.zcool.com.cn/track/sensors.$script,~third-party +@@||tianyancha.com^*/sensorsdata.$script,~third-party +! +! ---------- Czech ---------- +! +@@||1gr.cz/js/dtm/cache/satelliteLib-$domain=idnes.cz +@@||creditas.cz/cb/public/assets/SmartTag-$script,~third-party +@@||h.imedia.cz/js/cmp2/scmp.js$domain=seznam.cz @@||hlidacstatu.cz/scripts/highcharts-6/modules/heatmap.js @@||seznam.cz/?spec=*&url=$image,domain=search.seznam.cz -! Danish -@@||adobedtm.com^*/satelliteLib-$script,domain=elgiganten.dk -@@||advertisers.dk/wp-content/uploads/*/google-analytics-$image,domain=advertisers.dk -@@||advertisers.dk/wp-content/uploads/*/google-analytics.$image,domain=advertisers.dk -@@||bilka.dk/assets/ext/adobe/VisitorAPI.js -@@||cxense.com/cx.js$domain=common.tv2.dk -@@||dbastatic.dk/Content/scripts/analytics.js$script -@@||msecnd.net^*/site-tracker.js$domain=momondo.dk -@@||tv2.dk/js/adobeanalytics/AppMeasurement.js$script -! Dutch +@@||tvcom-static.ssl.cdn.cra.cz/*/videojs.ga.js$script,domain=tvcom.cz +! +! ---------- Danish ---------- +! +@@||nemlog-in.dk/resources/js/adrum.js$~third-party +@@||spoc.sydtrafik.dk/CherwellPortal/dist/app/common/analytics/Analytics.js$~third-party +! +! ---------- Dutch ---------- +! +@@||3voor12.vpro.nl^*/streamsense.min.js$~third-party @@||ad.crwdcntrl.net^$script,domain=rtl.nl -@@||analytics.ooyala.com/static/analytics.js$script,domain=humo.be -@@||bundol.nl/skin/*/js/prototype/prototype.js,*/GoogleAnalyticsPlus/ -@@||globecharge.com/images/ping.gif? -@@||google-analytics.com/analytics.js$domain=vd.nl -@@||kapaza.be^*/xtcore_$script,domain=kapaza.be -@@||rtl.nl/system/s4m/xldata/get_comscore.js? -@@||sitestat.com/abp/abp/s?$object-subrequest,domain=abp.nl -@@||sitestat.com/crossdomain.xml$object-subrequest,domain=abp.nl -@@||sport.be.msn.com/javascripts/tracking/metriweb/spring.js -@@||sport.be/javascripts/tracking/metriweb/spring.js -@@||tags.crwdcntrl.net^$script,domain=rtl.nl -@@||vplayer.ilsemedia.nl/swf/im_player.swf?$object -@@||vpro.nl/vpro/htmlplayer/0.3-snapshot/statcounter.js? -! Finnish -@@||adobedtm.com^*/satelliteLib-$script,domain=gigantti.fi -@@||cnetcontent.com/jsc/h.js$domain=atea.fi -@@||emediate.se/EAS_tag*.js$domain=forssanlehti.fi -@@||ensighten.com^*/Bootstrap.js$domain=mikrobitti.fi -@@||googletagmanager.com/gtm.js?$domain=cdon.fi -@@||hise.spring-tns.net/survey.js$domain=hintaseuranta.fi -@@||hise.spring-tns.net^*^cp=$image,domain=hintaseuranta.fi -@@||k-ruokakauppa.fi/fi/static/js/counter.js$domain=k-ruokakauppa.fi -@@||lekane.net/lekane/dialogue-tracking.js?$script -@@||op.fi/creditcalculator/js/analytics.js?$script -@@||power.fi/Umbraco/Api/Tracking/$xmlhttprequest -@@||qbrick.com^*/ga.min.js$domain=iltalehti.fi -! Greek -@@||stats.e-go.gr/rx.asp?$object-subrequest,domain=megatv.com -! Hebrew +@@||gdh.postcodeloterij.nl/gdltm.js$domain=vriendenloterij.nl +@@||josiad.ns.nl/DG/DEFAULT/$xmlhttprequest +@@||marketingautomation.services^$script,domain=leeuwerik.nl +@@||tag.aticdn.net/piano-analytics.js$script,domain=boerzoektvrouw.kro-ncrv.nl +! +! ---------- Finnish ---------- +! +@@||analytics-sdk.yle.fi/yle-analytics.min.js$~third-party +@@||nelonenmedia.fi/logger/logger-ini.json$xmlhttprequest,domain=embed.sanoma-sndp.fi|supla.fi +! +! ---------- Hebrew ---------- +! @@||amazonaws.com/static.madlan.co.il/*/heatmap.json?$xmlhttprequest -@@||cloudvideoplatform.com/scripts/WebAnalytics.js$script -@@||googletagmanager.com/gtm.js?$domain=feex.co.il|reshet.tv @@||haaretz.co.il/logger/p.gif?$image,xmlhttprequest @@||mixpanel.com/track/?data=$xmlhttprequest,domain=eloan.co.il @@||mxpnl.com/libs/mixpanel-*.min.js$domain=eloan.co.il -@@||player.bizportal.co.il/scripts/GoogleAnalytics.js$domain=bizportal.co.il -@@||player.flix.co.il/scripts/GoogleAnalytics.js -@@||sport5.co.il/js/angulartics-google-analytics.js -@@||stats.g.doubleclick.net/dc.js$domain=reshet.tv -@@||tapuz.co.il/general/dotomi/statistics.js?$~third-party @@||themarker.com/logger/p.gif?$image,xmlhttprequest -@@||track.atom-data.io/|$xmlhttprequest,domain=globes.co.il @@||trc.taboola.com/inncoil/log/3/available$subdocument,domain=inn.co.il -! Hungarian -@@||argep.hu/googleanalytics.js -@@||clicktale.net/WRc5.js$domain=telefonkonyv.hu -@@||rtl.hu/javascripts/UserTracking.js -@@||rtl.hu^*/gemius_id.js? -! Italian -@@||adobedtm.com^*/satelliteLib-$script,domain=ilsole24ore.com|laredoute.it +! +! ---------- Hungarian ---------- +! +@@||keytiles.com/tracking/$script,domain=blikk.hu +@@||kozkutak.hu/getdata.php?v*=pageview$~third-party +! +! ---------- Icelandic ---------- +! +! +! ---------- Italian ---------- +! +@@||adobedtm.com^*/AppMeasurement.min.js$script,domain=sky.it @@||adobetag.com/d2/telecomitalia/live/Aggregato119TIM.js$domain=tim.it -@@||analytics.edgekey.net/ma_library/javascript/javascript_malibrary.js$domain=hbsmediasetit.deltatre.net -@@||androidgalaxys.net/wp-content/plugins/*/google-analyticator/$script -@@||beppegrillo.it/mt-static/js/ga_social_tracking.js -@@||codicebusiness.shinystat.com/cgi-bin/getcod.cgi?$script,domain=grazia.it|panorama-auto.it|panorama.it -@@||codicefl.shinystat.com/cgi-bin/getserver.cgi?$script,domain=3bmeteo.com|quotidiano.net|radioitalia.it -@@||codicefl.shinystat.com/cgi-bin/getswf.cgi?*PolymediaShow$object-subrequest,domain=corriereadriatico.it|ilgazzettino.it|ilmattino.it|ilmessaggero.it|leggo.it|quotidianodipuglia.it -@@||ensighten.com^*/Bootstrap.js$domain=williamhill.it -@@||google-analytics.com/analytics.js$domain=carnesvizzera.ch -@@||googletagmanager.com/gtm.js?$domain=iphoneitalia.com|la7.it -@@||ilsole24ore.com^*/fingerprint2.min.js? -@@||imrworldwide.com/novms/*/ggcm*.js$domain=la7.it|sky.it|video.corriere.it -@@||imrworldwide.com/v60.js$domain=corriereadriatico.it|fanpage.it|ilgazzettino.it|ilmattino.it|ilmessaggero.it|leggo.it|quotidianodipuglia.it -@@||kataweb.it/wt/wt.js?http$domain=video.repubblica.it -@@||lastampa.it/modulo/tracciatori/js/nielsen.js -@@||maxmind.com^*/geoip.js$domain=sportube.tv -@@||omtrdc.net^*/mbox/json?$xmlhttprequest,domain=vodafone.it -@@||paginegialle.it/js/shinystat.js -@@||panorama.it/wp-content/themes/panorama/js/google-nielsen-analytics.js? -@@||repstatic.it^*/Nielsen.js -@@||scripts.repubblica.it/pw/pw.js?deskurl=$domain=messaggeroveneto.gelocal.it +@@||analytics.edgekey.net/config/beacon-$xmlhttprequest,domain=raiplay.it +@@||cdnb.4strokemedia.com/carousel/v4/comscore-JS-$script +@@||chartbeat.com/js/chartbeat_brightcove_plugin.js$domain=capital.it|deejay.it|m2o.it +@@||clerk.io/clerk.js$script,domain=trony.it +@@||codicefl.shinystat.com/cgi-bin/getserver.cgi?$script,domain=3bmeteo.com|quotidiano.net +@@||digitrend.it/wonder-marketing/assets/wordpress/js/videojs.ga.js?$script,domain=vrsicilia.it +@@||jsdelivr.net^*/keen-tracking.min.js$domain=nextquotidiano.it +@@||kataweb.it/wt/wt.js?http$domain=gelocal.it|video.huffingtonpost.it|video.ilsecoloxix.it|video.lastampa.it|video.repubblica.it +@@||livesicilia.it/wp-content/plugins/digistream/digiplayer/js/videojs.ga.js?$script,~third-party +@@||qds.it/wp-content/plugins/digistream/digiplayer/js/videojs.ga.js?$script,~third-party +@@||radio24.ilsole24ore.com/plugins/cordova-plugin-nielsen/www/nielsen.js$script,~third-party +@@||repubblica.it/pw/pw.js?deskurl=$domain=gelocal.it|ilsecoloxix.it|lastampa.it +@@||sgtm.farmasave.it^$script,~third-party +@@||speedcurve.com/js/lux.js$script,domain=tv8.it +@@||thron.com/shared/plugins/tracking/current/tracking-library-min.js$domain=dainese.com @@||timvision.it/libs/fingerprint/fingerprint.js -@@||tiscali.it/js/webtrends/$script,domain=mail.tiscali.it -@@||track.adform.net/serving/scripts/trackpoint$script,domain=sky.it|ubibanca.com -@@||ubibanca.com^*/TrackingService.js -@@||unileversolutions.com^*/config/analytics.js$domain=sharehappy.it -@@||video.repubblica.it^*/nielsen.js -@@||webcenter.tiscali.it/distribuzione/_script/audience_science.js$domain=mail.tiscali.it -! Bosnian -@@||googletagmanager.com/gtag/js$script,domain=klix.ba -! Indonesian +@@||track.adform.net/serving/scripts/trackpoint$script,domain=sky.it +! +! ---------- Indonesian ---------- +! @@||detik.com/urchin.js -! Japanese -@@||adobedtm.com^*/mbox-contents-$script,domain=fcbarcelona.jp -@@||adobedtm.com^*/satelliteLib-$script,domain=fcbarcelona.jp|radiko.jp -@@||analytics.edgekey.net/html5/akamaihtml5-min.js$domain=nhk.or.jp -@@||chancro.jp/assets/lib/googleanalytics-$script -@@||mediaweaver.jp^$image,domain=ismedia.jp +! +! ---------- Japanese ---------- +! +@@||allabout.co.jp/mtx_cnt.js$script,~third-party +@@||analytics.digitalpfizer.com/js/prod/pcc/pf_appmeasurement.js$domain=pfizer-covid19-vaccine.jp +@@||atwiki.jp/common/_img/spacer.gif?$image,domain=atwiki.jp +@@||b-cloud.templatebank.com/js/gtag.js$~third-party +@@||bdash-cloud.com/recommend-script/$script,domain=junonline.jp +@@||bdash-cloud.com/tracking-script/*/tracking.js$domain=junonline.jp +@@||c-web.cedyna.co.jp/customer/img/spacer.gif?$~third-party +@@||carsensor.net/usedcar/modules/clicklog_top_lp_revo.php$xmlhttprequest +@@||cdn.kaizenplatform.net^$script,domain=navi.onamae.com +@@||clarity.ms/tag/$script,domain=phileweb.com +@@||cmn.gyro-n.com/js/gyr.min.js$domain=benesse-style-care.co.jp +@@||cpt.geniee.jp/hb/*/wrapper.min.js$domain=hoyme.jp +@@||delivery.satr.jp^$script,domain=mieru-ca.com +@@||deteql.net/recommend/provision?$xmlhttprequest,domain=t-fashion.jp +@@||disneyplus.disney.co.jp/view/vendor/analytics/$~third-party +@@||dmp.im-apps.net/pms/*/pmt.js$domain=zakzak.co.jp +@@||docodoco.jp^*/docodoco?key=$script,domain=jrtours.co.jp +@@||e-stat.go.jp/modules/custom/retrieve/src/js/stat.js?$script,~third-party +@@||ev.tpocdm.com^$xmlhttprequest,domain=wowma.jp +@@||f-gear.ec-optimizer.com/img/spacer.gif$image,domain=ec.f-gear.co.jp +@@||f-gear.ec-optimizer.com/search4.do$script,domain=ec.f-gear.co.jp +@@||f-gear.ec-optimizer.com/speights/searchresult2fgear.js$script,domain=ec.f-gear.co.jp +@@||gamerch.com/s3-assets/library/js/fingerprint2.min.js?$script,~third-party +@@||geolocation-db.com/json/$domain=admanager.line.biz +@@||get.s-onetag.com/*/tag.min.js$domain=zakzak.co.jp +@@||googleadservices.com/pagead/conversion_async.js$script,domain=jp.square-enix.com +@@||googletagservices.com/tag/js/gpt.js$domain=fukuishimbun.co.jp +@@||guinnessworldrecords.jp/ezais/analytics$~third-party +@@||h-cast.jp^$script,domain=bookoffonline.co.jp +@@||howtonote.jp/google-analytics/$image,~third-party +@@||js.appboycdn.com/web-sdk/$domain=kfc.co.jp +@@||justmyshop.com/gate/criteo/product-id.js$~third-party +@@||k-img.com/script/analytics/s_code.js$script,domain=kakaku.com +@@||karte.io/libs/tracker.$domain=online.ysroad.co.jp|zf1.tohoku-epco.co.jp|zozo.jp +@@||l.logly.co.jp/lift$script,domain=sponichi.co.jp +@@||line-scdn.net^*/torimochi.js$script,domain=demae-can.com +@@||linksynergy.com/minified_logic.js$xmlhttprequest +@@||log000.goo.ne.jp/gcgw.js$domain=nttxstore.jp +@@||logly.co.jp/recommend/$image,domain=benesse.ne.jp|sponichi.co.jp +@@||moneypartners.co.jp/web/*/fingerprint.js$~third-party +@@||nakanohito.jp^*/bi.js$domain=kenko-tokina.co.jp|myna.go.jp +@@||nittsu.com/Tracking/Scripts/Tracking/track.js +@@||play.dlsite.com/csr/viewer/lib/newrelic.js +@@||pvtag.yahoo.co.jp^$script,domain=paypaymall.yahoo.co.jp +@@||rt.rtoaster.jp^$image,domain=ec-store.net +@@||rtoaster.jp/Rtoaster.js$domain=peachjohn.co.jp|satofull.jp +@@||rtoaster.jp^$script,domain=cecile.co.jp|ec-store.net|jreastmall.com|lexus.jp|melonbooks.co.jp +@@||s.yimg.jp/images/listing/tool/cv/ytag.js$domain=redstoneonline.jp +@@||s.yjtag.jp/tag.js$script,domain=baseball.yahoo.co.jp|bousai.yahoo.co.jp|soccer.yahoo.co.jp|www.epson.jp +@@||sail-horizon.com/spm/spm.v1.min.js$script,domain=voguegirl.jp @@||sankei.co.jp/js/analytics/skd.Analysis.js$script -! Korean +@@||sanspo.com/parts/chartbeat/$xmlhttprequest +@@||snva.jp/javascripts/reco/$script,domain=store.charle.co.jp +@@||suumo.jp/sp/js/beacon.js$script,~third-party +@@||tm.r-ad.ne.jp/128/ra346756.js$script,domain=hpdsp.net +@@||toweroffantasy-global.com/events/accounttransfer/public/js/fingerprint.js$~third-party +@@||townwork.net/js/AppMeasurement.js$~third-party +@@||twitter.com/oct.js$domain=jp.square-enix.com +@@||type.jp/common/js/clicktag.js +@@||ukw.jp^*/?cbk=$script,domain=system5.jp +@@||useinsider.com/ins.js$domain=pizzahut.jp +@@||user.userguiding.com/sdk/identify$xmlhttprequest,domain=xaris.ai +@@||webcdn.stream.ne.jp^*/referrer.js$domain=stream.ne.jp +@@||yjtag.yahoo.co.jp/tag?$script,domain=bousai.yahoo.co.jp +@@||yu.xyz.mn/images/event.gif?$image,~third-party +@@||zinro.net/m/log.php +! +! ---------- Korean ---------- +! @@||naver.net/wcslog.js$domain=m.tv.naver.com -! Latvian -@@/webtracking/*$domain=pasts.lv -@@||eveselibaspunkts.lv/js/global/fingerprint2.min.js? -@@||gemius.pl/gplayer.js$domain=skaties.lv -@@||gjensidige.lv/Content/dev/scripts/analytics.js -@@||gjensidige.lv/Content/dev/scripts/analytics.min.js -@@||google-analytics.com/analytics.js$domain=skaties.lv -! Norwegian -@@||adobedtm.com^*/satelliteLib-$script,domain=elkjop.no -@@||cloudfront.net/autoTracker.min.js$domain=direkte.vg.no -@@||google-analytics.com/analytics.js$domain=tv3play.no -@@||klpinteraktiv.klp.no^*/Tracking.js? -! Polish -@@||adobedtm.com^*/satelliteLib-$script,domain=laredoute.pl -@@||akamaized.net^*/tracking/ninja.js$domain=olx.pl +@@||ssl.pstatic.net/sstatic/sdyn.js$script,domain=search.naver.com +! +! ---------- Latvian ---------- +! +@@||gemius.pl/gplayer.js$script,third-party +! +! ---------- Macedonian ---------- +! +@@||motika.com.mk/wp-content/plugins/ajax-hits-counter/display-hits.rapid.php$~third-party +! +! ---------- Norwegian ---------- +! +@@||cat.telia.no/gtm.js$script,domain=telia.no +@@||hvemder.no/js/hitcount.min.js$~third-party +@@||komplett.no/gtm.js$script,~third-party +! +! ---------- Polish ---------- +! @@||gemius.pl/gstream.js -@@||gminazamosc.pl/wp-content/plugins/wp-google-analytics-events/js/ga-scroll-events.js? -@@||kropka.onet.pl^*/onet.js$domain=tvnwarszawa.pl +@@||hit.gemius.pl/__/redataredir?$domain=ing.pl +@@||hit.interia.pl/iwa_core$script,~third-party +@@||iwa.iplsc.com/iwa.js$script @@||login.ingbank.pl^*/satelliteLib-$script -@@||ninja.onap.io/ninja-cee.js$domain=olx.pl -@@||olx.pl^*/js/tracking/ninja.js$domain=olx.pl -@@||stat24.com/crossdomain.xml$domain=ipla.tv -@@||wp.pl^*/dot.gif?$xmlhttprequest,domain=open.fm|wp.tv -! Portuguese -@@||77.91.202.130/js/20050/xiti.js$domain=custojusto.pt -@@||adobedtm.com^*/satelliteLib-$script,domain=crackle.com.br|laredoute.pt -@@||chiptec.net/skin/*/GoogleAnalyticsPlus/$script -@@||dfdbz2tdq3k01.cloudfront.net/js/2.1.0/IbtRealTimeSJ/IbtRealTimeSJ.js?$domain=social.economico.pt -@@||dfdbz2tdq3k01.cloudfront.net/js/2.1.0/IbtRealTimeSJ/IbtRealTimeSJCore.js?$domain=social.economico.pt -@@||dfdbz2tdq3k01.cloudfront.net/js/2.1.0/ortc.js$domain=social.economico.pt +@@||polfan.pl/app/vendor/fingerprint2.min.js$~third-party +@@||pushpushgo.com/js/$script,domain=centrumriviera.pl +@@||sascdn.com/tag/$script,domain=filmweb.pl +@@||smog.moja-ostroleka.pl/mapa/sensorsdata.json$~third-party +@@||staty.portalradiowy.pl/wstats/$script,third-party +! +! ---------- Portuguese ---------- +! +@@||auth2.picpay.com^*/event-tracking.js$script,~third-party +@@||d.tailtarget.com/profiles.js$domain=superesportes.com.br @@||google-analytics.com/urchin.js$domain=record.xl.pt -@@||googletagmanager.com/gtm.js$domain=netcombo.com.br|saraiva.com.br|tugatech.com.pt -@@||habibs.com.br/build/assets/js/tracking.js$domain=habibs.com.br -@@||hit.gemius.pl/xlgemius.js$script,domain=ojogo.pt -@@||jsonip.com/?callback=$script,domain=pagtel.com.br -@@||laredoute.pt/js/byside_webcare.js -@@||marktest.pt/netscope-gemius.js$script,domain=ojogo.pt -@@||nostv.pt^*/angulartics-google-analytics.js? +@@||players.fichub.com/plugins/adobe/$domain=24kitchen.pt +@@||serasaexperian.com.br/dist/scripts/fingerprint2.js$~third-party +@@||sibs.com/fingerprint/sfp2/fp2.min.js$script,domain=net24.bancomontepio.pt @@||siteapps.com^$script,domain=netcombo.com.br -@@||stats.g.doubleclick.net/dc.js$domain=netcombo.com.br -! Romanian -@@||homebank.ro/public/HomeBankLogin/js/fingerprint/fingerprint.js -! Russian -@@||adobedtm.com^*/satelliteLib-$script,domain=laredoute.ru +@@||tags.t.tailtarget.com/t3m.js?$domain=superesportes.com.br +! +! ---------- Romanian ---------- +! +@@||content.adunity.com/aulib.js$script,domain=b1tv.ro +@@||imobiliare.ro/js/gtm.js$script,~third-party +@@||neo.btrl.ro/Scripts/services/fingerprint2.min.js$~third-party +@@||stream.adunity.com^$xmlhttprequest,domain=b1tv.ro +! +! ---------- Russian ---------- +! @@||afisha.ru/proxy/videonetworkproxy.ashx?$xmlhttprequest -@@||alfadirect.ru/api/analytics/latest?$~third-party,xmlhttprequest -@@||boxberry.ru/bitrix/templates/main.adaptive/js/tracking.js -@@||boxberry.ru/tracking.service/ @@||criteo.net/js/ld/publishertag.js$domain=novayagazeta.ru @@||dict.rambler.ru/fcgi-bin/$xmlhttprequest,domain=rambler.ru -@@||google-analytics.com/analytics.js$domain=nabortu.ru|poiskstroek.ru -@@||googletagmanager.com/gtm.js?$domain=sportmaster.ru -@@||itv.1tv.ru/stat.php? +@@||fplay.online/log_event$~third-party,xmlhttprequest @@||k12-company.ru^*/statistics.js$script +@@||krok8.com/wp-content/plugins/pageviews/pageviews.min.js$script,~third-party @@||labrc.pw/advstats/$xmlhttprequest -@@||matchid.adfox.yandex.ru/?url=$script,domain=ctc.ru -@@||megafon.ru/static/?files=*/tealeaf.js -@@||mts.ru/app/vendor/angular-google-analytics.min.js +@@||mc.yandex.ru/metrika/tag.js$script,domain=auto.yandex|coddyschool.com +@@||mealty.ru/js/ga_events.js$~third-party +@@||mycargo.rzd.ru/dst/scripts/common/analytics-helper.js$~third-party @@||online.bcs.ru^*/piwik.bcs.js$script +@@||openfpcdn.io/fingerprintjs/v3/iife.min.js$script,domain=mos03education.ru +@@||pay.citylink.pro/stats/services/$~third-party +@@||pladform.ru/dive/$xmlhttprequest +@@||pladform.ru/player$subdocument +@@||planetazdorovo.ru/pics/transparent_pixel.png$image,~third-party +@@||playep.pro/log_event$~third-party,xmlhttprequest @@||player.fc-zenit.ru/msi/geoip?$xmlhttprequest +@@||player.smotrim.ru/js/piwik.js$~third-party @@||player.vgtrk.com/js/stat.js? +@@||playy.online/log_event$~third-party,xmlhttprequest +@@||plplayer.online/log_event$~third-party,xmlhttprequest @@||rtr-vesti.ru/pvc_cdn/js/stat.js$domain=player.vgtrk.com -@@||ssp.rambler.ru/acp/capirs_main.$script,domain=afisha.ru -@@||ssp.rambler.ru/capirs.js$domain=afisha.ru +@@||smotrim.ru/js/stat.js$script @@||swa.mail.ru/cgi-bin/counters?$script +@@||toplay.biz/log_event$~third-party,xmlhttprequest +@@||ucoz.net/cgi/uutils.fcg?$script,third-party @@||wargag.ru/public/js/counter.js? @@||widget.myrentacar.me^$script,subdocument -@@||yandex.ru/metrika/watch.js$domain=alean.ru|anoncer.net|nabortu.ru|tv.yandex.ru|tvrain.ru +@@||yandex.ru/metrika/tag.js$script,domain=kuchenland.ru +@@||yandex.ru/metrika/watch.js$domain=alean.ru|anoncer.net|nabortu.ru|samozapis-spb.ru|tv.yandex.ru|tvrain.ru @@||yandex.ru/watch/$xmlhttprequest,domain=anoncer.net @@||yandex.ru/webvisor/$xmlhttprequest,domain=anoncer.net -! Spanish -@@||acb.com/javascripts/jv_feeder_stats.js -@@||adobedtm.com^*/mbox-contents-$script,domain=fcbarcelona.cat|fcbarcelona.es -@@||adobedtm.com^*/satelliteLib-$script,domain=crackle.com.ar|crackle.com.ec|crackle.com.mx|crackle.com.pe|crackle.com.py|fcbarcelona.cat|fcbarcelona.es|laredoute.es -@@||ara.cat/static/BB3Core/images/pixel.gif?hash=$image,domain=ara.cat -@@||c5n.com^*/angulartics-google-analytics.min.js +! +! ---------- Spanish ---------- +! +@@||api.apolomedia.com/static/libs/event-tracking.min.js$script +@@||cdn.smartclip-services.com^$script,domain=cerebriti.com @@||cloudfront.net/libs/amplitude-$script,domain=elconfidencial.com -@@||eldiario.es/static/BBTCore/images/pixel.gif?hash=$image,domain=eldiario.es -@@||estafeta.com/shared/js/tracking.js -@@||gruposantander.es^*/scripts/log.js +@@||elconfidencial.com^*/AnalyticsEvent.js +@@||elconfidencial.com^*/EventTracker.js @@||metrics.el-mundo.net/b/ss/$image,domain=expansion.com -@@||playty.com/bower_components/angulartics-google-analytics/dist/angulartics-ga.min.js -@@||portalbici.es/lib/angulartics-google-analytics/dist/angulartics-ga.min.js -@@||segundamano.mx^*/tealium.js -@@||vodgc.net^*/genoa-event-tracking.min.js -! Swedish -@@||adobedtm.com^*/satelliteLib-$script,domain=elgiganten.se -@@||burt.io^$script,domain=gp.se -@@||google-analytics.com/analytics.js$domain=tradera.com|xxl.se -@@||google-analytics.com/plugins/ua/ec.js$domain=xxl.se -@@||googletagmanager.com/gtm.js?id=$domain=tradera.com|xxl.se +@@||mi.tigo.com.co/plugins/cordova-plugin-fingerprint-aio/$script,~third-party +@@||spxl.socy.es^$script,xmlhttprequest,domain=3djuegosguias.com|3djuegospc.com|applesfera.com|compradiccion.com|directoalpaladar.com|espinof.com|genbeta.com|poprosa.com|trendencias.com|trendenciashombre.com|vidaextra.com|vitonica.com|xatakamovil.com +! +! ---------- Swedish ---------- +! +@@||lwadm.com/lw/pbjs?pid=$script,domain=sydostran.se @@||picsearch.com/js/comscore.js$domain=dn.se -@@||reseguiden.se^*.siteCatalyst.js -! Thai -@@||lazada.co.th/js/tracking.js -! Turkish -@@||google-analytics.com/analytics.js$domain=ligtv.com.tr -@@||mc.yandex.ru/metrika/watch.js$domain=f5haber.com -@@||turkcelltvplus.com.tr^*/google_analytics/main.js? -@@||tvyo.com/player/plugins/comscorePlugin.swf?$object-subrequest -! Ukrainian -@@||akamaized.net^*/js/tracking/ninja.js$script,domain=olx.ua -@@||bemobile.ua/lib/lib.js$domain=tsn.ua +! +! ---------- Thai ---------- +! +! +! ---------- Turkish ---------- +! +@@||cdn.segmentify.com^$script,domain=gratis.com +@@||merlincdn.net^*/common/images/spacer.gif$image,domain=turkcell.com.tr +! +! ---------- Ukrainian ---------- +! @@||gemius.pl/gplayer.js$domain=tsn.ua -@@||googletagmanager.com/gtm.js$script,domain=olx.ua -@@||ninja.onap.io/ninja-cee.js$script,domain=olx.ua +@@||multitest.ua/static/bower_components/boomerang/boomerang.js$~third-party +@@||privatbank.ua/content/*/fp2.min.js$~third-party @@||uaprom.net/image/blank.gif?$image -@@||ukrposhta.ua/js/tracking.js -! Anti-Adblock +! +! ---------- Vietnamese ---------- +! +@@||netcoresmartech.com/smartechclient.js$domain=cgv.vn +! +! ---------- Anti-Adblock ---------- +! @@|http://r.i.ua/s?*&p*&l$image,domain=swordmaster.org diff --git a/data/easylist.to/easylistgermany/easylistgermany.txt b/data/easylist.to/easylistgermany/easylistgermany.txt index 1e97049e..f4c66935 100644 --- a/data/easylist.to/easylistgermany/easylistgermany.txt +++ b/data/easylist.to/easylistgermany/easylistgermany.txt @@ -1,25 +1,25 @@ [Adblock Plus 1.1] -! Checksum: gezv01cxjq5d3T9ttJpvFA -! Version: 201901101111 +! Version: 202501231805 ! Title: EasyList Germany -! Last modified: 10 Jan 2019 11:11 UTC +! Last modified: 23 Jan 2025 18:05 UTC ! Expires: 1 days (update frequency) -! Homepage: https://easylist.github.io/ -! Licence: https://easylist.github.io/pages/licence.html -! -! EasyList Germany - Deutsche Ergänzung zu EasyList -! +! Homepage: https://easylist.to/ +! Licence: https://easylist.to/pages/licence.html +! ! Bitte melde ungeblockte Werbung und fälschlicherweise geblockte Dinge: ! Forum: https://forums.lanik.us/viewforum.php?f=90 ! E-Mail: easylist.germany@gmail.com -! -!----------------Allgemeine Regeln zum Blockieren von Werbung-----------------! +! GitHub issues: https://github.com/easylist/easylistgermany/issues +! GitHub pull requests: https://github.com/easylist/easylistgermany/pulls +! +! ----------------Allgemeine Regeln zum Blockieren von Werbung-----------------! ! *** easylistgermany:easylistgermany/easylistgermany_general_block.txt *** -&werbemittel= +-Bannerwerbung- -werb_hori. -werb_vert. --werbebanner. -.at/ads/ +-Werbebanner- +-werbebanner.$domain=~merkur-werbebanner.de +-Werbebannerr_ .at/werbung/ .com/de/ad/ .com/werbung_ @@ -41,6 +41,7 @@ /banner125werbung. /banner_quartermedia. /banner_woomws. +/banners/werbung- /bannerwerbung- /bilder/ads/* /bilder/werbung_ @@ -70,18 +71,23 @@ /img/werbung/* /imgwerbung/* /includes/werbung/* +/iqadcontroller.$script /layer_werbg. /layout_img/werbung/* /media/werbung/* /medien/werbung/* /mod/werbung/* /nativendo.js +/nativendo/* /o2-layer. /partner/werbung- /partneradzwerk/* /pic/werbung/* /pic/werbung_ +/Reklame_Anzeigen/* /sidebar_werbung/* +/sponsoren/banner_ +/sportson/ads/* /styles/*/werbung/* /styles/werbung_ /upload/werbung/* @@ -94,6 +100,7 @@ /werbeanzeigen/* /werbebanner- /werbebanner. +/werbebanner/* /werbebanner2. /werbebanner_ /werbebannerneu/* @@ -115,7 +122,6 @@ /werbetrenner_ /werbezonen/* /werbung.$third-party -/werbung.$~image,~stylesheet,domain=~berlin-airport.de|~qs-optiker.de /werbung.gif /werbung/*$third-party /Werbung/*_banner_ @@ -139,18 +145,20 @@ /werbungsbilder/* /werbungsky. /werbungsr3. +/Widgets/Werbung/* /wpbanner/*$script /wrbg.js? /zzz/init.php?$script _Banner_Werbung_ +_Bannerwerbung. _bannerwerbung/ _bg_werbung. _oben_ad. _unten_ad. _werbe_layer. +_werbeanzeigen/ _werbebanner. _werbebanner/ -_werbebanner_ _werbebreak. _werbepartner. _werbung.php @@ -159,7 +167,7 @@ _Werbung260. _woz_banner_vote. ! *** easylistgermany:easylistgermany/easylistgermany_general_block_popup.txt *** ?popup:msp_$popup,third-party -!--------Allgemeine Regeln zum Verstecken von Werbung(süberbleibseln)---------! +! --------Allgemeine Regeln zum Verstecken von Werbung(süberbleibseln)---------! ! *** easylistgermany:easylistgermany/easylistgermany_general_hide.txt *** ###Ad_Win2day ###LxWerbeteaser @@ -168,28 +176,35 @@ _woz_banner_vote. ###SlimSpot_imPop_Container ###Werb_Postbit_Bottom ###WerbungLinks +###WerbungOben ###WerbungObenRechts10_GesamtDIV ###WerbungObenRechts8_GesamtDIV ###WerbungObenRechts9_GesamtDIV +###WerbungRechts1 +###WerbungRechts2 +###WerbungUnten ###WerbungUntenLinks4_GesamtDIV ###WerbungUntenLinks7_GesamtDIV ###WerbungUntenLinks8_GesamtDIV ###WerbungUntenLinks9_GesamtDIV ###Werbung_Sky ###Werbung_Wide -###__ligatus_placeholder__ ###ad-bereich1-08 ###ad-bereich1-superbanner ###ad-bereich2-08 ###ad-bereich2-skyscrapper +###ad-qm-sidebar-oben +###ad-qm-sidebar-unten ###ad-rechts-block ###ad-rechts-sky +###ad-sb-oben ###ad_gross ###ad_lang -###ad_marktjagd ###ad_oben ###ad_rechts ###adbox_artikel +###adcontentoben +###adcontentoben1 ###adkontainer ###adliste ###adunten @@ -197,6 +212,7 @@ _woz_banner_vote. ###ar_detail_werb103 ###bannerwerbung ###block-views-Topsponsoren-block_1 +###block-werbung ###callya_freikarte_layer ###cnt_bgwerbung ###cont-werb @@ -205,6 +221,8 @@ _woz_banner_vote. ###forumformwerbung ###freikarte_layer ###gonamicerror +###google_adsense_werbung +###gwerbung ###hauptnaviwerbelinks ###headerWerbung ###header_werbung @@ -215,7 +233,36 @@ _woz_banner_vote. ###kaufDA-widget-container ###kopf-werbung ###layerADLINKWerbung4 +###nativendo-articlemiddle +###nativendo-articletop +###nativendo-artikel +###nativendo-home +###nativendo-home-1 +###nativendo-home-2 +###nativendo-homemiddle +###nativendo-homepage +###nativendo-hometop +###nativendo-infeed-1 +###nativendo-infeed-2 +###nativendo-infeed-3 +###nativendo-infeed-4 +###nativendo-infeed-5 +###nativendo-infeed-6 +###nativendo-infeed1 +###nativendo-infeed2 +###nativendo-marginal +###nativendo-nachrichten-inarticle +###nativendo-nachrichten-unterhalb +###nativendo-nativendo-aktie +###nativendo-nativendo-homepage-mobil +###nativendo-oms-infeed ###o2freikarte +###oms_gpt_billboard +###oms_gpt_outofpage +###oms_gpt_rectangle +###oms_gpt_rectangle_halfpage +###oms_gpt_skyscraper +###oms_gpt_superbanner ###p-links-werbung ###p-rechts-werbung ###qm_content_ad_anzeige @@ -236,6 +283,8 @@ _woz_banner_vote. ###textwerbung ###tmobilefreikarte ###topwerbung +###unisterAd_1 +###unisterAd_2 ###videopage-werbung ###werb10 ###werb11 @@ -248,6 +297,9 @@ _woz_banner_vote. ###werbLayer2 ###werbLayer3 ###werb_ps103 +###werbeForm +###werbeFormRectangle +###werbeFormTop ###werbeadd ###werbeanzeige ###werbebanner @@ -261,15 +313,20 @@ _woz_banner_vote. ###werbeflaeche-mpu-big ###werbekasten ###werbeleiste +###werbeslot-artikel +###werbeslot-sidebar ###werbetrenner ###werbung ###werbung-banner +###werbung-banner-container ###werbung-fb ###werbung-left ###werbung-map-top ###werbung-rectangle1 ###werbung-rectangle2 +###werbung-seitenleiste-container ###werbung-skyscraper +###werbung1 ###werbung125_links ###werbung125_rechts ###werbung2 @@ -278,6 +335,7 @@ _woz_banner_vote. ###werbungR ###werbungRechts ###werbungSuperbanner +###werbungWrapper ###werbung_cad ###werbung_contentad_screen ###werbung_footer @@ -296,17 +354,20 @@ _woz_banner_vote. ###werbunglinks ###werbungrechts ###werbungrechts1 +###werbungrechtsfloat ###werbungsbox300 ###werbungsky ###werbungslider ###werbungunten ###wkr_werbung +##.AdRechtsLokal ##.Artikel_Ads_News ##.GridWerbung ##.KalaydoBoxLogo ##.KalaydoRessortBox ##.KomischeWerbeBox ##.RessortWerbungHeader +##.Werbelabel ##.Werbeteaser ##.Werbung ##.WerbungAdpepper @@ -315,6 +376,8 @@ _woz_banner_vote. ##.WerbungMitte ##._werbung ##.ad_mitte +##.ad_platzhalter +##.ads-anzeige ##.ads-artikel-contentAd-medium ##.ads-artikel-contentAd-top ##.ads_bueroklammer @@ -323,7 +386,11 @@ _woz_banner_vote. ##.adzeiger ##.anzeigenwerbung ##.article-werb +##.artikelinlinead +##.azk-native-responsive ##.b-werbung +##.babbelMultilangAdBannerHorizontal +##.babbelMultilangAdRectangle ##.banner-werbung-rechts ##.banner-werbung-top ##.bannerAnzeige @@ -335,6 +402,8 @@ _woz_banner_vote. ##.bdeFotoGalAd ##.bdeFotoGalAdText ##.big-werb +##.block-huss-adblocks +##.block-wozwerbung ##.block_rs4_werbung ##.bottom-werbung-box ##.box_werbung_detailseite @@ -345,43 +414,68 @@ _woz_banner_vote. ##.content_header_werbung ##.content_right_side_werbewrapper ##.contentwerbung4 +##.dk-ad-ident ##.ecom_werbung ##.firstload ##.fullbanner_werbung +##.funkedigital-ad +##.fusszeile_ads ##.gutZuWissenAd ##.inlinewerbungtitel ##.insidewerbung ##.keyword_werbung ##.lokalwerbung +##.mob-werbung-oben +##.mob-werbung-unten ##.news-item-werbung ##.newswerbung +##.nfy-sebo-ad +##.nfy-slim-ad +##.orbitsoft-ad +##.pane-klambt-ads-klambt-adserver-medrectangle ##.popup_werbung_oben_tom ##.popup_werbung_rechts_tom ##.ps-trackingposition_Werbungskasten ##.rahmen_ad ##.reklame ##.right-content-werbung +##.schnaeppchenScrollAd ##.seitenleiste_werbung ##.shift-widget > .cm-article +##.sidebar-werbung ##.sidebarwerbung +##.smartbrokerAds +##.spielen_werbung_2 ##.sponsorinaktiv ##.sponsorlinkgruen +##.superwerbung +##.symplr-ad-holder ##.tab_artikelwerbung ##.teaser_adliste ##.teaser_werbung ##.text_werbung ##.textad_hauptlink +##.textlinkwerbung +##.tipps-content-ad ##.topwerbung ##.tx-scandesk-werbung ##.undertitlewerbung +##.userfunc-ad +##.videowerbung +##.wadtag ##.werb_container +##.werb_textlink ##.werbeadd_ueber ##.werbebanner +##.werbebanner-oben ##.werbeblock ##.werbebox2 +##.werbeboxBanner ##.werbeflaeche ##.werbehinweis ##.werbekennzeichnerrectangle +##.werbemainneu +##.werbenbox ##.werbepause ##.werblinks ##.werbrechts @@ -393,6 +487,7 @@ _woz_banner_vote. ##.werbung-bigbox ##.werbung-bigsize ##.werbung-box +##.werbung-container ##.werbung-content ##.werbung-contentad ##.werbung-fullbanner @@ -401,6 +496,7 @@ _woz_banner_vote. ##.werbung-label ##.werbung-leiste ##.werbung-rec-below-list +##.werbung-rechts ##.werbung-rectangle ##.werbung-skyscraper ##.werbung-skyscraper2 @@ -415,1012 +511,585 @@ _woz_banner_vote. ##.werbung970x250 ##.werbungAnzeige ##.werbungContainer +##.werbungSkygrapperRight +##.werbungSkygrapperTop ##.werbungTabelle +##.werbung_300x250 +##.werbung_728 ##.werbung_banner ##.werbung_bereich ##.werbung_box +##.werbung_fuer_300er ##.werbung_h ##.werbung_index ##.werbung_links ##.werbung_sidebar ##.werbung_text ##.werbungamazon +##.werbunganzeigen +##.werbungarea ##.werbungimthread ##.werbungrechtstitel ##.widget-werbung -##a[href^="http://shortnews.de/gotoklick.cfm?fr_campaign_adtext_id="] +##a[aria-label="Werbelink"] +##a[href*=".prodtraff.com/"] +##a[href="https://www.focus.de/deal/focus-online-deal-mit-weltsparen-setzen-sie-jetzt-auf-zinserhoehungen-weltsparen-schenkt-ihnen-dafuer-150-euro_id_11868745.html"] > img +##a[href^="http://landing.fickzeit.com/?ag="] +##a[href^="http://landing.parkplatzkartei.com/?ag="] +##a[href^="http://partners.adklick.de/tracking.php?"] +##a[href^="http://wittered-mainging.com/"] +##a[href^="http://www.deinfickdate.com/?wm="] +##a[href^="http://www.deinsexdate.com/?wm="] ##a[href^="http://www.eis.de/index.phtml?refid="] -##a[href^="http://www.firstload.de/index.php?set_lang=de&log="] -##a[href^="http://www.sendung-now.de/tick/click.php?id="] -##a[href^="http://www.top-of-software.de/"] +##a[href^="http://www.heutenochficken.com/?wm="] +##a[href^="http://www.hw-area.com/?dp="] +##a[href^="http://www.ichwuerde.com/?ref="] +##a[href^="http://www.kontakt-vermittler.de/?wm="] +##a[href^="http://www.rastplatzsex.com/?wm="] +##a[href^="http://www.rotlichtkartei.com/?sc="] +##a[href^="http://www.sexkontaktportal.com/?wm="] +##a[href^="https://ads.sunmaker.com/tracking.php?"] +##a[href^="https://bd742.com/"] +##a[href^="https://clicks.imaxcash.com/?aff_"] +##a[href^="https://dpm.affaire18.com/click.php?dp="] +##a[href^="https://dpm.jungekontakte.com/click.php?dp="] +##a[href^="https://feed.solads.media/"] +##a[href^="https://maidings-mectland.com/"] +##a[href^="https://marketing.net.brillen.de/"] +##a[href^="https://media.datingpartner.com/click.php?dp="] +##a[href^="https://ofrbpu.smartbroker.de/"] +##a[href^="https://stream.justhdfilme.com/kkiste-kinox/"] +##a[href^="https://t.trafai.com/"] +##a[href^="https://trk.imobtrk.com/"] +##a[href^="https://www.handy-sextreffen.info/?c="] +##a[href^="https://www.tik-tok-date.com/"] ##a[href^="https://www.tipico.com/?affiliateId="] -##input[onclick^="window.open('http://www.firstload.de/affiliate/"] -! *** easylistgermany:easylistgermany/easylistgermany_whitelist_general_hide.txt *** +##a[href^="https://www.vavoo.tv/promo/"] > img +##a[href^="https://www.wazazu.com/NWS/"] +! *** easylistgermany:easylistgermany/easylistgermany_allowlist_general_hide.txt *** ping-timeout.de#@##Advertisements -lerunia.de#@##BodyAd -kids.t-online.de#@##Tadspacehead -egofm.de#@##WerbungObenRechts8_GesamtDIV -benzinpreise.net#@##ad-container -refline.ch#@##adBox -hockeyweb.de#@##adFrame -weser-kurier.de#@##adHeader openlimit.com#@##adLink -dipeo.de#@##adRight -kunsthalle-tuebingen.de#@##ad_1 -kunsthalle-tuebingen.de#@##ad_2 -kunsthalle-tuebingen.de#@##ad_3 -systemrecordings.com#@##ad_box -academics.de#@##ad_container +az.com.na#@##ad_block_1 ad-tuning.de#@##ad_footer -survivalforum.ch#@##ad_global_header2 ad-tuning.de#@##ad_header energy.de#@##ad_home -mehr-tanken.de#@##ad_left -gebrauchtmodelle.at#@##ad_post -16vor.de#@##adbar -kalaydo.de#@##adbox -bodensee-shops.de,der-frische-caterer.de#@##adcontent -der-frische-caterer.de,luebeck.de,stadtpost.de#@##adframe:not(frameset) -anleihen-finder.de#@##adlayer -suite101.de#@##admanager_leaderboard -trovit.de#@##ads_container -trovit.de#@##ads_right -anonza.de#@##adtext -pro-deutschland-online.de,pro-deutschland.de,qicknews.de#@##advert1 -qicknews.de#@##advert2 -boomerangtv.de#@##advertising-container -markt.de#@##adverts -argentinien-reisebericht.de,monster.de,musicstar.de#@##adwrapper -portia.ch#@##adzone -viva.tv#@##bannerad -wunsch-otr.de#@##block_advert -amsel.de#@##container_ad -go-windows.de#@##goads -eosd-forum.de#@##headerAd -golem.de#@##iqadtile4gol -der-postillon.com#@##middleads -campusboard.at#@##my-ads -kijiji.at,kijiji.ch#@##searchAd -schuepora.de#@##topad -bildspielt.de#@##videoAd -jagsttaltipp.de#@##werbeleiste -anime-loads.org,filmmakers.de,nicht-lustig.de,vegaklub.net,youthweb.net#@##werbung -anzeigen-kostenlos.com#@#.AdBox -egofm.de#@#.WerbungLinksRechts -zeitleser.de#@#.ad-bottom -siemens-home.de,xdate.ch#@#.ad-item -gemeinsam-in-bremen.de#@#.ad-region -willhaben.at#@#.ad-text -zeitleser.de#@#.ad-top -delamar.de#@#.adBox -afs-software.de#@#.adCell -afs-software.de#@#.adHeadline -kijiji.at,kijiji.ch#@#.adImg -delamar.de#@#.adModule -o2online.de#@#.adSpace -view.stern.de#@#.adWrapper -sueddeutsche.de#@#.ad_Right -dewezet.de#@#.ad_block -wg-gesucht.de#@#.ad_click -dewezet.de#@#.ad_content -survivalforum.ch#@#.ad_global_header -dewezet.de#@#.ad_header -willhaben.at#@#.ad_image -rcanzeigen.de#@#.ad_links -willhaben.at#@#.ad_space -heise.de#@#.adbottom -willhaben.at#@#.adbutton -yanini.de#@#.adcol1 -yanini.de#@#.adcol2 -classic-motorrad.de#@#.adlist -quoka.de#@#.adpic -oekobaustoffe.com#@#.ads1 -augsburg-stadtundland.de#@#.ads125-widget -gwp-gronau.de#@#.ads_title -schreibwerkstatt.de#@#.adsense-right -giga.de#@#.adspace -ebay.de#@#.adtile -mercedesclubs.de,otelfingen.ch#@#.adtitle -bluewin.ch#@#.advert-content -stimme.de#@#.advert-sky -karriere.de#@#.advert-wide -jamesedition.de#@#.advert2 -tagblatt.de#@#.advertbox -regman.de#@#.advertiseText -11freunde.de#@#.advertisement-1 -11freunde.de#@#.advertisement-2 -e-valuate.de,wohnungsrechner.ch#@#.advertiser -macwelt.de#@#.advertisment -1und1.de,gmx.at,gmx.net,typischich.at,web.de#@#.advertorial -reitbeteiligung.org#@#.adverts -kalaydo.de#@#.adverttext -web.de#@#.banner-728 -filmreporter.de#@#.boxadv -kraftfuttermischwerk.de#@#.category-advertorial +kombi.de#@##left-ad +kombi.de#@##right-ad +golem.de#@##taboola-below-article-thumbnails +kombi.de,viply.de#@##top-ad +filmmakers.de#@##werbung +regenwald-schuetzen.org#@#.Werbung +hach.de,kleinanzeigen.de#@#.ad-active +eltern.de,stern.de#@#.ad-element +cash.ch#@#.ad-enabled +eltern.de#@#.ad-frame +xdate.ch#@#.ad-item +11freunde.de#@#.ad_sidebar +11freunde.de#@#.ad_wrap +finanzlexikon-online.de#@#.adboxclass +finanzen.ch#@#.adnz-ad-placeholder +rtl.de#@#.adslot +az.com.na#@#.adverts +wetter.de#@#.base-ad-slot openlimit.com#@#.content_ad -lustiges-taschenbuch.de#@#.contentad -delamar.de#@#.custom_ads -autoscout24.de#@#.detail-ads -di.fm,nowmusic.com#@#.firstload -esvkticker.sports-stream.de#@#.google_adsense -11freunde.de#@#.gujAd -immobilienscout24.de#@#.has-ad -gofeminin.de,guterhut.de,notebooksbilliger.de#@#.img_ad +di.fm,kellertheater.at#@#.firstload +wallstreet-online.de#@#.footer-advertising +11freunde.de,gala.de,geo.de,kochbar.de,rtl.de,vip.de#@#.gujAd +11freunde.de#@#.house-ad hochzeitswahn.de#@#.internal-ad -frankenlist.de#@#.item-ad mietmobil-fuchs.ch#@#.jquery-script-ads -suedtirolnews.it#@#.ligatus -frankenlist.de#@#.list-ad -styleranking.de#@#.medrect-ad -der-postillon.com#@#.middleads -ebay-kleinanzeigen.de#@#.native-ad -tk.de#@#.pfad -fanfiktion.de#@#.plistaList > .itemLinkPET -tsv-thedinghausen.de#@#.postad -quoka.de#@#.related-ads +11freunde.de#@#.js_deferred-ad +wetter.de#@#.outbrain-ad-slot +phytodoc.de#@#.plain-ad +handelsblatt.com#@#.row-ad xdate.ch#@#.side-ads -wuv.de#@#.sticky-ad-wrapper -blesius.de#@#.text_werbung xdate.ch#@#.top-ads -christophhubrich.blogspot.co.uk,christophhubrich.blogspot.de,delamar.de,ews-markt.de,mediamarkt.de,paolo-film.de,transfermarkt.de#@#.werbung -ebay.de#@#a[href^="http://ad-emea.doubleclick.net/"] -zdnet.de#@#a[href^="http://ad.doubleclick.net/"] -marketing-a.akamaihd.net#@#a[href^="http://adclick.g.doubleclick.net/"] -berlin.de#@#a[href^="http://adfarm.mediaplex.com/"] -schnittberichte.com#@#a[href^="http://bs.serving-sys.com/"] -11freunde.de,cnet.de,deals.chip.de#@#a[href^="http://pubads.g.doubleclick.net/"] -onvista.de#@#a[href^="http://track.adform.net/"] -gutefrage.net,reisebine.de#@#a[href^="https://ad.doubleclick.net/"] +wieistmeineip.at,wieistmeineip.ch,wieistmeineip.de#@#.trc-content-sponsored +wieistmeineip.at,wieistmeineip.ch,wieistmeineip.de#@#.trc_related_container div[data-item-syndicated="true"] +marketingportal.toyota.de,werbung.oebb.at,wetter.com#@#.werbung +auto-motor-und-sport.de,hardwareluxx.de,wetter.com#@#[id^="div-gpt-ad"] +11freunde.de,auto-motor-und-sport.de,motorradonline.de#@#a[href^="https://adclick.g.doubleclick.net/"] +11freunde.de,gofeminin.de#@#a[href^="https://pubads.g.doubleclick.net/"] telekom.de#@#a[href^="https://track.adform.net/"] -daswetter.com,gofeminin.de#@#div[id^="div-gpt-ad"] -guterhut.de,hardwareluxx.de,hbf-info.de,rakuten.at,rakuten.de,zalando.de#@#div[id^="div-gpt-ad-"] -11freunde.de,gofeminin.de,notebooksbilliger.de#@#div[id^="google_ads_iframe_"] -11freunde.de,gofeminin.de,guterhut.de,notebooksbilliger.de,rtl.de,zalando.de#@#iframe[id^="google_ads_iframe"] -!---------------------------Third-party Werbeserver---------------------------! +onvista.de#@#a[href^="https://www.financeads.net/tc.php?"] +wetter.com#@#div[id^="div-gpt-"] +! ---------------------------Third-party Werbeserver---------------------------! ! *** easylistgermany:easylistgermany/easylistgermany_adservers.txt *** -||2mdn.net^$object-subrequest,third-party,domain=anleger-fernsehen.de|blick.ch|fitforfun.de|focus.de|giga.de|golem.de|helpster.de|myspass.de|netzwelt.de|stol.it|sueddeutsche.de|tvtoday.de +! +||adnx.de^ +||bd742.com^ +||f11-ads.com^ +||fantecio.com^ +||gayads.biz^ +||swissadserver.ch^ +||windows-pro.net^ +||wixnm.com^ +||zazufi.com^ +! ||4rm.de^$third-party ||85.114.133.62^$third-party +||a.partner-versicherung.de^$third-party ||a3h.de^$third-party ||ablida-rotation.com^$third-party -||aboveu.de^$third-party ||active-tracking.de^$third-party -||ad-coupon.de^$third-party -||ad-generator.info^$third-party -||ad-hits.de^$third-party +||ad-mix.de^$third-party ||ad-pay.de^$third-party -||ad-promotion.net^$third-party ||ad-serving.de^$third-party ||ad-sun.de^$third-party -||ad-traffic.de^$third-party -||ad.de.doubleclick.net^$~object-subrequest,third-party +||ad.de.doubleclick.net^$third-party ||ad.netzquadrat.de^$third-party -||ad2net.de^$third-party -||ad2web.net^$third-party ||ad4cash.de^$third-party +||ad4m.at^$third-party ||ad4mat.de^$third-party ||adalizer.com^$third-party ||adbutler.de^$third-party ||adc.tripple.at^$third-party -||adcina.de^$third-party ||adcocktail.com^$third-party ||addefend.com^$third-party -||addie.verticalnetwork.de^$third-party -||adhaus.de^$third-party ||adhost.in^$third-party -||adical.de^$third-party -||adical2.de^$third-party ||adiceltic.de^$third-party ||adindex.de^$third-party ||adition.de^$third-party ||adition.net^$third-party -||adjservices.net^$third-party ||adklick.de^$third-party ||adklick.net^$third-party ||admanagement.ch^$third-party -||adminlose.de^$third-party -||admonkey.cc^$third-party -||adnited.net^$third-party -||adpark.de^$third-party ||adperform.de^$third-party ||adreport.de^$third-party ||adrolays.de^$third-party -||ads-im-netz.de^$third-party -||ads-mall.com^$third-party -||ads4clicks.de^$third-party -||ads4finies.de^$third-party +||ads4allweb.de^$third-party ||adscads.de^$third-party -||adsister.com^$third-party -||adsmediapro.net^$third-party -||adsone.de^$third-party ||adspectacle.net^$third-party ||adspirit.net^$third-party ||adsplash.de^$third-party -||adspread.net^$third-party ||adsushi.de^$third-party -||adup-tech.com^$third-party ||advendi.de^$third-party ||advert-layer.de^$third-party -||adverticus.de^$third-party ||advolution.biz^$third-party ||advolution.de^$third-party -||adwelt.com^$third-party -||adwelt.net^$third-party ||adworx.at^$third-party +||aff-handler.com^$third-party ||affiliando.com^$third-party -||affiliate-premium-club.com^$third-party ||affiliates.de^$third-party -||affiliblatt.de^$third-party -||affilicrawler.de^$third-party -||affilijack.luminea.de^$third-party ||affilimatch.de^$third-party ||affiliscout.com^$third-party ||affilitec.com^$third-party ||affiliwelt.net^$third-party -||affimax.de^$third-party +||affilixxl.de^$third-party ||agaso.de^$third-party ||allads4you.de^$third-party -||altrk.net^$third-party +||alphaads.de^$third-party ||amunx.de^$third-party -||andite.tk^$third-party ||anzeigen-vor-ort.de^$third-party ||anzeigenlieferant.de^$third-party -||apprupt.com^$third-party -||arcor-adserving.de^$third-party ||arcor-partner.de^$third-party -||as997.de^$third-party +||arminius.io^$third-party ||asnetworks.de^$third-party -||aurora-media.org^$third-party +||atf-tagmanager.de^$third-party ||auxmoney-partnerprogramm.de^$third-party -||bacontent.de^$third-party -||banner.server-t4.de^$third-party -||banner.t-online.de^$third-party +||ay.delivery^$third-party +||ba-content.de^$third-party ||bannerchange.net^$third-party ||bannerheld.de^$third-party -||banners4clicks.de^$third-party -||bannertrade.eu^$third-party -||batilo.de^$third-party ||bauernative.com^$third-party +||bb2022.info^$third-party ||biallo1.de^$third-party ||biallo2.de^$third-party ||biallo3.de^$third-party ||bitcoinpara.de^$third-party ||blogads.de^$third-party -||blogpay.eu^$third-party -||bonicity.de^$third-party -||borrot.de^$third-party -||brandigo.net^$third-party +||bsheute.de^$third-party ||buywords.de^$third-party -||bwads24.com^$third-party ||c-points.de^$third-party -||cash4sky.de^$third-party -||cash4traffic.eu^$third-party -||cashconspiracy.net^$third-party ||cashdorado.de^$third-party -||catchvid.info^$third-party -||chatzoe.de^$third-party -||chinon.tk^$third-party +||chatintr.com^$third-party +||chatntr.com^$third-party ||ci-marketing.de^$third-party -||civvysi.de^$third-party -||clayon.de^$third-party -||cloverads.net^$third-party +||cmadserver.de^$third-party ||codes.wai.it^$third-party -||comads.de^$third-party -||compca.de^$third-party ||conative.de^$third-party -||contentfeed.net^$third-party -||courgis.de^$third-party -||cowana-adserver.de^$third-party +||connects.ch^$third-party +||cpdsrv.de^$third-party ||crmpilot.it^$third-party -||croco-ads.de^$third-party ||cuiron.de^$third-party -||cummba.de^$third-party ||cussixia.de^$third-party -||cyteks.de^$third-party -||data-slimspots.com^$third-party -||ddl-network.org^$third-party -||de-ads.de^$third-party -||deadblock.tk^$third-party -||dealdestages.me^$third-party +||cyonix.to^$third-party +||data-analyst.biz^$third-party ||def-platform.com^$third-party ||def-platform.de^$third-party ||def-platform.net^$third-party -||deluxe-ads.net^$third-party -||deluxeads.net^$third-party -||der-wallstreet-affiliate.com^$third-party -||desire-xx.net^$third-party +||delmovip.com^ ||dhads.net^$third-party ||digentu.de^$third-party -||digitaladverts.net^$third-party -||digitalresponse.de^$third-party -||dingel.tk^$third-party -||doubleclick.net/adx/*/extern_gmxnet/ -||doubleclick.net/adx/rtl2.de/*;sz= -||doubleclick.net/pfadx/*.ehrensenf.de_de/$third-party -||doubleclick.net/pfadx/*.finanzen.net/$third-party -||doubleclick.net/pfadx/*.myspass.de_de/ -||doubleclick.net/pfadx/*_video.com_de/$third-party -||doubleclick.net/pfadx/*_video.de_de/$third-party -||doubleclick.net/pfadx/ch.mtv/$third-party -||doubleclick.net/pfadx/david/extern_$third-party -||doubleclick.net/pfadx/de.mtv/$third-party -||doubleclick.net/pfadx/de.viva.tv/$third-party -||doubleclick.net/pfadx/DE_PRO7.BrokenComedy/$third-party -||doubleclick.net/pfadx/golem/$third-party -||doubleclick.net/pfadx/iqd_sueddeutsche$third-party -||doubleclick.net/pfadx/iqdsde/$third-party -||doubleclick.net/pfadx/kino-vorschau.com/$third-party -||doubleclick.net/pfadx/netzwelt/$third-party -||doubleclick.net/pfadx/nick.de/$object-subrequest -||doubleclick.net/pfadx/P5238.videos/$object-subrequest -||doubleclick.net/pfadx/rtlregional.de/$third-party -||doubleclick.net/pfadx/telewest.de/$third-party -||doubleclick.net/pfadx/toggo.de/$third-party -||doubleclick.net/pfadx/www.teleboerse.de/$third-party -||doubleclick.net^$third-party,domain=augsburger-allgemeine.de|autobild.de|bild.de|buffed.de|bundesliga.de|cnet.de|computerbild.de|dashausanubis.de|de.msn.com|dooloop.tv|eyep.tv|filmjunkies.de|flashgames.de|focus.de|gameone.de|gamepro.de|gamesaktuell.de|gamestar.de|gameswelt.at|gameswelt.ch|gameswelt.de|gameswelt.tv|gamezone.de|gzsz.rtl.de|hatenight.com|homerj.de|icarly.de|kino.de|kochbar.de|laola1.tv|lustich.de|motorvision.de|myvideo.at|myvideo.ch|myvideo.de|n-tv.de|onlinewelten.com|pcgames.de|pcgameshardware.de|pcwelt.de|radio.de|ran.de|rtlregional.de|southpark.de|spiegel.tv|spiele-zone.de|spongebob.de|sport.de|spox.com|spreeradio.de|t-online.de|teleboerse.de|the-hills.tv|trailerseite.de|tvmovie.de|video.de|videogameszone.de|vip.de|vodafonelive.de|vox.de|welt.de|wetter.de|wetterschnecken.de|wikifit.de|www.rtl2.de|zdnet.de -||doubleclick.net^*/pfadx/DE_N24.*.video/*;vpos=*;zz=*;fs=$third-party -||doubleclick.net^*/pfadx/tele5.de/$third-party -||dragout.de^$third-party -||dream-sponsor.de^$third-party -||drs24.com^$third-party -||duck-ad.com^$third-party -||dukesia.de^$third-party -||dynamic-advertising.de^$third-party ||e-traffix.de^$third-party -||earnmobile.de^$third-party ||ebesucher.de^$third-party -||ebookpartnerprogramm.com^$third-party -||echtebesucher.de^$third-party -||editorm.tk^$third-party ||eeewax.de^$third-party -||eletry.tk^$third-party -||elite-layer.de^$third-party -||eroppc.com^$third-party -||erovation.com^$third-party ||eset-affiliate.de^$third-party -||et.twyn-group.com^$third-party ||et.twyn.com^$third-party ||ethnarc.de^$third-party ||evania.de^$third-party +||exit-x.net^$third-party ||exnzg.de^$third-party +||expepp.de^$third-party ||falkag.de^$third-party -||feropt.de^$third-party +||feedad.com^$third-party ||fexzuf.com^$third-party -||finative.eu^$third-party -||firstads.de^$third-party -||firstload.us^$third-party +||finad.de^$third-party +||finative.cloud^$third-party ||firstsponsor.de^$third-party -||flatad.de^$third-party -||forced-boom.de^$third-party -||forced-layer.de^$third-party +||fotoscaseras.top^$third-party ||frvfrv.com^$third-party -||funtastic-ads.de^$third-party ||gamesaffiliate.de^$third-party ||gamigoads.com^$third-party -||gamrz.de^$third-party +||gbucket.ch^$third-party ||geldcounter.de^$third-party ||gigapromo.de^$third-party ||goldbach.com^$third-party -||goldisn.cu.cc^$third-party -||gollox.de^$third-party ||gonamic.de^$third-party ||goodads.de^$third-party +||green-ads.net^$third-party ||guruads.de^$third-party -||handy-ads.de^$third-party -||heias.com^$third-party -||hifi-ads.de^$third-party -||highad.de^$third-party -||homeads.de^$third-party -||homerecads.de^$third-party -||homeri.de^$third-party +||h5v.eu^$third-party +||hot59.de^$third-party ||hovg.de^$third-party ||ibanner.de^$third-party ||iias.eu^$third-party ||imo-cash.de^$third-party ||in24.at^$third-party -||industc.de^$third-party -||ineassu.de^$third-party -||inethoster.org^$third-party ||inlinks.de^$third-party ||intensifier.de^$third-party -||interwebads.de^$third-party ||iqcontentplatform.de^$third-party ||itrack.it^$third-party ||jink.de^$third-party -||jokers-banner.de^$third-party -||jonasys.de^$third-party +||jojoad.com^$third-party ||kingads.net^$third-party -||klammwerbung.de^$third-party ||klick4u.de^$third-party ||klicktausch.com^$third-party ||komplads.net^$third-party ||ktxtr.com^$third-party -||layer-schueri.de^$third-party -||layerad.net^$third-party -||layerpark.com^$third-party -||letvertise.com^$third-party -||levelads.de^$third-party ||liferd.de^$third-party -||ligatus.de^$third-party -||lilaelefant.de^$third-party -||linkads.de^$third-party ||linkedads.de^$third-party ||linkstation.de^$third-party +||localpoint.ch^$third-party ||lose4admin.de^$third-party ||love-money.de^$third-party -||loved-by.s3.amazonaws.com^$third-party -||luxyad.com^$third-party -||lyrisor.tk^$third-party -||madsack-native.de^$third-party -||malient.tk^$third-party ||manughl.de^$third-party -||marint.tk^$third-party ||marketing-guerilla.de^$third-party ||marketing-profis.net^$third-party ||maxi-ad.de^$third-party ||maxiad.de^$third-party -||maxiklicks.de^$third-party -||media-guides.de^$third-party -||mediavantage.de^$third-party ||mega-ad.de^$third-party ||megawerbung.de^$third-party ||mename.de^$third-party ||mirando.de^$third-party -||mklcash.de^$third-party -||mlsat04.de^$third-party -||mmogtrade.de^$third-party -||money-fun.de^$third-party -||moneymakers.de^$third-party -||multimedia-internet.org^$third-party +||mobileadvertise.de^$third-party ||mupads.de^$third-party ||murcs.org^$third-party -||myad24.de^$third-party -||nad-network.com^$third-party -||nadwork.info^$third-party +||native-commerce.com^$third-party ||nativendo.de^$third-party -||netadz.de^$third-party -||netbizzer.net^$third-party +||neqty.net^$third-party +||netpoint-media.de^$third-party +||netwayer.de^ ||network-marketing24.com^$third-party ||network-media.info^$third-party -||network-media.mobi^$third-party -||networx.me^$third-party -||netxmedia.net^$third-party -||newtentionassets.net^$third-party -||nice-xxx.net^$third-party +||netzwerk-ad.de^$third-party ||nonstoppartner.net^$third-party ||notenpartner.de^$third-party ||nwave.de^$third-party -||nxtracking.de^$third-party -||p2pvz.net^$third-party +||onlymega.com^$third-party ||paidlinkz.net^$third-party ||paidsolution.de^$third-party -||pay4member.com^$third-party ||payclick.it^$third-party -||pc-ads.de^$third-party ||performance-netzwerk.de^$third-party -||performanceanalyser.net^$third-party ||planetactive.com^$third-party -||popad.to^$third-party -||popup-rotation.de^$third-party -||popupprofi.de^$third-party -||pornoprinzen.com^$third-party +||playamedia.com^$third-party ||ppac.de^$third-party ||premiumbesucher.de^$third-party -||premiumdownloaden.de^$third-party -||primussponsor.de^$third-party ||profiliate.net^$third-party -||prom.ecato.net^$third-party -||promoserver.net^$third-party -||propaid.de^$third-party -||protectaffiliates.org^$third-party ||ptadsrv.de^$third-party -||pushfeeds.com^$third-party -||pushfeeds.de^$third-party ||qualigo.de^$third-party ||quality-channel.de^$third-party -||qualityhitz.net^$third-party +||qualitymedianetwork.de^$third-party ||quartermedia.de^$third-party ||quarterserver.de^$third-party ||rapidads.de^$third-party -||renegoads.com^$third-party ||revresrennab.de^$third-party ||rgadvert.com^$third-party -||rockvertise.net^$third-party -||rubrikator.de^$third-party -||s2block.com^$third-party -||scash.de^$third-party -||scene-ads.biz^$third-party -||scene-pics.info^$third-party -||sceneads.biz^$third-party -||schlauli.de^$third-party -||selsin-ltd.com^$third-party -||servertraffic.de^$third-party +||ringier-advertising.ch^$third-party +||rtbsuperhub.com^$third-party +||securecnd.com^ +||seitenaufruf.com^$third-party +||selfpuc.com^$third-party +||server4ads.com^$third-party +||servote.de^ ||sexgoesmobile.com^$third-party -||shareifyoulike.com^$third-party -||shoplenaro.com^$third-party -||shorkads.de^$third-party -||siyl.net^$third-party -||siylvi.de^$third-party -||smartaffiliate.de^$third-party -||smartclip.net^$~object-subrequest,third-party -||smd.premiumpromotions.at^$third-party -||smd.premiumpromotions.com^$third-party -||smspartnerprogramm.com^$third-party -||software-archiv.com^$third-party +||solads.media^$third-party ||sparkads.ws^$third-party ||sparkassen-partner.de^$third-party ||special-sponsor.de^$third-party -||sponsor4cash.de^$third-party -||sponsorexpress.de^$third-party ||sponsortown.de^$third-party +||spoods.io^$third-party ||stilanzeigen.net^$third-party ||stroeerdigitalmedia.de^$third-party -||stroeerdigitalpublishing.de^$third-party ||sunnysales.biz^$third-party ||superclix.de^$third-party ||superpromo24.de^$third-party -||szene-traffic.com^$third-party -||tagcombiner.com^$third-party -||td-tracker.com^$third-party +||symplr.de^$third-party +||tagrpd.de^$third-party ||textklicks.de^$third-party -||textswap.de^$third-party ||tip-ads.de^$third-party -||topiaserv.net^$third-party ||trabro.com^$third-party -||tracknet.twyn-group.com^$third-party ||tracknet.twyn.com^$third-party -||traffic-base.de^$third-party -||traffic-hammer.de^$third-party -||trafficlayer.de^$third-party +||trafficfabrik.com^$third-party ||traffictrack.de^$third-party +||trmads.eu^$third-party +||trmget.eu^$third-party +||trmwidget.eu^$third-party ||trocado.at^$third-party ||turboads.de^$third-party ||twiago.com^$third-party -||txtads.de^$third-party -||uabp.tk^$third-party -||uclo.net^$third-party -||uff5.to^$third-party -||ultrapromo.eu^$third-party -||unister-adservices.com^$third-party ||uselayer.com^$third-party -||view-affiliwelt.net^$third-party ||vip-websc.org^$third-party ||vipbanner.de^$third-party ||viralmails.de^$third-party -||visionads.de^$third-party ||visit2visit.de^$third-party ||vodafone-direkt.de^$third-party -||vxcash.net^$third-party ||w-m-w.net^$third-party ||w3hoster.de^$third-party ||web20-traffic-system.de^$third-party ||websc.org^$third-party ||webspiration.de^$third-party -||werbe-system.com^$third-party ||werbeflut.net^$third-party -||werbemittelgenerator.com^$third-party -||werbenetzwerk.tk^$third-party +||wowpornlist.xyz^$third-party ||wwm24.de^$third-party ||www.p.de^$third-party -||wz-adserver.de^$third-party ||wz-werbewelt.de^$third-party -||x-ads.biz^$third-party -||x-ads.in^$third-party ||xaded.de^$third-party ||xiji.de^$third-party -||yellow-isp.de^$third-party +||xtreff69.com^$third-party ||yoomedia.de^$third-party -||youads.de^$third-party -||yourlayer.de^$third-party +||youspacko.com^$third-party ||z0a.de^$third-party ||za-ads.de^$third-party ||zieltracker.de^$third-party +||zuppelzockt.com^$third-party ||zyxwvutsrqponmlkjihgfedcbazyxwvutsrqponmlkjihgfedcbazyxwvutsrqp.de^$third-party ! Mobile ||avault.net^$third-party ||recognified.net^$third-party -! -||bestes-produkt-vong-kaufen-her.de^$third-party -||connor-kauft.de^$third-party -||da-shoppe-ich-gerne.de^$third-party -||eckstein-eckstein-alles-muss-versteckt-sein.de^$third-party -||elijah-erwirbt.de^$third-party -||i-bims-1-produkt.de^$third-party -||i-bims-ein-shopper.de^$third-party -||ichkaufehierein.de^$third-party -||meinelieblingsprodukte.de^$third-party ! *** easylistgermany:easylistgermany/easylistgermany_adservers_popup.txt *** ||ad.de.doubleclick.net^$popup,third-party ||adperform.de^$popup,third-party ||adshot.de^$popup,third-party -||binany-code.com^$popup,third-party -||cp-network.uk.to^$popup,third-party -||der-wallstreet-trick.eu^$popup,third-party +||arminius.io^$popup,third-party +||cgames.de^$popup +||delmovip.com^$popup ||gamigoads.com^$popup,third-party -||insta-cash.net^$popup,third-party ||jinkads.com^$popup,third-party -||sevenads.net^$popup,third-party +||trafficfabrik.com^$popup,third-party ||websc.org^$popup,third-party -||xx00.info^$popup,third-party -!-----------------------------Third-party Werbung-----------------------------! +||xtreff69.com^$popup +||zomap.de^$popup,third-party +! -----------------------------Third-party Werbung-----------------------------! ! *** easylistgermany:easylistgermany/easylistgermany_thirdparty.txt *** ||1deluxe.eu/banner/ -||1und1.hoch-it.de/images/$third-party ||213.133.100.18^*&clicktag= -||24level.com/banner/$third-party -||251814110.rsc.cdn77.org/sources/Deutsche/ -||62.146.108.97/banner/$third-party,domain=~arsmedium.de.ip -||6scout.de/api/clients/*/banner_$third-party -||85.17.77.38/*.png|$third-party -||88.198.13.8/publisher/$third-party,domain=~zadane.pl.or.sale-broker.com.ip +||4fal.com/profilbannercreate/$third-party +||6profis.de^*/banner_ ||a.check24.net/misc/view.php$domain=~wechseln.de -||abipur.de^*/microbanner.gif$third-party +||abo2.de/abo-direkt/$third-party ||ad.71i.de^ ||ad.bwise.ch^ ||ad.jaumo.com^ -||adm24.de^*/resbanner/ ||adsby.de^$third-party -||advanzia-bank.be/banners/$third-party -||affiliate.hosteurope.de^$third-party -||affiliate.unimall.de^$third-party +||aff.carvertical.com^$third-party ||affiliking.blogspot.com^$third-party -||aiqum.de/partner/$third-party -||aiqum.de^*/fprogn_xl_aiqum.js$third-party -||aldi-sued.de^*/zeitungen-banner/$third-party -||alfahosting.org/forum/f_bild/ban-kopf- +||aktion-deutschland-hilft.de/fileadmin/banner/$third-party +||all-inkl.com/banner/$third-party ||all-inkl.com^*/banner/$third-party -||am.dynatracker.de^$third-party -||amadeal.de/banner/$third-party +||allesregional.de^*/ar-widget/*^app-mode=offers^$third-party ||amarotic.com^*.php?wmid=$script,third-party ||amateurbusters.com^*.php?wmid=$script,third-party ||amateurpin.com/puarea/ ||amateurpin.com^*/b.php?zone=$third-party -||anitoplist.de^$third-party -||anleger-fernsehen.de/movadplugin.swf -||app.kontextr.eu^$third-party -||apps.bergzeit.de/seo/bdyn?pid= -||appscene.de/time/$third-party -||arktis24.de/tradedoubler/ -||ashop.tv/ebay/$third-party -||assets.oomz.de^ -||autohaus-liebrecht.de/de/iframe_$subdocument,third-party -||autohaus24.de/widgets/$subdocument,third-party +||amateursexfilme.biz^$domain=pornohutdeutsch.net +||amazonaws.com/display.tweenui.com/ +||api.medianord.de/Widgets/Frame?$third-party,xmlhttprequest +||autoscout24.de^$subdocument,domain=motorrad2000.de ||auxmoney.com/start/welcome.php?afid=$third-party -||avidnova.com/grafik/banner +||ayurvedazentrum-brandenburg.de/webbanner/ ||b.big7.com^$third-party ||backlinkseller.de/gfx/banner/ -||bag2love.de/media/sales/$third-party ||banner.1und1.com^$third-party ||banner.1und1.de^$third-party ||banner.hosteurope.de^$third-party ||banner.immowelt.de^ -||banner.putenbrust.net^$third-party -||banner.sealmedia.de^$third-party ||banner.upjers.com^$third-party -||banners.jobwinner.ch^$third-party +||bastardsofhell.de/images/banner/$third-party ||baygel.de/banner/ -||bbwworld.com/livebanner/ ||beate-uhse.com/banner/$third-party ||belboon.de/tracking/*.img +||belmediaverlag.com/gott-ch/$third-party ||bergfreunde-partner.de/banner/ ||bergzeit.de/out/pictures/partner/image/ -||beyond-media.at/bm_banner_oa.gif$third-party -||bit.ly^$image,domain=flugzeugbilder.de +||bit.ly^$subdocument,domain=business24.ch|events24.ch|polizei.news|reiseziele.ch ||blog-linktausch.de^*/iframe.php?layout=$subdocument,third-party -||bluepoint-radio.de/banner/$third-party +||blubroid.de^$domain=n-tv.de ||bm.hbtronix.de^$third-party -||bmportal.de/fileadmin/bm/gfx/banner_$third-party ||bn.gewinn24.de^ ||bn.profiwin.de^$third-party ||bodyguardapotheke.com^*/banner/ ||boerse.bz/toplist/vote/$third-party ||boerse.bz^*/banners/$third-party -||boxen1.com^*/jessica1.jpg -||boxen1.com^*/luxus-villa-zu-verkaufen.gif +||booking.com^$subdocument,domain=italien.de|travelguide-en.org|unser-seenland.de ||brandenburger-salzgrotte.de/webbanner/ -||buecherbillig.de/images/banners/$third-party ||bumskontakte.ch/banner/ -||business-best-practice.de/anzeigen/ -||business-best-practice.de/include/anzeigen_ -||cambabestube.com^$subdocument,third-party -||car4you.ch/widgets/$third-party -||carweb24.net/feeds/b_$subdocument,third-party -||catsms.de/images/banner/ -||cdn.kaisergames.de/www.*/images/wallpaper_ -||cdn.lotto24.de/webshop/minisite/$subdocument,third-party +||cdn.plus500.com/media/banners/ ||cect-shop.com/CMBannerCECT-SHOP.gif ||ced.sascdn.com^ ||china-gadgets.de^$subdocument,third-party -||clanmonster.de/clanmonster_gross.jpg$third-party -||clanplanet.de/cp-leaderboard.jpg -||cloud.instore.net^$third-party -||co2online.de/banner/$third-party -||congstar.de/mgm/starseller/$third-party -||conserva.de^*/banner_$third-party -||coolespiele.com/contentbox/$subdocument,third-party -||coolespiele.com/cs.php?popupurl=$third-party -||couponcustomer.cpstatic.ch^ -||crack-it.net/img/$third-party +||com-porn-free.com/banner/ +||communicationads.net/tb.php ||crawler.pearl.de/pearl-crawler/banner? -||crawli.net/go/$third-party -||customer-support24.com/affiliates/$third-party -||cyonix.to/in.php$third-party -||cyonix.to/in/$subdocument,third-party -||cyonix.to^*.html$subdocument,third-party -||d1kn3e15znl51s.cloudfront.net/js/tlib.min.js -||daidalos.twyn.com^$third-party -||databaseapplications.org/banner_manager/ -||ddl-blog.org/banner/$third-party -||ddl-blog.to/banner/$third-party -||ddl-moviez.org/promo/ -||ddl-search.biz/bilder/banner/ -||ddl-search.biz/bilder/banner_$third-party +||cript.to/plopscript.php +||cript.to/polopscript.php +||datingpartner.com/medien/$third-party ||dealdog.net/dealdog.php ||dealdoktor.de/m/$third-party ||dealdoktor.de/misc/$third-party -||deinplan.de/pharus-shop.gif +||deinfickdate.com/banner/$third-party +||deinsexdate.com/banner/$third-party +||deliver.helpnation.de^$third-party ||dentaltrade-zahnersatz.de^*/banner/$third-party -||desire-xxx.net/in.php$third-party ||deutschland-spielt.de/partners/$third-party -||dhv.de/dbfiles/wbg/$image ||die-staemme.de/banner/$third-party -||digitec.ch/liveshopping.aspx$third-party -||distributionz.net/bstadt_banner1.gif -||downloadvergleich.com/flash/$third-party -||drei.to/images/$third-party -||dubstep-beats.de/images/banner/ +||dragonbox.de/img/banner/$third-party +||druckiad-che.newsmemory.com^$third-party ||duregexpress.de/banner/$third-party -||e-seller.de/uploads/$third-party ||easy-reisen.ch/easyreisenadds.aspx? ||easyfind24.de/banner/$third-party -||ebby.de^*/sportwettentipp220- -||ebby.es^*/logoringside220.gif ||ebiz-consult.de/banner/$third-party ||ebiz-webhosting.de/banner/$third-party -||eblogx.com/amazon/ -||eco-world.de/banner/$third-party -||ecostream.tv^*/sofadeals_sky. ||edgar.de/img/partner/$third-party ||eis.de/index.$third-party ||eis.de/shop/images/banner/$third-party -||eliado.com/banner/$third-party -||emion-gmbh.de/banner/$third-party -||emoluder.com/index.php?ref=$third-party -||enforcer-shop.de/banner/ +||erotik-dates.net/bilder/erotidates-banner.gif ||erotik1.de^*.php?$subdocument,third-party -||erwischtegirls.com/index.php?ref=$third-party ||escortkartei.com/banner/$third-party ||eteleon.de/partner/$third-party,domain=~facebook.com ||eteleon.de/partnerprogramm/$third-party -||ex.joyjasp.com^$third-party -||extra.wavecdn.net^$third-party -||fachverlagshop.de^*/pujs.php -||fairvital.com/images/banner_$third-party +||faire.software/img/$third-party ||fairvital.com/images/skyscraper_$third-party -||faktenpedia.de/layer- -||fandealer.de^*/promo/ -||fantasticzero.com^*/skinnings/$third-party +||fairvital.com^*/banner_$third-party +||fantecio.com/ib/$third-party ||fastad.beepworld.de^ -||fc-moto.com/bild/$domain=offroadforen.de -||festivalfick.com/banner/$third-party -||fettverbrennen.net/bilder/banner/ -||film2mp3.com/images/banner$third-party -||financeads.net/tb.php$third-party -||finanzen.de/banner/$third-party +||files.kartenlegen.gratis^$third-party ||finanzen.net/partner/$subdocument,third-party,domain=~finanzen.at -||finddy.de/banner/$third-party -||finerio.de/box/$subdocument,third-party ||fireradio.fm/img/banner/$third-party -||firstload.de/affiliate/ -||flatrate-4all.de^*/adultfrendfind.jpg -||flirttoday.de/banner/ ||flirty.com/?pr=*&wm=$subdocument,third-party -||flymedia.de/banner/$third-party -||forgif.me/ads^ -||free-lancer.eu/portfolio/$third-party -||free-toplisten.at^$third-party -||freenet.de^*&affiliate=$script -||freepremium.de/?ref=$third-party -||fritzdyn.de/banner.gif ||fs-location.de/img/partner/ -||fuckmetube.org^$subdocument,third-party ||fuckshow.org^$subdocument,third-party -||g-stream.in/js/sms.js +||funke.code.outtra.com/outtra- ||gameliebe.com/affiliate/$third-party -||gamercharts.com^$subdocument,third-party -||gan.wavecdn.net^ +||gamesports.net/website_partners/ ||gay-thailand.de^*/gay-thailand468x60.gif -||gbseite.de/script.php?s=$third-party -||geilefreundin.com/index.php?ref=$third-party -||geilelivecams.net/hsa/$third-party -||generika-bestellen.net^$subdocument,third-party -||geobanner.germanfriendfinder.com^$third-party -||geschenkidee.ch^*/ad/ ||getdigital.de/banner/$third-party -||gewinnspielnetzwerk.de/layer.php ||globetrotter.de/de/service/banner/$third-party -||go-doja.de/ComInfo/DOJA_BA/$third-party -||goal4glory.dyndns.org/images/banner/$third-party -||gold-super-markt.de/affiliate/ ||goldsilbershop.de/widgets/$third-party -||gooof.de/sa/$third-party ||gpaf.net/b/$third-party -||grauzone.biz/images/grauzone_$third-party -||gulli.com/vote/$third-party -||gutscheinstore.com/fullsizebanner.gif +||gratisland.de/rsbanner234x60.gif ||hallimash.com/werber/$third-party ||hamster.cc^*.php$subdocument,third-party -||handball-revolution24.de/content/sis_slider_$image,third-party -||handy-find.de/banner/$third-party -||handyz.de/spank.php ||happyweekend-community.com/banner/ -||happywins.com/images/banner/ -||hd-load.org/linkus/ -||hd-vidz.net/layers.php -||heimatdeal.de/banner/ -||heisebanner.geizhals.at^ -||herror.de/scyscraper.$third-party -||hitfox.com/widget-$subdocument,third-party -||hitnova.to^$subdocument,third-party -||hm-sat.de/b.php$third-party -||hmsat.de/banner/ -||hot-porn-ddl.com/partner/$third-party -||hot-wire.de/hwbanner.php$third-party -||housebeats.cc/link_us/$third-party +||heise.de/assets/pvg/widget.js$domain=hamburg-magazin.de|kiel-magazin.de|luebeck-magazin.de +||heutenochficken.com/banner/$third-party +||hofmann.info^$subdocument,domain=sgf1903.de +||hubu.cloud/app/amz +||hubu.cloud/app/js/b2/ +||hubu.cloud/app/js/b3/ +||hubu.cloud/app/js/md/ +||hubu.cloud/app/js/med/ +||hubu.cloud/app/js/media/ +||hubu.cloud/app/js/pux/ +||hubu.cloud/app/js/xux/ +||hubu.cloud/vast/ ||hurenkartei.com/teaser-$third-party -||hypnoseakademie.de/banner/$third-party -||ichwuerde.com/images/$third-party +||hyp-tech.com/img/$third-party ||icq-love.de/show_icqt.php$third-party ||icq-styler.de/promo.html ||idealo.de/extern/IdealoWidget.php? ||idealo.net/js/idealoWidget-$third-party ||idealo.net/widget/ -||ideecon.com^*/iphone4-ohne-vertrag-ratenkauf.gif -||igijon.com/personales/cyonix/$third-party -||img.share-online.biz^$third-party -||imgimg.de/popit/ -||immoversum.com/index/wb_suchform$third-party -||inlinks.com^*/banners/$third-party -||innova-zivilschutz.com/banner/$third-party +||imaxcdn.com/promotool/banner/$third-party +||imgload.org/images/jpbannerfb8d0.jpg$domain=myboerse.bz +||imgur.com/0OkYj6J.png$domain=mmnews.de +||imgur.com/flJZ3gf.gif$domain=mmnews.de ||internetoptiker.de/banner/$third-party -||iphoone.de/images/banner/ +||inv.lapippa.com^ ||iphpbb3.com/banner4_iframe.html -||islamicrelief.de^*/banner/$third-party -||italo-tuning.de/images/*banner.gif$third-party -||its.de^*/banner/$third-party -||jappy.tv/i/banner/$third-party -||jobscout24.ch/JS24Templates/Companies/$subdocument,third-party -||joycash.joydate.com^$third-party ||joyclub.de/partner/aff/ ||js.stroeermediabrands.de^$third-party ||kai-homilius-verlag.de/bilder/banner/$third-party -||kalaydo.fnp.de^ -||kart-club-trier.de/images/banners/ -||kaufda.de^*/widgetinitializer.js$third-party ||kein-dsl.de/banner/$third-party ||kfz-gutachter-service.de/kfz.jpg -||kgmx.de/layer/ -||kka.agitos.de^ -||kka.idg.de^ -||klamm.de/banner/$third-party -||klammgeil.de/vms/$third-party -||koelschwasser.eu/community.php$third-party +||klasse2000.de/fileadmin/user_upload/webbanner/$third-party +||koketti.com/ib/ ||konsi-shop.de/images/banner/ -||konsolenshop24.com/360hacks/ +||kontakt-vermittler.de/banner2/$third-party ||kontaktanzeigenmarkt.de/br/$third-party -||kopp-verlag.de/$WS/kopp-verlag/banners/$third-party -||kostenlose-hp.de/grafik/$third-party -||kostenloser-suchmaschineneintrag.de/grafik/banner/$third-party -||kunden-bonus.de/?sh=*&tr=*&s=$third-party -||kundwerk.de^*/kv_banner_$third-party -||lavire.de/layer.php +||kopp-verlag.de^*/banners/$third-party +||ladbrokes.hs-edge.net^ +||laptops-fair.de/img/$third-party +||lcmmedia.de/kamp/ ||lead-alliance.net/tb.php$third-party -||lechuck.otogami.de/assets/*/OtogamiWidget.js$third-party +||lebt-noch.de^$domain=chip.de ||lieferando.de/widgets/$subdocument,third-party -||ligaportal.at/images/promo/$third-party -||linkbase.in/banner.png -||load.to/images/banner/$third-party -||loadsieben.org/banner/ ||logiprint.com/partner/$third-party +||lotto-hh.de/lh/widget1/$subdocument,third-party ||lotto24.de/?partner=$subdocument,third-party -||lpsoldier.de/banner_$third-party -||mafia-banner.myftp.org^ -||mafia-losebank.de/bilder/banner -||mafia.to/popup.php -||mafia.to^*/popup.js$third-party -||marketing.gamesload.de^$third-party +||lustgate.org/images/cbanner/$third-party +||marketing.net.beate-uhse-movie.com^$third-party +||media*.s24.com^$third-party ||media.alphaload.com^ -||mediaplazza.com^*/topboxgames.php?$third-party ||medipreis.de/partner/$third-party -||meinpaket.de/img/dhl/$third-party -||microstrom.com/banner/$third-party -||microtarife.de/bild/$third-party -||mister-load.com^$third-party -||mobil-king.de/banner/$third-party +||middleware.marktjagd.de^$third-party ||mobildiscounter.de/banner/$third-party -||mobile360.de/feedbox/inline$third-party -||mobilefun.de^*/cpgf4m.gif$third-party ||modellplan.de/banner/$third-party -||momentblick.de/promotion/ +||modules.wikifolio.com/v2/de/autocontent/stock/*?partner= ||mondrian.twyn.com^$third-party -||moneyspecial.de^*/banner/ ||monsterdealz.de/images/$third-party ||monsterdealz.de/script.js ||monstersgame.net^*&vid=$third-party ||montessori-shop.de/banner/$third-party ||mothor.de/webbanner/ -||motorrad-link.de/shop/catalog_extern.php -||movie-blog.org^*/layer2.js -||mp3kingz.org/img/banner_ -||mpros.de^*/show_widgets-$script,domain=~meinprospekt.de -||multi-media-marketing.de/bannermuster/$third-party ||musica.at/banner/ -||my.brandwire.tv/sites/$third-party ||mydirtyhobby.de/track/$third-party -||mystylehit.de/images/banner/$third-party -||n-romserver.de/banner/ -||natursubstanzen.com/banner.gif -||navisys.de/download/banner-blitzer.gif -||nazometer.in^$subdocument,third-party -||neolumic.de^*/banners/$third-party ||nestoria.de^*?partner=$script,third-party ||netatwork.de^$subdocument,third-party -||netload.in/share/images/$third-party +||netzis.de/Banner/$third-party ||newsticker.save.tv^$third-party ||nexworld.tv^*/banner/$third-party -||nexxcdn.com/banner/ -||nordsport-shop.de/content/$third-party -||npage.de/banner/ -||nurprivat.com/a/$third-party -||nx8.de/nx8de_*.jpg$third-party +||oddsserve-wqps7yvkz.stackpathdns.com^ ||oecherdeal.de^$subdocument,third-party -||oekoportal.de/banner/$third-party -||offizielles-umfrageportal.de/leads/$third-party ||okm-community.com/banner/$third-party ||om.1und1.info^$third-party ||om.dsl.1und1.de^$third-party -||omsnative.de/nativendo.js ||online-casino.de^$subdocument,third-party -||onlinepresse.info/bild/$third-party -||onlyfun.to^*/onlyfun-rectangle. -||opendownload.de^$third-party -||osnatel.de/swf/osnatel_kampagne_ -||ox.comventure.de^ -||pacific-blue.ch/banner/$third-party -||padenema.de/images/stories/$third-party -||pap-partner.flirtfair.de^$third-party -||partner.auxilis.de^$third-party -||partner.clubandmore.de^$third-party -||partner.cuxxu.net^$third-party -||partner.dasoertliche-marketing.de^ -||partner.dhl.de^$third-party +||partner.fondsdiscount.de^ ||partner.gewinnspiele.de^$third-party -||partner.gorillagaming.de^$third-party ||partner.leguide.com^$third-party ||partner.maxxim.de^ -||partner.share-online.biz^$third-party ||partner.simplytel.de^ -||partner.stellenanzeigen.de^$third-party -||partner.teufel.de^ -||partner.toptarif.de/go.cgi?pid=$image,third-party ||partner.zooplus.de^$third-party ||partnerprogramm.e-wie-einfach.de^$third-party -||partners.eatsmarter.de^ -||partnervermittlung.elitepartner.de^*^emnad_id^$third-party -||partyfans.de/145x300.gif +||partners2.das-onlinespiel.de/client.js?pid=*&_=2.12.3|$script,domain=games.focus.de|spiele.bild.de|spiele.stern.de +||partners2.das-onlinespiel.de/client.js?pid=pg_bildnew_kwr&zone=crosswords$domain=spiele.bild.de ||partyschnaps.com/banner/$third-party -||pass.ch/wp-content/uploads/*/PASS-Banner- +||pccdn.com^*/banner/$third-party ||pearl.de/adwpmulti.jsps?$third-party ||pearl.de^*/microsites/$third-party -||pfoetchen-talk.de/banner/ ||phonepublisher.com/banner.do? -||pic4free.net/gfx/banner/$third-party -||picception.com/banner/ ||pillendienst.com^$third-party -||piranho.de/a.php$third-party -||pizza.de^*/banner_$third-party -||planungswelten.de/external_widget.php?$third-party -||playnik.com/verbraucherinformationen.js.php$third-party ||pm.bumskontakt.com^$third-party ||pm.deinfickdate.com^$third-party ||pm.deinsexdate.com^$third-party @@ -1437,363 +1106,174 @@ guterhut.de,hardwareluxx.de,hbf-info.de,rakuten.at,rakuten.de,zalando.de#@#div[i ||pm.sofortficken.com^$third-party ||pm.swingerdatenbank.com^$third-party ||pm.tittendating.com^$third-party -||pndapi.com/?proj=$subdocument,third-party -||pocket.at/banner/herold300x250.swf -||ponsline.net/assets2/Banner_ -||pop-radio.de/banner/$third-party -||pornbang.org/images/content/$third-party -||porndude.com^*/layer.php? -||pornme.com/banners/$third-party -||pornme.com^*/iframegenerator/$third-party ||pornme.pm/wrb/ -||pornsearch.to/images/banner/ -||power-affiliate.6x.to^$third-party -||power-affliate.blogspot.com^$third-party -||powerdownload.info/pd/ -||ppro.de/creatives/$third-party -||ppro.de/image/$third-party -||preis-vergleich.tv^$subdocument,third-party -||premium-zone.us/banner.png -||premiumpromotions.at/indexservlet?$subdocument,third-party -||prepaid-fakten.de/go/webnapping/$third-party +||portale.news^*/banners/$third-party ||primusportal.de/banner/$third-party -||privat-akt.com^*/banner/$third-party ||privatamateure.com/?wmid=*&program=$third-party -||privathobby.com^$third-party -||probefahrten.cc/campaigns/$third-party -||probefahrten.cc^*?subid=$subdocument,third-party ||profiseller.de/banner/$third-party ||profiwin.de^$subdocument,third-party -||promotion.coreg.de^$third-party -||promotion.mmxlive.com^ ||promotionmaterial.betacash.com^ ||prospekt38.de^*/widget.php?anbieter_id=$subdocument,third-party -||psw.net/banner.gif$third-party -||psychologe.de/partner/$third-party ||publisher.outtra.com^$third-party -||publisher.spoods.de^$third-party -||pvnsolutions.com/brand/hoh/file/*/schottenland/$domain=hoh.de -||px24.com/promotion/$third-party -||pytalhost.de/images/wpmhome.gif -||qooia.com/interstitial/$third-party ||questler.de/gfx/banner/$third-party ||rabattcorner.ch/iframe/$subdocument,third-party -||rabattsparer.de/banner234x60.gif -||raenox.com/vote/$third-party -||randyrun.de/affil/ -||ranklist.us/in.php$third-party ||ranksider.de/img/banner/$third-party -||rapidflat.com/?a=$third-party -||rappelblog.de/test1.html$third-party -||rc-network.eu/banner/ -||rechemco.com/media/mw_affiliate/ -||red-stripe-beer.de/arnold.jpgbanner/ -||relink.us/js/landingpage.js -||reporter-ohne-grenzen.de^*/tx_ricrotation/$third-party +||rastplatzsex.com/banner/$third-party +||recht-aktuell.de/js.ads? +||ref.cdnplus.de^$third-party +||rev.lapippa.com^ +||rhein.rfw-koeln.de^$third-party +||rocketcdn.me^*/Banner_$domain=marktindex.ch ||roemerforum.com/banner/ ||rotlichtkartei.com/banner/$third-party -||rsp24.com/rsp_ap/*/rsp_pkv_$third-party -||rss-warez.org/partner/$third-party -||ruhrgebiet.ws/test/$third-party -||s1.ja-pics.net^$subdocument,third-party -||saarland-deals.de/*-widget/$subdocument,third-party -||safeterms.de/images/public/banner/$third-party -||sandra-messer.info/wp-content/uploads/*/video-newsletter.gif$third-party -||sat-bay.de/Shop/$domain=sat-erotik.de|satindex.de -||sat1.de/ran/clsponsor_opener_short_$object-subrequest ||satchef.de/banner/$third-party ||satking.de/images/banners/$third-party -||satkontor.de/banner/$third-party -||satplace.de/banner/$third-party -||satshop24.de/banner.gif -||schmunzelseite.de/layer/ -||schule-studium.de/images/schulportal_$third-party -||schule-studium.de/microbanner-$third-party -||scooter-attack.com/banner/ ||secure-host.de/banner/$third-party ||secure-host.de^*/banner/$third-party -||seriously.de/scripts/*/export.php$third-party -||server.nitrado.net/img.nitrado/nitrado_$third-party -||server.nitrado.net/img.nitrado/nitrado_minecraft1_ -||server4.pro/images/banner_$third-party +||seitensprungarea.com/medien/$third-party ||sexei.net/com/ -||sexeldorado.ch/banner/$third-party -||shopfacer.de/images/banner/ -||shoplove.com^*/widget2.min.js?appKey=$third-party -||shopprops.de/flashbanner/$third-party -||shopwelt.de^*/widget.js$third-party -||shoutbox.de/ad/ +||sexkontaktportal.com/banner/$third-party ||shuuz.de/banner/ ||silbertresor.de^*/banner/$third-party ||sims-3.net/xbox.jpg -||sims-it.net/az.html$third-party -||skipmp3.com/affiliate/$third-party -||skmainz.de/banner/$third-party -||sky-abonnieren.de/banner/ -||skyfillers.com^*/banner/$third-party -||slapped.de^*/banner/$third-party -||slimm.de^$subdocument ||slotkings.de/img/banner/$third-party -||smoketown.de/banner/$third-party -||sms4fans.de/img/banner$third-party -||smsdate.com/lovefinder.php$third-party -||sn-multimedia.de/download/bannersn.gif +||smskontakt.ch/images/$third-party ||sn-multimedia.de/weitereangebote-v2/$third-party ||sn-multimedia.de/weitereangebote/$third-party -||snapr.to/images/banner- -||sofadeals.com^$subdocument,third-party -||softwaresammler.de^$third-party +||sonnige-aussichten.ch/_img/ad/$third-party ||sorgenlos.de^*/banner/ ||space4free.net/images/banner/$third-party -||spambog.com/outsource/$third-party -||spar-city.de/promo/$third-party -||spar-mit.com^*-banner/$subdocument,third-party -||spieleprinz.com/?$subdocument,third-party -||spieleprinz.de/?$subdocument,third-party -||spieletipps.de/img/cheatzpartner.gif$third-party -||spielotheka.de/layer.js +||spotlight.offerista.com^$third-party ||sprachenlernen24-download.de/banner/ -||spwear.de/images/banner/$third-party -||spyoff.com/wp-content/uploads/*/spo_bs_$third-party -||spyoff.com^*/SpyOff_Banner -||star-toplist.com/votebanner.png$third-party +||start.amateurcommunity.com^ +||start.sexpartnercommunity.com^ ||starting6.de/dyn_banner/$third-party ||startparadies.de/banner/$third-party -||stealth.to^$subdocument,third-party -||strato.de/banner/$third-party -||stroeerdigitalgroup.de/metatag/$third-party -||stroeerdp.de^*/affiliateId +||storage.googleapis.com/ba_utils/ ||suchebiete.com/bilder/allgemein_kleinanzeigen.png -||sug.ag/banner/$third-party +||suedtirol.live/delivery.js ||sunpepper.de/shop/banner/$third-party -||sunshine-space.it/_raika_lana/ -||sunshine-space.it/banner/ -||superwin.de^$subdocument,third-party -||superwin.de^*/anzeige.jpg -||syteapi.com/assets/imajs.js -||t-shirt-drucker.de/banner/$third-party -||talkplus.de/banner/$third-party -||tarifdoc.de^$subdocument,third-party -||tarifliste.com^$subdocument,third-party -||tek.ag/pub/$third-party -||tele.net/shoppingbanner.php? -||templatebase.de/partner_show_banner.php$third-party -||tilda.ch/banner/$third-party -||tilllate.com^*/campaign/$subdocument,third-party -||tinyprice.de/aktion/$third-party -||tnm.de/wa/ad? +||tdn.da-services.ch^ +||telefon-sex-luder.com/banner/ +||telsso.de/dnwe//gallery/*-800x250-billboard-$domain=biallo.de +||tennis.de/dtbdst/$domain=dtb-tennis.de ||tnt-game.com^*/banner/$third-party -||top-ddl.com/top/in.php$third-party -||top-of-software.de^$third-party -||topdeals.de/ug-banner/$third-party -||toplist.ddl-board.com^$third-party -||toplist.deluxestream.info^$third-party -||toplist.drei.to^$third-party -||toplist.raidrush.ws^$~image,third-party -||toplist.to^$third-party -||toplisted.in^$third-party -||toplisted.us^$third-party -||toplistenservice.de/generator.php?$third-party -||topscore.in/in.php$third-party -||topsites24.de^$third-party -||torrent-hitz.to^$subdocument,third-party -||totalokal.de/imgs/btn_$third-party -||trackfox.com^ -||trackfox2.com^ -||travoya.de^*/banner/$third-party -||tripadvisor.ru/WidgetEmbed-tcphoto?$domain=russland-heute.de +||trafico.prensaiberica.es^ +||trainersuchportal.de/partnerwidget/$third-party +||treff-mich.org/bilder/$third-party ||trivago.de/de/srv/destination/js/hotel_$script,third-party -||tui-connect.com/a?$third-party -||tuifly.com/partner/$third-party -||tuneup.de^*/affiliate/ -||tuneyourscoot.com/images/banner -||turbo-promo.de/banners/ -||turnschuh-lose.de/img/banner/ -||ui-portal.de/uim/*/promo/ -||ui-portal.de^*/topper.js -||ultramailtausch.de^$subdocument,third-party -||unicef.de/ueber-uns/bannercenter/? -||united-lama-marketing.de/webmaster/$third-party +||twincdn.com/special/back_script.js +||twincdn.com/special/special_script.js ||upjers.com/ext/ext.php$third-party -||urban-media-berlin.de/pdfad/$third-party ||venus-community.com/banner/$third-party ||verleihshop.de/gfx/partner/$third-party ||versandtarif.de^*?partnerid=$third-party -||verschenkehandy.de/?pid=$third-party -||vertical-n.de/scripts/*/mediumrect.js -||vertical-n.de/scripts/*/sky.js -||vertical-n.de/scripts/*/supb.js -||verticalnetwork.de/scripts/*/mediumrect.js -||verticalnetwork.de/scripts/*/sky.js -||verticalnetwork.de/scripts/*/supb.js -||vetalio.de/partner/$third-party -||videobuster.de^*?adid=$third-party -||vienna.at/banner/ +||vesalia.de/af.gif$third-party ||view.autoscout24.de^$third-party -||view.ilove.de^$third-party -||view.jamba.de^$third-party ||visit-x.net/001/$third-party ||viversum.de/partnerprogramm/$third-party -||volksbank-oberberg.de/banner/$third-party -||vorratsdatenspeicherung.de/images/akvs*.gif$third-party -||vote4me.de^$third-party -||vote4warez.com^$third-party -||w3server.eu/show.php$third-party -||w3statistics.com/img/$third-party -||waiwidgets-*.amazonaws.com^ -||wallpaper-arena.to/images/banner/ -||warumzahlen.de/images/banner/$third-party -||watchever.de^*^ifw^*^ifh^$third-party -||watercool.de/images/wc_banner_ -||webguidez.de/test/images/ -||webme.com/pic/a/airbagmodul/$third-party -||webme.com/show.php? -||webspace.webhoster.de^$third-party -||wichsfleck.com/layer.html -||widget.kaufda.com^$third-party -||widget.marktjagd.de^$third-party -||widget.s24.com/js/s24widgetv6.min.js$third-party -||widget.s24.com^*/s24widget.min.js$third-party -||widget.spoods.io/loader.js +||wazazu.com/iframe/$third-party +||wazazu.com/js/pu_$third-party +||wazazu.com/pimage/bas/$third-party +||wazazu.com/pimage/sdc/$third-party +||wazazu.com/pimage/visit-x/$third-party +||web-ads.10sq.net^ +||weekli.de/widget-loader?$third-party +||weekli.systems/www/widgets/$third-party +||werbemittel.adisfaction.de^$third-party +||wgfreiheit.de/fileadmin/web_banner/$third-party +||widget.marktjagd.de^ +||widget.medianord.de^$third-party +||widget.s24.com^$third-party ||widgets.cam-content.com^$third-party -||widgets.goldankauf123.de^ -||widgets.mywai.de^ -||wikifolio.com/de/Modules/Infobox?partnerid=$subdocument,third-party +||wien-girls.at/img/ba/$third-party ||wm-space.youero.com^ -||wogibtswas.at/widget/$third-party -||woom.ws/banner/ -||world-pictures.de/banner_ -||world-pictures.de/daks_banner.jpg -||world-pictures.de/logo_purelements.jpg -||world-pictures.de/logo_summit.jpg -||world-pictures.de/outdoorshop.jpg -||world-pictures.de^*_150x150.gif -||woz.to/vote/$third-party ||wpseo.de/banner/$third-party ||wpseo.de^*/banner/$third-party -||wundert.at/banner/ -||wurzelimperium.de/banner/ -||x2.to/img/x2-rectangle.jpg -||x7.to/foyer/*/premium$third-party -||xobor.miranus.com^ -||xxx-4-free.net/banner/ -||xxx-hitz.org^$third-party -||xxxporn.to/banner/ -||yourdealz.de/yourdealz.gif -||yourdealz.de/yourdealz2.gif -||youspacko.com/com/ -||zeiss.de^*/containertitel/*/*file/$third-party -||zock4help.de/banner/ +||xup.to^$domain=raidrush.ws +||yogsototh.bytecamp.net^$third-party +||yospace.com/csm/access/$domain=magentamusik.de +||youtube.com/embed/YTW9icnws8I$domain=nachrichten.fr ||zweitfondsmarkt.de/banner/$third-party -||züri6.ch/adsman/$third-party -||züri6.ch/banner/$third-party ! *** easylistgermany:easylistgermany/easylistgermany_thirdparty_popup.txt *** ||1und1.de/?__reuse=$popup,third-party +||adfarm1.adition.com^$popup,domain=web.de +||allround-pc.com^*.php?*=$popup ||amateurseite.com^$popup,third-party ||bigpoint.com^*?aid=*&aig=*&aip=$popup,third-party +||boerse.today^$popup,third-party ||china-gadgets.de^*&utm_medium=popdown&$popup,third-party -||ddl-network.org/ad/$popup +||ddownload.com^$popup,domain=ddl-warez.cc ||dealdoktor.de^*&utm_medium=popdown&$popup,third-party +||deutscherflirtbook.com/landing*&aff_$popup,third-party ||escaria.com/public/static/teaser/?$popup -||exnzg.de/go.cgi?pid=*&wmid=*&cpid=$popup,third-party ||ext.amateurcommunity.com^$popup,third-party ||ext.amateurcommunity.de^$popup,third-party -||geile-sexseiten.info/ac/$popup,third-party -||getshortnews.in/do.php$popup,third-party -||glomex.com^$popup -||handy-toplist.de/vote/$popup +||gg-bet.de^$popup +||ggbetcasino.de^$popup ||ilove.de^*/landing_pages/$popup +||ishelminger.de/ad/$popup +||katfile.com^$popup,domain=ddl-warez.cc ||landing.sexkiste.com^$popup ||lp.amateurcommunity.com/index.php?cp=$popup,third-party ||lustagenten.de/?w=$popup,third-party -||mannagor.de/?track=ad:$popup,third-party -||mediadealr.com^$popup,third-party ||o2-freikarte.de/affiliate/$popup -||oboom.com/ref/$popup -||ollys.to/?td=$popup,third-party +||pre.xkontakt18.com/campaign?$popup +||pre.xlust24.com^$popup +||probefahrt.gratis^$popup +||putenbrust.net^$popup ||sau-billig.net/?log=$popup,third-party -||shortnews.de^*_adtext_id=$popup ||sloganmaker.net/?utm_campaign=*&utm_source=$popup,third-party -||smoozed.rocks/landing/$popup,third-party -||smstune.de/la/$popup +||smsdate.com^$popup +||start.sexpartnercommunity.com^$popup ||sunmaker.com/?a_aid=$popup ||tagoria.net/?ref=$popup,third-party ||taps.io^*/sms?__ref=$popup -||tarifliste.com/index.php?log=$popup,third-party ||teufelchens.xxx/trade_in/$popup,third-party +||tracking.s24.com^$popup,third-party ||tuneclub.de^*/lp.pl?$popup +||vavoo.tv/promo/$popup,third-party ||vidonna.de/pop.php$popup,third-party ||vodafone.de^*&tsid=$popup,third-party -!-------------Seitenspezifische Regeln zum Blockieren von Werbung-------------! +||vulkanbet.pro^$popup +||vulkanbetting.biz^$popup +||vulkanvegas-de.com^$popup +! -------------Seitenspezifische Regeln zum Blockieren von Werbung-------------! ! *** easylistgermany:easylistgermany/easylistgermany_specific_block.txt *** -&campaignid=*&zoneid=$domain=technic3d.com -/oase_banner.jpg$domain=mysummit.wordpress.com -/worker.php$domain=filmpalast.to -/www/images/*$domain=technic3d.com -^what=zone^$domain=ww3.cad.de -|blob:$domain=hdfilme.tv -|http:/$third-party,xmlhttprequest,domain=hdfilme.tv +$stylesheet,subdocument,third-party,xmlhttprequest,domain=canna-power.to|canna.to +/as1.php$domain=boerse.ai|boerse.am|boerse.im|boerse.kz|boerse.sx|boerse.tw +/b.php$domain=boerse.ai|boerse.am|boerse.im|boerse.kz|boerse.sx|boerse.tw +^what=zone^$domain=ww3.cad.de|ww4.cad.de |http://$subdocument,third-party,domain=bonimail.de -|http://byte.to^$script -|http://lustich.de/bilder/*_*- -||1000hp.net/banner/ +||112-magazin.de/images/banners/ +||14-tage-wettervorhersage.de^*/anzeige_ ||149.13.77.20^$domain=ww3.cad.de -||193.107.16.142/f.php -||1jux.net/js/1l.js -||1jux.net/js/4p.js -||1jux.net/js/4p2.js +||1t2.alpin.de^ +||1t2.kicker.de^ ||1und1.de/movein_$xmlhttprequest -||1zwo.in/kwa.php -||20min.ch/werbung/ -||24-tv.tv/images/banners/ -||2concert.de/banner/ -||2download.de/js/jquery.simplemodal.*.min.js -||320k.in/jscript/layer.js -||3dl.tv/public/images/smb.png -||4-seasons.tv^*/FsProducts.swf -||4memes.net/rec$subdocument -||4pcdn.de/premium/GameAccessories/*/310x120mifcom_battlebox.jpg$domain=4players.de -||4pcdn.de/sourcen/portal/MIFcom/$domain=4players.de -||4players.de/4pl/wallpaper/ -||4players.de/javascript/4players/billiger.de.js -||4players.de/screenshoot/ -||4players.de/screenshot/ -||4players.de/screenshots/ -||4players.de/sourcen/portal/4players/utraforce/ -||4players.de^*/vast.js -||4taktershop.de^$subdocument,domain=rollertuningpage.de -||5-jahres-wertung.de/apd/online/5-jahres-wertung-dateien/image*.gif -||5-jahres-wertung.de/apd/online/5-jahres-wertung-dateien/image*.jpg -||5-jahres-wertung.de/cl/online/cl-dateien/image*.jpg -||5-jahres-wertung.de/el/online/el-dateien/image*.jpg -||5-jahres-wertung.de/forum/images/other/*.jpg -||5-jahres-wertung.de/grafiken/logos/banner1und1shop2.jpg -||800gs.de/images/tpa/duonix/ -||87.237.123.50/jcorner.php$domain=mydia.de -||90elf.de^*/buderus_banner_ -||a0.raidrush.org^ -||aachener-zeitung.de/zva/container/kalaydo/ -||abakus-internet-marketing.de/img/forum-800_120_ +||3drei3.de/3tres3_common/pub/ +||3druck.com/wp-content/uploads/*/3Dmensionals-3druckcom3.jpg +||3druck.com/wp-content/uploads/*/adin.jpg +||3druck.com/wp-content/uploads/*/craftbot.jpg +||3druck.com/wp-content/uploads/*/da-vinci-color.jpg +||3druck.com/wp-content/uploads/*/doku-dez-2020.jpg +||3fach.ch/storage/app/uploads/public/*/thumb_18790_1380_0_0_0_auto.jpg +||6chat.org/b1a8/ +||6navi.ch/banners/ +||6profis.de/banner/ +||a.zdg.de^ +||a2.zdg.de^$domain=zentrum-der-gesundheit.de +||a3.zdg.de^ +||a3kultur.de/sites/default/files/styles/anzeigen_250/ +||abg-net.de/typo3temp/pics/f3f468fcef.png ||abg-net.de/uploads/tx_macinabanners/ -||abload.de/deals/teaser.php -||abload.de^$domain=ul-load.com|uploaded-premium.ru -||abnehmen.com^*/ebay_logo.gif -||access-im-unternehmen.de/fileadmin/php/layer.js -||achtzehn99.de/assets/banner/*x526 -||achtzehn99.de/themes/hoffenheim/images/banner_ -||ad-hoc-news.de/js/jquery.lightboxad.js -||ad-hoc-news.de/theme/classic/swf/billboard- -||ad-hoc-news.de/theme/classic/swf/headbanner- +||ad-hoc-news.de/js/aTraffic.js +||ad.dl.dewezet.de^ ||ad.dslr-forum.de^ ||ad.games.ch^ -||ad.main-netz.de^ -||ad.putenbrust.net^ -||adbl.spieletipps.de^ -||addicted-sports.com/fileadmin/banner/ ||adhocnews.de/static/spreads/ ||adhocnews.de/theme/classic/img/billboard- -||adhs-zentrum.de^*.php$subdocument -||adn.meinsol.de^ +||aedt.de/uploads/jcw-marketing.jpg ||aerger.tv/images/03-1.gif ||aerger.tv/images/a.gif ||aerger.tv/images/b.gif @@ -1804,6578 +1284,4454 @@ guterhut.de,hardwareluxx.de,hbf-info.de,rakuten.at,rakuten.de,zalando.de#@#div[i ||aerger.tv/images/sch_de.gif ||aerger.tv/images/sozhius.jpg ||aerger.tv/images/wer.gif +||aerzteblatt.de/inc/js/ba_utils/arzt.js ||affiliate-marketing.de/media/banner/ ||affiliate-marketing.de/media/medienpartnerschaften/ -||africa-live.de/!banner/ -||ak-kurier.de/akkurier/www/images/headerhoehn.gif -||ak-kurier.de/akkurier/www/images/headerhoehn.jpg -||ak-kurier.de/akkurier/www/images/iphonerepa.gif -||ak-kurier.de/akkurier/www/images/telehot -||ak-kurier.de/akkurier/www/pic/$object -||ak-kurier.de/akkurier/www/pic/dbeyer_250_200.swf -||ak-kurier.de/akkurier/www/pic/indupamitte.png -||ak-kurier.de/akkurier/www/pic/tbechera13.png -||ak-kurier.de/akkurier/www/pic/toyotaadorfmitte.gif -||akkuschlapp.de/images/asuv_leaderboard.jpg -||alatest.de/banner/ -||alatest.de/banners.php? -||alkoblog.de/wp-content/uploads/*/banner_weisshaus_ +||africa-positive.de/wp-content/uploads/*/werbung_ +||afterbuy.de/images/*/minibanner_$domain=thinkpad-forum.de +||ag-muensterland.de/Banner_ +||airtable.com^*/Superbanner728x90$domain=mediabiz.de +||ak-kurier.de/akkurier/www/images/ +||ak-kurier.de/akkurier/www/pic/ +||ak-kurier.de/akkurier/www/upload/ +||aktuell-kl.de/images/banners/ +||akustik-gitarre.com/uploads/tx_ricrotation/ +||algarve-entdecker.com/wp-content/uploads/*/xbanner- +||alles-mahlsdorf.de/wp-content/uploads/*-Banner- +||alles-mahlsdorf.de/wp-content/uploads/*-werbung- +||allkeyshop.com/blog/wp-content/uploads/Game_over_2023_sale_-_AKS-up.webp +||allround-pc.com/com$image ||altesrad.net/phpBB3/images/banner/ -||amadeal.de/pics/240.gif -||amateur-blog.org^*.php|$script -||amateur-blog.org^*/rotator.php -||amazon.de/aan/$subdocument -||amazonaws.com/cloud-s.ndimg.de/$domain=netdoktor.de -||amerika-forum.de^*/ebay_logo.gif -||amerikanisch-kochen.de/bilder/GlamFood_ -||androidpit.de/swf/app-seller.swf?xmlpath=$object -||anime-loads.org/images/c3on9.jpg -||anisearch.de/affi.php? -||antenne-frankfurt.de/tl_files/img/partner/ -||anthrojob.de/images/banners/ -||anzeiger-news.com/portals/willowtree/ -||apfeleimer.de/wp-content/uploads/*/i5b-$image -||apotheke-adhoc.de/banner/ -||appsundco.de^$domain=schulterglatze.de +||amazonaws.com/bnp_657x209_$domain=finanzen.net +||amigafuture.de/images/amazon234x60_ +||amigafuture.de/images/oben/amigastore.png +||analysedeutschland.de/files/cltimage/ +||and6.com/images/ixsBanners/ +||andalusien-aktuell.es/wp-content/uploads/*/la-casita-blanca.jpg +||andalusien-aktuell.es/wp-content/uploads/*/online-hypnose.png +||animania.de/wp-content/uploads/*_Wallpaper_ +||anime2you.de/fallback_rotation_2022.php +||anime2you.de/koop-home/ +||anime2you.de/koop/ +||anisearch.de/amazon? +||anisearch.de/images/partner/ +||anti-spiegel.ru/banner/ +||apfelpage.de/wp-content/uploads/*/mbp-apple.jpg +||apfeltalk.de/banner/ +||apfeltalk.de/magazin/wp-content/uploads/*_Banner_ ||arbeitstage.at/pub_ +||arbeitstage.ch/pub_ ||arbeitstage.de/pub_ -||areamobile.de/service/gads/ -||argovia.ch/promotion/ -||artikelpedia.com/js/*-*.js| -||astronews.com^*_3.js -||asv-hamm-westfalen.de/images/stories/marketing/*-Anzeigesimpli.jpg -||asv-hamm-westfalen.de/images/stories/marketing/*-hauptsponsoren.jpg -||ate.spritmonitor.de^ -||atelco.de/ai/swf/banner200_ -||atomload.to/images/fd_banner.gif -||atomload.to^*/jspop.js -||atv.at/adonly? -||au-ja.de/banner/ -||audiovision.de/assets/templates/av-template/cocoon/dateien/*.swf -||augsburger-allgemeine.de/cms_media/module_wb/$image,object -||augsburger-allgemeine.de/img/incoming/*/xxl-DonDent.jpg -||augsburger-allgemeine.de/incoming/*.ece/binary/$image -||augsburger-allgemeine.de/incoming/*.ece/binary/*.swf -||augsburger-allgemeine.de^*/sky_$object -||augsburger-allgemeine.de^*/Skyscraper- -||austrianaviation.net/uploads/tx_macina/ -||austriansoccerboard.at/banner/ -||austriansoccerboard.at/public/banner/ -||austriansoccerboard.at/public/sponsoren/ +||architekt.de/grafik/handwerker.de- +||areadvd.de/images/*/Nubert-Button.png +||areadvd.de/images/*/Teufel_100x150.gif +||areadvd.de/images/*/Teufel_300x25.png +||areadvd.de/IOTAVX.jpg +||arminia.de^*/csm_Sponsoren- +||as.chartsurfer.de^ +||astronomie.de/uploads/tx_sfbanners/ +||astrowetter.com/surftipps/ +||astrowetter.com/tipps/ ||auto-bild.de/js/rd/google.js ||autobild.de/js/rd/google.js -||autofreies-lautertal.de/images/banner/ -||autoline-eu.at/atlads/ -||autoline-eu.ch/atlads/ -||autoline.de/atlads/ +||autogazette.de/wp-content/uploads/*/autoteileprofi- ||autoscout24.ch/content/startpage/ -||auxilium-online.net/images/banner_ -||awardfabrik.de/images/banners/ ||az.com.na/img/banner/ -||b-stadt.com/images/banner.gif -||back2hack.cc^*/partner/ -||badisches-tagblatt.de/html/netcontentmedia/bilder/red-banner- -||badisches-tagblatt.de/html/netcontentmedia/webimages/aldi-bt.swf +||azureedge.net/pickerimages/bayer04-superbanner_$domain=bayer04.de +||azureedge.net/pickerimages/Lokalfreunde_$domain=bayer04.de +||b2run.de/run/de/de/components/partner-links/ +||b2run.de/run/de/de/pics/partner/ +||back-intern.de/media/banner_img/ +||badenerzeitung.at/images/bettfedernfabrik.jpg +||badenerzeitung.at/images/Bierbaum_VIP.jpg +||balaton-zeitung.info/wp-content/uploads/*-banner.jpg +||bankkaufmann.com/bilder/bacol.jpg +||bankkaufmann.com/bilder/bkhfb.jpg +||bankkaufmann.com/bilder/fkl.jpg +||bankkaufmann.com/bilder/fsban1.jpg ||banner.click-tt.de^ -||banner.t-online.de/apps/$object-subrequest,domain=autos.t-online.de -||barcoo.com/images/barcoo/campaigns/banner_ -||basicthinking.de/ad/ -||basische-produkte.de/wp-content/themes/nature_wdl/images/banner_ -||basiszinssatz.info/banner/ +||basic-tutorials.de/wp-content/uploads/793/165/assets/js/152.js +||basicthinking.de/blog/wp-content/*/placetel.jpg +||basicthinking.de/blog/wp-content/uploads/*/basic-thinking.gif +||basicthinking.de/blog/wp-content/uploads/*/mittwald- +||basicthinking.de/blog/wp-content/uploads/*/mittwald.jpg +||basicthinking.de/blog/wp-content/uploads/*/qonto- +||baskets-jena.de/fileadmin/*/csm_sparkassen_arena_ +||baskets-jena.de/fileadmin/*/Koestritzer_Schriftmarke_Logo_ +||baskets-jena.de/fileadmin/*/logo_adignos.jpg +||basses-blatt.de/files/banner/ +||bassprofessor.info/images/banners/ ||bastel-elfe.de/banner/ -||bastel-elfe.de/images/banners/ -||bastel-elfe.de^*/prell-online.gif -||battlefield-3.org/interstitial.php -||baulexikon.de/cgi-bin/banner.cgi -||bayer04.de/b04-deu/data/banner/ -||bayer04.de^*/_md_banner1.aspx -||bayer04.de^*/_md_banner2.aspx -||bayern-hof.de/res/bilder/banner/ -||bayern-hof.de/res/bilder/partner/ -||bbc-coburg.com/bbc-data/images/cw.jpg -||bbc-coburg.com/bbc-data/images/hundf.jpg -||bbc-coburg.com/bbc-data/images/np.jpg -||bbc-coburg.com/bbc-data/images/scl.jpg -||bbszene-shop.de/countdownbanner.php -||bbszene.de/ane/bbszene/iframe.php -||bbszene.de/images/banner/ +||bayernwelle.de/cdn/uploads/banner- +||bayernwelle.de/cdn/uploads/jobboerse- +||bbc-magazin.com/wp-content/uploads/*/bbc-coburg-barmer-banner.jpg +||bbc-magazin.com/wp-content/uploads/*/bbc-coburg-brose-web24.png +||bbszene.de^*/banner/ ||beamten-informationen.de/media/banner/ -||beichthaus.com.s3.amazonaws.com/bp/50be.jpg -||beichthaus.com.s3.amazonaws.com/images/meineticksbanner.jpg$domain=beichthaus.com -||beichthaus.com.s3.amazonaws.com/meineticks.jpg +||beamten-informationen.de/media/img/b_ +||beamten-informationen.de/media/img/partnerschaft_ +||beeg-pornos.com/cpanel/ +||beeg-pornos.com/img/linklist2/ ||beihilferecht.de/media/banner/ -||beisammen.de^*/banner/ -||benzinpreis.de/140_x_160.gif -||benzinpreis.de/gfx/rc_banner.jpg -||benzinpreis.de/zahn.gif -||berlinertageszeitung.com/images/banners/ -||bestboyz.de/wp-content/uploads/*-300x600_ -||bestboyz.de/wp-content/uploads/*/ggsim_banner_blog_ -||bgstatic.de/images/was/campagnes/*/wallpaper/$domain=browsergames.de -||bhc06.de/images/brosedkb.jpg -||bhc06.de/images/sponsorenleiste.jpg -||biathlon-online.de/wp-content/banners/ -||bielefelderblatt.de/images/banners/ -||bielertagblatt.ch/wallpaper_ -||bild.de/fotos/cb-autohaus24- -||bilder.static-fra.de/wetter11/images/offer/$domain=wetter.de -||bildschirmarbeiter.com/images/poster/ -||bildwl.mobile.de^ -||bio-markt.info/biomarkt/easyCMS/FileManager/Banner/ -||biomagazin.de/files/bio-magazin/content/anzeigen/ +||beihilferecht.de/media/img/b_ +||beihilferecht.de/media/img/partner_ +||beihilferecht.de/media/img/partnerschaft_ +||belgieninfo.net/wp-content/uploads/*/frisch-frittiert-grupp4.png +||belgieninfo.net/wp-content/uploads/*/IDSB-Unser-Partner.jpg +||belgieninfo.net/wp-content/uploads/*/Verhellen.jpg +||beobachter-online.de^*/banner/ +||berlinertageszeitung.de/images/banners/ +||bhc06.de/getattachment/*/becker.jpg +||bhc06.de/getattachment/*/forst.jpg +||bhc06.de/getattachment/*/sparkasse_remscheid.jpg +||bhc06.de/getattachment/*/sparkasse_solingen.jpg +||bhc06.de/getattachment/*/Wilkinson-Logo.jpg +||biete6.ch/images/banner/ +||bildschirmarbeiter.com/content/upload2/ +||bitch.ch/images/Banner/ +||bitcoinnews.ch/bitcoin_mit_kreditkarte_kaufen.jpg +||bitcoinnews.ch/bitwala-bitcoin.jpg ||bitcoinnews.ch/coinbase.png -||bitcoinnews.ch/cointed.gif -||bitcoinnews.ch/loanbit.gif -||bitcoinnews.ch/wp-content/uploads/*/Swiz-Banner-1.gif -||bizipic.de/images/gbcodes200.jpg -||bizipic.de/images/gross.png -||blackbeats.fm/defshopbanner.swf -||blankrefer.com^$subdocument,domain=anime-loads.org -||blaue-blume.tv^*/banner/ -||blickpunkt-brandenburg.de/typo3conf/ext/sbbanner/ -||blockfloete.eu/media/images/banners/ -||blog-xx.net/pop-code.js -||blogprojekt.de/Bilder/bp/backlinkseller.gif -||blogprojekt.de/Bilder/Profi/bloggerjobs.gif -||blogtotal.de^*/foxload_125x125.jpg -||bltrainer.de/banner/ -||bluray-disc.de/files/_backgrounds/ -||boerse-express.com/images/kapsch_claim.png -||boris-becker.tv^*/presenting/ -||borussia.de/fileadmin/templates/main/swf/banner_ -||botfrei.de/kmp/ -||boxee-forum.de/images/banners/ -||boxen1.com^*/arena-boxpromotion-logo1.jpg -||boxen1.com^*/felix_sturm_banner.gif -||boxen1.com^*/felix_sturm_boxing.jpg -||boxen1.com^*/ibf.gif -||boxen1.com^*/ibo.gif -||boxen1.com^*/jessica_banner.gif -||boxen1.com^*/klitschko_banner.gif -||boxen1.com^*/paffen_sport_logo.jpg -||boxen1.com^*/sauerland_logo.png -||boxen1.com^*/steinforth.png -||boxen1.com^*/super_six.jpg -||boxen1.com^*/wba.jpg -||boxen1.com^*/wbc.jpg -||boxen1.com^*/wbo.jpg -||boxen1.com^*/wfc_logo220.png -||boxen1.com^*/www.ebby_.de1_.gif -||branchenbuch.pixelio.de^ -||brautinfo.at/uploads/tx_macinabanners/ -||bravo.de/online/sponsoring- -||bravo.de/sponsoring- -||browsergames.de/images/wallpaper/ -||brustverein.de/images/banner/ -||bs.to/js/rev.js -||btc-echo.de/wp-content/uploads/*/ledgernano.jpg -||buchhandel.de/img/header/*/adv_ -||buchhandel.de^*/banners/ -||buffed.de^*/body_bg_ -||buffed.de^*/metaboli/ -||bundesliga.de^*/banner/ -||business-best-practice.de/bilder/anzeigen/ -||bvb.de/var/ezdemo_site/storage/images/bvb.de/banner/mobil09/ -||bvb.de/var/ezdemo_site/storage/images/bvb.de/banner/schwarzgelbe-karte/ -||bvb.de/var/ezdemo_site/storage/images/bvb.de/banner/sky/ -||bvb.de/var/ezdemo_site/storage/images/bvb.de/banner/strom09-banner/ -||campen.de/images/misc/ebay_logo.gif -||casecenter.net^*/werbung/ +||bitcoinnews.ch/Fairspin_Ad.jpg +||bitcoinnews.ch/wp-content/uploads/*-300x250px-MediumRectangle.jpg +||bitcoinnews.ch/wp-content/uploads/*/1xbit.jpg +||bitsundso.de/wp-content/uploads/*/ctdi.jpg +||black-dragons-erfurt.de^*/Banner/ +||blackwings.at/fileadmin/content/sponsoren/ +||blob.core.windows.net/images/forst_topscorer.jpg$domain=fubas.it +||blob.core.windows.net/images/volksbank_new_anzeige.jpg$domain=fubas.it +||blockbuster.to/img/8a844213f1ae29efaf836ffe63805fe618.jpg +||blog-der-republik.de/wp-content/uploads/*/square.png +||blog-der-republik.de/wp-content/uploads/*/trinkwasser_umfrage_square.jpg +||blog4you.biz/banner/ +||blog4you.biz/wp-content/plugins/rnotify1.5.4_fullversion/ +||blogprojekt.de/Bilder/affiliate-banner/ +||blogprojekt.de/Bilder/Profi/ +||blogspot.com^*/bet.gif$domain=fussball-livestream.info +||blupoint.ch/banner/ +||bluray-disc.de/images/background/ +||bluray-disc.de/images/banner/ +||boerse-online.de/images/Postbank-75x25.png +||boerse-social.com/media/Content/Partner/ +||boersennews.de/images/smartbroker/ +||bolzano-bozen.it/images/banner/ +||bolzano-bozen.it/images/logo/ +||borncity.com/blog/wp-content/uploads/*/Amazon03b.jpg +||borncity.com/blog/wp-content/uploads/*/Book04.jpg +||borncity.com/blog/wp-content/uploads/*/HostEurope_ +||borncity.com/blog/wp-content/uploads/*/W10Tricks1.jpg +||borussia.de^*/sponsors/ +||box-magazin.com/wp-content/uploads/*/image001.gif +||browsergames.de/sites/browsergames/files/*_wallpaper_ +||buecher-magazin.de/sites/all/themes/hoerbuecher/images/vidan_banner.jpg +||buffed.de/tsimg/topbanner/ +||bulldogs.hockey/fileadmin/web/img/premiumpartner.png +||bvb.de^*/bvb-championpartner/ ||casinowelt.com/banner/ -||cdn.voodoovideo.com/dat/ebc/$domain=imgbox.de -||cdn1.anime-stream24.com^ -||cdn11.anime-stream24.com^ -||cellesche-zeitung.de^*/b4nner/ -||cellesche-zeitung.de^*/banner/ -||centertv.de/upload/anzeigen/ -||chefkoch-cdn.de^*/partnerlogos/ -||chefkoch.de/produkte/widget/loader.js -||chillmo.com/wp-content/plugins/background-manager/ -||chillmo.com/wp-content/uploads/*/acunitywp.jpg -||chillmo.com/wp-content/uploads/*/fc4ks.jpg -||chillmo.com/wp-content/uploads/*/gtavchillmo.jpg -||chillmo.com/wp-content/uploads/*/mariokart81.jpg -||chillmo.com/wp-content/uploads/*/thelastofusremastered.jpg -||chillmo.com/wp-content/uploads/2014/05/watchdogs.jpg -||chillmo.com/wp-content/uploads/2014/05/wolfenstein.jpg -||chilloutzone.net/consume/ -||chilloutzone.net/invokers/sfuchs/ -||chilloutzone.net^*/weedseed-banner.jpg -||china.ahk.de/uploads/tx_bannermanagement/ -||chip.de/embed/bc10.js -||chip.de/hphdas2/ -||chip.de/teaser/c1_teaser_frei_*.html$xmlhttprequest -||chip.de/unabh_dateien/*/videoskin_$image -||ciao.de/sreamer/xs.php?$object-subrequest -||cine4home.de/images/banner_ -||cine4home.de/images/logos/banner_ -||cine4home.de/images/logos/mainlogos/swans%20banner%20ar150.gif -||cine4home.de/images/logos/wir-machen-3d-zum-erlebnisk.jpg -||cine4home.de/images/maeueskino_150x280_120705.gif -||cine4home.de/images/oppo-germany-150x280-static.gif -||cine4home.de/pics/aibanner_ -||cine4home.de/pics/banner_ -||cine4home.de/pics/heimkino_160x240.gif -||cinecity.at^*/banner*.gif -||cineman.ch^*/promobox_$subdocument -||cinemotion-kino.de/fileadmin/backgrounds/*/background.jpg -||cineprog.de/images/banner/ -||cinestar.de/flash/sdkm_intro_video_mini.swf -||cinestar.de^*/banner_ -||citybeat.de^*.js?*&rubrik=*&breite=*&hoehe=$script -||clever-tanken.de/images/*_banner_ -||clever-tanken.de/images/banner_160x85px.gif -||clever-tanken.de/images/poicon.gif -||clever-tanken.de/static/cosmos/ -||clever-tanken.de/tamoil/10-006_banner2neu.swf -||click-learn.de^*/Junge_Fahrer_155x250.swf -||click-learn.de^*_155x155.swf -||click-learn.de^*_JungeFahrer_155x430.swf +||casinowelt.com/images/dunder-1.jpg +||casinowelt.com/images/spinit.jpg +||cathkathcatt.ch^*/banner- +||cathkathcatt.ch^*/banner_ +||chartsurfer.de/getthead.php? +||cherry.ch/images/banner/ +||chip-secured-download.de/tmp/free-service-hotline.png$domain=chip.de +||chip-secured-download.de^*/S13/$domain=chip.de +||cine4home.de^*/HKA-C4Hb.gif +||clap-club.de/wp-content/uploads/oeckl_Adress-Service_ +||classicwin.de/mybannerview.php ||climbing.de/fileadmin/banner/ -||cloudfront.net^$domain=dexerto.de|hd-streams.org -||cloudfront.net^*/ova-jw.swf$object-subrequest,domain=oberprima.com -||clubtime.fm/banner/ -||cnetde.edgesuite.net/cnetde/ads/$domain=cnet.de -||cnetde.edgesuite.net/zdnetde/ads/$domain=zdnet.de -||cobuich.de/avislogo.jpg -||computer-bild.de/imgs/*/thermomix_bb_$image,domain=computerbild.de -||computerbase.de/js/jwplayer/ova-$object-subrequest -||computerbetrug.de/uploads/pics/a2.jpg -||computerhilfen.de^*/gt-banner- +||cloudfront.net^$domain=hd-streams.org +||code.alpin.de^ +||code.bergsteigen.com^ +||codecheck.info/i/CTA-banner.png +||coincierge.de/wp-content/plugins/floating-banner/ +||com-magazin.de/img/*/Commerce-Week_450x94.jpeg +||computerbase.de/creative/ +||computerbase.de/creatives/ +||computerbase.de/creatives2/ +||computerschach.de^*/shredder_130x80.gif +||condor.cl/wp-content/uploads/*/aviso_condor-07.png +||condor.cl/wp-content/uploads/*/BANNERWEB_ +||condor.cl/wp-content/uploads/*/cecinas.jpg ||connect.de^*/partner.js -||connect.quoka.de^ -||coretime.fm/banner/ -||crackajack.de^*/_banner/$image -||crawli.net/com/ -||crawli.net/pr.js -||crosswater-job-guide.com/images/banner_ -||crosswater-job-guide.com/pics/*_skyscraper_ +||costa-info.de/images/banner_home/ +||countrymusicnews.de/images/banners/ +||cript.to^$domain=ibooks.to ||crosswater-job-guide.com/pics/banner_ -||crosswater-job-guide.com/pics/logo_yourfirm_250.gif -||crosswater-job-guide.com^*250x300.swf -||crosswater-job-guide.com^*_skyscraper. -||crypt.to/layer/ -||crypt.to/tracker.php?action=showbanner& -||cryptload.biz/lala.php -||cryptload.biz^*/greybox/ -||csr-news.net/main/images/Banner_ -||csr-news.net/main/images/compamedia_600.gif -||csr-news.net/main/images/grundfos.gif -||cybercity.de/domains4sale/ -||cylex.de/images/cylex.de/credit-report-banner- -||daf.fm/templates/images/flatex_ -||daf.fm/templates/images/vitrade_ -||dance-charts.de/images/banners/ -||dancecore.fm/partner/ -||das-bewegt-die-welt.de/images/banners/ -||dasbewegtdiewelt.de/images/banners/ -||dasbiber.at^*banner$object -||dasfachblatt.de/banner/ -||dastelefonbuch.de/mic_banner.jsp -||dat.de/fzgwerte/einladungslayer_dat_sommer_12_20sec.swf -||data-travelers.de^*/blogwebspace1.gif -||dataup.to/data/iad/ -||dataup.to^*/msg_$script -||datei.to/ban/ -||daujones.com/gifs/ban/ -||dav-summit-club.de/uploads/tx_extcategory/*_200x600. -||ddl-base.ws/partners/ -||ddl-board.com^*/usenet_banner.png -||ddl-music.org/images/och_logos/ -||ddl-scene.com/usenext.php -||ddl-search.biz/banner/ -||ddl-search.biz^$image,popup,domain=w3-warez.cc -||ddl-warez.in/.$script -||ddl-warez.in/_$script -||ddl-warez.in/images/hoster/ -||ddl-warez.in/images/hoster_logos/ -||ddl-warez.in/images/hosterlogos/ -||ddl-warez.in/images/och/ -||ddl-warez.in/images/och_buttons/ -||ddl-warez.in/images/och_info/ -||ddl-warez.in/images/och_infobuttons/ -||ddl-warez.in/images/och_logos/ -||ddl-warez.in/smoozed. -||ddl-warez.in/smoozed/ -||ddl-warez.in/smoozed_ -||ddl-warez.in^*.php|$script -||ddl-warez.in^*_js.js -||ddl-warez.in^*_popup.js -||ddl-warez.in^*_ulpop. -||ddl-warez.to/images/och_info/ -||deal-magazin.com/dat/pix/estatepro.gif -||deal-magazin.com/dat/pix/expobike.jpg -||deal-magazin.com/dat/pix/immoscout.gif -||deal-magazin.com/dat/pix/kon.gif -||deal-magazin.com/dat/pix/voelkel.gif -||deejayforum.de^*/ebay_logo.gif -||deinesms.com/landing/$third-party -||delamar.de/wp-content/themes/delamar_v4/iframes/ -||deluxetools.net/dlx_out.js -||deraktionaer.de/upload/Marktberichte-Aktionaer_15401.gif -||deraktionaer.de/xist4c/web/aktionaer/02/img/flatexBuySellBar/icons_all.png -||derkleinegarten.de/images/banners/ -||derlacher.de/static/lib/dialog/jquery.reveal.js +||curt.de^*/gastrobanner/ +||curt.de^*/petabanner.jpg +||daily-pia.de/wp-content/uploads/*/manitu_hostedby- +||dasbewegtdiewelt.de/wp-content/banner/ +||dasoertliche.de/js/rmif.js +||dcmservice.de/_lib/toastr/toastr.min.js$domain=gesundheit.de +||deinesexfilme.com/img/linklist2/ +||deister-echo.de/wp-content/uploads/*/ad_ +||delamar.de/wp-content/uploads/*/wallp_ +||delamar.de/wp-content/uploads/__aktionen/plakat/plakat_billb.jpg +||der-farang.com^*/banner/ +||der-theaterverlag.de/banners.html +||derkleinegarten.de/images/kiste/ +||dervinschger.it/grafik/resize/*-publicity- ||designtagebuch.de/wp-content/uploads/anzeigen/ -||deukom.co.za/banner/ -||deutsche-startups.de/wp-content/uploads/*/Tarifcheck24-Affiliate.jpg -||deutsche-versicherungsboerse.de/imgdisp/*Banner% -||deutscher-hip-hop.com/bilder/werbepartnerlogos/ -||deutschland.fm/i/ducksunited120x60deutsch.gif -||dev.osthessen-news.de/files/$image -||dexgo.com/sponsoren/banner/ +||deutsche-sexfilme.net/js/843545225611621960181.js +||deutsche-versicherungsboerse.de/index/load-image/imgId/ +||deutschepornos.co^*/93kgk95aw2q.js +||deutschland.fm^*/leaseweb.gif +||dfb.de/img/partner-logos/ +||dfb.de/uploads/*/original_exasol_index.png +||dfb.de/uploads/*_Partnerlogo_ ||dforum.net/banner/ ||dforum.net/ebay/ -||dforum.net^*/df_blitzbuch.gif -||didaktik-der-mathematik.de/tibanner.swf +||dhb.de^*/Sponsoren/ ||die-beihilfe.de/media/banner/ -||die-eulen.de/img/index/boxes/lotto_rlp.jpg -||die-eulen.de/img/intro/freiberger.png -||die-eulen.de/img/intro/sparkasse.png -||die-eulen.de/img/intro/suedzucker.png -||die-eulen.de/img/intro/twl.png +||die-beihilfe.de/media/img/Banner_ +||die-konjugation.de/img/mosalingua/ +||dieantenne.it^*/csm_logo_young_direct_ +||dieantenne.it^*/Viropa.png ||diebrennstoffzelle.de/images/banner/ -||dieharke.de/Partner/ -||dieneue1077.de^*/wellness-deal_ -||dieschmids.at/images/banners/ -||dieweinstrasse.bz/uploads/tx_lemonadvancedflash/ -||digital-eliteboard.com/banner/ -||digital-eliteboard.com/images/banner- -||digital-kingdom.dk/banner/ ||digitaledienste.web.de/freemail/browser_decide/?$subdocument -||din-5008-richtlinien.de/bilder/anzeigen/banner/ -||direct-city.org/out.js -||directupload.net/graphics/anzeige_ -||directupload.net/images/$domain=fakedaten.tk -||dloads.org/usenext.php -||dmax.de^*/anzeige.gif -||dokujunkies.org/media/md/ -||dokujunkies.org/media/prj/ -||dokumente-online.com/amazon_adv.php -||dokus.to/c/t.js -||dokus4.me/cgde.js -||dokus4.me/handyz_rss_.php -||dokus4.me/interstitial.js -||dokus4.me/kpopcg2012n2.js -||dokus4.me/w-v2.php -||dokus4.me^*pop.php -||dokustream.org^*/banner/ -||dooyoo.de^*/pp_anzeige.gif -||dooyoo.de^*_skyscraper*.php -||doppelagent.de/banner2.php -||doppelpunkt.de/www/right.php$subdocument -||doppelpunkt.de^*/fullsizebanner.html -||doppelpunkt.de^*/fullsizebanner2.html -||doppelpunkt.de^*/halfsizebanner.html -||doppelpunkt.de^*/halfsizebanner2.html -||dotnet-forum.de/photos/banner/images/ -||dotnet-snippets.de/dns/bilder/banner/ -||dotnetpro.de/grafix/banners/ -||dotnetpro.de^*/anzeigeh.gif -||dotnetpro.de^*/anzeigev.gif -||dragondesigns.de/include/images/sponsor/ +||digitalfernsehen.de/wp-content/*/aqipa.jpg +||digitalfernsehen.de/wp-content/ca/NPAW- +||digitalfernsehen.de/wp-content/uploads/*/NPAW- +||dkamera.de/media/article_banners/ +||dlvr.t-online.de/static/lisa/placement/ +||dnv-online.net/_data/*_Superbanner_ +||dnv-online.net/_data/Fullsize-Banner.gif +||docma.info/wp-content/banners/ +||drachenbootfestival-hannover.de/grafik/partner/ +||dragonball-tube.com/templates/caprica/amzb/ ||dreambox.info/banner/ -||dreambox.info/d4d468.gif -||dreambox.info/euro_desaster_banner_2011.gif -||dreambox.info/satboerse24banner.gif -||drehscheibe-foren.de/dso_header/banner.jpg ||drehscheibe-online.de/ds_cms/banner/ -||drehscheibe-online.de^*/anzeige.gif -||drwindows.de/images/ie9_sicherheit.gif -||drwindows.de^*/crostec_banner.jpg -||dsl-forum.de/images/aktion/ +||druckerchannel.de/script/dc/ofr_single.php +||drumsundpercussion.de^*/banner/ ||dslr-forum.de/banner. -||dsv.de/images/banners/ -||dtj-online.de/content/banners/ -||duckcrypt.info/serv/ -||dumdi.net^*/layer.php -||durchblicker.at/iframes/$domain=futurezone.at -||durchfallhausmittel.net/wp-content/uploads/*/banner.gif -||dvd-verleih.info/videobuster/ -||dvd.bild.de^$subdocument -||dxtv.de/2spnsrs/ -||e-va.com^*/skyscraper/ -||e110.de/images/abus_ -||e110.de/images/leaderboard/ -||e110.de/images/skyscraper/ -||e110.de/kaspersky/ -||easy-scripts.de/wp-content/themes/arras/images/250x250_ -||easywarez.biz/layer/ -||ebase.to/layer/ -||ebby.de^*/boxen1_com_klein-220.gif -||ebby.de^*/boxsport1.gif -||ebby.es^*/wfc_logo220.png -||ebook-hell.to^*/jspop.js -||ecdl-moodle.de^*/script_banner_ -||econo.de/uploads/tx_macinabanners/ -||ednetz.de/aktionen/banner.html -||edvinfos.de/banner/ -||egofm.de^*banner -||egomera.de^*/bads/ +||dtb-tennis.de^*/banner- +||dtb-tennis.de^*/partner- +||dtb.de/fileadmin/user_upload/dtb.de/Sponsoren/ +||dubisthalle.de/wp-content/uploads/*/loezius.png +||dubisthalle.de/wp-content/uploads/*_300x300_ +||dubisthalle.de/wp-content/uploads/*_banner_ +||dynamo-dresden.de/uploads/*/sponsors- +||e110.de/wp-content/uploads/*_Webbanner_ +||ecards4u.de/banner_rt.php +||ecrbs.redbulls.com^*/partner_ +||egofm.de/content/images/egoFMad/ ||egun.de/market/images/banner/ -||eierkraulen.net/dsfgsdf.js -||eierkraulen.net/img/blu.gif -||eierkraulen.net/js/gdsfgsdf.js -||eierkraulen.net/js/igdsfgsdf.js -||eierkraulen.net/js/ztigdsfgsdf.js -||eierkraulen.net/nmban.gif -||eierkraulen.net^*.php|$subdocument -||einkaufaktuell.de/data/page/NIVEASoftHauptbuehne954x240.jpg -||einrichtungsbeispiele.de/images_site/footer.jpg -||eintracht-hildesheim.de/Banner_Neu/Zufallsbanner.html -||eintracht.com/fileadmin/templates/html/images/seat-logo.png -||eintracht.de/media/banner/big_banner.jpg -||eisbaeren.de^*/arentour_o2worldberlin.jpg +||ehc-lustenau.at/EHC/images/sponsorenlogos/ +||eifelzeitung.de/wp-content/uploads/*/banner_ +||eifelzeitung.de/wp-content/uploads/*_banner_ +||eihi.de/wp-content/uploads/*/erima.jpg +||einbecker-morgenpost.de/files/em/banner/ +||einfachtitten.com/cpanel/ +||einfachtitten.com/img/linklist2/ +||einrichtungsbeispiele.de/revive/ +||eintracht-basketball.com^*/Sponsoren/ +||eintracht.com/fileadmin/Sponsoren/ +||eisbaeren.de/assets/img/sponsorenbox_ ||eisenbahn-kurier.de/images/banners/ -||eishockey.info/banner/ -||eiskaltmacher.de^*.swf -||ekz.de/resources/images/banner/ -||eliteanimes.com/images/elsheader.jpg -||eliteanimes.com/images/elsleft.jpg -||eliteanimes.com/images/elswordheader.jpg -||eliteanimes.com/images/elswordleft.jpg -||eliteanimes.com/images/flyffright.jpg +||eishockey-online.com/images/banners/ ||eltee.de/img/broker/ -||eltern-zentrum.de^*.php$subdocument -||eltern-zentrum.de^*/werbeblocker_abschalten.jpg -||elternforen.com/images/aad.png -||elternforen.com/limango.gif -||ems-tv.de/banner/ -||englische-briefe.de/images/maennergeschenke.jpg -||enjoykitz.tv/banner1.png -||eot-clan.net/images/banners/ -||epicspeedload.in/top/neu_b.php -||epicspeedload.in^*/wgpopup.js -||epochtimes.de/js/businessad.js -||erdbeerlounge.de/addons/common/pics/coop/ -||erotikforum.at/images/banner/ -||eselfilme.com/premium/$image -||eselfilme.com/werbung/ -||eslgfx.net/media/masters/esl_sitebranding_homefront.jpg -||esportcup.kicker.de/iframe/index.html -||etailment.de/wp-content/uploads/*/Barcamp1.gif -||etailment.de/wp-content/uploads/*/etailment.gif -||etailment.de/wp-content/uploads/*_250x700. +||elternforen.com/images/banner_ +||elternforen.com/images/elternforen_banner.png +||elternforen.com/images/kinderwagen-banner- +||emtb-news.de/news/wp-content/uploads/*-takeover- +||endstation-rechts.de/fileadmin/banners/ +||englische-briefe.de/images/email-english-flashbooks.jpg +||englische-briefe.de/images/gummibaerchen-at- +||entwickler.de/wp-content/uploads/*_Webbanner_ +||ep1.de/images/banner/ +||erogeschichten.com/b/ +||erogeschichten.com/mdhpic/ +||erosclubs.ch/banners/ +||erosgirls.ch/banners/ +||erosjobs.ch/images/banner/ +||erotikforum.at/data/siropu/ +||erotikinserate.ch/banner/ +||esports.ch^*/animated-banners/ ||etcg.de/images/sponsoren/ ||etcg.de/sponsor/ -||etel-tuning.de/img/300250- -||etel-tuning.de/img/banner_vzappeal.jpg -||europeonline-magazine.eu/anzeigen/ -||europeonline-magazine.eu/anzeigen2/ -||eviltrash.to/banner3.jpg -||evz.ch/assets/banner/ -||experten-interviews.de/wp-content/uploads/*/banner_timetoprint_ -||expertentesten.de/wp-content/uploads/*/faszienrolle-sportastisch.jpg -||explora.ch/uploadfiles/banner/ -||explora.ch/uploadfiles/bannersky/ -||express.de/image/view/*,data,lotto_sommer.gif -||ext.platinnetz.de^ -||fahrzeuglackiererforum.de/layer.js +||evz.ch/fileadmin/EVZ/Sponsoren/ +||explora.ch/uploadfiles/partner/ +||f95.de/media/res/_rel/logos/sponsoren/ +||fachzeitungen.de/zeitschrift-pr/finanzvergleich-logo.png +||fachzeitungen.de/zeitschrift-pr/Praxisdrucksachen.jpg +||fachzeitungen.de/zeitschrift-pr/riesenrat.gif ||fahrzeugseiten.de/autoteiledirekt_ -||fahrzeugseiten.de/Tirendo-Gutschein.jpg -||fail.to/deadok.php -||fail.to/deal.php -||fail.to/failto.php -||fail.to/images/dokus_banner.jpg -||fail.to^*.php$subdocument -||fail4fun.de/layerloop/ -||fake-it.biz/lla2/ -||fake-it.biz^*/layer.php -||falk.de/fr/aservice.php? -||falk.de/fr/bn.php? -||familytv.de/design/11899.gif -||familytv.de/images/sonnenklar.jpg -||familytv.de/images/visitx-banner.jpg -||famousfm.de/images/partner/ -||fap-tastic.com^$subdocument,domain=trendhure.com -||farmarbeit.de/uploads/images/taxback-rec.jpg -||farmarbeit.de/uploads/images/wt_kanda10_ +||fahrzeugseiten.de/Ersatzteilekauf24.jpg +||fahrzeugseiten.de/reifen-com-gutscheine-stern.jpg +||fairaudio.de/rev/ +||fairaudio.de/rev_ +||fairytail-tube.org^*/amz/ +||fairytail-tube.org^*/amzb2/ ||faz.net/f6/ad/ -||fbsmiley.de/tipp/moodrush.gif -||fc-koeln.de/fileadmin/img/banner/ -||fck.de/fileadmin/default/templates/gfx/banner/ -||fcschweinfurt1905.de/wp-content/uploads/*_Skyscraper_ -||fcz.ch/_img/banner/ -||fcz.ch/_img/banner_ +||fc-carlzeiss-jena.de/fileadmin/fcc-daten/*-partner- +||fc-carlzeiss-jena.de/fileadmin/images/sponsoren/ +||fc-magdeburg.de/images/sponsoren/ +||fcbayern.com^*/sponsoren/ +||fcenergie.de/files/logos/sponsoren/ +||fck.de^*/partner_ +||fcz.ch/media/images/*/994x250px- ||feierabend.de/gta/ -||fernsehserien.de/gfx/anzeige.gif -||fettspielen.de/de/banner/ ||ff-bz.com^*/banner- -||ffn.de^*/banner/banner_ -||ffn.de^*?imgPrefix=$xmlhttprequest ||fhcdn.net^*/ebay_logo.gif -||fhz-forum.de/banner_$image -||file-upload.net^*/popup.js -||filestore.to/banner/ -||filme2k.net^*/system.js -||filmpalast.to/cyaska^ -||filmz.de/h/la.htm -||filmz.de/h/r.htm -||filmz.de/h/s.htm -||filmz.de/h/u.htm +||fickverein.com/moproxy|$xmlhttprequest +||filmpost.de^*/anzeigen/ +||filmstreaming-de.life/banners/ +||filmundo.de/banner/ +||filmz.de/f/ra.htm +||filmz.de/f/s.htm +||filmz.de/f/sa.htm +||filmz.de/f/u.htm +||filmzitate.de/w/ ||finanzen.net/images/a_anzeige/ +||finanzen.net/images/b_aktien/UBS_Partneraktionen_655x255_statisch.svg +||finanzen.net/images/b_devisen/p500-krypto.png ||finanzen.net/images/b_euro_eurams/banner_wiki_eas.png ||finanzen.net/images/b_partner/ +||finanzen.net/images/b_realtime/hsbctopflop.png ||finanzen.net/images/b_realtime/ubspassendeprodukte.png -||finanzen.net/swf/a_anzeige/ -||finanztreff.de/ftreffNG/media/partner/ -||finde-reitbeteiligung.de/banner/ -||finya.de/ad/ +||finanzen.net/images/b_realtime/vontobel-banner.jpg +||finanzen.net/images/b_realtime/vontobel-banner2. +||finanznachrichten.de/w/ad_ +||finanztreff.de^*/partner/ ||fischkopf.de/image-content/wallpapers/ -||flashmob.de/modules/mod_beinvolved/images/wordpress.png -||flirttoday.de/popup_ -||flugzeugbilder.de/adria.gif -||flugzeugbilder.de/schriftklein.jpg -||fm-arena.de/images/fm10/*x128.gif -||focus.de/js_ng/js_ng_fol_gpt.js$domain=focus.de -||foerderland.de/fileadmin/user_upload/banner_ -||forendienst.de/ad/ -||forenhoster.net/index.php?wbu=$subdocument -||forum-speditionen.de/k-grafik/ +||flightforum.ch/board/uploads/*/14634212_HOR_19-156_Online_Banner_ILSFlightforum_175x75_P1.png +||flightforum.ch/board/uploads/*/logo-safedroneflying.png +||flightforum.ch/board/uploads/*/schaenis.png +||flightforum.ch/board/uploads/*/skyguide.jpg +||flightforum.ch/board/uploads/*/sphair.jpg +||flz.de/fileadmin/user_upload/anzeigenbanner/ +||football-aktuell.de/links/ +||football-aktuell.de/rechts/ ||forumprofi.de/fritz/$subdocument -||fr-online.de^*/teaserbox_300x160.jpg -||fr-online.de^*_banner_fr_ -||free-klingeltoene-handy.de/images/bannertopbg.jpg -||freecity.de/www/anzeige.gif -||freeload.bz/out.js -||freeload.to^*/lovedate.gif -||freeload.to^*/lovedate160.gif +||free-gay.org^*/eaCtrl.js +||freenet.de/amazonService/search/ ||freenet.de/www/export/$script -||freizeitparks.de/fileadmin/user_upload/banner/ -||fremdwort.de/image/$subdocument -||fremdwort.de/images/banner_ -||fremdwort.de^*/image/$subdocument +||freenet.de^*/mail/ads/ +||freiburgesports.de/assets/images/esports/partner_sponsoren/ +||freieporno.com^*/pr-before.js +||freieporno.com^*/ssu.v2.js +||freizeitparks.de/fileadmin/user_upload/*_Anz_ +||freizeitparks.de/fileadmin/user_upload/Bildschirmfoto_2020-11-09_um_09.53.39.png +||frischauf-gp.de/fileadmin/drehbande/ ||frischauf-gp.de/fileadmin/images/banner-extern/ -||fruchthandel.de/uploads/tx_macinabanners/ -||fscklog.typepad.com/heise_mac.gif -||fscklog.typepad.com/ms_imovie.jpg -||fscklog.typepad.com/sz_kampagne.gif -||fsv-frankfurt.de/cms/fileadmin/templates/fsv/img/banner/sparhandy_banner.jpg -||fuechse-berlin.de^*/anzeige.gif -||full-ddl.org^*/out.js -||fun80s.fm/www/images/deinbanner.gif -||fundanalyzer.de^*/laufband.js -||fundanalyzer.de^*_banner.swf -||fundresearch.de^*/laufband.js -||fundresearch.de^*_banner.swf -||funkbasis.de/images/ban- -||funlinx.to/images/linktipps_aktuell.jpg -||funnybilder.net^*/dug_layer.js -||funnypizza.de/swf/pizzadebanner.swf -||funnypizza.upjersnet.de/upad/ -||funtasticparty.de/funta/search.php?$subdocument -||fussballn.de/images/banners/ -||fussbodenbau-forum.com/_images/banner/ -||g4u.me/images/partner/ -||g4u.me/images/partners/ -||g4u.me/js/dug_layer.js -||game-freaks.net/popup.php -||gamecaptain.de/css/gc_branding_ -||gamefox.de/design/bannershaiya_ -||gamefront.de/am-zombiu.jpg -||gamefront.de/anz-$image -||gamefront.de/anzeige-$image -||gamefront.de/banners/ -||gamefront.de/f2play- -||gamefront.de/gamecompany-170912.jpg -||gamefront.de/gamedealer170113.gif -||gamefront.de/gameplan2.gif -||gamefront.de/gametrader150x250.jpg -||gamefront.de/kingpl*.gif -||gamefront.de/my-game-deals150x300.jpg -||gamefront.de/online-spiele4me150x300.jpg -||gamefront.de^*-160x200px_ -||gamefront.de^*.swf| -||gamehammer.de/sts/$image -||gamehammer.de/wum/$image +||frischauf-gp.de/fileadmin/images/footer/sponsor +||frischauf-gp.de/fileadmin/user_upload/*_Banner_ +||fruchthandel.de/uploads/elements/*_140x140_ +||fruchthandel.de/uploads/elements/*_ab_ +||fruchthandel.de/uploads/elements/468x100_ +||fruchtportal.de/banners/ +||fsv-frankfurt.de^*/Sponsoren/ +||fuechse.berlin^*-skybannerxber.jpg +||fuechse.berlin^*/modul-hauptsponsoren/ +||fundresearch.de^*/partnercenter/ +||funkbasis.de/_static/ban- +||fupa.net/static/js/fupa_ads- +||fussball-em-2020.com/wp-content/uploads/*/Sidebar_11prozent.jpg +||fussball.de^*/partner/ +||fussball.sv-kehlen.de^*/Sponsoren_ +||fussballn.de/images/design/anpfifffussballn.png +||fussballn.de/images/design/fussballn/hudson2.png +||fussballn.de/Images/Design/sportplatzmedia2.png +||fussballnationalmannschaft.net/wp-content/uploads/*/Sidebar_10pr.jpg ||gamekeyfinder.de/img/rot/ -||gamekeyfinder.de/img/rotation/ -||gamemovieportal.ch/_banners/ -||gameone.de/images/icons/paysafe.jpg -||gameone.de/images/nokia/ -||gameothek.com^*/wp-addpub/ -||gamepro.de^*/ova.swf -||gamers.at/fileadmin/user_upload/website/brandings/ -||gamers.at/images/branding/ -||gamers.at/uploads/tx_consolmedia/*_branding.jpg -||gamers.at/uploads/tx_consolmedia/*_branding_ -||gamers.at/uploads/tx_consolmedia/*_sitebranding_ -||gamers.at/uploads/tx_consolmedia/bg_*.jpg -||gamers.at/uploads/tx_consolmedia/branding_ -||gamersglobal.de/b.js -||gamersglobal.de/GAMERS-ps4-exp_v2_statisch.jpg -||gamersglobal.de/inc/w/$image -||gamersglobal.de^*_skin_ -||gamersplus.de/fileadmin/user_upload/website/brandings/ -||gamersplus.de/images/branding/ -||gamersplus.de/uploads/tx_consolmedia/bg_*.jpg -||games.ch^*/banner/ -||gamestar.de/_misc/cntdwn/ -||gamestar.de/_misc/countdown/ -||gamestar.de/img/gamestar/_misc/gcEventBtnPrmBg.png -||gamestar.de/img/gamestar/_misc/prm_logoheader_gs_ -||gamestar.de/img/gamestar/_misc/promotion/*/amazon_button*.png -||gamestar.de/promotion/promowidget/ -||gamestar.de^*/ova.swf -||gameswelt.net/public/upload/fullexpbranding/ -||gaming-insight.de/images/amd-*.swf -||gaming-insight.de/images/banners/ -||gaming-insight.de/images/sensei.jpg -||gaming-insight.de/images/steelseries-legendary.jpg -||gamingxp.com^*/metacritic_reviews_games.png -||gamingxp.com^*/wallpaper- -||gamingxp.com^*/wallpaper/ -||gamona-images.de/471277/cf9b98701d9a4221b994fe5e7bd32c87.jpg -||gamona-images.de/471284/3f71999f1544d168cbce0128572e0b5a.jpg -||gamona.de/assets/*/fallback_ -||gamona.de/assets/*_expandable.jpg -||gamona.de/assets/*_interstitial_ -||gamona.de/assets/*_sitebranding- -||gamona.de/assets/*_sitebranding_ -||gamona.de/zeugs/*_300.swf -||gamona.de/zeugs/*_728.swf -||gamona.de^*/1d51490a42eb6b18422ad278e296b2db.js -||gamona.de^*/9aa397ac7f3010335eb8d6138ad988fe.js -||gamona.de^*/widesky.swf -||garten-tipps.info^$domain=germanload.to -||gassitv-oxas.joshleepictures.com^$domain=gassi-tv.de -||gayfm.de/banner/ -||gayfm.de/images/banner/ -||gb-4you.com/js/lad/ -||gbase.de^*/branding-link.$image -||gbase.de^*/branding.$image -||gehaltsvergleich.com/bkk2/$subdocument -||gehaltsvergleich.com/di.html -||gehaltsvergleich.com/di2.html -||geizhals.at^*/ad/ -||geizkragen.de^*/anzeige*.gif -||gelbeseiten.de/yp/ppcHorzAction.yp? -||gelbeseiten.de/yp/rechte_spalte.yp? -||gelbeseiten.de^*/marginale_advt.yp -||gelbeseiten.de^*/regioframe.yp -||gentleman-blog.de^*/banner.jpg -||gentleman-blog.de^*/skyscraper.swf -||gentleman-blog.de^*/superbanner.swf -||gepostet.com/templates/desktop/images/banner/ -||gepostet.com^*/layer.js +||gamemovieportal.ch/_partner/ +||gameothek.com/wp-content/uploads/buttons/ +||gamesaktuell.de/tsimg/topbanner/ +||gamezone.de/tsimg/topbanner/ +||gandersheimer-kreisblatt.de/files/gk/banner/ +||gartennatur.com/wp-content/uploads/371x430-319x370.jpg +||gawina.de/wp-content/uploads/*-Banner_ +||gearwom.de^$domain=finanzen.at|finanzen.ch|finanzen.net +||geile-deutsche-pornos.com/wp-content/plugins/rnotify/assets/public/custom.js +||gelbeseiten.de/marktjagd/ +||gelbeseiten.de/webgs/js/detailseite_below.js +||gelbeseiten.de/webgs/js/trefferliste_below.js +||gentleman-blog.de/wp-content/uploads/270x191.jpg +||gentleman-blog.de/wp-content/uploads/870x150.jpg +||genussmaenner.de/content/images/0d8bdefa9e44c18e37dee4680dc827ed.jpg +||genussmaenner.de/content/images/7eedb2d7e43bc6dbf1fca69c8be742f3.png +||genussmaenner.de/content/images/b91f786f80573b071b6a72b8836f7ff9.jpg +||genussmaenner.de/content/images/d1cf8de0beeff7e5ca8a3e57a2639e4e.gif +||german-porno-deutsch.info/bilder/kommrein.jpg +||german-porno-deutsch.info/bilder/whatssex.jpg +||german-porno-deutsch.info/src11/ +||germancorrector.com/cnc/ ||germanscooterforum.de/bannermanagement/ -||geschenke.de/banner/ -||gesetzlichekrankenkassen.de/banner_ext/ -||gesichtskirmes.net/deal.php -||gesichtskirmes.net/fire-popdown-gk.js -||gesichtskirmes.net^*.php|$script -||getgaming.de/sites/all/themes/getgamingtheme/img/*_bg.jpg -||getgaming.de/sites/all/themes/getgamingtheme/img/bg_*.jpg -||gewinnspiel-gewinner.de/images/zu-verschenken.gif -||giessener-allgemeine.de/cms_media/module_wb/$object -||glarus24.ch/typo3conf/ext/juhuiinserate/scripts/inserate_ajax.php -||gload.cc/images/freeh.png -||gload.cc/images/freehosterb.gif -||gload.cc/images/freeuser.png -||gload.cc/images/highspeed.gif -||gload.cc^*/fbanner.gif -||gmx.net/banner? -||goastro.de/popup_chat/ -||goettgen.de/g-a-s/www/images/ +||glarus24.ch/uploads/tx_xeiroads/ +||gn-online.de/ad/ +||goastro.de/wp-content/uploads/*/250x250- +||godmode-trader.de/img/partner/ ||gofeminin.de/home4/skin/*_*/home.css| -||goldesel.to/img/reg_top.png -||goldesel.to/img/spyoff -||goldesel.to/img/usen.gif -||goldstar-tv.de^/banner/ -||golem.de/_img/microcity.jpg -||golem.de^*_afc1.js -||golem.de^*_afc2.js -||golem.de^*_afc3.js +||goldesel.sx/img/b3f2784f11449ba054835ce14db00d7611.jpg +||goldpreis.de/ajax/revs.php? +||golem.de/_img/200923-syseleven-kubernetes.jpg +||golfmagazin.de/content/uploads/*/banner_ ||googlewatchblog.de/apt.png -||gooster.at/js/ov.js.php? -||gooster.ch/js/ov.js.php? -||gooster.de/js/ov.js.php? -||gotv.at^*_clicktag.swf -||gratis-hoerspiele.de/wp-content/uploads/*/heias_ -||grauzone.us^*/dropin.js -||green.ingame.de^ -||grillratte.de/wp-content/uploads/2011/12/1-und-1.gif -||gronkh.de/media/brandings/ -||grosseleute.de/banner -||grosseleute.de/otto_*.gif -||grosseleute.de^*.php|$image -||gsx-r1000.de/styles/haendler/footer/mbs.png -||gtavision.com^*/reklame_ -||guenstiger.de/a-d-s/ -||guenstiger.de/banner/ -||guenstiger.de/bilder/anzeige_ -||guiders.de/cms/landing/bonn-bike-shop-ii.jpg -||gulli.com/layout/partner/ -||gulli.com/media/partner/ -||gulli.com^*/camao_ebay_ -||gutefrage.net/js/marketing.js -||gutefrage.net^*/partner-tipp- -||gutefrage.net^*/premium_partner/ +||googlewatchblog.de/wp-content/uploads/amazon-music-hd-stream.jpg +||gota.ch/images/pbanner/ +||gota6.ch/images/partner/ +||gota6.ch/images/uploads/*/clubBannerPremium/ +||gota6.ch/images/uploads/*/overlay/ +||graltek.net/php/amzad_$xmlhttprequest +||griechenland.net/images/banners/ +||grower.ch/partner/ +||gruender.de/wp-content/plugins/elementor/assets/lib/dialog/dialog.min.js +||gutesexfilme.com/cpanel/ ||gwars.de/index.php?page=advertisingpage -||günstiges-feuerwerk.de^$domain=imagebanana.com -||halle.de/anzeigen/ -||halleforum.de/images/anzeige_ -||hallo-verlag.de/img/sky_*.swf -||hallo-verlag.de/img/super_*.swf +||gwd-minden.de/inc/*/Melitta-Banner-Karriere-GWD.jpg +||gwd-minden.de/media/*/Harting_257x180.jpg +||gwd-minden.de/media/*/sky_1911_banner_257x180_gwd.jpg +||gwd-minden.de/media/*/Wohnhaus_Anzeige.jpg +||gwd-minden.de/media/sponsoren/ +||h-bw.de/fileadmin/*-banner- +||h-bw.de^*/sponsoren/ +||hallanzeiger.de/wp-content/uploads/*_banner_ +||hallelife.de/files/hallelife/banner/ ||hamburg-pride.de/fileadmin/banner/ -||hamm.biz/bannerBOX.php -||hamm.biz/bannerLB.php -||hammonline.de/bannerbox.php -||hammonline.de/bannerlb.php -||hammstars.de/bannerBOX.php -||hammstars.de/bannerLB.php -||handball-neuhausen.de/images/logos/sponsoren/slider/ -||handelsblatt.com/images/icon/anzeige_h.gif -||handwerksblatt.de/banner_scripte/ -||handy-sparen.net^$domain=germanload.to -||handykino.info/banner/ -||hannover-allsports.de/ast/home_files/luederslogo_cmyk.png -||hannover-allsports.de/ast/home_files/rs_logo.png -||hannover-dragonboatraces.de^*/drachenbootshop.jpg -||hannover-dragonboatraces.de^*/gessjacob.jpg -||hannover-dragonboatraces.de^*/gilde.gif -||hannover-dragonboatraces.de^*/logo_avi.jpg -||hannover-dragonboatraces.de^*/logo_starlighte.jpg -||hannover-dragonboatraces.de^*/sponsors/ -||hannover-dragonboatraces.de^*/tui.jpg -||hannover-zeitung.net/images/banners/ -||hannover96.de/CDA/uploads/tx_templavoila/sponsor_ -||hans-wurst.de/images/empfehlung/ -||hans-wurst.net/wp-content/uploads/ama/ -||happywins.com/headbanner.php -||hardbase.fm/banner/ -||hardcoremetal.biz/vote.php -||hardware-academy.org/images/banners/ -||hardware-experten.de/images/banner/ -||hardware-factory.com/banner/ +||hammerporno.xxx/js/spx_resposive_rotator.js +||hannover96.de^*/sprite-footer-partners.gif +||happyweekend-club.com/images/default/banner_ +||happyweekend-club.com/images/default/hw_ffgv_chat.gif ||hardware-factory.com/images/01_ban/ -||hardware-factory.com/images/banners/ +||hardware-mag.de/images/ads/ +||hardware-mag.de/js/ads.min.js ||hardwareluxx.de/images/stories/werbung/ -||hardwaremax.net//images/banners/ -||hardwaremax.net/images/banners/ ||hartgeld.com/images/banners/ -||hartgeld.com/images/wb/ -||hartgeld.com^*/hgb_ -||haustechnikdialog.de/banner/ -||hc-aschersleben.de/SponsorenBanner.swf -||hc-empor.de/images/content/sponsors/ -||hc-erlangen.de/fileadmin/user_upload/bundesliga/sponsoren/ -||hcempor.de/images/content/sponsors/ -||hd-vidz.net/layer.php -||hd-vidz.net/out.js -||hd-world.org^$subdocument,domain=hd-world.org -||heddesheimblog.de^*/anzeige- -||heddesheimblog.de^*/bds-anzeige- -||heidoc.net/amazon/ +||hausgeraete-test.de/images/trademarks/ +||hc-erlangen.de/fileadmin/user_upload/banner/ +||hc-neumarkt.com/images/partner/ +||hcb.net^*/elpo- +||hcb.net^*/forst.png +||hcb.net^*/knoma- +||hcb.net^*/messebozen- +||hcb.net^*/prohockey- +||hcb.net^*/sparkasse- +||hcb.net^*/sued-badge_ +||hcb.net^*/wuerth- +||hceintracht-hildesheim.de/images/sponsors/ +||hcempor.de/wp-content/uploads/*/Logoleiste-Sponsoren +||hcgherdeina.com/img/db/s/20160422164221.png +||hcgherdeina.com/img/db/sponsor/ +||hcgherdeina.com/img/layout/squadra_sponsor_ +||hcinnsbruck.at/images/Alpquell.png +||hcinnsbruck.at/images/bah_logo.png +||hcinnsbruck.at/images/Bauer.png +||hcinnsbruck.at/images/NewDosenberger.png +||hcinnsbruck.at/images/STMS.png +||hcinnsbruck.at/images/tiwag_logo.png +||hcinnsbruck.at/images/tt_logo.png +||hcpustertal.com^*/sponsors/ +||hd-sexfilme.com/cpanel/ +||hd-sexfilme.com/img/linklist2/ +||hdpornos.net/cpanel/? +||hdpornos.net/img/linklist2/ +||hdsports.org/images/netzathleten.png +||hdsports.org/images/stories/Breitensport/kelbet.jpg +||healthhelp.ch/wp-content/uploads/*_banner_ ||heimspiel-online.de/uploads/tx_macinabanners/ -||heinertown.de/anzeigen/ -||heise.de/icons/ho/seen_by_banner.gif -||heldendesalltags.net/rss/handyz_rss_.php -||hertener-allgemeine.de^*/anzeigen/ -||hg-saarlouis.de/uploads/pics/swsls_vdsl_ +||heimwerker-test.de/images/trademarks/ +||help.ch/ads/ +||herzporno.com/img/linklist/ +||hg-saarlouis.de/wp-content/uploads/*/allkauf-logo.jpg +||hg-saarlouis.de/wp-content/uploads/*/ikk.jpg +||hg-saarlouis.de/wp-content/uploads/*/lakal.jpg +||hg-saarlouis.de/wp-content/uploads/*/lotto.jpg +||hg-saarlouis.de/wp-content/uploads/*/meguin.jpg +||hg-saarlouis.de/wp-content/uploads/*/pieper.jpg ||hierspielen.com/vda/$subdocument -||hifitest.de/wb/*_MediumRectangle -||hifitest.de/wb/*_Offerbox -||hifitest.de/wb/*_Skyscraper -||hifitest.de/wb/*_XXLBanner1_ -||highspeed.duckcrypt.info^ -||hiking-blog.de/wp-content/uploads/*/Campz.de-300x177.jpg -||hildesheimer-allgemeine.de/uploads/tx_macinabanners/ -||hintergrundfakten.de/hint_data/check24_x.jpg -||hintergrundfakten.de/hint_data/smav_a_b.gif -||hintergrundfakten.de/hint_data/t24.jpg -||hintergrundfakten.de/hint_data/weg_de_last_min.jpg -||hirnfick.to/hf.php -||hirnfick.to/random.php -||hitradio-rtl.de/uploads/pics/*_banner_ -||hitradio-rtl.de/uploads/pics/banner_ -||hl-live.de/aktuell/grafiken/banner/ +||hifi-forum.de/js/hifi-ad-manager.js +||hifi-today.de/wp-content/uploads/*/banner- +||hifistatement.net/images/banners/ +||hifistatement.net/images/content/banner/ +||hifitest.de/images/trademarks/ +||highway-magazin.de/images/300x125_ +||highway-magazin.de/images/banners/ +||highway-magazin.de/images/samenwahl_highway2.gif +||hintergrundfakten.de/hint_data/wlm.jpg +||hintergrundfakten.de/hint_data/wlm2.jpg +||hintergrundfakten.de/hint_data/y_chck2_4.jpg +||hintergrundfakten.de/hint_data/yt2_4.jpg +||hitradio.com.na/images/banner/ ||hl-live.de/aktuell/grafiken/vg/ -||hl-live.de^*/banner. -||hochzeitsplaner.de^*_200x600. -||hochzeitstage.de^*/200x600_ -||hochzeitstage.de^*/728x90hochzeitsdrucksachen.gif -||hoerbuch.us/bannerd.php -||hoerbuch.us/bannerdd.php -||hoerbuch.us/pop.php -||hoerbuch.us/popser.php -||hoerbuchfm.de^*/banner/ -||hollywood-streams.com/partner.js -||holstein-kiel.de/tl_files/banner/rectangle_ -||holstein-kiel.de/tl_files/banner/skyscraper_ -||holstein-kiel.de/tl_files/banner/wide_rectangle_ -||homad1.spiegel.tv^$object-subrequest,domain=spiegel.tv -||homad2.spiegel.tv^$object-subrequest,domain=spiegel.tv -||homepage-anleitung.de/wp-content/uploads/*/sky2.png -||homerj.de/images/*_1580x250. -||homerj.de/images/*_300x550_ -||homerj.de/images/*_wallpaper.jpg -||homerj.de/images/asuswp_rog-gserie_042013.jpg -||homerj.de/images/design/box_elbster_ -||homerj.de/images/design/box_eset_ -||hopto.org^*/banner.html -||hornoxe.com/ddpd.js -||hornoxe.com/plp_ -||hornoxe.com/pup_plaer.js -||hornoxe.com^*.php$subdocument -||hornoxe.com^*.php|$script,domain=hornoxe.com -||hornoxe.com^*/BannerDuckyPoker_ -||horseweb.de^*/blink/ -||hosteurope.de/goloci/$domain=goloci.de -||hot-porn-ddl.com/downloads.html -||hot-porn-ddl.com/gtrade.js -||hot-warez.org/trade.php -||hot-warez.org/vote.js -||hotel-tip-thailand.de/images/villa_rental_deals.jpg -||hotel-tip-thailand.de/images2/andaman_photography.jpg -||hotel-tip-thailand.de/images2/best_deal_hotels.jpg -||hotel-tip-thailand.de/layer_add.js -||housetime.fm/banner/ -||hsc2000.de/files/knoch-web-banner-hsc.jpg -||hsc2000.de/files/livestream_2014_oben.png -||hsc2000.de/files/livestream_2014_unten.png -||hsc2000.de^*/cosponsoren/$subdocument -||hsg-pohlheim.de/hsg/images/banner/sponsoren/ -||hsg-wetzlar.de/uploads/*_banner_650x100. -||hsg-wetzlar.de/uploads/tx_templavoila/*-Banner.gif -||hsg-wetzlar.de/uploads/tx_templavoila/*_Anzeige_ -||hsg-wetzlar.de/uploads/tx_templavoila/Banner_Stadthalle.jpg -||hsgnordhorn-lingen.de/sites/all/themes/hsg/images/spons_top/ -||hsvhandball.com/fileadmin/user_upload/Banner/ -||html-world.de/anzeige.gif -||html-world.de/anzeige3.gif -||htwk-leipzig.de^*/premium-partner/ -||iamgamer.de/uploads/tx_iagnewsandarticles/branding/ -||iamgamer.de/uploads/tx_iagnewsandarticles/brandings/ -||iban.de/img/1/bbox.gif -||iban.de/img/1/blead.gif -||iban.de/img/1/btop.gif -||ibash.de^*.html$subdocument -||ich-hab-gar-keine-homepage.de/show/kh.php -||ichspiele.cc/assets/images/backgrounds/ +||hl-live.de/banner/ +||hoerbuch.us/download.png +||hoerzu.de/files/images/hz-amazon-start.png +||holidaycheck.at/ads/ +||homepage-anleitung.de/wp-content/uploads/*/gsl_b_sky.jpg +||horseweb.de/wp-content/uploads/*/Spuckschutz-Glaskeil.jpg +||horseweb.de/wp-content/uploads/*/stx-germany.jpg +||hottime.ch/images/Banner/ +||hpd.de/sites/hpd.de/files/advertising/ +||hsc-bad-neustadt.de/wp-content/*/sponsor_ +||hsg-wetzlar.de/fileadmin/media/business/sponsoren/ +||hsgnordhorn-lingen.de/images/spon_ +||hsvhandball.com/wp-content/uploads/*/1_AOK.png +||hsvhandball.com/wp-content/uploads/*/2_HHVoba.png +||hsvhandball.com/wp-content/uploads/*/7_benthack.png +||hsvhandball.com/wp-content/uploads/*/hummel_white.png +||hsvhandball.com/wp-content/uploads/*/smileys.png +||hsvhandball.com/wp-content/uploads/*/ticketmaster_white.png +||htfgames.com/bilder/2006/casino.jpg +||htfgames.com/bilder/2006/kostenlose_games.jpg +||htfgames.com/bilder/free_online_games.jpg +||htfgames.com/bilder/werb/gbase_290x61.jpg +||huren-inserate.com/banner/ +||hybrid-prd.ad-prd.s.joyn.de^ +||ibiza-heute.de/wp-content/uploads/*/Banner_ +||ibiza-heute.de/wp-content/uploads/*/Leaderboard- +||ibooks.to/plpscript.php +||ibooks.to/plscript.php +||ibooks.to/wp-content/uploads/*/daddel.png +||ibooks.to/wp-content/uploads/*/ddd.png +||ibooks.to/wp-content/uploads/*/ddnew2728.png +||ibooks.to/wp-content/uploads/*/dldl.png +||ibooks.to/wp-content/uploads/*/ffree.png +||ibooks.to/wp-content/uploads/*/goforblock.png +||ibooks.to/wp-content/uploads/*/offdd728.png +||ibooks.to^*.php|$script ||idealo.de/banner/ -||idowa.de/banner/ -||idowa.de/dynamic/content/banner.do? -||idowa.de^*/banner_objekte/ -||ifun.de/mediablitz/$subdocument -||ignimgs.com/static/ignmedia/sites/de.ign.com/img/default/test_skin_de.ign.com.jpg$domain=de.ign.com -||im.banner.t-online.de^ -||im1.tv^*/commercial/ -||imagebanana.com/img/kf2c4tns/banner1.jpg$domain=drop-games.org -||imagebanana.com^*/layer.js ||images-amazon.com/images/*/marquee/ ||images-amazon.com/images/*/marqueestatic/ -||img-up.net/?layer|$script -||imgimg.de/a-d.php -||imgimg.de/a-l.php -||imgur.com^$image,domain=monster-titten.com -||infantologie.de/layer.php -||info.koeln/site/uploads/default/banner/ -||infokrieg.tv^*/gold-de-125x125.gif -||infokriegernews.de^*/180x200_ -||infokriegernews.de^*/all_stern.jpg -||infokriegernews.de^*/krivor180x225.gif -||informatikboard.ch/banner/ -||infranken.de^*/AdDeveloper_ -||inside-channels.ch^*&ad.id= -||inside-it.ch/*&ad.id= +||imgix.net/production/uploads/*/Banner_$domain=aerotelegraph.com +||imgur.com/cKTUKlX.gif$domain=mmnews.de +||imgur.com/zCsgpkZ.gif$domain=mmnews.de ||inside.bz.it/images/banners/ -||insidegames.ch/werbung/ -||insidegames.ch^*_Insidegame_bkg.jpg -||intimesrevier.com/banner/ -||ip-ads.de^$domain=sueddeutsche.de|www.rtl.de|www.vox.de -||iphoneblog.de/wp-content/uploads/2012/04/datacell-iphoneblog.png -||ircfaq.de/banner/ -||ishare.to/images/banners/ +||interhyp.de/angular/lafpartner/$third-party,domain=t-online.de +||isaswomo.de/wp-content/uploads/*-Banner- ||islam.de/images/other/banner/ -||israelheute.com^*/promo/ -||israelnetz.com/uploads/tx_templavoila/ -||it-sa.de/uploads/tx_macinabanners/ -||italien.info/booking.htm -||itseccity.de/banner/ -||ix.de/icons/ho/seen_by_banner.gif +||islamiq.de/wp-content/uploads/*/aaa.gif +||islamiq.de/wp-content/uploads/*/igmg_dijital_ilan_islamiq_605x300px_ +||islamiq.de/wp-content/uploads/*/ramadanspohr.gif +||islamiq.de/wp-content/uploads/*/ukba_ilan_dijital_islamiq_980x150px3.gif +||islamiq.de/wp-content/uploads/*/Unbenannt-1.gif +||islamische-zeitung.de/wp-content/uploads/*-300x200px. +||islamische-zeitung.de/wp-content/uploads/*/banner. +||islamische-zeitung.de/wp-content/uploads/*/banner_ +||islamische-zeitung.de/wp-content/uploads/*/Open_IZ1240x10015_ +||israel-nachrichten.org/wp-content/uploads/*/querbanner_ +||israel-nachrichten.org/wp-content/uploads/*_hochbanner_ ||jacktheripper.de/images/banner/ -||jam.fm^*/centgebote.swf -||jam.fm^*/werbung/ -||jappy.de/i/ad/ -||jappy.tv/i/ad/ -||jenatv.de/adds_ -||jeversches-wochenblatt.de^*/banner/ -||jjahnke.net/pt_popupbox.js -||jobs.tagesanzeiger.ch/teaser.php -||journalist.de/uploads/tx_macinabanners/ -||journalmed.de/bannerimage.php?id= -||joursouvres.ch/pub_ -||jungewelt.de/bannerdeliver.php? -||justpay.de/images/banners/ -||juve.de/wp-content/plugins/banner/ -||k-foren.de^*/prestitial.js -||ka-news.de/storage/*/techkanews/anzeigen/ -||kabelbwforum.de/images/kabelbw/ -||kabeldeutschland.de^*/556x464chat-m.gif -||kadett-forum.de/gp.swf -||karriere-im-ausland.de/bilder/ef_banner_ -||kartfahrer-forum.de/board/images/banner/ -||kaufn.com/banner_test/ +||journalist.de^*/Stellenanzeigen/ +||jungefreiheit.de/wp-content/banners/ +||jungfrauzeitung.ch^*.html|$subdocument +||kajak-magazin.com/images/banners/ +||kalenderwoche.de/bobs/ +||kanarenexpress.com/images/canarias- +||kapstadt.de/images/kunden/exclusive-tours-263-323-2.jpg +||kartfahrer-forum.de/board/images/ +||kath.net/mod/ +||kathsonntagsblatt.de/images/aktuell/misereor_275.gif +||katzeausdemsack.de/banner/ +||kauf6.com/img/banner/ +||kaufland.de^*&showSpads=true^ +||kauperts.de/images/partners/ ||ketoforum.de/Banner/ -||keywelt-board.com/banner.gif -||keywelt-board.com/banner2.gif -||kicker.de/generic/js/homad__ -||kicker.de^*/anzeigevertikal.jpg -||kielz.de/uploads/partner/rotbanner- -||kilu.de^*/remote_changes. -||kingsize-crew.cc/banners/ -||kino-zeit.de/proxy|$xmlhttprequest -||kino.de/js/mvf2.js -||kino.de/landingpages/ -||kinokiste.com/assets/img/leaderboard_s.gif -||kinokiste.com^*/sofadeals_sky. -||kinoprogramm.bild.de^ -||klamm.de^*/wms_show_frame.php -||kleiner-kalender.de/static/aablock/ -||kleinreport.ch/uploads/banner/ -||koelner-wochenspiegel.de/images/banner/ -||koelschwasser.eu/images/banners/ -||kondomgroesse.com^*/layer1.js -||konsolenschnaeppchen.de/content/plugins/background-manager/ -||kopp-medien.websale.net^$domain=buergerstimme.com -||krankenkassentarife.de/images/anzeige_ -||kress.de/typo3conf/ext/tmplkress/res/*-banner.js? -||kress.de/typo3conf/ext/tmplkress/res/*_200x2400.swf -||kress.de/typo3conf/ext/tmplkress/res/*_777x90.swf -||kriminalpolizei.de/images/lzw_banner.gif -||krone.at^*/ad_stylesheet/ -||kronehit.at/assets/banner/ -||kurier.at^*/dynamicads-$script -||kurier.at^*/dynamicads_ -||laborjournal.de/banner/ -||lachfails.net^*/layer.js -||lachfails.net^*/layer/ -||lachschon.de^*/cutewood-promo.jpg +||kinderlandparks.de/cms/media/thumbnail_5240_w_650.jpg +||kinox.top/templates/Kinox/images/stream.gif +||kitzanzeiger.at^*/sponsoren/ +||klappeauf.de/images-banner/ +||klexikon.de/banner/ +||kochbar.de/moltenbundle/ +||koeln.de^*/werbung/ +||kostenlose-urteile.de/www.kostenlose-urteile.de/RTAads.html +||kradblatt.de/wp-content/uploads/mediabanner/ +||kriminalpolizei.de/fileadmin/user_upload/*-Skyscraper_ +||kriminalpolizei.de/fileadmin/user_upload/*_728x100. +||kroatien-nachrichten.de/wp-content/uploads/*/118487995_307800703629191_3999309709283286875_n.jpg +||kroatien-nachrichten.de/wp-content/uploads/*/125375586_1887673141371509_4482467756478970036_n.jpg +||kroatien-nachrichten.de/wp-content/uploads/*/136685650_448400096333860_585562005834626849_n-3.jpg +||kroatien-nachrichten.de/wp-content/uploads/*/Kuoko_KN_Logo-300x112.jpg +||kroatien-nachrichten.de/wp-content/uploads/2020/11/Logo.jpg +||krone.at/talk-ads/ +||kronenachrichten.com/wp-content/uploads/banner/ +||krzbb.de/revive/ +||kulturmd.de/images/*_Banner_ +||kunststoffweb.de/_g/_ads/ +||laborjournal.de/infos/m99/img/b_ +||lad.sumikai.com^ +||ladies.de/sol +||laengengrad-breitengrad.de/public/img/externbanner/ ||land-der-traeume.de/bilder/banner/ -||land-der-traeume.de/partner/ -||langenscheidt.de^*/banner/ -||langes-forum.de/images/banner/ -||langes-forum.de/js/bannerwechsel_header.js -||laola1.at/fileadmin/sp10/img/presentings/ -||latina-press.com/media/brasilianisch-lernen-180.jpg -||layer.lima-city.de^ -||leecher.to/123.php -||leecher.to/ad/ -||leecher.to/hrhrhrhr.js -||leecher.to/leecher.js -||leecher.to/leecher.php -||leecher.to/peter/ -||lena-meyer-landrut.de/lml/includes/apps/player/standard/avtconfig.xml$object-subrequest -||lesben.org/images/banners/ -||lesen.to/camp/ -||lesen.to/ddban.php -||lesen.to/deal.php -||lesen.to/inslay.php -||lesen.to/lay.php -||lesen.to/layer/ -||lesen.to/layerv2/ -||lesen.to/pop.php -||lesen.to/trackit.html -||lesen.to/trackitenter.html -||lesen.to^*/rotator.php -||lightningcast.net^*/getplaylist?$domain=buffed.de|gamesaktuell.de|kicker.de|pcgames.de|shape.de -||like-fun.eu/images/bg4y.jpg -||like-fun.eu/include/layer.js -||linguee.de/banner/ -||linkbase.in/l.js -||linkcrypt.com^*/mirror.gif -||linkfarm.in/linkfarm_out.js +||latina-press.com/media/*/online-casino-bonus-min.gif +||latina-press.com/media/spanisch-lernen-160.png +||laufzeit.de/wp-content/banners/ +||lesbenhd.com/cpanel/ +||lesbenhd.com/img/linklist2/ +||lifeverde.de/files/*-970-x-250-banner- +||ligaportal.at/images/promo/ +||ligaportal.at/images/sponsor_vip/ ||linkr.top/images/gutschein.gif ||linkr.top/images/rso.js ||linkr.top/images/ruse.js -||linkvz.net/cloud/top.php?url=$subdocument -||lintorfer.eu/wp-content/images/bauconcept.jpg -||lintorfer.eu/wp-content/images/bensberg2.gif -||lintorfer.eu/wp-content/images/bional.jpg -||lintorfer.eu/wp-content/images/boening.gif -||lintorfer.eu/wp-content/images/butenberg.jpg -||lintorfer.eu/wp-content/images/druckerei_preuss2.gif -||lintorfer.eu/wp-content/images/essbar.jpg -||lintorfer.eu/wp-content/images/fleermann10.jpg -||lintorfer.eu/wp-content/images/kroellgmbh.gif -||lintorfer.eu/wp-content/images/marbetinoa.JPG -||lintorfer.eu/wp-content/images/perpeet.GIF -||lintorfer.eu/wp-content/images/simons_klein.JPG -||lintorfer.eu/wp-content/images/Steingen2012.jpg -||lintorfer.eu/wp-content/images/Tus-Lintorf.gif -||lintorfer.eu/wp-content/images/victor.jpg -||lintorfer.eu/wp-content/uploads/*/130620peterbeyer.jpg -||lintorfer.eu/wp-content/uploads/*/131220peterbeyer.jpg -||lintorfer.eu/wp-content/uploads/*/131221kr%C3%B6lln.jpg -||lintorfer.eu/wp-content/uploads/*/20130322blumenkamp.jpg -||lintorfer.eu/wp-content/uploads/*/assro-bahr.jpg -||lintorfer.eu/wp-content/uploads/*/assro.jpg -||lintorfer.eu/wp-content/uploads/*/awo-jan.jpg -||lintorfer.eu/wp-content/uploads/*/bastelesel.jpg -||lintorfer.eu/wp-content/uploads/*/Bauconcept_131113.jpg -||lintorfer.eu/wp-content/uploads/*/bional.jpg -||lintorfer.eu/wp-content/uploads/*/butenbergneu.jpg -||lintorfer.eu/wp-content/uploads/*/fleermann_111213.jpg -||lintorfer.eu/wp-content/uploads/*/Froschk%C3%B6nige.png -||lintorfer.eu/wp-content/uploads/*/kr%C3%B6llneu21.jpg -||lintorfer.eu/wp-content/uploads/*/lintorfer1.png -||lintorfer.eu/wp-content/uploads/*/pflegeunion.jpg -||lintorfer.eu/wp-content/uploads/*/steingen2013.jpg -||linux-forum.de/images/misc/ebay_logo.gif -||lite-magazin.de/wp-content/uploads/*-629x150. -||lite-magazin.de/wp-content/uploads/*/629x120. -||lite-magazin.de/wp-content/uploads/*/629x120_ -||lite-magazin.de/wp-content/uploads/*/629x180. -||live-stream.tv/images/savetv.gif -||loaderz.org^*/layer.php -||lohn-info.de/banner_meritum.gif -||lokalanzeiger.de/images/banner/ -||lokalisten.de/eggs/cpi.php?acc=$script -||lokalisten.de/lokiimg/kunden/$image -||lokalisten.de/scripts/ox_spc.js -||looki.de/ba/ -||looki.de/gfx/cache/ba_*.png -||looki.de^*/take_over_ -||lose-keller.de/sk_views.php -||lounge.fm^*_Anzeige_ -||lowbird.com/media/ichwuerde.gif -||luebeck-tourismus.de/images/stories/*_154x70 -||luebeck-tourismus.de/images/stories/banners/ -||lvz-online.de/includes/flash_sachsendeal/ -||maclife.de/sites/all/modules/fm_imageslider/slider.html -||macnews.de^*/musicstar-teaser.gif -||maerkischeallgemeine.de/widget_meinprospekt.html -||maerkte.sueddeutsche.de^$subdocument -||mafia-linkz.to/tmp/fl_$image -||mafia.to/base.php? -||mafia.to/dl_header.cfm -||magistrix.de/dblock/ -||magistrix.de/deblock/ -||magistrix.de/deeblock/ +||lintorfer.eu/wp-content/uploads/*/150219fleermann-300x250.jpg +||lintorfer.eu/wp-content/uploads/*/BU-Sylvester-2020-2021-II-1024x684.jpg +||lintorfer.eu/wp-content/uploads/*/fleermann_facebook-Kopie.jpg +||lintorfer.eu/wp-content/uploads/*/tuslintorf_weihnachten_neu.png +||lintorfer.eu^*/160316sparkasse.gif +||lintorfer.eu^*/160329assro.jpg +||lintorfer.eu^*/161224leibrebelogo.jpg +||lintorfer.eu^*/161228gerdasievert.jpg +||lintorfer.eu^*/190215gerdasievertwohlf%C3%BChlenneu.jpg +||lintorfer.eu^*/banner- +||lintorfer.eu^*/bauconceptneu.jpg +||lintorfer.eu^*/simons_klein.jpg +||lintorfer.eu^*/Zander-Immobilien.jpg +||lippe-news.de^*/banner/ +||lite-magazin.de/wp-content/uploads/*-Banner- +||lite-magazin.de/wp-content/uploads/*/276x200. +||lite-magazin.de/wp-content/uploads/*/276x220px- +||lite-magazin.de/wp-content/uploads/*/629x220. +||lite-magazin.de/wp-content/uploads/*_276x600- +||loipenpark.de/images/banners/ +||lokalo.de/wp-content/uploads/*.mp4 +||lokalo.de/wp-content/uploads/*/estricher_hof_anim_ +||lokalo.de/wp-content/uploads/*/tts-banner- +||lounge.fm^*/auto-doc. +||lounge.fm^*/topersatzteile. +||lowbeats.de/site/wp-content/banners/ +||loz-news.de/images/banners/ +||lustvollesgeheimnis.com/banner/ +||macgadget.de/mgbanner/ ||mailcdn.de/w.php?$domain=mail.de -||mailgen.biz/img/banner_ -||mailgen.biz/lla2/ -||mainz05.de/mainz05/banners.html -||mamamiez.de^*/ecover_banner.png -||manabase.de/images/topimg.gif -||maniac.de/sites/all/themes/maniac/images/campaigns/ -||map24.com/banner/ -||marcus-klein.de/EWR-Logo-web-1.gif -||mb-treff.de/menue/banner/ -||mba-studium.de/whb3.gif -||mcload.cc^*/hs.gif -||mcload.to/images/lovedate.gif -||mcload.to/images/lovedate160.gif -||md5checker.com/ipodbanner.gif -||mdh-pa.net/trade_out.js -||mdlbs.motor-talk.de^ -||media.beichthaus.com.s3.amazonaws.com/images/horrordates.jpg$domain=beichthaus.com -||media.beichthaus.com.s3.amazonaws.com/images/meineticks.jpg$domain=beichthaus.com -||media.onlinewelten.com^ -||media33.kanal8.de/media/*/banner/ -||mediadb.kicker.de/nike/*/schuh_$image +||mainpost.de/storage/image/*_kickers-sponsor- +||mainz05.de/fileadmin/_processed_/*-Sponsorenlogos_ +||maniac.de/campaigns/ +||massage123.ch/Pics/bapics/ +||media.outnow.ch/Site/Waerbig/ ||mediaforum.ch/banner/ ||mediaforum.ch/banner_ -||mediang.gameswelt.de/public/upload/$object,stylesheet -||medienzensur.de/bilder/links/unicef.gif ||meetingpoint-brandenburg.de/bilder/*/kunden/ ||meetingpoint-brandenburg.de/bilder/*/werbung/ -||mega-stream.to/do.php -||mega-stream.to/js/ppop*.js -||mega-stream.to^*/system.js -||mein-shirt.net^$domain=smsit.me -||meintomtom.de^*/back_adblock.gif -||meisterkuehler.de/bilder/artikel/banner/ -||mensa-kl.de/banner/ -||meproxsoft.de^*/banner- -||meran2000.net/de/images/banner/ -||mercateo.com/delivery.engine/ -||messweb.de/clickrate/ -||meteoprog.at/de/sections/254/$subdocument +||meetingpoint-brandenburg.de/upload/ads_ +||mef-line.de/images/banners/ +||mein-wetter.com/include/$subdocument +||meinyouporn.com/img/linklist2/ +||melodieundrhythmus.com^*/Granma-Abo.png +||melodieundrhythmus.com^*/unblock-cuba_ +||messweb.de/media/img/Caemax.gif +||messweb.de/media/img/icHaus_integrate_Circuits.gif +||messweb.de/media/img/imc_produktiv_Messen.jpg +||messweb.de/media/img/iotmaxx_250x210.gif +||messweb.de/media/img/Jaeger_Adwin.gif +||messweb.de/media/img/zse_250x210.gif ||miba.de/bilder/banner/ ||michas-spielmitmir.de^*/anzeige.gif -||michas-spielmitmir.de^*/banner_ +||microspiele.com/img/gdesire.jpg +||mietminderungstabelle.de/templates/RRT2/adBoxes/ +||minimed.at/fileadmin/templates/minimed.at/nl_promobox/ ||mistershoplister.de/mips.php -||mittelbadische-presse.tv/reiffvast/vast.php -||mmnews.de^*/banner-mmnews_336x279px.gif -||mmnews.de^*/bocker_gold.gif -||mobiflip.de^*/160er.html -||mobiflip.de^*/728er.html -||mobilefunk.info^$domain=germanload.to -||mobilegeeks.de/wp-content/uploads/2017/03/mobilegeeks_koop_banner_1600x900.jpg -||mobilfunk-talk.de/banner_rechts.php -||moddingtech.de^*/banners/ +||mmnews.de/images/*_Banner_ ||modified-shop.org/images/banner/ -||moneyspecial.de/ms/media/sponsor/ -||moonsault.de/templates/ -||moonwalk.ch^*/promobox_$subdocument -||morgenpost.de/adv/ -||morgenweb.de^*/banner/ -||morgfx.de/banner/ -||motorrad2000.de/banner/ -||motorsport-total.com/i/banner/ -||motorsport-total.com/i/dunlop_flash.gif -||motorsport-total.com/image/ -||motorsport-total.com^*/image/ -||motorsport-xl.de^*/werbung/ -||mototreff.ch/Banner/ -||mov-world.net^*/fidel.js -||movie-blog.org^$subdocument,domain=movie-blog.org -||movie-stream.to/do.php -||movie-stream.to^*/pop*.js -||movie-stream.to^*/system.js -||movie2k.ag/sw.js -||moviebb.to/img/banner/ -||moviebox.to/do.php -||moviebox.to^*/*pop*.js -||moviebox.to^*/system.js -||moviestube.net/protection/1/$image -||moz.de/fileadmin/media/flash/online_banner_ -||mr-wetter.de/images/banners/ -||msxfaq.de/images/banner_ -||msxfaq.de/images/skyscraper.gif -||msxfaq.de/images/skyscraper_ -||msxfaq.net/images/banner_ -||msxfaq.net/images/skyscraper.gif -||mt-online.de/_em_daten/^*_rectangle.jpg -||mtb-news.de^*/anzeige.gif -||muenchen.de^*/banner/ -||muenzen.net/banner/ +||momo-net.com/asd? +||moonsault.de/menu/amazon_ +||motorrad2000.de/wp-content/uploads/*-Banner_ +||motorrad2000.de/wp-content/uploads/*/0801_motorrad2000_bueffel_animation.gif +||motorrad2000.de/wp-content/uploads/*/8fa952cba73b0d4fbf043e9be45cb366.gif +||motorrad2000.de/wp-content/uploads/*/b67500ab7a18a07b9ef79e89bd077568.gif +||motorradundreisen.de/banner/ +||motorradundreisen.de/engine/count_banner_image/ +||motorradundreisen.de^*/banner/ +||msecnd.net/endpoint/shipment/$domain=merkurist.de +||msh-online.de/_daten/banner/ +||mtb-news.de/news/wp-content/plugins/mtbn-ads/ +||mtb-news.de/news/wp-content/uploads/*/takeover- +||mtb-news.de/news/wp-content/uploads/*/Takeover_ ||multilingual.de^*/banner/ +||multilingual.de^*/sprachreisen_0.gif +||multilingual.de^*/sprachschule-malta.gif +||musiker-board.de^*/siropu/aml/ +||musiksampler.de/cgi-bin/arlight/view.php ||musiksampler.de/images/banner/ -||muskelschmiede.de/forum/partner/ -||muskelschmiede.de/images/banners/ -||mvv-muenchen.de/web4archiv/objects/pictures/homepage/banner/ -||myanimes.net/layer.js -||myboerse.bz/annedpromo.php -||myboerse.bz/popups.php -||myboerse.bz^*.php$subdocument -||myconsol.net/uploads/brandings/bg_ -||myconsol.net/uploads/brandings/headerbg_ -||mycsharp.de/wbb2/images/community_index/events/*_140x100.gif -||mydict.com/images/w/ -||myfile.bz/out.js -||myfunlink.to/handyz_rss_.php -||myfunlink.to/psdealsrss.php -||myfunlink.to/viral/ -||mygully.com/daload.php -||mygully.com/popbit.js -||mygully.com/popup.js -||mykino.to/templates/tvspirit/js/customPopup.js -||myphoto.to/images/20110621/482170186406374378620115.gif$domain=leecher.to -||mypolonia.de/promo/ -||myspass.de/myspass/includes/apps/player/standard/avt_config.php?$object-subrequest -||myspass.de/myspass/includes/apps/player/standard/avtconfig.php?$object-subrequest -||mytube-one.de/smoketown_$image -||myvideo.de^$subdocument,domain=schulterglatze.de -||myvideo.de^*/imm.swf$object-subrequest -||n-romserver.de/w-info.gif -||n-tv.de/img/*_290_advogarant- -||nachrichten.at/oonup/images/kunden/ +||my105.ch/fileadmin/sponsoren/ +||mygully.com/at1.php +||mygully.com/ca.php +||mygully.com/f.php +||mysqldumper.de/img/banner- +||mysqldumper.de/img/spanischeweihnachtslotterie- +||n-land.de/wp-content/uploads/$subdocument +||nachrichten.es/wp-content/uploads/*/Spanisch-lernen-250x300- ||nachrichtenamort.de/cms/wp-content/images/ANZ_ -||nachtkritik.de/images/banners/ -||namibia-forum.ch/images/banners/ -||nanu.de/modules/wochenschau/banner/ -||naturpark-augsburg.de/img_layout/zech_partner.jpg -||navi-forum.net/navishop.gif -||ncrypt.in/images/2.gif -||ncrypt.in/images/b/error.png -||ncrypt.in/images/b/side.png -||nerdcore.de/banner/ -||nerdcore.de/wp/wp-content/themes/*/_img/hosteurope.gif +||nachtkritik.de/images/contentbannereins_ +||nachtkritik.de/images/skyscraper_ +||nachtkritik.de/images/topbanner_ +||nacktefoto.com/de-bonga.jpg +||nacktefoto.com/los-gif/ +||namibia-forum.ch/images/gsdu/ +||naruto-tube.org/templates/caprica/amz/ +||naruto-tube.org/templates/caprica/amzb/ +||naruto-tube.org/templates/caprica/amzl/ +||naturundtherapie.at/images/banners/ +||nebenwerte-magazin.com/wp-content/uploads/*/wrb- ||netheweb.de/images/a- ||netheweb.de/images/trigami.png -||network.bildderfrau.de^ ||network.gofeminin.de^ ||network2.aufeminin.com^ -||netzwelt.de/images/partner/ -||netzwelt.de/js/ads/ -||netzwelt.de/picture/original/*/header-navigon- -||netzwelt.de/picture/original/*/nav-prom- -||netzwelt.de^*/netzweltde-deals*.jpg -||netzwelt.de^*/netzweltde-sparberater-$image -||netzwerktotal.de^*/werbung/ -||neue-braunschweiger.de/images/banners/ -||neumarkt-tv.de/Media/5/Banner%20NEU/jubilaeum_button_100x100.jpg -||neuwagen.bild.de^$subdocument -||neuwagen.welt.de^$subdocument -||newgadgets.de/gaming.swf -||newgadgets.de/td.gif -||news.at/prod/win2day/ -||news.de/resources/banner/ -||news.de^*/ads/ -||nfos.de^*/h4u_banner_ -||nh24.de/images/banners/ -||nibelungenkurier.de/upload/banner/ -||nichtlustig.de^*/adv/ -||nichtlustig.de^*/sponsor/ -||nickles.de^*/ads.js -||niederschlagsradar.de/550x150. -||niederschlagsradar.de/bannerdetails.aspx? -||nnz-online.de/_banner/ -||nnz-online.de^*/anzeige.gif -||nnz-tv.de/_Banner/ -||noobtech.at/wp-content/uploads/*-125x125- -||noobtech.at/wp-content/uploads/*/125x -||noobtech.at/wp-content/uploads/*_125x125_ -||nordschleswiger.dk/uploads/Aabenraa-Kommune- -||nordschleswiger.dk/uploads/EDC_Banneranzeige_950x130-virker.swf -||nordschleswiger.dk/uploads/Kreditbanken1(2).jpg -||nordschleswiger.dk/uploads/Troest&Mensel_Annonce_Flash.swf -||nordthueringen-bote.de/gfx/banner110-160.jpg -||nordthueringen-bote.de/gfx/banner_ -||norrmagazin.de/wp/wp-content/uploads/*-Banner- +||neumarkt-tv.de/wp-content/uploads/*/bestercasinomentor-original.jpg +||nh24.de/wp-content/uploads/*/Banner- +||nh24.de/wp-content/uploads/*/EAM_Juni2020_1200x200.gif +||nh24.de/wp-content/uploads/*/Haemel-2012-247.gif +||nh24.de/wp-content/uploads/*/hephanta_kw-49.jpg +||nh24.de/wp-content/uploads/*/tejos_KW50.gif +||nibelungen-kurier.de/banner/ +||nmh.my.na/main/products^$domain=az.com.na +||nnz-online.de/_daten/banner/ +||nnz-tv.de^*-Webbanner.gif +||nnz-tv.de^*/Banner_ +||nnz-tv.de^*/WVN_Allgemein.gif +||nonstopnews.de/bilder/Banner/ +||notebookcheck.com/fileadmin/Sonstiges/amaz_$xmlhttprequest ||notebookcheck.com/fileadmin/templates/wbg/ -||notebooksbilliger.de/images/banner/ -||novalja-zrce.de/wp-content/uploads/*/novalja12.jpg -||nox.to/static/images/sky/ -||nr-kurier.de/images/benderheadern.gif -||nr-kurier.de/images/ferdihombach.gif -||nr-kurier.de/pic/dbeyer_250_200.swf +||nr-kurier.de/images/mankwetter.png ||nrhz.de/flyer/media/banner/ -||nullrefer.com^$subdocument,domain=anime-loads.org +||nurbilder.com/mdh1.php +||nurgay.to/scpu.js +||nurxxx.mobi/ai/s/s/js/ssu.v2.js +||nurxxx.net/ai/s/s/js/ssu.v2.js +||o-sport.de/assets/sponsors/ +||oberberg-aktuell.de/Banner/ ||oe-static.de/js/rmif.js +||oe24.at/Betaustria1.jpg +||oe24.at^*_banner_ +||oefb.at/netzwerk/imagedownload/ ||oeffentlichen-dienst.de/images/banners/ -||oekoportal.de/sites/default/files/brennstoffzellen_heiztechnik.jpg -||oekoportal.de/sites/default/files/lifeforestry-oekoportal.gif -||ofc.de/v4/images/banners/ -||ofdb.de^*/takeover_ -||ohost.de/layer.php? -||oilimperium.de/img_standards/wallpaper01_ -||okbb.de/index.php?wbu=spaa|$subdocument +||oekoportal.de/sites/default/files/pelletheizung-info.jpg +||oekoportal.de/sites/default/files/stromvergleich.png +||oekoportal.de/sites/default/files/verbraucher_eu_4.png +||ofc.de/media/*_banner- +||ofc.de/media/*_landing_ +||offroad-cult.org/Main/refs/ +||offroadforen.de/media/3-286x238-fcmoto-rechts-2-jpg/ +||offroadforen.de/media/7-1366x94-fcmototv-banner-png/ +||okey-online.com/prg/daten/datenbanken/banner ||oktoberfestportal.de/pics_banner/ -||olantis.com/images/lzobanner.gif -||oleo.tv/images/3gs.jpg -||omfg.to/bu/ -||omfg.to/deal.php -||omfg.to/images/xmaspromo.jpg -||omfg.to/md/ -||omfg.to/meindea.php -||omfg.to^*.php|$subdocument -||onepiece-tube.com/templates/Grafiken/336-768- -||onlinebanking-forum.de/phpbb2/banner/ -||onlinekosten.de/images/tactixx-banner.gif -||onlinemarketing.de/wp-content/themes/stream/images/sponsor/logo-d3media.jpg -||onlinemarketing.de/wp-content/uploads/*/125x125-onlinebanner_omd.png -||onlinemarketing.de/wp-content/uploads/*/onpage_ebook.png -||onlinemarketingrockstars.de/wp-content/themes/daily/js/omr_RS7_pdc_banner_$script +||omano.de/AdServer/ +||omasex.cc/wp-content/*/wp-content/plugins/rnotify1.3.9/ +||onepiece-tube.com/templates/caprica/amzl2/ +||onepiece-tube.com/templates/Grafiken/amazon.svg +||onepiece-tube.com^*/amzb/ +||onepiece-tube.com^*/amzb2/ +||onlinekorrektor.de/cnc/ ||onlinereports.ch/uploads/tx_macinabanners/ -||onlinetvrecorder.com^*/ingoslayer.js +||onlineuebung.de/wp-content/plugins/amazon-auto-links/ ||onlinewahn.de/sky.js -||onlinewelten.com/img/sponsor/ -||onlinewelten.com/uploads/brandings/ -||orf.at/mojo/*/banner.html -||orientierungslauf.de/images/anzeige_neu/ -||orientierungslauf.de/images/anzeigen/ -||orientierungslauf.de/images/unterstuetzer/ -||orschlurch.net/cgde.js -||orschlurch.net/cgde2.js -||orschlurch.net/player2.js -||orschlurch.net^*/amzn/ -||orschlurch.net^*/poster/ -||orthografietrainer.net/bilder/banner/ -||oshelpdesk.org/zwodreifuenf.png -||osthessen-news.de/banner/ -||osthessen-news.de/booklet/top_banner.js -||osthessen-news.de/deliver.php -||osthessen-news.de/Osthessenbanner_ -||osthessen-sport.de/uploads/tx_macinabanners/ -||osthessen-tv.de/banner_fr.php +||ostfussball.com/wp-content/uploads/*/20bet-sports.jpg +||ostfussball.com/wp-content/uploads/*/betsson-sportwetten-bonus-banner.jpg ||osthessen-zeitung.de/uploads/tx_macinabanners/ -||out.webmaster-zentrale.de/images/xyz/ -||outdoor-foren.de/images/enforcer/511_Outdoorforen_B.jpg -||outdoor-foren.de/images/vtlershop.de/ -||outdoorseite.de/wp-content/uploads/*/trailsport-banner.jpg -||outnow.ch/Media/Site/Waerbig/Backgrounds/ -||overclockingstation.de/banner/ +||osttirol-online.at/images/banners/ +||ottfried.de/wp-content/uploads/*/traueranzeige_ +||otto.de/wato-onsite/assets/*.wato.onsite.module. +||outdoortest.info/wp-content/kooperation/ ||ox.gassi-tv.de^ -||ox.immobilo.de^ -||ox.videobuster.de^ -||paderborner-blatt.de/images/banners/ -||paninicomics.de/pqcms/template/2008pc/img/*/ecke- -||paradies-oberpfalz.de/banners/ +||oxmoxhh.de/wp-content/uploads/*/hotspring- ||parcello.org/wp-content/uploads/*/amazon-$image +||parfumo.de/affi/ +||partner.schalke04.de^ ||partyamt.de/images/b/ -||passwort-generator.com/assets/img/dropbox.gif -||paules-pc-forum.de/buch/ ||paules-pc-forum.de/images/buch/ -||paules-pc-forum.de/images/teufel/ -||pc-experience.de/iframe/iframe.html -||pc-experience.de/iFrame/iframe_pce.html -||pc-magazin.de^*/partner.js -||pc-max.de^*/banners/ -||pcgameshardware.de^*/miniteaser/ -||pcmasters.de/forum/pcm-werbefrei.$image -||pcpraxis.de/images/banners/ -||pctipp.ch/fileadmin/media/wallpaper/ -||pdfzone.de^*_banner_800x120. -||pferd.de^*/ebay_logo.gif -||photon.de/bnnr/ -||phpforum.de/jbar/js/jbar.min.js -||phytodoc.de^*/phytodoc-banner.js -||pi-news.net^*/paz-banner.gif -||picdump.tv^$subdocument,domain=trendhure.com -||picdumps.com/thumbs/monsters-army.jpg -||picdumps.com/thumbs/nemexia.jpg -||picdumps.com/thumbs/rotkaeppchen.jpg -||picload.org/image/ocgcor/5efrzui567.gif$domain=xxx-blog.to -||picload.org/image/opddlw/banner1.jpg$domain=drop-games.org -||picture-dream.com^$domain=fakedaten.tk -||ping-timeout.de/b_$subdocument -||pirate-loads.to/fl.php -||pirate-loads.to/neu.php -||pizzamann.at/images/banner_ -||planet3dnow.de/iframes/160homepage.php3 -||planet3dnow.de/iframes/468ros.php3 -||planet3dnow.de/iframes/ebay*.php -||planetradio.de/flash/banner_ -||planetradio.de/images/banner- -||player.snacktv.de^$domain=shortnews.de -||ploynt.de/uploads/user_banner/ -||pokerfirma.com/wp-content/uploads/*/gif_animata2_soloanim.gif -||porn-traffic.net/mdh_ -||porn-x.org/abkeulen.js -||porn-xx.net/pop-code.js -||porn2you.org/traffictrade.js -||porn2you.org^*.php|$script -||porn2you.org^*/rotator.php -||pornflash.net/out.js -||pornit.org/l.js -||pornit.org^*/trade.js -||pornkino.to/insmess.js -||pornkino.to/instantrotator/ -||pornkino.to/lassdescheissman.js -||pornkino.to/lassdescheissman2.js -||pornkino.to/pk_out.js -||pornkino.to/pkino.js -||pornkino.to/theme.js -||pornkino.to/theme2.js -||pornkino.to^$popup,domain=xxx-blog.to -||pornkino.to^*.php|$script -||pornkino.to^*/rotator.php -||porno-pornos.org/slimtrade2.js -||porno-streams.com/porno1.js -||porno-streams.com/porno3.js -||pornos-kostenlos.tv/js/pornme.js -||porntubedeutsch.com/s/js/ta-$script -||portalkunstgeschichte.de/_images/banner- -||portalkunstgeschichte.de/getmedia.php/_media/banner/ -||powerforen.de^*/lookatme.js -||ppc-welt.info^*/banner/ -||pr0gramm.com/escobar/data/banners/ -||pr0gramm.com/escobar/data/img/ -||pr0gramm.com/media/wm/ -||pragerzeitung.cz/images/banners/ -||preisbock.de/skin/*/mbskyscraper.gif -||preissuchmaschine.de/banner/ -||pressebox.de/add/ -||pressebox.de/images/banner/ -||pressemeldungen.at/hinweis.jpg -||pressemeldungen.at/info.png -||presseportal.de/images/eyecatcher/ -||primavera24.de/images/banners/ -||primavera24.de/wp-content/themes/primavera/images/spezialBanner/ -||primavera24.de/wp-content/uploads/*_Banner_600x124.gif -||primavera24.de/wp-content/uploads/banner_ -||primavera24.de/wp-content/uploads/primavera_giro_premium_600x.png -||privacybox.net/images/vpn.gif -||private-blog.org^*.php|$script -||private-blog.org^*/rotator.php -||pro-linux.de/images/forum/w0.png -||pro-linux.de^*/action/ -||pro.de/pro_ballon/ -||pro.de^*/layer.js -||pro7livestream.com/wp-content/plugins/wordpress-popup/popoverincludes/ -||pro7livestream.com^*/divx.gif -||progtech.de/images/sponsoren/ -||promiflash.de/static-images/campaigns/ -||promiflash.de^*/takeover. -||proxydienst.de^*/max_rechts.gif -||proxydienst.de^*/max_unten.gif -||ps3-talk.de/images/wp/bgbanner.jpg -||ps3blog.de/interstitial.js -||ps3inside.de/forum/images/green/*-468.gif -||ps3inside.de/forum/images/green/figuren-zrr.gif -||ps3inside.de/forum/images/green/ps3inside_zockerrampe.gif -||pszone.eu/templates/playzone/img/bg_all.jpg -||pszone.eu/uploads/banners/ -||pure-fm.de/wp-content/uploads/ad- -||pz-news.de^*/module_wb/ -||querverweis.net/show/index.php?sac_cat= -||quoka.de/cdn/qrb/91/06/66/109660691.jpg -||quoka.de/fif.html -||quoka.de/partner/$subdocument -||quoka.de/services/get_json.js?*=$xmlhttprequest -||qvid.b-cdn.net^$domain=queer.de -||r3view.de/images/banners/ -||radio-siam.de/banner/ -||radio.de/banners/$~object-subrequest -||radio.li/uploads/tx_macinabanners/ -||radio32.ch/pages/dyn/*/header.cfm|$subdocument -||radio32.ch^*/banner/ -||radio7.de^*/tx_scwbannermanager/ -||radioedelweiss.it/bilder_sponsoren/ -||radiopilatus.ch/images/banner/ -||radiopsr.de^*/affiliates/ -||radioquintessenz.de/bilder/right_banner.gif -||radiostephansdom.at/images/amazon.jpg -||radiostephansdom.at/images/marketing/ -||radioszene.de/banner/ -||radioteddy.de/typo3temp/pics/11570d51c6.jpg -||radioteddy.de/typo3temp/pics/60e804a0cd.jpg -||radioteddy.de/uploads/pics/*_flashbanner_ -||radioteddy.de/uploads/pics/banner- -||radiox.ch/portal_banneradmin/ -||raetsel-hilfe.de/design/120x120- -||raid-rush.ws/c0m/ -||raid-rush.ws/c1m/$subdocument -||raidrush.ws/c1m/$subdocument -||raidrush.ws/com/ -||raidrush.ws/pr.js -||ratgeber-hausmittel.info/iframes/ -||ratinger-news.de/images/banners/ -||ratinger-zeitung.de/banner/ -||rc-heli-fan.org/images/banner/ -||rclineforum.de/forum/index.php?target=_blank&*&zoneid=$script -||rdrvision.com/images/partner/banner- -||rechnungswesenforum.de^*/ebay_logo.gif -||rechtslupe.de/banner/ -||redensarten-index.de/banner/ -||regionalbraunschweig.de/platzierungen/ -||regionalheute.de/platzierungen/ -||reifendirekt.at/simg/skyscrapers/ -||reifendirekt.ch/simg/skyscrapers/ -||reifendirekt.de/simg/skyscrapers/ -||reiseangebote.sueddeutsche.de/products/iframe/ -||reportnet24.de/banner/ +||pcgames.de/tsimg/topbanner/ +||pcgamesdatabase.de/images/amazon_small.jpg +||pcgamesdatabase.de/images/bt_orderamazon.jpg +||pcgameshardware.de/tsimg/topbanner/ +||pear.focus.de^ +||pedelecforum.de/forum/styles/pedelec/direkt/ +||pesterlloyd.net/assets/images/autogen/Betway-Casino-300x400.jpg +||pfaffenhofen-today.de/images/banners/ +||pfalz-echo.de/wp-content/uploads/*-Banner- +||pfalz-echo.de/wp-content/uploads/*_Anzeige_ +||pi-news.net/wp-content/uploads/*/Banner_ +||pi-news.net/wp-content/uploads/*/pax_aktiv.jpg +||pi-news.net/wp-content/uploads/*_banner. +||pi-news.net/wp-content/uploads/*_banner_ +||pi-news.net/wp-content/uploads/ad- +||pianonews.de/images/banner- +||pianonews.de/images/banners/ +||pianonews.de/images/CASIO_grandhybrid_290x150px_ +||picdumps.com/ddeal +||pilotenboard.de/ad/ +||pixelio.de/resources/widgets/clipdealer_ +||plus.tourispo.com^ +||pokerfirma.com^*-banner. +||pokerfirma.com^*/banner_ +||porn4k.to/sc-p0p.js +||pornoaffe.com/cpanel/ +||pornoaffe.com/img/linklist2/ +||pornoente.tv/cpanel/ +||pornoente.tv/img/linklist2/ +||pornoente.tv/static/exnb/ +||pornofisch.com/cpanel/ +||pornohammer.com/cpanel/ +||pornohammer.com/img/linklist/ +||pornohammer.com/img/linklist2/ +||pornohans.com/cpanel/ +||pornohans.com/img/linklist2/ +||pornohexen.com/js/a9k3jf823m4.js +||pornohirsch.net/cpanel/ +||pornohirsch.net/img/linklist2/ +||pornohirsch.net/static/exnb/ +||pornohut.info/ad/ +||pornohutdeutsch.net/wp-content/*/93kgk95aw2q.js +||pornojenny.com/cpanel/ +||pornojenny.com/img/linklist/ +||pornojenny.com/img/linklist2/ +||pornoklinge.com/cpanel/ +||pornoklinge.com/img/linklist/ +||pornoklinge.com/img/linklist2/ +||pornolisa.com/static/exnb/ +||pornos-kostenlos.com/js/a9k3jf823m4.js +||pornotanja.com/static/exnb/ +||pornotom.com/cpanel/ +||pornotom.com/img/linklist2/ +||pornotommy.com/cpanel/ +||pornotommy.com/img/linklist2/ +||pornozebra.com/cpanel/ +||pornozebra.com/img/linklist2/ +||port01.com/uploads/banner/ +||portugalforum.org/data/ads/ +||pr.t-online.de^ +||pragerzeitung.cz/wp-content/uploads/*_300x450px_ +||prispi.de/images/bluvista-cam1.gif +||privater.sex/images/banner/ +||production-livingdocs-bluewin-ch.imgix.net^*/6f3cdbc0-2a58-4a7e-933f-9077769c899b.png$domain=bluewin.ch +||promiflash.de/static/js/pf-web-*.js| +||prosiebengames.de/sites/prosiebengames/files/*/bowsergames_wallpaper_$image +||psi-magazin.de/fileadmin/user_upload/images/banner/ +||quadjournal.eu/wp-content/uploads/*-Banner- +||queer.de/gfx/air-france-presented-by- +||queer.de/gfx/mein-kondom- +||radio-oberland.de/images/banners/ +||radio-oldtimer.de/fileadmin/Bilder/Banner/ +||radio2000.it^*/banner_ +||radiobeo.ch/wp-content/uploads/*_Nachtangebote_ +||radioszene.de/wp-content/uploads/*/Wechselpiraten-Banner.png +||radiotirol.it/uploads/beitrag/*/300x70.gif +||radzeit.de/wp-content/uploads/*-250x190px. +||radzeit.de/wp-content/uploads/*-500x380px. +||radzeit.de/wp-content/uploads/*-Anzeige. +||raidrush.net/js/wrpx.js +||rasa.ch/upload/sponsors/ +||ratingerzeitung.de/wp-content/uploads/*/fotografie_fotograf_ratingen_duesseldorf_02.jpg +||ratingerzeitung.de/wp-content/uploads/*/mk-solar-ratingen-duesseldorf.jpg +||ratingerzeitung.de/wp-content/uploads/*/photovoltaik_solaranlagen_ratingen.jpg +||ratingerzeitung.de/wp-content/uploads/*/physiotherapie_japa_ +||ratingerzeitung.de/wp-content/uploads/*/podologie.jpg +||ratingerzeitung.de/wp-content/uploads/*/ragentur2019.jpg +||rc-car-news.de/advert/ +||rclineforum.de/forum/index.php?*&zoneid=$script +||rdrvision.com/images/content/*/reklame_ +||readersdigest.de/images/banner/ +||realtotal.de/data/betrugstest-com.jpg +||rechtsdepesche.de/wordpress/wp-content/banners/ +||redensarten-index.de/az/shwbnnr.php?*&bild=b/notesafloat/ +||redensarten-index.de/bnnr/ +||redhocks.de^*/floorballes.png +||redhocks.de^*/intersportpio.png +||redhocks.de^*/Logo_WaSa.jpg +||redhocks.de^*/peischer.jpg +||redhocks.de^*/sparkasse-landsberg.png +||redhocks.de^*/wasserle.png +||regionews.at/data/banner/ +||regiotrends.de/media/PR3/95-Weihn-2021.gif +||regiotrends.de/media/PR5/ek6-Link-europa-park.png +||regiotrends.de/media/PR5/em-link-badenova--2019.png +||regiotrends.de/media/PR5/emj-SPK-Link-.png +||regiotrends.de/media/PR5/t9-00-dre-linien.jpg +||reimmaschine.de/more/ +||reiseblog7.com/~/advc/ +||res.ki.de^ ||rhein-zeitung.de/cms_media/module_wb/ -||rheinforum.com/banner/ -||rnb-nutte.in/popdown.js -||rnz.de/grafiken/rnz_banner/odenwaelder.gif -||rnz.de/grafiken/rnz_banner/theater_banner.jpg -||rnz.de/netcontentmedia/bilder/red-banner- -||rockz.com/images/ctd-leader.jpg -||roller.com^$domain=rollertuningpage.de -||rollertuningpage.de/banner/ -||rollertuningpage.de/franky/RTP_banner_ -||rollertuningpage.de^*/250x250- -||rollertuningpage.de^*/800x100- -||rollertuningpage.de^*/rf_webbanner_ -||rollertuningpage.de^*/skz_minibanner_ -||rollingplanet.net/wp-content/uploads/*/BANNER- -||rollingplanet.net/wp-content/uploads/*/Banner_ -||romance-tv.de^*/banner/ -||rostock.de/bilder/_werbekunden/ -||rot-weiss-erfurt.de/marketing/img_content/images/banner_wechsel/ -||rot-weiss-essen.de/uploads/tx_macinabanners/ -||rp-online.de/app/module/buttons/marktgefluester/ -||rp-online.de/polopoly_fs/*x*.swf$object -||rp-online.de^*%20Channelsponsoring% +||rheinforum.com^*/banner/ +||riskcompliance.de/wp-content/uploads/*/Screenshot-Galvanize.png +||rittnerbuam.com/images/sponsor_ +||rlp-tennis.de/fileadmin/user_upload/CX-Web-banner- +||rot-weiss-erfurt.de/pictures/Banner- +||rot-weiss-essen.de/fileadmin/*_Wettbasis_ +||rot-weiss-essen.de/uploads/tx_sfbanners/ +||rotehaus.net/kittys-tipps/banner/ +||rotehaus.net/kittys-tipps/tippseiten/bilder/ ||rro.ch/cms/topbanner/ -||rsa-sachsen.de/images/RSA/icons/affiliates/ -||rsa-sachsen.de/rsa/vermarktung/ -||rsh.de^*/playlist_amazon.gif -||rtl.de/img/flash_slider_o2.swf -||rtl.de/includes/wkw_xdot_$domain=wer-kennt-wen.de -||rtl.de/rtlde/media/schliessen.swf -||ruhrbarone.de^*/msbannerl_ -||rummeldumm.de^*/werbefrei.gif -||runnersworld.de/sixcms/detail.php?id= -||russland.ru/images/banneroben750x100.jpg -||russland.ru/images/bannerrechts200x600.jpg -||russland.ru/images/buechervielfrassban300.jpg -||russland.ru/images/literaturreisen300.jpg -||russland.ru/images/roedl_gross580.jpg -||russland.ru/images/visaservice.gif -||russland.tv/images/raduga-banner450.jpg -||rv-news.de/siggi_neu09.jpg -||s24.com^$domain=quoka.de -||saarbruecker-zeitung.de/storage/med/finerio/ -||safeyourlink.com/partner/ -||salue.de^*?imgPrefix=$xmlhttprequest -||salve-tv.net/datenbank/image/motive_startseite/flug7.jpg -||salve-tv.net^*/salve-anzeigen.jpg +||rtl.de/phoenix/images-loaded/local.js$domain=rtl.de +||ruhrbarone.de^*/bang.gif +||ruhrnachrichten.de/Media/Anzeigen/ +||russland.capital/wp-content/uploads/*/CeMAT20.gif +||russland.news/wp-content/uploads/*/futur2-banner.png +||ruw.de/js/layoutForAds.js +||saas.valuetech.de^ +||saechsische.de/img/semperoper.png +||saechsische.de/img/spkv.png ||sapi.edelight.biz/api/$domain=gala.de -||sat-erotik.de/banner/ -||sat-ulc.eu/images/misc/ebay_logo.gif -||satindex.de/banner/ -||saugking.net^*/layer.js -||saz-aktuell.com/img/com.png -||sb.sbsb.cc/images/first/ -||sb.sbsb.cc/random.html -||sb.sbsb.cc/random2.html -||sb.sbsb.cc^*/rid.php?pic=rando -||sbb.ch/images/bw-hta-visa-bg.jpg -||sca-stveit.at/images/content/partner/ -||scene-links.us/AVTZ567.js -||sceneload.to/random.php -||scfreiburg.com/sites/default/files/sponsoren_ -||schambereich.net/js/mdhsbexit.js -||schambereich.net/js/mdhsbexit_adplib.js -||schnaeppchenfuchs.com/eol2.png -||schnelle-online.info/amazon/$image -||schnelle-online.info/ban/ -||schnelle-online.info/banner/ -||schnelle-online.info/fruehbucher-banner_$image -||schnelle-online.info/pictures/banner/ -||schnittberichte.com/pics/*_banner.jpg -||schnittberichte.com/pics/*_Siteskin_ -||schnittberichte.com/pics/banner_bond.jpg -||schnittberichte.com/pics/bond_post.jpg -||schnittberichte.com/pics/mk2.jpg -||schnittberichte.com/pics/Riddick_sb.jpg -||schnittberichte.com/pics/Schnittberichte_BoRA.jpg -||schnittberichte.com/pics/Schnittberichte_Scorpion.jpg -||schnittberichte.com/pics/Sons-of-Anarchy_v2.jpg -||schnittberichte.com/pics/the_monster_project.jpg -||schnittberichte.com^*.swf$object -||schnittberichte.com^*/werbung/ -||schnittberichte.com^*_459x1200_ -||schnittberichte.com^*_takeover_ -||schoener-fernsehen.com/images/gotootr.jpg -||schoener-onanieren.de/grifftechniken/maenner/autogas.jpg -||schule-studium.de/Studienkreis/Studienkreis160-600- -||schule-studium.de/Studienkreis/StudienkreisSkyscraper.jpg -||schule-studium.de^*-160-600- -||schwaebische.de^*/sykscraper.jpg -||schwaebische.de^*_articleorg_314x112_schwaebische_hbp.jpg -||schwedenstube.de/wimages/ -||scifi-forum.de/styles/wallpaper/$image -||scm-gladiators.de/o.red.c/adv- -||scm-handball.de/o.red.c/adv- -||scm-handball.de/o.red.c/files/Webbanner_ -||scooter-attack.com^$subdocument,domain=rollertuningpage.de -||sealed.in^*/downloadmirror. -||search.1und1.de/uns/amazon?$xmlhttprequest -||seatforum.de/forum/images/banner_ -||seatforum.de^*/anzeige.gif -||see-online.info/banner_pictures/ -||sein.de/uploads/banner_ -||sein.de/uploads/gilmore.jpg -||sein.de/uploads/master-of-life-2.gif -||sein.de/uploads/ronnigilla.jpg -||sein.de/uploads/sein_dezember.gif -||sellerforum.de/banner/ +||saugen.to/img/a64766df93089f441800d8a7a273510419.jpg +||sbb.it/images/default-source/*-200x350- +||sbb.it/images/default-source/*-banner- +||sbb.it/images/default-source/*/ejobagrar_suedtirol.jpg +||sbb.it/images/default-source/*/s%C3%BCdtiroler_landwirt_gif. +||sbb.it/images/default-source/*_200x300. +||sbb.it/images/default-source/*_banner. +||scfreiburg.com^*/04_Sponsoren/ +||schausteller.de/media/ad/ +||schnittberichte.com/pics/blackillusions/ +||schnittberichte.com/pics/werbung/ +||schnittberichte.com/resources/images/mediamarkt_ +||schnittberichte.com/resources/images/saturn_ +||schule-studium.de/AmazonBestellung.jpg +||schule-studium.de/buhv-Unterrichtsmaterial/Banner/ +||schule-studium.de/images/Head-Dateien-jpgs/Thalia-Startseite.jpg +||schwany.de/images/Slider1-Tyrolis-music-shop-Banner- +||scm-handball.de^*/Sponsoren/ +||script.webinstaller.$domain=chip.de +||segelflug.de/images/2018/banner_ +||segeljournal.com/wp-content/uploads/*/730x90_ +||segeljournal.com/wp-content/uploads/*_webbanner_ +||selbstaendig-im-netz.de/Bilder/affiliate-banner/ +||selbstaendig-im-netz.de/Bilder/Profi/ ||sensor-test.de/assets/Banner/ -||seo-consulting.de/bilder/ban_ +||sensor-test.de/assets/Uploads/*-Banner- ||seo-united.de/images/sponsoren_ -||serien.bz^*/popdown.php -||serienjunkies.org/checkstatus.php -||serienjunkies.org/media/ajax/dd/ -||serienjunkies.org/media/ajax/deals/ -||serienjunkies.org/media/js/fpjsa0.js -||serienjunkies.org/media/mdz/ -||serienjunkies.org/media/sapi/search.php?term=*&_=$xmlhttprequest -||serienjunkies.org^*/usenet.php -||serienoldies.de^*/jamba_ringtone.gif -||service4handys.de/banner/ ||sevac.com/images/bmain- -||sevenmac.de/banner/ -||sexgeschichten.com/banner/ -||sexkino.to/777cams.html -||sexkino.to/777camsvert.html -||sexuria.com/layer.js -||sexuria.com/layer_$script -||sexuria.com/muvi_to468.jpg +||sex-infos.ch^*/clubBanner/ +||sex-infos.ch^*/clubBannerPremium/ +||sex-inserate.ch/filestore/view/seco/ +||sex4u.ch/img/banner_ +||sexeldorado.ch/banner/ +||sexente.com/img/linklist2/ +||sexforum.ch/ForumPics/BaPics/ +||sexgeschichten.com/kosmonaut/ +||sexlink.ch/images/banner/ +||sexnews.ch/uploads/tx_sfbanners/ ||sexuria.com/poup.js -||sexuria.com^*/layer_ -||sg-flensburg-handewitt.de/uploads/tx_macinabanners/ -||sg-kt.de/images/banners/ -||sg-leutershausen.de/storage/Sponsoring/Banner/ -||sgcoburg.de/finale/bilder/promo/ -||shop-027.de/images/logos/mallux_logo_ -||shopanbieter.de/images/partner/ +||sexvideos-hd.com/cpanel/ +||sexvideos-hd.com/img/linklist/ +||sexvideos-hd.com/img/linklist2/ +||sexy-land.ch/images/banner/ +||sg-flensburg-handewitt.de^*/Online_Banner/ +||sg-flensburg-handewitt.de^*/Sponsors/ +||sgf1903.de^*/Partner/ +||sgf1903.de^*/Sponsoring/ +||sgleutershausen.de/wp-content/uploads/*/bwt-logo-neu.jpg +||shopanbieter.de/SponsorLogos/ +||shortpixel.ai^*/Banner_$domain=zwerg-am-berg.de ||silbernews.com^*/banner/ -||simplytest.me/sites/default/files/sponsors/ -||simpsons.to^*/banner.html -||simpsons.to^*/boxy.js -||simpsons.to^*/popupcode.js -||sincdn.appspot.com/img/exali/$domain=selbstaendig-im-netz.de -||sincdn.appspot.com/img/profi/$domain=selbstaendig-im-netz.de -||single-vergleich.de^$domain=netload.in -||sk-austriakaernten.at/images/990x33_sk_austria_kaernten2.swf -||sk-austriakaernten.at/images/bande_animation.swf -||slashhosting.de/wp-content/uploads/ad_ -||smoozed.rocks/t.js -||sms-box.de/sms-popup.js -||sms4free.cc/js/more.php -||smsit.me^$subdocument,domain=rapidvideo.com -||soft-ware.net/banner/ -||solinger-bote.de/wp-content/uploads/*/AZ-2014-Sparkasse-Immobilienmesse.gif -||solinger-bote.de/wp-content/uploads/*/AZ-SLT-online_zD_3.gif -||solinger-bote.de/wp-content/uploads/*/AZ-SWS-SchnupperAbo.jpg -||solinger-bote.de/wp-content/uploads/*/VoBa_Baufinanzierung.gif -||solinger-bote.de/wp-content/uploads/*120x600- -||songtexte.bz^*/spreadshirt.png -||spartoo.de/footer_tag_iframe_ -||spass-junkies.de^*.php|$subdocument -||spass-junkies.de^*/dealdoktorr.php -||spealz.de^*/dragonsoul-neonga.jpg -||speedlounge.in^*/highspeedmirror.jpg -||speedlounge.in^*/jspop.js -||speedlounge.in^*=highspeedmirror| -||speedtorrent.to/usenet/ -||spiegel.de/gutenb/img/hoeflich-schokolade.gif -||spiegel.de/gutenb/img/HuH-Banner.gif -||spiegelfechter.com/img/apotheke.gif -||spiegelfechter.com/img/logone.jpg -||spiegelfechter.com/img/parship_pic.jpg -||spiegelfechter.com/img/poetry.png -||spiegelfechter.com/img/schottenland_175x80.png -||spiegelfechter.com/wordpress/amazon.html -||spielautomatenforum.de/allslots.gif -||spielautomatenforum.de/stake7_merkur.jpg -||spielbox.de/gifs/sky/ +||simnews.de/images/omsi_ad.jpg +||simnews.de/img/werbung_ +||sinoptik.de/ad/ +||sissymag.de/wp-content/uploads/*/ottinger_salzgeber_club_1.jpg +||sissymag.de/wp-content/uploads/*/qfn01- +||sissymag.de/wp-content/uploads/*/tanzten_kaufen.jpg +||skipper-bootshandel.de/wp-content/uploads/*/BANNER- +||somquery.sqrt-5041.de/mobile/ads-no-resolve +||somquery.sqrt-5041.de/tv/ad-wrapper +||sonic-seducer.de/images/banners/ +||soundportal.at/fileadmin/user_upload/werbung/ +||spanienlive.com^*/Werbung/ +||speedtorrent.com/usenet/ +||speyer-report.de/images/Anzeige +||spielbox.de/images/banners/ ||spiele-for-free.de/wp-content/uploads/*_1920x1200_$domain=spiele-for-free.de -||spielen.de^*_2.js -||spielesite.com^*/sponsoren_search.php -||spielesnacks.de/wp-content/uploads/*-wallpaperx.jpg -||spieletipps.de/js/stroeer_prod_dfp_recovery.js -||spieletipps.de/spx/$media,other -||spinnes-board.de/banner/mail.gif -||sport1.de/img/TRB_SPORT1_810x90px_ -||sport1.de^*/presenting_ -||sport1.de^*/presentings/ -||sport1.de^*/werbung/ -||sportalplus.com^*/anzeige.gif -||sportbild.bild.de/sport/partner/viagogo/ -||spox.com^*/xkoop/ -||sprachnudel.de/--$xmlhttprequest -||sprachnudel.de/-/*/$xmlhttprequest -||sprachnudel.de/:/$xmlhttprequest -||sprachnudel.de/_sks02j1/$xmlhttprequest -||sprachnudel.de/js/t.js -||sprachnudel.de/js/too1s.js -||sprachnudel.de/~$xmlhttprequest -||sprachnudel.de^*/*.*=&$xmlhttprequest -||sprachnudel.de^*/?$xmlhttprequest -||sprachnudel.de^*/overture/$xmlhttprequest -||sprachnudel.de^*=|$xmlhttprequest -||sprachnudel.de^*?*^q=$xmlhttprequest -||sprachnudel.de^*_/*&*=$xmlhttprequest -||spreadnews.de/banner/ -||spreeblick.com/wp-content/banner/teufel-spreeblick.gif -||spreeblick.com/wp-content/themes/*/thomann_banner_ -||spreeblick.com^*/intro_banner.png -||spvggunterhaching.de/themes/haching/images/BSWALP-Onlinebanner.gif -||stadt-bremerhaven.de/grafiken/footer.gif -||stadt-bremerhaven.de/grafiken/getgoods2013.jpg -||stadt-bremerhaven.de/grafiken/gg_banner_320x100_ani.gif -||stadt-bremerhaven.de/grafiken/paragon.jpg -||stadt-bremerhaven.de/grafiken/pswbanner.jpg -||stadt-bremerhaven.de/grafiken/redcoon.jpg -||stadt-bremerhaven.de/grafiken/ubtech.jpg -||stadt-bremerhaven.de/wp-content/themes/Caschy2017/images/sidebar.jpg -||stadt-bremerhaven.de/wp-content/uploads/*/seagate.jpg -||stadt-bremerhaven.de/wp-content/uploads/2014/02/brandbox-sony-vaio-multi-flip.png -||stadt-bremerhaven.de/wp-content/uploads/2016/11/h8bf.jpg -||stadt-bremerhaven.de/wp-content/uploads/2016/11/honor.jpg -||stadt-bremerhaven.de/wp-content/uploads/2016/12/honor5c-1.jpg -||stadt-bremerhaven.de/wp-content/uploads/2017/01/instaffo.gif -||stadt-bremerhaven.de/wp-content/uploads/2017/01/pswbanner.png -||stadt-bremerhaven.de/wp-content/uploads/2017/10/echo.jpg -||stadt-werther.de/uploads/tx_macinabanners/ -||staedte-info.net/bilder/banner_$image -||static-fra.de/nitronow/css/ad.css -||static-fra.de/rtlnow/css/ad.css -||static-fra.de/wetterv3/css/images/map/icons/knorr.png$domain=wetter.de -||static.top-hitz.com^ -||stb-web.de/new/grafiken/banner/ -||stealth.to/usenext -||stealth.to^*/layer.js -||steelwarez.com/cookie.html -||steelwarez.com/layer. -||steelwarez.com/layer/ -||steelwarez.com/pop.js -||steelwarez.com/pop.php -||stepstone.de/home_bottombanner. -||stepstone.de^*/skyscraper/ +||spielesite.com/am/$subdocument +||spielesnacks.de/wp-content/uploads/*-wallpaper.jpg +||spielesnacks.de/wp-content/uploads/*/Banner- +||spielesnacks.de/wp-content/uploads/*/banner. +||spieletest.at/backend/pictures/werbung/ +||sport-90.de/images/banner- +||sport-90.de/images/casinoall.png +||sportgeschichte.at/static/partner/ +||sportwette.net/wp-content/uploads/*-banner- +||sportwetten.org/wp-content/uploads/*-400x300- +||sportwetten.org/wp-content/uploads/*-banner- +||spox.com/de/xprod/adswitch.html +||sprachen-lernen-online.org/wp-content/uploads/*/skyscraper_ +||sprade.tv/images/robin_banner.gif +||spreeblick.com/wp-content/themes/*/hosteurope.gif +||spreeblick.com/wp-content/themes/*/netzgemuese_banner.png +||spreeblick.com/wp-content/themes/*/thomann.png +||spvggunterhaching.de^*/Big-Cube.png +||spvggunterhaching.de^*/logo_adidas.png +||spvggunterhaching.de^*/logo_anzeiger_roll.png +||spvggunterhaching.de^*/logo_lupse.png +||spvggunterhaching.de^*/logo_saatgut.png +||spvggunterhaching.de^*/partner- +||ssv-jahn.de/fileadmin/user_upload/sponsoren/ +||stadt-bremerhaven.de/wp-content/uploads/*/amazonAktion.jpg +||stadt-bremerhaven.de^*/psw.jpg +||stadtanzeiger-coesfeld.de^*/heimbach.png +||stadtradio-goettingen.de/apool/srg/content/ads +||stereo.de^*/banner/ ||stern.de/bilder/stern_5/allgemein/extras_vermarktet/ -||stilmagazin.com/banner/ -||stol.it/var/ezflow_site/storage/images/beilagen-archiv/ -||stol.it/var/ezflow_site/storage/images/werbung_intern/look4you/ -||store51.de/banner.js -||store51.de/banner1.js -||stream-oase.tv/images/banners/ -||stream-oase.tv/images/fernsehen.to.png -||stream4.org^*/servletpop.php -||stream800.com/images/firstload-anmelden.gif -||stream800.com/layer.js -||streams.to/popup.php -||studio100.de/static/images/banner/ -||studium-ratgeber.de/uploads/images/*-lb.jpg -||studium-ratgeber.de/uploads/images/*-sky.jpg -||stuttgarter-nachrichten.de/meinprospekt/ -||stuttgarter-nachrichten.de^*/stn_ajax_galleryad? -||stuttgarter-zeitung.de/meinprospekt/ -||suche.1und1.de/uns/affilinet?$xmlhttprequest -||suche.1und1.de/uns/amazon?$xmlhttprequest -||suche.gmx.net/uns/affilinet?$xmlhttprequest -||suche.gmx.net/uns/amazon?$xmlhttprequest -||suche.t-online.de*^name=amazon^$xmlhttprequest -||suche.t-online.de^*^name=billiger^$xmlhttprequest -||suche.t-online.de^*^name=pageplace^$xmlhttprequest -||suche.web.de/uns/amazon?$xmlhttprequest -||suedkurier.de^*/textlinktest.php -||suedkurier.de^*_omsv.js -||suedpfalz-verlag.de/typo3temp/pics/89649c2ce4.jpg +||steuertipps.de/scripts/google-ad/ +||strafbock.ch/files/banners/ +||studio-magazin.de/files/banner/ +||studium-ratgeber.de^*/auslandszeit-starterkit.png +||studium-ratgeber.de^*/Studententarife-300x250.png +||suche.1und1.de/amazon? +||suche.gmx.at/amazon? +||suche.gmx.ch/amazon? +||suche.gmx.net/amazon? +||suche.t-online.de/web/amazon? +||suche.t-online.de/web/billiger? +||suche.t-online.de/web/ebay? +||suche.web.de/amazon? +||suche6.ch/banner/ ||suedpfalz-verlag.de/uploads/pics/CBoltz.png ||suedpfalz-verlag.de/uploads/pics/DK-Grafik.png -||suedpfalz-verlag.de/uploads/pics/logo_fmf-real_suedpfalz_verlag_klein_01.jpg +||suedtirol.de/upload/Banner/ +||suedtirol1.it/uploads/beitrag/*/300x70.gif ||suedtiroltv.it^*/banner -||sunshine.ch/files/banner -||sunshine.it^*/raika. -||superfly.fm/images/banners/ -||superfunblog.com^*/layer.js -||supertipp-online.de/uploads/tx_macinabanners/ +||sunshine.it/raika/ +||supermarkt-inside.de/wp-content/uploads/*/akcenta-ad.gif +||supertipp-online.de/wp-content/uploads/*/47645_Animation.gif +||supertipp-online.de/wp-content/uploads/*/Edeka_Nissen_Content.gif +||supertipp-online.de/wp-content/uploads/*/Gottfried_schultz.gif ||surfmusik.de/anz1.gif -||surfmusik.de/audialsone-1.gif -||sv-schalding-heining.de/cm/uploads/tx_macinabanners/ -||svm-fan.net/images/anzeige.gif -||svm-fan.net/images/banner/skyh2010.jpg -||svs.co.at/img/spons.jpg -||svs.co.at/img/titel_sponsores.gif -||svs.co.at/ktz.jpg -||svs.co.at/nwbanner2.jpg -||svs.co.at/nwbannernavi.jpg -||svs1916.de/_media/images/content/Partner_2012/source/ -||svwehen-wiesbaden.de/medium/fitness_Sample.png -||svwehen-wiesbaden.de/medium/Hermann_Sample.png -||swimnews.de^*_250x880.jpg -||swimnews.de^*_960x120.jpg -||symptomat.de/ama/ -||synchronkartei.de/amazonproxy.php +||svs-passau.de/wp-content/uploads/*/bkkzfundpartner300x108.png +||svs-passau.de/wp-content/uploads/*/friedl-1.png +||svs-passau.de/wp-content/uploads/*/fupa-1.png +||svs-passau.de/wp-content/uploads/*/Grafik-BFV.TV-klein.jpg +||svs-passau.de/wp-content/uploads/*/jakob_sport.png +||svs-passau.de/wp-content/uploads/*/Logo-Regionalliga-Bayern.png +||svs-passau.de/wp-content/uploads/*/niederhofer-3.png +||svs-passau.de/wp-content/uploads/*/RL-Banner-Liveticker-300x75.jpg +||svs-passau.de/wp-content/uploads/*/sparkasse-1.png +||svs-passau.de/wp-content/uploads/*/wimmer-1.png +||svs-passau.de/wp-content/uploads/*/wolfgang-1.png +||svs-passau.de/wp-content/uploads/*/wolfhaus-3.png +||svs1916.de/fileadmin/_processed_/*_Footer_ +||svs1916.de/fileadmin/svs1916de/footer_Logos/ +||svs1916.de/fileadmin/user_upload/sky_ +||svww.de/fileadmin/media/*-970x250.jpg +||svww.de/fileadmin/media/*-banner.jpg +||svww.de/fileadmin/media/Sponsoren/ +||swz.it^*/pichler.gif +||swz.it^*_Webbanner_ ||synchronkartei.de/img/ext/ -||t-online.de/auto/id_$xmlhttprequest,domain=t-online.de -||t-online.de/to/common/next/amazon? -||t-online.de/to/common/next/billiger? -||t-online.de^*/-|$xmlhttprequest,domain=t-online.de -||tag-des-hundes.de/tl_files/images/banner/*_skyscraper.swf -||tagblatt.de/cms_media/module_wb/ +||t3n.de/T3N/T3N/PROD/framework_core.js +||t3n.de^*/ad-scripts- ||tageblatt.com.ar/banners/ -||tagseoblog.de/images/schildkroete-net.png -||tagseoblog.de/images/vpp-werben280x250.jpg ||tah.de^*&tx_sfbanners_ -||taketv.net/bilder/backdell.jpg -||taschenlampen-forum.de/images/fenix/ +||target-video.com^$script,domain=helpster.de +||taschenlampen-forum.de/images/acebeam/ +||taschenlampen-forum.de/images/armytek/ +||taschenlampen-forum.de/images/gatzetec/ ||taschenlampen-forum.de/images/imalent/ -||taschenlampen-forum.de/images/jetbeam/ -||taschenlampen-forum.de/images/ktl-store/ -||taschenlampen-forum.de/images/myled.com/ -||taschenlampen-forum.de/images/neonlaserchina.com/ -||taschenlampen-forum.de/images/thrunite/ -||taschenlampen-forum.de/images/tmart.com/ -||taschenlampen-forum.de/images/vtlershop.de/ -||tattoo-spirit.de/subsystems/adv_manager/ -||taucher.net/tnadsy/ -||team-alternate.de/docs/banner/ -||tecchannel.de/assets/billiger.de/products.cfm -||technic3d.biz^$domain=technic3d.com -||technobase.eu^*/banner/ -||technobase.fm/banner/ -||teen-blog.us/popup.js -||tekkbase.net/board/images/banner/ -||tele5.de/images/uploads/banner/ -||teleboy.ch^*/promobox_$subdocument -||teleboy.net^*/promobox_$subdocument -||teltarif.de/ad/ -||testreich.com/layer*.html -||ticket-leistung.de^*/banner/ -||tinyurl.com^$domain=hardcoremetal.biz|hd-world.org|hoerbuch.us|kino24.to|kinox.tv|lesen.to|linkfarm.in|movie-blog.org|pornkino.to|rapidvideo.com|relink.us|smsit.me|xxx-blog.to -||titanic-magazin.de/fileadmin/content/anz/ -||titanic-magazin.de/fileadmin/content/anzeigen/ -||tobitech.de/images/*.swf -||tollesthueringen.de/img_proximus/anzeigen/ -||top-fm.de/images/partner/ -||top-hitz.com/js/backtome.js -||top100station.de/ad_ -||toxic.fm^*/sponsoren/ -||trancebase.fm/banner/ -||transfermarkt.de/bilder/inter_sport_ -||transfermarkt.de/bilder/intersport- -||trapp-it-consulting.com/images/freelancer-it- -||travelbook.de/imgs/3/4/9/8/7/1/170419_TZ_QuerteaserHome_Dresden-9fb6d957e46905cc.jpg$domain=travelbook.de -||travianstats.de/amenu.php -||travianstats.de/aoben.php -||travianstats.de/aunten.php -||treffseiten.de^*/logo_anzeige.$image -||treffseiten.de^*/logo_anzeige_$image -||treffy.de/images/preisbringer.jpg -||trendhure.com/gadgets/ -||trendhure.com^$subdocument -||trendhure.com^*/gadgets.php -||trendhure.tv^$subdocument,domain=trendhure.com -||trendmile.de/gedichte.htm -||trenkwalder-admira.com/flash/sponsor.swf -||trenkwalder-admira.com/img/banner/ -||triff-chemnitz.de/genbanner.php -||trophies-ps3.de/forenheader/amazon- +||taschenlampen-forum.de/images/olight/ +||taschenlampen-forum.de/images/wubenlight/ +||tauchen.de/content/uploads/*_billboard_ +||tbv-lemgo-lippe.de/fileadmin/_processed_/*_banner_ +||tbv-lemgo-lippe.de^*/sponsoren/ +||tchgdns.de/wp-content/uploads/*-300-600.jpg +||tchgdns.de/wp-content/uploads/*_160600.jpg +||tchgdns.de/wp-content/uploads/*_97090.jpg +||techreviewer.de/wp-content/uploads/*-banner- +||teilzeithelden.de/wp-content/uploads/*-Werbug- +||teilzeithelden.de/wp-content/uploads/*/DTRPG-Sidebar.jpg +||teilzeithelden.de/wp-content/uploads/*/Teilzeit-Truant- +||telefonsexmitcam.com/images/ +||telefonsexwebcam.com/images/livestrip- +||teltarif.de/img/smartphone/apple/iphone.jpg$script +||teltarif.de/scripts/ads/ +||teltarif.de/scripts/foo/ +||teneriffa-aktuell.com/wp-content/uploads/*/banner- +||teneriffa-heute.net/images/banners/ +||tennisnet.com/widgets/williamhill/ +||tennistraveller.net/images/banner/ +||teufelchens.tv/iw_wide.jpg +||thegnet.ch/rotator/ +||thinkpad-forum.de/banner/ +||thinkpad-forum.de/bilder/Banner- +||thinkpad-forum.de/bilder/Preiswerte-IT_Banner.png +||thinkpad-forum.de/bilder/servion_banner.gif +||thinkpad-forum.de/bilder/thinkstore24.jpg +||thinkpad-forum.de/bilder/tpf-banner.jpg +||thinkpad-forum.de/Neu/*-banner. +||thinkpad-forum.de/Neu/*_banner. +||thinkpad-forum.de/Neu/Banner- +||tieronline.ch/images/partner/ +||tipzeitung.de/img/banner/ +||tobitech.de/images/banners/ +||trustedoffers.de^$domain=chip.de +||trvlcounter.de/media/advert/ +||tschechien-online.org/sites/default/files/hotel-kleine-brauerei.jpg +||tschechien-online.org/sites/default/files/to_0.jpg +||tsg-friesenheim.de/dateien/images/handball/Sponsoren- +||tsg-hoffenheim.de/assets/Sponsoren/ ||tsv-friedberg.de/images/Scroller/ -||tsv1860.de^*/Arabella_Banner-Startseite.jpg -||tsv1860.de^*/muenchen_de_471x90.jpg -||tsvbodnegg.de/wp-content/uploads/*/altherr.png -||tt.com/csp/cms/sites/tt/resources/sidebar/module145/images/ -||tus-n-luebbecke.de/wp-content/uploads/*-Webbanner- -||tutsi.de/tutsi-blog-bilder/amazon-sonderangebote-prozente.gif -||tutsi.de/tutsi-blog-bilder/o2-nxt-tarif-vergleich.jpg -||tutsi.de/tutsi-blog-bilder/rabatte/$image -||tutsi.de/tutsi-blog-bilder/usenext-download-kostenlos.gif -||tv-huettenberg.de/startpage/hauptsponsoren_intro.png -||tv-huettenberg.de/startpage/premiumpartner_intro.png +||tsv1860.de/_m/partner/ +||tube8-pornos.com/cpanel/ +||tube8-pornos.com/img/linklist2/ +||tus-n-luebbecke.de/wp-content/uploads/Logoleiste_ +||tus-n-luebbecke.de/wp-content/uploads/Teampartner_ ||tv-kabel-plus.de/kabelplus/banner/ ||tv-kabel-plus.de/kabelplus/icons/speedtest.jpg ||tv-kabel-plus.de/kabelplus/img/kptagpreis.jpg -||tvb1898.de/fileadmin/img/anz/ -||tvb1898.de/uploads/pics/kempa.jpg -||tvb1898.de/uploads/pics/Sponsoren_ -||tvdigital.de/files/images/browsergames/ -||tvh1.de/images/stories/logos/fb_formaxx- -||tvh1.de/images/stories/sp_header/ -||tvinfo.de/js/videobanner.php -||tvspielfilm.de/_img/plogos/golf.jpg -||tvspielfilm.de/imedia/*,dim:300x250. -||tvspielfilm.de^*/partner/ -||tvtoday.de/_imgToday/plogos/golf.jpg -||tweakpc.de^*/anzeige_v60.gif -||u11.de/cgi-bin/count/ -||uhrzeit.org/sys/banner_bigsize.php -||uhrzeit.org/sys/wallpaper/ -||ultras.ws/acab24.jpg -||ultras.ws/betfair.gif -||ultras.ws/bild.php/*banner -||ultras.ws/cremers.gif -||ultras.ws/extrem.jpg -||ultras.ws/havics.jpg -||ultras.ws/hooliday.gif -||ultras.ws/label.gif -||ultras.ws/oben.php -||ultras.ws/pgwear.gif -||ultras.ws/red.jpg -||ultras.ws/supporter.png -||ultras.ws/supporterfilme.php -||ultras.ws/ultrasart.gif -||underground-links.com/out.js -||underground-links.com/ulinks_out.js -||underground-links.org/ulinksd_out.js -||unitymediaforum.de/images/unitymedia/ -||unitymediakabelbwforum.de/images/unitymedia/ -||unser-song-fuer-deutschland.tv^*/avt_config.php$object-subrequest -||unser-star-fuer-baku.tv/usfo/player/default/avt_config.php?$object-subrequest -||unser-star-fuer-oslo.de^*/config_avtblocks.xml$object-subrequest -||unterhaus.at/ooe/images/banners/ -||unternehmerkarte.de/include/config/popup.js -||unterwasserwelt.de/assets/images/*_banner_ -||unterwasserwelt.de/assets/images/banner- -||unterwasserwelt.de/assets/images/banner_ -||unterwasserwelt.de/assets/images/fotowettbewerb_13_traun_01.gif -||unterwasserwelt.de/assets/images/inserat_ -||unterwasserwelt.de/assets/images/team_uww_03_beratungstelefo.jpg -||uploaded-premium.ru/giga.gif -||v-gaming.de/static/scripts/php/show.php?type=$subdocument -||v2load.de/kamp/ -||vampirediaries.in/partner.php -||vanion.eu/static/scripts/php/show.php?type=$subdocument -||vegan.de/foren/templates/default/images/b_*.gif -||vegetarierforum.com^*/google_links.jpg -||verboten.to/unhverb/ -||verbrechen.info/images/abus_ -||verbrechen.info/images/leaderboard/ -||verbrechen.info/images/skyscraper/ -||verbrechen.info/kaspersky/ -||vfb.de/fileadmin/REDAKTION/Business/Partner/Sponsoren_ -||vfl.de/fileadmin/vfl/templates/flash/ -||vfl.de/sponsorenviewer/sponsoren.swf -||vfl.de/uploads/tx_macinabanners/ -||vhs-ol.de^*/ewe-skyscraper_ -||via-ferrata.de/forum/templates/prosilverse/images/campz-banner.jpg -||via-ferrata.de/images/300x120px_ -||via-ferrata.de/images/verticalextreme.jpg -||via-ferrata.de/templates/forum/banner/ -||vienna.at^*/gewinnabfrage-120-90.swf -||vinschgerwind.it/images/banners/ -||vipbilder.net^*/layer.js -||visions.de/assets/visions_300x150_ -||viviano.de/teaser -||viviano.de^*/ad_anzeige_ -||vol.at/flash/gewinnabfrage-120-90.swf -||voltiforum.de/images/banner2.jpg -||voltigierforum.de/images/banner2.jpg -||voltigierzirkel.de^*/banner/ -||vsg2001.de/images/banners/ -||vsport.at/fileadmin/sponsoren/ +||tvbb.de/images/tvbb_partner/ +||tvbstuttgart.de/wp-content/uploads/*/kaercher-wohninvest- +||tvdigital.de/frontpage/deutschland_urlaub_hoerzu_ +||tvdigital.de/frontpage/deutschland_urlaub_horzu_ +||tvinfo.de/info/TWIAGO/ +||tweakpc.de/wpimages/tweakpc-skin- +||twincdn.com/video/suslive/$rewrite=abp-resource:blank-mp4,domain=beeg-pornos.com|deinesexfilme.com|deutscherporno.biz|einfachtitten.com|gutesexfilme.com|halloporno.net|hd-pornos.info|hd-sexfilme.com|hdpornos.net|herzporno.com|kornhub.co|lesbenhd.com|meinyouporn.com|nursexfilme.com|pornhub-sexfilme.net|pornhutdeutsch.com|pornoaffe.net|pornodavid.com|pornoente.tv|pornofisch.com|pornohammer.com|pornohans.com|pornohirsch.net|pornohutdeutsch.net|pornojenny.com|pornoklinge.com|pornoleon.com|pornolisa.com|pornoritze.com|pornoschlange.com|pornosusi.com|pornotanja.com|pornotom.com|pornovideos-hd.com|pornozebra.com|sexente.com|sexfilme-gratis.com|sexfilme24.org|sexhamster.biz|sexvideos-gratis.com|sexvideos-hd.com|tube8-pornos.com|xnxx-porno.com|xnxx-pornos.xxx|xnxx-sexfilme.com|youporndeutsch.xyz +||typo3blogger.de/wp-content/*/dkd-solr-werde-sponsor.jpg +||uhrforum.de/styles/uhrforum/anzeigen/ +||uhrforum.de/styles/uhrforum/sponsored/ +||ukraine-nachrichten.de/img/wb/ +||unmoralische.de/bilder/am-banner.gif +||unterwasserwelt.de/wp-content/uploads/*/Bauer-Premiumsite- +||unterwasserwelt.de/wp-content/uploads/*/Cressi-premiumsite- +||unterwasserwelt.de/wp-content/uploads/*/Footer-Premiumsite- +||unterwasserwelt.de/wp-content/uploads/*/hamatamangroves-banner_footer-premiumsite- +||uscene.net/src/so/so.js +||utopix.net/utopia_de/js/loader.js +||velomotion.de^*/featured-ad.js +||vfb.de/?proxy=img/hauptsponsor_ +||vfb.de^*/sponsoren/ +||vfl-bochum.de^*/Partner/ +||vfl-bochum.de^*/Premium_Partner/ +||vfl.de/sportmedia/assets/sunmaker_logo.svg +||vfl.de^*-banner_ +||vfl.de^*_sponsoren_ +||vhs-ol.de/lib/banner/ +||viamichelin.at/static/*/adblocker/advertising.js +||viamichelin.ch/static/*/adblocker/advertising.js +||viamichelin.de/static/*/adblocker/advertising.js +||videogameszone.de/tsimg/topbanner/ +||vidonna.de/300$subdocument +||vienna-capitals.at/tl_files/capitals/banner/ +||vienna-capitals.at/tl_files/capitals/partner/ +||viralize.tv^$domain=n-tv.de +||volksblatt.at/wp-content/banners/ +||volleyball-bundesliga.de^*/partner/ +||voltigierzirkel.de/uploads/*-anzeige. +||voltigierzirkel.de/uploads/*-anzeige_ +||voltigierzirkel.de/uploads/*/anzeige1- +||voltigierzirkel.de/uploads/*/arnd-helling-logo- +||voltigierzirkel.de/uploads/*/editor/ruhrmedic-kooperation_ +||voltigierzirkel.de/uploads/*/felix-bender-kooperation_ +||voltigierzirkel.de/uploads/*/gipperich-logo_orig.png +||voltigierzirkel.de/uploads/*/haberbusch-kooperation_ +||voltigierzirkel.de/uploads/*/kr-mer.png +||voltigierzirkel.de/uploads/*/reitsport-peter-logo.jpeg +||vorsprung-online.de^*/Werbung/ ||vsport.at/uploads/tx_macinabanners/ -||w.online-verlag-freiburg.de^ -||w3-warez.cc/images/hoster/ref_ -||waldecker-tagblatt.de/images/banners/ -||waldecker-tagblatt.de/images/lichtenfels1.jpg -||waldeckische-landeszeitung.de/SWF/$object -||wallpaper-arena.to/ad.js -||wallpaper-arena.to^$domain=steelwarez.com -||wallstreet-online.de/_plain/_shared/default/hvb? -||wallstreet-online.de/banners/ -||wallstreet-online.de/frontend/img/custom/hvb/icon.png -||wallstreet-online.de^*/gafc/ -||wallstreet-online.de^*/lynx_logobanner.png -||wallstreetjournal.de/static_html_files/jsframe.html?jsuri=*doubleclick.net/ -||warez-load.com/random.php -||warezking.in^*/layer.js -||waswiewo.com/media/banner/ +||wahrschauer.net/images/banners/ +||wallis24.it/images/banner/ +||wallis24.it/images/banners/ +||wallis24.it/images/CAVE_GIOVANNA_GABBIONI.jpg +||wallis24.it/images/mc_dopo_18_nov_20.jpg +||wallis24.it/images/patrone_tedesco_wallis.jpg +||wallis24.it/images/wallis24%20achilli%20ottobre20.jpg +||wallstreet-online.de/frontend/img/smartbroker/banner_ +||was-war-wann.de/historiy.jpg +||watson.de/addf/addefend.js +||wbbanner.mrn-news.de^ ||wcm.at/images/attingo.gif -||web.de/banner/ -||web.de/banner2/ -||web.de/banner? -||web.de/movein_$xmlhttprequest -||web.de/stv/img/global/wl/webde/img/nosteps/nosteps_*_300x400_ -||web.de/v/home06/icons/buster/ -||webmail.sh/media/banner/ -||webme.com/pic/s/spieloase/banner_spieloase.gif -||webmiles.de/files/libs/css/moods/de_de/*.css -||webnews.de/cliptv/$image -||webnews.de^*/layer_interactive.swf -||webnews.de^*/sky_interactive.swf -||websingles.at^*/images/banners/ -||webstandard.kulando.de^*/codingpeople-banner03.jpg -||webwork-magazin.net^*/facebook_gsl_zu_breit.jpg -||wegwerfemailadresse.com/images/banner -||weihnachtsmarkt-deutschland.de/anzeige/ -||wein-plus.de/images/banner/ -||wein.de^*/anzeige_side. -||welt.de^*/eas- -||weltuntergang-2012.de/pub/ -||wer-weiss-was.de/cb/ARCHIVEARTICLE/AFTER_HEADLINE -||wer-weiss-was.de/cb/ARCHIVEARTICLE/AFTER_QUESTION -||wer-weiss-was.de/cb/ARCHIVEARTICLE/PRE_HEADLINE -||wer-weiss-was.de/img.r/logo_n24.png -||werstreamt.es/themes/wse/images/partner/ -||wetter.com/cooperation/$~third-party -||wetter.net/images/karten-tickets.gif -||wetter.net/images/karten-tickets2.gif -||wetterauer-zeitung.de/cms_media/module_wb/ -||wettforum.info/banner/ -||wettforum.info/phpbb2/content_rot.php? -||wfcdn.de/5/surface-pro-3-$domain=winfuture.de -||wfcdn.de/5/surface_mss_bnt.png$domain=winfuture.de -||wfcdn.de/5/surface_mss_bnt_1.png$domain=winfuture.de -||wfcdn.de/5/windows8_amz_bnt.png$domain=winfuture.de -||wfcdn.de/5/windows8_amz_bnt_1.png$domain=winfuture.de -||whudat.de/images/lc_banner.jpg -||whudat.de/images/td-blogbanner.gif -||wiiunews.at/wp-content/uploads/*/amazon.jpg -||wiiunews.at/wp-content/uploads/2012/06/wii_u_vorbestellen.jpg -||wiiunews.at/wp-content/uploads/2012/08/crazycase1.gif -||willhaben.apa.net/clientscript/google/ -||wilmaa.com^*/brandings/ -||win-lan.de^*/banners/ -||windows-tweaks.info^*/safersurf__ -||windowspro.de^$xmlhttprequest,domain=windowspro.de -||winfuture.de/css/images/$image -||winfuture.de/css/images/micropages/ -||winrar.de/images/emsi.jpg -||winrar.de/images/emsi2.jpg -||winrar.de/images/mxi.gif -||wintergarten-ratgeber.de/uploads/tx_macinabanners/ -||wirsiegen.de/wp-content/plugins/wordpress-popup/popoverincludes/ -||wirtschaftsblatt.at^*=adsense -||witz.de/images/banners/ +||websingles.at/pages/site/de/images/logos/ +||website-editor.net^*/400JpgdpiLogoCropped-46e74a11-320w.jpg$domain=kroatien-nachrichten.de +||webwiki.de/images/seobility_ +||webwork-magazin.net/wp-content/uploads/*/sul-banner- +||webwork-magazin.net/wp-content/uploads/*/webdesign-printdesign.gif +||weekli.systems/media/banner/ +||werbemanager.w24.at^ +||werne-plus.de/wp-content/uploads/*-728_90- +||werne-plus.de/wp-content/uploads/*/Anzeige_ +||wetter.at/mowis/cpc_teaser/ +||wetteronline.de/mdr/p_adplace/ +||whocallsyou.de/files/*/rechtsch-baby.jpg +||whocallsyou.de/files/*/rechtsschutz011.jpg +||windowspower.de/banner/ +||windowspower.de/wp-content/uploads/*/stromanbieter-vergleich.gif +||windowspro.de/sites/windowspro.de/files/advagg_js/js__yS7CyIP-Nk7K6Xt2G3mkGWAXfGOwTiI0wwdn0GmIwwM__EoiDJPZdpk85X0xGBYAHn0PN-HgV1AgHgvavV0KhvYU__TMlUvrl4Tp-Amoh5neqH3DnP3Q9BotH6wQFrQU0fNjo.js +||windowspro.de/sites/windowspro.de/files/advagg_js/js__zR8PlSNczRzr6koUp2G5KQAvTGnSHH4_giYMfmb7o6E__ubjIHesQrPLSNRsqQ33aNf5LD12YLbbs0H8RairmULU__TMlUvrl4Tp-Amoh5neqH3DnP3Q9BotH6wQFrQU0fNjo.js +||windowspro.de^$subdocument,domain=windowspro.de +||wir-leben-outdoor.de/wp-content/uploads/*/banner- +||wirin.de/images/banners/ +||wirsiegen.de/Altfahrzeugannahme.png +||wirsiegen.de/Calabria-Lieferservice.jpg +||wirsiegen.de/wp-content/uploads/*/Anwalt-Baranowski.jpg +||wirsiegen.de/wp-content/uploads/*/B%C3%BCdenbenderb%C3%B6den.jpg +||wirsiegen.de/wp-content/uploads/*/bueboden300_250.jpg +||wirsiegen.de/wp-content/uploads/*/elements-show-Schedler-140-180.jpg +||wirsiegen.de/wp-content/uploads/*/hoffman_bau300_250.jpg +||wirsiegen.de/wp-content/uploads/*/hoffmann_bau_140_180.jpg +||wirsiegen.de/wp-content/uploads/*/Kreuztal-Taxi-1.jpg +||wirsiegen.de/wp-content/uploads/*/Los-Gyros-Fellinghausen.jpg +||wirsiegen.de/wp-content/uploads/*/LosGyrosKreuztal-300.jpg +||wirsiegen.de/wp-content/uploads/*/Pizzablech-Siegen-Don_Camillo.jpg +||wirsiegen.de/wp-content/uploads/*/Siwi-aktiv-Facebook.jpg +||wirsiegen.de/wp-content/uploads/*/steinmetz300.jpg +||wirsiegen.de/wp-content/uploads/*/TUI-Kreuztal-180.jpg +||wirsiegen.de/wp-content/uploads/*/Walter-Schneider_VW_Juli-2016_300x60.gif +||wirsiegen.de/wp-content/uploads/*/Werbeagentur-Siegerland-Werbung.jpg +||wirsiegen.de/wp-content/uploads/*_DonCamillo_ ||woche.com.au/images/logos/werbung/ +||wochenanzeiger.de/graphic/w/ +||wochenblatt.cc^*/shadow-forces-security- +||wochenblatt.cc^*/Werbung- +||wochenblatt.pl/wp-content/uploads/*/baner.gif +||wochenblatt.pl^*/smuda.jpg +||wochenblatt.pl^*/werbung.jpg ||wochenblitz.com/images/banners/ -||woelfe-handball.de/uploads/tx_rlmpflashdetection/*.swf +||wohnmobilforum.de/anhaengerkupplung.jpg ||wohnmobilforum.de/anhaengerkupplungen.jpg ||wohnmobilforum.de/aqua.jpg ||wohnmobilforum.de/basba.jpg ||wohnmobilforum.de/camping-preisbrecher_header.jpg ||wohnmobilforum.de/caravantechnik.jpg +||wohnmobilforum.de/dometic-kw.jpg +||wohnmobilforum.de/ebay.php ||wohnmobilforum.de/fleig.jpg +||wohnmobilforum.de/hubstuetzen.jpg ||wohnmobilforum.de/kro.png ||wohnmobilforum.de/luftfederung.jpg ||wohnmobilforum.de/motorradtraeger.jpg ||wohnmobilforum.de/ott.jpg ||wohnmobilforum.de/safety.jpg +||wohnmobilforum.de/trigas.jpg ||wohnmobilforum.de/waeco.jpg +||wohnmobilforum.de/wasserhy.jpg ||wohnmobilforum.de/wget/ebay.php -||wohnungswirtschaft-heute.de/dokumente/banners/ -||wohnwagen.net/forum/wget/get_xml.php -||wolfenbuettelheute.de/platzierungen/ -||wonnemar.de^*/magnum_banner1.swf -||world-of-hentai.to/ahw.php -||world-of-hentai.to/bilder/2widesky_g.php -||world-of-hentai.to/bilder/leaderboard.php -||wortfilter.de^*/4sellers.gif -||wortfilter.de^*/klarna_banner.gif -||wortfilter.de^*/yatego-shopping.gif -||wowmopguide.de^*/layer.js -||woz.to/tipp/ -||wuppertaler-rundschau.de/web/promo/ -||ww-kurier.de/images/benderheader.gif -||ww-kurier.de/images/ferdihombach.gif -||ww-kurier.de/pic/dbeyer_250_200.swf -||ww4.cad.de^*.php?*^what=zone: +||wohnungswirtschaft-heute.de/wp-content/uploads/banner/ +||wordpress.com^*/hk2021_exciting_commerce_bewegt_web.gif$domain=excitingcommerce.de +||wordpress.com^*/k5_banner_excom_255x60-gif.gif$domain=excitingcommerce.de +||wordpress.com^*/k5_klub_255x60_ec.gif$domain=excitingcommerce.de +||wortfilter.de/wp-content/uploads/*_300x250px- +||woz.ch/files/banner/ +||wp.com/custombike.de/wp-content/uploads/sites/*/banner_ +||wp.com/nh24.de/wp-content/uploads*/Gundlach_Liefern.jpg +||wp.com/nh24.de/wp-content/uploads/*-Banner_ +||wp.com/nh24.de/wp-content/uploads/*/201217_nh24_kalkulator.gif +||wp.com/nh24.de/wp-content/uploads/*/Anigif-Bonte-Nov-2020.gif +||wp.com/nh24.de/wp-content/uploads/*/Anzeigen-Gundlach-Maerz- +||wp.com/nh24.de/wp-content/uploads/*/Banner- +||wp.com/nh24.de/wp-content/uploads/*/banner_ +||wp.com/nh24.de/wp-content/uploads/*/joneleit.gif +||wp.com/nh24.de/wp-content/uploads/*/Joneleit_Lockdown.gif +||wp.com/nh24.de/wp-content/uploads/*/KW-1.gif +||wp.com/nh24.de/wp-content/uploads/*/KW-12.gif +||wp.com/nh24.de/wp-content/uploads/*/KW-52_53.gif +||wp.com/nh24.de/wp-content/uploads/*/lbh_330x240_endlos.gif +||wp.com/nh24.de/wp-content/uploads/*/nh24_330x200_vrbank.gif +||wp.com/nh24.de/wp-content/uploads/*/Plag_Telefon.gif +||wp.com/nh24.de/wp-content/uploads/*/Siewa_20.gif +||wp.com/nh24.de/wp-content/uploads/*/vitos_neu_19.jpg +||wp.com/nh24.de/wp-content/uploads/*_Banner. +||wp.com/www.elliniki-gnomi.eu/wp-content/uploads/*-Postkarte_Thomas_Griechisch.jpg +||wp.com/www.elliniki-gnomi.eu/wp-content/uploads/*/936x176-468x88.jpg +||wp.com/www.elliniki-gnomi.eu/wp-content/uploads/*/FERIMMO_ +||wp.com/www.elliniki-gnomi.eu/wp-content/uploads/*/polibanner.jpg +||wp.com/www.elliniki-gnomi.eu/wp-content/uploads/*/skiathos_metro_banner_ +||wp.com/www.elliniki-gnomi.eu/wp-content/uploads/*/TerzoSchild-banner.png +||wp.com/www.fuldainfo.de/fdi/wp-content/uploads/*-300x250px- +||wp.com/www.fuldainfo.de/fdi/wp-content/uploads/*_OnlineBanner_ +||ww-kurier.de/images/wwbanklogowetter.png ||ww4.cad.de^*.php?what=*:*&n= ||ww4.cad.de^*/axjs.php -||ww4.cad.de^*/view.php?what=zone: -||www.connect.de^$script,domain=www.connect.de -||www.dialo.de^*_*.js?ts=$domain=dialo.de -||www.pc-magazin.de^$script,domain=www.pc-magazin.de -||www.tiervermittlung.de^*.js?ts=$script,domain=tiervermittlung.de -||wz-newsline.de/polopoly_fs/*-900x120. -||x.technic3d.biz^ -||xbox-newz.de/portal/images/brandings/ -||xbox360freaks.de/images/baner.swf -||xdate.ch/banners/ -||xhamster.info/banner/ -||xhamster.info^*/slideimage.js -||xlust.ch/banner/ -||xp-antispy.org^*/sponsor_ -||xtc-modified.org/images/banner/ -||xtream.to/images/player/save.png +||x.sumikai.com^ +||xdate.ch/cache/banner_ +||xgadget.de/wp-content/uploads/*/ccbannersmall.jpg +||xhamster-sexvideos.com/cpanel/ +||xhamster-sexvideos.com/img/linklist2/ +||xhamsterde.com/ad/ +||xmassagen.ch/banner/ +||xmassagen.ch/wp-content/uploads/*/beauty-latinas-1.jpg +||xmassagen.ch/wp-content/uploads/*/immolady.jpg +||xmassagen.ch/wp-content/uploads/*/m27a.png +||xmassagen.ch/wp-content/uploads/*/ohlala.jpg +||xmassagen.ch/wp-content/uploads/*/swiss6.jpg +||xmassagen.ch/wp-content/uploads/*/vida6.jpg +||xmassagen.ch/wp-content/uploads/*/villa-venus.jpg +||xmassagen.ch/wp-content/uploads/*/xm.jpg +||xmassagen.ch/wp-content/uploads/*/xmassagen.jpg +||xmassagen.ch/wp-content/uploads/*/z6.jpg +||xn--zri6-0ra.ch/banner/ +||xnxx-porno.com/img/linklist2/ ||xup.in/com/pop. -||xxx-4-free.net/gfx/layer/ -||xxx-blog.to/img/wbm/ -||xxx-blog.to/pkino.js -||xxx-blog.to^*.php|$script -||xxx-blog.to^*/pstreams.js -||xxx-blog.to^*/rotator.php -||yabeat.com/generate_layer.php -||yabeat.com/i*.js| -||yabeat.com^*.php|$script -||yabeat.com^*3.js| -||yasni.de^*/partner/ -||yigg.de^*/sponsorings/ -||yimg.com/a/i/eu/cbe/xm/christmas_index_2010_de.jpg$domain=yahoo.com -||yimg.com/i/i/de/lfst/neuq.html$domain=yahoo.com -||youfreetv.net/js/jquery.ad.js -||yourdealz.de/120.gif -||yourjavascript.com^*/cpmsite.js$domain=anime-stream24.com -||youzap.de/img/fraag.de.jpg -||zapper-hulda-clark.de^*-webbanner_*.swf +||xxx-amateur.eu/banner/ +||xxx-amateur.eu/werbung.php +||xxx-amateur.eu/wordpress/wp-content/plugins/rnotify1.5.4_fullversion/ +||yoga-aktuell.de/wp-content/uploads/*_wide-banner- +||yoga-aktuell.de/wp-content/uploads/*_Wide-Banner_ ||zebradem.com^*/banner/ -||zeckenwetter.de/img/banner/ -||zeitarbeit-zentrum.de^*.php$subdocument -||zeno.org/banner- -||zensiert.to/anmeldung.html -||zensiert.to/geile-amateure.html -||zensiert.to/loeblich.php -||zensiert.to/sehr-geile-amateure.html -||zensiert.to/zwei.html -||zensiert.to^*/|$subdocument -||zonx.de/layer/ -||zumlink.de/public/images/banner/ -||zweinullig.de/wp-content/uploads/125.png -||zweinullig.de/wp-content/uploads/chaershop.jpg -! CSP filters -||spiele-umsonst.de^$csp=script-src 'self' * blob: 'unsafe-inline' -! Specific filters necessary for sites whitelisted with $genericblock filter option +||zentrum-der-gesundheit.de/apiv2/product/ +||zum.de/eduversum/ +||zurzeit.at/wp-content/uploads/*/Alm-Werbung- +||zurzeit.at/wp-content/uploads/*/Banner- +||zwerg-am-berg.de/wp-content/uploads/*/Banner_ +! +/^https?:\/\/.*\/[a-z0-9A-Z_]{2,15}\.(php|jx|jsx|1ph|jsf|jz|jsm|j$)/$image,script,subdocument,domain=beeg-pornos.com|besterpornos.com|deinesexfilme.com|deutsche-sexfilme.net|deutschsex.com|deutschsex.mobi|einfachtitten.com|gutesexfilme.com|hd-pornos.info|hd-sexfilme.com|lesbenhd.com|meinyouporn.com|nurxxx.mobi|pornoaffe.com|pornoente.tv|pornofisch.com|pornohammer.com|pornohans.com|pornohirsch.net|pornojenny.com|pornoklinge.com|pornotom.com|pornotommy.com|pornozebra.com|reifporn.de|sexente.com|sexvideos-hd.com|tube8-pornos.com|xhamster-sexvideos.com|xnxx-porno.com +! (/sw.js) +/^https?:\/\/.*\/.*(sw[0-9a-z._-]|\.notify\.).*/$script,domain=hammerporno.xxx +! +/^https?:\/\/[0-9a-z]{8,}\.com\/.*/$~media,~subdocument,third-party,domain=190.115.18.20|aniworld.to|bs.to|burningseries.ac|burningseries.nz|burningseries.se|burningseries.sx|burningseries.vc|kinoger.to|kinokiste.live|kinox.top|megakino.co|s.to|serien.cam|serienstream.to|streamcloud.movie|topstreamfilm.live +/^https?:\/\/[0-9a-z]{8,}\.xyz\/.*/$~media,third-party,domain=kinoger.com|kinoger.pw|kinokiste.live|megakino.co|streamcloud.movie|topstreamfilm.live +! Specific filters necessary for sites using $genericblock filter option +g.doubleclick.net###adunit +transfermarkt.de##.OUTBRAIN .ob-p /googleads.$domain=g.doubleclick.net|googlesyndication.com /pagead2.$domain=g.doubleclick.net|googlesyndication.com|imasdk.googleapis.com -@@||amazon-adsystem.com/aax2/amzn_ads.js$domain=autobild.de -@@||autobild.de^$genericblock,generichide -@@||bf-ad.net/makabo/js_ng/adplayer/css/adplayer.min.css$domain=focus.de -@@||bf-ad.net/makabo/js_ng/adplayer/js/adplayer.min.js$domain=focus.de -@@||bf-ad.net/makabo/js_ng/ae_ks.js$domain=focus.de -@@||bf-ad.net/packages/polar/fol_queue.js$domain=focus.de -@@||bf-ad.net/pubjs/focus/adengine.js$domain=focus.de -@@||bf-ad.net/pubjs/focus/container.js$domain=focus.de -@@||bf-ad.net^$image,domain=focus.de -@@||doubleclick.net/crossdomain.xml$domain=focus.de -@@||focus.de/js_ng/js_ng_fol_gpt.js$domain=focus.de -@@||focus.de^$genericblock -@@||g.doubleclick.net/dbm/vast?dbm_c=$xmlhttprequest,domain=imasdk.googleapis.com -@@||g.doubleclick.net/gampad/ad?iu=*&sz=1x1&$image,domain=focus.de -@@||g.doubleclick.net/gampad/ads?$script,domain=focus.de -@@||g.doubleclick.net/gampad/ads?slotname=*stern%2F*^sz=480x360^$xmlhttprequest,domain=imasdk.googleapis.com -@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=focus.de -@@||g.doubleclick.net/static/glade.js$domain=autobild.de -@@||g.doubleclick.net/static/glade/extra_$script,domain=autobild.de -@@||googlesyndication.com/pagead/js/*/activeview/osd_listener.js$domain=focus.de -@@||kabeleins.de^$generichide -@@||metal-hammer.de^$generichide -@@||moatads.com^*/moatad.js$domain=focus.de -@@||musikexpress.de^$generichide -@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=focus.de -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=focus.de -@@||pagead2.googlesyndication.com/pagead/osd.js$domain=focus.de -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=autobild.de -@@||pix*.revsci.net^*.js?$domain=focus.de -@@||ran.de^$generichide -@@||revsci.net/gateway/gw.js$domain=focus.de -@@||rollingstone.de^$generichide -@@||sascdn.com/diff/251/pages/$script,domain=autobild.de -@@||smartadserver.com/ac?nwid=$script,domain=autobild.de|transfermarkt.de -@@||smartadserver.com/diff/251/divscripte/$subdocument,domain=transfermarkt.de -@@||smartadserver.com/diff/251/partners/amazon.js$domain=autobild.de|transfermarkt.de -@@||smartadserver.com/diff/251/verify.js$domain=transfermarkt.de -@@||transfermarkt.de^$generichide _video_ads/$domain=imasdk.googleapis.com autobild.de##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] -connextra.com##iframe[src^="https://ssl.connextra.com"] -g.doubleclick.net###adunit -metal-hammer.de##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] -musikexpress.de##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] +musikexpress.de,rollingstone.de,widgets.outbrain.com##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] musikexpress.de##iframe[src*="//fom.bildungscentrum.de/"] -rollingstone.de##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] -transfermarkt.de##.OUTBRAIN .ob-p -widgets.outbrain.com##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] +connextra.com##iframe[src^="https://ssl.connextra.com"] |http:$domain=adfarm1.adition.com |https:$domain=adfarm1.adition.com -||2mdn.net^$domain=imasdk.googleapis.com|serving-sys.com -||3lift.com^$domain=focus.de -||ad-srv.net^$domain=focus.de -||ad.71i.de^$domain=autobild.de +||2mdn.net^$domain=autobild.de|imasdk.googleapis.com|serving-sys.com +||a.df-srv.de^$domain=autobild.de +||ad.71i.de^$domain=autobild.de|gofeminin.de +||ad.doubleclick.net^$domain=autobild.de +||ad.yieldlab.net^$domain=gofeminin.de ||ad4mat.de^$domain=googlesyndication.com -||adform.net^$domain=autobild.de|focus.de|googlesyndication.com -||adition.com^$domain=focus.de|g.doubleclick.net -||adnxs.com^$domain=autobild.de|focus.de|widgets.outbrain.com +||adcell.com^$domain=autobild.de +||adform.net^$domain=autobild.de|gofeminin.de|googlesyndication.com +||adition.com^$domain=autobild.de|g.doubleclick.net +||adnxs-simple.com/creative/$domain=autobild.de +||adnxs.com^$domain=autobild.de|widgets.outbrain.com ||adrolays.de^$domain=autobild.de -||adsafeprotected.com^$domain=imasdk.googleapis.com +||adsafeprotected.com^$domain=autobild.de|imasdk.googleapis.com ||adsnative.com^$domain=autobild.de -||adtech.de^$domain=focus.de -||advertising.com^$domain=focus.de -||advolution.de^$domain=focus.de -||amazon-adsystem.com^$domain=autobild.de|focus.de +||adsrvr.org^$domain=autobild.de +||adup-tech.com^$domain=autobild.de +||amazon-adsystem.com^$domain=autobild.de|gofeminin.de +||asadcdn.com/adlib/$~script,~stylesheet,domain=autobild.de +||auto-bild.de/js/rd/google.js$domain=autobild.de ||betrad.com^$domain=googlesyndication.com -||bf-ad.net^$domain=focus.de -||bidder.criteo.com^$domain=focus.de -||cas.*.criteo.com^$domain=autobild.de|focus.de -||cas.criteo.com^$domain=autobild.de|focus.de -||cdn.flashtalking.com^$domain=imasdk.googleapis.com -||conative.de^$domain=focus.de -||consumable.com^$domain=focus.de -||contextweb.com^$domain=focus.de -||flashtalking.com^$domain=focus.de|g.doubleclick.net -||g.doubleclick.net^$domain=focus.de|imasdk.googleapis.com -||google.com/adsense/search/ads.js$domain=focus.de +||cas.*.criteo.com^$domain=autobild.de +||cas.criteo.com^$domain=autobild.de +||cdn.flashtalking.com^$domain=autobild.de|imasdk.googleapis.com +||criteo.net/js/ld/publishertag.prebid.js$domain=gofeminin.de +||f11-ads.com^$domain=gofeminin.de +||flashtalking.com^$domain=g.doubleclick.net +||g.doubleclick.net^$domain=autobild.de|gofeminin.de|imasdk.googleapis.com +||google.com/adsense/$domain=autobild.de ||googlesyndication.com/daca_images/simgad/$domain=g.doubleclick.net -||googlesyndication.com/pagead$domain=g.doubleclick.net ||googlesyndication.com/pagead/$domain=g.doubleclick.net|googlesyndication.com ||googlesyndication.com/sadbundle/$domain=g.doubleclick.net -||googlesyndication.com/safeframe/$domain=g.doubleclick.net|googlesyndication.com +||googlesyndication.com/safeframe/$domain=g.doubleclick.net|gofeminin.de|googlesyndication.com ||googlesyndication.com/sodar/$domain=googlesyndication.com -||googlesyndication.com^$domain=focus.de -||inskinad.com^$domain=focus.de -||intellitxt.com^$domain=autobild.de -||ktxtr.com^$domain=focus.de -||lijit.com^$domain=focus.de -||moatads.com^$domain=autobild.de|focus.de +||googletagservices.com/dcm/dcmads.js$domain=autobild.de +||googletagservices.com/tag/js/gpt.js$domain=gofeminin.de +||imasdk.googleapis.com^$domain=autobild.de +||moatads.com^$domain=autobild.de ||mookie1.com^$domain=autobild.de -||mpnrs.com^$domain=focus.de -||nativendo.de^$domain=focus.de -||openx.net^$domain=focus.de -||pagead2.googlesyndication.com^$domain=autobild.de|focus.de +||pagead2.googlesyndication.com^$domain=autobild.de|gofeminin.de +||perfectmarket.com^$domain=autobild.de ||plista.com/pictureads/$domain=autobild.de -||polarmobile.com^$domain=focus.de -||pubmatic.com^$domain=focus.de +||pubmatic.com^$domain=gofeminin.de ||redintelligence.net^$domain=g.doubleclick.net -||revsci.net^$domain=focus.de -||rtax.criteo.com^$domain=autobild.de|focus.de +||rtax.criteo.com^$domain=autobild.de ||sascdn.com^$domain=autobild.de +||servedby.flashtalking.com/imp/$script,xmlhttprequest,domain=autobild.de ||serving-sys.com/BurstingCachedScripts/$domain=serving-sys.com -||serving-sys.com/BurstingRes/$domain=focus.de|imasdk.googleapis.com|serving-sys.com +||serving-sys.com/BurstingRes/$domain=imasdk.googleapis.com|serving-sys.com ||serving-sys.com/BurstingScript/$domain=serving-sys.com ||serving-sys.com/Serving/$domain=imasdk.googleapis.com ||smartadserver.com^$domain=autobild.de -||smartclip.net^$domain=focus.de -||smartredirect.de^$domain=focus.de ||smartstream.tv^$domain=imasdk.googleapis.com ||spotxchange.com^$domain=imasdk.googleapis.com +||static.criteo.net/js/ld/publishertag.prebid.js$domain=autobild.de ||teads.tv^$domain=autobild.de ||tmssl.akamaized.net//ads/ads.js$domain=transfermarkt.de -||unrulymedia.com^$domain=focus.de -||widget.spoods.io/loader.js$domain=focus.de -||yieldlab.net^$domain=autobild.de|focus.de -! -/1564e3a$image,domain=aachener-nachrichten.de|aachener-zeitung.de|airliners.de|auszeit.bio|bafoeg-aktuell.de|berliner-zeitung.de|bigfm.de|bikerszene.de|boersennews.de|brieffreunde.de|clever-tanken.de|deine-tierwelt.de|dhd24.com|digitalfernsehen.de|donnerwetter.de|e-hausaufgaben.de|epochtimes.de|express.de|fanfiktion.de|fid-gesundheitswissen.de|finya.de|formel1.de|frag-mutti.de|fremdwort.de|frustfrei-lernen.de|fussballdaten.de|gameswelt.de|gartendialog.de|gartenlexikon.de|gesundheit.de|gevestor.de|gut-erklaert.de|hausgarten.net|iban-rechner.de|inside-handy.de|juraforum.de|kicker.de|kindergeld.org|ksta.de|laut.de|liga3-online.de|lz.de|modhoster.de|motorsport-total.com|moviejones.de|mt.de|mz-web.de|news.de|nickles.de|nw.de|pixelio.de|playfront.de|prad.de|psychic.de|quoka.de|rundschau-online.de|spielen.de|spielfilm.de|tichyseinblick.de|transfermarkt.nl|truckscout24.de|tvinfo.de|unicum.de|unterhalt.net|weristdeinfreund.de|weser-kurier.de|wetteronline.at|wetteronline.ch|wintotal.de|wize.life|wohngeld.org -/2ac2ff7$image,domain=aachener-nachrichten.de|aachener-zeitung.de|airliners.de|auszeit.bio|bafoeg-aktuell.de|berliner-zeitung.de|bigfm.de|bikerszene.de|boersennews.de|brieffreunde.de|clever-tanken.de|deine-tierwelt.de|dhd24.com|digitalfernsehen.de|donnerwetter.de|e-hausaufgaben.de|epochtimes.de|express.de|fanfiktion.de|fid-gesundheitswissen.de|finya.de|formel1.de|frag-mutti.de|fremdwort.de|frustfrei-lernen.de|fussballdaten.de|gameswelt.de|gartendialog.de|gartenlexikon.de|gesundheit.de|gevestor.de|gut-erklaert.de|hausgarten.net|iban-rechner.de|inside-handy.de|juraforum.de|kicker.de|kindergeld.org|ksta.de|laut.de|liga3-online.de|lz.de|modhoster.de|motorsport-total.com|moviejones.de|mt.de|mz-web.de|news.de|nickles.de|nw.de|pixelio.de|playfront.de|prad.de|psychic.de|quoka.de|rundschau-online.de|spielen.de|spielfilm.de|tichyseinblick.de|transfermarkt.nl|truckscout24.de|tvinfo.de|unicum.de|unterhalt.net|weristdeinfreund.de|weser-kurier.de|wetteronline.at|wetteronline.ch|wintotal.de|wize.life|wohngeld.org -/3517709$image,domain=aachener-nachrichten.de|aachener-zeitung.de|airliners.de|auszeit.bio|bafoeg-aktuell.de|berliner-zeitung.de|bigfm.de|bikerszene.de|boersennews.de|brieffreunde.de|clever-tanken.de|deine-tierwelt.de|dhd24.com|digitalfernsehen.de|donnerwetter.de|e-hausaufgaben.de|epochtimes.de|express.de|fanfiktion.de|fid-gesundheitswissen.de|finya.de|formel1.de|frag-mutti.de|fremdwort.de|frustfrei-lernen.de|fussballdaten.de|gameswelt.de|gartendialog.de|gartenlexikon.de|gesundheit.de|gevestor.de|gut-erklaert.de|hausgarten.net|iban-rechner.de|inside-handy.de|juraforum.de|kicker.de|kindergeld.org|ksta.de|laut.de|liga3-online.de|lz.de|modhoster.de|motorsport-total.com|moviejones.de|mt.de|mz-web.de|news.de|nickles.de|nw.de|pixelio.de|playfront.de|prad.de|psychic.de|quoka.de|rundschau-online.de|spielen.de|spielfilm.de|tichyseinblick.de|transfermarkt.nl|truckscout24.de|tvinfo.de|unicum.de|unterhalt.net|weristdeinfreund.de|weser-kurier.de|wetteronline.at|wetteronline.ch|wintotal.de|wize.life|wohngeld.org -@@/ad-loading.$image,domain=astronews.com|hartziv.org -@@/rect_ad.$image,domain=aachener-nachrichten.de|aachener-zeitung.de|airliners.de|astronews.com|auszeit.bio|bafoeg-aktuell.de|berliner-zeitung.de|bigfm.de|bikerszene.de|boersennews.de|brieffreunde.de|clever-tanken.de|deine-tierwelt.de|dhd24.com|digitalfernsehen.de|donnerwetter.de|e-hausaufgaben.de|epochtimes.de|express.de|fanfiktion.de|fid-gesundheitswissen.de|finya.de|formel1.de|frag-mutti.de|fremdwort.de|frustfrei-lernen.de|fussballdaten.de|gameswelt.de|gartendialog.de|gartenlexikon.de|gesundheit.de|gevestor.de|gut-erklaert.de|hartziv.org|hausgarten.net|iban-rechner.de|inside-handy.de|juraforum.de|kicker.de|kindergeld.org|ksta.de|laut.de|liga3-online.de|lz.de|modhoster.de|motorsport-total.com|moviejones.de|mt.de|mz-web.de|news.de|nickles.de|nw.de|pixelio.de|playfront.de|prad.de|psychic.de|quoka.de|rundschau-online.de|spielen.de|spielfilm.de|tichyseinblick.de|transfermarkt.nl|truckscout24.de|tvinfo.de|unicum.de|unterhalt.net|weristdeinfreund.de|weser-kurier.de|wetteronline.at|wetteronline.ch|wintotal.de|wize.life|wohngeld.org -@@||adternal.com^$image,domain=astronews.com|hartziv.org -@@||iban-rechner.de/fileadmin/_migrated/pics/theano_17.gif$image,domain=iban-rechner.de -@@||iban-rechner.de/fileadmin/slheader.gif$image,domain=iban-rechner.de -@@||iban-rechner.de/fileadmin/slheader_over.gif$image,domain=iban-rechner.de -@@||iban-rechner.de/fileadmin/sr/euueber.png$image,domain=iban-rechner.de -@@||iban-rechner.de/min.gif$image,domain=iban-rechner.de -@@||iban-rechner.de/neu.gif$image,domain=iban-rechner.de -@@||pizzaandads.com^$image,domain=aachener-nachrichten.de|aachener-zeitung.de|airliners.de|astronews.com|auszeit.bio|bafoeg-aktuell.de|berliner-zeitung.de|bigfm.de|bikerszene.de|boersennews.de|brieffreunde.de|clever-tanken.de|deine-tierwelt.de|dhd24.com|digitalfernsehen.de|donnerwetter.de|e-hausaufgaben.de|epochtimes.de|express.de|fanfiktion.de|fid-gesundheitswissen.de|finya.de|formel1.de|frag-mutti.de|fremdwort.de|frustfrei-lernen.de|fussballdaten.de|gameswelt.de|gartendialog.de|gartenlexikon.de|gesundheit.de|gevestor.de|gut-erklaert.de|hartziv.org|hausgarten.net|iban-rechner.de|inside-handy.de|juraforum.de|kicker.de|kindergeld.org|ksta.de|laut.de|liga3-online.de|lz.de|modhoster.de|motorsport-total.com|moviejones.de|mt.de|mz-web.de|news.de|nickles.de|nw.de|pixelio.de|playfront.de|prad.de|psychic.de|quoka.de|rundschau-online.de|spielen.de|spielfilm.de|tichyseinblick.de|transfermarkt.nl|truckscout24.de|tvinfo.de|unicum.de|unterhalt.net|weristdeinfreund.de|weser-kurier.de|wetteronline.at|wetteronline.ch|wintotal.de|wize.life|wohngeld.org -aachener-nachrichten.de##[style="position: absolute; left: 960px;"] -aachener-zeitung.de##.ad.skyscraper -aachener-zeitung.de##.ad.superbanner -airliners.de##.ad -airliners.de##.banner -airliners.de##.skyscraper -airliners.de##[style="margin-bottom: 30px; margin-top: 10px;"] -bafoeg-aktuell.de##.dp_inner -bafoeg-aktuell.de##.widget.widget_text.clearfix -bikerszene.de##[style="position: absolute; top: 0px; left: 100%; margin-left: 10.7px;"] -boersennews.de###Ca1.block -boersennews.de###FlexSky -boersennews.de###FlexTop -brieffreunde.de##.banner970.mobilehide -brieffreunde.de##.skyscraper.mobilehide -digitalfernsehen.de###c5046.csc-default -digitalfernsehen.de##[style="position: relative; left: 920px; margin-left: 10px;"] -digitalfernsehen.de,fremdwort.de##[style="float: left;"] -donnerwetter.de##[style="position: absolute; top: 15px; margin-left: 137px;"] -donnerwetter.de##div[style="text-align: center;"] -donnerwetter.de##img[style="width: 300px; max-width: 300.1px;"] -e-hausaufgaben.de##div[style="background-color: rgb(221, 221, 220);"] -epochtimes.de##img[style="margin: 0.2px auto;"] -fee49af$image,domain=aachener-nachrichten.de|aachener-zeitung.de|airliners.de|autoscout24.de|bafoeg-aktuell.de|bikerszene.de|boersennews.de|brieffreunde.de|clever-tanken.de|deine-tierwelt.de|dhd24.com|digitalfernsehen.de|dnn.de|donnerwetter.de|e-hausaufgaben.de|epochtimes.de|fanfiktion.de|fid-gesundheitswissen.de|finya.de|formel1.de|frag-mutti.de|fremdwort.de|frustfrei-lernen.de|fussballdaten.de|gameswelt.de|gartendialog.de|gartenlexikon.de|gesundheit.de|gevestor.de|goettinger-tageblatt.de|hausgarten.net|haz.de|iban-rechner.de|inside-handy.de|juraforum.de|kicker.de|kindergeld.org|kn-online.de|laut.de|liga3-online.de|ln-online.de|lvz.de|lz.de|mathepower.com|maz-online.de|modhoster.de|motorsport-total.com|moviejones.de|mt.de|netzwelt.de|news.de|nickles.de|nw.de|ostsee-zeitung.de|paz-online.de|pferde.de|pixelio.de|playfront.de|prad.de|psychic.de|quoka.de|sn-online.de|spielen.de|spielfilm.de|truckscout24.de|tvinfo.de|unicum.de|waz-online.de|weristdeinfreund.de|weser-kurier.de|wetteronline.de|wintotal.de|wize.life -finya.de###preheader -finya.de##.adcanvas -frag-mutti.de##img[style="width: 160px; max-width: 160px; height: 600px;"] -fremdwort.de###iojrennab -fremdwort.de##.col-sm-3 -frustfrei-lernen.de##div[style="height: 310px"] -frustfrei-lernen.de##div[style="height: 320px"] -gartendialog.de###topposition -hartziv.org##.dp -iban.de##.ibanafar2 -kicker.de##[style="float:left;margin: 0 20px 6px 0;width:300px;"] -kicker.de##[style="margin-bottom: 10px;position: relative;z-index: 300;"] -kicker.de##[style="max-width: 800px;"] -kicker.de##[style="position: absolute; max-width: 160px;"] -kicker.de##[style="position: absolute; max-width: 300px;"] -kindergeld.org##.g-single.a-9 -liga3-online.de###skyscraperstart -liga3-online.de##.widget.widget_text -moviejones.de##[style="position: fixed; margin-left: 1040px; top: 50px;"] -netzwelt.de###leaderboard-wrapper -netzwelt.de###skyscraper-wrapper -playfront.de##.advertising -prad.de##div[style="background-color:#ebf0f4; width:100%;"] -rp-online.de##[style="margin-left: 142.3px;"] -skodacommunity.de,windows-7-forum.net###oc24_container_top -skodacommunity.de,windows-7-forum.net##.section.funbox -truckscout24.de###mediumBanner -truckscout24.de##.advert-top-head -truckscout24.de##.superBanner -truckscout24.de##[style="z-index: 501;"] -tvinfo.de###infoTop -unicum.de###wrapper-banner-head -unicum.de###wrapper-banner-skyscraper -unicum.de##.region.region-head-banner -weristdeinfreund.de##[style="right: -310px;"] -weser-kurier.de##[style="position: absolute; margin-left: 990px;"] -wetteronline.de##[style="top: -252.5px; left: 0px; position: absolute;"] -wetteronline.de##[style="width: 100%;"] -winboard.org##li[style="margin-bottom: 15px;"] -wintotal.de##.well.top-scraper -wintotal.de##.widget.widget_wt_wintotal_rotator -wintotal.de##[style="margin: 10.3px auto;"] -wize.life##[style="margin-bottom: 20.5px;"] -wize.life##[style="margin: auto auto 30px -400px; top: 20.6px; left: 50%;"] -wize.life##[style="position: absolute; left: 50%; margin-left: 505.5px; top: 115.2px;"] -||digitalfernsehen.de/imagix/$image,domain=digitalfernsehen.de -||fussballdaten.de/js/blockadblock$script -||fussballdaten.de/js/THVQ1vv.js -||iban-rechner.de^$image,~third-party,domain=iban-rechner.de -||iban.de/img/1/btop2.gif -||juraforum.de/bilder/statisch/$image -||juraforum.de/tsmi.php$script -||liga3-online.de/Bilder/Sportwetten24Banner.gif -||news.de/imagiy/$image,domain=news.de -||psychic.de/images/D/$image -||quoka.de/image/public/$image,domain=quoka.de -||tisoomitech.com^$image,third-party -||tvinfo.de/img/dmax/DMAX_*.jpg -! +||tpc.googlesyndication.com^$domain=autobild.de +||track.webgains.com/link.html?wglinkid=$script,domain=autobild.de +||yieldlab.net^$domain=autobild.de +! toggo.de +||ccstatic.toggo.de/cc-static-files/bumper-video/$rewrite=abp-resource:blank-mp4,domain=toggo.de +||flashtalking.com^$~media,domain=toggo.de +||flashtalking.com^*.mp4$rewrite=abp-resource:blank-mp4,domain=toggo.de +||smartclip.net/creatives/uploads/*.mp4$rewrite=abp-resource:blank-mp4,domain=toggo.de +||smartclip.net^$~media,domain=toggo.de +! $csp +$csp=script-src 'self' data: 'unsafe-inline' 'unsafe-hashes' 'unsafe-eval' static.veevcdn.co,domain=filmpalast.to ! *** easylistgermany:easylistgermany/easylistgermany_specific_block_popup.txt *** -.gif|$popup,domain=autozeitung.de|formel1.de|fremdwort.de|inside-handy.de|motorsport-total.com|news.de|seniorbook.de -^utm_campaign^$popup,domain=jappy.de +/^https?:\/\/.*\.(jpg|jpeg|gif|png|php|svg|ico|js|txt|css)/$popup,domain=190.115.18.20|aniworld.to|canna-power.to|canna.to|kinoger.com|kinoger.to|kinoonline.net|s.to|serien.cam|serienstream.to +/lp/chip-$popup,domain=chip.de ^utm_medium=popunder^$popup,domain=hilfreich.de -||1kino.in/vload.php$popup -||1kino.in^*/out.php$popup -||3dl.tv/redipo.php$popup -||5vor12.de/cgi-perl/adP?nr=$popup -||ad.netzquadrat.de^$popup,domain=sms.de -||adclick.g.doubleclick.net^$popup,domain=4players.de -||adcloud.net^$popup,domain=lustich.de -||adscale.de^$popup,domain=4players.de|lustich.de -||adsfac.eu/link.asp?$popup,domain=iamgamer.de -||amazon.de/?tag=bluray18-21$popup,domain=bluray-disc.de -||amazon.de/gp/*&tag=$popup,domain=chillmo.com -||amazon.de/s/*&tag=$popup,domain=bluray-disc.de -||amazon.de/s/?*&tag=$popup,domain=chillmo.com -||amazon.de^*&tag=$popup,domain=gamona.de -||amazon.de^*&tag=bluray18-21&$popup,domain=bluray-disc.de -||amazon.de^*/B019C5LZX4/?tag=$popup,domain=netzwelt.de -||amazon.de^*/ref=*&tag=$popup,domain=bluray-disc.de -||amazon.de^*^tag=$popup,domain=wetteronline.de -||atomload.to/load.php$popup -||campartner.com^$popup,domain=g-stream.in +||amazon.de^*^tag=$popup,domain=rheinlandpfalz-news.de +||bitporno.to/api/direct/$popup ||count.shopping.t-online.de/RE?ID=$popup,domain=t-online.de -||damoh.spiegel.tv^$popup -||damoh.sueddeutsche.de^$popup -||ddl-warez.in/smoozed.$popup -||ddl-warez.in/smoozed/$popup -||ddl-warez.to/_$popup -||dealbunny.de^$popup,domain=dokus4.me -||doubleclick.net^$popup,domain=gamestar.de|gamona.de -||ebook-hell.to/ad/$popup -||ebook-hell.to/out.php$popup -||ebook-hell.to^*/out.php$popup -||filmpalast.to/ad/$popup -||finya.de/Index/logoutAd/$popup -||flower-blog.org/usenet-nl-gratis-$popup -||g-stream.in/lla2/$popup -||g-stream.in/mirror/$popup -||g-stream.in/out.php|$popup -||goo.gl^$popup,domain=fail.to|omfg.to|warezking.in -||googleadservices.com^$popup,domain=wetteronline.de -||green.ingame.de/www/delivery/inck.php?oaparams=*__bannerid=*__zoneid=*__oadest=$popup -||hd-load.org/out.php$popup -||hd-movies.cx^$popup,domain=drop-games.org -||hifi-forum.de/forum/banner/$popup -||jokermovie.org/out.php$popup -||ligatus.com^$popup,domain=gamona.de|n-tv.de -||lovoo.net^$popup,domain=smsform.de -||luschtiges.blogspot.de^$popup,domain=ragecomic.com -||lustich.de/img/$popup -||mafia.to/exit.cfm$popup -||maniac.de/maniadrd.php?i=$popup -||mega-stream.to/xtend_pop*.html$popup -||mov-world.net/exit/$popup -||neckermann.de^$popup,domain=5vor12.de -||partners.webmasterplan.com^$popup,domain=tele5.de -||playporn.to/out.php$popup -||pornkino.to/milfs/$popup -||pornkino.to^*/popUp/$popup -||porno-streams.com/rand/$popup -||private-blog.org/out.php$popup -||putenbrust.net/cgi-bin/atc/out.cgi?l=popup&$popup -||rapidvideo.com/popup.php$popup -||sexpartnersite.net^$popup,domain=pornkino.to -||share-online.biz/affiliate/$popup,domain=linxcrypt.com -||slimtrade.com/out.php?$popup,domain=hd-load.org|porno-streams.com -||slimtrade.com/out.php?s=$popup,domain=gload.cc -||sms2me.at^$popup,domain=superchat.at -||smsgott.de/click.php?url=$popup -||sptopf.de/tshp/RE?ID=$popup,domain=t-online.de -||stream-box.net/out.php$popup -||stream-seiten.org/out.php$popup -||sunmaker.com^$popup,domain=hd-world.org|movie-blog.org -||superclix.de^$popup,domain=4players.de -||teen-blog.us/out_to_trade.php$popup -||teltarif.de/click/*:*.a=$popup -||thepornlist.net^$popup,domain=sexuria.com -||tinyurl.com^$popup,domain=gamersglobal.de -||tipico.com^$popup,domain=yabeat.com -||tradedoubler.com/click?$popup,domain=smsform.de -||uploaded-premium.ru/out.php$popup -||uploaded.net/%$popup,domain=ddl-music.org|dl-warez.in -||uploaded.net/r$popup,domain=ddl-music.org|ddl-warez.in -||urlaubsguru.de^$popup,domain=omfg.to -||usenext.de^$popup,domain=5vor12.de -||vampirediaries.in/popin.php$popup -||williamhill.com^$popup,domain=trailerzone.info -||williamhillcasino.com^$popup,domain=trailerzone.info -||xxx-blog.to/download_out.php$popup -||xxx-blog.to/image_out.php$popup -||xxx-blog.to/out.php$popup -||xxx-blog.to/pornstreams.php$popup -||xxx-blog.to/pstreams.php$popup -||yabeat.com^*.php?id=$popup -||yasni.de/ad_pop.php$popup -||youtube.com/watch?v=b0TdGvi24Zs$popup,domain=movie-blog.org -!-----Seitenspezifische Regeln zum Verstecken von Werbung(süberbleibseln)-----! +||data-load.me/partner/$popup +||ddownload.com/free$popup,domain=ibooks.to +||delamar.de/out/$popup +||eishockey-online.news^$popup,domain=eishockey-online.com +||linux-magazin.de/wp-content/uploads/*#$popup,domain=linux-magazin.de +||sexei.net/go.html$popup +||warez.cx^$popup,domain=ibooks.to +! -----Seitenspezifische Regeln zum Verstecken von Werbung(süberbleibseln)-----! ! *** easylistgermany:easylistgermany/easylistgermany_specific_hide.txt *** -finanzen.net###Ads_BA_CAD_box + .content_box -fussbodenbau-forum.com###Advertisment -onmeda.de###BANNER_AUSSEN -biomagazin.de,clubtime.fm,coretime.fm,hardbase.fm,housetime.fm,technobase.fm,trancebase.fm###Banner -triathlon-szene.de,x-athlon.de###BannerOben -triathlon-szene.de,x-athlon.de###BannerRechts +dtb.de###AD +nd-aktuell.de###Ads +haufe.de###Ads_Billboard_container +blick.de###BSB mazda-forum.info###BelowRectangle -cinemotion-kino.de###COMMERCIAL_HEAD -quoka.de###ColumnOuterRight > .yui3-u-1 > .box:first-child + .box > .ly-1:first-child:last-child -quoka.de###ColumnOuterRight > .yui3-u-1:first-child:last-child > .box:last-child > .ly-1:first-child:last-child 1kh.de###Container > #head:first-child + #content + br + .spacer + center -fr-online.de###ContainerContent > .Redaktionsmodul.Teaser -amazon.de###DAcrs1 -amazon.de###DAi -amazon.de###DAr2 +privatmarkt.ch###ContentFooterPartner +druckerchannel.de###DCA_TOP druckkosten.de###DKGA_LEAD druckkosten.de###DKGA_SKY -hausgemacht.tv###FB2 -news.de###FlexSky -news.de###FlexSky + div > div -news.de###FlexTop + div > div -volksfreund.de###Fullsize -goettgen.de###GAS_MRS -goettgen.de###GAS_SKSC -goettgen.de###GAS_SUBA -grenzwissenschaft-aktuell.blogspot.com###HTML3 + #HTML1 > .widget-content:first-child -namsu.de###Info -express.de###JSAnzeigen -branchen-info.net,brd-info.net,staedte-info.net,top-dsl.com###Layer1 -branchen-info.net,brd-info.net,staedte-info.net,top-dsl.com###Layer2 -quoka.de###Layout2Column2 > .MsBoxSection -teltarif.de###LxFloatShop +eatsmarter.de###EAT_D_Index_Top_Wrapper +anime2you.de###Fallback-Content +inside-digital.de###INS_D_ROS_Parallax +staedte-info.net###Layer1 +staedte-info.net###Layer2 +tips.at###Leaderboard_1_Superbanner_1_Billboard_1_Top_ teltarif.de###LxShop -mopo.de###MOPO-ad-uap-super-banner -ciao.de###MainRightColumn -windows-7-forum.net###MidRectangle -werkzeug-news.de###MitteRechts > .infoblock -abacho.de###MomondoWidgetSidebar -onmeda.de###PARTNERANGEBOTE -pocketpc.ch###PPCAdLeaderBoard_Filler -sgcoburg.de###PromoHead -sgcoburg.de###PromoRight -1erforum.de,dasheimwerkerforum.de,finanz-notes.de,mazda-forum.info,mercedes-forum.com,modernboard.de,toyota-forum.de,unixboard.de,vermieter-forum.com,volksfreund.de###Rectangle -volksfreund.de###RectangleOMS -rclineforum.de###RotBanner -express.de###RotatingPartner +teltarif.de###LxTN2ADV +teltarif.de###LxTNADV +slashcam.de###MEDMRECHome +slashcam.de###MEDMRECHome2Lazy +slashcam.de###MEDMRECHome3Lazy +kinderspiele-welt.de###MR +mtb-news.de###MTB_M_ROS_Sticky +skiinfo.de###Mid +bauexpertenforum.de,elektrikforen.de,megane-board.de,windows-7-forum.net###MidRectangle +seo-suedwest.de###Mod373 +seo-suedwest.de###Mod416 +netmoms.de###R1C2 +netmoms.de###R1C3 +onvista.de###SMART_BILLBOARD wiesbaden.de###SP-commercials -helles-koepfchen.de###Sky_left -dfb.de###SkyscraperContainer -bayer04.de###Sponsoren_Logo -nachrichten.at###StartseiteSonderthema -send4free.de###Step1 -helles-koepfchen.de###Superbanner -helles-koepfchen.de###Syscraper_left -t-online.de###T-83718912 -t-online.de###T-83783312 -fussball.de###TArtikel2 > img[height="95"][width="302"]:first-child -mobile.de###TBANNER_SPACER -unterwasserwelt.de###Tabelle671 -unterwasserwelt.de###Tabelle673 -t-online.de###Tadspacefootlb -t-online.de###Tall > .Tpcpx + #Tasf -t-online.de###Tamrecbox -t-online.de###Tcmd1 > .Tmect -t-online.de###Tcontbox > .Tgboxh > .altInventory -t-online.de###Tcontboxi + #Tgboxf -t-online.de###Tcontboxi > .Tagbox > .Tart > #Ttub2 -t-online.de###Tlibelle -cio.de###TopBanner -finanz-notes.de,mazda-forum.info,unixboard.de###TopRectangle -freiepresse.de###TopWrapper -onvista-bank.de###WALLPAPER +fussballn.de###SPMADS_fussballn_HOME_MEDREC_1 +teltarif.de###SpaceBefore +teltarif.de###SpaceRectangle +teltarif.de###SpaceTgtLink +back-intern.de###StyleTM-TopBanner +t-online.de,www-t--online-de.cdn.ampproject.org###T-85628670 +t-online.de,www-t--online-de.cdn.ampproject.org###T-86926496 +t-online.de,www-t--online-de.cdn.ampproject.org###T-Shopping +t-online.de,www-t--online-de.cdn.ampproject.org###T-shoppingbox +t-online.de,www-t--online-de.cdn.ampproject.org###Tasfeed1 +t-online.de,www-t--online-de.cdn.ampproject.org###Tasfeed3 +t-online.de,www-t--online-de.cdn.ampproject.org###Tcontboxi + #Tgboxf +t-online.de,www-t--online-de.cdn.ampproject.org###Tlibelle +1erforum.de,bauexpertenforum.de,dasheimwerkerforum.de,elektrikforen.de,fitness-foren.de,lpgforum.de,mazda-forum.info,megane-board.de,mercedes-forum.com,notebookforum.at,pkw-forum.de,skodacommunity.de,toyota-forum.de,vermieter-forum.com,windows-7-forum.net###TopRectangle +4crazy.de###UNWB300100 +4crazy.de###UNWB300200 +4crazy.de###UNWB300300 +bbv-net.de,stadtanzeiger-borken.de###WallpaperBanner +6navi.ch###WelcomeBannerDiv neumarktaktuell.de###Werbung ww3.cad.de###WzTtDiV + table[width="100%"][border="0"] -adhs-zentrum.de,enuresis-zentrum.de,zeitarbeit-zentrum.de###a4d1af -adhs-zentrum.de,enuresis-zentrum.de,zeitarbeit-zentrum.de###a4d1af + div -woxikon.de###aContentBottom2 -abacho.de###abacho_leader -abacho.de###abacho_sky -namibia-forum.ch###abakus -1jux.net###abp -handballworld.com###absolute > .bannergroup -20min.ch,anime-loads.org,doku.to,german-foreign-policy.com,hardwarelabs.de,otrkey.com,otrking.com,radiolisten.de,webos-blog.de,xboxaktuell.de###ad -radiolisten.de###ad3 -carpassion.com,high-minded.us,messerforum.net,mmorpg-core.com,schachburg.de,szenebox.org,thinkpad-forum.de,unixboard.de,world-of-hentai.to###ad_global_below_navbar -musicelster.net###ad_global_below_navbar > center > div[style="float:right; width:50%;"] -motorsport-xl.de###adala -motorsport-xl.de###adala_bgholder -fem.com###add_square -verkehrsmittelvergleich.de###adhs -hifitest.de###adl -erf.de,fiverdeal.de,gepostet.com,haustierstall.de,musotalk.de,radiof.de,seniorkom.at,suedostschweiz.ch,unite.ws,web.de,wer-kennt-wen.de###ads -ringrocker.com###adsense + #newcomment +mallorcazeitung.es###_mo_cti +musiker-board.de###abAside +spielesite.com###acTop +sis-handball.de###ad +heise.de###ad-landingpage-top +pokewiki.de,timeanddate.de###ad1 +pokewiki.de###ad2 +pokewiki.de###ad3 +myboerse.bz,thinkpad-forum.de###ad_global_below_navbar +goldpreis.de###ad_gsbuch +kreuzwort-raetsel.net###ad_ic_1 +kreuzwort-raetsel.net###ad_ic_2 +1und1.de,gmx.net,web.de###adc1 +1und1.de,gmx.net,web.de###adc2 +webwiki.de###addmeright +webwiki.de###addmetop +engadinerpost.ch###aditems +web.de###ads +infoheute.de###adsight-slider abload.de###adunten + div[style="font-size:8pt; color:#999999; margin-left:39px; width: 728px;"] -1und1.de,gmx.net,web.de###adv -gmx.net,web.de###advSpecialMain -web.de###advTop -rimparerhandballer.de###adv_matchDayPresenter -rimparerhandballer.de###adv_partner -pennercity.de###advert -gloria.tv###advertisement -loipenpark.de,traumpalast.de###advertising -quoka.de###advlft -gofeminin.de###af_columnPubLabel -apfeleimer.de###af_foot -computerbase.de###afc-box -gamersglobal.de###ahoz -eliteanimes.com###aleft -eliteanimes.com###aleft + .log -falk.de###allianzBl -excitingcommerce.de###alpha-inner > .module-typelist:first-child + .module-typelist -excitingcommerce.de###alpha-inner > .module-typelist:first-child + .module-typelist + .module-typelist -downloadstube.net###alternative_download + a[onclick] -eeepc.de###amazon1 -crackajack.de###amazon_list -hartware.de###anzeige -tagesspiegel.de###anzeige_schnippsel -neue-braunschweiger.de###anzeigen -justpay.de###anzeigen_left -wuppertaler-rundschau.de###anzeigen_oben -apomio.de###anzeigen_wrapper +voucherwonderland.com###adup1 +voucherwonderland.com###adup3 +voucherwonderland.com###adup5 +t-online.de###advertMarkerHorizontalContainer +kath.ch###advertising +tomsnetworking.de###advleft1 +tomsnetworking.de###advleft2 +tomsnetworking.de###advleft3 +tomsnetworking.de###advleft4 +tomsnetworking.de###advlrb1 +teslamag.de###after-header-banner +android-hilfe.de###ah_bb_footer +fussballnationalmannschaft.net###ai_widget-5 +ariva.de###aktieImFokus +tiervermittlung.de###amazon_300x90 +skiinfo.de###anchorBG +100urlaubsziele.de###angeboteStartseite2018 +moonsault.de###anzeige +eindeutscherporno.com###anzeige9 +charivari.de###anzeige_mso_skyscraper +charivari.de###anzeige_skyscraper_2 +hl-live.de###anzeiged2 haustechnikdialog.de###anzeigendiv +falter.at###anzeigenkenzz +amazon.de###ape_Detail_ad-endcap-1_Glance_placement +willhaben.at###apn-large-content-ad +willhaben.at###apn-large-leaderboard +willhaben.at###apn-large-skyscraper +willhaben.at###apn-leaderboard gamersglobal.de###arb -computerbild.de###articleBody .codeteaser > .tarifteaser > .handytarife -blick.ch###as24comblockContainer -energieportal24.de###asbox -energieportal24.de###asbox2 -pg-logout.auskunft.de###auskunft -schachbund.de###avando_oben -augsburger-allgemeine.de###az_weba -exp.de###b4nner -like-fun.eu,schnittberichte.com###background -falk.de###bahn -hd-vidz.net###ball -kress.de###banderole -anderes-wort.de,apotheke-adhoc.de,bos-fahrzeuge.info,chaoz.ws,cine4home.de,ehrensenf.de,eisenbahn-kurier.de,elektrischer-reporter.de,fettspielen.de,forum.worldofplayers.de,frischauf-gp.de,gamekeyfinder.de,gamingjunkies.de,handballworld.com,hl-live.de,holidaycheck.at,holidaycheck.ch,holidaycheck.de,horseweb.de,isarszene.de,it-sa.de,kath.ch,koelschwasser.eu,meproxsoft.de,neuigkeitendienst.com,rollingplanet.net,see-online.info,sodbrennen-welt.de,softguide.de,suxedoo.ch,vhs-ol.de,we-mod-it.com,xp-antispy.org###banner -donnerwetter.de###banner-container +ariva.de###ariva\.de_d_1x1_1 +ariva.de###ariva_de_d_300x250_2_filler +pi-news.net###as2931 +raidrush.net###aside_left +madchensex.com###au +darts1.de###automaten-richter +apotheken-umschau.de,gamekeyfinder.de,kultur-port.de,ok-weinstrasse.de###banner +all-in.de,donnerwetter.at,donnerwetter.ch,donnerwetter.de###banner-container macgadget.de###banner-floater -fremdwort.de###banner-rectangle -autozeitung.de###banner-region -deutsche-wirtschafts-nachrichten.de,doppelpunkt.de###banner-right -annos.de,chefkoch.de,dasoertliche.de,dastelefonbuch.de###banner-top -dastelefonbuch.de###banner-top-wp -maclife.de###banner-wrapper-lead -npd-blog.info,teachersnews.net###banner1 -dasbiber.at,kulturmarken.de,scdhfk-handball.de###banner2 -bos-fahrzeuge.info,xboxaktuell.de###banner3 -bos-fahrzeuge.info###banner5 -otr.datenkeller.at###bannerBlock -aerzteblatt.de,koeln.de###bannerContainer -1001spiele.de###bannerGameRectangle -1001spiele.de###bannerGameSkyscraperRight -bielertagblatt.ch###bannerLead -1001spiele.de###bannerLeaderboardTop -airgamer.de###bannerOben -bielertagblatt.ch###bannerRight -mixeryrawdeluxe.tv###bannerSky -com-magazin.de,tvinfo.de###bannerTop -forum-speditionen.de###bannerTop + div[style="text-align:center;width:800px;margin:0 auto;height:60px;padding:20px 0;"] -bielertagblatt.ch###bannerTopRight -airgamer.de###bannerUnten -wetterkontor.de###banner_470 -godmode-trader.de,tarifagent.com###banner_bigsize -duckcrypt.info###banner_bottom -persoenlich.com###banner_center2 +tff-forum.de###banner-left-1 +tff-forum.de###banner-left-2 +scfreiburg.com###banner-news +dasoertliche.de###banner-right +tff-forum.de###banner-right-1 +tff-forum.de###banner-right-2 +redsite.ch###banner-slider +annos.de,chefkoch.de,dasoertliche.de,sexy-land.ch###banner-top +testedich.ch,testedich.de###banner-top-all-viewports +kriminalpolizei.de###banner-wrapper-right-v3 +kriminalpolizei.de###banner-wrapper-top-v1 +altertuemliches.at###banner5 +all-in.de###banner6_container +tippspiel.wa.de###bannerContainer +bbheute.de###bannerLink nrhz.de###banner_container_rc geemag.de###banner_content -juedische-allgemeine.de###banner_leaderboard -freizeitparks.de,suxedoo.ch###banner_left +saiten.ch###banner_leaderboard nrhz.de###banner_left_container_lc -tageblatt.com.ar###banner_lufthansa_apaisado -erotikum.de###banner_map -fohlen-hautnah.de###banner_oben -webfail.at###banner_post -vidorial.com###banner_r2 -rallye-magazin.de###banner_rect_right -freizeitparks.de,laufen.de,pixelio.de###banner_right -gitschtaler.at###banner_sidebar -radiorst.de,scpaderborn07.de###banner_skyscraper -hallescherfc.de,linguee.de,versicherungsjournal.de,wahretabelle.de,webfail.at###banner_top -juedische-allgemeine.de###banner_wideskycraper -rtl-west.de,rtlnord.de###banner_wrapper -haustechnikdialog.de###bannerdiv -radiohamburg.de###bannerleiste -queer.de,rp-online.de###banneroben -fremdwort.de###bannerright -breakpoint.untergrund.net,eiskaltmacher.de###banners -erotikforum.at###banners11608 -handball-world.com###bannersky -infranken.de###bannerspace -maerkischeallgemeine.de,saz-aktuell.com,webfail.at###bannertop -report-k.de###bantabelle -music-clips.net###bar > div:first-child:last-child -bluray-disc.de###bd-p160x600-adv -winload.de###beforedownload -mazda-forum.info###belowRectangleWrapper -spiele-for-free.de###bg-ad -boerse.de###big -gizmodo.de###big-mega -ichspiele.cc###big-sky -heinertown.de###bigSliderFrame0 -berliner-rundfunk.de,buchmarkt.de###bigbanner +sonic-seducer.de###banner_oben +dreingau-zeitung.de###banner_right +juve.de###banner_sidebar +dreingau-zeitung.de,linguee.de###banner_top +saiten.ch###banner_vertical +queer.de###banneroben +port01.com###bannerpos2 +queer.de###bannerrechts +breakpoint.untergrund.net###banners +heise.de###bannerzone +kroatien-nachrichten.de###bdaia-widget-e3-10 +kroatien-nachrichten.de###bdaia-widget-e3-11 +kroatien-nachrichten.de###bdaia-widget-e3-12 +kroatien-nachrichten.de###bdaia-widget-e3-14 +kroatien-nachrichten.de###bdaia-widget-e3-9 +kroatien-nachrichten.de###bdaia-widget-html-4 +kroatien-nachrichten.de###bdaia-widget-html-7 +karrierebibel.de###below-header +mydealz.de###belowCommentsAdSlotPortal +mydealz.de###belowCommentsFuseZonePortal +mydealz.de###belowDescriptionAdSlotPortal +mydealz.de###belowDescriptionFuseZonePortal +mydealz.de###belowDetailsAdSlotPortal +mydealz.de###belowDetailsFuseZonePortal osthessen-news.de###bigklick -fremdwort.de,modhoster.de,tikonline.de###bigsize +inside-digital.de,modhoster.de,tikonline.de###bigsize magistrix.de###bigsize-top modhoster.de###bigsize_inner -pcpraxis.de,rund-magazin.de###bigsizebanner -autozeitung.de,computerbild.de,prad.de,volksfreund.de###billboard -autozeitung.de###billboard + div -computerbild.de###billboard + div a > img[width="1000"][height="250"] -computerbild.de###billboard + div[style="margin-bottom: 20px;"] -prad.de###billboardbig -4players.de###billiger-charts -geizkragen.de###bl_top -holzwerken.net###bla -sms-box.de###blackmeout -getgaming.de###block-views-getgaming-empfehlungen-block -osthessen-news.de###block[style="display: block; margin: 0 auto; width: 1000px; height: 100px; background: red; overflow: hidden; "] -osthessen-news.de###block[style="display: block; margin: 0 auto; width: 1000px; height: 170px; overflow: hidden; background: url('mm.jpg') no-repeat white"] -holzwerken.net###blub -titanic-magazin.de###bnr-kiwi -computerhilfen.de###bodyarea > div[style="height:95px;margin-top:17px;"] -computerhilfen.de###bodyarea > div[style="height:95px;margin-top:17px;position:relative;"] -flashgames.de###bottom10 > table[width="123"][height="615"] -flashgames.de###bottom10 > table[width="128"][height="75"] -1001spiele.de,nailfreaks.com###bottomBanner -wonnemar.de###box-banner -futurezone.at###box-karriereat -golfv.de###boxWideSky -sdx.cc###box_SicherSurfen -gwd-minden.de###box_banner -suedkurier.de###box_meinsueden -bloggospace.de###boxgoogle -playmassive.de###brand -gameswelt.at,gameswelt.ch,gameswelt.de###brandabstand -schnittberichte.com###branding -20min.ch###branding-click -bluray-disc.de###branding_header -maniac.de###branding_spanner -web2.0rechner.de###britnexbanner -eastcomp.de###broadcastbox +rund-magazin.de###bigsizebanner +bergsteiger.de,bz-berlin.de,computerbild.de,dastelefonbuch.de,stuttgarter-zeitung.de###billboard +all-electronics.de,automobil-produktion.de,automotiveit.eu,chemietechnik.de,fertigung.de,fluid.de,instandhaltung.de,ke-next.de,kgk-rubberpoint.de,ki-portal.de,neue-verpackung.de,pharma-food.de,plastverarbeiter.de,produktion.de,technik-einkauf.de,werkzeug-formenbau.de###billboard-container +kochrezepte.at###billboard-location +rtl.de###billboard_1 +kurier.de###billboard_1_wrapper +kurier.de###billboard_2_wrapper +bz-berlin.de,finanzen.net,fitbook.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de###billboard_btf +finanzen.net###billboard_btf_2 +computerbild.de###billboard_btf_2Wrapper +veggies.de###bjorn-text-20 +veggies.de###bjorn-text-22 +veggies.de###bjorn-text-24 +pferdekult.de###block-17 +finanzen-nerd.de###block-2 +realtotal.de###block-3 +finanzen-nerd.de###block-7 +jungle.world###block-anzeige +macgadget.de###block-anzeige2 +zum.de###block-block-14 +hoerzu.de###block-block-217 +hoerzu.de###block-block-218 +fachzeitungen.de###block-block-32 +fachzeitungen.de###block-block-35 +fachzeitungen.de###block-block-5 +buecher-magazin.de,online-webradio.com###block-block-7 +buecher-magazin.de###block-block-8 +duden.de###block-dudende-d-970x250-1billboard +duden.de###block-leaderboard2ndslot +duden.de###block-lexemleaderboardunten +macgadget.de###block-macgadget-anzeigen-3 +macgadget.de###block-macgadget-textwerbunglinks1 +macgadget.de###block-macgadget-verlosung +haustec.de###block-network +windowspro.de###block-views-sponsoredcontent-block +windowspro.de###block-views-sponsoredpromo-block +boersennews.de###bnBanner +trendyone.de###bottom-blocks +esport.cologne###brands +kleinanzeigen.de###brws_banner-supersize formel1.de###bs-container -finanzen.net###bs_abstand -warezking.in###btop -stupidedia.org###buch -wg.tvb1898.de###c1336 -woelfe-handball.de###c32 ~ * -billiger.de###ca_box -looki.de###cad -90elf.de###carousel -hostessen-meile.com###cent99 -mobile.de###cert-demand -browsergames.de###chromebar -holstein-kiel.de###cittiBanner -deutsche-wirtschafts-nachrichten.de###clickable-top -pixelio.de###clipdealer -pooltrax.com###cmc1 -pooltrax.com###cmc4 -kalaydo.de###cmsBannerBapFrontpage -im1.tv###cmtable > tbody > tr[style="height:100px;"]:first-child -ayom.com###col1o > #col1 + br + br + div[align="center"] -bildschirmarbeiter.com###col3_content > .sidebox:first-child +kleinanzeigen.de###btf-billboard +gekonntgekocht.de###buybox +steuern.de###c11507 +vsport.at###c17 +dsv.de###c3296 +hsg-wetzlar.de###c5307 +dsv.de###c5812 +gruen-weiss.at###carousel +urnerwochenblatt.ch###carouselInserate +sexei.net###catfad +polizei.news###centcon-side-inner +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexfilme.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com###chatins_frame +beliebtestewebseite.de###checkdiv +godmode-trader.de###coba_trading_investment_news steuerlinks.de###colLeft > #info steuerlinks.de###colRight > #search -symptome.ch###collapseobj_sidebar > div[style="height:600px;"] -ppc-welt.info###collapseobj_vbcms_table_right > .tborder:first-child -schnelle-online.info###colleft + #colright[style="width:160px;"][rowspan="1"]:last-child -handball-neuhausen.de###cols3Right[style="height: 1097px;"] -os-informer.de,pcgameshardware.de###column_right -blick.ch###comBlockRnd -ogame.de,ogame.org###combox_container -winfuture.de###comments_box > div[style="height:60px;margin-top:1.3em;"] -safeyourlink.com###container > a[target="_blank"] > font[color="ff0000"] -rp-online.de###container > div > div[style="background:url(http://static.rp-online.de/layout/img/icon/leiste.gif) no-repeat;width:786px;"] -rp-online.de###container > div[style="position:absolute;top:9px;left:9px;"]:first-child -spielen.com###container > iframe + #overlay -spielen.com###container > iframe + #overlay + #overlay_bg -dtoday.de,goslarsche.de,lkz.de,mittelhessen.de,neckar-chronik.de,pz-news.de,schwaebische.de,tagblatt.de,weser-kurier.de###container_banner -tageblatt.de###container_banner_medium -augsburger-allgemeine.de,goslarsche.de,schwaebische.de,szon.de,tagblatt.de,teckbote.de###container_banner_wallpaper -schwaebische.de###container_banner_wallpaper_placeholder -neckar-chronik.de###container_bottom +lowbeats.de###container-sidebar-banners +allgaeuer-zeitung.de,brv-zeitung.de,dtoday.de,goslarsche.de,pz-news.de,tageblatt.de,teckbote.de,weser-kurier.de###container_banner +mediabiz.de###container_fs +mediabiz.de###container_left +boerse.de###container_rectangle_1 +mediabiz.de###container_right biothemen.de###content + #right -fernsehkritik.tv###content > #rclm[style="width:224px;"]:last-child -wgvdl.com###content > #seitenblock > #seitenblockinhalt > #seitenblockzeilen -oxygen-scene.com###content > .board_message -hoerbuch.us###content > .entry-content:first-child -hoerbuch.us,lesen.to###content > font[color="red"] > h2 +marketing-boerse.de###content-banner onlinereports.ch###content-banner1 onlinereports.ch###content-banner3 -trendhure.com###content-left > a[target] > img -sprachnudel.de###content-wrapper > #content > span[id^="viewcontent"]:first-child -sprachnudel.de###content-wrapper > #content:last-child > #viewcontent:first-child > ul:first-child:last-child -matheboard.de###content2_rect2_div -frimon.de###content:last-child > #sky_right:first-child + .padding_down + .padding_down -sprachnudel.de###content:last-child > ul[class]:first-child -1001spiele.de###contentBanner -creativeproxy.uimserv.net###contentContainer -scdhfk-handball.de###contentInnerWrap > #c629 -wetter.net###content_anzeige -mydealz.de###content_banner -windowspro.de###content_before_first_para > .content > div[style="padding-top:15px;"] -softonic.de###content_list_leaderboard -xboxdynasty.de###content_marketing -matheboard.de###content_rect2_div -matheboard.de###content_rect_div -data-travelers.de###contentas -motorline.cc###contentbanner -pixelio.de###contentcontainer > div[align="left"][style="margin-top: 10px; margin-left: 20px"] -antenne.de###crBanner -crn.de###crn_adbox -kayak.de###crossSaleBody -kicker.de###ctl00_ControlNavi_presenterCtrl -gbase.ch,gbase.de###ctl00_MainContent_radrMetaboli -fitnessrezepte.de###custom_html-3 -filmpalast.to###cycka-id -hardware-experten.de###dailybanner -abacho.de###depart_tbl_main -handballforum-dormagen.de###derkapitaen -spiele-zone.de###destra -ebay.de###dfp-banner -kalaydo.de###dfpBannerBapFrontpage -probefahrten.eu###dialog -quoka.de###divBannerRESULTHEADER -game-freaks.net,saugking.net,warez-load.com###div_flip -arbeitstage.at,arbeitstage.de,joursouvres.ch###div_lfsp -g4u.me###dl-middle -dmax.de###dni-sponsor-link -schelian.de###dnn_dnnBANNER_lstBanners -seamonkey.at###donor -ddl-warez.to###download > div:first-child + br + a -winload.de###downloading > #websearch[style="margin-top: 8px; background-color: white;"] -dug-portal.com,hd-world.org,movie-blog.org###dp_layer -golyr.de###drk -112-magazin.de,forendienst.de,navi-forum.net,wohnmobilforum.de###dropin -abnehmen-forum.com###dropinboxv2cover -abnehmen-forum.com###dropinboxv3cover -drehscheibe-foren.de,drehscheibe-online.de###dsBanner -800gs.de###duonix -onlinewebservice4.de###dwindow -abacho.de###eatg_partnertipps_main -billiger.de###ebay_footer_widget_ajax -businessinsider.de###editorial2 -fremdwort.de###elgnatcer -report-k.de###empf -kueche1.com###empfbox -hot-warez.org###error -deutsche-mittelstands-nachrichten.de###euroconf-banner -immobilo.de###expose-promo-links-wrapper +dasoertliche.de###content-billboard +kunst-zeiten.de###content-bottom-highlighted +ladies.de###content-solads +blogtotal.de###content_banner +rund-magazin.de###contentbanner +seorch.de###crazyclownhint +89.0rtl.de###customWer +uepo.de###custom_html-107 +uepo.de###custom_html-110 +kriegsberichterstattung.com###custom_html-12 +tarnkappe.info###custom_html-121 +tarnkappe.info###custom_html-126 +tarnkappe.info###custom_html-127 +tarnkappe.info###custom_html-132 +tarnkappe.info###custom_html-143 +tarnkappe.info###custom_html-144 +tarnkappe.info###custom_html-145 +rc-modellbau-blog.com###custom_html-17 +einkochen.info,ipadblog.de,nh24.de,wiener-online.at###custom_html-2 +popkultur.de###custom_html-21 +andalusien-aktuell.es###custom_html-22 +dvd-forum.at###custom_html-27 +daily-pia.de,healthhelp.ch,likehifi.de,perbene.ch,windowspower.de###custom_html-3 +ipadblog.de,presse-nachrichten.de,urheberrecht.de###custom_html-4 +radsportjournaltourman.com###custom_html-42 +nachrichten.es,primavera24.de,radsportjournaltourman.com###custom_html-5 +haus-garten-magazin.de,nachrichten.es###custom_html-6 +uepo.de###custom_html-77 +digitalfernsehen.de,eu-vertretung.de###custom_html-8 +uepo.de###custom_html-88 +eu-vertretung.de,kriegsberichterstattung.com,mixed.de###custom_html-9 +uepo.de###custom_html-95 +uepo.de###custom_html-97 +wochenblatt.pl###custom_post_widget-6 +city23.at###dabplusshop +finanznachrichten.de,wallstreet-online.de###dban1 +finanznachrichten.de,wallstreet-online.de###dban2 +wallstreet-online.de###dban3 +wallstreet-online.de###dcb1 +wallstreet-online.de###dcb2 +bluray-disc.de###deals-aktionen-box +wallstreet-online.de###derivativecockpit +tarnkappe.info###desktop_understitial +gamestar.de###dfp-header +gamestar.de###dfp-header-container +ariva.de###dianomiiFrame +kalender-365.eu###dish-top-desktop +agriaffaires.de###display-ga +vienna.at###div-bigsizebanner_1 +bmw-syndikat.de###div-dfp-index1_300x250 +bmw-syndikat.de###div-dfp-index2_300x250 +nextpit.de###div-header +nextpit.de###div-sidebar_right_extra +adspecials.sevenonemedia.de###divBG +ehc-lustenau.at###djslider-loader227 +ehc-lustenau.at###djslider-loader229 +allgaeuer-zeitung.de###dm_conative_container_artikel +finanznachrichten.de,wallstreet-online.de###dmr1 +finanznachrichten.de,wallstreet-online.de###dmr2 +dnv-online.net###dnvsuperbanner +dogforum.de###dogforum_footer +dogforum.de###dogforum_header +wallstreet-online.de###dout1 +drehscheibe-online.de###dsBanner +dastelefonbuch.de###dtm_multiboxcontainer +gelbeseiten.de###dtm_super +teilzeithelden.de###enhancedtextwidget-11 +teilzeithelden.de###enhancedtextwidget-12 fremdwort.de###ezisgib -spielen.com###fakebody -newsroom.de###far_right > div[style="height:600px"] -3dl.tv###fb-root + script + center + br + .content_box[cellspacing="1"][cellpadding="0"] > tbody:first-child:last-child -fck.de###fck_bannerTop -gedankenausbruch.de###feedburner-email-subscription-2 + #text-11 -flashforum.de###ffPartner -joggen-online.de###fib_banner -mikrocontroller.net###first-alayer -mikrocontroller.net###first-palayer -volleyball-bundesliga.de###floatBannerRight -volleyball-bundesliga.de###floatContainerTop -witz-des-tages.de###floatLayer -scdhfk-handball.de###fluege_banner -maclife.de###fm_marketplace_wrap -finanznachrichten.de###fnAd4 -endstation-rechts.de###foo-r -endstation-rechts.de###foo-t -smsform.de###footer a[target="_blank"][href^="http://clkde.tradedoubler.com/click?p="] -gmx.net,web.de###footer-icons -crescendo.de###footer-partners-wrapper -wohintipp.at###footerBanner -maniac.de###footeradd_xbox_frame -forum.stilmagazin.com###footerleader -fc-suedtirol.com###footersponsor -golem.de###forum-main > div[style="min-height:103px; margin:20px 0;"] -golem.de###forum-main > div[style="min-height:266px; margin:20px 0 10px;"] +bundesliga-streams.net###fcnbox +uhrforum.de###fh-div +autoextrem.de,pedelecforum.de,roboter-forum.com,skodacommunity.de,toyota-forum.de,uhrforum.de###fh-inside-bottom +autoextrem.de,pedelecforum.de,skodacommunity.de,toyota-forum.de,usp-forum.de,win-10-forum.de,winboard.org###fh-outside-top +rewe.de###flagship_productlist +spreeblick.com###flattr > a +spreeblick.com###flattr > p +finanznachrichten.de###fn-ankuendigung +rasa.ch###footer +zum.de###footer-banner-frame +tennis.de###footer-partner +americaurlaub.de,kremser-sc.at###footer-widgets +b2run.de###footerpartners dforum.net###forumbanner -vitaminanalyse.de###fragsbar -vitaminanalyse.de###fragsbar_dim mufa.de###freikarten -spox.com###frnBanner -dmax.de###fs-skyscraper-outer -morgenpost.de###fsrect01 -bild.de###fullBanner -nick.de,weltwoche.ch###fullbanner -wer-weiss-was.de###fullbanner_02 -radiogong.de###fullsize -pinfy.de###fullsize-background-container -yasni.de###fullsizeBannerContainer -yasni.at,yasni.ch,yasni.de###fullsizeWrapper -kino-zeit.de###fullsize_banner -stb-web.de###fullsizebanner -buergerstimme.com###g-1 -buergerstimme.com###g-4 -buergerstimme.com###g-5 -buergerstimme.com###g-8 -boersennews.de###gAd_0 -xboxdynasty.de###gac_content_1 -tech-blog.net###gad2 -quoka.de###gadafterad -quoka.de###gadpos1 -quoka.de###gadtopright +freenet.de###frnBanner +sportdeutschland.tv###fullbanner2 +wallstreet-online.de###fullsizeBanner1 +analsexporno.net,free-gay.org,pornhutdeutsch.com###fx_imbanner +tv-huettenberg.de###g-expanded +tv-huettenberg.de###g-header +winfuture.de###g_content_recommendation +tschechien-online.org###gad-sky +tschechien-online.org###gads-leaderboard hierspielen.com###gamelead -playmassive.de,playnation.de###games_wr_st > .lb -pooltrax.com###gas -lyrics.de,testreich.com,trendmile.de,wallpaper.to###genlayer -greuther-fuerth.de###gf_main_sponsor -geizhals.at###gh_suckyad -formel1.de###globalwrapper > div[style="height:90px;"] -xxx-4-free.net###gne -spiele-zone.de,team-andro.com###google -tageszeitung-24.de###google-rechts -electronicscout24.de###google1 -electronicscout24.de###google2 -bloggospace.de###googlebox -gehaltsvergleich.com###googlesky -pooltrax.com###gra -schnell-schreiben.de###groupon-main-link +mein-schoener-garten.de###gen_inside_mobile_wrapper +mein-schoener-garten.de###gen_inside_wrapper +mein-schoener-garten.de###gen_top_wrapper +frag-mutti.de###gf-superbanner +gutekueche.at,gutekueche.de###gkf-adslot-header +kartfahrer-forum.de###globalAnnouncement +cz.de,goettinger-tageblatt.de,haz.de,kn-online.de,ln-online.de,lvz.de,maz-online.de,neuepresse.de,op-marburg.de,ostsee-zeitung.de,paz-online.de,waz-online.de###gpt_superbanner +hsg-pohlheim.de###greyscale-2 +wiener-online.at###hab-right +wiener-online.at###hab-top +tarnkappe.info###halfpage immo4trans.de###halfpage-banner -1fcm.de,fc-magdeburg.de###haupt_banner -maerkischeallgemeine.de###head -ruhrbarone.de###headContainer -scdhfk-handball.de###headRightCommercials -wunschliste.de###head_banner -fxempire.de###head_banners -gamersplus.de###header > a:first-child:last-child -gamers.at###header > a[target="_blank"] -triff-chemnitz.de###header > a[target="_blank"][href^="/redirect.php?cid="] -mobilegeeks.de###header-container > #hs-l-4z -winload.de###header-link-loadblog -macnews.de###header-teaser -agriaffaires.de###header_ban -radio-teddy.de###header_banner -falk.de###header_banner_wrapper -falk.de###header_bservice_wrapper +perfektdamen.co###hat_message +onlinehaendler-news.de###hbpartner-logo-container +belgieninfo.net###head_banner +mtb-news.de###header +archiexpo.de,directindustry.de,medicalexpo.de,nauticexpo.de,rotelaterne.de###header-banner +mtb-news.de###header-banner-mobile +preis.de###header-image-js +diegrenzgaenger.lu###header-wrapper + div[class="row "] klamm.de###header_main -paules-pc-forum.de,wardriving-forum.de###header_right_cell -20min.ch###homegate-teaser-small -gratissoft.de,winfuture.de###homepage_rectangle -hornoxe.com###horn -falk.de###hotel_container -amazon.de###huc-first-upsell-row -mobile.de###huesgesReport -wiwo.de###ibm-adv-experts-corner -viamichelin.de###idHeaderGDH -schwarzwaelder-bote.de###id_595083d3_6b58_4939_b099_38cd1dd773f5 -meintomtom.de###idealo -gutefrage.net###im-mediumRectangle -immonet.de###immonetadspacetop +amazon.de###heroQuickPromo_feature_div +kino.de###hockeystick +kleinanzeigen.de###home-billboard +ladies.de###home-teaser +nibelungen-kurier.de###homeDisplay +winfuture.de###homepage_rectangle immoauktionen.de###immowebAdCont -gmx.net,web.de###info-virus -sb.sbsb.cc###infobar -h-bw.de###inhalt-banner -zensiert.to###innercontent2 > .contentcontainer + .contentfooter + br + center -immonet.de###interhypSonder -np-coburg.de###internbox -123recht.net###ip_content_wrapper > div[style="height: 90px;"] +finanzfluss.de###in-search-ad-kommer-matomo +finanzfluss.de###in-search-invesco-01-25 +familienkost.de###incontent_1 +familienkost.de###incontent_2 +bz-berlin.de###inpage abload.de###iphpbannerleft -golem.de###iqadtile4gol -golem.de###iqadtile8gol + section -sueddeutsche.de###iqd_flashAd -sueddeutsche.de###iqd_medrecAd -mein-schoener-garten.de###ivw_img + noscript + script + script + div[style="height:132px;"] -boerse-online.de###ivwimg -sein.de###ja-col1 a[target="_blank"] > img[alt=""] +golem.de###iqadtile5 +ariva.de,handelsblatt.com###iqd_mainAd +rp-online.de###ir_rpd_lb +finanzen.net###ishares_etf_variation juraforum.de###jf-stroer-sky -juraforum.de###jf-stroer-sky + div juraforum.de###jf-stroer-superbanner -juraforum.de###jf-wrapper-inner > div[style="width:100%; position:relative; height:90px;"] -redhocks.de###jsn-promo -general-anzeiger-bonn.de###kala -express.de,fr-online.de,general-anzeiger-bonn.de,ksta.de,mz-web.de,rhein-zeitung.de,wz-newsline.de###kalaydo -aachener-zeitung.de###kalaydo-container-related-lokales-aachen -aachener-nachrichten.de,aachener-zeitung.de###kalaydoklein -1fcm.de,fc-magdeburg.de###kopf_banner -astronews.com###kopf_screen > table[style="width: 900px;"] -internetcologne.de###kopfbanner -immonet.de###kuechenlink -nibelungenkurier.de###large_banner_top -deutsche-startups.de###latestDivider.highlighted -laut.de###laut-box-ad -beamtentalk.de,dug-portal.com,gesichtskirmes.net,hoerbuch.us,movie-blog.org,pornofilme24.info,sdx.cc,wichsfleck.com###layer -ingame.de###layer-overlay -tv-stream.to###layer_1 -simpsons.to###layerbg +local.ch###js-banner +ostfriesischer-kurier.de###jsn-pos-user-top +forum.kinder.de###kinder\.de_sitebar_1 +forum.kinder.de###kinder\.de_sitebar_2 +klamm.de###klamm\.de_forum_1 +klamm.de###klamm\.de_forum_3 +klamm.de###klamm\.de_incontent_1 +wallstreet-online.de###kosocgen +laborjournal.de###kratzer +mein-wetter.com###labelpub abload.de###layerleft abload.de###layerright -wetter.de###lbs-offers-container -pooltrax.com###lcontainer2 -nickles.de###leader -persoenlich.com###leaderbanner -boomerangtv.de,channelpartner.de,ebay.at,ebay.ch,ebay.de,ircgalerie.net,laut.de,ringrocker.com,schweizamsonntag.ch,skiinfo.ch,skiinfo.com,skiinfo.de,sky.de,spieletipps.de,teccommunity.de,xboxfront.de###leaderboard -silicon.de###leaderboard-top -searchsecurity.de###leaderboardPlacement -laut.de###leaderboardSpace -depechemode.de###leaderboardtop -busliniensuche.de###leaderbord-top -channelpartner.de###leadfull -winload.de###leftBanner -e-recht24.de###leftColumn > .tborder[cellspacing="0"][cellpadding="0"][style="text-align:center;background-color:#F1F1F1!important;width:100%;height:620px;overflow:hidden;"] -sosuanachrichten.com###left_banner -thuermer-hoch2.de###left_navi > div[align="center"]:last-child -grosseleute.de###leftboxcontent > :nth-child(n) a[href] > img[src^="image/"] -grosseleute.de###leftboxcontent > :nth-child(n) a[href] div img[src^="image/"] -kuechentipps.de###leftside > .promo -satempfang-magazin.de###leserumfrage-close -duden.de###lexem_ad +tellows.de###lb_header +1erforum.de,bauexpertenforum.de,dasheimwerkerforum.de,fitness-foren.de,lpgforum.de,mazda-forum.info,megane-board.de,mercedes-forum.com,notebookforum.at,pkw-forum.de,skodacommunity.de,toyota-forum.de,vermieter-forum.com,windows-7-forum.net###leader_top_desk +anrufer.info,bergsteiger.de,hardwareluxx.de,skiinfo.com,skiinfo.de,videoaktiv.de###leaderboard +barrierefreie-immobilie.de###leaderboard-bg +bauexpertenforum.de###leaderboardBelowNav +kurier.de###leaderboard_1 +koelner.de###leaderboard_nav +anime-loads.org###leaderwidget +macwelt.de,pcwelt.de###leadfullWrapper +autouncle.de###left-banner-container +kleinanzeigen.de###liberty-home-above-header +kleinanzeigen.de###liberty-home-billboard +kleinanzeigen.de###liberty-vip-billboard +kleinanzeigen.de###liberty-vip-middle +kleinanzeigen.de###liberty-zsrp-bottom +kleinanzeigen.de###liberty-zsrp-top-banner lmdfdg.com###link_placeholder -tabtech.de###linkabletitlehtmlandphpwidget-6 -anderes-wort.de###linkline -notebookcheck.com###linklist1:first-child:last-child > div[style="text-align: center;"] -totalbash.org###links > .links1_hg -blogtotal.de###links > div[align="center"] -downloadstube.net###links_container + script + a[onclick] -handballforum-dormagen.de###linksaussen -salue.de###linktipps -ensuite.ch###linkzeile -clever-tanken.de###list-banner -lama-power.com###load-scene-1-figur-ads -lama-power.com###load-scene-1-figur-ads-2 -lama-power.com###load-scene-1-figur-ads-3 -lokalisten.de###logOutCon3 -wetter.de###loginboxXDOT -lesben.org###logo -5-jahres-wertung.de###logo-right > div[style="float:left;margin-top:25px;"] -wetteralarm.at###logo-sponsor -uimserv.net###logoutlounge -eurogamer.de###low-leaderboard -hornoxe.com###lside > center > a[target="_blank"] > img -mov-world.net,xxx-4-free.net###lyr +bbc-magazin.com###logo-right-widget +adspecials.sevenonemedia.de###logoFalken +neuelandschaft.de###logobanner filmz.de###m > div[style="left:16px;width:468px;overflow:hidden"] + .p[style="left:4px;width:492px;height:262px"]:last-child -t-online.de###ma_ar -t-online.de###ma_ar_2 -t-online.de###ma_mrec -crackajack.de###madcowdesease_premium -gmx.net,web.de###mail-list .iba -gmx.net,web.de###mail-list .new.nma -mov-world.net###main > #lblock + [style*="width: 180px"] -emergency-forum.de###main > .border > .container-1[style="text-align: center"]:first-child:last-child -abendblatt.de###main > .column-1 > .widget > #lt_Wrap -esbgforum.de###main > .pageOptions + .info + div[align="center"] -iphone-tricks.de###main-area > script + div > div > img -yasni.at,yasni.ch,yasni.de###main-content-ac1 -clever-tanken.de###main-content-partners -lesen.to###main:first-child > br:first-child + br + .box2 -grosseleute.de###mainContainer > :nth-child(n) + div:last-child div:first-child:last-child > div:first-child:last-child > a[href] > img[src^="image/"] -grosseleute.de###mainContainer > :nth-child(n) div:first-child:last-child > div:first-child:last-child > a[href] > img[src^="image/"] -grosseleute.de###mainContainer > div[align="center"] table[width][height] a[href] > table[width][height] -skodacommunity.de###mainContainer > div[align="center"]:first-child -forexpros.de###mainPopUpContainer -podster.de###main_container > div[style="height: 100px; text-align: center;"]:first-child -gamingxp.com,mobilexp.com###main_outer_banner -gamingxp.com,mobilexp.com###main_skyscraper -gay-szene.net###main_top -jetztspielen.de###main_top_banner -contaxe.com###maintable -bazonline.ch###marketBox -markt.de###markt_superbanner -ef-magazin.de,macmagazin.de,macnews.de###marktplatz -euronics.de###master_footer_box_placeholder +m.mobile.de###m_vip_slot_2 +m.mobile.de###m_vip_top +t-online.de,www-t--online-de.cdn.ampproject.org###ma_mrec +rotelaterne.de###main-banner +hc-erlangen.de###main-sponsor +ef-magazin.de###marktplatz +africa-positive.de###masthead startxxl.com###mcebox -chilloutzone.net###mdealzcontainer -linkbase.in###mdh -mov-world.net###mdh_flip -t-online.de###med_anz -klicktel.de###mediaBanner -basicthinking.de###media_image-4 -cosmiq.de###medium_rectangle_container -gay-szene.net###medrectmenuright -pollenflug.de###mega-banner -wlz-fz.de###meinprospekt_header -dnblog.in###meteor-slideshow -golem.de###microcity-clip -handball-neuhausen.de###middleWrapper > #cols3Right[style="height: 1062px;"] -immonet.de###mietkautionslink -20min.ch###min_billboard -bunte.de###mini-panel-home_header_shopping_teaser -koeln.de###mini-panel-rs_teaser_awb +startxxl.com###mcebox-sidebar +eihi.de###media_gallery-2 +tarnkappe.info###media_image-10 +mdz-moskau.eu###media_image-23 +9elf-magazin.de,basicthinking.de,zurzeit.at###media_image-3 +lokalo.de###media_image-31 +lokalo.de###media_image-33 +lokalo.de###media_image-34 +lokalo.de###media_image-39 +africa-positive.de,golfmagazin.de,kremser-sc.at,pressecop24.com,synmag.de###media_image-4 +lokalo.de###media_image-41 +lokalo.de###media_image-42 +kremser-sc.at###media_image-5 +kremser-sc.at###media_image-6 +kremser-sc.at###media_image-7 +kremser-sc.at###media_image-8 +kremser-sc.at###media_image-9 +dasoertliche.de###medium_rect +feinehilfen.com###metaslider_widget-3 +av-views.com###mh_magazine_custom_posts-5 koeln.de###mini-panel-rs_teaser_verpoorten -autozeitung.de###mini-panel-sidebar_default div[id] > img[src^="/images/"] -20min.ch###minrectangle -lesen.to###mirror -totalbash.org###mitte > .menueoben + .beitrag_oben2 -totalbash.org###mitte > .menueoben + .beitrag_oben2 + .beitrag -totalbash.org###mitte > .menueoben + .beitrag_oben2 + .beitrag + .beitrag_unten -heise.de###mitte > .right[style="font-size: 0.7em; margin-right: 20px;"] -ogame.de###mmoPFstaticWrap -jobrapido.de###modalBackground[style="width: 1903px; height: 1059px; opacity: 0.2; display: block;"] -jobrapido.de###modalDialog[style="display: block; top: 355.5px; left: 686.5px;"] -orf.at###monsterdiv -berlin-nutten.com###more-sex -stadtradio-goettingen.de###mp3ads -radio-teddy.de###mpl -gamigo.de###mrbox -visions.de###mrect -morgenpost.de###mrect01 -morgenpost.de###mrect02 -hornoxe.com###mside > .navigation + div[align="center"] + .box-new -hornoxe.com###mside > .navigation + div[align="center"] + h2 + center -hornoxe.com###mside > a[href^="http://www.amazon.de/"][href*="?tag=hornoxecom-21"] > img -meinestadt.de###mt-banner -funnybilder.net,lachfails.net,vipbilder.net###mt_right -mov-world.net###mw_layer -lexas.biz###mypop2_b +kurier.de###mobilebanner_1 +hceintracht-hildesheim.de###module-sponsors +wallstreet-online.de###mooTicker +wallstreet-online.de###mooTickerContainerMobile +gamereactor.de###mpu +bild.de,bz-berlin.de,finanzen.net###mrec +hoerzu.de###mrec-wrapper +mydealz.de###mrec1FuseZonePortal +mydealz.de###mrec2FuseZonePortal +mein-schoener-garten.de###msg_leaderboard_1_mobile_wrapper +nwzonline.de###msn-ads-top +rezeptwelt.de###mso-dplusc-banner_1 +rezeptwelt.de###mso-dplusc-banner_2 +rezeptwelt.de###mso-dplusc-banner_5 meetingpoint-brandenburg.de###myspacerinner meetingpoint-brandenburg.de###myspacerright -send4free.de###n8f880e -hifitest.de###navigation + div[style="margin-top:10px;"] -gmx.net###navigation > #navSpecial[style="height: 233px;"] -web.de###navigation > #navSpecial[style="height: 235px;"] -home.1und1.de###navigation > .module[style="height: 235px;"] + #navSpecial[style="height: 235px;"] -nordbayern.de###nb-banner-top -meteoprog.at###nb_3[activesection="254"] -inside-digital.de,inside-handy.de###neben_site -tellows.de###netpointLeaderboard -chilly-vanilly.net###netzclubLayer -pchilfe.org###new_sponsor -presseecho.de###newsbanner -dmax.de###nleaderboard-outer -jappy.at,jappy.de###noBanner -motor-talk.de###noadsDashboardOverlayFix -versicherungsjournal.at,versicherungsjournal.de###norm-skyscraper-box -versicherungsjournal.de###oben-skyscraper-box -finanz-notes.de###oc24_container_top +wissens-quiz.de###naMediaAd_MR_WRAPPER +fupa.net###nab_container +utopia.de###native_ads2 +mein-schoener-garten.de###native_desktop_wrapper +mein-schoener-garten.de###native_mobile_wrapper +balaton-zeitung.info###nav_menu-2 +dvd-forum.at###nerdic_header +wallstreet-online.de###newsDesktopFlag +news.de###news_content_1 +news.de###news_content_2 +news.de###news_content_3 +news.de###news_header +wiiunews.at###newupcoming +namibia-forum.ch###nfad-inner +kinomax.to###ni-overlay +nordkurier.de###nordkurier\.de_bb_1 +nordkurier.de###nordkurier\.de_bb_2 +nordkurier.de###nordkurier\.de_lb_1 +nordkurier.de###nordkurier\.de_mr_1 +nordkurier.de###nordkurier\.de_mr_2 +madchensex.com###nrad +bundesliga-streams.net###nwmlay +nydus.org###ny_banner +nydus.org###nyba +nydus.org###nybanner +nydus.org###nydus_org_970x300_billboard_responsive +pedelecforum.de###oc24-direkt +autoexperience.de,flugzeugforum.de,gs-forum.eu,uhrforum.de,xbox-passion.de###oc24-div +elektrikforen.de###oc24_container_top +spox.com###oddsserve-csi-1 yasni.de###offer -thueringer-allgemeine.de###oms_gpt_rectangle -stimme.de###oms_gpt_superbanner -mixeryrawdeluxe.tv###outerBanner -giga.de###outertop3 > .innertop -giga.de###outertop3 > div > #hockeystick -schiffsansagedienst-cuxhaven.de###overlay -schiffsansagedienst-cuxhaven.de###overlay + #lightBox +planetradio.de###omsRectangleChannel +onmeda.de###on-footer-banner +onmeda.de###on-rectangle +onmeda.de###on-sky +tiervermittlung.de###openx_LB +nachrichten.at###outbrain_container +xgadget.de###outerBoxStart +smart-rechner.de###outer_SR_banner_ganz_unten +smart-rechner.de###outer_SR_rechner_banner_unter_rechner +smart-rechner.de###outer_SR_rechner_display_unter_rechner +myself.de###outofpageWrapper +windowspro.de###p3wrapper +ladies.de###page-closing-sol hstt.net###page-header + br + .forabg -hc-erlangen.de###pageBanner -unternehmerkarte.de###pageBannerRgt -unternehmerkarte.de###pageBannerTop -wetter.de###pageRelated > #pageHalfpage -wetter.de###page_arranged_quicklink > .pageQuicklinks +ladies.de###page-top-sol nordbayern.de###page_billboard -dwdl.de###pagecontainer > .regular_LB -ogame.de###pagefoldtarget -amateurchess.com###pagenav_menu + .tborder[width="100%"][cellspacing="1"][cellpadding="7"][border="0"][align="center"] + br + table[border="1"] -amateurchess.com###pagenav_menu + .tborder[width="100%"][cellspacing="1"][cellpadding="7"][border="0"][align="center"] + br + table[border="1"] + br + table[border="1"] -rheinforum.com###pagenav_menu + table[width="100%"][border="0"] -climbing.de###pane-werbung -nh24.de###partner -borussia.de###partnerBottom -wirtschaftslexikon.gabler.de###partnerContainer -spielechat.de,spieleportal.de###partner_box -schoener-fernsehen.com###partnerbottom -chefkoch.de###partnerlogos-bottom -schoener-fernsehen.com###partnerright -starwars-union.de###partnerzeile -tchibo.de###pcPromoLayer -ciao.de###pg-spLinks -pcgameshardware.de###plakatfullsize -os-informer.de,pcgameshardware.de###plakathomecontentmetaboli1 -os-informer.de,pcgameshardware.de###plakathomecontentmetaboli1bottom -os-informer.de,pcgameshardware.de###plakathomecontentmetaboli2 -os-informer.de,pcgameshardware.de###plakathomecontentmetaboli2bottom -buffed.de,gamezone.de###plakatinhalttag_1 -pcgameshardware.de###plakatskyscraper -businessxp.at,mobilexp.com###platform_skyscraper -immobilienscout24.de###platzhirsch-container -myspass.de###playerData > div[style="height: 250px; overflow: hidden;"] -gulli.com###plista1_belowArticle > .TeaserBox:first-child + .TeaserBox -serienjunkies.de###plista_widget_slide -projektmanagementhandbuch.de###pm_cockpit_banner -drmvf.de###pop -hot-warez.org###popover -flirttoday.de,gnz.de,kontaktanzeigen-flirt.de,partybilder24.com,was-verdient-ein.de###popup -bbszene.de###popup-div -pcpraxis.de###popup1 -radio7.de###popupContact -daskochrezept.de,freeware.de,shareware.de###popup_layer -was-verdient-ein.de###popupb -macnews.de###post-162871 -lesen.to###post-17047 -hd-world.org###post-196712 -hd-world.org###post-196712 + * + * -hd-world.org###post-196712 + :nth-child(n) -lesen.to###post-19999 -hd-world.org###post-201659 -hd-world.org###post-201659 + * + * -hd-world.org###post-201659 + :nth-child(n) -hd-world.org###post-204937 -hd-world.org###post-204937 + * + * -hd-world.org###post-204937 + :nth-child(n) -hd-world.org###post-208271 -hd-world.org###post-208271 + * + * -hd-world.org###post-208271 + :nth-child(n) -hd-world.org###post-213230 -hd-world.org###post-213230 + * + * -hd-world.org###post-213230 + :nth-child(n) -lesen.to###post-27843 -xxx-blog.to###post-31656 -wintotal.de###post-3547 -lesen.to###post-36149 -lesen.to###post-39154 -sound-blog.org###post-3968 -lesen.to###post-39688 -hd-world.org###post-43541 -hd-world.org###post-43541 + .date + .entry -hoerbuch.us###post-49907 -hoerbuch.us###post-54902 -hd-world.org###post-55122 -hd-world.org###post-55122 + .date + .entry -hd-world.org###post-55122 + .date + .entry + .info_m -wintotal.de###post-5519 -xxx-blog.to###post-6155 -lesen.to###post-62885 -hoerbuch.us###post-68852 -hoerbuch.us###post-71051 -lesen.to###post-73957 -hoerbuch.us###post-74321 -hoerbuch.us###post-74326 -hoerbuch.us###post-74433 -xxx-blog.to###post-75123 -xxx-blog.to###post-75283 -mobilfunk-talk.de###postXXXXX -supernature-forum.de###post_ -handy-hilfeforum.de,usp-forum.de###post_218944 -pocketpc.ch###post_99_Ad_Second -pcgames.de###post_rec -wow-forum.com###posts #wow_ros_postbit -myboerse.bz###posts > li[id^="yui-gen"] -mobilfunk-talk.de###posts > li[id^="yui-gen"].postcontainer -unixboard.de###posts > table[width="100%"][cellspacing="0"][cellpadding="0"][border="0"][style="page-break-before: always"] -gutefrage.net###poweredBy -bild.de###powerplace -n-tv.de###premio_rectangle -absatzwirtschaft.de###premium-area -2load.org,fcenergie.de###premiumpartner -fcenergie.de###premiumpartner_fuss -laola1.at###presenting_horizontal_container -laola1.at###presenting_left -laola1.at###presenting_right -schoener-fernsehen.com###previewtxt + div[id][style="display: block;"] -pcgameshardware.de###pricehitsTextTeaser -metager.de###products -buffed.de,gamezone.de,pcgames.de###promo_1 -okitalk.com###promo_foot -okitalk.com###promo_left -okitalk.com###promo_page -okitalk.com###promo_right -stuttgarter-zeitung.de###promoblock_1 -gameswelt.at,gameswelt.ch,gameswelt.de###pslink -psychic.de###psychictable > table[width="100%"][border="0"] > tbody > tr > td[width="167"][valign="top"]:last-child -fussballtransfers.com###pub-200x197 -fussballtransfers.com###pub-300x250 -fussballtransfers.com###pub-468x60 -fussballtransfers.com###pub-728x90 -fussballtransfers.com###pub-mini -quotenmeter.de###qm-content-box > div[style="margin-top:0;"]:last-child > div[style="margin:0 0 15px 8px; float:left; position:relative; width:334px;"]:first-child +inside-digital.de###parallax +parcello.org###parcello-mo +moz.de,swp.de###parent-adbox-superbanner +comback.ch,h-bw.de###partner +efahrer.chip.de###partner-nav +cash.ch###partner-teaser-links +fundresearch.de###partnerCentersLogoBar +volleyball-bundesliga.de###partnerLinks +pedelecforum.de###pedelecforum\.de_mpu_bot +tiervermittlung.de###petsexpert +photovoltaikforum.com###pf_incontent_2 +belgieninfo.net###pis_posts_in_sidebar-6 +moviejones.de###plista +meintomtom.de###portfolio +wein.plus###premium-partners +bluray-disc.de###pricechange-box +golem.de###pricehits +motorradundreisen.de###print_bannergroup +mydealz.de###productIncontent1FuseZonePortal +mydealz.de###productIncontent2FuseZonePortal +adspecials.sevenonemedia.de###promobalken fanfiktion.de###qql -aiobase.com###quickLoginBox + center + style + div:last-child -aiobase.com###quickLoginBox + style + div:last-child -aol.de###rA -wissenschaft.de###rechts -musiksampler.de###rechts > table[weight="150"]:first-child + br + table[weight="150"]:last-child -handballforum-dormagen.de###rechtsaussen -chefkoch.de###recipe-com-user-banner -chefkoch.de###recipe_com_user_banner -kicker.de,kidszone.de,os-informer.de,pcgames.de,pcgameshardware.de,smartphone-daily.de,widescreen-online.de###rect_anz -autoexperience.de,bauexpertenforum.de,cineman.de,daselternforum.de,fitness-foren.de,flugzeugforum.de,kreatives-wohnforum.de,laut.de,lpgforum.de,macprime.ch,mazda-forum.info,moonwalk.ch,neue-braunschweiger.de,notebookforum.at,pkw-forum.de,prad.de,ringrocker.com,teccentral.de,usp-forum.de,win-10-forum.de,win-8-forum.net,winboard.org,windows-7-forum.net,windows-8-forum.net,xboxone-forum.net###rectangle -spieletipps.de###rectangleRgt -spieletipps.de###rectangleRgt + div + a[href^="http://po.st/"] -laut.de###rectangleSpace -abacho.de###reisemarkt-sidebar -der-postillon.com###reklame-artikel -porno-streams.com,pornorio.com,youporn-deutsch.com###rel-vids -downloadstube.net###results > div[class]:first-child -downloadstube.net###results > div[class]:first-child + script + div[class] -indeed.ch###resultsCol > .lastRow + div[class] -indeed.ch###resultsCol > .messageContainer + style + div + script + style + div[class] -books.google.at,books.google.ch,books.google.de###rhswrapper -20min.ch###ricardolino-wrapper -das-inserat.de###right > .erfcms_advimgtext -schachbund.de###right > .inside > .mod_form + .mod_banner -frag-mutti.de###right-ad -winfuture.de###rightWrap > .win7_special_teaser + .rightBx -sosuanachrichten.com###right_banner -psychic.de###righta -psoriasis-netz.de###rightbanner -grosseleute.de###rightboxcontent > :nth-child(n) a[href] div img[src^="image/"] -grosseleute.de###rightboxcontent > :nth-child(n) div:first-child:last-child > a[href] > img[src^="image/"] -golyr.de###ring -dnewsvideo.de###roadblockHeader -superfly.fm###rognerbadblumauhp_hype_container -wz-newsline.de###rollout -dforum.net###rotationbanner_1 -pcgameshardware.de,smartphone-daily.de###row_top -serialbase.us,serialzz.us###rrtoplist -ef-magazin.de###rscraper -kleinanzeigen.de###rspBanner -ebay.at,ebay.ch###rtm_NB -ebaymotors.at###rtm_div_10066 -ebaymotors.at###rtm_div_1025 -ebay.at,ebay.ch###rtm_html_225 -handballforum-dormagen.de###rueckraumrechts_forum -pooltrax.com###s20 -pooltrax.com###s42 -brautinfo.at###s_fusszeile_inner -stupidedia.org###sbgdde -blick.ch###scout24Rnd -celia-okoyino.de###scraper -zoozle.net###search_right -zoozle.net###search_topline -mailhilfe.de###second > #text-2 -mikrocontroller.net###second-alayer -mikrocontroller.net###second-palayer -allfacebook.de###secondary > #text-10 -onlinemarketingrockstars.de###secondary > #text-27 -onlinemarketingrockstars.de###secondary > #text-28 -allfacebook.de###secondary > #text-4 -allfacebook.de###secondary > #text-7 -scifi-forum.de###sff_header_top -scdhfk-handball.de###sgsOverlay -xboxfront.de###shopauszug -nicestthings.com###sidebar > #HTML3 -heisserdraht.net###sidebar > #text-10 -lesen.to###sidebar > #text-11 -arabische-küche.de###sidebar > #text-12 -namibia-hunter.at###sidebar > #text-8.widget-3 -arabische-küche.de###sidebar > #text-9 -omfg.to###sidebar > .ad -stopadblock.org###sidebar > div[id][style="text-align:center"] -stopadblock.org###sidebar > div[style] + div[id][style] +infoheute.de###r89-desktop-billboard-atf-0-wrapper +infoheute.de###r89-desktop-incontent-0-wrapper +tarnkappe.info###rectangle +gamestar.de###rectangle-container-desktop +kurier.de###rectangle_1 +kurier.de###rectangle_2 +gelbeseiten.de###rectangles +produck.de###rel-article +pressecop24.com###responsive_lightbox_image_widget-5 +pressecop24.com###responsive_lightbox_image_widget-6 +goyellow.de###resultInfeed1 +urlaubsguru.de###revista-de-viajes_contentAd_container +autouncle.de###right-banner-container +gebraucht-kaufen.de###right-banners +nydus.org###right160x600 +tvhalle.de###rightCont +einrichtungsbeispiele.de###rightcolumndiv +roboter-forum.com###roboter-forum\.com_mpu_bot +roboter-forum.com###roboter-forum\.com_mpu_top +rollertuningpage.de###rollertuningpage\.de_lb_1 +rollertuningpage.de###rollertuningpage\.de_sitebar_1 +rollertuningpage.de###rollertuningpage\.de_sitebar_2 +h-bw.de###rothaus-aktion +prisma.de###rp_rpd_bb +diebildschirmzeitung.de###rstpl-before-higher-position +fvnws.ch###rv_sponsors_slider +myself.de###sb1Wrapper +fitforfun.de###sc-outstream-wrapper +zueri6.ch###section-f09c501 +finanzen100.de###section-partner +fuw.ch###section-sponsored-blogs +darkpantersclan.de.tl###selfpromotionOverlay +gmx.ch,gmx.net,web.de###service-linklist +gmx.net,web.de###service-middle +boersennews.de###sgFeedList +uhrforum.de###shuffled-item +uhrforum.de###shuffled-sponsored +madchensex.com###side-spot abnehmen.com,aquariumforum.de,auswandererforum.de,pferd.de,radforum.de###sidebar > li > .ffwidget_sidebar -windows-8-forum.net###sidebar > li:first-child > .block -tgs-pforzheim.de###sidebar > ul > #aioslideshow-widget-2 -mamamiez.de###sidebar > ul > #text-7 -autozeitung.de###sidebar div[id] > img[src^="/imags/"] -infosperber.ch###sidebar-inner-content > .bildbox -infosperber.ch###sidebar-inner-content > .expertenjobs areadvd.de###sidebar-left #text-5 -mikrocontroller.net###sidebar-right > div[style]:last-child > div[id]:last-child > div[style] -mikrocontroller.net###sidebar-right > div[style]:last-child > script + div[style]:last-child -grenzwissenschaft-aktuell.blogspot.de###sidebar-right-1 > #HTML1 > .widget-content:first-child -saskiarundumdieuhr.blogspot.de###sidebar-right-1 > #HTML2 -saskiarundumdieuhr.blogspot.de###sidebar-right-1 > #HTML4 -lifetime12.blogspot.de###sidebar-right-1 > #HTML6 -lifetime12.blogspot.de###sidebar-right-1 > #HTML7 -mal-kurz-in-der-kueche.blogspot.de,saskiarundumdieuhr.blogspot.de###sidebar-right-1 > #Image1 -saskiarundumdieuhr.blogspot.de###sidebar-right-1 > #Image12 -mal-kurz-in-der-kueche.blogspot.de,saskiarundumdieuhr.blogspot.de###sidebar-right-1 > #Image3 -mal-kurz-in-der-kueche.blogspot.de,saskiarundumdieuhr.blogspot.de###sidebar-right-1 > #Image4 -mal-kurz-in-der-kueche.blogspot.de###sidebar-right-1 > #Image6 -saskiarundumdieuhr.blogspot.de###sidebar-right-1 > #Image7 +primeleague.gg###sidebar-sponsor +mydealz.de###sidebarMiddleAdSlotPortal +mydealz.de###sidebarTopAdSlotPortal uhrforum.de###sidebar_container -morgensex.com###sidebar_promo pinksugar-kessy.de###sidebar_right > #HTML7 pinksugar-kessy.de###sidebar_right > #HTML9 -navisys.de###sidebox108 -horseweb.de###sidelist > ul:last-child -motorline.cc###sideteaser -browsergames.de###site-banner-middle -fck.de###site_overlay_wrapper -next-gamer.de###sitebrandingOpener -elhabib.com###sitepromo -local.ch,macprime.ch,mysmag.de,n-tv.de,teleboerse.de,tvheute.at###sky -kalaydo.de###skyID +finanznachrichten.de###sideteaser +ariva.de###siteTeaserBox +wallstreet-online.de###siteteaser +gamereactor.de,hardwareluxx.de,itmagazine.ch,mopo.de###sky +nextpit.de###sky-left-container +clever-tanken.de###sky-tisoomi-wrapper +gamereactor.de###sky2_1 +ad-hoc-news.de###skyL_wrapper +ad-hoc-news.de###skyR_wrapper aktionspreis.de###skyScraper -apotheke-adhoc.de###skyWall -t-online.de,wetter.info###sky_anz -frimon.de###sky_right -xboxdynasty.de###skyright -ebay.at,ebay.ch,ebay.de###skyscrape -alternate.de,apotheke-adhoc.de,autozeitung.de,bikerszene.de,boomerangtv.de,busliniensuche.de,centertv.de,charivari986.de,china.ahk.de,curt.de,das-inserat.de,eurogamer.de,gamingxp.com,halle.de,laut.de,msxfaq.de,nickles.de,schweizamsonntag.ch,sf.tv,surffact.de,vanion.eu###skyscraper -autozeitung.de###skyscraper + div -apotheke-adhoc.de###skyscraper-left -apotheke-adhoc.de###skyscraper-right -dashitradio.de###skyscraper-wide -oberpfalznetz.de###skyscraper_extreme_right -digitalfernsehen.de,nick.de###skyscraper_right -digitalfernsehen.de###skyscraper_top -dooyoo.de###skyscrapper -lachschon.de###skyskraper -conrad.ch###slide -burning-seri.es###slidein -poker-lernen.info###slider -carookee.net###sm[align="right"] -heinertown.de###smallSliderFrame0 +videoaktiv.de###skypos +anrufer.info,beobachter-online.de,drumsundpercussion.de,eurogamer.de,firmenwissen.de,fussballdaten.de,halle.de,neuelandschaft.de,stereo.de,tourenfahrer.de###skyscraper +it-production.com###skyscraper-group +it-production.com###skyscraper-group-left +stuttgarter-zeitung.de###slider +obermain.de,rhoenundsaalepost.de###slot-banner +obermain.de,rhoenundsaalepost.de###slot-rectangle +obermain.de,rhoenundsaalepost.de###slot-sky +zentrum-der-gesundheit.de###slot__header +kochrezepte.at###slot_middle +kochrezepte.at###slot_middle_2 bigfm.de###smartclip-overlay -ddl-warez.in###smoozed -dict.cc###snhb-listing_wide_skyscraper-0 -ddl-music.org,ddl-warez.in,pornlounge.org###so_ad -magistrix.de###songtext > .visible-desktop -amazon.de###sp_detail -amazon.de###sp_detail2 -wuppertaler-rundschau.de###spalte_anzeigen_links -wuppertaler-rundschau.de###spalte_anzeigen_rechts -museumsdienst-hamburg.de###spb -museumsdienst-hamburg.de###spbn -vhs-ol.de###special -efever.de###specialside -efever.de###specialthreediv -efever.de###specialtwodiv -probefahrten.eu###spmask -studententage.tu-freiberg.de###spo2 -eintracht-handball.de###sponsi -deutsche-mittelstands-nachrichten.de,myvideo.de###sponsor +smsgott.de###smsboxIframe +factsverlag.de###sp-content-top +wochenblitz.com###sp-sidebar1 +deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,nursexfilme.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoschlange.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexfilme.com,xnxx-porno.com,xnxx-sexfilme.com###special_column +hd-pornos.info,pornoente.tv###spezial_column +mv-spion.de###spion_content_container +chemnitzerfc.de,deutsche-mittelstands-nachrichten.de,games.ch###sponsor +vfl-gummersbach.de###sponsor-footer wetteralarm.at###sponsor-info -pressetext.com###sponsoredLinkPortletId -frischauf-gp.de,fvillertissen.de,gwd-minden.de,h-bw.de,hg-saarlouis.de,hsc-bad-neustadt.de,s15815331.onlinehome-server.info,tbv-lemgo.de###sponsoren -hg-saarlouis.de,studententage.tu-freiberg.de###sponsoren2 -achtzehn99.de,hsc2000.de###sponsors -trendhure.com###sprite-content-title-buchtipp -trendhure.com###sprite-content-title-sexy -ifun.de###squarebutton_125x125_left -ifun.de###squarebutton_125x125_right -scifi-forum.de###starfox1 -scifi-forum.de###starfox2 -scifi-forum.de###starfox3 -cinestar.de###stars_overlay -kle-point.de###startseite_300 -mobiflip.de###sticky -mobile.de###sticky-des -lkz.de###stickyBanner -simfans.de###storeBanner_Sidebar -filmpalast.to###streamPlay + span > a -mega-stream.to###streamTabs > :nth-child(6) + .ui-accordion-header -immonet.de###strom-link -bild.de###subchannelBanner1_1 -bild.de###subchannelBanner2_2 +hsg-wetzlar.de###sponsor-slider +itmagazine.ch###sponsorbutton_div +digitalkamera.de,h-bw.de###sponsoren +ssv-jahn.de###sponsorenleiste +bayer04.de###sponsors +uniliga.gg###sponsors-tablet +hallescherfc.de###sponsors_slider +frauporno.com###spz_42 +radiofr.ch###square +queer.de###startrechts +11889.com###sticky-aside +11880.com###sticky-aside-placeholder +finanzen.net###sticky-superbanner +nydus.org###stickyaside +studis-online.de###ston-billboard +bafoeg-rechner.de,studis-online.de###ston-footer-ad +eu-vertretung.de###stream-item-widget-2 +eu-vertretung.de###stream-item-widget-3 +allgaeuer-zeitung.de###stroeer-container-banner2 +all-in.de###stroeer-container-pubperform sims-3.net###subheader -xolopo.de###subnav_partner -aktionspreis.de,nanu.de###superBanner -t-online.de###superBannerContainer -apotheke-adhoc.de,autozeitung.de,braunschweiger-zeitung.de,deutsche-wirtschafts-nachrichten.de,donaukurier.de,golem.de,internetworld.de,itwissen.info,lecker.de,lpgforum.de,morgenpost.de,morgenweb.de,netdoktor.at,neue-braunschweiger.de,pkw-forum.de,rtl.de,stimme.de,tvh1.de,vogue.de,webradio.de,wer-kennt-wen.de,winboard.org###superbanner -juve.de###superbanner_side -juve.de###superbanner_top -tri-mag.de###superbanner_wide +deutsche-versicherungsboerse.de###superBContainer +aktionspreis.de###superBanner +1000ps.at,1000ps.ch,1000ps.de,bild.de,bz-berlin.de,ffn.de,firmenwissen.de,fitbook.de,fussballdaten.de,golem.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de###superbanner +hoerzu.de###superbanner-wrapper chilloutzone.net###superreplacement -iphoneblog.de,viply.de,web.de###supersize suche.t-online.de###tMRM_amazon suche.t-online.de###tMRM_billiger -myspass.de###target_banner_wrapper -myspass.de###target_banner_wrapper_helper -endungen.de###tblAdd2 -projektmanagementhandbuch.de###tc_banner_header -boote-forum.de###td_threadstatusicon_AD + td[align="center"] -ciao.de###tealium-leaderboard -ciao.de###tealium-mpu-bottom -stadtradio-goettingen.de###teaser a[href^="http://www.puk-minicar.de"] -stadtradio-goettingen.de###teaser a[href^="http://www.syndicat.com"] -chefkoch.de###teaser-top-partner -titanic-magazin.de###teaser-wrap > span[style="font-size: 7pt; color: grey;"] -wetter.de###teaser_hotelde_suche -computerbild.de###teaser_right a[target="_blank"][href^="http://ww251.smartadserver.com/h/cc?imgid="] -spieletipps.de###teaserheld-header -bitcoinnews.ch###text-20 -bitcoinnews.ch###text-21 -bitcoinnews.ch###text-24 -bitcoinnews.ch###text-3 -tsvbodnegg.de###text-5 -mtb-news.de###text-6 > div > div > img -namibia-hunter.at###text-9.footer-box -wirtschaftslexikon.gabler.de###textBannerContainer +ddl-warez.cc###tab-1 p:nth-of-type(1),#tab-1 p:nth-of-type(2),#tab-1 p:nth-of-type(3),#tab-1 p:nth-of-type(4) +liveticker.com###tab-live-odds +stuttgarter-zeitung.de###taboola-mhsd +marktindex.ch###td_uid_9_6141b5fdcbe72 +4kfilme.de###tdi_39 +lokalo.de###tdi_67 +giga.de,kino.de,watson.de###teaserheld-header +tennisnet.com###tennisnetWidget +eishockey-magazin.de###text-10 +nh24.de###text-11 +hockey-news.info###text-12 +nh24.de###text-13 +americaurlaub.de,motormobiles.de,trinkwasserguru.de###text-14 +motormobiles.de###text-16 +blogprojekt.de###text-18 +tollabea.de###text-19 +computerschach.de,nachrichten.es,nh24.de,randombrick.de,tollabea.de###text-2 +ebook-fieber.de###text-20 +nh24.de###text-21 +bitcoinnews.ch,rlc-gamer.de###text-24 +nh24.de###text-26 +rlc-gamer.de,spielesnacks.de###text-27 +bitcoinnews.ch,nh24.de###text-28 +bitcoinnews.ch,ecommerce-vision.de,laufzeit.de,rlc-gamer.de,via-ferrata.de###text-29 +bitcoinnews.ch,blog-der-republik.de,computerschach.de,ddl-warez.cc,nen-n.de,nh24.de,radzeit.de###text-3 +bitcoinnews.ch,ligablatt.de###text-31 +bitcoinnews.ch###text-32 +motormobiles.de###text-33 +nh24.de###text-35 +motormobiles.de###text-39 +cvj.ch,fahrzeuglackiererforum.de###text-4 +motormobiles.de###text-41 +motormobiles.de###text-42 +geocaching-magazin.com,nh24.de###text-48 +sparneuwagen.de###text-53 +nh24.de###text-54 +sparneuwagen.de###text-56 +algarve-entdecker.com,nh24.de###text-59 +fussballnationalmannschaft.net###text-6 +lokalo.de###text-60 +isaswomo.de###text-64 +apfelpage.de###text-65 +supermarkt-inside.de,via-ferrata.de###text-8 +via-ferrata.de###text-9 +windowspower.de###text-html-widget-15 +handy-auf-raten.com###text-html-widget-3 +focus.de###tfm_footer_yield fremdwort.de###thgirrennab -fundanalyzer.de,fundresearch.de###ticker -vfl-gummersbach.de###ticketmaster -peeplo.de###tips-share -t-online.de###tl_anz-pos1 -fnweb.de###top-bannerrow -clever-tanken.de###top-bar -awardfabrik.de###top2 -1001spiele.de,junge-freiheit.de,jungefreiheit.de,php-resource.de###topBanner -sm.de###topBlock -suchen.de###topPPC -kreisanzeiger-online.de###top_ad_topb -wavetv.de###top_advertisement -jobanova.de###top_afs_container -allround-pc.com###top_banner +fernseher.org,kopfhoerer.com,kuehlschrank.com,laufband.org,schlafsack.net,staubsauger.net###tip_top +bluray-disc.de###top-angebote-box +focus.de,fool.de,it-production.com###top-banner +otr.datenkeller.net###topBanner +my-ladies.ch###topBannerContainer +tarnkappe.info###top_0 +raidrush.net###top_ga wintotal.de###topads -3druck.com,am-ende-des-tages.de,bitsundso.de,motor-talk.de,newsclick.de,wohnungswirtschaft-heute.de###topbanner -willhaben.at###topbanners -dotnetpro.de###topbar -tecchannel.de###toplineBar -queer.de###toplinks -queer.de###toplinksw +selbstaendig-im-netz.de###topb +bitsundso.de###topbanner +wetteronline.at,wetteronline.de###topcontainer +badenerzeitung.at###topleft myfont.de###toplists -gmx.net,home.1und1.de,web.de###topper -spritmonitor.de###towe -willhaben.at###tower -gay-szene.net###tpl_right +buecher-magazin.de###topshadow +suche.t-online.de###tpctop +hc-neumarkt.com###tr-contentbottom +pornotim.com###tracking-url kinofilme.ucoz.com###trade -n-tv.de,urlaubspiraten.de,wetter.de###trivago_dealform -t-online.de###tsc_skyscraper -t-online.de###tsrwh -hooksiel.de###ueberalles -mov-world.net###uflip -home.1und1.de,web.de###uimTopPosition -immonet.de###umzugsauktionslink -fireball.de###url[style="width: 100%;margin-left:5px;margin-top:5px;"] -mov-world.net###usenet_flip -autozeitung.de###veeseoRA2AW_RUN + script + div +biallo.de###tso-billboard-1 +teltarif.de###ttParallaxcontainer +teltarif.de###ttTarifTable +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com###tt_content +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com###tt_wrapper +pornoente.tv,pornohirsch.net,pornolisa.com,pornotanja.com###ttt_wrapper +tvdigital.de###tvd-ad-top +finanzen.net###ubs-banner-fallback +uhrforum.de###ufa-top +wildesporno.xxx###unten_anzeigen +tips.at###upsellerSidebar +wetter-deutschland.com###urban-medrect1 +wetter-deutschland.com###urban-medrect2 ifun.de,iphone-ticker.de###verbraucherhinweis-300x600 ifun.de,iphone-ticker.de###verbraucherhinweis-970 ifun.de,iphone-ticker.de###verbraucherhinweis-970x250 ifun.de,iphone-ticker.de###verbraucherhinweis-latest ifun.de,iphone-ticker.de###verbraucherhinweis-single-300x250 -dwdl.de###viad_canvas -androidpit.de###videoTakeOver -androidpit.de###videoTakeOverBackground -gameswelt.at,gameswelt.ch,gameswelt.de###videolink -t-online.de###vmsky -gehaltsvergleich.com###vn-super -ddlporn.org###vote_9load -linkvz.net,mac-guru.org,oxygen-scene.com###vote_popup -shortnews.de###vv -derwesten.de###w-ad-hpa -med1.de###w2_u[style="visibility: visible; margin-bottom: 1em; clear: left;"] -med1.de###w_b -med1.de###w_o -med1.de###w_s -queer.de###walloben +drpornofilme.com###video-right +kleinanzeigen.de###vip-billboard +digitalphoto.de###vlybyOneByOneWrapper +t-online.de,www-t--online-de.cdn.ampproject.org###vmsky +sexfilmegratis.net,sexvideoskostenlos.net###wa_join_btn +deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,nursexfilme.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoschlange.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexfilme.com,xnxx-porno.com,xnxx-sexfilme.com###wa_widget games.ch###wallpaper -browsergames.de,spielesnacks.de###wallpaper-link -pons.eu###wallpaper_1 -justnetwork.eu,uhrzeit.org###wallpaperlink -pcpraxis.de###wand1 -serialbase.us###warning -3druck.com###wb-links -hifitest.de###wb-right -hifitest.de###wb-top -webfail.com###webfail_de_300_250_rt -fernsehserien.de###werbemittel-rectangle -linguee.de###wide_banner_right -win-10-forum.de###widgetlist_column2 > li > div > div > a > img -eliteanimes.com###wleft +spielesnacks.de###wallpaper-link +koelner.de###wallpaper_left +koelner.de###wallpaper_right +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com###wb_widget +pornoente.tv,pornohirsch.net,pornolisa.com,pornotanja.com###wc_wdiget +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com###wc_widdget +astronews.com###wcontent +bayer04.de###web-trekk-pageupdate +blog-it-solutions.de###webcontentstart +weekli.de###weekli-interstitial +weltwoche.ch###werbungTop +winfuture.de###wfv4_bb2_lazyload[style="min-height:250px"] +belgieninfo.net###widget_sp_image-14 +travelguide-en.org###wn-insurance-quote-editor +ariva.de###woAktieiF +wetteronline.de###woFooterBillboard meetingpoint-brandenburg.de###wobra-suche -ruhrbarone.de###wpTopBox -stb-web.de###wpbg -wikio.de###wpub -serienjunkies.de###wrap + span[align="center"] + div -manager-magazin.de###wrapBoard > #wrapMain:first-child > .pbox -schwaebische.de###wrapper > #titelkopf -xxx-blog.to###wrapper > div#header:first-child + center -sprachnudel.de###wrapper > div[style="margin: 0 0 5px 0;"] -leave.to###wrapper > header + .wrapping -leave.to###wrapper > header + .wrapping + .wrapping:last-child -micky-maus.de###wrapper-1 > #extra1[style="padding-left: 108px;"] -scdhfk-handball.de###wrapper_SWL -n-tv.de###wrapper_content > div[style="height: 120px;"]:first-child -goolive.de###wrapper_margins > .wallpaper -pcgameshardware.de###wrapper_plakatinhalttag_2 -firstload.us###x36d +digitalkamera.de###workshopWidget +ariva.de###wpAktieImFokus +areadvd.de###wrapper > div[class] > img +unicum.de###wrapper-banner-head +raidrush.net###wraptt pocketpc.ch###xxParentDivForWerbPostbit -euronics.de###xxl_master_top_banner_container -pocketpc.ch###xxyyParentDivForWerbPostbit -zelluloid.de###zTopBanner -kimeta.de,vol.at##.Ad -v-i-t-t-i.de##.AmazonSimpleAdmin_widget_inner -finanz-notes.de,fr-online.de,unixboard.de,vermieter-forum.com,windows-7-forum.net##.Anzeige -stadtradio-goettingen.de##.Anzeigen -bluray-disc.de##.AnzeigenBlock2 -schwarzwaelder-bote.de,stuttgarter-nachrichten.de,stuttgarter-zeitung.de##.AnzeigenHead -bluray-disc.de##.AnzeigenText -haustechnikdialog.de##.BannerContainer -idowa.de##.BannerSeiteLinks -ksta.de,rundschau-online.de##.BoxAnzeige -rundschau-online.de##.BoxContentPosAnzeige -ksta.de##.BoxHeaderKalaydo -sex-up.net##.BoxSidebarGoogleSexUp -mactechnews.de##.CommercialPanel +ladies.de###zeiten +meinestadt.de##.-dfp +au-ja.de##.ADVBOX +preissuchmaschine.de##.AFS_ADD +onvista.de##.ANZEIGE +abzonline.de,agrarzeitung.de,ahgz.at,ahgz.de,coating-converting.de,fibers-in-process.de,finanzfrage.net,fleischwirtschaft.de,food-service.de,fvw.de,gutefrage.net,horizont.net,ma-report.de,packaktuell.ch,packreport.de,praxistipps.focus.de,textiletechnology.net,umweltwirtschaft.com##.Ad +focus.de##.Ad-Slot +gutefrage.net##.AdSticky +finanznachrichten.de##.Ad_FinativeHome +finanznachrichten.de##.Ad_ImageTeaser +finanznachrichten.de##.Ad_SmartAd +elektrikforen.de,jungewelt.de,vermieter-forum.com##.Anzeige +praxistipps.chip.de,praxistipps.focus.de##.Article__Ad +praxistipps.chip.de,praxistipps.focus.de##.Article__Promo +onvista.de##.BILLBOARD +blackdevils.team##.Banner +reisereporter.de##.Banner--isAd +fc-suedtirol.com##.BannerContainer +momondo.de##.Common-Kn-Display +momondo.de##.Common-Kn-Rp-FlightInline swoodoo.com##.Common-Kn-Rp-Inline -ksta.de##.ContainerContentKalaydoSmall -stayfriends.de##.ContainerRectangle -mactechnews.de##.DfpNewsO -mactechnews.de##.DfpPanel336 -fr-online.de##.DigiAnz -israelheute.com##.DnnModule-726 -israelheute.com##.DnnModule-887 -israelheute.com##.DnnModule-888 -israelheute.com##.DnnModule-891 -israelheute.com##.DnnModule-900 +mactechnews.de##.Content_1-minheight +mactechnews.de##.Content_3-minheight +netmoms.de,praxistipps.focus.de##.FC__Ad swoodoo.com##.Flights-Results-FlightRightRail -pafnet.de##.FlyerRahmen1[width="125"] -kimeta.de##.GoogleColSpan -computerwoche.de##.HeadLeaderBoard -triathlon-szene.de##.HinweisAnzeige -xflat24.com##.KEYWORDS -rundschau-online.de##.KalaydoColorBox perspektive-mittelstand.de##.Laddbox perspektive-mittelstand.de##.Laddbox300 -promiflash.de##.LazyLoad[style="min-height: 250px; min-width: 300px;"] -promiflash.de##.LazyLoad[style="min-height: 270px; min-width: 970px;"] -chip.de##.List > li > .copy-sm > .secondary[rel="nofollow"] -onvista-bank.de##.MEGASIZE_BANNER -sc-markersdorf.at##.ModBannersC -alle-autos-in.de##.NaviTopP -n24.de##.OUTBRAIN .ob_dual_left > .ob-p -bildderfrau.de,gofeminin.de##.OffresSpe_cadre -news.preisgenau.de##.Post5 -aol.de##.RHRSLL -fremdwort.de##.RahmenRundrum[width="560"] > tbody > tr > td[colspan="2"]:first-child:last-child > table[border="0"]:first-child:last-child -aol.de##.SLL -charivari.de##.Skyscraper_Slot -buerschgens.de##.SponsorFuss -t-online.de##.TFlashPlayer[style="height:200px; width:300px;"] -rtl.de##.T_partner -rtl.de##.T_shopKoop -t-online.de##.Tadblock -t-online.de##.Tadc -t-online.de##.Tamrecbox -chip.de##.Teaser__Affiliate -chip.de##.Teaser__Portal -eltern-zentrum.de##.Text1[valign="top"]:last-child > .tabberlive:last-child -adhs-zentrum.de##.Text[width="100%"][valign="top"] + td[valign="top"]:last-child -t-online.de##.Thpx600 -t-online.de##.Tmm > .Tmc4a > .Ttsi -t-online.de##.Tmm > .toiaiai > .Ttsi > a -t-online.de##.Tmm[style^="display: block !important;"] -t-online.de##.Tmm[style^="display: block !important;"] -kleinreport.ch##.TopBannerContainer -kellysearch.de##.TopBanners -t-online.de##.Toyota -t-online.de##.Tpcpx + #Tasf > div[id][style] -t-online.de##.Tprtnrmobilesib -t-online.de##.Tshlogobox -t-online.de##.Tssshopst -t-online.de##.Ttsc.Ttsh65.Tmc4a -aol.de##.WOL -helles-koepfchen.de##.Wer -wetter.com##.\[.rectangle-home.\] -gullipics.com##.a-zone -dexerto.de##.aON -winfuture.de##.a_box -4cheaters.de##.aab-box -islamische-zeitung.de##.aas_whole_wrapper -blogg.de##.ab-item[tabindex="10"] -diaware.de##.abcde_link -diaware.de##.abcde_text -tutorials.de##.above_body > #header + #navbar + table:last-child -rc-network.de##.above_body:first-child + table[cellspacing="0"][cellpadding="0"][border="0"][align="center"] -die-schnelle-kuh.de##.abp -presseportal.de##.abvbp-parent-hockey -aachener-nachrichten.de,abendblatt.de,ak-kurier.de,alle-immobilien.ch,azonline.de,bazonline.ch,bernerzeitung.ch,bildderfrau.de,billig-flieger-vergleich.de,bos-fahrzeuge.info,computerbase.de,crn.de,derbund.ch,derlacher.de,echo-online.de,epochtimes.de,erf.de,fail.to,fettspielen.de,funnypizza.de,glamour.de,gmx.net,gq-magazin.de,hardwareclips.com,holidaycheck.de,inside-handy.de,ircgalerie.net,kalenderwoche.net,kino24.to,klassikradio.de,kronehit.at,macwelt.de,metager.de,modhoster.de,newscomm.de,oberhessische-zeitung.de,pcwelt.de,phonostar.de,podcast.de,prisma.de,radiokoeln.de,raidrush.org,rhein-neckar-loewen.de,sachsen-fernsehen.de,shopbetreiber-blog.de,spektrum.de,sueddeutsche.de,suite101.de,tagesanzeiger.ch,wallstreet-online.de,web.de,wissen.de,wn.de,yellingnews.com,zeit.de##.ad +blick.de##.OAS_AD +sexforum.ch##.Partnerbox +simmentalzeitung.ch##.PrintMotifRotator +kostenlose-urteile.de##.RTaktAds +dieharke.de##.Rectangle +immoscout24.ch##.ResultListPage_adStyle_SPs8t +onvista.de##.SKYSCRAPER +sexforum.ch##.SideBannerbox +digitalkamera.de##.SkyscraperLeft +digitalkamera.de##.SkyscraperRight +back-intern.de##.StyleTM-PartnerImages +onvista.de##.TEASERBOX.DEPOT_KONTO +t-online.de,www-t--online-de.cdn.ampproject.org##.Tadc +t-online.de,www-t--online-de.cdn.ampproject.org##.Tgbox--anz +t-online.de,www-t--online-de.cdn.ampproject.org##.Tgbox--blau +t-online.de,www-t--online-de.cdn.ampproject.org##.Thh5Thide4PUR +t-online.de,www-t--online-de.cdn.ampproject.org##.Thide4PUR +de.rt.com##.TopBanner-root +t-online.de,www-t--online-de.cdn.ampproject.org##.Tprtnrmobilesib +t-online.de,www-t--online-de.cdn.ampproject.org##.Tshlogobox +t-online.de,www-t--online-de.cdn.ampproject.org##.Tsshopst2 + .Tmm +suchen.mobile.de##.ViD7S +via-ferrata.de##.YouTubeDachstein +via-ferrata.de##.YouTubeLEKI +via-ferrata.de##.YouTubeoetz +gartenjournal.net##._bb_1 +gartenjournal.net##._gartenjournal_billboard +gartenjournal.net##._gartenjournal_inarticle_2 +gartenjournal.net##._gartenjournal_leaderboard_oben +gartenjournal.net##._gartenjournal_leaderboard_unten +mallorcazeitung.es##._mo_recs +1200grad.com,rotor-magazin.com##.a-single +verben.de##.aAnz +4kfilme.de,abenteuerfreundschaft.de,appgefahren.de,automatentest.de,autorevue.at,gameswirtschaft.de,gartenjournal.net,gebrauchtwagenberater.de,googlewatchblog.de,justnetwork.eu,kabel-blog.de,medienkuh.de,nachbelichtet.com,nat-games.de,pocketpc.ch,stadt-bremerhaven.de,technikshavo.de##.aawp +drpornofilme.com##.abcn-footer +com-magazin.de##.abo +sport-90.de##.abox +salue.de##.action-item > * > .ad +abendblatt.de,adz.ro,ak-kurier.de,architektenwelt.com,azonline.de,beruhmte-zitate.de,bike-magazin.de,bildderfrau.de,boote-exclusiv.com,bos-fahrzeuge.info,bvz.at,chefkoch.de,dastelefonbuch.de,dwdl.de,eatsmarter.de,echo-online.de,erf.de,esslinger-zeitung.de,eurosport.de,futurezone.de,gmx.net,gq-magazin.de,hamburg.de,icasa.ch,idowa.de,imtest.de,ingenieur.de,juedische-allgemeine.de,klassikradio.de,lahrer-zeitung.de,leckerschmecker.me,macwelt.de,mallorcazeitung.es,mann.tv,modell-fahrzeug.com,modhoster.de,mybike-magazin.de,nau.ch,netzwelt.de,noen.at,online-webradio.com,paradisi.de,pcwelt.de,pfaffenhofen-today.de,primavera24.de,schwarzwaelder-bote.de,selbermachen.de,spektrum.de,stadtradio-goettingen.de,stuttgarter-nachrichten.de,sueddeutsche.de,sup-mag.de,surf-magazin.de,tachles.ch,tellows.at,tellows.ch,tellows.de,tennisnet.com,tour-magazin.de,vfb.de,vogue.com,wallstreet-online.de,web.de,webwiki.de,wissen.de,wmn.de,wn.de,yacht.de,zeit.de##.ad ak-kurier.de##.ad + #flashContent ak-kurier.de##.ad + .tdt ak-kurier.de##.ad + .uk-panel -synchronkartei.de##.ad-box -1und1.de,gmx.net,heise.de,web.de##.ad-container +alpin.de,immobilienscout24.de##.ad-banner +alpin.de##.ad-banner-billboard +gebraucht-kaufen.de,it-daily.net,mixed.de,nebelspalter.ch,northdata.de,raetsel-hilfe.de,sueddeutsche.de,swissmom.ch,tt.com,watchtime.net,zeit.de##.ad-container +heise.de##.ad-desktop-group-2 +hallo-minden.de##.ad-info +augsburger-allgemeine.de##.ad-list_small-native-container +diegrenzgaenger.lu##.ad-listing +spiesser.de##.ad-mark +heise.de##.ad-mobile-group-1 +heise.de##.ad-mobile-group-3 +finanztreff.de##.ad02p vsport.at##.ad1 vsport.at##.ad2 -med1.de,promiflash.de,stayfriends.de##.adContainer -wz-newsline.de##.adDisclaimerLight -games.ch,webfail.at##.adMR -gevestor.de##.adTop -skandinavien.eu##.ad_big -augsburger-allgemeine.de##.ad_load -t3n.de##.adbContentAd1 -knuddels.de##.adbg -magistrix.de,wuv.de##.adblock -1jux.net##.adblock-rect -derwesten.de,falstaff.at,falstaff.de,gevestor.de,sueddeutsche.de,wetter.com##.adbox -dasoertliche.de##.adcontainer -paradisi.de,psychic.de##.adcontent -paradisi.de##.adcontenttext -derhandel.de,suedtiroltv.it##.add -pressebox.de##.add-left -tabtech.de##.add-panel -pressebox.de##.add-right -yelp.de##.add-search-result -sport1.de##.addPicture -aero.de##.add_balken -tes-5-skyrim.de##.addleft -oxygen-scene.com##.adoxygen -baronbuff.de##.adp_pls -20min.ch,250kb.de,app-kostenlos.de,arbeitszeugnisgenerator.de,autoscout24.ch,bild.de,channelpartner.de,dhb.de,eintracht.de,fischkopf.de,helpster.de,israelnetz.com,mtv.de,playmassive.de,regenbogen.de,tageblatt.lu,tecchannel.de,tus-n-luebbecke.de,viamichelin.at,viamichelin.ch,worldofminecraft.eu,zdnet.de##.ads -psychic.de##.ads5 -tagesanzeiger.ch##.adsTitle -stayfriends.de##.adsWrapper -e-hausaufgaben.de##.adscontntad -duden.de,eatsmarter.de##.adsense -skodacommunity.de##.adsenseContainer + div[align="center"] -e-hausaufgaben.de##.adswallpapr -preisvergleich.de##.adswsk -tech-blog.net##.adsxtrm -hierspielen.com##.adtitle -mobile.de,viva.tv##.adv -web.de##.adv-promotion -bluewin.ch##.adv-taz -top.de##.adv-top -kleinezeitung.at##.adv16 -kleinezeitung.at##.adv6 -webstandard.kulando.de##.advBlockTop -arcor.de##.advTop -pc-magazin.de##.adv_inside_galerie -detektor.fm##.advarea -animania.de,check24.de,eurogamer.de,hcelb.de,morningstar.de,mrn-news.de,n-tv.de,teleboerse.de,tvtv.at,tvtv.ch,tvtv.de,weser-kurier.de##.advert -filsh.net##.advert + .notification -veeseo.com##.advertisement -morgenpost.de,thueringer-allgemeine.de##.advertising -au-ja.de##.advframe -n-mag.de,sein.de##.advs -netluchs.de##.adw -erf.de##.adwrapper -stylebook.de##.afc -bild.de##.affiliate.pm001 -bild.de##.affiliate.pm007 -bild.de##.affiliate.pm033 -bild.de##.affiliate.pm107 -bild.de##.affiliate.pm140 -bild.de##.affiliate.pm172 -rsa-sachsen.de##.affiliates -tweakpc.de##.aflink -tarnkappe.info##.after-entry > .wrap > #text-17 -heise.de##.akwa-ad-container -oxygen-scene.com##.alert_green -tchgdns.de##.alt-pub -modernboard.de##.alt1[style="padding-top:0px"] > div[style="clear:both"] + ul[style="list-style-type:none; margin:0px; padding:0px"] -dforum.net##.alt2[colspan="2"][style="background: #eaeab4"] > font[color="#000"]:first-child:last-child > table[width="100%"][cellspacing="0"][cellpadding="0"]:first-child:last-child -winboard.org##.alt2[style="padding-top:0px"] > ul[style="list-style-type:none; margin:0px; padding:0px"] > br:first-child + div[align="center"]:last-child -t-online.de##.altInventory__item -winfuture.de##.am_box -heise.de##.ama -plattentests.de,radiopsr.de,rsh.de##.amazon -computerbase.de##.amazon-links -computerbase.de##.amazon-links-2 -ratgeber-hausmittel.info##.amazon-product-table -tecchannel.de##.amazonLinkButton -buffed.de,gamesaktuell.de,gamezone.de,pcgames.de,pcgameshardware.de##.amazonTopList -winfuture.de##.amazon_deal -pagewizz.com##.amazon_module -pagewizz.com##.amazon_module + span -winfuture.de##.amazon_top_deal_box -pcgameshardware.de##.amazonorder -pcwelt.de##.amazonteaser -gamepro.de,gamestar.de##.amz -andreziegler.de##.amz_main -winfuture.de##.amzwgt -sdx.cc##.announce_text -bauexpertenforum.de,biallo.de,deutsche-startups.de,epochtimes.de,fremdwort.de,genderblog.de,gesetzlichekrankenkassen.de,heinertown.de,heise.de,juedische-allgemeine.de,lehrerfreund.de,medizin-netz.de,motorsport-total.com,moviejones.de,nwzonline.de,oktoberfestportal.de,projektmagazin.de,rtl.de,saarbruecker-zeitung.de,sportal.de,telemedicus.info,tweakpc.de,wer-kennt-wen.de,wetter.com,win-10-forum.de,winboard.org,zdnet.de,zeit.de##.anzeige +vsport.at##.ad3 +promiflash.de##.adColumnTop +futurezone.at,journalonko.de,kress.de,promiflash.de##.adContainer +oekotest.de##.adDecoration +goyellow.de##.adDetailRectangle +11freunde.de##.ad_below-nav +golfmagazin.de,jaegermagazin.de,st-georg.de,tennismagazin.de##.ad_list +fairytail-tube.org,naruto-tube.org##.adb +haie.de##.adbanner +deutsche-wirtschafts-nachrichten.de,einrichtungsbeispiele.de,gevestor.de,latina-press.com,webwiki.de,weltfussball.at,weltfussball.com,weltfussball.de##.adbox +computerbase.de##.adbox-outstream +connect.de,krautundrueben.de,pc-magazin.de,vaterland.li##.adcontainer +nachtkritik.de##.adcontent +suedtiroltv.it##.add +computersm.com##.add-inner +abg-net.de##.add_top +ladies.de##.additional-banner +gastrojournal.ch##.addslider +inselradio.com##.addslot +laengengrad-breitengrad.de##.addtop +gartenjournal.net##.adinj +engadinerpost.ch##.aditem +my105.ch##.adition +lust-auf-kroatien.de##.adlabel +cash.ch##.adm-container +kochbar.de##.admanager__ems__dmofooter-1 +kochbar.de##.admanager__ems__superbanner-1 +smartdroid.de##.adp1 +africa-positive.de,androidhow.eu,arbeitszeugnisgenerator.de,autoscout24.ch,badi-info.ch,erochatcommunity.com,erochatcommunity.net,eurotrainer.ndz.de,fischkopf.de,nachtkritik.de,raetselhilfe.net,regenbogen.de,stol.it,viamichelin.at,viamichelin.ch,viamichelin.de,wetter.at,xwords.de##.ads +ukraine-nachrichten.de##.ads-336 +efahrer.chip.de##.ads-alignment +glarus24.ch,radiocentral.ch,sunshine.ch##.ads-container +6profis.de##.ads6p +chefkoch.de##.ads__initialized +meetingpoint-brandenburg.de##.ads_mobile +eatsmarter.de,quoka.de##.adsense +stereo.de##.adserver +libble.de##.adserver-container1 +persoenlich.com##.adslot-fireplace +spox.com##.adsurbg +fitforfun.de,ibb-anzeiger.de,suchen.mobile.de,suedtiroltv.it##.adv +oberberg-aktuell.de##.adv-indicator +coincierge.de,fazemag.de,fuldainfo.de,maniac.de,oberberg-aktuell.de,pictures-magazin.de,sempre-audio.at,smarthomes.de##.adv-link +teneriffa-aktuell.com##.adv-wrapper +kostenlose-urteile.de##.advBoxSegment +perfektdamen.co##.adv_block +blinker.de##.adv_widget +countrymusicnews.de,eurogamer.de,ka-news.de,morningstar.de,suedkurier.de,weser-kurier.de##.advert +bankkaufmann.com##.advert_ +onvista.de##.advertisedFund +4investors.de,abendblatt.de,apotheken-umschau.de,az.com.na,dpd.de,extremnews.com,finanzen.ch,heise.de,iplayapps.de,tarnkappe.info,wetteronline.de##.advertisement +kochrezepte.at##.advertisement_widget +oefb.at,zeit.de##.advertising +kauf6.com##.advertisments +speedweek.com##.advheader +smartdroid.de##.advorp1 +erf.de,greenbyte.ch,rtl.de##.adwrapper +rtl.de##.adwrapper--mobile +pcgameshardware.de##.afBtn1 +pcgameshardware.de##.afBtn2 +guteporno.com##.aff-inhalt-geil-spalte +fitbook.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de##.affiliate-amex +einsteiger-keyboard.de##.affiliate-button +fitbook.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de##.affiliate-mediamarkt +fitbook.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de##.affiliate-o2 +fitbook.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de##.affiliate-saturn +fitbook.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de##.affiliate-tink +pcgames.de##.affiliateBelowArticle +radiodeutsch.com##.ai-placement +nachbelichtet.com##.ai-track +genialetricks.de,leckerschmecker.me,veggieboom.com##.ai-viewport-1 +blitzrechner.de##.ai_widget +nextpit.de##.al-amazon +ligaportal.at##.alert +desired.de,familie.de,giga.de,kino.de,spielaffe.de##.alice-adslot +giga.de##.alice-adslot-label +notebookcheck.com##.am_el +indirekter-freistoss.de##.amalink +plattentests.de##.amazon +digitalfernsehen.de##.amazon-auto-links +aol.de##.amazon-link +forum.worldofplayers.de##.amazon-search +winfuture.de##.amazon_widget_w660 +fairytail-tube.org,naruto-tube.org,onepiece-tube.com##.amz +suedtirol.de,tirol.de##.angebot-der-woche-slider +bauernzeitung.ch##.anriss-item-advert +musiker-board.de,recording.de##.anz +quoka.de##.anz-content +quoka.de##.anz-grey-content +quoka.de##.anz-grey-title +musiker-board.de##.anzC +112-magazin.de,drwindows.de,filmpost.de,gastrojournal.ch,gesetzlichekrankenkassen.de,helles-koepfchen.de,lehrerfreund.de,medizin-netz.de,ntg24.de,oekotest.de,oktoberfestportal.de,pharmazeutische-zeitung.de,radsport-news.com,sportal.de,stuttgarter-zeitung.de,touristik-aktuell.de,tweakpc.de,vhs-ol.de##.anzeige +ntg24.de##.anzeige + .slider +ntg24.de##.anzeige + p designtagebuch.de##.anzeige-links -designtagebuch.de##.anzeige-mittig -tbv-lemgo.de##.anzeige2 -tbv-lemgo.de##.anzeige3 -tbv-lemgo.de##.anzeige4 -pfaelzischer-merkur.de##.anzeigeBox -energie-fachberater.de##.anzeigeRight -sportal.ch##.anzeige_468 -augsburger-allgemeine.de##.anzeige_rec -sportalplus.com##.anzeige_sky -inselradio.com,partyamt.de##.anzeigen -diaware.de##.anzeigen_link -genderblog.de##.anzeigenhead -unitymedia.de##.anzeigetag -digitale-schule-bayern.de##.app > #t_container -zdnet.de##.apraxazz_sidebar -teltarif.de##.arial2[style="clear: both; color: #CCCCCC; margin: 9px 13px; border-bottom: #CCCCCC 1px solid;"] -augsburger-allgemeine.de##.article dl[style="width: 310px; margin: 0px 10px 0px 0px; padding: 0px;"] -tvspielfilm.de##.article-body > div[style="margin:0 0 20px;text-align:center"] -telemedicus.info##.article-info + .b[style="margin-top:15px;"] +ariva.de##.anzeigeText +lippe-news.de##.anzeige_content +motorsport-total.com##.anzeige_teas_rect +motorsport-total.com##.anzeige_teas_rect_ax +partyamt.de##.anzeigen +aerzteblatt.de##.anzeigenbox +reiseblog7.com##.ap +willhaben.at##.apn-leaderboard-wrapper +oefb.at##.app-foesvAdSpace +blick.ch##.appnexus-container +arbeits-abc.de##.arbei-widget +lokalmatador.de##.article-adbanner +heise.de##.article-layout__header-wrbng +onlinehaendler-news.de##.article-rectangle computerbase.de##.article-view__rectangle -nwzonline.de##.article.clearfix .c8.inv-border + a > img -computerbild.de##.articleAdditional > .kaufenteaser .amazon -computerbild.de##.articleAdditional > .kaufenteaser .idealo -gamestar.de##.articleAmazonLink -sosuanachrichten.com##.article[style="width: 440px; background-color: #000066; margin: 6px; margin-top: 6px;"] -gamersglobal.de##.artikel-cad -tagblatt.ch##.artikel-detail-einspaltig-spalte-2 > .tbrprehtml -saarbruecker-zeitung.de##.artikeldetail > .text > .teaserbox.hgray -sport.de##.artikelrectangel -playm.de##.asa_async_container -augsburger-allgemeine.de##.aside_ad_caroussel -sachsen-fernsehen.de##.asidebar -alternative-zu.de##.azuitem_googleAdSense -alatest.de##.b_top_leaderboard -walliserbote.ch##.ban-img -1000ps.at,1001spiele.de,absolutradio.de,absolutrelax.de,anixehd.tv,antenne.de,apotheke-adhoc.de,bsdforen.de,buchmarkt.de,dbna.de,emfis.de,filmeforum.com,games.ch,giga.de,goolive.de,hamm.biz,hammstars.de,hc-erlangen-ev.de,info.koeln,jetztspielen.de,kle-point.de,komoedie-steinstrasse.de,kronehit.at,liita.ch,macerkopf.de,modhoster.de,moneyspecial.de,naturundtherapie.at,produkt.at,radio.li,regionalbraunschweig.de,sgbbm.de,softonic.de,sonntagszeitung.ch,spielkarussell.de,suedostschweiz.ch,sunshine-live.de,talkteria.de,tu-berlin.de,voltigierzirkel.de,wein-plus.de,zmk-aktuell.de##.banner -ebay.de##.banner-billboard -motorrad2000.de##.banner-box -hsvhandball.com##.banner-container -bos-fahrzeuge.info,com-magazin.de,macnews.de##.banner-content -macmagazin.de##.banner-detail -macmagazin.de##.banner-home -ebay-kleinanzeigen.de##.banner-leaderboard +kurier.de##.article_nachDerWerbungWeiterlesen-desktop +itmagazine.ch##.article_rectangle +rhein-zeitung.de##.articlebody__rectangle +dererker.it##.articles-pr-box +neue-braunschweiger.de##.as-frame-center +apfeleimer.de##.asa1_fbh +prad.de##.asa2_ajax_container +bitreporter.de##.asa2_fbva_wrapper +fitforfun.de##.aside-rectangle +hottime.ch##.asideBoxB +hockeyweb.de,scienceblogs.de,tourenfahrer.de,unicum.de,wissen.de,wissenschaft.de##.asm_async_creative +will-mixen.de##.astra-advanced-hook-67722 +ichkoche.at##.asyncBanner +pcgameshardware.de##.at_sponsored +glycerinwissen.de##.atkp-bestseller-box +gartenratgeber.net##.atkp-container +autoline.de,autoline24.at,autoline24.ch##.atla-place +autogazette.de##.autog-widget +bayreuther-tagblatt.de##.av-7mui-2434157fea122ac0fb770d6fe554162d +notebookinfo.de##.av-carousel +notebookinfo.de##.av-fade-carousel +hsc2000.de##.av-partner-fake-img +likehifi.de##.avad1_widget +hsc2000.de##.avia-slideshow-1 +nrwhits.de##.ax-medium-rectangle-n +az.com.na##.az-adverts +blitzrechner.de##.azimg +sumikai.com##.b +fcaugsburg.de##.b-logo-listing +motorsport-total.com##.b-top +ukraine-nachrichten.de##.b_top +hardwareschotte.de##.ba-fullsize +browsergames.de##.background +archzine.net##.banPlace1 +1001spiele.de,3gewinntspiele.com,6navi.ch,akustik-gitarre.com,anixehd.tv,bankkaufmann.com,boxxx.ch,buchmarkt.de,deavita.com,erosclubs.ch,erosgirls.ch,flugblattangebote.at,fruchtportal.de,fussballgucken.info,goldseiten.de,hcb.net,jobagent.ch,juve.de,kartenspielen.de,knobelspiele.com,komoedie-steinstrasse.de,kradblatt.de,laufen.de,m.gota.ch,macerkopf.de,mein-wahres-ich.de,melodieundrhythmus.com,modhoster.de,nordicsports.de,pfaffenhofen-today.de,pixelio.de,prospektangebote.de,psi-magazin.de,regionews.at,rockland.de,salue.de,sexnews.ch,snanews.de,spieleklassiker.com,suedtirol.de,svs1916.de,urlaubsguru.de,wimmelbildspiele.de##.banner +w24.at##.banner-aspect-ratio +spielkarussell.de##.banner-btf-side-rectangle +skipper-bootshandel.de,tvtoday.de##.banner-container +privater.sex##.banner-content +privater.sex##.banner-footer +woz.ch##.banner-full +wochenblatt.cc##.banner-header-left +wochenblatt.cc##.banner-header-right +medienjobs.ch,prewarcar.de##.banner-holder +giga.de##.banner-homepage +xerotik.ch##.banner-img-bottom +mein-wahres-ich.de##.banner-inline +esports.ch##.banner-leadboard +asialadies.de,avladies.de,badeladies.de,behaarteladies.de,bizarrladies.de,busenladies.de,deutscheladies.de,devoteladies.de,dominanteladies.de,erfahreneladies.de,escorts24.de,exklusivladies.de,grosseladies.de,hobbyladies.de,jungeladies.de,kussladies.de,latinaladies.de,massierendeladies.de,mollyladies.de,nsladies.de,nymphomaneladies.de,orientladies.de,osteuropaladies.de,piercingladies.de,rasierteladies.de,schokoladies.de,spielkarussell.de,tattooladies.de,tsladies.de,zaertlicheladies.de,zierlicheladies.de##.banner-leaderboard +donnerwetter.at,donnerwetter.ch,donnerwetter.de##.banner-place klassikradio.de##.banner-position -eintracht-handball.de,radiodresden.de,radioleipzig.de##.banner-rechts -macmagazin.de##.banner-sidebar-1 -macmagazin.de##.banner-sidebar-2 -magistrix.de,moviepilot.de##.banner-skyscraper -ebay-kleinanzeigen.de##.banner-supersize -donnerwetter.de,xaver.de##.banner-top +fotohits.de##.banner-row +curt.de##.banner-section +bibliomed-pflege.de,magistrix.de##.banner-skyscraper +arminia.de##.banner-slider +scfreiburg.com##.banner-super-middle +donnerwetter.at,donnerwetter.ch,donnerwetter.de##.banner-top immobilienscout24.de##.banner-top-placeholder -outdoor-magazin.com##.banner1 -digitalvideoschnitt.de,phpforum.de##.banner468x60 -digitalvideoschnitt.de##.banner728x90forumDV -radio7.de##.bannerBottom +pokerfirma.com##.banner-top-section +perfektdamen.co##.banner-wrapper +sexy-land.ch##.banner200 +fickverein.com##.banner3box +sexy-land.ch##.banner60 sims4ever.de##.bannerBox -3dchip.de,aptgetupdate.de,cheating.de,hardware-infos.com,hardware-mag.de,hardwarelabs.de,macgadget.de,michas-spielmitmir.de,nik-o-mat.de,onipepper.de,pc-max.de,weltdergadgets.de##.bannerContainer -androidpit.de##.bannerLabel -deutsche-startups.de##.bannerRight -heinertown.de##.bannerSliderFrame -tsv1860.de##.bannerSponsor -idowa.de##.bannerTall -radio7.de##.bannerTop -radio7.de##.bannerTopContent -radio24.ch##.banner[style="height:90px;text-align:center;background:none;"] -sexgeschichten.com##.banner_120x240 -sexgeschichten.com##.banner_120x60 -sexgeschichten.com##.banner_120x600 -juedische-allgemeine.de##.banner_200x200 -sexgeschichten.com##.banner_300x640 -juedische-allgemeine.de##.banner_531x316_in -softonic.de##.banner_box -canoo.net,gq-magazin.de##.banner_container -rtl-hessen.de##.banner_fullsize -goloci.de##.banner_gallery -echo-online.de##.banner_horizontal -notebooksbilliger.de##.banner_left -goloci.de##.banner_main -goloci.de##.banner_online_1 -insidegames.ch##.banner_rectangle -derboersianer.com##.banner_red -notebooksbilliger.de,telelino.de##.banner_right -deutschepost.de##.banner_right_resultpage_middle -fohlen.tv##.banner_sky -fruchthandel.de##.banner_squarebuttongroup -fruchthandel.de##.banner_squarebuttonxs1 -pixelio.de##.banner_top -handy-player.de,maclife.de##.bannerbox -boerse.de##.bannerbox_container -was-verdient-ein.de##.bannerga -berlinertageszeitung.com,enduro-austria.at,hardware-factory.com,lesben.org,nh24.de,pc-experience.de,primavera24.de,vfl-bad-schwartau.de,waldecker-tagblatt.de,wander-pfade.de,wintotal.de,witz.de##.bannergroup -pcpraxis.de##.bannergroup-blank -kulturmarken.de##.bannergroup-part2 -flashmob.de,minibhkw.de##.bannergroup_text -porn2you.org##.bannerheader -preussenspiegel-online.de##.bannerright -itopnews.de,pinfy.de##.banners -rockantenne.de##.bannertop -pcgames.de,pcgameshardware.de##.bargain -pcgameshardware.de##.bargainLp -heise.de##.bcadv -bildderfrau.de##.bdf_megabannerBack -saarbruecker-zeitung.de##.beilagen -auto-motor-und-sport.de##.beitragsrechner_sideteaser2 -ebay.de##.beta-placement -oilimperium.de##.bg_img +erosjobs.ch##.bannerContainer +eishockeynews.de##.bannerContent +moviejones.de##.bannerInfo +cherry.ch##.bannerListPremium +cherry.ch##.bannerListPremiumTop +goyellow.de##.bannerResult +gota6.ch,sex-infos.ch##.bannerTop +sg-flensburg-handewitt.de##.bannerWrap +erotikforum.at##.bannerWrapper +stock-world.de##.banner_bigsize_unten +bluray-disc.de,der-farang.com##.banner_container +apotheke-adhoc.de##.banner_container__mobile_billboard +stock-world.de##.banner_content +hallelife.de##.banner_image +der-farang.com##.banner_page_top +lerntippsammlung.de##.banner_rechts +archzine.net##.banner_sidebar +stock-world.de##.banner_sky +dastelefonbuch.de##.banner_tl +dastelefonbuch.de,dnv-online.net##.banner_top +handy-player.de##.bannerbox +xxxjob.ch##.bannerboxlinks-klein +xxxjob.ch##.bannerboxrechts +prost-magazin.at##.bannerfullbanner +112-magazin.de,bassprofessor.info,griechenland.net,hifistatement.net,highway-magazin.de,hitradio.com.na,kajak-magazin.com,kl-aktuell.de,loz-news.de,mef-line.de,motorradundreisen.de,naturundtherapie.at,osttirol-online.at,pc-experience.de,radio-oberland.de,sonic-seducer.de,speyer-report.de,spielbox.de,teneriffa-heute.net,tennistraveller.net,tvbb.de,vorsprung-online.de,wahrschauer.net##.bannergroup +tobitech.de##.bannergroupimgframe +diebildschirmzeitung.de##.banneritem +ariva.de##.bannerleiste +klappeauf.de##.bannerprom +eurogirlsescort.de,strafbock.ch##.banners +lokalkompass.de##.bannerslot-centered +sportal.ch##.bannerspot +frischauf-gp.de##.bannertop +1200grad.com##.banneruntermenu +msh-online.de,nnz-online.de##.bannerwrapper +stimme.de##.bb-wrap +laborjournal.de##.bb_top +bz-berlin.de##.bcode +bz-berlin.de##.bcode-top-container +hifi.de##.bestlist-item__shop +liveticker.com##.bettingStrip +bunte.de##.bfa-ad-slot +seekxl.de##.bg +boersennews.de##.bg-smartbroker-dark +boersennews.de##.bg-smartbroker-light +hcgherdeina.com##.big-sponsor-box +finanzen.ch##.big_size +iplayapps.de##.bigbanner +bildercache.de##.bilde-widget designtagebuch.de##.billbo -winfuture.de##.billboard -yelp.de##.biz-details-yla -pc-max.de##.block-banner -notebookinfo.de##.block-custom-teaser -notebookinfo.de##.block-custom-teaser-news-inline -notebookinfo.de##.block-custom-teaser-news-right -notebookinfo.de##.block-offering -projektmagazin.de##.block-pm_bannerseiten -notebookinfo.de##.block-sponsored-offer -energie-fachberater.de##.blockBanner -readmore.de##.block[href^="http://www.amazon.de/"][href*="tag=readmore-21"] -1a-immobilienmarkt.de##.bmi_bottom_layer -share-tube.eu##.bn_red_message -quoka.de##.bnr-wrp -moviez.to##.bonus -echo-online.de##.bottom-buttons -aerzteblatt.de##.bottomBanner -pcwelt.de##.box .holder[target="_blank"][href^="http://rover.ebay.com/rover/"] -pcwelt.de##.box .holder[target="_blank"][href^="http://www.amzn.to/"] -porn2you.org##.box-content + .box-info -porn2you.org##.box-note + .box-content + .box-line -fcbayern.de##.box-sponsors -geizhals.at##.box10h + .gh_cat -gesund.tv##.boxContent-brands -androidpit.de##.boxLightLeft[style="width:620px; text-align:center; font-size:95%"] -franchise-net.de##.box_174 -werder.de##.box_sponsor -schwaebische.de##.box_width2 > div[style="border:1px solid #999999;padding:6px;"] -sms.de##.boxbody[width="190"][valign="top"][align="left"][rowspan="7"]:last-child -gronkh.de##.branding -chefkoch.de##.brandlogo-table -sbb.ch##.btn_promo -hilferuf.de##.buchtipp_content -hilferuf.de##.buchtipp_footer -hilferuf.de##.buchtipp_topic -web.de##.buster -tt.com##.button145 -foerderland.de##.button300x250 -xink.it##.buttonMirror +baupool.com,bundesliga.com,fnweb.de,formel1.de,laborjournal.de,ligaportal.at,linux-community.de,linux-magazin.de,mannheimer-morgen.de,tarnkappe.info,traktorpool.de,winfuture.de##.billboard +android-hilfe.de##.billboard-ad-footer +android-hilfe.de##.billboard-ad-top +infranken.de##.billboard-wrapper +computerbild.de##.billboardBtfContainer +djmag.de##.billboardbanner +computerbase.de##.blackfriday +keyforsteam.de##.blc-left +keyforsteam.de##.blc-right +galaxy-ingolstadt.de##.block-11 +galaxy-ingolstadt.de##.block-12 +galaxy-ingolstadt.de##.block-13 +celler-presse.de,galaxy-ingolstadt.de##.block-15 +haustec.de##.block-businessad +suedostschweiz.ch##.block-np8-audienzz +ak-kurier.de##.block-weather-link +wissen.de##.block-wissen-ads +computerbase.de##.block1--banner +computerbase.de##.block1--skyscraper +blogprojekt.de##.blogp-startseite +blogprojekt.de##.blogp-werbung-oben-in-artikeln +borussia.de##.bmg-ad +oberberg-aktuell.de##.bnrad +russland.capital,russland.news##.bodShopWidget +fairaudio.de##.borlabs-dealer +fairaudio.de##.borlabs_fairaudio_ads_widgetx +gesundheit.de,onmeda.de##.box--ad +wetter.at##.box.contentBoard.default.highlights +schiene.de##.box.w300.h250.mb40 +liveticker.com##.boxOverContent +pcwelt.de##.box[data-ga-event-label="Angebote für PC-WELT Leser"] +pcwelt.de##.box[data-ga-event-label="Für Sie empfohlen"] +pcwelt.de##.box[data-ga-event-label="PC-WELT Specials"] +xmedia-recode.de##.box_banner-container +offroadforen.de##.boxesBottom +offroadforen.de##.boxgenericBox41 +msxfaq.de##.boxjob +rc-car-news.de,rc-car-rennsport.de##.boxschattenbutton +rc-car-news.de,rc-car-rennsport.de##.boxschattenbuttonw +x-oo.com##.boxx +radmarkt.de##.branchenberichte +schnittberichte.com##.branding +blick.ch##.brandstudio +koerperverletzung.com,scheidung.org,urheberrecht.de##.brave_popup +idowa.de##.brick[data-b-title*="Traffective"] +tri-mag.de##.bscb-23811 +btc-echo.de##.btc-sponsored +hockeyweb.de##.btn-danger +boersennews.de##.btn-smartbroker +radioguetersloh.de##.btn2 +tvspielfilm.de##.button.affiliate lounge.fm##.buy -magistrix.de##.buy_song -heise.de##.buytable -premiumpresse.de##.cBannerTop -playmassive.de,playnation.de##.cad +eventelevator.de##.bwdfb-widget +bravo.de,cosmopolitan.de,happinez.de,lecker.de,liebenswert-magazin.de,maennersache.de,praxisvita.de,selbst.de,wunderweib.de##.bx-ada +kremser-sc.at,sgleutershausen.de##.bx-viewport +amerikawoche.com##.bxnxr_column +dererker.it##.bxslider +amerikawoche.com##.bxv +coincierge.de##.c-FloatingPrompt +t3n.de##.c-ad-container +t3n.de##.c-ad__container-p1 +rockantenne.at##.c-image--center +rockantenne.bayern,rockantenne.de,rockantenne.hamburg##.c-image--left +finanznachrichten.de##.c-sban1 +finanznachrichten.de##.c-sban2 +scfreiburg.com,sgf1903.de##.c-sponsors-list +focus.de##.cad ka-news.de##.cad_box -hoerzu.de##.caption-banner -promiflash.de##.card-rectangle -autozeitung.de##.carneoo-offer -cash.ch##.cash-adtech -netdoktor.at##.cat-ignore -bild.de##.cbErotikContentbar15 -sv08-auerbach-handball-erste.de##.cc-m-hgrid-column > #cc-matrix-1888104185 -autokostencheck.de##.center.ml30.mb10 -gamepro.de##.centeredDiv > .border > .homeContReg > .doubleBlkLeft[style="height:270px;padding-top:20px;"]:first-child -gamepro.de##.centeredDiv > .border > .homeContReg > .doubleBlkRight[style="height:300px;padding:20px 0;"]:last-child -gamestar.de##.centeredDiv > .homeContReg > .doubleBlkLeft[style="height:270px;padding-top:20px;"]:first-child -gamestar.de##.centeredDiv > .homeContReg > .doubleBlkRight[style="height:300px;padding:20px 0;"]:last-child +focus.de##.cad_native +1000ps.at##.cadbox +barrierefreie-immobilie.de,heizsparer.de##.cadheight[style="min-height:600px;"] +fairaudio.de##.candy-top +filmlaune.de##.card-streaming-btns +neuwagen.de##.cardealers +anzeigervomrottal.ch##.carousel +alles-mahlsdorf.de##.category-werbung-kopfzeile +faktastisch.de##.cca +all-electronics.de,automobil-produktion.de,automotiveit.eu,chemietechnik.de,fertigung.de,fluid.de,instandhaltung.de,ke-next.de,kgk-rubberpoint.de,ki-portal.de,neue-verpackung.de,pharma-food.de,plastverarbeiter.de,produktion.de,technik-einkauf.de,werkzeug-formenbau.de##.ce_banneradbox +e-formel.de##.ce_plista +technik-einkauf.de##.ce_promotionbox +boerse-daily.de##.ce_rsce_bd_werbung +utopia.de##.channel-logo-desc +my105.ch##.channel-sponsor +escortboard.de##.chat typo3blogger.de##.chemical_sitelogo_r -putenbrust.net##.children:last-child > table[width="500"][align="center"] -lesen.to##.clicky_log_outbound[style="color: rgb(255, 51, 0); title="] -golem.de##.cluster-header + div[style="margin:15px 0; min-height:103px;"] -golem.de##.cluster-header + div[style="margin:15px 0; min-height:266px;"] -pooltrax.com##.cmc2 -onlinekosten.de##.cms-widget_calculator_result_list_offer-tip -cosmiq.de##.cmsbox_iq_qa_show_content_below_question -quoka.de##.cnt > div[style="margin: 0px 0px 0px 0px; min-height:90px; padding: 5px 0;"] -quoka.de##.cnt-rgt -finanzen.net##.coW[style="background-color: #009DE0;"] -finanzen.ch##.coba_homepage_topflop -stayfriends.de##.col1 > div[style="width: 616px; height:185px; border:2px solid #03408c; position:relative"] -3druck.com##.col2 > #text-4 -3druck.com##.col2 > #text-5 -3druck.com##.col2 > #text-6 -pchilfe.org##.col2 > .ink_box -daspureleben.com##.column-first > .content > .fl-lft > img[width="139"][height="52"] -daspureleben.com##.column-first > .content > .logo-slider -bluewin.ch##.column-right > .column-right-right > .teaser-special > .ts-image + .ts-content -tripadvisor.de##.commerce -auto-motor-und-sport.de,azonline.de,getgoods.4teams.de,mv-online.de,promobil.de,wn.de##.commercial +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com##.chn_center +autoscout24.at,autoscout24.de##.cl-billboad-wrapper +14-tage-wettervorhersage.de##.clearit_s +wg-gesucht.de##.clicked_partner +wolfsrevier.de##.client_wrapper +pixelio.de##.clipad +focus.de##.cls_hor_prnt_am +focus.de##.cls_slot_xxoutstreamxx +focus.de##.cls_ver_prnt +focus.de##.cls_ver_prnt_xs +markt.de##.clsy-adv-item +gota6.ch,sex-infos.ch##.clubBox +zueri6.ch##.cm-popup-modal +preis24.de##.cms-cl_tariff-row--ad +djz.de##.code-block +raptastisch.net##.code-block-1 +raptastisch.net##.code-block-12 +fussballnationalmannschaft.net,wohnungswirtschaft-heute.de##.code-block-13 +raptastisch.net##.code-block-14 +buenasideas.de##.code-block-2 +movieblog.to##.code-block-3 +ibooks.to##.code-block-3[style] +deinhandy.de,movieblog.to##.code-block-4 +movieblog.to##.code-block-5 +ibooks.to,raptastisch.net##.code-block-7 +raptastisch.net##.code-block-h-250px +raptastisch.net##.code-block-h-300px +tech-review.de,wallstreet-online.de,watson.de,wn.de##.commercial +berlinertageszeitung.de##.commercial-container +fotomagazin.de##.commercial-post-container +berlinertageszeitung.de##.commercial-rightwideskryper +edelsteine.net,sternzeichen.net##.commercialbar +celleheute.de##.comp-ku8lxchu +coincierge.de##.compar_tbl_body_plugin +nordschleswiger.dk##.component-code-snippet +tvg-grosssachsen.de##.cont-60 +ak-kurier.de,nr-kurier.de,ww-kurier.de##.container-banner deutscherskiverband.de##.container-banner-2 -secured.in##.container-banner-image -tarifagent.com##.container_fullbanner -rhein-zeitung.de,schwaebische.de,szon.de##.container_rectangle -augsburger-allgemeine.de,goslarsche.de##.container_skyscraper -schwaebische.de,szon.de##.container_skyscraper_content -augsburger-allgemeine.de,goslarsche.de##.container_skyscraper_wallpaper -neckar-chronik.de##.container_top5 -bleckede.de##.content > #rightcontainer:last-child -sprachnudel.de##.content > #toplinks -sprachnudel.de##.content > #toplinks2 -fscklog.com##.content > .posted:first-child img -speedlounge.in##.content > center > hr[width="100%"] + a -hammstars.de##.content > div[style="margin-top:-18px; float:right; width:237px; text-align:right;"] -hamm.biz,hammonline.de##.content > div[style="position:relative; top:-13px; float:right; margin-left:15px; font-size:10px; text-align:right;"] -notebookjournal.de##.content > div[style="width:50%;height:260px;float:left;"] -kaufn.com##.content > h1 > hinweis -sprachnudel.de##.content > span[id^="viewcontent"]:first-child > ul:first-child:last-child -sprachnudel.de##.content > ul[class^="toplinks"] -sprachnudel.de##.content > ul[id]:first-child -designtagebuch.de##.content-google-728 +1000ps.at,1000ps.de##.container-billboard +mt.de##.container.margin-bottom-40.fullwidth-container-mobile.min-280 +goslarsche.de##.container_skyscraper +android-hilfe.de##.content-ad-first +hoerzu.de##.content-amazon kostenlosspielen.net##.content-main-box-300x250 kostenlosspielen.net##.content-main-box-728x90 -designtagebuch.de##.content-mediumrec -heimspiel-online.de##.content-rahmen + table[cellspacing="0"][cellpadding="0"][border="0"][style="padding-bottom:5px;"] kostenlosspielen.net##.content-right-box-300x250right -primavera24.de##.contentBanner -buffed.de,gamezone.de,pcgames.de##.contentFrameEddie -1001spiele.de##.contentIndex > #contentRow -energiesparen-im-haushalt.de##.contentMainWrap > div[style="background:#A6BF2D;width:468px;height:94px;"] +tourispo.de##.content-teaser-small +help.ch##.content-teaser-tabs +futurezone.de,imtest.de,leckerschmecker.me##.contentAd--pos1 +buffed.de,gamezone.de,pcgames.de,pcgameshardware.de##.contentFrameEddie koeln.de##.contentRect -itwissen.info##.content_banner -sound-load.com##.content_box_content_dl > div + .fc + div -inside-digital.de,inside-handy.de##.content_ins -ladies.de##.content_left > .topteaser_td -atv.at##.content_rectangle -goldesel.to##.content_right > div > div[class^="d_"] > a > img -goldesel.to##.content_right > div[class]:first-child + div[class] -goldesel.to##.content_right > div[class^="d_"] > div + div[style="padding:8px;"] -sportal.ch##.content_right_side_wetten -augsburger-allgemeine.de,heise.de##.contentbanner -bild.de##.contentbar -dastelefonbuch.de##.context_banners -chip.de##.cs-widget[data-cloudsider="vod"] -klassikradio.de##.cssmedia[height="125"][width="288"] -rimparerhandballer.de##.custom > .adv_slideshowTable -24-tv.tv##.custom-bravomarket -lounge.fm##.custom-sponsor -mobile.de##.d-05-opromo_de -goldesel.to##.d_head + div[class^="d_"] > a > img -winload.de##.darklayer -3dl.tv##.ddl-mirnor-box.button[href*="="] -3dl.tv##.ddl-mirror-box[target="blank_"] -fail.to##.dealheader -gesichtskirmes.net##.deals -wetter.com##.desk-one-third a[id][href] > img[src] -hdfilme.tv##.detail > div[style="text-align: center;position: relative;"] -filmpalast.to##.detail > li > span > a -menshealth.de##.dfp_rand1 -menshealth.de##.dfp_ss1 -menshealth.de##.dfp_ss2 -muenchen.de##.dienste_anzeige -muensterschezeitung.de,ruhrnachrichten.de##.digitaleAnzeigen -morgensex.com##.dim_b945_h100 -bluewin.ch##.directto > .logos -freetipps.com##.ditto-shopping -volksblatt.li##.divAnzeige -volksblatt.li##.divBanner -volksblatt.li##.divPdfAnzeigen -volksblatt.li##.divRectangle -ladies.de##.div_head_main_anzeige -gamestar.de##.dlightboxContainerBody > div[style="color: #5D5D5D; font-size: 18px; margin: 10px 10px 10px 20px; text-align: left;"] + .standardcontent > [type="text/css"] + .articlelb > table -cyonix.to##.dllink -xxx-blog.to##.dltable + .easySpoilerWrapper + p:last-child -activevb.de##.dontprint[cellpadding="1"][bgcolor="#c0c0c0"][align="center"] -downloadstube.net##.download > a[onclick] > .redcolor -downloadstube.net##.download > a[onclick]:last-child -downloadstube.net##.download_hoster -vip.de##.eTeaser +tourispo.de##.contentRefsAside +windowspro.de##.content_before_3rd_para +avguide.ch##.contest-frame +mannheimer-morgen.de##.core-commercial +finanzen.net##.cpg_incontent1-container +finanzen.net##.cpg_incontent2-container +daswetter.com##.creatividad +u1-radio.at##.csc-partner +haus.de##.css-1mdt86f +autoscout24.ch,motoscout24.ch##.css-ljr5pl +filmstreaming-de.life##.custom-ban-wrap +boerse-express.com##.custom-bexad +disco-load.cc##.custom-footer-banners +derkleinegarten.de##.custom-inhoadd +satvision.de##.custom_googleanzeige +digitalfernsehen.de##.custom_html-7 +ingolstadt-today.de,mittelbayerische.de##.d-sm-block +goldesel.sx##.d_695692 +blockbuster.to##.d_702192 +saugen.to##.d_702212 +unnuetzes.com##.da-container +unnuetzes.com##.da-container-sky +servus.com,terramatermagazin.com##.da__placeholder +bergwelten.com##.da_placeholder +wochenblitz.com##.data-wb-main-adv-dir-right +bluewin.ch##.daydeal-container +spox.com##.dazn +dubisthalle.de##.dbh-widget +sportbuzzer.de##.dcm-section-wrapper +nextpit.de##.deals-ticker +furche.at##.default-teaser--ads-teaser +deutschsex.com,deutschsex.mobi##.default__interest-block +deutschsex.com##.default__realtive-block +wetter.com##.desk-pv.desk-pb\+.portable-pv.lap-pr--.lap-ml.lap-pl-.bg--green-lightest.portable-ml0.border--top.border--bottom.palm-ph15 +nau.ch##.desktop-wideboard-top +liveticker.com##.detailLeaderboard +heimatreport.de##.dfad +kt1.at##.dfmhtmlbanner +barfuss.it##.dfp-skyscraper +beat.de,digitalphoto.de##.dfpcontainer +segeljournal.com##.displaybanner-container +volksblatt.li##.divAdd_Banner +tieronline.ch##.djslider-in +kachelmannwetter.com##.dkpw +gload.to##.dl2019main +express.de,ksta.de,rundschau-online.de##.dm-slot +rundschau-online.de##.dm-slot__skyContainer +ksta.de##.dm_ta300x300.sold_content +raidrush.net##.double-wrapper +scp07.de##.dp-sponsorenfooter +mobile.de##.dsp-placeholder +bolzano-bozen.it##.dt metropolico.org##.e_adv -mtg-forum.de##.ebay_banner -camidos.de##.ebay_hits -abnehmen.com,amerika-forum.de,aquariumforum.de,campen.de,deejayforum.de,linux-forum.de,pferd.de,rechnungswesenforum.de,reitforum.de,sat-ulc.eu##.ebayitems -abnehmen.com,amerika-forum.de,aquariumforum.de,pferd.de,rechnungswesenforum.de##.ebayitems3 -sinn-frei.com##.ebp -abacho.de##.econa_editorial_tips -abacho.de##.econa_editorial_tips_header -hoerbuch.us,lesen.to##.eintrag_dowload0_link -lesen.to##.eintrag_download0 -hildesheimer-allgemeine.de##.einzelbanner -pnp.de##.em_cnt_ad_hinweis -pnp.de##.em_cnt_ad_hinweis + div -report-k.de##.empfanzeige -xdate.ch##.empfehlung -branchen-info.net##.empfehlungen -ecommerce-vision.de##.entry > div[style="float: right; padding: 0 0 10px 10px;"] -hd-world.org##.entry > p[style] -sueddeutsche.de##.entry-content > .overlay +euractiv.de##.ea-gat-slot-wrapper +ebike-news.de##.ebn-billboard +ebike-news.de##.ebn-billboard-mobil +ebike-news.de##.ebn-incontent-1 +der-rissener.de##.ed-element +laborjournal.de##.ed_d +l-mag.de##.editorial-teaser +eintracht.de##.ef-article-card--ad +eintracht.de##.ef-footer__section +eintracht.de##.ef-footer__section--logos +eintracht.de##.ef-stadium-ad__banner +fruchthandel.de##.element_leaderboard +fruchthandel.de##.element_squarebuttongroup +mundus-art.com##.elementor-element-0e1ce7d +report24.news##.elementor-element-1266dd4 +spot-on-news.de##.elementor-element-127b96a +elektroauto-news.net##.elementor-element-1f0334b +schweizerbauer.ch##.elementor-element-31a7df7 +report24.news##.elementor-element-41d9f5c +report24.news##.elementor-element-4330702 +elektroauto-news.net##.elementor-element-5edce23 +report24.news##.elementor-element-6b9ddea +elektroauto-news.net##.elementor-element-6c8f458 +elektroauto-news.net##.elementor-element-8419f6d +schweizerbauer.ch##.elementor-element-a2b2b40 +nunu.at##.elementor-element-dc42ab9 +report24.news##.elementor-element-ef8547e +femotion.de##.elementor-element-f2d5c64 +radioholiday.de##.elementor-element-f3e9036 +spielen-slots.at,spielen-slots.com,spielen-slots.de##.end-to-end-banner etcg.de##.eral_wrapper -picdumps.com##.evil_1 -sueddeutsche.de##.expediasearch +marina.ch##.et_pb_row_0_tb_header +kaufland.de##.exp-vision__ext-wrapper--spad +immobilienscout24.de##.expose-ad-placeholder +cannabis-medic.eu##.externalURL news.de##.extraContentContainer -bild.de##.eyecatcher -fussballoesterreich.at##.fadeVerein1 -fussballoesterreich.at##.fadeVerein2 -fussballoesterreich.at##.fadeVerein3 -computerhilfen.de##.fcontent2 > a > img[width="612"][height="221"] -poker-lernen.info##.featured -emok.tv##.fenster_gadgets +de.motor1.com##.f1de-container +mywheels.tv##.falken-banner +fcbayern.com##.fcb-ad-banner-container +spox.com##.fco-ad +spox.com##.fco-ad-wrapper +spox.com##.fco-openweb-ad +bunte.de##.fe-channel-item--promo +ligainsider.de##.feature.no_border.pull-left.mb-md +ligainsider.de##.feature_column.pull-left.new_add ff-bz.com##.ff-ba -rechnungswesenforum.de##.ffwidget_sidebar -bloggospace.de##.first_pub -preisvergleich.de##.flexTop -wochenblitz.com,wohnungswirtschaft-heute.de##.flexbannergroup -buchhalterprofi.de##.flexi-bnrs +2ertalk.de,autoextrem.de,skodacommunity.de,toyota-forum.de,usp-forum.de##.fh-inside-post +autoextrem.de,skodacommunity.de##.fh-sidebar +pedelecforum.de,toyota-forum.de##.fh-sidebar-top +toyota-forum.de##.fh-sidebar.block > .block-container +zeitpunkt.ch##.field--name-field-werbebild +trvlcounter.de##.first_slot +fight24.tv##.fixed.bottom-0.pb-8 +rewe.de##.flagship-container +kleinezeitung.at##.flex.justify-center.mx-auto.hidden.lg\:flex.lg\:mb-4.lg\:pb-4 +uepo.de##.flexslider +floatmagazin.de##.float-widget tvinfo.de##.floatLeft[style="padding:10px;"] -one2stream.com##.floater -computerwissen.de##.floater[style="display: block;"] -hoerzu.de##.footer-banner-program -tchgdns.de##.footer-pub -scene-gamers.g-portal.de##.footer-widget -antenne-frankfurt.de##.footer_textbox2 -bild.de##.footerbar -fundanalyzer.de,fundresearch.de##.fragSeitenKopf -downloadstube.net##.frame_side -downloadstube.net##.frame_top -mydrg.de##.frameo -downloadstube.net##.frameside -downloadstube.net##.frametop -mydrg.de##.frameu -suche.freenet.de##.frn_kapsel -freenet.de##.frn_promoReisen -cinema.de##.fswrapper -lokalisten.de##.fullBanner -bild.de,preussenspiegel-online.de,wirtschaftsblatt.at##.fullbanner -airgamer.de##.fullbanner2 -phpforum.de##.ga336 -quoka.de##.gad -sinn-frei.com##.gadline -markt.de,preisgenau.de##.gads -rawsucker.com,sinn-frei.com##.galine -quoka.de##.gallery + .partner -lakeparty.de##.gallery-banner-wrapper -tvspielfilm.de##.gallery-box + div[style="margin:20px 0 20px;text-align:center"] -tagesspiegel.de##.gam_wrapper -spielkarussell.de##.game-side-banner-wrap -webmart.de##.gap -pooltrax.com##.gas2 -t3n.de##.gasTeaser -winfuture.de##.gcap -geizhals.at,geizhals.de,gh.de##.gh_fp -geizhals.at,gh.de##.gh_fp_wide -heise.de##.gh_teaser -sinn-frei.com##.gline -finanztreff.de##.goldsilbershop -euractiv.de##.google -ichspiele.cc##.google-box -magistrix.de##.google-dfp -pkv-private-krankenversicherung.net##.google2 -tecchannel.de##.google_block -musicloud.fm##.green -porn2you.org##.grid-h[style="width: 735px;"] +freiburger-nachrichten.ch##.fn-edp-section__slider +seo-suedwest.de##.fnet-banner +amazona.de##.fnetbr-pbb-container +gwd-minden.de##.footer +katzeausdemsack.de##.footer-banner +deutschepornos.co,erotik-sexvideos.com,geilesexclips.com,gratis-sex-videos.net,gratisfickvideos.net,kostenlose-sexvideos.biz,sexfilmetube.net,sexkostenlos.biz,xhamsterdeutsch.xyz##.footer-dingens +hottime.ch##.footer-grey +fcbayern.com##.footer-p4rtn3r-container +ecrbs.redbulls.com,fussball.de##.footer-partner +fcbayern.com##.footer-partner-container +dtb.de##.footer-sponsor-section +schalke04.de##.footer-sponsors +xhamsterde.com##.footer-widget-zone +bitch.ch##.footerBanner +saechsische.de##.footer__partner +rhein-neckar-loewen.de##.footer__slider +haie.de##.footer__sponsors +oefb.at##.footer_partner +scdhfk-handball.de##.footer_sponsor_row +1200grad.com##.footerbanner +nordkurier.de,schwaebische.de##.fp-ad-placeholder +fruchtportal.de##.fp-banner +arboe.at##.frame-type-mask_toolboxcontentad1 +freenet.de##.frn_contAmazon +woz.ch##.frontpage-card-banner +puls24.at##.fullbanner-wrapper +raidrush.net##.funbox +99ers.at##.fusion-builder-row-14 +fcschweinfurt1905.de##.fusion-builder-row-3 +ka-news.de##.fusslogos +atv-quad-magazin.com,beautytipps.ch,betriebseinrichtung.net,business24.ch,celler-presse.de,denkmalpflege-schweiz.ch,docma.info,events24.ch,gailtal.news,gitschtal.news,gourmetnews.ch,greifenburg.news,haie.de,hansa-online.de,haushaltsapparate.net,hermagor.news,hifi-today.de,islamiq.de,it-production.com,jungefreiheit.de,klagenfurt.news,lite-magazin.de,moebeltipps.ch,motortipps.ch,oldenburger-onlinezeitung.de,oscar-am-freitag.de,polizei-nachrichten.at,polizei.news,pool-magazin.com,radenthein.news,radio-aktiv.de,rechtsdepesche.de,reiseziele.ch,skipper-bootshandel.de,spittal.news,stadt-nachrichten.de,steinfeld.news,swz.it,tierwelt.news,troepolach.news,umzugstipps.com,unternehmermagazin.de,verkaufsoffener-sonntag.com,via-ferrata.de,villacher.news,weissensee.news,werne-plus.de,wir-leben-outdoor.de##.g +ego4u.de##.g-adv-side +ego4u.de##.g-adv-top > .inside +golem.de##.g6 > .clearfix[style="margin: 20px 0; clear: both; min-height: 640px;"] +golem.de##.gbox_affiliate +jungfrauzeitung.ch##.gokb +jungfrauzeitung.ch##.gokwblock +nydus.org##.googl +dejure.org##.googlediv +swim.de##.gpevxonqc +pr0gramm.com##.gpt +modernhifi.de##.grey-banner +modernhifi.de##.grey-banner-bottom +epd-film.de##.group-externe-links +gruender.de##.gruender-banner +seo-suedwest.de##.gruenebox2 +gelbeseiten.de##.gs-searchblock--adContainer my-homo.net##.gstsk -pcgames.de##.gul300 -myvideo.de##.hAdHead +fussballtransfers.com##.gtag +wetter.de##.guj-ad-slot +chefkoch.de##.gujad-wrapper +my-homo.net##.gxt_banner +my-homo.net##.gxt_feed +qiez.de##.h5v +helpster.de##.h5v-ad news.de##.halfpage -wetter.de##.halfsizerect + .pageItem -map24.com##.hand[onclick="showbahn();"] -tvemsdetten.com##.hauptsponsor -baunataler.de##.hauptsponsoren +hallobuer.ruhr##.hallo-inhalt_2 +pornotim.com,xhammer.net##.happy-inside-player +pornohut.info##.happy-player-beside +hc-erlangen-ev.de##.hauptsponsor +fc-hansa.de##.hauptsponsoren +tagesspiegel.de##.hcf-news-aktuell ak-kurier.de##.hd-banner -goldesel.to##.hdls -forum.golem.de##.head2 + p + div[style="min-height:266px; margin:20px 0 10px;"] -au-ja.de##.headADB -au-ja.de##.headADV -fernsehlounge.de,staedte-info.net##.headbanner -eierkraulen.net##.header + .framenavi -goldesel.to##.header + ul + ul > li > a > img -derwesten.de##.header > .g_1of1 > .box > .mod_pic > .hyph > .img -downloadstube.net##.header > div:last-child > a[onclick]:first-child -sunshine.it,videothek.cc##.header-banner -lintorfer.eu##.header-widget -blick.ch##.headerPartners -datensammler.org##.header_right_d -kabel-blog.de##.header_top_banner -livingathome.de##.heftBox[style="padding-left:0px;margin-left:0px;padding-bottom:8px;margin-top:1px;"] -transfermarkt.at,transfermarkt.ch,transfermarkt.de##.hide-for-small[style="height: 273px; text-align: center; overflow: hidden;"] -deutsche-startups.de##.highlighted.squares -moviebb.to##.highspeed_button -stayfriends.de##.hint-adhint + .promoContainer + .cmsSlotContainer -heise.de##.hinweis_anzeige +fkk24.de##.head-top-bannerplace +blickpunkt-brandenburg.de,fruchtportal.de,katzeausdemsack.de,nh24.de,sunshine.it##.header-banner +deine-tierwelt.de##.header-leaderboard +deine-tierwelt.de##.header-leaderboard-container +tennis.de##.header-logo-second-display +radzeit.de##.header-main +fcbayern.com##.header-presented-by +taucher.net##.header-promo +verlagshaus-jaumann.de##.header-right +computersm.com##.header-top +gartenschlumpf.de##.header-widget-area +oxmoxhh.de##.header-widget-inner +mtb-news.de##.header__banner +bankkaufmann.com##.headeradvert_ +techstage.de##.heise-ad-element-wrapper fremdwort.de##.hinweisad -technic3d.com##.home > footer[style="bottom: -105px;"]:last-child > div:first-child -tarnkappe.info##.home-bottom > #text-36 -tarnkappe.info##.home-middle > #text-10 -tarnkappe.info##.home-middle > #text-18 -tarnkappe.info##.home-top > #text-29 -gamestar.de##.homeContHlCol3[style="width:289px;"] > div[style="padding:20px 0 0 0;"]:last-child -gamestar.de##.homeContReg > .homeContRegCol1 > .elemCont > a > img -gamestar.de##.homeContReg > .homeContRegCol1 > div[style] > a > img -gamestar.de##.homeContRegCol3 > .elemCont + .elemCont + .elemCont + .elemCont[style="position:relative;"] + .elemCont + .elemCont > .titleHead + .article -gamestar.de##.homeContRegCol3 > .elemCont + .elemCont + .elemCont + .elemCont[style="position:relative;"] + .elemCont[style="position: relative;"] > .titleHead + .article -netzkino.de##.horizontalBanner -heinertown.de##.htown_anzeige -news.de##.ialayer-container +budapester.hu##.hirdetes +gebraucht-kaufen.de##.hitdb +berlinmitkind.de##.hm_widget_banner +b2run.de##.hmpartnersglobal +emmikochteinfach.de##.holder-box-5 +intimesrevier.com##.home_rennab +hallescherfc.de##.home_sponsor_slider +tirol.de##.hotelempfehlung +homeandsmart.de##.hs_anbieter_box_block +boerse-online.de##.hsbc_homepage_topflop news.de##.ialayerContainer -gmx.net,web.de##.iba-uncertain -tz.de##.id-Container--promotion -tz.de##.id-Teaser-el--promotion -wa.de##.idMediaParagraph > .idMediaRight > .idTextBox -delamar.de##.iframe300 -immobilienscout24.de##.ikea-link -finanzen.ch##.image_logo_ubs4 -derwesten.de##.img[href^="http://www.albelli.de/angebote/"] -augsburger-allgemeine.de##.img_inline[style="width:310px; margin:0px 10px 0px 0px; padding: 0px;"] -autoline-eu.at,autoline-eu.ch,autoline.de##.index-center-banners-1 -autoline-eu.at,autoline-eu.ch,autoline.de##.index-main-banners -finanztreff.de##.indizes_dbx_trackers -hornoxe.com##.infobox + .navigation + [align="center"] + .box-grey -technic3d.com##.infscroll > .rcolumn2[style="text-align: center; height: 250px;"] -quoka.de##.inner > #RelatedAdsList + .yui3-g -ultras.ws##.inner:first-child:last-child > .corners-top:first-child + .topiclist + div[style="padding: 5px 5px 2px 5px; font-size: 1.1em; background-color: #ECF1F3; margin: 0px auto; text-align: center;"] -hcelb.de##.intpartner -verkehrsportal.de##.ipbtable .catend +gmx.net,web.de##.iba-variant-test +pcwelt.de##.idgAmazonTextV2 +computerwoche.de,tecchannel.de##.idgLeaderBoard +channelpartner.de##.idgWebcastsCarousel +heise.de##.img-ad +kronenachrichten.com##.img-banner +emmikochteinfach.de,karrierebibel.de##.in-content +funcloud.club##.inArticleA +heise.de##.incontent3-cls-reduc +bikemarkt.mtb-news.de##.incontent__container +autoline.de,autoline24.at,autoline24.ch##.index-bns +help.ch##.indexwerbung +sparneuwagen.de##.infeedthingy +allround-pc.com##.infoHeadWrap1 +lippe-news.de##.inline_wrapper +erotikinserate.ch##.inner +blitzrechner.de##.inserter-5 +blitzrechner.de##.inserter[data-ai] +xdate.ch##.interstitial sueddeutsche.de##.iqad -sueddeutsche.de##.iqadcontainer -golem.de##.iqadmarker -immobilienscout24.de##.is24-banner -immobilienscout24.de##.is24-map-addressContainer a[href^="//servedby.flashtalking.com/click/"] -kochbar.de,rtl.de##.isAdVisible + .halfpage -lachschon.de##.item3ds -schulterglatze.de##.item_adverts_dienst -bild.de##.jetzt_aufnehmen -kulturmanagement.net##.joboffer_banner_wrapper -heise.de##.jobtv24 -de.yahoo.com##.js-applet-view-container-main > style + .NavLinks + .Bd-t + .NavLinks -aachener-nachrichten.de##.kalaydo-container -kochbar.de##.kb-has-rectangle -kochbar.de##.kb-recipe-comment-container > .kb-recipe-comment-right-fix -wortfilter.de##.kuriosbox -1jux.net##.l-jux-post + .black -1jux.net##.l-mod[style="height:250px"] -123people.de##.l_banner -pi-news.net##.l_pics > a:not([href*=".pi-news.net/"]) -indeed.ch##.lastRow + div + div[class] > div[class]:first-child + .row -indeed.ch##.lastRow + div + div[class] > div[class]:first-child + .row + .row -chemnitzerfc.de##.lay_banner_teaser2 -games.ch##.layer -hoh.de##.lb_skyscraper -ichspiele.cc##.leader -airgamer.de,auto-motor-und-sport.de,billig-flieger-vergleich.de,buffed.de,de.de,gamesaktuell.de,gamestar.de,gamezone.de,meteovista.de,pcgames.de,pcgameshardware.de,spielefilmetechnik.de,spielen.de,technic3d.com,trailerzone.info,videogameszone.de##.leaderboard -antenne.de,rockantenne.de##.leaderboard-wrapper -istream.ws##.leaderboard2 -lkz.de##.left > .content[style="min-height:100px"] -narutoloads.org##.left-hand-global -au-ja.de##.leftADB -au-ja.de##.leftADV -taketv.net##.leftbanner +saechsische.de##.iqadtile-wrapper +faz.net,tagesspiegel.de##.iqdcontainer +tri-mag.de##.irypolkj +allround-pc.com##.is-fp-outer +onvista.de##.isSponsored +islamische-zeitung.de##.islam-widget +it-daily.net##.itd-ad-sidebar +buffed.de,pcgames.de##.item + .at_sponsored > .itemHeadline +pragerzeitung.cz##.item-advert +kleinanzeigen.de##.j-liberty-wrapper +gamepro.de,gamestar.de##.jad-placeholder +computerbild.de##.jobbioTeaser +interaktiv.tagesspiegel.de##.jobunion-container +nur-positive-nachrichten.de##.jrCardBanner +suedostschweiz.ch##.js-audienzz +eurocampings.de##.js-mock-banner +eurogirlsescort.de##.js-stt-click > picture +wetter.com##.jsDaa-D +lustmap.ch##.js_bns +kochbar.de##.kb-home-medrec-halfpage +kauperts.de##.kca-wrapper +kicker.de##.kick__ad-pos_wrapper +euro.kicker.de##.kick__euro2020-brand-sponsor +euro.kicker.de##.kick__modul--euro__sponsor +klartext-ne.de##.klartads-widget +1000ps.de##.kleinueber > .row + div > .topzubehoeranzeige-berichte +sexgeschichten.com##.kosmonaut_120x600 +sexgeschichten.com##.kosmonaut_300x250 +kochbar.de##.ks-ad:not([data-adslot="karotte"]) +holstein-kiel.de##.ksv-sponsoren-footer +medienwoche.ch##.kurator +swissfunddata.ch##.l-partnerSlideContainer +vol.at##.laendleimmo +digitalkamera.de##.landing-brands +regioactive.de##.lb +sexabc.ch##.lead-col +intimesrevier.com##.lead_rennab +boomerangtv.de,infosat.de,linux-community.de,linux-magazin.de,meteovista.de,rhein-zeitung.de,spielen.de##.leaderboard +antenne.de,antenne.nrw,rockantenne.at,rockantenne.de,rockantenne.hamburg,schwaebische.de##.leaderboard-wrapper +gastrojournal.ch##.leaderbord +gmx.net,home.1und1.de,web.de##.left-col__bottom +wasserburger-stimme.de##.lefthellwetter queer.de##.leistenbanner -bunte.de##.li_imageteaser_row_typ3 -mov-world.net##.link .archive.online[target="_blank"] -mobilegeeks.de##.link-display-large[href^="https://www.mobilegeeks.de/go/instaffo/"] -handballecke.de##.linkEmpfehlungen -kissfm.de##.links -kicker.de##.linksebay +frischauf-gp.de##.ligaadd +1000ps.ch##.links +xdate.ch##.list-AxDxS +mydict.com,mydict.net##.list-group +gmx.ch,gmx.net,web.de##.list-inbox-ad-item--multi-line +gmx.ch,gmx.net,web.de##.list-programmatic-inbox-ad-item__iframe queer.de##.listenbannerlinks -myvideo.de##.liveHeaderSponsor -l-iz.de##.liz_Ad_468_60 -l-iz.de##.liz_Ad_sky -finanztreff.de##.lnx -downloadstube.net##.load_side -downloadstube.net##.load_top -eliteanimes.com##.logo +liveticker.com##.live-betting-strip +bibliomed-pflege.de##.lns-banners-zone +ladies.de##.location-teaser +mainz05.de##.logo-footer-module +wohnidee.wunderweib.de##.logo-slider zfans.de##.logo_rechts_mitte -rollertuningpage.de##.logobackground > span[style="color:#FFFFFF; font-size:10px;"] -lokalisten.de##.logoutCont -wiealt.myvideo.de##.logout_container_box -web.de##.lottoJackpot -abendzeitung-muenchen.de##.lp_standard_rectangle -prozentrechner.net##.lxButton[target="_blank"] -macnews.de##.macdeal -hsg-gensungen-felsberg.de##.main > .inner > #ja-hl -orschlurch.net##.main > div > div:first-child + .widget -orschlurch.net##.main > div > div:first-child + div[id] -goldesel.to##.main a[href^="apps/windows/"] -wunschkennzeichen.de##.main-banner -auto-online.ch##.main-leaderboard -xc.dhv.de##.mainBodyTable2 > tbody > tr > td[style="vertical-align: top; padding-top: 30px; padding-right: 20px; text-align: right;"]:first-child -90elf.de##.mainBottomSpace -linkbase.in##.mainContentBoxLast[style="-moz-border-radius:5px 5px 0px 0px;"] -linkbase.in##.mainContentBox[style="-moz-border-radius:5px 5px 0px 0px;"] -forexpros.de##.mainLightBoxFilter -bloodchamber.de##.main_banner -spiele-umsonst.de##.main_gamebox_mid2 -svs-seligenporten.de##.main_sponsor -eeepc.de##.mainpage > .tableinborder[cellspacing="1"][cellpadding="1"][border="0"][style="width: 96%"] -gamepro.de##.marketbox_brace -macwelt.de,pcwelt.de##.marketplace -mobilfunk-talk.de##.md1 -t-online.de##.med_anz -myvideo.de##.med_reg_box -wetter.com##.media__body[style="position: relative;"] > a -techno4ever.fm##.medium_rect -rtl-west.de,rtlnord.de##.medrec -teleboerse.de##.medrect -fhm-magazin.de##.medrectcol2 -heise.de##.meldung_preisvergleich -netdoktor.at##.menu-sponsor -sinn-frei.com##.menu_feat -eliteanimes.com##.menu_rechts_sonstiges > a[target="_blank"] -goldesel.to##.menue + ul > li > a > img -wasserurlaub.info##.message > .container-2.guestPost -franken-tv.de,kanal8.de,radio-trausnitz.de##.metrieanzeigen -radio7.de##.microbanner -wetter.com##.middle > div[id][class]:first-child > a[href]:last-child > img[src]:first-child:last-child -fettspielen.de##.middle-leaderboard -wetterspiegel.de##.mir-wallpaper-background[align="right"][style="height: 250px"] -wetterspiegel.de##.mir-wallpaper-background[height="90"][align="right"] -downloadstube.net##.mirror -aol.de##.mnid-daily-buzz5 -aol.de##.mnid-marketplace3-2line-ad_evergreen -aol.de##.mnid-qnav-quick-nav-amazon_quick-nav-global -aol.de##.mnid-qnav-quick-nav-ebay_quick-nav-global -myvideo.de##.mobLiveHeaderLogo -blaue-blume.tv,goldstar-tv.de,kremser-sc.at,romance-tv.de##.mod_banner -braunschweiger-zeitung.de##.mod_deal -sportal.de##.moduleArticleAnzeigeTnt -mmnews.de##.moduletable > div > p[style="text-align: center;"] -esl.eu##.montrealadvertisementlayer -esl.eu##.montrealadvertisementlayer2 -antag.de##.more_info -derwesten.de,stuttgarter-zeitung.de,wlz-fz.de##.mp-slider -motorradonline.de##.mps-banner +thsv-eisenach.de##.logos +tv.herthabsc.com##.logos-partner-holder +basic-tutorials.de##.losgehts-widget +wallstreet-online.de##.lynxAds +4investors.de##.lynxanzeige + .lynxcontainer +stuttgarter-nachrichten.de##.m-weekli +juedische-allgemeine.de##.magazinteaser +email.t-online.de##.mailAdElem +filmstarts.de##.main-banner +ofc.de##.main-club-partner +vienna-capitals.at##.main-sponsorlogo +hceppan.it##.mainSponsor +aerotelegraph.com##.marcopolo +mein-pferd.de##.marketing-wrapper +oe24.at##.marketingTeaserBanner +pcwelt.de##.marketplace +byte.to##.maxbutton +winfuture.de##.mb25[style="min-height:261px"] +morecore.de##.mcad_wrapper +morecore.de##.mcadblock +aus-liebe.net##.mdhRegister-btn +hausgeraete-test.de,heimwerker-test.de,hifitest.de##.med4 +hausgeraete-test.de,heimwerker-test.de,hifitest.de##.med5 +t-online.de,www-t--online-de.cdn.ampproject.org##.med_anz +ligaportal.at##.media +lokalo.de##.media_image-19 +lokalo.de##.media_image-22 +lokalo.de##.media_image-23 +lokalo.de##.media_image-24 +lokalo.de##.media_image-26 +lokalo.de##.media_image-28 +lokalo.de##.media_image-29 +lokalo.de##.media_image-30 +lokalo.de##.media_image-32 +fuersie.de,grazia-magazin.de,idee-fuer-mich.de,jolie.de,leben-und-erziehen.de,maedchen.de,ok-magazin.de,petra.de,vital.de##.mediumrectangle +ligaportal.at##.medrec +comback.ch##.mega-banner-outer +2ertalk.de,android-hilfe.de,grillsportverein.de,hardwareluxx.de,macuser.de,toyota-forum.de,usp-forum.de##.message--post:not([data-author]) +lite-magazin.de##.metaslider +goolive.de##.mgawerbungbase +unterwasserwelt.de##.mh-footer +hallanzeiger.de##.mh-widget.s5214-widget +heise.de##.middle-ad-container +mt.de##.min-280.mr +schweizer-illustrierte.ch##.ministage-channel-sponsor-paragraph +intimesrevier.com##.miragobox +abendblatt.de##.mj-pf-widget +finanzen.net##.mleft-10 + .table-quotes +polizei.news,reiseziele.ch##.mobile-billboard-box +gartenflora.de##.mobile-interscroller +computerbase.de##.mobile-skin-ad +gelbeseiten.de##.mod-RechteWerbespalteStartseite +wohnglueck.de##.mod-adslot +fc.de##.mod-sponsor-icon +stuttgarter-zeitung.de##.mod-weekli +basses-blatt.de,beobachter-online.de,blaue-blume.tv,einbecker-morgenpost.de,gandersheimer-kreisblatt.de,goldstar-tv.de,romance-tv.de,studio-magazin.de##.mod_banner +aarauer-nachrichten.ch,st-galler-nachrichten.ch,wiler-nachrichten.ch,winterthurer-zeitung.ch,zugerwoche.ch##.mod_printanzeigen +schalke04.de##.module-advertising +fc-union-berlin.de##.module-footer-sponsors +99damage.de##.monkey-container +mopo.de##.mopo-ads-editor jetztspielen.de##.mpu -ebay.de##.mrec -meinestadt.de##.ms-promo-teaser -motor-talk.de##.mtbwrapper -express.de##.nah_box_horizonal -express.de##.nah_box_vertical -hsgnordhorn-lingen.de##.navbar-fixed-bottom -alle-autos-in.de##.naviP -wetter.at##.nearestLocations ~ div -gamers.at##.networkbanner + script + a -gamers.at##.networkbanner + script + a + a -codecheck.info##.news-adv -digitalvideoschnitt.de##.news-list-container + div[style="text-align:center; padding-top:20px; width:160px; margin:auto;"] -digitalvideoschnitt.de##.news-list-container > .news[style="height:80px;"] -glocalist.com##.news-single-content > a + div[style="text-align:center;"] -netmoms.de##.news-sponsor--brand -urlauburlaub.at##.newsitem -pc-magazin.de##.newsletterTeaser -dslteam.de##.newstxt > table[cellspacing="0"][cellpadding="0"][border="0"][align="right"][width="308"] -onlinekosten.de##.newstxt > table[width="308"][cellspacing="0"][cellpadding="0"][border="0"][align="right"] -pz-news.de##.nfy-ads -pz-news.de##.nfy-adslider-large -pz-news.de##.nfy-ar-topslider-rectangle -pz-news.de##.nfy-sebox-pz-adslider1 -pz-news.de##.nfy-sebox-pz-adslider2 -pz-news.de##.nfy-sebox-rectangle -beichthaus.com##.no > a[href^="http://bit.ly/"] +finanzen.net##.mrec-height-prefix +clever-tanken.de##.mrec-news +meinestadt.de##.ms-adPlace +mtb-news.de##.mtbn-fotos-incontent__container--mobile +mtb-news.de##.mtbnews-forum__in-thread +mtb-news.de##.mtbnews-forum__mobile-top +mtb-news.de##.mtbnews-mobile-sticky +mtb-news.de##.mtbnews-top +emtb-news.de,mtb-news.de,rennrad-news.de##.mtbnewsAdBillboardContainer +tutti.ch##.mui-style-17xiqz7 +anibis.ch##.mui-style-lwlc47 +tutti.ch##.mui-style-z954cu +naturalhorse.de##.n2-section-smartslider +diebildschirmzeitung.de##.n2-ss-slider-3 +ehv-aue.de##.n2-ss-slider-pipeline +finanznachrichten.de##.nadT +ploetzblog.de##.nav-anzeige +lavendel.net##.netpoint +fruchthandel.de##.news-item-wbg +fussballdaten.de##.news-spiel-quoten +wallstreet-online.de##.newsFlagSlider +kitzanzeiger.at##.news_sponsoren_banner +pz-news.de,rheinpfalz.de,zvw.de##.nfy-banner +dtb-tennis.de##.ng-banner +mallorcazeitung.es##.no-baldomero +frustfrei-lernen.de##.noContentBannerArea +gut-erklaert.de##.noContentBannerWb +wissen.de##.node-promoted mikrocontroller.net##.noprint > div[style] + div[style] > script:first-child + div[style]:last-child -mikrocontroller.net##.noprint > div[style] > div[id]:last-child > div[style] -versicherungsjournal.at,versicherungsjournal.de##.norm-lsp-wbox versicherungsjournal.at,versicherungsjournal.de##.norm-rsp-wbox1 +wochenblatt.cc##.normal-banner +pferd-aktuell.de##.normalSponsor team.gamed.de##.normal_text[width="100%"][valign="top"][height="100"][align="left"][border="0"] -lpgforum.de,pkw-forum.de##.notices + br + #vbseo_vhtml_1 -gmx.net##.notification-alert[data-notification-browser] -hamburg.de##.nscout[target="_blank"][href^="http://de.sitestat.com/"] -gmx.net,web.de##.offers -readmore.de##.ofhidden > div[style="width:520px; height:50px;"] -heise.de##.online-markt -hsc-bad-neustadt.de##.onlinepartner -rp-online.de##.orange -woerterbuch.info##.ov -kredit.com##.ovt_box +noz.de##.nozmhn_ad +nextpit.de##.np-product-offers +nextpit.de##.np-top-deals +netzwoche.ch##.np8-type-advertorial +lapippa.com##.nva-center +shop-apotheke.com##.o-ProductSliderItem[data-ssr-as*="\"clickUrl\":\"https://retail-api.sa-tech.de/api/"] +shop-apotheke.com##.o-SearchProductListItem[data-ssr-as*="\"clickUrl\":\"https://retail-api.sa-tech.de/api/"] +fitbook.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de##.ob-dynamic-rec-container:has(span[class="ob-rec-label ob-oc-label"]) +promiflash.de##.ob-p +winfuture.de##.ob_what +gs-forum.eu##.oc24-sidebar +liveticker.com##.odds +keyforsteam.de##.offline +maschinensucher.at,maschinensucher.ch,maschinensucher.de##.ofni +onmeda.de##.on-ad +finanznachrichten.de##.on-click--partner +onmeda.de##.on-top-banner-wrapper +klappeauf.de##.opa +autoscout24.at,autoscout24.de##.osa-as24-placeholder +onvista.de##.ov-interaction +onvista.de##.ov-interaction-slot +onvista.de##.ov-table-sponsored-row +ssv-brixen.info##.owl-carousel oz-online.de##.ox -goldesel.to##.p2p > a > li[style="width:283px;"] -ps3-talk.de##.p3twphead + div[style="height:146px;"] -goldesel.to##.page > .content_right > div[class^="d_"]:last-child -pizza.de##.page-list__premium-placements -myvideo.at,myvideo.ch,myvideo.de##.pageFW > .mya:first-child -wetter.de##.pageTeaserbarHorizontal -linux-forum.de##.page[width="100%"][cellspacing="0"][cellpadding="0"][align="center"] > tbody > tr[valign="top"] > td[valign="top"]:last-child > div[align="center"][style="margin-bottom:10px"]:first-child -diaet.abnehmen-forum.com##.page[width="150"][valign="top"][style="padding: 6px;"]:first-child -clap-club.de##.page_caption > #menu_border_wrapper + br + br + br + p -archiv.raid-rush.ws##.pagebody:first-child > div[style="margin-bottom:80px;height:250px;"] -golem.de##.paged-cluster-header + div[style="margin:15px 0; min-height:103px;"] -golem.de##.paged-cluster-header + div[style="margin:15px 0; min-height:266px;"] -chip.de##.paidlisting-body -eatsmarter.de##.pane-amazon-product-feed -freiburger-nachrichten.ch##.pane-frn-content-inserate-slider +happysex.ch##.p-banner-landscape-container +6navi.ch##.p-banners-withborder +emtb-news.de##.p-header +augsburger-allgemeine.de##.p-swatch_top-nice--blank.p-blocklink +kultur.bz.it##.page-banner +finanzen.ch##.page-layout__ad-header-bottom +tour-magazin.de##.page-sponsoring +eltern.de##.page__ad-element +rhein-zeitung.de##.page__billboard +windowspro.de##.paid +finanztreff.de##.paid-news-container +windowspro.de##.paidc +tschechien-online.org##.pane-aktuelle-top-links +grenzecho.net##.pane-dpipub-rossel-imu-middle-moblile +grenzecho.net##.pane-dpipub-rossel-native-top +fotomagazin.de##.pane-landing-advertorial +isnichwahr.de##.pane-simpleads-ad-groups-9 oekoportal.de##.panel-display > .panel-col-side > #block-views-website-block-1 -spiegelfechter.com##.parship -finanzen.net##.partBoeStu -finanzen.net##.part_boestu -dvd-forum.at,dwdl.de,euractiv.de,falstaff.at,falstaff.de,finanzen.net,ibash.de,leinehertz.net,multipic.de,plattentests.de##.partner -quoka.de##.partner > .hp-highlight -tvemsdetten.com##.partner-slider -eatsmarter.de##.partnerbox -quoka.de##.partnersmall -picdumps.com##.pcd_mitte -4players.de##.pcsponsor -sunshine.it##.penci_list_banner_widget -rtl.de##.performanceRect -20min.ch##.piazza -gamingxp.com,mobilexp.com##.platform_index_bsb -lounge.fm##.player-sponsor -bluewin.ch##.plinks2 -berliner-kurier.de,berliner-zeitung.de,express.de,gesundheit.de,ksta.de,mz-web.de,rheinische-anzeigenblaetter.de,rundschau-online.de##.plistaList img[src*="/image/"] -berliner-kurier.de,berliner-zeitung.de,express.de,gesundheit.de,ksta.de,mz-web.de,rheinische-anzeigenblaetter.de,rundschau-online.de##.plistaList img[src^="/"] -freenet.de##.plistaList img[src^="https://blob.freent.de/image/"] -picdumps.com##.plug + br[style="clear:both;"] + div[style] -picdumps.com##.plug_fu -picdumps.com##.plug_q2 -picdumps.com##.plug_w -playcentral.de,playmassive.de,playnation.de##.pnad -myvideo.de##.poker_livechat -de.pons.com##.ponsAd -webmiles.de##.popup -grosseleute.de##.portalColumnInner > :nth-child(n) a[href] div img[src^="image/"] -grosseleute.de##.portalColumnInner > :nth-child(n) div:first-child:last-child > div:first-child > a[href] > img[src^="image/"] -archiv.raid-rush.ws##.post + #g -raid-rush.ws##.post + #gg -ultras.ws##.post + .divider + .post.bg3 -moviebox.to##.post > .cover > center > a[target="_blank"] -serienjunkies.org##.post > .post-title + #outer -blogprojekt.de##.post > div[style="margin-left: 10px;"] > div[style="clear:both; font-size:8pt; text-align:right; width: 468px;"] +paradiso.de##.paradiso-hp-ads-horizontal +spielregeln.de##.parallax_link +duesseldorfer-anzeiger.de##.park-portal +1000ps.at,1000ps.ch,1000ps.de,broncos.it,electrive.net,eulen-ludwigshafen.de,fc-suedtirol.com,fck.de,hc-erlangen-ev.de,hcinnsbruck.at,hcpustertal.com,hsc-bad-neustadt.de,ibash.de,plattentests.de,veu-feldkirch.at##.partner +gmx.net,web.de##.partner-links +esports.ch##.partner-logos +herthabsc.com##.partner-main-footer +finanzfluss.de##.partner-news-card +bhc06.de##.partner-teaser +eintracht.com##.partner-wrapper +wallstreet-online.de##.partnerNews > a[target="_blank"] +rts-salzburg.at##.partner_section +gota6.ch,highway-magazin.de##.partnerlinks +deutscherskiverband.de##.partnerlogos +esports.ch,hannover96.de,p-stadtkultur.de,sihf.ch##.partners +vfl-wolfsburg.de##.partners-footer +floatmagazin.de##.partners-title + .partners +dererker.it##.partvert +dererker.it##.partvert-right +tagesstimme.com##.pb-8.text-center.float-center +fla.de##.pbph +otto.de##.pdp_reco-sponsored +heise.de##.perf-cls-reduc-leaderboard +heise.de##.perf-cls-reduc-rectangle +kino.de##.performance-pub +goyellow.de##.phoneblockAd +pi-news.net##.pi-banner +elle.de,esquire.de,freundin.de,harpersbazaar.de,instyle.de##.placeholdercontainer +blick.ch##.placement-leaderboard +blick.ch##.placement-rectangle +englisch-lernen-online.de##.plainContentCollection +zuckerporno.com##.pornofilme_recht +reise-preise.de##.port.hi +saarbruecker-zeitung.de,volksfreund.de,wz.de##.portal-slot +ga.de##.portal-top iphone-tricks.de##.post div[style="float:none;margin:0px 0 0px 0;text-align:center;"] -ak-kurier.de,nr-kurier.de,ww-kurier.de##.post td[valign="top"] > table[width="100%"][cellspacing="0"][cellpadding="0"][border="0"] > tbody > tr > td > a[target="_blank"] > img -radio1.ch##.post-box-middle-anzeige -finanztreff.de##.postbankdepot -amerika-forum.de##.postbitim:not([id]) -wallstreet-online.de##.posting + div[style="width:860px;"] -stol.it##.pr -dokus.to##.prc -digitalfernsehen.de##.preisvergleich_search -scm-gladiators.de##.presenter -wetter.de##.presenter-image -digitalfernsehen.de##.pricerunner_search -lyrics.de##.pro_teaser +ibooks.to##.post_content .btn +hartware.de##.postanzeige +swz.it##.pr +ostbelgiendirekt.be##.pr-area +prad.de##.prad-td-header-sp-recs +oljo.de##.preisboxinner +liveticker.com##.prematchOddsBonus__bonus +tri2b.com##.premium +frischauf-gp.de##.premiumPartner +golfv.de##.premium_firm_list +f95.de##.premiumpartner +pferd-aktuell.de##.presenting +deutsche-apotheker-zeitung.de##.presse +hsvhandball.com##.primary-footer +winfuture.de##.primis_widget +traktorpool.de##.print\:hidden.justify-center.items-center.mx-auto.min-h-\[205px\].max-\[330px\]\:hidden.relative.min-\[330px\]\:grid.min-\[330px\]\:w-\[300px\].min-\[366px\]\:min-h-\[250px\].min-\[366px\]\:w-\[336px\].min-\[780px\]\:min-h-\[90px\].min-\[780px\]\:w-\[720px\].min-\[1020px\]\:min-h-\[250px\].min-\[1020px\]\:w-\[960px\].min-\[1030px\]\:w-\[970px\].md\:mb-10.col-span-full.max-md\:order-3 +traktorpool.de##.print\:hidden.justify-center.items-center.mx-auto.min-h-\[205px\].max-\[330px\]\:hidden.relative.min-\[330px\]\:grid.min-\[330px\]\:w-\[300px\].min-\[366px\]\:min-h-\[250px\].min-\[366px\]\:w-\[336px\].min-\[780px\]\:min-h-\[90px\].min-\[780px\]\:w-\[720px\].min-\[1020px\]\:min-h-\[250px\].min-\[1020px\]\:w-\[960px\].min-\[1030px\]\:w-\[970px\].order-2.md\:order-1.md\:col-span-full +prinz.de##.prinz-info--lb +songtexte.com##.prmtnContentMin +songtexte.com##.prmtnKeepHeight +ariva.de##.prodo-shadow +kaufland.de##.product--spa +kaufland.de##.product--sponsored +otto.de##.product.spa +maclife.de##.productbox +zentrum-der-gesundheit.de##.products-inarticle-slider--parent aktionspreis.de##.produkt_uebersicht > div > br.clear -jappy.at,jappy.de##.promiflash -blick.ch##.promo -kabeldeutschland.de##.promo_teaser_2c +coolibri.de##.promContainer +endstation-rechts.de##.promo +campervans.de,reisemobil-international.de##.promo-af-wrap +tvspielfilm.de##.promo-box +tvspielfilm.de##.promo-box-any-banner +perfektdamen.co##.promo__item wegwerfemailadresse.com##.promobox -lieferheld.de##.promoted -20min.ch,lakeparty.de##.promotion -access.de##.promotionbox -psvita-forum.de##.psads -lingostudy.de##.psw_banner -suedtirolnews.it##.pub -parcello.org##.pull-right -gameone.de##.q_teaser_wrapper -quotenmeter.de##.qm-news-list-box -quotenmeter.de##.qm-right-box[style="position:relative"] -104.6rtl.com##.quicklinks-wrapper -au-ja.de##.rechtsADV -reimemaschine.de##.rechts_neu > table[border="0"][align="center"][width="150"]:first-child:last-child -gmx.de,web.de##.record-layer -hamm2night.de##.rect -hamm2night.de##.rectBox -kochbar.de,rtl.de,sport.de,vip.de,vox.de##.rectangel -bild.de,internetworld.de,lkz.de,modhoster.de,outnow.ch,rp-online.de,sonntagszeitung.ch,stylebook.de,suedkurier.de,travelbook.de,visions.de,win-10-forum.de,windows-forum.info##.rectangle -wetter.com##.rectangle-home img -myvideo.de##.rectangle1 -internetworld.de##.rectangleBox -mz-web.de##.rectangle_anzeige -rhein-zeitung.de##.rectangle_head -perun.net##.rekl-links -frag-mutti.de##.relcookiepopup -pizza.de##.restaurant-item--premium -quoka.de##.result a[href^="http://connect.quoka.de/qpa/click.php?url="] -quoka.de##.result-sml a[href^="http://connect.quoka.de/qpa/click.php?url="] -verivox.de##.resultlist-position-zero -gronkh.de##.revbig -gronkh.de##.revbox -notebookcheck.com##.reviewlisttable[width="100%"][border="0"][style="background-color:#EEEEEE;"] -stefan-niggemeier.de##.right-content > .external-content + .region-info -stefan-niggemeier.de##.right-content > .external-content + .region-info + a > img -narutoloads.org##.right-hand-global -parcello.org##.right-mo -heute.at##.rightBanner -notebookinfo.de##.rightColumn > .block-teaser-carousel -tarifcheck24.com##.right_anzeige -insidegames.ch,politik.ch##.right_banner -spiele-check.de##.right_box:first-child > h2:first-child + .p5:last-child -ka-news.de##.right_teaser_Anz -insidegames.ch##.right_top_banner -abload.de,taketv.net##.rightbanner -speedlounge.in##.rightbox -speedlounge.in##.rightcontent -playnation.de##.rl > .ca -oberpfalznetz.de##.rotating-banner -excitingcommerce.de##.row > .fourcol > #text-2 -magistrix.de##.row > div[style="text-align: right; padding: 0;"] -boerse-online.de##.rsmodulanzeige -rtl.de##.rtlde-medium-rectangle -ebay.de##.rtmad -quoka.de##.s24widget -com-magazin.de##.s2teaserboxes-typ-4 -com-magazin.de##.s2teaserboxes-typ-6 -digital-eliteboard.com##.samBannerUnit -islamische-zeitung.de##.sb-widget -gamepro.de##.sbpromotion -schulterglatze.de##.schulterglatze_leaderboard -hotfrog.at,hotfrog.ch,hotfrog.de##.search-middle-adblock -bildschirmarbeiter.com##.searchContainer + a + .sidebox -mittelhessen.de##.sebo_advert -teckbote.de##.sebo_rectangle -freiepresse.de##.section-adv -regensburg-digital.de##.seitenanzeige -quoka.de##.sem > li > #ContentPoleposition_Result -bild.de##.servicelinks -hoerzu.de##.shades-of-grey-banner -nasen-ratgeber.de##.show-on-desktop-480 -kleinezeitung.at##.si_adv_win2day -kleinezeitung.at##.si_topli -curved.de##.side-products--deals -informelles.de##.side2 -allround-pc.com##.side_banner -downloadstube.net##.side_frame -fernsehlounge.de##.sidebanner -tarnkappe.info##.sidebar > #text-28 -listsandnews-de.net##.sidebar > #text-3 -tarnkappe.info##.sidebar > #text-6 -gsx-r1000.de##.sidebar > .funbox > .funboxWrapper > .widget-group-random > #widget-15 +snowsociety.com##.promotion-teaser-container +stadt-bremerhaven.de##.psw-container +europa-landmaschinen.de,suedtirolnews.it##.pub +europa-landmaschinen.de##.pub-content +tchgdns.de##.pub-footer +tchgdns.de##.pub-single-side +mallorcazeitung.es##.publi_cabecera_270 +mallorcazeitung.es##.publi_mega +mallorcamagazin.com##.publicidad +t-online.de##.py-16.bg-alpine.border-b.border-solid.border-whitelilac.md\:min-w-page +t-online.de##.py-16.md\:py-24.border-solid.border-whitelilac.text-trout.leading-17.md\:hidden +lifechannel.ch##.pz_cont +radiobeo.ch##.qf-standard-banner-wrapp +teneriffa-news.com##.qm-head +teneriffa-news.com##.qm-side +ssvbozenhandball.it##.qodef-e-logo > img[height="80"] +jamesfm.ch##.qt-sponsor +grazia-magazin.de,idee-fuer-mich.de,ok-magazin.de,vital.de##.quartermedia +crossmagazin.de##.quiz-footer-wrapper +codecheck.info##.r +netzkino.de##.r-d045u9.r-1udh08x.r-bnwqim.css-1dbjc4n +dartsnews.de,power-wrestling.de,radsportaktuell.de,tennisaktuell.de##.raw-html-component +videoaktiv.de##.rcu +videoaktiv.de##.rec +nydus.org##.recommend +jobscout24.ch##.recommendations +games.ch##.rect +anisearch.de##.rectX +anisearch.de##.rect_sidebar +fussballdaten.de,i-fidelity.net,metal.de,modhoster.de,rheintaler.ch,telepolis.de##.rectangle +trendyone.de##.rectangle-right +hifistatement.net##.rectangles-row +radioguetersloh.de##.rectright +escortboard.de##.ref-header-top-baner +isnichwahr.de##.region-head-adbar-left +jungle.world##.region-topad +1000ps.at##.reifen-winter +economyaustria.at##.ressort_ad +suche.freenet.de##.result-container > .container-right +drpornofilme.com##.resumecard +curved.de##.review-recommendation-headline +curved.de##.review-recommendation-headline + a +nydus.org##.right > .widgetbox2 +oberberg-aktuell.de##.right-leaderboard +abload.de##.rightbanner +aol.de##.rmp-module__gam +dfb.de##.rotation-partners +vilan24.ch##.rotator +apfeleimer.de##.rotslide-wrap +reviersport.de##.rs-ad-tag +reviersport.de##.rs-superbanner +winfuture.de##.rutschdiv +sport1.de##.s1-ad +xn--solitr-fua.de##.sa2 +xn--solitr-fua.de##.sa2_top +desired.de,familie.de##.sad_banner +desired.de,familie.de##.sad_out-of-page +desired.de,familie.de##.sad_pubperform +desired.de,familie.de##.sad_rectangle +desired.de,familie.de##.sad_rectangle_2 +desired.de,familie.de##.sad_sky +desired.de,familie.de##.sad_topmobile +digital-eliteboard.com,disco-load.cc,musiker-board.de,woodworker.de##.samBannerUnit +digital-eliteboard.com,macuser.de,musiker-board.de,vielfliegertreff.de##.samCodeUnit +metal.de##.sb +wallstreet-online.de##.sb_popularleverageproducts +wallstreet-online.de##.sb_quotebox +ef-magazin.de##.sbad +popkultur.de##.sc-button[href^="https://amzn.to/"] +popkultur.de##.sc-button[href^="https://www.amazon.de/"] +servus.com,terramatermagazin.com##.sda +sport.sky.de##.sdc-site-au__leaderboard +sport.sky.de##.sdc-site-au__mpu-1 +forum.digitalfernsehen.de##.sdgAdServerAnchor +augsburger-allgemeine.de,golem.de,rheinische-anzeigenblaetter.de,t-online.de,watson.de##.sdgSlotContainer +sportdeutschland.tv##.sdtv-gothaer +trvlcounter.de##.second_slot +ladies.de##.section-banner +meedia.de##.section-banner-fullwidth +selbstaendig-im-netz.de##.selbs-blog-startseite-und-kategorien +selbstaendig-im-netz.de##.selbs-unter-artikeln +wallstreet-online.de##.shareInFocus +wallstreet-online.de##.shareTodayBox +merkurist.de##.shipment +merkurist.de##.shipmentPremium +gentleman-blog.de##.shoepassion_content_banner +gentleman-blog.de##.shoepassion_sidebar_banner +buffed.de,gamesaktuell.de,gamezone.de,pcgames.de##.shopLinkFrameWrapper +newzs.de##.shopWidget +xnxx2.de##.show-banner +xnxx2.de##.show-block +sexabc.ch##.showpopup +sexabc.ch##.showpopup-background +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com##.sicce-300x250 +pornoente.tv,pornohirsch.net,pornolisa.com,pornotanja.com##.sice-300x250 +german-porno-deutsch.info##.sidebar ploetzblog.de##.sidebar > .imglinks -queer.de##.sidebar > .liste -hc-empor.de##.sidebar > ul > #text-6 + #text-13 + #text-9 -1erforum.de,dasheimwerkerforum.de,mercedes-forum.com,modernboard.de,vermieter-forum.com##.sidebar a > img -stadt-bremerhaven.de##.sidebar a[href^="https://www.amazon.de/"][href*="&tag="] > img -berriesandpassion.com,kreativfieber.de##.sidebar-right > #text-11 +rheiderland.de##.sidebar-addbox +giga.de##.sidebar-btn-affiliate[rel="nofollow noopener sponsored"] +kreativfieber.de##.sidebar-right > #text-11 kreativfieber.de##.sidebar-right > #text-6 -berriesandpassion.com##.sidebar-right > #text-9 -rpc-germany.de##.sidebar_banner_bg -n-tv.de##.sidebar_block[style="width:300px;height:163px"] -n-tv.de##.sidebar_block_dark[style="padding-left: 40px; height: 200px;"] -downloadstube.net##.sidebox_details > div[class]:first-child -fettspielen.de##.similar-games > .unblock -fck.de##.site_ovlerlay -dokus4.me##.siyl -indeed.ch##.sjlast -my-homo.net##.sksc160 -my-homo.net##.sksc300 -stadtbranchenbuch.at,stadtbranchenbuch.com##.sky -lokalisten.de##.skyScraper -t-online.de##.skybannerWrapper +explora.ch##.sidebar-sponsor-outlay +parfumo.de##.sidebar_a +flugmodell-magazin.de,trucks-and-details.de##.sidebar_partners +der-farang.com##.sideboard_conatainer +automatentest.de##.sideinfo +einfachkochen.de##.site__ads-top +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com##.size-300x250 +computerbase.de##.skin-ad +gesundheit.de,onmeda.de##.sky-left +gesundheit.de,onmeda.de##.sky-right +hifi.de##.sky1-outer-container +frischauf-gp.de##.skyadd internet-sms.com##.skybg +anime-loads.org##.skycontent spiele-kostenlos-online.de##.skycraper -ak-kurier.de,auto-motor-und-sport.de,buffed.de,bvb.de,chat4free.de,dialo.de,dmax.de,dynamo-dresden.de,erotikchat4free.de,freechat.de,gamesaktuell.de,genderblog.de,gentleman-blog.de,jetztspielen.de,kanu.de,magistrix.de,nonstopnews.de,nr-kurier.de,pcgames.de,spielefilmetechnik.de,spielen.de,swoodoo.com,tabtech.de,techno4ever.fm,tsv1860.de,videogameszone.de,ww-kurier.de##.skyscraper -fettspielen.de##.skyscraper-container -b2run.de##.skyscraperContainer -kidszone.de##.skyscraper_background -insidegames.ch##.skyscraper_div -kidszone.de##.skyscraper_forum -gameone.de##.skyscraper_wrapper -nnz-online.de##.slide -load.to##.small_red -derboersianer.com##.smalladd -langes-forum.de##.smallfont > a[href^="http://www.ueberlaengen-shop.de/"][target="_blank"] -android-hilfe.de##.smallfont[style="text-align:center;width:740px;height:110px;padding-left:10px;padding-top:10px;padding-bottom:12px;background-color: #ffffff;border:1px solid #DFE6ED"] -android-hilfe.de##.smallfont[style="text-align:center;width:740px;height:110px;padding-left:10px;padding-top:10px;padding-bottom:5px;background-color: #ffffff;border:1px solid #DFE6ED"] -echte-abzocke.de##.smallfont[style="text-align:center;width:740px;height:115px;padding-top:10px;background-color: #ffffff;border:1px solid #DFE6ED"] -kochbar.de##.smatch -netzwertig.com##.sp0ns0r3n_columns -jappy.at,jappy.de##.spAdMR -1und1.de,smartsearch.de##.spLinksBottom -1und1.de,smartsearch.de##.spLinksTop +11freunde.de,amazona.de,charivari.de,dialo.de,dynamo-dresden.de,fruchtportal.de,jetztspielen.de,ligaportal.at,rheintaler.ch,spielen.de##.skyscraper +iplayapps.de##.skyscraper_left +iplayapps.de##.skyscraper_right +fla.de##.skyscrapper-left +fla.de##.skyscrapper-right +search.ch##.sl-banner +a3kultur.de##.slick--optionset--anzeigen-slider +boxverband.at##.slick-track +aedt.de##.slide-box +tippspiel.wa.de##.sliderContainer +sexabc.ch##.sliderINSERATE +sexabc.ch##.sliderTOP +suche6.ch##.slideshow +wallis24.it##.slideshowck +hcgherdeina.com##.small-sponsor-box +finanznachrichten.de##.smartbroker--text +finanznachrichten.de##.smartbroker-logo +finanznachrichten.de##.smartbroker1 +stereoguide.de##.smartmag-widget-codes +5-sms.com##.smsbox1 +5-sms.com##.smsbox2 +finanzen100.de##.snippet--cta +finanzen100.de##.snippet-container +ladies.de##.sol-content +golem.de##.sp-breakout-affy +kaufland.de##.spads-recommender +4fansites.de##.spalten_33_werbung meetingpoint-brandenburg.de##.span > .white_bg[style="width: 100%; padding-right: 5px;"] -moviez.to##.span-10 > .hoster meetingpoint-brandenburg.de##.span.white_bg[style="padding: 7px 2px; margin-left: 5px;"] meetingpoint-brandenburg.de##.span[style="width: 160px; margin-left: 5px;"] -oberberg-aktuell.de##.special_combination_add -efever.de##.specialdiv -benzinpreis.de##.sped -filme-anschauen-kostenlos.de##.spidd -delamar.de,lhc-cottbus.de##.spon -fuldaerzeitung.de##.spon_318_2_2 -ehv-aue.org##.spons_div -20min.ch,europages.de,heise.de,lehrerfreund.de,lounge.fm,sueddeutsche.de##.sponsor -svwehen-wiesbaden.de##.sponsorLeiste -bz-berlin.de##.sponsorTop -nowtv.de,tvnow.de##.sponsorbanner -ehrensenf.com##.sponsorcenter -bento.de,cnet.de,macwelt.de,renego.de,zdnet.de##.sponsored -euractiv.de,seo-united.de##.sponsoren -vfl.de##.sponsoren_right -yigg.de,zeit.de##.sponsoring -eblogx.com##.sponsorleft -fc-suedtirol.com##.sponsorliste -svm-fan.net##.sponsorlogo -svhu-frogs.de##.sponsors -fcbayern.de##.sponsors-wrapper -ssv-jahn.de##.sponsorsFull -euractiv.de##.sponzor -auto-motor-und-sport.de##.spritpreisvergleich_sideteaser -schnellangeld.de##.squarebanner -woerterbuch.info##.standard[valign="top"][bgcolor="#e5e5e5"][align="right"][colspan="2"] -biallo.de##.stdanzeige -tixuma.de##.stdfont[bgcolor="#ecf5fa"] -biallo.de##.stdspezialteaseranzeige -pcgameshardware.de##.stellenmarktModule -spieletipps.de##.stiSkyscraperRgt -serienjunkies.org##.streams + #content > .post:first-child > .post-title:first-child + p[align="center"] -deine-tierwelt.de##.stroeer -fernsehserien.de##.stroeer-container -womenshealth.de##.stuff -stadtradio-goettingen.de##.subfoot -winfuture.de##.success_box -fuw.ch##.suche_sponsor -sdx.cc##.suggestionList > a[href^="http://www.sdx.cc/file="] -frankenpost.de,freies-wort.de,gentleman-blog.de,horizont.net,itopnews.de,ka-news.de,mediabiz.de,neon.de,np-coburg.de,radiopsr.de,schlagerhoelle.de,stz-online.de,volksfreund.de##.superbanner -kochbar.de##.tTraffic -berlin.de##.t_a_vert -berlinonline.de##.t_special -n-tv.de##.table-cellwidth-220 > .table-row > .table-cell > .teaser-220 -verivox.de##.tarif-tipp -rheintaler.ch##.tbrposthtml -rheintaler.ch##.tbrprehtml -hifi-forum.de##.td1[valign="top"] > div[style="float:left; width: 300px; height: 250px; margin-right: 10px; margin-bottom: 10px; padding:0;"]:first-child +deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,nursexfilme.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoschlange.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexfilme.com,xnxx-porno.com,xnxx-sexfilme.com##.spc_height_80 +gernekochen.de##.spice-box-container +xn--spidersolitr-qcb.de##.spielen_kopf +mahjongkostenlos.de##.spielseite_anz_2 +mahjongkostenlos.de##.spielseite_kopf +german-porno-deutsch.info,spox.com##.spons +fcaugsburg.de##.sponser-lead-inner +argovia.ch,bolzano-bozen.it,esports.ch,europages.de,frischauf-gp.de,hc-elbflorenz.de,mainpost.de,radio24.ch,scfreiburg.com,svww.de##.sponsor +fcz.ch##.sponsor--margin +dynamo-dresden.de##.sponsor-list +rittnerbuam.com##.sponsor-section +asv-hamm-westfalen.de##.sponsor_col +eisbaeren.de##.sponsor_wrapper +ariva.de,otto.de,tips.at,toolbox.webediagaming.de,zdnet.de##.sponsored +caravaning.de,menshealth.de,motorradonline.de,runnersworld.de##.sponsored--container +kaufland.de##.sponsored-brand-products-container +heise.de##.sponsored-placement +arminia.de,budapester.hu,rot-weiss-erfurt.de,seo-united.de,vfb.de##.sponsoren +hc-erlangen-ev.de##.sponsoren-right +fcenergie.de##.sponsoren_wrapper +tsv1860.de##.sponsorftr +hc-erlangen.de##.sponsoring-footer +hornoxe.com##.sponsorleft +bayer04.de,bvb.de,dhb.de,fc-union-berlin.de,hallescherfc.de,ofc.de,rundumkoeln.de,uniliga.gg##.sponsors +sg-flensburg-handewitt.de##.sponsors-col +uniliga.gg##.sponsors-desktop +tv.herthabsc.com##.sponsors-holder +tsg-hoffenheim.de##.sponsors-slider +freiburgesports.de##.sponsors-wrapper +sportclub-meran.it##.sponsorslider +digitalkamera.de##.sponsortext +hceppan.it##.sportnews +windowspro.de##.spost +1milf.com,frauporn.com,wildesporno.xxx,xfilmen.com##.spot +1milf.com,frauporn.com,xfilmen.com##.spot_bottom +windowspro.de##.sppost +hansa-online.de##.spu-box +spox.com##.spx-adsurbg-banner +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com##.spz_height_60 +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com##.spz_height_80 +ebay.de##.srp-1p__banner +mobile.de##.srp-placeholder +bild.de##.stage-teaser__partner--advertorial +blog-it-solutions.de##.sticky-wrapper +radiobob.de##.stickyBanner-wrapper +finanzen.net##.sticky__container--mrec +wasserburger-stimme.de##.stimm-widget +salto.bz##.stj-sidebar-widget +bafoeg-rechner.de,studis-online.de##.ston-ad +bafoeg-rechner.de,studis-online.de##.ston-contentad +spielregeln.de##.strack_cli +blaulichtreport-saarland.de,tutonaut.de##.stream-item +ecvsv.at##.stream-item-top-wrapper +tutonaut.de##.stream-item-widget +de.motor1.com,insideevs.de##.stroer-ap +de.motor1.com,insideevs.de##.stroer-ap_wrapper +sinn-frei.com##.stx +wetter.com##.styles-module__KqHK9a__adSlot +coincierge.de##.su-button +handyraketen.de##.su-button-wide[href^="http://amzn.to/"] +mt.de##.superad +fuersie.de,grazia-magazin.de,i-fidelity.net,idee-fuer-mich.de,inside-digital.de,jagderleben.de,jolie.de,ka-news.de,kochbar.de,kress.de,leben-und-erziehen.de,maedchen.de,ok-magazin.de,petra.de##.superbanner +pharmazeutische-zeitung.de##.superbanner-frame +scfreiburg.com##.superbanner-top +computerbild.de##.superbannerBtfContainer +computerbild.de##.superbannerContainer +readersdigest.de##.superbanner_wrapper +tonight.de##.support-box +vanion.eu##.support_banner_lead +broncos.it##.supporter +ntz.de,scdhfk-handball.de##.swiper-container +swp.de##.swp-adbox +frauporno.com##.sz_300_250 +t-online.de##.tMRM_billiger +duden.de##.tabloid__side-column-top +selbstaendig-im-netz.de##.tad1 +laola1.at##.tag-presented +golem.de##.tags +frustfrei-lernen.de##.tandem_right +frustfrei-lernen.de##.tandem_top +anime2you.de,bitreporter.de,condor.cl,cyclingmagazine.de,elliniki-gnomi.eu,hansa-online.de,heimatreport.de,literaturwelt.com,oscar-am-freitag.de,pfalz-echo.de,pi-news.net,prad.de##.td-a-rec +smartphonemag.de##.td-banner-wrap-full +primavera24.de##.td-header-container +marktindex.ch##.td-header-header +bauernzeitung.at,krautundrueben.de,lokalo.de,marktindex.ch##.td-header-rec-wrap +teilzeithelden.de##.td_11 +marktindex.ch##.td_uid_89_6141b5fdd19ca_rand +radioschwaben.de##.tdi_29 +sportsbusiness.at##.tdi_50 +bauernzeitung.at##.tdi_59 +neumarkt-tv.de##.tdi_88 +bestattungen.de##.tdp bild.de##.tea-rectangle -swz.it##.teaser -sprachnudel.de##.teaser > div[style="padding:5px 0 5px 0;"][align="center"] -bento.de##.teaser-content.spns -notebookinfo.de##.teaser-news-inline-anzeige -bluewin.ch##.teaser-partnerlink -n-tv.de##.teaser_220_450.clearfix[style="background-color: #02225a; padding: 5px 0 5px 0; margin: -10px 0 10px 0; "] -haz.de##.teaser_anzeige300 -gamiano.de##.teaser_box.masonry-brick[style="height: 300px; position: absolute; top: 835.6px; left: 0px;"] -heise.de##.teaser_ebook -heise.de##.teaser_geizhals -derwesten.de##.teaser_head_img -heise.de##.teaser_preisvergleich -kochbar.de##.teaser_rezepte -computerbild.de##.teaserblock a[href="http://www.egarden.de"] -computerbild.de##.teaserblock a[href="http://www.ekitchen.de"] -computerbild.de##.teaserblock a[href="http://www.evivam.de"] -computerbild.de##.teaserblock a[href^="http://k.ilius.net/?"] -computerbild.de##.teaserblock.pricetrend .priceblock .amazon -computerbild.de##.teaserblock.pricetrend .priceblock .idealo -teltarif.de##.tetable:first-child + .tetable[width="100%"][cellspacing="0"][cellpadding="0"][border="0"][bgcolor="#E3D470"] -sinn-frei.com##.text > div[style="margin: 3px 0 1px 0;"] -adhs-zentrum.de##.text[align="center"][colspan="6"]:first-child:last-child > p[align="center"]:first-child:last-child -oberberg-aktuell.de##.text_anzeige -saz-aktuell.com##.textadul -et-tutorials.de##.textwidget > div[style="background-color: #FFFFFF; color:#000000; "] -teltarif.de##.tgtLink[style="color:#CCCCCC;margin:10px 0 2px 0"] -teltarif.de##.tgtLink[style="width:100%;text-align:left;border-spacing:0;margin-bottom:5px"] -heise.de##.themenseite_preisvergleich.meldung__box--right -dhb.de##.three.columns > #c22 + .pslider -promipool.de##.timeframe_banner -t-online.de##.tl_anz-pos1 -t-online.de##.toi-sh-breaker -sunshine-live.de##.top -kleiderkreisel.de##.top-banner -ichspiele.cc##.top-box -az.com.na##.top-menu -netzkino.de##.topA -deraktionaer.de##.topBanner -ebay.de##.topBnrSc -buffed.de,gamezone.de,pcgames.de,pcgameshardware.de##.topFrameEddie -golfv.de##.topLeaderBoard -ebay.de##.topRtm -winfuture.de##.top_deal_box -downloadstube.net##.top_frame +nzz.ch,themarket.ch,wort.lu##.teaser--sponsored +kaufland.de##.teaser-orchestration__wrapper--online +ariva.de##.teaserPicturedNews +watson.ch##.teaser_type_paid_content +familie.de##.teaserheld-header-wrapper +watson.de##.teaserheld-wrapper +motor-talk.de##.tef-widget__ad-slot +computerbase.de##.text-ad +donaukurier.de##.text-center.container.d-none.d-sm-block.margin-bottom-10.bb-fixheight +analsexporno.net,deutsche-sexfilme.net,pornomonster.com,scharfe-pornos.com##.tf-de +analsexporno.net,fickverein.com##.tf-ho +analsexporno.net,fickverein.com##.tf-sp +m.tvspielfilm.de##.tfm-banner +t3n.de##.tg-articletype-sponsored-deal.c-pin +t3n.de##.tg-articletype-sponsored-post +t3n.de##.tg-stage-sponsoredcontent +salto.bz##.theme-carousel-partners +hifitest.de##.themenmonat +spektrum.de##.tile99-wrapper +duden.de##.tile__wrapper +htfgames.com##.tipps +rro.ch##.tisement +smartdroid.de##.titelad +soeren-hentzschel.at##.tnemesitrevda +t-online.de,www-t--online-de.cdn.ampproject.org##.toi-sh-breaker +songtexte.com##.toneFusePanel +nextpit.de##.top-deals-swiper +fcbinside.de##.top-footer-inner +oberberg-aktuell.de##.top-leaderboard +angelshow.de##.top-panel +macwelt.de##.top-products +herthabsc.com##.top-sponsor-nav +gload.to##.top2019main +radio.at,radio.de##.topASp +helles-koepfchen.de##.topAdCol +az.com.na,photovoltaikforum.com##.topBanner +buffed.de,gamesaktuell.de,gamezone.de,pcgames.de,pcgameshardware.de,videogameszone.de##.topFrameEddie +zumfahren.de##.topRight300x250 +edelsteine.net,sternzeichen.net##.top_bannerbar xrel.to##.top_news_adv -xrel.to##.top_news_box -softonic.de##.topbanner +rheiderland.de##.topanzeigen-slider-wrapper +boerse-online.de,sexforum.ch##.topbanner +n-tv.de##.topbanner-mobile queer.de##.toplinks -digital-eliteboard.com##.toplinks + div[style="position:absolute;top:50px;right:40px;"] -deraktionaer.de##.tradeOuterShell -finanzen100.de##.tradernews -finanzen.net##.tradingActions -macnews.de##.transaction_box -www.google.de##.ts[style="margin:0 0 12px;height:92px;width:100%"] -t-online.de##.tsc_www_p4p -t-online.de##.tsc_www_p4p_bottom -teltarif.de##.ttWallTD -teltarif.de##.ttcen1[style="height: 59px; margin: 0; padding-bottom: 21px;"] -enduro-austria.at##.ttr_banner_menu_inner_above0 -teltarif.de##.ttsidecol > aside > div[style="text-align:right;color:#CCCCCC"]:first-child -computerhilfen.de##.tuneupshop1 -wetter24.de##.two_big_rows > .two_big_rows_second > .one_big_row_html -wetter24.de##.two_big_rows_second > .two_small_rows + .one_big_row_html -china.ahk.de##.tx-bannermanagement-pi1 -bild.de##.txe -excitingcommerce.de##.typelist-note > a > img[style="margin: 5px 5px 5px 0px; border-width: 0px;"] -excitingcommerce.de##.typelist-note > a > img[style="margin: 5px 5px 5px 0px; border-width:0px;"] -heise.de##.us_ad -tagblatt.ch##.vermarktungsflaeche -schuelerzeitung-tbb.de##.vertical -ebay.de##.vi-as -ebay.de##.vi-d-pad -ebay.de##.vi-is1-vtp +mobile.de##.topresult + .dealerAd +f95.de##.topsponlink +my-ladies.ch##.tpa-row +supermarkt-inside.de##.tracking_trigger +photovoltaikforum.com##.traffectiveBox +trauerhilfe.it##.trauerhilfe_ads +mannheimer-morgen.de##.trf-billboardcontainer +radsport-seite.de##.trikots +tritime-magazin.de##.tritime-ads-middle +pnn.de,tagesspiegel.de##.ts-sptag +biallo.de##.tso-pub +tvsportguide.de##.tvg-manager-box +lolabrause.ch##.tx-admanager +hamburg-pride.de##.tx-imagecycle-pi1 +astronomie.de##.tx-sf-banners +bayernwelle.de##.type-banner +boersen-zeitung.de##.u-ad +swp.de##.u-adSlot:not(.u-adSlot--sky-left):not(.u-adSlot--sky-right) +uhrenratgeber.com##.uhren-widget +funcloud.club##.underContentA +urlaubsguru.de##.uniq-ads +hausgeraete-test.de,heimwerker-test.de,hifitest.de##.unserePartner +flz.de##.user-flzads-pi1 +aerokurier.de,auto-motor-und-sport.de,caravaning.de,cavallo.de,elektrobike-online.com,flugrevue.de,menshealth.de,motorradonline.de,mountainbike-magazin.de,outdoor-magazin.com,outdoorchannel.de,promobil.de,roadbike.de,runnersworld.de,womenshealth.de##.v-A_-commercial +godmode-trader.de##.v-is-sponsored-box +cavallo.de##.va-adhint +hallescherfc.de,pfalz-echo.de##.vc_carousel-inner +vfl.de##.vc_custom_1544363997968 +xn--schne-aussicht-xpb.de##.vc_custom_1623308998554 +ride-on-magazin.de##.vc_custom_1629451242127 +hansa-online.de##.vc_custom_1666781149136 +bbqpit.de##.vc_raw_html +gn-online.de##.verticalCarousel ebay.de##.vi-lb-placeholder -dwdl.de##.viad_bttn -mrstiff-deutsch.com##.videobereich_rechts -tvmovie.de##.videoload -queer.de##.vidkasten -queer.de##.vidskasten -technorocker.info##.vim +free-gay.org,pornohutdeutsch.net,sexfilme24.org##.video-side-adds +deutschsex.com##.video__sidebar-item +1200grad.com##.videobanner +finanztreff.de##.videosponsor_hsbc +heizsparer.de,solaranlage-ratgeber.de##.vidheight[style="min-height:450px;"] +busplaner.de##.view--advertorial +netzwoche.ch##.view-partners +mywheels.tv##.view-type-falken vip.de##.vip-medium-rectangle +mobile.de##.vip-placeholder vip.de##.vip-teaser -teen-blog.us##.voteLayer -viviano.de##.vtext9 -bruder-schwester-fick.com##.w_b300x250 -xvideo-deutsch.com##.w_under_video -pctipp.ch##.wallpaper_clickable -goldesel.to##.wbh > li > a > img -abendzeitung-muenchen.de##.webtipps -diefussballecke.de##.werbe_eigen_rahmen -eastcomp.de##.werbehinweis + table -sportnews.bz##.werbenbox -dastelefonbuch.de##.werbg -russland.ru##.werbung_01[valign="top"][align="left"] -russland.tv##.werbung_01[valign="top"][align="right"] -webfail.com##.wf-sidebox + div > a > img -forum.winload.de##.wgo_block -digitalfernsehen.de##.white_anzeige -netzkino.de##.wideSkyscraper -netzkino.de##.wideSkyscraperRight -rp-online.de##.wideheader -ihk-berlin.de##.widesky -orschlurch.net##.widget_57179 -orschlurch.net##.widget_amazon -fxempire.de##.widget_banner -fxempire.de##.widget_brokers -orschlurch.net##.widget_facebook + div -fxempire.de##.widget_latest_promotions_right -fxempire.de##.widget_recommended_brokers -mobiflip.de##.widget_sponsor -fxempire.de##.widget_top_brokers -ftd.de##.wimeContentAd +frauporno.com##.vjs-overlay +deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,nursexfilme.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoschlange.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexfilme.com,xnxx-porno.com,xnxx-sexfilme.com##.vjs-overlays +velomotion.de##.vm-banner +ddl-warez.cc##.vpn_btn +stol.it##.w-header +bz-berlin.de,petbook.de##.w-mrec +boerse-online.de##.wallpaper_top +analysedeutschland.de##.wanner +biallo.de##.wb +biallo.de##.wb-wide +dogforum.de##.wcfYdLocation +nsladies.de##.webcam-premium +seekxl.de##.welcome +nydus.org,sbb.it##.werb +dolomiten.de,fernsehserien.de##.werbemittel +biete6.ch##.werbepartner +ariva.de##.werbeplaetze_button +kunststoffweb.de##.werbeplatzierung-container +wetter.com##.werbung:not(.toolbar-wrapper) +weltwoche.ch##.werbungSmall +weltwoche.ch##.werbungWide +winfuture-forum.de##.wf_gcsi +bikesport-emtb.de,radfahren.de,radsport-rennrad.de##.wide-banner +1000ps.ch##.wideboard-cad +nau.ch##.wideboard-top +aerotelegraph.com##.widget--marktplatz +kostenloses-fernsehen.de##.widget-1 +kostenloses-fernsehen.de,melodieundrhythmus.com##.widget-3 +kt1.at##.widget-5 +kt1.at##.widget-7 +onlineuebung.de##.widget-aal-unit-by-id +digitalkamera.de##.widget-injection-point +primeleague.gg##.widget-list-sponsors +wp-koenigin.de##.widget__image--banner +gameswirtschaft.de,haus-garten-magazin.de##.widget_aawp_widget_bestseller +diekuechebrennt.de,gameswirtschaft.de##.widget_aawp_widget_box +nachbelichtet.com##.widget_aawp_widget_new_releases +gearnews.de##.widget_adtag_rectangle +usa-info.net##.widget_atkp_widget +zueri6.ch##.widget_banner +heimatreport.de##.widget_cfac +diesachsen.de##.widget_commerce +autogazette.de,cyclingmagazine.de,radio-aktiv.de,schmunzelseite.de,signal-online.de,solaranlage-ratgeber.de,szene.link,unzensiert.ru,xxx-amateur.eu##.widget_custom_html +nibelungen-kurier.de##.widget_dkge_wrapper +freiluft-blog.de##.widget_links +hebelschein-spekulant.de,lokalo.de,mdz-moskau.eu,skynews.ch,werbestandard.de##.widget_media_image +bueroblog.ch,computerfachmagazin.de,office-roxx.de##.widget_metaslider_widget +buongiornosuedtirol.it##.widget_random_banner_widget +puschtra.it##.widget_sp_image +hebelschein-spekulant.de##.widget_text zitate-online.de##.witz > .bewertung + .detaillink + p:last-child zitate-online.de##.witz > .bewertung + p:last-child -wn.de##.wn_sp_banner -azonline.de,mv-online.de,wn.de##.wn_spo_banner -fitnessrezepte.de##.wpa -goyax.de##.wpad -linkbase.in##.wrap > div[style="padding: 10px; margin: 10px; -moz-border-radius: 5px 5px 5px 5px; -moz-box-shadow: 0px 0px 10px rgb(0, 0, 0); text-align: center; font-size: 18px; background-color: rgb(102, 160, 0); opacity: 0.45; border: 1px solid rgb(68, 187, 68);"] +celleheute.de##.wixui-column-strip.wix-blog-hide-in-print +delamar.de##.wk +regensburg-digital.de##.wk-slideshow +ariva.de##.woBannerHeader +ariva.de##.wo_news_top_banner +allround-pc.com##.wp-element-button[href^="https://amzn.to/"] +pornohut.info,xvideos-deutsch.com,youporndeutsch.info##.wps-player__happy-inside technic3d.com##.wrap > footer[style="bottom: -260px;"]:last-child > div:first-child -mobile.de##.wrapper-d-06-rect_de -wetter.de##.wrapper-halfpage -wetter.de##.wrapper-rectangle -muenchen.de##.wrapper_dienste_anzeigen -evo-cars.de##.xaded -wetter.de##.xdot -wetter.de##.xdotRelated -derboersianer.com##.xmlnewsSingleCheap -abacho.de##.xoxo > script + div -chilloutzone.net##.yeah -bild.de##.yield -yelp.de##.yla -yelp.at,yelp.ch,yelp.de##.yloca-list -yelp.at,yelp.ch,yelp.de##.yloca-list-exp -yelp.at,yelp.ch,yelp.de##.yloca-search-result -yelp.at,yelp.ch,yelp.de##.yloca-search-result-exp -autoextrem.de,teccentral.de##.yui-sidebar li > a > img -autoextrem.de,teccentral.de,winboard.org##.yui-sidebar li > span > a > img -magistrix.de##.zeezee +fkk24.de##.wrapper-banner +come-on.de,fnp.de,fr.de,merkur.de,soester-anzeiger.de,tz.de,wa.de##.wv_story_el_billboard +buzzfeed.de,fuldaerzeitung.de##.wv_story_el_insertedAd +analysedeutschland.de##.wwd +image-hifi.com,utvmagazin.de##.x-topbar +games-mag.de##.yftovjn +games-mag.de##.yftovjn-container +beat.de,digitalphoto.de##.yieldlove +aktionspiele.de,mahjongspielen.de,zeitmanagementspiel.de##.ympb_target_banner +guteporno.com##.zeigenfick +tri-mag.de##.zekfylmnsq +zenideen.com##.zenid-adlabel +zeno.org##.zenoLSInnerProductTableRightAmazon +zwischengas.com##.zgsky german-bash.org##.zitat > div[style="width:300px;"] +3drei3.de##.zona_publi +lifeverde.de##.zusatz_billboard heise.de##A-PATERNOSTER -suche.1und1.de,suche.gmx.net,suche.web.de##COMPONENTS-SHOPPING-ONEBOX-LIST.l-display-block -verivox.de##NRG-RESULT-LIST > ul > .position-zero -npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##[class] > a[target="_blank"][href*=".npage.de/"][href$=".html"] -goldesel.to##[class^="wrn_"] -npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##[id] > a[target="_blank"][href^="/"][href$=".html"] -forum-sachsen.com##[width="425"][height="600"][style="position: absolute; top: 100px; left: 550px; empty-cells: hide;"] -sat-erotik.de##[width="800"][cellspacing="0"][cellpadding="4"][border="0"] -t-online.de##a.Tctiga[href][rel="nofollow"][data-urlb] -hsc-bad-neustadt.de##a[class*="sponsor"] +mediamarkt.de##[data-test="mms-search-showcase"] +pornhutdeutsch.com##[href^="https://start.amateurcommunity.com/"] +pornhutdeutsch.com##[href^="https://susi.live/"] +pornhutdeutsch.com##[href^="https://www.zubivu.com/"] +skodacommunity.de##[id^="fh-afp_"] +ddl-warez.cc##[onclick^="window.location.href='/azn/"] +allround-pc.com##[style*="background-color: #001d4a;"] +onvista.de##a[class*="ArticleTeaserBox"][href^="https://bnpp.lk/"] +onvista.de##a[class*="ArticleTeaserBox_ovArticleTeaserBoxDefaultHeight_"] +manomano.de##a[class*="sponsoredProductCard"] +neuwagen.de##a[class="placement"] +camping.de##a[class^="herobanner-adv"] +hallo-minden.de##a[data-adid]:not([data-adid="12937"]) mobilegeeks.de##a[data-eventcategory="Kooperation"] -digitalfernsehen.de##a[data-redirect^="http://click.plista.com/redirect.php"] + div -t-online.de##a[data-url^="http://m.exactag.com/"] -t-online.de##a[data-url^="https://count.shopping.t-online.de/RE?ID="] -xxx-blog.to##a[height="600"][width="120"] -goldesel.to##a[href$="-anonym"] -goldesel.to##a[href$="-download"] -g4u.me##a[href$="/download/nzb.html"] -pi-news.net##a[href$="/werbung.pdf"] -94.199.241.194##a[href$="_zalando"] -pctipp.ch##a[href*="&utm_campaign="] -metager.de##a[href*=".overture.com/"][href$="?plmg=1"] -bild.de##a[href*=".smartadserver.com/"] -lesen.to##a[href*="/?f="] -windowspro.de##a[href*="/adclick."] -htwk-leipzig.de##a[href*="/adclick.php?"] -satindex.de##a[href*="/extern.php?"] -serienjunkies.org##a[href*="/mirror."] +ariva.de##a[data-google_analytics_id^="wo"] +schlager.de##a[data-name="topbanner"] +gawina.de##a[data-track] +t-online.de,www-t--online-de.cdn.ampproject.org##a[data-url^="https://count.shopping.t-online.de/RE?ID="] +bildschirmarbeiter.com##a[href$="xref=nosim/wwwbildschirm-21"] +onvista.de##a[href*="&adname="] +tarnkappe.info##a[href*=".rokkr.net/promo/"] +dkamera.de,donau3fm.de,isaswomo.de,ofdb.de,picdumps.com,polizei.news,rechtsdepesche.de,spox.com,via-ferrata.de##a[href*="//bit.ly/"] +hd-source.to##a[href*="/af.php"] +ddl-warez.cc##a[href*="/azn/"] > img +6chat.org##a[href*="/b1a8/"] +amigafuture.de##a[href*="/boardheaderads/"] +erogeschichten.com##a[href*="/go/"] +osthessen-news.de##a[href*="/goto.php?"] +tarnkappe.info##a[href*="/hide.me/de/?friend="] +3druck.com,cannabis-special.com,supertipp-online.de##a[href*="/linkout/"] +ddl-warez.cc,ostfussball.com##a[href*="/out/"] bild.de##a[href*="/partner/"] -20min.ch##a[href*="/sponsored/story/"] -emfis.de##a[href*="/uebersicht.html?tx_ricrotation_"] -auswandererforum.de##a[href*="affiliate.php?"] -xp-antispy.org##a[href*="com_partner&link="] -3dl.tv##a[href*="downloadboutique.com"] -hd-vidz.net##a[href*="filesonthe.net"] -t-online.de##a[href*="utm_campaign=bigfarm"] -t-online.de##a[href="#"][data-urlb] -t-online.de##a[href="#"][target="_blank"][data-urlb] -t-online.de##a[href="#a"] > img -arcor.de##a[href="/content/unterhaltung/lotto/"] -smsgott.de##a[href="/d2freikarte.php"] -sb.sbsb.cc##a[href="/download.php"] -speedlounge.in##a[href="/download/footer"] -fm-arena.de##a[href="/go_to.php?ID=105"] -fm-arena.de##a[href="/go_to.php?ID=106"] -fm-arena.de##a[href="/go_to.php?ID=116"] -shareware.de##a[href="/gratis-scan.html"] -bild.de##a[href="/infos/entertainment/bild-aktionen/bild-entertainment-aktionen-34516434.bild.html"] -bild.de##a[href="/lifestyle/horoskop/horoskop/home-21648048.bild.html"] -bild.de##a[href="/spiele/gamesload/computerspiele/pc-spiele-shop-33596804.bild.html"] -bild.de##a[href="/video/clip/livestrip-sexy-clips/live-strip-24602168.bild.html"] +tarnkappe.info##a[href*="/prf.hn/click/"] +emtb-news.de,ladies.de,mtb-news.de##a[href*="/redirect/"] +tarnkappe.info##a[href*="?sca_ref="] +live.vodafone.de##a[href*="https://vflive.de/lotto24_desktop300x250-home"] > .card-promo +finanzen.net##a[href="#p500Werbehinweis"] +areadvd.de##a[href="/panasonic_de"] strippokerregeln.com##a[href="/www/888casino"] -sb.sbsb.cc##a[href="download.php"] -dsl-speedtest.org##a[href="ex/thome1.php"] -fm-arena.de##a[href="fm-10-bestellen.html"] -lesen.to##a[href="http://aktiv-abnehmen.com"] -bild.de##a[href="http://ampya.bild.de"] -nik-o-mat.de##a[href="http://australienblog.com/kostenlose-kreditkarte"] -bild.de##a[href="http://automarkt.bild.de/"] -bild.de##a[href="http://carsharing.bild.de"] -bild.de##a[href="http://dsl-vergleich.bild.de/dsl-vergleich/"] -e-bol.net##a[href="http://e-bol.net/goto/topspeed/"] -filmpalast.to##a[href="http://filmpalast.to/logo"] -filmpalast.to##a[href="http://filmpalast.to/route"] -bild.de##a[href="http://finanzservice.bild.de/banken/kredite-vergleich/"] -bild.de##a[href="http://finanzservice.bild.de/banken/tagesgeld-vergleich/"] -bild.de##a[href="http://finanzservice.bild.de/versicherungen"] -gload.cc##a[href="http://gload.cc/2010"] > img -bild.de##a[href="http://gutscheine.bild.de"] -prad.de##a[href="http://links.prad.de/lgcurved"] -livestreamfussball.org##a[href="http://livetv.ru/de/allupcomingsports/1/"] -bild.de##a[href="http://magine.bild.de"] -moviebox.to##a[href="http://moviebox.to/download/?"] -rs-load.blogspot.com##a[href="http://multimedia-load.com"] -bild.de##a[href="http://neuwagen.bild.de/"] -porn-traffic.net##a[href="http://porn-traffic.net/mirror.php"] -pornkino.to##a[href="http://pornkino.to/mirror.php"] -photoshop-weblog.de##a[href="http://print24.com/de"] -putenbrust.net##a[href="http://putenbrust.net/cgi-bin/atc/out.cgi?l=enterpics"] -sb.sbsb.cc##a[href="http://sb.sbsb.cc/download.php"] -bild.de##a[href="http://stromvergleich.bild.de/strom-vergleich/"] -hartz4-forum.de##a[href="http://tariffux.de"] -bild.de##a[href="http://tickets.bild.de"] +finanzen.net##a[href="http://g.finanzen.net/ubs-aktiendetail-hebel-fallback"] outleter.org##a[href="http://topne.ws/onlineoutlet"] -sexuria.com##a[href="http://wixtube.com/frame.htm"] -12free-sms.de##a[href="http://www.12free-sms.de/free-sms.php"] -eliteanimes.com##a[href="http://www.eliteanimes.com/els/"] -eliteanimes.com##a[href="http://www.eliteanimes.com/elsw/"] -eliteanimes.com##a[href="http://www.eliteanimes.com/elsword/"] -rollertuningpage.de##a[href="http://www.fc-moto.de"][target="_blank"] -flower-blog.org##a[href="http://www.flower-blog.org/direct-download.php"] -flower-blog.org##a[href="http://www.flower-blog.org/download.php"] -flp.to##a[href="http://www.flp.to/download.php"] -fm-arena.de##a[href="http://www.fm-arena.de/go_to.php?ID=103"] -gamefront.de##a[href="http://www.gamedealer.de"] -board.gulli.com##a[href="http://www.getdigital.de/index/gulli"] -gulli.com##a[href="http://www.gulli.com/internet/chrome"] -gulli.com##a[href="http://www.gulli.com/internet/chrome"] + h2 + p -gulli.com##a[href="http://www.gulli.com/internet/chrome"] + p -immonet.de##a[href="http://www.immonet.de/service/toom-baumarkt.html"]:first-child -querverweis.net##a[href="http://www.intimvideos.com"] -5-jahres-wertung.de##a[href="http://www.kostenloses-konto24.de/girokonto-vergleich.html"] -n-tv.de##a[href="http://www.n-tv.de/marktplatz/lotto/"] -mysummit.wordpress.com##a[href="http://www.prontocafe.eu/de/"] > img -soft-ware.net##a[href="http://www.soft-ware.net/pics/gewinnspiel.jpg"] -5-jahres-wertung.de##a[href="http://www.tagesgeld-direktbank.de/tagesgeld-vergleich.html"] -unwetterzentrale.de##a[href="http://www.wetter.info"] > img -94.199.241.194##a[href="http://www.xlhost.de/"] -xxx-blog.to##a[href="http://xxx-blog.to/mirror.php"] -xxx-blog.to##a[href="http://xxx-blog.to/mirror.php?download=usenet"] -xxx-blog.to##a[href="http://xxx-blog.to/poppen"] -i-have-a-dreambox.com##a[href="https://www.satplace.de"] -t-online.de##a[href="javascript:;"][target="_blank"][data-urlb] -yourporn.ws##a[href="out.php"] -t-online.de##a[href="t-online.de"][data-urlb] > img -speedlounge.in##a[href="usenet"] -t-online.de##a[href^="#"][data-urlb] > img -landwirtschaftssimulator-mods.de##a[href^="./adclick.php?"] -gameserveradmin.de##a[href^="./adclick.php?id="] -it-production.com##a[href^="./norobot/ad_link_"] -raidrush.ws##a[href^="//www.big7.com/?wmb="] -playit.ch##a[href^="/ad/admanager.php?"] +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com##a[href="https://bit.ly/"] +t-online.de,www-t--online-de.cdn.ampproject.org##a[href="https://gebrauchtwagen-suche.t-online.de/marke-skoda/modell-superb"] +myboerse.bz##a[href="https://tinyurl.com/"] +apfelpage.de##a[href="https://www.betrugstest.com/online-casino/apple-pay/"] +apfelpage.de##a[href="https://www.easeus.de/datenrettung-software/mac-data-recovery-wizard-free.html"] +tarnkappe.info##a[href^=" https://www.bit.ly/"] +kinoger.to##a[href^="//fbmedia-ckl.com/"] +hammerporno.xxx##a[href^="//plx.hammerporno.xxx/pool_link/"] +porno-himmel.net##a[href^="//wixnm.com/"] +schausteller.de##a[href^="/ad/"] +dkamera.de##a[href^="/adserver/goto/"] +flz.de##a[href^="/api/content/public/media/link?id="] herthabsc.de##a[href^="/de/hertha/sponsoren/exklusiv-partner/uebersicht/page/"] -downloadstube.net##a[href^="/download-file.php?type="] -titanic-magazin.de##a[href^="/fileadmin/core/scripts/link_external.php?url="][target="_blank"] > img -bild.de##a[href^="/gewinnspiele/movieman/"] -speedlounge.in##a[href^="/go/"] -speedlounge.in##a[href^="/goto/speedmirror"] -berlinertageszeitung.de##a[href^="/index.php/component/banners/click/"] -pctipp.ch##a[href^="/index.php?eID=idgprintad&data="] -smsgott.de##a[href^="/o2freikarte.php"] -golyr.de##a[href^="/out/klingelton/"] -bild.de##a[href^="/spiele/bigpoint/"] > img -bild.de##a[href^="/spiele/goodgame/"] > img -bild.de##a[href^="/spiele/innogames/"] > img -bild.de##a[href^="/spiele/travian-games/"] > img -20min.ch##a[href^="/sponsored/"] -mykino.to##a[href^="/stream4/index.php?id="] -1kino.in##a[href^="/te3/out.php?id="] > img -speedlounge.in##a[href^="/to/"] -rtl.de##a[href^="/tools/count/teaser_ext.php?url="][href*="altfarm.mediaplex.com"] -vip.de,voxnow.de##a[href^="/tools/count/xdot/count.php?id="] -gebrauchte-veranstaltungstechnik.de##a[href^="?modul=ad&site=out&lnkid="] -finanztreff.de##a[href^="adclick.htn?b="] -goldesel.to##a[href^="apps/windows/11533587-"] -goldesel.to##a[href^="apps/windows/11627356-"] -goldesel.to##a[href^="apps/windows/11721125-"] -gamehammer.de##a[href^="banner_click.php?advert_id="] +nacktefoto.com##a[href^="/red/red.php?"] bastel-elfe.de##a[href^="banners.php?"] -tobitech.de##a[href^="banners.php?op="] -elitesearch.at##a[href^="highspeed-download/"] -cinema.de##a[href^="http://a3.superwin.de/click."] -deluxetools.net##a[href^="http://access.im/"] -urlauburlaub.at##a[href^="http://ad.adworx.at/"] -bernerzeitung.ch##a[href^="http://ad.dc2.adtech.de/"] -board.gulli.com##a[href^="http://ad.doubleclick.net/"] + h2 + p -gulli.com##a[href^="http://ad.doubleclick.net/"] + p -n-tv.de##a[href^="http://ad.doubleclick.net/clk"] + * + * + .jq_link -n-tv.de##a[href^="http://ad.doubleclick.net/clk;"] + * -gamers.at##a[href^="http://ad.perfectworld.eu/"] -mainpost.de##a[href^="http://ad.sol.de/"] -queer.de##a[href^="http://ad.zanox.com"] -macwelt.de,pcwelt.de,serienjunkies.de##a[href^="http://ad.zanox.com/ppc/"] -seaofsin.info##a[href^="http://ad.zanox.com/ppc/?"] -chip.de##a[href^="http://ad1.adfarm1.adition.com/"] -oe24.at##a[href^="http://ad1.adfarm1.adition.com/redi?sid="] -finanzen100.de,ps3-talk.de##a[href^="http://ad3.adfarm1.adition.com/"] -hardwareluxx.de##a[href^="http://adclick.g.doubleclick.net/"] -deluxetools.net##a[href^="http://adf.ly/?id="] -mobiflip.de,usp-forum.de##a[href^="http://adfarm.adyard.de/"] -handy-hilfeforum.de##a[href^="http://adfarm.adyard.de/ad/"] -ostfussball.com##a[href^="http://adfarm.mediaplex.com/"] -tagesspiegel.de##a[href^="http://adfarm1.adition.com"] -golem.de##a[href^="http://ads.golem.de/"] -gamers.at,gamersplus.de##a[href^="http://ads.oomz.de/"] -crawli.net##a[href^="http://ads.raidrush.org"] -raidrush.ws##a[href^="http://ads.raidrush.org/"] -fettspielen.de##a[href^="http://ads2.fettspielen.de"] -bravo.de,firmenpresse.de,mittelstandcafe.de##a[href^="http://adserver.adtech.de/"] -paradisi.de##a[href^="http://adserver.adtech.de/?"] -gamers.at,gamersplus.de##a[href^="http://adsfac.eu/link.asp"] -5vor12.de##a[href^="http://adt.traffictrack.de/"] -mobilfunk-talk.de##a[href^="http://adt.traffictrack.de/go.cgi?"] -yourporn.ws##a[href^="http://adultfriendfinder.com/search/"] -chip.de,~deals.chip.de##a[href^="http://adx.chip.de/www/delivery/ck.php?"] -serienjunkies.org##a[href^="http://alternads.info/"] -arcor.de,welt.de,weltwoche.ch##a[href^="http://altfarm.mediaplex.com/ad/ck/"] -derlacher.de,sinn-frei.com,trendhure.com##a[href^="http://amzn.to/"] -beichthaus.com,gamefront.de##a[href^="http://amzn.to/"] > img -hornoxe.com##a[href^="http://amzn.to/"] > img[width="480"][height="400"] -trendhure.com##a[href^="http://amzn.trendhure.com"] -pdfs.us##a[href^="http://anonym.to/?http://ul.to/ref/"] -smsform.de##a[href^="http://api.tapstream.com/lovoo/"] -linkfarm.in,underground-links.org##a[href^="http://billing.purevpn.com/aff.php"] -deluxetools.net##a[href^="http://billing.purevpn.com/aff.php?"] -byte.to##a[href^="http://bit.do/"] -drop-games.org##a[href^="http://bit.ly"] -4fuckr.com,derlacher.de,gamepro.de,goldesel.to,housebeats.cc,livestreamfussball.org,moviekk.net,musicstream.cc,xxx-blog.to##a[href^="http://bit.ly/"] -feiertage.net##a[href^="http://bit.ly/"] > img -magazin-ddl.info,sceneload.to,warez-load.com##a[href^="http://bitshare.com/?referral="] -zensiert.to##a[href^="http://caracum.net?ref="] -xxx-blog.to##a[href^="http://cctv.ws/"] -serienoldies.de##a[href^="http://click.jamba.de/click.asp?"] -darktown.biz##a[href^="http://clix.superclix.de/"] -mytube-one.de##a[href^="http://clix.superclix.de/cgi-bin/clix.cgi?"] -profil.at,sat1.ch,sat1.de##a[href^="http://clk.atdmt.com/"] -bluewin.ch,toppreise.ch##a[href^="http://clk.tradedoubler.com/click?"] -phpforum.de##a[href^="http://clkde.tradedoubler.com"] -giga.de,macwelt.de##a[href^="http://clkde.tradedoubler.com/"] -rtl.de,sms-box.de,t-online.de##a[href^="http://clkde.tradedoubler.com/click?"] -dbase.ws,dokujunkies.org##a[href^="http://cloudzer.net/ref/"] -t-online.de,trax.de##a[href^="http://count.shopping.t-online.de/RE?ID="] -xxx-blog.to##a[href^="http://cpm.amateurcommunity."] -xxx-art.biz##a[href^="http://cpm.amateurcommunity.de/"] -hd-world.org##a[href^="http://cutt.us/"] -deluxetools.net,xxx-blog.to##a[href^="http://de.generic4all.com/"] -hoerbuch.us##a[href^="http://dealdog.net/"] -mygully.com##a[href^="http://dl1.mygully.com"] -duckcrypt.info##a[href^="http://download.duckcrypt.info"] -movie-stream.to##a[href^="http://download.movie-stream.to"] -serienjunkies.org##a[href^="http://download.serienjunkies.org/md-"] -sdx.cc##a[href^="http://eads.to"] -trendhure.com##a[href^="http://ext.trendhure.com/"] -trendhure.com##a[href^="http://extern.trendhure.com/"] -duckcrypt.info##a[href^="http://fast.duckcrypt.info"] -mega-stream.to##a[href^="http://fastmirror.mega-stream.to"] -fettrap.com##a[href^="http://fettrap.com/highspeed/"] -linkvz.net##a[href^="http://filedroid.net"] -game-freaks.net,magazin-ddl.info,romhood.com##a[href^="http://freakshare.com/?ref="] -omega-music.com##a[href^="http://freakshare.net/?ref="] -gload.cc##a[href^="http://gload.cc/images/freeuser"] -gload.cc##a[href^="http://gload.cc/un/dl."] -drop-games.org##a[href^="http://goo.gl"] -goldesel.to,hornoxe.com,leave.to,porn2you.org,prad.de,speedtorrent.to,trendhure.com,warezking.in,zensiert.to##a[href^="http://goo.gl/"] -ingame.de##a[href^="http://green.ingame.de/www/delivery/inck.php?"] -duckcrypt.info##a[href^="http://highspeed.duckcrypt.info"] -moviebox.to##a[href^="http://highspeed.moviebox.to"] -hoerbuch.us##a[href^="http://hoerbuch.us/dddl"] -hoerbuch.us##a[href^="http://hoerbuch.us/ddl/?f="] -hoerbuch.us##a[href^="http://hoerbuch.us/load/?f="] -hoerbuch.us##a[href^="http://hoerbuch.us/wp/goto/Download_Unser_Tipp_"] -fussball.de,knuddels.de,t-online.de,trax.de##a[href^="http://im.banner.t-online.de/?adlink|"] -sexuria.com##a[href^="http://in.mydirtyhobby.com/"] -4fuckr.com##a[href^="http://in.mydirtyhobby.com/track/"] -dokujunkies.org,serienjunkies.org##a[href^="http://is.gd/"] -4fuckr.com##a[href^="http://j.mp/"] -linkfarm.in##a[href^="http://landing.amateurseite.com/"] -linuxundich.de##a[href^="http://linuxundich.de/wp-content/plugins/adrotate/"] -lix.in##a[href^="http://lix.in/ad.php?"] -xxx-blog.to##a[href^="http://lp.amateurcommunity.com/"] -pornkino.to##a[href^="http://lp.amateurcommunity.de/"] -mafia-linkz.to##a[href^="http://mafia-linkz.to/dirty/"] -web.de##a[href^="http://magazine.web.de/de/themen/digitale-welt/usenext/"] -gegenmuedigkeit.de##a[href^="http://marketingnow.de/go/"] -pornkino.to,xxx-blog.to##a[href^="http://media.campartner.com/"] -freenet.de##a[href^="http://media.mybet.com/redirect.aspx?pid="] -hoerbuch.us##a[href^="http://megacache.net/free"] -eierkraulen.net,serienjunkies.org##a[href^="http://mein-deal.com/"] -dokujunkies.org##a[href^="http://mirror."] -moviebox.to##a[href^="http://mirror.moviebox.to"] -sdx.cc##a[href^="http://mirror.sdx.cc/"] -pure-anime.biz##a[href^="http://mmotraffic.com/"] -musicelster.net##a[href^="http://musicelster.net/premium"] -myboerse.bz##a[href^="http://myboerse.bz/download/?ff="] -mykino.to##a[href^="http://mykino.to/stream4/index.php?id="] -gamingxp.com##a[href^="http://nemexia.de/?"] -hd-world.org##a[href^="http://netload.in/"][href*="&refer_id="] -paradise-load.us,sdx.cc##a[href^="http://netload.in/index.php?refer_id="] -gofeminin.de##a[href^="http://network.gofeminin.de/call/"] -mov-world.net##a[href^="http://nvpn.net/"] -dexerto.de##a[href^="http://ow.ly/"] -darktown.biz##a[href^="http://partner.rebuy.de"] -schambereich.net##a[href^="http://partners.adklick.de/"] -anonym.to##a[href^="http://partners.affiliace.com/"] -au-ja.de,mydict.com,pcwelt.de##a[href^="http://partners.webmasterplan.com/"] -songtexte.bz##a[href^="http://partners.webmasterplan.com/click.asp"] -alle-autos-in.de,appcatalog.de##a[href^="http://partners.webmasterplan.com/click.asp?"] -pcwelt.de##a[href^="http://partners.webmasterplan.com/click.asp?ref="] -metacrawler.de##a[href^="http://performance-netzwerk.de"] -mobilfunk-talk.de,usp-forum.de##a[href^="http://performance-netzwerk.de/"] -funcloud.com##a[href^="http://pn.innogames.com/go.cgi?pid="] > img -pornkino.to##a[href^="http://pornkino.to/milfs/"] -pornkino.to##a[href^="http://pornkino.to/poppen/popUp/"] -pornkino.to##a[href^="http://pornkino.to/usenet."] -putenbrust.net##a[href^="http://putenbrust.99k.org"] -gulli.com##a[href^="http://rc23.overture.com/"] -gulli.com,hubbahotel.cc##a[href^="http://rover.ebay.com/rover/"] -gesichtskirmes.net##a[href^="http://sau-billig.net/"] -myvideo.de##a[href^="http://server.nitrado.net/deu/gameserver-mieten?"] -blasemaul.com,gratiswix.com,klubsex.com,morgensex.com,pornoflitsche.com##a[href^="http://sexplicy.net/anmelden/"] -drop-games.org,moviez.to##a[href^="http://share.cx/partner"] -t-online.de##a[href^="http://shop.fussball.de/?ref="] -erdbeerlounge.de##a[href^="http://sp.erdbeerlounge.de/"] -spielaffe.de##a[href^="http://sp.spielaffe.de/"] -stylebook.de##a[href^="http://style.glossybox.de/?zanpid="] -4fuckr.com##a[href^="http://sweetmichelle.net?ref="] -spielesnacks.de##a[href^="http://t.ad2games.com/"] -dokujunkies.org,drop-games.org,flp.to,istream.ws,oxygen-scene.com##a[href^="http://tinyurl.com"] -dbase.ws,fakedaten.tk,fantasiedaten.1x.biz,flower-blog.org,hd-world.org,hopto.org,livestreamfussball.org,moviekk.net,querverweis.net,trendhure.com,xvidload.com,xxx-dream.com##a[href^="http://tinyurl.com/"] -playboy.de##a[href^="http://track.adform.net/"] -linkfarm.in,pornkino.to,private-blog.org,xxx-blog.to##a[href^="http://tracking.to/"] -gulli.com##a[href^="http://tracking.vrtcl.de/aff_c?offer_id="] -hd-streams.org##a[href^="http://trafficlord.net/"] -brigitte.de,news.at##a[href^="http://trf.greatviews.de/"] -fakedaten.tk##a[href^="http://wasistdasusenet.com/"] -winfuture.de##a[href^="http://winfuture.de/redirect.php?"][href*="_nab&"] -winfuture.de##a[href^="http://winfuture.de/redirect.php?c=instf_"] -winfuture.de##a[href^="http://winfuture.de/redirect.php?c=sb_hockey_"] -t-online.de##a[href^="http://wirtschaft.t-online.de/tagesgeldkonto-der-bank-of-scotland/id_"] -t-online.de##a[href^="http://wirtschaft.t-online.de/testen-sie-den-devisen-handel-mit-dem-kostenlosen-demokonto-der-fxdirekt-bank/id_"] -t-online.de##a[href^="http://wirtschaft.t-online.de/top-girokonto-der-norisbank/id_"] -5-jahres-wertung.de##a[href^="http://ws.amazon.de/widgets/q?"] -n24.de##a[href^="http://ww251.smartadserver.com/"] -computerbild.de##a[href^="http://ww251.smartadserver.com/call/cliccommand/"] -tvtv.de##a[href^="http://www.TwinPlan.de/AF_"] -mobilfunk-talk.de##a[href^="http://www.active-tracking.de/"] -smsform.de##a[href^="http://www.adscads.de/sites/"] -aktuell.ru##a[href^="http://www.aktuell.ru/inc/banners.php?"] -livestreamfussball.org,sat-erotik.de##a[href^="http://www.amazon.de/"] -gamepro.de##a[href^="http://www.amazon.de/"][href*="%26tag%"] -beichthaus.com##a[href^="http://www.amazon.de/"][href*="&tag="] > img -gamefront.de##a[href^="http://www.amazon.de/"][href*="&tag=gamefrontde-21"] -pcwelt.de##a[href^="http://www.amazon.de/"][href*="&tag=pcwmarkt-21"] -unmoralische.de##a[href^="http://www.amazon.de/exec/obidos/redirect-home?tag=dieunmoralisc-21&"] > img -deutscher-hip-hop.com##a[href^="http://www.amazon.de/gp/"][href$="&tag=deuhiphop0e-21"] > img -gamepro.de##a[href^="http://www.amazon.de/gp/"][href*="&tag="] -v-i-t-t-i.de##a[href^="http://www.amazon.de/gp/"][href*="&tag="] > img -rtl.de##a[href^="http://www.amazon.de/gp/"][href*="&tag=rtlratgeber-21&"] -focus.de##a[href^="http://www.amazon.de/gp/angebote/"] -das-sternzeichen.de##a[href^="http://www.amazon.de/gp/product/"][href*="&tag=suncash-21&"] -songtexte.bz##a[href^="http://www.amazon.de/gp/search?"] -beichthaus.com##a[href^="http://www.amzn.to/"] -goldesel.to##a[href^="http://www.anrdoezrs.net/"] -mysqldumper.de##a[href^="http://www.artfiles.de/?affiliate="] -zeit.de##a[href^="http://www.avocadostore.de"] -zeit.de##a[href^="http://www.avocadostore.de"] + * + p -bankkaufmann.com##a[href^="http://www.bankkaufmann.com/banners.php?"] -gamepro.de##a[href^="http://www.betvictor-emtippspiel.de/index.cfm?"] -bildschirmarbeiter.com##a[href^="http://www.bildschirmarbeiter.com/alink_"] -blick.ch##a[href^="http://www.blick.ch/marktplatz/"] -lesen.to##a[href^="http://www.bluray-deals.com"] -tvspielfilm.de##a[href^="http://www.bluvistaclub.tv/?pid="] -linkvz.net##a[href^="http://www.cashdorado.de/"] -fail.to##a[href^="http://www.china-deals.net"] -omfg.to##a[href^="http://www.china-deals.net/"] -listsandnews-de.net##a[href^="http://www.dekarrierejournal.com/index.php?A="] -digital-eliteboard.com##a[href^="http://www.digital-eliteboard.com/rbs_banner.php?id="] -safeyourlink.com##a[href^="http://www.eads.to/home.php?ref="] -bild.de##a[href^="http://www.erotik1.de/"] -maerkischeallgemeine.de##a[href^="http://www.etracker.de/lnkcnt.php?"] -5vor12.de##a[href^="http://www.exnzg.de/go.cgi?pid="] -maclife.de##a[href^="http://www.falkemedia-shop.de/"][target="_blank"] > img -finanztreff.de,manager-magazin.de##a[href^="http://www.finanztreff.de/adclick.htn?b="] -lesen.to##a[href^="http://www.firstload.com/?uniq="] -flower-blog.org##a[href^="http://www.flower-blog.org/download_usenet_"] -freesms-senden.net##a[href^="http://www.freesms-senden.net/sms-"] -ebook-hell.to##a[href^="http://www.friendlyduck.com/AF_"] + * -rtl.de##a[href^="http://www.gamechannel.de/cms/spiele/"] -gamestar.de##a[href^="http://www.gamestar.de/_misc/linkforward/"][target="_blank"] -board.gulli.com##a[href^="http://www.getdigital.de/"][href$="?her=GULLI"] -board.gulli.com##a[href^="http://www.getdigital.de/"][href$="?her=GULLI"] + h4 + p -giga.de##a[href^="http://www.giga.de/spx/"] -funpic.de##a[href^="http://www.gigacash.de/?refid="] -ddl-music.org,sdx.cc,serialbase.us,serialzz.us,steelwarez.com##a[href^="http://www.gigaflat.com/affiliate/"] -computerhilfen.de##a[href^="http://www.girls-time.com/"] -emok.tv##a[href^="http://www.goo.gl/"] -eierkraulen.net##a[href^="http://www.handytaxi.de"] -picdumps.com##a[href^="http://www.handyz.de"] -myfunlink.to##a[href^="http://www.haushaltsdeals.de/"] -stadt-bremerhaven.de##a[href^="http://www.hihonor.com/de/products/mobile-phones/honor8/"] > img -pornkino.to,private-blog.org##a[href^="http://www.hobbyhurenkontakte.com"] -xxx-blog.to##a[href^="http://www.hobbyhurenkontakte.com/"] -icubik.com##a[href^="http://www.icubik.com/catalog/redirect.php/action/banner/goto/"] -2kino.net##a[href^="http://www.idownloadgalore.com/"] -compliancemagazin.de##a[href^="http://www.itseccity.de/adserver/"] -jobboerse.de##a[href^="http://www.jobboerse.de/index.php?bannerklick="] -jobboerse.de##a[href^="http://www.jobboerse.de/index.php?pclick="][target="_blank"] -playboy.de##a[href^="http://www.just4men.de/?wt_mc="] -heise.de##a[href^="http://www.kqzyfj.com/click-"] -4fuckr.com##a[href^="http://www.liveundnackt.com/"] -serienjunkies.org##a[href^="http://www.lumovies.com/"] -mmnews.de##a[href^="http://www.marketlettercorp.com/"] -ddl-search.biz##a[href^="http://www.mister-load.com/"] -idowa.de##a[href^="http://www.moebel-wanninger.de/"] -erogeschichten.com##a[href^="http://www.momo-net.ch/?moid="] -yourporn.ws##a[href^="http://www.mydirtyhobby.com/?sub="] -porn-reactor.net##a[href^="http://www.mydownloader.net/pr/"] -12free-sms.de##a[href^="http://www.mymobileworld.de/"] -n-tv.de##a[href^="http://www.n-tv.de/marktplatz/elitepartner/?emnad_id="] -n-tv.de##a[href^="http://www.n-tv.de/marktplatz/experteer/Experteer-Stellensuche-article9804796.html?affiliate="] -neumarkt-tv.de##a[href^="http://www.neumarkt-tv.de/loadBanner.aspx?"] -ebase.to##a[href^="http://www.online-downloaden.de?"] -online-moviez.com##a[href^="http://www.online-moviez.com/cgateway/"] -orschlurch.net##a[href^="http://www.orschlurch.net/am/"] -private-blog.org##a[href^="http://www.parkplatzkartei.com"] -pornkino.to,xxx-blog.to##a[href^="http://www.parkplatzkartei.com/"] +zensiert.net##a[href^="http://camgirly.net"] +t-online.de,www-t--online-de.cdn.ampproject.org##a[href^="http://count.shopping.t-online.de/RE?ID="] +blockbuster.to,goldesel.sx,saugen.to##a[href^="http://filestore.to/premium"] +finanzen.net##a[href^="http://g.finanzen.net/bs-anlegerclub"] +finanzen.net##a[href^="http://g.finanzen.net/hsbc-startseite-top-flop?id="] +finanzen.net##a[href^="http://g.finanzen.net/premium-teaser-bnp"] +erogeschichten.com##a[href^="http://in.mydirtyhobby.com/track/"] +bbszene.de##a[href^="http://partners.webmasterplan.com/"] +metacrawler.de,msn.com##a[href^="http://rover.ebay.com/"] +gamemovieportal.ch##a[href^="http://tidd.ly/"] +bildschirmarbeiter.com,das-sternzeichen.de,gamingmedia.de,meintomtom.de,metacrawler.de,schule-studium.de,seaofsin.de,seaofsin.info##a[href^="http://www.amazon."][href*="tag="] +sexfilmegratis.net,sexvideoskostenlos.net##a[href^="http://www.livestrip.com/FreeAccountLanding.aspx?"] pcwelt.de##a[href^="http://www.pcwelt.de/pv/"] -prad.de##a[href^="http://www.prad.de/mpb"] -adhs-zentrum.de##a[href^="http://www.profiseller.de/shop1/index.php3?ps_id="] -startseite.to##a[href^="http://www.putlocker.com/?affid="] -ddlporn.org##a[href^="http://www.raenox.com/vote/"] -verfickte-scheisse.net##a[href^="http://www.roulette-mit-system.net"] -n-tv.de,teleboerse.de##a[href^="http://www.rtl.de/tools/count/xdot/countntv.php?id="] -opencannabis.net##a[href^="http://www.sensiseeds.com/refer.asp?refid="] -oxygen-scene.com##a[href^="http://www.share-online.biz/affiliate/"] -ddl-music.org,eselfilme.com,moviez.to,oxygen-scene.com##a[href^="http://www.share-online.biz/service.php?p="] -verboten.to##a[href^="http://www.sofort-geld-verdienen.com"] -shortnews.de##a[href^="http://www.sparwelt.de/"] -speedshare.org##a[href^="http://www.speedshare.org/ads"] -der-postillon.com##a[href^="http://www.spreadshirt.de/track.php?affiliate="] -goldesel.to##a[href^="http://www.spyoff.com/"] -linkfarm.in,pornkino.to,xxx-blog.to##a[href^="http://www.stargames.com/bridge.asp?"] -linkfarm.in,underground-links.org##a[href^="http://www.stargames.net/bridge.asp?"] -lavendel.net##a[href^="http://www.sunday.de?utm_"] -pornkino.to##a[href^="http://www.sunmaker.com?a_aid="] -unixboard.de##a[href^="http://www.terrashop.de/"] -shortnews.de##a[href^="http://www.tickntalk.com/?af="] -trendhure.com##a[href^="http://www.trendhure.tv/"] -tweakpc.de##a[href^="http://www.tweakpc.de/rev3/www/delivery/"] -web.de##a[href^="http://www.twinplan.com/"] -opencannabis.net##a[href^="http://www.udopea.de/"][href*="?refid="] -4players.de##a[href^="http://www.ultraforce.de/?refID="] macwelt.de##a[href^="http://www.verleihshop.de/index.html?partner="] pcwelt.de##a[href^="http://www.verleihshop.de/pwindex.html?partner="] -serialzz.us##a[href^="http://www.viagra-dienst.info"] -t-online.de##a[href^="http://www.viversum.de/index.php?pid="] -wz-newsline.de##a[href^="http://www.wz-werbewelt.de/proads/"] -320k.in##a[href^="http://www.yellow-ducks.com/AF_"] -golyr.de##a[href^="http://www.zanox-affiliate.de/ppc/?"] -gesetzliche-kuendigungsfrist.info##a[href^="http://www1.belboon.de/"] -goldesel.to,mega-stream.to,moviebox.to,woom.ws##a[href^="http://www2.filedroid.net/AF_"] -readmore.de##a[href^="http://www4.smartadserver.com/"] -chip.de##a[href^="http://x.chip.de/fs24/io/?url="] -chip.de##a[href^="http://x.chip.de/linktrack/teaser/?clickzone="][target="_blank"] -xxx-blog.to##a[href^="http://xxx-blog.to/poppen/"] -hd-world.org##a[href^="http://zip5.de/"] -livestreamfussball.org##a[href^="http://zolanis.com/landingpage"] -freenet.de##a[href^="https://ad1.adfarm1.adition.com/redi?sid="] -hardwareluxx.de##a[href^="https://adclick.g.doubleclick.net/"] -macwelt.de,pcwelt.de##a[href^="https://aos.prf.hn/click/"] -4fuckr.com##a[href^="https://bit.ly/"] -t-online.de##a[href^="https://count.shopping.t-online.de/RE?ID="] -koeln.de##a[href^="https://ed.koeln.de/ad/"] -stadt-bremerhaven.de##a[href^="https://instaffo.com/?utm_source="] > img -gamepro.de,gamestar.de##a[href^="https://itunes.apple.com/"][href*="&affId="] -pcwelt.de##a[href^="https://rover.ebay.com/"] -ddl-warez.in##a[href^="https://share-online.biz/affiliate/"] -kino.de##a[href^="https://sp.kino.de/"] -finanztreff.de##a[href^="https://track.adform.net/"] -t-online.de##a[href^="https://track.adform.net/C/?bn="] -ddl-warez.in##a[href^="https://uploaded.net/ref/"] -movie-blog.org##a[href^="https://vavoo.tv/promo/"] +3fach.ch##a[href^="https://3fach.ch/track/"] +spanienlive.com##a[href^="https://airbnb.com/rooms/"] +blogprojekt.de##a[href^="https://all-inkl.com/?partner="] +allround-pc.com##a[href^="https://allround-pc.com/"][href*="/?"] +adventures-kompakt.de##a[href^="https://allvideoslots.com/"] +anderes-wort.de,bitreporter.de,fairytail-tube.org,onepiece-tube.com,picdumps.com##a[href^="https://amzn.to/"] +googlewatchblog.de,schrift-generator.com##a[href^="https://amzn.to/"] > img +allround-pc.com##a[href^="https://bit.ly/"] +adventures-kompakt.de##a[href^="https://casino-bonus24.net/"] +adventures-kompakt.de##a[href^="https://casinoandy.com/"] +adventures-kompakt.de##a[href^="https://casinopilot24.com/"] +hockeyweb.de,meintomtom.de,news.de##a[href^="https://clk.tradedoubler.com/"] +msn.com,pcwelt.de##a[href^="https://clkde.tradedoubler.com/"] +sueddeutsche.de##a[href^="https://cmk.sueddeutsche.de/cms/hub/"][href*="/anzeige/"] +t-online.de,www-t--online-de.cdn.ampproject.org##a[href^="https://count.shopping.t-online.de/RE?ID="] +onepiece-tube.com##a[href^="https://cutt.ly/"] +ligaportal.at##a[href^="https://de.johnnybet.com/"] +msn.com##a[href^="https://ebay.at/"] +koeln.de##a[href^="https://ed.koeln.de/ad/www/delivery/ck.php"] +finanzen.ch##a[href^="https://fra1-ib.adnxs.com/"] +porn4k.to##a[href^="https://gadlt.nl/"] +pcwelt.de##a[href^="https://get.surfshark.net/aff_c?"] +denkmalpflege-schweiz.ch,pornotim.com,reiseziele.ch,xhamsterde.com##a[href^="https://goo.gl/"] +tarnkappe.info##a[href^="https://hide.me/de/promotion/"] +hoerbuch.us##a[href^="https://hoerbuch.us/dll/"] +ibooks.to##a[href^="https://ibooks.to/del"] +ibooks.to##a[href^="https://ibooks.to/smmland/"] +blick.ch##a[href^="https://jackpot.onelink.me/"] +hoerbuch.us##a[href^="https://linksnappy.com/?ref="] +pornkinox.to##a[href^="https://lp.mydirtyhobby.com/"] +ero-world.info##a[href^="https://media.campartner.com/"] +metager.de##a[href^="https://metager.de/partner/r?"] +biete6.ch##a[href^="https://mydirtyhobby.com/"][href*="?ats="] +pcwelt.de##a[href^="https://ndirect.ppro.de/"] +winfuture.de##a[href^="https://ndirect.ppro.de/click/"] +bbszene.de##a[href^="https://neu.turbo-d.de/"] +goal.com##a[href^="https://prf.hn/"] +focus.de,pcwelt.de##a[href^="https://pvn.mediamarkt.de/"] +schnittberichte.com##a[href^="https://pvn.mediamarkt.de/trck/eclick/"] > img[src^="https://www.schnittberichte.com/resources/images/mediamarkt_"] +pcwelt.de##a[href^="https://pvn.saturn.de/"] +schnittberichte.com##a[href^="https://pvn.saturn.de/trck/eclick/"] > img[src^="https://www.schnittberichte.com/resources/images/saturn_"] +metager.de##a[href^="https://r.search.yahoo.com/"] +emuenzen.de##a[href^="https://rover.ebay.com/"] +dkamera.de##a[href^="https://servedby.flashtalking.com/"] +wallstreet-online.de##a[href^="https://smartbroker.de/"][href*="/?utm_"] +wallstreet-online.de##a[href^="https://smartbroker.de/?utm_source="] +report24.news##a[href^="https://tentorium.tv/"] +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-pornos.info,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com##a[href^="https://tik-tok-dates.com/"] +pcwelt.de##a[href^="https://tracking.s24.com/"] +ero-world.info##a[href^="https://vxcsh.com/"] spiele-umsonst.de##a[href^="https://wgaffiliate.com/?a="] -chip.de##a[href^="https://www.amazon.de/"][href*="&tag="] -pcwelt.de##a[href^="https://www.amazon.de/"][href*="&tag=pcwtextlink-21&"] -gamiano.de##a[href^="https://www.amazon.de/"][href*="?tag=gamiano-21&"] -pcwelt.de##a[href^="https://www.amazon.de/gp/angebote/"] -chip.de##a[href^="https://www.amazon.de/gp/video/primesignup?tag="] -livestreamfussball.org##a[href^="https://www.bwin.com/de/registration?wm="] -stadt-bremerhaven.de##a[href^="https://www.cyberport.de/?token="][target="_blank"] > img -chip.de##a[href^="https://www.expertiger.de/partner/"] -t-online.de##a[href^="https://www.jackpot.de/lp/"] -t-online.de##a[href^="https://www.lotto24.de/webshop/product/eurojackpot?partnerId="] -t-online.de##a[href^="https://www.mobile.de/"][href*="utm_medium=affiliate"] -atomload.to##a[href^="https://www.oboom.com/ref/"] -hd-world.org,movie-blog.org##a[href^="https://www.smoozed.com/p/"] -atomload.to##a[href^="https://www.smoozed.rocks/landing/"] -ddl-warez.to,goldesel.to##a[href^="https://www.spyoff.com/"] -pcwelt.de##a[href^="https://www.verleihshop.de/pwindex.html?partner="] -arcor.de##a[href^="https://zuhauseplus.vodafone.de/"] > img -angesagter.de##a[href^="out.php?bid="] -sinn-frei.com##a[href^="out2_"] -maxrev.de##a[href^="redirect,banner_id,"] -linxcrypt.com##a[id^="eckBild"] -borussia.de##a[id^="logo_sponsor"] -ixquick.de##a[id^="sptitle"] -ixquick.de##a[id^="spurl"] -gaming-insight.de##a[id^="takeoverlink"] -npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##a[onclick$=")"] > img[src^="/"] -npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##a[onclick$=");"] > img[src^="/"] -ddl-warez.to##a[onclick*=".to/ref/"] -ddl-warez.to##a[onclick*="/affiliate/"] -ddl-warez.to##a[onclick*="FriendlyDuck.com"] -ddl-warez.to##a[onclick*="uploaded.net/ref/"] -npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##a[onclick][href$="#"] > img[src^="/"] -kochbar.de,rtl.de,sport.de,vip.de,vox.de,wetter.de##a[onclick^="$('').attr(\7b src: '/tools/count/xdot/count.php?id="] -rtl.de##a[onclick^="$('').attr(\7b src: '/xdot/count?id="] -downloadstube.net##a[onclick^="DownloadFile('details'"] -downloadstube.net##a[onclick^="DownloadFile('result_details'"] -downloadstube.net##a[onclick^="FileDownload('details',"] -downloadstube.net##a[onclick^="FileDownload('result_details',"] -downloadstube.net##a[onclick^="MirrorDownload('result_details',"] -quoka.de##a[onclick^="_gaq.push( [ '_trackEvent',"] -zoozle.net##a[onclick^="downloadFile('download_big', null,"] -zoozle.net##a[onclick^="downloadFile('download_related', null,"] -php.de##a[onclick^="pageTracker._trackPageview('/outbound/ads/"] -meinestadt.de##a[onclick^="return xt_ad('"] -suchen.de##a[onclick^="sl(PID.PpcClick);window.open('http://www.suchen.de/ad?"] -prad.de##a[onclick^="trackOutboundLink(this, 'HP'"] -rtl.de##a[onclick^="verivox_go("] -rtl.de##a[onclick^="verivox_go_"] -downloadstube.net##a[onclick^="window.open('/download-file.php?type=premium&"] -sexkino.to##a[onclick^="window.open('http://www.FriendlyDuck.com/AF_"] -sexkino.to##a[onclick^="window.open('http://www.privatamateure.com/?wmid="] -ebook-land.us##a[onclick^="window.open('https://www.oboom.com/ref/"] -bild.de##a[onclick^="wt_send_timeparams('ce1=/videobuster/"] -rtl.de##a[onclick^="xdot_go(document.getElementById('powerform_"] -rtl.de##a[onclick^="xdot_go_trpix(document.getElementById('parshipform_"] -windowspro.de##a[oncontextmenu^="window.top.location.href='http://adclick"] -computerbase.de##a[style="color:#000;display:block;padding:10px 7px 10px;position:relative"] -computerbase.de##a[style="color:#000;display:block;padding:10px 7px 8px;position:relative"] -imagebanana.com##a[style="color:orange; font-weight:bold; font-size:12px;"][target="_blank"] -stream4.org##a[style="color:yellow;font-size:15px;"] -magistrix.de##a[style="display:block; position: fixed; left:0; top:0; outline: 0; width:100%; height:100%"] -handy-faq.de##a[style="text-decoration:underline; color:red; font-size:18px;"] -hoerbuch.us##a[style="text-size:10px;font-weight:0; color: green;"][href^="http://hoerbuch.us/dl/?f="] -fragster.de##a[style^="background: url(http://media.fragster.de/avw.php?zoneid="] -enduro-austria.at##a[target="_blank"] > img[style="margin-top: 2px; margin-right: 2px; margin-bottom: 2px; vertical-align: middle;"] -t-online.de##a[target="_blank"][href*=".sptopf.de/tshp/RE?ID="] -quoka.de##a[target="_blank"][href*="/solute/cd/banner?"] -pappenforum.de##a[target="_blank"][href="http://www.HolidaysGermany.de"] -braunschweiger-zeitung.de##a[target="_blank"][href="http://www.flirt38.de/"] -listsandnews-de.net##a[target="_blank"][href="http://www.medianata.com"] -dxtv.de,dxtv.eu,satbook.de##a[target="_blank"][href="http://www.satshop24.de/"] -dxtv.de,dxtv.eu,satbook.de##a[target="_blank"][href="http://www.so-mm.de/"] -npage.at,npage.ch,npage.de,~www.npage.at,~www.npage.ch,~www.npage.de##a[target="_blank"][href^="../"] -magistrix.de##a[target="_blank"][href^="/deblock/"] -speedlounge.in##a[target="_blank"][href^="/download/"] -welleniederrhein.de##a[target="_blank"][href^="/func/clickcount/linkcount.php?target=http://www."] -rtl.de##a[target="_blank"][href^="/tools/count/xdot/count.php?id="] -sport.de##a[target="_blank"][href^="/tools/count/xdot/count.php?id="][style="display: block;"] -efever.de##a[target="_blank"][href^="ajaxloader.php?site=adverts&id="] -escupido.com##a[target="_blank"][href^="cb_forwarder.php?cb="] -4players.de##a[target="_blank"][href^="http://4p.de/4pl_wp_"] -wz-newsline.de##a[target="_blank"][href^="http://9nl.me/"] -chip.de,rp-online.de##a[target="_blank"][href^="http://ad.zanox.com/ppc/?"] -rtl.de##a[target="_blank"][href^="http://fashion24.vip.de/suche/"] -gamestar.de##a[target="_blank"][href^="http://goo.gl/"] > img -t-online.de##a[target="_blank"][href^="http://im.banner.t-online.de/?adlink"] > img -apfeleimer.de##a[target="_blank"][href^="http://j.mp/"] -prad.de##a[target="_blank"][href^="http://links.prad.de/"] -lesen.to##a[target="_blank"][href^="http://megacache.net/free"] -gamereactor.de##a[target="_blank"][href^="http://openx.gamereactor.dk/adclick.php?"] -oyox.de##a[target="_blank"][href^="http://partners.webmasterplan.com/click.asp?ref="] > img -sms-elite.de##a[target="_blank"][href^="http://versand.sms-elite.de/www/../weiter/"] -gamepro.de##a[target="_blank"][href^="http://www.gamepro.de/_misc/linkforward/linkforward.cfm?linkid="] -spotlight-wissen.de##a[target="_blank"][href^="http://www.gratissoftware.de"] -ichspiele.cc##a[target="_blank"][href^="http://www.ichspiele.cc/rotator/klick.php?id="] -prad.de##a[target="_blank"][href^="http://www.mobilerproduktberater.de/"] -sachsen-fernsehen.de##a[target="_blank"][href^="http://www.sachsen-fernsehen.de/loadBanner.aspx?id="] -schwaebische.de##a[target="_blank"][href^="http://www.schwaebische.de/click.php?id="] -vegpool.de##a[target="_blank"][href^="http://www.vegpool.de/go.php?id="] -lintorfer.eu##a[target="_blank"][href^="https://bankingportal.sparkasse-hrv.de"] > img -mov-world.net##a[target="_blank"][href^="https://www.oboom.com/#"] -schachbund.de##a[target="_blank"][href^="system/modules/banner/public/conban_clicks.php?bid="] > img -ak-kurier.de##a[target="_new"] > img[src^="http://www.ak-kurier.de/akkurier/www/pic/"] +winfuture.de##a[href^="https://winfutu.re/trvisa"] +bildschirmarbeiter.com,bitreporter.de,chip.de,emok.tv,naruto-tube.org,nickles.de,onepiece-tube.com,pcgamesdatabase.de,pcwelt.de,pi-news.net,ruhrbarone.de,schule-studium.de,wiiunews.at##a[href^="https://www.amazon."][href*="tag="] +uepo.de##a[href^="https://www.amazon."][href*="tag="] > img +apfeltalk.de##a[href^="https://www.apfeltalk.de/magazin/affiliate/"] +falk.de##a[href^="https://www.awin1.com/awclick.php"] +aus-liebe.net,pcwelt.de,radsport-seite.de##a[href^="https://www.awin1.com/cread.php?"] +chinahandys.net##a[href^="https://www.banggood.com/marketing-"] +ero-world.info##a[href^="https://www.big7.com/"] +falk.de##a[href^="https://www.booking.com/searchresults.html?aid="] +stadt-bremerhaven.de##a[href^="https://www.communicationads.net/tc.php?"] +computerbase.de##a[href^="https://www.computerbase.de/api/ad-click?"] +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,pornoaffe.com,pornoente.tv,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexvideos.com,xnxx-porno.com##a[href^="https://www.erocom.tv/?utm_"] +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,pornoaffe.com,pornoente.tv,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexvideos.com,xnxx-porno.com##a[href^="https://www.erotik-von-nebenan.com/?utm_"] +wallstreet-online.de##a[href^="https://www.etracker.de/ccr?"] +pi-news.net##a[href^="https://www.fincabayano.net/"] +rockitradio.ch,vintageradio.ch##a[href^="https://www.frankly.ch/"] +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,pornoaffe.com,pornoente.tv,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexvideos.com,xnxx-porno.com##a[href^="https://www.handy-sextreff.info/?c="] +hockeyweb.de##a[href^="https://www.hockeyweb.de/?rex-api-call=pixel_forward&url="] +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,hd-sexfilme.com,hdpornos.net,lesbenhd.com,meinyouporn.com,pornoaffe.com,pornoente.tv,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexvideos.com,xnxx-porno.com##a[href^="https://www.julia-reaves.com/?bicc="] +trendmutti.com##a[href^="https://www.krokodeal.net/"] +schwedenstube.de##a[href^="https://www.lead-alliance.net/tc.php"] +daily-pia.de##a[href^="https://www.manitu.de/?partner="] +sexabc.ch##a[href^="https://www.mydirtyhobby.de/"][href*="?ats="] +hoerbuch.us##a[href^="https://www.purevpn.com/?aff="] +hoerbuch.us##a[href^="https://www.purevpn.com?aff="] +sunshine.it##a[href^="https://www.raiffeisen.it/"] +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,nursexfilme.com,pornoaffe.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoschlange.com,pornotom.com,pornotommy.com,pornozebra.com,sexente.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xhamster-sexfilme.com,xhamster-sexvideos.com,xnxx-porno.com,xnxx-sexfilme.com##a[href^="https://www.susi.live/FreeAccountLanding.aspx?"] +areadvd.de##a[href^="https://www.teufel.de/sales?partner_id="] +pornoente.tv,pornohirsch.net,pornolisa.com,pornotanja.com##a[href^="https://www.tik-tok-dates.com/"] +pcwelt.de##a[href^="https://www.tkqlhce.com/click-"] +tweakpc.de##a[href^="https://www.tweakpc.de/rev3/www/delivery/"] +nsladies.de##a[href^="https://www.visit-x.net/de/w/chathost/?w="] +beeg-pornos.com,deinesexfilme.com,einfachtitten.com,gutesexfilme.com,halloporno.net,hd-sexfilme.com,hdpornos.net,herzporno.com,lesbenhd.com,meinyouporn.com,milffabrik.com,nursexfilme.com,pornhub-sexfilme.net,pornoaffe.net,pornodavid.com,pornoente.tv,pornofelix.com,pornofisch.com,pornohammer.com,pornohans.com,pornohelm.com,pornohirsch.net,pornojenny.com,pornoklinge.com,pornoleon.com,pornolisa.com,pornoritze.com,pornoschlange.com,pornosusi.com,pornotanja.com,pornotom.com,pornotommy.com,pornovideos-hd.com,pornozebra.com,sexente.com,sexfilme-gratis.com,sexvideos-gratis.com,sexvideos-hd.com,tube8-pornos.com,xnxx-porno.com,xnxx-pornos.xxx,xnxx-sexfilme.com##a[href^="https://www.visit-x.world/"] +pornhubdeutsch.info,xhamsterde.com##a[href^="https://www.wazazu.com/LA/Landingpage?"] +xhamsterde.com##a[href^="https://www.zononi.com/LA/LP/Finder?"] +xhamsterde.com##a[href^="https://www.zononi.com/VX/LP/Roulette?"] +myhomebook.de##a[href^="https://www6.smartadserver.com/"] > img +ladies.de##a[href^="https://zwinkr.de/landing/"] +dervinschger.it##a[id="bottombanner"] +wallstreet-online.de##a[onclick*="'tableAd'"] +wallstreet-online.de##a[onclick*="'tableAd'"] + img +wallstreet-online.de##a[onclick*="tableAd"] + span +shaz.ch##a[onclick^="__gaTracker('send', 'event', 'Ads'"] +allround-pc.com,supermarktblog.com##a[rel*="sponsored"] +computerbase.de##a[rel*="sponsored"] > img[alt="Anzeige"] +smartdroid.de##a[rel=" noreferrer noopener sponsored nofollow"] +allround-pc.com##a[rel="external noopener"] > img[src^="/"] +allround-pc.com##a[rel="noopener external"] > img[src^="/"] +anisearch.de,herz-fuer-tiere.de,schweizer-illustrierte.ch##a[rel="sponsored"] +andalusien-aktuell.es,sex4u.ch##a[rel^="sponsored"] +kfz-steuer.de##a[style="position:relative; float:left; width:698px; height:63px; padding-left:28px; padding-right:0px; padding-top:14px; border:1pt solid #DADADC; background:#FFFFFF display:inline;"] ak-kurier.de##a[target="_new"][href^="inc/inc_link.php?id="] -rtl.de##a[target="_self"][href="http://partnersuche.rtl.de/"] -rtl.de##a[target="_self"][href="http://rechtsberatung.rtl.de"] -rtl.de##a[target="_self"][href="http://www.rtl.de/cms/ratgeber/singles.html"] -rtl.de##a[target="_self"][href="http://www.rtl.de/cms/unterhaltung/musik-streaming.html"] -rtl.de##a[target="_self"][href^="http://tickets.rtl.de/"] -rtl.de##a[target="_self"][href^="http://traumgewinne.rtl.de/?id="] -rtl.de##a[target="_self"][href^="http://www.brille24.de/shop/"] -rtl.de##a[target="_self"][href^="http://www.onlinefotoservice.de/"][href*="?cref="] -rtl.de##a[target="_self"][href^="http://www.rtl.de/street-one/"] -magistrix.de##a[target="blank"][href*="/assets/"] -magistrix.de##a[target="blank"][href^="/"] > img[src^="/"] -magistrix.de##a[target="blank"][href^="/deblock/"] -chip.de##a[title="Amazon Instant Video"][target="_blank"] -fc-hansa.de##a[title="DKB-Familienblock"] -chip.de##a[title="FriendScout24"][target="_blank"] -g4u.me##a[title="Highspeed Download"] -golem.de##article > .formatted > p + div[style$="px 0; min-height:266px; clear:both;"] -golem.de##article > .formatted > p + div[style="margin:15px 0; min-height:266px;"] -yellingnews.com##article > .teaser + .related.tm -schulzeux.de##article > .vi_a_79 -maxwireless.de##aside a[target="_blank"][onclick^="javascript:_gaq.push(['_trackEvent','outbound-widget',"] +sportdeutschland.tv##app-top-banner +windowspro.de##article.node-teaser:not(.node-promoted) +otto.de##article[data-producttile-tracking*="wk.san_ProductType\":\"sponsored\""] weristdeinfreund.de##aside[id^="banner"] -gamestar.de##blockquote > p > strong + a[href^="http://www.amazon.de/"] -trackfox.com,trackfox2.com##body -eye-games.com##body > #header:first-child + #wrapper -leave.to##body > #wrapper > header + aside -leave.to##body > #wrapper > header + aside + #content:last-child -weihnachtsbaeckerei.com##body > .noprint[style="position: absolute; left: 50%; margin-left: 355px; top: 123px;"] -solinger-bote.de##body > .xWrap > .xWrapLeft -solinger-bote.de##body > .xWrap > .xWrapLeft + .xWrapRight -langes-forum.de##body > :nth-child(75) + .tablec[align="center"][style="width:98%"] > tbody > tr > td[width="100%"] > .tableb[cellspacing="1"][cellpadding="4"][border="0"][style="width:100%"] -tv-stream.to##body > :nth-child(9) + div[id][style] -areadvd.de##body > center -elternforen.com##body > div[align="center"] > table[align="left"][cellspacing="0"][cellpadding="0"][style="width: 99%"] -www.google.de##body > div[align="left"]:first-child + style + table[cellpadding="0"][width="100%"][style^="border: 1px solid "] -salzi.at##body > div[id^="fb_"] -astronews.com##body > div[style="position:absolute; top:10px; width:900px;"] -dasweinforum.de##body > table > tbody > tr > td[width="160"][valign="top"]:first-child -gleitschirmdrachenforum.de##body > table[style="margin-bottom: 10px;"]:first-child -wortfilter.de##body > table[style="margin-bottom:6px;"]:first-child -astronews.com##body > table[style="width: 750px"] ww3.cad.de##body > table[width="100%"][border="0"]:first-child -acer-userforum.de##body > table[width="100%"][cellspacing="0"][cellpadding="0"][border="0"]:first-child > tbody:first-child:last-child > tr:first-child:last-child > td[width="195px"][valign="top"]:first-child -schoener-fernsehen.com##body[msallowfullscreen="true"][webkitallowfullscreen="true"][mozallowfullscreen="true"][allowfullscreen="true"][style="box-sizing: border-box; width: 100%; height: 100%; overflow: hidden;"] > iframe[id][class][frameborder="0"][allowtransparency="true"][scrolling="auto"][src^="http://schoener-fernsehen.com/"] + div[id][class] -rtl.de##button[onclick^="verivox_go("] -rsd-store.com##button[onclick^="visitPartner("] -hornoxe.com##center > a[target="_blank"][href^="http://amzn.to/"] > img -repage.de##center > br + table[style="background-color:FFFFCC;border:1px solid;border-color:;table-layout:visible;width:468px;height:60px;padding-top:0px;padding-left:5px;padding-right:5px;padding-bottom:0px;"] +ddl-warez.cc##button[onclick*="/af.php"] +ibooks.to##button[type="submit"] abload.de##center > table > tbody > tr > td[valign="bottom"][align="center"][style="width: 100%;"] -englische-briefe.de##center > table[width="574"][cellspacing="0"][cellpadding="0"][border="0"] -wuerzburger-kickers.de##div > h3 + #ais_129_wrapper -rundumkoeln.de##div[align="center"] > #top[name="top"]:first-child + table[border="0"]:last-child -handy-faq.de##div[align="center"] > span[style="text-decoration:none; color:red;font-size:18px;"]:first-child -handy-faq.de##div[align="center"] > span[style="text-decoration:none; color:red;font-size:18px;"]:first-child + a -flirttown.net##div[align="center"][style="height:90px; z-index:99;"] -dslteam.de##div[align="center"][style="width: 850px; margin: 0px auto 15px auto; color: #fff;"] +chefkoch.de##consent-for +winfuture.de##div[align="center"][style="min-height: 320px;"] 3dchip.de##div[align="center"][width="468px"] > table[height="60"][cellspacing="0"][cellpadding="0"][border="0"][align="center"] -onlinekosten.de##div[align="left"][style="padding:0px 25px 0px 25px"] > div[align="center"][style="margin: 10px 0px 20px 0px;"] -dslr-forum.de##div[align="left"][style="padding:0px 25px 0px 25px"] > div[style="padding:0px 0px 6px 0px"] > .tborder[cellspacing="1"][cellpadding="6"][border="0"][align="center"][width="100%"] -forum.jswelt.de##div[class="postbit"] -t-online.de##div[class^="Tsshopst"] -technic3d.com##div[class^="ad-"] -oxygen-scene.com##div[class^="adoxygen"] -bild.de##div[class^="adspecial"] -erbrecht-ratgeber.de##div[class^="b_336x280_"] -goldesel.to##div[class^="p"][style="margin-top:20px;"] > div[class^="c"] > div[class^="d"] > div[class^="d_"]:last-child > a[href^="apps/windows/"] > img[src^="img/"] -goldesel.to##div[class^="p"][style="margin-top:20px;"] > ul[class^="c"] > li > a[href^="apps/windows/"] > img[src^="img/"] -1fcm.de,fc-magdeburg.de##div[class^="reklame_"] -bildderfrau.de,gofeminin.de##div[class^="sas_FormatID_"] -goldesel.to##div[class^="warn"] -car.de##div[class^="wrb-"] -rtl.de,sport.de,vox.de##div[data-adformat="halfpage"] -rtl.de##div[data-adformat="octopus_hr"] -rtl.de##div[data-adformat="octopus_mr"] -rtl.de,sport.de,vox.de##div[data-adformat="rectangle"] -chip.de##div[data-adzone="contentad-afc-main"] -chip.de##div[data-adzone="contentad-storyad-afc"] -t-online.de##div[data-dy*="Partner:"] -essen-und-trinken.de,livingathome.de##div[data-ga_event^="shopping-sidebar"] -t-online.de##div[data-url^="http://m.exactag.com/"] -amazon.de##div[id$="_adcontent"] -vol.at##div[id^="AdContainer_"] -www.blick.ch##div[id^="CT299"] -hdfilme.tv##div[id^="MGWrap"] -t-online.de##div[id^="T-"].Tmm.Tltb.Tts.Tmc1.Tww1.Thh3[onfocus^="A('zid="] > .Ttsc.Ttsv169 -t-online.de##div[id^="T-"].Tmm.Tts.Tmc4b.Ttshh.Tww1.Thh05.Tmc4s[onfocus^="A('zid="] -t-online.de##div[id^="T-"][oncontextmenu="return false"] -t-online.de##div[id^="T-"][style="cursor: pointer;"] -oberprima.com##div[id^="ad-inst-"] -2kino.net,flash-moviez.tv,ucoz.de##div[id^="adBar"] -modified-shop.org##div[id^="ad_above_"] -modified-shop.org##div[id^="ad_after_first_post_"] -modified-shop.org,xtc-modified.org##div[id^="ad_below_"] -np-coburg.de##div[id^="adition_"] -fddb.info##div[id^="adv"] -morgenpost.de##div[id^="advertisementRightcolumn_"] -winfuture.de##div[id^="amazon_box_iframe_"] -vogel.de##div[id^="ban_"] -netdoktor.de##div[id^="banner"] +bitreporter.de##div[class$="-adlabel"] +onvista.de##div[class*="InteractionTypeReference_ov-interaction-slot--fallback"] +shop.rewe.de##div[class*="Product_productSpecialTile"] +onlinehaendler-news.de##div[class*="adplacement_"] +chartsurfer.de##div[class*="adszone-"] +amazona.de##div[class*="fnetbr"] +biancazapatka.com##div[class="app-banner"] +onvista.de##div[class="col col--sm-4 col--md-3 col--lg-4 col--xl-4"] +blick.de,gut-erklaert.de,hifi-forum.de,kino.de,meinestadt.de,news.de,nordbayern.de,t-online.de,teltarif.de##div[class] > img[referrerpolicy="unsafe-url"] +homegate.ch##div[class^="AdSlotContainer_"] +stol.it##div[class^="AdSuperBanner_"] +stol.it##div[class^="AdUnit_"] +rnd.de##div[class^="Adstyled_"] +zentralplus.ch##div[class^="Advertisement_container"] +mactechnews.de##div[class^="Billboard-"] +mactechnews.de##div[class^="Billboard_"] +20min.ch,lessentiel.lu##div[class^="ContentPage_insideFullTopPlaceholder_"] +lovelybooks.de##div[class^="MoliAd_"] +derbund.ch##div[class^="PageLayout_topaddesktop_"] +mactechnews.de##div[class^="Rectangle_"] +immoscout24.ch##div[class^="ResultListPage_topAdContainer_"] +t-online.de,www-t--online-de.cdn.ampproject.org##div[class^="Tsshopst"] +einfachkochen.de##div[class^="ad-display"] +90min.de##div[class^="ad_"] +sport.de##div[class^="ada-preservespace-"] +berliner-zeitung.de##div[class^="article_billboard-"] +2ix2.com##div[class^="bireklam"] +experten.de##div[class^="c-ad-exper-"] +mietminderungstabelle.de##div[class^="contentAdBox_"] +24auto.de,24books.de,24garten.de,24rhein.de,24royal.de,24vita.de,az-online.de,bgland24.de,buzzfeed.at,buzzfeed.de,bw24.de,chiemgau24.de,come-on.de,costanachrichten.com,einfach-tasty.de,fnp.de,fr.de,giessener-allgemeine.de,giessener-anzeiger.de,hallo-muenchen.de,hna.de,ingame.de,innsalzach24.de,kreis-anzeiger.de,kreiszeitung.de,landtiere.de,lauterbacher-anzeiger.de,mangfall24.de,merkur.de,rosenheim24.de,sauerlandkurier.de,schwaebische-post.de,soester-anzeiger.de,tz.de,usinger-anzeiger.de,wa.de,wasserburg24.de,wetterauer-zeitung.de##div[class^="id-TBeepSlot"] +costanachrichten.com##div[class^="lp_track_"] +morecore.de##div[class^="morec-"] +emtb-news.de,mtb-news.de,rennrad-news.de##div[class^="mtbnews-ad-container"] +berliner-kurier.de,berliner-zeitung.de##div[class^="outbrain_"] +via-ferrata.de##div[class^="overlay-"] +finanzen.ch,finanzen.net##div[class^="page-layout__ad-"] +grenzecho.net##div[class^="pane-dpipub-"] +pictures-magazin.de##div[class^="pictu-"] +mietminderungstabelle.de##div[class^="placeholderAdBox_"] +rundschau.info##div[class^="runds-werbung-"] +berliner-kurier.de,berliner-zeitung.de##div[class^="showheroes_"] +berliner-kurier.de,berliner-zeitung.de,evangelische-zeitung.de##div[class^="traffective_"] +fraenkischertag.de##div[class^="werb-block-"] +winfuture.de##div[class^="ws_contentAd"] +amazon.de##div[data-ad-id] +heute.at##div[data-ad-position] +pcspezialist.de##div[data-ad-type] +welt.de##div[data-ad] +rtl.de,vox.de##div[data-adformat="halfpage"] +rtl.de,vox.de##div[data-adformat="rectangle"] +unnuetzes.com,unsere-helden.com##div[data-ads-provider="sdg"] +gmx.net,web.de##div[data-adservice-slot] +studysmarter.de##div[data-adv-location] +berliner-zeitung.de##div[data-component-type="ad-slot"] +freenet.de##div[data-componentid^="ext-frn-adtag-"] +volksblatt.at##div[data-div-ratios="default:300_250"] +volksblatt.at##div[data-div-ratios="default:696_280|500:300_250"] +t-online.de,www-t--online-de.cdn.ampproject.org##div[data-dy*="Partner:"] +apfelpage.de##div[data-embed-provider="rcm-eu-amazon-adsystem-com"] +de.motor1.com##div[data-entrypoint="heycar-search-widget"] +t-online.de##div[data-external-sdi-mark="banner-placeholder"] +ingolstadt-today.de##div[data-ez-block-id="3324017"] +alles-mahlsdorf.de##div[data-id="904ffeb"] +kleinanzeigen.de##div[data-liberty-ad-loaded="true"] +heise.de##div[data-module-name="AdModule"] +giga.de##div[data-sdg-ad] +augsburger-allgemeine.de##div[data-slot-name="banner"] +augsburger-allgemeine.de##div[data-slot-name="banner2"] +t-online.de##div[data-testid="TaboolaFeeds.Feed"] +willhaben.at##div[data-testid="ad-detail-widget"] +berliner-kurier.de,evangelische-zeitung.de##div[data-testid="article-billboard-advertisement"] +sport1.de##div[data-testid="better-collective"] +kabeleins.de,prosieben.de,ran.de,sat1.de,sixx.de##div[data-testid="display-ad"] +suchen.mobile.de##div[data-testid^="SRP_SBANNER_"] +suchen.mobile.de##div[data-testid^="SRP_TABLECELL_"] +sportbild.bild.de##div[data-tr-doc-type="dt=InlineAd|st=BTOAdTag"] +giga.de##div[data-trigger="sourcepoint-ad"] +prosiebengames.de##div[data-url-link^="https://track-adspree.com/"] +gesundheit.de,onmeda.de##div[id$="SparkWrapper"] +aerzteblatt.de##div[id^="Ads_BA_"] +teltarif.de##div[id^="LxIdealo"] +t-online.de,www-t--online-de.cdn.ampproject.org##div[id^="T-"].Tmm.Tltb.Tts.Tmc1.Tww1.Thh3[onfocus^="A('zid="] > .Ttsc.Ttsv169 +t-online.de,www-t--online-de.cdn.ampproject.org##div[id^="T-"][oncontextmenu="return false"] +hardware-mag.de##div[id^="ad-"] +gamestar.de##div[id^="ad-div-"] +20min.ch##div[id^="ad_prime_"] +argoviatoday.ch,baerntoday.ch,fm1today.ch,nzz.ch,pilatustoday.ch,swissmom.ch,zueritoday.ch##div[id^="adnz_"] +haus.de##div[id^="adtech_"] +yoga-aktuell.de##div[id^="aktue-"] +willhaben.at##div[id^="apn-large-result-list-"] +arbeits-abc.de##div[id^="arbei-"] +areadvd.de##div[id^="aread-"] +20min.ch##div[id^="ausland__inside-"] +crucero-magazin.de##div[id^="avas-"] +digitalfernsehen.de##div[id^="ax-"] finanzen100.de,spielen.de##div[id^="banner_"] -gamers.de##div[id^="click"] -insidegames.ch##div[id^="click"][onclick^="_gaq.push(['_trackEvent',"] -gamers.at##div[id^="clickTagDIVElement_"] > a -prad.de##div[id^="content-"] > a[target="_blank"] > img -bild.de##div[id^="content_stoerer_"] -mafia.to##div[id^="cpa_rotator_"] -gulli.com##div[id^="crt-"] -forum.golem.de##div[id^="csi_forum"][style="min-height:100px"] -downloadstube.net##div[id^="ddl_"] + div[id] + a[onclick] + br + a[onclick] -pnp.de##div[id^="diganz"] -abnehmen-forum.com##div[id^="edit"] > .vbseo_like_postbit + table[width="100%"][bgcolor="#FFFFFF"] -jswelt.de##div[id^="edit"]:first-child:last-child > .spacer:last-child +20min.ch##div[id^="basel__inside-"] +basic-tutorials.de##div[id^="basic-"] +bayreuther-tagblatt.de##div[id^="bayre-"] +20min.ch##div[id^="bern__inside-"] +hpd.de##div[id^="block-views-advertising-"] +buongiornosuedtirol.it##div[id^="buong-"] +fla.de##div[id^="cncpt-dsk_"] +coincierge.de##div[id^="coinc-"] +20min.ch##div[id^="community__inside-"] +20min.ch##div[id^="coronavirus__inside-"] +forum.golem.de##div[id^="csi_forum"][style="min-height: 100px; padding: 0px; display: block;"] +dubisthalle.de##div[id^="dbh-"] +20min.ch##div[id^="digital__inside-"] +dogforum.de##div[id^="dogforum_content_"] boerse.sx##div[id^="edit"][style="padding:0px 0px 6px 0px"] > table[id^="post"][width="100%"][cellspacing="0"][cellpadding="6"][border="0"][align="center"] + br + .tborder[width="100%"][cellspacing="0"][cellpadding="6"][border="0"][align="center"] -windowspro.de##div[id^="gtWrapper-"] -gamestar.de##div[id^="idAd"] +erotikseitentest.com##div[id^="eroti-"] +freenet.de##div[id^="ext-frn-adtag-"] +finanzmarktwelt.de##div[id^="finan-"] +vrnerds.de##div[id^="findexp-"] +foodwissen.de##div[id^="foodw-"] +windowspro.de##div[id^="gWrapper-"] +nationalgeographic.de##div[id^="gpt-"] +ruhr24.de##div[id^="gptslot-"] +hardware-helden.de##div[id^="hardw-"] +ibiza-heute.de##div[id^="ibiza-"] +ruhr24.de##div[id^="id-beep-slot-"] teltarif.de##div[id^="ideaload"] -freitag.de##div[id^="mf"] -pcgames.de##div[id^="plakatinhalttag_"] -ruppiner-medien.de##div[id^="promotion"] +20min.ch##div[id^="influencer-radar__inside-"] +journalistenwatch.com##div[id^="journ-"] +20min.ch##div[id^="kinostreaming__inside-"] +20min.ch##div[id^="kochen__inside-"] +20min.ch##div[id^="lifestyle_autoundmobilitaet__inside-"] +20min.ch##div[id^="lifestyle_beauty__inside-"] +20min.ch##div[id^="lifestyle_bodyandsoul__inside-"] +20min.ch##div[id^="lifestyle_eatanddrink__inside-"] +20min.ch##div[id^="lifestyle_fashion__inside-"] +20min.ch##div[id^="lifestyle_living__inside-"] +20min.ch##div[id^="lifestyle_reduceandreuse__inside-"] +20min.ch##div[id^="lifestyle_reisen__inside-"] +20min.ch##div[id^="lifestyle_wein__inside-"] +t-online.de,www-t--online-de.cdn.ampproject.org##div[id^="ma_ar"] +bergsteiger.de##div[id^="medium_rectangle"] +will-mixen.de##div[id^="mixena-"] +mo-web.de##div[id^="moads-"] +modified-shop.org##div[id^="modifiedwerbung_"] +t-online.de,www-t--online-de.cdn.ampproject.org##div[id^="mrec"] +20min.ch##div[id^="my-news-plus__inside-"] +wallstreet-online.de##div[id^="nativendo-"] +tonspion.de##div[id^="netse-"] +noz.de##div[id^="nozmhn_ad_"] +faktastisch.de,frustfrei-lernen.de##div[id^="npm_"] +nydus.org##div[id^="nydus_org_300x600_"] +radiosaw.de##div[id^="oms_gpt_"] +20min.ch##div[id^="onelove__inside-"] +20min.ch##div[id^="ostschweiz__inside-"] +formel1.de##div[id^="outer_sas_"] +20min.ch##div[id^="people__inside-"] +20min.ch##div[id^="people_radio__inside-"] +playfront.de##div[id^="playf-"] +20min.ch##div[id^="prime__inside-"] +professional-audio.de##div[id^="profe-"] handballecke.de##div[id^="promotionHeader"] -ebay.de##div[id^="rtm_html_"][style="display: block; width: 300px; height: 250px; overflow: hidden;"] -ebay.de##div[id^="rtm_html_"][style="display: block; width: 300px; height: 265px; overflow: hidden;"] -ebay.de##div[id^="rtm_html_"][style="width: 160px; height: 615px; overflow: hidden; display: block;"] -ebay.de##div[id^="rtm_html_"][style="width: 180px; height: 165px; overflow: hidden; display: block;"] -ebay.de##div[id^="rtm_html_"][style="width: 300px; height: 265px; overflow: hidden; display: block;"] -ebay.de##div[id^="rtm_html_"][style="width: 640px; height: 495px; overflow: hidden; display: block;"] -ebay.de##div[id^="rtm_html_"][style="width: 728px; height: 105px; text-align: left; display: block;"] -ebay.de##div[id^="rtm_html_"][style="width: 970px; height: 90px; overflow: hidden; display: block;"] -formel1.de,motorsport-total.com.metal-hammer.de##div[id^="sas_"] -unser-star-fuer-baku.tv##div[id^="sponsor_overlay_"] -oberpfalznetz.de##div[id^="teaser_spbanner_"] -t-online.de##div[id^="tsc_google_adsense_1"] -ragecomic.com##div[id^="vecoll"] -ragecomic.com##div[id^="vertcol"] -schnelle-online.info##div[onclick*="'familienurlaub'"] -gamestar.de##div[onclick^="location.href='http://www.gamestar.de/_misc/linkforward/linkforward.cfm?linkid="] -suchen.de##div[onclick^="sl(PID.PpcClick);window.open('http://www.suchen.de/ad?"] -scifi-forum.de##div[onclick^="window.open('http://ads.jinkads.com/click.php"] -myfreefarm.de##div[onclick^="window.open('http://media.gan-online.com/www/delivery/ck.php?"] -gameswelt.at,gameswelt.ch,gameswelt.de##div[onclick^="window.open('http://www.amazon.de/"] -5-sms.com##div[onclick^="window.open('http://www.maxxfone.de/"] -suchen.de##div[onclick^="window.open('http://www.suchen.de/ad?"] -wetter.info##div[onfocus*=";mp=gelbeseiten;"] -t-online.de##div[onfocus="A('mp=_TopPartner')"] -t-online.de##div[onfocus^="A('mp=TopPartner"] -mikrocontroller.net##div[style$="120px; text-align:center; font-size:12px; border:2px solid #ffa500; padding:3px; background:#EEE; overflow:hidden;"] -mikrocontroller.net##div[style$="120px; text-align:center; font-size:12px; border:2px solid #ffa500; padding:3px; background:-moz-linear-gradient(top, #EEE, #ffa500); background:-webkit-gradient(linear, left top, left bottom, from(#EEE), to(#ffa500)); overflow: hidden;"] -mikrocontroller.net##div[style$="160px; text-align:center; font-size:12px; border:2px solid #ffa500; padding:3px; background:#EEE; overflow:hidden;"] -mikrocontroller.net##div[style$="160px; text-align:center; font-size:12px; border:2px solid #ffa500; padding:3px; background:-moz-linear-gradient(top, #EEE, #ffa500); background:-webkit-gradient(linear, left top, left bottom, from(#EEE), to(#ffa500)); overflow: hidden;"] -mikrocontroller.net##div[style$="text-align:center;font-size:12px;border:2px solid #ffa500;padding:3px;background:-moz-linear-gradient(top, #EEE, #ffa500);background:-webkit-gradient(linear, left top, left bottom, from(#EEE), to(#ffa500));overflow: hidden;"] -mein-kummerkasten.de##div[style$="width:300px;height:250px;"] -gamingxp.com##div[style*="background-image: url(http://www.gamingxp.com/pictures/wallpaper/"] -picdumps.com##div[style*="background:#fff;"] -picdumps.com##div[style*="background:#fffffe;width: 646px"] -picdumps.com##div[style*="background:#fffffe;width:646px"] -abacho.de,autozeitung.de,de.filsh.net,dialo.de,donnerwetter.de,e-hausaufgaben.de,fanfiktion.de,formel1.de,fremdwort.de,helles-koepfchen.de,inside-digital.de,inside-handy.de,motorsport-total.com,news.de,nickles.de,pixelio.de,seniorbook.de,tabtech.de,tellows.de,weristdeinfreund.de##div[style*="display: block ! important"] -onlinewelten.com##div[style*="height:600px;width:160px;"] -onlinewelten.com##div[style*="height:90px;width:728px;"] -ingame.de##div[style*="width: 325px; height:300px; position: absolute;"] -podcast.de##div[style*="width: 728px; height: 90px;"] -metalflirt.de##div[style=" margin-left:auto; margin-right:auto; width:1211px; height:300px; margin-top:7px; position:relative"] -tvb1898.de##div[style=" position:absolute; top:790px; left:20px;"] -wide-wallpaper.de##div[style=" text-align:center;float:left;margin:4px; padding:0px; width:290px;height:270px;border: 1px solid #666666;"] -wide-wallpaper.de##div[style=" text-align:center;float:right;margin:4px; padding:0px; width:290px;height:270px;border: 1px solid #666666;"] -pure-anime.biz##div[style=" text-align:center;margin:15px;height:88px;"] -epochtimes.de##div[style="background-color: #eee; border: 1px solid #ccc; margin: 1rem auto; text-align: center;"] -fr-online.de##div[style="background-color: #fcfcfc; padding: 5px; font-size: 11px;"] -zdnet.de##div[style="background-color: #fff; width: 984px; height: auto; background-image:url(http://www.zdnet.de/i/g/z/zdnet_site_bg.gif); padding: 10px 0 10px 0; text-align: center;"] -chip.de##div[style="background-color: rgb(216, 242, 240); display: block;"] -titanic-magazin.de##div[style="background-color: white;z-index: 10;height: 97px;padding: 5px;position: relative;padding-top: 15px;margin-bottom: 30px;"] -wallstreet-online.de##div[style="background-color:#000000; height:25px;"] -fireball.de##div[style="background-color:#FFFFD9;padding:5px;"] -php-resource.de##div[style="background-color:#fff7bd;border:1px #818181 solid;padding:15px;margin:15px;width:900px;"] -money-fun.de##div[style="background-image: url('http://www.youads.de/labortest/layerads-standard/layerads-standard-headline.png'); background-repeat: repeat-x; width:900px; height:550px; z-index: 9997; position:fixed; left:50%; margin-left: -450px; top: 150px; border-radius:20px;"] -dokujunkies.org##div[style="background-image: url(\"http://justpic.info/images2/3f05/prj_bg.jpg\"); width: 679px; height: 149px; margin-top: 25px;"] -branchen-info.net##div[style="background-image:url(/bilder/profil_anzeigen_hg.gif); background-repeat:repeat-y; float:left;"] -branchen-info.net##div[style="background-image:url(/bilder/profil_anzeigen_hg300.gif); background-repeat:repeat-y; float:left;"] -gamepro.de,gamestar.de##div[style="background-image:url(/img/gamestar/products/banner_amazon.png);width:610px;height:70px;font-size:10px;color:#FFF;border:1px solid #D5D5D5"] -gamestar.de##div[style="background-image:url(/img/gamestar/products/banner_gamesload2.png);width:610px;height:70px;font-size:10px;color:#FFF;border:1px solid #D5D5D5"] -medienkuh.de##div[style="background-repeat:no-repeat;width:338px;height:280px;border:1px solid #dbdbdb;"] -kapstadt-forum.de##div[style="background:-moz-linear-gradient(bottom,#d2deec,#edf2f5);height:70px;margin-bottom:5px;padding-top:10px;width:960px;"] -stayfriends.de##div[style="background:url('http://images.stayfriends.de/cms1/03026fc0.jpg') no-repeat 0 0; width:620px; height:140px;"] -serienjunkies.de##div[style="background:url(//g-cdn.serienjunkies.de/amazon_de_small.gif) right top no-repeat #fff;"] -ngz-online.de##div[style="background:url(http://stat01.ngz-online.de/layout/img/icon/leiste.gif) no-repeat;width:786px;"] -rp-online.de##div[style="background:url(http://stat01.rp-online.de/layout/img/icon/leiste.gif) no-repeat;width:786px;"] -gamestar.de##div[style="border-bottom: 1px solid #c9c9c9; padding: 10px 19px; position: relative; padding-top:15px; padding-bottom:15px;"] -123recht.net##div[style="border: 1px solid #E6E6E6; width:310px; height:260px; padding: 5px; margin:0px 15px 15px 0px; float:left;"] -123recht.net##div[style="border: 1px solid #E6E6E6; width:340px; height:290px; padding: 5px; margin:0px 15px 15px 0px; float:left;"] -programmieren-optimieren.de##div[style="border: 1px solid #ccc; padding: 15px; margin: 15px 0; background: url(http://www.programmieren-optimieren.de/wp-content/plugins/amazonsimpleadmin/img/amazon_DE_small.gif) right bottom no-repeat #ffffff;"] -2kino.net##div[style="border: 1px solid rgb(223, 223, 223);"] -goolive.de##div[style="border: dotted #808080; float: right; position: relative; overflow: hidden;"] -petitionen24.com##div[style="border: solid #95bce2 1px; padding: 1em 0; margin: 0; margin-right: 6px; width: 200px; height: 600px; background-color: #fff; text-align: center; margin-bottom: 1em;"] -chriszim.com##div[style="border:1px #8c8c8c solid; font-size:80%; margin:5px auto; text-align:center; width:640px;"] -html-world.de##div[style="border:1px solid #8EC1CF; padding:3px; margin:0px; background-color:white;"] -shortnews.de##div[style="border:1px solid #E5E5E5; margin:0px; display:block;"] -pcgameshardware.de##div[style="clear:both; margin:5px 0px 0px 0px; border: 1px solid #ff0000; padding: 4px; font-weight: bold;"] -gamestar.de##div[style="clear:both;height:0px"] + div[style="padding:10px;"] + :last-child -gamestar.de##div[style="clear:both;height:0px"] + div[style="padding:10px;"] + div + * > div > a > img -e-recht24.de##div[style="clear:both;height:300px;min-width:760px;"]:last-child -titanic-magazin.de##div[style="clear:left; font-family: Verdana,Tahoma,Geneva,Verdana,sans-serif; font-size:11px;width:285px;"] -ibash.de##div[style="clear:left; font-family: Verdana,Tahoma,Geneva,Verdana,sans-serif; font-size:11px;width:380px;"] -formel1.de##div[style="cursor: pointer; height: 90px; width: 940px; text-align: center; margin-left: 10px;"] -formel1.de##div[style="cursor: pointer; width: 160px; height: 600px; position: absolute; left: 960px; margin-top: 10px;"] -formel1.de##div[style="cursor: pointer; width: 300px; height: 250px; text-align: center;"] -tvinfo.de##div[style="display: block; height: 95px;"] -satempfang-magazin.de##div[style="display: block; position: absolute; overflow: hidden; z-index: 1001; outline: 0px none; height: auto; width: 800px; top: 216px; left: 551.5px;"] -codecheck.info##div[style="display: inline-block; float: right; height: 30px; margin: 10px 10px 0 0; font-size: 14px; color: #7b8d94;"] > span[style="z-index: 8; position: relative;"] -magistrix.de##div[style="display:inline-block; width:728px; height:90px"] -epochtimes.de##div[style="float: left; margin: 0 1rem 1rem -5rem; border:1px solid #CCC;height:615px; width:162px;"] -helles-koepfchen.de##div[style="float: left; text-align:center; width: 500px;margin-top: 5px;margin-bottom: 5px;"] -helles-koepfchen.de##div[style="float: left; text-align:center; width: 670px;margin-top: 5px;margin-bottom: 5px;"] -helles-koepfchen.de##div[style="float: left; text-align:center; width: 670px;margin-top:10px;"] -via-ferrata.de##div[style="float: left; width: auto; margin-left: 315px; display:inline;"] > br + b + .forabg + .bg4 -chat4free.de,erotikchat4free.de,freechat.de##div[style="float: left;padding:0 10 0 10;margin:0 10 10 0;"] -pocketpc.ch##div[style="float: left;width:740px;text-align:left;padding-bottom:5px;"] -ifun.de,iphone-ticker.de##div[style="float: right; display: block; width: 300px; height: 250px; border: 1px solid rgb(220,220,220); margin: 7px 0 24px 36px;"] -ifun.de,iphone-ticker.de##div[style="float: right; display: block; width: 300px; height: 250px; border: 1px solid rgb(220,220,220);"] -ifun.de,iphone-ticker.de##div[style="float: right; display: block; width: 300px; height: 600px; border: 1px solid rgb(220,220,220);"] -epochtimes.de##div[style="float: right; margin: 0 0 1rem 0; border:1px solid #CCC; height:266px; width:302px;"] -14-tage-wettervorhersage.de##div[style="float:left; margin-bottom:15px; margin-right:22px;"] -pcwelt.de##div[style="float:left; margin-left:25px; height:40px;"] + a -eatsmarter.de##div[style="float:left; width: 272px; height: 50px;"] + a -pruefungsfragen.info##div[style="float:left; width: 336px; height: 280px; padding: 0px 10px 10px 0px"] -androidpit.de##div[style="float:left; width:1200px; height:100px; position:relative; left:-120px; top:0px"] -xpbulletin.de##div[style="float:left; width:300px; height:250px; margin-right:10px; padding: 0;"] -evocars-magazin.de##div[style="float:left; width:300px; height:250px; margin:8px 15px 5px 3px;"] -handy-faq.de##div[style="float:left; width:301px; height:251px; border:0px solid #336699;margin-left:2px;margin-right:15px;"] -digitalvideoschnitt.de##div[style="float:left; width:336px; min-height:280px; margin-right:30px; margin-bottom:30px;"] +prost-magazin.at##div[id^="prost-"] +radioszene.de##div[id^="radio-"] +reisetopia.ch,reisetopia.de##div[id^="reise-"] +persoenlich.com##div[id^="ring-slot-"] +fitundgesund.at,ichkoche.at,metal-hammer.de##div[id^="sas_"] +schlager.de##div[id^="schlager-ad-"] +20min.ch##div[id^="schweiz__inside-"] +seenluft24.de##div[id^="seenl-"] +sempre-audio.at##div[id^="sempr-"] +smarthomes.de##div[id^="smart-"] +amazon.de##div[id^="sp_detail"] +20min.ch##div[id^="sport__inside-"] +wasserburger-stimme.de##div[id^="stimm-"] +supermarktblog.com,supertipp-online.de##div[id^="super-"] +teltarif.de##div[id^="tarifSlider"] +tippscout.de##div[id^="tipps-"] +bbheute.de,berliner-kurier.de,berliner-zeitung.de,bietigheimerzeitung.de,blick.de,donaukurier.de,evangelische-zeitung.de,frankenpost.de,ingolstadt-today.de,krzbb.de,mittelbayerische.de,mopo.de,np-coburg.de,pnp.de,schwarzwaelder-bote.de,stuttgarter-nachrichten.de,stuttgarter-zeitung.de##div[id^="traffective-ad-"] +galeria.de##div[id^="viewHomeDesktop-outGrid-sponsored_products-"] +galeria.de##div[id^="viewSearchResultDesktop-inGrid-sponsored_products-"] +20min.ch##div[id^="wettbewerbe__inside-"] +20min.ch##div[id^="wirtschaft__inside-"] +20min.ch##div[id^="wissen__inside-"] +wochenblick.at##div[id^="woche-"] +yenivatan.at##div[id^="yeniv-"] +20min.ch##div[id^="zentralschweiz__inside-"] +20min.ch##div[id^="zuerich__inside-"] +blitzrechner.de##div[onclick^="ga('send', 'event', 'Ad',"] +android-hilfe.de##div[style$=";min-height:250px;min-width:300px;"] +android-hilfe.de##div[style$=";min-height:250px;min-width:310px;"] +weristdeinfreund.de##div[style*="display: block ! important"] +kinderspiele-welt.de##div[style*="height:250px"] +custombike.de##div[style*="width: 300px; height: 300px;"] +lerntippsammlung.de##div[style*="width:300px;height:250px;"] +go2android.de##div[style="border: 1px solid #000; padding: 5px; margin-bottom: 15px; background: url(https://www.go2android.de/wp-content/plugins/amazonsimpleadmin/img/amazon_DE_small.gif) right bottom no-repeat #ffffff;"] +oekotest.de##div[style="clear: both; min-height: 300px;"] +oekotest.de##div[style="clear: both; min-height: 640px;"] +oekotest.de##div[style="clear:both; display:block; min-height: 300px;"] +oekotest.de##div[style="clear:both; display:block; min-height: 640px;"] +hardwareluxx.de##div[style="float: right; clear: both; padding-left: 1rem; margin-top: -1rem; margin-right: -9rem; padding-bottom: 0.25rem;"] wirtschaftslexikon24.com##div[style="float:left;clear:left;height:620px;width:180px;padding-top:15px;"] -ht4u.net##div[style="float:left;margin:10px 3px 10px 0px;width:300px;height:250px;"] -android-hilfe.de##div[style="float:left;width: 186px;position:absolute;left:25px;top:15px;"] -android-hilfe.de##div[style="float:left;width: 186px;position:fixed;left:25px;top:15px;text-align:center;border:1px solid #636C74;height:610px;padding-top:13px;padding-bottom:5px;background-color: #ffffff;z-index:1;"] -news.ch##div[style="float:left;width:1040px;padding:12px;text-align:center;margin-bottom:10px;background-color:#fff;"] -meintomtom.de##div[style="float:left;width:160px;height:90px;padding:10px 7px 10px 7px;margin-top:0;border: solid #b4c39a;background:#f9fcf1 none;border-width: 1px 0 1px 0;"] -meintomtom.de##div[style="float:left;width:160px;padding:6px;margin:0 0 18px 0;border: 1px solid #b4c39a;background:#f9fcf1 none;"] -it-production.com##div[style="float:right; width:200px; height:610px;margin-top:100px;"] -xboxdome.de##div[style="float:right; height:607px; width:120px; margin-top: 15px;"] breakpoint.untergrund.net##div[style="float:right; width: 110px; margin-left: 15px; margin-top: 12px; margin-bottom: 15px; padding: 2px 6px; text-align: center; border: 1px solid black; background:white; line-height: 2em; color: black;"] -ego4u.de##div[style="float:right; width:251px; padding:5px; margin-left:5px; border:1px solid silver;"] -kapstadt-forum.de##div[style="float:right;height:250px;margin-bottom:18px;width:250px;"] -e-recht24.de##div[style="float:right;text-align:right;padding:0 0 0.5em 0.5em;margin:0 0 0 1em;"] -e-recht24.de##div[style="float:right;width:300px;height:250px;margin:1em 0 1em 1em;"] -pcgames.de##div[style="font-family:Arial, Helvetica, sans-serif; font-size:12px; padding-top:20%; text-align:center;"]:first-child > a[target="_blank"][href^="/aid,"]:first-child:last-child -warezking.in##div[style="font-family:Trebuchet MS;margin:0px;font-size:12px;height:17px;margin-bottom:-3px;background:#000;text-align:center;overflow:hidden;-webkit-box-shadow:0 0 5px black;-moz-box-shadow:0 0 5px black;box-shadow:0 0 5px black;margin-top:-15px;"] -golem.de##div[style="font-size: 11px !important;height: 16px;text-transform: uppercase;letter-spacing: 1px;font: normal normal 400 12px/20px 'Droid Sans',arial,sans-serif;"] -golem.de##div[style="font-size: 11px !important;height: 16px;text-transform: uppercase;letter-spacing: 1px;font: normal normal 400 12px/20px 'Droid Sans',arial,sans-serif;"] + div > img -titanic-magazin.de##div[style="height: 181px; width: 305px; border-radius: 5px; border: 1px solid #C0C0C0;"] -t-online.de##div[style="height: 264px; width: 839px;"] -winload.de##div[style="height: 74px; height: 74px;margin: 0px 0 6px; padding: 0px 0; background-color: white;"] -computerhilfen.de##div[style="height:105px;margin-top:17px;position:relative;"] -computerhilfen.de##div[style="height:105px;margin:10px 0 15px 0;position:relative;"] -titanic-magazin.de##div[style="height:170px;width:305px;white-space:nowrap;"] -readmore.de##div[style="height:193px;position:relative;margin-bottom: 10px;"] -der-postillon.com##div[style="height:250px;width:300px;white-space:nowrap;"] -computerbase.de##div[style="height:312px;margin:15px 0;text-align:center"] -meintomtom.de##div[style="height:600px;padding:6px 0 6px 0;border: 1px solid #b4c39a; background:#f9fcf1 none;margin-top:0;"] -meintomtom.de##div[style="height:600px;padding:6px 0 6px 0;border: 1px solid #b4c39a;background:#f9fcf1 none;margin:0;"] -spektrumdirekt.de##div[style="height:90px;"]:first-child:last-child -computerbase.de##div[style="height:92px;margin:15px 0;text-align:center"] -epochtimes.de##div[style="left:100%; position:absolute; top: 1rem; margin-left: -0.875rem;"] -gamepro.de##div[style="margin-bottom: 5px; margin-top: 20px; "] + .teaserRight[style="padding-bottom:0px"] -goolive.de##div[style="margin-bottom: 5px; position: absolute; top: 8px; border: dotted #808080; overflow: visible"] -wg.tvb1898.de##div[style="margin-bottom:10px; position:relative; top:0px; left:0px; height:105px; width:810px;"] -schnelle-online.info##div[style="margin-bottom:10px;cursor:pointer;background:white url(/pictures/banner/lastminute-flughafen-3.png);width:760px;height:65px;"] -supportnet.de##div[style="margin-left:0px; width:860px; background-color:#FFFFFF; height:100px;"] -supportnet.de##div[style="margin-left:0px; width:860px; background-color:#FFFFFF; height:120px;"] -gamestar.de##div[style="margin-left:10px;margin-bottom:10px;"] + .teaserRight[style="padding-bottom:0px"] -lokalisten.de##div[style="margin-left:15px; width:300px; height:250px; overflow:hidden; background: #eaeaea;"] -etailment.de##div[style="margin-left:8px;height:90px;width:1000px;text-align:right;background-image: url(http://etailment.de/wp-content/uploads/2012/12/Hockey-250x700_01.gif);"] -abload.de##div[style="margin-top: 20px; margin-bottom: 10px; position: relative;"] -wetter.com##div[style="margin-top: 25px"] + span + div > img -it-production.com##div[style="margin-top:3px; width:180px; border:none; text-align:center; float:left;"] -ifun.de,iphone-ticker.de##div[style="margin: -36px 0 0px -18px; width: 1024px; height: 148px; display: block; clear: both; background: rgba(248,248,248,1.0); overflow: hidden;"] -ifun.de,iphone-ticker.de##div[style="margin: -36px 0 24px -18px; width: 1024px; height: 148px; display: block; clear: both; background: rgba(248,248,248,1.0); overflow: hidden;"] -iphone-ticker.de##div[style="margin: -36px 0 24px -18px; width: 1024px; height: 298px; display: block; clear: both; background: rgba(248,248,248,1.0); overflow: hidden;"] -n-tv.de##div[style="margin: 0 5px; width:290px; height:100px; background-image:url(http://www.n-tv.de/ads/images/rechner/c24-bg.png);"] -netzwelt.de##div[style="margin: 0px; padding: 0px 0px 0px 426px; border: 0px none; display: table-cell; width: 50%; text-align: left; vertical-align: top; cursor: pointer; visibility: visible;"] -netzwelt.de##div[style="margin: 0px; padding: 0px; border: 0px none; display: table-cell; width: 50%; text-align: left; vertical-align: top; cursor: pointer; visibility: visible;"] -flirttown.net##div[style="margin:auto; width:300px; height:250px; margin-bottom:10px; border: 1px solid #cdbe8f"] -psychic.de##div[style="max-width: 728px; max-height: 90px; margin: auto;"] -psychic.de##div[style="max-width: 800px; max-height: 250px; margin: auto;"] -psychic.de##div[style="max-width: 860px; max-height: 250px; margin: auto;"] -inside-handy.de##div[style="min-height: 250px; min-width: 300px; padding-left: 5px;"] -promiflash.de##div[style="min-height: 250px; min-width: 970px;"] -inside-digital.de,inside-handy.de##div[style="min-width: 920px; min-height: 90px"] -tvinfo.de##div[style="overflow:hidden;margin:0;padding:0;height:125px;width:395px"] -tonight.rp-online.de##div[style="padding-left:10px;width:980px;height:90px;"] -livingathome.de##div[style="padding-top:10px;margin-left:10px;font-size:11px;"] -indeed.ch##div[style="padding-top:9px;"] + script + style + div + div[class] > .row:first-child -netzwelt.de##div[style="padding: 0px; text-align: center; border-color: transparent; cursor: pointer; z-index: 1; height: 250px;"] -netzwelt.de##div[style="padding: 0px; text-align: center; border-color: transparent; cursor: pointer; z-index: 1;"] -gamestar.de##div[style="padding: 10px 19px; position: relative; padding-top:15px; padding-bottom:15px; border-bottom: 1px solid #c9c9c9; "] -typo3forum.net##div[style="padding: 6px 0px 0px 0px"] > .tborder -it-production.com##div[style="padding:0px; padding-left:10px; float:left; text-align:left; border:none; width:882px; height:90px;"] -unf-unf.de##div[style="padding:13px 0 0 5px;margin:auto;width:480px; height:450px;"] +pixelio.de##div[style="float:right; width: 300px; height: 250px"] +scifiscene.de##div[style="height: 166px"] +news.reiseuhu.de##div[style="height: 250px"] +n-mag.org##div[style="height: 280px; margin: 5px 0 5px 0;"] +raptastisch.net##div[style="height: 300px;"] +reiseuhu.de##div[style="height: 600px !important; max-width: 320px; margin: 15px auto;"] +boerse-social.com##div[style="height:80px;background-color:#fff"] +photaq.com##div[style="height:90px"] +nydus.org##div[style="height:90px;overflow:hidden;text-align:center;"] +iphone-tricks.de##div[style="margin-bottom:.5em;padding-top:.5em;min-height: 270px;display: flex;justify-content: center;align-items: center"] +digitalfernsehen.de##div[style="margin-bottom:10px"] +nacktefoto.com##div[style="margin-top:-5px; margin-bottom:20px; width:100%; text-align:center; height:150px;"] +winfuture.de##div[style="margin: 10px 0px; text-align: center; min-width: 300px; min-height: 250px;"] +shopanbieter.de##div[style="margin: 30px 0px 30px 0px;padding: 10px; border-width: 2px; border-style: dashed; background-color: #f6f5f2;"] +winfuture.de##div[style="margin: 3px 0px; text-align: center; min-width: 300px; min-height: 250px;"] +fussballeuropa.com##div[style="margin:10px 0 5px 0;min-height:250px;"] +rsa-radio.de##div[style="margin:40px 0 0 0; text-align:center;"] +rsa-radio.de##div[style="margin:60px 0 0 0; text-align:center;"] +heise.de##div[style="min-height: 250px"] +teneriffa-news.com##div[style="min-height: 280px; margin-top: -20px;"] +popkultur.de##div[style="min-height: 280px;"] +heise.de##div[style="min-height: 400px;"] +gamereactor.de##div[style="min-height: 600px; margin-bottom: 20px;"] +android-hilfe.de##div[style="min-height:265px;"] +nn.de,nordbayern.de##div[style="min-height:290px"] +winfuture.de##div[style="min-width: 300px; min-height: 250px;"] +nydus.org##div[style="overflow:hidden;border: 1px solid #ccc;background:#f7f7f7;border-radius:3px;"] sprachnudel.de##div[style="padding:5px 0 5px 0;"][align="center"] -rclineforum.de##div[style="position: absolute; right: 7px; top: 128px;"] -rclineforum.de##div[style="position: absolute; right:0px; top:0px; background-image:url(wcf/images/img/banner-bg.png); width: 482px; height: 71px; padding: 3px 0 0 15px;"] -jobboerse.de##div[style="position: absolute; top: 130; left: 800; border: 1px solid black; background-color: white; padding: 0; width: 120; height: 600;"] -wettforum.info##div[style="position: absolute; width: 300px; height: 250px; right: 5px; top: 1px; text-align: left;"] -wettforum.info##div[style="position: fixed; width: 748px; height: 93px; left: 200px; top: 0px; text-align: left; z-index: 2; background-image: url(http://www.wettforum.info/styles/frame.png); background-position: center; background-repeat: no-repeat;"] -netzwelt.de##div[style="position: relative; height: 250px; width: 100%;"] -hitradio.com.na##div[style="position: relative; z-index: 1; width: 240px; height: 220px;"] -kochbar.de##div[style="position: relative;margin: 0;padding: 0;border: 0;width: 300px;height: 238px;background-color:#FFF;"] -astronews.com##div[style="position:absolute; top:115px; left:925px; width:300px"] -vibe.cd##div[style="position:absolute; top:173px; left:80px; z-index:2;"] weristdeinfreund.de##div[style="position:absolute; top:5px; left:0px; text-align:center; width:100%; max-width:1000px; height:90px; overflow:hidden;"] -webradio.de##div[style="position:absolute;left:322px;top:-3px;padding:1px;background-color:#2481BC"] -wallstreet-online.de##div[style="position:absolute;right:5px;bottom:4px;width: 110px;height: 28px;overflow: hidden;"] -presseportal.de##div[style="position:fixed;left:980px;top:10px;color:#9B9A9D;font-size:10px"] -suxedoo.ch##div[style="position:relative; height:70px; left:40px;top:10px;"] -prozentrechner.net##div[style="position:relative; width:728px; height:90px; padding:5px; background-color:#F5F5F5; box-shadow:0px 0px 2px #000000; margin:auto;"] -simkea.de##div[style="position:relative; width:728px; height:90px; text-align:right; margin:1px auto 1px auto; overflow:hidden;"] -14-tage-wettervorhersage.de##div[style="text-align: center; padding-top: 10px; margin-top: 0px; height: 260px; background-image: url(/wp-content/plugins/flasko/img/anzeige_300.gif); background-position: initial; background-repeat: no-repeat;"] -14-tage-wettervorhersage.de##div[style="text-align: center; padding-top: 10px; margin-top: 5px; height: 260px; background-image: url(/wp-content/plugins/flasko/img/anzeige_300.gif); background-position: initial; background-repeat: no-repeat;"] -awardfabrik.de##div[style="text-align: center; width: 100%; height: 60px; border: 0; overflow: hidden;"] -serienjunkies.de##div[style="text-align:center; background:#1d8900;color:#fff;padding:5px;"] -compliancemagazin.de##div[style="text-align:center; margin-bottom:10px;"] -wunderweib.de##div[style="text-align:center; width:988px;height:90px;line-height:0px;margin:0pt auto 0pt 0pt;overflow:visible;text-align:center;"] -echte-abzocke.de##div[style="text-align:center;width:490px;height:71px;padding-top:10px;background-color: #ffffff;border:1px solid #DFE6ED"] -acer-userforum.de##div[style="text-align:center;width:750px;height:105px;padding-top:8px;background-color: #ffffff;border:1px solid #005856"] -acer-userforum.de##div[style="text-align:center;width:760px;height:120px;padding-top:15px;background-color: #ffffff;border:1px solid #005856"] -marketing-boerse.de##div[style="text-align:left; top: 5px; padding-left:40px; margin-bottom: 10px; visibility:visible; overflow: visible; height: 90px;width: 1280px;"] -gamestar.de##div[style="top:0px;position:absolute;left:1001px;"] + [class] > img -abkuerzungen.de##div[style="vertical-align:center;margin-left:8px;padding:8px;border:1px solid gray;background-color:white;"] -xvideo-deutsch.com##div[style="width: 1000px; margin: 0 auto; height: 80px; overflow: hidden;"] -sprachnudel.de##div[style="width: 1026px; background-color: #fff; margin-top: 5px;"] -winload.de##div[style="width: 164px; height: 94px; padding: 6px 0px 0px 12px; margin: 1px 0px 2px 0px; background-color: white; background-image: url(/pix/layout/advertising/adsense/navigation-adsense-background.gif); background-repeat: repeat-x;"] -winload.de##div[style="width: 180px; height: 90px; padding: 6px 0px 12px 3px;"] -lpgforum.de##div[style="width: 258px; min-height: 322px; margin-bottom: 15px;border: 1px solid #C1C1C1;padding: 10px 20px;"] -winload.de##div[style="width: 260px; float: right; margin-left: 10px; margin-bottom: 15px;"] > div[style="margin-left: 5px;"] > div[style="overflow: hidden"] -dwdl.de##div[style="width: 300px; height: 100px; margin-bottom: 20px;"] -solinger-bote.de##div[style="width: 300px; height: 225px; position: relative;"] -dwdl.de##div[style="width: 300px; height: 250px; margin-bottom: 20px; text-align: right;"] -104.6rtl.com##div[style="width: 300px; height: 255px; background-color: white;"] -lpgforum.de,pkw-forum.de##div[style="width: 300px; min-height: 250px; margin-bottom: 15px;"] -rollertuningpage.de##div[style="width: 310px; float:right;"] -formel1.de##div[style="width: 33.333%;"] > div[style="margin-top: 20px;"] +4fansites.de##div[style="text-align: center; min-height: 110px;"] +autouncle.de##div[style="text-align: center; min-height: 180px;"] +4fansites.de##div[style="text-align: center; min-height:260px;"] +quoka.de##div[style="width: 100%; height: 250px; overflow: hidden; text-align: center; padding-top: 10px;"] +quoka.de##div[style="width: 100%; height: 250px; overflow: hidden; text-align: center;"] +quoka.de##div[style="width: 100%; height: 260px; overflow: hidden; text-align: center; padding-top: 10px;"] +quoka.de##div[style="width: 100%; height: 90px; overflow: hidden; text-align: center;"] +astroportal.com##div[style="width: 300px; height: 250px;"] +astroportal.com##div[style="width: 336px; height: 280px;"] strafbuch.de##div[style="width: 468px;height: 60px;overflow: hidden;float: right"] -abendzeitung-muenchen.de##div[style="width: 510 Px; margin-bottom: 50 Px; "] > p:first-child -pressebox.de##div[style="width: 590px; height: 109px;"] -abnehmen-forum.com##div[style="width: 700px; border: medium solid #AAAAAA;"] -forenworld.at##div[style="width: 728px; height: 90px;"] -meintomtom.de##div[style="width: 728px; height:108px;padding: 0 11px 0 11px;border:solid #b4c39a;border-width: 0 0 1px 0;margin: 0;background:url(/grafx/meintomtom/back_adblock.gif) no-repeat center;"] -pixelio.de##div[style="width: 750px; height: 95px; float: left; margin-bottom: 10px;"] -onlinekosten.de##div[style="width: 850px; margin: 0px auto 10px auto; color: #fff;"] -onlinekosten.de##div[style="width: 850px; margin: 0px auto 10px auto;"] -mimikama.at##div[style="width: 980px; margin: auto; height: 90px;"] -comag.tv##div[style="width:100%"] > table[width="100%"][border="0"][bgcolor="#FFFFFF"][style="border-collapse: collapse"] -pro-linux.de##div[style="width:100%; padding:0.3em 0 0; background-color:#0c4da0; height: 90px; overflow:hidden;"] -gamestar.de##div[style="width:100%;background: url(/img/aktionen/sb_bg.png) repeat-x;"] -gamestar.de##div[style="width:100%;background: url(/img/aktionen/sponsorbar_bg.png) repeat-x;"] -gamestar.de##div[style="width:100%;background: url(/img/sb_bg.png) repeat-x;"] -open-report.de##div[style="width:100%;height:90px;text-align:center;background-color:#FFFFFF;"] -wohnmobilforum.de##div[style="width:120px; height:1720px; overflow:hidden; background-color:#eeeeee"] -psychic.de##div[style="width:120px;height:600px;"] -beliebtestewebseite.de##div[style="width:120px;height:600px;border:1px solid gray;"] -free.mysmspage.de##div[style="width:148px; font-family:Arial; font-size:12px;padding:2px"] -suedostschweiz.ch##div[style="width:160px; height:650px; overflow:hidden;"] -meintomtom.de##div[style="width:160px;height:100px;padding:6px;margin:0 0 18px 0;border: solid #b4c39a;background:#f9fcf1 none;border-width: 1px;"] +immoscout24.ch##div[style="width: auto; height: auto; min-height: 250px; display: flex; justify-content: center; align-items: center;"] +immoscout24.ch##div[style="width: auto; height: auto; min-height: 250px; justify-content: center; align-items: center;"] +volksblatt.at##div[style="width:100%; height:600px;"] +ariva.de##div[style="width:1000px; text-align:center; min-height:270px;"] psychic.de##div[style="width:160px;height:600px;"] -ht4u.net##div[style="width:160px;height:600px;float:left;margin-left:-165px;background-color:silver;top:0px;position:absolute;"] -winfuture.de##div[style="width:160px;height:600px;position:absolute;top:-90px;left:1000px"] -pressakey.com##div[style="width:260px;height:310px;background-image:url(gfximg/rnavi_w3.jpg);"] -n-tv.de##div[style="width:290px;height:100px;background-image:url(http://www.n-tv.de/ads/images/rechner/c24-bg.png);background-repeat:repeat-x;background-position:bottom;font-family:arial,verdana,sans-serif;margin: 0 5px;"] -html-world.de##div[style="width:300px; height:250px; "] korrekturen.de##div[style="width:300px; height:250px;float:left; margin-right:15px; margin-bottom:15px; border:0; background-color:#c0c0c0; overflow:hidden;"] -auswandererforum.de##div[style="width:300px;height:600px;"] -mainfranken24.de##div[style="width:300px;overflow:hidden;float:right; margin:0px 0px 20px 20px;"] +tarnkappe.info##div[style="width:300px;height:250px"] news.ch##div[style="width:300px;padding:12px;float:left;"] -14-tage-wettervorhersage.de##div[style="width:320px; height:64px; margin-left:-3px; margin-top:-35px;"] -aero.de##div[style="width:326px;padding-bottom:13px;text-align:center;background-color:#f0f0f0;padding-top:3px;"] -14-tage-wettervorhersage.de##div[style="width:336px; height:60px; border: 1px solid #c7c7c7;"] -eierkraulen.net##div[style="width:437px; height:143px; border:0px solid grey; background-image:url(http://www.eierkraulen.net/md/1/mode.png); font-family:Sans-serif; font-size:13px;padding-left:187px;"] -readmore.de##div[style="width:520px; height:120px;"] > div[style="width:202px; height:88px;float:right;text-align:right;margin:5px 5px 0 0;"] -kfz-steuer.de##div[style="width:530px; height:80px; background: #F6F6F6"] -kfz-steuer.de##div[style="width:544px; height:80px; background: #F6F6F6"] -kfz-steuer.de##div[style="width:553px; height:80px; background: #F6F6F6"] -dasoertliche.de##div[style="width:560px; margin:0px; padding:3px 0; border:none; background-color:#8e8e99; float:left;"] -kfz-steuer.de##div[style="width:562px; height:80px; background: #F6F6F6"] -kfz-steuer.de##div[style="width:575px; height:80px; background: #F6F6F6"] -kfz-steuer.de##div[style="width:589px; height:80px; background: #F6F6F6"] -abnehmen.com##div[style="width:70%;height:280px;min-width:680px ! important"] -hitradio-rtl.de,radiodresden.de,radioleipzig.de##div[style="width:720px; height:90px; margin:auto"] +anal-pornos.com##div[style="width:310px; height: 510px;"] +winfuture.de##div[style="width:670px;height:280px;"] korrekturen.de##div[style="width:728px; height: 90px; text-align: center; background-color:#c0c0c0;"] -winfuture.de##div[style="width:728px;height:90px;position:absolute;left:272px;top:-90px"] -kreditkarten4you.de##div[style="width:730px;height:90px;display:block;margin:5px auto 15px auto;text-align:center;"] -azonline.de,mv-online.de,westfaelische-nachrichten.de##div[style="width:820px; height:90px; margin:0px; background-color:#D2D2D5;"] -hitradio-rtl.de##div[style="width:822px; height:90px; margin:auto"] -techno4ever.fm##div[style="width:904px; margin-left: auto; margin-right: auto; text-align: right"] -free-klingeltoene-handy.de##div[style="width:950px; border: 1px solid #FFFFFF; padding:0 0 8px 8px; background: #FFFEEF; float: left; text-align: left;"] -psychic.de##div[style="width:970px;height:250px;margin-bottom:15px;"] -hitparade.ch##div[style="width:970px;margin-bottom:10px;height:90px;"] -mikrocontroller.net##div[style] > script + div[id^="a"][style] > div[style] -gamestar.de##div[style^="background-image:url(/img/gamestar/products/banner_mcgame.png)"] -t-online.de##div[style^="background-image:url(http://bilder.t-online.de/b/62/17/80/56/id_62178056/tid_da/index.jpg"] -elixic.de##div[style^="background-image:url(http://www.elixic.de/typo3conf/ext/start/res/img/ad-rahmen-"] -mafia.to##div[style^="background: url(\"images/topbar_bg.png\")"] -gamestar.de##div[style^="position: fixed; width: 120px; margin-left: 984px; height: 600px; top: 50%;"] -code-bude.net##div[style^="width:125px;height:125px;float:left;"] -ka-news.de##div[style^="width:145px;height:150px;"] -windowspro.de##div[style^="width:300px;height:250px;"] -winfuture.de##div[style^="width:729px;height:90px"] -android-hilfe.de##div[style^="width:748px;height:100px;padding-top:10px;"] -1und1.de,gmx.net,web.de##ela-bing-card-list[c-type="'ad'"] -lix.in##form[action="ads.php"] -serienjunkies.org##form[action="http://mirror.serienjunkies.org"] -t-online.de##form[action="http://stromvergleich.t-online.de/strom.php"] -xxx-blog.to##form[action="http://xxx-blog.to/mirror.php?download=highspeed"] -rtl.de##form[action^="http://altfarm.mediaplex.com/"] -atomload.to##form[action^="http://atomload.to/direktdownload/"] -hoerbuch.us,lesen.to##form[action^="http://www.FriendlyDuck.com/AF_"] -ddl-search.biz##form[action^="http://www.affaire.com/"] -serienjunkies.org,wiiu-reloaded.com##form[action^="http://www.firstload.com/affiliate/"] -lesen.to,private-blog.org##form[action^="http://www.firstload.de/affiliate/"] -braunschweiger-zeitung.de##form[action^="http://www.flirt38.de/"] -private-blog.org##form[action^="http://www.friendlyduck.com/AF_"] -n-tv.de##form[action^="http://www.n-tv.de/ratgeber/vergleichsrechner/"] -sb.sbsb.cc##form[action^="http://www.seitensprung.ag/?id="] -stayfriends.de##form[action^="http://www.stayfriends.de/tracking/linkcounter.php?AktionId="] -rtl.de##form[id^="neude_"] -rtl.de##form[id^="parshipform_"] -rtl.de##form[id^="powerform_"] -n-tv.de##form[onsubmit^="return c24_track_"] -t-online.de##form[target="_blank"][action="http://im.banner.t-online.de/"] -goldesel.to#?#:-abp-properties(height: 68px;*width: 958px;) -goldesel.to#?#div[class^="d_"]:-abp-has(div:-abp-contains(Anonym & Sicher im Netz)) -rtl.de##h2[onclick^="verivox_go_"] -rtl.de##h2[onclick^="xdot_go_trpix(document.getElementById('parshipform_"] -heise.de##heisetext > .img[width="100%"] -anime-loads.org##iframe[allowtransparency="true"][src^="http://www.anime-loads.org/"] -spiegelfechter.com##iframe[height="600"][width="160"] -schoener-fernsehen.com##iframe[id][class][scrolling="auto"][frameborder="0"][allowtransparency="true"][src^="http://schoener-fernsehen.com/"] + iframe[id][class][scrolling="auto"][frameborder="0"][allowtransparency="true"][src^="http://schoener-fernsehen.com/"] + div[id][class] -computerbild.de##iframe[id^="adSlot_"] -anime-loads.org##iframe[scrolling="auto"][frameborder="0"][style="width:100%; height:100%"] -spiegelfechter.com##iframe[src="http://spiegelfechter.com/wordpress/gads.html"] -podcast.de##iframe[style^="width:160px;height:600px;"] -reitforum.de##iframe[width="160"][height="610"] -reitforum.de##iframe[width="728"][height="100"] -t-online.de##img[alt*="Mary & Paul"] -t-online.de##img[alt="Bequeme Slipper & Mokassins von hoher Qualität bei Vamos"] -t-online.de##img[alt="Die neue Kollektion bei opus-fashion.com"] -fitforfun.de##img[alt="FigurCoach Schlank per Mausklick"] -fitforfun.de##img[alt="FigurCoach"] -t-online.de##img[alt="Frühlingsmode bei WENZ.de"] -sbb.ch##img[alt="Halbtax mit Gratis-Kreditkarte."] -t-online.de##img[alt="Modehighlights zu Jubiläumspreisen shoppen bei Peter Hahn!"] -t-online.de##img[alt="Pauschalreisen bei t-online.de Reisen (Quelle: Fotalia)"] -t-online.de##img[alt^="Modetrends"] -t-online.de##img[alt^="Shoppen"] -hallespektrum.de##img[alt^="Werbung"] -t-online.de##img[height="180"][width="920"] -t-online.de##img[height="180"][width="922"] -raidrush.ws##img[height="250"][width="300"] -t-online.de##img[height="365"][width="178"][style="margin-left:-10px;margin-bottom:10px"] -lesen.to,liplop.de,teen-blog.us##img[height="60"][width="468"] -blogtotal.de,t-online.de##img[height="600"][width="120"] -arthouse.ch##img[height="72"][alt="banner"] -winfuture.de##img[height="90"][width="729"] -schoener-fernsehen.com##img[id$="closer"] + h2 -schoener-fernsehen.com##img[id$="icon"] -schoener-fernsehen.com##img[id$="icon"] + p +livestreamde.com##div[style^="height:300px;"] +buchstaben.com##div[style^="min-height: 330px;"] +bafoeg-rechner.de,studis-online.de##div[style^="min-height: 90px;"] +froheweihnachten.info,weihnachten.me,weihnachts-bilder.org,weihnachts-filme.com##div[style^="text-align:center;font-size:80%;"] +news.ch##div[style^="width: 300px;"] +ableitungsrechner.net,integralrechner.de##div[style^="width: 728px;"] +fussball.ch,gut-erklaert.de,wetter.ch,wirtschaft.ch##div[style^="width:300px;"] +italienisch-lernen-online.net##div[style^="width:300px;height:250px;"] +werkenntdenbesten.de##div[x-data="modules.ad()"] +werkenntdenbesten.de##div[x-data="modules.ad()"] + span +werkenntdenbesten.de##div[x-data^="modules.adMedia"] +ibooks.to##form[method="get"][action]:not([role="search"]) +reimmaschine.de##iframe[src="/more"] +190.115.18.20,aniworld.to,s.to##iframe[style*="z-index: 2147483647"] +windowspro.de##iframe[style="height:250px;overflow: hidden;"] +t-online.de##iframe[title="Top Partner"] + span +ibooks.to##img[alt="Download kostenlos"] +ibooks.to##img[alt="Kostenlos Download"] +rbleipzig.com##img[alt="Logo Partner"] +finanzen.net##img[alt="Passende Produkte von Vontobel"] +finanzen.net##img[alt="Passende Produkte von der Société Générale"] +finanzen.net##img[alt="Vontobel Banner"] +finanzen.ch##img[alt="vontobel-banner"] +t-online.de,www-t--online-de.cdn.ampproject.org##img[alt^="Modetrends"] +hallespektrum.de,kultur-port.de##img[alt^="Werbung"] +rc-news.de##img[class="bnr"] +stadt-bremerhaven.de##img[data-image-title="amazonAktion"] +rendsburgerleben.de##img[height="200"][width="240"] +lokalo.de##img[height="250"] +datenschutz-berater.de##img[height="300"] +datenschutz-berater.de,quadjournal.eu##img[height="600"] +warez-ddl.net##img[height="90"] ak-kurier.de,nr-kurier.de,ww-kurier.de##img[name="banner"] -seatforum.de##img[src="http://www.seatforum.de/forum/images/anzeige.gif"] + a[target="_blank"] > img -t-online.de##img[src^="blob:https://www.t-online.de/"] -epochtimes.de##img[style*="display: block ! important"] -wintotal.de##img[style*="display: block ! important;"] -tsv1860ro-fussball.de##img[style="left: 0px; top: 1100px; width: 400px; height: 200px;"] -tsv1860ro-fussball.de##img[style="left: 0px; top: 749px; width: 200px; height: 134px;"] -tsv1860ro-fussball.de##img[style="left: 33px; top: 577px; width: 134px; height: 167px;"] -excitingcommerce.de##img[style="margin: 5px 5px 0px 0px; border-width:0px; align="] -autozeitung.de##img[style="width: 160px; height: 600px; max-width: 160px; max-height: 600px; margin-left: 0px;"] -autozeitung.de,donnerwetter.de##img[style="width: 160px; height: 600px; max-width: 160px; max-height: 600px;"] -autozeitung.de##img[style="width: 300px; height: 600px; max-width: 300px; max-height: 600px; margin-left: 0px;"] -filestore.to##img[style="width:728px;"] -bluewin.ch##img[title="Anzeige"] -looki.de##img[usemap="#branding"] -t-online.de##img[usemap^="#picmap"][width="920"] -quadclub-harz.de##img[width="1"][height="120"] + table[width="100%"][cellspacing="0"][cellpadding="0"] -speedlounge.in,topmodels.de,xxx-blog.to##img[width="120"][height="600"] -e-bol.net##img[width="121"][height="601"] -usa-kulinarisch.de##img[width="125"][height="125"] -t-online.de##img[width="145"][height="225"] -iphoneblog.de##img[width="150"][height="125"] -gamefront.de##img[width="150"][height="350"] -gamefront.de##img[width="150"][height="563"] -gamefront.de##img[width="150"][height="600"] -fscklog.com##img[width="160"][height="160"] -gamefront.de##img[width="160"][height="300"] -dashitradio.de,der-postillon.com,gamefront.de,myfunlink.to,picdumps.com##img[width="160"][height="600"] -gamefront.de##img[width="180"][height="350"] -t-online.de##img[width="209"][usemap^="#immap"] -hitradio.com.na##img[width="220"][height="48"] -t-online.de##img[width="297"][height="465"][usemap^="#immap"] -kraftfuttermischwerk.de##img[width="300"][height="200"] -02elf.net,dashitradio.de,der-postillon.com,fitforfun.de,foerderland.de,iphoneblog.de,msn.com,sunshine.it,teltarif.de,trendsderzukunft.de,wetter.net##img[width="300"][height="250"] -t-online.de##img[width="300"][height="450"] -games-mag.de##img[width="320"][height="315"] -ingame.de##img[width="325px"][src$="clear.gif"] -xxx-boardz.com##img[width="360"][height="46"] -xxx-boardz.com##img[width="366"][height="46"] -xxx-boardz.com##img[width="366"][height="48"] -xxx-boardz.com##img[width="366"][height="56"] -xxx-boardz.com##img[width="368"][height="46"] -3druck.com,amilo-forum.de,awekas.at,cmmp.de,fake-it.biz,gntm-blog.de,mafia-linkz.to,novalja-zrce.de,technorocker.info,vampirediaries.in,velderboard.li,xboxdome.de##img[width="468"][height="60"] -e-bol.net##img[width="469"][height="61"] -emuenzen.de##img[width="486"][height="60"] -t-online.de##img[width="609"][usemap^="#immap"] -t-online.de##img[width="610"][usemap^="#imgmap"] -t-online.de##img[width="610"][usemap^="#immap"] -prad.de##img[width="614"][height="218"] -t-online.de##img[width="641"][usemap^="#immap"] -forum.biosflash.com,gedankenausbruch.de,online-gebuehrenrechner.de,picdumps.com,suedtirolnews.it,tvspielfilm.de,tvtoday.de##img[width="728"][height="90"] -rp-online.de##img[width="786"][height="100"] -t-online.de##img[width="797"][usemap^="#immap"] -t-online.de##img[width="920"][usemap^="#imgmap"] -t-online.de##img[width="920"][usemap^="#immap"] -prad.de##img[width="940"][height="174"] -rnf.de##img[width="960"][height="200"] -1zwo.in##input[name="highspeed"] -ddl-music.org,ddl-warez.in,pornlounge.org##input[onclick^="javascript:window.open('http://www.FriendlyDuck.com/AF_"] -file-lounge.com##input[onclick^="location.href='http://tiny.cc/"] -file-lounge.com##input[onclick^="location.href='http://ul.to/ref/"] -file-lounge.com##input[onclick^="location.href='http://www.FriendlyDuck.com/AF_"] -file-lounge.com,warez-vz.net##input[onclick^="location.href='http://www.gigaflat.com/affiliate/"] -wiiu-reloaded.com##input[onclick^="window.location='http://www.firstload.com/affiliate/"] -fettrap.com##input[onclick^="window.open('http://fettrap.com/highspeed/"] -porn-traffic.net##input[onclick^="window.open('http://porn-traffic.net/mirror.php"] -sceneload.to##input[value="Fullspeed Mirror"] -ddlporn.org##input[value="Highspeed Mirror"] -stealth.to##input[value="Mirror"] -warez-load.com##input[value="Schneller Downloaden!"] -quoka.de##li.partner -gsx-r1000.de##li[data-author=">>>>>Werbung<<<<<"] -tagesanzeiger.ch##li[id^="msgId_"] > .rightCol > p > a[target="_blank"] > img -flugzeugforum.de,winboard.org##li[style="margin-bottom: 15px;"] > a > img -goldesel.to##li[title="Downloaden mit Fullspeed"] -goldesel.to##li[url^="bit.ly/"] -goldesel.to##li[url^="http://bit.ly/"] -goldesel.to##li[url^="http://dereferer.org/?http%3A%2F%2Fbit.ly"] -goldesel.to##li[url^="http://goo.gl/"] -lieferheld.de#?#.restaurant-brief:-abp-has(div.restaurant__promo) -linkedin.com#?#.core-rail > div > div[id^="ember"]:-abp-has(span:-abp-contains(Gesponsert)) -movie-blog.org#?#.beitrag2:-abp-has(#beitrag2-895521) -movie-blog.org#?#.beitrag2:-abp-has(#beitrag2-938569) -movie-blog.org#?#.beitrag2:-abp-has(a[href^="http://www.movie-blog.org/2010/F"]) -playnation.de##noscript + script + script + #al -teltarif.de##p + .tetable + .tetable[width="100%"][cellspacing="0"][cellpadding="0"][border="0"][bgcolor="#E3D470"] -prad.de##p > a > img[width="614"][height="249"] -englische-briefe.de##p > table[width="769"][cellpadding="4"] -schoener-fernsehen.com##p[id$="link"] -iphone-tricks.de##p[style="clear:both;width:100%;border-bottom: 1px solid #e5e5e5;padding: 5px 0px;"] -titanic-magazin.de##p[style="font-size: 7pt; color: grey; text-align: left; margin: 0; padding: 0;"] -titanic-magazin.de##p[style="font-size: 7pt; color: grey; text-align: left; margin: 0; padding: 0;"] + .teaser_row[style="height: 181px;"] -prad.de##p[style="margin-top: 0px; margin-bottom: 0px; margin-right: auto; margin-left: auto; text-align: center;"] -pure-fm.de##p[style="text-align:center; height:90px; width:100%"] -lateinwiki.org##p[style="width:100%;border:solid 1px #00ff00;background-color:#98FB98;text-align:left;font-size:12px;color:#000000;"] -kfz-steuer.de##p[style="width:575px; height:85px; background: #F6F6F6"] -pcgameshardware.de#?#.item.noImg:-abp-contains([Anzeige]) -eot-clan.net##posts > li[id^="yui-gen"] -doku.me##script + table[width="700"][height="600"] -tv-stream.to##script[src^="/"] + div > div[id][style] -schwartau-handball.de##span[style="font-size: 14px; color: #000000; background-color: #ccffcc;"] -finanznachrichten.de##span[title="BOTSWANA METALS Aktie jetzt ab 2,99 Euro handeln! (LYNX)"] -schwartau-handball.de##table[align="left"][style="border: 0px solid #87ceeb; height: 300px; width: 300px;"] -spielefilmetechnik.de##table[background="/_cinc/img/download.gif"] -spielefilmetechnik.de##table[background="/_cinc/img/flatrate.gif"] -pcgameshardware.de##table[background^="/common/gfx/metaboli/"] -widescreen-online.de##table[bgcolor="#FFC990"][align="center"][width="158"][style="border:1px solid #D25802;"] -adhs-zentrum.de##table[bgcolor="#FFCC00"] -enduro-austria.at##table[border="0"][align="center"][style="width: 220px; margin-right: auto; margin-left: auto;"] -lesen.to##table[cellpadding="0"][bgcolor="#FFFFFF"][style="width: 750px;"] > tbody > tr > td > center:first-child > a[target="_blank"] > img -ksta.de##table[cellspacing="0"][cellpadding="0"][border="0"][style="background-color: #76003d; width: 300px; height: 100px;"] -astronews.com##table[cellspacing="0"][cellpadding="0"][border="0"][style="width:300px"] -astronews.com##table[cellspacing="0"][cellpadding="0"][style="width: 900px;"] -loadsieben.org##table[cellspacing="0"][cellpadding="5"][border="0"] > tbody > tr:first-child:last-child > td:first-child + td + td[align="right"]:last-child -satindex.de##table[cellspacing="1"][cellpadding="4"][border="0"][bgcolor="000000"] -adhs-zentrum.de##table[cellspacing="2"][cellpadding="4"][border="0"][width="200"]:first-child:last-child -bildderfrau.de##table[class^="sas_FormatID_"] -biokurs.de##table[height="100"][width="850"][cellspacing="0"][cellpadding="0"][border="0"]:first-child -krankenkassentarife.de##table[height="150"][width="180"][style="border: 1px solid #0F1350;"] -rga-online.de##table[height="160"][bgcolor="#333399"][width="130"] -funtastic-party.de##table[height="260"][cellspacing="0"][cellpadding="0"][border="0"][width="100%"]:first-child:last-child -forum-sachsen.com##table[height="300"][width="300"] -forum-sachsen.com##table[height="500"][width="300"] -bordellcommunity.com##table[height="60"][style="width: 960px"] -tweakpc.de##table[height="60"][width="482"][align="center"] -die-glocke.de##table[height="90"][width="728"] -business-best-practice.de,din-5008-richtlinien.de##table[id^="anzeige_"] -rheinforum.com##table[id^="v"][width="426"][height="600"] -putenbrust.net##table[onclick^="window.open('http://in.mydirtyhobby.com/track/"] -putenbrust.net##table[onclick^="window.open('http://www.FriendlyDuck.com/AF_"] -repage8.de##table[style*=";table-layout:visible;width:468px;height:60px;"] -express.de##table[style="background-color: #76003d; width: 480px; height: 87px;"] +data-load.me##img[style="width:270px;height:80px;"] +data-load.me##img[style="width:700px;height:90px;"] +data-load.me##img[style="width:900px;height:120px;"] +feinehilfen.com##img[title="Anzeige"] +ibooks.to##img[title="Usenet"] +vfl.de##img[width="110"] +darts1.de##img[width="120"] +fruchthandel.de,nh24.de##img[width="140"][height="140"] +wirsiegen.de##img[width="140"][height="180"] +hc-neumarkt.com##img[width="140"][height="68"] +heimspiel-online.de##img[width="150"][height="111"] +architekt.de,glamping.info##img[width="160"][height="600"] +prewarcar.de##img[width="160"][height="92"] +mikanews.de##img[width="180"][height="120"] +kultur-port.de,utvmagazin.de##img[width="200"][height="600"] +naturalhorse.de##img[width="240"] +messweb.de##img[width="250"] +fcschweinfurt1905.de##img[width="280"][height="160"] +basicthinking.de,buecher-magazin.de,eishockey-magazin.de,eishockey-online.com,fotoobjektiv.at,hockeyreport.net,iplayapps.de,meinbezirk.at,nacktefoto.com,pi-news.net,radforum.de,radio-oldtimer.de,radioschwaben.de,radiotirol.it,silentworld.eu,suedtirol1.it,tarnkappe.info##img[width="300"] +mikanews.de##img[width="300"][height="150"] +gamepro.de##img[width="300"][height="246"] +arbeitsunrecht.de,boxen.de,fruchthandel.de,mygermantimes.com,pornofilm.zone,stadt-bremerhaven.de,via-ferrata.de,wirsiegen.de##img[width="300"][height="250"] +nh24.de##img[width="330"][height="220"] +persoblogger.de##img[width="370"] +bbqpit.de##img[width="400"] +mikanews.de##img[width="400"][height="100"] +teneriffa-aktuell.com##img[width="450"][height="300"] +teneriffa-aktuell.com##img[width="450"][height="700"] +ebook-land.cc##img[width="468"] +lexolino.de##img[width="468"][height="60"] +teneriffa-aktuell.com##img[width="500"] +basicthinking.de##img[width="500"][height="500"] +nh24.de##img[width="533"] +report24.news##img[width="587"][height="562"] +hamburger-allgemeine.de,movieblog.to,silentworld.eu##img[width="600"] +basicthinking.de##img[width="600"][height="500"] +report24.news##img[width="600"][height="550"] +basicthinking.de##img[width="600"][height="600"] +hallescherfc.de##img[width="605"][height="690"] +lokalezeitung.de##img[width="640"][height="165"] +lokalo.de##img[width="700"] +stereo.de##img[width="728"] +championstream.de,fruchthandel.de,ibooks.to,online-gebuehrenrechner.de,vfl.de##img[width="728"][height="90"] +sportradio-deutschland.de##img[width="768"][height="768"] +lokalo.de##img[width="770"] +teneriffa-aktuell.com##img[width="800"][height="230"] +teneriffa-aktuell.com##img[width="900"][height="350"] +t-online.de,www-t--online-de.cdn.ampproject.org##img[width="920"][usemap^="#immap"] +sumikai.com##ins[data-meh-id] +tuhlteim.de##ins[style*="width: 300px; height: 250px;"] +fuersie.de,idee-fuer-mich.de,jolie.de,leben-und-erziehen.de,maedchen.de,ok-magazin.de,petra.de,vital.de##kas +vital.de##kas[type="placement"] +restegourmet.de##li[data-content-type="ad"] +gmx.ch,gmx.net,web.de##list-inbox-ad-item +gmx.ch,gmx.net,web.de##list-inbox-pga-ad-item +gmx.ch,gmx.net,web.de##list-programmatic-inbox-ad-item +nau.ch##nau-external-content-lazy +areadvd.de##onehr +windowspro.de##section#block-viewscontent-block +ariva.de##span[onpointerdown^="countClickOnGAorEs("] +ariva.de##span[onpointerup*="prgAnalyticsEvent("] +erogeschichten.com##table[align-center][cellpadding="13"][border="0"][bgcolor="lightgrey"] ubuntu-forum.de##table[style="background-color: none; border-top: 1px dashed; border-color: #a89058; border-left: 1px dashed; border-color: #a89058; border-right: 1px dashed; border-color: #a89058; border-bottom: 1px dashed; border-color: #a89058;"] -repage.de##table[style="background-color:5F5F5F;border:1px solid;border-color:;table-layout:visible;width:468px;height:60px;padding-top:0px;padding-left:5px;padding-right:5px;padding-bottom:0px;"] +erogeschichten.com##table[style="border: 1px solid black; padding: 5px 0px 5px 0px; background-color: lightgrey; text-align: center"] internet-sms.com##table[style="margin-top:4px; margin-left:198px"] -hardware-infos.com##table[style="position: absolute; top: 140px; left: 50%; margin-left: 505px; width: 120px; height: 600px; border-collapse: collapse; border: 1px solid #808080"] -mafia.to##table[style="width: 100%; background-image: url('http://pic.ms/v2/images/712_promo_bg.jpg'); text-align: center;"] -mafia.to##table[style="width: 468px; height: 60px; background-color: #C0C0C0"] -hoerbuch.us##table[style="width: 699px;"] center > a > img -web4health.info##table[summary="Top banner ads"] -david-forum.de##table[width="100%"] > tbody > tr > td[width="160"][valign="top"]:last-child -diaet.abnehmen-forum.com##table[width="100%"][bgcolor="#FFFFFF"]:last-child -board.world-of-hentai.to##table[width="100%"][cellspacing="0"][cellpadding="0"] > tbody > tr:first-child + tr > td[valign="middle"][align="left"] -wettforum.info##table[width="100%"][cellspacing="0"][cellpadding="0"] > tbody:first-child:last-child > tr:first-child + tr > td[width="140"][valign="top"]:first-child -wettforum.info##table[width="100%"][cellspacing="0"][cellpadding="0"] > tbody:first-child:last-child > tr:first-child > td[align="center"][colspan="2"]:first-child:last-child -spotlight-wissen.de,spotlight.de##table[width="100%"][cellspacing="0"][cellpadding="0"][border="0"] > tbody > #TopFh + #CntFh -ak-kurier.de,nr-kurier.de,ww-kurier.de##table[width="100%"][cellspacing="0"][cellpadding="0"][border="0"] > tbody > tr > .copy[width="100%"] -teltarif.de##table[width="100%"][cellspacing="0"][cellpadding="0"][border="0"][style="margin: 0 0 8px 0;"] -nisch-center.de##table[width="125"][height="125"] -homerj.de##table[width="1580"][cellspacing="0"][cellpadding="0"][border="0"][align="center"] -nisch-center.de##table[width="160"][height="600"] -geizhals.at##table[width="300"][bgcolor="#999999"] -viviano.de##table[width="300"][height="250"] +grower.ch##table[width="195"] astronews.com##table[width="300px"][cellspacing="0"][cellpadding="0"][border="0"] -astronews.com##table[width="320"][cellspacing="0"][cellpadding="0"][border="0"][align="left"] -astronews.com##table[width="320"][cellspacing="0"][cellpadding="0"][border="0"][align="right"] -rheinforum.com##table[width="400"][height="600"] -bordellcommunity.com,rheinforum.com##table[width="425"][height="600"] -bordellcommunity.com,forum-sachsen.com##table[width="426"][height="600"] -forum-sachsen.com##table[width="450"][height="450"] -flashforum.de##table[width="491"][cellspacing="0"][cellpadding="0"][border="0"] -webvoten.de##table[width="520"][cellspacing="0"][cellpadding="0"][border="0"][align="center"]:first-child -easy-smsversand.de##table[width="540"][bordercolor="#ffb039"] -fremdwort.de##table[width="560"][cellspacing="0"][border="0"] > tbody > tr > .text[colspan="2"] -web4health.info##table[width="720"] -gamefront.de##table[width="728"][align="center"]:first-child:last-child -antenne-ac.de,forenhoster.net,nisch-center.de##table[width="728"][height="90"] -pbportal.de##table[width="730"][height="92"] -windows-tweaks.info##table[width="738"][cellspacing="0"][cellpadding="0"][border="0"][nof="LY"] +websingles.at##table[width="306"] +grower.ch##table[width="468"] wetterbote.de##table[width="738"][height="90"] -erlanger-nachrichten.de,nz-online.de##table[width="770"] -hat-gar-keine-homepage.de##table[width="800"][align="center"] > tbody:first-child:last-child > tr:last-child > td -forum-speditionen.de##table[width="846"][style="background-color:#E0E0E0;height:75px;text-align:center;"] ww3.cad.de##table[width="95%"][cellspacing="1"][border="0"] > tbody > tr > td[valign="top"]:first-child + td[style="vertical-align: top;"]:last-child -gamefront.de##table[width="950"][bgcolor][align="center"] -gamefront.de##table[width="950"][cellspacing="1"][cellpadding="0"][border="0"][bgcolor="#ffffff"][align="left"] -dforum.net##table[width="983"][cellspacing="5"][style="border:1px solid #505A53;border-top:none;background:#ADB088;"] -chat4free.de,erotikchat4free.de,freechat.de##td > font[style="font-size:9;"] -loadsieben.org##td[align="CENTER"][width="644"] > p:first-child + center -heimkinomarkt.de##td[align="center"][height="72"][valign="middle"][colspan="3"] -wide-wallpaper.de##td[align="center"][style="border: 1px solid #666666;"] -funtastic-party.de##td[align="center"][valign="top"]:last-child > table[background="/a2/base/images/strich.jpg"][width="178"]:last-child -heise.de##td[align="left"][valign="top"][rowspan="5"] -ak-kurier.de,ww-kurier.de##td[background="images/abstand1.gif"][width="1"] + td[width="180"][valign="top"]:last-child -ixquick.de##td[bgcolor="#f7f9ff"] -englische-briefe.de##td[colspan="3"] > table[width="769"][cellpadding="4"] -dxtv.de,dxtv.eu,satbook.de##td[height="100%"][width="60%"][bgcolor="#FFFFFF"][align="right"] -marcus-klein.de##td[height="148"] > table[width="800"][border="0"][align="center"][cellspacing="0"][cellpadding="0"] -weltuntergang-2012.de##td[height="160"][width="297"][valign="top"]:first-child + td[width="263"]:last-child -elixic.de##td[name="google-bar"] -elixic.de##td[name="top-banner"] -meteonews.ch##td[style="background-color: #E5E5E5; width:300px;"] -anime-loads.org##td[style="height:100%;"] > iframe[id][scrolling="auto"][frameborder="0"][style][src^="http://www.anime-loads.org/"] -triathlon-szene.de##td[style="padding: 0px 0px 0px 0px; border-right: 1px solid #CCCCCC; border-bottom: 1px solid #CCCCCC;"] > div[align="left"][style="margin-bottom:10px;"] -xc.dhv.de##td[style="vertical-align: top; padding-top: 30px; padding-right: 20px; text-align: right;"]:first-child + .bodyline[valign="top"][align="left"] + td[style="vertical-align: top; padding-top: 30px; "]:last-child -sein.de##td[style="width: 970px;"] + td[style="width: 20%; vertical-align: top; text-align: left;"] -ww3.cad.de##td[valign="bottom"][align="center"][colspan="2"] > table[width="755"][height="95"][align="center"] -nr-kurier.de##td[valign="top"]:first-child + td[width="1"][background="images/abstand1.gif"] + td[width="180"][valign="top"]:last-child -2kino.net##td[valign="top"]:last-child > table[width="186"][cellspacing="0"][cellpadding="0"][border="0"][height="390"] -sk-austriakaernten.at##td[valign="top"][height="38"][bgcolor="#231f20"][align="center"]:first-child:last-child > table[width="100%"][cellspacing="0"][cellpadding="0"][border="0"]:first-child:last-child -plz-postleitzahl.de##td[valign="top"][style="padding-left: 15px;"] > table[width="250"][cellspacing="0"][cellpadding="0"]:first-child -ultras.ws##td[valign="top"][style="width: 85%"]:last-child > br:first-child + center > h2:first-child -ak-kurier.de,nr-kurier.de,ww-kurier.de##td[width="100%"][align="center"] > a[target="_new"] > img[src^="http://www.ak-kurier.de/akkurier/www/upload/"] +pesterlloyd.net##td:nth-of-type(3):not(:last-of-type) table[width^="3"] astrotreff.de##td[width="100%"][align="center"] > hr[size="1"][color="#8482A5"] + table[cellspacing="0"][cellpadding="10"][border="0"][bgcolor="#000040"] -kidsweb.de##td[width="115"][valign="top"][bgcolor="#FFFFCC"]:last-child > div[align="left"] > div[align="center"] -kidsweb.de##td[width="116"][valign="top"][bgcolor="#FFFFCC"][rowspan="2"]:first-child > table[width="116"][border="0"][bgcolor="#FFFFCC"]:first-child + table[width="114"][border="0"]:last-child -webvoten.de##td[width="120"][valign="top"] > div[style="font-size:12px; font-family:Verdana, Arial, Sans Serif;"] -navi-forum.net##td[width="120"][valign="top"]:first-child dslr-forum.de##td[width="120"][valign="top"][align="center"]:last-child -winboard.org##td[width="130"][valign="top"][align="center"]:last-child -leo.de##td[width="15%"][valign="TOP"][style="font-size:100%;padding-top:2px;"] -terminplanen.de##td[width="160"][valign="top"][align="center"]:last-child > table[width="156"][border="0"] -board.world-of-hentai.to##td[width="160"][valign="top"][height="600"][align="left"]:last-child -sms.de##td[width="170"][valign="top"][align="center"]:last-child > table[width="175"][cellspacing="0"][cellpadding="0"][border="0"] -echte-abzocke.de##td[width="180px"][valign="top"] -areadvd.de##td[width="200"][valign="top"][height="1"][rowspan="3"] -feiertage.net##td[width="25%"][valign="top"] > table[width="271"][cellspacing="0"][cellpadding="0"][border="0"] -tvmatrix.at,tvmatrix.de,tvmatrix.eu,tvmatrix.net##td[width="300"][height="250"] -teltarif.de##td[width="300"][valign="top"] > .tetable + .tetable[width="100%"][cellspacing="0"][cellpadding="0"][border="0"][bgcolor="#E3D470"] astrotreff.de##td[width="33%"][valign="middle"][align="center"] > a[target="_blank"][href^="/links/wechlink.asp?ID="] > img -leo.de##td[width="55%"][valign="middle"][style="background-color:#ffffee;text-align:center;"] -tvmatrix.at,tvmatrix.de,tvmatrix.eu,tvmatrix.net##td[width="728"][height="90"] land-der-traeume.de##td[width="730"] + td[align="center"] -pbportal.de##td[width="730"][height="92"] -vibe.cd##td[width="760"][height="116"][align="right"][colspan="2"] > img:last-child -rtf1.de##td[width="83"] + td[align="right"][width="120"] -spotlight-wissen.de,spotlight.de##tr > .BoxWPresse[valign="top"][align="center"] > br:first-child + table:last-child -kgsw.eu##tr > td > .fieldset[style="margin:0px 0px 0px 0px"]:first-child:last-child -ww3.cad.de##tr > td[align="CENTER"] > table[bgcolor="#e7deee"] -ww3.cad.de##tr > td[align="center"][colspan="2"][style="vertical-align: bottom;"] > table[align="center"][width="755"][height="95"] -zebradem.com##tr > td[align="right"][style="border-left-width:1px;border-right-width:1px;border-top-width:1px;border-bottom-style:solid;border-bottom-width:1px;border-bottom-color:#555555"] -chilloutzone.net##tr > td[colspan="2"] > div[style="margin: 10px 0 10px 0;"] -web.de##tr > td[colspan="2"] > table[cellspacing="0"][cellpadding="0"][border="0"][width="100%"][style="margin-bottom: 5px;"]:first-child:last-child -computerhilfen.de##tr > td[style="background-color:#FFFFFF;border-left:1px solid black;border-right:1px solid black;border-top:1px solid black;padding:5px;"][colspan="4"] -notebookcheck.com##tr > td[style="text-align:center;"][colspan="2"] > div[style="margin:0px; padding:0px; margin-bottom:10px; background-color:#efefef; height:100px;"] -homerj.de##tr > td[style="width:952px; height:200px;"] -ww3.cad.de##tr > td[valign="top"]:first-child + td[align="right"][width="160"][style="vertical-align: top;"]:last-child ibash.de##tr > td[valign="top"]:first-child + td[width="15"] + td[width="186"][valign="top"]:last-child -ww3.cad.de##tr > td[valign="top"]:first-child + td[width="161"][align="right"][style="vertical-align: top;"] -winboard.org##tr > td[width="100%"][valign="top"][align="center"]:first-child + td[width="180"][style="vertical-align: top;"]:last-child -pbportal.de##tr > td[width="100%"][valign="top"][align="left"]:first-child + td + td[valign="top"]:last-child -sexabc.ch##tr > td[width="120"][valign="top"][align="right"]:last-child -planet3dnow.de##tr > td[width="160"][valign="top"][align="center"]:last-child -mazda-forum.info##tr > td[width="175"][valign="top"][style="padding-left: 15px"]:last-child -tv-grossachsen.de##tr > td[width="220"][valign="top"][style="padding-left: 10px"]:first-child + td[width="530"][valign="top"] + td[width="200"][valign="top"][style="padding-left:10px;"]:last-child -sportforen.de##tr > td[width="89%"]:first-child + td[valign="top"]:last-child -rollertuningpage.de##tr:first-child > td[align="center"][style="background-color: white; color: black; font-weight: bold;"]:first-child:last-child -aero.de##tr:first-child > td[style="padding-bottom:5px;height:82px;"]:first-child -ww3.cad.de##tr:first-child > td[valign="top"][align="left"]:first-child + td[valign="top"] + td[width="150"][valign="top"]:last-child -g15-applets.de##tr:first-child:last-child > .bodyline[valign="top"]:first-child + td[width="120"][valign="top"]:last-child -dieschmids.at##tr:first-child:last-child > .vistaright[width="215"][valign="top"]:last-child -rga-online.de##tr:first-child:last-child > td:first-child:last-child > table[cellspacing="0"][cellpadding="0"][border="0"][background="http://www.rga-online.de/images/bg2.gif"][width="780"]:first-child -wohnmobilforum.de##tr:first-child:last-child > td[align="left"][valign="top"]:first-child + td[width="120"][valign="top"]:last-child -wohnmobilforum.de##tr:first-child:last-child > td[align="left"][width="120"][valign="top"]:first-child +eishockey-magazin.de##tr > th favicon-generator.de##tr:first-child:last-child > td[align="left"][width="150"][valign="top"]:first-child + td[align="center"] + td[align="left"][width="150"][valign="top"]:last-child -rollertuningpage.de##tr:first-child:last-child > td[style="background-image: url(http://www.rollertuningpage.de/images/shop_hg.jpg); vertical-align:top;padding-left:5px;padding-top:100px;width:125px;"]:last-child -mtb-news.de##tr:first-child:last-child > td[valign="top"]:first-child + td[align="left"][width="160"][valign="top"]:last-child -spotlight-wissen.de,spotlight.de##tr:first-child:last-child > td[valign="top"]:first-child + td[valign="top"]:last-child > br:first-child + br + table:last-child ww3.cad.de##tr:first-child:last-child > td[valign="top"]:first-child + td[width="152"][valign="top"][align="center"]:last-child -telefon-treff.de##tr:first-child:last-child > td[valign="top"]:first-child + td[width="160"][valign="top"]:last-child -ww3.cad.de##tr:first-child:last-child > td[valign="top"]:first-child + td[width="160"][valign="top"][align="right"]:last-child -svm-fan.net##tr:first-child:last-child > td[valign="top"]:last-child > small:last-child -okbb.de##tr[bgcolor="#FFFF00"] -vibe.cd##tr[height="180px"]:first-child + tr:last-child > td[style="background-color:transparent; margin:0px; padding:0px;"]:first-child -gmd-music.com##tr[onclick^="window.open(\"http://gmd-music.com/mirror/"] -ddl-warez.in##tr[style="background:#D0F5A9"] -radforum.de##ul[class^="ebayitems"] -r-b-a.de##ul[style="padding: 0px; margin: 0px; border: 0px none;"] -! Specific hiding filters necessary for sites whitelisted with $generichide filter option -focus.de##.ob_container a[data-redirect^="http://paid.outbrain.com/network/redir?"] -boote-forum.de,golem.de,jetzt.de,planetsnow.de,prosieben.at,prosieben.ch,prosieben.de,transfermarkt.de,tvspielfilm.de##.plistaList > .itemLinkPET +gmx.ch,gmx.net,web.de##tr[data-component-pixelurls*="adfarm1.adition.com"] +gmx.net,web.de##tr[data-component="MessageListAdRow"] +gmx.ch,gmx.net,web.de##tr[data-component="MessageListSpecialRow"] +! ! Specific hiding filters necessary for sites using $generichide filter option +focus.de###CT_DESKTOP_NATIVE_HOR_ANY_hor2 +autobild.de###billboard_btf_2Wrapper +autobild.de###billboard_btf_rlWr +autobild.de,rollingstone.de###billboard_rlWr +ableitungsrechner.net,integralrechner.de###desktop-bottom-ad-wrapper +ableitungsrechner.net,integralrechner.de###desktop-left-ad +ableitungsrechner.net,integralrechner.de###desktop-left-bottom-ad +ableitungsrechner.net,integralrechner.de###desktop-top-ad +finanzen.net###footer-ad +finanzen.net###news-contentads +ableitungsrechner.net,integralrechner.de###recommendations +autobild.de###sky_btf_rlWr +autobild.de,rollingstone.de###sky_rlWr +autobild.de###superbanner_rlWr +focus.de###tfm_admanagerTeaser +ran.de##.ad-component +rollingstone.de##.ad-mrec +ran.de##.ad-slot-container +hamburg-magazin.de,kiel-magazin.de,luebeck-magazin.de##.ad__skyscraper--wrapper +hamburg-magazin.de,kiel-magazin.de,luebeck-magazin.de##.ad__superbanner--wrapper +ratehase.de##.adcolor +focus.de##.adsBlock +finanzen.net##.adsbygoogle +hamburg-magazin.de,kiel-magazin.de,luebeck-magazin.de##.article__ad__wrapper +t-online.de##.css-1gm9xpz +t-online.de##.css-1lb3bt5 +t-online.de##.css-2k2lok +n-tv.de##.ems-slot +focus.de##.fol_mew-flying-carpet-wrapper +sueddeutsche.de##.iqdcontainer +focus.de##.ob-ad-carousel-layout +fitbook.de,myhomebook.de,stylebook.de,techbook.de,travelbook.de##.ob-p.ob-dynamic-rec-container +jetzt.de,prosieben.de,transfermarkt.de,tvspielfilm.de##.plistaList > .itemLinkPET plista.com##.plistaList > .plista_widget_belowArticle_item[data-type="pet"] -ariva.de,boote-forum.de,fanfiktion.de,notebookchat.com,notebookcheck.com,planetsnow.de,prosieben.at,prosieben.ch,prosieben.de,tvspielfilm.de##.plistaList > .plista_widget_underArticle_item[data-type="pet"] -erdbeerlounge.de,giga.de,spieletipps.de,transfermarkt.de##.trc-content-sponsored -erdbeerlounge.de,giga.de,spieletipps.de,transfermarkt.de##.trc-content-sponsoredUB -erdbeerlounge.de,giga.de,spieletipps.de,transfermarkt.de,welt.de##.trc_related_container div[data-item-syndicated="true"] -@@||computerbild.de^$generichide -@@||focus.de^$generichide -@@||pcwelt.de^$generichide -@@||welt.de^$generichide +notebookchat.com,prosieben.de,tvspielfilm.de##.plistaList > .plista_widget_underArticle_item[data-type="pet"] +focus.de##.ps-trackingposition_OrangerButton +focus.de##.ps-trackingposition_PDFkasten +focus.de##.shoppingcartctn +ratehase.de##.sidestickycon300x600 +autobild.de##.superbannerBtfContainer +businessinsider.de,bz-berlin.de,giga.de,myhomebook.de,sport1.de,sueddeutsche.de,t-online.de,transfermarkt.de##.trc-content-sponsored +businessinsider.de,giga.de,metal-hammer.de,myhomebook.de,sport1.de,sueddeutsche.de,t-online.de,transfermarkt.de##.trc-content-sponsoredUB +computerbild.de##.trc_related_container .syndicatedItem:not(.inNetworkItem) +businessinsider.de,bz-berlin.de,fitbook.de,giga.de,jetzt.de,myhomebook.de,noizz.de,sport1.de,sportbild.bild.de,sueddeutsche.de,t-online.de,techbook.de,transfermarkt.de,travelbook.de,welt.de##.trc_related_container div[data-item-syndicated="true"] +bz-berlin.de,metal-hammer.de,musikexpress.de,rollingstone.de,stylebook.de##.trc_related_container div[data-item-syndicated="true"]:not(.inNetworkItem) +wort.lu##[class*="use-theme-class_sponsored_"] +t-online.de##[data-commercial-format] +willhaben.at##[data-testid="top-ads-large"] +autobild.de,chip.de,computerbild.de,finanzen.net,gamestar.de,n-tv.de,ran.de##a[data-nvp*="'trafficUrl':'https://paid.outbrain.com/network/redir?"] +autobild.de,chip.de,computerbild.de,finanzen.net,gamestar.de,n-tv.de,ran.de##a[data-oburl^="https://paid.outbrain.com/network/redir?"] +autobild.de,chip.de,computerbild.de,finanzen.net,gamestar.de,n-tv.de,ran.de##a[data-redirect^="https://paid.outbrain.com/network/redir?"] +ableitungsrechner.net,integralrechner.de##a[href*="//www.amazon."][href*="tag="] plista.com##a[href^="http://click.plista.com/pets"] -computerbild.de,focus.de,pcwelt.de##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] -computerbild.de,focus.de,pcwelt.de##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] -! CSS property filters -4players.de#?#:-abp-properties(margin-left: -9px;) > * > img -4players.de#?#:-abp-properties(margin-left: 17.*px;) > img -4players.de,eatsmarter.de#?#:-abp-properties(/margin-left: 9[0-9][0-9]px;/) -9monate.de,lifeline.de#?#:-abp-properties(/margin-left: 8[0-9][0-9].*/) -abendzeitung-muenchen.de#?#:-abp-properties(/margin-left: 8[0-9][0-9].*/) -abendzeitung-muenchen.de,antenne.de,areamobile.de,auto-service.de,mtb-news.de,boerse-online.de,chefkoch.de,svz.de,nnn.de,prignitzer.de#?#div :-abp-properties(content: " Anzeige") -abendzeitung-muenchen.de,fettspielen.de#?#:-abp-properties(/margin-left: 9[0-9][0-9]*/) -abendzeitung-muenchen.de,serienjunkies.de#?#:-abp-properties(/margin-left: 8[0-9][0-9]px;/) -antenne.de#?#:-abp-properties(left: 5.*px;) > * > img -antenne.de#?#:-abp-properties(left: 6.*px;) > * > img -areamobile.de#?#:-abp-properties(/left: 6[0-9][0-9].*/) -areamobile.de#?#:-abp-properties(/left: 7[0-9][0-9].*/) -areamobile.de#?#:-abp-properties(/left: 8[0-9][0-9].*px;/) -areamobile.de#?#:-abp-properties(margin-left: 78px;) > img -areamobile.de#?#:-abp-properties(margin-left: 89.*px;) -areamobile.de#?#:-abp-properties(margin-left: 89px;) -areamobile.de,baby-vornamen.de,paradisi.de,computerhilfen.de,promobil.de,de.pons.com,motor-talk.de,womenshealth.de,caravaning.de,motorradonline.de,metalflirt.de,pietsmiet.de,noz.de,likemag.com,sportal.de,menshealth.de,svz.de,prignitzer.de,nnn.de,wn.de,9monate.de,lifeline.de#?#div :-abp-properties(content: "*zeige*") -auto-service.de#?#:-abp-properties(/margin-left: 4[0-9][0-9]px;/) -baby-vornamen.de,mopo.de#?#:-abp-properties(/margin-left: [1-9][0-9]{3}px;/) -baby-vornamen.de,paradisi.de,computerhilfen.de,promobil.de#?#:-abp-properties(/margin-left: 9[0-9][0-9].*/) -bikemarkt.mtb-news.de#?#.header__banner + * + * + * + * + * + :-abp-properties(margin-top: 5px;) > * > img -bikemarkt.mtb-news.de#?#:-abp-properties(/z-index: 6[0-9][0-9]*/) > img -boerse-online.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}px;/) -boerse-online.de#?#:-abp-properties(/margin-left: 9[0-9][0-9].*/) -boerse.de#?#:-abp-properties(/margin-left: 1[0-9][0-9].*/) -boerse.de#?#:-abp-properties(margin-left: 172px;) -buffed.de#?#:-abp-properties(/left: 4[0-9][0-9]px;/) -chefkoch.de#?#:-abp-properties(/margin-left: -3[0-9][0-9].*/) -chefkoch.de#?#:-abp-properties(/margin-left: 9[0-9][0-9]px;/) -chefkoch.de,eatsmarter.de#?#:-abp-properties(/margin-left: -3[0-9][0-9]px;/) -chefkoch.de,svz.de,nnn.de,prignitzer.de#?#:-abp-properties(/margin-left: 3[0-9][0-9].*px;/) -comunio.de#?#:-abp-properties(/margin-left: 7[0-9][0-9]px;/) -comunio.de#?#:-abp-properties(/margin-left: 8[0-9][0-9].*/) -connect.de,hardwareluxx.de,heise.de,tagesspiegel.de,tiervermittlung.de,finanzen.ch,landwirt.com,tvdigital.de,svz.de,nnn.de,prignitzer.de,abendzeitung-muenchen.de,finanzen.net,tvtoday.de,mehr-tanken.de,antenne.de,boerse-online.de#?#div :-abp-properties(content: "Anzeige") -connect.de,heise.de,jpgames.de,motortests.de,motorbasar.de,boerse-online.de,finanztreff.de#?#:-abp-properties(/margin-left: 9[0-9][0-9]px;/) -dbna.de#?#:-abp-properties(margin-top: 23px;) > img -dbna.de#?#:-abp-properties(margin-top: 7px; position: absolute;) > img -de.pons.com,motor-talk.de,womenshealth.de,caravaning.de#?#:-abp-properties(/margin-left: 9[0-9][0-9]px;/) -de.pons.com,motor-talk.de,womenshealth.de,caravaning.de,menshealth.de#?#:-abp-properties(/margin-left: [6-9][0-9]{2}.*/) -de.webfail.com#?#:-abp-properties(/margin-left: 7[0-9][0-9].*/) -de.webfail.com,motortests.de,motorbasar.de,comunio.de,general-anzeiger-bonn.de#?#div :-abp-properties(content: " Anzeige") -eatsmarter.de#?#:-abp-properties(/margin-left: -2[0-9][0-9]px;/) -eatsmarter.de#?#:-abp-properties(/margin-left: 8[0-9][0-9]px;/) -fettspielen.de#?##header + * + * + :-abp-properties(text-align: center;) > img -fettspielen.de#?#:-abp-properties(/right: 9[0-9][0-9]*/) -finanzen.at#?#:-abp-properties(/left: 9[0-9][0-9]px;/) -finanztreff.de#?#:-abp-properties(left: 87.*px;) > img -finanztreff.de#?#:-abp-properties(margin-left: -27px; position: relative;) -finanztreff.de,serienjunkies.de#?#div :-abp-properties(content: "Anzeige:") -formel1.de#?#:-abp-properties(z-index: 201;) > img -gamepro.de,wetteronline.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}.*/) -gamesaktuell.de#?#:-abp-properties(/margin-left: 9[0-9][0-9].*/) -gamesaktuell.de#?#:-abp-properties(margin-top: -15.*px;) -general-anzeiger-bonn.de#?#:-abp-properties(/margin-left: 9[0-9][0-9].*/) -gipfelbuch.ch#?#:-abp-properties(top: -80px;) > img -hamburg.de###teaser-board -hardwareluxx.de,finanzen.net,tvtoday.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}.*/) -hardwareluxx.de,heise.de,jpgames.de,tagesspiegel.de,tiervermittlung.de,finanzen.ch,motortests.de,motorbasar.de,abendzeitung-muenchen.de,finanzen.net,runnersworld.de,comunio.de,tvtoday.de,mehr-tanken.de#?#div :-abp-properties(content: "*nzeige*") -hardwareluxx.de,tiervermittlung.de,landwirt.com,finanzen.net,tvtoday.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}px;/) -heftig.de,leckerschmecker.me#?#:-abp-properties(margin-left: 53.*px;) -heftig.de,leckerschmecker.me#?#div :-abp-properties(content: "") -heise.de,motortests.de,motorbasar.de#?#:-abp-properties(/margin-left: 9[0-9][0-9].*/) -hftg.co,heftig.tv,heftig.club,genialetricks.de,leckerschmecker.me#?#:-abp-properties(margin-left: 53px;) -ingame.de#?#:-abp-properties(/z-index: 2[0-9][0-9];/) > img -ingame.de#?#div :-abp-properties(content: "Anzeige") -ingame.de#?#div :-abp-properties(z-index: 100;) > img -ingame.de#?#div :-abp-properties(z-index: 301;) > img -ingame.de,noz.de,dbna.de,4players.de,buffed.de,videogameszone.de,shz.de,nwzonline.de,pnn.de,antenne.de#?#div :-abp-properties(content: "*nzeige*") -jpgames.de#?##homelink + :-abp-properties(width: 1000px;) > * > img -jpgames.de#?#.widgettitle + :-abp-properties(margin-left: -11px;) > img -jpgames.de#?#:-abp-properties(/margin-left: 8[0-9][0-9]px;/) -kochbar.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}px;/) -lablue.de##.ads-wrapper-top -lablue.de#?#.MY + :-abp-properties(margin-left: 15px;) > img -lablue.de#?#:-abp-properties(margin-bottom: 8.*px;) > img -landwirt.com#?#:-abp-properties(margin-top: 21.*px;) > img -landwirt.com#?#:-abp-properties(margin-top: 22.*px;) -landwirt.com#?#div :-abp-properties(content: "*Anzeige*") -landwirt.com,wetter.de,morgenpost.de,gamestar.de,woman.at,profil.at,gusto.at#?#:-abp-properties(/margin-left: 9[0-9][0-9]px;/) -lustaufsleben.at#?#.menu-inner-wrapper + * + * > :-abp-properties(margin-bottom: 6px;) > img -lustaufsleben.at#?#:-abp-properties(/left: 2[0-9][0-9]{2}.*/) -lustaufsleben.at#?#:-abp-properties(margin-bottom: 5.*px;) > img -lustaufsleben.at,sportal.de,spox.com#?#div :-abp-properties(content: "Anzeige") -lustaufsleben.at,tvtoday.de#?#:-abp-properties(/left: 1[0-9][0-9]{3}.*/) -mehr-tanken.de##.container-fluid > div > div > img -mehr-tanken.de,menshealth.de,metalflirt.de,mopo.de,nwzonline.de,pnn.de,promipool.de,runnersworld.de,serienjunkies.de,shz.de,wn.de,tvtoday.de#?#div :-abp-properties(content: " Anzeige") -mein.dbna.de##.container-header -mein.dbna.de#?#:-abp-properties(/margin-left: 3[0-9][0-9]px;/) > img -menshealth.de,promobil.de#?#:-abp-properties(/margin-left: 9[0-9][0-9]px;/) -metalflirt.de#?#:-abp-properties(/margin-left: 8[0-9][0-9].*px;/) -mopo.de#?#.dm_page_header + :-abp-properties(margin-top: 19px;) > img -mopo.de#?#:-abp-properties(/margin-left: -3[0-9][0-9].*/) -mopo.de#?#:-abp-properties(/margin-left: -3[0-9][0-9]px;/) -mopo.de#?#:-abp-properties(/margin-left: -9[0-9][0-9]px;/) -mopo.de#?#:-abp-properties(/margin-left: -[4-9][0-9]{2}.*/) -mopo.de#?#:-abp-properties(/margin-left: 8[0-9][0-9].*/) -mopo.de#?#:-abp-properties(margin-top: 19.*px;) -motorradonline.de,areamobile.de,metalflirt.de,pietsmiet.de,noz.de,de.pons.com,baby-vornamen.de,paradisi.de,computerhilfen.de,gmuender-tagespost.de,schwaebische-post.de,likemag.com,motor-talk.de,womenshealth.de,formel1.de,spox.com,sportal.de,menshealth.de,svz.de,prignitzer.de,nnn.de,caravaning.de,wn.de,webfail.com#?#div :-abp-properties(content: "*Anzeige*") -motorradonline.de,metalflirt.de,formel1.de,sportal.de,radio.de#?#:-abp-properties(/margin-left: [1-9][0-9]{3}.*/) -motorradonline.de,metalflirt.de,radio.de,formel1.de,sportal.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}px;/) -noz.de#?#:-abp-properties(margin-left: 220px;) > img -nwzonline.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}px;/) -nwzonline.de#?#:-abp-properties(/margin-left: 3[0-9][0-9]{3}px;/) -nwzonline.de#?#:-abp-properties(margin-left: 84.*px;) -nwzonline.de#?#:-abp-properties(margin-left: 84px;) -paradisi.de,computerhilfen.de,pietsmiet.de,wn.de,webfail.com,9monate.de,lifeline.de#?#:-abp-properties(/margin-left: [6-9][0-9]{2}px;/) -pietsmiet.de,spox.com,menshealth.de#?#:-abp-properties(/margin-left: 8[0-9][0-9]px;/) -pnn.de#?#:-abp-properties(/margin-left: 5[0-9][0-9]px;/) -pnn.de#?#:-abp-properties(left: 10.*px;) -pnn.de#?#:-abp-properties(left: 9.*px;) > * > * > img -pnn.de#?#div :-abp-properties(content: " Anzeige ") -profil.at#?#.top-leiste + :-abp-properties(position: relative;) > * > img -promipool.de#?#:-abp-properties(/margin-left: -3[0-9][0-9].*/) -promipool.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}px;/) -promipool.de#?#:-abp-properties(margin-left: -17px;) -promipool.de#?#:-abp-properties(margin-left: 272px;) -promipool.de,hftg.co,heftig.tv,heftig.club,genialetricks.de,leckerschmecker.me,readmore.de,9monate.de,chefkoch.de,eatsmarter.de,hoerzu.de,lifeline.de,serienjunkies.de,finanztreff.de,tvdigital.de#?#div :-abp-properties(content: "*Anzeige*") -promobil.de#?#.u + * + * + :-abp-properties(text-align: center;) > img -radio.de#?#:-abp-properties(margin-left: 23.*) > img -radio.de#?#:-abp-properties(margin-left: 23px; text-align: center;) > img -radio.de#?#:-abp-properties(max-height: 275.*px;) -radio.de#?#:-abp-properties(max-height: 276px;) -readmore.de,hoerzu.de#?#:-abp-properties(/margin-left: 1[0-9][0-9]{2}.*/) -runnersworld.de#?#:-abp-properties(/margin-left: 5[0-9][0-9]px;/) -runnersworld.de#?#:-abp-properties(/margin-left: 6[0-9][0-9]px;/) -runnersworld.de#?#:-abp-properties(left: 118.*px;) -runnersworld.de#?#:-abp-properties(left: 119px;) > img -serienjunkies.de#?#:-abp-properties(/margin-left: 7[0-9][0-9]px;/) -serienjunkies.de#?#:-abp-properties(cursor: pointer; max-width: 935px;) -serienjunkies.de#?#:-abp-properties(cursor: pointer; max-width: 936px;) -serienjunkies.de,sportal.de,spox.com#?#:-abp-properties(/margin-left: 9[0-9][0-9].*/) -shz.de#?#:-abp-properties(/margin-left: -1[0-9][0-9]{2}px;/) -shz.de#?#:-abp-properties(/margin-left: -7[0-9][0-9]{2}.*/) -svz.de,nnn.de,prignitzer.de#?#:-abp-properties(/margin-left: 2[0-9][0-9].*px;/) -svz.de,prignitzer.de,nnn.de#?#:-abp-properties(margin-left: 150.*px;) -svz.de,prignitzer.de,nnn.de#?#:-abp-properties(margin-left: 151px;) -tagesspiegel.de#?#:-abp-properties(left: 100%; margin-left: 6px;) > img -tagesspiegel.de#?#:-abp-properties(margin-left: 6.*px;) > img -tiervermittlung.de#?#:-abp-properties(/left: 3[0-9][0-9]px;/) > img -tiervermittlung.de#?#:-abp-properties(/margin-left: -6[0-9][0-9]px;/) -tiervermittlung.de#?#:-abp-properties(/margin-left: 4[0-9][0-9]px;/) -tv-media.at#?#:-abp-properties(/left: 3[0-9][0-9].*/) > img -tv-media.at#?#:-abp-properties(/left: 9[0-9][0-9].*/) -tvdigital.de#?#:-abp-properties(margin-left: 6.*px;) > img -tvdigital.de#?#:-abp-properties(margin-left: 6px; top: 63px;) -videogameszone.de#?#:-abp-properties(/margin-left: 8[0-9][0-9].*/) -webfail.com#?#:-abp-properties(/margin-left: 8[0-9][0-9].*/) -wetter.de,kochbar.de,mein.dbna.de,morgenpost.de,wetteronline.de,general-anzeiger-bonn.de#?#div :-abp-properties(content: "*Anzeige*") -wetteronline.de#?#:-abp-properties(max-height: 250px; max-width: 970px;) > img -wetteronline.de,general-anzeiger-bonn.de#?#:-abp-properties(/margin-left: 8[0-9][0-9]px;/) -wn.de#?#:-abp-properties(/width: 1[0-9][0-9]{2}.*/) -wn.de#?#:-abp-properties(top: 91.*px;) -wn.de#?#:-abp-properties(width: 1000.*px;) > div > img -wn.de#?#:-abp-properties(width: 999px;) -woman.at##.ad_con + * > * > img -yachtrevue.at,news.at,trend.at#?#:-abp-properties(/left: [1-8][0-9]{4}|9[0-9][0-9]{3}.*/) -! -4players.de,areamobile.de,chefkoch.de,finanzen.at,finanzen.net,gamestar.de,golem.de,heise.de,notebookcheck.com,pietsmiet.de,serienjunkies.de,welt.de,wetter.com,wetter.de,wetteronline.de##div[style="display: inherit !important;"] -abendblatt.de,abendzeitung-muenchen.de,antenne.de,areadvd.de,baby-vornamen.de,boerse-online.de,boerse.de,buffed.de,comunio.de,connect.de,de.pons.com,derwesten.de,einfachschoen.me,finanzen.ch,finanztreff.de,formel1.de,gamepro.de,gamesaktuell.de,gamezone.de,general-anzeiger-bonn.de,genialetricks.de,hamburg.de,hardwareluxx.de,heftig.tv,hftg.co,hoerzu.de,lablue.de,landwirt.com,leckerschmecker.me,lifeline.de,mein-wahres-ich.de,morgenpost.de,motor-talk.de,motorradonline.de,motorsport-total.com,moviepilot.de,noz.de,nwzonline.de,paradisi.de,pc-magazin.de,pcgames.de,pcgameshardware.de,promipool.de,promobil.de,radio.de,shz.de,tagesspiegel.de,testedich.de,tvtoday.de,videogameszone.de,webfail.com,wn.de##[style="display: inherit !important;"] -golem.de##div[style="max-width:300px; width:auto; float:right; margin:0 -150px 0 20px;"] -golem.de#?#div:-abp-contains(Anzeige) + div + div > img -radio.de##[style="display: initial !important;"] -serienjunkies.de##[style="display: block !important;"] -serienjunkies.de#?#:-abp-properties(/margin-left: [79][0-9]{2}.*px;/) -serienjunkies.de#?#:-abp-properties(max-width: 937px;) -serienjunkies.de#?#div :-abp-properties(content: "*zeige*") -wetteronline.de#?#:-abp-properties(/margin-left: [79][0-9]{2}.*px;/) -wetteronline.de#?#:-abp-properties(/max-width: [79][0-9]{2}.*px;/) -! -aachener-nachrichten.de,aachener-zeitung.de,airliners.de,auszeit.bio,bafoeg-aktuell.de,bigfm.de,boersennews.de,brieffreunde.de,clever-tanken.de,deine-tierwelt.de,dhd24.com,digitalfernsehen.de,donnerwetter.de,e-hausaufgaben.de,finya.de,frag-mutti.de,fremdwort.de,frustfrei-lernen.de,fussballdaten.de,gamersglobal.de,gameswelt.de,gartenlexikon.de,gesundheit.de,gut-erklaert.de,hausgarten.net,kindergeld.org,liga3-online.de,lz.de,moviejones.de,mt.de,mz-web.de,news.de,nickles.de,nw.de,onlinekosten.de,prad.de,psychic.de,quoka.de,rimondo.com,roemische-zahlen.net,tichyseinblick.de,truckscout24.de,unterhalt.net,virtualnights.com,weser-kurier.de,wetteronline.de,wintotal.de,wize.life,wohngeld.org##img[style^="display: block !important"] -aachener-nachrichten.de,clever-tanken.de,epochtimes.de,fanfiktion.de,finya.de,frag-mutti.de,gesundheit.de,kicker.de,mz-web.de,news.de,tichyseinblick.de,weristdeinfreund.de,wetteronline.at##div[style^="display: block !important"] -aachener-zeitung.de#?#div:-abp-properties(display: block !important;*position: relative;) > img -inside-handy.de,tichyseinblick.de,rundschau-online.de,berliner-zeitung.de,clever-tanken.de,epochtimes.de,mz-web.de,finya.de,kicker.de,wetteronline.de,unicum.de,news.de,quoka.de#?#div:-abp-properties(display: block !important;) -inside-handy.de,tichyseinblick.de,rundschau-online.de,berliner-zeitung.de,clever-tanken.de,epochtimes.de,mz-web.de,finya.de,kicker.de,wetteronline.de,unicum.de,news.de,quoka.de,autoscout24.de#?#div:-abp-properties(display: block;) > img -kicker.de,quoka.de,wetteronline.de,autoscout24.de,immobilienscout24.de,aachener-zeitung.de,news.de#?#div:-abp-properties(cursor: pointer; display: block !important;) > img -unicum.de##img[style*="display: block !important"] -wetteronline.de##div[style*="display: block !important"] -!------------------Ausnahmeregeln zum Beheben von Problemen-------------------! -! *** easylistgermany:easylistgermany/easylistgermany_whitelist.txt *** -@@|http://byte.to/js/javascript.js| -@@|http://byte.to/js/wz_tooltip.js| -@@||1000steine.de/img/ads/ -@@||11freunde.de/sites/all/themes/elf/gujAd/gujAd.js$domain=11freunde.de -@@||123people.us/trackads/display?zones=$script,domain=123people.de -@@||2mdn.net/ads/studio/Enabler.js$domain=marketing-a.akamaihd.net -@@||2mdn.net/instream/video/client.js$domain=welect.de -@@||360yield.com/adj?$script,domain=girlsgogames.de|jetztspielen.de|spielen.com -@@||6inserate.ch/images/banner/$image,domain=ameliatantra.jimdo.com -@@||71iv.nuggad.net/crossdomain.xml$object-subrequest -@@||ab-in-den-urlaub.de^*.popunder.js -@@||ad-emea.doubleclick.net/ad/tonline.app.smartclip/$object-subrequest,domain=iam.t-online.de -@@||ad-emea.doubleclick.net/crossdomain.xml$domain=iam.t-online.de -@@||ad-tuning.de^*/ad-tuning-footer.png -@@||ad.71i.de/global_js/globalV6.js$domain=7tv.de -@@||ad.71i.de/global_js/globalv6.js$domain=autoplenum.de|bundesliga.de|myvideo.de|n24.de|netzwelt.de|sport1.fm -@@||ad.71i.de/global_js/Sites/$script,domain=7tv.de|n24.de|sport1.fm -@@||ad.adworx.at/crossdomain.xml$object-subrequest -@@||ad.amgdgt.com/ads/?$subdocument,domain=payback.de -@@||ad.doubleclick.net/ddm/$image,domain=welect.de -@@||ad.doubleclick.net/ddm/ad/*/;ord=$image,domain=erdbeerlounge.de|gamona.de|giga.de|kino.de|spielaffe.de|spieletipps.de -@@||ad.netzquadrat.de/viewbanner.php3?bannerid=$image,domain=sms.de -@@||ad.yieldlab.net/yp/$script,domain=dance-charts.de -@@||ad.zanox.com/ppc/?$subdocument,domain=eule.de|grossklein.de|gutscheindoktor.de|literatur-fast-pur.de|preismafia.com|preisvergleich.de -@@||ad4.liverail.com/interstitial/?lr_publisher_id=$script,domain=jam.fm|paradiso.de -@@||adap.tv/redir/client/swfloader.swf?id=swfloader$object,domain=lycos.de -@@||adback.de^$~third-party -@@||adcell.de/click.php?bid=$subdocument,domain=gutscheindoktor.de|mein-rabatt.com -@@||adclient.uimserv.net/banner?$script,domain=millionenklick.web.de +finanzen.net##a[href^="https://ad.doubleclick.net/"] +autobild.de,computerbild.de,finanzen.net,focus.de,gamestar.de,n-tv.de,ran.de##a[href^="https://paid.outbrain.com/network/redir?"] +musikexpress.de##a[href^="https://popup.taboola.com/"] +focus.de##a[href^="https://www.communicationads.net/tc.php"] +fitbook.de,stylebook.de,travelbook.de##a[href^="https://www.communicationads.net/tc.php"] > img +focus.de##a[href^="https://www.financeads.net/tc.php"] +ratehase.de##a[onclick^="setAdClick"] +autobild.de,chip.de,computerbild.de,finanzen.net,fitbook.de,focus.de,gamestar.de,metal-hammer.de,myhomebook.de,n-tv.de,pcwelt.de,ran.de,sport.de,stylebook.de,techbook.de,travelbook.de,tvspielfilm.de##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] +autobild.de,chip.de,computerbild.de,finanzen.net,gamestar.de,n-tv.de,ran.de##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] + .ob_source +t-online.de##aside[data-testid="StageLayout.StreamItem"] +wort.lu##div[class^="ad-element_"] +t-online.de##div[class^="adContainer"] +t-online.de##div[data-component="CommercialNativendo"] +t-online.de##div[data-testid="Stage.Companion.Commercial"] +t-online.de##div[data-testid^="Nativendo.ArticleFeed"] +focus.de##div[id^="CT_SMARTPHONE_NATIVE_"] +focus.de##div[id^="M_CONTENTAD"] +focus.de##div[id^="M_TRSCT_hor"] +t-online.de##div[id^="nativendo"] +ratehase.de##div[style="float: right; width: 300px; height: 250px; margin: 0 10px 80px 30px;"] +ratehase.de##div[style="height: 90px; margin: 30px 0 20px 0; text-align: center; width: 100%;"] +ratehase.de##div[style="height: 90px; margin: 30px 0 30px 0; text-align: center; width: 100%;"] +ratehase.de##div[style="text-align:center; min-height: 260px; height: 260px; margin: 0 auto 0 auto;"] +t-online.de##section[data-stage-layout^="custom_nativendo_"] +! :has() +boersennews.de###bnTickerContainer:has(#bnTickerAdNotice) +chip.de###dlcharts-list + div:has(a[title*="Avast Free Antivirus"]) +chip.de##.Button__Wrapper:has(a[href^="https://x.chip.de/linktrack/button/"][href*="&type=text&"]) +baur.de##.MuiBox-root:has(a[href^="//b.fr3.eu.criteo.com/rm?"]) +berlinstadtservice.de##.a.block04:has(a[href^="https://www.awin1.com/"]) +saechsische.de##.article-box:has(> .article-box__text > .article-box__info > span.article-badge--ad) +saechsische.de##.article-fill:has(.article-badge.article-badge--ad) +gewinn.com##.article-latest.article-layout-0 > .row:has(.advertorial-icon) +meinbezirk.at##.article-list-item.article-card.article-card-default:has(.commercial-tag) +heise.de##.bg-gray-50:has(div[id*="_Incontent-"]) +finanzfluss.de##.billboard-card:has(.partner-ad-and-title) +laola1.at##.block.medium:has(a[href^="https://dt.sportradar.com/"]) +preis24.de##.box.box-style1:has(.notice) +gesundheit.de##.box.img_link:has(.advertorial_hint) +wallstreet-online.de##.breakingNewsOfferteBox:has(span.offerteFlag) +welt.de##.c-inline-teaser__body.c-inline-teaser__body--is-standalone:has(a[href^="https://www.financeads.net/tc.php?"]) +sportscheck.com##.c-product-tile:has(div.c-product-tile__sponsored) +experten.de##.c-sidebar:has(> .widget-odd > div[class^="c-ad-exper-"]) +googlewatchblog.de##.card-content > center:has(ins.adsbygoogle) +automotiveit.eu,instandhaltung.de,produktion.de,technik-einkauf.de##.ce_postlistbox:has(.label-ad-highlight) +all-electronics.de,automotiveit.eu,produktion.de##.ce_topicbox:has(.label-ad-highlight) +ibooks.to##.code-block:has(i.fa-cloud-download-alt) +feuerwehrmagazin.de##.excerpt-tile.cell.small-12.medium-6:has(.advertorials) +print.de##.excerpt-tile.cell:has(.advertorials) +vergleichswelt.app##.fads-zeile:has(.fads-anzeige-text) +chip.de##.fb-align-content-start:has(a[href^="https://x.chip.de/linktrack/button/"][href*="&type=text&"]) +prad.de##.first-list > li:has(a[href^="https://bit.ly/"]) +prad.de##.first-list > li:has(a[href^="https://ipn.idealo.de/ts/"]) +prad.de##.first-list > li:has(a[href^="https://tracking.s24.com/"]) +willhaben.at##.fkPYfx:has(#apn-large-leaderboard) +onvista.de##.flex-layout:has(div[class^="ArticleTeaser_ov-article-teaser__onvistaCustomer_"]) +mobiflip.de##.infinite-post:has(.adsbygoogle) +onmeda.de##.inlinemod-item:has(.on-ad) +austriansoccerboard.at##.ipsWidget:has(.sidebar-partner) +austriansoccerboard.at##.ipsWidget:has(.sidebar-partner-links) +mobile.de##.mN_WC:has([data-testid="sponsored-badge"]) +mopo.de##.main-preview:has(.anzeige-label) +winfuture.de##.news330.floatL.mr10:has(.anzeige) +promiflash.de##.onlyDesktop:has(div.adContainer) +onvista.de##.ov-article-teaser:has(.ov-article-teaser__onvistaCustomer) +fertigung.de##.owl-carousel.owl-loaded.owl-drag:has(.label-ad-highlight) +heise.de##.p-3.-mx-3.bg-gray-50:has(a[data-component="TeaserLinkContainer"]:not(a[href^="https://www.heise.de/api/accountservice/subscribe/"])) +prad.de##.pd-teaser:has(a[href^="https://bit.ly/"]) +expert.de##.pm-items > [widget-child]:has([ping^="//b.nl3.eu.criteo.com/rm?"]) +running-magazin.com##.post-grid-item.grid-item:has(.ad-badge) +photographie.de##.post.type-post.status-publish:has(.anzeige-box) +dashcamtest.de##.previewtile.swiper-slide:has(a[href^="https://amzn.to/"]) +intersport.de##.product--box:has(.rm-sponso) +kaufland.de##.product:has(div.product__sponsored-ad-label) +guenstiger.de##.productCard:has(div.premiumProductCaption) +kaufland.de##.rd-recommender__tile:has(div.rd-product-tile__badge--ad) +kaufland.de##.rd-recommender__tile:has(span.advertiser-info__button-icon) +metager.de##.result:has(a[href^="https://metager.de/partner/r?"]) +metager.de##.result:has(a[href^="https://r.search.yahoo.com/"]) +finanzen.net##.row.d-flex.align-items-center:has(a[href^="http://g.finanzen.net/allvest-fonds-home-intelligent-invest"]) +zwischengas.com##.row.mt-0.mb-3.d-print-none:has(.fa-ad) +wallstreet-online.de##.sbteaser:has(span.generalAdTag) +rewe.de##.search-service-product:has(.sponsoredBadge) +prad.de##.second-list > li:has(a[href^="https://amzn.to/"]) +prad.de##.second-list > li:has(a[href^="https://ipn.idealo.de/ts/"]) +prad.de##.second-list > li:has(a[href^="https://tracking.s24.com/"]) +podcast.de##.section:has(.ad-container) +wallstreet-online.de##.similarNews:has(span[title="Anzeige"]) +mopo.de##.slider-preview:has(.anzeige-label) +wallstreet-online.de##.sliderItem.active:has(span.news-item:has(img[alt="Anzeige"])) +finanzen.net##.snapshot__trading:has(.button-advertising-hint) +szene-hamburg.com##.swiper-slide:has(.entry-adv) +sportscheck.com##.swiper-slide:has(div.c-product-tile__sponsored) +inside-digital.de##.td_module_ih_current_news:has(.spo) +wallstreet-online.de##.teaser.objectfit:has(div.angebot) +wallstreet-online.de##.teaser.objectfit:has(div.anzeige) +connect.de,pc-magazin.de##.teaser:has(.teaser__promolabel) +wallstreet-online.de##.teaser:has(span.generalAdTag) +fuersie.de##.teaser__item:has(.teaser__adtype) +immobilienscout24.de##.touchpoint-space:has(div[data-testid="dsa-link"]) +eurotransport.de##.v-A_-sidecol__list__item:has(.v-A_-teaser__tag--ad) +caravaning.de,motorradonline.de,outdoor-magazin.com,promobil.de##.v-A_-teaser__halfcol__listitem:has(.v-A_-teaser__tag--ad) +elektrobike-online.com,roadbike.de##.v-A_-topteaser__article:has(.v-A_-teaser__tag--ad) +motorradonline.de,outdoor-magazin.com##.v-A_-topteaser__rotationbox__item:has(.v-A_-teaser__tag--ad) +mountainbike-magazin.de,outdoor-magazin.com,roadbike.de##.v-A_-white__tile:has(.v-A_-teaser__tag--ad) +windowspro.de##.view-idcontent:has(a[href^="/sponsored/"]) +connect.de##.wkTeaser:has(.promolabel) +gebrauchtwagenberater.de##.wp-block-group:has(.wp-block-button__link) +berlinstadtservice.de##.wrap-col.box4:has(a[href^="https://www.awin1.com/"]) +zeit.de##.zett-teaser-trio:has(.zett-teaser-trio__kicker--ad-anzeige) +expert.de##[data-key-id]:has([src^="//b.nl3.eu.criteo.com/rm?"]) +flaconi.de##[data-product-list-id]:has([data-badge-type="sponsored"]) +ariva.de##a.background-red-bright:has(span.anzeige) +hamburg-magazin.de,kiel-magazin.de,luebeck-magazin.de##article.card:has(.with-ad-marker) +shop-apotheke.com##article.o-CompactProductListItem:has(a[href^="https://retail-api.sa-tech.de/api/"]) +finanzen.net##article.page-content__item:has(img[alt="UBS"]) +imtest.de##article.type-post[data-post-id]:has(.sponsor-label) +abendzeitung-muenchen.de##article[class^="teaser nummer-"]:has(span.specialfeature) +futurezone.de##article[data-post-id]:has(.sponsor-byline) +diegrenzgaenger.lu##article[id^=post-]:has(.sponsored-indicator) +az.com.na##aside:has(img[src*="/adverts/"]) +berlinstadtservice.de#?#.row.block03:-abp-has(p:-abp-contains(ANZEIGE)) +travelbook.de##div.has-mark[style="min-width: 300px; min-height: 250px;"] +hornoxe.com##div.post.hentry.ivycat-post:has(a[href^="https://amzn.to/"]) +hornoxe.com##div.post.hentry.ivycat-post:has(a[href^="https://www.amazon.de/"]) +nydus.org##div.ui-tabs:has(#nydus_org_300x600_desktop_1) +nydus.org##div:has(> #nydus_org_970x300_billboard_responsive) +bauernzeitung.ch##div:has(> .advert) +froheweihnachten.info,weihnachten.me,weihnachts-bilder.org,weihnachts-filme.com##div:has(> img[referrerpolicy="unsafe-url"]) +mediamarkt.at,mediamarkt.de,saturn.de##div[data-test="mms-product-card"]:has(div[data-test="mms-plp-sponsored"]) +chip.de##div[data-vr-zone^="hp-aquamarin-"] > article:has(img[src^="https://im.chip.de/"]) +chip.de##div[data-vr-zone^="hp-aquamarin-"] > article:has(img[src^="https://quadro.burda-forward.de/"]) +jungefreiheit.de##div[data-widget_type="shortcode.default"]:has(.adsbygoogle) +mobile.de##div[style="min-height:250px"]:has(#SRP_BILLBOARD_ADSENSE) +jungefreiheit.de##div[style="text-align: center;"]:has(.adsbygoogle) +windowspro.de##div[style]:has(a[onclick]) +mein-mmo.de##li.article:has([data-type="sponsored"]) +dogforum.de##li:has(.wbbXdLocationAfter1stPostAsPost) +dogforum.de##li:has(.wbbXdLocationPostList) +jameda.de##li:has([data-testid="advertisementSign-flag"]) +baur.de##li:has(a[href^="https://b.fr3.eu.criteo.com/rm?"]) +golem.de##li[data-article-id]:has(.icon-addy) +rewe.de#?#.rs-qa-product:-abp-contains(Gesponsert) +mein-mmo.de##section.post:has([data-type="sponsored"]) +finanznachrichten.de##tr:has(span.sprite.h-w-c) +wallstreet-online.de##tr:has(td > .float-end > span[title="Anzeige"]) +wallstreet-online.de##tr:has(td.right:has(img[alt="Anzeige"])) +! Advanced element hiding rules for Adblock Plus +stol.it#?##ContainerFull:-abp-has(a:-abp-contains(Anzeige)) +alles-mahlsdorf.de#?#.elementor-section:-abp-has(h2.elementor-heading-title:-abp-contains(Werbung)) +android-hilfe.de#?#article.message--post:-abp-has(span.username:-abp-contains(Anzeige)) +apfeltalk.de#?#div.wpb_text_column:-abp-contains(Werbung) +avguide.ch#?#.avgrid_1_of_1.viewlet-bottom:-abp-has(h2:-abp-contains(Advertorials)) +avguide.ch#?#.gridteaser.gridteaser-m:-abp-has(h4:-abp-contains(Sponsored Post)) +back-intern.de#?#.cm-post-widget-three.cm-post-widget-section:-abp-has(.section-title:-abp-contains(Partner)) +baur.de#?#div[data-testid="card"]:-abp-has(span.MuiCardHeader-title:-abp-contains(Gesponserte Artikel)) +baur.de#?#div[data-testid="reco-wrapper"]:-abp-has(div[class^="indexesm__HeadlineElement-fragment-product-master__"]:-abp-contains(Gesponserte Artikel)) +baur.de#?#span:-abp-contains(Gesponserte Artikel) +bergsteiger.de#?#.eight.columns.alpha.content:-abp-has(span:-abp-contains(Advertorial)) +berliner-kurier.de#?#.m-teaser:-abp-has(span:-abp-contains(Sponsored)) +berliner-zeitung.de#?#.m-article-teaser:-abp-has(div:-abp-contains(Anzeige)) +bitreporter.de#?#.code-block:-abp-has(span:-abp-contains(/ANZEIGE|Anzeige|Werbung|WERBUNG/)) +carpediem.life#?#.post-overview:-abp-has(div:-abp-contains(Anzeige)) +celleheute.de#?#div.YzqVVZ:-abp-has(span.wixui-rich-text__text:-abp-contains(Anzeigen)) +chip.de#?#a:-abp-properties(min-height: 250px;) +chip.de#?#a[href^="https://www.chip.de/downloads/"]:-abp-has(div[id]:-abp-contains(Werbung)) +chip.de#?#div:-abp-properties(min-height: 250px;) +chip.de#?#div[data-vr-contentbox^="teaser-"]:-abp-has(div.Label__Content--Text:-abp-contains(Anzeige)) +computerbase.de#?#div.text-asset.text-width:-abp-has(p.text-width:-abp-contains(Anzeige)) +computerbild.de#?#article.gridArea__teaserM:-abp-has(div.teaserBlock__label:-abp-contains(Anzeige)) +cyclingmagazine.de#?#p:-abp-contains(Anzeige) > strong > a[target="_blank"][rel="noopener"] > picture +dkamera.de#?#.node.teaser:-abp-has(a:-abp-contains(Anzeige)) +ebay.de#?#.b-module:-abp-has(h2:-abp-contains(Anzeigen)) +ebay.de#?#.mfe-lex:-abp-has(h2:-abp-contains(Anzeigen)) +emotion.de#?#.node--article:-abp-has(span:-abp-contains(Anzeige)) +fazemag.de#?#h4:-abp-has(span:-abp-contains(ANZEIGEN)) +finanzen.net#?#.mleft-10.small-font.light-grey:-abp-contains(Werbung) + .box + .border-blue-2 +finanzen.net#?#.mleft-10:-abp-contains(Werbung) + .box +focus.de#?#article[id^="teaser-"][data-placement]:-abp-contains(Anzeige) +games.ch#?#.col4:-abp-has(h3:-abp-contains(Unterstützt durch:)) +gamestar.de#?#.content-item-medium:-abp-has(data:-abp-contains(Anzeige)) +gamestar.de#?#.content-item-small:-abp-has(h3:-abp-contains(Anzeige)) +gamestar.de#?#.contentnewsitem-box .box-reload .news-list:-abp-has(span.media-heading:-abp-contains([Anzeige])) +gamestar.de#?#.contentnewsitem-box .box-reload > div:-abp-has(.news-list span.media-heading:-abp-contains([Anzeige])) + hr +giga.de#?#.alice-teaser-list-item:-abp-has(.alice-teaser-meta-text:-abp-contains(Anzeige)) +gofeminin.de#?#.af-block-native:-abp-contains(Anzeige) +gofeminin.de#?#.af-block-native:-abp-contains(Sponsored Post) +golem.de#?#li[data-article-id]:-abp-has(h3:-abp-properties(ANZEIGE)) +golem.de#?#li[data-article-id]:-abp-has(span.media__kicker:-abp-properties(ANZEIGE)) +handelszeitung.ch#?#.teaser-m-default:-abp-contains(Native Advertising) +handelszeitung.ch#?#.teaser-m-default:-abp-contains(Publireportage) +hardwareluxx.de#?#.bg-gray-light:-abp-has(div.text-right:-abp-contains(Werbung)) +heise.de#?#.px-4.md\:px-6.py-3.h-full.bg-gray-50:-abp-has(.mb-3.text-xs.leading-none.text-center:-abp-contains(Anzeige)) +heise.de#?#p:-abp-contains(=== Anzeige / Sponsorenhinweis ===) +heise.de#?#p:-abp-contains(=== Anzeige / Sponsorenhinweis ===) + p +heise.de#?#p:-abp-contains(=== Anzeige / Sponsorenhinweis ===) + p + p +heise.de#?#p:-abp-contains(=== Anzeige / Sponsorenhinweis ende===) +ibooks.to#?#form:-abp-has(button:-abp-contains(Download)) +imsueden.de#?#.swiper:-abp-has(.headline:-abp-contains(Partner)) +kajak-magazin.com#?#.custom:-abp-has(span:-abp-contains(Anzeige)) +kaufland.de#?#.recommender-wrapper:-abp-contains(Gesponsert) +koeln.de#?#.gb-container:-abp-contains(Anzeige) +la-palma24.info#?#article[class^="dvs-ad-tyblqtres-uno"]:-abp-has(div:-abp-contains(AD)) +la-palma24.info#?#div[class^="dvbloqbasic"]:-abp-has(div:-abp-contains(Ad)) +lausitz-tv.de#?#.small-12.column:-abp-contains(Anzeige) +lessentiel.lu#?#div:-abp-has(+ span:-abp-contains(Werbung)) +linkedin.com#?#.core-rail > div > div[id^="ember"]:-abp-has(span:-abp-contains(Gesponsert)) +marbacher-zeitung.de#?#.appetizer:-abp-contains(Anzeige) +mediamarkt.at,mediamarkt.de,saturn.de#?#li:-abp-has(div[data-test="mms-product-card"]:-abp-has(span:-abp-contains(Gesponsert))) +mediamarkt.de#?#[data-test="mms-base-teaser"]:-abp-contains(Gesponsert) +mediamarkt.de#?#[data-test="mms-search-flagship-sba"]:-abp-contains(Gesponsert) +mediamarkt.de#?#[data-test="mms-search-showcase"] + div:-abp-contains(Gesponsert) +meissen-fernsehen.de#?#.text-center:-abp-contains(- Werbung -) +mmnews.de#?#.sp-module:-abp-has(span:-abp-contains(Kleinanzeigen)) +motorsport-total.com#?#.teaser_container.teaser-htmlcode.relative.row:-abp-has(.f1de-container-title:-abp-contains(Die besten Leasing-Deals)) +notebookcheck.com#?#.introa_news:-abp-contains(Anzeige) +nur-positive-nachrichten.de#?#.moduletable.text-center:-abp-has(.bildunterschrift:-abp-contains(Anzeige)) +o-sport.de#?#.card-body:-abp-contains(Sponsoren) +onvista.de#?#.outer-spacing--xxlarge-top:-abp-contains(Werbung von) +onvista.de#?#a[class*="ArticleTeaserBox"]:-abp-has(div.ov-subline:-abp-contains(Werbung)) +pctipp.ch#?#.list_item:-abp-has(.dachzeile:-abp-contains(Partnerzone)) +pcwelt.de#?#div.box:-abp-has(span.banner-text + h4:-abp-contains(/Partner-Angebot|Angebote/)) +pollenflug.de#?#.services-item:-abp-contains(bei Amazon) +produktion.de#?#.postlist-item:-abp-has(.label:-abp-contains(Gesponsert)) +report-d.de#?#.content-view-containerbox:-abp-contains(SONDER-VERÖFFENTLICHUNG) +satvision.de#?#.fc_bloglist_item:-abp-has(a:-abp-contains(Advertorial)) +satvision.de#?#.mod_flexicontent_standard_wrapper:-abp-has(span:-abp-contains(Advertorial)) +seo-suedwest.de#?#.moduletable:-abp-has(span:-abp-contains(Anzeige)) +skodacommunity.de#?#article.message--post:-abp-has(a:-abp-contains(Anzeige)) +smartphonemag.de#?#.td_module_wrap:-abp-has(.td-post-author-name:-abp-contains(Werbung)) +sportdeutschland.tv#?#.text-right.text-white.col-6:-abp-contains(präsentiert von) +swz.it#?#.jeg_post.jeg_pl_md_2.pr.format-standard:-abp-has(span:-abp-contains(PR-INFO)) +t-online.de#?#.afl-widget-root:has(span:-abp-contains(Beliebt bei t-online)) +t-online.de,www-t--online-de.cdn.ampproject.org#?#div[id^="T-"][onfocus^="A('zid="]:-abp-has(a:-abp-contains(Anzeige)) +tag24.de#?#article.article-tile:-abp-has(span.article-tile__badge2:-abp-contains(ANZEIGE)) +tiger.ch#?#div[id^="gridSuche_panRecord_"]:has([id^="gridSuche_lblUrl_"]:-abp-contains(Anzeige)) +tonight.de#?#.td_block_wrap:-abp-has(a:-abp-contains(Anzeige)) +um-tv.de#?#.small-12.column.space:-abp-has(p:-abp-contains(--Anzeige--)) +unicum.de#?#.artikel-preview-content:-abp-has(p:-abp-contains(-ANZEIGE-)) +wallstreet-online.de#?#.footnote:-abp-has(.headline-box:-abp-contains(Werbung)) +wallstreet-online.de#?#.module.c1.hidden-xs:-abp-has(span.issuerPromotionHint:-abp-contains(Werbung)) +wallstreet-online.de#?#.newsflash:-abp-has(span.suffix.wo-inline-block.pull-right:-abp-contains(Anzeige)) +wallstreet-online.de#?#.newsflash:-abp-has(span.wo-inline-block:-abp-contains(Anzeige)) +welt.de#?#div[id][data-qa]:-abp-has(.c-buelent-linkbox__label:-abp-contains(Anzeige)) +windowspro.de#?#article:-abp-has(:-abp-properties(content: "(Anzeige)";)) +windowspro.de#?#article:-abp-has(:-abp-properties(content: "Anzeige";)) +winfuture-forum.de#?#div.ExtraPostBlock:-abp-has(div.post_block:-abp-contains(Anzeige)):not(.with_rep) +zentrum-der-gesundheit.de#?#span:-abp-contains(/ANZ|EIGE/) + button +zentrum-der-gesundheit.de#?#span:-abp-contains(/ANZ|EIGE/) + div +! ------------------Ausnahmeregeln zum Beheben von Problemen-------------------! +! *** easylistgermany:easylistgermany/easylistgermany_allowlist.txt *** +@@/iqadcontroller.$script,domain=manager-magazin.de +@@||a.bf-ad.net/adengine/chip/adengine.js$xmlhttprequest,domain=chip.de +@@||acdn.adnxs.com/ast/ast.js$script,domain=finanzen.ch +@@||ad-ipd.sxp.smartclip.net/select?type=vast$xmlhttprequest,domain=toggo.de @@||adform.net/adfserve/?bn=$script,domain=rewe.de @@||adform.net/adx/$script,domain=rewe.de -@@||adform.net/banners/$domain=consorsbank.de|rewe.de -@@||adform.net/Banners/$domain=telekom.de +@@||adform.net/banners/$domain=rewe.de|telekom.de @@||adform.net/stoat/*/s1.adform.net/bootstrap.js$domain=rewe.de @@||adform.net/stoat/*/s1.adform.net/load/$script,domain=rewe.de -@@||adimg.uimserv.net^$image,domain=millionenklick.web.de -@@||adindex.de^*^gutschein_$subdocument,domain=gutscheindoktor.de -@@||adition.com/banner?sid=$script,domain=ambellis.de|jam.fm|mirapodo.de|mytoys.de|yomonda.de -@@||adition.com/banners/$image,domain=ambellis.de|dsl.freenet.de|mirapodo.de|mytoys.de|yomonda.de -@@||adition.com/banners/$image,object,domain=payback.de -@@||adition.com/crossdomain.xml$object-subrequest,domain=hd-plus.de -@@||adition.com/js/adition.js$domain=ambellis.de|mirapodo.de|mytoys.de|yomonda.de -@@||adition.com/js/srp.js$domain=ambellis.de|jam.fm|mirapodo.de|mytoys.de|yomonda.de -@@||adition.com/js?wp_id=$script,domain=ambellis.de|jam.fm|mirapodo.de|mytoys.de|yomonda.de -@@||adition.com/s?t=$script,domain=ambellis.de|mirapodo.de|mytoys.de|yomonda.de -@@||adition.com/track?$object-subrequest,domain=hd-plus.de -@@||adlink.net/js?*&s=c&$script,domain=cinemaxx.de -@@||admedia.adgemini.de^$~third-party -@@||admeld.com/ad/js/*/game-page?$script,domain=jetztspielen.de|spielen.com -@@||admeld.com/meld128.js$domain=jetztspielen.de|spielen.com -@@||admin.brightcove.com/viewer/*/advertisingmodule.swf$domain=dmax.de|morgenpost.de -@@||adonline.anonza.de^$~document,~third-party -@@||adpartner.de^$~third-party -@@||ads.autoscout24.com/adserver/*&elementid=ctl00_ctl00_decoratedarea_contentarea_fsbox0&$script,domain=autoscout24.de -@@||ads.heias.com/x/heias.smartclip/?$script,domain=podcast.de -@@||ads.heias.com^*/heias.stream/$object,object-subrequest,script,domain=frustfrei-lernen.de -@@||ads.heias.com^*/heias.tag.$script,domain=frustfrei-lernen.de -@@||ads.radioffn.c.nmdn.net/ps-radioffn/livestream.mp3$object-subrequest,domain=radio.de -@@||ads.smartfeedads.com^$domain=motorrad2000.de -@@||adserv.quality-channel.de/crossdomain.xml$object-subrequest,domain=glamour.de|gq-magazin.de|myself.de|vogue.de -@@||adserv.quality-channel.de/realmedia/ads/*?videoad$object-subrequest,domain=glamour.de|gq-magazin.de|myself.de|vogue.de -@@||adserver.adtech.de/addyn/3.0/1135.1/2945580/390564/$script,domain=nzz.ch -@@||adserver.bigwigmedia.com/adfetch2.php?$object-subrequest,domain=spielefuerdich.de -@@||adserver.bigwigmedia.com/ingamead2_$object-subrequest,domain=spielaffe.de -@@||adserver.freenet.de/praeludium/praeludium_mensh.js$domain=menshealth.de -@@||adserver.freenet.de/praeludium/praeludium_tmrkt.js$domain=transfermarkt.tv -@@||adserver.gb4.motorpresse.de/www/delivery/ajs.php?zoneid=*&target=_blank&$script,domain=mountainbike-magazin.de -@@||adserver2.clipkit.de/www/delivery/ajs.php?$script,domain=jam.fm|paradiso.de -@@||adservice.google.*/adsid/integrator.js$domain=welect.de -@@||adsett.de/templates/ads/$~third-party -@@||adshot.de/click/view.php$image,domain=thisload.de -@@||adstyle.com^$~third-party -@@||adtech.de/?adrawdata/$object-subrequest,domain=login.audimark.de|player.nowonscreen.com -@@||adtech.de/?advideo/*;vidAS=pre_roll;$object-subrequest,domain=t-online.de -@@||adtech.de/addyn/*/ADTECH;$script,domain=girlsgogames.de|jetztspielen.de|spielen.com -@@||adtech.de/adperf/$script,domain=jetztspielen.de|spielen.com -@@||adtech.de/adrawdata$object-subrequest,domain=player.nowonscreen.com -@@||adtech.de/dt/common/DAC.js$domain=nzz.ch -@@||adtech.de/dt/common/postscribe.js$domain=nzz.ch -@@||adv.sportube.tv/adv/www/delivery/ajs.php?$script,domain=fc-suedtirol.com -@@||advertiser.wbtrk.net/js/advertiser.js$domain=heise.de -@@||advertising.ingame.de/adframework/inAdFramework.min.js$domain=minecraft-serverlist.net -@@||adwords.safi-gmbh.ch^$~third-party -@@||afcdn.com/world/ads.js$domain=gofeminin.de -@@||affilinet-inside.de^*/affilinet/$stylesheet -@@||akamai.net^*/preisspektakel_layer_*.swf?clicktag=$object,domain=rewe.de -@@||alfred-delp-schule.de/ads_$~third-party -@@||am-display.com/display-ad/tag-set/$subdocument,domain=hardbase.fm|housetime.fm|techno4ever.fm|technobase.fm -@@||am-display.com/display-ad/tag/$script,domain=hardbase.fm|housetime.fm|techno4ever.fm|technobase.fm -@@||amazon-adsystem.com/aax2/amzn_ads.js$domain=gamona.de|giga.de|spielaffe.de|spieletipps.de -@@||amazon-adsystem.com/widgets/q?*^ad_type=product_link^$subdocument,domain=fotoworkshop-stuttgart.de -@@||amgdgt.com/ads?$script,domain=deltaradio.de|freestream.nmdn.net|hardbase.fm|housetime.fm|techno4ever.fm|technobase.fm -@@||angis-escort.com/angi/banner/$image,domain=searchx.ch -@@||ankerbrot.at/_ads/$~third-party -@@||anonza.de^*/adonline.css -@@||anonza.de^*/adonline.js -@@||anrdoezrs.net/click-$subdocument,domain=gutscheindoktor.de -@@||aphog.de/werbung/$~third-party -@@||apmebf.com^$subdocument,domain=gutscheindoktor.de -@@||apsrv.de/javascripts/my_ad_integration.js?$domain=autoplenum.de -@@||askstudents.de/optimizer.php?*/adcontrol.js -@@||atwola.com/?adrawdata/$object-subrequest,domain=player.nowonscreen.com -@@||atwola.com/crossdomain.xml$object-subrequest,domain=player.nowonscreen.com -@@||auditude.com/player/js/lib/pdk/50/1.0/AuditudePDKPlugin.js$domain=fandango.com -@@||auditude.com/player/js/lib/plugin/1.3/aud.html5player.js$domain=fandango.com -@@||aus.laola1.tv/realmedia/ads/adstream_sx.ads/www.laola1.at/$object-subrequest -@@||azillo.de/pages/banner/$image,~third-party -@@||baby-walz.de^*/Affilinet/$subdocument -@@||banner.edll-fir.de^$image -@@||banner.electronic-arts.de/www/images/*.jpg$domain=ea.com -@@||banner.t-online.de/?advideo/*;vidas=pre_roll;$object-subrequest,domain=iam.t-online.de|mahjonggwelt.de -@@||banner.t-online.de/crossdomain.xml$object-subrequest,domain=mahjonggwelt.de -@@||banners.webmasterplan.com/view.asp?ref=$image,domain=sms-box.de -@@||banners.webmasterplan.com/view.asp?ref=*&site=10830&$script -@@||banners.webmasterplan.com/view.asp?ref=*&site=15264&$script -@@||bauer-plus.de^*?advertiser=$subdocument,domain=abosgratis.de -@@||berliner-zeitung-online.de/specials/ads/scripts/standard_ads.css -@@||berufsstart.de^*/anzeigeshowframeset.php?$subdocument -@@||berufsstart.de^*/show-advert-info.html?$subdocument -@@||binarus.de/sonderangebote/adlink-$image,domain=binarus.de -@@||bluelithium.com/imp?$script,domain=girlsgogames.de|jetztspielen.de|spielen.com -@@||bluelithium.com/st?$script,domain=girlsgogames.de|jetztspielen.de|spielen.com -@@||bs.serving-sys.com/serving/adServer.bs?*&mc=imp&$image,domain=welect.de -@@||bundesliga.de/js/my_ad_integration.js -@@||camerartist.de/wp-content/plugins/adrotate/$~third-party -@@||campaign.adindex.de^*?idPartner=$subdocument,domain=gutscheindoktor.de -@@||canoo.net/services/wordformationdictionary/gifs/ -@@||cash.ch/min/f=*/adtech-$script -@@||cashdorado.de/track/click*.php?wm=*&wbm=*&pt=e$subdocument -@@||cdn.spotxcdn.com^$domain=welect.de -@@||christoph-reischer.at/wb/media/banner_468x60_2.jpg -@@||classic-motorrad.de/anzeigen/layout_images/new/top_ads_icon.gif -@@||classistatic.de^*/advertising/*advertisingpacked.js$domain=mobile.de -@@||comdirect.de^*.html&ad=$subdocument -@@||comdirect.de^*.html?ad=$subdocument -@@||comdirect.de^*/advertising.do?$subdocument +@@||adnxs-simple.com/creative/p/7823/2022/8/22/38956667/bcedd234-d477-49cf-86b1-d56000e4e685.jpg$domain=musikexpress.de +@@||adnxs-simple.com/mob?$xmlhttprequest,domain=sportbild.bild.de +@@||adnxs.com/p/creative-image/$image,domain=autobild.de +@@||adnxs.com/ut/v3|$xmlhttprequest,domain=autobild.de +@@||ads.julephosting.de/podcasts/$media,domain=gamestar.de +@@||ads.viralize.tv/player/$xmlhttprequest,domain=rollingstone.de +@@||adsafeprotected.com/iasPET.$script,domain=gentside.de|ohmymag.de +@@||adsafeprotected.com/services/pub?anId=$xmlhttprequest,domain=gentside.de|ohmymag.de +@@||amazon-adsystem.com/aax2/apstag.js$script,domain=gamestar.de|moviepilot.de +@@||amazon-adsystem.com/widgets/q?*^ad_type=product_link^$subdocument,domain=fotoworkshop-stuttgart.de|kombi.de +@@||asadcdn.com/adlib/$domain=autobild.de|rollingstone.de +@@||asadcdn.com/adlib/$script,domain=sportbild.bild.de +@@||asadcdn.com/adlib/adlib_seq.js$script,domain=stylebook.de +@@||asadcdn.com/adlib/libmodules/$script,domain=musikexpress.de +@@||asadcdn.com/adlib/pages/bz-berlin.js$script,domain=bz-berlin.de +@@||asadcdn.com/adlib/pages/musikexpress.js$domain=musikexpress.de +@@||asadcdn.com/adlib/pages/stylebook.js^$script,domain=stylebook.de +@@||asadcdn.com/adlib/templates/oneTag.js$script,domain=stylebook.de +@@||ced.sascdn.com/tag/2161/smart.js$domain=metal-hammer.de|rollingstone.de @@||commundia.de^*/affilinet/$~third-party -@@||connect.de/js/$script,domain=connect.de -@@||cookex.amp.yahoo.com/v2/cexposer/SIG=*//ad.yieldmanager.com/imp?$script,domain=girlsgogames.de|jetztspielen.de -@@||coolespiele.com/game.php?url=http://richmedia.coolespiele.com/$subdocument -@@||d3con.de/data1/$image,~third-party -@@||damoh.giga.de^$script,domain=giga.de -@@||damoh.golem.de^$script,domain=golem.de -@@||damoh.schneevonmorgen.com^$script,domain=chip.de|erdbeerlounge.de|giga.de|golem.de|kino.de|spieletipps.de -@@||daswetter.com/img/publicidad/300x600_newsletter_fw.png -@@||dawanda.com/ads?$xmlhttprequest -@@||de.ebayobjects.com/1ai/mobile.homepage/superteaser;$subdocument,domain=mobile.de -@@||derstandard.at/adserver/t.gif$domain=videoservice.apa.at -@@||devaki.ch/www/delivery/ajs.php?$script,domain=tagesanzeiger.ch -@@||devaki.ch/www/delivery/lg.php?$image,domain=tagesanzeiger.ch -@@||docs.google.com/viewer?url=http://goerge-markt.de/fileadmin/werbung/$subdocument,domain=goerge-markt.de -@@||doubleclick.net/ad/kostenlosspielen.de.smartclip/$object-subrequest,domain=kostenlosspielen.net -@@||doubleclick.net/adi/bluewin.sub.de.ch/$subdocument,domain=bluewin.ch -@@||doubleclick.net/adj/*;sz=1x2;$script,domain=moviemaze.de -@@||doubleclick.net/adj/oms.szon.de/homepage;oms=homepage;*;sz=10x10;$script,domain=schwaebische.de -@@||doubleclick.net/adj/pn.*/webradio;$script,domain=hardbase.fm|housetime.fm|techno4ever.fm|technobase.fm -@@||doubleclick.net/adj/wilmaa.ch/$object-subrequest,domain=wilmaa.com -@@||doubleclick.net/ddm/pfadx/N1203.IPNetzwerk/*;sz=0x0;*;dc_rfl=0,https%3A%2F%2Fevent.mivitec.net$xmlhttprequest,domain=imasdk.googleapis.com -@@||doubleclick.net^*/ad/nacamar.ads.de.smartclip/$xmlhttprequest,domain=freestream.nmdn.net -@@||doubleclick.net^*/bob.tech.de.smartclip/*;ord=$script,domain=radiobob.de -@@||doubleclick.net^*/nacamar.ads.de.smartclip/*;ord=$object-subrequest,domain=edge.download.newmedia.nacamar.net -@@||doubleclick.net^*/nacamar.de.smartclip/*;ord=$script,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||doubleclick.net^*/podcast.de.smartclip/*;sz=400x320;$script,domain=podcast.de -@@||drei.at/moma/adserver/adview.php?$image -@@||dt.adsafeprotected.com^$image,domain=welect.de -@@||dtb-gymnet.de^*^admID^ -@@||ebayclassifiedsgroup.com^$xmlhttprequest,domain=ebay-kleinanzeigen.de -@@||efiliale.de/efiliale/pop/js/pop.js -@@||eltern.de^*_300x250px.$image,domain=eltern.de -@@||engine.spotrails.com/delivery/pls.php?oasid=*&mediaurl=http%3a//vdn-mobile.oas-limited.com/ad/video.flv$object-subrequest,domain=mobile.de -@@||enjoykitz.tv/werbung.txt$object-subrequest -@@||event.mivitec.net/dist/js/$script,domain=event.mivitec.net -@@||eventim.de^*?affiliate=$subdocument -@@||eventus-design.com^$~third-party -@@||expertklein.de/xml/banner.php?id=$object-subrequest -@@||exposegmbh.de/css/mediaboxAdv-Dark.css -@@||eye-games.com/ajs.php?partner=*&redirect=$subdocument -@@||eyewonder.com^*/bwtest.swf$object-subrequest,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||eyewonder.com^*/exp_proxy.js$domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||eyewonder.com^*/nacamar_480x360_as3.swf$object,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||eyewonder.com^*/nacamar_expandable_480x360_as2.swf$object,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||eyewonder.com^*/video/*_instream_*.flv?$object-subrequest,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||eyewonder.com^*/wrapper.js$domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||familienbildung-hamburg.de/cgi-bin/adframe/$subdocument,domain=fbs-harburg.de -@@||farbimpulse.de/live/fi_static/inc/banner.php?$subdocument -@@||fcbayern.t-com.de^*/fotogalerie_*/sponsoren/$image -@@||feuerwehr-borken-hessen.de/de/banner.php +@@||cpdsrv.de/cpt.js$domain=radiobob.de +@@||creatives.sascdn.com^$image,domain=fitbook.de @@||feuerwehr-marchtrenk.at/homepage/banner.php$subdocument -@@||fewo-direkt.de^*/advertiser.css -@@||fh-muenster.de/leitbild/banner.php -@@||figgä.ch/sites/default/files/ms_ads/banner$domain=ameliatantra.jimdo.com -@@||firebaseapp.com^$script,domain=freenet.de -@@||flashtalking.com^$domain=welect.de -@@||fn-neon.de/javascript/adserver_banner.js -@@||forum-duewupp.de/images/ad-gallery/$~third-party -@@||forum.froxlor.org^*/adsense.css -@@||fotoschloebe.de/Werbung/$~third-party -@@||fotostudio-katikrueger.de/werbung/$~third-party -@@||fussball.sv-kehlen.de/werbepartner.htm -@@||g.doubleclick.net/gampad/ads?$script,xmlhttprequest,domain=gofeminin.de|guterhut.de|hardwareluxx.de|hbf-info.de|notebooksbilliger.de|rakuten.at|rakuten.de|rtl.de|zalando.de -@@||g.doubleclick.net/gampad/ads?*300x250^$script,domain=11freunde.de -@@||g.doubleclick.net/gampad/ads?*970x250$script,domain=welt.de -@@||g.doubleclick.net/gampad/ads?*^sz=970x250^$subdocument,domain=welt.de -@@||g.doubleclick.net/gampad/adx?$xmlhttprequest,domain=7tv.de -@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=11freunde.de|gofeminin.de|guterhut.de|hardwareluxx.de|hbf-info.de|notebooksbilliger.de|rakuten.at|rakuten.de|rtl.de|welt.de|zalando.de -@@||g.doubleclick.net/static/glade.js$domain=welt.de -@@||galileo.tv/js/my_ad_integration.js -@@||gamers.at/images/branding/*/gamers_at.jpg -@@||gamers.at/images/branding/*/header. -@@||gamers.at/images/branding/*/header_ -@@||gamers.at/images/branding/*_header. -@@||games.tfag.de^$domain=fitforfun.de -@@||general-anzeiger-bonn.de/oa/www/delivery/spcjs.php?id=*&block=$script -@@||gmx.net^*/video-adserver-config.xml$object-subrequest -@@||go-parc-hf.de^*.php?ad=$subdocument -@@||google.com/ads/search/module/ads/*/search.js$domain=arcor.de|fewo-direkt.de|zoover.de -@@||google.com/adsense/$subdocument,domain=sedo.de -@@||google.com/adsense/search/ads.js$domain=arcor.de|fewo-direkt.de|zoover.de -@@||google.de/ads/css/ads-base.$stylesheet -@@||google.de/search?q=$xmlhttprequest -@@||googlesyndication.com/pagead/imgad?id=$image,domain=11freunde.de|gofeminin.de|zalando.de -@@||googlesyndication.com/simgad/$image,domain=gofeminin.de|notebooksbilliger.de -@@||googlesyndication.com/simgad/14155692645477451130$image,domain=guterhut.de -@@||googlewatchblog.de/img/index-icons/$image +@@||football-aktuell.de/links/banner_oben.png +@@||g.doubleclick.net/gampad/ads?$script,xmlhttprequest,domain=11freunde.de|n-tv.de|stern.de +@@||g.doubleclick.net/gampad/ads?$xmlhttprequest,domain=auto-motor-und-sport.de|gala.de|gamepro.de|gamestar.de|manager-magazin.de|motorradonline.de|moviepilot.de +@@||g.doubleclick.net/gampad/ads?*&iu_parts=21917048853%2CTargetlink%2CBill-%2CLeaderboard%2CMedium-Rectangle%2CSkyscraper%2CHalfpage%2CShop%2CHalfpageLO%2CAffiPlatzierung&$script,xmlhttprequest,domain=teltarif.de +@@||g.doubleclick.net/gampad/ads?*&iu_parts=27763518%3A21917048853%2Cteltarif-de_Onlineverlag_GmbH%2Cteltarif.de%2CParallax%2Chalfpagelu%2Chalfpageru%2Cnavisky&$script,xmlhttprequest,domain=teltarif.de +@@||g.doubleclick.net/gampad/ads?*&iu_parts=6032%3A22339103238%2Cmanma_dt%2Chomepage&$domain=manager-magazin.de +@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=11freunde.de|auto-motor-und-sport.de|gala.de|gamepro.de|gamestar.de|gentside.de|manager-magazin.de|moviepilot.de|n-tv.de|ohmymag.de|stern.de +@@||g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$script,domain=auto-motor-und-sport.de|gamepro.de|gamestar.de|manager-magazin.de|motorradonline.de|teltarif.de +@@||g.doubleclick.net/pagead/ppub_config?$domain=manager-magazin.de +@@||g.doubleclick.net/pagead/ppub_config?ippd=$xmlhttprequest,domain=gamepro.de|gamestar.de|moviepilot.de +@@||g.doubleclick.net/pcs/$popup,domain=motorradonline.de +@@||g.doubleclick.net/tag/js/gpt.js$script,xmlhttprequest,domain=11freunde.de|auto-motor-und-sport.de|gala.de|gamepro.de|gamestar.de|gentside.de|manager-magazin.de|motorradonline.de|moviepilot.de|n-tv.de|ohmymag.de|spielaffe.de|stern.de|teltarif.de +@@||getjad.io/library/$script,domain=moviepilot.de +@@||getjad.io/prebid/$script,domain=moviepilot.de +@@||googletagservices.com/tag/js/gpt.js$domain=windowspro.de @@||googlewatchblog.de^*/adsense.png -@@||goolive.de/templatesv2/smileys/ad.gif -@@||gotv.at/adimg/$image,~third-party -@@||greuther-fuerth.de/fileadmin/templates/js/plugins/pagepeel/$object,object-subrequest,script -@@||gymnasium-august-dicke.de^*/ads/ -@@||gynny.de/img/affilinet/ -@@||gynny.de/shopframe/$document,subdocument -@@||happybox24.ch/img/media/happybox24.ch_$image,domain=ameliatantra.jimdo.com -@@||horizont.net/news/media/$image,domain=horizont.net -@@||idowa.de/rest/db/frontend/content/ad/incrementviews$xmlhttprequest -@@||idowa.de^*/advertisement/$xmlhttprequest -@@||im.banner.t-online.de/?advideo/*;vidRT=VAST;$domain=t-online.de -@@||im.banner.t-online.de/crossdomain.xml$domain=t-online.de -@@||imasdk.googleapis.com/js/core/bridge$document,subdocument,domain=welect.de -@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=heise.de|radio.de -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=chip.de|event.mivitec.net|radio.de|welect.de -@@||impde.tradedoubler.com/imp?type(img)$image,domain=sms-box.de|smsgott.de -@@||ino24.de^*/ratenkredit.jsp$subdocument -@@||insel-usedom-wollin.de/ads/$script,stylesheet -@@||interhome.at/javascript/ad-gallery.js +@@||goolive.de/media/static/images/smileys/ad.gif +@@||ib.adnxs.com/ut/v3$xmlhttprequest,domain=musikexpress.de|rollingstone.de|stylebook.de +@@||ib.adnxs.com^$xmlhttprequest,domain=finanzen.ch +@@||idealo.net/js/idealoWidget-$script,domain=travelbook.de +@@||ikiosk.de/pdf/company/2/advertisement/$image,domain=ikiosk.de +@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=atv.at|autobild.de|chip.de|computerbild.de|gentside.de|oe24.at|ohmymag.de|phonostar.de|schwaebische.de|spielaffe.de|sport.sky.de|wetter.at|wetteronline.de +@@||img.classistatic.de/api/v1/mo-prod/images/ad/$image,domain=mobile.de +@@||img.welt.de/img/Advertorials/$image,domain=welt.de +@@||improvedigital.com/pbw/headerlift.min.js$domain=jetztspielen.de @@||jade-hs.de^*/ext-adv.js -@@||jobpostings.tuja.de/Advertisment.aspx?$subdocument -@@||joepenas.com/index.swf?clicktag=$object,~third-party -@@||juleps-esslingen.de/index.swf?clicktag=$object,~third-party -@@||kabeleins.de/php-bin/functions/adtags/$subdocument -@@||kalaydo.de/mmo/logo/advert/$domain=kalaydo.de -@@||klick.affiliwelt.net/klick.php?bannerid=$subdocument,domain=gutscheindoktor.de -@@||kmelektronik.de/shop/images/advertising/$image -@@||kurier.at^*/ac_oetags_clone.js -@@||kyosho.de^*_produktkategorien.swf?link1=$object -@@||landwirt.com/commercials/$object-subrequest -@@||lead-alliance.net^*/advertiser/$~third-party -@@||liberale-hochschulgruppen.de/images/stories/werbemittel/$~third-party -@@||liverail.com/js/LiveRail.AdManager-*.js$domain=jam.fm -@@||liverail.com/js/liverail.interstitial-*.js?lr_publisher_id=$script,domain=jam.fm -@@||liverail.com/swf/ui/vpaid-player.swf$object,domain=jam.fm -@@||liverail.com^*/liverail_preroll.swf$object,domain=jam.fm|paradiso.de -@@||magenschmerzen.net/wp-content/themes/zeemagazine_adtech/$~third-party -@@||maps.gstatic.com/maps-api-*/adsense.js$domain=wg-gesucht.de -@@||marketing-a.akamaihd.net/inhouse/$subdocument,domain=rtl.de -@@||markt.de^*/advert_search_results.gif -@@||marktplatzservice.de/ads/$image,domain=local24.de -@@||master.captchaad.com/www/delivery/$script,domain=winload.de +@@||live.primis.tech/live/liveVideo.php?$script,domain=nextpit.de +@@||live.primis.tech/live/liveView.php?$script,domain=nextpit.de @@||maxbanner.de/media/products/$image,domain=maxbanner.de @@||maxbanner.de/templates/_maxbanner/_assets/images/$image,domain=maxbanner.de -@@||media.gan-online.com/www/delivery/*.php?$script,subdocument,domain=myfreefarm.de -@@||media.laendleauto.at/topad/$image,~third-party -@@||meinestadt.de^*/googleads.js -@@||menshealth.de/videoads/$object-subrequest -@@||merkur-werbebanner.de^$~third-party -@@||metzgerei-giering.de^*/advertising/$~third-party -@@||milesandmore-aktionen.de^*://promo.$subdocument,domain=promo.milesandmore.com -@@||mirapodo.de/ads?$script +@@||middleware.marktjagd.de/proxy/$domain=aktionspreis.de|angebote.focus.de|dasoertliche.de|donau-ries-aktuell.de|fressnapf.ch|infranken.de|maxizoo.ch|meinestadt.de|sparwelt.de @@||mmcomputer.de^*&BannerID=$subdocument -@@||mobilbranche.de/mobilbranche/wp-content/uploads/$image,domain=mobilbranche.de -@@||mobilegeeks.de/wp-content/uploads/*/Google-Ads.$image,domain=mobilegeeks.de -@@||monetenlos.com/components/com_marketplace/images/ads/$image -@@||mstat.freent.de^*/sms_advertising/sms_teaser_$image,domain=webmail.freenet.de -@@||mybitch.ch/banner/mb_banner$image,domain=ameliatantra.jimdo.com -@@||myfreefarm.de/city/ajax/buyad.php? -@@||n-tv.de/ads/comdirect/$object-subrequest,domain=comdirect.de -@@||n-tv.de/ads/images/kompakt_$image -@@||n-tv.de/mediathek/$generichide -@@||n-tv.de/stat/videoplayer/admeta.xml$object-subrequest -@@||n-tv.de/stat/videoplayer/ntv_player.swf?*/admeta.$object -@@||n24.de^*/my_ad_integration.js -@@||nadann.de/small_ads/$~third-party -@@||netzathleten-media.de^*/naMediaAd.js$domain=kino-vorschau.com -@@||nonstoppartner.net/a/?$subdocument,domain=gutscheindoktor.de -@@||nordclick.de/js/colors/adsense_colors.js -@@||notebookcheck.com^$generichide -@@||nuggad.net/bk?nuggn=$object-subrequest,domain=edge.download.newmedia.nacamar.net -@@||nuggad.net/bk?nuggn=$script,domain=podcast.de -@@||nuggad.net/rc?nuggn=$script,domain=areagames.de|dshini.net|frustfrei-lernen.de|juice.de|n-tv.de|schwaebische.de|sky.de|studis-online.de|vox.de -@@||nutte.ch/banner_fuer_werbung/nutte_$image,domain=ameliatantra.jimdo.com -@@||oeko-komp.de/evoAds2/ -@@||openx.musotalk.de/crossdomain.xml -@@||openx.musotalk.de/www/delivery/fc.php?script=bannertypehtml:vastinlinebannertypehtml:vastinlinehtml&$object-subrequest -@@||openx.net/w/1.0/acj?$script,domain=erdbeerlounge.de|gamona.de|giga.de|kino.de|spielaffe.de|spieletipps.de -@@||openx.net/w/1.0/jstag?nc=$script,domain=erdbeerlounge.de|gamona.de|giga.de|kino.de|spielaffe.de|spieletipps.de -@@||os1.tv/js/omsvc_externalad.js -@@||osthessen-tv.de/werbebanner/$object-subrequest -@@||otto.heias.com/otto/igoogle/$domain=ig.gmodules.com -@@||pagead2.googlesyndication.com/pagead/*/show_ads_impl.js$domain=oroma.net|speedweek.com|spielen.com -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=oroma.net -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=spielen.com -@@||pagead2.googlesyndication.com/simgad/$image,domain=rakuten.at|rakuten.de -@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=guterhut.de|hardwareluxx.de|hbf-info.de|rakuten.at|rakuten.de|zalando.de -@@||partners.webmasterplan.com/click*.asp$subdocument,domain=eule.de|gutscheindoktor.de -@@||pc-magazin.de/js/$script,domain=pc-magazin.de -@@||peitsche.de/adserver/www/delivery/ck.php?$subdocument,~third-party -@@||peitsche.de/adserver/www/images/*.jpg|$~third-party -@@||photo.knuddels.de/kde/ad2/$image -@@||pixel.adsafeprotected.com/jspix?$script,domain=girlsgogames.de|jetztspielen.de|spielen.com -@@||pixel.adsafeprotected.com^$image,script,domain=welect.de -@@||playboy.de/files/html/Advertorials/$~third-party -@@||player.newsnetz.tv/player/iframe.php?vid=*&adurl=$subdocument -@@||promo.douglas.de^$subdocument,domain=facebook.com -@@||prosieben.de^*/ad-managment/$script -@@||quadelite-forum.de/images/misc/web-banner2_980x100.jpg -@@||radio.de/inc/ads/pix.swf?mp3=$object -@@||raumobil.de/js/advertise.js -@@||re-publica.de/banner/$image,domain=re-publica.de -@@||reaktion-talentschule.de/tl_files/layout/rotation/banner -@@||reimkultur-mv.de/9products/images/ad/$image,~third-party -@@||rhodesian-ridgeback-forum.org^$elemhide -@@||richmedia.coolespiele.com^$~third-party -@@||rlp-tennis.de/adserve/www/delivery/ai.php?filename=dunlopchoice160x600.gif$image -@@||rlp-tennis.de/adserve/www/delivery/ajs.php?zoneid=16^$script -@@||rosenheimjobs.de^*&ad_type_$xmlhttprequest -@@||rtl.de^*/admeta.xml?$object-subrequest -@@||rtl.de^*/player_modul_onclick_300x250.jpg +@@||mps-gba.de/ads/adserving/close_black.png$domain=auto-motor-und-sport.de|motorradonline.de +@@||native.emsservice.de/images/teaser*_*.jpeg$domain=11freunde.de +@@||native.emsservice.de/teasers/*.json$domain=11freunde.de +@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=windowspro.de +@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=autobild.de +@@||rubiconproject.com/prebid/dynamic/18086.js$domain=4p.de|derwesten.de|futurezone.de|leckerschmecker.me|moin.de|news38.de|thueringen24.de|wmn.de @@||rurweb.de/kleinanzeigen/adverts_image.php?$image @@||s1.adform.net^$script,domain=rewe.de -@@||s357.mxcdn.net^$script,domain=welect.de -@@||s79.mxcdn.net^$script,domain=welect.de -@@||s79.research.de.com^$domain=welect.de -@@||sagrotan.de/swf/*.swf?clickTag=$object,~third-party -@@||sascdn.com/diff/251/$image,domain=transfermarkt.de -@@||sascdn.com/diff/251/*&frameId=sas_5419_$document,subdocument,domain=welt.de +@@||sascdn.com/diff/templates/ts/dist/banner/sas-banner-$script,domain=fitbook.de +@@||smartadserver.com/ac?nwid=*&tag=sas_45579^$script,domain=fitbook.de +@@||smartclip.net/?plc=$script,domain=spiele.rtl.de +@@||smartclip.net/ads?$script,domain=spiele.rtl.de +@@||spotlight.offerista.com^$domain=aktionspreis.de|dasoertliche.de|donau-ries-aktuell.de|infranken.de|meinestadt.de +@@||symplr.de^$script,domain=ableitungsrechner.net|integralrechner.de +@@||tdn.da-services.ch/current/20min_durable.js$domain=20min.ch +@@||tpc.googlesyndication.com/simgad/$image,domain=auto-motor-und-sport.de|motorradonline.de +@@||vcdn.adnxs.com/p/creative-image^$image,domain=stylebook.de +@@||webdisk.ads.mwn.de/Scripts/ext-adv.js +@@||welect.de/$document,subdocument +@@||werbebanner24.de/templates/_wb24/_assets/images/$image,domain=werbebanner24.de +@@||windowspro.de^$~third-party,xmlhttprequest +@@||xdate.ch/bundles/omsportal/img/footer_banner_ads_$image,domain=xdate.ch +! $generichide/block +@@||ableitungsrechner.net^$generichide +@@||autobild.de^$genericblock,generichide +@@||businessinsider.de^$generichide +@@||bz-berlin.de^$generichide +@@||chip.de^$generichide +@@||computerbild.de^$generichide +@@||finanzen.net^$generichide +@@||fitbook.de^$generichide +@@||focus.de^$generichide +@@||gamestar.de^$generichide +@@||gofeminin.de^$genericblock +@@||integralrechner.de^$generichide +@@||kabeleins.de^$generichide +@@||metal-hammer.de^$generichide +@@||musikexpress.de^$generichide +@@||myhomebook.de^$generichide +@@||n-tv.de^$generichide +@@||pcwelt.de^$generichide +@@||ran.de^$generichide +@@||ratehase.de^$generichide +@@||rhodesian-ridgeback-forum.org^$generichide +@@||rollingstone.de^$generichide +@@||shz.de/sso/$generichide +@@||spiele.bild.de^$generichide +@@||sport.de^$generichide +@@||sport1.de^$generichide +@@||sportbild.bild.de^$generichide +@@||stylebook.de^$generichide +@@||sueddeutsche.de^$generichide +@@||techbook.de^$generichide +@@||transfermarkt.de^$generichide +@@||travelbook.de^$generichide +@@||tvspielfilm.de^$generichide +@@||vox.de^$generichide +@@||welt.de^$generichide +@@||www.t-online.de^$generichide +! +@@||adnxs.com^$domain=petbook.de|welt.de +@@||amazon-adsystem.com/aax2/amzn_ads.js$domain=autobild.de +@@||asadcdn.com/adlib/$domain=petbook.de|welt.de +@@||connatix.com^$domain=petbook.de|welt.de +@@||g.doubleclick.net/gampad/ads?$script,xmlhttprequest,domain=brigitte.de|eltern.de +@@||g.doubleclick.net/gampad/ads?$xmlhttprequest,domain=geo.de +@@||g.doubleclick.net/gampad/adx?$script,domain=gala.de +@@||g.doubleclick.net/gampad/adx?*/wetter_direct_toolbar$document,subdocument,domain=wetter.com +@@||g.doubleclick.net/gpt/pubads_$script,domain=wetter.com +@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=brigitte.de|eltern.de|geo.de +@@||g.doubleclick.net/pagead/managed/dict/*/gpt^$domain=petbook.de|welt.de +@@||g.doubleclick.net/pagead/managed/js/gpt/*/pubads_impl.js$domain=petbook.de|welt.de +@@||g.doubleclick.net/static/glade.js$domain=autobild.de +@@||g.doubleclick.net/static/glade/extra_$script,domain=autobild.de +@@||g.doubleclick.net/tag/js/gpt.js$domain=brigitte.de|eltern.de|geo.de|petbook.de|welt.de +@@||googlesyndication.com/pagead/imgad?$image,domain=auto-motor-und-sport.de @@||sascdn.com/diff/251/*/Abo-Teaser_fuer_ab.de-Home.png$image,domain=autobild.de @@||sascdn.com/diff/251/*/aktionen_191x108.jpg$image,domain=autobild.de @@||sascdn.com/diff/251/*/gebrauchtwagenmarkt.png$image,domain=autobild.de @@||sascdn.com/diff/251/*/kindersitze.png$image,domain=autobild.de -@@||sascdn.com/diff/251/*650$image,domain=gofeminin.de -@@||sascdn.com/diff/251/*970x250$image,domain=welt.de -@@||sascdn.com/diff/251/5489376/500x305_ms_wei_.jpg$image,domain=gofeminin.de -@@||sascdn.com/diff/251/pages/$script,domain=derwesten.de|gofeminin.de|hoerzu.de|transfermarkt.de -@@||sascdn.com/diff/251/pages/autobild.js$domain=autobild.de -@@||sascdn.com/diff/251/smartad.js$domain=welt.de -@@||sascdn.com/diff/251/templates/passback.js$domain=autobild.de|welt.de -@@||sascdn.com/diff/video/$script,domain=kleinezeitung.at -@@||sascdn.com/video/$script,domain=kleinezeitung.at -@@||saugking.net/css/ads.css -@@||save.tv/stv/img/global/trailer20sec.swf? -@@||schluetersche.de/adwords/$~third-party -@@||search.spotxchange.com^$image,domain=welect.de -@@||searchx.ch/img/Banner$image,domain=searchx.ch -@@||searchx.ch/img/Banner_$image,domain=ameliatantra.jimdo.com -@@||searchx.ch/img/links/$domain=searchx.ch -@@||secserv.adtech.de/adiframe/3.0/1135/5281906/0/3055/ADTECH;target=_blank$document,subdocument,domain=nzz.at -@@||secserv.adtech.de/adiframe/3.0/1135/5281908/0/170/ADTECH;target=_blank$document,subdocument,domain=nzz.at -@@||secserv.adtech.de/adiframe/3.0/1135/5787749/0/2466/ADTECH;target=_blank$document,subdocument,domain=nzz.at -@@||servedby.flashtalking.com/crossdomain.xml$object-subrequest -@@||servedby.flashtalking.com/imp/$object-subrequest,domain=t-online.de -@@||servedby.flashtalking.com^$image,domain=welect.de -@@||servettefc.ch^*.swf?clicktag=http://www.servettefc.ch$object -@@||serving-sys.com/burstingpipe/adserver.bs?$subdocument,domain=preismafia.com -@@||sexabc.ch/xxx/topliste/img/sexabc_topliste$image,domain=ameliatantra.jimdo.com -@@||sexkontaktinserate.com/images/banner/$image,domain=ameliatantra.jimdo.com -@@||sexlink.ch/images/banner/$image,domain=ameliatantra.jimdo.com -@@||showfusion.eu/xml/ads/ad_1.xml$object-subrequest,domain=urbia.de -@@||shz.de/sso/$elemhide -@@||smart.allocine.fr/a/diff/*/show*.asp?$object-subrequest,domain=ufa-dresden.de -@@||smart.allocine.fr/call/pubx/*&video=$object-subrequest -@@||smartadserver.com/a/diff/*/show*.asp?$script,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||smartadserver.com/ac?*^tag=sas_33037^$script,domain=gofeminin.de -@@||smartadserver.com/ac?nwid=251&siteid=59638&pgname=home&fmtid=4459&$script,domain=transfermarkt.de -@@||smartadserver.com/ac?nwid=251&siteid=75630&pgname=home*&tag=sas_$script,domain=gofeminin.de -@@||smartadserver.com/ac?nwid=251&siteid=85145&*&fmtid=5419&$script,domain=welt.de -@@||smartadserver.com/call/pubi/*/(bild/*/?format=.mp4$media,domain=bild.de -@@||smartadserver.com/call/pubj/*/s/$script,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||smartadserver.com/diff/*/show*.asp?$script,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net -@@||smartadserver.com/diff/*/smartad.js$domain=derwesten.de|hoerzu.de|sky.de +@@||sascdn.com/diff/251/pages/$script,domain=autobild.de +@@||sascdn.com/diff/251/templates/passback.js$domain=autobild.de +@@||smartadserver.com/2161/call^$xmlhttprequest,domain=metal-hammer.de|rollingstone.de +@@||smartadserver.com/ac?nwid=$script,domain=autobild.de|transfermarkt.de @@||smartadserver.com/diff/251/2484653/show10.asp$script,domain=autobild.de -@@||smartadserver.com/diff/251/pages/berlin.js$domain=welt.de -@@||smartadserver.com/diff/251/smartad.js$domain=gofeminin.de -@@||smartadserver.com/diff/251/templates/passback.js$domain=autobild.de|welt.de -@@||smartadserver.com/diff/js/smartadserver.js$domain=freestream.nmdn.net -@@||smartadserver.com/wp-content/uploads/$image,domain=smartadserver.de -@@||smartadserver.com^*^tag=sas_3648^$script,domain=welt.de -@@||smartadserver.com^*^tag=sas_3650^$script,domain=welt.de -@@||smartadserver.de/wp-content/uploads/$image,domain=smartadserver.de -@@||smartclip.net/?plc=$script,domain=energy.de -@@||smartclip.net/ads?$script,domain=energy.de -@@||smartclip.net/delivery/tag?sid=$script,domain=edge.download.newmedia.nacamar.net|freestream.nmdn.net|kostenlosspielen.net|podcast.de|radiobob.de -@@||smartclip.net/inpage/inpage.js -@@||smartclip.net/inpage/inpage.swf$object -@@||smartclip.net/inpage2/inpage-*.swf$object -@@||smartclip.net/multiplayer/player-*.swf$object -@@||smartclip.net/select?type=vast3^$xmlhttprequest,domain=imasdk.googleapis.com -@@||smartredirect.de/redir/clickGate.php?u=$subdocument,domain=gutscheindoktor.de -@@||softwareload.kpcustomer.de/voting/public/flash/300x250_widget_$object -@@||sparfoto.de/article_designer/ad.php?$object -@@||spielen.de/bundles/mediatrustfrontend/js/javascript.js? -@@||spielesite.com^$script,domain=spielesite.com -@@||spielkarussell.de^*/ads_loader_new.js -@@||sport.de/autoimg/*/300x250/$image,~third-party -@@||sport1.fm/ad/my_ad_iframe.html?ad_id=performance*&start=$subdocument -@@||sport1.fm/ad/my_ad_integration.js -@@||spotrails.com/video/$object-subrequest,domain=mobile.de -@@||srx.de.ebayrtm.com/rtm?RtmCmd&a=$script,domain=pages.ebay.de -@@||stadtlist.de/images/ads/$image -@@||stadtlist.de/images/advert-$image,domain=stadtlist.de -@@||static-fra.de/ip/js/adcontrol/adcontrol.min.js -@@||static-fra.de/ip/js/adcontrol/fabp.min.js$domain=rtl.de -@@||static-fra.de^*/admeta.xml?$object-subrequest -@@||static.adsafeprotected.com^$script,domain=welect.de -@@||static.classistatic.de/res/images/ads/$image -@@||static.classistatic.de/res/js/shared/advertising/*advertisingHeadPacked.js -@@||static.liverail.com/libas3/$object-subrequest,domain=autoplenum.de -@@||storm-chasing.de^*/ad-gallery/$image,~third-party -@@||stroeerdigitalgroup.de/metatag/live/bauer-tvmovie/metaTag.min.js$domain=tvmovie.de -@@||stroeerdigitalmedia.de/dynback/gpt_call.$script,domain=giga.de|gofeminin.de|spieletipps.de -@@||stroeerdigitalmedia.de/praeludium/praeludium_*.min.js$domain=gamona.de|giga.de|gofeminin.de|spieletipps.de -@@||stroeermediabrands.de/dmp-tracking-min.js$domain=gamona.de|giga.de|gofeminin.de|spieletipps.de -@@||styria-digital.com/diff/js/smartads.js$domain=kleinezeitung.at -@@||talentiert.at^*/index_ads.php?$subdocument,third-party -@@||tamedia.ch/tl_files/content/Icons/Advertising_$domain=tamedia.ch -@@||tamedia.ch^*/advertising-$subdocument,domain=tamedia.ch -@@||teufel-media.de/www/delivery/avw.php?zoneid=$image,domain=gewinnspiele.freenet.de -@@||tfag.de/img/$domain=focus.de -@@||tfag.de/js_ng/js_ng_huffpost_$script,domain=huffingtonpost.de -@@||tfag.de/js_ng/js_ng_msg_0300.js$domain=mein-schoener-garten.de -@@||thangkas.com/thangkas/thangkas/$image,~third-party -@@||theplatform.com^*/doubleclick.js$domain=zeit.de -@@||thomann.de^*/adv/adv_$image,~third-party -@@||ticketonline.de/tickets.html?affiliate=$subdocument -@@||tilda.ch/images/adds/$image,domain=tilda.ch -@@||tkqlhce.com/click-$subdocument,domain=eule.de -@@||toggo.de/js/advertise.js -@@||toggo.de/xml/admeta.xml?$object-subrequest -@@||track.adform.net/C/?$subdocument,domain=abosgratis.de -@@||track.adform.net/serving/scripts/trackpoint/$script,domain=mazda.de -@@||track.adform.net^$image,domain=welect.de -@@||tradedoubler.com/click?$subdocument,domain=eule.de|gutscheindoktor.de|preismafia.com -@@||tradedoubler.com/redirect/*^affID^$subdocument,domain=gutscheindoktor.de -@@||treesarekeys.com/shops/|$document,domain=treesarekeys.com -@@||tv.derstandard.at/adserver.php?*&pos=video$subdocument -@@||ui-portal.de^*/video-adserver-config.xml$object-subrequest -@@||uicdn.com^*/video-adserver-config.xml$object-subrequest -@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=southpark.de -@@||vdn-mobile.oas-limited.com/ad/$object-subrequest,domain=mobile.de -@@||videoservice.apa.at/Vast/GetProxy/?*?videotype=preroll1&$xmlhttprequest -@@||videostream4u.com^*/ac_oetags_clone.js -@@||webdisk.ads.mwn.de/Scripts/ext-adv.js -@@||welect.de/checkout/$document,subdocument -@@||werbebanner24.de/templates/_wb24/_assets/images/$image,domain=werbebanner24.de -@@||werbung.gruppedrei.com^$~third-party -@@||werbung.karstadt.de^$~third-party -@@||werbung.oebb.at^$~third-party -@@||werbung.pinkstinks.de^$domain=werbung.pinkstinks.de -@@||werbung.specials.de^$subdocument,domain=zentralreisen.de -@@||werkbank.bayern-online.de/oa23/www/delivery/spc.php?zones=$script,domain=bayern-online.de -@@||werkbank.bayern-online.de/oa23/www/delivery/spcjs.php?id=$script,domain=bayern-online.de -@@||widget.marktjagd.de/dist/$domain=baywa-baumarkt.de|chip.de|discounto.de|focus.de|hellweg.at|hellweg.de|koeln.de|netmoms.de|offerista.com|sparbaby.de|sparwelt.de|wize.life -@@||willhaben.apa.net/mmo/logo/advert/$domain=willhaben.at -@@||windowspro.de^$script,domain=windowspro.de -@@||wm-druckarena.de/scripts/Werbebanner. -@@||wn-jobs.de/search.html?adType=$xmlhttprequest -@@||wn-markt.de/search.html?adType=$xmlhttprequest -@@||wn-mobil.de/search.html?adType=$xmlhttprequest -@@||wn.de/var/storage/images/*_300_250.$image,~third-party -@@||wohnungsrechner.ch/Advert-$xmlhttprequest,domain=wohnungsrechner.ch -@@||wohnungsrechner.ch/js/advert.js$domain=wohnungsrechner.ch -@@||wp.com/stadt-bremerhaven.de/wp-content/uploads/*?resize=$image,domain=stadt-bremerhaven.de -@@||wuv.de/var/wuv/storage/images/werben_verkaufen/dossier/$image,domain=wuv.de -@@||xdate.ch/bundles/omsportal/img/footer_banner_ads_$image,domain=xdate.ch -@@||xdate.ch/uploads/images/adbanner/$image,domain=xdate.ch -@@||xfind.de/banner/$image,domain=searchx.ch -@@||yieldmanager.com/imp?$script,domain=girlsgogames.de|jetztspielen.de|spielen.com -@@||zanox-affiliate.de/ppc/?$subdocument,domain=eule.de|gutscheindoktor.de|notenbuch24.de|preismafia.com -! "Matched Content" by Google (https://support.google.com/adsense/answer/6111336) -@@||g.doubleclick.net/pagead/ads?*^slotname=3722556080^$document,subdocument,domain=kalender-365.de -@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=kalender-365.de -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=kalender-365.de -kalender-365.de#@#.adsbygoogle -! Necessary for AdBlock for Safari to fix blocked slider on shop.rewe.de -@@||s1.adform.net/Banners/Elements/Files/34516/2017020/2017020.js?ADFassetID=2017020&bv= -@@||s1.adform.net/Banners/Elements/Files/34516/2494523/Res ContentAd_main_asset/2494523.js?ADFassetID=2494523&bv= -! *** easylistgermany:easylistgermany/easylistgermany_whitelist_dimensions.txt *** -@@||bueropartner24.de/out/pictures/generated/category/icon/728_90_$image,~third-party -@@||campact.de^*_300x250.gif -@@||ebaystatic.com/aw/pics/im/default_300x250.jpg$domain=millionenklick.web.de -@@||files.videovalis.tv/artwork/posterframes/*_300_250_$image -@@||gardenparc.ch/files/artikelbilder_ +@@||smartadserver.com/diff/251/divscripte/$subdocument,domain=transfermarkt.de +@@||smartadserver.com/diff/251/partners/amazon.js$domain=autobild.de|transfermarkt.de +@@||smartadserver.com/diff/251/templates/passback.js$domain=autobild.de +@@||smartadserver.com/diff/251/verify.js$domain=transfermarkt.de +! *** easylistgermany:easylistgermany/easylistgermany_allowlist_dimensions.txt *** +@@||eatsmarter.de/sites/default/files/*_300x250_$image,domain=eatsmarter.de @@||googleusercontent.com^*/300x250.$domain=googlewatchblog.de -@@||gronkh.de/media/thumbs/*/300x250/$image -@@||internetworld.de/img/*_300x250_$image,~third-party -@@||kramarz.ch/iws/images/banner/iws-$~third-party -@@||musikexpress.de/wp-content/uploads/*_musikexpressstyle_adbundle_mediumrectangle_300x250.gif$domain=musikexpress.de -@@||rollingstone.de/wp-content/uploads/*_musikexpressstyle_adbundle_mediumrectangle_300x250.gif$domain=rollingstone.de -@@||searchx.ch/img/BannerFreeRegister_728_90.jpg$domain=searchx.ch -@@||social-media-hosting.com^*_120x60.jpg -@@||teletext.zdf.de/teletext/$subdocument,domain=zdf.de -@@||welt.de/sites/default/files/rectangle-300x250-newsletter.jpg -@@||wetter.com/layout/1/woys/300_250/300_250_$image -! *** easylistgermany:easylistgermany/easylistgermany_whitelist_popup.txt *** -@@||888casino.com^$popup,domain=online-casino.de -@@||ad.doubleclick.net/clk;$popup,domain=gutscheindoktor.de|mydealz.de -@@||adclick.g.doubleclick.net^$popup,domain=marketing-a.akamaihd.net -@@||adform.net^$popup,domain=onvista.de -@@||ads.mybet.com/redirect.aspx?pid=$popup,domain=gewinnspiele.freenet.de -@@||ads.smartfeedads.com^$popup,domain=motorrad2000.de -@@||adspirit.de^$popup,domain=dealdoktor.de -@@||doubleclick.net/ddm/$popup,domain=11freunde.de|geizhals.de|gutefrage.net|reisebine.de -@@||elvenar.com^$popup,domain=t-online.de -@@||eurogrand.com^$popup,domain=online-casino.de -@@||europacasino.com^$popup,domain=online-casino.de -@@||g.doubleclick.net^$popup,domain=11freunde.de|deals.chip.de|gofeminin.de -@@||getmyads.com^$popup,domain=wieverdienen.online -@@||partycasino.com^$popup,domain=online-casino.de -@@||pubads.g.doubleclick.net/gampad/clk?$popup,domain=cnet.de -@@||serving-sys.com/BurstingPipe/adServer.bs?$popup,domain=giga.de|gofeminin.de -@@||slimtrade.com/out.php?*&g=*/protection/folder_$popup,domain=hoerbuch.us|lesen.to -@@||stargames.com^$popup,domain=online-casino.de -@@||sunmaker.com^$popup,domain=online-casino.de -@@||track.adform.net^$popup,domain=dealdoktor.de -@@||williamhill.com^$popup,domain=online-casino.de -@@||zanox-affiliate.de^$popup,domain=dealdoktor.de \ No newline at end of file +! *** easylistgermany:easylistgermany/easylistgermany_allowlist_popup.txt *** +@@||board.canna.tf^$popup,domain=canna-power.to|canna.to +@@||canna-power.to/links.php?action=$popup,domain=canna-power.to +@@||canna.to/links.php?action=$popup,domain=canna.to +@@||doubleclick.net/ddm/$popup,domain=11freunde.de +@@||g.doubleclick.net/pcs/$popup,domain=auto-motor-und-sport.de +@@||g.doubleclick.net^$popup,domain=11freunde.de +@@||t.adcell.com/click.php?$popup,domain=comicschau.de +@@||t.adcell.com/p/click?$popup,domain=jerseypoint.de diff --git a/data/test/easylist.txt b/data/test/easylist.txt deleted file mode 100644 index 5e4e528e..00000000 --- a/data/test/easylist.txt +++ /dev/null @@ -1,62694 +0,0 @@ -[Adblock Plus 2.0] -! Version: 201706161209 -! Title: EasyList -! Last modified: 16 Jun 2017 12:09 UTC -! Expires: 4 days (update frequency) -! Homepage: https://easylist.to/ -! Licence: https://easylist.to/pages/licence.html -! -! Please report any unblocked adverts or problems -! in the forums (https://forums.lanik.us/) -! or via e-mail (easylist.subscription@gmail.com). -! GitHub issues: https://github.com/easylist/easylist/issues -! GitHub pull requests: https://github.com/easylist/easylist/pulls -! -! -----------------------General advert blocking filters-----------------------! -! *** easylist:easylist/easylist_general_block.txt *** -&ad.vid= -&ad_box_ -&ad_channel= -&ad_classid= -&ad_height= -&ad_ids= -&ad_keyword= -&ad_network_ -&ad_number= -&ad_revenue= -&ad_slot= -&ad_time= -&ad_type= -&ad_type_ -&ad_url= -&ad_zones= -&adbannerid= -&adclient= -&adcount= -&adflag= -&adgroupid= -&admeld_ -&admid= -&adname= -&adnet= -&adnum= -&adpageurl= -&Ads_DFP= -&adsafe= -&adserv= -&adserver= -&adsize= -&adslot= -&adslots= -&adsourceid= -&adspace= -&adsrc= -&adstrade= -&adstype= -&adType=PREROLL& -&adunit= -&adurl= -&adv_keywords= -&advert_ -&advertiserid= -&advid=$~image -&advtile= -&adzone= -&banner_id= -&bannerid= -&clicktag=http -&customSizeAd= -&displayads= -&expandable_ad_ -&forceadv= -&gIncludeExternalAds= -&googleadword= -&img2_adv= -&jumpstartadformat= -&largead= -&maxads= -&pltype=adhost^ -&popunder= -&program=revshare& -&prvtof=*&poru= -&show_ad_ -&showad= -&simple_ad_ -&smallad= -&smart_ad_ -&strategy=adsense& -&type=ad& -&UrlAdParam= -&video_ads_ -&videoadid= -&view=ad& -+advertorial. -+adverts/ --2/ads/ --2011ad_ --300x100ad2. --ad-001- --ad-180x150px. --ad-200x200- --ad-24x24. --ad-300x250. --ad-300x450. --ad-300x600- --ad-303x481- --ad-313x232. --ad-336x280- --ad-340x400- --ad-400. --ad-banner- --ad-banner. --ad-big. --ad-bottom- --ad-button- --ad-category- --ad-choices. --ad-code/ --ad-column- --ad-content/ --ad-cube. --ad-data/ --ad-ero- --ad-exo- --ad-gif- --ad-gif1- --ad-home. --ad-hrule- --ad-hrule. --ad-iframe. --ad-iframe/ --ad-large. --ad-left. --ad-limits. --ad-loading. --ad-manager/$~stylesheet --ad-marker. --ad-mpu+ --ad-new_ --ad-pixel- --ad-refresh. --ad-refresh/ --ad-resize- --ad-right. --ad-rotator- --ad-rotators/ --ad-server/ --ad-sidebar- --ad-switcher. --ad-text_ --ad-tile. --ad-top. --ad-unit. --ad-unit/ --ad-util- --ad-util. --ad-utility- --ad-vertical- --ad-zone. --ad.jpg.pagespeed. --ad.jpg? --ad.jsp| --ad.php? --ad/embed. --ad/main. --ad/right_ --ad03. --ad1. --ad2. --ad2_ --ad3. --Ad300x250. --Ad300x90- --ad4. --ad5. --ad_125x125. --ad_banner- --ad_injector/ --ad_leaderboard/ --adap.$domain=~l-adap.org --adblack- --adbox- --adcentre. --adchain. --adcompanion. --adhelper. --adhere2. --adimage- --admarvel/ --adnow. --adops. --adrotation. --ads-180x --ads-728x --ads-banner. --ads-bottom. --ads-iframe. --ads-init& --ads-management/ --ads-manager/ --ads-master/ --ads-ns. --ads-placement. --ads-right. --ads-widget/ --ads-widget? --ads.generated. --ads.gif --ads.js? --ads.php? --ads.swf --ads/728x --ads/ad- --ads/assets/ --ads/img/ --ads/oas/ --ads/static- --ads/video. --ads/videoblaster/ --ads1.htm --ads2.htm --ads3.htm --ads4.htm --Ads_728x902. --ads_9_3. --Ads_Billboard_ --adscript. --adsense2. --adserver- --adserver/ --adsonar. --adspace. --adspace_ --adspot- --adswizz- --adsystem- --adtechfront. --adtopbanner- --adtrack. --adv-v1/ --adv.jpg --adv.js --advert-label- --advert-placeholder. --advert.jpg? --advert.swf --advert1. --advert2. --advert3. --advert_August. --advertise.$domain=~mb-advertise.gr --advertise/ --advertise01. --advertisement-icon. --advertisement. --advertisement_ --advertising2- --advertising_ --advertisment- --adverts.libs. --adverts.min. --adwords.$domain=~freelance-adwords.com|~freelance-adwords.fr --affiliate-link. --affiliates/img_ --amazon-ads/ --article-ad- --article-ads- --article-advert- --banner-768. --banner-ad- --banner-ad. --banner-ad/ --banner-ads- --banner-ads/ --Banner-Advert- --banner.swf? --banner300x250. --banner468x60. --bannerads/ --bg_ads. --billboard-ads/ --bin/ad_ --blog-ad- --book-ad- --Box-Ad. --box2-ad? --content-ad. --contest-ad. --contrib-ads/ --core-ads. --cpm-ad. --cpm-ads. --dfp-ads/ --euads. --fe-ads/ --featured-ads. --featured-ads/ --feed-ads. --fleshlight2. --floater_ads_ --floorboard-ads/ --footerads- --footerads. --gallery_ad/ --games/ads/ --google-ad. --google-ads- --google-ads/ --google-adsense. --google2-ad- --gpt-ad-$~xmlhttprequest --housead- --iframe-ad. --iframe-ads/ --image-ad. --image/Ads/ --images/ad- --img/ads/ --inspire-ad. --intern-ads/ --layer-ad. --layer-ads/ --leaderboard-ad- --load-ads. --load-advert. --main/ad. --nav-ad. --NewAd. --news-ad- --newsletter-ad- --NewStockAd- --online-advert. --page-ad. --page-ad? --page-peel/ --pagead-id. --panel-ad. --panel_ad_ --peel-ads- --permads. --pop-under/ --popexit. --popunder. --popup-ad. --popup-ads- --pri/adv- --printhousead- --publicidad. --rectangle/ad- --Results-Sponsored. --right-ad. --rightrailad- --rollout-ad- --scrollads. --search-ads. --seasonal-ad. --show-ads. --side-ad- --side-ad. --sidebar-ad. --Skyscraper-Ad. --skyscrapper160x600. --small-ad. --source/ads/ --sponsor-ad. --SponsorAd. --sponsored-links- --sticky-ad- --strip-ads- --sync2ad- --template-ads/ --text-ads. --theme/ads/ --third-ad. --top-ad. --top-ads. --us/ads/ --video-ads/ --web-ad- --Web-Ad. --Web-Ads. --web-advert- --Web-Advert. --webad1. --your-ads-here. -.1d/ads/ -.a3s?n=*&zone_id= -.ace.advertising. -.ad-cloud. -.ad-sys. -.ad-traffic. -.ad.final. -.ad.footer+ -.ad.footer. -.ad.json? -.ad.page. -.ad.premiere. -.ad/tag. -.ad1.nspace -.ad6media.$domain=~ad6media.fr -.adbanner. -.adbutler- -.adcenter.$domain=~adcenter.nu -.adengine. -.adforge. -.adframesrc. -.adgearpubs. -.adgoitechnologie. -.adinject. -.adlabs.$domain=~adlabs.ru -.admarvel. -.adnetwork.$domain=~adnetwork.ie|~adnetwork.sk -.adpartner. -.adplacement= -.adresult.$domain=~adresult.ch -.adriver.$~object-subrequest -.adrotate. -.adru. -.ads-and-tracking. -.ads-lazy. -.ads-min. -.ads-tool. -.ads.controller. -.ads.core. -.ads.css -.ads.darla. -.ads.loader- -.ads.zones. -.ads1- -.ads1. -.ads2- -.ads3- -.ads9. -.ads_clickthru. -.adsbox.$domain=~adsbox.in -.adsby. -.adsense. -.adserv/ -.adserver. -.adserver01. -.adserver1. -.adService.$domain=~adservice.com -.adspace. -.adsremote. -.adtech_ -.adtooltip& -.adv.cdn. -.advert.$domain=~advert.ly -.AdvertismentBottom. -.advertmarket. -.adwolf. -.ae/ads/ -.am/adv/ -.ar/ads/ -.ashx?ad= -.ashx?AdID= -.asp?coad -.aspx?ad= -.aspx?adid= -.at/ads/ -.au/ads/ -.az/adv/ -.banner%20ad. -.bbn.by/ -.be/ads/ -.biz/ad. -.biz/ad/ -.biz/ad2/ -.biz/ads/ -.bns1.net/ -.box.ad. -.br/ads/ -.bz/ads/ -.ca/ads/ -.cc/ads/ -.cfm?ad= -.cfm?advideo% -.cgi?ad= -.ch/ads/ -.ch/adv/ -.clkads. -.club/ads. -.co/ads/ -.co/ads? -.com/?ad= -.com/?wid= -.com/a?network -.com/a?pagetype -.com/a?size -.com/ad.$domain=~ad-tuning.de -.com/ad/$~image,third-party,domain=~mediaplex.com -.com/ad/$~third-party,domain=~blogs.technet.microsoft.com|~channel4.com|~cspace.com|~linkedin.com|~mediaplex.com|~online.wsj.com -.com/ad2/ -.com/ad6/ -.com/ad? -.com/adclk? -.com/adds/ -.com/adgallery -.com/adinf/ -.com/adlib/ -.com/adlib_ -.com/adpicture -.com/ads- -.com/ads. -.com/ads/$image,object,subdocument -.com/ads? -.com/ads_ -.com/adv/ -.com/adv3/ -.com/adv? -.com/adv_ -.com/adx/ -.com/adx_ -.com/adz/ -.com/bads/ -.com/doubleclick/ -.com/gads/ -.com/im-ad/ -.com/im_ad/ -.com/iplgadshow -.com/js.ng/ -.com/js/ad. -.com/js/ads/ -.com/js/adsense -.com/miads/ -.com/peels/ -.com/pm/ad- -.com/promodisplay? -.com/ss/ad/ -.com/video-ad- -.cyad1. -.cz/affil/ -.cz/bannery/ -.dartconfig.js -.digital/ads/ -.displayAds& -.ec/ads/ -.eg/ads/ -.es/ads/ -.eu/ads/ -.eu/adv/ -.exp_ad- -.fm/ads/ -.gg/ads/ -.gif?ad= -.GoogleDfpSlot. -.gr/ads/ -.hk/ads/ -.homad. -.HomepageAdvertismentBottom. -.html?ad= -.html?ad_ -.html?clicktag= -.iads.js -.ie/ads/ -.il/ads/ -.in/ads. -.in/ads/ -.info/ad_ -.info/ads- -.info/ads/ -.initdoubleclickadselementcontent? -.intad. -.intad/ -.internads. -.is/ads/ -.jp/ads/ -.jsp?adcode= -.ke/ads/ -.lazyad- -.lazyload-ad- -.lazyload-ad. -.link/ads/ -.lk/ads/ -.me/ads- -.me/ads/ -.mobileads. -.mv/ads/ -.mx/ads/ -.my/ads/ -.name/ads/ -.net/_adv/ -.net/ad- -.net/ad/$~object-subrequest -.net/ad2/ -.net/ad_ -.net/adgallery -.net/adj; -.net/ads- -.net/ads. -.net/ads/ -.net/ads? -.net/ads_ -.net/adt? -.net/adv/ -.net/affiliate/ -.net/bnr/ -.net/flashads -.net/gads/ -.net/noidadx/ -.net/pfadj/ -.net/pops.js -.net/vghd_ -.ng/ads/ -.nl/ad2/ -.nl/ads/ -.no/ads/ -.nu/ads/ -.nz/ads/ -.oasfile. -.online/ads/ -.openad. -.openx. -.openxtag. -.org/ad- -.org/ad. -.org/ad/ -.org/ad_ -.org/adgallery1 -.org/ads- -.org/ads/ -.org/ads_ -.org/adv/ -.org/exit.js -.org/gads/ -.org/pops.js -.ph/ads/ -.php/ad/ -.php/ads/ -.php?ad= -.php?ad_ -.php?adsid= -.php?adv= -.php?adv_ -.php?affid= -.php?clicktag= -.php?nats= -.php?zone_id= -.php?zoneid= -.pj?adv= -.pk/ads/ -.pl/ads/ -.popunder.js -.popup_im. -.popupvideoad. -.refit.ads. -.rolloverad. -.se/*placement=$script,subdocument,third-party -.se/*redirect&$script,subdocument,third-party -.se/ads/ -.shortcuts.search. -.show_ad_ -.sk/ads/ -.sponsorads. -.streamads. -.swf?1&clicktag= -.swf?2&clicktag= -.swf?ad= -.swf?click= -.swf?clicktag= -.swf?clickthru= -.swf?iurl=http -.swf?link1=http -.swf?link=http -.swf?popupiniframe= -.text-link-ads. -.textads. -.th/ads/ -.theadtech. -.to/ads/ -.topad. -.tv/adl. -.tv/ads. -.tv/ads/ -.twoads. -.tz/ads/ -.uk/ads/ -.uk/adv/ -.us/ads/ -.utils.ads. -.vert.ad. -.videoad3. -.videoad4. -.weborama.js -.widgets.ad? -.ws/ads/ -.xxx/ads/ -.za/ads. -.za/ads/ -.zm/ads/ -.zw/ads/ -/!advert_ -/0/ads/* -/04/ads- -/1/ads/* -/120ad. -/120ads/* -/125ads/* -/125x125_ADS/* -/125x125_banner. -/125x125ad. -/126_ad. -/160_ad_ -/17/ads/* -/1912/ads/* -/1afr.php? -/2/ads/* -/2010/ads/* -/2010main/ad/* -/2011/ads/* -/2013/ad/* -/2013/ads/* -/2014/ads/* -/2015/ads/* -/24-7ads. -/24adscript. -/250x250_advert_ -/300-ad- -/300250_ad- -/300_ad_ -/300ad. -/300by250ad. -/300x250ad. -/300x250adbg. -/300x250ads. -/300x250advert. -/300x500_ad -/336x280ads. -/3pt_ads. -/468-banner. -/468ad. -/468x60ad. -/468xads. -/728_ad_ -/728x80topad. -/728x90banner. -/768x90ad. -/?addyn|* -/?adv_partner -/?advideo/* -/?view=ad -/_/ads/* -/_30/ads/* -/_ads/* -/_affiliatebanners/* -/_global/ads/* -/_img/ad_ -/_js2/oas. -/_scripts/_oas/* -/_svc/ad/* -/a/ads/* -/a/display.php? -/a1/*?sub=$third-party -/a2/?sub=$third-party -/a2/ads/* -/a3/?sub=$third-party -/aamsz= -/ABAdsv1. -/abm.asp? -/abm.aspx -/abmw.asp -/abmw/* -/abnl/?begun^ -/abnl/?narodads^ -/about-these-ads. -/absolutebm.aspx? -/abvAds_ -/AbvProductAds/* -/acc_random= -/active-ad- -/ad%20banners/* -/ad%20images/* -/ad-125. -/ad-300topleft. -/ad-300x250. -/ad-300x254. -/ad-300x300. -/ad-350x350- -/ad-400. -/ad-410x300. -/ad-468- -/ad-600- -/ad-amz. -/ad-audit. -/ad-background. -/ad-banner- -/ad-banner. -/ad-bckg. -/ad-bin/* -/ad-bottom. -/ad-box- -/ad-boxes- -/ad-bucket. -/ad-builder. -/ad-button1. -/ad-callback. -/ad-cdn. -/ad-channel- -/ad-choices- -/ad-choices. -/ad-creatives- -/ad-creatives/* -/ad-emea. -/ad-engine. -/ad-exchange. -/ad-feature- -/ad-feedback. -/ad-feedback/* -/ad-fix- -/ad-flashgame. -/ad-format. -/ad-frame. -/ad-frame/* -/ad-gallery.$~stylesheet -/ad-half_ -/ad-hcm. -/ad-header. -/ad-home- -/ad-hug. -/ad-identifier. -/ad-ifr. -/ad-iframe- -/ad-iframe. -/ad-iframe? -/ad-image. -/ad-images/* -/ad-ina. -/ad-indicator- -/ad-inject/* -/ad-injection/* -/ad-inserter/* -/ad-int- -/ad-issue. -/ad-label- -/ad-label. -/ad-layering- -/ad-layout/*$~script,~stylesheet -/ad-leaderboard. -/ad-left. -/ad-letter. -/ad-lil. -/ad-link/* -/ad-loader- -/ad-loader. -/ad-loading. -/ad-local.$domain=~ad-local.de -/ad-logger/* -/ad-manager/* -/ad-managment/* -/ad-maven- -/ad-methods. -/ad-minister- -/ad-minister. -/ad-minister/* -/ad-modules/* -/ad-navi/* -/ad-nytimes. -/ad-offer1. -/ad-openx. -/ad-overlay. -/ad-page/* -/ad-plate/* -/ad-plugin/* -/ad-point/* -/ad-position- -/ad-pub. -/ad-pulse. -/ad-record. -/ad-refresh- -/ad-refresh. -/ad-right2. -/ad-ros- -/ad-rotator- -/ad-serve? -/ad-server. -/ad-server/* -/ad-side/* -/ad-sidebar- -/ad-skyscraper. -/ad-source/* -/ad-sovrn. -/ad-specs. -/ad-sprite. -/ad-srv. -/ad-strip. -/ad-studio/* -/ad-styles. -/ad-tag2. -/ad-tags/* -/ad-tandem. -/ad-template. -/ad-template/* -/ad-text. -/ad-title. -/ad-top- -/ad-top. -/ad-top/* -/ad-topbanner- -/ad-unit- -/ad-updated- -/ad-utilities. -/ad-vert. -/ad-vertical- -/ad-verticalbar. -/ad-view- -/ad.ams. -/ad.ashx? -/Ad.asmx/* -/ad.asp? -/ad.aspx? -/ad.cgi? -/ad.code? -/ad.css? -/ad.epl? -/ad.gif| -/ad.html? -/ad.info. -/ad.jsp? -/ad.mason? -/ad.min. -/ad.php3? -/ad.php? -/ad.php| -/ad.popup? -/ad.redirect. -/ad.sense/* -/ad.serve. -/ad.valary? -/ad.view? -/ad.ytn. -/ad/130- -/ad/402_ -/ad/600- -/ad/728- -/ad/938- -/ad/940- -/ad/960x60. -/ad/?host= -/ad/?section= -/ad/?site= -/ad/a.aspx? -/ad/ad2/* -/ad/afc_ -/ad/article_ -/ad/audsci. -/ad/banner. -/ad/banner/* -/ad/banner? -/ad/banner_ -/ad/bannerdetails/* -/ad/bannerimg/* -/ad/banners/* -/ad/behavpixel. -/ad/bin/* -/ad/blank. -/ad/blog_ -/ad/bottom. -/ad/card- -/ad/clients/* -/ad/common/* -/ad/common_ -/ad/commons/* -/ad/content/* -/ad/cpmstar/* -/ad/css/*$domain=~cspace.com -/ad/directcall/* -/ad/empty. -/ad/extra/* -/ad/extra_ -/ad/files/* -/AD/Footer_ -/ad/frame1. -/ad/framed? -/ad/generate? -/ad/getban? -/ad/getbanandfile? -/ad/google/* -/ad/google_ -/ad/homepage? -/ad/html/* -/ad/iframe. -/ad/iframe/* -/ad/image/* -/ad/images/* -/ad/img/* -/ad/index. -/ad/index/* -/Ad/Index? -/ad/index_ -/ad/inline? -/ad/integral- -/ad/inventory/* -/ad/jsonp/* -/ad/leaderboard. -/ad/listing- -/ad/live- -/ad/load. -/ad/load_ -/ad/loaders/* -/ad/loading. -/ad/log/* -/ad/login- -/ad/logo/* -/ad/material/* -/ad/middle. -/ad/mpu/* -/ad/network/* -/Ad/Oas? -/ad/omakasa. -/ad/ongoing/* -/ad/player| -/ad/pong? -/ad/popup. -/Ad/premium/* -/ad/preview/* -/ad/quigo/* -/ad/random_ -/ad/realclick. -/ad/realclick/* -/ad/rectangle. -/ad/reklamy. -/ad/request? -/ad/right2. -/ad/rotate? -/ad/script/* -/ad/select? -/ad/semantic_ -/ad/serve. -/ad/show. -/ad/side_ -/ad/skin_ -/ad/skyscraper. -/ad/skyscrapper. -/ad/small- -/ad/spacer. -/ad/sponsored- -/ad/sponsors/* -/ad/status? -/ad/superbanner. -/ad/swf/* -/ad/takeover/* -/ad/textlinks/* -/ad/thumbs/* -/ad/timing. -/ad/top. -/ad/top/* -/ad/top1. -/ad/top2. -/ad/top3. -/ad/top_ -/ad/view/* -/ad0.$domain=~vereinslinie.de -/ad000/* -/ad01. -/ad02/background_ -/ad1-728- -/ad1.$domain=~ad1.de|~ad1.in|~vereinslinie.de -/ad1/index. -/ad11c. -/ad12. -/ad120x60. -/ad125. -/ad125b. -/ad125x125. -/ad132m. -/ad132m/* -/ad134m/* -/ad136/* -/ad15. -/ad16. -/ad160. -/ad160k. -/ad160x600. -/ad1_ -/ad1place. -/ad1r. -/ad1x1home. -/ad2-728- -/ad2.$domain=~vereinslinie.de -/ad2/index. -/ad2/res/* -/ad2010. -/ad234. -/ad24/* -/ad247realmedia/* -/ad290x60_ -/ad2_ -/ad2border. -/ad2con. -/ad2gate. -/ad2gather. -/ad2push. -/ad2you/* -/ad3.$domain=~ad3.eu|~vereinslinie.de -/ad300. -/ad300f. -/ad300f2. -/ad300home. -/ad300s. -/ad300ws. -/ad300x. -/ad300x145. -/ad300x250- -/ad300x250. -/ad300x250_ -/ad350. -/ad3_ima. -/ad3i. -/ad4.$domain=~ad4.wpengine.com|~vereinslinie.de -/ad41_ -/ad468. -/ad468x60. -/ad468x80. -/ad4i. -/ad5. -/ad6. -/ad600x250. -/ad600x330. -/ad7. -/ad728- -/ad728. -/AD728cat. -/ad728f. -/ad728f2. -/ad728home. -/ad728rod. -/ad728s. -/ad728t. -/ad728w. -/ad728ws. -/ad728x. -/ad728x15. -/ad728x15_ -/ad728x90- -/ad728x90. -/ad8. -/ad?channel= -/ad?cid= -/ad?count= -/ad?currentview= -/ad?iframe_ -/ad?pos_ -/ad?sponsor= -/ad?type= -/ad_120_ -/ad_200x90_ -/ad_234x60_ -/ad_250x250_ -/ad_300. -/ad_300250. -/ad_300_ -/ad_4_tag_ -/ad_600_ -/ad_600x160_ -/ad_600x500/* -/ad_728. -/ad_728_ -/ad_960x90_ -/ad_agency/* -/ad_announce. -/ad_area. -/ad_art/* -/Ad_Arub_ -/ad_banner. -/ad_banner/* -/ad_banner1. -/ad_banner2. -/ad_banner_ -/ad_bannerPool- -/ad_banners/* -/ad_bar_ -/ad_base. -/ad_big_ -/ad_blog. -/ad_bomb/* -/ad_bot. -/ad_bottom. -/ad_box. -/ad_box1. -/ad_box2. -/ad_box? -/ad_box_ -/ad_bsb. -/ad_button. -/ad_cache/* -/ad_campaigns/* -/ad_caption. -/ad_check. -/ad_choices. -/ad_choices_ -/ad_code. -/ad_commonside. -/ad_commonside_ -/ad_companion? -/ad_configuration. -/ad_configurations_ -/ad_container_ -/ad_content. -/ad_contents/* -/ad_count. -/ad_counter. -/ad_counter_ -/ad_creatives. -/ad_data/* -/ad_data_ -/ad_detect. -/ad_digital. -/ad_dir/* -/ad_display. -/ad_display_ -/ad_drivers/* -/ad_ebound. -/ad_editorials_ -/ad_engine? -/ad_entry_ -/ad_exo. -/ad_feed. -/ad_file/* -/ad_files/* -/ad_fill. -/ad_filler. -/ad_filmstrip/* -/ad_fixedad. -/ad_flash/* -/ad_flat_ -/ad_floater. -/ad_folder/* -/ad_footer. -/ad_footer_ -/ad_forum_ -/ad_frame. -/ad_frame? -/ad_frm. -/ad_function. -/ad_generator. -/ad_generator? -/ad_gif/* -/ad_gif_ -/ad_google. -/ad_h.css? -/ad_hcl_ -/ad_hcr_ -/ad_head_ -/ad_header. -/ad_header_ -/ad_height/* -/ad_holder/* -/ad_home. -/ad_home2011_ -/ad_home_ -/ad_homepage_ -/ad_horisontal. -/ad_horiz. -/ad_horizontal. -/ad_html/* -/ad_icons/* -/ad_iframe. -/ad_iframe_ -/ad_image. -/ad_image2. -/ad_images/* -/ad_img. -/ad_img/* -/ad_include. -/Ad_Index? -/ad_index_ -/ad_insert. -/ad_jnaught/* -/ad_keywords. -/ad_label2_ -/ad_label728. -/ad_label_ -/ad_large. -/ad_lazyload. -/ad_leader. -/ad_leader_ -/ad_leaderboard. -/ad_leaderboard/* -/ad_left. -/ad_left_ -/ad_legend_ -/ad_link. -/ad_links/* -/ad_listpage. -/ad_load. -/ad_loader. -/ad_loader2. -/ad_locations/* -/ad_log_ -/ad_lomadee. -/ad_manage. -/ad_manager. -/ad_manager/* -/ad_master_ -/ad_mbox. -/ad_media/* -/ad_medium_ -/ad_mini_ -/ad_mobile. -/ad_mpu. -/ad_multi_ -/ad_navigbar_ -/ad_news. -/ad_note. -/ad_notice. -/ad_oas/* -/ad_offersmail_ -/ad_ops/* -/ad_option_ -/ad_overlay. -/ad_page_ -/ad_paper_ -/ad_parts. -/ad_peel/* -/ad_pics/* -/ad_pop. -/ad_pop1. -/ad_popup_ -/ad_pos= -/ad_position= -/ad_position_ -/ad_premium. -/ad_premium_ -/ad_preroll- -/ad_print. -/ad_rectangle_ -/ad_red. -/ad_refresh. -/ad_refresher. -/ad_reloader_ -/ad_render_ -/ad_renderv4_ -/ad_rentangle. -/ad_req. -/ad_request. -/ad_resize. -/ad_right. -/ad_right_ -/ad_rotation. -/ad_rotator. -/ad_rotator/* -/ad_rotator_ -/ad_script. -/ad_script_ -/ad_scroller. -/ad_selectMainfixedad. -/ad_serv. -/ad_serve. -/ad_serve_ -/ad_server. -/ad_server/* -/ad_serverV2. -/ad_servlet. -/ad_shared/* -/ad_show. -/ad_show? -/ad_side. -/ad_sidebar/* -/ad_sizes= -/ad_skin_ -/ad_sky. -/ad_skyscraper. -/ad_slideout. -/ad_space. -/ad_spot. -/ad_square. -/ad_square_ -/ad_squares. -/ad_srv. -/ad_status. -/ad_stem/* -/ad_sticky. -/ad_styling_ -/ad_supertile/* -/ad_support. -/ad_sys/* -/ad_syshome. -/ad_system/* -/ad_tab. -/ad_tag. -/ad_tag_ -/ad_tags_ -/ad_text. -/ad_text_ -/ad_tickets. -/ad_tile/* -/ad_timer. -/ad_title_ -/ad_tools/* -/ad_top. -/ad_top/* -/ad_top_ -/ad_topgray2. -/ad_tower_ -/ad_tpl. -/ad_txt. -/ad_units. -/ad_units/* -/ad_upload/* -/ad_util. -/ad_utils. -/ad_utils/* -/ad_ver/* -/ad_vert. -/ad_vertical. -/ad_video.htm -/ad_video1. -/ad_view_ -/ad_wide_ -/ad_width/* -/ad_wrapper. -/ad_www_ -/adactions. -/adaffiliate_ -/adanalytics. -/adanim/* -/adaptvadplayer. -/adaptvadservervastvideo. -/adaptvexchangevastvideo. -/adarena/* -/adasset/* -/adasset4/* -/adb.js?tag= -/adback. -/adback? -/AdBackground. -/adban. -/adbanner. -/adbanner/* -/adbanner2. -/adbanner_ -/adbanners/* -/adbar. -/adbar/* -/adbar2_ -/adbar_ -/adbars. -/adbase. -/adbayimg/* -/adbeacon. -/adbebi_ -/adbetween/* -/adbg.jpg -/adbl/* -/adbl1/* -/adbl2/* -/adbl3/* -/adblade-publisher-tools/* -/adblob. -/adblock.ash -/adblock.js -/adblock26. -/adblock?id= -/adblockl. -/adblockr. -/adbn? -/adboost.$domain=~adboost.io -/adborder. -/adbot160. -/adbot300. -/adbot728. -/adbot_ -/adbotleft. -/adbotright. -/adbottom. -/adbox. -/adbox/* -/adbox1. -/adbox2. -/adbox_ -/adboxbk. -/AdBoxDiv. -/adboxes/* -/adboxtable- -/adbrite- -/adbrite. -/adbrite/* -/adbrite2. -/adbrite_ -/adbriteinc. -/adbriteincleft2. -/adbriteincright. -/adbucket. -/adbucks/* -/adbug_ -/adbureau. -/adbutler/* -/adbytes. -/adcache. -/adcall. -/adcalloverride. -/adcampaigns/* -/adcash- -/adcash. -/adcast01_ -/adcast_ -/adcde.js -/adcdn. -/adcell/* -/adcenter.$script,domain=~adcenter.nu|~m-m-g.com -/adcentral. -/adCfg. -/adcframe. -/adcgi? -/adchain- -/adchain. -/adchannel_ -/adcheck. -/adcheck? -/adchoice. -/adchoice/* -/adchoice_ -/adchoices- -/adchoices. -/adchoices/* -/adchoices16. -/adchoices2. -/adchoices_ -/adchoicesfooter. -/adchoicesicon. -/adchoiceslogo. -/adchoicesv4. -/adcircle. -/adclick. -/adclick/* -/adclient- -/adclient. -/adclient/* -/adclix. -/adclixad. -/adclutter. -/adcode. -/adcode/* -/adcode_ -/adcodes/* -/adcollector. -/adcommon? -/adcomp. -/adcomponent/* -/adconfig. -/adconfig/* -/adcontainer? -/adcontent.$~object-subrequest -/adcontent/* -/adcontents_ -/adcontrol. -/adcontrol/* -/adcontroller. -/adcore.$domain=~adcore.com.au|~adcore.ua -/adcore_$domain=~adcore.com.au -/adcount. -/adcounter. -/adcreative. -/adcreative/* -/adcss/* -/adcxtnew_ -/adcycle. -/adcycle/* -/add728. -/addata. -/addatasandbox? -/addeals/* -/addefend. -/addefend/* -/addelivery/* -/addeliverymodule/* -/addisplay. -/addon/ad/* -/adds_banner/* -/addyn/3.0/* -/addyn|*;adtech; -/addyn|*|adtech; -/adedge/* -/AdElement/* -/adenc. -/adenc_ -/adengage- -/adengage. -/adengage/* -/adengage0. -/adengage1. -/adengage2. -/adengage3. -/adengage4. -/adengage5. -/adengage6. -/adengage_ -/adengine. -/adengine/* -/adengine_ -/adentry. -/aderlee_ads. -/adError/* -/adevent.$domain=~adevent.com -/adevents.$domain=~adevents.com.au -/adex.$domain=~adex.alphalab.com|~adex.az|~adex.cloud|~adex.link|~adex.tech|~adextechnologies.com -/adEx_$domain=~adex.link -/adexample? -/adexclude/* -/adexternal. -/adf.cgi? -/adfactor/* -/adfactor_ -/adfactory- -/adfactory.$domain=~adfactory.rocks -/adfactory_ -/adfarm.$~image,third-party,domain=~mediaplex.com -/adfarm.$~third-party,domain=~mediaplex.com -/adfarm/* -/adfeed. -/adfeedback/* -/adfeedtestview. -/adfetch. -/adfetch? -/adfetcher? -/adfever_ -/adfile. -/adfile/* -/adfiles. -/adfiles/* -/adfillers/* -/adflash. -/adflashes/* -/adfliction- -/adflow. -/adfly/* -/adfolder/* -/adfootcenter. -/adfooter. -/adFooterBG. -/adfootleft. -/adfootright. -/adforgame160x600. -/adforgame728x90. -/adforgame728x90_ -/adforge. -/AdForm_trackpoint. -/AdForm_trackpoint_ -/adformats/* -/adforums/* -/adfox. -/adfox/* -/adfoxLoader_ -/adfr. -/adframe. -/adframe/* -/adframe120. -/adframe120x240. -/adframe2. -/adframe468. -/adframe728a. -/adframe728b. -/adframe728b2. -/adframe728bot. -/adframe? -/adframe_ -/adframebottom. -/adframecommon. -/adframemiddle. -/adframes/* -/adframetop. -/adframewrapper. -/adfrequencycapping. -/adfrm. -/adfront/* -/adfshow? -/adfuncs. -/adfunction. -/adfunctions. -/adgallery1. -/adgallery1| -/adgallery2. -/adgallery2| -/adgallery3. -/adgallery3| -/adgalleryheader. -/adgear.js -/adgear/* -/adgear1- -/adgear2- -/adgearsegmentation. -/adgenerator. -/adgeo/* -/adGet. -/adgetter. -/adgitize- -/adgooglefull2. -/adGpt. -/adgraphics/* -/adguard.$domain=~adguard.com|~adguard.oneskyapp.com -/adguru. -/adhads. -/adhalfbanner. -/adhandler. -/adhandler/*$~subdocument -/adhandlers- -/adhandlers2. -/adheader. -/adheadertxt. -/adheading_ -/adhese. -/adhese_ -/adhints/* -/adhomepage. -/adhomepage2. -/adhood. -/adhost.$domain=~adhost.dk -/adhref.$domain=~adhref.com -/adhtml/* -/adhub. -/adhug_ -/adicon_ -/adiframe. -/adiframe/* -/adiframe1. -/adiframe18. -/adiframe2. -/adiframe7. -/adiframe9. -/adiframe? -/adiframe_ -/adiframeanchor. -/adiframem1. -/adiframem2. -/adiframetop. -/adiframe|*|adtech; -/adify_ -/adifyad. -/adifyids. -/adifyoverlay. -/adim.html?ad -/adimage. -/adimage/* -/adimage? -/adimages. -/adimages/*$~subdocument -/adimg.$domain=~adimg.ru -/adimg/* -/adinator/* -/adinclude. -/adinclude/* -/adindex/* -/adindicatortext. -/adInfoInc/* -/adinit. -/adinject. -/adinjector. -/adinjector_ -/adinsert. -/adinsertionplugin. -/adinsertjuicy. -/adinterax. -/adiquity. -/adiro.$domain=~adiro.se -/aditems/* -/adition. -/adixs. -/adj.php? -/adjk. -/adjs. -/adjs/* -/adjs? -/adjs_ -/adjsmp. -/adjug. -/adjuggler? -/adkeys. -/adl.php -/adlabel. -/adlabel_ -/adlabs.js -/AdLanding. -/adlanding/* -/adlandr. -/adlantis. -/adlantisloader. -/adlargefooter. -/adlargefooter2. -/adlayer. -/adlayer/* -/adlead.$domain=~adlead.com -/adleader. -/adleaderboardtop. -/adleft. -/adleft/* -/adleftsidebar. -/adlens- -/adlesse. -/adlib.$domain=~adlib.info -/adlift4. -/adlift4_ -/adline.$domain=~adline.co.il -/adlink-$domain=~adlinktech.com -/adlink.$domain=~adlink.guru|~adlinktech.com -/adlink/*$domain=~adlinktech.com -/adLink728. -/adlink? -/adlink_ -/adlinks. -/adlinks2. -/adlinks_ -/adlist_ -/adload. -/adloader. -/adlock300. -/adlog.php? -/adlogix. -/adm/ad/* -/admain. -/admain| -/adman-$domain=~adman-industries.com -/adman.$domain=~adman.ee|~adman.studio -/adman/* -/admanagement/* -/admanagementadvanced. -/admanager.$~object-subrequest -/admanager/*$~object-subrequest -/admanager3. -/admanager_ -/admanagers/* -/admanagerstatus/* -/admanproxy. -/admarker. -/admarker_ -/admarket/* -/adMarketplace. -/admarvel. -/admaster.$domain=~admaster.biz -/admaster? -/admatch- -/admatcher.$~object-subrequest,~xmlhttprequest -/admatcherclient. -/admatik. -/admax.$domain=~admax.cn|~admax.co|~admax.eu|~admax.fi|~admax.info|~admax.net|~admax.nu|~admax.org|~admax.se|~admax.us -/admax/* -/admaxads. -/admeasure. -/admedia. -/admedia/* -/admega. -/admeld. -/admeld/* -/admeld_ -/admeldscript. -/admentor/* -/admentor302/* -/admentorasp/* -/admentorserve. -/admeta. -/admeta/cm? -/admetamatch? -/admez. -/admez/* -/admgr. -/admicro2. -/admicro_ -/admin/ad_ -/admin/banners/* -/admin/sponsors/* -/adminibanner2. -/admixer- -/admixer_ -/admob. -/adModule. -/admonitor- -/admonitor. -/adnap/* -/adNdsoft/* -/adnet. -/ADNet/* -/adnet2. -/adnetmedia.$domain=~adnetmedia.hu -/adnetwork.$domain=~adnetwork.ai|~adnetwork.ie -/adnetwork/* -/adnetwork300. -/adnetwork468. -/adnetwork_ -/adnew2. -/adnews.$domain=~adnews.pl -/AdNewsclip14. -/AdNewsclip15. -/adnext.$domain=~adnext.pl -/adnexus- -/adng.html -/adnl. -/adnotice. -/adobject. -/adocean. -/adometry- -/adometry. -/adometry? -/adonline. -/adonly468. -/adops.$domain=~adops.co.il -/adops/* -/adopspush- -/adoptimised. -/AdOptimizer. -/adoptionicon. -/adoptions. -/adorika300. -/adorika728. -/ados.js -/ados? -/adotube_adapter. -/adotubeplugin. -/adoverlay. -/adoverlay/* -/adoverlayplugin. -/adoverride. -/adp-pro/* -/adp.htm -/adpage- -/adpage.$domain=~adpage.com.ua -/adpage/* -/adpagem. -/adpages/*$domain=~adpages.com -/adpan/* -/adpanel/* -/adpanelcontent. -/adpartner. -/adparts/* -/adpatch. -/adpeeps. -/adpeeps/* -/adperf_ -/adperfdemo. -/adphoto.$domain=~adphoto.eu|~adphoto.fr|~adphoto.pl -/adpic. -/adpic/* -/adpicture. -/adpicture1. -/adpicture1| -/adpicture2. -/adpicture2| -/adpictures/* -/adping. -/adpix/* -/adplace/* -/adplace5_ -/adPlaceholder. -/adplacement. -/adplay. -/adplayer- -/adplayer. -/adplayer/* -/adplugin. -/adplugin_ -/adpoint. -/adpolestar/* -/adpool/* -/adpop. -/adpop32. -/adpopup. -/adPositions. -/adpositionsizein- -/AdPostInjectAsync. -/AdPreview/* -/adprime.$domain=~adprime.pl -/adproducts/* -/adprove_ -/adprovider. -/adproxy. -/adproxy/* -/AdPub/* -/adquality/* -/adratio. -/adrawdata/* -/adreactor/* -/adreadytractions. -/adrec. -/adreclaim- -/adrectanglebanner? -/adrefresh- -/adrefresh. -/adrelated. -/adreload. -/adreload? -/adremote. -/adrendererfactory. -/adreplace/* -/adreplace160x600. -/adreplace728x90. -/adrequest. -/adrequests. -/adrequestvo. -/adrequisitor- -/adrevenue/* -/adrevolver/* -/adright. -/adright/* -/adrightcol. -/adriver.$~object-subrequest -/adriver/* -/adriver_$~object-subrequest -/adrobot.$domain=~adrobot.com.au -/adrolays. -/adRoll. -/adroller. -/adrollpixel. -/adroot/* -/adrot. -/adrot_ -/adrotat. -/adrotate- -/adrotate. -/adrotate/* -/adrotation. -/adrotator. -/adrotator/* -/adrotator2. -/adrotator_ -/adrotv2. -/adrun. -/adruptive. -/ads-01. -/ads-02. -/ads-03. -/ads-04. -/ads-05. -/ads-06. -/ads-07. -/ads-1. -/ads-2. -/ads-250. -/ads-300- -/ads-300. -/ads-admin. -/ads-api. -/ads-arc. -/ads-banner -/ads-blogs- -/ads-common. -/ads-foot. -/ads-footer. -/ads-gpt. -/ads-header- -/ads-holder. -/ads-inside- -/ads-intros. -/ads-leader| -/ads-min. -/ads-mopub? -/ads-net. -/ads-new. -/ads-nodep. -/ads-pd. -/ads-rectangle. -/ads-rec| -/ads-request. -/ads-restrictions. -/ads-reviews- -/ads-right. -/ads-sa. -/ads-screen. -/ads-scroller- -/ads-segmentjs. -/ads-service. -/ads-sidebar- -/ads-skyscraper. -/ads-sky| -/ads-sticker. -/ads-sticker2. -/ads-top. -/Ads.ashx -/ads.asp? -/ads.aspx -/ads.bmp? -/ads.bundle. -/ads.cfm? -/ads.cms -/ads.css -/ads.dll/* -/ads.gif -/ads.htm -/ads.jplayer. -/ads.js. -/ads.js/* -/ads.js? -/ads.json? -/ads.jsp -/ads.load. -/ads.pbs -/ads.php -/ads.pl? -/ads.png -/ads.swf -/ads.v5.js -/ads.w3c. -/ads/125l. -/ads/125r. -/ads/160. -/ads/160/* -/ads/2.0/* -/ads/2010/* -/ads/250x120_ -/ads/3.0/* -/ads/300. -/ads/3002. -/ads/300x120_ -/ads/468. -/ads/468a. -/ads/728- -/ads/728. -/ads/728b. -/ads/?id= -/ads/?QAPS_ -/ads/?uniq= -/ads/a. -/ads/ab/* -/ads/abrad. -/ads/acctid= -/ads/ad- -/ads/ad. -/ads/ad_ -/ads/adrime/* -/Ads/adrp0. -/ads/ads-$~stylesheet -/ads/ads. -/ads/ads/* -/ads/ads_ -/ads/adv/* -/ads/adx/* -/ads/afc/* -/ads/aff- -/ads/article- -/ads/article. -/ads/as_header. -/ads/assets/* -/ads/async/* -/ads/b/* -/ads/banner- -/ads/banner. -/ads/banner/* -/ads/banner01. -/ads/banner_ -/ads/banners/* -/ads/base. -/ads/beacon. -/ads/behicon. -/ads/bilar/* -/Ads/Biz_ -/ads/blank. -/ads/bottom. -/ads/bottom/* -/ads/box/* -/ads/branding/* -/ads/bt/* -/ads/btbuckets/* -/Ads/Builder. -/ads/bz_ -/ads/cbr. -/ads/center- -/ads/center. -/ads/checkViewport. -/ads/click_ -/ads/cnvideo/* -/ads/common/* -/ads/community? -/ads/config/* -/ads/configuration/* -/ads/contextual. -/ads/contextual_ -/ads/contextuallinks/* -/ads/create_ -/ads/creatives/* -/ads/cube- -/ads/daily. -/ads/daily_ -/ads/dart. -/ads/default_ -/ads/delivery? -/ads/design- -/ads/dfp. -/ads/dfp/* -/ads/dhtml/* -/ads/directory/* -/ads/display/* -/ads/displaytrust. -/ads/dj_ -/ads/elementViewability. -/ads/empty. -/ads/exit. -/ads/fb- -/ads/flash/* -/ads/flash_ -/ads/flashbanners/* -/ads/footer- -/ads/footer. -/ads/footer_ -/ads/forums/* -/ads/freewheel/* -/ads/frontpage/* -/ads/g/* -/ads/generatedHTML/* -/ads/generator/* -/ads/google1. -/ads/google2. -/ads/google_ -/ads/gpt/* -/ads/gpt_ -/ads/gray/* -/ads/head. -/ads/header- -/ads/header/* -/ads/header_ -/ads/home/* -/ads/homepage/* -/ads/horizontal/* -/ads/house/* -/ads/house_ -/ads/html/* -/ads/htmlparser. -/ads/iframe -/ads/im2. -/ads/image/* -/ads/images/* -/ads/imbox- -/ads/img/* -/ads/index- -/ads/index. -/ads/index/* -/ads/indexsponsors/* -/Ads/InFullScreen. -/ads/inline. -/ads/inner_ -/ads/interstitial. -/ads/interstitial/* -/ads/jquery. -/ads/js. -/ads/js/* -/ads/js_ -/ads/jsbannertext. -/ads/labels/* -/ads/layer. -/ads/leaderboard- -/ads/leaderboard. -/ads/leaderboard/* -/ads/leaderboard? -/ads/leaderboard_ -/ads/leaderbox. -/ads/like/* -/ads/load. -/ads/main. -/ads/marketing/* -/ads/masthead_ -/ads/menu_ -/ads/middle/* -/ads/motherless. -/ads/mpu/* -/ads/mpu2? -/ads/mpu? -/ads/msn/* -/ads/mt_ -/ads/narf_ -/ads/navbar/* -/ads/ninemsn. -/ads/oas- -/ads/oas/* -/ads/oas_ -/ads/original/* -/ads/oscar/* -/ads/outbrain? -/ads/overlay- -/ads/overlay/* -/ads/p/* -/ads/page. -/ads/panel. -/ads/payload/* -/ads/pencil/* -/ads/player- -/ads/plugs/* -/ads/pop. -/ads/popout. -/ads/popshow. -/ads/popup. -/ads/popup_ -/ads/post- -/ads/postscribe. -/ads/prebid/* -/ads/prebid_ -/ads/preloader/* -/ads/preroll- -/ads/preroll/* -/ads/preroll_ -/ads/profile/* -/ads/promo_ -/ads/proposal/* -/ads/proximic. -/ads/proxy- -/AdS/RAD. -/ads/rail- -/ads/rawstory_ -/ads/real_ -/ads/rect_ -/ads/rectangle_ -/Ads/Refresher. -/ads/request. -/ads/reskins/* -/ads/right. -/ads/right/* -/ads/ringtone_ -/ads/rotate/* -/ads/rotate_ -/ads/scriptinject. -/ads/scripts/* -/ads/select/* -/ads/serveIt/* -/ads/show. -/ads/show/* -/ads/side- -/ads/sidebar- -/ads/sidedoor/* -/ads/sitewide_ -/ads/skins/* -/ads/sky_ -/ads/smi24- -/ads/spacer. -/ads/sponsor -/ads/square- -/ads/square. -/ads/square2. -/ads/square3. -/ads/src/* -/ads/storysponsors/* -/ads/sub/* -/ads/swfobject. -/ads/syndicated/* -/ads/taboola/* -/ads/takeovers/* -/ads/targeting. -/ads/text/* -/ads/third- -/ads/tile- -/ads/top- -/ads/top. -/ads/tr_ -/ads/tracker/* -/ads/triggers/* -/ads/tso -/ads/txt_ -/ads/v2/* -/ads/vertical/* -/ads/vg/* -/ads/video/* -/ads/video_ -/ads/view. -/ads/views/* -/ads/vip_ -/ads/vmap/*$~xmlhttprequest -/ads/web/* -/ads/webplayer. -/ads/webplayer? -/ads/welcomescreen. -/ads/widebanner. -/ads/widget. -/ads/writecapture. -/ads/www/* -/ads/xtcore. -/ads/yahoo/* -/ads/zergnet. -/ads/zone/* -/ads0. -/ads01. -/ads05. -/ads09a/* -/ads1. -/ads1/* -/ads10. -/ads10/* -/ads100. -/ads11. -/ads11/* -/ads12. -/ads125. -/ads125_ -/ads160. -/ads160x600- -/ads160x600. -/ads160x600px. -/ads18. -/ads2. -/ads2/* -/ads20. -/ads2012/* -/ads2013/* -/ads2015/* -/ads210. -/ads2_ -/ads2x300. -/ads2x300new. -/ads3. -/ads3/* -/ads300. -/ads300adn2. -/ads300x250. -/ads300X2502. -/ads300x250_ -/ads300x250px. -/ads4.$domain=~ads4.city -/ads4/* -/ads468. -/ads468x60. -/ads468x60_ -/ads4j. -/ads4n. -/ads5. -/ads5/* -/ads5t. -/ads6. -/ads6/* -/ads600- -/ads620x60/* -/ads7. -/ads7/* -/ads728. -/ads728adn2. -/ads728x90_ -/ads728x90a. -/ads790. -/ads8. -/ads8/* -/ads88. -/ads9. -/ads9/* -/ads?apid -/ads?callback -/ads?id= -/ads?spaceid -/ads?zone= -/ads?zone_id= -/ads_1. -/ads_160_ -/ads_3. -/ads_300. -/ads_300_ -/ads_6. -/ads_728_ -/ads_ad_ -/ads_banner_ -/ads_banners/* -/ads_bg. -/ads_bottom. -/ads_bottom_ -/ads_box_ -/ads_check. -/ads_code. -/ads_code_ -/ads_codes/* -/ads_config. -/ads_controller. -/ads_dfp/* -/ads_display. -/ads_door. -/ads_event. -/ads_files/* -/Ads_Fix. -/ads_footer. -/ads_frame. -/ads_gallery/* -/ads_global. -/ads_gnm/* -/ads_google. -/ads_google_ -/ads_home_ -/ads_ifr. -/ads_iframe. -/ads_image/* -/ads_images/* -/ads_leaderboard_ -/ads_left_ -/ads_load/* -/ads_loader. -/ads_manager. -/ads_medrec_ -/ads_min_ -/ads_new. -/ads_new/* -/ads_openx_ -/ads_patron. -/ads_php/* -/ads_premium. -/ads_pro/* -/ads_r. -/ads_redirect. -/ads_reporting/* -/ads_server_ -/ads_show_ -/ads_sidebar. -/ads_start. -/ads_text_ -/ads_top_ -/ads_topbar_ -/ads_ui. -/ads_view. -/Ads_WFC. -/ads_yahoo. -/adsa468. -/adsa728. -/adsadclient31. -/adsadview. -/AdsAjaxRefresh. -/adsales/* -/adsall. -/adsame. -/adsame/* -/adsample. -/adsandbox. -/adsandtps/* -/adsAPI. -/adsarticlescript. -/adsatt. -/adsbanner- -/adsbanner. -/adsbanner/* -/adsbannerjs. -/adsbox.$domain=~adsbox.com.sg|~adsbox.in -/adsby. -/adsbycurse. -/adsbygoogle. -/adsbytenmax. -/adscale. -/adscale1. -/adscale_ -/adscalebigsize. -/adscalecontentad. -/adscaleskyscraper. -/adscbg/* -/adscdn. -/adscloud. -/adscluster. -/adscontent. -/adscontent2. -/adscpv/* -/adscript. -/adscript1. -/adscript? -/adscript_ -/adscripts/* -/adscripts1. -/adscripts2. -/adscripts3. -/adscroll. -/adsdaq_ -/adsdaqbanner_ -/adsdaqbox_ -/adsdaqsky_ -/adsDateValidation. -/adsdelivery. -/adsdfp/* -/adsdm. -/adsdyn160x160. -/adsDynLoad/* -/adsearch. -/adSearch? -/adsecondary. -/adsegmentation. -/adseller/* -/adsen/* -/adsence. -/adsenceSearch. -/adsenceSearchTop. -/adsEnd. -/adsense- -/adsense.$domain=~adsense.googleblog.com -/adsense/* -/adsense1. -/adsense2. -/adsense23. -/adsense24. -/adsense250. -/adsense3. -/adsense4. -/adsense5. -/adsense? -/adsense_$domain=~adsense.googleblog.com -/AdsenseBlockView. -/adsensegb. -/adsensegoogle. -/adsensets. -/adsensev2. -/adsenze. -/adseo.$domain=~adseo.com|~adseo.pl -/adseo/* -/adseperator_ -/adser/* -/adserv. -/adserv/* -/adserv1. -/adserv2. -/adserv3. -/adserv_ -/adserve- -/adserve. -/adserve/* -/adserve_ -/adserver- -/adserver. -/adserver/* -/adserver1- -/adserver1. -/adserver2. -/adserver2/* -/adserver3. -/adserver7/* -/adserver8strip. -/adserver? -/adserver_ -/adserverc. -/adserverdata. -/adServerDfp. -/adserverpub? -/adservers- -/adserversolutions/* -/adserverstore. -/adservervastvideovizu. -/adservice- -/adservice. -/adservice/* -/adservices/* -/adservice| -/adserving. -/adserving/* -/adserving_ -/AdServlet? -/adserv|*|adtech; -/adsession. -/adsession_ -/adsetup. -/adsetup_ -/adsfac. -/adsfetch. -/adsfile. -/adsfiles. -/adsfinal. -/adsfix. -/adsfloat. -/adsfolder/* -/adsfooter- -/adsframe. -/adsfuse- -/adsgame. -/adsGooglePP3. -/adshandler. -/adshare.$domain=~adshare.tv -/adshare/*$domain=~adsharetoolbox.com -/adshare3. -/adsheader. -/adshow- -/adshow. -/adshow/* -/adshow? -/adshow_ -/adshtml2/* -/adsi-j. -/adsico. -/adsico2. -/adsico3. -/adsicon/* -/adsidebar. -/adsidebarrect. -/adsiframe. -/adsiframe/* -/adsign.$domain=~adsign.no -/adsimage/* -/adsimages/* -/adsImg/* -/adsinclude. -/adsindie/* -/adsinsert. -/adsite/* -/adsites/* -/adsjs. -/adskin/* -/adsky. -/adskyright. -/adskyscraper. -/adslide. -/adslider/* -/adslides. -/adsline. -/adslots. -/adslug- -/adslug_ -/adslugs/* -/adsm2. -/adsmanagement/* -/adsmanager/* -/adsManagerV2. -/adsmapping/* -/adsMB/* -/adsmedia_ -/adsmin/* -/adsmm.dll/* -/adsmodules/* -/adsnative_ -/adsnew. -/adsnew/* -/adsnip. -/adsnippet. -/adsniptrack. -/adsonar. -/adsonphoto/* -/adsopenx/* -/adsource_ -/adsoverlay_ -/adsp/* -/adspa. -/adspace. -/adspace/* -/adspace1. -/AdSpace160x60. -/adspace2. -/adspace? -/adspacer. -/adspan. -/adspd. -/adspeeler/* -/adspending01. -/adspf. -/adspi. -/adsplay. -/Adsplex- -/AdsPlugin. -/adsPlugin/* -/adsplupu. -/adsponsor. -/adspot.$domain=~adspot.lk -/adspot/* -/adspot_ -/adspots/* -/adspro/* -/AdsPublisher. -/adsq/* -/adsquare. -/adsquareleft. -/adsrc. -/adsrc300. -/adsremote. -/adsreporting/* -/adsresources/* -/adsrich. -/adsright. -/adsrot. -/adsrot2. -/adsrotate. -/adsrotate1left. -/adsrotate1right. -/adsrotate2left. -/adsrotateheader. -/AdsRotateNEW1right. -/AdsRotateNEW2right. -/AdsRotateNEWHeader. -/adsrotator. -/adsrule. -/adsrules/* -/adsrv. -/adsrv/* -/adsrv2/* -/adsrvmedia/* -/adss.asp -/adsscript. -/adsserv. -/adsserver. -/adsservice. -/AdsShow. -/adsshow/* -/adssp. -/adssrv. -/adstacodaeu. -/adstakeover. -/adstatic. -/adstatic/* -/adstemp/* -/adstemplate/* -/adstitle. -/adstop. -/adstop728. -/adstop_ -/adstorage. -/adstracking. -/adstract/* -/adStrategies/* -/adstream. -/Adstream? -/adstream_ -/adstreamjscontroller. -/adStrip. -/adstrk. -/adstrm/* -/adstub. -/adstube/* -/adstubs/* -/adstx. -/adstyle. -/adsummos. -/adsummos2. -/adsup. -/adsvariables. -/adsvc2. -/adsvo. -/adsvr. -/adsvr2. -/adswap- -/adswap. -/adswap/* -/adsweb. -/adswide. -/adswidejs. -/adsword. -/adswrapper. -/adswrapper3. -/adswrapperintl. -/adswrappermsni. -/adsx/* -/adsx728. -/adsx_728. -/adsxml/* -/adsync/* -/adsyndication. -/adsyndication/* -/adsys. -/adsys/* -/adsystem. -/adsystem/* -/ads~adsize~ -/adtable_ -/adtabs. -/adtadd1. -/adtag. -/adtag/* -/adtag? -/adtag_ -/adtagcms. -/adtaggingsubsec. -/adtago. -/adTagRequest. -/adtags. -/adtags/* -/adtagtc. -/adtagtranslator. -/adtaily_ -/adtaobao. -/adtech- -/adtech. -/adtech/* -/adtech; -/adtech_ -/adtechglobalsettings.js -/adtechHeader. -/adtechscript. -/adtest. -/adtest/* -/adtext. -/adtext2. -/adtext4. -/adtext_ -/adtextmpu2. -/adtimage. -/adtitle. -/adtology. -/adtomo/* -/adtonomy. -/adtool/* -/adtools/* -/adtools2. -/adtooltip/* -/adtop. -/adtop160. -/adtop300. -/adtop728. -/adtopcenter. -/adtopleft. -/adtopmidsky. -/adtopright. -/adtopsky. -/adtrack. -/adtrack/* -/adtracker. -/adtracker/* -/adtracker? -/adtracking. -/adtracking/* -/adtraff. -/adttext- -/adttext. -/adtvideo. -/adtxt. -/adtype. -/adtype= -/adultadworldpop_ -/adultimate. -/adunit. -/adunit/*$domain=~propelmedia.com -/adunits. -/adunits/* -/adunits? -/adunittop| -/adunix. -/adutil. -/adutils. -/aduxads. -/aduxads/* -/adv-1. -/adv-2. -/adv-banner. -/adv-bannerize- -/adv-banners/* -/adv-div- -/adv-dmp/* -/adv-expand/* -/adv-ext- -/adv-f. -/adv-scroll- -/adv-scroll. -/adv-socialbar- -/adv.asp -/adv.css? -/adv.html -/adv.jsp -/adv.php -/adv.png -/adv/?rad_ -/adv/adriver -/adv/ads/* -/adv/adv_ -/adv/background/* -/adv/banner/* -/adv/banner1/* -/adv/banner_ -/adv/bottomBanners. -/adv/box- -/adv/interstitial. -/adv/kelkoo/* -/adv/kelkoo_ -/adv/lrec_ -/adv/managers/* -/adv/mjx. -/adv/mobile/* -/adv/preroll_ -/adv/rdb. -/adv/script1. -/adv/script2. -/adv/search. -/adv/skin. -/adv/skin_ -/adv/sponsor/* -/adv/sprintf- -/adv/topbanner. -/adv/topBanners. -/adv02. -/adv03. -/adv1. -/Adv150. -/adv180x150. -/adv2. -/adv3. -/adv4.$domain=~adv4.me -/Adv468. -/adv5. -/adv6. -/adv8. -/adv_2. -/adv_468. -/adv_background/* -/adv_banner_ -/adv_box_ -/adv_burt_ -/adv_display. -/adv_flash. -/adv_frame/* -/adv_horiz. -/adv_hp. -/adv_image/* -/adv_left_ -/adv_library3. -/adv_link. -/adv_manager_ -/adv_out. -/adv_player_ -/adv_rcs/* -/adv_script_ -/adv_server. -/adv_teasers. -/adv_top. -/adv_vert. -/adv_vertical. -/advalue/* -/advalue_ -/advaluewriter. -/advanced-ads- -/advanced-ads/* -/advanced-advertising- -/advault. -/advbanner/* -/advbanners/* -/advcontents. -/advcounter. -/advdl. -/advdoc/* -/advengine. -/adver-left. -/adver.$domain=~adver.biz -/adver_hor. -/adverfisement. -/adverfisement2. -/adverserve. -/adversting/* -/adversting? -/advert-$domain=~advert-technology.com|~advert-technology.ru -/advert. -/advert/* -/advert01. -/advert1- -/advert1. -/advert1/* -/advert2- -/advert2. -/advert24. -/advert3. -/advert31. -/advert32. -/advert33. -/advert34. -/advert35. -/advert36. -/advert37. -/advert4. -/advert5. -/advert6. -/advert8. -/advert? -/advert_ -/AdvertAssets/* -/advertbanner. -/advertbanner2. -/advertbox. -/advertguruonline1. -/adverth. -/adverthorisontalfullwidth. -/advertical. -/advertise- -/advertise.$domain=~advertise.apartments.com|~advertise.bingads.microsoft.com|~advertise.directoryofillustration.com|~advertise.isleofskye.com|~advertise.medillsb.com|~advertise.movem.co.uk|~engineering.com -/advertise/*$domain=~legl.co -/advertise125x125. -/advertise_ -/advertisebanners/* -/advertisehere. -/advertisement- -/advertisement.$domain=~advertisement.solutions.zalando.com -/advertisement/* -/advertisement1. -/advertisement160. -/advertisement2. -/advertisement3. -/advertisement_ -/advertisementAPI/* -/advertisementheader. -/advertisementmapping. -/advertisementrotation. -/advertisements- -/advertisements. -/advertisements/* -/advertisements2. -/advertisements_ -/AdvertisementShare. -/advertisementview/* -/advertiser.$domain=~advertiser.adverbid.com|~advertiser.autorepairconnect.com|~advertiser.growmobile.com|~panel.rightflow.com|~trialpay.com|~unity3d.com -/advertiser/*$domain=~affili.net|~bingads.microsoft.com|~linkpizza.com|~mobileapptracking.com|~trialpay.com -/advertisers.$image,script,subdocument,domain=~advertisers.adversense.com|~advertisers.easyweddings.com.au|~advertisers.io|~advertisers.leadia.ru|~advertisers.ypfboost.ph|~panel.rightflow.com -/advertisers/*$domain=~datalift360.com|~home.tapjoy.com|~panel.rightflow.com|~propelmedia.com -/advertiserwidget. -/advertises/* -/advertisewithus_ -/advertising-$domain=~abramarketing.com|~advertising-direct.com|~outbrain.com|~yellowimages.com -/advertising.$domain=~advertising.bulurum.com|~advertising.byhoxby.com|~advertising.dailymotion.com|~advertising.shpock.com|~advertising.theguardian.com -/advertising/*$~xmlhttprequest,domain=~commercialplanet.eu|~temple.edu|~themarker.com -/advertising02. -/advertising2. -/advertising300x250. -/advertising? -/advertising_ -/advertisingbanner. -/advertisingbanner/* -/advertisingbanner1. -/advertisingbanner_ -/advertisingbutton. -/advertisingcontent/* -/advertisingimageexte/* -/AdvertisingIsPresent6? -/advertisinglinks_ -/advertisingmanual. -/advertisingmodule. -/advertisings. -/advertisingwidgets/* -/advertisment- -/advertisment. -/advertisment/* -/advertisment1- -/advertisment_ -/advertisments/* -/advertize_ -/advertlayer. -/advertmedia/* -/advertmsig. -/advertorial/* -/advertorial_ -/advertorials/* -/advertphp/* -/advertpixelmedia1. -/advertpro/* -/advertrail. -/advertright. -/adverts.$domain=~adverts.org.ua -/adverts/* -/adverts_ -/advertserve. -/advertsky. -/advertsquare. -/advertstub. -/adverttop. -/advertverticallong. -/advertwebapp. -/adverweb. -/advf1. -/advfiles/* -/advFrameCollapse. -/advhd. -/advice-ads. -/advideo. -/adview.$domain=~adview.mu|~adview.online -/adview/* -/adview? -/adview_ -/adviewas3. -/adviewed. -/adviewer. -/adviframe/* -/advinfo. -/advision.$domain=~advision.dk -/adVisit. -/advlink300. -/advloader. -/advolatility. -/advpartnerinit. -/advPop. -/advpreload. -/advris/* -/advrotator. -/advs.ads. -/advs/* -/advscript. -/advscripts/* -/advshow. -/advt. -/advt/* -/advt2. -/advtarget/* -/advtBanner. -/advtemplate/* -/advtemplate_ -/advweb. -/AdvWindow/* -/advzones/* -/adw.shtml -/adw2.shtml -/adweb.$domain=~adweb.clarkson.edu|~adweb.cz -/adweb2. -/adweb33. -/adwidget/* -/adwidget_ -/adwidgets/* -/adwise/* -/adWiseShopPlus1. -/adwiz. -/adwiz/* -/adwizard. -/adwizard_ -/adwolf. -/adwords.$domain=~ppc.ee -/adwords/* -/adwordstracking.js -/adWorking/* -/adworks.$domain=~adworks.att.com|~adworks.co.il -/adworks/* -/adworldmedia/* -/adworx. -/adworx_ -/adwrapper/* -/adwrapperiframe. -/adwriter2. -/adx-exchange. -/adx.$domain=~adx.uk.com|~adx.wowfi.com -/adx/ads? -/adx/iframe. -/adx/js/* -/adx/mobile/* -/adx160. -/adx2. -/adx_exo_ -/adx_flash. -/adx_iframe_ -/adxcm_ -/adxrotate/* -/adxsite. -/adxx.php? -/adyard. -/adyard300. -/adyea. -/adyoulike. -/adzbotm. -/adzerk2_ -/adzilla/* -/adzintext- -/adzone. -/adzone/* -/adzone1. -/adzone4. -/adzone_ -/AdZoneAdXp. -/adzonebelowplayer. -/adzonebottom. -/adzonecenteradhomepage. -/adzoneleft. -/adzonelegend. -/adzoneplayerright. -/AdZonePlayerRight2. -/adzoneright. -/adzones/* -/adzonesidead. -/adzonetop. -/adztop. -/afc-match?q= -/afcads. -/afcsearchads. -/afdsafads/* -/aff-exchange/* -/aff.htm -/aff/ads_ -/aff/images/* -/aff_ad? -/aff_banner/* -/aff_banners/* -/aff_frame. -/affad? -/affads/* -/affbanner/* -/affbanners/* -/affbeat/banners/* -/affclick/* -/affilatebanner. -/Affiliate-Banner- -/affiliate-content/* -/affiliate.linker/* -/affiliate/ad/* -/affiliate/ads/* -/affiliate/banner/* -/affiliate/banners/* -/affiliate/displayWidget? -/affiliate/promo- -/affiliate/promo/* -/affiliate/script.php? -/affiliate/small_banner/* -/affiliate_banner/* -/affiliate_banners/* -/affiliate_base/banners/* -/affiliate_resources/* -/affiliate_show_banner. -/affiliate_show_iframe. -/affiliateads/* -/affiliateadvertisement. -/affiliatebanner/* -/affiliatebanners/* -/affiliateimages/* -/affiliates.*.aspx? -/affiliates/*/show_banner. -/affiliates/banner -/affiliates/contextual. -/affiliateserver. -/affiliatetags/* -/affiliatewiz/* -/affiliation/* -/affiliationcash. -/affilinet/*$domain=~affilinet-inside.com|~affilinet-inside.fr -/affilitebanners/* -/affimages/* -/affimg/* -/affliate-banners/* -/affpic/* -/afr.php? -/afr?auid= -/afs/ads/* -/ahmestatic/ads/* -/AIV-Ad- -/ajax-ad/* -/ajax-advert- -/ajax-advert. -/ajax/ad/* -/ajax/ads/* -/ajax/ads_ -/ajaxAd? -/ajaxads. -/ajrotator/* -/ajs.php? -/ajs?auid= -/ak-ads- -/ak/ads/* -/all/ad/* -/all_ads/* -/alternet.ad? -/alwebad_ -/am/ads. -/amazon-async- -/amazon/iframeproxy- -/amazon/widget/* -/amp-ad- -/amzn_ads. -/amzn_omakase. -/anchorad. -/annonse.$domain=~annonse.nu -/annonse/* -/annonser. -/annonser/* -/announce/adv/* -/anyad.js -/api.ad. -/Api/Ad. -/api/ad/* -/api/ads/* -/apopwin. -/app.ads- -/app.ads. -/app/ads. -/app/ads/* -/aptads/* -/Article-Ad- -/article_ad. -/articlempuadvert/* -/articleSponsorDeriv_ -/artimediatargetads. -/as/gb2?stid= -/as/gb?stid= -/as3overstreamplatformadapter. -/as_u/ads/* -/aseadnshow. -/aspbanner_inc.asp? -/asset/ad/* -/asset/adv/* -/assets/ad- -/assets/ad/* -/assets/ads- -/assets/ads/* -/assets/ads3- -/assets/ads_ -/assets/adv/* -/assets/doubleclick/* -/assets/js/ad. -/assets/sponsored/* -/ast/ads/* -/async/ads- -/asyncadload. -/asyncjs.$domain=~asyncjs.com -/asyncspc. -/athena/tag/? -/atnads/* -/atrads. -/attachad. -/AttractiveAds/* -/AttractiveAds_ -/AttractiveAdsCube. -/au2m8_preloader/* -/audio-ads/* -/audioads/* -/auditudeadunit. -/auditudebanners. -/austria_ad. -/auto_ad_ -/Avatar_ad_ -/awe2.js -/awempire. -/awepop. -/b.ads. -/back-ad. -/background_ad_ -/BackgroundAd40. -/backgroundAdvertising. -/backlinxxx/js/* -/badge_ad_ -/ban.php? -/ban160.php -/ban300.html -/ban300.php -/ban728.html -/ban728.php -/ban728x90. -/ban_ad. -/ban_m.php? -/banimpress. -/banman.asp? -/banman/* -/banmanpro/* -/Banner-300x250. -/banner-ad- -/banner-ad. -/banner-ad/* -/banner-ad_ -/banner-ads/* -/banner.asp?$third-party -/banner.ca? -/banner.cgi? -/banner.gif? -/banner.htm? -/banner.php -/banner.ws? -/banner/468 -/banner/700 -/banner/ad. -/banner/ad/* -/banner/ad_ -/banner/adv/* -/banner/adv_ -/banner/affiliate/* -/banner/rtads/* -/banner/show.php -/banner/sponsor_ -/banner/virtuagirl -/banner160x600- -/banner20468x60. -/banner460x80. -/banner468. -/banner468_ -/banner468a. -/banner468x60. -/banner468x80. -/banner728x90_ -/banner_125x -/banner_468. -/banner_468x -/banner_ad. -/banner_ad_ -/banner_ads. -/banner_ads/* -/banner_ads_ -/banner_adv/* -/banner_control.php? -/banner_db.php? -/banner_file.php? -/banner_id/* -/banner_iframe_ -/banner_image.php? -/banner_js.*? -/banner_OAS.js -/banner_skyscraper. -/banner_view. -/banner_zanox/* -/banner_zedo/* -/bannerad. -/bannerad/* -/bannerad1- -/bannerad2- -/bannerad3. -/bannerad6. -/bannerad_ -/bannerads- -/bannerads. -/bannerads/* -/banneradsajax. -/banneradsgenerator. -/banneradverts/* -/banneradviva. -/bannercode.php -/bannerconduit. -/bannerdeliver.php -/bannerexchange/* -/bannerfarm. -/bannerfarm/* -/bannerfile/ad_ -/bannerframe.*? -/bannerframeopenads. -/bannerframeopenads_ -/bannerinc. -/bannerjs.php? -/bannermaker/* -/bannermanager/* -/bannermvt. -/bannerpump. -/bannerrotate. -/bannerrotater/* -/bannerrotation. -/bannerrotation/* -/banners.*&iframe= -/banners.cgi? -/banners.php?id -/banners/160 -/banners/300 -/banners/460 -/banners/468 -/banners/728 -/banners/ad/* -/banners/ad10. -/banners/ad11. -/banners/ad_ -/banners/ads- -/banners/ads. -/banners/ads/* -/banners/adv/* -/banners/adv_ -/banners/aff. -/banners/affil/* -/banners/affiliate/* -/banners/ffadult/* -/banners/googlebanner -/banners/promo/* -/banners_rotation. -/bannersAds_ -/bannerscript/* -/bannerserve/* -/bannerserver/* -/bannerserver3/* -/bannerserver3| -/bannerserver? -/bannersyndication. -/bannerview.*? -/bannerwerbung/* -/bannery/*?banner= -/bansrc/* -/bar-ad. -/baseAd. -/baselinead. -/basePopunder. -/basic/ad/* -/bauer.ads. -/bbad. -/bbad1. -/bbad10. -/bbad2. -/bbad3. -/bbad4. -/bbad5. -/bbad6. -/bbad7. -/bbad8. -/bbad9. -/bckgrnd_ad. -/bdcustomadsense- -/beacon/ad/* -/beacon/ads? -/behaviorads/* -/bennerad.min. -/beta-ad. -/betrad.js -/bftv/ads/* -/bg-advert- -/bg/ads/* -/bg_ads_ -/bg_adv_ -/bgads/* -/bi_affiliate.js -/big-ad-switch- -/big-ad-switch/* -/bigad. -/bigad_ -/bigads/* -/bigboxad. -/bigtopl.swf -/bin/ads/* -/binary/ad/* -/bizad. -/bkgrndads/* -/blockad_ -/blocks/ads/* -/blog-ad- -/blog/ads/* -/blog_ad? -/blog_ads/* -/blogad. -/blogad02. -/blogad_ -/blogads- -/blogads. -/blogads/* -/blogads2_ -/blogads3/* -/blogads_ -/blogadsbg. -/bloggerex. -/blogoas- -/bmndoubleclickad. -/bnr.php? -/bnr_show.php?id=$script -/bnrad/* -/bnrimg. -/bnrsrv. -/bodyads/* -/BOM/Ads/* -/bookad/* -/bookads. -/bookads2. -/boomad. -/bottom-ad- -/bottom-ads. -/bottom-advert- -/bottom_ad. -/bottom_ads. -/bottom_adv. -/bottom_adv_ -/bottomad. -/bottomad/* -/bottomads. -/bottomsidead/* -/box_ad_ -/box_ads_ -/boxad. -/boxad1. -/boxad2. -/boxad3. -/boxad_ -/brandingAd. -/breakad_ -/breaking_ad/* -/brightcovead. -/brsAssets/ads/* -/bserver/* -/btads/* -/btbuckets/btb.js -/btmads. -/btmadsx. -/btn_ad_ -/bucketads. -/buddyw_ad. -/buildAdfoxBanner. -/buildAdriverBanner. -/bundles/Ad/* -/burt/adv_ -/butler.php?type= -/button_ads/* -/buttonad/* -/ButtonAd_ -/buttonads. -/buttonads/* -/buyad. -/buyclicks/* -/buyer/dyad/* -/buysellads- -/buysellads. -/buzz/ads/* -/bytemark_ad. -/cache/ads_ -/cactus-ads/* -/cads-min.js -/calendar-ads/* -/call/pubif/* -/call/pubj/* -/call_ads/* -/callads5. -/callAdserver? -/camaoadsense. -/camaoAdsenseHomepage. -/camfuzeads/* -/campaign/advertiser_ -/campus/ads/* -/carbonads- -/carbonads/* -/carouselads. -/carsadtaggenerator.js -/cashad. -/cashad2. -/category-sponsorship/* -/catfishads/* -/cb.php?sub$script,third-party -/cbgads. -/cci-ads- -/cdn.ad. -/cdn.ads. -/cdn/adx/* -/centerads. -/central/ads/* -/centralresource/ad_ -/ceoads/* -/cgi-bin/ad/* -/cgi-bin/ads. -/cgi-bin/ads/* -/cgi-bin/ads_ -/cgi-exe/ad. -/cgi/ad_ -/channelblockads. -/checkm8footer_ -/checkm8header_ -/chinaadclient. -/chitika-ad? -/chrome-ad. -/ciaad. -/circads. -/cjadsprite. -/ck.php?nids -/clarityray.js -/ClassAds/* -/classifieds/banners/* -/click/ads_ -/click/creative/* -/clickboothad. -/clicksor. -/clickunder. -/clients/ads/* -/clkads. -/cm/ads/* -/CME-ad- -/cmg_ad. -/cmlink/ads- -/cms/ads/* -/cms/js/ad_ -/cn-advert. -/cnads.js -/cnnslads. -/cnxad- -/CoastMarketplaceAdCategoriesAuctionsEstateGarageSales? -/CoastMarketplaceAdCategoriesJobs? -/CoastMarketplaceAdCategoriesRealEstateForSaleOrRent? -/codaadconfig. -/CofAds/* -/coldseal_ad. -/collisionadmarker. -/colorscheme/ads/* -/column-ad- -/columnadcounter. -/columnads/* -/com/ads/* -/combo?darla/* -/comment-ad- -/comment-ad. -/commercial_horizontal. -/commercial_top. -/common-ads/* -/common/ad. -/common/ad/* -/common/ad_ -/common/ads/* -/common/adv_ -/common/dart_wrapper_ -/common/results.htm?block=*[colorAdSeparator]$subdocument,~third-party -/common_ad. -/commonAD. -/commons/ad/* -/commspace_ad. -/companion_ad. -/companion_ads. -/companionAdFunc. -/compban.html? -/Component/Ad/* -/Components/Ad/* -/components/ads/* -/components/ads_ -/conad. -/conad_ -/configspace/ads/* -/cont-adv. -/contads. -/contaxe_ -/content-ads. -/content/ad/* -/content/ad_ -/content/ads/* -/content/adv/* -/content_ad. -/content_ad_ -/contentAd. -/contentad/* -/contentad_ -/contentAdServlet? -/contentadvert1. -/contentadxxl. -/contentad| -/contentmobilead. -/context_ad/* -/context_ads. -/contextad. -/contextads. -/contextualad. -/contpop.js| -/contribute_ad. -/controller.ad. -/controller/ads/* -/controllerimg/adv/* -/convertjsontoad. -/core-ads- -/core/ad/* -/core/ads/* -/coread/* -/corner-ad. -/corner_ads/* -/cornerbig.swf -/cornersmall.swf -/country_ad. -/cover_ad. -/coxads/* -/cpm160. -/cpm728. -/cpm_ad. -/cpmbanner. -/cpmcampaigns/* -/cpmrect. -/cpx-ad. -/cpx-advert/* -/cpx_ads. -/cpxads. -/cramitin/ads_ -/crossoverad- -/csp/ads? -/css/ad. -/css/ads- -/css/ads. -/css/adsense -/css/adv. -/cssjs/ads/* -/ctamlive160x160. -/cube_ads/* -/cubead. -/cubeads/* -/cubeads_ -/curlad. -/curveball/ads/* -/custads/* -/custom/ads -/custom/doubleclick/* -/custom11x5ad. -/custom_ads/* -/customad. -/customadmode. -/customads/* -/customadsense. -/customcontrols/ads/* -/customerad_ -/cutead. -/cvs/ads/* -/cwggoogleadshow. -/cyad. -/cyad1. -/d/ads/* -/daily/ads/* -/dart_ads. -/dart_ads/* -/dart_enhancements/* -/dartad/* -/dartadengine. -/dartadengine2. -/dartads. -/dartcall. -/dartfunctions. -/data/ads/* -/data/init2?site_id= -/data/init?site_id= -/dateads. -/davad_ad_ -/dblclick. -/dblclickad. -/dclk/dfp/* -/dclk_ads. -/dclk_ads_ -/dcloadads/* -/ddlads/* -/de/ads/* -/default-adv/* -/default/ads/* -/default_ads/* -/default_adv. -/default_oas. -/defaultad. -/defaultad? -/defaults_ads/* -/defer_ads. -/deferads. -/defersds. -/delayedad. -/delfi-ads/* -/deliver.jphp? -/deliver.nmi? -/deliver/wr? -/deliverad/* -/deliverads. -/deliverjs.nmi? -/deliversd/* -/deliversds. -/delivery.ads. -/delivery.php?pool_id= -/delivery.php?rnd= -/delivery/*?advplaces= -/delivery/afr. -/delivery/ag. -/delivery/al.php -/delivery/apu.php -/delivery/avw. -/delivery/fc. -/delivery/fl. -/delivery/spc. -/delivery/vbafr.php -/delivery_ads/* -/deluxe/ad. -/demo/ads/* -/DemoAd. -/descpopup.js -/design/ads/* -/develop/ads_ -/devicead/* -/dfp-ads. -/dfp-ads/* -/dfp-custom/* -/dfp.js -/dfp/async. -/dfp/blocks/* -/dfp/dc.js -/dfp/head/* -/dfp/jquery. -/dfp_ads/* -/dfp_delivery.js -/dfp_init. -/dfpad/* -/dfpads. -/dfpInAngular. -/dfpsds. -/dfpsearchads. -/dictionary/ads/* -/dif/?cid -/dig_ad. -/digest/ads. -/digg_ads. -/digg_ads_ -/dinclinx.com/* -/direct_ads. -/directads. -/directadvert. -/directrev. -/discuss_ad/* -/DispAd_ -/display-ad/* -/display-ads- -/display-ads/* -/display.ad. -/display/ads/* -/display?ad_ -/display_ad -/displayad. -/displayad/* -/displayad? -/displayadbanner_ -/displayadiframe. -/displayadleader. -/displayads. -/displayads/* -/displayads1. -/displayads2. -/displayads3. -/displayadsiframe. -/displaybanner/* -/div-ads. -/divad/* -/dlfeatads. -/dmn-advert. -/dne_ad. -/dns_ad/* -/dnsads. -/domainads/* -/door/ads/* -/doors/ads/* -/doubleclick.aspx -/doubleclick.js -/doubleclick.php -/doubleclick.swf -/doubleclick/iframe. -/doubleclick_ads. -/doubleclick_ads/* -/doubleclickad. -/doubleclickads. -/doubleclickads/* -/doubleclickads? -/doubleclickbannerad? -/doubleclickcontainer. -/doubleclickinstreamad. -/doubleclickloader. -/doubleclickplugin. -/doubleclicktag. -/doublepimp2.js -/downads. -/download-ad. -/download/ad. -/download/ad/* -/download/ads -/drawad. -/driveragentad1. -/driveragentad2. -/drivingrevenue/* -/droelf.kit/a/* -/dropdown_ad. -/dsg/bnn/* -/DSN-Ad- -/dspads. -/dtiadvert125x125. -/dtim300x250.$script -/dtmads/* -/dummy_ad_ -/dxd/ads/* -/dyn_banner. -/dyn_banners_ -/dynamic-ad- -/dynamic-ad/* -/dynamic/ads/* -/dynamic_ads/* -/DynamicAd/* -/dynamicad? -/dynamiccsad? -/dynamicvideoad? -/dynanews/ad- -/dynbanner/flash/* -/e-advertising/* -/e-vertising/* -/eas-fif.htm -/eas?*^easformat= -/eas?camp=*;cre= -/eas?cu=*;cre= -/eas?cu=*;ord= -/eas_fif. -/eas_tag.1.0.js -/easyads.$domain=~easyads.io -/easyads/*$domain=~easyads.io -/easyadstrack. -/easyazon- -/ebay_ads/* -/ebayad. -/eco_ads/* -/ecom/magnet. -/editable/ads/* -/eht.js?site_ -/emailads/* -/embed-ad- -/embed/ads. -/embed_ad. -/emediatead. -/empty_ad_ -/EmreAds. -/ems/ads. -/en/ads/* -/eng/ads/* -/eplanningv4. -/eporner-banner- -/ept_in.php? -/ero-1. -/ero-ads- -/ero-ads_ -/ero-advertising. -/ero.htm -/ero_hosted_ -/ero_line_ -/eroad.php -/eroad2. -/eroads. -/eroadvertising. -/eroadvertorial2. -/eroadvertorial3. -/erobanner. -/eros.htm -/eshopoffer. -/esi/ads/* -/etology.$domain=~etology.com -/euads/* -/event.ng/* -/exads/* -/excellence/ads/* -/exchange_banner_ -/exit_popup -/exitpop. -/exitpopunder. -/exitpopunder_ -/exitpopup. -/exitsplash. -/exo120x60. -/exobanner. -/exoclick. -/exoclickright. -/exoclickright1. -/exoclickright2. -/exoclickright3. -/expads- -/expandable_ad.php -/expandable_ad? -/expandingads. -/expandy-ads. -/expop.js -/exports/tour/*$third-party -/exports/tour_20/* -/ext/ads/* -/ext_ads. -/extadv/* -/extendedadvert. -/external/ad. -/external/ad/* -/external/ads/* -/external_ads. -/externalad. -/ExternalAdNetworkViewlogLogServlet? -/externalads/* -/externalhtmladrenderer. -/extra_ads/* -/eyewondermanagement. -/eyewondermanagement28. -/facebookaff/* -/facebookaff2/* -/facebooksex. -/fan-ads.$script -/fastclick160. -/fastclick728. -/fatads. -/fbads/* -/fc_ads. -/fea_ads. -/featuredadshome. -/feedads. -/fif.html?s= -/fifligatus. -/file/ad. -/file/ads/* -/fileadmin/ads/* -/files/ad- -/files/ad/* -/files/ads- -/files/ads/* -/filter.php?pro$script -/fimserve. -/finads. -/first-ad_ -/flag_ads. -/flash-ads. -/flash-ads/* -/flash/ad/* -/flash/ad_ -/flash/ads/* -/flash/advertis -/flash_ads. -/flashad. -/flashad3. -/flashads.$domain=~flashads.co.id -/flashads/* -/flashpeelads/* -/flatad. -/flesh_banner -/fleshlight.$domain=~fleshlight.com|~fleshlight.zendesk.com -/fleshlightcash_ -/flexads? -/fliionosadcapture- -/flirt4free. -/float-ads/* -/float_ad. -/floatad_ -/floatads. -/floatadv. -/floater_ad. -/floating-ad- -/floatingad. -/FloatingAd_ -/floatingads. -/floaty_rotator -/flv-ad- -/flvad_ -/flvads/* -/flyad. -/flyad/* -/flyads/* -/flyers/ads/* -/fm-ads1. -/fm-ads2. -/fm-ads3. -/fm-ads4. -/fn_ads. -/footad- -/footad. -/footer-ad- -/footer-ad. -/footer-ads/* -/footer_ad. -/footer_ad_ -/footer_ads. -/footer_ads_ -/footerad. -/footerad? -/footerads. -/footerads/* -/footertextads. -/forads. -/forum/ads/* -/forum_ad. -/forums/ad/* -/ForumViewTopicBottomAD. -/ForumViewTopicContentAD. -/frame_ads_ -/framead- -/framead. -/framead/* -/framead_ -/frameads. -/frameads1. -/frameads_ -/frameadsz. -/freead. -/freead2. -/frequencyads. -/friendfinder_ -/frnads. -/front/ads- -/frontads/* -/frontend/ads/* -/frontpagead/* -/ftp/adv/* -/full/ads/* -/fullad. -/fulladbazee. -/fuseads/* -/fwadmanager. -/gadgets/ad/* -/gads.html -/gads.js -/gafc.js -/gafsads? -/gafv_adapter. -/galleryad. -/gam.html? -/gam_ad. -/gam_ad_ -/gam_ads. -/gamads/* -/game-ads. -/gamead/* -/gameadsync. -/gamersad. -/GAN_Ads/* -/gannett/ads/* -/gate-ad- -/gatewayAds. -/gazette/ads/* -/geitonpop. -/gen-ad- -/gen_ads_ -/genads/* -/general-ad- -/general/ads -/generate_ad. -/generate_ads. -/generateadtag. -/generated/key.js? -/generateplayerads. -/generic-ad. -/generic.ads. -/genericrichmediabannerad/* -/geo-ads_ -/geo/ads. -/geo_banner.htm? -/geoad/* -/geobox.html -/GeoDynBanner.php?wmid= -/ges_ads/* -/get-ad. -/get-ad/* -/get-advert- -/get.*/get.$script -/get.ad? -/get/ad. -/get/ad/* -/get/ad? -/get_ad_ -/get_adds_ -/get_ads. -/get_ads/* -/get_banner.asp? -/getad. -/getad/* -/getAd; -/getad? -/getAdAjax/* -/getadcontent. -/getadds. -/GetAdForCallBack? -/getadframe. -/getads- -/getads. -/getads/* -/getads? -/getadserver. -/getadsettingsjs? -/getAdsForClient? -/getads| -/getadvertimageservlet? -/getAdvertisement^ -/getadvertiserimage. -/getadverts? -/GetADVOverlay. -/getarticleadvertimageservlet? -/getban.php? -/getbanner.cfm? -/getbanner.php? -/getdigitalad/* -/getfeaturedadsforshow. -/gethalfpagead. -/getinlineads/* -/getJsonAds? -/getmarketplaceads. -/getmdhlayer. -/getmdhlink. -/getmyad/* -/getrcmd.js? -/getsad.php? -/getsponslinks. -/getsponslinksauto. -/getTextAD. -/GetVASTAd? -/getvdopiaads. -/getvideoad. -/getwebsitead/* -/gexternalad. -/gfx/ad- -/gfx/ad/* -/gfx/ads/* -/ggad/* -/ggadsense. -/gifs/ads/* -/gigyatargetad. -/glam160. -/glam300. -/glam728. -/glam_ads. -/global-ads_ -/global/ad/* -/global/ads. -/global/ads/* -/global_advs. -/globalad. -/globaladprostyles. -/globalAdTag. -/globalbannerad. -/googad300by600. -/google-ad- -/google-ad? -/Google-Ads- -/google-ads. -/google-ads/* -/google-adsense- -/google-adsense. -/google-adverts- -/google-adwords -/google-afc- -/google-afc. -/google/ad? -/google/adv. -/google160. -/google728. -/google_ad. -/google_ad_ -/google_ads. -/google_ads/* -/google_ads_ -/google_adv/* -/google_afc. -/google_afc_ -/google_afs. -/google_afs_widget/* -/google_caf.js? -/google_lander2.js -/google_radlinks_ -/googlead- -/googlead. -/googlead1. -/googlead160. -/GoogleAd300. -/googlead336x280. -/googlead_ -/googleadarticle. -/GoogleAdBg. -/googleadcode. -/googleaddfooter. -/googleaddisplayframe. -/googleadhp. -/googleadhpbot. -/googleadhtml/* -/googleadiframe_ -/googleadright. -/googleads- -/googleads. -/googleads/* -/googleads1. -/googleads2. -/googleads3widetext. -/googleads_ -/googleadsafc_ -/googleadsafs_ -/googleAdScripts. -/googleadsense. -/googleAdTaggingSubSec. -/googleadunit? -/googleafc. -/googleafs. -/googleafvadrenderer. -/googlecontextualads. -/GoogleDFP. -/googleheadad. -/googleleader. -/googleleads. -/googlempu. -/gpt_ads- -/graphics/ad_ -/graphics/ads/* -/grid-ad. -/groupon/ads/* -/gt6skyadtop. -/gtags/pin_tag. -/gtv_ads. -/guardianleader. -/guardrailad_ -/gujAd. -/GujAd/* -/gutterAd. -/gutterspacead. -/hads- -/halfadvert/* -/Handlers/Ads. -/hcm_ads/* -/hdadvertisment- -/header-ad. -/header_ad_ -/header_ads_ -/headerad. -/headeradd2. -/headerads. -/headerads1. -/headerAdvertismentTab. -/headermktgpromoads. -/headvert. -/Heat_Ad. -/hiadone_ -/hikaku/banner/* -/hitbar_ad_ -/holl_ad. -/home/_ads -/home/ad_ -/home/ads- -/home/ads/* -/home/ads_ -/home/sponsor_ -/home30/ad. -/home_adv. -/homeoutside/ads/* -/homepage-ads/* -/homepage/ads/* -/homepage_ad_ -/homepage_ads/*$domain=~swedishbeauty.com -/homepageadvertright. -/homeslideadtop/* -/HomeStaticAds/* -/HompageStickyAd. -/horizontal_advert_ -/horizontalAd. -/hostedads. -/hostedbannerads. -/hostgator-ad. -/hosting/ads/* -/hostkey-ad. -/house-ad. -/house-ad/* -/house-ads/* -/house_ad- -/house_ad_ -/house_ads/* -/housead. -/housead/* -/housead_ -/houseads. -/houseads/* -/houseads? -/hoverad. -/hpcwire/ads/* -/ht.js?site_ -/html.ng/* -/html/ad. -/html/ad/* -/html/ads/* -/html/ads_ -/html/sponsors/* -/htmlads/* -/httpads/* -/hubxt.*/js/eht.js? -/hubxt.*/js/ht.js -/hw-ads. -/i/ads/* -/i/adv/* -/i_ads. -/ia/ads/* -/iabadvertisingplugin.swf -/IBNjspopunder. -/icon_ad. -/icon_ads_ -/icon_advertising_ -/idevaffiliate/banners/* -/idleAd. -/ifolder-ads. -/iframe-ad. -/iframe-ad/* -/iframe-ad? -/iframe-ads/* -/iframe-mgid- -/iframe.ad/* -/iframe/ad/* -/iframe/ad_ -/iframe/ads/* -/iframe_ad. -/iframe_ad? -/iframe_ad_ -/iframe_ads/* -/iframe_ads_ -/iframe_chitika_ -/iframe_sponsor_ -/iframead. -/iframead/* -/iframead_ -/iframeadcontent. -/iframeads. -/iframeads/* -/iframeadsense. -/iframeadsensewrapper. -/iFramedAdTemplate/* -/iframedartad. -/iframes/ad/* -/ifrm_ads/* -/ignite.partnerembed.js -/ignitecampaigns.com/* -/ilivid-ad- -/im-ad/im-rotator. -/im-ad/im-rotator2. -/im-popup/* -/im.cams. -/ima/ads_ -/imaads. -/imads.js -/image/ad/* -/image/ads/* -/image/ads_ -/image/adv/* -/image/affiliate/* -/image/sponsors/* -/image_ads/* -/imageads/* -/imagecache_ads/* -/images-ad/* -/images-v2/ad_ -/images.ads. -/images.adv/* -/images/ad- -/images/ad.$domain=~ngohq.com -/images/ad/* -/images/ad2/* -/images/adds/* -/images/ads- -/images/ads. -/images/ads/* -/images/ads_ -/images/adv- -/images/adv. -/images/adv/* -/images/adv_ -/images/adver- -/images/aff- -/images/affs/* -/images/awebanner -/images/bg_ad/* -/images/gads_ -/images/livejasmin/* -/images/sponsored. -/images/sponsored/* -/images/vghd -/images1/ad_ -/images2/ads/* -/images_ad/* -/images_ads/* -/imagesadspro/* -/imfloat. -/img-ads/* -/img-advert- -/img.ads. -/img/_ad. -/img/ad- -/img/ad. -/img/ad/* -/img/ad_ -/img/ads/* -/img/adv. -/img/adv/* -/img/aff/* -/img2/ad/* -/img3/ads/* -/img_ad/* -/img_ad_ -/img_ads/* -/img_adv/* -/imgad. -/imgad? -/imgad_ -/imgAdITN. -/imgads/* -/imgaffl/* -/imgs/ad/* -/imgs/ads/* -/imlive.gif -/imlive300_ -/imlive5. -/imp.ads/* -/impop. -/impopup/* -/inad.$domain=~inad.com|~inad.info -/inc/ad- -/inc/ad. -/inc/ads/* -/inc_ad. -/inc_ad_ -/inc_ads. -/inc_v2/ad_ -/include/ad/* -/include/ad_ -/include/ads/* -/include/adsdaq -/included_ads/* -/includes/ad. -/includes/ad_ -/includes/ads/* -/includes/ads_ -/incmpuad. -/index-ad- -/index-ad. -/index_ad/* -/index_ads. -/indexmobilead2. -/indexrealad. -/indexwaterad. -/inhouse_ads/* -/initdefineads. -/initlayeredwelcomead- -/injectad. -/INjspopunder. -/inline_ad. -/inline_ad_ -/inline_ads. -/InlineAds. -/inlineads/* -/inlinetextads? -/inner-ads- -/inner-ads/* -/innerads. -/inpost-ad^ -/inquirer/ads/* -/insertA.d.js -/insertAd. -/insertads. -/instreamad/* -/intelliad. -/intellitext.$domain=~intellitext.com -/interad.$domain=~interad.gr -/interface/ads/* -/intermediate-ad- -/internAds. -/internal-ad- -/internet_ad_ -/internetad/* -/interstital-redirector. -/interstitial-ad. -/interstitial-ad/* -/interstitial-ad? -/interstitial_ad. -/interstitialadvert/* -/interstitials/ad_ -/InterYield/* -/intextadd/* -/intextads. -/introduction_ad. -/inv/ads/* -/inventory/ad/* -/invideoad. -/inviteads/* -/inx-ad. -/ip-advertising/* -/ipadad. -/iprom-ad/* -/iqadcontroller. -/irc_ad_ -/ireel/ad*.jpg -/is.php?ipua_id=*&search_id= -/iserver/ccid= -/iserver/site= -/isgadvertisement/* -/ispy/ads/* -/iwadsense. -/j/ads.js -/jamnboad. -/javascript/ads. -/javascript/ads/* -/javascript/oas. -/javascript/oas? -/javascripts/ads. -/javascripts/ads/* -/Javascripts/SBA- -/jcorner.php?partner= -/jitads. -/jivoxadplayer. -/jlist-affiliates/* -/JPlayerAdFoxAdvertisementPlugin. -/jqads. -/jquery-ads. -/jquery.ad. -/jquery.adx. -/jquery/ad. -/jquery_FOR_AD/* -/jqueryadvertising. -/js.ad/size= -/js.ng/cat= -/js.ng/channel_ -/js.ng/pagepos= -/js.ng/site= -/js.ng/size= -/js/ads- -/js/ads. -/js/ads_ -/js/adv. -/js/adv/* -/js/doubleclick/* -/js/oas- -/js/oas. -/js/ppu.$script -/js/youmuffpu.js -/js2.ad/size= -/js_ad_utf8. -/js_ads/* -/js_ads_ -/js_adv_ -/jsad.php -/jsad/* -/jsads- -/jsAds/* -/jsadscripts/* -/JSAdservingSP. -/jsc/ads. -/jsfiles/ads/* -/json/ad/* -/jsonad/* -/jsplayerads- -/jspopunder. -/jstextad. -/jsVideoPopAd. -/jtcashbanners/* -/juicyads_ -/jumpstartunpaidad. -/k_ads/* -/kaksvpopup. -/KalahariAds. -/kampyle.js -/kantarmedia. -/keyade.js -/keyword_ad. -/kogeePopupAd. -/kredit-ad. -/kskads. -/landerbanners/* -/landingads? -/landingadvertisements/* -/large_ads/* -/layad. -/layer-ad. -/layer-ads. -/layer-advert- -/layer.php?bid= -/layer/ad. -/layer/ads. -/layer160x600. -/layer_ad? -/layerad- -/layerad. -/LayerAd^ -/layerads- -/layerads. -/layerads_ -/layout.inc.php?img -/layout/ad. -/layout/ads/* -/lazy-ads- -/lazyad. -/lbl_ad. -/leadads/* -/leader_ad. -/leaderad. -/Leaderboard-Ads- -/leaderboard-advert. -/leaderboard_ad/* -/leaderboard_adv/* -/leaderboardad. -/leaderboardadblock. -/leaderboardads. -/ledad. -/left-ads. -/left_ad_ -/left_ads. -/leftad. -/leftad_ -/leftads. -/leftsidebarads. -/lg.php?adid= -/lib/ad.js -/libc/ads/* -/library/ads/* -/library/adv/* -/lifelockad. -/lifeshowad/* -/lightad. -/lightboxad^ -/lightboxbannerad^ -/lijit-ad- -/lijitads. -/linkad2. -/linkads. -/linkadv. -/linkadv_ -/linkedads/* -/links_sponsored_ -/live/ads_ -/live_ad. -/livead- -/liveads. -/livejasmin. -/livejasmin/*&id= -/livejasmin2. -/livejasmin_ -/livejasmine03. -/livejasmine05. -/load-ads| -/load_ad? -/loadad.aspx? -/loadads. -/loadads/* -/loadadsmain. -/loadadsmainparam. -/loadadsparam. -/loadadwiz. -/loading_ads. -/local-ad. -/local_ads_ -/localAd/* -/LocalAd_ -/localAdData/* -/LocalAdNet/* -/localads. -/localcom-ad- -/locker.php?pub=*&gateid=$script -/log_ad? -/log_ad_ -/logad? -/logo-ads. -/logo/ads_ -/logoads. -/logoutad. -/lotto_ad_ -/lrec_ad. -/m-ad.css? -/m0ar_ads. -/mac-ad? -/mad.aspx? -/mad_ad. -/mads.php? -/magazine/ads. -/magic-ad/* -/magic-ads/* -/main/ad/* -/main/ad_ -/main/ads/* -/main_ad. -/main_ad/* -/main_ad_ -/mainad. -/mainpagepopupadv1. -/mapquest/Ads/* -/marginaleadservlet? -/marketing-banners/* -/marketing/banners/* -/marketing/banners_ -/markpop.js -/masonad.gif -/masterad. -/match_ads. -/matomyads. -/matomyads300X250. -/maxadselect. -/maxi_ad. -/mbads? -/mbn_ad. -/mcad.php -/mda-ads/* -/mDialogAdModule. -/media/ad/* -/media/ads/* -/media/adv/* -/media_ads/* -/megaad. -/meme_ad. -/metaad. -/metaadserver/* -/metsbanner. -/mgid-ad- -/mgid-header. -/mgid.html -/microad.$domain=~microad.co.id -/microads/* -/microsofttag/* -/middle_adv_ -/middleads. -/min/ads/* -/mini-ads/* -/mini_ads. -/miniadbar/* -/miniads? -/miniadvert. -/minify/ads- -/minpagead/* -/mint/ads/* -/misc/ad- -/misc/ads. -/misc/ads/* -/miva_ads. -/MixBerryAdsProduction/* -/mjx-oas. -/mkadsrv. -/mktad. -/ml9pagepeel. -/mmsAds. -/mmt_ad. -/mnads1. -/mobile-ad. -/mobile-ads/* -/mobile_ad. -/mobile_ad/* -/mobileads. -/mobileads/* -/mobilephonesad/* -/mod_ad/* -/mod_pagepeel_banner/* -/modalad. -/module-ads/* -/module/ads/* -/modules/ad/* -/modules/ad_ -/modules/ads/* -/modules/adv/* -/modules/dfp/* -/modules/doubleclick/* -/modules_ads. -/momsads. -/moneyball/ads/* -/MonsterAd- -/mp3-ad/* -/mpads/* -/mpu-dm.htm -/mpuad. -/mpuguardian. -/mpumessage. -/mrskinleftside. -/msgads. -/msn-1.js -/msn-exo- -/msnadimg. -/msnads/* -/msnads1. -/msnpop. -/msnpopsingle2. -/msnpopup. -/msnpopup4. -/mstextad? -/MTA-Ad- -/mtvi_ads_ -/multiad/* -/my-ad-injector/* -/my-ad-integration. -/myads/* -/mydirtyhobby.$domain=~mydirtyhobby.com|~mydirtyhobby.de -/myfreepaysitebanner. -/mylayer-ad/* -/mysimpleads/* -/n/adv_ -/n4403ad. -/n_ads/* -/na.ads. -/namediaad. -/native-ad- -/nativead. -/nativead/* -/NativeAdManager. -/nativeads- -/nativeads/* -/navad/* -/navads/* -/navigation/ad/* -/nbcuadops- -/nd_affiliate. -/neo/ads/* -/neoads. -/netads. -/netreachtextads/* -/netseerads. -/netshelter/* -/netspiderads2. -/netspiderads3. -/network_ad. -/neudesicad. -/new-ads/* -/new/ad/* -/new/ads/* -/new_ads/* -/new_oas. -/newad. -/newad2? -/newad? -/newadcfg/* -/newAdfoxConfig. -/newads. -/newads/* -/newadv/* -/newadvert/* -/newaff/float -/newBuildAdfoxBanner. -/newdesign/ad/* -/newimages/ads/* -/newimplugs. -/newrightcolad. -/news/ads/* -/news_ad. -/newsite/ads/* -/newsletterads/* -/newsletters/ads/* -/newsmaxadcontrol. -/newtopmsgad. -/nextad/* -/nextdaymedia-ads/* -/nflads. -/no_ads. -/nonrotatingads/* -/noodleAdFramed. -/noticead. -/now/ads/*$~xmlhttprequest -/nsfw/sponsors/* -/nuggad. -/nuggad/* -/Nuggad? -/nymag_ads. -/nymag_ads_ -/nzmeads/* -/o2ad. -/o2contentad. -/oas-config. -/oas.aspx -/oas.js -/oas/ad/* -/oas/banners/* -/oas/iframe. -/oas/oas- -/OAS/show? -/oas_ad. -/oas_ad/* -/oas_ad_ -/oas_ads. -/oas_handler. -/oas_home_ -/oas_mjx. -/oas_mjx1. -/oas_mjx2. -/oas_mjx3. -/oasadconnector. -/oasadframe. -/oasadfunction. -/oasadfunctionlive. -/oasbanner_ -/oascache/* -/oascentral.$~object-subrequest -/oascentral/* -/oasconfig/* -/oascontroller. -/oasdefault/* -/oasisi- -/oasisi. -/oasx/* -/oiopub-ads/* -/oiopub-direct/*$~stylesheet -/old/ads- -/omb-ad- -/ome.ads. -/onead. -/onead_ -/onecam4ads. -/onesheet-ad- -/online-ad_ -/online/ads/* -/online_ads/* -/onlineads/* -/onplayerad. -/ontopadvertising. -/openad. -/openads- -/openads. -/openads/* -/openads2/* -/openads_ -/openadserver/* -/openx- -/openx. -/openx/* -/openx_ -/openxtag. -/optonlineadcode. -/opxads. -/orbitads. -/origin-ad- -/other/ads/* -/outbrain-min. -/overlay-ad. -/overlay_ad_ -/overlayad. -/overlayads. -/overture.$script,stylesheet -/overture/*$script,subdocument -/overture_ -/ovt_show.asp? -/ox/www/* -/ox_ultimate/www/* -/p2-header-ad- -/p2-header-ad/* -/p2/ads/* -/p2ads/* -/p8network.js -/page-ads. -/page-peel -/page/ad/* -/pagead. -/pagead/ads? -/pagead/conversion. -/pagead/gen_ -/pagead/html/* -/pagead/js/* -/pagead/lvz? -/pagead/osd. -/pagead2. -/pagead46. -/pagead? -/pageadimg/* -/pageads/* -/PageBottomAD. -/pagecall_dfp_async. -/pagecurl/* -/pageear. -/pageear/* -/pageear_ -/pagepeel- -/pagepeel. -/pagepeel/* -/pagepeel_ -/pagepeelads. -/pages/ads -/PageTopAD. -/paidads/* -/paidlisting/* -/panelad. -/park_html_functions.*.js -/park_html_functions.js -/park_html_functions_general.js -/parking_caf_ -/partner-ad- -/partner_ads/* -/partner_ads_ -/partnerad. -/partnerads/* -/partnerads_ -/partneradwidget. -/partnerbanner. -/partnerbanner/* -/partners/ad- -/partners/ads/* -/partners/get-banner. -/partnersadbutler/* -/parts/ad/* -/pauseadextension. -/payperpost. -/pb-ads/* -/pc/ads. -/pcad.js? -/peel.js -/peel.php? -/peel/?webscr= -/peel1.js -/peel_ads/* -/peelad. -/peelad/* -/peelads/* -/peelaway_images/* -/peelbackscript/ad_ -/peeljs.php -/peeltl. -/peeltr. -/pencilad. -/perfads. -/performance_ads/* -/performancingads/* -/permanent/ads/* -/persadpub/* -/pfpadv. -/pgad. -/pgrightsideads. -/photo728ad. -/photoad. -/photoads/* -/photoflipper/ads/* -/photogallaryads. -/php/ad/* -/php/ads/* -/phpads. -/phpads/* -/phpads2/* -/phpadserver/* -/phpadsnew/* -/phpbanner/banner_ -/pic/ads/* -/pic_adv/* -/pickle-adsystem/* -/pics/ads/* -/picture/ad/* -/pictureads/* -/pictures/ads/* -/pilot_ad. -/pitattoad. -/pix/ads/* -/pixelads/* -/place-ads/* -/placead_ -/placeholder-ad- -/placements/ad_ -/play/ad/* -/player/ad/* -/player/ads. -/player/ads/* -/player_ads/* -/players/ads. -/pledgead. -/plugin/ad/* -/plugins/ad. -/plugins/ads- -/plugins/ads/* -/plugins/page-cornr- -/plugins/wp-moreads/*$~stylesheet -/plugins/wp125/*$~stylesheet -/plugins/wp_actionpop/* -/plugins_ads_ -/plus/ad_ -/poker-ad. -/poll-ad- -/polopoly_fs/ad- -/pool.ads. -/pool/ad/* -/pop-under. -/pop.js| -/pop2.js| -/pop?tid= -/pop_ad. -/pop_adfy. -/pop_ads. -/pop_camgirlcity. -/pop_under. -/pop_under/* -/popad- -/popad. -/popads. -/popads/* -/popads_ -/popadscpm. -/poplivejasmine. -/popounder4. -/poprotator. -/popshow.$~stylesheet -/popu.js -/popunder- -/popunder. -/popunder/* -/popunder1. -/popunder1_ -/popunder2. -/popunder4. -/popunder5. -/popunder7. -/popunder? -/popunder_ -/popunderblogs. -/popundercode. -/popunderking. -/popunders. -/popunders/* -/popundr. -/popundr_ -/popup-domination/*$~stylesheet -/popup2.js -/popup3.js -/popup_ad. -/popup_code. -/popupad/* -/popupads. -/popupdfp. -/popupunder. -/post-ad- -/post/ads/* -/post_ads_ -/postad. -/postprocad. -/postprofilehorizontalad. -/postprofileverticalad. -/posts_ad. -/pounder-$~image -/ppd_ads. -/ppd_ads_ -/prebid/* -/prebid2. -/prebid? -/predictad. -/premierebtnad/* -/premium_ad. -/premiumads/* -/premiumadzone. -/prerollad. -/prerollads. -/previews/ad/* -/printad. -/printad/* -/printads/* -/PRNAd300x150. -/proads/* -/proadvertising. -/proadvertising_ -/processad. -/processads. -/processing/impressions.asp? -/product-ad/* -/product-ads/* -/product_ad_widget/* -/production/ads/* -/prog-sponsor/* -/projectwonderful_ -/promo-ads/* -/promo/ad_ -/promo/ads/* -/promo/affiframe. -/promo/banners/* -/promo300by250. -/promo300x250. -/promoAd. -/promoads/* -/promobuttonad. -/promoloaddisplay? -/promoredirect?*&campaign=*&zone= -/PromosAds/* -/promotion/geoip/* -/promotions/ads. -/promotions/ads/* -/promotions/ads? -/promotools. -/promotools/* -/promotools1. -/protection/ad/* -/provideadcode. -/provider_ads/* -/proxxorad. -/proxyadcall? -/pub/ad/* -/pub/ads/* -/pub_images/*$third-party -/pubad. -/pubads. -/pubads_ -/public/ad/* -/public/ad? -/public/ads/* -/public/adv/* -/publicidad.$~object-subrequest,~stylesheet -/publicidad/* -/publicidad_$~stylesheet -/publicidade. -/publicidade/* -/publisher.ad. -/pubmatic_ -/pubs_aff.asp? -/puff_ad? -/pullads. -/punder.js -/punder.php -/purch-ad- -/pushdownAd. -/putl.php? -/PVButtonAd. -/qandaads/* -/qd_ads/* -/qj-ads. -/qpon_big_ad -/quadadvert. -/quads. -/questions/ads/* -/quick-adsense-reloaded/* -/quick_ads/* -/quigo_ad -/qwa? -/r_ads/* -/radioAdEmbed. -/radioadembedgenre. -/radioAdEmbedGPT. -/radopenx? -/rads/b/* -/rail_ad_ -/railad. -/railads. -/railsad. -/railsad_ -/RainbowTGXServer/* -/ram/ads/* -/randomad. -/randomad120x600nsfw. -/randomad160x600nsfw. -/randomad2. -/randomad300x250nsfw. -/randomad728x90nsfw. -/randomad_ -/randomads. -/rawtubelivead. -/rcolads1. -/rcolads2. -/rcom-ads- -/rcom-ads. -/rcom-video-ads. -/rdm-ad- -/RdmAdFeed. -/realmedia/ads/* -/realmedia_banner. -/realmedia_banner_ -/realmedia_mjx. -/realmedia_mjx_ -/reclama/* -/reclame/* -/recommendations/ad. -/recordadsall. -/rect_ad. -/rectangle_ad. -/rectangle_advertorials_ -/redirect_awe. -/refads/* -/refreshads- -/refreshsyncbannerad? -/RefSplDicAdsTopL. -/reklam-ads2. -/reklam. -/reklam/* -/reklama.$~stylesheet -/reklama/* -/reklama1. -/reklama2. -/reklama3. -/reklama4. -/reklama5. -/reklame/* -/related-ads. -/relatedads. -/relevance_ad. -/remove-ads. -/remove_ads. -/render-ad/* -/renderBanner.do? -/repeat_adv. -/reporo_ -/report_ad. -/report_ad_ -/requestadvertisement. -/requestmyspacead. -/resources/ad. -/resources/ads/* -/resources/ads_ -/responsive-ad. -/responsive-ads. -/responsive_ads. -/responsive_dfp. -/responsive_dfp_ -/restorationad- -/retrad. -/retrieve-ad. -/revboostprocdnadsprod. -/revealaads. -/revealaads/* -/revealads. -/revealads/* -/revealads2/* -/rg-erdr.php$xmlhttprequest -/rg-rlog.php$xmlhttprequest -/rgads. -/rhspushads/* -/richoas. -/right-ad- -/right_ad. -/right_ad^ -/right_ad_ -/right_ads. -/rightad. -/rightad/* -/rightAd1. -/rightAd2. -/rightads.$domain=~rightads.co.uk -/rightbanner/* -/rightnavads. -/rightnavadsanswer. -/rightrailgoogleads. -/rightsideaddisplay. -/righttopads. -/RivistaGoogleDFP. -/RivistaOpenX. -/rollad. -/rolloverads/* -/rolloverbannerad. -/root_ad. -/rotad/* -/rotads/* -/rotateads. -/rotatedads1. -/rotatedads13. -/rotatedads2. -/rotating_banner.php -/rotatingad. -/rotatingpeels. -/rotatingtextad. -/rotation/banner -/rotationad. -/rotatorad300x250. -/rotatoradbottom. -/roturl.js -/rpc/ad/* -/rpgetad. -/rsads.js -/rsads/* -/rsc_ad_ -/rss/ads/* -/rss2/?*&hp=*&np=$script,third-party -/rss2/?*&np=*&hp=$script,third-party -/rss2/?hp=*&np=$script,third-party -/rss2/?np=*&hp=$script,third-party -/rswebsiteads/* -/rtb/worker.php? -/rule34/ads/* -/rule34v2/ads/* -/sadasds.js -/safead/* -/sailthru.js -/salesad/* -/sample300x250ad. -/sample728x90ad. -/samplead1. -/samsung_ad. -/satnetads. -/satnetgoogleads. -/savvyads. -/sb-relevance.js -/sbnr.ads? -/scanscout. -/scanscoutoverlayadrenderer. -/scanscoutplugin. -/scaradcontrol. -/scn.php? -/script-adv- -/script/ad. -/script/ads. -/script/ads_ -/script/banniere_*.php?id=*&ref=$script,third-party -/script/oas/* -/scripts/ad- -/scripts/ad. -/scripts/ad/* -/scripts/ad_ -/scripts/ads. -/scripts/ads/* -/scripts/AdService_ -/scripts/adv. -/scripts/afc/* -/scripts/feedmeCaf.php?q=*&d=*&ron=$script -/scripts/zanox- -/scrollads/* -/scrpads. -/search-ads? -/search.php?uid=*.*&src= -/search/ad/* -/search/ads? -/search/ads_ -/search_ads. -/searchad. -/searchad_ -/searchads/* -/searchAdsIframe. -/secondads. -/secondads_ -/secretmedia-sdk- -/securepubads. -/seo-ads. -/serv.ads. -/serve.ads. -/servead. -/servead/* -/ServeAd? -/serveads. -/Server/AD/* -/server/ads/* -/servewebads/* -/service/ads/* -/service/adv/* -/services/ads/* -/servlet/view/* -/settings/ad. -/sevenads. -/sevenl_ad. -/share/ads/* -/shared/ad_ -/shared/ads. -/shared/ads/* -/shortmediads/* -/show-ad. -/show-ads. -/show.ad? -/show.cgi?adp -/show_ad. -/show_ad? -/show_ad_ -/show_ads.js -/show_ads_ -/showad. -/showad/* -/showAd300- -/showAd300. -/showad_ -/showadcode. -/showadjs. -/showads. -/showads/* -/showads_ -/showadvert. -/showadvertising. -/showban.asp? -/showbanner. -/showcasead/* -/showflashad. -/showindex-ad- -/ShowInterstitialAd. -/showJsAd/* -/showmarketingmaterial. -/showpost-ad- -/showsidebar-ad- -/showSp.php? -/side-ad- -/side-ad. -/side-ads- -/side_adverts. -/sidead. -/sidead/* -/sidead1. -/sidead2. -/sidead3. -/sidead300x250. -/sideadiframe. -/sideads. -/sideads/* -/sideads| -/sideadvtmp. -/sidebar-ad- -/sidebar-ads/* -/sidebar_ad. -/sidebar_ad_ -/sidebar_ads/* -/sidebarad/* -/sidebaradvertisement. -/sidecol_ad. -/sidekickads. -/sidelinead. -/siframead. -/silver/ads/* -/silverads. -/simad.min.js -/simpleads/* -/simpleadvert. -/simpleadvert/* -/singleadextension. -/sisterads. -/site-ads/* -/site-advert. -/site/ad/* -/site/ads/* -/site/ads? -/site/dfp- -/site=*/size=*/viewid= -/site=*/viewid=*/size= -/site_ads. -/site_ads/* -/site_under. -/siteads. -/siteads/* -/siteadvert. -/siteafs.txt? -/siteimages/ads- -/sitemanagement/ads/* -/sites/ad_ -/sitewide/ads/* -/size=*/random=*/viewid= -/skin/ad/* -/skin/ad3/* -/skin/adv/* -/skin3/ads/* -/skin_ad- -/skinad. -/skinads/* -/skins/ads- -/skins/ads/* -/skn_ad/* -/skyad. -/skyad_ -/skyadjs/* -/skyadright. -/skybannerview. -/skybar_ad. -/skyframeopenads. -/skyframeopenads_ -/skyscraper-ad. -/skyscraper_ad_ -/skyscraperad. -/slafc.js -/slide_in_ads_ -/slideadverts/* -/slideinad. -/slider-ad- -/slider.ad. -/slider_ad. -/sliderAd/* -/sliderad3. -/SliderAd_ -/SliderJobAdList. -/slideshow/ads. -/slideshowintad? -/slidetopad. -/slot/dfp/* -/smalAds. -/small_ad. -/small_ad_ -/small_ads/* -/smallad- -/smalladblockbg- -/smalltopl. -/smart-ad-server. -/smart_ad/* -/smartad- -/smartad. -/smartad/* -/smartAd? -/smartads. -/smartadserver.$domain=~smartadserver.com|~smartadserver.com.br|~smartadserver.de|~smartadserver.es|~smartadserver.fr|~smartadserver.it|~smartadserver.pl|~smartadserver.ru -/smartlinks.epl? -/smb/ads/* -/smeadvertisement/* -/smedia/ad/* -/smoozed-ad/* -/SmpAds. -/socialads.$domain=~socialads.eu|~socialads.guru -/socialads/* -/somaadscaleskyscraperscript. -/some-ad. -/someads. -/sp/delivery/* -/spac_adx. -/space_ad. -/spacead/* -/spacedesc= -/spark_ad. -/spc.php -/spc_fi.php -/spcjs.php -/spcjs_min. -/special-ads/* -/special_ad. -/special_ads/* -/specialads/* -/specialfeatureads/* -/spiderad/* -/splash_ads_ -/SplashAd_ -/spo_show.asp? -/sponlink. -/spons/banners/* -/spons_links_ -/sponser. -/sponseredlinksros. -/sponsers.cgi -/sponsimages/* -/sponslink_ -/sponsor%20banners/* -/sponsor-ad -/sponsor-banner. -/sponsor-box? -/sponsor-links. -/sponsor/click. -/sponsor_ads. -/sponsor_select. -/sponsorad. -/sponsorad2. -/sponsoradds/* -/sponsorads. -/sponsorads/* -/sponsorbanners/* -/sponsorbg/* -/sponsored-backgrounds/* -/sponsored-banner- -/sponsored-content- -/sponsored-links- -/sponsored-links/* -/sponsored_ad. -/sponsored_ad/* -/sponsored_ad_ -/sponsored_ads/* -/sponsored_by. -/sponsored_link. -/sponsored_links. -/sponsored_links1. -/sponsored_links_ -/sponsored_listings. -/sponsored_text. -/sponsored_title. -/sponsored_top. -/sponsoredads/* -/sponsoredbanner/* -/sponsoredcontent. -/sponsoredheadline. -/sponsoredlinks. -/sponsoredlinks/* -/sponsoredlinks? -/sponsoredlinksiframe. -/sponsoredlisting. -/sponsorHeaderDeriv_ -/sponsoringbanner/* -/sponsorpaynetwork. -/sponsors-ads/* -/sponsors.js? -/sponsors/ads/* -/sponsors/amg.php? -/sponsors_box. -/sponsorsgif. -/sponsorshipimage- -/sponsorstrips/* -/spotlightads/* -/spotx_adapter. -/spotxchangeplugin. -/spotxchangevpaid. -/square-ad. -/square-ads/* -/squaread. -/squareads. -/sr.ads. -/src/ads_ -/srec_ad_ -/srv/ad/* -/ss3/ads/* -/ssc_ad. -/standard_ads. -/static-ad- -/static.ad. -/static.ads. -/static/ad- -/static/ad/* -/static/ad_ -/static/ads/* -/static/adv/* -/static/js/4728ba74bc.js$~third-party -/static_ads/* -/staticadslot. -/stats/?t_sid= -/sticker_ad. -/sticky-ad- -/sticky_ad. -/stickyad. -/stickyad2. -/stickyads. -/stocksad. -/storage/ads/* -/storage/adv/* -/stories/ads/* -/story_ad. -/story_ads_ -/storyadcode. -/storyads. -/stream-ad. -/streamads. -/streamatepop. -/studioads/* -/stuff/ad- -/style_ad. -/styleads2. -/styles/ad/* -/Styles/Ad_ -/styles/ads. -/styles/ads/* -/subAd. -/subad2_ -/subadz. -/subnavads/* -/subs-ads/* -/sugar-ads. -/sugar-ads/* -/sugarads- -/superads_ -/supernorthroomad. -/svnad/* -/swf/ad- -/swf/ads/* -/swfbin/ad- -/swfbin/ad3- -/swfbin/ad3_ -/switchadbanner. -/SWMAdPlayer. -/syads. -/synad2. -/synad3. -/sync2ad. -/syndication/ad. -/sys/ad/* -/system/ad/* -/system/ads/* -/system_ad. -/systemad.$domain=~systemad.com.pl|~systemad.eu|~systemad.pl -/systemad_ -/t-ads.$domain=~t-ads.org -/t.php?uid=*.*&src= -/tabads/* -/tableadnorth. -/tabunder/pop. -/tag-adv. -/tag_adv/* -/tag_oas. -/tag_sys. -/tagadv_ -/talkads/* -/taxonomy-ads. -/td-ads- -/td_ads/* -/tdlads/* -/teamplayer-ads. -/teaseimg/ads/* -/technomedia. -/telegraph-advertising/* -/teletoon_ad. -/tempads/* -/template/ad. -/templateadvimages/* -/templates/ad. -/templates/ad/* -/templates/ads/* -/templates/adv_ -/testads/* -/testingad. -/text_ad. -/text_ad_ -/text_ads. -/text_ads_ -/textad. -/textad/* -/textad1. -/textad? -/textad_ -/textadrotate. -/textads- -/textads. -/textads/* -/textads_ -/textadspromo_ -/tfs-ad. -/tg.php?uid= -/thdgoogleadsense. -/thebannerserver.net/* -/thirdparty/ad/* -/thirdpartyads/* -/thirdpartyframedad/* -/thumb-ads. -/thumbs/ads/* -/thunder/ad. -/ticker_ad. -/tickeradsget. -/tidaladplugin. -/tii_ads. -/tikilink? -/TILE_ADS/* -/tileads/* -/tinlads. -/tinyad. -/tit-ads. -/title-ad/* -/title_ad. -/tizers.php? -/tl.ads- -/tmnadsense- -/tmnadsense. -/tmo/ads/* -/tmobilead. -/tncms/ads/* -/toggleAds. -/toigoogleads. -/toigoogleleads_ -/tomorrowfocusAd. -/toolkitads. -/tools/ad. -/toonad. -/top-ad- -/top-ad. -/top-ad_ -/top-ads. -/top_ad. -/top_ad/* -/top_ad_ -/top_ads. -/top_ads/* -/top_ads_ -/top_adv_ -/topad. -/topad/* -/topad3. -/topad_ -/topadbg. -/topadfooter. -/topadheader. -/topads. -/topads/* -/topads1. -/topads2. -/topads3. -/topads_ -/topads| -/topadv. -/topadvert. -/topleftads. -/topperad. -/toprightads. -/tops.ads. -/torget_ads. -/totalmedia/* -/Totem-Cash/* -/totemcash/*$image -/totemcash1. -/tower_ad_ -/towerbannerad/* -/tr2/ads/* -/track.php?click=*&domain=*&uid=$xmlhttprequest -/track.php?uid=*.*&d= -/track_ad_ -/trackads/* -/tracked_ad. -/tracking/events/* -/trade_punder. -/tradead_ -/TradeAds/* -/tradedoubler. -/trafficadpdf02. -/trafficads. -/trafficengineads. -/TrafficHaus/* -/trafficsynergysupportresponse_ -/transad. -/travidia/* -/tremoradrenderer. -/trendad. -/triadshow. -/tribalad. -/tripplead/* -/tsc.php?*&ses= -/ttz_ad. -/turbo_ad. -/tvgdartads. -/TWBadbanner. -/twgetad3. -/TwtAd_ -/txt_ad. -/txt_ad_ -/txt_adv. -/txtad. -/txtads/* -/u-ads. -/u/ads/* -/u?pub= -/uberlayadrenderer. -/ucstat. -/ugoads. -/ugoads_inner. -/ui/ads/* -/ui/adv. -/ui/adv_ -/uk.ads. -/uk/ads/* -/ukc-ad. -/unibluead. -/unity/ad/* -/up/ads/* -/update_ads/* -/update_layer/layer_os_new.php -/uplimg/ads/* -/upload/ads/* -/UploadAds/* -/uploaded/ads/* -/UploadedAds/* -/uploads/ads/* -/uploads/adv/* -/uploads/adv_ -/upsellingads/* -/us-ads. -/usenext16. -/user/ads? -/user_ads/* -/userad.$domain=~userad.info -/userad/* -/userads/* -/userimages/ads/* -/usernext. -/utep/ad/* -/utep_ad.js -/v1/ads. -/v1/ads/* -/v5/ads/* -/v9/adv/* -/vads/* -/valueclick-ad. -/valueclick. -/valueclickbanner. -/valueclickvert. -/vast_ads_ -/VASTAdPlugin. -/vastads. -/vb/ads/* -/vboard/ads/* -/vbvua.js -/vclkads. -/vendor-ads- -/vericaladtitle. -/vert728ad. -/vert_ad. -/verticaladrotatorv2. -/vghd.gif -/vghd.swf -/vghd2.gif -/VHDpoppingModels/* -/viagogoads. -/vice-ads. -/vidadv. -/video-ad-overlay. -/video-ads-management. -/video-ads-player. -/video-ads/* -/video.ads. -/video/ad/* -/video/ads/* -/video2adrenderer. -/video_ad. -/video_ad_ -/video_ads. -/video_ads/* -/videoad. -/VideoAd/* -/videoad_new. -/VideoAdContent? -/videoadrenderer. -/videoads. -/videoads/* -/VideoAdsServingService/* -/videoadv- -/videoadv. -/videojs.ads. -/videostreaming_ads. -/videowall-ad. -/view/ads/* -/view/banner/* -/view_banner. -/viewad. -/viewad/* -/viewad? -/viewbannerad. -/viewer/rad? -/viewid=*/site=*/size= -/views/ads/* -/vifGoogleAd. -/virtuagirl. -/virtuagirl/* -/virtuagirl3. -/virtuagirlhd. -/virtual_girl_ -/virtualgirl/* -/virtualgirlhd- -/vision/ads/* -/visitoursponsors. -/vld.ads? -/vnads. -/vnads/* -/vogue_ads/* -/vpaidad3. -/vpaidadrenderer. -/vplayerad. -/vrdinterads- -/vtextads. -/VXLayerAd- -/w/ads/* -/w/d/capu.php?z=$script,third-party -/wahoha. -/wallpaper_ads/* -/wallpaperads/* -/watchit_ad. -/wave-ad- -/wbadvert/* -/weather-sponsor/* -/weather/ads/* -/web-ad_ -/web-ads. -/web-ads/* -/web/ads/* -/web_ads/* -/webad. -/WebAd/* -/webad? -/webadimg/* -/webads. -/webads/* -/webads_ -/webadserver. -/webadvert. -/webadvert/* -/webadvert3/* -/webadverts/* -/webapp/ads- -/webmailad. -/webmaster_ads/* -/weborama.js -/weeklyAdsLabel. -/welcome_ad. -/welcomead. -/welcomeadredirect. -/werbebanner/* -/widget-advert. -/widget/ad/* -/widget/ads. -/widget/ads/* -/widgetad. -/widgetadsense. -/widgets/ads. -/widgets/sponsored/* -/wipeads/* -/wire/ads/* -/wired/ads/* -/wix-ad. -/wixads. -/wixads/* -/wlbetathome/bannerflow/* -/wmads. -/wordpress-ads-plug-in/* -/work.php?n=*&size=*&c= -/wp-content/ads/* -/wp-content/mbp-banner/* -/wp-content/plugins/amazon-product-in-a-post-plugin/* -/wp-content/plugins/automatic-social-locker/* -/wp-content/plugins/banner-manager/* -/wp-content/plugins/bhcb/lock.js -/wp-content/plugins/bookingcom-banner-creator/* -/wp-content/plugins/bookingcom-text2links/* -/wp-content/plugins/fasterim-optin/* -/wp-content/plugins/m-wp-popup/*$~stylesheet -/wp-content/plugins/platinumpopup/* -/wp-content/plugins/useful-banner-manager/* -/wp-content/plugins/wp-bannerize/* -/wp-content/plugins/wp-super-popup-pro/* -/wp-content/plugins/wp-super-popup/*$~stylesheet -/wp-content/uploads/useful_banner_manager_banners/* -/wp-popup-scheduler/* -/wp-srv/ad/* -/wp_ad_250_ -/wp_pro_ad_system/* -/wpads/iframe. -/wpbanners_show.php -/wpproadds. -/wpproads. -/wrapper/ads/* -/writelayerad. -/wwe_ads. -/wwe_ads/* -/www/ad/* -/www/ads/* -/www/deliverx/* -/www/delivery/* -/www/js/ad/* -/wwwads. -/x5advcorner. -/xads.php -/xadvertisement. -/xbanner.js -/xbanner.php? -/xclicks. -/xfiles/ads/* -/xhfloatAdv. -/xhr/ad/* -/xlayer/layer.php?uid=$script -/xml/ad/* -/xml/ads_ -/xmladparser. -/xnxx-ads. -/xpiads. -/xpopunder. -/xtendmedia.$domain=~xtendmedia.dk -/xwords. -/xxxmatch_ -/yads- -/yads. -/yads/* -/yads_ -/yahoo-ad- -/yahoo-ads/* -/yahoo/ads. -/yahoo_overture. -/YahooAd_ -/yahooads. -/yahooads/* -/yahooadsapi. -/yahooadsobject. -/yahoofeedproxy. -/yellowpagesads/* -/yesbaby. -/yhs/ads? -/yieldads. -/yieldlab. -/yieldmanager/* -/yieldmo- -/yin-ad/* -/yld/js/* -/yld_mgr/* -/your-ad- -/your-ad. -/your_ad. -/yourad1. -/youradhere. -/youradhere468- -/youradhere_ -/ypad/* -/ysc_csc_news -/ysmads. -/ysmwrapper.js -/yume_ad_library_ -/yzx? -/z-ads. -/z/ads/* -/zagcookie_ -/zalando-ad- -/zanox/banner/* -/zanox_ad/* -/zaz-admanager. -/zaz-admanager/* -/zedo_ -/zxy? -/~cdn/ads/* -://a.ads. -://ad.*/jstag^ -://adcl.$domain=~adcl.com -://ads.$domain=~ads.am|~ads.colombiaonline.com|~ads.harvard.edu|~ads.msstate.edu|~ads.nc|~ads.route.cc|~ads.sk|~ads.socialtheater.com|~ads.toplayaffiliates.com|~ads.xtribeapp.com|~badassembly.com|~caravansforsale.co.uk|~fusac.fr|~memo2.nl|~reempresa.org|~seriouswheels.com -://adv.$domain=~adv.co.it|~adv.msk.ru|~adv.ru|~adv.vg|~adv.works|~advids.co|~erti.se|~escreverdireito.com|~farapp.com|~forex-tv-online.com|~r7.com|~typeform.com|~welaika.com -://affiliate.$third-party -://affiliates.$third-party -://ax-d.*/jstag^ -://banner.$third-party -://banners.$third-party -://bwp.*/search$domain=~pulte.com -://delivery.*/jstag^ -://feeds.*/~a/ -://findnsave.*.*/api/groupon.json? -://findnsave.*.*/td/portablerop.aspx? -://oas.*@ -://ox-*/jstag^ -://pop-over. -://promo.$third-party -://rss.*/~a/ -://synad. -://wrapper.*/a? -:8080/ads/ -;adsense_ -;cue=pre;$object-subrequest -;iframeid=ad_ -=ad&action= -=ad-leaderboard- -=ad-rectangle- -=ad320x50- -=ad_iframe& -=ad_iframe_ -=adbanner_ -=adcenter& -=adcode& -=adexpert& -=adlabs& -=admeld& -=adMenu& -=admeta& -=admodeliframe& -=adreplacementWrapperReg. -=adsCallback& -=adscripts& -=adsfinal. -=adshow& -=adslot& -=adspremiumplacement& -=adtech_ -=adunit& -=advert/ -=advertiser. -=advertiser/ -=advertorial& -=adView& -=akiba_ads_ -=banners_ad& -=big-ad-switch_ -=clkads/ -=com_ads& -=dartad_ -=deliverAdFrame& -=display_ad& -=DisplayAd& -=displayAds& -=dynamicads& -=dynamicwebad& -=GetSponsorAds& -=half-page-ad& -=iframe_adv& -=js_ads& -=loadAdStatus& -=oas_tag. -=rightAds_ -=searchadslider| -=showsearchgoogleads& -=simpleads/ -=textads& -=tickerReportAdCallback_ -=web&ads= -=webad2& -?*=x55g%3add4vv4fy. -?action=ads& -?ad_ids= -?ad_number= -?ad_partner= -?ad_size= -?ad_tag= -?ad_type= -?ad_width= -?adarea= -?adcentric= -?adclass= -?adcontext= -?adCount= -?adflashid= -?adformat= -?adfox_ -?adloc= -?adlocation= -?adpage= -?adPageCd= -?adpartner= -?ads= -?adsdata= -?adsite= -?adsize= -?adslot= -?adtag= -?adTagUrl= -?adtarget= -?adtechplacementid= -?adtype= -?adunit_id= -?adunitid= -?adunitname= -?adv/id= -?adv_type= -?adversion= -?advert_key= -?advertisement= -?advertiser= -?advertiser_id=$domain=~panel.rightflow.com -?advertiserid=$domain=~adadyn.com|~outbrain.com|~seek.co.nz|~seek.com.au -?advertising= -?advideo_ -?advsystem= -?advtile= -?advurl= -?adx= -?adzone= -?banner.id= -?banner_id= -?bannerid= -?bannerXGroupId= -?canp=adv_ -?category=ad& -?dfpadname= -?file=ads& -?g1t2h=*&t1m2k3= -?getad=&$~object-subrequest -?goto=ad| -?handler=ads& -?idaffiliation= -?img_adv= -?module=ads/ -?OASTagURL= -?phpAds_ -?PopAd= -?service=ad& -?sid=ads -?simple_ad_ -?type=ad& -?type=oas_pop& -?view=ad& -?wm=*&prm=rev& -?wpproadszoneid= -?ZoneID=*&PageID=*&SiteID= -?ZoneID=*&SiteID=*&PageID= -^fp=*&prvtof= -^mod=wms&do=view_*&zone= -^pid=Ads^ -_125ad. -_160_ad_ -_160x550. -_250ad. -_300x250Banner_ -_468x60ad. -_728x90ad_ -_acorn_ad_ -_ad&zone= -_ad-125x125. -_ad.gif| -_ad.jsp? -_ad.php? -_ad.png? -_ad/display? -_ad/full_ -_AD/jquery. -_ad/public/ -_ad/section_ -_ad01. -_ad01_ -_ad1.$~stylesheet -_ad103. -_ad120x120_ -_Ad125. -_ad1a. -_ad1b. -_ad2. -_ad234x90- -_ad3. -_ad300. -_ad300x250. -_ad6. -_ad728x90. -_ad9. -_ad?darttag= -_ad?size= -_ad_125x125. -_ad_2012. -_ad_250. -_ad_300. -_ad_350x250. -_ad_728_ -_ad_actron. -_ad_article_ -_ad_background. -_ad_banner. -_ad_banner_ -_ad_big. -_ad_block& -_ad_bottom. -_ad_box. -_ad_bsb. -_ad_center. -_ad_change. -_ad_choices. -_ad_choices_ -_ad_close. -_ad_code. -_ad_content. -_ad_controller. -_ad_count. -_ad_count= -_ad_courier. -_ad_desktop_ -_ad_div= -_ad_domain_ -_ad_end_ -_ad_engine/ -_ad_expand_ -_ad_feed. -_ad_footer. -_ad_footer_ -_ad_frame. -_ad_handler. -_ad_harness. -_ad_head. -_ad_header. -_ad_heading. -_ad_homepage. -_ad_ids= -_ad_iframe. -_ad_image_ -_ad_images/ -_ad_init/ -_ad_integration. -_ad_interactive. -_ad_label. -_ad_layer_ -_ad_leaderboard. -_ad_logo. -_ad_middle_ -_ad_minileaderboard. -_ad_new_ -_ad_number= -_ad_one. -_ad_over_ -_ad_page_ -_ad_placeholder- -_ad_position_ -_ad_promo2. -_ad_render_ -_ad_renderer_ -_ad_right. -_ad_right_ -_ad_rolling. -_ad_run. -_ad_service. -_ad_serving. -_ad_show& -_ad_side. -_ad_sidebar_ -_ad_size. -_ad_sky. -_ad_skyscraper. -_ad_slot= -_ad_small. -_ad_sponsor/ -_ad_square. -_ad_tall. -_ad_teaserarticledetail/ -_ad_template_ -_ad_top_ -_ad_url= -_ad_utils- -_ad_vertical. -_ad_view= -_ad_widesky. -_ad_wrapper. -_ad_yellow. -_ad_zone_ -_adagency/ -_adaptvad. -_adbanner. -_adbanner/ -_adbanner_ -_adbanners. -_adbar. -_adbg1a. -_adbg2. -_adbg2a. -_adbit. -_adblue. -_adbox. -_adbox_ -_adbreak. -_adcall. -_adcall_ -_adchoice. -_adchoices. -_adcode_ -_adcom. -_adcontent/ -_adcount= -_adengage. -_adengage_ -_adengine_ -_adframe. -_adframe/ -_adframe_ -_adfunction. -_adhesion. -_adhoc? -_adhome. -_adhome_ -_adhoriz. -_adhub_ -_adify. -_adjug. -_adlabel_ -_adlesse. -_adlib. -_adlinkbar. -_adlog. -_admanager/ -_admarking_ -_admin/ads/ -_adminka/ -_adnetwork. -_adobjects. -_adpage= -_adpartner. -_adplugin. -_adright. -_adright2. -_adrotator. -_adrow- -_ads-affiliates_ -_ads.cgi -_ads.cms? -_ads.html -_ads.js? -_ads.php? -_ads/css/ -_ads/horiz/ -_ads/horiz_ -_ads/iframe. -_ads/inhouse/ -_ads/ip/ -_ads/js/ -_ads/square/ -_ads1. -_ads12. -_ads2. -_ads3. -_ads8. -_ads9. -_ads? -_ads_async. -_ads_cached. -_ads_contextualtargeting_ -_ads_Home. -_ads_iframe. -_ads_iframe_ -_ads_index_ -_ads_multi. -_ads_new. -_ads_only& -_ads_partner. -_ads_reporting. -_ads_single_ -_ads_targeting. -_ads_text. -_ads_top. -_ads_v8. -_adsbgd. -_adscript. -_adsdaq. -_adsense. -_adsense_ -_adserve. -_adserve/ -_adserved. -_adserver. -_adserver/ -_adsetup. -_adsetup_ -_adsframe. -_adshare. -_adshow. -_adsjs. -_adskin. -_adskin_ -_adsonar. -_adspace- -_adspace_ -_adsperfectmarket/ -_adsrv= -_adsrv? -_adssource. -_adstat. -_adsys. -_adsys_ -_adsystem/ -_adtags. -_adtech& -_adtech- -_adtech. -_adtech/$~stylesheet -_adtech_ -_adtext_ -_adtitle. -_adtoma. -_adtop. -_adtxt. -_adunit. -_adv/300. -_adv/leaderboard_ -_adv/overlay/ -_Adv_Banner_ -_adv_label. -_advert. -_advert/ -_advert1. -_advert_1. -_advert_2. -_advert_label. -_advert_overview. -_advert_vert -_advertise-$domain=~linkedin.com -_advertise. -_advertise180. -_advertisehere. -_advertisement- -_advertisement. -_advertisement/ -_advertisement_ -_advertisementbar. -_advertisements/ -_advertisementtxt_ -_advertising. -_advertising/ -_advertising_header. -_advertising_iframe. -_advertisment. -_advertorial. -_advertorial3. -_advertorial_ -_advertorials/ -_advertphoto. -_adverts.js -_adverts/ -_adverts3. -_advertsarea. -_AdvertsImgs/ -_adview? -_adview_ -_advservices. -_advsetup. -_adwrap. -_adwriter. -_afd_ads. -_affiliate/banners/ -_affiliate_ad. -_afs_ads. -_alt/ads/ -_argus_ad_ -_assets/ads/ -_background_ad. -_background_ad/ -_banner_ad- -_banner_ad. -_banner_ad_ -_banner_ads. -_Banner_Ads_ -_banner_adv300x250px. -_banner_adv_ -_bannerad. -_BannerAd_ -_bannerads_ -_bannerview.php?*&aid= -_bg_ad_left. -_blank_ads. -_blogads. -_blogads_ -_bottom_ads. -_bottom_ads_ -_box_ad_ -_btnad_ -_button_ad_ -_buttonad. -_buzzAd_ -_centre_ad. -_cgbanners.php? -_ChatAd_ -_commonAD. -_companionad. -_content_ad. -_content_ad_ -_contest_ad_ -_custom_ad. -_custom_ad_ -_dart_ads. -_dart_interstitial. -_dashad_ -_dfp.php? -_displayad_ -_displaytopads. -_doubleclick. -_doubleclick_ad. -_down_ad_ -_dropdown_ad. -_dynamicads/ -_elements/ads/ -_engine_ads_ -_english/adv/ -_externalad. -_fach_ad. -_fbadbookingsystem& -_feast_ad. -_files/ad. -_fixed_ad. -_floating_ad_ -_floatingad_ -_FLYAD. -_footer_ad_ -_framed_ad/ -_friendlyduck. -_fullscreen_ad. -_gads_bottom. -_gads_footer. -_gads_top. -_gallery_ads. -_gallery_image_ads_$~stylesheet -_genads/ -_generic_ad. -_geobanner. -_google_ad. -_google_ads. -_google_ads/ -_google_ads_ -_googlead. -_grid_ad? -_header_ad. -_header_ad_ -_headerad. -_headline_ad. -_homad. -_homadconfig. -_home_ad. -_home_ad_ -_hosting_ad. -_house_ad_ -_hr_advt/ -_iad.html? -_id/ads/ -_iframe_ad_ -_images/ad. -_images/ad_ -_images/ads/ -_index_ad. -_inline_advert& -_inlineads. -_js/ads.js -_js_ads. -_js_ads/ -_jtads/ -_juiceadv. -_juicyads. -_layerad. -_lazy_ads/ -_leaderboard_ad_ -_left_ad. -_link_ads- -_live/ad/ -_load_ad? -_logadslot& -_longad_ -_mailLoginAd. -_main_ad. -_mainad. -_maxi_ad/ -_media/ads/ -_mid_ad. -_middle_ads. -_mmsadbanner/ -_Mobile_Ad_ -_mpu_widget? -_online_ad. -_onlinead_ -_openx. -_openx/ -_org_ad. -_overlay_ad. -_paid_ads/ -_paidadvert_ -_panel_ads. -_partner_ad. -_pcads_ -_platform_ads. -_platform_ads_ -_player_ads_ -_plus/ads/ -_pop_ad. -_pop_ad/ -_pop_under. -_popunder. -_popunder_ -_popupunder. -_post_ads. -_preorderad. -_prime_ad. -_promo_ad/ -_psu_ad. -_pushads. -_radio_ad_ -_railads. -_rectangle_ads. -_reklama_$domain=~youtube.com -_reporting_ads. -_request_ad. -_response_ad. -_right_ad. -_right_ads. -_right_ads/ -_right_ads_ -_rightad. -_rightad1. -_rightad_ -_rightmn_ads. -_search/ads.js -_sectionfront_ad. -_show_ads. -_show_ads= -_show_ads_ -_sidead. -_sidebar_ad. -_sidebar_ad_ -_sidebarad_ -_site_sponsor -_skinad. -_skybannerview. -_skyscraper160x600. -_slider_ad. -_Slot_Adv_ -_small_ad. -_smartads_ -_sponsor/css/ -_sponsor_banners/ -_sponsoredlinks_ -_Spot-Ad_ -_square_ad. -_static/ads/ -_static_ads. -_sticky_ad. -_StickyAd. -_StickyAdFunc. -_survey_ad_ -_tagadvertising. -_temp/ad_ -_text_ads. -_textad_$~media -_textads. -_textads/ -_theme/ads/ -_tile_ad_ -_top_ad. -_top_ad_ -_topad. -_tribalfusion. -_UIM-Ads_ -_valueclick. -_vertical_ad. -_video_ads/ -_video_ads_ -_videoad. -_vodaaffi_ -_web-advert. -_Web_ad. -_web_ad_ -_webad. -_webad_ -_WebBannerAd_ -_widget_ad. -_yahooads/ -_your_ad. -_zedo. -takeover_background. -takeover_banner_ -||cacheserve.*/promodisplay/ -||cacheserve.*/promodisplay? -||com/banners/$image,object,subdocument -||online.*/promoredirect?key= -||ox-d.*^auid= -||serve.*/promoload? -! Ad-insertion script (see on: celebrityweightloss.com, myfirstclasslife.com, cultofmac.com) -/ez_aba_load/* -/ezf-min.$script -/ezo/*$script,~third-party -/ezoic/*$script,~third-party -! Self hosted Ad scripts (seen on: ibtimes.co.uk/newsweek.com) -/ima3.js -/imasdk/* -! https://github.com/sanosay/exads-adblock -/_b*.php?img=$image -/_p*.php?img=$image -/_p4.php$script -/_ra_lib*.js$script -/b3.php?*=$script -/b3.php?img=$image -/backend_loader.php$script,~third-party -/bl.php?*=$script -/frontend_loader.js$script,~third-party -/scripts/sweet/*$script -! prebid scripts --prebid.$script -/biddr-*.js -/pb.min. -/prebid- -/prebid.$script,domain=~prebid.org -/prebid_$script -/pubfig.js -/tagman/* -! /g00 adware insertion -! https://github.com/uBlockOrigin/uAssets/issues/227 -/g00/*/clientprofiler/adb -! Doubleclick -/jquery.dfp.js$script -/jquery.dfp.min.js$script -! linkbucks.com script -/webservices/jsparselinks.aspx?$script -! CDN-based filters -/cdn-cgi/pe/bag2?*.speednetwork1.com -/cdn-cgi/pe/bag2?*adsrvmedia -/cdn-cgi/pe/bag2?r*.adglare.org -/cdn-cgi/pe/bag2?r*.adroll.com -/cdn-cgi/pe/bag2?r*.codeonclick.com -/cdn-cgi/pe/bag2?r*.qualitypublishers.com -/cdn-cgi/pe/bag2?r*.worldoffersdaily.com -/cdn-cgi/pe/bag2?r*.zergnet.com -/cdn-cgi/pe/bag2?r*adblade.com -/cdn-cgi/pe/bag2?r*adk2.co -/cdn-cgi/pe/bag2?r*ads.exoclick.com -/cdn-cgi/pe/bag2?r*adsnative.com -/cdn-cgi/pe/bag2?r*advertserve.com -/cdn-cgi/pe/bag2?r*az708531.vo.msecnd.net -/cdn-cgi/pe/bag2?r*clkrev.com -/cdn-cgi/pe/bag2?r*content.ad -/cdn-cgi/pe/bag2?r*contextual.media.net -/cdn-cgi/pe/bag2?r*cpx.to -/cdn-cgi/pe/bag2?r*eclkmpbn.com -/cdn-cgi/pe/bag2?r*eclkspsa.com -/cdn-cgi/pe/bag2?r*ero-advertising.com -/cdn-cgi/pe/bag2?r*googleadservices.com -/cdn-cgi/pe/bag2?r*intellitxt.com -/cdn-cgi/pe/bag2?r*juicyads.com -/cdn-cgi/pe/bag2?r*linksmart.com -/cdn-cgi/pe/bag2?r*pipsol.net -/cdn-cgi/pe/bag2?r*popads.net -/cdn-cgi/pe/bag2?r*popcash.net -/cdn-cgi/pe/bag2?r*puserving.com -/cdn-cgi/pe/bag2?r*revcontent.com -/cdn-cgi/pe/bag2?r*revdepo.com -/cdn-cgi/pe/bag2?r*srvpub.com -/cdn-cgi/pe/bag?r*cpalead.com -/cdn-cgi/pe/bag?r*pubads.g.doubleclick.net -! adinsertion used on gizmodo.in lifehacker.co.in -/datomata.widget.js -! Common adserver string -/mediahosting.engine$script,third-party -/Tag.eng$script,third-party -/Tag.rb$script,third-party -! White papers insert -/sl/assetlisting/? -! Peel script -/jquery.peelback.js -! Anti-Adblock --adblocker-detection/ -/abdetect.js -/abDetector.js -/abp_detection/* -/abtest_ab.js -/ad-blocker.js -/ad-blocking-alert/* -/adb.min.js -/adb_detector. -/adblock-alerter/* -/adblock-blocker/* -/adblock-detect. -/adblock-detector. -/adblock-message. -/adblock-notify-by-bweb/* -/adblock-relief.js -/adblock-relief/* -/adblock.gif? -/adblock_detect. -/adblock_detector. -/adblock_detector2. -/adblock_logger. -/adblockchecker. -/adblockdetect. -/adblockdetection. -/adblockDetector. -/adBlockDetector/* -/adblockdetectorwithga. -/adblocker-leader. -/adblocker.js -/adBlockerTrack_ -/adblockkiller. -/adblockpopup. -/adbuddy. -/adsblocker. -/anti-adblock/*$~stylesheet -/anti_ab. -/antiadblock. -/antiblock_script/* -/blockblock/blockblock.jquery.js -/BlockerBanner/*$xmlhttprequest -/Disable%2BAdblock. -/disabled_adBlock. -/fuckadb.js -/fuckadblock.js -/fuckadblock/*$script -/fuckingadblockplus. -/ibd-block-adblocker/* -/no-adblock/* -/wp-content/plugins/anti-block/* -/wp-content/plugins/anti_ad_blocker/* -_atblockdetector/ -! *** easylist:easylist/easylist_general_block_dimensions.txt *** -,160x600; -,468x60- -,468x60; -,728x90, -,970x90; --120-600. --120_600_ --120x240. --120x300. --120x400. --120x60- --120x60. --120x600- --120x600. --120x600_ --120x600c. --125x40- --160-600. --160x400- --160x600- --160x600. --160x600_ --160x600b. --161x601- --300-250. --300x250-$~xmlhttprequest --300x250_ --300x600. --460x68. --468-100. --468-60- --468-60. --468-60_ --468_60. --468by60. --468x060- --468x060_ --468x60- --468x60. --468x60/ --468x60_ --468x60px- --468x60px. --468x70. --468x80- --468x80. --468x80/ --468x80_ --468x90. --480x120. --480x60- --480x60. --480x60/ --480x60_ --486x60. --500x100. --600x70. --600x90- --700-200. --720x120- --720x90- --720x90. --728-90. --728.90. --728x90& --728x90- --728x90. --728x90/ --728x90_ --728x90a_ --728x90px2. --729x91- --780x90- --800x150. --980x60- --988x60. -.120x600. -.160x600. -.160x600_ -.300x250. -.300x250_ -.468x60- -.468x60. -.468x60/ -.468x60_ -.468x80- -.468x80. -.468x80/ -.468x80_ -.480x60- -.480x60. -.480x60/ -.480x60_ -.650x100. -.728x90- -.728x90. -.728x90/ -.728x90_ -.900x100. -/120-600- -/120-600. -/1200x70_ -/120_600. -/120_600/* -/120_600_ -/120x240_ -/120x600- -/120x600. -/120x600/* -/120x600_ -/125x240/* -/125x300_ -/125x400/* -/125x600- -/125x600_ -/130x600- -/130x600. -/150-500. -/150_500. -/150x200- -/150x300_ -/150x600_ -/160-600- -/160-600. -/160.html$subdocument -/160_600. -/160_600_ -/160x400- -/160x400_ -/160x600- -/160x600. -/160x600/* -/160x600_ -/160x600partner. -/170x700. -/180x150- -/190_900. -/190x600. -/230x90_ -/234x60/* -/270x90- -/300-250- -/300-250. -/300.html$subdocument -/300_250_ -/300x150_ -/300x250- -/300x250. -/300x250/* -/300x250_ -/300x250b. -/300x250px- -/300x250px_ -/300x350. -/300x90_ -/320x250. -/335x205_ -/336x280- -/336x280. -/336x280_ -/340x85_ -/4-6-8x60. -/400x297. -/428x60. -/460x60. -/460x80_ -/468-20. -/468-60- -/468-60. -/468-60_ -/468_60. -/468_60_ -/468_80. -/468_80/* -/468x060. -/468x060_ -/468x280. -/468x280_ -/468x60- -/468x60. -/468x60/* -/468x60_ -/468x60a. -/468x60a_ -/468x60b. -/468x60v1_ -/468x70- -/468x72. -/468x72_ -/468x80- -/468x80. -/468x80/* -/468x80_ -/468x80b. -/468x80g. -/470x030_ -/475x150- -/480x030. -/480x030_ -/480x60- -/480x60. -/480x60/* -/480x60_ -/480x70_ -/486x60_ -/496_98_ -/500x90. -/530x60_ -/540x80_ -/600-60. -/600-90. -/600_120_ -/600_90_ -/600x160_ -/600x75_ -/600x90. -/60x468. -/640x100/* -/640x80- -/660x120_ -/660x60. -/700_100_ -/700_200. -/700x100. -/700x120. -/700x250. -/700x90. -/728-90- -/728-90. -/728-90/* -/728-90_ -/728.html$subdocument -/728_200. -/728_200_ -/728_90. -/728_90/* -/728_90_ -/728_90n. -/728by90_ -/728x15. -/728x180- -/728x79_ -/728x90- -/728x90. -/728x90/* -/728x901. -/728x90? -/728x90_ -/728x90b. -/728x90b/* -/728x90d. -/728x90g. -/728x90h. -/728x90l. -/728x90top. -/750-100. -/750x100. -/760x120. -/760x120_ -/760x90_ -/768x90- -/768x90. -/780x90. -/800x90. -/80x468_ -/900x130_ -/900x350_ -/950_250. -/960_60_ -/980x90. -/_iframe728x90. -/ban468. -/bottom728.html -/bottom728x90. -/head486x60. -/img/468_60 -/img/728_90 -/L300xH250/* -/lightake728x90. -/new160x600/* -/new300x250/* -/top468.html -/top728.html -/top728x90. -120-600.gif| -120x500.gif| -120x600.gif? -120x600.gif| -120x600.html| -120x600.htm| -120x600.png| -120x600.swf? -120x600.swf| -125x600.gif| -125x600.swf? -125x600.swf| -133x394.gif| -160x300.gif| -160x600.gif| -160x600.html| -160x600.htm| -160x600.jpg| -160x600.php? -160x600.php| -160x600.png| -160x600.swf? -160x600.swf| -160x6001.jpg| -450x55.jpg| -460x70.jpg| -468-60.gif| -468-60.swf? -468-60.swf| -468_60.gif| -468x60.gif| -468x60.html| -468x60.htm| -468x60.jpg| -468x60.php? -468x60.php| -468x60.swf? -468x60.swf| -468x60_1.gif| -468x60_2.jpg| -468x80.gif| -470x60.gif| -470x60.jpg| -470x60.swf? -470x60.swf| -480x60.png| -480x80.jpg| -700_200.gif| -700_200.jpg| -700x200.gif| -728x290.gif| -728x90.gif| -728x90.html| -728x90.htm| -728x90.jpg| -728x90.php? -728x90.php| -728x90.png| -728x90.swf? -728x90.swf| -728x90_2.jpg| -750x80.swf| -750x90.gif| -760x90.jpg| -=120x600, -=120x600; -=160x160; -=160x600& -=160x600, -=160x600; -=234x60; -=234x60_ -=300x250& -=300x250, -=300x250/ -=300x250; -=300x250_ -=300x300; -=336x280, -=336x280; -=440x410; -=468x60& -=468x60, -=468x60/ -=468x60; -=468x60_ -=468x80_ -=480x60; -=728x90& -=728x90, -=728x90/ -=728x90; -=728x90_ -=760x120& -=888x10; -=900x60; -_100x480_ -_115x220. -_120_60. -_120_600. -_120_600_ -_120_x_600. -_120h600. -_120x240. -_120x240_ -_120x500. -_120x60. -_120x600- -_120x600. -_120x600_ -_120x600a. -_120x600px. -_120x60_ -_120x800a. -_125x600_ -_140x600. -_140x600_ -_150x700_ -_160-600. -_160_600. -_160_600_ -_160by600_ -_160x1600. -_160x290. -_160x300. -_160x300_ -_160x350. -_160x400. -_160x500. -_160x600& -_160x600- -_160x600. -_160x600/ -_160x600_ -_160x600b. -_180x300_ -_180x450_ -_200x600_ -_300-250- -_300.htm -_300_250. -_300_250_ -_300_60_ -_300x160_ -_300x250- -_300x250. -_300x250_ -_300x250a_ -_300x250b. -_300x250px. -_300x250v2. -_300x600. -_300x600_ -_320x250_ -_323x120_ -_336x120. -_336x280_ -_336x280a. -_336x280s. -_336x850. -_350_100. -_350_100_ -_350x100. -_370x270. -_400-80. -_400x60. -_400x68. -_420x80. -_420x80_ -_438x50. -_438x60. -_438x60_ -_460_60. -_460x60. -_465x110_ -_468-60. -_468.gif -_468.htm -_468_60- -_468_60. -_468_60_ -_468_80. -_468_80_ -_468x060- -_468x060. -_468x060_ -_468x100. -_468x100_ -_468x120. -_468x60- -_468x60. -_468x60/ -_468x60_ -_468x60b. -_468x60px_ -_468x6o_ -_468x80- -_468x80. -_468x80/ -_468x80_ -_468x90. -_468x90_ -_480_60. -_480_80_ -_480x60- -_480x60. -_480x60/ -_480x60_ -_486x60. -_486x60_ -_490-90_ -_500x440. -_540_70. -_540_70_ -_550x150. -_555x70. -_580x100. -_585x75- -_585x75_ -_590x105. -_600-90. -_600x120_ -_600x160. -_600x180. -_600x80. -_600x90. -_620x203_ -_638x200_ -_650x350. -_650x80_ -_672x120_ -_680x93_ -_682x90_ -_700_100_ -_700_150_ -_700_200_ -_700x200. -_720_90. -_720x90. -_720x90_ -_728-90. -_728-90_ -_728.htm -_728_90. -_728_90_ -_728_x_90_ -_728by90_ -_728x-90. -_728x150. -_728x60. -_728x90& -_728x90- -_728x90. -_728x90/ -_728x901. -_728x90_ -_728x90a. -_728x90a_ -_728x90b_ -_728x90pg_ -_728x90px- -_728x90px. -_728x90px_ -_728x90v1. -_730_440. -_730x60_ -_730x90_ -_745_60. -_745_90. -_750x100. -_760x100. -_760x90_ -_764x70. -_764x70_ -_768x90_ -_796x110_ -_798x99_ -_800x100. -_800x80_ -_80x468. -_900x350. -_936x60. -_960_90. -_970x30_ -_980x100. -_a468x60. -! *** easylist:easylist/easylist_general_block_popup.txt *** -&link_type=offer$popup,third-party -&popunder=$popup -&program=revshare&$popup --ads-campaign/$popup -.co/ads/$popup -.com/?adv=$popup -.com/ads?$popup -.engine?PlacementId=$popup -/?placement=*&redirect$popup -/?redirect&placement=$popup -/?reef=$popup -/a/display.php?$popup -/ad.php?tag=$popup -/ad.php?zone$popup -/ad.php|$popup -/ad/display.php$popup -/ad/window.php?$popup -/ad132m/*$popup -/ad_pop.php?$popup -/adclick.$popup -/adClick/*$popup -/AdHandler.aspx?$popup -/ads.htm$popup -/adServe/*$popup -/adserver.$popup -/adstream_sx.ads/*$popup -/adsxml.php$popup -/adsynserveuserid=$popup -/advlink.$popup -/afu.php?$popup -/apu.php?*&zoneid=$popup -/bani/index.php?id=$popup -/click?adv=$popup -/fp.eng?$popup -/fp.engine?$popup,third-party -/lr.php?zoneid=$popup -/pop-imp/*$popup -/popout.$popup -/popunder.$popup -/popunder_$popup -/popupads.$popup -/promoredirect?*&campaign=*&zone=$popup -/punder.php$popup -/realmedia/ads/*$popup -/Redirect.*&dcid=$popup -/Redirect.*MediaSegmentId=$popup -/Redirect.a1b?$popup -/Redirect.eng?$popup -/Redirect.engine$popup -/Redirect.rb?$popup -/redirect.spark?$popup,third-party -/rotator.php?$popup -/servlet/ajrotator/*$popup -/showads/*$popup -/spopunder^$popup -/srvclk.php?$popup -/xdirect.html?$popup -/yesbaby.$popup -://ads.$popup -://adv.$popup -=popunder&$popup -=popunders&$popup -?ad_domain=$popup -?AdUrl=$popup -?bannerid=*&punder=$popup -?iiadext=$popup -?zoneid=*_bannerid=$popup -_popunder+$popup -! Commonly used popup scripts on movie/tv streaming sites -|javascript:*setTimeout*location.href$popup -! Used with many websites to generate multiple popups -|blob:$popup -|data:text$popup -|dddata:text$popup -! ------------------------General element hiding rules-------------------------! -! *** easylist:easylist/easylist_general_hide.txt *** -###A9AdsMiddleBoxTop -###A9AdsOutOfStockWidgetTop -###A9AdsServicesWidgetTop -###AD-300x250 -###AD-300x250-1 -###AD-300x250-2 -###AD-300x250-3 -###AD-HOME-LEFT -###AD001 -###AD1line -###AD2line -###AD300Right -###AD300_VAN -###AD300x250 -###AD300x600 -###AD728Top -###ADEXPERT_PUSHDOWN -###ADEXPERT_RECTANGLE -###ADInterest -###ADNETwallBanner1 -###ADNETwallBanner2 -###ADSLOT_1 -###ADSLOT_2 -###ADSLOT_3 -###ADSLOT_4 -###ADSLOT_SKYSCRAPER -###ADS_2 -###ADSlideshow -###ADSpro -###ADV120x90 -###ADVERTISE_HERE_ROW -###ADVERTISE_RECTANGLE1 -###ADVERTISE_RECTANGLE2 -###ADVTG_CONTAINER_pushdown -###ADVTLEFT1 -###ADVTLEFT2 -###ADVTRIGHT1 -###ADV_VIDEOBOX_2_CNT -###ADVleaderboard -###AD_160 -###AD_300 -###AD_468x60 -###AD_C -###AD_CONTROL_13 -###AD_CONTROL_22 -###AD_CONTROL_28 -###AD_CONTROL_29 -###AD_CONTROL_8 -###AD_G -###AD_ROW -###AD_Top -###AD_Zone -###AD_banner -###AD_banner_bottom -###AD_gallery -###AD_google -###AD_half -###AD_newsblock -###AD_rectangle -###AD_rr_a -###AD_text -###ADbox -###ADgoogle_newsblock -###ADoverThePlayer -###ADsmallWrapper -###AFF_popup -###APC_ads_details -###AUI_A9AdsMiddleBoxTop -###AUI_A9AdsWidgetAdsWrapper -###Ad-0-0-Slider -###Ad-0-1-Slider -###Ad-1-0-Slider -###Ad-1-1-Slider -###Ad-1-2-Slider -###Ad-3-Slider -###Ad-4-Slider -###Ad-5-2-Slider -###Ad-8-0-Slider -###Ad-9-0-Slider -###Ad-Container -###Ad-Top -###Ad160x600 -###Ad160x600_0_adchoice -###Ad300x145 -###Ad300x250 -###Ad300x250_0 -###Ad300x600_0_adchoice -###Ad3Left -###Ad3Right -###Ad3TextAd -###Ad728x90 -###Ad990 -###AdAboveGame -###AdArea -###AdAreaH -###AdAuth1 -###AdAuth2 -###AdAuth3 -###AdAuth4 -###AdBanner -###AdBannerSmallContainer -###AdBanner_F1 -###AdBanner_S -###AdBar -###AdBar1 -###AdBigBox -###AdBlock -###AdBlockBottomSponsor -###AdBottomLeader -###AdBottomRight -###AdBox160 -###AdBox2 -###AdBox300 -###AdBox728 -###AdBoxMoreGames -###AdButtons -###AdColumn -###AdContainer -###AdContainerTop -###AdContentModule_F -###AdContent_0_0_pnlDiv -###AdControl_TowerAd -###AdDetails_GoogleLinksBottom -###AdDetails_InsureWith -###AdDetails_SeeMoreLink -###AdDisclaimer -###AdDisplay_LongLink -###AdDisplay_TallLink -###AdDiv -###AdExtraBlock -###AdFeedbackLinkID_lnkItem -###AdFoxDiv -###AdFrame1 -###AdFrame2 -###AdFrame4 -###AdHeader -###AdHouseRectangle -###AdImage -###AdIndexTower -###AdLayer1 -###AdLayer2 -###AdLeaderboard2RunofSite -###AdLeaderboardBottom -###AdLeaderboardTop -###AdLocationMarketPage -###AdMPUHome -###AdMediumRectangle1300x250 -###AdMediumRectangle2300x250 -###AdMiddle -###AdMobileLink -###AdPanel -###AdPanelBigBox -###AdPanelLogo -###AdPopUp -###AdRectangle -###AdRectangleBanner -###AdSense-Skyscraper -###AdSense1 -###AdSense2 -###AdSense3 -###AdSenseBottomAds -###AdSenseDiv -###AdSenseMiddleAds -###AdSenseResults1_adSenseSponsorDiv -###AdSenseTopAds -###AdServer -###AdShopSearch -###AdShowcase -###AdShowcase_F -###AdShowcase_F1 -###AdSky23 -###AdSkyscraper -###AdSlot_AF-Right-Multi -###AdSpaceLeaderboard -###AdSpacing -###AdSponsor_SF -###AdSpotMovie -###AdSquare02 -###AdSubsectionShowcase_F1 -###AdTaily_Widget_Container -###AdTargetControl1_iframe -###AdTop -###AdTopBlock -###AdTopLeader -###AdWidgetContainer -###AdZone1 -###AdZone2 -###Ad_976x105 -###Ad_BelowContent -###Ad_Block -###Ad_Center1 -###Ad_Premier -###Ad_Right1 -###Ad_RightBottom -###Ad_RightTop -###Ad_TopLeaderboard -###Adbanner -###Adc1_AdContainer -###Adc2_AdContainer -###Adc3_AdContainer -###AdcBB_AdContainer -###Adcode -###Adlabel -###Adrectangle -###Ads-C -###Ads-D-728x90-hori -###Ads270x510-left -###Ads470by50 -###AdsBannerTop -###AdsBottomContainer -###AdsBottomIframe -###AdsCarouselBoxArea -###AdsContainerTop -###AdsContent -###AdsContent_SearchShortRecB_UPSSR -###AdsDiv -###AdsFrame -###AdsHome2 -###AdsLeader -###AdsLeft_1 -###AdsPlayRight_1 -###AdsRight -###AdsShowCase -###AdsTopContainer -###AdsVideo250 -###AdsWrap -###Ads_BA_BUT_box -###Ads_BA_CAD -###Ads_BA_CAD2 -###Ads_BA_CAD2_Text -###Ads_BA_CAD_box -###Ads_BA_FLB -###Ads_BA_SKY -###Ads_CAD -###Ads_OV_BS -###Ads_Special -###Ads_TFM_BS -###Ads_google_01 -###Ads_google_02 -###Ads_google_03 -###Ads_google_04 -###Ads_google_05 -###Adsense300x250 -###Adtag300x250Bottom -###Adtag300x250Top -###Adv-div -###Adv10 -###Adv11 -###Adv8 -###Adv9 -###AdvArea -###AdvBody -###AdvContainer -###AdvContainerBottom -###AdvContainerMidCenter -###AdvContainerMiddleRight -###AdvContainerTopCenter -###AdvContainerTopRight -###AdvFooter -###AdvFrame1 -###AdvHead -###AdvHeader -###Adv_Footer -###Adv_Main_content -###Advert1 -###AdvertMPU23b -###AdvertPanel -###AdvertText -###AdvertiseFrame -###Advertisement1 -###AdvertisementRightColumnRectangle -###Advertisements -###AdvertisingDiv_0 -###AdvertisingLeaderboard -###AdvertismentHomeTopRight -###Advertorial -###Advertorials -###AdvertsBottom -###AdvertsBottomR -###Adverts_AdDetailsBottom_300x600 -###Adverts_AdDetailsMiddle_300x250 -###ArticleBottomAd -###BANNER_160x600 -###BANNER_300x250 -###BANNER_728x90 -###BBCPH_MCPH_MCPH_P_ArticleAd1 -###BBCPH_MCPH_MCPH_P_OasAdControl1Panel -###BBCPH_MCPH_MCPH_P_OasAdControl2Panel -###BBCPH_MCPH_MCPH_SponsoredLinks1 -###BBoxAd -###BDV_fullAd -###BackgroundAdContainer -###Banner300x250Module -###Banner728x90 -###BannerAd -###BannerAds -###BannerAdvert -###BannerAdvertisement -###BannerXGroup -###BelowFoldAds -###BigBoxAd -###BigboxAdUnit -###BillBoardAdd -###BodyAd -###BodyTopAds -###BotAd -###Bottom468x60AD -###BottomAd0 -###BottomAdContainer -###BottomAdSpacer -###BottomAds -###BottomPageAds -###BrokerBox-AdContainer -###ButtonAd -###CONTENTAD -###CSpromo120x90 -###ClickPop_LayerPop_Container -###ClickStory_ViewAD1 -###ClickStory_ViewRightAD2 -###CommonHeaderAd -###CompanyDetailsNarrowGoogleAdsPresentationControl -###CompanyDetailsWideGoogleAdsPresentationControl -###ContentAd -###ContentAd1 -###ContentAd2 -###ContentAdPlaceHolder1 -###ContentAdPlaceHolder2 -###ContentAdView -###ContentAdXXL -###ContentAdtagRectangle -###ContentPlaceHolder1_adds -###ContentPlaceHolder1_advertControl1_advertLink -###ContentPlaceHolder1_advertControl3_advertLink -###ContentPlaceHolder1_pnlGoogleAds -###ContentPolepositionAds_Result -###Content_CA_AD_0_BC -###Content_CA_AD_1_BC -###ConversationDivAd -###CornerAd -###CountdownAdvert -###DARTad300x250 -###DEFAULT_ADV4_SWF -###DFM-adPos-bottomline -###DFPAD_MR -###DFP_in_article_mpu -###DFP_top_leaderboard -###DartAd300x250 -###DartAd990x90 -###DealsPageSideAd -###DivAd -###DivAd1 -###DivAd2 -###DivAd3 -###DivAdA -###DivAdB -###DivAdC -###DivAdEggHeadCafeTopBanner -###DivAdForumSplitBottom -###DivMsnCamara -###DivTopAd -###DividerAd -###DynamicAD -###FFN_imBox_Container -###FIN_300_250_position2_ad -###FIN_300_x_250_600_position2_ad -###FIN_300x250_pos1_ad -###FIN_300x80_facebook_ad -###FIN_468x60_sponsor_ad -###FIN_640x60_promo_ad -###FIN_728_90_leaderboard_ad -###FIN_ad_300x100_pos_1 -###FIN_videoplayer_300x250ad -###FRONTADVT2 -###FRONTADVT3 -###FRONTADVT4 -###FRONTADVT5 -###FRONTADVT8 -###FooterAd -###FooterAdBlock -###FooterAdContainer -###ForumSponsorBanner -###Freeforums-AdS-footer-728x90 -###Freeforums-AdS-header-728x90 -###FrontPageRectangleAd -###GOOGLEADS_BOT -###GOOGLEADS_CENTER -###GOOGLE_ADS_13 -###GOOGLE_ADS_151 -###GOOGLE_ADS_16 -###GOOGLE_ADS_2 -###GOOGLE_ADS_49 -###GOOGLE_ADS_56 -###GOOGLE_ADS_94 -###GameMediumRectangleAD -###GamePageAdDiv -###GoogleADsense -###GoogleADthree -###GoogleAd -###GoogleAd1 -###GoogleAd2 -###GoogleAd3 -###GoogleAdExploreMF -###GoogleAdRight -###GoogleAdTop -###GoogleAds250X200 -###GoogleAdsPlaceHolder -###GoogleAdsPresentationControl -###GoogleAdsense -###GoogleAdsenseMerlinWrapper -###GoogleLeaderBoardAdUnit -###GoogleLeaderBoardAdUnitSeperator -###GoogleRelatedAds -###GoogleSponsored -###Google_Adsense_Main -###HALExchangeAds -###HALHouseAd -###HB_News-ad -###HEADERAD -###HOME_TOP_RIGHT_BOXAD -###HP_adUnits -###H_Ad_728x90 -###H_Ad_Wrap -###HeaderAD -###HeaderAd -###HeaderAdBlock -###HeaderAdSidebar -###HeaderAdsBlock -###HeaderAdsBlockFront -###HeaderBannerAdSpacer -###HeaderTextAd -###HeroAd -###HomeAd1 -###HomeBannerAd -###Home_AdSpan -###HomepageAdSpace -###HorizontalAd -###HouseAd -###HouseAdInsert -###ID_Ad_Sky -###IM_AD -###IN_HOUSE_AD_SWITCHER_0 -###IframeAdBannerSmallContainer -###ImageAdSideColumn -###ImageRotaAreaAD -###IslandAd_DeferredAdSpacediv -###JobsearchResultsAds -###Journal_Ad_125 -###Journal_Ad_300 -###JuxtapozAds -###KH-contentAd -###LB_Row_Ad -###LS-google-ad -###LargeRectangleAd -###LeaderTop-ad -###LeaderboardAdvertising -###LeaderboardNav_ad_placeholder -###LeftAd -###LeftAd1 -###LeftAdF1 -###LeftAdF2 -###LeftSideBarAD -###LftAd -###LittleAdvert -###LoungeAdsDiv -###LovelabAdoftheDay -###LowerContentAd -###MAINAD-box -###MPUAdSpace -###MPUadvertising -###MPUadvertisingDetail -###M_AD -###MainAd -###MainAd1 -###MainContent_ucTopRightAdvert -###MainHeader1_FRONTADVT10 -###MainHeader1_FRONTADVT11 -###MainRightStrip1_RIGHTADVT2 -###MainRightStrip1_RIGHTADVT3 -###MainRightStrip1_RIGHTADVT4 -###MainRightStrip1_RIGHTADVT5 -###MainSponsoredLinks -###MastheadAd -###MediumRectangleAD -###Meebo\:AdElement\.Root -###MidPageAds -###MiddleRightRadvertisement -###Module-From_Advertisers -###MyAdHeader -###MyAdSky -###NavAD -###Nightly_adContainer -###NormalAdModule -###OAS2 -###OASMiddleAd -###OASRightAd -###OAS_AD_TOPRIGHT -###OAS_Top -###OAS_posBottom -###OAS_posRight -###OAS_posTopRight -###OpenXAds -###OverrideAdArea -###PPX_imBox_Container -###PREFOOTER_LEFT_BOXAD -###PREFOOTER_RIGHT_BOXAD -###PageLeaderAd -###PaneAdvertisingContainer -###PhotoAd1 -###PostSponsorshipContainer -###PreRollAd -###PushDownAd -###RHS2Adslot -###RadAdSkyscraper -###RadAd_Skyscraper -###RelevantAds -###RgtAd1 -###RhsIsland_DeferredAdSpacediv -###RightAd -###RightAdBlock -###RightAdSpace -###RightAdvertisement -###RightBottom300x250AD -###RightColumn125x125AD -###RightColumnAdContainer -###RightColumnSkyScraperAD -###RightNavTopAdSpot -###RightRailSponsor -###RightSponsoredAd -###RollOutAd970x66 -###RollOutAd970x66iframe -###SBAArticle -###SBABottom -###SBAInHouse -###SBATier1 -###SBATier2 -###SBATier3 -###SE20-ad-container -###SE_ADLINK_LAY_gd -###SIDEMENUAD -###SIM_ad_300x100_homepage_pos1 -###SIM_ad_300x250-600_pos1 -###SIM_ad_300x250_pos2 -###SIM_ad_468x60_homepage_pos1 -###SIM_ad_468x60_homepage_pos2 -###SIM_ad_468x60_homepage_pos3 -###SIM_ad_728x90_bottom -###SRPadsContainer -###ScoreboardAd -###SearchAd_PlaceHolder -###SearchAdsBottom -###SearchAdsTop -###Section-Ads -###SectionAd300-250 -###SectionSponsorAd -###ServerAd -###SideAdMpu -###SideBarAdWidget -###SideMpuAdBar -###SidebarAdContainer -###SkyAd -###SkyscraperAD -###SpecialAds -###Spons-Link -###SponsorBarWrap -###SponsoredAd -###SponsoredAds -###SponsoredLinks -###SponsoredResultsTop -###SponsorsAds -###TDads -###TL_footer_advertisement -###TOPADS -###TOP_ADROW -###TOP_RIGHT_BOXAD -###TPVideoPlayerAd300x250 -###Tadspacecbar -###Tadspacefoot -###Tadspacehead -###Tadspacemrec -###TextLinkAds -###ThemeSection_adbanner2 -###ThemeSection_adbanner3 -###ThreadAd -###TipTopAdSpace -###TitleAD -###Top-Ad-Container -###Top468x60AD -###TopADs -###TopAd -###TopAd0 -###TopAdBox -###TopAdContainer -###TopAdDiv -###TopAdPlacement -###TopAdPos -###TopAdTable -###TopAdvert -###TopBannerAd -###TopCenterAdUnit -###TopGoogleCustomAd -###TopRightRadvertisement -###TopSideAd -###TopTextAd -###VM-MPU-adspace -###VM-footer-adspace -###VM-footer-adwrap -###VM-header-adspace -###VM-header-adwrap -###VertAdBox -###VertAdBox0 -###WNAd1 -###WNAd103 -###WNAd17 -###WNAd20 -###WNAd41 -###WNAd43 -###WNAd46 -###WNAd47 -###WNAd49 -###WNAd52 -###WNAd63 -###WarningCodecBanner -###WelcomeAd -###WindowAdHolder -###WordFromSponsorAdvertisement -###XEadLeaderboard -###XEadSkyscraper -###YahooAdParentContainer -###YahooAdsContainer -###YahooAdsContainerPowerSearch -###YahooContentAdsContainerForBrowse -###YahooSponsoredResults -###Zergnet -###\5f _mom_ad_12 -###\5f _mom_ad_2 -###_ads -###a4g-floating-ad -###a_ad10Sp -###a_ad11Sp -###abHeaderAdStreamer -###ab_adblock -###abc-AD_topbanner -###about_adsbottom -###above-comments-ad -###above-fold-ad -###above-footer-ads -###aboveAd -###aboveGbAd -###aboveNodeAds -###aboveplayerad -###abovepostads -###acAdContainer -###acm-ad-tag-300x250-atf -###acm-ad-tag-300x250-btf -###acm-ad-tag-728x90-atf -###acm-ad-tag-728x90-btf -###ad-0 -###ad-1 -###ad-1000x90-1 -###ad-1050 -###ad-109 -###ad-118 -###ad-120-left -###ad-120x600-1 -###ad-120x600-other -###ad-120x600-sidebar -###ad-120x60Div -###ad-125x125 -###ad-13 -###ad-133 -###ad-143 -###ad-160 -###ad-160-long -###ad-160x600 -###ad-160x600-sidebar -###ad-160x600-wrapper -###ad-162 -###ad-17 -###ad-170 -###ad-180x150-1 -###ad-19 -###ad-197 -###ad-2 -###ad-2-160x600 -###ad-200x200_newsfeed -###ad-21 -###ad-213 -###ad-220x90-1 -###ad-230x100-1 -###ad-240x400-1 -###ad-240x400-2 -###ad-250 -###ad-250x300 -###ad-28 -###ad-29 -###ad-3 -###ad-3-300x250 -###ad-300 -###ad-300-250 -###ad-300-additional -###ad-300-detail -###ad-300-sidebar -###ad-300X250-2 -###ad-300a -###ad-300b -###ad-300x-container -###ad-300x250 -###ad-300x250-0 -###ad-300x250-01 -###ad-300x250-02 -###ad-300x250-1 -###ad-300x250-2 -###ad-300x250-b -###ad-300x250-right -###ad-300x250-right0 -###ad-300x250-sidebar -###ad-300x250-wrapper -###ad-300x250Div -###ad-300x250_top -###ad-300x40-1 -###ad-300x40-2 -###ad-300x40-5 -###ad-300x60-1 -###ad-32 -###ad-320 -###ad-336 -###ad-350 -###ad-37 -###ad-376x280 -###ad-4 -###ad-4-300x90 -###ad-5-images -###ad-55 -###ad-63 -###ad-635x40-1 -###ad-655 -###ad-7 -###ad-728 -###ad-728-90 -###ad-728x90 -###ad-728x90-1 -###ad-728x90-leaderboard-top -###ad-728x90-top -###ad-728x90-top0 -###ad-732 -###ad-734 -###ad-74 -###ad-88 -###ad-88-wrap -###ad-970 -###ad-98 -###ad-a -###ad-a1 -###ad-abs-b-0 -###ad-abs-b-1 -###ad-abs-b-10 -###ad-abs-b-2 -###ad-abs-b-3 -###ad-abs-b-4 -###ad-abs-b-5 -###ad-abs-b-6 -###ad-abs-b-7 -###ad-absolute-160 -###ad-ads -###ad-adsensemedium -###ad-advertorial -###ad-affiliate -###ad-area -###ad-around-the-web -###ad-article -###ad-article-in -###ad-aside-1 -###ad-atf-mid -###ad-atf-top -###ad-background -###ad-ban -###ad-banner -###ad-banner-1 -###ad-banner-970 -###ad-banner-980 -###ad-banner-atf -###ad-banner-body-top -###ad-banner-bottom -###ad-banner-image -###ad-banner-placement -###ad-banner-top -###ad-banner-wrap -###ad-bar -###ad-base -###ad-beauty -###ad-below-content -###ad-bg -###ad-big -###ad-bigbox -###ad-bigsize -###ad-billboard -###ad-billboard-atf -###ad-billboard-bottom -###ad-blade -###ad-block -###ad-block-125 -###ad-block-bottom -###ad-block-container -###ad-border -###ad-bottom -###ad-bottom-300x250 -###ad-bottom-banner -###ad-bottom-right-container -###ad-bottom-wrapper -###ad-bottomright -###ad-box -###ad-box-1 -###ad-box-2 -###ad-box-bottom -###ad-box-first -###ad-box-halfpage -###ad-box-leaderboard -###ad-box-rectangle -###ad-box-rectangle-2 -###ad-box-second -###ad-box1 -###ad-box2 -###ad-boxATF -###ad-boxes -###ad-br-container -###ad-bs -###ad-btf-bot -###ad-btm -###ad-buttons -###ad-campaign -###ad-carousel -###ad-case -###ad-center -###ad-circfooter -###ad-code -###ad-col -###ad-colB-1 -###ad-column -###ad-container -###ad-container-1 -###ad-container-2 -###ad-container-adaptive-1 -###ad-container-adaptive-3 -###ad-container-fullpage -###ad-container-inner -###ad-container-leaderboard -###ad-container-mpu -###ad-container-outer -###ad-container-overlay -###ad-container1 -###ad-contentad -###ad-cube-Bottom -###ad-cube-Middle -###ad-cube-sec -###ad-cube-top -###ad-desktop-wrap -###ad-discover -###ad-display-ad -###ad-div-leaderboard -###ad-double-spotlight-container -###ad-drawer -###ad-e-container -###ad-ear -###ad-extra-comments -###ad-extra-flat -###ad-f-container -###ad-featured-right -###ad-first-post -###ad-five -###ad-five-75x50s -###ad-flex-first -###ad-flex-top -###ad-footer -###ad-footer-728x90 -###ad-footprint-160x600 -###ad-for-map -###ad-frame -###ad-framework-top -###ad-front-btf -###ad-front-footer -###ad-front-page-160x600-placeholder -###ad-front-sponsoredlinks -###ad-full-width -###ad-fullbanner-btf -###ad-fullbanner-outer -###ad-fullbanner2 -###ad-fullbanner2-billboard-outer -###ad-fullwidth -###ad-giftext -###ad-globalleaderboard -###ad-google-chrome-sidebar -###ad-googleAdSense -###ad-gpt-bottomrightrec -###ad-gpt-leftrec -###ad-gpt-rightrec -###ad-gutter-left -###ad-gutter-right -###ad-halfpage -###ad-header -###ad-header-728x90 -###ad-header-left -###ad-header-mad -###ad-header-mobile -###ad-header-right -###ad-holder -###ad-homepage-content-well -###ad-homepage-top-wrapper -###ad-horizontal -###ad-horizontal-header -###ad-horizontal-top -###ad-idreammedia -###ad-img -###ad-in-post -###ad-index -###ad-inner -###ad-inside1 -###ad-inside2 -###ad-interstitial-wrapper -###ad-introtext -###ad-label -###ad-label2 -###ad-large-header -###ad-lb -###ad-lb-secondary -###ad-ldr-spot -###ad-lead -###ad-leader -###ad-leader-atf -###ad-leader-container -###ad-leaderboard -###ad-leaderboard-1 -###ad-leaderboard-1-container -###ad-leaderboard-2 -###ad-leaderboard-2-container -###ad-leaderboard-bottom -###ad-leaderboard-container -###ad-leaderboard-footer -###ad-leaderboard-spot -###ad-leaderboard-top -###ad-leaderboard-top-container -###ad-leaderboard_bottom -###ad-leadertop -###ad-left -###ad-left-sidebar-ad-1 -###ad-left-sidebar-ad-2 -###ad-left-sidebar-ad-3 -###ad-left-timeswidget -###ad-links-content -###ad-list-row -###ad-lrec -###ad-main -###ad-main-bottom -###ad-main-top -###ad-makeup -###ad-manager -###ad-manager-ad-bottom-0 -###ad-manager-ad-top-0 -###ad-medium -###ad-medium-lower -###ad-medium-rectangle -###ad-medrec -###ad-medrec_premium -###ad-megaban2 -###ad-megasky -###ad-mid -###ad-mid-rect -###ad-middle -###ad-middlethree -###ad-middletwo -###ad-midpage -###ad-minibar -###ad-module -###ad-mpu -###ad-mpu-topRight-container -###ad-mpu-warning -###ad-mpu1-spot -###ad-mpu2 -###ad-mpu2-spot -###ad-mpu600-right-container -###ad-mrec -###ad-mrec2 -###ad-new -###ad-news-sidebar-300x250-placeholder -###ad-north -###ad-north-base -###ad-northeast -###ad-one -###ad-other -###ad-output -###ad-overlay -###ad-page-1 -###ad-page-sky-300-a1 -###ad-page-sky-300-a2 -###ad-page-sky-left -###ad-pan3l -###ad-panel -###ad-pencil -###ad-placard -###ad-placeholder -###ad-placement -###ad-plate -###ad-popup -###ad-popup1 -###ad-position-a -###ad-post -###ad-push -###ad-pushdown -###ad-r -###ad-rbkua -###ad-rec-atf -###ad-rec-btf-top -###ad-recommend -###ad-rect -###ad-rectangle -###ad-rectangle-flag -###ad-rectangle1 -###ad-rectangle1-outer -###ad-rectangle2 -###ad-rectangle3 -###ad-region-1 -###ad-results -###ad-rian -###ad-right -###ad-right-3 -###ad-right-sidebar -###ad-right-sidebar-ad-1 -###ad-right-sidebar-ad-2 -###ad-right-skyscraper-container -###ad-right-top -###ad-right2 -###ad-right3 -###ad-righttop -###ad-ros-atf-300x90 -###ad-ros-btf-300x90 -###ad-rotator -###ad-row -###ad-row-1 -###ad-s1 -###ad-safe -###ad-secondary-sidebar-1 -###ad-section -###ad-separator -###ad-shop -###ad-side -###ad-side-text -###ad-sidebar -###ad-sidebar-1 -###ad-sidebar-2 -###ad-sidebar-3 -###ad-sidebar-300x80 -###ad-sidebar-btf -###ad-sidebar-container -###ad-sidebar-mad -###ad-sidebar-mad-wrapper -###ad-sidebar-right_300-1 -###ad-sidebar-right_300-2 -###ad-sidebar-right_300-3 -###ad-sidebar-right_bitgold -###ad-sidebar1 -###ad-sidebar2 -###ad-sidebarleft-bottom -###ad-sidebarleft-top -###ad-single-spotlight-container -###ad-skin -###ad-sky -###ad-sky-atf -###ad-sky-btf -###ad-skyscraper -###ad-skyscraper-feedback -###ad-skyscraper1-outer -###ad-sla-sidebar300x250 -###ad-slot-1 -###ad-slot-2 -###ad-slot-4 -###ad-slot-right -###ad-slot1 -###ad-slot4 -###ad-slug-wrapper -###ad-small-banner -###ad-smartboard_1 -###ad-smartboard_2 -###ad-smartboard_3 -###ad-software-description-300x250-placeholder -###ad-software-sidebar-300x250-placeholder -###ad-space -###ad-space-1 -###ad-space-2 -###ad-space-big -###ad-special -###ad-splash -###ad-sponsored-traffic -###ad-sponsors -###ad-spot -###ad-spot-bottom -###ad-spot-one -###ad-springboard-300x250 -###ad-squares -###ad-standard-wrap -###ad-stickers -###ad-story-bottom-in -###ad-story-bottom-out -###ad-story-right -###ad-story-top -###ad-stripe -###ad-tab -###ad-tail-placeholder -###ad-tape -###ad-target -###ad-target-Leaderbord -###ad-teaser -###ad-techwords -###ad-text -###ad-textad-single -###ad-three -###ad-tlr-spot -###ad-top -###ad-top-250 -###ad-top-300x250 -###ad-top-728 -###ad-top-banner -###ad-top-banner-placeholder -###ad-top-leaderboard -###ad-top-left -###ad-top-lock -###ad-top-right -###ad-top-right-container -###ad-top-text-low -###ad-top-wrap -###ad-top-wrapper -###ad-tower -###ad-tower1 -###ad-trailerboard-spot -###ad-tray -###ad-two -###ad-typ1 -###ad-unit -###ad-uprrail1 -###ad-video -###ad-video-page -###ad-west -###ad-wide-leaderboard -###ad-wrap -###ad-wrap-right -###ad-wrapper -###ad-wrapper-728x90 -###ad-wrapper-left -###ad-wrapper-right -###ad-wrapper1 -###ad-yahoo-simple -###ad-zone-1 -###ad-zone-2 -###ad-zone-inline -###ad001 -###ad002 -###ad01 -###ad02 -###ad1-468x400 -###ad1-home -###ad1-placeholder -###ad1-wrapper -###ad1006 -###ad101 -###ad10Sp -###ad11 -###ad11Sp -###ad120x600 -###ad120x600container -###ad120x60_override -###ad125B -###ad125BL -###ad125BR -###ad125TL -###ad125TR -###ad125x125 -###ad160 -###ad160-2 -###ad160600 -###ad160Container -###ad160Wrapper -###ad160a -###ad160x600 -###ad160x600right -###ad180 -###ad1Sp -###ad1_holder -###ad1_top-left -###ad2-home -###ad2-label -###ad2-original-placeholder -###ad250 -###ad260x60 -###ad2CONT -###ad2Sp -###ad2_footer -###ad2_iframe -###ad2_inline -###ad2gameslayer -###ad300 -###ad300-250 -###ad300-title -###ad300250top -###ad300IndexBox -###ad300X250 -###ad300_250 -###ad300_a -###ad300_x_250 -###ad300b -###ad300c -###ad300text -###ad300top -###ad300x100Middle -###ad300x150 -###ad300x250 -###ad300x250Module -###ad300x250_336x280_300x600_336x850 -###ad300x250_336x280_bottom -###ad300x250_callout -###ad300x250box -###ad300x250box2 -###ad300x250c -###ad300x50 -###ad300x60 -###ad300x600 -###ad300x600_callout -###ad31 -###ad32 -###ad330x240 -###ad336 -###ad336atf -###ad336iiatf -###ad336x280 -###ad375x85 -###ad3Article -###ad3small -###ad468 -###ad468_hidden -###ad468x60 -###ad468x60-story -###ad468x60_top -###ad470 -###ad508x125 -###ad520x85 -###ad526x250 -###ad5_inline -###ad6 -###ad600 -###ad600x90 -###ad650 -###ad720x90bot -###ad728 -###ad72890 -###ad72890foot -###ad728Bottom -###ad728Box -###ad728BoxBtm -###ad728Header -###ad728Mid -###ad728Top -###ad728Wrapper -###ad728X90 -###ad728foot -###ad728h -###ad728mid -###ad728top -###ad728x90 -###ad728x90_1 -###ad728x90asme -###ad728x90box -###ad76890topContainer -###ad768top1 -###ad90 -###ad97090 -###adAd -###adBadges -###adBanner -###adBanner1 -###adBanner10 -###adBanner120x600 -###adBanner160x600 -###adBanner160x610 -###adBanner2 -###adBanner3 -###adBanner336x280 -###adBanner4 -###adBanner728 -###adBanner728_bot -###adBanner9 -###adBannerBottom -###adBannerBreaking -###adBannerHeader -###adBannerSpacer -###adBannerTable -###adBannerTop -###adBannerWrap -###adBannerWrapperFtr -###adBar -###adBelt -###adBlock01 -###adBlock125 -###adBlockBanner -###adBlockContainer -###adBlockContent -###adBlockOverlay -###adBlockTop -###adBlocks -###adBody01 -###adBody02 -###adBody03 -###adBody04 -###adBody06 -###adBottbanner -###adBottom -###adBox -###adBox11 -###adBox16 -###adBox350 -###adBox390 -###adBoxUpperRight -###adBrandDev -###adBrandingStation -###adBreak -###adCENTRAL -###adCTXSp -###adCarousel -###adChannel -###adChoiceFooter -###adChoices -###adChoicesIcon -###adChoicesLogo -###adCirc300X200 -###adCirc300X250 -###adCirc300x300 -###adCirc620X100 -###adCirc_620_100 -###adClickLeft -###adClickMe -###adClickRight -###adCol -###adColumn -###adColumn3 -###adCompanionBanner -###adCompanionSubstitute -###adComponentWrapper -###adContainerCC -###adContainerForum -###adContainer_1 -###adContainer_2 -###adContainer_3 -###adContent -###adContentHolder -###adContext -###adControl1 -###adDailyDeal -###adDiv -###adDiv0 -###adDiv1 -###adDiv300 -###adDiv4 -###adDiv728 -###adDivContainer -###adDivleaderboard -###adDivminimodulebutton1 -###adDivminimodulebutton2 -###adDivminimodulebutton3 -###adDivmrec -###adDivmrecadhomepage -###adFiller -###adFixFooter -###adFlashDiv -###adFooter -###adFooterTitel -###adFot -###adFoxBanner -###adFps -###adFrame -###adFtofrs -###adGallery -###adGmWidget -###adGoogleText -###adGroup1 -###adGroup4 -###adHeader -###adHeaderTop -###adHeaderWrapper -###adHolder -###adHolder1 -###adHolder2 -###adHolder3 -###adHolder300x250 -###adHolder4 -###adHolder5 -###adHolder6 -###adIframe -###adInBetweenPosts -###adInCopy -###adInstoryOneWrap -###adInstoryTwoWrap -###adInteractive1 -###adInteractive4 -###adInteractiveInline -###adIsland -###adLB -###adLContain -###adLabel -###adLayer -###adLeader -###adLeaderTop -###adLeaderboard -###adLeaderboard-middle -###adLeaderboardUp -###adLeft -###adLink -###adLink1 -###adLink300 -###adLocation-1 -###adLocation-2 -###adLocation-3 -###adLocation-4 -###adLounge -###adLrec -###adMOBILETOP -###adMPU -###adMPUHolder -###adMagAd -###adMain -###adMarketplace -###adMed -###adMedRect -###adMediaWidget -###adMediumRectangle -###adMeld -###adMessage -###adMid1 -###adMid2 -###adMiddle0Frontpage -###adMiddle_imgAd -###adMiniPremiere -###adMonster1 -###adMpu -###adMpuBottom -###adNshareWrap -###adOne -###adOuter -###adPLaceHolderTop728 -###adPUSHDOWNBANNER -###adPageContainer -###adPanelAjaxUpdate -###adPlaceHolder1 -###adPlaceHolder2 -###adPlaceHolderRight -###adPlaceScriptrightSidebarFirstBanner -###adPlaceScriptrightSidebarSecondBanner -###adPlaceScripttopBanner -###adPlacer -###adPopover -###adPosOne -###adPosition0 -###adPosition14 -###adPosition5 -###adPosition6 -###adPosition7 -###adPosition9 -###adPush -###adRContain -###adRectangleFooter -###adRectangleHeader -###adRight -###adRight1 -###adRight2 -###adRight3 -###adRight4 -###adRight5 -###adRightColumnHolder -###adSPLITCOLUMNTOPRIGHT -###adScraper -###adSection -###adSense -###adSenseBottomDiv -###adSenseBox -###adSenseContentTop -###adSenseLoadingPlaceHolder -###adSenseModule -###adSenseResultAdblock -###adSenseResults -###adSenseSidebarBottom -###adSenseTall -###adSenseWrapper -###adServer_marginal -###adSet -###adShortTower -###adSide -###adSideButton -###adSidebar -###adSidebarSq -###adSite -###adSkin -###adSkinBackdrop -###adSkinLeft -###adSkinRight -###adSky -###adSkyPosition -###adSkyscraper -###adSlider -###adSlot-inPage-300x250-right -###adSlot01 -###adSlot02 -###adSlot1 -###adSlot2 -###adSlot2_grid -###adSlot3 -###adSlot3_grid -###adSlot4 -###adSlot4_grid -###adSlug -###adSpace -###adSpace0 -###adSpace1 -###adSpace10 -###adSpace11 -###adSpace12 -###adSpace13 -###adSpace14 -###adSpace15 -###adSpace16 -###adSpace17 -###adSpace18 -###adSpace19 -###adSpace2 -###adSpace20 -###adSpace21 -###adSpace22 -###adSpace23 -###adSpace24 -###adSpace25 -###adSpace3 -###adSpace300_ifrMain -###adSpace4 -###adSpace5 -###adSpace6 -###adSpace7 -###adSpace8 -###adSpace9 -###adSpaceBottom -###adSpace_footer -###adSpace_right -###adSpace_top -###adSpacer -###adSpecial -###adSplotlightEm -###adSponsor -###adSpot-Leader -###adSpot-banner -###adSpot-island -###adSpot-mrec1 -###adSpot-promobox1 -###adSpot-promobox2 -###adSpot-sponsoredlinks -###adSpot-textbox1 -###adSpot-twin -###adSpot-widestrip -###adSpotAdvertorial -###adSpotIsland -###adSpotIslandLarge -###adSpotSponsoredLinks -###adSpotholder-EGN -###adSpotlightSquare1 -###adSqb -###adSquare -###adStaticA -###adStrip -###adSuperAd -###adSuperPremiere -###adSuperSkyscraper -###adSuperbanner -###adTableCell -###adTag -###adTag-genre -###adTag1 -###adTag2 -###adTeaser -###adText -###adText2 -###adTextCustom -###adTextLink -###adTextRt -###adText_container -###adThree -###adTicker -###adTiff -###adTile -###adTop -###adTop1 -###adTop2 -###adTopBanner-inner -###adTopBanner1 -###adTopBig -###adTopBox300x300 -###adTopContent -###adTopModule -###adTopbanner -###adTopboxright -###adTower -###adTower1 -###adTower2 -###adTwo -###adUn_1 -###adUn_2 -###adUn_3 -###adUnit -###adValue -###adVcss -###adWideSkyscraper -###adWrap -###adWrapper -###adWrapper1 -###adWrapperLeft -###adWrapperRight -###adWrapperSky -###adZoneTop -###ad_0 -###ad_02 -###ad_03 -###ad_04 -###ad_1 -###ad_120_sidebar -###ad_120x600 -###ad_120x90 -###ad_130x250_inhouse -###ad_160 -###ad_160_600 -###ad_160_600_2 -###ad_160_container_left -###ad_160_container_right -###ad_160_sidebar -###ad_160x160 -###ad_160x600 -###ad_175x300 -###ad_190x90 -###ad_2 -###ad_250 -###ad_250x250 -###ad_3 -###ad_300 -###ad_300_250 -###ad_300_250_1 -###ad_300_250_inline -###ad_300_container -###ad_300_interruptor -###ad_300_wrapper -###ad_300a -###ad_300b -###ad_300c -###ad_300misc -###ad_300x100 -###ad_300x100_m_c -###ad_300x250 -###ad_300x250Ando -###ad_300x250_1 -###ad_300x250_2 -###ad_300x250_container -###ad_300x250_content_column -###ad_300x250_frame -###ad_300x250_m_c -###ad_300x250_secondary -###ad_300x250_startgame -###ad_300x250m -###ad_300x60 -###ad_300x600 -###ad_300x90 -###ad_336 -###ad_336_singlebt -###ad_350_200 -###ad_380x35 -###ad_4 -###ad_450x280 -###ad_468_60 -###ad_468x120 -###ad_468x60 -###ad_470x60a -###ad_5 -###ad_500 -###ad_500_label -###ad_500x150 -###ad_6 -###ad_700_90 -###ad_700x430 -###ad_728 -###ad_728_90 -###ad_728_foot -###ad_728_holder -###ad_728a -###ad_728b -###ad_728h -###ad_728x90 -###ad_728x90_container -###ad_728x90_content -###ad_728x90home -###ad_728x91 -###ad_8 -###ad_88x31 -###ad_940 -###ad_984 -###ad_990x90 -###ad_A -###ad_B -###ad_B1 -###ad_Banner -###ad_Bottom -###ad_C -###ad_C2 -###ad_D -###ad_DisplayAd1 -###ad_DisplayAd2 -###ad_E -###ad_Entry_160x600 -###ad_Entry_728x90 -###ad_F -###ad_Feature_Middlebar_468x60 -###ad_G -###ad_H -###ad_Header_768x90 -###ad_Home_300x250 -###ad_I -###ad_J -###ad_K -###ad_L -###ad_LargeRec01 -###ad_M -###ad_Middle -###ad_Middle1 -###ad_N -###ad_NorthBanner -###ad_O -###ad_P -###ad_Position1 -###ad_Pushdown -###ad_R1 -###ad_Right -###ad_Top -###ad_Top2 -###ad_TopLongBanner -###ad_Wrap -###ad_YieldManager-160x600 -###ad_YieldManager-300x250 -###ad_YieldManager-728x90 -###ad_above_game -###ad_ad -###ad_adsense -###ad_after_navbar -###ad_anchor -###ad_and_content_ad_box -###ad_area -###ad_article_btm -###ad_banner -###ad_bannerManage_1 -###ad_banner_1 -###ad_banner_120x600 -###ad_banner_125x300 -###ad_banner_300x250 -###ad_banner_468x60 -###ad_banner_728x90 -###ad_banner_728x90_bot -###ad_banner_bot -###ad_banner_example -###ad_banner_top -###ad_banners -###ad_banners_content -###ad_bar -###ad_bar_rect -###ad_bellow_post -###ad_bg -###ad_bg_image -###ad_big -###ad_bigbox -###ad_bigbox_companion -###ad_bigrectangle -###ad_bigsize -###ad_bigsize_wrapper -###ad_billboard -###ad_billboard2 -###ad_billboard_ifm -###ad_block -###ad_block_0 -###ad_block_1 -###ad_block_2 -###ad_block_300x250 -###ad_block_mpu -###ad_board_after_forums -###ad_board_before_forums -###ad_body -###ad_bottom -###ad_bottom_1x1 -###ad_bottom_728x90 -###ad_bottom_another -###ad_bottom_article_text -###ad_bottombrandtext -###ad_box -###ad_box02 -###ad_box160a -###ad_box300x250 -###ad_box_2 -###ad_box_ad_0 -###ad_box_ad_1 -###ad_box_colspan -###ad_box_top -###ad_branding -###ad_bs_area -###ad_btmslot -###ad_bucket_med_rectangle_1 -###ad_bucket_med_rectangle_2 -###ad_buttons -###ad_category_middle -###ad_cell -###ad_center -###ad_center_monster -###ad_channel -###ad_chitikabanner_120x600LH -###ad_choices -###ad_circ300x250 -###ad_circ_300_200 -###ad_circ_300x250 -###ad_circ_300x300 -###ad_close -###ad_closebtn -###ad_cna2 -###ad_comments -###ad_companion_banner -###ad_complex -###ad_comps_top -###ad_cont -###ad_cont1 -###ad_cont2 -###ad_container -###ad_container_0 -###ad_container_300x250 -###ad_container_marginal -###ad_container_side -###ad_container_sidebar -###ad_container_top -###ad_content -###ad_content_before_first_para -###ad_content_fullsize -###ad_content_primary -###ad_content_right -###ad_content_top -###ad_content_wrap -###ad_creative_2 -###ad_creative_3 -###ad_creative_5 -###ad_cyborg -###ad_display_300_250 -###ad_display_728_90 -###ad_div -###ad_div_bottom -###ad_div_top -###ad_embed_300x250 -###ad_fb_circ -###ad_feature -###ad_feedback -###ad_fg -###ad_firstpost -###ad_flyrelax -###ad_foot -###ad_footer -###ad_footer1 -###ad_footerAd -###ad_footer_s -###ad_footer_small -###ad_frame -###ad_frame1 -###ad_front_three -###ad_fullbanner -###ad_gallery -###ad_gallery_bot -###ad_global_300x250 -###ad_global_above_footer -###ad_global_header -###ad_global_header1 -###ad_global_header2 -###ad_google_content336 -###ad_googlebanner_160x600LH -###ad_grp1 -###ad_grp2 -###ad_gutter_top -###ad_h3 -###ad_haha_1 -###ad_haha_4 -###ad_halfpage -###ad_hdr_2 -###ad_head -###ad_header -###ad_header_1 -###ad_header_container -###ad_header_logo_placeholder -###ad_headerlarge -###ad_help_link_new -###ad_hf -###ad_hide_for_menu -###ad_holder -###ad_home -###ad_home_middle -###ad_horizontal -###ad_horseshoe_left -###ad_horseshoe_right -###ad_horseshoe_spacer -###ad_horseshoe_top -###ad_hotpots -###ad_houseslot1_desktop -###ad_houseslot_a -###ad_houseslot_b -###ad_hy_01 -###ad_hy_02 -###ad_hy_03 -###ad_hy_04 -###ad_hy_05 -###ad_hy_06 -###ad_hy_07 -###ad_hy_08 -###ad_iframe_160_by_600_middle -###ad_iframe_300 -###ad_img -###ad_img_banner -###ad_in_arti -###ad_infoboard_box -###ad_inplace_1 -###ad_interestmatch -###ad_interestmatch400 -###ad_island -###ad_island2 -###ad_island_incontent -###ad_island_incontent2 -###ad_keywrods -###ad_kvadrat_under_player -###ad_label -###ad_large -###ad_large_rectangular -###ad_lastpost -###ad_layer -###ad_layer1 -###ad_layer2 -###ad_ldb -###ad_lead1 -###ad_leader -###ad_leaderBoard -###ad_leaderboard -###ad_leaderboard2 -###ad_leaderboard3 -###ad_leaderboard728x90 -###ad_leaderboard_1 -###ad_leaderboard_flex -###ad_leaderboard_master -###ad_leaderboard_middle -###ad_leaderboard_top -###ad_leaderboardtwo -###ad_leaderborder_container1 -###ad_left -###ad_left_1 -###ad_left_2 -###ad_left_3 -###ad_left_skyscraper -###ad_left_skyscraper_2 -###ad_left_top -###ad_leftslot -###ad_lft -###ad_link -###ad_links -###ad_links_footer -###ad_lnk -###ad_lrec -###ad_lwr_square -###ad_main -###ad_main_top -###ad_marker -###ad_mast -###ad_med_rect -###ad_medium -###ad_medium_rectangle -###ad_medium_rectangular -###ad_mediumrectangle -###ad_megabanner -###ad_menu_header -###ad_message -###ad_messageboard_x10 -###ad_middle -###ad_middle_122 -###ad_middle_2 -###ad_middle_bottom -###ad_midstrip -###ad_ml -###ad_mobile -###ad_module -###ad_most_pop_234x60_req_wrapper -###ad_mpu -###ad_mpu2 -###ad_mpu300x250 -###ad_mpu_1 -###ad_mpuav -###ad_mpuslot -###ad_mrcontent -###ad_mrec -###ad_mrec1 -###ad_mrec2 -###ad_msgplus-gallery-5 -###ad_myFrame -###ad_netpromo -###ad_new -###ad_newsletter -###ad_num_1 -###ad_num_2 -###ad_num_3 -###ad_one -###ad_overlay -###ad_overlay_content -###ad_overlay_countdown -###ad_overture -###ad_panel -###ad_panel_1 -###ad_panel_2 -###ad_panorama_top -###ad_pencil -###ad_ph_1 -###ad_place -###ad_placeholder -###ad_play_300 -###ad_plugs -###ad_post -###ad_post_300 -###ad_poster -###ad_pr_info -###ad_primary -###ad_primaryAd -###ad_promoAd -###ad_publicidad -###ad_pushupbar-closed -###ad_rail -###ad_rect -###ad_rect1 -###ad_rect2 -###ad_rect3 -###ad_rect_body -###ad_rect_bottom -###ad_rect_c -###ad_rectangle -###ad_rectangle_medium -###ad_rectangular -###ad_region1 -###ad_region2 -###ad_region3 -###ad_region5 -###ad_related_links_div -###ad_related_links_div_program -###ad_replace_div_0 -###ad_replace_div_1 -###ad_report_leaderboard -###ad_report_rectangle -###ad_results -###ad_right -###ad_right3 -###ad_rightSidebarFirstBanner -###ad_rightSidebarSecondBanner -###ad_right_1 -###ad_right_box -###ad_right_column1_1 -###ad_right_column2_1 -###ad_right_content_article_page -###ad_right_content_home -###ad_right_main -###ad_right_out -###ad_right_rail_bottom -###ad_right_rail_flex -###ad_right_rail_top -###ad_right_second -###ad_right_skyscraper -###ad_right_skyscraper_2 -###ad_right_top -###ad_rightslot -###ad_righttop-300x250 -###ad_ros_tower -###ad_rotator-2 -###ad_rotator-3 -###ad_row -###ad_row_home -###ad_rr_1 -###ad_rside -###ad_rside_link -###ad_script_head -###ad_sec -###ad_sec_div -###ad_secondary -###ad_sense -###ad_sense_help -###ad_sgd -###ad_short -###ad_sidebar -###ad_sidebar1 -###ad_sidebar2 -###ad_sidebar3 -###ad_sidebar_1 -###ad_sidebar_top -###ad_silo -###ad_sitebar -###ad_skin -###ad_sky -###ad_sky1 -###ad_sky2 -###ad_sky3 -###ad_skyscraper -###ad_skyscraper120 -###ad_skyscraper160x600 -###ad_skyscraper_1 -###ad_skyscraper_right -###ad_skyscraper_text -###ad_slot -###ad_slot_bottom -###ad_slot_leaderboard -###ad_slot_livesky -###ad_slot_right_bottom -###ad_slot_right_top -###ad_slot_sky_top -###ad_small -###ad_space -###ad_space_300_250 -###ad_space_728 -###ad_space_top -###ad_sponsored -###ad_sponsorship_2 -###ad_spot300x250 -###ad_spot_a -###ad_spot_b -###ad_spotlight -###ad_square -###ad_squares -###ad_ss -###ad_stck -###ad_strapad -###ad_stream10 -###ad_stream11 -###ad_stream12 -###ad_stream16 -###ad_stream17 -###ad_stream19 -###ad_stream8 -###ad_strip -###ad_table -###ad_takeover -###ad_tall -###ad_tbl -###ad_term_bottom_place -###ad_text:not(textarea) -###ad_thread_first_post_content -###ad_thread_last_post_content -###ad_tile_home -###ad_top -###ad_topBanner -###ad_top_728x90 -###ad_top_banner -###ad_top_bar -###ad_top_header_center -###ad_top_holder -###ad_topbanner -###ad_topmob -###ad_topnav -###ad_topslot -###ad_topslot_b -###ad_tp_banner_1 -###ad_tp_banner_2 -###ad_two -###ad_txt -###ad_under_game -###ad_unit -###ad_unit2 -###ad_unit_slot1 -###ad_unit_slot2 -###ad_unit_slot3 -###ad_unit_slot4 -###ad_vertical -###ad_video_abovePlayer -###ad_video_belowPlayer -###ad_video_large -###ad_website_top -###ad_wide -###ad_wide_box -###ad_widget -###ad_widget_1 -###ad_window -###ad_wp_base -###ad_wrap -###ad_wrapper -###ad_wrapper1 -###ad_wrapper2 -###ad_x10 -###ad_x20 -###ad_xrail_top -###ad_zone -###ad_zone1 -###ad_zone2 -###ad_zone3 -###adamazonbox -###adaptv_ad_player_div -###adaptvcompanion -###adbForum -###adbackground -###adbanner -###adbanner-home-left -###adbanner-home-right -###adbanner-middle -###adbanner-top-left -###adbanner-top-right -###adbanner00001 -###adbanner00002 -###adbanner00003 -###adbanner00004 -###adbanner00005 -###adbanner1 -###adbanner_abovethefold_300 -###adbanner_mobile_top -###adbannerbox -###adbannerdiv -###adbannerleft -###adbannerright -###adbannerwidget -###adbar -###adbar_ad_1_div -###adbar_ad_2_div -###adbar_ad_3_div -###adbar_ad_4_div -###adbar_ads_container_div -###adbar_main_div -###adbarbox -###adbard -###adbdiv -###adbg_ad_0 -###adbg_ad_1 -###adbig -###adblade -###adblade-disc -###adbladeSp -###adblade_ad -###adblkad -###adblock -###adblock-300x250 -###adblock-big -###adblock-jango -###adblock-leaderboard -###adblock-small -###adblock1 -###adblock2 -###adblock4 -###adblock_header_ad_1 -###adblock_header_ad_1_inner -###adblock_sidebar_ad_2 -###adblock_sidebar_ad_2_inner -###adblock_v -###adblockbottom -###adblockerMess -###adblockermessage -###adblockerwarnung -###adblockrighta -###adblocktop -###adblocktwo -###adbn -###adbn_UMU -###adbnr -###adboard -###adbody -###adbottom -###adbottomgao -###adbox -###adbox-indivisual-body-topright -###adbox-placeholder-topbanner -###adbox-topbanner -###adbox1 -###adbox2 -###adbox300600 -###adbox300x250_1 -###adbox300x250_2 -###adbox_right -###adbrite -###adbrite_inline_div -###adbritebottom -###adbutton -###adbuttons -###adcarousel -###adcatfish -###adcell -###adcenter -###adcenter2 -###adcenter4 -###adchoices-icon -###adchoices_container -###adclear -###adclose -###adcode -###adcode1 -###adcode10 -###adcode2 -###adcode3 -###adcode4 -###adcolContent -###adcolumn -###adcolumnwrapper -###adcontainer -###adcontainer1 -###adcontainer125px -###adcontainer2 -###adcontainer250x250 -###adcontainer3 -###adcontainer5 -###adcontainerRight -###adcontainer___gelement_adbanner_2_0 -###adcontainer_top_ads -###adcontainsm -###adcontent -###adcontent1 -###adcontextlinks -###adcontrolPushSite -###adcontrolhalfbanner -###adcontrolisland -###add-top -###add720 -###add_160x600 -###add_720bottom -###add_block_ad1 -###add_block_ad2 -###add_ciao2 -###add_space_google -###add_space_sidebar -###addbottomleft -###addiv-bottom -###addiv-top -###addspaceleft -###addspaceright -###adfactor-label -###adfloat -###adfooter -###adfooter_728x90 -###adfooter_hidden -###adframe:not(frameset) -###adframetop -###adfreead -###adhalfbanner_wrapper -###adhalfpage -###adhead -###adhead_g -###adheader -###adheadhubs -###adhesionAdSlot -###adhide -###adholder -###adhome -###adhomepage -###adhzh -###adid10601 -###adid2161 -###adiframe1_iframe -###adiframe2_iframe -###adiframe3_iframe -###adigniter -###adimg -###adimg0 -###adimg1 -###adimg3 -###adimg6 -###adition_content_ad -###adjacency -###adjacent-list-ad -###adjs_id -###adk2_slider_top_right -###adkit_content-block -###adkit_content-foot -###adkit_footer -###adkit_mrec1 -###adkit_mrec2 -###adkit_rectangle -###adkit_rnav-bt -###adkit_rnav-fb -###adl_120x600 -###adl_250x250 -###adl_300x100 -###adl_300x120 -###adl_300x250 -###adl_300x250_td -###adl_728x90 -###adl_individual_1 -###adl_leaderboard -###adl_medium_rectangle -###adlabel -###adlabelFooter -###adlabelfooter -###adlabelheader -###adlanding -###adlandscape -###adlargeverti -###adlargevertimarginauto -###adlayer -###adlayerContainer -###adlayer_back -###adlayerad -###adleaderboard -###adleaderboard_flex -###adleaderboardb -###adleaderboardb_flex -###adleft -###adlink-13 -###adlink-133 -###adlink-19 -###adlink-197 -###adlink-213 -###adlink-28 -###adlink-55 -###adlink-74 -###adlink-98 -###adlinks -###adlinkws -###adlove -###adlrec -###admain -###admanagerResultListBox -###admanager_leaderboard -###admanager_top_banner -###admid -###admiddle3 -###admiddle3center -###admiddle3left -###admiddleCenter -###admod2 -###admon-300x250 -###admon-728x90 -###admputop -###admsg -###admulti520 -###adnet -###adnews -###adnorth -###adops_cube -###adops_leaderboard -###adops_skyscraper -###adoptionsimg -###adoverlaysrc -###adpanel-block -###adplace -###adplaceholder_mpu01 -###adplacement -###adplacer_preroll1 -###adplate-content -###adpos-top -###adpos1-leaderboard -###adposition -###adposition-C -###adposition-FPMM -###adposition-REM2 -###adposition-SHADE -###adposition-TOCSS -###adposition-TVSP -###adposition-inner-REM1 -###adposition-inner-REM3 -###adposition1 -###adposition10 -###adposition1_container -###adposition2 -###adposition3 -###adposition4 -###adpositionbottom -###adpostloader -###adpromo -###adprovider-default -###adrect -###adrectangle -###adrectanglea -###adrectanglea_flex -###adrectanglea_hidden -###adrectangleb -###adrectangleb_flex -###adrectmarginauto -###adrig -###adright -###adright2 -###adrightbottom -###adrightgame -###adrighthome -###adrightrail -###adriver_middle -###adriver_top -###adrotate_widgets-11 -###adrotate_widgets-12 -###adrotate_widgets-2 -###adrotate_widgets-20 -###adrotate_widgets-24 -###adrotate_widgets-3 -###adrotate_widgets-4 -###adrotate_widgets-5 -###adrotate_widgets-6 -###adrotate_widgets-7 -###adrow -###adrow-house -###adrow1 -###adrow3 -###ads-1 -###ads-125 -###ads-125-2 -###ads-160x600 -###ads-200 -###ads-200x200-a -###ads-250 -###ads-300 -###ads-300-250 -###ads-300x250-L3-2 -###ads-336x280 -###ads-468 -###ads-5 -###ads-728x90 -###ads-728x90-I3 -###ads-728x90-I4 -###ads-A -###ads-B -###ads-B1 -###ads-C -###ads-C1 -###ads-E -###ads-E1 -###ads-F -###ads-G -###ads-H -###ads-K -###ads-area -###ads-banner -###ads-banner-top -###ads-block -###ads-block-frame -###ads-bot -###ads-bottom -###ads-box-header-pb -###ads-by-google -###ads-category -###ads-center-text -###ads-col -###ads-contain-125 -###ads-container-2 -###ads-container-anchor -###ads-container-top -###ads-dell -###ads-div2 -###ads-dw -###ads-footer -###ads-footer-inner -###ads-footer-wrap -###ads-google -###ads-h-left -###ads-h-right -###ads-header -###ads-header-728 -###ads-horizontal -###ads-hoster-2 -###ads-indextext -###ads-king -###ads-leader -###ads-leaderboard -###ads-leaderboard1 -###ads-left-top -###ads-lrec -###ads-main -###ads-main-bottom -###ads-menu -###ads-middle -###ads-mn -###ads-mpu -###ads-outer -###ads-panel -###ads-prices -###ads-rhs -###ads-right -###ads-right-bottom -###ads-right-cube -###ads-right-skyscraper -###ads-right-text -###ads-right-top -###ads-right-twobottom -###ads-rt -###ads-sidebar-bottom -###ads-sidebar-skyscraper-unit -###ads-sidebar-top -###ads-slot -###ads-sponsored-boxes -###ads-sticky -###ads-text -###ads-top -###ads-tp -###ads-under-rotator -###ads-vers7 -###ads-vertical -###ads-vertical-wrapper -###ads-wrap -###ads-wrapper -###ads1 -###ads100Box -###ads100Middlei4 -###ads120 -###ads120_600-widget-2 -###ads125 -###ads160_600-widget-3 -###ads160_600-widget-5 -###ads160_600-widget-7 -###ads160left -###ads1_sidebar -###ads2 -###ads3 -###ads300 -###ads300-250 -###ads300Bottom -###ads300Top -###ads300_250-widget-1 -###ads300_250-widget-10 -###ads300_250-widget-11 -###ads300_250-widget-2 -###ads300_250-widget-3 -###ads300_250-widget-4 -###ads300_250-widget-6 -###ads300_600-widget-2 -###ads300hp -###ads300k -###ads300x200 -###ads300x250 -###ads300x250_2 -###ads300x250_single -###ads315 -###ads336Box -###ads336x280 -###ads340web -###ads4 -###ads50 -###ads7 -###ads728 -###ads72890top -###ads728bottom -###ads728top -###ads728x90 -###ads728x90_2 -###ads790 -###adsBannerFrame -###adsBar -###adsBottom -###adsBox-460_left -###adsBox-dynamic-right -###adsBoxResultsPage -###adsCTN -###adsCombo02_1 -###adsCombo02_2 -###adsCombo02_3 -###adsCombo02_4 -###adsCombo02_5 -###adsCombo02_6 -###adsCombo02_7 -###adsContainer -###adsContent -###adsDisplay -###adsDiv0 -###adsDiv1 -###adsDiv2 -###adsDiv3 -###adsDiv4 -###adsDiv5 -###adsDiv6 -###adsDiv7 -###adsGooglePos -###adsHeadLine -###adsHeader -###adsHeading -###adsID -###adsIframe -###adsIfrme1 -###adsIfrme2 -###adsIfrme3 -###adsIfrme4 -###adsLREC -###adsLeftZone1 -###adsLeftZone2 -###adsLinkFooter -###adsMpu -###adsNarrow -###adsPanel -###adsProdHighlight_wrap -###adsRight -###adsRightDiv -###adsSPRBlock -###adsSuperCTN -###adsTop -###adsTopLeft -###adsZone -###adsZone1 -###adsZone2 -###adsZone_1 -###ads_01 -###ads_120x60_block -###ads_160 -###ads_2015 -###ads_2015_1 -###ads_3 -###ads_300 -###ads_300x250 -###ads_320_260 -###ads_320_260_2 -###ads_728 -###ads_728x90 -###ads_absolute_left -###ads_absolute_right -###ads_back -###ads_banner -###ads_banner1 -###ads_banner_header -###ads_banner_right1 -###ads_bar -###ads_belowforumlist -###ads_belownav -###ads_big -###ads_bigrec1 -###ads_bigrec2 -###ads_bigrec3 -###ads_block -###ads_bottom -###ads_bottom_inner -###ads_bottom_outer -###ads_box -###ads_box1 -###ads_box2 -###ads_box_bottom -###ads_box_right -###ads_box_top -###ads_button -###ads_by_google -###ads_campaign -###ads_catDiv -###ads_center -###ads_center_banner -###ads_central -###ads_container -###ads_dynamicShowcase -###ads_eo -###ads_expand -###ads_footer -###ads_fullsize -###ads_h -###ads_halfsize -###ads_header -###ads_header_games -###ads_horiz -###ads_horizontal -###ads_html1 -###ads_html2 -###ads_im -###ads_inner -###ads_insert_container -###ads_layout_bottom -###ads_lb -###ads_lb_frame -###ads_leaderbottom -###ads_left -###ads_left_top -###ads_line -###ads_mads_r1 -###ads_mads_r2 -###ads_medrect -###ads_notice -###ads_pave -###ads_place -###ads_placeholder -###ads_player -###ads_player_audio -###ads_player_line -###ads_postdownload -###ads_pro_468_60_on_vid -###ads_r_c -###ads_right -###ads_right_sidebar -###ads_right_top -###ads_section_textlinks -###ads_side -###ads_sidebar_bgnd -###ads_sidebar_roadblock -###ads_sky -###ads_slide_div -###ads_space -###ads_space_header -###ads_special_center -###ads_sponsFeed-headline -###ads_sponsFeed-left -###ads_sponsored_link_pixel -###ads_superbanner1 -###ads_superbanner2 -###ads_superior -###ads_td -###ads_text -###ads_textlinks -###ads_title -###ads_top -###ads_top2 -###ads_top_banner -###ads_top_container -###ads_top_right -###ads_top_sec -###ads_topbanner -###ads_tower1 -###ads_tower_top -###ads_video -###ads_watch_top_square -###ads_wide -###ads_wrapper -###ads_zone27 -###adsbottom -###adsbottombluesleft -###adsbox -###adsbox-left -###adsbox-right -###adsbox1 -###adsbox2 -###adsbox3 -###adsbox336x280 -###adsbox4 -###adsbox728x90 -###adsbysourcewidget-2 -###adscenter -###adscolumn -###adscontainer -###adscontent -###adsctl00_AdsHome2 -###adsd_contentad_r1 -###adsd_contentad_r2 -###adsd_contentad_r3 -###adsd_topbanner -###adsd_txt_sky -###adsdaq160600 -###adsdaq300250 -###adsdaq72890 -###adsdiv -###adsdiv300 -###adsdiv468 -###adsdiv_close -###adsection -###adsense -###adsense-2 -###adsense-468x60 -###adsense-area -###adsense-bottom -###adsense-end-300 -###adsense-head-spacer -###adsense-header -###adsense-letterbox -###adsense-link -###adsense-middle -###adsense-module-bottom -###adsense-new -###adsense-post -###adsense-right -###adsense-sidebar -###adsense-tag -###adsense-text -###adsense-top -###adsense-wrap -###adsense03 -###adsense04 -###adsense05 -###adsense1 -###adsense160600 -###adsense2 -###adsense2pos -###adsense300x250 -###adsense468 -###adsense6 -###adsense728 -###adsenseArea -###adsenseHeader -###adsenseLeft -###adsenseOne -###adsenseWrap -###adsense_300x250 -###adsense_article_bottom -###adsense_article_left -###adsense_banner_top -###adsense_block -###adsense_block_238x200 -###adsense_block_350x320 -###adsense_bottom_ad -###adsense_box -###adsense_box2 -###adsense_box_video -###adsense_honeytrap -###adsense_image -###adsense_inline -###adsense_item_detail -###adsense_leaderboard -###adsense_overlay -###adsense_placeholder_2 -###adsense_sidebar -###adsense_testa -###adsense_top -###adsense_unit5 -###adsense_ziel -###adsensebreadcrumbs -###adsenseheader -###adsensehorizontal -###adsensempu -###adsensepo -###adsensepos -###adsensequadr -###adsenseskyscraper -###adsensetext -###adsensetopmobile -###adsensetopplay -###adsensewide -###adsensewidget-3 -###adserv -###adserve-Banner -###adserve-Leaderboard -###adserve-MPU -###adserve-Sky -###adserver_HeaderAd -###adsfundo -###adshometop -###adshowbtm -###adshowtop -###adside -###adsideblock1 -###adsider -###adsiframe -###adsimage -###adskinleft -###adskinlink -###adskinright -###adskintop -###adsky -###adskyleftdiv -###adskyrightdiv -###adskyscraper -###adskyscraper_flex -###adsleft1 -###adslider -###adslist -###adslistbox -###adslot -###adslot-2-container -###adslot-3-container -###adslot-4-container -###adslot1 -###adslot1173 -###adslot1189 -###adslot1202 -###adslot2 -###adslot3 -###adslot4 -###adslot5 -###adslot6 -###adslot7 -###adslot_c2 -###adslot_m1 -###adslot_m2 -###adslot_m3 -###adsmegabanner -###adsmiddle -###adsnews -###adsonar -###adsonarBlock -###adspace -###adspace-1 -###adspace-2 -###adspace-300x250 -###adspace-728 -###adspace-728x90 -###adspace-bottom -###adspace-leaderboard-top -###adspace-one -###adspace-panorama -###adspace-top -###adspace300x250 -###adspaceBox -###adspaceBox300 -###adspaceBox300_150 -###adspaceBox300white -###adspaceRow -###adspace_header -###adspace_leaderboard -###adspace_top -###adspacer -###adspan -###adspdl-container -###adspecial_offer_box -###adsplace1 -###adsplace2 -###adsplace4 -###adsplash -###adsponsorImg -###adsponsored_links_box -###adspot -###adspot-1 -###adspot-149x170 -###adspot-1x4 -###adspot-2 -###adspot-295x60 -###adspot-2a -###adspot-2b -###adspot-300x110-pos-1 -###adspot-300x125 -###adspot-300x250-pos-1 -###adspot-300x250-pos-2 -###adspot-300x250-pos1 -###adspot-300x250-pos3 -###adspot-300x600-pos1 -###adspot-468x60-pos-2 -###adspot-620x270-pos-1 -###adspot-620x45-pos-1 -###adspot-620x45-pos-2 -###adspot-728x90 -###adspot-728x90-pos-2 -###adspot-728x90-pos1 -###adspot-a -###adspot-bottom -###adspot-c -###adspot-d -###adspot-top -###adspot300x250 -###adspot_220x90 -###adspot_300x250 -###adspot_468x60 -###adspot_728x90 -###adspotlight1 -###adsquare -###adsquare2 -###adsright -###adss -###adssidebar2 -###adssidebar3 -###adsspace -###adstd -###adstext2 -###adstop -###adstory -###adstrip -###adstripbottom -###adstripnew -###adstuff -###adswidget1-quick-adsense -###adswidget2-quick-adsense -###adswidget2-quick-adsense-reloaded-2 -###adswizzBanner -###adsxpls2 -###adszed-728x90 -###adtab -###adtab-feedback2 -###adtable_top -###adtag5 -###adtag8 -###adtag_right_side -###adtagfooter -###adtagheader -###adtagrightcol -###adtags_left -###adtaily -###adtaily-widget-light -###adtech_0 -###adtech_1 -###adtech_2 -###adtech_3 -###adtech_728or920_2 -###adtech_googleslot_03c -###adtech_leaderboard01 -###adtech_takeover -###adtechbanner728 -###adtext -###adtext-top-content -###adtop -###adtopDet -###adtopHeader -###adtopPrograma -###adtop_dfp -###adtopbanner -###adtopbox -###adtophp -###adtrafficright -###adtxt -###adundergame -###adunderpicture -###adunit -###adunit-mpu-atf -###adunit-mpu-atf-feed -###adunit-mpu-atf-sidebar -###adunit-mpu-btf-1 -###adunit-mpu-btf-6 -###adunit-mpu-btf-article -###adunit-mpu-btf-article-2 -###adunit-mpu-btf-sidebar -###adunit-mpu-second -###adunit-pages1x1 -###adunit-roadblock -###adunit300x500 -###adunit_article_center_bottom_computer -###adunit_article_center_middle1_computer -###adunit_article_center_middle4_computer -###adunit_article_center_middle6_computer -###adunit_article_center_top_computer -###adunit_article_right_middle2_computer -###adunit_article_right_top_computer -###adunit_main_center_bottom_computer -###adunit_main_right_middle2_computer -###adunit_main_right_top_computer -###adunit_video -###adunitl -###adv-01 -###adv-300 -###adv-box -###adv-comments-placeholder -###adv-companion-iframe -###adv-container -###adv-ext-ext-1 -###adv-ext-ext-2 -###adv-fb-container -###adv-google -###adv-leaderboard -###adv-left -###adv-masthead -###adv-middle -###adv-middle1 -###adv-midroll -###adv-mpux -###adv-preroll -###adv-right -###adv-right1 -###adv-scrollable -###adv-sticky-1 -###adv-sticky-2 -###adv-strip -###adv-text -###adv-title -###adv-top -###adv-x34 -###adv-x35 -###adv-x36 -###adv-x37 -###adv-x38 -###adv-x39 -###adv-x40 -###adv130x195 -###adv160x600 -###adv170 -###adv2_ban -###adv300bottom -###adv300top -###adv300x250 -###adv300x250container -###adv3_ban -###adv468x90 -###adv728 -###adv728x90 -###adv768x90 -###advCard1 -###advCard2 -###advCard3 -###advCarrousel -###advHome -###advHomevideo -###advMegaBanner -###advRectangle -###advRectangle1 -###advSidebarDocBox -###advSkin -###advTop -###advTopRight_anchor -###advWrapper -###adv_300 -###adv_300x250_1 -###adv_300x250_2 -###adv_300x250_3 -###adv_468x60_content -###adv_5 -###adv_52 -###adv_6 -###adv_62 -###adv_65 -###adv_7 -###adv_70 -###adv_71 -###adv_728 -###adv_728x90 -###adv_73 -###adv_94 -###adv_96 -###adv_97 -###adv_98 -###adv_BoxBottom -###adv_Inread -###adv_IntropageOvl -###adv_LdbMastheadPush -###adv_Reload -###adv_Skin -###adv_banner_featured -###adv_banner_sidebar -###adv_bootom -###adv_border -###adv_box_a -###adv_center -###adv_config -###adv_contents -###adv_contents_tem -###adv_google_300 -###adv_google_728 -###adv_halfpage -###adv_halfpage_title -###adv_holder -###adv_leaderboard -###adv_mpu1 -###adv_mpu2 -###adv_network -###adv_overlay -###adv_overlay_content -###adv_r -###adv_right -###adv_skin -###adv_skin_1 -###adv_skin_1_a -###adv_sky -###adv_sponsorRowFooter -###adv_sponsorRowHeader -###adv_sponsor_cat -###adv_textlink -###adv_textual_google_div -###adv_top -###adv_top_banner_wrapper -###adv_videobox -###adv_wallpaper -###adv_wallpaper2 -###adv_wideleaderboard -###adver -###adver-top -###adver1 -###adver2 -###adver3 -###adver4 -###adver5 -###adver6 -###adver7 -###adverFrame -###advert-1 -###advert-120 -###advert-2 -###advert-ahead -###advert-banner -###advert-banner-wrap -###advert-block -###advert-boomer -###advert-box -###advert-column -###advert-container-top -###advert-display -###advert-footer -###advert-footer-hidden -###advert-header -###advert-hpu -###advert-island -###advert-leaderboard -###advert-left -###advert-links-bottom -###advert-mpu -###advert-placeholder-post-content-image-1 -###advert-right -###advert-right-not-home -###advert-sky -###advert-skyscaper -###advert-skyscraper -###advert-stickysky -###advert-text -###advert-top -###advert-top-banner -###advert-wrapper -###advert1 -###advert1hp -###advert2 -###advert234_container -###advert2area -###advert2areasmall -###advert300x260 -###advert3area -###advert3areasmall -###advertBanner -###advertBox -###advertBoxRight -###advertBoxSquare -###advertColumn -###advertContainer -###advertControl4_advertLink -###advertCover -###advertDB -###advertMPUContainer -###advertMarkerHorizontalConatiner -###advertMarkerVerticalConatiner -###advertOverlay -###advertRight -###advertSection -###advertSeparator -###advertTop -###advertTopLarge -###advertTopSmall -###advertTower -###advertWrapper -###advert_01 -###advert_04 -###advert_05 -###advert_07 -###advert_1 -###advert_125x125 -###advert_250x250 -###advert_300x2502 -###advert_300x2503 -###advert_561_01 -###advert_561_02 -###advert_561_03 -###advert_561_04_container -###advert_561_04_left_end -###advert_561_04_right_end -###advert_561_05 -###advert_561_07 -###advert_back_160x600 -###advert_back_300x250_1 -###advert_back_300x250_2 -###advert_banner -###advert_belowmenu -###advert_bottom_100x70 -###advert_box -###advert_container -###advert_container_300 -###advert_header -###advert_home01 -###advert_home02 -###advert_home03 -###advert_home04 -###advert_leaderboard -###advert_lrec_format -###advert_media -###advert_mid -###advert_mpu -###advert_mpu_1 -###advert_mpu_2 -###advert_right1 -###advert_right_skyscraper -###advert_sky -###advert_top -###advert_yell -###advertblock -###advertborder -###advertbox2 -###advertbox3 -###advertbox4 -###adverthome -###adverti -###advertise -###advertise-here -###advertise-here-sidebar -###advertise-now -###advertise-sidebar -###advertise1 -###advertise2 -###advertiseBanner -###advertiseGoogle -###advertiseHere -###advertiseLink -###advertise_top -###advertisediv -###advertiseheretop -###advertisement-10 -###advertisement-13 -###advertisement-16 -###advertisement-300x250 -###advertisement-4 -###advertisement-7 -###advertisement-728x90 -###advertisement-content -###advertisement-detail1 -###advertisement-detail2 -###advertisement-large -###advertisement-rightcolumn -###advertisement-text -###advertisement1 -###advertisement160x600 -###advertisement2 -###advertisement3 -###advertisement728x90 -###advertisementArea -###advertisementBottomThreadUser -###advertisementBox -###advertisementDIV2 -###advertisementFooterTop -###advertisementHeaderBottom -###advertisementHorizontal -###advertisementLigatus -###advertisementPrio2 -###advertisementRight -###advertisementRightcolumn0 -###advertisementRightcolumn1 -###advertisementThread -###advertisementTop -###advertisement_RightPanel -###advertisement_banner -###advertisement_block -###advertisement_box -###advertisement_container -###advertisement_label -###advertisement_notice -###advertisementblock1 -###advertisementblock2 -###advertisementblock3 -###advertisements_bottom -###advertisements_sidebar -###advertisements_top -###advertisementsarticle -###advertisementsxml -###advertiser-container -###advertiserLinks -###advertiserReports -###advertisers-caption -###advertisetop -###advertising-160x600 -###advertising-300x250 -###advertising-728x90 -###advertising-banner -###advertising-caption -###advertising-container -###advertising-control -###advertising-mockup -###advertising-right -###advertising-skyscraper -###advertising-top -###advertising2 -###advertising3 -###advertising300x250 -###advertisingBlocksLeaderboard -###advertisingBottomFull -###advertisingHrefTop -###advertisingLeftLeft -###advertisingLink -###advertisingModule160x600 -###advertisingModule728x90 -###advertisingRightColumn -###advertisingRightRight -###advertisingTop -###advertisingTopWrapper -###advertising_1 -###advertising_2 -###advertising_300 -###advertising_300_under -###advertising_300x105 -###advertising_320 -###advertising_728 -###advertising_728_under -###advertising_btm -###advertising_column -###advertising_container -###advertising_contentad -###advertising_header -###advertising_holder -###advertising_horiz_cont -###advertising_iab -###advertising_top_container -###advertising_wrapper -###advertisment-block-1 -###advertisment-horizontal -###advertisment1 -###advertismentBottom728x90_ -###advertismentElementInUniversalbox -###advertisment_content -###advertisment_panel -###advertismentgoogle -###advertistop_td -###advertleft -###advertorial -###advertorial-box -###advertorial-wrap -###advertorial1 -###advertorial_block_3 -###advertorial_links -###advertorial_red_listblock -###adverts -###adverts-top-container -###adverts-top-left -###adverts-top-middle -###adverts-top-right -###adverts_right -###advertscroll -###advertsingle -###advertspace -###advertssection -###adverttop -###advetisement_300x250 -###advframe -###advgeoul -###advgoogle -###advman-2 -###advr_mobile -###advsingle -###advt -###advt-right-skyscraper -###advt_bottom -###advtbar -###advtext -###advtop -###advtopright -###advx3_banner -###adwhitepaperwidget -###adwidget -###adwidget-5 -###adwidget-6 -###adwidget1 -###adwidget2 -###adwidget2_hidden -###adwidget3_hidden -###adwidget_hidden -###adwin -###adwin_rec -###adwith -###adwords-4-container -###adwords-box -###adwrap-295x295 -###adwrap-722x90 -###adwrap-729x90 -###adwrap-966x90 -###adwrapper -###adxBigAd -###adxBigAd2 -###adxLeaderboard -###adxMiddle -###adxMiddle5 -###adxMiddleRight -###adxSponLink -###adxSponLink2 -###adxSponLinkA -###adxToolSponsor -###adx_ad -###adx_ad_bottom -###adx_ad_bottom_close -###adxtop -###adxtop2 -###adzbanner -###adzerk -###adzerk1 -###adzerk2 -###adzerk_by -###adzone -###adzone-halfpage_1 -###adzone-leaderboard_1 -###adzone-leaderboard_2 -###adzone-middle1 -###adzone-middle2 -###adzone-mpu_1 -###adzone-mpu_2 -###adzone-parallax_1 -###adzone-right -###adzone-sidebarSmallPromo1 -###adzone-sidebarSmallPromo2 -###adzone-teads -###adzone-top -###adzone-wallpaper -###adzone-weatherbar-logo -###adzoneBANNER -###adzone_content -###adzonebanner -###adzoneheader -###aetn_3tier_ad_bar -###af_ad_large -###af_ad_small -###af_adblock -###afc-container -###affiliate_ad -###affinityBannerAd -###after-content-ad -###after-content-ads -###after-header-ad-left -###after-header-ad-right -###after-header-ads -###after_ad -###afterpostad -###agencies_ad -###agi-ad300x250 -###agi-ad300x250overlay -###agi-sponsored -###alert_ads -###amazon-ads -###amazon_ad -###amazon_bsa_block -###ami_ad_cntnr -###amsSparkleAdFeedback -###amsSparkleAdWrapper -###amzn-native-ad-0 -###amzn_assoc_ad_div_adunit0_0 -###anAdScGame300x250 -###analytics_ad -###analytics_banner -###anchorAd -###annoying_ad -###annoying_extra_ad_wrapper -###anyvan-ad -###ap-widget-ad -###ap-widget-ad-label -###ap_adframe -###ap_adtext -###ap_cu_overlay -###ap_cu_wrapper -###apiBackgroundAd -###apiTopAdContainer -###apiTopAdWrap -###apmNADiv -###apolload -###app_advertising_pregame_content -###app_advertising_rectangle -###app_advertising_rectangle_ph -###apt-homebox-ads -###araHealthSponsorAd -###area-adcenter -###area-left-ad -###area13ads -###area1ads -###article-ad -###article-ad-container -###article-advert -###article-advert-dfp -###article-agora-ad -###article-billboard-ad-1 -###article-bottom-ad -###article-box-ad -###article-footer-sponsors -###article-island-ad -###article-sidebar-ad -###article-sponspred-content -###article-top-728x90-ad-wrapper -###articleAd -###articleAdReplacement -###articleBoard-ad -###articleLeftAdColumn -###articleSideAd -###article_LeftAdWords -###article_SponsoredLinks -###article_ad -###article_ad_1 -###article_ad_3 -###article_ad_bottom -###article_ad_bottom_cont -###article_ad_container -###article_ad_rt1 -###article_ad_top -###article_ad_top_cont -###article_ad_w -###article_adholder -###article_ads -###article_advert -###article_banner_ad -###article_body_ad1 -###article_bottom_ad01 -###article_box_ad -###article_gallery_desktop_ad -###article_left_ad01 -###article_sidebar_ad -###article_sidebar_ad_02 -###articlead1 -###articlead2 -###articlead300x250r -###articleadblock -###articletop_ad -###articleview_ad -###articleview_ad2 -###artist-ad-container -###as24-magazine-rightcol-adtag-1 -###aside_ad -###asideads -###asinglead -###atad1 -###atad2 -###atlasAdDivGame -###atwAdFrame0 -###atwAdFrame1 -###atwAdFrame2 -###atwAdFrame3 -###atwAdFrame4 -###autos_banner_ad -###aw-ad-container -###awds-nt1-ad -###awesome-ad -###awp_advertisements-2 -###b-ad-choices -###b-adw -###b5-skyscraper-ad-3 -###b5_ad_footer -###b5_ad_sidebar1 -###b5_ad_top -###b5ad300 -###bLinkAdv -###babAdTop -###backad -###background-ad-head-spacer -###background-adv -###background_ad_left -###background_ad_right -###background_ads -###backgroundadvert -###ban_300x250 -###ban_728x90 -###banner-300x250 -###banner-300x250-area -###banner-300x250-north -###banner-300x600-area -###banner-336x280-north -###banner-336x280-south -###banner-468x60 -###banner-728 -###banner-728adtag -###banner-728adtag-bottom -###banner-728x90 -###banner-728x90-area -###banner-ad -###banner-ad-container -###banner-ad-first -###banner-ad-last -###banner-ad-loader -###banner-ad-square-first -###banner-ad-square-last -###banner-ads -###banner-advert -###banner-advert-container -###banner-lg-ad -###banner-skyscraper -###banner120x600 -###banner250x250 -###banner300-top-right -###banner300x250 -###banner468 -###banner468x60 -###banner600 -###banner660x90 -###banner728 -###banner728x90 -###banner975_container -###bannerAd -###bannerAdContainer1_1 -###bannerAdContainer1_2 -###bannerAdContainer1_3 -###bannerAdContainer1_4 -###bannerAdContainer1_5 -###bannerAdContainer1_6 -###bannerAdContainer2_1 -###bannerAdContainer2_2 -###bannerAdContainer2_3 -###bannerAdContainer2_4 -###bannerAdContainer2_5 -###bannerAdContainer2_6 -###bannerAdFrame -###bannerAdLInk -###bannerAdRight3 -###bannerAdTop -###bannerAdWrap -###bannerAdWrapper -###bannerAd_ctr -###bannerAd_rdr -###bannerAds -###bannerAdsense -###bannerAdvert -###bannerGoogle -###banner_280_240 -###banner_300_250 -###banner_300x250_sidebar -###banner_468x60 -###banner_ad -###banner_ad_Sponsored -###banner_ad_bottom -###banner_ad_div_fw -###banner_ad_footer -###banner_ad_module -###banner_ad_placeholder -###banner_ad_top -###banner_admicro -###banner_ads -###banner_adsense -###banner_adv -###banner_advertisement -###banner_adverts -###banner_content_ad -###banner_mpu1 -###banner_mpu3 -###banner_sedo -###banner_slot -###banner_spacer -###banner_topad -###banner_videoad -###banner_wrapper_top -###bannerad -###bannerad-bottom -###bannerad-top -###bannerad2 -###banneradrow -###bannerads -###banneradspace -###banneradvert3 -###barAdWrapper -###base-advertising-top -###base-board-ad -###baseAdvertising -###baseboard-ad -###baseboard-ad-wrapper -###basket-adContainer -###bbContentAds -###bb_ad_container -###bbadwrap -###bbccom_leaderboard -###bbccom_leaderboard_container -###bbccom_mpu -###bbccom_sponsor_section -###bbccom_sponsor_section_text -###bbccom_storyprintsponsorship -###bbo_ad1 -###bcaster-ad -###bdnads-top-970x90 -###before-footer-ad -###below-listings-ad -###below-menu-ad-header -###below-post-ad -###belowAd -###belowContactBoxAd -###belowNodeAds -###below_comments_ad_holder -###below_content_ad_container -###belowad -###belowheaderad -###bg-footer-ads -###bg-footer-ads2 -###bg_YieldManager-160x600 -###bg_YieldManager-300x250 -###bg_YieldManager-728x90 -###bg_banner_120x600 -###bg_banner_468x60 -###bg_banner_728x90 -###bgad -###bh_adFrame_ag_300x250_atf -###bh_adFrame_bh_300x250_atf -###bh_adFrame_bh_300x250_btf -###big-ad-switch -###big-box-ad -###bigAd -###bigAd1 -###bigAd2 -###bigAdDiv -###bigBannerAd -###bigBoxAd -###bigBoxAdCont -###big_ad -###big_ad_label -###big_ads -###bigad -###bigad300outer -###bigadbox -###bigadframe -###bigadspace -###bigadspot -###bigboard_ad -###bigboard_ad_ini -###bigbox-ad -###bigsidead -###billboard-ad-container -###billboard_ad -###bingadcontainer2 -###bl11adv -###blancco-ad -###block--ex_dart-ex_dart_adblade_article -###block-ad_blocks-0 -###block-ad_cube-0 -###block-ad_cube-1 -###block-adsense-0 -###block-adsense-2 -###block-adsense_managed-0 -###block-advert-content -###block-advert-content2 -###block-advertisement -###block-bean-artadocean-splitter -###block-bean-artadocean-text-link-1 -###block-bean-artadocean-text-link-2 -###block-bean-artadocean300x250-1 -###block-bean-artadocean300x250-3 -###block-bean-artadocean300x250-6 -###block-bean-in-content-ad -###block-boxes-taboola -###block-dart-dart-tag-ad_top_728x90 -###block-dart-dart-tag-gfc-ad-top-2 -###block-dctv-ad-banners-wrapper -###block-dfp-billboard-leaderboard -###block-dfp-mpu-1 -###block-dfp-mpu-2 -###block-dfp-mpu-3 -###block-dfp-skyscraper_left_1 -###block-dfp-skyscraper_left_2 -###block-dfp-top -###block-display-ads-leaderboard -###block-ex_dart-ex_dart_adblade_article -###block-ex_dart-ex_dart_sidebar_ad_block_bottom -###block-ex_dart-ex_dart_sidebar_ad_block_top -###block-fan-ad-fan-ad-front-leaderboard-bottom -###block-fan-ad-fan-ad-front-medrec-top -###block-fcc-advertising-first-sidebar-ad -###block-google-ads -###block-ibtimestv-player-companion-ad -###block-localcom-localcom-ads -###block-openads-0 -###block-openads-1 -###block-openads-13 -###block-openads-14 -###block-openads-2 -###block-openads-3 -###block-openads-4 -###block-openads-5 -###block-openads-brand -###block-openx-0 -###block-openx-1 -###block-openx-4 -###block-openx-5 -###block-panels-mini-top-ads -###block-sponsors -###block-spti_ga-spti_ga_adwords -###block-thewrap_ads_250x300-0 -###block-thewrap_ads_250x300-1 -###block-thewrap_ads_250x300-2 -###block-thewrap_ads_250x300-3 -###block-thewrap_ads_250x300-4 -###block-thewrap_ads_250x300-5 -###block-thewrap_ads_250x300-6 -###block-thewrap_ads_250x300-7 -###block-views-Advertorial-block_5 -###block-views-Advertorial-block_6 -###block-views-Advertorial-block_7 -###block-views-ad-directory-block -###block-views-advertisements-block -###block-views-advt-story-bottom-block -###block-views-custom-advertisement-2-block--2 -###block-views-custom-advertisement-block--2 -###block-views-premium-ad-slideshow-block -###block-views-sidebar-ad -###block-views-sponsor-block -###blockAd -###blockAds -###block_ad -###block_ad2 -###block_ad_container -###block_advert -###block_advert1 -###block_advert2 -###block_advertisement -###block_timeout_sponsored_0 -###blog-ad -###blog-advert -###blog-header-ad -###blogImgSponsor -###blog_ad_area -###blog_ad_content -###blog_ad_opa -###blog_ad_right -###blog_ad_top -###blogad -###blogad-wrapper -###blogad_728x90_header -###blogad_right_728x91_bottom -###blogad_top_300x250_sidebar -###blogads -###blogads_most_right_ad -###blox-big-ad -###blox-big-ad-bottom -###blox-big-ad-top -###blox-halfpage-ad -###blox-tile-ad -###blox-tower-ad -###bn_ad -###bnr-300x250 -###bnr-468x60 -###bnr-728x90 -###bnrAd -###bnrhd468 -###body-ads -###bodyAd1 -###bodyAd2 -###bodyAd3 -###bodyAd4 -###body_728_ad -###body_ad -###bodymainAd -###bonus-offers-advertisement -###book-ad -###bookmarkListDeckAdPlaceholder -###boss_banner_ad-2 -###boss_banner_ad-3 -###bot_ads -###botad -###botads2 -###bott_ad2 -###bott_ad2_300 -###bottom-728-ad -###bottom-ad -###bottom-ad-1 -###bottom-ad-banner -###bottom-ad-container -###bottom-ad-leaderboard -###bottom-ad-tray -###bottom-ad-wrapper -###bottom-add -###bottom-ads -###bottom-ads-container -###bottom-adspot -###bottom-advertising -###bottom-article-ad-336x280 -###bottom-banner-spc -###bottom-boxad -###bottom-pinned-ad -###bottom-side-ad -###bottom-sponsor-add -###bottomAd -###bottomAd300 -###bottomAdBlcok -###bottomAdCCBucket -###bottomAdContainer -###bottomAdSection -###bottomAdSense -###bottomAdSenseDiv -###bottomAdWrapper -###bottomAds -###bottomAdvBox -###bottomAdvertTab -###bottomBannerAd -###bottomContentAd -###bottomDDAd -###bottomFullAd -###bottomGoogleAds -###bottomLeftAd -###bottomMPU -###bottomRightAd -###bottomRightAdContainer -###bottomRightAdSpace -###bottomSponsorAd -###bottom_ad -###bottom_ad_area -###bottom_ad_box -###bottom_ad_container -###bottom_ad_left -###bottom_ad_region -###bottom_ad_right -###bottom_ad_unit -###bottom_ad_wrapper -###bottom_adbox -###bottom_ads -###bottom_ads_container -###bottom_advert_container -###bottom_adwrapper -###bottom_banner_ad -###bottom_ex_ad_holder -###bottom_leader_ad -###bottom_overture -###bottom_player_adv -###bottom_sponsor_ads -###bottom_sponsored_links -###bottom_text_ad -###bottomad -###bottomad300 -###bottomad_table -###bottomadbanner -###bottomadbar -###bottomadholder -###bottomads -###bottomadsdiv -###bottomadsense -###bottomadvert -###bottomadwrapper -###bottomcontentads -###bottomleaderboardad -###bottommpuAdvert -###bottommpuSlot -###bottomsponad -###bottomsponsoredresults -###box-ad -###box-ad-section -###box-ad-sidebar -###box-ads-small-1 -###box-ads-small-2 -###box-ads-tr -###box-ads300-picture-detail -###box-content-ad -###box-googleadsense-1 -###box-googleadsense-r -###box1ad -###box2ad -###boxAD -###boxAd -###boxAd300 -###boxAdContainer -###boxAdvert -###boxLightImageGalleryAd -###box_ad -###box_ad_container -###box_ad_middle -###box_ads -###box_advertisement -###box_advertising_info -###box_advertisment -###box_articlead -###box_mod_googleadsense -###box_text_ads -###boxad -###boxad1 -###boxad2 -###boxad3 -###boxad4 -###boxad5 -###boxads -###boxes-box-ad300x250set2 -###boxes-box-ad300x250set2block -###boxes-box-ad_300x250_1 -###boxes-box-ad_728x90_1 -###boxes-box-ad_mpu -###boxtube-ad -###bpAd -###bps-header-ad-container -###bq_homeMiddleAd -###br_ad -###brand-box-ad -###brand-box-ad-1-container -###branding_ad_comment -###branding_ad_header -###branding_click -###browse-ad-container -###browse_ads_ego_container -###browsead -###bsaadvert -###bsap_aplink -###btfAdNew -###btm_ads -###btmad -###btmsponsoredcontent -###btn-sponsored-features -###btnAds -###btnads -###btr_horiz_ad -###burn_header_ad -###bus-center-ad -###button-ads -###button-ads-horizontal -###button-ads-vertical -###buttonAdWrapper1 -###buttonAdWrapper2 -###buttonAds -###buttonAdsContainer -###button_ad_container -###button_ad_wrap -###button_ads -###buttonad-widget-3 -###buttonad-widget-4 -###buy-sell-ads -###buySellAds -###buysellads -###buysellads-4x1 -###c-adzone -###c4_ad -###c4ad-Middle1 -###c4ad-Top-parent -###c_ad_sb -###c_ad_sky -###c_sponsoredSquare -###c_upperad -###c_upperad_c -###caAdLarger -###carbonads-container -###card-ads-top -###catad -###catalyst-125-ads -###catalyst-ads-2 -###category-ad -###category-sponsor -###category_sponsorship_ad -###cb-ad -###cb_medrect1_div -###cbs-video-ad-overlay -###cbz-ads-text-link -###cbz-comm-advert-1 -###cellAd -###center-ad -###center-ad-group -###center-ads-72980 -###center-three-ad -###centerAdsHeadlines -###center_ad-0 -###centerads -###central-ads -###cgp-bigbox-ad -###ch-ads -###channel-ads-300-box -###channel-ads-300x600-box -###channel_ad -###channel_ads -###chartAdWrap -###charts_adv -###chatAdv2 -###chatad -###cherry_ads -###chitikaAdBlock -###ciHomeRHSAdslot -###circ_ad -###circ_ad_300x100 -###circ_ad_620x100 -###circ_ad_holder -###circad_wrapper -###city_House_Ad_300x137 -###clickforad -###cliczone-advert-left -###cliczone-advert-right -###clientAds -###closeAdsDiv -###closeable-ad -###cltAd -###cmMediaRotatorAdTLContainer -###cmn_ad_box -###cmn_ad_tag_head -###cmn_toolbar_ad -###cnhi_premium_ads -###cnnAboveFoldBelowAd -###cnnBottomAd -###cnnCMAd -###cnnRR336ad -###cnnSponsoredPods -###cnnTopAd -###cnnTowerAd -###cnnVPAd -###cnn_cnn_adtag-3 -###coAd -###cobalt-ad-1-container -###coda_ad_728x90_9 -###cokeAd -###col-right-ad -###col3_advertising -###colAd -###colRightAd -###collapseobj_adsection -###college_special_ad -###column-ads-bg -###column2-145x145-ad -###column4-google-ads -###columnAd -###columnTwoAdContainer -###column_adverts -###column_extras_ad -###commentAdWrapper -###commentTopAd -###comment_ad_zone -###comments-ad-container -###comments-ads -###comments_advert -###commercial-textlinks -###commercial_ads -###commercial_ads_footer -###common_right_ad_wrapper -###common_right_adspace -###common_right_lower_ad_wrapper -###common_right_lower_adspace -###common_right_lower_player_ad_wrapper -###common_right_lower_player_adspace -###common_right_player_ad_wrapper -###common_right_player_adspace -###common_right_right_adspace -###common_top_adspace -###community_ads -###compAdvertisement -###comp_AdsLeaderboardBottom -###comp_AdsLeaderboardTop -###companion-ad -###companionAd -###companionAdDiv -###companion_Ad -###companionad -###componentAdRectangle -###componentAdSkyscraper -###conduitAdPopupWrapper -###container-ad -###container-ad-content-rectangle -###container-ad-topright -###container-advMoreAbout -###container-polo-ad -###container-righttopads -###container-topleftads -###containerAds980 -###containerLocalAds -###containerLocalAdsInner -###containerMrecAd -###containerSqAd -###container_ad -###container_top_ad -###contener_pginfopop1 -###content-ad -###content-ad-header -###content-ads -###content-adver -###content-advertising-header -###content-advertising-right -###content-adwrapper -###content-area-ad -###content-columns-post-ad-bottom -###content-columns-post-ad-top -###content-header-ad -###content-left-ad -###content-right-ad -###contentAd -###contentAdBottomRight -###contentAdHalfpage -###contentAdSense -###contentAdTwo -###contentAds -###contentAds300x200 -###contentAds300x250 -###contentAds667x100 -###contentAdsCatArchive -###contentBottomAdLeaderboard -###contentBoxad -###contentFooterAD -###contentMain_sponsoredResultsPanel -###contentTopAds2 -###content_0_storyarticlepage_main_0_pnlAdSlot -###content_0_storyarticlepage_main_0_pnlAdSlotInner -###content_0_storyarticlepage_sidebar_0_pnlAdSlot -###content_0_storyarticlepage_sidebar_11_pnlAdSlot -###content_0_storyarticlepage_sidebar_6_pnlAdSlot -###content_11_pnlAdSlot -###content_11_pnlAdSlotInner -###content_16_pnlAdSlot -###content_16_pnlAdSlotInner -###content_2_pnlAdSlot -###content_2_pnlAdSlotInner -###content_3_twocolumnrightfocus_right_bottomright_0_pnlAdSlot -###content_3_twocolumnrightfocus_right_bottomright_1_pnlAdSlot -###content_4_threecolumnallfocus_right_0_pnlAdSlot -###content_7_pnlAdSlot -###content_7_pnlAdSlotInner -###content_9_twocolumnleftfocus_b_right_1_pnlAdSlot -###content_Ad -###content_ad -###content_ad_1 -###content_ad_2 -###content_ad_block -###content_ad_container -###content_ad_placeholder -###content_ad_square -###content_ad_top -###content_ads -###content_ads_content -###content_adv -###content_bottom_ad -###content_bottom_ads -###content_box_300body_sponsoredoffers -###content_box_adright300_google -###content_lower_center_right_ad -###content_mpu -###content_right_ad -###content_right_area_ads -###content_right_side_advertisement_on_top_wrapper -###contentad -###contentad-adsense-homepage-1 -###contentad-adsense-homepage-2 -###contentad-commercial-1 -###contentad-content-box-1 -###contentad-footer-tfm-1 -###contentad-last-medium-rectangle-1 -###contentad-lower-medium-rectangle-1 -###contentad-sponsoredlinks-1 -###contentad-story-bottom-1 -###contentad-story-middle-1 -###contentad-story-top-1 -###contentad-superbanner-1 -###contentad-superbanner-2 -###contentad-top-adsense-1 -###contentad_imtext -###contentad_right -###contentad_urban -###contentadcontainer -###contentads -###contentarea-ad -###contentarea-ad-widget-area -###contentinlineAd -###contents_post_ad -###contest-ads -###contextad -###contextual-ads -###contextual-ads-block -###contextual-ads-bricklet -###contextual-dummy-ad -###contextualad -###corner_ad -###cornerad -###cosponsor -###cosponsorTab -###coverADS -###coverads -###cpad_242306 -###cph_cph_tlda_pnlAd -###criteoAd -###crowd-ignite -###crowd-ignite-header -###csBotterAd -###csTopAd -###ct-ad-lb -###ctl00_AdPanel1 -###ctl00_AdPanelISRect2 -###ctl00_AdWords -###ctl00_Adspace_Top_Height -###ctl00_BottomAd -###ctl00_BottomAd2_AdArea -###ctl00_BottomAdPanel -###ctl00_ContentMain_BanManAd468_BanManAd -###ctl00_ContentPlaceHolder1_AdRotator3 -###ctl00_ContentPlaceHolder1_BannerAd_TABLE1 -###ctl00_ContentPlaceHolder1_DrillDown1_trBannerAd -###ctl00_ContentPlaceHolder1_TextAd_Pulse360AdPanel -###ctl00_ContentPlaceHolder1_ad12_adRotator_divAd -###ctl00_ContentPlaceHolder1_blockAdd_divAdvert -###ctl00_ContentPlaceHolder1_ctl00_ContentPlaceHolder1_pnlGoogleAdsPanel -###ctl00_ContentPlaceHolder1_ctl00_StoryContainer1_ImageHouseAd -###ctl00_ContentPlaceHolder1_toplead_news1_dvFlashAd -###ctl00_ContentPlaceHolder1_ucAdHomeRightFO_divAdvertisement -###ctl00_ContentPlaceHolder1_ucAdHomeRight_divAdvertisement -###ctl00_ContentPlaceHolder_PageHeading_Special_divGoogleAd2 -###ctl00_ContentRightColumn_RightColumn_Ad1_BanManAd -###ctl00_ContentRightColumn_RightColumn_Ad1_googlePublisherAd -###ctl00_ContentRightColumn_RightColumn_Ad2_BanManAd -###ctl00_ContentRightColumn_RightColumn_Ad2_googlePublisherAd -###ctl00_ContentRightColumn_RightColumn_PremiumAd1_ucBanMan_BanManAd -###ctl00_Content_SquareAd_AdBox -###ctl00_Content_skyAd -###ctl00_Footer1_v5footerad -###ctl00_FooterHome1_AdFooter1_AdRotatorFooter -###ctl00_GoogleAd1 -###ctl00_GoogleAd3 -###ctl00_GoogleSkyscraper -###ctl00_Header1_AdHeader1_LabelHeaderScript -###ctl00_HyperLinkHouseAd -###ctl00_ImageHouseAd -###ctl00_LHTowerAd -###ctl00_LeftHandAd -###ctl00_MainContent_adDiv1 -###ctl00_MainContent_adDiv2 -###ctl00_MasterHolder_IBanner_adHolder -###ctl00_RightBanner_AdvertisementText -###ctl00_SiteHeader1_TopAd1_AdArea -###ctl00_TopAd -###ctl00_TowerAd -###ctl00_VBanner_adHolder -###ctl00__Content__RepeaterReplies_ctl03__AdReply -###ctl00_adCar -###ctl00_adFooter -###ctl00_advert_LargeMPU_div_AdPlaceHolder -###ctl00_advert_WideSky_Right_divOther -###ctl00_bottom_advert_728x90 -###ctl00_cphMainContent_lblPartnerAds -###ctl00_cphMain_adView_dlAds_ctl01_advert_AboveAds_divOther -###ctl00_cphMain_hlAd1 -###ctl00_cphMain_hlAd2 -###ctl00_cphMain_hlAd3 -###ctl00_cphMain_phMain_ctl00_ctl03_ctl00_topAd -###ctl00_cphRoblox_boxAdPanel -###ctl00_ctl00_MainPlaceHolder_itvAdSkyscraper -###ctl00_ctl00_RightColumn1_ctl04_csc300x250Ad1 -###ctl00_ctl00_RightColumn1_ctl04_pnlAdBlock300x250Ad1 -###ctl00_ctl00_RightPanePlaceHolder_pnlAdv -###ctl00_ctl00_ctl00_Main_Main_PlaceHolderGoogleTopBanner_MPTopBannerAd -###ctl00_ctl00_ctl00_Main_Main_SideBar_MPSideAd -###ctl00_ctl00_ctl00_divAdsTop -###ctl00_ctl00_ctl00_tableAdsTop -###ctl00_ctl00_ctl00_tdBannerAd -###ctl00_ctl00_pnlAdBottom -###ctl00_ctl00_pnlAdTop -###ctl00_ctl01_ctl00_tdBannerAd -###ctl00_ctl05_ctl00_tableAdsTop -###ctl00_ctl05_ctl00_tdBannerAd -###ctl00_ctl08_ctl00_tableAdsTop -###ctl00_ctl11_AdvertisementText -###ctl00_ctrlAdvert6_iframeAdvert -###ctl00_ctrlAdvert7_iframeAdvert -###ctl00_ctrlAdvert8_iframeAdvert -###ctl00_divAdSuper -###ctl00_dlTilesAds -###ctl00_fc_ctl02_AdControl -###ctl00_fc_ctl03_AdControl -###ctl00_fc_ctl04_AdControl -###ctl00_fc_ctl06_AdControl -###ctl00_headerAdd -###ctl00_m_skinTracker_m_adLBL -###ctl00_mainContent_lblSponsor -###ctl00_phContents_ctlNewsPanel_rptMainColumn_ctl02_ctlLigatusAds_pnlContainer -###ctl00_phContents_ctlNewsPanel_rptMainColumn_ctl02_pnlLigatusAds -###ctl00_phCrackerMain_ucAffiliateAdvertDisplayMiddle_pnlAffiliateAdvert -###ctl00_phCrackerMain_ucAffiliateAdvertDisplayRight_pnlAffiliateAdvert -###ctl00_pnlAdTop -###ctl00_siteHeader_bannerAd -###ctl00_skyscraperAdvertContainer -###ctl00_tc_ctl03_AdControl -###ctl00_tc_ctl04_AdControl -###ctl00_tc_ctl05_AdControl -###ctl00_tc_ctl06_AdControl -###ctl00_tc_ctl14_AdControl -###ctl00_tc_ctl15_AdControl -###ctl00_tc_ctl16_AdControl -###ctl00_tc_ctl18_AdControl -###ctl00_tc_ctl19_AdControl -###ctl00_topAd -###ctl00_ucAffiliateAdvertDisplay_pnlAffiliateAdvert -###ctl00_ucFooter_ucFooterBanner_divAdvertisement -###ctl08_ad1 -###ctlDisplayAd1_lblAd -###ctl_bottom_ad -###ctl_bottom_ad1 -###ctr-ad -###ctr_adtech2 -###ctr_adtech_mpu_bot -###ctr_adtech_mpu_top -###ctrlsponsored -###ctx_listing_ads -###ctx_listing_ads2 -###cubeAd -###cube_ad -###cube_ads -###cube_ads_inner -###cubead -###cubead-2 -###cubead2 -###currencies-sponsored-by -###custom-advert-leadboard-spacer -###custom-small-ad -###customAd -###cxnAdrail -###d-adCont543x90 -###d-adCont728x90Inner -###d4_ad_google02 -###dAdverts -###dItemBox_ads -###d_AdLink -###dap300x250 -###dart-300x250 -###dart-container-728x90 -###dart_160x600 -###dart_300x250 -###dart_ad_block -###dart_ad_island -###dartad11 -###dartad13 -###dartad16 -###dartad17 -###dartad19 -###dartad25 -###dartad28 -###dartad8 -###dartad9 -###db_ad -###dc-display-right-ad-1 -###dc_ad_data_1 -###dc_ad_data_2 -###dc_ad_data_4 -###dc_advertisement -###dcadSpot-Leader -###dcadSpot-LeaderFooter -###dclinkad -###dcol-sponsored -###dcomad_728x90_0 -###dcomad_ad_728x90_1 -###dcomad_top_300x250_0 -###dcomad_top_300x250_1 -###dcomad_top_300x251_2 -###ddAd -###ddAdZone2 -###defer-adright -###desktop-aside-ad-container -###desktop-unrec-ad -###detail_page_vid_topads -###devil-ad -###dfp-ad-1 -###dfp-ad-2 -###dfp-ad-billboard_leaderboard -###dfp-ad-billboard_leaderboard-wrapper -###dfp-ad-boombox -###dfp-ad-boombox-wrapper -###dfp-ad-boombox_2 -###dfp-ad-boombox_2-wrapper -###dfp-ad-boombox_3 -###dfp-ad-boombox_3-wrapper -###dfp-ad-boombox_4 -###dfp-ad-boombox_4-wrapper -###dfp-ad-boombox_5 -###dfp-ad-boombox_5-wrapper -###dfp-ad-clone_of_sidebar_top -###dfp-ad-content_1-wrapper -###dfp-ad-content_2-wrapper -###dfp-ad-content_3-wrapper -###dfp-ad-content_4-wrapper -###dfp-ad-dfp_ad_atf_728x90 -###dfp-ad-dfp_ad_atf_728x90-wrapper -###dfp-ad-fm_300x250-wrapper -###dfp-ad-half_page-wrapper -###dfp-ad-half_page_sidebar-wrapper -###dfp-ad-home_1-wrapper -###dfp-ad-home_2-wrapper -###dfp-ad-home_3-wrapper -###dfp-ad-homepage_300x250-wrapper -###dfp-ad-homepage_728x90 -###dfp-ad-homepage_728x90-wrapper -###dfp-ad-kids_300x250-wrapper -###dfp-ad-large_rectangle -###dfp-ad-large_rectangle-wrapper -###dfp-ad-leaderboard -###dfp-ad-leaderboard-wrapper -###dfp-ad-local_300x250-wrapper -###dfp-ad-medium_rectangle -###dfp-ad-mediumrect-wrapper -###dfp-ad-mediumrectangle-wrapper -###dfp-ad-mediumrectangle2-wrapper -###dfp-ad-mosad_1 -###dfp-ad-mosad_1-wrapper -###dfp-ad-mpu1 -###dfp-ad-mpu2 -###dfp-ad-mpu_1 -###dfp-ad-mpu_1-wrapper -###dfp-ad-mpu_2 -###dfp-ad-mpu_2-wrapper -###dfp-ad-mpu_3 -###dfp-ad-mpu_3-wrapper -###dfp-ad-ne_carousel_300x250 -###dfp-ad-ne_carousel_300x250-wrapper -###dfp-ad-ne_column3a_300x250 -###dfp-ad-ne_column3a_300x250-wrapper -###dfp-ad-ne_news2_468x60 -###dfp-ad-ne_news2_468x60-wrapper -###dfp-ad-pencil_pushdown -###dfp-ad-pencil_pushdown-wrapper -###dfp-ad-right1 -###dfp-ad-right2 -###dfp-ad-right3 -###dfp-ad-schedule_300x250-wrapper -###dfp-ad-slot2 -###dfp-ad-slot3 -###dfp-ad-slot3-wrapper -###dfp-ad-slot4-wrapper -###dfp-ad-slot5 -###dfp-ad-slot5-wrapper -###dfp-ad-slot6 -###dfp-ad-slot6-wrapper -###dfp-ad-slot7 -###dfp-ad-slot7-wrapper -###dfp-ad-stamp_1 -###dfp-ad-stamp_1-wrapper -###dfp-ad-stamp_2 -###dfp-ad-stamp_2-wrapper -###dfp-ad-stamp_3 -###dfp-ad-stamp_3-wrapper -###dfp-ad-stamp_4 -###dfp-ad-stamp_4-wrapper -###dfp-ad-top -###dfp-ad-tower_1 -###dfp-ad-tower_1-wrapper -###dfp-ad-tower_2 -###dfp-ad-tower_2-wrapper -###dfp-ad-tower_half_page -###dfp-ad-tower_half_page-wrapper -###dfp-ad-tv_300x250-wrapper -###dfp-ad-wallpaper -###dfp-ad-wallpaper-wrapper -###dfp-article-mpu -###dfp-article-related-mpu -###dfp-global_top -###dfp-home_after-headline_leaderboard -###dfp-middle -###dfp-middle1 -###dfp-wallpaper-wrapper -###dfpAd -###dfp_ad_1 -###dfp_ad_16 -###dfp_ad_2 -###dfp_ad_20 -###dfp_ad_21 -###dfp_ad_3 -###dfp_ad_7 -###dfp_ad_DictHome_300x250 -###dfp_ad_DictHome_728x90 -###dfp_ad_Entry_160x600 -###dfp_ad_Entry_180x150 -###dfp_ad_Entry_300x250 -###dfp_ad_Entry_728x90 -###dfp_ad_Entry_Btm_300x250 -###dfp_ad_Entry_EntrySetA_300x250 -###dfp_ad_Entry_EntrySetA_728x90 -###dfp_ad_Entry_EntrySetB_300x250 -###dfp_ad_Entry_EntrySetB_728x90 -###dfp_ad_Entry_EntrySetC_728x90 -###dfp_ad_Home_300x250 -###dfp_ad_Home_728x90 -###dfp_ad_Home_Btm_300x250 -###dfp_ad_IC_728x90 -###dfp_ad_InternalAdX_300x250_right -###dfp_ad_Internal_EntryBr_300x250 -###dfp_ad_Internal_Home_250x262 -###dfp_ad_Result_728x90 -###dfp_ad_SecContent_300x250 -###dfp_ad_Thesaurus_728x90 -###dfp_ad_mpu -###dfp_container -###dfpad-0 -###dfrads-widget-6 -###dfrads-widget-7 -###dhm-bar -###dict-adv -###direct-ad -###disable-ads-container -###displayAd -###displayAdSet -###display_ad -###displayad_bottom-page -###div-ad-1x1 -###div-ad-1x1_3 -###div-ad-2 -###div-ad-bottom -###div-ad-coupon_1 -###div-ad-coupon_10 -###div-ad-coupon_11 -###div-ad-coupon_12 -###div-ad-coupon_2 -###div-ad-coupon_3 -###div-ad-coupon_4 -###div-ad-coupon_5 -###div-ad-coupon_6 -###div-ad-coupon_7 -###div-ad-coupon_8 -###div-ad-coupon_9 -###div-ad-flex -###div-ad-inread -###div-ad-leaderboard -###div-ad-r -###div-ad-r1 -###div-ad-top -###div-adcenter1 -###div-adcenter2 -###div-adid-4000 -###div-dfp-BelowContnet -###div-gpt-ad-lr-cube1 -###div-gpt-ad-mrec-5 -###div-gpt-ad-spotlight -###div-gpt-ad-top_banner -###div-id-for-interstitial-ad -###div-insticator-ad-1 -###div-insticator-ad-2 -###div-social-ads -###div-vip-ad-banner -###div-web-ad-billboard -###div-web-ad-content-article -###div-web-ad-content-ressort -###div-web-ad-marginale-1 -###div-web-ad-marginale-2 -###div-web-ad-marginale-3 -###div-web-ad-marginale-4 -###div-web-ad-marginale-5 -###div-web-ad-performance -###divAd -###divAdBox -###divAdHere -###divAdHorizontal -###divAdLeft -###divAdRight -###divAdSpecial -###divAdWrapper -###divAdd728x90 -###divAdd_Right -###divAdd_Top -###divAds -###divAdsTop -###divAdv300x250 -###divAdvertisement -###divAdvertisingSection -###divArticleInnerAd -###divBannerTopAds -###divBottomad1 -###divBottomad2 -###divDoubleAd -###divFoldersAd -###divFooterAd -###divFooterAds -###divLeftAd12 -###divLeftRecAd -###divMenuAds -###divReklamaTop -###divRightNavAdsLoader -###divTopAd -###divTopAds -###divWNAdHeader -###divWNAdUnitLanding -###divWrapper_Ad -###div_ad_TopRight -###div_ad_float -###div_ad_holder -###div_ad_leaderboard -###div_content_mid_lft_ads -###div_googlead -###div_header_sponsors -###div_prerollAd_1 -###div_side_big_ad -###div_video_ads -###divadfloat -###divadsensex -###divmiddlerightad -###divuppercenterad -###divupperrightad -###dlads -###dni-advertising-skyscraper-wrapper -###dni-header-ad -###dnn_AdBannerPane -###dnn_Advertisement -###dnn_adSky -###dnn_adTop -###dnn_ad_banner -###dnn_ad_island1 -###dnn_ad_skyscraper -###dnn_ad_sponsored_links -###dnn_banner_120x600 -###dnn_banner_486x60 -###dnn_ctl00_Ad2Pane -###dnn_dnn_dartBanner -###dnn_googleAdsense_a -###dnn_playerAd -###dnn_sponsoredLinks -###docmainad -###dogear_promo -###dotnAd_300x250_c20 -###double-card-ad -###doubleClickAds3 -###doubleClickAds_bottom_big_box -###doubleClickAds_bottom_skyscraper -###doubleClickAds_top_banner -###doubleclick-island -###download-leaderboard-ad-bottom -###download-leaderboard-ad-top -###downloadAd -###download_ad -###download_ad-box -###download_ads -###download_slide_ad -###dp_ad_1 -###dp_ads1 -###drudge-column-ads-14 -###drudge-column-ads-2 -###drudge-column-ads-5 -###drudge-column-ads-7 -###ds-mpu -###dsStoryAd -###ds_ad_north_leaderboard -###dvAd1Data -###dvAd1main -###dvAd2Center -###dvAd5Data -###dvAd5Main -###dvAdHead -###dvCenterAd -###dvad2 -###dvad2main -###dvad5 -###dvad6cntnr -###dvad6main -###dvadfirst -###dvadfirstmain -###dvadscnd -###dvadsecondmain -###dvsmladlft -###dvsmladrgt -###dynamicAdDiv -###dynamicAdWinDiv -###ear_ad -###eastAds -###ebsponsoredads -###editorsmpu -###elections-ad-container -###elite-ads -###em_ad_superbanner -###embedAD -###embedADS -###embedded-ad -###embeded_ad_content_container -###entrylist_ad -###epmads-holder -###eshopad-728x90 -###eventAd -###event_ads -###events-adv-side1 -###events-adv-side2 -###events-adv-side3 -###events-adv-side4 -###events-adv-side5 -###events-adv-side6 -###evotopTen_advert -###ex-ligatus -###ex_dart--ex_dart_header_ad -###exads -###exoAd -###expandableAd -###expandable_welcome_ad -###expanderadblock -###external-links-column-ad -###externalAd -###extra-search-ads -###extraAd -###extraAdsBlock -###ezadswidget-2 -###f2p-ad-cnt -###f_ad -###f_adsky -###facebook-ad -###fav-advert -###fav-advertwrap -###fb_adbox -###fb_rightadpanel -###fearless_responsive_image_ad-2 -###featAds -###featureAd -###featureAdSpace -###feature_ad -###feature_adlinks -###featuread -###featured-ad-left -###featured-ad-right -###featured-ads -###featured-advertisements -###featuredAdContainer2 -###featuredAdWidget -###featuredAds -###featuredSponsors -###featured_ad_links -###featured_ad_widget_area -###featured_sponsor_cnt -###feed_links_ad_container -###feedjiti-footerTR -###ffsponsors -###file_sponsored_link -###fin_ad_728x90_bottom -###fin_advertorial_features -###fin_dc_ad_300x100_pos_1 -###fin_ds_homepage_adtag_468x60 -###first-300-ad -###first-adframe -###first-adlayer -###firstAdUnit -###first_ad -###first_ad_unit -###firstad -###fixedAd -###flAdData6 -###fl_hdrAd -###flash_ads_1 -###flashad -###flex_sponsored_links -###flexiad -###flipbookAd -###floatAD_l -###floatAD_r -###floatAdv -###floatads -###floating-ad-spacer -###floating-ads -###floating-advert -###floatingAd -###floatingAdContainer -###floatingAds -###floating_ad -###floating_ad_container -###floatyContent -###foot-ad-1 -###foot-add -###footAds -###footad -###footer-ad -###footer-ad-728 -###footer-ad-block -###footer-ad-box -###footer-ad-col -###footer-ad-google -###footer-ad-large -###footer-ad-loader -###footer-ad-shadow -###footer-ad-unit -###footer-ad-wrapper -###footer-ads -###footer-adspace -###footer-adv -###footer-advert -###footer-advert-area -###footer-advertisement -###footer-adverts -###footer-adwrapper -###footer-affl -###footer-banner-ad -###footer-leaderboard-ad -###footer-sponsored -###footerAd -###footerAdBg -###footerAdBottom -###footerAdBox -###footerAdDiv -###footerAdLink -###footerAdSpecial -###footerAdd -###footerAds -###footerAdsPlacement -###footerAdvert -###footerAdvertisement -###footerAdverts -###footerGoogleAd -###footer_AdArea -###footer_ad -###footer_ad_01 -###footer_ad_block -###footer_ad_cloud -###footer_ad_container -###footer_ad_frame -###footer_ad_holder -###footer_ad_inventory -###footer_ad_modules -###footer_adcode -###footer_add -###footer_addvertise -###footer_ads -###footer_ads_holder -###footer_adsense_ad -###footer_adspace -###footer_adv -###footer_advertising -###footer_leaderboard_ad -###footer_text_ad -###footerad -###footerad728 -###footerads -###footeradsbox -###footeradvert -###form_bottomad -###forum_top_ad -###forumlist-ad -###four_ads -###fp_rh_ad -###fpad1 -###fpad2 -###fpv_companionad -###fr_ad_center -###fr_adtop -###frameAd -###frameTextAd2 -###frame_admain -###free_ad -###frmRightnavAd -###frnAdSky -###frnBannerAd -###frnContentAd -###front-ad-cont -###front-page-advert -###frontPageAd -###front_ad728 -###front_adtop_content -###front_advert -###front_mpu -###front_mpu_content -###frontlowerad -###frontpage_ad1 -###frontpage_ad2 -###ft-ad -###ft-ad-1 -###ft-ad-container -###ft-ads -###ft_mpu -###ftad1 -###ftad2 -###full_banner_ad -###fulldown_ads_box -###fulldown_ads_frame -###fullsizebanner_468x60 -###fullstory-google-textad -###fusionad -###fw-advertisement -###fwAdBox -###g-adblock2 -###gAds -###gBnrAd -###gBottomRightAd -###g_ad -###g_ads_left_top_banner_ads -###g_ads_right_top_banner_ads -###g_adsense -###ga_300x250 -###gad300x250 -###gads-pub -###gads300x250 -###gads_middle -###galleries-tower-ad -###gallery-ad -###gallery-ad-container -###gallery-ad-m0 -###gallery-advert -###gallery-below-line-advert -###gallery-page-ad-bigbox -###gallery-random-ad -###gallery-sidebar-advert -###gallery-slideshow-interstitial-ad -###gallery_ad -###gallery_ads -###gallery_header_ad -###galleryad1 -###game-ad -###game-info-ad -###gameAdMiddle -###gameAdTopMiddle -###gameSquareAd -###game_header_ad -###game_profile_ad_300_250 -###gamead -###gameads -###gamepage_ad -###gameplay_ad -###games-mpu-container -###games_ad_container -###gasense -###gbl_topmost_ad -###gcommonad -###genad -###geoAd -###getUnderplayerIDAd -###gf-mrecs-ads -###gft-adChoicesCopy -###ggl-ad -###gglads -###gglads213A -###gglads213B -###ggogle_AD -###gl_ad_300 -###glamads -###glinkswrapper -###global-banner-ad -###globalHeader_divAd -###globalLeftNavAd -###globalTopNavAd -###global_header_ad -###global_header_ad_area -###gm-ad-lrec -###gmi-ResourcePageAd -###gmi-ResourcePageLowerAd -###gnadww -###go-ads-double-2 -###go-ads-double-3 -###goad1 -###goads -###gog_ad -###gooadtop -###google-ad -###google-ad-art -###google-ad-table-right -###google-ad-tower -###google-ads -###google-ads-bottom -###google-ads-bottom-container -###google-ads-container -###google-ads-container1 -###google-ads-header -###google-ads-left-side -###google-adsense -###google-adsense-for-content -###google-adsense-mpusize -###google-adv-728x90 -###google-adwords -###google-afc -###google-post-ad -###google-post-adbottom -###google-top-ads -###google336x280 -###google468x60 -###googleAd -###googleAdArea -###googleAdBottom -###googleAdBox -###googleAdMid -###googleAdSenseAdRR -###googleAdTop -###googleAdView -###googleAdYarrp -###googleAd_words -###googleAds -###googleAdsFrame -###googleAdsSml -###googleAdsense -###googleAdsenseAdverts -###googleAdsenseBanner -###googleAdsenseBannerBlog -###googleAdwordsModule -###googleAfcContainer -###googleSearchAds -###googleShoppingAdsRight -###googleShoppingAdsTop -###googleSubAds -###googleTxtAD -###google_ad -###google_ad_468x60_contnr -###google_ad_EIRU_newsblock -###google_ad_below_stry -###google_ad_container -###google_ad_container_right_side_bar -###google_ad_inline -###google_ad_test -###google_ad_top -###google_ads -###google_ads_1 -###google_ads_aCol -###google_ads_box -###google_ads_div_Blog_300 -###google_ads_div_Front-160x600 -###google_ads_div_Raw_Override -###google_ads_div_Second_160 -###google_ads_div_header1 -###google_ads_div_header2 -###google_ads_div_video_wallpaper_ad_container -###google_ads_frame -###google_ads_frame1_anchor -###google_ads_frame2_anchor -###google_ads_frame3_anchor -###google_ads_frame4_anchor -###google_ads_frame5_anchor -###google_ads_frame6_anchor -###google_ads_frame_quad -###google_ads_frame_vert -###google_ads_test -###google_ads_top -###google_ads_wide -###google_adsense -###google_adsense_ad -###google_adsense_home_468x60_1 -###google_textlinks -###googlead -###googlead-leaderboard -###googlead-left -###googlead-post-mpu -###googlead-sidebar-middle -###googlead-sidebar-top -###googlead01 -###googlead1 -###googlead2 -###googlead_outside -###googleadbig -###googleadds -###googleadleft -###googleads -###googleads1 -###googleads_h_injection -###googleads_mpu_injection -###googleadsense -###googleadsense300x250 -###googleadsrc -###googleadstop -###googlebanner -###googleblock300 -###googlesponsor -###googletextads -###googtxtad -###gpt-ad-1 -###gpt-ad-halfpage -###gpt-ad-rectangle1 -###gpt-ad-rectangle2 -###gpt-ad-skyscraper -###gpt-ad-story_rectangle3 -###gpt-mpu -###gpt2_ads_widget-10 -###gpt2_ads_widget-6 -###gpt2_ads_widget-7 -###gpt2_ads_widget-8 -###gpt2_ads_widget-9 -###gpt_ad_panorama_top -###gpt_ad_small_insider_1 -###gpt_unit_videoAdSlot1_0 -###gridAdSidebar -###gridAdSidebarRight -###grid_ad -###grouponAdContainer -###gsyadrectangleload -###gsyadrightload -###gsyadtop -###gsyadtopload -###gtAD -###gtopadvts -###gtv_tabSponsor -###gwd-ad -###gwt-debug-ad -###h-ads -###hAd -###hAdv -###h_ads0 -###h_ads1 -###half-page-ad -###halfPageAd -###halfe-page-ad-box -###hb-header-ad -###hcf-ad-wrapper -###hd-ads -###hd-banner-ad -###hd_ad -###hd_ad_wp -###hdr-ad -###hdr-banner-ad -###hdrAdBanner -###hdrAds -###hdtv_ad_ss -###head-ad -###head-ad-1 -###head-ads -###head-advertisement -###head-banner468 -###head1ad -###headAd -###headAds -###headAdv -###headGoogleAffiliateLinkblock -###head_ad -###head_ad0 -###head_ad_area -###head_ads -###head_advert -###headad -###headadvert -###header-ad -###header-ad-1 -###header-ad-background -###header-ad-block -###header-ad-bottom -###header-ad-container -###header-ad-holder -###header-ad-label -###header-ad-left -###header-ad-placeholder -###header-ad-rectangle-container -###header-ad-right -###header-ad-wrap -###header-ad-wrapper -###header-ad2 -###header-ad2010 -###header-ads -###header-ads-wrapper -###header-adsense -###header-adspace -###header-adv -###header-advert -###header-advert-panel -###header-advertisement -###header-advertising -###header-adverts -###header-advrt -###header-banner-728-90 -###header-banner-ad -###header-banner-spc -###header-block-ads -###header-google -###header-house-ad -###header-lb-ad -###header-leader-ad -###header-leader-ad-2 -###header-menu-horizontal-ad-superbanner -###header-top-ads-text -###headerAd -###headerAdBackground -###headerAdButton -###headerAdContainer -###headerAdSpace -###headerAdUnit -###headerAdWrap -###headerAds -###headerAds4 -###headerAdsWrapper -###headerAdv -###headerAdvert -###headerBannerAdNew -###headerNewAdsContainer -###headerNewAdsContainerB -###headerTopAd -###headerTopAdWide -###header_1_adv -###header_ad -###header_ad_167 -###header_ad_728 -###header_ad_728_90 -###header_ad_banner -###header_ad_block -###header_ad_container -###header_ad_leaderboard -###header_ad_units -###header_ad_widget -###header_ad_wrap -###header_adbox -###header_adcode -###header_ads -###header_ads2 -###header_ads_2 -###header_ads_p -###header_adsense -###header_adv -###header_advert -###header_advertisement -###header_advertisement_top -###header_advertising -###header_adverts -###header_bottom_ad -###header_flag_ad -###header_leaderboard_ad_container -###header_publicidad -###header_right_ad -###header_sponsors -###header_top_ad -###headerad -###headeradbox -###headeradcontainer -###headerads -###headeradsbox -###headeradsense -###headeradspace -###headeradvert1div -###headeradvertholder -###headeradwrap -###headergooglead -###headerprimaryad -###headersponsors -###headingAd -###headline-sponsor -###headline_ad -###headlinesAdBlock -###hi5-ad-1 -###hidadvnet -###hiddenadAC -###hide_ad_section_v2 -###hideads -###hideads1 -###hl-sponsored-links -###hl-sponsored-results -###hl-top-ad -###hldhdAds -###hly_ad_side_bar_tower_left -###hly_inner_page_google_ad -###hmt-widget-ad-unit-3 -###holder-storyad -###holdunderad -###home-ad -###home-ad-block -###home-ad-slot -###home-adv-300x250 -###home-advert-module -###home-advertise -###home-banner-ad -###home-left-ad -###home-page-listing-ad -###home-rectangle-ad -###home-right-col-ad -###home-side-ad -###home-top-ads -###homeAd -###homeAdLeft -###homeAds -###homeArticlesAd -###homeBottomAdWrapperInner -###homeMPU -###homePageBotAd -###homeSideAd -###homeTopRightAd -###home_ad -###home_ad_sub_spotlight -###home_ads_top_hold -###home_ads_vert -###home_bottom_ad -###home_contentad -###home_feature_ad -###home_lower_center_right_ad -###home_mpu -###home_sec2_adverts -###home_sidebar_ad -###home_spensoredlinks -###home_top_right_ad -###homead -###homegoogletextad -###homeheaderad -###homepage-ad -###homepage-adbar -###homepage-footer-ad -###homepage-header-ad -###homepage-right-rail-ad -###homepage-sidebar-ad -###homepage-sidebar-ads -###homepageAd -###homepageAdsTop -###homepageFooterAd -###homepageGoogleAds -###homepage__desktop-lead-ad-wrap -###homepage__lead-ad-slot -###homepage_ad -###homepage_ad_listing -###homepage_middle_ads -###homepage_middle_ads_2 -###homepage_middle_ads_3 -###homepage_rectangle_ad -###homepage_right_ad -###homepage_right_ad_container -###homepage_top_ad -###homepage_top_ads -###homepagead_300x250 -###homepageadvert -###homestream-advert3 -###hometop_234x60ad -###hometopads -###horAd -###hor_ad -###horadslot -###horizad -###horizads728 -###horizontal-ad -###horizontal-adspace -###horizontal-banner-ad -###horizontal-banner-ad-container -###horizontalAd -###horizontalAdvertisement -###horizontal_ad -###horizontal_ad2 -###horizontal_ad_top -###horizontalad -###horizontalads -###hot-deals-ad -###hottopics-advert -###hours_ad -###houseAd -###hovered_sponsored -###hp-header-ad -###hp-mpu -###hp-right-ad -###hp-store-ad -###hpSponsor -###hpV2_300x250Ad -###hpV2_googAds -###hp_ad300x250 -###hp_right_ad_300 -###i9lsdads -###i_ads_table -###iaa_ad -###ibt_local_ad728 -###icePage_SearchLinks_AdRightDiv -###icePage_SearchLinks_DownloadToolbarAdRightDiv -###icePage_SearchResults_ads0_SponsoredLink -###icePage_SearchResults_ads1_SponsoredLink -###icePage_SearchResults_ads2_SponsoredLink -###icePage_SearchResults_ads3_SponsoredLink -###icePage_SearchResults_ads4_SponsoredLink -###icom-ad-top -###idDivAd -###idMapAdvertising -###idRightAdArea -###idSponsoredresultend -###idSponsoredresultstart -###id_SearchAds -###ifmSocAd -###iframe-ad -###iframe-ad-container-Top3 -###iframeAd_2 -###iframeRightAd -###iframeTopAd -###iframe_ad_2 -###iframe_ad_300 -###iframe_ad_728 -###iframe_container300x250 -###iframead-300x250 -###ignad_medrec -###ii_banner_ads -###imPopup -###im_box -###im_popupDiv -###im_popupFixed -###ima_ads-2 -###ima_ads-3 -###ima_ads-4 -###imageGalleryAd -###imageGalleryAdHeadLine -###imageGalleryAdPlaceholder -###image_selector_ad -###imageadsbox -###imgCollContentAdIFrame -###imgad1 -###imu_ad_module -###in-article-ad -###in-content-ad -###in-story-ad-wrapper -###inVideoAd -###in_ad_col_a -###in_post_ad_middle_1 -###in_serp_ad -###inadspace -###inarticlead -###inc-ads-bigbox -###index-ad -###index-bottom-advert -###indexSquareAd -###index_ad -###indexad -###indexad300x250l -###indexsmallads -###indiv_adsense -###influads_block -###infoBottomAd -###inhousead -###initializeAd -###injectableTopAd -###inline-ad -###inline-advert -###inline-story-ad -###inline-story-ad2 -###inlineAd -###inlineAdCont -###inlineAdtop -###inlineAdvertisement -###inlineBottomAd -###inline_ad -###inline_ad_section -###inline_search_ad -###inlinead -###inlineads -###inlinegoogleads -###inlist-ad-block -###inner-ad -###inner-advert-row -###inner-deals-ads -###inner-top-ads -###innerad -###innerpage-ad -###innovativeadspan -###inside-page-ad -###insideCubeAd -###insidearticleBodyAd -###insider_ad_wrapper -###insticator-container -###instoryad -###instoryadtext -###instoryadwrap -###insurance-ad-1-container -###int-ad -###intAdUnit -###int_ad -###interads -###internalAdvert -###internalads -###interstitialAd -###interstitialAdContainer -###interstitialAdUnit -###interstitial_ad -###interstitial_ad_container -###interstitial_ad_wrapper -###interstitial_ads -###interviews-ad -###introAds -###invid_ad -###ip-ad-leaderboard -###ip-ad-skyscraper -###ipadv -###iq-AdSkin -###iqadcontainer -###iqadoverlay -###iqadtile1 -###iqadtile11 -###iqadtile14 -###iqadtile15 -###iqadtile2 -###iqadtile3 -###iqadtile4 -###iqadtile5 -###iqadtile8 -###iqadtile9 -###iqd_align_Ad -###iqd_mainAd -###iqd_rightAd -###iqd_topAd -###ir-sidebar-ad -###irgoogleadsense -###islandAd -###islandAdPan -###islandAdPane -###islandAdPane2 -###islandAdPaneGoogle -###islandAdSponsored -###island_ad_top -###islandad -###isliveContainer -###issue-sidebar-ad -###item-detail-feature-ad -###itemGroupAd2 -###iv160ad -###iv728ad -###iwad -###j_ad -###j_special_ad -###ji_medShowAdBox -###jmp-ad-buttons -###job_ads_container -###jobs-ad -###jobsAdBox -###joead -###joead2 -###js-ad-leaderboard -###js-adslot-300x250-storyrec -###js-image-ad-mpu -###js-outbrain-ads-module -###js-outbrain-rightrail-ads-module -###js-site-nav-ad-wrap -###js-story__ad-storyrec -###js-wide-ad -###js_adsense -###jt-advert -###jupiter-ads -###ka_adFullBanner -###ka_adMediumRectangle -###ka_adRightSkyscraperWide -###ka_adsense_container -###ka_samplead -###kads-main -###kamidarticle-adnotice -###kamidarticle-middle-content -###karmaAds -###kaufDA-widget -###kb-ad-banner -###kbbAdsMainCenterAd -###kdz_ad1 -###kdz_ad2 -###keen_overlay_ad_display -###keyadvertcontainer -###khAdSpace -###ksperAD -###l_home-keen_ad_mask -###landing-adserve -###landing-adserver -###lapho-top-ad-1 -###large-ads -###large-rectange-ad -###large-rectange-ad-2 -###large-screen-ads -###large-skyscraper-ad -###largeAd -###largeAds -###large_rec_ad1 -###largead -###lateAd -###lateralAdWrapper -###launchpad-ads-2 -###layerAds_layerDiv -###layerTLDADSERV -###layer_ad -###layer_ad_content -###layer_ad_main -###layer_adv1 -###layerad -###layeradsense -###layout-header-ad-wrapper -###lb-ad -###lb-sponsor-left -###lb-sponsor-right -###lbAdBar -###lbAdBarBtm -###lblAds -###lead-ads -###lead_ad -###leadad_1 -###leadad_2 -###leader-ad -###leader-board-ad -###leaderAd -###leaderAdContainer -###leaderAdContainerOuter -###leaderBoardAd -###leader_ad -###leader_board_ad -###leaderad -###leaderad_section -###leaderadvert -###leaderboard-ad -###leaderboard-ad-1 -###leaderboard-ad-1-container -###leaderboard-ad-1_iframe -###leaderboard-ad-2 -###leaderboard-ad-2_iframe -###leaderboard-ad-3 -###leaderboard-ad-3_iframe -###leaderboard-ad-4 -###leaderboard-ad-4_iframe -###leaderboard-ad-5 -###leaderboard-ad-5_iframe -###leaderboard-ad-bottom -###leaderboard-ad-bottom-container -###leaderboard-ad-container -###leaderboard-ad-container-1 -###leaderboard-advertisement -###leaderboard-bottom-ad -###leaderboardAd -###leaderboardAdArea -###leaderboardAdArea2 -###leaderboardAdLabel -###leaderboardAdSibling -###leaderboardAdTop -###leaderboardAds -###leaderboardAdvert -###leaderboardAdvertFooter -###leaderboardBottomAd -###leaderboard_728x90 -###leaderboard_Ad -###leaderboard_ad -###leaderboard_ad_gam -###leaderboard_ad_main -###leaderboard_ad_unit -###leaderboard_ads -###leaderboard_bottom_ad -###leaderboard_top_ad -###leaderboardad -###leaderboardadtagwidget-2 -###learad -###leatherboardad -###left-ad -###left-ad-1 -###left-ad-2 -###left-ad-col -###left-ad-skin -###left-bottom-ad -###left-col-ads-1 -###left-lower-adverts -###left-lower-adverts-container -###left-rail-ad -###leftAD -###leftAdAboveSideBar -###leftAdCol -###leftAdContainer -###leftAdMessage -###leftAdSpace -###leftAd_fmt -###leftAd_rdr -###leftAds -###leftAdsSmall -###leftAdvert -###leftBanner-ad -###leftColumnAdContainer -###leftGoogleAds -###leftSectionAd300-100 -###leftTopAdWrapper -###left_ad -###left_ads -###left_adsense -###left_adspace -###left_adv -###left_advertisement -###left_bg_ad -###left_block_ads -###left_float_ad -###left_global_adspace -###left_side_ads -###left_sidebar_ads -###left_skyscraper_ad -###left_ws_ad_container -###leftad -###leftadg -###leftads -###leftcolAd -###leftcolumnad -###leftforumad -###leftframeAD -###lg-banner-ad -###lgfRightBarAd -###lhsBottomAd -###li-right-geobooster-oas -###ligatus -###ligatusdiv -###lightboxAd -###lilo_imageAd -###linebreak-ads -###linkAdSingle -###linkAds -###link_ads -###linkads -###links-ads-detailnews -###listadholder -###liste_top_ads_wrapper -###listing-ad -###live-ad -###lj_ad_row -###load-adslargerect -###localAds -###logoAd -###logoAd2 -###logo_ad -###long-ad -###long-ad-box -###long-ad-space -###long-bottom-ad-wrapper -###longAdSpace -###longAdWrap -###long_advert_header -###long_advertisement -###lower-ad-banner -###lower-advertising -###lowerAdvertisement -###lowerAdvertisementImg -###lower_ad -###lowerads -###lowerthirdad -###lowertop-adverts -###lowertop-adverts-container -###lpAdPanel -###lrec_ad -###lrecad -###lsadvert-left_menu_1 -###lsadvert-left_menu_2 -###lsadvert-top -###mBannerAd -###m_top_adblock -###madison_ad_248_100 -###madskills-ad-manager-0 -###madskills-ad-manager-1 -###madskills-ad-manager-2 -###madskills-ad-manager-3 -###magnify_player_continuous_ad -###main-ad -###main-ad160x600 -###main-ad160x600-img -###main-ad728x90 -###main-advert -###main-advert1 -###main-advert2 -###main-advert3 -###main-bottom-ad -###main-bottom-ad-tray -###main-content-ad1 -###main-content-adcontent1 -###main-header-ad-wrap -###main-header-ad-wrap-home -###main-header-advertisement -###main-middle-ad -###main-right-ad-tray -###main-tj-ad -###mainAd -###mainAd1 -###mainAdUnit -###mainAdvert -###mainAdvertismentP -###mainHeaderAdvertisment -###mainMenu_divTopAd -###mainPageAds -###mainPlaceHolder_coreContentPlaceHolder_rightColumnAdvert_divControl -###main_AD -###main_ad -###main_ads -###main_content_ad -###main_left_side_ads -###main_rec_ad -###main_right_side_ads -###main_right_side_ads_130_01 -###main_top_ad -###main_top_ad_container -###major_ad -###maker-rect-ad -###mapAdvert -###marcoad -###marketing-promo -###marketplace-ad-1 -###marketplace-ad-2 -###marketplaceAds -###marquee_ad -###masSearchAd -###mason_adv_bp_1 -###mason_adv_bp_2 -###mason_adv_bp_3 -###mason_adv_bp_4 -###mason_adv_rn_2 -###mastAd -###mastAdvert -###mast_ad_wrap -###mast_ad_wrap_btm -###mast_logo_advertisement -###mastad -###masterTopAds -###masterad -###mastercardAd -###masthead-ad -###masthead_ad -###masthead_ads_container -###masthead_topad -###matchFooterAd -###mbbs-ad-in-content-shortcode -###mc_ad -###md-sidebar-video-companion-ad-loaded -###md_adLoader -###md_topad -###me-adspace-002 -###med-rect-ad -###med-rectangle-ad -###medRecAd -###medReqAd -###media-ad -###media-ad-thumbs -###media-temple-ad -###mediaAdLeaderboard -###media_ad -###mediaget_box -###mediagoogleadsense -###mediaplayer_adburner -###medium-ad -###medium-rectangle-ad1 -###mediumAd1 -###mediumAdContainer -###mediumAdvertisement -###mediumRectangleAd -###mediumrectangle_300x250 -###medrec_bottom_ad -###medrec_middle_ad -###medrec_top_ad -###medrectad -###medrectangle_banner -###mee-ad-wrapper -###memberad -###mens-journal-feature-ad -###menu-ads -###menuAds -###menuad -###menubanner-ad-content -###mgid-container -###mhheader_ad -###mi_story_assets_ad -###microAdDiv -###microsoft_ad -###mid-ad300x250 -###mid-table-ad -###midAD -###midRightAds -###midRightTextAds -###mid_ad_div -###mid_ad_title -###mid_left_ads -###mid_mpu -###mid_roll_ad_holder -###midadd -###midadspace -###midadvert -###midbarad -###midbnrad -###midcolumn_ad -###middle-ad -###middle-ad-destin -###middle-story-ad-container -###middleRightColumnAdvert -###middle_ad -###middle_ads -###middle_bannerad -###middle_bannerad_section -###middle_body_advertising -###middle_mpu -###middle_sponsor_ads -###middlead -###middleads -###middleads2 -###midpost_ad -###midrect_ad -###midstrip_ad -###mini-ad -###mini-panel-dart_stamp_ads -###mini-panel-dfp_stamp_ads -###mini-panel-top_ads -###mini-panel-two_column_ads -###miniAdsAd -###mini_ads_inset -###mn_ads -###moa-ads-long -###mobileAd_holder -###mobile_ad_spot_header -###mochila-column-right-ad-300x250 -###mochila-column-right-ad-300x250-1 -###mod-ad-msu-2 -###mod-partner-center -###mod_ad -###mod_ad_top -###modal-ad -###modal_videoAd_wrapper -###module-ad-300x250 -###module-ad-728x90 -###module-google_ads -###module_ad -###module_box_ad -###module_sky_scraper -###monsterAd -###moogleAd -###more_ad -###moreads -###morefooterads -###mos-adCarouselContainer -###mosBannerAd -###mosTileAds -###most_popular_ad -###motionAd -###movads10 -###movieads -###mozo-ad -###mph-rightad -###mpl_adv_text -###mpr-ad-leader -###mpr-ad-wrapper-1 -###mpr-ad-wrapper-2 -###mpu-ad -###mpu-advert -###mpu-cont -###mpu-content -###mpu-sidebar -###mpu2 -###mpu2_container -###mpu300250 -###mpuAd -###mpuAdvert -###mpuAdvertMob -###mpuContainer -###mpuDiv -###mpuInContent -###mpuSecondary -###mpuSlot -###mpuWrapper -###mpuWrapper600 -###mpuWrapperAd -###mpuWrapperAd2 -###mpu_300x250 -###mpu_ad -###mpu_ad2 -###mpu_adv -###mpu_banner -###mpu_box -###mpu_container -###mpu_div -###mpu_firstpost -###mpu_holder -###mpu_text_ad -###mpuad -###mpubox -###mpuholder -###mpuholder01 -###mpusLeftAd -###mr_banner_topad -###mrec-advertisement -###mrecAdContainer -###mrecPlacement -###mrt-node-Col2-1-AdBlockPromo -###mrt-node-Lead-2-AdBlockPromo -###mrt-node-tgtm-Col2-4-ComboAd -###msAds -###ms_ad -###msad -###msnAds_inner -###msn_header_ad -###msnau_ad_medium_rectangle -###mtSponsor -###mt_adv -###mts_ad_widget -###mu_2_ad -###multiLinkAdContainer -###multi_ad -###multibar-ads -###mvp_160_ad -###my-ads -###my-adsFPAD -###my-adsFPL -###my-adsFPT -###my-adsLREC -###my-adsLREC2 -###my-adsLREC4-base -###my-adsMAST -###my-medium-rectangle-ad-1-container -###my-medium-rectangle-ad-2-container -###myAd -###myElementAd -###myads_HeaderButton -###mydfpad -###n_sponsor_ads -###na_adblock -###name-advert -###namecom_ad_hosting_main -###narrow-ad -###narrow_ad_unit -###nat-ad-300x250 -###natadad300x250 -###nationalAd_secondary_btm -###nationalAd_secondary_top -###national_ad -###national_microlink_ads -###nationalad -###native_ad2 -###nativeadsteaser -###navAdBanner -###nav_ad -###nav_ad_728_mid -###navads-container -###navbar_ads -###navi_banner_ad_780 -###navigation-ad -###nba160PromoAd -###nba300Ad -###nbaGI300ad -###nbaHeaderAds -###nbaHouseAnd600Ad -###nbaLeft600Ad -###nbaMidAds -###nbaVid300Ad -###nbabot728ad -###nbcAd300x250 -###nbcShowcaseAds -###nc-header-ads -###netBoard-ad -###network_header_ad_1 -###new-ad-footer -###new-ad-leaderboard -###new-ad-sidebottom -###new-ad-sidetop -###newAd -###newPostProfileAd -###newPostProfileVerticalAd -###newTopAds -###new_ad_728_90 -###new_ad_header -###new_topad -###newadmpu -###newads -###news-adocs -###news_advertorial_content -###news_advertorial_top -###news_article_ad_mrec -###news_article_ad_mrec_right -###news_left_ad -###news_right_ad -###newstream_first_ad -###newuser_ad -###ng_rtcol_ad -###nia_ad -###nib-ad -###nlrightsponsorad -###noresults_ad_container -###noresultsads -###northad -###northbanner-advert -###northbanner-advert-container -###notify_ad -###np_content_ads_module -###nrAds -###nrcAd_Top -###ns_ad1 -###ns_ad2 -###ns_ad3 -###ntvAdZone -###ntvads -###nuevo_ad -###oanda_ads -###oas_Middle -###oas_Middle1 -###oas_Right -###oas_Right1 -###oas_Right2 -###oas_Top -###oas_Top1 -###oas_asponsor -###oas_wide_skyscraper -###ob_sponsoredcontent -###oba_message -###objadscript -###oem_ad -###ofie_ad -###omnibar_ad -###onPauseAdOverlayDesktop -###onespot-ads -###online_ad -###onpageads -###onpageadstext -###onscroll-ad-holder-mpu2 -###openx-slc -###openx-text-ad -###openx-widget -###openx_iframe -###osDirAd2Post -###osads_300 -###outbrain-paid -###outbrainAdWrapper -###outbrain_dual_ad_fs_0_dual -###outbrain_vertical -###outerAd300 -###outerTwrAd -###outer_div_top_ad -###outsideAds -###ovAd -###ovAdWrap -###ovadsense -###overlay_ad -###overlayadd -###overtureSponsoredLinks -###p-advert -###p-googlead -###p-googleadsense -###p-googleadsense-portletlabel -###p2HeaderAd -###p2squaread -###p360_ad_unit -###p_lt_zoneContent_SubContent_p_lt_zoneRight_IFrameAd_panelAd -###page-ad-container-TopLeft -###page-ad-top -###page-advert-3rdrail -###page-advertising -###page-header-ad -###page-top-ad -###pageAdDiv -###pageAdds -###pageAds -###pageAdsDiv -###pageAdvert -###pageBannerAd -###pageLeftAd -###pageOwnershipAd_side -###pageRightAd -###page_ad -###page_ad_top -###page_content_top_ad -###page_top_ad -###pageads_top -###pagebottomAd -###pagelet_adbox -###pagelet_netego_ads -###pagelet_search_ads2 -###pagelet_side_ads -###pagination-advert -###paidlistingAds -###panel-ad -###panelAd -###panoAdBlock -###parade_300ad -###parade_300ad2 -###partner-ad -###partnerAd -###partnerMedRec -###partnerSitesBannerAd -###partner_ads -###pause-ad -###pauseAd -###pb_adbanner -###pb_report_ad -###pc-billboard-ad -###pcworldAdBottom -###pcworldAdTop -###pencil-ad -###pencil-ad-container -###perm_ad -###permads -###persistentAd -###personalization_ads -###pf-dialog-ads -###pg-ad-160x600 -###pg-ad-item-160x600 -###pgAdWrapper -###pgFooterAd -###pgHeaderAd -###pgSquareAd -###pgad_Bottom3 -###photoAdvert -###photoAndAdBox -###photo_ad_google -###picad_div -###pinball_ad -###pixAd -###plAds -###player-advert -###player-advertising -###player-below-advert -###player-midrollAd -###playerAd -###playerAdsRight -###player_ad -###player_ads -###player_middle_ad -###player_top_ad -###playerad -###playvideotopad -###pmad-in1 -###pnAd2 -###pnlADS -###pnlRedesignAdvert -###pnl_BannerAdServed -###pod-ad-video-page -###pof_ads_Wrapper -###pop_ad -###popadwrap -###popback-ad -###popoverAd -###popular-column-ad -###populate_ad_bottom -###populate_ad_left -###populate_ad_textupper -###populate_ad_textupper_textlink -###popupAd -###popupBottomAd -###popup_domination_lightbox_wrapper -###popupadunit -###portlet-advertisement-left -###portlet-advertisement-right -###pos_ContentAd2 -###post-ad -###post-ad-01 -###post-ad-02 -###post-ad-hd -###post-ad-layer -###post-ads -###post-adsense-top-banner -###post-bottom-ads -###post-content-ad -###post-page-ad -###post-promo-ad -###post5_adbox -###postAd -###postNavigationAd -###post_ad -###post_addsense -###post_adsense -###post_adspace -###post_advert -###post_id_ad_bot -###postpageaddiv -###ppcAdverts -###pr_ad -###pr_advertising -###pre-adv -###pre-footer-ad -###pre_advertising_wrapper -###pregame_header_ad -###premSpons -###premier-ad-space -###preminumAD -###premiumAdTop -###premium_ad -###premium_ad_inside -###premiumad -###premiumads -###premiumsponsorbox -###prerollAd -###preroll_compainion_ad -###priceGrabberAd -###primary_mpu_placeholder -###prime-ad-space -###print-advertisement -###print-header-ad -###print_ads -###printads -###privateadbox -###privateads -###pro_ads_custom_widgets-2 -###pro_ads_custom_widgets-3 -###pro_ads_custom_widgets-5 -###pro_ads_custom_widgets-7 -###pro_ads_custom_widgets-8 -###product-adsense -###profileAdHeader -###proj-bottom-ad -###promo-ad -###promoAds -###promoFloatAd -###promo_ads -###ps-ad-iframe -###ps-top-ads-sponsored -###ps-vertical-ads -###psmpopup -###pswp_advert -###pub-right-bottom-ads -###pub-right-top-ads -###pub468x60 -###publicGoogleAd -###publicidad -###publicidad-video -###publicidad_120 -###publicidadeLREC -###pulse360_1 -###pushAd -###pushDownAd -###pushdown-ad -###pushdownAdWrapper -###pushdown_ad -###pusher-ad -###pvadscontainer -###qaSideAd -###qadserve_728x90_StayOn_div -###qm-ad-big-box -###qm-ad-sky -###qm-dvdad -###qpon_big_ad-teaser -###qtopAd-graybg -###quads-ad2 -###quads-ad2_widget -###quads-ad4 -###quick_ads_frame_bottom -###quidgetad -###quigo -###quigo-ad -###quigo_ad -###quinAdLeaderboard -###r-ad-tag -###r-ads-listings -###r-ads-preview-top -###r1SoftAd -###r_ad3_ad -###r_adver -###radioProfileAds -###rafael_side_ads_widget-5 -###rail-ad-wrap -###rail-bottom-ad -###railAd -###rail_ad -###rail_ad1 -###rail_ad2 -###rbAdWrapperRt -###rbAdWrapperTop -###rc_edu_span5AdDiv -###rd_banner_ad -###reader-ad-container -###realEstateAds -###rearad -###recommendedAdContainer -###rect-ad -###rectAd -###rect_ad -###rectad -###rectangle-ad -###rectangleAd -###rectangleAdSpace -###rectangleAdTeaser1 -###rectangle_ad -###rectangle_ad_smallgame -###redirect-ad -###redirect-ad-modal -###redirect_ad_1_div -###redirect_ad_2_div -###reference-ad -###refine-300-ad -###refine-ad -###refreshable_ad5 -###region-node-advert -###region-regions-ad-top -###region-top-ad -###reklam-728x90 -###reklama -###reklama_big -###reklama_left_body -###reklama_left_up -###reklama_right_up -###related-ads -###related-projects-sponsor -###related_ad -###related_ads -###related_ads_box -###relatedvideosads2 -###relocation_ad_container -###remove_ads_button1 -###remove_ads_button2 -###removeadlink -###responsive-ad -###resultSponLinks -###resultsAdsBottom -###resultsAdsSB -###resultsAdsTop -###rg_right_ad -###rh-ad -###rh-ad-container -###rh_tower_ad -###rhapsodyAd -###rhc_ads -###rhsBottomAd -###rhs_ads -###rhs_adverts -###rhsads -###rhsadvert -###richad -###right-ad -###right-ad-1 -###right-ad-block -###right-ad-col -###right-ad-skin -###right-ad-title -###right-ad1 -###right-adds -###right-ads -###right-ads-3 -###right-ads-4 -###right-advert -###right-bar-ad -###right-box-ad -###right-col-ad-600 -###right-featured-ad -###right-mpu-1-ad-container -###right-uppder-adverts -###right-uppder-adverts-container -###right1-ad -###right160x600ads_part -###right2Ad_Iframe -###rightAD -###rightAd -###rightAd1 -###rightAd160x600 -###rightAd160x600two -###rightAd300x250 -###rightAd300x250Lower -###rightAdBar -###rightAdColumn -###rightAdContainer -###rightAdDiv1 -###rightAdDiv2 -###rightAdDiv3 -###rightAdHideLinkContainer -###rightAdHolder -###rightAd_Iframe -###rightAd_rdr -###rightAds -###rightAdsDiv -###rightBanner-ad -###rightBlockAd -###rightBottomAd -###rightBoxAdvertisement -###rightBoxAdvertisementLast -###rightColAd -###rightColumnAds -###rightColumnMpuAd -###rightColumnSkyAd -###rightDoubleClick -###rightMortgageAd -###rightSideAd -###rightSideAdvert -###rightSideSquareAdverts -###right_Ads2 -###right_ad -###right_ad_2 -###right_ad_box -###right_ad_container -###right_ad_top -###right_ad_wrapper -###right_ads -###right_ads_box -###right_adsense -###right_adv1-v2 -###right_advert -###right_advertisement -###right_advertising -###right_adverts -###right_bg_ad -###right_block_ads -###right_column_ad -###right_column_ad_container -###right_column_ads -###right_column_adverts -###right_column_internal_ad_container -###right_column_top_ad_unit -###right_gallery_ad -###right_global_adspace -###right_mini_ad -###right_panel_ads -###right_player_ad -###right_rail_ad_header -###right_side_bar_ami_ad -###right_sidebar_ads -###right_top_ad -###right_top_gad -###rightad -###rightad1 -###rightad2 -###rightadBorder -###rightadBorder1 -###rightadBorder2 -###rightadContainer -###rightadcell -###rightadd300 -###rightadg -###rightadhome -###rightadpat -###rightads -###rightadsarea -###rightadvertbar-doubleclickads -###rightbar-ad -###rightbar_ad -###rightcol_mgid -###rightcol_sponsorad -###rightcolhouseads -###rightcollongad -###rightcolumn_300x250ad -###rightcolumn_ad_gam -###rightforumad -###rightgoogleads -###rightinfoad -###rightrail-ad -###rightrail-ad-1 -###rightrail_ad-0 -###rightside-ads -###rightside_ad -###rightskyad -###righttop-adverts -###righttop-adverts-container -###ringtone-ad-bottom -###ringtone-ad-top -###rm_ad_text -###rmx-ad-cta-box -###roadsheet-advertising -###rockmelt-ad-top -###rolldown-ad -###ros_ad -###rotate_textads_1 -###rotating-ad-display -###rotating-ads-wrap -###rotating_ad -###rotatingads -###row-ad -###row2AdContainer -###rowAdv -###rprightHeaderAd -###rpuAdUnit-0 -###rrAdWrapper -###rr_MSads -###rr_ad -###rr_gallery_ad -###rside_ad -###rside_adbox -###rt-ad -###rt-ad-top -###rt-ad468 -###rtAdvertisement -###rtMod_ad -###rt_side_top_google_ad -###rtcol_advert_1 -###rtcol_advert_2 -###rtm_div_562 -###rtm_html_226 -###rtm_html_920 -###rtmm_right_ad -###rtmod_ad -###rtn_ad_160x600 -###rubicsTextAd -###rxgcontent -###rxgfooter -###rxgheader -###rxgleftbar -###rxgrightbar -###sAdsBox -###s_ads_header -###say-center-contentad -###sb-ad-sq -###sb_ad_links -###sb_advert -###sbads-top -###scoreAD -###script_ad_0 -###scroll-ad -###scroll_ad -###scroll_banner_ad -###scrollingads -###sct_side_ads -###sdac_bottom_ad_widget-3 -###sdac_footer_ads_widget-3 -###sdac_skyscraper_ad_widget-3 -###sdac_top_ad_widget-3 -###search-ad -###search-ads1 -###search-google-ads -###search-sponsor -###search-sponsored-links -###search-sponsored-links-top -###searchAd -###searchAdFrame -###searchAdSenseBox -###searchAdSenseBoxAd -###searchAdSkyscraperBox -###searchAds -###searchGoogleAdBottom -###searchPaneGoogleAd -###search_ad -###search_ads -###search_result_ad -###searchresult_advert_right -###searchsponsor -###sec_adspace -###second-adframe -###second-adlayer -###second-right-ad-tray -###second-story-ad -###secondBoxAd -###secondBoxAdContainer -###second_ad_div -###secondad -###secondary_ad_inventory -###secondaryad -###secondrowads -###sect-ad-300x100 -###sect-ad-300x250 -###sect-ad-300x250-2 -###section-ad -###section-ad-1-728 -###section-ad-300-250 -###section-ad-4-160 -###section-ad-bottom -###section-blog-ad -###section-container-ddc_ads -###section-footer-ribbonad -###section-pagetop-ad -###section-sub-ad -###section_ad -###section_advertisements -###section_advertorial_feature -###sector-widget__tiny-ad -###self-ad -###self_serve_ads -###sensis_island_ad_1 -###sensis_island_ad_1_column -###sensis_island_ad_2 -###sensis_island_ad_2_column -###sensis_island_ad_3 -###sensis_island_ad_3_column -###serveAd1 -###serveAd2 -###serveAd3 -###servfail-ads -###sew-ad1 -###sew_advertbody -###sfif-wrapper-keywordad-0 -###sgAdHeader -###sgAdScGp160x600 -###shellnavAd -###shoppingads -###shortads -###shortnews_advert -###show-ad -###show-player-right-ad -###showAd -###show_ads -###showads -###showcaseAd -###sic_superBannerAd-loader -###sic_superBannerAdTop -###side-ad -###side-ad-container -###side-ads -###side-ads-box -###side-banner-ad -###side-big-ad-bottom -###side-big-ad-middle -###side-boxad -###side-content-ad-1 -###side-content-ad-2 -###side-halfpage-ad -###side-skyscraper-ad -###sideABlock -###sideABlockHeader -###sideAD -###sideAd -###sideAd1 -###sideAd2 -###sideAdArea -###sideAdLarge -###sideAdSmall -###sideAdSub -###sideAds -###sideAdsBis -###sideBannerAd -###sideBar-ads -###sideBarAd -###sideBySideAds -###sideSponsors -###side_ad -###side_ad_call -###side_ad_container_A -###side_ad_module -###side_ad_wrapper -###side_ads -###side_ads_by_google -###side_adv_2 -###side_adverts -###side_longads -###side_sky_ad -###side_skyscraper_ad -###side_sponsors -###sidead -###sidead1 -###sidead1mask -###sideadbox -###sideads -###sideads_container -###sideadscol -###sideadtop-to -###sideadvert -###sideadzone -###sidebar-125x125-ads -###sidebar-125x125-ads-below-index -###sidebar-ad -###sidebar-ad-300 -###sidebar-ad-block -###sidebar-ad-boxes -###sidebar-ad-holdd -###sidebar-ad-holdd-middle -###sidebar-ad-loader -###sidebar-ad-middle -###sidebar-ad-space -###sidebar-ad-wrap -###sidebar-ad1 -###sidebar-ad2 -###sidebar-ad3 -###sidebar-ad_dbl -###sidebar-ads -###sidebar-ads-content -###sidebar-ads-narrow -###sidebar-ads-wide -###sidebar-ads-wrapper -###sidebar-adspace -###sidebar-adv -###sidebar-advertise-text -###sidebar-advertisement -###sidebar-banner300 -###sidebar-corner-ad -###sidebar-feed-ad -###sidebar-left-ad -###sidebar-long-advertise -###sidebar-main-ad -###sidebar-post-120x120-banner -###sidebar-post-300x250-banner -###sidebar-scroll-ad-container -###sidebar-sponsor-link -###sidebar-sponsors -###sidebar-top-ad -###sidebar-top-ads -###sidebar2-ads -###sidebar2ads -###sidebarAd -###sidebarAd1 -###sidebarAd2 -###sidebarAdSense -###sidebarAdSpace -###sidebarAdUnitWidget -###sidebarAds -###sidebarAdvert -###sidebarSponsors -###sidebarTextAds -###sidebarTowerAds -###sidebar_ad -###sidebar_ad_1 -###sidebar_ad_2 -###sidebar_ad_3 -###sidebar_ad_adam -###sidebar_ad_container -###sidebar_ad_top -###sidebar_ad_widget -###sidebar_ad_wrapper -###sidebar_adblock -###sidebar_ads -###sidebar_ads_180 -###sidebar_box_add -###sidebar_mini_ads -###sidebar_sponsoredresult_body -###sidebar_topad -###sidebar_txt_ad_links -###sidebarad -###sidebarad_300x600-33 -###sidebarad_300x600-4 -###sidebaradpane -###sidebaradsense -###sidebaradver_advertistxt -###sidebaradverts -###sidebard-ads-wrapper -###sidebargooglead -###sidebargoogleads -###sidebarrectad -###sideline-ad -###sidepad-ad -###simple_ads_manager_ad_widget-2 -###simple_ads_manager_widget-3 -###simple_ads_manager_widget-4 -###simplyhired_job_widget -###single-ad -###single-ad-2 -###single-adblade -###single-mpu -###singleAd -###singleAdsContainer -###single_ad_above_content -###singlead -###site-ad-container -###site-ads -###site-header__ads -###site-leaderboard-ads -###site-sponsor-ad -###site-sponsors -###siteAdHeader -###site_body_header_banner_ad -###site_bottom_ad_div -###site_content_ad_div -###site_top_ad -###sitead -###sitemap_ad_left -###skcolAdSky -###skin-ad -###skinTopAd -###skin_ADV_DIV -###skin_adv -###skinad-left -###skinad-right -###skinmid-ad -###skinmid-ad_iframe -###skinningads -###sky-ad -###sky-ads -###sky-left -###sky-right -###sky-top-ad -###skyAd -###skyAdContainer -###skyAdNewsletter -###skyScraperAd -###skyScrapperAd -###skyWrapperAds -###sky_ad -###sky_advert -###skyads -###skyadwrap -###skybox-ad -###skyline_ad -###skyscrapeAd -###skyscraper-ad -###skyscraper-ad-1 -###skyscraper-ad-2 -###skyscraperAd -###skyscraperAdContainer -###skyscraperAdWrap -###skyscraperAds -###skyscraperWrapperAd -###skyscraper_ad -###skyscraper_advert -###skyscraperadblock -###skyscrapper-ad -###slide_ad -###slidead -###slideboxad -###slider-ad -###sliderAdHolder -###slider_ad -###slideshow-middle-ad -###slideshowAd -###slideshow_ad_300x250 -###sm-banner-ad -###smallAd -###smallBannerAdboard -###small_ad -###small_ad_banners_vertical -###small_ads -###smallad -###smallads -###smallerAd -###smoozed-ad -###smxTextAd -###socialAD -###socialBarAd -###socialBarAdMini -###some-ads -###some-ads-holder -###some-more-ads -###sortsite1-bottom-ad -###source-ad-native-sticky-wrapper -###source_ad -###source_content_ad -###spec_offer_ad2 -###special-deals-ad -###specialAd_one -###specialAd_two -###special_ads -###specialadfeatures -###specialadvertisingreport_container -###specials_ads -###speed_ads -###speeds_ads -###speeds_ads_fstitem -###speedtest_mrec_ad -###sphereAd -###sphereAd-wrap -###spl_ad -###spnAds -###spnslink -###sponBox -###sponLinkDiv_1 -###sponLinkDiv_2 -###spon_links -###sponlink -###sponlinks -###sponsAds -###sponsLinks -###spons_links -###sponseredlinks -###sponsor-flyout-wrap -###sponsor-links -###sponsor-sidebar-container -###sponsorAd -###sponsorAd1 -###sponsorAd2 -###sponsorAdDiv -###sponsorBanners32 -###sponsorBar -###sponsorBorder -###sponsorContainer0 -###sponsorFooter -###sponsorLinkDiv -###sponsorLinks -###sponsorResults -###sponsorSpot -###sponsorTab -###sponsorText -###sponsorTextLink -###sponsor_300x250 -###sponsor_ad -###sponsor_ads -###sponsor_banderole -###sponsor_bar -###sponsor_bottom -###sponsor_box -###sponsor_deals -###sponsor_div -###sponsor_footer -###sponsor_header -###sponsor_link -###sponsor_no -###sponsor_partner_single -###sponsor_posts -###sponsor_right -###sponsored-bucket -###sponsored-features -###sponsored-inline -###sponsored-links -###sponsored-links-container -###sponsored-links-list -###sponsored-links-media-ads -###sponsored-listings -###sponsored-message -###sponsored-not -###sponsored-products-dp_feature_div -###sponsored-recommendations -###sponsored-resources -###sponsored-text-links -###sponsored-widget -###sponsored1 -###sponsoredAdvertisement -###sponsoredBottom -###sponsoredBox1 -###sponsoredBox2 -###sponsoredFeaturedHoz -###sponsoredHoz -###sponsoredLinks -###sponsoredLinksBox -###sponsoredLinks_Bottom -###sponsoredLinks_Top -###sponsoredList -###sponsoredResults -###sponsoredResultsWide -###sponsoredSiteMainline -###sponsoredSiteSidebar -###sponsoredTop -###sponsoredWd -###sponsored_ads -###sponsored_ads_v4 -###sponsored_container -###sponsored_content -###sponsored_game_row_listing -###sponsored_head -###sponsored_label -###sponsored_link -###sponsored_link_bottom -###sponsored_links -###sponsored_native_ad -###sponsored_news -###sponsored_option -###sponsored_v12 -###sponsoredads -###sponsoredlinks -###sponsoredlinks_cntr -###sponsoredlinks_left_wrapper -###sponsoredlinkslabel -###sponsoredresultsBottom_body -###sponsoredresults_top -###sponsoredwellcontainerbottom -###sponsoredwellcontainertop -###sponsorlink -###sponsors-block -###sponsors-home -###sponsorsBox -###sponsorsContainer -###sponsors_right_container -###sponsors_top_container -###sponsorsads1 -###sponsorsads2 -###sponsorship-box -###sponsorshipBadge -###sporsored-results -###sports_only_ads -###spotadvert -###spotadvert1 -###spotadvert2 -###spotadvert3 -###spotadvert5 -###spotlight-ad-container-block -###spotlight-ad_iframe -###spotlight-ads -###spotlightAds -###spotlight_ad -###spotlightad -###spr_ad_bg -###spreadly-advertisement-container -###sprint_ad -###sqAd -###sq_ads -###square-ad -###square-ad-box -###square-ad-slider-wrapper -###square-ad-space -###square-ad-space_btm -###square-ads -###square-sponsors -###squareAd -###squareAdBottom -###squareAdSpace -###squareAdTop -###squareAdWrap -###squareAds -###squareGoogleAd -###square_ad -###square_lat_adv -###squaread -###squareadAdvertiseHere -###squareadvert -###squared_ad -###srp_adsense-top -###ss-ad-container -###ss-ad-overlay -###ss-ads-container -###st_topads -###stageAds -###starad -###start_middle_container_advertisment -###static_textads_1 -###stationad -###sticky-ad -###sticky-ad-container -###sticky-top-ad-spacer -###sticky-top-ad-wrap -###stickyAdBlock -###stickyBottomAd -###stickySkyAd -###sticky_adv_container -###stickyad -###stickyads -###stickyleftad -###stickyrightad -###stopAdv -###stopAdvt -###story-90-728-area -###story-ad -###story-ad-a -###story-ad-b -###story-ad-top -###story-ad-wrap -###story-leaderboard-ad -###story-page-leaderboard-ad -###story-sponsoredlinks -###storyAd -###storyAdWrap -###story_ad -###story_ads -###story_main_mpu -###story_unseen_ad -###storyad2 -###storyblock-ad -###stripadv -###style_ad_bottom -###subAdsFooter -###subbgad -###subheaderAd -###submenu-ads -###subpage-ad-right -###subpage-ad-top -###subpageAd -###subpage_234x60ad -###sugarad-stitial-overlay -###super_ad -###svp-ad -###swads -###sway-banner-ad -###sway-banner-ad-container -###sway-banner-ad1 -###sweep_right_ad -###sweep_top_ad -###swfAd1 -###swfAd5 -###syn_headerad_zone -###synced-ad -###synch-ad -###systemad_background -###t7ad -###tabAdvertising -###table_ads -###taboola-above-article-thumbnails-title -###taboola-ad -###taboola-adverts -###taboola-below -###taboola-below-article-thumbnails-3rd -###taboola-content -###taboola-footer-ad -###taboola-right-rail-stream-2nd -###taboola-right-rail-thumbnails-1st -###taboola-top-banner-abp -###taboola_related -###tailResultAd -###takeover-ad -###takeover_ad -###takeoverad -###targetWeeklyAd -###targetWeeklyAdLogo -###targeted-ads -###tblAd -###tblReklama2 -###tbl_googlead -###tbo_headerads -###tcwAd -###td-GblHdrAds -###td-applet-ads_2_container -###td-applet-ads_container -###tdAds -###tdBannerTopAds -###tdGoogleAds -###td_adunit1 -###td_adunit1_wrapper -###td_adunit2 -###td_sponsorAd -###teaser-adtag-left -###teaser-adtag-right -###temp-ads -###template_ad_leaderboard -###template_affiliates -###tertiary_advertising -###test_adunit_160_article -###text-ad -###text-ads -###text-link-ads -###text-linkAD -###textAd -###textAd1 -###textAds -###textAdsTop -###text_ad -###text_ads -###text_advert -###textad -###textad3 -###textad_block -###textads_right_container -###textlink-advertisement -###textlink_ads_placeholder -###textsponsor -###tf_page_ad_content_bottom -###tgAD_imu_2 -###tgAD_imu_3 -###tgAD_imu_4 -###tgt1-Bottom-0-AdBlockPromo-Proxy -###tgt1-Col2-0-ComboAd-Proxy -###tgt1-Col2-1-ComboAd-Proxy -###tgt1-Col2-2-AdBlockPromo-Proxy -###the-last-ad-standing -###theAd -###theadsADT3 -###thefooterad -###thelistBottomAd -###themis-ads -###thheaderadcontainer -###third_party_ads -###thisisnotanad -###thistad -###thread-ad -###ti-sway-ad -###tile-ad -###tileAds -###tilia_ad -###tippytop-ad -###title-sponsor-banner -###title-wide-sponsored-by -###tmcomp_ad -###tmgAd_div_mpu_1 -###tmglBannerAd -###tmn_ad_1 -###tmn_ad_2 -###tmn_ad_3 -###tmp2_promo_ad -###tnt_ad_column -###toaster_ad -###tobsideAd -###today_ad_bottom -###toolbarSlideUpAd -###top-ad -###top-ad-970x250 -###top-ad-banner -###top-ad-container -###top-ad-content -###top-ad-desktop -###top-ad-google -###top-ad-left-spot -###top-ad-menu -###top-ad-position-inner -###top-ad-rect -###top-ad-right-spot -###top-ad-unit -###top-ad-wrapper -###top-adblock -###top-adds -###top-ads -###top-ads-1 -###top-ads-contain -###top-ads-tabs -###top-adspot -###top-advert -###top-advertisement -###top-advertisements -###top-banner-ad -###top-dfp -###top-leaderboard-ad -###top-left-ad -###top-middle-add -###top-right-ad -###top-search-ad-wrapper -###top-sidebar-ad-300x250 -###top-sponsor-ad -###top-story-ad -###top100_ad300right -###top100_ad300rightbottom -###top2_ads -###top300x250ad -###top3_ads -###top728ad -###topAD -###topAd -###topAd300x250_ -###topAd728x90 -###topAdArea -###topAdBanner -###topAdBar -###topAdBox -###topAdContainer -###topAdDropdown -###topAdHolder -###topAdSenseDiv -###topAdShow -###topAdSpace -###topAdSpace_div -###topAdWrapper -###topAdcontainer -###topAds -###topAds1 -###topAds2 -###topAdsContainer -###topAdsDiv -###topAdsG -###topAdv -###topAdvBox -###topAdvert -###topAdvert-09 -###topBanner-ad -###topBannerAd -###topBannerAdContainer -###topContentAdTeaser -###topImgAd -###topLBAd -###topLeaderAdAreaPageSkin -###topLeaderboardAd -###topMPU -###topMpuContainer -###topNavLeaderboardAdHolder -###topOpenXAdSlot -###topOverallAdArea -###topRightBlockAdSense -###topSponsoredLinks -###top_AD -###top_ad -###top_ad-sense -###top_ad_area -###top_ad_banner -###top_ad_block -###top_ad_box -###top_ad_container -###top_ad_game -###top_ad_inventory -###top_ad_parent -###top_ad_strip -###top_ad_td -###top_ad_unit -###top_ad_widget_area -###top_ad_wrapper -###top_ad_zone -###top_adblock_fix -###top_add -###top_ads -###top_ads_container -###top_ads_region -###top_ads_wrap -###top_adsense_cont -###top_adspace -###top_adv -###top_adv-v2 -###top_adv_220 -###top_adv_728 -###top_advert -###top_advert_box -###top_advertise -###top_advertising -###top_banner_ads -###top_container_ad -###top_content_ad_inner_container -###top_google_ad_container -###top_google_ads -###top_header_ad_wrapper -###top_mpu -###top_mpu_ad -###top_rectangle_ad -###top_right_ad -###top_span_ad -###top_sponsor_ads -###top_sponsor_text -###top_wide_ad -###topad -###topad-728x90 -###topad-wrap -###topad1 -###topad2 -###topad728 -###topad_holder -###topad_left -###topad_right -###topad_table -###topadbanner -###topadbanner2 -###topadbar -###topadblock -###topadcell -###topadcontainer -###topaddwide -###topadh -###topadone -###topads-spacer -###topads-wrapper -###topadsblock -###topadsdiv -###topadsense -###topadspace -###topadvert -###topadvertisements -###topadvertisementwrapper -###topadwrap -###topadz -###topadzone -###topbanner_ad -###topbanner_sponsor -###topbannerad -###topbanneradtitle -###topbar-ad -###topbarAd -###topbar_Adc1_AdContainer -###topbarads -###topcustomad -###topheader_ads -###topicPageAdsense -###topleaderAd -###topleaderboardad -###topnav-ad-shell -###topnavad -###toppannonse -###topright-ad -###toprightAdvert -###toprightad -###toprow-ad -###topsidebar-ad -###topsponad -###topsponsorads -###topsponsored -###toptextad -###tour300Ad -###tour728Ad -###tourSponsoredLinksContainer -###tower1ad -###towerAdContainer -###towerad -###tr-ad -###tr-ad-mpu01 -###tr-ad-mpu02 -###tr-adv-banner -###trafficrevenue2 -###transparentad -###travel_ad -###trc_google_ad -###trendex-sponsor-ad -###trib2-footer-ad-back -###trib2-leaderboard-ad-back -###tripleAdInner -###tripleAdOuter -###ts-ad_module -###tsad1 -###tsad2 -###ttp_ad_slot1 -###ttp_ad_slot2 -###tube_ad -###turnAD -###tut_ads -###tvd-ad-top -###twogamesAd -###txfPageMediaAdvertVideo -###txtAdcontainer2 -###txtTextAd -###txt_link_ads -###txtads -###ucfooterad -###ugly-ad -###ui-about-these-ads-img -###ultraWideAdContainer -###underPlayerAd -###under_content_ad -###under_story_ad -###undergameAd -###universalAdContainer -###uploadMrecAd -###upper-ads -###upperAdvertisementImg -###upperMpu -###upperRightAds -###upper_adbox -###upper_advertising -###upper_small_ad -###upperad -###urban_contentad_1 -###urban_contentad_2 -###urban_contentad_article -###usa_ad_728x90 -###usenetAdsTable -###uvp_ad_container -###uzcrsite -###vListAds -###v_ad -###vap_adsense-top -###variant_adsLazyLoad -###vc_side_ad -###vdiAd -###vdls-adv -###vdls-advs -###vert-ads -###vertAd2 -###vert_ad -###vert_ad_placeholder -###vertad1 -###verticalAds -###vertical_ad -###vertical_ads -###vhDivAdSlot300x250 -###vid-left-ad -###vid-right-ad -###vidAdBottom -###vidAdRight -###vidAdTop -###video-ad -###video-ad-companion-rectangle -###video-adv -###video-adv-300 -###video-adv-wrapper -###video-coverage-ad-300x250 -###video-embed-ads -###video-header-advert -###video-in-player-ad -###video-in-player-ad-container -###video-under-player-ad -###videoAd -###videoAdContainer -###videoAdvert -###videoCompanionAd -###videoPauseAd -###videoPlayerAdLayer -###video_ads_background -###video_ads_overdiv -###video_adv -###video_advert -###video_advert2 -###video_advert3 -###video_advert_top -###video_cnv_ad -###video_embed_ads -###video_hor_bottom_ads -###video_overlay_ad -###video_vert_right_ads -###videoadlogo -###videoads -###videopageadblock -###view-photo-ad -###viewAd1 -###view_ads_bottom_bg -###view_ads_bottom_bg_middle -###view_ads_content_bg -###view_ads_top_bg -###view_ads_top_bg_middle -###view_adtop -###viewer-ad-bottom -###viewer-ad-top -###viewer_ads_wrapper -###viewportAds -###viewvid_ad300x250 -###visual-ad -###votvAds_inner -###vsw-ads -###vsw_ad -###vuukle_ads_square2 -###wTopAd -###wXcds12-ad -###wallAd -###wall_advert -###wallpaper-ad-link -###wallpaperAd_left -###wallpaperAd_left3 -###wallpaperAd_right -###wallpaperAd_right2 -###wallpaperAd_right2_1 -###wallpaper_flash_ad -###wallpaper_header_ad -###walltopad -###watch-now-ad -###watch7-sidebar-ads -###watch_sponsored -###wd_ads -###weather-ad -###weather_sponsor -###weatherad -###weblink_ads_container -###websearchAdvert -###welcomeAdsContainer -###welcome_ad -###welcome_ad_mrec -###welcome_advertisement -###wf_ContentAd -###wf_FrontSingleAd -###wf_SingleAd -###wf_bottomContentAd -###wg_ads -###wgtAd -###wh_ad_4 -###whatsnews_footer_ad -###whatsnews_top_ad -###whitepaper-ad -###whoisRightAdContainer -###whoisRightAdContainerBottom -###whoisRightAdContainerTop -###wibiyaAdRotation -###wibiyaToolbarAdUnitFlash -###wide-ad -###wideAdd -###wide_ad_unit -###wide_ad_unit2 -###wide_ad_unit_2 -###wide_ad_unit_top -###wide_ad_unit_up -###wide_adv -###wide_right_ad -###wideskyscraper_160x600_left -###wideskyscraper_160x600_right -###widget-ads-3 -###widget-ads-4 -###widget-adv-12 -###widget-box-ad-1 -###widget-box-ad-2 -###widget-style-ad -###widgetADT3 -###widget_Adverts -###widget_ad -###widget_advertisement -###widget_thrive_ad_default-2 -###widget_thrive_ad_default-4 -###widgetwidget_adserve2 -###wl-pencil-ad -###wog-300x250-ads -###wow-ads -###wp-insert-ad-widget-1 -###wp-topAds -###wp125adwrap_2c -###wp_ad_marker -###wp_ads_gpt_widget-16 -###wp_ads_gpt_widget-17 -###wp_ads_gpt_widget-18 -###wp_ads_gpt_widget-19 -###wp_ads_gpt_widget-21 -###wp_ads_gpt_widget-4 -###wp_ads_gpt_widget-5 -###wp_pro_ad_system_ad_zone -###wrapAd -###wrapAdRight -###wrapAdTop -###wrapCommentAd -###wrapperAdsTopLeft -###wrapperAdsTopRight -###wrapperRightAds -###wrapper_ad_Top -###wrapper_ad_island2 -###wrapper_sponsoredlinks -###wsAdWrapper -###x-ad-item-themed-skyscraper-placekeeper -###x-houseads -###x01-ad -###x300_ad -###xColAds -###xadtop -###xlAd -###xybrad -###y-ad-units -###y708-ad-expedia -###y708-ad-lrec -###y708-ad-partners -###y708-ad-ysm -###y708-advertorial-competitions -###y708-advertorial-marketplace -###yahoo-ads -###yahoo-ads-content -###yahoo-sponsors -###yahooAdsBottom -###yahooSponsored -###yahoo_ad -###yahoo_ad_contanr -###yahoo_ads -###yahoo_sponsor_links -###yahoo_sponsor_links_title -###yahoo_text_ad -###yahooad-tbl -###yahooads -###yan-advert-north -###yan-advert-nt1 -###yan-question-advert -###yan-sponsored -###yatadsky -###ybf-ads -###yfi-sponsor -###yfi_ads_4x4 -###yfi_fp_ad_fx -###yfi_fp_ad_mort -###yfi_fp_ad_nns -###yfi_pf_ad_mort -###ygrp-sponsored-links -###yieldaddiv -###ylf-lrec -###ylf-lrec2 -###ymap_adbanner -###yn-gmy-ad-lrec -###yom-ad-tbs-as -###ypaAdWrapper-BottomAds -###ypaAdWrapper-TopAds -###yrail_ads -###yreSponsoredLinks -###ysm_ad_iframe -###yt-adsfull-widget-2 -###yt-adsfull-widget-3 -###yw-sponsoredad -###zMSplacement1 -###zMSplacement2 -###zMSplacement3 -###zMSplacement4 -###zMSplacement5 -###zMSplacement6 -###zag_square_ad -###zoneAdserverMrec -###zoneAdserverSuper -###zoneAdvertisment -###zone_a_ad -###zone_b_ad -###zone_c_ads -###zztextad -##.AD-POST -##.AD-RC-300x250 -##.AD-Rotate -##.AD-label300x250 -##.AD300 -##.AD300Block -##.AD300x600-wrapper -##.AD355125 -##.AD728 -##.ADBAR -##.ADBnrArea -##.ADBox -##.ADCLOUD -##.ADFooter -##.ADITION -##.ADInfo -##.ADLeader -##.ADMiddle1 -##.ADPod -##.ADS-Content-Sidebar -##.ADS-MainContent -##.ADServer -##.ADStyle -##.ADTextSingle -##.ADV-Space -##.AD_2 -##.AD_300x100 -##.AD_300x250 -##.AD_300x265 -##.AD_302x252 -##.AD_ALBUM_ITEMLIST -##.AD_Leaderboard -##.AD_MOVIE_ITEM -##.AD_MOVIE_ITEMLIST -##.AD_MOVIE_ITEMROW -##.AD_area -##.AD_mid300 -##.AD_textinfo -##.AD_underpost -##.ADbox -##.ADmid -##.ADouter_div -##.ADwidget -##.A__smallSuperbannerAdvert-main -##.AcceptableTextAds -##.Accordion_ad -##.Ad--header -##.Ad--sidebar -##.Ad-300x100 -##.Ad-Container -##.Ad-Container-976x166 -##.Ad-Header -##.Ad-IframeWrap -##.Ad-MPU -##.Ad-Wrapper-300x100 -##.Ad-label -##.Ad120x600 -##.Ad160x600 -##.Ad160x600left -##.Ad160x600right -##.Ad247x90 -##.Ad300 -##.Ad300x -##.Ad300x250 -##.Ad300x250L -##.Ad300x250_top -##.Ad728x90 -##.AdBar -##.AdBody:not(body) -##.AdBorder -##.AdBox -##.AdBox160 -##.AdBox7 -##.AdBox728 -##.AdBoxStyle -##.AdBoxStyleHome -##.AdCaption -##.AdCommercial -##.AdContainer160x600 -##.AdContainerBottom -##.AdContainerBox308 -##.AdContainerModule -##.AdFrameLB -##.AdGraph -##.AdGrayBox -##.AdHeader -##.AdHere -##.AdHolder -##.AdIndicator -##.AdInfo -##.AdInjectContainer -##.AdInline -##.AdInline_left -##.AdLeft1 -##.AdLeft2 -##.AdLeftbarBorderStyle -##.AdMedium -##.AdMessage -##.AdModule -##.AdModule_Content -##.AdModule_ContentLarge -##.AdModule_Hdr -##.AdMultiPage -##.AdPanel -##.AdPlaceHolder -##.AdProS728x90Container -##.AdProduct -##.AdRight1 -##.AdRight2 -##.AdRingtone -##.AdScriptBox -##.AdSectionHeader -##.AdSense -##.AdSenseLeft -##.AdSense_Header -##.AdSense_Sidebar -##.AdSidebar -##.AdSlot -##.AdSlotHeader -##.AdSlot__Commercial -##.AdSpace -##.AdTextSmallFont -##.AdTitle -##.AdTop -##.AdUnit -##.AdUnit300 -##.AdUnit300x250 -##.AdUnitBox -##.AdWidget_ImageWidget -##.AdZone120 -##.AdZone316 -##.Ad_120x600 -##.Ad_120x600_holder -##.Ad_160x600_holder -##.Ad_160x600_inner -##.Ad_300x250 -##.Ad_300x250_holder -##.Ad_468x60 -##.Ad_728x90 -##.Ad_728x90_holder -##.Ad_C -##.Ad_D -##.Ad_D_Wrapper -##.Ad_E_Wrapper -##.Ad_Label -##.Ad_Label_foursquare -##.Ad_Right -##.Ad_Tit -##.Ad_container -##.Adbuttons -##.Adbuttons-sidebar -##.AdnetBox -##.Ads-768x90 -##.Ads2x1000 -##.AdsBottom -##.AdsBottom336X280 -##.AdsBoxBottom -##.AdsBoxSection -##.AdsBoxTop -##.AdsLeft_list -##.AdsLinks1 -##.AdsLinks2 -##.AdsPlayRight_list -##.AdsRec -##.Ads_3 -##.Ads_4 -##.Ads_forum -##.Adsense -##.AdsenseBox -##.AdsenseBoxCenter -##.AdsenseDivFooter -##.AdsenseDownload -##.AdsenseForum -##.AdsenseLarge -##.AdsenseTechsupport -##.Adspottop -##.Adtext -##.Adv300x250 -##.Adv300x250Box -##.Adv468 -##.AdvBoxSidebar -##.Adv_Left -##.Advert300x250 -##.AdvertContainer -##.AdvertMidPage -##.AdvertiseWithUs -##.Advertisehere2 -##.AdvertisementText -##.AdvertisementTextTag -##.AdvertisementTop -##.Advertisment -##.AdvertorialTeaser -##.Advman_Widget -##.Advrt -##.Advrt_desktop -##.AdvtNews -##.AdvtSample -##.AdvtSample2 -##.AdvtSample4 -##.AffAD -##.AffiliateAds -##.AmazonSimpleAdmin_widget -##.ArticleAd -##.ArticleInlineAd -##.ArticleLeaderboard_ad -##.BCA_Advertisement -##.BGoogleAds300 -##.BOT-ADS -##.Banner300x250 -##.Banner468X60 -##.BannerAD728 -##.BannerAd -##.Banner_Group -##.Banner_Group_Ad_Label -##.BigBoxAd -##.BigBoxAdLabel -##.BlockAd -##.BlueTxtAdvert -##.BottomAdContainer -##.BottomAffiliate -##.BottomGoogleAds -##.BoxAd -##.BoxAdWrap -##.BoxSponsorBottom -##.BtmAd -##.BtmSponsAd -##.ButtonAd -##.CG_adkit_leaderboard -##.CG_details_ad_dropzone -##.CWReviewsProdInfoAd -##.Cheat__footer-ad-container -##.Cheat__outbrain -##.CollisionAdMarker -##.ComAread -##.CommentAd -##.CommentGoogleAd -##.ContentAd -##.ContentAd2 -##.ContentAds -##.DAWRadvertisement -##.DartAdvert -##.DeptAd -##.DetachedAd -##.DetailAds -##.DisplayAd -##.DomAdsDiv -##.DoubleClickRefreshable -##.EzAdsLUPro -##.EzAdsSearchPro -##.EzAdsWidget -##.FT_Ad -##.FeaturedAdIndexAd -##.FlatAds -##.FlowersAdContainer -##.FooterAdContainer -##.FooterAds -##.FooterTileAdOuter_Div -##.Footer_AD_Links_DIV -##.Footer_Default_AD_Message_DIV -##.GAME_Ad160x600 -##.GOOGLE_AD -##.G_ads -##.G_ads_m -##.GalleryViewerAdSuppress -##.GetRightAds -##.GoogleAd -##.GoogleAdInfo -##.GoogleAdSencePanel -##.GoogleAdSenseBottomModule -##.GoogleAdSenseRightModule -##.GoogleAdWords_container -##.GoogleAdsBox -##.GoogleAdsItem -##.GoogleAdv -##.Googleads728 -##.GreenHomeAd -##.GridHouseAdRight -##.HGLoneAdTitleFrame -##.HPG_Ad_B -##.HPNewAdsBannerDiv -##.HPRoundedAd -##.HeaderAd -##.HeaderAds -##.HeaderBannerAd -##.HeaderLeaderAd -##.HeadingAdSpace -##.HomeAd1Label -##.HomeAds -##.HomeContentAd -##.HomePageAD -##.HomeSidebarAd -##.Hotels-Results-InlineAd -##.IABAdSpace -##.IM_ad_unit -##.InArticleAd -##.IndexRightAd -##.InternalAdPanel1 -##.JobListMidAd -##.LL_Widget_Advertorial -##.LN_Related_Posts_bottom_adv -##.LargeOuterBoxAdsense -##.LargeRightAd -##.LastAd -##.LazyLoadAd -##.LeaderAd -##.LeaderAdvertisement -##.LeaderBoardAd -##.LeaderboardAdTagWidget -##.LeftAd -##.LeftButtonAdSlot -##.LeftTowerAd -##.LeftWideSkyscraperAdPanel -##.Left_Content_Google_Ad -##.Ligatus -##.Loge_AD -##.LoungeAdsBottomLinks -##.M2Advertisement -##.MBoxAdM -##.MBoxAdMain -##.MBoxAdR -##.MBoxAdRight -##.MDCadSummary -##.MD_adZone -##.MOS-ad-hack -##.MPUHolder -##.MPUTitleWrapperClass -##.MPUad -##.MREC_ads -##.M__leaderboardAdvert-image -##.MadClose -##.MainAdCont -##.Main_right_Adv_incl -##.MarketGid_container -##.MasterLeftContentColumnThreeColumnAdLeft -##.MbanAd -##.MedRecAD-border -##.MediumRectangleAdPanel -##.MiddleAd -##.MiddleAdContainer -##.MiddleAdvert -##.MiddleRightRadvertisement -##.MspAd -##.NAPmarketAdvert -##.NGOLocalFooterAd -##.NavBarAd -##.NewsAds -##.OAS_position_TopLeft -##.OSOasAdModule -##.OSProfileAdSenseModule -##.OpaqueAdBanner -##.OpenXad -##.OuterAdvertisingContainer -##.PERFORMANCE_AD_COMPLETE -##.PERFORMANCE_AD_RELATED -##.PU_DoubleClickAdsContent -##.PencilAd -##.Post5ad -##.Post8ad -##.Post9ad -##.PostSidebarAd -##.PremiumObitAdBar -##.ProductAd -##.PushDownAdPane -##.PushdownAd -##.RBboxAd -##.RC-AD -##.RGAdBoxMainDiv -##.RHR-ADS -##.RR_ad -##.RW_ad300 -##.RectangleAd -##.RelatedAds -##.ResponsiveAd -##.Right-Column-AD-Container -##.Right300x250AD -##.RightAd -##.RightAd1 -##.RightAd2 -##.RightAdvertiseArea -##.RightAdvertisement -##.RightGoogleAFC -##.RightGoogleAd -##.RightRailAd -##.RightRailAdbg -##.RightRailAdtext -##.RightRailTop300x250Ad -##.RightSponsoredAdTitle -##.RightTowerAd -##.SBAArticle -##.SBABottom -##.SBABottom1 -##.SBAInHouse -##.SBAMR -##.SBARightBottom -##.SBARightTop -##.SBATier1 -##.SBATier2 -##.SBATier3 -##.SBAUA -##.SIM_ad_140x140_homepage_tv_promo -##.SRPads -##.STR_AdBlock -##.SecondaryAd -##.SecondaryAdLink -##.SectionSponsor -##.ShootingAd -##.ShootingAdLeft -##.ShowAdDisplay -##.SideAd -##.SideAdCol -##.SideAds -##.SidebarAd -##.SidebarAdvert -##.SidebarMiddleAdContainer -##.SidekickItem-Ads -##.SimpleAcceptableTextAds -##.SimpleAcceptebleTextAds -##.SitesGoogleAdsModule -##.Sitewide_AdLabel -##.SkyAdContainer -##.SkyAdContent -##.SkyScraperAd -##.SkyscraperAD-border -##.SmartAdZoneList -##.Sponsor-container -##.SponsorAds -##.SponsorHeader -##.SponsorIsland -##.SponsorLink -##.SponsoredAdTitle -##.SponsoredArticleAd -##.SponsoredContent -##.SponsoredLinkItemTD -##.SponsoredLinks -##.SponsoredLinksGrayBox -##.SponsoredLinksModule -##.SponsoredLinksPadding -##.SponsoredLinksPanel -##.SponsoredResults -##.Sponsored_link -##.SponsorshipText -##.SquareAd -##.Squareadspot -##.StandardAdLeft -##.StandardAdRight -##.TOP-ADS -##.TRADING_AD_RELATED -##.TRU-onsite-ads-leaderboard -##.TTButtAd -##.Tadspacemrec -##.TextAd -##.TextAdds -##.TheEagleGoogleAdSense300x250 -##.ThreeAds -##.TimelineAd -##.TmnAdsense -##.TopAd -##.TopAdContainer -##.TopAdL -##.TopAdR -##.TopAds -##.TopBannerAd -##.TopLeaderboardAdPanel -##.TopRightRadvertisement -##.Top_Ad -##.TrafficAd -##.UFSquareAd -##.UIStandardFrame_SidebarAds -##.UIWashFrame_SidebarAds -##.UnderAd -##.UpperAdsContainer -##.VerticalAd -##.Video-Ad -##.VideoAd -##.WPBannerizeWidget -##.WP_Widget_Ad_manager -##.WideAdContainer -##.WideAdTile -##.WideAdsLeft -##.WidgetAdvertiser -##.WiredWidgetsDartAds -##.WiredWidgetsGoogleAds -##.WithAds -##.XEad -##.YEN_Ads_120 -##.YEN_Ads_125 -##.ZventsSponsoredLabel -##.ZventsSponsoredList -##.__xX20sponsored20banners -##._ap_adrecover_ad -##._articleAdvert -##._bannerAds -##._bottom_ad_wrapper -##._fullsquaread -##._iub_cs_activate_google_ads -##._top_ad_wrapper -##.a-ad -##.a-d-container -##.a160x600 -##.a300x250 -##.a468x60 -##.a728x90 -##.aa_AdAnnouncement -##.aa_ad-160x600 -##.aa_ad-728x15 -##.aa_sb_ad_300x250 -##.aadsection_b1 -##.aadsection_b2 -##.ab-prompt -##.abAdArea -##.abAdPositionBoxB -##.abBoxAd -##.ablock300 -##.ablock468 -##.ablock728 -##.about_adsense -##.above-header-advert -##.aboveCommentAdBladeWrapper -##.aboveCommentAds -##.aboveCommentAdsWrapper -##.above_discussion_ad -##.above_miniscore_ad -##.abovead -##.absoluteAd_wss -##.ac_adbox -##.ac_adbox_inner -##.acm_ad_zones -##.ad--300 -##.ad--300x250 -##.ad--468 -##.ad--468-60 -##.ad--728x90 -##.ad--article-top -##.ad--b -##.ad--bottom-label -##.ad--bottommpu -##.ad--c -##.ad--dart -##.ad--e -##.ad--footer -##.ad--google -##.ad--homepage-mrec -##.ad--homepage-top -##.ad--inner -##.ad--just-in-feed -##.ad--large -##.ad--leaderboard -##.ad--mpu -##.ad--noscroll -##.ad--pushdown -##.ad--right -##.ad--scroll -##.ad--showmob -##.ad--square-rectangle -##.ad--top-label -##.ad--top-leaderboard -##.ad--top-slot -##.ad-1 -##.ad-120-60 -##.ad-120-600-inner -##.ad-120x60 -##.ad-120x600 -##.ad-120x90 -##.ad-125 -##.ad-125x125 -##.ad-140x45-2 -##.ad-150 -##.ad-160 -##.ad-160-160 -##.ad-160-600 -##.ad-160x600 -##.ad-160x600-gallery -##.ad-160x600-home -##.ad-160x600-wrap -##.ad-160x600x1 -##.ad-160x600x2 -##.ad-160x600x3 -##.ad-194 -##.ad-2 -##.ad-200 -##.ad-200-big -##.ad-200-small -##.ad-200x200 -##.ad-228x94 -##.ad-230x90 -##.ad-234 -##.ad-246x90 -##.ad-250 -##.ad-250x125 -##.ad-250x300 -##.ad-260x60 -##.ad-270x100 -##.ad-300 -##.ad-300-250 -##.ad-300-250-600 -##.ad-300-600 -##.ad-300-b -##.ad-300-b-absolute -##.ad-300-block -##.ad-300-blog -##.ad-300-dummy -##.ad-300-flex -##.ad-300x -##.ad-300x100 -##.ad-300x200 -##.ad-300x250 -##.ad-300x250-first -##.ad-300x250-home -##.ad-300x250-right0 -##.ad-300x250-section -##.ad-300x250-singlepost -##.ad-300x250_600x250 -##.ad-300x600 -##.ad-300x70 -##.ad-300x75 -##.ad-319x128 -##.ad-336x280 -##.ad-336x280B -##.ad-350 -##.ad-355x75 -##.ad-3x1 -##.ad-4 -##.ad-468 -##.ad-468x120 -##.ad-468x60 -##.ad-5 -##.ad-544x250 -##.ad-560 -##.ad-6 -##.ad-600 -##.ad-635x40 -##.ad-7 -##.ad-720-affiliate -##.ad-728 -##.ad-728-90 -##.ad-728-banner -##.ad-728x90 -##.ad-728x90-1 -##.ad-728x90-top -##.ad-728x90-top0 -##.ad-728x90_forum -##.ad-768 -##.ad-88-60 -##.ad-88-text -##.ad-88x31 -##.ad-90x600 -##.ad-970 -##.ad-970x50 -##.ad-970x90 -##.ad-980-1 -##.ad-BANNER -##.ad-CUSTOM -##.ad-E -##.ad-LREC -##.ad-LREC2 -##.ad-Leaderboard -##.ad-MPU -##.ad-MediumRectangle -##.ad-PENCIL -##.ad-RR -##.ad-S -##.ad-Square -##.ad-SuperBanner -##.ad-TOPPER -##.ad-W -##.ad-a -##.ad-abc -##.ad-above-header -##.ad-adSense -##.ad-adcode -##.ad-adlink-bottom -##.ad-adlink-side -##.ad-adsense-block-250 -##.ad-after-content -##.ad-alsorectangle -##.ad-alternative -##.ad-amongst-container -##.ad-area -##.ad-area-small -##.ad-article-breaker -##.ad-atf -##.ad-atf-medRect -##.ad-b -##.ad-background -##.ad-background-intra-body -##.ad-banner -##.ad-banner-300 -##.ad-banner-bkgd -##.ad-banner-container -##.ad-banner-image -##.ad-banner-label -##.ad-banner-leaderboard -##.ad-banner-placeholder -##.ad-banner-smaller -##.ad-banner-top -##.ad-banner-top-wrapper -##.ad-banner-vertical -##.ad-banner-wrapper -##.ad-banner728-top -##.ad-banr -##.ad-bar -##.ad-below-images -##.ad-below-player -##.ad-belowarticle -##.ad-bg -##.ad-big -##.ad-big-box -##.ad-bigbox -##.ad-bigboxSub -##.ad-bigsize -##.ad-billboard -##.ad-bline -##.ad-block -##.ad-block-240x400 -##.ad-block-300-widget -##.ad-block-300x250 -##.ad-block-big -##.ad-block-bottom -##.ad-block-clear-back -##.ad-block-holder -##.ad-block-in-post -##.ad-block-square -##.ad-block-wide -##.ad-blog2biz -##.ad-blogads -##.ad-board -##.ad-body -##.ad-boombox -##.ad-border -##.ad-bordered -##.ad-borderless -##.ad-bot -##.ad-bottom -##.ad-bottom-container -##.ad-bottom728x90 -##.ad-bottomLeft -##.ad-bottomleader -##.ad-bottomline -##.ad-box-300x250 -##.ad-box-adsea -##.ad-box-caption -##.ad-box-container -##.ad-box-up -##.ad-box1 -##.ad-box2 -##.ad-box3 -##.ad-boxbottom -##.ad-boxes -##.ad-boxtop -##.ad-break -##.ad-breaker -##.ad-breakout -##.ad-browse-rectangle -##.ad-bt -##.ad-btn -##.ad-btn-heading -##.ad-bug-300w -##.ad-button -##.ad-buttons -##.ad-cad -##.ad-calendar -##.ad-call-300x250 -##.ad-callout -##.ad-caption -##.ad-card -##.ad-card-container -##.ad-cat -##.ad-catfish -##.ad-cell -##.ad-center -##.ad-chartbeatwidget -##.ad-choices -##.ad-circ -##.ad-click -##.ad-cluster -##.ad-cluster-container -##.ad-codes -##.ad-col -##.ad-col-02 -##.ad-column -##.ad-comment -##.ad-companion -##.ad-contain -##.ad-contain-300x250 -##.ad-contain-top -##.ad-container--featured_videos -##.ad-container--stripe -##.ad-container--taboola -##.ad-container-160x600 -##.ad-container-300x250 -##.ad-container-728 -##.ad-container-728x90 -##.ad-container-994x282 -##.ad-container-LEADER -##.ad-container-bot -##.ad-container-bottom -##.ad-container-dk -##.ad-container-embedded -##.ad-container-leaderboard -##.ad-container-left -##.ad-container-responsive -##.ad-container-right -##.ad-container-side -##.ad-container-tool -##.ad-container-top -##.ad-container-topad -##.ad-container__ad-slot -##.ad-container_row -##.ad-content -##.ad-content-area -##.ad-content-rectangle -##.ad-context -##.ad-curtain -##.ad-custom-size -##.ad-d -##.ad-defer -##.ad-desktop -##.ad-desktop-only -##.ad-dfp-column -##.ad-dfp-row -##.ad-disclaimer -##.ad-display -##.ad-div -##.ad-diver -##.ad-divider -##.ad-dt -##.ad-dynamic-showcase-top -##.ad-e -##.ad-embedded -##.ad-enabled -##.ad-engage -##.ad-entry-wrapper -##.ad-exchange -##.ad-expand -##.ad-external -##.ad-f-monster -##.ad-fadein -##.ad-fadeup -##.ad-feature-content -##.ad-feature-sponsor -##.ad-feature-text -##.ad-feedback -##.ad-field -##.ad-filler -##.ad-fix -##.ad-flag -##.ad-flex -##.ad-footer -##.ad-footer-empty -##.ad-footer-leaderboard -##.ad-force-center -##.ad-forum -##.ad-full-width -##.ad-fullbanner -##.ad-fullbanner-btf-container -##.ad-google -##.ad-google-contextual -##.ad-gpt -##.ad-gpt-breaker -##.ad-gpt-container -##.ad-gpt-main -##.ad-gpt-vertical -##.ad-graphic-large -##.ad-gray -##.ad-grey -##.ad-grid-125 -##.ad-grid-container -##.ad-group -##.ad-grp -##.ad-hdr -##.ad-head -##.ad-header -##.ad-header-container -##.ad-header-pencil -##.ad-header-sidebar -##.ad-heading -##.ad-headliner-container -##.ad-here -##.ad-hide-mobile -##.ad-hideable -##.ad-hldr-tmc -##.ad-hold -##.ad-holder -##.ad-home-bottom -##.ad-home-right -##.ad-homeleaderboard -##.ad-homepage -##.ad-homepage-1 -##.ad-homepage-2 -##.ad-homepage-one -##.ad-hor -##.ad-horizontal -##.ad-horizontal-top -##.ad-hpto -##.ad-iab-txt -##.ad-icon -##.ad-identifier -##.ad-iframe -##.ad-imagehold -##.ad-img -##.ad-img300X250 -##.ad-in-300x250 -##.ad-in-content-300 -##.ad-in-post -##.ad-in-results -##.ad-incontent-ad-plus-bottom -##.ad-incontent-ad-plus-middle -##.ad-incontent-ad-plus-middle2 -##.ad-incontent-ad-plus-middle3 -##.ad-incontent-ad-plus-top -##.ad-incontent-wrap -##.ad-index -##.ad-index-main -##.ad-indicator-horiz -##.ad-inline -##.ad-inline-article -##.ad-inner -##.ad-innr -##.ad-inpage-video-top -##.ad-insert -##.ad-inserter -##.ad-inserter-widget -##.ad-integrated-display -##.ad-internal -##.ad-interruptor -##.ad-interstitial -##.ad-intromercial -##.ad-island -##.ad-item -##.ad-item-related -##.ad-label -##.ad-lable -##.ad-landscape -##.ad-large-game -##.ad-layer -##.ad-lazy-support-yes -##.ad-lb -##.ad-lead -##.ad-lead-bottom -##.ad-leader -##.ad-leader-bottom -##.ad-leader-plus-top -##.ad-leader-top -##.ad-leader-wrap -##.ad-leader-wrapper -##.ad-leaderboard -##.ad-leaderboard-companion -##.ad-leaderboard-container -##.ad-leaderboard-marquee -##.ad-leaderboard-top -##.ad-leaderboard_river -##.ad-leaderbody -##.ad-leaderheader -##.ad-leadtop -##.ad-left -##.ad-left3 -##.ad-leftrail -##.ad-line -##.ad-link -##.ad-link-label -##.ad-link-left -##.ad-link-right -##.ad-links -##.ad-links-text -##.ad-loaded -##.ad-location -##.ad-location-container -##.ad-location-header -##.ad-lock -##.ad-lock-content -##.ad-lower_rec -##.ad-lower_river -##.ad-lowerboard -##.ad-lrec -##.ad-mad -##.ad-main -##.ad-manager-ad -##.ad-marker -##.ad-marketplace -##.ad-marketplace-horizontal -##.ad-marketswidget -##.ad-marquee -##.ad-med -##.ad-med-rec -##.ad-med-rect -##.ad-med-rect-tmp -##.ad-medRec -##.ad-media-marquee -##.ad-media-marquee-btn -##.ad-medium -##.ad-medium-rectangle -##.ad-medium-two -##.ad-medrect -##.ad-megaboard -##.ad-message -##.ad-messaging -##.ad-mid-article-container -##.ad-midleader -##.ad-mobile -##.ad-mobile-banner -##.ad-mod -##.ad-module -##.ad-mpl -##.ad-mpu -##.ad-mpu-bottom -##.ad-mpu-container -##.ad-mpu-middle -##.ad-mpu-middle2 -##.ad-mpu-placeholder -##.ad-mpu-plus-top -##.ad-mpu-top -##.ad-mpu__aside -##.ad-mpufixed -##.ad-mrec -##.ad-mrect -##.ad-msg -##.ad-msgunit -##.ad-msn -##.ad-national-1 -##.ad-native-dfp -##.ad-new -##.ad-no-style -##.ad-noBorderAndMargin -##.ad-noline -##.ad-note -##.ad-notice -##.ad-notice-small -##.ad-on -##.ad-one -##.ad-other -##.ad-outlet -##.ad-output-middle -##.ad-output-wrapper -##.ad-outside -##.ad-overlay -##.ad-packs -##.ad-padding -##.ad-page-leader -##.ad-page-medium -##.ad-pagehead -##.ad-panel -##.ad-panel__container -##.ad-panel__container--styled -##.ad-panel__googlead -##.ad-panorama -##.ad-parallax-wrap -##.ad-parent-hockey -##.ad-passback-o-rama -##.ad-pb -##.ad-peg -##.ad-permalink -##.ad-personalise -##.ad-place -##.ad-place-active -##.ad-place-holder -##.ad-placeholder -##.ad-placement -##.ad-plea -##.ad-pos-top -##.ad-position -##.ad-position-1 -##.ad-post -##.ad-post300X250 -##.ad-postText -##.ad-poster -##.ad-prevent-jump -##.ad-primary -##.ad-primary-sidebar -##.ad-priority -##.ad-pro70 -##.ad-promo -##.ad-promoted-game -##.ad-push -##.ad-pushdown -##.ad-r -##.ad-rail -##.ad-rect -##.ad-rect-atf-01 -##.ad-rect-top-right -##.ad-rectangle -##.ad-rectangle-banner -##.ad-rectangle-container -##.ad-rectangle-long -##.ad-rectangle-long-sky -##.ad-rectangle-text -##.ad-rectangle-wide -##.ad-rectangle-xs -##.ad-refresh -##.ad-region -##.ad-region-delay-load -##.ad-region__top -##.ad-related -##.ad-relatedbottom -##.ad-resource-center-top -##.ad-responsive-wide -##.ad-rh -##.ad-ri -##.ad-right -##.ad-right-header -##.ad-right-txt -##.ad-right1 -##.ad-right2 -##.ad-right3 -##.ad-roadblock -##.ad-rotation -##.ad-row -##.ad-row-viewport -##.ad-s -##.ad-s-rendered -##.ad-sample -##.ad-scl -##.ad-script-processed -##.ad-scroll -##.ad-scrollpane -##.ad-search-grid -##.ad-section -##.ad-section-body -##.ad-sense -##.ad-sep -##.ad-served -##.ad-sharethrough-top -##.ad-shifted -##.ad-show-label -##.ad-show-text -##.ad-showcase -##.ad-side -##.ad-side-one -##.ad-sidebar -##.ad-sidebar-180-150 -##.ad-sidebar-300-250 -##.ad-sidebar-ad-message -##.ad-sidebar-border -##.ad-sidebar-outer -##.ad-sidebar300 -##.ad-sidebar_right_above -##.ad-sidebar_right_below -##.ad-siderail -##.ad-signup -##.ad-sitewide -##.ad-sky -##.ad-sky-left -##.ad-sky-right -##.ad-sky-wrap -##.ad-skyscr -##.ad-skyscraper -##.ad-skyscraper-label -##.ad-skyscraper1 -##.ad-skyscraper2 -##.ad-skyscraper3 -##.ad-slider -##.ad-slot -##.ad-slot--inline -##.ad-slot--mpu-banner-ad -##.ad-slot-1 -##.ad-slot-2 -##.ad-slot-234-60 -##.ad-slot-300-250 -##.ad-slot-728-90 -##.ad-slot-a -##.ad-slot-banner -##.ad-slot-container -##.ad-slot-sidebar -##.ad-slot-sidebar-b -##.ad-slot-tall -##.ad-slot-top-728 -##.ad-slot__label -##.ad-slot__oas -##.ad-slug -##.ad-smallBP -##.ad-source -##.ad-sp -##.ad-space -##.ad-space-mpu-box -##.ad-space-topbanner -##.ad-spacer -##.ad-span -##.ad-speedbump -##.ad-splash -##.ad-sponsor -##.ad-sponsor-large-container -##.ad-sponsor-text -##.ad-sponsored-feed-top -##.ad-sponsored-links -##.ad-sponsored-post -##.ad-sponsors -##.ad-spot -##.ad-spotlight -##.ad-square -##.ad-square2-container -##.ad-square300 -##.ad-squares -##.ad-stack -##.ad-statement -##.ad-sticky -##.ad-story-inject -##.ad-story-top -##.ad-strip -##.ad-subnav-container -##.ad-subtitle -##.ad-superbanner -##.ad-t -##.ad-table -##.ad-tabs -##.ad-tag -##.ad-tag-square -##.ad-tall -##.ad-target2-wrapper -##.ad-text -##.ad-text-blockA01 -##.ad-text-blockB01 -##.ad-text-label -##.ad-text-link -##.ad-text-links -##.ad-text-placeholder-3 -##.ad-textG01 -##.ad-textads -##.ad-textlink -##.ad-thanks -##.ad-ticker -##.ad-tile -##.ad-tl1 -##.ad-top -##.ad-top-300x250 -##.ad-top-728 -##.ad-top-728x90 -##.ad-top-banner -##.ad-top-box-right -##.ad-top-in -##.ad-top-lboard -##.ad-top-left -##.ad-top-mpu -##.ad-top-rectangle -##.ad-top-wrapper -##.ad-top1 -##.ad-top2 -##.ad-topbanner -##.ad-topleader -##.ad-topright -##.ad-total -##.ad-total1 -##.ad-tower -##.ad-towers -##.ad-txt -##.ad-type -##.ad-type1 -##.ad-type10 -##.ad-type2 -##.ad-type3 -##.ad-unit -##.ad-unit-300 -##.ad-unit-300-wrapper -##.ad-unit-anchor -##.ad-unit-container -##.ad-unit-horisontal -##.ad-unit-inline-center -##.ad-unit-label -##.ad-unit-medium-retangle -##.ad-unit-mpu -##.ad-unit-top -##.ad-unit-wrapper -##.ad-update -##.ad-upper_rec -##.ad-us -##.ad-v -##.ad-v2 -##.ad-vendor-text-link -##.ad-vert -##.ad-vertical -##.ad-vertical-container -##.ad-vertical-stack-ad -##.ad-vtu -##.ad-w300 -##.ad-wallpaper-container -##.ad-wallpaper-panorama-container -##.ad-warning -##.ad-wgt -##.ad-wide -##.ad-wide-bottom -##.ad-widget -##.ad-widget-area -##.ad-widget-list -##.ad-width-300 -##.ad-width-728 -##.ad-windowshade-full -##.ad-wings__link -##.ad-wireframe -##.ad-with-background -##.ad-with-us -##.ad-wrap -##.ad-wrap--leaderboard -##.ad-wrap--mrec -##.ad-wrapper -##.ad-wrapper--articletop -##.ad-wrapper--slideshowhalfpage -##.ad-wrapper-left -##.ad-wrapper-with-text -##.ad-wrapper__ad-slug -##.ad-x10x20x30 -##.ad-x31-full -##.ad-zone -##.ad-zone-container -##.ad-zone-s-q-l -##.ad.super -##.ad01 -##.ad02 -##.ad03 -##.ad04 -##.ad08sky -##.ad1-left -##.ad1-right -##.ad10 -##.ad100 -##.ad1000 -##.ad1001 -##.ad100x100 -##.ad120 -##.ad120_600 -##.ad120x120 -##.ad120x240GrayBorder -##.ad120x240backgroundGray -##.ad120x60 -##.ad120x600 -##.ad125 -##.ad125x125 -##.ad125x125a -##.ad125x125b -##.ad140 -##.ad160 -##.ad160600 -##.ad160_blk -##.ad160_l -##.ad160_r -##.ad160x160 -##.ad160x600 -##.ad160x600GrayBorder -##.ad160x600box -##.ad170x30 -##.ad18 -##.ad180 -##.ad185x100 -##.ad19 -##.ad1Image -##.ad1_bottom -##.ad1_latest -##.ad1_top -##.ad1b -##.ad1left -##.ad1x1 -##.ad200 -##.ad200x60 -##.ad220x50 -##.ad230 -##.ad233x224 -##.ad234 -##.ad234x60 -##.ad236x62 -##.ad240 -##.ad250 -##.ad250-h1 -##.ad250-h2 -##.ad250_250 -##.ad250c -##.ad250wrap -##.ad250x250 -##.ad250x300 -##.ad260x60 -##.ad284x134 -##.ad2content_box -##.ad300 -##.ad300-hp-top -##.ad3001 -##.ad300250 -##.ad300Block -##.ad300Wrapper -##.ad300X250 -##.ad300_2 -##.ad300_250 -##.ad300_bg -##.ad300_ver2 -##.ad300b -##.ad300banner -##.ad300mrec1 -##.ad300shows -##.ad300top -##.ad300w -##.ad300x-placeholder -##.ad300x100 -##.ad300x111 -##.ad300x120 -##.ad300x150 -##.ad300x250 -##.ad300x250-1 -##.ad300x250-2 -##.ad300x250-home -##.ad300x250-hp-features -##.ad300x250-inline -##.ad300x250-stacked -##.ad300x2501 -##.ad300x250GrayBorder -##.ad300x250Module -##.ad300x250Right -##.ad300x250Top -##.ad300x250_box -##.ad300x250_container -##.ad300x250a -##.ad300x250b -##.ad300x250box -##.ad300x250box2 -##.ad300x250flex -##.ad300x250s -##.ad300x40 -##.ad300x50-right -##.ad300x600 -##.ad300x77 -##.ad300x90 -##.ad310 -##.ad315 -##.ad320x250 -##.ad336 -##.ad336_b -##.ad336x250 -##.ad336x280 -##.ad336x362 -##.ad343x290 -##.ad350 -##.ad350r -##.ad360 -##.ad400 -##.ad400right -##.ad400x40 -##.ad450 -##.ad468 -##.ad468_60 -##.ad468x60 -##.ad468x60Wrap -##.ad468x60_main -##.ad470x60 -##.ad530 -##.ad540x90 -##.ad590 -##.ad590x90 -##.ad5_container -##.ad600 -##.ad612x80 -##.ad620x70 -##.ad626X35 -##.ad640x480 -##.ad640x60 -##.ad644 -##.ad650x140 -##.ad652 -##.ad670x83 -##.ad728 -##.ad72890 -##.ad728By90 -##.ad728_90 -##.ad728_blk -##.ad728_cont -##.ad728_wrap -##.ad728cont -##.ad728h -##.ad728x90 -##.ad728x90-1 -##.ad728x90-2 -##.ad728x90-main_wrap -##.ad728x90WithLabel -##.ad728x90_2 -##.ad728x90_container -##.ad728x90_wrap -##.ad728x90box -##.ad728x90btf -##.ad728x90container -##.ad768x90 -##.ad90 -##.ad90x780 -##.ad940x30 -##.ad954x60 -##.ad960 -##.ad960x185 -##.ad960x90 -##.ad970x30 -##.ad970x90 -##.ad980 -##.ad980x120 -##.ad980x50box -##.ad987 -##.adAgate -##.adAlert -##.adAlone300 -##.adArea -##.adArea674x60 -##.adAreaLC -##.adArticleBanner -##.adArticleBody -##.adArticleRecommend -##.adArticleSidetile -##.adArticleTopText -##.adAuto -##.adBGcolor -##.adBan -##.adBanner -##.adBanner300x250 -##.adBanner728x90 -##.adBannerTyp1 -##.adBannerTypSortableList -##.adBannerTypW300 -##.adBar -##.adBarCenter -##.adBarLeft -##.adBarRight -##.adBelt -##.adBgBottom -##.adBgClick -##.adBgMId -##.adBgTop -##.adBigBoxFirst -##.adBigBoxSecond -##.adBigBoxThird -##.adBillboard -##.adBkgd -##.adBlock -##.adBlock-300-250 -##.adBlock160x600Spot1 -##.adBlock728 -##.adBlockBottom -##.adBlockBottomBreak -##.adBlockNext -##.adBlockSpacer -##.adBlockSpot -##.adBlock_1 -##.adBlock_14 -##.adBlock_15 -##.adBlock_17 -##.adBlock_2 -##.adBlock_3 -##.adBlock_6 -##.adBlock_8 -##.adBlock_9 -##.adBodyBlockBottom -##.adBorder -##.adBorders -##.adBottomBoard -##.adBottomLink -##.adBottomboxright -##.adBox -##.adBox-mr -##.adBox1 -##.adBox2 -##.adBox230X96 -##.adBox250 -##.adBox3b -##.adBox5 -##.adBox6 -##.adBox728 -##.adBox728X90 -##.adBox728X90_header -##.adBoxBody -##.adBoxBorder -##.adBoxContainer -##.adBoxContent -##.adBoxFooter -##.adBoxHeader -##.adBoxInBignews -##.adBoxSidebar -##.adBoxSingle -##.adBoxTitle -##.adBox_1 -##.adBox_3 -##.adBrandpanel -##.adBtm -##.adBuyRight -##.adBwrap -##.adCMRight -##.adCMSlide -##.adCall -##.adCaptionText -##.adCell -##.adCenter -##.adCenterAd -##.adCentered -##.adCentertile -##.adChoice -##.adChoiceLogo -##.adChoicesLogo -##.adClm -##.adClose -##.adCode -##.adColBgBottom -##.adColumn -##.adColumnLeft -##.adComponent -##.adCont -##.adContRight -##.adContTop -##.adContainer1 -##.adContainerRectangle -##.adContainerSide -##.adContainer_125x125 -##.adContainer_728x90 -##.adContainerg6 -##.adContent -##.adContentAd -##.adContour -##.adCopy -##.adCreative -##.adCs -##.adCube -##.adDefRect -##.adDialog -##.adDingT -##.adDiv -##.adDivSmall -##.adElement -##.adEmployment -##.adFender3 -##.adFooterLinks -##.adFrame -##.adFrameCnt -##.adFrameContainer -##.adFrames -##.adFtr -##.adFull -##.adFullWidth -##.adFullWidthBottom -##.adFullWidthMiddle -##.adGlobalHeader -##.adGogleBox -##.adGoogle -##.adGroup -##.adHead -##.adHeader -##.adHeaderAdbanner -##.adHeaderText -##.adHeaderblack -##.adHeadline -##.adHeadlineSummary -##.adHed -##.adHolder -##.adHolder2 -##.adHoldert -##.adHome300x250 -##.adHorisontal -##.adHorisontalNoBorder -##.adHorizontalTextAlt -##.adHplaceholder -##.adHz -##.adIMm -##.adIframe -##.adIframeCount -##.adImg -##.adImgIM -##.adInArticle -##.adInNews -##.adInfoLargeLeaderboard -##.adInner -##.adInnerLeftBottom -##.adInteractive -##.adIsland -##.adItem -##.adLabel -##.adLabel160x600 -##.adLabel300x250 -##.adLabelLine -##.adLabels -##.adLargeRec -##.adLargeRect -##.adLat -##.adLeader -##.adLeaderForum -##.adLeaderboard -##.adLeaderboardAdContainer -##.adLeft -##.adLine -##.adLine300x100 -##.adLine300x250 -##.adLine300x600 -##.adLink -##.adLinkCnt -##.adListB -##.adLoaded -##.adLoader -##.adLocal -##.adLocation -##.adMPU -##.adMPUHome -##.adMarker -##.adMarkerBlock -##.adMastheadLeft -##.adMastheadRight -##.adMedRectBox -##.adMedRectBoxLeft -##.adMediaMiddle -##.adMediumRectangle -##.adMegaBoard -##.adMeldGuts -##.adMessage -##.adMiddle -##.adMiniTower -##.adMinisLR -##.adMkt2Colw -##.adMod -##.adModule -##.adModule300 -##.adModuleAd -##.adModule_square2 -##.adMpu -##.adMpuHolder -##.adMrginBottom -##.adNarrow -##.adNetPromo -##.adNewsChannel -##.adNoBorder -##.adNoOutline -##.adNone -##.adNote -##.adNotice -##.adNotice90 -##.adNoticeOut -##.adNotification -##.adObj -##.adOne -##.adOuterContainer -##.adOverlay -##.adPageBorderL -##.adPageBorderR -##.adPanel -##.adPanelContent -##.adPlaceholder -##.adPlaceholder35 -##.adPlaceholder54 -##.adPlaceholder_foot -##.adPod -##.adPosition -##.adRecommend -##.adRecommendRight -##.adRect -##.adRectangle -##.adRectangleUnit -##.adRegionSelector -##.adRemove -##.adReportsLink -##.adResponsive -##.adResult -##.adResults -##.adRight -##.adRightSide -##.adRotator -##.adRow -##.adRowTopWrapper -##.adSKY -##.adSTHomePage -##.adSection -##.adSection_rt -##.adSelfServiceAdvertiseLink -##.adSenceImagePush -##.adSense -##.adSepDiv -##.adServer -##.adSeven -##.adSide -##.adSide203 -##.adSide230 -##.adSidebarButtons -##.adSidetileplus -##.adSize_MedRec -##.adSkin -##.adSkinLayerConfig -##.adSky -##.adSky600 -##.adSkyOrMpu -##.adSkyscaper -##.adSkyscraper -##.adSkyscraperHolder -##.adSlice -##.adSlide -##.adSlot -##.adSlotContainer -##.adSlug -##.adSpBelow -##.adSpace -##.adSpace300x250 -##.adSpace950x90 -##.adSpacer -##.adSplash -##.adSponsor -##.adSponsorText -##.adSpot -##.adSpot-brought -##.adSpot-mrec -##.adSpot-searchAd -##.adSpot-textBox -##.adSpot-textBoxGraphicRight -##.adSpot-twin -##.adSpotIsland -##.adSquare -##.adStatementText -##.adStyle -##.adStyle1 -##.adSub -##.adSubColPod -##.adSummary -##.adSuperboard -##.adSupertower -##.adTD -##.adTXTnew -##.adTab -##.adTag -##.adTag-wrap -##.adText -##.adTextPmpt -##.adTicker -##.adTile -##.adTileWrap -##.adTiler -##.adTitle -##.adTitleR -##.adTop -##.adTopBanner_nomobile -##.adTopBk -##.adTopHome -##.adTopLeft -##.adTopLink -##.adTopRight -##.adTopboxright -##.adTout -##.adTower -##.adTwo -##.adTxt -##.adType2 -##.adUnit -##.adUnitHorz -##.adUnitVert -##.adUnitVert_noImage -##.adVar -##.adVertical -##.adVideo -##.adVideo2 -##.adVl -##.adVplaceholder -##.adWarning -##.adWebBoard -##.adWideSkyscraper -##.adWideSkyscraperRight -##.adWidget -##.adWidgetBlock -##.adWidgetSponsor -##.adWithTab -##.adWord -##.adWrap -##.adWrapLg -##.adWrapper -##.adZone -##.adZoneRight -##.ad_0 -##.ad_1 -##.ad_1000x90 -##.ad_100x100 -##.ad_1200 -##.ad_120x60 -##.ad_120x600 -##.ad_120x90 -##.ad_125 -##.ad_130x90 -##.ad_150x150 -##.ad_160 -##.ad_160_600 -##.ad_160x600 -##.ad_180x150 -##.ad_1day9 -##.ad_2 -##.ad_200 -##.ad_200x200 -##.ad_234x60 -##.ad_240 -##.ad_240x400 -##.ad_242_90_top -##.ad_250 -##.ad_250x200 -##.ad_250x250 -##.ad_250x250_w -##.ad_3 -##.ad_300 -##.ad_300250 -##.ad_300Home -##.ad_300Side -##.ad_300_120 -##.ad_300_250 -##.ad_300_250_1 -##.ad_300_250_2 -##.ad_300_250_cpv -##.ad_300_250_wrapper -##.ad_300_600 -##.ad_300s -##.ad_300x100 -##.ad_300x240 -##.ad_300x250 -##.ad_300x250_box_right -##.ad_300x250_live -##.ad_300x50 -##.ad_300x500 -##.ad_300x60 -##.ad_300x600 -##.ad_320x250_async -##.ad_320x360 -##.ad_326x260 -##.ad_330x110 -##.ad_336 -##.ad_336_gr_white -##.ad_336x280 -##.ad_336x90 -##.ad_338_282 -##.ad_350x100 -##.ad_350x250 -##.ad_4 -##.ad_400x200 -##.ad_468 -##.ad_468x60 -##.ad_4_row -##.ad_5 -##.ad_600 -##.ad_630x130 -##.ad_640 -##.ad_640x90 -##.ad_680x15 -##.ad_728 -##.ad_72890 -##.ad_72890_box -##.ad_728Home -##.ad_728_90 -##.ad_728_90_1 -##.ad_728_90_top -##.ad_728_90b -##.ad_728_in -##.ad_728_top -##.ad_728_unit -##.ad_728_v2 -##.ad_728x90 -##.ad_728x90-1 -##.ad_728x90-2 -##.ad_728x90_top -##.ad_728x90b -##.ad_88x31 -##.ad_925x90 -##.ad_954-60 -##.ad_960 -##.ad_970_2 -##.ad_970x90_prog -##.ad_980x260 -##.ad_CustomAd -##.ad_Flex -##.ad_Left -##.ad_Right -##.ad__caption -##.ad__centered -##.ad__container -##.ad__in-loop -##.ad__in-loop--desktop -##.ad__inline -##.ad__label -##.ad__leaderboard -##.ad__mpu -##.ad__placeholder -##.ad__rectangle -##.ad__width-by-height -##.ad__wrapper -##.ad_a -##.ad_adInfo -##.ad_ad_160 -##.ad_ad_300 -##.ad_adblade -##.ad_adsense_spacer -##.ad_adv -##.ad_amazon -##.ad_area -##.ad_area_two -##.ad_article_top_left -##.ad_atf_300x250 -##.ad_atf_728x90 -##.ad_avu_300x250 -##.ad_back -##.ad_background -##.ad_bank_wrapper -##.ad_banner -##.ad_banner2 -##.ad_banner_2 -##.ad_banner_234 -##.ad_banner_250x250 -##.ad_banner_468 -##.ad_banner_728x90_inner -##.ad_banner_border -##.ad_banner_div -##.ad_bar -##.ad_below_content -##.ad_belowmenu -##.ad_bg -##.ad_bg_300x250 -##.ad_bgskin -##.ad_big_banner -##.ad_bigbox -##.ad_billboard -##.ad_biz -##.ad_blk -##.ad_block -##.ad_block_1 -##.ad_block_2 -##.ad_block_300x250 -##.ad_block_336 -##.ad_block_338 -##.ad_block__336_d1 -##.ad_block_leader2 -##.ad_bn -##.ad_body -##.ad_border -##.ad_botbanner -##.ad_bottom -##.ad_bottom_728 -##.ad_bottom_leaderboard -##.ad_bottom_left -##.ad_bottom_mpu -##.ad_bottom_space -##.ad_bottomline -##.ad_box -##.ad_box1 -##.ad_box2 -##.ad_box300x250 -##.ad_box_2 -##.ad_box_ad -##.ad_box_div -##.ad_box_new -##.ad_box_righ -##.ad_box_right_120 -##.ad_box_spacer -##.ad_box_title -##.ad_box_top -##.ad_boxright1 -##.ad_break -##.ad_break_container -##.ad_btf -##.ad_btf_300x250 -##.ad_btf_728x90 -##.ad_buttom_banner -##.ad_buttons_300 -##.ad_buttons_320 -##.ad_callout -##.ad_caption -##.ad_center -##.ad_center_bottom -##.ad_centered -##.ad_cheat -##.ad_choice -##.ad_choices -##.ad_cl -##.ad_claim -##.ad_click -##.ad_code -##.ad_col -##.ad_col_a -##.ad_column -##.ad_column_box -##.ad_column_hl -##.ad_common -##.ad_cont -##.ad_cont_footer -##.ad_contain -##.ad_container -##.ad_container_300x250 -##.ad_container_5 -##.ad_container_6 -##.ad_container_7 -##.ad_container_728x90 -##.ad_container_8 -##.ad_container_9 -##.ad_container__sidebar -##.ad_container__top -##.ad_container_body -##.ad_content -##.ad_content_wide -##.ad_contents -##.ad_custombanner -##.ad_db -##.ad_default -##.ad_deferrable -##.ad_description -##.ad_descriptor -##.ad_desktop -##.ad_disclaimer -##.ad_div_banner -##.ad_embed -##.ad_eniro -##.ad_entry_title_under -##.ad_entrylists_end -##.ad_event_mast_wrapper -##.ad_external -##.ad_eyebrow -##.ad_feature -##.ad_filler -##.ad_flash -##.ad_flat-boxright10 -##.ad_flat-boxright6 -##.ad_flat-boxright9 -##.ad_float -##.ad_floating_box -##.ad_font -##.ad_footer -##.ad_footer_super_banner -##.ad_for_layout -##.ad_frame -##.ad_framed -##.ad_front_promo -##.ad_full_click -##.ad_fullwidth -##.ad_gal -##.ad_global_header -##.ad_gpt -##.ad_grid -##.ad_gutter_top -##.ad_half_page -##.ad_halfpage -##.ad_hat_728 -##.ad_hat_banner_300 -##.ad_hat_top -##.ad_head -##.ad_head_rectangle -##.ad_head_wide -##.ad_header -##.ad_header_lb -##.ad_header_left -##.ad_header_noad -##.ad_heading -##.ad_headline -##.ad_help_link -##.ad_holder -##.ad_home_block -##.ad_honcode_label -##.ad_horizontal_marker -##.ad_hover_href -##.ad_hpm -##.ad_hr -##.ad_hyper_wrap -##.ad_identifier -##.ad_iframe2 -##.ad_ifrwrap -##.ad_image -##.ad_image_container -##.ad_img -##.ad_imgae_150 -##.ad_in_column -##.ad_in_head -##.ad_index02 -##.ad_indicator -##.ad_info_block -##.ad_inline -##.ad_inset -##.ad_island -##.ad_island2_spacer -##.ad_island_feedback -##.ad_island_spacer -##.ad_isolation -##.ad_item -##.ad_jnaught -##.ad_js_deal_top -##.ad_keywords_bot -##.ad_keywords_bot_r -##.ad_l -##.ad_label -##.ad_label1 -##.ad_label2a -##.ad_label_centered -##.ad_label_long -##.ad_label_method -##.ad_label_top -##.ad_large -##.ad_launchpad -##.ad_leader -##.ad_leader_bottom -##.ad_leader_plus_top -##.ad_leaderboard -##.ad_leaderboard_atf -##.ad_leaderboard_top -##.ad_left_cell -##.ad_left_column -##.ad_lft -##.ad_line -##.ad_line2 -##.ad_link -##.ad_link1 -##.ad_link_468 -##.ad_link_area -##.ad_link_label -##.ad_link_label_vert -##.ad_links -##.ad_linkunit -##.ad_lnks -##.ad_loc -##.ad_long -##.ad_lrec -##.ad_lt -##.ad_main -##.ad_maintopad -##.ad_margin -##.ad_masthead -##.ad_med -##.ad_medium_rectangle -##.ad_medrec -##.ad_medrect -##.ad_megabanner -##.ad_message -##.ad_microlen -##.ad_middle -##.ad_middle_banner -##.ad_middle_hub_page -##.ad_mobile -##.ad_mod -##.ad_module -##.ad_movFocus -##.ad_mp -##.ad_mpu -##.ad_mpu_top -##.ad_mr -##.ad_mrec -##.ad_mrec_title_article -##.ad_mrect -##.ad_mrectangle -##.ad_msg -##.ad_new_box01 -##.ad_new_box02 -##.ad_news -##.ad_newsstream -##.ad_no_border -##.ad_note -##.ad_notice -##.ad_nsRT_300_250 -##.ad_nsbd_300_250 -##.ad_on_article -##.ad_one -##.ad_outer -##.ad_overlays -##.ad_p360 -##.ad_pagebody -##.ad_panel -##.ad_panel_1 -##.ad_panel_2 -##.ad_partner -##.ad_partners -##.ad_perma-panorama -##.ad_pic -##.ad_placeholder -##.ad_placement -##.ad_placement_300x250 -##.ad_placement_small -##.ad_plane_336 -##.ad_plus -##.ad_policy_link_br -##.ad_position -##.ad_post -##.ad_posttop -##.ad_power -##.ad_primary -##.ad_promo -##.ad_promo1 -##.ad_promo_spacer -##.ad_r -##.ad_r1_menu -##.ad_rakuten -##.ad_rakuten_wrapper -##.ad_rec -##.ad_rect -##.ad_rect_contr -##.ad_rectangle -##.ad_rectangle_300_250 -##.ad_rectangle_medium -##.ad_rectangular -##.ad_regular1 -##.ad_regular2 -##.ad_regular3 -##.ad_reminder -##.ad_report_btn -##.ad_rightSky -##.ad_right_cell -##.ad_right_col -##.ad_right_column -##.ad_right_column160 -##.ad_rightside -##.ad_row -##.ad_row_bottom_item -##.ad_rtg300 -##.ad_secondary -##.ad_section_300x250 -##.ad_section_728x90 -##.ad_segment -##.ad_sense_01 -##.ad_sense_footer_container -##.ad_share_box -##.ad_shuffling_text -##.ad_side -##.ad_side_rectangle_banner -##.ad_sidebar -##.ad_sidebar_bigbox -##.ad_size_160x600 -##.ad_sky -##.ad_skyscpr -##.ad_skyscraper -##.ad_skyscrapper -##.ad_slider_out -##.ad_slot -##.ad_slot_right -##.ad_slug -##.ad_slug_font -##.ad_slug_healthgrades -##.ad_slug_table -##.ad_small -##.ad_sonar -##.ad_space -##.ad_space_300_250 -##.ad_space_730 -##.ad_space_holder -##.ad_space_in -##.ad_space_rgt -##.ad_space_w300_h250 -##.ad_spacer -##.ad_special_badge -##.ad_spons_box -##.ad_sponsor -##.ad_sponsor_fp -##.ad_sponsoredlinks -##.ad_sponsoredsection -##.ad_spot -##.ad_spot_b -##.ad_spot_c -##.ad_square -##.ad_square_r -##.ad_square_r_top -##.ad_square_top -##.ad_station -##.ad_story_island -##.ad_stream -##.ad_stream_hd -##.ad_strip_noline -##.ad_sub -##.ad_supersize -##.ad_swf -##.ad_tag -##.ad_tag_middle -##.ad_text -##.ad_text_link -##.ad_text_links -##.ad_text_vertical -##.ad_text_w -##.ad_textlink_box -##.ad_thumbnail_header -##.ad_title -##.ad_title_small -##.ad_tlb -##.ad_top -##.ad_top1 -##.ad_top_1 -##.ad_top_2 -##.ad_top_3 -##.ad_top_banner -##.ad_top_leaderboard -##.ad_top_left -##.ad_top_mpu -##.ad_top_right -##.ad_topic_content -##.ad_topright -##.ad_topshop -##.ad_tower -##.ad_trailer_header -##.ad_trick_header -##.ad_trick_left -##.ad_ttl -##.ad_txt2 -##.ad_type_1 -##.ad_type_adsense -##.ad_type_dfp -##.ad_under -##.ad_under_royal_slider -##.ad_unit -##.ad_unit_300_x_250 -##.ad_unit_rail -##.ad_url -##.ad_v2 -##.ad_v3 -##.ad_v300 -##.ad_vertisement -##.ad_w300i -##.ad_w_us_a300 -##.ad_warn -##.ad_warning -##.ad_wid300 -##.ad_wide -##.ad_widget -##.ad_widget_200_100 -##.ad_widget_200_200 -##.ad_word -##.ad_wrap -##.ad_wrapper -##.ad_wrapper_false -##.ad_wrapper_fixed -##.ad_wrapper_top -##.ad_wrp -##.ad_xrail_top -##.ad_zone -##.adadded -##.adamazon -##.adarea -##.adarea-long -##.adb-728x90 -##.adback -##.adbadge -##.adban-hold-narrow -##.adbanner -##.adbanner-300-250 -##.adbanner-bottom -##.adbanner1 -##.adbanner2nd -##.adbannerbox -##.adbanneriframe -##.adbannerright -##.adbannertop -##.adbar -##.adbase -##.adbbox -##.adbckgrnd -##.adbetween -##.adbkgnd -##.adblade -##.adblade-container -##.adbladeimg -##.adblk -##.adblock-240-400 -##.adblock-300-300 -##.adblock-600-120 -##.adblock-bottom -##.adblock-header -##.adblock-header1 -##.adblock-main -##.adblock-popup -##.adblock-top -##.adblock-top-left -##.adblock-wide -##.adblock300 -##.adblock300250 -##.adblock300x250Spot1 -##.adblock728x90 -##.adblock_noborder -##.adblock_primary -##.adblocks-topright -##.adboard -##.adborder -##.adborderbottom -##.adbordertop -##.adbot -##.adbot_postbit -##.adbot_showthread -##.adbottom -##.adbottomright -##.adbox-300x250 -##.adbox-468x60 -##.adbox-box -##.adbox-outer -##.adbox-rectangle -##.adbox-sidebar -##.adbox-slider -##.adbox-title -##.adbox-topbanner -##.adbox-wrapper -##.adbox1 -##.adbox160 -##.adbox2 -##.adbox300 -##.adbox300x250 -##.adbox336 -##.adbox600 -##.adbox728 -##.adboxVert -##.adbox_300x600 -##.adbox_366x280 -##.adbox_468X60 -##.adbox_border -##.adbox_bottom -##.adbox_br -##.adbox_cont -##.adbox_largerect -##.adbox_left -##.adboxbg -##.adboxbot -##.adboxclass -##.adboxcontent -##.adboxcontentsum -##.adboxes -##.adboxesrow -##.adboxlong -##.adboxo -##.adbreak -##.adbrite2 -##.adbrite_post -##.adbucks -##.adbuddy-protected -##.adbug -##.adbutton -##.adbutton-block -##.adbuttons -##.adbygoogle -##.adcard -##.adcasing -##.adcenter -##.adchange -##.adchoices -##.adchoices-link -##.adclass -##.adcode -##.adcode2 -##.adcode_container -##.adcodetop -##.adcol1 -##.adcol2 -##.adcolumn -##.adcolumn_wrapper -##.adcomment -##.adcont -##.adcontainer300x250l -##.adcontainer300x250r -##.adcontent_box -##.adcopy -##.adctr -##.add-column2 -##.add-header-area -##.add-sidebar -##.add300 -##.add300top -##.add300x250 -##.add768 -##.addResources -##.add_300_250 -##.add_300x250 -##.add_728x90_teckpage -##.add_baner -##.add_topbanner -##.addarea -##.addarearight -##.addbanner -##.addboxRight -##.addisclaimer -##.addiv -##.adds2 -##.adds300x250 -##.adds620x90 -##.addtitle -##.addvert -##.addwide -##.adengageadzone -##.adenquire -##.adexpl -##.adf_tisers -##.adfbox -##.adfeedback -##.adfeeds -##.adfieldbg -##.adfix -##.adfix-300x250 -##.adflag -##.adflexi -##.adfliction -##.adfloatleft -##.adfloatright -##.adfoot -##.adfootbox -##.adfooter -##.adformobile -##.adframe -##.adframe2 -##.adframe_banner -##.adframe_rectangle -##.adfree -##.adfront -##.adfront-head -##.adg_cell -##.adg_row -##.adg_table -##.adg_table_cell -##.adg_table_row -##.adgear -##.adgear-bb -##.adgear_header -##.adgeletti-ad-div -##.adgoogle_block -##.adhalfhome -##.adhead -##.adhead_h -##.adhead_h_wide -##.adheader -##.adheader100 -##.adheader401 -##.adheader416 -##.adherebox -##.adhesion-block -##.adhi -##.adhide -##.adhint -##.adholder -##.adholder-300 -##.adholderban -##.adhoriz -##.adhref_box_ads -##.adical_contentad -##.adiframe -##.adiframe250x250 -##.adinfo -##.adinjwidget -##.adinner -##.adinpost -##.adinsert -##.adinsert-bdr -##.adinsert160 -##.adinside -##.adintext -##.adintext-unten -##.adintro -##.adits -##.adjimage2 -##.adjlink -##.adkicker -##.adkit -##.adkit-advert -##.adkit-lb-footer -##.adkit_free_html -##.adl125 -##.adlabel-horz -##.adlabel-vert -##.adlabel1 -##.adlabel2 -##.adlabel3 -##.adlabelleft -##.adlarge -##.adlarger -##.adlayer -##.adleader -##.adleft1 -##.adlgbox -##.adline -##.adlink -##.adlinkdiv -##.adlinks -##.adlinks-class -##.adlist -##.adlist1 -##.adlist2 -##.adlist__item--midstream -##.adlnklst -##.adlsot -##.admain -##.adman -##.admarker -##.admaster -##.admediumred -##.admedrec -##.admeldBoxAd -##.admessage -##.admiddle -##.admiddlesidebar -##.administer-ad -##.admods -##.admodule -##.admoduleB -##.admpu -##.admpu-small -##.admsg__mrec -##.admz -##.adnSpot -##.adname -##.adnation-banner -##.adnet120 -##.adnet_area -##.adnl_zone -##.adnotecenter -##.adnotice -##.adocean728x90 -##.adonmedianama -##.adops -##.adp-AdPrefix -##.adpacks -##.adpacks_content -##.adpad300 -##.adpad300spacer -##.adpadding -##.adpadtwo_div -##.adpane -##.adpic -##.adplace -##.adplace_center -##.adplacement -##.adplate-background -##.adpod -##.adpos-19 -##.adpos-20 -##.adpos-25 -##.adpos-26 -##.adpos-8 -##.adpost -##.adproxy -##.adrec -##.adrechts -##.adrecom-pic -##.adrect -##.adrectangle -##.adrectwrapper -##.adright -##.adright300 -##.adrightsm -##.adrighttop -##.adriverBanner -##.adroot -##.adrotate_top_banner -##.adrotate_widget -##.adrotate_widgets -##.adrow -##.adrow-post -##.adrow1 -##.adrow1box1 -##.adrow1box3 -##.adrow1box4 -##.adrow2 -##.adrule -##.ads--sidebar -##.ads--square -##.ads--top -##.ads-1 -##.ads-120x600 -##.ads-125 -##.ads-125-widget -##.ads-160-head -##.ads-160x600 -##.ads-160x600-outer -##.ads-166-70 -##.ads-180-65 -##.ads-2 -##.ads-220x90 -##.ads-250 -##.ads-290 -##.ads-3 -##.ads-300 -##.ads-300-250 -##.ads-300-box -##.ads-300x250 -##.ads-300x300 -##.ads-300x80 -##.ads-301 -##.ads-336-197-qu -##.ads-468 -##.ads-468x60-bordered -##.ads-560-65 -##.ads-600-box -##.ads-728-90 -##.ads-728by90 -##.ads-728x90 -##.ads-728x90-wrap -##.ads-729 -##.ads-above-comments -##.ads-ad -##.ads-ads-top -##.ads-advertorial -##.ads-area -##.ads-articlebottom -##.ads-banner -##.ads-banner-bottom -##.ads-banner-js -##.ads-banner-middle -##.ads-banner-top-right -##.ads-beforecontent -##.ads-below-content -##.ads-below-home -##.ads-bg -##.ads-bigbox -##.ads-block -##.ads-block-bottom-wrap -##.ads-block-link-000 -##.ads-block-link-text -##.ads-block-marketplace-container -##.ads-block-menu-center -##.ads-border -##.ads-bottom -##.ads-bottom-block -##.ads-bottom-content -##.ads-bottom-left -##.ads-bottom-right -##.ads-box -##.ads-box-border -##.ads-box-header -##.ads-box-header-marketplace-right -##.ads-box-header-pb -##.ads-box-header-ws -##.ads-box-header-wsl -##.ads-btm -##.ads-by -##.ads-by-google-0 -##.ads-callback -##.ads-card -##.ads-cars-larger -##.ads-cars-top2 -##.ads-categories-bsa -##.ads-code -##.ads-col -##.ads-container-mediumrectangle -##.ads-content -##.ads-custom -##.ads-div -##.ads-divider -##.ads-express -##.ads-favicon -##.ads-feed -##.ads-fieldset -##.ads-fif -##.ads-flow -##.ads-footer -##.ads-full -##.ads-google -##.ads-half -##.ads-header -##.ads-header-left -##.ads-header-right -##.ads-here -##.ads-holder -##.ads-home-top-buttons-wrap -##.ads-horizontal -##.ads-horizontal-banner -##.ads-inarticle -##.ads-inline -##.ads-inner -##.ads-item -##.ads-label -##.ads-large -##.ads-leaderboard -##.ads-leaderboard-border -##.ads-leaderboard-panel -##.ads-left -##.ads-line -##.ads-link -##.ads-links-general -##.ads-long -##.ads-main -##.ads-margin -##.ads-medium-rect -##.ads-middle -##.ads-middle-top -##.ads-mini -##.ads-module -##.ads-movie -##.ads-mpu -##.ads-narrow -##.ads-native-wrapper -##.ads-note -##.ads-outer -##.ads-player-03 -##.ads-popup-corner -##.ads-post -##.ads-post-closing -##.ads-post-full -##.ads-profile -##.ads-rectangle -##.ads-right -##.ads-right-min -##.ads-rotate -##.ads-scroller-box -##.ads-section -##.ads-side -##.ads-sidebar -##.ads-sidebar-boxad -##.ads-single -##.ads-site -##.ads-sky -##.ads-small -##.ads-smartphone -##.ads-sponsors -##.ads-sponsors-125-left -##.ads-sponsors-125-right -##.ads-square -##.ads-squares -##.ads-static-video-overlay -##.ads-story -##.ads-stripe -##.ads-styled -##.ads-superbanner -##.ads-text -##.ads-title -##.ads-tittle -##.ads-top -##.ads-top-content -##.ads-top-left -##.ads-top-right -##.ads-top-spacer -##.ads-txt -##.ads-ul -##.ads-wide -##.ads-widget -##.ads-widget-content -##.ads-widget-partner-gallery -##.ads-widget-sponsor-gallery -##.ads-wrap -##.ads-wrapper -##.ads-zone -##.ads01 -##.ads02 -##.ads03 -##.ads04 -##.ads05 -##.ads06 -##.ads07 -##.ads08 -##.ads09 -##.ads1 -##.ads10 -##.ads1000x100 -##.ads11 -##.ads12 -##.ads120_600 -##.ads120_600-widget -##.ads120_80 -##.ads120x -##.ads123 -##.ads125 -##.ads125-widget -##.ads13 -##.ads14 -##.ads15 -##.ads160 -##.ads160-600 -##.ads160_600-widget -##.ads160x600 -##.ads180x150 -##.ads1_250 -##.ads1_label -##.ads1_sidebar -##.ads24Block -##.ads250 -##.ads250-250 -##.ads250_96 -##.ads3 -##.ads300 -##.ads300-200 -##.ads300-250 -##.ads300250 -##.ads300_250 -##.ads300_250-widget -##.ads300_600-widget -##.ads300box -##.ads300n -##.ads300nb -##.ads300x -##.ads300x100 -##.ads300x250 -##.ads300x250-thumb -##.ads315 -##.ads320x100 -##.ads324-wrapper -##.ads324-wrapper2ads -##.ads336_280 -##.ads336x280 -##.ads4 -##.ads460 -##.ads460_home -##.ads468 -##.ads468x60 -##.ads486x100 -##.ads486x100-1 -##.ads598x98 -##.ads5blocks -##.ads600 -##.ads667x100 -##.ads720x90 -##.ads728 -##.ads728_90 -##.ads728x90 -##.ads728x90-1 -##.ads728x90-thumb -##.ads970 -##.adsArea -##.adsBelowHeadingNormal -##.adsBlock -##.adsBot -##.adsBottom -##.adsBox -##.adsBoxTop -##.adsByTJ -##.adsCap -##.adsCategoryIcon -##.adsCategoryTitleLink -##.adsCell -##.adsCombo02_1 -##.adsCombo02_2 -##.adsCombo02_3 -##.adsCombo02_4 -##.adsCombo02_5 -##.adsCombo02_6 -##.adsCombo02_7 -##.adsConfig -##.adsCont -##.adsDef -##.adsDetailsPage -##.adsDisclaimer -##.adsDiv -##.adsFixed -##.adsFull -##.adsHeader -##.adsHeaderFlog -##.adsHeading -##.adsImages -##.adsInner -##.adsInsideResults_v3 -##.adsLabel -##.adsLibrary -##.adsLine -##.adsMPU -##.adsMag -##.adsMiddle -##.adsOuter -##.adsOverPrimary -##.adsPlaceHolder -##.adsRectangleMedium -##.adsRight -##.adsRow -##.adsSpace300x250 -##.adsSpace300x600 -##.adsSpace650x100 -##.adsSpacing -##.adsTableBlox -##.adsTag -##.adsText -##.adsTextHouse -##.adsThema -##.adsTop -##.adsTopBanner -##.adsTopCont -##.adsTower2 -##.adsTowerWrap -##.adsTxt -##.adsWidget -##.adsWithUs -##.adsWrap -##.adsYN -##.ads_1 -##.ads_120x60 -##.ads_120x60_index -##.ads_125_square -##.ads_160 -##.ads_180 -##.ads_2 -##.ads_3 -##.ads_300 -##.ads_300250_wrapper -##.ads_300x100 -##.ads_300x239 -##.ads_300x250 -##.ads_300x600 -##.ads_305 -##.ads_320 -##.ads_320_100 -##.ads_330 -##.ads_337x280 -##.ads_350 -##.ads_3col -##.ads_4 -##.ads_460up -##.ads_468 -##.ads_468x60 -##.ads_672 -##.ads_728 -##.ads_728x90 -##.ads_ad_box -##.ads_ad_box2 -##.ads_admeld -##.ads_adsense1 -##.ads_after -##.ads_after_more -##.ads_amazon -##.ads_amazon_outer -##.ads_area -##.ads_article -##.ads_banner -##.ads_banner_between -##.ads_banner_between_string -##.ads_banniere -##.ads_bar -##.ads_before -##.ads_bg -##.ads_big -##.ads_big-half -##.ads_big_right -##.ads_big_right_code -##.ads_bigrec -##.ads_block -##.ads_block250 -##.ads_border -##.ads_box -##.ads_box_headline -##.ads_brace -##.ads_by -##.ads_by_tico -##.ads_catDiv -##.ads_catDivRight -##.ads_center -##.ads_code -##.ads_column -##.ads_container -##.ads_container_top -##.ads_content -##.ads_der -##.ads_disc_anchor -##.ads_disc_leader -##.ads_disc_lwr_square -##.ads_disc_rectangle -##.ads_disc_skyscraper -##.ads_disc_square -##.ads_div -##.ads_entrymore -##.ads_folat_left -##.ads_foot -##.ads_footer -##.ads_footerad -##.ads_frame_wrapper -##.ads_google -##.ads_h -##.ads_header -##.ads_header_bottom -##.ads_holder -##.ads_horizontal -##.ads_infoBtns -##.ads_inline_640 -##.ads_inside2 -##.ads_item -##.ads_label -##.ads_layout_sky -##.ads_lb -##.ads_leader -##.ads_leaderboard -##.ads_left -##.ads_linkb_728 -##.ads_loc_bottom -##.ads_loc_side -##.ads_lr_wrapper -##.ads_lr_wrapper2 -##.ads_main -##.ads_main_hp -##.ads_medium -##.ads_medium_rectangle -##.ads_medrect -##.ads_middle -##.ads_middle_container -##.ads_mpu -##.ads_mpu_small -##.ads_obrazek -##.ads_outer -##.ads_outline -##.ads_post -##.ads_post_end -##.ads_post_end_code -##.ads_post_start -##.ads_post_start_code -##.ads_qc1 -##.ads_qc2 -##.ads_r -##.ads_rectangle -##.ads_rem -##.ads_remove -##.ads_right -##.ads_rightbar_top -##.ads_sc_bl -##.ads_sc_bl_i -##.ads_sc_ls_i -##.ads_sc_tb -##.ads_sc_tl_i -##.ads_sep -##.ads_show_if -##.ads_side -##.ads_sideba -##.ads_sidebar -##.ads_sidebar_360 -##.ads_sidebar_360_b -##.ads_singlepost -##.ads_slice -##.ads_small_rectangle -##.ads_space_long -##.ads_spacer -##.ads_square -##.ads_takeover -##.ads_text -##.ads_ticker_main -##.ads_title -##.ads_top -##.ads_top_banner -##.ads_top_both -##.ads_top_promo -##.ads_topbanner -##.ads_topic_300 -##.ads_topic_after -##.ads_topleft -##.ads_topright -##.ads_tower -##.ads_tr -##.ads_under_fileinfo -##.ads_under_player -##.ads_up -##.ads_up_big2 -##.ads_upper_right_wrap -##.ads_verticalSpace -##.ads_vtlLink -##.ads_vtlList -##.ads_wide -##.ads_widesky -##.ads_without_height -##.ads_wrapper -##.ads_wrapperads_top -##.adsafp -##.adsanity-group -##.adsanity-single -##.adsarea -##.adsbantop -##.adsbar -##.adsbg300 -##.adsblock -##.adsblockvert -##.adsbnr -##.adsbody -##.adsborder -##.adsboth -##.adsbottom -##.adsbottombox -##.adsbox -##.adsbox-square -##.adsboxBtn -##.adsbox_300x250 -##.adsboxitem -##.adsbttmpg -##.adsbycircumventioncentral -##.adsbygoogle -##.adsbygoogle-box -##.adsbygoogle2 -##.adsbysinodia -##.adsbyyahoo -##.adsc -##.adscaleAdvert -##.adscaleP6_canvas -##.adscaleTop -##.adscatalog -##.adsclick -##.adscontainer -##.adscontent250 -##.adscontentcenter -##.adscreen -##.adsd_shift100 -##.adsdisplaygames -##.adsdiv -##.adsection_a2 -##.adsection_c2 -##.adsection_c3 -##.adsence-domain -##.adsens -##.adsense-250 -##.adsense-300x256-widget -##.adsense-300x256-widget-2 -##.adsense-336 -##.adsense-468 -##.adsense-ad -##.adsense-ads -##.adsense-afterpost -##.adsense-attribution -##.adsense-block -##.adsense-category -##.adsense-category-bottom -##.adsense-center -##.adsense-code -##.adsense-container -##.adsense-content -##.adsense-div -##.adsense-float -##.adsense-googleAds -##.adsense-header -##.adsense-heading -##.adsense-image-detail -##.adsense-left -##.adsense-links -##.adsense-links2 -##.adsense-midtext -##.adsense-mod-border -##.adsense-module -##.adsense-overlay -##.adsense-post -##.adsense-review -##.adsense-reviews-float -##.adsense-right -##.adsense-slot -##.adsense-square -##.adsense-sticky-slide -##.adsense-title -##.adsense-top -##.adsense-top-bar -##.adsense-topics-detail -##.adsense-unit -##.adsense-wide-background -##.adsense-widget -##.adsense-widget-horizontal -##.adsense1 -##.adsense160x600 -##.adsense250 -##.adsense3 -##.adsense300 -##.adsense300_top -##.adsense728 -##.adsense728x90 -##.adsenseAds -##.adsenseBlock -##.adsenseContainer -##.adsenseGreenBox -##.adsenseInPost -##.adsenseLargeRectangle -##.adsenseList -##.adsenseRow -##.adsenseSky -##.adsenseWrapper -##.adsense_200 -##.adsense_200x200 -##.adsense_336_280 -##.adsense_728x15_center -##.adsense_afc_related_art -##.adsense_bdc_v2 -##.adsense_block -##.adsense_bottom -##.adsense_box01 -##.adsense_container -##.adsense_div_wrapper -##.adsense_full_width -##.adsense_leader -##.adsense_left_lu -##.adsense_mainbox01 -##.adsense_managed -##.adsense_managed_ -##.adsense_media -##.adsense_menu -##.adsense_mpu -##.adsense_rectangle -##.adsense_results -##.adsense_right -##.adsense_sidebar -##.adsense_single -##.adsense_small_square -##.adsense_top -##.adsense_top_ad -##.adsense_top_lu -##.adsense_unit -##.adsense_x88 -##.adsensebig -##.adsenseblock_bottom -##.adsenseblock_top -##.adsensefloat -##.adsenseformat -##.adsenseframe -##.adsenseleaderboard -##.adsenselr -##.adsensem_widget -##.adsensemainpage -##.adsensesky -##.adsensesq -##.adsensex336 -##.adsenvelope -##.adsep -##.adseparator -##.adserve_728 -##.adserver_zone -##.adserverad -##.adserving -##.adset -##.adsforums -##.adsghori -##.adsgrd -##.adsgvert -##.adsh -##.adshl -##.adshome -##.adshowcase -##.adshp -##.adside -##.adside-box-index -##.adside-box-single -##.adsidebar -##.adsidebox -##.adsider -##.adsincs2 -##.adsinfo -##.adsingle -##.adsitem -##.adsize728 -##.adsizer -##.adsleaderboard -##.adsleaderboardbox -##.adsleft -##.adsleftblock -##.adslibraryArticle -##.adslider -##.adslink -##.adslist -##.adslogan -##.adslot -##.adslot-banner -##.adslot-billboard -##.adslot-mpu -##.adslot-rectangle -##.adslot-widget -##.adslot_1 -##.adslot_300 -##.adslot_728 -##.adslot_blurred -##.adslot_bot_300x250 -##.adslot_side1 -##.adslothead -##.adslotleft -##.adslotright -##.adslug -##.adslx-bottom2015 -##.adslx2015 -##.adsmall -##.adsmaller -##.adsmalltext -##.adsmanag -##.adsmbody -##.adsmedrect -##.adsmedrectright -##.adsmessage -##.adsnippet_widget -##.adsns -##.adsonar-after -##.adsonofftrigger -##.adsoptimal-slot -##.adspace -##.adspace-300x600 -##.adspace-336x280 -##.adspace-728x90 -##.adspace-MR -##.adspace-leaderboard -##.adspace-mpu -##.adspace-widget -##.adspace1 -##.adspace180 -##.adspace2 -##.adspace728x90 -##.adspace_2 -##.adspace_bottom -##.adspace_buysell -##.adspace_rotate -##.adspace_skyscraper -##.adspace_top -##.adspacer -##.adspan -##.adspanel -##.adspecial390 -##.adspeed -##.adsplash-160x600 -##.adsplat -##.adsponsor -##.adspost -##.adspot -##.adspot-title -##.adspot1 -##.adspot200x90 -##.adspot468x60 -##.adspot728x90 -##.adspotGrey -##.adspot_468x60 -##.adspot_728x90 -##.adsrecnode -##.adsright -##.adsskyscraper -##.adssmall -##.adssquare -##.adssquare2 -##.adstext -##.adstextpad -##.adstipt -##.adstitle -##.adstop -##.adstory -##.adstrip -##.adstxt -##.adstyle -##.adsupperugo -##.adsupperugo_txt -##.adswidget -##.adswitch -##.adsxpls -##.adsystem_ad -##.adszone -##.adt-300x250 -##.adt-300x600 -##.adt-728x90 -##.adtab -##.adtable -##.adtag -##.adtech -##.adtech-ad-widget -##.adtech-banner -##.adtech-boxad -##.adtech_wrapper -##.adtext_gray -##.adtext_horizontal -##.adtext_onwhite -##.adtext_vertical -##.adtext_white -##.adtextleft -##.adtextright -##.adtexts -##.adthx -##.adtile -##.adtips -##.adtips1 -##.adtoggle -##.adtop -##.adtop-border -##.adtops -##.adtower -##.adtravel -##.adtv_300_250 -##.adtxt -##.adtxtlinks -##.adult-adv -##.adunit -##.adunit-300-250 -##.adunit-active -##.adunit-middle -##.adunit-parent -##.adunit-side -##.adunit125 -##.adunit160 -##.adunit300x250 -##.adunit468 -##.adunit_210x509 -##.adunit_300x100 -##.adunit_300x250 -##.adunit_300x600 -##.adunit_607x110 -##.adunit_728x90 -##.adunit_content -##.adunit_footer -##.adunit_leaderboard -##.adunit_maincol_right -##.adunit_rectangle -##.adunitfirst -##.adunitrd -##.adv-160 -##.adv-200-200 -##.adv-250-250 -##.adv-300 -##.adv-300-1 -##.adv-300-250 -##.adv-300x250 -##.adv-300x250-generic -##.adv-336-280 -##.adv-4 -##.adv-468-60 -##.adv-700 -##.adv-728 -##.adv-970 -##.adv-980x60 -##.adv-ad -##.adv-background -##.adv-banner -##.adv-block -##.adv-border -##.adv-bottom -##.adv-box -##.adv-box-wrapper -##.adv-click -##.adv-comment--opened -##.adv-comments -##.adv-cont -##.adv-cont1 -##.adv-container -##.adv-dvb -##.adv-format-1 -##.adv-google -##.adv-halfpage -##.adv-home-300x600 -##.adv-in-body -##.adv-inset -##.adv-intext -##.adv-intext-label -##.adv-key -##.adv-label -##.adv-leaderboard -##.adv-leaderboard-banner -##.adv-lshaped-wrapper -##.adv-mid-rect -##.adv-mpu -##.adv-mpu-shoulder -##.adv-outer -##.adv-p -##.adv-right -##.adv-right-300 -##.adv-search-ad -##.adv-sidebar -##.adv-slide-block-wrapper -##.adv-square-banner -##.adv-squarebox-banner -##.adv-teaser-divider -##.adv-top -##.adv-top-container -##.adv-top-page -##.adv-under-video -##.adv-videoad -##.adv-x61 -##.adv200 -##.adv200_border -##.adv250 -##.adv300 -##.adv300-250 -##.adv300-250-2 -##.adv300-70 -##.adv300left -##.adv300x100 -##.adv300x250 -##.adv300x70 -##.adv336 -##.adv350 -##.adv460x60 -##.adv468 -##.adv468x90 -##.adv728 -##.advBottom -##.advBottomHome -##.advBox -##.advDesktop300x250 -##.advImagesbox -##.advLB_PageMiddle -##.advLeaderboard -##.advSquare -##.advText -##.advTicker -##.advVideobox -##.advWrappers -##.adv_1 -##.adv_120 -##.adv_120_600 -##.adv_120x240 -##.adv_120x600 -##.adv_160_600 -##.adv_160x600 -##.adv_2 -##.adv_250_250 -##.adv_300 -##.adv_300_300 -##.adv_300_top -##.adv_300x250 -##.adv_336_280 -##.adv_468_60 -##.adv_630 -##.adv_728_90 -##.adv_728x90 -##.adv_90 -##.adv_PageTop -##.adv__container--300x250 -##.adv__container--728x90 -##.adv__text -##.adv_aff -##.adv_amazon_single -##.adv_banner -##.adv_banner_hor -##.adv_bg -##.adv_blocker -##.adv_box -##.adv_box_narrow -##.adv_cnt -##.adv_code -##.adv_default_box_container -##.adv_flash -##.adv_floater_left -##.adv_floater_right -##.adv_headerleft -##.adv_headerright -##.adv_hed -##.adv_here -##.adv_in_body_a -##.adv_info_text -##.adv_leaderboard -##.adv_left -##.adv_link -##.adv_main_middle -##.adv_main_middle_wrapper -##.adv_main_right_down -##.adv_main_right_down_wrapper -##.adv_medium_rectangle -##.adv_message -##.adv_page_blocker_overlay -##.adv_panel -##.adv_pointer_home -##.adv_pointer_section -##.adv_right -##.adv_sd_dx -##.adv_side1 -##.adv_side2 -##.adv_sidebar -##.adv_sidebar_300x250 -##.adv_standard_d -##.adv_title -##.adv_top -##.adv_txt -##.adv_under_menu -##.adv_underpost -##.adv_x_1 -##.adv_x_2 -##.advads-5 -##.advads_widget -##.advart -##.advbanner_300x250 -##.advbanner_300x600 -##.advbanner_970x90 -##.advbig -##.advbptxt -##.adver -##.adver-left -##.adver-text -##.adverTag -##.adverTxt -##.adver_bot -##.adver_cont_below -##.adverdown -##.adverhrz -##.adverserve145 -##.adverstisement_right -##.advert--background -##.advert--banner-wrap -##.advert--header -##.advert--leaderboard -##.advert--mpu -##.advert--mpu--rhs -##.advert--transition -##.advert--vc -##.advert--vc__wrapper -##.advert-100 -##.advert-120x90 -##.advert-160x600 -##.advert-300 -##.advert-300-side -##.advert-300x100-side -##.advert-300x250-container -##.advert-728 -##.advert-728-90 -##.advert-728x90 -##.advert-760 -##.advert-arch-top -##.advert-article-bottom -##.advert-banner -##.advert-banner-holder -##.advert-bannerad -##.advert-bg-250 -##.advert-block -##.advert-bloggrey -##.advert-body-not-home -##.advert-bot-box -##.advert-box -##.advert-bronze -##.advert-bronze-btm -##.advert-btm -##.advert-center -##.advert-center_468x60 -##.advert-col -##.advert-col-center -##.advert-competitions -##.advert-container -##.advert-content -##.advert-content-item -##.advert-detail -##.advert-featured -##.advert-footer -##.advert-full-raw -##.advert-gold -##.advert-group -##.advert-head -##.advert-header-728 -##.advert-home-380x120 -##.advert-horizontal -##.advert-iab-300-250 -##.advert-iab-468-60 -##.advert-image -##.advert-info -##.advert-label -##.advert-leaderboard -##.advert-leaderboard2 -##.advert-loader -##.advert-lower-right -##.advert-mini -##.advert-mpu -##.advert-mrec -##.advert-note -##.advert-overlay -##.advert-pane -##.advert-right -##.advert-section -##.advert-sidebar -##.advert-silver -##.advert-sky -##.advert-skyscraper -##.advert-stub -##.advert-text -##.advert-three -##.advert-tile -##.advert-title -##.advert-top -##.advert-top-footer -##.advert-txt -##.advert-under-hedaer -##.advert-unit -##.advert-wide -##.advert-words -##.advert-wrap -##.advert-wrap1 -##.advert-wrap2 -##.advert-wrapper -##.advert-wrapper_rectangle_aside -##.advert1 -##.advert120 -##.advert1Banner -##.advert2 -##.advert300 -##.advert300-home -##.advert300x100 -##.advert300x250 -##.advert300x300 -##.advert300x440 -##.advert300x600 -##.advert350ih -##.advert4 -##.advert5 -##.advert728_90 -##.advert728x90 -##.advert8 -##.advertAreaFrame -##.advertBanner -##.advertBar -##.advertBlock -##.advertBottom -##.advertBox -##.advertCaption -##.advertColumn -##.advertCont -##.advertContainer -##.advertContent -##.advertDownload -##.advertFullBanner -##.advertGenerator -##.advertHeadline -##.advertIslandWrapper -##.advertLink -##.advertLink1 -##.advertMiddle -##.advertRight -##.advertSideBar -##.advertSign -##.advertSuperBanner -##.advertText -##.advertTh -##.advertThInnBg -##.advertTitleSky -##.advertWrapper -##.advert_300x250 -##.advert_336 -##.advert_468x60 -##.advert__container -##.advert__fullbanner -##.advert__leaderboard -##.advert__mpu -##.advert__tagline -##.advert_area -##.advert_back_160x600 -##.advert_back_300x250 -##.advert_back_300xXXX -##.advert_banner -##.advert_block -##.advert_box -##.advert_caption -##.advert_cont -##.advert_container -##.advert_div -##.advert_djad -##.advert_google_content -##.advert_google_title -##.advert_header -##.advert_home_300 -##.advert_img -##.advert_in_post -##.advert_label -##.advert_leaderboard -##.advert_line -##.advert_list -##.advert_main -##.advert_main_bottom -##.advert_mpu -##.advert_mpu_body_hdr -##.advert_nav -##.advert_note -##.advert_rectangle_aside -##.advert_small -##.advert_societe_general -##.advert_source -##.advert_span -##.advert_surr -##.advert_top -##.advert_txt -##.advert_wrapper -##.advertasingtxt -##.advertbar -##.advertbox -##.advertheader-red -##.adverthome -##.advertis-left -##.advertis-right -##.advertise-box -##.advertise-here -##.advertise-homestrip -##.advertise-horz -##.advertise-info -##.advertise-inquiry -##.advertise-leaderboard -##.advertise-link -##.advertise-link-post-bottom -##.advertise-list -##.advertise-small -##.advertise-square -##.advertise-top -##.advertise-vert -##.advertiseBlack -##.advertiseContainer -##.advertiseHere -##.advertiseLabel234x60 -##.advertiseLabel300x250 -##.advertiseText -##.advertise_ads -##.advertise_box -##.advertise_box1 -##.advertise_box4 -##.advertise_here -##.advertise_link -##.advertise_link_sidebar -##.advertise_links -##.advertise_sec -##.advertise_txt -##.advertise_verRight -##.advertisebtn -##.advertisedBy -##.advertisement-1 -##.advertisement-160-600 -##.advertisement-2 -##.advertisement-234-60 -##.advertisement-250 -##.advertisement-300 -##.advertisement-300-250 -##.advertisement-300x250 -##.advertisement-300x600 -##.advertisement-728-90 -##.advertisement-728x90 -##.advertisement-750-60 -##.advertisement-BottomRight -##.advertisement-after -##.advertisement-background -##.advertisement-banner -##.advertisement-before -##.advertisement-bkg -##.advertisement-block -##.advertisement-bottom -##.advertisement-caption -##.advertisement-cell -##.advertisement-comment -##.advertisement-container -##.advertisement-content -##.advertisement-copy -##.advertisement-dashed -##.advertisement-header -##.advertisement-information-link -##.advertisement-label -##.advertisement-label-up-white -##.advertisement-layout -##.advertisement-leader-board -##.advertisement-leader-board-second -##.advertisement-leaderboard -##.advertisement-nav -##.advertisement-other -##.advertisement-placeholder -##.advertisement-position1 -##.advertisement-right -##.advertisement-right-rail -##.advertisement-sidebar -##.advertisement-space -##.advertisement-sponsor -##.advertisement-swimlane -##.advertisement-tag -##.advertisement-text -##.advertisement-top -##.advertisement-txt -##.advertisement-wrapper -##.advertisement1 -##.advertisement300x250 -##.advertisement468 -##.advertisementBackground -##.advertisementBanner -##.advertisementBannerVertical -##.advertisementBar -##.advertisementBlock -##.advertisementBox -##.advertisementCenterer -##.advertisementColumnGroup -##.advertisementContainer -##.advertisementFull -##.advertisementGif -##.advertisementHeader -##.advertisementImg -##.advertisementLabel -##.advertisementLabelFooter -##.advertisementOutsider -##.advertisementPanel -##.advertisementReloadable -##.advertisementRotate -##.advertisementSmall -##.advertisementText -##.advertisementTop -##.advertisement_160x600 -##.advertisement_300x250 -##.advertisement__728x90 -##.advertisement__label -##.advertisement_article_center_bottom_computer -##.advertisement_article_center_middle1_computer -##.advertisement_article_center_middle4_computer -##.advertisement_article_center_middle6_computer -##.advertisement_article_center_top_computer -##.advertisement_article_right_middle2_computer -##.advertisement_article_right_top_computer -##.advertisement_below_news_article -##.advertisement_block_234_60 -##.advertisement_block_468_60 -##.advertisement_box -##.advertisement_btm -##.advertisement_caption -##.advertisement_container -##.advertisement_flag -##.advertisement_flag_sky -##.advertisement_g -##.advertisement_header -##.advertisement_horizontal -##.advertisement_main_center_bottom_computer -##.advertisement_main_right_middle2_computer -##.advertisement_main_right_top_computer -##.advertisement_post -##.advertisement_river -##.advertisement_sky -##.advertisement_top -##.advertisement_watchFooter -##.advertisementonblue -##.advertisementonwhite -##.advertisements-link -##.advertisements-right -##.advertisementsOutterDiv -##.advertisements_contain -##.advertisementsubtitle -##.advertiser -##.advertiser-links -##.advertisesingle -##.advertisespace_div -##.advertising-aside-top -##.advertising-banner -##.advertising-block -##.advertising-box-top-teaser -##.advertising-content -##.advertising-fixed -##.advertising-header -##.advertising-inner -##.advertising-leaderboard -##.advertising-local-links -##.advertising-lrec -##.advertising-mention -##.advertising-srec -##.advertising-top -##.advertising-top-box -##.advertising-top-category -##.advertising160 -##.advertising2 -##.advertising300_home -##.advertising300x250 -##.advertising728 -##.advertising728_3 -##.advertisingBanner -##.advertisingBlock -##.advertisingBlocks -##.advertisingLegend -##.advertisingLrec -##.advertisingSlide -##.advertisingTable -##.advertising_300x250 -##.advertising_banner -##.advertising_block -##.advertising_bottom_box -##.advertising_box_bg -##.advertising_hibu_lef -##.advertising_hibu_mid -##.advertising_hibu_rig -##.advertising_images -##.advertising_widget -##.advertisingarea -##.advertisingarea-homepage -##.advertisingimage -##.advertisingimage-extended -##.advertisingimageextended -##.advertisingimageextended-link -##.advertisment -##.advertisment-banner -##.advertisment-label -##.advertisment-left-panal -##.advertisment-module -##.advertisment-rth -##.advertisment-top -##.advertismentBox -##.advertismentContainer -##.advertismentContent -##.advertismentText -##.advertisment_300x250 -##.advertisment_bar -##.advertisment_caption -##.advertisment_full -##.advertisment_two -##.advertize -##.advertize_here -##.advertlabel -##.advertleft -##.advertnotice -##.advertorial -##.advertorial-2 -##.advertorial-promo-box -##.advertorial-wrapper -##.advertorial2 -##.advertorial_728x90 -##.advertorial_red -##.advertorialitem -##.advertorialtitle -##.advertorialview -##.advertorialwidget -##.advertplay -##.adverts -##.adverts-125 -##.adverts-inline -##.adverts_RHS -##.advertspace -##.adverttext -##.adverttop -##.advfrm -##.advg468 -##.advhere -##.advimg160600 -##.advimg300250 -##.advoice -##.advr -##.advr-wrapper -##.advr_top -##.advr_txtcss -##.advrectangle -##.advslideshow -##.advspot -##.advt -##.advt-banner-3 -##.advt-block -##.advt-box -##.advt-sec -##.advt-text -##.advt300 -##.advt720 -##.advtBlock -##.advt_160x600 -##.advt_468by60px -##.advt_indieclick -##.advt_single -##.advt_title -##.advt_widget -##.advtext -##.advtimg -##.advtitle -##.advtop -##.advtop-leaderbord -##.advttopleft -##.advword -##.adwhitespace -##.adwide -##.adwidget -##.adwolf-holder -##.adword-box -##.adword-structure -##.adword-text -##.adword-title -##.adword1 -##.adwordListings -##.adwords -##.adwords-container -##.adwordsHeader -##.adwords_in_content -##.adwrap -##.adwrap-widget -##.adwrapper-lrec -##.adwrapper1 -##.adwrapper948 -##.adx-300x250-container -##.adx-300x600-container -##.adx-wrapper -##.adxli -##.adz2 -##.adz728x90 -##.adzone -##.adzone-footer -##.adzone-preview -##.adzone-sidebar -##.adzone_ad_5 -##.adzone_ad_6 -##.adzone_ad_7 -##.adzone_ad_8 -##.adzone_ad_9 -##.af-block-ad-wrapper -##.afc-box -##.afffix-custom-ad -##.affiliate-ad -##.affiliate-footer -##.affiliate-link -##.affiliate-mrec-iframe -##.affiliate-sidebar -##.affiliate-strip -##.affiliateAdvertText -##.affiliate_ad -##.affiliate_header_ads -##.affiliate_header_ads_container -##.affiliates-sidebar -##.affiliation728x90 -##.affinityAdHeader -##.afns-ad-sponsor-logo -##.afsAdvertising -##.afsAdvertisingBottom -##.afs_ads -##.aft-top-728x90 -##.aftContentAdLeft -##.aftContentAdRight -##.after-first-post-ad-1 -##.after-post-ad -##.after_ad -##.after_comments_ads -##.after_post_ad -##.afterpostadbox -##.agi-adsaleslinks -##.agi-adtop -##.aisle-ad -##.aisoad -##.ajaxads -##.ajdg_bnnrwidgets -##.ajdg_grpwidgets -##.al-wss-ad -##.alb-content-ad -##.alignads -##.allpages_ad_bottom -##.allpages_ad_top -##.alt-ad-box -##.alt_ad -##.alternatives_ad -##.am-adContainer -##.am-articleItem--bodyAds -##.amAdvert -##.am_ads -##.amp-ad-container -##.amsSparkleAdWrapper -##.anchor-ad-wrapper -##.anchorAd -##.annonce_textads -##.annons_themeBlock -##.annonstext -##.another_text_ad -##.answer_ad_content -##.aol-knot-fullscreen-right-ad -##.aol-twist-flyout-ad -##.aolSponsoredLinks -##.aopsadvert -##.ap_str_ad -##.apiAdMarkerAbove -##.apiAds -##.apiButtonAd -##.app-advertisements -##.app_ad_unit -##.app_advertising_skyscraper -##.apxContentAd -##.archive-ad -##.archive-ads -##.area1_2_ad1 -##.area5_ad -##.areaAd -##.area_ad03 -##.area_ad07 -##.area_ad09 -##.aroundAdUnit -##.artAd -##.artAdInner -##.art_ad_aside -##.art_ad_top -##.art_ads -##.art_aisde_ads -##.art_new_ads_468_60 -##.artcl_promo_ad -##.article-ad -##.article-ad-300x250 -##.article-ad-align-left -##.article-ad-blk -##.article-ad-bottom -##.article-ad-box -##.article-ad-cont -##.article-ad-left -##.article-ad-main -##.article-ad-primary -##.article-ads -##.article-advert -##.article-advert-container -##.article-advert-dfp -##.article-aside-ad -##.article-content-adwrap -##.article-footer-ad-container -##.article-footer__ad -##.article-footer__ads -##.article-google-adsense -##.article-grid__item--advert -##.article-header-ad -##.article-inline-ad -##.article-news-videoad -##.article-sidebar__advert -##.article-v2-rail__advert -##.articleAd -##.articleAd300x250 -##.articleAdBlade -##.articleAdSlot2 -##.articleAdTop -##.articleAdTopRight -##.articleAds -##.articleAdsL -##.articleAdvert -##.articleEmbeddedAdBox -##.articleFooterAd -##.articleHeadAdRow -##.articlePage3rdPartyContentStrip -##.articleTopAd -##.article__ad-ir -##.article_ad -##.article_ad250 -##.article_ad_container2 -##.article_adbox -##.article_ads_banner -##.article_bottom-ads -##.article_bottom_ad -##.article_google-ad -##.article_google_ads -##.article_inline_ad -##.article_inner_ad -##.article_list_in_ad -##.article_middle_ad -##.article_mpu -##.article_mpu_box -##.article_page_ads_bottom -##.article_sponsored_links -##.article_tower_ad -##.articlead -##.articleads -##.articlebodyad -##.articlepage_ads_1 -##.articlepage_ads_top -##.artist-ad-wrapper -##.as-admedia -##.as_ad -##.aseadn -##.aside-ad -##.aside-ad-wrapper -##.aside-ads -##.asideAd -##.aside_AD01 -##.aside_AD02 -##.aside_AD06 -##.aside_AD08 -##.aside_AD09 -##.aside_banner_ads -##.aside_google_ads -##.associated-ads -##.async-ad-container -##.atf-ad-medRect -##.atf-ad-medrec -##.atfAds -##.atf_ad_box -##.attachment-advert_home -##.attachment-dm-advert-bronze -##.attachment-dm-advert-gold -##.attachment-dm-advert-silver -##.attachment-sidebar-ad -##.attachment-sidebarAd -##.attachment-sidebar_ad -##.attachment-squareAd -##.attachment-weather-header-ad -##.auction-nudge -##.autoshow-top-ad -##.aux-ad-widget-1 -##.aux-ad-widget-2 -##.avertissement-download -##.b-ad -##.b-ad-footerBanner -##.b-ad-topBanner -##.b-ads728 -##.b-ads_300 -##.b-ads_gpt -##.b-ads_iframe -##.b-adsuniversal-wrap -##.b-adv-art -##.b-adv-mobi -##.b-adv-teaser -##.b-advert -##.b-advert__grid -##.b-aside-ads -##.b-astro-sponsored-links_horizontal -##.b-astro-sponsored-links_vertical -##.b5-ad-pushdown -##.b5_widget_skyscraper_ad -##.b5ad_bigbox -##.b5ad_skyscraper -##.b_ad -##.b_ads -##.b_ads_cont -##.b_ads_r -##.b_ads_top -##.back300ad -##.backgroundAd -##.badge-gag-ads-container -##.bads300 -##.badxcn -##.bam-dcRefreshableAd -##.ban-720-container -##.ban300side -##.ban420x200 -##.ban420x260 -##.ban680x450 -##.ban728 -##.ban980x90 -##.bank-rate-ad -##.banmanad -##.banner-125 -##.banner-300 -##.banner-300x250 -##.banner-300x600 -##.banner-468 -##.banner-468-60 -##.banner-468x60 -##.banner-728 -##.banner-728x90 -##.banner-950x50 -##.banner-ad -##.banner-ad-300x250 -##.banner-ad-container -##.banner-ad-footer -##.banner-ad-row -##.banner-ad-space -##.banner-ad-wrapper -##.banner-ads -##.banner-ads-300x250 -##.banner-ads-sidebar -##.banner-adsense -##.banner-adv -##.banner-advert -##.banner-adverts -##.banner-buysellads -##.banner-paid-ad-label -##.banner-rectangleMedium -##.banner-sidebar-300x250 -##.banner-top-ads -##.banner-top-banner-728x90 -##.banner1-728x90 -##.banner120x600 -##.banner125x125 -##.banner160 -##.banner160x600 -##.banner250_250 -##.banner300 -##.banner300_250 -##.banner300by250 -##.banner300x84 -##.banner336 -##.banner336x280 -##.banner350 -##.banner468 -##.banner468by60 -##.banner728 -##.banner728-ad -##.banner728-container -##.banner728x90 -##.bannerADV -##.bannerAd -##.bannerAd3 -##.bannerAd300x250 -##.bannerAdContainer -##.bannerAdLeaderboard -##.bannerAdRectangle -##.bannerAdSearch -##.bannerAdSidebar -##.bannerAdTower -##.bannerAdWrap -##.bannerAdWrapper300x250 -##.bannerAdWrapper730x86 -##.bannerAd_rdr -##.bannerAds -##.bannerAdvert -##.bannerAside -##.bannerGAd -##.bannerRightAd -##.bannerTopAdLeft -##.bannerTopAdRight -##.bannerWrapAdwords -##.banner_160x600 -##.banner_234x90 -##.banner_250x250 -##.banner_300_250 -##.banner_300x250 -##.banner_300x250_2 -##.banner_300x250_3 -##.banner_468_60 -##.banner_468x60 -##.banner_728_90 -##.banner_728x90 -##.banner_ad -##.banner_ad-728x90 -##.banner_ad_233x90 -##.banner_ad_300x250 -##.banner_ad_728x90 -##.banner_ad_footer -##.banner_ad_full -##.banner_ad_leaderboard -##.banner_ads -##.banner_ads1 -##.banner_ads_300x250 -##.banner_ads_home -##.banner_adv -##.banner_altervista_300X250 -##.banner_altervista_728X90 -##.banner_mpu_integrated -##.banner_reklam -##.banner_reklam2 -##.banner_slot -##.bannerad -##.bannerad-125tower -##.bannerad-468x60 -##.bannerad3 -##.banneradbottomholder -##.banneradd -##.bannerads -##.banneradv -##.bannerandads -##.bannergoogle -##.bannergroup-ads -##.bannergroupadvertisement -##.banneritem-ads -##.banneritem_ad -##.bannerplace728 -##.bar_ad -##.barkerAd -##.barstool_ad_floater -##.base-ad-mpu -##.base_ad -##.base_printer_widgets_AdBreak -##.bb-ad-mrec -##.bb-adv-160x600 -##.bb-adv-300x250 -##.bb-md-adv7 -##.bbccom-advert -##.bbccom_advert -##.bbsTopAd -##.bcom_ad -##.bean-advertisment -##.bean-bag-ad -##.bean-dfp-ad-unit -##.beauty_ads -##.before-comment-ad -##.belowNavAds -##.below_game_ad -##.below_player_ad -##.belowthread_advert -##.belowthread_advert_container -##.belt-ad -##.belt_ad -##.bet_AdBlock -##.bets-ads -##.betteradscontainer -##.between_page_ads -##.bex_ad -##.bg-ad-link -##.bg-ad-top -##.bg-ads -##.bgAdBlue -##.bgadgray10px -##.bgcolor_ad -##.bgnavad -##.big-ad -##.big-ads -##.big-box-ad -##.big-right-ad -##.bigAd -##.bigAdContainer -##.bigAds -##.bigAdvBanner -##.bigAdvMiddle -##.bigAdvMiddlea -##.bigBoxAdArea -##.bigCubeAd -##.big_ad -##.big_ads -##.big_center_ad -##.big_rectangle_page_ad -##.bigad -##.bigad1 -##.bigad2 -##.bigadleft -##.bigadright -##.bigads -##.bigadtxt1 -##.bigbox-ad -##.bigbox_ad -##.bigboxad -##.billboard-ad -##.billboard300x250 -##.billboardAd -##.billboard__advert -##.billboard_ad -##.bing-ads-wrapper -##.biz-ad -##.biz-ads -##.biz-adtext -##.biz-details-ad -##.biz-list-ad -##.bizCardAd -##.bizDetailAds -##.bkg-ad-browse -##.bl_adv_right -##.blacboard-ads-container -##.blk_advert -##.blocAdInfo -##.bloc_ads_notice -##.bloc_adsense_acc -##.block--ad-superleaderboard -##.block--ads -##.block--bean-artadocean-splitter -##.block--bean-artadocean-text-link-1 -##.block--bean-artadocean-text-link-2 -##.block--bean-artadocean300x250-1 -##.block--bean-artadocean300x250-3 -##.block--bean-artadocean300x250-6 -##.block--simpleads -##.block--views-premium-ad-slideshow-block -##.block-ad -##.block-ad-header -##.block-ad-leaderboard -##.block-ad-masthead -##.block-ad-middle -##.block-ad-mpu -##.block-ad-wrapper -##.block-ad300 -##.block-ad_injector -##.block-ad_tag -##.block-admanager -##.block-ads -##.block-ads-bottom -##.block-ads-eplanning -##.block-ads-eplanning-300x250top-general -##.block-ads-eplanning-300x600 -##.block-ads-home -##.block-ads-top -##.block-ads1 -##.block-ads2 -##.block-ads3 -##.block-ads_top -##.block-adsense -##.block-adsense-managed -##.block-adsense_managed -##.block-adspace-full -##.block-adv -##.block-advertisement -##.block-advertising -##.block-adzerk -##.block-altads -##.block-ami-ads -##.block-bean-adocean -##.block-bf_ads -##.block-bg-advertisement -##.block-bg-advertisement-region-1 -##.block-boxes-ad -##.block-boxes-ga_ad -##.block-deca_advertising -##.block-dennis-adsense-afc -##.block-display-ads -##.block-doubleclick_ads -##.block-ec_ads -##.block-eg_adproxy -##.block-fan-ad -##.block-fc_ads -##.block-fcc-advertising -##.block-fcc-advertising-first-sidebar-ad -##.block-featured-sponsors -##.block-first-sidebar-ad -##.block-gc_ad -##.block-gg_ads -##.block-google-admanager -##.block-google-admanager-dfp -##.block-google_admanager -##.block-google_admanager2 -##.block-hcm-ads -##.block-hcm_ads -##.block-inner-adds -##.block-maniad -##.block-module-ad -##.block-module-ad-300x250 -##.block-module-ad-300x600 -##.block-mps -##.block-nmadition -##.block-ohtdisplayad -##.block-openads -##.block-openadstream -##.block-openx -##.block-pm_doubleclick -##.block-reklama -##.block-simpleads -##.block-skyscraper-ad -##.block-sn-ad-blog-wrapper -##.block-sponsor -##.block-sponsored-links -##.block-thirdage-ads -##.block-vh-adjuggler -##.block-wtg_adtech -##.block-yt-ads -##.block-zagat_ads -##.block1--ads -##.blockAd -##.blockAd300x97 -##.blockAds -##.blockAdvertise -##.block_ad -##.block_ad_floating_bar -##.block_ad_middle -##.block_ad_sb_text -##.block_ad_sb_text2 -##.block_ad_sponsored_links -##.block_ad_sponsored_links-wrapper -##.block_ad_sponsored_links_localized -##.block_ad_sponsored_links_localized-wrapper -##.block_ad_top -##.block_ads -##.block_adslot -##.block_adv -##.block_advert -##.blockad -##.blocked-ads -##.blockid_google-adsense-block -##.blockrightsmallads -##.blocsponsor -##.blog-ad -##.blog-ad-leader-inner -##.blog-ads -##.blog-ads-container -##.blog-ads-top -##.blog-advertisement -##.blog-view-ads -##.blog2AdIntegrated -##.blogAd -##.blogAdvertisement -##.blogArtAd -##.blogBigAd -##.blog_ad -##.blog_ad_continue -##.blog_divider_ad -##.blogads -##.blogads-sb-home -##.blogroll-ad-img -##.blogs_2_square_ad -##.blox3featuredAd -##.blue-ad -##.blxAdopsPlacement -##.bmg-sidebar-ads-125 -##.bmg-sidebar-ads-300 -##.bn_advert -##.bn_textads -##.bnr_ad -##.bo-top-ad-bottom -##.bo-top-left-ad -##.bo-top-right-ad -##.bodaciousad -##.body-ads -##.body-adzone -##.bodyAd -##.body_ad -##.body_sponsoredresults_bottom -##.body_sponsoredresults_middle -##.body_sponsoredresults_top -##.body_width_ad -##.bodyads -##.bodyads2 -##.bodybannerad -##.bodyrectanglead -##.bomAd -##.bonnier-ads -##.bonnier-ads-ad-bottom -##.bonnier-ads-ad-top -##.bookad -##.bookseller-header-advt -##.booster-ad -##.bostad -##.bot-728x90-ad -##.bot-affiliate -##.botAd -##.botRectAd -##.bot_ad -##.bot_ads -##.botad2 -##.bottom-ad -##.bottom-ad-banner -##.bottom-ad-box -##.bottom-ad-container -##.bottom-ad-fr -##.bottom-ad-large -##.bottom-ad-placeholder -##.bottom-ad-tagline -##.bottom-ad-wrapper -##.bottom-ad2 -##.bottom-ads -##.bottom-ads-wrapper -##.bottom-ads728 -##.bottom-banner-ad -##.bottom-center-adverts -##.bottom-game-ad -##.bottom-large-google-ad -##.bottom-leaderboard-adslot -##.bottom-left-ad -##.bottom-main-adsense -##.bottom-mpu-ad -##.bottom-right-advert -##.bottom-rightadvtsment -##.bottom-slider-ads -##.bottom2-adv -##.bottomAd -##.bottomAdBlock -##.bottomAds -##.bottomAdsTitle -##.bottomAdvTxt -##.bottomAdvert -##.bottomAdvertisement -##.bottomAdvt -##.bottomArticleAds -##.bottomBannerAd -##.bottomBannerAdsSmallBotLeftHolder -##.bottomELAd -##.bottomFriendsAds -##.bottomReviewAd -##.bottom_ad -##.bottom_ad_block -##.bottom_ad_placeholder -##.bottom_ad_responsive -##.bottom_adbreak -##.bottom_ads -##.bottom_ads_wrapper_inner -##.bottom_adsense -##.bottom_adspace -##.bottom_advert_728x90 -##.bottom_advertise -##.bottom_banner_ad -##.bottom_banner_advert_text -##.bottom_bar_ads -##.bottom_left_advert -##.bottom_right_ad -##.bottom_rightad -##.bottom_side_ad -##.bottom_sponsor -##.bottomad -##.bottomad-bg -##.bottomadarea -##.bottomads -##.bottomadtop -##.bottomadvert -##.bottomadwords -##.bottombarad -##.bottomleader -##.bottomleader-ad-wrapper -##.bottomrightrailAd -##.bottomvidad -##.botton_advertisement -##.box-ad -##.box-ad-a -##.box-ad-grey -##.box-ad-mr1 -##.box-ad-unit-j -##.box-ad-wsr -##.box-ads -##.box-ads-small -##.box-adsense -##.box-adv-300-home -##.box-adv-social -##.box-advert -##.box-advert-sponsored -##.box-advertisement -##.box-adverts -##.box-entry-ad -##.box-entry-ad-bottom-single -##.box-footer-ad -##.box-google-text-ad -##.box-radvert -##.box-recommend-ad -##.box-sidebar-ad -##.box-sidebar-ad-125 -##.box-sidebar-ad-160 -##.box-sidebar-ad-300 -##.box1-ad -##.boxAd -##.boxAdContainer -##.boxAdFields -##.boxAdMrec -##.boxAds -##.boxAdsInclude -##.boxAdvertisement -##.boxOuterAD -##.boxSponsor -##.box_ad -##.box_ad_container -##.box_ad_content -##.box_ad_horizontal -##.box_ad_spacer -##.box_ad_wrap -##.box_ads -##.box_ads728x90_holder -##.box_adv -##.box_adv1 -##.box_adv2 -##.box_adv_728 -##.box_adv_hp -##.box_adv_new -##.box_advertising -##.box_advertising_info -##.box_advertisment_62_border -##.box_content_ad -##.box_content_ads -##.box_publicidad -##.box_sidebar-ads -##.box_textads -##.box_title_ad -##.boxad -##.boxad1 -##.boxad120 -##.boxadcont -##.boxads -##.boxadv -##.boxcontentad -##.boxsponsor2 -##.boxyads -##.bps-ad-wrapper -##.bps-advertisement -##.bps-advertisement-inline-ads -##.bps-advertisement-placeholder -##.bps-search-chitika-ad -##.bq_ad_320x250 -##.bq_adleaderboard -##.bq_rightAd -##.br-ad -##.br-ad-text -##.br-ad-wrapper -##.br-banner-ad -##.br-right-rail-ad -##.branding-ad-gallery -##.branding-ad-wrapper -##.breadads -##.breadcumbad -##.breakad_container -##.breaker-ad -##.breakerAd -##.breakingNewsModuleSponsor -##.breakthrough-ad -##.broker-ad -##.broker-ads -##.broker-ads-center -##.brokerad -##.browse-ad-container -##.browse-banner_ad -##.browse-by-make-ad -##.browser_boot_ad -##.bs-ad -##.bsAdvert -##.bsa-in-post-ad-125-125 -##.bsa_ads -##.bsa_it_ad -##.bt_ad -##.btf-ad-medRect -##.btfAds -##.btm_ad -##.btm_ad_container -##.btn-ad -##.btn-newad -##.btn_ad -##.budget_ads_1 -##.budget_ads_2 -##.budget_ads_3 -##.budget_ads_bg -##.bullet-sponsored-links -##.bullet-sponsored-links-gray -##.bump-ad -##.bunyad-ad -##.burstContentAdIndex -##.businessads -##.busrep_poll_and_ad_container -##.button-ad -##.button-ads -##.buttonAd -##.buttonAdSpot -##.buttonAds -##.button_ad -##.button_ads -##.button_advert -##.buttonad -##.buttonad_v2 -##.buttonadbox -##.buttonads -##.buySellAdsContainer -##.buysellAds -##.buysellAdsSmall -##.buzzAd -##.buzz_ad_block -##.buzz_ad_wrap -##.bx_ad -##.bx_ad_right -##.bxad -##.bz-ad -##.bzads-ic-ad-300-250-600 -##.c-ad -##.c-ad-size2 -##.c-ad-size3 -##.c-adunit -##.c-adunit--billboard -##.c-adunit--first -##.c-adunit__container -##.c-advert-superbanner -##.c-advertisement--leaderboard -##.c-advertisement--rectangle-float -##.c-res-ad -##.c300x250-advert -##.c3_adverts -##.cA-adStack -##.cA-adStrap -##.cColumn-TextAdsBox -##.cLeftTextAdUnit -##.c_adsky -##.c_google_adsense_nxn -##.c_ligatus_nxn -##.calendarAd -##.calloutAd -##.calls-to-action__sidebar-ad-container -##.can_ad_slug -##.canoeAdvertorial -##.carbonad -##.carbonad-tag -##.card--ad -##.card--article-ad -##.card-ad -##.card-ads -##.cards-categorical-list-ad -##.care2_adspace -##.careerAdviceAd1 -##.carouselbanner_advert -##.carouselbannersad -##.cat_context_ad -##.catalog-listing-ad-item -##.catalog_ads -##.catalyst-ads -##.cate_right_ad -##.category-ad -##.category-advertorial -##.categorySponsorAd -##.category__big_game_container_body_games_advertising -##.categoryfirstad -##.categoryfirstadwrap -##.categorypage_ad1 -##.categorypage_ad2 -##.catfish_ad -##.cb-ad-banner -##.cb-ad-container -##.cb_ads -##.cb_navigation_ad -##.cbolaBannerStructure -##.cbs-ad -##.cbs-ad-unit -##.cbs-ad-unit-wrapper -##.cbstv_ad_label -##.cbzadvert -##.cbzadvert_block -##.cc-advert -##.cct-tempskinad -##.cdAdContainer -##.cdAdTitle -##.cdLanderAd -##.cdc-ad -##.cde_ads_right_top_300x250 -##.cdmainlineSearchAdParent -##.cdo-ad -##.cdo-ad-section -##.cdo-dicthomepage-btm-ad -##.cdsidebarSearchAdParent -##.center-ad -##.center-ad-banner -##.center-gray-ad-txt -##.centerAd -##.centerAdBar -##.centerAds -##.center_ad -##.center_add -##.center_ads -##.center_adsense -##.centerad -##.centerads -##.centeradv -##.centered-ad -##.centered_wide_ad -##.cg_ad_slug -##.ch_advertisement -##.change-ad-h-btn -##.change_AdContainer -##.changeableadzone -##.channel-adv -##.channel_ad_2016 -##.chartad -##.chitika-ad -##.chitikaAdBlock -##.chitikaAdCopy -##.chrt-subheader__adv -##.cinemabotad -##.cl-ad-slot-post1 -##.cl-ad-slot-post2 -##.clHeader_Ad -##.classifiedAdSplit -##.classifiedAdThree -##.clearerad -##.client-ad -##.close-ad-wrapper -##.close2play-ads -##.cm-ad -##.cm-ad-row -##.cm-hero-ad -##.cm-rp01-ad -##.cm-rp02-ad -##.cm-take-a-break-ad-area -##.cmAd -##.cmAdCentered -##.cmAdContainer -##.cmAdFind -##.cmAdSponsoredLinksBox -##.cmBottomAdRight -##.cmMediaRotatorAd -##.cmMediaRotatorAdSponsor -##.cmRecentOnAirAds -##.cmTeaseAdSponsoredLinks -##.cm_ads -##.cmam_responsive_ad_widget_class -##.cmg-ads -##.cmi-content-3ads-horizontal -##.cms-Advert -##.cms-magazine-rightcol-adtag -##.cn24-ads -##.cn24-ads-160x600 -##.cn24-ads-300x250 -##.cn24-ads-600x290 -##.cnAdContainer -##.cnAdDiv -##.cnAdzerkDiv -##.cnIframeAdvertisements -##.cn_ad_placement -##.cnbcHeaderAd -##.cnbcRailAd -##.cnbc_badge_banner_ad_area -##.cnbc_banner_ad_area -##.cnbc_leaderboard_ad -##.cnn160AdFooter -##.cnnAd -##.cnnSearchSponsorBox -##.cnnStoreAd -##.cnnStoryElementBoxAd -##.cnnWCAdBox -##.cnnWireAdLtgBox -##.cnn_728adbin -##.cnn_adbygbin -##.cnn_adcntr300x100 -##.cnn_adcntr728x90 -##.cnn_adcntr728x90t -##.cnn_adspc300x100 -##.cnn_adspc336cntr -##.cnn_adtitle -##.cnn_fabcatad -##.cnn_grpnadclk -##.cnn_pt_ad -##.cnn_sectprtnrbox_cb -##.cnn_sectprtnrbox_grpn336 -##.cns-ads-stage -##.cnt-half-page-ads -##.cnt-header-ad -##.cnt-right-box-ad -##.cnt-right-vertical-ad -##.cnt-right-vertical-ad-home -##.cntAd -##.cnt_ad -##.cntrad -##.cobalt-ad -##.col-ad -##.col-ad-hidden -##.col-line-ad -##.colRightAd -##.col_ad -##.col_header_ads_300x250 -##.colads -##.colombiaAd -##.column-ad -##.column2-ad -##.columnAdvert -##.columnBoxAd -##.columnRightAdvert -##.column_3_ad -##.com-ad-server -##.comment-ad -##.comment-ad-wrap -##.comment-advertisement -##.comment_ad -##.comment_ad_box -##.commentsFavoritesAd -##.commentsbannerad -##.commercial-ad -##.commercial-ad-long -##.commercialAd -##.common-adv-box -##.common_advertisement_title -##.communityAd -##.comp_AdsFrontPage_300x600 -##.companion-ad -##.companion-ads -##.companionAd -##.companion_ad -##.compareBrokersAds -##.component-sponsored-links -##.conTSponsored -##.con_widget_advertising -##.conductor_ad -##.confirm_ad_left -##.confirm_ad_right -##.confirm_leader_ad -##.consoleAd -##.cont-ad -##.contads_middle -##.contained-ad-shaft -##.container--ad -##.container--bannerAd -##.container--header-ads -##.container-ad-600 -##.container-adbanner-global -##.container-adbanner-list -##.container-adbanner-mobile -##.container-adds -##.container-advMoreAbout -##.container-adwords -##.container-lower-ad -##.container-rectangle-ad -##.container-top-adv -##.containerAdsense -##.containerSqAd -##.container_ad -##.container_row_ad -##.container_serendipity_plugin_google_adsense -##.contains-ad -##.content-ad -##.content-ad-article -##.content-ad-box -##.content-ad-outer-container -##.content-ad-side -##.content-ad-widget -##.content-ad-wrapper -##.content-advert -##.content-advertisment -##.content-box-inner-adsense -##.content-cliff__ad -##.content-cliff__ad-container -##.content-footer-ad -##.content-footer-ad-block -##.content-header-ad -##.content-item-ad-top -##.content-list__ad-label -##.content-result-ads -##.content-unit-ad -##.contentAd -##.contentAd510 -##.contentAdBox -##.contentAdContainer -##.contentAdFoot -##.contentAdIndex -##.contentAds -##.contentAdsCommon -##.contentAdsWrapper -##.contentAdvertisement -##.contentTopAd -##.contentTopAdSmall -##.contentTopAds -##.content_468_ad -##.content_ad -##.content_ad_728 -##.content_ad_head -##.content_ad_side -##.content_ads -##.content_ads_index -##.content_adsense -##.content_adsq -##.content_advert -##.content_advertising -##.content_bottom_adsense -##.content_column2_ad -##.content_inner_ad -##.content_middle_adv -##.content_tagsAdTech -##.contentad -##.contentad-home -##.contentad300x250 -##.contentad_right_col -##.contentadarticle -##.contentadfloatl -##.contentadleft -##.contentads1 -##.contentads2 -##.contentadstartpage -##.contentadstop1 -##.contentadvside -##.contentleftad -##.contentpage_searchad -##.contents-ads-bottom-left -##.contenttextad -##.contentwellad -##.contentwidgetads -##.contest_ad -##.context-ads -##.contextualAds -##.contextual_ad_unit -##.convert-media-ad -##.copy-adChoices -##.core-adplace -##.cornerBoxInnerWhiteAd -##.cornerad -##.cosmo-ads -##.cp-adsInited -##.cp_ad -##.cpaAdPosition -##.cpmstarHeadline -##.cpmstarText -##.cr_ad -##.cranky-ads-zone -##.create_ad -##.credited_ad -##.criAdv -##.criteo-ad -##.cross_delete_ads -##.crumb-ad -##.cs-adv-wrapper -##.cs-mpu -##.csPromoAd -##.csa-adsense -##.cscTextAd -##.cse_ads -##.csiAd_medium -##.cspAd -##.ct-ad-article -##.ct-ad-article-wrapper -##.ct-ads -##.ct-bottom-ads -##.ct_ad -##.ctn-advertising -##.ctnAdSkyscraper -##.ctnAdSquare300 -##.ctn_ads_rhs -##.ctn_ads_rhs_organic -##.ctpl-duplicated-ad -##.ctr-tss-ads -##.cube-ad -##.cubeAd -##.cube_ad -##.cube_ads -##.cubead-widget -##.currency_ad -##.custom-ad -##.custom-ad-container -##.custom-ads -##.custom-advert-banner -##.custom-banner-leaderboard-ad -##.customAd -##.custom_ads -##.custom_banner_ad -##.custom_footer_ad -##.customadvert -##.customized_ad_module -##.cwAdvert -##.cwv2Ads -##.cxAdvertisement -##.cyads650x100 -##.da-custom-ad-box -##.darla_ad -##.dart-ad -##.dart-ad-content -##.dart-ad-grid -##.dart-ad-taboola -##.dart-ad-title -##.dart-advertisement -##.dart-leaderboard -##.dart-leaderboard-top -##.dart-medsquare -##.dartAd300 -##.dartAd491 -##.dartAdImage -##.dart_ad -##.dart_tag -##.dartad -##.dartadbanner -##.dartadvert -##.dartiframe -##.datafile-ad -##.dc-ad -##.dc-banner -##.dc-half-banner -##.dc-widget-adv-125 -##.dcAdvertHeader -##.dcmads -##.dd-ad -##.dd-ad-container -##.dda-ad -##.ddc-table-ad -##.deckAd -##.deckads -##.demo-advert -##.desktop-ad -##.desktop-ad-banner -##.desktop-advert -##.desktop-aside-ad -##.desktop-aside-ad-hide -##.desktop-postcontentad-wrapper -##.desktop_ad -##.desktoponlyad -##.detail-ads -##.detailMpu -##.detailSidebar-adPanel -##.detail_ad -##.detail_article_ad -##.detail_top_advert -##.details-advert -##.devil-ad-spot -##.dfad -##.dfad_first -##.dfad_last -##.dfad_pos_1 -##.dfad_pos_2 -##.dfad_pos_3 -##.dfad_pos_4 -##.dfad_pos_5 -##.dfad_pos_6 -##.dfads-javascript-load -##.dfp-ad -##.dfp-ad-advert_mpu_body_1 -##.dfp-ad-container -##.dfp-ad-full -##.dfp-ad-rect -##.dfp-ad-unit -##.dfp-ad-widget -##.dfp-ads-ad-article-middle -##.dfp-ads-embedded -##.dfp-banner -##.dfp-banner-slot -##.dfp-button -##.dfp-leaderboard -##.dfp-plugin-advert -##.dfp-slot-wallpaper -##.dfp-tag-wrapper -##.dfp-top1 -##.dfp-top1-container -##.dfp_ad -##.dfp_ad_caption -##.dfp_ad_content_bottom -##.dfp_ad_content_top -##.dfp_ad_footer -##.dfp_ad_header -##.dfp_ad_inner -##.dfrads -##.dhAdContainer14 -##.diggable-ad-sponsored -##.discourse-google-dfp -##.display-ad -##.display-ads-block -##.display-advertisement -##.displayAd -##.displayAd728x90Js -##.displayAdCode -##.displayAdSlot -##.displayAdUnit -##.displayAds -##.display_ad -##.display_ads_right -##.div-google-adx -##.divAd -##.divAdright -##.divAdsBanner -##.divAdsLeft -##.divAdsRight -##.divAdvTopRight -##.divGoogleAdsTop -##.divMAD2 -##.divReklama -##.divRepAd -##.divSponsoredBox -##.divSponsoredLinks -##.divTopADBanner -##.divTopADBannerWapper -##.div_adv300 -##.div_adv620 -##.div_adv728 -##.div_advertisement -##.div_advertorial -##.div_advstrip -##.div_banner468 -##.divad1 -##.divad2 -##.divad3 -##.divads -##.divadsensex -##.divider-ad -##.divider-advert -##.divider-full-width-ad -##.divider_ad -##.dlSponsoredLinks -##.dm-ads-125 -##.dm-ads-350 -##.dmRosMBAdBox -##.dm_ad-container -##.dmco_advert_iabrighttitle -##.dn-ad-small -##.dn-ad-wide -##.dod_ad -##.double-ad -##.double-ads -##.double-click-ad -##.double-square-ad -##.doubleGoogleTextAd -##.double_adsense -##.double_click_widget -##.doubleclick-ad -##.doubleclick_adtype -##.download-ad -##.downloadAds -##.download_ad -##.download_adv_text_video -##.download_link_sponsored -##.downloadad -##.drop-ad -##.dropdownAds -##.ds-ad -##.ds-ad-300 -##.ds-ad-col-container -##.ds-ad-container -##.ds-ad-container-300 -##.ds-ad-container-728 -##.ds-ad-container-home -##.ds-ad-container-ros -##.ds-ad-home -##.ds-ad-inner -##.ds-ad-ros -##.dsq_ad -##.dualAds -##.dvad1 -##.dvad2 -##.dvad3 -##.dvad3mov -##.dvad4 -##.dvad4cont -##.dvad5 -##.dvad5cont -##.dvadevent -##.dvadvhw -##.dvcvmidads -##.dvcvrgtad -##.dwn_link_adv -##.dynamic-ad-wrap-b -##.dynamic-ads -##.dynamicLeadAd -##.dynamic_ad -##.dynamic_adslot -##.dynamicad1 -##.dynamicad2 -##.e-ad -##.eads -##.earAdv -##.east_ad_bg -##.east_ad_block -##.easy-ads -##.easyAdsBox -##.easyAdsSinglePosition -##.easyazon-block -##.eb_ad280 -##.ebayads -##.ec-ads -##.ec-ads-remove-if-empty -##.ec_ad_banner -##.ecosia-ads -##.editor_ad -##.editorial-adsense -##.editors-ads -##.ehs-adbridge -##.ej-advertisement-text -##.element--ad -##.element-ad -##.element-adplace -##.em-ad -##.em-ads-widget -##.em_ad_300x250 -##.em_ads_box_dynamic_remove -##.embAD -##.embed-ad -##.embedded-article-ad -##.embeddedAd -##.embeddedAds -##.emm-ad -##.empty-ad -##.endemic_ads -##.eng_ads -##.engagement_ad -##.eniro_ad -##.enterpriseAd -##.entry-ad -##.entry-ads -##.entry-ads-110 -##.entry-body-ad -##.entry-bottom-ad -##.entry-injected-ad -##.entry-top-ad -##.entryAd -##.entry_sidebar_ads -##.entryad -##.eol-ads -##.epicgame-ads -##.esp_publicidad -##.et-single-post-ad -##.etad -##.eu-advertisment1 -##.eu-advertisment2 -##.eu-miniadvertisment -##.event-ads -##.event-ads-inside -##.exec-advert-flash -##.expanding-ad -##.expertsAd -##.ext-ad -##.external-add -##.externalAdComponent -##.extrasColumnFuseAdLocal -##.ez-ad -##.ez-clientAd -##.ezAdsWidget -##.ezAdsense -##.ezoic-ad -##.f-item-ad -##.fN-affiliateStrip -##.f_Ads -##.fa-google-ad -##.facebook-ad -##.fbCalendarAds -##.fbPhotoSnowboxAds -##.fblockad -##.fc_splash_ad -##.fd-ad -##.fd-display-ad -##.fdDisplayAdGrid -##.fdc_ad -##.fe-blogs__desktop-ad -##.fe-blogs__sidebar-ad -##.fe-blogs__sidebar-ad--sticky-fix -##.fe-blogs__sidebar-ad-wrapper -##.fe-blogs__top-ad -##.fe-blogs__top-ad-wrapper -##.fe-blogs__top-ad-wrapper-leaderboard -##.feat_ads -##.featureAd -##.feature_ad -##.featured-ad -##.featured-ads -##.featured-sponsors -##.featured-story-ad -##.featuredAdBox -##.featuredAds -##.featuredBoxAD -##.featured_ad -##.featured_ad_item -##.featured_advertisers_box -##.featuredadvertising -##.feed-ad -##.feed-s-update--is-sponsored -##.feedBottomAd -##.feeds-adblade -##.ffz_bottom_ad -##.fg_Ad -##.fgc-advertising -##.fi_adsense -##.field-name-shared-ad-placement-landscape -##.finpostsads -##.fireplaceadleft -##.fireplaceadright -##.fireplaceadtop -##.first-ad -##.first-ad-wrap -##.first_ad -##.first_post_ad -##.firstad -##.firstpost_advert -##.firstpost_advert_container -##.fiveMinCompanionBanner -##.fix-ad -##.fixed-ad-160x600 -##.fixed-ads-header -##.fixedAds -##.fixedRightAd -##.fixed_ad_336x280 -##.fl-adsense -##.fl_adbox -##.flagads -##.flash-advertisement -##.flashAd -##.flash_ad -##.flash_advert -##.flashad -##.flashadd -##.flex-ad -##.flexAd -##.flexad -##.flexadvert -##.flexbanneritemad -##.flexiad -##.flipbook_v2_sponsor_ad -##.floatAdv -##.floatad -##.floatads -##.floated-ad -##.floated_right_ad -##.floating-advert -##.floatingAds -##.fly-ad -##.fm-badge-ad -##.fnadvert -##.fns_td_wrap -##.fold-ads -##.follower-ad-bottom -##.following-ad -##.following-ad-container -##.foot-ad -##.foot-ads -##.foot-advertisement -##.foot_adsense -##.footad -##.footer-300-ad -##.footer-ad -##.footer-ad-elevated -##.footer-ad-full-wrapper -##.footer-ad-section -##.footer-ad-squares -##.footer-ad1 -##.footer-ads -##.footer-ads-wrapper -##.footer-adsbar -##.footer-adsense -##.footer-advert -##.footer-advert-large -##.footer-advertisement -##.footer-advertisement-container -##.footer-advertisements -##.footer-advertising-area -##.footer-banner-ad -##.footer-floating-ad -##.footer-leaderboard-ad -##.footer-ribbon-ad -##.footer-text-ads -##.footerAd -##.footerAdModule -##.footerAdUnit -##.footerAdWrapper -##.footerAds -##.footerAdsWrap -##.footerAdslot -##.footerAdverts -##.footerFullAd -##.footerGoogleAdMainWarp -##.footerTextAd -##.footer_ad -##.footer_ad336 -##.footer_ad_container -##.footer_ads -##.footer_adv -##.footer_advertisement -##.footer_banner_ad_container -##.footer_block_ad -##.footer_bottom_ad -##.footer_bottomad -##.footer_line_ad -##.footer_text_ad -##.footer_text_adblog -##.footerad -##.footerads -##.footeradspace -##.footertextadbox -##.for-taboola -##.foreign-ad01 -##.foreign-ad02 -##.forex_ad_links -##.fortune-ad-unit -##.forum-ad-2 -##.forum-topic--adsense -##.forumAd -##.forum_ad_beneath -##.forumtopad -##.four-ads -##.four-six-eight-ad -##.four_button_threeone_ad -##.four_percent_ad -##.fp-ad300 -##.fp-adinsert -##.fp-ads -##.fp-right-ad -##.fp-right-ad-list -##.fp-right-ad-zone -##.fp_ad_text -##.frame_adv -##.framead -##.freedownload_ads -##.freegame_bottomad -##.freewheelDEAdLocation -##.frn_adbox -##.frn_adbox_placeholder -##.frn_cont_adbox -##.frn_placeholder_google_ads -##.frontads -##.frontone_ad -##.frontpage-google-ad -##.frontpage-right-ad -##.frontpage-right-ad-hide -##.frontpage_ads -##.fs-ad-block -##.fs1-advertising -##.fsAdContainer -##.fs_ad_300x250 -##.fsrads -##.ft-ad -##.ftb-native-ads -##.ftdAdBar -##.ftdContentAd -##.ftr_ad -##.ftv-ad-sumo -##.full-ad -##.full-width-ad -##.full-width-ad-container -##.fullSizeAd -##.full_ad_box -##.full_ad_row -##.full_width_ad -##.fulladblock -##.fullbannerad -##.fusion-advert -##.fusionAd -##.fusionAdLink -##.future_dfp-inline_ad -##.fw-mod-ad -##.fwAdTags -##.g-ad -##.g-ad-slot -##.g-ad-slot-toptop -##.g-adblock3 -##.g-advertisement-block -##.g1-ads -##.g2-adsense -##.g3-adsense -##.g3rtn-ad-site -##.gAdRows -##.gAdSky -##.gAds -##.gAds1 -##.gAdsBlock -##.gAdsContainer -##.gAdvertising -##.g_ad -##.g_ad336 -##.g_ads_200 -##.g_ads_728 -##.g_adv -##.g_ggl_ad -##.ga-ad-split -##.ga-ads -##.ga-textads-bottom -##.ga-textads-top -##.gaTeaserAds -##.gaTeaserAdsBox -##.gabfire_ad -##.gad_container -##.gads300x250 -##.gads_cb -##.gads_container -##.gadsense -##.gadstxtmcont2 -##.galleria-AdOverlay -##.galleria-ad-2 -##.galleria-adsense -##.gallery-ad -##.gallery-ad-container -##.gallery-ad-holder -##.gallery-ad-wrapper -##.gallery-injectedAd -##.gallery-sidebar-ad -##.galleryAds -##.galleryAdvertPanel -##.galleryLeftAd -##.galleryRightAd -##.gallery_300x100_ad -##.gallery__aside-ad -##.gallery__bottom-ad -##.gallery__footer-ad -##.gallery_ad -##.gallery_ad_wrapper -##.gallery_ads_box -##.gallery_post--interstitial_ad -##.galleryads -##.gam-300x250-default-ad-container -##.gam_ad_slot -##.game-ads -##.game-right-ad-container -##.gameAd -##.gameBottomAd -##.game__adv_containerLeaderboard -##.game_right_ad -##.game_under_ad -##.gamepage_boxad -##.gamepageadBox -##.gameplayads -##.games-ad-wrapper -##.games-ad300 -##.gamesPage_ad_container -##.gamesPage_ad_content -##.gamezebo_ad -##.gamezebo_ad_info -##.gbl_adstruct -##.gbl_advertisement -##.gdgt-header-advertisement -##.gdgt-postb-advertisement -##.gdm-ad -##.geeky_ad -##.gels-inlinead -##.gemini-ad -##.gen_side_ad -##.general-adzone -##.general_banner_ad -##.generic-ad-module -##.generic-ad-title -##.generic_300x250_ad -##.geoAd -##.getridofAds -##.getridofAdsBlock -##.gfp-banner -##.ggads -##.ggadunit -##.ggadwrp -##.gglAds -##.ggl_ads_row -##.gglads300 -##.gl_ad -##.glamsquaread -##.glance_banner_ad -##.globalAd -##.globalAdLargeRect -##.globalAdLeaderBoard -##.global_banner_ad -##.gm-ad-lrec -##.gms-ad-centre -##.gms-advert -##.gn_ads -##.go-ad -##.go-ads-widget-ads-wrap -##.goAdverticum -##.goglad -##.goog_ad -##.googad -##.googads -##.google-ad -##.google-ad-728-90 -##.google-ad-afc-header -##.google-ad-block -##.google-ad-bottom-outer -##.google-ad-container -##.google-ad-content -##.google-ad-fix -##.google-ad-image -##.google-ad-pad -##.google-ad-side_ad -##.google-ad-sidebar -##.google-ad-space -##.google-ad-space-vertical -##.google-ad-square-sidebar -##.google-ad-top-outer -##.google-ad-widget -##.google-ad-wrapper-ui -##.google-ads -##.google-ads-boxout -##.google-ads-container -##.google-ads-group -##.google-ads-leaderboard -##.google-ads-long -##.google-ads-obj -##.google-ads-responsive -##.google-ads-right -##.google-ads-rodape -##.google-ads-sidebar -##.google-ads-slim -##.google-ads-widget -##.google-ads-wrapper -##.google-ads2 -##.google-adsbygoogle -##.google-adsense -##.google-advertisement -##.google-advertisement_txt -##.google-afc-wrapper -##.google-csi-ads -##.google-dfp-ad-label -##.google-entrepreneurs-ad -##.google-right-ad -##.google-sponsored -##.google-sponsored-ads -##.google-sponsored-link -##.google-sponsored-links -##.google-text-ads -##.google-user-ad -##.google300x250 -##.google300x250BoxFooter -##.google300x250TextDetailMiddle -##.google300x250TextFooter -##.google468 -##.google468_60 -##.google728x90 -##.google728x90TextDetailTop -##.googleAd -##.googleAd-content -##.googleAd-list -##.googleAd300x250 -##.googleAd300x250_wrapper -##.googleAd728OuterTopAd -##.googleAdBox -##.googleAdContainer -##.googleAdContainerSingle -##.googleAdFoot -##.googleAdSearch -##.googleAdSense -##.googleAdSenseModule -##.googleAdTopTipDetails -##.googleAdWrapper -##.googleAd_160x600 -##.googleAd_1x1 -##.googleAd_728x90 -##.googleAd_body -##.googleAdd -##.googleAds -##.googleAds336 -##.googleAds728 -##.googleAds_article_page_above_comments -##.googleAdsense -##.googleAdsense468x60 -##.googleAdv1 -##.googleBannerWrapper -##.googleContentAds -##.googleInsideAd -##.googleLgRect -##.googleProfileAd -##.googleSearchAd_content -##.googleSearchAd_sidebar -##.googleSideAd -##.googleSkyWrapper -##.googleSubjectAd -##.google_728x90 -##.google_ad -##.google_ad3 -##.google_ad336 -##.google_ad_bg -##.google_ad_btn -##.google_ad_container -##.google_ad_label -##.google_ad_mrec -##.google_ad_right -##.google_ad_wide -##.google_add -##.google_add_container -##.google_admanager -##.google_ads -##.google_ads_468x60 -##.google_ads_bom_block -##.google_ads_bom_title -##.google_ads_content -##.google_ads_header11 -##.google_ads_sidebar -##.google_ads_v3 -##.google_adsense -##.google_adsense1 -##.google_adsense1_footer -##.google_adsense_footer -##.google_adsense_sidebar_left -##.google_afc -##.google_afc_ad -##.google_afc_articleintext -##.google_afc_categorymain -##.google_top_adsense -##.google_top_adsense1 -##.google_top_adsense1_footer -##.google_top_adsense_footer -##.google_txt_ads_mid_big_img -##.googlead -##.googlead-sidebar -##.googleadArea -##.googlead_idx_b_97090 -##.googlead_idx_h_97090 -##.googlead_iframe -##.googlead_outside -##.googleadbottom -##.googleadcontainer -##.googleaddiv -##.googleaddiv2 -##.googleadiframe -##.googleads -##.googleads-bottommiddle -##.googleads-container -##.googleads-topmiddle -##.googleads_300x250 -##.googleads_title -##.googleadsense -##.googleadsrectangle -##.googleadvertisemen120x600 -##.googleadvertisement -##.googleadwrap -##.googleafc -##.googlebanwide -##.googleimagead1 -##.googleimagead2 -##.googlepostads -##.googley_ads -##.gp-advertisement-wrapper -##.gpAdBox -##.gpAdFooter -##.gpAds -##.gp_adbanner--bottom -##.gp_adbanner--top -##.gpadvert -##.gpt-ad -##.gpt-ads -##.gr-adcast -##.gradientAd -##.graphic_ad -##.grev-ad -##.grey-ad-line -##.grey-ad-notice -##.greyAd -##.greyad -##.grid-ad -##.grid-advertisement -##.grid-item-ad -##.gridAd -##.gridAdRow -##.gridSideAd -##.gridad -##.gridstream_ad -##.group-ad-leaderboard -##.group-google-ads -##.group_ad -##.grv_is_sponsored -##.gsAd -##.gsfAd -##.gsl-ads -##.gt_ad -##.gt_ad_300x250 -##.gt_ad_728x90 -##.gt_adlabel -##.gtadlb -##.gtop_ad -##.guide-ad -##.gujAd -##.gutter-ad-left -##.gutter-ad-right -##.gutter-ad-wrapper -##.gutterAdHorizontal -##.gw-ad -##.gx_ad -##.h-ad -##.h-ad-728x90-bottom -##.h-ad-remove -##.h-ads -##.h-large-ad-box -##.h-top-ad -##.h11-ad-top -##.h_Ads -##.h_ad -##.half-ad -##.halfPageAd -##.half_ad_box -##.halfpage_ad_container -##.has-ad -##.hasads -##.hbPostAd -##.hbox_top_sponsor -##.hcf-ad -##.hcf-ad-rectangle -##.hcf-cms-ad -##.hd-adv -##.hdTopAdContainer -##.hd_advert -##.hd_below_player_ad -##.hdr-ad -##.hdr-ad-text -##.hdr-ads -##.hdrAd -##.hdr_ad -##.head-ads -##.headAd -##.head_ad -##.head_ad_wrapper -##.head_ads -##.head_adv -##.head_advert -##.headad -##.headadcontainer -##.header--ad-space -##.header-ad -##.header-ad-area -##.header-ad-banner -##.header-ad-column -##.header-ad-frame -##.header-ad-new-wrap -##.header-ad-space -##.header-ad-wrap -##.header-ad-wrapper -##.header-ad-zone -##.header-ad234x60left -##.header-ad234x60right -##.header-adbox -##.header-adplace -##.header-ads -##.header-ads-container -##.header-ads-holder -##.header-adsense -##.header-adv -##.header-advert -##.header-advert-container -##.header-article-ads -##.header-banner-ad -##.header-banner-ads -##.header-bannerad -##.header-google-ads -##.header-menu-horizontal-ads -##.header-menu-horizontal-ads-content -##.header-sponsor -##.header-taxonomy-image-sponsor -##.header-top-ad -##.header15-ad -##.header3-advert -##.header728-ad -##.headerAd -##.headerAd1 -##.headerAdArea -##.headerAdCode -##.headerAdWrapper -##.headerAds -##.headerAdspace -##.headerAdvert -##.headerTextAd -##.headerTopAd -##.headerTopAds -##.header__ads -##.header_ad -##.header_ad_2 -##.header_ad_center -##.header_ad_div -##.header_ad_space -##.header_ads -##.header_ads_box -##.header_ads_promotional -##.header_adsense_banner -##.header_advert -##.header_advertisement -##.header_advertisement_text -##.header_advertisment -##.header_classified_ads -##.header_leaderboard_ad -##.header_right_ad -##.headerad -##.headerad-720 -##.headerad-placeholder -##.headeradarea -##.headeradhome -##.headeradinfo -##.headeradright -##.headerads -##.heading-ad-space -##.headline-adblock -##.headline-ads -##.headline_advert -##.heatmapthemead_ad_widget -##.heavy_ad -##.hero-ad -##.hi5-ad -##.hidden-ad -##.hide-ad -##.hideAdMessage -##.hideIfEmptyAd -##.hidePauseAdZone -##.hide_ad -##.hide_internal_ad -##.highlight-news-ad -##.highlights-ad -##.highlightsAd -##.hioxInternalAd -##.hl-ads-holder-0 -##.hl-post-center-ad -##.hm-sec-ads -##.hm_advertisment -##.hm_top_right_google_ads -##.hm_top_right_google_ads_budget -##.hn-ads -##.home-300x250-ad -##.home-activity-ad -##.home-ad -##.home-ad-container -##.home-ad-links -##.home-ad1 -##.home-ad2 -##.home-ad3 -##.home-ad4 -##.home-ad728 -##.home-ads -##.home-ads-container -##.home-ads-container1 -##.home-adv-box -##.home-advert -##.home-area3-adv-text -##.home-body-ads -##.home-features-ad -##.home-sidebar-ad -##.home-sidebar-ad-300 -##.home-slider-ads -##.home-sponsored-links -##.home-sticky-ad -##.home-top-ad -##.home-top-of-page__top-box-ad -##.home-top-right-ads -##.homeAd -##.homeAd1 -##.homeAd2 -##.homeAdBox -##.homeAdBoxA -##.homeAdBoxBetweenBlocks -##.homeAdBoxInBignews -##.homeAdFullBlock -##.homeAdSection -##.homeAddTopText -##.homeCentreAd -##.homeMainAd -##.homeMediumAdGroup -##.homePageAds -##.homeSubAd -##.homeTextAds -##.home_ad -##.home_ad720_inner -##.home_ad_300x100 -##.home_ad_300x250 -##.home_ad_bottom -##.home_ad_large -##.home_adblock -##.home_advert -##.home_advertisement -##.home_advertorial -##.home_box_latest_ads -##.home_mrec_ad -##.home_offer_adv -##.home_sidebar_ads -##.home_sway_adv -##.home_top_ad_slider -##.home_top_ad_slides -##.home_top_right_ad -##.home_top_right_ad_label -##.homead -##.homeadnews -##.homefront468Ad -##.homepage-300-250-ad -##.homepage-ad -##.homepage-ad-block-padding -##.homepage-ad-buzz-col -##.homepage-ad-module -##.homepage-advertisement -##.homepage-footer-ad -##.homepage-footer-ads -##.homepage-right-rail-ad -##.homepage-sponsoredlinks-container -##.homepage300ad -##.homepageAd -##.homepageFlexAdOuter -##.homepageMPU -##.homepage__ad -##.homepage__ad--middle-leader-board -##.homepage__ad--top-leader-board -##.homepage__ad--top-mrec -##.homepage_ads -##.homepage_block_ad -##.homepage_middle_right_ad -##.homepageinline_adverts -##.homesmallad -##.homestream-ad -##.hor_ad -##.hori-play-page-adver -##.horisont_ads -##.horiz_adspace -##.horizontal-ad-holder -##.horizontal-ad2 -##.horizontalAd -##.horizontalAdText -##.horizontalAdvert -##.horizontal_ad -##.horizontal_adblock -##.horizontal_ads -##.horizontalbtad -##.horizontaltextadbox -##.horizsponsoredlinks -##.hortad -##.house-ad -##.house-ads -##.houseAd -##.houseAd1 -##.houseAdsStyle -##.housead -##.hover_300ad -##.hover_ads -##.hoverad -##.hp-col4-ads -##.hp-content__ad -##.hp-inline-ss-service-ad -##.hp-main__rail__footer__ad -##.hp-slideshow-right-ad -##.hp-ss-service-ad -##.hp2-adtag -##.hpPollQuestionSponsor -##.hpPriceBoardSponsor -##.hp_320-250-ad -##.hp_ad_300 -##.hp_ad_box -##.hp_ad_cont -##.hp_ad_text -##.hp_horizontal_ad -##.hp_t_ad -##.hp_w_ad -##.hpa-ad1 -##.hr-ads -##.hr_ad -##.hr_advt -##.hrad -##.hss-ad -##.hss-ad-300x250_1 -##.hss_static_ad -##.hst-contextualads -##.ht_ad_widget -##.html-advertisement -##.html-block-ads -##.html-component-ad-filler -##.html5-ad-progress-list -##.hyad -##.hype_adrotate_widget -##.i360ad -##.i_ad -##.iab300x250 -##.iab728x90 -##.ib-adv -##.ib-figure-ad -##.ibm_ad_bottom -##.ibm_ad_text -##.ibt-top-ad -##.ic-ads -##.ico-adv -##.icon-advertise -##.icon-myindependentad -##.iconAdChoices -##.icon_ad_choices -##.iconads -##.id-Advert -##.id-Article-advert -##.idGoogleAdsense -##.idMultiAd -##.idc-adContainer -##.idc-adWrapper -##.ident_right_ad -##.idgGoogleAdTag -##.iframe-ad -##.iframe-ads -##.iframeAd -##.iframead -##.iframeadflat -##.im-topAds -##.image-ad-336 -##.image-advertisement -##.image-viewer-ad -##.image-viewer-mpu -##.imageAd -##.imageAdBoxTitle -##.imageAds -##.imageGalleryAdHeadLine -##.imagead -##.imageads -##.images-adv -##.imagetable_ad -##.img-advert -##.img_ad -##.img_ads -##.imgad -##.imgur-ad -##.impactAdv -##.import_video_ad_bg -##.imuBox -##.in-ad -##.in-article-mpu -##.in-between-ad -##.in-content-ad -##.in-node-ad-300x250 -##.in-page-ad -##.in-story-ads -##.in-story-text-ad -##.inArticleAdInner -##.inPageAd -##.inStoryAd-news2 -##.in_article_ad -##.in_content_ad_container -##.in_content_advert -##.in_up_ad_game -##.incontentAd -##.indEntrySquareAd -##.indent-advertisement -##.index-adv -##.index-after-second-post-ad -##.index_728_ad -##.index_ad -##.index_ad_a2 -##.index_ad_a4 -##.index_ad_a5 -##.index_ad_a6 -##.index_ad_column2 -##.index_right_ad -##.indexad -##.indie-sidead -##.indy_googleads -##.inf-admedia -##.inf-admediaiframe -##.info-ads -##.info-advert-160x600 -##.info-advert-300x250 -##.info-advert-728x90 -##.info-advert-728x90-inside -##.infoBoxThreadPageRankAds -##.ingameadbox -##.ingameboxad -##.ingridAd -##.inhouseAdUnit -##.inhousead -##.injectedAd -##.inline-ad -##.inline-ad-card -##.inline-ad-placeholder -##.inline-ad-text -##.inline-ad-wrap -##.inline-ad-wrapper -##.inline-adblock -##.inline-advert -##.inline-mpu -##.inline-mpu-left -##.inlineAd -##.inlineAdContainer -##.inlineAdImage -##.inlineAdInner -##.inlineAdNotice -##.inlineAdText -##.inlineAdTour -##.inlineAd_content -##.inlineAdvert -##.inlineAdvertisement -##.inlineSideAd -##.inline_ad -##.inline_ad_container -##.inline_ad_title -##.inline_ads -##.inlinead -##.inlinead-tagtop -##.inlineadsense -##.inlineadtitle -##.inlist-ad -##.inlistAd -##.inner-ad -##.inner-ad-disclaimer -##.inner-advt-banner-3 -##.inner-post-ad -##.inner468ad -##.innerAd300 -##.innerAdWrapper -##.innerAds -##.innerContentAd -##.inner_ad -##.inner_ad_advertise -##.inner_adv -##.inner_big_ad -##.innerad -##.innerpostadspace -##.inpostad -##.ins_adwrap -##.insert-advert-ver01 -##.insert-post-ads -##.insertAd_AdSlice -##.insertAd_Rectangle -##.insertAd_TextAdBreak -##.insert_ad -##.insert_advertisement -##.insertad -##.insideStoryAd -##.inside_ad -##.inside_ad_box -##.instructionAdvHeadline -##.insurance-ad -##.intad -##.inteliusAd_image -##.interbody-ad-unit -##.interest-based-ad -##.internal-ad -##.internalAd -##.internalAdSection -##.internalAdsContainer -##.internal_ad -##.interstitial-ad -##.interstitial-ad600 -##.interstitial468x60 -##.interstitial_ad_wrapper -##.ion-ad -##.ione-widget-dart-ad -##.ipm-sidebar-ad-middle -##.iprom-ad -##.ipsAd -##.iqadlinebottom -##.is-sponsored -##.is24-adplace -##.isAd -##.is_trackable_ad -##.isad_box -##.island-ad -##.islandAd -##.islandAdvert -##.island_ad -##.island_ad_right_top -##.islandad -##.isocket_ad_row -##.item-ad -##.item-ad-leaderboard -##.item-ads -##.item-advertising -##.item-container-ad -##.item-housead -##.item-housead-last -##.item-inline-ad -##.itemAdvertise -##.item_ads -##.itinerary-index-advertising -##.ja-ads -##.jalbum-ad-container -##.jam-ad -##.jc_ad_container -##.jg-ad-5 -##.jg-ad-970 -##.jimdoAdDisclaimer -##.job-ads-container -##.jobAds -##.jobkeywordads -##.jobs-ad-box -##.jobs-ad-marker -##.joead728 -##.jp-advertisment-promotional -##.js-ad -##.js-ad--comment -##.js-ad-doubleimu -##.js-ad-dynamic -##.js-ad-hideable -##.js-ad-home -##.js-ad-hover -##.js-ad-imu -##.js-ad-konvento -##.js-ad-loaded -##.js-ad-loader-bottom -##.js-ad-prepared -##.js-ad-primary -##.js-ad-static -##.js-ad-unit-bottom -##.js-ad-wrapper -##.js-adfliction-iframe -##.js-adfliction-standard -##.js-advert -##.js-advert--vc -##.js-advert-upsell-popup -##.js-billboard-advert -##.js-dfp-ad -##.js-dfpAdPosSR -##.js-gptAd -##.js-header-ad -##.js-native-ad -##.js-outbrain-container -##.js-site-header-advert -##.js-slim-nav-ad -##.js-sticky-ad -##.js-stream-ad -##.js-stream-featured-ad -##.js-toggle-ad -##.js_adContainer -##.js_contained-ad-container -##.jsx-adcontainer -##.juicyads_300x250 -##.jumboAd -##.jw-ad -##.jw-ad-label -##.jw-ad-media-container -##.jw-ad-visible -##.kads-main -##.kd_ads_block -##.kdads-empty -##.kdads-link -##.keyword-ads-block -##.kip-advertisement -##.kip-banner-ad -##.kitara-sponsored -##.knowledgehub_ad -##.kopa-ads-widget -##.kw_advert -##.kw_advert_pair -##.l-350-250-ad-words -##.l-ad-300 -##.l-ad-728 -##.l-adsense -##.l-bottom-ads -##.l-header-advertising -##.l300x250ad -##.l_ad_sub -##.label-ad -##.labelads -##.labeled_ad -##.landing-feed--ad-vertical -##.landing-page-ads -##.landingAdRail -##.landing_adbanner -##.large-btn-ad -##.large-right-ad -##.largeAd -##.largeRecAdNewsContainerRight -##.largeRectangleAd -##.largeUnitAd -##.large_ad -##.large_add_container -##.largesideadpane -##.last-left-ad -##.last-right-ad -##.lastAdvertorial -##.lastLiAdv -##.lastRowAd -##.lastads -##.lastpost_advert -##.latest-posts__sidebar-ad-container -##.layer-ad-bottom -##.layer-ad-top -##.layer-xad -##.layer_text_ad -##.layeradinfo -##.layout-ad -##.layout_communityad_right_ads -##.lazy-ad -##.lazy-adv -##.lazyad -##.lazyload_ad -##.lazyload_ad_article -##.lb-ad -##.lb-adhesion-unit -##.lbc-ad -##.lbl-advertising -##.lblAdvert -##.lcontentbox_ad -##.ld-ad -##.ld-ad-inner -##.lead-ad -##.lead-ads -##.lead-advert -##.lead-board-ad-cont-home -##.leadAd -##.leader-ad -##.leaderAd -##.leaderAdSlot -##.leaderAdTop -##.leaderAdvert -##.leaderBoardAdHolder -##.leaderBoardAdvert -##.leaderOverallAdArea -##.leader_ad -##.leader_aol -##.leaderad -##.leaderboard-ad -##.leaderboard-ad-belt -##.leaderboard-ad-container -##.leaderboard-ad-green -##.leaderboard-ad-grid -##.leaderboard-ad-inner -##.leaderboard-ad-main -##.leaderboard-ad-module -##.leaderboard-ad-unit -##.leaderboard-adblock -##.leaderboard-ads -##.leaderboard-advert -##.leaderboard-advertisement -##.leaderboardAd -##.leaderboardAdContainer -##.leaderboardAdContainerInner -##.leaderboardFooter_ad -##.leaderboard_ad -##.leaderboard_ad_top_responsive -##.leaderboard_ad_unit -##.leaderboard_ad_unit_groups -##.leaderboard_ads -##.leaderboard_adv -##.leaderboard_banner_ad -##.leaderboard_text_ad_container -##.leaderboardad -##.leaderboardadmiddle -##.leaderboardadtop -##.leaderboardadwrap -##.leadgenads -##.left-ad -##.left-ad180 -##.left-ads -##.left-advert -##.left-column-rectangular-ad -##.left-column-virtical-ad -##.left-rail-ad -##.left-rail-ad__wrapper -##.left-rail-horizontal-ads -##.left-sidebar-box-ads -##.left-takeover-ad -##.left-takeover-ad-sticky -##.left120X600AdHeaderText -##.leftAd -##.leftAdColumn -##.leftAdContainer -##.leftAd_bottom_fmt -##.leftAd_top_fmt -##.leftAds -##.leftAdvert -##.leftCol_advert -##.leftColumnAd -##.leftPaneAd -##.left_300_ad -##.left_ad -##.left_ad_160 -##.left_ad_areas -##.left_ad_box -##.left_ad_container -##.left_adlink -##.left_ads -##.left_adsense -##.left_advertisement_block -##.left_col_ad -##.left_google_add -##.left_sidebar_wide_ad -##.leftad -##.leftadd -##.leftadtag -##.leftbar_ad_160_600 -##.leftbarads -##.leftbottomads -##.leftnavad -##.leftrighttopad -##.leftsidebar_ad -##.lefttopad1 -##.legacy-ads -##.legal-ad-choice-icon -##.lgRecAd -##.lg_ad -##.liboxads -##.ligatus -##.lightad -##.lijit-ad -##.linead -##.linkAD -##.link_adslider -##.link_advertise -##.linkads -##.linkedin-sponsor -##.links_google_adx -##.list-ad -##.list-ads -##.listAdvertGenerator -##.listad -##.listicle--ad-rail -##.listing-content-ad-container -##.listing-inline-ad -##.listing-item-ad -##.listingAd -##.listing__ads--right -##.listings-ad-block -##.listings-bottom-ad-w -##.listings_ad -##.literatumAd -##.little_vid_ads -##.live-search-list-ad-container -##.live_tv_sponsorship_ad -##.liveads -##.liveblog__highlights__ad -##.livingsocial-ad -##.ljad -##.llsAdContainer -##.lnad -##.loadadlater -##.local-ads -##.localad -##.location-ad -##.log_ads -##.logo-ad -##.logoAd-hanging -##.logoAds -##.logo_AdChoices -##.logoad -##.logoutAd -##.logoutAdContainer -##.longAd -##.longAdBox -##.longAds -##.longBannerAd -##.long_ad -##.longform-ad -##.loop-ad -##.loop_google_ad -##.lottery-ad-container -##.lower-ad -##.lower-ads -##.lowerAd -##.lowerAds -##.lowerContentBannerAd -##.lowerContentBannerAdInner -##.lower_ad -##.lp_az_billboard__via_content_header_ad_ -##.lpt_adsense_bottom_content -##.lqm-ads -##.lqm_ad -##.lr-ad -##.lr_skyad -##.lsn-yahooAdBlock -##.lt_ad_call -##.luma-ad -##.luxeAd -##.lx_ad_title -##.m-ContentAd -##.m-ad -##.m-ad--open -##.m-ad-tvguide-box -##.m-advertisement -##.m-advertisement--container -##.m-gallery-overlay--ad-top -##.m-header-ad -##.m-header-ad--slot -##.m-in-content-ad -##.m-in-content-ad--slot -##.m-in-content-ad-row -##.m-in-content-ad-row--bonus -##.m-layout-advertisement -##.m-mem--ad -##.m-sidebar-ad -##.m-sidebar-ad--slot -##.m-sponsored -##.m4-adsbygoogle -##.mTopAd -##.m_ad1 -##.m_ad300 -##.m_banner_ads -##.macAd -##.macad -##.mad_adcontainer -##.madison_ad -##.magad -##.magazine_box_ad -##.main-ad -##.main-ads -##.main-advert -##.main-advertising -##.main-column-ad -##.main-footer-ad -##.main-right-ads -##.main-tabs-ad-block -##.main-top-ad-container -##.mainAd -##.mainAdContainer -##.mainAds -##.mainEcoAd -##.mainLeftAd -##.mainLinkAd -##.mainRightAd -##.main_ad -##.main_ad_adzone_5_ad_0 -##.main_ad_adzone_6_ad_0 -##.main_ad_adzone_7_ad_0 -##.main_ad_adzone_7_ad_1 -##.main_ad_adzone_8_ad_0 -##.main_ad_adzone_8_ad_1 -##.main_ad_adzone_9_ad_0 -##.main_ad_adzone_9_ad_1 -##.main_ad_bg -##.main_ad_bg_div -##.main_ad_container -##.main_adbox -##.main_ads -##.main_adv -##.main_intro_ad -##.main_right_ad -##.main_wrapper_upper_ad_area -##.mainadWrapper -##.mainadbox -##.mantis-ad -##.mantis__recommended__item--external -##.mantis__recommended__item--sponsored -##.manual-ad -##.mapAdvertising -##.map_google_ad -##.map_media_banner_ad -##.mapped-ad -##.marginadsthin -##.marginalContentAdvertAddition -##.market-ad -##.market-ad-small -##.marketing-ad -##.marketplace-ad -##.marketplaceAd -##.marketplaceAdShell -##.markplace-ads -##.marquee-ad -##.master_post_advert -##.masthead-ad -##.masthead-ad-control -##.masthead-ads -##.mastheadAds -##.masthead_ad_banner -##.masthead_ads_new -##.masthead_topad -##.matador_sidebar_ad_600 -##.match-results-cards-ad -##.mb-advert -##.mb-advert__leaderboard--large -##.mb-advert__mpu -##.mb-advert__tweeny -##.mb-block--advert-side -##.mb-list-ad -##.mcx-content-ad -##.md-adv -##.md-advertisement -##.mdl-ad -##.mdl-quigo -##.medColModAd -##.medRecContainer -##.medRect -##.med_ad_box -##.media--ad -##.media-ad-rect -##.media-advert -##.media-network-ad -##.media-temple-ad-wrapper-link -##.mediaAd -##.mediaAdContainer -##.mediaResult_sponsoredSearch -##.media_ad -##.mediamotive-ad -##.medium-google-ad-container -##.medium-rectangle-ad -##.medium-rectangle-advertisement -##.mediumRectagleAd -##.mediumRectangleAd -##.mediumRectangleAdvert -##.medium_ad -##.medium_rectangle_ad_container -##.mediumad -##.medo-ad-section -##.medo-ad-wideskyscraper -##.medrec-ad -##.medrect-ad -##.medrect-ad2 -##.medrectAd -##.medrect_ad -##.medrectadv4 -##.member-ads -##.memberAdsContainer -##.member_ad_banner -##.meme_adwrap -##.memrise_ad -##.menu-ad -##.menuAd -##.menuAds-cage -##.menuItemBannerAd -##.menuad -##.menueadimg -##.merchantAdsBoxColRight -##.mess_div_adv -##.messageBoardAd -##.message_ads -##.metaRedirectWrapperBottomAds -##.metaRedirectWrapperTopAds -##.meta_ad -##.metaboxType-sponsor -##.mf-ad300-container -##.mg_box_ads -##.mgid-wrapper -##.micro_ad -##.mid-ad-wrapper -##.mid-advert -##.mid-page-2-advert -##.mid-post-ad -##.midAd -##.mid_4_ads -##.mid_ad -##.mid_article_ad_label -##.mid_banner_ad -##.mid_page_ad -##.mid_page_ad_big -##.mid_right_ads -##.mid_right_inner_id_ad -##.midad -##.middle-ad -##.middle-ads -##.middle-ads728 -##.middle-footer-ad -##.middleAd -##.middleAdLeft -##.middleAdMid -##.middleAdRight -##.middleAds -##.middleBannerAd -##.middle_AD -##.middle_ad -##.middle_ad_responsive -##.middle_ads -##.middlead -##.middleadouter -##.midpost-ad -##.min_navi_ad -##.mini-ad -##.mini-ads -##.miniHeaderAd -##.mini_ads -##.mini_ads_bottom -##.mini_ads_right -##.miniad -##.miniads -##.misc-ad -##.misc-ad-label -##.miscAd -##.mks_ads_widget -##.ml-advert -##.ml-adverts-sidebar-1 -##.ml-adverts-sidebar-2 -##.ml-adverts-sidebar-4 -##.ml-adverts-sidebar-bottom-1 -##.ml-adverts-sidebar-bottom-2 -##.ml-adverts-sidebar-bottom-3 -##.ml-adverts-sidebar-random -##.mlaAd -##.mm-ad-mpu -##.mm-ad-sponsored -##.mmc-ad -##.mmc-ad-wrap-2 -##.mmcAd_Iframe -##.mnopolarisAd -##.mntl-gpt-adunit -##.mo_googlead -##.mobile-ad -##.mobile-related-ad -##.mobileAdWrap -##.mobileAdvertInStreamHighlightText -##.mobileAppAd -##.mobile_ad_container -##.mobile_featuredad -##.mobile_featuredad_article -##.mobileadbig -##.mobilesideadverts -##.mod-ad -##.mod-ad-1 -##.mod-ad-2 -##.mod-ad-box -##.mod-ad-lrec -##.mod-ad-n -##.mod-ad-risingstar -##.mod-adblock -##.mod-adcpc -##.mod-adopenx -##.mod-ads -##.mod-big-ad-switch -##.mod-big-banner-ad -##.mod-google-ads -##.mod-google-ads-container -##.mod-horizontal-ad -##.mod-sponsored-links -##.mod-trbad -##.mod-tss-ads-wrapper -##.mod-vertical-ad -##.mod_ad -##.mod_ad_imu -##.mod_ad_t25 -##.mod_ad_text -##.mod_ad_top -##.mod_admodule -##.mod_ads -##.mod_index_ad -##.mod_openads -##.mod_r_ad -##.mod_r_ad1 -##.modal-ad -##.module--ad -##.module-ad -##.module-ad-small -##.module-ads -##.module-advert -##.module-advertisement -##.module-image-ad -##.module-rectangleads -##.module-sponsored-ads -##.moduleAd -##.moduleAdSpot -##.moduleAdvert -##.moduleAdvertContent -##.moduleBannerAd -##.module_ad -##.module_ad_disclaimer -##.module_box_ad -##.module_header_sponsored -##.modulegad -##.moduletable-adsponsor -##.moduletable-advert -##.moduletable-bannerAd6 -##.moduletable-centerad -##.moduletable-googleads -##.moduletable-rectangleads -##.moduletable_ad-right -##.moduletable_ad160x600_center -##.moduletable_ad300x250 -##.moduletable_adtop -##.moduletable_advertisement -##.moduletable_top_ad -##.moduletableadvert -##.moduletableexclusive-ads -##.moduletablesquaread -##.moduletabletowerad -##.modulo-publicidade -##.mom-ad -##.momizat-ads -##.moneyball-ad -##.monitor-g-ad-300 -##.monitor-g-ad-468 -##.monsterad -##.moreAdBlock -##.mos-ad -##.mosaicAd -##.mostpop_sponsored_ad -##.motherboard-ad -##.mp-ad -##.mpsponsor -##.mpu-ad -##.mpu-ad-con -##.mpu-ad-top -##.mpu-advert -##.mpu-c -##.mpu-container-blank -##.mpu-footer -##.mpu-fp -##.mpu-holder -##.mpu-leaderboard -##.mpu-left -##.mpu-mediatv -##.mpu-right -##.mpu-title -##.mpu-top-left -##.mpu-top-left-banner -##.mpu-top-right -##.mpu-unit -##.mpu-wrapper -##.mpu01 -##.mpu250 -##.mpu600 -##.mpuAd -##.mpuAdArea -##.mpuAdSlot -##.mpuAdvert -##.mpuArea -##.mpuBox -##.mpuContainer -##.mpuMiddle -##.mpuTextAd -##.mpu_Ad -##.mpu_ad -##.mpu_advert -##.mpu_advertisement_border -##.mpu_container -##.mpu_gold -##.mpu_holder -##.mpu_placeholder -##.mpu_platinum -##.mpu_side -##.mpu_text_ad -##.mpuad -##.mpuads -##.mpuholderportalpage -##.mr-dfp-ad -##.mrec_advert -##.ms-ad-superbanner -##.ms-ads-link -##.ms_header_ad -##.msat-adspace -##.msfg-shopping-mpu -##.msg-ad -##.msgad -##.mslo-ad -##.mslo-ad-300x250 -##.mslo-ad-728x66 -##.mslo-ad-holder -##.msnChannelAd -##.msn_ad_wrapper -##.mst_ad_top -##.mt-ad-container -##.mt-header-ads -##.mt_adv -##.mt_adv_v -##.mtv-adChoicesLogo -##.mtv-adv -##.multiad2 -##.multiadwrapper -##.multiple-ad-tiles -##.mvAd -##.mvAdHdr -##.mvp_ad_widget -##.mvp_block_type_ad_module -##.mvw_onPageAd1 -##.mwaads -##.mx-box-ad -##.mxl_ad_inText_250 -##.my-ad250x300 -##.my-ads -##.myAds -##.myAdsGroup -##.myTestAd -##.mypicadsarea -##.myplate_ad -##.nSponsoredLcContent -##.nSponsoredLcTopic -##.n_ad -##.naMediaAd -##.nadvt300 -##.narrow_ad_unit -##.narrow_ads -##.native-ad -##.native-ad-item -##.native-ad-link -##.native-ad-promoted-provider -##.native-adv -##.nativeAd -##.nativeAd-sponsor-position -##.nativeMessageAd -##.nativead -##.nature-ad -##.nav-ad -##.nav-adWrapper -##.navAdsBanner -##.navBads -##.nav_ad -##.nav_textads -##.navad -##.navadbox -##.navcommercial -##.navi_ad300 -##.naviad -##.nba300Ad -##.nba728Ad -##.nbaAdNotice -##.nbaAroundAd2 -##.nbaT3Ad160 -##.nbaTVPodAd -##.nbaTextAds -##.nbaTwo130Ads -##.nbc_Adv -##.nbc_ad_carousel_wrp -##.nc-dealsaver-container -##.nc-exp-ad -##.nda-ad -##.nda-ad--leaderboard -##.ndmadkit -##.netPost_ad1 -##.netPost_ad3 -##.netads -##.netshelter-ad -##.network-ad-two -##.new-ad-box -##.new-ads-scroller -##.newHeaderAd -##.newPex_forumads -##.newTopAdContainer -##.new_ad1 -##.newad -##.newad1 -##.newadsky-wrapper -##.news-ad -##.news-ad-block-a -##.news-place-ad-info -##.newsAd -##.news_ad_box -##.news_article_ad_google -##.news_footer_ad_container -##.newsad -##.newsblock-ads -##.newsfeed_adunit -##.newsletter_ad -##.newsstackedAds -##.newstream_ad -##.newsviewAdBoxInNews -##.newsvinemsn_adtype -##.nexusad -##.nf-adbox -##.ngs-adv-async -##.ninemsn-footer-ad -##.ninth-box-ad -##.nl2ads -##.nn-mpu -##.no1postadvert -##.noAdForLead -##.noTitleAdBox -##.node-ad -##.node-content-ad -##.node-left-ad-under-img -##.node_ad_wrapper -##.nomobilead -##.non-empty-ad -##.nonsponserIABAdBottom -##.normalAds -##.normalad -##.northad -##.not-an-ad-header -##.note-advertisement -##.npAdGoogle -##.npSponsorTextAd -##.nrAds -##.nr_partners -##.nrelate .nr_partner -##.nsAdRow -##.nscr300Ad -##.nscrMidAdBlock -##.nscrT1AdBlock -##.ntnlad -##.ntv-ad -##.nu2ad -##.nuffnangad -##.nw-ad -##.nw-ad-468x60 -##.nw-ad-label -##.nw-taboola -##.nw-top-ad -##.nzs-ads -##.o-ads -##.o-ads--center -##.oad-ad -##.oas-ad -##.oas-bottom-ads -##.oas-leaderboard-ads -##.oasInAds -##.oas_ad -##.oas_add -##.oas_advertisement -##.oas_sidebar_v7 -##.oasad -##.oasads -##.ob_ads_header -##.ob_container .item-container-obpd -##.ob_container a[data-redirect^="http://paid.outbrain.com/network/redir?"] -##.ob_dual_right > .ob_ads_header ~ .odb_div -##.ob_nm_paid -##.oba_message -##.ocp-sponsor -##.odc-nav-ad -##.ody-sponsor -##.offer_sponsoredlinks -##.oi_horz_ad_container -##.oio-banner-zone -##.oio-link-sidebar -##.oio-openslots -##.oio-zone-position -##.old-advertorial-block -##.omnitureAdImpression -##.on-demand-ad -##.on_single_ad_box -##.one-ad -##.oneColumnAd -##.onethirdadholder -##.onf-ad -##.onsite-ads-728w -##.opaAd -##.openads -##.openadstext_after -##.openx -##.openx-ad -##.openx_10 -##.openx_11 -##.openx_15 -##.openx_16 -##.openx_17 -##.openx_3 -##.openx_4 -##.openx_ad -##.openx_frame -##.openxbuttons -##.optional-ad -##.os-advertisement -##.osan-ads -##.other-posts-ads -##.other_adv2 -##.otherheader_ad -##.otj_adspot -##.outbrain_ad_li -##.outbrain_dual_ad_whats_class -##.outbrain_ul_ad_top -##.outer-ad-container -##.outerAdWrapper -##.outerAd_300x250_1 -##.outeradcontainer -##.outermainadtd1 -##.outgameadbox -##.outside_ad -##.ovAdLabel -##.ovAdPromo -##.ovAdSky -##.ovAdartikel -##.ov_spns -##.ovadsenselabel -##.overflow-ad -##.overlay-ad -##.overlay-ad-container -##.overlay-ads -##.overlay_ad -##.ox-holder -##.ox_ad -##.ozadtop -##.ozadtop3 -##.p2_right_ad -##.p75_sidebar_ads -##.pAdsBlock2 -##.p_adv -##.p_topad -##.pa_ads_label -##.paddingBotAd -##.pads2 -##.padvertlabel -##.page-ad -##.page-ad-container -##.page-advert -##.page-header-ad -##.page-pencil-ad-container-bottom -##.pageAds -##.pageBottomGoogleAd -##.pageFooterAd -##.pageGoogleAd -##.pageGoogleAdFlat -##.pageGoogleAdSubcontent -##.pageGoogleAds -##.pageGoogleAdsContainer -##.pageHeaderAd -##.pageHeaderAds -##.pageLeaderAd -##.pageSkinAds -##.page_ad -##.page_content_right_ad -##.pagead -##.pagebuilder_ad -##.pageclwideadv -##.pagefair-acceptable -##.pagenavindexcontentad -##.pair_ads -##.pan-ad-inline -##.pan-ad-inline1 -##.pan-ad-inline2 -##.pan-ad-inline3 -##.pan-ad-sidebar-top -##.pan-ad-sidebar1 -##.pan-ad-sidebar2 -##.pane-ad-ads-all -##.pane-ad-block -##.pane-ad-manager-bottom-right-rail-circ -##.pane-ad-manager-middle -##.pane-ad-manager-middle1 -##.pane-ad-manager-right -##.pane-ad-manager-right1 -##.pane-ad-manager-right2 -##.pane-ad-manager-right3 -##.pane-ad-manager-shot-business-circ -##.pane-ad-manager-subscribe-now -##.pane-adonews-ad -##.pane-ads -##.pane-adv-manager -##.pane-bzads-bzadwrapper-120x60-partner -##.pane-bzads-fintech-300x250 -##.pane-dart-dart-tag-gfc-ad-rail-3 -##.pane-dfp-dfp-ad-atf-728x90 -##.pane-frontpage-ad-banner -##.pane-frontpage-ad-banner-hk -##.pane-mp-advertisement-rectangle -##.pane-openx -##.pane-site-ads -##.pane-sponsored-links -##.pane-textlinkads-26 -##.pane-tw-ad-master-ad-300x250a -##.pane-tw-ad-master-ad-300x600 -##.pane-tw-adjuggler-tw-adjuggler-half-page-ad -##.pane-two-column-ads -##.pane_ad_wide -##.panel-ad -##.panel-ad-mr -##.panel-advert -##.panel-body-adsense -##.panel__column--vc-advert -##.panel__row--with-vc-advert -##.panel_ad -##.paneladvert -##.paralaxBackgorundAdwords -##.partial-ad -##.partner-ad -##.partner-ads-container -##.partner-adsonar -##.partnerAd -##.partnerAdTable -##.partner_ads -##.partnerad_container -##.partnersTextLinks -##.patronad -##.pb-ad -##.pb-ad-curated -##.pb-f-ad-flex -##.pb-f-ad-leaderboard -##.pb-f-ads-ad -##.pb-f-ads-dfp-big-box-300x250 -##.pb-f-ads-dfp-box-300x450 -##.pb-f-ads-dfp-halfpage-300x600 -##.pb-f-ads-dfp-leaderboard-728x90 -##.pb-f-ads-taboola-article-well -##.pb-f-ads-taboola-right-rail-alt -##.pb-mod-ad-flex -##.pb-mod-ad-leaderboard -##.pc-ad -##.pcads_widget -##.pd-ads-mpu -##.peg_ad -##.pencil-ad -##.pencil-ad-container -##.pencil_ad -##.performancingads_region -##.pfAd -##.pf_content_ad -##.pf_sky_ad -##.pf_top_ad -##.pfimgAds -##.pg-ad-block -##.pgAdSection_Home_MasterSponsers -##.ph-ad -##.ph-ad-desktop -##.ph-ad-mediumrectangle -##.photo-ad -##.photoad -##.photobox-adbox -##.pics_detail_ad -##.pics_footer_ad -##.picto_ad -##.pin-ad -##.pixtrack-adcode -##.pkgTemplateAdWrapper -##.pl__superad -##.pl_adv1 -##.pl_adv1_t -##.pl_adv1_wr -##.pl_adv1_wr2 -##.pla_ad -##.place-ads -##.placeholder-ad -##.placeholderAd -##.plainAd -##.play-page-ads -##.playAds1 -##.playAds2 -##.player-ads -##.player-leaderboard-ad-wrapper -##.player-under-ad -##.playerAd -##.playerAdv -##.player_ad -##.player_ad2 -##.player_ad_box -##.player_hover_ad -##.player_page_ad_box -##.plistaList > .itemLinkPET -##.plistaList > .plista_widget_underArticle_item[data-type="pet"] -##.plista_inimg_box -##.plista_widget_belowArticleRelaunch_item[data-type="pet"] -##.plista_widget_i300x250 -##.plista_widget_retrescoAd_1 -##.plista_widget_retrescoAd_2 -##.pm-ad -##.pm-ad-zone -##.pm-banner-ad -##.pmad-in2 -##.pmg-sponsoredlinks -##.pn-ad -##.pn_dfpads -##.pnp_ad -##.poac_ads_text -##.pod-ad -##.pod-ad-300 -##.pod-ad-box -##.podRelatedAdLinksWidget -##.podSponsoredLink -##.poll_sponsor_ad -##.pop-up-ad -##.popAdContainer -##.popadtext -##.popunder-adv -##.popup-ad -##.popupAd -##.popupAdOuter -##.popupAdWrapper -##.popup_ad -##.portalCenterContentAdBottom -##.portalCenterContentAdMiddle -##.portalCenterContentAdTop -##.portal_searchresultssponsoredlist -##.portalcontentad -##.pos_advert -##.post-ad -##.post-adsense-bottom -##.post-advert -##.post-advertisement -##.post-full-ad -##.post-full-ad-wrapper -##.post-googlead -##.post-load-ad -##.post-nativeadcarousel -##.post-sponsored -##.postAd -##.postWideAd -##.post__ad -##.post__article-top-ad-wrapper -##.post__body-ad-center -##.post__inarticle-ad-template -##.post_ad -##.post_ads -##.post_advert -##.post_seperator_ad -##.post_sponsor_unit -##.post_sponsored -##.postad -##.postads -##.postadsense -##.postbit_ad_block -##.postbit_adbit_register -##.postbit_adcode -##.postbit_adcode_old -##.postbody_ads -##.poster-ad-asset-module -##.poster_ad -##.postfooterad -##.postgroup-ads -##.postgroup-ads-middle -##.power_by_sponsor -##.pp_ads_global_before_menu -##.ppb_ads -##.ppp_interior_ad -##.ppr_priv_sponsored_coupon_listing -##.pq-ad -##.pr-ad-tower -##.pr-widget -##.pre-roll-ad -##.pre-title-ad -##.prebodyads -##.premium-ad -##.premium-ads -##.premium-adv -##.premiumAdOverlay -##.premiumAdOverlayClose -##.premiumInHouseAd -##.premium_ad_container -##.premiumad -##.preview-ad -##.pricead-border -##.primary-ad -##.primary-advertisment -##.primary_sidebar_ad -##.printAds -##.pro_ad_adzone -##.pro_ad_system_ad_container -##.pro_ad_zone -##.prod_grid_ad -##.product-ads -##.product-bar-ads -##.product-inlist-ad -##.profile-ad-container -##.profile__ad-wrapper -##.profile_ad_bottom -##.profile_ad_top -##.promo-ad -##.promo-box--ad -##.promo-box--leaderboard-ad -##.promo-class-brand-getprice -##.promoAd -##.promoAds -##.promoAdvertising -##.promo_ad -##.promo_ads -##.promo_border -##.promoad -##.promoboxAd -##.promotionTextAd -##.promotional-feature-ads -##.proof_ad -##.propel-ad -##.proper-ad-unit -##.ps-ad -##.ps-ligatus_placeholder -##.pt_ad03 -##.pt_col_ad02 -##.pubDesk -##.pub_300x250 -##.pub_300x250m -##.pub_728x90 -##.publiboxright300 -##.publication-ad -##.publicidadSuperior -##.publicidad_horizontal -##.publicidade -##.publicidade-dotted -##.publicidade-full-banner -##.publicity-box -##.puff-ad -##.puff-advertorials -##.pull-ad -##.pull_top_ad -##.pullad -##.pulse360ad -##.pulsir-ad -##.puppyAd -##.purchad -##.push--ad -##.push-ad -##.pushDownAd -##.pushdown-ad -##.pushdownAd -##.pw_wb_ad_300x250 -##.pwgAdWidget -##.pxz-ad-widget -##.pxz-taskbar-anchor -##.pyv-afc-ads-container -##.qa_ad_left -##.qm-ad -##.qm-ad-content -##.qm-ad-content-news -##.quads-ad2 -##.quads-ad2_widget.first -##.quads-ad4 -##.quads-location -##.quick-tz-ad -##.quicklinks-ad -##.quigo -##.quigo-ad -##.quigoAdCenter -##.quigoAdRight -##.quigoMod -##.quigoads -##.quotead -##.qzvAdDiv -##.r-ad -##.r7ad -##.r_ad -##.r_ad_1 -##.r_ad_box -##.r_adbx_top -##.r_ads -##.r_col_add -##.rad_container -##.radium-ad-spot -##.radium-builder-widget-ad-spot -##.raff_ad -##.rail-ad -##.rail-article-sponsored -##.rail__ad -##.rail__mps-ad -##.rail_ad -##.railad -##.railadspace -##.ramsay-advert -##.rbFooterSponsors -##.rbRectAd -##.rc_ad_300x100 -##.rc_ad_300x250 -##.rd_header_ads -##.rdio-homepage-widget -##.re-Ads-l -##.readerads -##.readermodeAd -##.realtor-ad -##.rec_ad -##.recent-post-widget-ad -##.recentAds -##.recent_ad_holder -##.recommend-ad-one -##.recommend-ad-two -##.rect-ad -##.rect-ad-1 -##.rect_ad -##.rect_ad_module -##.rect_advert -##.rectad -##.rectadv -##.rectangle-ad -##.rectangle-ad-container -##.rectangle-embed-ad -##.rectangleAd -##.rectangleAdContainer -##.rectangle_ad -##.rectanglead -##.rectangleads -##.redads_cont -##.reedwan_adds300x250_widget -##.referrerDetailAd -##.refreshAds -##.refreshable_ad -##.region-ads -##.region-ads-1 -##.region-banner-ad -##.region-dfp-ad-content-bottom -##.region-dfp-ad-content-top -##.region-dfp-ad-footer -##.region-dfp-ad-header -##.region-footer-ad-full -##.region-header-ad -##.region-header-ads -##.region-leader-ad-bottom -##.region-leader-ad-top -##.region-middle-ad -##.region-regions-ad-top -##.region-regions-ad-top-inner -##.region-top-ad -##.region-top-ad-position -##.region-widget-ad-top-0 -##.regular_728_ad -##.regularad -##.reklam -##.reklam-block -##.reklam2 -##.reklam728 -##.reklam_mgid -##.reklam_mgid1 -##.reklama -##.reklama-c -##.reklama-vert -##.reklama1 -##.reklame-right-col -##.reklame-wrapper -##.reklamka -##.rel_ad_box -##.related-ad -##.related-ads -##.related-al-ads -##.related-al-content-w150-ads -##.related-content-story__stories--sponsored-1 -##.related-content-story__stories--sponsored-2 -##.related-content-story__stories--sponsored-3 -##.related-guide-adsense -##.relatedAds -##.relatedContentAd -##.related_post_google_ad -##.relatesearchad -##.remads -##.remnant_ad -##.remove-ads -##.removeAdsLink -##.removeAdsStyle -##.reportAdLink -##.resads-adspot -##.residentialads -##.resourceImagetAd -##.respAds -##.responsive-ad -##.responsiveAdHiding -##.responsiveAdsense -##.result-ad -##.result-sponsored -##.resultAd -##.result_ad -##.result_item_ad-adsense -##.resultad -##.results-ads -##.resultsAdsBlockCont -##.results_sponsor_right -##.rev_square_side_door -##.revcontent-main-ad -##.review-ad -##.reviewMidAdvertAlign -##.review_ad1 -##.reviewpage_ad2 -##.reviews-box-ad -##.rf_circ_ad_460x205 -##.rg-ad -##.rght300x250 -##.rgt-300x250-ad -##.rgt-ad -##.rgt_ad -##.rh-ad -##.rhads -##.rhc-ad-bottom -##.rhs-ad -##.rhs-ads-panel -##.rhs-advert-container -##.rhs-advert-link -##.rhs-advert-title -##.rhs_ad_title -##.rhsad -##.rhsadvert -##.ribbon-ad-container -##.ribbon-ad-matte -##.right-ad -##.right-ad-300x250 -##.right-ad-block -##.right-ad-container -##.right-ad-holder -##.right-ad-tagline -##.right-ad2 -##.right-ads -##.right-ads2 -##.right-adsense -##.right-adv -##.right-advert -##.right-col-ad -##.right-column-ad -##.right-navAdBox -##.right-rail-ad -##.right-rail-ad-banner -##.right-rail-ad-bottom-container -##.right-rail-ad-top-container -##.right-rail-broker-ads -##.right-rail__ad -##.right-rail__container--ad -##.right-side-ad -##.right-side-ads -##.right-sidebar-box-ad -##.right-sidebar-box-ads -##.right-square-ad-blocks -##.right-takeover-ad -##.right-takeover-ad-sticky -##.right-top-ad -##.rightAD -##.rightAd -##.rightAd1 -##.rightAd2 -##.rightAdBox -##.rightAdColumn -##.rightAdContainer -##.rightAd_bottom_fmt -##.rightAd_top_fmt -##.rightAds -##.rightAds_ie_fix -##.rightAdvert -##.rightAdverts -##.rightBoxAd -##.rightBoxMidAds -##.rightColAd -##.rightColAdBox -##.rightColumnAd -##.rightColumnAdd -##.rightColumnAdsTop -##.rightColumnRectAd -##.rightHeaderAd -##.rightRailAd -##.rightRailMiddleAd -##.rightSecAds -##.rightSideBarAd -##.rightSideSponsor -##.rightTopAdWrapper -##.right_ad -##.right_ad_160 -##.right_ad_box -##.right_ad_box1 -##.right_ad_common_block -##.right_ad_innercont -##.right_ad_text -##.right_ad_top -##.right_ad_unit -##.right_ads -##.right_ads_column -##.right_adsense_box_2 -##.right_adskin -##.right_adv -##.right_advert -##.right_advertise_cnt -##.right_advertisement -##.right_block_advert -##.right_box_ad -##.right_box_ad_rotating_container -##.right_col_ad -##.right_col_ad_300_250 -##.right_column_ads -##.right_content_ad -##.right_content_ad_16 -##.right_google_ads -##.right_hand_advert_column -##.right_image_ad -##.right_long_ad -##.right_outside_ads -##.right_picAd -##.right_side-partyad -##.right_side_ads -##.right_side_box_ad -##.right_sponsor_main -##.rightad -##.rightad250 -##.rightad300 -##.rightad600 -##.rightad_1 -##.rightad_2 -##.rightadbig -##.rightadblock -##.rightadbox1 -##.rightadd -##.rightads -##.rightadunit -##.rightadv -##.rightbigcolumn_ads -##.rightbigcolumn_ads_nobackground -##.rightbox_content_ads -##.rightboxads -##.rightcol-adbox -##.rightcol-block-ads -##.rightcol_boxad -##.rightcol_div_openx2 -##.rightcolads -##.rightcoladvert -##.rightcoltowerad -##.rightmenu_ad -##.rightnav_adsense -##.rightpanelad -##.rightrail-ad-block -##.rightrail_ads -##.rightsideAd -##.righttop-advt -##.ringtone-ad -##.risingstar-ad -##.risingstar-ad-inner -##.riverAdsLoaded -##.riverSponsor -##.rmx-ad -##.rnav_ad -##.rngtAd -##.rockmelt-ad -##.rockmeltAdWrapper -##.rolloverad -##.rot_ads -##.rotating-ad -##.rotating-ads -##.rotatingAdvertisement -##.rotatingBannerWidget -##.rotatingadsection -##.rotator_ad_overlay -##.round_box_advert -##.roundedCornersAd -##.roundingrayboxads -##.row_header_ads -##.rowad -##.rowgoogleads -##.rr-300x250-ad -##.rr-300x600-ad -##.rr_ads -##.rr_skyad -##.rs_ad_bot -##.rs_ad_top -##.rside_adbox -##.rtAdFtr -##.rtAd_bx -##.rtSideHomeAd -##.rt_ad -##.rt_ad1_300x90 -##.rt_ad_300x250 -##.rt_ad_call -##.rt_advert_name -##.rt_el_advert -##.rtd_ads_text -##.rtmad -##.rtmm_right_ad -##.runner-ad -##.s-ad -##.s-ads -##.s-hidden-sponsored-item -##.s2k_ad -##.sType-ad -##.s_ad -##.s_ad2 -##.s_ad_160x600 -##.s_ad_300x250 -##.s_ads -##.s_ads_label -##.s_sponsored_ads -##.sa_AdAnnouncement -##.sadvert -##.sam-ad -##.sam_ad -##.savvyad_unit -##.say-center-contentad -##.sb-ad -##.sb-ad-margin -##.sb-ad-sq-bg -##.sb-ad2 -##.sb-ad3 -##.sb-ads -##.sb-ads-here -##.sb-top-sec-ad -##.sbAd -##.sbAdUnitContainer -##.sbTopadWrapper -##.sb_ad -##.sb_ad_holder -##.sb_adsN -##.sb_adsNv2 -##.sb_adsW -##.sb_adsWv2 -##.sc-ad -##.sc_ad -##.sc_iframe_ad -##.scad -##.scanAd -##.scb-ad -##.scc_advert -##.schedule_ad -##.sci-ad-main -##.sci-ad-sub -##.scoopads -##.scraper_ad_unit -##.script-ad -##.script_ad_0 -##.scroll-ads -##.scroller-ad-place-holder -##.scrolling-ads -##.search-ad -##.search-ad-no-ratings -##.search-advertisement -##.search-message-container-ad -##.search-results-ad -##.search-sponsor -##.search-sponsored -##.searchAd -##.searchAdTop -##.searchAds -##.searchCenterBottomAds -##.searchCenterTopAds -##.searchResultAd -##.searchRightBottomAds -##.searchRightMiddleAds -##.searchSponsorItem -##.searchSponsoredResultsBox -##.searchSponsoredResultsList -##.search_ad_box -##.search_column_results_sponsored -##.search_inline_web_ad -##.search_results_ad -##.search_results_sponsored_top -##.searchad -##.searchads -##.sec-ad -##.sec_headline_adbox -##.second-post-ads-wrapper -##.secondary-advertisment -##.secondaryAdModule -##.secondary_ad -##.sectiads -##.section-ad -##.section-ad-related -##.section-ad-wrapper -##.section-ad2 -##.section-adbox-bottom -##.section-adbox1 -##.section-ads -##.section-adtag -##.section-advert-banner -##.section-aside-ad -##.section-aside-ad2 -##.section-front__side-bar-ad -##.section-front__top-ad -##.section-publicity -##.section-sponsor -##.section_ad -##.section_ad_left -##.section_mpu_wrapper -##.section_mpu_wrapper_wrapper -##.sector-widget__tiny-ad -##.selection-grid-advert -##.selfServeAds -##.seoTopAds -##.sepContentAd -##.series-ad -##.serp-adv-item -##.serp-adv__head -##.serp_sponsored -##.servedAdlabel -##.serviceAd -##.servsponserLinks -##.set_ad -##.sex-party-ad -##.sfsp_adadvert -##.sgAd -##.sh-ad-box -##.sh-ad-section -##.sh-leftAd -##.shadvertisment -##.shareToolsItemAd -##.shift-ad -##.shoppingGoogleAdSense -##.shortads -##.shortadvertisement -##.showAd -##.showAdContainer -##.showAd_No -##.showAd_Yes -##.showad_box -##.showcaseAd -##.showcasead -##.shunno_widget_sidebar_advert -##.si-adRgt -##.sidbaread -##.side-ad -##.side-ad-120-bottom -##.side-ad-120-middle -##.side-ad-120-top -##.side-ad-160-bottom -##.side-ad-160-middle -##.side-ad-160-top -##.side-ad-300 -##.side-ad-300-bottom -##.side-ad-300-middle -##.side-ad-300-top -##.side-ad-big -##.side-ad-blocks -##.side-ad-container -##.side-ad-inner -##.side-ads -##.side-ads-block -##.side-ads-wide -##.side-ads300 -##.side-advert -##.side-bar-ad-position1 -##.side-bar-ad-position2 -##.side-mod-preload-big-ad-switch -##.side-rail-ad-wrap -##.side-sky-banner-160 -##.side-video-ads-wrapper -##.sideAd -##.sideAdLeft -##.sideAdTall -##.sideAdWide -##.sideBannerAdsLarge -##.sideBannerAdsSmall -##.sideBannerAdsXLarge -##.sideBarAd -##.sideBarCubeAd -##.sideBlockAd -##.sideBoxAd -##.sideBoxM1ad -##.sideBoxMiddleAd -##.sideBySideAds -##.sideToSideAd -##.side_300_ad -##.side_ad -##.side_ad2 -##.side_ad300 -##.side_ad_1 -##.side_ad_2 -##.side_ad_3 -##.side_ad_box_mid -##.side_ad_box_top -##.side_ad_top -##.side_add_wrap -##.side_ads -##.side_adsense -##.side_adv -##.side_adv_01 -##.side_adv_left -##.side_adv_right -##.sidead -##.sidead_150 -##.sidead_300 -##.sidead_300250_ht -##.sidead_550125 -##.sideadmid -##.sideads -##.sideads_l -##.sideadsbox -##.sideadtable -##.sideadvert -##.sideadverts -##.sidebar--mps_ad -##.sidebar-350ad -##.sidebar-above-medium-rect-ad-unit -##.sidebar-ad -##.sidebar-ad-300 -##.sidebar-ad-300x250-cont -##.sidebar-ad-a -##.sidebar-ad-b -##.sidebar-ad-box -##.sidebar-ad-box-caption -##.sidebar-ad-c -##.sidebar-ad-component -##.sidebar-ad-cont -##.sidebar-ad-container -##.sidebar-ad-container-1 -##.sidebar-ad-container-2 -##.sidebar-ad-container-3 -##.sidebar-ad-div -##.sidebar-ad-rect -##.sidebar-ad-slot -##.sidebar-adbox -##.sidebar-ads -##.sidebar-ads-no-padding -##.sidebar-ads-wrap -##.sidebar-adv-container -##.sidebar-advertisement -##.sidebar-atf-ad-wrapper -##.sidebar-below-ad-unit -##.sidebar-big-ad -##.sidebar-block-adsense -##.sidebar-box-ad -##.sidebar-box-ads -##.sidebar-content-ad -##.sidebar-header-ads -##.sidebar-paid-ad-label -##.sidebar-skyscraper-ad -##.sidebar-sponsors -##.sidebar-square-ad -##.sidebar-text-ad -##.sidebar-top-ad -##.sidebar300adblock -##.sidebarAd -##.sidebarAdBlock -##.sidebarAdLink -##.sidebarAdNotice -##.sidebarAdUnit -##.sidebarAds300px -##.sidebarAdvert -##.sidebarCloseAd -##.sidebarNewsletterAd -##.sidebar_ADBOX -##.sidebar_ad -##.sidebar_ad_1 -##.sidebar_ad_2 -##.sidebar_ad_3 -##.sidebar_ad_300 -##.sidebar_ad_300_250 -##.sidebar_ad_580 -##.sidebar_ad_container -##.sidebar_ad_container_div -##.sidebar_ad_holder -##.sidebar_ad_leaderboard -##.sidebar_ad_module -##.sidebar_ads -##.sidebar_ads-300x250 -##.sidebar_ads_336 -##.sidebar_ads_left -##.sidebar_ads_right -##.sidebar_ads_title -##.sidebar_adsense -##.sidebar_advert -##.sidebar_advertising -##.sidebar_box_ad -##.sidebar_right_ad -##.sidebar_skyscraper_ad -##.sidebar_small_ad -##.sidebar_sponsors -##.sidebarad -##.sidebarad160 -##.sidebarad_bottom -##.sidebaradbox -##.sidebaradcontent -##.sidebarads -##.sidebaradsense -##.sidebarboxad -##.sideheadnarrowad -##.sideheadsponsorsad -##.sidelist_ad -##.sideskyad -##.simple_ads_manager_block_widget -##.simple_ads_manager_widget -##.simple_ads_manager_zone_widget -##.simple_adsense_widget -##.simplead-container -##.simpleads-item -##.single-ad -##.single-ad-anchor -##.single-ad-wrap -##.single-ads -##.single-google-ad -##.single-item-page-ads -##.single-post-ad -##.single-post-ads-750x90 -##.single-top-ad -##.singleAd -##.singleAdBox -##.singleAdsContainer -##.single_ad -##.single_advert -##.single_bottom_ad -##.single_fm_ad_bottom -##.single_post_ads_cont -##.single_top_ad -##.singlead -##.singleads -##.singleadstopcstm2 -##.singlepageleftad -##.singlepostad -##.singlepostadsense -##.singpagead -##.site-ad-block -##.site-ads -##.site-footer__ad-area -##.site-head-ads -##.site-header__advert-container -##.site-nav-ad-inner -##.site-top-ad -##.siteWideAd -##.site_ad -##.site_ad_120_600 -##.site_ad_300x250 -##.site_sponsers -##.sitesponsor -##.sitesprite_ads -##.six-ads-wrapper -##.skinAd -##.skinAdv02 -##.skin_ad_638 -##.skinad-l -##.skinad-r -##.skinny-sidebar-ad -##.sky-ad -##.sky-ad1 -##.skyAd -##.skyAdd -##.skyAdvert -##.skyAdvert2 -##.skyCraper_bannerLong -##.skyCraper_bannerShort -##.sky_ad -##.sky_ad_top -##.sky_scraper_ad -##.skyjobsadtext -##.skyscraper-ad -##.skyscraper-ad-container -##.skyscraperAd -##.skyscraper_ad -##.skyscraper_bannerAdHome -##.skyscraper_banner_ad -##.sl-art-ad-midflex -##.sl-header-ad -##.sl_ad1 -##.sl_ad2 -##.sl_ad3 -##.sl_ad4 -##.sl_ad5 -##.sl_ad6 -##.sl_ad7 -##.sl_admarker -##.sleekadbubble -##.slide-ad -##.slideAd -##.slide_ad -##.slider-right-advertisement-banner -##.sliderad -##.slideshow-ad -##.slideshow-ad-container -##.slideshow-ad-wrapper -##.slideshow-ads -##.slideshow-advertisement-note -##.slideshowAd -##.slideshow_ad_300 -##.slideshow_ad_note -##.slideshowadvert -##.slot_728_ad -##.slot_integrated_ad -##.slpBigSlimAdUnit -##.slpSquareAdUnit -##.sm-ad -##.sm-widget-ad-holder -##.smAdText_r -##.sm_ad -##.small-ad -##.small-ad-header -##.small-ad-long -##.small-ads -##.smallAd -##.smallAdContainer -##.smallAds -##.smallAdsContainer -##.smallAdv -##.smallAdvertisments -##.smallSkyAd1 -##.smallSkyAd2 -##.small_ad -##.small_ad_bg -##.small_ads -##.small_sidebar_ad_container -##.smallad -##.smallad-left -##.smalladblock -##.smallads -##.smalladscontainer -##.smalladword -##.smallbutton-adverts -##.smallsideadpane -##.smallsponsorad -##.smartAd -##.smart_ads_bom_title -##.sml-item-ad -##.sn-ad-300x250 -##.snarcy-ad -##.sng_card_ads -##.snoadnetwork -##.social-ad -##.softronics-ad -##.southad -##.sp-ad -##.spLinks -##.spaceAdds -##.spc-ads-leaderboard -##.spc-ads-sky -##.specialAd175x90 -##.specialAdsContent -##.specialAdsLabel -##.specialAdsLink -##.specialAdvertising -##.specialHeaderAd -##.special_ad_section -##.specials_ads -##.speedyads -##.sphereAdContainer -##.spl-ads -##.spl_ad -##.spl_ad2 -##.spl_ad_plus -##.splitAd -##.splitAdResultsPane -##.splitter_ad -##.splitter_ad_holder -##.spn_links_box -##.spnsrAdvtBlk -##.spnsrCntnr -##.spon-links -##.spon125 -##.spon_link -##.sponadbox -##.sponlinkbox -##.spons-link -##.spons-wrap -##.sponsBox -##.sponsLinks -##.sponsWrap -##.spons_link_header -##.spons_links -##.sponser-link -##.sponserIABAdBottom -##.sponserLink -##.sponsersads -##.sponsertop -##.sponslink -##.sponsor-728 -##.sponsor-ad -##.sponsor-ad-title -##.sponsor-ad-wrapper -##.sponsor-ads -##.sponsor-area -##.sponsor-block -##.sponsor-bottom -##.sponsor-box -##.sponsor-btns -##.sponsor-inner -##.sponsor-left -##.sponsor-link -##.sponsor-links -##.sponsor-logo -##.sponsor-module-target -##.sponsor-post -##.sponsor-promo -##.sponsor-right -##.sponsor-services -##.sponsor-spot -##.sponsor-text -##.sponsor-text-container -##.sponsor120x600 -##.sponsor728x90 -##.sponsorAd -##.sponsorArea -##.sponsorBannerWrapper -##.sponsorBlock -##.sponsorBottom -##.sponsorBox -##.sponsorBox_right_rdr -##.sponsorLabel -##.sponsorLink -##.sponsorLinks -##.sponsorMaskhead -##.sponsorPanel -##.sponsorPost -##.sponsorPostWrap -##.sponsorPuffsHomepage -##.sponsorStrip -##.sponsorText -##.sponsorTitle -##.sponsorTxt -##.sponsor_ad -##.sponsor_ad1 -##.sponsor_ad2 -##.sponsor_ad3 -##.sponsor_ad_area -##.sponsor_advert_link -##.sponsor_area -##.sponsor_bar -##.sponsor_block -##.sponsor_button_ad -##.sponsor_columns -##.sponsor_div -##.sponsor_div_title -##.sponsor_footer -##.sponsor_image -##.sponsor_label -##.sponsor_line -##.sponsor_links -##.sponsor_logo -##.sponsor_placement -##.sponsor_popup -##.sponsor_units -##.sponsorad -##.sponsoradlabel -##.sponsorads -##.sponsoradtitle -##.sponsored-ad -##.sponsored-ad-label -##.sponsored-ad-ob -##.sponsored-ads -##.sponsored-b -##.sponsored-by-label -##.sponsored-chunk -##.sponsored-container-bottom -##.sponsored-default -##.sponsored-display-ad -##.sponsored-editorial -##.sponsored-features -##.sponsored-header -##.sponsored-headshop -##.sponsored-inmail -##.sponsored-inmail-legacy -##.sponsored-link -##.sponsored-links -##.sponsored-links-alt-b -##.sponsored-links-col -##.sponsored-links-holder -##.sponsored-links-right -##.sponsored-links-tbl -##.sponsored-offers-box -##.sponsored-post -##.sponsored-post_ad -##.sponsored-result -##.sponsored-result-row-2 -##.sponsored-results -##.sponsored-right -##.sponsored-right-border -##.sponsored-rule -##.sponsored-slot -##.sponsored-tag -##.sponsored-text -##.sponsored-title -##.sponsored-top -##.sponsoredAd -##.sponsoredAdLine -##.sponsoredAds -##.sponsoredBar -##.sponsoredBottom -##.sponsoredBox -##.sponsoredEntry -##.sponsoredFeature -##.sponsoredInfo -##.sponsoredInner -##.sponsoredLabel -##.sponsoredLeft -##.sponsoredLink -##.sponsoredLinks -##.sponsoredLinks2 -##.sponsoredLinksBox -##.sponsoredLinksGadget -##.sponsoredLinksHead -##.sponsoredLinksHeader -##.sponsoredName -##.sponsoredProduct -##.sponsoredResults -##.sponsoredSearch -##.sponsoredShowcasePanel -##.sponsoredSideInner -##.sponsoredStats -##.sponsoredTop -##.sponsored_ad -##.sponsored_ads -##.sponsored_bar_text -##.sponsored_box -##.sponsored_box_search -##.sponsored_by -##.sponsored_content -##.sponsored_glinks -##.sponsored_link -##.sponsored_links -##.sponsored_links2 -##.sponsored_links_box -##.sponsored_links_container -##.sponsored_links_section -##.sponsored_links_title_container -##.sponsored_links_title_container_top -##.sponsored_links_top -##.sponsored_result -##.sponsored_results -##.sponsored_results-container -##.sponsored_ss -##.sponsored_text -##.sponsored_well -##.sponsoredby -##.sponsoredibbox -##.sponsoredlink -##.sponsoredlinkHed -##.sponsoredlinks -##.sponsoredlinks-article -##.sponsoredlinkscontainer -##.sponsoredresults -##.sponsoredtabl -##.sponsoredtextlink_container_ovt -##.sponsorheader -##.sponsoring_link -##.sponsoringbanner -##.sponsorlink -##.sponsorlink2 -##.sponsormsg -##.sponsors-box -##.sponsors-footer -##.sponsors-module -##.sponsors-widget -##.sponsorsBanners -##.sponsors_300x250 -##.sponsors_box_container -##.sponsors_fieldset -##.sponsors_links -##.sponsors_spacer -##.sponsorsbig -##.sponsorship-box -##.sponsorship-chrome -##.sponsorship-container -##.sponsorshipContainer -##.sponsorship_ad -##.sponsorshipbox -##.sponsorwrapper -##.sport-mpu-box -##.spot-ad -##.spotlight-ad -##.spotlight-ad-left -##.spotlightAd -##.sprite-ad_label_vert -##.sqAd2 -##.sq_ad -##.square-ad -##.square-ad--latest-video -##.square-ad--neg-margin -##.square-ad-1 -##.square-ad-container -##.square-advt -##.square-sidebar-ad -##.square-sponsorship -##.squareAd -##.squareAdWrap -##.squareAdd -##.squareAddtwo -##.squareAds -##.square_ad -##.square_ad_wrap -##.square_ads -##.square_advert_inner -##.square_banner_ad -##.square_button_ads -##.squaread -##.squaread-container -##.squareads -##.squared_ad -##.sr-adsense -##.sr-advert -##.sr-in-feed-ads -##.sr-side-ad-block -##.sr_google_ad -##.src_parts_gen_ad -##.srp-grid-speed-ad3 -##.ss-ad-banner -##.ss-ad-mpu -##.ss-ad-thumbnail -##.ss-ad-tower -##.ss-ad_mrec -##.ss_advertising -##.stProAd -##.stack-l-ad-center -##.stackedads1 -##.stackedads2 -##.stand-alone-adzone -##.standalone-ad-container -##.standalone_txt_ad -##.standard-ad -##.star-ad -##.start__advertising_container -##.start__newest__big_game_container_body_games_advertising -##.start_overview_adv_container -##.statTop_adsense -##.static-ad -##.staticAd -##.staticad -##.staticad_mark125 -##.std_ad_container -##.ste-ad -##.sticky-ad -##.sticky-ad-wrapper -##.sticky-top-ad-wrap -##.stickyAdLink -##.sticky_ad_wrapper -##.stickyadv -##.stmAdHeightWidget -##.stock-ticker-ad-tag -##.stock_ad -##.stocks-ad-tag -##.store-ads -##.story-ad -##.story-ad-container -##.story-inline-advert -##.story-page-embedded-ad -##.storyAdvert -##.storyInlineAdBlock -##.story_AD -##.story_ad_div -##.story_ads_right_spl -##.story_ads_right_spl_budget -##.story_body_advert -##.story_right_adv -##.storyad -##.storyad300 -##.stpro_ads -##.str-300x250-ad -##.str-300x600-ad -##.str-horizontal-ad-wrapper -##.str-slim-nav-ad -##.str-top-ad -##.strawberry-ads -##.stream-ad -##.streamAd -##.strip-ad -##.stripad -##.sub-feature-ad -##.sub-header-ad -##.subAdBannerArea -##.subAdBannerHeader -##.subNavAd -##.sub_cont_AD01 -##.sub_cont_AD02 -##.sub_cont_AD04 -##.sub_cont_AD06 -##.sub_cont_AD07 -##.subad -##.subadimg -##.subcontent-ad -##.subheadAdPanel -##.subheaderAdlogo -##.subheader_adsense -##.subjects_ad -##.submenu_ad -##.subtitle-ad-container -##.sugarad -##.suit-ad-inject -##.suitcase-ad -##.super-ad -##.super-leaderboard-advert -##.superLeaderOverallAdArea -##.supercommentad_left -##.supercommentad_right -##.supernews-ad-widget -##.superscroll-ad -##.supp-ads -##.support-adv -##.supportAdItem -##.support_ad -##.surveyad -##.sweet-deals-ad -##.syAd -##.syHdrBnrAd -##.sykscraper-ad -##.syndicatedAds -##.szoAdBox -##.szoSponsoredPost -##.t10ad -##.tAd -##.tabAd -##.tabAds -##.tab_ad -##.tab_ad_area -##.table-ad -##.table_ad_bg -##.tablebordersponsor -##.tablet_ad_box -##.tablet_ad_head -##.taboola-above-article-thumbnails -##.taboola-ad -##.taboola-container -##.taboola-inbetweener -##.taboola-item -##.taboola-left-rail-wrapper -##.taboola-partnerlinks-ad -##.taboola-unit -##.taboola-widget -##.taboola_advertising -##.taboola_blk -##.taboola_lhs -##.tadsanzeige -##.tadsbanner -##.tadselement -##.takeOverAdLink -##.tallAdvert -##.tallad -##.tangential-ad -##.tblAds -##.tblTopAds -##.tbl_ad -##.tbox_ad -##.tc_ad_unit -##.tckr_adbrace -##.td-Adholder -##.td-TrafficWeatherWidgetAdGreyBrd -##.td-a-rec-id-custom_ad_1 -##.td-a-rec-id-custom_ad_2 -##.td-a-rec-id-custom_ad_3 -##.td-a-rec-id-custom_ad_5 -##.td-a-rec-id-event_bottom_ad -##.td-a-rec-id-h12_obj_bottom_ad -##.td-a-rec-id-h3_object_bottom_ad -##.td-ad -##.td-adspot-title -##.td-header-ad-wrap -##.td-header-sp-ads -##.tdAdHeader -##.tdBannerAd -##.tdFeaturedAdvertisers -##.td_ad -##.td_footer_ads -##.td_left_widget_ad -##.td_leftads -##.td_reklama_bottom -##.td_reklama_top -##.td_spotlight_ads -##.td_topads -##.tdad125 -##.tealiumAdSlot -##.teaser-ad -##.teaser-sponsor -##.teaserAdContainer -##.teaserAdHeadline -##.teaser_adtiles -##.teaser_advert_content -##.testAd-holder -##.text-ad -##.text-ad-300 -##.text-ad-links -##.text-ad-links2 -##.text-ad-sitewide -##.text-ad-top -##.text-ads -##.text-advertisement -##.text-g-advertisement -##.text-g-group-short-rec-ad -##.text-g-net-group-news-half-page-ad-300x600-or-300x250 -##.text-g-net-grp-google-ads-article-page -##.text-g-nn-web-group-ad-halfpage -##.text-g-sponsored-ads -##.text-g-sponsored-links -##.textAd -##.textAd3 -##.textAdBG -##.textAdBlock -##.textAdBlwPgnGrey -##.textAdBox -##.textAdMinimum -##.textAds -##.textLinkAd -##.textSponsor -##.text_ad -##.text_ad_description -##.text_ad_title -##.text_ad_website -##.text_ads -##.text_ads_2 -##.text_linkad_wrapper -##.textad -##.textadContainer -##.textad_headline -##.textadbox -##.textadheadline -##.textadlink -##.textads -##.textads_left -##.textads_right -##.textadscontainer -##.textadsds -##.textadsfoot -##.textadtext -##.textadtxt -##.textadtxt2 -##.textbanner-ad -##.textlink-ads -##.textlinkads -##.tf_page_ad_search -##.tfagAd -##.theAdvert -##.the_list_ad_zone -##.theads -##.theleftad -##.themeblvd-ad-square-buttons -##.themidad -##.themonic-ad2 -##.third-box-ad -##.third-party-ad -##.thirdAd160Cont -##.thirdAdBot -##.thirdAdHead -##.thirdage_ads_300x250 -##.thirdage_ads_728x90 -##.thisIsAd -##.thisIsAnAd -##.this_is_an_ad -##.thisisad -##.thread-ad -##.thread-ad-holder -##.threadAdsHeadlineData -##.three-ads -##.three-promoted-ads -##.thumb-ads -##.thumbnailad -##.thumbs-adv -##.thumbs-adv-holder -##.tibu_ad -##.ticket-ad -##.tile--ad -##.tile-ad -##.tile-ad-container -##.tileAdContainer -##.tileAdWrap -##.tileAds -##.tile_AdBanner -##.tile_ad -##.tile_ad_container -##.tips_advertisement -##.title-ad -##.title_adbig -##.tj_ad_box -##.tj_ad_box_top -##.tjads -##.tl-ad -##.tl-ad-dfp -##.tl-ad-display-3 -##.tl-ad-render -##.tm-ads -##.tm_ad200_widget -##.tm_topads_468 -##.tm_widget_ad200px -##.tmg-ad -##.tmg-ad-300x250 -##.tmg-ad-mpu -##.tmnAdsenseContainer -##.tmz-dart-ad -##.tncms-region-ads -##.tnt-ads-container -##.toggle-adinmap -##.toolad -##.toolbar-ad -##.toolsAd -##.toolssponsor-ads -##.top-300-ad -##.top-ad -##.top-ad-1 -##.top-ad-anchor -##.top-ad-area -##.top-ad-bloc -##.top-ad-block -##.top-ad-center -##.top-ad-container -##.top-ad-content -##.top-ad-horizontal -##.top-ad-inside -##.top-ad-multiplex -##.top-ad-right -##.top-ad-sidebar -##.top-ad-slot -##.top-ad-space -##.top-ad-sticky -##.top-ad-unit -##.top-ad-wrap -##.top-ad-wrapper -##.top-ad1 -##.top-ad__sticky-wrapper -##.top-adbox -##.top-ads -##.top-ads-bottom-bar -##.top-ads-wrapper -##.top-adsense -##.top-adsense-banner -##.top-adspace -##.top-adv -##.top-adverbox -##.top-advert -##.top-advertisement -##.top-banner-468 -##.top-banner-ad -##.top-banner-ad-container -##.top-banner-ad-wrapper -##.top-banner-add -##.top-bar-ad-related -##.top-box-right-ad -##.top-content-adplace -##.top-half-page-ad -##.top-header-ad -##.top-horiz-ad -##.top-item-ad -##.top-large-google-ad -##.top-leaderboard-ad -##.top-left-nav-ad -##.top-menu-ads -##.top-outer-ad-container -##.top-primary-sponsored -##.top-right-ad -##.top-right-advert -##.top-rightadvtsment -##.top-sidebar-adbox -##.top-treehouse-ad -##.top-wide-ad-container -##.top300ad -##.topAD -##.topAd728x90 -##.topAdBanner -##.topAdCenter -##.topAdContainer -##.topAdIn -##.topAdLeft -##.topAdRight -##.topAdWrap -##.topAdWrapper -##.topAdd -##.topAds -##.topAdvBox -##.topAdvert -##.topAdvertisement -##.topAdvertistemt -##.topAdverts -##.topArticleAds -##.topBannerAd -##.topBannerAdSectionR -##.topBarAd -##.topBoxAdvertisement -##.topHeaderLeaderADWrap -##.topLeaderboardAd -##.topNavRMAd -##.topPC-adWrap -##.topPagination_ad -##.topRailAdSlot -##.topRightAd -##.top_Ad -##.top_ad -##.top_ad1 -##.top_ad_336x280 -##.top_ad_728 -##.top_ad_728_90 -##.top_ad_banner -##.top_ad_big -##.top_ad_disclaimer -##.top_ad_div -##.top_ad_holder -##.top_ad_inner -##.top_ad_label -##.top_ad_list -##.top_ad_long -##.top_ad_post -##.top_ad_responsive -##.top_ad_seperate -##.top_ad_short -##.top_ad_wrap -##.top_ad_wrapper -##.top_adbox1 -##.top_adbox2 -##.top_adh -##.top_ads -##.top_adsense -##.top_adspace -##.top_adv -##.top_adv_content -##.top_advert -##.top_advertisement -##.top_advertising_lb -##.top_advertizing_cnt -##.top_bar_ad -##.top_big_ads -##.top_container_ad -##.top_corner_ad -##.top_header_ad -##.top_header_ad_inner -##.top_right_ad -##.top_rightad -##.top_sponsor -##.topad-area -##.topad-bar -##.topad-bg -##.topad1 -##.topad2 -##.topadbar -##.topadblock -##.topadbox -##.topadrow -##.topads -##.topads-spacer -##.topadsection -##.topadspace -##.topadspot -##.topadtara -##.topadtxt -##.topadtxt120 -##.topadtxt300 -##.topadtxt428 -##.topadtxt728 -##.topadvertisementsegment -##.topbar-ad-unit -##.topboardads -##.topcontentadvertisement -##.topfootad -##.topicDetailsAdRight -##.topic_inad -##.topnavSponsor -##.topratedBoxAD -##.topsidebarad -##.topstoriesad -##.toptenAdBoxA -##.tourFeatureAd -##.tout-ad-embed -##.tower-ad -##.tower-ad-abs -##.tower-ads-container -##.towerAd -##.towerAdLeft -##.towerAds -##.tower_ad -##.tower_ad_disclaimer -##.towerad -##.tp-ad-label -##.tp_ads -##.tr-ad-adtech -##.tr-ad-adtech-placement -##.tr-ad-inset -##.tr-sponsored -##.trSpAD1 -##.track_adblock -##.trafficAdSpot -##.trafficjunky-ad -##.trb_ar_sponsoredmod -##.trb_gptAd -##.trb_header_adBanner_combo -##.trb_header_adBanner_large -##.trb_masthead_adBanner -##.trb_pageAdHolder -##.trc-content-sponsored -##.trc-content-sponsoredUB -##.treeAdBlockWithBanner_right -##.trending__ad -##.tribal-ad -##.trip_ad_center -##.trueads -##.ts-ad -##.ts-ad-leaderboard -##.ts-ad_unit_bigbox -##.ts-banner_ad -##.ts-featured_ad -##.ts-sponsored-links -##.ts-top-most-ads -##.tsmAd -##.tt_ads -##.ttlAdsensel -##.tto-sponsored-element -##.tucadtext -##.tvkidsArticlesBottomAd -##.tvs-mpu -##.twitter-ad -##.two-col-ad-inArticle -##.twoColumnAd -##.two_ads -##.twoadcoll -##.twoadcolr -##.tx-aa-adverts -##.tx_smartadserver_pi1 -##.txt-ads -##.txtAd -##.txtAd5 -##.txtAds -##.txt_ad -##.txt_ads -##.txtad_area -##.txtadvertise -##.tynt-ad-container -##.type-ad -##.type_ads_default -##.type_adscontainer -##.type_miniad -##.type_promoads -##.tz_ad300_widget -##.tz_ad_widget -##.uds-ad -##.uds-ads -##.ui-ad -##.ui-ads -##.ukAds -##.ukn-banner-ads -##.ukn-inline-advert -##.ult_vp_videoPlayerAD -##.unSponsored -##.under-player-ads -##.under_ads -##.undertimyads -##.uniAdBox -##.uniAds -##.uniblue-text-ad -##.unit-ad -##.universalboxADVBOX01 -##.universalboxADVBOX03 -##.universalboxADVBOX04a -##.unspoken-adplace -##.upcloo-adv-content -##.upper-ad-box -##.upper-ad-space -##.urban-ad-rect -##.urban-ad-top -##.us-advertisement -##.us-txt-ad -##.useful_banner_manager_banners_rotation -##.useful_banner_manager_rotation_widget -##.useful_banner_manager_widget -##.usenext -##.v5rc_336x280ad -##.vAd_160x600 -##.vAds -##.v_ad -##.vadvert -##.variable-ad -##.variableHeightAd -##.vbox-verticalad -##.vce-header-ads -##.ve2_post_adsense -##.vert-ad -##.vert-ad-ttl -##.vert-ads -##.vert-adsBlock -##.vertad -##.vertical-adsense -##.verticalAd -##.verticalAdText -##.vertical_ad -##.vertical_ads -##.verticalad -##.verysmallads -##.vhs_small_ad -##.vidadtext -##.video-about-ad -##.video-ad-short -##.video-ads -##.video-ads-container -##.video-ads-wrapper -##.video-adtech-mpu-ad -##.video-innerAd-320x250 -##.video-player-ad-center -##.videoAd-wrapper -##.videoBoxAd -##.videoPauseAd -##.video_ad -##.video_ad_fadein -##.video_ads -##.video_ads_overdiv -##.video_ads_overdiv2 -##.video_advertisement_box -##.video_detail_box_ads -##.video_top_ad -##.videoadbox -##.videos-ad -##.videos-ad-wrap -##.view-Advertisment -##.view-ad -##.view-advertisements -##.view-advertisements-300 -##.view-advertorials -##.view-adverts -##.view-advt-story-bottom -##.view-custom-advertisement -##.view-display-id-ads_all -##.view-id-Advertisment -##.view-id-ad -##.view-id-advertisements -##.view-id-advertisements_300 -##.view-id-advt_story_bottom -##.view-id-custom_advertisement -##.view-image-ads -##.view-promo-mpu-right -##.view-site-ads -##.view-video-advertisements -##.viewContentItemAd -##.view_ad -##.view_ads_advertisements -##.view_ads_bottom_bg -##.view_ads_bottom_bg_middle -##.view_ads_content_bg -##.view_ads_top_bg -##.view_ads_top_bg_middle -##.view_rig_ad -##.views-field-field-ad -##.views-field-field-adbox-1 -##.views-field-field-adbox-2 -##.views-field-field-advertisement-image -##.views-field-field-image-ad -##.vip-club-ad -##.virgin-mpu -##.visor-breaker-ad -##.visuaAD400 -##.visuaAD900 -##.vl-ad-item -##.vmp-ad -##.vod_ad -##.vrfadzone -##.vs-advert-300x250 -##.vs_dfp_standard_postbit_ad -##.vsw-ads -##.vswAdContainer -##.vt_h1_ad -##.vuukle-ad-block -##.vuukle-ads -##.vw-header-ads-leader-board -##.vw-header-ads-wrapper -##.vw-single-header-ads -##.vxp_ad300x250 -##.w-ad-box -##.w-content--ad -##.wAdvert -##.w_AdExternal -##.wa_adsbottom -##.wahAd -##.wahAdRight -##.wallAd -##.wall_ad -##.wall_ad_hd -##.wallad -##.wantads -##.waterfall-ad-anchor -##.wazi-ad-link -##.wd-adunit -##.wd_ads -##.wdca_ad_item -##.wdca_custom_ad -##.wdp_ad -##.wdp_adDiv -##.wdt_ads -##.weather-ad-wrapper -##.weather-sponsor-ad -##.weather-sponsorDiv -##.weatherAdSpot -##.weather_ad -##.weatherad -##.web-result-sponsored -##.webad-cnt -##.webad_link -##.webads336x280 -##.webadvert-container -##.webit-ads -##.webpart-wrap-advert -##.well-ad -##.wfb-ad -##.wg-ad-square -##.wh_ad -##.white-ad-block -##.wide-ad -##.wide-ad-container -##.wide-ad-outer -##.wide-ad2015 -##.wide-advert -##.wide-footer-ad -##.wide-header-ad -##.wide-skyscraper-ad -##.wideAd -##.wideAdTable -##.widePageAd -##.wide_ad -##.wide_ad_unit -##.wide_ad_unit_top -##.wide_ads -##.wide_google_ads -##.wide_grey_ad_box -##.wide_sponsors -##.widead -##.wideadbox -##.widget-300x250ad -##.widget-ad -##.widget-ad-codes -##.widget-ad-sky -##.widget-ad-zone -##.widget-ad300x250 -##.widget-adcode -##.widget-ads -##.widget-adsense -##.widget-adv -##.widget-advert-728 -##.widget-advert-970 -##.widget-advertisement -##.widget-ami-newsmax -##.widget-entry-ads-160 -##.widget-gpt2-ami-ads -##.widget-group-Ads -##.widget-highlight-ads -##.widget-pane-section-ad-content -##.widget-sponsor -##.widget-text-ad -##.widget1-ad -##.widget10-ad -##.widget4-ad -##.widget6-ad -##.widget7-ad -##.widgetAD -##.widgetAdScrollContainer -##.widgetYahooAds -##.widget_ad -##.widget_ad-widget -##.widget_ad125 -##.widget_ad300 -##.widget_ad_300x250_atf -##.widget_ad_300x250_btf -##.widget_ad_300x250_btf_b -##.widget_ad_boxes_widget -##.widget_ad_rotator -##.widget_ad_widget -##.widget_admanagerwidget -##.widget_adrotate_widgets -##.widget_ads -##.widget_adsblock -##.widget_adsensem -##.widget_adsensewidget -##.widget_adsingle -##.widget_adv_location -##.widget_advert -##.widget_advert_content -##.widget_advert_widget -##.widget_advertisement -##.widget_advertisements -##.widget_advertisment -##.widget_advwidget -##.widget_adwidget -##.widget_appmanager_sponsoredpostswidget -##.widget_bestgoogleadsense -##.widget_boss_banner_ad -##.widget_catchbox_adwidget -##.widget_cevo_contentad -##.widget_com_ad_widget -##.widget_cpxadvert_widgets -##.widget_customad_widget -##.widget_customadvertising -##.widget_cxad -##.widget_dfp -##.widget_dfp_lb-widget -##.widget_econaabachoadswidget -##.widget_emads -##.widget_etcenteredadwidget -##.widget_evolve_ad_gpt_widget -##.widget_fearless_responsive_image_ad -##.widget_googleads -##.widget_ima_ads -##.widget_internationaladserverwidget -##.widget_ione-dart-ad -##.widget_island_ad -##.widget_jr_125ads -##.widget_maxbannerads -##.widget_nb-ads -##.widget_new_sponsored_content -##.widget_openxwpwidget -##.widget_plugrush_widget -##.widget_postmedia_layouts_ad -##.widget_sdac_bottom_ad_widget -##.widget_sdac_companion_video_ad_widget -##.widget_sdac_footer_ads_widget -##.widget_sdac_skyscraper_ad_widget -##.widget_sdac_top_ad_widget -##.widget_sej_sidebar_ad -##.widget_sidebarad_300x250 -##.widget_sidebarad_300x600 -##.widget_sidebaradwidget -##.widget_sponsored_content -##.widget_supernews_ad -##.widget_taboola -##.widget_text_adsense -##.widget_thesun_dfp_ad_widget -##.widget_uds-ads -##.widget_vb_sidebar_ad -##.widget_wnd_ad_widget -##.widget_wp_ads_gpt_widget -##.widget_wpshower_ad -##.widgetads -##.width-ad-slug -##.wikia-ad -##.wikia_ad_placeholder -##.wingadblock -##.wis_adControl -##.with-background-ads -##.with-wrapper-ads -##.withAds -##.with_ctecad -##.wixAdsdesktopBottomAd -##.wl-ad -##.wloadIframeAD -##.wn-ad -##.wnIframeAd -##.wnMultiAd -##.wnad -##.wp125_write_ads_widget -##.wp125ad -##.wp125ad_1 -##.wp125ad_2 -##.wpInsertAdWidget -##.wpInsertInPostAd -##.wp_bannerize -##.wpadvert -##.wpbrad -##.wpbrad-ad -##.wpbrad-zone -##.wpd-advertisement -##.wpfp_custom_ad -##.wpi_ads -##.wpmrec -##.wpn_ad_content -##.wppaszone -##.wpproaddlink -##.wpproadszone -##.wptouch-ad -##.wpx-bannerize -##.wpx_bannerize -##.wrap-ad -##.wrap-ads -##.wrap_boxad -##.wrapad -##.wrapper-ad -##.wrapper-ad-sidecol -##.wrapper-google-ads -##.wrapper-sidebar_ads_box -##.wrapper-sidebar_ads_half-page -##.wrapper_ad -##.wrb1_x1_adv -##.wrb1_x7_adv -##.wrb2_ls1_adv -##.wrb2_ls3_adv -##.wrb2_x1_adv -##.wrb3_ls1_adv -##.wrb4_x1_adv -##.wrb6_x1_adv -##.ws-ad -##.wsSearchResultsRightSponsoredLinks -##.wsSponsoredLinksRight -##.wsTopSposoredLinks -##.ws_contentAd660 -##.wsj-ad:not(.adActivate) -##.wx-adchoices -##.wx-gptADS -##.x-ad -##.x-home-ad__content -##.x-home-ad__content-inner -##.x-tile__advert -##.x01-ad -##.x03-adunit -##.x04-adunit -##.x81_ad_detail -##.xads-blk-bottom-hld -##.xads-blk-top-hld -##.xads-blk-top2-hld -##.xads-blk1 -##.xads-blk2 -##.xads-ojedn -##.xmlad -##.xs_epic_circ_ad -##.xs_epic_sponsor_label -##.xtopadvert -##.y-ads -##.y-ads-wide -##.y5_ads -##.y5_ads2 -##.y7-advertisement -##.y7adHEAD -##.y7adS -##.y7s-lrec -##.yaAds -##.yad-sponsored -##.yahoo-ad-leader-north -##.yahoo-ad-leader-south -##.yahoo-ad-lrec-north -##.yahoo-banner-ad-container -##.yahoo-sponsored -##.yahoo-sponsored-links -##.yahoo-sponsored-result -##.yahooAd -##.yahooAds -##.yahooContentMatch -##.yahoo_ad -##.yahoo_ads -##.yahooad -##.yahooad-image -##.yahooad-urlline -##.yahooads -##.yahootextads_content_bottom -##.yam-plus-ad-container -##.yan-sponsored -##.yat-ad -##.yellow_ad -##.yfi-fp-ad-logo -##.ygrp-ad -##.yieldads-160x600 -##.yieldads-728x90 -##.yl-lrec-wrap -##.yls-sponlink -##.yom-ad -##.yom-ad-LREC -##.yom-ad-LREC2 -##.yom-ad-LREC3 -##.yom-ad-MREC2 -##.yom-ad-moneyball -##.youradhere -##.youtubeSuperLeaderBoardAdHolder -##.youtubeSuperLeaderOverallAdArea -##.yrail_ad_wrap -##.yrail_ads -##.ysmsponsor -##.ysp-dynamic-ad -##.ysponsor -##.yt-adsfull-widget -##.ytp-ad-progress-list -##.yui3-ad -##.yw-ad -##.z-sponsored-block -##.zRightAdNote -##.zc-grid-ad -##.zc-grid-position-ad -##.zem_rp_promoted -##.zerg-colm -##.zerg-widget -##.zeti-ads -##.zone-advertisement -##ADS-RIGHT -##AFS-AD -##[ad-id^="googlead"] -##[lazy-ad="lefttop_banner"] -##[onclick^="window.open('http://adultfriendfinder.com/search/"] -##a[data-obtrack^="http://paid.outbrain.com/network/redir?"] -##a[data-redirect^="http://click.plista.com/pets"] -##a[data-redirect^="this.href='http://paid.outbrain.com/network/redir?"] -##a[data-url^="http://paid.outbrain.com/network/redir?"] -##a[data-url^="http://paid.outbrain.com/network/redir?"] + .author -##a[data-widget-outbrain-redirect^="http://paid.outbrain.com/network/redir?"] -##a[href$="/vghd.shtml"] -##a[href*=".adk2x.com/"] -##a[href*=".adsrv.eacdn.com/"] > img -##a[href*=".qertewrt.com/"] -##a[href*="/adrotate-out.php?"] -##a[href*="/cmd.php?ad="] -##a[href*="=Adtracker"] -##a[href*="ad2upapp.com/"] -##a[href*="emprestimo.eu"] -##a[href*="friendlyduck.com"] -##a[href*="googleme.eu"] -##a[href*="letsadvertisetogether.com"] -##a[href*="onclkds."] -##a[href^=" http://ads.ad-center.com/"] -##a[href^=" http://n47adshostnet.com/"] -##a[href^="//adbit.co/?a=Advertise&"] -##a[href^="//ads.ad-center.com/"] -##a[href^="//api.ad-goi.com/"] -##a[href^="//srv.buysellads.com/"] -##a[href^="//t.MtagMonetizationA.com/"] -##a[href^="//www.mgid.com/"] -##a[href^="http://1phads.com/"] -##a[href^="http://360ads.go2cloud.org/"] -##a[href^="http://3wr110.net/"] -##a[href^="http://NowDownloadAll.com"] -##a[href^="http://a.adquantix.com/"] -##a[href^="http://abc2.mobile-10.com/"] -##a[href^="http://ad-apac.doubleclick.net/"] -##a[href^="http://ad-emea.doubleclick.net/"] -##a[href^="http://ad.au.doubleclick.net/"] -##a[href^="http://ad.doubleclick.net/"] -##a[href^="http://ad.yieldmanager.com/"] -##a[href^="http://adclick.g.doubleclick.net/"] -##a[href^="http://adexprt.me/"] -##a[href^="http://adf.ly/?id="] -##a[href^="http://adfarm.mediaplex.com/"] -##a[href^="http://adlev.neodatagroup.com/"] -##a[href^="http://admingame.info/"] -##a[href^="http://adprovider.adlure.net/"] -##a[href^="http://adrunnr.com/"] -##a[href^="http://ads.activtrades.com/"] -##a[href^="http://ads.ad-center.com/"] -##a[href^="http://ads.affbuzzads.com/"] -##a[href^="http://ads.betfair.com/redirect.aspx?"] -##a[href^="http://ads.expekt.com/affiliates/"] -##a[href^="http://ads.integral-marketing.com/"] -##a[href^="http://ads.pheedo.com/"] -##a[href^="http://ads.sprintrade.com/"] -##a[href^="http://ads2.williamhill.com/redirect.aspx?"] -##a[href^="http://adserver.adtech.de/"] -##a[href^="http://adserver.adtechus.com/"] -##a[href^="http://adserver.itsfogo.com/"] -##a[href^="http://adserving.liveuniversenetwork.com/"] -##a[href^="http://adserving.unibet.com/"] -##a[href^="http://adsrv.keycaptcha.com"] -##a[href^="http://adtrack123.pl/"] -##a[href^="http://adtrackone.eu/"] -##a[href^="http://adtransfer.net/"] -##a[href^="http://adultfriendfinder.com/p/register.cgi?pid="] -##a[href^="http://affiliate.coral.co.uk/processing/"] -##a[href^="http://affiliate.glbtracker.com/"] -##a[href^="http://affiliate.godaddy.com/"] -##a[href^="http://affiliates.pinnaclesports.com/processing/"] -##a[href^="http://affiliates.score-affiliates.com/"] -##a[href^="http://aflrm.com/"] -##a[href^="http://amzn.to/"] > img[src^="data"] -##a[href^="http://api.content.ad/"] -##a[href^="http://api.ringtonematcher.com/"] -##a[href^="http://at.atwola.com/"] -##a[href^="http://b.bestcompleteusa.info/"] -##a[href^="http://banners.victor.com/processing/"] -##a[href^="http://bc.vc/?r="] -##a[href^="http://bcp.crwdcntrl.net/"] -##a[href^="http://bestorican.com/"] -##a[href^="http://bluehost.com/track/"] -##a[href^="http://bonusfapturbo.nmvsite.com/"] -##a[href^="http://bs.serving-sys.com/"] -##a[href^="http://buysellads.com/"] -##a[href^="http://c.actiondesk.com/"] -##a[href^="http://c.ketads.com/"] -##a[href^="http://callville.xyz/"] -##a[href^="http://campaign.bharatmatrimony.com/cbstrack/"] -##a[href^="http://campaign.bharatmatrimony.com/track/"] -##a[href^="http://casino-x.com/?partner"] -##a[href^="http://cdn.adsrvmedia.net/"] -##a[href^="http://cdn.adstract.com/"] -##a[href^="http://cdn3.adbrau.com/"] -##a[href^="http://cdn3.adexprts.com/"] -##a[href^="http://centertrust.xyz/"] -##a[href^="http://chaturbate.com/affiliates/"] -##a[href^="http://cinema.friendscout24.de?"] -##a[href^="http://click.guamwnvgashbkashawhgkhahshmashcas.pw/"] -##a[href^="http://click.plista.com/pets"] -##a[href^="http://clickandjoinyourgirl.com/"] -##a[href^="http://clicks.binarypromos.com/"] -##a[href^="http://clicks.guamwnvgashbkashawhgkhahshmashcas.pw/"] -##a[href^="http://clickserv.sitescout.com/"] -##a[href^="http://clk.directrev.com/"] -##a[href^="http://clkmon.com/adServe/"] -##a[href^="http://codec.codecm.com/"] -##a[href^="http://connectlinking6.com/"] -##a[href^="http://contractallsticker.net/"] -##a[href^="http://cpaway.afftrack.com/"] -##a[href^="http://d2.zedo.com/"] -##a[href^="http://data.ad.yieldmanager.net/"] -##a[href^="http://data.committeemenencyclopedicrepertory.info/"] -##a[href^="http://data.linoleictanzaniatitanic.com/"] -##a[href^="http://databass.info/"] -##a[href^="http://ddownload39.club/"] -##a[href^="http://dethao.com/"] -##a[href^="http://dftrck.com/"] -##a[href^="http://down1oads.com/"] -##a[href^="http://download-performance.com/"] -##a[href^="http://duckcash.eu/AF_"] -##a[href^="http://dwn.pushtraffic.net/"] -##a[href^="http://easydownload4you.com/"] -##a[href^="http://eclkmpsa.com/"] -##a[href^="http://elite-sex-finder.com/?"] -##a[href^="http://elitefuckbook.com/"] -##a[href^="http://engine.newsmaxfeednetwork.com/"] -##a[href^="http://farm.plista.com/pets"] -##a[href^="http://feedads.g.doubleclick.net/"] -##a[href^="http://fileloadr.com/"] -##a[href^="http://fileupnow.rocks/"] -##a[href^="http://finaljuyu.com/"] -##a[href^="http://findersocket.com/"] -##a[href^="http://freesoftwarelive.com/"] -##a[href^="http://fsoft4down.com/"] -##a[href^="http://fusionads.net"] -##a[href^="http://galleries.pinballpublishernetwork.com/"] -##a[href^="http://galleries.securewebsiteaccess.com/"] -##a[href^="http://games.ucoz.ru/"][target="_blank"] -##a[href^="http://gca.sh/user/register?ref="] -##a[href^="http://get.slickvpn.com/"] -##a[href^="http://getlinksinaseconds.com/"] -##a[href^="http://go.ad2up.com/"] -##a[href^="http://go.mobisla.com/"] -##a[href^="http://go.oclaserver.com/"] -##a[href^="http://go.seomojo.com/tracking202/"] -##a[href^="http://goldmoney.com/?gmrefcode="] -##a[href^="http://green.trafficinvest.com/"] -##a[href^="http://greensmoke.com/"] -##a[href^="http://guideways.info/"] -##a[href^="http://hd-plugins.com/download/"] -##a[href^="http://hdplugin.flashplayer-updates.com/"] -##a[href^="http://hyperlinksecure.com/go/"] -##a[href^="http://imads.integral-marketing.com/"] -##a[href^="http://install.securewebsiteaccess.com/"] -##a[href^="http://istri.it/?"] -##a[href^="http://jobitem.org/"] -##a[href^="http://join3.bannedsextapes.com/track/"] -##a[href^="http://k2s.cc/pr/"] -##a[href^="http://keep2share.cc/pr/"] -##a[href^="http://landingpagegenius.com/"] -##a[href^="http://latestdownloads.net/download.php?"] -##a[href^="http://linksnappy.com/?ref="] -##a[href^="http://liversely.com/"] -##a[href^="http://liversely.net/"] -##a[href^="http://lp.ezdownloadpro.info/"] -##a[href^="http://lp.ilivid.com/"] -##a[href^="http://lp.ncdownloader.com/"] -##a[href^="http://marketgid.com"] -##a[href^="http://mgid.com/"] -##a[href^="http://mmo123.co/"] -##a[href^="http://mo8mwxi1.com/"] -##a[href^="http://mojofun.info/"] -##a[href^="http://n.admagnet.net/"] -##a[href^="http://n217adserv.com/"] -##a[href^="http://onclickads.net/"] -##a[href^="http://online.ladbrokes.com/promoRedirect?"] -##a[href^="http://paid.outbrain.com/network/redir?"] -##a[href^="http://papi.mynativeplatform.com:80/pub2/"] -##a[href^="http://partner.sbaffiliates.com/"] -##a[href^="http://pokershibes.com/index.php?ref="] -##a[href^="http://prochina.link/"] -##a[href^="http://prochina.space/"] -##a[href^="http://promos.bwin.com/"] -##a[href^="http://prousa.work/"] -##a[href^="http://pubads.g.doubleclick.net/"] -##a[href^="http://pwrads.net/"] -##a[href^="http://record.betsafe.com/"] -##a[href^="http://record.commissionking.com/"] -##a[href^="http://record.sportsbetaffiliates.com.au/"] -##a[href^="http://refer.webhostingbuzz.com/"] -##a[href^="http://ryushare.com/affiliate.python"] -##a[href^="http://searchtabnew.com/"] -##a[href^="http://secure.hostgator.com/~affiliat/"] -##a[href^="http://secure.signup-page.com/"] -##a[href^="http://secure.signup-way.com/"] -##a[href^="http://see-work.info/"] -##a[href^="http://serve.williamhill.com/promoRedirect?"] -##a[href^="http://server.cpmstar.com/click.aspx?poolid="] -##a[href^="http://servicegetbook.net/"] -##a[href^="http://sharesuper.info/"] -##a[href^="http://srvpub.com/"] -##a[href^="http://stateresolver.link/"] -##a[href^="http://t.mdn2015x1.com/"] -##a[href^="http://t.mdn2015x2.com/"] -##a[href^="http://t.mdn2015x3.com/"] -##a[href^="http://t.wowtrk.com/"] -##a[href^="http://taboola-"][href*="/redirect.php?app.type="] -##a[href^="http://tezfiles.com/pr/"] -##a[href^="http://tour.affbuzzads.com/"] -##a[href^="http://track.adform.net/"] -##a[href^="http://track.incognitovpn.com/"] -##a[href^="http://tracking.crazylead.com/"] -##a[href^="http://tracking.deltamediallc.com/"] -##a[href^="http://tracking.toroadvertising.com/"] -##a[href^="http://ul.to/ref/"] -##a[href^="http://uploaded.net/ref/"] -##a[href^="http://us.marketgid.com"] -##a[href^="http://web.adblade.com/"] -##a[href^="http://websitedhoome.com/"] -##a[href^="http://webtrackerplus.com/"] -##a[href^="http://wgpartner.com/"] -##a[href^="http://www.123-reg.co.uk/affiliate2.cgi"] -##a[href^="http://www.1clickdownloader.com/"] -##a[href^="http://www.1clickmoviedownloader.info/"] -##a[href^="http://www.FriendlyDuck.com/AF_"] -##a[href^="http://www.TwinPlan.com/AF_"] -##a[href^="http://www.accuserveadsystem.com/accuserve-go.php?"] -##a[href^="http://www.adbrite.com/mb/commerce/purchase_form.php?"] -##a[href^="http://www.adshost2.com/"] -##a[href^="http://www.adxpansion.com"] -##a[href^="http://www.affbuzzads.com/affiliate/"] -##a[href^="http://www.affiliates1128.com/processing/"] -##a[href^="http://www.amazon.co.uk/exec/obidos/external-search?"] -##a[href^="http://www.babylon.com/welcome/index?affID"] -##a[href^="http://www.badoink.com/go.php?"] -##a[href^="http://www.bet365.com/dl/~offer?affiliate="] -##a[href^="http://www.bet365.com/home/?affiliate"] -##a[href^="http://www.bet365.com/home/default.asp?affiliate="] -##a[href^="http://www.brightwheel.info/"] -##a[href^="http://www.cash-duck.com/AF_"] -##a[href^="http://www.clickansave.net/"] -##a[href^="http://www.clkads.com/adServe/"] -##a[href^="http://www.coinducks.com/AF_"] -##a[href^="http://www.dealcent.com/register.php?affid="] -##a[href^="http://www.dl-provider.com/search/"] -##a[href^="http://www.down1oads.com/"] -##a[href^="http://www.download-provider.org/"] -##a[href^="http://www.downloadplayer1.com/"] -##a[href^="http://www.downloadthesefiles.com/"] -##a[href^="http://www.downloadweb.org/"] -##a[href^="http://www.drowle.com/"] -##a[href^="http://www.duckcash.eu/AF_"] -##a[href^="http://www.ducksnetwork.com/"] -##a[href^="http://www.easydownloadnow.com/"] -##a[href^="http://www.epicgameads.com/"] -##a[href^="http://www.faceporn.net/free?"] -##a[href^="http://www.fbooksluts.com/"] -##a[href^="http://www.fducks.com/"] -##a[href^="http://www.firstclass-download.com/"] -##a[href^="http://www.firstload.com/affiliate/"] -##a[href^="http://www.firstload.de/affiliate/"] -##a[href^="http://www.flashx.tv/downloadthis"] -##a[href^="http://www.fleshlight.com/"] -##a[href^="http://www.fonts.com/BannerScript/"] -##a[href^="http://www.fpcTraffic2.com/blind/in.cgi?"] -##a[href^="http://www.freefilesdownloader.com/"] -##a[href^="http://www.friendlyadvertisements.com/"] -##a[href^="http://www.friendlyquacks.com/"] -##a[href^="http://www.gamebookers.com/cgi-bin/intro.cgi?"] -##a[href^="http://www.getyourguide.com/?partner_id="] -##a[href^="http://www.graboid.com/affiliates/"] -##a[href^="http://www.greenmangaming.com/?tap_a="] -##a[href^="http://www.idownloadplay.com/"] -##a[href^="http://www.incredimail.com/?id="] -##a[href^="http://www.ireel.com/signup?ref"] -##a[href^="http://www.linkbucks.com/referral/"] -##a[href^="http://www.liutilities.com/"] -##a[href^="http://www.liversely.net/"] -##a[href^="http://www.menaon.com/installs/"] -##a[href^="http://www.mobileandinternetadvertising.com/"] -##a[href^="http://www.moneyducks.com/"] -##a[href^="http://www.my-dirty-hobby.com/?sub="] -##a[href^="http://www.myfreepaysite.com/sfw.php?aid"] -##a[href^="http://www.myfreepaysite.com/sfw_int.php?aid"] -##a[href^="http://www.mysuperpharm.com/"] -##a[href^="http://www.myvpn.pro/"] -##a[href^="http://www.on2url.com/app/adtrack.asp"] -##a[href^="http://www.paddypower.com/?AFF_ID="] -##a[href^="http://www.pheedo.com/"] -##a[href^="http://www.pinkvisualgames.com/?revid="] -##a[href^="http://www.pinkvisualpad.com/?revid="] -##a[href^="http://www.plus500.com/?id="] -##a[href^="http://www.quick-torrent.com/download.html?aff"] -##a[href^="http://www.revenuehits.com/"] -##a[href^="http://www.richducks.com/"] -##a[href^="http://www.ringtonematcher.com/"] -##a[href^="http://www.roboform.com/php/land.php"] -##a[href^="http://www.seekbang.com/cs/"] -##a[href^="http://www.sex.com/?utm_"] -##a[href^="http://www.sex.com/pics/?utm_"] -##a[href^="http://www.sex.com/videos/?utm_"] -##a[href^="http://www.sexgangsters.com/?pid="] -##a[href^="http://www.sfippa.com/"] -##a[href^="http://www.socialsex.com/"] -##a[href^="http://www.streamate.com/exports/"] -##a[href^="http://www.streamtunerhd.com/signup?"] -##a[href^="http://www.terraclicks.com/"] -##a[href^="http://www.text-link-ads.com/"] -##a[href^="http://www.tirerack.com/affiliates/"] -##a[href^="http://www.torntv-downloader.com/"] -##a[href^="http://www.torntvdl.com/"] -##a[href^="http://www.twinplan.com/AF_"] -##a[href^="http://www.uniblue.com/cm/"] -##a[href^="http://www.urmediazone.com/signup"] -##a[href^="http://www.usearchmedia.com/signup?"] -##a[href^="http://www.wantstraffic.com/"] -##a[href^="http://www.webtrackerplus.com/"] -##a[href^="http://www.xmediaserve.com/"] -##a[href^="http://www.yourfuckbook.com/?"] -##a[href^="http://www1.clickdownloader.com/"] -##a[href^="http://wxdownloadmanager.com/dl/"] -##a[href^="http://xads.zedo.com/"] -##a[href^="http://yads.zedo.com/"] -##a[href^="http://z1.zedo.com/"] -##a[href^="http://zevera.com/afi.html"] -##a[href^="https://ad.atdmt.com/"] -##a[href^="https://ad.doubleclick.net/"] -##a[href^="https://adhealers.com/"] -##a[href^="https://affiliates.bet-at-home.com/processing/"] -##a[href^="https://atomidownload.com/"] -##a[href^="https://bs.serving-sys.com"] -##a[href^="https://click.plista.com/pets"] -##a[href^="https://dediseedbox.com/clients/aff.php?"] -##a[href^="https://dltags.com/"] -##a[href^="https://farm.plista.com/pets"] -##a[href^="https://go.ad2up.com/"] -##a[href^="https://paid.outbrain.com/network/redir?"] -##a[href^="https://pubads.g.doubleclick.net/"] -##a[href^="https://secure.eveonline.com/ft/?aid="] -##a[href^="https://torguard.net/aff.php"] -##a[href^="https://trackjs.com/?utm_source"] -##a[href^="https://trklvs.com/"] -##a[href^="https://trust.zone/"] -##a[href^="https://understandsolar.com/signup/?lead_source="][href*="&tracking_code="] -##a[href^="https://www.FriendlyDuck.com/AF_"] -##a[href^="https://www.adskeeper.co.uk/"] -##a[href^="https://www.dsct1.com/"] -##a[href^="https://www.firstload.com/affiliate/"] -##a[href^="https://www.googleadservices.com/pagead/aclk?"] -##a[href^="https://www.oboom.com/ad/"] -##a[href^="https://www.secureupload.eu/suprerefid="] -##a[href^="https://www.share-online.biz/affiliate/"] -##a[href^="https://www.spyoff.com/"] -##a[onmousedown^="this.href='/wp-content/embed-ad-content/"] -##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] -##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] + .ob_source -##a[onmousedown^="this.href='http://staffpicks.outbrain.com/network/redir?"][target="_blank"] -##a[onmousedown^="this.href='http://staffpicks.outbrain.com/network/redir?"][target="_blank"] + .ob_source -##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] -##a[onmousedown^="this.href='https://paid.outbrain.com/network/redir?"][target="_blank"] + .ob_source -##a[style="display:block;width:300px;min-height:250px"][href^="http://li.cnet.com/click?"] -##a[target="_blank"][href^="http://api.taboola.com/"] -##a[target="_blank"][onmousedown="this.href^='http://paid.outbrain.com/network/redir?"] -##aside[id^="div-gpt-ad"] -##bottomadblock -##div[class^="gemini-ad"] -##div[class^="proadszone-"] -##div[id^="ADV-SLOT-"] -##div[id^="MarketGid"] -##div[id^="YFBMSN"] -##div[id^="acm-ad-tag-"] -##div[id^="ad-server-"] -##div[id^="ad_script_"] -##div[id^="adrotate_widgets-"] -##div[id^="ads250_250-widget"] -##div[id^="advads-"] -##div[id^="cns_ads_"] -##div[id^="dfp-ad-"] -##div[id^="dfp-slot-"] -##div[id^="div-adtech-ad-"] -##div[id^="div-gpt-ad"] -##div[id^="div_ad_stack_"] -##div[id^="div_openx_ad_"] -##div[id^="dmRosAdWrapper"] -##div[id^="google_ads_iframe_"] -##div[id^="google_dfp_"] -##div[id^="proadszone-"] -##div[id^="q1-adset-"] -##div[itemtype="http://schema.org/WPAdBlock"] -##div[itemtype="http://www.schema.org/WPAdBlock"] -##iframe[id^="google_ads_frame"] -##iframe[id^="google_ads_iframe"] -##iframe[src^="http://ad.yieldmanager.com/"] -##iframe[src^="http://cdn1.adexprt.com/"] -##iframe[src^="http://cdn2.adexprt.com/"] -##img[alt^="Fuckbook"] -##input[onclick^="window.open('http://www.FriendlyDuck.com/AF_"] -##input[onclick^="window.open('http://www.friendlyduck.com/AF_"] -##p[id^="div-gpt-ad-"] -##script[src^="http://free-shoutbox.net/app/webroot/shoutbox/sb.php?shoutbox="] + #freeshoutbox_content -##topadblock -! ezoic -###ezmob_footer -##.ezo_ad -##.ezoic-floating-bottom -! Anti-adblock (https://forums.lanik.us/viewtopic.php?f=62&t=32738) -###\5f _nq__hh[style="display:block!important"] -! Trust zone -##a[href*=".trust.zone"] -! Adreclaim -###rc-row-container -##.impo-b-overlay -##.impo-b-stitial -##.rc-cta[data-target] -##.rc-item-wrapper -##.rec-sponsored -##.rec_article_footer -##.rec_article_right -##.rec_container__right -##.rec_container_footer -##.rec_container_right -##.rec_title_footer -##[onclick*="content.ad/"] -##a[href^="http://internalredirect.site/"] -##a[href^="http://rekoverr.com/"] -##div > [class][onclick*=".updateAnalyticsEvents"] -! ampproject -##AMP-AD -! Gawker Amazon-ad inserts -##.commerce-inset -! Dealnews (Hearst Newspapers) -##div[class$="dealnews"] > .dealnews -! Genric mobile element -###mobile-swipe-banner -! komonews.com / ktul.com / etc -##.component-ddb-300x250-v2 -##.component-ddb-728x90-v2 -##.ddb -! Yavli -##.gbfwa > div[class$="_item"] -! Mozo widget -##iframe[src^="http://static.mozo.com.au/strips/"] -! In advert promo -##.brandpost_inarticle -! Forumotion.com related sites -###main-content > [style="padding:10px 0 0 0 !important;"] -##td[valign="top"] > .mainmenu[style="padding:10px 0 0 0 !important;"] -! Whistleout widget -###rhs_whistleout_widget -###wo-widget-wrap -! Asset Listings -###assetsListings[style="display: block;"] -! Magnify transparient advert on video -###magnify_widget_playlist_item_companion -! Playbb.me / easyvideo.me / videozoo.me / paypanda.net -###flowplayer > div[style="position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px; z-index: 999;"] -###flowplayer > div[style="z-index: 208; position: absolute; width: 300px; height: 275px; left: 222.5px; top: 85px;"] -##.Mpopup + #Mad > #MadZone -! https://adblockplus.org/forum/viewtopic.php?f=2&t=17016 -##.l-container > #fishtank -! Google -###center_col > #\5f Emc -###center_col > #main > .dfrd > .mnr-c > .c._oc._zs -###center_col > #res > #topstuff + #search > div > #ires > #rso > #flun -###center_col > #resultStats + #tads -###center_col > #resultStats + #tads + #res + #tads -###center_col > #resultStats + div + #res + #tads -###center_col > #resultStats + div[style="border:1px solid #dedede;margin-bottom:11px;padding:5px 7px 5px 6px"] -###center_col > #taw > #tvcap > .rscontainer -###center_col > div[style="font-size:14px;margin-right:0;min-height:5px"] > div[style="font-size:14px;margin:0 4px;padding:1px 5px;background:#fff8e7"] -###cnt #center_col > #res > #topstuff > .ts -###cnt #center_col > #taw > #tvcap > .c._oc._Lp -###main_col > #center_col div[style="font-size:14px;margin:0 4px;padding:1px 5px;background:#fff7ed"] -###mbEnd[cellspacing="0"][cellpadding="0"] -###mclip_container:last-child -###mn #center_col > div > h2.spon:first-child -###mn #center_col > div > h2.spon:first-child + ol:last-child -###mn div[style="position:relative"] > #center_col > ._Ak -###mn div[style="position:relative"] > #center_col > div > ._dPg -###resultspanel > #topads -###rhs_block .mod > .gws-local-hotels__booking-module -###rhs_block .mod > .luhb-div > div[data-async-type="updateHotelBookingModule"] -###rhs_block .xpdopen > ._OKe > div > .mod > ._yYf -###rhs_block > #mbEnd -###rhs_block > .ts[cellspacing="0"][cellpadding="0"][style="padding:0"] -###rhs_block > ol > .rhsvw > .kp-blk > .xpdopen > ._OKe > ol > ._DJe > .luhb-div -###rhs_block > script + .c._oc._Ve.rhsvw -###rhswrapper > #rhssection[border="0"][bgcolor="#ffffff"] -###ssmiwdiv[jsdisplay] -###tads + div + .c -###tads.c -###tadsb.c -###tadsto.c -###topstuff > #tads -##.GB3L-QEDGY .GB3L-QEDF- > .GB3L-QEDE- -##.GFYY1SVD2 > .GFYY1SVC2 > .GFYY1SVF5 -##.GFYY1SVE2 > .GFYY1SVD2 > .GFYY1SVG5 -##.GHOFUQ5BG2 > .GHOFUQ5BF2 > .GHOFUQ5BG5 -##.GJJKPX2N1 > .GJJKPX2M1 > .GJJKPX2P4 -##.GKJYXHBF2 > .GKJYXHBE2 > .GKJYXHBH5 -##.GPMV2XEDA2 > .GPMV2XEDP1 > .GPMV2XEDJBB -##.ch[onclick="ga(this,event)"] -##.commercial-unit-desktop-rhs -##.commercial-unit-desktop-top -##.commercial-unit-mobile-bottom -##.commercial-unit-mobile-top -##.lads[width="100%"][style="background:#FFF8DD"] -##.mod > ._jH + .rscontainer -##.mw > #rcnt > #center_col > #taw > #tvcap > .c -##.mw > #rcnt > #center_col > #taw > .c -##.ra[align="left"][width="30%"] -##.ra[align="right"][width="30%"] -##.ra[width="30%"][align="right"] + table[width="70%"][cellpadding="0"] -##.rhsvw[style="background-color:#fff;margin:0 0 14px;padding-bottom:1px;padding-top:1px;"] -##.rscontainer > .ellip -##.section-result[data-result-ad-type] -##.widget-pane-section-result[data-result-ad-type] -! Sedo -###ads > .dose > .dosesingle -###content > #center > .dose > .dosesingle -###content > #right > .dose > .dosesingle -###header + #content > #left > #rlblock_left -! Taboola -##.reading-list-rail-taboola -##.trc_rbox .syndicatedItem -##.trc_rbox_border_elm .syndicatedItem -##.trc_rbox_div .syndicatedItem -##.trc_rbox_div .syndicatedItemUB -##.trc_rbox_div a[target="_blank"][href^="http://tab"] -##.trc_related_container div[data-item-syndicated="true"] -! Tripadvisor -###MAIN.ShowTopic > .ad -! uCoz -! https://adblockplus.org/forum/viewtopic.php?f=2&t=13414 -##div[id^="mainads"] -! yavli.com Sponsored content -##.__y_elastic .__y_item -##.__y_inner > .__y_item -##.__y_outer -##.__yinit .__y_item -##.__ywl .__y_item -##.__ywvr .__y_item -##.__zinit .__y_item -##.icons-rss-feed + .icons-rss-feed div[class$="_item"] -##.inlineNewsletterSubscription + .inlineNewsletterSubscription div[class$="_item"] -##.jobs-information-call-to-action + .jobs-information-call-to-action div[class$="_item"] -! zergnet -###boxes-box-zergnet_module -###right_rail-zergnet -###zergnet -###zergnet-widget -###zergnet-wrapper -##.ZERGNET -##.component-zergnet -##.content-zergnet -##.js-footer-zerg -##.module-zerg -##.sidebar-zergnet -##.td-zergnet -##.widget-ami-zergnet -##.widget_ok_zergnet_widget -##.zergmod -##.zergnet -##.zergnet-holder -##.zergnet-row -##.zergnet-widget -##.zergnet-widget-container -##.zergnet-widget__header -##.zergnet-widget__subtitle -##.zergnetBLock -##.zergnetpower -##.zergpowered -##a[href^="http://www.zergnet.com/i/"] -! *** easylist:easylist/easylist_whitelist_general_hide.txt *** -thedailygreen.com#@##AD_banner -webmail.verizon.net#@##AdColumn -jobs.wa.gov.au,lalovings.com#@##AdContainer -jobs.wa.gov.au,ksl.com#@##AdHeader -sprouts.com,tbns.com.au#@##AdImage -games.com#@##Adcode -designspotter.com#@##AdvertiseFrame -wikimedia.org,wikipedia.org#@##Advertisements -newser.com#@##BottomAdContainer -freeshipping.com,freeshippingrewards.com#@##BottomAds -orientaldaily.on.cc#@##ContentAd -kizi.com,playedonline.com#@##PreRollAd -japantimes.co.jp#@##RightAdBlock -isource.com,nytimes.com,ocregister.com,pe.com#@##TopAd -statejournal.com#@##WNAd41 -dailyfinancegroup.com#@##ad-area -dormy.se,marthastewart.com#@##ad-background -chinradioottawa.com#@##ad-bg -fropper.com,themonthly.com.au#@##ad-container -apnaohio.com,ifokus.se,miradiorumba.com#@##ad-header -egreetings.com#@##ad-header-728x90 -elle.com#@##ad-leaderboard -chicagocrusader.com,garycrusader.com#@##ad-main -wg-gesucht.de#@##ad-panel -53.com#@##ad-rotator -harpcolumn.com#@##ad-text -gismeteo.com,gismeteo.lt,gismeteo.lv,gismeteo.md#@##ad-top -afterdawn.com#@##ad-top-banner-placeholder -babyzone.com#@##ad-top-wrapper -edgesuite.net#@##ad-unit -amctv.com,collegeslackers.com,ufoevidence.org,wg-gesucht.de#@##ad-wrapper -egotastic.com,nehandaradio.com#@##ad468 -bristol247.com,zap2it.com#@##ad728 -natgeo.tv#@##ad728x90 -campusdish.com#@##adBanner -4029tv.com,wesh.com,wmur.com#@##adBelt -imdb.com#@##adComponentWrapper -remixshare.com#@##adDiv -surf.to#@##adFrame -ginatricot.com#@##adGallery -jobs.wa.gov.au,ksl.com#@##adHeader -indecisionforever.com#@##adHolder -youkioske.com#@##adLayer -mediabistro.com#@##adLeader -contracostatimes.com,mercurynews.com#@##adPosition0 -mautofied.com,segundamano.es#@##adText -sanmarcosrecord.com#@##ad_1 -sanmarcosrecord.com#@##ad_2 -sanmarcosrecord.com#@##ad_3 -sanmarcosrecord.com#@##ad_4 -sanmarcosrecord.com#@##ad_5 -vgchartz.com#@##ad_728_90 -karjalainen.fi#@##ad_area -todaystmj4.com#@##ad_banner -sexzindian.com#@##ad_center -apnaohio.com,syfygames.com#@##ad_content -michaels.com#@##ad_header -eonline.com#@##ad_leaderboard -umbro.com#@##ad_main -9stream.com,seeon.tv,sportlemon.tv,youjizz.com#@##ad_overlay -neonalley.com,streetinsider.com,vizanime.com#@##ad_space -wretch.cc#@##ad_square -bestadsontv.com#@##ad_table -oxforddictionaries.com#@##ad_topslot -nbc.com,syfygames.com,theawl.com#@##ad_unit -afro-ninja.com#@##ad_wrap -adspot.lk,amnestyusa.org,commoncause.org,drownedinsound.com,hardocp.com,prosperityactions.com#@##ad_wrapper -livestrong.com#@##adaptv_ad_player_div -analogplanet.com,audiostream.com,hometheater.com,innerfidelity.com,shutterbug.com,stereophile.com#@##adbackground -homeclick.com#@##adbanner -bplaced.net,explosm.net,pocket-lint.com,tweakguides.com#@##adbar -adblockplus.org,clipconverter.cc#@##adblock -amfiindia.com#@##adbody -2leep.com,landwirt.com,quaintmere.de#@##adbox -games.com#@##adcode -gamesfreak.net,gifmagic.com,jobs.wa.gov.au,lalovings.com#@##adcontainer -about.com,ehow.com#@##adcontainer1 -guloggratis.dk#@##adcontent -changeofaddressform.com#@##adhead -jobs.wa.gov.au#@##adheader -choone.com#@##adimg1 -popcap.com#@##adlayer -adnews.pl#@##adnews -contracostatimes.com,insidebayarea.com,mercurynews.com,siliconvalley.com#@##adposition3 -gamecopyworld.com,gamecopyworld.eu,morningstar.com#@##adright -lifeinvader.com#@##ads-col -herstage.com#@##ads-wrapper -skelbiu.lt#@##adsHeader -mexx.ca#@##ads_bottom -gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.se#@##ads_right -hcplzen.cz,lamag.com#@##ads_top -gayexpress.co.nz#@##ads_wrapper -videozed.net#@##adsdiv -carryconcealed.net,haberler.com,instiz.net,promoce.cz,ps3scenefiles.com,sondakika.com#@##adsense -remixshare.com#@##adsense_block -jeeppatriot.com#@##adsense_inline -autoweek.com,cooperhewitt.org,core77.com,metblogs.com,oreilly.com,thisisthehive.net#@##adspace -e24.se#@##adspace_top -smh.com.au,theage.com.au#@##adspot-300x250-pos-1 -theage.com.au#@##adspot-300x250-pos-2 -heavy.com#@##adstop -mautofied.com,thisisads.co.uk#@##adtext -4sysops.com,autogidas.lt,ew.com,globalsecurity.org#@##adtop -al.com,cleveland.com,gulflive.com,lehighvalleylive.com,masslive.com,mlive.com,nj.com,nola.com,oregonlive.com,pennlive.com,silive.com,syracuse.com#@##adv-masthead -lawinfo.com#@##adv-top -inverterbolsa.com#@##advert1 -lakeviewfinancial.net#@##advert2 -dice.com#@##advertContainer -felcia.co.uk#@##advert_box -tiv.pw#@##advertisement1 -telkomspeedy.com#@##advertisetop -govolsxtra.com,legacy.com#@##advertising_wrapper -flyroyalbrunei.com#@##adverts -tirebusiness.com#@##advtop -bionity.com,frumforum.com,windows7gadgets.net#@##adwrapper -allieiswired.com,catb.org#@##banner-ad -asuragen.com#@##bannerAd -visitscotland.com#@##bannerAdWrapper -macrumors.com#@##banner_topad -alltimesgames.com,go.com,kennedyhealth.org,modernmedicine.com#@##bannerad -hotels.mapov.com,redcanoecu.com#@##bigAd -sudoku.com.au#@##bigad -eenadu.net,themediaonline.co.za#@##body_ad -freeshipping.com#@##bottomAds -unicreatures.com#@##bottom_ad -hifi-forsale.co.uk#@##centerads -shoryuken.com#@##cmn_ad_tag_head -stickam.com#@##companionAd -lava360.com#@##content-header-ad -arquivo.wiki.br,orientaldaily.on.cc#@##contentAd -gamereactor.dk,gamereactor.es,gamereactor.eu,gamereactor.se#@##content_ads -tgfcer.com#@##content_adv -orientaldaily.on.cc#@##contentad -bestbuy.com#@##dart-container-728x90 -oxforddictionaries.com#@##dfp_ad_Entry_728x90 -oxforddictionaries.com#@##dfp_ad_Home_728x90 -israelnationalnews.com,mtanyct.info,presstv.com,presstv.ir#@##divAd -chicagotribune.com,latimes.com,puzzles.usatoday.com#@##div_prerollAd_1 -epicshare.net#@##download_ad -discuss.com.hk,uwants.com#@##featuread -clickbd.com#@##featured-ads -racingjunk.com#@##featuredAds -headlinestoday.intoday.in#@##footer_ad -investopedia.com#@##footer_ads -adultswim.com#@##game-ad -pescorner.net#@##googlead -chicagoreader.com,sfexaminer.com#@##gridAdSidebar -cozi.com,uwcu.org#@##head-ad -fashionmagazine.com#@##header-ads -newgrowbook.com#@##headerAd -independenttraveler.com#@##headerAdContainer -airplaydirect.com,cmt.com,hollywoodoops.com#@##header_ad -guysen.com#@##homead -aetv.com#@##ka_adRightSkyscraperWide -journalrecord.com#@##leaderAd -newegg.com#@##leaderBoardAd -blogcritics.org#@##leaderboard-ad -ratecity.com.au#@##leaderboard-advertisement -boattrader.com#@##left-ad -eva.vn#@##left_ads -briefing.com#@##leftad -wyomingnews.com#@##leftads -sunnewsnetwork.ca#@##logoAd -truecar.com#@##logo_ad -wellsfargo.com#@##mainAd -straighttalk.com,theloop.com.au#@##main_ad -cyclingnews.com#@##mpu2 -cyclingnews.com#@##mpu2_container -cyclingnews.com#@##mpu_container -tei-c.org#@##msad -www.yahoo.com#@##my-adsFPAD -4kidstv.com#@##myAd -180upload.nl,epicshare.net,lemuploads.com,megarelease.org#@##player_ads -govolsxtra.com#@##pre_advertising_wrapper -box10.com,chicagotribune.com,enemy.com,flashgames247.com,hackedarcadegames.com,latimes.com,puzzles.usatoday.com#@##prerollAd -flickr.com#@##promo-ad -dailygames.com#@##publicidad -mmgastro.pl#@##reklama -smilelocal.com#@##rh-ad -eva.vn#@##right_ads -repair-home.com#@##right_adsense -rollingstone.com#@##search-sponsor -gumtree.co.za,gumtree.pl,kijiji.ca#@##searchAd -logic-immo.be,motortrade.me#@##search_ads -spinner.com#@##sideAd -japantoday.com#@##side_ads -gaelick.com,romstone.net#@##sidebar-ads -facebook.com,japantoday.com#@##sidebar_ads -allthingsd.com#@##skybox-ad -zapak.com#@##sponsorAdDiv -members.portalbuzz.com#@##sponsors-home -3dmark.com,yougamers.com#@##takeover_ad -acceptableads.com#@##text-ads -audioacrobat.com#@##theAd -foodbeast.com,mensfitness.com#@##top-ad -boards.adultswim.com#@##top-ad-content -isource.com#@##topAd -playstationlifestyle.net#@##topAdSpace -sdtimes.com#@##topAdSpace_div -inverterbolsa.com#@##topAdvert -neowin.net#@##topBannerAd -morningstar.se,zootoo.com#@##top_ad -hbwm.com#@##top_ads -72tips.com,bumpshack.com,isource.com,millionairelottery.com,pdrhealth.com,psgroove.com,psx-scene.com,stickydillybuns.com#@##topad -bdjobs.com#@##topadvert -audiostream.com,foxsports540.com,soundandvision.com,stereophile.com#@##topbannerad -theblaze.com#@##under_story_ad -my-magazine.me,nbc.com,theglobeandmail.com#@##videoAd -sudoku.com.au#@#.ADBAR -sudoku.com.au#@#.AdBar -superbikeplanet.com#@#.AdBody:not(body) -co-operative.coop,co-operativetravel.co.uk,cooptravel.co.uk#@#.AdBox -backpage.com#@#.AdInfo -chicagoreader.com#@#.AdSidebar -buy.com,superbikeplanet.com#@#.AdTitle -home-search.org.uk#@#.AdvertContainer -homeads.co.nz#@#.HomeAds -travelzoo.com#@#.IM_ad_unit -wikia.com#@#.LazyLoadAd -ehow.com#@#.RelatedAds -everydayhealth.com#@#.SponsoredContent -www.msn.com#@#.ad -apartments.com#@#.ad-300x250 -channelnewsasia.com#@#.ad-970 -optimum.net#@#.ad-banner -bash.fm,tbns.com.au#@#.ad-block -felcia.co.uk#@#.ad-body -auctionstealer.com#@#.ad-border -members.portalbuzz.com#@#.ad-btn -assetbar.com,jazzradio.com,o2.pl#@#.ad-button -asiasold.com,bahtsold.com,propertysold.asia#@#.ad-cat -small-universe.com#@#.ad-cell -jobmail.co.za,odysseyware.com#@#.ad-display -foxnews.com,yahoo.com#@#.ad-enabled -mac-torrent-download.net,motortrade.me#@#.ad-header -bigfishaudio.com,cnbcafrica.com,dublinairport.com,yahoo.com#@#.ad-holder -freebitco.in,recycler.com,usedvictoria.com#@#.ad-img -kijiji.ca#@#.ad-inner -daanauctions.com,queer.pl#@#.ad-item -cnet.com#@#.ad-leader-top -businessinsider.com#@#.ad-leaderboard -daanauctions.com,jerseyinsight.com#@#.ad-left -reformgovernmentsurveillance.com#@#.ad-link -guloggratis.dk,motortrade.me#@#.ad-links -honey.ninemsn.com.au#@#.ad-loaded -gumtree.com#@#.ad-panel -forums.soompi.com#@#.ad-placement -apartmenttherapy.com,thekitchn.com#@#.ad-rail -jerseyinsight.com#@#.ad-right -forbes.com#@#.ad-row -saavn.com#@#.ad-scroll -signatus.eu#@#.ad-section -wmagazine.com#@#.ad-served -asterisk.org,ifokus.se#@#.ad-sidebar -wegotads.co.za#@#.ad-source -10tv.com#@#.ad-square -speedtest.net#@#.ad-stack -jobmail.co.za,junkmail.co.za,version2.dk#@#.ad-text -buccaneers.com,dallascowboys.com,jaguars.com,kcchiefs.com,liveside.net,neworleanssaints.com,patriots.com,philadelphiaeagles.com,seahawks.com,steelers.com,sulekha.com,vikings.com#@#.ad-top -etonline.com,fool.com,interscope.com#@#.ad-unit -billboard.com#@#.ad-unit-300-wrapper -speedtest.net#@#.ad-vertical-container -tvlistings.aol.com#@#.ad-wide -howtopriest.com,nydailynews.com#@#.ad-wrap -citylab.com,dealsonwheels.com,fastcodesign.com,happypancake.com,lifeinvader.com,makers.com#@#.ad-wrapper -harpers.org#@#.ad300 -parade.com#@#.ad728 -interviewmagazine.com#@#.ad90 -sudoku.com.au#@#.adBar -abcfamily.go.com,livestrong.com,locatetv.com,mega.mu#@#.adBlock -aftenposten.no#@#.adBottomBoard -expedia.com,ksl.com#@#.adBox -thoughtcatalog.com#@#.adChoicesLogo -amfiindia.com,expressz.hu,gumtree.co.za,hotgamesforgirls.com,mycareer.com.au,quotefx.com#@#.adContent -superbikeplanet.com#@#.adDiv -contracostatimes.com,insidebayarea.com,mercurynews.com,siliconvalley.com#@#.adElement -birdchannel.com,catchannel.com,dogchannel.com,fishchannel.com,horsechannel.com,smallanimalchannel.com,youngrider.com#@#.adFrame -interpals.net#@#.adFrameCnt -autotrader.co.za#@#.adHead -autotrader.co.za,ctv.ca,ctvnews.ca#@#.adHeader -ctvbc.ctv.ca#@#.adHeaderblack -thebulletinboard.com#@#.adHeadline -namesecure.com,superhry.cz#@#.adHolder -superhry.cz#@#.adHoldert -autotrader.co.za,gumtree.co.nz,gumtree.co.za,gumtree.com,gumtree.com.au,gumtree.ie,gumtree.pl,gumtree.sg,ikea.com,kijiji.ca,ksl.com#@#.adImg -ceskatelevize.cz,ct24.cz,escortera.com#@#.adItem -greatergood.com,uol.com.br#@#.adLink -abc.go.com#@#.adMessage -seznam.cz#@#.adMiddle -cheaptickets.com,orbitz.com#@#.adMod -outspark.com#@#.adModule -hotels.mapov.com#@#.adOverlay -advertiser.ie#@#.adPanel -shockwave.com#@#.adPod -aggeliestanea.gr#@#.adResult -pogo.com#@#.adRight -is.co.za,smc.edu,ticketsnow.com#@#.adRotator -microsoft.com,northjersey.com#@#.adSpace -1380thebiz.com,1520thebiz.com,1520wbzw.com,760kgu.biz,880thebiz.com,am1260thebuzz.com,ap.org,biz1190.com,business1110ktek.com,kdow.biz,kkol.com,money1055.com,takealot.com,twincitiesbusinessradio.com#@#.adSpot -autotrader.co.za,thebulletinboard.com#@#.adText -autotrader.co.za,ksl.com,superbikeplanet.com#@#.adTitle -empowher.com#@#.adTopHome -streamcloud.eu#@#.adWidget -cocktailsoftheworld.com,hotgamesforgirls.com,supersonicads.com#@#.adWrap -sanmarcosrecord.com#@#.ad_1 -techreport.com#@#.ad_160 -courierpostonline.com#@#.ad_160x600 -focustaiwan.tw,sanmarcosrecord.com#@#.ad_2 -sanmarcosrecord.com#@#.ad_3 -elledecor.com,nydailynews.com,tvland.com#@#.ad_728x90 -globest.com#@#.ad_960 -nirmaltv.com#@#.ad_Right -focustaiwan.tw,lavozdegalicia.es#@#.ad_block -panarmenian.net#@#.ad_body -joins.com#@#.ad_bottom -go.com,robhasawebsite.com,thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se#@#.ad_container -bebusiness.eu,environmentjob.co.uk,lowcarbonjobs.com,myhouseabroad.com#@#.ad_description -318racing.org,linuxforums.org,modelhorseblab.com#@#.ad_global_header -gizmodo.jp,kotaku.jp,lifehacker.jp#@#.ad_head_rectangle -horsemart.co.uk,latimes.com,merkatia.com,mysportsclubs.com,news.yahoo.com#@#.ad_header -olx.pt,whatuni.com#@#.ad_img -bebusiness.eu,myhouseabroad.com,njuskalo.hr,starbuy.sk.data10.websupport.sk#@#.ad_item -timesofmalta.com#@#.ad_leaderboard -yirmidorthaber.com#@#.ad_middle -rediff.com#@#.ad_outer -tvland.com#@#.ad_promo -weather.yahoo.com#@#.ad_slug_table -chinapost.com.tw#@#.ad_space -huffingtonpost.ca,huffingtonpost.co.uk,huffingtonpost.com,huffingtonpost.in#@#.ad_spot -bbs.newhua.com,starbuy.sk.data10.websupport.sk#@#.ad_text -fastseeksite.com,njuskalo.hr#@#.ad_title -oxforddictionaries.com#@#.ad_trick_header -oxforddictionaries.com#@#.ad_trick_left -wg-gesucht.de#@#.ad_wrap -athensmagazine.gr#@#.ad_wrapper -choone.com#@#.adarea -espni.go.com,nownews.com,nva.gov.lv#@#.adbanner -fifthinternational.org,sudoku.com.au#@#.adbar -smilelocal.com#@#.adbottom -thelog.com#@#.adbutton -lancasteronline.com#@#.adcolumn -archiwumallegro.pl#@#.adcont -bmwoglasnik.si,completemarkets.com,superbikeplanet.com#@#.addiv -linux.com#@#.adframe -nick.com#@#.adfree -choone.com#@#.adheader -northjersey.com,rabota.by#@#.adholder -backpage.com#@#.adinfo -pcmag.com#@#.adkit -insomnia.gr,kingsinteriors.co.uk,superbikeplanet.com#@#.adlink -bmwoglasnik.si,clickindia.com#@#.adlist -find-your-horse.com#@#.admain -smilelocal.com#@#.admiddle -tomwans.com#@#.adright -skatteverket.se#@#.adrow1 -skatteverket.se#@#.adrow2 -community.pictavo.com#@#.ads-1 -community.pictavo.com#@#.ads-2 -community.pictavo.com#@#.ads-3 -mommyish.com#@#.ads-300-250 -pch.com#@#.ads-area -hellogiggles.com#@#.ads-bg -queer.pl#@#.ads-col -burzahrane.hr#@#.ads-header -members.portalbuzz.com#@#.ads-holder -t3.com#@#.ads-inline -celogeek.com,checkrom.com#@#.ads-item -bannerist.com#@#.ads-right -apple.com#@#.ads-section -community.pictavo.com,juicesky.com#@#.ads-title -queer.pl#@#.ads-top -uploadbaz.com#@#.ads1 -jw.org,losmovies.is#@#.adsBlock -download.cnet.com#@#.ads_catDiv -santabanta.com#@#.ads_div -shopmos.net#@#.ads_top -quebarato.com.br,search.conduit.com#@#.ads_wrapper -alluc.org#@#.adsbottombox -magebam.com#@#.adsbox -advancedrenamer.com,epicbundle.com,weightlosereally.com,willyoupressthebutton.com#@#.adsbygoogle -copart.com#@#.adscontainer -live365.com#@#.adshome -chupelupe.com#@#.adside -fodey.com,tuxpi.com#@#.adslot -wg-gesucht.de#@#.adslot_blurred -4kidstv.com,banknbt.com,kwik-fit.com,mac-sports.com#@#.adspace -cutepdf-editor.com#@#.adtable -absolute.com#@#.adtile -smilelocal.com#@#.adtop -promodj.com#@#.adv300 -goal.com#@#.adv_300 -strongdiesel.com#@#.adv_txt -pistonheads.com#@#.advert-block -eatsy.co.uk#@#.advert-box -bigcommerce.com,chycor.co.uk#@#.advert-container -pistonheads.com,welovethe90s.fi#@#.advert-content -mobifrance.com#@#.advert-horizontal -citifmonline.com,horsedeals.com.au#@#.advert-wrapper -jamesedition.com#@#.advert2 -pdc.tv#@#.advertColumn -basingstokehomebid.org.uk,homefindersomerset.co.uk#@#.advertContainer -longstonetyres.co.uk#@#.advertLink -longstonetyres.co.uk#@#.advertText -niedziela.nl#@#.advert_container -browsershots.org#@#.advert_list -pets4homes.co.uk#@#.advertbox -itavisen.no#@#.advertisement-1 -zalora.co.id,zalora.co.th,zalora.com.my,zalora.com.ph,zalora.sg#@#.advertisement-block -buyout.pro,news.com.au,zlinked.com#@#.advertiser -alusa.org#@#.advertising_block -anobii.com#@#.advertisment -grist.org,ing.dk,version2.dk#@#.advertorial -bavaria86.com,ransquawk.com,trh.sk#@#.adverts -stjornartidindi.is#@#.adverttext -staircase.pl#@#.adwords -consumerist.com#@#.after-post-ad -deluxemusic.tv#@#.article_ad -jiji.ng#@#.b-advert -pbs.org#@#.banner-ad -annfammed.org#@#.banner-ads -plus.net,putlocker.com#@#.banner300 -mlb.com#@#.bannerAd -milenio.com#@#.banner_728x90 -mergermarket.com#@#.banner_ad -cumbooks.co.za,eurweb.com,infoplease.com#@#.bannerad -popporn.com,webphunu.net#@#.block-ad -economist.com#@#.block-ec_ads -diena.lt#@#.block-simpleads -oliveoiltimes.com#@#.blog-ads -hispanicbusiness.com#@#.bottom-ad -newagestore.com#@#.bottom-ads -nytimes.com#@#.bottom-left-ad -123poi.com#@#.bottomAds -ixbtlabs.com#@#.bottom_ad_block -queer.pl#@#.box-ads -wired.com#@#.box-radvert -ibtimes.co.in#@#.box-recommend-ad -strongdiesel.com#@#.box_ads -strongdiesel.com#@#.box_adv -theonion.com#@#.boxad -meridiana.it#@#.boxadv -abc.net.au#@#.btn-ad -weather.yahoo.com#@#.can_ad_slug -deployhappiness.com,dmitrysotnikov.wordpress.com,faravirusi.com#@#.category-ad -gegenstroemung.org#@#.change_AdContainer -deals.kinja.com#@#.commerce-inset -findicons.com,tattoodonkey.com#@#.container_ad -insidefights.com#@#.container_row_ad -theology.edu#@#.contentAd -verizonwireless.com#@#.contentAds -freevoipdeal.com,voipstunt.com#@#.content_ads -glo.msn.com#@#.cp-adsInited -adexchanger.com,gottabemobile.com,thinkcomputers.org#@#.custom-ad -theweek.com#@#.desktop-ad -wwlp.com#@#.dfp-ad -ripley.cl#@#.dfp-ad-unit -flightcentre.co.uk,out.com#@#.dfp-tag-wrapper -dn.se#@#.displayAd -deviantart.com#@#.download_ad -economist.com#@#.ec-ads-remove-if-empty -boattrader.com#@#.featured-ad -racingjunk.com#@#.featuredAdBox -webphunu.net#@#.flash-advertisement -songlyrics.com#@#.footer-ad -employmentguide.com#@#.footer-ads -selectparkhomes.com#@#.footer_ad -koopik.com#@#.footerad -ebayclassifieds.com,guloggratis.dk#@#.gallery-ad -time.com#@#.google-sponsored -gumtree.co.za#@#.googleAdSense -nicovideo.jp#@#.googleAds -davidsilverspares.co.uk#@#.greyAd -forums.digitalspy.com,waer.org#@#.has-ad -minecraftforge.net#@#.hasads -adexchanger.com,assetbar.com,burningangel.com,donthatethegeek.com,drunkenstepfather.com,intomobile.com,poderpda.com,politicususa.com,seattlepi.com,sfgate.com,startingstrongman.com,thenationonlineng.net,thinkcomputers.org,wccftech.com,wholelifestylenutrition.com#@#.header-ad -greenbayphoenix.com,photobucket.com#@#.headerAd -dailytimes.com.pk,swns.com#@#.header_ad -associatedcontent.com#@#.header_ad_center -kidzworld.com#@#.header_advert -plugcomputer.org#@#.headerad -haaretz.com#@#.headerads -gnc.co.uk,iedrc.org#@#.home-ad -1065thearch.com,949cincinnati.com,98kupd.com,altaz933.com,b105.com,click989.com,kazg1440.com,kslx.com,movin925.com,nbcsports1060.com,theworldwidewolf.com,warm1069.com,wil92.com,wkrq.com,wshechicago.com,wtmx.com#@#.home-ads -heals.co.uk,questapartments.com.au#@#.homeAd -worldsnooker.com#@#.homead -gq.com#@#.homepage-ad -straighttalk.com#@#.homepage_ads -radaronline.com#@#.horizontal_ad -bodas.com.mx,bodas.net,daveramsey.com,economist.com,flightcentre.co.uk,mariages.net,matrimonio.com,payback.pl,ripley.cl,ripley.com.pe,weddingspot.co.uk,wsj.com#@#.img_ad -a-k.tel,baldai.tel,boracay.tel,covarrubias.tel#@#.imgad -lespac.com#@#.inner_ad -classifiedads.com#@#.innerad -gizbrain.com,szlifestyle.com#@#.insert-post-ads -forbes.com#@#.interstitial_ad_wrapper -silveradoss.com#@#.ipsAd -magazines-download.com#@#.item-ads -amazinglytimedphotos.com#@#.item-container-ad -rollingstone.com#@#.js-sticky-ad -everybodysucksbutus.com,usatoday.com#@#.leaderboard-ad -ajcn.org,annfammed.org#@#.leaderboard-ads -lolhit.com#@#.leftAd -lolhit.com#@#.leftad -ebayclassifieds.com#@#.list-ad -asiasold.com,bahtsold.com,comodoroenventa.com,propertysold.asia#@#.list-ads -euspert.com#@#.listad -ap.org,atea.com,ateadirect.com,knowyourmobile.com,nlk.org.np#@#.logo-ad -eagleboys.com.au#@#.marketing-ad -driverscollection.com#@#.mid_ad -donga.com#@#.middle_AD -latimes.com#@#.mod-adopenx -thenewamerican.com#@#.module-ad -eatthis.com#@#.nav-ad -ziehl-abegg.com#@#.newsAd -dogva.com#@#.node-ad -dn.se#@#.oasad -climbingbusinessjournal.com,kunstpiste.com#@#.oio-banner-zone -antronio.com,frogueros.com#@#.openx -youtube.com#@#.overlay-ads -adn.com,wiktionary.org#@#.page-ad -rottentomatoes.com#@#.page_ad -bachofen.ch#@#.pfAd -speedtest.net#@#.plainAd -m.vporn.com#@#.playerAd -iitv.info#@#.player_ad -putlocker.com,vodu.ch#@#.player_hover_ad -latimes.com#@#.pm-ad -bigfootpage.com,gumtree.com#@#.post-ad -venturebeat.com#@#.post-sponsored -ayosdito.ph,christianhouseshare.com.au,trovit.pl#@#.post_ad -freeads.co.uk,gumtree.co.za,sahibinden.com#@#.postad -wesh.com#@#.premiumAdOverlay -wesh.com#@#.premiumAdOverlayClose -ebaumsworld.com,timeoutbengaluru.net,timeoutdelhi.net,timeoutmumbai.net#@#.promoAd -abaporufilmes.com.br#@#.publicidade -ebay.co.uk,theweek.com#@#.pushdown-ad -engadget.com#@#.rail-ad -interpals.net#@#.rbRectAd -collegecandy.com#@#.rectangle_ad -salon.com#@#.refreshAds -foreignaffairs.com#@#.region-top-ad-position -uploadic.com#@#.reklam -doradcy24.pl,mmgastro.pl,offmoto.com,slovaknhl.sk#@#.reklama -tradera.com#@#.reportAdLink -bilzonen.dk#@#.resultad -airlinequality.com#@#.review-ad -7-eleven.com#@#.right-ad -theberrics.com,weddingchannel.com#@#.rightAd -post-gazette.com#@#.right_ad -dailymotion.com#@#.right_ads_column -theberrics.com,w3schools.com,x17online.com#@#.rightad -tobarandualchais.co.uk#@#.rightadv -gumtree.co.za#@#.searchAds -mail.yahoo.com#@#.searchad -avizo.cz,bisexual.com#@#.searchads -ipsluk.co.uk#@#.section-sponsor -arbetsformedlingen.se,wunderground.com#@#.showAd -agelioforos.gr,audioholics.com,domainrural.com.au#@#.side-ad -suntimes.com#@#.side-bar-ad-position1 -timesofoman.com#@#.sideAd -fool.com#@#.sidebar-ads -adspot.lk,recycler.com#@#.single-ad -myaccount.nytimes.com#@#.singleAd -cbsnews.com,gamespot.com#@#.skinAd -radaronline.com#@#.sky_ad -comicbookmovie.com#@#.skyscraperAd -reuters.com#@#.slide-ad -caarewards.ca#@#.smallAd -boylesports.com#@#.small_ad -hebdenbridge.co.uk,store.gameshark.com#@#.smallads -theforecaster.net#@#.sponsor-box -photocrowd.com#@#.sponsor-logo -childfund.org#@#.sponsorBlock -xhamster.com#@#.sponsorBottom -getprice.com.au#@#.sponsoredLinks -golfmanagerlive.com#@#.sponsorlink -giantlife.com,hellobeautiful.com,newsone.com,theurbandaily.com#@#.sticky-ad -technical.ly#@#.story-ad -ibtimes.co.in#@#.taboola-ad -thoughtcatalog.com#@#.tc_ad_unit -kanui.com.br,nytimes.com#@#.text-ad -kingsofchaos.com#@#.textad -antronio.com,cdf.cl,frogueros.com#@#.textads -anythinghollywood.com,aylak.com#@#.top-ad -mobilesyrup.com#@#.top-ad-container -boards.adultswim.com#@#.top-ad-content -programmableweb.com#@#.top-ad-wrapper -nypress.com,timescall.com#@#.topAds -horsemart.co.uk,torrentv.org#@#.top_ad -conversations.nokia.com#@#.top_ad_div -egmnow.com#@#.top_ad_wrap -imagepicsa.com,sun.mv,trailvoy.com#@#.top_ads -earlyamerica.com,infojobs.net#@#.topads -nfl.com#@#.tower-ad -express.de,focus.de#@#.trc-content-sponsored -express.de,focus.de#@#.trc_rbox .syndicatedItem -express.de,focus.de#@#.trc_rbox_border_elm .syndicatedItem -express.de,focus.de#@#.trc_rbox_div .syndicatedItem -express.de,focus.de#@#.trc_related_container div[data-item-syndicated="true"] -yahoo.com#@#.type_ads_default -vinden.se#@#.view_ad -nytimes.com#@#.wideAd -britannica.com,cam4.com#@#.withAds -statejournal.com#@#.wnad -americannews.com,theuspatriot.com#@#.wpInsertInPostAd -weather.yahoo.com#@#.yom-ad -trust.zone#@#a[href*=".trust.zone"] -bitrebels.com#@#a[href*="/adrotate-out.php?"] -santander.co.uk#@#a[href^="http://ad-emea.doubleclick.net/"] -jabong.com,people.com,techrepublic.com,time.com#@#a[href^="http://ad.doubleclick.net/"] -pcmag.com,watchever.de#@#a[href^="http://adfarm.mediaplex.com/"] -betbeaver.com,betwonga.com,matched-bet.net#@#a[href^="http://ads.betfair.com/redirect.aspx?"] -betwonga.com#@#a[href^="http://ads2.williamhill.com/redirect.aspx?"] -betwonga.com#@#a[href^="http://adserving.unibet.com/"] -adultfriendfinder.com#@#a[href^="http://adultfriendfinder.com/p/register.cgi?pid="] -betwonga.com,matched-bet.net#@#a[href^="http://affiliate.coral.co.uk/processing/"] -marketgid.com,mgid.com#@#a[href^="http://marketgid.com"] -iab.com,marketgid.com,mgid.com#@#a[href^="http://mgid.com/"] -betwonga.com#@#a[href^="http://online.ladbrokes.com/promoRedirect?"] -linkedin.com,tasteofhome.com#@#a[href^="http://pubads.g.doubleclick.net/"] -marketgid.com,mgid.com#@#a[href^="http://us.marketgid.com"] -betbeaver.com,betwonga.com#@#a[href^="http://www.bet365.com/home/?affiliate"] -fbooksluts.com#@#a[href^="http://www.fbooksluts.com/"] -fleshjack.com,fleshlight.com#@#a[href^="http://www.fleshlight.com/"] -google.ca,google.co.nz,google.co.uk,google.com,google.com.au,google.de#@#a[href^="http://www.liutilities.com/"] -socialsex.com#@#a[href^="http://www.socialsex.com/"] -fuckbookhookups.com#@#a[href^="http://www.yourfuckbook.com/?"] -marketgid.com,mgid.com#@#a[id^="mg_add"] -marketgid.com,mgid.com#@#div[id^="MarketGid"] -flightcentre.co.uk,out.com#@#div[id^="dfp-ad-"] -amazon.com,beqala.com,concursovirtual.com.br,daveramsey.com,drupalcommerce.org,ensonhaber.com,eurweb.com,faceyourmanga.com,isc2.org,lavozdegalicia.es,liverc.com,liverpoolfc.com,mit.edu,payback.pl,peekyou.com,pianobuyer.com,podomatic.com,ripley.cl,ripley.com.pe,suntimes.com,timesofoman.com,virginaustralia.com,wlj.net,zavvi.com#@#div[id^="div-gpt-ad"] -daveramsey.com,ripley.cl,ripley.com.pe#@#div[id^="google_ads_iframe_"] -lavozdegalicia.es#@#div[itemtype="http://schema.org/WPAdBlock"] -bodas.com.mx,bodas.net,mariages.net,matrimonio.com,weddingspot.co.uk#@#iframe[id^="google_ads_frame"] -bodas.com.mx,bodas.net,concursovirtual.com.br,daveramsey.com,economist.com,flightcentre.co.uk,forbes.com,lavozdegalicia.es,liverpoolfc.com,mariages.net,matrimonio.com,payback.pl,pianobuyer.com,ripley.cl,ripley.com.pe,thoughtcatalog.com,vroomvroomvroom.com.au,weddingspot.co.uk,wsj.com,zillow.com#@#iframe[id^="google_ads_iframe"] -api.streamin.to#@#iframe[src] -weather.yahoo.com#@#iframe[src^="http://ad.yieldmanager.com/"] -! Anti-Adblock -opensubtitles.org#@##AD_Top -litecoiner.net#@##ad-bottom -mypoints.com#@##ad-main -litecoiner.net#@##ad-right -bitcoiner.net,litecoiner.net#@##ad-top -zeez.tv#@##ad_overlay -cnet.com#@##adboard -olweb.tv#@##ads1 -gooprize.com,jsnetwork.fr#@##ads_bottom -adlice.com,androiding.how,appwikia.com,bagas31.com,elchapuzasinformatico.com,noticiasautomotivas.com.br,oklivetv.com,sharefreeall.com,shufflespain.es,simply-debrid.com,unixmen.com,xsportnews.com,xup.in,xup.to#@##adsense -spoilertv.com#@##adsensewide -8muses.com#@##adtop -anisearch.com,lilfile.com#@##advertise -yafud.pl#@##bottomAd -liberallogic101.com#@##headerAd -thesimsresource.com#@##leaderboardad -exashare.com#@##player_ads -iphone-tv.eu#@##sidebar_ad -freebitcoins.nx.tc,getbitcoins.nx.tc#@##sponsorText -aplus.com,explosm.net#@##sponsoredwellcontainerbottom -dailybitcoins.org#@#.ad-img -fox.com#@#.ad-unit -grifthost.com#@#.ad468 -biggestplayer.me#@#.adBlock -apkmirror.com#@#.adsWidget -androidrepublic.org,anonymousemail.me,apkmirror.com,bitcoin-faucet.eu,boxbit.co.in,bsmotoring.com,btcinfame.com,classic-retro-games.com,coingamez.com,demos.krajee.com,doulci.net,eveskunk.com,filecore.co.nz,freebitco.in,get-bitcoin-free.eu,gnomio.com,kadinlarkulubu.com,liberallogic101.com,mangacap.com,mangakaka.com,niresh.co,nzb.su,orlygift.com,pixiz.com,r1db.com,receive-a-sms.com,sc2casts.com,spoilertv.com,unlocktheinbox.com,zeperfs.com#@#.adsbygoogle -apkmirror.com#@#.adslot -browsershots.org#@#.advert_area -wtkplay.pl#@#.advertising_banner -velasridaura.com#@#.advertising_block -guitarforum.co.za,tf2r.com#@#.adverts -africasports.net,bakersfield.com,biggestplayer.me,cheatpain.com,diplomat.so,directwonen.nl,dramacafe.in,eveskunk.com,exashare.com,farsondigitalwatercams.com,file4go.com,freeccnaworkbook.com,gaybeeg.info,hack-sat.com,is-arquitectura.es,jornaisdesportivospdf.com,keygames.com,latesthackingnews.com,localeyes.dk,manga2u.co,mangakaka.com,mangasky.co,minecraftskins.com,moneyinpjs.com,online.dramacafe.tv,perrosycachorros.net,phoronix.com,ps3news.com,psarips.com,psicologiayautoayuda.com,recetasreceta.com,smplayer.sourceforge.net,thenewboston.com,tubitv.com,youtubecristiano.net#@#.afs_ads -coindigger.biz#@#.banner160x600 -anisearch.com#@#.chitikaAdBlock -theladbible.com#@#.content_tagsAdTech -topzone.lt#@#.forumAd -localeyes.dk#@#.pub_300x250 -localeyes.dk#@#.pub_300x250m -localeyes.dk#@#.pub_728x90 -localeyes.dk#@#.text-ad -localeyes.dk#@#.text-ad-links -localeyes.dk#@#.text-ads -localeyes.dk#@#.textAd -localeyes.dk#@#.text_ad -localeyes.dk,pixiz.com,televall.com.mx,turkanime.tv,videopremium.tv#@#.text_ads -menstennisforums.com#@#.top_ads -coingamez.com,mangaumaru.com,milfzr.com,pencurimovie.cc#@#div[id^="div-gpt-ad"] -! ---------------------------Third-party advertisers---------------------------! -! *** easylist:easylist/easylist_adservers.txt *** -||007-gateway.com^$third-party -||04dn8g4f.space^$third-party -||0emn.com^$third-party -||0fmm.com^$third-party -||0icep80f.com^$third-party -||0pixl.com^$third-party -||0xwxmj21r75kka.com^$third-party -||101m3.com^$third-party -||103092804.com^$third-party -||104.154.237.93^$third-party -||10fbb07a4b0.se^$third-party -||10pipsaffiliates.com^$third-party -||1100i.com^$third-party -||123date.me^$third-party -||12place.com^$third-party -||152media.com^$third-party -||15f3c01a.info^$third-party -||15f3c01c.info^$third-party -||174.142.194.177^$third-party -||17a898b9.info^$third-party -||17a898bb.info^$third-party -||188.138.1.45^$third-party,domain=~shatecraft.com.ip -||188server.com^$third-party -||18clicks.com^$third-party -||194.71.107.25^$third-party -||199.102.225.178^$third-party,domain=~adsimilate.ip -||1bx4t5c.com^$third-party -||1ccbt.com^$third-party -||1clickdownloads.com^$third-party -||1e0y.xyz^$third-party -||1empiredirect.com^$third-party -||1nimo.com^$third-party -||1phads.com^$third-party -||1rx.io^$third-party -||1rxntv.io^$third-party -||1sadx.net^$third-party -||1web.me^$third-party -||1yk851od.com^$third-party -||204.93.181.78^$third-party,domain=~discountmags.ip -||206ads.com^$third-party -||209.222.8.217^$third-party,domain=~p2p.adserver.ip -||20dollars2surf.com^$third-party -||213.163.70.183^$third-party -||221.141.213.254^$third-party,domain=~koreaherald-com.ip -||247realmedia.com^$third-party -||254a.com^$third-party -||2al.pw^$third-party -||2beon.co.kr^$third-party -||2d4c3870.info^$third-party -||2d4c3872.info^$third-party -||2dpt.com^$third-party -||2mdn.info^$third-party -||2mdn.net/dot.gif$object-subrequest,third-party -||2mdn.net^$object-subrequest,third-party,domain=101cargames.com|1025thebull.com|1031iheartaustin.com|1037theq.com|1041beat.com|1053kissfm.com|1057ezrock.com|1067litefm.com|10news.com|1310news.com|247comedy.com|3news.co.nz|49ers.com|610cktb.com|680news.com|700wlw.com|850koa.com|923jackfm.com|92q.com|940winz.com|94hjy.com|99kisscountry.com|abc15.com|abc2news.com|abcactionnews.com|am1300thezone.com|ap.org|atlantafalcons.com|automobilemag.com|automotive.com|azcardinals.com|baltimoreravens.com|baynews9.com|bbc.co.uk|bbc.com|belfasttelegraph.co.uk|bengals.com|bet.com|big1059.com|bigdog1009.ca|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boom973.com|boom997.com|boomphilly.com|box10.com|brisbanetimes.com.au|buccaneers.com|buffalobills.com|bullz-eye.com|calgaryherald.com|caller.com|canada.com|capitalfm.ca|cbslocal.com|cbsnews.com|cbssports.com|channel955.com|chargers.com|chez106.com|chfi.com|chicagobears.com|chicagotribune.com|cj104.com|cjad.com|cjbk.com|clevelandbrowns.com|cnet.com|coast933.com|colts.com|commercialappeal.com|country1011.com|country1043.com|country1067.com|country600.com|courierpress.com|cp24.com|cricketcountry.com|csmonitor.com|ctvnews.ca|dallascowboys.com|denverbroncos.com|detroitlions.com|drive.com.au|earthcam.com|easyrecipesite.com|edmontonjournal.com|egirlgames.net|elvisduran.com|enjoydressup.com|entrepreneur.com|eonline.com|escapegames.com|euronews.com|eurosport.com|eveningecho.ie|fm98wjlb.com|foodnetwork.ca|four.co.nz|foxradio.ca|foxsportsradio.com|gamingbolt.com|ghananation.com|giantbomb.com|giants.com|globalnews.ca|globaltoronto.com|globaltv.com|globaltvbc.com|globaltvcalgary.com|go.com|gorillanation.com|gosanangelo.com|hallelujah1051.com|hellobeautiful.com|heraldsun.com.au|hgtv.ca|hiphopnc.com|hot1041stl.com|hotair.com|hothiphopdetroit.com|hotspotatl.com|houstontexans.com|ibtimes.co.uk|ign.com|iheart.com|independent.ie|independentmail.com|indyhiphop.com|ipowerrichmond.com|jackfm.ca|jaguars.com|jwplatform.com|kase101.com|kcchiefs.com|kcci.com|kcra.com|kdvr.com|kfiam640.com|kgbx.com|khow.com|kiisfm.com|kiss925.com|kissnorthbay.com|kisssoo.com|kisstimmins.com|kitsapsun.com|kitv.com|kjrh.com|knoxnews.com|kogo.com|komonews.com|kshb.com|kwgn.com|kxan.com|kysdc.com|latimes.com|latinchat.com|leaderpost.com|livestream.com|local8now.com|magic96.com|majorleaguegaming.com|metacafe.com|miamidolphins.com|mix923fm.com|moneycontrol.com|montrealgazette.com|motorcyclistonline.com|moviemistakes.com|mtv.ca|myboom1029.com|mycolumbuspower.com|myezrock.com|naplesnews.com|nationalpost.com|nba.com|ndtv.com|neworleanssaints.com|news1130.com|newsinc.com|newsmax.com|newsmaxhealth.com|newsnet5.com|newsone.com|newstalk1010.com|newstalk1130.com|newyorkjets.com|nydailynews.com|nymag.com|oldschoolcincy.com|ottawacitizen.com|packers.com|panthers.com|patriots.com|pcworld.com|philadelphiaeagles.com|play.it|player.screenwavemedia.com|prowrestling.com|q92timmins.com|raaga.com|radio.com|radionowindy.com|raiders.com|rapbasement.com|redding.com|redskins.com|reporternews.com|reuters.com|rollingstone.com|rootsports.com|rottentomatoes.com|seahawks.com|sherdog.com|skynews.com.au|slice.ca|smh.com.au|sploder.com|sportsnet590.ca|sportsnet960.ca|springboardplatform.com|steelers.com|stlouisrams.com|streetfire.net|stuff.co.nz|tcpalm.com|telegraph.co.uk|theage.com.au|theaustralian.com.au|thebeatdfw.com|theboxhouston.com|thedenverchannel.com|thedrocks.com|theindychannel.com|theprovince.com|thestarphoenix.com|tide.com|timescolonist.com|timeslive.co.za|timesrecordnews.com|titansonline.com|totaljerkface.com|townhall.com|tripadvisor.ca|tripadvisor.co.uk|tripadvisor.co.za|tripadvisor.com|tripadvisor.com.au|tripadvisor.com.my|tripadvisor.com.sg|tripadvisor.ie|tripadvisor.in|turnto23.com|tvone.tv|twitch.tv|twitchy.com|usmagazine.com|vancouversun.com|vcstar.com|veetle.com|vice.com|videojug.com|viki.com|vikings.com|virginradio.ca|vzaar.com|wapt.com|washingtonpost.com|washingtontimes.com|wcpo.com|wdfn.com|weather.com|wescfm.com|wgci.com|wibw.com|wikihow.com|windsorstar.com|wiod.com|wiznation.com|wjdx.com|wkyt.com|wor710.com|wptv.com|wsj.com|wxyz.com|wyff4.com|yahoo.com|youtube.com|z100.com|zhiphopcleveland.com -||2mdn.net^$~object-subrequest,third-party -||2xbpub.com^$third-party -||32b4oilo.com^$third-party -||3393.com^$third-party -||33across.com^$third-party -||35.184.98.90^$third-party -||350media.com^$third-party -||360ads.com^$third-party -||360adstrack.com^$third-party -||360installer.com^$third-party -||360popads.com^$third-party -||360yield.com^$third-party -||365sbaffiliates.com^$third-party -||3cnce854.com^$third-party -||3lift.com^$third-party -||3lr67y45.com^$third-party -||3omb.com^$third-party -||3rdads.com^$third-party -||3redlightfix.com^$third-party -||3t7euflv.com^$third-party -||3wr110.net^$third-party -||43plc.com^$third-party -||46.165.197.153^ -||46.165.197.231^ -||46.246.120.230^$third-party,domain=~adexprt.com.ip -||4affiliate.net^$third-party -||4dsply.com^$third-party -||4e43ac9c.info^$third-party -||4uvjosuc.com^$third-party -||4wnet.com^$third-party -||50.7.243.123^$third-party -||5362367e.info^$third-party -||5advertise.com^$third-party -||5clickcashsoftware.com^$third-party -||5gl1x9qc.com^$third-party -||600z.com^$third-party -||62.27.51.163^$third-party,domain=~adlive.de.ip -||63.225.61.4^$third-party -||64.20.60.123^$third-party -||67s6gxv28kin.com^$third-party -||74.117.182.77^ -||777seo.com^$third-party -||778669.com^$third-party -||78.138.126.253^$third-party -||78.140.131.214^ -||7insight.com^$third-party -||7pud.com^$third-party -||7search.com^$third-party -||7u8a8i88.com^$third-party -||82d914.se^$third-party -||87.230.102.24^$third-party,domain=~p2p.adserver.ip -||888media.net^$third-party -||888medianetwork.com^$third-party -||888promos.com^$third-party -||8baf7ae42000024.com^$third-party -||8s8.eu^$third-party -||8yxupue8.com^$third-party -||97d73lsi.com^$third-party -||9d63c80da.pw^$third-party -||9ts3tpia.com^$third-party -||a-ads.com^$third-party -||a-ssl.ligatus.com^$third-party -||a-static.com^$third-party -||a.adroll.com^$third-party -||a.ligatus.com^$third-party -||a.raasnet.com^$third-party -||a2dfp.net^$third-party -||a2gw.com^$third-party -||a2pub.com^$third-party -||a3pub.com^$third-party -||a433.com^$third-party -||a4dtrk.com^$third-party -||a4to4.pw^$third-party -||a5a5a.com^$third-party -||a5pub.com^$third-party -||aa.voice2page.com^$third-party -||aaa.at4.info^$third-party -||aaa.dv0.info^$third-party -||abasourdir.tech^$third-party -||abletomeet.com^$third-party -||abnad.net^$third-party -||aboutads.quantcast.com^$third-party -||abtracker.us^$third-party -||accelacomm.com^$third-party -||access-mc.com^$third-party -||accmgr.com^$third-party -||accounts.pkr.com^$third-party -||accumulatork.com^$third-party -||accuserveadsystem.com^$third-party -||acf-webmaster.net^$third-party -||acronym.com^$third-party -||actiondesk.com^$third-party -||activedancer.com^$third-party -||ad-back.net^$third-party -||ad-balancer.net^$third-party -||ad-bay.com^$third-party -||ad-clicks.com^$third-party -||ad-delivery.net^$third-party -||ad-flow.com^$third-party -||ad-gbn.com^$third-party -||ad-goi.com^$third-party -||ad-indicator.com^$third-party -||ad-m.asia^$third-party -||ad-maven.com^$third-party -||ad-media.org^$third-party -||ad-recommend.com^$third-party -||ad-server.co.za^$third-party -||ad-serverparc.nl^$third-party -||ad-sponsor.com^$third-party -||ad-srv.net^$third-party -||ad-stir.com^$third-party -||ad-vice.biz^$third-party -||ad.admitad.com/banner/$third-party -||ad.admitad.com/f/$third-party -||ad.admitad.com/fbanner/$third-party -||ad.admitad.com/j/$third-party -||ad.atdmt.com/i/a.html$third-party -||ad.atdmt.com/i/a.js$third-party -||ad.doubleclick.net^$~object-subrequest,third-party -||ad.linksynergy.com^$third-party -||ad.mo.doubleclick.net/dartproxy/$third-party -||ad.pxlad.io^$third-party -||ad.yieldpartners.com^$third-party -||ad120m.com^$third-party -||ad121m.com^$third-party -||ad122m.com^$third-party -||ad123m.com^$third-party -||ad125m.com^$third-party -||ad127m.com^$third-party -||ad128m.com^$third-party -||ad129m.com^$third-party -||ad131m.com^$third-party -||ad132m.com^$third-party -||ad134m.com^$third-party -||ad20.net^$third-party -||ad2387.com^$third-party -||ad2adnetwork.biz^$third-party -||ad2games.com^$third-party,domain=~jobvite.com -||ad2up.com^$third-party -||ad4980.kr^$third-party -||ad4989.co.kr^$third-party -||ad4game.com^$third-party -||ad6media.fr^$third-party -||adacado.com^$third-party -||adaction.se^$third-party -||adacts.com^$third-party -||adadvisor.net^$third-party -||adagora.com^$third-party -||adaos-ads.net^$third-party -||adap.tv^$~object-subrequest,third-party -||adapd.com^$third-party -||adbard.net^$third-party -||adbasket.net^$third-party -||adbit.co^$third-party -||adblockerkillswebsites.pw^$third-party -||adbma.com^$third-party -||adboost.com^$third-party -||adbooth.com^$third-party -||adbooth.net^$third-party -||adbrau.com^$third-party -||adbrite.com^$third-party -||adbroo.com^$third-party -||adbrook.com^$third-party -||adbuff.com^$third-party -||adbull.com^$third-party -||adbureau.net^$third-party -||adbutler.com^$third-party -||adbuyer.com^$third-party -||adcade.com^$third-party -||adcarem.co^$third-party -||adcash.com^$third-party -||adcastplus.net^$third-party -||adcde.com^$third-party -||adcdnx.com^$third-party -||adcentriconline.com^$third-party -||adcfrthyo.tk^$third-party -||adchannels.in^$third-party -||adchap.com^$third-party -||adchemical.com^$third-party -||adchoice.co.za^$third-party -||adclick.lv^$third-party -||adclick.pk^$third-party -||adclickafrica.com^$third-party -||adclickmedia.com^$third-party -||adclickservice.com^$third-party -||adcloud.net^$third-party -||adcmps.com^$third-party -||adcolo.com^$third-party -||adconjure.com^$third-party -||adconscious.com^$third-party -||adcount.in^$third-party -||adcrax.com^$third-party -||adcron.com^$third-party -||adcru.com^$third-party -||addaim.com^$third-party -||addelive.com^$third-party -||addiply.com^$third-party -||addoer.com^$third-party -||addroid.com^$third-party -||addynamics.eu^$third-party -||addynamix.com^$third-party -||addynamo.net^$third-party -||adecn.com^$third-party -||adedy.com^$third-party -||adelement.com^$third-party -||ademails.com^$third-party -||adenc.co.kr^$third-party -||adengage.com^$third-party -||adespresso.com^$third-party -||adexc.net^$third-party -||adexchange.io^$third-party -||adexchangeprediction.com^$third-party -||adexcite.com^$third-party -||adexprt.com^$third-party -||adexprts.com^$third-party -||adextent.com^$third-party -||adf01.net^$third-party -||adfactory88.com^$third-party -||adfeedstrk.com^$third-party -||adfootprints.com^$third-party -||adforgames.com^$third-party -||adforgeinc.com^$third-party -||adform.net^$third-party -||adframesrc.com^$third-party -||adfrika.com^$third-party -||adfrog.info^$third-party -||adfrontiers.com^$third-party -||adfunkyserver.com^$third-party -||adfusion.com^$third-party -||adgalax.com^$third-party -||adgardener.com^$third-party -||adgatemedia.com^$third-party -||adgear.com^$third-party -||adgebra.co.in^$third-party -||adgent007.com^$third-party -||adgila.com^$third-party -||adgine.net^$third-party -||adgitize.com^$third-party -||adglamour.net^$third-party -||adglare.net^$third-party -||adglare.org^$third-party -||adgoi.com^$third-party -||adgoi.mobi^$third-party -||adgorithms.com^$third-party -||adgoto.com^$third-party -||adgroups.com^$third-party -||adgrx.com^$third-party -||adhese.be^$third-party -||adhese.com^$third-party -||adhese.net^$third-party -||adhigh.net^$third-party -||adhitzads.com^$third-party -||adhostingsolutions.com^$third-party -||adhub.co.nz^$third-party -||adicate.com^$third-party -||adigniter.org^$third-party -||adikteev.com^$third-party -||adimise.com^$third-party -||adimpact.com^$third-party -||adimperia.com^$third-party -||adimpression.net^$third-party -||adinc.co.kr^$third-party -||adinc.kr^$third-party -||adinch.com^$third-party -||adincon.com^$third-party -||adindigo.com^$third-party -||adinfinity.com.au^$third-party -||adingo.jp^$third-party -||adintend.com^$third-party -||adinterax.com^$third-party -||adinvigorate.com^$third-party -||adip.ly^$third-party -||adiqglobal.com^$third-party -||adireland.com^$third-party -||adisfy.com^$third-party -||adisn.com^$third-party -||adit-media.com^$third-party -||adition.com^$third-party -||aditize.com^$third-party -||adjal.com^$third-party -||adjector.com^$third-party -||adjourne.com^$third-party -||adjs.net^$third-party -||adjug.com^$third-party -||adjuggler.com^$third-party -||adjuggler.net^$third-party -||adjungle.com^$third-party -||adk2.co^$third-party -||adk2.com^$third-party -||adk2x.com^$third-party -||adkengage.com^$third-party -||adkick.net^$third-party -||adklip.com^$third-party -||adknowledge.com^$third-party -||adkonekt.com^$third-party -||adkova.com^$third-party -||adlatch.com^$third-party -||adlayer.net^$third-party -||adlegend.com^$third-party -||adlink.net^$third-party -||adlinx.info^$third-party -||adlisher.com^$third-party -||adloaded.com^$third-party -||adlooxtracking.com^$third-party -||adlpartner.com^$third-party -||adlure.biz^$third-party -||adlux.com^$third-party -||adm-vids.info^$third-party -||adm.fwmrm.net/crossdomain.xml$domain=cc.com|mtv.com -||adm.fwmrm.net/p/msnbc_live/$object-subrequest,third-party,domain=~msnbc.msn.com|~www.nbcnews.com -||adm.fwmrm.net/p/mtvn_live/$object-subrequest,third-party -||admagnet.net^$third-party -||admailtiser.com^$third-party -||admamba.com^$third-party -||adman.gr^$third-party -||admanage.com^$third-party -||admanmedia.com^$third-party -||admarketplace.net^$third-party -||admaster.net^$third-party -||admaxim.com^$third-party -||admaya.in^$third-party -||admedia.com^$third-party -||admedias.net^$third-party -||admedit.net^$third-party -||admedo.com^$third-party -||admeld.com^$third-party -||admeta.com^$third-party -||admission.net^$third-party -||admixer.net^$third-party -||admngronline.com^$third-party -||admpads.com^$third-party -||admtpmp127.com^$third-party -||admulti.com^$third-party -||admzn.com^$third-party -||adne.tv^$third-party -||adnectar.com^$third-party -||adnemo.com^$third-party -||adnet-media.net^$third-party -||adnet.biz^$third-party -||adnet.com^$third-party -||adnet.de^$third-party -||adnet.lt^$third-party -||adnet.ru^$third-party -||adnet.vn^$third-party -||adnetworkme.com^$third-party -||adnetworkperformance.com^$third-party -||adnext.fr^$third-party -||adngin.com^$third-party -||adnigma.com^$third-party -||adnimation.com^$third-party -||adnium.com^$third-party -||adnmore.co.kr^$third-party -||adnoble.com^$third-party -||adnow.com^$third-party -||adnuntius.com^$third-party -||adnxs.com^$third-party -||adnxs.net^$third-party -||adnxs1.com^$third-party -||adocean.pl^$third-party -||adohana.com^$third-party -||adomik.com^$third-party -||adonion.com^$third-party -||adonly.com^$third-party -||adonnews.com^$third-party -||adonweb.ru^$third-party -||adoperator.com^$third-party -||adoptim.com^$third-party -||adorika.com^$third-party -||adorika.net^$third-party -||adotic.com^$third-party -||adotomy.com^$third-party -||adotube.com^$third-party -||adovida.com^$third-party -||adowner.net^$third-party -||adpacks.com^$third-party -||adparlor.com^$third-party -||adpath.mobi^$third-party -||adpay.com^$third-party -||adpays.net^$third-party -||adpdx.com^$third-party -||adperfect.com^$third-party -||adperium.com^$third-party -||adphreak.com^$third-party -||adpinion.com^$third-party -||adpionier.de^$third-party -||adplans.info^$third-party -||adplex.media^$third-party -||adplugg.com^$third-party -||adplxmd.com^$third-party -||adpoper.com^$third-party -||adppv.com^$third-party -||adpredictive.com^$third-party -||adpremo.com^$third-party -||adprofit2share.com^$third-party -||adproper.info^$third-party -||adprotected.com^$third-party -||adprovi.de^$third-party -||adprs.net^$third-party -||adpushup.com^$third-party -||adquantix.com^$third-party -||adquest3d.com^$third-party -||adrcdn.com^$third-party -||adreactor.com^$third-party -||adready.com^$third-party -||adreadytractions.com^$third-party -||adrecover.com^$third-party -||adrelayer.com^$third-party -||adresellers.com^$third-party -||adrevivify.com^$third-party -||adrevolver.com^$third-party -||adrich.cash^$third-party -||adrife.net^$third-party -||adrise.de^$third-party -||adrocket.com^$third-party -||adrsp.net^$third-party -||adrunnr.com^$third-party -||ads-4u.com^$third-party -||ads-elsevier.net^$third-party -||ads-stats.com^$third-party -||ads-twitter.com^$third-party -||ads.cc^$third-party -||ads.rd.linksynergy.com^$third-party -||ads01.com^$third-party -||ads2ads.net^$third-party -||ads2srv.com^$third-party -||ads4cheap.com^$third-party -||adsafeprotected.com^$third-party -||adsafety.net^$third-party -||adsalvo.com^$third-party -||adsame.com^$third-party -||adsbookie.com^$third-party -||adsbrook.com^$third-party -||adscale.de^$third-party -||adscampaign.net^$third-party -||adscendmedia.com^$third-party -||adsclickingnetwork.com^$third-party -||adscope.co.kr^$third-party -||adscpm.net^$third-party -||adsdk.com^$third-party -||adsdot.ph^$third-party -||adsearcher.ru^$third-party -||adsensecamp.com^$third-party -||adserv8.com^$third-party -||adserve.com^$third-party -||adserve.ph^$third-party -||adserver-fx.com^$third-party -||adserverplus.com^$third-party -||adserverpub.com^$third-party -||adservhere.com^$third-party -||adservingfactory.com^$third-party -||adservinginternational.com^$third-party -||adservpi.com^$third-party -||adservr.de^$third-party -||adsfac.eu^$third-party -||adsfac.net^$third-party -||adsfac.us^$third-party -||adsfactor.net^$third-party -||adsfan.net^$third-party -||adsfast.com^$third-party -||adsforallmedia.com^$third-party -||adsforindians.com^$third-party -||adsfundi.com^$third-party -||adsfundi.net^$third-party -||adsfuse.com^$third-party -||adshack.com^$third-party -||adshexa.com^$third-party -||adshopping.com^$third-party -||adshost1.com^$third-party -||adshost2.com^$third-party -||adshot.de^$third-party -||adshuffle.com^$third-party -||adsiduous.com^$third-party -||adsignals.com^$third-party -||adsimilis.com^$third-party -||adsinimages.com^$third-party -||adsjudo.com.^$third-party -||adsjudo.com^$third-party -||adskeeper.co.uk^$third-party -||adslidango.com^$third-party -||adslingers.com^$third-party -||adslot.com^$third-party -||adslvr.com^$third-party -||adsmarket.com^$third-party -||adsmarket.es^$third-party -||adsmedia.cc^$third-party -||adsmile.biz^$third-party -||adsmoon.com^$third-party -||adsmws.cloudapp.net^$third-party -||adsnative.com^$third-party -||adsnetworkserver.com^$third-party -||adsnext.net^$third-party -||adsniper.ru^$third-party -||adsomi.com^$third-party -||adsonar.com^$third-party -||adsoptimal.com^$third-party -||adsopx.com^$third-party -||adsovo.com^$third-party -||adsp.com^$third-party -||adspaper.org^$third-party -||adsparc.net^$third-party -||adspdbl.com^$third-party -||adspeed.com^$third-party -||adspirit.de^$third-party -||adspring.to^$third-party -||adspruce.com^$third-party -||adspynet.com^$third-party -||adsrevenue.net^$third-party -||adsring.com^$third-party -||adsrv.us^$third-party -||adsrvmedia.com^$third-party -||adsrvmedia.net^$third-party -||adsrvr.org^$third-party -||adssend.net^$third-party -||adssites.net^$third-party -||adstargeting.com^$third-party -||adstatic.com^$third-party -||adsterra.com^$third-party -||adstuna.com^$third-party -||adsummos.net^$third-party -||adsupermarket.com^$third-party -||adsupply.com^$third-party -||adsupplyssl.com^$third-party -||adsurve.com^$third-party -||adsvcs.com^$third-party -||adsvert.com^$third-party -||adsvids.com^$third-party -||adsxgm.com^$third-party -||adszom.com^$third-party -||adtaily.com^$third-party -||adtaily.eu^$third-party -||adtaily.pl^$third-party -||adtdp.com^$third-party -||adtecc.com^$third-party -||adtech.de^$third-party -||adtechus.com^$third-party -||adtegrity.net^$third-party -||adteractive.com^$third-party -||adtgs.com^$third-party -||adthrive.com^$third-party -||adtoadd.com^$third-party -||adtoll.com^$third-party -||adtology1.com^$third-party -||adtology2.com^$third-party -||adtology3.com^$third-party -||adtoma.com^$third-party -||adtomafusion.com^$third-party -||adtoox.com^$third-party -||adtotal.pl^$third-party -||adtpix.com^$third-party -||adtrace.org^$third-party -||adtransfer.net^$third-party -||adtrgt.com^$third-party -||adtrieval.com^$third-party -||adtrix.com^$third-party -||adtrovert.com^$third-party -||adtrue.com^$third-party -||adtruism.com^$third-party -||adtwbjs.com^$third-party -||adtwirl.com^$third-party -||aduacni.com^$third-party -||adult-adv.com^$third-party -||adultadworld.com^$third-party -||adultimate.net^$third-party -||adulttds.com^$third-party -||adup-tech.com^$third-party -||adurr.com^$third-party -||adv-adserver.com^$third-party -||adv9.net^$third-party -||advanseads.com^$third-party -||advantageglobalmarketing.com^$third-party -||advard.com^$third-party -||advarkads.com^$third-party -||advatar.to^$third-party -||adventori.com^$third-party -||adverigo.com^$third-party -||adverpub.com^$third-party -||adversal.com^$third-party -||adversaldisplay.com^$third-party -||adversalservers.com^$third-party -||adverserve.net^$third-party -||advertarium.com.ua^$third-party -||advertbox.us^$third-party -||adverteerdirect.nl^$third-party -||adverticum.net^$third-party -||advertise.com^$third-party -||advertiseforfree.co.za^$third-party -||advertisegame.com^$third-party -||advertisespace.com^$third-party -||advertiseworld.com^$third-party -||advertiseyourgame.com^$third-party -||advertising-department.com^$third-party -||advertising.com^$third-party -||advertising365.com^$third-party -||advertisingiq.com^$third-party -||advertisingpath.net^$third-party -||advertisingvalue.info^$third-party -||advertjunction.com^$third-party -||advertlane.com^$third-party -||advertlead.net^$third-party -||advertlets.com^$third-party -||advertmarketing.com^$third-party -||advertmedias.com^$third-party -||advertnetworks.com^$third-party -||advertone.ru^$third-party -||advertpay.net^$third-party -||advertrev.com^$third-party -||advertserve.com^$third-party -||advertstatic.com^$third-party -||advertstream.com^$third-party -||advertur.ru^$third-party -||advertxi.com^$third-party -||advg.jp^$third-party -||advgoogle.com^$third-party -||advideum.com^$third-party -||advisorded.com^$third-party -||adviva.net^$third-party -||advmd.com^$third-party -||advmedialtd.com^$third-party -||advombat.ru^$third-party -||advpoints.com^$third-party -||advrtice.com^$third-party -||advserver.xyz^$third-party -||advsnx.net^$third-party -||adwebster.com^$third-party -||adwires.com^$third-party -||adwordsservicapi.com^$third-party -||adworkmedia.com^$third-party -||adworldmedia.com^$third-party -||adworldmedia.net^$third-party -||adxchg.com^$third-party -||adxcore.com^$third-party -||adxion.com^$third-party -||adxpose.com^$third-party -||adxpower.com^$third-party -||adyoulike.com^$third-party -||adyoz.com^$third-party -||adz.co.zw^$third-party -||adzbazar.com^$third-party -||adzerk.net^$third-party -||adzhub.com^$third-party -||adziff.com^$third-party -||adzintext.com^$third-party -||adzmedia.com^$third-party -||adzonk.com^$third-party -||adzouk.com^$third-party -||adzpower.com^$third-party -||adzs.nl^$third-party -||aerobins.com^$third-party -||afcyhf.com^$third-party -||afdads.com^$third-party -||aff-online.com^$third-party -||aff.biz^$third-party -||affbot1.com^$third-party -||affbot3.com^$third-party -||affbot7.com^$third-party -||affbot8.com^$third-party -||affbuzzads.com^$third-party -||affec.tv^$third-party -||affiliate-b.com^$third-party -||affiliate-gate.com^$third-party -||affiliate-robot.com^$third-party -||affiliate.com^$third-party -||affiliate.cx^$third-party -||affiliatebannerfarm.com^$third-party -||affiliateedge.com^$third-party -||affiliateer.com^$third-party -||affiliatefuel.com^$third-party -||affiliatefuture.com^$third-party -||affiliategateways.co^$third-party -||affiliategroove.com^$third-party -||affiliatelounge.com^$third-party -||affiliatemembership.com^$third-party -||affiliatesensor.com^$third-party -||affiliation-france.com^$third-party -||affiliationcash.com^$third-party -||affiliationworld.com^$third-party -||affiliationzone.com^$third-party -||affilijack.de^$third-party -||affiliproducts.com^$third-party -||affiliserve.com^$third-party -||affimo.de^$third-party -||affinitad.com^$third-party -||affinity.com^$third-party -||affiz.net^$third-party -||affplanet.com^$third-party -||afftrack.com^$third-party -||aflrm.com^$third-party -||afovelsa.com^$third-party -||africawin.com^$third-party -||afterdownload.com^$third-party -||afterdownloads.com^$third-party -||afy11.net^$third-party -||againclence.com^$third-party -||againscan.com^$third-party -||againstein.com^$third-party -||agcdn.com^$third-party -||agentcenters.com^$third-party -||aggregateknowledge.com^$third-party -||aggregatorgetb.com^$third-party -||aglocobanners.com^$third-party -||agmtrk.com^$third-party -||agomwefq.com^$third-party -||agvzvwof.com^$third-party -||aim4media.com^$third-party -||aimatch.com^$third-party -||aio.media^$third-party -||ajansreklam.net^$third-party -||ajillionmax.com^$third-party -||akamhd.com^$third-party -||akavita.com^$third-party -||albopa.work^$third-party -||alchemysocial.com^$third-party -||alfynetwork.com^$third-party -||algovid.com^$third-party -||alimama.com^$third-party -||alipromo.com^$third-party -||allabc.com^$third-party -||alleliteads.com^$third-party -||allmt.com^$third-party -||allopenclose.click^$third-party -||alloydigital.com^$third-party -||allyes.com^$third-party -||alphabird.com^$third-party -||alphabirdnetwork.com^$third-party -||alphagodaddy.com^$third-party -||alternads.info^$third-party -||alternativeadverts.com^$third-party -||altitude-arena.com^$third-party -||altpubli.com^$third-party -||am-display.com^$third-party -||am10.ru^$third-party -||am11.ru^$third-party -||am15.net^$third-party -||amazon-adsystem.com^$third-party -||amazon-cornerstone.com^$third-party -||amazonily.com^$third-party -||ambaab.com^$third-party -||ambra.com^$third-party -||amd2016.com^$third-party -||amertazy.com^$third-party -||amgdgt.com^$third-party -||amp.rd.linksynergy.com^$third-party -||amp.services^$third-party -||ampxchange.com^$third-party -||anastasiasaffiliate.com^$third-party -||anbkoxl.com^$third-party -||andbeyond.media^$third-party -||andohs.net^$third-party -||andomedia.com^$third-party -||andomediagroup.com^$third-party -||anet*.tradedoubler.com^$third-party -||angege.com^$third-party -||anonymousads.com^$third-party -||anrdoezrs.net/image-$third-party -||anrdoezrs.net/placeholder-$third-party -||anwufkjjja.com^$third-party -||anyclip-media.com^$third-party -||anymedia.lv^$third-party -||anyxp.com^$third-party -||aoqneyvmaz.com^$third-party -||aorms.com^$third-party -||aorpum.com^$third-party -||apex-ad.com^$third-party -||apmebf.com^$third-party -||appendad.com^$third-party -||applebarq.com^$third-party -||appnext.com^$third-party -||apportium.com^$third-party -||apprupt.com^$third-party -||apptap.com^$third-party -||appwebview.com^$third-party -||april29-disp-download.com^$third-party -||apsmediaagency.com^$third-party -||apugod.work^$third-party -||apvdr.com^$third-party -||apxlv.com^$third-party -||apxtarget.com^$third-party -||arab4eg.com^$third-party -||arabweb.biz^$third-party -||aralego.com^$third-party -||arcadebannerexchange.net^$third-party -||arcadebannerexchange.org^$third-party -||arcadebanners.com^$third-party -||arcadebe.com^$third-party -||arcadechain.com^$third-party -||areasins.com^$third-party -||areasnap.com^$third-party -||arecio.work^$third-party -||arti-mediagroup.com^$third-party -||as-farm.com^$third-party -||as5000.com^$third-party -||asafesite.com^$third-party -||aseadnet.com^$third-party -||asklots.com^$third-party -||asooda.com^$third-party -||asrety.com^$third-party -||assetize.com^$third-party -||assoc-amazon.ca^$third-party -||assoc-amazon.co.uk^$third-party -||assoc-amazon.com^$third-party -||assoc-amazon.de^$third-party -||assoc-amazon.es^$third-party -||assoc-amazon.fr^$third-party -||assoc-amazon.it^$third-party -||asterpix.com^$third-party -||astree.be^$third-party -||atadserver.com^$third-party -||atas.io^$third-party -||atemda.com^$third-party -||atmalinks.com^$third-party -||ato.mx^$third-party -||atomex.net^$third-party -||atomicblast.lol^$third-party -||atrinsic.com^$third-party -||atterlocus.com^$third-party -||atwola.com^$third-party -||au2m8.com^$third-party -||auctionnudge.com^$third-party -||audience2media.com^$third-party -||audiencefuel.com^$third-party -||audienceprofiler.com^$third-party -||auditoire.ph^$third-party -||auditude.com^$third-party -||audu0yi.bid^$third-party -||augmentad.net^$third-party -||august15download.com^$third-party -||aunmdhxrco.com^$third-party -||auspipe.com^$third-party -||auto-im.com^$third-party -||auto-insurance-quotes-compare.com^$third-party -||automatedtraffic.com^$third-party -||automateyourlist.com^$third-party -||avads.co.uk^$third-party -||avajo.men^$third-party -||avalanchers.com^$third-party -||avalopaly.com^$third-party -||avazu.net^$third-party -||avazutracking.net^$third-party -||avercarto.com^$third-party -||awakebottlestudy.com^$third-party -||awaps.net^$third-party -||awempire.com^$third-party -||awltovhc.com^$third-party -||aws-ajax.com^$third-party -||awsmer.com^$third-party -||awstaticdn.net^$third-party -||awsurveys.com^$third-party -||axdxmdv.com^$third-party -||axill.com^$third-party -||ayboll.com^$third-party -||azads.com^$third-party -||azjmp.com^$third-party -||azoogleads.com^$third-party -||azorbe.com^$third-party -||b117f8da23446a91387efea0e428392a.pl^$third-party -||b4banner.in^$third-party -||babbnrs.com^$third-party -||backbeatmedia.com^$third-party -||backlinks.com^$third-party -||badjocks.com^$third-party -||bakkels.com^$third-party -||baldiro.de^$third-party -||bam-bam-slam.com^$third-party -||bambergerkennanchitinous.com^$third-party -||bamboocast.com^$third-party -||bamj630h.tech^$third-party -||bananaflippy.com^$third-party -||banner-clix.com^$third-party -||banner-rotation.com^$third-party -||bannerbank.ru^$third-party -||bannerblasters.com^$third-party -||bannerbridge.net^$third-party -||bannercde.com^$third-party -||bannerconnect.com^$third-party -||bannerconnect.net^$third-party -||bannerdealer.com^$third-party -||bannerexchange.com.au^$third-party -||bannerflow.com^$third-party -||bannerflux.com^$third-party -||bannerignition.co.za^$third-party -||bannerjammers.com^$third-party -||bannerlot.com^$third-party -||bannerperformance.net^$third-party -||bannerrage.com^$third-party -||bannersmania.com^$third-party -||bannersnack.com^$third-party -||bannersnack.net^$third-party -||bannersurvey.biz^$third-party -||bannertgt.com^$third-party -||bannertracker-script.com^$third-party -||bannerweb.com^$third-party -||banniere.reussissonsensemble.fr^$third-party -||bargainpricedude.com^$third-party -||baronsoffers.com^$third-party -||basebanner.com^$third-party -||bbelements.com^$third-party -||bbuni.com^$third-party -||beaconads.com^$third-party -||beatchucknorris.com^$third-party -||bebi.com^$third-party -||become.successfultogether.co.uk^$third-party -||bedorm.com^$third-party -||beead.co.uk^$third-party -||beead.net^$third-party -||beerforthepipl.com^$third-party -||befade.com^$third-party -||beforescence.com^$third-party -||begun.ru^$third-party -||bekoted.work^$third-party -||belointeractive.com^$third-party -||belvertising.be^$third-party -||benchmarkingstuff.com^$third-party -||benisoncanorous.org^$third-party -||bentdownload.com^$third-party -||bepolite.eu^$third-party -||beringmedia.com^$third-party -||best5ex.com^$third-party -||bestarmour4u.work^$third-party -||bestcasinopartner.com^$third-party -||bestdeals.ws^$third-party -||bestfindsite.com^$third-party -||bestforexpartners.com^$third-party -||bestforexplmdb.com^$third-party -||bestgameads.com^$third-party -||besthitsnow.com^$third-party -||bestofferdirect.com^$third-party -||bestonlinecoupons.com^$third-party -||bestpricewala.com^$third-party -||bet3000partners.com^$third-party -||bet365affiliates.com^$third-party -||betaffs.com^$third-party -||betigo.work^$third-party -||betoga.com^$third-party -||betpartners.it^$third-party -||betrad.com^$third-party -||bettingpartners.com^$third-party -||bezoya.work^$third-party -||bf-ad.net^$third-party -||bfast.com^$third-party -||bh3.net^$third-party -||bidadx.com^$third-party -||bidgear.com^$third-party -||bidgewatr.com^$third-party -||bidsystem.com^$third-party -||bidtheatre.com^$third-party -||bidverdrd.com^$third-party -||bidvertiser.com^$third-party -||biemedia.com^$third-party -||bigadpoint.net^$third-party -||bigchoicegroup.com^$third-party -||bigfineads.com^$third-party -||bigpulpit.com^$third-party -||bijscode.com^$third-party -||billypub.com^$third-party -||bimlocal.com^$third-party -||bin-layer.de^$third-party -||bin-layer.ru^$third-party -||binaryoptionssystems.org^$third-party -||bingo4affiliates.com^$third-party -||binlayer.com^$third-party -||binlayer.de^$third-party -||biskerando.com^$third-party -||bitads.net^$third-party -||bitcoinadvertisers.com^$third-party -||bitfalcon.tv^$third-party -||bittads.com^$third-party -||bitx.tv^$third-party -||bizographics.com^$third-party -||bizrotator.com^$third-party -||bizzclick.com^$third-party -||bjjingda.com^$third-party -||blamads.com^$third-party -||blamcity.com^$third-party -||blardenso.com^$third-party -||blinkadr.com^$third-party -||blogads.com^$third-party -||blogbannerexchange.com^$third-party -||blogclans.com^$third-party -||bloggerex.com^$third-party -||blogherads.com^$third-party -||blogohertz.com^$third-party -||blueadvertise.com^$third-party -||bluesli.de^$third-party -||bluestreak.com^$third-party -||bluetoad.com^$third-party -||blumi.to^$third-party -||bmanpn.com^$third-party -||bnetworx.com^$third-party -||bnhtml.com^$third-party -||bnmla.com^$third-party -||bnr.sys.lv^$third-party -||bnrs.it^$third-party -||bnserving.com^$third-party -||bogads.com^$third-party -||bokroet.com^$third-party -||bonusfapturbo.com^$third-party -||bonzai.ad^$third-party -||boo-box.com^$third-party -||bookelement.biz^$third-party -||booklandonline.info^$third-party -||boom-boom-vroom.com^$third-party -||boostable.com^$third-party -||boostads.net^$third-party -||boostclic.com^$third-party -||boostshow.com^$third-party -||bop-bop-bam.com^$third-party -||bormoni.ru^$third-party -||bororas.com^$third-party -||bostonparadise.com^$third-party -||bostonwall.com^$third-party -||boteko.work^$third-party -||bounce.bar^$third-party -||boydadvertising.co.uk^$third-party -||boylesportsreklame.com^$third-party -||bpasyspro.com^$third-party -||bptracking.com^$third-party -||br.rk.com^$third-party -||brainient.com^$third-party -||branchr.com^$third-party -||brand-display.com^$third-party -||brand.net^$third-party -||brandads.net^$third-party -||brandaffinity.net^$third-party -||brandclik.com^$third-party -||brandreachsys.com^$third-party -||braside.ru^$third-party -||brassyobedientcotangent.com^$third-party -||bravenetmedianetwork.com^$third-party -||breadpro.com^$third-party -||brealtime.com^$third-party -||brethrengenotypeteledyne.com^$third-party -||bridgetrack.com^$third-party -||brighteroption.com^$third-party -||brightshare.com^$third-party -||britiesee.info^$third-party -||broadstreetads.com^$third-party -||brokeloy.com^$third-party -||browsersfeedback.com^$third-party -||brucelead.com^$third-party -||bruceleadx.com^$third-party -||bruceleadx1.com^$third-party -||bruceleadx2.com^$third-party -||bruceleadx3.com^$third-party -||bruceleadx4.com^$third-party -||bstrtb.com^$third-party -||btnibbler.com^$third-party -||btrll.com^$third-party -||bttbgroup.com^$third-party -||bttrack.com^$third-party -||bu520.com^$third-party -||bubblesmedia.ru^$third-party -||bucketsofbanners.com^$third-party -||budgetedbauer.com^$third-party -||budurl.com^$third-party -||buildtrafficx.com^$third-party -||buletproofserving.com^$third-party -||bulgarine.com^$third-party -||bulletproofserving.com^$third-party -||bunchofads.com^$third-party -||bunny-net.com^$third-party -||burbanked.info^$third-party -||burjam.com^$third-party -||burnsoftware.info^$third-party -||burstnet.com^$third-party -||businesscare.com^$third-party -||businessclick.com^$third-party -||busterzaster.de^$third-party -||buxept.com^$third-party -||buxflow.com^$third-party -||buxp.org^$third-party -||buyflood.com^$third-party -||buyorselltnhomes.com^$third-party -||buysellads.com^$third-party -||buyt.in^$third-party -||buzzcity.net^$third-party -||buzzparadise.com^$third-party -||bwinpartypartners.com^$third-party -||bwknu1lo.top^$third-party -||byspot.com^$third-party -||byzoo.org^$third-party -||bznclicks.com^$third-party -||c-on-text.com^$third-party -||c-planet.net^$third-party -||c13b2beea116e.com^$third-party -||c8.net.ua^$third-party -||callmd5map.com^$third-party -||camleyads.info^$third-party -||campanja.com^$third-party -||canaanita.com^$third-party -||canadasungam.net^$third-party -||canoeklix.com^$third-party -||capacitygrid.com^$third-party -||capitatmarket.com^$third-party -||captainad.com^$third-party -||captifymedia.com^$third-party -||carbonads.com^$third-party -||cardincraping.net^$third-party -||carrier.bz^$third-party -||cartorkins.com^$third-party -||cartstick.com^$third-party -||casalemedia.com^$third-party -||cash-duck.com^$third-party -||cash4members.com^$third-party -||cashatgsc.com^$third-party -||cashmylinks.com^$third-party -||cashonvisit.com^$third-party -||cashtrafic.com^$third-party -||cashtrafic.info^$third-party -||cashworld.biz^$third-party -||casino-zilla.com^$third-party -||caspion.com^$third-party -||casterpretic.com^$third-party -||castplatform.com^$third-party -||caygh.com^$third-party -||cb-content.com^$third-party -||cbaazars.com^$third-party -||cbclickbank.com^$third-party -||cbclicks.com^$third-party -||cbcx8t95.space^$third-party -||cbleads.com^$third-party -||cbn.tbn.ru^$third-party -||cc-dt.com^$third-party -||cd828.com^$third-party -||cdn.mobicow.com^$third-party -||cdna.tremormedia.com^$third-party -||cdnads.com^$third-party -||cdnapi.net^$third-party -||cdnload.top^$third-party -||cdnrl.com^$third-party -||cdnservr.com^$third-party -||cdntrip.com^$third-party -||centralnervous.net^$third-party -||cerotop.com^$third-party -||cfasync.cf^$third-party -||cfasync.ml^$third-party -||cfasync.tk^$third-party -||cgecwm.org^$third-party -||chango.com^$third-party -||chanished.net^$third-party -||chanitet.ru^$third-party -||chargeplatform.com^$third-party -||charltonmedia.com^$third-party -||checkapi.xyz^$third-party -||checkm8.com^$third-party -||checkmystats.com.au^$third-party -||checkoutfree.com^$third-party -||cherytso.com^$third-party -||chicbuy.info^$third-party -||chiliadv.com^$third-party -||china-netwave.com^$third-party -||chinagrad.ru^$third-party -||chipleader.com^$third-party -||chitika.com^$third-party -||chitika.net^$third-party -||chronicads.com^$third-party -||cibleclick.com^$third-party -||city-ads.de^$third-party -||cityadspix.com^$third-party -||citysite.net^$third-party -||cjt1.net^$third-party -||clarityray.com^$third-party -||clash-media.com^$third-party -||class64deal.com^$third-party -||claxonmedia.com^$third-party -||clayaim.com^$third-party -||cldlr.com^$third-party -||cleafs.com^$third-party -||clear-request.com^$third-party -||clente.com^$third-party -||clevernt.com^$third-party -||clevv.com^$third-party -||clic2pub.com^$third-party -||click.scour.com^$third-party -||click2jump.com^$third-party -||click4free.info^$third-party -||clickable.com^$third-party -||clickad.pl^$third-party -||clickagy.com^$third-party -||clickbet88.com^$third-party -||clickbooth.com^$third-party -||clickboothlnk.com^$third-party -||clickbubbles.net^$third-party -||clickcash.com^$third-party -||clickcertain.com^$third-party -||clickequations.net^$third-party -||clickexa.com^$third-party -||clickexperts.net^$third-party -||clickfuse.com^$third-party -||clickinc.com^$third-party -||clickintext.com^$third-party -||clickintext.net^$third-party -||clickiocdn.com^$third-party -||clickkingdom.net^$third-party -||clickly.co^$third-party -||clickmngr.com^$third-party -||clickmon.co.kr^$third-party -||clickmyads.info^$third-party -||clicknano.com^$third-party -||clickosmedia.com^$third-party -||clicks2count.com^$third-party -||clicks4ads.com^$third-party -||clicksor.com^$third-party -||clicksor.net^$third-party -||clicksurvey.mobi^$third-party -||clickterra.net^$third-party -||clickthrucash.com^$third-party -||clicktripz.co^$third-party -||clicktripz.com^$third-party -||clickupto.com^$third-party -||clickwinks.com^$third-party -||clickxchange.com^$third-party -||clickzxc.com^$third-party -||clipurl.club^$third-party -||clixgalore.com^$third-party -||clixsense.com^$third-party -||clixtrac.com^$third-party -||clkdown.info^$third-party -||clkrev.com^ -||clmbtech.com^$third-party -||clnk.me^$third-party -||cloudiiv.com^$third-party -||cloudioo.net^$third-party -||cloudset.xyz^$third-party -||cltomedia.info^$third-party -||clz3.net^$third-party -||cmbestsrv.com^$third-party -||cmfads.com^$third-party -||cmllk1.info^$third-party -||cnt.my^$third-party -||cntdy.mobi^$third-party -||coadvertise.com^$third-party -||codeonclick.com^$third-party -||codezap.com^$third-party -||codigobarras.net^$third-party -||coedmediagroup.com^$third-party -||cogocast.net^$third-party -||cogsdigital.com^$third-party -||coguan.com^$third-party -||coinad.com^$third-party -||coinadvert.net^$third-party -||coinmedia.co^$third-party -||coinsicmp.com^$third-party -||cointraffic.in^$third-party -||cointraffic.io^$third-party -||coinzilla.io^$third-party -||collection-day.com^$third-party -||collective-media.net^$third-party -||colliersads.com^$third-party -||combotag.com^$third-party -||comclick.com^$third-party -||comeadvertisewithus.com^$third-party -||commission-junction.com^$third-party -||commission.bz^$third-party -||commissionfactory.com.au^$third-party -||commissionlounge.com^$third-party -||commissionmonster.com^$third-party -||completecarrd.com^$third-party -||complive.link^$third-party -||comscore.com^$third-party -||conduit-banners.com^$third-party -||conduit-services.com^$third-party -||connatix.com^$third-party -||connectedads.net^$third-party -||connectignite.com^$third-party -||connectionads.com^$third-party -||connexity.net^$third-party -||connexplace.com^$third-party -||connextra.com^$third-party -||construment.com^$third-party -||consumergenepool.com^$third-party -||contadd.com^$third-party -||contaxe.com^$third-party -||content-ad.net^$third-party -||content-cooperation.com^$third-party -||contentclick.co.uk^$third-party -||contentdigital.info^$third-party -||contentjs.com^$third-party -||contenture.com^$third-party -||contentwidgets.net^$third-party -||contexlink.se^$third-party -||contextads.net^$third-party -||contextuads.com^$third-party -||contextweb.com^$third-party -||contribusourcesyndication.com^$third-party -||conyak.com^$third-party -||coolerads.com^$third-party -||coolmirage.com^$third-party -||coolyeti.info^$third-party -||copacet.com^$third-party -||cor-natty.com^$third-party -||coretarget.co.uk^$third-party -||cornflip.com^$third-party -||corruptcy.com^$third-party -||corwrite.com^$third-party -||cosmjs.com^$third-party -||coull.com^$third-party -||coupon2buy.com^$third-party -||covertarget.com^*_*.php -||cpabeyond.com^$third-party -||cpaclicks.com^$third-party -||cpaclickz.com^$third-party -||cpagrip.com^$third-party -||cpalead.com^$third-party -||cpalock.com^$third-party -||cpanuk.com^$third-party -||cpaway.com^$third-party -||cpays.com^$third-party -||cpcadnet.com^$third-party -||cpfclassifieds.com^$third-party -||cpm.biz^$third-party -||cpmadvisors.com^$third-party -||cpmaffiliation.com^$third-party -||cpmleader.com^$third-party -||cpmmedia.net^$third-party -||cpmrocket.com^$third-party -||cpmstar.com^$third-party -||cpmtree.com^$third-party -||cpuim.com^$third-party -||cpulaptop.com^$third-party -||cpvads.com^$third-party -||cpvadvertise.com^$third-party -||cpvmarketplace.info^$third-party -||cpvtgt.com^$third-party -||cpx24.com^$third-party -||cpxadroit.com^$third-party -||cpxinteractive.com^$third-party -||crakmedia.com^$third-party -||crazyhell.com^$third-party -||crazylead.com^$third-party -||crazyvideosempire.com^$third-party -||creative-serving.com^$third-party -||creativecdn.com^$third-party -||creditcards15x.tk^$third-party -||crispads.com^$third-party -||crocspaceoptimizer.com^$third-party -||crossrider.com^$third-party -||crowdgatheradnetwork.com^$third-party -||crowdgravity.com^$third-party -||cruftexcision.xyz^$third-party -||cruiseworldinc.com^$third-party -||csklde.space^$third-party -||ctasnet.com^$third-party -||ctenetwork.com^$third-party -||ctm-media.com^$third-party -||ctrhub.com^$third-party -||ctrmanager.com^$third-party -||cubics.com^$third-party -||cuelinks.com^$third-party -||curancience.com^$third-party -||currentlyobsessed.me^$third-party -||curtaecompartilha.com^$third-party -||curtisfrierson.com^$third-party -||cwtrackit.com^$third-party -||cybmas.com^$third-party -||cygnus.com^$third-party -||czasnaherbate.info^$third-party -||czechose.com^$third-party -||d.adroll.com^$third-party -||d.ligatus.com^$third-party -||d.m3.net^$third-party -||d03x2011.com^$third-party -||d1110e4.se^$third-party -||d2.ligatus.com^$third-party -||d2ship.com^$third-party -||d5zob5vm0r8li6khce5he5.com^$third-party -||da-ads.com^$third-party -||dadegid.ru^$third-party -||dai0eej.bid^$third-party -||danitabedtick.net^$third-party -||danmeneldur.com^$third-party -||dapper.net^$third-party -||darwarvid.com^$third-party -||das5ku9q.com^$third-party -||dashad.io^$third-party -||dashbida.com^$third-party -||dashboardad.net^$third-party -||dashgreen.online^$third-party -||data.adroll.com^$third-party -||datacratic-px.com^$third-party -||datawrkz.com^$third-party -||dating-banners.com^$third-party -||datinggold.com^$third-party -||datumreact.com^$third-party -||dazhantai.com^$third-party -||dbbsrv.com^$third-party -||dbclix.com^$third-party -||dc121677.com^$third-party -||dealcurrent.com^$third-party -||decisionmark.com^$third-party -||decisionnews.com^$third-party -||decknetwork.net^$third-party -||dedicatedmedia.com^$third-party -||dedicatednetworks.com^$third-party -||deepintent.com^$third-party -||deepmetrix.com^$third-party -||defaultimg.com^$third-party -||deguiste.com^$third-party -||dehtale.ru^$third-party -||deletemer.online^$third-party -||deliberatelyvirtuallyshared.xyz^$third-party -||delivery45.com^$third-party -||delivery47.com^$third-party -||delivery49.com^$third-party -||delivery51.com^$third-party -||deliverytaste.com^$third-party -||delnapb.com^$third-party -||deplayer.net^$third-party -||deployads.com^$third-party -||depresis.com^$third-party -||deriversal.com^$third-party -||derlatas.com^$third-party -||descapita.com^$third-party -||descz.ovh^$third-party -||destinationurl.com^$third-party -||detailtoothteam.com^$third-party -||dethao.com^$third-party -||detroposal.com^$third-party -||developermedia.com^$third-party -||deximedia.com^$third-party -||dexplatform.com^$third-party -||dfskgmrepts.com^$third-party -||dgmatix.com^$third-party -||dgmaustralia.com^$third-party -||dgmaxinteractive.com^$third-party -||dhundora.com^$third-party -||diamondtraff.com^$third-party -||dianomi.com^$third-party -||dianomioffers.co.uk^$third-party -||digipathmedia.com^$third-party -||digitrevenue.com^$third-party -||dinclinx.com^$third-party -||dipads.net^$~image,third-party -||directaclick.com^$third-party -||directclicksonly.com^$third-party -||directile.info^$third-party -||directile.net^$third-party -||directleads.com^$third-party -||directoral.info^$third-party -||directorym.com^$third-party -||directrev.com^$third-party -||directtrack.com^$third-party -||directtrk.com^$third-party -||dispop.com^$third-party -||disqusads.com^$third-party -||distilled.ie^$third-party -||districtm.ca^$third-party -||dj-updates.com^$third-party -||dl-rms.com^$third-party -||dltags.com^$third-party -||dmu20vut.com^$third-party -||dnbizcdn.com^$third-party -||dntrck.com^$third-party -||document4u.info^$third-party -||dollarade.com^$third-party -||dollarsponsor.com^$third-party -||domainadvertising.com^$third-party -||domainbuyingservices.com^$third-party -||domainsponsor.com^$third-party -||dombeya.info^$third-party -||domdex.com^$third-party -||dominoad.com^$third-party -||dooc.info^$third-party -||doogleonduty.com^$third-party -||doomail.org^$third-party -||dorenga.com^$third-party -||dotandad.com^$third-party -||dotandads.com^$third-party -||dotnxdomain.net^$third-party -||double.net^$third-party -||doubleclick.com^$third-party -||doubleclick.net/*/ch_news.com/$third-party -||doubleclick.net/*/pfadx/lin.$third-party -||doubleclick.net/ad/$third-party -||doubleclick.net/adi/$~object-subrequest,third-party -||doubleclick.net/adj/$~object-subrequest,third-party -||doubleclick.net/adj/*.collegehumor/sec=videos_originalcontent;$third-party -||doubleclick.net/adx/$~object-subrequest,third-party -||doubleclick.net/adx/*.collegehumor/$third-party -||doubleclick.net/adx/*.NPR.MUSIC/$third-party -||doubleclick.net/adx/*.NPR/$third-party -||doubleclick.net/adx/*.ted/$third-party -||doubleclick.net/adx/CBS.$third-party -||doubleclick.net/adx/ibs.$third-party -||doubleclick.net/adx/tsg.$third-party -||doubleclick.net/adx/wn.loc.$third-party -||doubleclick.net/adx/wn.nat.$third-party -||doubleclick.net/crossdomain.xml$object-subrequest,domain=abcnews.go.com -||doubleclick.net/N2/pfadx/video.*.wsj.com/$third-party -||doubleclick.net/N2/pfadx/video.allthingsd.com/$third-party -||doubleclick.net/N2/pfadx/video.marketwatch.com/ -||doubleclick.net/N2/pfadx/video.wsj.com/$third-party -||doubleclick.net/N3626/pfadx/thehothits.com.au/$third-party -||doubleclick.net/N4117/pfadx/*.sbs.com.au/$third-party -||doubleclick.net/N5202/pfadx/cmn_livemixtapes/$third-party -||doubleclick.net/N5479/pfadx/ctv.$third-party -||doubleclick.net/N6088/pfadx/ssp.kshb/$third-party -||doubleclick.net/N6872/pfadx/shaw.mylifetimetv.ca/$third-party -||doubleclick.net/pfadx/*.ABC.com/$third-party -||doubleclick.net/pfadx/*.BLIPTV/$third-party -||doubleclick.net/pfadx/*.ESPN/$third-party -||doubleclick.net/pfadx/*.MCNONLINE/$third-party -||doubleclick.net/pfadx/*.MTV-Viacom/$third-party -||doubleclick.net/pfadx/*.mtvi$third-party -||doubleclick.net/pfadx/*.muzu/$third-party -||doubleclick.net/pfadx/*.nbc.com/$third-party -||doubleclick.net/pfadx/*.NBCUNI.COM/$third-party -||doubleclick.net/pfadx/*.NBCUNIVERSAL-CNBC/$third-party -||doubleclick.net/pfadx/*.NBCUNIVERSAL/$third-party -||doubleclick.net/pfadx/*.reuters/$third-party -||doubleclick.net/pfadx/*.sevenload.com_$third-party -||doubleclick.net/pfadx/*.VIACOMINTERNATIONAL/$third-party -||doubleclick.net/pfadx/*.WALTDISNEYINTERNETGROU/$third-party -||doubleclick.net/pfadx/*/kidstv/$third-party -||doubleclick.net/pfadx/*adcat=$third-party -||doubleclick.net/pfadx/*CBSINTERACTIVE/$third-party -||doubleclick.net/pfadx/aetn.aetv.shows/$third-party -||doubleclick.net/pfadx/belo.king5.pre/$third-party -||doubleclick.net/pfadx/bet.com/$third-party -||doubleclick.net/pfadx/blp.video/midroll$third-party -||doubleclick.net/pfadx/bzj.bizjournals/$third-party -||doubleclick.net/pfadx/cblvsn.nwsd.videogallery/$third-party -||doubleclick.net/pfadx/CBS.$third-party -||doubleclick.net/pfadx/ccr.$third-party -||doubleclick.net/pfadx/comedycentral.$third-party -||doubleclick.net/pfadx/csn.$third-party -||doubleclick.net/pfadx/ctv.ctvwatch.ca/$third-party -||doubleclick.net/pfadx/ctv.muchmusic.com/$third-party -||doubleclick.net/pfadx/ctv.spacecast/$third-party -||doubleclick.net/pfadx/ddm.ksl/$third-party -||doubleclick.net/pfadx/gn.movieweb.com/$third-party -||doubleclick.net/pfadx/intl.sps.com/$third-party -||doubleclick.net/pfadx/ltv.wtvr.video/$third-party -||doubleclick.net/pfadx/mc.channelnewsasia.com^$third-party -||doubleclick.net/pfadx/miniclip.midvideo/$third-party -||doubleclick.net/pfadx/miniclip.prevideo/$third-party -||doubleclick.net/pfadx/muzumain/$third-party -||doubleclick.net/pfadx/muzuoffsite/$third-party -||doubleclick.net/pfadx/nbcu.nbc/$third-party -||doubleclick.net/pfadx/nbcu.nhl.$third-party -||doubleclick.net/pfadx/nbcu.nhl/$third-party -||doubleclick.net/pfadx/ndm.tcm/$third-party -||doubleclick.net/pfadx/nfl.$third-party -||doubleclick.net/pfadx/ng.videoplayer/$third-party -||doubleclick.net/pfadx/ssp.kgtv/$third-party -||doubleclick.net/pfadx/storm.no/$third-party -||doubleclick.net/pfadx/sugar.poptv/$third-party -||doubleclick.net/pfadx/tmg.telegraph.$third-party -||doubleclick.net/pfadx/tmz.video.wb.dart/$third-party -||doubleclick.net/pfadx/trb.$third-party -||doubleclick.net/pfadx/ugo.gv.1up/$third-party -||doubleclick.net/pfadx/video.marketwatch.com/$third-party -||doubleclick.net/pfadx/video.wsj.com/$third-party -||doubleclick.net/pfadx/www.tv3.co.nz$third-party -||doubleclick.net/xbbe/creative/vast? -||doubleclick.net^$third-party,domain=3news.co.nz|92q.com|abc-7.com|addictinggames.com|allbusiness.com|bizjournals.com|bloomberg.com|bnn.ca|boom92houston.com|boom945.com|boomphilly.com|break.com|cbc.ca|cbs19.tv|cbs3springfield.com|cbslocal.com|complex.com|dailymail.co.uk|darkhorizons.com|doubleviking.com|euronews.com|extratv.com|fandango.com|fox19.com|fox5vegas.com|gorillanation.com|hawaiinewsnow.com|hellobeautiful.com|hiphopnc.com|hot1041stl.com|hothiphopdetroit.com|hotspotatl.com|hulu.com|imdb.com|indiatimes.com|indyhiphop.com|ipowerrichmond.com|joblo.com|kcra.com|kctv5.com|ketv.com|koat.com|koco.com|kolotv.com|kpho.com|kptv.com|ksat.com|ksbw.com|ksfy.com|ksl.com|kypost.com|kysdc.com|live5news.com|livestation.com|livestream.com|metro.us|metronews.ca|miamiherald.com|my9nj.com|myboom1029.com|mycolumbuspower.com|nbcrightnow.com|neatorama.com|necn.com|neopets.com|news.com.au|news4jax.com|newsone.com|nintendoeverything.com|oldschoolcincy.com|pagesuite-professional.co.uk|pandora.com|play.it|player.theplatform.com|radio.com|radionowindy.com|rottentomatoes.com|sbsun.com|shacknews.com|sk-gaming.com|ted.com|thebeatdfw.com|theboxhouston.com|theglobeandmail.com|timesnow.tv|tv2.no|twitch.tv|ustream.tv|wapt.com|washingtonpost.com|wate.com|wbaltv.com|wcvb.com|wdrb.com|wdsu.com|wflx.com|wfmz.com|wfsb.com|wgal.com|whdh.com|wired.com|wisn.com|wiznation.com|wlky.com|wlns.com|wlwt.com|wmur.com|wnem.com|wowt.com|wral.com|wsj.com|wsmv.com|wsvn.com|wtae.com|wthr.com|wxii12.com|wyff4.com|yahoo.com|youtube-nocookie.com|youtube.com|zhiphopcleveland.com -||doubleclick.net^*/ad/$~object-subrequest,third-party -||doubleclick.net^*/adi/$~object-subrequest,third-party -||doubleclick.net^*/adj/$~object-subrequest,third-party -||doubleclick.net^*/pfadx/ccr.newyork.$third-party -||doubleclick.net^*/pfadx/cmn_complextv/$third-party -||doubleclick.net^*/pfadx/com.ytpwatch.$third-party -||doubleclick.net^*/pfadx/embed.ytpwatch.$third-party -||doubleclick.net^*/pfadx/ibs.orl.news/$third-party -||doubleclick.net^*/pfadx/muzumain/$third-party -||doubleclick.net^*/pfadx/ssp.wews/$third-party -||doubleclick.net^*/pfadx/team.car/$third-party -||doubleclick.net^*/pfadx/team.dal/$third-party -||doubleclick.net^*/pfadx/team.sd/$third-party -||doubleclick.net^*;afv_flvurl=http://cdn.c.ooyala.com/$third-party -||doubleclickbygoogle.com^$third-party -||doubleclicks.me^$third-party -||doublemax.net^$third-party -||doublepimp.com^$third-party -||doublepimpssl.com^$third-party -||doublerads.com^$third-party -||doublerecall.com^$third-party -||doubleverify.com^$third-party -||down1oads.com^$third-party -||downloadboutique.com^$third-party -||downloatransfer.com^$third-party -||downsonglyrics.com^$third-party -||dp25.kr^$third-party -||dpbolvw.net/image-$third-party -||dpbolvw.net/placeholder-$third-party -||dpmsrv.com^$third-party -||dpsrexor.com^$third-party -||dpstack.com^$third-party -||dreamaquarium.com^$third-party -||dreamsearch.or.kr^$third-party -||drnxs.com^$third-party -||dropzenad.com^$third-party -||drowle.com^$third-party -||dsero.net^$third-party -||dsnextgen.com^$third-party -||dsnr-affiliates.com^$third-party -||dsultra.com^$third-party -||dt00.net^$third-party,domain=~marketgid.com|~marketgid.ru|~marketgid.ua|~mgid.com|~thechive.com -||dt07.net^$third-party,domain=~marketgid.com|~marketgid.ru|~marketgid.ua|~mgid.com|~thechive.com -||dtmpub.com^$third-party -||dtzads.com^$third-party -||dualmarket.info^$third-party -||dubshub.com^$third-party -||dudelsa.com^$third-party -||duetads.com^$third-party -||duggiads.com^$third-party -||dumedia.ru^$third-party -||durnowar.com^$third-party -||durokuro.com^$third-party -||durtz.com^$third-party -||dvaminusodin.net^$third-party -||dveribo.ru^$third-party -||dyino.com^$third-party -||dynad.net^$third-party -||dynamicdn.com^$third-party -||dynamicoxygen.com^$third-party -||dynamitedata.com^$third-party -||e-find.co^$third-party -||e-generator.com^$third-party -||e-planning.net^$third-party -||e-viral.com^$third-party -||e2yth.tv^$third-party -||e65ew88.com^$third-party -||e9mlrvy1.com^$third-party -||eads-adserving.com^$third-party -||eads.to^$third-party -||earnify.com^$third-party -||easy-adserver.com^$third-party -||easyad.com^$third-party -||easydownload4you.com^$third-party -||easyflirt-partners.biz^$third-party -||easyhits4u.com^$third-party -||easyinline.com^$third-party -||easylist.club^$third-party -||ebannertraffic.com^$third-party -||ebayobjects.com.au^$third-party -||ebayobjects.com^$third-party -||ebdr3.com^$third-party -||eblastengine.com^$third-party -||eboundservices.com^$third-party -||ebuzzing.com^$third-party -||ebz.io^$third-party -||eclick.vn^$third-party -||ecpmrocks.com^$third-party -||ecto-ecto-uno.com^$third-party -||edgeads.org^$third-party -||edgevertise.com^$third-party -||ednplus.com^$third-party -||edomz.net^$third-party -||eedr.org^$third-party -||effectivemeasure.net^$third-party -||egamingonline.com^$third-party -||ekmas.com^$third-party -||ektezis.ru^$third-party -||elasticad.net^$third-party -||electnext.com^$third-party -||electosake.com^$third-party -||elefantsearch.com^$third-party -||elvate.net^$third-party -||emberads.com^$third-party -||embraceablemidpointcinnabar.com^$third-party -||emediate.ch^$third-party -||emediate.dk^$third-party -||emediate.eu^$third-party -||emediate.se^$third-party -||empiremoney.com^$third-party -||employers-freshly.org^$third-party -||emptyspaceads.com^$third-party -||engineseeker.com^$third-party -||enlnks.com^$third-party -||enterads.com^$third-party -||entrecard.com^$third-party -||entrecard.s3.amazonaws.com^$third-party -||eosads.com^$third-party -||ep7kpqn8.online^$third-party -||epicgameads.com^$third-party -||epnredirect.ru^$third-party -||eptord.com^$third-party -||eptum.com^$third-party -||eqads.com^$third-party -||erado.org^$third-party -||erendri.com^$third-party -||ergerww.net^$third-party -||ergodob.ru^$third-party -||ergoledo.com^$third-party -||ero-advertising.com^$third-party -||erovation.com^$third-party -||erovinmo.com^$third-party -||escalatenetwork.com^$third-party -||escale.to^$third-party -||escokuro.com^$third-party -||especifican.com^$third-party -||essayads.com^$third-party -||essaycoupons.com^$third-party -||et-code.ru^$third-party -||etah6wu.top^$third-party -||etargetnet.com^$third-party -||etgdta.com^$third-party -||etmanly.ru^$third-party -||etology.com^$third-party -||etrevro.com^$third-party -||eurew.com^$third-party -||euroclick.com^$third-party -||europacash.com^$third-party -||euros4click.de^$third-party -||euym8eel.club^$third-party -||euz.net^$third-party -||evewrite.net^$third-party -||evolvemediallc.com^$third-party -||evolvenation.com^$third-party -||exactdrive.com^$third-party -||excellenceads.com^$third-party -||exchange4media.com^$third-party -||exclusivecpms.com^$third-party -||exdynsrv.com^$third-party -||exitexplosion.com^$third-party -||exitjunction.com^$third-party -||exoclick.com^$third-party -||exoneratedresignation.info^$third-party -||explainidentifycoding.info^$third-party -||expocrack.com^$third-party -||expogrim.com^$third-party -||exponential.com^$third-party -||expresswebtraffic.com^$third-party -||extend.tv^$third-party -||extra33.com^$third-party -||eyere.com^$third-party -||eyereturn.com^$third-party -||eyeviewads.com^$third-party -||eyewond.hs.llnwd.net^$third-party -||eyewonder.com^$third-party -||ezadserver.net^$third-party -||ezmob.com^$third-party -||ezoic.net^$third-party -||f7oddtr.com^$third-party -||facebooker.top^$third-party -||faggrim.com^$third-party -||fairadsnetwork.com^$third-party -||falkag.net^$third-party -||fandelcot.com^$third-party -||far-far-star.com^$third-party -||fast2earn.com^$third-party -||fastapi.net^$third-party -||fastates.net^$third-party -||fastclick.net^$third-party -||fasttracktech.biz^$third-party -||fb-plus.com^$third-party -||fbgdc.com^$third-party -||fbsvu.com^$third-party -||fearfulflag.com^$third-party -||featence.com^$third-party -||feature.fm^$third-party -||featuredusers.com^$third-party -||featurelink.com^$third-party -||feed-ads.com^$third-party -||feljack.com^$third-party -||fenixm.com^$third-party -||feybu.work^$third-party -||fiberpairjo.link^$third-party -||fidel.to^$third-party -||filadmir.site^$third-party -||filetarget.com^$third-party -||filtermomosearch.com^$third-party -||fimserve.com^$third-party -||finalanypar.link^$third-party -||fincastavancessetti.info^$third-party -||find-abc.com^$third-party -||find-cheap-hotels.org^$third-party -||findbestsolution.net^$third-party -||findbetterresults.com^$third-party -||findsthat.com^$third-party -||firaxtech.com^$third-party -||firefeeder.com^$third-party -||firegetbook.com^$third-party -||firegetbook4u.biz^$third-party -||firegob.com^$third-party -||firmharborlinked.com^$third-party -||first-rate.com^$third-party -||firstadsolution.com^$third-party -||firstimpression.io^$third-party -||firstlightera.com^$third-party -||fisari.com^$third-party -||fixionmedia.com^$third-party -||fl-ads.com^$third-party -||flagads.net^$third-party -||flappybadger.net^$third-party -||flappyhamster.net^$third-party -||flappysquid.net^$third-party -||flashclicks.com^$third-party -||flashtalking.com^$third-party -||flexlinks.com^$third-party -||fliionos.co.uk^$third-party -||flite.com^$third-party -||fllwert.net^$third-party -||flodonas.com^$third-party -||flomigo.com^$third-party -||fluidads.co^$third-party -||flurryconakrychamfer.info^$third-party -||fluxads.com^$third-party -||fluxybe.work^$third-party -||flyertown.ca^$third-party -||flymyads.com^$third-party -||flytomars.online^$third-party -||fmpub.net^$third-party -||fmsads.com^$third-party -||fnro4yu0.loan^$third-party -||focalex.com^$third-party -||focre.info^$third-party -||fogzyads.com^$third-party -||foodieblogroll.com^$third-party -||foonad.com^$third-party -||footar.com^$third-party -||footerslideupad.com^$third-party -||footnote.com^$third-party -||forced-lose.de^$third-party -||forcepprofile.com^$third-party -||forex-affiliate.com^$third-party -||forex-affiliate.net^$third-party -||forexyard.com^$third-party -||forifiha.com^$third-party -||forkizata.com^$third-party -||forpyke.com^$third-party -||forrestersurveys.com^$third-party -||fphnwvkp.info^$third-party -||frameptp.com^$third-party -||free-domain.net^$third-party -||freebannerswap.co.uk^$third-party -||freebiesurveys.com^$third-party -||freecouponbiz.com^$third-party -||freedownloadsoft.net^$third-party -||freepaidsurveyz.com^$third-party -||freerotator.com^$third-party -||freeskreen.com^$third-party -||freesoftwarelive.com^$third-party -||freestar.io^$third-party -||fresh8.co^$third-party -||friendlyduck.com^$third-party -||friesmeasureretain.info^$third-party -||fromfriendswithlove.com^$third-party -||fruitkings.com^$third-party -||ftjcfx.com^$third-party -||ftv-publicite.fr^$third-party -||fulltraffic.net^$third-party -||fungoiddempseyimpasse.info^$third-party -||fungus.online^$third-party -||funklicks.com^$third-party -||funnel-me.com^$third-party -||furginator.pw^$third-party -||fusionads.net^$third-party -||futureresiduals.com^$third-party -||futureus.com^$third-party -||fwmrm.net^$~object-subrequest,third-party -||fxdepo.com^$third-party -||fxyc0dwa.com^$third-party -||g-cash.biz^$third-party -||g17media.com^$third-party -||g4whisperermedia.com^$third-party -||g5fzq2l.com^$third-party -||gagacon.com^$third-party -||gagenez.com^$third-party -||gainmoneyfast.com^$third-party -||galleyn.com^$third-party -||gambling-affiliation.com^$third-party -||game-advertising-online.com^$third-party -||game-clicks.com^$third-party -||gameads.com^$third-party -||gamecetera.com^$third-party -||gamehotus.com^$third-party -||gamersad.com^$third-party -||gamersbanner.com^$third-party -||gamesbannerexchange.com^$third-party -||gamesrevenue.com^$third-party -||gan.doubleclick.net^$third-party -||gandrad.org^$third-party -||gannett.gcion.com^$third-party -||garristo.com^$third-party -||garvmedia.com^$third-party -||gate-ru.com^$third-party -||gatikus.com^$third-party -||gayadnetwork.com^$third-party -||gbkfkofgks.com^$third-party -||gbkfkofgmks.com^$third-party -||gctwh9xc.site^$third-party -||gdmdigital.com^$third-party -||geede.info^$third-party -||geek2us.net^$third-party -||gefhasio.com^$third-party -||geld-internet-verdienen.net^$third-party -||gemineering.com^$third-party -||genericlink.com^$third-party -||genericsteps.com^$third-party -||genesismedia.com^$third-party -||geniad.net^$third-party -||genieessp.com^$third-party -||genotba.online^$third-party -||genovesetacet.com^$third-party -||genusaceracousticophobia.com^$third-party -||geo-idm.fr^$third-party -||geoipads.com^$third-party -||geopromos.com^$third-party -||geovisite.com^$third-party -||gestionpub.com^$third-party -||getfuneta.info^$third-party -||getgamers.eu^$third-party -||getgscfree.com^$third-party -||getpopunder.com^$third-party -||gets-web.space^$third-party -||getscorecash.com^$third-party -||getthislistbuildingvideo.biz^$third-party -||gettipsz.info^$third-party -||ggncpm.com^$third-party -||giantaffiliates.com^$third-party -||gigamega.su^$third-party -||gimiclub.com^$third-party -||gitcdn.pw^$third-party -||gitcdn.site^$third-party -||gitload.site^$third-party -||giu9aab.bid^$third-party -||gklmedia.com^$third-party -||glaswall.online^$third-party -||glical.com^$third-party -||global-success-club.net^$third-party -||globaladsales.com^$third-party -||globaladv.net^$third-party -||globalinteractive.com^$third-party -||globalsuccessclub.com^$third-party -||globaltakeoff.net^$third-party -||globaltraffico.com^$third-party -||glowdot.com^$third-party -||gmads.net^$third-party -||go2jump.org^$third-party -||go2media.org^$third-party -||go2speed.org^$third-party -||goclickon.us^$third-party -||godspeaks.net^$third-party -||goember.com^$third-party -||gogoplexer.com^$third-party -||gogvo.com^$third-party -||gojoingscnow.com^$third-party -||gold-file.com^$third-party -||gold-good4u.com^$third-party -||goodadvert.ru^$third-party -||goodadvertising.info^$third-party -||goodluckblockingthis.com^$third-party -||goodtag.it^$third-party -||googleadservicepixel.com^$third-party -||googlesyndicatiion.com^$third-party -||googletagservices.com/tag/js/gpt_$third-party -||googletagservices.com/tag/static/$third-party -||gorgonkil.com^$third-party -||gortags.com^$third-party -||gotagy.com^$third-party -||gourmetads.com^$third-party -||governmenttrainingexchange.com^$third-party -||goviral-content.com^$third-party -||goviral.hs.llnwd.net^$third-party -||gpacalculatorhighschoolfree.com^$third-party -||grabmyads.com^$third-party -||grabo.bg^$third-party -||grafpedia.com^$third-party -||granodiorite.com^$third-party -||grapeshot.co.uk^$third-party -||gratisnetwork.com^$third-party -||green-red.com^$third-party -||greenads.org^$third-party -||greenlabelppc.com^$third-party -||grenstia.com^$third-party -||gretzalz.com^$third-party -||gripdownload.co^$third-party -||grllopa.com^$third-party -||grmtas.com^$third-party -||groovinads.com^$third-party -||groupcommerce.com^$third-party -||grt02.com^$third-party -||grt03.com^$third-party -||grumpyadzen.com^$third-party -||gscontxt.net^$third-party -||gscsystemwithdarren.com^$third-party -||guardiandigitalcomparison.co.uk^$third-party -||guitaralliance.com^$third-party -||gumgum.com^$third-party -||gunpartners.com^$third-party -||gururevenue.com^$third-party -||gwallet.com^$third-party -||gx101.com^$third-party -||gynax.com^$third-party -||h-images.net^$third-party -||h12-media.com^$third-party -||halfpriceozarks.com^$third-party -||hallucius.com^$third-party -||halogennetwork.com^$third-party -||halpeperglagedokkei.info^$third-party -||hanaprop.com^$third-party -||happilyswitching.net^$third-party -||harrenmedianetwork.com^$third-party -||hatagashira.com^$third-party -||havamedia.net^$third-party -||havetohave.com^$third-party -||havinates.com^$third-party -||hb-247.com^$third-party -||hd-plugin.com^$third-party -||hdplayer-download.com^$third-party -||hdplayer.li^$third-party -||hdvid-codecs-dl.net^$third-party -||hdvidcodecs.com^$third-party -||header.tech^$third-party -||headup.com^$third-party -||healthaffiliatesnetwork.com^$third-party -||healthcarestars.com^$third-party -||hebiichigo.com^$third-party -||helloreverb.com^$third-party -||helotero.com^$third-party,domain=~streamcloud.eu -||heravda.com^$third-party -||herocpm.com^$third-party -||hexagram.com^$third-party -||hgdat.com^$third-party -||hiadone.com^$third-party -||hijacksystem.com^$third-party -||hilltopads.net^$third-party -||himediads.com^$third-party -||himediadx.com^$third-party -||hipersushiads.com^$third-party -||hiplair.com^$third-party -||histians.com^$third-party -||histock.info^$third-party -||hit-now.com^$third-party -||hits.sys.lv^$third-party -||hitwastedgarden.com^$third-party -||hlads.com^$third-party -||hlserve.com^$third-party -||hlu9tseh.men^$third-party -||hmongcash.com^$third-party -||hokaybo.com^$third-party -||hola-shopping.com^$third-party -||holdingprice.net^$third-party -||holidaytravelguide.org^$third-party -||honestlypopularvary.xyz^$third-party -||hoomezip.biz^$third-party -||hopfeed.com^$third-party -||horse-racing-affiliate-program.co.uk^$third-party -||horsered.com^$third-party -||hortestoz.com^$third-party -||horyzon-media.com^$third-party -||hostgit.net^$third-party -||hosticanaffiliate.com^$third-party -||hot-hits.us^$third-party -||hotelscombined.com.au^$third-party -||hotfeed.net^$third-party -||hotkeys.com^$third-party -||hotptp.com^$third-party -||hotwords.com.br^$third-party -||hotwords.com.mx^$third-party -||hotwords.com^$third-party -||houstion.com^$third-party -||hover.in^$third-party -||hoverr.co^$third-party -||hoverr.media^$third-party -||howtodoblog.com^$third-party -||hplose.de^$third-party -||hsslx.com^$third-party -||hstpnetwork.com^$third-party -||htl.bid^$third-party -||htmlhubing.xyz^$third-party -||httpool.com^$third-party -||httpsecurity.org^$third-party -||hulahooprect.com^$third-party -||huzonico.com^$third-party -||hype-ads.com^$third-party -||hypeads.org^$third-party -||hypemakers.net^$third-party -||hyperbanner.net^$third-party -||hyperlinksecure.com^$third-party -||hyperpromote.com^$third-party -||hypertrackeraff.com^$third-party -||hypervre.com^$third-party -||hyperwebads.com^$third-party -||i-media.co.nz^$third-party -||i.skimresources.com^$third-party -||iamediaserve.com^$third-party -||iasbetaffiliates.com^$third-party -||iasrv.com^$third-party -||ibannerexchange.com^$third-party -||ibatom.com^$third-party -||ibryte.com^$third-party -||icdirect.com^$third-party -||icqadvnew.com^$third-party -||idealmedia.com^$third-party -||identads.com^$third-party -||idownloadgalore.com^$third-party -||idreammedia.com^$third-party -||ieh1ook.bid^$third-party -||ifmnwi.club^$third-party -||iframe.mediaplazza.com^$third-party -||igameunion.com^$third-party -||igloohq.com^$third-party -||ignitioninstaller.com^$third-party -||iicheewi.com^$third-party -||ikzikistheking.com^$third-party -||imageadnet.com^$third-party -||imasdk.googleapis.com^$third-party -||imedia.co.il^$third-party -||imediaaudiences.com^$third-party -||imediarevenue.com^$third-party -||img-giganto.net^$third-party -||imgfeedget.com^$third-party -||imglt.com^$third-party -||imgsniper.com^$third-party -||imgtty.com^$third-party -||imgwebfeed.com^$third-party -||imho.ru^$third-party -||imiclk.com^$third-party -||imitrk.com^$third-party -||imonomy.com^$third-party -||imp*.tradedoubler.com^$third-party -||impact-ad.jp^$third-party -||impactradius-go.com^$third-party -||impactradius.com^$third-party -||implix.com^$third-party -||impore.com^$third-party -||impresionesweb.com^$third-party -||impressionaffiliate.com^$third-party -||impressionaffiliate.mobi^$third-party -||impressioncontent.info^$third-party -||impressiondesk.com^$third-party -||impressionperformance.biz^$third-party -||impressionvalue.mobi^$third-party -||in-appadvertising.com^$third-party -||incentaclick.com^$third-party -||incloak.com^$third-party -||incomeliberation.com^$third-party -||increas.eu^$third-party -||increase-marketing.com^$third-party -||indeterman.com^$third-party -||indexww.com^$third-party -||indiabanner.com^$third-party -||indiads.com^$third-party -||indianbannerexchange.com^$third-party -||indianlinkexchange.com^$third-party -||indicate.to^$third-party -||indieclick.com^$third-party -||indisancal.com^$third-party -||indofad.com^$third-party -||industrybrains.com^$third-party -||inentasky.com^$third-party -||inetinteractive.com^$third-party -||infectiousmedia.com^$third-party -||infinite-ads.com^$third-party -||infinityads.com^$third-party -||influads.com^$third-party -||info4.a7.org^$third-party -||infolinks.com^$third-party -||information-sale.com^$third-party -||infra-ad.com^$third-party -||ingame.ad^$third-party -||inktad.com^$third-party -||innity.com^$third-party -||innity.net^$third-party -||innovid.com^$third-party -||inplaybricks.com^$third-party -||insightexpress.com^$third-party -||insightexpressai.com^$third-party -||insitepromotion.com^$third-party -||insitesystems.com^$third-party -||inskinad.com^$third-party -||inskinmedia.com^$~stylesheet,third-party -||inspiringsweater.xyz^$third-party -||insta-cash.net^$third-party -||instancetour.info^$third-party -||instantbannercreator.com^$third-party -||instantclk.com^$third-party -||instantdollarz.com^$third-party -||insticator.com^$third-party -||instinctiveads.com^$third-party -||instivate.com^$third-party -||instraffic.com^$third-party -||instreamvideo.ru^$third-party -||integral-marketing.com^$third-party -||intellibanners.com^$third-party -||intellitxt.com^$third-party -||intenthq.com^$third-party -||intentmedia.net^$third-party -||interactivespot.net^$third-party -||interclick.com^$third-party -||interestably.com^$third-party -||interesting.cc^$third-party -||intergi.com^$third-party -||intermarkets.net^$third-party -||internetadbrokers.com^$third-party -||interpolls.com^$third-party -||interworksmedia.co.kr^$third-party -||intextad.net^$third-party -||intextdirect.com^$third-party -||intextscript.com^$third-party -||intextual.net^$third-party -||intgr.net^$third-party -||intimlife.net^$third-party -||intopicmedia.com^$third-party -||inttrax.com^$third-party -||intuneads.com^$third-party -||inuvo.com^$third-party -||inuxu.biz^$third-party -||inuxu.co.in^$third-party -||invernetter.info^$third-party -||investingchannel.com^$third-party -||inviziads.com^$third-party -||ip-adress.com^$third-party -||ipowercdn.com^$third-party -||ipredictive.com^$third-party -||ipromote.com^$third-party -||ipsowrite.com^$third-party -||isapi.solutions^$third-party -||islationa.com^$third-party -||isohits.com^$third-party -||isparkmedia.com^$third-party -||isubdom.com^$third-party -||isubdomains.com^$third-party -||it4oop7.bid^$third-party -||itempana.site^$third-party -||itrengia.com^$third-party -||iu16wmye.com^$third-party -||iu1xoe7o.com^$third-party -||iv.doubleclick.net^$third-party -||iwantmoar.net^$third-party -||ixnp.com^$third-party -||iz319xlstbsqs34623cb.com^$third-party -||izeads.com^$third-party -||jacquarter.com^$third-party -||jadcenter.com^$third-party -||jango.com^$third-party -||jangonetwork.com^$third-party -||jarvinzo.com^$popup -||javacript.cf^$third-party -||javacript.ga^$third-party -||javacript.gq^$third-party -||javacript.ml^$third-party -||javacript.tk^$third-party -||jbrlsr.com^$third-party -||jcnqc.us^$third-party -||jdoqocy.com/image-$third-party -||jdoqocy.com/placeholder-$third-party -||jdproject.net^$third-party -||jeeh7eet.com^$third-party -||jeetyetmedia.com^$third-party -||jemmgroup.com^$third-party -||jettags.rocks^$third-party -||jewishcontentnetwork.com^$third-party -||jf2mn2ms.club^$third-party -||jfduv7.com^$third-party -||jfx61qca.site^$third-party -||jiawen88.com^$third-party -||jivox.com^$third-party -||jiwire.com^$third-party -||jizzontoy.com^$third-party -||jmp9.com^$third-party -||jmvnolvmspponhnyd6b.com^$third-party -||jo7cofh3.com^$third-party -||jobsyndicate.com^$third-party -||jobtarget.com^$third-party -||joytocash.com^$third-party -||jque.net^$third-party -||js.cdn.ac^$third-party -||jscloud.org^$third-party -||jscount.com^$third-party -||jsfeedadsget.com^$third-party -||jsretra.com^$third-party -||jssearch.net^$third-party -||jtrakk.com^$third-party -||judicated.com^$third-party -||juiceadv.com^$third-party -||juiceadv.net^$third-party -||juicyads.com^$third-party -||jujuads.com^$third-party -||jujzh9va.com^$third-party -||jumboaffiliates.com^$third-party -||jumbolt.ru^$third-party -||jumia.com.ng^$third-party -||jumpelead.com^$third-party -||jumptap.com^$third-party -||jursp.com^$third-party -||justrelevant.com^$third-party -||jwaavsze.com^$third-party -||jyvtidkx.com^$third-party -||k0z09okc.com^$third-party -||k9anf8bc.webcam^$third-party -||kanoodle.com^$third-party -||kantarmedia.com^$third-party -||kavanga.ru^$third-party -||keewurd.com^$third-party -||kehalim.com^$third-party -||kenduktur.com^$third-party -||kerg.net^$third-party -||ketads.com^$third-party -||ketoo.com^$third-party -||keyrunmodel.com^$third-party -||keywordblocks.com^$third-party -||keywordlink.co.kr^$third-party -||keywordpop.com^$third-party -||keywordsconnect.com^$third-party -||kgidpryrz8u2v0rz37.com^$third-party -||kikuzip.com^$third-party -||kinley.com^$third-party -||kintokup.com^$third-party -||kiosked.com^$third-party -||kitnmedia.com^$third-party -||kjgh5o.com^$third-party -||klikadvertising.com^$third-party -||kliksaya.com^$third-party -||klikvip.com^$third-party -||klipmart.com^$third-party -||klixfeed.com^$third-party -||kloapers.com^$third-party -||klonedaset.org^$third-party -||knorex.asia^$third-party -||knowd.com^$third-party -||kolition.com^$third-party -||komego.work^$third-party -||komoona.com^$third-party -||kontextua.com^$third-party -||koocash.com^$third-party -||korexo.com^$third-party -||korrelate.net^$third-party -||kovla.com^$third-party -||kqzyfj.com/image-$third-party -||kqzyfj.com/placeholder-$third-party -||kr3vinsx.com^$third-party -||kromeleta.ru^$third-party -||kumpulblogger.com^$third-party -||l3op.info^$third-party -||ladbrokesaffiliates.com.au^$third-party -||laim.tv^$third-party -||lakequincy.com^$third-party -||lakidar.net^$third-party -||landelcut.com^$third-party -||langosh.biz^$third-party -||lanistaconcepts.com^$third-party -||larentisol.com^$third-party -||large-format.net^$third-party -||largestable.com^$third-party -||larkbe.com^$third-party -||laserhairremovalstore.com^$third-party -||launchbit.com^$third-party -||lavetawhiting.com^$third-party -||layer-ad.org^$third-party -||layerloop.com^$third-party -||layerwelt.com^$third-party -||lazynerd.info^$third-party -||lbm1.com^$third-party -||lcl2adserver.com^$third-party -||ld82ydd.com^$third-party -||ldgateway.com^$third-party -||lduhtrp.net^$third-party -||leadacceptor.com^$third-party -||leadad.mobi^$third-party -||leadadvert.info^$third-party -||leadbolt.net^$third-party -||leadcola.com^$third-party -||leaderpub.fr^$third-party -||leadmediapartners.com^$third-party -||leadzu.com^$third-party -||leaptrade.com^$third-party -||leetmedia.com^$third-party -||legisland.net^$third-party -||leohd59.ru^$third-party -||lepinsar.com^$third-party -||lepintor.com^$third-party -||letadnew.com^$third-party -||letilyadothejob.com^$third-party -||letsadvertisetogether.com^$third-party -||letsgoshopping.tk^$third-party -||letysheeps.ru^$third-party -||lfstmedia.com^$third-party -||lgse.com^$third-party -||licantrum.com^$third-party -||liftdna.com^$third-party -||ligadx.com^$third-party -||ligational.com^$third-party -||lightad.co.kr^$third-party -||lightningcast.net^$~object-subrequest,third-party -||linicom.co.il^$third-party -||linicom.co.uk^$third-party -||linkbuddies.com^$third-party -||linkclicks.com^$third-party -||linkelevator.com^$third-party -||linkexchange.com^$third-party -||linkexchangers.net^$third-party -||linkgrand.com^$third-party -||linkmads.com^$third-party -||linkoffers.net^$third-party -||linkreferral.com^$third-party -||links.io^$third-party -||links2revenue.com^$third-party -||linkshowoff.com^$third-party -||linksmart.com^$third-party -||linkstorm.net^$third-party -||linkwash.de^$third-party -||linkworth.com^$third-party -||linkybank.com^$third-party -||linkz.net^$third-party -||linoleictanzaniatitanic.com^$third-party -||lionsads.com^$third-party -||liqwid.net^$third-party -||listingcafe.com^$third-party -||liveadexchanger.com^$third-party -||liveadoptimizer.com^$third-party -||liveadserver.net^$third-party -||liverail.com^$~object-subrequest,third-party -||liveuniversenetwork.com^$third-party -||lkqd.net^$third-party -||lndjj.com^$third-party -||loading-resource.com^$third-party -||local-chicks-here3.top^$third-party -||localadbuy.com^$third-party -||localedgemedia.com^$third-party -||localsearch24.co.uk^$third-party -||lockerdome.com^$third-party -||lockhosts.com^$third-party -||lockscalecompare.com^$third-party -||logo-net.co.uk^$third-party -||loodyas.com^$third-party -||lookit-quick.com^$third-party -||looksmart.com^$third-party -||looneyads.com^$third-party -||looneynetwork.com^$third-party -||loopmaze.com^$third-party -||lose-ads.de^$third-party -||loseads.eu^$third-party -||losomy.com^$third-party -||lotteryaffiliates.com^$third-party -||love-banner.com^$third-party -||loxtk.com^$third-party -||lqcdn.com^$third-party -||lqw.me^$third-party -||ltassrv.com.s3.amazonaws.com^$third-party -||ltassrv.com/goads.swf -||ltassrv.com/serve/ -||lucidmedia.com^$third-party -||lushcrush.com^$third-party -||luxadv.com^$third-party -||luxbetaffiliates.com.au^$third-party -||luxup.ru^$third-party -||lx2rv.com^$third-party -||lzjl.com^$third-party -||m1.fwmrm.net^$object-subrequest,third-party -||m10s8.com^$third-party -||m2.ai^$third-party -||m2pub.com^$third-party -||m30w.net^$third-party -||m4pub.com^$third-party -||m57ku6sm.com^$third-party -||m5prod.net^$third-party -||mabirol.com^$third-party -||machings.com^$third-party -||madadsmedia.com^$third-party -||madserving.com^$third-party -||madsone.com^$third-party -||magicalled.info^$third-party -||magnetisemedia.com^$third-party -||mailmarketingmachine.com^$third-party -||mainadv.com^$third-party -||mainroll.com^$third-party -||makecashtakingsurveys.biz^$third-party -||makemoneymakemoney.net^$third-party -||mallsponsor.com^$third-party -||mangoforex.com^$third-party -||marbil24.co.za^$third-party -||marfeel.com^$third-party -||marginalwoodfernrounddance.com^$third-party -||marimedia.com^$third-party -||markboil.online^$third-party -||markergot.com^$third-party -||marketbanker.com^$third-party -||marketfly.net^$third-party -||marketgid.com^$third-party -||markethealth.com^$third-party -||marketingenhanced.com^$third-party -||marketleverage.com^$third-party -||marketnetwork.com^$third-party -||marketoring.com^$third-party -||marsads.com^$third-party -||martiniadnetwork.com^$third-party -||masterads.org^$third-party -||masternal.com^$third-party -||mastertraffic.cn^$third-party -||mathads.com^$third-party -||matiro.com^$third-party -||maudau.com^$third-party -||maxserving.com^$third-party -||mb01.com^$third-party -||mb102.com^$third-party -||mb104.com^$third-party -||mb38.com^$third-party -||mb57.com^$third-party -||mbn.com.ua^$third-party -||mcdomainalot.com^$third-party -||mcdstorage.com^$third-party -||mdadvertising.net^$third-party -||mdadx.com^$third-party -||mdialog.com^$third-party -||mdn2015x1.com^$third-party -||mdn2015x2.com^$third-party -||mdn2015x3.com^$third-party -||mdn2015x4.com^$third-party -||mdn2015x5.com^$third-party -||meadigital.com^$third-party -||measurelyapp.com^$third-party -||media-general.com^$third-party -||media-ks.net^$third-party -||media-networks.ru^$third-party -||media-servers.net^$third-party -||media.net^$third-party -||media303.com^$third-party -||media6degrees.com^$third-party -||media970.com^$third-party -||mediaadserver.org^$third-party -||mediaclick.com^$third-party -||mediacpm.com^$third-party -||mediaessence.net^$third-party -||mediaffiliation.com^$third-party -||mediafilesdownload.com^$third-party -||mediaflire.com^$third-party -||mediaforce.com^$third-party -||mediaforge.com^$third-party -||mediag4.com^$third-party -||mediagridwork.com^$third-party -||mediakeywords.com^$third-party -||medialand.ru^$third-party -||medialation.net^$third-party -||mediaonenetwork.net^$third-party -||mediaonpro.com^$third-party -||mediapeo.com^$third-party -||mediaraily.com^$third-party -||mediatarget.com^$third-party -||mediative.ca^$third-party -||mediative.com^$third-party -||mediatraffic.com^$third-party -||mediatraks.com^$third-party -||mediaver.com^$third-party -||medleyads.com^$third-party -||medrx.sensis.com.au^$third-party -||medyanet.net^$third-party -||medyanetads.com^$third-party -||meendocash.com^$third-party -||meetic-partners.com^$third-party -||megaad.nz^$third-party -||megacpm.com^$third-party -||megapopads.com^$third-party -||megatronmailer.com^$third-party -||megbase.com^$third-party -||meh0f1b.com^$third-party -||meinlist.com^$third-party -||mellowads.com^$third-party -||mengheng.net^$third-party -||mentad.com^$third-party -||mentalks.ru^$third-party -||merchenta.com^$third-party -||mercuras.com^$third-party -||messagespaceads.com^$third-party -||metaffiliation.com^$~image,~subdocument,third-party,domain=~netaffiliation.com -||metaffiliation.com^*^maff= -||metaffiliation.com^*^taff= -||metavertising.com^$third-party -||metavertizer.com^$third-party -||metogo.work^$third-party -||metrics.io^$third-party -||meviodisplayads.com^$third-party -||meya41w7.com^$third-party -||mezaa.com^$third-party -||mezimedia.com^$third-party -||mftracking.com^$third-party -||mgcash.com^$third-party -||mgcashgate.com^$third-party -||mgid.com^$third-party,domain=~marketgid.com|~marketgid.com.ua -||mgplatform.com^$third-party -||mi-mi-fa.com^$third-party -||mibebu.com^$third-party -||microad.jp^$third-party -||microadinc.com^$third-party -||microsoftaffiliates.net^$third-party -||milabra.com^$third-party -||mindlytix.com^$third-party -||minimumpay.info^$third-party -||minodazi.com^$third-party -||mintake.com^$third-party -||mirago.com^$third-party -||mirrorpersonalinjury.co.uk^$third-party -||mistands.com^$third-party -||mixmarket.biz^$third-party -||mixpo.com^$third-party -||mktseek.com^$third-party -||ml314.com^$third-party -||mlnadvertising.com^$third-party -||mlvc4zzw.space^$third-party -||mmadsgadget.com^$third-party -||mmgads.com^$third-party -||mmismm.com^$third-party -||mmngte.net^$third-party -||mmo123.co^$third-party -||mmondi.com^$third-party -||mmoptional.com^$third-party -||mmotraffic.com^$third-party -||mnetads.com^$third-party -||moatads.com^$third-party -||mobatori.com^$third-party -||mobatory.com^$third-party -||mobday.com^$third-party -||mobfox.com^$third-party -||mobicont.com^$third-party -||mobidevdom.com^$third-party -||mobifobi.com^$third-party -||mobikano.com^$third-party -||mobile-10.com^$third-party -||mobiright.com^$third-party -||mobisla.com^$third-party -||mobitracker.info^$third-party -||mobiyield.com^$third-party -||moborobot.com^$third-party -||mobsterbird.info^$third-party -||mobstitialtag.com^$third-party -||mobstrks.com^$third-party -||mobtrks.com^$third-party -||mobytrks.com^$third-party -||modelegating.com^$third-party -||modificans.com^$third-party -||modifiscans.com^$third-party -||moffsets.com^$third-party -||mogointeractive.com^$third-party -||mojoaffiliates.com^$third-party -||mokonocdn.com^$third-party -||monetizer101.com^$third-party -||money-cpm.fr^$third-party -||money4ads.com^$third-party -||moneycosmos.com^$third-party -||moneywhisper.com^$third-party -||monkeybroker.net^$third-party -||monsoonads.com^$third-party -||mookie1.com^$third-party -||mootermedia.com^$third-party -||mooxar.com^$third-party -||moregamers.com^$third-party -||moreplayerz.com^$third-party -||morgdm.ru^$third-party -||moritava.com^$third-party -||moselats.com^$third-party -||mottnow.com^$third-party -||movad.net^$third-party -||mozcloud.net^$third-party -||mp3toavi.xyz^$third-party -||mpk01.com^$third-party -||mpnrs.com^$third-party -||mpression.net^$third-party -||mprezchc.com^$third-party -||mpuls.ru^$third-party -||mrperfect.in^$third-party -||msads.net^$third-party -||msypr.com^$third-party -||mtagmonetizationa.com^$third-party -||mtagmonetizationb.com^$third-party -||mtagmonetizationc.com^$third-party -||mtrcss.com^$third-party -||mujap.com^$third-party -||mukwonagoacampo.com^$third-party -||multiadserv.com^$third-party -||multiview.com^$third-party -||munically.com^$third-party -||music-desktop.com^$third-party -||musicnote.info^$third-party -||mutary.com^$third-party -||mxf.dfp.host^$third-party -||mxtads.com^$third-party -||my-layer.net^$third-party -||myaffiliates.com^$third-party -||mycasinoaccounts.com^$third-party -||myclickbankads.com^$third-party -||mycooliframe.net^$third-party -||mydreamads.com^$third-party -||myemailbox.info^$third-party -||myinfotopia.com^$third-party -||mylinkbox.com^$third-party -||mynativeads.com^$third-party -||mynewcarquote.us^$third-party -||mynyx.men^$third-party -||myplayerhd.net^$third-party -||mysafeurl.com^$third-party -||mystaticfiles.com^$third-party -||mythings.com^$third-party -||myuniques.ru^$third-party -||myvads.com^$third-party -||mywidget.mobi^$third-party -||mz28ismn.com^$third-party -||n130adserv.com^$third-party -||n161adserv.com^$third-party -||n2s.co.kr^$third-party -||n388hkxg.com^$third-party -||n4403ad.doubleclick.net^$third-party -||n673oum.com^$third-party -||nabbr.com^$third-party -||naganaga.lol^$third-party -||nagrande.com^$third-party -||nanigans.com^$third-party -||nasdak.in^$third-party -||native-adserver.com^$third-party -||nativead.co^$third-party -||nativead.tech^$third-party -||nativeads.com^$third-party -||nativeadsfeed.com^$third-party -||nativeleads.net^$third-party -||nativeroll.tv^$third-party -||navaxudoru.com^$third-party -||nbjmp.com^$third-party -||nbstatic.com^$third-party -||ncrjsserver.com^$third-party -||neblotech.com^$third-party -||negolist.com^$third-party -||nenrk.us^$third-party -||neo-neo-xeo.com^$third-party -||neobux.com^$third-party -||neodatagroup.com^$third-party -||neoebiz.co.kr^$third-party -||neoffic.com^$third-party -||net-ad-vantage.com^$third-party -||net3media.com^$third-party -||netaffiliation.com^$~script,third-party -||netavenir.com^$third-party -||netflixalternative.net^$third-party -||netinsight.co.kr^$third-party -||netliker.com^$third-party -||netloader.cc^$third-party -||netpondads.com^$third-party -||netseer.com^$third-party -||netshelter.net^$third-party -||netsolads.com^$third-party -||networkplay.in^$third-party -||networkxi.com^$third-party -||networld.hk^$third-party -||networldmedia.net^$third-party -||neudesicmediagroup.com^$third-party -||newdosug.eu^$third-party -||newgentraffic.com^$third-party -||newideasdaily.com^$third-party -||newsadstream.com^$third-party -||newsmaxfeednetwork.com^$third-party -||newsnet.in.ua^$third-party -||newstogram.com^$third-party -||newtention.net^$third-party -||newyorkwhil.com^$third-party -||nexac.com^$third-party -||nexage.com^$third-party -||nextlandingads.com^$third-party -||nextmobilecash.com^$third-party -||ngecity.com^$third-party -||nglmedia.com^$third-party -||nicheadgenerator.com^$third-party -||nicheads.com^$third-party -||nighter.club^$third-party -||nitmus.com^$third-party -||njkiho.info^$third-party -||nkredir.com^$third-party -||nm7xq628.click^$third-party -||nmcdn.us^$third-party -||nmwrdr.net^$third-party -||nobleppc.com^$third-party -||nobsetfinvestor.com^$third-party -||nonstoppartner.de^$third-party -||norentisol.com^$third-party -||noretia.com^$third-party -||normkela.com^$third-party -||northmay.com^$third-party -||nothering.com^$third-party -||novarevenue.com^$third-party -||nowlooking.net^$third-party -||nowspots.com^$third-party -||nplexmedia.com^$third-party -||npvos.com^$third-party -||nquchhfyex.com^$third-party -||nrnma.com^$third-party -||nscontext.com^$third-party -||nsdsvc.com^$third-party -||nsmartad.com^$third-party -||nspmotion.com^$third-party -||nsstatic.net^$third-party -||nster.net^$third-party,domain=~nster.com -||ntent.com^$third-party -||ntv.io^$third-party -||nuclersoncanthinger.info^$third-party -||nui.media^$third-party -||nullenabler.com^$third-party -||numberium.com^$third-party -||numbers.md^$third-party -||numberthreebear.com^$third-party -||nuseek.com^$third-party -||nvadn.com^$third-party -||nvero.net^$third-party -||nwfhalifax.com^$third-party -||nxtck.com^$third-party -||nyadmcncserve-05y06a.com^$third-party -||nzads.net.nz^$third-party -||nzphoenix.com^$third-party -||o.gweini.com^$third-party -||oads.co^$third-party -||oainternetservices.com^$third-party -||obeisantcloddishprocrustes.com^$third-party -||obesw.com^$third-party -||obeus.com^$third-party -||obibanners.com^$third-party -||objects.tremormedia.com^$~object-subrequest,third-party -||objectservers.com^$third-party -||oceanwebcraft.com^$third-party -||oclaserver.com^$third-party -||oclasrv.com^$third-party -||oclsasrv.com^$third-party -||oclus.com^$third-party -||octagonize.com^$third-party -||oehposan.com^$third-party -||offeradvertising.biz^$third-party -||offerforge.com^$third-party -||offerpalads.com^$third-party -||offerserve.com^$third-party -||offersquared.com^$third-party -||officerrecordscale.info^$third-party -||ofino.ru^$third-party -||ogercron.com^$third-party -||oggifinogi.com^$third-party -||ohmcasting.com^$third-party -||ohmwrite.com^$third-party -||oileddaintiessunset.info^$third-party -||oldership.com^$third-party -||oldtiger.net^$third-party -||omclick.com^$third-party -||omg2.com^$third-party -||omni-ads.com^$third-party -||omnitagjs.com^$third-party -||onad.eu^$third-party -||onads.com^$third-party -||onclasrv.com^$third-party -||onclickads.net^$third-party -||onclickmax.com^$third-party -||onclkds.com^$third-party -||onedmp.com^$third-party -||onenetworkdirect.com^$third-party -||onenetworkdirect.net^$third-party -||oneopenclose.click^$third-party -||onerror.cf^$third-party -||onerror.gq^$third-party -||onespot.com^$third-party -||online-adnetwork.com^$third-party -||online-media24.de^$third-party -||onlineadtracker.co.uk^$third-party -||onlinedl.info^$third-party -||onlyalad.net^$third-party -||onrampadvertising.com^$third-party -||onscroll.com^$third-party -||onsitemarketplace.net^$third-party -||onti.rocks^$third-party -||onvertise.com^$third-party -||onwsys.net^$third-party -||oodode.com^$third-party -||ooecyaauiz.com^$third-party -||oofte.com^$third-party -||oos4l.com^$third-party -||opap.co.kr^$third-party -||openbook.net^$third-party -||openclose.click^$third-party -||openetray.com^$third-party -||opensourceadvertisementnetwork.info^$third-party -||openx.net^$third-party -||openxadexchange.com^$third-party -||openxenterprise.com^$third-party -||openxmarket.asia^$third-party -||operatical.com^$third-party -||opt-intelligence.com^$third-party -||opt-n.net^$third-party -||opteama.com^$third-party -||optiad.net^$third-party -||optimalroi.info^$third-party -||optimatic.com^$third-party -||optimizeadvert.biz^$third-party -||optimizesocial.com^$third-party -||optinemailpro.com^$third-party -||optinmonster.com^$third-party -||orangeads.fr^$third-party -||orarala.com^$third-party -||oratosaeron.com^$third-party -||orbengine.com^$third-party -||ordingly.com^$third-party -||oriel.io^$third-party -||origer.info^$third-party -||osiaffiliate.com^$third-party -||oskale.ru^$third-party -||ospreymedialp.com^$third-party -||osuq4jc.com^$third-party -||othersonline.com^$third-party -||ourunlimitedleads.com^$third-party -||ov8pc.tv^$third-party -||oveld.com^$third-party -||overhaps.com^$third-party -||oversailor.com^$third-party -||overture.com^$third-party -||overturs.com^$third-party -||ovtopli.ru^$third-party -||owlads.io^$third-party -||owtezan.ru^$third-party -||oxado.com^$third-party -||oxsng.com^$third-party -||oxtracking.com^$third-party -||oxybe.com^$third-party -||oxyes.work^$third-party -||ozertesa.com^$third-party -||ozonemedia.com^$third-party -||ozora.work^$third-party -||p-advg.com^$third-party -||p-comme-performance.com^$third-party -||p-digital-server.com^$third-party -||p2ads.com^$third-party -||p7hwvdb4p.com^$third-party -||paads.dk^$third-party -||pacific-yield.com^$third-party -||paclitor.com^$third-party -||padsdelivery.com^$third-party -||padstm.com^$third-party -||pagefair.net^$third-party -||pagesinxt.com^$third-party -||paid4ad.de^$third-party -||paidonresults.net^$third-party -||paidsearchexperts.com^$third-party -||pakbanners.com^$third-party -||panachetech.com^$third-party -||pantherads.com^$third-party -||paperg.com^$third-party -||paradocs.ru^$third-party -||pardous.com^$third-party -||parkingcrew.net^$third-party -||partner-ads.com^$third-party -||partner.googleadservices.com^$third-party -||partner.video.syndication.msn.com^$~object-subrequest,third-party -||partnerearning.com^$third-party -||partnermax.de^$third-party -||partycasino.com^$third-party -||partypartners.com^$third-party -||partypoker.com^$third-party -||pas-rahav.com^$third-party -||passionfruitads.com^$third-party -||passive-earner.com^$third-party -||pautaspr.com^$third-party -||pay-click.ru^$third-party -||paydotcom.com^$third-party -||payperpost.com^$third-party -||pbyet.com^$third-party -||pc-ads.com^$third-party -||pdn-1.com^$third-party -||pdn-2.com^$third-party -||pe2k2dty.com^$third-party -||peakclick.com^$third-party -||pebblemedia.be^$third-party -||peelawaymaker.com^$third-party -||peemee.com^$third-party -||peer39.com^$third-party -||peer39.net^$third-party -||penuma.com^$third-party -||pepperjamnetwork.com^$third-party -||percularity.com^$third-party -||perfb.com^$third-party -||perfcreatives.com^$third-party -||perfectmarket.com^$third-party -||perfoormapp.info^$third-party -||performance-based.com^$third-party -||performanceadvertising.mobi^$third-party -||performancetrack.info^$third-party -||performancingads.com^$third-party -||persevered.com^$third-party -||pezrphjl.com^$third-party -||pgmediaserve.com^$third-party -||pgpartner.com^$third-party -||pgssl.com^$third-party -||pharmcash.com^$third-party -||pheedo.com^$third-party -||philbardre.com^$third-party -||philipstreehouse.info^$third-party -||philosophere.com^$third-party -||phonespybubble.com^$third-party -||pianobuyerdeals.com^$third-party -||picadmedia.com^$third-party -||picbucks.com^$third-party -||pickoga.work^$third-party -||pickytime.com^$third-party -||picsti.com^$third-party -||pictela.net^$third-party -||piercial.com^$third-party -||pinballpublishernetwork.com^$third-party -||pioneeringad.com^$third-party -||pip-pip-pop.com^$third-party -||pipeaota.com^$third-party -||pipsol.net^$third-party -||piticlik.com^$third-party -||pivotalmedialabs.com^$third-party -||pivotrunner.com^$third-party -||pixazza.com^$third-party -||pixeltrack66.com^$third-party -||pixfuture.net^$third-party -||pixiv.org^$third-party -||pixtrack.in^$third-party -||pixxur.com^$third-party -||planniver.com^$third-party -||plannto.com^$third-party -||platinumadvertisement.com^$third-party -||play24.us^$third-party -||playertraffic.com^$third-party -||playukinternet.com^$third-party -||pleasesavemyimages.com^$third-party -||pleasteria.com^$third-party -||pleeko.com^$third-party -||plenomedia.com^$third-party -||plexop.net^$third-party -||pllddc.com^$third-party -||plocap.com^$third-party -||plopx.com^$third-party -||plugerr.com^$third-party -||plugs.co^$third-party -||plusfind.net^$third-party -||plushlikegarnier.com^$third-party -||plxserve.com^$third-party -||pmpubs.com^$third-party -||pmsrvr.com^$third-party -||pnoss.com^$third-party -||pointclicktrack.com^$third-party -||pointroll.com^$third-party -||points2shop.com^$third-party -||polanders.com^$third-party -||polarmobile.com^$third-party -||polluxnetwork.com^$third-party -||polmontventures.com^$third-party -||polyad.net^$third-party -||polydarth.com^$third-party -||pontypriddcrick.com^$third-party -||poolnoodle.tech^$third-party -||popads.net^$third-party -||popadscdn.net^$third-party -||popcash.net^$third-party -||popclck.net^$third-party -||popcpm.com^$third-party -||popcpv.com^$third-party -||popearn.com^$third-party -||popmajor.com^$third-party -||popmarker.com^$third-party -||popmyad.com^$third-party -||popmyads.com^$third-party -||poponclick.com^$third-party -||poppysol.com^$third-party -||poprev.net^$third-party -||poprevenue.net^$third-party -||popsads.com^$third-party -||popshow.info^$third-party -||poptarts.me^$third-party -||poptm.com^$third-party -||popularitish.com^$third-party -||popularmedia.net^$third-party -||populis.com^$third-party -||populisengage.com^$third-party -||popunder.ru^$third-party -||popundertotal.com^$third-party -||popunderz.com^$third-party -||popunderzone.com^$third-party -||popupdomination.com^$third-party -||popuptraffic.com^$third-party -||popupvia.com^$third-party -||popwin.net^$third-party -||pornv.org^$third-party -||porojo.net^$third-party -||portkingric.net^$third-party -||posternel.com^$third-party -||postrelease.com^$third-party -||potcityzip.com^$third-party -||poundaccordexecute.info^$third-party -||poweradvertising.co.uk^$third-party -||powerfulbusiness.net^$third-party -||powerlinks.com^$third-party -||powermarketing.com^$third-party -||ppcindo.com^$third-party -||ppclinking.com^$third-party -||ppctrck.com^$third-party -||ppcwebspy.com^$third-party -||ppsearcher.ru^$third-party -||prebid.org^$third-party -||precisionclick.com^$third-party -||predictad.com^$third-party -||predictivadnetwork.com^$third-party -||prestadsng.com^$third-party -||prexista.com^$third-party -||prf.hn^$third-party -||prickac.com^$third-party -||primaryads.com^$third-party -||pritesol.com^$third-party -||privilegebedroomlate.xyz^$third-party -||prizel.com^$third-party -||prm-native.com^$third-party -||pro-advert.de^$third-party -||pro-advertising.com^$third-party -||pro-market.net^$third-party -||pro-pro-go.com^$third-party -||proadsdirect.com^$third-party -||probannerswap.com^$third-party -||probtn.com^$third-party -||prod.untd.com^$third-party -||proffigurufast.com^$third-party -||profitpeelers.com^$third-party -||programresolver.net^$third-party -||projectwonderful.com^$third-party -||proludimpup.com^$third-party -||promenadd.ru^$third-party -||promo-reklama.ru^$third-party -||promobenef.com^$third-party -||promoted.com^$third-party -||promotionoffer.mobi^$third-party -||promotiontrack.mobi^$third-party -||propellerads.com^$third-party -||propellerpops.com^$third-party -||propelllerads.com^$third-party -||propelplus.com^$third-party -||proper.io^$third-party -||prorentisol.com^$third-party -||prosperent.com^$third-party -||protally.net^$third-party -||provider-direct.com^$third-party -||proximic.com^$third-party -||prre.ru^$third-party -||prxio.github.io^$third-party -||prxio.pw^$third-party -||prxio.site^$third-party -||psclicks.com^$third-party -||pseqcs05.com^$third-party -||psma02.com^$third-party -||psnmail.su^$third-party -||ptmopenclose.click^$third-party -||ptmzr.com^$third-party -||ptp.lolco.net^$third-party -||ptp22.com^$third-party -||ptp24.com^$third-party -||pub-fit.com^$third-party -||pubdirecte.com^$third-party,domain=~debrideurstream.fr -||pubgears.com^$third-party -||publicidad.net^$third-party -||publicityclerks.com^$third-party -||publicsunrise.link^$third-party -||publir.com^$third-party -||publisher.to^$third-party -||publisheradnetwork.com^$third-party -||publited.com^$third-party -||publited.net^$third-party -||publited.org^$third-party -||pubmatic.com^$third-party -||pubmine.com^$third-party -||pubnation.com^$third-party -||pubrain.com^$third-party -||pubserve.net^$third-party -||pubted.com^$third-party -||puhtml.com^$third-party -||pullcdn.top^$third-party -||pulpyads.com^$third-party -||pulse360.com^$third-party -||pulsemgr.com^$third-party -||purpleflag.net^$third-party -||puserving.com^$third-party -||push2check.com^$third-party -||pussl11.com^$third-party -||putrr2.com^$third-party -||putrr3.com^$third-party -||putrr4.com^$third-party -||puttme.ga^$third-party -||pwrads.net^$third-party -||pxl2015x1.com^$third-party -||pxstda.com^$third-party -||pzaasocba.com^$third-party -||pzuwqncdai.com^$third-party -||q1media.com^$third-party -||q1mediahydraplatform.com^$third-party -||q1xyxm89.com^$third-party -||qadserve.com^$third-party -||qadservice.com^$third-party -||qdmil.com^$third-party -||qertewrt.com^$third-party -||qksrv.net^$third-party -||qksz.net^$third-party -||qnrzmapdcc.com^$third-party -||qnsr.com^$third-party -||qrlsx.com^$third-party -||qservz.com^$third-party -||qualitypageviews.com^$third-party -||quantumads.com^$third-party -||queenmult.link^$third-party -||quensillo.com^$third-party -||questionmarket.com^$third-party -||questus.com^$third-party -||quickcash500.com^$third-party -||quicktask.xyz^$third-party -||quideo.men^$third-party -||quinstreet.com^$third-party -||qwobl.net^$third-party -||qwzmje9w.com^$third-party -||qyh7u6wo0c8vz0szdhnvbn.com^$third-party -||r66net.com^$third-party -||r66net.net^$third-party -||rabilitan.com^$third-party -||radeant.com^$third-party -||radiatorial.online^$third-party -||radicalwealthformula.com^$third-party -||radiusmarketing.com^$third-party -||ragapa.com^$third-party -||raiggy.com^$third-party -||rainbowtgx.com^$third-party -||rainwealth.com^$third-party -||rapt.com^$third-party -||rateaccept.net^$third-party -||rawasy.com^$third-party -||rbnt.org^$third-party -||rcads.net^$third-party -||rclmc.top^$third-party -||rcurn.com^$third-party -||reachjunction.com^$third-party -||reachlocal.com^$third-party -||reachmode.com^$third-party -||reactx.com^$third-party -||readserver.net^$third-party -||realclick.co.kr^$third-party -||realmatch.com^$third-party -||realmedia.com^$third-party -||realsecuredredir.com^$third-party -||realsecuredredirect.com^$third-party -||realssp.co.kr^$third-party -||realvu.net^$third-party -||reate.info^$third-party -||recentres.com^$third-party -||recomendedsite.com^$third-party -||redcourtside.com^$third-party -||redintelligence.net^$third-party -||redirectnative.com^$third-party -||redirectpopads.com^$third-party -||rediskina.com^$third-party -||redpeepers.com^$third-party -||redrosesisleornsay.com^$third-party -||redstick.online^$third-party -||reduxmediagroup.com^$third-party -||reelcentric.com^$third-party -||refban.com^$third-party -||referback.com^$third-party -||referralargumentationnetwork.info^$third-party -||regdfh.info^$third-party -||registry.cw.cm^$third-party -||regurgical.com^$third-party -||reklamz.com^$third-party -||relatedweboffers.com^$third-party -||relestar.com^$third-party -||relevanti.com^$third-party -||relytec.com^$third-party -||remintrex.com^$third-party -||remiroyal.ro^$third-party -||reople.co.kr^$third-party -||repaynik.com^$third-party -||replacescript.in^$third-party -||replase.cf^$third-party -||replase.ga^$third-party -||replase.ml^$third-party -||replase.tk^$third-party -||requiredcollectfilm.info^$third-party -||resideral.com^$third-party -||resonance.pk^$third-party -||respecific.net^$third-party -||respond-adserver.cloudapp.net^$third-party -||respondhq.com^$third-party -||resultlinks.com^$third-party -||resultsz.com^$third-party -||retargeter.com^$third-party -||retono42.us^$third-party -||retrayan.com^$third-party -||rev2pub.com^$third-party -||revcontent.com^$third-party -||revdepo.com^$third-party -||revenue.com^$third-party -||revenuegiants.com^$third-party -||revenuehits.com^$third-party -||revenuemantra.com^$third-party -||revenuemax.de^$third-party -||revfusion.net^$third-party -||revmob.com^$third-party -||revnuehub.com^$third-party -||revokinets.com^$third-party -||revresda.com^$third-party -||revresponse.com^$third-party -||revsci.net^$third-party -||rewardisement.com^$third-party -||rewardsaffiliates.com^$third-party -||rfgsi.com^$third-party -||rfihub.net^$third-party -||rhown.com^$third-party -||rhythmcontent.com^$third-party -||rhythmxchange.com^$third-party -||ric-ric-rum.com^$third-party -||ricead.com^$third-party -||richmedia247.com^$third-party -||richwebmedia.com^$third-party -||ringtonematcher.com^$third-party -||ringtonepartner.com^$third-party -||riowrite.com^$third-party -||ripplead.com^$third-party -||riverbanksand.com^$third-party -||rixaka.com^$third-party -||rmxads.com^$third-party -||rnmd.net^$third-party -||robocat.me^$third-party -||rocketier.net^$third-party -||rogueaffiliatesystem.com^$third-party -||roicharger.com^$third-party -||roirocket.com^$third-party -||rolinda.work^$third-party -||romance-net.com^$third-party -||rometroit.com^$third-party -||rotaban.ru^$third-party -||rotatingad.com^$third-party -||rotorads.com^$third-party -||roughted.com^$third-party -||rovion.com^$third-party -||roxyaffiliates.com^$third-party -||rpts.org^$third-party -||rtb-media.me^$third-party -||rtbidder.net^$third-party -||rtbmedia.org^$third-party -||rtbpop.com^$third-party -||rtbpops.com^$third-party -||rtk.io^$third-party -||rubiconproject.com^$third-party -||ruckusschroederraspberry.com^$third-party -||rue1mi4.bid^$third-party -||rummyaffiliates.com^$third-party -||runadtag.com^$third-party -||runreproducerow.com^$third-party -||rvtlife.com^$third-party -||rvttrack.com^$third-party -||rwpads.com^$third-party -||rxthdr.com^$third-party -||ryminos.com^$third-party -||s.adroll.com^$third-party -||s2d6.com^$third-party -||sa.entireweb.com^$third-party -||sa2eoqu.bid^$third-party -||safeadnetworkdata.net^$third-party -||safecllc.com^$third-party -||safelistextreme.com^$third-party -||sakura-traffic.com^$third-party -||salesnleads.com^$third-party -||saltamendors.com^$third-party -||salvador24.com^$third-party -||samvaulter.com^$third-party -||samvinva.info^$third-party -||saoboo.com^$third-party -||sape.ru^$third-party -||saple.net^$third-party -||satgreera.com^$third-party -||saturalist.com^$third-party -||saveads.net^$third-party -||saveads.org^$third-party -||sayadcoltd.com^$third-party -||saymedia.com^$third-party -||sba.about.co.kr^$third-party -||sbaffiliates.com^$third-party -||sbcpower.com^$third-party -||sc-f6eade8.js^$third-party -||scanmedios.com^$third-party -||scanscout.com^$third-party -||sceno.ru^$third-party -||scootloor.com^$third-party -||scrap.me^$third-party -||scratchaffs.com^$third-party -||scriptall.cf^$third-party -||scriptall.ga^$third-party -||scriptall.gq^$third-party -||scriptall.tk^$third-party -||search123.uk.com^$third-party -||seccoads.com^$third-party -||secondstreetmedia.com^$third-party -||secure-softwaremanager.com^$third-party -||securesoft.info^$third-party -||securewebsiteaccess.com^$third-party -||securitain.com^$third-party -||sedoparking.com^$third-party -||seductionprofits.com^$third-party -||seekads.net^$third-party -||seiya.work^$third-party -||sekindo.com^$third-party -||selectablemedia.com^$third-party -||sellhealth.com^$third-party -||selsin.net^$third-party -||semanticrep.com^$third-party -||sendptp.com^$third-party -||senzapudore.net^$third-party -||sepyw.top^$third-party -||serialbay.com^$third-party -||seriend.com^$third-party -||seriousfiles.com^$third-party -||servali.net^$third-party -||serve-sys.com^$third-party -||servebom.com^$third-party -||servedby-buysellads.com^$third-party -||servedbyadbutler.com^$third-party -||servedbyopenx.com^$third-party -||servemeads.com^$third-party -||servicegetbook.net^$third-party -||serving-sys.com/BurstingPipe/$third-party -||serving-sys.com/BurstingRes/$third-party -||serving-system.com^$third-party -||sethads.info^$third-party -||sev4ifmxa.com^$third-party -||sevenads.net^$third-party -||sevendaystart.com^$third-party -||sexmoney.com^$third-party -||shakamech.com^$third-party -||shallowschool.com^$third-party -||share-server.com^$third-party -||sharecash.org^$third-party -||sharegods.com^$third-party -||shareresults.com^$third-party -||sharethrough.com^$third-party -||shinobi.jp^$third-party -||shipthankrecognizing.info^$third-party -||shokala.com^$third-party -||shoogloonetwork.com^$third-party -||shopalyst.com^$third-party -||shoppingads.com^$third-party -||shopzyapp.com^$third-party -||showyoursite.com^$third-party -||shqads.com^$third-party -||siamzone.com^$third-party -||silence-ads.com^$third-party -||silstavo.com^$third-party -||silverads.net^$third-party -||simpio.com^$third-party -||simply.com^$third-party -||simplyhired.com^$third-party -||simvinvo.com^$third-party -||sirfad.com^$third-party -||sitebrand.com^$third-party -||siteencore.com^$third-party -||sitescout.com^$third-party -||sitescoutadserver.com^$third-party -||sitesense-oo.com^$third-party -||sitethree.com^$third-party -||sittiad.com^$third-party -||skimlinks.com^$third-party -||skinected.com^$third-party -||skoovyads.com^$third-party -||skyactivate.com^$third-party -||skyscrpr.com^$third-party -||skytemjo.link^$third-party -||skywarts.ru^$third-party -||slfpu.com^$third-party -||slikslik.com^$third-party -||slimspots.com^$third-party -||slimtrade.com^$third-party -||slinse.com^$third-party -||slopeaota.com^$third-party -||smaclick.com^$third-party -||smart-feed-online.com^$third-party -||smart.allocine.fr^$third-party -||smart2.allocine.fr^$third-party -||smartad.ee^$third-party -||smartadserver.com^$third-party -||smartadtags.com^$third-party -||smartadv.ru^$third-party -||smartdevicemedia.com^$third-party -||smarterdownloads.net^$third-party -||smartmediarep.com^$third-party -||smartredirect.de^$third-party -||smarttargetting.co.uk^$third-party -||smarttargetting.com^$third-party -||smarttargetting.net^$third-party -||smarttds.ru^$third-party -||smartyads.com^$third-party -||smilered.com^$third-party -||smileycentral.com^$third-party -||smilyes4u.com^$third-party -||smintmouse.com^$third-party -||smowtion.com^$third-party -||smpgfx.com^$third-party -||smrt-view.com^$third-party -||sms-mmm.com^$third-party -||sn00.net^$third-party -||snack-media.com^$third-party -||snap.com^$third-party -||snapvine.club^$third-party -||sndkorea.co.kr^$third-party -||so-excited.com^$third-party -||sochr.com^$third-party -||socialbirth.com^$third-party -||socialelective.com^$third-party -||sociallypublish.com^$third-party -||socialmedia.com^$third-party -||socialreach.com^$third-party -||socialspark.com^$third-party -||society6.com^$third-party -||sociocast.com^$third-party -||sociomantic.com^$third-party -||sodud.com^$third-party -||soft4dle.com^$third-party -||softonicads.com^$third-party -||softpopads.com^$third-party -||softwares2015.com^$third-party -||sokitosa.com^$third-party -||solapoka.com^$third-party -||solarmosa.com^$third-party -||solocpm.com^$third-party -||solutionzip.info^$third-party -||sonnerie.net^$third-party -||sonobi.com^$third-party -||soosooka.com^$third-party -||sophiasearch.com^$third-party -||sotuktraffic.com^$third-party -||sparkstudios.com^$third-party -||speakol.com^$third-party -||specificclick.net^$third-party -||specificmedia.com^$third-party -||spectato.com^$third-party -||speeb.com^$third-party -||speednetwork14.com^$third-party -||speedserver.top^$third-party -||speedshiftmedia.com^$third-party -||speedsuccess.net^$third-party -||spider.ad^$third-party -||spiderhood.net^$third-party -||spinbox.freedom.com^$third-party -||spinbox.net^$third-party -||splinky.com^$third-party -||splut.com^$third-party -||spmxs.com^$third-party -||spongecell.com^$third-party -||sponsoredby.me^$third-party -||sponsoredtweets.com^$third-party -||sponsormob.com^$third-party -||sponsorpalace.com^$third-party -||sponsorpay.com^$third-party -||sponsorselect.com^$third-party -||sportslovin.com^$third-party -||sportsyndicator.com^$third-party -||spotrails.com^$third-party -||spotscenered.info^$third-party -||spottt.com^$third-party -||spottysense.com^$third-party -||spotx.tv^$third-party -||spotxcdn.com^$third-party -||spotxchange.com^$third-party -||spoutable.com^$third-party -||sprawley.com^$third-party -||springserve.com^$third-party -||sprintrade.com^$third-party -||sproose.com^$third-party -||sq2trk2.com^$third-party -||srtk.net^$third-party -||srv.yavli.com^$third-party -||srx.com.sg^$third-party -||ssl-services.com^$third-party -||ssl2anyone4.com^$third-party -||sslboost.com^$third-party -||sslcheckerapi.com^$third-party -||sta-ads.com^$third-party -||stabilityappointdaily.xyz^$third-party -||stabletrappeddevote.info^$third-party -||stackadapt.com^$third-party -||stackattacka.com^$third-party -||stalesplit.com^$third-party -||standartads.com^$third-party -||star-advertising.com^$third-party -||stargamesaffiliate.com^$third-party -||starlayer.com^$third-party -||startpagea.com^$third-party -||startraint.com^$third-party -||statcamp.net^$third-party -||statecannoticed.com^$third-party -||statelead.com^$third-party -||statesol.net^$third-party -||staticswind.club^$third-party -||statsmobi.com^$third-party -||stealthlockers.com^$third-party -||steepto.com^$third-party -||step-step-go.com^$third-party -||stickcoinad.com^$third-party -||stickyadstv.com^$third-party -||stirshakead.com^$third-party -||stocker.bonnint.net^$third-party -||streamate.com^$third-party -||streamdefence.com^$third-party -||streamdownloadonline.com^$third-party -||strikead.com^$third-party -||struq.com^$third-party -||sturdynotwithstandingpersuasive.info^$third-party -||style-eyes.eu^$third-party -||subemania.com^$third-party -||sublimemedia.net^$third-party -||submissing.com^$third-party -||submitexpress.co.uk^$third-party -||suffusefacultytsunami.info^$third-party -||sugarlistsuggest.info^$third-party -||suggesttool.com^$third-party -||suite6ixty6ix.com^$third-party -||suitesmart.com^$third-party -||sulidshyly.com^$third-party -||sulvo.co^$third-party -||sumarketing.co.uk^$third-party -||sunmedia.net^$third-party -||sunrisewebjo.link^$third-party -||suparewards.com^$third-party -||super-links.net^$third-party -||superadexchange.com^$third-party -||superinterstitial.com^$third-party -||superloofy.com^$third-party -||supersitetime.com^$third-party -||supplyframe.com^$third-party -||supprent.com^$third-party -||supremeadsonline.com^$third-party -||surf-bar-traffic.com^$third-party -||surfboarddigital.com.au^$third-party -||surgeprice.com^$third-party -||survey-poll.com^$third-party -||surveyvalue.mobi^$third-party -||surveyvalue.net^$third-party -||surveywidget.biz^$third-party -||suthome.com^$third-party -||svlu.net^$third-party -||sw1block.com^$third-party -||swadvertising.org^$third-party -||swan-swan-goose.com^$third-party -||swbdds.com^$third-party -||swelen.com^$third-party -||switchadhub.com^$third-party -||swoop.com^$third-party -||symbiosting.com^$third-party -||syndicatedsearchresults.com^$third-party -||synerpattern.com^$third-party -||synhandler.net^$third-party -||t3q7af0z.com^$third-party -||tacastas.com^$third-party -||tacoda.net^$third-party -||tacrater.com^$third-party -||tacticalrepublic.com^$third-party -||tafmaster.com^$third-party -||tagcade.com^$third-party -||taggify.net^$third-party -||tagjunction.com^$third-party -||tagshost.com^$third-party -||tailsweep.com^$third-party -||takensparks.com^$third-party -||talaropa.com^$third-party -||tangozebra.com^$third-party -||tapad.com^$third-party -||tardangro.com^$third-party -||targetadverts.com^$third-party -||targetnet.com^$third-party -||targetpoint.com^$third-party -||targetspot.com^$third-party -||tataget.ru^$third-party -||tattomedia.com^$third-party -||tbaffiliate.com^$third-party -||tcadops.ca^$third-party -||td553.com^$third-party -||td563.com^$third-party -||td583.com^$third-party -||teads.tv^$third-party -||teambetaffiliates.com^$third-party -||teasernet.com^$third-party -||tec-tec-boom.com^$third-party -||techclicks.net^$third-party -||technoratimedia.com^$third-party -||telemetryverification.net^$third-party -||telwrite.com^$third-party -||tennerlist.com^$third-party -||teosredic.com^$third-party -||teracent.net^$third-party -||teracreative.com^$third-party -||teraxhif.com^$third-party -||terraclicks.com^$third-party -||teschenite.com^$third-party -||testfilter.com^$third-party -||testnet.nl^$third-party -||texasboston.com^$third-party -||text-link-ads.com^$third-party -||textonlyads.com^$third-party -||textsrv.com^$third-party -||tfag.de^$third-party -||tgmnstr.com^$third-party -||tgtmedia.com^$third-party -||thaez4sh.com^$third-party -||thangasoline.com^$third-party -||thankyouforadvertising.com^$third-party -||theadgateway.com^$third-party -||theads.me^$third-party -||thebannerexchange.com^$third-party -||thebflix.info^$third-party -||theequalground.info^$third-party -||thefoxes.ru^$third-party -||thelistassassin.com^$third-party -||theloungenet.com^$third-party -||themidnightmatulas.com^$third-party -||theodosium.com^$third-party -||thepiratereactor.net^$third-party -||thewebgemnetwork.com^$third-party -||thewheelof.com^$third-party -||thoseads.com^$third-party -||thoughtleadr.com^$third-party -||thoughtsondance.info^$third-party -||ti583.com^$third-party -||ticrite.com^$third-party -||tidaltv.com^$third-party -||tightexact.net^$third-party -||tiller.co^$third-party -||tinbuadserv.com^$third-party -||tisadama.com^$third-party -||tiser.com^$third-party -||tissage-extension.com^$third-party -||tkqlhce.com/image-$third-party -||tkqlhce.com/placeholder-$third-party -||tldadserv.com^$third-party -||tlvmedia.com^$third-party -||tmdn2015x9.com^$third-party -||tmpopenclose.click^$third-party -||tmqhw.us^$third-party -||tnyzin.ru^$third-party -||toboads.com^$third-party -||todich.ru^$third-party -||tokenads.com^$third-party -||tollfreeforwarding.com^$third-party -||tomekas.com^$third-party -||tonefuse.com^$third-party -||tool-site.com^$third-party -||top26.net^$third-party -||topad.mobi^$third-party -||topauto10.com^$third-party -||topbananaad.com^$third-party -||topcasino10.com^$third-party -||topeuro.biz^$third-party -||topfox.co.uk^$third-party -||tophotoffers.com^$third-party -||topqualitylink.com^$third-party -||torads.me^$third-party -||torads.xyz^$third-party -||torconpro.com^$third-party -||torerolumiere.net^$third-party -||toro-tags.com^$third-party -||toroadvertising.com^$third-party -||toroadvertisingmedia.com^$third-party -||torrida.net^$third-party -||torrpedoads.net^$third-party -||torvind.com^$third-party -||tostickad.com^$third-party -||total-media.net^$third-party -||totalprofitplan.com^$third-party -||totemcash.com^$third-party -||towardstelephone.com^$third-party -||tower-colocation.de^$third-party -||tower-colocation.info^$third-party -||tpnads.com^$third-party -||tqlkg.com^$third-party -||tqlkg.net^$third-party -||tr563.com^$third-party -||traceadmanager.com^$third-party -||trackadvertising.net^$third-party -||trackaffpix.com^$third-party -||trackcorner.com^$third-party -||tracking.to^$third-party -||tracking101.com^$third-party -||tracking11.com^$third-party -||trackingoffer.info^$third-party -||trackingoffer.net^$third-party -||trackpath.biz^$third-party -||trackpromotion.net^$third-party -||trackstarsengland.net^$third-party -||trackthatad.com^$third-party -||tracktor.co.uk^$third-party -||trackword.net^$third-party -||trackyourlinks.com^$third-party -||tradeadexchange.com^$third-party -||tradeexpert.net^$third-party -||tradepopups.com^$third-party -||traff-advertazer.com^$third-party -||traffads.su^$third-party -||traffboost.net^$third-party -||traffic-supremacy.com^$third-party -||trafficbarads.com^$third-party -||trafficbee.com^$third-party -||trafficbroker.com^$third-party -||trafficfactory.biz^$third-party -||trafficforce.com^$third-party -||trafficformoney.com^$third-party -||traffichaus.com^$third-party -||trafficjunky.net^$third-party -||trafficmasterz.net^$third-party -||trafficmp.com^$third-party -||trafficposse.com^$third-party -||trafficrevenue.net^$third-party -||trafficspaces.net^$third-party -||trafficswarm.com^$third-party -||trafficsway.com^$third-party -||trafficsynergy.com^$third-party -||traffictrader.net^$third-party -||trafficular.com^$third-party -||trafficvance.com^$third-party -||trafficwave.net^$third-party -||trafficz.com^$third-party -||trafficzap.com^$third-party -||traffirms.com^$third-party -||trafmag.com^$third-party -||trahic.ru^$third-party -||trapasol.com^$third-party -||traveladvertising.com^$third-party -||travelscream.com^$third-party -||travidia.com^$third-party -||tredirect.com^$third-party -||treksol.net^$third-party -||trenpyle.com^$third-party -||triadmedianetwork.com^$third-party -||tribalfusion.com^$third-party -||trido.club^$third-party -||trigami.com^$third-party -||trigr.co^$third-party -||trimpur.com^$third-party -||trk4.com^$third-party -||trkalot.com^$third-party -||trkclk.net^$third-party -||trker.com^$third-party -||trklnks.com^$third-party -||trks.us^$third-party -||trmit.com^$third-party -||trombocrack.com^$third-party -||trtrccl.com^$third-party -||truesecurejump.com^$third-party -||truex.com^$third-party -||trygen.co.uk^$third-party -||trzi30ic.com^$third-party -||ttzmedia.com^$third-party -||tubberlo.com^$third-party -||tubemogul.com^$third-party -||tubereplay.com^$third-party -||tumri.net^$third-party -||turboadv.com^$third-party -||turbotraff.net^$third-party -||turn.com^$third-party -||tusno.com^$third-party -||tutvp.com^$third-party -||tvas-a.pw^$third-party -||tvas-c.pw^$third-party -||tvprocessing.com^$third-party -||twalm.com^$third-party -||tweard.com^$third-party -||twinpinenetwork.com^$third-party -||twistads.com^$third-party -||twittad.com^$third-party -||twtad.com^$third-party -||tyroo.com^$third-party -||u-ad.info^$third-party -||u1hw38x0.com^$third-party -||u223o.com^$third-party -||ubercpm.com^$third-party -||ubudigital.com^$third-party -||ucaluco.com^$third-party -||ucoxa.work^$third-party -||udmserve.net^$third-party -||ueuerea.com^$third-party -||ufraton.com^$third-party -||ufyvdps3.webcam^$third-party -||ugaral.com^$third-party -||ughus.com^$third-party -||uglyst.com^$third-party -||uiadserver.com^$third-party -||uiqatnpooq.com^$third-party -||ujieva.com^$third-party -||ukbanners.com^$third-party -||ukulelead.com^$third-party -||ulife17yeter.com^$third-party -||ultimategracelessness.info^$third-party -||umamdmo.com^$third-party -||unanimis.co.uk^$third-party -||underclick.ru^$third-party -||underdog.media^$third-party -||undertone.com^$third-party -||unicast.com^$third-party -||unitethecows.com^$third-party -||universityofinternetscience.com^$third-party -||unlockr.com^$third-party -||unrulymedia.com^$third-party -||unterary.com^$third-party -||uonj2o6i.loan^$third-party -||upads.info^$third-party -||upliftsearch.com^$third-party -||upnorma.com^$third-party -||urbation.net^$third-party -||ureace.com^$third-party -||urlads.net^$third-party -||urlcash.net^$third-party -||urldelivery.com^$third-party -||usbanners.com^$third-party -||usemax.de^$third-party -||usenetjunction.com^$third-party -||usenetpassport.com^$third-party -||usercash.com^$third-party -||usswrite.com^$third-party -||usurv.com^$third-party -||utarget.co.uk^$third-party -||utarget.ru^$third-party -||utokapa.com^$third-party -||utubeconverter.com^$third-party -||v.fwmrm.net^$object-subrequest,third-party -||v.movad.de^$third-party -||v11media.com^$third-party -||v1n7c.com^$third-party -||v2cigs.com^$third-party -||v2mlblack.biz^$third-party -||v3g4s.com^$third-party -||vadpay.com^$third-party -||validclick.com^$third-party -||valuead.com^$third-party -||valueaffiliate.net^$third-party -||valueclick.com^$third-party -||valueclick.net^$third-party -||valueclickmedia.com^$third-party -||valuecommerce.com^$third-party -||valuecontent.net^$third-party -||vamartin.work^$third-party -||vapedia.com^$third-party -||vashoot.com^$third-party -||vastopped.com^$third-party -||vaultwrite.com^$third-party -||vcmedia.com^$third-party -||vcommission.com^$third-party -||vdopia.com^$third-party -||vectorstock.com^$third-party -||vellde.com^$third-party -||velmedia.net^$third-party -||velti.com^$third-party -||vemba.com^$third-party -||vendexo.com^$third-party -||venusbux.com^$third-party -||veoxa.com^$third-party -||verata.xyz^$third-party -||versahq.com^$third-party -||versetime.com^$third-party -||vertamedia.com^$third-party -||verymuchad.com^$third-party -||vhmnetwork.com^$third-party -||vianadserver.com^$third-party -||vibrant.co^$third-party -||vibrantmedia.com^$third-party -||vidcoin.com^$third-party -||video-loader.com^$third-party -||video1404.info^$third-party -||videoadex.com^$third-party -||videoclick.ru^$third-party -||videodeals.com^$third-party -||videoegg.com^$third-party -||videohub.com^$third-party -||videohube.eu^$third-party -||videolansoftware.com^$third-party -||videoliver.com^$third-party -||videologygroup.com^$third-party -||videoplaza.com^$object-subrequest,third-party,domain=autoexpress.co.uk|evo.co.uk|givemefootball.com|mensfitness.co.uk|mpora.com|tribalfootball.com -||videoplaza.com^$~object-subrequest,third-party -||videoplaza.tv/proxy/distributor^$object-subrequest,third-party -||videoplaza.tv^$object-subrequest,third-party,domain=tv4play.se -||videoplaza.tv^$~object-subrequest,third-party -||videoroll.net^$third-party -||videovfr.com^$third-party -||vidpay.com^$third-party -||viedeo2k.tv^$third-party -||view-ads.de^$third-party -||view.atdmt.com/partner/$third-party -||view.atdmt.com^*/iview/$third-party -||view.atdmt.com^*/view/$third-party -||viewablemedia.net^$third-party -||viewclc.com^$third-party -||viewex.co.uk^$third-party -||viewivo.com^$third-party -||vihub.ru^$third-party -||vindicosuite.com^$third-party -||vipquesting.com^$third-party -||viralmediatech.com^$third-party -||visiads.com^$third-party -||visiblegains.com^$third-party -||visiblemeasures.com^$~object-subrequest,third-party -||visitdetails.com^$third-party -||visitweb.com^$third-party -||visualsteel.net^$third-party -||vitalads.net^$third-party -||vivadgo.ru^$third-party -||vivamob.net^$third-party -||vixnixxer.com^$third-party -||vkoad.com^$third-party -||vntsm.com^$third-party -||vogosita.com^$third-party -||vogozaw.ru^$third-party -||vpico.com^$third-party -||vs20060817.com^$third-party -||vs4entertainment.com^$third-party -||vs4family.com^$third-party -||vsservers.net^$third-party -||vth05dse.com^$third-party -||vuiads.de^$third-party -||vuiads.info^$third-party -||vuiads.net^$third-party -||vupulse.com^$third-party -||w00f.net^$third-party -||w00tads.com^$third-party -||w00tmedia.net^$third-party -||w3bnr.in^$third-party -||w3exit.com^$third-party -||w4.com^$third-party -||w5statistics.info^$third-party -||w9statistics.info^$third-party -||wafmedia3.com^$third-party -||wafmedia5.com^$third-party -||wafmedia6.com^$third-party -||waframedia3.com^$third-party -||waframedia5.com^$third-party -||waframedia7.com^$third-party -||waframedia8.com^$third-party -||wagershare.com^$third-party -||wahoha.com^$third-party -||wallacemaloneymindanao.info^$third-party -||wamnetwork.com^$third-party -||wangfenxi.com^$third-party -||waploft.cc^$third-party -||waploft.com^$third-party -||warezlayer.to^$third-party -||warfacco.com^$third-party -||warpwrite.com^$third-party -||wat.freesubdom.com^$third-party -||wat.ipowerapps.com^$third-party -||watchfree.flv.in^$third-party -||watchnowlive.eu^$third-party -||wateristian.com^$third-party -||waymp.com^$third-party -||wbptqzmv.com^$third-party -||wcmcs.net^$third-party -||wcpanalytics.com^$third-party -||weadrevenue.com^$third-party -||web-adservice.com^$third-party -||web-bird.jp^$third-party -||webads.co.nz^$third-party -||webads.nl^$third-party -||webadvertise123.com^$third-party -||webeatyouradblocker.com^$third-party -||webmedia.co.il^$third-party -||webonlinnew.com^$third-party -||weborama.fr^$third-party -||weborama.io^$third-party -||webseeds.com^$third-party -||webtraffic.ttinet.com^$third-party -||webusersurvey.com^$third-party -||wegetpaid.net^$third-party -||wegotmedia.com^$third-party -||wellturnedpenne.info^$third-party -||werbe-sponsor.de^$third-party -||wfnetwork.com^$third-party -||wgreatdream.com^$third-party -||wh5kb0u4.com^$third-party -||where.com^$third-party -||whiteboardnez.com^$third-party -||whoads.net^$third-party -||whtsrv9.com^$third-party -||why-outsource.net^$third-party -||widget.yavli.com^$third-party -||widgetadvertising.biz^$third-party -||widgetbanner.mobi^$third-party -||widgetbucks.com^$third-party -||widgetlead.net^$third-party -||widgets.fccinteractive.com^$third-party -||widgetsurvey.biz^$third-party -||widgetvalue.net^$third-party -||widgetwidget.mobi^$third-party -||wigetmedia.com^$third-party -||wigetstudios.com^$third-party -||winbuyer.com^$third-party -||windgetbook.info^$third-party -||wingads.com^$third-party -||winsspeeder.info^$third-party -||wlmarketing.com^$third-party -||wmeter.ru^$third-party -||wmmediacorp.com^$third-party -||wonclick.com^$third-party -||wootmedia.net^$third-party -||wordbankads.com^$third-party -||wordego.com^$third-party -||wordgetboo.com^$third-party -||worlddatinghere.com^$third-party -||worldsearchpro.com^$third-party -||worldwidemailer.com^$third-party -||worthathousandwords.com^$third-party -||worthyadvertising.com^$third-party -||ws-gateway.com^$third-party -||wsp.mgid.com^$third-party -||wulium.com^$third-party -||wurea.com^$third-party -||wwbn.com^$third-party -||wwv4ez0n.com^$third-party -||wwwadcntr.com^$third-party -||wwwp.link^$third-party -||wwwpromoter.com^$third-party -||x.mochiads.com^$third-party -||x107nqa.com^$third-party -||x4300tiz.com^$third-party -||x8bhr.com^$third-party -||xad.com^$third-party -||xadcentral.com^$third-party -||xaxoro.com^$third-party -||xcelltech.com^$third-party -||xcelsiusadserver.com^$third-party -||xchangebanners.com^$third-party -||xdev.info^$third-party -||xdirectx.com^$third-party -||xeontopa.com^$third-party -||xfileload.com^$third-party -||xfs5yhr1.com^$third-party -||xgraph.net^$third-party -||xjfjx8hw.com^$third-party -||xmasdom.com^$third-party -||xmaswrite.com^$third-party -||xmlconfig.ltassrv.com^$third-party -||xpanama.net^$third-party -||xs.mochiads.com^$third-party -||xtcie.com^$third-party -||xtendadvert.com^$third-party -||xtendmedia.com^$third-party -||xubob.com^$third-party -||xvika.com^$third-party -||xwwmhfbikx.net^$third-party -||xx00.info^$third-party -||xxlink.net^$third-party -||ya88s1yk.com^$third-party -||yabuka.com^$third-party -||yadomedia.com^$third-party -||yambotan.ru^$third-party -||yashi.com^$third-party -||yathmoth.com^$third-party -||yawnedgtuis.org^$third-party -||yb0t.com^$third-party -||ycasmd.info^$third-party -||yceml.net^$third-party -||yeabble.com^$third-party -||yellads.com^$third-party -||yellowmango.eu^$third-party -||yepoints.net^$third-party -||yes-messenger.com^$third-party -||yesadsrv.com^$third-party -||yesnexus.com^$third-party -||yesobe.work^$third-party -||yieldads.com^$third-party -||yieldadvert.com^$third-party -||yieldbuild.com^$third-party -||yieldkit.com^$third-party -||yieldlab.net^$third-party -||yieldmanager.com^$third-party -||yieldmanager.net^$third-party -||yieldoptimizer.com^$third-party -||yieldselect.com^$third-party -||yieldx.com^$third-party -||yiq6p.com^$third-party -||yjxuda0oi.com^$third-party -||yldbt.com^$third-party -||yldmgrimg.net^$third-party -||yllix.com^$third-party -||ymads.com^$third-party -||yoc-adserver.com^$third-party -||yottacash.com^$third-party -||youcandoitwithroi.com^$third-party -||youlamedia.com^$third-party -||youlouk.com^$third-party -||your-tornado-file.com^$third-party -||your-tornado-file.org^$third-party -||youradexchange.com^$third-party -||yourfastpaydayloans.com^$third-party -||yourlegacy.club^$third-party -||youroffers.win^$third-party -||yourquickads.com^$third-party -||youwatchtools.com^$third-party -||ytsa.net^$third-party -||yuarth.com^$third-party -||yucce.com^$third-party -||yuhuads.com^$third-party -||yumenetworks.com^$third-party -||yunshipei.com^$third-party -||yupfiles.club^$third-party -||yupfiles.net^$third-party -||yupfiles.org^$third-party -||yvoria.com^$third-party -||yz56lywd.com^$third-party -||yzrnur.com^$third-party -||yzus09by.com^$third-party -||z-defense.com^$third-party -||z5x.net^$third-party -||zangocash.com^$third-party -||zanox-affiliate.de/ppv/$third-party -||zanox.com/ppv/$third-party -||zanyx.club^$third-party -||zaparena.com^$third-party -||zappy.co.za^$third-party -||zapunited.com^$third-party -||zavu.work^$third-party -||zde-engage.com^$third-party -||zeads.com^$third-party -||zedo.com^$third-party -||zeesiti.com^$third-party -||zenoviaexchange.com^$third-party -||zenoviagroup.com^$third-party -||zercstas.com^$third-party -||zerezas.com^$third-party -||zeropark.com^$third-party -||zerozo.work^$third-party -||zferral.com^$third-party -||zidae.com^$third-party -||ziffdavis.com^$third-party -||zipropyl.com^$third-party -||zjk24.com^$third-party -||znaptag.com^$third-party -||zoglafi.info^$third-party -||zompmedia.com^$third-party -||zonealta.com^$third-party -||zonplug.com^$third-party -||zoomdirect.com.au^$third-party -||zorwrite.com^$third-party -||zugo.com^$third-party -||zwaar.org^$third-party -||zxxds.net^$third-party -||zyiis.net^$third-party -||zypenetwork.com^$third-party -! adsterra -||5g9quwq.com^$third-party -||axdxmdv.com^$third-party -||i5rl5lf.com^$third-party -! propellerads -||019f2d2d415.review^$third-party -||04dn8g4f.space^$third-party -||04xdqcfz.faith^$third-party -||098c0f90ca673716316.site^$third-party -||0mzot44w.site^$third-party -||107e470d2ace7d8ecc2.stream^$third-party -||130hc0ja.site^$third-party -||164f9d1bd2933.party^$third-party -||1788f63a9a2e67d.date^$third-party -||1bc169ca9feb0f6a.xyz^$third-party -||1j7740kd.website^$third-party -||1ocy2p4n.website^$third-party -||1wzfew7a.site^$third-party -||24ad89fc2690ed9369.com^$third-party -||2aahvjeq.website^$third-party -||2h045kx8.review^$third-party -||2ujo8ayw.racing^$third-party -||321hlnsb.webcam^$third-party -||3472ccbc21c3f567.xyz^$third-party -||39o9mcr2.party^$third-party -||3a727dbae773782eb.space^$third-party -||3ef0cfe35714f932c.trade^$third-party -||3jsbf5.xyz^$third-party -||3k4hppja.stream^$third-party -||3wr110.xyz^$third-party -||48a298f68e0.com^$third-party -||4d28ae0e559c1ba.webcam^$third-party -||4e9wpp17.stream^$third-party -||4oz2rj6t.site^$third-party -||4vaj4jn4.download^$third-party -||56fh8x.xyz^$third-party -||57cdb5e39630.racing^$third-party -||5tcgu99n.loan^$third-party -||6191bbf7f50444eccca.site^$third-party -||63bd0b6efb0ecd2.bid^$third-party -||647a4323fe432956c.trade^$third-party -||65e107c5ea9e0573.website^$third-party -||66cpwgln.space^$third-party -||69wnz64h.xyz^$third-party -||6a0e2d19ac28.com^$third-party -||6g3am6pr.website^$third-party -||6mg38boa.date^$third-party -||6xfcmiy0.science^$third-party -||707e63f068175.party^$third-party -||70b008710ae8.racing^$third-party -||72e9488432b.review^$third-party -||73qbgex1.cricket^$third-party -||742eowte.space^$third-party -||79ebttm6.cricket^$third-party -||7t69dbtn.science^$third-party -||7w8qfy7a.cricket^$third-party -||7y3bcefa.stream^$third-party -||7zqr1wpe.win^$third-party -||80d43327c1673.win^$third-party -||87159d7b62fc885.com^$third-party -||8hykthze.cricket^$third-party -||8iaxbnbk.accountant^$third-party -||946dc1edc8e5a37.bid^$third-party -||95g804up.download^$third-party -||970215366f5649.download^$third-party -||9icmzvn6.website^$third-party -||9l7y8nel.stream^$third-party -||a2c653c4d145fa5f96a.com^$third-party -||a80zha8c.webcam^$third-party -||a8d2a82ca40.review^$third-party -||aafb1cd4450aa247.website^$third-party -||ab1eo0rx.stream^$third-party -||adblockwhitelist097.com^$third-party -||adblockwhitelist098.com^$third-party -||ah77llcy.party^$third-party -||ap76rmx3.accountant^$third-party -||as1a6nl8.win^$third-party -||asermtawlfs.xyz^$third-party -||asldkjflajsdfasdf.com^$third-party -||ayabreya.xyz^$third-party -||b2530db8a16eaa.download^$third-party -||b2ce5ba15afd9.party^$third-party -||b2s1uqa6.download^$third-party -||b6508157d.website^$third-party -||b80077a4be3ec4763.trade^$third-party -||backlogtop.xyz^$third-party -||bamj630h.tech^$third-party -||brakefluid.website^$third-party -||busyd5s0.faith^$third-party -||bw94.xyz^$third-party -||bwknu1lo.top^$third-party -||c03jij5q.website^$third-party -||c13b2beea116e.com^$third-party -||c4p69ovw.science^$third-party -||c50ba364a21f.online^$third-party -||c9snorwj.website^$third-party -||cartstick.com^$third-party -||cbcx8t95.space^$third-party -||cd8iw9mh.cricket^$third-party -||cdnmedia.xyz^$third-party -||cg1bz6tf.loan^$third-party -||ckdegfi5.faith^$third-party -||clotraiam.website^$third-party -||cloudcdn376125.com^$third-party -||cloudcdn376126.com^$third-party -||cloudcdn376127.com^$third-party -||coinsicmp.com^$third-party -||cytk85wu.top$third-party -||d088e52cfa9e344beb.top^$third-party -||d0z4gwv7.webcam^$third-party -||danmeneldur.com^$third-party -||dascasdw.xyz^$third-party -||dashgreen.online^$third-party -||de56aa68299cfdb.webcam^$third-party -||dkf9g61v.date^$third-party -||dll5uyyj.date^$third-party -||dromorama.xyz^$third-party -||dropzenad.com^$third-party -||duscb12r.loan^$third-party -||e0e0e4195bb7.racing^$third-party -||e24d38df68c1b898ea.top^$third-party -||e3kgk5su.win^$third-party -||ep7kpqn8.online^$third-party -||euym8eel.club^$third-party -||ezmay9jo.party^$third-party -||f35983cb8ed.review^$third-party -||f4906b7c15ba.com^$third-party -||fcfd5de4b3be3.com^$third-party -||fcve2mi2.review^$third-party -||fg18kvv7.date^$third-party -||ficusoid.xyz^$third-party -||fkdsfk38fnc2bc3.com^$third-party -||fkvnjw6d.review^$third-party -||flac2flac.xyz^$third-party -||fm3gvfak.bid^$third-party -||fnro4yu0.loan^$third-party -||fontsapi278.com^$third-party -||fontsapi398.com^$third-party -||fugggk3i.accountant^$third-party -||gctwh9xc.site^$third-party -||gjol8ib0.website^$third-party -||gk25qeyc.xyz^$third-party -||gkol15n1.stream^$third-party -||gotjs.xyz^$third-party -||h166g9ej.download^$third-party -||h7syblho.bid^$third-party -||havingo.xyz^$third-party -||hdhvbeyy36fnnc8.com^$third-party -||hlu9tseh.men^$third-party -||hmal5re3.review^$third-party -||hti9pqmy.date^$third-party -||i1pnovju.site^$third-party -||iocawy99.science^$third-party -||is3eho4w.download^$third-party -||itempana.site^$third-party -||izoyshe6.review^$third-party -||j2ef76da3.website^$third-party -||j4y01i3o.win^$third-party -||j7gvaliq.cricket^$third-party -||j880iceh.party^$third-party -||jf2mn2ms.club^$third-party -||jfx61qca.site^$third-party -||jkfg4hfdss.com^$third-party -||jkvjsdjbjkbvsdk.com^$third-party -||jnrzox5e.website^$third-party -||jzeu6qlk.accountant^$third-party -||k9anf8bc.webcam^$third-party -||k9pdlefk.website^$third-party -||kge1ru01.science^$third-party -||kgrfw2mp.date^$third-party -||kjdhfjhvbjsdkbcjk3746.com^$third-party -||kkddlt2f.site^$third-party -||klnrew.site^$third-party -||koidt1wn.bid^$third-party -||ku984o6u.accountant^$third-party -||kvdskjbjkbdfsv.com^$third-party -||kzkjewg7.stream^$third-party -||lamiflor.xyz^$third-party -||lostelephants.xyz^$third-party -||lr48oe5c.website^$third-party -||lslpv80k.download^$third-party -||lwkef63hfc.com^$third-party -||lxpl6t0t.cricket^$third-party -||mansiontheologysoon.xyz^$third-party -||mb8e17f12.website^$third-party -||mc09j2u5.loan^$third-party -||mlvc4zzw.space^$third-party -||monu.delivery^$third-party -||mosaicolor.website^$third-party -||ms3wsmbg.loan^$third-party -||mwtpludn.review^$third-party -||nm7xq628.click^$third-party -||oilchange.website^$third-party -||onefontapi91283.com^$third-party -||openprofilemeta.com^$third-party -||opzdgga2kkw6yh.com^$third-party -||or3f3xmk.xyz^$third-party -||panatran.xyz^$third-party -||pdm8kxw7.website^$third-party -||peremoga.xyz^$third-party -||pullapi.site^$third-party -||q45nsj9d.accountant^$third-party -||qmvhcb9d.bid^$third-party -||qwun46bs.review^$third-party -||qzgoecv5.win^$third-party -||r91c6tvs.science^$third-party -||redstick.online^$third-party -||rkgnmwre.site^$third-party -||rxlex.faith^$third-party -||ry0brv6w.science^$third-party -||s72jfisrt3ife.com^$third-party -||s997tc81.loan^$third-party -||sbsdjgk0.accountant^$third-party -||sn5wcs89.science^$third-party -||stbg8kgm876qwt.com^$third-party -||stickcoinad.com^$third-party -||stirshakead.com^$third-party -||t2y16t3g.download^$third-party -||tde2wkyv.stream^$third-party -||te2e12nd.website^$third-party -||tpp1ede2.accountant^$third-party -||txjdgm53.win^$third-party -||tyal449f.top^$third-party -||ufyvdps3.webcam^$third-party -||uonj2o6i.loan^$third-party -||vcxzv.website^$third-party -||verymuchad.com^$third-party -||wbkaidsc.webcam^$third-party -||wefbjdsbvksdbvkv.com^$third-party -||weuigcsch31.com^$third-party -||wklvnlkwsc3.com^$third-party -||wmrdwhv3.faith^$third-party -||wpzka4t6.site^$third-party -||wrhhhtoj.men^$third-party -||wshp1rbq.website^$third-party -||x5qa0pxy.science^$third-party -||xbfk51p7.review^$third-party -||xlw5e582.date^$third-party -||xmr6v4yg.faith^$third-party -||xqlo792n.space^$third-party -||xtr8a2dg.bid^$third-party -||y1xjgfhp.racing^$third-party -||yqm16b35.lol^$third-party -||yx7xgi4d.site^$third-party -! /Tag adservers -||badtopwitch.work^$third-party -||bandelcot.com^$third-party -||belwrite.com^$third-party -||cap-cap-pop.com^$third-party -||catwrite.com^$third-party -||centwrite.com^$third-party -||cold-cold-freezing.com^$third-party -||data-data-vac.com^$third-party -||del-del-ete.com^$third-party -||dit-dit-dot.com^$third-party -||ditdotsol.com^$third-party -||ditwrite.com^$third-party -||dogwrite.com^$third-party -||erniphiq.com^$third-party -||givingsol.com^$third-party -||glo-glo-oom.com^$third-party -||hash-hash-tag.com^$third-party -||havenwrite.com^$third-party -||la-la-moon.com^$third-party -||la-la-sf.com^$third-party -||livwrite.com^$third-party -||meepwrite.com^$third-party -||netrosol.net^$third-party -||new-new-years.com^$third-party -||new17write.com^$third-party -||newsadst.com^$third-party -||parwrite.com^$third-party -||tek-tek-trek.com^$third-party -||tic-tic-bam.com^$third-party -||tic-tic-toc.com^$third-party -||tin-tin-win.com^$third-party -||tlootas.org^$third-party -||tur-tur-key.com^$third-party -||unoblotto.net^$third-party -||vacwrite.com^$third-party -||vip-vip-vup.com^$third-party -||xmas-xmas-wow.com^$third-party -||zim-zim-zam.com^$third-party -! Mobile -||adbuddiz.com^$third-party -||adcolony.com^$third-party -||adiquity.com^$third-party -||admob.com^$third-party -||adwhirl.com^$third-party -||adwired.mobi^$third-party -||adzmob.com^$third-party -||airpush.com^$third-party -||amobee.com^$third-party -||appads.com^$third-party -||buxx.mobi^$third-party -||dmg-mobile.com^$third-party -||doubleclick.net^*/pfadx/app.ytpwatch.$third-party -||greystripe.com^$third-party -||inmobi.com^$third-party -||kuad.kusogi.com^$third-party -||mad-adz.com^$third-party -||millennialmedia.com^$third-party -||mkhoj.com^$third-party -||mobgold.com^$third-party -||mobizme.net^$third-party -||mobpartner.mobi^$third-party -||mocean.mobi^$third-party -||mojiva.com^$third-party -||mysearch-online.com^$third-party -||sascdn.com^$third-party -||smaato.net^$third-party -||startappexchange.com^$third-party -||stepkeydo.com^$third-party -||tapjoyads.com^$third-party -||vungle.com^$third-party -||wapdollar.in^$third-party -||waptrick.com^$third-party -||yieldmo.com^$third-party -! Admiral -||acrididae.com^$third-party -||actuallysheep.com^$third-party -||agreeableprice.com^$third-party -||beamkite.com^$third-party -||bedsbreath.com^$third-party -||brassrule.com^$third-party -||breezybath.com^$third-party -||chiefcurrent.com^$third-party -||commandwalk.com^$third-party -||commoncannon.com^$third-party -||concernrain.com^$third-party -||copyrightaccesscontrols.com^$third-party -||crownclam.com^$third-party -||delightdriving.com^$third-party -||differentdesk.com^$third-party -||fanaticalfly.com^$third-party -||flavordecision.com^$third-party -||foamybox.com^$third-party -||ga87z2o.com^$third-party -||illustriousoatmeal.com^$third-party -||inatye.com^$third-party -||incrediblesugar.com^$third-party -||karisimbi.net^$third-party -||loudloss.com^$third-party -||matchcows.com^$third-party -||mellowtin.com^$third-party -||metapelite.com^$third-party -||mythimna.com^$third-party -||ovalpigs.com^$third-party -||peacepowder.com^$third-party -||provideplant.com^$third-party -||puzzlingfall.com^$third-party -||ritzysponge.com^$third-party -||roastedvoice.com^$third-party -||similarsabine.com^$third-party -||sinceresofa.com^$third-party -||smilingsock.com^$third-party -||snakesort.com^$third-party -||sneakystamp.com^$third-party -||spillvacation.com^$third-party -||stormyshock.com^$third-party -||structuresofa.com^$third-party -||succeedscene.com^$third-party -||terribleturkey.com^$third-party -||tidytrail.com^$third-party -||truthfulhead.com^$third-party -! Non-English (instead of whitelisting ads) -||adhood.com^$third-party -||atresadvertising.com^$third-party -! youwatch.org adservers -||019f2d2d415.review^$third-party -||098c0f90ca673716316.site^$third-party -||107e470d2ace7d8ecc2.stream^$third-party -||164f9d1bd2933.party^$third-party -||1788f63a9a2e67d.date^$third-party -||1bc169ca9feb0f6a.xyz^$third-party -||1j7740kd.website^$third-party -||24ad89fc2690ed9369.com^$third-party -||2ujo8ayw.racing^$third-party -||3472ccbc21c3f567.xyz^$third-party -||3a727dbae773782eb.space^$third-party -||3ef0cfe35714f932c.trade^$third-party -||3k4hppja.stream^$third-party -||48a298f68e0.com^$third-party -||4d28ae0e559c1ba.webcam^$third-party -||4e9wpp17.stream^$third-party -||4oz2rj6t.site^$third-party -||4vaj4jn4.download^$third-party -||57cdb5e39630.racing^$third-party -||5tcgu99n.loan^$third-party -||6191bbf7f50444eccca.site^$third-party -||63bd0b6efb0ecd2.bid^$third-party -||647a4323fe432956c.trade^$third-party -||65e107c5ea9e0573.website^$third-party -||66cpwgln.space^$third-party -||6a0e2d19ac28.com^$third-party -||6g3am6pr.website^$third-party -||6xfcmiy0.science^$third-party -||707e63f068175.party^$third-party -||70b008710ae8.racing^$third-party -||72e9488432b.review^$third-party -||73qbgex1.cricket^$third-party -||79ebttm6.cricket^$third-party -||7t69dbtn.science^$third-party -||7y3bcefa.stream^$third-party -||80d43327c1673.win^$third-party -||8hykthze.cricket^$third-party -||946dc1edc8e5a37.bid^$third-party -||95g804up.download^$third-party -||970215366f5649.download^$third-party -||9icmzvn6.website^$third-party -||9l7y8nel.stream^$third-party -||a2c653c4d145fa5f96a.com^$third-party -||a80zha8c.webcam^$third-party -||a8d2a82ca40.review^$third-party -||aafb1cd4450aa247.website^$third-party -||ab1eo0rx.stream^$third-party -||acamar.xyz^$third-party -||achird.xyz^$third-party -||acubens.xyz^$third-party -||adhafera.xyz^$third-party -||aladfar.xyz^$third-party -||alamak.xyz^$third-party -||alaraph.xyz^$third-party -||albaldah.xyz^$third-party -||albali.xyz^$third-party -||albireo.xyz^$third-party -||b2530db8a16eaa.download^$third-party -||b2ce5ba15afd9.party^$third-party -||b80077a4be3ec4763.trade^$third-party -||backlogtop.xyz^$third-party -||busyd5s0.faith^$third-party -||c50ba364a21f.online^$third-party -||cg1bz6tf.loan^$third-party -||ckdegfi5.faith^$third-party -||clotraiam.website^$third-party -||d088e52cfa9e344beb.top^$third-party -||d0z4gwv7.webcam^$third-party -||de56aa68299cfdb.webcam^$third-party -||duscb12r.loan^$third-party -||e0e0e4195bb7.racing^$third-party -||e24d38df68c1b898ea.top^$third-party -||f35983cb8ed.review^$third-party -||f4906b7c15ba.com^$third-party -||fcfd5de4b3be3.com^$third-party -||fcve2mi2.review^$third-party -||fkvnjw6d.review^$third-party -||fugggk3i.accountant^$third-party -||gkol15n1.stream^$third-party -||h166g9ej.download^$third-party -||is3eho4w.download^$third-party -||j7gvaliq.cricket^$third-party -||j880iceh.party^$third-party -||jnrzox5e.website^$third-party -||k9pdlefk.website^$third-party -||kge1ru01.science^$third-party -||kgrfw2mp.date^$third-party -||koidt1wn.bid^$third-party -||lr48oe5c.website^$third-party -||lslpv80k.download^$third-party -||lxpl6t0t.cricket^$third-party -||mc09j2u5.loan^$third-party -||mwtpludn.review^$third-party -||or3f3xmk.xyz^$third-party -||pdm8kxw7.website^$third-party -||sbsdjgk0.accountant^$third-party -||t2y16t3g.download^$third-party -||tde2wkyv.stream^$third-party -||tpp1ede2.accountant^$third-party -||txjdgm53.win^$third-party -||wbkaidsc.webcam^$third-party -||wmrdwhv3.faith^$third-party -||x5qa0pxy.science^$third-party -||yqm16b35.lol^$third-party -! admeasures.com domains -||ads-codes.net^$third-party -||aeghae5y.com^$third-party -||aeghie6dien.info^$third-party -||aew9eigieng.info^$third-party -||ahn2phee3oh.info^$third-party -||booj7tho.com^$third-party -||chohye2t.com^$third-party -||ci3ixee8.com^$third-party -||dah0ooy4doe.info^$third-party -||ef5ahgoo.com^$third-party -||faeph6ax.com^$third-party -||lie8oong.com^$third-party -||meinooriut3.info^$third-party -||nepalhtml.com^$third-party -||nich1eox.com^$third-party -||no1chie7poh.info^$third-party -||ohs1upuwi8b.info^$third-party -||ohv1tie2.com^$third-party -||qued9yae1ai.info^$third-party -||sahraex7vah.info^$third-party -||terraadstools.com^$third-party -||urahor9u.com^$third-party -||vipcpms.com^$third-party -||viuboin4.com^$third-party -||yie4zooseif.info^$third-party -! popads.net -||aadbobwqgmzi.com^$third-party -||aanvxbvkdxph.com^$third-party -||aaqpajztftqw.com^$third-party -||aasopqgmzywa.com^$third-party -||aatmytrykqhi.com^$third-party -||abyvhqmfnvih.com^$third-party -||acjmkenepeyn.com^$third-party -||aclsqdpgeaik.com^$third-party -||acnsavlosahs.com^$third-party -||acxujxzdluum.com^$third-party -||adfpkxvaqeyj.com^$third-party -||adtbomthnsyz.com^$third-party -||adudzlhdjgof.com^$third-party -||afbfoxmwzlqa.com^$third-party -||afdyfxfrwbfy.com^$third-party -||afedispdljgb.com^$third-party -||afqwfxkjmgwv.com^$third-party -||aggntknflhal.com^$third-party -||agpnzrmptmos.com^$third-party -||agwsneccrbda.com^$third-party -||ahkpdnrtjwat.com^$third-party -||ahwjxktemuyz.com^$third-party -||ahyuzjgukqyd.com^$third-party -||ahzybvwdwrhi.com^$third-party -||aiiaqehoqgrj.com^$third-party -||aiypulgy.com^$third-party -||ajaeihzlcwvn.com^$third-party -||ajgffcat.com^$third-party -||ajmggjgrardn.com^$third-party -||ajxftwwmlinv.com^$third-party -||akoeurmzrqjg.com^$third-party -||akrzgxzjynpi.com^$third-party -||akviqfqbwqqj.com^$third-party -||aladbvddjsxf.com^$third-party -||alasdzdnfvtj.com^$third-party -||algkebjdgafa.com^$third-party -||alvivigqrogq.com^$third-party -||ambqphwf.com^$third-party -||amhpbhyxfgvd.com^$third-party -||amnpmitevuxx.com^$third-party -||amqtbshegbqg.com^$third-party -||anasjdzutdmv.com^$third-party -||anleqthwxxns.com^$third-party -||anluecyopslm.com^$third-party -||anogjkubvdfe.com^$third-party -||anoufpjmkled.com^$third-party -||antrtrtyzkhw.com^$third-party -||anypbbervqig.com^$third-party -||anyuwksovtwv.com^$third-party -||aominpzhzhwj.com^$third-party -||aomvdhxvblfp.com^$third-party -||aoqviogrwckf.com^$third-party -||apgjczhgjrka.com^$third-party -||aqdrzqsuxxvd.com^$third-party -||aqeukceruxzd.com^$third-party -||aqlvpnfxrkyf.com^$third-party -||aqornnfwxmua.com^$third-party -||aqryyhyzjveh.com^$third-party -||aragvjeosjdx.com^$third-party -||arawegnvvufy.com^$third-party -||aryufuxbmwnb.com^$third-party -||asecxggulyrf.com^$third-party -||ashwlrtiazee.com^$third-party -||asqamasz.com^$third-party -||ataufekxogxr.com^$third-party -||atcyboopajyp.com^$third-party -||autkmgrbdlbj.com^$third-party -||avdfcctzwfdk.com^$third-party -||avrdpbiwvwyt.com^$third-party -||avzkjvbaxgqk.com^$third-party -||awfjqdhcuftd.com^$third-party -||awgyhiupjzvu.com^$third-party -||awogbtinorwx.com^$third-party -||awsatstb.com^$third-party -||awvrvqxq.com^$third-party -||axaggthnkquj.com^$third-party -||axfkfstrbacx.com^$third-party -||ayjebauqdrys.com^$third-party -||ayozhcgcsyun.com^$third-party -||azbdbtsmdocl.com^$third-party -||azditojzcdkc.com^$third-party -||azeozrjk.com^$third-party -||azgyzdjexcxg.com^$third-party -||azkvcgzjsrmk.com^$third-party -||azroydhgqcfv.com^$third-party -||azzvkcavtgwp.com^$third-party -||bagoojzsqygg.com^$third-party -||baiaclwdpztd.com^$third-party -||bajofdblygev.com^$third-party -||batigfkcbwpb.com^$third-party -||bayvlsmaahou.com^$third-party -||bbheuxcancwj.com^$third-party -||bbjlsdqhpbuqaspgjyxaobmpmzunjnvqmahejnwwvaqbzzqodu.com^$third-party -||bblznptpffqc.com^$third-party -||bboemhlddgju.com^$third-party -||bbopkapcgonb.com^$third-party -||bbzwbxchqgph.com^$third-party -||bdafhnltyxlw.com^$third-party -||bdozkocgkljj.com^$third-party -||bdyzewccsqpw.com^$third-party -||bebufuspldzh.com^$third-party -||beghfkrygvxp.com^$third-party -||behjgnhniasz.com^$third-party -||behybmunweid.com^$third-party -||bewovdhiubnk.com^$third-party -||bfhavmgufvhn.com^$third-party -||bfidvcsuazwy.com^$third-party -||bgarilrzlgez.com^$third-party -||bgcsojmtgdrv.com^$third-party -||bgitczbd.com^$third-party -||bgpxrwjrbsjb.com^$third-party -||bguaeoakgmrw.com^$third-party -||bhejerqgrtlq.com^$third-party -||bhjhijisulwl.com^$third-party -||bhmqoolzgxnp.com^$third-party -||bhyqllgtzjee.com^$third-party -||bijfzvbtwhvf.com^$third-party -||bircgizd.com^$third-party -||bjkfmvhygpub.com^$third-party -||bjpktmjdxqpl.com^$third-party -||bjzcyqezwksznxxhscsfcogugkyiupgjhikadadgoiruasxpxo.com^$third-party -||bkgesylgvrgf.com^$third-party -||bkmmlcbertdbselmdxpzcuyuilaolxqfhtyukmjkklxphbwsae.com^$third-party -||bkmtspywevsk.com^$third-party -||bkxkodsmrnqd.com^$third-party -||blprkaomvazv.com^$third-party -||bmjccqfxlabturkmpzzokhsahleqqrysudwpuzqjbxbqeakgnf.com^$third-party -||bmqnguru.com^$third-party -||bmubqabepbcb.com^$third-party -||bmyepmehjzhz.com^$third-party -||bnkgacehxxmx.com^$third-party -||bocksnabswdq.com^$third-party -||bogkmogzrvzf.com^$third-party -||boguaokxhdsa.com^$third-party -||bolgooltxygp.com^$third-party -||bpbwwasthwtp.com^$third-party -||bpprksdgogtw.com^$third-party -||bqptlqmtroto.com^$third-party -||bqqjowpigdnx.com^$third-party -||bqytfutmwulr.com^$third-party -||brqrtgjklary.com^$third-party -||brtcmjchfyel.com^$third-party -||brygxppyaugt.com^$third-party -||bsaixnxcpaai.com^$third-party -||bsnbfufjgxrb.com^$third-party -||bspjagxietut.com^$third-party -||bsupflnjmuzn.com^$third-party -||btbapoifsphl.com^$third-party -||btcwkbqojiyg.com^$third-party -||btkcdqrzmqca.com^$third-party -||btxoeiisonxh.com^$third-party -||budyxjttmjkf.com^$third-party -||bufqrxzyrecf.com^$third-party -||buitxcrnucyi.com^$third-party -||bujntrmh.com^$third-party -||bvezznurwekr.com^$third-party -||bvobtmbziccr.com^$third-party -||bvzjhnqrypiv.com^$third-party -||bwyckpmsolzk.com^$third-party -||bxoixzbtllwx.com^$third-party -||byqmzodcdhhu.com^$third-party -||bzbaizntfrhl.com^$third-party -||bzfguipyjops.com^$third-party -||bzgwkxnjqjdz.com^$third-party -||bzjtjfjteazqzmukjwhyzsaqdtouiopcmtmgdiytfdzboxdann.com^$third-party -||bznmgijglbpr.com^$third-party -||bzyrhqbdldds.com^$third-party -||carsxardivaf.com^$third-party -||cawcwpvmpcje.com^$third-party -||cbwrwcjdctrj.com^$third-party -||cbxqceuuwnaz.com^$third-party -||cbxtnudkklwh.com^$third-party -||ccbaobjyprxh.com^$third-party -||ccdkyvyw.com^$third-party -||ccefzhxgobjm.com^$third-party -||ccwinenmbnso.com^$third-party -||cdbkxcnfmehf.com^$third-party -||cdbxuzzlgfhh.com^$third-party -||cdhzxcwuibzk.com^$third-party -||cdicyazp.com^$third-party -||cdqmeyhqrwinofutpcepbahedusocxqyfokvehqlqpusttfwve.com^$third-party -||cdrjblrhsuxljwesjholugzxwukkerpobmonocjygnautvzjjm.com^$third-party -||cdveeechegws.com^$third-party -||ceseyitsikzs.com^$third-party -||cewdbisyrzdv.com^$third-party -||cfdmkifknsjt.com^$third-party -||cfsdtzggpcmr.com^$third-party -||cgmkpdqjnedb.com^$third-party -||chqulqxfghdz.com^$third-party -||chtpcjezorlo.com^$third-party -||chvjfriqlvnt.com^$third-party -||chxfeymgmwbo.com^$third-party -||chytrrvwvabg.com^$third-party -||chzashakbgds.com^$third-party -||cihnrhqwbcsq.com^$third-party -||cikzhemgwchl.com^$third-party -||cixjmaxkemzknxxuyvkbzlhvvgeqmzgopppvefpfkqdraonoez.com^$third-party -||cjnoeafncyzb.com^$third-party -||cjnwobsladbq.com^$third-party -||cjvgnswapbqo.com^$third-party -||cjxdbmxtnqmy.com^$third-party -||cjxkzkzmdomd.com^$third-party -||ckqkwhampiyb.com^$third-party -||ckqpusmxvilv.com^$third-party -||ckryzlnafwyd.com^$third-party -||ckwpsghi.com^$third-party -||cledghtdrjtb.com^$third-party -||clhkbfqzwpst.com^$third-party -||cmdjujqlfbts.com^$third-party -||cmdotgwjhpqf.com^$third-party -||cmpsuzvr.com^$third-party -||cmqyhtqkhduy.com^$third-party -||cmrxvyjyaerf.com^$third-party -||cnfiukuediuy.com^$third-party -||cnntsmnymvnp.com^$third-party -||cogxsnvqesph.com^$third-party -||cokrrmzagaxn.com^$third-party -||comgnnyx.com^$third-party -||comwgi.com^$third-party -||cortxphssdvc.com^$third-party -||covjoecuzyss.com^$third-party -||coyhvotxgrnq.com^$third-party -||cpamnizzierk.com^$third-party -||cpdoalzgwnwf.com^$third-party -||cphxwpicozlatvnsospudjhswfxwmykgbihjzvckxvtxzfsgtx.com^$third-party -||cpkbdmkguggh.com^$third-party -||cpmjpcefbwqr.com^$third-party -||cpynfeqyqfby.com^$third-party -||cqbabfsyfqse.com^$third-party -||cqbphspgvhuk.com^$third-party -||cqoyvpldkmqt.com^$third-party -||crkgtnad.com^$third-party -||croxdfrdjfnt.com^$third-party -||csbsyukodmga.com^$third-party -||cscactmkbfvn.com^$third-party -||csmqorveetie.com^$third-party -||cstdfxkxbqbc.com^$third-party -||csyngxtkifrh.com^$third-party -||ctimfrfrmqip.com^$third-party -||ctjwmzryhcoj.com^$third-party -||ctplyvuuzdcv.com^$third-party -||ctzvtevpcssx.com^$third-party -||cuguwxkasghy.com^$third-party -||cwliihvsjckn.com^$third-party -||cwofongvtbsi.com^$third-party -||cwtekghutpaq.com^$third-party -||cwxblalyyvbj.com^$third-party -||cxgwwsapihlo.com^$third-party -||cxnxognwkuxm.com^$third-party -||cxoxruotepqgcvgqxdlwwucgyazmbkhdojqzihljdwwfeylovh.com^$third-party -||cxrmgoybhyrk.com^$third-party -||cymuxbcnhinm.com^$third-party -||cywegkfcrhup.com^$third-party -||cyxagtpeggjv.com^$third-party -||czcbkaptwfmv.com^$third-party -||czcyppdffuhh.com^$third-party -||czgeitdowtlv.com^$third-party -||czoivochvduv.com^$third-party -||czppmlbidjdx.com^$third-party -||dacqmkmsjajm.com^$third-party -||daxzupqivdoj.com^$third-party -||dbjcbnlwchgu.com^$third-party -||dbojgaxhxalh.com^$third-party -||dbtaclpoahri.com^$third-party -||dbwawnzkjniz.com^$third-party -||dbysmkeerpzo.com^$third-party -||dcdalkgtbmip.com^$third-party -||dcgbswcvywyl.com^$third-party -||dcmatjqifoim.com^$third-party -||dcneohtx.com^$third-party -||dcznhkojghrl.com^$third-party -||ddprxzxnhzbq.com^$third-party -||deqrdwsjlpjz.com^$third-party -||dfcwecvmjtdj.com^$third-party -||dfujqyjifvoe.com^$third-party -||dggcgurqynie.com^$third-party -||dgmlubjidcxc.com^$third-party -||dgwrxyucxpizivncznkpmdhtrdzyyylpoeitiannqfxmdzpmwx.com^$third-party -||dhlnlwxspczc.com^$third-party -||dhmhdiozqbnq.com^$third-party -||dhomixidnkas.com^$third-party -||dhsztvyjwcmk.com^$third-party -||disbkzufvqhk.com^$third-party -||ditouyldfqgt.com^$third-party -||diysqcbfyuru.com^$third-party -||djbnmqdawodm.com^$third-party -||djntmaplqzbi.com^$third-party -||djxvususwvso.com^$third-party -||djzmpsingsrtfsnbnkphyagxdemeagsiabguuqbiqvpupamgej.com^$third-party -||dkrhsftochvzqryurlptloayhlpftkogvzptcmjlwjgymcfrmv.com^$third-party -||dmatquyckwtu.com^$third-party -||dmbjbgiifpfo.com^$third-party -||dmdcpvgu.com^$third-party -||dmjcabavsraf.com^$third-party -||dmojscqlwewu.com^$third-party -||dmwubqhtuvls.com^$third-party -||dmyypseympjf.com^$third-party -||dnoucjqzsasm.com^$third-party -||dnqejgrbtlxe.com^$third-party -||dntlpwpjwcfu.com^$third-party -||dnxpseduuehm.com^$third-party -||dobgfkflsnmpaeetycphmcloiijxbvxeyfxgjdlczcuuaxmdzz.com^$third-party -||dobjgpqzygow.com^$third-party -||dodwnkpzaned.com^$third-party -||dohhehsgnxfl.com^$third-party -||dovltuzibsfs.com^$third-party -||dpallyihgtgu.com^$third-party -||dppcevxbshdl.com^$third-party -||dqpamcouthqv.com^$third-party -||dqpywdubbxih.com^$third-party -||drbwugautcgh.com^$third-party -||drqjihcfdrqj.com^$third-party -||drtqfejznjnl.com^$third-party -||dsevjzklcjjb.com^$third-party -||dsmysdzjhxot.com^$third-party -||dsnjsdrbqwdu.com^$third-party -||dswwghrlwwcm.com^$third-party -||dtmwwpykiqng.com^$third-party -||dubijsirwtwq.com^$third-party -||dubzmzpdkddi.com^$third-party -||duchmcmpmqqu.com^$third-party -||dulcetcgvcxr.com^$third-party -||dulpsxaznlwr.com^$third-party -||dumoyqzxluou.com^$third-party -||dusgihujnthv.com^$third-party -||duvyjbofwfqh.com^$third-party -||duxyrxhfwilv.com^$third-party -||dvsrlrnpyxwv.com^$third-party -||dwentymgplvrizqhieugzkozmqjxrxcyxeqdjvcbjmrhnkguwk.com^$third-party -||dxcqavshmvst.com^$third-party -||dxfsbkmaydtt.com^$third-party -||dxigubtmyllj.com^$third-party -||dxiixnrumvni.com^$third-party -||dxurtngzawwe.com^$third-party -||dyazeqpeoykf.com^$third-party -||dyerbegytfkj.com^$third-party -||dyjifezeyagm.com^$third-party -||dyunhvev.com^$third-party -||dyzstwcqbgjk.com^$third-party -||dzdfmwaztrrm.com^$third-party -||dzzawlkmtvug.com^$third-party -||eaidabmuxbqy.com^$third-party -||easnviytengk.com^$third-party -||ebfjbrlcvjlv.com^$third-party -||ebspiewapcta.com^$third-party -||ebyakgowemds.com^$third-party -||ecmeqhxevxgmtoxubrjstrrlyfgrrtqhvafyagettmwnwkwltn.com^$third-party -||ectbduztanog.com^$third-party -||edgsscofljhc.com^$third-party -||ednnpxhjsqyd.com^$third-party -||edvbyybaviln.com^$third-party -||edwywpsufuda.com^$third-party -||edxvyyywsxqh.com^$third-party -||eefbzuwvnnab.com^$third-party -||eejcqlenlsko.com^$third-party -||eepuawuevovi.com^$third-party -||eeqabqioietkquydwxfgvtvpxpzkuilfcpzkplhcckoghwgacb.com^$third-party -||eerdckbwujcx.com^$third-party -||efcnevmojvfs.com^$third-party -||efukznkfmrck.com^$third-party -||egkkeahdzjqy.com^$third-party -||egtkhpkkfswf.com^$third-party -||ehnjtmqchrub.com^$third-party -||eidzaqzygtvq.com^$third-party -||eifbewnmtgpi.com^$third-party -||eiibdnjlautz.com^$third-party -||eiwcqowbowqo.com^$third-party -||ejgxyfzciwyi.com^$third-party -||ejjrckrhigez.com^$third-party -||ejwmxjttljbe.com^$third-party -||ekgmjxjyfzzd.com^$third-party -||ekhgvpsfrwqm.com^$third-party -||elbeobjhnsvh.com^$third-party -||elkpxsfzrubq.com^$third-party -||elxxkpaeudxu.com^$third-party -||elzlogcphhka.com^$third-party -||elzmazpsbnwn.com^$third-party -||emdbszgmxggo.com^$third-party -||emirdzzvhviv.com^$third-party -||emrumkgmdmdq.com^$third-party -||enfhddbnariw.com^$third-party -||enhwftpkwvnb.com^$third-party -||eniaypwywduf.com^$third-party -||enzyxtdcacde.com^$third-party -||eojrldtucqsf.com^$third-party -||eovkzcueutgf.com^$third-party -||epernepojkle.com^$third-party -||epesogtigole.com^$third-party -||epgokiocquxf.com^$third-party -||epgooipixbbo.com^$third-party -||epoxtzgddiwp.com^$third-party -||epzxtposabej.com^$third-party -||eqszmuwnozvx.com^$third-party -||erbsqnmglmnv.com^$third-party -||erkwkjfompvt.com^$third-party -||erszwzaidmlc.com^$third-party -||ervpgpxr.com^$third-party -||esgwceckxumg.com^$third-party -||eslgydoqbedo.com^$third-party -||eslydbnukkme.com^$third-party -||esnirgskobfj.com^$third-party -||espnrlezwzvd.com^$third-party -||etbrjgpsadke.com^$third-party -||etggiddfdaqd.com^$third-party -||eupwogkcjczz.com^$third-party -||evhvoeqfrlsb.com^$third-party -||evlvaulglzpu.com^$third-party -||ewgtanybkkch.com^$third-party -||exioptyxiyoo.com^$third-party -||exnyzdboihvi.com^$third-party -||eydiuqpdtfew.com^$third-party -||eylyitpslpqu.com^$third-party -||ezbtpdjeimlv.com^$third-party -||ezemyudhkzvx.com^$third-party -||ezjrnbpjthir.com^$third-party -||ezknqsblzmsl.com^$third-party -||ezuosstmbcle.com^$third-party -||facsowlaufzk.com^$third-party -||faoxietqwbmu.com^$third-party -||farkkbndawtxczozilrrrunxflspkyowishacdueiqzeddsnuu.com^$third-party -||fbbjlubvwmwd.com^$third-party -||fcjhxlybaiab.com^$third-party -||fcjnqpkrdglw.com^$third-party -||fdepobamndfn.com^$third-party -||fdogfuqpgeub.com^$third-party -||fegyacmbobil.com^$third-party -||fembsflungod.com^$third-party -||ffanszicnoqs.com^$third-party -||ffhwzaenzoue.com^$third-party -||ffpkqjyvvneg.com^$third-party -||ffwbpadvkcyi.com^$third-party -||fghdembabvwe.com^$third-party -||fgkvpyrmkbap.com^$third-party -||fgmucsiirrsq.com^$third-party -||fgwsjwiaqtjc.com^$third-party -||fgzaxilcgxum.com^$third-party -||fhawywadfjlo.com^$third-party -||fhylnqzxwsbo.com^$third-party -||firugsivsqot.com^$third-party -||fjcvncxrmmru.com^$third-party -||fjfxpykp.com^$third-party -||fjuouqwxgbir.com^$third-party -||fjvolzrojowa.com^$third-party -||fkdqrjnoxhch.com^$third-party -||fkekipafwlqd.com^$third-party -||fkianrxjfumm.com^$third-party -||fkjyzxnoxusg.com^$third-party -||fkrrvhoierty.com^$third-party -||fluohbiy.com^$third-party -||flzelfqolfnf.com^$third-party -||fmuxugcqucuu.com^$third-party -||fmzxzkgmpmrx.com^$third-party -||fnaolgfubmlc.com^$third-party -||fneheruhxqtv.com^$third-party -||fnjcriccyuna.com^$third-party -||fokisduu.com^$third-party -||fpbmjwoebzby.com^$third-party -||fppupmqbydpk.com^$third-party -||fpslcnjecewd.com^$third-party -||fpvfeyjrwlio.com^$third-party -||fqazjwxovxlu.com^$third-party -||fqkcdhptlqma.com^$third-party -||fqmxwckinopg.com^$third-party -||fqovfxpsytxf.com^$third-party -||fqpteozo.com^$third-party -||frczfzikturw.com^$third-party -||frddujheozns.com^$third-party -||frdhsmerubfg.com^$third-party -||frlvfzybstsa.com^$third-party -||frlzxwxictmg.com^$third-party -||fsddidfmmzvw.com^$third-party -||fsvcrapnmmvj.com^$third-party -||fsvxxllfpfhk.com^$third-party -||ftgfmbxqkjda.com^$third-party -||ftjrekbpjkwe.com^$third-party -||ftodxdoolvdm.com^$third-party -||ftvkgkkmthed.com^$third-party -||ftytssqazcqx.com^$third-party -||fuurqgbfhvqx.com^$third-party -||fvbeyduylvgy.com^$third-party -||fvrbloxygbrv.com^$third-party -||fvwcwbdrprdt.com^$third-party -||fwcrhzvfxoyi.com^$third-party -||fwfgbhjhnlkv.com^$third-party -||fwlkncckwcop.com^$third-party -||fxcayktrneld.com^$third-party -||fxjgprpozntk.com^$third-party -||fxjyultd.com^$third-party -||fxrgikipxnlq.com^$third-party -||fxtgrttlarkl.com^$third-party -||fxvxgwqcddvm.com^$third-party -||fxwkhwcmsqne.com^$third-party -||fzsiwzxnqadb.com^$third-party -||fzzudxglrnrr.com^$third-party -||gaxmdcfkxygs.com^$third-party -||gazogsjsoxty.com^$third-party -||gbiwxmjw.com^$third-party -||gbltotkythfh.com^$third-party -||gbsxcyukuuex.com^$third-party -||gbwrjyntqsvr.com^$third-party -||gcboyhlfqxhc.com^$third-party -||gdixpvfqbhun.com^$third-party -||gdpuknsngvps.com^$third-party -||geazikjazoid.com^$third-party -||gedmodsxbebd.com^$third-party -||gefaqjwdgzbo.com^$third-party -||geqcqduubhll.com^$third-party -||gerpkshe.com^$third-party -||ggbfbseakyqv.com^$third-party -||gggemaop.com^$third-party -||ggnabmvnwphu.com^$third-party -||ggngbgccubvf.com^$third-party -||ggtujtuyvcci.com^$third-party -||ggzuksudqktn.com^$third-party -||ghtroafchzrt.com^$third-party -||giojhiimnvwr.com^$third-party -||givmuvbacwui.com^$third-party -||giyjhogjmfmc.com^$third-party -||giyupoeynkfx.com^$third-party -||gjeyqtunbnap.com^$third-party -||gjxdibyzvczd.com^$third-party -||gkblyvnioxpd.com^$third-party -||gkeahnmvduys.com^$third-party -||gkgdqahkcbmykurmngzrrolrecfqvsjgqdyujvgdrgoezkcobq.com^$third-party -||gkiryieltcbg.com^$third-party -||gllkdkxygckb.com^$third-party -||glnqvqbedbmvtcdzcokrfczopbddhopygrvrnlgmalgvhnsfsc.com^$third-party -||glslciwwvtxn.com^$third-party -||gmpdixdh.com^$third-party -||gmpmuqniggyz.com^$third-party -||gnadhzstittd.com^$third-party -||gnipadiiodpa.com^$third-party -||gnnmdzbroemx.com^$third-party -||goacestnzgrd.com^$third-party -||gofgfsvnfnfw.com^$third-party -||gojwyansqmcl.com^$third-party -||gpbznagpormpyusuxbvlpbuejqzwvspcyqjcxbqtbdtlixcgzp.com^$third-party -||gpgsxlmjnfid.com^$third-party -||gphfgyrkpumn.com^$third-party -||gpltrrdffobf.com^$third-party -||gpnduywxhgme.com^$third-party -||gqnmautydwky.com^$third-party -||gqorytmpkjdq.com^$third-party -||gqthfroeirol.com^$third-party -||gqulrzprheth.com^$third-party -||gquvhveabaem.com^$third-party -||grceweaxhbpvclyxhwuozrbtvqzjgbnzklvxdezzficwjnmfil.com^$third-party -||grfqrhqlzvjl.com^$third-party -||grxpaizsvdzw.com^$third-party -||gsiqerorqkxu.com^$third-party -||gtaouarrwypu.com^$third-party -||gtbfhyprjhqz.com^$third-party -||gtcpsbvtwaqw.com^$third-party -||gtevyaeeiged.com^$third-party -||gtmonytxxglu.com^$third-party -||gtqfsxrrerzu.com^$third-party -||gtxfafvoohbc.com^$third-party -||gubdadtxwqow.com^$third-party -||guhtjoqtobac.com^$third-party -||gurrfwsscwda.com^$third-party -||gverjfuapaag.com^$third-party -||gvgakxvukmrm.com^$third-party -||gvoszbzfzmtl.com^$third-party -||gvrqquiotcyr.com^$third-party -||gvxobjcxcbkb.com^$third-party -||gwaatiev.com^$third-party -||gwcujaprdsen.com^$third-party -||gwsomeiyywaz.com^$third-party -||gxdyluyqciac.com^$third-party -||gxgnvickedxpuiavkgpisnlsphrcyyvkgtordatszlrspkgppe.com^$third-party -||gxvbogvbcivs.com^$third-party -||gxxsqeqlepva.com^$third-party -||gydlzimosfnz.com^$third-party -||gyinmxpztbgf.com^$third-party -||gypxbcrmxsmikqbmnlwtezmjotrrdxpqtafumympsdtsfvkkza.com^$third-party -||gzkoehgbpozz.com^$third-party -||gzmofmqddajr.com^$third-party -||gzpqlbqyerpb.com^$third-party -||gzumjmvqjkki.com^$third-party -||hafbezbemwwd.com^$third-party -||hajcehcnodio.com^$third-party -||haqlmmii.com^$third-party -||hbbwlhxfnbpq.com^$third-party -||hbedvoyluzmq.com^$third-party -||hbrbtmjyvdsy.com^$third-party -||hbzzkwsuaooc.com^$third-party -||hcggkyhzxzsv.com^$third-party -||hclccadfmkpw.com^$third-party -||hcyxksgsxnzb.com^$third-party -||hdwlzheftpin.com^$third-party -||heefwozhlxgz.com^$third-party -||heracgjcuqmk.com^$third-party -||hevdxhsfbwud.com^$third-party -||hffmxndinqyo.com^$third-party -||hffmzplu.com^$third-party -||hfgevdzcoocs.com^$third-party -||hfjuehls.com^$third-party -||hfmtqgiqscvg.com^$third-party -||hgbmwkklwittcdkjapnpeikxojivfhgszbxmrjfrvajzhzhuks.com^$third-party -||hgzopbyhidre.com^$third-party -||hgztvnjbsrki.com^$third-party -||hhwqfmqyqoks.com^$third-party -||higygtvnzxad.com^$third-party -||hilkfxdqxzac.com^$third-party -||hjeoncuvklqh.com^$third-party -||hjukmfdbryln.com^$third-party -||hjvdkrjmxngg.com^$third-party -||hkacgxlpfurb.com^$third-party -||hkdjrnkjwtqo.com^$third-party -||hklyzmspvqjh.com^$third-party -||hkoxlirf.com^$third-party -||hlekbinpgsuk.com^$third-party -||hljiofrtqenc.com^$third-party -||hlotiwnz.com^$third-party -||hmcjupvbxxyx.com^$third-party -||hndesrzcgjmprqbbropdulvkfroonnrlbpqxhvprsavhwrfxtv.com^$third-party -||hnivikwwypcv.com^$third-party -||hnoajsaivjsg.com^$third-party -||hnqnftzzytjl.com^$third-party -||hntpbpeiuajc.com^$third-party -||howjkpaynzwf.com^$third-party -||hpdmnmehzcor.com^$third-party -||hpkwirncwvxo.com^$third-party -||hplgpoicsnea.com^$third-party -||hpmgdwvvqulp.com^$third-party -||hpxxzfzdocinivvulcujuhypyrniicjfauortalmjerubjgaja.com^$third-party -||hqaajpaedpux.com^$third-party -||hqnyahlpmehp.com^$third-party -||hqxtsqwpvort.com^$third-party -||hrkshoveizfo.com^$third-party -||hrvxpinmdyjx.com^$third-party -||hsoyrqqsludd.com^$third-party -||hsvqfvjidloc.com^$third-party -||hszyozoawqnk.com^$third-party -||htllanmhrnjrbestmyabzhyweaccazvuslvadtvutfiqnjyavg.com^$third-party -||htonrwegnifw.com^$third-party -||htrprrrtrwrc.com^$third-party -||huayucnblhgy.com^$third-party -||hueenmivecmx.com^$third-party -||huejizictcgd.com^$third-party -||hutkuzwropgf.com^$third-party -||huynrscfbulr.com^$third-party -||huzmweoxlwanzvstlgygbrnfrmodaodqaczzibeplcezmyjnlv.com^$third-party -||hvdddlsdexic.com^$third-party -||hvfzacisynoq.com^$third-party -||hvfzshrpfueb.com^$third-party -||hvukouhckryjudrawwylpboxdsonxhacpodmxvbonqipalsprb.com^$third-party -||hwfcdqnvovij.com^$third-party -||hwsbehjaxebh.com^$third-party -||hwvwuoxsosfp.com^$third-party -||hxbvbmxv.com^$third-party -||hxkanryhktub.com^$third-party -||hxlojjtpqtlk.com^$third-party -||hxuvwqsecumg.com^$third-party -||hytkatubjuln.com^$third-party -||hyubowucvkch.com^$third-party -||hyvsquazvafrmmmcfpqkabocwpjuabojycniphsmwyhizxgebu.com^$third-party -||hyzncftkveum.com^$third-party -||hzskbnafzwsu.com^$third-party -||hztkbjdkaiwt.com^$third-party -||hzwxkqnqrdfv.com^$third-party -||iagsqudxpcfr.com^$third-party -||iagvkdeienla.com^$third-party -||ibqmccuuhjqc.com^$third-party -||icafyriewzzrwxlxhtoeakmwroueywnwhmqmaxsqdntasgfvhc.com^$third-party -||icjeqbqdzhyx.com^$third-party -||icpfrrffsenr.com^$third-party -||iczhhiiowapd.com^$third-party -||idkyfrsbzesx.com^$third-party -||idpukwmp.com^$third-party -||idvuakamkzmx.com^$third-party -||iectshrhpgsl.com^$third-party -||ieoexdjxrwtq.com^$third-party -||ieqprskfariw.com^$third-party -||ifaklabnhplb.com^$third-party -||ifvetqzfiawg.com^$third-party -||igawfxfnupeb.com^$third-party -||igdfzixkdzxe.com^$third-party -||iglwibwbjxuoflrczfvpibhihwuqneyvmhzeqbmdmujmirdkae.com^$third-party -||igupodzh.com^$third-party -||igyzmhqbihoi.com^$third-party -||ihdrozswbekx.com^$third-party -||ihflwxrsptqz.com^$third-party -||ihgkmgwfhjam.com^$third-party -||ihqxhokndcfq.com^$third-party -||ihriduffgkel.com^$third-party -||iibcejrrfhxh.com^$third-party -||iijmodcvlwfk.com^$third-party -||iitfqholnpud.com^$third-party -||ikealcmavhpk.com^$third-party -||iknctklddhoh.com^$third-party -||ikvltjooosqh.com^$third-party -||ilrxikdjozlk.com^$third-party -||ilsivrexvpyv.com^$third-party -||ilvibsabwuza.com^$third-party -||imbbjywwahev.com^$third-party -||imgoatxhxior.com^$third-party -||imqkdsdgfygm.com^$third-party -||imrwxmau.com^$third-party -||imtdtaloqwcz.com^$third-party -||imyqdbxq.com^$third-party -||inewoioxxdbm.com^$third-party -||inmrjokdxmkh.com^$third-party -||insbrvwfrcgb.com^$third-party -||inxhtjrwictg.com^$third-party -||ioatyggwaypq.com^$third-party -||iohaqrkjddeq.com^$third-party -||ioighavxylne.com^$third-party -||ionbpysfukdh.com^$third-party -||ipdlsrwctdjb.com^$third-party -||iqmjedevvojm.com^$third-party -||iqrqmhrfkyuu.com^$third-party -||irbkobqlrbtt.com^$third-party -||irjaeupzarkvwmxonaeslgicvjvgdruvdywmdvuaoyfsjgdzhk.com^$third-party -||irrttzthsxot.com^$third-party -||irxpndjg.com^$third-party -||irzdishtggyo.com^$third-party -||isbzjaedbdjr.com^$third-party -||iscaebizkzyd.com^$third-party -||isdlyvhegxxz.com^$third-party -||isggimkjabpa.com^$third-party -||isqgobsgtqsh.com^$third-party -||itbiwlsxtigx.com^$third-party -||itevcsjvtcmb.com^$third-party -||iupqelechcmj.com^$third-party -||iuymaolvzery.com^$third-party -||ivkasohqerzl.com^$third-party -||ivktdwmjhkqy.com^$third-party -||ivqoqtozlmjp.com^$third-party -||ivsqnmridfxn.com^$third-party -||iweacndqhiht.com^$third-party -||iwmonrwpeeku.com^$third-party -||iwqugvxozbkd.com^$third-party -||iwrjczthkkla.com^$third-party -||ixlsylapsdtr.com^$third-party -||ixsxgaegvplo.com^$third-party -||ixzhwyuxxvxb.com^$third-party -||ixznwuxokydz.com^$third-party -||iydghotpzofn.com^$third-party -||izhvnderudte.com^$third-party -||iziwhlafxitn.com^$third-party -||izixtxrvogaq.com^$third-party -||iznhvszyizwd.com^$third-party -||iztsbnkxphnj.com^$third-party -||izwsvyqv.com^$third-party -||jahsrhlp.com^$third-party -||jakzxxzrymhz.com^$third-party -||jamkkydyiyhx.com^$third-party -||janrlobmiroi.com^$third-party -||jatkcmpxhbba.com^$third-party -||jauftivogtho.com^$third-party -||jbbgczjipjvb.com^$third-party -||jbgehhqvfppf.com^$third-party -||jboovenoenkh.com^$third-party -||jbvisobwrlcv.com^$third-party -||jbyksmjmbmku.com^$third-party -||jcctggmdccmt.com^$third-party -||jcnoeyqsdfrc.com^$third-party -||jdlnquri.com^$third-party -||jdtufqcyumvb.com^$third-party -||jertwakjcaym.com^$third-party -||jevijshpvnwm.com^$third-party -||jeyoxmhhnofdhaalzlfbrsfmezfxqxgwqjkxthzptjdizuyojh.com^$third-party -||jfaqiomgvajb.com^$third-party -||jffwwuyychxw.com^$third-party -||jfribvstvcqy.com^$third-party -||jgqkrvjtuapt.com^$third-party -||jgrcggutsilp.com^$third-party -||jhrmgusalkdu.com^$third-party -||jhupypvmcsqfqpbxbvumiaatlilzjrzbembarnhyoochsedzvi.com^$third-party -||jijcetagjfzo.com^$third-party -||jiyairvjgfqk.com^$third-party -||jjdrwkistgfh.com^$third-party -||jjipgxjf.com^$third-party -||jjpoxurorlsb.com^$third-party -||jjxsdkphpcwu.com^$third-party -||jjyovwimoydq.com^$third-party -||jkjoxlhkwnxd.com^$third-party -||jkkernvkrwdr.com^$third-party -||jlarmqbypyku.com^$third-party -||jlflzjdt.com^$third-party -||jlmirsfthnmh.com^$third-party -||jlymmwnkxhph.com^$third-party -||jmbhyqijqhxk.com^$third-party -||jmvjmgofvxnu.com^$third-party -||jmzaqwcmcbui.com^$third-party -||jncjzdohkgic.com^$third-party -||jndclagxkvpn.com^$third-party -||jnercechoqjb.com^$third-party -||jnxqlltlnezn.com^$third-party -||jnylpjlnjfsp.com^$third-party -||jobveibsozms.com^$third-party -||jogpsoiyngua.com^$third-party -||joqpatxugyug.com^$third-party -||jorndvyzchaq.com^$third-party -||jovepjufhmmw.com^$third-party -||jpncpftyxliq.com^$third-party -||jpuiucicqwan.com^$third-party -||jpwvdpvsmhow.com^$third-party -||jqibqqxghcfk.com^$third-party -||jqkxaejcijfz.com^$third-party -||jqmcbepfjgks.com^$third-party -||jqqrcwwd.com^$third-party -||jrmyhchnfawh.com^$third-party -||jrtawlpbusyg.com^$third-party -||jseewggtkfrs.com^$third-party -||jshjrozmwmyj.com^$third-party -||jtumenosmrte.com^$third-party -||jtzlsdmbmfms.com^$third-party -||juqmlmoclnhe.com^$third-party -||jusrlkubhjnr.com^$third-party -||juyfhwxcvzft.com^$third-party -||jvnvvuveozfi.com^$third-party -||jvodizomnxtg.com^$third-party -||jwfdyujffrzt.com^$third-party -||jwwlyiicjkuh.com^$third-party -||jwzegfmsgyba.com^$third-party -||jxvhdyguseaf.com^$third-party -||jyauuwrrigim.com^$third-party -||jydbctzvbqrh.com^$third-party -||jypmcknqvnfd.com^$third-party -||jzbarlrhbicg.com^$third-party -||jzbskhgpivyl.com^$third-party -||jzekquhmaxrk.com^$third-party -||jzlzdnvvktcf.com^$third-party -||jzqharwtwqei.com^$third-party -||kadjwdpzxdxd.com^$third-party -||karcvrpwayal.com^$third-party -||karownxatpbd.com^$third-party -||kayfdraimewk.com^$third-party -||kayophjgzqdq.com^$third-party -||kbjddmnkallz.com^$third-party -||kbrnfzgglehh.com^$third-party -||kbrwlgzazfnv.com^$third-party -||kbsceyleonkq.com^$third-party -||kbzrszspknla.com^$third-party -||kcchjeoufbqu.com^$third-party -||kceikbfhsnet.com^$third-party -||kdaskxrcgxhp.com^$third-party -||kdtictjmofbl.com^$third-party -||kdtstmiptmvk.com^$third-party -||kdvcvkwwtbwn.com^$third-party -||kecldktirqzk.com^$third-party -||keeedoleeroe.com^$third-party -||keellcvwpzgj.com^$third-party -||keqnebfovnhl.com^$third-party -||kfdwywhuissy.com^$third-party -||kfpwayrztgjj.com^$third-party -||kfwpyyctzmpk.com^$third-party -||kfzimhbhjdqa.com^$third-party -||kgkjlivo.com^$third-party -||kgvgtudoridc.com^$third-party -||kgzuerzjysxw.com^$third-party -||kihhgldtpuho.com^$third-party -||kjbqzbiteubt.com^$third-party -||kjjlucebvxtu.com^$third-party -||kjmddlhlejeh.com^$third-party -||kjnkmidieyrb.com^$third-party -||kjplmlvtdoaf.com^$third-party -||kjqyvgvvazii.com^$third-party -||kknvwhcmqoet.com^$third-party -||kknwvfdzyqzj.com^$third-party -||klakcdiqmgxq.com^$third-party -||kldwitfrqwal.com^$third-party -||klmvharqoxdq.com^$third-party -||klrdsagmuepg.com^$third-party -||kmtubsbmwdep.com^$third-party -||kmveerigfvyy.com^$third-party -||kmvupiadkzdn.com^$third-party -||knkxnwscphdk.com^$third-party -||knslxwqgatnd.com^$third-party -||konbwfktusra.com^$third-party -||kovglrrlpqum.com^$third-party -||kplzvizvsqrh.com^$third-party -||kpnuqvpevotn.com^$third-party -||kpsdnlprwclz.com^$third-party -||kqcflzvunhew.com^$third-party -||kqgfcumsbtyy.com^$third-party -||kqmjmrzjhmdn.com^$third-party -||kqsipdhvcejx.com^$third-party -||krmuxxubtkrg.com^$third-party -||krovrhmqgupd.com^$third-party -||krsdoqvsmgld.com^$third-party -||krxexwfnghfu.com^$third-party -||krxpudrzyvko.com^$third-party -||krziyrrnvjai.com^$third-party -||ksbklucaxgbf.com^$third-party -||ktcltsgjcbjdcyrcdaspmwqwscxgbqhscmkpsxarejfsfpohkk.com^$third-party -||kthdreplfmil.com^$third-party -||ktjqfqadgmxh.com^$third-party -||ktrmzzrlkbet.com^$third-party -||kuavzcushxyd.com^$third-party -||kuaygqohsbeg.com^$third-party -||kumekqeccmob.com^$third-party -||kurtgcwrdakv.com^$third-party -||kutlvuitevgw.com^$third-party -||kvadaiwjwxdp.com^$third-party -||kvpofpkxmlpb.com^$third-party -||kvrozyibdkkt.com^$third-party -||kvsyksorguja.com^$third-party -||kvvvdfimdxnu.com^$third-party -||kvzvtiswjroe.com^$third-party -||kwgpddeduvje.com^$third-party -||kwipnlppnybc.com^$third-party -||kwjglwybtlhm.com^$third-party -||kwystoaqjvml.com^$third-party -||kxareafqwjop.com^$third-party -||kxdprqrrfhhn.com^$third-party -||kxtepdregiuo.com^$third-party -||kyhkyreweusn.com^$third-party -||kylqpeevrkgh.com^$third-party -||kyowarob.com^$third-party -||kyveduvdkbro.com^$third-party -||kyzhecmvpiaw.com^$third-party -||kzqrjfulybvv.com^$third-party -||kzujizavnlxf.com^$third-party -||kzwddxlpcqww.com^$third-party -||lazkslkkmtpy.com^$third-party -||lbfryfttoihl.com^$third-party -||lbpndcvhuqlm.com^$third-party -||lbypppwfvagq.com^$third-party -||lckpubqq.com^$third-party -||lcpqoewrzuxh.com^$third-party -||lctpaemybjkv.com^$third-party -||lcuprkufusba.com^$third-party -||lcxrhcqouqtw.com^$third-party -||lcyncwbacrgz.com^$third-party -||lcyxmuhxroyo.com^$third-party -||ldaiuhkayqtu.com^$third-party -||ldkyzudgbksh.com^$third-party -||ldyiuvdoahxz.com^$third-party -||leuojmgbkpcl.com^$third-party -||lexwdqnzmkdr.com^$third-party -||lfcnzhcnzded.com^$third-party -||lfvrjrdrgazl.com^$third-party -||lgnjcntegeqf.com^$third-party -||lgthvsytzwtc.com^$third-party -||lgtnwgfqkyyf.com^$third-party -||lhaqzqjbafcu.com^$third-party -||lhekiqlzatfv.com^$third-party -||lhuqalcxjmtq.com^$third-party -||liosawitskzd.com^$third-party -||liqbipkfbafq.com^$third-party -||lixzmpxjilqp.com^$third-party -||ljhuvzutnpza.com^$third-party -||ljngencgbdbn.com^$third-party -||ljngjrwkyovx.com^$third-party -||ljzhxfurwibo.com^$third-party -||lkaarvdprhzx.com^$third-party -||lkbvfdgqvvpk.com^$third-party -||lkjmcevfgoxfbyhhmzambtzydolhmeelgkotdllwtfshrkhrev.com^$third-party -||lkktkgcpqzwd.com^$third-party -||lkrcapch.com^$third-party -||lljtgiwhqtue.com^$third-party -||lmejuamdbtwc.com^$third-party -||lmjjenhdubpu.com^$third-party -||lmuxaeyapbqxszavtsljaqvmlsuuvifznvttuuqfcxcbgqdnn.com^$third-party -||lnjpyxvbpyvj.com^$third-party -||lnnwwxpeodmw.com^$third-party -||lnzcmgguxlac.com^$third-party -||loxmetwdjrmh.com^$third-party -||lpiqwtsuduhh.com^$third-party -||lplqyocxmify.com^$third-party -||lppoblhorbrf.com^$third-party -||lpwvdgfo.com^$third-party -||lqhnrsfkgcfe.com^$third-party -||lqlksxbltzxw.com^$third-party -||lqpkjasgqjve.com^$third-party -||lrjltdosshhd.com^$third-party -||lroywnhohfrj.com^$third-party -||lsegvhvzrpqc.com^$third-party -||lshwezesshks.com^$third-party -||lskzcjgerhzn.com^$third-party -||lsslotuojpud.com^$third-party -||lstkfdmmxbmv.com^$third-party -||lttsvesujmry.com^$third-party -||luhqeqaypvmc.com^$third-party -||luraclhaunxv.com^$third-party -||lvlvpdztdnro.com^$third-party -||lvrvufurxhgp.com^$third-party -||lwasxldakmhx.com^$third-party -||lwenrqtarmdx.com^$third-party -||lwocvazxfnuj.com^$third-party -||lwqwsptepdxy.com^$third-party -||lwysswaxnutn.com^$third-party -||lxghhxdcmumk.com^$third-party -||lxkqybzanzug.com^$third-party -||lyifwfhdizcc.com^$third-party -||lytpdzqyiygthvxlmgblonknzrctcwsjycmlcczifxbkquknsr.com^$third-party -||lyzskjigkxwy.com^$third-party -||lzawbiclvehu.com^$third-party -||lzbzwpmozwfy.com^$third-party -||lzmovatu.com^$third-party -||lzrfxzvfbkay.com^$third-party -||lzvnaaozpqyb.com^$third-party -||maboflgkaxqn.com^$third-party -||mafndqbvdgkm.com^$third-party -||magwfymjhils.com^$third-party -||makhhvgdkhwn.com^$third-party -||maxgirlgames.com^$third-party -||maziynjxjdoe.com^$third-party -||mbajaazbqdzc.com^$third-party -||mbfvfdkawpoi.com^$third-party -||mbgvhfotcqsj.com^$third-party -||mbvmecdlwlts.com^$third-party -||mcagbtdcwklf.com^$third-party -||mdeaoowvqxma.com^$third-party -||mdrkqbsirbry.com^$third-party -||meagjivconqt.com^$third-party -||medyagundem.com^$third-party -||meeaowsxneps.com^$third-party -||melqdjqiekcv.com^$third-party -||mepchnbjsrik.com^$third-party -||mflkgrgxadij.com^$third-party -||mfmikwfdopmiusbveskwmouxvafvzurvklwyfamxlddexgrtci.com^$third-party -||mfryftaguwuv.com^$third-party -||mftbfgcusnzl.com^$third-party -||mfuebmooizdr.com^$third-party -||mgrxsztbcfeg.com^$third-party -||mhaafkoekzax.com^$third-party -||mhcttlcbkwvp.com^$third-party -||mhfvtafbraql.com^$third-party -||mhghzpotwnoh.com^$third-party -||mhrfhwlqsnzf.com^$third-party -||mhwxckevqdkx.com^$third-party -||miadbbnreara.com^$third-party -||mictxtwtjigs.com^$third-party -||mizmhwicqhprznhflygfnymqbmvwokewzlmymmvjodqlizwlrf.com^$third-party -||mjujcjfrgslf.com^$third-party -||mkceizyfjmmq.com^$third-party -||mkfzovhrfrre.com^$third-party -||mkmxovjaijti.com^$third-party -||mkpdquuxcnhl.com^$third-party -||mkyzqyfschwd.com^$third-party -||mkzynqxqlcxk.com^$third-party -||mlaxgqosoawc.com^$third-party -||mlbzafthbtsl.com^$third-party -||mlgrrqymdsyk.com^$third-party -||mlkqusrmsfib.com^$third-party -||mlmjxddzdazr.com^$third-party -||mlstoxplovkj.com^$third-party -||mmaigzevcfws.com^$third-party -||mmcltttqfkbh.com^$third-party -||mmdcibihoimt.com^$third-party -||mmdifgneivng.com^$third-party -||mmeddgjhplqy.com^$third-party -||mmesheltljyi.com^$third-party -||mmknsfgqxxsg.com^$third-party -||mmnridsrreyh.com^$third-party -||mmojdtejhgeg.com^$third-party -||mmvcmovwegkz.com^$third-party -||mmygcnboxlam.com^$third-party -||mnjgoxmx.com^$third-party -||mnusvlgl.com^$third-party -||mnyavixcddgx.com^$third-party -||mnzimonbovqs.com^$third-party -||moadlbgojatn.com^$third-party -||mohcafpwpldi.com^$third-party -||molqvpnnlmnb.com^$third-party -||mopvkjodhcwscyudzfqtjuwvpzpgzuwndtofzftbtpdfszeido.com^$third-party -||mosdqxsgjhes.com^$third-party -||mpoboqvqhjqv.com^$third-party -||mpytdykvcdsg.com^$third-party -||mpzuzvqyuvbh.com^$third-party -||mqcnrhxdsbwr.com^$third-party -||mqphkzwlartq.com^$third-party -||mqwkqapsrgnt.com^$third-party -||mrfveznetjtp.com^$third-party -||mrkzgpbaapif.com^$third-party -||mrnbzzwjkusv.com^$third-party -||mrqsuedzvrrt.com^$third-party -||msiegurhgfyl.com^$third-party -||msrwoxdkffcl.com^$third-party -||mszfmpseoqbu.com^$third-party -||mtlieuvyoikf.com^$third-party -||mttyfwtvyumc.com^$third-party -||mueqzsdabscd.com^$third-party -||mukxblrkoaaa.com^$third-party -||munpprwlhric.com^$third-party -||mvjuhdjuwqtk.com^$third-party -||mvqinxgp.com^$third-party -||mvzmmcbxssgp.com^$third-party -||mwlucuvbyrff.com^$third-party -||mwqkpxsrlrus.com^$third-party -||mxsuikhqaggf.com^$third-party -||mxtcafifuufp.com^$third-party -||myfrvfxqeimp.com^$third-party -||mzbetmhucxih.com^$third-party -||mzguykhxnuap.com^$third-party -||mzkhhjueazkn.com^$third-party -||nahvyfyfpffm.com^$third-party -||nawdwtocxqru.com^$third-party -||nbbljlzbbpck.com^$third-party -||nbbvpxfxnamb.com^$third-party -||nbkwnsonadrb.com^$third-party -||nbmffortfyyg.com^$third-party -||nbrwtboukesx.com^$third-party -||nbzionsmbgrt.com^$third-party -||ncdxfwxijazn.com^$third-party -||ncspvnslmmbv.com^$third-party -||ndemlviibdyc.com^$third-party -||ndgmwuxzxppa.com^$third-party -||ndkvzncsuxgx.com^$third-party -||ndndptjtonhh.com^$third-party -||ndpegjgxzbbv.com^$third-party -||ndtlcaudedxz.com^$third-party -||ndxidnvvyvwx.com^$third-party -||nedmppiilnld.com^$third-party -||nefczemmdcqi.com^$third-party -||nefxtwxk.com^$third-party -||negdrvgo.com^$third-party -||nfdntqlqrgwc.com^$third-party -||nfniziqm.com^$third-party -||nfnssadfhxov.com^$third-party -||nfsqrijauncb.com^$third-party -||nfxusyviqsnh.com^$third-party -||ngmckvucrjbnyybvgesxozxcwpgnaljhpedttelavqmpgvfsxg.com^$third-party -||nguooqblyjrz.com^$third-party -||nhbklvpswckx.com^$third-party -||nheanvabodkw.com^$third-party -||nidjppokmlcx.com^$third-party -||nifyalnngdhb.com^$third-party -||niviemwsmiaq.com^$third-party -||njcdmsgjbbbz.com^$third-party -||njjybqyiuotl.com^$third-party -||nkkreqvurtoh.com^$third-party -||nklivofyjkbt.com^$third-party -||nkyngrtleloc.com^$third-party -||nlfqbfwbfovt.com^$third-party -||nlljrfvbnisi.com^$third-party -||nmaafswoiecv.com^$third-party -||nmayxdwzhaus.com^$third-party -||nmhhnyqmxgku.com^$third-party -||nnbestmblotl.com^$third-party -||nnigsvoorscmgnyobwuhrgnbcgtiicyflrtpwxsekldubasizg.com^$third-party -||nnjiluslnwli.com^$third-party -||nnvjigagpwsh.com^$third-party -||nokswnfvghee.com^$third-party -||nomlxyhfgeny.com^$third-party -||noolablkcuyu.com^$third-party -||npauffnlpgzw.com^$third-party -||npeanaixbjptsemxrcivetuusaagofdeahtrxofqpxoshduhri.com^$third-party -||npgdqwtrprfq.com^$third-party -||npikrbynhuzi.com^$third-party -||nplrzxvyrhiq.com^$third-party -||nqlkwyyzzgtn.com^$third-party -||nrectoqhwdhi.com^$third-party -||nrgpugas.com^$third-party -||nryvxfosuiju.com^$third-party -||nsazelqlavtc.com^$third-party -||ntndubuzxyfz.com^$third-party -||ntnlawgchgds.com^$third-party -||nuayfpthqlkq.com^$third-party -||nubtjnopbjup.com^$third-party -||nucqkjkvppgs.com^$third-party -||nunsbvlzuhyi.com^$third-party -||nuscutsdqqcc.com^$third-party -||nushflxucofk.com^$third-party -||nvajxoahenwe.com^$third-party -||nvmjtxnlcdqo.com^$third-party -||nwdufyamroaf.com^$third-party -||nwfdrxktftep.com^$third-party -||nwirvhxxcsft.com^$third-party -||nxcxithvcoeh.com^$third-party -||nybpurpgexoe.com^$third-party -||nyqogyaflmln.com^$third-party -||nzcpdaboaayv.com^$third-party -||nzxriltfmrpl.com^$third-party -||oaadkiypttok.com^$third-party -||oalicqudnfhf.com^$third-party -||oawleebf.com^$third-party -||oaxwtgfhsxod.com^$third-party -||oazojnwqtsaj.com^$third-party -||obqtccxcfjmd.com^$third-party -||obthqxbm.com^$third-party -||obuuyneuhfwf.com^$third-party -||obvbubmzdvom.com^$third-party -||obxwnnheaixf.com^$third-party -||ocipbbphfszy.com^$third-party -||ocydwjnqasrn.com^$third-party -||ocyhpouojiss.com^$third-party -||odomcrqlxulb.com^$third-party -||odpjcjreznno.com^$third-party -||odplbueosuzw.com^$third-party -||odsljzffiixm.com^$third-party -||odtcspsrhbko.com^$third-party -||oehjxqhiasrk.com^$third-party -||oewscpwrvoca.com^$third-party -||ofajzowbwzzi.com^$third-party -||ofbqjpaamioq.com^$third-party -||ofgapiydisrw.com^$third-party -||ofghrodsrqkg.com^$third-party -||ofjampfenbwv.com^$third-party -||ofmuojegzbxo.com^$third-party -||ogqeedybsojr.com^$third-party -||ogulzxfxrmow.com^$third-party -||oguorftbvegb.com^$third-party -||ohecnqpldvuw.com^$third-party -||ohmvrqomsitr.com^$third-party -||oiffrtkdgoef.com^$third-party -||oipsyfnmrwir.com^$third-party -||oiramtfxzqfc.com^$third-party -||ojngisbfwwyp.com^$third-party -||ojvwpiqnmecd.com^$third-party -||okasfshomqmg.com^$third-party -||okbiafbcvoqo.com^$third-party -||okgfvcourjeb.com^$third-party -||okmuxdbq.com^$third-party -||oknmanswftcd.com^$third-party -||okvmsjyrremu.com^$third-party -||olctpejrnnfh.com^$third-party -||olthlikechgq.com^$third-party -||olwopczjfkng.com^$third-party -||ompzowzfwwfc.com^$third-party -||ongkidcasarv.com^$third-party -||onjqfyuxprnq.com^$third-party -||onkcjpgmshqx.com^$third-party -||oofophdrkjoh.com^$third-party -||oonenbygymsl.com^$third-party -||oosdjdhqayjm.com^$third-party -||oouggjayokzx.com^$third-party -||ooyhetoodapmrjvffzpmjdqubnpevefsofghrfsvixxcbwtmrj.com^$third-party -||ophpbseelohv.com^$third-party -||oppcgcqytazs.com^$third-party -||opyisszzoyhc.com^$third-party -||oqmjxcqgdghq.com^$third-party -||orddiltnmmlu.com^$third-party -||ormnduxoewtl.com^$third-party -||orszajhynaqr.com^$third-party -||orzsaxuicrmr.com^$third-party -||osbblnlmwzcr.com^$third-party -||oslzqjnh.com^$third-party -||ossdqciz.com^$third-party -||otpyldlrygga.com^$third-party -||otrfmbluvrde.com^$third-party -||oubibahphzsz.com^$third-party -||oubriojtpnps.com^$third-party -||ougfkbyllars.com^$third-party -||oulxdvvpmfcd.com^$third-party -||ovfbwavekglf.com^$third-party -||ovgzbnjj.com^$third-party -||ovoczhahelca.com^$third-party -||ovrdkhamiljt.com^$third-party -||ovzmelkxgtgf.com^$third-party -||owihjchxgydd.com^$third-party -||owlmjcogunzx.com^$third-party -||owodfrquhqui.com^$third-party -||owqobhxvaack.com^$third-party -||owrqvyeyrzhy.com^$third-party -||owwewfaxvpch.com^$third-party -||oxanehlscsry.com^$third-party -||oyrgxjuvsedi.com^$third-party -||oytrrdlrovcn.com^$third-party -||oyzsverimywg.com^$third-party -||ozhwenyohtpb.com^$third-party -||ozoltyqcnwmu.com^$third-party -||ozwtmmcdglos.com^$third-party -||ozymwqsycimr.com^$third-party -||palzblimzpdk.com^$third-party -||payrfnvfofeq.com^$third-party -||pbbutsvpzqza.com^$third-party -||pbnnsras.com^$third-party -||pcebrrqydcox.com^$third-party -||pceqybrdyncq.com^$third-party -||pdbaewqjyvux.com^$third-party -||pdzqwzrxlltz.com^$third-party -||peewuranpdwo.com^$third-party -||peewuvgdcian.com^$third-party -||peqdwnztlzjp.com^$third-party -||pfjwtzlfaivp.com^$third-party -||pguxoochezkc.com^$third-party -||pgxciwvwcfof.com^$third-party -||pifaojvaiofw.com^$third-party -||piwwplvxvqqi.com^$third-party -||pixjqfvlsqvu.com^$third-party -||pjffrqroudcp.com^$third-party -||pjnrwznmzguc.com^$third-party -||pjzabhzetdmt.com^$third-party -||pkklpazhqqda.com^$third-party -||pkmzxzfazpst.com^$third-party -||pkougirndckw.com^$third-party -||pkoyiqjjxhsy.com^$third-party -||pkqbgjuinhgpizxifssrtqsyxnzjxwozacnxsrxnvkrokysnhb.com^$third-party -||pktgargbhjmo.com^$third-party -||plcsedkinoul.com^$third-party -||plgdhrvzsvxp.com^$third-party -||plmuxaeyapbqxszavtsljaqvmlsuuvifznvttuuqfcxcbgqdnn.com^$third-party -||plquutxxewil.com^$third-party -||plwvwvhudkuv.com^$third-party -||plyftjxmrxrk.com^$third-party -||pmgmbpuiblak.com^$third-party -||pmlcuxqbngrl.com^$third-party -||pnfpithmmrxc.com^$third-party -||pnjeolgxsimj.com^$third-party -||pnmkuqkonlzj.com^$third-party -||pnunijdm.com^$third-party -||pnuymnyhbbuf.com^$third-party -||poazvacfzbed.com^$third-party -||popzkvfimbox.com^$third-party -||ppjjbzcxripw.com^$third-party -||ppqfteducvts.com^$third-party -||ppuuwencqopa.com^$third-party -||ppxrlfhsouac.com^$third-party -||ppzfvypsurty.com^$third-party -||pqoznetbeeza.com^$third-party -||pqwaaocbzrob.com^$third-party -||praeicwgzapf.com^$third-party -||prenvifxzjuo.com^$third-party -||prggimadscvm.com^$third-party -||prqivgpcjxpp.com^$third-party -||prwlzpyschwi.com^$third-party -||psdnlprwclz.com^$third-party -||pserhnmbbwexmbjderezswultfqlamugbqzsmyxwumgqwxuerl.com^$third-party -||pshcqtizgdlm.com^$third-party -||psmlgjalddqu.com^$third-party -||psrbrytujuxv.com^$third-party -||ptiqsfrnkmmtvtpucwzsaqonmvaprjafeerwlyhabobuvuazun.com^$third-party -||ptoflpqqqkdk.com^$third-party -||ptvjsyfayezb.com^$third-party -||pugklldkhrfg.com^$third-party -||punlkhusprgw.com^$third-party -||puogotzrsvtg.com^$third-party -||pusbamejpkxq.com^$third-party -||pvoplkodbxra.com^$third-party -||pvptwhhkfmog.com^$third-party -||pvtcntdlcdsb.com^$third-party -||pwizshlkrpyh.com^$third-party -||pwynoympqwgg.com^$third-party -||pxarwmerpavfmomfyjwuuinxaipktnanwlkvbmuldgimposwzm.com^$third-party -||pxgkuwybzuqz.com^$third-party -||pxktkwmrribg.com^$third-party -||pydpcqjenhjx.com^$third-party -||pzcpotzdkfyn.com^$third-party -||pzgchrjikhfyueumavkqiccvsdqhdjpljgwhbcobsnjrjfidpq.com^$third-party -||pzkpyzgqvofi.com^$third-party -||qadtkdlqlemf.com^$third-party -||qahajvkyfjpg.com^$third-party -||qajaohrcbpkd.com^$third-party -||qajjyxsifzfe.com^$third-party -||qanzlmrnxxne.com^$third-party -||qarqyhfwient.com^$third-party -||qazzzxwynmot.com^$third-party -||qbfvwovkuewm.com^$third-party -||qclxheddcepf.com^$third-party -||qcpegxszbgjm.com^$third-party -||qdlhprdtwhvgxuzklovisrdbkhptpfarrbcmtrxbzlvhygqisv.com^$third-party -||qeembhyfvjtq.com^$third-party -||qekmxaimxkok.com^$third-party -||qenafbvgmoci.com^$third-party -||qerlbvqwsqtb.com^$third-party -||qevivcixnngf.com^$third-party -||qfhjthejwvgm.com^$third-party -||qfmbgvgvauvt.com^$third-party -||qfmcpclzunze.com^$third-party -||qfrhhvbfofbt.com^$third-party -||qfrpehkvqtyj.com^$third-party -||qgraprebabxo.com^$third-party -||qhqofqeivtno.com^$third-party -||qijffgqsbkii.com^$third-party -||qiktwikahncl.com^$third-party -||qinsmmxvacuh.com^$third-party -||qiqrguvdhcux.com^$third-party -||qiremmtynkae.com^$third-party -||qiurgfxexsmp.com^$third-party -||qixlpaaeaspr.com^$third-party -||qjmearsroiyn.com^$third-party -||qjskosdsxanp.com^$third-party -||qkdywnhtmpgc.com^$third-party -||qklhtphiphni.com^$third-party -||qknuubmfneib.com^$third-party -||qkpwdakgxynv.com^$third-party -||qkuprxbmkeqp.com^$third-party -||qljczwei.com^$third-party -||qlugrmjsncbe.com^$third-party -||qmamdjtoykgl.com^$third-party -||qndqwtrwguhv.com^$third-party -||qnpolbme.com^$third-party -||qnqrmqwehcpa.com^$third-party -||qnsdwkjctkso.com^$third-party -||qoiowocphgjm.com^$third-party -||qolnnepubuyz.com^$third-party -||qotwtnckqrke.com^$third-party -||qoxsriddwmqx.com^$third-party -||qpcyafunjtir.com^$third-party -||qpiyjprptazz.com^$third-party -||qqapezviufsh.com^$third-party -||qqbyfhlctzty.com^$third-party -||qqvatwaqtzgp.com^$third-party -||qqylzyrqnewl.com^$third-party -||qrcsppwzjryh.com^$third-party -||qregqtqtuisj.com^$third-party -||qrksjrjppkam.com^$third-party -||qrozsnmc.com^$third-party -||qsgiqllpfthg.com^$third-party -||qtjafpcpmcri.com^$third-party -||qtsmzrnccnwz.com^$third-party -||quaizzywzluk.com^$third-party -||qudpdpkxffzt.com^$third-party -||qveuxmbhbhmg.com^$third-party -||qvsbroqoaggw.com^$third-party -||qwbnzilogwdc.com^$third-party -||qwhkndqqxxbq.com^$third-party -||qwqqliynxufj.com^$third-party -||qwrkigqtgygc.com^$third-party -||qxbnmdjmymqa.com^$third-party -||qxnniyuuaxhv.com^$third-party -||qxxyzmukttyp.com^$third-party -||qyvpgddwqynp.com^$third-party -||qyzoejyqbqyd.com^$third-party -||qzcpotzdkfyn.com^$third-party -||qzxtbsnaebfw.com^$third-party -||rbdmtydtobai.com^$third-party -||rbfxurlfctsz.com^$third-party -||rbgrlqsepeds.com^$third-party -||rbppnzuxoatx.com^$third-party -||rbrbvedkazkr.com^$third-party -||rbsfglbipyfs.com^$third-party -||rbuowrinsjsx.com^$third-party -||rbvfibdsouqz.com^$third-party -||rbyjirwjbibz.com^$third-party -||rcjthosmxldl.com^$third-party -||rckxwyowygef.com^$third-party -||rcnkflgtxspr.com^$third-party -||rdikvendxamg.com^$third-party -||rdlynbosndvx.com^$third-party -||rdqyasdstllr.com^$third-party -||rdzxpvbveezdkcyustcomuhczsbvteccejkdkfepouuhxpxtmy.com^$third-party -||reebinbxhlva.com^$third-party -||repefwairfkx.com^$third-party -||rertazmgduxp.com^$third-party -||rffjopgiuhsx.com^$third-party -||rffqzbqqmuhaomjpwatukocrykmesssfdhpjuoptovsthbsswd.com^$third-party -||rfvicvayyfsp.com^$third-party -||rfyphhvcczyq.com^$third-party -||rgmgocplioed.com^$third-party -||rgztepyoefvm.com^$third-party -||rhfntvnbxfxu.com^$third-party -||rhfvzboqkjfmabakkxggqdmulrsxmisvuzqijzvysbcgyycwfk.com^$third-party -||riaetcuycxjz.com^$third-party -||rifwhwdsqvgw.com^$third-party -||rihzsedipaqq.com^$third-party -||rjncckyoyvtu.com^$third-party -||rjnkpqax.com^$third-party -||rjpqbishujeu.com^$third-party -||rjyihkorkewq.com^$third-party -||rkelvtnnhofl.com^$third-party -||rklluqchluxg.com^$third-party -||rkrpvzgzdwqaynyzxkuviotbvibnpqaktcioaaukckhbvkognu.com^$third-party -||rkvpcjiuumbk.com^$third-party -||rllvjujeyeuy.com^$third-party -||rlqvyqgjkxgx.com^$third-party -||rlypbeouoxxw.com^$third-party -||rmbilhzcytee.com^$third-party -||rmdzbqggjskv.com^$third-party -||rmetgarrpiouttmwqtuajcnzgesgozrihrzwmjlpxvcnmdqath.com^$third-party -||rmgxhpflxhmd.com^$third-party -||rmjxcosbfgyl.com^$third-party -||rmlzgvnuqxlp.com^$third-party -||rnfrfxqztlno.com^$third-party -||rnrbvhaoqzcksxbhgqtrucinodprlsmuvwmaxqhxngkqlsiwwp.com^$third-party -||rnyuhkbucgun.com^$third-party -||rpczohkv.com^$third-party -||rpspeqqiddjm.com^$third-party -||rpulxcwmnuxi.com^$third-party -||rqtdnrhjktzr.com^$third-party -||rqthkhiuddlg.com^$third-party -||rrrdddbtofnf.com^$third-party -||rrscdnsfunoe.com^$third-party -||rryodgeerrvn.com^$third-party -||rscgfvsximqdpowcmruwitolouncrmnribnfobxzfhrpdmahqe.com^$third-party -||rsjpgfugttlh.com^$third-party -||rsvxipjqyvfs.com^$third-party -||rtufxsncbegz.com^$third-party -||rtusxaoxemxy.com^$third-party -||rtxunghyiwiq.com^$third-party -||ruovcruc.com^$third-party -||ruoypiedfpov.com^$third-party -||ruzttiecdedv.com^$third-party -||rvoxndszxwmo.com^$third-party -||rvzudtgpvwxz.com^$third-party -||rweqvydtzyre.com^$third-party -||rwtvvdspsbll.com^$third-party -||rxicrihobtkf.com^$third-party -||rxisfwvggzot.com^$third-party -||rxsazdeoypma.com^$third-party -||rxuqpktyqixa.com^$third-party -||rylnirfbokjd.com^$third-party -||rzcmcqljwxyy.com^$third-party -||rzgiiioqfpny.com^$third-party -||sagulzuyvybu.com^$third-party -||sailznsgbygz.com^$third-party -||saipuciruuja.com^$third-party -||sajhiqlcsugy.com^$third-party -||samlmqljptbd.com^$third-party -||sapvummffiay.com^$third-party -||sauispjbeisl.com^$third-party -||sbftffngpzwt.com^$third-party -||sbhnftwdlpbo.com^$third-party -||scbnvzfscfmn.com^$third-party -||scbywuiojqvh.com^$third-party -||sceuexzmiwrf.com^$third-party -||scgyndrujhzf.com^$third-party -||scmffjmashzc.com^$third-party -||scuwbelujeeu.com^$third-party -||scxxbyqjslyp.com^$third-party -||sdemctwaiazt.com^$third-party -||sdqspuyipbof.com^$third-party -||seiqobwpbofg.com^$third-party -||sfcckxdgfgzo.com^$third-party -||sfmziexfvvru.com^$third-party -||sfpkwhncpllt.com^$third-party -||sfzcbcrwxhic.com^$third-party -||sgfcsnwegazn.com^$third-party -||sgzsviqlvcxc.com^$third-party -||shnmhrlcredd.com^$third-party -||shnoadlvpylf.com^$third-party -||shvdvzydgryx.com^$third-party -||sijlnueeertd.com^$third-party -||silrfbopbobw.com^$third-party -||siogczwibswm.com^$third-party -||siwtuvvgraum.com^$third-party -||sjgklyyyraghhrgimsepycygdqvezppyfjkqddhlzbimoabjae.com^$third-party -||sjpexaylsfjnopulpgkbqtkzieizcdtslnofpkafsqweztufpa.com^$third-party -||sjtevvoviqhe.com^$third-party -||skknyxzaixws.com^$third-party -||skzhfyqozkic.com^$third-party -||slmmjkkvbkyp.com^$third-party -||sloaltbyucrg.com^$third-party -||smrqvdpgkbvz.com^$third-party -||sncpizczabhhafkzeifklgonzzkpqgogmnhyeggikzloelmfmd.com^$third-party -||snetddbbbgbp.com^$third-party -||snfqpqyecdrb.com^$third-party -||sngjaetjozyr.com^$third-party -||snhfjfnvgnry.com^$third-party -||snjhhcnr.com^$third-party -||snpevihwaepwxapnevcpiqxrsewuuonzuslrzrcxqwltupzbwu.com^$third-party -||sockjgaabayf.com^$third-party -||soiegibhwvti.com^$third-party -||soirqzccdtyk.com^$third-party -||sokanffuyinr.com^$third-party -||sossxjmotqqs.com^$third-party -||sovqylkbucid.com^$third-party -||spbflxvnheih.com^$third-party -||spfrlpjmvkmq.com^$third-party -||sqnezuqjdbhe.com^$third-party -||sqtsuzrfefwy.com^$third-party -||srfizvugkheq.com^$third-party -||sriaqmzx.com^$third-party -||srizwhcdjruf.com^$third-party -||srksyzqzcetq.com^$third-party -||srppykbedhqp.com^$third-party -||ssdphmfduwcl.com^$third-party -||ssjhkvwjoovf.com^$third-party -||ssloemwiszaz.com^$third-party -||sssjohomoapt.com^$third-party -||ssvolkkihcyp.com^$third-party -||stnvgvtwzzrh.com^$third-party -||sualzmze.com^$third-party -||sufzmohljbgw.com^$third-party -||suonvyzivnfy.com^$third-party -||suwadesdshrg.com^$third-party -||svapqzplbwjx.com^$third-party -||svjloaomrher.com^$third-party -||svnhdfqvhjzn.com^$third-party -||svrsqqtj.com^$third-party -||swckuwtoyrklhtccjuuvcstyesxpbmycjogrqkivmmcqqdezld.com^$third-party -||swgvpkwmojcv.com^$third-party -||swtwtbiwbjvq.com^$third-party -||sxlzcvqfeacy.com^$third-party -||sxprcyzcpqil.com^$third-party -||sxtzhwvbuflt.com^$third-party -||sydnkqqscbxc.com^$third-party -||syorlvhuzgmdqbuxgiulsrusnkgkpvbwmxeqqcboeamyqmyexv.com^$third-party -||syrnujjldljl.com^$third-party -||szjgylwamcxo.com^$third-party -||sznxdqqvjgam.com^$third-party -||szvzzuffxatb.com^$third-party -||szyejlnlvnmy.com^$third-party -||szynlslqxerx.com^$third-party -||tabeduhsdhlkalelecelxbcwvsfyspwictbszchbbratpojhlb.com^$third-party -||taelsfdgtmka.com^$third-party -||tailpdulprkp.com^$third-party -||tammfmhtfhut.com^$third-party -||tamqqjgbvbps.com^$third-party -||taodggarfrmd.com^$third-party -||tapihmxemcksuvleuzpodsdfubceomxfqayamnsoswxzkijjmw.com^$third-party -||taqyljgaqsaz.com^$third-party -||tawgiuioeaovaozwassucoydtrsellartytpikvcjpuwpagwfv.com^$third-party -||tazvowjqekha.com^$third-party -||tbjjzhkwfezt.com^$third-party -||tcdikyjqdmsb.com^$third-party -||tcgojxmwkkgm.com^$third-party -||tckofxwcaqts.com^$third-party -||tcrinrvfejjh.com^$third-party -||tcyeyccspxod.com^$third-party -||tedlrouwixqq.com^$third-party -||tevrhhgzzutw.com^$third-party -||teyuzyrjmrdi.com^$third-party -||tfbzzigqzbax.com^$third-party -||tfqzkesrzttj.com^$third-party -||tftsbqbeuthh.com^$third-party -||tgdlekikqbdc.com^$third-party -||tgijoezvmvvl.com^$third-party -||tgjdebebaama.com^$third-party -||tgrmzphjmvem.com^$third-party -||thnqemehtyfe.com^$third-party -||thvdzghlvfoh.com^$third-party -||thxdbyracswy.com^$third-party -||tienribwjswv.com^$third-party -||tigzuaivmtgo.com^$third-party -||tijosnqojfmv.com^$third-party -||tikwglketskr.com^$third-party -||tiouqzubepuy.com^$third-party -||tivlvdeuokwy.com^$third-party -||tjbgiyek.com^$third-party -||tjkckpytpnje.com^$third-party -||tjkenzfnjpfd.com^$third-party -||tjpzulhghqai.com^$third-party -||tkarkbzkirlw.com^$third-party -||tkeeebdseixv.com^$third-party -||tkfsmiyiozuo.com^$third-party -||tkoatkkdwyky.com^$third-party -||tksljtdqkqxh.com^$third-party -||tldxywgnezoh.com^$third-party -||tljikqcijttf.com^$third-party -||tlnoffpocjud.com^$third-party -||tlpwwloqryzu.com^$third-party -||tlzhxxfeteeimoonsegagetpulbygiqyfvulvemqnfqnoazccg.com^$third-party -||tmdcfkxcckvqbqbixszbdyfjgusfzyguvtvvisojtswwvoduhi.com^$third-party -||tmexywfvjoei.com^$third-party -||tmfkuesmlpto.com^$third-party -||tmkbpnkruped.com^$third-party -||tmmpbkwnzilv.com^$third-party -||tmwhazsjnhip.com^$third-party -||tnpbbdrvwwip.com^$third-party -||toflvbkpwxcr.com^$third-party -||totvsaexihbe.com^$third-party -||tovkhtekzrlu.com^$third-party -||toyhxqjgqcjo.com^$third-party -||tpueomljcrvy.com^$third-party -||tpvprtdclnym.com^$third-party -||tqdarrhactqc.com^$third-party -||trcbxjusetvc.com^$third-party -||trdhjlszfbwk.com^$third-party -||trqbzsxnzxmf.com^$third-party -||tskctmvpwjdb.com^$third-party -||tsuitufixxlf.com^$third-party -||tswhwnkcjvxf.com^$third-party -||ttdaxwrryiou.com^$third-party -||ttgwyqmuhfhx.com^$third-party -||tujbidamlfrn.com^$third-party -||tumfvfvyxusz.com^$third-party -||turyvfzreolc.com^$third-party -||tvammzkprvuv.com^$third-party -||twdksbsyipqa.com^$third-party -||twjgylzydlhz.com^$third-party -||twmeccosyivi.com^$third-party -||twnrkedqefhv.com^$third-party -||txbvzcyfyyoy.com^$third-party -||txwnwvhkbtzb.com^$third-party -||txwzdalmamma.com^$third-party -||txyxoktogdcy.com^$third-party -||tyzfzrjaxxcg.com^$third-party -||tzjngascinro.com^$third-party -||uavqdzorwish.com^$third-party -||uaxdkesuxtvu.com^$third-party -||ubazpxeafwjr.com^$third-party -||ubhzahnzujqlvecihiyukradtnbmjyjsktsoeagcrbbsfzzrfi.com^$third-party -||ubopxbdwtnlf.com^$third-party -||ubxtoqsqusyx.com^$third-party -||uccgdtmmxota.com^$third-party -||uckxjsiy.com^$third-party -||ucptqdmerltn.com^$third-party -||udbwpgvnalth.com^$third-party -||udrwyjpwjfeg.com^$third-party -||udvbtgkxwnap.com^$third-party -||uebcqdgigsid.com^$third-party -||uebyotcdyshk.com^$third-party -||uecjpplzfjur.com^$third-party -||uerhhgezdrdi.com^$third-party -||uerladwdpkge.com^$third-party -||ufmnicckqyru.com^$third-party -||ufrzvzpympib.com^$third-party -||ugxyemavfvlolypdqcksmqzorlphjycckszifyknwlfcvxxihx.com^$third-party -||uhfqrxwlnszw.com^$third-party -||uilknldyynwm.com^$third-party -||uipjeyipoumf.com^$third-party -||ujdctbsbbimb.com^$third-party -||ujocmihdknwj.com^$third-party -||ujqafhcsrhyz.com^$third-party -||ujqbxbcqtbqt.com^$third-party -||ujtyosgemtnx.com^$third-party -||ujyyciaedxqr.com^$third-party -||ukbxppjxfgna.com^$third-party -||ukffjaqtxhor.com^$third-party -||ukjzdydnveuc.com^$third-party -||ukolwxqopahb.com^$third-party -||ukxeudykhgdi.com^$third-party -||ulffbcunqnpv.com^$third-party -||uloywtmpqskx.com^$third-party -||ulpxnhiugynh.com^$third-party -||ulwsjpfxwniz.com^$third-party -||umboffikfkoc.com^$third-party -||umnsvtykkptl.com^$third-party -||umqsrvdg.com^$third-party -||umwsjnsvfzuo.com^$third-party -||umxzhxfrrkmt.com^$third-party -||uncumlzowtkn.com^$third-party -||unffpgtoorpz.com^$third-party -||unztsvrjofqp.com^$third-party -||uqgloylf.com^$third-party -||uqhtuahgfmcx.com^$third-party -||uqoboyvqsqpy.com^$third-party -||uqpotqld.com^$third-party -||uqqgyniatjtf.com^$third-party -||urbanairship.com^$third-party -||urpscavikbyv.com^$third-party -||usoqghurirvz.com^$third-party -||usymycvrilyt.com^$third-party -||uszpxpcoflkl.com^$third-party -||utfffrxmzuvy.com^$third-party -||utzpjbrtyjuj.com^$third-party -||uupqrsjbxrstncicwcdlzrcgoycrgurvfbuiraklyimzzyimrq.com^$third-party -||uuproxhcbcsl.com^$third-party -||uvakjjlbjrmx.com^$third-party -||uvffdmlqwmha.com^$third-party -||uvmsfffedzzw.com^$third-party -||uvxaafcozjgh.com^$third-party -||uwnklfxurped.com^$third-party -||uwpmwpjlxblb.com^$third-party -||uwrzafoopcyr.com^$third-party -||uxyofgcf.com^$third-party -||uyfsqkwhpihm.com^$third-party -||uyqzlnmdtfpnqskyyvidmllmzauitvaijcgqjldwcwvewjgwfj.com^$third-party -||uyusewjlkadj.com^$third-party -||uzbboiydfzog.com^$third-party -||uzbciwrwzzhs.com^$third-party -||uzesptwcwwmt.com^$third-party -||uzqtaxiorsev.com^$third-party -||uzreuvnlizlz.com^$third-party -||vacnuuitxqot.com^$third-party -||vafmypxwomid.com^$third-party -||vaghwpbslvbu.com^$third-party -||vagttuyfeuij.com^$third-party -||vamuglchdpte.com^$third-party -||vaoajrwmjzxp.com^$third-party -||vbjvbjertwov.com^$third-party -||vblunqrovanf.com^$third-party -||vbupfouyymse.com^$third-party -||vbuqjdyrsrvi.com^$third-party -||vbyefnnrswpn.com^$third-party -||vcwdjbbughuy.com^$third-party -||vdhmatjdoyqt.com^$third-party -||vdlvaqsbaiok.com^$third-party -||vdnwtglxprwx.com^$third-party -||vdpyueivvsuc.com^$third-party -||vdqarbfqauec.com^$third-party -||vduswjwfcexa.com^$third-party -||vdvylfkwjpvw.com^$third-party -||vdyqcdxqvebl.com^$third-party -||veeqneifeblh.com^$third-party -||vegmvagvesye.com^$third-party -||vejlbuixnknc.com^$third-party -||vepcsswlpolz.com^$third-party -||vfasewomnmco.com^$third-party -||vfkfctmtgrtq.com^$third-party -||vfnvsvxlgxbvndhgqqohfgdcfprvxqisiqhclfhdpnjzloctny.com^$third-party -||vgckzqudqhfr.com^$third-party -||vgfeahkrzixa.com^$third-party -||vgmrqurgxlimcawbweuzbvbzxabsfuuxseldfapjmxoboaplmg.com^$third-party -||vgtnbvzkepbm.com^$third-party -||vhatpbmitwcn.com^$third-party -||vhctcywajcwv.com^$third-party -||vhiaxerjzbqi.com^$third-party -||vhpqxkhvjgwx.com^$third-party -||vhuveukirbuz.com^$third-party -||vhwuphctrfil.com^$third-party -||vicofhozbuaf.com^$third-party -||viqfxgmgacxv.com^$third-party -||vivcdctagoij.com^$third-party -||vivetivcuggz.com^$third-party -||vizsvhgfkcli.com^$third-party -||vjrpdagpjwyt.com^$third-party -||vjzttumdetao.com^$third-party -||vkarvfrrlhmv.com^$third-party -||vkdbvgcawubn.com^$third-party -||vkqfzlpowalv.com^$third-party -||vlnveqkifcpxdosizybusvjqkfmowoawoshlmcbittpoywblpe.com^$third-party -||vlrzhoueyoxw.com^$third-party -||vltvhssjbliy.com^$third-party -||vlvowhlxxibn.com^$third-party -||vmcpydzlqfcg.com^$third-party -||vmvhmwppcsvd.com^$third-party -||vnadjbcsxfyt.com^$third-party -||vnhcxditnodg.com^$third-party -||vnyginzinvmq.com^$third-party -||vodhaqaujopg.com^$third-party -||volleqgoafcb.com^$third-party -||vpfiiojohjch.com^$third-party -||vpklpmvzbogn.com^$third-party -||vpsotshujdguwijdiyzyacgwuxgnlucgsrhhhglezlkrpmdfiy.com^$third-party -||vpwwtzprrkcn.com^$third-party -||vqaprwkiwset.com^$third-party -||vqfksrwnxodc.com^$third-party -||vqtjeddutdix.com^$third-party -||vrqajyuu.com^$third-party -||vsgherxdcfon.com^$third-party -||vshsjxfjehju.com^$third-party -||vtcquvxsaosz.com^$third-party -||vtoygnkflehv.com^$third-party -||vtqdavdjsymt.com^$third-party -||vtqmlzprsunm.com^$third-party -||vucanmoywief.com^$third-party -||vulexmouotod.com^$third-party -||vunwzlxfsogj.com^$third-party -||vuysooqimdbt.com^$third-party -||vvgttgprssiy.com^$third-party -||vwgffbknpgxe.com^$third-party -||vwugfpktabed.com^$third-party -||vwxskpufgwww.com^$third-party -||vxbtrsqjnjpq.com^$third-party -||vxlpefsjnmws.com^$third-party -||vxqhchlyijwu.com^$third-party -||vxuhavco.com^$third-party -||vxvxsgut.com^$third-party -||vydlqaxchmij.com^$third-party -||vyozgtrtyoms.com^$third-party -||vyrwkkiuzgtu.com^$third-party -||vywycfxgxqlv.com^$third-party -||vzhbfwpo.com^$third-party -||vzmnvqiqgxqk.com^$third-party -||wabxsybclllz.com^$third-party -||wadrzbroefwd.com^$third-party -||waentchjzuwq.com^$third-party -||wafavwthigmc.com^$third-party -||wafrszmnbshq.com^$third-party -||watxeoifxbjo.com^$third-party -||wbqliddtojkf.com^$third-party -||wbtgtphzivet.com^$third-party -||wbvsgqtwyvjb.com^$third-party -||wcgquaaknuha.com^$third-party -||wcoloqvrhhcf.com^$third-party -||wdbddckjoguz.com^$third-party -||wdcxuezpxivqgmecukeirnsyhjpjoqdqfdtchquwyqatlwxtgq.com^$third-party -||wddtrsuqmqhw.com^$third-party -||weekwkbulvsy.com^$third-party -||wehtkuhlwsxy.com^$third-party -||wephuklsjobdxqllpeklcrvquyyifgkictuepzxxhzpjbclmcq.com^$third-party -||wepmmzpypfwq.com^$third-party -||wepzfylndtwu.com^$third-party -||wfbqjdwwunle.com^$third-party -||wfiejyjdlbsrkklvxxwkferadhbcwtxrotehopgqppsqwluboc.com^$third-party -||wgefjuno.com^$third-party -||wggmaxxawkxu.com^$third-party -||wggnmbmedlmo.com^$third-party -||wglbionuopeh.com^$third-party -||wgulihtuzssn.com^$third-party -||whgsyczcofwf.com^$third-party -||whinjxmkugky.com^$third-party -||whkwbllcctfm.com^$third-party -||whsjufifuwkw.com^$third-party -||whsldqctrvuk.com^$third-party -||whuvrlmzyvzy.com^$third-party -||whzbmdeypkrb.com^$third-party -||wicxfvlozsqz.com^$third-party -||wijczxvihjyu.com^$third-party -||wiorcewmylbe.com^$third-party -||wipjyzwavojq.com^$third-party -||wirfpvmoblpa.com^$third-party -||wjdjovjrxsqx.com^$third-party -||wjnkvhlgvixx.com^$third-party -||wkexsfmw.com^$third-party -||wkgaqvvwvqjg.com^$third-party -||wkggjmkrkvot.com^$third-party -||wkhychiklhdglppaeynvntkublzecyyymosjkiofraxechigon.com^$third-party -||wkjcdukkwcvr.com^$third-party -||wklyhvfc.com^$third-party -||wktlsedohnly.com^$third-party -||wljuxryvolwc.com^$third-party -||wmhksxycucxb.com^$third-party -||wmjdnluokizo.com^$third-party -||wmvcxgpdgdkz.com^$third-party -||wmwkwubufart.com^$third-party -||wnzxwgatxjuf.com^$third-party -||wotilhqoftvl.com^$third-party -||wpktjtwsidcz.com^$third-party -||wpsyjttctdnt.com^$third-party -||wpvvlwprfbtm.com^$third-party -||wqbvqmremvgp.com^$third-party -||wqgaevqpbwgx.com^$third-party -||wqnxcthitqpf.com^$third-party -||wqocynupmbad.com^$third-party -||wqpcxujvkvhr.com^$third-party -||wqrwopgkkohk.com^$third-party -||wqzaloayckal.com^$third-party -||wqzorzjhvzqf.com^$third-party -||wrhpnrkdkbqi.com^$third-party -||wrmcfyzl.com^$third-party -||wrmwikcnynbk.com^$third-party -||wrqjwrrpsnnm.com^$third-party -||wrtnetixxrmg.com^$third-party -||wsaijhlcnsqu.com^$third-party -||wscrsmuagezg.com^$third-party -||wscvmnvhanbr.com^$third-party -||wsfqmxdljrknkalwskqmefnonnyoqjmeapkmzqwghehedukmuj.com^$third-party -||wsscyuyclild.com^$third-party -||wtjmnbjktbci.com^$third-party -||wtvyenir.com^$third-party -||wtxoicsjxbsj.com^$third-party -||wuldwvzqvqet.com^$third-party -||wvljugmqpfyd.com^$third-party -||wvqqugicfuac.com^$third-party -||wwgdpbvbrublvjfbeunqvkrnvggoeubcfxzdjrgcgbnvgcolbf.com^$third-party -||wwgjtcge.com^$third-party -||wwnlyzbedeum.com^$third-party -||wxdtvssnezam.com^$third-party -||wxjqyqvagefw.com^$third-party -||wxonmzkkldhu.com^$third-party -||wxxfcyoaymug.com^$third-party -||wydwkpjomckb.com^$third-party -||wylnauxhkerp.com^$third-party -||wzadmmddcmml.com^$third-party -||wzjbvbxldfrn.com^$third-party -||wzueqhwf.com^$third-party -||xakmsoaozjgm.com^$third-party -||xbbcwbsadlrn.com^$third-party -||xbdlsolradeh.com^$third-party -||xbynkkqi.com^$third-party -||xbyvexekkrnt.com^$third-party -||xbzmworkoyrx.com^$third-party -||xcakezoqgkmj.com^$third-party -||xcjoqraqjwmk.com^$third-party -||xconeeitqrrq.com^$third-party -||xcrruqesggzc.com^$third-party -||xcukrfpchsxn.com^$third-party -||xcxepcbypxwf.com^$third-party -||xdqlnidntqmz.com^$third-party -||xdtliokpaiej.com^$third-party -||xdurrrklybny.com^$third-party -||xdwqixeyhvqd.com^$third-party -||xegavyzkxowj.com^$third-party -||xegvnhpwytev.com^$third-party -||xewzazxkmzpc.com^$third-party -||xfgqvqoyzeiu.com^$third-party -||xgaethsnmbzi.com^$third-party -||xgzybmbwfmjd.com^$third-party -||xhdzcofomosh.com^$third-party -||xhojlvfznietogsusdiflwvxpkfhixbgdxcnsdshxwdlnhtlih.com^$third-party -||xhqilhfrfkoecllmthusrpycaogrfivehyymyqkpmxbtomexwl.com^$third-party -||xhvhisywkvha.com^$third-party -||xhwqginopocs.com^$third-party -||xhwtilplkmvbxumaxwmpaqexnwxypcyndhjokwqkxcwbbsclqh.com^$third-party -||xicuxxferbnn.com^$third-party -||xihwtdncwtxc.com^$third-party -||ximeldnjuusl.com^$third-party -||xirtesuryeqk.com^$third-party -||xiwhhcyzhtem.com^$third-party -||xjompsubsozc.com^$third-party -||xjsqhlfscjxo.com^$third-party -||xkawgrrrpszb.com^$third-party -||xkwnadxakuqc.com^$third-party -||xkygmtrrjalx.com^$third-party -||xlavzhffzwgb.com^$third-party -||xmmnwyxkfcavuqhsoxfrjplodnhzaafbpsojnqjeoofyqallmf.com^$third-party -||xnuuzwthzaol.com^$third-party -||xoqwirroygxv.com^$third-party -||xpjizpoxzosn.com^$third-party -||xpkhmrdqhiux.com^$third-party -||xpnttdct.com^$third-party -||xqhgisklvxrh.com^$third-party -||xqopbyfjdqfs.com^$third-party -||xqzkpmrgcpsw.com^$third-party -||xrgqermbslvg.com^$third-party -||xrivpngzagpy.com^$third-party -||xrqkzdbnybod.com^$third-party -||xseczkcysdvc.com^$third-party -||xswnrjbzmdof.com^$third-party -||xswutjmmznesinsltpkefkjifvchyqiinnorwikatwbqzjelnp.com^$third-party -||xsztfrlkphqy.com^$third-party -||xteabvgwersq.com^$third-party -||xtobxolwcptm.com^$third-party -||xtqfguvsmroo.com^$third-party -||xttrofww.com^$third-party -||xuhktijdskah.com^$third-party -||xuwptpzdwyaw.com^$third-party -||xuwxbdafults.com^$third-party -||xwavjdqttkum.com^$third-party -||xwmbaxufcdxb.com^$third-party -||xwwkuacmqblu.com^$third-party -||xwwsojvluzsb.com^$third-party -||xxwpminhccoq.com^$third-party -||xxyafiswqcqz.com^$third-party -||xxzkqbdibdgq.com^$third-party -||xycbrnotvcat.com^$third-party -||xzmqokbeynlv.com^$third-party -||xztsmbznuwyo.com^$third-party -||xzwdhymrdxyp.com^$third-party -||xzzcasiospbn.com^$third-party -||yaifxxudxyns.com^$third-party -||yaizwjvnxctz.com^$third-party -||yamrxfbkpirt.com^$third-party -||yaoslgiweccw.com^$third-party -||yaqysxlohdyg.com^$third-party -||yasltdlichfd.com^$third-party -||yattprdmuybn.com^$third-party -||yaxdboxgsbgh.com^$third-party -||ybhaoglgbgdk.com^$third-party -||ybzfsppttoaz.com^$third-party -||ycjwgpkudmve.com^$third-party -||ycmejutxukkz.com^$third-party -||ycojhxdobkrd.com^$third-party -||ycpepqbyhvtb.com^$third-party -||yctquwjbbkfa.com^$third-party -||yehazsnxdevr.com^$third-party -||yepiafsrxffl.com^$third-party -||yesucplcylxg.com^$third-party -||yeyddgjqpwya.com^$third-party -||yfkwqoswbghk.com^$third-party -||yflpucjkuwvh.com^$third-party -||yfqlqjpdsckc.com^$third-party -||yfrsukbbfzyf.com^$third-party -||yfzcjqpxunsn.com^$third-party -||ygrtbssc.com^$third-party -||yhqojrhfgfsh.com^$third-party -||yhsxsjzyqfoq.com^$third-party -||yhzobwqqecaa.com^$third-party -||yiyycuqozjwc.com^$third-party -||yjjglyoytiew.com^$third-party -||yjjtxuhfglxa.com^$third-party -||ykacbmxeapwi.com^$third-party -||ykbcogkoiqdw.com^$third-party -||yktkodofnikf.com^$third-party -||ykuoujjvngtu.com^$third-party -||ykwdfjergthe.com^$third-party -||ylhjsrwqtqqb.com^$third-party -||yljrefexjymy.com^$third-party -||ylksuifuyryt.com^$third-party -||ylqezcnlzfsj.com^$third-party -||ymlbuooxppzt.com^$third-party -||ynlrfiwj.com^$third-party -||ynrbxyxmvihoydoduefogolpzgdlpnejalxldwjlnsolmismqd.com^$third-party -||ynxrrzgfkuih.com^$third-party -||yojxoefvnyrc.com^$third-party -||yoqvnnkdmqfk.com^$third-party -||yoywgmzjgtfl.com^$third-party -||ypbfrhlgquaj.com^$third-party -||ypyarwgh.com^$third-party -||yqhgbmyfiomx.com^$third-party -||yqjoqncxmufi.com^$third-party -||yqrsfisvrilz.com^$third-party -||yqtzhigbiame.com^$third-party -||yqutkbvrgvar.com^$third-party -||yrfrvrbmipzb.com^$third-party -||yrnzxgsjokuv.com^$third-party -||ysqdjkermxyt.com^$third-party -||ytapgckhhvou.com^$third-party -||ytaujxmxxxmm.com^$third-party -||ytiyuqfxjbke.com^$third-party -||ytwtqabrkfmu.com^$third-party -||yupwqyocvvnw.com^$third-party -||yvvafcqddpmd.com^$third-party -||ywbfhuofnvuk.com^$third-party -||ywbpprhlpins.com^$third-party -||ywxjbwauqznf.com^$third-party -||yxahzybkggol.com^$third-party -||yxbtyzqcczra.com^$third-party -||yxhyxfyibqhd.com^$third-party -||yxlibrsxbycm.com^$third-party -||yxmkiqdvnxsk.com^$third-party -||yxngmwzubbaa.com^$third-party -||yxpkzxyajjan.com^$third-party -||yyajvvjrcigf.com^$third-party -||yyuztnlcpiym.com^$third-party -||yzlwuuzzehjh.com^$third-party -||yzreywobobmw.com^$third-party -||yzsiwyvmgftjuqfoejhypwkmdawtwlpvawzewtrrrdfykqhccq.com^$third-party -||yzygkqjhedpw.com^$third-party -||zacbwfgqvxan.com^$third-party -||zamjzpwgekeo.com^$third-party -||zansceeifcmm.com^$third-party -||zawvukyxyfmi.com^$third-party -||zbfncjtaiwngdsrxvykupflpibvbrewhemghxlwsdoluaztwyi.com^$third-party -||zbihwbypkany.com^$third-party -||zbrkywjutuxu.com^$third-party -||zbtqpkimkjcr.com^$third-party -||zbxzcrldzzgv.com^$third-party -||zclxwzegqslr.com^$third-party -||zdqsrdamdgmn.com^$third-party -||zezowfisdfyn.com^$third-party -||zfkkmayphqrw.com^$third-party -||zfmqywrpazlx.com^$third-party -||zfqpjxuycxdl.com^$third-party -||zfrzdepuaqebzlenihciadhdjzujnexvnksksqtazbaywgmzwl.com^$third-party -||zftgljkhrdze.com^$third-party -||zfwzdrzcasov.com^$third-party -||zgalejbegahc.com^$third-party -||zgdejlhmzjrd.com^$third-party -||zhabyesrdnvn.com^$third-party -||zhdmplptugiu.com^$third-party -||zhkziiaajuad.com^$third-party -||zijnobynjmcs.com^$third-party -||ziuxkdcgsjhq.com^$third-party -||zizmvnytmdto.com^$third-party -||zjgygpdfudfu.com^$third-party -||zkennongwozs.com^$third-party -||zkezpfdfnthb.com^$third-party -||zkzpfpoazfgq.com^$third-party -||zlbdtqoayesloeazgxkueqhfzadqjqqduwrufqemhpbrjvwaar.com^$third-party -||zlvbqseyjdna.com^$third-party -||zmbrweqglexv.com^$third-party -||zmnqoymznwng.com^$third-party -||zmuyirmzujgk.com^$third-party -||zmxcefuntbgf.com^$third-party -||zmytwgfd.com^$third-party -||znmrgzozlohe.com^$third-party -||znvctmolksaj.com^$third-party -||zohaqnxwkvyt.com^$third-party -||zoileyozfexv.com^$third-party -||zoowknbw.com^$third-party -||zpctncydojjh.com^$third-party -||zpkebyxabtsh.com^$third-party -||zpkobplsfnxf.com^$third-party -||zpmbsivi.com^$third-party -||zpnbzxbiqann.com^$third-party -||zprlpkabqlth.com^$third-party -||zptncsir.com^$third-party -||zpxbdukjmcft.com^$third-party -||zpznbracwdai.com^$third-party -||zqaxaqqqutrx.com^$third-party -||zqjfpxcgivkv.com^$third-party -||zrbhyvkpgeyn.com^$third-party -||zrufclmvlsct.com^$third-party -||zrxgdnxneslb.com^$third-party -||zsancthhfvqm.com^$third-party -||zsihqvjfwwlk.com^$third-party -||zslembevfypr.com^$third-party -||ztcysvupksjt.com^$third-party -||ztfrlktqtcnl.com^$third-party -||ztioesdyffrr.com^$third-party -||ztmwkxvvyoao.com^$third-party -||ztyrgxdelngf.com^$third-party -||zualhpolssus.com^$third-party -||zupeaoohmntp.com^$third-party -||zuuwfrphdgxk.com^$third-party -||zvqjjurhikku.com^$third-party -||zvrwttooqgeb.com^$third-party -||zvttlvbclihk.com^$third-party -||zvuespzsdgdq.com^$third-party -||zwcuvwssfydj.com^$third-party -||zwqfnizwcvbx.com^$third-party -||zxadziqqayup.com^$third-party -||zxavxgjcjmkh.com^$third-party -||zxbjgrxbcgrp.com^$third-party -||zxjmybvewmso.com^$third-party -||zxqeycvsetkh.com^$third-party -||zyaorkkdvcbl.com^$third-party -||zycvyudt.com^$third-party -||zyfuywrjbxyf.com^$third-party -||zyleqnzmvupg.com^$third-party -||zylokfmgrtzv.com^$third-party -||zyqlfplqdgxu.com^$third-party -! Yavli.com -||247view.net^$third-party -||546qwee.net^$third-party -||absilf.com^$third-party -||absilf.link^$third-party -||absquint.com^$third-party -||acceletor.net^$third-party -||accltr.com^$third-party -||accmndtion.org^$third-party -||addo-mnton.com^$third-party -||advuatianf.com^$third-party -||aistilierf.com^$third-party -||allianrd.net^$third-party -||ambushar.net^$third-party -||anomiely.com^$third-party -||antuandi.net^$third-party -||anumiltrk.com^$third-party -||appr8.net^$third-party -||artbr.net^$third-party -||azwergz.net^$third-party -||baordrid.com^$third-party -||batarsur.com^$third-party -||baungarnr.com^$third-party -||biankord.net^$third-party -||biastoful.net^$third-party -||billaruze.net^$third-party -||blaundorz.com^$third-party -||blazwuatr.com^$third-party -||bliankerd.net^$third-party -||blindury.com^$third-party -||blipi.net^$third-party -||blowwor.com^$third-party -||blowwor.link^$third-party -||bluandi.com^$third-party -||bluazard.net^$third-party -||bluposr.com^$third-party -||boafernd.com^$third-party -||bridlonz.com^$third-party -||bridlonz.link^$third-party -||briduend.com^$third-party -||bualtwif.com^$third-party -||buamingh.com^$third-party -||buandirs.net^$third-party -||buandorw.com^$third-party -||buangkoj.com^$third-party -||buarier.net^$third-party -||buatongz.net^$third-party -||buhafr.net^$third-party -||buoalait.com^$third-party -||c8factor.com^$third-party -||casiours.com^$third-party -||changosity.com^$third-party -||chansiar.net^$third-party -||charctr.com^$third-party -||chiuawa.net^$third-party -||chualangry.com^$third-party -||clicksifter.com^$third-party -||coaterhand.net^$third-party -||compoter.net^$third-party -||conexitry.com^$third-party -||content-4-u.com^$third-party -||contentolyze.net^$third-party -||contentr.net^$third-party -||cotnr.com^$third-party -||crhikay.me^$third-party -||cuantroy.com^$third-party -||cuasparian.com^$third-party -||d3lens.com^$third-party -||derkopd.com^$third-party -||deuskex.link^$third-party -||diabolicaf.com^$third-party -||dilpy.org^$third-party -||discvr.net^$third-party -||domri.net^$third-party -||doumantr.com^$third-party -||draugonda.net^$third-party -||drfflt.info^$third-party -||drndi.net^$third-party -||duactinor.net^$third-party -||duading.link^$third-party -||duaing.net^$third-party -||duamews.com^$third-party -||duavindr.com^$third-party -||dutolats.net^$third-party -||dwdewew.com^$third-party -||ectensian.net^$third-party -||edabl.net^$third-party -||edgualf.com^$third-party -||elepheny.com^$third-party -||entru.co^$third-party -||ergers.net^$third-party -||erht5jhy.com^$third-party -||ershgrst.com^$third-party -||erwgerwt.com^$third-party -||esults.net^$third-party -||exactly0r.com^$third-party -||exciliburn.com^$third-party -||excolobar.com^$third-party -||exernala.com^$third-party -||exlpor.com^$third-party -||extonsuan.com^$third-party -||faunsts.me^$third-party -||fegesd.net^$third-party -||fer4ere.com^$third-party -||fhgtrhrt.net^$third-party -||flaudnrs.me^$third-party -||flaurse.net^$third-party -||fleawier.com^$third-party -||foulsomty.com^$third-party -||fowar.net^$third-party -||frevi.net^$third-party -||frhgxd.com^$third-party -||frizergt.net^$third-party -||frlssw.me^$third-party -||fruamens.com^$third-party -||frxle.com^$third-party -||frxrydv.com^$third-party -||frzdrn.info^$third-party -||fuandarst.com^$third-party -||genegd.com^$third-party -||gerengd.link^$third-party -||gertgh.com^$third-party -||gghfncd.net^$third-party -||gruadhc.com^$third-party -||gruanchd.link^$third-party -||gruandors.net^$third-party -||gualdoniye.com^$third-party -||guaperty.net^$third-party -||guiandr.com^$third-party -||gusufrs.me^$third-party -||h456u54f.net^$third-party -||hapnr.net^$third-party -||havnr.com^$third-party -||heizuanubr.net^$third-party -||hobri.net^$third-party -||holmgard.link^$third-party -||hoppr.co^$third-party -||hrtydgs.net^$third-party -||huamfriys.net^$third-party -||iambibiler.net^$third-party -||ignup.com^$third-party -||incotand.com^$third-party -||induanajo.com^$third-party -||inomoang.com^$third-party -||insiruand.com^$third-party -||invetpl.com^$third-party -||iunbrudy.net^$third-party -||ivism.org^$third-party -||jaspensar.com^$third-party -||jdrm4.com^$third-party -||jellr.net^$third-party -||jerwing.net^$third-party -||jianscoat.com^$third-party -||juapinesr.net^$third-party -||juarinet.com^$third-party -||juosanf.com^$third-party -||juruasikr.net^$third-party -||jusukrs.com^$third-party -||kidasfid.com^$third-party -||kilomonj.net^$third-party -||kioshow.com^$third-party -||knoandr.com^$third-party -||kowodan.net^$third-party -||kriaspuy.net^$third-party -||kuamanan.com^$third-party -||kuangard.net^$third-party -||leanoisgo.com^$third-party -||lesuard.com^$third-party -||lia-ndr.com^$third-party -||liksuad.com^$third-party -||lirte.org^$third-party -||liveclik.co^$third-party -||loopr.co^$third-party -||luadcik.com^$third-party -||lunio.net^$third-party -||maningrs.com^$third-party -||marvilias.com^$third-party -||meniald.com^$third-party -||monova.site^$third-party -||moucitons.com^$third-party -||muatrasec.com^$third-party -||muriarw.com^$third-party -||nrfort.com^$third-party -||nuafguy.com^$third-party -||nuaknamg.net^$third-party -||nualoghy.com^$third-party -||nuzilung.net^$third-party -||oiurtedh.com^$third-party -||ootloakr.com^$third-party -||oplo.org^$third-party -||opner.co^$third-party -||opter.co^$third-party -||osrto.com^$third-party -||p7vortex.com^$third-party -||pferetgf.com^$third-party -||pianoldor.com^$third-party -||picstunoar.com^$third-party -||pikkr.net^$third-party -||plex2.com^$third-party -||poaulpos.net^$third-party -||poaurtor.com^$third-party -||polawrg.com^$third-party -||polephen.com^$third-party -||prfffc.info^$third-party -||prndi.net^$third-party -||puoplord.link^$third-party -||puoplord.net^$third-party -||putkjter.com^$third-party -||q3sift.com^$third-party -||qaulinf.com^$third-party -||qewa33a.com^$third-party -||quandrer.link^$third-party -||qulifiad.com^$third-party -||qwemfst.com^$third-party -||qwewas.info^$third-party -||qwewdw.net^$third-party -||qwrfpgf.com^$third-party -||qzsccm.com^$third-party -||r3seek.com^$third-party -||rddywd.com^$third-party -||rdige.com^$third-party -||reaspans.com^$third-party -||regersd.net^$third-party -||rehyery.com^$third-party -||reitb.com^$third-party -||reydzcfg.net^$third-party -||rfgre.info^$third-party -||rheneyer.net^$third-party -||rherser.com^$third-party -||rhgersf.com^$third-party -||rigistrar.net^$third-party -||rlex.org^$third-party -||rterdf.me^$third-party -||ruamupr.com^$third-party -||ruandorg.com^$third-party -||ruandr.com^$third-party -||ruandr.link^$third-party -||ruap-oldr.net^$third-party -||rugistoto.net^$third-party -||rugistratuan.com^$third-party -||selectr.net^$third-party -||sfesd.net^$third-party -||shoapinh.com^$third-party -||sightr.net^$third-party -||simusangr.com^$third-party -||slacaxy.com^$third-party -||smethgiar.com^$third-party -||spamualfr.com^$third-party -||speandorf.net^$third-party -||spereminf.com^$third-party -||splazards.com^$third-party -||spoa-soard.com^$third-party -||suadimons.net^$third-party -||suarbiard.com^$third-party -||suartings.com^$third-party -||suavalds.com^$third-party -||swualyer.com^$third-party -||sxrrxa.net^$third-party -||t3sort.com^$third-party -||t7row.com^$third-party -||tersur.link^$third-party -||tersur.net^$third-party -||th4wwe.net^$third-party -||thiscdn.com^$third-party -||thrilamd.net^$third-party -||thrutime.net^$third-party -||thsdfrgr.com^$third-party -||tiawander.net^$third-party -||tolosgrey.net^$third-party -||topdi.net^$third-party -||trinusuras.net^$third-party -||trjhhuhn.com^$third-party -||trllxv.co^$third-party -||trndi.net^$third-party -||trualaid.com^$third-party -||tualipoly.net^$third-party -||turanasi.com^$third-party -||uanbalible.com^$third-party -||unuarvse.net^$third-party -||uppo.co^$third-party -||username1.link^$third-party -||v8bridge.link^$third-party -||vferwqf.com^$third-party -||vieway.co^$third-party -||viewscout.com^$third-party -||virsualr.com^$third-party -||vopdi.com^$third-party -||vpuoplord.link^$third-party -||vuadiolgy.net^$third-party -||vualawilk.com^$third-party -||waddr.com^$third-party -||wensdteuy.com^$third-party -||wgt4wetwe.net^$third-party -||wolopiar.com^$third-party -||wopdi.com^$third-party -||wqqqpe.com^$third-party -||wuakula.net^$third-party -||wuarnurf.net^$third-party -||wuatriser.net^$third-party -||wudr.net^$third-party -||xcrsqg.com^$third-party -||xplrer.co^$third-party -||xylopologyn.com^$third-party -||yardr.net^$third-party -||yavli.link^$third-party -||yerstrd.net^$third-party -||yobr.net^$third-party -||yodr.net^$third-party -||yomri.net^$third-party -||yopdi.com^$third-party -||ypppdc.com^$third-party -||ypprr.com^$third-party -||yrrrbn.me^$third-party -||yualongf.net^$third-party -||yuasaghn.com^$third-party -||yvsystem.com^$third-party -||z4pick.com^$third-party -||ziccardia.com^$third-party -||zomri.net^$third-party -||zrfrornn.net^$third-party -! temporary workaround for Adblock Plus for Chrome bug #4599 (https://issues.adblockplus.org/ticket/4599) -||voodoo.com^$~stylesheet,third-party -! *** easylist:easylist/easylist_adservers_popup.txt *** -||0755.pics^$popup,third-party -||07zq44y2tmru.xyz^$popup -||104.154.237.93^$popup -||104.197.157.168^$popup,third-party -||104.197.189.189^$popup -||104.198.134.30^$popup,third-party -||104.198.138.230^$popup,third-party -||104.198.147.108^$popup -||104.198.156.187^$popup,third-party -||11c9e55308a.com^$popup,third-party -||123vidz.com^$popup,third-party -||130.211.230.53^$popup,third-party -||1afcfcb2c.ninja^$popup,third-party -||1phads.com^$popup,third-party -||21find.com^$popup,third-party -||2mdn.info^$popup,third-party -||30daychange.co^$popup,third-party -||321j1157ftjd.tech^$popup,third-party -||32d1d3b9c.se^$popup,third-party -||35.184.137.181^popup,third-party -||35.184.98.90^popup,third-party -||360adshost.net^$popup,third-party -||360adstrack.com^$popup,third-party -||3wr110.xyz^$popup,third-party -||4dsply.com^$popup,third-party -||5dimes.com^$popup,third-party -||83nsdjqqo1cau183xz.com^$popup,third-party -||888games.com^$popup,third-party -||888media.net^$popup,third-party -||888poker.com^$popup,third-party -||888promos.com^$popup,third-party -||9newstoday.net^$popup,third-party -||abbeyblog.me^$popup,third-party -||ablogica.com^$popup,third-party -||absoluteclickscom.com^$popup,third-party -||actiondesk.com^$popup,third-party -||ad-apac.doubleclick.net^$popup,third-party -||ad-emea.doubleclick.net^$popup,third-party -||ad-feeds.com^$popup,third-party -||ad-maven.com^$popup,third-party -||ad.doubleclick.net/ddm/trackclk/$popup,third-party -||ad131m.com^$popup,third-party -||ad2387.com^$popup,third-party -||ad2games.com^$popup,third-party -||ad2load.net^$popup,third-party -||ad4game.com^$popup,third-party -||ad6media.fr^$popup,third-party -||adbma.com^$popup,third-party -||adboost.it^$popup,third-party -||adbooth.com^$popup,third-party -||adcash.com^$popup,third-party -||adcdnx.com^$popup,third-party -||adexc.net^$popup,third-party -||adexchangeprediction.com^$popup,third-party -||adfarm.mediaplex.com^$popup,third-party -||adfclick1.com^$popup,third-party -||adhealers.com^$popup -||adhome.biz^$popup,third-party -||adimmix.com^$popup,third-party -||adimps.com^$popup,third-party -||aditor.com^$popup,third-party -||adjuggler.net^$popup,third-party -||adk2.co^$popup,third-party -||adk2.com^$popup,third-party -||adk2.net^$popup,third-party -||adk2x.com^$popup,third-party -||adlure.net^$popup,third-party -||admedit.net^$popup,third-party -||adnanny.com^$popup,third-party -||adnetworkperformance.com^$popup,third-party -||adnium.com^$popup,third-party -||adonweb.ru^$popup,third-party -||adplxmd.com^$popup,third-party -||adrotate.se^$popup,third-party -||adrunnr.com^$popup,third-party -||ads.sexier.com^$popup,third-party -||adscpm.net^$popup,third-party -||adserverplus.com^$popup,third-party -||adshell.net^$popup,third-party -||adshostnet.com^$popup,third-party -||adsjudo.com^$popup -||adsmarket.com^$popup,third-party -||adsplex.com^$popup,third-party -||adsupply.com^$popup,third-party -||adsupplyads.com^$popup,third-party -||adsurve.com^$popup,third-party -||adtrace.org^$popup,third-party -||adtraffic.org^$popup,third-party -||adverkeyz.com^$popup,third-party -||advertserve.com^$popup,third-party -||advmedialtd.com^$popup,third-party -||adx-t.com^$popup,third-party -||affbuzzads.com^$popup,third-party -||aflrm.com^$popup,third-party -||aflrmalpha.com^$popup,third-party -||aggregatorgetb.com^$popup,third-party -||ajkrls.com^$popup,third-party -||albopa.work^$popup,third-party -||algocashmaster.com^$popup,third-party -||algocashmaster.net^$popup,third-party -||allsporttv.com^$popup,third-party -||alpinedrct.com^$popup,third-party -||alternads.info^$popup,third-party -||am10.ru^$popup,third-party -||angege.com^$popup,third-party -||annualinternetsurvey.com^$popup,third-party -||answered-questions.com^$popup,third-party -||aocular.com^$popup,third-party -||apugod.work^$popup,third-party -||ar.voicefive.com^$popup,third-party -||arecio.work^$popup,third-party -||august15download.com^$popup,third-party -||aussiemethod.biz^$popup,third-party -||avajo.men^$popup,third-party -||avalopaly.com^$popup,third-party -||awempire.com^$popup,third-party -||awsclic.com^$popup,third-party -||bargetbook.com^$popup,third-party -||baypops.com^$popup,third-party -||bbp-vnh.com^$popup,third-party -||bbredir-ac-100.com^$popup,third-party -||bbuni.com^$popup,third-party -||bcvcmedia.com^$popup,third-party -||becoquin.com^$popup,third-party -||becoquins.net^$popup,third-party -||bedorm.com^$popup,third-party -||befade.com^$popup,third-party -||bekoted.work^$popup,third-party -||belwrite.com^$popup,third-party -||bentdownload.com^$popup,third-party -||best-bar.net^$popup,third-party -||best-zb.com^$popup,third-party -||bestarmour4u.work^$popup,third-party -||bestforexplmdb.com^$popup -||bestproducttesters.com^$popup,third-party -||betigo.work^$popup,third-party -||betoga.com^$popup,third-party -||bezoya.work^$popup,third-party -||bidsystem.com^$popup,third-party -||bidverdrd.com^$popup,third-party -||bidverdrs.com^$popup,third-party -||bidvertiser.com^$popup,third-party -||bighot.ru^$popup,third-party -||binaryoptionsgame.com^$popup,third-party -||blinko.es^$popup,third-party -||blinkogold.es^$popup,third-party -||blockthis.es^$popup,third-party -||blogscash.info^$popup,third-party -||bongacams.com^$popup,third-party -||bonzuna.com^$popup,third-party -||boteko.work^$popup,third-party -||brandreachsys.com^$popup,third-party -||byvue.com^$popup,third-party -||bzrvwbsh5o.com^$popup,third-party -||callhelpmetaroll.rocks^$popup,third-party -||careerjournalonline.com^$popup -||casino.betsson.com^$popup,third-party -||ccebba93.se^$popup,third-party -||chupapo.ru^$popup,third-party -||clickfuse.com^$popup,third-party -||clickmngr.com^$popup,third-party -||clickosmedia.com^$popup,third-party -||clicksgear.com^$popup,third-party -||clicksor.com^$popup,third-party -||clicksor.net^$popup,third-party -||clicksvenue.com^$popup,third-party -||clickter.net^$popup,third-party -||clicktripz.com^$popup,third-party -||clkads.com^$popup,third-party -||clkfeed.com^$popup,third-party -||clkmon.com^$popup,third-party -||clkrev.com^$popup,third-party -||cloudservepoint.com^$popup,third-party -||cloudsrvtrk.com^$popup,third-party -||cloudtracked.com^$popup,third-party -||clpremdo.com^$popup,third-party -||cm.g.doubleclick.net^$popup,third-party -||cmllk2.info^$popup,third-party -||com-online.website^$popup,third-party -||computersoftwarelive.com^$popup,third-party -||console-domain.link^$popup,third-party -||consolepprofile.com^$popup,third-party -||content-offer-app.site^$popup,third-party -||content.ad^$popup,third-party -||contentabc.com^$popup,third-party -||contractallsinstance.info^$popup,third-party -||cositin.com^$popup,third-party -||cpayard.com^$popup,third-party -||cpmstar.com^$popup,third-party -||cpmterra.com^$popup,third-party -||cpvadvertise.com^$popup,third-party -||crazyad.net^$popup,third-party -||day-multi.work^$popup,third-party -||deliverydom.com^$popup,third-party -||delta-boa.com^$popup,third-party -||denza.pro^$popup,third-party -||develop-forevery4u.com^$popup,third-party -||directrev.com^$popup,third-party -||distantnews.com^$popup,third-party -||distantstat.com^$popup,third-party -||disturbqualifyplane.info^$popup,third-party -||dntrax.com^$popup,third-party -||dntrx.com^$popup,third-party -||dojerena.com^$popup,third-party -||doublepimp.com^$popup,third-party -||down1oads.com^$popup,third-party -||download-performance.com^$popup,third-party -||downloadboutique.com^$popup,third-party -||downloadthesefile.com^$popup,third-party -||dradvice.in^$popup,third-party -||durokuro.com^$popup,third-party -||easydownloadnow.com^$popup,third-party -||easykits.org^$popup,third-party -||ebzkswbs78.com^$popup,third-party -||elite-sex-finder.com^$popup,third-party -||epicgameads.com^$popup,third-party -||eroanalysis.com^$popup,third-party -||euromillionairesystem.me^$popup,third-party -||ewebse.com^$popup,third-party -||exdynsrv.com^$popup,third-party -||exoclick.com^$popup,third-party -||explainidentifycoding.info^$popup,third-party -||explorads.com^$popup,third-party -||ezdownloadpro.info^$popup,third-party -||f-hookups.com^$popup,third-party -||f-questionnaire.com^$popup,third-party -||fabolele.com^$popup,third-party -||fapping.club^$popup,third-party -||feybu.work^$popup,third-party -||fhserve.com^$popup,third-party -||fidel.to^$popup,third-party -||fieldpprofile.com^$popup,third-party -||filestube.com^$popup,third-party -||finance-reporting.org^$popup,third-party -||fincastavancessetti.info^$popup,third-party -||findonlinesurveysforcash.com^$popup,third-party -||firegetbook.com^$popup,third-party -||firmprotectedlinked.com^$popup,third-party -||firstclass-download.com^$popup,third-party -||firstmediahub.com^$popup,third-party -||fluxybe.work^$popup,third-party -||fmdwbsfxf0.com^$popup,third-party -||fonderreader.info^$popup -||foxsnews.net^$popup,third-party -||friendlyduck.com^$popup,third-party -||frtya.com^$popup,third-party -||frtyb.com^$popup,third-party -||frtye.com^$popup,third-party -||g05.info^$popup,third-party -||ganja.com^$popup,third-party -||geranew.info^$popup,third-party -||gerwen.info^$popup,third-party -||getmyads.com^$popup,third-party -||gib-gib-la.com^$popup,third-party -||gibsonvillainousweatherstrip.com^$popup,third-party -||giveaways.club^$popup,third-party -||gofindmedia.net^$popup,third-party -||gold-good4u.com^$popup,third-party -||goldlambotrader.co^$popup,third-party -||good-black4u.com^$popup,third-party -||goodbookbook.com^$popup,third-party -||googleads.g.doubleclick.net^$popup,third-party -||googleme.eu^$popup,third-party -||gotoplaymillion.com^$popup,third-party -||greatbranddeals.com^$popup,third-party -||grouchyaccessoryrockefeller.com^$popup,third-party -||gsniper2.com^$popup,third-party -||hd-plugin.com^$popup,third-party -||hhourtrk2.com^$popup,third-party -||highcpms.com^$popup,third-party -||hilltopads.net^$popup,third-party -||hipersushiads.com^$popup,third-party -||hlpnowp-c.com^$popup,third-party -||homecareerforyou1.info^$popup,third-party -||hornygirlsexposed.com^$popup,third-party -||hotchatdate.com^$popup,third-party -||hotchatdirect.com^$popup,third-party -||hstpnetwork.com^$popup,third-party -||htmlhubing.xyz^$popup,third-party -||huluads.info^$popup,third-party -||ifilez.org^$popup,third-party -||iiasdomk1m9812m4z3.com^$popup,third-party -||ilividnewtab.com^$popup,third-party -||inbinaryoption.com^$popup,third-party -||indianmasala.com^$popup,third-party,domain=masalaboard.com -||indianweeklynews.com^$popup,third-party -||infra.systems^$popup,third-party -||insta-cash.net^$popup,third-party -||installcdnfile.com^$popup,third-party -||instanceyou.info^$popup,third-party -||instantpaydaynetwork.com^$popup,third-party -||integral-marketing.com^$popup,third-party -||internalredirect.site^$popup,third-party -||interner-magaziin.ru^$popup,third-party -||iwanttodeliver.com^$popup,third-party -||jdtracker.com^$popup,third-party -||jettags.rocks^$popup,third-party -||juiceads.net^$popup,third-party -||jujzh9va.com^$popup,third-party -||jump2.top^$popup -||junbi-tracker.com^$popup,third-party -||kanoodle.com^$popup,third-party -||kiwi-offers.com^$popup,third-party -||kiwimethod.co^$popup,third-party -||komego.work^$popup,third-party -||korexo.com^$popup,third-party -||landsraad.cc^$popup,third-party -||large-format.net^$popup,third-party -||larkbe.com^$popup,third-party -||legisland.net^$popup,third-party -||letsadvertisetogether.com^$popup,third-party -||letshareus.com^$popup,third-party -||letzonke.com^$popup,third-party -||ligatus.com^$popup,third-party -||linkmyc.com^$popup,third-party -||liveadexchanger.com^$popup,third-party -||livechatflirt.com^$popup,third-party -||livepromotools.com^$popup,third-party -||liversely.net^$popup,third-party -||liveyourdreamify.pw^$popup,third-party -||lmebxwbsno.com^$popup,third-party -||lnkgt.com^$popup,third-party -||lockscalecompare.com^$popup,third-party -||lokvel.ru^$popup,third-party -||lustigbanner.com^$popup,third-party -||luxuryslotonline.com^$popup,third-party -||m57ku6sm.com^$popup,third-party -||maomaotang.com^$popup,third-party -||marketresearchglobal.com^$popup,third-party -||mdn2015x1.com^$popup,third-party -||media-app.com^$popup,third-party -||media-servers.net^$popup,third-party -||media-serving.com^$popup,third-party -||mediaseeding.com^$popup,third-party -||meetgoodgirls.com^$popup,third-party -||meetsexygirls.org^$popup,third-party -||megapopads.com^$popup,third-party -||menepe.com^$popup,third-party -||metodoroleta24h.com^$popup,third-party -||metogo.work^$popup,third-party -||millionairesurveys.com^$popup,third-party -||mktmobi.com^$popup,third-party -||mmo123.co^$popup,third-party -||mobileraffles.com^$popup,third-party -||mobsterbird.info^$popup,third-party -||modescrips.info^$popup,third-party -||moneytec.com^$popup,third-party -||mxsads.com^$popup,third-party -||my-layer.net^$popup,third-party -||myawesomecash.com^$popup,third-party -||mynyx.men^$popup,third-party -||myrdrcts.com^$popup,third-party -||mysagagame.com^$popup,third-party -||n388hkxg.com^$popup,third-party -||netliker.com^$popup,third-party -||november-lax.com^$popup,third-party -||nturveev.com^$popup,third-party -||nymphdate.com^$popup,third-party -||o333o.com^$popup,third-party -||octagonize.com^$popup -||offertrk.info^$popup,third-party -||onad.eu^$popup,third-party -||onclickads.net^$popup,third-party -||onclicktop.com^$popup -||onhitads.net^$popup,third-party -||onlinecareerpackage.com^$popup,third-party -||onlinecashmethod.com^$popup,third-party -||onpato.ru^$popup,third-party -||onti.rocks^$popup,third-party -||open-downloads.net^$popup,third-party -||openadserving.com^$popup,third-party -||oratosaeron.com^$popup,third-party -||origer.info^$popup -||overturs.com^$popup,third-party -||oxybe.com^$popup,third-party -||oxyes.work^$popup,third-party -||ozora.work^$popup,third-party -||padsdel.com^$popup,third-party -||parserwords.info^$popup -||parserworld.info^$popup,third-party -||partypills.org^$popup,third-party -||patiencepls.com^$popup -||pbyet.com^$popup,third-party -||pdfcomplete.com^$popup,third-party -||perfcreatives.com^$popup,third-party -||pexu.com^$popup,third-party -||pgmediaserve.com^$popup,third-party -||pickoga.work^$popup,third-party -||pipaoffers.com^$popup,third-party -||pipsol.net^$popup -||pixellitomedia.com^$popup,third-party -||playboymethod.com^$popup,third-party -||plex2.com^$popup,third-party -||plexop.net^$popup,third-party -||plsdrct2.me^$popup,third-party -||pocofh.com^$popup -||pointclicktrack.com^$popup,third-party -||pointroll.com^$popup,third-party -||pomofon.ru^$popup,third-party -||popads.net^$popup,third-party -||popmyads.com^$popup,third-party -||poponclick.com^$popup,third-party -||popped.biz^$popup,third-party -||popsuperbbrands.com^$popup,third-party -||popunderjs.com^$popup -||popwin.net^$popup,third-party -||potpourrichordataoscilloscope.com^$popup,third-party -||print3.info^$popup,third-party -||prizegiveaway.org^$popup,third-party -||prjcq.com^$popup,third-party -||promotions-paradise.org^$popup,third-party -||promotions.sportsbet.com.au^$popup,third-party -||propellerads.com^$popup,third-party -||propellerpops.com^$popup,third-party -||prowlerz.com^$popup,third-party -||psma02.com^$popup,third-party -||pubads.g.doubleclick.net^$popup,third-party -||pubdirecte.com^$popup,third-party -||publited.com^$popup,third-party -||publited.net^$popup,third-party -||publited.org^$popup,third-party -||pubted.com^$popup,third-party -||pulse360.com^$popup,third-party -||pulseonclick.com^$popup -||pureadexchange.com^$popup,third-party -||pwrads.net^$popup,third-party -||qertewrt.com^$popup,third-party -||qrlsx.com^$popup,third-party -||qswotrk.com^$popup,third-party -||quickcash-system.com^$popup,third-party -||quideo.men^$popup,third-party -||quierest.com^$popup -||raoplenort.biz^$popup,third-party -||ratari.ru^$popup,third-party -||rbxtrk.com^$popup,third-party -||rdsrv.com^$popup,third-party -||reallifecam.com^$popup,third-party -||redirections.site^$popup,third-party -||rehok.km.ua^$popup,third-party -||rencontreanna.com^$popup,third-party -||retainguaninefluorite.info^$popup,third-party -||retkow.com^$popup,third-party -||rgadvert.com^$popup,third-party -||rikhov.ru^$popup,third-party -||ringtonematcher.com^$popup,third-party -||ringtonepartner.com^$popup,third-party -||riowrite.com^$popup,third-party -||rm-tracker.com^$popup,third-party -||rolinda.work^$popup,third-party -||ronetu.ru^$popup,third-party -||roulettebotplus.com^$popup,third-party -||rubikon6.if.ua^$popup,third-party -||ruckusschroederraspberry.com^$popup,third-party -||runslin.com^$popup,third-party -||sasontnwc.net^$popup,~third-party -||secureintl.com^$popup,third-party -||seethisinaction.com^$popup,third-party -||seiya.work^$popup,third-party -||senzapudore.it^$popup,third-party -||serving-sys.com^$popup,third-party -||servingclks.com^$popup,third-party -||servingit.co^$popup,third-party -||sexitnow.com^$popup,third-party -||shiek1ph.com^$popup,third-party -||sierra-fox.com^$popup,third-party -||silstavo.com^$popup,third-party -||simpleinternetupdate.com^$popup,third-party -||simpletds.net^$popup,third-party -||singleicejo.link^$popup,third-party -||singlesexdates.com^$popup,third-party -||slikslik.com^$popup,third-party -||slimspots.com^$popup,third-party -||slimtrade.com^$popup,third-party -||smartadtags.com^$popup,third-party -||smartwebads.com^$popup,third-party -||sms-mmm.com^$popup,third-party -||smutty.com^$popup,third-party -||snapvine.club^$popup,third-party -||softwarepiset.com^$popup,third-party -||sparkstudios.com^$popup,third-party -||speednetwork14.com^$popup,third-party -||speednetwork6.com^$popup,third-party -||spotscenered.info^$popup,third-party -||sq2trk2.com^$popup,third-party -||srv-ad.com^$popup,third-party -||srv2trking.com^$popup,third-party -||srvpub.com^$popup,third-party -||stabletrappeddevote.info^$popup,third-party -||statsmobi.com^$popup,third-party -||statstrackeronline.com^$popup,third-party -||superadexchange.com^$popup,third-party -||surveyend.com^$popup,third-party -||surveysforgifts.org^$popup,third-party -||surveyspaid.com^$popup,third-party -||surveystope.com^$popup,third-party -||swadvertising.org^$popup,third-party -||symkashop.ru^$popup,third-party -||syncedvision.com^$popup,third-party -||tagsd.com^$popup,third-party -||targetctracker.com^$popup,third-party -||tatami-solutions.com^$popup,third-party -||td563.com^$popup,third-party -||techcloudtrk.com^$popup,third-party -||technicssurveys.info^$popup,third-party -||terraclicks.com^$popup,third-party -||textsrv.com^$popup,third-party -||the-binary-trader.biz^$popup,third-party -||the-consumer-reporter.org^$popup,third-party -||thecloudtrader.com^$popup,third-party -||theih1w.top^$popup,third-party -||thepornsurvey.com^$popup,third-party -||therewardsurvey.com^$popup,third-party -||tjoomo.com^$popup,third-party -||tmdn2015x9.com^$popup,third-party -||tonefuse.com^$popup,third-party -||topshelftraffic.com^$popup,third-party -||toroadvertisingmedia.com^$popup,third-party -||torrentcacher.info^$popup,third-party -||totaladperformance.com^$popup,third-party -||totrack.ru^$popup,third-party -||tracki112.com^$popup,third-party -||tracking.sportsbet.$popup,third-party -||trafficforce.com^$popup,third-party -||traffichaus.com^$popup,third-party -||trafficinvest.com^$popup,third-party -||trafficshop.com^$popup,third-party -||trafflict.com^$popup -||traktrafficflow.com^$popup,third-party -||trend-trader.cc^$popup,third-party -||trido.club^$popup,third-party -||trklnks.com^$popup,third-party -||trkpointcloud.com^$popup,third-party -||trw12.com^$popup,third-party -||turbofileindir.com^$popup,third-party -||tutvp.com^$popup,third-party -||tvas-a.pw^$popup,third-party -||tvas-b.pw^$popup,third-party -||twqiqiang.com^$popup,third-party -||ucoxa.work^$popup,third-party -||unblocksite.info^$popup,third-party -||updater-checker.net^$popup,third-party -||vamartin.work^$popup,third-party -||venturead.com^$popup,third-party -||versionall.net^$popup,third-party -||vgsgaming-ads.com^$popup,third-party -||vipcpms.com^$popup,third-party -||voluumtrk.com^$popup,third-party -||voluumtrk3.com^$popup,third-party -||vprmnwbskk.com^$popup,third-party -||vq40567.com^$popup -||w4statistics.info^$popup,third-party -||waframedia5.com^$popup,third-party -||wahoha.com^$popup,third-party -||wardparser.info^$popup,third-party -||watchformytechstuff.com^$popup,third-party -||wbsadsdel.com^$popup,third-party -||wbsadsdel2.com^$popup,third-party -||weareheard.org^$popup,third-party -||webartspy.net^$popup,third-party -||websearchers.net^$popup,third-party -||webtrackerplus.com^$popup,third-party -||weliketofuckstrangers.com^$popup,third-party -||wgpartner.com^$popup,third-party -||whoads.net^$popup,third-party -||wigetmedia.com^$popup,third-party -||windgetbook.info^$popup,third-party -||winhugebonus.com^$popup,third-party -||wonderlandads.com^$popup,third-party -||worldrewardcenter.net^$popup,third-party -||wwwpromoter.com^$popup,third-party -||wzus1.ask.com^$popup,third-party -||xaxoro.com^$popup,third-party -||xclicks.net^$popup,third-party -||xtendmedia.com^$popup,third-party -||yeesshh.com^$popup,third-party -||yesobe.work^$popup,third-party -||yieldmanager.com^$popup,third-party -||yieldtraffic.com^$popup,third-party -||youradexchange.com^$popup,third-party -||yupiromo.ru^$popup,third-party -||z5x.net^$popup,third-party -||zanyx.club^$popup,third-party -||zavu.work^$popup,third-party -||zedo.com^$popup,third-party -||zeroredirect1.com^$popup,third-party -||zeroredirect10.com^$popup,third-party -||zeroredirect9.com^$popup,third-party -||zerozo.work^$popup,third-party -||zonearmour4u.link^$popup -||zryydi.com^$popup,third-party -! *** easylist:easylist_adult/adult_adservers.txt *** -||00zasdf.pw^$third-party -||0llii0g6.com^$third-party -||100pour.com^$third-party -||10y5gehv.com^$third-party -||123advertising.nl^$third-party -||15yomodels.com^$third-party -||173.245.86.115^$domain=~yobt.com.ip -||18naked.com^$third-party -||195.228.74.26^$third-party -||1loop.com^$third-party -||1tizer.com^$third-party -||206.217.206.137^$third-party -||212.150.34.117^$third-party -||21sexturycash.com^$third-party -||247teencash.net^$third-party -||24smile.org^$third-party -||24x7adservice.com^$third-party -||33traffic.com^$third-party -||40xbfzk8.com^$third-party -||45i73jv6.com^$third-party -||4link.it^$third-party -||59zs1xei.com^$third-party -||699fy4ne.com^$third-party -||750industries.com^$third-party -||76.76.5.113^$third-party -||777-partner.com^$third-party -||777-partner.net^$third-party -||777-partners.com^$third-party -||777-partners.net^$third-party -||777partner.com^$third-party -||777partner.net^$third-party -||777partners.com^$third-party -||7cxcrejm.com^$third-party -||7vws1j1j.com^$third-party -||80.77.113.200^$third-party -||85.17.210.202^$third-party -||89.248.172.46^$third-party -||8ipztcc1.com^$third-party -||aaovn.info^$third-party -||aappf.pt^$third-party -||ab4tn.com^$third-party -||abakys.ru^$third-party -||abbp1.pw^$third-party -||abbp1.science^$third-party -||abbp1.space^$third-party -||abbp1.website^$third-party -||abbp2.pw^$third-party -||abbp2.website^$third-party -||abgeobalancer.com^$third-party -||abusedbabysitters.com^$third-party -||acceptableads.pw^$third-party -||acceptableads.space^$third-party -||acmexxx.com^$third-party -||acnescarsx.info^$third-party -||actionlocker.com^$third-party -||ad-411.com^$third-party -||ad-u.com^$third-party -||ad001.ru^$third-party -||ad4partners.com^$third-party -||adbars.net^$third-party -||adbmi.com^$third-party -||adcell.de^$third-party -||addbags.com^$third-party -||adenabler.com^$third-party -||adfux.com^$third-party -||adhealers.com^$third-party -||adjunky.com^$third-party -||adlook.net^$third-party -||admez.com^$third-party -||adnetxchange.com^$third-party -||adparad.net^$third-party -||adperiun.com^$third-party -||adpron.com^$third-party -||adrecreate.com^$third-party -||adrenovate.com^$third-party -||adrent.net^$third-party -||adrevenuerescue.com^$third-party -||adsbr.info^$third-party -||adsgangsta.com^$third-party -||adshostview.com^$third-party -||adskape.ru^$third-party -||adspayformy.site^$third-party -||adspayformymortgage.win^$third-party -||adswam.com^$third-party -||adsyst.biz^$third-party -||adtonement.com^$third-party -||adult3dcomics.com^$third-party -||adultaccessnow.com^$third-party -||adultadmedia.com^$third-party -||adultadvertising.net^$third-party -||adultcamchatfree.com^$third-party -||adultcamfree.com^$third-party -||adultcamliveweb.com^$third-party -||adultcommercial.net^$third-party -||adultdatingtraffic.com^$third-party -||adultforce.com^$third-party -||adultlinkexchange.com^$third-party -||adultmediabuying.com^$third-party -||adultmoviegroup.com^$third-party -||adultoafiliados.com.br^$third-party -||adultpopunders.com^$third-party -||adultsense.com^$third-party -||adultsense.org^$third-party -||adulttiz.com^$third-party -||adulttubetraffic.com^$third-party -||adv-plus.com^$third-party -||adv777.com^$third-party -||adventory.com^$third-party -||adverglobal.com^$third-party -||adversolutions.com^$third-party -||advertiserurl.com^$third-party -||advertisingsex.com^$third-party -||advertom.com^$third-party -||advertrtb.com^$third-party -||advmaker.ru^$third-party -||advmania.com^$third-party -||advprotraffic.com^$third-party -||advredir.com^$third-party -||advsense.info^$third-party -||adxite.com^$third-party -||adxmarket.com^$third-party -||adxpansion.com^$third-party -||adxregie.com^$third-party -||adzs.com^$third-party -||aeesy.com^$third-party -||aemediatraffic.com^$third-party -||affiliatewindow.com^$third-party -||affiliation-int.com^$third-party -||affiliaxe.com^$third-party -||affiligay.net^$third-party -||afgr1.com^$third-party -||aipbannerx.com^$third-party -||aipmedia.com^$third-party -||alfatraffic.com^$third-party -||all-about-tech.com^$third-party -||alladultcash.com^$third-party -||allosponsor.com^$third-party -||allotraffic.com^$third-party -||alltheladyz.xyz^$third-party -||amateurcouplewebcam.com^$third-party -||amtracking01.com^$third-party -||amvotes.ru^$third-party -||anastasia-international.com^$third-party -||andase.com^$third-party -||angelpastel.com^$third-party -||antaraimedia.com^$third-party -||antoball.com^$third-party -||apromoweb.com^$third-party -||are-ter.com^$third-party -||asiafriendfinder.com^$third-party -||aufderhar.net^$third-party -||augrenso.com^$third-party -||automoc.net^$third-party -||awmcenter.eu^$third-party -||awmpartners.com^$third-party -||ax47mp-xp-21.com^$third-party -||azerbazer.com^$third-party -||aztecash.com^$third-party -||banerator.net^$third-party -||basesclick.ru^$third-party -||baskodenta.com^$third-party -||bavesinyourface.com^$third-party -||bcash4you.com^$third-party -||belamicash.com^$third-party -||belasninfetas.org^$third-party -||bestcontentservice.top^$third-party -||bestcontentuse.top^$third-party -||bestholly.com^$third-party -||bestssn.com^$third-party -||betweendigital.com^$third-party -||bgmtracker.com^$third-party -||biksibo.ru^$third-party -||bitterstrawberry.org^$third-party -||black-ghettos.info^$third-party -||black6adv.com^$third-party -||blossoms.com^$third-party -||board-books.com^$third-party -||boinkcash.com^$third-party -||bookofsex.com^$third-party -||bposterss.net^$third-party -||branzas.com^$third-party -||brightcpm.net^$third-party -||brothersincash.com^$third-party -||brqvld0p.com^$third-party -||bumblecash.com^$third-party -||bumskontakte.ch^$third-party -||cam-lolita.net^$third-party -||cam4flat.com^$third-party -||camads.net^$third-party -||camcrush.com^$third-party -||camdough.com^$third-party -||camduty.com^$third-party -||campartner.com^$third-party -||camplacecash.com^$third-party -||camprime.com^$third-party -||campromos.nl^$third-party -||camsense.com^$third-party -||camsitecash.com^$third-party -||camzap.com^$third-party -||cash-program.com^$third-party -||cash4movie.com^$third-party -||cashlayer.com^$third-party -||cashthat.com^$third-party -||cashtraff.com^$third-party -||cdn7.network^$third-party -||cdn7.rocks^$third-party -||ceepq.com^$third-party -||celeb-ads.com^$third-party -||celogera.com^$third-party -||cennter.com^$third-party -||certified-apps.com^$third-party -||cervicalknowledge.info^$third-party -||cfcloudcdn.com^$third-party -||che-ka.com^$third-party -||chestyry.com^$third-party -||chopstick16.com^$third-party -||citysex.com^$third-party -||clearac.com^$third-party -||cleavageguarantyaquarius.com^$third-party -||clickganic.com^$third-party -||clickpapa.com^$third-party -||clicksvenue.com^$third-party -||clickthruserver.com^$third-party -||clicktrace.info^$third-party -||clockdisplaystoring.com^$third-party -||cmdfnow.com^$third-party -||cntrafficpro.com^$third-party -||codelnet.com^$third-party -||coldhardcash.com^$third-party -||coloredguitar.com^$third-party -||colpory.com^$third-party -||comunicazio.com^$third-party -||contentabc.com^$third-party -||cpacoreg.com^$third-party -||cpl1.ru^$third-party -||crakbanner.com^$third-party -||crakcash.com^$third-party -||creoads.com^$third-party -||crocoads.com^$third-party -||crtracklink.com^$third-party -||ctyzd.com^$third-party -||cwgads.com^$third-party -||cyberbidhost.com^$third-party -||cybernetentertainment.com^$third-party -||d-agency.net^$third-party -||d0main.ru^$third-party -||d29gqcij.com^$third-party -||d3b3e6340.website^$third-party -||daffaite.com^$third-party -||dallavel.com^$third-party -||dana123.com^$third-party -||danzabucks.com^$third-party -||darangi.ru^$third-party -||data-ero-advertising.com^$third-party -||data-eroadvertising.com^$third-party -||data.13dc235d.xyz^$third-party -||datefunclub.com^$third-party -||datetraders.com^$third-party -||datexchanges.net^$third-party -||dating-adv.com^$third-party -||datingadnetwork.com^$third-party -||datingamateurs.com^$third-party -||datingcensored.com^$third-party -||datingidol.com^$third-party -||dblpmp.com^$third-party -||deecash.com^$third-party -||demanier.com^$third-party -||dematom.com^$third-party -||denotyro.com^$third-party -||depilflash.tv^$third-party -||depravedwhores.com^$third-party -||desiad.net^$third-party -||digitaldesire.com^$third-party -||directadvert.ru^$third-party -||directchat.tv^$third-party -||direction-x.com^$third-party -||discreetlocalgirls.com^$third-party -||divascam.com^$third-party -||divertura.com^$third-party -||dofolo.ru^$third-party -||dosugcz.biz^$third-party -||double-check.com^$third-party -||doublegear.com^$third-party -||drevil.to^$third-party -||dro4icho.ru^$third-party -||dtiserv2.com^$third-party -||dvdkinoteatr.com^$third-party -||eadulttraffic.com^$third-party -||easy-dating.org^$third-party -||easyaccess.mobi^$third-party -||easyflirt.com^$third-party -||ebdr2.com^$third-party -||ebocornac.com^$third-party -||ecortb.com^$third-party -||elekted.com^$third-party -||eltepo.ru^$third-party -||emediawebs.com^$third-party -||enoratraffic.com^$third-party -||eragi.ru^$third-party -||eroadvertising.com^$third-party -||erosadv.com^$third-party -||erotikdating.com^$third-party -||erotizer.info^$third-party -||escortso.com^$third-party -||eu2xml.com^$third-party -||euro-rx.com^$third-party -||euro4ads.de^$third-party -||exchangecash.de^$third-party -||exclusivepussy.com^$third-party -||exoclickz.com^$third-party -||exogripper.com^$third-party -||exoticads.com^$third-party -||exsifsi.ru^$third-party -||eyemedias.com^$third-party -||facebookofsex.com^$third-party -||faceporn.com^$third-party -||facetz.net^$third-party -||fanmalinin.ru^$third-party -||fapality.com^$third-party -||feeder.xxx^$third-party -||felixflow.com^$third-party -||fickads.net^$third-party -||filthads.com^$third-party -||findandtry.com^$third-party -||flashadtools.com^$third-party -||fleshcash.com^$third-party -||fleshlightgirls.com^$third-party -||flipflapflo.info^$third-party -||flipflapflo.net^$third-party -||flirt4e.com^$third-party -||flirt4free.com^$third-party -||flirtingsms.com^$third-party -||fmhcj.top^$third-party -||fmscash.com^$third-party -||fncash.com^$third-party -||fncnet1.com^$third-party -||forgetstore.com^$third-party -||freakads.com^$third-party -||free-porn-vidz.com^$third-party -||frestacero.com^$third-party -||frestime.com^$third-party -||frivol-ads.com^$third-party -||frutrun.com^$third-party -||fuckbook.cm^$third-party -||fuckbookdating.com^$third-party -||fuckermedia.com^$third-party -||fuckyoucash.com^$third-party -||fuelbuck.com^$third-party -||funcel.mobi^$third-party -||funnypickuplinesforgirls.com^$third-party -||fwbntw.com^$third-party -||g6ni40i7.com^$third-party -||g726n8cy.com^$third-party -||gamblespot.ru^$third-party -||gamevui24.com^$third-party -||ganardineroreal.com^$third-party -||gayadpros.com^$third-party -||gayxperience.com^$third-party -||gefnaro.com^$third-party -||genialradio.com^$third-party -||geoaddicted.net^$third-party -||geofamily.ru^$third-party -||geoinventory.com^$third-party -||getiton.com^$third-party -||gfhdkse.com^$third-party -||ggwcash.com^$third-party -||gl-cash.com^$third-party -||glbtrk.com^$third-party -||go2euroshop.com^$third-party -||goallurl.ru^$third-party -||goklics.ru^$third-party -||golderotica.com^$third-party -||govereign.com^$third-party -||greatcpm.com^$third-party -||gridlockparadise.com^$third-party -||gtsads.com^$third-party -||gunzblazingpromo.com^$third-party -||gzbop.com^$third-party -||haeg1ei.bid^$third-party -||happer.info^$third-party -||hdat.xyz^$third-party -||helltraffic.com^$third-party -||hentaibiz.com^$third-party -||herezera.com^$third-party -||hgbn.rocks^$third-party -||hghit.com^$third-party -||hhit.xyz^$third-party -||hickle.link^$third-party -||hiddenbucks.com^$third-party -||highnets.com^$third-party -||hipals.com^$third-party -||hizlireklam.com^$third-party -||home-soon.com^$third-party -||hookupbucks.com^$third-party -||hopilos.com^$third-party -||hoptopboy.com^$third-party -||hornymatches.com^$third-party -||hornyspots.com^$third-party -||host-go.info^$third-party -||hostave.net^$third-party -||hostave2.net^$third-party -||hostave4.net^$third-party -||hot-dances.com^$third-party -||hot-socials.com^$third-party -||hotsocials.com^$third-party -||hqpass.com^$third-party -||hsmclick.com^$third-party -||hubtraffic.com^$third-party -||iceban.su^$third-party -||icetraffic.com^$third-party -||icqadvert.org^$third-party -||ictowaz.ru^$third-party -||ideal-sexe.com^$third-party -||idolbucks.com^$third-party -||igiplay.net^$third-party -||igithab.com^$third-party -||iheartbucks.com^$third-party -||ijquery10.com^$third-party -||ijrah.top^$third-party -||ilovecheating.com^$third-party -||impotencehelp.info^$third-party -||impressionmonster.com^$third-party -||inertanceretinallaurel.com^$third-party -||inheart.ru^$third-party -||intellichatadult.com^$third-party -||internebula.net^$third-party -||intrapromotion.com^$third-party -||ipornia.com^$third-party -||iprofit.cc^$third-party -||iridiumsergeiprogenitor.info^$third-party -||itmcash.com^$third-party -||itrxx.com^$third-party -||itslive.com^$third-party -||itw.me^$third-party -||iwanttodeliver.com^$third-party -||iwebanalyze.com^$third-party -||iwinnersadvantage.com^$third-party -||iwtra.top^$third-party -||ixspublic.com^$third-party -||jackao.net^$third-party -||javbucks.com^$third-party -||jaymancash.com^$third-party -||jeisl.com^$third-party -||jerrcotch.com^$third-party -||jfresi.com^$third-party -||joinnowinstantly.com^$third-party -||jowapt.com^$third-party -||joyourself.com^$third-party -||juicycash.net^$third-party -||justgetitfaster.com^$third-party -||justresa.com^$third-party -||jz9ugaqb.com^$third-party -||k9x.net^$third-party -||kadam.ru^$third-party -||kaplay.com^$third-party -||kingpinmedia.net^$third-party -||kinopokaz.org^$third-party -||kliklink.ru^$third-party -||klocko.link^$third-party -||kolestence.com^$third-party -||kolitat.com^$third-party -||kolort.ru^$third-party -||kuhnivsemisrazu.ru^$third-party -||kwot.biz^$third-party -||kxqvnfcg.xyz^$third-party -||lavantat.com^$third-party -||leche69.com^$third-party -||legendarylars.com^$third-party -||lickbylick.com^$third-party -||lifepromo.biz^$third-party -||limon.biz^$third-party -||links-and-traffic.com^$third-party -||livecam.com^$third-party -||livejasmin.tv^$third-party -||liveprivates.com^$third-party -||livepromotools.com^$third-party -||livestatisc.com^$third-party -||livetraf.com^$third-party -||livexxx.me^$third-party -||lizads.com^$third-party -||loa-traffic.com^$third-party -||loading-delivery1.com^$third-party -||lostun.com^$third-party -||loveadverts.com^$third-party -||lovecam.com.br^$third-party -||lovercash.com^$third-party -||lsawards.com^$third-party -||lucidcommerce.com^$third-party -||lugiy.ru^$third-party -||luhtb.top^$third-party -||luvcash.com^$third-party -||luvcom.com^$third-party -||lyubnozo.ru^$third-party -||madbanner.com^$third-party -||magical-sky.com^$third-party -||mahnatka.ru^$third-party -||makechatcash.com^$third-party -||malakasonline.com^$third-party -||mallcom.com^$third-party -||mallorcash.com^$third-party -||manfys.com^$third-party -||markswebcams.com^$third-party -||marvin.pw^$third-party -||masterwanker.com^$third-party -||matrimoniale3x.ro^$third-party -||matrix-cash.com^$third-party -||maxcash.com^$third-party -||maxiadv.com^$third-party -||mazetin.ru^$third-party -||mb103.com^$third-party -||mc-nudes.com^$third-party -||mdlsrv.com^$third-party -||meccahoo.com^$third-party -||media-click.ru^$third-party -||mediagra.com^$third-party -||mediumpimpin.com^$third-party -||meetthegame.online^$third-party -||megoads.eu^$third-party -||meineserver.com^$third-party -||menteret.com^$third-party -||meta4-group.com^$third-party -||methodcash.com^$third-party -||meubonus.com^$third-party -||mhogb.space^$third-party -||might-stay.info^$third-party -||millioncash.ru^$third-party -||mmaaxx.com^$third-party -||mo8mwxi1.com^$third-party -||mobalives.com^$third-party -||mobbobr.com^$third-party -||mobilerevenu.com^$third-party -||mobred.net^$third-party -||mobtop.ru^$third-party -||modelsgonebad.com^$third-party -||mopilod.com^$third-party -||morehitserver.com^$third-party -||mp3vicio.com^$third-party -||mpay69.pw^$third-party -||mpmcash.com^$third-party -||mrskincash.com^$third-party -||msquaredproductions.com^$third-party -||mtoor.com^$third-party -||mtree.com^$third-party -||mxpopad.com^$third-party -||myadultbanners.com^$third-party -||mymirror.biz^$third-party -||myprecisionads.com^$third-party -||mywebclick.net^$third-party -||n9nedegrees.com^$third-party -||naiadexports.com^$third-party -||nastydollars.com^$third-party -||nativexxx.com^$third-party -||nature-friend.com^$third-party -||netosdesalim.info^$third-party -||neuesdate.com^$third-party -||newads.bangbros.com^$third-party -||newagerevenue.com^$third-party -||newnudecash.com^$third-party -||newsexbook.com^$third-party -||ngbn.net^$third-party -||nikkiscash.com^$third-party -||ningme.ru^$third-party -||niytrusmedia.com^$third-party -||njmaq.com^$third-party -||nkk31jjp.com^$third-party -||nonkads.com^$third-party -||nscash.com^$third-party -||nsfwads.com^$third-party -||nummobile.com^$third-party -||nvp2auf5.com^$third-party -||o333o.com^$third-party -||oconner.biz^$third-party -||oddads.net^$third-party -||odzb5nkp.com^$third-party -||ofapes.com^$third-party -||okeo.ru^$third-party -||omynews.net^$third-party -||onedmp.com.^$third-party -||onhercam.com^$third-party -||onyarysh.ru^$third-party -||ordermc.com^$third-party -||orodi.ru^$third-party -||otaserve.net^$third-party -||otherprofit.com^$third-party -||outster.com^$third-party -||owlopadjet.info^$third-party -||owpawuk.ru^$third-party -||oxcluster.com^$third-party -||ozelmedikal.com^$third-party -||ozon.ru^$third-party -||ozone.ru^$third-party,domain=~ozon.ru|~ozonru.co.il|~ozonru.com|~ozonru.eu|~ozonru.kz -||ozonru.eu^$third-party -||p51d20aa4.website^$third-party -||paid-to-promote.net^$third-party -||panoll.com^$third-party -||pardina.ru^$third-party -||parkingpremium.com^$third-party -||partnercash.com^$third-party -||partnercash.de^$third-party -||pcruxm.xyz^$third-party -||pdywlbjkeq.work^$third-party -||pecash.com^$third-party -||pennynetwork.com^$third-party -||pepipo.com^$third-party -||philstraffic.com^$third-party -||pictureturn.com^$third-party -||pinkhoneypots.com^$third-party -||plachetde.biz^$third-party -||plantaosexy.com^$third-party -||pleasedontslaymy.download^$third-party -||plmokn.pw^$third-party -||plugrush.com^$third-party -||pnads.com^$third-party -||polimantu.com^$third-party -||poonproscash.com^$third-party -||pop-bazar.net^$third-party -||popander.biz^$third-party -||popander.com^$third-party -||popdown.biz^$third-party -||poppcheck.de^$third-party -||popupclick.ru^$third-party -||popxxx.net^$third-party -||porkolt.com^$third-party -||porn-ad.org^$third-party -||porn-hitz.com^$third-party -||porn-site-builder.com^$third-party -||porn88.net^$third-party -||porn99.net^$third-party -||pornattitude.com^$third-party -||pornconversions.com^$third-party -||pornearn.com^$third-party -||pornkings.com^$third-party -||pornleep.com^$third-party -||porno-file.ru^$third-party -||pornoow.com^$third-party -||porntagged.com^$third-party -||porntrack.com^$third-party -||pornworld.online^$third-party -||portable-basketball.com^$third-party -||pourmajeurs.com^$third-party -||ppc-direct.com^$third-party -||premature-ejaculation-causes.org^$third-party -||premiumhdv.com^$third-party -||privacyprotector.com^$third-party -||private4.com^$third-party -||privateseiten.net^$third-party -||privatewebseiten.com^$third-party -||prmobiles.com^$third-party -||profistats.net^$third-party -||profitstat.biz^$third-party -||program3.com^$third-party -||promo4partners.com^$third-party -||promocionesweb.com^$third-party -||promotion-campaigns.com^$third-party -||promotools.biz^$third-party -||promowebstar.com^$third-party -||protect-x.com^$third-party -||protizer.ru^$third-party -||prpops.com^$third-party -||prscripts.com^$third-party -||psma01.com^$third-party -||psma03.com^$third-party -||ptclassic.com^$third-party -||ptrfc.com^$third-party -||ptwebcams.com^$third-party -||publish4.com^$third-party -||pussyeatingclub.com^$third-party -||pussyeatingclubcams.com^$third-party -||putags.com^$third-party -||putanapartners.com^$third-party -||pyiel2bz.com^$third-party -||quagodex.com^$third-party -||queronamoro.com^$third-party -||quexotac.com^$third-party -||r7e0zhv8.com^$third-party -||rack-media.com^$third-party -||ragazzeinvendita.com^$third-party -||ramctrlgate.com^$third-party -||rareru.ru^$third-party -||rdiul.com^$third-party -||reachword.com^$third-party -||real2clean.ru^$third-party -||realdatechat.com^$third-party -||realitycash.com^$third-party -||realitytraffic.com^$third-party -||redcash.net^$third-party -||redirectoptimizer.com^$third-party -||redlightcenter.com^$third-party -||redpineapplemedia.com^$third-party -||reeviveglobal.com^$third-party -||reevivenetwork.com^$third-party -||reevivepro.com^$third-party -||reliablebanners.com^$third-party -||renewads.com^$third-party -||reon.club^$third-party -||replase.gq^$third-party -||reprak.com^$third-party -||retargetpro.net^$third-party -||retoxo.com^$third-party -||revitalize.club^$third-party -||revivestar.com^$third-party -||rexbucks.com^$third-party -||rfvoort.com^$third-party -||ripbwing.com^$third-party -||rivcash.com^$third-party -||rlogoro.ru^$third-party -||rmbn.net^$third-party -||rmkflouh.com^$third-party -||robotadserver.com^$third-party -||royal-cash.com^$third-party -||rsdisp.ru^$third-party -||rtbsystem.com^$third-party -||rubanners.com^$third-party -||rukplaza.com^$third-party -||rulerclick.com^$third-party -||rulerclick.ru^$third-party -||runetki.co^$third-party -||runetki.com^$third-party -||russianlovematch.com^$third-party -||safelinktracker.com^$third-party -||sancdn.net^$third-party -||sascentral.com^$third-party -||sbs-ad.com^$third-party -||scenesgirls.com^$third-party -||scund.com^$third-party -||searchpeack.com^$third-party -||searchx.eu^$third-party -||secretbehindporn.com^$third-party -||seekbang.com^$third-party -||seemybucks.com^$third-party -||sehiba.com^$third-party -||seitentipp.com^$third-party -||senkinar.com^$third-party -||sesxc.com^$third-party -||sexad.net^$third-party -||sexdatecash.com^$third-party -||sexengine.sx^$third-party -||sexiba.com^$third-party -||sexlist.com^$third-party -||sexopages.com^$third-party -||sexplaycam.com^$third-party -||sexsearch.com^$third-party -||sextadate.net^$third-party -||sextracker.com^$third-party -||sextubecash.com^$third-party -||sexvertise.com^$third-party -||sexy-ch.com^$third-party -||sexypower.net^$third-party -||shopping-centres.org^$third-party -||siccash.com^$third-party -||sixsigmatraffic.com^$third-party -||sjosteras.com^$third-party -||skeettools.com^$third-party -||slendastic.com^$third-party -||smartbn.ru^$third-party -||sms-xxx.com^$third-party -||smutty.com^$third-party -||soadvr.com^$third-party -||socialsexnetwork.net^$third-party -||solutionsadultes.com^$third-party -||sortow.ru^$third-party -||spcwm.com^$third-party -||spunkycash.com^$third-party -||squeeder.com^$third-party -||ssl2anyone.com^$third-party -||startede.com^$third-party -||startwebpromo.com^$third-party -||stat-data.net^$third-party -||statserv.net^$third-party -||steamtraffic.com^$third-party -||sterrencash.nl^$third-party -||streamateaccess.com^$third-party -||stripsaver.com^$third-party -||sunmcre.com^$third-party -||sunnysmedia.com^$third-party -||sv2.biz^$third-party -||sweetmedia.org^$third-party -||sweetstudents.com^$third-party -||talk-blog.com^$third-party -||targetingnow.com^$third-party -||targettrafficmarketing.net^$third-party -||tarkita.ru^$third-party -||teasernet.ru^$third-party -||teaservizio.com^$third-party -||tech-board.com^$third-party -||teendestruction.com^$third-party -||telvanil.ru^$third-party -||thattoftheg.com^$third-party -||the-adult-company.com^$third-party -||thebunsenburner.com^$third-party -||thepayporn.com^$third-party -||thesocialsexnetwork.com^$third-party -||thrnt.com^$third-party -||thumbnail-galleries.net^$third-party -||timteen.com^$third-party -||tingrinter.com^$third-party -||tinyweene.com^$third-party -||titsbro.net^$third-party -||titsbro.org^$third-party -||titsbro.pw^$third-party -||tizernet.com^$third-party -||tkhigh.com^$third-party -||tlafu.space^$third-party -||tm-core.net^$third-party -||tmserver-1.com^$third-party -||tmserver-2.net^$third-party -||todayssn.com^$third-party -||toget.ru^$third-party -||tomorrowperegrinemortician.info^$third-party -||top-sponsor.com^$third-party -||topbucks.com^$third-party -||torrent-anime.ru^$third-party -||tossoffads.com^$third-party -||tostega.ru^$third-party -||tracelive.ru^$third-party -||tracker2kss.eu^$third-party -||trackerodss.eu^$third-party -||traffbiz.ru^$third-party -||traffic-in.com^$third-party -||traffic.ru^$third-party -||trafficholder.com^$third-party -||traffichunt.com^$third-party -||trafficjunky.com^$third-party -||trafficlearn.com^$third-party -||trafficpimps.com^$third-party -||trafficshop.com^$third-party -||trafficstars.com^$third-party -||traffictraffickers.com^$third-party -||trafficundercontrol.com^$third-party -||traficmax.fr^$third-party -||trafogon.net^$third-party -||transexy.it^$third-party -||trhnt.com^$third-party -||trhunt.com^$third-party -||trustedadserver.com^$third-party -||trw12.com^$third-party -||try9.com^$third-party -||tsyndicate.com^$third-party -||ttlbd.net^$third-party -||ttlmodels.com^$third-party -||tubeadnetwork.com^$third-party -||tubedspots.com^$third-party -||tufosex.com.br^$third-party -||twistyscash.com^$third-party -||tynyh.com^$third-party -||ukreggae.ru^$third-party -||unaspajas.com^$third-party -||unlimedia.net^$third-party -||utrehter.com^$third-party -||uuidksinc.net^$third-party -||uxernab.com^$third-party -||ver-pelis.net^$third-party -||verticalaffiliation.com^$third-party -||video-people.com^$third-party -||viewrtb.com^$third-party -||virtuagirlhd.com^$third-party -||vividcash.com^$third-party -||vktr073.net^$third-party -||vlexokrako.com^$third-party -||vlogexpert.com^$third-party -||vod-cash.com^$third-party -||vogopita.com^$third-party -||vogorana.ru^$third-party -||vogotita.com^$third-party -||vogozae.ru^$third-party -||voluumtrk.com^$third-party -||vroll.net^$third-party -||vrstage.com^$third-party -||vsexshop.ru^$third-party -||walprater.com^$third-party -||wamcash.com^$third-party -||wantatop.com^$third-party -||warsomnet.com^$third-party -||watchmygf.to^$third-party -||webcambait.com^$third-party -||webcampromotions.com^$third-party -||webclickengine.com^$third-party -||webclickmanager.com^$third-party -||websitepromoserver.com^$third-party -||webstats.com.br^$third-party -||webteaser.ru^$third-party -||weownthetraffic.com^$third-party -||weselltraffic.com^$third-party -||wetpeachcash.com^$third-party -||whaleads.com^$third-party -||wifelovers.com^$third-party -||wildhookups.com^$third-party -||wildmatch.com^$third-party -||wisozk.link^$third-party -||wma.io^$third-party -||wood-pen.com^$third-party -||worldsbestcams.com^$third-party -||wqlkp.com^$third-party -||wufel.ml^$third-party -||wwwmobiroll.com^$third-party -||x-adservice.com^$third-party -||x-exchanger.co.uk^$third-party -||x3v66zlz.com^$third-party -||xclickdirect.com^$third-party -||xclicks.net^$third-party -||xf43506e8.pw^$third-party -||xfuckbook.com^$third-party -||xhamstercams.com^$third-party -||xidx.org^$third-party -||xlovecam.com^$third-party -||xmediawebs.net^$third-party -||xoliter.com^$third-party -||xpctraffic.com^$third-party -||xpollo.com^$third-party -||xpop.co^$third-party -||xsrs.com^$third-party -||xxltr.com^$third-party -||xxxadv.com^$third-party -||xxxallaccesspass.com^$third-party -||xxxbannerswap.com^$third-party -||xxxblackbook.com^$third-party -||xxxex.com^$third-party -||xxxlnk.com^$third-party -||xxxmatch.com^$third-party -||xxxmyself.com^$third-party -||xxxnavy.com^$third-party -||xxxvipporno.com^$third-party -||xxxwebtraffic.com^$third-party -||y72yuyr9.com^$third-party -||yazcash.com^$third-party -||yesmessenger.com^$third-party -||yfum.com^$third-party -||yobihost.com^$third-party -||yoshatia.com^$third-party -||your-big.com^$third-party -||yourdatelink.com^$third-party -||yourfuckbook.com^$third-party,domain=~fuckbookhookups.com -||ypmadserver.com^$third-party -||yu0123456.com^$third-party -||yuppads.com^$third-party -||yx0banners.com^$third-party -||zboac.com^$third-party -||zenkreka.com^$third-party -||zinzimo.info^$third-party -||ziphentai.com^$third-party -||zog.link^$third-party -! Mobile -||reporo.net^$third-party -! Pornhub network -||00zasdf.pw$other -||00zasdf.pw$websocket -||abbp1.science.^ -||abbp1.space.^ -||abbp1.website.^ -||adspayformymortgage.win.^ -||poolnoodle.tech.^ -! *** easylist:easylist_adult/adult_adservers_popup.txt *** -||33traffic.com^$popup -||3file.info^$popup,third-party -||3questionsgetthegirl.com^$popup -||45i73jv6.com^$popup,third-party -||adsnero.website^$popup,third-party -||adtgs.com^$popup -||adultadmedia.com^$popup,third-party -||adultadworld.com^$popup,third-party -||adultmoda.com^$popup,third-party -||adxite.com^$popup,third-party -||adxpansion.com^$popup,third-party -||aquete.com^$popup,third-party -||banners.cams.com^$popup,third-party -||bitterstrawberry.com^$popup -||buy404s.com^$popup -||c4tracking01.com^$popup,third-party -||cam4tracking.com^$popup,third-party -||chokertraffic.com^$popup,third-party -||chtic.net^$popup,third-party -||clockdisplaystoring.com^$popup -||connexionsafe.com^$popup -||cstraffic.com^$popup -||datoporn.com^$popup,third-party -||doublegear.com^$popup,third-party -||dverser.ru^$popup,third-party -||easysexdate.com^$popup -||ebocornac.com^$popup,third-party -||ekod.info^$popup,third-party -||ero-advertising.com^$popup,third-party -||ertya.com^$popup -||everyporn.net^$popup,third-party -||exgfpunished.com^$popup,third-party -||exogripper.com^$popup -||fbay.tv^$popup -||filthads.com^$popup,third-party -||flagads.net^$popup -||foaks.com^$popup,third-party -||fox-forden.ru^$popup,third-party -||fpctraffic2.com^$popup,third-party -||freecamsexposed.com^$popup -||freewebcams.com^$popup,third-party -||fwbntw.com^$popup -||gettraff.com^$popup,third-party -||globaldating.online^$popup,third-party -||gothot.org^$popup,third-party -||hanaprop.com^$popup,third-party -||hapend.biz^$popup,third-party -||herezera.com^$popup -||hizlireklam.com^$popup,third-party -||hkinvy.ru^$popup -||hornymatches.com^$popup,third-party -||indianfriendfinder.com^$popup,third-party -||ipvertising.com^$popup -||isanalyze.com^$popup -||iwebanalyze.com^$popup -||jeisl.com^$popup,third-party -||juicyads.com^$popup,third-party -||kaizentraffic.com^$popup,third-party -||legacyminerals.net^$popup,third-party -||loltrk.com^$popup,third-party -||naughtyplayful.com^$popup,third-party -||needlive.com^$popup -||nextlandingads.com^$popup -||njmaq.com^$popup,third-party -||pinkberrytube.com^$popup -||playgirl.com^$popup -||plinx.net^$popup,third-party -||plugrush.com^$popup,third-party -||popcash.net^$popup,third-party -||prexista.com^$popup,third-party -||prpops.com^$popup,third-party -||queen-domain.net^$popup -||repmbuycurl.com^$popup,third-party -||reporo.net^$popup,third-party -||reviewdollars.com^$popup,third-party -||royalads.net^$popup,third-party -||sascentral.com^$popup,third-party -||setravieso.com^$popup,third-party -||sex-journey.com^$popup,third-party -||sexad.net^$popup,third-party -||sexflirtbook.com^$popup,third-party -||sexintheuk.com^$popup,third-party -||soadvr.com^$popup -||socialsex.biz^$popup,third-party -||socialsex.com^$popup,third-party -||ssl2anyone.com^$popup -||targetingnow.com^$popup,third-party -||tostega.ru^$popup -||trackvoluum.com^$popup -||trafficbroker.com^$popup -||trafficholder.com^$popup,third-party -||trafficstars.com^$popup -||traffictraffickers.com^$popup,third-party -||turnefo.ru^$popup -||vlexokrako.com^$popup -||voyeurbase.com^$popup,third-party -||watchmygf.com^$popup -||x2porn.eu^$popup,third-party -||xdtraffic.com^$popup,third-party -||xmatch.com^$popup -||xpeeps.com^$popup,third-party -||xvika.com^$popup,third-party -||xvika.net^$popup,third-party -||xxxbunker.com^$popup,third-party -||xxxmatch.com^$popup -||y72yuyr9.com^$popup,third-party -! -----------------------------Third-party adverts-----------------------------! -! *** easylist:easylist/easylist_thirdparty.txt *** --api.adyoulike.com -||000webhost.com/images/banners/ -||04stream.com/pop*.js -||1-million-usd.com/images/banners/ -||104.197.10.19^$script,third-party -||104.197.10.88^$script,third-party -||104.197.127.140^$script,third-party -||104.197.188.104^$script,third-party -||104.197.241.137^$script,third-party -||104.197.34.33^$script,third-party -||104.197.4.220^$script,third-party -||108.166.93.81/rotate/$domain=~infowars.com.ip -||109.201.134.110^$domain=04stream.com -||110.45.173.103/ad/$third-party -||110mb.com/images/banners/ -||121.78.129.103/ad/$domain=~koreatimes-kr.ip -||12dayswidget.com/widgets/ -||173.199.120.7/delivery/$domain=~p2p.adserver.ip -||173.225.186.54^$third-party,domain=~apps.su.ip -||178.17.164.58^$script,third-party -||178.238.233.242/open.js -||1page.co.za/affiliate/ -||1stag.com/main/img/banners/ -||1whois.org/static/popup.js -||208.43.84.120/trueswordsa3.gif$third-party,domain=~trueswords.com.ip -||209.15.224.6^$third-party,domain=~liverail-mlgtv.ip -||216.41.211.36/widget/$third-party,domain=~bpaww.com.ip -||217.115.147.241/media/$third-party,domain=~elb-kind.de.ip -||24.com//flashplayer/ova-jw.swf$object-subrequest -||247hd.net/ad| -||24casino.cz/poker300-$third-party -||24hrlikes.com/images/$third-party -||2leep.com/ticker2/$third-party -||2yu.in/banner/$third-party -||360pal.com/ads/$third-party -||3dots.co.il/pop/ -||4getlikes.com/promo/ -||69.50.226.158^$third-party,domain=~worth1000.com.ip -||6angebot.ch^$third-party,domain=netload.in -||6theory.com/pub/ -||770.com/banniere.php? -||80.94.76.4/abd.php? -||95.131.238.35^$third-party,domain=~maltatoday.mt.ip -||96.9.176.245^$third-party -||a.livesportmedia.eu^ -||a.ucoz.net^ -||a.watershed-publishing.com^ -||a04296f070c0146f314d-0dcad72565cb350972beb3666a86f246.r50.cf5.rackcdn.com^ -||a1channel.net/img/downloadbtn2.png -||a1channel.net/img/watch_now.gif -||aadvertismentt.com^$subdocument -||abacast.com/banner/ -||ablacrack.com/popup-pvd.js$third-party -||ad-v.jp/adam/ -||ad.23blogs.com^$third-party -||ad.about.co.kr^ -||ad.accessmediaproductions.com^ -||ad.adriver.ru^$domain=firstrownow.eu|kyivpost.com|uatoday.tv|unian.info -||ad.aquamediadirect.com^$third-party -||ad.bitmedia.io^ -||ad.e-kolay.net^$third-party -||ad.flux.com^ -||ad.foxnetworks.com^ -||ad.ghfusion.com^$third-party -||ad.icasthq.com^ -||ad.idgtn.net^ -||ad.imad.co.kr^$third-party -||ad.indomp3z.us^$third-party -||ad.jamba.net^ -||ad.jokeroo.com^$third-party -||ad.lijit.com^$third-party -||ad.linkstorms.com^$third-party -||ad.livere.co.kr^ -||ad.mail.ru^ -||ad.mediabong.net^ -||ad.mesomorphosis.com^ -||ad.mygamesol.com^$third-party -||ad.netcommunities.com^$third-party -||ad.openmultimedia.biz^ -||ad.outsidehub.com^ -||ad.pickple.net^ -||ad.premiumonlinemedia.com^$third-party -||ad.proxy.sh^ -||ad.r.worldssl.net^ -||ad.rambler.ru^ -||ad.realmcdn.net^$third-party -||ad.reklamport.com^ -||ad.sensismediasmart.com.au^ -||ad.sharethis.com^$third-party -||ad.smartclip.net^ -||ad.spielothek.so^ -||ad.sponsoreo.com^$third-party -||ad.valuecalling.com^$third-party -||ad.vidaroo.com^ -||ad.winningpartner.com^ -||ad.wsod.com^$third-party -||ad.zaman.com.tr^$third-party -||ad2links.com/js/$third-party -||adap.tv/redir/client/static/as3adplayer.swf -||adap.tv/redir/plugins/$object-subrequest -||adap.tv/redir/plugins3/$object-subrequest -||add.bugun.com.tr^ -||addme.com/images/addme_$third-party -||adf.ly/?$subdocument,~third-party,domain=adf.ly -||adf.ly/images/banners/ -||adf.ly/js/$third-party,domain=~j.gs|~q.gs -||adf.ly^*/link-converter.js$third-party -||adfoc.us/js/$third-party -||adimgs.t2b.click/assets/js/ttbir.js -||adingo.jp.eimg.jp^ -||adlandpro.com^$third-party -||adn.ebay.com^ -||adplus.goo.mx^ -||adr-*.vindicosuite.com^ -||ads.dynamicyield.com^$third-party -||ads.linkedin.com^$third-party -||ads.mp.mydas.mobi^ -||ads.tremorhub.com^ -||adscaspion.appspot.com^ -||adserv.legitreviews.com^$third-party -||adsrv.eacdn.com^$third-party -||adss.dotdo.net^ -||adstest.zaman.com.tr^$third-party -||adswizz.com/adswizz/js/SynchroClient*.js$third-party -||advanced-intelligence.com/banner -||adz.zwee.ly^ -||adziff.com^*/zdcse.min.js -||afairweb.com/html/$third-party -||afcdn.com^*/ova-jw.swf$object-subrequest -||aff.bstatic.com^$domain=f1i.com -||aff.cupidplc.com^$third-party -||aff.eteachergroup.com^ -||aff.marathonbet.com^ -||aff.svjump.com^ -||affil.mupromo.com^ -||affiliate.juno.co.uk^$third-party -||affiliate.mediatemple.net^$third-party -||affiliatehub.skybet.com^$third-party -||affiliateprogram.keywordspy.com^ -||affiliates-cdn.mozilla.org^$third-party -||affiliates.allposters.com^ -||affiliates.bookdepository.co.uk^$third-party -||affiliates.bookdepository.com^$third-party -||affiliates.homestead.com^$third-party -||affiliates.lynda.com^$third-party -||affiliates.picaboocorp.com^$third-party -||affiliatesmedia.sbobet.com^ -||affiliation.filestube.com^$third-party -||affiliation.fotovista.com^ -||affutdmedia.com^$third-party -||afimg.liveperson.com^$third-party -||agenda.complex.com^ -||agoda.net/banners/ -||ahlanlive.com/newsletters/banners/$third-party -||airpushmarketing.s3.amazonaws.com^ -||airvpn.org/images/promotional/ -||ais.abacast.com^ -||ak.imgaft.com^$third-party -||ak1.imgaft.com^$third-party -||akamai.net^*.247realmedia.com/$third-party -||akamai.net^*/espnpreroll/$object-subrequest -||akamai.net^*/pics.drugstore.com/prodimg/promo/ -||akamaihd.net/lmedianet.js -||akamaihd.net/preroll*.mp4?$domain=csnnw.com -||akamaihd.net/ssa/*?zoneid=$subdocument -||akamaihd.net^*/web/pdk/swf/freewheel.swf?$third-party -||alexa.com^*/promotebuttons/ -||algart.net*_banner_$third-party -||algovid.com/player/get_player_vasts? -||allposters.com^*/banners/ -||allsend.com/public/assets/images/ -||alluremedia.com.au^*/campaigns/ -||alpsat.com/banner/ -||altushost.com/docs/$third-party -||amazon.com/?_encoding*&linkcode$third-party -||amazon.com/gp/redirect.html?$subdocument,third-party -||amazon.com^*/getaanad?$third-party -||amazonaws.com/ad_w_intersitial.html -||amazonaws.com/ansible.js$domain=motherjones.com -||amazonaws.com/banner/$domain=gserp.com -||amazonaws.com/bo-assets/production/banner_attachments/ -||amazonaws.com/btrb-prd-banners/ -||amazonaws.com/crossdomain.xml$object-subrequest,domain=ndtv.com -||amazonaws.com/digitalcinemanec.swf$domain=boxoffice.com -||amazonaws.com/fvefwdds/ -||amazonaws.com/images/a/$domain=slader.com -||amazonaws.com/lms/sponsors/ -||amazonaws.com/newscloud-production/*/backgrounds/$domain=crescent-news.com|daily-jeff.com|recordpub.com|state-journal.com|the-daily-record.com|the-review.com|times-gazette.com -||amazonaws.com/photos.offers.analoganalytics.com/ -||amazonaws.com/player.php?vidurl=$object-subrequest,domain=ndtv.com -||amazonaws.com/pmb-musics/download_itunes.png -||amazonaws.com/promotions/ -||amazonaws.com/publishflow/ -||amazonaws.com/skyscrpr.js -||amazonaws.com/streetpulse/ads/ -||amazonaws.com/wafmedia6.com/ -||amazonaws.com/widgets.youcompare.com.au/ -||amazonaws.com/youpop/ -||amazonaws.com^*/player_request_*/get_affiliate_ -||analytics.disneyinternational.com^ -||ancestrydata.com/widget.html?$domain=findagrave.com -||angelbc.com/clients/*/banners/$third-party -||anime.jlist.com^$third-party -||anonym.to/*findandtry.com -||any.gs/visitScript/$third-party -||aol.co.uk^*/cobrand.js -||aolcdn.com/os/mapquest/marketing/promos/ -||aolcdn.com/os/mapquest/promo-images/ -||aolcdn.com/os/music/img/*-skin.jpg -||api.140proof.com^$third-party -||api.bitp.it^$third-party -||api.groupon.com/v2/deals/$third-party -||api.ticketnetwork.com/Events/TopSelling/domain=nytimes.com -||apnonline.com.au/img/marketplace/*_ct50x50.gif -||appdevsecrets.com/images/nuts/ -||apple.com/itunesaffiliates/ -||appnext-a.akamaihd.net^ -||appsgenius.com/images/$third-party -||appwork.org/hoster/banner_$third-party -||arcadetown.com/as/show.asp -||ard.ihookup.com^ -||arntrnassets.mediaspanonline.com^*_HP_wings_ -||artistdirect.com/partner/ -||as.devbridge.com^$third-party -||as.jivox.com/jivox/serverapis/getcampaignbysite.php?$object-subrequest -||assets.betterbills.com/widgets/ -||associmg.com^*.gif?tag- -||astalavista.box.sk/c-astalink2a.jpg -||astrology.com/partnerpages/ -||athena-ads.wikia.com^$third-party -||atomicpopularity.com/dfpd.js -||augine.com/widget|$third-party -||autoprivileges.net/news/ -||autotrader.ca/result/AutosAvailableListings.aspx?$third-party -||autotrader.co.za/partners/$third-party -||awadhtimes.com^$third-party -||award.sitekeuring.net^ -||awin1.com/cawshow.php$third-party -||awin1.com/cshow.php$third-party -||axandra.com/affiliates/ -||axisbank.com/shopaholics-festival/$domain=ibnlive.in.com -||b.babylon.com^ -||b.livesport.eu^ -||b.sell.com^$third-party -||b117f8da23446a91387efea0e428392a.pl^$domain=ddlvalley.net -||b92.putniktravel.com^ -||b92s.net/images/banners/ -||babylon.com/site/images/common.js$third-party -||babylon.com/systems/af/landing/$third-party -||babylon.com/trans_box/*&affiliate= -||babylon.com^*?affid= -||badoo.com/informer/$third-party -||ball2win.com/Affiliate/ -||bamstudent.com/files/banners/ -||bankrate.com/jsfeeds/$third-party -||bankrate.com^$subdocument,domain=yahoo.com -||banman.isoftmarketing.com^$third-party -||banner.101xp.com^ -||banner.3ddownloads.com^ -||banner.europacasino.com^ -||banner.telefragged.com^ -||banner.titancasino.com^ -||banner.titanpoker.com^$third-party -||banner2.casino.com^$third-party -||bannermaken.nl/banners/$third-party -||banners.cfspm.com.au^$third-party -||banners.ixitools.com^$third-party -||banners.moreniche.com^$third-party -||banners.smarttweak.com^$third-party -||banners.videosz.com^$third-party -||banners.webmasterplan.com^$third-party -||bbcchannels.com/workspace/uploads/ -||bc.coupons.com^$third-party -||bc.vc/js/link-converter.js$third-party -||beachcamera.com/assets/banners/ -||bee4.biz/banners/ -||bemyapp.com/trk/$third-party -||bergen.com^*/sponsoredby- -||berush.com/images/*_semrush_$third-party -||berush.com/images/semrush_banner_ -||berush.com/images/whorush_120x120_ -||besthosting.ua/banner/ -||bestofmedia.com/ws/communicationSpot.php? -||bet-at-home.com/oddbanner.aspx? -||bet365.com/favicon.ico$third-party -||beta.down2crazy.com^$third-party -||betterbills.com.au/widgets/ -||betting.betfair.com^$third-party -||betwaypartners.com/affiliate_media/$third-party -||bharatmatrimony.com/matrimoney/matrimoneybanners/$third-party -||bidgo.ca^$subdocument,third-party -||bidorbuy.co.za/jsp/system/referral.jsp? -||bidorbuy.co.za/jsp/tradesearch/TradeFeedPreview.jsp?$third-party -||bigcommerce.com^*/product_images/$domain=politicalears.com -||bigpond.com/specials/$subdocument,third-party -||bigrock.in/affiliate/ -||bijk.com^*/banners/ -||binbox.io/public/img/promo/$third-party -||binopt.net/banners/ -||bit.ly^$image,domain=planepictures.net -||bit.ly^$subdocument,domain=adf.ly -||bitcoindice.com/img/bitcoindice_$third-party -||bitcoinwebhosting.net/banners/$third-party -||bitshare.com^*/banner/ -||bittorrent.am/serws.php?$third-party -||bl.wavecdn.de^ -||blamads-assets.s3.amazonaws.com^ -||blindferret.com/images/*_skin_ -||blinkx.com/?i=*&adc_pub_id=$script,third-party -||blinkx.com/f2/overlays/ -||bliss-systems-api.co.uk^$third-party -||blissful-sin.com/affiliates/ -||blocks.ginotrack.com^$third-party -||blogatus.com/images/banner/$third-party -||bloodstock.uk.com/affiliates/ -||bluehost-cdn.com/media/partner/images/ -||bluepromocode.com/images/widgets/$third-party -||bluesattv.net/bluesat.swf -||bluesattv.net/bluesattvnet.gif -||bluhostedbanners.blucigs.com^ -||bo-videos.s3.amazonaws.com^$third-party -||boago.com^*_Takeover_ -||bollyrulez.net/media/adz/ -||booking.com^$subdocument,domain=traveller24.com -||booking.com^*;tmpl=banner_ -||bookingdragon.com^$subdocument,third-party -||bordernode.com/images/$third-party -||borrowlenses.com/affiliate/ -||bosh.tv/hdplugin. -||box.anchorfree.net^ -||bpath.com/affiliates/ -||bplaced.net/pub/ -||bravenet.com/cserv.php -||break.com/break/html/$subdocument -||break.com^*/partnerpublish/ -||brettterpstra.com/wp-content/uploads/$third-party -||broadbandgenie.co.uk/widget?$third-party -||bruteforceseo.com/affiliates/ -||bruteforcesocialmedia.com/affiliates/ -||btguard.com/images/$third-party -||btr.domywife.com^ -||btrd.net/assets/interstitial$script -||bubbles-uk.com/banner/$third-party -||bullguard.com^*/banners/ -||burst.net/aff/ -||burstnet.akadns.net^$image -||businessnewswatch.ca/images/nnwbanner/ -||butter.to^$subdocument,third-party -||buy.com^*/affiliate/ -||buyhatke.com/widgetBack/ -||buzina.xyz^$script -||buzznet.com^*/showpping-banner-$third-party -||byzoo.org/script/tu*.js -||bza.co^$subdocument,third-party -||c.netu.tv^ -||cachefly.net/cricad.html -||cactusvpn.com/images/affiliates/ -||cal-one.net/ellington/deals_widget.php? -||cal-one.net/ellington/search_form.php? -||camelmedia.net^*/banners/ -||cancomdigital.com/resourcecenter/$third-party -||canonresourcecenter.com^$third-party -||carbiz.in/affiliates-and-partners/ -||careerjunction.co.za/widgets/$third-party -||careerjunction.co.za^*/widget?$third-party -||carfax.com/img_myap/$third-party -||cars.fyidriving.com^$subdocument,third-party -||cas.*.criteo.com^$third-party -||cas.clickability.com^ -||cas.criteo.com^$third-party -||cash.neweramediaworks.com^ -||cashmakingpowersites.com^*/banners/ -||cashmyvideo.com/images/cashmyvideo_banner.gif -||casinobonusdeal.com^$subdocument,domain=frombar.com|gledaisport.com|smotrisport.com|sportcategory.com|sportlemon.org|sportlemon.tv -||castasap.com/publi2.html -||casti.tv/adds/ -||catholicweb.com^*/banners/ -||caw.*.criteo.com^$third-party -||caw.criteo.com^$third-party -||cbcomponent.com^$third-party -||cbpirate.com/getimg.php? -||cccam.co/banner_big.gif -||cdn.adblade.com^$third-party -||cdn.assets.gorillanation.com^$third-party -||cdn.cdncomputer.com/js/main.js -||cdn.ndparking.com/js/init.min.js -||cdn.offcloud.com^$third-party -||cdn.sweeva.com/images/$third-party -||cdn.totalfratmove.com^$image,domain=postgradproblems.com -||cdn77.org/tags/ -||cdnpark.com/scripts/js3.js -||cdnprk.com/scripts/js3.js -||cdnprk.com/scripts/js3caf.js -||cdnservices.net/megatag.js -||centauro.net^*/banners/$third-party -||centralmediaserver.com^*_side_bars.jpg -||centralscotlandjoinery.co.uk/images/csj-125.gif$third-party -||centrora.com//store/image/$third-party -||cerebral.typn.com^ -||cex.io/img/b/ -||cex.io/informer/$third-party -||cfcdn.com/showcase_sample/search_widget/ -||cgmlab.com/tools/geotarget/custombanner.js -||chacsystems.com/gk_add.html$third-party -||challies.com^*/wtsbooks5.png$third-party -||chameleon.ad/banner/$third-party -||charlestondealstoday.com/aux/ux/_component/ss_dealrail/$subdocument,third-party -||choices.truste.com^$third-party -||chriscasconi.com/nostalgia_ad. -||cimg.in/images/banners/ -||circularhub.com^$third-party -||citygridmedia.com/ads/ -||cjmooter.xcache.kinxcdn.com^ -||clarity.abacast.com^ -||click.eyk.net^ -||clickandgo.com/booking-form-widget?$third-party -||clickstrip.6wav.es^ -||clicksure.com/img/resources/banner_ -||clicktripz.com/scripts/js/ct.js -||clipdealer.com/?action=widget&*&partner= -||cloudbet.com/ad/ -||cloudfront.net/?tid= -||cloudfront.net/dfpd.js -||cloudfront.net/nimblebuy/ -||cloudfront.net/scripts/js3caf.js -||cloudfront.net/st.js -||cloudfront.net/tie.js -||cloudzer.net/ref/ -||cloudzer.net^*/banner/$third-party -||cngroup.co.uk/service/creative/ -||cnhionline.com^*/rtj_ad.jpg -||cnnewmedia.co.uk/locker/ -||code.popup2m.com^$third-party -||codeartlove.com/clients/ -||colmwynne.com^$image,third-party -||colorlabsproject.com^*/banner_ -||complexmedianetwork.com/cdn/agenda.complex.com/$domain=~complex.com -||complexmedianetwork.com/js/cmnUNT.js -||comx-computers.co.za/banners/$third-party -||conduit.com//banners/$third-party -||connect.summit.co.uk^ -||connectok.com/brightcove/?$domain=newsok.com -||consolpub.com/weatherwindow/ -||content.ad/GetWidget.aspx$third-party -||content.ad/Scripts/widget*.aspx -||content.livesportmedia.eu^ -||content.secondspace.com^$~image,third-party -||contentcastsyndication.com^*&banner -||continent8.com^*/bannerflow/ -||conversionplanet.com/published/feeds/$third-party -||core.windows.net^$script,domain=yify.tv -||couponcp-a.akamaihd.net^$third-party -||couptopia.com/affiliate/$third-party -||coxnewsweb.com^*/ads/ -||cplayer.blinkx.com^$third-party -||cpm.amateurcommunity.de^ -||cq.com/pub/ -||creativecdn.com/creatives? -||creatives.inmotionhosting.com^ -||creatives.summitconnect.co.uk^ -||crowdsavings.com/r/banner/ -||cruiseline.com/widgets/$third-party -||cruisesalefinder.co.nz/affiliates.html$third-party -||crunchyroll.com/awidget/$third-party -||cstv.com^*/sponsors/ -||cts.tradepub.com/cts4/?ptnr=*&tm=$third-party -||cursecdn.com/banner/ -||cursecdn.com/shared-assets/current/anchor.js?id=$third-party -||customcodebydan.com/images/banner.gif -||customer.heartinternet.co.uk^$third-party -||cuteonly.com/banners.php$third-party -||d-l-t.com^$subdocument,third-party -||d13czkep7ax7nj.cloudfront.net^ -||d140sbu1b1m3h0.cloudfront.net^ -||d15565yqt7pv7r.cloudfront.net^ -||d15gt9gwxw5wu0.cloudfront.net^ -||d1635hfcvs8ero.cloudfront.net^ -||d17f2fxw547952.cloudfront.net^ -||d19972r8wdpby8.cloudfront.net^ -||d1ade4ciw4bqyc.cloudfront.net^ -||d1aezk8tun0dhm.cloudfront.net^ -||d1cl1sqtf3o420.cloudfront.net^ -||d1d43ayl08oaq2.cloudfront.net^ -||d1d95giojjkirt.cloudfront.net^ -||d1ebha2k07asm5.cloudfront.net^ -||d1ep3cn6qx0l3z.cloudfront.net^ -||d1ey3fksimezm4.cloudfront.net^ -||d1fo96xm8fci0r.cloudfront.net^ -||d1gojtoka5qi10.cloudfront.net^ -||d1grtyyel8f1mh.cloudfront.net^ -||d1gyluhoxet66h.cloudfront.net^ -||d1i9kr6k34lyp.cloudfront.net^ -||d1k74lgicilrr3.cloudfront.net^ -||d1noellhv8fksc.cloudfront.net^ -||d1pcttwib15k25.cloudfront.net^ -||d1pdpbxj733bb1.cloudfront.net^ -||d1spb7fplenrp4.cloudfront.net^ -||d1vbm0eveofcle.cloudfront.net^ -||d1wa9546y9kg0n.cloudfront.net/index.js -||d1zgderxoe1a.cloudfront.net^ -||d21j20wsoewvjq.cloudfront.net^ -||d23guct4biwna6.cloudfront.net^ -||d23nyyb6dc29z6.cloudfront.net^ -||d25ruj6ht8bs1.cloudfront.net^ -||d25xkbr68qqtcn.cloudfront.net^ -||d26dzd2k67we08.cloudfront.net^ -||d26j9bp9bq4uhd.cloudfront.net^ -||d26wy0pxd3qqpv.cloudfront.net^ -||d27jt7xr4fq3e8.cloudfront.net^ -||d287x05ve9a63s.cloudfront.net^ -||d29r6igjpnoykg.cloudfront.net^ -||d2a0bnlkc0czvp.cloudfront.net^$domain=~gowatchit.com -||d2anfhdgjxf8s1.cloudfront.net^ -||d2b2x1ywompm1b.cloudfront.net^ -||d2b560qq58menv.cloudfront.net^ -||d2b65ihpmocv7w.cloudfront.net^ -||d2bgg7rjywcwsy.cloudfront.net^ -||d2cxkkxhecdzsq.cloudfront.net^ -||d2d2lbvq8xirbs.cloudfront.net^ -||d2dxgm96wvaa5j.cloudfront.net^ -||d2gpgaupalra1d.cloudfront.net^ -||d2gtlljtkeiyzd.cloudfront.net^ -||d2gz6iop9uxobu.cloudfront.net^ -||d2hap2bsh1k9lw.cloudfront.net^ -||d2hcjk8asp3td7.cloudfront.net^ -||d2ipklohrie3lo.cloudfront.net^ -||d2kbaqwa2nt57l.cloudfront.net/?qabkd= -||d2kbaqwa2nt57l.cloudfront.net/br? -||d2mic0r0bo3i6z.cloudfront.net^ -||d2mq0uzafv8ytp.cloudfront.net^ -||d2muzdhs7lpmo0.cloudfront.net^ -||d2nlytvx51ywh9.cloudfront.net^ -||d2nz8k4xyoudsx.cloudfront.net^ -||d2o307dm5mqftz.cloudfront.net^ -||d2oallm7wrqvmi.cloudfront.net^ -||d2omcicc3a4zlg.cloudfront.net^ -||d2pgy8h4i30on1.cloudfront.net^ -||d2plxos94peuwp.cloudfront.net^ -||d2qz7ofajpstv5.cloudfront.net^ -||d2r359adnh3sfn.cloudfront.net^ -||d2s64zaa9ua7uv.cloudfront.net^ -||d2szg1g41jt3pq.cloudfront.net^ -||d2tgev5wuprbqq.cloudfront.net^ -||d2tnimpzlb191i.cloudfront.net^ -||d2ubicnllnnszy.cloudfront.net^ -||d2ue9k1rhsumed.cloudfront.net^ -||d2v4glj2m8yzg5.cloudfront.net^ -||d2v9ajh2eysdau.cloudfront.net^ -||d2vt6q0n0iy66w.cloudfront.net^ -||d2yhukq7vldf1u.cloudfront.net^ -||d2z1smm3i01tnr.cloudfront.net^ -||d31807xkria1x4.cloudfront.net^ -||d32pxqbknuxsuy.cloudfront.net^ -||d33f10u0pfpplc.cloudfront.net^ -||d33otidwg56k90.cloudfront.net^ -||d33t3vvu2t2yu5.cloudfront.net/pub/ -||d34obr29voew8l.cloudfront.net^ -||d34rdvn2ky3gnm.cloudfront.net^ -||d37kzqe5knnh6t.cloudfront.net^ -||d38pxm3dmrdu6d.cloudfront.net^ -||d38r21vtgndgb1.cloudfront.net^ -||d39xqloz8t5a6x.cloudfront.net^ -||d3al52d8cojds7.cloudfront.net^ -||d3bvcf24wln03d.cloudfront.net^ -||d3dphmosjk9rot.cloudfront.net^ -||d3dytsf4vrjn5x.cloudfront.net^ -||d3f9mcik999dte.cloudfront.net^ -||d3fzrm6pcer44x.cloudfront.net^ -||d3irruagotonpp.cloudfront.net^ -||d3iwjrnl4m67rd.cloudfront.net^ -||d3lc9zmxv46zr.cloudfront.net^ -||d3lvr7yuk4uaui.cloudfront.net^ -||d3lzezfa753mqu.cloudfront.net^ -||d3m41swuqq4sv5.cloudfront.net^ -||d3nvrqlo8rj1kw.cloudfront.net^ -||d3p9ql8flgemg7.cloudfront.net^ -||d3pkae9owd2lcf.cloudfront.net^ -||d3q2dpprdsteo.cloudfront.net^ -||d3qszud4qdthr8.cloudfront.net^ -||d3t2wca0ou3lqz.cloudfront.net^ -||d3t9ip55bsuxrf.cloudfront.net^ -||d3tdefw8pwfkbk.cloudfront.net^ -||d3vc1nm9xbncz5.cloudfront.net^ -||d5pvnbpawsaav.cloudfront.net^ -||d6bdy3eto8fyu.cloudfront.net^ -||d8qy7md4cj3gz.cloudfront.net^ -||da5w2k479hyx2.cloudfront.net^ -||dailydealstwincities.com/widgets/$subdocument,third-party -||dal9hkyfi0m0n.cloudfront.net^ -||dapatwang.com/images/banner/ -||dart.clearchannel.com^ -||dasfdasfasdf.no-ip.info^ -||data.apn.co.nz^ -||data.neuroxmedia.com^ -||datafeedfile.com/widget/readywidget/ -||datakl.com/banner/ -||daterly.com/*.widget.php$third-party -||dawanda.com/widget/$third-party -||dbam.dashbida.com^ -||dcdevtzxo4bb0.cloudfront.net^ -||ddwht76d9jvfl.cloudfront.net^ -||dealextreme.com/affiliate_upload/$third-party -||dealplatform.com^*/widgets/$third-party -||deals.buxr.net^$third-party -||deals.macupdate.com^$third-party -||deals4thecure.com/widgets/*?affiliateurl= -||dealswarm.com^$subdocument,third-party -||dealtoday.com.mt/banners/ -||dealzone.co.za^$script,third-party -||delivery-dev.thebloggernetwork.com^ -||delivery-s3.adswizz.com^$third-party -||delivery.importantmedia.org^$third-party -||delivery.thebloggernetwork.com^ -||dennis.co.uk^*/siteskins/ -||depositfiles.com^*.php?ref= -||desi4m.com/desi4m.gif$third-party -||deskbabes.com/ref.php? -||desperateseller.co.uk/affiliates/ -||detroitmedia.com/jfry/ -||dev-cms.com^*/promobanners/ -||developermedia.com/a.min.js -||devil-bet.com/banner/ -||dew9ckzjyt2gn.cloudfront.net^ -||dff7tx5c2qbxc.cloudfront.net^ -||dhgate.com^$third-party,domain=sammyhub.com -||digitalmediacommunications.com/belleville/employment/ -||digitalsatellite.tv/banners/ -||direct.quasir.info^$third-party -||directnicparking.com^$third-party -||display.digitalriver.com^ -||disqus.com/listPromoted? -||disy2s34euyqm.cloudfront.net^ -||dizixdllzznrf.cloudfront.net^ -||djlf5xdlz7m8m.cloudfront.net^ -||djr4k68f8n55o.cloudfront.net^ -||dkd69bwkvrht1.cloudfront.net^ -||dkdwv3lcby5zi.cloudfront.net^ -||dl392qndlveq0.cloudfront.net^ -||dl5v5atodo7gn.cloudfront.net^ -||dlupv9uqtjlie.cloudfront.net^ -||dm0acvguygm9h.cloudfront.net^ -||dm8srf206hien.cloudfront.net^ -||dntrck.com/trax? -||domain.com.au/widget/$subdocument,third-party -||domainapps.com/assets/img/domain-apps.gif$third-party -||domaingateway.com/js/redirect-min.js -||domainnamesales.com/return_js.php? -||dorabet.com/banner/ -||dot.tk/urlfwd/searchbar/bar.html -||dotz123.com/run.php? -||download-provider.org/?aff.id=$third-party -||download.bitdefender.com/resources/media/$third-party -||downloadandsave-a.akamaihd.net^$third-party -||downloadprovider.me/en/search/*?aff.id=*&iframe=$third-party -||dp51h10v6ggpa.cloudfront.net^ -||dpsq2uzakdgqz.cloudfront.net^ -||dq2tgxnc2knif.cloudfront.net^ -||dqhi3ea93ztgv.cloudfront.net^ -||dr3k6qonw2kee.cloudfront.net^ -||dr8pk6ovub897.cloudfront.net^ -||dramafever.com/widget/$third-party -||dramafeverw2.appspot.com/widget/$third-party -||dreamboxcart.com/earning/$third-party -||dreamhost.com/rewards/$third-party -||dreamstime.com/banner/ -||dreamstime.com/img/badges/banner$third-party -||dreamstime.com/refbanner- -||drf8e429z5jzt.cloudfront.net^ -||droidnetwork.net/img/dt-atv160.jpg -||droidnetwork.net/img/vendors/ -||dropbox.com^*/aff-resources/$domain=gramfeed.com -||dsh7ky7308k4b.cloudfront.net^ -||dtrk.slimcdn.com^ -||dttek.com/sponsors/ -||du2uh7rq0r0d3.cloudfront.net^ -||duct5ntjian71.cloudfront.net^ -||dunhilltraveldeals.com/iframes/$third-party -||dvdfab.com/images/fabnewbanner/$third-party -||dvf2u7vwmkr5w.cloudfront.net^ -||dvnafl0qtqz9k.cloudfront.net^ -||dvt4pepo9om3r.cloudfront.net^ -||dx.com/affiliate/$third-party -||dx5qvhwg92mjd.cloudfront.net^ -||dxq6c0tx3v6mm.cloudfront.net^ -||dxqd86uz345mg.cloudfront.net^ -||dy48bnzanqw0v.cloudfront.net^ -||dycpc40hvg4ki.cloudfront.net^ -||dyl3p6so5yozo.cloudfront.net^ -||dynamicserving.com^$third-party -||dynw.com/banner -||e-tailwebstores.com/accounts/default1/banners/ -||e-webcorp.com/images/$third-party -||easy-share.com/images/es20/ -||easyretiredmillionaire.com/img/aff-img/ -||eattoday.com.mt/widgets/$third-party -||ebaycommercenetwork.com/publisher/$third-party -||ebaystatic.com/aw/signin/ebay-signin-toyota- -||ebaystatic.com^$domain=psu.com -||ebaystatic.com^*/motorswidgetsv2.swf? -||ebladestore.com^*/banners/ -||eblastengine.upickem.net^$third-party -||echineselearning.com^*/banner.jpg -||ectaco-store.com^*/promo.jsp? -||edge.viagogo.co.uk^*/widget.ashx?$third-party -||edgecastcdn.net^*.barstoolsports.com/wp-content/banners/ -||eharmony.com.au/partner/$third-party -||eholidayfinder.com/images/logo.gif$third-party -||elenasmodels.com/cache/cb_$third-party -||elitsearch.com^$subdocument,third-party -||elliottwave.com/fw/regular_leaderboard.js -||eltexonline.com/contentrotator/$third-party -||emailcashpro.com/images/$third-party -||emsisoft.com/bnr/ -||engine.gamerati.net^$third-party -||enticelabs.com/el/ -||entitlements.jwplayer.com^$third-party -||epimg.net/js/pbs/ -||eplreplays.com/wl/ -||epowernetworktrackerimages.s3.amazonaws.com^ -||escape.insites.eu^$third-party -||esport-betting.com^*/betbanner/ -||etoolkit.com/banner/$third-party -||etoro.com/B*_A*_TGet.aspx$third-party -||etrader.kalahari.com^$third-party -||etrader.kalahari.net^$third-party -||europolitique.info^*/pub/ -||euwidget.imshopping.com^ -||events.kalooga.com^ -||everestpoker.com^*/?adv= -||exoplanetwar.com/l/landing.php? -||expekt.com/affiliates/ -||explorer.sheknows.com^$third-party -||ext.theglobalweb.com^ -||extabit.com/s/$third-party -||extensoft.com/artisteer/banners/ -||extras.mercurynews.com/tapin_directory/ -||extras.mnginteractive.com^*/todaysdeals.gif -||extremereach.io/media/ -||exwp.org/partners/ -||eyetopics.com/content_images/$third-party -||facebook.com/audiencenetwork/ -||facebook.com^*/instream/vast.xml? -||fairfaxregional.com.au/proxy/commercial-partner-solar/ -||familytreedna.com/img/affiliates/ -||fancybar.net/ac/fancybar.js?zoneid$third-party -||fantasyplayers.com/templates/banner_code. -||fantaz.com^*/banners/$third-party -||fapturbo.com/testoid/ -||farm.plista.com/iframewidget.php?*&widgetname=i$subdocument -||farm.plista.com/tiny/$third-party -||farm.plista.com/widgetdata.php?*%22pictureads%22%7D -||farmholidays.is/iframeallfarmsearch.aspx?$third-party -||fastcccam.com/images/fcbanner2.gif -||fatads.toldya.com^$third-party -||fatburningfurnace.com^*/fbf-banner- -||fcgadgets.blogspot.com^$third-party -||feedburner.com/~a/ -||feeds.logicbuy.com^ -||fenixm.com/actions/*Skin*.$image -||ffconf.org/embed/$subdocument,third-party -||filedownloader.net/design/$third-party -||filedroid.net/af_ta/$third-party -||filefactory.com^*/refer.php?hash= -||filejungle.com/images/banner/ -||fileloadr.com^$third-party -||fileparadox.com/images/banner/ -||filepost.com/static/images/bn/ -||fileserve.com/images/banner_$third-party -||fileserver.mode.com^$third-party -||fileserver1.net/download -||filmehd.net/imagini/banner_$third-party -||filterforge.com/images/banners/ -||fimserve.myspace.com^$third-party -||firecenter.pl/banners/ -||firstclass-download.com^$subdocument,third-party -||flagship.asp-host.co.uk^$third-party -||flashx.tv/banner/ -||flipchat.com/index.php?$third-party -||flipkart.com/affiliateWidget/$third-party -||flixcart.com/affiliate/$third-party -||flower.com/img/lsh/ -||fncstatic.com^*/business-exchange.html -||followfairy.com/followfairy300x250.jpg -||footymad.net/partners/ -||forms.aweber.com/form/styled_popovers_and_lightboxes.js$third-party -||fortune5minutes.com^*/banner_ -||forumimg.ipmart.com/swf/img.php -||fragfestservers.com/bannerb.gif -||freakshare.com/?ref= -||freakshare.com/banner/$third-party -||freakshare.net/banner/ -||free-football.tv/images/usd/ -||freecycle.org^*/sponsors/ -||freetrafficsystem.com/fts/ban/ -||freetricktipss.info^$subdocument,third-party -||freewheel.mtgx.tv^$~object-subrequest -||freshbooks.com/images/banners/$third-party -||friedrice.la/widget/$third-party -||frogatto.com/images/$third-party -||frontpagemag.com^*/bigadgendabookad.jpg -||frontsight.com^*/banners/ -||ft.pnop.com^ -||fugger.ipage.com^$third-party -||fugger.netfirms.com/moa.swf$third-party -||funtonia.com/promo/ -||fupa.com/aw.aspx?$third-party -||furiousteam.com^*/external_banner/ -||futuboxhd.com/js/bc.js -||futuresite.register.com/us?$third-party -||fxcc.com/promo/ -||fxultima.com/banner/ -||fyicentralmi.com/remote_widget?$third-party -||fyiwashtenaw.com/remote_widget? -||fyygame.com/images/*.swf$third-party -||gadgetresearch.net^$subdocument,third-party -||gamblingwages.com/images/$third-party -||gameduell.com/res/affiliate/ -||gameorc.net/a.html -||gamer-network.net/plugins/dfp/ -||gamersaloon.com/images/banners/ -||gamesports.net/img/betting_campaigns/ -||gamestop.com^*/aflbanners/ -||gamingjobsonline.com/images/banner/ -||garudavega.net/indiaclicks/ -||gateway.fortunelounge.com^ -||gateways.s3.amazonaws.com^ -||gawkerassets.com/assets/marquee/$object,third-party -||ge.tt/api/$domain=mhktricks.net -||gemini.yahoo.com^*^syndication^ -||generic4all.com^*?refid=$third-party -||geo.connexionsecure.com^ -||geobanner.friendfinder.com^ -||geobanner.passion.com^ -||get.*.website/static/get-js?stid=$third-party -||get.2leep.com^$third-party -||get.box24casino.com^$third-party -||get.davincisgold.com^$third-party -||get.paradise8.com^$third-party -||get.rubyroyal.com^$third-party -||get.slotocash.com^$third-party -||get.thisisvegas.com^$third-party -||getadblock.com/images/adblock_banners/$third-party -||gethopper.com/tp/$third-party -||getnzb.com/img/partner/banners/$third-party -||getpaidforyourtime.org/basic-rotating-banner/ -||gfaf-banners.s3.amazonaws.com^ -||gfxa.sheetmusicplus.com^$third-party -||ggmania.com^*.jpg$third-party -||giantrealm.com/saj/ -||giantsavings-a.akamaihd.net^$third-party -||giffgaff.com/banner/ -||gitcdn.pw^$domain=depositfiles.com -||glam.com/gad/ -||glam.com/js/widgets/glam_native.act? -||glam.com^*?affiliateid= -||globalprocash.com/banner125.gif -||gmstatic.net^*/amazonbadge.png -||gmstatic.net^*/itunesbadge.png -||goadv.com^*/ads.js -||gogousenet.com^*/promo.cgi -||gogousenet.com^*/promo2.cgi -||gold4rs.com/images/$third-party -||goldmoney.com/~/media/Images/Banners/$third-party -||goo.gl^$image,domain=cracksfiles.com -||goo.gl^$script,domain=transphoto.ru -||goo.gl^$subdocument,domain=backin.net|uploadlw.com -||google.com/pagead/ -||google.com/uds/afs?*adsense$subdocument -||googlesyndication.com/pagead/ -||googlesyndication.com/sadbundle/ -||googlesyndication.com/safeframe/ -||googlesyndication.com/simgad/ -||googlesyndication.com/sodar/ -||googlesyndication.com^*/click_to_buy/$object-subrequest,third-party -||googlesyndication.com^*/domainpark.cgi? -||googlesyndication.com^*/googlevideoadslibraryas3.swf$object-subrequest,third-party -||googlesyndication.com^*/simgad/ -||googletagservices.com/dcm/dcmads.js -||gopjn.com/b/$third-party -||gopjn.com/i/$third-party -||gorgonprojectinvest.com/images/banners/ -||goto.4bc.co^$image,third-party -||gotraffic.net^*/sponsors/ -||govids.net/adss/ -||gpawireservices.com/input/files/*.gif$domain=archerywire.com -||graboid.com/affiliates/ -||graduateinjapan.com/affiliates/ -||grammar.coursekey.com/inter/$third-party -||grammarly.com/embedded?aff=$third-party -||grindabuck.com/img/skyscraper.jpg -||groupon.com/javascripts/common/affiliate_widget/$third-party -||grouponcdn.com^*/affiliate_widget/$third-party -||grscty.com/images/banner/$third-party -||gsniper.com/images/$third-party -||guim.co.uk/guardian/thirdparty/tv-site/side.html -||guzzle.co.za/media/banners/ -||halllakeland.com/banner/ -||handango.com/marketing/affiliate/ -||haymarket-whistleout.s3.amazonaws.com/*_ad.html -||haymarket.net.au/Skins/ -||hdvid-codecs.com^$third-party -||healthtrader.com/banner-$third-party -||heidiklein.com/media/banners/ -||hexero.com/images/banner.gif -||heyoya.com^*&aff_id= -||hide-my-ip.com/promo/ -||highepcoffer.com/images/banners/ -||hitleap.com/assets/banner- -||hitleap.com/assets/banner.png -||hm-sat.de/b.php -||hola.org/play_page.js$third-party -||homad-global-configs.schneevonmorgen.com^ -||hostdime.com/images/affiliate/$third-party -||hostgator.com/~affiliat/cgi-bin/affiliates/$third-party -||hosting.conduit.com^$third-party -||hostinger.nl/banners/ -||hostmonster.com/src/js/izahariev/$third-party -||hotcoursesabroad.com/widget-$third-party -||hotelsbycity.com^*/bannermtg.php?$third-party -||hotelscombined.com/SearchBox/$third-party -||hoteltravel.com/partner/$third-party -||hotlinking.dosmil.imap.cc^$third-party -||hqfootyad4.blogspot.com^$third-party -||hstpnetwork.com/ads/ -||hstpnetwork.com/zeus.php -||hubbarddeals.com^*/promo/ -||hubbardradio.com^*/my_deals.php -||hwcdn.net^$domain=i24news.tv|newindianexpress.com -||hyipregulate.com/images/hyipregulatebanner.gif -||hyperfbtraffic.com/images/graphicsbanners/ -||hyperscale.com/images/adh_button.jpg -||i.ligatus.com/*-placements/$third-party -||i.lsimg.net^*/sides_clickable. -||i.lsimg.net^*/takeover/ -||ibsrv.net/ForumSponsor/ -||ibsrv.net/sidetiles/125x125/ -||ibsrv.net/sponsor_images/ -||ibsys.com/sh/sponsors/ -||ibvpn.com/img/banners/ -||icastcenter.com^*/amazon-buyfrom.gif -||icastcenter.com^*/itunes.jpg -||idealo.co.uk/priceinfo/$third-party -||idg.com.au/ggg/images/*_home.jpg$third-party -||idup.in/embed$third-party,domain=ganool.com -||ifilm.com/website/*_skin_$third-party -||ilapi.ebay.com^$third-party -||im.ov.yahoo.co.jp^ -||ima3vpaid.appspot.com^ -||image.com.com^*/skin2.jpg$third-party -||image.dhgate.com^*/dhgate-logo-$third-party -||images-amazon.com/images/*/associates/widgets/ -||images-amazon.com/images/*/banner/$third-party -||images-amazon.com^$domain=cloudfront.net -||images-pw.secureserver.net/images/100yearsofchevy.gif -||images-pw.secureserver.net^*_*.$image,third-party -||images.*.criteo.net^$third-party -||images.criteo.net^$third-party -||images.dreamhost.com^$third-party -||images.mylot.com^$third-party -||images.youbuy.it/images/$third-party -||imagetwist.com/banner/ -||img.bluehost.com^$third-party -||img.hostmonster.com^$third-party -||img.mybet.com^$third-party -||img.promoddl.com^$third-party -||img.servint.net^$third-party -||imgdino.com/gsmpop.js -||imgehost.com^*/banners/$third-party -||imgix.net/sponsors/ -||imgpop.googlecode.com^$third-party -||imgur.com^$image,domain=filerev.cc|talksport.com -||imptestrm.com/rg-main.php? -||indeed.fr/ads/ -||indian-forex.com^*/banners/$third-party -||indieclick.3janecdn.com^ -||infibeam.com/affiliate/$third-party -||infochoice.com.au/Handler/WidgetV2Handler.ashx? -||infomarine.gr/images/banerr.gif -||infomarine.gr^*/images/banners/ -||inisrael-travel.com/jpost/ -||init.lingospot.com^$third-party -||inline.playbryte.com^$third-party -||inskin.vo.llnwd.net^ -||instant-gaming.com/affgames/$third-party -||instantpaysites.com/banner/ -||instaprofitgram.com/images/banners/ -||integrityvpn.com/img/integrityvpn.jpg -||intermrkts.vo.llnwd.net^$third-party -||internetbrands.com/partners/$third-party -||interserver.net/logos/vps-$third-party -||interstitial.glsp.netdna-cdn.com^$third-party -||intexchange.ru/Content/banners/ -||intoday.in/microsites/sponsor/ -||iobit.com/partner/$third-party -||ipercast.net^*/ova-jw.swf$object-subrequest -||ipixs.com/ban/$third-party -||iselectmedia.com^*/banners/ -||itsup.com/creatives/ -||iwebzoo.com/banner/ -||iypcdn.com^*/bgbanners/ -||iypcdn.com^*/otherbanners/ -||iypcdn.com^*/ypbanners/ -||jalbum.net/widgetapi/js/dlbutton.js? -||jenningsforddirect.co.uk/sitewide/extras/$third-party -||jeysearch.com^$subdocument,third-party -||jinx.com/content/banner/$third-party -||jivox.com/jivox/serverapis/getcampaignbyid.php?$object-subrequest -||joblet.jp/javascripts/$third-party -||jobs-affiliates.ws/images/$third-party -||jocly.com^*.html?click=$subdocument,third-party -||jrcdev.net/promos/ -||jscode.yavli.com^$third-party -||jsfeedget.com^$script,third-party -||jsrdn.com/s/1.js -||jubimax.com/banner_images/ -||jugglu.com/content/widgets/$third-party -||junction.co.za/widget/$third-party -||justclicktowatch.to/jstp.js -||jvzoo.com/assets/widget/$third-party -||k-po.com/img/ebay.png$third-party -||k.co.il/iefilter.html -||k2team.kyiv.ua^ -||kaango.com/fecustomwidgetdisplay? -||kallout.com^*.php?id= -||kaltura.com^*/vastPlugin.swf$third-party -||karma.mdpcdn.com^ -||kbnetworkz.s3.amazonaws.com^ -||keep2share.cc/images/i/00468x0060- -||keyword-winner.com/demo/images/ -||king.com^*/banners/ -||knorex.asia/static-firefly/ -||kontera.com/javascript/lib/KonaLibInline.js$third-party -||kozmetikcerrahi.com/banner/ -||kraken.giantrealm.com^$third-party -||krillion.com^*/productoffers.js -||kurtgeiger.com^*/linkshare/ -||l.yimg.com^*&partner=*&url= -||ladbrokes.com^*&aff_id= -||lapi.ebay.com^$third-party -||lastlocation.com/images/banner -||lawdepot.com/affiliate/$third-party -||leaddyno-client-images.s3.amazonaws.com^ -||leadintelligence.co.uk/in-text.js$third-party -||leadsleap.com/images/banner_ -||leadsleap.com/widget/ -||leanpub.com^*/embed$subdocument,third-party -||legaljobscentre.com/feed/jobad.aspx -||legitonlinejobs.com/images/$third-party -||lego.com^*/affiliate/ -||lesmeilleurs-jeux.net/images/ban/$third-party -||lessemf.com/images/banner-$third-party -||letmewatchthis.ru/movies/linkbottom -||letters.coursekey.com/lettertemplates_$third-party -||lg.com/in/cinema3d.jsp$subdocument,third-party -||lifedaily.com/prebid.js -||lifestyle24h.com/reward/$third-party -||lijit.com/adif_px.php -||lijit.com/delivery/ -||link.link.ru^$third-party -||linkbird.com/static/upload/*/banner/$third-party -||linkconnector.com/tr.php$third-party -||linkconnector.com/traffic_record.php$third-party -||linkedin.com/csp/dtag?$subdocument,third-party -||linkshrink.net^$script,third-party -||lionheartdms.com^*/walmart_300.jpg -||litecoinkamikaze.com/assets/images/banner$third-party -||literatureandlatte.com/gfx/buynowaffiliate.jpg -||liutilities.com/partners/$third-party -||liutilities.com^*/affiliate/ -||livecrics.livet20worldcup.com/video.php$domain=iplstream.com -||liveperson.com/affiliates/ -||liveshows.com^*/live.js$third-party -||llnwd.net/o28/assets/*-sponsored- -||localdata.eu/images/banners/ -||longtailvideo.com*/ltas.swf -||longtailvideo.com^*/adaptvjw5-$object-subrequest -||longtailvideo.com^*/adaptvjw5.swf$object-subrequest -||longtailvideo.com^*/adawe-$object-subrequest,third-party -||longtailvideo.com^*/googima-$object-subrequest -||longtailvideo.com^*/googima.swf$object-subrequest,third-party -||longtailvideo.com^*/ltas-$object-subrequest,third-party -||longtailvideo.com^*/ova-$object-subrequest -||longtailvideo.com^*/yume-h.swf -||longtailvideo.com^*/yume.swf -||loopnet.com^*/searchwidget.htm$third-party -||loot.co.za/shop/product.jsp?$third-party -||loot.co.za^*/banners/$third-party -||lottoelite.com/banners/$third-party -||lowbird.com/random/$third-party -||lowcountrymarketplace.com/widgets/$third-party -||lp.longtailvideo.com^*/adaptv*.swf -||lp.ncdownloader.com^$third-party -||ltfm.ca/stats.php? -||lucky-ace-casino.net/banners/ -||lucky-dating.net/banners/ -||luckygunner.com^*/banners/ -||luckyshare.net/images/banners/ -||lumfile.com/lumimage/ourbanner/$third-party -||lygo.com/d/toolbar/sponsors/ -||lylebarn.com/crashwidget/$domain=crash.net -||lynku.com/partners/$third-party -||m.uploadedit.com^$third-party,domain=flysat.com -||maases.com/i/br/$domain=promodj.com -||madisonlogic.com^$third-party -||mads.aol.com^ -||magicaffiliateplugin.com/img/mga-125x125.gif -||magicmembers.com/img/mgm-125x125 -||magniwork.com/banner/ -||mahndi.com/images/banner/ -||mantisadnetwork.com/mantodea.min.js -||mantra.com.au^*/campaigns/$third-party -||marinejobs.gr/images/marine_adv.gif -||marketing.888.com^ -||masqforo.com^$third-party,domain=linkbucks.com -||mastiway.com/webimages/$third-party -||match.com^*/prm/$third-party -||matchbin.com/javascripts/remote_widget.js -||matrixmails.com/images/$third-party -||maximainvest.net^$image,third-party -||mazda.com.au/banners/ -||mb-hostservice.de/banner_ -||mb.marathonbet.com^$third-party -||mb.zam.com^ -||mcc.godaddy.com/park/$subdocument,third-party -||mcclatchyinteractive.com/creative/ -||mdpcdn.com^*/gpt/ -||media-toolbar.com^$third-party -||media.complex.com/videos/prerolls/ -||media.domainking.ng/media/$third-party -||media.enimgs.net/brand/files/escalatenetwork/ -||media.myspace.com/play/*/featured-videos-$third-party -||media.netrefer.com^$third-party -||media.onlineteachers.co.in^$third-party -||mediaon.com/moneymoney/ -||mediaplex.com/ad/bn/$third-party -||mediaplex.com/ad/fm/$third-party -||mediaplex.com/ad/js/$third-party -||mediaserver.digitec.ch^$subdocument,third-party -||mediaspanonline.com^*-Takeover- -||mediaspanonline.com^*-Takeover_ -||medrx.telstra.com.au^ -||megalivestream.net/pub.js -||memepix.com/spark.php? -||meraad2.blogspot.com^$third-party -||merdb.org/js/$script,third-party -||metaboli.fr^*/adgude_$third-party -||metroland.com/wagjag/ -||mfcdn.net/store/spotlight/ -||mfeed.newzfind.com^$third-party -||mgm.com/www/$third-party -||mgprofit.com/images/*x$third-party -||microsoft.com^*/bannerrotator/$third-party -||microsoft.com^*/community/images/windowsintune/$third-party -||mightyape.co.nz/stuff/$third-party -||mightydeals.com/widget?$third-party -||mightydeals.com/widgets/$third-party -||mightydeals.s3.amazonaws.com/md_adv/ -||milanomoda.info^$domain=uploadlw.com -||millionaires-club-international.com/banner/ -||missnowmrs.com/images/banners/ -||mkini.net/banners/ -||mlive.com/js/oas/ -||mmdcash.com/mmdcash01.gif -||mmo4rpg.com^*.gif|$third-party -||mmosale.com/baner_images/$third-party -||mmwebhandler.888.com^$third-party -||mnginteractive.com^*/dartinclude.js -||mobilemetrics.appspot.com^$third-party -||mobyler.com/img/banner/ -||mol.im/i/pix/ebay/ -||moneycontrol.co.in^*PopUnder.js -||moneycontrol.com/share-market-game/$third-party -||moneywise.co.uk/affiliate/ -||moosify.com/widgets/explorer/?partner= -||morningpost.dk^*/bildele.gif -||mosso.com^*/banners/ -||movie4all.co^$third-party -||mozo-widgets.f2.com.au^ -||mp3ix.com^$third-party -||mps.nbcuni.com^ -||mrc.org/sites/default/files/uploads/images/Collusion_Banner -||mrc.org^*/Collusion_Banner300x250.jpg -||mrc.org^*/take-over-charlotte300x250.gif -||mrskincdn.com/data/uploader/affiliate/$script -||msecnd.net/scripts/*.pop.$script -||msm.mysavings.com^*.asp?afid=$third-party -||msnbcmedia.msn.com^*/sponsors/ -||mt.sellingrealestatemalta.com^$third-party -||mto.mediatakeout.com^$third-party -||multisitelive.com^*/banner_ -||multivizyon.tv^*/flysatbanner.swf -||musicmemorization.com/images/$third-party -||musik-a-z.com^$subdocument,third-party -||my-best-jobs.com^$subdocument,third-party -||my-dirty-hobby.com/track/$subdocument,third-party -||myalter1tv.altervista.org^$subdocument,third-party -||mybdhost.com/imgv2/$third-party -||mydirtyhobby.com^$third-party,domain=~my-dirty-hobby.com|~mydirtyhobby.de -||mydownloader.net/banners/$third-party -||myezbz.com/marketplace/widget/$third-party -||myfreepaysite.info^*.gif$third-party -||myfreeresources.com/getimg.php?$third-party -||myfreeshares.com/120x60b.gif -||myhpf.co.uk/banners/ -||mylife.com/partner/$third-party -||mynativeplatform.com/pub2/ -||myspace.com/play/myspace/*&locationId$third-party -||mytrafficstrategy.com/images/$third-party -||myusenet.net/promo.cgi? -||myvi.ru/feed/$object-subrequest -||mzstatic.com^$image,object-subrequest,domain=dailymotion.com -||n.nu/banner.js -||n4g.com^*/IndieMonthSideBarWidget?$third-party -||namecheap.com/graphics/linkus/$third-party -||nanobrokers.com/img/banner_ -||nanoinvestgroup.com/images/banner*.gif -||nativly.com/tds/widget?wid=$third-party -||neighbourly.co.nz^$subdocument,domain=stuff.co.nz -||neogames-tech.com/resources/genericbanners/ -||nesgamezone.com/syndicate? -||netdigix.com/google_banners/ -||netdna-cdn.com/wp-content/plugins/background-manager/$domain=7daysindubai.com -||netdna-cdn.com^*-300x250.$domain=readersdigest.co.uk -||netdna-cdn.com^*-Background-1280x10241.$domain=7daysindubai.com -||nettvplus.com/images/banner_ -||network.aufeminin.com^ -||network.business.com^ -||networkice.com^$subdocument,third-party -||news-whistleout.s3.amazonaws.com^$third-party -||news.fark.com^$third-party -||news.retire.ly^$third-party -||newware.net/home/banner$third-party -||newware.net/home/newware-sm.png$third-party -||nimblecommerce.com/widget.action? -||nitroflare.com/img/banners/ -||nitropdf.com/graphics/promo/$third-party -||nlsl.about.com/img?$third-party -||nocookie.net^*/wikiasearchads.js -||novadune.com^$third-party -||nster.com/tpl/this/js/popnster.js -||ntnd.net^*/store-buttons/ -||nude.mk/images/$third-party -||numb.hotshare.biz^$third-party -||nwadealpiggy.com/widgets/ -||nzpages.co.nz^*/banners/ -||o2live.com^$third-party -||oas.luxweb.com^ -||oasap.com/images/affiliate/ -||obox-design.com/affiliate-banners/ -||ocp.cbs.com/pacific/request.jsp? -||odin.goo.mx^ -||offers-service.cbsinteractive.com^$third-party -||offers.lendingtree.com/splitter/$third-party -||offerssyndication.appspot.com^$third-party -||office.eteachergroup.com/leads/$third-party -||oilofasia.com/images/banners/ -||ojooo.com/register_f/$third-party -||ojooo.com^*/banner_$third-party -||on.maxspeedcdn.com^ -||onecache.com/banner_ -||onegameplace.com/iframe.php$third-party -||oovoo.com^*/banners/ -||openload.co/reward/$xmlhttprequest -||optimus-pm.com^*_300-250.jpg -||organicprospects.com^*/banners/ -||origin.getprice.com.au/WidgetNews.aspx -||origin.getprice.com.au/widgetnewssmall.aspx -||oriongadgets.com^*/banners/ -||osobnosti.cz/images/casharena_ -||ouo.io/images/banners/ -||ouo.io^$script,third-party -||outdoorhub.com/js/_bookends.min.js -||overseasradio.com/affbanner.php? -||ovpn.to/ovpn.to/banner/ -||ownx.com^*/banners/ -||ox-i.cordillera.tv^ -||oxygenboutique.com/Linkshare/ -||p.pw/banners/$third-party -||p.smartertravel.com^$third-party -||padsdel.com^$third-party -||pagead2.googlesyndication.com^$~object-subrequest -||pagerage.com^$subdocument,third-party -||paidinvite.com/promo/ -||pan.dogster.com^$third-party -||partner.alloy.com^$third-party -||partner.bargaindomains.com^ -||partner.catchy.com^ -||partner.e-conomic.com^$third-party -||partner.premiumdomains.com^ -||partners.autotrader.co.uk^$third-party -||partners.betus.com^$third-party -||partners.dogtime.com/network/ -||partners.fshealth.com^ -||partners.optiontide.com^ -||partners.rochen.com^ -||partners.sportingbet.com.au^ -||partners.vouchedfor.co.uk^ -||partners.xpertmarket.com^ -||paytel.co.za/code/ref -||payza.com/images/banners/ -||pb.s3wfg.com^ -||pcash.imlive.com^$third-party -||pcmall.co.za/affiliates/ -||pdl.viaplay.com/commercials/$third-party -||pearlriverusa.com/images/banner/ -||perfectforex.biz/images/*x$third-party -||perfectmoney.com/img/banners/$third-party -||ph.hillcountrytexas.com/imp.php?$third-party -||phobos.apple.com^$image,domain=dailymotion.com|youtube.com -||phonephotographytricks.com/images/banners/ -||photobucket.com^$image,domain=animerebel.com -||pianobuyer.com/pianoworld/ -||pianoteq.com/images/banners/ -||pic.pbsrc.com/hpto/ -||picoasis.net/3xlayer.htm -||pics.firstload.de^$third-party -||pjatr.com/b/$third-party -||pjatr.com/i/$third-party -||pjtra.com/b/$third-party -||pjtra.com/i/$third-party -||play-asia.com/paos-$third-party -||play-asia.com^$image,third-party -||playata.myvideo.de^$subdocument,third-party -||playbitcoingames.com/images/banners/ -||player.screenwavemedia.com^*/ova-jw.swf$object-subrequest -||playfooty.tv/jojo.html -||plexidigest.com/plexidigest-300x300.jpg -||plista.com/async.js$domain=mirror.co.uk -||plus.net/images/referrals/*_banner_$third-party -||pm.web.com^$third-party -||pntra.com/b/$third-party -||pntra.com/i/$third-party -||pntrac.com/b/$third-party -||pntrac.com/i/$third-party -||pntrs.com/b/$third-party -||pntrs.com/i/$third-party -||pokerjunkie.com/rss/ -||pokerroomkings.com^*/banner/$third-party -||pokersavvy.com^*/banners/ -||pokerstars.com/?source=$subdocument,third-party -||pokerstars.com/euro_bnrs/ -||popeoftheplayers.eu/ad -||popmog.com^$third-party -||pops.freeze.com^$third-party -||pornturbo.com/tmarket.php -||post.rmbn.ru^$third-party -||postaffiliatepro.com^*/banners/$image -||postimg.org^$image,domain=tubeoffline.com -||ppc-coach.com/jamaffiliates/ -||premium-template.com/banner/$third-party -||premium.naturalnews.tv^$third-party -||press-start.com/affgames/$third-party -||pricedinfo.com^$third-party -||pricegrabber.com/cb_table.php$third-party -||pricegrabber.com/export_feeds.php?$third-party -||pricegrabber.com/mlink.php?$third-party -||pricegrabber.com/mlink3.php?$third-party -||priceinfo.comuv.com^ -||primeloopstracking.com/affil/ -||print2webcorp.com/widgetcontent/ -||privatewifi.com/swf/banners/ -||prizerebel.com/images/banner$third-party -||pro-gmedia.com^*/skins/ -||prod-skybet.s3.amazonaws.com^$domain=skysports.com -||promos.fling.com^ -||promote.pair.com^ -||promotions.iasbet.com^ -||propgoluxury.com/partners/$third-party -||proxies2u.com/images/btn/$third-party -||proxify.com/i/$third-party -||proxy.org/blasts.gif -||proxynoid.com/images/referrals/ -||proxyroll.com/proxybanner.php -||proxysolutions.net/affiliates/ -||pub.aujourdhui.com^$third-party -||pub.betclick.com^ -||pub.dreamboxcart.com^$third-party -||pub.sapo.pt/vast.php$object-subrequest -||pubexchange.com/module/*-prod$third-party -||pubexchange.com/modules/display/$script,third-party -||public.porn.fr^$third-party -||pubs.hiddennetwork.com^ -||puntersparadise.com.au/banners/ -||purevpn.com/affiliates/ -||putlocker.com/images/banners/$third-party -||qualoo.net/now/interstitial/ -||quickflix*.gridserver.com^$third-party -||quirk.biz/webtracking/ -||racebets.com/media.php? -||rack.bauermedia.co.uk^ -||rackcdn.com/banner/$domain=enjore.com -||rackcdn.com/brokers/$third-party,domain=fxempire.com|fxempire.de|fxempire.it|fxempire.nl -||rackcdn.com^$script,domain=search.aol.com -||rackspacecloud.com/Broker%20Buttons/$domain=investing.com -||radiocentre.ca/randomimages/$third-party -||radioreference.com/sm/300x75_v3.jpg -||radioshack.com^*/promo/ -||radiotown.com/bg/ -||radiotown.com/splash/images/*_960x600_ -||radley.co.uk^*/Affiliate/ -||rapidgator.net/images/pics/$third-party -||rapidgator.net/images/pics/*_300%D1%85250_ -||rapidjazz.com/banner_rotation/ -||ratesupermarket.ca/widgets/ -||rbth.ru/widget/$third-party -||rcm*.amazon.$third-party -||rdio.com/media/images/affiliate/$third-party -||readme.ru/informer/$third-party -||realwritingjobs.com^*/banners/ -||red-tube.com^*.php?wmid=*&kamid=*&wsid=$third-party -||redbeacon.com/widget/$third-party -||redflagdeals.com/dealoftheday/widgets/$third-party -||redtram.com^$script,third-party -||regmyudid.com^*/index.html$third-party -||regnow.com/vendor/ -||rehost.to/?ref= -||relink.us/images/$third-party -||rentalcars.com/affxml/$domain=news-headlines.co.za -||res3.feedsportal.com^ -||resources.heavenmedia.net/selection.php? -||rethinkbar.azurewebsites.net^*/ieflyout.js -||revealads.appspot.com^ -||rewards1.com/images/referralbanners/$third-party -||ribbon.india.com^$third-party -||richmedia.yahoo.com^$third-party -||rmgserving.com/rmgdsc/$script -||roadcomponentsdb.com^$subdocument,third-party -||roadrecord.co.uk/widget.js? -||roia.hutchmedia.com^$third-party -||roshansports.com/iframe.php -||roshantv.com/adad. -||rotabanner.kulichki.net^ -||rotator.tradetracker.net^ -||rover.ebay.com^*&adtype=$third-party -||rtax.criteo.com^$third-party -||runerich.com/images/sty_img/runerich.gif -||ruralpressevents.com/agquip/logos/$domain=farmonline.com.au -||russian-dreams.net/static/js/$third-party -||rya.rockyou.com^$third-party -||s-assets.tp-cdn.com/widgets/*/vwid/*.html? -||s-yoolk-banner-assets.yoolk.com^ -||s-yoolk-billboard-assets.yoolk.com^ -||s.cxt.ms^$third-party -||s1.wp.com^$subdocument,third-party -||s11clickmoviedownloadercom.maynemyltf.netdna-cdn.com^$third-party -||s1now.com^*/takeovers/ -||s3.amazonaws.com/draftset/banners/ -||safarinow.com/affiliate-zone/ -||sailthru.com^*/horizon.js -||salefile.googlecode.com^$third-party -||salemwebnetwork.com/Stations/images/SiteWrapper/ -||sat-shop.co.uk/images/$third-party -||satshop.tv/images/banner/$third-party -||schenkelklopfer.org^*pop.js -||schurzdigital.com/deals/widget/ -||sciencecareers.org/widget/$third-party -||sciremedia.tv/images/banners/ -||scoopdragon.com/images/Goodgame-Empire-MPU.jpg -||screenconnect.com/miscellaneous/ScreenConnect-$image,third-party -||scribol.com/txwidget$third-party -||scriptall.ml^$script,domain=uplod.ws -||searchportal.information.com/?$third-party -||seatplans.com/widget|$third-party -||secondspin.com/twcontent/ -||secretmedia.s3.amazonaws.com^ -||securep2p.com^$subdocument,third-party -||secureserver.net^*/event? -||secureupload.eu/banners/ -||seedboxco.net/*.swf$third-party -||seedsman.com/affiliate/$third-party -||selectperformers.com/images/a/ -||selectperformers.com/images/elements/bannercolours/ -||servedby.keygamesnetwork.com^ -||servedby.yell.com^$third-party -||server.freegamesall.com^$third-party -||server4.pro/images/banner.jpg -||serverjs.net/scripts/$third-party -||service.smscoin.com/js/sendpic.js -||servicer.traffic-media.co^ -||serving.portal.dmflex.com^$domain=thisdaylive.com -||settleships.com^$third-party -||sfcdn.in/sailfish/$script -||sfimg.com/images/banners/ -||sfimg.com/SFIBanners/ -||sfm-offshore.com/images/banners/ -||sfstatic.com^*/js/fl.js$third-party -||shaadi.com^*/get-banner.php? -||shaadi.com^*/get-html-banner.php? -||shareasale.com/image/$third-party -||shareflare.net/images/$third-party -||shariahprogram.ca/banners/ -||sharingzone.net/images/banner$third-party -||shink.in/js/script.js$third-party -||shop-top1000.com/images/ -||shop4tech.com^*/banner/ -||shopbrazos.com/widgets/ -||shopilize.com^$third-party -||shopping.com/sc/pac/sdc_widget_v2.0_proxy.js$third-party -||shorte.st/link-converter.min.js -||shorte.st^*/referral_banners/ -||shows-tv.net/codepopup.js -||shragle.com^*?ref= -||sidekickunlock.net/banner/ -||simplifydigital.co.uk^*/widget_premium_bb.htm -||simplyfwd.com/?dn=*&pid=$subdocument -||singlehop.com/affiliates/$third-party -||singlemuslim.com/affiliates/ -||sis.amazon.com/iu?$third-party -||sisters-magazine.com/iframebanners/$third-party -||site5.com/creative/$third-party -||site5.com/creative/*/234x60.gif -||sitegiant.my/affiliate/$third-party -||sitegrip.com^*/swagbucks- -||sitescout-video-cdn.edgesuite.net^ -||skydsl.eu/banner/$third-party -||slickdeals.meritline.com^$third-party -||slot.union.ucweb.com^ -||slysoft.com/img/banner/$third-party -||smart.styria-digital.com^ -||smartasset.com/embed.js -||smartdestinations.com/ai/$third-party -||smblock.s3.amazonaws.com^ -||smilepk.com/bnrsbtns/ -||snacktools.net/bannersnack/ -||snapdeal.com^*.php$third-party -||sndkorea.nowcdn.co.kr^$third-party -||socialmonkee.com/images/$third-party -||socialorganicleads.com/interstitial/ -||softneo.com/popup.js -||source.esportsheaven.com^$subdocument -||speedbit.com^*-banner1- -||speedppc.com^*/banners/ -||speedtv.com.edgesuite.net/img/static/takeovers/ -||spilcdn.com/vda/css/sgadfamily.css -||spilcdn.com/vda/css/sgadfamily2.css -||spilcdn.com/vda/vendor/flowplayer/ova.swf -||splashpagemaker.com/images/$third-party -||sponsorandwin.com/images/banner- -||sportingbet.com.au/sbacontent/puntersparadise.html -||sportsbetaffiliates.com.au^$third-party -||sportsdigitalcontent.com/betting/ -||sproutnova.com/serve.php$third-party -||squarespace.evyy.net^ -||srv.dynamicyield.com^$third-party -||srvv.co^$domain=foreverceleb.com -||srwww1.com^*/affiliate/ -||ssl-images-amazon.com/images/*/banner/$third-party,domain=~amazon.de -||ssshoesss.ro/banners/ -||stacksocial.com/bundles/$third-party -||stacksocial.com^*?aid=$third-party -||stalliongold.com/images/*x$third-party -||stargames.com/bridge.asp?$third-party -||static.*.criteo.net/design^$third-party -||static.*.criteo.net/flash^$third-party -||static.*.criteo.net/images^$third-party -||static.*.criteo.net/js/duplo^$third-party -||static.criteo.com/design^$third-party -||static.criteo.com/flash^$third-party -||static.criteo.com/images^$third-party -||static.criteo.com/js/duplo^$third-party -||static.criteo.net/design^$third-party -||static.criteo.net/flash^$third-party -||static.criteo.net/images^$third-party -||static.criteo.net/js/duplo^$third-party -||static.multiplayuk.com/images/w/w- -||static.plista.com/jsmodule/flash|$third-party -||static.plista.com/tiny/$third-party -||static.plista.com/upload/videos/$third-party -||static.plista.com^*/resized/$third-party -||static.tradetracker.net^$third-party -||static.tumblr.com/dhqhfum/WgAn39721/cfh_header_banner_v2.jpg -||staticbucket.com/boost//Scripts/libs/flickity.js -||staticworld.net/images/*_skin_ -||stats.hosting24.com^ -||stats.sitesuite.org^ -||stopadblock.info^$third-party -||storage.to/affiliate/ -||streaming.rtbiddingplatform.com^ -||streamtheworld.com/ondemand/ars?type=preroll$object-subrequest -||streamtheworld.com/ondemand/creative? -||strikeadcdn.s3.amazonaws.com^$third-party -||structuredchannel.com/sw/swchannel/images/MarketingAssets/*/BannerAd -||stuff-nzwhistleout.s3.amazonaws.com^ -||stuff.com/javascripts/more-stuff.js -||stylefind.com^*?campaign=$subdocument,third-party -||subliminalmp3s.com^*/banners/ -||superherostuff.com/pages/cbmpage.aspx?*&cbmid=$subdocument,third-party -||supersport.co.za^*180x254 -||supersport.com/content/2014_Sponsor -||supersport.com/content/Sponsors -||supply.upjers.com^$third-party -||surf100sites.com/images/banner_ -||survey.g.doubleclick.net^ -||surveymonkey.com/jspop.aspx?$third-party -||surveywriter.net^$script,third-party -||survivaltop50.com/wp-content/uploads/*/Survival215x150Link.png -||svcs.ebay.com/services/search/FindingService/*^affiliate.tracking$third-party -||swarmjam.com^$script,third-party -||sweed.to/?pid=$third-party -||sweed.to/affiliates/ -||sweetwater.com/feature/$third-party -||sweeva.com/widget.php?w=$third-party -||swimg.net^*/banners/ -||synapsys.us/widgets/chatterbox/$third-party -||synapsys.us/widgets/dynamic_widget/$third-party -||synapsys.us^*/partner.js$third-party -||syndicate.payloadz.com^$third-party -||syndication.jsadapi.com^ -||syndication.visualthesaurus.com/std/vtad.js -||syndication1.viraladnetwork.net^ -||taboola.com^$domain=scoopwhoop.com -||tag.regieci.com^$third-party -||tags2.adshell.net^ -||take2.co.za/misc/bannerscript.php? -||takeover.bauermedia.co.uk^$~stylesheet -||talkfusion.com^*/banners/ -||tankionline.com/tankiref.swf -||tap.more-results.net^ -||tcmwebcorp.com/dtm/tc_global_dtm_delivery.js -||techbargains.com/inc_iframe_deals_feed.cfm?$third-party -||techbargains.com/scripts/banner.js$third-party -||techkeels.com/creatives/ -||tedswoodworking.com/images/banners/ -||textlinks.com/images/banners/ -||thaiforlove.com/userfiles/affb- -||thatfreething.com/images/banners/ -||theatm.info/images/$third-party -||thebigchair.com.au^$subdocument,third-party -||thebloggernetwork.com/demandfusion.js -||thefreesite.com/nov99bannov.gif -||themes420.com/bnrsbtns/ -||themify.me/banners/$third-party -||themis-media.com^*/sponsorships/ -||thereadystore.com/affiliate/ -||theseblogs.com/visitScript/ -||theseforums.com/visitScript/ -||theselfdefenseco.com/?affid=$third-party -||thetechnologyblog.net^*/bp_internet/ -||thirdpartycdn.lumovies.com^$third-party -||ti.tradetracker.net^ -||ticketkai.com/banner/ -||ticketmaster.com/promotionalcontent/ -||tickles.co.uk^$subdocument,third-party -||tickles.ie^$subdocument,third-party -||tigerdirect.com^*/affiliate_ -||timesinternet.in/ad/ -||tinyurl.com/4x848hd$subdocument -||tipico.*/affiliate/$third-party -||tipico.*?affiliateId=$third-party -||tiqiq.com/Tiqiq/WidgetInactiveIFrame.aspx?WidgetID=*&PublisherID=$subdocument,third-party -||tmbattle.com/images/promo_ -||tmstorage.com^$domain=radioforge.com -||tmz.vo.llnwd.net^*_rightrail_200x987.swf -||todaysfinder.com^$subdocument,third-party -||toksnn.com/ads/ -||tonefuse.s3.amazonaws.com/clientjs/ -||top5result.com/promo/ -||topbinaryaffiliates.ck-cdn.com^$third-party -||topmedia.com/external/ -||topservers200.com/img/banners/ -||topspin.net/secure/media/$image,domain=youtube.com -||toptenreviews.com/r/c/ -||toptenreviews.com/w/af_widget.js$third-party -||torguard.net/images/aff/ -||tosol.co.uk/international.php?$third-party -||townnews.com^*/dealwidget.css? -||townnews.com^*/upickem-deals.js? -||townsquareblogs.com^*=sponsor& -||toysrus.com/graphics/promo/ -||traceybell.co.uk^$subdocument,third-party -||track.bcvcmedia.com^ -||track.effiliation.com^$third-party -||tradeboss.com/1/banners/ -||travel-assets.com/ads/ -||travelmail.traveltek.net^$third-party -||travelplus.tv^$third-party,domain=kissanime.com -||treatme.co.nz/Affiliates/ -||tremormedia.com/embed/js/*_ads.js -||tremormedia.com^*/tpacudeoplugin46.swf -||tremormedia.com^*_preroll_ -||trhnt.com/sx.tr.js -||trialfunder.com/banner/ -||trialpay.com^*&dw-ptid=$third-party -||tribktla.files.wordpress.com/*-639x125-sponsorship.jpg? -||tribwgnam.files.wordpress.com^*reskin2. -||tripadvisor.com/WidgetEmbed-*&partnerId=$domain=rbth.co.uk|rbth.com -||tritondigital.com/lt?sid*&hasads= -||tritondigital.com/ltflash.php? -||trivago.co.uk/uk/srv/$third-party -||tshirthell.com/img/affiliate_section/$third-party -||ttt.co.uk/TMConverter/$third-party -||turbobit.net/ref/$third-party -||turbobit.net/refers/$third-party -||turbotrafficsystem.com^*/banners/ -||turner.com^*/ads/ -||turner.com^*/promos/ -||twinplan.com^ -||twivert.com/external/banner234x60. -||u-loader.com/image/hotspot_ -||ubuntudeal.co.za^$subdocument,third-party -||ukcast.tv/adds/ -||ukrd.com/image/*-160x133.jpg -||ukrd.com/image/*-160x160.png -||ukrd.com/images/icons/amazon.png -||ukrd.com/images/icons/itunes.png -||ultimatewebtraffic.info/images/fbautocash -||uniblue.com^*/affiliates/ -||united-domains.de/parking/ -||united-domains.de^*/parking/ -||unsereuni.at/resources/img/$third-party -||upickem.net^*/affiliates/$third-party -||upload2.com/upload2.html -||uploaded.net/img/public/$third-party -||uploaded.to/img/public/$third-party -||uploaded.to/js/layer.js -||uploadstation.com/images/banners/ -||urtig.net/scripts/js3caf.js -||usenet.pw^$third-party -||usenetbucket.com^*-banner/ -||usersfiles.com/images/72890UF.png -||usfine.com/images/sty_img/usfine.gif -||ussearch.com/preview/banner/ -||utility.rogersmedia.com^ -||valuechecker.co.uk/banners/$third-party -||vapeworld.com^*/banners/$third-party -||vaporizor.com^*/banners/$third-party -||vapornation.com^*/banner/$third-party -||vast.videe.tv/vast-proxy/ -||vcnewsdaily.com/images/vcnews_right_banner.gif -||vdownloader.com/pages/$subdocument,third-party -||vendor1.fitschigogerl.com^ -||veospot.com^*.html -||viagogo.co.uk/feeds/widget.ashx? -||videoweed.es/js/aff.js -||videozr.com^$third-party -||vidible.tv/placement/vast/ -||vidible.tv/prod/tags/ -||vidyoda.com/fambaa/chnls/ADSgmts.ashx? -||viglink.com/api/batch^$third-party -||viglink.com/api/insert^$third-party -||viglink.com/api/optimize^$third-party -||viglink.com/api/products^$third-party -||viglink.com/api/widgets/offerbox.js$third-party -||viglink.com/images/pixel.gif -||virool.com/widgets/$third-party -||virtuagirl.com/ref.php? -||virtuaguyhd.com/ref.php? -||visit.homepagle.com^$third-party -||visitorboost.com/images/$third-party -||vitabase.com/images/relationships/$third-party -||vittgam.net/images/b/ -||vpn4all.com^*/banner/ -||vpnarea.com/affiliate/ -||vpntunnel.se/aff/$third-party -||vpnxs.nl/images/vpnxs_banner -||vrvm.com/t? -||vuukle.com/affinity. -||vuvuplaza.com^$subdocument,third-party -||vxite.com/banner/ -||vze.com^$domain=uploadlw.com -||wagital.com/Wagital-Ads.html -||walmartimages.com^*/HealthPartner_ -||warezhaven.org/warezhavenbann.jpg -||warrantydirect.co.uk/widgets/ -||washingtonpost.com/wp-srv/wapolabs/dw/readomniturecookie.html -||watch-free-movie-online.net/adds- -||watch-naruto.tv/images/$third-party -||watchme.com/track/$subdocument,third-party -||watersoul.com^$subdocument,third-party -||wealthyrush.com^*/banners/$third-party -||weatherthreat.com^*/app_add.png -||web-jp.ad-v.jp^ -||web.adblade.com^$third-party -||web2feel.com/images/$third-party -||webdev.co.zw/images/banners/$third-party -||webgains.com/link.html$third-party -||webmasterrock.com/cpxt_pab -||website.ws^*/banners/ -||whistleout.com/Widgets/$third-party -||whistleout.s3.amazonaws.com^ -||widgeo.net/popup.js -||widget.cheki.com.ng^$third-party -||widget.crowdignite.com^ -||widget.imshopping.com^$third-party -||widget.jobberman.com^$third-party -||widget.kelkoo.com^ -||widget.raaze.com^ -||widget.scoutpa.com^$third-party -||widget.searchschoolsnetwork.com^ -||widget.shopstyle.com.au^ -||widget.shopstyle.com/widget?pid=$subdocument,third-party -||widget.solarquotes.com.au^ -||widget.wombo.gg^$third-party -||widgetcf.adviceiq.com^$third-party -||widgets.adviceiq.com^$third-party -||widgets.fie.futurecdn.net^$script -||widgets.itunes.apple.com^*&affiliate_id=$third-party -||widgets.junction.co.za^$third-party -||widgets.lendingtree.com^$third-party -||widgets.mobilelocalnews.com^$third-party -||widgets.mozo.com.au^$third-party -||widgets.privateproperty.com.ng^$third-party -||widgets.progrids.com^$third-party -||widgets.realestate.com.au^ -||widgets.solaramerica.org^$third-party -||wildamaginations.com/mdm/banner/ -||windcdna.com/api/banner/ -||winpalace.com/?affid= -||winsms.co.za/banner/ -||wishlistproducts.com/affiliatetools/$third-party -||wlpinnaclesports.eacdn.com^ -||wm.co.za/24com.php? -||wm.co.za/wmjs.php? -||wonderlabs.com/affiliate_pro/banners/ -||worldcdn.net^*/banners/ -||worldnow.com/images/incoming/RTJ/rtj201303fall.jpg -||worldofjudaica.com/products/dynamic_banner/ -||worldofjudaica.com/static/show/external/ -||wp.com^*/linkwidgets/$domain=coedmagazine.com -||wrapper.ign.com^$third-party -||ws.amazon.*/widgets/$third-party -||wsockd.com^$third-party -||wtpn.twenga.co.uk^ -||wtpn.twenga.de^ -||wtprn.com/images/$domain=rprradio.com -||wtprn.com/sponsors/ -||wupload.com/images/banners/ -||wupload.com/referral/$third-party -||x3cms.com/ads/ -||xcams.com/livecams/pub_collante/script.php?$third-party -||xgaming.com/rotate*.php?$third-party -||xigen.co.uk^*/Affiliate/ -||xingcloud.com^*/uid_ -||xml.exactseek.com/cgi-bin/js-feed.cgi?$third-party -||xproxyhost.com/images/banners/ -||xrad.io^*/hotspots/ -||yachting.org^*/banner/ -||yahoo.net^*/ads/ -||yb.torchbrowser.com^ -||yeas.yahoo.co.jp^ -||yieldmanager.edgesuite.net^$third-party -||yimg.com/gemini/pr/video_ -||yimg.com/gs/apex/mediastore/ -||yimg.com^*/dianominewwidget2.html$domain=yahoo.com -||yimg.com^*/quickplay_maxwellhouse.png -||yimg.com^*/sponsored.js -||yimg.com^*_skin_$domain=yahoo.com -||ynet.co.il^*/ynetbanneradmin/ -||yontoo.com^$subdocument,third-party -||yooclick.com^$subdocument,third-party -||you-cubez.com/images/banners/ -||youinsure.co.za/frame/$third-party -||zapads.zapak.com^ -||zazzle.com/utl/getpanel$third-party -||zazzle.com^*?rf$third-party -||zemanta.com^*/loader.js$third-party -||zergnet.com/zerg-inf.js$third-party -||zeus.qj.net^ -||zeusfiles.com/promo/ -||ziffdavisenterprise.com/contextclicks/ -||ziffprod.com/CSE/BestPrice? -||ziffstatic.com/jst/zdsticky. -||ziffstatic.com/jst/zdvtools. -||zip2save.com/widget.php? -||zmh.zope.net^$third-party -||zoomin.tv/video/*.flv$third-party,domain=twitch.tv -! Google Hosted scripts -||googleapis.com/qmftp/$script -||googleapis.com/yieldlab/$script -! Used for VPN Warning ads -||trust.zone^$third-party -! Mobile -||iadc.qwapi.com^ -! Anti-Adblock -||0mme.com/static.js$script,third-party -||2enm.com/static.js$script,third-party -||chronophotographie.science^$third-party -||croix.science^$third-party -||d1nmk7iw7hajjn.cloudfront.net^ -||d3jgr4uve1d188.cloudfront.net^ -||d3ujids68p6xmq.cloudfront.net^ -||demande.science^$third-party -||em0n.com/static.js$script,third-party -||mn0e.com/static.js$script,third-party -||onfocus.io^$third-party -||secretmedia.com^$third-party -||zeste.top^$third-party -! *** easylist:easylist/easylist_thirdparty_popup.txt *** -||104.197.207.200^$popup -||104.198.188.213^$popup -||4utro.ru^$popup -||5.39.67.191/promo.php?$popup -||6angebot.ch/?ref=$popup,third-party -||adfoc.us/serve/$popup,third-party -||admngronline.com^$popup,third-party -||adrotator.se^$popup -||adserving.unibet.com^$popup,third-party -||affiliates.galapartners.co.uk^$popup,third-party -||affportal-lb.bevomedia.com^$popup,third-party -||aliexpress.com/?af=$popup,third-party -||amazing-offers.co.il^$popup,third-party -||babylon.com/redirects/$popup,third-party -||babylon.com/welcome/index.html?affID=$popup,third-party -||banner.galabingo.com^$popup,third-party -||bet365.com^*affiliate=$popup -||bettingpartners.com^$popup,third-party -||binaryoptions24h.com^$popup,third-party -||bit.ly^$popup,domain=vodlocker.com -||bizinfoyours.info^$popup -||bovada.lv^$popup,third-party -||casino-x.com^*?partner=$popup,third-party -||casinoadviser.net^$popup -||cdn.optmd.com^$popup,third-party -||cdnfarm18.com^$popup,third-party -||chatlivejasmin.net^$popup -||chatulfetelor.net/$popup -||chaturbate.com/affiliates/$popup,third-party -||click.scour.com^$popup,third-party -||clickansave.net^$popup,third-party -||coolguruji.com/l.php?$popup -||ctcautobody.com^$popup,third-party -||d1110e4.se^$popup -||dateoffer.net/?s=*&subid=$popup,third-party -||eroticmix.blogspot.$popup -||erotikdeal.com/?ref=$popup,third-party -||erotikdeal.com/advertising.html$popup,third-party -||eurogrand.com^$popup -||evanetwork.com^$popup -||facebookcoverx.com^$popup,third-party -||fastclick.net^$popup -||firstload.com^$popup -||firstload.de^$popup -||flashplayer-updates.com^$popup -||fleshlight.com/?link=$popup,third-party -||free-rewards.com-s.tv^$popup -||fsoft4down.com^$popup -||fulltiltpoker.com/?key=$popup,third-party -||fulltiltpoker.com/affiliates/$popup,third-party -||fwmrm.net/ad/$popup -||generic4all.com^*.dhtml?refid=$popup,third-party -||getsecuredfiles.com^$popup,third-party -||greevid.com/exit_p/$popup -||hdplayer.li^$popup -||hdvid-codec.com^$popup -||hdvidcodecs.com^$popup -||hetu.in^$popup,third-party -||hmn-net.com^*/xdirect/$popup,third-party -||homemadecelebrityporn.com/track/$popup,third-party -||house-rent.us^$popup,third-party -||hyperlinksecure.com/back?token=$popup -||hyperlinksecure.com/go/$popup -||i2casting.com^$popup,third-party -||infinity-info.com/click?$popup,third-party -||iqoption.com/land/$popup,third-party -||itunes.apple.com^$popup,domain=fillinn.com -||liutilities.com^*/affiliate/$popup -||lovefilm.com/partners/$popup,third-party -||lovepoker.de^*/?pid=$popup -||lp.ilivid.com/?$popup,third-party -||lp.imesh.com/?$popup,third-party -||lp.musicboxnewtab.com^$popup,third-party -||lp.titanpoker.com^$popup,third-party -||lsbet.com/bonus/$popup,third-party -||lumosity.com/landing_pages/$popup -||lyricsbogie.com/?$popup,third-party -||makemoneyonline.2yu.in^$popup -||maxedtube.com/video_play?*&utm_campaign=$popup,third-party -||mcars.org/landing/$popup,third-party -||media.mybet.com/redirect.aspx?pid=*&bid=$popup,third-party -||megacloud.com/signup?$popup,third-party -||meme.smhlmao.com^$popup,third-party -||mgid.com^$popup,third-party -||mp3ger.com^$popup,third-party -||mypromocenter.com^$popup -||noowmedia.com^$popup -||opendownloadmanager.com^$popup,third-party -||otvetus.com^$popup,third-party -||paid.outbrain.com/network/redir?$popup,third-party -||pc.thevideo.me^$popup,third-party -||planet49.com/cgi-bin/wingame.pl?$popup -||platinumdown.com^$popup -||pokerstars.com^*/ad/$popup,third-party -||priceinfo.comuv.com^$popup -||profitmaximizer.co^$popup -||promo.galabingo.com^$popup,third-party -||promo.xcasino.com/?$popup,third-party -||protect-your-privacy.net/?$popup,third-party -||pub.ezanga.com/rv2.php?$popup -||rackcorp.com^$popup -||record.sportsbetaffiliates.com.au^$popup,third-party -||red-tube.com/popunder/$popup -||reviversoft.com^*&utm_source=$popup,third-party -||rocketgames.com^$popup,third-party -||roomkey.com/referrals?$popup,third-party -||secure.komli.com^$popup,third-party -||serve.prestigecasino.com^$popup,third-party -||serve.williamhillcasino.com^$popup,third-party -||settlecruise.org^$popup -||sharecash.org^$popup,third-party -||softingo.com/clp/$popup -||stake7.com^*?a_aid=$popup,third-party -||stargames.com/bridge.asp?idr=$popup -||stargames.com/web/*&cid=*&pid=$popup,third-party -||sunmaker.com^*^a_aid^$popup,third-party -||sunnyplayer.com^*^aff^$popup,third-party -||thebestbookies.com^$popup,third-party -||thebestbookies.org/serve/$popup,third-party -||thefile.me/apu.php$popup -||theseforums.com^*/?ref=$popup -||thesportstream.com^$popup,domain=sportcategory.org -||thetraderinpajamas.com^$popup,third-party -||tipico.com^*?affiliateid=$popup,third-party -||torntv-tvv.org^$popup,third-party -||track.mypcbackup.com^$popup,third-party -||track.xtrasize.nl^$popup,third-party -||tracker.lotto365.com^$popup,third-party -||tripadvisor.*/HotelLander?$popup,third-party -||truckingunlimited.com^$popup,domain=sharpfile.com -||ul.to/ref/$popup -||unlimited-tv.show^$popup,third-party -||upbcd.info/vuze/$popup -||uploaded.net/ref/$popup -||urlcash.net/random*.php$popup -||urmediazone.com/play?ref=$popup,third-party -||vidds.net/?s=promo$popup,third-party -||virtuagirl.com/landing/$popup,third-party -||vkpass.com/*.php?*=$popup,third-party -||wealth-at-home-millions.com^$popup,third-party -||weeklyprizewinner.com-net.info^$popup -||widget.yavli.com^$popup,third-party -||with-binaryoption.com^$popup,third-party -||withbinaryoptions.com^$popup,third-party -||wptpoker.com^$popup -! *** easylist:easylist_adult/adult_thirdparty.txt *** -.php?pub=*&trw_adblocker=$subdocument -/exports/livemodel/?$subdocument -||193.34.134.18^*/banners/ -||193.34.134.74^*/banners/ -||204.140.25.247/ads/ -||213.174.130.10/banners/ -||213.174.130.8/banners/ -||213.174.130.9/banners/ -||213.174.140.76/js/showbanner4.js -||213.174.140.76^*/ads/ -||213.174.140.76^*/js/msn-$script -||213.174.140.76^*/js/msn.js -||4tube.com/iframe/$third-party -||78.140.130.91^$domain=anysex.com -||79.120.183.166^*/banners/ -||88.208.23.$third-party,domain=xhamster.com -||88.85.77.94/rotation/$third-party -||91.83.237.41^*/banners/ -||a.sucksex.com^$third-party -||ad.duga.jp^ -||ad.favod.net^$third-party -||ad.iloveinterracial.com^ -||ad.traffmonster.info^$third-party -||adb.fling.com^$third-party -||ads.videosz.com^ -||adsrv.bangbros.com^$third-party -||adtools.gossipkings.com^$third-party -||adtools2.amakings.com^$third-party -||adultdvd.com/plugins/*/store.html$third-party -||adultfax.com/service/vsab.php? -||adultfriendfinder.com/go/$third-party -||adultfriendfinder.com/images/banners/$third-party -||adultfriendfinder.com/javascript/$third-party -||adultfriendfinder.com/piclist?$third-party -||adultporntubemovies.com/images/banners/ -||aebn.net/banners/ -||aebn.net/feed/$third-party -||aff-jp.dxlive.com^$third-party -||aff-jp.exshot.com^$third-party -||affiliate.burn-out.tv^$third-party -||affiliate.dtiserv.com^$third-party -||affiliate.godaddy.com^$third-party -||affiliates.cupidplc.com^$third-party -||affiliates.easydate.biz^$third-party -||affiliates.franchisegator.com^$third-party -||affiliates.thrixxx.com^ -||allanalpass.com/visitScript/ -||alt.com/go/$third-party -||amarotic.com/Banner/$third-party -||amarotic.com/rotation/layer/chatpage/$third-party -||amarotic.com^*?wmid=*&kamid=*&wsid=$third-party -||amateur.amarotic.com^$third-party -||amateurseite.com/banner/$third-party -||ambya.com/potdc/ -||animalsexfun.com/baner/ -||ard.sweetdiscreet.com^ -||asianbutterflies.com/potd/ -||asktiava.com/promotion/ -||assinclusive.com/cyonix.html -||assinclusive.com/linkstxt2.html -||atlasfiles.com^*/sp3_ep.js$third-party -||avatraffic.com/b/ -||b.turbo.az^$third-party -||babes.picrush.com^$third-party -||banner.69stream.com^$third-party -||banner.gasuki.com^$third-party -||banner.resulthost.org^$third-party -||banner.themediaplanets.com^$third-party -||banners*.spacash.com^$third-party -||banners.adultfriendfinder.com^$third-party -||banners.alt.com^$third-party -||banners.amigos.com^$third-party -||banners.blacksexmatch.com^$third-party -||banners.fastcupid.com^$third-party -||banners.fuckbookhookups.com^$third-party -||banners.nostringsattached.com^$third-party -||banners.outpersonals.com^$third-party -||banners.passion.com^$third-party -||banners.passiondollars.com^$third-party -||banners.payserve.com^$third-party -||banners.penthouse.com^$third-party -||banners.rude.com^$third-party -||banners.rushcommerce.com^$third-party -||banners.videosecrets.com^$third-party -||banners.webcams.com^$third-party -||bannershotlink.perfectgonzo.com^ -||bans.bride.ru^$third-party -||bbp.brazzers.com^$third-party -||bigmovies.com/images/banners/ -||blaaaa12.googlecode.com^ -||blackbrazilianshemales.com/bbs/banners/ -||blogspot.com^*/ad.jpg -||bongacams.com/promo.php -||bongacash.com/dynamic_banner/ -||bongacash.com/promo.php -||bongacash.com/tools/promo.php$third-party -||br.blackfling.com^ -||br.fling.com^ -||br.realitykings.com^ -||brasileirinhas.com.br/banners/ -||brazzers.com/ads/ -||bullz-eye.com/pictureofday/$third-party -||cache.worldfriends.tv^$third-party -||camelmedia.net/thumbs/$third-party -||cams.com/go/$third-party -||cams.com/p/cams/cpcs/streaminfo.cgi?$third-party -||cams.enjoy.be^$third-party -||cams.spacash.com^$third-party -||camsoda.com/promos/$third-party -||camsrule.com/exports/$third-party -||cartoontube.com^$subdocument,third-party -||cash.femjoy.com^$third-party -||cdn.epom.com^*/940_250.gif -||cdn13.com^$script,third-party -||cdn77.org/images/userbanners/$domain=topescortbabes.com -||cdncache2-a.akamaihd.net^$third-party -||cdnjke.com^$third-party -||chaturbate.com/affiliates/ -||chaturbate.com/creative/ -||click.absoluteagency.com^$third-party -||click.hay3s.com^ -||click.kink.com^$third-party -||clickz.lonelycheatingwives.com^$third-party -||clipjunkie.com/sftopbanner$third-party -||closepics.com/media/banners/ -||cloudfront.net^$script,domain=pornve.com -||cmix.org/teasers/? -||cockfortwo.com/track/$third-party -||content.liveuniverse.com^$third-party -||contentcache-a.akamaihd.net^$third-party -||core.queerclick.com^$third-party -||cp.intl.match.com^$third-party -||cpm.amateurcommunity.com^ -||creamgoodies.com/potd/ -||crocogirls.com/croco-new.js -||cs.celebbusters.com^$third-party -||cs.exposedontape.com^$third-party -||d1mib12jcgwmnv.cloudfront.net^ -||dailyvideo.securejoin.com^ -||daredorm.com^$subdocument,third-party -||datefree.com^$third-party -||ddfcash.com/iframes/$third-party -||ddstatic.com^*/banners/ -||deal.maabm.com^$image,third-party -||desk.cmix.org^ -||devilgirls.co/images/devil.gif -||devilgirls.co/pop.js -||dom2xxx.com/ban/$third-party -||downloadsmais.com/imagens/download-direto.gif -||dump1.no-ip.biz^$third-party -||dvdbox.com/promo/$third-party -||dyn.primecdn.net^$third-party -||eliterotica.com/images/banners/ -||ero-advertising.com^*/banners/ -||erotikdeal.com/?ref=$third-party -||escortbook.com/banner_ -||escortforum.net/images/banners/$third-party -||eurolive.com/?module=public_eurolive_onlinehostess& -||eurolive.com/index.php?module=public_eurolive_onlinetool& -||evilangel.com/static/$third-party -||exposedemos.com/track/$third-party -||exposedteencelebs.com/banner/$third-party -||extremeladyboys.com/elb/banners/ -||f5porn.com/porn.gif -||fansign.streamray.com^$third-party -||fastcdn.me/js/snpp/ -||fastcdn.me/mlr/ -||fbooksluts.com^$subdocument,third-party -||fckya.com/lj.js -||feeds.videosz.com^ -||femjoy.com/bnrs/$third-party -||ff.nsg.org.ua^ -||fgn.me^*/skins/ -||firestormmedia.tv^*?affid= -||fleshlight.com/images/banners/ -||fleshlight.com/images/peel/ -||freebbw.com/webcams.html$third-party -||freeonescams.com^$subdocument,third-party -||freeporn.hu/banners/ -||freexxxvideoclip.aebn.net^ -||freshnews.su/get_tizers.php? -||fuckhub.net^*?pid=$third-party -||gagthebitch.com/track/$third-party -||galeriaseroticas.xpg.com.br^$third-party -||galleries.videosz.com^$object,third-party -||gallery.deskbabes.com^*.php?dir=*&ids=$third-party -||gammasites.com/pornication/pc_browsable.php? -||gateway-banner.eravage.com^$third-party -||geo.camazon.com^$third-party -||geo.cliphunter.com^ -||geo.frtya.com^ -||geo.frtyd.com^ -||geobanner.adultfriendfinder.com^ -||geobanner.alt.com^ -||geobanner.blacksexmatch.com^$third-party -||geobanner.fuckbookhookups.com^$third-party -||geobanner.sexfinder.com^$third-party -||geobanner.socialflirt.com^ -||gfrevenge.com/vbanners/ -||girls-home-alone.com/dating/ -||go2cdn.org/brand/$third-party -||graphics.pop6.com/javascript/$script,third-party,domain=~adultfriendfinder.co.uk|~adultfriendfinder.com -||graphics.streamray.com^*/cams_live.swf$third-party -||hardbritlads.com/banner/ -||hardcoresexnow.com^$subdocument,third-party -||hdpornphotos.com/images/728x180_ -||hdpornphotos.com/images/banner_ -||hentaijunkie.com^*/banners/ -||hentaikey.com/images/banners/ -||highrollercams.com/widgets/$third-party -||hodun.ru/files/promo/ -||homoactive.tv/banner/ -||hornybirds.com^$subdocument,third-party -||hornypharaoh.com/banner_$third-party -||hostave3.net/hvw/banners/ -||hosted.x-art.com/potd$third-party -||hosting24.com/images/banners/$third-party -||hotcaracum.com/banner/ -||hotkinkyjo.xxx/resseler/banners/ -||hotmovies.com/custom_videos.php? -||hotsocialz.com^$third-party -||iframe.adultfriendfinder.com^$third-party -||iframes.hustler.com^$third-party -||ifriends.net^$subdocument,third-party -||ihookup.com/configcreatives/ -||image.cecash.com^$third-party -||image.nsk-sys.com^$third-party -||images.elenasmodels.com/Upload/$third-party -||imageteam.org/upload/big/2014/06/22/53a7181b378cb.png -||in.zog.link^ -||interracialbangblog.info/banner.jpg -||interracialbangblog.info^*-ban.png -||ipornia.com/frends/$subdocument -||istripper.com^$third-party,domain=~istripper.eu -||ivitrine.buscape.com^$third-party -||js.picsomania.info^$third-party -||just-nude.com/images/ban_$third-party -||justcutegirls.com/banners/$third-party -||kau.li/yad.js -||kenny-glenn.net^*/longbanner_$third-party -||kuntfutube.com/bgbb.gif -||lacyx.com/images/banners/ -||ladyboygoo.com/lbg/banners/ -||latinteencash.com/potd/$third-party -||layers.spacash.com^$third-party -||lb-69.com/pics/ -||links.freeones.com^$third-party -||livejasmin.com^$third-party,domain=~awempire.com -||livesexasian.com^$subdocument,third-party -||llnwd.net^*/takeover_ -||longmint.com/lm/banners/ -||loveme.com^$third-party -||lucasentertainment.com/banner/$third-party -||magazine-empire.com/images/pornstarad.jpg -||manager.koocash.fr^$third-party -||manhunt.net/?dm=$third-party -||map.pop6.com^$third-party -||match.com/landing/$third-party -||media.eurolive.com^$third-party -||media.match.com^$third-party -||media.mykocam.com^$third-party -||media.mykodial.com^$third-party -||media.pussycash.com^$third-party -||megacash.warpnet.com.br^$third-party -||metartmoney.com^$third-party -||metartmoney.met-art.com^$third-party -||mofomedia.nl/pop-*.js -||movies.spacash.com^*&th=180x135$script -||mrskin.com/affiliateframe/ -||mrskincdn.com^*/flash/aff/$third-party -||mrvids.com/network/$third-party -||ms.wsex.com^$third-party -||mtoon.com/banner/ -||my-dirty-hobby.com/?sub=$third-party -||mycams.com/freechat.php?$third-party -||myexposedgirlfriendz.com/pop/popuppp.js -||myexposedgirlfriendz.com/pop/popuprk.js -||myfreakygf.com/www/click/$third-party -||mykocam.com/js/feeds.js$third-party -||mysexjourney.com/revenue/$third-party -||naked.com/promos/$third-party -||nakedshygirls.com/bannerimg/ -||nakedswordcashcontent.com/videobanners/$third-party -||natuko-miracle.com/banner/$third-party -||naughtycdn.com/public/iframes/$third-party -||netvideogirls.com/adultfyi.jpg -||nubiles.net/webmasters/promo/$third-party -||nude.hu/html/$third-party -||nudemix.com/widget/ -||nuvidp.com^$third-party -||odnidoma.com/ban/$third-party -||openadultdirectory.com/banner-$third-party -||orgasmtube.com/js/superP/ -||otcash.com/images/$third-party -||outils.f5biz.com^$third-party -||partner.loveplanet.ru^$third-party -||partners.heart2heartnetwork.$third-party -||partners.pornerbros.com^ -||partners.yobt.com^$third-party -||partners.yobt.tv^$third-party -||paydir.com/images/bnr -||pcash.globalmailer5.com^$third-party -||pinkvisualgames.com/?revid=$third-party -||plugin-x.com/rotaban/ -||pod.manplay.com^$third-party -||pod.xpress.com^$third-party -||pokazuwka.com/popu/ -||pop6.adultfriendfinder.com^$third-party -||pop6.com/banners/$third-party -||pop6.com/javascript/im_box-*.js -||porn2blog.com/wp-content/banners/ -||porndeals.com^$subdocument,third-party -||pornhubpremium.com/relatedpremium/$subdocument,third-party -||pornoh.info^$image,third-party -||pornravage.com/notification/$third-party -||pornstarnetwork.com^*_660x70.jpg -||pornturbo.com/*.php?g=$subdocument,third-party -||pornturbo.com^*.php?*&cmp=$subdocument,third-party -||potd.onlytease.com^$third-party -||prettyincash.com/premade/$third-party -||prime.ms^$domain=primejailbait.com -||privatamateure.com/promotion/ -||private.camz.$third-party -||private.com/banner/ -||privatehomeclips.com/privatehomeclips.php?t_sid= -||profile.bharatmatrimony.com^$third-party -||promo.blackcrush.com^$third-party -||promo.cams.com^$third-party -||promo.pegcweb.com^$third-party -||promo1.webcams.nl^$third-party -||promos.gpniches.com^$third-party -||promos.meetlocals.com^$third-party -||promos.wealthymen.com^$third-party -||propbn.com/bonga/ -||ptcdn.mbicash.nl^$third-party -||punterlink.co.uk/images/storage/siteban$third-party -||pussycash.com/content/banners/$third-party -||putana.cz/banners/ -||rabbitporno.com/friends/ -||rabbitporno.com/iframes/$third-party -||rawtubelive.com/exports/$third-party -||realitykings.com/vbanners/ -||red-tube.com/dynbanner.php? -||resimler.randevum.com^$third-party -||rexcams.com/misc/iframes_new/ -||rotci.com/images/rotcibanner.png -||rough-sex-in-russia.com^*/webmaster/$third-party -||rss.dtiserv.com^$third-party -||ruleclaim.web.fc2.com^$third-party -||ruscams.com/promo/ -||russkoexxx.com/ban/$third-party -||s1magnettvcom.maynemyltf.netdna-cdn.com^ -||sabin.free.fr^$third-party -||saboom.com.pccdn.com^*/banner/ -||sadtube.com/chat/$script -||sakuralive.com/dynamicbanner/ -||scoreland.com/banner/ -||screencapturewidget.aebn.net^$third-party -||server140.com^$third-party -||sexgangsters.com/sg-banners/ -||sextronix.*.cdnaccess.com^ -||sextronix.com/b/$third-party -||sextronix.com/images/$third-party -||sextubepromo.com/ubr/ -||sexy.fling.com^$third-party -||sexycams.com/exports/$third-party -||share-image.com/borky/ -||shared.juicybucks.com^$third-party -||shemale.asia/sma/banners/ -||shemalenova.com/smn/banners/ -||shinypics.com/blogbanner/$third-party -||simonscans.com/banner/ -||sleepgalleries.com/recips/$third-party -||slickcash.com/flash/subtitles_$third-party -||smartmovies.net/promo_$third-party -||smyw.org/smyw_anima_1.gif -||snrcash.com/profilerotator/$third-party -||spacash.com//v2bannerview.php? -||spacash.com/popup/$third-party -||spacash.com/tools/peel/ -||sponsor4cash.de/script/ -||steadybucks.com^*/banners/ -||streamen.com/exports/$third-party -||streamray.com/images/cams/flash/cams_live.swf -||surv.xbizmedia.com^ -||sweet.game-rust.ru^ -||swurve.com/affiliates/ -||target.vivid.com^$third-party -||teendaporn.com/rk.js -||thrixxx.com/affiliates/$image -||thrixxx.com/scripts/show_banner.php? -||thumbs.sunporno.com^$third-party -||thumbs.vstreamcdn.com^*/slider.html -||tlavideo.com/affiliates/$third-party -||tool.acces-vod.com^ -||tools.bongacams.com^$third-party -||tools.gfcash.com^$third-party -||tour.cum-covered-gfs.com^$third-party -||tours.imlive.com^$third-party -||track.xtrasize.nl^$third-party -||trader.erosdlz.com^$third-party -||ts.videosz.com/iframes/ -||tubefck.com^*/adawe.swf -||tumblr.com^*/tumblr_mht2lq0XUC1rmg71eo1_500.gif$domain=stocporn.com -||turbolovervidz.com/fling/ -||twiant.com/img/banners/ -||twilightsex.com^$subdocument,third-party -||updatetube.com/iframes/ -||updatetube.com/updatetube_html/ -||upsellit.com/custom/$third-party -||uramov.info/wav/wavideo.html -||uselessjunk.com^$domain=yoloselfie.com -||vectorpastel.com^$third-party -||vidz.com/promo_banner/$third-party -||vigrax.pl/banner/ -||viorotica.com^*/banners/ -||virtualhottie2.com/cash/tools/banners/ -||visit-x.net/promo/$third-party -||vodconcepts.com^*/banners/ -||vptbn.com^$subdocument,third-party -||vs3.com/_special/banners/ -||vserv.bc.cdn.bitgravity.com^$third-party -||vzzk.com/uploads/banners/$third-party -||wafflegirl.com/galleries/banner/ -||watchmygf.com/preview/$third-party -||webcams.com/js/im_popup.php? -||webcams.com/misc/iframes_new/ -||webmaster.erotik.com^$third-party -||wendi.com/ipt/$third-party -||wetandpuffy.com/galleries/banners/ -||widgets.comcontent.net^ -||widgetssec.cam-content.com^ -||winkit.info/wink2.js -||xcabin.net/b/$third-party -||xlgirls.com/banner/$third-party -||xnxx.com^$third-party -||xtrasize.pl/banner/ -||xxtu.be^$subdocument,third-party -||xxxoh.com/number/$third-party -||yamvideo.com/pop1/ -||youfck.com^*/adawe.swf -||yplf.com/ram/files/sponsors/ -||ztod.com/flash/wall*.swf -||ztod.com/iframe/third/$subdocument -||zubehost.com/*?zoneid= -! *** easylist:easylist_adult/adult_thirdparty_popup.txt *** -||1800freecams.com^$popup,third-party -||21sextury.com^$popup -||777livecams.com/?id=$popup,third-party -||adultfriendfinder.com/banners/$popup,third-party -||adultfriendfinder.com/go/$popup,third-party -||amarotic.com/?$popup,third-party -||amarotic.com^*?wmid=$popup,third-party -||babecams.net/landing/$popup,third-party -||babereporters.info^$popup,domain=viewcube.org -||benaughty.com/aff.php?$popup,third-party -||cam4.com/?$popup -||camcity.com/rtr.php?aid=$popup -||candidvoyeurism.com/ads/$popup -||chaturbate.com/*/?join_overlay=$popup -||chaturbate.com/sitestats/openwindow/$popup -||cpm.amateurcommunity.*?cp=$popup,third-party -||devilsfilm.com/track/go.php?$popup,third-party -||epornerlive.com/index.php?*=punder$popup -||exposedwebcams.com/?token=$popup,third-party -||ext.affaire.com^$popup -||extremefuse.com/out.php?$popup -||fantasti.cc/ajax/gw.php?$popup -||fleshlight-international.eu^*?link=$popup,third-party -||fling.com/enter.php?$popup -||flirt4free.com/_special/pops/$popup,third-party -||flirt4free.com^*&utm_campaign$popup,third-party -||fuckbookhookups.com/go/$popup -||fuckbooknet.net/dating/$popup,third-party -||fuckshow.org^*&adr=$popup -||fucktapes.org/fucktube.htm$popup -||get-a-fuck-tonight.com^$popup -||hazeher.com/t1/pps$popup -||hqtubevideos.com/play.html$popup,third-party -||icgirls.com^$popup -||imlive.com/wmaster.ashx?$popup,third-party -||ipornia.com/scj/cgi/out.php?scheme_id=$popup,third-party -||jasmin.com^$popup,third-party -||join.filthydatez.com^$popup,third-party -||join.teamskeet.com/track/$popup,third-party -||join.whitegfs.com^$popup -||judgeporn.com/video_pop.php?$popup -||letstryanal.com/track/$popup,third-party -||linkfame.com^*/go.php?$popup,third-party -||livecams.com^$popup -||livejasmin.com^$popup,third-party -||media.campartner.com/index.php?cpID=*&cpMID=$popup,third-party -||media.campartner.com^*?cp=$popup,third-party -||meetlocals.com^*popunder$popup -||mjtlive.com/exports/golive/?lp=*&afno=$popup,third-party -||mydirtyhobby.com/?$popup,third-party -||myfreecams.com/?co_id=$popup -||online.mydirtyhobby.com^*?naff=$popup,third-party -||pomnach.ru^$popup -||pornhub.com^*&utm_campaign=*-pop|$popup -||pornme.com^*.php?ref=$popup,third-party -||porno-onlain.info/top.php$popup -||pornoh.info^$popup -||pornslash.com/cbp.php$popup -||postselfies.com^*?nats=$popup,third-party -||redlightcenter.com/?trq=$popup,third-party -||redtube.com/bid/$popup -||rudefinder.com/?$popup,third-party -||seekbang.com/cs/rotator/$popup -||seeme.com^*?aid=*&art=$popup -||sex.com/popunder/$popup -||sexier.com/services/adsredirect.ashx?$popup,third-party -||sexier.com^*_popunder&$popup -||sexsearchcom.com^$popup,third-party -||socialflirt.com/go/$popup,third-party -||streamate.com/landing/$popup -||teenslikeitbig.com/track/$popup,third-party -||textad.sexsearch.com^$popup -||topbucks.com/popunder/$popup -||tour.mrskin.com^$popup,third-party -||tube911.com/scj/cgi/out.php?scheme_id=$popup,third-party -||tuberl.com^*=$popup,third-party -||twistys.com/track/$popup,third-party -||upforit.com/ext.php$popup -||videobox.com/?tid=$popup -||videobox.com/tour/$popup -||videosz.com/search.php$popup,third-party -||videosz.com^*&tracker_id=$popup,third-party -||visit-x.net/cams/*.html?*&s=*&ws=$popup,third-party -||vs3.com^$popup,third-party -||wantlive.com/landing/$popup -||webcams.com^$popup,third-party -||xdating.com/search/$popup,third-party -||xrounds.com/?lmid=$popup,third-party -||xvideoslive.com/?AFNO$popup,third-party -||xvideoslive.com/landing/$popup,third-party -! ----------------------Specific advert blocking filters-----------------------! -! *** easylist:easylist/easylist_specific_block.txt *** -.buzz/?*=$script,~third-party,domain=todayshealth.buzz -.com/?$script,third-party,domain=streamcloud.eu -.com/?*=$script,~third-party,domain=100percentfedup.com|allenwestrepublic.com|americannewsx.com|barbwire.com|bestfunnyjokes4u.com|clashdaily.com|conservativebyte.com|conservativeintel.com|conservativevideos.com|coviral.com|dailysurge.com|eaglerising.com|freedomoutpost.com|girlsjustwannahaveguns.com|godfatherpolitics.com|hispolitica.com|janmorganmedia.com|joeforamerica.com|libertyalliance.com|libertyunyielding.com|lidblog.com|minutemennews.com|occupydemocrats.com|patriottribune.com|patriotupdate.com|politichicks.com|politicops.com|redhotchacha.com|religionlo.com|reviveusa.com|shark-tank.com|theblacksphere.net|thefreethoughtproject.com|themattwalshblog.com|theoswatch.com|usherald.com|veteranstoday.com|zionica.com -.com/b?z=$domain=couchtuner.eu|zzstream.li -.com/jquery/*.js?_t=$script,third-party -.com^$image,third-party,domain=streamcloud.eu -.info/*.js?guid=$script,third-party -.info^$image,third-party,domain=streamcloud.eu -.info^$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|royalvids.eu|tvmuse.com|tvmuse.eu|vidspot.net|vidtomp3.com -.info^$script,third-party,xmlhttprequest,domain=streamcloud.eu -.net/?*=$script,domain=theblacksphere.net -.net/director/?$subdocument,third-party -.net^$image,third-party,domain=streamcloud.eu -.org/?*=$script,domain=deadstate.org|gopocalypse.org -.xyz^$domain=extremetech.com -/*;sz=*;ord=$domain=webhostingtalk.com -/3market.php?$domain=adf.ly|j.gs|q.gs|u.bb -/?placement=$script,domain=sockshare.com -/af.php?$subdocument -/amazonproducts.js$domain=gamenguide.com|itechpost.com|parentherald.com -/apu.php$domain=kat.al -/assets/_takeover/*$domain=deadspin.com|gawker.com|gizmodo.com|io9.com|jalopnik.com|jezebel.com|kotaku.com|lifehacker.com -/asynch/null/*$script,third-party,domain=streamcloud.eu -/btcclicksskyscraper.png$domain=best-bitcoin-faucet.eu|best-free-faucet.eu|bitcoin-best-faucet.eu|bitcoin-cloud.eu|bitcoin-faucet.eu|bitcoin-free-faucet.eu|free-bitcoin-faucet.eu|get-bitcoins-free.eu|get-free-bitcoin.eu|win-free-bitcoins.eu -/clickpop.js$domain=miliblog.co.uk -/com.js$domain=kinox.to -/get/path/.banners.$image,third-party -/market.php?$domain=adf.ly|u.bb -/nexp/dok2v=*/cloudflare/rocket.js$script,domain=ubuntugeek.com -/plugins/layered-popups/*$script,domain=justrunlah.com -/static/js/adbk/*$domain=gamenguide.com|itechpost.com|parentherald.com -/worker.php$domain=songspk.live|vodlocker.com|zippyshare.com -/wp-content/plugins/wbounce/*$script,domain=viralcraze.net -?random=$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|tvmuse.com|tvmuse.eu|vidspot.net -^guid=$script,domain=allmyvideos.net|mediafire.com|mooshare.biz|muchshare.net|tvmuse.com|tvmuse.eu|vidspot.net -|blob:$domain=1337x.to|1channel.biz|ancient-origins.net|androidcentral.com|anime-joy.tv|auroravid.to|biology-online.org|bitvid.sx|breakingisraelnews.com|britannica.com|btdb.in|champion.gg|closerweekly.com|cloudtime.to|connectedly.com|couch-tuner.at|couch-tuner.me|couchtuner.ac|couchtuner.us|crackberry.com|dailycaller.com|demonoid.pw|destructoid.com|dreamfilm.se|episodetube.com|episodetube.net|fastpic.ru|filme-streamz.com|filmlinks4u.is|firstforwomen.com|firstrowau.eu|firstrowus1.eu|fmovies.is|fmovies.se|fmovies.to|fullmatchesandshows.com|gamesradar.com|gofirstrow.eu|gorillavid.in|homerun.re|imagefap.com|imgadult.com|imgtaxi.com|imgwallet.com|imore.com|investopedia.com|israelnationalnews.com|jerusalemonline.com|jewsnews.co.il|keepvid.com|kickass.cd|kino-streamz.com|kiplinger.com|letmewatchthis.pl|letmewatchthis.video|livecricketz.org|livescience.com|lolcounter.com|merriam-webster.com|movies4stream.com|mylivecricket.org|mywatchseries.to|newtvworld.com|noslocker.com|nosvideo.com|nowfeed2all.eu|nowvideo.li|nowvideo.sx|nowvideo.to|olympicstreams.me|onwatchseries.to|openload.co|pcgamer.com|pcgames-download.net|phonearena.com|pixxxels.org|pocketnow.com|primewire.ag|primewire.is|primewire.to|primewire.unblockall.xyz|psu.com|rinf.com|roadracerunner.com|sgvideos.net|skidrowcrack.com|snowysmile.com|stream2watch.cc|streamazone.com|streamgaroo.com|strikeout.co|strikeout.me|strikeout.mobi|teamliquid.net|thefreethoughtproject.com|thevideo.me|tomsguide.com|tomshardware.co.uk|tomshardware.com|torrentz2.eu|torrentz2.me|trifind.com|tv-series.me|twitch.tv|veteranstoday.com|vidlox.tv|vidtodo.com|vidup.me|vidwatch3.me|vipbox.bz|vipbox.is|vipbox.nu|vipbox.sx|vipbox.tv|vipboxeu.co|vipboxoc.co|vipboxtv.me|vipleague.ch|vipleague.co|vipleague.is|vipleague.me|vipleague.mobi|vipleague.se|vipleague.sx|vipleague.tv|vipleague.ws|vipstand.is|vivo.sx|vrheads.com|watch-series-tv.to|watch-series.ag|watch-tv-series.to|watchcartoononline.io|watchepisodes-tv.com|watchseries.ag|watchseries.li|watchseries.lt|watchseries.ph|watchseries.vc|watchseriesuk.ag|watchseriesuk.lt|watchtvseries.se|watchtvseries.unblocked.work|watchtvseries.vc|watchvideo.us|watchvideo10.us|watchvideo11.us|watchvideo12.us|watchvideo13.us|watchvideo14.us|watchvideo15.us|webfirstrow.eu|wholecloud.net|windowscentral.com|world4ufree.ws|xda-developers.com -|http:$subdocument,third-party,domain=2ad.in|ad2links.com|adfoc.us|adv.li|adyou.me|allmyvideos.net|amvtv.net|ay.gy|fuestfka.com|imgmega.com|j.gs|linkbucksmedia.com|mortastica.com|prodsetter-in.com|q.gs|sh.st|shr77.com|sonomerit.com|ssovgoxbvppy.net|streamcloud.eu|thevideo.me|twer.info|u.bb|uploaded.net|vidspot.net -|http:$third-party,xmlhttprequest,domain=123movies-proxy.ru|123movies.cz|123movies.gs|123movies.is|123movies.live|123movies.net|123movies.net.ru|123movies.ru|123movies.vc|123moviesfree.com|123movieshd.net|9cartoon.me|animehaven.to|auroravid.to|ay8ou8ohth.com|bitvid.sx|btdb.in|clipconverter.cc|cloudtime.to|cmovieshd.com|divxme.com|downloadming.tv|fmovies.se|fmovies.to|full-pcsoftware.com|halacima.net|hdmusic99.in|hdtv-rls.com|kannadamovies.biz|kissanime.ru|kissmanga.com|livetvcafe.net|movdivx.com|nowvideo.li|nowvideo.sx|nowvideo.to|oogh8ot0el.com|otorrents.com|pocketnow.com|putlocker.co|putlockertv.is|suprafiles.co|thepiratebay.cd|vidzi.tv|wholecloud.net -|http://creative.*/smart.js$script,third-party -|http://go.$domain=nowvideo.sx -|http://j.gs/omnigy*.swf -|http://p.pw^$subdocument -|https:$subdocument,third-party,domain=2ad.in|adf.ly|adfoc.us|adjet.biz|adv.li|ay.gy|j.gs|linkbucksmedia.com|q.gs|sh.st|thevideo.me|tvbximak.com|u.bb -|https:$third-party,xmlhttprequest,domain=123movies-proxy.ru|123movies.cz|123movies.gs|123movies.is|123movies.live|123movies.net|123movies.net.ru|123movies.ru|123movies.vc|123movieshd.net|123movieshd.tv|dropapk.com|estream.to|hdmusic99.in|otorrents.com|solarmovie.sc|wholecloud.net -||0-60mag.com/js/takeover-2.0/ -||04stream.com/NEWAD11.php? -||04stream.com/podddpo.js -||10-fast-fingers.com/quotebattle-ad.png -||100best-free-web-space.com/images/ipage.gif -||100jamz.com^*-wallpaper-ad- -||100jamz.com^*/insurance-management -||1023xlc.com/upload/*_background_ -||104.239.139.5/display/ -||1043thefan.com^*_Sponsors/ -||1071radio.com//wp-content/banners/ -||1071thepeak.com/right/ -||1077thebone.com^*/banners/ -||109.236.82.94^$domain=fileforever.net -||11points.com/images/slack100.jpg -||1320wils.com/assets/images/promo%20banner/ -||1337x.to/js/script.js -||1340wcmi.com/images/banners/ -||1430wnav.com/images/300- -||1430wnav.com/images/468- -||1590wcgo.com/images/banners/ -||174.143.241.129^$domain=astalavista.com -||1776coalition.com/wp-content/plugins/sam-images/ -||178.209.48.7^$domain=zerohedge.com -||180upload.com/p1.js -||180upload.com/pir/729.js -||194.14.0.39/pia.png$domain=tokyo-tosho.net|tokyotosho.info|tokyotosho.se -||194.14.0.39/pia_wide.png$domain=tokyo-tosho.net|tokyotosho.info|tokyotosho.se -||1up.com/scripts/takeover.js -||1up.com/vip/vip_games.html -||1up.com^*/promos/ -||209.62.111.179/ad.aspx$domain=pachanyc.com -||212.7.200.164^$domain=wjunction.com -||216.151.186.5^*/serve.php?$domain=sendspace.com -||22lottery.com/images/lm468 -||23.236.55.237^$domain=beinsport-streaming.com -||24hourwristbands.com/*.googleadservices.com/ -||2ca.com.au/images/banners/ -||2cc.net.au/images/banners/ -||2flashgames.com/img/nfs.gif -||2gb.com^*/backgrounds/ -||2giga.link/jsx/download*.js -||2merkato.com/images/banners/ -||2mfm.org/images/banners/ -||2oceansvibe.com/?custom=takeover -||2pass.co.uk/img/avanquest2013.gif -||360haven.com/forums/*.advertising.com/ -||3dsemulator.org/img/download.png -||3dwallpaperstudio.com/hd_wallpapers.png -||3g.co.uk/fad/ -||3pmpickup.com.au/images/kmart_v2.jpg -||4chan.org/support/ -||4downfiles.com/open1.js -||4fastfile.com/afiliat.png -||4fuckr.com/g/$image -||4fuckr.com/static/*-banner. -||4shared.com/images/label1.gif -||4sharedtrend.com/ifx/ifx.php? -||4sysops.com^*.php?unit=main$xmlhttprequest -||5.199.170.67^$domain=ncrypt.in -||50statesclassifieds.com/image.php?size_id=$subdocument -||560theanswer.com/upload/sponsor- -||5min.com^*/banners/ -||5star-shareware.com/scripts/5starads.js -||610kvnu.com^*/sponsors/ -||64.245.1.134/search/v2/jsp/pcwframe.jsp?provider= -||6waves.com/aff.php? -||74.86.208.249^$domain=fijivillage.com -||810varsity.com^*/background- -||84.234.22.104/ads/$domain=tvcatchup.com -||85.17.254.150^*.php?$domain=wiretarget.com -||88.80.16.183/streams/counters/ -||8a.nu/site2/sponsors/ -||8a.nu/sponsors/ -||8ch.net/proxy.php? -||911tabs.com/img/bgd_911tabs_ -||911tabs.com/img/takeover_app_ -||911tabs.com^*/ringtones_overlay.js -||947.co.za^*-branding. -||947fm.bb/images/banners/ -||977music.com/index.php?p=get_loading_banner -||977rocks.com/images/300- -||980wcap.com/sponsorlogos/ -||9news.com/promo/ -||a.cdngeek.net^ -||a.clipconverter.cc^ -||a.giantrealm.com^ -||a.i-sgcm.com^ -||a.kickass.to^ -||a.lolwot.com^ -||a.solarmovie.is^ -||a7.org/info/ -||aaugh.com/images/dreamhostad.gif -||abc.com/abcvideo/*/mp4/*_Promo_$object-subrequest,domain=abc.go.com -||abduzeedo.com^*/mt-banner.jpg -||abook.ws/banner6.png -||abook.ws/pyload.png -||abook.ws/th_mydl.gif -||about.com/0g/$subdocument -||aboutmyarea.co.uk/images/imgstore/ -||aboutmyip.com/images/Ad0 -||aboutmyip.com/images/SynaManBanner.gif -||abovetopsecret.com/160_ -||abovetopsecret.com/300_ -||abovetopsecret.com/728_ -||abovetopsecret.com/images/plexidigest-300x300.jpg -||absolutcheats.com/images/changemy*.gif -||absolutewrite.com^*/48HrBooks4.jpg -||absolutewrite.com^*/doyle_editorial.jpg -||absolutewrite.com^*/Scrivener-11-thumbnail-cover_160x136.gif -||absolutewrite.com^*_468x60banner. -||absolutewrite.com^*_ad.jpg -||abusewith.us/banner.gif -||ac2.msn.com^ -||access.njherald.com^ -||accesshollywood.com/aife?$subdocument -||acidcow.com/banners.php? -||acs86.com/a.htm? -||activewin.com/images/*_ad.gif -||activewin.com^*/blaze_static2.gif -||actressarchives.com/takeover/ -||ad.cooks.com^ -||ad.crichd.in^ -||ad.digitimes.com.tw^ -||ad.directmirror.com^ -||ad.download.cnet.com^ -||ad.evozi.com^ -||ad.fnnews.com^ -||ad.jamster.com^ -||ad.kissanime.io^ -||ad.kisscartoon.io^ -||ad.lyricswire.com^ -||ad.mangareader.net^ -||ad.newegg.com^ -||ad.pandora.tv^ -||ad.reachlocal.com^ -||ad.search.ch^ -||ad.services.distractify.com^ -||ad.spreaker.com^ -||ad.xmovies8.ru^ -||adaderana.lk/banners/ -||adamvstheman.com/wp-content/uploads/*/AVTM_banner.jpg -||adcitrus.com^ -||addirector.vindicosuite.com^ -||adds.weatherology.com^ -||adelaidecityfc.com.au/oak.swf -||adf.ly/*.php?u=$script -||adf.ly/external/*/int.php -||adf.ly/networks/ -||adf.ly/puscript$script -||adi1.mac-torrent-download.net^ -||adifferentleague.co.uk^*/mcad.png -||adirondackmtnclub.com/images/banner/ -||adlink.shopsafe.co.nz^ -||admeta.vo.llnwd.net^ -||adp1.mac-torrent-download.net^ -||adpaths.com/_aspx/cpcinclude.aspx? -||adpost.com/bannerserver.g. -||adpost.com/rectserver.g. -||adpost.com/skyserver.g. -||adpost.com^*.g.html -||ads-*.hulu.com^ -||ads-rolandgarros.com^ -||ads.pof.com^ -||ads.yahoo.com^ -||ads.zynga.com^ -||adsatt.abcnews.starwave.com^ -||adsatt.espn.starwave.com^ -||adshare.freedocast.com^ -||adsl2exchanges.com.au/images/spintel -||adsor.openrunner.com^ -||adss.yahoo.com^ -||adstil.indiatimes.com^ -||adswikia.com^*banner -||adswikia.com^*display300x250 -||adtest.theonion.com^ -||adv.li/ads/ -||advanced-television.com^*/banners/ -||advertise.twitpic.com^ -||adverts.itv.com^$image -||advfn.com/tf_ -||advice-ads-cdn.vice.com^ -||advpc.net/site_img/banner/ -||adx.kat.ph^ -||adz.lk^*_ad. -||aerotime.aero/upload/banner/ -||aetv.com/includes/dart/ -||aff.lmgtfy.com^ -||affiliatesynergy.com^*/banner_ -||afloat.ie^*/banners/ -||afmradio.co.za/images/slider/ -||afr.com^*/sponsored_ -||africanbusinessmagazine.com/images/banners/ -||africaonline.com.na^*/banners/ -||afternoondc.in/banners/ -||agriculturalreviewonline.com/images/banners/ -||ahashare.com/cpxt_ -||ahk-usa.com/uploads/tx_bannermanagement/ -||ajnad.aljazeera.net^ -||akamai.net/*/Prerolls/Campaigns/ -||akamaihd.net/zbar/takeovers/ -||akamaihd.net^*/ads/$domain=player.theplatform.com -||akiba-online.com/forum/images/bs.gif -||akiba.ookami-cdn.net/images/subby.jpg$domain=akiba-online.com -||akinator.com/publicite_ -||akipress.com/_ban/ -||akipress.org/ban/ -||akipress.org/bimages/ -||alachuacountytoday.com/images/banners/ -||alarabiya.net/dms/takeover/ -||alaska-native-news.com/files/banners/ -||alatest.co.uk/banner/ -||alatest.com/banner/ -||all4divx.com/js/jscode2.js -||allghananews.com/images/banners/ -||allhiphop.com/site_resources/ui-images/*-conduit-banner.gif -||allkpop.com^*/takeover/ -||allmovie.com^*/affiliate_ -||allmovieportal.com/dynbanner. -||allmusic.com^*_affiliate_ -||allmyvideos.net/js/ad_ -||allmyvideos.net/player/ova-jw.swf -||allmyvideos.net^*/pu.js -||allsp.ch/feeder.php -||allthelyrics.com^*/popup.js -||altdaily.com/images/banners/ -||alternet.org/givememygfp. -||amazingmoneymagnet.com//upload/banners/ -||amazon.com/aan/$subdocument -||amazonaws.com/cdn.megacpm.com/ -||amazonaws.com/cdn/campaign/$domain=caclubindia.com -||amazonaws.com/cdn/ipfc/$object,domain=caclubindia.com -||amazonaws.com/files.bannersnack.com/$domain=~bannersnack.com -||amazonaws.com/kbnetworkz/$domain=hardforum.com -||amazonaws.com/videos/$domain=technewstoday.com -||amazonaws.com^$script,domain=300mbdownload.net|forbes.com|globes.co.il|kannadamovies.biz|mp3goo.com|ndtv.com|streamplay.to|thevideobee.to|uplod.ws|usersfiles.com|vshare.eu -||amazonaws.com^$third-party,xmlhttprequest,domain=300mbdownload.net|300mbfilms.co|4chanarchives.cu.cc|bdupload.info|bigfile.to|ddlvalley.cool|file-upload.com|frendz4m.com|fullstuff.co|imgchili.net|mirrorcreator.com|nachostime.net|sadeempc.com|thevideobee.to|tinypaste.me|tsumino.com|tvlivenow.com|uplod.ws|vidlox.tv|vidshare.us|vshare.eu|watchers.to|yourvideohost.com -||amazonaws.com^*-ad.jpg$domain=ewn.co.za -||amazonaws.com^*-Banner.jpg$domain=ewn.co.za -||amazonaws.com^*/site-takeover/$domain=songza.com -||amazonaws.com^*MPU%20Banner.jpg$domain=ewn.co.za -||ambriefonline.com^*/banners/ -||amd.com/publishingimages/*/master_ -||americanangler.com/images/banners/ -||americanfreepress.net/assets/images/Banner_ -||amnesty.ca/images/banners/ -||amz.steamprices.com^ -||analytics.mmosite.com^ -||anamera.com/DesktopModules/BannerDisplay/ -||anchorfree.com/delivery/ -||anchorfree.net/?tm=$subdocument -||anchorfree.net^*/?tm=$subdocument -||andr.net/banners/ -||androidcentral.com/passport/$image -||androidcommunity.com/external_marketing/$subdocument -||androidm.info^$subdocument,third-party,domain=filechoco.com -||androidpolice.com/wp-content/*/images/das/ -||anhits.com/files/banners/ -||anilinkz.com/img/leftsponsors. -||anilinkz.com/img/rightsponsors -||anilinkz.tv/kwarta- -||animationxpress.com/anex/crosspromotions/ -||animationxpress.com/anex/solutions/ -||anime-source.com/banzai/banner.$subdocument -||anime1.com/service/joyfun/ -||anime44.com/anime44box.jpg -||anime44.com/images/videobb2.png -||animea.net/do/ -||animeflavor.com/animeflavor-gao-gamebox.swf -||animeflv.net/cpm.html -||animefushigi.com/boxes/ -||animehaven.org/wp-content/banners/ -||animenewsnetwork.com/stylesheets/*skin$image -||animenewsnetwork.com^*.aframe? -||animeshippuuden.com/adcpm.js -||animeshippuuden.com/square.php -||aniscartujo.com^*/layer.js -||annistonstar.com/leaderboard_banner -||anonib.com/zimages/ -||anonytext.tk/img/paste-eb.png -||anonytext.tk/img/paste-sponsor.png -||anonytext.tk/re.php -||answerology.com/index.aspx?*=ads.ascx -||antag.co.uk/js/ov.js.php? -||anti-leech.com/al.php? -||anti-scam.org/abanners/ -||anvisoft.com^*/anviad.jpg -||aol.co.uk/images/skybet-logo.gif -||aolcdn.com/os/moat/$script -||aolcdn.com/os/movies/css-js/sprite/*-wallpaper?$domain=moviefone.com -||apa.az^*/rebans/ -||apanews.net/pub/ -||apcointl.org/images/corporate_partners/ -||api.toptenreviews.com^*/request.php -||appleinsider.com/macmall -||appleinsider.com^*/ai_front_page_google_premium.js -||appleserialnumberinfo.com/desktop/sdas/$subdocument -||applifier.com/bar.htm? -||appspot.com/adop/ -||appwork.org/a_d_s/ -||aps.dz^*/banners/ -||ar15.com/biz/ -||ar15.com/images/highlight/ -||ar15.com^*_60x180.jpg -||aravot.am/banner/ -||archeagedatabase.net/images/okaygoods.gif -||arenabg.com^*/banners/ -||arenadb.net^*/banners/ -||armenpress.am/static/add/ -||armorgames.com/assets/*_skin_ -||armorgames.com/backup_ -||armorgames.com^*/banners/ -||armorgames.com^*/site-skins/ -||armorgames.com^*/siteskin.css -||armslist.com/images/sponsors/ -||armyrecognition.com^*/customer/ -||arnnet.com.au/files/skins/ -||aroundosceola.com/banner- -||arsenal-mania.com/images/backsplash_ -||arstechnica.net/public/shared/scripts/da- -||arstechnica.net^*/sponsor- -||artima.com/zcr/ -||as.inbox.com^ -||asd.projectfreetv.so^ -||asianewsnet.net/banner/ -||asianfanfics.com/sponsors/ -||ask.com/display.html? -||ask.com/fifdart? -||askandyaboutclothes.com/images/$~third-party -||askbobrankin.com/awpopup*.js -||assets.stuff.co.nz^*/widget/$subdocument -||astalavista.com/avtng/ -||astalavista.com^*/sponsor- -||astronomy.com/sitefiles/overlays/overlaygenerator.aspx? -||astronomynow.com/wp-content/promos/ -||atdhe.ws/pp.js -||atimes.com/banner/ -||atimes.com^*/ahm728x90.swf -||attitude.co.uk/images/Music_Ticket_Button_ -||attorrents.com/static/images/download3.png -||atwonline.com^*/Airbus120x50_ -||atđhe.net/pu/ -||audioz.download^*/partners/ -||augusta.com/sites/*/yca_plugin/yahoo.js$domain=augusta.com -||auto123.com/sasserve.spy -||autoline-eu.co.uk/atlads/ -||autoline-eu.co.za/atlads/ -||autoline-eu.ie/atlads/ -||autoline.info/atlads/ -||autorrents.com/static/images/download2.png -||autosport.com/img/promo/ -||autosport.com/skinning/ -||autoworld.co.za^*/ads/ -||avaxnews.net/yb_$subdocument,domain=avaxhm.com -||aveherald.com/images/banners/ -||avforums.com/images/skins/ -||aviationweek.com^*/leader_board.htm -||avitop.com/image/amazon/ -||avitop.com/image/mig-anim.gif -||avitop.com/image/mig.gif -||avn.com/delivery/ -||avpa.dzone.com^ -||avsforum.com/alliance/ -||avstop.com/avbanner/ -||awkwardfamilyphotos.com*/?ad= -||azcentral.com/incs/dfp-refresh.php.inc? -||azcs.co.uk^*/backgrounds/rotate.php -||azlyrics.com^*_az.js -||b-cdn.net^$script,domain=unblocked.work -||b.localpages.com^ -||b.thefile.me^ -||b92.net/images/banners/ -||ba.ccm2.net^ -||ba.kioskea.net^ -||babelzilla.org/forum/images/powerfox-top.png -||babelzilla.org/images/banners/babelzilla-powerfox.png -||babycenter.com/viewadvertorialpoll.htm -||backin.net/images/player_divx.png -||backin.net/s/promo/ -||backpagelead.com.au/images/banners/ -||badongo.com^*_banner_ -||bahamaslocal.com/img/banners/ -||baixartv.com/img/bonsdescontos. -||bakercountypress.com/images/banners/ -||baku2015.com/imgml/sponsor/ -||ballerarcade.com/ispark/ -||ballislife.com^*/ova-player.swf$object-subrequest -||ballz.co.za/system-files/banners/ -||ballz.co.za^*/CLIENTS/ -||banner.automotiveworld.com^ -||banner.itweb.co.za^ -||banners.beevpn.com^ -||banners.beted.com^ -||banners.clubworldgroup.com^ -||banners.expressindia.com^ -||banners.friday-ad.co.uk/hpbanneruploads/$image -||banners.i-comers.com^ -||banners.itweb.co.za^ -||banners.playocio.com^ -||barnebys.com/widget/$domain=telegraph.co.uk -||barnesandnoble.com/promo/ -||base.filedot.xyz^ -||baseballamerica.com/plugs/ -||bashandslash.com/images/banners/ -||basinsradio.com/images/banners/ -||bassmaster.com^*/premier_sponsor_logo/ -||bay.com.mt/images/banners/ -||bay.com.mt/modules/mod_novarp/ -||bayfiles.net/img/download-button-orange.png -||baymirror.com/static/img/bar.gif -||baymirror.com/static/js/4728ba74bc.js -||bazaraki.com/bannerImage.php? -||bbc.co.uk^*/bbccom.js? -||bbc.com^*/logoDupontSmall.png -||bcdb.com^*/banners.pl? -||bdnews24.com^*/Ads/ -||beap.gemini.yahoo.com^ -||beforeitsnews.com/static/data/story-stripmall-new.html -||beforeitsnews.com/static/iframe/ -||beingpc.com^*/banners/ -||belfasttelegraph.co.uk/editorial/web/survey/recruit-div-img.js -||bellanaija.com^*/wp-banners/ -||bellevision.com/belle/adds/ -||benchmarkreviews.com^*/banners/ -||bernama.com/banner/ -||bestblackhatforum.com/images/my_compas/ -||bestlistonline.info/link/ad.js -||bestvpn.com/wp-content/uploads/*/mosttrustedname_260x300_ -||bets4free.co.uk/content/5481b452d9ce40.09507031.jpg -||better-explorer.com/wp-content/uploads/2012/09/credits.png -||better-explorer.com/wp-content/uploads/2013/07/hf.5.png -||better-explorer.com/wp-content/uploads/2013/10/PoweredByNDepend.png -||bettingsports.com/top_bonuses -||bettingsports.com/where_to_bet -||bettyconfidential.com/media/fmads/ -||beyondd.co.nz/ezibuy/$third-party,domain=stuff.co.nz -||bibme.org/images/grammarly/ -||bigboy.eurogamer.net^ -||bigeddieradio.com/uploads/sponsors/ -||bigpoint.com/xml/recommender.swf? -||bigsports.tv/live/ado.php -||bikeforums.net/images/sponsors/ -||bikeradar.com/media/img/commercial/ -||bing.com/fblogout?$subdocument,domain=facebook.com -||binsearch.info/iframe.php -||bioinformatics.org/images/ack_banners/ -||bips.channel4.com^*/backgrounds/$image,domain=channel4.com -||bit-tech.net/images/backgrounds/skin/ -||bit.no.com/assets/images/bity.png -||bitcoinist.net/wp-content/*/630x80-bitcoinist.gif -||bitcoinist.net/wp-content/uploads/*_250x250_ -||bitcoinreviewer.com/wp-content/uploads/*/banner-luckybit.jpg -||bitminter.com/images/info/spondoolies -||bitreactor.to/sponsor/ -||bitreactor.to/static/subpage$subdocument -||bittorrent.am/banners/ -||bizanti.youwatch.org^ -||bizarremag.com/images/skin_ -||bizhub.vn^*/agoda-for-bizhub.jpg -||bkmag.com/binary/*/1380x800_ -||blackberryforums.net/banners/ -||blackcaps.co.nz/img/commercial-partners/ -||blackchronicle.com/images/Banners- -||blackhatlibrary.net/hacktalk.png -||blacklistednews.com/images/*banner -||blackpressusa.com^*/Ford.jpg -||blackpressusa.com^*250by300. -||blackpressusa.com^*300by250. -||blackpressusa.com^*300x250. -||blasternation.com/images/hearthstone.jpg -||blbclassic.org/assets/images/*banners/ -||bleacherreport.net/images/skins/ -||bleacherreport.net^*_redesign_skin_ -||blinkx.com/adhocnetwork/ -||blip.fm/ad/ -||blitzdownloads.com/promo/ -||blog.co.uk/script/blogs/afc.js -||blogevaluation.com/templates/userfiles/banners/ -||blogorama.com/images/banners/ -||blogsdna.com/wp-content/themes/blogsdna2011/images/advertisments.png -||blogsmithmedia.com^*_skin. -||blogsmithmedia.com^*_skin_ -||blogsmithmedia.com^*wallpaper$image,domain=joystiq.com -||blogspider.net/images/promo/ -||bloomberg.com^*/banner.js -||bn0.com/4v4.js -||bnrs.ilm.ee^ -||bolandrugby.com/images/sponsors. -||bom.gov.au/includes/marketing2.php? -||bookingbuddy.com/js/bookingbuddy.strings.php?$domain=smartertravel.com -||botswanaguardian.co.bw/images/banners/ -||boulderjewishnews.org^*/JFSatHome-3.gif -||boxbit.co.in/banners/ -||boxlotto.com/banrotate. -||bp.blogspot.com^$image,domain=bdupload.info -||bp.blogspot.com^*%2bad*.jpg$domain=lindaikeji.blogspot.com -||bp.blogspot.com^*/poster*.jpg$domain=lindaikeji.blogspot.com -||bp.blogspot.com^*banner*.jpg$domain=lindaikeji.blogspot.com -||brandchannel.com/images/educationconference/ -||break.com^*/marketguide- -||brecorder.com^*/banners/ -||breitlingsource.com/images/govberg*.jpg -||breitlingsource.com/images/pflogo.jpg -||brenz.net/img/bannerrss.gif -||brightcove.com/js/BrightcoveExperiences.js$domain=java-forums.org -||bristolairport.co.uk/~/media/images/brs/blocks/internal-promo-block-300x250/ -||britishcolumbia.com/sys/ban.asp -||broadbandchoices.co.uk/aff.js -||broadbandforum.co/stock/ -||broadbandgenie.co.uk/images/takeover/ -||broadbandgenie.co.uk/img/talktalk/$image -||broadcastify.com/sm/ -||broadcastingworld.net/*-promo.jpg -||broadcastingworld.net/marquee- -||brobible.com/files/uploads/images/takeovers/ -||brothersoft.com/gg/center_gg.js -||brothersoft.com/gg/g.js -||brothersoft.com/gg/kontera_com.js -||brothersoft.com/gg/soft_down.js -||brothersoft.com/gg/top.js -||brothersoft.com/softsale/ -||brothersoft.com^*/float.js -||brothersoft.com^*/homepage_ppd.html -||brothersoft.com^*/softsale/ -||brownfieldonline.com^*/banners/ -||browsershots.org/static/images/creative/ -||brudirect.com/images/banners/ -||bsmphilly.com/files/banners/ -||bsvc.ebuddy.com/bannerservice/tabsaww -||bt-chat.com/images/affiliates/ -||bt.am/banners/ -||btdigg.org/images/btguard -||btkitty.com/static/images/880X60.gif -||btkitty.org/static/images/880X60.gif -||btmon.com/da/$subdocument -||bundesliga.com^*/_partner/ -||businessincameroon.com/images/stories/pub/$image -||busiweek.com^*/banners/ -||bustocoach.com/*/banner_ -||bustocoach.com/*_banner/ -||buy-n-shoot.com/images/banners/banner- -||buy.com/*/textlinks.aspx -||buyselltrade.ca/banners/ -||buzzintown.com/show_bnr.php? -||buzznet.com/topscript.js.php? -||bvibeacon.com^*/banners/ -||bwp.theinsider.com.com^ -||bypassoxy.com/vectrotunnel-banner.gif -||c-sharpcorner.com^*/banners/ -||c-ville.com/image/pool/ -||c21media.net/wp-content/plugins/sam-images/ -||c9tk.com/images/banner/ -||caclubindia.com/campaign/ -||cadplace.co.uk/banner/ -||cadvv.heraldm.com^ -||cadvv.koreaherald.com^ -||cafemomstatic.com/images/background/$image -||cafimg.com/images/other/ -||cafonline.com^*/sponsors/ -||caladvocate.com/images/banner- -||caledonianrecord.com/iFrame_ -||caledonianrecord.com/SiteImages/HomePageTiles/ -||caledonianrecord.com/SiteImages/Tile/ -||calgaryherald.com/images/sponsor/ -||calgaryherald.com/images/storysponsor/ -||calguns.net/images/ads -||cameroon-concord.com/images/banners/ -||canalboat.co.uk^*/bannerImage. -||canalboat.co.uk^*/Banners/ -||cananewsonline.com/files/banners/ -||cancomuk.com/campaigns/ -||candystand.com/game-track.do? -||canindia.com^*_banner.png -||cannabisjobs.us/wp-content/uploads/*/OCWeedReview.jpg -||canvas.thenextweb.com^ -||capetownetc.com^*/wallpapers/ -||caphyon.com/img/press/caphyon/small-logo.png$domain=better-explorer.com -||capitalethiopia.com/images/banners/ -||capitalfm.co.ke^*/830x460-iv.jpg -||capitolfax.com/wp-content/*ad. -||capitolfax.com/wp-content/*Ad_ -||captchaad.com/captchaad.js$domain=gca.sh -||caravansa.co.za/images/banners/ -||card-sharing.net/cccamcorner.gif -||card-sharing.net/topsharingserver.jpg -||card-sharing.net/umbrella.png -||cardomain.com/empty_pg.htm -||cardschat.com/pkimg/banners/ -||cardsharing.info/wp-content/uploads/*/ALLS.jpg -||cargonewsasia.com/promotion/ -||carpoint.com.au^*/banner.gif -||cars.com/go/includes/targeting/ -||cars.com/js/cars/catretargeting.js -||carsales.com.au^*/backgrounds/ -||carsguide.com.au/images/uploads/*_bg. -||carsguide.com.au^*/marketing/ -||carsuk.net/directory/panel-promo- -||cash9.org/assets/img/banner2.gif -||cast4u.tv/adshd.php -||cast4u.tv/fku.php -||castanet.net/clients/ -||casualgaming.biz/banners/ -||catalystmagazine.net/images/banners/ -||catholicculture.org/images/banners/ -||cbc.ca/deals/ -||cbc.ca/video/bigbox.html -||cbfsms.com^*-banner.gif -||cbn.co.za/images/banners/ -||cbsinteractive.co.uk/cbsi/ads/ -||cbslocal.com/deals/widget/ -||cbslocal.com/rotatable? -||ccfm.org.za^*/sads/ -||cd1025.com/www/assets/a/ -||cd1025.com/www/img/btn- -||cdcovers.cc/images/external/toolbar -||cdmagurus.com/forum/cyberflashing.swf -||cdmagurus.com/img/*.gif -||cdmagurus.com/img/kcpf2.swf -||cdmediaworld.com*/! -||cdn-surfline.com/home/billabong-xxl.png -||cdn.bidvertiser.com^$domain=bidvertiser.com -||cdn.turner.com^*/groupon/ -||cdn77.org^$script,domain=kinox.to|movie4k.to|unblocked.work|vidup.me -||ceforum.co.uk/images/misc/PartnerLinks -||celebjihad.com/widget/widget.js$domain=popbytes.com -||celebstoner.com/assets/components/bdlistings/uploads/ -||celebstoner.com/assets/images/img/sidebar/*/freedomleaf.png -||celebstoner.com/assets/images/img/top/420VapeJuice960x90V3.gif -||centos.org/donors/ -||centralfm.co.uk/images/banners/ -||ceoexpress.com/inc/ads -||ceylontoday.lk^*/banner/ -||cghub.com/files/CampaignCode/ -||ch131.so/images/2etio.gif -||chaklyrics.com/add$subdocument -||channel4.com/assets/programmes/images/originals/$image -||channel4.com/bips/*/brand/$image -||channel4fm.com/images/background/ -||channel4fm.com/promotion/ -||channel5.com/assets/takeovers/ -||channelonline.tv/channelonline_advantage/ -||chapala.com/wwwboard/webboardtop.htm -||checkpagerank.net/banners/ -||checkwebsiteprice.com/images/bitcoin.jpg -||chelsey.co.nz/uploads/Takeovers/ -||chicagodefender.com/images/banners/ -||chinadaily.com.cn/s? -||chinanews.com/gg/ -||chronicle.lu/images/banners/ -||chronicle.lu/images/Sponsor_ -||churchmilitant.com^*/ad- -||churchnewssite.com^*-banner1. -||churchnewssite.com^*/banner- -||churchnewssite.com^*/bannercard- -||ciao.co.uk/load_file.php? -||ciao.com^*/price_link/ -||cinemablend.com/templates/tpl/reskin/$image -||cineplex.com/skins/ -||ciol.com/zedotags/ -||citationmachine.net/images/gr_ -||citationmachine.net/images/grammarly/ -||citeulike.org/static/campaigns/ -||citizen-usa.com/images/banners/ -||city1016.ae/wp-content/*-Skin_ -||cityam.com^*/pageskin/ -||citybeat.co.uk^*/ads/ -||citywire.co.uk/wealth-manager/marketingcampaign? -||citywirecontent.co.uk^*/cw.oas.dx.js -||cjr.org/interstitial_ -||clarksvilleonline.com/cols/ -||classic-tv.com/burst$subdocument -||classic-tv.com/pubaccess.html -||classic97.net^*/banner/ -||classical897.org/common/sponsors/ -||classicfeel.co.za^*/banners/ -||classicsdujour.com/artistbanners/ -||clgaming.net/interface/img/sponsor/ -||click.livedoor.com^ -||clicks.superpages.com^ -||cloudfront.net/*/takeover/$domain=offers.com -||cloudfront.net/ccmtblv2.png$domain=aim.org -||cloudfront.net/hot/ars.dart/$domain=arstechnica.com -||cloudfront.net/images/amazon/$domain=slader.com -||cloudfront.net/pop?$domain=clipconverter.cc -||cloudfront.net^$script,subdocument,domain=300mbfilms.co|4archive.org|4chanarchives.cu.cc|786zx.com|adbull.me|addic7ed.com|animeflv.net|animehaven.to|auroravid.to|bdupload.info|beforeitsnews.com|beinsport-streaming.com|biology-online.org|bitvid.sx|chronos.to|cloudtime.to|coreimg.net|crackingpatching.com|croco.site|dailyuploads.net|dbzsuper.tv|downloadming.io|downloadming.tv|extremetech.com|eztv.ag|file-upload.com|frendz4m.com|fulldowngames.biz|fullstuff.co|goodvideohost.com|hon3yhd.com|imgchili.net|jazztv.co|kannadamovies.biz|letwatch.to|linksprotection.com|media1fire.com|mirrorcreator.com|mp3goo.com|multiup.org|mystream.la|nachostime.net|nitroflare.com|noslocker.com|nowvideo.li|nowvideo.sx|nowvideo.to|omghype.com|onhax.me|openload.co|otorrents.com|ouo.io|pirateiro.com|psarips.com|reevown.com|sadeempc.com|scambiofile.info|sceper.ws|shink.in|sparknotes.com|streamplay.to|suprafiles.co|thecoolersoftwares.net|thevideobee.to|tinypaste.me|torlock.com|torrentfunk.com|torrentproject.se|tsumino.com|tubeoffline.com|tvlivenow.com|unblocked.cam|upload.so|uplod.ws|usersfiles.com|vidlox.tv|vidshare.us|vshare.eu|watchers.to|watchfomny.tv|wholecloud.net|world4ufree.be|yahmaib3ai.com|yourbittorrent.com|yourvideohost.com -||cloudfront.net^*/shaadi.com/$domain=deccanchronicle.com -||cloudfront.net^*/Sponsors/$domain=indycar.com -||cloudfront.net^*ad$domain=fiaformulae.com -||cloudfront.net^*banner$domain=fiaformulae.com -||cloudyvideos.com/banner/ -||clubhyper.com/images/hannantsbanner_ -||clubplanet.com^*/wallpaper/ -||cmodmedia*.live.streamtheworld.com/media/cm-audio/cm:*.mp3$domain=rdio.com -||cmpnet.com/ads/ -||cms.myspacecdn.com^*/splash_assets/ -||cnet.com/imp? -||cnettv.com.edgesuite.net^*/ads/ -||cnetwidget.creativemark.co.uk^ -||cnn.com/ad- -||cnn.com/cnn_adspaces/ -||cnn.com^*/banner.html?&csiid= -||cnn.net^*/lawyers.com/ -||cntv.cn/Library/js/js_ad_gb.js -||cnx-software.com/pic/gateworks/ -||cnx-software.com/pic/technexion/ -||coastfm.ae/images/background/ -||coastfm.ae/promotion/ -||coastweek.com/banner_ -||coastweek.com/graffix/ -||cocomment.com/banner? -||codeasily.com^*/codeasily.js -||codecguide.com/beforedl2.gif -||codecguide.com/driverscan2.gif -||codecguide.com/driverscantop1.gif -||coderanch.com/shingles/ -||coinad.com/op.php? -||coinurl.com/bootstrap/js/bootstrapx-clickover.js -||coinurl.com/bottom.php -||coinurl.com/get.php? -||coinurl.com/nbottom.php? -||coinwarz.com/content/images/genesis-mining-eth-takeover- -||collarme.com/anv/ -||collarme.com/zone_alt.asp -||collector.viki.io^ -||colombiareports.com/wp-content/banners/ -||coloradomedicalmarijuana.com/images/sidebar/banner- -||com-a.in/images/banners/ -||com.com/cnwk.1d/aud/ -||comicbookresources.com/assets/images/skins/ -||comicgenesis.com/tcontent.php?out= -||comparestoreprices.co.uk/images/promotions/ -||compassnewspaper.com/images/banners/ -||complaintsboard.com/img/202x202.gif -||complaintsboard.com/img/300x250anti.gif -||complaintsboard.com/img/banner- -||complexmedianetwork.com^*/takeovers/ -||complexmedianetwork.com^*/toolbarlogo.png -||computerandvideogames.com^*/promos/ -||computerhelp.com/temp/banners/ -||computerworld.com^*/jobroll/ -||con-telegraph.ie/images/banners/ -||concealednation.org/sponsors/ -||concrete.tv/images/banners/ -||connectionstrings.com/csas/public/a.ashx? -||conscioustalk.net/images/sponsors/ -||console-spot.com^*.swf -||constructionreviewonline.com^*730x90 -||constructionreviewonline.com^*banner -||consumerreports.org^*/sx.js -||content.streamplay.to^ -||convertmyimage.com/images/banner-square.png -||conwaydailysun.com/images/banners/ -||conwaydailysun.com/images/Tiles_Skyscrapers/ -||coolfm.us/lagos969/images/banners/ -||coolmath-games.com/images/160-notice.gif -||coolmath.net/*-medrect.html -||coolsport.tv/adtadd. -||coolsport.tv/lshadd. -||copblock.org/wp-content/uploads/*/covert-handcuff-key-AD- -||copdfoundation.org^*/images/sponsors/ -||cops.com^*/copbanner_ -||coryarcangel.com/images/banners/ -||cosplay.com/1lensvillage.gif -||countrychannel.tv/telvos_banners/ -||cphpost.dk^*/banners/ -||cpub.co.uk/a? -||crackdb.com/img/vpn.png -||cramdodge.com/mg- -||craveonline.com/gnads/ -||crazy-torrent.com/web/banner/0xxx0.net.jpg -||crazy-torrent.com/web/banner/online.jpg -||crazymotion.net/video_*.php?key= -||createtv.com/CreateProgram.nsf/vShowcaseFeaturedSideContentByLinkTitle/ -||creatives.livejasmin.com^ -||creattor.net/flashxmlbanners/ -||credio.com/ajax_get_sponsor_listings? -||cricbuzz.com/js/banners/ -||crichd.tv/temp/$subdocument -||cricketireland.ie//images/sponsors/ -||cricruns.com/images/hioxindia- -||crimeaware.co.za/files-upload/banner/ -||crow.com^*/biggreendot.png -||crunchyroll.*/vast? -||crushorflush.com/html/promoframe.html -||cruzine.com^*/banners/ -||cryptocoinsnews.com/wp-content/uploads/*/7281.gif -||cryptocoinsnews.com/wp-content/uploads/*/728_ -||cryptocoinsnews.com/wp-content/uploads/*/ccn.png -||cryptocoinsnews.com/wp-content/uploads/*/cloudbet_ -||cryptocoinsnews.com/wp-content/uploads/*/xbt-social.png -||cryptocoinsnews.com/wp-content/uploads/*/xbt.jpg -||cryptocoinsnews.com/wp-content/uploads/*_300x400_ -||crystalmedianetworks.com^*-180x150.jpg -||csgobackpack.net/653x50. -||cship.org/w/skins/monobook/uns.gif -||ctmirror.org/randomsupporter/ -||ctv.ca/ctvresources/js/ctvad.js -||ctv.ca/Sites/Ctv/assets/js/ctvDfpAd.js -||cur.lv/bootstrap/js/bootstrapx-clickover.js -||cur.lv/nbottom.php? -||currency.wiki/images/out/ -||custompcreview.com/wp-content/*-bg-banner.jpg -||cybergamer.com/skins/ -||d-addicts.com^*/banner/ -||d-h.st/assets/img/download1.png -||d.annarbor.com^ -||d.businessinsider.com^ -||d.gossipcenter.com^ -||d.imwx.com/js/wx-a21-plugthis- -||d.thelocal.com^ -||d2gqmq0lf9q8i2.cloudfront.net^*.gif$domain=heromaza.in -||d5e.info/1.gif -||d5e.info/2.png -||d6vwe9xdz9i45.cloudfront.net/psa.js$domain=sporcle.com -||da.feedsportal.com^$~subdocument -||dabs.com/images/page-backgrounds/ -||dacash.streamplay.to^ -||dads.new.digg.com^ -||daily-mail.co.zm/images/banners/ -||daily-mail.co.zm^*/sbt.gif -||daily-mail.co.zm^*/side_strip. -||daily-mail.co.zm^*/singapore_auto. -||daily-mail.co.zm^*_1170x120. -||daily-mail.co.zm^*_270x312. -||daily-mail.co.zm^*_banner. -||daily-sun.com^*/banner/ -||dailybitcoins.org/banners/ -||dailyblogtips.com/wp-content/uploads/*.gif -||dailycommercial.com/inc.php? -||dailydeal.news-record.com/widgets/ -||dailydeals.amarillo.com^ -||dailydeals.augustachronicle.com^ -||dailydeals.brainerddispatch.com^ -||dailydeals.lubbockonline.com^ -||dailydeals.onlineathens.com^ -||dailydeals.savannahnow.com^ -||dailydeals.sfgate.com/widget/ -||dailyexpress.com.my/banners/ -||dailyexpress.com.my/image/banner/ -||dailyfreegames.com/js/partners.html -||dailyherald.com^*/contextual.js -||dailyhome.com/leaderboard_banner -||dailymail.co.uk/i/pix/ebay/ -||dailymail.co.uk/modules/commercial/ -||dailymail.co.uk^*/promoboxes/ -||dailymirror.lk/media/images/Nawaloka- -||dailymotion.com/images/ie.png -||dailymotion.com/masscast/ -||dailymotion.com/skin/data/default/partner/$~stylesheet -||dailynews.co.tz/images/banners/ -||dailynews.co.zw^*-takeover. -||dailynews.gov.bw^*/banner_ -||dailynews.lk^*/webadz/ -||dailypioneer.com/images/banners/ -||dailypuppy.com/images/livestrong/ls_diet_120x90_1.gif -||dailysabah.com/banner/ -||dailytimes.com.pk/banners/ -||dailytrust.com.ng/Image/LATEST_COLEMANCABLE.gif -||dailytrust.info/images/banners/ -||dailytrust.info/images/dangote.swf -||dailywritingtips.com^*/publisher2.gif -||dainikbhaskar.com/images/sitetakover/ -||damnlol.com/a/cubeNEW.php -||damnlol.com/a/leaderboard.php -||damnlol.com/damnlol.com.*.js -||darknet.org.uk/images/acunetix_ -||darknet.org.uk^*-250x250. -||darknet.org.uk^*/do468. -||datpiff.com/skins/misc/ -||davesite.com^*/aff/ -||dayport.com/ads/ -||dbstalk.com/sponsors/ -||dcad.watersoul.com^ -||dcdn.lt/adbam/$domain=en.delfi.lt -||dcdn.lt/b/$domain=delfi.lt -||dcdn.lt/d/a/tsw$image,domain=delfi.lt -||dcdn.lt/en/i/banners/$domain=en.delfi.lt -||dcnihosting.com^$image,domain=daltondailycitizen.com -||dcourier.com/SiteImages/Banner/ -||ddccdn.com/js/google_ -||ddl2.com/header.php? -||deals.cultofmac.com^$subdocument -||deals.iphonehacks.com^$subdocument -||deals.ledgertranscript.com^ -||deborah-bickel.de/banners/ -||decadeforum.com/images/misc/download2.png -||deccanchronicle.com^*-banner- -||deccanchronicle.com^*-searchquad-300100.swf -||deccanchronicle.com^*/shaadi.com/ -||decryptedtech.com/images/banners/ -||deepdotweb.com/wp-content/uploads/*/allserviceslogo.gif -||deepdotweb.com/wp-content/uploads/*/banner.gif -||deepdotweb.com/wp-content/uploads/*/billpayhelp2.png -||deepdotweb.com/wp-content/uploads/*/free_ross.jpg -||deepdotweb.com/wp-content/uploads/*/helix.gif -||defenceweb.co.za/images/sponsorlogos/ -||defenceweb.co.za/logos/ -||defensereview.com^*_banner_ -||delivery.vidible.tv^$domain=java-forums.org|linuxforums.org -||delvenetworks.com^*/acudeo.swf$object-subrequest,~third-party -||demerarawaves.com/images/banners/ -||depic.me/bann/ -||depositphotos.com^$subdocument,third-party -||deseretnews.com/img/sponsors/ -||deshvidesh.com/banner/ -||designtaxi.com/js/i-redirector.js -||desiretoinspire.net/storage/layout/modmaxbanner.gif -||desiretoinspire.net/storage/layout/royalcountessad.gif -||desiretoinspire.net^*/mgbanner.gif -||desiretoinspire.net^*125x125 -||desixpress.co.uk/image/banners/ -||detnews.com^*/sponsor/ -||detroitindependent.net/images/ad_ -||develop-online.net/static/banners/ -||devicemag.com^$subdocument,~third-party -||devour.com/*skin -||devshed.com/images/backgrounds/$image -||devtools2.networkcities.net/wp-content/uploads/output_trLIFi.gif$domain=smallseotools.com -||devx.com/devx/3174.gif -||dezeen.com/wp-content/themes/dezeen-aa-hpto-mini-sept-2014/ -||dictionary.cambridge.org/info/frame.html?zone= -||dictionary.com^*/serp_to/ -||digdug.divxnetworks.com^ -||digitaljournal.com/promo/ -||digitalreality.co.nz^*/360_hacks_banner.gif -||digitaltveurope.net/wp-content/uploads/*_wallpaper_ -||digitizor.com/wp-content/digimages/xsoftspyse.png -||digzip.com^*baner.swf -||diplodocs.com/shopping/sol.js -||dippic.com/images/banner -||dishusa.net/templates/flero/images/book_sprava.gif -||dispatch.com^*/dpcpopunder.js -||display.superbay.net^ -||distrogeeks.com/images/sponsors/ -||distrowatch.com/images/kokoku/ -||distrowatch.com^*-*.gif -||distrowatch.com^*/3cx.png -||distrowatch.com^*/advanced-admin. -||dividendchannel.com/toprankedsm.gif -||divxme.com/images/play.png -||divxstage.eu/images/download.png -||diytrade.com/diyep/dir?page=common/ppadv& -||djluv.in/android.gif -||djmag.co.uk/sites/default/files/takeover/ -||djmag.com/sites/default/files/takeover/ -||djtunes.com^*/adbg/ -||dl-protect.com/pop.js -||dl4all.com/data4.files/dpopupwindow.js -||dl4all.com/img/download.jpg -||dl4all.com^*/hotfile.gif -||dm.codeproject.com/dm?$image -||dmcdn.net/mc/$domain=dailymotion.com -||dnsstuff.com/dnsmedia/images/*_banner.jpg -||dnsstuff.com/dnsmedia/images/ft.banner. -||doge-dice.com/images/faucet.jpg -||doge-dice.com/images/outpost.png -||dogechain.info/content/img/a -||domainmarket.com/mm/ -||domaintools.com/eurodns_ -||domaintools.com/marketing/ -||domaintools.com/partners/ -||dominicantoday.com^*/banners/ -||dontblockme.modaco.com^ -||dontent.streamplay.to^$popup,script -||dota-trade.com/img/branding_ -||doubleclick.net/gampad/ads?*^vpos^$domain=cbs.com -||doubleviking.com/ss.html -||downforeveryoneorjustme.com/images/dotbiz_banner.jpg -||downloadbox.to/Leadertop.html -||downloadian.com/assets/banner.jpg -||dprogram.net^*/rightsprites.png -||dpstatic.com/banner.png? -||dpstatic.com/s/ad.js -||drakulastream.tv/pu/$script -||dramabay.com/y/$subdocument -||dreamscene.org^*_Banner. -||drhinternet.net/mwimgsent/ -||drivearchive.co.uk/amazon/ -||drivearchive.co.uk/images/amazon. -||driverdb.com^*/banners/ -||drivereasy.com/wp-content/uploads/*/sidebar-DriverEasy-buy.jpg -||droidgamers.com/images/banners/ -||dsogaming.com/interstitial/ -||dubcnm.com/Adon/ -||duckduckgo.com/i.js?o=a& -||duckduckgo.com/m.js?*&o=a -||duckduckgo.com/y.js -||duckload.com/js/abp.php? -||dump8.com/tiz/ -||dump8.com/wget.php -||dump8.com/wget_2leep_bottom.php -||durbannews.co.za^*_new728x60.gif -||dustcoin.com^*/image/ad- -||dvdvideosoft.com^*/banners/ -||dwarfgames.com/pub/728_top. -||dyncdn.celebuzz.com/assets/ -||dyncdn.me/static/20/js/expla*.js$domain=rarbg.to|rarbg.unblocked.work|rarbgmirror.com -||e90post.com/forums/images/banners/ -||eacash.streamplay.to^ -||earthlink.net^*/promos/ -||earthmoversmagazine.co.uk/nimg/ -||eastonline.eu/images/banners/ -||eastonline.eu/images/eng_banner_ -||easybytez.com/pop3.js -||easydiy.co.za/images/banners/ -||eatsleepsport.com/images/manorgaming1.jpg -||ebayrtm.com/rtm?RtmCmd*&enc= -||ebayrtm.com/rtm?RtmIt -||ebaystatic.com/aw/pics/signin/*_signInSkin_ -||ebaystatic.com/aw/signin/*_wallpaper_$image -||ebizblitz.co.za/upload/ad/ -||ebizmbainc.netdna-cdn.com/images/tab_sponsors.gif -||ebookshare.net/pages/lt.html -||ebookshare.net^*/streamdirect160x600_ -||ebuddy.com/textlink.php? -||ebuddy.com/web_banners/ -||ebuddy.com/web_banners_ -||eclipse.org/membership/promo/images/ -||eco-business.com^*/site_partners/ -||ecommerce-journal.com/specdata.php? -||economist.com.na^*/banners/ -||economist.com^*/timekeeper-by-rolex-medium.png -||ecostream.tv/assets/js/pu.min.js -||ecostream.tv/js/pu.js -||ed2k.2x4u.de/mfc/ -||edgedatg.com^*/AdCountdownPlugin.swf$object-subrequest,domain=abc.go.com -||edmunds.com/api/savesegment? -||educationbusinessuk.net/images/stage.gif -||egamer.co.za^*-background- -||ehow.co.uk/frames/directas_ -||ehow.com/images/brands/ -||ehow.com/marketing/ -||ehow.com/media/ad.html^ -||ejb.com/300_250 -||ejpress.org/images/banners/ -||ejpress.org/img/banners/ -||ekantipur.com/uploads/banner/ -||elasticbeanstalk.com^$other,domain=boreburn.com|yourtailorednews.com -||electricenergyonline.com^*/bannieres/ -||electronicsfeed.com/bximg/ -||elevenmyanmar.com/images/banners/ -||elgg.org/images/hostupon_banner.gif -||elivetv.in/pop/ -||elocallink.tv^*/showgif.php? -||emergencymedicalparamedic.com/wp-content/uploads/2011/12/anatomy.gif -||emoneyspace.com/b.php -||empirestatenews.net/Banners/ -||emsservice.de.s3.amazonaws.com/videos/$domain=zattoo.com -||emsservice.de/videos/$domain=zattoo.com -||emule-top50.com/extras/$subdocument -||emuleday.com/cpxt_$subdocument -||encyclopediadramatica.es/edf/$domain=~forum.encyclopediadramatica.es -||encyclopediadramatica.es/lanhell.js -||encyclopediadramatica.es/spon/ -||encyclopediadramatica.se/edf/$domain=~forum.encyclopediadramatica.se -||energytribune.com/res/banner/ -||england.fm/i/ducksunited120x60english.gif -||englishgrammar.org/images/30off-coupon.png -||englishtips.org/b/ -||enigmagroup.org/clients/privatetunnels.swf -||environmental-finance.com^*banner -||environmental-finance.com^*rotate.gif -||epicshare.net/p1.js -||epictv.com/sites/default/files/290x400_ -||episodic.com^*/logos/player- -||eprop.co.za/images/banners/ -||eq2flames.com/images/styles/eq2/images/banner -||escapementmagazine.com/wp-content/banners/ -||espn.co.uk/espnuk/williamhill/ -||espn.co.uk/espnuk/williamhill_ -||espn.co.uk^*/viagogo_sports.html -||espn.vad.go.com^$domain=youtube.com -||espn1320.net/get_preroll.php? -||esportlivescore.com/img/fano_ -||esportlivescore.com/img/fanobet_ -||esportlivescore.com/img/vitalbet. -||esportsheaven.com/media/skins/$image -||essayinfo.com/img/125x125_ -||essayscam.org^*/ads.js -||esus.com/images/regiochat_logo.png -||eteknix.com/wp-content/uploads/*skin -||eteknix.com/wp-content/uploads/*Takeover -||etidbits.com/300x250news.php -||euphonik.dj/img/sponsors- -||eurochannel.com/images/banners/ -||eurocupbasketball.com^*/sponsors- -||eurodict.com/images/banner_ -||euroleague.net^*/sponsors- -||euronews.com/media/farnborough/farnborough_wp.jpg -||european-rubber-journal.com/160x600px_ -||europeonline-magazine.eu/banner/ -||europeonline-magazine.eu/nuroa/ -||euroweb.com^*/banner/ -||eva.ucas.com^ -||eve-search.com/gge.gif -||eventful.com/tools/click/url? -||evernote.com/prom/img/ -||everythingsysadmin.com^*_sw_banner120x600_ -||evolutionm.net/SponsorLogos/ -||evony.com/sevonyadvs2. -||eweek.com/images/stories/marketing/ -||eweek.com/widgets/ibmtco/ -||eweek.com^*/sponsored- -||ewrc-results.com/images/horni_ewrc_result_banner3.jpg -||ex1.gamecopyworld.com^$subdocument -||exashare.com/hq_stream.html -||exashare.com/player_begin.jpg -||exashare.com/player_file.jpg -||exashare.com/playerexa.jpg -||exashare.com/vod_stream.html -||exashare.com^*?*cbrandom=$script -||exceluser.com^*/pub/rotate_ -||exchangerates.org.uk/images-NEW/tor.gif -||exchangerates.org.uk/images/150_60_ -||exchangerates.org.uk/images/200x200_ -||excite.com/gca_iframe.html -||expatexchange.com/banner/ -||expatwomen.com/expat-women-sponsors/ -||expertreviews.co.uk/?act=widgets. -||expertreviews.co.uk^*/skins/ -||express.co.uk^*/sponsored/ -||expressmilwaukee.com/engines/backgrounds/js/backgrounds.js -||expreview.com/exp2/ -||extremeoverclocking.com/template_images/it120x240.gif -||ezmoviestv.com^*/ad-for-ezmovies.png -||eztv.ag/js/openback*.js -||f1i.com^*/hype/ -||f1i.com^*/pubs/ -||f1today.net^*/sponsors/ -||faadooengineers.com/ads/ -||facebook.com/video/instream_video/$xmlhttprequest,domain=facebook.com -||facebook.net^*/AudienceNetworkVPAID.$domain=dailymotion.com -||facenfacts.com^*/ads/ -||fakku.net/static/seele-$subdocument -||fallout3nexus.com^*/300x600.php -||familylawweek.co.uk/bin_1/ -||famouspornstarstube.com/images/sponsors/ -||fan.twitch.tv^ -||fancystreems.com/300x2503.php -||fanfusion.org/as.js -||fansshare.com/va/?$subdocument -||fark.com/cgi/buzzfeed_link.pl -||fark.net/pub/ -||farmville.com/promo_bar.php -||farsnews.com/banner/ -||fastcompany.com/sites/*/interstitial.js -||fastpic.ru/b/ -||fastvideo.eu/images/down.png -||fastvideo.eu/images/pl_box_rapid.jpg -||fbcdn.net/safe_image.php?d=*&url=http%3A%2F%2Fwww.facebook.com%2Fads%2Fimage%2F%3F$domain=facebook.com -||fbcdn.net^*/flyers/$domain=facebook.com -||feed-the-beast.com^*/gamevox.png -||feedly.com/amazon.$xmlhttprequest -||feeds.feedburner.com/*.gif -||feedsportal.com/creative/ -||feedsportal.com/videoserve/ -||feiwei.tv^*/sandbox.html -||fever.fm^*/campaigns/ -||fever.fm^*/sposor- -||ffiles.com/counters.js -||fgfx.co.uk/banner.js? -||fhm.com/images/casinobutton.gif -||fhm.com/images/sportsbutton.gif -||fhm.com^*_background.jpg -||fhm.com^*_banner.png -||fiba.com/Content/Sponsors/ -||fiberupload.org/300en.png -||fightersonlymag.com/images/banners/ -||fijitimes.com/images/bspxchange.gif -||file-upload.net/include/down$subdocument -||file-upload.net/include/mitte.php -||file-upload.net/include/rechts.php -||file.org/fo/scripts/download_helpopt.js -||file.org^*/images/promo/ -||file2hd.com/sweet.jpg -||filedino.com/imagesn/downloadgif.gif -||fileepic.com/download-$domain=media1fire.com -||filefactory.com/img/casinopilots/ -||fileflyer.com/img/dap_banner_ -||filegaga.com/ot/fast.php? -||fileom.com/img/downloadnow.png -||fileom.com/img/instadownload2.png -||fileplanet.com/fileblog/sub-no-ad.shtml -||filerio.in^*/jquery.interstitial. -||files.wordpress.com/*-reskin. -||filesharingtalk.com/fst/8242/ -||fileshut.com/etc/links.php?q= -||filespart.com/ot/fast.aspx? -||filespazz.com/imx/template_r2_c3.jpg -||filespazz.com^*/copyartwork_side_banner.gif -||filestream.me/requirements/images/cialis_generic.gif -||filestream.me/requirements/images/ed.gif -||filipinojournal.com/images/banners/ -||filmey.com/Filmey.Ad.js -||filmsite.org/dart-zones.js -||fimserve.ign.com^ -||financialnewsandtalk.com/scripts/slideshow-sponsors.js -||financialsamurai.com/wp-content/uploads/*/sliced-alternative-10000.jpg -||findfiles.com/images/icatchallfree.png -||findfiles.com/images/knife-dancing-1.gif -||findfreegraphics.com/underp.js -||findicons.com^*/125x125/ -||finding.hardwareheaven.com^ -||findit.com.mt/dynimage/boxbanner/ -||findit.com.mt/viewer/ -||findnsave.idahostatesman.com^ -||findthebest-sw.com/sponsor_event? -||finextra.com^*/leaderboards/ -||finextra.com^*/pantiles/ -||firedrive.com/appdata/ -||firedrive.com/appresources/ -||firingsquad.com^*/sponsor_row.gif -||firstnationsvoice.com/images/weblinks.swf -||firstpost.com/promo/ -||firstpost.com^*/sponsered- -||firstpost.com^*_skin_ -||firstpost.com^*_sponsored. -||firstpost.in^*/300250- -||firstpost.in^*/promo/ -||firstrow*/pu.js -||firstrows.biz/js/bn.js -||firstrowsports.li/frame/ -||firstrowusa.eu/js/bn.js -||firsttoknow.com^*/page-criteo- -||fishchannel.com/images/sponsors/ -||fiverr.com/javascripts/conversion.js -||flameload.com/onvertise. -||flashscore.com/res/image/bookmaker-list.png -||flashx.tv/img/downloadit.png -||flashy8.com/banner/ -||flatpanelshd.com/pictures/*banner -||fleetwatch.co.za/images/banners/ -||flicks.co.nz/images/takeovers/ -||flicks.co.nz/takeovercss/ -||flightradar24.com/_includes/sections/airportAd.php -||flopturnriver.com*/banners/ -||flv.sales.cbs.com^$object-subrequest,domain=cbs.com|cbsnews.com|twitch.tv -||flvto.biz/scripts/banners.php? -||flyordie.com/games/free/b/ -||flyordie.com/games/online/ca.html -||fncstatic.com^*/sponsored-by.gif -||foodingredientsfirst.com/content/banners/ -||foodingredientsfirst.com/content/flash_loaders/loadlargetile.swf -||foodingredientsfirst.com/content/flash_loaders/loadskyscraper.swf -||football-italia.net/imgs/moveyourmouse.gif -||footballshirtculture.com/images/e12b.jpg -||footballtradedirectory.com^*banner -||forbbodiesonly.com*/vendorbanners/ -||fordforums.com.au/logos/ -||foreignersinuk.co.uk^*/banner/ -||forexpeacearmy.com/images/banners/ -||forumimg.ipmart.com/swf/ipmart_forum/banner -||forumw.org/images/uploading.gif -||forward.com/workspace/assets/newimages/amazon.png -||foxandhoundsdaily.com/wp-content/uploads/*-AD.gif -||foxbusiness.com/html/google_homepage_promo -||foxsoccer2go.com/namedImage/*/backgroundSkin.jpg -||foxsports.com.au^*/sponsor/ -||foxsports.com/component/*_wallpaper_$image -||foxsports.com/component/xml/SBMarketingTakeOverPromos -||foxsports.com^*-Skin- -||foxsports.com^*-skin_ -||foxsports.com^*/Sponsors/ -||foxsports.com^*_skin_ -||foxsports540.com/images/banner1.png -||foxsports540.com/images/banner2.png -||foxsportsradio.com/pages/second300x250iframe.html -||fpscheats.com/banner-img.jpg -||fpscheats.com/fpsbanner.jpg -||freakshare.com/yild.js -||fredmiranda.com/buzz/canondble-600x90.jpg -||free-times.com/image/pool/ -||free-torrents.org^*/banners/ -||free-tv-video-online.me/300s.html -||free-tv-video-online.me/episode-buttom- -||free-tv-video-online.me/season-side- -||free-webhosts.com/images/a/ -||freeads.co.uk/ctx.php? -||freeappaday.com/nimgs/bb/ -||freemediatv.com/images/inmemoryofmichael.jpg -||freeminecraft.me/mw3.png -||freenode.net/images/ack_privateinternetaccess-freenode.png -||freenode.net/images/freenode_osuosl.png -||freepornsubmits.com/ads/ -||freeroms.com/bigbox.html -||freeroms.com/bigbox_ -||freeroms.com/skyscraper_ -||freesoftwaremagazine.com/extras/ -||freestockcharts.com/symbolhit.aspx$subdocument -||freetv-video.ca^*/popover-load-js.php? -||freetypinggame.net/burst720.asp -||freevermontradio.org/pictures/lauren_Stagnitti.jpg -||freeworldgroup.com/banner -||frenchradiolondon.com/data/carousel/ -||fresh-weather.com/popup1.gif -||freshplaza.com/b/ -||freshremix.org/templates/freshremix_eng/images/300.gif -||freshremix.ru/images/ffdownloader1.jpg -||friday-ad.co.uk/banner.js? -||friday-ad.co.uk/endeca/afccontainer.aspx -||frombar.com/ads/ -||frozen-roms.in/popup.php -||frozen-roms.me/popup.php -||fscheetahs.co.za/images/Sponsers/ -||fsdn.com/con/img/promotional/$domain=sourceforge.net -||ftdworld.net/images/banners/ -||ftlauderdalewebcam.com/images/*webcambanner -||ftlauderdalewebcam.com^*-WebCamBannerFall_ -||fudzilla.com^*/banners/ -||fugitive.com^*-468x60web. -||fulhamfc.com/i/partner/ -||fullrip.net/images/download- -||fulltv.tv/pub_ -||funmaza.in/units/ -||funpic.de/layer.php? -||funpic.org/layer.php? -||fuse.tv/images/sponsor/ -||futbol24.com/f24/rek/$~xmlhttprequest -||fuzface.com/dcrtv/ad$domain=dcrtv.com -||fırstrowsports.eu/pu/ -||g.brothersoft.com^ -||gabzfm.com/images/banners/ -||gaccmidwest.org/uploads/tx_bannermanagement/ -||gaccny.com/uploads/tx_bannermanagement/ -||gaccsouth.com/uploads/tx_bannermanagement/ -||gaccwest.com/uploads/tx_bannermanagement/ -||gadget.co.za/siteimages/banners/ -||gadgetmac.com^*/sponsors/ -||gadgetshowlive.net^*/banners/ -||gaeatimes.com/ctad/ -||galatta.com^*/bannerimages/ -||galatta.com^*/banners/ -||gallerynova.se^*/jquery.bpopup.min.js -||gallerysense.se/site/getBannerCode -||gamblinginsider.com^*/partner_events.php -||game1games.com/exchange/ -||gameads.digyourowngrave.com^ -||gameawayscouponsstorage.blob.core.windows.net/images/greenmangaming/ -||gamecopyworld.com*/! -||gamecopyworld.com/games/i/if6.gif -||gamecopyworld.com/games/js/abd.js -||gamecopyworld.com^*/vg_160x120_ -||gamecopyworld.eu*/! -||gameknot.com/amaster.pl?j= -||gamemakerblog.com/gma/gatob.php -||gameplanet.co.nz^*-takeover.jpg -||gamepressure.com/ajax/f2p.asp -||gamerant.com/ads/ -||gamersbook.com^*/banners/ -||gameserpent.com/kit*.php -||gameserpent.com/vc*.php -||gamesforwork.com^*/dropalink_small.gif -||gamesfreez.com/banner/ -||gamesgames.com/vda/ -||gameshark.com^*/pageskin- -||gamevid.com/13/ads/ -||gamingcentral.in^*/banner_ -||gamingsquid.com/wp-content/banners/ -||ganool.com/pup.js -||ganool.com/wp-content/uploads/*/Javtoys300250..gif -||ganool.com/wp-content/uploads/*/matrix303.gif -||gappon.com/images/hot2.gif -||garrysmod.org/img/sad/ -||gasgoo.com/promo/ -||gateprep.com/templates/default/images/promo/ -||gawkerassets.com^*/background.jpg -||gaydarradio.com/userportal/miva/ -||gaynz.com/mysa/banners/ -||gaynz.gen.nz/mysa/banners/ -||gbatemp.net/images/ab/ -||gbrej.com/c/ -||gcnlive.com/assets/sponsors/ -||gcnlive.com/assets/sponsorsPlayer/ -||geckoforums.net/banners/ -||geeklab.info^*/billy.png -||gelbooru.com*/frontend*.js -||gelbooru.com/lk.php$subdocument -||gelbooru.com/poll.php$subdocument -||gelbooru.com/protech.php$subdocument -||gelbooru.com/x/ -||generalfiles.me^*/download_sponsored. -||gentoo.org/images/sponsors/ -||geocities.com/js_source/ -||geocities.yahoo.*/js/sq. -||geometria.tv/banners/ -||geoshopping.nzherald.co.nz^ -||gestetnerupdates.com^*/chesed-shel-emes-600x75.gif -||gestetnerupdates.com^*/eagle-sewer.gif -||gestetnerupdates.com^*/Gestetner-Miles.gif -||gestetnerupdates.com^*/perfect-auto-collision_banner.gif -||get-bitcoins-free.eu/img/blackred728smallsize.gif -||get.thefile.me^ -||getfoxyproxy.org/images/abine/ -||gethigh.com/wp-content/uploads/*/pass_a_drug_test_get_high_banner.jpg -||getprice.com.au/searchwidget.aspx?$subdocument -||getreading.co.uk/static/img/bg_takeover_ -||getresponse.com^$domain=wigflip.com -||getrichslowly.org/blog/img/banner/ -||getsurrey.co.uk^*/bg_takeover_ -||getthekick.eu^*/banners/ -||gfi.com/blog/wp-content/uploads/*-BlogBanner -||gfx.infomine.com^ -||ghacks.net/skin- -||ghafla.co.ke/images/banners/ -||ghafla.co.ke/images/bgmax/ -||ghananewsagency.org/assets/banners/ -||giftguide.savannahnow.com/giftguide/widgets/ -||gigaom2.files.wordpress.com^*-center-top$image -||girlguides.co.za/images/banners/ -||girlsgames.biz/games/partner*.php -||gizmochina.com/images/blackview.jpg -||gizmochina.com^*/100002648432985.gif -||gizmochina.com^*/kingsing-t8-advert.jpg -||gizmochina.com^*/landvo-l600-pro-feature.jpg -||glam.com^*/affiliate/ -||glamourviews.com/home/zones? -||glassdoor.com/getAdSlotContentsAjax.htm? -||gledaisport.com/ads/ -||globalsecurity.org/_inc/frames/ -||globaltimes.cn/desktopmodules/bannerdisplay/ -||glocktalk.com/forums/images/banners/ -||go4up.com/assets/img/buttoned.gif -||go4up.com/assets/img/d0.png -||go4up.com/assets/img/download-button.png -||go4up.com/assets/img/downloadbuttoned.png -||go4up.com^*/download-buttoned.png -||go4up.com^*/webbuttoned.gif -||goal.com^*/betting/$~stylesheet -||goal.com^*/branding/ -||goauto.com.au/mellor/mellor.nsf/toy$subdocument -||gocdkeys.com/images/*_400x300_ -||gocdkeys.com/images/bg_ -||godisageek.com/amazon.png -||gokunming.com/images/prom/ -||gold-prices.biz/gold_trading_leader.gif -||gold-prices.biz^*_400x300.gif -||gold1013fm.com/images/background/ -||gold1013fm.com/promotion/ -||goldenskate.com/sponsors/ -||golf365.co.za^*/site-bg- -||golf365.com^*/site-bg- -||gomlab.com/img/banner/ -||gonzagamer.com/uci/popover.js -||goodanime.net/images/crazy*.jpg -||goodgearguide.com.au/files/skins/ -||google.com/jsapi?autoload=*%22ads%22$script,domain=youtube.com -||googleapis.com/dfh/$image,domain=datafilehost.com -||googleusercontent.com^*/s220/$domain=activistpost.com -||googleusercontent.com^*/s468/$domain=activistpost.com -||gooster.co.uk/js/ov.js.php -||gopride.com^*/banners/ -||gospel1190.net/rotatorimages/ -||gotupload.com^$subdocument,domain=hulkshare.com -||gov-auctions.org^*/banner/ -||gowilkes.com/cj/ -||gowilkes.com/other/ -||gp3series.com^*/Partners/ -||gq.co.za^*/sitetakeover/ -||gr8.cc/addons/banners^ -||grabone.co.nz^$subdocument,domain=nzherald.co.nz -||grammar-monster.com/scripts/$subdocument -||grapevine.is/media/flash/*.swf -||graphic.com.gh/images/banners/ -||greatandhra.com/images/*_ga_ -||greatdeals.co.ke/images/banners/ -||greaterkashmir.com/adds_ -||greatgirlsgames.com/100x100.php -||greatgirlsgames.com/a/skyscraper.php -||green.virtual-nights.com^ -||greenoptimistic.com/images/electrician2.png -||greyorgray.com/images/Fast%20Business%20Loans%20Ad.jpg -||greyorgray.com/images/hdtv-genie-gog.jpg -||gruntig2008.opendrive.com^$domain=gruntig.net -||gsprating.com/gap/image.php? -||gtop100.com/a_images/show-a.php? -||gtsplus.net*/panbottom.html -||gtsplus.net*/pantop.html -||gtweekly.com/images/banners/ -||guardian.bz/images/banners/ -||gulf-daily-news.com/180x150.htm -||gulfnews.com^*/channelSponsorImage/ -||gumtree.com^*/dart_wrapper_ -||gunfreezone.net^*_ad.jpg -||guns.ru^*/banner/ -||guns.ru^*/banners/ -||gurgle.com/modules/mod_m10banners/ -||guru99.com/images/adblocker/ -||gwinnettdailypost.com/1.iframe.asp? -||h33t.to/images/button_direct.png -||ha.ckers.org/images/fallingrock-bot.png -||ha.ckers.org/images/nto_top.png -||ha.ckers.org/images/sectheory-bot.png -||hackingchinese.com/media/hcw4.png -||hackingchinese.com/media/hellochinese.jpg -||hackingchinese.com/media/pleco.png -||hackingchinese.com/media/skritter5.jpg -||hahasport.com/ads/ -||hancinema.net/images/banner_ -||hancinema.net/images/watch-now -||happierabroad.com/Images/banner -||hardwareheaven.com/heavenmedia/?rid=$subdocument -||hardwareheaven.com/styles/*/frontpage/backdrop.jpg -||hardwareheaven.com/wp-content/*_skin_ -||hardwareheaven.com^*/Site-Skin-HH.jpg -||hawaiireporter.com^*-300x250.jpg -||hawaiireporter.com^*/463%C3%9757-Kamaaina.jpg -||hawaiireporter.com^*/js.jpg -||hawaiireporter.com^*/upandruningy.jpg -||hawaiireporter.com^*/winnerscampad.jpg -||hawaiireporter.com^*_300x400.jpg -||hawkesbay.co.nz/images/banners/ -||hawkesbaytoday.co.nz/nz_regionals/marketplace/ -||haxmaps.com/home*.php?id=$subdocument -||haxmaps.com/js/cb.js$xmlhttprequest -||hcdn.co/scripts/shadowbox/shadowbox.js$domain=shared.sx -||hd-bb.org^*/dl4fbanner.gif -||hdfree.tv/ad.html -||hdtvtest.co.uk/image/partner/$image -||hdtvtest.co.uk^*/pricerunner.php -||headlineplanet.com/home/box.html -||headlineplanet.com/home/burstbox.html -||healthfreedoms.org/assets/swf/320x320_ -||hearse.com^*/billboards/ -||heatworld.com/images/*_83x76_ -||heatworld.com/upload/takeovers/ -||heatworld.com^*_300x160.jpg -||heavenmedia.v3g4s.com^ -||hejban.youwatch.org^ -||helsinkitimes.fi^*/banners/ -||hentai2read.com/ios/swf/ -||hentaihaven.org/wp-content/banners/ -||hentaistream.com/wp-includes/images/$object -||heraldlive.co.za^*/TRAFALGAR-BANNER.png -||heraldm.com/hb/imad/ -||heraldm.com/iframe/ -||heraldm.com^*/banner/ -||heraldm.com^*/company_bn/ -||heraldsun.com.au^*/images/sideskins- -||herold.at/fs/orgimg/*.swf?baseurl=http%3a%2f%2fwww.*&linktarget=_blank$object -||herold.at/images/dealofday.swf -||herold.at^*.swf?*&linktarget=_blank -||herzeleid.com/files/images/banners/ -||hexupload.com^*.gif$domain=uploadbaz.com -||heyjackass.com/wp-content/uploads/*_300x225_ -||hickoryrecord.com/app/deal/ -||highdefjunkies.com/images/misc/kindlejoin.jpg -||highdefjunkies.com^*/cp.gif -||highdefjunkies.com^*/monoprice.jpg -||highdefjunkies.com^*/sponsor.jpg -||hipforums.com/images/banners/ -||hipforums.com/newforums/calendarcolumn.php?cquery=bush -||hitechlegion.com/images/banners/ -||hkclubbing.com/images/banners/ -||hltv.org//images/csgofastsky.png -||hltv.org/images/csLucky.swf -||hockeybuzz.com/mb/b? -||hollywoodbackwash.com/glam/ -||holyfamilyradio.org/banners/ -||holyfragger.com/images/skins/ -||homeschoolmath.net/a/ -||honda-tech.com/*-140x90.gif -||hongfire.com/banner/ -||hongkongindians.com/advimages/ -||horizonsunlimited.com/alogos/ -||horriblesubs.info/playasia -||hostingbulk.com/aad.html -||hostingbulk.com/zad.html -||hostingdedi.com/wp-content/uploads/add$subdocument -||hostratings.co.uk/zeepeel. -||hostsearch.com/creative/ -||hot-scene.com/cpop.js -||hotbollywoodactress.net/ff2.gif -||hotbollywoodactress.net/freedatingindia.gif -||hotfile.com^*/banners/ -||hotfilesearch.com/includes/images/mov_ -||hotfiletrend.com/dlp.gif -||hotgamesforgirls.com/html/$subdocument -||hothardware.com/pgmerchanttable.aspx? -||hothardware.com^*_staticbanner_*.jpg -||houseoftravel.co.nz/flash/banner/ -||howtogeek.com/go/ -||howtogermany.com/banner/ -||howwe.biz/mgid- -||howwemadeitinafrica.com^*/dhl-hdr.gif -||hpfanficarchive.com/freecoins2.jpg -||hqfooty.tv/ad -||htmldog.com/r10/flowers/ -||http.atlas.cdn.yimg.com/yamplus/video_*.mp4?$object-subrequest,domain=yahoo.com -||hulkfile.eu/images/africa.gif -||hulkload.com/b/ -||hulkload.com/recommended/ -||hulkshare.com/promo/ -||hulkshare.com^*/adsmanager.js -||hulkshare.oncdn.com^*/removeads. -||hulu.com/beacon/*=adauditerror -||hulu.com/v3/revenue/ -||hummy.org.uk^*/brotator/ -||hurriyetdailynews.com/images/*_100x250_ -||hwbot.org/banner.img -||hwinfo.com/images/lansweeper.jpg -||hwinfo.com/images/se2banner.png -||hypemagazine.co.za/assets/bg/ -||i-sgcm.com/pagetakeover/ -||i-tech.com.au^*/banner/ -||i.com.com^*/vendor_bg_ -||i.i.com.com/cnwk.1d/*/tt_post_dl.jpg -||i.neoseeker.com/d/$subdocument -||i3investor.com^*/offer_ -||i3investor.com^*/partner/ -||ians.in/iansad/ -||ibanners.empoweredcomms.com.au^ -||ibizaworldclubtour.net/wp-content/themes/ex-studios/banner/ -||ibrod.tv/ib.php -||ibsrv.net/*214x30. -||ibsrv.net/*_215x30. -||ibsrv.net/*_215x30_ -||ibsrv.net/*forumsponsor$domain=audiforums.com -||ibsrv.net/royalpurple/$domain=audiforums.com -||ibsrv.net/sponsors/ -||ibtimes.com/banner/ -||ibtimes.com^*&popunder -||ibtimes.com^*/sponsor_ -||iceinspace.com.au/iisads/ -||icelandreview.com^*/auglysingar/ -||iconeye.com/images/banners/ -||ictv-ic-ec.indieclicktv.com/media/videos/$object-subrequest,domain=twitchfilm.com -||icxm.net/x/img/kinguin.jpg -||icydk.com^*/title_visit_sponsors. -||iddin.com/img/chatwing_banner. -||iddin.com/img/chatwing_banner_ -||idesitv.com^*/loadbanners. -||idg.com.au/files/skins/ -||idg.com.au/images/*_promo$image -||idg.com.au^*_skin.jpg -||ieee.org/interstitial? -||ientrymail.com/webheadtools$domain=webpronews.com -||ifilm.com/website/*-skin- -||iframe.travel.yahoo.com^ -||iftn.ie/images/data/banners/ -||iimg.in^*-banner- -||iimg.in^*/sponsor_ -||ijn.com/images/banners/ -||ijoomla.com/aff/banners/ -||ilcorsaronero.info/home.gif -||ilikecheats.net/images/$image,domain=unknowncheats.me -||iload.to/img/ul/impopi.js -||iloveim.com/cadv -||imads.rediff.com^ -||imagebam.com/download/$image,domain=ganool.com -||imagebam.com/download_button.png -||imagebam.com/img/coolstuffbro.jpg -||imagefruit.com/includes/js/bgcont.js -||imagefruit.com/includes/js/ex.js -||imagefruit.com/includes/js/layer.js -||imagepix.org/Images/imageput.jpg -||imageporter.com/hiokax.js -||imageporter.com/micromoo.html -||imageporter.com/someo.html -||imagerise.com/ir.js -||imagerise.com/ir2.js -||images-amazon.com/images/*/browser-scripts/da- -||images-amazon.com/images/*/browser-scripts/dae- -||images-amazon.com/images/*/da-us/da-$script -||images-amazon.com^$domain=gamenguide.com|itechpost.com|parentherald.com -||images-amazon.com^*/marqueepushdown/ -||images.bitreactor.to/designs/ -||images.globes.co.il^*/fixedpromoright. -||images.mmorpg.com/images/*skin -||images.sharkscope.com/acr/*_Ad- -||images.sharkscope.com/everest/twister.jpg -||images4et.com/images/other/warning-vpn2.gif -||imageshack.us/images/contests/*/lp-bg.jpg -||imageshack.us/ym.php? -||imagesnake.com^*/oc.js -||imagetoupload.com/images/87633952425570896161.jpg -||imagevenue.com/interstitial. -||imcdb.org/res/cth_ -||imdb.com/images/*/scriptloader.$subdocument -||imfdb.org^*/FoG-300x250.jpg -||img*.i-comers.com^ -||img.tfd.com/wn/$image,domain=freethesaurus.com -||imgah.com/traffic$subdocument -||imgbox.com/gsmpop.js -||imgburn.com/images/ddigest_ -||imgburn.com/images/your3gift.gif -||imgcarry.com^*/oc.js -||imgking.co/poudr.js -||imgrock.net/nb/ -||imgshots.com/includes/js/layer.js -||imgur.com/i2iBMaD.gif$domain=cpahero.com -||imgur.com/include/zedoinviewstub1621.html -||immihelp.com/partner/banners/ -||imouto.org/images/jlist/ -||imouto.org/images/mangagamer/ -||impactradio.co.za^*/banners/ -||impulsedriven.com/app_images/wallpaper/ -||in.com/addIframe/ -||in.com^*/170x50_ -||inanyevent.ch/images/banners/ -||incentivetravel.co.uk/images/banners/ -||indeed.com/ads/ -||independent.co.ug/images/banners/ -||independent.co.uk/kelkoo/ -||independent.co.uk/multimedia/archive/$subdocument -||independent.co.uk^*/300unit/ -||independent.co.uk^*/partners/ -||independent.co.uk^*/sponsored- -||indepthafrica.com^*/Banner-canreach.gif -||india.com/ads/jw/ova-jw.swf$object-subrequest -||india.com/zeenews_head2n.jpg -||india.com^*-sponsor. -||indiainfoline.com/wc/ads/ -||indianexpress.com^*/banner/ -||indiantelevision.com/banner/ -||indiatimes.com/articleshow_google_$subdocument -||indiatimes.com/google$subdocument -||industryabout.com/images/banners/ -||info.break.com^*/sponsors/ -||info.sciencedaily.com/api/ -||infobetting.com/b/ -||infobetting.com/bookmaker/ -||infoq.com^*/banners/ -||informationng.com^*-Leaderboard. -||informationng.com^*/300-x-250. -||informe.com/img/banner_ -||informer.com/js/onexit*.js -||infosecisland.com/ajax/viewbanner/ -||infoseek.co.jp/isweb/clip.html -||ingdirect.com^*/adwizard/ -||injpn.net/images/banners/ -||inkscapeforum.com/images/banners/ -||inquirer.net/wp-content/themes/news/images/wallpaper_ -||insidebutlercounty.com/images/100- -||insidebutlercounty.com/images/160- -||insidebutlercounty.com/images/180- -||insidebutlercounty.com/images/200- -||insidebutlercounty.com/images/300- -||insidebutlercounty.com/images/468- -||insidedp.com/images/banners/ -||insidehw.com/images/banners/ -||insidethe.agency^*-300x250. -||insideyork.co.uk/assets/images/sponsors/ -||inspirefirst.com^*/banners/ -||intel.com/sites/wap/global/wap.js -||intellicast.com/outsidein.js -||intellicast.com/travel/cheapflightswidget.htm -||intelseek.com/intelseekads/ -||interest.co.nz/banners/ -||interest.co.nz^*_skin. -||interest.co.nz^*_skin_ -||interfacelift.com/inc_new/$subdocument -||interfacelift.com^*/artistsvalley_160x90_ -||international.to/600.html -||international.to/large.html -||international.to/link_unit.html -||internationalmeetingsreview.com//uploads/banner/ -||intoday.in/btstryad.html -||ip-adress.com/i/ewa/ -||ip-adress.com/superb/ -||ip-ads.de^$domain=zattoo.com -||ipaddress.com/banner/ -||ipinfodb.com/img/adds/ -||iptools.com/sky.php -||iradio.ie/assets/img/backgrounds/ -||irctctourism.com/ttrs/railtourism/Designs/html/images/tourism_right_banners/*DealsBanner_ -||irishamericannews.com/images/banners/ -||irishdev.com/files/banners/ -||irishdictionary.ie/view/images/ispaces-makes-any-computer.jpg -||irishracing.com/graphics/books -||ironmagazine.com^*/banners.php -||ironspider.ca/pics/hostgator_green120x600.gif -||ironsquid.tv/data/uploads/sponsors/ -||irv2.com/attachments/banners/ -||irv2.com/forums/*show_banner -||irv2.com/images/sponsors/ -||isitdownrightnow.com/graphics/speedupmypc*.png -||isitnormal.com/img/iphone_hp_promo_wide.png -||islamicfinder.org/cimage/ -||islamicfocus.co.za/images/banners/ -||island.lk/userfiles/image/danweem/ -||isportconnect.com//images/banners/ -||israeldefense.com/_Uploads/dbsBanners/ -||israelidiamond.co.il^*/bannerdisplay.aspx? -||israeltoday.co.il^*/promo/ -||isup.me/images/dotbiz_banner.jpg -||isxdead.com/images/showbox.png -||italiangenealogy.com/images/banners/ -||itpro.co.uk/images/skins/ -||itservicesthatworkforyou.com/sp/ebay.jpg -||itv.com/adexplore/*/config.xml -||itv.com/priority/$object-subrequest,domain=u.tv -||itweb.co.za/banners/ -||itweb.co.za/logos/ -||itweb.co.za/sidelogos/ -||itweb.co.za^*sponsoredby -||itwebafrica.com/images/logos/ -||itworld.com/slideshow/iframe/topimu/ -||iurfm.com/images/sponsors/ -||iwebtool.com^*/bannerview.php -||ixquick.nl/graphics/banner_ -||jacars.net/images/ba/ -||jamaica-gleaner.com/images/promo/ -||jame-world.com^*/adv/ -||jango.com/assets/promo/1600x1000- -||javacript.ml^$script,domain=userscloud.work -||javamex.com/images/AdFrenchVocabGamesAnim.gif -||javascript-coder.com^*/form-submit-larger.jpg -||javascript-coder.com^*/make-form-without-coding.png -||jayisgames.com/maxcdn_160x250.png -||jazzandblues.org^*/iTunes_ -||jdownloader.org/_media/screenshots/banner.png -||jdownloader.org^*/smbanner.png -||jebril.com/sites/default/files/images/top-banners/ -||jewishexponent.com^*/banners/ -||jewishnews.co.uk^*banner -||jewishtimes-sj.com/rop/ -||jewishtribune.ca^*/banners/ -||jewishvoiceny.com/ban2/ -||jewishyellow.com/pics/banners/ -||jheberg.net/img/mp.png -||jillianmichaels.com/images/publicsite/advertisingslug.gif -||johnbridge.com/vbulletin/banner_rotate.js -||johnbridge.com/vbulletin/images/tyw/cdlogo-john-bridge.jpg -||johnbridge.com/vbulletin/images/tyw/wedi-shower-systems-solutions.png -||johngaltfla.com/wordpress/wp-content/uploads/*/jmcs_specaialbanner.jpg -||johngaltfla.com/wordpress/wp-content/uploads/*/TB2K_LOGO.jpg -||joindota.com/wp-content/*.png$image -||joins.com/common/ui/ad/ -||jokertraffic.com^$domain=4fuckr.com -||joomladigger.com/images/banners/ -||journal-news.net/annoyingpopup/ -||journeychristiannews.com/images/banners/ -||joursouvres.fr^*/pub_ -||jozikids.co.za/uploadimages/*_140x140_ -||jozikids.co.za/uploadimages/140x140_ -||jumptags.com/joozit/presentation/images/banners/ -||junocloud.me/promos/ -||just-download.com/banner/ -||justsomething.co/wp-content/uploads/*-250x250. -||juventus.com/pics/sponsors/ -||kaieteurnewsonline.com/revenue/ -||kamcity.com/banager/banners/ -||kamcity.com/menu/banners/ -||kansascity.com/images/touts/ds_ -||kaotic.com/assets/toplists/footer.html -||kassfm.co.ke/images/moneygram.gif -||kat-ads.torrenticity.com^ -||kavkisfile.com/images/ly-mini.gif -||kavkisfile.com/images/ly.gif -||kbcradio.eu/img/banner/ -||kblx.com/upload/takeover_ -||kcrw.com/collage-images/amazon.gif -||kcrw.com/collage-images/itunes.gif -||kdnuggets.com/aps/ -||kdoctv.net/images/banners/ -||keenspot.com/images/headerbar- -||keepvid.com/ads/ -||keepvid.com/images/ilivid- -||keepvid.com/images/winxdvd- -||kendrickcoleman.com/images/banners/ -||kentonline.co.uk/weatherimages/Britelite.gif -||kentonline.co.uk/weatherimages/SEW.jpg -||kentonline.co.uk/weatherimages/sponsor_ -||kephyr.com/spywarescanner/banner1.gif -||ker.pic2pic.site^ -||kermit.macnn.com^ -||kewlshare.com/reward.html -||kexp.org^*/sponsor- -||kexp.org^*/sponsoredby. -||keygen-fm.ru/images/*.swf -||kfog.com^*/banners/ -||khaleejtimes.com/imgactv/Umrah%20-%20290x60%20-%20EN.jpg -||khaleejtimes.com/imgactv/Umrah-Static-Background-Gutters-N.jpg -||khon2.com^*/sponsors/ -||kickasstorrent.ph/kat_adplib.js -||kickoff.com/images/sleeves/ -||kingfiles.net/images/bt.png -||kingofsat.net/pub/ -||kinox.to/392i921321.js -||kinox.to/com/ -||kinox.tv/g.js -||kirupa.com/supporter/ -||kitco.com/ssi/dmg_banner_001.stm -||kitco.com/ssi/home_ox_deanmg.stm -||kitco.com/ssi/market_ox_deanmg.stm -||kitco.com^*/banners/ -||kitguru.net/?kitguru_wrapjs=1&ver= -||kitguru.net/wp-content/banners/ -||kitguru.net/wp-content/uploads/*-Skin. -||kitguru.net/wp-content/wrap.jpg -||kitz.co.uk/files/jump2/ -||kjlhradio.com^*-300x250. -||kjlhradio.com^*/banners/ -||kjul1047.com^*/clientgraphics/ -||klav1230am.com^*/banners/ -||kleisauke.nl/static/img/bar.gif -||klfm967.co.uk/resources/creative/ -||klkdccs.net/pjs/yavli-tools.js -||klm.com^*/fls_redirect.html -||knbr.com^*/banners/ -||kncminer.com/userfiles/image/250_240.jpg -||knco.com/wp-content/uploads/wpt/ -||knowfree.net^*/ezm125x125.gif -||knowledgespeak.com/images/banner/ -||knowthecause.com/images/banners/ -||knpr.org/common/sponsors/ -||knssradio.com^*/banners/ -||kob.com/kobtvimages/flexhousepromotions/ -||komando.com^*/k2-interstitial.min.js? -||kompas.com/js_kompasads.php -||kongregate.com/images/help_devs_*.png -||kontraband.com/media/takeovers/ -||koraliga.com/open.js -||koreanmovie.com/img/banner/banner.jpg -||koreatimes.co.kr/ad/ -||koreatimes.co.kr/images/bn/ -||koreatimes.co.kr/upload/ad/ -||koreatimes.co.kr/www/images/bn/ -||kovideo.net^*.php?user_ -||krapps.com^*-banner- -||krebsonsecurity.com/b-ga/ -||krebsonsecurity.com/b-kb/ -||kron.com/uploads/*-ad-$image -||krzk.com/uploads/banners/ -||kshp.com/uploads/banners/ -||ksstradio.com/wp-content/banners/ -||kstp.com^*/flexhousepromotions/ -||ktradionetwork.com^*/banners/ -||kuiken.co/static/w.js -||kukmindaily.co.kr/images/bnr/ -||kukuplay.com/upload/*.swf -||kuwaittimes.net/banners/ -||kvcr.org^*/sponsors/ -||kwanalu.co.za/upload/ad/ -||kwikupload.com/images/dlbtn.png -||kxcdn.com/dlbutton1.png$domain=torlock.com -||kxcdn.com/dlbutton3.png$domain=torlock.com -||kxlh.com/images/banner/ -||kyivpost.com/media/banners/ -||l.yimg.com/a/i/*_wallpaper$image -||l.yimg.com/ao/i/ad/ -||l.yimg.com/mq/a/ -||l2b.co.za/L2BBMP/ -||l4dmaps.com/i/right_dllme.gif -||l4dmaps.com/img/right_gameservers.gif -||labtimes.org/banner/ -||labx.com/web/banners/ -||laconiadailysun.com/images/banners/ -||lagacetanewspaper.com^*/banners/ -||lake-link.com/images/sponsorLogos/ -||laliga.es/img/patrocinadores- -||lancasteronline.com^*/done_deal/ -||lancasteronline.com^*/weather_sponsor.gif -||lankabusinessonline.com/images/banners/ -||laobserved.com/tch-ad.jpg -||laptopmag.com/images/sponsorships/ -||laredodaily.com/images/banners/ -||lastminute.com^*/universal.html? -||lasttorrents.org/pcmadd.swf -||latex-community.org/images/banners/ -||lawprofessorblogs.com/responsive-template/*advert. -||lawprofessors.typepad.com/responsive-template/*advert.jpg -||lazygamer.net/kalahari.gif -||lazygirls.info/click.php -||leader.co.za/leadership/banners/ -||leadership.ng/cheki- -||leagueunlimited.com/images/rooty/ -||learn2crack.com/wp-content/*-336x280.jpg -||learnphotoediting.net/banners/ -||learnspanishtoday.com/aff/img/banners/ -||lecydre.com/proxy.png -||legalbusinessonline.com/popup/albpartners.aspx -||lens101.com/images/banner.jpg -||lespagesjaunesafrique.com/bandeaux/ -||letitbit.net/images/other/inst_forex_ -||letour.fr/img/v6/sprite_partners_2x.png -||letswatchsomething.com/images/filestreet_banner.jpg -||lfcimages.com^*/partner- -||lfcimages.com^*/sponsor- -||lfgcomic.com/wp-content/uploads/*/PageSkin_ -||libertyblitzkrieg.com/wp-content/uploads/2012/09/cc200x300.gif? -||licensing.biz/media/banners/ -||life.imagepix.org^ -||lifeinqueensland.com/images/156x183a_ -||lifetips.com/sponsors/ -||lightson.vpsboard.com^ -||limesurvey.org/images/banners/ -||limetorrentlinkmix.com/rd18/dop.js -||limetorrents.cc/static/images/download.png -||linguee.com/banner/ -||linkcentre.com/top_fp.php -||linkfm.co.za/images/banners/ -||linkis.com/index/ln-event? -||linkmoon.net/banners/ -||linksafe.info^*/mirror.png -||linksrank.com/links/ -||linuxinsider.com/images/sda/ -||linuxmint.com/img/sponsor/ -||linuxmint.com/pictures/sponsors/ -||linuxsat-support.com/vsa_banners/ -||linuxtopia.org/includes/$subdocument -||lionsrugby.co.za^*/sponsors. -||liquidcompass.net/playerapi/redirect/ -||liquidcompass.net^*/purchase_ -||littleindia.com/files/banners/ -||live-proxy.com/hide-my-ass.gif -||live-proxy.com/vectrotunnel-logo.jpg -||livejasmin.com/freechat.php -||liveonlinetv247.com/images/muvixx-150x50-watch-now-in-hd-play-btn.gif -||livescore.in/res/image/bookmaker-list.png -||livesearch.ninemsn.com.au^$subdocument -||livestream.com^*/overlay/ -||livetradingnews.com/wp-content/uploads/vamp_cigarettes.png -||livetv.ru/mb/ -||livetvcenter.com/satellitedirect_ -||liveuamap.com/show? -||livingscoop.com/vastload.php -||ll.a.hulu.com^ -||lmgtfy.com/s/images/ls_ -||localdirectories.com.au^*/bannerimages/ -||localvictory.com^*/Trailblazer-Ad.png -||logoopenstock.com/img/banners/ -||logotv.com/content/skins/ -||loleasy.com/promo/ -||loleasy.com^*/adsmanager.js -||lolzbook.com/test/ -||london2012.com/img/sponsors/ -||london2012.com/imgml/partners/footer/ -||londonprivaterentals.standard.co.uk^ -||londonstockexchange.com^*/fx.gif -||lookbook.nu/show_leaderboard.html -||lookbook.nu/show_skyscraper.html -||lookbook.nu^*.html?$subdocument -||looky.hyves.org^ -||lostrabbitmedia.com/images/banners/ -||lowbird.com/lbpu.php -||lowbird.com/lbpun.php -||lowellsun.com/litebanner/ -||lowendbox.com/wp-content/themes/leb/banners/ -||lowyat.net/lowyat/lowyat-bg.jpg -||lowyat.net/mainpage/background.jpg -||ls.webmd.com^ -||lshunter.tv/images/bets/ -||lshunter.tv^*&task=getbets$xmlhttprequest -||lucianne.com^*_*.html -||luckyshare.net/images/1gotlucky.png -||luckyshare.net/images/2top.png -||luckyshare.net/images/sda/ -||luxury4play.com^*/ads/ -||lw1.gamecopyworld.com^$subdocument -||lw1.lnkworld.com^$subdocument -||lw2.gamecopyworld.com^ -||lycos.com/catman/ -||lygo.com/scripts/catman/ -||lyngsat-logo.com/as9/ -||lyngsat-maps.com/as9/ -||lyngsat-stream.com/as9/ -||lyngsat.com/as9/ -||lyrics5ab.com/wp-content/add$subdocument -||lyricsfreak.com^*/overlay.js -||m-w.com/creative.php -||m4carbine.net/tabs/ -||macaudailytimes.com.mo/files/banners/ -||macaunews.com.mo/images/stories/banners/ -||macblurayplayer.com/image/amazon- -||machovideo.com/img/site/postimg2/rotate.php -||macintouch.com/images/amaz_ -||macintouch.com/images/owc_ -||maciverse.mangoco.netdna-cdn.com^*banner -||macmillandictionary.com/info/frame.html?zone= -||macobserver.com/js/givetotmo.js -||macobserver.com^*/deal_brothers/ -||macupdate.com/js/google_service.js -||macworld.co.uk/promo/ -||macworld.co.uk^*/textdeals/ -||macworld.com/ads/ -||madamenoire.com/wp-content/*_Reskin-$image -||mads.dailymail.co.uk^ -||madskristensen.net/discount2.js -||madville.com/afs.php -||mail.com/service/indeed? -||mail.yahoo.com/mc/md.php? -||mail.yahoo.com/neo/mbimg?av/curveball/ds/ -||mailinator.com/images/abine/leaderboard- -||mailinator.com^*/clickbanner.jpg -||majorgeeks.com/aff/ -||majorgeeks.com/images/*_336x280.jpg -||majorgeeks.com/images/download_sd_ -||majorgeeks.com/images/mb-hb-2.jpg -||majorgeeks.com/images/mg120.jpg -||majorgeeks.com^*/banners/ -||makeagif.com/parts/fiframe.php -||malaysiabay.org^*/creative.js -||malaysiabay.org^*creatives.php? -||malaysiakini.com/misc/banners/ -||maltatoday.com.mt/ui_frontend/display_external_module/ -||malwaredomains.com/ra.jpg -||mangafox.com/media/game321/ -||mangareader.net/images/800-x-100 -||mangarush.com/xtend.php -||mangaupdates.com/affiliates/ -||manhattantimesnews.com/images/banners/ -||mani-admin-plugin.com^*/banners/ -||maniastreaming.com/pp2/ -||manicapost.com^*/banners/ -||manilatimes.net/images/banners/ -||manutd.com^*/Sponsors/ -||manxradio.com^*/banners_ -||mapsofindia.com/widgets/tribalfusionboxadd.html -||maravipost.com/images/banners/ -||marengo-uniontimes.com/images/banners/ -||marijuanapolitics.com/wp-content/*-ad. -||marijuanapolitics.com/wp-content/uploads/*/icbc1.png -||marijuanapolitics.com/wp-content/uploads/*/icbc2.png -||marineterms.com/images/banners/ -||marketingpilgrim.com/wp-content/uploads/*/trackur.com- -||marketingsolutions.yahoo.com^ -||marketingupdate.co.za/temp/banner_ -||marketintelligencecenter.com/images/brokers/ -||marketnewsvideo.com/etfchannel/evfad1.gif -||marketnewsvideo.com/mnvport160.gif -||marketplace.org^*/support_block/ -||mary.com/728_header.php -||mashable.com/tripleclick.html -||mathforum.org/images/tutor.gif -||mauritiusnews.co.uk/images/banners/ -||maxconsole.com/maxconsole/banners/ -||maxgames.com^*/sponsor_ -||maxkeiser.com^*-banner- -||mb.com.ph^*/skyscraper- -||mb.hockeybuzz.com^ -||mbl.is/augl/ -||mbl.is/mm/augl/ -||mccont.com/campaign%20management/ -||mccont.com/sda/ -||mccont.com/takeover/ -||mcjonline.com/filemanager/userfiles/banners/ -||mcnews.com.au/banners/ -||mcsesports.com/images/sponsors/ -||mcstatic.com^*/billboard_ -||mcvuk.com/static/banners/ -||mealsandsteals.sandiego6.com^ -||meanjin.com.au/static/images/sponsors.jpg -||mechodownload.com/forum/images/affiliates/ -||medhelp.org/hserver/ -||media-delivery.armorgames.com^ -||media-imdb.com/images/*/imdbads/js/collections/ads-tarnhelm-$domain=imdb.com -||media-imdb.com/images/*/imdbads/js/collections/ads-video-$domain=imdb.com -||media-imdb.com/images/*/mptv_banner_ -||media-imdb.com^*/affiliates/ -||media-imdb.com^*/clicktale-$script -||media-imdb.com^*/zergnet- -||media-mgmt.armorgames.com^ -||media.abc.go.com^*/callouts/ -||media.mtvnservices.com/player/scripts/mtvn_player_control.js$domain=spike.com -||media.studybreakmedia.com^$image -||mediafire.com/images/rockmelt/ -||mediafire.com/templates/linkto/ -||mediafire.com^*/linkto/default-$subdocument -||mediafire.com^*/rockmelt_tabcontent.jpg -||mediafire.re/popup.js -||mediafiretrend.com/ifx/ifx.php? -||mediafiretrend.com/turboflirt.gif -||mediamgr.ugo.com^ -||mediaspanonline.com/images/buy-itunes.png -||mediaspanonline.com/inc.php?uri=/&bannerPositions= -||mediaspanonline.com^*_Background.$domain=farmingshow.com -||mediaspanonline.com^*_Background_$domain=farmingshow.com|radiosport.co.nz -||mediaticks.com/bollywood.jpg -||mediaticks.com/images/genx-infotech.jpg -||mediaticks.com/images/genx.jpg -||mediaupdate.co.za/temp/banner_ -||mediaweek.com.au/storage/*_234x234.jpg? -||medicaldaily.com/views/images/banners/ -||meetic.com/js/*/site_under_ -||megasearch.us/ifx/ifx.php? -||megasearch.us/turboflirt.gif -||megashares.com/cache_program_banner.html -||megaswf.com/file/$domain=gruntig.net -||megauploadtrend.com/iframe/if.php? -||meinbonusxxl.de^$domain=xup.in -||meizufans.eu/efox.gif -||meizufans.eu/merimobiles.gif -||meizufans.eu/vifocal.gif -||memory-alpha.org/__varnish_liftium/ -||memorygapdotorg.files.wordpress.com^*allamerican3.jpg$domain=memoryholeblog.com -||menafn.com^*/banner_ -||mensxp.com^*/banner/ -||mentalfloss.com^*-skin- -||merriam-webster.com/creative.php? -||merriam-webster.com^*/accipiter.js -||messianictimes.com/images/1-13/ba_mhfinal_ -||messianictimes.com/images/4-13/reach.jpg -||messianictimes.com/images/banners/ -||messianictimes.com/images/Israel%20Today%20Logo.png -||messianictimes.com/images/Jews%20for%20Jesus%20Banner.png -||messianictimes.com/images/MJBI.org.gif -||messianictimes.com/images/Word%20of%20Messiah%20Ministries1.png -||meteomedia.com^*&placement -||meteovista.co.uk/go/banner/ -||meteox.co.uk/bannerdetails.aspx? -||meteox.com/bannerdetails.aspx? -||metradar.ch^*/banner_ -||metrolyrics.com/js/min/tonefuse.js -||metromedia.co.za/bannersys/banners/ -||mfcdn.net/media/*left -||mfcdn.net/media/*right -||mfcdn.net/media/game321/$image -||mfcdn.net^*banner$domain=mangafox.me -||mg.co.za^*/wallpaper -||mgid.com/ban/ -||mgnetwork.com/dealtaker/ -||mhvillage.com/ppc.php? -||mi-pro.co.uk/banners/ -||miamiherald.com^*/dealsaver/ -||miamiherald.com^*/teamfanshop/ -||micast.tv/clean.php -||michronicleonline.com/images/banners/ -||middle-east-online.com^*/meoadv/ -||midlandsradio.fm/bms/ -||mightyupload.com/popuu.js -||mikejung.biz/images/*/728x90xLiquidWeb_ -||milanounited.co.za/images/sponsor_ -||mindfood.com/upload/images/wallpaper_images/ -||miniclipcdn.com/images/takeovers/ -||mininova.org/js/vidukilayer.js -||minnpost.com^*/sponsor/ -||mirror.co.uk^*/gutters/ -||mirror.co.uk^*/sponsors/ -||mirror.co.uk^*_promos_ -||mirror.ninja^$subdocument,~third-party -||mirrorcreator.com/js/mpop.js -||mirrorcreator.com/js/pu_ad.js -||mirrorstack.com/?q=r_ads -||misterwhat.co.uk/business-company-300/ -||mixfm.co.za/images/banner -||mixfm.co.za^*/tallspon -||mixx96.com/images/banners/ -||mizzima.com/images/banners/ -||mlb.com/images/*_videoskin_*.jpg -||mlb.com^*/sponsorship/ -||mlg-ad-ops.s3.amazonaws.com^$domain=majorleaguegaming.com -||mmoculture.com/wp-content/uploads/*-background- -||mmorpg.com/images/*_hots_r0.jpg -||mmorpg.com/images/mr_ss_ -||mmorpg.com/images/skins/ -||mmosite.com/sponsor/ -||mnn.com/sites/*/popups/AllstatePopup$script -||mnn.com^*/120x60/ -||mob.org/banner/ -||mobilephonetalk.com/eurovps.swf -||mochiads.com/srv/ -||modhoster.com/image/U/$image -||moevideo.net/getit/$object-subrequest,domain=videochart.net -||money-marketuk.com/images/banners/ -||moneyam.com/www/ -||moneymakerdiscussion.com/mmd-banners/ -||moneymedics.biz/upload/banners/ -||monitor.co.ug/image/view/*/120/ -||monitor.co.ug/image/view/*/468/ -||monkeygamesworld.com/images/banners/ -||monster.com/null&pp -||morefmphilly.com^*/sponsors/ -||morefree.net/wp-content/uploads/*/mauritanie.gif -||morningstaronline.co.uk/offsite/progressive-listings/ -||motorcycles-motorbikes.com/pictures/sponsors/ -||motorhomefacts.com/images/banners/ -||motortrader.com.my/skinner/ -||motorweek.org^*/sponsor_logos/ -||mountainbuzz.com/attachments/banners/ -||mousesteps.com/images/banners/ -||mouthshut.com^*/zedo.aspx -||movie2k.tl/layers/ -||movie2k.tl/serve.php -||movie2kto.ws/popup -||movie4k.to/*.js -||movie4k.tv/e.js -||moviewallpaper.net/js/mwpopunder.js -||movizland.com/images/banners/ -||movstreaming.com/images/edhim.jpg -||movzap.com/aad.html -||movzap.com/zad.html -||mp.adverts.itv.com/priority/*.mp4$object-subrequest -||mp3.li/images/md_banner_ -||mp3li.net^*banner -||mp3mediaworld.com*/! -||mp3s.su/uploads/___/djz_to.png -||mp3skull.com/call_banner_exec_new. -||msecnd.net/script/$script,domain=eztv.ag|firedrive.com|limetorrents.cc|monova.org|sankakucomplex.com|sockshare.com|ukpirate.org|unblocked.kim|userscloud.com|yourbittorrent.com -||msn.com/?adunitid -||msw.ms^*/jquery.MSWPagePeel- -||mtbr.com/ajax/hotdeals/ -||mtv.co.uk^*/btn_itunes.png -||mtvnimages.com/images/skins/$image -||muchmusic.com/images/*-skin.png -||muchmusic.com^*/bigbox_frame_resizer.html -||muchmusic.com^*/leaderboard_frame_obiwan.html -||multiup.org/img/sonyoutube_long.gif -||multiupload.biz/r_ads2 -||murdermysteries.com/banners-murder/ -||music.yahoo.com/get-free-html -||musicmaza.com/bannerdyn -||musicplayon.com/banner? -||musicremedy.com/banner/ -||musictarget.com*/! -||mustangevolution.com/images/300x100_ -||mustangevolution.com^*/banner/ -||mustangevolution.com^*/banners/ -||muthafm.com^*/partners.png -||my-link.pro/rotatingBanner.js -||myam1230.com/images/banners/ -||myanimelist.cdn-dena.com/images/affiliates/ -||mybroadband.co.za/news/wp-content/wallpapers/ -||mycentraljersey.com^*/sponsor_ -||myfax.com/free/images/sendfax/cp_coffee_660x80.swf -||myfpscheats.com/bannerimg.jpg -||mygaming.co.za/news/wp-content/wallpapers/ -||mygaming.co.za^*/partners/ -||myiplayer.eu/ad -||mymusic.com.ng/images/supportedby -||mypbrand.com/wp-content/uploads/*banner -||mypiratebay.cl^$subdocument -||mypremium.tv^*/bpad.htm -||myproperty.co.za/banners/ -||myretrotv.com^*_horbnr.jpg -||myretrotv.com^*_vertbnr.jpg -||myrls.me/open.js -||mysafesearch.co.uk/adds/ -||myshadibridalexpo.com/banner/ -||myspacecdn.com/cms/*_skin_ -||mysubtitles.com^*_banner.jpg -||mysuncoast.com/app/wallpaper/ -||mysuncoast.com^*/sponsors/ -||mytyres.co.uk/simg/skyscrapers/ -||myway.com/gca_iframe.html -||mywot.net/files/wotcert/vipre.png -||naij.com^*/branding/ -||nairaland.com/importantfiles/ -||namepros.com/images/backers/ -||narrative.ly/ads/ -||narutoget.us/*.html$subdocument -||nation.co.ke^*_bg.png -||nation.lk^*/banners/ -||nation.sc/images/banners/ -||nation.sc/images/pub -||nationaljournal.com/js/njg.js -||nationalreview.com/images/display_300x600- -||nationalturk.com^*/banner -||nationmultimedia.com/home/banner/ -||nationmultimedia.com/new/js/nation_popup.js -||nativetimes.com/images/banners/ -||naturalhealth365.com/images/ic-may-2014-220x290.jpg -||naturalnews.com/Images/Root-Canal-220x250.jpg -||naturalnews.com^*/SBAContent. -||naturalnewsblogs.com^*/SBA- -||naturalnewsblogs.com^*/SBA. -||naukimg.com/banner/ -||naukri.com/banners2016/ -||nbr.co.nz^*-WingBanner_ -||nciku.com^*banner -||ncrypt.in/images/1.gif -||ncrypt.in/images/a/ -||ncrypt.in/images/banner -||ncrypt.in/images/useful/ -||ncrypt.in/javascript/jquery.msgbox.min.js -||ncrypt.in^*/layer.$script -||ndtv.com/functions/code.js -||ndtv.com/widget/conv-tb -||ndtv.com^*/banner/ -||ndtv.com^*/sponsors/ -||nearlygood.com^*/_aff.php? -||nemesistv.info/jQuery.NagAds1.min.js -||neodrive.co/cam/ -||neoseeker.com/a_pane.php -||neowin.net/images/atlas/aww -||nerej.com/c/ -||nesn.com/img/nesn-nation/bg- -||nesn.com/img/nesn-nation/header-dunkin.jpg -||nesn.com/img/sponsors/ -||nest.youwatch.org^ -||netdna-cdn.com^$domain=modovideo.com|mooshare.biz -||netdna-cdn.com^*/tiwib-lootr-ad.png$domain=thisiswhyimbroke.com -||netdna-ssl.com/sponsor/$domain=ar12gaming.com -||netdna-ssl.com^$script,domain=cnet.com -||netdna-ssl.com^*-sponsors-$domain=skift.com -||netdna-ssl.com^*/sponsor/$domain=ar12gaming.com -||netindian.in/frontsquare*.php -||netspidermm.indiatimes.com^ -||netsplit.de/links/rootado.gif -||netupd8.com^*/ads/ -||network.sofeminine.co.uk^ -||networkwestvirginia.com/uploads/user_banners/ -||networx.com/widget.php?aff_id=$script -||newafricanmagazine.com/images/banners/ -||newalbumreleases.net/banners/ -||newburytoday.co.uk^*-WillisAinsworth1.gif -||newipnow.com/ad-js.php -||newoxfordreview.org/banners/ad- -||news-leader.com^*/banner.js -||news-record.com/app/deal/ -||news.am/pic/bnr/ -||news.com.au/cs/*/bg-body.jpg -||news.com.au/news/vodafone/$object -||news.com.au^*-promo$image -||news.com.au^*/images/*-bg.jpg -||news.com.au^*/promos/ -||news.com.au^*/promotions/ -||news.com.au^*/public/img/p/$image -||newsbusters.org^*/banners/ -||newscdn.com.au^*/aldi/ -||newscdn.com.au^*/desktop-bg-body.png$domain=news.com.au -||newsday.co.tt/banner/ -||newsday.co.zw^*/HPTO-1.jpg -||newsinenglish.no^*/makingwaves.jpg -||newsonjapan.com/images/banners/ -||newsonjapan.com^*/banner/ -||newsreview.com/images/promo.gif -||newstatesman.com/sites/all/themes/*_1280x2000.$image -||newstrackindia.com/images/hairfallguru728x90.jpg -||newsudanvision.com/images/banners/ -||newsudanvision.com/images/Carjunctionadvert.gif -||newsvine.com//jenga/widget/ -||newsvine.com/jenga/widget/ -||newsweek.com^*interstitial.js -||newverhost.com/css/onload.js -||newverhost.com/css/pp.js -||newvision.co.ug/banners/ -||newvision.co.ug/rightsidepopup/ -||nextag.com^*/NextagSponsoredProducts.jsp? -||nextbigwhat.com/wp-content/uploads/*ccavenue -||nextgen-auto.com/images/banners/ -||nextstl.com/images/banners/ -||nfl.com/assets/images/hp-poweredby- -||nfl.com^*/page-background-image.jpg -||nflcdn.com^*/partner-type/$~stylesheet -||ngfiles.com/bg-skins/sponsored/skins/$domain=newgrounds.com -||ngohq.com/images/ad.jpg$~collapse -||ngrguardiannews.com/images/banners/ -||nichepursuits.com/wp-content/uploads/*/long-tail-pro-banner.gif -||nigeriafootball.com/img/affiliate_ -||nigeriamasterweb.com/Masterweb/banners_pic/ -||nigerianbulletin.com^*/Siropu/ -||nigerianyellowpages.com/images/banners/ -||niggasbelike.com/wp-content/themes/zeecorporate/images/b.jpg -||nijobfinder.co.uk/affiliates/ -||nimbb.com^$domain=my.rsscache.com -||nirsoft.net/banners/ -||nitrobahn.com.s3.amazonaws.com/theme/getclickybadge.gif -||niufm.com^*/promo/ -||nmap.org/shared/images/p/$image -||nme.com/js/takeoverlay.js -||nme.com/themes/takeovers/ -||nmimg.net/css/takeover_ -||nodevice.com/images/banners/ -||nogripracing.com/iframe.php -||northjersey.com^*_Sponsor. -||norwaypost.no/images/banners/ -||nosteam.ro^*/compressed.ggotab36.js -||nosteam.ro^*/gamedvprop.js -||nosteam.ro^*/messages.js -||nosteam.ro^*/messagesprop.js -||notalwaysromantic.com/images/banner- -||notdoppler.com^*-promo-homepageskin.png -||notdoppler.com^*-promo-siteskin. -||notebook-driver.com/wp-content/images/banner_ -||novamov.com/images/download_video.jpg -||nowgoal.com/images/foreign/ -||nowwatchtvlive.co/revenuehits.html -||nowwatchtvlive.com/revenuehits.html -||ntdtv.com^*/adv/ -||nu2.nu^*/sponsor/ -||nu2.nu^*_banner. -||nufc.com/forddirectbanner.js -||nufc.com^*/altoonative_Cardiff.gif -||nufc.com^*/mjs-2013-11.png -||nufc.com^*/skyscraper.gif -||nufc.com^*/The%20Gate_NUFC.com%20banner_%2016.8.13.gif -||nufc.com^*_360x120.gif -||numberempire.com/images/b/ -||nutritionhorizon.com/content/banners/ -||nutritionhorizon.com/content/flash_loaders/$object -||nuttynewstoday.com/images/hostwink.jpg -||nuttynewstoday.com/images/percento-banner.jpg -||nuvo.net^*/FooterPromoButtons.html -||nyaa.se/ac- -||nyaa.se/ag -||nyaa.se/ah -||nyaa.se/ai -||nyaa.se/aj -||nyaa.se/al -||nydailynews.com/img/sponsor/ -||nydailynews.com/PCRichards/ -||nydailynews.com^*-reskin- -||nymag.com/partners/ -||nymag.com/scripts/skintakeover.js -||nymag.com^*/metrony_ -||nypost.com/xyz? -||nypost.com^*/takeovers/ -||nyrej.com/c/ -||nyt.com^*-sponsor- -||nytimes.com/ads/ -||nytimes.com^*-sponsor- -||nzbindex.nl/images/banners/ -||nzbking.com/static/nzbdrive_banner.swf -||nzmelistings.co.nz^$subdocument,domain=nzherald.co.nz -||nznewsuk.co.uk/banners/ -||oanda.com/wandacache/wf-banner- -||oas.autotrader.co.uk^ -||oas.skyscanner.net^ -||oasc07.citywire.co.uk^ -||oascentral.chron.com^ -||oascentral.hosted.ap.org^ -||oascentral.newsmax.com^ -||objects.tremormedia.com/embed/swf/acudeo.swf$object-subrequest,domain=deluxemusic.tv.staging.ipercast.net -||oboom.com/assets/raw/$media,domain=oboom.com -||observer.com.na/images/banners/ -||observer.org.sz/files/banners/ -||observer.ug/images/banners/ -||ocforums.com/adj/ -||ocp.cbssports.com/pacific/request.jsp? -||oddschecker.com^*/takeover/ -||ohmygore.com/ef_pub*.php -||oilprice.com/images/banners/ -||oilprice.com/images/sponsors/ -||oilprice.com/oiopub/ -||okccdn.com/media/img/takeovers/ -||okcupid.com/daisy?$subdocument -||oldgames.sk/images/topbar/ -||oload.tv/logpopup/ -||omgpop.com/dc? -||on.net/images/gon_nodestore.jpg -||oncyprus.com^*/banners/ -||one-delivery.co.uk^*/sensitivedating.png -||onepieceofbleach.com/onepieceofbleach-gao- -||onionstatic.com/sponsored/ -||onlinekeystore.com/skin1/images/side- -||onlinemarketnews.org^*/silver300600.gif -||onlinemarketnews.org^*/silver72890.gif -||onlinenews.com.pk/onlinenews-admin/banners/ -||onlinerealgames.com/google$subdocument -||onlineshopping.co.za/expop/ -||onlygoodmovies.com/netflix.gif -||onrpg.com^*.php?$xmlhttprequest -||onvasortir.com/maximemo-pense-bete-ovs.png -||opednews.com^*/iframe.php? -||opencurrency.com/wp-content/uploads/*-aocs-sidebar-commodity-bank.png -||openload.co/logpopup/ -||opensubtitles.org/gfx/banners_campaigns/ -||oprah.com^*-300x335.jpg -||optics.org/banners/ -||optimum.net/utilities/doubleclicktargeting -||oraclebroadcasting.com/images/enerfood-300x90.gif -||oraclebroadcasting.com/images/extendovite300.gif -||oraclebroadcasting.com/images/hempusa_330.gif -||originalfm.com/images/hotspots/ -||originalweedrecipes.com/wp-content/uploads/*-Medium.jpg -||orissadiary.com/img/*-banner.gif -||orkut.gmodules.com^/promote.xml -||orlandosentinel2.com^*-sponsorship- -||orzzzz.com/orznews?$subdocument -||osdir.com/ml/$subdocument -||oteupload.com/images/iLivid-download- -||ouo.io/js/pop. -||ourmanga.com/funklicks -||outline-brand.imgix.net^*/micro_native/$domain=theoutline.com -||outlookindia.com/image/banner_ -||outlookmoney.com/sharekhan_ad.jpg -||outofaces.com/*.html$subdocument -||overclock3d.net/img/pcp.jpg -||overclockers.co.uk^*/background/ -||ovfile.com/player/jwadplugin.swf$object-subrequest -||ow.ly^*/hootsuite_promo.jpg -||ox-d.rantsports.com^ -||ox-d.sbnation.com^ -||ox-d.wetransfer.com^ -||ox.furaffinity.net^ -||oyetimes.com/join/advertisers.html -||ozqul.com^*/webbanners.png -||ozy.com/modules/_common/ozy/blade/ -||ozy.com/modules/_common/ozy/full_width/ -||ozy.com/modules/_common/ozy/pushdown/ -||ozy.com^*/interstitial/ -||p1pa.com^$domain=haxmaps.com -||p2pnet.net/images/$image -||pacificnewscenter.com/images/banners/ -||pagesinventory.com/_data/img/*_125x400_ -||paisalive.com/include/popup.js -||pakistantoday.com.pk^*/karachi_houston_PakistanToday.jpg -||paktribune.com^*/banner -||pan2.ephotozine.com^$image -||pandora.com^*/mediaserverPublicRedirect.jsp -||parade.com/images/skins/ -||paradoxwikis.com/Sidebar.jpg -||pardaphash.com/direct/tracker/add/ -||paris-update.com^*/banners/ -||parlemagazine.com/images/banners/ -||partners-z.com^ -||pasadenajournal.com/images/banners/ -||passageweather.com/links/ -||patrickjames.com/images/$domain=askandyaboutclothes.com -||payplay.fm^*/mastercs.js -||pbs.org^*/sponsors/ -||pbsrc.com/sponsor/ -||pbsrc.com^*/sponsor/ -||pcadvisor.co.uk/graphics/sponsored/ -||pcauthority.com.au^*/skins/ -||pcgamesn.com/sites/default/files/SE4L.JPG -||pcgamesn.com/sites/default/files/Se4S.jpg -||pcmag.com/blogshome/logicbuy.js -||pcpro.co.uk/images/*_siteskin -||pcpro.co.uk/images/skins/ -||pcpro.co.uk^*/pcprositeskin -||pcpro.co.uk^*skin_wide. -||pcr-online.biz/static/banners/ -||pcworld.co.nz^*_siteskin_ -||pcworld.com/images/*_vidmod_316x202_ -||pdn-1.com/tabu/display.js$domain=anime-joy.tv|readmanga.today -||pdn-1.com^$domain=arenabg.ch -||pe.com^*/biice2scripts.js -||pechextreme.com^*/banner. -||pechextreme.com^*/banners/ -||pedestrian.tv/_crunk/wp-content/files_flutter/ -||penguin-news.com/images/banners/ -||perezhilton.com/images/ask/ -||peruthisweek.com/uploads/sponsor_image/ -||petri.co.il/media/$image -||petri.co.il/wp-content/uploads/banner1000x75_ -||petri.co.il/wp-content/uploads/banner700x475_ -||pettube.com/images/*-partner. -||pgatour.com^*/featurebillboard_ -||pghcitypaper.com/general/modalbox/modalbox.js -||phantom.ie^*/banners/ -||phillytrib.com/images/banners/ -||phnompenhpost.com/images/stories/banner/ -||phnompenhpost.com^*/banner_ -||phonearena.com/images/banners/ -||phonebunch.com/images/flipkart_offers_alt.jpg -||phonescoop.com^*/a_tab.gif -||phoronix.com/phxforums-thread-show.php -||photo.net/equipment/pg-160^ -||photobucket.com/albums/cc94/dl4all/temp/enginesong.gif$domain=dl4all.com -||photosupload.net/photosupload.js -||phpbb.com/theme/images/bg_forumatic_front_page.png -||phpbb.com/theme/images/hosting/hostmonster-downloads.gif -||phpmotion.com/images/banners-webhosts/ -||phuket-post.com/img/a/ -||phuketgazette.net/banners/ -||phuketgazette.net^*/banners/ -||phuketwan.com/img/b/ -||physorg.com^*/addetect.js -||pickmeupnews.com/cfopop.js -||picsee.net/clk.js -||pidjin.net^*/box.png -||pinkbike.org^*/skins/ -||pinknews.co.uk/gsky. -||pinknews.co.uk/newweb/ -||piratefm.co.uk/resources/creative/ -||pirateproxy.nl/inc/ex.js -||pitchero.com^*/toolstation.gif -||pittnews.com/modules/mod_novarp/ -||pixhost.org/exc/ -||pixhost.org/image/fik1.jpg -||pixsense.net^$xmlhttprequest -||planecrashinfo.com/images/advertize1.gif -||planetlotus.org/images/partners/ -||planetradiocity.com^*banner -||play4movie.com/banner/ -||player.1800coupon.com^ -||player.1stcreditrepairs.com^ -||player.800directories.com^ -||player.accoona.com^ -||player.alloutwedding.com^ -||player.insuranceandhealth.com^ -||playgames2.com/ban300- -||playgames2.com/default160x160.php -||playgames2.com/mmoout.php -||playgames2.com/rand100x100.php -||playgroundmag.net^*/wallpaperpgesp_$image -||playhd.eu^*.html|$subdocument -||playhub.com/js/popup-wide.js -||playlist.yahoo.com/makeplaylist.dll?$domain=au.tv.yahoo.com -||playtowerdefensegames.com/ptdg-gao-gamebox-homepage.swf -||pleasurizemusic.com^*/banner/ -||plsn.com/images/PLSN-Bg1.jpg -||plunderguide.com/leaderboard-gor.html -||plunderguide.com/rectangle2.html -||plundermedia.com*rectangle- -||pmm.people.com.cn^ -||pocket-lint.com/images/bytemarkad. -||pocketnow.com*/embeded-adtional-content/ -||pocketnow.com^$subdocument,~third-party -||pocketpcaddict.com/forums/images/banners/ -||pogo.com/v/*/js/ad.js -||pokernews.com/b/ -||pokernews.com/preroll.php? -||police-car-photos.com/pictures/sponsors/ -||policeprofessional.com/files/banners- -||policeprofessional.com/files/pictures- -||politicalwire.com/images/*-sponsor.jpg -||politico.com^*_skin_ -||politicususa.com/psa/ -||politicususa.netdna-cdn.com/wp-content/uploads/shadowbox-js/$script,domain=politicususa.com -||pons.eu^*/lingeniobanner.swf -||pop-over.powered-by.justplayzone.com^ -||pornevo.com/events_ -||portcanaveralwebcam.com/images/ad_ -||portevergladeswebcam.com^*-Ad.jpg -||portevergladeswebcam.com^*-WebCamBannerFall_ -||portlanddailysun.me/images/banners/ -||portmiamiwebcam.com/images/sling_ -||porttechnology.org/images/partners/ -||portugaldailyview.com/images/mrec/ -||portugalresident.com/t/ -||positivehealth.com^*/BannerAvatar/ -||positivehealth.com^*/TopicbannerAvatar/ -||postadsnow.com/panbanners/ -||postcrescent.com^*/promos/ -||postimg.org/998w2sb0b/blackops2hack.gif$domain=unknowncheats.me -||poststar.com^*/ad_ -||poststar.com^*/dealwidget.php? -||poststar.com^*/promos/ -||power1035fm.com^*/banners/ -||power977.com/images/banners/ -||powerbot.org^*/ads/ -||powvideo.net/*?zoneid=$script -||powvideo.net/ban/ -||powvideo.net/js/pu2/$script -||pqarchiver.com^*/utilstextlinksxml.js -||pr0gramm.com/wm/ -||praguepost.com/images/banners/ -||preev.com/ads| -||preev.com/ad| -||prehackshub.com/js/popup-wide.js -||premierleague.com^*/sponsor_ -||preppersmallbiz.com/wp-content/uploads/*/PSB-Support.jpg -||prepperwebsite.com/wp-content/uploads/*-250x250.jpg -||prepperwebsite.com/wp-content/uploads/*/250x250- -||prepperwebsite.com/wp-content/uploads/*/apmgoldmembership250x250.jpg -||prepperwebsite.com/wp-content/uploads/*/DeadwoodStove-PW.gif -||prepperwebsite.com/wp-content/uploads/*/FME-Red-CAP.jpg -||prepperwebsite.com/wp-content/uploads/*/jihad.jpg -||prepperwebsite.com/wp-content/uploads/*/PW-Ad.jpg -||prepperwebsite.com/wp-content/uploads/*/tsepulveda-1.jpg -||prepperwebsite.com/wp-content/uploads/*_250x150.png -||prepperwebsite.com/wp-content/uploads/*_250x250.jpg -||prerollads.ign.com^ -||pressrepublican.com/wallpaper/ -||prewarcar.com/images/banners/ -||primenews.com.bd/add/ -||primewire.ag/additional_content.php -||primewire.ag/frame_header.php?$subdocument -||primewire.ag/js/jquery*.js -||primewire.ag/load_link.php? -||primewire.guru/load_link.php? -||primewire.guru/pagetop.php -||primewire.in/additional_content.php -||primewire.in/load_link.php? -||printfriendly.com/a/lijit/ -||prisonplanet.com^*banner -||privateproperty.co.za^*/siteTakeover/ -||pro-clockers.com/images/banners/ -||professionalmuscle.com/*banner -||professionalmuscle.com/220x105%20ver2.gif -||professionalmuscle.com/featured-concreter.jpg -||professionalmuscle.com/phil1.jpg -||professionalmuscle.com/PL2.gif -||profitconfidential.com/wp-content/themes/PC-child-new/images/*_banners_ -||profitconfidential.com/you-may-also-like? -||project-for-sell.com/_google.php -||projectfreetv.at/prom2.html -||projectfreetv.ch/adblock/ -||projectorcentral.com/bblaster.cfm?$image -||promo.fileforum.com^ -||propakistani.pk/data/warid_top1.html -||propakistani.pk/data/zong.html -||propakistani.pk/wp-content/*/warid.jpg -||propakistani.pk/wp-content/themes/propakistani/images/776.jpg -||propertyeu.info/peu_storage_banners/ -||proxy-list.org/img/isellsite.gif -||proxy-youtube.net/mih_ -||proxy-youtube.net/myiphide_ -||proxy.org/af.html -||proxy.org/ah.html -||proxycape.com/blah.js -||ps3crunch.net/forum/images/gamers/ -||psarips.com^*.js?tid=$script -||psgroove.com/images/*.jpg| -||ptf.com/fdm_frame_ -||ptf.com/js/fdm_banner.js -||ptf.com/js/ptf_rc_*.js -||ptf.com/js/rc_banner.js -||pub.chinadailyasia.com^ -||publicdomaintorrents.info/grabs/hdsale.png -||publicdomaintorrents.info/rentme.gif -||publicdomaintorrents.info/srsbanner.gif -||publichd.eu/images/direct.download.ico -||publichd.eu/images/directdownload.png -||publicityupdate.co.za/temp/banner_ -||publicradio.org^*/banners/ -||publicservice.co.uk^*/spons_ -||pubster.twitch.tv^$websocket -||pulsetv.com/banner/ -||pumasrugbyunion.com/images/sponsors/ -||punch.cdn.ng^*/wp-banners/ -||punchng.com^*/wp-banners/ -||punksbusted.com/images/ventrilo/ -||punksbusted.com^*/clanwarz-portal.jpg -||pushsquare.com/wp-content/themes/pushsquare/skins/ -||putlocker.is/images/banner -||pv-tech.org/images/footer_logos/ -||pv-tech.org/images/suntech_m2fbblew.png -||q1075.com/images/banners/ -||qatar-tribune.com/images/banners/ -||qiksilver.net^*/banners/ -||qrz.com/pix/*.gif -||qualityhealth.com^*/banner.jsp? -||queenshare.com/popx.js -||quickmeme.com/media/rostile -||quickpwn.com^$subdocument -||quicksilverscreen.com/img/moviesforfree.jpg -||quoteland.com/images/banner2.swf -||race-dezert.com/images/wrap- -||race-dezert.com^*/sponsor- -||racingpost.com/ads/ -||racingpost.com^*_607x30.2.0.gif -||racinguk.com/images/site/foot_ -||rackcdn.com/*Rails_$domain=accesshollywood.com -||rackcdn.com/*skin-$domain=pcgamesn.com -||racketboy.com/images/racketboy_ad_ -||rad.microsoft.com^ -||rad.msn.com^ -||radio-riverside.co.za/modules/mod_novarp/tmpl/pjmr.swf? -||radio.com/rotatable? -||radio1584.co.za/images/banners/ -||radio4fm.com/images/background/ -||radio4fm.com/promotion/ -||radio786.co.za/images/banners/ -||radio90fm.com/images/banners/ -||radioasiafm.com^*-300x250. -||radiocaroline.co.uk/swf/ACET&ACSP_RadioCaroline_teg.swf -||radioinfo.com/270x270/ -||radioinfo.com^*/575x112- -||radioloyalty.com/newPlayer/loadbanner.html? -||radionomy.com^*/ad/ -||radioreference.com/i/p4/tp/smPortalBanner.gif -||radioreference.com^*_banner_ -||radiotimes.com/assets/images/partners/ -||radiotoday.co.uk/a/ -||radiowave.com.na/images/banners/ -||radiowavesforum.com/rw/radioapp.gif -||radiozindagi.com/sponsors/ -||ragezone.com/index.php/$subdocument -||ragezone.com/out.php/$subdocument -||ragezone.com/output.php/ -||rainbowpages.lk/images/banners/ -||rainiertamayo.com/js/$script -||rapidfiledownload.com^*/btn-input-download.png -||rapidgamez.com/images/ -||rapidgator.net/images/banners/ -||rapidgator.net/images/pics/button.png -||rapidlibrary.com/baner*.png -||rapidlibrary.com/banner_*.png -||rapidsafe.de/eislogo.gif -||rapidshare.com/promo/$image -||rapidtvnews.com^*BannerAd. -||rapidvideo.org/images/pl_box_rapid.jpg -||rapidvideo.tv/images/pl.jpg -||ratemystrain.com/files/*-300x250. -||ratio-magazine.com/images/banners/ -||ravchat.com/img/reversephone.gif -||rawstory.com/givememyrawgfp.php? -||rawstory.com/givememyrawgfpdirect.php? -||rawstory.com/givememyrawjuggler.php -||rawstory.com^*.php?code=bottom -||rawstory.com^*/ads/ -||raysindex.com/wp-content/uploads/*/dolmansept2012flash.swf -||rc.feedsportal.com/r/*/rc.img -||readingeagle.com/lib/dailysponser.js -||readynutrition.com^*/banners/ -||realitytvworld.com/burst.js -||realitytvworld.com/includes/rtvw-jscript.js -||reason.org/UserFiles/web-fin1.gif -||red.bayimg.net^ -||reddit.com^*_sponsor.png? -||redfm.com.au^*/Sponsor_ -||rediff.com/worldrediff/pix/$subdocument -||rednationonline.ca/Portals/0/derbystar_leaderboard.jpg -||redpepper.org.uk/ad- -||redvase.bravenet.com^ -||reelzchannel.com^*-skin- -||regmender.com^*/banner336x280. -||regnow.img.digitalriver.com/vendor/37587/ud_box$third-party -||rejournal.com/images/banners/ -||rejournal.com/users/blinks/ -||rejournal.com^*/images/homepage/ -||releaselog.net/468.htm -||releaselog.net/uploads2/656d7eca2b5dd8f0fbd4196e4d0a2b40.jpg -||relink.us/js/ibunkerslide.js -||replacementdocs.com^*/popup.js -||residentadvisor.net/images/banner/ -||retrevo.com/m/google?q= -||retrevo.com^*/pcwframe.jsp? -||reuters.com/reuters_bootstrap.js -||reuters.com/reuters_gpt_bootstrap*.js -||reviewcentre.com/cinergy-adv.php -||revisionworld.co.uk/sites/default/files/imce/Double-MPU2-v2.gif -||rfu.com/js/jquery.jcarousel.js -||rghost.ru/download/a/*/banner_download_ -||richardroeper.com/assets/banner/ -||richmedia.yimg.com^ -||riderfans.com/other/ -||rightsidenews.com/images/banners/ -||ringostrack.com^*/amazon-buy.gif -||rislivetv.com/ad*.php -||rlsbb.com/wp-content/uploads/izilol.gif -||rlsbb.com/wp-content/uploads/smoke.jpg -||rlslog.net/files/frontend.js -||robhasawebsite.com^*/amazon- -||robhasawebsite.com^*/shop-amazon. -||robinwidget.com/images/batman_banner.png -||rockettheme.com/aff/ -||rocksound.tv/images/uploads/*-rocksound-1920x1000_ -||rocktelevision.com^*_banner_ -||rockthebells.net/images/banners/ -||rockthebells.net/images/bot_banner_ -||rocktv.co/adds/ -||rocvideo.tv/pu/$subdocument -||rodfile.com/images/esr.gif -||roia.com^ -||rojadirecta.ge^*/pu.js -||rok.com.com/rok-get? -||rom-freaks.net/popup.php -||romereports.com/core/media/automatico/ -||romereports.com/core/media/sem_comportamento/ -||romhustler.net/square.js -||rootsweb.com/js/o*.js -||roseindia.net^*/banners/ -||rotoworld.com^*&sponsor=$subdocument -||rough-polished.com/upload/bx/ -||routerpasswords.com/routers.jpg -||routes-news.com/images/banners/ -||routesonline.com/banner/ -||rpgwatch.com^*/banner/ -||rpt.anchorfree.net^ -||rsbuddy.com/campaign/ -||rss2search.com/delivery/ -||rt.com/banner/ -||rt.com/static/img/banners/ -||rtcc.org/systems/sponsors/ -||rtklive.com/marketing/ -||rtklive.com^*/marketing -||rubiconproject.com^$domain=optimized-by.rubiconproject.com -||rugbyweek.com^*/sponsors/ -||runetki.joyreactor.ru^ -||runt-of-the-web.com/wrap1.jpg -||russianireland.com/images/banners/ -||rustourismnews.com/images/banners/ -||s.imwx.com^*/wx-a21-plugthis.js -||s.yimg.com^*/audience/ -||s3.amazonaws.com^$domain=imgclick.net -||sa4x4.co.za/images/banners/ -||saabsunited.com/wp-content/uploads/*-banner- -||saabsunited.com/wp-content/uploads/*-banner. -||saabsunited.com/wp-content/uploads/*_banner_ -||saabsunited.com/wp-content/uploads/180x460_ -||saabsunited.com/wp-content/uploads/ban- -||saabsunited.com/wp-content/uploads/rbm21.jpg -||saabsunited.com/wp-content/uploads/REALCAR-SAABSUNITED-5SEC.gif -||saabsunited.com/wp-content/uploads/USACANADA.jpg -||saabsunited.com/wp-content/uploads/werbung- -||sacbee.com/static/dealsaver/ -||sacommercialpropnews.co.za/files/banners/ -||saf.org/wp-content/uploads/*/theGunMagbanner.png -||saf.org/wp-content/uploads/*/women_guns192x50.png -||safelinks.eu/open.js -||sagoodnews.co.za/templates/ubuntu-deals/ -||saice.org.za/uploads/banners/ -||sail-world.com/rotate/ -||salfordonline.com/sponsors/ -||salfordonline.com/sponsors2/ -||sameip.org/images/froghost.gif -||samoaobserver.ws^*/banner/ -||samoatimes.co.nz^*/banner468x60/ -||sams.sh/premium_banners/ -||samsung.com/ph/nextisnow/files/javascript.js -||sapeople.com/wp-content/uploads/wp-banners/ -||sarasotatalkradio.com^*-200x200.jpg -||sareunited.com/uploaded_images/banners/ -||sarugbymag.co.za^*-wallpaper2. -||sat24.com/bannerdetails.aspx? -||satelliteguys.us/burst_ -||satelliteguys.us/pulsepoint_ -||satellites.co.uk/images/sponsors/ -||satnews.com/images/MITEQ_sky.jpg -||satnews.com/images/MSMPromoSubSky.jpg -||satopsites.com^*/banners/ -||savefrom.net/img/a1d/ -||saveondish.com/banner2.jpg -||saveondish.com/banner3.jpg -||sawlive.tv/ad -||sayellow.com/Clients/Banners/ -||saysuncle.com^*ad.jpg -||sbnation.com/campaigns_images/ -||scenicreflections.com/dhtmlpopup/ -||sceper.eu/wp-content/banners.min.js -||schenkelklopfer.org^$domain=4fuckr.com -||scientopia.org/public_html/clr_lympholyte_banner.gif -||scmagazine.com.au/Utils/SkinCSS.ashx?skinID= -||scoop.co.nz/xl?c$subdocument -||scoopnest.com/content_rb.php -||scoot.co.uk/delivery.php -||screen4u.net/templates/banner.html -||screenafrica.com/jquery.jcarousel.min.js -||screencrave.com/show/ -||screenlist.ru/dodopo.js -||screenlist.ru/porevo.js -||scribol.com/broadspring.js -||scriptcopy.com/tpl/phplb/search.jpg -||scriptmafia.org/banner.gif -||sdancelive.com/images/banners/ -||search-torrent.com/images/videox/ -||search.ch/acs/ -||search.ch/htmlbanner.html -||search.triadcareers.news-record.com/jobs/search/results?*&isfeatured=y& -||search.triadcars.news-record.com/autos/widgets/featuredautos.php -||searchenginejournal.com^*-takeover- -||searchenginejournal.com^*/sej-bg-takeover/ -||searchenginejournal.com^*/sponsored- -||searchignited.com^ -||searchtempest.com/clhimages/aocbanner.jpg -||seatguru.com/deals? -||seatrade-cruise.com/images/banners/ -||sebar.thand.info^ -||seclists.org/shared/images/p/$image -||sectools.org/shared/images/p/$image -||secureupload.eu/gfx/SecureUpload_Banner.png -||secureupload.eu/images/soundcloud_ -||secureupload.eu/images/wpman_ -||secureupload.eu/js/poad.js -||securitymattersmag.com/scripts/popup.js -||securitywonks.net/promotions/ -||sedo.cachefly.net^$domain=~sedoparking.com -||sedoparking.com/images/js_preloader.gif -||sedoparking.com/jspartner/ -||sedoparking.com/registrar/dopark.js -||seedboxes.cc/images/seedad.jpg -||seeingwithsound.com/noad.gif -||segmentnext.com/javascripts/interstitial.client.js -||sendspace.com/defaults/framer.html?z= -||sendspace.com/images/shutter.png -||sendspace.com^*?zone= -||sendvid.com/assets/bjsp-$script -||sensongs.com/nfls/ -||serial.sw.cracks.me.uk/img/logo.gif -||serials.ws^*/logo.gif -||serialzz.us/ad.js -||sermonaudio.com/images/sponsors/ -||sexmummy.com/avnadsbanner. -||sfbaytimes.com/img-cont/banners -||sfltimes.com/images/banners/ -||sfx.ms/AppInsights-$script -||sgtreport.com/wp-content/uploads/*-180x350. -||sgtreport.com/wp-content/uploads/*/180_350. -||sgtreport.com/wp-content/uploads/*/180x350. -||sgtreport.com/wp-content/uploads/*_Side_Banner. -||sgtreport.com/wp-content/uploads/*_Side_Banner_ -||shadowpool.info/images/banner- -||shanghaidaily.com/include/bettertraffic.asp -||shanghaiexpat.com^*/wallpaper_ -||share-links.biz/get/cmm/ -||share-links.biz^*/hisp.gif -||share-links.biz^*/hs.gif -||sharebeast.com/topbar.js -||sharemods.com/*.php?*=$script -||sharephile.com/js/pw.js -||sharesix.com/a/images/watch-bnr.gif -||sharetera.com/images/icon_download.png -||sharetera.com/promo.php? -||sharkscope.com/images/verts/$image -||shazam.com^*/thestores/ -||sheekyforums.com/if/$subdocument,~third-party -||sherdog.com/index/load-banner? -||shodanhq.com/images/s/acehackware-obscured.jpg -||shop.com/cc.class/dfp? -||shop.sportsmole.co.uk/pages/deeplink/ -||shopping.stylelist.com/widget? -||shoppingpartners2.futurenet.com^ -||shops.tgdaily.com^*&widget= -||shopwiki.com/banner_iframe/ -||shortcuts.search.yahoo.com^*&callback=yahoo.shortcuts.utils.setdittoadcontents& -||shortlist.com/resource/cache/*skin -||shortlist.com^*-takeover. -||shoutmeloud.com^*/hostgator- -||show-links.tv/layer.php -||showbusinessweekly.com/imgs/hed/ -||showcase.vpsboard.com^ -||showing.hardwareheaven.com^ -||showsport-tv.com/images/xtreamfile.jpg -||showstreet.com/banner. -||shroomery.org/bimg/ -||shroomery.org/bnr/ -||shroomery.org/images/shroomery.please.png -||shroomery.org/images/www.shroomery.org.please.png -||shtfplan.com/images/banners/ -||siberiantimes.com/upload/banners/ -||sicilianelmondo.com/banner/ -||sickipedia.org/static/images/banners/ -||sify.com/images/games/gadvt/ -||sify.com^*/gads_ -||sigalert.com/getunit.asp?$subdocument -||siliconrepublic.com/fs/img/partners/ -||silverdoctors.com^*/Silver-Shield-2015.jpg -||silvergames.com/div/ba.php -||sisters-magazine.com^*/Banners/ -||sitedata.info/doctor/ -||sitesfrog.com/images/banner/ -||siteslike.com/images/celeb -||siteslike.com/js/fpa.js -||sk-gaming.com/image/acersocialw.gif -||sk-gaming.com/image/pts/ -||sk-gaming.com/image/takeover_ -||sk-gaming.com/www/skdelivery/ -||skilouise.com/images/sponsors/ -||skymetweather.com^*/googleadds/ -||skynews.com.au/elements/img/sponsor/ -||skysports.com/images/skybet.png -||skyvalleychronicle.com/999/images/ban -||slacker.com/wsv1/getspot/?$object-subrequest -||slacker.com^*/adnetworks.swf -||slacker.com^*/ads.js -||slacker.com^*/getspot/?spotid= -||slader.com/amazon-modal/ -||slashgear.com/static/banners/ -||slayradio.org/images/c64audio.com.gif -||slyck.com/pics/*304x83_ -||smartcompany.com.au/images/stories/sponsored-posts/ -||smartearningsecrets.com^*/FameThemes.png -||smartmoney.net^*-sponsor- -||smartname.com/scripts/google_afd_v2.js -||smashingapps.com/banner/ -||smh.com.au/compareandsave/ -||smh.com.au/images/promo/ -||smile904.fm/images/banners/ -||smn-news.com/images/banners/ -||smn-news.com/images/flash/ -||smoothjazznetwork.com/images/buyicon.jpg -||smotrisport.com/ads/ -||snopes.com/common/include/$subdocument -||snopes.com^*/casalebanner.asp -||snopes.com^*/casalebox.asp -||snopes.com^*/casalesky.asp -||snopes.com^*/tribalbox.asp -||soccerlens.com/files1/ -||soccervista.com/bahforgif.gif -||soccervista.com/bonus.html -||soccervista.com/sporting.gif -||soccerway.com/buttons/120x90_ -||soccerway.com/img/betting/ -||socialstreamingplayer.crystalmedianetworks.com//async/banner/ -||sockshare.com/*.php?embed*type=$subdocument -||sockshare.com/moo.php -||sockshare.com/rev/ -||sockshare.com^*.php?*title$subdocument -||sockshare.com^*_728.php -||socsa.org.za/images/banners/ -||softcab.com/google.php? -||softonic.com/specials_leaderboard/ -||softpedia-static.com/images/*.jpg?v -||softpedia-static.com/images/*.png?v -||softpedia-static.com/images/aff/ -||softpedia-static.com/images/afg/ -||softpedia-static.com/images/afh/$domain=softpedia.com -||softpedia.com/*_longrect. -||softpedia.com/*_rect. -||softpedia.com/*_square. -||soldierx.com/system/files/images/sx-mini-1.jpg -||solomonstarnews.com/images/banners/ -||solvater.com/images/hd.jpg -||someecards.com^*/images/skin/ -||songs.pk/textlinks/ -||songspk.link/textlinks/ -||songspk.live/taboola- -||songspk.name/fidelity.html$domain=songs.pk|songspk.name -||songspk.name/imagepk.gif -||songspk.name/textlinks/ -||sootoday.com/uploads/banners/ -||sorcerers.net/images/aff/ -||soundcloud.com/audio-ad? -||soundcloud.com/promoted/ -||soundspheremag.com/images/banners/ -||soundtracklyrics.net^*_az.js -||sourcefed.com/wp-content/uploads/*/netflix4.jpg -||sourceforge.net/images/ban/ -||southafricab2b.co.za/banners/ -||southfloridagaynews.com/images/banners/ -||sowetanlive.co.za/banners/ -||spa.dictionary.com^$object -||space.com/promo/ -||spaceweather.com/abdfeeter/$image -||spade.twitch.tv^$websocket -||spartoo.eu/footer_tag_iframe_ -||spcontentcdn.net^$domain=sporcle.com -||speedtest.net/flash/59rvvrpc-$object-subrequest -||speedtest.net/flash/60speedify$object-subrequest -||speedtv.com.edgesuite.net/img/monthly/takeovers/ -||speedtv.com/js/interstitial.js -||speedtv.com^*/tissot-logo.png -||speedvid.net/ad.htm -||speedvideo.net/img/playerFk.gif -||speroforum.com/images/sponsor_ -||spicegrenada.com/images/banners/ -||sponsors.s2ki.com^ -||sponsors.webosroundup.com^ -||sporcle.com/adn/yak.php? -||sporcle.com/g00/$subdocument -||sportcategory.com/ads/ -||sportcategory.org/pu/ -||spotflux.com/service/partner.php -||spproxy.autobytel.com^ -||spreaker.net/spots/ -||spt.dictionary.com^ -||spycss.com/images/hostgator.gif -||spyw.com^$domain=uploadlw.com -||squadedit.com/img/peanuts/ -||srv.thespacereporter.com^ -||ssl-images-amazon.com/images/*/browser-scripts/da- -||ssl-images-amazon.com^*/ape/sf/*/DAsf-$script -||ssl-images-amazon.com^*/dacx/ -||st701.com/stomp/banners/ -||stad.com/googlefoot2.php? -||stagnitomedia.com/view-banner- -||standard.co.uk^*/sponsored- -||standard.net/sites/default/files/images/wallpapers/ -||standardmedia.co.ke/flash/ -||star883.org^*/sponsors. -||startribune.com/circulars/advertiser_ -||startxchange.com/bnr.php -||static-api.com^$domain=grammarist.com|lucianne.com -||static-economist.com^*/timekeeper-by-rolex-medium.png -||static.hd-trailers.net/js/javascript_*.js| -||static.hltv.org//images/csgofasttakeover.jpg -||static.hltv.org//images/gofastbg.png -||static.hltv.org//images/gofastmar.jpg -||static.nfl.com^*-background- -||static.plista.com^$script,domain=wg-gesucht.de -||static.tucsonsentinel.com^ -||staticfiles.org/sos.js$domain=grammarist.com -||staticneo.com/neoassets/iframes/leaderboard_bottom. -||staticworld.net/images/*_pcwskin_ -||steamanalyst.com/a/www/ -||steambuy.com/steambuy.gif -||sternfannetwork.com/forum/images/banners/ -||steroid.com/banner/ -||steroid.com/dsoct09.swf -||sticker.yadro.ru/ad/ -||stjohntradewindsnews.com/images/banners/ -||stltoday.com^*_sponsor.gif -||stlyrics.com^*_az.js -||stlyrics.com^*_st.js -||stockhouse.com^*-300x75.gif -||stopforumspam.com/img/snelserver.swf -||stopstream.com/ads/ -||storewidget.pcauthority.com.au^ -||strategypage.com^*_banner -||stream.heavenmedia.net^ -||stream2watch.co/_frames/hd2.png -||stream2watch.co/frames/ -||stream2watch.co/images/hd1.png -||stream2watch.co/images/hdhd.gif -||stream2watch.co^*_ad_ -||stream2watch.me/600pick.png -||stream2watch.me/900rev.html -||stream2watch.me/900yahoo.html -||stream2watch.me/_$subdocument -||stream2watch.me/ad.html -||stream2watch.me/ad10.html -||stream2watch.me/chat1.html -||stream2watch.me/eadb.php -||stream2watch.me/eadt.php -||stream2watch.me/ed -||stream2watch.me/images/hd1.png -||stream2watch.me/Los_Br.png -||stream2watch.me/yield.html -||streamcloud.eu/deliver.php -||streamguys.com^*/amazon.png -||streamplay.to/images/videoplayer.png -||streamplay.to/js/pu2/ -||streams.tv/js/bn5.js -||streams.tv/js/pu.js -||streams.tv/js/slidingbanner.js -||student-jobs.co.uk/banner. -||stuff.priceme.co.nz^$domain=stuff.co.nz -||stuff.tv/client/skinning/ -||stv.tv/img/player/stvplayer-sponsorstrip- -||submarinecablemap.com^*-sponsored.png -||subs4free.com^*/wh4_s4f_$script -||succeed.co.za^*/banner_ -||sulekha.com^*/bannerhelper.html -||sulekha.com^*/sulekhabanner.aspx -||sun-fm.com/resources/creative/ -||sunriseradio.com/js/rbanners.js -||sunshineradio.ie/images/banners/ -||suntimes.com^*/banners/ -||superbike-news.co.uk/absolutebm/banners/ -||supermarket.co.za/images/advetising/ -||supermonitoring.com/images/banners/ -||superplatyna.com/automater.swf -||surfmusic.de/anz -||surfmusic.de/banner -||surfthechannel.com/promo/ -||survivalblog.com/marketplace/ -||swagmp3.com/cdn-cgi/pe/ -||swampbuggy.com/media/images/banners/ -||swedishwire.com/images/banners/ -||sweepsadvantage.com/336x230-2.php -||swiftco.net/banner/ -||swimnews.com^*/banner_ -||swimnewslibrary.com^*_960x120.jpg -||swoknews.com/images/banners/ -||sxc.hu/img/banner -||sydneyolympicfc.com/admin/media_manager/media/mm_magic_display/$image -||systemexplorer.net/sessg.php -||sythe.org/bnrs/ -||sythe.org/clientscript/agold.png -||tabla.com.sg/SIA.jpg -||tabloidmedia.co.za/images/signs2.swf -||taipeitimes.com/js/gad.js? -||taiwannews.com.tw/etn/images/banner_ -||take40.com/css/takeover.css -||take40.com/images/takeover/ -||talkers.com/imagebase/ -||talkers.com/images/banners/ -||talkgold.com/bans/ -||talkphotography.co.uk/images/externallogos/banners/ -||talkradioeurope.com/images/banners/ -||talkradioeurope.net/images/banners/ -||talksport.co.uk^*/ts_takeover/ -||tampermonkey.net/bner/ -||tampermonkey.net^*.*.$subdocument -||tanzanite.infomine.com^ -||targetedinfo.com^ -||targetedtopic.com^ -||tastro.org/x/ads*.php -||taxidrivermovie.com/style/sk-p.js -||taxsutra.com^*/banner/ -||tbib.org/kona/ -||tdfimg.com/go/*.html -||teamfourstar.com/img/918thefan.jpg -||techcentral.co.za^*-wallpaper- -||techcentral.co.za^*/background-manager/ -||techcentral.co.za^*/wallpaper- -||techexams.net/banners/ -||techhive.com/ads/ -||techinsider.net/wp-content/uploads/*-300x500. -||technewsdaily.com/crime-stats/local_crime_stats.php -||technewsworld.com/images/sda/ -||technomag.co.zw^*/TakeOverCampaign. -||techpowerup.com/images/bnnrs/ -||techradar.com^*/img/*_takeover_ -||techsupportforum.com^*/banners/ -||techtarget.com^*/leaderboard.html -||techtree.com^*/jquery.catfish.js -||teesoft.info/images/uniblue.png -||teesupport.com/wp-content/themes/ts-blog/images/cp- -||tehrantimes.com/banner/ -||tehrantimes.com/images/banners/ -||telecomtiger.com^*_250x250_ -||telecomtiger.com^*_640x480_ -||telegraph.co.uk/international/$subdocument -||telegraph.co.uk/sponsored/ -||telegraphindia.com^*/banners/ -||telegraphindia.com^*/hoabanner. -||templatesbox.com^*/banners/ -||ten-tenths.com/sidebar.html -||tenmanga.com/files/js/manga_$subdocument -||tenmanga.com/files/js/site_skin.js -||tennischannel.com/prud.jpg -||tennischannel.com/tc-button-gif.gif -||tennisworldusa.org/banners/ -||tentonhammer.com^*/takeovers/ -||terafile.co/i/banners/ -||testseek.com/price_pricegrabber_ -||textpattern.com/images/117.gif -||tfd.com/sb/ -||tfd.com^*/grammarly/ -||thaivisa.com/promotions/banners/ -||the-numbers.com^*/allposters/ -||theactivetimes.net^*/featured_partners/ -||theafricachannel.com^*/promos/ -||theaquarian.com^*/banners/ -||theartnewspaper.com/aads/ -||theasiantoday.com/image/banners/ -||theattractionforums.com/images/rbsbanners/ -||thebankangler.com/images/banners/ -||thebarchive.com/never.js -||thebay.co.uk/banners/ -||thebeat99.com/cmsadmin/banner/ -||theblaze.com^*-background- -||theblaze.com^*-background2- -||theblaze.com^*-backgroundwide- -||theblaze.com^*-interstitial- -||theblaze.com^*_background_ -||thebull.com.au/admin/uploads/banners/ -||thebulls.co.za^*/sponsors/ -||theburningplatform.com/wp-content/uploads/*_180x150.gif -||thebusinessdesk.com/assets/_files/banners/ -||thecatholicuniverse.com^*-ad. -||thecatholicuniverse.com^*-advert- -||thecatholicuniverse.com^*-banner- -||thecenturion.co.za^*/banners/ -||thecharlottepost.com/cache/sql/fba/ -||thechive.files.wordpress.com^*-wallpaper- -||thecitizen.co.tz^*/banners/ -||thecnj.com/images/hotel-banner.jpg -||thecommonsenseshow.com/siteupload/*/ad-iodine.jpg -||thecommonsenseshow.com/siteupload/*/ad-nutritionrecharge.jpg -||thecommonsenseshow.com/siteupload/*/ad-rangerbucket.jpg -||thecommonsenseshow.com/siteupload/*/ad-survivalapril2017.jpg -||thecommonsenseshow.com/siteupload/*/adamerigeddon2016dvd.jpg -||thecommonsenseshow.com/siteupload/*/adnumana350x250-1.jpg -||thecommonsenseshow.com/siteupload/*/adsqmetals.jpg -||thecommonsenseshow.com/siteupload/*/hagmannbook.jpg -||thecommonsenseshow.com/siteupload/*/nightvisionadnew.jpg -||thecommonsenseshow.com/siteupload/*/numanna-hoiz400x100.jpg -||thecommonsenseshow.com/siteupload/*/panama-300-x-250.jpg -||thecommonsenseshow.com/siteupload/*/trekkerportablewater.jpg -||thecompassionchronicles.com/wp-content/uploads/*-banner- -||thecompassionchronicles.com/wp-content/uploads/*-banner. -||thecorrsmisc.com/10feet_banner.gif -||thecorrsmisc.com/brokenthread.jpg -||thecorrsmisc.com/msb_banner.jpg -||thecsuite.co.uk^*/banners/ -||thedailyherald.com/images/banners/ -||thedailymash.co.uk/templates/mashtastic/gutters/ -||thedailymeal.com^*_sponsoredby.png -||thedailymeal.net^*/featured_partners/ -||thedailypaul.com/images/amzn- -||thedailysheeple.com/images/banners/ -||thedailystar.net^*/400-x-120-pixel.jpg -||thedailystar.net^*/Animation-200-X-30.gif -||thedailystar.net^*/aritel-logo.jpg -||thedailystar.net^*/footer-sticky-add/ -||thedailystar.net^*/scbbd.gif -||thedailywtf.com/fblast/ -||theday.com/assets/images/sponsorlogos/ -||thedirectory.co.zw/banners/ -||thedomainstat.com/filemanager/userfiles/banners/ -||theedinburghreporter.co.uk/hmbanner/ -||theenglishgarden.co.uk^*/bannerImage. -||thefile.me^*.php?*zoneid -||thefrontierpost.com/media/banner/ -||thegardener.co.za/images/banners/ -||thehealthcareblog.com/files/*/American-Resident-Project-Logo- -||thehealthcareblog.com/files/*/athena-300.jpg -||thehealthcareblog.com/files/*/THCB-Validic-jpg-opt.jpg -||thehighstreetweb.com^*/banners/ -||thehindu.com/multimedia/*/sivananda_sponsorch_ -||thehrdirector.com/assets/banners/ -||thehubsa.co.za^*/sponsor_ -||theindependentbd.com^*/banner/ -||theispguide.com/premiumisp.html -||theispguide.com/topbanner.asp? -||thejesperbay.com^ -||thejointblog.com/wp-content/uploads/*-235x -||thejointblog.com^*/dablab.gif -||thejournal.ie/media/hpto/ -||thelakewoodscoop.com^*banner -||theleader.info/banner -||theliberianjournal.com/flash/banner -||thelocal.com/scripts/fancybox/ -||thelodownny.com/leslog/ads/ -||thelyricarchive.com/new/view/ -||themag.co.uk/assets/BV200x90TOPBANNER.png -||themidweeksun.co.bw/images/banners/ -||theminiforum.co.uk/images/banners/ -||themis-media.com/media/global/images/cskins/ -||themis.yahoo.com^ -||themiscellany.org/images/banners/ -||themittani.com/sites/*-skin -||thenassauguardian.com/images/banners/ -||thenationonlineng.net^*/banners/ -||thenewage.co.za/Image/kingprice.gif -||thenewjournalandguide.com/images/banners/ -||thenextweb.com/wp-content/plugins/tnw-siteskin/mobileys/ -||thenextweb.com^*/canvas.php?$xmlhttprequest -||thenonleaguefootballpaper.com^*-140x300- -||thenonleaguefootballpaper.com^*/140x140_ -||thenonleaguefootballpaper.com^*/ADIDAS_11PRO_WHITEOUT.jpg -||thenonleaguefootballpaper.com^*/Budweiser.jpg -||thenonleaguefootballpaper.com^*/image-non-league.jpeg -||thenonleaguefootballpaper.com^*/J4K-new-range-pictures.jpg -||thenonleaguefootballpaper.com^*/Lovell-Soccer.jpg -||theoldie.co.uk/Banners/ -||theolivepress.es^*-300x33. -||theolivepress.es^*_300x30px_ -||theolivepress.es^*_768x90px_ -||theolympian.com/static/images/weathersponsor/ -||theonion.com/ads/ -||theorganicprepper.ca/images/banners/ -||thepaper24-7.com/SiteImages/Banner/ -||thepaper24-7.com/SiteImages/Tile/ -||thepatriot.co.bw/images/banners/ -||thepeak.fm/images/banners/ -||thepeninsulaqatar.com^*/banners/ -||thephuketnews.com/photo/banner/ -||theplanetweekly.com/images/banners/ -||theportugalnews.com/uploads/banner/ -||thepowerhour.com/images/food_summit2.jpg -||thepowerhour.com/images/karatbar1.jpg -||thepowerhour.com/images/kcaa.jpg -||thepowerhour.com/images/numanna.jpg -||thepowerhour.com/images/rickssatellite_banner2.jpg -||thepowerhour.com/images/youngevity.jpg -||thepreparednessreview.com/wp-content/uploads/*/250x125- -||thepreparednessreview.com/wp-content/uploads/*_175x175.jpg -||thepreparednessreview.com/wp-content/uploads/*_185x185.jpg -||theradiomagazine.co.uk/banners/ -||theradiomagazine.co.uk/images/bionics.jpg -||therugbyforum.com/trf-images/sponsors/ -||thesentinel.com^*/banners/ -||thesource.com/magicshave/ -||thespiritsbusiness.com^*/Banner150 -||thessdreview.com/wp-content/uploads/*/930x64_ -||thessdreview.com^*-bg-banner- -||thessdreview.com^*-bg.jpg -||thessdreview.com^*/amazon-buy -||thessdreview.com^*/owc-full-banner.jpg -||thessdreview.com^*/owc-new-gif1.gif -||thestandard.com.hk/banners/ -||thestandard.com.hk/rotate_ -||thestandard.com.ph^*/banner/ -||thestkittsnevisobserver.com/images/banners/ -||thesuburban.com/universe/adds/ -||thesuburban.com/universe/addsspace/ -||thesundaily.my/sites/default/files/twinskyscrapers -||thesurvivalistblog.net^*-banner- -||thesweetscience.com/images/banners/ -||theticketmiami.com/Pics/listenlive/*-Left.jpg -||theticketmiami.com/Pics/listenlive/*-Right.jpg -||thetimes.co.uk/public/encounters/ -||thetvdb.com/images/frugal.gif -||thetvdb.com/images/jriver_banner.png -||thevideo.me/cgi-bin/get_creatives.cgi? -||thevideo.me/creatives/ -||thevideo.me/js/jsmpc.js -||thevideo.me/js/jspc.js -||thevideo.me/js/popup.min.js -||thevideo.me/mba/cds.js -||thevideo.me/player/offers.js -||thevoicebw.com^*325x290.jpg -||thewb.com/thewb/swf/tmz-adblock/ -||thewindowsclub.com^*/banner_ -||theyeshivaworld.com/yw/ -||thinkbroadband.com/uploads/banners/ -||thinkingwithportals.com/images/*-skyscraper. -||thinkingwithportals.com^*-skyscraper.swf -||thirdage.com^*_banner.php -||thisisanfield.com^*takeover -||thisisf1.com^*/special-offer.jpg -||thunder106.com//wp-content/banners/ -||ticketnetwork.com/images/affiliates/ -||tigerdroppings.com^*&adcode= -||time4hemp.com/wp-content/uploads/*-ad. -||time4hemp.com/wp-content/uploads/*-vertical. -||time4hemp.com/wp-content/uploads/*/cannafo.jpg -||time4hemp.com/wp-content/uploads/*/dakine420.png -||time4hemp.com/wp-content/uploads/*/dynamic_banner_ -||time4hemp.com/wp-content/uploads/*/gorillabanner728.gif -||time4hemp.com/wp-content/uploads/*/herbies-1.gif -||time4hemp.com/wp-content/uploads/*/Johnson-Grow-Lights.gif -||time4hemp.com/wp-content/uploads/*/Judge-Lenny-001.jpg -||time4hemp.com/wp-content/uploads/*/scrogger.gif -||time4hemp.com/wp-content/uploads/*/sensi2.jpg -||time4hemp.com/wp-content/uploads/*/WeedSeedShop.jpg -||time4tv.com/tlv. -||timeinc.net/*/i/oba-compliance.png -||timeinc.net^*/recirc.js -||times-herald.com/pubfiles/ -||times.co.sz/files/banners/ -||timesnow.tv/googlehome.cms -||timesofindia.indiatimes.com/jquery_var.cms$script -||timesofoman.com/FrontInc/top.aspx -||timesofoman.com/siteImages/MyBannerImages/ -||timesofoman.com^*/banner/ -||timestalks.com/images/sponsor- -||tindleradio.net/banners/ -||tinyurl.com/firefox_banner_ -||titantv.com/gravity.ashx -||tmcs.net^ -||tmz.vo.llnwd.net^*/images/*skin -||tmz.vo.llnwd.net^*/sponsorship/$domain=tmz.com -||tnij.org/rotator -||tny.cz/oo/ -||tomshardware.com/indexAjax.php?ctrl=ajax_pricegrabber$xmlhttprequest -||tomshardware.com/price/widget/?$xmlhttprequest -||toolslib.net/assets/img/a_dvt/ -||toomuchnews.com/dropin/ -||toonova.com/images/site/front/xgift- -||toonzone.net^*/placements.php? -||topalternate.com/assets/sponsored_links- -||topfriv.com/popup.js -||topix.com/ajax/krillion/ -||toptenreviews.com/flash/ -||torrent-finder.info/cont.html -||torrent-finder.info/cont.php -||torrent.cd/images/banner- -||torrent.cd/images/big_use.gif -||torrent.cd/images/main_big_msoft.jpg -||torrent.cd/images/sp/ -||torrentbit.net/images/1click/button-long.png -||torrentbox.sx/img/download_direct.png -||torrentcrazy.com/img/wx.png -||torrentcrazy.com/pnd.js -||torrentdownloads.me/templates/new/images/download_button2.jpg -||torrentdownloads.me/templates/new/images/download_button3.jpg -||torrenteditor.com/img/graphical-network-monitor.gif -||torrentfreak.com/images/torguard.gif -||torrentfreak.com/images/vuze.png -||torrentfunk.com/affprofslider.js -||torrentfusion.com/FastDownload.html -||torrentking.eu/js/script.packed.js -||torrentproject.org/out/ -||torrentroom.com/js/torrents.js -||torrents.net/btguard.gif -||torrents.net/wiget.js -||torrentv.org/images/tsdd.jpg -||torrentv.org/images/tsdls.jpg -||torrentz.*/mgid/ -||torrentz2.eu/4puam.js -||torrentz2.me/4puam.js -||toshiba.com^*/bookingpromowidget/ -||toshiba.com^*/toshibapromowidget/ -||total-croatia-news.com/images/banners/ -||totalcmd.pl/img/billboard_ -||totalcmd.pl/img/nucom. -||totalcmd.pl/img/olszak. -||totalguitar.net/images/*_125X125.jpg -||totalguitar.net/images/tgMagazineBanner.gif -||toucharcade.com/wp-content/themes/*_background_*.jpg -||toucharcade.com/wp-content/themes/skin_zero/images/skin_assets/main_skin.jpg -||toucharcade.com/wp-content/uploads/skins/ -||townhall.com^*/ads/ -||toynews-online.biz/media/banners/ -||toynewsi.com/a/ -||toywiz.com/lower-caption-global.html -||tpb.piraten.lu/static/img/bar.gif -||tpucdn.com/images/b/$domain=techpowerup.com -||tpucdn.com/images/bnnrs/$domain=techpowerup.com -||tracking.hostgator.com^ -||trackitdown.net/skins/*_campaign/ -||tracksat.com^*/banners/ -||tradewinds.vi/images/banners/ -||traduguide.com/banner/ -||trailrunnermag.com/images/takeovers/ -||trgoals.es/adk.html -||tribune.com.ng/images/banners/ -||tribune242.com/pubfiles/ -||tripadvisor.*/adp/adp-$subdocument -||tripadvisor.com/adp/ -||tripadvisor.com^*/skyscraper.jpg -||triplehfm.com.au/images/banners/ -||truck1.eu/_BANNERS_/ -||trucknetuk.com^*/sponsors/ -||trucktrend.com^*_160x200_ -||trunews.com^*/Webbanner.jpg -||trustedreviews.com/mobile/widgets/html/promoted-phones? -||trutv.com/includes/mods/iframes/mgid-blog.php -||tsatic-cdn.net/takeovers/$image -||tsdmemphis.com/images/banners/ -||tsn.ca^*_sponsor. -||tubehome.com/imgs/undressme -||tubeplus.me/resources/js/codec.js -||tullahomanews.com/news/banners/ -||tullahomanews.com/news/tn-popup.js -||tumblr.com^*/sponsored_ -||tumblr.com^*_sponsored_ -||tune.pk/plugins/cb_tunepk/ads/ -||turbobit.net/js/acontrol.js? -||turbobit.net/oexktl/muzebra_ -||turbobit.net/pics/7z1xla23ay_ -||turboimagehost.com/c300_ -||turboimagehost.com/c728_ -||turboimagehost.com/p.js -||turboyourpc.com/images/affiliates/ -||turnstylenews.com^*/sponsors.png -||tusfiles.net/i/dll.png -||tusfiles.net/images/tusfilesb.gif -||tuspics.net/onlyPopupOnce.js -||tv3.ie^*/sponsor. -||tv4chan.com/iframes/ -||tvbrowser.org/logo_df_tvsponsor_ -||tvcatchup.com/wowee/ -||tvdaijiworld.com^$domain=daijiworld.com -||tvducky.com/imgs/graboid. -||tvguide.com^*/ecommerce/ -||tvsubtitles.net/banners/ -||tweaktown.com/cms/includes/i*.php -||tweaktown.com/xyz?$script -||twentyfour7football.com^*/gpprint.jpg -||twitch.tv/ad/*=preroll -||twitch.tv/widgets/live_embed_player.swf$domain=gelbooru.com -||twitter.com/i/cards/tfw/*?advertiser_name= -||twnmm.com^*/sponsored_logo. -||txfm.ie^*/amazon-16x16.png -||txfm.ie^*/itunes-16x16.png -||u.tv/images/misc/progressive.png -||u.tv/images/sponsors/ -||u.tv/utvplayer/jwplayer/ova.swf -||ua.badongo.com^ -||uberhumor.com/*btf.html$subdocument -||uberhumor.com/iframe$subdocument -||ubuntugeek.com/images/dnsstock.png -||ubuntugeek.com/images/od.jpg -||ubuntugeek.com/images/ubuntu1.png -||ubuntugeek.com^*/rocket.js -||uefa.com^*/srp/ -||ufonts.com/gfx/uFonts_Banner5.png -||ugo.com/takeover/ -||uimserv.net^ -||ujfm.co.za/images/banners/ -||uk-mkivs.net/uploads/banners/ -||ukbusinessforums.co.uk/adblock/ -||ukcampsite.co.uk/banners/ -||ukcast.co/pubfit.php -||ukcast.co/rbt728.php -||ukfindit.com/images/*_125x125.gif -||ukfindit.com/wipedebtclean.png -||ukradioplayer.kerrangradio.co.uk^*/icon_amazon.png -||ukradioplayer.kerrangradio.co.uk^*/icon_apple.png -||ultimate-guitar.com/_img/bgd/bgd_main_ -||ultimate-guitar.com/_img/promo/takeovers/ -||ultimate-guitar.com/bgd/main_$image -||ultimate-guitar.com^*/takeover/ -||ultimatehandyman.co.uk/ban.txt -||ultimatehandyman.org/bh1.gif -||ultimatewindowssecurity.com/images/banner80x490_WSUS_FreeTool.jpg -||ultimatewindowssecurity.com/images/patchzone-resource-80x490.jpg -||ultimatewindowssecurity.com/images/spale.swf -||ultimatewindowssecurity.com/securitylog/encyclopedia/images/allpartners.swf -||umbrelladetective.com/uploaded_files/banners/ -||unawave.de/medien/a/w-ama-$image -||unawave.de/medien/ama/$image -||unawave.de/medien/wbwso-$image -||unawave.de/templates/unawave/a/$image -||unblockedpiratebay.com/external/$image -||uncoached.com/smallpics/ashley -||unicast.ign.com^ -||unicast.msn.com^ -||uniindia.com/eng/bannerbottom.php -||uniindia.com/eng/bannerheader.php -||uniindia.com/eng/bannerrightside.php -||uniindia.com/eng/banners/ -||uniindia.com/eng/bannertopright.php -||uniindia.net/eng/banners/ -||uniquefm.gm/images/banners/ -||universalhub.com/bban/ -||upload.ee/image/*/B_descarga_tipo12.gif -||uploadbaz.com^*-728-$object -||uploadcore.com/images/*-Lad.jpg -||uploadcore.com/images/*-mad.jpg -||uploadcore.com/images/*-Rad.png -||uploaded.net/js2/downloadam.js -||uploaded.net^*/bloka.js -||uploaded.to/img/e/ad/ -||uploadedtrend.com/turboflirt.gif -||uploading.com/static/banners/ -||uploadlw.com/js/cash.js -||uploadlw.com^*/download-now -||uploadlw.com^*/download_button.gif -||uploadshub.com/downloadfiles/download-button-blue.gif -||uptobox.com/ayl.js -||uptobox.com/images/download.png -||uptobox.com/images/downloaden.gif -||urbanchristiannews.com/ucn/sidebar- -||urbanfonts.com/images/fonts_com/ -||urbanvelo.org/sidebarbanner/ -||urethanes-technology-international.com^*/banners/ -||urlcash.net/newpop.js -||urlcash.net/random*.php -||urlcash.org/abp/ -||urlcash.org/banners/ -||urlcash.org/newpop.js -||urlgone.com^*/banners/ -||usanetwork.com/_js/ad.js -||usatoday.net^*/lb-agate.png -||usatodayhss.com/images/*skin -||uschess.org/images/banners/ -||usenet-crawler.com/astraweb.png -||usenet-crawler.com/purevpn.png -||usforacle.com^*-300x250.gif -||ustatik.com/_img/promo/takeovers/$domain=ultimate-guitar.com -||ustatik.com/_img/promo/takeovers_$domain=ultimate-guitar.com -||ustream.tv/takeover/ -||uvnc.com/img/housecall. -||uxmatters.com/images/sponsors/ -||val.fm/images/banners/ -||valleyplanet.com/images/banners/ -||valuewalk.com//?$script -||vanityfair.com/custom/ebook-ad-bookbiz -||vasco.co.za/images/banners/ -||vault.starproperty.my/widget/ -||vcdq.com/tag.html -||vcdq.com^*/ad.html -||vehix.com/tags/default.imu?$subdocument -||verdict.abc.go.com^ -||verizon.com/ads/ -||verzend.be/images/download.png -||verzing.com/popup -||vfs-uk-in.com/images/webbanner- -||vhd.me/custom/interstitial -||viadeo.com/pub/ -||viamichelin.co.uk/htm/cmn/afs*.htm? -||viator.com/analytics/percent_mobile_hash.js -||vice-ads-cdn.vice.com^ -||vidbull.com/tags/vidbull_bnr.png -||vidds.net/pads*.js -||video-cdn.abcnews.com/ad_$object-subrequest -||video-cdn.abcnews.com^*_ad_$object-subrequest,domain=go.com -||video.abc.com^*/ads/ -||video.abc.com^*/promos/$object-subrequest -||video.thestaticvube.com/video/*.mp4$object-subrequest,domain=vube.com -||video2mp3.net/images/download_button.png -||video44.net/gogo/a_d_s. -||video44.net/gogo/qc.js -||video44.net/gogo/yume-h.swf$object-subrequest -||videobash.com/images/playboy/ -||videobull.to/wp-content/themes/videozoom/images/gotowatchnow.png -||videobull.to/wp-content/themes/videozoom/images/stream-hd-button.gif -||videodorm.org/player/yume-h.swf$object-subrequest -||videodownloadtoolbar.com/fancybox/ -||videogamer.com/videogamer*/skins/ -||videogamer.com^*/css/skins/$stylesheet -||videogamesblogger.com/takeover.html -||videogamesblogger.com^*/scripts/takeover.js -||videolan.org/images/events/animated_packliberte.gif -||videopediaworld.com/nuevo/plugins/midroll. -||videos.com/click? -||videos.mediaite.com/decor/live/white_alpha_60. -||videositeprofits.com^*/banner.jpg -||videowood.tv/ads -||videowood.tv/assets/js/popup.js -||videowood.tv/pop2 -||vidhog.com/images/download_banner_ -||vids.ma^$domain=youwatch.org -||vidspot.net/player/ova-jw.swf$object-subrequest -||vidspot.net/s/xfs.min.js? -||vidspot.net^$subdocument,domain=vidspot.net -||vidspot.net^*/pu.js -||vidvib.com/vidvibpopa. -||vidvib.com/vidvibpopb. -||viewdocsonline.com/images/banners/ -||vigilante.pw/img/partners/ -||villagevoice.com/img/VDotDFallback-large.gif -||vinaora.com/xmedia/hosting/ -||vipbox.co/js/bn.js -||vipbox.co^*/pu.js -||vipbox.eu/pu/ -||vipbox.sx/blackwhite/ -||vipbox.tv/blackwhite/ -||vipbox.tv/js/layer- -||vipbox.tv/js/layer.js -||vipi.tv/ad.php -||vipleague.me/blackwhite/ -||vipleague.se/js/vip.js -||virginislandsthisweek.com/images/336- -||virginislandsthisweek.com/images/728- -||virtual-hideout.net/banner -||virtualtourist.com/adp/ -||vistandpoint.com/images/banners/ -||vitalfootball.co.uk/app-interstitial/ -||vitalfootball.co.uk^*/partners/ -||vitalmtb.com/api/ -||vitalmtb.com/assets/ablock- -||vitalmtb.com/assets/vital.aba- -||vnbitcoin.org/140_350.jpg -||vnbitcoin.org/gawminers.png -||vodlocker.com/images/acenter.png -||vodo.net/static/images/promotion/utorrent_plus_buy.png -||vogue.in/node/*?section= -||voicescalgary.com/images/leaderBoards/ -||voicescalgary.com/images/stories/banners/ -||voicesedmonton.com/images/leaderBoards/ -||voicesedmonton.com/images/stories/banners/ -||voicesottawa.com/images/leaderBoards/ -||voicesottawa.com/images/stories/banners/ -||voicestoronto.com/images/leaderBoards/ -||voicestoronto.com/images/stories/banners/ -||voicesvancouver.com/images/leaderBoards/ -||voicesvancouver.com/images/stories/banners/ -||vondroid.com/site-img/*-adv-ex- -||vonradio.com/grfx/banners/ -||vortez.co.uk^*120x600.swf -||vortez.co.uk^*skyscraper.jpg -||vosizneias.com/perms/ -||vox-cdn.com/campaigns_images/ -||vpsboard.com/display/ -||w.homes.yahoo.net^ -||waamradio.com/images/sponsors/ -||wadldetroit.com/images/banners/ -||wallpaper.com/themes/takeovers/$image -||walshfreedom.com^*-300x250. -||walshfreedom.com^*/liberty-luxury.png -||wambacdn.net/images/upload/adv/$domain=mamba.ru -||wantedinmilan.com/images/banner/ -||wantitall.co.za/images/banners/ -||wardsauto.com^*/pm_doubleclick/ -||warriorforum.com/vbppb/ -||washingtonpost.com/wp-srv/javascript/piggy-back-on-ads.js -||washpost.com^*/cmag_sponsor3.php? -||washtimes.com/js/dart. -||washtimes.com/static/images/SelectAutoWeather_v2.gif -||washtimes.net/banners/ -||watchcartoononline.com/inc/siteskin. -||watchcartoononline.com/pve.php -||watchcartoononline.com^*/530x90. -||watchfomny.tv/Menu/A/ -||watchfreemovies.ch/js/lmst.js -||watchop.com/player/watchonepiece-gao-gamebox.swf -||watchseries-online.se/jquery.js -||watchseries.eu/images/affiliate_buzz.gif -||watchseries.eu/images/download.png -||watchseries.eu/js/csspopup.js -||watchuseek.com/flashwatchwus.swf -||watchuseek.com/media/*-banner- -||watchuseek.com/media/*_250x250 -||watchuseek.com/media/1900x220_ -||watchuseek.com/media/banner_ -||watchuseek.com/media/clerc-final.jpg -||watchuseek.com/media/longines_legenddiver.gif -||watchuseek.com/media/wus-image.jpg -||watchuseek.com/site/forabar/zixenflashwatch.swf -||watchwwelive.net^*/big_ban.gif -||watchwwelive.net^*/long_ban2.jpg -||waterford-today.ie^*/banners/ -||wavelengthcalculator.com/banner -||way2sms.com/w2sv5/js/fo_ -||way2sms.com^*/PopUP_$script -||wbal.com/absolutebm/banners/ -||wbgo.org^*/banners/ -||wbj.pl/im/partners.gif -||wcbm.com/includes/clientgraphics/ -||wctk.com/banner_rotator.php -||wdwinfo.com/js/swap.js -||wealthycashmagnet.com/upload/banners/ -||wearetennis.com/img/common/bnp-logo- -||wearetennis.com/img/common/bnp-logo.png -||wearetennis.com/img/common/logo_bnp_ -||weather365.net/images/banners/ -||weatherbug.com^*/ova-jw.swf$object-subrequest -||weatheroffice.gc.ca/banner/ -||web.tmearn.com^$subdocument -||webdesignerdepot.com/wp-content/plugins/md-popup/ -||webdesignerdepot.com/wp-content/themes/wdd2/fancybox/ -||webhostingtalk.com/images/style/lw-160x400.jpg -||webhostingtalk.com/images/style/lw-header.png -||webhostranking.com/images/bluehost-coupon-banner-1.gif -||webmailnotifier.mozdev.org/etc/af/ -||webmaster.extabit.com^ -||webmastercrunch.com^*/hostgator300x30.gif -||webmd.com^*/oas73.js -||webnewswire.com/images/banner -||websitehome.co.uk/seoheap/cheap-web-hosting.gif -||webstatschecker.com/links/ -||webtv.ws/adds/ -||weddingtv.com/src/baners/ -||weedwatch.com/images/banners/ -||weei.com^*/sponsors/ -||weei.com^*/takeover_ -||weei.com^*_banner.jpg -||weekender.com.sg^*/MPU- -||weekendpost.co.bw^*/banner_ -||wegoted.com/includes/biogreen.swf -||wegoted.com/uploads/memsponsor/ -||wegoted.com/uploads/sponsors/ -||weknowmemes.com/sidesky. -||werlv.com^*banner -||wgfaradio.com/images/banners/ -||whatismyip.com/images/VYPR__125x125.png -||whatismyip.com/images/vyprvpn_ -||whatismyip.org/ez_display_au_fillslot.js -||whatismyreferer.com/onpage.png -||whatmobile.com.pk/banners/ -||whatmyip.co/images/speedcoin_ -||whatreallyhappened.com/webpageimages/banners/uwslogosm.jpg -||whatsabyte.com/images/Acronis_Banners/ -||whatsnewonnetflix.com/assets/blockless-ad- -||whatson.co.za/img/hp.png -||whatsonnamibia.com/images/banners/ -||whatsonstage.com/images/sitetakeover/ -||whatsontv.co.uk^*/promo/ -||whatsthescore.com/logos/icons/bookmakers/ -||whdh.com/images/promotions/ -||wheninmanila.com/wp-content/uploads/2011/05/Benchmark-Email-Free-Signup.gif -||wheninmanila.com/wp-content/uploads/2012/12/Marie-France-Buy-1-Take-1-Deal-Discount-WhenInManila.jpg -||wheninmanila.com/wp-content/uploads/2014/02/DTC-Hardcore-Quadcore-300x100.gif -||wheninmanila.com/wp-content/uploads/2014/04/zion-wifi-social-hotspot-system.png -||whispersinthecorridors.com/banner -||whistleout.com.au/imagelibrary/ads/wo_skin_ -||whitepages.ae/images/UI/FC/ -||whitepages.ae/images/UI/LB/ -||whitepages.ae/images/UI/MR/ -||whitepages.ae/images/UI/SR/ -||whitepages.ae/images/UI/SRA/ -||whitepages.ae/images/UI/SRB/ -||whitepages.ae/images/UI/WS/ -||who.is/images/domain-transfer2.jpg -||whoer.net/images/pb/ -||whoer.net/images/vlab50_ -||whoer.net/images/vpnlab20_ -||whois.net/dombot.php? -||whois.net/images/banners/ -||whoownsfacebook.com/images/topbanner.gif -||whtsrv3.com^*==$domain=webhostingtalk.com -||widget.directory.dailycommercial.com^ -||widih.org/banners/ -||wiilovemario.com/images/fc-twin-play-nes-snes-cartridges.png -||wikia.com/__are?r= -||wikia.com/__varnish_ -||wikinvest.com/wikinvest/ads/ -||wikinvest.com/wikinvest/images/zap_trade_ -||wildtangent.com/leaderboard? -||windows.net/script/p.js$domain=1fichier.com|limetorrents.cc|primewire.ag|thepiratebay.みんな -||windowsitpro.com^*/roadblock. -||winnfm.com/grfx/banners/ -||winpcap.org/assets/image/banner_ -||winsupersite.com^*/roadblock. -||wipfilms.net^*/amazon.png -||wipfilms.net^*/instant-video.png -||wired.com/images/xrail/*/samsung_layar_ -||wirenh.com/images/banners/ -||wiretarget.com/a_$subdocument -||wistia.net/embed/$domain=speedtest.net -||witbankspurs.co.za/layout_images/sponsor.jpg -||witteringsfromwitney.com/wp-content/plugins/popup-with-fancybox/ -||wjie.org/media/img/sponsers/ -||wjunction.com/images/468x60 -||wjunction.com/images/constant/ -||wjunction.com/images/rectangle -||wksu.org/graphics/banners/ -||wlcr.org/banners/ -||wlrfm.com/images/banners/ -||wned.org/underwriting/sponsors/ -||wnpv1440.com/images/banners/ -||wnst.net/img/coupon/ -||wolf-howl.com/wp-content/banners/ -||worddictionary.co.uk/static//inpage-affinity/ -||wordpress.com^*-banner-$domain=inspirationfeed.com -||wordpress.com^*/amazon2-center-top.$domain=gigaom.com -||wordpress.com^*/chive-skin-$image,domain=thechive.com -||wordpress.com^*/mediatemple.jpg$domain=inspirationfeed.com -||wordpress.com^*_250x2501.$domain=inspirationfeed.com -||wordpress.com^*_reskin-$image,domain=bossip.com -||wordreference.com/*/publ/ -||wordwebonline.com/img/122x36ccbanner.png -||work-day.co.uk/pub_ -||workingdays.ca/pub_ -||workingdays.org/pub_ -||workingdays.us/pub_ -||worldarchitecturenews.com/banner/ -||worldarchitecturenews.com/flash_banners/ -||worldometers.info/L300L.html -||worldometers.info/L300R.html -||worldometers.info/L728.html -||worldradio.ch/site_media/banners/ -||worldstadiums.com/world_stadiums/bugarrishoes/ -||worldstagegroup.com/banner/ -||worldstagegroup.com/worldstagenew/banner/ -||worthofweb.com/images/wow-ad- -||wowhead.com/uploads/skins/$image -||wowwiki.com/__varnish_ -||wp.com/wp-content/themes/vip/tctechcrunch/images/tc_*_skin.jpg -||wp.com^*/banners/$domain=showbiz411.com -||wp.com^*/coedmagazine3/gads/$domain=coedmagazine.com -||wp.com^*/dlinks/$domain=onhax.net -||wp.com^*/downloadlink$domain=onhax.net -||wpcomwidgets.com^$domain=thegrio.com -||wpcv.com/includes/header_banner.htm -||wpdaddy.com^*/banners/ -||wptmag.com/promo/ -||wqah.com/images/banners/ -||wqam.com/partners/ -||wqxe.com/images/sponsors/ -||wranglerforum.com/images/sponsor/ -||wrc.com/img/sponsors- -||wrc.com/swf/homeclock_edox_hori.swf -||wrcjfm.org/images/banners/ -||wrko.com/sites/wrko.com/files/poll/*_285x95.jpg -||wrko.com^*/sponsors/ -||wrlr.fm/images/banners/ -||wrmf.com/upload/*_Webskin_ -||wshh.me/vast/ -||wsj.net/internal/krux.js -||wttrend.com/images/hs.jpg -||wunderground.com/geo/swfad/ -||wunderground.com^*/wuss_300ad2.php? -||wvbr.com/images/banner/ -||wwaytv3.com^*/curlypage.js -||wwbf.com/b/topbanner.htm -||www2.sys-con.com^*.cfm -||x.castanet.net^ -||xbitlabs.com/cms/module_banners/ -||xbitlabs.com/images/banners/ -||xbox-hq.com/html/images/banners/ -||xbox-scene.com/crave/logo_on_white_s160.jpg -||xboxgaming.co.za^*/images/background/ -||xiaopan.co/Reaver.png -||xing.com/xas/ -||xomreviews.com/sponsors/ -||xoops-theme.com/images/banners/ -||xscores.com/livescore/banners/ -||xsreviews.co.uk/style/bgg2.jpg -||xtremesystems.org/forums/brotator/ -||xup.in/layer.php -||yahoo.*/serv?s= -||yahoo.com/__darla/ -||yahoo.com/contextual-shortcuts -||yahoo.com/darla/ -||yahoo.com/livewords/ -||yahoo.com/neo/darla/ -||yahoo.com/sdarla/ -||yahoo.com/ysmload.html? -||yahoo.com^*/eyc-themis? -||yamgo.mobi/images/banner/ -||yamivideo.com^*/download_video.jpg -||yardbarker.com/asset/asset_source/*?ord=$subdocument -||yarisworld.com^*/banners/ -||yasni.*/design/relaunch/gfx/elitepartner_ -||yavideo.tv/ajaxlog.txt? -||yea.uploadimagex.com^ -||yellowpage-jp.com/images/banners/ -||yellowpages.ae/UI/FC/ -||yellowpages.ae/UI/LB/ -||yellowpages.ae/UI/MR/ -||yellowpages.ae/UI/SR/ -||yellowpages.ae/UI/ST/ -||yellowpages.ae/UI/WA/ -||yellowpages.ae/UI/WM/ -||yellowpages.com.jo/uploaded/banners/ -||yellowpages.com.lb/uploaded/banners/ -||yellowpageskenya.com/images/laterals/ -||yesbeby.whies.info^ -||yfmghana.com/images/banners/ -||yimg.com/*300x250$image,object -||yimg.com/a/1-$~stylesheet -||yimg.com/ao/adv/$script,domain=yahoo.com -||yimg.com/cv/*/billboard/ -||yimg.com/cv/*/config-object-html5billboardfloatexp.js -||yimg.com/cv/ae/ca/audience/$image,domain=yahoo.com -||yimg.com/cv/ae/us/audience/$image,domain=yahoo.com -||yimg.com/cv/eng/*.webm$domain=yahoo.com -||yimg.com/cv/eng/*/635x100_$domain=yahoo.com -||yimg.com/cv/eng/*/970x250_$domain=yahoo.com -||yimg.com/dh/ap/default/*/skins_$image,domain=yahoo.com -||yimg.com/hl/ap/*_takeover_$domain=yahoo.com -||yimg.com/hl/ap/default/*_background$image,domain=yahoo.com -||yimg.com/i/i/de/cat/yahoo.html$domain=yahoo.com -||yimg.com/la/i/wan/widgets/wjobs/$subdocument,domain=yahoo.com -||yimg.com/rq/darla/$domain=yahoo.com -||yimg.com^*/billboardv2r5min.js$domain=yahoo.com -||yimg.com^*/darla-secure-pre-min.js$domain=yahoo.com -||yimg.com^*/fairfax/$image -||yimg.com^*/flash/promotions/ -||yimg.com^*/ya-answers-dmros-ssl-min.js$domain=yahoo.com -||yimg.com^*/yad*.js$domain=yahoo.com -||yimg.com^*/yad.html -||yimg.com^*/yfpadobject.js$domain=yahoo.com -||yimg.com^*_east.swf$domain=yahoo.com -||yimg.com^*_north.swf$domain=yahoo.com -||yimg.com^*_west.swf$domain=yahoo.com -||ynaija.com^*/ad. -||ynaija.com^*300x250 -||ynaija.com^*300X300 -||yolasite.com/resources/$domain=coolsport.tv -||yomzansi.com^*-300x250. -||yopmail.com/fbd.js -||yorkshirecoastradio.com/resources/creative/ -||yotv.co/ad/ -||yotv.co/adds/ -||yotv.co/class/adjsn3.js -||youconvertit.com/_images/*ad.png -||youngrider.com/images/sponsorships/ -||yourbittorrent.com/downloadnow.png -||yourbittorrent.com/images/lumovies.js -||yourepeat.com/revive_wrapper? -||yourepeat.com^*/skins/ -||yourfilehost.com/ads/ -||yourindustrynews.com/ads/ -||yourjavascript.com^$script,domain=adlipay.com -||yourmovies.com.au^*/side_panels_ -||yourmuze.fm/images/audionow.png -||yourmuze.fm/images/banner_ym.png -||yourradioplace.com//images/banners/ -||yourradioplace.com/images/banners/ -||yourupload.com/rotate/ -||yourwire.net/images/refssder.gif -||youserials.com/i/banner_pos.jpg -||youtube-mp3.org/acode/ -||youtube.com/get_midroll_info? -||youtube.com/pagead/ -||youwatch.org/9elawi.html -||youwatch.org/driba.html -||youwatch.org/iframe1.html -||youwatch.org/vod-str.html -||yp.mo^*/ads/ -||yrt7dgkf.exashare.com^ -||ysm.yahoo.com^ -||ytimg.com^*/new_watch_background.jpg?$domain=youtube.com -||ytimg.com^*/new_watch_background_*.jpg?$domain=youtube.com -||ytimg.com^*_banner$domain=youtube.com -||ytmnd.com/ugh -||yts.ag/111.gif -||yts.ag/images/vpnanim.gif -||yudu.com^*_intro_ads -||zabasearch.com/search_box.php?*&adword= -||zads.care2.com^ -||zam.com/i/promos/*-skin. -||zambiz.co.zm/banners/ -||zamimg.com/images/skins/ -||zamimg.com/shared/minifeatures/ -||zanews.co.za^*/banners/ -||zap2it.com/wp-content/themes/overmind/js/zcode- -||zattoo.com/ads/ -||zawya.com/ads/ -||zawya.com/brands/ -||zbc.co.zw^*/banners/ -||zdnet.com/medusa/ -||zeenews.com/ads/ -||zeetvusa.com/images/CARIBBEN.jpg -||zeetvusa.com/images/hightlow.jpg -||zeetvusa.com/images/SevaWeb.gif -||zerochan.net/skyscraper.html -||zeropaid.com/images/ -||zeropaid.com^*/94.jpg -||ziddu.com/images/140x150_egglad.gif -||ziddu.com/images/globe7.gif -||ziddu.com/images/wxdfast/ -||zigzag.co.za/images/oww- -||zipcode.org/site_images/flash/zip_v.swf -||zombiegamer.co.za/wp-content/uploads/*-skin- -||zomobo.net/images/removeads.png -||zonein.tv/add$subdocument -||zoneradio.co.za/img/banners/ -||zoomin.tv/decagonhandler/ -||zootoday.com/pub/21publish/Zoo-navtop-casino_ -||zootoday.com/pub/21publish/Zoo-navtop-poker.gif -||zoover.*/shared/bannerpages/darttagsbanner.aspx? -||zoozle.org/if.php?q= -||zophar.net/files/tf_ -||zorrovpn.com/static/img/promo/ -||zshares.net/fm.html -||zurrieqfc.com/images/banners/ -||zws.avvo.com^ -! imagetwist.com -@@||imagetwist.com/bootstrap.min.js -@@||imagetwist.com/clipboard.min.js -@@||imagetwist.com/jquery-*.js -@@||imagetwist.com/jquery.*.js -@@||imagetwist.com/swfobject.js -@@||imagetwist.com/xupload.js -||imagetwist.com^$script,~third-party -! imgspice.com -@@||imgspice.com/jquery-*.js -@@||imgspice.com/jquery.cookie.js|$script -@@||imgspice.com/jquery.uploadify.$script -@@||imgspice.com/tabber.js|$script -@@||imgspice.com/xupload.js|$script -@@||imgspice.com/ZeroClipboard.js|$script -||imgspice.com^$script,~third-party -! imgchili.net -@@||cdnjs.cloudflare.com^$stylesheet,domain=imgchili.net -@@||imgchili.net/js/maxlines.js|$script -@@||imgchili.net/js/screenfull.min.js|$script -@@||imgchili.net/source/includes/scripts/genjscript.js|$script -@@||imgchili.net/source/includes/scripts/jquery.$script -@@||imgchili.net/source/includes/scripts/phpjs_*.js -|http://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=imgchili.net -|https://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=imgchili.net -||imgchili.net^$script,~third-party -! youtube-mp3.org -|http://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=youtube-mp3.org -|https://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=youtube-mp3.org -! shink.in -@@||shink.in/js/creative.js -@@||shink.in/js/jquery.easing.min.js -@@||shink.in/js/jquery.fittext.js -@@||shink.in/js/main.js -@@||shink.in/js/wow.min.js -||shink.in^$script -! unblocked -|http://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=unblocked.work -|https://$script,stylesheet,subdocument,third-party,xmlhttprequest,domain=unblocked.work -! up-4ever.com -@@||ajax.googleapis.com^$script,domain=up-4ever.com -@@||connect.facebook.net^$script,domain=up-4ever.com -@@||fonts.googleapis.com^$stylesheet,domain=up-4ever.com -@@||maxcdn.bootstrapcdn.com^$stylesheet,domain=up-4ever.com -|http://$script,stylesheet,third-party,xmlhttprequest,domain=up-4ever.com -|https://$script,stylesheet,third-party,xmlhttprequest,domain=up-4ever.com -! hothardware.com -|http://$script,third-party,xmlhttprequest,domain=hothardware.com -|https://$script,third-party,xmlhttprequest,domain=hothardware.com -! thewindowsclub.com (Admiral) -@@||cse.google.com/cse.js$script,domain=thewindowsclub.com -@@||puzzlingfall.com^$xmlhttprequest,domain=thewindowsclub.com -@@||thewindowsclub.disqus.com^$script,domain=thewindowsclub.com -|http://$script,third-party,xmlhttprequest,domain=thewindowsclub.com -|https://$script,third-party,xmlhttprequest,domain=thewindowsclub.com -! pcper.com (Admiral) -@@||ajax.googleapis.com^$script,domain=pcper.com -|http://$script,third-party,xmlhttprequest,domain=pcper.com -|https://$script,third-party,xmlhttprequest,domain=pcper.com -! freewarefiles.com -|http://$third-party,xmlhttprequest,domain=freewarefiles.com -|https://$third-party,xmlhttprequest,domain=freewarefiles.com -! demonoid.pw -/nexp/dok2v=*/cloudflare/rocket.js$script,domain=demonoid.pw -@@||cloudflare.com/ajax/$script,third-party,domain=demonoid.pw -@@||demonoid.pw/cached/bb_f28.js|$script -@@||demonoid.pw/cached/code.js|$script -@@||demonoid.pw/cached/dropdown7.js|$script -@@||demonoid.pw/cached/se.js|$script -@@||demonoid.pw/js/jq3.js|$script -@@||demonoid.pw/new_pm.php$xmlhttprequest -@@||demonoid.pw/torrent_categories_script.php|$script -|http://$script,xmlhttprequest,domain=demonoid.pw -|https://$script,xmlhttprequest,domain=demonoid.pw -! imagebam -@@||ajax.googleapis.com^$script,domain=imagebam.com -@@||imagebam.com/JS/imagebam.js$script -@@||imagebam.com/JS/jquery.1.5.js$script -@@||imagebam.com/JS/plupload.full.min.new.js$script -@@||imagebam.com/JS/pt.js$script -@@||imagebam.com/JS/pupload_anon.js$script -@@||maxcdn.bootstrapcdn.com^$script,domain=imagebam.com -||imagebam.com^$script -! debridnet.com -@@||code.jquery.com^$script,domain=debridnet.com -|http://$script,third-party,xmlhttprequest,domain=debridnet.com -|https://$script,third-party,xmlhttprequest,domain=debridnet.com -! project-free-tv.li -@@||ajax.googleapis.com^$script,domain=project-free-tv.li -|http://$script,third-party,xmlhttprequest,domain=project-free-tv.li -|https://$script,third-party,xmlhttprequest,domain=project-free-tv.li -! destructoid.com -@@||ajax.googleapis.com^$script,domain=destructoid.com -@@||code.jquery.com^$script,domain=destructoid.com -@@||disqus.com^$script,domain=destructoid.com -@@||disquscdn.com^$script,domain=destructoid.com -@@||maxcdn.bootstrapcdn.com^$script,domain=destructoid.com -|http://$script,third-party,xmlhttprequest,domain=destructoid.com -|https://$script,third-party,xmlhttprequest,domain=destructoid.com -! fmovies -@@||platform.twitter.com^$script,domain=fmovies.is|fmovies.se|fmovies.to -|http://$script,stylesheet,third-party,domain=fmovies.is|fmovies.se|fmovies.to -|https://$script,stylesheet,third-party,domain=fmovies.is|fmovies.se|fmovies.to -||fmovies.is^$popup,~third-party -||fmovies.se^$popup,~third-party -||fmovies.to^$popup,~third-party -! wholecloud.net -@@||ajax.googleapis.com^$script,domain=wholecloud.net -|http://$script,subdocument,third-party,xmlhttprequest,domain=wholecloud.net -|https://$script,subdocument,third-party,xmlhttprequest,domain=wholecloud.net -! movdivx.com -@@||movdivx.com/cgi-bin/upload.cgi?$xmlhttprequest -|http://$script,third-party,xmlhttprequest,domain=movdivx.com -|https://$script,third-party,xmlhttprequest,domain=movdivx.com -! vidlox.tv -@@||api.peer5.com^$script,domain=vidlox.tv -@@||cdn.jsdelivr.net^$script,domain=vidlox.tv -|http://$script,third-party,xmlhttprequest,domain=vidlox.tv -|https://$script,third-party,xmlhttprequest,domain=vidlox.tv -! ancient-origins.net -@@||ajax.googleapis.com^$script,domain=ancient-origins.net -@@||connect.facebook.net^$script,domain=ancient-origins.net -|http://$script,third-party,xmlhttprequest,domain=ancient-origins.net -|https://$script,third-party,xmlhttprequest,domain=ancient-origins.net -! vshare.eu -@@||ajax.googleapis.com^$script,domain=vshare.eu -@@||cdnjs.cloudflare.com^$script,domain=vshare.eu -@@||lp.longtailvideo.com^$script,domain=vshare.eu -|http://$script,third-party,xmlhttprequest,domain=vshare.eu -|https://$script,third-party,xmlhttprequest,domain=vshare.eu -! pencurimovie.ph -|http://$script,third-party,xmlhttprequest,domain=pencurimovie.ph -|https://$script,third-party,xmlhttprequest,domain=pencurimovie.ph -! filmlinks4u.is -|http://$script,third-party,xmlhttprequest,domain=filmlinks4u.is -|https://$script,third-party,xmlhttprequest,domain=filmlinks4u.is -! 9anime.to -@@||connect.facebook.net^$script,domain=9anime.to -@@||disqus.com^$domain=9anime.to -@@||disquscdn.com^$domain=9anime.to -@@||openload.co/assets/js/jquery.min.js$script,domain=9anime.to -@@||openload.co/assets/js/video*.js$script,domain=9anime.to -@@||platform.twitter.com^$script,domain=9anime.to -|http://$script,third-party,xmlhttprequest,domain=9anime.to -|https://$script,third-party,xmlhttprequest,domain=9anime.to -! onlinemoviesgold.one -@@||maps.googleapis.com^$domain=onlinemoviesgold.one -@@||moviesgoldonline.net/wp-content/$script,domain=onlinemoviesgold.one -|http://$script,third-party,xmlhttprequest,domain=onlinemoviesgold.one -|https://$script,third-party,xmlhttprequest,domain=onlinemoviesgold.one -! nosvideo -|http://$script,third-party,xmlhttprequest,domain=nosvideo.com -|https://$script,third-party,xmlhttprequest,domain=nosvideo.com -! watchvideo / watchme -@@/index-*.m3u8$xmlhttprequest,domain=vidwatch3.me|watchmovienow.site|watchvideo.us|watchvideo10.us|watchvideo11.us|watchvideo12.us|watchvideo13.us|watchvideo14.us|watchvideo15.us -@@/master.m3u8$xmlhttprequest,domain=vidwatch3.me|watchmovienow.site|watchvideo.us|watchvideo10.us|watchvideo11.us|watchvideo12.us|watchvideo13.us|watchvideo14.us|watchvideo15.us -@@/seg-*.ts$xmlhttprequest,domain=vidwatch3.me|watchmovienow.site|watchvideo.us|watchvideo10.us|watchvideo11.us|watchvideo12.us|watchvideo13.us|watchvideo14.us|watchvideo15.us -@@||pongomovies.xyz^$script,domain=watchmovienow.site -|http://$script,third-party,xmlhttprequest,domain=vidwatch3.me|watchmovienow.site|watchvideo.us|watchvideo10.us|watchvideo11.us|watchvideo12.us|watchvideo13.us|watchvideo14.us|watchvideo15.us -|https://$script,third-party,xmlhttprequest,domain=vidwatch3.me|watchmovienow.site|watchvideo.us|watchvideo10.us|watchvideo11.us|watchvideo12.us|watchvideo13.us|watchvideo14.us|watchvideo15.us -! watchers.to -@@||watchers.to/pop.js$script -|http://$script,subdocument,third-party,xmlhttprequest,domain=watchers.to -|https://$script,subdocument,third-party,xmlhttprequest,domain=watchers.to -! pcgames-download.net -|http://$script,third-party,xmlhttprequest,domain=pcgames-download.net -|https://$script,third-party,xmlhttprequest,domain=pcgames-download.net -! skidrowreloaded.com -|http://$script,third-party,xmlhttprequest,domain=skidrowreloaded.com -|https://$script,third-party,xmlhttprequest,domain=skidrowreloaded.com -! yify.bz -@@||p.media-imdb.com^$script,domain=yify.bz -|http://$script,third-party,xmlhttprequest,domain=yify.bz -|https://$script,third-party,xmlhttprequest,domain=yify.bz -! yifytorrent.co -@@||ajax.googleapis.com^$script,domain=yifytorrent.co -@@||cdnjs.cloudflare.com^$script,domain=yifytorrent.co -|http://$script,third-party,xmlhttprequest,domain=yifytorrent.co -|https://$script,third-party,xmlhttprequest,domain=yifytorrent.co -! bestream.tv -|http://$script,third-party,xmlhttprequest,domain=bestream.tv -|https://$script,third-party,xmlhttprequest,domain=bestream.tv -! ancensored.com -@@||code.jquery.com^$domain=ancensored.com -|http://$script,third-party,xmlhttprequest,domain=ancensored.com -|https://$script,third-party,xmlhttprequest,domain=ancensored.com -! chicagoreader.com -@@||ajax.googleapis.com^$script,domain=chicagoreader.com -@@||argyresthia.com^$xmlhttprequest,domain=chicagoreader.com -@@||cloud-video.unrulymedia.com^$domain=chicagoreader.com -@@||platform.twitter.com^$script,domain=chicagoreader.com -@@||saambaa.com^$script,domain=chicagoreader.com -@@||video.unrulymedia.com^$script,domain=chicagoreader.com -|http://$script,third-party,xmlhttprequest,domain=chicagoreader.com -|https://$script,third-party,xmlhttprequest,domain=chicagoreader.com -! vdrive.to -@@||tawk.to^$domain=vdrive.to -@@||vcdn.to^$xmlhttprequest,domain=vdrive.to -|http://$script,third-party,xmlhttprequest,domain=vdrive.to -|https://$script,third-party,xmlhttprequest,domain=vdrive.to -! embedscr.to -@@||openload.co^$script,domain=embedscr.to|embedsr.to|iembedrip.com -|http://$script,third-party,xmlhttprequest,domain=embedscr.to|embedsr.to|iembedrip.com -|https://$script,third-party,xmlhttprequest,domain=embedscr.to|embedsr.to|iembedrip.com -! video-download.online -@@||cdndoge.xyz/common/js/cookie.js -@@||cdndoge.xyz/common/js/jquery.js -@@||cdndoge.xyz/lib/sweetalert/sweetalert.js -@@||cdndoge.xyz/video-download/js/bootstrap.js -@@||cdndoge.xyz/video-download/js/dropdown.js -@@||cdndoge.xyz/video-download/js/event.js -@@||cdndoge.xyz/video-download/js/waves.js -|http://$script,third-party,xmlhttprequest,domain=video-download.online -|https://$script,third-party,xmlhttprequest,domain=video-download.online -! Mobile Nations (windowscentral.com imore.com crackberry.com androidcentral.com) -@@||ajax.googleapis.com^$script,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -@@||apis.google.com^$script,domain=crackberry.com|forums.androidcentral.com|imore.com|windowscentral.com -@@||cdnjs.cloudflare.com^$script,domain=crackberry.com|forums.androidcentral.com|imore.com|windowscentral.com -@@||code.jquery.com^$script,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -@@||connect.facebook.net^$script,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -@@||lightboxcdn.com^$script,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -@@||passport.mobilenations.com^$script,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -@@||platform.twitter.com^$script,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -@@||push.mobilenations.com^$xmlhttprequest,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -@@||s.ytimg.com^$script,domain=crackberry.com|forums.androidcentral.com|imore.com|windowscentral.com -@@||sneakystamp.com^$xmlhttprequest,domain=androidcentral.com -@@||tru.am/scripts/custom/mobilenations.js$script,domain=crackberry.com|forums.androidcentral.com|imore.com|windowscentral.com -@@||tru.am/scripts/ta-pagesocial-sdk.js$script,domain=crackberry.com|forums.androidcentral.com|imore.com|windowscentral.com -@@||youtube.com^$script,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -|http://$script,third-party,xmlhttprequest,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -|https://$script,third-party,xmlhttprequest,domain=androidcentral.com|crackberry.com|imore.com|windowscentral.com -||androidcentral.com/sites/androidcentral.com/files/advagg_js/$script -||crackberry.com/sites/crackberry.com/files/advagg_js/$script -||imore.com/sites/imore.com/files/advagg_js/$script -||windowscentral.com/sites/wpcentral.com/files/advagg_js/$script -! tamilmv -@@||googleapis.com/ajax/$script,domain=tamilmv.mx -|http://$script,third-party,xmlhttprequest,domain=tamilmv.mx -|https://$script,third-party,xmlhttprequest,domain=tamilmv.org -! world4ufree.ws -|http://$script,third-party,xmlhttprequest,domain=world4ufree.ws -|https://$script,third-party,xmlhttprequest,domain=world4ufree.ws -! goolink.me -@@||google.com/recaptcha/$subdocument,domain=goolink.me -|http://$subdocument,third-party,domain=goolink.me -|https://$subdocument,third-party,domain=goolink.me -! adlipay.com -@@||connect.facebook.net^$script,domain=adlipay.com -@@||google.com/recaptcha/$subdocument,domain=adlipay.com -@@||rawgit.com/Brando07/seocips/newbe/loading1.js$script,domain=adlipay.com -|http://$script,subdocument,third-party,xmlhttprequest,domain=adlipay.com -|https://$script,subdocument,third-party,xmlhttprequest,domain=adlipay.com -! veekyforums.com -@@||ajax.googleapis.com^$script,domain=veekyforums.com -|http://$script,third-party,xmlhttprequest,domain=veekyforums.com -||veekyforums.com^$subdocument,~third-party -! projectwatchseries.com -@@||ajax.googleapis.com^$script,domain=candyreader.com|likesblog.com|projectfreetv.at|projectfreetv.sc|projectfreetv.us|projectwatchseries.com|shupebrothers.com|watchseriesonline.info -@@||cdnjs.cloudflare.com^$script,domain=candyreader.com|likesblog.com|projectfreetv.at|projectfreetv.sc|projectfreetv.us|projectwatchseries.com|shupebrothers.com|watchseriesonline.info -@@||openload.co/assets/js/$script,domain=projectfreetv.at|projectfreetv.sc|projectfreetv.us|projectwatchseries.com -|http://$script,third-party,xmlhttprequest,domain=candyreader.com|likesblog.com|projectfreetv.at|projectfreetv.sc|projectfreetv.us|projectwatchseries.com|shupebrothers.com|watchseriesonline.info -|https://$script,third-party,xmlhttprequest,domain=candyreader.com|likesblog.com|projectfreetv.at|projectfreetv.sc|projectfreetv.us|projectwatchseries.com|shupebrothers.com|watchseriesonline.info -! urlcash.net -|http://$script,xmlhttprequest,domain=urlcash.net -|https://$script,xmlhttprequest,domain=urlcash.net -! thebarchive.com -@@||4archive.org/js/extension.min.js -@@||4archive.org/js/jquery.min.js -@@||4archive.org/js/linkify-jquery.min.js -@@||4archive.org/js/linkify.min.js -@@||4archive.org/style/$stylesheet,~third-party -@@||4archive.org^$generichide -@@||ajax.googleapis.com^$script,domain=4archive.org|4chanarchives.cu.cc|randomarchive.com|thebarchive.com -@@||randomarchive.com/js/extension.min.js -@@||randomarchive.com/js/jquery.min.js -@@||randomarchive.com/js/linkify-jquery.min.js -@@||randomarchive.com/js/linkify.min.js -@@||randomarchive.com/style/$stylesheet -@@||thebarchive.com/_/api/$~third-party,xmlhttprequest -@@||thebarchive.com/foolfuuka/$stylesheet -@@||thebarchive.com/foolfuuka/components/highlightjs/highlight.pack.js -@@||thebarchive.com/foolfuuka/foolz/*/board.js -@@||thebarchive.com/foolfuuka/foolz/*/bootstrap.min.js -@@||thebarchive.com/foolfuuka/foolz/*/plugins.js -@@||thebarchive.com/foolfuuka/mathjax/mathjax/$script -|http://$script,stylesheet,xmlhttprequest,domain=4archive.org|4chanarchives.cu.cc|randomarchive.com|thebarchive.com -|https://$script,stylesheet,xmlhttprequest,domain=4archive.org|4chanarchives.cu.cc|randomarchive.com|thebarchive.com -! watchtheofficeonline.com -@@||ajax.googleapis.com^$script,domain=watchtheofficeonline.com -@@||chatango.com^$script,domain=watchtheofficeonline.com -|http://$script,third-party,xmlhttprequest,domain=watchtheofficeonline.com -|https://$script,third-party,xmlhttprequest,domain=watchtheofficeonline.com -! kissasian.com -@@||disqus.com^$script,domain=kissasian.com -|http://$script,third-party,xmlhttprequest,domain=kissasian.com -|https://$script,third-party,xmlhttprequest,domain=kissasian.com -! swfchan.org -@@||swfchan.com^$script,domain=swfchan.org -@@||swfchan.net^$script,domain=swfchan.org -|http://$script,third-party,domain=swfchan.org -|https://$script,third-party,domain=swfchan.org -! rarbg.to -||rarbg.to^$script,~third-party -||rarbgmirror.com^$script,~third-party -! rule34 -@@||code.jquery.com^$script,domain=rule34.xxx -@@||rule34.xxx/css/sinni.js$script,~third-party -@@||rule34.xxx/script/application.js$script,~third-party -@@||sweetcaptcha.com^$script,domain=rule34.xxx -|http://$script,domain=rule34.xxx -|https://$script,domain=rule34.xxx -! en.yibada.com -@@||ajax.aspnetcdn.com^$third-party,domain=yibada.com -@@||ajax.googleapis.com^$script,domain=yibada.com -@@||apis.google.com^$script,domain=yibada.com -@@||cdnjs.cloudflare.com^$script,domain=yibada.com -@@||connect.facebook.net^$script,domain=yibada.com -@@||disqus.com^$script,third-party,domain=yibada.com -@@||disquscdn.com^$script,domain=yibada.com -@@||maxcdn.bootstrapcdn.com^$script,domain=yibada.com -@@||platform.instagram.com^$script,domain=yibada.com -@@||platform.twitter.com^$script,domain=yibada.com -|http://$script,third-party,xmlhttprequest,domain=yibada.com -|https://$script,third-party,xmlhttprequest,domain=yibada.com -! jkanime.net -@@||cdnjs.cloudflare.com^$script,domain=jkanime.net -@@||connect.facebook.net^$script,domain=jkanime.net -@@||facebook.com^$subdocument,domain=jkanime.net -@@||openload.co/assets/js/video-js/$script,domain=jkanime.net -@@||platform.twitter.com/widgets.js$domain=jkanime.net -|http://$script,subdocument,third-party,xmlhttprequest,domain=jkanime.net -|https://$script,subdocument,third-party,xmlhttprequest,domain=jkanime.net -! kickass.cd -@@||connect.facebook.net^$script,domain=kickass.cd -@@||platform.twitter.com/widgets.js$domain=kickass.cd -|http://$script,third-party,xmlhttprequest,domain=kickass.cd -|https://$script,third-party,xmlhttprequest,domain=kickass.cd -||kickass.cd/test.js -! last.fm -@@||cloudfront.net/static/js/remote-control-bridge.js$script,domain=last.fm -@@||doubleclick.net/static/glade.js$script,domain=last.fm -@@||doubleclick.net/static/glade/extra_17.js$script,domain=last.fm -@@||js-sec.indexww.com^$script,domain=last.fm -@@||last.fm/static/js-build/ads/zergnet.js|$script -@@||last.fm/static/js-build/charts/scrobble-chart.js$script -@@||last.fm/static/js-build/components/$script -@@||last.fm/static/js-build/init.$script -@@||last.fm/static/js-build/kerve/plugins/$script -@@||last.fm/static/js-build/kerve/widgets/$script -@@||last.fm/static/js-build/lib/$script -@@||last.fm/static/js-build/player/$script -@@||last.fm/static/js-build/url.js -@@||s.ytimg.com^$script,domain=last.fm -@@||tags.tiqcdn.com^$script,domain=last.fm -@@||www.last.fm/*?args=1,$script -@@||youtube.com/iframe_api$domain=last.fm -|http://$script,domain=last.fm -|https://$script,domain=last.fm -! neodrive -|http://$script,third-party,xmlhttprequest,domain=neodrive.co -|https://$script,third-party,xmlhttprequest,domain=neodrive.co -! tv-trader.me / vidshare.us -@@||vidshare.us/player6/jwplayer.js -||vidshare.us^$script,~third-party -! listentoyoutube.com -@@||code.jquery.com^$script,domain=listentoyoutube.com -@@||connect.facebook.net^$script,domain=listentoyoutube.com -|http://$script,third-party,xmlhttprequest,domain=listentoyoutube.com -|https://$script,third-party,xmlhttprequest,domain=listentoyoutube.com -! stream.moe / anilinkz.io -@@||ajax.googleapis.com^$script,domain=anilinkz.io|stream.moe -@@||apis.google.com^$script,domain=anilinkz.io -@@||connect.facebook.net^$script,domain=anilinkz.io -@@||disqus.com^$script,third-party,domain=anilinkz.io -@@||platform.twitter.com^$script,domain=anilinkz.io -@@||st.chatango.com^$domain=anilinkz.io -@@||wabbit.moecdn.io/core/page/ajax/$xmlhttprequest,domain=anilinkz.io|stream.moe -|http://$script,third-party,xmlhttprequest,domain=anilinkz.io|stream.moe -|https://$script,third-party,xmlhttprequest,domain=anilinkz.io|stream.moe -! userscloud -|http://$script,third-party,xmlhttprequest,domain=userscloud.work -|https://$script,third-party,xmlhttprequest,domain=userscloud.work -! multiup.org -|http://$script,third-party,xmlhttprequest,domain=multiup.org -|https://$script,third-party,xmlhttprequest,domain=multiup.org -! uploadocean -@@|http://$image,third-party,domain=uploadocean.com -@@|https://$image,third-party,domain=uploadocean.com -@@||ajax.googleapis.com^$script,third-party,domain=uploadocean.com -@@||maxcdn.bootstrapcdn.com^$domain=uploadocean.com -|http://$script,third-party,xmlhttprequest,domain=uploadocean.com -|https://$script,third-party,xmlhttprequest,domain=uploadocean.com -! xmovies8 -@@||connect.facebook.net^$script,domain=xmovies8.ru|xmovies8.tv -@@||disqus.com^$script,domain=xmovies8.ru|xmovies8.tv -@@||disquscdn.com^$script,domain=xmovies8.ru|xmovies8.tv -@@||jwplatform.com^$script,domain=xmovies8.ru|xmovies8.tv -@@||jwpsrv.com^$script,domain=xmovies8.ru|xmovies8.tv -|http://$script,third-party,xmlhttprequest,domain=xmovies8.ru|xmovies8.tv -|https://$script,third-party,xmlhttprequest,domain=xmovies8.ru|xmovies8.tv -! fullmatchesandshows.com -@@||amazonaws.com/html5player.gamezone.com/$script,domain=fullmatchesandshows.com -@@||platform.instagram.com^$script,domain=fullmatchesandshows.com -@@||playwire.com^$script,xmlhttprequest,domain=fullmatchesandshows.com -@@||s.gravatar.com^$script,domain=fullmatchesandshows.com -@@||video.twimg.com^$xmlhttprequest,domain=twitter.com -@@||wp.com/wp-content/js/$script,domain=fullmatchesandshows.com -|http://$script,third-party,xmlhttprequest,domain=fullmatchesandshows.com -|https://$script,third-party,xmlhttprequest,domain=fullmatchesandshows.com -! yts.ag -@@||yts.ag/assets/minified/modded1.js$script,~third-party -|http://$script,domain=yts.ag -|https://$script,domain=yts.ag -! downace.com -|http://$script,third-party,xmlhttprequest,domain=downace.com -|https://$script,third-party,xmlhttprequest,domain=downace.com -! woop -@@||cdn.jsdelivr.net^$script,domain=streamwoop.tv -@@||cdnjs.cloudflare.com^$script,domain=streamwoop.tv -@@||connect.facebook.net^$script,domain=streamwoop.tv -@@||streamwoop.com^$script,domain=streamwoop.tv -|http://$script,third-party,xmlhttprequest,domain=streamwoop.tv -|https://$script,third-party,xmlhttprequest,domain=streamwoop.tv -! upload.so -|http://$script,third-party,xmlhttprequest,domain=upload.so -|https://$script,third-party,xmlhttprequest,domain=upload.so -! twoddl / 2ddl -@@||2ddl.ag/css/jquery-1.4.2.min.js$script,~third-party -@@||ajax.googleapis.com^$script,domain=twoddl.link -@@||tvmaze.com^$xmlhttprequest,domain=twoddl.link -@@||twoddl.link/wp-content/plugins/$script,~third-party -@@||twoddl.link/wp-includes/js/$script,~third-party -|http://$script,third-party,xmlhttprequest,domain=2ddl.ag|2ddl.io|2ddl.net|twoddl.link -|https://$script,third-party,xmlhttprequest,domain=2ddl.ag|2ddl.io|2ddl.net|twoddl.link -||twoddl.link^$script,~third-party -! gelbooru.com -@@||gelbooru.com/index.php?$xmlhttprequest -@@||gelbooru.com/public/$xmlhttprequest,domain=gelbooru.com -@@||gelbooru.com/script/application.js$script -@@||platform.twitter.com^$script,domain=gelbooru.com -|http://$script,xmlhttprequest,domain=gelbooru.com -|https://$script,xmlhttprequest,domain=gelbooru.com -! theinquirer.net / professionaladviser.com -@@||disqus.com^$script,domain=professionaladviser.com|theinquirer.net -@@||disquscdn.com^$script,domain=professionaladviser.com|theinquirer.net -@@||googletagservices.com/tag/js/gpt.js$domain=theinquirer.net -@@||securepubads.g.doubleclick.net/gpt/pubads_impl_$script,domain=theinquirer.net -@@||tpc.googlesyndication.com/pagead/imgad?id=$image,domain=theinquirer.net -|http://$script,third-party,domain=professionaladviser.com|theinquirer.net -|https://$script,third-party,domain=professionaladviser.com|theinquirer.net -! vidtodo.com -@@||ajax.googleapis.com^$domain=vidto.me -@@||plugins.longtailvideo.com^$domain=vidto.me -|http://$script,third-party,xmlhttprequest,domain=vidtodo.com -|https://$script,third-party,xmlhttprequest,domain=vidtodo.com -! vidto.me -|http://$script,third-party,xmlhttprequest,domain=vidto.me -|https://$script,third-party,xmlhttprequest,domain=vidto.me -! pch.com -@@||ajax.googleapis.com^$script,domain=games.pch.com -@@||apis.google.com^$script,domain=games.pch.com -@@||cdnjs.cloudflare.com^$script,domain=games.pch.com -@@||content.jwplatform.com^$domain=games.pch.com -@@||gigya.com^$domain=games.pch.com -@@||pchassets.com^$script,domain=games.pch.com -@@||shoqolate.com^$script,domain=games.pch.com -@@||tags.tiqcdn.com^$domain=games.pch.com -|http://$script,third-party,xmlhttprequest,domain=games.pch.com -|https://$script,third-party,xmlhttprequest,domain=games.pch.com -! mirrorcreator.com -|http://$script,third-party,xmlhttprequest,domain=mirrorcreator.com -|https://$script,third-party,xmlhttprequest,domain=mirrorcreator.com -! firstrow-related -@@?stream=/embed/*&width=*&height=$script,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -@@||ajax.googleapis.com^$script,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -@@||platform.twitter.com^$script,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -|http://$script,third-party,xmlhttprequest,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -|https://$script,third-party,xmlhttprequest,domain=firstrowas.co|gofirstrow.eu|ifirstrow.eu|ifirstrowit.eu|webfirstrow.eu -! watchfree.to -@@||ajax.googleapis.com^$script,domain=watchfree.to -@@||connect.facebook.net^$script,domain=watchfree.to -@@||openload.co/assets/js/jquery.min.js$script,domain=watchfree.to -@@||openload.co/assets/js/video*.js$script,domain=watchfree.to -@@||platform.twitter.com^$script,domain=watchfree.to -|http://$script,third-party,xmlhttprequest,domain=watchfree.to -|https://$script,third-party,xmlhttprequest,domain=watchfree.to -! s0ft4pc.com -@@||s.gravatar.com^$script,third-party,domain=s0ft4pc.com -@@||wp.com/wp-content/js/$script,domain=s0ft4pc.com -|http://$script,third-party,xmlhttprequest,domain=s0ft4pc.com -|https://$script,third-party,xmlhttprequest,domain=s0ft4pc.com -! pixsense.net -@@||ajax.googleapis.com^$third-party,domain=pixsense.net -|http://$script,third-party,xmlhttprequest,domain=pixsense.net -|https://$script,third-party,xmlhttprequest,domain=pixsense.net -! putlocker -@@||apis.google.com^$script,domain=putlocker.is|putlocker.live|putlocker9.co|putlockers.ch|putlockertv.is -@@||connect.facebook.net^$script,domain=putlocker.is|putlocker.live|putlocker9.co|putlockers.ch|putlockertv.is -@@||jsc.mgid.com^$script,domain=putlocker.is|putlocker.live|putlocker9.co|putlockers.ch|putlockertv.is -|http://$script,third-party,xmlhttprequest,domain=putlocker.live|putlocker9.co|putlockers.ch|putlockertv.is -|https://$script,third-party,xmlhttprequest,domain=putlocker.is|putlocker.live|putlocker9.co|putlockers.ch|putlockertv.is -! Depositfiles/Dfiles -@@||api-secure.solvemedia.com^$domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru -@@||api.solvemedia.com^$third-party,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru -@@||depositfiles.com/api/$xmlhttprequest -@@||depositfiles.com/get_file.php$xmlhttprequest -@@||depositfiles.com/gold/$xmlhttprequest -@@||depositfiles.com/js/$script -@@||depositfiles.com/upload/$subdocument -@@||depositfiles.org/api/$xmlhttprequest -@@||depositfiles.org/get_file.php$xmlhttprequest -@@||depositfiles.org/gold/$xmlhttprequest -@@||depositfiles.org/js/$script -@@||depositfiles.org/upload/$subdocument,xmlhttprequest -@@||depositvpn.com/api/$xmlhttprequest,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru -@@||depositvpn.com/iframe/$subdocument,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru -@@||dfiles.eu/api/$xmlhttprequest -@@||dfiles.eu/get_file.php?$xmlhttprequest -@@||dfiles.eu/gold/$xmlhttprequest -@@||dfiles.eu/js/$script -@@||dfiles.eu/upload/$subdocument,xmlhttprequest -@@||dfiles.ru/api/$xmlhttprequest -@@||dfiles.ru/get_file.php$xmlhttprequest -@@||dfiles.ru/gold/$xmlhttprequest -@@||dfiles.ru/js/$script -@@||dfiles.ru/upload/$subdocument,xmlhttprequest -@@||google.com/js/bg/$script,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru -@@||google.com/recaptcha/$subdocument,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru -@@||static.depositfiles.com^$script -@@||static.depositfiles.org^$script -@@||static.dfiles.eu^$script -@@||static.dfiles.ru^$script -|http://$script,subdocument,xmlhttprequest,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru -|https://$script,subdocument,xmlhttprequest,domain=depositfiles.com|depositfiles.org|dfiles.eu|dfiles.ru -! Adreclaim -@@||ajax.googleapis.com^$script,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|travelerstoday.com|universityherald.com|wrestlinginc.com -@@||cdnjs.cloudflare.com^$script,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|travelerstoday.com|universityherald.com -@@||connect.facebook.net^$script,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|travelerstoday.com|universityherald.com|wrestlinginc.com -@@||disqus.com^$script,domain=gamenguide.com|wrestlinginc.com -@@||maxcdn.bootstrapcdn.com^$domain=wrestlinginc.com -@@||platform.instagram.com^$script,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|universityherald.com|wrestlinginc.com -@@||platform.twitter.com^$script,domain=gamenguide.com|wrestlinginc.com -@@||springboardplatform.com^$domain=biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|itechpost.com|universityherald.com -@@||tv.bsvideos.com^$domain=itechpost.com -|http://$script,third-party,xmlhttprequest,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.comuniversityherald.com|travelerstoday.com|wrestlinginc.com -|https://$script,third-party,xmlhttprequest,domain=autoworldnews.com|biohealthinnovation.org|counselheal.com|dolphnsix.com|foodworldnews.com|gamenguide.com|itechpost.com|mobilenapps.com|scienceworldreport.com|travelerstoday.com|universityherald.com|wrestlinginc.com -! rekoverr.com -||code.jquery.com^$script,domain=kumb.com|tomshardware.com -! bc.vc -|http://$script,third-party,xmlhttprequest,domain=bc.vc -|https://$script,third-party,xmlhttprequest,domain=bc.vc -! streamallthis.is -@@||cdnjs.cloudflare.com^$script,domain=streamallthis.is -@@||openload.co/assets/js/video-js/script,$domain=streamallthis.is -|http://$script,third-party,xmlhttprequest,domain=streamallthis.is -|https://$script,third-party,xmlhttprequest,domain=streamallthis.is -! publicleech.xyz -@@||cdnjs.cloudflare.com^$script,domain=publicleech.xyz -|http://$script,third-party,xmlhttprequest,domain=publicleech.xyz -|https://$script,third-party,xmlhttprequest,domain=publicleech.xyz -! eztv.ag -@@||cdnjs.cloudflare.com^$script,domain=eztv.ag|eztv.tf|eztv.yt -@@||connect.facebook.net^$script,domain=eztv.ag|eztv.tf|eztv.yt -@@||eztv.ag/js/search_shows*.js$script,domain=eztv.ag|eztv.tf|eztv.yt -@@||eztv.ag^$generichide -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=eztv.ag -|http://$script,xmlhttprequest,domain=eztv.ag|eztv.tf|eztv.yt -|https://$script,xmlhttprequest,domain=eztv.ag|eztv.tf|eztv.yt -! adf.ly -@@||adf.ly/static/image/$image,~third-party -@@||s1-adfly.com/show.php?$subdocument,third-party,domain=adf.ly -|http://$third-party,domain=adf.ly|s1-adfly.com -|https://$third-party,domain=adf.ly|s1-adfly.com -! linkdrop.net -|http://$script,third-party,xmlhttprequest,domain=linkdrop.net -|https://$script,third-party,xmlhttprequest,domain=linkdrop.net -! tamilyogi.cc -|http://$script,third-party,xmlhttprequest,domain=tamilyogi.cc -|https://$script,third-party,xmlhttprequest,domain=tamilyogi.cc -! salefiles.com -|http://$script,third-party,xmlhttprequest,domain=salefiles.com -|https://$script,third-party,xmlhttprequest,domain=salefiles.com -! imgoutlet.com / imgdew.com / imgclick.net / imgtrex.com / imgtown.net / ironimg.net | imgkings.com -@@||imgadult.com/advertisement.js -@@||imgtaxi.com/advertisement.js -@@||imgwallet.com/advertisement.js -|http://$script,third-party,xmlhttprequest,domain=damimage.com|dimtus.com|imagedecode.com|imageteam.org|imgadult.com|imgclick.net|imgdew.com|imgdrive.net|imgkings.com|imgmaid.net|imgmaze.com|imgnemo.com|imgoutlet.com|imgrock.net|imgstudio.org|imgtaxi.com|imgtown.net|imgtrex.com|imgview.net|ironimg.net -|https://$script,third-party,xmlhttprequest,domain=damimage.com|dimtus.com|imagedecode.com|imageteam.org|imgadult.com|imgclick.net|imgdew.com|imgdrive.net|imgkings.com|imgmaid.net|imgmaze.com|imgnemo.com|imgoutlet.com|imgrock.net|imgstudio.org|imgtaxi.com|imgtown.net|imgtrex.com|imgview.net|ironimg.net -||imgadult.com^$subdocument -||imgtaxi.com^$subdocument -||imgwallet.com^$subdocument -! filedot.xyz -|http://$script,third-party,xmlhttprequest,domain=filedot.xyz -|https://$script,third-party,xmlhttprequest,domain=filedot.xyz -! batmanstream.com -|ws://$other,third-party,domain=batmanstream.com -! rlslog.net -|http://$script,third-party,xmlhttprequest,domain=rlslog.net -|https://$script,third-party,xmlhttprequest,domain=rlslog.net -! torrenteo.com -|http://$script,third-party,xmlhttprequest,domain=torrenteo.com -|https://$script,third-party,xmlhttprequest,domain=torrenteo.com -! embed.nowvideo.sx / animeflv.net -@@||ajax.googleapis.com^$script,domain=embed.nowvideo.sx -@@||zerocdn.to/dash/$third-party,xmlhttprequest,domain=nowvideo.sx -|http://$image,script,third-party,xmlhttprequest,domain=embed.nowvideo.sx -|https://$image,script,third-party,xmlhttprequest,domain=embed.nowvideo.sx -! imgcandy.net -|http://$image,script,third-party,xmlhttprequest,domain=imgcandy.net -|https://$image,script,third-party,xmlhttprequest,domain=imgcandy.net -||imgcandy.net/fad/$script -! mediafire.com -@@||ajax.googleapis.com^$script,domain=mediafire.com -@@||cdn.mxpnl.com^$script,domain=mediafire.com -@@||cdn.polyfill.io^$domain=mediafire.com -@@||connect.facebook.net^$script,domain=mediafire.com -@@||mediafireuserupload.com^$xmlhttprequest,domain=mediafire.com -@@||ravenjs.com^$script,domain=mediafire.com -@@||solvemedia.com^$script,domain=mediafire.com -@@||translate.google.com^$script,domain=mediafire.com -@@||translate.googleapis.com^$script,domain=mediafire.com -|http://$script,third-party,xmlhttprequest,domain=mediafire.com -|https://$script,third-party,xmlhttprequest,domain=mediafire.com -! thevideo.me -@@||ajax.googleapis.com^$script,domain=thevideo.me -@@||connect.facebook.net^$script,domain=thevideo.me -@@||tawk.to^$script,xmlhttprequest,domain=thevideo.me -|http://$script,third-party,xmlhttprequest,domain=thevideo.me -|https://$script,third-party,xmlhttprequest,domain=thevideo.me -! geektv -@@||ajax.googleapis.com^$script,domain=geektv.ma -@@||connect.facebook.net^$script,domain=geektv.ma -|http://$script,third-party,xmlhttprequest,domain=geektv.ma -|https://$script,third-party,xmlhttprequest,domain=geektv.ma -! 4shared.com -@@||apis.google.com/js/plusone.js$script,domain=4shared.com -@@||connect.facebook.net^$script,domain=4shared.com -|http://$script,third-party,xmlhttprequest,domain=4shared.com -|https://$script,third-party,xmlhttprequest,domain=4shared.com -|ws://$domain=4shared.com -! tweaktown -@@||ajax.googleapis.com^$script,domain=tweaktown.com -@@||connect.facebook.net^$script,domain=tweaktown.com -|http://$script,third-party,xmlhttprequest,domain=tweaktown.com -|https://$script,third-party,xmlhttprequest,domain=tweaktown.com -||tweaktown.com/zyx?p=$image,~third-party -||tweaktown.com^$object -! tvmuse.com -@@||apis.google.com^$script,third-party,domain=tvmuse.com -@@||s.tvmuze.eu^$script,third-party,domain=tvmuse.com -|http://$script,third-party,xmlhttprequest,domain=tvmuse.com -|https://$script,third-party,xmlhttprequest,domain=tvmuse.com -! streamplay -.xyz/$popup,domain=streamplay.to -@@||streamplay.to/js/bootstrap.min.js|$script,domain=streamplay.to -@@||streamplay.to/js/jquery*min.js|$script,domain=streamplay.to -@@||streamplay.to/js/jquery.cookie.js|$script,domain=streamplay.to -@@||streamplay.to/js/modernizr.custom.*.js|$script,domain=streamplay.to -@@||streamplay.to/js/xupload.js|$script,domain=streamplay.to -@@||streamplay.to/player*/jwplayer.html5.js|$script,domain=streamplay.to -@@||streamplay.to/player*/jwplayer.js?$script,domain=streamplay.to -@@||streamplay.to/player*/jwpsrv.js|$script,domain=streamplay.to -@@||streamplay.to/player*/lightsout.js|$script,domain=streamplay.to -|http://$script,third-party,xmlhttprequest,domain=streamplay.to -|https://$script,third-party,xmlhttprequest,domain=streamplay.to -||streamplay.to^$script,domain=streamplay.to -! powvideo.net -@@||ajax.googleapis.com^$script,third-party,domain=powvideo.net -|http://$script,subdocument,third-party,domain=powvideo.net -|https://$script,subdocument,third-party,domain=powvideo.net -! animmex -@@|https://$image,script,third-party,domain=4553t5pugtt1qslvsnmpc0tpfz5fo.xyz -@@|https://*/mgid/$script,domain=animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz -@@||adnetasia.com^$script,domain=4553t5pugtt1qslvsnmpc0tpfz5fo.xyz -@@||adtrackers.net^$script,domain=animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz -@@||ajax.googleapis.com^$script,third-party,domain=animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz -@@||bannertrack.net^$script,domain=animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz -@@||disqus.com^$script,domain=animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz -@@||disquscdn.com^$script,domain=animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz -|http://$script,third-party,xmlhttprequest,domain=animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz -|https://$script,third-party,xmlhttprequest,domain=animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz -! cinenews.be/en/ -@@||ajax.googleapis.com^$script,third-party,domain=cinenews.be -@@||connect.facebook.net^$script,third-party,domain=cinenews.be -|http://$script,third-party,xmlhttprequest,domain=cinenews.be -|https://$script,third-party,xmlhttprequest,domain=cinenews.be -! img.yt -|http://$script,subdocument,third-party,xmlhttprequest,domain=img.yt -|https://$script,subdocument,third-party,xmlhttprequest,domain=img.yt -! uplod.it -@@||code.jquery.com^$script,third-party,domain=uplod.it -@@||connect.facebook.net^$script,third-party,domain=uplod.it -@@||netdna.bootstrapcdn.com^$script,third-party,domain=uplod.it -|http://$script,third-party,xmlhttprequest,domain=uplod.it -|https://$script,third-party,xmlhttprequest,domain=uplod.it -! movpod.in -|http://$script,third-party,xmlhttprequest,domain=movpod.in -|https://$script,third-party,xmlhttprequest,domain=movpod.in -! daclips.in -@@||ajax.googleapis.com^$script,third-party,domain=daclips.in -@@||trandsey.info/popunder.gif$image,domain=daclips.in -|http://$script,subdocument,third-party,xmlhttprequest,domain=daclips.in -|https://$script,subdocument,third-party,xmlhttprequest,domain=daclips.in -! tinypic -@@||addthis.com/static/$subdocument,domain=tinypic.com -@@||api.solvemedia.com^$domain=tinypic.com -|http://$image,third-party,domain=tinypic.com -|http://$subdocument,third-party,xmlhttprequest,domain=tinypic.com -|https://$image,third-party,domain=tinypic.com -! vidspot.net -@@||jwpsrv.com/library/$script,domain=vidspot.net -|http://$script,third-party,xmlhttprequest,domain=vidspot.net -|https://$script,third-party,xmlhttprequest,domain=vidspot.net -! vidbull.com -@@||disqus.com^$script,xmlhttprequest,domain=vidbull.com -@@||jsc.mgid.com^$script,domain=vidbull.com -@@||lp.longtailvideo.com^$script,domain=vidbull.com -|http://$script,third-party,xmlhttprequest,domain=vidbull.com -|https://$script,third-party,xmlhttprequest,domain=vidbull.com -! streamcloud.eu -@@||ajax.googleapis.com^$script,third-party,domain=streamcloud.eu -|http://$image,script,third-party,domain=streamcloud.eu -|https://$image,script,third-party,domain=streamcloud.eu -! openload/oload/streamango -/assets/js/license.$domain=oload.tv|openload.co|protect-iframe.com|protect-video.com|streamango.com -/assets/js/script.$domain=oload.tv|openload.co|protect-iframe.com|protect-video.com|streamango.com -@@||oload.tv^$genericblock,generichide -@@||openload.co^$genericblock,generichide -@@||streamango.com^$genericblock,generichide -||adskeeper.co.uk^$domain=oload.tv|openload.co|protect-iframe.com|protect-video.com|streamango.com -||oload.tv/assets/js/license.$domain=oload.tv -||oload.tv/log$~script,domain=oload.tv -||oload.tv/r/$domain=oload.tv -||oload.tv/r2/$domain=oload.tv -||openload.co/log$~script,domain=openload.co -||openload.co/r/$domain=openload.co -||openload.co/r2/$domain=openload.co -||padsdel.com^$domain=oload.tv|openload.co|streamango.com -||padstm.com^$domain=oload.tv|openload.co|streamango.com -||popads.net^$domain=oload.tv|openload.co|streamango.com -||streamango.com/assets/js/license.js|$domain=streamango.com -||streamango.com/assets/js/script.packed.js|$domain=streamango.com -||streamango.com/log$~script,domain=streamango.com -||t1.oload.tv^$domain=oload.tv -||t1.openload.co^$domain=openload.co -||t2.oload.tv^$domain=oload.tv -||t2.openload.co^$domain=openload.co -! opensubtitles.org -@@||opensubtitles.org/cdn-cgi/nexp/dok3v=*/cloudflare/rocket.js$domain=opensubtitles.org -@@||static.opensubtitles.org/libs/js/$script,domain=opensubtitles.org -|http://$script,third-party,xmlhttprequest,domain=opensubtitles.org -|https://$script,third-party,xmlhttprequest,domain=opensubtitles.org -||opensubtitles.org^*.js|$script,domain=opensubtitles.org -! uplea.com -@@||ajax.googleapis.com^$script,domain=uplea.com -|http://$script,third-party,xmlhttprequest,domain=uplea.com -|https://$script,third-party,xmlhttprequest,domain=uplea.com -! thefreethoughtproject.com -@@||freethoughtllc.netdna-cdn.com/wp-content/uploads/2014/03/submit-link.png|$image,domain=thefreethoughtproject.com -@@||p.po.st/p?$image,domain=thefreethoughtproject.com -@@||pagely.netdna-cdn.com/wp-content/uploads/$image,domain=thegatewaypundit.com -|http://$image,third-party,domain=thefreethoughtproject.com -|https://$image,third-party,domain=thefreethoughtproject.com -! amvtv.net -@@||allmyvideos.net/jquery.cookie.js$script,domain=amvtv.net -@@||connect.facebook.net^$third-party,domain=amvtv.net -@@||jwpsrv.com/library/$script,domain=amvtv.net -@@||p.jwpcdn.com^$xmlhttprequest,domain=amvtv.net -@@||ucdn.allmyvideos.net^$script,domain=amvtv.net -|http://$script,third-party,xmlhttprequest,domain=amvtv.net -|https://$script,third-party,xmlhttprequest,domain=amvtv.net -||allmyvideos.net^$~third-party,xmlhttprequest -! couchtuner.city -@@||disqus.com^$script,third-party,domain=couch-tuner.ag|couch-tuner.at|couch-tuner.me|couchtuner.ag|couchtuner.ch|couchtuner.city|couchtuner.us|couchtuner2.to -|http://$script,third-party,xmlhttprequest,domain=couch-tuner.ag|couch-tuner.at|couch-tuner.me|couchtuner.ag|couchtuner.ch|couchtuner.city|couchtuner.us|couchtuner2.to -|https://$script,third-party,xmlhttprequest,domain=couch-tuner.ag|couch-tuner.at|couch-tuner.me|couchtuner.ag|couchtuner.ch|couchtuner.city|couchtuner.us|couchtuner2.to -! uptobox.com -@@||ajax.googleapis.com^$script,domain=uptobox.com|uptostream.com -@@||platform.twitter.com/widgets.js$domain=uptobox.com|uptostream.com -|http://$script,third-party,xmlhttprequest,domain=uptobox.com|uptostream.com -|https://$script,third-party,xmlhttprequest,domain=uptobox.com|uptostream.com -! userscloud.com -@@||d3edizycpjjo07.cloudfront.net/assets/library/jquery/jquery.min.js$script,domain=userscloud.com -@@||d3edizycpjjo07.cloudfront.net/xupload.js$script,domain=userscloud.com -@@||widget.uservoice.com^$script,domain=userscloud.com -|http://$script,third-party,xmlhttprequest,domain=userscloud.com -|https://$script,third-party,xmlhttprequest,domain=userscloud.com -! uploadrocket.net -@@||api.solvemedia.com^$script,third-party,domain=uploadrocket.net -|http://$script,subdocument,third-party,xmlhttprequest,domain=uploadrocket.net -|https://$script,subdocument,third-party,xmlhttprequest,domain=uploadrocket.net -! revclouds.com -@@||connect.facebook.net^$script,domain=revclouds.com -|http://$script,third-party,xmlhttprequest,domain=revclouds.com -|https://$script,third-party,xmlhttprequest,domain=revclouds.com -! wstream.video -@@||cloudflare.com/ajax/libs/$script,domain=wstream.video -@@||rivcash.com/it/webmaster/show_banner.js$script,domain=wstream.video -@@||rivcash.com/webmaster/banners/$subdocument,domain=wstream.video -|http://$script,third-party,xmlhttprequest,domain=wstream.video -|https://$script,third-party,xmlhttprequest,domain=wstream.video -! gorillavid.in -@@||ajax.googleapis.com^$script,domain=gorillavid.in -@@||gorillavid.in/?$xmlhttprequest -@@||gorillavid.in/tabber.js -@@||gorillavid.in/xupload.js -@@||gorillavid.in^*/jsSelect.js -@@||gorillavid.in^*/jwplayer.js -|http://$script,xmlhttprequest,domain=gorillavid.in -|https://$popup,third-party,domain=gorillavid.in -|https://$script,third-party,xmlhttprequest,domain=gorillavid.in -! fastpic -|http://$script,stylesheet,third-party,domain=fastpic.ru -|https://$script,stylesheet,third-party,domain=fastpic.ru -|ws://$other,third-party,domain=fastpic.ru -! monova -@@||gstatic.com^$script,third-party,domain=monova.org -@@||monova.org/js/main.js?v=$script -|http://$script,xmlhttprequest,domain=monova.org -|https://$script,xmlhttprequest,domain=monova.org -! torrentz -@@||ajax.googleapis.com^$script,domain=torrents.de|torrentz.ch|torrentz.com|torrentz.eu|torrentz.in|torrentz.li|torrentz.me|torrentz.ph -@@||gstatic.com^$script,domain=torrents.de|torrentz.ch|torrentz.com|torrentz.eu|torrentz.in|torrentz.li|torrentz.me|torrentz.ph -|http://$script,third-party,xmlhttprequest,domain=torrents.de|torrentz.ch|torrentz.com|torrentz.eu|torrentz.in|torrentz.li|torrentz.me|torrentz.ph -|https://$script,third-party,xmlhttprequest,domain=torrents.de|torrentz.ch|torrentz.com|torrentz.eu|torrentz.in|torrentz.li|torrentz.me|torrentz.ph -! 1337x.to -@@||code.jquery.com^$script,domain=1337x.to -@@||sweetcaptcha.com^$script,domain=1337x.to -|http://$script,third-party,xmlhttprequest,domain=1337x.to -|https://$script,third-party,xmlhttprequest,domain=1337x.to -! watchseries -@@||connect.facebook.net^$script,domain=mywatchseries.to|onwatchseries.to|watch-series.to|watchseries.li -@@||maxcdn.bootstrapcdn.com^$script,domain=mywatchseries.to|onwatchseries.to|watch-series.to|watchseries.li -@@||platform.twitter.com^$script,domain=mywatchseries.to|onwatchseries.to|watch-series.to|watchseries.li -|http://$other,script,stylesheet,third-party,xmlhttprequest,domain=mywatchseries.to|onwatchseries.to|watch-series.to|watchseries.li -|https://$other,script,stylesheet,third-party,xmlhttprequest,domain=mywatchseries.to|onwatchseries.to|watch-series.to|watchseries.li -! briskfile.com -@@||ajax.googleapis.com^$script,domain=briskfile.com -@@||connect.facebook.net^$script,domain=briskfile.com -@@||netdna.bootstrapcdn.com^$script,domain=briskfile.com -@@||platform.twitter.com^$script,domain=briskfile.com -@@||yahooapis.com^$script,domain=briskfile.com -|http://$script,third-party,domain=briskfile.com -|https://$script,third-party,domain=briskfile.com -! vid.ag -@@||jwpsrv.com/library/$third-party,domain=vid.ag -|http://$script,third-party,domain=vid.ag -|https://$script,third-party,domain=vid.ag -! flashx.tv -@@||fastcontentdelivery.com^$script,domain=flashx.tv -@@||flash-x.tv/js/showad$script -@@||flashx.tv/js/jquery.cookie.js -@@||flashx.tv/js/jquery.min.js| -@@||flashx.tv/js/light.min.js| -@@||flashx.tv/js/showad$script -@@||flashx.tv/js/xfs.js -@@||flashx.tv/js/xupload.js -@@||flashx.tv/player6/jwplayer.js -|http://$script,third-party,xmlhttprequest,domain=flash-x.tv|flashsx.tv|flashx.me|flashx.run|flashx.tv|flashx1.tv|flashxx.tv -|https://$script,third-party,xmlhttprequest,domain=flash-x.tv|flashsx.tv|flashx.me|flashx.run|flashx.tv|flashx1.tv|flashxx.tv -! streamin.to -@@||code.jquery.com^$script,domain=api.streamin.to -@@||plugins.longtailvideo.com^$script,domain=streamin.to -|http://$script,third-party,domain=streamin.to -|https://$script,third-party,domain=streamin.to -! youwatch.org/exashare.com -@@/embed-*.html?$subdocument,domain=exashare.com|youwatch.org -@@||ajax.googleapis.com/ajax/libs/$script,domain=youwatch.org -@@||exashare.com/ad.js -@@||exashare.com/js/$script -@@||exashare.com/player$script -@@||plugins.longtailvideo.com^$script,domain=youwatch.org -|http://$script,subdocument,third-party,domain=exashare.com|tikamika.info|twer.info|youwatch.org -|https://$script,subdocument,third-party,domain=exashare.com|tikamika.info|twer.info|youwatch.org -! promptfile.com -@@||addthis.com/url/shares.json$domain=promptfile.com -@@||ajax.googleapis.com/ajax/libs/$script,domain=promptfile.com -@@||connect.facebook.net^$script,domain=promptfile.com -@@||netdna.bootstrapcdn.com^$script,domain=promptfile.com -@@||platform.twitter.com/widgets.js$domain=promptfile.com -@@||s7.addthis.com^$script,domain=promptfile.com -@@||yahooapis.com^$script,domain=promptfile.com -|http://$script,third-party,domain=promptfile.com -|https://$script,third-party,domain=promptfile.com -! filmovizija -@@||api.pinterest.com^$script,domain=filmovizija.ws -@@||facebook.com^$script,domain=filmovizija.ws -@@||feeds.delicious.com^$script,domain=filmovizija.ws -@@||histats.com/stats/$script,domain=filmovizija.ws -@@||share.yandex.ru^$script,domain=filmovizija.ws -@@||twitter.com^$script,domain=filmovizija.ws -@@||vk.com/share.php?$script,domain=filmovizija.ws -|http://$script,third-party,domain=filmovizija.ws -|https://$script,third-party,domain=filmovizija.ws -! primewire (and various mirrors) -@@||ajax.googleapis.com/ajax/libs/jquery/$domain=1channel.biz|letmewatchthis.pl|letmewatchthis.video|primewire.ag|primewire.is|primewire.to|primewire.unblockall.xyz|snowysmile.com -@@||image.tmdb.org^$image,domain=1channel.biz|letmewatchthis.pl|letmewatchthis.video|primewire.ag|primewire.in|primewire.is|primewire.to|primewire.unblockall.xyz|snowysmile.com -@@||platform.twitter.com^$script,domain=1channel.biz|letmewatchthis.pl|letmewatchthis.video|primewire.ag|primewire.in|primewire.is|primewire.to|primewire.unblockall.xyz|snowysmile.com -@@||s7.addthis.com^$script,third-party,domain=1channel.biz|letmewatchthis.pl|letmewatchthis.video|primewire.ag|primewire.in|primewire.is|primewire.to|primewire.unblockall.xyz|snowysmile.com -|http://$image,script,third-party,xmlhttprequest,domain=1channel.biz|letmewatchthis.pl|letmewatchthis.video|primewire.ag|primewire.in|primewire.is|primewire.to|primewire.unblockall.xyz|snowysmile.com -|https://$image,script,third-party,xmlhttprequest,domain=1channel.biz|letmewatchthis.pl|letmewatchthis.video|primewire.ag|primewire.in|primewire.is|primewire.to|primewire.unblockall.xyz|snowysmile.com -! photobucket.com -@@||amazonaws.com^$script,domain=photobucket.com -@@||aviary.com^$image,script,domain=photobucket.com -@@||connect.facebook.net^$script,domain=photobucket.com -@@||pbsrc.com/albums/$image,domain=photobucket.com -@@||pbsrc.com/footer/$image,domain=photobucket.com -@@||pbsrc.com/navbar/$image,domain=photobucket.com -@@||pbsrc.com/print/$image,domain=photobucket.com -@@||pbsrc.com^$script,domain=photobucket.com -@@||pic*.pbsrc.com/common/$image,domain=photobucket.com -@@||print.io^$domain=photobucket.com -@@||sharethis.com/button/$script,domain=photobucket.com -|http://$script,third-party,domain=photobucket.com -|https://$script,third-party,domain=photobucket.com -! speedplay -@@||content.jwplatform.com/libraries/$script,domain=jatttv.pw|speedplay.pw|speedplay.site|speedplay.us|speedplay1.pw|speedplay1.site|speedplay2.pw|speedplay2.site|speedplay3.pw|speedplayx.site|speedplayy.site -@@||speedplay.us/js/$script,domain=jatttv.pw|speedplay.pw|speedplay.site|speedplay.us|speedplay1.pw|speedplay1.site|speedplay2.pw|speedplay2.site|speedplay3.pw|speedplayx.site|speedplayy.site -|http://$script,third-party,xmlhttprequest,domain=jatttv.pw|speedplay.pw|speedplay.site|speedplay.us|speedplay1.pw|speedplay1.site|speedplay2.pw|speedplay2.site|speedplay3.pw|speedplayx.site|speedplayy.site -|https://$script,third-party,xmlhttprequest,domain=jatttv.pw|speedplay.pw|speedplay.site|speedplay.us|speedplay1.pw|speedplay1.site|speedplay2.pw|speedplay2.site|speedplay3.pw|speedplayx.site|speedplayy.site -! speedtest.net -@@||ads.ookla.com/www/test.js?$script,domain=speedtest.net -@@||api.mapbox.com^$script,domain=speedtest.net -@@||beta.speedtest.net^$script,xmlhttprequest,domain=speedtest.net -@@||cdnst.net/javascript/speedtest-main.js$domain=speedtest.net -@@||google.com/coop/$script,domain=speedtest.net -@@||speedtest.net/api/js/host-redirect$xmlhttprequest,domain=speedtest.net -@@||speedtest.net/api/js/isp-rating.php$~third-party,xmlhttprequest -@@||speedtest.net/api/js/servers$~third-party,xmlhttprequest -@@||speedtest.net/globe_feed.php?$script,domain=speedtest.net -@@||speedtest.net/javascript/extMouseWheel.js -@@||speedtest.net/javascript/functions.js -@@||speedtest.net/javascript/highcharts.js -@@||speedtest.net/javascript/jquery-*.min.js -@@||speedtest.net/javascript/jquery.placeholder.min.js -@@||speedtest.net/javascript/jquery.tipTip.js -@@||speedtest.net/javascript/jquery.ui*.js -@@||speedtest.net/javascript/speedtest-main.js?p=*&r=*&q=*%3*&s=*%3*= -@@||speedtest.net/javascript/speedtest-main.js?v= -@@||speedtest.net/javascript/swfobject.js -@@||speedtest.net/mobile/js/helper.js$script -@@||speedtest.net/mobile/js/main.js$script -@@||speedtest.net/mobile/js/vendor/$script -@@||speedtest.net/reports/$script,xmlhttprequest -@@||speedtest.net/results.php$xmlhttprequest -@@||speedtest.net^*/results.php$xmlhttprequest -@@||speedtest.zendesk.com^$script,domain=speedtest.net -@@||widget.uservoice.com^$script,domain=speedtest.net -@@||zdassets.com^$script,domain=speedtest.net -|http://$script,xmlhttprequest,domain=speedtest.net -|https://$script,xmlhttprequest,domain=speedtest.net -! Washingtontimes -@@||twt-static.washtimes.com/js/base_global.$script,domain=washingtontimes.com -@@||twt-static.washtimes.com/js/disqus.js$script,domain=washingtontimes.com -||twt-static.washtimes.com^$script,domain=washingtontimes.com -! linkshrink.net -@@||c1.popads.net/pop.js$domain=linkshrink.net -@@||thankyouforadvertising.com^$script,domain=linkshrink.net -|http://$script,subdocument,third-party,xmlhttprequest,domain=linkshrink.net -! Filenuke/sharesix -/\.filenuke\.com/.*[a-zA-Z0-9]{4}/$script -/\.sharesix\.com/.*[a-zA-Z0-9]{4}/$script -! Game Empire Enterprises -@@||onrpg.com/boards/activityrss.php?$xmlhttprequest -|http:$xmlhttprequest,domain=mmohuts.com|onrpg.com -! vodlocker.com -@@||disqus.com^$domain=vodlocker.com -@@||jwpsrv.com^$script,domain=vodlocker.com -|http://$script,third-party,domain=vodlocker.com -! zippyshare.com -|http://$script,stylesheet,third-party,xmlhttprequest,domain=zippyshare.com -! vidzi.tv -@@||ajax.googleapis.com^$script,domain=vidzi.tv -@@||zopim.com^$script,domain=vidzi.tv -|http://$script,third-party,domain=vidzi.tv -! TPB -@@||thepiratebay.org/static/js/$script,domain=thepiratebay.org -||thepiratebay.org^$script,domain=thepiratebay.org -! watchseries-online.nl -@@||watchseries-online.nl/app/wp-includes/js/$script,domain=watchseries-online.nl -@@||watchseries-online.nl/wp-content/$script,domain=watchseries-online.nl -||watchseries-online.nl^$script,domain=watchseries-online.nl -! mashable.com -@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=mashable.com -@@||mashable.com^$generichide -! IL -@@.gif^$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@.ico^$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@.jpg^$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@.js?&$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@.png^$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@|http://$image,third-party,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@|https://$image,third-party,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||957328-hb.adomik.com/ahba.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a-ams.1rx.io/rtbdeliver/js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a-nj.1rx.io/rtbdeliver/js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a-sjo.1rx.io/rtbdeliver/js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a-ssl.ligatus.com/$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|ign.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com -@@||a.bf-ad.net/makabo/ads_fol_init.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a.bf-ad.net/makabo/js_ng/adplayer/css/adplayer.min.css$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a.bf-ad.net/makabo/js_ng/ae_ks.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a.teads.tv/page/484/tag$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a.travel-assets.com/ads/2.0/396e25d7e04dedb5a5a9e32441141b4cd50b80b8/expads-min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a.travel-assets.com/ads/2.0/396e25d7e04dedb5a5a9e32441141b4cd50b80b8/expadsblocked.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a01.korrelate.net/a/e/d2a.ads$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a01.korrelate.net/a/e/d2i.ads$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||a1716.casalemedia.com/pcreative$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||aax.amazon-adsystem.com/e/dtb/bid$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||acdn.adnxs.com/ast/ast.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||acdn.adnxs.com/html5-lib/host/1.3/appnexus-html5-lib-host.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||acdn.adnxs.com/ib/static/usersync/v3/async_usersync.html$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.360yield.com/ul_cb/adj?p=863768&w=1800&h=1000&tz=360&click3rd$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.adip.ly/dlvr/adiply_statmarg.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.adlegend.com/cdn/trueffect/te_html.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.adtr02.com/banner.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.adtr02.com/d/ad.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.afy11.net/cdsad.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.atdmt.com/i/a.js;p=11017200797909;idfa=;aaid=;idfa_lat=;aaid_lat=;cache=1950321369480217$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.atdmt.com/i/a.js;p=11017200802312;idfa=;aaid=;idfa_lat=;aaid_lat=;cache=4081699742639120$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.atdmt.com/i/a.js;p=11042209578058;idfa=;idfa_lat=;aaid=;aaid_lat=;cache=1258907103$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.lkqd.net/vpaid/formats.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.lkqd.net/vpaid/vpaid.js?fusion=1.0$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.turn.com/server/ads.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.yieldlab.net/yp/161162$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad.yieldlab.net/yp/519478?json=true&ts=9880781007189$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ad2.movad.net/dynamic.ad$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||adhigh.net/adserver/m.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||adnxs.com/async_usersync?cbfn=AN_async_load$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||ads-twitter.com/oct.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||ads-twitter.com/uwt.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||ads.adacado.com/adacadoWeb/6758.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.adrd.co/tag$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.adventive.com/ad$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.bluecava.com/adex.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.cabla.to/ad/235$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.cabla.to/ad/236$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.cabla.to/ad/238$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.cabla.to/ad/240$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.contextweb.com/TagPublish/GetAd.aspx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.creative-serving.com/pixel$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.dynamicads.ch/assets/public/js/wrapper.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.e-webtrack.net/gdnProxy.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.heias.com/x/heias.async/p.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.kwanzoo.com/scripts/visibilityDetector.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.mediaforge.com/phoenix/phoenix-2.26.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.pubmatic.com/AdServer/js/gshowad.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.rd.linksynergy.com/phoenix/phoenix-2.26.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.rubiconproject.com/ad/7476.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.rubiconproject.com/header/11872.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.rubiconproject.com/header/7476.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.rubiconproject.com/header/7952.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.rubiconproject.com/header/8667.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.skadtec.com/adsi-j.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.sparkflow.net/$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.spotible.com/creative/i492/tag/universal-tag.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.studiohwd.com/adserving/headway/592492eb84f6f/libs/createjs-2015.11.26.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.studiohwd.com/adserving/headway/5924934e87e63/728x90.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.twitter.com/favicon.ico$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ads.yahoo.com/pixel$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||adsafeprotected.com/sca.17.1.10.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||adsafeprotected.com/skeleton.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||adserver.xpanama.net/client-7-latest.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||adsfac.net/ads/lib/createjs/createjs-2015.11.26.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||adsfac.net/ads/lib/edge/6.0.0/edge.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||adsfac.net/ads/ND9007/389498/index_edge.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||advanseads.com/dnaFiles/js/html_render_v4.min.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||advanseads.com/dnaFiles/js/jquery-ui.min.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||advanseads.com/dnaFiles/js/slick-1.4.1/slick/slick.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||adventori.com/16248039/Renault_PublicisSudOuest_VN042017_Quantcast_CPM_Megane_728x90/ad/script$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||adx.g.doubleclick.net/pagead/adview$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||aka.spotxcdn.com/integration/directsdk/v1/directsdk/beta.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||akfs.nspmotion.com/aep/tag/ar/ar_msn_1270x348_vitrine.cfg.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||akfs.nspmotion.com/aep/tag/br/br_msn_home_vitrine.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||am.adlooxtracking.com/ads/js/tfav_infectiousg_banoneinf.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||am15.net/bn.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ap.lijit.com/www/delivery/fpi.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ap.lijit.com/www/delivery/js/fpi.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||api.circularhub.com/9436/3a6a34e6022dc464/flyertown_module.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||api.circularhub.com/9442/fbbfd11abef1e6d8/circularhub_module.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||api.circularhub.com/msn/module.loader.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||api.connatix.com/event/get$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||api.connatix.com/homepage/infeed$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ardrone.swoop.com/js/spxw.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||as-sec.casalemedia.com/cygnus?$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||as-sec.casalemedia.com/cygnus?v=7&fn=cygnus_index_parse_res$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||assets.tapad.com/idsync-1.1.2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||at.atwola.com/bind$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||b.adnxs.com/ab$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|ign.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com -@@||baltimoresun.com^$generichide -@@||bannerflow.com/1.0.0/render.min.js?cb=1$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||banners.esm1.net/adUtils/1.0.3/adUtils.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||banners.esm1.net/creative/runtime/6.0.0/edge.6.0.0.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||banners.webmasterplan.com/Scripts/doprefs.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||banners.webmasterplan.com/Scripts/prefs.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||betrad.com/durly.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||betrad.com/geo/ba.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||bh.contextweb.com/bh/rtset$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||bid.contextweb.com/header/ortb$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||boston.com^$generichide -@@||c.algovid.com/player/cedato_player_109.09_d.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c.algovid.com/player/cedato_player_109.23_d.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c.amazon-adsystem.com/aax2/amzn_ads.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c.betrad.com/a/n/1454/9084.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c.betrad.com/durly.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c.betrad.com/geo/ba.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c.betrad.com/surly.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c.greystripe.com/gsswf/ad.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c.gumgum.com/ads/com/kahala_resort/q1_q2_2017/ii_is/00/ii_is.hyperesources/HYPE-576.thin.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c1.rfihub.net/adChoicesJs/rfacNew.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c2.rfihub.net/static/img/dt_with_modernizr_min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||c2.rfihub.net/static/js/interaction15.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||calgaryherald.com^$generichide -@@||capitalgazette.com^$generichide -@@||carrollcountytimes.com^$generichide -@@||cas.criteo.com/delivery/ajs.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cas.sv.us.criteo.com/delivery/r/afr.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||casalemedia.com/casaleRJTag.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||cdn-akamai.mookie1.com/html/trb_itrs_segs_sync.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn-aua.adverserve.net/226/909/300x600/js/BannerBuilder.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn-sic.33across.com/1/javascripts/sic.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn-sic.33across.com/1/stylesheets/sic.css$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.3lift.com/msn_infopane.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.adforgeinc.com/adman1.3.2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.adjs.net/auth.digital.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.admission.net/rimfire/admission/search/v2.0$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.adnxs.com/msft/ContainerTag-v9.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.adsafeprotected.com/sca.17.1.10.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.adsafeprotected.com/sca.17.2.2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.advanseads.com/dnaFiles/js/html_render_v4.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.advanseads.com/dnaFiles/js/jquery-ui.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.advanseads.com/dnaFiles/js/slick-1.4.1/slick/slick.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.atlassbx.com/FB/11087207991959/O365_Excel_Focus_300x600.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.bttrack.com/js/infeed/1.1/20bc0442-8bec-43f8-9992-08be6e6a3591/704661263/infeed.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.connatix.com/pl/pl.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.districtm.ca/v4.0.header.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.doubleverify.com/avs666.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.doubleverify.com/dv-engagement2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.doubleverify.com/dv-match3.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.doubleverify.com/dv-measurements1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.doubleverify.com/dvbs_src_internal12.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.doubleverify.com/dvbs_src_internal20.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.doubleverify.com/dvtp_src_internal73.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.go.affec.tv/sigad/assets/scripts/iab.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.ipromote.com/media/t/hover/hover.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.ipromote.com/media/t/v03/03/assets/template02_adfmt_1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.jivox.com/95864/62/37748-0-ajs57fcf3a620477gz.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.n.dynstc.com/ads_creative/vpaid/js/vpaid-dynadmic-v1.6.08.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.nmcdn.us/js/connect.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.revcontent.com/build/js/rev2.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.spotxcdn.com/website/integrations/easi/inform/inform-solution.v2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.springserve.com/vd/vd-0.2.57.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.springserve.com/vd/vd-0.2.70-beta.2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.springserve.com/vd/vd0.2.741.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.springserve.com/vd/vd0.2.77.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.springserve.com/vd/vd0.2.79t.1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.stickyadstv.com/mustang/vpaid-adapter.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.undertone.com/js/ajs.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn.yldbt.com/js/yieldbot.intent.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn1.lockerdome.com/js/embed_code.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn2.lockerdome.com/_js/ajs.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||cdn2.movad.net/ma_html5api_v102.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||chicagotribune.com^$generichide -@@||choices.truste.com/ca?pid=att01&aid=att_hs&cid=10848333_81235177_144875930&js=st0$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||choices.truste.com/ca?pid=hp01&aid=essence01&cid=0423_12833&c=essence01cont60&w=728&h=90&618975391$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||citypaper.com^$generichide -@@||connect.facebook.net/favicon.ico$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||content.synapsys.us/l/prebid.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||contextual.media.net/__media__/js/util/nrr.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||courant.com^$generichide -@@||d.runadtag.com/impressions/ext/p=140864.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||d3avqv6zaxegeu.cloudfront.net/tie.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||d3pkae9owd2lcf.cloudfront.net/mb105.gz.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||d3pkae9owd2lcf.cloudfront.net/pb19c.gz.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||da.admission.net/admission/displayad.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||dailypress.com^$generichide -@@||data.adsrvr.org/track/cmf/generic?ttd_pid=partner_id$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||data01.adlooxtracking.com/ads/ic.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||data20.adlooxtracking.com/ads/err.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||data56.adlooxtracking.com/ads/ic.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||datam07.adlooxtracking.com/ads/ic.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||deathandtaxesmag.com^$generichide -@@||dff2h0hbfv6w4.cloudfront.net/ads/scripts/prebid-v3.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||dhigh.net/adserver/ua-parser.min.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||dmp.theadex.com/d/625/2327/s/adex.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||doubleverify.com/bsredirect5_internal5.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||doubleverify.com/dvbs_src_internal12.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||doubleverify.com/visit.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||edmontonjournal.com^$generichide -@@||edmunds.com^$generichide -@@||endesa.solution.weborama.fr/fcgi-bin/dispatch.fcgi$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||everquest.allakhazam.com^$generichide -@@||f12.adventori.com/lp/enabler/ADventori-2.0.0.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||f18.adventori.com/16247993/Dacia_PublicisEst_Dacia042017_Quantcast_CPM_Sandero_728x90/ad/script$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||fastlane.rubiconproject.com/a/api/fastlane.json$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||financialpost.com^$generichide -@@||flapi1.rubiconproject.com/a/api/fastlane.json$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||fo-static.omnitagjs.com/ot_multi_template.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||g2.gumgum.com/javascripts/ggv2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||geo.moatads.com/n.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||gofugyourself.com^$generichide -@@||google-analytics.com/analytics.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||google-cm.p.veruta.com/adserver/cookiematch$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|ign.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com -@@||googleads.g.doubleclick.net/dbm/ad$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||googleads.g.doubleclick.net/pagead/drt/s$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||googleads.g.doubleclick.net/pagead/gen_204$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||googleads.g.doubleclick.net/pagead/html/r20170426/r20170110/zrt_lookup.html$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||googleads.g.doubleclick.net/pagead/html/r20170501/r20170110/zrt_lookup.html$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||googleads.g.doubleclick.net/pagead/id$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||googlesyndication.com/pagead/js/r20170130/r20110914/abg.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googlesyndication.com/pagead/js/r20170130/r20110914/activeview/osd_listener.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googlesyndication.com/pagead/js/r20170130/r20110914/client/ext/m_js_controller_exp.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Background.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Engine.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Logo_M.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Packshot.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/rAF.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Texts1.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||googletagservices.com/tag/js/gpt.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||hal900021.redintelligence.net/request.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||hb.sekindo.com/live/liveView.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||hb.vntsm.com/live/hb.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||hearthhead.com^$generichide -@@||hi.districtm.ca/currency.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||horizon.btrll.com/wf90-512593/horizon.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||html5.adsrvr.org/cpsla2v/jrbow41/3wble1f0/cssplugin.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ib.3lift.com/rev/0c4743c5f41b827dd303a933e3c6c9e621039d9f/base.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ib.adnxs.com/jpt$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ib.adnxs.com/ttj?id=1$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ib.mookie1.com/at.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||idpix.media6degrees.com/orbserv/hbpix$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ih.adscale.de/adscale-ih/tpui/419891490619029601/1490619029601/0/js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||image2.pubmatic.com/AdServer/Pug$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||imagesrv.adition.com/js/adition.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||imagesrv.adition.com/js/AditionH5_ClickTags.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||in.ml314.com/ud.ashx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||infinitiev.com^$generichide -@@||ivid-cdn.adhigh.net/adserver/m.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ivid-cdn.adhigh.net/adserver/ua-parser.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||jadserve.postrelease.com/t$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||js-sec.casalemedia.com/casaleRJTag.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||js.adsrvr.org/ttdReferrerTrackerV2.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||js.moatads.com/teads245638586802/moatvideo.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||js.moatads.com/tribpubdfp745347008913/moatad.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||js.revsci.net/gateway/gw.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||jsc.adskeeper.co.uk/s/h/shockframes.com.127459.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||latimes.com^$generichide -@@||leaderpost.com^$generichide -@@||legend.sitescoutadserver.com/tag.jsp$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||live-ssl.cdn.spongecell.com/studio/api/v1.5.3/spongeapi.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||live.sekindo.com/live/liveCookieSync.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||live.sekindo.com/live/livePixel.php?id=811$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||lolking.net^$generichide -@@||magnetic.t.domdex.com/sync/openx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||marketing4790.blob.core.windows.net/marketingassets/TV/msg_1/caxton_getyourcard_msg1_300x600_1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||match.basebanner.com/match$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||mcall.com^$generichide -@@||mcs.eyereturn.com/mcs/viewport_eyebuild_html_1.1.js?bt=saf$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||media.adrcdn.com/scripts/screenad_interface_1.0.3_scrambled.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||media.contextweb.com/creatives/defaults/viewability.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||mft1.inskinad.com/record$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ml314.com/tag.aspx?232017$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ml314.com/tpsync.ashx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ml314.com/utsync.ashx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||monkey-broker-d.openx.net/w/1.0/arj$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||montrealgazette.com^$generichide -@@||n162adserv.com/ads-sync.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||nasdaq.com^$generichide -@@||nationalpost.com^$generichide -@@||native.sharethrough.com/assets/sfp.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||o.aolcdn.com/ads/adswrappermsni.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||o.tentaculos.net/ad/request/script/0c837aa4-6d1b-47d6-9022-969a52dae319$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||o2.eyereturn.com/fid/$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||oo.moatads.com/ogilvyupsbs902106694995/bs.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||origin-2831.iframe.evolvemediallc.com/scripts/app.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||orlandosentinel.com^$generichide -@@||ottawacitizen.com^$generichide -@@||p.algovid.com/player/player.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||p438.atemda.com/JSAdservingSP.ashx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/activeview$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/favicon.ico$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pagead/gen_204$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pagead/js/google_top_exp.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pagead/js/lidar.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pagead/js/r20170426/r20170110/show_ads_impl.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pagead/js/r20170501/r20170110/show_ads_impl.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pagead/js/rum.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pagead/osd.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pagead2.googlesyndication.com/pub-config/r20160913/ca-pub-9541501727816548.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pcmag.com^$generichide -@@||php.genesismedia.com/cookie/cookie.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pictela.net/rm/marketplace/pubtaglib/0_4_0/pubtaglib_0_4_0.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||pix04.revsci.net/D08734/a3/0/3/0.302?matchId=100&PV=0$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pixel.adsafeprotected.com/rjss/st/73750/13111483/skeleton.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pixel.rubiconproject.com/tap.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pixel.sitescout.com/dmp/pixelSync?network=partner_id$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pixel.tapad.com/idsync/multi/urls$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||player.videologygroup.com/admanager/sbs/vpaidjs/vg_sbs_vpaidjs_v2_01.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||playercdn.jivox.com/1488329983/unit/js/gz/jquery-2.1.0.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||pmpubs.com/ps$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||prebid.districtm.ca/lib.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||premium.adserverplus.com/serve/58f605b600bf34196a8b4574$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||presentation-ams1.turn.com/server/ads.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||presentation-sjc2.turn.com/server/ads2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||prg.undertone.com/aj$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||qsearch.media.net/bqi.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||qsearch.media.net/bql.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||quickresource.eyereturn.com/eyebuild/eyebuild_1_14.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||r.openx.net/set$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ranker.com^$generichide -@@||report-ads-to.pubnation.com/dist/pnr.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||revsci.net/gateway/gw.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||rfihub.net/adChoicesJs/rfacNew.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||rfihub.net/static/img/dt_with_modernizr_min.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||rfihub.net/static/js/interaction15.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||roimedia.advertserve.com/js/interactive1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||rp.gwallet.com/r1/cm/p25$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||rs.gwallet.com/r1/banner/t2p887r705129879$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||rtax.criteo.com/delivery/rta/rta.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||rtb0.doubleverify.com/verify.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||rtb0.doubleverify.com/verifyc.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||rtbcdn.doubleverify.com/bsredirect5_internal5.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||rubiconproject.com/header/7476.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||runt-of-the-web.com/ads/header-common.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||rxcdn.1rx.io/js/rgtag2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s-akfs.nspmotion.com/aep/tag/br/br_msn_home_vitrine.cfg.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s-jsonp.moatads.com/ocr/VEINTERACTIVEAPPNEXUS1/level3/slickdeals.net$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s.atemda.com/Admeta.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s.dpmsrv.com/no_jq_dpm_59129aacfb6cebbe2c52f30ef3424209f7252e82.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|ign.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com -@@||s.jsrdn.com/s/1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s.ntv.io/serve/load.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s.update.indexww.com/2/4.24.1/loaded.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s.update.openx.com/2/4.24.1/loaded.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s0.2mdn.net/1635909/1x1image.jpg$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s0.2mdn.net/879366/express_html_inpage_rendering_lib_200_182.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s0.2mdn.net/879366/html_inpage_rendering_lib_200_159.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s0qa.2mdn.net/ads/studio/Enabler.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s1.2mdn.net/4506478/1460613588399/script.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s1.2mdn.net/5756703/1467388303252/MaaS_Ebook_728x90/scripts/script.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||s12.algovid.com/player/gpv$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sandiegouniontribune.com^$generichide -@@||saveur.com^$generichide -@@||saxp.zedo.com/asw/fmr/305/49386/31/fmr.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||scripts.host.bannerflow.com/1.0.0/render.min.js?cb=1$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||scripts.host.bannerflow.com/1.0.0/widget.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||scripts.host.bannerflow.com/1.0.2/bf.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sdk.streamrail.com/player/sr.ads.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sdk.vindicosuite.com/verify_selector.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure-ads.pictela.net/rm/marketplace/pubtaglib/0_4_0/pubtaglib_0_4_0.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure-lax.adnxs.com/ab$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure-nym.adnxs.com/ab$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure.adnxs.com/async_usersync?$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||secure.adnxs.com/async_usersync?cbfn=AN_async_load$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure.adnxs.com/jpt?callback=pbjs.handleAnCB$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure.adnxs.com/ttj$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure.cdn.fastclick.net/content/pub/sids/478/92478/default_211184-2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure.eyereturn.com/25077/Media-IQ_728x90_v1/15544-Nalcor-BAF_EOI_OilGas-728x90-EN.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure.footprint.net/yieldmanager/apex/mediastore/adchoice_1.png$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure.insightexpressai.com/adServer/adServerESI.aspx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||secure.uac.advertising.com/wrapper/aceUAC.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||securepubads.g.doubleclick.net/gpt/pubads_impl_108.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||securepubads.g.doubleclick.net/gpt/pubads_impl_110.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||securepubads.g.doubleclick.net/static/glade.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sejs.moatads.com/innovidintvpaid2js125985325015_nlsn/moatvideo.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||servedbyadbutler.com/app.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||servicer.adskeeper.co.uk/128017/1$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||serving.plexop.net/media/4/1/73336/index.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||serving.plexop.net/media/4/1/73336/libs/createjs-2015.11.26.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sg-cdn.effectivemeasure.net/em.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sg-ssl.effectivemeasure.net/em.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sherdog.com^$generichide -@@||sic.33across.com/authorize?version=2.25.0$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||slickdeals.net^$generichide -@@||spin.com^$generichide -@@||spongecell.com/studio/api/v1.5.3/spongeapi.min.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||sporcle.com^$generichide -@@||ssl.connextra.com:443/services/ActiveAd/Flipper_v1-long.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ssl.connextra.com:443/services/ActiveAd/load3.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||ssl.connextra.com:443/services/ActiveAd/Utils_v9-long.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||st-n.ads3-adnow.com/js/adv_cto.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static-cdn.vertamedia.com/static/jsvpaid.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static-de.ad4mat.net/ads/templates/js/animations_v1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static-tagr.gd1.mookie1.com/s1/sas/eprivacy/ac.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static-tagr.gd1.mookie1.com/s1/sas/ias/ias.min.dk_derp.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static-tagr.gd1.mookie1.com/s1/sas/le1/tagr_lib.aus.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static-tagr.gd1.mookie1.com/s1/sas/le1/tagr_lib.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static-tagr.gd1.mookie1.com/s1/sas/li1/size2.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static.ads-twitter.com/oct.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static.ads-twitter.com/uwt.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static.adsafeprotected.com/skeleton.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static.doubleclick.net/instream/ad_status.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static.freeskreen.com/scm/player/20170502hb/player-hb.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static.streameye.net/html5/templates/nso16/js/728x90.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static.vertamedia.com/static/jsvpaid.js?aid=53410&sid=0&cb=653083.92265198.473421$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||static.ziffdavis.com/jst/zdvtools.min.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||stats.aws.rubiconproject.com/stats/$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||stereogum.com^$generichide -@@||storage.googleapis.com/gadasource/adserver.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sun-sentinel.com^$generichide -@@||sv.monkeybroker.net/mb/slb.html$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||svastx.moatads.com/sendtonewsvpaid49137568327/moatwrapper.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||svastx.moatads.com/turnvpaid34569/moatwrapper.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||swf.mixpo.com/media/www/1a/1a04b0c7-8738-4c5d-b21b-2a683bad5baa/main.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sync.1rx.io/usersyncall$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||sync.adap.tv/sync$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|ign.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com -@@||sync.adaptv.advertising.com/gg_pixel$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||t.qservz.com/ai.aspx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||t02.rbnt.org/rsc.php$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tag-st.contextweb.com/getjs.static.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tag.apxlv.com/tag/partner/213?id=cb70a45fb94e8ecb77a59f1475131aec$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tag.contextweb.com/getjs.static.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tag.contextweb.com/TagPublish/getjs.aspx$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tap2-cdn.rubiconproject.com/partner/scripts/rubicon/emily.html$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tas-si.toboads.com/js/adi-9491039b.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||theprovince.com^$generichide -@@||thestarphoenix.com^$generichide -@@||thoughtco.com^$generichide -@@||ti.tradetracker.net/$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||timeanddate.com^$generichide -@@||tlx.3lift.com/web/auction$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tmn.today^$generichide -@@||torontosun.com^$generichide -@@||tpc.googlesyndication.com/favicon.ico$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/gadgets/html5/layout_engine.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/gadgets/suggestion_autolayout_V2/static_image_v3.css$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/gadgets/suggestion_autolayout_V2/static_image_v3.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/gadgets/suggestion_autolayout_V2/static_logo.css$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/gadgets/suggestion_autolayout_V2/static_logo.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/images/x_button_blue2.svg$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/js/r20170130/r20110914/abg.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/js/r20170130/r20110914/activeview/osd_listener.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/js/r20170130/r20110914/client/ext/m_js_controller_exp.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/js/r20170320/r20110914/abg.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/js/r20170320/r20110914/rum.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/js/r20170501/r20110914/abg.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/js/r20170501/r20110914/activeview/osd_listener.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/pagead/js/r20170501/r20110914/client/ext/m_js_controller.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Background.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Engine.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Logo_M.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Packshot.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/rAF.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/sadbundle/15890709566946874671/JavaScripts/Texts1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/safeframe/1-0-6/js/ext.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/safeframe/1-0-8/html/container.html$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tpc.googlesyndication.com/safeframe/1-0-8/js/ext.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tps30.doubleverify.com/query.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||tps30.doubleverify.com/visit.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||twincities.com^$generichide -@@||uat-net.technoratimedia.com/00/01/28/adserv_72801.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||uat-net.technoratimedia.com/00/11/05/adserv_70511.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||uat-net.technoratimedia.com/00/13/58/adserv_65813.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||uat-net.technoratimedia.com/psa/psa.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||us-ads.openx.net/w/1.0/acj$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||us-ads.openx.net/w/1.0/jstag$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||us-u.openx.net/w/1.0/cm$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||us-u.openx.net/w/1.0/pd$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||us-u.openx.net/w/1.0/sd$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||uts-api.at.atwola.com/uts-api/audiences?$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||uts-api.at.atwola.com/uts-api/audiences?callback=VDBCallback8641&limit=600$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||vagazette.com^$generichide -@@||vancouversun.com^$generichide -@@||vibe.com^$generichide -@@||vlibs.advertising.com/one-publishers-api/PubTag/pubtaglib-1.x.x.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||vpaid.doubleverify.com/js/vpaid-wrapper/0.4.14/vpaid-wrapper-dv.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||vupulse.com/static/widget.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|ign.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com -@@||w.graphiq.com/ad?_=805$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||web.adblade.com/js/ads/async/show.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||windsorstar.com^$generichide -@@||wms-na.amazon-adsystem.com/20070822/US/js/auto-tagger.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||wowhead.com^$generichide -@@||www.cmbestsrv.com/vpaid/ds/103/dsm.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.cmbestsrv.com/vpaid/units/13_1_91/infra/cmTagINLINE_INSTREAM.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|ign.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com -@@||www.cmbestsrv.com/vpaid/units/13_5_2/creatives/creative_js.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.cmbestsrv.com/vpaid/units/13_5_2/infra/cmTagEXPANDABLE.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.google-analytics.com/__utm.gif$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.google.com/pagead/drt/ui$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|ign.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com -@@||www.googletagservices.com/dcm/dcmads.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.ign.com^$generichide -@@||www.insticator.com/vassets/javascripts/service/insticator-hb-v15.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.nanovisor.io/g00/@p1/CacheableImg/clientprofiler/adb$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.rvty.net/ads/ReAsync.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.yahoo.com/px.gif$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.zergnet.com/output.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||www.zergnet.com/zerg.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||x.vindicosuite.com/imp/$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||xp2.zedo.com/asw/fm/3377/180/7/fm.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||xp2.zedo.com/jsc/xp2/fo.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||yahoo.com/lib/metro/g/myy/advertisement_$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||yahoo.com/lib/metro/g/myy/advertisement_0.0.1.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||yldbt.com/js/yieldbot.intent.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -@@||z.moatads.com/nativonielsen548znrb18/moatcontent.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||z1.zedo.com/asw/fm/305/50197/9/fm.js$domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|pcmag.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|slickdeals.net|spin.com|sporcle.com|stereogum.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|thoughtco.com|timeanddate.com|tmn.today|torontosun.com|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com|wowhead.com|www.ign.com|zam.com -@@||zam.com^$generichide -@@||zergnet.com/zerg.js$script,domain=baltimoresun.com|boston.com|calgaryherald.com|capitalgazette.com|carrollcountytimes.com|chicagotribune.com|citypaper.com|courant.com|dailypress.com|deathandtaxesmag.com|edmontonjournal.com|edmunds.com|everquest.allakhazam.com|financialpost.com|gofugyourself.com|hearthhead.com|infinitiev.com|latimes.com|leaderpost.com|lolking.net|mcall.com|montrealgazette.com|nasdaq.com|nationalpost.com|orlandosentinel.com|ottawacitizen.com|ranker.com|sandiegouniontribune.com|saveur.com|sherdog.com|spin.com|sporcle.com|sun-sentinel.com|theprovince.com|thestarphoenix.com|timeanddate.com|tmn.today|twincities.com|vagazette.com|vancouversun.com|vibe.com|windsorstar.com -! Yavli.com -/xev$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/xovefieldlite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/xpxefieldlite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/xrxfeolite/*$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/xuyefieldlite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/xuyfeolite/*$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/xvxeedite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/xvxefieldlite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zenotime/*$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zeolite/*$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zezefieldlite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zezfeolite/*$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zibefieldlite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|herald.com|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zibfenvaldite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zibfeolite/*$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zimencite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zincite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zinnvaldite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zizefieldlite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zizfeolite/*$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zkkencite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zomfeolite/*$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -/zozencite-$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@/wp-content/plugins/akismet/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||5min.com/Scripts/PlayerSeed.js?$domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|enstarz.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|groopspeak.com|guardianlv.com|hallels.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|libertyalliance.com|libertyunyielding.com|millionpictures.co|minutemennews.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realtytoday.com|redhotchacha.com|redmaryland.com|rightwingnews.com|shark-tank.com|skrillionaire.com|spectator.org|stevedeace.com|techtimes.com|theblacksphere.net|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|theviralmob.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|whatzbuzzing.com|youngcons.com -@@||addnow.com/widget/addnow.js$script,domain=sportsmole.co.uk -@@||airtv-assets.global.ssl.fastly.net^$domain=viralnova.com -@@||ajax.cloudflare.com/cdn-cgi/nexp/$script,third-party -@@||ak.sail-horizon.com^$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|breathecast.com|bulletsfirst.net|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|genfringe.com|girlsjustwannahaveguns.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|minutemennews.com|musictimes.com|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|patriotoutdoornews.com|pitgrit.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|rightwingnews.com|shark-tank.com|spectator.org|stevedeace.com|techtimes.com|theblacksphere.net|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||alloyentertainment.com/wp-content/plugins/$script,domain=vampirediaries.com -@@||amazonaws.com/downloads.mailchimp.com/$script,domain=yourtango.com -@@||api-public.addthis.com/url/shares.json?$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|breathecast.com|bulletsfirst.net|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|genfringe.com|girlsjustwannahaveguns.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|minutemennews.com|musictimes.com|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|patriotoutdoornews.com|pitgrit.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|spectator.org|stevedeace.com|techtimes.com|theblacksphere.net|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|tinypic.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||api.facebook.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||api.solvemedia.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|groopspeak.com|guardianlv.com|gymflow100.com|hallels.com|hautereport.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|libertyunyielding.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|skrillionaire.com|sonsoflibertymedia.com|spectator.org|stevedeace.com|techconsumer.com|techtimes.com|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|theviralmob.com|tinypic.com|traileraddict.com|truththeory.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||apis.google.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breathecast.com|bugout.news|bulletsfirst.net|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|enstarz.com|evil.news|freedom.news|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|guns.news|gymflow100.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|minutemennews.com|musictimes.com|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pitgrit.com|politichicks.com|profitconfidential.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|supercheats.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|wakingtimes.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||app-cdn.spot.im^$domain=viralnova.com -@@||assets.galaxant.com^$script,domain=viralnova.com -@@||assets.newsinc.com^$image,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||assets.pinterest.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.combreaking911.com|boredomtherapy.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||b.grvcdn.com^$script,domain=cheatsheet.com -@@||boomsbeat.com/widget_init.php$script,third-party,domain=latinopost.com -@@||cast-tv.biz/JavaScripts/$domain=breaking911.com -@@||cdn*.bigcommerce.com^$image,third-party,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||cdn.jquerytools.org^$script,domain=wnd.com -@@||cdn.playwire.com^$script,third-party,domain=patriotupdate.com|supercheats.com -@@||cdn.rawgit.com^$script,domain=yourtango.com -@@||cdn.shopify.com^*/assets/$script,third-party -@@||cdn.shopify.com^*/files/$script,third-party -@@||cdn.shopify.com^*/javascripts/$script,third-party -@@||cdn.supercheats.com^$script,domain=supercheats.com -@@||cdnjs.cloudflare.com/ajax/libs/$script,domain=wnd.com -@@||cdnjs.cloudflare.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||clicktosolve.com^$image,domain=thefreethoughtproject.com -@@||cloudflare.com/ajax/$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|twisted.news|usherald.com|valuewalk.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||code.jquery.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||connect.facebook.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||connect.facebook.net^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||conservativeintelcom.c.presscdn.com^$image,script,third-party,domain=conservativeintel.com -@@||conservativevideos.com^$generichide -@@||content-img-s.newsinc.com/jpg/$image,script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|craigjames.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|groopspeak.com|guardianlv.com|hallels.com|hautereport.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|libertyunyielding.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|redhotchacha.com|redmaryland.com|shark-tank.com|shedthoselbs.com|skrillionaire.com|spectator.org|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|tosavealife.com|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com -@@||content-img.newsinc.com^$image,third-party -@@||d1naemzkka1n8z.cloudfront.net^$script,domain=sportsmole.co.uk -@@||d8g345wuhgd7e.cloudfront.net^$script,third-party,domain=thelibertarianrepublic.com -@@||digitaljournal.com/img/*-medium/$image -@@||disqus.com^$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|godfatherpolitics.com|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|wnd.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||disquscdn.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|wnd.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||embed.air.tv^$domain=viralnova.com -@@||embedly.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||fbcdn-profile-a.akamaihd.net^$image,domain=thefreethoughtproject.com -@@||fbcdn.net^$image,domain=thefreethoughtproject.com -@@||fbcdn.net^$script,third-party,domain=woundedamericanwarrior.com -@@||fbstatic-a.akamaihd.net^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||flowplayer.org^*/flowplayer*.js$script,domain=thefreethoughtproject.com -@@||fod4.com^$image,domain=funnyordie.com -@@||gigya.com/comments.$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|gymflow100.com|hallels.com|hautereport.com|hellou.co.uk|hispolitica.com|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|libertyunyielding.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|skrillionaire.com|sonsoflibertymedia.com|spectator.org|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|theviralmob.com|truththeory.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|xtribune.com|yourtango.com -@@||gigya.com/js/gigya.$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|bipartisan.report|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|hallels.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|juicerhead.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|libertyunyielding.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|rightwingnews.com|shark-tank.com|skrillionaire.com|spectator.org|stevedeace.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|theviralmob.com|valuewalk.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|whatzbuzzing.com -@@||gitcdn.org/libs/$script,third-party,domain=thelibertarianrepublic.com -@@||google.com/js/th/$script -@@||google.com/jsapi$script,third-party -@@||google.com/recaptcha/$script -@@||google.com/uds/$script,third-party,domain=infowars.com -@@||googleapis.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||googlecommerce.com^$script -@@||googletagservices.com/tag/js/gpt.js$script,third-party,domain=activistpost.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|breathecast.com|bulletsfirst.net|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailysurge.com|dccrimestories.com|digitaljournal.com|enstarz.com|genfringe.com|girlsjustwannahaveguns.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|legalinsurrection.com|libertyunyielding.com|minutemennews.com|musictimes.com|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|parentherald.com|patriotoutdoornews.com|pitgrit.com|rantlifestyle.com|realfarmacy.com|realtytoday.com|redmaryland.com|rightwingnews.com|shark-tank.com|spectator.org|stevedeace.com|techtimes.com|theblacksphere.net|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|universityherald.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|wakingtimes.com|woundedamericanwarrior.com -@@||googleusercontent.com/gadgets/$script,third-party,domain=thelibertarianrepublic.com -@@||graph.facebook.com^$image,script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|photobucket.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||gravatar.com/avatar$image,third-party -@@||gstatic.com/accounts/$script,third-party,domain=thelibertarianrepublic.com -@@||gstatic.com/trustedstores/$script -@@||hwcdn.net/*.js?$script -@@||hypercomments.com/widget/$script,domain=thefreethoughtproject.com -@@||images.performgroup.com^$image,domain=sportsmole.co.uk -@@||images.sportsworldnews.com^$image,third-party -@@||images.spot.im^$image,domain=viralnova.com -@@||imgur.com/min/$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||intensedebate.com/js/$script,third-party -@@||jwplatform.com^$script,third-party,xmlhttprequest,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|bipartisan.report|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|wnd.com|xtribune.com|youngcons.com|yourtango.com -@@||jwpsrv.com/library/$script,third-party,domain=traileraddict.com -@@||jwpsrv.com/player/$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|bipartisan.report|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|wnd.com|xtribune.com|youngcons.com|yourtango.com -@@||jwpsrv.com^$image,xmlhttprequest,domain=wnd.com -@@||latinospost.com/widget_init.php$script,third-party,domain=latinopost.com -@@||launch.newsinc.com^$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|askmefast.com|auntyacid.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|creepybasement.com|crossmap.com|cyberwar.news|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|evil.news|foreverymom.com|freedom.news|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|liberty.news|libertyunyielding.com|medicine.news|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newsthump.com|oddee.com|patriotoutdoornews.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techtimes.com|theblacksphere.net|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|tosavealife.com|truththeory.com|twisted.news|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|whatzbuzzing.com|xtribune.com|yourtango.com -@@||linkedin.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||livefyre.com^$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|fitnessconnoisseur.com|foreverymom.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|gopocalypse.org|groopspeak.com|guardianlv.com|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|libertyalliance.com|libertyunyielding.com|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|shark-tank.com|shedthoselbs.com|skrillionaire.com|sonsoflibertymedia.com|spectator.org|stevedeace.com|techconsumer.com|techtimes.com|theblacksphere.net|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|traileraddict.com|truththeory.com|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|xtribune.com|youngcons.com|yourtango.com -@@||lps.newsinc.com/player/show/$script -@@||lpsimage.newsinc.com/player/show/$script -@@||maps.google.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||maxcdn.bootstrapcdn.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||netdna-cdn.com/wp-content/$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||netdna-cdn.com/wp-includes/js/$script,third-party -@@||odb.outbrain.com^$script,domain=cheatsheet.com|patriotupdate.com -@@||omnicalculator.com/sdk.js$domain=valuewalk.com -@@||p.jwpcdn.com^$script,third-party -@@||platform.instagram.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||platform.twitter.com^$image,domain=allthingsvegas.com|gopocalypse.org|legalinsurrection.com|newser.com|quirlycues.com|thegatewaypundit.com|viralnova.com|wnd.com|xtribune.com -@@||platform.vine.co^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||playbuzz.com/widget/$script,third-party -@@||player.mediabong.net^$script,third-party,domain=woundedamericanwarrior.com -@@||player.vimeo.com^$script,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|askmefast.com|auntyacid.com|breaking911.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|groopspeak.com|guardianlv.com|hallels.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|libertyalliance.com|libertyunyielding.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newsthump.com|oddee.com|patriotoutdoornews.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realtytoday.com|redhotchacha.com|redmaryland.com|shark-tank.com|skrillionaire.com|spectator.org|stevedeace.com|techtimes.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|whatzbuzzing.com -@@||playwire.com/bolt/$script,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|askmefast.com|auntyacid.com|breaking911.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|groopspeak.com|guardianlv.com|hallels.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|libertyalliance.com|libertyunyielding.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newsthump.com|oddee.com|patriotoutdoornews.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realtytoday.com|redhotchacha.com|redmaryland.com|shark-tank.com|skrillionaire.com|spectator.org|stevedeace.com|techtimes.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|whatzbuzzing.com -@@||po.st/share/$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|askmefast.com|auntyacid.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|groopspeak.com|guardianlv.com|hallels.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|libertyunyielding.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newsthump.com|oddee.com|patriotoutdoornews.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|practicallyviral.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|redhotchacha.com|redmaryland.com|shark-tank.com|skrillionaire.com|spectator.org|stevedeace.com|techtimes.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|whatzbuzzing.com -@@||po.st/static/$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|breathecast.com|bulletsfirst.net|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|minutemennews.com|musictimes.com|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|patriotoutdoornews.com|pitgrit.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|spectator.org|stevedeace.com|techtimes.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||po.st^*/counter?$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|breathecast.com|bulletsfirst.net|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|minutemennews.com|musictimes.com|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|patriotoutdoornews.com|pitgrit.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|spectator.org|stevedeace.com|techtimes.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||po.st^*/status?$script,third-party,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|breathecast.com|bulletsfirst.net|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|genfringe.com|girlsjustwannahaveguns.com|hallels.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|minutemennews.com|musictimes.com|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|patriotoutdoornews.com|pitgrit.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|spectator.org|stevedeace.com|techtimes.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||pressdns.com/wp-content/$image,script,third-party,domain=conservativeintel.com -@@||providesupport.com^$script -@@||r-login.wordpress.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||randomapps*.amazonaws.com^$script,domain=thepoke.co.uk -@@||recirculation.spot.im^$domain=viralnova.com -@@||reembed.com/player/$script,third-party -@@||s.gravatar.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|theviralmob.com|traileraddict.com|truththeory.com|twisted.news|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com -@@||s.reembed.com^$script -@@||s7.addthis.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|breathecast.com|bulletsfirst.net|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gosocial.co|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|minutemennews.com|musictimes.com|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|parentherald.com|patriotoutdoornews.com|pitgrit.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|spectator.org|stevedeace.com|supercheats.com|techtimes.com|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|tinypic.com|traileraddict.com|universityherald.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com -@@||smimg.net^$image,domain=sportsmole.co.uk -@@||spot.im/launcher/bundle.js$domain=viralnova.com -@@||static.cdn-ec.viddler.com^$script -@@||static.eplayer.performgroup.com^$script,domain=sportsmole.co.uk -@@||static.mediabong.com^$script,third-party,domain=woundedamericanwarrior.com -@@||static.reembed.com^$script,third-party -@@||syn.5min.com^$script,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|askmefast.com|auntyacid.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|creepybasement.com|crossmap.com|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|foreverymom.com|freedomforce.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|groopspeak.com|guardianlv.com|gymflow100.com|hallels.com|hellou.co.uk|hngn.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|joeforamerica.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|libertyalliance.com|libertyunyielding.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newsthump.com|oddee.com|patriotoutdoornews.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|redhotchacha.com|redmaryland.com|returnofkings.com|shark-tank.com|skrillionaire.com|sonsoflibertymedia.com|spectator.org|stevedeace.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|traileraddict.com|truththeory.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|whatzbuzzing.com|xtribune.com|youngcons.com|yourtango.com -@@||syndication.twimg.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||taboola.com^$script,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|askmefast.com|bulletsfirst.net|cheatsheet.com|clashdaily.com|classicalite.com|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|cowboybyte.com|crossmap.com|dailyheadlines.net|dailysurge.com|dccrimestories.com|digitaljournal.com|eaglerising.com|enstarz.com|genfringe.com|girlsjustwannahaveguns.com|hellou.co.uk|hngn.com|infowars.com|instigatornews.com|joeforamerica.com|kdramastars.com|kpopstarz.com|latinpost.com|libertyunyielding.com|minutemennews.com|musictimes.com|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|oddee.com|patriotoutdoornews.com|pitgrit.com|rantlifestyle.com|realfarmacy.com|redmaryland.com|shark-tank.com|spectator.org|stevedeace.com|techtimes.com|thefreethoughtproject.com|thegatewaypundit.com|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|traileraddict.com|valuewalk.comvcpost.com|victoriajackson.com|viralnova.com|viralthread.com|woundedamericanwarrior.com -@@||thegatewaypundit.com/wp-content/uploads/submit_tip.png -@@||thegatewaypundit.com/wp-includes/images/rss.png -@@||tv.bsvideos.com^$script,domain=techtimes.com -@@||twimg.com^$image,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||twitter.com^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||ui.bamstatic.com^$script,third-party -@@||use.typekit.net^$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bighealthreport.com|bipartisan.report|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|xtribune.com|yourtango.com -@@||video.foxnews.com^$script,third-party -@@||vidible.tv/prod/$script,third-party -@@||vimeocdn.com^$script,domain=headcramp.com -@@||wibbitz.com^*/embed.js$domain=breaking911.com -@@||widget.clipix.com^$script,third-party -@@||widget.spreaker.com^$script,third-party,xmlhttprequest,domain=westernjournalism.com -@@||widgets.outbrain.com/outbrain.js$domain=cheatsheet.com|patriotupdate.com|supercheats.com -@@||wp.com/_static/$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|whatzbuzzing.com|winningdemocrats.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||wp.com/wp-content/$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||wpengine.netdna-cdn.com/wp-content/themes/$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||wpengine.netdna-cdn.com/wp-content/uploads/$image,domain=activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|bestfunnyjokes4u.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|buzzlamp.com|celebrity-gossip.net|classicalite.com|collapse.news|conservativeintel.com|conservativetribune.com|coviral.com|cowboybyte.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|digitaljournal.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomforce.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|pickthebrain.com|pitgrit.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shedthoselbs.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||yahooapis.com^$script,third-party,domain=truththeory.com -@@||youtube.com/iframe_api$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||youtube.com/player_api$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||ytimg.com/yts/jsbin/$script,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|boredomtherapy.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reverbpress.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -@@||zemanta.com^$image,third-party,domain=bulletsfirst.net -|http://$image,third-party,domain=100percentfedup.com|allthingsvegas.comgopocalypse.org|legalinsurrection.com|newser.com|quirlycues.com|thegatewaypundit.com|viralnova.com|wakingtimes.com|wnd.com|xtribune.com -|http://$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.combreaking911.com|boredomtherapy.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|wakingtimes.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -|http://$third-party,xmlhttprequest,domain=alfonzorachel.combugout.news|boredomtherapy.com|clashdaily.com|conservativeintel.com|conservativetribune.com|dccrimestories.com|eaglerising.com|freedomdaily.com|godfatherpolitics.com|headcramp.com|healthstatus.com|hngn.com|honesttopaws.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|kdramastars.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|libertyalliance.com|libertyunyielding.com|mentalflare.com|musictimes.com|natureworldnews.com|newser.com|parentherald.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|realtytoday.com|theblacksphere.net|thefreethoughtproject.com|themattwalshblog.com|therealside.com|universityherald.com|usherald.com|wakingtimes.com|westernjournalism.com|wnd.com|youthhealthmag.com -|https://$script,third-party,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.combreaking911.com|boredomtherapy.com|breathecast.com|bugout.news|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|cheatsheet.com|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|damnlol.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|genfringe.com|girlsjustwannahaveguns.com|glitch.news|godfatherpolitics.com|gopocalypse.org|gosocial.co|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|headcramp.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|parentherald.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|reviveusa.com|rightwingnews.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|sportsmole.co.uk|stevedeace.com|stupid.news|supercheats.com|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thecountrycaller.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|thelibertarianrepublic.com|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tinypic.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|universityherald.com|usherald.com|valuewalk.com|vampirediaries.com|vcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|westernjournalism.com|whatzbuzzing.com|winningdemocrats.com|wnd.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -|https://$third-party,xmlhttprequest,domain=boredomtherapy.com|bugout.news|clashdaily.com|conservativeintel.com|dccrimestories.com|eaglerising.com|godfatherpolitics.com|healthstatus.com|honesttopaws.com|instigatornews.com|lastresistance.com|legalinsurrection.com|libertyalliance.com|mentalflare.com|natureworldnews.com|newser.com|patriotupdate.com|pitgrit.com|thefreethoughtproject.com|therealside.com|usherald.com|westernjournalism.com|wnd.com -||a.thefreethoughtproject.com^ -||activistpost.com/wp-content/*/abiturl$image,~third-party -||supercheats.com/js/yavli.js -||thegatewaypundit.com^*.png$image -||wpengine.netdna-cdn.com^$image,domain=100percentfedup.com|activistpost.com|addictinginfo.com|alfonzorachel.com|allenbwest.com|allenwestrepublic.com|allthingsvegas.com|americansublime.com|askmefast.com|auntyacid.com|barbwire.com|bestfunnyjokes4u.com|bighealthreport.com|bipartisan.report|bipartisanreport.com|breaking911.com|breathecast.com|bulletsfirst.net|buzzlamp.com|celebrity-gossip.net|clashdaily.com|classicalite.com|collapse.news|comicallyincorrect.com|conservativebyte.com|conservativeintel.com|conservativetribune.com|conservativevideos.com|constitution.com|coviral.com|cowboybyte.com|craigjames.com|creepybasement.com|crossmap.com|cyberwar.news|dailyfeed.co.uk|dailyheadlines.net|dailyhealthpost.com|dailysurge.com|dccrimestories.com|deneenborelli.com|digitaljournal.com|eaglerising.com|earnthenecklace.com|enstarz.com|evil.news|faithit.com|fitnessconnoisseur.com|foreverymom.com|freedom.news|freedomdaily.com|freedomforce.com|freedomoutpost.com|girlsjustwannahaveguns.com|glitch.news|gopocalypse.org|groopspeak.com|guardianlv.com|guns.news|gymflow100.com|hallels.com|hautereport.com|healthstatus.com|hellou.co.uk|hispolitica.com|hngn.com|honesttopaws.com|hypable.com|ifyouonlynews.com|infowars.com|instigatornews.com|janmorganmedia.com|jobsnhire.com|joeforamerica.com|juicerhead.com|justdiy.com|kdramastars.com|keepandbear.com|kpopstarz.com|lastresistance.com|latinpost.com|legalinsurrection.com|liberty.news|libertyalliance.com|libertyunyielding.com|lidblog.com|medicine.news|mentalflare.com|millionpictures.co|minutemennews.com|musictimes.com|myscienceacademy.org|natural.news|naturalblaze.com|naturalnews.com|naturalsociety.com|natureworldnews.com|newser.com|newseveryday.com|newsthump.com|oddee.com|opednews.com|patriotoutdoornews.com|patriottribune.com|patriotupdate.com|pickthebrain.com|pitgrit.com|politicaloutcast.com|politichicks.com|practicallyviral.com|profitconfidential.com|quirlycues.com|rantlifestyle.com|realfarmacy.com|realmomsrealreviews.com|realtytoday.com|redhotchacha.com|redmaryland.com|returnofkings.com|robotics.news|shark-tank.com|shedthoselbs.com|skrillionaire.com|slender.news|sonsoflibertymedia.com|spectator.org|stevedeace.com|stupid.news|techconsumer.com|techtimes.com|theblacksphere.net|theboredmind.com|thefreethoughtproject.com|thegatewaypundit.com|thelastlineofdefense.org|themattwalshblog.com|thepoke.co.uk|therealside.com|theviralmob.com|tosavealife.com|traileraddict.com|truththeory.com|twisted.news|usherald.com|valuewalk.com|vampirediaries.comvcpost.com|victoriajackson.com|videogamesblogger.com|viralnova.com|viralthread.com|visiontoamerica.com|whatzbuzzing.com|winningdemocrats.com|woundedamericanwarrior.com|xtribune.com|youngcons.com|yourtango.com|youthhealthmag.com -||www.infowars.com/*.png$image -! Firefox freezes if not blocked on reuters.com (http://forums.lanik.us/viewtopic.php?f=64&t=16854) -||static.crowdscience.com/max-*.js?callback=crowdScienceCallback$domain=reuters.com -! Anti-Adblock -.com/lib/f=$third-party,xmlhttprequest,domain=sporcle.com -|http://*=*&$third-party,xmlhttprequest,domain=sporcle.com -||ajax.googleapis.com/ajax/libs/jquery/$script,domain=darkcomet-rat.com|vipbox.nu -||amazonaws.com^$script,domain=dsero.com|ginormousbargains.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|theawesomer.com|trutower.com|unfair.co -||aolcdn.com^*/source-point-plugins/$domain=huffingtonpost.co.uk -||birminghammail.co.uk^*/desktop.js?$script -||birminghammail.co.uk^*/handlebarsCompiledTemplates.js?$script -||blogsmithmedia.com^*/sourcepoint/$domain=aol.co.uk -||channel4.com^*.innovid.com$object-subrequest -||channel4.com^*.tidaltv.com$object-subrequest -||fitnesshe.co.za/images/abs.png -||fitnessmag.co.za/images/abs.png -||gannett-cdn.com/appservices/partner/sourcepoint/sp-mms-client.js -||getdebrid.com/blocker.js -||hindustantimes.com/_js/browser-detect.min.js -||hindustantimes.com/res/js/ht-modified-script.js -||hindustantimes.com/res/js/ht-script -||histats.com/js15.js$domain=televisaofutebol.com -||http.anno.channel4.com*- -||http.anno.channel4.com*_*_*_ -||hwcdn.net/js/common/locker.js$domain=allmusic.com -||indiatimes.com/detector.cms -||joindota.com/img/*LB_$image -||joindota.com/img/*MR_$image -||mensxp.com^*/detector.min.js? -||mtlblog.com/wp-content/*/fab.js$script -||nintendolife.com^*/adblock.jpg -||no-ip.biz^$script,domain=dsero.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com -||pagefair.com/static/adblock_detection/js/d.min.js$domain=majorleaguegaming.com -||servebeer.com^$domain=dsero.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com -||servemp3.com^$script,domain=dsero.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com -||servepics.com^$script,domain=dsero.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com -||servequake.com^$script,domain=dsero.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com -||sportspyder.com/assets/application-$script -||sytes.net^$script,domain=dsero.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com -||techweb.com/adblocktrack -||vapingunderground.com/js/vapingunderground/fucking_adblock.js -||ytconv.net/site/adblock_detect -||zapto.org^$script,domain=dsero.com|korean-candy.com|misheel.net|politicususa.com|techydoor.com|trutower.com -! webrtc-ads -$webrtc,domain=allkpop.com|alltube.tv|androidcentral.com|britannica.com|businessnewsdaily.com|buzzfil.net|champion.gg|clicknupload.link|closerweekly.com|collegehumor.com|connectedly.com|crackberry.com|destructoid.com|dorkly.com|eztv.ag|firstforwomen.com|go4up.com|gorillavid.in|healthline.com|imore.com|intouchweekly.com|investopedia.com|j-14.com|jpost.com|kiplinger.com|laptopmag.com|lifeandstylemag.com|lolcounter.com|mac-torrents.com|mashable.com|merriam-webster.com|newsarama.com|nydailynews.com|phonearena.com|probuilds.net|readmanga.today|skidrowreloaded.com|sourceforge.net|space.com|spanishdict.com|streamfilmzzz.com|streamzzz.online|teamliquid.net|teslacentral.com|theberry.com|thechive.com|thepoliticalinsider.com|tomsguide.com|tomshardware.co.uk|tomshardware.com|topix.com|uploading.site|uptobox.com|vidtodo.com|vidzi.tv|vrheads.com|watchtvserieslive.org|windowscentral.com|womansworld.com|xda-developers.com -! websocket-ads -$websocket,domain=123movies-proxy.ru|123movies.cz|123movies.gs|123movies.is|123movies.live|123movies.net|123movies.net.ru|123movies.ru|123movies.vc|123movieshd.net|123movieshd.to|1337x.to|4archive.org|androidcentral.com|anime-joy.tv|batmanstream.com|boards2go.com|boreburn.com|breakingisraelnews.com|btdb.in|celebdirtylaundry.com|celebritymozo.com|closerweekly.com|cloudtime.to|collectivelyconscious.net|connectedly.com|couch-tuner.me|couchtuner.ac|couchtuner.us|crackberry.com|dailycaller.com|demonoid.pw|destructoid.com|dreamfilm.se|dumpaday.com|episodetube.com|episodetube.net|fastpic.ru|filme-streamz.com|filmlinks4u.is|firstforwomen.com|firstrowau.eu|firstrowus1.eu|flash-x.tv|flashsx.tv|flashx.me|flashx.run|flashx.tv|flashx1.tv|flashxx.tv|fmovies.to|free-torrent.org|free-torrent.pw|free-torrents.org|free-torrents.pw|freewarefiles.com|gamenguide.com|gofirstrow.eu|gorillavid.in|gsmarena.com|health-weekly.net|homerun.re|i4u.com|ifirstrow.eu|ifirstrowit.eu|imagefap.com|imore.com|instanonymous.com|investopedia.com|itechpost.com|izismile.com|jewsnews.co.il|keepvid.com|kino-streamz.com|kiplinger.com|lifehacklane.com|livecricketz.org|livescience.com|lolcounter.com|merriam-webster.com|mobilenapps.com|mobipicker.com|movies4stream.com|mylivecricket.org|natureworldnews.com|navbug.com|ncscooper.com|newsarama.com|newseveryday.com|newtvworld.com|nowfeed2all.eu|nowvideo.sx|okceleb.com|olympicstreams.me|omgwhut.com|onwatchseries.to|openload.co|opensubtitles.org|parentherald.com|pcgamer.com|pcgames-download.net|pocketnow.com|pornhub.com|postimg.org|putlocker9.com|putlockertv.is|pwinsider.com|qaafa.com|rinf.com|roadracerunner.com|sgvideos.net|shorte.st|skidrowcrack.com|snoopfeed.com|sportsmole.co.uk|stream-tv-series.net|stream-tv2.to|stream2watch.cc|streamazone.com|streamgaroo.com|streamin.to|strikeout.co|strikeout.me|strikeout.mobi|teamliquid.net|technobuffalo.com|thefreethoughtproject.com|thevideo.me|thinkinghumanity.com|todayshealth.buzz|tomsguide.com|tomshardware.co.uk|tomshardware.com|tomsitpro.com|toptenz.net|torrentz2.eu|tribune.com.pk|trifind.com|tune.pk|tv-series.me|uberhavoc.com|universityherald.com|vcpost.com|vidmax.com|vidtodo.com|vidzi.tv|viewmixed.com|viid.me|vipbox.bz|vipbox.is|vipbox.nu|vipbox.sx|vipbox.tv|vipboxeu.co|vipboxoc.co|vipboxtv.me|vipleague.ch|vipleague.co|vipleague.is|vipleague.me|vipleague.mobi|vipleague.se|vipleague.sx|vipleague.tv|vipleague.ws|vipstand.is|viralands.com|vrheads.com|watch-series.to|watchepisodes-tv.com|watchseries.li|webfirstrow.eu|wholecloud.net|whydontyoutrythis.com|wrestlinginc.com|wrestlingnews.co|xda-developers.com|xilfy.com|yourtailorednews.com|yourtango.com -! Non-English (instead of whitelisting ads) -||anandabazar.com/js/anandabazar-bootstrap/custom.js -||el-mundo.net/js/fm*.js$script -||livehindustan.com/js/BlockerScript.js -||pub1.cope.es^ -! Mobile -! Specific filters necessary for sites whitelisted with $genericblock filter option -! Spiegel.de -@@||ad.yieldlab.net^$script,domain=spiegel.de -@@||adition.com/banner?sid=$image,domain=spiegel.de -@@||adition.com/s?$script,domain=spiegel.de -@@||cdn.teads.tv/media/format.js$domain=spiegel.de -@@||conative.de/serve/domain/158/config.js$domain=spiegel.de -@@||conative.de^*/adscript.min.js$domain=spiegel.de -@@||damoh.spiegel.de^$script,domain=spiegel.de -@@||imagesrv.adition.com/1x1.gif$image,domain=spiegel.de -@@||imagesrv.adition.com/banners/1337/files/00/0b/bf/a*/00000076995*.jpg$domain=spiegel.de -@@||imagesrv.adition.com/js/adition.js$domain=spiegel.de -@@||imagesrv.adition.com/js/srp.js$domain=spiegel.de -@@||spiegel.de^$genericblock,generichide -@@||static.adfarm1.adition.com/ci.html$subdocument,domain=spiegel.de -widgets.outbrain.com##.OUTBRAIN[data-src^="http://www.spiegel.de/"] .ob-p -||2mdn.net^$domain=spiegel.de -||a-ssl.ligatus.com^$domain=spiegel.de -||ad.atdmt.com/i/a.html$domain=spiegel.de -||ad.atdmt.com/i/a.js$domain=spiegel.de -||ad.doubleclick.net^$domain=spiegel.de -||adform.net^$domain=spiegel.de -||adition.com/banner?$domain=spiegel.de -||adition.com^$domain=spiegel.de -||adition.com^$popup,domain=spiegel.de -||adnxs.com^$domain=spiegel.de -||adsafeprotected.com^$domain=spiegel.de -||adverserve.net^$domain=spiegel.de -||advolution.de^$domain=spiegel.de -||ampproject.org^*/amp-ad-$domain=spiegel.de -||cas.criteo.com^$domain=spiegel.de -||conative.de^$domain=spiegel.de -||flashtalking.com^$domain=spiegel.de -||g.doubleclick.net^$domain=spiegel.de -||googlesyndication.com/safeframe/$domain=spiegel.de -||googlesyndication.com/sodar/$domain=spiegel.de -||mediaplex.com^$domain=spiegel.de -||mookie1.com^$domain=spiegel.de -||movad.net^$domain=spiegel.de -||openx.net^$domain=spiegel.de -||pagead2.googlesyndication.com^$domain=spiegel.de -||qservz.com^$domain=spiegel.de -||rtax.criteo.com^$domain=spiegel.de -||serving-sys.com^$domain=spiegel.de -||smartadserver.com^$domain=spiegel.de -||smartclip.net/ads?$domain=spiegel.de -||t4ft.de^$domain=spiegel.de -||tarife.spiegel.de/widget.php?wt_mc=1333.extern.rotation.promoflaeche$domain=spiegel.de -||teads.tv^$domain=spiegel.de -||view.atdmt.com/partner/$domain=spiegel.de -||view.atdmt.com^*/iview/$domain=spiegel.de -||view.atdmt.com^*/view/$domain=spiegel.de -||yieldlab.net^$domain=spiegel.de -! bento.de -bento.de,playbuzz.com##.pbads_after-question_wrapper -bento.de##.plistaList > .itemLinkPET -@@||bento.de^$generichide -bento.de##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"] -bento.de##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] -! *** easylist:easylist/easylist_specific_block_popup.txt *** -.link/$popup,domain=bigfile.to -/sendspace-pop.$popup,domain=sendspace.com -:text^$popup,domain=zippyshare.com -^utm_source=$popup,domain=exashare.com|sex.com -|data^$popup,domain=1337x.to|gorillavid.in|nowvideo.to|zippyshare.com -|http:$popup,third-party,domain=24avarii.ru|adf.ly|allmyvideos.net|daclips.in|dropapk.com|embed.nowvideo.sx|embed.videoweed.es|engtorrent.com|extreme-board.com|eztv.ag|fastspics.net|filepost.com|flash-x.tv|flashx.tv|go4up.com|gorillavid.in|imagebam.com|imagefruit.com|imageporter.com|img24.org|imgbox.com|imgmade.com|imgshots.com|imgsin.com|imgspice.com|latestmoviesdl.com|load.to|mofunzone.com|mp3-torrents.net|nosteam.ro|nowvideo.li|openload.co|pic2pic.site|pixsense.net|pornparadise.org|projectfreetv.at|promptfile.com|sendvid.com|streamcloud.eu|streamin.to|thevideo.me|twer.info|uptobox.com|uptostream.com|vid.ag|vidabc.com|vidspot.net|vidzi.tv|vshare.eu|watchcartoononline.com|xtshare.com|youwatch.org|yts.ag -|http:*=$popup,domain=grammarist.com -|https:$popup,third-party,domain=eztv.ag|flashx.tv|imagerar.com|imgbox.com|sendvid.com|thevideo.me|uptobox.com|uptostream.com|yts.ag -|javascript^$popup,domain=1337x.to|biology-online.org|bitvid.sx|cloudtime.to|eztv.ag|eztv.tf|eztv.yt|flashx.tv|gorillavid.in|letwatch.us|movpod.in|nowvideo.sx|nowvideo.to|wholecloud.net -||104.198.221.99^$popup -||104.198.61.40^$popup -||104.239.139.5/display/$popup -||130.211.198.219^$popup -||35.188.12.5^$popup -||4fuckr.com/api.php$popup -||adf.ly/*.php?$popup -||adf.ly/_$popup -||adf.ly^$popup,domain=uploadcore.com|urgrove.com -||adx.kat.ph^$popup -||adyou.me/bug/adcash$popup -||aiosearch.com^$popup,domain=torrent-finder.info -||allmyvideos.net/*%$popup -||allmyvideos.net/*=$popup -||allmyvideos.net/*?$popup -||amazonaws.com^$popup,domain=ndtv.com -||avalanchers.com/out/$popup -||ay8ou8ohth.com/info.html$popup -||ay8ou8ohth.com/moda1.html$popup -||bangstage.com^$popup,domain=datacloud.to -||batmanstream.com/*.html?$popup -||beap.gemini.yahoo.com^$popup,domain=mail.yahoo.com -||bit.ly^$popup,domain=eurogamer.net|fastvideo.eu|kitguru.com|nintendolife.com|rapidvideo.org|rockpapershotgun.com|sh.st|usgamer.net|vg247.com -||casino-x.com^*&promo$popup -||channel4.com/ad/$popup -||click.aliexpress.com^$popup,domain=multiupfile.com -||cloudzilla.to/cam/wpop.php$popup -||comicbookmovie.com/plugins/ads/$popup -||conservativepost.com/pu/$popup -||content.powvideo.net^$popup,domain=powvideo.net -||csgofast.com^$popup,domain=hltv.org -||deb.gs^*?ref=$popup -||eafyfsuh.net^*/?name=$popup -||edomz.com/re.php?mid=$popup -||exashare.com^*&h=$popup,~third-party -||f-picture.net/Misc/JumpClick?$popup -||fashionsaga.com^$popup,domain=putlocker.is -||filepost.com/default_popup.html$popup -||filmon.com^*&adn=$popup -||findgrid.com^$popup,domain=amaderforum.com -||firedrive.com/appresources/$popup -||firedrive.com/tools/$popup -||flashx.tv^$popup,~third-party,domain=flashx.tv -||free-filehost.net/pop/$popup -||free-stream.tv^$popup,domain=flashx.tv -||freean.us^*?ref=$popup -||fullonsms.com/blank.php$popup -||fullonsms.com/mixpop.html$popup -||fullonsms.com/quikr.html$popup -||fullonsms.com/quikrad.html$popup -||fullonsms.com/sid.html$popup -||gamezadvisor.com/popup.php$popup -||goo.gl^$popup,domain=amaderforum.com|videomega.tv|vidup.me -||google.com.eg/url?$popup,domain=hulkload.com -||gorillavid.in/_$popup -||gratuit.niloo.fr^$popup,domain=simophone.com -||haouzy.info/*.html$popup -||hide.me^$popup,domain=ncrypt.in -||homets.info/queen_file?$popup -||hotelscombined.com^$popup,domain=torrents.de|torrentz.ch|torrentz.com|torrentz.eu|torrentz.in|torrentz.li|torrentz.me|torrentz.ph -||href.li^$popup,domain=300mblink.com -||ifly.com/trip-plan/ifly-trip?*&ad=$popup -||imagepearl.com/view/$popup,~third-party -||imageshack.us/ads/$popup -||imageshack.us/newuploader_ad.php$popup -||imgbox.com/*.html$popup -||imgcarry.com/includes/js/layer.js -||intradayfun.com/news_intradayfun.com.html$popup -||jizz.best^$popup,domain=vivo.sx -||jokertraffic.com^$popup,domain=4fuckr.com -||kalemaro.com^$popup,domain=filatak.com -||leaderdownload.com^$popup,domain=fiberupload.net -||limbohost.net^$popup,domain=tusfiles.net -||linkbucks.com^*/?*=$popup -||linkshrink.net^*#^$popup,domain=linkshrink.net -||military.com/data/popup/new_education_popunder.htm$popup -||miniurls.co^*?ref=$popup -||multiupload.nl/popunder/$popup -||mydirtyhobby.de^$popup,domain=flashx.tv -||nesk.co^$popup,domain=veehd.com -||newsgate.pw^$popup,domain=adjet.biz -||nosteam.ro/pma/$popup -||oddschecker.com/clickout.htm?type=takeover-$popup -||oload.tv^*/_$popup -||oogh8ot0el.com/*.html$popup -||openload.co^*/_$popup -||pamaradio.com^$popup,domain=secureupload.eu -||park.above.com^$popup -||pasted.co/*.php$popup -||plarium.com/play/*adCampaign=$popup -||playhd.eu/test$popup -||pop.billionuploads.com^$popup -||r.search.yahoo.com/_ylt=*;_ylu=*.r.msn.com$popup,domain=search.yahoo.com -||rediff.com/uim/ads/$popup -||schenkelklopfer.org^$popup,domain=4fuckr.com -||shareasale.com^$popup,domain=9to5mac.com -||short.zain.biz^$popup,domain=up09.com -||single-vergleich.de^$popup,domain=netload.in -||softexter.com^$popup,domain=2drive.net -||songspk.cc/pop*.html$popup -||spendcrazy.net^$popup,third-party,domain=animegalaxy.net|animenova.tv|animetoon.tv|animewow.eu|gogoanime.com|goodanime.eu|gooddrama.net|toonget.com -||sponsorselect.com/Common/LandingPage.aspx?eu=$popup -||streamcloud.eu/deliver.php$popup -||streamplay.to/apu$popup -||streamtunerhd.com/signup?$popup,third-party -||subs4free.com/_pop_link.php$popup -||swfchan.org/*.html$popup,~third-party,domain=swfchan.org -||taboola.com^$popup,domain=ndtv.com|scoopwhoop.com -||thebestbookies.com^$popup,domain=fırstrowsports.eu -||thesource.com/magicshave/$popup -||thevideo.me/*.php$popup -||thevideo.me/*:$popup -||thevideo.me/*_$popup -||thevideo.me/mpaabp/$popup -||thevideo.me^$popup,domain=thevideo.me|vidup.me -||titanbrowser.com^$popup,domain=amaderforum.com -||tny.cz/red/first.php$popup -||toptrailers.net^$popup,domain=kingfiles.net|uploadrocket.net -||torrentz.*/mgidpop/$popup -||torrentz.*/wgmpop/$popup -||torrentz.eu/p/$popup -||torrentz.eu/search*=$popup,~third-party -||tozer.youwatch.org^$popup -||trans.youwatch.org^$popup -||tripadvisor.*/rulebasedpopunder?$popup -||tripadvisor.*/SimilarHotelsPopunder?$popup -||tumejortorrent.com^$popup,~third-party -||uploadrocket.net^$popup,~third-party -||vibeo.to^$popup,domain=flashx.tv -||videowood.tv^$popup,domain=micast.tv -||vidhog.com/ilivid-redirect.php$popup -||vidspot.net^*http$popup -||vidzi.tv/mp4?$popup -||virtualtourist.com/commerce/popunder/$popup -||vkpass.com/goo.php?link=$popup,~third-party -||vodu.ch/play_video.php$popup -||watch-movies.net.in/popup.php$popup -||watchclip.tv^$popup,domain=hipfile.com -||watchseries-online.nl/sp1^$popup -||wegrin.com^$popup,domain=watchfreemovies.ch -||whies.info^$popup -||yasni.ca/ad_pop.php$popup -||youwatch.org/vids*.html$popup -||youwatch.org^*^ban^$popup -||youwatch.org^*^crr^$popup -||zanox.com^$popup,domain=pregen.net -||ziddu.com/onclickpop.php$popup -||zmovie.tv^$popup,domain=deditv.com|vidbox.net -! regex to pickup ip-address popups -/([0-9]{1,3}\.){3}[0-9]{1,3}/$popup,domain=briansarmiento.website|pelisplus.tv -! *** easylist:easylist_adult/adult_specific_block.txt *** -.download^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.info^$script,domain=www.pornhub.com -.online./$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.online^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.pw^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.science^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.site^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.space^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.trade^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.website^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.win./$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -.win^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -/\/[0-9].*\-.*\-[a-z0-9]{4}/$script,xmlhttprequest,domain=gaytube.com|keezmovies.com|spankwire.com|tube8.com|tube8.es|tube8.fr -/http://[a-zA-Z0-9]+\.[a-z]+\/.*(?:[!"#$%&'()*+,:;<=>?@/\^_`{|}~-]).*[a-zA-Z0-9]+/$script,third-party,domain=keezmovies.com|redtube.com|tube8.com|tube8.es|tube8.fr|www.pornhub.com|youporn.com -/json^$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -|blob:$script,domain=pornhub.com|xhamster.com|youporn.com -|http:$third-party,xmlhttprequest,domain=camwhores.tv -|http://$image,media,script,third-party,domain=~feedback.pornhub.com|pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|http://$image,script,third-party,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|http://$image,xmlhttprequest,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|http://$object,domain=pornhub.com|redtube.com|youporn.com -|http://$object-subrequest,third-party,domain=redtube.com|youporn.com -|http://$script,third-party,domain=duckmovies.net|have69.net|i-gay.org|playpornx.net|t-51.com|watchxxxfree.com|whorehd.net -|http://$third-party,xmlhttprequest,domain=ceporn.net|duckmovies.net -|http://$xmlhttprequest,domain=pornbeu.com|watchjavonline.com -|https://$image,media,script,third-party,domain=~feedback.pornhub.com|pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|https://$image,xmlhttprequest,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -|https://$object,domain=pornhub.com|redtube.com|youporn.com -|https://$script,third-party,domain=duckmovies.net|have69.net|i-gay.org|playpornx.net|t-51.com|watchxxxfree.com|whorehd.net -|https://$third-party,xmlhttprequest,domain=ceporn.net|duckmovies.net -|ws://$other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|xtube.com|youporn.com|youporngay.com -||109.201.146.142^$domain=xxxbunker.com -||213.174.140.38/bftv/js/msn- -||213.174.140.38^*/msn-*.js$domain=boyfriendtv.com|pornoxo.com -||244pix.com/webop.jpg -||24porn7.com/24roll.html -||24porn7.com/300.php -||24porn7.com/banned/ -||24porn7.com/ebanners/ -||24porn7.com/float/float_adplib.js -||24porn7.com/imads/ -||24porn7.com/odd.php -||24porn7.com/right3.php -||24porn7.com/toonad/ -||24video.net/din_new6.php? -||2adultflashgames.com/images/v12.gif -||2adultflashgames.com/img/ -||2adultflashgames.com/teaser/teaser.swf -||2hot4fb.com/img/*.gif?r= -||2hot4fb.com/img/*.jpg?r= -||3movs.com/contents/content_sources/ -||3xupdate.com^*/ryushare.gif -||3xupdate.com^*/ryushare2.gif -||3xupdate.com^*/ryusharepremium.gif -||3yen.com/wfn_ -||4sex4.com/pd/ -||4tube.com/tb/banner/ -||4ufrom.me/xpw.gif -||5ilthy.com/porn.php -||64.62.202.124^*/cumlouder.jpg -||78.140.130.91^$script,domain=xcafe.com -||a.eporner.com^ -||a.heavy-r.com^ -||a.killergram-girls.com^ -||abc-celebs.com/spons/ -||absoluporn.com/code/pub/ -||ad.eporner.com^ -||ad.slutload.com^ -||ad.thisav.com^ -||ad.userporn.com^ -||adrive.com/images/fc_banner.jpg -||ads.xxxbunker.com^ -||adult-profit-files.com/banner -||adult-sex-games.com/images/promo/ -||adultdvdtalk.com/studios/ -||adultfilmdatabase.com/graphics/banners/ -||adultfyi.com/images/banners/ -||adultwork.com/images/AWBanners/ -||affiliates.goodvibes.com^ -||alladultnetwork.tv/main/videoadroll.xml -||alotporn.com/media/banners/ -||alotporn.com^*/js/oopopw.js -||amadorastube.com^*/banner_ -||amateur-desire.com/pics/724x90d.jpg -||amateur-desire.com/pics/sm_ -||amateur-streams.com^*/popup.js -||amateuralbum.net/affb.html -||amateurfarm.net/layer.js -||amazonaws.com^$xmlhttprequest,domain=watch8x.com|xmovies.to|xmovies247.com|yourporn.sexy -||analpornpix.com/agent.php? -||analtubegirls.com/js/realamateurtube.js -||andtube.com/ban_ -||angelshack.com/images/under-video.png -||anon-v.com/neverlikedcocksmuch.php -||anon-v.com/titswerentoiledup.php -||anonimag.es^$domain=anon-v.com -||anyporn.com^$image,subdocument -||anysex.com/b/ -||anysex.com/content_sources/ -||arionmovies.com/*/popup.php -||asexstories.com/010ads/ -||asgayas.com/floater/ -||asgayas.com/popin.js -||asianpornmovies.com/images/banners/ -||asspoint.com/images/banners/ -||avn.com/templates/avnav/skins/ -||axatube.com/dos.html -||b.xcafe.com^ -||babblesex.com/js/misc.js -||babedrop.com/babelogger_images/ -||babepicture.co.uk^*banner -||babesandstars.com/images/a/ -||babesandstars.com/thumbs/paysites/ -||babeshows.co.uk/fvn53.jpg -||babeshows.co.uk^*banner -||babesmachine.com/html/ -||badjojo.com/b2s.php -||badjojo.com/js/scripts- -||bagslap.com/*.html -||bangyoulater.com/images/banners_ -||bangyoulater.com/pages/aff.php -||banner1.pornhost.com^ -||banners.cams.com^ -||beardedperv.com/*.php$script -||befuck.com/befuck_html/ -||befuck.com/js/adpbefuck -||bellyboner.com/facebookchatlist.php -||between-legs.com/banners2/ -||between-legs.com^*/banners/ -||bigboobs.hu/banners/ -||bigxvideos.com/js/focus.*.js -||bigxvideos.com/js/pops2. -||bigxvideos.com/js/popu. -||bigxvideos.com/rec/ -||blackonasianblog.com/uploads/banners/ -||blackredtube.com/fadebox2.js -||bob.crazyshit.com^ -||bonbonme.com/js/cams.js -||bonbonme.com/js/dticash/ -||bonbonme.com/js/rightbanner.js -||bonbonsex.com/js/dl/bottom.js -||bonbonsex.com/js/workhome.js -||boneprone.com/premium.html -||boobieblog.com/submityourbitchbanner3.jpg -||boobieblog.com/TilaTequilaBackdoorBanner2.jpg -||bralesscelebs.com/*banner -||bralesscelebs.com/160x600hcp.gif -||bralesscelebs.com/160x600ps.gif -||bralesscelebs.com/320x240ps.gif -||bravotube.net/dd$subdocument -||bravotube.net/dp.html -||bravotube.net/if/$subdocument -||brcache.madthumbs.com^ -||bunnylust.com/sponsors/ -||bustnow.com/xv/ad/ -||bustnow.com/xv/x/002.php -||bustnow.com^*/999.js.php -||bustnow.com^*/sponsors/ -||cameltoe.com^*/banners/ -||cams.pornrabbit.com^ -||camwhores.tv/banners/ -||canadianhottie.ca/images/banners/ -||celeb.gate.cc/banner/ -||celeb.gate.cc/misc/event_*.js -||celebritypink.com/bannedcelebs- -||cfake.com/images/a/ -||chanweb.info/en/adult/hc/local_include/ -||chatrandom.com/js/slider.js -||chubby-ocean.com/banner/ -||clips-and-pics.org/clipsandpics.js -||cloudfront.net^$script,domain=pornscum.com|watch8x.com|xmovies.to|xmovies247.com|yourporn.sexy -||cloudsdns.net^$media,domain=pornleech.com -||comdotgame.com/vgirl/ -||coolmovs.com/js/focus.*.js -||coolmovs.com/rec/$subdocument -||crackwhoreconfessions.com/images/banners/ -||crazyshit.com/p0pzIn.js -||creampietubeporn.com/ctp.html -||creampietubeporn.com/porn.html -||creatives.cliphunter.com^ -||creatives.pichunter.com^ -||creepshots.com^*/250x250_ -||d1wi563t0137vz.cloudfront.net^ -||d2q52i8yx3j68p.cloudfront.net^ -||d39hdzmeufnl50.cloudfront.net^ -||damimage.com^*/DocaWedrOJPPx.png -||daporn.com/_p4.php -||data18.com^*/banners/ -||dato.porn/cp.js -||definebabe.com/db/images/leftnav/webcams2.png -||definebabe.com/db/js/pcme.js -||definebabe.com/sponsor/ -||definefetish.com/df/js/dpcm.js -||deliciousbabes.org/banner/ -||deliciousbabes.org/media/banners/ -||delivery.porn.com^ -||depic.me/banners/ -||destroymilf.com/popup%20floater.js -||devatube.com/img/partners/ -||diamond-tgp.com/fp.js -||dickbig.net/scr/ -||dirtypriest.com/sexpics/ -||dixyporn.com/include/ -||dominationtube.com/exit.js -||dot.eporner.com^ -||dot2.eporner.com^ -||downloadableporn.org/popaaa/ -||dronporn.com/main-video-place.html -||dronporn.com/tizer.html -||drtuber.com/templates/frontend/white/js/embed.js? -||drtuber.com^*/aff_banner.swf -||dusttube.com/pop*.js -||dyn.tnaflix.com^ -||easypic.com/js/easypicads.js -||eccie.net/buploads/ -||eccie.net/eros/ -||eegay.com/php/*.php$script -||eegay.com/Scripts/nxpop.js -||efukt.com^*.php$subdocument -||egoporn.com/themagic.js -||egoporn.com/videotop.gif -||empflix.com/embedding_player/600x474_ -||empireamateurs.com/images/*banner -||entensity.net/crap/ -||epicwank.com/social/jquery.stp.min.js -||eporner.com/cppb/ -||eporner.com/dot/$script -||eporner.com/pjsall-*.js -||eporner.com^$subdocument,~third-party -||eroprofile.com/js/pu*.js -||eskimotube.com/kellyban.gif -||exhentai.net/img/aaf1.gif -||exit.macandbumble.com^ -||extreme-board.com/bannrs/ -||extremetube.com/player_related? -||fantasti.cc/_special/ -||fapdick.com/uploads/1fap_ -||fapdick.com/uploads/fap_ -||fapxl.com/view/spot/ -||fastpic.ru/js_f2.jpg -||fastpic.ru/js_h2.jpg -||femdom-fetish-tube.com/popfemdom.js -||fetishok.com/js/focus.$script -||fetishok.com/rec/$subdocument -||fileshare.ro^*/dhtmlwindow.js -||filthyrx.com/images/porno/ -||filthyrx.com/inline.php? -||filthyrx.com/rx.js -||finehub.com/p3.js -||fingerslam.com/*.html -||fleshbot.com/wp-content/themes/fbdesktop_aff/images/af -||floppy-tits.com/iframes/ -||fooktube.com/badges/pr/ -||free-celebrity-tube.com/js/freeceleb.js -||freebunker.com/includes/js/cat.js -||freebunker.com^*/ex.js -||freebunker.com^*/exa.js -||freebunker.com^*/layer.js -||freebunker.com^*/oc.js -||freebunker.com^*/pops.js -||freebunker.com^*/raw.js -||freeimgup.com/xxx/content/system/js/iframe.html -||freeones.com/images/freeones/sidewidget/$image -||freeporn.to/wpbanner/ -||freeporninhd.com/images/cbside. -||freeporninhd.com/images/cbzide. -||freepornvs.com/im.js -||fritchy.com^*&zoneid= -||fuckandcdn.com/sun/sunstatic/frms/$subdocument,domain=sunporno.com -||fuckuh.com/pr_ad.swf -||funny-games.biz/banners/ -||fux.com/adc/$script -||fux.com/assets/adblock -||galleries-pornstar.com/thumb_top/ -||gals4free.net/images/banners/ -||gamesofdesire.com/images/banners/ -||gapeandfist.com/uploads/thumbs/ -||gatewayinterface.com/App_Themes/PrivateImages/$domain=mylegalporno.com -||gayporntimes.com/img/GP_Heroes.jpg -||gayporntimes.com^*/Bel-Ami-Mick-Lovell-July-2012.jpeg -||gayporntimes.com^*/CockyBoys-July-2012.jpg -||gaytube.com/chacha/ -||gggtube.com/images/banners/ -||ghettotube.com/images/banners/ -||gifsfor.com/gifs.js -||gifsfor.com/msn.js -||gina-lynn.net/pr4.html -||girlfriendvideos.com/ad -||girlfriendvideos.com/pcode.js -||girlsfrombudapest.eu/banners/ -||girlsfromprague.eu/banners/ -||girlsfromprague.eu^*468x -||girlsintube.com/images/get-free-server.jpg -||girlsnaked.net/gallery/banners/ -||girlsofdesire.org/banner/ -||girlsofdesire.org/media/banners/ -||glamour.cz/banners/ -||gloryholegirlz.com/images/banners/ -||goldporntube.com/iframes/ -||gotgayporn.com/Watermarks/ -||grannysexforum.com/filter.php -||gspcdn.com^*/banners/ -||h2porn.com/ab/ -||h2porn.com/contents/content_sources/ -||h2porn.com/js/etu_r.js -||hanksgalleries.com/aff- -||hanksgalleries.com/gallery- -||hanksgalleries.com/galleryimgs/ -||hanksgalleries.com/stxt_ -||hanksgalleries.com/vg_ad_ -||hardcoresexgif.com/hcsg.js -||hardcoresexgif.com/msn.js -||hardsextube.com/pornstars/$xmlhttprequest -||hardsextube.com/preroll/getiton/ -||hardsextube.com/testxml.php -||hardsextube.com/zone.php -||hawaiipornblog.com/post_images/ -||hclips.com/js/m.js -||hcomicbook.com/banner/ -||hcomicbook.com/js/hcb-$script -||hcomicbook.com^*_banner1.gif -||hdporn.in/images/rec/ -||hdporn.in/js/focus.*.js -||hdporn.in/js/pops2. -||hdporn.in/rec/$subdocument -||hdporn.net/images/hd-porn-banner.gif -||hdzog.com/*.php?$script -||hdzog.com/contents/content_sources/ -||hdzog.com/contents/cst/ -||hdzog.com/hdzog.php?t_sid= -||heavy-r.com/a/ -||heavy-r.com/js/imbox.js -||heavy-r.com/js/overlay.js -||hebus.com/p/hebusx/ -||hellporno.com/iframes/ -||hentai-foundry.com/themes/*/add$image -||hentai-foundry.com/themes/*Banner -||hentai-foundry.com/themes/Hentai/images/hu/hu.jpg -||hentaihaven.org/*.php?$script -||hentairules.net/pop_$script -||hentaistream.com/out/ -||hentaistream.com/wp-includes/images/bg- -||hentaistream.com/wp-includes/images/mofos/webcams_ -||heraldnet.com/section/iFrame_AutosInternetSpecials? -||heraldnetdailydeal.com/widgets/DailyDealWidget300x250 -||hgimg.com/js/beacon. -||hidefporn.ws/04.jpg -||hidefporn.ws/05.jpg -||hidefporn.ws/055.jpg -||hidefporn.ws/client -||hidefporn.ws/img.png -||hidefporn.ws/nitro.png -||hollyscoop.com/sites/*/skins/ -||hollywoodoops.com/img/*banner -||homegrownfreaks.net/homegfreaks.js -||homemademoviez.com^$subdocument -||homeprivatevids.com/banner2.shtml -||homeprivatevids.com/banners.shtml -||hornygamer.com/images/promo/ -||hornywhores.net/hw$script -||hornywhores.net/img/double.jpg -||hornywhores.net/img/zevera_rec.jpg -||hotdevonmichaels.com^*/pf_640x1001.jpg -||hotdevonmichaels.com^*/streamate2.jpg -||hotdevonmichaels.com^*/wicked.gif -||hotdylanryder.com^*/Big-Tits-Like-Big-Dicks.jpg -||hotdylanryder.com^*/dylan_350x250_01.jpg -||hotdylanryder.com^*/iframes_174.jpg -||hotdylanryder.com^*/pf_640x100.jpg -||hotdylanryder.com^*/wicked.gif -||hothag.com/img/banners/ -||hotkellymadison.com^*/kelly1.jpg -||hotkellymadison.com^*/kelly4.jpg -||hotkellymadison.com^*/km_300x300.gif -||hotkellymadison.com^*/pf_640x100.jpg -||hotmovs.com/*.php?*=$script -||hotsashagrey.com^*/Anabolic.jpg -||hotsashagrey.com^*/New_Sensations-1091.gif -||hotsashagrey.com^*/PeterNorth-800x350.jpg -||hotsashagrey.com^*/squ-fantasygirlsasha-001.gif -||hotsashagrey.com^*/throated.jpg -||hotshame.com/hotshame_html/ -||hotshame.com/iframes/ -||hotshame.com/js/adphotshame -||hottestgirlsofmyspace.net/smallpics/300x200b.gif -||hottestgirlsofmyspace.net/smallpics/fb-150x150.gif -||hottubeclips.com/stxt/banners/ -||hungangels.com/vboard/friends/ -||hustler.com/backout-script/ -||imagearn.com/img/picBanner.swf -||imagecarry.com/down -||imagecarry.com/top -||imagedunk.com^*_imagedunk.js -||imagefap.com/019ce.php -||imagefap.com/ajax/uass.php -||imagefruit.com^*/pops.js -||imagehyper.com/prom/ -||imageporter.com/ro-7bgsd.html -||imageporter.com/smate.html -||imagepost.com/includes/dating/ -||imagepost.com/stuff/ -||imageshack.us^*/bannng.jpg -||imagesnake.com/includes/js/cat.js -||imagesnake.com/includes/js/js.js -||imagesnake.com/includes/js/layer.js -||imagesnake.com/includes/js/pops.js -||imagetwist.com/imagetwist*.js -||imagetwist.com/lj.js -||imgbabes.com/element.js -||imgbabes.com/ero-foo.html -||imgbabes.com/ja.html -||imgbabes.com^*/splash.php -||imgflare.com/exo.html -||imgflare.com^*/splash.php -||imghost.us.to/xxx/content/system/js/iframe.html -||imgwet.com/aa/ -||imperia-of-hentai.net/banner/ -||indexxx.com^*/banners/ -||inhumanity.com/cdn/affiliates/ -||intporn.com^*/21s.js -||intporn.com^*/asma.js -||intporn.org/scripts/asma.js -||iseekgirls.com/g/pandoracash/ -||iseekgirls.com/js/fabulous.js -||iseekgirls.com/rotating_ -||iseekgirls.com^*/banners/ -||jailbaitgallery.com/banners300/ -||jav-porn.net/js/popout.js -||jav-porn.net/js/popup.js -||javhub.net/img/r.jpg -||javporn.in/clicunder.js -||javsin.com/vip.html -||javstreaming.net/app/forad.js -||jjvids.com/i/ -||julesjordanvideo.com/flash/$object -||justporno.tv/ad/ -||kaotic.com^*/popnew.js -||keezmovies.com/iframe.html? -||kindgirls.com/banners2/ -||konachan.com/images/bam/ -||krasview.ru/content/$object -||krasview.ru/resource/a.php -||kuiken.co/inc/ex.js -||kuntfutube.com/kellyban.gif -||kyte.tv/flash/MarbachAdvertsDartInstream. -||laxtime.com/rotation/ -||lesbian.hu/banners/ -||linksave.in/fopen.html -||literotica.com/images/banners/ -||literotica.com/images/lit_banners/ -||live-porn.tv/adds/ -||liveandchat.tv/bana-/ -||livedoor.jp^*/bnr/bnr- -||lubetube.com/js/cspop.js -||lucidsponge.pl/pop_ -||lukeisback.com/images/boxes/ -||lukeisback.com^*/250.gif -||luscious.net/luscious. -||lw1.cdmediaworld.com^ -||madmovs.com/rec/ -||madthumbs.com/madthumbs/sponsor/ -||mallandrinhas.net/flutuante -||mansurfer.com/flash_promo/ -||matureworld.ws/images/banners/ -||maxjizztube.com/downloadfreemovies.php -||meatspin.com/facebookchatlist.php -||meatspin.com/images/fl.gif -||media1.realgfporn.com^$subdocument -||meendo.com/promos/ -||merb.ca/banner/ -||milkmanbook.com/dat/promo/ -||miragepics.com/images/11361497289209202613.jpg -||mobilepornmovies.com/images/banners/ -||monstercockz.com/cont/ -||monstercockz.com/eds/ -||monstertube.com/images/access_ -||monstertube.com/images/bottom-features.jpg -||monstertube.com/images/vjoin. -||monstertube.com/images/vjoin_ -||morazzia.com^*/banners/ -||morebabes.to/morebabes.js -||motherless.com/images/banners/ -||motherman.com/*.html -||movierls.net/abecloader -||mp3musicengine.com/bearshare_logo. -||mp3musicengine.com/images/freewatchtv1. -||mrskin.com/data/mrskincash/$third-party -||mrstiff.com/uploads/paysite/ -||mrstiff.com/view/context/ -||mrstiff.com/view/movie/bar/ -||mrstiff.com/view/movie/finished/ -||my-pornbase.com/banner/ -||mydailytube.com/nothing/ -||myex.com^$~third-party,xmlhttprequest -||mygirlfriendvids.net/js/popall1.js -||myhentai.tv/popsstuff. -||myslavegirl.org/follow/go.js -||myvidster.com^*.php?idzone= -||naked-sluts.us/prpop.js -||namethatpornstar.com/topphotos/ -||naughty.com/js/popJava.js -||naughtyblog.org/b_load.php -||naughtyblog.org/pr1pop.js -||netasdesalim.com/js/netas -||netronline.com/Include/burst.js -||newcelebnipslips.com/nipslipop.js -||niceandquite.com/msn.js -||niceandquite.com/nice.js -||niceyoungteens.com/ero-advertising -||niceyoungteens.com/mct.js -||nonktube.com/brazzers/ -||nonktube.com/nuevox/midroll.php? -||nonktube.com/popembed.js -||novoporn.com/imagelinks/ -||ns4w.org/gsm.js -||ns4w.org/images/promo/ -||ns4w.org/images/vod_ -||nude.hu/banners/ -||nudebabes.ws/galleries/banners/ -||nudeflix.com/ads/video-player/ -||nudevista.com/_/exo_ -||nudevista.com/_/pp. -||nudevista.com/_/teasernet -||nudevista.com^*/nv-com.min.js -||nudez.com/*.php?*=$script -||nudography.com/photos/banners/ -||nuvid.com/_*.php$script,subdocument -||nuvid.com/b4.php -||nuvid.com/videos_banner.html -||oasisactive.com^*/oasis-widget.html -||olderhill.com/ubr.js -||olderhill.com^*.html| -||onhercam.tv^*/banners/ -||onlinestars.net/ban/ -||onlinestars.net/br/ -||openjavascript.com/jtools/jads. -||oporn.com/js/wspop.js -||partners.keezmovies.com^ -||pastime.biz/images/iloveint.gif -||pastime.biz/images/interracial-porn.gif -||pastime.biz^*/personalad*.jpg -||perfectgirls.net/b/ -||perfectgirls.net/exo/ -||phncdn.com/cb/youpornwebfront/css/babes.css$domain=youporn.com -||phncdn.com/cb/youpornwebfront/css/skin.css$domain=youporn.com -||phncdn.com/css/campaign.css?$domain=pornhub.com -||phncdn.com/iframe -||phncdn.com/images/*_skin. -||phncdn.com/images/*_skin_ -||phncdn.com/images/banners/ -||phncdn.com/images/premium/ -||phncdn.com/images/premium_ -||phncdn.com/images/skin/ -||phncdn.com/mobile/js/interstitial-min.js? -||phun.org/phun/gfx/banner/ -||pichunter.com/creatives/ -||pichunter.com/deals/ -||picleet.com/inter_picleet.js -||picp2.com/img/putv -||picsexhub.com/js/pops. -||picsexhub.com/js/pops2. -||picsexhub.com/rec/ -||picturedip.com/modalfiles/modal.js -||picturedip.com/windowfiles/dhtmlwindow.css -||picturescream.com/porn_movies.gif -||picturescream.com/top_banners.html -||picturevip.com/imagehost/top_banners.html -||picxme.com/js/pops. -||picxme.com/rec/ -||pimpandhost.com/images/pah-download.gif -||pimpandhost.com/static/html/iframe.html -||pimpandhost.com/static/i/*-pah.jpg -||pink-o-rama.com/Blazingbucks -||pink-o-rama.com/Brothersincash -||pink-o-rama.com/Fetishhits -||pink-o-rama.com/Fuckyou -||pink-o-rama.com/Gammae -||pink-o-rama.com/Karups -||pink-o-rama.com/Longbucks/ -||pink-o-rama.com/Nscash -||pink-o-rama.com/Pimproll/ -||pink-o-rama.com/Privatecash -||pink-o-rama.com/Royalcash/ -||pink-o-rama.com/Teendreams -||pinkems.com/images/buttons/ -||pinkrod.com/iframes/ -||pinkrod.com/js/adppinkrod -||pinkrod.com/pinkrod_html/ -||pixhost.org/image/cu/ -||pixhost.org/image/rotate/ -||pixhost.org/image/tmp/linksnappy_ -||pixhost.org/js/jquery_show2.js -||pixroute.com/spl.js -||placepictures.com/Frame.aspx? -||planetsuzy.org/kakiframe/ -||planetsuzy.org^$script -||playgirl.com/pg/media/prolong_ad.png -||playpornx.net/pu/ -||plumper6.com/images/ban_pp.jpg -||pnet.co.za/jobsearch_iframe_ -||poguide.com/cdn/images/ad*.gif -||pontoperdido.com/js/webmessenger.js -||porn-w.org/chili.php -||porn-w.org/images/chs.gif -||porn-w.org/images/cosy/ -||porn-w.org/images/ls.gif -||porn-w.org/images/lsb.gif -||porn-w.org/images/zevera.png -||porn.com/assets/partner_ -||porn.com/js/pu.js -||porn.com^$subdocument,~third-party -||porn4down.com^*/ryuvuong.gif -||porn5.com^$subdocument,~third-party -||porn8x.net/js/outtrade.js -||porn8x.net/js/popup.js -||pornalized.com/contents/content_sources/ -||pornalized.com/js/adppornalized5.js -||pornalized.com/pornalized_html/closetoplay_ -||pornarchive.net/images/cb -||pornbanana.com/pornbanana/deals/ -||pornbay.org/popup.js -||pornbb.org/adsnov. -||pornbb.org/images/rotation/$image -||pornbb.org/images/your_privacy -||pornbraze.com^*/popupbraze.js -||pornbus.org/includes/js/bgcont.js -||pornbus.org/includes/js/cat.js -||pornbus.org/includes/js/ex.js -||pornbus.org/includes/js/exa.js -||pornbus.org/includes/js/layer.js -||porncor.com/sitelist.php -||pornerbros.com/p_bnrs/ -||pornerbros.com/rec/$subdocument -||pornfanplace.com/js/pops. -||pornfanplace.com/rec/ -||porngals4.com/img/b/ -||pornhub.com/catagories/costume/ -||pornhub.com/channels/pay/ -||pornhub.com/front/alternative/ -||pornhub.com/jpg/ -||pornhub.com/pics/latest/$xmlhttprequest -||pornhub.phncdn.com/images/campaign-backgrounds/ -||pornhub.phncdn.com/misc/xml/preroll.xml -||pornizer.com/_Themes/javascript/cts.js? -||pornmade.com/images/404vz.gif -||pornmade.com/images/az.gif -||pornmade.com/images/cb -||pornmaturetube.com/content/ -||pornmaturetube.com/content2/ -||pornmaturetube.com/eureka/ -||pornmaturetube.com/show_adv. -||pornnavigate.com/feeds/delivery.php? -||pornoid.com/contents/content_sources/ -||pornoid.com/iframes/bottom -||pornoid.com/js/adppornoid -||pornoid.com/pornoid_html/ -||pornoinside.com/efpop.js -||pornomovies.com/js/1/login_bonus -||pornomovies.com/pop/ -||pornorips.com/hwpop.js -||pornorips.com^*/rda.js -||pornorips.com^*/rotate*.php -||pornosexxxtits.com/rec/ -||pornoxo.com/pxo/$subdocument -||pornoxo.com/tradethumbs/ -||pornpause.com/fakevideo/ -||pornper.com/mlr/ -||pornper.com^*/pp.js -||pornreleasez.com/prpop.js -||pornshare.biz/1.js -||pornshare.biz/2.js -||pornsharia.com/Images/Sponsors/ -||pornsharia.com^*/adppornsharia.js -||pornsharia.com^*/exo- -||pornsharia.com^*/js/pcin.js -||pornsharing.com/App_Themes/pornsharianew/$subdocument,~third-party -||pornsharing.com/App_Themes/pornsharianew/js/adppornsharia*.js -||pornsharing.com/App_Themes/pornsharingnew/$subdocument,~third-party -||pornsharing.com/App_Themes/pornsharingnew/js/adppornsharia*.js -||pornslash.com/images/a.gif -||pornslash.com/images/cbside.gif -||pornslash.com/images/cbt.gif -||pornslash.com/images/downicon.png -||pornslash.com/images/pr.jpg -||pornstarlabs.com/spons/ -||pornstarterritory.com//images/bannernew.jpg -||pornstarterritory.com^*/alsbanner -||pornstreet.com/siteunder.js -||porntalk.com/img/banners/ -||porntalk.com/rec/ -||porntube.com/*.php?z=$script -||porntube.com/adb/ -||porntube.com/ads| -||porntube.com/assets/adb$script -||pornup.me/js/pp.js -||pornvideoq.com/*.html$subdocument,~third-party -||pornvideoxo.com^$subdocument,~third-party -||pornwikileaks.com/adultdvd.com.jpg -||pornxs.com/js/aab/ -||pornxs.com/js/exo.js -||pornxs.com/js/files/jasminNew -||pr-static.empflix.com^ -||pr-static.tnaflix.com^ -||pureandsexy.org/banner/ -||purelynsfw.com^*/banners/ -||purepornvids.com/randomadseb. -||purpleporno.com/pop*.js -||putascaseiras.com/botao/ -||puteros.com/publisecciones/ -||pwpwpoker.com/images/*/strip_poker_ -||pwpwpoker.com/images/banners/ -||queerclick.com/pu-$script -||queermenow.net/blog/wp-content/uploads/*-Banner -||queermenow.net/blog/wp-content/uploads/*/banner -||r.radikal.ru^ -||rackcdn.com^*/banners/$domain=hanime.tv -||raincoatreviews.com/images/banners/ -||rampant.tv/images/sexypics/ -||realgfporn.com/js/popall.js -||realgfporn.com/js/realgfporn.js -||realhomesex.net/*.html$subdocument -||realhomesex.net/ae/$subdocument -||realhomesex.net/floater.js -||realhomesex.net/pop/ -||redtube.cc/images/bongacams.png -||redtube.com/barelylegal/ -||redtube.com/bestporn/ -||redtube.com/nymphos/ -||redtube.com/sexychicks/ -||redtube.com/wierd/ -||redtube.com^$subdocument,~third-party -||redtube.com^*/banner/ -||redtubefiles.com^*/banner/ -||redtubefiles.com^*/skins/ -||rev.fapdu.com^ -||rextube.com/plug/iframe.asp? -||rikotachibana.org/wp-content/banner/ -||rude.com/js/PopupWindow.js -||rule34.xxx/r34.js -||rulirieter.com^$domain=gaytube.com -||rusdosug.com/Fotos/Banners/ -||russiansexytube.com/js/spc_banners_init.js -||russiansexytube.com/js/video_popup.js -||russiasexygirls.com/wp-content/uploads/*/727x90 -||russiasexygirls.com/wp-content/uploads/*/cb_ -||s.xvideos.com^$subdocument -||s3.amazonaws.com^$domain=gaybeeg.info -||scorehd.com/banner/ -||scorevideos.com/banner/ -||seaporn.org/scripts/life.js -||seemygf.com/webmasters/ -||sensualgirls.org/banner/ -||sensualgirls.org/media/banners/ -||serveporn.com/images/a-en.jpg -||serveporn.com/images/plug-in.jpg -||sex-techniques-and-positions.com/123ima/ -||sex-techniques-and-positions.com/banners -||sex.com/images/*/banner_ -||sex3.com/if/ -||sex3dtoons.com/im/ -||sexilation.com/wp-content/uploads/2013/01/Untitled-1.jpg -||sexmummy.com/float.htm -||sexmummy.com/footer.htm -||sexphoto.xxx/sites/ -||sexpornimg.com/css/images/banner -||sexseeimage.com^*/banner.gif -||sextube.com/lj.js -||sextubebox.com/ab1.shtml -||sextubebox.com/ab2.shtml -||sexu.com/*.php$script -||sexuhot.com/images/xbanner -||sexuhot.com/splayer.js -||sexvideogif.com/msn.js -||sexvideogif.com/svg.js -||sexvines.co/images/cp -||sexy-toons.org/interface/partenariat/ -||sexy-toons.org/interface/pub/ -||sexyandfunny.com/images/totem -||sexyandshocking.com/mzpop.js -||sexyclips.org/banners/ -||sexyclips.org/i/130x500.gif -||sexyfuckgames.com/images/promo/ -||sexyshare.net//banners/ -||sexytime.com/img/sexytime_anima.gif -||shanbara.jp/300_200plus.jpg -||shanbara.jp/okusamadx.gif -||sharew.org/modalfiles/ -||shemaletubevideos.com/images/banners/ -||shoosh.co/*.php$script -||shoosh.co/_p4 -||shooshtime.com/ads/ -||shooshtime.com/images/chosenplugs/ -||shooshtimeinc.com/under.php -||shy-cams.com/tube.js -||signbucks.com/s/bns/ -||signbucksdaily.com/data/promo/ -||sillusions.ws^*/pr0pop.js -||sillusions.ws^*/vpn-banner.gif -||site.img.4tube.com^ -||skimtube.com/kellyban.gif -||slinky.com.au/banners/ -||smutmodels.com/sponsors/ -||socaseiras.com.br/arquivos/banners/ -||socaseiras.com.br/banner_ -||socaseiras.com.br/banners.php? -||songs.pk/ie/ietext.html -||spankbang.com/gateway/ -||springbreaktubegirls.com/js/springpop.js -||starcelebs.com/logos/$image -||static.flabber.net^*background -||static.kinghost.com^ -||stockingstv.com/partners/ -||stolenvideos.net/stolen.js -||submityourflicks.com/banner/ -||sunporno.com/js/flirt/serve.js -||svscomics.com^*/dtrotator.js -||sxx.com/js/lj.js -||t-51.com^*/banners/ -||t8.*.com/?$xmlhttprequest,domain=tube8.com -||tabletporn.com/images/pinkvisualpad- -||taxidrivermovie.com/mrskin_runner/ -||taxidrivermovie.com^$~third-party,xmlhttprequest -||tbib.org/gfy/$domain=konachan.com -||tbib.org^$subdocument,domain=konachan.com -||teensanalfactor.com/best/ -||teensexcraze.com/awesome/leader.html -||teentube18.com/js/realamateurtube.js -||temptingangels.org/banner/ -||temptingangels.org/media/banners/ -||the-analist.info^*150-150 -||the-analist.info^*150sq -||the-analist.info^*150x150 -||the-feeding-tube.com^*/Topbanner.php -||thedoujin.com^$domain=gelbooru.com -||thefappeningblog.com/icloud9.html -||thehun.net^*/banners/ -||thenewporn.com/js/adpthenewporn -||thenipslip.com/GGWDrunkenAd.jpg -||thenipslip.com/mfcbanner.gif -||thenude.eu/affiliates/ -||thenude.eu/images/sexart_sidebar.png -||thenude.eu/media/mxg/ -||theporncore.com/contents/content_sources/ -||thepornomatrix.com/images/1- -||thinkexist.com/images/afm.js -||thisav.com/0628. -||thisav.com/js/pu.js -||thisav.com/js/thisav_pop.js -||thumblogger.com/thumblog/top_banner_silver.js -||timtube.com/traffic.js -||titsintops.com/intersitial/ -||titsintops.com/rotate/ -||tjoob.com/bgbb.jpg -||tjoob.com/kellyban.gif -||tnaflix.com/*.php?t=footer -||tnaflix.com/banner/ -||tnaflix.com/display.php? -||tnaflix.com/flixPlayerImages/ -||tnaflix.com^*_promo.jpg -||trovaporno.com/image/incontri$image -||tube8.com/penthouse/ -||tube8.com/sugarcrush/ -||tube8.com^$subdocument,~third-party -||tubecup.com/contents/content_sources/ -||tubecup.com/js/1.js -||tubecup.org/?t_sid= -||tubedupe.com/footer_four.html -||tubedupe.com/side_two.html -||tubepornclassic.com^*.php?z=*&sub=$script -||turboimagehost.com/p1.js -||twinsporn.net/images/delay.gif -||twinsporn.net/images/free-penis-pills.png -||twofuckers.com/brazzers -||uflash.tv^*/affiliates/ -||ukrainamateurs.com/images/banners/ -||unblockedpiratebay.com/static/img/bar.gif -||unoxxx.com/pages/en_player_video_right.html -||updatetube.com/js/adpupdatetube -||updatetube.com/js/fab.js -||upornia.com/contents/content_sources/ -||vibraporn.com/vg/ -||vid2c.com/js/atxpp.js? -||vid2c.com/js/pp.js -||vid2c.com/pap.js -||vid2c.com/pp.js -||videarn.com/vibrate.js -||videos.com^*/jsp.js -||vidgrab.net/adsbar.png -||vidgrab.net/bnr.js -||vidgrab.net/images/adsbar -||vidgrab.net/pads2.js -||viralporn.com^*/popnew.js -||vivatube.com/upload/banners/ -||voyeurhit.com/contents/content_sources/ -||voyeurhit.com/related/voyeurhit.php?t_sid= -||vrsmash.com^*/script.min.js -||vstreamcdn.com^*/ads/ -||wank.to/partner/ -||wankspider.com/js/wankspider.js -||watch2porn.net/pads2.js -||watch8x.com/JS/rhpop_ -||watchindianporn.net/js/pu.js -||waybig.com/blog/wp-content/uploads/*?pas=$image -||waybig.com/js/lic14.js -||waybig.com/js/license.$script -||waybig.com/js/univ6.js -||weberotic.net/banners/ -||wegcash.com/click/ -||wetplace.com/iframes/$subdocument -||wetplace.com/js/adpwetplace -||wetplace.com/wetplace_html/ -||wetpussygames.com/images/promo/ -||whitedolly.com/wcf/images/redbar/logo_neu.gif -||whozacunt.com/images/*-300x250. -||whozacunt.com/images/*_300x200_ -||whozacunt.com/images/banner_ -||wiki-stars.com/thumb_if.php? -||wiki-stars.com/trade/ -||wikiporno.org/header2.html -||wikiporno.org/header21.html -||woodrocket.com/img/banners/ -||worldsex.com/c/ -||wowomg.com/*.html -||wrenchtube.com/poppt.js -||wunbuck.com/_odd_images/banners/ -||wunbuck.com/iframes/aaw_leaderboard.html -||x.eroticity.net^ -||x.vipergirls.to^ -||x3xtube.com/banner_rotating_ -||xbabe.com/iframes/ -||xbooru.com/block/adblocks.js -||xbutter.com/adz.html -||xbutter.com/geturl.php/ -||xbutter.com/js/pop-er.js -||xcritic.com/images/buy- -||xcritic.com/images/rent- -||xcritic.com/images/watch- -||xcritic.com/img/200x150_ -||xfanz.com^*_banner_ -||xhamster.com/ads/ -||xhamsterpremiumpass.com/premium_scenes.html -||xhcdn.com/js/12.js$domain=xhamster.com -||xhcdn.com^*/ads_ -||xogogo.com/images/latestpt.gif -||xtravids.com/pop.php -||xvideohost.com/hor_banner.php -||xxnxx.eu/index.php?xyz_lbx= -||xxvideo.us/ad728x15 -||xxvideo.us/bnr.js -||xxvideo.us/playertext.html -||xxxblink.com/js/pops. -||xxxblink.com/rec/ -||xxxfile.net^*/netload_premium.gif -||xxxgames.biz^*/sponsors/ -||xxxhdd.com/contents/content_sources/ -||xxxhdd.com/player_banners/ -||xxxhdd.com/plugs-thumbs/ -||xxxhost.me/xpw.gif -||xxxkinky.com/pap.js -||xxxlinks.es/xvideos.js -||xxxporntalk.com/images/ -||xxxxsextube.com/*.html$subdocument -||xxxymovies.com/js/win.js -||yea.xxx/img/creatives/ -||yobt.com/rec/ -||yobt.tv/js/ttu.js -||yobt.tv/rec/ -||youaresogay.com/*.html -||youngpornvideos.com/images/bangbros/ -||youngpornvideos.com/images/glamglam/ -||youngpornvideos.com/images/mofoscash/ -||youngpornvideos.com/images/teencash/ -||youngpornvideos.com/images/webmasterdelightlinks/ -||youngpornvideos.com/images/wmasterthecoolporn/ -||youporn-hub.com/lcdscript.js -||youporn-hub.com/newlcd.js -||youporn.com/capedorset/ -||youporn.com/watch_postroll/ -||youporn.com^$script,domain=youporn.com -||youporn.com^$script,subdocument,domain=youporngay.com -||youporn.com^$subdocument,~third-party -||yourdailygirls.com/vanilla/process.php -||yourdarkdesires.com/1.html -||yourdarkdesires.com/2.html -||yourdarkdesires.com/3.html -||yourlust.com/im/onpause.html -||yourlust.com/im/postroll.html -||youtubelike.com/ftt2/toplists/ -||youx.xxx/thumb_top/ -||yporn.tv/uploads/flv_player/commercials/ -||yporn.tv/uploads/flv_player/midroll_images/ -||yumymilf.com^*/banners/ -||yuvutu.com^*/banners/ -||zazzybabes.com/misc/virtuagirl-skin.js -! youjizz -@@||youjizz.com/app/$script -@@||youjizz.com/js/contentlist.js$script -@@||youjizz.com/js/jquery.$script -@@||youjizz.com/js/knockout-2.2.1.js$script -@@||youjizz.com/js/localdata.js$script -@@||youjizz.com/js/videojs.$script -@@||youjizz.com/player/$script -@@||youjizz.com/rating/$script -@@||youjizz.com^*/swfobject.js$script -||youjizz.com^$script -! fantasti.cc -||fantasti.cc^$xmlhttprequest -! zone-anime.net -@@||connect.facebook.net^$script,domain=zone-anime.net -@@||disqus.com^$script,domain=zone-anime.net -|http://$script,third-party,xmlhttprequest,domain=zone-anime.net -|https://$script,third-party,xmlhttprequest,domain=zone-anime.net -! xmoviesforyou.com -@@||datoporn.com^$script,domain=29443kmq.video -https://$script,third-party,xmlhttprequest,domain=29443kmq.video -|http://$script,third-party,xmlhttprequest,domain=29443kmq.video|xmoviesforyou.com -|https://$script,third-party,xmlhttprequest,domain=xmoviesforyou.com -! rule34hentai.net -@@||rule34hentai.net/data/cache/$script -|http://$script,third-party,xmlhttprequest,domain=rule34hentai.net -|https://$script,third-party,xmlhttprequest,domain=rule34hentai.net -||rule34hentai.net^$script,~third-party -! txxx.com -@@||ahcdn.com^$xmlhttprequest,domain=txxx.com -@@||ajax.googleapis.com^$domain=txxx.com -@@||tubecup.org^$xmlhttprequest,domain=txxx.com -|http://$script,third-party,xmlhttprequest,domain=txxx.com -|https://$script,third-party,xmlhttprequest,domain=txxx.com -! urlgalleries.net -|http://$script,third-party,xmlhttprequest,domain=urlgalleries.net -|https://$script,third-party,xmlhttprequest,domain=urlgalleries.net -! sextube.com -@@||static.sextube.phncdn.com^$script,domain=sextube.com -|http://$script,third-party,xmlhttprequest,domain=sextube.com -|https://$script,third-party,xmlhttprequest,domain=sextube.com -! milfzr.com -@@||ajax.googleapis.com^$script,domain=milfzr.com -@@||apis.google.com^$script,domain=milfzr.com -@@||connect.facebook.net^$script,domain=milfzr.com -@@||jwpcdn.com^$xmlhttprequest,domain=milfzr.com -|http://$script,third-party,xmlhttprequest,domain=milfzr.com -|https://$script,third-party,xmlhttprequest,domain=milfzr.com -! sexix.net -|http://$script,third-party,xmlhttprequest,domain=sexix.net -|https://$script,third-party,xmlhttprequest,domain=sexix.net -! anyporn -@@||anyporn.com/captcha/comments/?$image -@@||anyporn.com/player/$script -@@||anyporn.com/v4_js/main.min.js$script -@@||anyporn.com/videojs/video.js$script -@@||anyporn.com/videojs/videojs-overlay.js$script -@@||anyporn.com/videojs/vjs-related.js$script -@@||anyporn.com/videos_screenshots/$image -||anyporn.com^$script,~third-party -! imagefap -@@||imagefap.com/ajax/image_related.php?$xmlhttprequest -@@||imagefap.com/ajax_favorites.php$xmlhttprequest -@@||imagefap.com/ajax_usergallery_folder.php?$xmlhttprequest -@@||imagefap.com/combine.php?$script -@@||imagefap.com/forum/styles/$script,domain=imagefap.com -@@||imagefap.com/gallery_add_favorites.php?$xmlhttprequest -@@||imagefap.com/gallery_display_favorites.php?$xmlhttprequest -@@||imagefap.com/jscripts/gallery.js$script -@@||imagefap.com/jscripts/imagesloaded.min.js$script -@@||imagefap.com/jscripts/masonry.min.js$script -@@||imagefap.com/jscripts/thumbnail_change.js$script -@@||imagefap.com/photo/*/?gid=$xmlhttprequest -@@||imagefap.com/ubr_file_upload.js$script -@@||moviefap.com/js/swfobject.js$script -|http://$script,xmlhttprequest,domain=imagefap.com -|https://$script,xmlhttprequest,domain=imagefap.com -! hotpornfile.org -@@||ajax.googleapis.com^$script,domain=hotpornfile.org -@@||code.jquery.com^$script,domain=hotpornfile.org -|http://$script,third-party,domain=hotpornfile.org -|https://$script,third-party,domain=hotpornfile.org -! gaybeeg.info -@@||netdna-storage.com^$xmlhttprequest,domain=gaybeeg.info -@@||translate.google.com^$script,domain=gaybeeg.info -@@||wp.com/wp-content/js/$script,domain=gaybeeg.info -|http://$script,third-party,xmlhttprequest,domain=gaybeeg.info -! motherless.com -@@||ajax.googleapis.com^$script,domain=motherless.com -@@||motherless.com/register/$xmlhttprequest -@@||motherless.com/scripts/auth.min.js -@@||motherless.com/scripts/bots.min.js -@@||motherless.com/scripts/classifieds.min.js -@@||motherless.com/scripts/groups.js -@@||motherless.com/scripts/home_page.min.js -@@||motherless.com/scripts/jquery-*.min.js -@@||motherless.com/scripts/jquery-ui.js -@@||motherless.com/scripts/jquery.*.js -@@||motherless.com/scripts/jwplayer.html5.js -@@||motherless.com/scripts/jwplayer.js -@@||motherless.com/scripts/media.min.js -@@||motherless.com/scripts/members.min.js -@@||motherless.com/scripts/perfect-scrollbar.jquery.min.js -@@||motherless.com/scripts/register.min.js -@@||motherless.com/scripts/responsive.min.js -@@||motherless.com/scripts/site.min.js -@@||motherless.com/scripts/sprintf.min.js -@@||motherless.com/scripts/store.min.js -@@||motherless.com/scripts/swfobject.js -|http://$script,domain=motherless.com -|http://$third-party,xmlhttprequest,domain=motherless.com -|https://$script,domain=motherless.com -|https://$third-party,xmlhttprequest,domain=motherless.com -! taxidrivermovie.com -@@||taxidrivermovie.com/style/core-min.js$script,~third-party -|http://$script,~third-party,xmlhttprequest,domain=taxidrivermovie.com -|https://$script,~third-party,xmlhttprequest,domain=taxidrivermovie.com -! xhamster.com -@@||xhcdn.com^$script,domain=xhamster.com -@@||xhcdn.com^*/shader/$xmlhttprequest,domain=xhamster.com -|http://$script,third-party,xmlhttprequest,domain=xhamster.com -|https://$script,third-party,xmlhttprequest,domain=xhamster.com -! hdzog.com -@@||hdzog.com/key=$~third-party,xmlhttprequest -@@||hdzog.com/player/timelines.php?$~third-party,xmlhttprequest -|http://$script,third-party,xmlhttprequest,domain=hdzog.com -|https://$script,third-party,xmlhttprequest,domain=hdzog.com -||hdzog.com/njs/$script -||hdzog.com^$~third-party,xmlhttprequest -! xvideos.com -@@||ajax.googleapis.com^$script,domain=xvideos.com -@@||llnwd.net^$third-party,xmlhttprequest,domain=xvideos.com -|http://$script,third-party,xmlhttprequest,domain=xvideos.com -|https://$script,third-party,xmlhttprequest,domain=xvideos.com -||xvideos.com/pics-error/$~third-party,xmlhttprequest -||xvideos.com/|$~third-party,xmlhttprequest -||xvideos.com^*/en.json$~third-party,xmlhttprequest -! pornxs.com -@@||pornxs.com/ajax.php?$xmlhttprequest -@@||sprites.pornxs.com^$xmlhttprequest -|http://$xmlhttprequest,domain=pornxs.com -|https://$xmlhttprequest,domain=pornxs.com -! liebelib.com -@@||ajax.googleapis.com^$script,third-party,domain=liebelib.com -|http://$script,third-party,xmlhttprequest,domain=liebelib.com -|https://$script,third-party,xmlhttprequest,domain=liebelib.com -! daredteens.com -|http://$script,third-party,xmlhttprequest,domain=daredteens.com -|https://$script,third-party,xmlhttprequest,domain=daredteens.com -! amateurdumper.com -@@||ajax.googleapis.com^$script,third-party,domain=amateurdumper.com -|http://$script,third-party,xmlhttprequest,domain=amateurdumper.com|myxvids.com -|https://$script,third-party,xmlhttprequest,domain=amateurdumper.com|myxvids.com -! dreamamateurs.com -|http://$script,third-party,xmlhttprequest,domain=dreamamateurs.com -|https://$script,third-party,xmlhttprequest,domain=dreamamateurs.com -! websocket ads (Adblock Plus beta) -$websocket,domain=24video.cc|24video.in|24video.me|24video.sex|24video.xxx|pornhub.com|redtube.com|redtube.com.br|russian-porn.me|tube8.com|tube8.es|tube8.fr|xhamster.com|xtube.com|xvideos.com|youporn.com|youporngay.com -! Vintageeroticaforum -@@||pimpandhost.com/site/jsUploadPlugin|$script,third-party,domain=vintage-erotica-forum.com -@@||vintage-erotica-forum.com/clientscript/ncode_imageresizer.js?$script -@@||vintage-erotica-forum.com/clientscript/post_thanks.js$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_ajax_namesugg.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_ajax_nameverif.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_ajax_reputation.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_ajax_search.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_ajax_threadrate.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_global.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_lightbox.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_md5.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_menu.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_multi_quote.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_post_loader.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_quick_edit.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_quick_reply.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_read_marker.js?$script -@@||vintage-erotica-forum.com/clientscript/vbulletin_textedit.js?$script -@@||yui.yahooapis.com^$script,third-party,domain=vintage-erotica-forum.com -|http://$script,domain=vintage-erotica-forum.com -! *** easylist:easylist_adult/adult_specific_block_popup.txt *** -^utm_medium=pops^$popup,domain=ratedporntube.com|sextuberate.com -|http://*?*=$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com -|http://*?*^id^$popup,third-party,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com -||ad.userporn.com^$popup -||bitchcrawler.com/?$popup -||delivery.porn.com^$popup -||delivery.porn5.com^$popup -||downloadableporn.org/xxx/$popup -||eporner.com/pop.php$popup -||fantasti.cc^*?ad=$popup -||fantastube.com/track.php$popup -||fc2.com^$popup,domain=xvideos.com -||fileparadox.in/free$popup,domain=tdarkangel.com -||goo.gl^$popup,domain=thisav.com -||h2porn.com/pu.php$popup -||hegansex.com/exo.php$popup -||heganteens.com/exo.php$popup -||imagebam.com/redirect_awe.php$popup -||movies.askjolene.com/c64?clickid=$popup -||namethatporn.com/ntpoo$popup -||nuvidp.com^$popup -||pinporn.com/popunder/$popup -||pop.fapxl.com^$popup -||pop.mrstiff.com^$popup -||porn101.com^$popup,domain=lexsteele.com -||porn4free.tv^$popup,domain=redtube.cc -||pornuppz.info/out.php$popup -||publicagent.com/bigzpup.php$popup -||r18.com/*utm_source$popup -||rackcdn.com^$popup,domain=extremetube.com|pornhub.com|redtube.com|spankwire.com|tube8.com|youporn.com|youporngay.com -||rd.cockhero.info^$popup -||site-rips.org^$popup,domain=backupload.net -||ymages.org/prepop.php$popup -! ------------------------Specific element hiding rules------------------------! -! *** easylist:easylist/easylist_specific_hide.txt *** -search.safefinder.com,search.snapdo.com###ABottomD -aol.com###AOLP_partnerSearch -search.safefinder.com,search.snap.do,search.snapdo.com###ATopD -avsforum.com###AVSForum_com_300x150_Sponsor_TECH_Forum -patheos.com###A_Artl_970x90_OptDirect -patheos.com###A_Home_728x90_Header -nextag.com###AdBox -community.adlandpro.com###AdContent -rosemaryconley.tv###Add -carsdir.com###AddCarBanner -igcd.net,tangorin.com,webcarstory.com###Ads -metacafe.com###Adv -search.snap.do,search.snapdo.com###AfloatingD -knowyourmoney.co.uk###Au_HomePage350x200 -fileresearchcenter.com###AutoNumber3 -crictime.com###AutoNumber5 -buzzfeed.com###BF_WIDGET_10 -novafm.com.au###BGLink -ebuddy.com###Banner -weegy.com###BannerDiv -arto.com###BannerInfobox -muchmusic.com###BigBox -slice.ca###BigBoxContainer -metacafe.com###Billboard -shmoop.com###Billboard_Tag -whatsupiran.com###BottomBanner -foodnetwork.ca###BottomLeader -advfn.com###BottomTabsElement -montereyherald.com###BreakingNewsSponsor -ebuddy.com###Button -cgsociety.org###CGS_home_900 -canoe.ca###CanoeBigBoxAd -citytv.com###CityTv-HeaderBannerBorder -ynetnews.com###ClarityRayButton -naturalnews.com###Container-Tier1 -naturalnews.com###Container-Tier2 -supersport.com###ContentPlaceHolder1_featureShopControl1_shop -cardomain.com###ContentPlaceHolder1_rideForSaleOnEbay -supersport.com###ContentPlaceHolder1_shop1_shopDiv -muchmusic.com###ContestsSide -uinterview.com###CrowdIgnite -amazon.com###DAadrp -ibtimes.com###DHTMLSuite_modalBox_contentDiv -gamesforgirlz.net###DUL-jack -msn.com###Dcolumn -merriam-webster.com###Dictionary-MW_DICT_728_BOT -starcanterbury.co.nz###DivBigBanner -meettheboss.tv###DivCenterSpaceContainer -nzherald.co.nz###DivContentRect -nzherald.co.nz###DivHeadlineRect -hollywood.com###DivSkyscraper -wackyarchives.com###Div_b -wackyarchives.com###Div_s -cdcovers.cc###EBTopBanner -englishclub.com###ECtopLB -javaprogrammingforums.com###EG6209c8f52f7d41a397438a16159bb58e -marthastewart.com###ERA_AD_BLOCK1 -nzherald.co.nz###ExtendedBanner -behance.net###FMGABadge -hothardware.com###FillerLeftLink -hothardware.com###FillerRightLink -blackamericaweb.com,camfuze.com###FooterBanner -liverpoolfc.com###FooterLogos -wlup.com###FooterOpenX -eweek.com###Form1 -formspring.me###Formspringme_Profile_300x250 -stayontheblack.com###GAdvert -financialsurvivalnetwork.com,tsbmag.com###GB_overlay -financialsurvivalnetwork.com,tsbmag.com###GB_window -writersdigest.com###GLinks -gajitz.com###Gajitz-300x250 -humorpix.com###GoogleSidebarRight -infoplease.com###HCads -wikia.com,wowwiki.com###HOME_LEFT_SKYSCRAPER_1 -wikia.com,wowwiki.com###HOME_TOP_LEADERBOARD -theweek.com###HPLeaderbox -myoutsourcedbrain.com###HTML2 -celebnipslipblog.com,countryweekly.com###HeaderBanner -greatschools.org###Header_728x90 -myspace.com###HeroUnitMedRec -dreamteamfc.com###HomeContentMpu -austinchronicle.com###HowAboutWe -mirrorcreator.com###ID1 -collegerecruiter.com###IMU_468x60 -collegerecruiter.com###IMU_468x60_search-results -collegerecruiter.com###IMU_728x90 -patheos.com###I_Artl_970x40_Breaking -patheos.com###I_Blog_300x100_Pos1 -icelandreview.com###ImgArea2 -serverwatch.com###InlineAssetListing -indiaresults.com###Irc_Gra_add -khaleejtimes.com###KTBannerBox -ign.com###LB_Row -globaltv.com###LBigBox -wikia.com,wowwiki.com###LEFT_SKYSCRAPER_1 -wikia.com###LEFT_SKYSCRAPER_2 -yahoo.com###LREC -yahoo.com###LREC-sizer -yahoo.com###LREC2-sizer -stupidvideos.com###LRECContainer -livesoccertv.com###LSTV_ROS_300x250 -livesoccertv.com###LSTV_ROS_468x60 -mb.com.ph###LeaderBoardTop -muchmusic.com###Leaderboard -wistechnology.com###LeaderboardContainer -shmoop.com###Leaderboard_Footer -freeiconsdownload.com###LeftBanner -israelnationalnews.com###LeftInfo -printmag.com,wetcanvas.com###LinkSpace -ustream.tv###LoginBannerWrapper -hotnewhiphop.com###LookoutContent -mail.yahoo.com###MIP4 -medicalnewstoday.com###MNT_600xFlex_Middle -mail.yahoo.com###MNW -autotrader.ie,natgeotv.com###MPU -nick.co.uk###MPU-wrap -moneyexpert.com###MPUBanner -yahoo.com###MREC -entrepreneur.com.ph###MREC01 -entrepreneur.com.ph###MREC02 -monetarywatch.com###MW_1_screen -i4u.com###MainContent > .SidebarBox -uinterview.com###MarketGid2421 -free-torrents.org###MarketGid900 -metacafe.com###MedRect -metacafe.com###MedRect2 -howstuffworks.com###MedRectHome -finance.yahoo.com,news.yahoo.com###MediaFeaturedListEditorial -facebook.com###MessagingNetegoWrapper -mid-day.com###Middaynew_Article_Detail_Page_300x250_ATF-ads -tokeofthetown.com###Middle -nytimes.com###MiddleRight -apcointl.org###Mod124 -thetibetpost.com###Mod277 -thetibetpost.com###Mod296 -theoslotimes.com###Mod346 -kbb.com###Mrec-container -ninemsn.com.au###NH_shoppingTabs -nintendolife.com###NL_LB_1 -nintendolife.com###NL_MPU_1 -nytimes.com###NYTD_DYNAMIC_IFADS -kbb.com###New-spotlights -india.com###NewBanner -walmart.com###OAS_Left1 -vidspot.net###On3Pla1ySpot -rapidvideo.ws###OnPlBan -rapidvideo.ws,turbovideos.net###OnPlayerBanner -allmyvideos.net###OnPlayerClose -pch.com###PCHAdWrap -missoulian.com,thenewstribune.com,theolympian.com###PG_fb -azdailysun.com,azstarnet.com,billingsgazette.com,elkodaily.com,heraldextra.com,metromix.com,missoulian.com,tdn.com,thenewstribune.com,theolympian.com,trib.com###PG_link -joystickdivision.com###Page_Header -clipmarks.com###Panel -gematsu.com###Play_Asia -thefix.com###PopupSignupForm -politicususa.com###PrimaryMid1 -dinodirect.com###ProductShowAD -newser.com###PromoSquare -globaltv.com###RBigBoxContainer -gardenista.com,remodelista.com###REMODELISTA_BTF_CENTER_AD_FRAME -gardenista.com,remodelista.com###REMODELISTA_BTF_RIGHTRAIL-2 -smash247.com###RT1 -readwriteweb.com###RWW_BTF_CENTER_AD -istockanalyst.com###RadWindowWrapper_ctl00_ContentPlaceHolderMain_registration -awazfm.co.uk###Recomends -ebuddy.com###Rectangle -reference.com###Resource_Center -blackamericaweb.com###RightBlockContainer2 -killsometime.com###RightColumnSkyScraperContainer -mail.yahoo.com,skateboardermag.com###SKY -globaltv.com###SPBigBox -globaltv.com###SRBigBoxContainer -msn.com###Sales1 -msn.com###Sales2 -msn.com###Sales3 -msn.com###Sales4 -scamdex.com###ScamdexLeaderboard -medicinenet.com###SearchUnit -polyvore.com###Set_RHS_IABMediumRect -in.msn.com###Shaadi -triblive.com###ShopLocal -whitepages.ae###ShortRectangle_UpdatePanel2 -grapevine.is###Side -mail.aol.com###SidePanel -msnbc.msn.com,nbcnews.com###Sidebar2-sponsored -daringfireball.net###SidebarTheDeck -imcdb.org###SiteLifeSupport -imcdb.org###SiteLifeSupportMissing -thisismoney.co.uk###Sky -austinchronicle.com###Skyscraper -teoma.com###Slink -writersdigest.com###SpLinks -howstuffworks.com###SponLogo -similarsites.com###SponsoredTag -gamebanana.com###SquareBanner -technobuffalo.com###TBATF300 -linuxjournal.com###TB_overlay -linuxjournal.com###TB_window -ninemsn.com.au###THEFIX_promo -wikia.com,wowwiki.com###TOP_LEADERBOARD -ustream.tv###Takeover -newser.com###TodaysMostPopular > div > div[class]:first-child -joystickdivision.com,tokeofthetown.com###Top -blackamericaweb.com,cjnews.com,entertainmentearth.com###TopBanner -gamespy.com###TopMedRec -governing.com###Topbanner -genengnews.com###Topbanner_bar -al.com###Toprail_Leaderboard -gamebanana.com###TowerBanner -austinchronicle.com###TravelZoo -xe.com###UCCInputPage_Slot1 -xe.com###UCCInputPage_Slot2 -xe.com###UCCInputPage_Slot3 -globaltv.com###VideoPlayer-BigBox -moviefone.com###WIAModule -rediff.com###WR1_container -albumjams.com,ecostream.tv###WarningCodec -wikia.com###WikiaTopAds -xojane.com###XOJANE_BTF_CENTER -xojane.com###XOJANE_BTF_RIGHTRAIL -music.yahoo.com###YMusicRegion_T2_R2C2 -music.yahoo.com###YMusicRegion_T3_R2C2_R1 -music.yahoo.com###YMusicRegion_TN1_R2C2_R1 -yahoo.com###YSLUG -zapak.com###ZAPADS_Middle -lmradio.net###\ Banner\ Ad\ -\ 590\ x\ 90 -turboimagehost.com###\ rek -turboimagehost.com###\ rek1 -golf.com###\31 000-104-ros -gearburn.com,memeburn.com###\33 00X250ad -tvembed.eu###\33 00banner -dangerousminds.net###\37 28ad -thegalaxytabforum.com###\5f _fixme -esi-africa.com,miningreview.com###\5f _leaderboard-main -happystreams.net###\5f ad_ -funnyordie.com###\5f ad_div -mail.google.com###\:rr .nH[role="main"] .mq:first-child -mail.google.com###\:rr > .nH > .nH[role="main"] > .aKB -mail.google.com###\:rr > .nH > .nH[role="main"] > .nH > .nH > .AT[style] -mail.google.com###\:rr > .nH > div[role="main"] > .mq:last-child -business.com###_ctl0_RightContentplaceholder_FeaturedListingsUC_featuredListingsBox -ama-assn.org###a -funnyjunk.com###a-bottom -citationmachine.net###a-desktop-bx-1 -citationmachine.net###a-desktop-bx-2 -funnyjunk.com###a-left -funnyjunk.com###a-top -dm5.com###a1 -anchorfree.net###a72890_1 -metblogs.com###a_medrect -ytmnd.com###a_plague_upon_your_house -metblogs.com###a_widesky -accuweather.com###aadTop300 -webgurubb.com###ab_top -nearlygood.com###abf -unblock-proxy-server.com###ablc -jakeludington.com###ablock -jakeludington.com###ablock3 -free-tv-video-online.me###ablocker -federalnewsradio.com###above-header-980 -next-gen.biz###above-header-region -blekko.com###above-results > #number-results + div -macworld.com###aboveFootPromo -healthgrades.com###abovePage -viralthread.com###aboveShare728x90 -myschool.com.ng###above_header_fluid -feministing.com###abovefooter -feministing.com###aboveheader -tvseriesfinale.com###abox -exashare.com###abv1 -reference.com,thesaurus.com###abvFold -praag.org###ac-belowpost -praag.org###ac-top -blocked-website.com###acbox -filefactory.com###acontainer -bitcoca.com###active1 -bitcoca.com###active2 -bitcoca.com###active3 -1050talk.com,4chan.org,altervista.org,amazon.com,aol.com,ap.org,awfuladvertisements.com,batmanstream.com,bitcoinmonitor.com,braingle.com,campusrn.com,chicagonow.com,cocoia.com,cryptoarticles.com,dailydigestnews.com,daisuki.net,devshed.com,djmickbabes.com,drakulastream.eu,earthtechling.com,esquire.com,fantom-xp.com,farmville.com,fivethirtyeight.com,fosswire.com,fullrip.net,g4tv.com,gifts.com,golackawanna.com,google.com,guiminer.org,helpwithwindows.com,hknepaliradio.com,ifunnyplanet.com,ifyoulaughyoulose.com,imageshack.us,infowat.com,instapaper.com,internetradiouk.com,investorschronicle.co.uk,jamaicaradio.net,jamendo.com,jigzone.com,learnhub.com,legendofhallowdega.com,libertychampion.com,linkedin.com,livevss.net,loveshack.org,lshunter.tv,macstories.net,marketingpilgrim.com,mbta.com,milkandcookies.com,miningreview.com,msn.com,msnbc.com,mydallaspost.com,nbcnews.com,neoseeker.com,nepaenergyjournal.com,ninemsn.com.au,nzherald.co.nz,omgili.com,onlineradios.in,phonezoo.com,politicops.com,printitgreen.com,psdispatch.com,psu.com,queensberry-rules.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,radiowebsites.org,rapidshare-downloads.com,religionlo.com,reversegif.com,robotchicken.com,saportareport.com,sciencerecorder.com,shop4freebies.com,slidetoplay.com,socialmarker.com,statecolumn.com,streamhunter.eu,technorati.com,theabingtonjournal.com,theoswatch.com,thetelegraph.com,timesleader.com,torrentbutler.eu,totaljerkface.com,totallycrap.com,trinidadradiostations.net,tutorialized.com,twitch.tv,ultimate-rihanna.com,vetstreet.com,vidsn.com,vladtv.com,wallpapers-diq.com,wefunction.com,wiki-domains.net,womensradio.com,xe.com,yahoo.com,youbeauty.com,ytconv.net,zootool.com###ad -clip.dj,dafont.com,documentary.net,gomapper.com,idahostatejournal.com,investorschronicle.co.uk,megafilmeshd.net,newsinc.com,splitsider.com,theawl.com,thehindu.com,thehindubusinessline.com,timeanddate.com,troyhunt.com,weekendpost.co.zw,wordreference.com###ad1 -btvguide.com,cuteoverload.com,edmunds.com,investorschronicle.co.uk,megafilmeshd.net,miningreview.com,pimpandhost.com,theawl.com,thehairpin.com,troyhunt.com,vshare.io,weekendpost.co.zw,wordreference.com###ad2 -btvguide.com,exchangerates.org.uk,internetradiouk.com,jamaicaradio.net,onlineradios.in,pimpandhost.com,radio.net.bd,radio.net.pk,radio.or.ke,radio.org.ng,radio.org.nz,radio.org.ph,radioonline.co.id,radioonline.my,radioonline.vn,radiosa.org,radioth.net,splitsider.com,theawl.com,thehairpin.com,trinidadradiostations.net,way2sms.com,weekendpost.co.zw,zerocast.tv###ad3 -splitsider.com,theawl.com,thehairpin.com###ad4 -about.com,allexperts.com###adB -joblo.com###adBillboard -fxnetworks.com,isearch.avg.com###adBlock -experts-exchange.com###adComponent -gamemazing.com###adContainer -about.com,paidcontent.org###adL -all-nettools.com,apnadesi-tv.net,britsabroad.com,candlepowerforums.com,droidforums.net,filesharingtalk.com,forum.opencarry.org,gsmindore.com,hongfire.com,justskins.com,kiwibiker.co.nz,lifeinvictoria.com,lotoftalks.com,m-hddl.com,moneymakerdiscussion.com,mpgh.net,nextgenupdate.com,partyvibe.com,perthpoms.com,pomsinadelaide.com,pomsinoz.com,printroot.com,thriveforums.org,watchdesitv.com,watchuseek.com,webmastertalkforums.com,win8heads.com###ad_global_below_navbar -exchangerates.org.uk###ad_hp -im9.eu###adb -tweakguides.com###adbar > br + p[style="text-align: center"] + p[style="text-align: center"] -tweakguides.com###adbar > br + p[style="text-align: center"] + p[style="text-align: center"] + p -phonezoo.com###adbb -pcgamesn.com###adbl_lb -mp3tag.de###adblock-download -nowsci.com###adblocker -bizjournals.com###adc2 -rapid-search-engine.com###adcid1 -fotochatter.com###adcon -tubeplus.me###add -neurosoftware.ro###addDiv -atlanticfarmfocus.ca###add_bottom -imageshack.us###add_frame -canadianfamily.ca###add_left -canadianfamily.ca###add_right -chipchick.com###add_space577 -washingtonjewishweek.com###addclose -veryicon.com###addd -barbavid.com###additional_plugins_bar -way2sms.com###addiv -joymag.co.za###addlink -torrent-finder.info###addon_info -computerworld.com###addresources -computerworld.com###addresources_module -kenrockwell.com,mocospace.com,telegraph.co.uk###adds -tortoisesvn.net###adgroup -shivtr.com###admanager -girlsgames.biz###admd -mp3skull.com###adr_banner -mp3skull.com###adr_banner_2 -909lifefm.com,anichart.net,audioreview.com,boldsky.com,carlow-nationalist.ie,cayrock.ky,chelseanews.com,daemon-tools.cc,disconnect.me,dreadcentral.com,duckduckgo.com,eveningecho.ie,financenews.co.uk,footballfancast.com,full-stream.me,g.doubleclick.net,gearculture.com,genevalunch.com,goodreturns.in,hdcast.tv,healthboards.com,hiphopisdream.com,hot1041.ky,inspirationti.me,isearch-for.com,kildare-nationalist.ie,kiss.ky,laois-nationalist.ie,lorempixel.com,lshstream.com,lshstreams.com,lyricstime.com,mobilerevamp.org,mtbr.com,nylonguysmag.com,photographyreview.com,placehold.it,playr.org,privack.com,quiz4fun.com,quote.com,roscommonherald.ie,skyuser.co.uk,talk1300.com,theindustry.cc,toorgle.net,triblive.com,tvope.com,urbandictionary.com,washingtonmonthly.com,waterford-news.ie,wccftech.com,westernpeople.com,wexfordecho.ie,x1071.ky###ads -chia-anime.com###ads8 -privack.com###adsb -uploaded.net###adshare-videoad -boingboing.net###adskin -videos.com###adsl -smh.com.au###adspot-300x600\,300x250-pos-1 -videos.com###adst -fitnessmagazine.com###adtag -ninemsn.com.au###adtile -conservativepost.com###adtl -beemp3s.org,mnn.com,streamtuner.me###adv -novamov.com,tinyvid.net###adv1 -cad-comic.com###advBlock -forexminute.com###advBlokck -teleservices.mu###adv_\'146\' -arsenal.com,farmersvilletimes.com,horoscope.com,ishared.eu,murphymonitor.com,princetonherald.com,runescape.com,sachsenews.com,shared2.me,wylienews.com###advert -uploaded.to###advertMN -architectsjournal.co.uk,bt.com,chron.com,climateprogress.org,computingondemand.com,everydaydish.tv,fisher-price.com,funnygames.co.uk,games.on.net,givemefootball.com,intoday.in,iwin.com,msn.com,mysanantonio.com,myspace.com,nickjr.com,nytsyn.com,opry.com,peoplepets.com,psu.com,radiozdk.com,sonypictures.com,thatsfit.com,truelocal.com.au,unshorten.it,variety.com,washingtonian.com,yippy.com###advertisement -typepad.com###advertisements -miamisunpost.com###advertisers -bom.gov.au,develop-online.net,geeky-gadgets.com,govolsxtra.com,hwbot.org,motortorque.com,pcr-online.biz,profy.com,webshots.com###advertising -1cookinggames.com,intowindows.com,irishhealth.com,playkissing.com,snewscms.com,yokogames.com###advertisment -kickoff.com###advertisng -gamblinginsider.com###advertorial-header -share-links.biz###advice -sofeminine.co.uk###af_lmbcol_sep -katzforums.com###aff -zap2it.com###aff_rightbar -nigeriafootball.com###affiliate-bottom -gtopala.com###affiliate-index-300x250 -carmall.com###affiliates -indycar.com###affiliatesDiv -ovguide.com###affiliates_outter -awkwardfamilyphotos.com###afpadq-leaderboard -awkwardfamilyphotos.com###afpadq-sidebar1 -awkwardfamilyphotos.com###afpadq-sidebar2 -search.rr.com###afsBot -search.rr.com###afsTop -investorplace.com###after-post-banner -allgames.com###ag_AdBannerTop -aol.com###ai300x250 -ajchomefinder.com###ajc-homefinder-leaderboard -unknown-horizons.org###akct -news.com.au###alert-strap -luckyacepoker.com###alertpop -release-ddl.com###alexa -search.mywebsearch.com###algo + div[id] -search.mywebsearch.com###algo + div[id] + div[id] -blisstree.com,mommyish.com,teen.com,thegloss.com,thegrindstone.com###alloy-300x250-tile2 -teen.com###alloy-300x250-tile3 -gurl.com,teen.com###alloy-728x90-tile1 -gurl.com,teen.com###alloy-728x90-tile4 -ohjoy.blogs.com###alpha -ohjoy.blogs.com###alpha-inner -alluc.ee###altdl2 -alternet.org###altsocial_splash -sportsgrid.com,thejanedough.com###am-ngg-ss-unit-label -3dtin.com,juicefm.com,ovguide.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,thewave.co.uk,wave965.com,wbgo.org,wbur.org,wirefm.com,wishfm.net###amazon -imdb.com###amazon-affiliates -pri.org###amazonBox180 -streamguys.com###amazonButton -pcadvisor.co.uk###amazonPriceListContainer -gamenguide.com,itechpost.com,parentherald.com###amazon_related_products -imfdb.org###amazoncontent -zap2it.com###amc-twt-module -realbeauty.com###ams_728_90 -publicradio.org###amzContainer -aim.org###amznCharityBanner -visitsundsvall.se###annons-panel -ex.ua###announce -hardocp.com###announcements -peliculas-flv.com###anuncio -dailymirror.lk###apDiv2 > .main > div[style="margin:5px 0 0px 0;"] -topix.com###apartments_block -publicradio.org###apm_sponsor -cultofmac.com###apptapArticleBottom -bizjournals.com###arcbc1 -archlinux.org###arch-sponsors -boingboing.net###ards -philly.com###area-main-center-road-block -capitalnewyork.com###around-the-web -moneynews.com###artPgScnShrWrapper -independent.co.uk###article > .box -newsweek.com###article--sponsored -riverbender.com###article-banner -ighome.com###article-modal + div[style="margin:0 25px;"] > .gadget-box[width="100%"]:first-child:last-child -eveningtimes.co.uk###article-mpu -wtkr.com###article-promo -adotas.com,radiotimes.com###article-sponsor -accountingtoday.com,themiddlemarket.com###article_bigbox -computerworld.com.au###article_whitepapers -gethampshire.co.uk###articleright -findmysoft.com###as_336 -vortez.net###aseadnetv2 -flyordie.com###asf -ktar.com###askadv -autoblog.com###asl_bot -autoblog.com###asl_top -pv-tech.org###associations-wrapper -forwardprogressives.com###aswift_1_expand -forwardprogressives.com###aswift_2_expand -forwardprogressives.com###aswift_3_expand -newsblaze.com###atf160x600 -bustedcoverage.com###atf728x90 -ecoustics.com###atf_right_300x250 -collegecandy.com,gamepedia.com###atflb -coed.com,collegecandy.com###atfmrec -hackthissite.org###atimg -webmd.com###attribution_rdr -eurogamer.net###auto-amazon-link -topgear.com###autotrader-section -pogo.com###avertising -anchorfree.us###b160x600 -digitalartsonline.co.uk###b2cPlaceHolder -anchorfree.us###b300x250 -siliconera.com###b5leaderboard -highstakesdb.com###bLeft -highstakesdb.com###bRight -highstakesdb.com###bSpecificL -highstakesdb.com###bSpecificR -blinkbox.com###b_ad_zc -blinkbox.com###b_ee_de -blinkbox.com###b_jd_id -huhmagazine.co.uk###back -mmoculture.com###background-link -wallpapersmania.com###backgroundPopup -movie2k.tl,show-links.tv,watchfreemovies.ch###ball -soccerbase.com###ball_splash_holder -doctor.com###banR -intelligencer.ca,siteseer.ca,thepeterboroughexaminer.com,thesudburystar.com###banZone -gobackpacking.com###ban_300 -neopets.com###ban_bottom -virtualnights.com###banderolead -ftadviser.com###banlb -iloubnan.info###bann -goldentalk.com###bann2 -absoluteradio.co.uk,adv.li,allmyfaves.com,arsenal.com,belfastmediagroup.com,blahblahblahscience.com,brandrepublic.com,businessspectator.com.au,christianpost.com,comicsalliance.com,cool-wallpaper.us,cumbrialive.co.uk,dealmac.com,dealsonwheels.co.nz,delcotimes.com,djmag.co.uk,djmag.com,dosgamesarchive.com,empowernetwork.com,farmtrader.co.nz,guardian.co.tt,guidespot.com,healthcentral.com,icq.com,imgmaster.net,in-cumbria.com,indianexpress.com,insideradio.com,irishcentral.com,isrtv.com,keygen-fm.ru,lemondrop.com,lotro-lore.com,mediaite.com,morningjournal.com,movies.yahoo.com,moviesfoundonline.com,mypremium.tv,neave.com,news-herald.com,newstonight.co.za,nhregister.com,northernvirginiamag.com,nzmusicmonth.co.nz,ocia.net,pbs.org,pgpartner.com,popeater.com,poughkeepsiejournal.com,proxy-list.org,ps3-hacks.com,registercitizen.com,roughlydrafted.com,sail-world.com,saratogian.com,screenwallpapers.org,securityweek.com,sfx.co.uk,shortlist.com,similarsites.com,soccerway.com,sportinglife.com,starwarsunderworld.com,stopstream.com,style.com,theoaklandpress.com,thesmokinggun.com,theweek.com,tictacti.com,topsite.com,tortoisehg.bitbucket.org,twistedsifter.com,urlesque.com,vidmax.com,viewdocsonline.com,vps-trading.info,wellsphere.com,wn.com,wsof.com,zootoday.com###banner -segmentnext.com###banner-1 -techfrag.com###banner-2 -techfrag.com###banner-3 -kiz10.com###banner-728-15 -wftlsports.com###banner-Botleft -wftlsports.com###banner-Botright -drivers.com###banner-bg-scanner -imgbox.com,onrpg.com,plasticsnews.com,vladtv.com###banner-bottom -worldweb.com###banner-column -intouchweekly.com###banner-cross -kiz10.com###banner-down-video -film.fm###banner-footer -mob.org###banner-h400 -jacarandafm.com###banner-holder -gardentenders.com,homerefurbers.com,sportfishingbc.com###banner-leaderboard -kiz10.com###banner-left -elle.com,forums.crackberry.com###banner-main -cstv.com###banner-promo -enjore.com###banner-q-container -kiz10.com,motherboard.tv###banner-right -general-fil.es,generalfil.es###banner-search-bottom -general-fil.es###banner-search-top -torrentpond.com###banner-section -gocdkeys.com###banner-sidebar -irishtimes.com###banner-spacer -blocked-website.com,cjonline.com,wftlsports.com###banner-top -vladtv.com###banner-top-video -mob.org###banner-w790 -georgiadogs.com,goarmysports.com,slashdot.org###banner-wrap -4teachers.org,dailyvoice.com,highwayradio.com###banner-wrapper -siliconrepublic.com###banner-zone-k -businessandleadership.com,siliconrepublic.com###banner-zone-k-dfp -globaltimes.cn###banner05 -chinatechnews.com,cookinggames.com,emailjokes.co.za,guardianonline.co.nz,kdoctv.net,killerstartups.com,metroweekly.com,tennisworldusa.org,vk.com###banner1 -thegremlin.co.za###banner125 -dooyoo.co.uk,guardianonline.co.nz,kdoctv.net,tennisworldusa.org,vk.com###banner2 -pricespy.co.nz###banner250 -actiontrip.com,christianpost.com,gamesfree.com,pcmech.com###banner300 -977music.com###banner350 -securenetsystems.net###bannerB -opensourcecms.com###bannerBar -ieee.org###bannerBot -scientificamerican.com###bannerContain -canoe.ca,slacker.com###bannerContainer -jumptv.com###bannerContainer_hp_bottom -jumptv.com###bannerContainer_hp_top -securenetsystems.net###bannerD -get.adobe.com###bannerDisplay -viz.com###bannerDiv -androidzoom.com###bannerDown -atomicgamer.com,telefragged.com###bannerFeatures -gatewaynews.co.za,ilm.com.pk,ynaija.com###bannerHead -showbusinessweekly.com###bannerHeader -kumu.com###bannerImageName -atdhe.fm,atdhe.so,atdhe.xxx,drakulastream.tv,firstrowi.eu,firstrows.org,hahasport.top,streams.tv###bannerInCenter -securenetsystems.net###bannerL -securenetsystems.net###bannerM -zam.com###bannerMain -pocketgamer.co.uk###bannerRight -metric-conversions.org###bannerSpace -reuters.com###bannerStrip -atomicgamer.com,codecs.com,free-codecs.com,ieee.org,ninemsn.com.au,reference.com###bannerTop -sky.com###bannerTopBar -search.snap.do###bannerWrapper -khl.com###banner_1 -yellow.co.nz###banner_120_120 -khl.com###banner_2 -king-mag.com###banner_468 -thelivetvjunction.com###banner_728_base -today.az###banner_750x90 -yellow.co.nz###banner_760_120 -nuffy.net###banner_bg -977music.com,nighttours.com###banner_bottom -bubblebox.com,nitrome.com###banner_box -mixfmradio.com###banner_center_728 -mixfmradio.com###banner_center_728_in -tvnz.co.nz###banner_companion -epicurious.com,incgamers.com###banner_container -nitrome.com###banner_description -aol.com###banner_div -railwaysafrica.com###banner_footer -mynewssplash.com###banner_google -fulldls.com###banner_h -3g.co.uk,freshnewgames.com###banner_header -mudah.my###banner_holder -yourstory.com###banner_inside_article -versus.com###banner_instream_300x250 -krzk.com###banner_left -bahamaslocal.com###banner_location_sub -baltic-course.com###banner_master_top -veehd.com###banner_over_vid -worldradio.ch###banner_placement_bottom -worldradio.ch###banner_placement_right -worldradio.ch###banner_placement_top -ebuddy.com###banner_rectangle -krzk.com###banner_right -elyricsworld.com###banner_rr2 -nitrome.com###banner_shadow -fulldls.com###banner_sq -1001tracklists.com,bizrate.com,designboom.com,humorsharing.com,kyivpost.com,linguee.com,thesuburban.com###banner_top -eastonline.eu###banner_up -fulldls.com,fulldlsproxy.com###banner_v1 -appstorm.net,workawesome.com###banner_wrap -empiremovies.com,snapfiles.com###bannerbar -baltic-course.com,superpages.com###bannerbottom -urlcash.net,urlcash.org,whitepages.com.lb###bannerbox -bdnews24.com###bannerdiv2 -fancystreems.com,zonytvcom.info###bannerfloat2 -streams.coolsport.tv###bannerfloat22 -zawya.com###bannerframezone10325 -zawya.com###bannerframezone4 -zawya.com###bannerframezone7 -tcmagazine.com,tcmagazine.info###bannerfulltext -chipchick.com###bannerheader -baltic-course.com,irishtv.ie###bannerleft -spellchecker.net###bannerplace -freegirlgames.org###bannerplay -virusbtn.com###bannerpool -driverdb.com,european-rubber-journal.com,mobile-phones-uk.org.uk,offtopic.com,toledofreepress.com###banners -bergfiles.com,berglib.com###banners-24 -wrmj.com###banners-top -eluniversal.com,phuketwan.com###bannersTop -krzk.com###banners_bottom -adsl2exchanges.com.au###bannerside -africageographic.com###bannersl -insideedition.com###bannerspace-expandable -fitnessmagazine.com###bannertable -baltic-course.com,newzglobe.com,webfail.com###bannertop -ocregister.com###bannertop2 -bhg.com,parents.com###bannerwrapper -searchquotes.com###bannerx -bernama.com###bannerz -h-online.com###bannerzone -momversation.com###barker -online.barrons.com###barronsUber -phonebook.com.pk###basebannercontainer -moviecomix.com###bass -silverseek.com###bat-region -digitalhome.ca,inquirer.net###bb -egreetings.com###bb-billboard -blackbookmag.com###bb-overlay -blackbookmag.com###bb-splash -egreetings.com###bb-title -akihabaranews.com###bbTop -nzherald.co.nz###bbWrapper -polodomains.com###bbannertop -bbc.com###bbccom_bottom[style="width:468px; text-align:right;"] -incredibox.com###bbox -bustedcoverage.com###bcbtflb -bettingsports.com###before_footer -mindjolt.com###below-banner -mindjolt.com###below-banner-game -stopthedrugwar.org###below-masthead -rantsports.com###below-post -viralthread.com###belowShare728x90 -radaronline.com###below_header -tgdaily.com###bestcovery_container -dailygalaxy.com###beta-inner -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se###betald-widget -nigeriafootball.com###bettingCompetition -atđhe.net###between_links -searchenginejournal.com###bg-atag -searchenginejournal.com###bg-takeover-unit -frostytech.com###bg_googlebanner_160x600LH -oboom.com###bgfadewnd1 -973fm.com.au,buzzintown.com,farmingshow.com,isportconnect.com,mix1011.com.au,mix1065.com.au,newstalkzb.co.nz,radiosport.co.nz,rlslog.net,runt-of-the-web.com,sharkscope.com###bglink -runnerspace.com###bgtakeover -forbes.com###bigBannerDiv -spacecast.com,treehousetv.com###bigBox -canoe.ca,winnipegfreepress.com,worldweb.com###bigbox -about.com,cityam.com,cumberlandnews.co.uk,cumbrialive.co.uk,eladvertiser.co.uk,hexhamcourant.co.uk,in-cumbria.com,mg.co.za,mgafrica.com,newsandstar.co.uk,nwemail.co.uk,timesandstar.co.uk,whitehavennews.co.uk###billboard -about.com###billboard2 -theblaze.com###billboard_970x250 -tech-faq.com,techspot.com###billboard_placeholder -joe.ie###billboard_wrapper -yp.com.kh###billboards -ohio.com###bim-mortgage-container -thedailybeast.com###bing-module -broadcastingcable.com###biz-main -valdostadailytimes.com###biz_marquee -slate.com###bizbox_links_bottom -play4movie.com###bkg_adv -gamesforgirlsclub.com###bl-37 -stupidvideos.com###black_sky_header -devshed.com,eweek.com###blackscreen -backlinkwatch.com,portforward.com###blanket -blueletterbible.org###blbSponsors -uploadc.com###blinkMe -whatculture.com###blinkbox -kioskea.net###bloc_middle -1027dabomb.net###block-10 -alt1059.com,theticketmiami.com###block-11 -alt1059.com###block-22 -theticketmiami.com###block-65 -uproxx.com###block-728 -filmschoolrejects.com###block-banners-top -hilarious-pictures.com,winbeta.org###block-block-1 -pcdecrapifier.com###block-block-10 -newsbusters.org,slideme.org###block-block-11 -hilarious-pictures.com,nbr.co.nz###block-block-12 -globalgrind.com###block-block-13 -gotchamovies.com###block-block-14 -abduzeedo.com,driveout.co.za,emaxhealth.com,eturbonews.com,eugeneweekly.com,lasvegascitylife.com,mixtapetorrent.com###block-block-18 -dailypaul.com,virus.gr###block-block-19 -opposingviews.com###block-block-199 -abduzeedo.com###block-block-2 -cnsnews.com,prospect.org,webosnation.com###block-block-21 -7tutorials.com,carnalnation.com,rslinks.org###block-block-22 -7tutorials.com,multiplication.com,thestandard.com,voxy.co.nz###block-block-24 -we.com.na###block-block-26 -motherjones.com###block-block-27 -france24.com###block-block-275 -cosmicbooknews.com###block-block-29 -motherjones.com###block-block-301 -slideme.org###block-block-31 -greenbiz.com,latina.com,newsbusters.org###block-block-33 -voxy.co.nz###block-block-34 -mixtapetorrent.com,namibiansun.com###block-block-36 -dailypaul.com,latina.com###block-block-37 -bitchmagazine.org,ovg.tv###block-block-38 -latina.com###block-block-39 -educationworld.com,greenbiz.com,sonymasterworks.com###block-block-4 -latina.com,rslinks.org###block-block-40 -eturbonews.com,shape.com###block-block-42 -drivesouth.co.nz,motherjones.com###block-block-46 -carnalnation.com###block-block-5 -abduzeedo.com,freesoftwaremagazine.com,zerohedge.com###block-block-51 -adsoftheworld.com###block-block-52 -popsci.com###block-block-53 -namibiansun.com,newsx.com###block-block-58 -igbaffiliate.com,nationalenquirer.com###block-block-6 -maximumpc.com###block-block-60 -maximumpc.com###block-block-61 -popsci.com###block-block-63 -brownfieldbriefing.com,educationworld.com,minnpost.com,nationalenquirer.com###block-block-7 -greenbiz.com###block-block-72 -popsci.com###block-block-75 -hilarious-pictures.com###block-block-8 -tricycle.com###block-block-82 -maximumpc.com###block-block-89 -maximumpc.com###block-block-96 -itpro.co.uk###block-boxes-convertr-box -capitalnewyork.com###block-cap_blocks-leaderboard -crooksandliars.com###block-clam-1 -crooksandliars.com###block-clam-3 -crooksandliars.com###block-clam-7 -phonedog.com###block-common-core-voip-business -phonedog.com###block-common-core-voip-residential -todayonline.com###block-dart-dart-tag-all-pages-header -popphoto.com###block-dart-dart-tag-bottom -todayonline.com###block-dart-dart-tag-dart-homepage-728x90 -popphoto.com###block-dart-dart-tag-top1 -medicaldaily.com###block-dfp-bottom -ncronline.org###block-dfp-content-1 -ncronline.org###block-dfp-content-2 -ncronline.org###block-dfp-content-3 -ncronline.org###block-dfp-content-4 -ncronline.org###block-dfp-home-1 -ncronline.org###block-dfp-home-2 -ncronline.org###block-dfp-home-3 -out.com###block-dfp-slideshow-right-rail-promo -knowyourmobile.com###block-dialaphone-dialaphone -examiner.com###block-ex_dart-ex_dart_adblade_topic -4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec -4hi.com.au,4vl.com.au,hotcountry.com.au###block-exponential-exponential-mrec2 -infoworld.com###block-infoworld-sponsored_links -gamepur.com###block-inject-1 -windowscentral.com###block-mbn-offers-mbn-offers -14850.com###block-ofefo-5 -14850.com###block-ofefo-7 -14850.com###block-ofefo-8 -itpro.co.uk###block-onscroll-onscroll -topgear.com###block-outbrain-integration-outbrain-integration-external -ecnmag.com###block-panels-mini-dart-stamp-ads -fourfourtwo.com###block-retsol-retsol -yourtango.com###block-tango-10 -yourtango.com###block-tango-9 -topgear.com###block-tg-cars-tg-cars-webuyanycar -ucas.com###block-ucas-ads-header-ad -homesandantiques.com###block-views-Promotions-block_1 -asiaone.com###block-views-aone2015-qoo10-box-q0010-home -minnpost.com###block-views-hp_sponsors-block_1 -wisebread.com###block-views-nodequeue_14-block -straitstimes.com###block-views-qoo10-block-1 -4hi.com.au,4vl.com.au,hotcountry.com.au###block-views-sponsored-links-block -wbez.org###block-wbez-blocks-wbez-ad-bottom -wbez.org###block-wbez-blocks-wbez-ad-top -wpdaddy.com###block1 -arsenalnewsreview.co.uk###block_3 -blackhatteam.com###block_html_6 -ownedcore.com###block_html_9 -tubeplus.me###blocker -kveller.com###blogTopWide -zdnet.com###blog_spbg -scotusblog.com###bloomberg_sponsor -kokomoperspective.com###blox-leaderboard-user -siouxcityjournal.com###blox-news-alerts-sponsor -itreviews.co.uk###bmmBox -windowsnetworking.com###bmp-article-script -cloudcomputingadmin.com,insideaws.com,isaserver.org,msexchange.org,virtualizationadmin.com,windowsecurity.com,windowsnetworking.com###bmp-side-script -ncr1037.co.za###bnftr -kprpam650.com###bnftr-none -peliculas-flv.com###bnnr300x250 -dnsrsearch.com###bnr -reference.com,thesaurus.com###bnrTop -smbc-comics.com###boardleader -ign.com###boards_medrec_relative -joox.net###body-sidebar -dailymotion.com###body_clicker -citizensvoice.com###bodytop -livescore.in###bonus-offers -computerworld.com###bonus_resource_center -carolinajournal.com###book-abs -priceonomics.com###book-island -linuxtopia.org,techotopia.com###bookcover_sky -eurogamer.net###boom-box -libraryjournal.com###boomBox -local.co.uk###borderTab -snapfiles.com###borderbar -reference.com###bot -mp3lyrics.org###bota -trutv.com###botleadad -phonescoop.com###botlink -forums.vr-zone.com,hplusmagazine.com,j.gs,q.gs,u.bb,usniff.com###bottom -jillianmichaels.com###bottom-300 -dancehallreggae.com,investorplace.com,kiz10.com,lyrics19.com,radionomy.com###bottom-banner -vidstatsx.com###bottom-bar -news.cnet.com###bottom-leader -ohio.com###bottom-leader-position -audioreview.com,fayobserver.com,g4chan.com,icanhasinternets.com,legacy.com,thenextweb.com,topcultured.com###bottom-leaderboard -startupnation.com###bottom-leaderboard-01 -reverso.net###bottom-mega-rca-box -canstar.com.au###bottom-mrec -templatemonster.com###bottom-partner-banners -techhive.com###bottom-promo -onhax.me###bottom-promo-dload -thebestdesigns.com###bottom-sponsors -timesofisrael.com###bottom-spotlight -cartoonnetwork.co.nz,cartoonnetwork.com.au,quotesdaddy.com###bottomBanner -rachaelraymag.com###bottomBannerContainer -wtmx.com###bottomBanners -dailyglow.com###bottomContainer -steamanalyst.com###bottomDiv -chacha.com###bottomHeaderBannerWrap -startribune.com###bottomLeaderboard -tnt.tv###bottomLeftBox -tnt.tv###bottomMiddleBox -teoma.com###bottomPaidList -webdesignledger.com###bottomPremiumBanner -scientificamerican.com###bottomPromoArea -tnt.tv###bottomRightBox -search.globososo.com###bottom_adv -ifc.com,nerej.com,nyrej.com,phonearena.com,securityweek.com###bottom_banner -funkypotato.com###bottom_banner_wrapper -toledofreepress.com###bottom_banners -avaxsearch.com###bottom_block -picfont.com###bottom_block1 -inquirer.net###bottom_container -pressrepublican.com###bottom_leader -jamaicaobserver.com###bottom_leaderboard -independent.co.uk###bottom_link -search.chatzum.com###bottom_links -fotolog.com###bottom_pub -popoholic.com###bottom_row -kingdomfm.co.uk###bottom_section -forexnewsnow.com,metropolis.co.jp,tremolo.edgesuite.net###bottombanner -at40.com###bottomleader -ktu.com,z100.com###bottomright2 -ocaholic.ch###bottomslider -breaknenter.org,exposay.com###box -flashscore.com,livescore.in###box-over-content-a -oilprice.com###box-premium-articles-sponsor -chud.com###box.ad -kewlshare.com###box1 -kewlshare.com###box3 -dillons.com,kroger.com###box3-subPage -tnt.tv###box300x250 -dcn.ae,dmi.ae###boxBanner300x250 -yahoo.com###boxLREC -yourupload.com###box_0 -planetminecraft.com###box_160btf -planetminecraft.com###box_300atf -planetminecraft.com###box_300btf -planetminecraft.com###box_728atf -propertyfinder.ae###box_left_top_300x250 -laliga.es###box_patrocinador_1 -maxim.com###box_takeover_content -maxim.com###box_takeover_mask -gizmochina.com###boxed_widget-12 -gizmochina.com###boxed_widget-2 -gizmochina.com###boxed_widget-3 -gizmochina.com###boxed_widget-4 -gizmochina.com###boxed_widget-7 -gizmochina.com###boxed_widget-8 -collive.com,ecnmag.com###boxes -thevideo.me###boxly-container -activistpost.com###boxzilla-overlay -hltv.org###boz9 -britannica.com###bps-gist-mbox-container -brainyquote.com###bq_top_ad -arnnet.com.au,cio.com.au,computerworld.co.nz,computerworld.com.au,cso.com.au,idg.com.au###brand-post-in-article-promo -turbobit.net###branding-link -wandtv.com###brandingfeature -believe-or-not.blogspot.com###breadcrumb -break.com###breaking-news -news-journalonline.com###breaking-sponsor -web2.0calc.com###britnexbanner -bit-tech.net###broadband-finder-co-uk-120 -pcadvisor.co.uk###broadbandchoices_frm -wallstcheatsheet.com###broker-box -thestreet.com###brokerage -psdgraphics.com###bsa-top -findicons.com###bsa_leaderboard -winrumors.com###bsap_1263017 -techsplurge.com###bsats -xtragfx.com###bsponsor -cineuropa.org###bt -opensubtitles.org###bt-dwl -indiaresults.com###bt_banner1 -canoe.ca###btePartena -imdb.com###btf_rhs2_wrapper -ecoustics.com###btf_right_300x250 -gamepedia.com###btflb -coed.com,collegecandy.com###btfmrec -collegecandy.com###btfss -overdrive.in###btm_banner1 -inquirer.net###btmskyscraper -alternet.org,rawstory.com###btn_id -theedge.co.nz###bugjuice -profitguide.com###builder-277 -torontosun.com###buttonRow -muchmusic.com###button[style="position:absolute; top:130px; right:8px;"] -alloaadvertiser.com,ardrossanherald.com,barrheadnews.com,bordertelegraph.com,bracknellnews.co.uk,carrickherald.com,centralfifetimes.com,clydebankpost.co.uk,cumnockchronicle.com,dumbartonreporter.co.uk,eastlothiancourier.com,greenocktelegraph.co.uk,helensburghadvertiser.co.uk,irvinetimes.com,largsandmillportnews.com,localberkshire.co.uk,newburyandthatchamchronicle.co.uk,peeblesshirenews.com,readingchronicle.co.uk,sloughobserver.co.uk,strathallantimes.co.uk,the-gazette.co.uk,thevillager.co.uk,troontimes.com,windsorobserver.co.uk###buttons -winrumors.com###buttons-125 -sloughobserver.co.uk###buttons-mpu-box -accuradio.com###buyAlbum -news24.com###buybook_box -informationweek.com###buylink -searchenginejournal.com###buysell -buzznet.com###buzz_feedheading -news24.com###bw-wrapper -help.com###bwp -torrentcrazy.com###c2s -torrent.cd###c2soffer -channel4.com###c4ad-Top -counselheal.com,gamenguide.com,latinospost.com,mobilenapps.com,sportsworldreport.com###cTop -divinecaroline.com###c_6ad_250h -oddee.com###c_a_taboola -miningmx.com###c_leaderBoard -nhl.com###c_mrm3 -iafrica.com###c_row1_bannerHolder -batman-on-film.com,pettube.com,popoholic.com,yurock.net###ca -ciao.co.uk###ca_sponslinks -discovermagazine.com###cachee -nickutopia.com###cad300 -zynga.com###cafe_snapi_zbar -popsugar.com###calendar_widget -youthincmag.com###campaign-1 -preloved.co.uk###campaign-header -care2.com###care2_footer_ads -pcworld.idg.com.au###careerone-promo -screenafrica.com###carousel -sisters-magazine.com###carousel2 -france24.com,rfi.fr###caroussel_partenaires -abjusa.com,internationalresourcejournal.com###casale -solomontimes.com###casino_banner -ninemsn.com.au###cat_hl_171287 -finance.ninemsn.com.au###cat_hl_7821719 -msn.co.nz###cat_hl_87409 -filecore.co.nz,hbwm.com###catfish -justinhartman.com###catlinks -fresnobee.com###cb-topjobs -bnd.com###cb_widget -cbc.ca###cbc-bottom-logo -xtshare.com###cblocker -aviationweek.com,grist.org,imgmega.com,linuxinsider.com,neg0.ca###cboxOverlay -cbsnews.com###cbsiAd16_100 -cbssports.com###cbsiad16_100 -cbssports.com###cbsiad18_100 -cricbuzz.com###cbz-leaderboard-banner -break.com###cdpSliver -metrolyrics.com###cee_box -metrolyrics.com###cee_overlay -mp3fusion.net###center2 -theatermania.com###centerChannel -meettheboss.tv###centerSpacingWrapper -checkoutmyink.com###centerbanner -reference.com###centerbanner_game -rislivetv.com,watchtelevision.eu###centeredcontent -rislivetv.com###centeredcontent2 -macdailynews.com###cfsnip-widget-93 -roomzaar.com###cgp-bb-tag -marketingpilgrim.com###channel-sponsors -realage.com###channel_sponsor_callout -chicagoshopping.com###chshhead_ad -espncricinfo.com###ciHomeLeaderboard -cineplex.com###cineplex-h-topAds -popularmechanics.com###circ -popularmechanics.com###circ300x100 -popularmechanics.com###circ300x200 -popularmechanics.com,seventeen.com###circ300x300 -popularmechanics.com###circ620x100 -esquire.com###circ_620x200 -irishracing.com###classifieds -news-gazette.com###clear-footer -armorgames.com###click_left_skin -armorgames.com###click_right_skin -genuineforextrading.com###clickbank -thevideo.me###closeA -pitchero.com###clubSponsor -instyle.com###cmfooter -inkedmag.com###cmnCompanion -saudigazette.com.sa###cmt_spcr -cnn.com###cnnLawyersCom -concierge.com###cnt_sub_unitdir -technabob.com###col1_160 -comingsoon.net###col2TopPub -mmorpg.com###colFive -weather24.com###col_top_fb -stv.tv###collapsedBanner -aviationweek.com,grist.org,imgmega.com,linuxinsider.com,neg0.ca,tv3.co.nz###colorbox -zam.com###column-box:first-child -wikigta.org###column-google -smashingmagazine.com###commentsponsortarget -nettleden.com###commercial -videobash.com###companion -healthguru.com###companionBanner -oxygen.com,usanetwork.com###companion_300x250 -elleuk.com###component-elle-marketing -gotohoroscope.com###con300_250 -cpuid.com###console_log -share-online.biz###consumer_bottom -share-online.biz###consumer_bottom_dl -share-online.biz###consumer_top -map24.com###cont_m24up -memez.com###containTopBox -treamin.to,tvshow7.eu###container > div > div[style^="z-index: "] -ebuddy.com###container-banner -pons.com###container-superbanner -jacksonville.com###containerDeal -bustocoach.com###contenitore_3_banner -sedoparking.com###content -info.com###content + .P4 -pitgrit.com###content > #single-content > .clear + div -mobilelikez.com###content > .home-center + span + [class] > * -toptenz.net###content > .post + div -toptenz.net###content > div > div[class]:last-child -pitgrit.com###content > div#single-content span > [class]:first-child -4fuckr.com###content > div[align="center"] > b[style="font-size: 15px;"] -emillionforum.com###content > div[onclick^="MyAdvertisements"]:first-child -autorrents.com###content > h2 + a[href^="#"] + br + br + .table2 > tbody -limetorrents.cc###content > h2 + a[href^="/searchrss/"] + br + br + .table2 > tbody -autotrader.co.nz,kiz10.com###content-banner -lifewithcats.tv###content-bottom-empty-space -zdnet.com###content-bottom-leaderboard -zdnet.com###content-bottom-mpu -picocool.com###content-col-3 -snow.co.nz###content-footer-wrap -prospect.org###content-header-sidebar -darkhorizons.com###content-island -zdnet.com###content-middle-mpu -zdnet.com###content-recommendation -ifc.com###content-right-b -amatuks.co.za###content-sponsors -craveonline.com,ego4u.com,washingtonexaminer.com,web.id###content-top -lifewithcats.tv###content-top-empty-space -zdnet.com###content-top-leaderboard -zdnet.com###content-top-mpu -dailysurge.com###content-wrapper > #home-main > span > div + * -sevenload.com###contentAadContainer -jellymuffin.com###contentAfter-i -jellymuffin.cvwvortex.com,vwvortex.com###contentBanner -jellymuffin.com###contentBefore-i -fileshut.com###content_banner -androidpolice.com###content_blob -operanews.com###content_bottom_lower -sythe.org###content_bottom_sa -theslap.com###content_callout_container -northeastshooters.com###content_container + #sidebar_container[style="width: 126px; display: block;"] -gosanangelo.com,kitsapsun.com,knoxnews.com###content_match -caller.com,commercialappeal.com,courierpress.com,gosanangelo.com,independentmail.com,kitsapsun.com,knoxnews.com,legacy.com,naplesnews.com,redding.com,reporternews.com,tcpalm.com,timesrecordnews.com,vcstar.com###content_match_wrapper -poponthepop.com###content_rectangle -madeformums.com,zest.co.uk###contentbanner -webreference.com###contentbottomnoinset -yorkshireeveningpost.co.uk###contentbox02google -yorkshireeveningpost.co.uk###contentbox08 -internet.com###contentmarketplace -slashdot.org###contextualJobs -uexpress.com###continue -wikifeet.com###conts > div[style="margin:0px 10px; height:200px; overflow:hidden; position:relative"] -ted.com###conversation-sponsor -binaries4all.com###convertxtodvd -goal.com###cookie_crumb_div -sharaget.com###coolDownload -sharaget.com###coollist -forums.psychcentral.com###copyright -pbs.org###corp-sponsor-sec -macrumors.com###countdown -lef.org###cpSale -christianpost.com###cp_wrap_inst -torrentbit.net###cpa_rotator_block_385_0 -peliculasyonkis.com###cpxslidein -ratemyprofessors.com###cr-qsb -rightdiagnosis.com###cradbotb -rightdiagnosis.com,wrongdiagnosis.com###cradlbox1 -rightdiagnosis.com,wrongdiagnosis.com###cradlbox2 -rightdiagnosis.com,wrongdiagnosis.com###cradrsky2 -firsttoknow.com###criteo-container -careerbuilder.com###csjstool_bottomleft -mustangevolution.com###cta -cargames1.com###ctgad -thesudburystar.com###ctl00_ContentPlaceHolder1_BigBoxArea2 -blogtv.com###ctl00_ContentPlaceHolder1_topBannerDiv -spikedhumor.com###ctl00_CraveBanners -myfax.com###ctl00_MainSection_BannerCoffee -thefiscaltimes.com###ctl00_body_rightrail_4_pnlVideoModule -seeklogo.com###ctl00_content_panelDepositPhotos -seeklogo.com###ctl00_content_panelDepositPhotos2 -leader.co.za###ctl00_cphBody_pnUsefulLinks -leader.co.za###ctl00_ctl00_cphBody_cphColumnBody_cphBannerBodyHeader_userBannerBodyHeader_pnBanners -leader.co.za###ctl00_ctl00_cphBody_cphColumnBody_cphColumnMiddleParent_cphNavigationRight_userNavigationRight_userBannerSponsor_pnBanners -mouthshut.com###ctl00_ctl00_ctl00_ContentPlaceHolderHeader_ContentPlaceHolderFooter_ContentPlaceHolderBody_zedoParent -hurriyetdailynews.com###ctl00_ctl27_ContentPane -sufc.co.za###ctl00_ltlSponsors -productionhub.com###ctl00_mainPlaceholder_pnlExtraBanner -birdchannel.com,smallanimalchannel.com###ctl00_pnlBottomDart -community.adlandpro.com###ctl00_slider -onetravel.com###ctl07_ctl01_ModuleContent -ctmirror.org###ctmirror-sponsors-2 -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se###culimx-widget -way2sms.com###curtain2 -thechive.com###custom-bg-link -movies.yahoo.com###customModule -daytondailynews.com###cxSubHeader -scout.com###da160x600 -scout.com###da300x250 -cleverbot.com###daArea2 -arstechnica.com###daehtsam-da -pctipsbox.com###daikos-text-4 -heraldnet.com###dailyDealFP -cbc.ca###dailydeals -fitnessmagazine.com###dailyprize -cnbc.com,zone.msn.com###dapIfM1 -rawstory.com###darkbackground[style="visibility: visible;"] -news.yahoo.com###darla -yahoo.com###darla-ad__LREC -yahoo.com###darla-ad__LREC2 -bestbuy.com###dart-con -tesco.com###dartLeftSkipper -tesco.com###dartRightSkipper -drivewire.com###dart_leaderboard -news24.com###datingWidegt -pitch.com###datingpitchcomIframe -dictionary.com###dcom-serp-mid-300x250 -dictionary.com###dcom-serp-top-300x250 -dictionary.com,reference.com###dcomSERPTop-300x250 -dailydot.com###dd-ad-head-wrapper -ebookmarket.org###ddlink -gizmodo.co.uk###deal-item -gazette.com###deal-link -slickdeals.net###dealarea -slickdeals.net###dealarea2 -11alive.com,9news.com,firstcoastnews.com###dealchicken-todaysdeal -timesdispatch.com###dealoftheday -blocked-website.com###deals-header -news.com.au###deals-module -freefavicon.com###dealsbar_deals_toolbar -metafilter.com,themorningnews.org###deck -instapaper.com###deckpromo -girlgames.com###def-box -yahoo.com###default-p_24457750 -wsj.com###deloitte-module-aside -helpwithwindows.com###desc -amazon.co.uk,amazon.com###desktop-rhs-carousels_click_within_right -timesfreepress.com###detailMarketplace -bloggingstocks.com###dfAppPromo -definition-of.com###dfp -thriftyfun.com###dfp-2 -madmagazine.com###dfp-300x250 -madmagazine.com###dfp-728x90 -247wallst.com###dfp-in-text -amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_half_page -amherstbulletin.com,concordmonitor.com,gazettenet.com,ledgertranscript.com,recorder.com,vnews.com###dfp_intext_med_rectangle -cduniverse.com###dgast -dailyhoroscope.com###dh-bottomad -dailyhoroscope.com###dh-topad -vidhog.com###dialog -mocospace.com###dialog-dailyspin -directionsmag.com###dialog-message -forums.digitalpoint.com###did_you_know -linuxbsdos.com###digocean -totalkiss.com###directional-120x600 -totalkiss.com###directional-300x250-single -datehookup.com###div-Forums_AFT_Top_728x90 -articlesnatch.com###div-article-top -cloudcomputingadmin.com,insideaws.com,isaserver.org,msexchange.org,virtualizationadmin.com,windowsecurity.com###div-gpt-arttut -sporcle.com###div-gpt-bnr-btf -sporcle.com###div-gpt-box-atf -drugs.com###div-gpt-ddcad-stickyad -cloudcomputingadmin.com,insideaws.com,isaserver.org,msexchange.org,virtualizationadmin.com,windowsecurity.com###div-gpt-half-page -balls.ie###div-gpt-sidebar-top -cloudcomputingadmin.com,insideaws.com,isaserver.org,msexchange.org,virtualizationadmin.com,windowsecurity.com###div-gpt-test-product -balls.ie###div-gpt-top -her.ie,herfamily.ie,joe.co.uk,joe.ie,sportsjoe.ie###div-gpt-top_page -gossipcop.com###div-gpt-unit-gc-hp-300x250-atf -gossipcop.com###div-gpt-unit-gc-other-300x250-atf -geekosystem.com###div-gpt-unit-gs-hp-300x250-atf -geekosystem.com###div-gpt-unit-gs-other-300x250-atf -modernluxury.com###div-leaderboard-ros -chronicleonline.com,sentinelnews.com,theandersonnews.com###div-promo -modernluxury.com###div-rectangle-1 -modernluxury.com###div-rectangle-2 -articlesnatch.com###div-tag-midright -articlesnatch.com###div-under-video -abbotsfordgasprices.com,albertagasprices.com,barriegasprices.com,bcgasprices.com,calgarygasprices.com,edmontongasprices.com,gasbuddy.com,halifaxgasprices.com,hamiltongasprices.com,kwgasprices.com,londongasprices.com,manitobagasprices.com,montrealgasprices.com,newbrunswickgasprices.com,newfoundlandgasprices.com,novascotiagasprices.com,nwtgasprices.com,ontariogasprices.com,ottawagasprices.com,peigasprices.com,quebeccitygasprices.com,quebecgasprices.com,reginagasprices.com,saskatoongasprices.com,saskgasprices.com,torontogasprices.com,vancouvergasprices.com,victoriagasprices.com,winnipeggasprices.com###div728 -streamcloud.eu###divExoLayerWrapper -klfm967.co.uk###divHeaderBannerRight -classiccars.com###divLeaderboard -usatoday.com###divMarketplace -playerhd2.pw###divPanel -newser.com###divRightRail > div:first-child -abbotsfordgasprices.com,albertagasprices.com,barriegasprices.com,bcgasprices.com,calgarygasprices.com,edmontongasprices.com,gasbuddy.com,halifaxgasprices.com,hamiltongasprices.com,kwgasprices.com,londongasprices.com,manitobagasprices.com,montrealgasprices.com,newbrunswickgasprices.com,newfoundlandgasprices.com,novascotiagasprices.com,nwtgasprices.com,ontariogasprices.com,ottawagasprices.com,peigasprices.com,quebeccitygasprices.com,quebecgasprices.com,reginagasprices.com,saskatoongasprices.com,saskgasprices.com,torontogasprices.com,vancouvergasprices.com,victoriagasprices.com,winnipeggasprices.com###divSky -abbotsfordgasprices.com,albertagasprices.com,barriegasprices.com,bcgasprices.com,calgarygasprices.com,edmontongasprices.com,gasbuddy.com,halifaxgasprices.com,hamiltongasprices.com,kwgasprices.com,londongasprices.com,manitobagasprices.com,montrealgasprices.com,newbrunswickgasprices.com,newfoundlandgasprices.com,novascotiagasprices.com,nwtgasprices.com,ontariogasprices.com,ottawagasprices.com,peigasprices.com,quebeccitygasprices.com,quebecgasprices.com,reginagasprices.com,saskatoongasprices.com,saskgasprices.com,torontogasprices.com,vancouvergasprices.com,victoriagasprices.com,winnipeggasprices.com###divSkyscraper -meettheboss.tv###divSpaceContainerRight -sponsorselect.com###divSsnMain -crackspider.net###divStayTopLeft -gardenstateapartments.com###divTopRight -joursouvres.fr,work-day.co.uk,workingdays.ca,workingdays.org,workingdays.us###div_lfsp -english.pravda.ru###div_sf_205 -english.pravda.ru###div_sf_211 -english.pravda.ru###div_sf_214 -english.pravda.ru###div_sf_43 -english.pravda.ru###div_sf_46 -english.pravda.ru###div_sf_47 -english.pravda.ru###div_sf_66 -english.pravda.ru###div_sf_95 -philstar.com###diviframeleaderboard -jeuxme.info###divk1 -tvonlinegratis.mobi###divpubli -cleantechnica.com###dk-image-rotator-widget-7 -redown.se###dl -afterdawn.com###dlSoftwareDesc300x250 -firedrive.com###dl_faster -israbox.info###dle-content > .inner -israbox.info###dle-content > .onsearch -aol.com###dmn_results -coloradocatholicherald.com,hot1045.net,rednationonline.ca###dnn_BannerPane -windowsitpro.com###dnn_FooterBoxThree -winsupersite.com###dnn_LeftPane -cafonline.com###dnn_footerSponsersPane -windowsitpro.com,winsupersite.com###dnn_pentonRoadblock_pnlRoadblock -linuxcrunch.com###dock -msn.co.nz###doubleMrec -trulia.com###double_click_backfill -freemp3go.com###downHighSpeed -solidfiles.com,torrentreactor.com,torrentreactor.net###download-button -legendarydevils.com###download1_body -movpod.in,vreer.com###downloadbar -stuff.co.nz###dpop -flysat.com###drbbanneranchor -flysat.com###drbbannerimg -travelocity.com###drfad-placeholder -omg-facts.com,sixbillionsecrets.com###droitetop -btstorrent.so###dtl_ -erfworld.com###duelannouncement -dressupgames.com###dug-header-adv-wrapper -dressupgames.com###dug-left-adv-wrapper -dressupgames.com###dug-leftcontent-adv-wrapper -imgah.com###dwindow -torrentroom.com###earn_dir -torrentroom.com###earn_spon -notdoppler.com###earn_to_die_wrapper -torrentroom.com###earn_top -search.disconnect.me###east -easybib.com###easybib_lboard -gearslutz.com###ebayFoot -gearslutz.com###ebayHead -cardomain.com###ebay_listings_wrapper -ehow.com###ebooks_container -infoworld.com###edit-promo -infoworld.com###edit-promo-container -nme.com###editorial_sky -merriam-webster.com###editors-picks-promo -inquirer.net###elb-as -sys-con.com###elementDiv -nbr.co.nz###email-signup -destructoid.com,japanator.com###emc_header -energyforecastonline.co.za###endorsers -prisonplanet.com###enerfood-banner -tcrtroycommunityradio.com###enhancedtextwidget-2 -gossipcenter.com###entertainment_skin -eweek.com###eoe-sl -anilinkz.com###epads1 -countryliving.com###epic_banner -eplsite.com###epl-banner -standard.co.uk###esDating -easyvoyage.co.uk###esv-pub-hp -theiet.org###et_bannerTop -androidpolice.com###execphp-11 -androidpolice.com###execphp-15 -androidpolice.com###execphp-16 -expatica.com###exp-add300x250 -azcentral.com,newsarama.com,space.com,stv.tv,usatoday.com,wtsp.com###expandedBanner -directionsmag.com,nationalreview.com###exposeMask -boston.com###externalBanner -tune.pk###externalPlayer -checkoutmyink.com###extralarge_banner -yahoo.com###eyebrow > #ypromo -zdnet.com###eyebrows -stickam.com###f_BottomBanner -faxo.com###fa_l -esper.vacau.com,nationalreview.com,techorama.comyr.com###facebox -esper.vacau.com,filefactory.com###facebox_overlay -funnycrazygames.com,playgames2.com,sourceforge.net###fad -tucows.com###fad1 -askmen.com,dcn.ae,dmi.ae,dxomark.com###fade -softexia.com###faded -imagepicsa.com,nashuatelegraph.com###fadeinbox -gumtree.com###fake-slot12 -uploaded.net###fakeContentBoxContainer -brothersoft.com###fakebodya -accountingtoday.com###fancybox-content -accountingtoday.com,commentarymagazine.com###fancybox-overlay -rapidmore.com###fastdw -firstpost.com###fb_mtutor -fastcompany.com###fc-ads-imu -thedrinknation.com###fcBanner -firedrive.com###fdtb_container -firedrive.com###fdvabox -dealtime.com,shopping.com###featListingSection -globalgrind.com###feature-top -yellowpages.ae###feature_company -binaryturf.com###feature_gad -dubbed-scene.com,exactseek.com,iclarified.com,netfit.co.uk,saice.org.za,thepspblog.com,wired.com###featured -netbooknews.com###featured-banner -nasdaq.com###featured-brokers -allakhazam.com,zam.com###featured-promos -bbj.hu###featuredBox -news24.com###featuredDiv -casinonewsdaily.com###featuredJackpots -catchannel.com,dogchannel.com,fishchannel.com,horsechannel.com###featuredProducts -teagames.com###featured_h -freeworldgroup.com###featuredsponsor -comicbookresources.com###features-bigbox -talkxbox.com###features-sub -youtube.com,youtubeproxy.pk###feed-pyv-container -youtube.com###feedmodule-PRO -filefactory.com###file_casino_pilots -moviecomix.com###filedirect -30for30.espn.com###film-ad -stripes.com###filmstrip -news.com.au###find-module-content -investing.com###findABroker -slashdot.org###firehoselist > [class][style*="margin"] -imageporter.com###firopage -abovetopsecret.com###first300 -generatorlinkpremium.com###firstleft -theverge.com###fishtank -siteslike.com###fixedbox[style="margin-top:20px"] -booksnreview.com,mobilenapps.com,newseveryday.com,realtytoday.com,scienceworldreport.com,techtimes.com###fixme -gwhatchet.com###flan_leader -fool.com###flash -omgpop.com###flash-banner-top -tg4.ie###flash_mpu -softpedia.com###flashsale -radiotimes.com###flexible-mpu -streamtuner.me###float-bottom -viralitytoday.com###float1 -altervista.org,bigsports.tv,desistreams.tv,fancystreems.com,freelivesportshd.com,hqfooty.tv,livematchesonline.com,livevss.tv,pogotv.eu,streamer247.com,trgoals.es,tykestv.eu,zonytvcom.info###floatLayer1 -bigcast.us,cdnbr.biz,hdmyt.info,zcast.us,zonytvcom.info###floatLayer2 -chordfrenzy.com,ganool.com###floating_banner_bottom -ganool.com###floating_banner_bottom2 -ganool.com###floating_banner_left1 -ganool.com###floating_banner_left2 -ganool.com###floating_banner_right1 -ganool.com###floating_banner_top -artima.com###floatingbox -company.co.uk###floatingdiv -edmunds.com###floodlight -zattoo.com###floor[style="display: block;"] -people.com###flower-ddrv2 -streams.tv###flowerInGarden -chicagonow.com###flyerboard-wrap -mixx.com,popurls.com###fmb -thenextweb.com###fmpub_2620 -thenextweb.com###fmpub_2620_1 -thenextweb.com###fmpub_2621_2 -thenextweb.com###fmpub_2621_3 -game-debate.com###focus-enclose -achieve360points.com###foot -socialhype.com,zap2it.com###foot728 -chaifm.com,coinurl.com,oocities.org,palipost.com,sh.st,sicilyintheworld.com,spin.ph,techcentral.co.za,tribejournal.com###footer -teesoft.info###footer-800 -beso.com,spectator.co.uk,truckdealersaustralia.com.au###footer-banner -tabletmag.com###footer-bar -mytalk1071.com###footer-bottom -fxstreet.com###footer-brokers -economist.com###footer-classifieds -forward.com###footer-extras -ancientfaces.com,duffelblog.com,geekologie.com###footer-leaderboard -gaystarnews.com###footer-links-wrapper3 -wetv.com###footer-promo -wnd.com###footer-proms -popcrush.com###footer-sidebar -stuff.co.nz###footer-sitemap -mcfc.co.uk###footer-sponsor -adelaidestrikers.com.au,bigbash.com.au,brisbaneheat.com.au,hobarthurricanes.com.au,melbournerenegades.com.au,melbournestars.com.au,perthscorchers.com.au,sydneysixers.com.au,sydneythunder.com.au###footer-sponsors -100jamz.com,billboard.com,bloody-disgusting.com,wbez.org###footer-top -foxnews.com,mobiletor.com,thescoopng.com###footer-top-wrapper -newsepapers.com###footer-widget -oldcarsweekly.com###footer-widget-area -fusible.com,justpushstart.com,ksstradio.com,muthafm.com,swns.com,zenit.org###footer-widgets -whatifeelishot.com###footer-wrapper -link-base.org,thewhir.com###footer2 -livegoals.com###footer4 -eventfinda.com,eventfinda.sg,eventfinder.co.nz,eventfinder.com.au,fixya.com,freewebtemplates.com,thebradentontimes.com###footerBanner -avfc.co.uk###footerLogos -chelseafc.com###footerPartners -usatoday.com###footerSponsorOne -usatoday.com###footerSponsorTwo -chelseafc.com###footerSponsors -techworld.com###footerWhitePapers -1019thewave.com,androidcommunity.com,clear99.com,japantoday.com,kat943.com,kcmq.com,kfalthebig900.com,ktgr.com,kwos.com,theeagle939.com,thevillager.com.na,y107.com###footer_banner -phpbb.com###footer_banner_leaderboard -1500espn.com,mytalk1071.com###footer_box -nbafull.com###footer_columns -logopond.com###footer_google -royalgazette.com,thehollywoodgossip.com###footer_leaderboard -someecards.com###footer_leaderboard_holder -sundance.tv###footer_promo -androidcommunity.com###footer_wrapper -adweek.com###footeraddcontent -babyexpert.com,hiphongkong.com,hwhills.com,madcatz.com,madeformums.com,newstatesman.com,visordown.com###footerbanner -feedicons.com,phonedog.com###footerboard -mytalk1071.com###footerboard_container -charlestoncitypaper.com###footerleaderboard -macnn.com###footerleft -macnn.com###footerright -farmonline.com.au###footersponsorbar -pbs.org###founding-sponsor -slickdeals.net###fpFeatureDealsAndCoupons .sponsoredText -slickdeals.net###fpFeatureDealsAndCoupons .sponsoredText + #fpDealsInfo -slickdeals.net###fpFeatureDealsAndCoupons > .giveaway -themittani.com###fp_leaderboard_1 -ytmnd.com###fp_middle -amw.com###fpromo250-2 -amw.com###fpromo250-3 -amw.com###fpromo250-4 -amw.com###fpromo78-1 -amw.com###fpromo78-2 -amw.com###fpromo78-3 -foxnews.com###frame2-300x100 -5min.com###freeWheelMiddle -5min.com###freeWheelRight -topix.com###freecredit -virtualmedicalcentre.com###frmsmo-r -people.com###fromOurPartners_right -babycenter.com###fromOurSponsorsHome -theonion.com###from_our_sponsors -cnn.com###front-page-mpu -thesimsresource.com###frontmc -yellowpages.com.jo,yellowpages.com.lb###frontpage_banners -originalfm.com###frontpage_business -herold.at###fsb > a > img[width="468"] -chicagobusiness.com,footytube.com###ft_leaderboard -ieee.org###ftrdwhtpprs -teamliquid.net###fuab -times247.com###full-banner -homehound.com.au###full-leaderboard -jewishjournal.com###fullbanner-585 -portforward.com###fullpageadvert -vidbull.com###fullscreen_exit -yasni.ca,yasni.co.uk,yasni.com###fullsizeBannerContainer -yasni.ca,yasni.co.uk,yasni.com###fullsizeWrapper -penny-arcade.com###funding-h -vladtv.com###fw_promo -tinypic.com###fxw_ads -interscope.com###g300x250 -jacars.net###gAdd -claro-search.com,isearch.babylon.com,search.babylon.com###gRsTopLinks -hoobly.com###ga1 -trulia.com###gac_rs -9bis.net,elyrics.net,oldversion.com###gad -speedyshare.com###gad1 -speedyshare.com###gad2 -cnet.com###gafscsa-middle -telegraph.co.uk###gafsslot1 -telegraph.co.uk###gafsslot2 -bustedcoverage.com,collegecandy.com###galad300 -hot995.com###gallery_adbg -teagames.com###gameinfobanner -armorgames.com###gameleaderboard -kongregate.com###gamespotlight -agame.com###gameunderbanner -thegazette.com###gaz_article_bottom_featured_jobs -mobiles24.com###gbar -illawarramercury.com.au###gbl_adcolumn -geekwire.com###geekwork -buznews.com###gemSponsored -cioupdate.com,datamation.com,earthweb.com,linuxplanet.com,serverwatch.com###gemhover -investing.com###generalOverlay -yahoo.com###genie-widgetgroup -theonion.com###geobanner -desimartini.com###getPosition -mininova.org###getstarted -ktar.com###gfp -vh1.com###gft-network:last-child -mtv.com###gft-sponsors -vancouversun.com###giftguidewidget -phillytrib.com###gkBannerTop -ngrguardiannews.com###gkBannerTopAll -concrete.tv###gkBanners -howdesign.com,moviecritic.com.au,orble.com,realitytvobsession.com###glinks -theguardian.com###global-jobs -nasdaq.com###global_banner -people.com###globalrecirc -infoplease.com###gob -colonhealth.net###gooBox0 -mozillazine.org###goobot -gearlive.com,mediamass.net,noscript.net,stv.tv###google -mu.nu###google-banner -t3.com###google-container-4 -news.stv.tv###google-endarticle -salon.com###google-single -photojpl.com###google01 -about.com###google1 -about.com###google2 -mediamass.net###google3 -inquirer.net###googleFooter -softnyx.net###google_banner -winnipegfreepress.com###google_box -m-w.com,merriam-webster.com###google_creative_1 -m-w.com,merriam-webster.com###google_creative_3 -testfreaks.co.uk###google_links -windows2universe.org###google_mockup -indianexpress.com###google_new -indianexpress.com###google_new_top -screenindia.com###google_pic -psdeluxe.com###google_top -tips.net###googlebig -forums.studentdoctor.net###googlefloat -sapostalcodes.za.net###googlehoriz -variety.com###googlesearch -magtheweekly.com###googleskysraper -mozillazine.org###gootop -truckinginfo.com###got-questions -asylum.co.uk###goviralD -decider.com###gowatchit-inline -digg.com###gpt--above_rim -sourceforge.jp###gpt-sf_dev_300 -neopets.com###gr-ctp-premium-featured -bbccanada.com###gradientbox -proboards.com###gravity-stories-1 -darkreading.com###greyPromoArea -tv3.co.nz###greyout -binaries4all.com###gright -eq2flames.com###grightcolumn > .sidewid -pep.ph###group_2 -bamkapow.com###gs300x250 -jobs.aol.com###gsl -aol.com###gsl-bottom -torlock.com,torrentfunk.com,yourbittorrent.com###gslideout -gtaforums.com###gtaf_ad_forums_bottomLeaderboard -gtaforums.com###gtaf_ad_forums_topLeaderboard -gtaforums.com###gtaf_ad_forums_wideSkyscraper -gtaforums.com###gtaf_ad_index_topLeaderboard -gtaforums.com###gtaf_ad_index_wideSkyscraper -gtaforums.com###gtaf_ad_topics_bottomLeaderboard -gtaforums.com###gtaf_ad_topics_topLeaderboard -hotonlinenews.com###guessbanner -justinhartman.com###gumax-article-picture -hinduwebsite.com###gupad -playlist.com###gutter-skyscraper -logotv.com###gutterLeft -logotv.com###gutterRight -moneycontrol.com###gutter_id1 -moneycontrol.com###gutter_id2 -kzupload.com###gw_overlay -totalcmd.pl###h1r -health365.com.au###h365-sponsors -stickam.com###h_TopBanner -techweb.com###h_banner -nickutopia.com###had300 -order-order.com###halfpage-unit -theglobeandmail.com###halfpager-art-1 -downloadhelper.net###halloween-pb -comedy.com###hat -heatworld.com###hbar -webhostingtalk.com###hc-postbit-1 -webhostingtalk.com###hc-postbit-3 -healthcentral.com###hcs_ad0 -megashare.com###hd-link -lifestyle.yahoo.com###hd-prop-logo-hero -movie2kto.ws###hd-streaming -castanet.net###hdad -prevention.com###hdr-top -flashgot.net###head a[target="_blаnk"] -virtualnights.com###head-banner -androidheadlines.com,molempire.com###head-banner728 -geekologie.com###head-leaderboard -avfc.co.uk###headAcorns -countytimes.co.uk###headBanner -quotes-love.net###head_banner -fxempire.com###head_banners -webdesignstuff.com###headbanner -adsoftheworld.com,anglocelt.ie,animalnetwork.com,beaut.ie,cartoonnetworkhq.com,eeeuser.com,eveningtimes.co.uk,floridaindependent.com,hellmode.com,heraldscotland.com,incredibox.com,information-management.com,krapps.com,link-base.org,meathchronicle.ie,mothering.com,nevadaappeal.com,offalyindependent.ie,petapixel.com,theroanoketribune.org,tusfiles.net,unrealitymag.com,vaildaily.com,washingtonindependent.com,westmeathindependent.ie,yourforum.ie###header -filehippo.com###header-above-content-leaderboard -insidebitcoins.com###header-add-container -theblemish.com###header-b -directindustry.com,fanrealm.net,flix.gr,fonearena.com,frontlinesoffreedom.com,girlgames.com,latinchat.com,pa-magazine.com,progressivenation.us,scmp.com,snow.co.nz,snowtv.co.nz,spectator.co.uk,stickgames.com,sunnewsonline.com###header-banner -gearculture.com###header-banner-728 -seatrade-cruise.com###header-banner-728x90 -shape.com###header-banner-container -dominicantoday.com###header-banners -bibme.org###header-bartner -diyfashion.com###header-blocks -ideone.com###header-bottom -allakhazam.com###header-box:last-child -bestvpnserver.com,techitout.co.za,themiddlemarket.com###header-content -accuweather.com###header-davek -davidwalsh.name###header-fx -sheekyforums.com###header-lb -ancientfaces.com,g4chan.com,myrecordjournal.com,news-journalonline.com,phillymag.com,telegraph.co.uk,usatoday.com###header-leaderboard -timesofisrael.com###header-left -menshealth.com###header-left-top-region -bibme.org###header-partner -amctv.com,ifc.com,motorhomefacts.com,sundance.tv,wetv.com###header-promo -veteranstoday.com###header-right-banner2 -eweek.com###header-section-four -vanityfair.com###header-subs -sys-con.com###header-title -honolulumagazine.com,yourtango.com###header-top -delfi.lt###header-top-banner -bocanewsnow.com###header-widgets -nisnews.nl###header-wrap -moreintelligentlife.com,sci-news.com###header0 -kaldata.net###header2 -inventorspot.com###header2-section -nickutopia.com###header728 -viralthread.com###header970x250 -gizbot.com###headerAdd -projectorcentral.com###headerBanner -yummy.ph###headerLeaderBoard -watchcartoononline.com###headerPadstmOut -darkreading.com###headerPromo -rivieraradio.mc###headerPromoArea -talksport.net###headerPromoContainer -boldsky.com,careerindia.com,drivespark.com,gizbot.com,goodreturns.in,oneindia.com,thatscricket.com###headerPromotionText -fresnobee.com###headerSectionLevel -atpworldtour.com###headerSponsor -coloradosprings.com###headerSponsorImage -coloradosprings.com###headerSponsorText -chelseafc.com###headerSponsors -eonline.com###headerSpot -beliefnet.com###headerTopExtra -agriaffaires.ca,agriaffaires.co.uk,agriaffaires.us###header_ban -countytimes.com,elleuk.com,energyfm.net,heritage.com,slots4u.com,squidoo.com###header_banner -thetechjournal.com###header_bottom -worddictionary.co.uk###header_inpage -sedoparking.com###header_language -pcworld.idg.com.au,petapixel.com,redflagdeals.com,tomsguide.com,tomshardware.co.uk,tomshardware.com,washingtoncitypaper.com###header_leaderboard -thoughtcatalog.com###header_leaderboard_1 -edie.net###header_mainNav5b -digitalpoint.com###header_middle -washingtoncitypaper.com###header_pencilbar -cointelegraph.com###header_promo -fastcompany.com###header_region -johnbridge.com,overclockers.co.uk###header_right_cell -zug.com###header_rotate -popsci.com,popsci.com.au###header_row1 -pedulum.com,washingtonexaminer.com,yourtango.com###header_top -bitenova.nl,bitenova.org###header_un -chocablog.com,commenthaven.com,hwhills.com,movieentertainment.ca,nikktech.com,smallscreenscoop.com,thisisnotporn.net###headerbanner -hongkiat.com###headerbanner01 -nationalgeographic.com,scienceblogs.com###headerboard -i-comers.com###headerfix -vg247.com###headline-mpu-slot -technotification.com###headlineatas -allakhazam.com###hearthhead-mini-feature -grist.org###hellobar-pusher -ign.com###hero -kansascity.com###hi-find-n-save -hi5.com###hi5-common-header-banner -atdhe.fm,atdhe.so,atdhe.xxx,firstrowi.eu,firstrows.org,streams.tv###hiddenBannerCanvas -wbond.net###hide_sup -flashi.tv###hideall -cloudifer.net,megadrive.tv###hideme -rapidvideo.org,rapidvideo.tv###hidiv -rapidvideo.org###hidiva -rapidvideo.org###hidivazz -itweb.co.za###highlight-on -codinghorror.com###hireme -weedhire.com###hireology -quill.com###hl_1_728x90 -carzone.ie###hm-MPU -hidemyass.com###hmamainheader -japanprobe.com###hmt-widget-additional-unit-4 -smbc-comics.com###hobbits -cstv.com,gobulldogs.com,gohuskies.com,theacc.com,ukathletics.com,usctrojans.com,villanova.com###holder-banner -und.com###holder-banner-top -cstv.com,navysports.com,texassports.com###holder-skyscraper -cstv.com,goairforcefalcons.com,goarmysports.com,gopack.com,goterriers.com,texassports.com,umassathletics.com,villanova.com###holder-story -radiobroadcaster.org,thedailyrecord.com###home-banner -yellowpages.com.lb###home-banner-box -motherjones.com###home-billboard -dailydomainer.com###home-insert-1 -dailysurge.com###home-main > div > div > [class]:last-child -dailysurge.com###home-main > span > div + div:last-child -homeportfolio.com###home-rec -abcya.com###home-skyscraper -gaana.com###home-top-add -homeportfolio.com###home-tower -maxim.com###homeModuleRight -politics.co.uk###homeMpu -techradar.com###homeOmioDealsWrapper -thebradentontimes.com###homeTopBanner -redstate.com###home_728x90 -radiocaroline.co.uk###home_banner_div -khmertimeskh.com###home_bottom_banner -creativeapplications.net###home_noticias_highlight_sidebar -gpforums.co.nz###home_right_island -inquirer.net###home_sidebar -facebook.com###home_sponsor_nile -facebook.com###home_stream > .uiUnifiedStory[data-ft*="\"ei\":\""] -khmertimeskh.com###home_top_banner -gumtree.co.za###home_topbanner -spyka.net###homepage-125 -edmunds.com###homepage-billboard -youtube.com###homepage-chrome-side-promo -10tv.com###homepage-leader -studentbeans.com###homepage_banner -beepbeep.com,rr.com###homepagewallpaper -pcmech.com###homepromo -fashiontv.com###horiz_banner -sydneyolympicfc.com###horiz_image_rotation -horsetalk.co.nz###horseclicks -sqlfiddle.com###hosting -webmd.com###hot-tpcs -jamaica-gleaner.com###hotSpotLeft -jamaica-gleaner.com###hotSpotRight -newsminer.com###hot_deals_banner -politiken.dk###hotels_banner -phnompenhpost.com###hoteltravel -cioupdate.com###houseRibbonContainer -mp4upload.com###hover -rottentomatoes.com###hover-bubble -itproportal.com###hp-accordion -active.com###hp-map-ad -worldweatheronline.com###hp_300x600 -eweek.com###hp_hot_stories -collegecandy.com###hplbatf -bhg.com###hpoffers -bustedcoverage.com###hpss -lhj.com###hptoprollover -staradvertiser.com###hsa_bottom_leaderboard -careerbuilder.com###htcRight[style="padding-left:18px; width: 160px;"] -hdcast.org,stream2watch.co,streamhd.eu###html3 -pregen.net###html_javascript_adder-3 -maxkeiser.com###html_widget-11 -maxkeiser.com###html_widget-2 -maxkeiser.com###html_widget-3 -dailystar.co.uk###hugebanner -hardwarezone.com.sg###hwz_dynamic_widget -chocablog.com###i1 -i-programmer.info###iProgrammerAmazoncolum -dailytrust.com.ng###iRecharge_container -finweb.com###ib_inject -iconfinder.com###icondetails-banner -airfrance.co.uk###id_banner_zone -cnn.com###ie_column -swiatmp3.info###iframe-container -sciencemag.org###iframe_box -more.com###iframe_for_div_c_6ad_banner -yavideo.tv###iframebanner -planetradiocity.com###iframelinkaddtophome -planetradiocity.com###iframemiddleradiocity -planetradiocity.com###iframeradiocityindex -planetradiocity.com###iframeradiocityindexright -planetradiocity.com###iframestationbanner -unitconversion.org###ileft -zigzag.co.za###imageLeft -zigzag.co.za###imageRight -movshare.net###imagecontmvshre -macthemes2.net###imagelinks -epdrama.com###imageurl -sharksrugby.co.za###imgTitleSponsor -good-deals.lu,luxweb.lu,new-magazine.co.uk,soshiok.com,star-magazine.co.uk###imu -stjobs.sg###imu-big -stjobs.sg###imu-small2 -cio.com###imu_box -newcarnet.co.uk###imuad -theyeshivaworld.com###inArticle -computerworlduk.com###inArticleRelatedArticles -computerworlduk.com###inArticleSiteLinks -audioz.eu###inSidebar > #src_ref -rawstory.com###in_article_slot_1 -rawstory.com###in_article_slot_2 -soccer24.co.zw###in_house_banner -youtubeproxy.pk###include2 -telegraph.co.uk###indeed_widget_wrapper -egotastic.com###index-insert -independent.co.uk###indyDating -share-links.biz###inf_outer -news.com.au###info-bar -share-links.biz###infoC -technologytell.com###infobox_medium_rectangle_widget -technologytell.com###infobox_medium_rectangle_widget_features -technologytell.com###infobox_techmedia -africanbusinessmagazine.com###infocus-aside -riverbender.com###injected-300x250 -mg.co.za###inline_banner -thaindian.com###inlineblock -startpage.com###inlinetable -eurweb.com###inner div[id^="div-gpt-ad-"] -inquisitr.com###inner-content > .sidebar > div -krnb.com,myk104.com###inner-footer -newsdaily.com###insert -pep.ph###insideBanner -yakima-herald.com###instoryadhp -maxim.com###intHorizBanner -maxim.com###intSkirt -imgtrex.com###interContainer -electronicproducts.com,imgtrex.com###interVeil -newsbusters.org###interad -shmoop.com###intermediary -gizmodo.co.uk###interruptor -campustechnology.com###intersitial -campustechnology.com,fcw.com,mcpmag.com,rcpmag.com,reddevnews.com,redmondmag.com,visualstudiomagazine.com###intersitialMask -adage.com###interstitial -boldsky.com###interstitialBackground -maxim.com###interstitialCirc -boldsky.com,gizbot.com###interstitialRightText -gizbot.com###interstitialTitle -giantlife.com,newsone.com###ione-jobs_v2-2 -elev8.com,newsone.com###ione-jobs_v2-3 -giantlife.com###ione-jobs_v2-4 -about.com###ip0 -idolforums.com###ipbwrapper > .borderwrap > .ipbtable:nth-child(7):nth-last-child(3n+2) -ip-adress.com###ipinfo[style="padding-left:10px;vertical-align:top;width:380px"] -investorplace.com###ipm_bottom_sidebar_ad-3 -investorplace.com###ipm_featured_partners-5 -investorplace.com###ipm_sidebar_ad-3 -metrolyrics.com###ipod -neowin.net###ipsLayout_contentWrapper > .ipsResponsive_hidePhone -unitconversion.org###iright -ironmanmag.com.au###iro_banner_leaderboard -inquirer.net###is-sky-wrap -imageshack.us###is_landing -drivearcade.com,freegamesinc.com###isk180 -newshub.co.nz###island-unit-2 -gameplanet.com.au###island1 -gameplanet.com.au###island2 -fakeupdate.net###itemz -computerworld.com###itjobs_module -mercurynews.com###jBar_dailyDeals -businessmirror.com.ph,joomlarulez.com###ja-banner -itwire.com###ja-header -sigsiu.net###ja-rightcol -chicagodefender.com###ja-topbar -messianictimes.com###ja-topmenu -messianictimes.com###ja-topsl2 -lyriczz.com###jango -pandora.tv###japan_ad -streamcloud.eu###javawarning -careerbuilder.com###jdpSponsoredBy -jimdo.com###jimdobox -extremetech.com###jivvmzil -kansascity.com###jobStart_widget -theregister.co.uk###jobs-promo -lettercount.com###joke_of_the_day > a[href="http://www.decisioncount.com/"] -earthweb.com###jomfooter -nowtoronto.com###jrBanners -cnn.com###js-OB_feed -twitch.tv###js-esl300 -cnn.com###js-outbrain-recommended -rentals.com###ka_300x250_1 -rentals.com###ka_468x60_1 -rentals.com###ka_728x90_1 -thenationonlineng.net###kaizenberg -zonadictoz.com.ar###kaizer -sport24.co.za###kalahari -bigislandnow.com###kbig_holder -powvideo.xyz###keepFloating -way2sms.com###kidloo -nationalgeographic.com###kids_tophat_row1 -ign.com###knight -koreaherald.com###koreah7 -wkrg.com###krg_oas_rail -topix.com###krillion_block -topix.com###krillion_container -herold.at###kronehit -comicgenesis.com###ks_da -kewlshare.com###ksupdates -teamfortress.tv###ku-bottom -123people.co.uk###l_banner -thedugoutdoctors.com,thehoopdoctors.com###l_sidebar -gantdaily.com###l_sidebar_banners -watchdocumentary.com###lad -themtn.tv###landing_55 -maltatoday.com.mt,maltatoday.info###landscape_banner -flashscore.com###lang-box-wrapper -f1fanatic.co.uk###largeskyscraper -law.com###lawJobs -tsviewer.com###layer -1tvlive.in###layer2 -juicefm.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,theregister.co.uk,thewave.co.uk,wave965.com,wirefm.com,wishfm.net###lb -audiofanzine.com###lbContainerBlock -networkworld.com###lb_container -networkworld.com###lb_container_top -inquirer.net###lb_ear -inquirer.net###lb_ear2 -redferret.net###lb_wrap -bustedcoverage.com###lbbtf -play.tm###lbc -lankabusinessonline.com###lbo-ad-leadboard -good-deals.lu###ldb -mofunzone.com###ldrbrd_td -gpsreview.net###lead -mashable.com###lead-banner -armedforcesjournal.com###leadWrap -imperfectparent.com###leada -tripit.com###leadboard -gamesindustry.biz,iphonic.tv,kontraband.com,motherproof.com,nutritioncuisine.com,sansabanews.com,thestreet.com,topgear.com,venturebeat.com,vg247.com###leader -enjore.com###leader-banner -cointelegraph.com###leader-board -rollingstoneaus.com###leader-desktop2 -duffelblog.com###leader-large -trunews.com###leader-left -royalcentral.co.uk###leader-wrap -100jamz.com,agriland.ie,ballitonews.co.za,blackburnnews.com,bloody-disgusting.com,football-talk.co.uk,foxnews.com,irishpost.co.uk,longislandpress.com,mental-health-matters.com,mobiletoday.co.uk,mobiletor.com,morningledger.com,pcgamerhub.com,soccersouls.com,thenextmiami.com,thescoopng.com,thewrap.com,todaysgeneralcounsel.com,urbanmecca.net,youngzimbabwe.com###leader-wrapper -heraldstandard.com###leaderArea -xe.com###leaderB -firstnationsvoice.com,hbr.org,menshealth.com,pistonheads.com###leaderBoard -wellness.com###leaderBoardContentArea -girlsgogames.com###leaderData -computerworlduk.com###leaderPlaceholder -zdnet.com###leaderTop -behealthydaily.com###leader_board -pandora.com###leader_board_container -icanhascheezburger.com,memebase.com,thedailywh.at###leader_container -tvguide.com###leader_plus_top -tvguide.com###leader_top -247wallst.com###leaderbar -about.com,animeseason.com,ariacharts.com.au,ask.fm,boomerangtv.co.uk,businessandleadership.com,capitalxtra.com,cc.com,charlotteobserver.com,classicfm.com,crackmixtapes.com,cubeecraft.com,cultofmac.com,cyberciti.biz,datpiff.com,educationworld.com,electronista.com,espn980.com,eurogamer.net,extremetech.com,food24.com,football.co.uk,gardensillustrated.com,gazette.com,gtainside.com,hiphopearly.com,historyextra.com,houselogic.com,ibtimes.co.in,ibtimes.co.uk,iclarified.com,icreatemagazine.com,instyle.co.uk,jaxdailyrecord.com,jillianmichaels.com,king-mag.com,lasplash.com,lawnewz.com,look.co.uk,lrb.co.uk,macnn.com,motortopia.com,newcartestdrive.com,nfib.com,okmagazine.com,onthesnow.ca,onthesnow.co.nz,onthesnow.co.uk,onthesnow.com,onthesnow.com.au,penny-arcade.com,pets4homes.co.uk,publishersweekly.com,radiox.co.uk,realliving.com.ph,realmoney.thestreet.com,reason.com,revolvermag.com,rollcall.com,salary.com,sciencedirect.com,sciencefocus.com,skysports.com,smbc-comics.com,smoothradio.com,spin.ph,talonmarks.com,thatgrapejuice.net,thehollywoodgossip.com,theserverside.com,toofab.com,topcultured.com,uncut.co.uk,wheels24.co.za,whitepages.ae,windsorstar.com,winsupersite.com,wired.com###leaderboard -chicagomag.com###leaderboard-1-outer -boweryboogie.com,safm.com.au###leaderboard-2 -usnews.com###leaderboard-a -1029thebuzz.com,925freshradio.ca,awesomeradio.com###leaderboard-area -usnews.com###leaderboard-b -atlanticcityinsiders.com,autoexpress.co.uk,bigissue.com,galvestondailynews.com,pressofatlanticcity.com,theweek.co.uk###leaderboard-bottom -scientificamerican.com###leaderboard-contain -daniweb.com,family.ca,nationalparkstraveler.com,sltrib.com,thescore.com###leaderboard-container -netmagazine.com###leaderboard-content -wvmetronews.com###leaderboard-footer -news-gazette.com###leaderboard-full-size -canadianbusiness.com,macleans.ca,moneysense.ca,todaysparent.com###leaderboard-header -idahostatejournal.com,lonepeaklookout.com###leaderboard-middle -belgrade-news.com###leaderboard-middle-container -treehousetv.com###leaderboard-play -kfoxtv.com,kirotv.com,ktvu.com,kxly.com,wfmz.com,wftv.com,whiotv.com,wjactv.com,wpxi.com,wsbtv.com,wsoctv.com,wtov9.com###leaderboard-sticky -carbuyer.co.uk,cnet.co.uk,galvestondailynews.com,oaoa.com,pressofatlanticcity.com,themonitor.com###leaderboard-top -order-order.com###leaderboard-unit -wvmetronews.com###leaderboard-wrap -geekologie.com,pcgamer.com,pep.ph,stuttgartcitizen.com###leaderboard-wrapper -drdobbs.com,todaystmj4.com,uexpress.com###leaderboard1 -computerweekly.com,drdobbs.com,extreme.com,inquirer.net,uexpress.com###leaderboard2 -uexpress.com###leaderboard3 -futuremark.com,tarot.com###leaderboardArea -stardoll.com###leaderboardContainer -roadfly.com###leaderboardHead -law.com###leaderboardMidPage -iconosquare.com###leaderboardNL -tarot.com###leaderboardOuter -computerweekly.com###leaderboardPlacement -brandsoftheworld.com###leaderboardTop -businesstimes.com.sg###leaderboardWrapper -teleread.com###leaderboard_1 -thestandard.com###leaderboard_banner -joe.ie###leaderboard_bottom -gtainside.com,macleans.ca,marieclaire.co.uk,marketingmag.ca,wdel.com###leaderboard_container -foodnetwork.com,travelchannel.com###leaderboard_fixed -rte.ie###leaderboard_footer -inquirer.net###leaderboard_frame -inc.com###leaderboard_label -managerzone.com###leaderboard_landing -englishbaby.com###leaderboard_outer -metroland.net###leaderboard_space -investorwords.com###leaderboard_wrap -okcupid.com,thegrio.com,thehollywoodgossip.com###leaderboard_wrapper -movie-analyzer.com###leaderboardbanner -campinglife.com###leaderboardfooter -jewishjournal.com###leaderboardgray -jewishjournal.com###leaderboardgray-825 -bdaily.co.uk###leaderboards -hollywoodinterrupted.com,westcapenews.com###leaderboardspace -androidcentral.com###leaderoffer -sourceforge.net###leadform -thaindian.com###leadrb -fastpic.ru###leads -bleedingcool.com###leaf-366 -bleedingcool.com###leaf-386 -eel.surf7.net.my###left -noscript.net###left-side > div > :nth-child(n+3) a[href^="/"] -technologyexpert.blogspot.com###left-sidebarbottom-wrap1 -shortlist.com###left-sideburn -sysresccd.org###left1 -cokeandpopcorn.com###left4 -cokeandpopcorn.com###left5 -sparknotes.com###leftAd -telegramcommunications.com###leftBanner -gizgag.com###leftBanner1 -nowinstock.net###leftBannerBar -infobetting.com###leftBannerDiv -watchcartoononline.com###leftBannerOut -leo.org###leftColumn > #adv-google:first-child + script + .gray -leo.org###leftColumn > #adv-leftcol + .gray -thelakewoodscoop.com###leftFloat -yahoo.com###leftGutter -newsok.com###leftRailContent -sosuanews.com###left_banner -island.lk###left_banner_adds1 -nitrome.com###left_bottom_bg -nitrome.com###left_bottom_box -nitrome.com###left_bottom_shadow -notdoppler.com###left_link -whitepages.co.nz###left_skyscraper -nitrome.com###left_skyscraper_container -theblaze.com###left_top_160x600 -foodingredientsfirst.com###leftbar-banner -urlcash.net###leftbox -capetownetc.com,sarugbymag.co.za###leftclick -mymusic.com.ng###leftdown2 -stuff.co.nz###leftgutter -hotonlinenews.com###leftmenu -810varsity.com###leftsidebanner -americanlivewire.com###lefttower -tvsquad.com###legal -supercars.net###lemonFree -cnn.com###lendingtree -arstechnica.com###lg-logos -arstechnica.com###lg-pushdown -msn.com###lgad -linuxinsider.com,technewsworld.com###lightview -tubeplus.me###like_panel -watchseries-online.nl###link-count + button -lmgtfy.com###link_placeholder -racinguk.com,webpagetest.org###links -fox6now.com###links-we-like -feedyes.com###links54005 -the-news.net###linkssection -fileinfo.com,slangit.com###linkunits -imagebunk.com###linkxbox -mappy.com###liquid-misc -etaiwannews.com,taiwannews.com.tw###list_google2_newsblock -etaiwannews.com,taiwannews.com.tw###list_google_newsblock -ikascore.com###listed -951shinefm.com###listen-now-sponsor -nymag.com###listings-sponsored -sawlive.tv###llvvd -webmd.com###lnch-promo -news24.com###lnkHeaderWeatherSponsor -sunshinecoastdaily.com.au###localOffers -whereis.com###location_advertisement -mmegi.bw###locator_billboard -mapcrunch.com###locinfo -cryptocoinsnews.com###logo + .cb-large -meteo-allerta.it,meteocentrale.ch,meteozentral.lu,severe-weather-centre.co.uk,severe-weather-ireland.com,vader-alarm.se###logo-sponsor -realestate.co.nz###logoBannerBox -cnettv.cnet.com###logoBox -runnow.eu,sunderlandvibe.com###logos -arenafootball.com###logos-wrap -usnews.com###loomia_display -herold.at###loveat -eurogamer.net###low-leaderboard -byutvsports.com###lower-poster -proudfm.com###lower_leaderboard -hinduwebsite.com###lowergad -mefeedia.com###lowright300 -africam.com###lr_comp_default_300x150 -africam.com,cnn.com,epdaily.tv,hernandotoday.com,highlandstoday.com,kob.com,tbo.com,techsupportforum.com,tivocommunity.com,wbng.com###lr_comp_default_300x250 -music.yahoo.com###lrec -fox.com###lrec-wrapper -yahoo.com###lrec2 -music.yahoo.com###lrecTop -yahoo.com###lrec_mod -inquirer.net###ls-bb-wrap -inquirer.net###ls-right -iphonelol.org###lsmspnad -celebstyle.com###lucky -linuxinsider.com,technewsworld.com###lv_overlay -drugs.com###m1a -m.facebook.com###m_newsfeed_stream article[data-ft*="\"ei\":\""] -miller-mccune.com###magSubscribe -wired.com###magazine_rightRail_A -videos.rawstory.com###magnify_widget_playlist_item_shop_container -rawstory.com###magnify_widget_playlist_item_shop_content -mediaite.com###magnify_widget_rect_content -mediaite.com###magnify_widget_rect_handle -reallygoodemails.com###mailchimp-link -adv.li###main -search.yahoo.com###main .dd .layoutCenter .compDlink -search.yahoo.com###main .dd[style="cursor: pointer;"] -dailysurge.com###main > #home-main + #sidebar-wrapper div[class] + * -dailysurge.com###main > #home-main > span > div:first-child + * -dailysurge.com###main > #sidebar-wrapper > ul > span -cryptocoinsnews.com###main > .mobile > .special > center -search.yahoo.com###main-algo .reg > .dd > .layoutTop + .layoutCenter -mobilesyrup.com###main-banner -activistpost.com###main-content > headr -activistpost.com###main-content > span > :last-child -yasni.ca,yasni.co.uk,yasni.com###main-content-ac1 -stylist.co.uk###main-header -sfbay.ca###main-market -monhyip.net###mainBaner -nme.com###mainBanner -leo.org###mainContent > #rightColumn:last-child -w3schools.com###mainLeaderboard -investing.com###mainPopUpContainer -necn.com###main_117 -necn.com###main_121 -necn.com###main_175 -net-security.org###main_banner_topright -photofacefun.com###main_container > div[style="height:125px"]:first-child -bitenova.org###main_un -pureoverclock.com###mainbanner -search.aol.com###maincontent + script + div[class] > style + script + h3[class] -holidayscentral.com###mainleaderboard -modhoster.com###manufactors -bazoocam.org###mapub -reuters.com###marchex -macdrifter.com###marked-widget -eatingwell.com###marketFeaturedSponsors -itworld.com###market_place -iii.co.uk###marketdatabox_content_footer -xmlgold.eu###marketimg -myspace.com###marketing -nbcconnecticut.com,nbcphiladelphia.com,nbcwashington.com###marketingPromo -techworld.com###marketingSlots -cio.co.uk###marketingSlotsContainer -style.com###marketing_mod -crispygamer.com###marketingbox -arnnet.com.au,cio.com.au,computerworld.com.au,foodandwine.com,healthcareitnews.com,msn.com,nbcnews.com,techworld.com.au,travelandleisure.com,tvnz.co.nz,yahoo.com###marketplace -goodgearguide.com.au,pcworld.idg.com.au,techworld.com.au###marketplace-padding -usatoday.com###marketplace2 -inquirer.net###marketplace_vertical_container -inquirer.net###marketplacebtns -columbian.com###marketplaces-widget-new -qz.com###marquee -vidhog.com###mask -bellinghamherald.com,bnd.com###mastBanner -pcadvisor.co.uk###mastHeadTopLeft -creditinfocenter.com,examiner.com###masthead -arstechnica.com###masthead + #pushdown-wrap -pbs.org###masthead1 -pbs.org###masthead2 -yahoo.com###mbAds -internet.com###mbEnd -dailymotion.com###mc_Middle -maps.google.com###mclip -google.com.au###mclip_control -sandiego6.com###mealsandsteals -thehothits.com###med-rec -myspace.com###medRec -yourdailymedia.com###medRectATF -active.com###med_rec_bottom -active.com###med_rec_top -lancasteronline.com###med_rect -virtualpets.com###media-banner -ostatic.com###media_partner_gallery -finance.yahoo.com###mediabankrate_container -cnn.com###medianet -megom.tv###mediaspace_wrapper + script + #timeNumer -surk.tv###mediasrojas1 -xxlmag.com###medium-rec -pastemagazine.com,weebls-stuff.com###medium-rectangle -cgchannel.com###mediumRectangle -newburyportnews.com###mediumRectangle_atf -daltondailycitizen.com###mediumRectangle_cal -pons.com,pons.eu###medium_rec -kexp.org###medium_rectangle -pandora.com###medium_rectangle_container -pricegrabber.com###mediumbricks -at40.com,king-mag.com###mediumrec -at40.com###mediumrec_int -ebaumsworld.com###mediumrect -smashingmagazine.com###mediumrectangletarget -americanidol.com,mindjolt.com,watchmojo.com,xxlmag.com###medrec -hackaday.com,joystiq.com,peninsuladailynews.com###medrect -atom.com,happytreefriends.com###medrect-container -joystiq.com###medrectrb -michiguide.com###medrectright -techrepublic.com,zdnet.com###medusa -techrepublic.com###medusa-right-rail -nashuatelegraph.com###meerkat-wrap -concrete.tv###megabanner -eztv.ag###mel3 -encyclopedia-titanica.org###menuheaderbio -spinitron.com###merchpanel -ginbig.com,rushlane.com###message_box -theweedblog.com###meteor-slides-widget-3 -fulldls.com###meth_smldiv -imageporter.com###mezoktva -dannychoo.com###mg-blanket-banner -123movies-proxy.ru,123movies.cz,123movies.gs,123movies.is,123movies.live,123movies.net,123movies.net.ru,123movies.ru,123movies.to,123movies.vc,23movies.ru###mgd -thetechjournal.com,torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph###mgid -everyjoe.com###mgid-widget -menshealth.com###mh_top_promo_special -liligo.com###midbanner -soccerphile.com###midbanners -abovetopsecret.com###middle300 -dvdactive.com###middleBothColumnsBanner -wpxi.com,wsbtv.com###middleLeaderBoard -theimproper.com###middle_banner_widget -proudfm.com###middle_leaderboard -trutv.com,workswithu.com###middlebanner -workswithu.com###middlebanner300x100 -thevarguy.com###middlebannerwrapper -mefeedia.com###midright300 -stuff.co.nz###mightyape-mobwidget -pricegrabber.com###minibricks -pch.com###minipath_panel -devshed.com###mixedspons -msn.com###mlad -mercurynews.com###mn_SP_Links -mnn.com###mnn-sponsor-rail -medicalnewstoday.com###mnt_article_ad_3 -medicalnewstoday.com###mnt_sidebar_ad_2 -dllme.com###mobile-insert -eurogamer.net###mobile-leaderboard -eurogamer.net###mobile-mpu -bit-tech.net###mobile-phones-co-uk-120 -pcpro.co.uk###mobile_app_developers -longreads.com###mobile_banner -iphoneapplicationlist.com###mobiscope-banner -nytimes.com###mod-ln-ctr-bt -nytimes.com###mod-ln-ctr-top -philly.com###mod-storytext -ciao.co.uk###mod_ph_merchoffer -mail.yahoo.com###modal-upsell -tradingmarkets.com###modalbg -moneymakerdiscussion.com###module25 -desiretoinspire.net###moduleContent18450223 -goodhousekeeping.com###moduleEcomm -elle.com,womansday.com###moduleMightLike -menshealth.co.uk###module_promotion -huffingtonpost.co.uk###modulous_right_rail_edit_promo -huffingtonpost.co.uk###modulous_sponsorship_2 -wikia.com###monaco_footer -cnn.com###moneySponsorBox -cnn.com###moneySponsors -itworld.com###more_resources -topix.com###mortgages_block -gold1043.com.au,kiis1065.com.au,mix1011.com.au,wsfm.com.au###mos-headerRow1 -newssun.com###mosFeatureHome -newssun.com###mosHeaderTop -insideradio.com###mosSkyscraper -tooorgle.com###most_popular -anonymouse.org###mouselayer -way2sms.com###movbox -watchfreemovies.ch###movie -take40.com###mpIsland -bounty.com,carpages.co.uk,clubwebsite.co.uk,cumberlandnews.co.uk,djmag.co.uk,djmag.com,donedeal.ie,eladvertiser.co.uk,f1fanatic.co.uk,glamour.co.za,gumtree.com,hexhamcourant.co.uk,icreatemagazine.com,in-cumbria.com,itv.com,lbc.co.uk,lonelyplanet.com,metalhammer.co.uk,nettleden.com,newsandstar.co.uk,nickjr.co.uk,nme.com,nwemail.co.uk,play.tm,politics.co.uk,radiotimes.com,sportinglife.com,studentbeans.com,taletela.com,thatgrapejuice.net,thecourier.co.uk,thefootballnetwork.net,timesandstar.co.uk,topgear.com,tv.com,uncut.co.uk,webdesignermag.co.uk,whitehavennews.co.uk,zoopla.co.uk###mpu -t3.com###mpu-container-2 -stv.tv###mpu-content2 -topgear.com###mpu3 -iol.co.za###mpu600Container -heatworld.com###mpuLikeSection -chow.com###mpu_1 -oliveoiltimes.com###mpu_banner1 -avforums.com###mpu_inpost -iconosquare.com###mpusCenter -fox.com,momversation.com,spin.ph,thexfactorusa.com###mrec -earthlink.net###mrec-wdgt -fox.com###mrec-wrapper -spin.ph###mrec3 -ninemsn.com.au###mrecMod -pcworld.co.nz###mrec_bottom -nzherald.co.nz###mrktImg -computerweekly.com###msAD_cw_adtech_leaderboard_2 -computerweekly.com###msAD_cw_adtech_skyscraper_two_4 -search.cnbc.com###ms_aur -motorsport.com###ms_skins_top_box -yourwire.net###mscount -sharetera.com###msgDiv -ninemsn.com.au,ninemsn.seek.com.au###msnhd_div3 -yourmovies.com.au,yourrestaurants.com.au,yourtv.com.au###msnmd_div -everybody.co.nz###msnnz_ad_medium_rectangle -windowscentral.com###msny15banner -arstechnica.co.uk###msuk-wrapper -magicseaweed.com###msw-js-toggle-leader -knowfree.net,thepspblog.com###mta_bar -heritage.com###mthotdeal -mtv.co.uk###mtv-shop -ratemyprofessors.com###mtvBlock -nitrome.com###mu_2_container -malwarehelp.org###multimedia_box -myspace.com###music_googlelinks -myspace.com###music_medrec -euronews.com###musica-rolex-watch -wikinvest.com###mw-header -yahoo.com###mw-ysm-cm -news.yahoo.com###mw-ysm-cm_2-container -miningweekly.com###mw_q-search-powered -newshub.co.nz###mwbanner_td -yahoo.com###my-promo-hover -rally24.com###myBtn -tcpdump.com###myID -imagetwist.com###myad -bloggersentral.com###mybsa -lolzparade.com###mylikes_bar_all_items -jobstreet.com.sg###mysitelogo -forums.creativecow.net###mz[width="100%"][valign="top"][style="padding:20px 30px 30px 30px;"] + td[width="150"][valign="top"][style="padding:6px 10px 0px 0px;"]:last-child -rentalcars.com###name_price_ad -citationmachine.net###nantage-header -irishracing.com###naobox -entrepreneur.com###nav-promo-link -browserleaks.com###nav-right-logo -amazon.co.uk,amazon.com###nav-swmslot -rentals.com###nav_credit_report -kuhf.org###nav_sponsors -hongfire.com###navbar_notice_9 -usnews.com###navbuglink -esl.eu###navi_partner -webinspector.se###navigation_left -nbc.com###nbc-300 -truelocal.com.au###ndmadkit-memrec-1 -netcraft.com###netcraft-links-bottom -moviefone.com###netflix-promo -sandiegozoo.org###newhomesponosrs -askmen.com###news_popup -abovetopsecret.com###newsmax1 -abovetopsecret.com###newsmax2 -soccerlens.com###newsnowlogo -yakima-herald.com###newspaperads -theroot.com###nextbox -africam.com###nikona -aww.com.au###ninemsn-footer-container -cosmopolitan.com.au,dolly.com.au###ninemsn-leaderboard-footer -theberry.com###ninth-box -newsmax.com###nmBreakingNewsCont -amren.com###nmWidgetContainer -motherjones.com###node-body-break -songspk.live###nopop -website-unavailable.com###norecords -news.yahoo.com###north -sensis.com.au###northPfp -mail.yahoo.com###northbanner -sankakucomplex.com###noscript-warning -yocast.tv###notice -forums.somethingawful.com###notregistered -pv-tech.org###noty_bottomRight_layout_container -majorgeeks.com###novb -air1.com,klove.com###nowPlayingBuyMusic -firststreaming.com###nowplayinglinks -financialpost.com,nationalpost.com###npLeaderboard -about.com,gamefaqs.com###nrelate_related_placeholder -backpage.com###nsaLeaderBoard -nascar.com###nscrRCol160ad -nascar.com###nscrVideoAd -totalcmd.pl###nucom -mail.yahoo.com###nwPane -thedailybeast.com###nwsub_container -centralillinoisproud.com###nxcms_dotbiz -nydailynews.com###nydn-ads -nydailynews.com###nydn-footer-ad -nydailynews.com###nydn-top-ad -nytimes.com###nytmm-ss-big-ad-1 -nytimes.com###nytmm-ss-big-ad-2 -btmon.com###oafa_target_4 -btmon.com###oafa_target_6 -masala.com###oas-300x600 -autotrader.co.uk###oas-banner-0 -autotrader.co.uk###oas-banner-1 -autotrader.co.uk###oas-banner-2 -autotrader.co.uk###oas-banner-3 -masala.com###oas-mpu-left\<\/div\> -masala.com###oas-mpu-right\<\/div\> -moneycontrol.com###oas_bottom -foreclosure.com###obFlyMain -cbslocal.com###ob_paid_header -cleantechnica.com,treehugger.com###obog_signup_widget -cincinnati.com###ody-asset-breakout -democratandchronicle.com###ody-dealchicken -popsugar.com###offer-widget -funnyplace.org###oglas-desni -onhax.me###oh-prom-lasd -onhax.net###oh_promd -onhax.net###oh_promd-2 -firstonetv.eu###olay -cnet.com###omTrialPayImpression -ikeahackers.net###omc-sidebar .responsive-image -cleantechnica.com,watch-anime.net###omc-top-banner -wbaltv.com,wesh.com,wmur.com###omega -omg.yahoo.com###omg-lrec -azcentral.com###on-deals -radiotimes.com###on-demand -eweek.com###oneAssetIFrame -yeeeah.com###orangebox -windowscentral.com###orderarea -24wrestling.com###other-news -totallycrap.com###oursponsors -arstechnica.com###outbrain-recs-wrap -timesofisrael.com###outbrain-sidebar -hiphopwired.com###outbrain_wrapper -familysecuritymatters.org###outer_header -engadget.com###outerslice -mp4upload.com###over -beststreams.ru###over-small -playhd.eu###over_player_msg2 -deviantart.com###overhead-you-know-what -agame.com,animestigma.com,bestream.tv,newsbtc.com,notdoppler.com,powvideo.net,streamplay.to,uploadcrazy.net,vidcrazy.net,videoboxone.com,videovalley.net,vidup.org,vipboxeu.co,vipleague.me,viponlinesports.eu,webmfile.tv###overlay -mp4upload.com###overlay2 -speedvid.net,thevideo.me###overlayA -euro-pic.eu,imagewaste.com###overlayBg -theyeshivaworld.com###overlayDiv -happystreams.net###overlayPPU -reference.com###overlayRightA -thelakewoodscoop.com###overlaySecondDiv -deditv.com,fleon.me,mypremium.tv,skylo.me,streamme.cc,tooshocking.com,xtshare.com###overlayVid -agame.com###overlay_bg -canoe.ca###overlay_bigbox -viplivebox.eu###overlay_content -viplivebox.eu###overlay_countdown -thedailybeast.com###overlay_newsweek_container -reference.com###overlayleftA -rocksound.tv###overtake -imfdb.org###p-Sponsors -cpdl.org###p-__sponsor -cpdl.org###p-_sponsor -cpdl.org###p-affiliated_site -lyricwiki.org###p-navigation + .portlet -scout.com###p2rightbar -espnf1.com###p320B -espnf1.com###p320T -coloradoan.com,thenewsstar.com###p360_left_wrapper -superfundo.org,tv3.co.nz###pa -yahoo.com###paas-lrec -yahoo.com###paas-mrec -interfacelift.com###page > .row[style="height: 288px;"] -abbreviations.com,definitions.net,lyrics.net,quotes.net,synonyms.net###page-bottom-banner -conservativebyte.com###page-content > h3 + div[class] -huffingtonpost.com###page-header -animenewsnetwork.com,animenewsnetwork.com.au###page-header-banner -conservativebyte.com###page-sidebar > .sidebar-inner > :first-child + * -whathifi.com###pageHeader -nbcmontana.com###pageHeaderRow1 -weather.com###pageSpon2 -ninemsn.com.au###page_content_right -radaronline.com###page_content_right_small -facebook.com###pagelet_ads_when_no_friend_list_suggestion -facebook.com###pagelet_ego_pane a[ajaxify*="&eid="] -facebook.com###pagelet_ego_pane a[ajaxify*="&eid="] + div -facebook.com###pagelet_ego_pane a[href^="http://l.facebook.com/l.php?u="][href*="%26adgroup_id%"] -facebook.com###pagelet_ego_pane a[href^="http://l.facebook.com/l.php?u="][href*="utm_source%3Dfacebook%26"][href*="%26utm_medium%3Dcpc"] -facebook.com###pagelet_ego_pane a[href^="https://l.facebook.com/l.php?u="][href*="%26ad_id%"] -facebook.com###pagelet_ego_pane a[href^="https://l.facebook.com/l.php?u="][href*="%26ad_id%"] + div -facebook.com###pagelet_ego_pane a[href^="https://l.facebook.com/l.php?u="][href*="%26adgroup_id%"] -facebook.com###pagelet_ego_pane a[href^="https://l.facebook.com/l.php?u="][href*="fb_source%3Dad%26tag%3D"] -facebook.com###pagelet_ego_pane a[href^="https://l.facebook.com/l.php?u="][href*="fb_source%3Dad%26tag%3D"] + div -facebook.com###pagelet_ego_pane a[href^="https://l.facebook.com/l.php?u="][href*="utm_source%3Dfacebook%26"][href*="%26utm_medium%3Dcpc"] -warriorforum.com###pagenav_menu + div[align="center"] > a[target="_blank"] > img -offtopic.com###pagenav_menu + table[height="61"][cellspacing="0"][cellpadding="0"][border="0"][width="100%"] -sme.sk###paidLinks -thesun.co.uk###paidProducts -weather.com###paid_search -zonelyrics.net###panelRng -creativenerds.co.uk###panelTwoSponsors -kreditilan.blogspot.co.uk,kreditilan.blogspot.com,kreditilan.blogspot.de###parent_popup -foxbusiness.com###partner-business-exchange -nymag.com###partner-feeds -vigilante.pw###partner-list -businessinsider.com.au###partner-offers -hwbot.org###partner-tiles -cnn.com###partner-zone -nbcphiladelphia.com,nbcsandiego.com,nbcwashington.com###partnerBar -hbr.org###partnerCenter -nickjr.com###partnerLinks -newser.com###partnerTopBorder -huffingtonpost.com###partner_box -euronews.com###partner_link -weather.com###partner_offers -delish.com###partner_promo_module_container -whitepages.ca,whitepages.com###partner_searches -itworld.com###partner_strip -ew.com###partnerbar -ew.com###partnerbar-bottom -collegecandy.com###partnerlinks -cioupdate.com,datamation.com,earthweb.com,fastseduction.com,gp2series.com,gp3series.com,mfc.co.uk,muthafm.com,ninemsn.com.au,porttechnology.org,threatpost.com,wackyarchives.com###partners -arcticstartup.com###partners_125 -arrivealive.co.za###partners_container -behealthydaily.com###partners_content -ganool.com###pateni -patheos.com###patheos-ad-region -boards.adultswim.com###pattern-area -way2sms.com###payTM300 -carscoops.com###payload -binaries4all.com###payserver -binaries4all.com###payserver2 -seedpeer.eu###pblink_details_download_btn -seedpeer.eu###pblink_details_recommended_dl -pbs.org###pbsdoubleclick -nydailynews.com###pc-richards -demap.info###pcad -tucows.com###pct_popup_link -retrevo.com###pcw_bottom_inner -retrevo.com###pcw_int -retrevo.com###pcw_showcase -firstonetv.eu###pda -realestate.yahoo.com###pdp-ysm -torrentreactor.net###peelback -vosizneias.com###perm -theonion.com###personals -avclub.com###personals_content -topix.com###personals_promo -portforward.com###pfconfigspot -pricegrabber.com,tomshardware.com###pgad_Top -pricegrabber.com###pgad_topcat_bottom -richkent.com###phone -video2mp3.net###phone_top -video2mp3.net###phone_top_fixed -knowyourmobile.com###phones4u300_body -knowyourmobile.com###phones4u_body -knowyourmobile.com###phones4u_masthead -knowyourmobile.com###phones4u_masthead_500 -everyjoe.com###php-code-1 -toonzone.net###php_widget-18 -triggerbrothers.com.au###phpb2 -triggerbrothers.com.au###phpsky -dnsleak.com,emailipleak.com,ipv6leak.com###piaad -picarto.tv###picartospecialadult -heatworld.com###picks -fool.com###pitch -ratemyprofessors.com###placeholder728 -autotrader.co.uk###placeholderTopLeaderboard -thevideobee.to###play_hd -sockshare.com###playdiv div[style^="width:300px;height:250px"] -sockshare.com###playdiv tr > td[valign="middle"][align="center"]:first-child -indiana.edu###playerSponsor -exashare.com###player_das -allmyvideos.net,tikamika.info,vidspot.net###player_img -tikamika.info###player_img + [id][style*="position: absolute;"] -magnovideo.com###player_overlay -catstream.pw,espnwatch.tv,filotv.pw,orbitztv.co.uk###playerflash + script + div[class] -ytmnd.com###please_dont_block_me -cargames1.com###plyadu -mma-core.com###plyr > #overlay -lawnewz.com###pmad-byline -lawnewz.com###pmad-right -residentadvisor.net###pnlLeader -947.co.za###podcast-branding -sheridanmedia.com###poll-sponsor -wwl.com###pollsponsor -vg.no###poolMenu -backlinkwatch.com###popUpDiv -videolinkz.us###popout -hybridlava.com###popular-posts -newsbtc.com,team.tl###popup -dxomark.com###popupBlock -imgseeds.com###popupBox -celebjihad.com###popupDiv -imgseeds.com###popupOverlay -journal-news.net###popwin -cosmopolitan.com###pos_ams_cosmopolitan_bot -nvideo.eu###posa -ganool.com###post-35426 -tinypic.com###post-upload > div > div > :first-child -tinypic.com###post-upload div:last-child > div + * -io9.com,jalopnik.com,jezebel.com,kotaku.com,lifehacker.com###postTransitionOverlay -quickmeme.com###post[style="display: block;min-height: 290px; padding:0px;"] -wired.com###post_nav -techcrunch.com###post_unit_medrec -multichannel.com###postscript-top-wrapper -addictinggames.com###potw -bnet.com###powerPromo -gpone.com###powered_by -edrinks.net,mortgageguide101.com,twirlit.com###ppc -mypayingads.com###ppc_728_1 -zdnet.com###pplayLinks -prisonplanet.com###ppradio -cnsnews.com###pre-content -pinknews.co.uk###pre-head -chronicleonline.com,cryptoarticles.com,fstoppers.com,roanoke.com,sentinelnews.com,theandersonnews.com###pre-header -foodnetworkasia.com,foodnetworktv.com###pre-header-banner -surfline.com###preRoll -thevideo.me,vidup.me###pre_counter -dragcave.net###prefooter -bizjournals.com###prefpart -yourmovies.com.au,yourrestaurants.com.au,yourtv.com.au###preheader-ninemsn-container -mixupload.org###prekla -bassmaster.com###premier-sponsors-widget -nzgamer.com###premierholder -netnewscheck.com,tvnewscheck.com###premium-classifieds -youtube.com###premium-yva -nextag.com###premiumMerchant -usatoday.com###prerollOverlayPlayer -1cookinggames.com###previewthumbnailx250 -news24.com###pricechecklist -gamekyo.com###priceminister -mobilelikez.com###primary > #content > div + * -mobilelikez.com###primary > div > span + div > span:first-child -queenscourier.com###primary-sidebar -inquirer.net###primaryBottomSidebar -snapfiles.com###prodmsg -snapfiles.com###prodmsgdl -gizmodo.com.au###product-finder -productwiki.com###product-right -masstimes.org,thecatholicdirectory.com###products -androidauthority.com###products_widget -rapid8.com###prom -notepad.cc,runnow.eu###promo -nextgengamingblog.com###promo-300x250 -nextgengamingblog.com###promo-468x60 -artistsandillustrators.co.uk###promo-area -computerandvideogames.com###promo-h -miniclip.com###promo-mast -wayfm.com###promo-roll -miniclip.com###promo-unit -nbcuni.com###promo1 -nbcuni.com###promo9 -fhm.com###promoContainer -8newsnow.com###promoHeader -asseenontv.com###promoMod -macupdate.com###promoSidebar -maxim.com###promoSlide -startpage.com###promo_cnt_id -wsj.com###promo_container -yahoo.com###promo_links_list -phonescoop.com###promob -agame.com###promobar -mdjonline.com,thestranger.com###promos -und.com###promos-story-wrap -und.com###promos-wrap -networkworld.com###promoslot -eclipse.org,hotscripts.com###promotion -reminderfox.mozdev.org###promotion3 -sherdog.net###promotion_container -newsroomamerica.com###promotional -thebulls.co.za###promotions -thesuperficial.com###pronto-container -thehomepage.com.au###prop-foot-728x90 -independent.co.uk,standard.co.uk###propCar -my-proxy.com###proxy-bottom -newyorker.com###ps2_fs2_yrail -newyorker.com###ps3_fs1_yrail -ecommercetimes.com,linuxinsider.com,macnewsworld.com,technewsworld.com###ptl -sk-gaming.com###pts -sk-gaming.com###ptsf -rocvideo.tv###pu-pomy -digitalversus.com###pub-banner -digitalversus.com###pub-right-top -nexusmods.com###pub728x90 -cnet.com###pubUpgradeUnit -jeuxvideo-flash.com###pub_header -frequence-radio.com###pub_listing_top -skyrock.com###pub_up -tvlizer.com###pubfooter -hellomagazine.com###publi -surinenglish.com###publicidades_top -thenextweb.com###pubtop -herold.at###puls4 -newsweek.com###pulse360 -nymag.com,thebusinessdesk.com###pushdown -washingtonian.com###pushdown-unit -pep.ph###pushdown-wrapper -neopets.com###pushdown_banner -miningweekly.com###q-search-powered -thriveforums.org###qr_defaultcontainer.qrcontainer -ign.com###queen -inbox.com,search.aol.com###r -dnssearch.rr.com,optu.search-help.net###rSrch -oldgames.sk###r_TopBar -thedugoutdoctors.com,thehoopdoctors.com###r_sidebar -gantdaily.com###r_sidebar_banners -unfair.co###r_sidebarwidgeted -mobilenapps.com###r_sponsor -barbavid.com###rabbax -technozeast.com,youtube-mp3.org###rad -answers.com###radLinks -ehow.co.uk###radlinks -freevermontradio.org###rads -collegefashion.net###rainbowsparkleunicorn -armorgames.com###randomgame -rappler.com###rappler3-common-desktop-middle-ad -amazon.com###raw-search-desktop-advertising-tower-1 -imageporter.com###ray_ban -ndtv.com###rbox-t2v a[href^="http://tba"] -reference.com###rc -reverso.net###rca -pt-news.org###rcb1 -holytaco.com###re_ad_300x250 -yahoo.com###rec -akihabaranews.com###recHome -akihabaranews.com###recSidebar -deliciousdays.com###recipeshelf -wambie.com###recomendar_728 -dailydot.com###recommendation-engine -vg247.com###recommendations -tucows.com###recommended_hdg -doodle.com###rect -pixdaus.com###rectBanner -ap.org,moviemistakes.com,tvfanatic.com,zattoo.com###rectangle -order-order.com###rectangle-unit -bizrate.com###rectangular -dict.cc###rectcompactbot -dict.cc###recthome -dict.cc###recthomebot -1tiny.net###redirectBlock -bloemfonteincelticfc.co.za###reebok_banner -expertreviews.co.uk###reevoo-top-three-offers -pcadvisor.co.uk###reevooComparePricesContainerId -pcadvisor.co.uk###reevooFromPrice -bnet.com###reg-overlay -yahoo.com###reg-promos -dailyxtra.com###region-superleaderboard -thedailystar.net###rehab_ad_tds_web -xpgamesaves.com###reklam -atdhe.eu###reklama_mezi_linky -gorillavid.in###related > a[target="_blank"] -filmschoolrejects.com###related-items -moneynews.com,newsmax.com,newsmaxhealth.com,newsmaxworld.com###relatedlinks -winkeyfinder.com###render -thehomepage.com.au###res-mid-728x90 -thehomepage.com.au###res-side-160x600 -thehomepage.com.au###res-top-728x90 -mumsnet.com###reskin_left -mumsnet.com###reskin_right -ign.com###resonance -zillow.com###resource-center -zdnet.com###resourceCentre -computerworld.com,networkworld.com###resources-sponsored-links -url.org###resspons1 -url.org###resspons2 -metric-conversions.org###resultBanner -herold.at###resultList > #downloadBox -search.iminent.com,start.iminent.com###result_zone_bottom -search.iminent.com,start.iminent.com###result_zone_top -filesdeck.com###results-for > .r > .rL > a[target="_blank"][href^="/out.php"] -search.excite.co.uk###results11_container -indeed.com###resultsCol > .lastRow + div[class] -indeed.com###resultsCol > .messageContainer + style + div + script + style + div[class] -dealwifi.com###resultsShopping -qwant.com###resultsShoppingList -nowtorrents.com###results_show_2 -illusionoftheyear.com###rev-slider-widget-2 -illusionoftheyear.com###rev_slider_2_2_wrapper -cnet.com###reviewsPanel -msn.co.nz###rhc_find -ninemsn.com.au###rhc_mrec -imdb.com###rhs-sl -imdb.com###rhs_cornerstone_wrapper -pcworld.idg.com.au###rhs_resource_promo -eel.surf7.net.my,macdailynews.com,ocia.net###right -search.yahoo.com###right .dd[style="cursor: pointer;"] -search.yahoo.com###right .dd[style^="background-color:#FFF;border-color:#FFF;padding:"] .compList -forgottenweapons.com###right > #text-3 -ninemsn.com.au###right > .bdr > #ysm -search.yahoo.com###right > div > style + * li .dd > div[class] -123chase.com###right-adv-one -foodingredientsfirst.com,nutritionhorizon.com,tgdaily.com###right-banner -vidstatsx.com###right-bottom -treatmentabroad.net###right-inner -wenn.com###right-panel-galleries -shortlist.com###right-sideburn -narutofan.com###right-spon -vidstatsx.com###right-top -realcleartechnology.com###right-wide-skyscraper -popsci.com###right1-position -gtopala.com###right160 -popsci.com###right2-position -tnt.tv###right300x250 -cartoonnetwork.co.nz,cartoonnetwork.com.au,cartoonnetworkasia.com,cdcovers.cc,gizgag.com,prevention.com,slacker.com,telegramcommunications.com###rightBanner -watchcartoononline.com###rightBannerOut -cantyouseeimbusy.com###rightBottom -linuxforums.org,quackit.com###rightColumn -maltatoday.com.mt###rightContainer -thelakewoodscoop.com###rightFloat -yahoo.com###rightGutter -cosmopolitan.com###rightRailAMS -befunky.com###rightReklam -totalfark.com###rightSideRightMenubar -playstationlifestyle.net###rightSkyscraper -itworldcanada.com###rightTopSponsor -files.fm###right_add -sosuanews.com###right_banner -mediacorp.sg###right_banner_placeholder -picfont.com###right_block1 -ffiles.com###right_col -necn.com###right_generic_117 -necn.com###right_generic_121 -necn.com###right_generic_175 -themtn.tv###right_generic_47 -necn.com###right_generic_v11_3 -notdoppler.com###right_link -psinsider.e-mpire.com###right_main_1 -hardware.info###right_top -theblaze.com###right_top_160x600 -mumbaimirror.com###rightarea -vg247.com###rightbar > #halfpage -urlcash.net###rightbox -capetownetc.com,sarugbymag.co.za###rightclick -portable64.com###rightcol -liveleak.com###rightcol > .sidebox > .gradient > p > a[target="_blank"] -cokeandpopcorn.com###rightcol3 -newsarama.com###rightcol_mid -laptopmag.com###rightcol_top -tomsguide.com,tomshardware.co.uk,tomshardware.com###rightcol_top_anchor -mysuncoast.com###rightcolumnpromo -stuff.co.nz###rightgutter -810varsity.com###rightsidebanner -herold.at###rightsponsor -elyricsworld.com###ringtone -tubeconverter.net###ringtone-button -youtump3.com###ringtoner -egotastic.com,idolator.com,socialitelife.com,thesuperficial.com###river-container -megarapid.net,megashare.com,scrapetorrent.com###rmiad -megashare.com###rmishim -brenz.net###rndBanner -actiontrip.com,comingsoon.net,craveonline.com,dvdfile.com,ecnmag.com,gamerevolution.com,manchesterconfidential.co.uk,thefashionspot.com,videogamer.com###roadblock -windowsitpro.com,winsupersite.com###roadblockbackground -winsupersite.com###roadblockcontainer -mirror.co.uk###roffers-top -barclaysatpworldtourfinals.com###rolex-small-clock -kewlshare.com###rollAdRKLA -moviezer.com###rootDiv[style^="width:300px;"] -logupdateafrica.com###rotating-item-wrapper -lionsrugby.co.za###rotator -lionsrugby.co.za###rotator2 -powerboat-world.com###rotator_url -alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flyergroup.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net###rounded-corners-findnsave -zam.com###row-top -cybergamer.com###row_banner_dvrtsmnt -yttalk.com###rpmtop -parentdish.co.uk###rr-amazon -search-results.com###rr_sa_container -redsharknews.com###rsBannerStrip -core77.com###rsDesignDir -theprovince.com,vancouversun.com###rsm_widget_wrapper -lettercount.com###rssincl-box-1031699 > .rssincl-content > .rssincl-entry > .rssincl-itemdesc -eprop.co.za###rt-top -rte.ie###rte-header-leaderboard -rte.ie###rte-masthead-topleft -pages.ebay.com###rtm_1658 -ebay.ie###rtm_NB -motors.ebay.com###rtm_div_193 -ebay.co.uk,ebay.com###rtm_html_194 -ebay.ie###rtm_html_225 -ebay.co.uk###rtm_html_274 -ebay.co.uk###rtm_html_275 -ebay.co.uk,ebay.com###rtm_html_391 -ebay.com###rtm_html_441 -ebay.co.uk###rtm_html_566 -ebay.co.uk###rtm_html_567 -ebay.co.uk,ebay.com###rtm_html_569 -watch-series.to###rufous-sandbox + * -dailywire.com###rv-smallvid-mobile -food.com###rz-leaderboard-wrap -ragezone.com###rz_global_below_navbar -ragezone.com###rz_global_header1 -crawler.com###s -classifieds.co.uk###s123results -420careers.com###s1sidebarcontainer -crawler.com###s2 -420careers.com###s3sidebarcontainer -420careers.com###s4sidebarcontainer -capitalradiomalawi.com###s5_pos_below_body_1 -capitalradiomalawi.com###s5_pos_bottom_row2_1 -capitalradiomalawi.com###s5_pos_top_row1_1 -search.charter.net,search.frontier.com###sRhtSde -youtube-mp3.org###sad -nickutopia.com###sad336 -presidiacreative.com###sads -salary.com###sal_pg_abv -msn.com###sales1 -msn.com###sales2 -msn.com###sales3 -msn.com###sales4 -watchwweonline.org###samdav-locker -watchwweonline.org###samdav-wrapper -sawlive.tv###sawdiv -wbez.org###sb-container -casinonewsdaily.com###sb-featured -nickutopia.com###sb160 -cheatsheet.com###sb_broker_container -codefuture.co.uk###sb_left -hwhills.com###sb_left_tower -scholastic.com###schlSkyscraper -sciencesdaily.info###sciencedaily_rectangle -cartoonnetwork.com###scraper -alloy.com###screen_scene_module -newsbusters.org###screenoverlay -pcweenies.com###scribol -techpounce.com###scribol-block -flexiblewebdesign.com###scroll -opensubtitles.org###scrubbuad_style -espnscrum.com###scrumRhsBgMpu -espnscrum.com###scrumRhsBgTxtLks -hentai2read.com###sct_banner_980_60 -stardoll.com###sdads_bt_2 -zillow.com###search-featured-partners -docspot.com###search-leaderboard -youtube.com###search-pva -sail-world.com###searchRotation -zoozle.org###search_right -zoozle.org###search_topline -bitenova.nl,bitenova.org###search_un -tribune.com.ng###searchmod-surround -urlgone.com###secondColumn -kontraband.com###second_nav_container -kontraband.com###second_nav_content_container -zuula.com###secondary -toptenz.net###secondary > .widget + div -smarterfox.com###secondary-banner -thevideo.me###secondaryto -way2sms.com###secreg2 -neoseeker.com###section-pagetop -desiretoinspire.net###sectionContent2275769 -desiretoinspire.net###sectionContent5389870 -whatismyipaddress.com###section_right -edomaining.com###sedo-search -scoop.co.nz###seek_table -searchenginejournal.com###sej-bg-takeover-left -searchenginejournal.com###sej-bg-takeover-right -inc.com###select_services -isohunt.to###serps .title-row > a[rel="nofollow"][href="#"] -website-unavailable.com###servfail-records -letterboxd.com###services -gamesgames.com###sgAdMrCp300x250 -girlsgogames.com###sgAdMrScp300x250 -gamesgames.com###sgAdScCp160x600 -girlsgogames.com###sgAdScHp160x600 -girlsgogames.com###sgAdScScp160x600 -in.msn.com###shaadicom -msn.com###shadi_flash -mercola.com###shadowbox_container -tubeplus.me###share -localhostr.com###share2 -youtube.com###shelf-pyv-container -shidurlive.com###shidurdiv -someecards.com###shop -expertreviews.co.uk###shopperButton -broadcastnewsroom.com###shopperartbox -macworld.com,maxthon.com###shopping -cnet.com.au###shopping-339279174 -indianexpress.com###shopping_deals -qj.net###shoppingapi -bellasugar.com,tressugar.com###shopstyle-sidebar-container -10minutemail.com###shoutouts -ytv.com###show-big-box -tunegenie.com###showad -isxdead.com###showbox -coolhunting.com###showcase -famouscelebritiespictures.com,xtremevbtalk.com###showimage -crunchyroll.ca###showmedia_square_adbox_new -tribune.com.ng###showmodules -fbcoverlover.com###shownOnlyOnceADay -wwtdd.com###showpping -si.com###si-com-ad-widget -usatoday.com###side-banner1 -usatoday.com###side-banner2 -feedmyapp.com###side-bsa -thebestdesigns.com###side-sponsor -gamingunion.net###side-sponsors -howtogeek.com###side78 -iphonefaq.org###sideBarsMiddle -iphonefaq.org###sideBarsTop -iphonefaq.org###sideBarsTop-sub -slickdeals.net###sideColumn > .au -tomsguide.com,tomshardware.co.uk###sideOffers -space.com###side[style="width: 100%; display: block; height: auto;"] -khmertimeskh.com,webappers.com###side_banner -beatweek.com,filedropper.com,mininova.org,need4file.com,qwantz.com,rockdizfile.com,satelliteguys.us###sidebar -infowars.com###sidebar :first-child + * + * + * + [class] -cryptoarticles.com###sidebar > #sidebarBlocks -kodi.tv###sidebar > #text-5 -sharktankblog.com###sidebar > #text-85 -inquisitr.com###sidebar > .WP_Widget_Ad_manager + div -yauba.com###sidebar > .block_result:first-child -torrentfreak.com###sidebar > .widget_text -infowars.com###sidebar > :first-child > :first-child + * + * + [class] -collectivelyconscious.net###sidebar > [style*="display:"] -nuttynewstoday.com###sidebar > div[style="height:120px;"] -infowars.com###sidebar > ul > :first-child -infowars.com###sidebar > ul > :first-child + * -infowars.com###sidebar > ul > :first-child + * + * -krebsonsecurity.com###sidebar-250 -pa-magazine.com###sidebar-banner -tvlizer.com###sidebar-bottom -lionsdenu.com,travelwkly.com###sidebar-bottom-left -lionsdenu.com###sidebar-bottom-right -krebsonsecurity.com###sidebar-box -sbs.com.au###sidebar-first -cloudpro.co.uk###sidebar-first-inner -eaglewavesradio.com.au###sidebar-header -wearebaked.com###sidebar-left > #text-2 -tricycle.com###sidebar-logos -bustocoach.com###sidebar-right -equestriadaily.com###sidebar-right-search -domaininvesting.com,elliotsblog.com###sidebar-sps -televisionfanatic.com###sidebar-watch-more -dailysurge.com###sidebar-wrapper > div[class]:first-child -dailysurge.com###sidebar-wrapper > ul > .sidebar-widget:first-child + [class] -deviantart.com###sidebar-you-know-what -bored.com###sidebar1head -p2pnet.net###sidebar2 -hybridlava.com###sidebar200 -uncoached.com,unrealitymag.com###sidebar300X250 -petapixel.com,pgatour.com###sidebar300x250 -thecourier.co.uk###sidebarMiddleCol -inquirer.net###sidebarTabs -inquirer.net###sidebarTabs1 -inquirer.net###sidebarTabs2 -thetechjournal.com###sidebar_after_1000px -sundancechannel.com###sidebar_banner -nbntv.com.au###sidebar_banner1 -bestweekever.tv###sidebar_buzzfeed -moneymakerdiscussion.com###sidebar_container[style="width: 200px;"] -destructoid.com###sidebar_dad -destructoid.com###sidebar_dad_contact -forbes.com###sidebar_follower -motorcycle.com###sidebar_leaderboard -dzone.com,poponthepop.com###sidebar_rectangle -icanhascheezburger.com###sidebar_scraper -doityourself.com###sidebar_text_link_container -smashingmagazine.com###sidebaradtarget -webupd8.org###sidebard-top-wrapper -racingweb.co.za###sidebarfrontright -polodomains.com###sidebarin -opendocument.xml.org###sidebarright -dooce.com###sidebarskyholder -quickonlinetips.com###sideboxfeature3 -forum.xda-developers.com###sidepanel > div[style="text-align: center;"] -gamepedia.com###siderail -saportareport.com###sidetopleft -sikids.com###sifk_topper -zerohedge.com###similar-box -imagebunk.com###simplemodal-container -imagebunk.com###simplemodal-overlay -pitgrit.com###single-content > div > div[class]:first-child -pitgrit.com###single-content > script + div[style^="font-weight: "] -virtualpets.com###site-banner -fastcocreate.com###site-header -kiplinger.com,typepad.com###site-sponsor -knucklesunited.com###site-title -opendemocracy.net###site-topbanner -kstp.com###siteHeaderLeaderboard -arsenal-mania.com###sitePromos -reddit.com###siteTable_organic -texastribune.org###site_roofline -cybergamer.com###site_skin -cybergamer.com###site_skin_spacer -escapistmagazine.com###site_top_part -smsfun.com.au###sitebanners -slashdot.org###sitenotice -torrenttree.com###sites_right -bhaskar.com###sitetakeoverimg -allmyvids.de###sitewide160right -2oceansvibe.com,djmag.co.uk,djmag.com,expertreviews.co.uk,mediaite.com,pcpro.co.uk,postgradproblems.com,race-dezert.com###skin -dorkly.com###skin-banner -jest.com###skin_banner -idg.com.au###skin_bump -animenewsnetwork.com###skin_header -animenewsnetwork.com###skin_left -24video.xxx###skin_link -fleshbot.com###skin_wrap -bit-tech.net###skinclick -n4g.com###skinlink -metalinjection.net###skinoverlay -kovideo.net###skip -dafont.com,dealchecker.co.uk,play.tm,torrent-finder.info,yellowpages.com.my###sky -skytv.co.nz###sky-banner -aol.co.uk,skysports.com###sky-bet-accordian -homeportfolio.com###sky-bottom -moneysupermarket.com###sky-container -capitalfm.com,heart.co.uk###sky1 -itpro.co.uk###skyScraper -expertreviews.co.uk,pcpro.co.uk###skyScrapper -expertreviews.co.uk###skyScrapper2 -nickydigital.com###sky_scrapper -ps3hax.net###sky_top -webopedia.com###skypartnerset -ebay.co.uk,ebay.com,ebay.com.au###skyscrape -975countrykhcm.com,boomerangtv.co.uk,broadcastingcable.com,bustedcoverage.com,camchat.org,consumerist.com,eurogamer.net,family.ca,ghanaweb.com,hypable.com,king-mag.com,law.com,macuser.co.uk,menshealth.com,metrotimes.com,mp3tag.de,newsdaily.com,nme.com,pcworld.com,politics.co.uk,poponthepop.com,sportfishingbc.com,thehollywoodgossip.com,thesmokinggun.com,tmz.com,topgear.com,torontosun.com,tvfanatic.com,ucomparehealthcare.com,uncut.co.uk,victoriaadvocate.com,zerochan.net###skyscraper -4teachers.org###skyscraper-container -s1jobs.com###skyscraper-target -icanhascheezburger.com,ifans.com###skyscraper1 -ifans.com###skyscraper2 -jokes2go.com###skyscraperDiv -prevention.com###skyscraperWrap -nitrome.com,pri.org###skyscraper_box -globrix.com###skyscraper_container -m-w.com###skyscraper_creative_2 -nitrome.com###skyscraper_description -nitrome.com###skyscraper_shadow -humanevents.com###skyscraperbox -alloaadvertiser.com,ardrossanherald.com,ayradvertiser.com,barrheadnews.com,bordertelegraph.com,bracknellnews.co.uk,carrickherald.com,centralfifetimes.com,clydebankpost.co.uk,cumnockchronicle.com,dumbartonreporter.co.uk,eastlothiancourier.com,greenocktelegraph.co.uk,helensburghadvertiser.co.uk,irvinetimes.com,largsandmillportnews.com,localberkshire.co.uk,newburyandthatchamchronicle.co.uk,peeblesshirenews.com,readingchronicle.co.uk,sloughobserver.co.uk,strathallantimes.co.uk,the-gazette.co.uk,thevillager.co.uk,troontimes.com,windsorobserver.co.uk###skyscrapers -bustedcoverage.com,xdafileserver.nl###skyscrapper -computerandvideogames.com,officialnintendomagazine.co.uk,oxm.co.uk###skyslot -sevenload.com###skyyscraperContainer -allexperts.com,gifts.com###sl -housebeautiful.com###sl_head -gifts.com###slbox -mobafire.com###slide-up -bluff.com,bluffmagazine.com###slideBanner -timesfreepress.com###slidebillboard -roseindia.net###slidebox -live365.com###slider -classicfm.co.za###slider-container -yellowpagesofafrica.com###sliderPub -hktdc.com###sliderbanner -thephuketnews.com###slides -yellowpageskenya.com###slideshow -cio.com.au###slideshow_boombox -790kspd.com###slideshowwidget-8 -bizrate.com###slimBannerContainer -mail.yahoo.com###slot_LREC -mail.yahoo.com###slot_MB -mail.yahoo.com###slot_REC -connectionstrings.com###slot_bottom -connectionstrings.com###slot_leftmenu -connectionstrings.com###slot_top -connectionstrings.com###slotfirstpage -uploadc.com,zalaa.com###slowcodec -newsweek.com###slug_bigbox -sportsmole.co.uk###sm_shop -dailyrecord.co.uk###sma-val-service -ikascore.com###smalisted -cnn.com###smartassetcontainer -unfinishedman.com###smartest-banner-2 -reviewjournal.com###smedia-upickem_deals_widget -powerpointstyles.com###smowtion300250 -pedestrian.tv###snap -denverpost.com###snowReportFooter -tfportal.net###snt_wrapper -soccer24.co.zw###soccer24-ad -cioupdate.com,webopedia.com###solsect -knowyourmeme.com###sonic -sensis.com.au###southPfp -stv.tv###sp-mpu-container -aol.com###spA -thedailygreen.com###sp_footer -collegefashion.net###spawnsers -torontolife.com###special-messages -geeksaresexy.net###special-offers -news.com.au###special-promotion -cnet.com###specialDrawer -videogamer.com###specialFeatures -countryliving.com###specialOffer -countryliving.com###special_offer -redbookmag.com###special_offer_300x200 -cboe.com###special_offers -pcmag.com###special_offers_trio -winrumors.com###specialfriend -totallycrap.com###specials -rapid4me.com###speed_table -pricegrabber.co.uk###spl -filestube.to###spla -fxempire.com###splash_over -fxempire.com###splash_wraper -aol.com###splink -aol.com###splinkRight -winsupersite.com###splinkholder -cnet.com,howdesign.com###splinks -realestate.aol.com###splinktop -delicious.com###spns -downloads.codefi.re###spo -downloads.codefi.re###spo2 -katz.cr###spon -eweek.com###spon-con -eweek.com###spon-list -diynetwork.com###spon-recommendations -dailyhaha.com###spon300 -krillion.com###sponCol -rockdizfile.com###spon_down -rockdizfile.com###spon_down2 -foreignpolicy.com###spon_reports -quakelive.com###spon_vert -phonescoop.com###sponboxb -firstpost.com###sponrht -ninemsn.com.au###spons_left -baseball-reference.com,breakingtravelnews.com,christianpost.com,compfight.com,europages.co.uk,itweb.co.za,japanvisitor.com,lmgtfy.com,mothering.com,neave.com,otcmarkets.com,progressillinois.com,ragezone.com,submarinecablemap.com,telegeography.com,tsn.ca,tvnz.co.nz,wallpapercropper.com,walyou.com,wgr550.com,wsjs.com,yahoo.com###sponsor -leedsunited.com###sponsor-bar -opb.org###sponsor-big-default-location -mirror.ninja###sponsor-container -detroitnews.com###sponsor-flyout -meteo-allerta.it,meteocentrale.ch,meteozentral.lu,severe-weather-centre.co.uk,severe-weather-ireland.com,vader-alarm.se###sponsor-info -publicfinanceinternational.org###sponsor-inner -itweb.co.za,submarinecablemap.com###sponsor-logo -zymic.com###sponsor-partners -talktalk.co.uk###sponsor-search -opb.org###sponsor-small-default-location -friendster.com###sponsor-wrap -itweb.co.za,lmgtfy.com###sponsor1 -lmgtfy.com###sponsor2 -americanidol.com###sponsorLogos -ohio.com###sponsorTxt -mlb.com###sponsor_container -football-league.co.uk###sponsor_links -health365.com.au###sponsor_logo_s -lmgtfy.com###sponsor_wrapper -7search.com,filenewz.com,general-fil.es,general-files.com,generalfil.es,independent.ie,internetretailer.com,ixquick.co.uk,ixquick.com,nickjr.com,rewind949.com,slickdeals.net,startpage.com,webhostingtalk.com,yahoo.com###sponsored -theweathernetwork.com###sponsored-by -webhostingtalk.com###sponsored-clear -chacha.com###sponsored-question -foxnews.com###sponsored-stories -fbdownloader.com###sponsored-top -lastminute.com###sponsoredFeature -lastminute.com###sponsoredFeatureModule -theblaze.com###sponsored_stories -smashingmagazine.com###sponsorlisttarget -abalive.com,abestweb.com,autotrader.com.au,barnsleyfc.co.uk,bbb.org,bcfc.com,bestuff.com,blackpoolfc.co.uk,boattrader.com.au,burnleyfootballclub.com,bwfc.co.uk,cafc.co.uk,cardiffcityfc.co.uk,christianity.com,cpfc.co.uk,dakar.com,dcfc.co.uk,digitalmusicnews.com,easternprovincerugby.com,etftrends.com,fastseduction.com,fiaformulae.com,football-league.co.uk,geekwire.com,gerweck.net,goseattleu.com,hullcitytigers.com,iconfinder.com,itfc.co.uk,justauto.com.au,kiswrockgirls.com,landreport.com,law.com,lcfc.com,manutd.com,myam1230.com,noupe.com,paidcontent.org,pba.com,pcmag.com,petri.co.il,pingdom.com,psl.co.za,race-dezert.com,rovers.co.uk,sjsuspartans.com,soompi.com,sponsorselect.com,star883.org,tapemastersinc.net,techmeme.com,trendafrica.co.za,waronyou.com,whenitdrops.com###sponsors -newarkrbp.org###sponsors-container-outer -sanjose.com###sponsors-module -und.com###sponsors-story-wrap -und.com###sponsors-wrap -techie-buzz.com###sponsors2 -netchunks.com###sponsorsM -feedly.com###sponsorsModule_part -clubwebsite.co.uk###sponsors_bottom -ourworldofenergy.com###sponsors_container -wrc.com###sponsorsbtm -ibtimes.com,npr.org,pbs.org###sponsorship -backstage.com###sponsorsmod -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se###sponzored-widget -compareraja.in###spopup -cnet.com###spotBidHeader -cnet.com###spotbid -mangafox.me###spotlight -memory-alpha.org###spotlight_footer -justdubs.tv###spots -qj.net###sqspan -zam.com###square-box -allakhazam.com###square-box:first-child -comicbookmovie.com###squareATF -newsonjapan.com###squarebanner300x250 -rent.ie###sresult_banner -realestate.yahoo.com###srp-ysm -gifts.com###srp_sl -computerworld.co.nz,pcworld.co.nz###ss-mrec -fun.familyeducation.com,genealogy.familyeducation.com,infoplease.com###ssky -speedtest.net###st-flash > div[class] > [style^="width:"] -sourceforge.net###stackcommerce-header -saharareporters.com###stage-header -businessdictionary.com###standalone_text -khistocks.com,milb.com###standard_banner -cucirca.eu###stanga -alternativeto.net###startpage-right -mypayingads.com###static_468_1 -capitalfm.com.my,red.fm###stationbannersliderwrapper -activistpost.com###stb-overlay -rally24.com###stickedPanel -gizchina.com###sticky-anchor -gizchina.com###sticky-anchor-right -mashable.com###sticky-spacer -propakistani.pk###sticky_banner2 -ncregister.com###sticky_box -retronintendogames.com###sticky_footer -stltoday.com###stl-below-content-02 -dailypuppy.com###stop_puppy_mills -someecards.com###store -dailyherald.com###storyMore -cbc.ca###storymiddle -instyle.co.uk###style_it_light_ad -africageographic.com###sub-banners -praag.org###sub-header -discovermagazine.com###sub-portlet -wjunction.com###subBar -ubergizmo.com###sub_footer -usmagazine.com###sub_form_popup -mayoclinic.com###subbox -msn.com,theatlantic.com###subform -dallasvoice.com,dealerscope.com,gamegrep.com,winamp.com###subheader -ebaumsworld.com###subheader_atf_wrapper -foodandwine.com###subscModule -macworld.com,pcworld.com###subscribeForm -vg247.com###subuffer -streams.tv###sunGarden -hollywire.com###super-header -chicagomag.com###super-leaderboard-wrapper -theaustralian.com.au###super-skin-center -theaustralian.com.au###super-skin-left-wrapper -theaustralian.com.au###super-skin-right-wrapper -detroitnews.com###super-widget -ugo.com###superMast -sevenload.com###superbaannerContainer -canoe.ca,free-css.com,wral.com###superbanner -dzone.com###superboard -shacknews.com###superleader -news.com.au###superskin -mediaite.com###supertop -dashnet.org###support -marketplace.org###support_block_side -macnn.com###supportbod -eco-business.com###supporting_orgs -mail.yahoo.com###swPane -edmunds.com###sway-banner -epicurious.com###sweepstakes -picp2.com###system -unlockboot.com###t-banner -mma-core.com###ta_pnlAd -livescore.in###tab-bonus-offers -flashscore.com,livescore.in###tab-odds -ipmart-forum.com###table1 -dropvideo.com###table1[width="100%"][height="100%"][border="0"] -saynoto0870.com###table2[bordercolor="#000000"] -macupdate.com###table_bot_l -fulldls.com###table_filter + .torrent_table -atdhe.eu###table_linky:last-child > thead:first-child -torrentzap.com###table_self -movie2k.tl###tablemoviesindex > tbody:first-child:last-child > tr:last-child -movie4k.to###tablemoviesindex:last-child > tbody:first-child:last-child > tr:last-child -ndtv.com###taboola-below-main-column-sc -documentaryheaven.com###taboola-below-video-thumbnails -rgj.com###taboola-column-c-new-google -ndtv.com###taboola-right-rail -crystalmedianetworks.com###tabs_banner -shorpy.com###tad -bediddle.com###tads -google.com###tadsc -ajaxian.com###taeheader -anilinkz.io,anilinkz.tv###tago -esquire.com,meetme.com,muscleandfitness.com,techvideo.tv,trailrunnermag.com###takeover -techvideo.tv###takeover-spazio -nme.com###takeover_head -nme.com###takeover_left -channel5.com###takeover_link -nme.com###takeover_right -broadbandgenie.co.uk,thesun.co.uk###takeoverleft -broadbandgenie.co.uk,thesun.co.uk###takeoverright -icxm.net###tall_tag -boardgamegeek.com###tanga -taste.com.au###taste-right-banner -runescape.com###tb -manchesterconfidential.co.uk###tb_bnr -baltictimes.com###tbt_system_note -thesaurus.com###tcomad_728x90_0 -saleminteractivemedia.com###td_leaderboard -listenlive.co###td_leaderboard_wrapper -news.aol.co.uk###tdiv60 -aol.co.uk###tdiv71 -news.aol.co.uk###tdiv74 -ciao.co.uk###tealium-leaderboard -ciao.co.uk###tealium-mpu-bottom -ciao.co.uk###tealium-mpu-middle -ciao.co.uk###tealium-skyscraper-old -independent.co.uk###tertiaryColumn > .slider -diablo3builds.com,financialsurvivalnetwork.com,popbytes.com###text-10 -geeky-gadgets.com###text-105335641 -nag.co.za###text-10551 -newsfirst.lk###text-106 -thisisf1.com###text-108 -couponistaqueen.com,dispatchlive.co.za,ncr1037.co.za###text-11 -newsday.co.zw###text-115 -callingallgeeks.org,cathnews.co.nz,gizchina.com,myx.tv,omgubuntu.co.uk###text-12 -cleantechnica.com###text-121 -airlinereporter.com,myx.tv,omgubuntu.co.uk,radiosurvivor.com,wphostingdiscount.com###text-13 -dispatchlive.co.za,krebsonsecurity.com,myx.tv,omgubuntu.co.uk,planetinsane.com###text-14 -newagebd.net###text-15 -razorianfly.com###text-155 -gizchina.com,thesurvivalistblog.net###text-16 -belfastmediagroup.com,englishrussia.com,pocketnow.com,simpleprogrammer.com,thechive.com,weekender.com.sg###text-17 -delimiter.com.au###text-170 -netchunks.com,planetinsane.com,radiosurvivor.com,sitetrail.com,thechive.com###text-18 -delimiter.com.au###text-180 -delimiter.com.au###text-189 -collective-evolution.com,pocketnow.com,popbytes.com,thechive.com###text-19 -delimiter.com.au###text-192 -delimiter.com.au###text-195 -ncr1037.co.za,newagebd.net,smitedatamining.com###text-2 -businessdayonline.com,callingallgeeks.org,conservativevideos.com,financialsurvivalnetwork.com###text-21 -airlinereporter.com,callingallgeeks.org,gizchina.com,omgubuntu.co.uk,queenstribune.com###text-22 -omgubuntu.co.uk,queenstribune.com###text-23 -tehelka.com###text-236 -tehelka.com###text-238 -queenstribune.com###text-24 -netchunks.com###text-25 -2smsupernetwork.com,pzfeed.com,queenstribune.com###text-26 -2smsupernetwork.com,beijingtoday.com.cn,sonyalpharumors.com###text-28 -beijingcream.com,beijingtoday.com.cn###text-29 -2smsupernetwork.com,airlinereporter.com,buddyhead.com,mbworld.org,mental-health-matters.com,smitedatamining.com,zambiareports.com###text-3 -herald.co.zw###text-30 -sonyalpharumors.com###text-31 -techhamlet.com###text-32 -couponistaqueen.com,pzfeed.com###text-35 -liberallogic101.com###text-37 -couponistaqueen.com,liberallogic101.com###text-38 -pzfeed.com###text-39 -budapesttimes.hu,buddyhead.com,dieselcaronline.co.uk,knowelty.com,mental-health-matters.com,myonlinesecurity.co.uk,myx.tv,sportsillustrated.co.za,theairportnews.com,thewhir.com###text-4 -couponistaqueen.com###text-40 -enpundit.com###text-41 -pluggd.in###text-416180296 -pluggd.in###text-416180300 -bigblueball.com###text-416290631 -eurweb.com###text-42 -diplomat.so###text-45 -grammarist.com###text-46 -defensereview.com###text-460130970 -thebizzare.com###text-461006011 -thebizzare.com###text-461006012 -spincricket.com###text-462834151 -theindependent.co.zw###text-47 -enpundit.com###text-48 -androidauthority.com,pencurimovie.cc###text-49 -myx.tv,occupydemocrats.com,washingtonindependent.com###text-5 -2smsupernetwork.com,rawstory.com,thewrap.com###text-50 -leadership.ng###text-51 -thegatewaypundit.com###text-54 -thegatewaypundit.com###text-55 -grammarist.com###text-56 -grammarist.com,quickonlinetips.com###text-57 -2smsupernetwork.com,couponistaqueen.com,englishrussia.com,mynokiablog.com,myx.tv,pakladies.com,times.co.zm,trendafrica.co.za,washingtonindependent.com###text-6 -nag.co.za###text-60 -thegatewaypundit.com###text-65 -amren.com,buddyhead.com,defsounds.com,knowelty.com,prosnookerblog.com,technomag.co.zw###text-7 -consortiumnews.com,couponistaqueen.com,localvictory.com,michiganmessenger.com,ncr1037.co.za,newsday.co.zw,technomag.co.zw###text-8 -mynokiablog.com###text-9 -androidauthority.com###text-92 -torontolife.com###text-links -hemmings.com###text_links -the217.com###textpromo -teamandroid.com###tf_header -teamandroid.com###tf_sidebar_above -teamandroid.com###tf_sidebar_below -teamandroid.com###tf_sidebar_skyscraper1 -teamandroid.com###tf_sidebar_skyscraper2 -notebookreview.com###tg-reg-ad -mail.yahoo.com###tgtMNW -girlsaskguys.com###thad -thatscricket.com###thatscricket_google_ad -yahoo.com###theMNWAd -hemmings.com###theWindowBJ -rivals.com###thecontainer -duoh.com###thedeck -thekit.ca###thekitadblock -neodrive.co###thf -neodrive.co###thfd -theberry.com,thechive.com###third-box -ticketmaster.com###thisSpon -lyricsfreak.com###ticketcity -yahoo.com###tiles-container > #row-2[style="height: 389.613px; padding-bottom: 10px;"] -rte.ie###tilesHolder -distro.megom.tv###timeNumer -whathifi.com###tip-region -yourweather.co.uk###titulo -myspace.com###tkn_leaderboard -myspace.com###tkn_medrec -placehold.it###tla -fileinfo.com,slangit.com###tlbspace -timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com###tleaderb -thelifefiles.com###tlfAdInBetween300x250 -mb.com.ph###tm-toolbar -imdb.com###tn15adrhs -technewsworld.com###tnavad -technutty.co.uk###tnmm-header -omgubuntu.co.uk###to-top -chattanooganow.com###toDoWrap -megavideoshows.com###toHide -toonix.com###toonix-adleaderboard -iconeye.com,phonescoop.com,politics.co.uk,reference.com,thesaurus.com,topcultured.com,tvnz.co.nz###top -jillianmichaels.com,synonym.com###top-300 -xxlmag.com###top-728x90 -techiemania.com###top-729-banner -freemake.com###top-advertising -chip.eu,corkindependent.com,dancehallreggae.com,ebuddy.com,foodlovers.co.nz,foodnetwork.ca,galwayindependent.com,honesttopaws.com,inthenews.co.uk,investorplace.com,itweb.co.za,lyrics19.com,maclife.com,maximumpc.com,politics.co.uk,scoop.co.nz,skift.com,techi.com,thedailymash.co.uk,thedailywtf.com,thespiritsbusiness.com,timesofisrael.com,tweaktown.com,washingtonexaminer.com###top-banner -scoop.co.nz###top-banner-base -theberrics.com###top-banner-container -krebsonsecurity.com###top-banner-image -krebsonsecurity.com###top-banner-img -privatehealth.co.uk###top-banner-outer -autotrader.ie,carzone.ie###top-banner-placeholder -if-not-true-then-false.com###top-banner-wrapper -panorama.am###top-banners -missingremote.com,timesofisrael.com###top-bar -wfgo.net,wtso.tv###top-bn -teesoft.info###top-bottom -whowhatwear.com###top-container -jacksonville.com###top-header -aspensojourner.com###top-layer -canstar.com.au###top-lb -joystiq.com###top-leader -capetownmagazine.com###top-leader-wrapper -cantbeunseen.com,chairmanlol.com,diyfail.com,explainthisimage.com,fayobserver.com,funnyexam.com,funnytipjars.com,gamejolt.com,iamdisappoint.com,japanisweird.com,morefailat11.com,objectiface.com,passedoutphotos.com,perfectlytimedphotos.com,roulettereactions.com,searchenginesuggestions.com,shitbrix.com,sparesomelol.com,spoiledphotos.com,stopdroplol.com,tattoofailure.com,yodawgpics.com,yoimaletyoufinish.com###top-leaderboard -smarterfox.com###top-left-banner -sportinglife.com###top-links -politiken.dk###top-monster -dubizzle.com###top-mpu -canstar.com.au###top-mrec -ovationtv.com###top-promo -inman.com###top-pusher -leaprate.com###top-spon -imassera.com,thebestdesigns.com###top-sponsor -turboc8.com###top-widget -suntimes.com###top1 -meteovista.co.uk###top10 -gamingzion.com###top10c -moviecarpet.com###top728 -investmentnews.com###topAdBlock -americanscientist.org,auctiva.com,cartoonnetwork.co.nz,cartoonnetwork.com.au,cartoonnetworkasia.com,eweek.com,filesfrog.com,freecsstemplates.org,geeksailor.com,gizgag.com,highestfive.com,nerve.com,nzherald.co.nz,plosbiology.org,port2port.com,quotesdaddy.com,sciencemag.org,tastemag.co.za###topBanner -cntraveler.com###topBanner728x90_frame -danpatrick.com,microsoft-watch.com###topBannerContainer -macworld.co.uk###topBannerSpot -money.co.uk###topBar -hotscripts.com###topBox -ewn.co.za###topCoke -atlasobscura.com###topContainer -kioskea.net###topContent -steamanalyst.com###topDiv -cnet.com###topDownloads -popularscreensavers.com###topFooter -scoop.co.nz###topHeader -chacha.com###topHeaderBannerWrap -digitalartsonline.co.uk,pcadvisor.co.uk###topLeaderContainer -donedeal.ie,kenyamoja.com,metrotimes.com,orlandoweekly.com,sacurrent.com,startribune.com,wjla.com###topLeaderboard -kenyamoja.com###topLeaderboard + * + .container-bot -autotrader.co.uk,fixya.com,topmarques.co.uk###topLeaderboardContainer -chamberofcommerce.com###topLeaderboardParent -teoma.com###topPaidList -topsite.com###topRightBunner -prevention.com###topThirdPartyArea -rockyou.com###topXpromoWrapper -hardballtalk.nbcsports.com###top_90h -theepochtimes.com###top_a_0d -ytmnd.com###top_ayd -boxoffice.com,computing.net,dailymotion.com,disc-tools.com,goldentalk.com,guyspeed.com,hemmings.com,hulkusc.com,imagebam.com,magme.com,moono.com,movieking.me,phonearena.com,popcrush.com,sportsclimax.com,techradar.com,tidbits.com,venturebeatprofiles.com,webappers.com###top_banner -caribpress.com###top_banner_container -theimproper.com###top_banner_widget -haaretz.com,motorship.com###top_banners -avaxsearch.com###top_block -psdeluxe.com###top_bsa -hemmings.com###top_dc_tbl -bnd.com###top_jobs_footer -centredaily.com###top_jobs_search -bakersfield.com,bakersfieldcalifornian.com,dailypuppy.com,jamaicaobserver.com,proudfm.com,rushlimbaugh.com###top_leaderboard -columbiatribune.com###top_leaderboard_pos -computerworld.com###top_leaderboard_wrapper -babylon.com,search.chatzum.com,searchsafer.com###top_links -archerywire.com###top_message -ninemsn.com.au###top_promo_ie8 -smosh.com###top_promo_wrapper -electricenergyonline.com,fotolog.com###top_pub -mma-core.com###top_r_bans -imdb.com###top_rhs_1_wrapper -imdb.com###top_rhs_wrapper -getlyrics.com###top_right -escapistmagazine.com###top_site_part -humanevents.com###top_skyscraperbox -cellular-news.com###top_sq_block -samoaobserver.ws###top_wrap1 -arthritistoday.org,repeatmyvids.com###topads -btimes.com.my###topadv -scorespro.com###topban -absolutelyrics.com,artima.com,bbyellow.com,bsyellow.com,businessdirectory.mu,businesslist.ae,businesslist.co.cm,businesslist.co.ke,businesslist.co.ug,businesslist.com.bd,businesslist.com.ng,businesslist.hk,businesslist.my,businesslist.net.nz,businesslist.ph,businesslist.pk,businesslist.sg,businesslist.tw,businesslist.vn,caymanyellow.com,cdrlabs.com,checkoutmyink.com,chictopia.com,chileindex.com,colombiayp.com,dominicanyp.com,dumpalink.com,egypyp.com,ethiopiadirectory.com,exiledonline.com,findtheword.info,georgiayp.com,ghanayp.com,hiphongkong.com,icenews.is,indonesiayp.com,jmyellow.com,jpyellow.com,lebyp.com,lesothoyp.com,localbotswana.com,malawiyp.com,medicaldaily.com,moroccoyp.com,myanmaryp.com,namibiayp.com,nation.lk,onlinebusinesslist.co.za,plosone.org,puertoricoindex.com,qataryp.com,realitywanted.com,rwandayp.com,saudianyp.com,senegalyp.com,sierraexpressmedia.com,snapfiles.com,sudanyp.com,tanzaniayp.com,tcmagazine.com,tcmagazine.info,thaigreenpages.com,thedigitalfix.com,thehill.com,theroar.com.au,thevarguy.com,tntyellow.com,tremolo.edgesuite.net,tunisiayp.com,turkishyp.com,venezuelayp.com,vocm.com,webattack.com,wenn.com,workswithu.com,wzmetv.com,xbox360rally.com,yemenyp.com,zambiayp.com,zimbabweyp.com,zipinfo.in###topbanner -drugs.com###topbanner-wrap -drugs.com###topbannerWrap -checkoutmyink.com###topbanner_div -chictopia.com###topbanner_pushdown -littlegreenfootballs.com###topbannerdiv -snapfiles.com###topbannermain -eatsleepsport.com,soccerphile.com,torrentpond.com###topbanners -swedishwire.com###topbannerspace -ilix.in,newtechie.com,postadsnow.com,songspk.link,songspk.name,textmechanic.com,thebrowser.com,tota2.com###topbar -thegrio.com###topbar_wrapper -armenpress.am###topbnnr -newsbusters.org###topbox -thecrims.com###topbox_content -moviez.se###topcenterit -educatorstechnology.com###topcontentwrap -bhg.com###topcover -football411.com###topheader -tvembed.eu###toplayerblack -usingenglish.com###topleader -joystiq.com,luxist.com,massively.com,switched.com,wow.com###topleader-wrap -bannedinhollywood.com,eventhubs.com,shopcrazy.com.ph###topleaderboard -celebitchy.com###topline -microcosmgames.com###toppartner -macupdate.com###topprommask -url-encode-decode.com###toppromo -worldtimebuddy.com###toprek -extremetech.com###toprightrail > div:first-child -tbo.com###topslider -plos.org###topslot -thespacereporter.com###topster -codingforums.com###toptextlinks -inquisitr.com###topx2 -dinozap.tv,hdcastream.com,hdmytv.com,playerhd2.pw###total -dinozap.tv,hdmytv.com###total_banner -pgatour.com###tourPlayer300x250BioAd -vimeo.com###tout_rotater -pcworld.com###touts.module -garfield.com###tower -electricenergyonline.com###tower_pub -phonescoop.com###towerlinks -oncars.com,smbc-comics.com###towers -under30ceo.com###tptopbar -trustedreviews.com###tr-reviews-affiliate-deals-footer -trustedreviews.com###tr-reviews-intro-prices -technologyreview.com###tr35advert -indowebster.com###tr_iklanbaris2 -telegraph.co.uk###trafficDrivers -mapquest.com###trafficSponsor -channelregister.co.uk###trailer -moviez.se###trailerplugin -genevalunch.com###transportation -dallasnews.com###traveldeals -people.com###treatYourself -bitcoin.cz###trezor -ragezone.com###tribal -miroamer.com###tribalFusionContainer -sitepoint.com###triggered-cta-box-wrapper -wigflip.com###ts-newsletter -forums.techguy.org###tsg-dfp-300x250 -forums.techguy.org###tsg-dfp-between-posts -tsn.ca###tsnHeaderAd -tsn.ca###tsnSuperHeader -macworld.com,pcworld.com,techhive.com###tso -pcmag.com###tswidget -teletoon.com###tt_Sky -tumblr.com###tumblr_radar.premium -tvlistings.theguardian.com###tvgAdvert -tvsquad.com###tvsquad_topBanner -weather.com###twc-partner-spot -twit.tv###twit-ad-medium-rectangle -imageporter.com,imgspice.com###txtcht -howtogetridofstuff.com###tz_rwords -direct-download.org###u539880 -careerbuilder.com###uJobResultsAdTopRight2_mxsLogoAds__ctl0_CBHyperlink1 -yahoo.com###u_2588582-p -kuklaskorner.com###ultimate -theaa.com###unanimis1 -snagajob.com###underLeftSponsor -worldwideweirdnews.com###underarticle -jumptogames.com###underrandom -pcworld.com,teesoft.info###uniblue -reminderfox.org###uniblueImg -geekosystem.com###unit-area -gossipcop.com,mediaite.com,themarysue.com###unit-footer -styleite.com,thebraiser.com###unit-header -sportsgrid.com###unit-sidebar -thebraiser.com###unit-sidebar-atf -styleite.com,thebraiser.com###unit-sidebar-btf -intothegloss.com###unit250 -intothegloss.com###unit600 -notebook-driver.com###updatemydrivers -carionltd.com###upmapads -byutvsports.com###upper-poster -comingsoon.net###upperPub -minecraftforum.net###upsell-banner -usanetwork.com###usa_desktop -downloadhelper.net###useful-tools -torrentpond.com###usenet-container -fulldls.com###usenetb -searchfiles.de###usenext -popcap.com###vacquest_overlay -popcap.com###vacquest_window -armyrecognition.com###vali2 -vanguardngr.com###vanguard_cat_widget-9 -citationmachine.net###vantage-header -easybib.com###vantage_lboard -hipforums.com###vbp_banner_82 -hipforums.com###vbp_banner_foot -hipforums.com###vbp_banner_head -listentoyoutube.com###vc_top_ad -filespart.com###vdwd30 -tv.com###vendor_spotlight -popeater.com###verizonPromo -temptalia.com###vert-boxes -chud.com###vertical.ad -forbes.com###vest-pocket-container-3 -standard.co.uk###viagogo-all-events -theedge.co.nz###vidBanner -cnbc.com###vidRightRailWrapper -ibrod.tv###video -cricket.yahoo.com###video-branding -mentalfloss.com###video-div-polo -youtube.com###video-masthead -cartoonnetworkasia.com###videoClip-main-right-ad300Wrapper-ad300 -radaronline.com###videoExternalBanner -video.aol.com###videoHatAd -radaronline.com###videoSkyscraper -techradar.com###viewBestDealsWrapper -europages.co.uk###vipBox -gumtree.sg###vip_all_r1_300x250 -gumtree.sg###vip_all_r2_300x60 -gumtree.sg###vip_all_r3_300x60 -miami.com###visit -news24.com###vitabox-widget -animeflv.net,tubeplus.me###vlc -laweekly.com,miaminewtimes.com###vmgInterstitial -thevideo.me,vidup.me###vplayer_offers -eatingwell.com###vs4-tags -search.mywebsearch.com###vsaTop + div[id] -search.mywebsearch.com###vsaTop + div[id] + div[id] -nickjr.com###vsw-container-wrapper -nickjr.com###vsw-medium-outter -nickjr.com###vsw-small-outter -skysports.com###w10-banner -variety.com###w300x250 -weatherbug.co.uk###wXcds2 -weatherbug.co.uk###wXcds4 -anilinkz.io###waifu -inquirer.net###wall_addmargin_left -edmunds.com###wallpaper -delfi.lt###wallpaper-link-container -delfi.lt###wallpaper-sitehat -information-age.com###wallpaper-surround-outer -eeweb.com###wallpaper_image -thepressnews.co.uk###want-to-advertise -citationmachine.net###wantage-header -inhabitat.com###wapp_signup_widget -nowtorrents.com###warn_tab -youtube.com###watch-branded-actions -youtube.com###watch-buy-urls -youtube.com###watch-channel-brand-div -televisionfanatic.com###watch-more -nytimes.com###watchItButtonModule -opensubtitles.org###watch_online -4do.se,dayt.se,moviez.se###watchinhd -dayt.se,moviez.se###watchinhdclose -dayt.se,moviez.se###watchinhddownload -dayt.se,moviez.se###watchinhdjava -murga-linux.com###wb_Image1 -sheridanmedia.com###weather-sponsor -wkrq.com###weather_traffic_sponser -kentonline.co.uk###weathersponsorlogo -boldsky.com,goodreturns.in###web_300_100_coupons_container -nzdating.com###webadsskydest -cinewsnow.com###week-catfish -mercurynews.com,santacruzsentinel.com###weeklybar2 -linuxinsider.com###welcome-box -mainstreet.com###welcomeOverlay -phoronix.com###welcome_screen -transfermarkt.co.uk###werbung_superbanner -olx.co.za###wesbank_banner -bellinghamherald.com,bradenton.com,carynews.com,centredaily.com,claytonnewsstar.com,fresnobee.com,heraldonline.com,idahostatesman.com,islandpacket.com,kentucky.com,lakewyliepilot.com,ledger-enquirer.com,lsjournal.com,macon.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sanluisobispo.com,star-telegram.com,sunherald.com,thenewstribune.com,theolympian.com,thestate.com,tri-cityherald.com###wgt_dealsave_standalone -theatlantic.com###whatreadingad -sharkyforums.com,smallbusinesscomputing.com###whitePaperIFrame -devshed.com,eweek.com###whitebox -domaintools.com###whois-related-forsale -spectrum.ieee.org###whtpprs -ubi.com###wide-promo -investing.com###wideBanner -inquirer.net###wideSidebar > .widget -gomapper.com,politics.co.uk###wideSkyScraper -linguee.com###wide_banner_right -inquirer.net###widesky -coupons.com###widesky-banner -fitnesshe.co.za,fitnessmag.co.za###wideskyscraper -gigaom.com###widget-area-footer-post-2 -howwemadeitinafrica.com###widget-r -inhabitat.com###widget-sam-130410-small -stltoday.com###widget-todays-deal -technabob.com###widgetTable -pcweenies.com###widgetTable[width="170"][bgcolor="#FFFFFF"] -vikitech.com###widget_A -eevblog.com###widget_linkmasterpro_ri-2 -simpleprogrammer.com###widget_thrive_leads-2 -filesharingtalk.com###widgetlist_column1 > li:first-child + li + li:last-child > .cms_widget -talksport.com###williamarticlelink -search.pch.com###winner-list -thaindian.com###withinsimilar -staugustine.com###wl-wrapper-leaderboard -staugustine.com###wl-wrapper-tier-4 -pr0gramm.com###wm -wallpapersmania.com###wm_cpa -rediff.com###world_right1 -rediff.com###world_top -fansfc.com###worldcupspl_container_left -asiansoundradio.com###wowslider-container2 -asiansoundradio.com###wowslider-container3 -bittorrent.com###wpcom_below_post -daclips.in,gorillavid.in,movpod.in###wrad_container -documentary.net###wrapper > #horizontal-outer-widgets-1 -techworld.com###wrapper > div.adUnitContainer > [id^="google_ads_iframe_/"] -eteknix.com###wrapper > header -imgur.com###wrapper-pop_sky -strategyinformer.com###wrapper3 -euractiv.com###wrapperHeader -reference.com,thesaurus.com###wrapserp -watchseries-online.nl###wso-bt -watchseries-online.nl###wso-dstyles -watchseries-online.se###wso-slink -sootoday.com###wwSponsor -post-trib.com###wwbncontainer -9news.com###wx-widget-88x31 -davidwalsh.name###x-secondary -robtex.com###xadt0 -robtex.com###xadt1 -forum.xda-developers.com###xda_header_announce_title -forum.xda-developers.com###xdadepot-container -maxthon.com###xds -exashare.com###xdv1 -cnet.com###xfp_adspace -robtex.com###xnad728 -vrbo.com###xtad -fancystreems.com,sharedir.com###y -yahoo.com###y708-ad-lrec1 -yahoo.com###y708-sponmid -au.yahoo.com###y708-windowshade -yahoo.com###y_provider_promo -yahoo.com###ya-center-rail > [id^="ya-q-"][id$="-textads"] -answers.yahoo.com###ya-darla-LDRB -answers.yahoo.com###ya-darla-LREC -answers.yahoo.com###ya-qpage-textads -vipboxsports.eu,vipboxsports.me,viplivebox.eu,viponlinesports.eu###ya_layer -sevenload.com###yahoo-container -missoulian.com###yahoo-contentmatch -independent.co.uk###yahooLinks -yahoo.com###yahooPN_CM -yellowpages.com###yahoo_ss_border -yahoo.com###yahoovideo_ysmlinks -autos.yahoo.com###yatadfin -autos.yahoo.com###yatadfinbd -autos.yahoo.com###yatadlrec -autos.yahoo.com###yatadoem -autos.yahoo.com###yatadoembd -uproxx.com###yb-banner -macintouch.com###yellows -finance.yahoo.com###yfi_ad_FB2 -finance.yahoo.com###yfi_ad_cl -yahoo.com###yfi_pf_ysm -yahoo.com###yfi_ysm -yahoo.com###ygmapromo -yahoo.com###yh-ysm -yahoo.com###yl_pf_ysm -yahoo.com###ylf-ysm -shine.yahoo.com###ylf-ysm-side -local.yahoo.com###yls-dt-ysm -maps.yahoo.com###ymap_main_footer -yahoo.com###ymh-invitational-recs -yahoo.com###yn-darla2 -yahoo.com###yn-gmy-promo-answers -yahoo.com###yn-gmy-promo-groups -trackthepack.com###yoggrt -wfaa.com###yollarSwap -afmradio.co.za###yourSliderId -yahoo.com###yschsec -fancystreems.com,onlinemoviesgold.com,sharedir.com###yst1 -travel.yahoo.com###ytrv-ysm-hotels -travel.yahoo.com###ytrv-ysm-north -travel.yahoo.com###ytrv-ysm-south -travel.yahoo.com,travel.yahoo.net###ytrvtrt -webmastertalkforums.com###yui-gen24[style="width: 100%; height: 100px !important;"] -zynga.com###zap-bac-iframe -computershopper.com###zdStickyBottomSidebarPlaceholder + [id][class] -computershopper.com###zdStickyTopSidebarPlaceholder + [id][class] -bloomberg.com,post-gazette.com###zillow -post-trib.com###zip2save_link_widget -sonysix.com###zone-addbanner-wrapper -moreintelligentlife.com###zone-header -hendersondispatch.com,heraldsun.com,hpe.com###zone-leaderboard -bemidjipioneer.com,brainerddispatch.com,dglobe.com,dl-online.com,duluthnewstribune.com,echopress.com,farmingtonindependent.com,grandforksherald.com,hastingsstargazette.com,inforum.com,jamestownsun.com,mitchellrepublic.com,morrissuntribune.com,parkrapidsenterprise.com,perhamfocus.com,republican-eagle.com,rivertowns.net,rosemounttownpages.com,swcbulletin.com,thedickinsonpress.com,wadenapj.com,wctrib.com,wday.com,wdaz.com,woodburybulletin.com###zone-sliding-billboard -italymagazine.com###zone-user-wrapper -kovideo.net###zone0_top_banner_container -hulkshare.com,rockyou.com###zone1 -hulkshare.com###zone2 -luxury-insider.com###zone_728x90 -asfile.com###zone_bottom -asfile.com###zone_top -theonion.com###zoosk -popcap.com###zrJungle1033_overlay -popcap.com###zrJungle1033_window -bing.com###zune_upsell -teamfortress.tv###zuside -teamfortress.tv###zutop -theverge.com##.-ad -skysports.com##.-skybet-widget -realtor.com##.ADLB -shoppinglifestyle.com##.ADV -bendsource.com,bestofneworleans.com,bigskypress.com,cltampa.com,csindy.com,dhakatribune.com,federalnewsradio.com,realdetroitweekly.com,sevendaysvt.com,similarsites.com,styleweekly.com,tucsonweekly.com,wtop.com##.Ad -footballitaliano.co.uk##.Ad1 -filmsnmovies.com,redbalcony.com##.AdContainer -verizon.com##.AdIn -incyprus.com.cy##.Add1st -oncars.in##.Adv -colouredgames.com##.AdvGamesList -vmusic.com.au##.Advert -esi-africa.com,miningreview.com##.Advert-main -irna.ir,journalofaccountancy.com,newvision.co.ug##.Advertisement -europeantour.com,yedda.com##.Advertising -economist.com##.AnimatedPanel--container -sitepoint.com##.ArticleContent_endcap -sitepoint.com##.ArticleLeaderboard_content -hongkiat.com##.BAds -terradaily.com##.BDTX -hotklix.com##.BLK300 -highstakesdb.com,jobs24.co.uk##.Banner -acharts.us##.BannerConsole -mixedmartialarts.com##.BannerRightCol -natgeotv.com##.BannerTop -truck1.eu,webresourcesdepot.com##.Banners -stockopedia.co.uk##.BigSquare -juxtapoz.com##.Billboard -mustakbil.com##.Bottom728x90BannerHolder -hot1045.net##.BottomBannerTD -dailytech.com##.BottomMarquee -freeiconsweb.com##.Bottom_Banner -myps3.com.au##.Boxer[style="height: 250px;"] -naturalnews.com##.Butters -ynetnews.com##.CAATVcompAdvertiseTv -myrealgames.com##.CAdFlashPageTop728x90 -myrealgames.com##.CAdGamelist160x600 -myrealgames.com##.CAdOpenSpace336x280 -myrealgames.com##.CAdOpenSpace728x90 -myrealgames.com##.CCommonBlockGreen[style="width: 630px;"] -thebull.com.au##.Caja_Der -clashdaily.com,girlsjustwannahaveguns.com##.ClashDaily_728x90_Single_Top -tutiempo.net##.ContBannerTop -sport360.com##.ContentBoxSty1IsSponsored -naturalnews.com##.Cooper -ljworld.com,newsherald.com##.DD-Widget -archdaily.com##.DFP-banner -forbes.com##.DL-ad-module -healthzone.pk##.DataTDDefault[width="160"][height="600"] -naturalnews.com,naturalnewsblogs.com##.Dizzy -israeltoday.co.il##.DnnModule-1143 -secdigitalnetwork.com##.DnnModule-6542 -secdigitalnetwork.com##.DnnModule-6547 -israeltoday.co.il##.DnnModule-758 -israeltoday.co.il##.DnnModule-759 -yahoo.com##.Feedback -diet.com##.Fine -mainjustice.com##.FirstHeader -similarsites.com,topsite.com##.FooterBanner -969therock.com,993thevibe.com,wfls.com##.Footer_A_Column -artistdaily.com##.FreemiumContent -popmatters.com##.FrontPageBottom728 -google.co.uk##.GBTLFYRDM0 -google.com##.GC3LC41DERB + div[style="position: relative; height: 170px;"] -google.com##.GGQPGYLCD5 -google.com##.GGQPGYLCMCB -google.com##.GISRH3UDHB -orkut.com##.GLPKSKCL -free-games.net##.GamePlayleaderboardholder -bloemfonteincourant.co.za##.HPHalfBanner -u.tv##.Header-Menu-Sponsor -walmart.com##.IABHeader -safehaven.com##.IAB_fullbanner -safehaven.com##.IAB_fullbanner_header -sierraexpressmedia.com##.IBA -inc.com##.IMU-Container -footytube.com##.InSkinHide -israelnationalnews.com##.InfoIn -smartearningsecrets.com##.Intercept-1 -islamicfinder.org##.IslamicData[bgcolor="#FFFFFF"][bordercolor="#ECF3F9"] -naturalnews.com,naturalnewsblogs.com##.Jones -bloemfonteincourant.co.za,ofm.co.za,peoplemagazine.co.za##.LeaderBoard -morningstar.com##.LeaderWrap -agrieco.net,fjcruiserforums.com,mlive.com,newsorganizer.com,oxygenmag.com,urgames.com##.Leaderboard -op.gg##.LifeOwner -myabc50.com,whptv.com,woai.com##.LinksWeLike -animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##.MClose -timeout.com##.MD_textLinks01 -mangahere.co##.MHShuffleAd -hsj.org##.ML_L1_ArticleAds -mstar.com##.MPFBannerWrapper -expressandstar.com,juicefm.com,kentonline.co.uk,planetrock.com,pulse1.co.uk,pulse2.co.uk,shropshirestar.com,signal1.co.uk,signal2.co.uk,sportal.co.nz,sportal.com.au,swanseasound.co.uk,thewave.co.uk,three.fm,wave965.com,wirefm.com,wishfm.net##.MPU -foxafrica.com##.MPU300 -foxafrica.com,foxcrimeafrica.com,fxafrica.tv##.MPU336 -three.fm##.MPURight -dubaieye1038.com##.MPU_box -dubai92.com,virginradiodubai.com##.MPU_box-innerpage -virginradiodubai.com##.MPU_box_bottom -autosport.com##.MPU_container -thepittsburghchannel.com##.MS -search.aol.com##.MSL + script + script + div[class] > style + script + h3[class] -videowing.me##.MadDivtuzrfk -videowing.me##.MadDivtuzrjt -thebull.com.au##.Maquetas -juxtapoz.com##.MarketPlace -farmersweekly.co.za##.MasterLeaderboard -totaltele.com##.Master_LargeMPU -agrieco.net##.MedRect -bloemfonteincourant.co.za,ofm.co.za##.MediumRectangle -iwsearch.net##.Mid-Top -alienbomb.com##.Middle468x60 -mustakbil.com##.Middle728x90BannerHolder -worldtribune.com##.NavMenu -4shared.com##.Nbanner -toptipstricks.com##.Notice > .noticeContent -tribe.net##.OAS -artistdaily.com##.OFIEContent -sofeminine.co.uk##.OffresSpe_cadre -majorgeeks.com##.Outlines -starsue.net##.OyunReklam -webgurubb.com##.PCN-banner-zone -search.aol.co.uk,search.aol.com##.PMB -diamscity.com##.PUB_72890_TOP -agonybooth.com##.PWAd -twogag.com##.PWhalf -gmx.co.uk##.PanelPartners -popstoptv.com##.PeerFly_Banners -priceme.co.nz##.ProductAdr -i4u.com##.Promo -quora.com##.PromotedLink -quora.com##.PromptsList a[href^="https://www.quora.com/r="][target="_blank"] -peoplemagazine.co.za##.R300x250 -peoplemagazine.co.za##.R300x600 -huffingtonpost.com,search.aol.com##.RHRSLL -search.aol.com##.RHRSLLwseboF -bitcandy.com##.RR_adv -ehow.com##.RadLinks -japantimes.co.jp##.RealEstateAdBlock -streamguys.com##.RecentSongBuyNow -naturalnews.com##.Rico -algoafm.co.za##.RightBanner1 -algoafm.co.za##.RightBanner2 -algoafm.co.za##.RightBanner3 -algoafm.co.za##.RightBanner4 -camfuze.com##.RightBannerSpot -b105.com##.RotatingPromo_300x80 -ebay.co.uk,ebay.com.au##.RtmStyle -aolsearch.com,search.aol.ca,search.aol.co.uk,search.aol.com,search.aol.in,wow.com##.SLL -search.aol.com##.SLLwseboF -lifespy.com##.SRR -naturalnews.com,naturalnewsblogs.com##.Sasha -theeagle.com##.SectionRightRail300x600Box -memory-alpha.org,wikia.com##.SelfServeUrl -torrentz2.eu##.SemiAcceptableAds -similarsites.com##.SidebarBanner -adobe.com##.SiteFooterRow[style="font-size:9px;font-family:Arial"] -myspace.com##.SitesMedRecModule -kentonline.co.uk##.Sky -pdfzone.com##.Skyscraper_BG -japantimes.co.jp##.SmallBanner -car.com##.SmallFont -naturalnews.com,naturalnewsblogs.com##.Sophie -mdlinx.com##.Sponsor-Tag -kentonline.co.uk##.SponsorImage -hotscripts.com##.Sponsored -mining.com##.SponsoredPost -futureclaw.com##.Sponsors -labx.com##.SponsorsInfoTable -zone.msn.com##.SuperBannerTVMain -shopping.canoe.ca##.SuperBoxDetails -testcountry.com##.TC_advertisement -yahoo.com.au##.TL_genericads_columns -yahoo.com.au##.TL_medRec_container -geekzone.co.nz##.TPconfmed1x4outer -narrative.ly##.TakeoverUnit -istockanalyst.com##.TelerikModalOverlay -adobe.com##.TextSmall[align="center"][style="font-size:9px;font-family:Arial"] -wtop.com##.TitleBar-sponsor -algoafm.co.za,hurriyetdailynews.com##.TopBanner -theday.com##.TopNewsSponsor -torrentbar.com##.Tr2[width="41%"] -yahoo.com##.Trsp\(op\).Trsdu\(3s\) -japantimes.co.jp##.UniversitySearchAdBlock -audioz.download##.UsenetGreen -1003thepoint.com,949thebay.com,radioeagleescanaba.com,radioeaglegaylord.com,radioeaglemarquette.com,radioeaglenewberry.com,radioeaglesoo.com,straitscountry953.com##.VGC_BANNER -vh1.com##.VMNThemeSidebarWidget -zone.msn.com##.VerticalBannerTV_tag -search.aol.ca,search.aol.co.uk,search.aol.com##.WOL -search.aol.com##.WOL2 -webreference.com##.WRy1 -wzzk.com##.Weather_Sponsor_Container -bloemfonteincourant.co.za,ofm.co.za##.WideSkyscraper -wired.com##.WiredWidgetsMarketing -this.org##.Wrap-leaderboard -xbox.com##.XbcSponsorshipText -rxlist.com##.Yahoo -juxtapoz.com##._300x250 -howwe.biz##.___top-ad-wrap -howwe.biz##.___top-highlight-articles -breakingisraelnews.com##.__b-popup1__ -filenuke.net,filmshowonline.net,fleon.me,hqvideo.cc,sharesix.net,skylo.me,streamme.cc,vidshare.ws##._ccctb -ndtv.com##._kpw_wrp_rhs -crawler.com##.a -lawyersweekly.com.au##.a-center -anime1.com,drama.net##.a-content -downloadsfreemovie.net,eplsite.com,qaafa.com,sh.st##.a-el -amazon.com##.a-link-normal[href*="&adId="] -krebsonsecurity.com##.a-statement -daijiworld.com##.a2 -knowyourmeme.com##.a250x250 -cnet.com##.a2[style="padding-top: 20px;"] -gematsu.com,twitch.tv,twitchtv.com##.a300 -animeid.com,makeagif.com##.a728 -localtiger.com##.a9gy_lt -citationmachine.net##.aBx -hereisthecity.com,hitc.com##.aLoaded -tvnz.co.nz##.aPopup -9anime.to##.a_d -legacy.com##.aa_Table -androidauthority.com##.aa_button_wrapper -androidauthority.com##.aa_desktop -androidauthority.com##.aa_intcont_300x250 -pcgamesn.com##.ab_mp -imdb.com##.ab_zergnet -mmorpg.com##.abiabnotice -four11.com##.abig -merriam-webster.com##.abl -k9safesearch.com,k9webprotection.com##.ablk -desktopwallpaperhd.net,four11.com##.ablock -ratemystrain.com##.ablock-container -four11.com##.ablock_leader -four11.com##.ablock_right -tribalfootball.com##.above-footer-wrapper -likwidgames.com##.aboveSiteBanner -filedir.com##.abox300 -msn.com##.abs -ooyyo.com##.abs-result-holder -slickdeals.net##.abu -whirlpool.net.au##.abvertibing_block -dailyrecord.co.uk##.ac-vehicle-search -au.news.yahoo.com##.acc-moneyhound -goseattleu.com##.accipiter -consequenceofsound.net##.acm-module-300-250 -1047.com.au,17track.net,2dayfm.com.au,2gofm.com.au,2mcfm.com.au,2rg.com.au,2wg.com.au,4tofm.com.au,5newsonline.com,6abc.com,7online.com,929.com.au,953srfm.com.au,aa.co.za,aarp.org,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abovethelaw.com,accringtonobserver.co.uk,adelaidenow.com.au,adn.com,adsoftheworld.com,adsupplyads.com,adtmag.com,adweek.com,aero-news.net,aetv.com,agra-net.net,ahlanlive.com,algemeiner.com,aljazeera.com,allenwestrepublic.com,allkpop.com,allrecipes.co.in,allrecipes.com.au,amandala.com.bz,americanprofile.com,amny.com,anandtech.com,androidapps.com,androidauthority.com,aol.com,appolicious.com,arabianbusiness.com,architectsjournal.co.uk,arseniohall.com,articlealley.com,asianjournal.com,asianwiki.com,associationsnow.com,audiko.net,aussieoutages.com,autoblog.com,autoblog360.com,autoguide.com,aww.com.au,azarask.in,back9network.com,backlinkwatch.com,backtrack-linux.org,bakersfield.com,bathchronicle.co.uk,bdnews24.com,beaumontenterprise.com,bellinghamherald.com,bgr.com,bikesportnews.com,birminghammail.co.uk,birminghampost.co.uk,blackmorevale.co.uk,bloomberg.com,bloombergview.com,bnd.com,bobvila.com,boston.com,bostonglobe.com,bostontarget.co.uk,bradenton.com,bravotv.com,breitbart.com,brentwoodgazette.co.uk,bridesmagazine.co.uk,brisbanetimes.com.au,bristolpost.co.uk,budgettravel.com,businessinsider.com,businesstech.co.za,businesstraveller.com,c21media.net,cairnspost.com.au,canadianoutages.com,canberratimes.com.au,canterburytimes.co.uk,cardomain.com,carmarthenjournal.co.uk,carmitimes.com,carynews.com,cd1025.com,celebdigs.com,celebified.com,centralsomersetgazette.co.uk,centredaily.com,cfl.ca,cfo.com,ch-aviation.com,channel5.com,charismamag.com,charismanews.com,charlotteobserver.com,cheboygannews.com,cheddarvalleygazette.co.uk,cheezburger.com,chesterchronicle.co.uk,chicagobusiness.com,chicagomag.com,chinahush.com,chinasmack.com,christianlifenews.com,christianpost.com,chroniclelive.co.uk,cio.com,citeworld.com,citylab.com,citysearch.com,clashdaily.com,claytonnewsstar.com,clientmediaserver.com,cloudtime.to,cltv.com,cnet.com,cnn.com,cnnphilippines.com,cnsnews.com,coastlinepilot.com,codepen.io,collinsdictionary.com,colorlines.com,colourlovers.com,comcast.net,competitor.com,computerworld.com,conservativebyte.com,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,couriermail.com.au,coventrytelegraph.net,cpuboss.com,crawleynews.co.uk,createtv.com,crewechronicle.co.uk,crosscards.com,crossmap.com,crosswalk.com,croydonadvertiser.co.uk,csoonline.com,csswizardry.com,cupcakesandcashmere.com,cw33.com,cw39.com,cydiaupdates.net,dailycute.net,dailyheadlines.net,dailylife.com.au,dailylobo.com,dailylocal.com,dailyparent.com,dailypost.co.uk,dailyrecord.co.uk,dailytarheel.com,dailytelegraph.com.au,dailytidings.com,dailytrust.com.ng,dawn.com,dcw50.com,deadline.com,dealnews.com,defenseone.com,delish.com,derbytelegraph.co.uk,deseretnews.com,designtaxi.com,dinozap.com,divxstage.to,dodgeforum.com,domain.com.au,dorkingandleatherheadadvertiser.co.uk,dose.com,dover-express.co.uk,downdetector.co.nz,downdetector.co.uk,downdetector.co.za,downdetector.com,downdetector.in,downdetector.sg,dpreview.com,dribbble.com,drinksmixer.com,drive.com.au,dustcoin.com,earmilk.com,earthsky.org,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,edmontonjournal.com,elle.com,emedtv.com,energyvoice.com,engadget.com,enquirerherald.com,enstarz.com,espnfc.co.uk,espnfc.com,espnfc.com.au,espnfc.us,espnfcasia.com,essentialbaby.com.au,essentialkids.com.au,essexchronicle.co.uk,etsy.com,eurocheapo.com,everydayhealth.com,everyjoe.com,examiner.co.uk,examiner.com,exashare.com,excellence-mag.com,exeterexpressandecho.co.uk,expressnews.com,familydoctor.org,fanpop.com,farmersguardian.com,farmonlinelivestock.com.au,fashionweekdaily.com,fastcar.co.uk,femalefirst.co.uk,fijitimes.com,findthatpdf.com,findthebest.co.uk,findthebest.com,flashx.tv,floridaindependent.com,fodors.com,folkestoneherald.co.uk,food.com,foodandwine.com,foodnetwork.com,fool.com,footyheadlines.com,fortmilltimes.com,fox13now.com,fox17online.com,fox2now.com,fox40.com,fox43.com,fox4kc.com,fox59.com,fox5sandiego.com,fox6now.com,fox8.com,foxafrica.com,foxbusiness.com,foxcrimeafrica.com,foxct.com,foxnews.com,foxsoccer.com,foxsportsasia.com,freedom43tv.com,freedomoutpost.com,freshpips.com,fresnobee.com,fromestandard.co.uk,fuse.tv,futhead.com,fxafrica.tv,fxnetworks.com,fxnowcanada.ca,gamefuse.com,gamemazing.com,garfield.com,gazettelive.co.uk,geelongadvertiser.com.au,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,girlsjustwannahaveguns.com,givememore.com.au,givesmehope.com,gizmodo.com.au,glennbeck.com,gloucestercitizen.co.uk,gloucestershireecho.co.uk,gmanetwork.com,go.com,gocomics.com,goerie.com,goldcoastbulletin.com.au,goldfm.com.au,goo.im,good.is,goodfood.com.au,goodhousekeeping.com,gpuboss.com,grab.by,grapevine.is,greatschools.org,greenbot.com,grimsbytelegraph.co.uk,grindtv.com,grubstreet.com,gumtree.co.za,haaretz.com,hangout.co.ke,happytrips.com,healthyplace.com,heart1073.com.au,heatworld.com,heraldonline.com,heraldsun.com.au,history.com,hit105.com.au,hit107.com,hknepaliradio.com,hodinkee.com,hollywood-elsewhere.com,hollywoodreporter.com,hoovers.com,hotfm.com.au,houserepairtalk.com,houstonchronicle.com,hulldailymail.co.uk,idahostatesman.com,idganswers.com,independent.co.uk,indianas4.com,indiewire.com,indyposted.com,infoworld.com,infozambia.com,inhabitat.com,inquirer.net,instyle.com,interest.co.nz,interfacelift.com,interfax.com.ua,intoday.in,investsmart.com.au,iono.fm,irishmirror.ie,irishoutages.com,islandpacket.com,itsamememario.com,itv.com,itworld.com,jackfm.ca,jamaica-gleaner.com,jamieoliver.com,javaworld.com,jobs.com.au,joeforamerica.com,journalgazette.net,joystiq.com,jsonline.com,juzupload.com,katc.com,kbzk.com,kdvr.com,kentucky.com,keysnet.com,kfor.com,kidspot.com.au,kiss959.com,koaa.com,kob.com,kofm.com.au,komando.com,koreabang.com,kotaku.com.au,kpax.com,kplr11.com,kqed.org,ktla.com,kusports.com,kwgn.com,kxlf.com,kxlh.com,lakewyliepilot.com,lawrence.com,leaderpost.com,ledger-enquirer.com,leicestermercury.co.uk,lex18.com,lichfieldmercury.co.uk,lifesitenews.com,lincolnshireecho.co.uk,liverpoolecho.co.uk,ljworld.com,llanellistar.co.uk,lmtonline.com,lolbrary.com,loop21.com,lordofthememe.com,lostateminor.com,loughboroughecho.net,lsjournal.com,macclesfield-express.co.uk,macombdaily.com,macon.com,macrumors.com,manchestereveningnews.co.uk,mangafox.me,marieclaire.com,marketwatch.com,mashable.com,maxpreps.com,mcclatchydc.com,memearcade.com,memeslanding.com,memestache.com,mercedsunstar.com,mercurynews.com,metronews.ca,miamiherald.com,middevongazette.co.uk,military.com,minecrastinate.com,minutemennews.com,mirror.co.uk,mix.com.au,mkweb.co.uk,mlb.mlb.com,modbee.com,moneytalksnews.com,monitor.co.ug,monkeysee.com,monroenews.com,montrealgazette.com,motorcycle.com,motorcycleroads.com,motortopia.com,movies.com,movshare.net,mozo.com.au,mprnews.org,mrconservative.com,mrmovietimes.com,mrqe.com,msn.com,muchshare.net,mugglenet.com,mybroadband.co.za,mycareer.com.au,myfitnesspal.com,myfox8.com,mygaming.co.za,myhomeremedies.com,mylifeisaverage.com,mypaper.sg,myrecipes.com,myrtlebeachonline.com,mysearchresults.com,myspace.com,nation.co.ke,nation.com.pk,nationaljournal.com,nature.com,nbcsportsradio.com,networkworld.com,news.com.au,newsfixnow.com,newsobserver.com,newsok.com,newstimes.com,newtimes.co.rw,nextmovie.com,nhregister.com,nickmom.com,northdevonjournal.co.uk,notsafeforwallet.net,nottinghampost.com,novamov.com,nowvideo.co,nowvideo.li,nowvideo.sx,ntd.tv,ntnews.com.au,nxfm.com.au,ny1.com,nymag.com,nytco.com,nytimes.com,offbeat.com,omgfacts.com,osadvertiser.co.uk,osnews.com,ottawamagazine.com,ovguide.com,patch.com,patheos.com,paysonroundup.com,peakery.com,perthnow.com.au,petri.com,phl17.com,photobucket.com,pingtest.net,pirateshore.org,pix11.com,plosone.org,plymouthherald.co.uk,pokestache.com,polygon.com,popsugar.com,popsugar.com.au,preaching.com,prepperwebsite.com,pricedekho.com,pv-tech.org,q13fox.com,quackit.com,quibblo.com,radiowest.com.au,ragestache.com,ranker.com,readmetro.com,realestate.com.au,realityblurred.com,redmondmag.com,refinery29.com,relish.com,retailgazette.co.uk,retfordtimes.co.uk,reuters.com,reviewatlas.com,roadsideamerica.com,rogerebert.com,rollcall.com,rossendalefreepress.co.uk,rumorfix.com,runcornandwidnesweeklynews.co.uk,runnow.eu,sacbee.com,sadlovequotes.net,salisburypost.com,sanluisobispo.com,sbs.com.au,scpr.org,scubadiving.com,scunthorpetelegraph.co.uk,seafm.com.au,seattletimes.com,sevenoakschronicle.co.uk,sfchronicle.com,sfgate.com,sfx.co.uk,sheptonmalletjournal.co.uk,shtfplan.com,si.com,similarsites.com,simpledesktops.com,singingnews.com,sixbillionsecrets.com,sj-r.com,sky.com,slacker.com,slate.com,sleafordtarget.co.uk,slickdeals.net,slidetoplay.com,smackjuice.com,smartcompany.com.au,smartphowned.com,smh.com.au,softpedia.com,somersetguardian.co.uk,southerncrossten.com.au,southerngospel.com,southportvisiter.co.uk,southwales-eveningpost.co.uk,spectator.org,spin.com,spokesman.com,sportsdirectinc.com,spot.im,springwise.com,spryliving.com,ssdboss.com,ssireview.org,stagevu.com,stamfordadvocate.com,standard.co.uk,star-telegram.com,starfm.com.au,statenews.com,statscrop.com,stltoday.com,stocktwits.com,stokesentinel.co.uk,stoppress.co.nz,stream2watch.co,streetinsider.com,stripes.com,stroudlife.co.uk,stv.tv,stylenest.co.uk,sub-titles.net,sunfm.com.au,sunherald.com,surfline.com,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,talkandroid.com,tampabay.com,tamworthherald.co.uk,tasteofawesome.com,tauntongazette.com,teamcoco.com,techdirt.com,techinsider.io,tgdaily.com,thanetgazette.co.uk,thatslife.com.au,thatssotrue.com,theage.com.au,theatlantic.com,theaustralian.com.au,theblaze.com,thecitizen.co.tz,thedailybeast.com,thedp.com,theepochtimes.com,thefader.com,thefirearmblog.com,thegamechicago.com,thegossipblog.com,thegrio.com,thegrocer.co.uk,thehungermemes.net,thejournal.co.uk,thekit.ca,themercury.com.au,thenation.com,thenewstribune.com,theoaklandpress.com,theolympian.com,theonion.com,theprovince.com,therangecountry.com.au,therealdeal.com,theriver.com.au,theroot.com,thesaurus.com,thestack.com,thestarphoenix.com,thestate.com,thevine.com.au,thewalkingmemes.com,thewindowsclub.com,thewire.com,thisiswhyimbroke.com,time.com,timeshighereducation.co.uk,timesunion.com,tinypic.com,today.com,tokyohive.com,topgear.com,topsite.com,torontoist.com,torquayheraldexpress.co.uk,touringcartimes.com,townandcountrymag.com,townsvillebulletin.com.au,travelocity.com,travelweekly.com,tri-cityherald.com,tribecafilm.com,tripadvisor.ca,tripadvisor.co.uk,tripadvisor.co.za,tripadvisor.com,tripadvisor.ie,tripadvisor.in,triplem.com.au,triplemclassicrock.com,trucktrend.com,truecar.com,tv3.ie,twcc.com,twcnews.com,typepad.com,ufc.com,uinterview.com,unfriendable.com,userstyles.org,usmagazine.com,usnews.com,vancouversun.com,veevr.com,vetfran.com,vg247.com,vid.gg,vidbux.com,videobash.com,vidxden.to,viralnova.com,visiontimes.com,vogue.com.au,vulture.com,walesonline.co.uk,walsalladvertiser.co.uk,wamu.org,washingtonexaminer.com,washingtontimes.com,watchanimes.me,watoday.com.au,wattpad.com,watzatsong.com,waxahachietx.com,way2sms.com,wbur.org,weathernationtv.com,webdesignerwall.com,webestools.com,weeklytimesnow.com.au,wegotthiscovered.com,wellcommons.com,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk,wetpaint.com,wgno.com,wgnradio.com,wgnt.com,wgntv.com,whatsnewonnetflix.com,whnt.com,whosay.com,whotv.com,wildcat.arizona.edu,windsorstar.com,winewizard.co.za,winnipegfreepress.com,wnep.com,womansday.co.nz,womansday.com,womansday.com.au,worldreview.info,worthplaying.com,wow247.co.uk,wqad.com,wral.com,wreg.com,wrestlezone.com,wsj.com,wtkr.com,wtvr.com,x17online.com,yahoo.com,yonhapnews.co.kr,yorkpress.co.uk,yourmiddleeast.com,zam.com,zedge.net,zillow.com,zooweekly.com.au,zybez.net##.ad -breathecast.com##.ad > div -techrepublic.com,yahoo.com##.ad-active -deviantart.com##.ad-blocking-makes-fella-confused -alarabiya.net,atlanticfarmfocus.ca,burnsidenews.com,capebretonpost.com,cbncompass.ca,cornwallseawaynews.com,cumberlandnewsnow.com,dailybusinessbuzz.ca,digbycourier.ca,edmunds.com,flightaware.com,ganderbeacon.ca,gfwadvertiser.ca,haaretz.com,hantsjournal.ca,jerusalemonline.com,journalism.co.uk,journalpioneer.com,kingscountynews.ca,leaprate.com,lportepilot.ca,memecdn.com,memecenter.com,metrolyrics.com,mjtimes.sk.ca,ngnews.ca,novanewsnow.com,orleansstar.ca,paherald.sk.ca,pcworld.in,reverso.net,revision3.com,sasknewsnow.com,soapoperadigest.com,southerngazette.ca,tasteofhome.com,thecoastguard.ca,theguardian.pe.ca,thehindu.com,thepacket.ca,thetelegram.com,thevanguard.ca,thewesternstar.com,trurodaily.com,twitpic.com,vinesbay.com,viralnova.com,westislandchronicle.com,westmountexaminer.com,where.ca,zerohedge.com##.ad-box -6abc.com,9news.com.au,abc11.com,abc13.com,abc30.com,abc7.com,abc7chicago.com,abc7news.com,abc7ny.com,autofocus.ca,beautifuldecay.com,bizjournals.com,boston.com,businessinsider.com.au,cpuboss.com,dailysun.co.za,digg.com,dnainfo.com,downforeveryoneorjustme.com,ecr.co.za,engineeringnews.co.za,firehouse.com,foxbusiness.com,foxnews.com,funkidslive.com,glamour.com,gpuboss.com,hbr.org,heatst.com,heraldtribune.com,ign.com,isup.me,jacarandafm.com,komando.com,macstories.net,miningweekly.com,mobilesyrup.com,moneysense.ca,myfitnesspal.com,naminum.com,nbcnews.com,nzherald.co.nz,radicalresearch.co.uk,refinery29.com,rollingstone.com,scroll.in,slate.com,sltrib.com,ssdboss.com,stackexchange.com,stockhouse.com,theaustralian.com.au,thehindu.com,themercury.com.au,thenewslens.com,thrillist.com,xboxdvr.com,youtube.com,zerohedge.com##.ad-container -wusa9.com##.ad-image -hollywoodjournal.com,tmz.com##.ad-title -faithit.com##.ad-wrapper + .widget-area -vesselfinder.com##.ad0 -bnqt.com##.ad05 -afreecodec.com,allmp3song.in,brothersoft.com,crow.com,djhungama.net,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,gamrreview.com,indiatimes.com,lolcounter.com,mp3rule.com,msn.com,mymp3song.info,rodalenews.com,sundaymail.co.zw,sundaynews.co.zw,videoming.com,wapking.site,weathernationtv.com,webmaster-source.com,worldclock.com##.ad1 -allmp3song.in,brothersoft.com,crow.com,famously-dead.com,famouslyarrested.com,famouslyscandalous.com,livemint.com,mymp3singer.site,mymp3song.info,nowvideo.co,nowvideo.eu,nowvideo.li,nowvideo.sx,roms4droid.com,sundaymail.co.zw,sundaynews.co.zw,videoming.com,wapking.site,weathernationtv.com,worldclock.com##.ad2 -afreecodec.com,crow.com,livemint.com,mpog100.com,sundaymail.co.zw,sundaynews.co.zw##.ad3 -hitfreegames.com,sundaymail.co.zw,sundaynews.co.zw##.ad4 -sundaymail.co.zw,sundaynews.co.zw,vesselfinder.com##.ad5 -sundaymail.co.zw,sundaynews.co.zw##.ad6 -sundaymail.co.zw,sundaynews.co.zw##.ad7 -ngrguardiannews.com##.ad9 -buy.com##.adBG -cafemom.com,cio.co.uk,cvs.com,digitalartsonline.co.uk,emarketer.com,flightradar24.com,geek.com,globaltv.com,glosbe.com,hgtv.ca,macworld.co.uk,newspakistan.pk,nytimes.com,ocweekly.com,pcadvisor.co.uk,petagadget.com,reuters.com,sky.com,t3.com,thehimalayantimes.com,yakimaherald.com##.adContainer -technologicvehicles.com##.adEvTaiwan -webfail.com##.adMR -ifaonline.co.uk,relink.us##.ad_right -telegraph.co.uk##.adarea + .summaryMedium -englishrussia.com,keepvid.com,metrowestdailynews.com##.adb -pencurimovie.cc##.adb_overlay -aol.com,beautysouthafrica.com,biggestplayer.me,blurtit.com,breakingnews.com,digitalhome.ca,eatv.tv,eurowerks.org,heyuguys.co.uk,ippmedia.com,linkedin.com,longislandpress.com,opensourcecms.com,opposingviews.com,readersdigest.co.uk,songlyrics.com,sugarrae.com,techeblog.com,thebizzare.com,winbeta.org##.adblock -biggestplayer.me##.adblock1 -orbitztv.co.uk##.adblockcreatorssuckmydick -affiliatefix.com,blogto.com,capitalfm.com.my,cargoinfo.co.za,centreforaviation.com,lockerz.com,macdailynews.com,mensjournal.com,midnightpoutine.ca,mvnrepository.com,ow.ly,podfeed.net,pricespy.co.nz,sfbayview.com,viralnova.com,whatsmyip.org,willyweather.com,willyweather.com.au##.adbox -search.ch##.adcell -msn.com##.adcicon -caughtoffside.com,fanatix.com,nfl.com,patheos.com,theconstructionindex.co.uk,tucsonsentinel.com,wikihow.com##.adcontainer -caffeineinformer.com,runnerspace.com,sumanasa.com##.adcontent -4archive.org,allrovi.com,bdnews24.com,hotnewhiphop.com,itproportal.com,keepvid.com,nciku.com,newvision.co.ug,thehindu.com,yourepeat.com##.add -africareview.com##.add-banner -newsie.co.nz,sunlive.co.nz,theweekendsun.co.nz##.add-block -1049.fm,drgnews.com,mybasin.com##.add-box -pbs.org##.add-container -skymetweather.com##.add-top -bronchiectasisandntminitiative.org##.add-top-margin -addictivetips.com##.add-under-post -time4tv.com##.add1 -sundownsfc.co.za##.add2 -forexminute.com##.add4 -tvnz.co.nz##.addHolder -investorschronicle.co.uk##.addPlacement -worldissues360.com##.addWrapper -viralitytoday.com##.add_banner_area -abplive.in##.add_center -yellowpages.ae##.add_main_div -inspiyr.com##.add_unit -inspiyr.com##.add_unit1 -yellowpages.ae##.add_view300_250 -gbcghana.com##.addbg -hscripts.com##.addbox -funmunch.com##.addimage -cadenaazul.com,intoday.in,irctc.co.in,lapoderosa.com,telegraph.co.uk,thestatesman.com##.adds -oyefm.in##.addv -4chan.org##.adg -techhamlet.com##.adhered -naldzgraphics.net##.adis -thedailystar.net##.adivvert -usabit.com##.adk2_slider_baner -pbs.org##.adl -animalfactguide.com,ask.com,bigislandnow.com,dnainfo.com,portlandmonthlymag.com##.adlabel -ebookbrowse.com##.adleft -vietnamnet.vn##.adm_c1 -ncaa.com##.adman-label -jokeroo.com##.admb -experienceproject.com##.adn -drudgereport.com,forum.xda-developers.com##.adonis-placeholder -flightglobal.com##.adp -bodyboardingmovies.com##.adpopup -bodyboardingmovies.com##.adpopup-overlay -iamwire.com##.adr -iskullgames.com##.adr300 -zercustoms.com##.adrh -1sale.com,24hrs.ca,7billionworld.com,abajournal.com,achieveronline.co.za,altavista.com,androidfilehost.com,arcadeprehacks.com,asbarez.com,bbqonline.co.za,birdforum.net,bluechipjournal.co.za,boodigo.com,browardpalmbeach.com,citypages.com,climatechangenews.com,coinad.com,cuzoogle.com,cyclingweekly.co.uk,dallasobserver.com,disconnect.me,domainnamenews.com,eco-business.com,energyforecastonline.co.za,energylivenews.com,exploreonline.co.za,facemoods.com,fcall.in,flashx.tv,focustaiwan.tw,foxbusiness.com,foxnews.com,freetvall.com,friendster.com,fstoppers.com,ftadviser.com,furaffinity.net,gentoo.org,ghananation.com,gmanetwork.com,govtrack.us,gramfeed.com,gyazo.com,harvestsa.co.za,hispanicbusiness.com,houstonpress.com,html5test.com,hurricanevanessa.com,i-dressup.com,iheart.com,ilovetypography.com,indiatimes.com,infozambia.com,irennews.org,isearch.whitesmoke.com,itproportal.com,kingdomrush.net,laptopmag.com,laweekly.com,leadershipinsport.co.za,leadershiponline.co.za,leadersinwellness.co.za,lfpress.com,livetvcafe.net,lovemyanime.net,malaysiakini.com,manga-download.org,maps.google.com,marinetraffic.com,mb.com.ph,meaningtattos.tk,miaminewtimes.com,miningprospectus.co.za,mmajunkie.com,mobitube.in,movies-online-free.net,mugshots.com,myfitnesspal.com,mypaper.sg,nativeplanet.com,nbcnews.com,news.nom.co,nsfwyoutube.com,nugget.ca,opportunityonline.co.za,osn.com,panorama.am,pastie.org,phoenixnewtimes.com,phpbb.com,playboy.com,pocket-lint.com,pokernews.com,previously.tv,radiobroadcaster.org,radionomy.com,radiotoday.com.au,reason.com,roadaheadonline.co.za,ryanseacrest.com,savevideo.me,sddt.com,searchfunmoods.com,servicepublication.co.za,sgcarmart.com,shipyearonline.co.za,shopbot.ca,sourceforge.net,stars-portraits.com,stcatharinesstandard.ca,straitstimes.com,strawpoll.me,tass.ru,tcm.com,tech2.com,tehrantimes.com,thecambodiaherald.com,thedailyobserver.ca,thedailysheeple.com,thejakartapost.com,thelakewoodscoop.com,themalaysianinsider.com,thenews.com.pk,theobserver.ca,thepeterboroughexaminer.com,theprojectmanager.co.za,thevoicebw.com,theyeshivaworld.com,tiberium-alliances.com,tjpnews.com,today.com,tubeserv.com,turner.com,twogag.com,ubuntumagazine.co.za,ultimate-guitar.com,viamichelin.co.uk,viamichelin.com,viamichelin.ie,vidstreaming.io,villagevoice.com,wallpaper.com,washingtonpost.com,wdet.org,westword.com,wftlsports.com,womanandhome.com,wtvz.net,yahoo.com,youthedesigner.com,yuku.com##.ads -glarysoft.com##.ads + .search-list -searchfunmoods.com##.ads + ul > li -y8.com##.ads-bottom-table .grey-box-bg -playboy.com##.ads-column > h2 -girlgames4u.com,roblox.com,xing.com##.ads-container -gumtree.com##.ads-partner-anyvan -vdare.com##.ads-vdare -hitfreegames.com,movies-online-free.net,twogag.com##.ads2 -twogag.com##.ads5 -twogag.com##.adsPW -twogag.com##.adsPW2 -localmoxie.com##.ads_tilte -localmoxie.com##.ads_tilte + .main_mid_ads -entrepreneur.com##.adsby -about.com,bloomberg.com,borfast.com,dpivst.com,howmanyleft.co.uk,instantpulp.com,mysmartprice.com,nintandbox.net,nycity.today,over-blog.com,plurk.com,portugalresident.com,scitechdaily.com,sgentrepreneurs.com,techsupportalert.com,wikihoops.com,wlds.com##.adsense -search.b1.org##.adslabel -animeid.com##.adspl -desertdispatch.com,f1fanatic.co.uk,geeky-gadgets.com,highdesert.com,journalgazette.net,lgbtqnation.com,miamitodaynews.com,myrecipes.com,search.certified-toolbar.com,thevoicebw.com,vvdailypress.com,wsj.com##.adtext -reason.com,rushlimbaugh.com##.adtitle -ansamed.info,baltic-course.com,carsdirect.com,cbc.ca,cineuropa.org,cpuid.com,facebook.com,flicks.co.nz,futbol24.com,getwapi.com,howstuffworks.com,intoday.in,isearch.omiga-plus.com,massappeal.com,mnn.com,mtv.com,mysuncoast.com,naij.com,ok.co.uk,ponged.com,prohaircut.com,qone8.com,roadfly.com,rockol.com,rumorcontrol.info,runamux.net,search.v9.com,tunemovies.to,ultimate-guitar.com,vh1.com,webssearches.com,xda-developers.com,zbani.com##.adv -luxury-insider.com##.adv-info -vidstream.io##.adv-space -veoh.com##.adv-title -btn.com##.adv-widget -bdnews24.com##.adv1 -futbol24.com##.adv2 -prohaircut.com##.adv3 -yesasia.com##.advHr -themoscowtimes.com##.adv_block -vietnamnet.vn##.adv_info -dt-updates.com##.adv_items -faceyourmanga.com##.adv_special -thedailystar.net##.advatige -infoplease.com##.advb -98online.com,9news.com.au,abplive.in,adballa.com,africareview.com,airgunshooting.co.uk,airmalta.com,allghananews.com,angliaafloat.co.uk,arabianindustry.com,barkinganddagenhampost.co.uk,becclesandbungayjournal.co.uk,bexleytimes.co.uk,bitcoinzebra.com,blogto.com,bloomberg.com,bromsgrovestandard.co.uk,burymercury.co.uk,cambstimes.co.uk,canalboat.co.uk,caribbeancinemas.com,cbc.ca,centralfm.co.uk,chemicalwatch.com,cheshirelife.co.uk,coastalscene24.co.uk,completefrance.com,cotswoldlife.co.uk,countrysmallholding.com,coventryobserver.co.uk,cranbrookherald.com,craveonline.com,crimemagazine.com,dailyedge.ie,dailysun.co.za,dawn.com,derbyshirelife.co.uk,derehamtimes.co.uk,designmena.com,devonlife.co.uk,directory247.co.uk,dissmercury.co.uk,dorsetmagazine.co.uk,droitwichstandard.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,eastlondonadvertiser.co.uk,edp24.co.uk,ee.co.za,elystandard.co.uk,eos.org,essexlifemag.co.uk,eveningnews24.co.uk,eveshamobserver.co.uk,exmouthherald.co.uk,exmouthjournal.co.uk,express.co.uk,expressandstar.com,fakenhamtimes.co.uk,farmprogress.com,foxbusiness.com,foxnews.com,ft.com,games.co.uk,gamesgames.com,gamesindustry.biz,gfi.com,gnovies.com,gravesendreporter.co.uk,greatbritishlife.co.uk,greatyarmouthmercury.co.uk,greenun24.co.uk,guardianonline.co.nz,guernseypress.com,gulfnews.com,hackneygazette.co.uk,hamhigh.co.uk,hampshire-life.co.uk,healthcanal.com,healthguru.com,healthinsurancedaily.com,herefordshirelife.co.uk,hertfordshirelife.co.uk,hertsad.co.uk,hollywoodreporter.com,hoteliermiddleeast.com,humanipo.com,huntspost.co.uk,icaew.com,ilfordrecorder.co.uk,ipswichstar.co.uk,islingtongazette.co.uk,jerseyeveningpost.com,journeychristiannews.com,kent-life.co.uk,kentnews.co.uk,kumusika.co.zw,lancashirelife.co.uk,leamingtonobserver.co.uk,legendarypokemon.net,lgr.co.uk,livingedge.co.uk,lowestoftjournal.co.uk,malvernobserver.co.uk,medicalnewstoday.com,megasearch.co,midweekherald.co.uk,mmegi.bw,money-marketuk.com,morningstar.co.uk,msnbc.com,music-news.com,myfinances.co.uk,newhamrecorder.co.uk,newstalkzb.co.nz,newsweek.com,ninemsn.com.au,norfolkmag.co.uk,northdevongazette.co.uk,northeastlifemag.co.uk,northnorfolknews.co.uk,northsomersettimes.co.uk,outdoorchannel.com,phnompenhpost.com,piccsy.com,pilotweb.aero,pinkun.com,radiosport.co.nz,realestate.co.nz,redditchstandard.co.uk,romfordrecorder.co.uk,royston-crow.co.uk,rugbyobserver.co.uk,saffronwaldenreporter.co.uk,shropshirelifemagazine.co.uk,shropshirestar.com,sidmouthherald.co.uk,skysports.com,solihullobserver.co.uk,somerset-life.co.uk,sowetanlive.co.za,sportingshooter.co.uk,sportspromedia.com,stowmarketmercury.co.uk,stratfordobserver.co.uk,sudburymercury.co.uk,suffolkmag.co.uk,sundayworld.co.za,surreylife.co.uk,sussexlife.co.uk,technewstoday.com,tenplay.com.au,the42.ie,thecomet.net,thegardener.co.za,thegayuk.com,thejournal.ie,thetribunepapers.com,thewestonmercury.co.uk,totalscifionline.com,travelchannel.com,trucksplanet.com,tvweek.com,usgamer.net,vg247.com,videogamer.com,warwickshirelife.co.uk,wattonandswaffhamtimes.co.uk,weddingsite.co.uk,westessexlife.co.uk,whtimes.co.uk,wiltshiremagazine.co.uk,winewizard.co.za,wisbechstandard.co.uk,worcesterobserver.co.uk,worcestershirelife.co.uk,wow247.co.uk,wymondhamandattleboroughmercury.co.uk,xfire.com,yorkshirelife.co.uk,yourchickens.co.uk##.advert -bdaily.co.uk##.advert-wrapper + .columnist -naldzgraphics.net##.advertBSA -bandwidthblog.com,demerarawaves.com,eaglecars.com,earth911.com,pcmag.com,proporn.com,slodive.com,smartearningsecrets.com,smashingapps.com,theawesomer.com,theawesomer.comtar.com,weathernationtv.com##.advertise -thepeninsulaqatar.com##.advertise-04 -thepeninsulaqatar.com##.advertise-05 -thepeninsulaqatar.com##.advertise-09 -thepeninsulaqatar.com##.advertise-10 -dailyvoice.com##.advertise-with-us -citysearch.com##.advertiseLink -insiderpages.com##.advertise_with_us -000webhost.com,1380thebiz.com,1520thebiz.com,1520wbzw.com,760kgu.biz,880thebiz.com,about.com,afro.com,allflicks.net,allpeliculas.com,am1260thebuzz.com,amctv.com,animax-asia.com,annahar.com,ap.org,araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avclub.com,avonadvocate.com.au,axn-asia.com,barossaherald.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,benfergusonshow.com,betvasia.com,bigthink.com,biz1190.com,bizarremag.com,blacktownsun.com.au,blayneychronicle.com.au,bloomberg.com,bluemountainsgazette.com.au,boingboing.net,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bravotv.com,brimbankweekly.com.au,bunburymail.com.au,business1110ktek.com,business1570.com,businessinsurance.com,busseltonmail.com.au,camdenadvertiser.com.au,camdencourier.com.au,canowindranews.com.au,capitalfm.co.ke,caranddriver.com,carrierethernetnews.com,caseyweekly.com.au,caseyweeklycranbourne.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,christianradio.com,cinemablend.com,classicandperformancecar.com,clickhole.com,colliemail.com.au,colypointobserver.com.au,competitor.com,conservativeradio.com,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crainsnewyork.com,crookwellgazette.com.au,crosswalk.com,dailyadvertiser.com.au,dailygazette.com,dailyliberal.com.au,dailyrecord.com,dandenongjournal.com.au,defenceweb.co.za,di.fm,digiday.com,donnybrookmail.com.au,downloadcrew.com,dunedintv.co.nz,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,elliottmidnews.com.au,esperanceexpress.com.au,essentialmums.co.nz,examiner.com.au,eyretribune.com.au,fairfieldchampion.com.au,fastcocreate.com,fastcodesign.com,financialcontent.com,finnbay.com,forbesadvocate.com.au,frankstonweekly.com.au,gazettextra.com,gematsu.com,gemtvasia.com,gififly.com,gippslandtimes.com.au,gleninnesexaminer.com.au,globest.com,gloucesteradvocate.com.au,goodcast.org,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hawkesburygazette.com.au,hcn.org,hepburnadvocate.com.au,hillsnews.com.au,hispanicbusiness.com,huffingtonpost.ca,huffingtonpost.co.uk,huffingtonpost.co.za,huffingtonpost.com,huffingtonpost.com.au,huffingtonpost.in,humeweekly.com.au,huntervalleynews.net.au,i-dressup.com,imgur.com,inverelltimes.com.au,irishtimes.com,jewishjournal.com,juneesoutherncross.com.au,kansas.com,katherinetimes.com.au,kdow.biz,kkol.com,knoxweekly.com.au,labx.com,lakesmail.com.au,lamag.com,latrobevalleyexpress.com.au,legion.org,lithgowmercury.com.au,liverpoolchampion.com.au,livestrong.com,livetennis.com,macarthuradvertiser.com.au,macedonrangesweekly.com.au,macleayargus.com.au,magtheweekly.com,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,manoramaonline.com,margaretrivermail.com.au,maribyrnongweekly.com.au,marinmagazine.com,maroondahweekly.com.au,meltonweekly.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,metservice.com,mocospace.com,monashweekly.com.au,money1055.com,mooneevalleyweekly.com.au,moreechampion.com.au,movies4men.co.uk,mprnews.org,msn.com,mtvindia.com,mudgeeguardian.com.au,murrayvalleystandard.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,nashvillescene.com,nationalgeographic.com,nationalreview.com,newcastlestar.com.au,northernargus.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,nytimes.com,oann.com,oberonreview.com.au,onetvasia.com,onlinegardenroute.co.za,oxygen.com,parenthood.com,parkeschampionpost.com.au,parramattasun.com.au,pch.com,peninsulaweekly.com.au,penrithstar.com.au,plasticsnews.com,portlincolntimes.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,praguepost.com,psychologytoday.com,queanbeyanage.com.au,racingbase.com,radioguide.fm,redsharknews.com,rhsgnews.com.au,riverinaleader.com.au,rollcall.com,rollingstoneaus.com,roxbydownssun.com.au,rubbernews.com,saitnews.co.za,sconeadvocate.com.au,sify.com,silverdoctors.com,singletonargus.com.au,smallbusiness.co.uk,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,southwestadvertiser.com.au,standard.net.au,star-telegram.com,stawelltimes.com.au,stmarysstar.com.au,stockandland.com.au,stonningtonreviewlocal.com.au,summitsun.com.au,suncitynews.com.au,sunjournal.com,sunraysiadaily.com.au,tennantcreektimes.com.au,tenterfieldstar.com.au,theadvocate.com,theadvocate.com.au,thebeachchannel.tv,thecatholicthing.org,thecourier.com.au,thecurrent.org,theflindersnews.com.au,theforecaster.net,theguardian.com.au,theherald.com.au,theislanderonline.com.au,theland.com.au,theleader.com.au,thenortherntimes.com.au,theridgenews.com.au,therural.com.au,thesportsmanchannel.com,thetriangle.org,tirebusiness.com,townandcountrymagazine.com.au,transcontinental.com.au,travelpulse.com,twincitiesbusinessradio.com,twitch.tv,ulladullatimes.com.au,vanityfair.com,victorharbortimes.com.au,villagesoup.com,waginargus.com.au,walchanewsonline.com.au,walworthcountytoday.com,washingtonexaminer.com,wauchopegazette.com.au,wellingtontimes.com.au,westcoastsentinel.com.au,westernadvocate.com.au,westernmagazine.com.au,whyallanewsonline.com.au,winghamchronicle.com.au,wollondillyadvertiser.com.au,woot.com,wsj.com,wyndhamweekly.com.au,yasstribune.com.au,yellow.co.ke,yellowpages.ca,ynaija.com,youngwitness.com.au##.advertisement -biggestplayer.me##.advertisement + [class] -fieldandstream.com##.advertisement-fishing-contest -firehouse.com,locksmithledger.com,officer.com,securityinfowatch.com##.advertisement:not(.body) -4v4.com,bn0.com,culttt.com,flicks.co.nz,shieldarcade.com,thethingswesay.com,who.is##.advertisements -afr.com,afrsmartinvestor.com.au,afternoondc.in,allmovie.com,brw.com.au,chicagobusiness.com,cio.co.ke,ft.com,glamour.co.za,gq.co.za,hellomagazine.com,newsweek.com,ocregister.com,orangecounty.com,premier.org.uk,premierchildrenswork.com,premierchristianity.com,premierchristianradio.com,premiergospel.org.uk,premieryouthwork.com,radio.com,softarchive.net,theadvocate.com,tvnz.co.nz,unblocked.cam##.advertising -mediatel.co.uk##.advertising_label -ketknbc.com,ktsm.com##.advertisments -computerworld.co.nz##.advertorial_title -theglobeandmail.com##.advetorial -file-extensions.org##.advicon -javascript-coder.com##.advimg -148apps.com##.advnote -mumsnet.com##.advo_box -itweb.co.za,mani-admin-plugin.com##.advs -search.chatzum.com##.adw -aintitcool.com,dailyundercover.com,instructables.com,mapquest.com,northjersey.com,npr.org,people.com,post-gazette.com,theawesomer.com,thestarphoenix.com##.adwrapper -statistiks.co.uk,statistiks.com##.adz -thumbtribe.mobi##.adzoneOldMutualWithoutHeading -mail.google.com##.aeF .nH[role="main"] > .mq:last-child -mail.google.com##.aeF > .nH > .nH[role="main"] > .aKB -mail.google.com##.aeF > .nH > .nH[role="main"] > .afn:first-child + .mq -mail.google.com##.aeF > .nH > .nH[role="main"] > .mq:first-child -mail.google.com##.aeF > .nH > .nH[role="main"] > .nH > .nH > .AT[style] -mail.google.com##.aeF > .nH > .nH[role="main"] > .nH > .nH > .nH > .mq:last-child -mail.google.com##.aeF > .nH > .nH[role="main"] > div + .mq -redown.se##.af -toptut.com##.af-form -adventuregamers.com##.af_disclaimer -eurogamer.net##.affiliate -movie4u.org##.affiliate-button -allmovie.com##.affiliate-links -deborah-bickel.de##.affiliate-werbe125 -seriouseats.com##.affiliate-widget -pcgamesn.com##.affiliate_widget -allmusic.com,coolest-gadgets.com,cutezee.com,sen.com.au##.affiliates -americasautosite.com##.affiliatesDiv -cutezee.com##.affiliates_fp -dailymotion.com##.affiliation_cont -bplans.com##.affixed-sidebar-m -addictivetips.com##.afflink -digmyweb.com##.affsearch-container -digmyweb.com##.affsearch-container-right -priceline.com##.afs-container -surfwap.com,twilightwap.com##.ahblock2 -bizpacreview.com##.ai_widget -world-airport-codes.com##.airport-affiliate -allkpop.com##.akp_newslist_300x250 -autos.msn.com##.al -inquirer.net##.al-bb-box -inquirer.net##.al-elb-frame -ebay.com##.al32 -news.com.au##.aldi-special-buys -300mbmovies4u.com,avaxhomeso.com,dlzware.com,javascript-coder.com,media1fire.com,megashare.com##.alert -kcsoftwares.com##.alert-success -hbwm.com##.alignRight[style="margin-right:30px;color:#858585;"] -empowernetwork.com##.align[bgcolor="#FCFA85"] -thestar.com##.alpha--big-box -searchizz.com##.also_block -speedtest.net##.alt-promo -digitalhome.ca##.alt1[colspan="5"][style="border: 1px solid #ADADAD; background-image: none"] > div[align="center"] > .vdb_player -techsupportforum.com##.alt1[style="border: 1px solid #ADADAD; background-image: none"] -0calc.com##.altad -pcworld.com##.am-btn -styleite.com##.am-ngg-right-ad -colorhexa.com##.amain -thedodo.com##.amazing-animal-widget -air1.com,aol.co.uk,imdb.com,nprstations.org,reviewed.com,squidoo.com,three.fm##.amazon -gadgetsnow.com##.amazon-box -ringostrack.com##.amazon-buy -makeuseof.com##.amazon-callout -imdb.com##.amazon-instant-video -blogcritics.org##.amazon-item -gadgetsnow.com##.amazon-list -aol.co.uk##.amazon-section -brickset.com##.amazonAd -squidoo.com##.amazon_spotlight -kuhf.org##.amazonaff -herplaces.com##.amazonlink -four11.com##.amed -seventeen.com##.ams_bottom -csgojackpot.com##.analyst-backlink -onhax.me##.andro-holder -kingdomrush.net##.angry -folowpeople.info##.anivia_add_space -4shared.com##.antivirusBanner -1337x.org##.anynomousDw -directupload.net,pv-magazine.com##.anzeige -directupload.net##.anzeiger -motor1.com,motorsport.com##.ap -ap.org##.ap_thirdpartywidget -mmorpg.com##.apante -motor1.com,motorsport.com##.apb -publicradio.org##.apm_playlist_item_affiliate -publicradio.org##.apm_playlist_item_purchase_link -cultofmac.com##.appDetailPanel-ad -channelchooser.com##.append-bottom.last -capitalfm.com,classicfm.com##.apple_music -dailysurge.com##.archive-list > div > div[class] -liveonlineradio.net##.art-Header2 -skysports.com##.art-betlink -carsession.com##.artBanner300 -ibtimes.com##.art_content -sigsiu.net##.artbannersplus -pocket-lint.com##.article + .block -selfgrowth.com##.article-banner -outerplaces.com##.article-banner-link -jpost.com##.article-bottom-banner -cheatsheet.com##.article-cover -businesslive.co.za##.article-da -infoworld.com##.article-intercept -scoop.co.nz##.article-left-box -hallels.com##.article-main > p + script + p + * -newstatesman.com##.article-mpu-5 -trendhunter.com##.articleBox -smh.com.au##.articleExtras-wrap -shoppinglifestyle.com##.articleLREC -telegraph.co.uk##.articleSponsor -sosuanews.com##.article[style="width: 440px; background-color: #000066; margin: 6px; margin-top: 6px;"] -iafrica.com##.article_Banner -9news.com.au##.article__partner-links -nzgamer.com##.article_banner_holder -alternet.org##.article_insert_container -educationtimes.com##.articlebannerbottom -app.com,argusleader.com,battlecreekenquirer.com,baxterbulletin.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,cincinnati.com,citizen-times.com,clarionledger.com,coloradoan.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,delawareonline.com,delmarvanow.com,democratandchronicle.com,desmoinesregister.com,dnj.com,fdlreporter.com,freep.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hometownlife.com,honoluluadvertiser.com,htrnews.com,indystar.com,jacksonsun.com,jconline.com,lancastereaglegazette.com,lansingstatejournal.com,livingstondaily.com,lohud.com,mansfieldnewsjournal.com,marionstar.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,pal-item.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,rgj.com,sctimes.com,sheboyganpress.com,shreveporttimes.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,thecalifornian.com,thedailyjournal.com,theithacajournal.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,visaliatimesdelta.com,wausaudailyherald.com,wisconsinrapidstribune.com,zanesvilletimesrecorder.com##.articleflex-container -webpronews.com##.articleleftcol -entrepreneur.com##.articlepromo -audiko.net##.artist-banner-right -audiko.net##.artist-banner-right-cap -eastrolog.com##.as300x250 -moneycontrol.com##.asSponser -memepix.com##.asblock -xmodulo.com##.asdf-banner-zone -golfchannel.com##.aserve-top -breathecast.com##.aside > div + section + * -cientificamerican.com,scientificamerican.com##.aside-banner -four11.com##.asmall_l -four11.com##.asmall_r -instructables.com##.aspace -freeads.co.uk##.ass_ad -javascriptsource.com##.asset-section -southwestbusiness.co.uk##.associate-logo -yahoo.com##.astro-promo -ohioautofinder.com##.atLeaderboard -ohioautofinder.com##.atMiniBanner -techtimes.com##.at_body > div + div.article + * -kpopstarz.com##.at_side > div > div > :first-child > div > * -herald.co.zw##.atbanners -milesplit.com##.atf -tvtropes.org##.atf_banner -gamepedia.com,minecraftwiki.net##.atflb -myshopping.com.au##.atip -filedir.com##.atit -pogdesign.co.uk##.atop -webmd.com##.attrib_right_fmt -webmd.com##.attribution -mbl.is##.augl -majorgeeks.com##.author:first-child -tfo.org##.autopromo -mail.yahoo.com##.avLogo -ngrguardiannews.com##.avd_display_block -the-peak.ca##.aver -receivesmsonline.net##.aviso -gameplanet.co.nz##.avt-mr -gameplanet.co.nz##.avt-placement -m.facebook.com,touch.facebook.com##.aymlCoverFlow -m.facebook.com,touch.facebook.com##.aymlNewCoverFlow[data-ft*="\"is_sponsored\":\"1\""] -doubleviking.com,egoallstars.com,egotastic.com,fleshbot.com,lastmenonearth.com,wwtdd.com##.az -knowyourmeme.com##.aztc -techspot.com##.azureDiv -preloaders.net##.b-728 -livejournal.com##.b-adv -qatarliving.com##.b-banner -revelist.com##.b-container -silvertorrent.org##.b-content[align="center"] > table[width="99%"] -easyvectors.com##.b-footer -alawar.com##.b-game-play__bnnr -theartnewspaper.com##.b-header-banners -cssload.net##.b-horizontal -searchguide.level3.com##.b-links -sammobile.com##.b-placeholder -bizcommunity.com##.b-topbanner -flvto.com##.b1 -scorespro.com##.b160_600 -flv2mp3.com,flvto.com##.b2 -flv2mp3.com##.b3 -scorespro.com##.b300 -impactwrestling.com,jumptogames.com,timesofisrael.com,tnawrestling.com##.b300x250 -itproportal.com##.b4nn3r -scorespro.com##.b60 -gazeta.kz##.bBanner -connectamarillo.com,northwestohio.com##.bI-page-lead-upper -flv2mp3.com,flvto.com##.b_phone -autotrader.ca##.ba1 -autotrader.ca##.ba2 -autotrader.ca##.ba3 -hellomagazine.com##.backBanner -xfire.com##.background -kitguru.net,modders-inc.com,oceanfm.ie,technologyx.com,thessdreview.com,thestar.ie##.background-cover -broadway.com,treehousetv.com##.badge -garfield.com##.badgeBackground -downbyte.net,gatherproxy.com##.badw -baku2015.com##.baku-sponsors -pravda.ru,pravdareport.com##.ban-center -india.com##.ban-rgt-cng-ab -swahilihub.com##.ban125x125 -xbox360cheats.com##.ban160 -swahilihub.com##.ban250x250 -evilmilk.com,xbox360cheats.com##.ban300 -swahilihub.com##.ban468x60 -worldstarhiphop.com##.banBG -worldstarhiphop.com##.banOneCon -kiz10.com##.ban_300_250 -izismile.com##.ban_top -oxforddictionaries.com##.banbox -hancinema.net##.bandeau_contenu -webscribble.com##.baner -hypemixtapes.com##.baner600 -1001tracklists.com,4music.com,90min.com,964eagle.co.uk,adage.com,adradio.ae,ameinfo.com,angryduck.com,anyclip.com,aol.com,arcadebomb.com,autofocus.ca,autotrader.co.za,b-metro.co.zw,balls.ie,bayt.com,betterrecipes.com,bikechatforums.com,billboard.com,blackamericaweb.com,bored-bored.com,boxoffice.com,bukisa.com,cadplace.co.uk,caribvision.tv,cineuropa.org,cmo.com.au,cnn.com,cnnmobile.com,coryarcangel.com,daily-mail.co.zm,digitallook.com,dreamteamfc.com,dressuppink.com,echoroukonline.com,ecorporateoffices.com,elyricsworld.com,entrepreneur.com,esportsheaven.com,euobserver.com,eurochannel.com,everyday.com.kh,evilmilk.com,fantasyleague.com,fieldandstream.com,filenewz.com,fool.com,footballtradedirectory.com,forexpeacearmy.com,forum.dstv.com,freshbusinessthinking.com,freshtechweb.com,funpic.hu,gamebanshee.com,gamehouse.com,gamersbook.com,garfield.com,gatewaynews.co.za,gd.tuwien.ac.at,general-catalog.com,general-files.com,general-video.net,generalfil.es,ghananation.com,girlsocool.com,globaltimes.cn,gsprating.com,guardianonline.co.nz,healthsquare.com,hitfreegames.com,hotfrog.ca,hotfrog.co.nz,hotfrog.co.uk,hotfrog.co.za,hotfrog.com,hotfrog.com.au,hotfrog.com.my,hotfrog.ie,hotfrog.in,hotfrog.ph,hotfrog.sg,hotnewhiphop.com,howard.tv,htxt.co.za,humanipo.com,hyipexplorer.com,ibtimes.co.in,ibtimes.co.uk,iconfinder.com,iguide.to,imedicalapps.com,imnotobsessed.com,insidefutbol.com,internationalmeetingsreview.com,internetnews.com,iradio.ie,irishtimes.com,isohunt.to,isource.com,itreviews.com,japantimes.co.jp,jewishtimes.com,josepvinaixa.com,keepcalm-o-matic.co.uk,ketknbc.com,kicknews.com,kijiji.ca,ktsm.com,leo.org,livescore.in,lmgtfy.com,locatetv.com,londonstockexchange.com,manolith.com,mariopiperni.com,mmosite.com,motherboard.tv,motortrend.com,moviezadda.com,mzhiphop.com,naij.com,nehandaradio.com,netmums.com,networkworld.com,nuttymp3.com,oceanup.com,oncyprus.com,oxforddictionaries.com,pdfmyurl.com,pnet.co.za,postzambia.com,premierleague.com,priceviewer.com,proxyhttp.net,ptotoday.com,radiotoday.co.uk,radiotoday.ie,rapidlibrary.com,reference.com,residentadvisor.net,reversephonesearch.com.au,romereports.com,scientificamerican.com,semiaccurate.com,smartcarfinder.com,snakkle.com,soccer24.co.zw,softonic.com,sportsvibe.co.uk,starradionortheast.co.uk,sumodb.com,sweeting.org,techfrag.com,tennis.com,thebull.com.au,thefanhub.com,thefringepodcast.com,thehill.com,thehun.com,thesaurus.com,theskinnywebsite.com,thetriangle.org,time4tv.com,timeslive.co.za,tmi.me,torrent.cd,travelpulse.com,trutv.com,tvsquad.com,twirlit.com,umbrelladetective.com,universalmusic.com,ustream.tv,vice.com,victoriafalls24.com,viralnova.com,vnexpress.net,weather.gc.ca,weatheronline.co.uk,wego.com,whatsock.com,worldcrunch.com,xda-developers.com,yellowbook.com,zbigz.com##.banner -autotrader.co.uk##.banner--7th-position -autotrader.co.uk##.banner--leaderboard -autotrader.co.uk##.banner--skyscraper -ariacharts.com.au,nation.sc,robinwidget.com,techshout.com##.banner-1 -nation.sc,robinwidget.com##.banner-2 -dailynewsegypt.com,foodingredientsfirst.com,nutritionhorizon.com##.banner-250 -nation.sc##.banner-3 -nbcsports.com,onrpg.com,usahealthcareguide.com##.banner-300-250 -alltop.com##.banner-background -luxgallery.com##.banner-big-cotent -naturalnewsblogs.com,yellowpages.com.lb##.banner-box -1027dabomb.net##.banner-btf -softonic.com##.banner-caption -farmonline.com.au,farmweekly.com.au,goodfruitandvegetables.com.au,jewsnews.co.il,knowledgerush.com,narutoforums.com,northqueenslandregister.com.au,privatehealth.co.uk,queenslandcountrylife.com.au,stockandland.com.au,stockjournal.com.au,student-jobs.co.uk,teenspot.com,theland.com.au,turfcraft.com.au,vh1.com##.banner-container -privatehealth.co.uk##.banner-container-center -jacarandafm.com##.banner-container-top -soccerway.com##.banner-content -moviesplanet.com##.banner-des -relevantradio.com##.banner-flotant-wrapper -dealchecker.co.uk##.banner-header -medicalxpress.com,phys.org,pixdaus.com,tennis.com,thesaurus.com##.banner-holder -freecode.com##.banner-imu -neowin.net##.banner-leaderboard -rio2016.com##.banner-load -savevid.com##.banner-main-198x300 -televisionfanatic.com##.banner-middle-frontpage -101greatgoals.com##.banner-placement -audiko.net,extremesportman.com,ganool.com##.banner-right -televisionfanatic.com##.banner-right-sidebar -extremesportman.com##.banner-right-two -humorsharing.com##.banner-side -freecode.com##.banner-sky -spin.com##.banner-slot -neogamr.net,neowin.net##.banner-square -intomobile.com##.banner-tbd -audiko.net,carpartswholesale.com,enca.com,greatbritishlife.co.uk,nationmultimedia.com,pwinsider.com,rapdose.com,usahealthcareguide.com,wired.co.uk,xda-developers.com##.banner-top -feedmyapp.com##.banner-wrap -general-catalog.com##.banner-wrap-hor -manualslib.com,thenextweb.com,ustream.tv##.banner-wrapper -isohunt.to,isohunt.unblocked.cam##.banner-wrp -ctv.ca##.banner01-holder -ctv.ca##.banner02 -coolest-gadgets.com,depositfiles.com,depositfiles.org,dfiles.eu,dfiles.ru,freecode.com,israeldefense.com,popcrunch.com,priceviewer.com,thelakewoodscoop.com,usa-people-search.com,wired.co.uk##.banner1 -mypayingads.com##.banner125 -angryduck.com##.banner160-title -azernews.az##.banner1_1 -flixflux.co.uk,gsprating.com,jamieoliver.com,thelakewoodscoop.com,usa-people-search.com##.banner2 -blogtv.com##.banner250 -motorcycle-usa.com##.banner300x100 -motorcycle-usa.com##.banner300x250 -celebuzz.com,pinkisthenewblog.com##.banner728-wrapper -mixfmradio.com##.banner728_border -cambodiayp.com,nepalyp.com##.banner750 -jewishbusinessnews.com##.bannerARtop -christianpost.com##.bannerBottom -samsclub.com##.bannerBottomLeaderBd -britsabroad.com,diymobileaudio.com,hotfilms.org,itechtalk.com,legendarydevils.com,mechodownload.com,thegamingsource.co,yummy.ph,zeetvusa.com##.bannerBox -atomicgamer.com##.bannerCaption -esl.eu,foodnetwork.ca,macworld.co.uk,photobucket.com,zoover.co.uk##.bannerContainer -cargurus.com##.bannerDiv -iberia.com##.bannerGiraffe -xda-developers.com##.bannerHolder -sastudy.co.za##.bannerHolder728 -pixdaus.com##.bannerIdent -civiweb.com,thehimalayantimes.com##.bannerLink -come2play.com##.bannerLong -artistdirect.com##.bannerNavi -samsclub.com##.bannerRightRail -ewn.co.za##.bannerSecond -runnersworld.com##.bannerSub -christianpost.com,jamanetwork.com,londonstockexchange.com,xtri.com##.bannerTop -hongkiat.com##.bannerWrap -iphoneapplicationlist.com,salon.com,shockwave.com##.bannerWrapper -impawards.com##.banner_2 -canalboat.co.uk##.banner_234 -impawards.com##.banner_3 -mygaming.co.za,travelpulse.com##.banner_300 -kohit.net,mygaming.co.za##.banner_468 -komp3.net##.banner_468_holder -pastebin.com,ratemyteachers.com##.banner_728 -uploadstation.com##.banner_area -cbssports.com##.banner_bg -business-standard.com##.banner_block -caclubindia.com##.banner_border -anyclip.com##.banner_bottom -aww.com.au,englishrussia.com,softonic.com##.banner_box -9cartoon.me,chiaanime.co,gogoanime.io##.banner_center -coda.fm,jamieoliver.com,smartcompany.com.au,take.fm##.banner_container -kbs.co.kr##.banner_container2 -kyivpost.com##.banner_content_t -pricespy.co.nz##.banner_div -swapace.com##.banner_foot -tvtechnology.com##.banner_footer -domainmasters.co.ke##.banner_google -arabtimesonline.com,silverlight.net##.banner_header -rugby365.com##.banner_holder -newsy.com##.banner_holder_300_250 -cfos.de##.banner_left -livecharts.co.uk##.banner_long -expressindia.com##.banner_main -plussports.com##.banner_mid -checkoutmyink.com##.banner_placer -977music.com,seenow.com##.banner_right -dhl.de##.banner_right_resultpage_middle -prewarcar.com##.banner_single -statista.com##.banner_skyscraper -as.com##.banner_sup -977music.com,rnews.co.za,seetickets.com,thestranger.com##.banner_top -porttechnology.org##.banner_wrapper -gamenet.com##.bannera -zeenews.india.com##.bannerarea -sj-r.com,widih.org##.bannerbottom -bloomberg.com##.bannerbox -timesofoman.com##.bannerbox1 -timesofoman.com##.bannerbox2 -fashionotes.com##.bannerclick -arcadebomb.com##.bannerext -breakfreemovies.com,fifaembed.com,nowwatchtvlive.com,surk.tv,tvbay.org##.bannerfloat -2merkato.com,2mfm.org,aps.dz,beginlinux.com,brecorder.com,caravansa.co.za,dailynews.co.tz,eatdrinkexplore.com,epgn.com,eprop.co.za,fleetwatch.co.za,gameofthrones.net,i-programmer.info,killerdirectory.com,knowthecause.com,maravipost.com,mousesteps.com,onislam.net,paris-update.com,radio90fm.com,radiolumiere.org,rainbowpages.lk,rhylfc.co.uk,russianireland.com,sa4x4.co.za,seatrade-cruise.com,soccer24.co.zw,thebankangler.com,thepatriot.co.bw,thesentinel.com,total-croatia-news.com,tribune.net.ph,triplehfm.com.au,vidipedia.org##.bannergroup -brecorder.com##.bannergroup_box -vidipedia.org##.bannergroup_menu -malaysiandigest.com##.bannergroup_sideBanner2 -dailynews.co.tz##.bannergroup_text -seatrade-cruise.com##.bannergroupflush -telegraph.co.uk##.bannerheadline -av-comparatives.org,busiweek.com,caribnewsdesk.com,israel21c.org,marengo-uniontimes.com,planetfashiontv.com,uberrock.co.uk##.banneritem -elitistjerks.com##.bannerl0aded -racing-games.com,widih.org##.bannerleft -mtvindia.com##.bannermain -mtvindia.com##.bannermain2 -techspot.com##.bannernav -nerdist.com##.bannerplaceholder -digitalproductionme.com,racing-games.com,widih.org##.bannerright -c21media.net,classicsdujour.com,filezoo.com,general-search.net,igirlsgames.com,jobstreet.com.my,jobstreet.com.sg,kdoctv.net,lolroflmao.com,mumbrella.com.au,mysteriousuniverse.org,phuketgazette.net,sheknows.com,telesurtv.net##.banners -joburgstyle.co.za##.banners-125 -wlrfm.com##.banners-bottom-a -codecs.com##.banners-right -aerotime.aero##.banners1 -ecr.co.za,jacarandafm.com##.banners120 -rt.com##.banners__border -dinnersite.co.za##.banners_leaderboard -wdna.org##.banners_right -cbc.ca##.bannerslot-container -musictory.com,widih.org##.bannertop -urlcash.org##.bannertop > center > #leftbox -goldengirlfinance.ca##.bannerwrap -myhostnews.com##.bannerwrapper_t -4v4.com,bn0.com,shieldarcade.com##.banr -getlinkyoutube.com##.bansidebar -getlinkyoutube.com##.bansidebarbottom-frame -getlinkyoutube.com##.bantop -askqology.com##.bar -euronews.com##.base-leaderboard -desimartini.com##.basebox[style="height:435px;"] -premiershiprugby.com##.basesky -tomshardware.com##.basicCentral-elm.partner -coolspotters.com##.bau-flag -bbc.co.uk##.bbccom_companion -bbc.co.uk,bbc.com##.bbccom_sponsor:not(body) -ecommercetimes.com,ectnews.com,linuxinsider.com,macnewsworld.com,technewsworld.com##.bbframe -bbgsite.com##.bbg_ad_fulltop -bbgsite.com##.bbg_ad_side -foodnetwork.ca##.bboxContainer -h-online.com##.bcadv -fakenamegenerator.com##.bcsw -iol.co.za##.bd_images -publicradio.org##.become-sponsor-link -wgbh.org##.becomeSponsor -westernjournalism.com##.before-article -mouthshut.com##.beige-border-tr[style="padding:5px;"] -biggestplayer.me##.bern -whoscored.com##.best-slip-button -goodgearguide.com.au##.bestprice-footer -football365.com##.bet-link -soccerway.com##.bet-now-button-container -vipbox.tv##.bet365-caption -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##.betald-section -skysports.com##.betlink -lshunter.tv##.bets -racinguk.com##.bets_companies_logos -findwide.com##.better_result_block -goal.com##.betting-odds -goal.com##.betting-widget-default-2 -sportinglife.com##.betting_link -broadcastnewsroom.com##.bfua -flixflux.co.uk##.bgBlue -playgroundmag.net##.bg_link -bryanreesman.com##.bg_strip_add -biblegateway.com##.bga -biblegateway.com##.bga-footer -overclock3d.net##.bglink -entrepreneur.com##.bgwhiteb -siouxcityjournal.com##.bidBuyWrapperLG -download.cnet.com##.bidWarContainer -cnet.com,techrepublic.com,zdnet.com##.bidwar -findarticles.com##.bidwarCont -furiousfanboys.com,regretfulmorning.com,viva.co.nz##.big-banner -thestar.com,torontolife.com##.big-box -family.ca##.big-box-container -chipchick.com,megafileupload.com,softarchive.net##.big_banner -tomwans.com##.big_button[target="_blank"] -toblender.com##.bigadd -softpile.com##.bigadvs -wasterecyclingnews.com##.bigbanner -comicbookresources.com,flyerland.ca,healthcentral.com,knoxnews.com,mysuburbanlife.com,nowtoronto.com,tcpalm.com,tiff.net##.bigbox -tucsoncitizen.com##.bigbox_container -caller.com,commercialappeal.com,courierpress.com,gosanangelo.com,govolsxtra.com,independentmail.com,kitsapsun.com,knoxnews.com,naplesnews.com,redding.com,reporternews.com,tcpalm.com,timesrecordnews.com,vcstar.com##.bigbox_wrapper -exclaim.ca##.bigboxhome -tri247.com##.biglink -wctk.com##.bigpromo -about.com,edmunds.com,motherjones.com,pep.ph,todaysbigthing.com,wccftech.com##.billboard -bre.ad##.billboard-body -elitedaily.com##.billboard-wrapper -dailymail.co.uk##.billboard_wrapper -mid-day.com##.bingzedo -isohunt.to,isohunt.unblocked.cam##.bitlord -mywesttexas.com,ourmidland.com,theintelligencer.com##.biz-info -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.biz-photos-yloca -slate.com##.bizbox_promo -scienceworldreport.com##.bk-sidebn -arsenalnews.co.uk##.bkmrk_pst_flt -uvnc.com##.black + table[cellspacing="0"][cellpadding="5"][style="width: 100%;"]:last-child -nowsci.com##.black_overlay -kioskea.net##.bloc_09 -overwatchhentai.net##.block -jobmail.co.za##.block-AdsByJobMail -ap.org##.block-ap-google-adwords -taxsutra.com##.block-banner -mensfitness.com##.block-boxes + div > div[style] -bravotv.com##.block-bravo_sponsored_links -biosciencetechnology.com,dinnertool.com,ecnmag.com,fastcocreate.com,fastcoexist.com,fastcompany.com,hollywoodreporter.com,lifegoesstrong.com,manufacturing.net,midwestliving.com,nbcsports.com,pddnet.com,petside.com,sfbg.com,theweek.co.uk,todayonline.com##.block-dart -ap.org,expertreviews.co.uk,fitpregnancy.com,ibtimes.com,idigitaltimes.com,itpro.co.uk,newsweek.com,theweek.co.uk,weta.org##.block-dfp -reflector.com##.block-dfp_plugin -examiner.com##.block-ex-dart -voxy.co.nz##.block-featured_offers -foxnews.com##.block-fox_yume -jobmail.co.za##.block-gads -globalgrind.com##.block-gg_dfp -horoscope.com##.block-horoscope-sponsored-link-container -iflscience.com##.block-ifls-openx -gardensillustrated.com,historyextra.com##.block-im_dfp -pocket-lint.com##.block-inline -megagames.com##.block-megagames-header-ad -visitpa.com##.block-mmg-oas -motogp.com##.block-motogp_adserver -pocket-lint.com##.block-mpu -pddnet.com##.block-panels-mini -philstar.com##.block-philstar-ad -praguemonitor.com##.block-praguetvads -football-espana.net,football-italia.net##.block-story-footer-simag-banner -accesshollywood.com##.block-style_deals -autoexpress.co.uk##.block-taboola -laboratoryequipment.com##.block-title -kaotic.com##.block-toplist -ibtimes.com##.block-x90 -augusta.com##.block-yca_plugin -worldtimebuddy.com##.block2 -macmusic.org##.block440Adv -alternativeto.net##.blockReplace -ilix.in##.blockUI -torrentz.cd##.block_10_full -miniclip.com##.block_300x250 -miniclip.com##.block_300x250_holder -miniclip.com##.block_300x250_sketchstar -soccerway.com##.block_match_widget_wrapper-wrapper -torrentz.cd##.block_tor_loc_full -filesharingtalk.com##.blocked -dutchnews.nl##.blockleft -gametracker.com##.blocknewhdrad -economist.com##.blog-sponsor -siliconvalley.com##.blogBox -pxleyes.com##.blogpostbanner -redbookmag.com##.blogs_2_circ_offer -animeflv.net##.bloque_pos -napavalleyregister.com,pantagraph.com##.blox-leaderboard-container -downeu.net##.blq:first-child -mnn.com##.blue-bottom -online-free-movie.com,solarmovie.ac##.blue-strip-mobile -4shared.com##.blueBanner -kickass.unblocked.cam##.blueButton -fleetwatch.co.za##.blue_yjsg2_out -fleetwatch.co.za##.blue_yjsg4_out -bitcointalk.org##.bm-main -naukri.com##.bms -naukri.com##.bmsTop -adlock.in##.bn -christianpost.com,parentherald.com##.bn728 -ibtimes.co.uk,ibtimes.com##.bn_center_bottom_leaderboard_hd -full-rls.net,nitrodl.com##.bnner -demonoid.ooo,demonoid.ph,demonoid.pw##.bnnr_top -electronicsfeed.com,gatorzone.com,intelligencer.ca,solidfiles.com##.bnr -euroweek.com##.bnr-top -carnewschina.com,thetycho.com##.bnr728 -informer.com##.bnr_block -armenpress.am##.bnrcontainer -musictimes.com##.body > div > div + :last-child -forbes.com##.body > p > a[href^="http://www.newsletters.forbes.com/store?"] -mangahere.com##.body-bg-left -mangahere.com##.body-bg-right -cheatcc.com##.body-side-banner -billboard.biz##.bodyContent[style="padding-bottom:30px; text-align: center"] -royalbank.com##.bodyPromotion -news.am##.bodybnr468 -venturebeat.com##.boilerplate-label -venturebeat.com##.boilerplate-speedbump -barrons.com##.boldGreyNine -frommers.com##.book-a-trip -f1i.com##.booking -biblegateway.com##.bookperks-section -cmo.com.au,interiordesign.net##.boombox -bangkokpost.com##.boomboxSize1 -overclock3d.net##.border-box-320 -wsj.com##.border-left > div[style="height:1050px;position:relative;"] -thenextweb.com##.border-t.mt-2 -share-links.biz##.border1dark -bitcointalk.org##.bordercolor[width="100%"][cellspacing="0"][cellpadding="0"][border="0"] > tbody > tr[class^="h"] > td[class^="i"] -helenair.com##.bordered[align="center"][width="728"] -afreecodec.com##.bornone -tgun.tv##.bossPlayer -dailynews.gov.bw##.bot-banner -trueslant.com##.bot_banner -gofish.com##.botban1 -gofish.com##.botban2 -bankrate.com##.botbanner -thistv.com##.botbannerarea -ocweekly.com,pixdaus.com##.bottom -pixxxels.org##.bottom-a -eplans.com,liligo.com,reverso.net,spanishdict.com##.bottom-banner -livehdq.info##.bottom-bar -kaskus.co.id##.bottom-frame -usatoday.com##.bottom-google-links -photographyreview.com##.bottom-leaderboard -theticketmiami.com##.bottom-super-leaderboard -weatheroffice.gc.ca##.bottomBanner -softicons.com##.bottom_125_block -softicons.com##.bottom_600_250_block -themoscowtimes.com##.bottom_banner -secdigitalnetwork.com##.bottom_banners_outer -gamenguide.com##.bottom_bn -einthusan.com##.bottom_leaderboard -einthusan.com##.bottom_medium_leaderboard -einthusan.com##.bottom_small_leaderboard -broadcastnewsroom.com,mumbaimirror.com,softonic.com##.bottombanner -arcadebomb.com##.bottombox -technologizer.com##.bottompromo -explainthatstuff.com##.bottomsquare -filediva.com##.bouton -jpost.com##.box-banner-wrap -1337x.to##.box-info-detail > .torrent-category-detail + div[class] -oilprice.com##.box-news-sponsor -efe.com##.box-publi -phonedog.com##.box-rail-skyleft -phonedog.com##.box-rail-skyright -accuratefiles.com##.box-result -mybroadband.co.za##.box-sponsored -oilprice.com##.box-sponsors -webupd8.org##.box-top -bmwblog.com##.box-top-leaderboard -fins.com##.box.shadeA -malaysiastory.com,wahm.com##.box2 -fins.com##.box2.shadeB -senmanga.com##.box300x250 -mediadump.com##.box336 -senmanga.com##.box480x90 -trendhunter.com##.box600Container -newser.com##.boxFrame > aside > div > div[class]:last-child -jekoo.com##.boxItem -yahoo.com.au##.boxMidRt.pB0 -efe.com##.boxPubli -efe.com##.boxPubliBlanco -fliiby.com##.box_300x250 -brunei-online.com.bn##.box_banner -bmwblog.com##.box_banners_125 -al.com,cleveland.com,masslive.com,mlive.com,nj.com,nola.com,pennlive.com##.box_grayoutline -findicons.com##.box_info -ashampoo.com##.box_recommend2 -lyricsmania.com##.boxcontent1 -elitistjerks.com##.boxl0aded -downloadbox.to##.boxpanjang -activistpost.com##.boxzilla-container -brainyquote.com##.bq_ad_320x250_multi -apa.az##.br-panel -hardware.info##.br_top_container -brothersoft.com##.brand -macworld.com##.brand-post-module -mapquest.com##.brandedBizLocSprite -thetowner.com##.branding-item -primedia.co.za##.branding-sponsor -computerworld.co.nz##.brandpost_native -csoonline.com,infoworld.com##.brandposts -deseretnews.com##.brandview-spotlight-story -capitalfm.co.ke##.breadcrumbs -1310news.com,680news.com,news1130.com##.breaking-news-alerts-sponsorship-block -break.com##.breaking_news -break.com##.breaking_news_wrap -thedailybeast.com##.breakout-item -break.com##.brk_ldrbrd_wrap -marketwatch.com##.broker-buttons -techtipsgeek.com##.bsa-banner -sitepoint.com##.bsa-topic-outlet -karachicorner.com##.bsa180 -karachicorner.com##.bsa300 -karachicorner.com##.bsa336 -twtmore.com##.bsa_wrap -bloggertemplateplace.com##.bsainpost -mysteriousuniverse.org,wbond.net##.bsap -easyvectors.com,mangable.com,textmechanic.com,tutorial9.net,webdesign.org,winrumors.com##.bsarocks -if-not-true-then-false.com##.bsarocks[style="height:250px;margin-left:20px;"] -if-not-true-then-false.com##.bsarocks[style="height:520px;"] -mmorpg.com##.bsgoskin -webopedia.com##.bstext -virginradiodubai.com##.bt-btm -fenopy.se##.bt.dl -milesplit.com##.btf -idolator.com##.btf-leader -alternativeto.net##.btf-middle -tvtropes.org##.btf_banner -gamepedia.com,minecraftwiki.net##.btflb -diply.com##.btfrectangle -dubai92.com,dubaieye1038.com##.btm-banner -cricwaves.com##.btm728 -helensburghadvertiser.co.uk,the-gazette.co.uk##.btn -myanimelist.net##.btn-affiliate -isohunt.to##.btn-bitlord -isohunt.to,isohunt.unblocked.cam##.btn-bitlord-play -mp3truck.net,stream2watch.cc##.btn-danger -bitlordsearch.com##.btn-download-bitlord -adlock.in##.btn-info -123movies.cz,123movies.ru,123movies.to##.btn-success -torrents.net##.btn3 -clip.dj##.btnDownloadRingtone -whosampled.com##.btnRingtoneTrack -legendarydevils.com##.btn_dl -wrc.com##.btns -wrc.com##.btnswf -gizmodo.com.au##.btyb_cat -wired.com##.builder-section-ad -whitepages.com##.business_premium_container_top -switchboard.com,whitepages.com##.business_premium_results -torrentbit.net##.but_down_sponsored -1053kissfm.com##.button-buy -yts.ag##.button-green-download-big -torrentbit.net##.button-long -miloyski.com##.button[target="_blank"] -darelease.com,downarchive.com,keygenfree.org,mechodownload.com##.button_dl -freedownloadmanager.org,freedownloadscenter.com##.button_free_scan -thedrinksbusiness.com##.buttons -923jackfm.com,chez106.com,country1011.com,country1043.com,country600.com,foxradio.ca,gameinformer.com,kissnorthbay.com,kisssoo.com,listenlive.co,npr.org,ranker.com,thesoundla.com,tunegenie.com,xboxdvr.com##.buy -cpuboss.com,gpuboss.com,ssdboss.com##.buy-button -androidcentral.com,awdit.com##.buy-link -overclock.net##.buy-now -air1.com##.buyIcon -klove.com##.buyPanel -listenlive.co##.buySong -securenetsystems.net##.buybutton -financialexpress.com##.buyhatke_widget -zdnet.com##.buying-choices-2 -trendir.com##.buyit -avsforum.com##.buynow -morningstar.com##.buyout_leader_cont -ndtv.com##.buytWidget -bangkokpost.com##.buzzBoombox -guanabee.com##.buzzfeedSubColPod -stlmag.com##.buzzworthy -getthekick.eu##.bx-wrapper -buzzillions.com##.bz-model-lrec -planetrock.com##.c-leaderboard-wrapper -farmanddairy.com##.c-position-in-story -businessdailyafrica.com,theeastafrican.co.ke##.c15r -nationmultimedia.com##.c2Ads -maniacdev.com##.c4 -canada411.ca##.c411TopBanner -dealsonwheels.co.nz,farmtrader.co.nz,motorcycletrader.co.nz,tradeaboat.co.nz##.cBanner -brisbanetimes.com.au,theage.com.au,watoday.com.au##.cN-storyDeal -filepuma.com##.cRight_footer -smh.com.au,theage.com.au,watoday.com.au##.cS-compare -smh.com.au##.cS-debtBusters -google.com,~mail.google.com##.c[style="margin: 0pt;"] -uploading.com##.c_2 -ria.ru##.c_banners -mmosite.com##.c_gg -thecable.ng##.cableads_mid -nst.com.my##.cadv -streamtv1.in##.caf -winnipegfreepress.com##.cal-sponsor -ieee.org##.callOutTitle -utorrent.com##.callout -utorrent.com##.callout-recall -catholicreview.org##.campaign-slider-wrap -adorraeli.com##.candy -hgtvremodels.com##.cap -tribe.net##.caption -lonelyplanet.com##.card--sponsored -care2.com##.care2_horiz_adspace -receeve.it##.carousel -youtube.com##.carousel-offer-url-container -theberry.com,thechive.com##.carousel-sponsor -ludobox.com##.carrepub -overstock.com##.cars-ad-localdeals -hindilinks4u.to##.cat-featured -123peppy.com##.cat-spacer -horsedeals.co.uk##.catalogueRightColWide -runnow.eu##.category-retail -dealbreaker.com##.category-sponsored-content -girlsgogames.co.uk,girlsgogames.com##.categoryBanner -retailmenot.com##.categorySponsor -kibagames.com##.category_adv_container -oliveoiltimes.com##.category_advert -mega-search.me##.catfish -getprice.com.au##.catin_side_mrec -coolspotters.com##.cau -cryptocoinsnews.com##.cb-two > #text-38 -survivalblog.com##.cba-banner-zone -cbc.ca##.cbc-adv-wrapper -cbc.ca##.cbc-big-box-ad -cbc.ca##.cbc-promo-sponsor -careerbuilder.com##.cbmsnArticleAdvertisement -wcco.com##.cbstv_top_one_column -givemefile.net##.ccb_cap_class_1 -bigwhite.com##.ccm-image-block -inquirer.net##.cct-extended-ribbon -inquirer.net##.cct-masthead -toptenreviews.com##.ceh_top_ad_container -nick.com##.celebrity-sponsored -mybrute.com##.cellulePub -playwinningpoker.com##.centban -port2port.com,privateproperty.co.za##.centerBanner -siberiantimes.com##.centerBannerRight -bookcrossing.com##.center[style="width:260px;"] -bookcrossing.com##.center[style="width:620px;"] -zippyshare.com##.center_reklamy -arstechnica.com##.centered-figure-container + .right -sulekha.com##.centxt -bitcoinmagazine.com##.cer-da -cfake.com##.cfakeSponsored -yumfoodrecipes.com##.cfmonitor -cfo.com##.cfo_native_ad -howstuffworks.com,internet.com##.ch -bigfooty.com##.chaching -ustream.tv##.channelTopBannerWrapper -symptomfind.com##.channelfav -tradingview.com##.chart-promo -businessinsider.com##.chartbeat -kaotic.com##.chaturbate -forum.xda-developers.com##.checkOut -techreport.com##.checkprices -motorauthority.com##.chitika-listings -4shared.com##.christmasBanner -wsj.com##.cioMypro-marketing -newsfactor.com##.cipText -search.com##.citeurl -4shared.com##.citrioPromoLink -post-gazette.com##.city-coupons-wrap -crooksandliars.com##.cl_ad_blocks-5 -crooksandliars.com##.cl_ad_blocks-6 -crooksandliars.com##.clam-google -crooksandliars.com##.clam-text -economist.com##.classified-ads -telegraph.co.uk##.classifiedAds -uploading.com##.cleanlab_banner -clgaming.net##.clg-footerSponsors -yourepeat.com##.click-left -yourepeat.com##.click-right -haaretz.com##.clickTrackerGroup -infobetting.com##.click_bookmaker -thinkbroadband.com##.clickable-skin -conservativevideos.com##.clickbooth-ad + h3 + div -clipinteractive.com##.clip-featured -windowsitpro.com##.close -streamin.to##.close_box -ew.com##.cm-footer-banner -wftv.com##.cmFeedUtilities -ajc.com##.cmSponsored -wsbtv.com##.cmSubHeaderWrap -wftv.com##.cmToolBox -ew.com##.cmWrapper -coed.com##.cmg-nesn-embed -macleans.ca##.cmg_walrus -thisismoney.co.uk##.cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -geektyrant.com##.cmn-side -2dopeboyz.com##.cmn728x90 -motorsport.com##.cmpFixedBox -cnn.com##.cnnMosaic160Container -cnn.com##.cnnPostAdHolder -nascar.com##.cnnUpfrontContainer -cnn.com##.cnn_SRLTbbn336a -cnn.com##.cnn_cnn_widget_adtag -cnn.com##.cnn_elxad300spc -cnn.com##.cnn_sectprtnrbox_grpn325 -europeancarweb.com,hotrod.com,truckinweb.com##.cnt-google-links-container -truckinweb.com##.cnt-google-wide -europeancarweb.com,hotrod.com##.cnt-sponsored-showcase -icanbecreative.com##.codeg -ebookee.org##.codemain -ebookee.org##.codetop -disqus.com##.col-promoted -euronews.com##.col-pub-skyscraper -3v3.gg##.col-right2.mt10 a[target="_blank"] -primewire.ag,primewire.in##.col2 > iframe -nycgo.com##.colBBox -shopping.aol.com##.col_asl -jamendo.com##.col_extra -naukri.com##.collMTp -au.news.yahoo.com##.collection-sponsored -ign.com##.colombia -indiatimes.com##.colombiatracked -querverweis.net##.column-box > .column-box:first-child + .column-box[style="padding-top:10px"] -reverso.net##.columnBanner2 -tinypic.com##.columns > .content-sec > .clear + div -tinypic.com##.columns > .content-sec > span -arcadebomb.com##.colunit1 -telegraph.co.uk##.comDatingWidget -telegraph.co.uk##.comPuff -worldstarhiphop.com##.comhead2 + .iframe[style="height:250px"] -expat-blog.com##.comlnk -googlesightseeing.com##.comm-skyscraper -googlesightseeing.com##.comm-square -tomshardware.com##.comment-widget > [id][class][style] -crossmap.com##.commentBox > div:first-child -abovethelaw.com##.comments-sponsor -tripadvisor.ca,tripadvisor.co.uk,tripadvisor.com,tripadvisor.ie,tripadvisor.in##.commerce -prevention.com##.commerce-block -capitalfm.com,capitalxtra.com,classicfm.com,gizmodo.co.uk,goal.com,heart.co.uk,independent.co.uk,mygoldmusic.co.uk,radiox.co.uk,runningserver.com,smoothradio.com,standard.co.uk,thisislondon.co.uk##.commercial -blackcaps.co.nz##.commercial-partners -sheptonmalletjournal.co.uk##.commercial-promotions -independent.co.uk##.commercialpromo -heraldnet.com##.comp_DailyDealWidget -verizon.com##.comp_container_marketplace -blinkbox.com##.companion -5min.com##.companion-banner -proactiveinvestors.co.uk,proactiveinvestors.com.au##.company-banner -bbyellow.com,bsyellow.com,businessdirectory.mu,businesslist.ae,businesslist.co.cm,businesslist.co.ke,businesslist.co.ug,businesslist.com.bd,businesslist.com.ng,businesslist.hk,businesslist.my,businesslist.net.nz,businesslist.ph,businesslist.pk,businesslist.sg,businesslist.tw,businesslist.vn,cambodiayp.com,caymanyellow.com,chileindex.com,colombiayp.com,dominicanyp.com,egypyp.com,ethiopiadirectory.com,georgiayp.com,ghanayp.com,indonesiayp.com,jmyellow.com,jpyellow.com,lebyp.com,lesothoyp.com,localbotswana.com,malawiyp.com,moroccoyp.com,myanmaryp.com,namibiayp.com,nepalyp.com,onlinebusinesslist.co.za,puertoricoindex.com,qataryp.com,rwandayp.com,saudianyp.com,senegalyp.com,sudanyp.com,tanzaniayp.com,thaigreenpages.com,tntyellow.com,tunisiayp.com,turkishyp.com,venezuelayp.com,yemenyp.com,zambiayp.com,zimbabweyp.com,zipinfo.in##.company_banner -versusio.com##.compare_leaderboard -circa.com##.component-ddb-728x90-v1 -delish.com,msn.com##.conban1 -msn.com##.condbanner2 -theglobeandmail.com##.conductor-links -thegameslist.com##.cont -spoonyexperiment.com##.cont_adv -torrent-finder.info##.cont_lb -babylon.com,searchsafer.com##.contadwltr -tinypic.com##.container > .browse > div -hngn.com##.container > .main_cont_sub > ul + * -tinypic.com##.container > .wrapper > .pageHdr + * -hngn.com##.container > script + .sidebar_sub > :first-child -radiotimes.com##.container--related -marketwatch.com##.container--sponsored -miniclip.com##.container-300x250 -villagesoup.com##.container-popup -ina.fr##.container-pubcarre -jokersupdates.com##.container_contentrightspan -tourofbritain.co.uk##.container_right_mpu -bbh.cc##.content + .sidebar -thegatewaypundit.com##.content + .widget-area > div:first-child -thegatewaypundit.com##.content > .post + .widget -thegatewaypundit.com##.content > article:first-child > span -opensubtitles.org##.content > div[id] > div[id][style^="z-index"] -adfoc.us##.content > iframe -flashgot.net##.content a[rel="nofollow"][target="_blаnk"] -intouchweekly.com##.content-banner -crmbuyer.com,ectnews.com,linuxinsider.com,macnewsworld.com,technewsworld.com##.content-block-slinks -songlyrics.com##.content-bottom-banner -techrepublic.com##.content-bottom-leaderboard -techrepublic.com##.content-bottom-mpu -1049.fm##.content-footer-promo -123movies.cz,123movies.ru,123movies.to##.content-kus -pwinsider.com##.content-left -pcmag.com##.content-links -gizmochina.com##.content-mid-wrapper -techrepublic.com##.content-middle-mpu -funnyordie.com##.content-page-mrec -funnyordie.com##.content-page-mrec-container -pocketnow.com##.content-panel > div > .textwidget -mysuburbanlife.com##.content-promo -newstalkzb.co.nz##.content-promos -kiz10.com##.content-recomendados -pwinsider.com##.content-right -jmail.co.za,tsamail.co.za,webmail.co.za##.content-section-left -thegatewaypundit.com##.content-sidebar-wrap > aside.sidebar > div + div + * -boatinternational.com##.content-sponsored-listings-list -crmbuyer.com,ectnews.com,linuxinsider.com,macnewsworld.com,technewsworld.com##.content-tab-slinks -fijilive.com##.content-top -futuresmag.com##.content-top-banner -techrepublic.com##.content-top-leaderboard -techrepublic.com##.content-top-mpu -gizmochina.com##.content-top-wrapper -yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.contentBannerHolderLarge -girlsgogames.com##.contentListSkycontainer -seocentro.com##.contentTDRight[valign="top"] > table[width="280"][border="0"][align="center"][cellspacing="0"][cellpadding="2"]:first-child -kohit.net##.content_banner_right -gamefront.com##.content_bottom_cap -domainnamewire.com##.content_posts_promotion -sythe.org##.content_sa_top -globrix.com##.content_slots_for_results_container -iafrica.com##.content_sponsoredLinksBox -goodgearguide.com.au,pcworld.idg.com.au##.contentpage-boombox -nexus404.com##.contentpostTAD -sc2ranks.com##.contentright -coinurl.com##.contents -gamenguide.com##.contents > .mleft a[href^="https://www.amazon.com/"] -huffingtonpost.com##.contin_below -shtfplan.com##.continue + div[style="padding: 10px 0px 10px 0px;"] + div[style="background-color: #CDE8FC; padding: 5px 0px 5px 5px;"] -businessinsider.com##.continue-link -netnewscheck.com##.continue-text -notcot.org##.conversationalist_outer -list25.com##.converter -sharaget.com##.coollist -madison.com##.coupon -gamecoupongrid.com##.coupon-card.feature-card -gamecoupongrid.com##.coupon-head.feature-card-head -columbian.com##.coupon-widget -wnst.net##.coupon_block -ftadviser.com##.cpdSponsored -afr.com##.cq-sponsored-content -politicalwire.com##.cqheadlinebox -merriam-webster.com##.creative-300_BOT-container -merriam-webster.com##.creative-300_TOP-container -plus.im##.creativeWrapper -cgsociety.org##.creditcardAD -forumpromotion.net##.crm[style="text-align: left;"] -wric.com##.csWxSponsor -celebuzz.com##.cs_banner728_top -candystand.com##.cs_square_banner -candystand.com##.cs_tall_banner -candystand.com##.cs_wide_banner -carsales.com.au##.csn-ad-preload -vitorrent.net##.css_btn_class_fast -columbian.com##.cta[style="margin-top: -10px;"] -terra.com##.ctn-tgm-bottom-holder -funny.com##.ctnAdBanner -indiatimes.com##.ctn_ads_twins -shazam.com##.ctrl-bar__button-buy -shazam.com##.ctrl-bar__buybtn -homefinder.com##.cubeContainer -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##.culimx-section -cramit.in##.curved_box_no_shadow[style="width:977px;"] -thestandard.com.ph##.custom-banner-customize.custom-border -forumpromotion.net##.custom-foot + .forumbg2 -thestandard.com.ph##.custom-sidebar-block.wcustom-med-rect-banner.custom-banner.custom-banner-medium-rectangle -101cargames.com##.custom-siteskin -malwarehelp.org##.custom_1_box -annistonstar.com##.custom_hot_deal_image -jobhits.co.uk##.cvads -cocomment.com##.cw_adv -glumbouploads.com##.d0_728 -rapidok.com##.d_content[style="background:#FFFFFF url(/img/d1.gif) repeat-x scroll 0 86%;"] -thomasnet.com##.da -diply.com##.da-disclaimer -arabianindustry.com##.da-leaderboard -torrents.to##.da-top -thedailywtf.com##.daBlock -diply.com##.dad-spot -bitcoinmagazine.com##.dael-da -yahoo.com##.darla-container -tesco.com##.dart -americanphotomag.com,ecnmag.com,manufacturing.net,webuser.co.uk##.dart-tag -wetv.com##.dart300x250Border -torrent.cd##.data[style="margin-bottom: 0px; margin-top: 15px;"] -drum.co.za,you.co.za##.dating-widget -mrarrowhead.com##.dating_site_banner -lloydslistaustralia.com.au##.db-leaderboard-container -itv.com##.db-mpu -foobar2000.org##.db_link -herald.co.zw##.dban -dbforums.com##.dbfSubscribe[style^="display: block; z-index: 1002; "] -startups.co.uk##.dc-leaderboard -kibagames.com##.dc_color_lightgreen.dc_bg_for_adv -ohiostatebuckeyes.com##.dcad -elitistjerks.com##.dcc -dailydot.com##.dd-sponsored -gas2.org##.dd_outer + p + center + br + br + p + table -trutv.com##.ddad -bts.ph,btscene.eu##.ddl_det_anon -btscene.eu##.ddl_srch -hdtvtest.co.uk##.deal -azstarnet.com,poststar.com,wcfcourier.com##.deal-container -pcmag.com##.deal-widget -kmov.com##.dealLeft -kmov.com##.dealRight -msnbc.msn.com,nbcnews.com##.deals -pcworld.idg.com.au##.deals-box -independent.com.mt##.deals-container -kusports.com##.deals_widget -macobserver.com##.dealsontheweb -smh.com.au##.debtBusters -smashingmagazine.com,tripwiremagazine.com##.declare -delfi.lt##.delfi-ads-block -wsj.com##.deloitte_disclaimer -softpile.com##.desadvs -mindspark.com,myway.com,mywebsearch.com##.desc -mysearch.com##.desc > div -good.is##.description -desi-tashan.com##.desi_300 -nextcity.org##.desktop-display -4archive.org,cu.cc,randomarchive.com##.desktop[style="text-align:center"] -northjersey.com##.detail_boxwrap -northjersey.com##.detail_pane_text -heroturko.me##.detay -onlinerealgames.com##.df3 -gearburn.com,marinmagazine.com,memeburn.com,motorburn.com,nhbr.com,scpr.org,shop.com,techinsider.io,theonion.com,urbandictionary.com,ventureburn.com##.dfp -guidelive.com##.dfp--300x250 -premier.org.uk,premierchildrenswork.com,premierchristianity.com,premierchristianradio.com,premiergospel.org.uk,premieryouthwork.com##.dfp-block -suntimes.com##.dfp-cube -conservativevideos.com##.dfp-inline + * + [src^="http://cas.criteo.com/"] + div -timesfreepress.com##.dfp-instory -healthline.com##.dfp-lb-wrapper -techradar.com##.dfp-leaderboard-container -blastingnews.com##.dfp-leaderbord -sodahead.com##.dfp300x250 -sodahead.com##.dfp300x600 -ket.org##.dfp_primary -imdb.com##.dfp_slot -premier.org.uk,premierchildrenswork.com,premierchristianity.com,premierchristianradio.com,premiergospel.org.uk,premieryouthwork.com##.dfp_strip -dafont.com##.dfsmall[style="background:#fff"] -dafont.com##.dfxsmall[style="text-align:right;color:#999"] -hpcwire.com##.diana -reference.com##.dic_bk -zdnet.com##.dirListSuperSpons -1337x.to,flmsdown.net,torrentdownloads.net,vertor.com##.direct -fenopy.unblock.pro,unblock-proxybunker.co.uk##.direct-dl -seedpeer.eu,sumotorrent.sx##.directStreaming -sumotorrent.sx##.directStreamingText -softarchive.net##.direct_download -world-airport-codes.com##.directory-airport -news.com.au##.disclaimer-footer -chacha.com,omghype.com##.disclosure -1cookinggames.com,yokogames.com##.displaygamesbannerspot3 -pitgrit.com##.div-content > .widget + div -pitgrit.com##.div-content > aside > :first-child -pitgrit.com##.div-content > div > div[class]:first-child -pitgrit.com##.div-content > div > span:last-child -hellopeter.com##.div1 -hellopeter.com##.div2 -israelnationalnews.com##.div300 -espncricinfo.com##.div300Pad -aniweather.com##.divBottomNotice -aniweather.com##.divCenterNotice -kissanime.com,kisscartoon.me##.divCloseBut -alternativeto.net##.divLeaderboardLove -citizensvoice.com##.div_pfwidget -hellobeautiful.com##.diversity-one-widget -cfweradio.ca##.dl -search.ovguide.com##.dl:first-child -mediafire.com##.dlInfo-Apps -download3k.com##.dl_button -torrentcrazy.com##.dlf -free-tv-video-online.me##.dloadf -free-tv-video-online.me##.dloadh -free-tv-video-online.me##.dloadt -orlydb.com##.dlright -dreammining.com##.dm-adds -answers.yahoo.com##.dmRosMBAdBorder -dailymotion.com##.dmpi_masscast -allrecipes.com##.docking-leaderboard-container -isup.me##.domain + p + center:last-child > a:first-child -i4u.com##.dotted -gearlive.com##.double -techtipsgeek.com##.double-cont -bigtop40.com,capitalfm.com,capitalxtra.com,classicfm.com,dirtymag.com,heart.co.uk,kingfiles.net,mygoldmusic.co.uk,radiox.co.uk,smoothradio.com,win7dl.com##.download -torrentdownloads.me##.download + div + div > div[style="float:left; padding: 5px"] + div[style="float:left"] -torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph,torrentz2.eu,torrentz2.me##.download > h2 + dl > dd -turbobit.net##.download-area-top -host1free.com##.download-block -generalfiles.me##.download-button -1337x.to##.download-links .btn:not(.btn-magnet):not(.btn-torrent-download):not(.btn-torrent-mirror-download) -uwatchfree.co##.download-now -awdit.com##.download-right-add -turbobit.net##.download-top -torentilo.com##.downloadBlock > .downloadButton -pornograd.net##.downloadButton -wupload.com##.downloadOptionFooter -tubeplus.me##.download_emule -candystand.com##.download_free_games_ad -fileshut.biz,fileshut.com##.download_item2 -download-movie-soundtracks.com##.download_link > .direct_link -fileserve.com##.download_meagaCloud -primewire.ag,watchseries.li##.download_now_mouseover -load.to##.download_right -filediva.com##.download_top -fileshut.biz,fileshut.com##.download_top2 -brothersoft.com##.downloadadv -brothersoft.com##.downloadadv1 -brothersoft.com##.downloadadv3 -defenseindustrydaily.com##.downloads -vertor.com##.downweb -billionuploads.com##.dowpdb -vcdq.com##.dp-widget -9gag.com##.dpa-300 -9gag.com##.dpa-728 -equestriadaily.com##.drgwefowiehfoiwe -ashampoo.com##.driverupdater -movietrailers.yt##.drt -journalnow.com##.dt_mod -digitaltrends.com##.dtads-slot -googleping.com,search.com##.dtext -darkreading.com##.dualRight -dressupcraze.com##.duc-160 -dressupcraze.com##.duc-728 -bloomberg.com##.dvz-widget-sponsor -webmd.com##.dynbm_wrap -espnwatch.tv##.dzt -techraptor.net,watchreport.com##.e3lan300_250-widget -aol.co.uk,cnet.com.au##.ebay -amateurphotographer.co.uk##.ebay-deals -carandclassic.co.uk##.ebayRSS -psu.com##.ebayh1 -gumtree.com##.ecn-display-block -ecosia.org##.ecolink-search-result -teenvogue.com##.ecom-placement -segmentnext.com##.ecommerce-data -smashingmagazine.com##.ed -smashingmagazine.com##.ed-us -timeoutabudhabi.com##.editoral_banner -businessinsider.com.au##.editorial-aside -dailymail.co.uk##.editors-choice.ccox.link-ccox.linkro-darkred -experts-exchange.com##.eeAD -notebooks.com##.efbleft -watchers.to##.ehh-border -priceonomics.com##.eib-banner -lyrster.com##.el_results -playbill.com##.embedded-banner -soccerstand.com##.enet_banner_container -israelhayom.com##.english_banner_300_250 -sourceforge.net##.enhanced-listing -cannabisjobs.us##.enhanced-text-widget a[target="_blank"] > img -moviefone.com##.ent_promo_sidetexttitle -lfpress.com##.entertainmentSponsorshipContainer -entrepreneur.com##.entnative -cryptocoinsnews.com##.entry-content > center > .mobile -infowars.com##.entry-content > div + div + * + [class] -infowars.com##.entry-content > div + div + div + * -infowars.com##.entry-content > div[id] + div[class] -infowars.com##.entry-content > span + div + [class] -thegatewaypundit.com##.entry-footer + div > div:first-child -cbslocal.com,radio.com##.entry-injected-block -radaronline.com##.entry-meta > div[style="width:637px;height:224px;"] -infoq.com##.entrysponsors -wrytestuff.com##.eoc250 -electronicproducts.com##.ep-boombox-advertisment -onwatchseries.to,watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.li,watchseries.lt,watchseries.ph,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.unblckd.top,watchtvseries.vc##.episode-summary + style + [class] -msnbc.msn.com,nbcnews.com##.eshopStory -metacritic.com##.esite_list -easyvoyage.co.uk##.esv-pub-300-250 -thecommonsenseshow.com##.et_pb_row -logupdateafrica.com##.expandable-banner -miami.com##.expedia-widget -nytimes.com##.expediaBooking -mercurynews.com##.expertBox -bestvpn.com##.expressvpn-box -ddlvalley.net##.ext-link -cryptocoinsnews.com,torrents.net##.external -smithsonianmag.com##.external-associated-products -realestate.co.nz##.externalLinkBar -thefinancialexpress-bd.com##.extraLink -tucows.com##.f11 -india.com##.fBannerAside -computerworld.co.nz##.fairfax_nav -inturpo.com##.fake_embed_ad_close -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##.fallback-unit -flixflux.co.uk##.fan -competitor.com##.fancybox-overlay -commentarymagazine.com##.fancybox-wrap -themoviedb.org##.fanhattan -might.net##.fat-container -smarter.com##.favboxmiddlesearch -smarter.com##.favwrapper -tormovies.org##.fbd-banner -sharkscope.com##.fbstyle -bankrate.com##.fcAdGrey -webcenters.netscape.compuserve.com##.fcCntnr -yts.ag,yts.to##.fd -ebay.com##.fdad1 -firedrive.com##.fdad_container -ghanaweb.com##.featLks -reason.com##.feature -wowheadnews.com##.feature-aside -mumbrella.com.au##.featureBanner -findthatfile.com,lifestyle.yahoo.com,simplyhired.com,yellowpages.com##.featured -recombu.com##.featured-deal -sidereel.com##.featured-episode-link -everydayhealth.com##.featured-group -bbc.com##.featured-native -siliconrepublic.com##.featured-partners -pcauthority.com.au##.featured-retailers -ar12gaming.com,geekwire.com##.featured-sponsor -nepr.net##.featured-underwriter-slider -newafricanmagazine.com##.featured-video -top1000.ie##.featured300x260 -24hrs.ca,lfpress.com##.featuredBusinesses -infoworld.com##.featuredSponsor-strip -whitepages.ae##.featured_companies_bg_main -mousebreaker.com##.featured_games_band -candystand.com##.featured_partners_title -newsie.co.nz##.featured_property -tv.com##.featured_providers -kaotic.com##.featured_user_upload_content -siliconrepublic.com##.featuredemployers -id-box.biz##.featuredlinksBox -olx.co.nz##.featuredtitlepremium -india.com##.ff-sponser -cnn.com##.fg_presentedBy -topgear.com##.field--name-cars-we-buy-any-car -stuff.tv##.field-field-promo-node-teaser -avaxhm.com,avaxhome.ws##.file-express -rapidlibrary.com##.file-recommend -rapidlibrary.com##.file-urls -rapidlibrary.com##.file-urls2 -kdvr.com##.filler -cokeandpopcorn.com##.filler728 -dailyfinance.com##.finance-partners -adn.com,bellinghamherald.com,bnd.com,bradenton.com,centredaily.com,enquirerherald.com,fortmilltimes.com,fresnobee.com,heraldonline.com,idahostatesman.com,islandpacket.com,kentucky.com,lakewyliepilot.com,ledger-enquirer.com,macon.com,mercedsunstar.com,modbee.com,myrtlebeachonline.com,newsobserver.com,sanluisobispo.com,sunherald.com,thestate.com,tri-cityherald.com##.findnsave_combo -flashvids.org,wfgo.net##.fixe -facebook.com##.fixedAux .pbm -nontonpremiere.com##.fixedBar -america.fm,australia.fm,belgie.fm,danmark.fm,deutschland.fm,england.fm,espana.fm,india.fm,italia.fm,lafrance.fm,nederland.fm,norge.fm,polskafm.pl,sverige.fm##.fl.banbo -america.fm,australia.fm,belgie.fm,danmark.fm,deutschland.fm,england.fm,espana.fm,india.fm,italia.fm,lafrance.fm,nederland.fm,norge.fm,polskafm.pl,sverige.fm##.fl.m -alwatanvoice.com##.flash-160x600 -alwatanvoice.com##.flash-728x90 -letitbit.net##.flash-not-found -canberratimes.com.au##.flashfloater -contactmusic.com##.flexibleLeaderboard -nepr.net,tennisearth.com##.flexslider -kissmanga.com##.float-ck -gsmchoice.com##.floatLeft -tradekey.com##.float_left -notcot.com##.floatbox -featve.com,filotv.pw,foxsports-la.com,notcot.com,nowwatchtvlive.com,xuuby.com,zonytvcom.info##.floater -treehugger.com##.floater-indiv -zylom.com##.floor_wrapper -htmldog.com##.flower -amctheatres.com##.flt-ad-strut -adcrun.ch,bc.vc##.fly_frame -newsobserver.com##.focus_box -ebookee.org##.font-bold + .htmlmain -inquirer.net##.fontgraysmall -greatbritishlife.co.uk##.foot-banners -radiozindagi.com##.foot_top -donegaltv.ie,monitor.co.ug,nation.co.ke,thecitizen.co.tz##.footer -ksstradio.com,spectator.co.uk##.footer-banner -directorslive.com##.footer-banner-img -935kday.com##.footer-banners -torhead.com##.footer-bg -wowhead.com##.footer-bgimg -premiumtimesng.com##.footer-bottom-slider -xbitlabs.com##.footer-cap -people.com,peoplestylewatch.com##.footer-cmad -africasports.net##.footer-columns -standardmedia.co.ke##.footer-full-banner -foxsports.com##.footer-image -931dapaina.com##.footer-leaderboard -ferrari.com##.footer-main__sponsors -thecinemasource.com##.footer-marketgid -getswiftfox.com##.footer-right -livebasketball.tv##.footer-sponsor -ar12gaming.com,sharksrugby.co.za,timestalks.com##.footer-sponsors -searchenginejournal.com##.footer-unit -btn.com##.footer-widgets -hd-trailers.net##.footer-win -footballorgin.net##.footer-wrap -twentytwowords.com##.footer-zone -nickutopia.com##.footer728 -thegamingsource.co##.footerBanner -wikinvest.com##.footerBrokerageCenter -socwall.com##.footerLinks -bundesliga.com##.footerPartners -londonlovesbusiness.com##.footerPartnerships -zynga.com##.footerPromo -abc.go.com##.footerRow -cartoonnetworkasia.com##.footerWrapper -jarkey.net##.footer_728 -sundownsfc.co.za##.footer_add -jackfm.co.uk,satbeams.com##.footer_banner -electronista.com##.footer_content_wrapper -maxgames.com##.footer_leaderboard -morningstar.in##.footer_links_wrapper -fiba.com##.footer_logos -scotsman.com##.footer_top_holder -datamation.com##.footerbanner -eurocupbasketball.com,euroleague.net##.footersponsors-container -videojug.com##.forceMPUSize -alphacoders.com##.form_info -northcoastnow.com##.formy -motorhomefacts.com##.forum-promo -permies.com##.forum-top-banner -thewarezscene.org##.forumbg -b105.com##.fourSquare_outer -bc.vc##.fp-bar-dis -autotrader.co.uk##.fpa-deal-header -yahoo.com##.fpad -theiphoneappreview.com##.frame -tvguide.com##.franchisewrapper -freedom.tm##.frdm-sm-ico -seedpeer.eu,sumotorrent.sx##.freeDirect -watch-series.ag,watch-tv-series.to,watchseries.li,watchseries.ph##.freeEpisode -empowernetwork.com##.free_video_img -megashare.com##.freeblackbox -megashare.com##.freewhitebox -wharton.upenn.edu##.friend-module -artstation.com##.friends-of-artstation -mnn.com##.from-our-partners -spanishcentral.com##.from_spanish_central -executivetravelmagazine.com##.ft-add-banner -whatculture.com##.ft-banner -portalangop.co.ao,top1walls.com##.full-banner -thehindu.com##.full-width-add-footer -marilyn.ca##.full-width.leaderboard -wikinvest.com##.fullArticleInset-NVAdSlotComponent -i4u.com##.fullStoryHeader + .SidebarBox -ptinews.com##.fullstoryadd -ptinews.com##.fullstorydivright -ratebeer.com##.fums -anandtech.com,macrumors.com##.funbox -webmd.com##.funded_area -penny-arcade.com##.funding-horizontal -penny-arcade.com##.funding-vertical -mattgemmell.com##.fusion_attrib_footer -chrisbrownworld.com,myplay.com##.fwas300x250 -masterworksbroadway.com##.fwas728x90_top -newsday.co.zw,southerneye.co.zw,theindependent.co.zw,thestandard.co.zw##.g -nofilmschool.com##.g-leader -thegolfnewsnet.com##.g-single -hltv.org##.g2a -prokerala.com##.gAS_468x60 -titantv.com##.gAd -about.com##.gB -free-games.net##.gPBoxAD -search.babylon.com##.gRsAdw -search.babylon.com##.gRsSlicead -claro-search.com,isearch.babylon.com,search.babylon.com##.gRsTopLinks -colorgirlgames.com##.g_160X600 -popgals.com##.g_adt -forum.freeadvice.com##.g_info -ambulance-photos.com,bus-and-coach-photos.com,campervan-photos.com,classic-and-vintage-cars.com,construction-and-excavation.com,fire-engine-photos.com,military-vehicle-photos.com,motorcycles-motorbikes.com,oilrig-photos.com,planesandchoppers.com,police-car-photos.com,racing-car-photos.com,shipsandharbours.com,taxi-photos.com,traction-engines.net,tractor-photos.com,train-photos.com,transport-models.com,truck-photos.net,yourboatphotos.com##.ga200[style="width:250px;height:250px;float:right;margin:5px 5px 5px 10px;"] -celebrityrumors.com,embarrassingissues.co.uk,page2rss.com##.gad -enotalone.com##.gadb -snowboarding-essentials.com##.gadbdrtxt -gamerant.com,larousse.com##.gads -toptenwholesale.com##.gads-home-bottom -inserbia.info##.gads250 -telegraph.co.uk##.gafs -behance.net##.gallery-sponsor -citywire.co.uk##.gallerySponsor -koreaherald.com##.gallrym[style="margin:15px auto; padding-top:0px;height:130px;"] -pcper.com,thedrum.co.uk,thefix.com,tribalfootball.com##.gam-holder -9news.com,bloomberg.com,courier-journal.com,theleafchronicle.com,thestarpress.com,usaweekend.com##.gam_wrapper -addictinggames.com##.gameHeaderSponsor -kibagames.com##.game__bottomInfoRightContainer -candystand.com##.game_banner_300 -muchgames.com##.gamead -monstertruckgames.org##.gamecatbox -cartoondollemporium.com##.games_dolls_ads_right300x250 -adultswim.com##.gametap-placement -movieonmovie.com##.gapad -cpuboss.com##.gat-da -moviesplanet.com##.gb -globes.co.il##.gbanner -canberratimes.com.au##.gbl_advertisementgrey -canberratimes.com.au,illawarramercury.com.au##.gbl_disclaimer -illawarramercury.com.au##.gbl_section -viamichelin.co.uk,viamichelin.com##.gdhBlockV2 -geekwire.com##.geekwire_sponsor_posts_widget -escapehere.com##.gemini-loaded -investing.com##.generalOverlay -becclesandbungayjournal.co.uk,burymercury.co.uk,cambstimes.co.uk,derehamtimes.co.uk,dunmowbroadcast.co.uk,eadt.co.uk,edp24.co.uk,elystandard.co.uk,eveningnews24.co.uk,fakenhamtimes.co.uk,greenun24.co.uk,huntspost.co.uk,ipswichstar.co.uk,lowestoftjournal.co.uk,northnorfolknews.co.uk,pinkun.com,royston-crow.co.uk,saffronwaldenreporter.co.uk,sudburymercury.co.uk,thecomet.net,thetfordandbrandontimes.co.uk,wattonandswaffhamtimes.co.uk,wisbechstandard.co.uk,wymondhamandattleboroughmercury.co.uk##.generic_leader -greenun24.co.uk,pinkun.com##.generic_sky -uefa.com##.geoTargetSponsor -uefa.com##.geoTargetSponsorHeader -motortrend.com##.get-quote -primewire.ag##.get_a_vpn -health24.com##.get_quote -watchfree.to##.get_vpn -canoe.ca##.getdeals -arizonasports.com##.gfp -ksl.com##.gfp-slot -ktar.com##.gfp300250 -mediacoderhq.com##.gg1 -bitcomet.com##.gg728 -cometbird.com##.gg_250x250 -ebay.com##.ggtm -gethuman.com##.gh-ads -macworld.co.uk##.ghostMpu -sporcle.com##.giIMU -hotfileserve.ws##.glb-opec -bikeradar.com##.global-banner -tripadvisor.com##.goLists -astro.com##.goad -newburytoday.co.uk,thelakewoodscoop.com##.gofollow -apkmirror.com##.gooWidget -neogaf.com##.goodie300 -neogaf.com##.goodie728 -computershopper.com##.goog -complaintsboard.com##.goog-border -eurodict.com##.googa -thenassauguardian.com##.googlAdd -95mac.net,africanadvice.com,appdl.net,freepopfax.com,pspad.com,sudantribune.com##.google -euronews.com##.google-banner -nymag.com##.google-bottom -zenit.org##.google-dfp -news-journalonline.com##.google-entry -i-dressup.com##.google-iframe -treehugger.com##.google-indiv-box2 -rt.com##.google-top-banner -1pic4twenty.co.za##.google160600 -downloadatoz.com##.google300_bg -downloadatoz.com##.google300_title -independent.co.uk##.googleCols -inooz.co.uk##.googleContainer -dealspl.us##.googleDealBottom -complaints.com##.googleTop -desimartini.com##.google_add_box -bridalbook.ph##.google_srec -hoobly.com##.googlecont -1pic4twenty.co.za##.googlefat -mediamass.net##.googleresponsive -aleteia.org##.googletag -hitfix.com##.googlewide -quizlet.com##.googlewrap -complaintsboard.com##.googtop -whatismyip.com##.gotomypc -css3generator.com##.gotta-pay-the-bills -radioinsight.com##.gp-leader -gamepressure.com##.gpg-ban-300 -gamepressure.com##.gpg-ban-bot -disney.com##.gpt -dictionary.com##.gpt-content-wrapper -belfasttelegraph.co.uk##.grabOnePromo -twentytwowords.com##.gray-fullwidth -slantmagazine.com##.gray_bg -slantmagazine.com##.gray_bgBottom -greatandhra.com##.great_andhra_main_add_rotator -greatandhra.com##.great_andhra_main_add_rotator1 -cool-wallpaper.us##.green -businessdictionary.com##.grey-small-link -backstage.com##.greyFont -teamrock.com##.grid-container-300x250 -itproportal.com##.grid-mpu -ncaa.com##.grid[style="height: 150px;"] -dawn.com##.grid__item.one-whole.push-half.visuallyhidden--palm -straitstimes.com##.group-brandinsider -couriermail.com.au,dailytelegraph.com.au,news.com.au##.group-network-referral-footer -eztv.ag##.gsf -eztv.ag##.gsfl -bollywoodtrade.com##.gtable[height="270"][width="320"] -11alive.com,13wmaz.com,9news.com,digtriad.com,firstcoastnews.com,kare11.com,ksdk.com,news10.net,thv11.com,wbir.com,wcsh6.com,wgrz.com,wkyc.com,wlbz2.com,wltx.com,wtsp.com,wusa9.com,wzzm13.com##.gtv_728x90_container -waz-warez.org##.guest_adds -anilinkz.io##.gugol -wheels24.co.za##.gumtree_component -animenewsnetwork.com##.gutter -kovideo.net##.h-728 -themarknews.com##.h-section1 -lyricsmode.com##.h113 -amw.com,superiorpics.com##.h250 -lyricsmode.com##.h253 -dealsonwheels.co.nz,farmtrader.co.nz##.hBanner -all-shares.com##.hSR -keepvid.com##.h[style="padding:0px;width:760px;"] -esbuzz.net##.h_iframe -blinkbox.com##.halfmpupnl -runtastic.com##.halfpage -pep.ph##.halfpage-wrapper -pushsquare.com##.hardware -sbnation.com,theverge.com##.harmony-sponsorship -mlb.mlb.com##.has-ads -twitter.com##.has-profile-promoted-tweet -denverpost.com##.hatad -thesimsresource.com##.hb -zeefood.in##.hbanner2 -chronicle.co.zw,herald.co.zw,zimpapers.co.zw##.hbanners -screenindia.com##.hd -cricfree.sc,cricfree.tv,stream2watch.cc##.hd-head-button -watchseries-online.li##.hd-mkbrksaa -pbnation.com##.hdrLb -pbnation.com##.hdrSq -caymannewsservice.com##.head-banner468 -dnaindia.com##.head-region -vogue.co.uk##.headFullWidth -mariopiperni.com,tmrzoo.com##.headbanner -inverse.com##.header -iaminthestore.com##.header > div > div[style="text-align:center;margin:0 auto"] -ynaija.com##.header-728 -worldpress.org##.header-b -americanfreepress.net,freemalaysiatoday.com,gameplayinside.com,hotfrog.co.uk,islamchannel.tv,ksstradio.com,landandfarm.com,mashable.com,soccer24.co.zw,wow247.co.uk##.header-banner -vapingunderground.com##.header-block -worldpress.org##.header-bnr -kveller.com##.header-bottom -thedailystar.net##.header-bottom-adds -gamecoupongrid.com##.header-feature -expressandstar.com,guernseypress.com,jerseyeveningpost.com,shropshirestar.com,thebiggestloser.com.au##.header-leaderboard -natureasia.com##.header-leaderboard-wrap -queenscourier.com##.header-left -spyka.net##.header-link -tfo.org,times.co.zm##.header-pub -floridanewsline.com,lyricsbogie.com,queenscourier.com,thenews.com.pk##.header-right -bentelevision.com,bh24.co.zw##.header-right-banner-wrapper -htxt.co.za##.header-sub -galaxyfm.co.ug##.header-toolbar -providencejournal.com,southernliving.com##.header-top -knowyourmeme.com##.header-unit-wrapper -astronomynow.com##.header-widget -hd-trailers.net##.header-win -funnycatpix.com,notsafeforwhat.com,rockdizmusic.com##.header728 -onegreenplanet.org##.header728container -avforums.com##.headerCommercial -thelakewoodscoop.com##.headerPromo -telegraph.co.uk##.headerThree -bastropenterprise.com##.headerTop -maxim.com##.headerTopBar -domainnamewire.com,electricpig.co.uk,gaijinpot.com,squidoo.com##.header_banner -kpopstarz.com##.header_bn -boyantech.com##.headerbanner -steadyhealth.com##.headerboard -passageweather.com##.headerlink -bangtidy.net##.headlineapa_base -futhead.com##.headliner-homepage -venturebeat.com##.helm_story_type-sponsored -metrolyrics.com##.here -wikia.com##.hero-mosaic -slickdeals.net##.heroCarouselWrapper -hi5.com##.hi5-common-header-banner-ad -classiccars.com##.hia_banner -4shared.com##.hiddenshare -letitbit.net##.hide-after-60seconds -transfermarkt.co.uk##.hide-for-small[style="height: 273px; text-align: center; overflow: hidden;"] -theguardian.com##.hide-on-popup -xtshare.com##.hideLink -mobilesyrup.com##.hide_768 -torentilo.com##.highSpeed -all-shares.com##.highSpeedResults -siteslike.com##.highlighted -dailycurrant.com##.highswiss -skins.be##.hint -gaystarnews.com##.hjawidget -ghanaweb.com##.hmSkyscraper -hindustantimes.com##.hm_top_right_localnews_contnr_budget -gosugamers.net##.holder-link -activistpost.com##.home > .home-sidebar > :first-child -1027dabomb.net##.home-300 -mobilelikez.com##.home-center > span > span + * -broadway.com##.home-leaderboard-728-90 -activistpost.com##.home-sidebar > headr -activistpost.com##.home-sidebar > span + span + * -wowhead.com##.home-skin -netweather.tv##.home300250 -greatdaygames.com##.home_Right_bg -wpbt2.org##.home_banners -hpe.com##.home_leaderboard -justdubs.tv##.home_leftsidbar_add -traileraddict.com##.home_page > div > :first-child + * -facebook.com##.home_right_column a[href^="https://l.facebook.com/l.php?u="][target="_blank"][href*="utm_medium%3DFacebook"] -facebook.com##.home_right_column a[href^="https://l.facebook.com/l.php?u="][target="_blank"][href*="utm_source%3Dfacebook"] -wdwmagic.com##.home_upper_728x90 -securitymattersmag.com##.homeart_marketpl_container -seatrade-cruise.com##.homepage-banner -seatrade-cruise.com##.homepage-banner-push-right -news1130.com##.homepage-headlines-sponsorship-block -mancunianmatters.co.uk##.homepage-leader -forbes.com##.homepage-leaderboard -sunshinecoastdaily.com.au##.homepageContainerFragment -independent.co.uk##.homepagePartnerList -easybib.com##.homepage_sidebar -smashingmagazine.com##.homepagepremedtargetwrapper -phonebook.com.pk##.homeposter -herold.at##.homesponsor -nationalreview.com##.homie_storydiv -inaruto.net##.honey-out -hoovers.com##.hoov_goog -esecurityplanet.com##.horiz-banner -lushstories.com##.horizhide -hilarious-pictures.com,soft32.com##.horizontal -forlocations.com##.horizontalBanner -afro.com##.horizontalBanners -ytmnd.com##.horizontal_aids -horror.break.com##.horror-ad -horror.break.com##.horror-adlabel -hotscripts.com##.hostedBy -ashbournenewstelegraph.co.uk,ashfordherald.co.uk,bathchronicle.co.uk,bedfordshire-news.co.uk,blackcountrybugle.co.uk,blackmorevale.co.uk,bostontarget.co.uk,brentwoodgazette.co.uk,bristolpost.co.uk,burtonmail.co.uk,cambridge-news.co.uk,cannockmercury.co.uk,canterburytimes.co.uk,carmarthenjournal.co.uk,centralsomersetgazette.co.uk,cheddarvalleygazette.co.uk,cleethorpespeople.co.uk,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,crawleynews.co.uk,croydonadvertiser.co.uk,derbytelegraph.co.uk,dorkingandleatherheadadvertiser.co.uk,dover-express.co.uk,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,ely-news.co.uk,essexchronicle.co.uk,exeterexpressandecho.co.uk,folkestoneherald.co.uk,fromestandard.co.uk,gloucestercitizen.co.uk,gloucestershireecho.co.uk,granthamtarget.co.uk,greatbarrobserver.co.uk,grimsbytelegraph.co.uk,harlowstar.co.uk,hertfordshiremercury.co.uk,hertsandessexobserver.co.uk,hulldailymail.co.uk,leek-news.co.uk,leicestermercury.co.uk,lichfieldmercury.co.uk,lincolnshireecho.co.uk,llanellistar.co.uk,luton-dunstable.co.uk,maidstoneandmedwaynews.co.uk,middevongazette.co.uk,northampton-news-hp.co.uk,northdevonjournal.co.uk,northsomersetmercury.co.uk,nottinghampost.com,nuneaton-news.co.uk,onemk.co.uk,plymouthherald.co.uk,retfordtimes.co.uk,scunthorpetelegraph.co.uk,sevenoakschronicle.co.uk,sheptonmalletjournal.co.uk,sleafordtarget.co.uk,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,staffordshirelife.co.uk,staffordshirenewsletter.co.uk,stokesentinel.co.uk,stroudlife.co.uk,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,tamworthherald.co.uk,thanetgazette.co.uk,torquayheraldexpress.co.uk,uttoxeteradvertiser.co.uk,walsalladvertiser.co.uk,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk##.hotJobs_collection_list_border -loaded.co.uk##.hot_banner_mpu -order-order.com##.hotbuttonbg -maps.google.com##.hotel-partner-item-sponsored -maps.google.com##.hotel-price -zdnet.com##.hotspot -techworld.com.au##.house-slot -europeancarweb.com##.hp-leadertop -rte.ie##.hp-mpu -ciao.co.uk##.hp-popular-offers -huffingtonpost.com##.hp-ss-leaderboard -worldweatheronline.com##.hp_300x250_left -worldweatheronline.com##.hp_300x250_right -surfline.com##.hp_camofday-ad -itp.net##.hpbanner -blog.recruitifi.com##.hs-cta-wrapper -filetram.com##.hsDownload -usatodayhss.com##.hss-background-link -sfgate.com##.hst-leaderboard -chron.com,mysanantonio.com,seattlepi.com,sfgate.com##.hst-siteheader > .row1 -ctpost.com##.hst-topclassifieds -seattlepi.com##.hst-travelzoo -chron.com,mysanantonio.com##.hst-ysm -rarlab.com##.htbar + .tplain + table[width="100%"][border="0"] + table[width="100%"][border="0"] -pcmag.com##.htmlModule -channelinsider.com##.html_module -vertor.com##.http -helpwithsmoking.com##.hws -extremetech.com##.hybrid-bar + div -f1i.com##.hype -animenewsnetwork.co.uk,animenewsnetwork.com##.iab -break.com##.iab-300x250 -break.com##.iab-label -bastropenterprise.com##.iabMedRectContainer -telegraph.co.uk##.iabUnit -tripadvisor.com##.iab_medRec -whattoexpect.com##.iabicon -infobetting.com##.ibBanner -coolest-gadgets.com##.iboxmiddle -fileserve.com##.ico_mcLogo -shockwave.com##.icon16AdChoices -nme.com##.icon_amazon -thebull.com.au##.iconos -caughtonset.com##.idlads_widget -idello.org##.idlo-ads-wrapper -indianexpress.com##.ie2013-topad -gamepressure.com##.if-no-baner -alluc.ee##.ifab -heraldsun.com.au##.iframe-316x460 -girlsgogames.com##.iframeHolder -cnet.com##.iframeWrap -worldstarhiphop.com##.iframe[style="height:285px;overflow:hidden;vertical-align:top;"] -torrentfusion.com##.iframenull -ign.com##.ign-pre-grid -ihavenet.com##.ihn-ad-1 -ihavenet.com##.ihn-ad-2 -ihavenet.com##.ihn-ad-3 -impactlab.net##.ilad -filetram.com##.ilividDownload -intomobile.com##.im_970x90 -wherever.tv##.image-banner -sen.com##.image_caption_div -imgfave.com##.image_login_message -globalgrind.com##.imagecache-article_images_540 -blessthisstuff.com##.imagem_sponsor -laineygossip.com##.img-box -newsbtc.com##.img-responsive -imagus.net##.img_add -weather.msn.com##.imglink1.cf -nairaland.com##.importantfiles -exchangerates.org.uk##.imt4 -computerworld.com,infoworld.com##.imu -popdust.com##.in -politico.com##.in-story-banner -networkworld.com##.incontent_ata -mail.com##.indeed -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline.info##.index-center-banners-1 -socialitelife.com##.index-inser -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline.info##.index-main-banners -youplay.com##.index-medium-rectangle -abcnews.go.com##.index-quigo -autoline-eu.co.uk,autoline-eu.co.za,autoline-eu.ie,autoline.info##.index-secondary-banners -vaughnlive.tv##.indexContentRight -vosizneias.com##.index_02_perms -theinertia.com##.inertia-ad-300x250 -elivetv.in,torrentz.me##.info -cnet.com##.infoboardWrap -mp3boo.com##.infolinks -tvguide.com##.infomercial -technobuffalo.com##.infscr-post-break -easybib.com##.inline-help[href="/reference/help/page/ads"] -4kq.com.au,961.com.au,973fm.com.au,cruise1323.com.au,gold1043.com.au,mix1011.com.au,mix1023.com.au,mix106.com.au,mix1065.com.au,tmz.com,wsfm.com.au##.inline-promo -newsweek.com##.inline-promo-link -forward.com##.inline-sponsored -pixdaus.com##.inlineBanner -pcgamesn.com##.inlineMPUs -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##.inlinead + * > div > img -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##.inlinead + [class] -torrentfusion.com##.innards[style="padding-top: 15px;"] -brightsideofnews.com##.inner-banner-72890 -cartoonnetwork.com##.inner266 -medical-hypotheses.com##.innerBanner -cnet.com##.innerMPUwrap -telegraph.co.uk##.innerPlugin -bloggerthemes.net##.inner_banner -enstarz.com##.innerwrap > .side > div > :first-child + * -techtimes.com##.innerwrap > .sidebar > div:first-child > :first-child + * -nintendolife.com##.insert -collectivelyconscious.net##.insert-post-ads + * + * -infoworld.com##.insider-left -routes-news.com##.insightbar -beemp3s.org##.install-toolbar -icanhascheezburger.com##.instream -arstechnica.co.uk,arstechnica.com##.instream-wrap -thefix.com##.insurance-benefits-check-embedded -ratemyteachers.com##.intelius -itweb.co.za##.intelli-box -egmnow.com##.inter_vid -cnsnews.com##.intermarkets -bullz-eye.com##.internal_rn_plug_block -guidelive.com##.interruption -gizmodo.co.uk,shropshirestar.com##.interruptor -ign.com##.interruptsContainer -ozy.com##.interstitial -komando.com##.interstitial-wrapper -12ozprophet.com##.intro -jango.com##.intro_block_module:last-child -iol.co.za##.iolContainer -iol.co.za##.iolContainer250 -iol.co.za##.iolContainer600 -indianexpress.com##.ipad -picapp.com##.ipad_300_250 -picapp.com##.ipad_728_90 -investorplace.com##.ipm-sidebar-ad-text -osbot.org##.ipsAd + .message.error -twitter.com##.is-promoted -telegraph.co.uk##.isaSeason -veehd.com##.isad -drivearcade.com,freegamesinc.com##.isk180 -abovethelaw.com,dealbreaker.com,hbr.org,itwire.com##.island -nzgamer.com##.island-holder -androidheadlines.com##.item-featured -timesofisrael.com##.item-spotlight -classifiedads.com##.itemhispon -classifiedads.com##.itemlospon -videopremium.tv##.itrack -947.co.za,air1.com,juicefm.com,pulse1.co.uk,pulse2.co.uk,signal1.co.uk,signal2.co.uk,swanseasound.co.uk,thecurrent.org,thewave.co.uk,three.fm,wave965.com,wirefm.com,wishfm.net##.itunes -kfm.co.za##.itunes-sml -lifegate.com##.itunesButton -liquidcompass.net##.itunes_btn -ixigo.com##.ixi-ads-header -isohunt.to,isohunt.unblocked.cam##.j-btn-stream -liveleak.com##.j_b -liveleak.com##.j_t -careerone.com.au##.job-search-tower-ad -bnd.com##.jobs_widget_large -ninemsn.com.au##.jobsearchBox -radiotoday.com.au##.jobsstyle -toorgle.net##.join -haaretz.com##.js-clickTracker-for-addBlocker -mixcloud.com##.js-dfp-mpu -careerbuilder.com##.jsHomeSpotBanner -deadspin.com,gawker.com,gizmodo.com,io9.com,jalopnik.com,jezebel.com,kotaku.com,lifehacker.com##.js_promoted -worldofgnome.org##.jumbotron -marketingvox.com##.jupitermedia -joomlarulez.com##.jwplayer2 -joomlarulez.com##.jwplayer4 -rocvideo.tv##.jwpreview -sfgate.com##.kaango -news24.com##.kalahari_product -news24.com##.kalwidgetcontainer -imgism.com##.kevin-lb -alarabiya.net##.killer -mbc.net##.killerbanner -hltv.org##.kinguin -kiplinger.com##.kip-banner -kiplinger.com##.kip-stationbreak -vivastreet.co.uk##.kiwii-box-300x250 -wikiarquitectura.com##.kokoku_foot -wikiarquitectura.com##.kokoku_head -techspot.com##.konafilter -herold.at##.kronehit -lenteng.com##.ktz-bannerhead -lenteng.com##.ktz_banner -anilinkz.io,anilinkz.tv##.kwarta -the-star.co.ke##.l-banner -thenextweb.com##.l-postSingleCanvasBlocker -topgear.com##.l-runaround-mpu -the-star.co.ke##.l-wrapper--banner-00 -hitc.com##.la-wrapper -simplyhired.com##.label_right -wallstcheatsheet.com##.landingad8 -soccernews.com##.large-promo -ustream.tv##.largeRectBanner -democraticunderground.com##.largeleaderboard-container -txfm.ie##.last_10Buy -afterdawn.com##.last_forum_mainos -restaurants.com##.latad -espn.co.uk,espncricinfo.com##.latest_sports630 -aniscartujo.com##.layer_main -iwradio.co.uk##.layerslider_widget -independent.co.uk,standard.co.uk##.layout-component-ines-sponsored-features-sidebar -thehits.co.nz##.layout__background -pastebin.com##.layout_clear -milesplit.com##.lb -etonline.com##.lb_bottom -autosport.com##.lb_container -door2windows.com##.lbad -thehill.com##.lbanner -speedtest.net##.lbc -thevideobee.to##.lbl-ads -lankabusinessonline.com##.lbo-ad-home-300x250 -itp.net##.lboard -lrlfln.com##.lbox -pcmag.com##.lbwidget -politifact.com##.ldrbd -hotscripts.com,scriptcopy.com,techrepublic.com,theatermania.com,thegameslist.com,thepcguild.com##.leader -divamag.co.uk,pc-specs.com,readmetro.com##.leader-board -interaksyon.com##.leader-board-1 -iol.co.za##.leader-board-center-container -canada.com##.leader-board-wrapper -zdnet.com##.leader-bottom -online-literature.com##.leader-wrap-bottom -online-literature.com##.leader-wrap-middle -online-literature.com##.leader-wrap-top -garfield.com##.leaderBackground -channeleye.co.uk,expertreviews.co.uk,laptopmag.com,mtv.com.lb,nymag.com,pcpro.co.uk,vogue.co.uk##.leaderBoard -greatergood.com##.leaderBoard-container -businessghana.com##.leaderBoardBorder -pcadvisor.co.uk##.leaderBoardHolder -whathifi.com##.leaderBoardWrapper -expertreviews.co.uk##.leaderLeft -expertreviews.co.uk##.leaderRight -bakercityherald.com##.leaderTop -freelanceswitch.com,stockvault.net,tutsplus.com##.leader_board -1019thewolf.com,1047.com.au,2dayfm.com.au,2gofm.com.au,2mcfm.com.au,2rg.com.au,2wg.com.au,420careers.com,4tofm.com.au,923thefox.com,929.com.au,953srfm.com.au,9to5google.com,9to5mac.com,9to5toys.com,abajournal.com,abovethelaw.com,adn.com,advosports.com,adyou.me,androidfirmwares.net,aroundosceola.com,autos.ca,ballstatedaily.com,baydriver.co.nz,bellinghamherald.com,bestproducts.com,birdmanstunna.com,blitzcorner.com,bnd.com,bradenton.com,browardpalmbeach.com,cantbeunseen.com,carynews.com,centredaily.com,chairmanlol.com,citymetric.com,citypages.com,claytonnewsstar.com,clgaming.net,clicktogive.com,cnet.com,coastandcountrynews.co.nz,cokeandpopcorn.com,commercialappeal.com,cosmopolitan.co.uk,cosmopolitan.com,cosmopolitan.in,cosmopolitan.ng,courierpress.com,cprogramming.com,dailynews.co.zw,dallasobserver.com,designtaxi.com,digitalspy.com,digitaltrends.com,diply.com,directupload.net,dispatch.com,diyfail.com,docspot.com,donchavez.com,driving.ca,dummies.com,edmunds.com,electrek.co,elle.com,elledecor.com,energyvoice.com,enquirerherald.com,esquire.com,explainthisimage.com,expressandstar.com,film.com,foodista.com,fortmilltimes.com,forums.thefashionspot.com,fox.com.au,fox1150.com,fresnobee.com,funnyexam.com,funnytipjars.com,galatta.com,gamesindustry.biz,gamesville.com,geek.com,givememore.com.au,gmanetwork.com,goal.com,goldenpages.be,goldfm.com.au,goodhousekeeping.com,gosanangelo.com,guernseypress.com,hardware.info,harpersbazaar.com,heart1073.com.au,heatworld.com,hemmings.com,heraldonline.com,hi-mag.com,hit105.com.au,hit107.com,hot1035.com,hot1035radio.com,hotfm.com.au,hourdetroit.com,housebeautiful.com,houstonpress.com,hypegames.com,iamdisappoint.com,idahostatesman.com,idello.org,imedicalapps.com,independentmail.com,indie1031.com,intomobile.com,ioljobs.co.za,irishexaminer.com,islandpacket.com,itnews.com.au,itproportal.com,japanisweird.com,jdpower.com,jerseyeveningpost.com,kentucky.com,keysnet.com,kidspot.com.au,kitsapsun.com,knoxnews.com,kofm.com.au,lakewyliepilot.com,laweekly.com,ledger-enquirer.com,legion.org,lgbtqnation.com,lightreading.com,lolhome.com,lonelyplanet.com,lsjournal.com,mac-forums.com,macon.com,mapcarta.com,marieclaire.com,marinmagazine.com,mcclatchydc.com,mercedsunstar.com,meteovista.co.uk,meteovista.com,miaminewtimes.com,mix.com.au,modbee.com,monocle.com,morefailat11.com,myrtlebeachonline.com,nameberry.com,naplesnews.com,nature.com,nbl.com.au,newarkrbp.org,newsobserver.com,nowtoronto.com,nxfm.com.au,objectiface.com,onnradio.com,openfile.ca,organizedwisdom.com,overclockers.com,passedoutphotos.com,pehub.com,peoplespharmacy.com,perfectlytimedphotos.com,phoenixnewtimes.com,photographyblog.com,pinknews.co,pinknews.co.uk,pons.com,pons.eu,popularmechanics.com,pressherald.com,radiobroadcaster.org,radiowest.com.au,rebubbled.com,recode.net,redding.com,reporternews.com,roadandtrack.com,roadrunner.com,roulettereactions.com,rr.com,sacarfan.co.za,sanluisobispo.com,scifinow.co.uk,seafm.com.au,searchenginesuggestions.com,shinyshiny.tv,shitbrix.com,shocktillyoudrop.com,shropshirestar.com,slashdot.org,slideshare.net,southerncrossten.com.au,space.com,spacecast.com,sparesomelol.com,spoiledphotos.com,sportsnet.ca,sportsvite.com,starfm.com.au,stopdroplol.com,straitstimes.com,stripes.com,stv.tv,sunfm.com.au,sunherald.com,supersport.com,tattoofailure.com,tbreak.com,tcpalm.com,techdigest.tv,techzim.co.zw,terra.com,thamesradio.london,theatermania.com,thecrimson.com,thehollywoodgossip.com,thejewishnews.com,thenationalstudent.com,thenewstribune.com,theolympian.com,therangecountry.com.au,theriver.com.au,theskanner.com,thestate.com,timescolonist.com,timesrecordnews.com,titantv.com,treehugger.com,tri-cityherald.com,triplem.com.au,triplemclassicrock.com,tvfanatic.com,uswitch.com,vcstar.com,villagevoice.com,vivastreet.co.uk,vr-zone.com,walyou.com,washingtonpost.com,waterline.co.nz,westword.com,whatsonstage.com,where.ca,wired.com,yodawgpics.com,yoimaletyoufinish.com##.leaderboard -ameinfo.com##.leaderboard-area -rantnow.com##.leaderboard-atf -autotrader.co.uk,mixcloud.com##.leaderboard-banner -bleedingcool.com##.leaderboard-below-header -fanlala.com,stltoday.com##.leaderboard-bottom -hitfix.com##.leaderboard-bottom-wrap -investorwords.com##.leaderboard-box -rantnow.com##.leaderboard-btf -app.com,argusleader.com,battlecreekenquirer.com,baxterbulletin.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,cincinnati.com,citizen-times.com,clarionledger.com,coloradoan.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,democratandchronicle.com,democraticunderground.com,desmoinesregister.com,detroitnews.com,dnj.com,explosm.net,farmanddairy.com,fdlreporter.com,federaltimes.com,freep.com,gamesindustry.biz,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hometownlife.com,honoluluadvertiser.com,htrnews.com,indystar.com,jacksonsun.com,jconline.com,lancastereaglegazette.com,lansingstatejournal.com,livingstondaily.com,lohud.com,mansfieldnewsjournal.com,marionstar.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mousebreaker.com,mycentraljersey.com,mydesert.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,pal-item.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressandjournal.co.uk,pressconnects.com,rgj.com,sctimes.com,sheboyganpress.com,shreveporttimes.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,thecalifornian.com,thedailyjournal.com,theithacajournal.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,visaliatimesdelta.com,wausaudailyherald.com,wisconsinrapidstribune.com,zanesvilletimesrecorder.com##.leaderboard-container -ap.org,app.com,argusleader.com,battlecreekenquirer.com,baxterbulletin.com,bucyrustelegraphforum.com,burlingtonfreepress.com,centralohio.com,chillicothegazette.com,cincinnati.com,citizen-times.com,clarionledger.com,coloradoan.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,democratandchronicle.com,desmoinesregister.com,detroitnews.com,dnj.com,fdlreporter.com,federaltimes.com,floridatoday.com,freep.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hometownlife.com,honoluluadvertiser.com,htrnews.com,indystar.com,jacksonsun.com,jconline.com,lancastereaglegazette.com,lansingstatejournal.com,livingstondaily.com,lohud.com,mansfieldnewsjournal.com,marionstar.com,marshfieldnewsherald.com,montgomeryadvertiser.com,mycentraljersey.com,mydesert.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,pal-item.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,rgj.com,sctimes.com,sheboyganpress.com,shreveporttimes.com,stargazette.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,tennessean.com,theadvertiser.com,thecalifornian.com,thedailyjournal.com,theithacajournal.com,theleafchronicle.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,visaliatimesdelta.com,wausaudailyherald.com,wisconsinrapidstribune.com,zanesvilletimesrecorder.com##.leaderboard-container-top -cntraveller.com##.leaderboard-new -businessdictionary.com##.leaderboard-placement -slideshare.net##.leaderboard-profile -geekosystem.com,styleite.com,themarysue.com##.leaderboard-section -timesunion.com##.leaderboard-tbl -fanlala.com,tvline.com##.leaderboard-top -ehow.co.uk,scotsman.com,skysports.com##.leaderboard-wrap -ctv.ca,jazzfm.com##.leaderboard-wrapper -whatismybrowser.com##.leaderboard720 -english.gazzetta.it##.leaderboardEng -cargurus.com##.leaderboardParent -gizmodo.com.au##.leaderboard__container -japantoday.com##.leaderboard_banner -bestcovery.com##.leaderboard_block -vibevixen.com##.leaderboard_bottom -autosport.com,lookbook.nu,todaysbigthing.com##.leaderboard_container -tucsoncitizen.com##.leaderboard_container_top -directupload.net##.leaderboard_rectangle -porttechnology.org,realworldtech.com,rottentomatoes.com##.leaderboard_wrapper -entrepreneur.com.ph##.leaderboardbar -ubergizmo.com,wired.co.uk##.leaderboardcontainer -fog24.com,free-games.net##.leaderboardholder -cherokeetribune.com##.leaderboards -theprospectordaily.com##.leaderboardwrap -autoevolution.com##.leaderheight -morewords.com##.lef -youserials.com##.left -washingtonjewishweek.com##.left-banner -republicbroadcasting.org##.left-sidebar-padder > #text-3 -republicbroadcasting.org##.left-sidebar-padder > #text-8 -elliotsblog.com##.left.box -routes-news.com##.left1 -ask.com##.leftLabel -bargaineering.com##.leftSidebar -yellowpages.com.ps##.leftSponsors -prevention.com##.leftSubBoxArea -10minutemail.net##.leftXL -mixfmradio.com##.left_2_banners2 -indiaresults.com##.left_add_incl -ultimate-guitar.com##.left_article_cont -sanet.me##.left_banner -electronista.com,ipodnn.com,macnn.com##.left_footer -zalaa.com##.left_iframe -mail.yahoo.com##.left_mb -wnd.com##.left_prom_160 -youserials.com##.lefta -phonearena.com,torrentreactor.net##.leftbanner -knowthis.com##.leftcol[style="width:180px;"] -miniclip.com##.letterbox -jpost.com##.level-2-horizontal-banner-wrap -jpost.com##.level-6-horizontal-banner-wrap -aol.com##.lft120x60 -webpronews.com##.lightgray -prepperwebsite.com##.link-col > #text-48 -coinurl.com##.link-image -anorak.co.uk##.link[style="height: 250px"] -huffingtonpost.com##.linked_sponsored_entry -technologyreview.com##.linkexperts-hm -kyivpost.com##.linklist -kproxy.com##.linknew4 -scriptcopy.com##.linkroll -scriptcopy.com##.linkroll-title -babynamegenie.com,forless.com,o2cinemas.com,passageweather.com,worldtimeserver.com##.links -atđhe.net##.links > thead -answers.com##.links_casale -answers.com##.links_google -answers.com##.links_google_csa -answers.com##.links_openx -ipsnews.net##.linksmoll_black -watchseries.lt##.linktable > .myTable > tbody > tr:first-child -youtube.com##.list-view[style="margin: 7px 0pt;"] -maps.yahoo.com##.listing > .ysm -cfos.de##.ll_center -cso.com.au,goodgearguide.com.au,pcworld.co.nz,pcworld.idg.com.au##.lo-toppromos -wefollow.com##.load-featured -calgaryherald.com##.local-branding -allrecipes.com##.local-offers -theonion.com##.local_recirc -hiphopdx.com##.lockerdome -logect.com##.logect_ads01_wrp -tv-video.net##.login -wearetennis.com##.logo -1071thepeak.com##.logo-scroll -siberiantimes.com##.logoBanner -ovguide.com##.logo_affiliate -themoscowtimes.com##.logo_popup -leaprate.com##.logooos_container -toblender.com##.longadd -vg247.com##.low-leader-container -eurogamer.net##.low-leaderboard-container -omegle.com##.lowergaybtn -omegle.com##.lowersexybtn -cfos.de##.lr_left -yahoo.com##.lrec -findlaw.com##.ls_homepage -animetake.com##.lsidebar > a[href^="http://bit.ly/"] -vidto.me,vidzi.tv##.ltas_backscreen -slideshare.net##.lynda-item -phpbb.com##.lynkorama -phpbb.com##.lynkoramaz -kovideo.net##.lyricRingtoneLink -lifezette.com##.lz_leaderboard_outer -egotastic.com,readwrite.com##.m-adaptive -digitaltrends.com##.m-deal-bonus -theverge.com##.m-feature__intro > aside -digitaltrends.com##.m-intermission -digitaltrends.com##.m-leaderboard -theguardian.com##.m-money-deals -aol.com##.m-people-are-reading -digitaltrends.com##.m-review-affiliate-pint -tvguide.com##.m-shop -share-links.biz##.m10.center -share-links.biz##.m20 > div[id]:first-child:last-child -minivannews.com##.m_banner_show -downloadatoz.com##.ma -hitc.com##.ma-wrapper -movies.msn.com##.magAd -gififly.com##.magic -cheatsheet.com##.main > div > :first-child + div[class]:last-child -breathecast.com##.main > section + .entry-content + * -christianpost.com##.main-aside-bn -cointelegraph.com##.main-banner -valuewalk.com##.main-col > div + div > headr:first-child -dictionary.com##.main-leaderboard -veekyforums.com##.main-rc -thedailystar.net##.mainAddSpage -investing.com##.mainLightBoxFilter -tradingpost.com.au##.mainWrapper-csa -cheatsheet.com##.main__bottom > div + div[class] -instantshift.com##.main_banner_single -technewsdaily.com##.main_content_right -israelhayom.com##.main_english_banner -electronista.com##.main_notify -xspyz.com##.mainparagraph -showme.co.za##.mainphoto -healthzone.pk##.maintablebody -rarlab.com,rarlabs.com##.maintd2[valign="top"] > .htbar:first-child + .tplain + p + table[width="100%"][border="0"] + table[width="100%"][border="0"] > tbody:first-child:last-child -rarlabs.com##.maintd2[valign="top"] > .htbar:first-child + p.tplain + table[width="100%"][border="0"] + table[width="100%"][border="0"] -torrent.cd##.maintopb -makeprojects.com##.makeBlocks -4shared.com##.makeRingtoneButton -mangainn.com##.mangareadtopad -allmenus.com##.mantle -sigalert.com##.map-med-rect -rocvideo.tv##.mar-bot-10 -romereports.com##.marg -pcper.com##.mark-overlay-bg -briefing.com##.market-place -industryweek.com##.market600 -investors.com##.marketBox -nzherald.co.nz##.marketPlace -gisborneherald.co.nz##.market_place -knowd.com,rockpapershotgun.com,theslingshot.com##.marketing -edmunds.com##.marketing-message-section -bangkok.com##.marketing-spot -rtklive.com##.marketing_banner -investmentweek.co.uk##.marketing_content -abc15.com,abc2news.com,barchart.com,entrepreneur.com,globest.com,industryweek.com,kypost.com,myfoxboston.com,myfoxmemphis.com,newsarama.com,newsnet5.com,wcpo.com,wptv.com,wxyz.com,yahoo.com##.marketplace -poststar.com,stltoday.com##.marketplace-list -biggestplayer.me##.masc -dailymotion.com##.masscast_box -dailymotion.com##.masscast_middle_box -macworld.co.uk##.mastBannerContainer -pushsquare.com,songlyrics.com##.masthead -slacktory.com##.masthead-banner -msn.com##.matchModuleContainer -lifesitenews.com##.matched-content-wrapper -fixitscripts.com##.max-banner -mail.yahoo.com##.mb > .tbl -cheatsheet.com##.mb--baseline > script + div -commentarymagazine.com##.mb5px -yahoo.com##.mballads -zeetv.com##.mbanner1 -wraltechwire.com##.mbitalic -search.twcc.com##.mbs -minecraftforum.net##.mcserver-banner -deviantart.com##.mczone-you-know-what -games.yahoo.com,movies.yahoo.com##.md.links -wsj.com##.mdcSponsorBadges -hughhewitt.com##.mdh-main-wrap -srnnews.com##.mdh-wrap -mtv.com##.mdl_noPosition -thestar.com.my##.med-rec -indianapublicmedia.org,mymotherlode.com##.med-rect -slideshare.net##.medRecBottom2 -orlandoweekly.com##.medRectangle -abajournal.com,etonline.com##.med_rec -medcitynews.com##.medcity-paid-inline -fontstock.net##.mediaBox -cnn.com##.medianet -parents.com##.medianetPlaceholder -tvbay.org##.mediasrojas -tvplus.co.za##.medihelp-section -docspot.com##.medium -allmovie.com,edmunds.com##.medium-rectangle -allmovie.com##.medium-rectangle-btf -monhyip.net##.medium_banner -ucomparehealthcare.com##.medium_rectangle -beautifuldecay.com##.medium_rectangle_300x250 -ubergizmo.com##.mediumbox -rushlimbaugh.com##.mediumrec_int -democraticunderground.com##.mediumrectangle-op-blank -democraticunderground.com##.mediumrectangle-placeholder -9news.com.au,active.com,anime-planet.com,cookinggames.com,coolgames.com,fosswire.com,girlgames.com,girlsocool.com,guygames.com,hallpass.com,stickgames.com,tinypic.com,tuaw.com,watchmojo.com##.medrec -active.com##.medrec-bottom -dressupgal.com##.medrec-main -active.com##.medrec-top -myspace.com##.medrecContainer -rottentomatoes.com##.medrec_top_wrapper -joystiq.com,luxist.com,switched.com,tuaw.com,wow.com##.medrect -theboot.com##.medrect_aol -notcot.org##.medrect_outer -gossiponthis.com##.medrectangle -ludobox.com##.megaban -lookbook.nu##.megabanner_container -gamerdna.com##.members -videogamer.com##.mentioned-games__item__buy -go4up.com##.menu-hidden > div[id] + div + div[id] -deseretnews.com##.menu-sponsor -opensourcecms.com##.menuItemYannerYd -toonjokes.com##.menu_fill_ad -flysat.com##.menualtireklam -spinitron.com##.merch -travelocity.com##.merchandising -troyhunt.com##.message_of_support -excite.com##.mexContentBdr -moviefone.com##.mf-banner-container -moviefone.com##.mf-tower600-container -postimg.org##.mgbox -seenive.com##.mgid-vine -moviesplanet.com##.mgtie5min -activistpost.com##.mh-group > #main-content + aside.mh-sidebar > div + div + span -activistpost.com##.mh-group > .home-sidebar:last-child > div + span -activistpost.com##.mh-sidebar > headr -modernhealthcare.com##.mh_topshade_b -npr.org##.mi-purchase-links -theoutline.com##.micro-native -slate.com##.microsoft_text_link -krebsonsecurity.com##.mid-banner -wired.com##.mid-banner-wrap -order-order.com##.mid-bar-post-container-unit -pissedconsumer.com,plussports.com##.midBanner -investing.com##.midHeader -expertreviews.co.uk##.midLeader -siteadvisor.com##.midPageSmallOuterDiv -mp3.li##.mid_holder[style="height: 124px;"] -einthusan.com##.mid_leaderboard -einthusan.com##.mid_medium_leaderboard -babylon.com##.mid_right -einthusan.com##.mid_small_leaderboard -metroflog.com##.midbanner -ocweekly.com##.middle -scanwith.com##.middle-banner -tradetrucks.com.au##.middle-banner-list -ibtimes.co.in,ibtimes.co.uk##.middle-leaderboard -imdb.com##.middle-rhs -instantshift.com##.middle_banners_title -kcrw.com##.middle_bottom_wrap -hltv.org##.middlefast -hltv.org##.middlegofast -lifezette.com##.midpoint -mamma.com##.midresult:first-child -broadcastingworld.net##.midsection -tokyohive.com##.midunit -rapidlibrary.com##.mini.mediaget -ar15.com##.miniBannersBg -fool.com##.mintPromo -independent.co.uk,standard.co.uk##.mktg-btns-ctr -aol.com##.mlid-netbanner -mmosite.com##.mmo_banner -mmosite.com##.mmo_footer_sponsor -mmosite.com##.mmo_gg -mmosite.com##.mmo_gg2 -mmosite.com##.mmo_textsponsor -mnn.com##.mnn-homepage-adv1-block -cultofmac.com##.mob-mpu -techradar.com##.mobile-hawk-widget -techspot.com##.mobile-hide -winnipegfreepress.com##.mobile-inarticle-container -rapidvideo.tv##.mobile_hd -thenation.com##.modalContainer -ibtimes.com##.modalDialog_contentDiv_shadow -ibtimes.com##.modalDialog_transparentDivs -thenation.com##.modalOverlay -alivetorrents.com##.mode -itworld.com##.module -goal.com##.module-bet-signup -goal.com##.module-bet-windrawwin -autotrader.co.uk##.module-ecommerceLinks -ca2015.com##.module-footer-sponsors -4kq.com.au,961.com.au,96fm.com.au,973fm.com.au,cruise1323.com.au,gold1043.com.au,kiis1011.com.au,kiis1065.com.au,mix1023.com.au,mix106.com.au,wsfm.com.au##.module-leaderboard -4kq.com.au,961.com.au,96fm.com.au,973fm.com.au,cruise1323.com.au,gold1043.com.au,kiis1011.com.au,kiis1065.com.au,mix1023.com.au,mix106.com.au,wsfm.com.au##.module-mrec -nickelodeon.com.au##.module-mrect -heraldsun.com.au##.module-promo-image-01 -wptv.com##.module.horizontal -asia.cnet.com##.module:first-child + .module -hubpages.com##.moduleAmazon -quote.com##.module_full -prevention.com##.modules -americantowns.com##.moduletable-banner -healthyplace.com##.moduletablefloatRight -uberrock.co.uk##.moduletablepatches -thetowner.com##.moleskine-product -codeasily.com##.money -theguardian.com##.money-supermarket -dailymail.co.uk,mailonsunday.co.uk##.money.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -thisismoney.co.uk##.money.item.html_snippet_module -au.news.yahoo.com##.moneyhound -grantland.com##.more-from-elsewhere -yahoo.com##.more-sponsors -motherboard.tv##.moreFromVice -aol.co.uk##.moreOnAsylum -bestserials.com##.morePop -search.icq.com##.more_sp -search.icq.com##.more_sp_end -msn.com##.morefromproviderrr -cnn.com##.mortgage-and-savings -zillow.com##.mortgage-featured-partners -radiosport.co.nz##.mos-sponsor -anonymouse.org##.mouselayer -merdb.com##.movie_version a[style="font-size:15px;"] -movie2k.tl##.moviedescription + br + div > a -seetickets.com##.mp-sidebar-right -newscientist.com##.mpMPU -syfy.com##.mps-container -cnbc.com##.mps-slot -98fm.com,accringtonobserver.co.uk,alloaadvertiser.com,ardrossanherald.com,audioreview.com,autotrader.co.za,barrheadnews.com,bigtop40.com,birminghammail.co.uk,birminghampost.co.uk,bizarremag.com,bobfm.co.uk,bordertelegraph.com,bracknellnews.co.uk,capitalfm.com,capitalxtra.com,carrickherald.com,caughtoffside.com,centralfifetimes.com,chesterchronicle.co.uk,chroniclelive.co.uk,classicfm.com,clydebankpost.co.uk,cnet.com,coventrytelegraph.net,crewechronicle.co.uk,cultofandroid.com,cumnockchronicle.com,dailypost.co.uk,dailyrecord.co.uk,dcsuk.info,directory.im,directory247.co.uk,divamag.co.uk,dumbartonreporter.co.uk,dunfermlinepress.com,durhamtimes.co.uk,eastlothiancourier.com,econsultancy.com,eurogamer.net,examiner.co.uk,findanyfilm.com,football-league.co.uk,games.co.uk,gamesindustry.biz,gardensillustrated.com,gazettelive.co.uk,getbucks.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,golf365.com,greenocktelegraph.co.uk,heart.co.uk,heatworld.com,helensburghadvertiser.co.uk,her.ie,herfamily.ie,impartialreporter.com,independent.co.uk,indy100.com,irishexaminer.com,irvinetimes.com,jamieoliver.com,jazzfm.com,joe.co.uk,joe.ie,journallive.co.uk,largsandmillportnews.com,liverpoolecho.co.uk,localberkshire.co.uk,look.co.uk,loughboroughecho.net,macclesfield-express.co.uk,macuser.co.uk,manchestereveningnews.co.uk,metoffice.gov.uk,mtv.com.lb,mumsnet.com,musicradar.com,musicradio.com,mygoldmusic.co.uk,newburyandthatchamchronicle.co.uk,newscientist.com,newstalk.com,newstatesman.com,northernfarmer.co.uk,osadvertiser.co.uk,peeblesshirenews.com,pinknews.co.uk,planetrock.com,propertynews.com,racecar-engineering.com,radiotimes.com,radiox.co.uk,readingchronicle.co.uk,realradioxs.co.uk,recombu.com,redhillandreigatelife.co.uk,rochdaleonline.co.uk,rossendalefreepress.co.uk,rte.ie,runcornandwidnesweeklynews.co.uk,scotsman.com,skysports.com,sloughobserver.co.uk,smallholder.co.uk,smartertravel.com,smoothradio.com,southportvisiter.co.uk,southwestfarmer.co.uk,spin1038.com,spinsouthwest.com,sportsjoe.ie,sportsmole.co.uk,strathallantimes.co.uk,t3.com,tcmuk.tv,the-gazette.co.uk,the-tls.co.uk,theadvertiserseries.co.uk,thejournal.co.uk,thelancasterandmorecambecitizen.co.uk,thetimes.co.uk,thevillager.co.uk,thisisfutbol.com,timeoutabudhabi.com,timeoutbahrain.com,timeoutdoha.com,timeoutdubai.com,todayfm.com,toffeeweb.com,troontimes.com,tv3.ie,txfm.ie,usgamer.net,vg247.com,videogamer.com,walesonline.co.uk,warringtonguardian.co.uk,wiltshirebusinessonline.co.uk,windsorobserver.co.uk##.mpu -greatbritishlife.co.uk,sport360.com##.mpu-banner -4music.com##.mpu-block -rightmove.co.uk##.mpu-slot -todayfm.com##.mpu2 -crash.net##.mpuBack -digitalartsonline.co.uk##.mpuHolder -lonelyplanet.com##.mpuWrapper -slidetoplay.com##.mpu_content_banner -popjustice.com##.mpufloatleft -blinkbox.com##.mpupnl -digitimes.com##.mr-box -411.com##.mr_top -2gb.com,9news.com.au,askmen.com,ebay.com,farmonline.com.au,farmweekly.com.au,fhm.com.ph,foodnetwork.com,funnyordie.com,goodfruitandvegetables.com.au,hgtv.com,hgtvremodels.com,jozifm.co.za,metrofm.co.za,northqueenslandregister.com.au,nwherald.com,queenslandcountrylife.com.au,realliving.com.ph,stockandland.com.au,stockjournal.com.au,theland.com.au,thewest.com.au,topgear.com.ph,turfcraft.com.au##.mrec -yellowpages.com.au##.mrec-container -pep.ph##.mrec-wrapper -mmorpg.com##.mrskin -plus.im##.ms-creative-position-header -opensubtitles.org##.msg > div > fieldset > legend + div > a[class] -opensubtitles.org##.msg.hint -opensubtitles.org##.msg.star -govtech.com##.mt-20 -motortrend.com##.mt-spotlight -facemoods.com##.mts + .search-list -facebook.com##.muffin.group -excite.co.uk##.multitable -movieking.me##.mv_dirad -javascript-coder.com##.myadv1 -mycoupons.com##.myc_google -cracksfiles.com##.mylink -slate.com##.mys-header -slate.com##.mys-north-spons-ad -google.com##.nH.MC -mail.google.com##.nH.PS -mail.google.com##.nH.adC > .nH > .nH > .u5 > .azN -manchesterconfidential.co.uk##.nag -bbc.com##.native-promo-button -gamerevolution.com##.native-teaser -9gag.com##.naughty-box -animenfo.com##.nav2 -btstorrent.so##.nav_bar + p[style="margin:4px 0 10px 10px;font-size:14px;width:auto;padding:2px 50px 2px 50px;display:inline-block;border:none;border-radius:3px;background:#EBDCAF;color:#BE8714;font-weight:bold;"] + .tor -bloodninja.org##.navbar + .container-fluid > .row:first-child > .col-md-2:first-child -thetechpoint.org##.navigation-banner -typo3.org##.navigationbanners -zeenews.india.com##.navnw-banrpad -nba.com##.nbaSponsored -ncaa.com##.ncaa728text -ncaa.com##.ncaaAdTag -4shared.com##.ndimg -whoismind.com##.neatbox[style="color:#777;width:450px;padding:5px 15px;margin-bottom:10px;line-height:20px;cursor:pointer;"] -depositfiles.com,dfiles.eu##.network_downloader -celebritynetworth.com##.networth_content_advert -keepcalm-o-matic.co.uk##.new-banner -makeuseof.com##.new-sidebar-deals -yts.ag##.newdd -northjersey.com##.newerheaderbg -instructables.com##.newrightbar_div_10 -jpost.com##.news-feed-banner -ckom.com,newstalk650.com,seatrade-cruise.com##.news-sponsor -afterdawn.com##.newsArticleGoogle -afterdawn.com##.newsGoogleContainer -tech-reviews.co.uk##.newsadsix -codingforums.com##.newscredit -pbs.org##.newshour-support-wrap -develop-online.net,licensing.biz,mcvuk.com,mobile-ent.biz,pcr-online.biz,toynews-online.biz##.newsinsert -jpost.com##.newsmax -exchangerates.org.uk##.newsp -educationtimes.com##.newtopbannerpanel -msn.com##.nextcontentitem -democraticunderground.com##.nhome-mediumrectangle-container -hulkshare.com##.nhsBotBan -travel.yahoo.com##.niftyoffst[style="background-color: #CECECE; padding: 0px 2px 0px;"] -9news.com.au,ninemsn.com.au##.ninemsn-advert -9news.com.au##.ninemsn-footer-classifieds -cosmopolitan.com.au,dolly.com.au##.ninemsn-mrec -rtklive.com##.njoftime_publike -filenuke.com,sharesix.com##.nnrplace -smartmoney.com##.no-top-margin -thedailycrux.com##.noPrint -primewire.ag,primewire.in##.no_c_link -mtv.co.uk##.node-download -doctoroz.com##.node-site_promo -tradingmarkets.com##.node_banner_right -news.com.au##.nokia-short -spotplanet.org##.nonregadd -moddb.com##.normalmediabox -cookingforengineers.com##.nothing -designtaxi.com##.noticeboard -hypable.com##.notification-area -philly.com##.nouveau -financialpost.com##.npBgSponsoredLinks -channel4fm.com##.npDownload -financialpost.com##.npSponsor -financialpost.com,nationalpost.com##.npSponsorLogo -nascar.com##.nscrAd -nascar.com##.nscrAdFooter -nascar.com##.nscrSweepsContainer -designtaxi.com##.nt-noticeboard -slashdot.org##.ntv-sponsored -timpul.md,trm.md##.numbers-placeholder -cheezburger.com##.nw-rail-min-250 -ninemsn.com.au##.nw_ft_all_partners -nymag.com,vulture.com##.nym-ad-active -nytimes.com##.nytmm-ss-ad-target -nytimes.com##.nytmm-ss-big-ad -nzherald.co.nz##.nzh-bigbanner -nzherald.co.nz##.nzh-extendedbanner -nzherald.co.nz##.nzme_ss -mail.google.com##.oM -counton2.com,suntimes.com##.oas -timesfreepress.com##.oas-instory -popculture.com##.oas_desktop_banner -adage.com##.oaswrapper -cheezburger.com##.ob-widget-section -dailydot.com##.ob_dual_right -elle.com,womansday.com##.oba -tvguide.com##.obj-spotlight -infobetting.com,searchenginejournal.com##.odd -espnfc.co.uk,espnfc.com,espnfc.com.au,espnfcasia.com##.odds -wusa9.com##.ody-ob-taboola-wrapper -lifehack.org##.offer -yasni.com##.offerbox -nationalpost.com,space.com##.offers -polishlinux.org##.oio-badge -mindsetforsuccess.net##.ois_wrapper -okcupid.com##.okad -nzbindex.nl##.oldresults -somethingawful.com##.oma_pal -plus.im##.one-creative -50statesclassifieds.com##.onepxtable[width="468"] -israbox.info##.onesearch -thedigeratilife.com##.optad -all-shares.com##.outInformation -news.sky.com##.outbrain-table-recommendations-bottom -eeweb.com,megashare.com##.overlay -hqvideo.cc,vidbox.net,vidshare.ws,vuvido.com,xtshare.com,zalaa.com##.overlayVid -stream4k.to##.overlay_box -getprice.com.au##.overviewnc2_side_mrec -facebook.com##.ownsection[role="option"] -golfweather.com##.ox300x250 -info.co.uk##.p -documentarystorm.com##.p-2 -tomsguide.com##.p-button[href^="http://out.tomsguide.fr/clic.php?"][data-omniture-tracking*="\"ShoppingBlock_template\""] -worldoftanks-wot.com##.p2small -local.com##.pB5.mB15 -polls.aol.com##.p_divR -amazon.com##.pa-sp-container -chaptercheats.com,longislandpress.com,tucows.com##.pad10 -demonoid.ooo,demonoid.ph,demonoid.pw##.pad9px_left > table:nth-child(8) -inquirer.net##.padtopbot5 -xtremevbtalk.com##.page > #collapseobj_rbit -stream2watch.cc##.page-after-title -hotfrog.ca,hotfrog.com,hotfrog.com.au,hotfrog.com.my##.page-banner -channel4.com##.page-bg-link -tomshardware.com##.page-content-rightcol a[href*="%26tag%3Dpurch_ramp_ab-20%26"] -firehouse.com,locksmithledger.com,officer.com,securityinfowatch.com##.page-footer -oversixty.co.nz##.page-heading-wrap -politico.com##.page-skin-graphic -channel4.com##.page-top-banner -vehix.com##.pageHead -krcrtv.com,ktxs.com,nbcmontana.com,wcti12.com,wcyb.com##.pageHeaderRow1 -freebetcodes.info##.page_free-bet-codes_1 -nzcity.co.nz##.page_skyscraper -nationalreview.com##.pagetools[align="center"] -optimum.net##.paidResult -infoq.com##.paid_section -phonebook.com##.paidinfoportlet -eplans.com##.pair-bottom-banners -womenshealthmag.com##.pane-block-150 -bostonherald.com##.pane-block-20 -galtime.com##.pane-block-9 -sportfishingmag.com##.pane-channel-sponsors-list -animax-asia.com,axn-asia.com,betvasia.com,gemtvasia.com,movies4men.co.uk,onetvasia.com,settv.co.za,sonychannel.co.za,sonychannelasia.com,sonymax.co.za,sonymoviechannel.co.uk,sonytv.com##.pane-dart-dart-tag-300x250-rectangle -soundandvisionmag.com##.pane-dart-dart-tag-bottom -thedrum.com##.pane-dfp -thedrum.com##.pane-dfp-drum-mpu-adsense -educationpost.com.hk##.pane-dfp-homepage-728x90 -texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-1 -texasmonthly.com##.pane-dfp-sidebar-medium-rectangle-2 -pri.org##.pane-node-field-links-sponsors -2gb.com##.pane-rugby-league-live-rugby-league-live-ros-lb -2gb.com##.pane-rugby-league-live-rugby-league-live-ros-mrec -scmp.com##.pane-scmp-advert-doubleclick -2gb.com##.pane-sponsored-links-2 -drupal.org##.pane-style-sponsor -sensis.com.au##.panel -brisbanetimes.com.au,smh.com.au,theage.com.au,watoday.com.au##.panel--compare-save -afr.com##.panel--real_estate -tampabay.com##.panels-flexible-row-75-8 -panarmenian.net##.panner_2 -primewire.ag##.param1 -nst.com.my##.parargt -whatsthescore.com##.parier -businesstech.co.za,letour.fr,myfigurecollection.net,prolificnotion.co.uk,rugbyworldcup.com,usatoday.com##.partner -mail.com##.partner-container -247wallst.com##.partner-feeds -thefrisky.com##.partner-link-boxes-container -topgear.com##.partner-links -nationtalk.ca##.partner-slides -emporis.com##.partner-small -news24.com,timesofisrael.com##.partner-widget -domainmasters.co.ke##.partner2 -newser.com##.partnerBottomBorder -mybroadband.co.za##.partnerBreaking -solarmovie.ac,solarmovie.ag,solarmovie.ph,solarmovie.so##.partnerButton -bing.com##.partnerLinks -newser.com##.partnerLinksText -delish.com##.partnerPromoCntr -youbeauty.com##.partner_content -mamaslatinas.com##.partner_links -mybroadband.co.za##.partner_post -411.com##.partner_search_header -411.com##.partner_searches -ioljobs.co.za##.partner_sites -freshnewgames.com##.partnercontent_box -money.msn.com##.partnerlogo -bhg.com##.partnerpromos -2oceansvibe.com,bundesliga.com,computershopper.com,evertonfc.com,freedict.com,independent.co.uk,juventus.com,letour.fr,pcmag.com,tgdaily.com,tweetmeme.com,wbj.pl,wilv.com##.partners -araratadvertiser.com.au,areanews.com.au,armidaleexpress.com.au,avonadvocate.com.au,batemansbaypost.com.au,baysidebulletin.com.au,begadistrictnews.com.au,bellingencourier.com.au,bendigoadvertiser.com.au,blayneychronicle.com.au,bombalatimes.com.au,boorowanewsonline.com.au,bordermail.com.au,braidwoodtimes.com.au,bunburymail.com.au,busseltonmail.com.au,camdencourier.com.au,canowindranews.com.au,centraladvocate.com.au,centralwesterndaily.com.au,cessnockadvertiser.com.au,colliemail.com.au,colypointobserver.com.au,coomaexpress.com.au,cootamundraherald.com.au,cowraguardian.com.au,crookwellgazette.com.au,dailyadvertiser.com.au,dailyliberal.com.au,donnybrookmail.com.au,dungogchronicle.com.au,easternriverinachronicle.com.au,edenmagnet.com.au,esperanceexpress.com.au,forbesadvocate.com.au,gleninnesexaminer.com.au,gloucesteradvocate.com.au,goondiwindiargus.com.au,goulburnpost.com.au,greatlakesadvocate.com.au,grenfellrecord.com.au,guyraargus.com.au,hardenexpress.com.au,hepburnadvocate.com.au,huntervalleynews.net.au,inverelltimes.com.au,irrigator.com.au,juneesoutherncross.com.au,lakesmail.com.au,lithgowmercury.com.au,macleayargus.com.au,mailtimes.com.au,maitlandmercury.com.au,mandurahmail.com.au,manningrivertimes.com.au,margaretrivermail.com.au,merimbulanewsonline.com.au,merredinmercury.com.au,moreechampion.com.au,mudgeeguardian.com.au,muswellbrookchronicle.com.au,myallcoastnota.com.au,nambuccaguardian.com.au,naroomanewsonline.com.au,narrominenewsonline.com.au,newcastlestar.com.au,northerndailyleader.com.au,northweststar.com.au,nvi.com.au,nynganobserver.com.au,oberonreview.com.au,parkeschampionpost.com.au,portnews.com.au,portpirierecorder.com.au,portstephensexaminer.com.au,queanbeyanage.com.au,riverinaleader.com.au,sconeadvocate.com.au,singletonargus.com.au,southcoastregister.com.au,southernhighlandnews.com.au,southernweekly.com.au,standard.net.au,stawelltimes.com.au,summitsun.com.au,tenterfieldstar.com.au,theadvocate.com.au,thecourier.com.au,theherald.com.au,theridgenews.com.au,therural.com.au,townandcountrymagazine.com.au,ulladullatimes.com.au,waginargus.com.au,walchanewsonline.com.au,wauchopegazette.com.au,wellingtontimes.com.au,westernadvocate.com.au,westernmagazine.com.au,winghamchronicle.com.au,yasstribune.com.au,youngwitness.com.au##.partners-container -thedodo.com##.partners-widget -serverwatch.com##.partners_ITs -racinguk.com##.partners_carousel_container -arrivealive.co.za##.partnersheading -theweek.co.uk##.partnership-top -ryanair.com##.partnersmenu -nzbclub.com##.partsincomplete -cjnews.com,salfordonline.com##.paszone_container -prankvidz.com,videobash.com##.pb-container -washingtonpost.com##.pb-f-page-outbrain -eeweb.com##.pbox -neverendingplaylist.com##.pcad -extremetech.com,geek.com##.pcmag-mostclicked -pcmag.com##.pcmwrap -photodom.com##.pd_AdBlock -search.smartaddressbar.com##.peach -imvu.com##.peoplesearch-ad -forums.vr-zone.com##.perm_announcement -collectivelyconscious.net##.pf-content > [style*="display:"] -politifact.com##.pfad -proxfree.com##.pfad2 -invisionfree.com##.pformleft[width="300px"] -sensis.com.au##.pfpRightParent -sensis.com.au##.pfplist -proxfree.com##.pftopad -mashable.com##.pga -parentherald.com##.ph-article > .att-body a[href^="https://www.amazon.com/"] -deseretnews.com##.photo-area > .rightSpace -roadandtrack.com##.photo-banner -phoronix.com##.phxcms_contentphx_right_bar:first-child -biggestplayer.me##.piji -metacrawler.com,start.mysearchdial.com##.pirArea -vr-zone.com##.place_top -gamesradar.com,pcgamer.com,t3.com,techradar.com##.placeholder -gamersyde.com##.placeholder-bottom -gamersyde.com##.placeholder-top -gamersyde.com##.placeholder-top-empty -qikr.co##.placeholder1 -qikr.co##.placeholder2 -autotrader.co.uk##.placeholderBottomLeaderboard -autotrader.co.uk##.placeholderTopLeaderboard -browardpalmbeach.com,citypages.com,dallasobserver.com,houstonpress.com,laweekly.com,lifebuzz.com,miaminewtimes.com,phoenixnewtimes.com,villagevoice.com,westword.com##.placement -world-airport-codes.com##.placement-leaderboard -world-airport-codes.com##.placement-mpu -world-airport-codes.com##.placement-skyscraper -techfrag.com##.play-unit-inner -t45ol.com##.play_game_adcube_bloc -wherever.tv##.player-page-add -overthumbs.com##.playerad -mediaspanonline.com##.playlist-itunes-player -netmums.com##.plinth-mpu -ulivetv.com##.plugbarremozi -wsj.com##.pmCfoDeloitte -streamingthe.net##.pnl_video_2 -freewebarcade.com##.pnum -pokernewsreport.com##.pokerbanner -bodybuilding.com##.poll-padding -winnipegfreepress.com##.poll-sponsor -alluc.com##.ponsorlink -thefix.com##.pop-up-a -filefactory.com##.popup -bangbrosporn.com##.porndiddy -pirateiro.com##.porndudelink -freenewspos.com##.pos-adt -freenewspos.com##.pos-adv -blogtv.com##.posAbs.BOGL -blogtv.com##.posRel.BGW.BOGL.TxtC.FB.L0 -blogtv.com##.posRel.txtL.userForeColor.userBoxBG.BOGL -forums.linuxmint.com##.post + .divider + .bg3 -macdailynews.com##.post + .link-list -thegatewaypundit.com##.post + div > div:first-child -thegatewaypundit.com##.post > .entry-content + div -fullepisode.info,netbooknews.com##.post-banner -cointelegraph.com##.post-banners -rare.us##.post-block -activistpost.com##.post-body > div[style="text-align: center;"] > a[target="_blank"] > img -activistpost.com##.post-body a[style^="clear: right; float: right; margin-bottom: 1em; "][target="_blank"] > img[alt] -motherjones.com##.post-continued-from-above -motherjones.com##.post-continues -awesomestyles.com##.post-download-screen -egoallstars.com,egotastic.com##.post-item-az -mobilitydigest.com##.post-rel -moviecarpet.com##.post-top -pinkisthenewblog.com##.post-wrap -buzzfeed.com##.post2[style="background-color: #FDF6E5;"] -mac-forums.com##.postMREC -thejournal.ie##.postSponsored -dutchgrammar.com##.post[style="border: 1px solid #339999 "] -wwtdd.com##.post_insert -androidpolice.com##.post_main_blob2 -litecointalk.org##.post_separator + .windowbg -neogaf.com##.postbit-goodie -cincinnati.com,wbir.com##.poster-container -phonebook.com.pk##.posterplusmiddle -phonebook.com.pk##.posterplustop -picocool.com##.postgridsingle -watchseries-online.nl##.postlinks > thead + tbody > #wso-cstyles -weaponsmedia.com##.posts > div[class]:first-child -1019thewolf.com,923thefox.com,fox1150.com,hot1035.com,hot1035radio.com,indie1031.com##.posts-banner -firstpost.com##.powBy -natgeotraveller.in##.powerWithSocial -indiatimes.com,thetowner.com##.powered -1053kissfm.com##.powered-by -geekzone.co.nz##.poweredBy -infowars.com,prisonplanet.com##.ppani -planet-rugby.co.za,planetrugby.com##.pr-art-betlinks -lowellsun.com##.preHeaderRegion -ign.com##.preShell -gamesting.com##.pregleaderboard -gcnlive.com##.premSponsor -towersearch.com##.premier -citationmachine.net,thomsonlocal.com,whitepages.com##.premium -yellowbook.com##.premium-listing -dramafever.com##.premium-overlay -gamblinginsider.com##.premium_box -livingfilms.org##.premium_btn -livingfilms.org##.premium_btn_2 -warez-files.com##.premium_results -huffingtonpost.com##.presented-by -theatlanticwire.com##.presented_by -softexia.com##.press-lastest -pokerupdate.com##.prev-article -dailysurge.com##.prev-next-wrapper + div > div[class]:first-child -1cookinggames.com,dressupone.com,flobzoo.com,onlyfungames.com,playkissing.com,yokogames.com##.preview2bannerspot -1cookinggames.com##.preview2bannerspot2 -onlyfungames.com##.preview3bannerspot -dressupone.com##.previewpubgoogle -dressupone.com##.previewpubgoogle2 -androidbenchmark.net,cpubenchmark.net,harddrivebenchmark.net,iphonebenchmark.net,memorybenchmark.net,tomshardware.com,videocardbenchmark.net##.price -tomsguide.com##.price-lazy -news24.com##.pricecheckBlock -digitaltrends.com##.pricegrabber -tomshardware.com##.prices -anandtech.com##.pricing -vaughnlive.tv##.primary300x600 -foliomag.com##.prime_sponsors -theguardian.com##.print-sponsorship -tulsaworld.com##.printViewAll -vertor.com##.privacy_banner -toptenreviews.com##.prod_head_buy_button -search.yahoo.com##.prod_listings_pe -itechpost.com,parentherald.com##.product-box -barnesandnoble.com##.product-commentary-advertisement -pcworld.com##.product-sidebar -avsforum.com##.products -openwith.org##.program-link -pbs.org##.program-support -gokunming.com##.prom -wnd.com##.prom-full-width-expandable -apps.opera.com,autosport.com,babynamegenie.com,computerandvideogames.com,dailyrecord.co.uk,eclipse.org,film.com,foreignpolicy.com,infoworld.com,irishmirror.ie,macworld.com,manchestereveningnews.co.uk,nbcbayarea.com,nwherald.com,planetsourcecode.com,sandiego6.com,sciagaj.org,sfgate.com,thenextweb.com,theonion.com,totalxbox.com,varsity.com,w3techs.com,wgxa.tv,wsj.com##.promo -onhax.me##.promo-an -yt-festivals.appspot.com##.promo-area -fourfourtwo.com##.promo-block-center -bbcgoodfood.com,pri.org##.promo-box -lamag.com##.promo-container -thepeoplesperson.com##.promo-first-para -pokertube.com##.promo-holder -news.com.au##.promo-image-01 -cointelegraph.com##.promo-item -efinancialnews.com##.promo-leaderboard -sitepoint.com##.promo-panel -postgradproblems.com##.promo-post -imageshack.com##.promo-right -thepeoplesperson.com##.promo-right-300 -miniclip.com##.promo-text -miniclip.com##.promo-unit -conservativereview.com,stevedeace.com##.promo-wrapper -cio.com,csoonline.com,infoworld.com,itworld.com,javaworld.com,networkworld.com##.promo.list -bollywoodhungama.com##.promo266 -cnet.com##.promo3000 -moneycontrol.com##.promoBanner -downloadcrew.com##.promoBar -zdnet.com##.promoBox -fitnessmagazine.com##.promoContainer -itv.com##.promoMpu -gamepedia.com##.promoSidebar -mirror.co.uk##.promoTeaser -tradingview.com,uxmatters.com##.promo_block -videobb.com##.promo_tab -animecharactersdatabase.com##.promobanner -journallive.co.uk,liverpooldailypost.co.uk,walesonline.co.uk##.promobottom -cnet.com.au,photobucket.com,ratemyteachers.com##.promobox -dnainfo.com##.promomerchant_block -afullcup.com##.promos -penny-arcade.com##.promos-horizontal -imgur.com,investors.com,search.genieo.com,search.installmac.com##.promoted -twitter.com##.promoted-account -authoritynutrition.com##.promoted-content -twitter.com##.promoted-trend -twitter.com##.promoted-tweet[data-disclosure-type="promoted"] -youtube.com##.promoted-videos -quora.com##.promoted_link_wrapper -quora.com##.promoted_link_wrapper + .upper_content_link -quora.com##.promoted_link_wrapper + .upper_content_link + .upper_content_link -quora.com##.promoted_link_wrapper + .upper_content_link + .upper_content_link + .content_button -search.genieo.com##.promoted_right -bizcommunity.com##.promotedcontent-box -reddit.com##.promotedlink -northcountrypublicradio.org##.promotile -twitter.com,wral.com##.promotion -vogue.co.uk##.promotionButtons -gocdkeys.com##.promotion_bg -thenextweb.com##.promotion_frame -mademan.com##.promotion_module -hindustantimes.com##.promotional-feature-block -tnp.sg##.promotional-material -951shinefm.com##.promotional-space -wired.co.uk##.promotions -domainnamewire.com##.promotions_120x240 -bostonreview.net,journallive.co.uk,liverpooldailypost.co.uk,people.co.uk,walesonline.co.uk##.promotop -bullz-eye.com##.prompt_link -mywebsearch.com##.prontoBox -independent.com.mt##.property-container -independent.co.uk,standard.co.uk##.propertySearch -msn.com##.providerupsell -psmag.com##.psmag-ad-300px -psmag.com##.psmag-ad-300x250 -playswitch.com##.psmainshellad -dailyhome.com##.pt1_pane_body[style="text-align:center;height:90px;"] -annistonstar.com##.pt1_pane_body[style="text-align:left;height:90px;"] -essentialmums.co.nz##.ptbl -1980-games.com,flash-mp3-player.net,larousse.com,theportugalnews.com##.pub -euronews.com##.pub-block -tvgolo.com##.pub468x60top -larousse.com##.pub728x90 -catchvideo.net##.pubRight -catchvideo.net##.pubTop -radionomy.com##.pub_imu -videolan.org##.pub_text -hellokids.com##.pub_topright -efe.com##.publi-wrapper -elpais.com##.publi220_elpais -elpais.com##.publi300_elpais -elpais.com##.publi728_elpais -hotshare.net,supershare.net##.publi_videos1 -catholic.net##.publicidad -reporter.bz##.publicidad-logo -europolitics.info##.publicite1 -hancinema.net##.publicite_468x60 -hancinema.net##.publicite_mobile_300x250 -cinemalebnen.org##.publicity -sporcle.com##.pubnation -protect-url.net##.pubpagebas -journallive.co.uk,liverpooldailypost.co.uk##.puffs -coinwarz.com##.pull-left[style="margin-right: 30px; margin-top: 20px; width: 336px;\a height: 280px;"] -xda-developers.com##.purch-box -radio.com##.purchase -ndtv.com##.pw_wrp -rockingsoccer.com##.pwadh -m.facebook.com,touch.facebook.com##.pyml -torfinder.net##.q2 -qrobe.it##.qad -torfinder.net##.qh22 -tmz.com##.quigo-main -tmz.com##.quigo-permalink -moviefone.com##.quigoModule -modernghana.com##.quikr_banner -israbox.info##.quote > center > table[width="100%"]:first-child -unlockboot.com##.r-banner -search.icq.com##.r2-1 -decoist.com##.r300 -periscopepost.com##.r72890 -joins.com,rt.com##.r_banner -kukmindaily.co.kr##.r_bnr_box -dietsinreview.com##.r_content_300x250 -time.is##.rad -wahm.com##.rad-links -wired.com##.rad-top -dawn.com##.radWrapper -900amwurd.com##.radio-container -kvcr.org##.radio_livesupport -about.com##.radlinks -mygames4girls.com##.rads07 -dailyfreegames.com##.radsbox -weatherzone.com.au##.rainbowstrip -isearch.whitesmoke.com##.rating -yts.ag##.rating-row > .button-green-download2-big -amctv.com##.rb-dart -pocketnow.com##.rc-item -pocketnow.com##.rc-photo -bustedcoverage.com##.rcr-box -wsj.com##.reTransWidget -elyrics.net##.read3 -commercialtrucktrader.com##.real-media300x250 -infoworld.com##.recRes_head -ebookee.org,torrbtvia.org##.recomended -webopedia.com##.recommend -golf.com,si.com##.recommend-section -biblegateway.com##.recommendations -wallpapers-room.com##.recommendations-468x60 -biblegateway.com##.recommendations-column -biblegateway.com##.recommendations-header-column -biblegateway.com##.recommendations-view-row -alternet.org,exactseek.com##.recommended -hindustantimes.com##.recommended-area -aplus.com##.recommended-block -casinonewsdaily.com##.recommended-casinos-widget -yellowpages.qa##.recommended-div -vertor.com##.recommended_clients -xml.com##.recommended_div2 -gsmchoice.com##.recommends -uinterview.com##.rect-min-height -dailynews.co.zw,defenseindustrydaily.com,dosgamesarchive.com,sciencedaily.com,twogag.com,webappers.com##.rectangle -wdun.com##.rectangle-300x250px -rantnow.com##.rectangle-atf -geekologie.com##.rectangle-container -geekosystem.com,styleite.com,themarysue.com##.rectangle-section -knowyourmeme.com##.rectangle-unit-wrapper -scholastic.com##.rectangleMedium -games.co.uk,gamesgames.com##.rectangular-banners -girlsgogames.com##.rectbanner -girlsgogames.com##.rectbanner-container -watchseries.li##.red -whatdigitalcamera.com##.reevoo -marketwatch.com##.region--sponsored -whathifi.com##.region-content-mpu -reviewjournal.com##.region-content_bottom -linux.com##.region-header-top -nbcolympics.com##.region-leaderboard -examiner.com##.region-masthead -ana-white.com##.region-sidebar-second > #block-block-64 -extrahardware.com##.region-skyscraper -weather.com##.region-top -futbol24.com##.rek -4shared.com##.rekl_top_wrapper -filmgo.org##.reklam-videoyan -watchcartoononline.io##.reklam_pve -topclassifieds.info##.reklama_vip -radiosi.eu##.reklame -appleinsider.com##.rel-half-r-cnt-ad -israbox.info,sedoparking.com,techeblog.com##.related -collegehumor.com##.related-links -pokerupdate.com##.related-room -classifiedextra.ca##.relativeBandeau -classifiedextra.ca##.relativeBoite -sleepywood.net##.relstar -ixquick.com##.reltext -cghub.com##.remove_ads -forums.whirlpool.net.au##.reply[style="padding: 0;"] -upworthy.com##.res-iframe -search.icq.com##.res_sp -driving.ca##.resource-center -techrepublic.com##.resource-centre -intelius.com##.resourceBox -cio.com,informationweek.com##.resources -website-unavailable.com##.response -esbuzz.net##.responsive -macmillandictionary.com##.responsive_cell_whole -duckduckgo.com##.result--ad > .result__body -qwant.com##.result--ext -simplefilesearch.com##.result-f -wrongdiagnosis.com##.result_adv -qwant.com##.result_extensions__underline -yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_gold -yellowpages.bw,yellowpages.co.ls,yellowpages.co.zm##.result_item_silver -torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##.results > h3 > div[style="text-align:center"] -hotbot.com##.results-top -yellowbook.com##.resultsBanner -nickjr.com##.resultsSponsoredBy -cardomain.com##.resultsTableCol -movies.yahoo.com##.results[bgcolor="#ECF5FA"] -vmn.net##.results_sponsor -queentorrent.com##.results_table > tbody > :nth-child(-n+4) -yauba.com##.resultscontent:first-child -classifiedads.com##.resultspon -washingtonexaminer.com##.rev -bitcandy.com##.rev_cont_below -crooksandliars.com##.revblock -al.com,cleveland.com,gulflive.com,lehighvalleylive.com,masslive.com,mlive.com,nj.com,nola.com,oregonlive.com,pennlive.com,silive.com,syracuse.com##.revenueUnit -informer.com##.review_a1 -hindustantimes.com##.rft_logos -alltheragefaces.com##.rg -popeater.com##.rgtPane -mail.google.com##.rh > #ra -pv-magazine.com##.ric_rot_banner -siteslike.com##.rif -marieclaire.co.uk,search.smartaddressbar.com,usnewsuniversitydirectory.com##.right -yourepeat.com##.right > .bigbox:first-child -intoday.in##.right-add -jrn.com##.right-banner -linuxinsider.com,macnewsworld.com##.right-bb -greenbiz.com,greenerdesign.com##.right-boom-small -scoop.co.nz##.right-box -ticotimes.net##.right-carrousel -crossmap.com##.right-col > div[class]:first-child -mediabistro.com##.right-column-boxes-content-partners -kovideo.net##.right-def-160 -movies.yahoo.com##.right-module -bloomberg.com##.right-rail-bkg -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.right-rail-yla-wrapper -hiphopearly.com##.right-side -republicbroadcasting.org##.right-sidebar-padder > #text-7 -realclearworld.com##.right-wide-skyscraper -10minutemail.net##.rightBig -timeout.com##.rightCol -myvi.vi##.rightCol .bannergroup -ghanaweb.com##.rightSkyscraper -prevention.com##.rightSubBoxArea -outlookindia.com##.right_add -themoscowtimes.com##.right_banner -themoscowtimes.com##.right_banner_block -screenindia.com##.right_blank2 -cybergamer.com##.right_dvrtsmnt -electronista.com,ipodnn.com,macnn.com##.right_footer -softicons.com##.right_ga -legalbusinessonline.com##.right_job_bg01 -mosnews.com##.right_pop -huffingtonpost.ca##.right_rail_edit_promo -opensubtitles.org##.right_side_fixed -veryfunnyads.com##.right_sponsor -gumtree.co.za,phonearena.com,virtualmedicalcentre.com##.rightbanner -tuvaro.com##.rightbar-inside -blekko.com##.rightbar-inside > div + div + .note -blekko.com##.rightbar-inside > div + div + .note + ul[id] -findlaw.com##.rightcol_300x250 -findlaw.com##.rightcol_sponsored -coolest-gadgets.com##.rightcolbox[style="height: 250px;"] -computerworld.co.nz##.rightcontent -khmertimeskh.com##.rightheader -bikesportnews.com##.rightmpu -press-citizen.com##.rightrail-promo -theteachercorner.net##.rightside -talksms.com##.righttd -homewiththekids.com##.rightwide2 -homewiththekids.com##.rightwide2 + .rightwide -lyricsfreak.com,metrolyrics.com##.ringtone -audiko.net##.ringtone-banner-top -songlyrics.com##.ringtone-matcher -lyricsfreak.com##.ringtone_b -dilandau.eu##.ringtone_button -lyricsty.com##.ringtone_s -clip.dj##.ringtonemakerblock -idolator.com##.river-interstitial -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##.river-unit -ratemyprofessors.com##.rmp_leaderboard -techpowerup.com##.rnav_d -techpowerup.com##.rnav_e -theyeshivaworld.com##.rndm -theyeshivaworld.com##.rndm10 -theyeshivaworld.com##.rndm2 -theyeshivaworld.com##.rndm6 -theyeshivaworld.com##.rndm7 -theyeshivaworld.com##.rndm9 -ballinaadvocate.com.au,bigrigs.com.au,byronnews.com.au,caboolturenews.com.au,centraltelegraph.com.au,coffscoastadvocate.com.au,coolum-news.com.au,cqnews.com.au,dailyexaminer.com.au,dailymercury.com.au,echonews.com.au,frasercoastchronicle.com.au,gattonstar.com.au,gladstoneobserver.com.au,gympietimes.com.au,ipswichadvertiser.com.au,news-mail.com.au,noosanews.com.au,northernstar.com.au,qt.com.au,rangenews.com.au,ruralweekly.com.au,southburnetttimes.com.au,stanthorpeborderpost.com.au,sunshinecoastdaily.com.au,suratbasin.com.au,thechronicle.com.au,themorningbulletin.com.au,thereporter.com.au,thesatellite.com.au,tweeddailynews.com.au,warwickdailynews.com.au,whitsundaytimes.com.au##.rnn_ri_container_compare-and-container-containere -momtastic.com,realitytea.com,superherohype.com##.roadblock -pc-specs.com##.roadblockContainer -surinenglish.com##.robapaginas -roblox.com##.roblox-skyscraper -euronews.com##.rolexLogo -cbslocal.com##.rotatable -theatlantic.com##.rotating-article-promo -impactwrestling.com,newswireless.net##.rotator -kusc.org##.rotatorItem -leadership.ng##.rotor -leadership.ng##.rotor-items[style="width: 300px; height: 260px; visibility: visible;"] -zigzag.co.za##.rounded_bottom -toolslib.net##.row > .col-md-5 > .rotate-90 -conservativevideos.com##.row > .col-sm-3 > div[style^="padding-bottom:"] -patriotoutdoornews.com##.row > :last-child > :first-child + * -patriotoutdoornews.com##.row > [role="main"] > :first-child + * -lonelyplanet.com##.row--leaderboard -bikechatforums.com##.row1[style="padding: 5px;"] -bikechatforums.com##.row2[style="padding: 5px;"] -istockanalyst.com##.rr -aol.com##.rrpromo -freewebarcade.com##.rsads -techmeme.com##.rsp -herold.at##.rssBox -newstrackindia.com##.rt-add336x280 -rockthebells.net##.rtb-bot-banner-row -computerweekly.com##.rtx -news24.com,sport24.co.za,women24.com##.rubyContainer -6scoops.com,9gag.com##.s-300 -listverse.com##.s-a -virginmedia.com##.s-links -surfthechannel.com,watchseries.ag,watchseries.lt,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.vc##.s-mpu-list -business-standard.com##.s-s -amazon.com##.s-sponsored-list-header -amazon.com##.s-sponsored-list-header + .a-popover-preload + .a-row + .a-row -amazon.com##.s-sponsored-list-header + .a-popover-preload + .a-row + .a-row + .a-row -hope1032.com.au##.s-supported-by -wwtdd.com##.s728x90 -igossip.com##.s9 -farmtrader.co.nz,motorcycletrader.co.nz,tradeaboat.co.nz##.sBanner -search.charter.net,search.frontier.com##.sBrSpns -dnsrsearch.com,dnssearch.rr.com,search.charter.net,search.frontier.com##.sRsltHld -pipl.com##.s_links -phonearena.com##.s_mb_15 -pipl.com##.s_tips -phonearena.com##.s_w_300 -asiator.net##.sa -legacy.com##.sa_Table -mouseprice.com##.salerent_advt -nigerianbulletin.com##.samBannerUnit -casinonewsdaily.com##.sb-live-dealers -scienceblogs.com##.sb-sponsor -usmagazine.com##.sb_logo -thedirty.com##.sbanner -4kidstv.com##.sbbox1 -skybreezegames.com##.sbg-160 -skybreezegames.com##.sbg-728 -mobilebloom.com##.sbpricing -bitcoinblogger.com##.sc_ads_within_one -scmp.com##.scmp_advert-tile -skysports.com##.score-bet -chicagomag.com##.scrailmodule -slack-time.com##.scraper -drizzydrake.org##.scrbl -farmanddairy.com##.screen-4 -phonedog.com##.scribol -cultofmac.com##.sda_container -stardoll.com##.sdadinfo -stardoll.com##.sdadinfoTrans -ebay.co.uk##.sdcBox -itproportal.com##.se_left -itproportal.com##.se_right -blogger-index.com,sedoparking.com##.search -lavasoft.com##.search > .spdiv:first-child -lavasoft.com##.search > .spdiv:last-child -kovideo.net##.search-728 -search.freefind.com##.search-headline-table -start.mysearchdial.com##.search-list + .mts + .search-list -ioljobs.co.za##.search-main-wrapper -torrents.net##.search-results -howstuffworks.com##.search-span -yellowise.com##.search-title[style="color: #666;padding:0;margin:0;"] -startpins.com##.searchResultsBottom -somoto.com##.searchResultsRight -startpins.com##.searchResultsTop -bhg.com##.searchSponsors -youtube.com##.searchView.list-view -kibagames.com##.search_adv_container -linxdown.me##.search_link_box -brothersoft.com##.search_sponor -linxdown.com##.searchblock -gaystarnews.com##.sechead3-right -minecraftservers.org##.second-banner -vogue.co.uk##.secondary-content-banner-box -vogue.co.uk##.secondary-content-mpu-box -citysearch.com##.secondaryText -xml.com##.secondary[width="153"] -wbur.org##.section--breakout -topgear.com##.section-box--promo -pornhub.com##.section-hqrelateds -ft.com##.section-meta__sponsorship -free-codecs.com##.sectionBanners -androidauthority.com##.section_divider -eztv.ag##.section_thread_post > div[style="float: left"] -eztv.ag##.section_thread_post > span[style="color: #666;"] -thevarguy.com##.sectionbreak2 -babylon.com,search.chatzum.com##.sectionheadertopltr -ask.reference.com##.sectiontitle -fredericknewspost.com##.select[width="148"] -xboxdvr.com##.sell -codeinspot.com##.sen1 -sheryna.com.my##.sense2 -sheryna.com.my##.sense_h0 -sheryna.com.my##.sensel1 -time.com##.sep -activistpost.com##.separator[style="clear: both; text-align: center;"] -filesocean.net,linexdown.net,rapidfiledownload.com##.serchblock -rapidfiledownload.com##.serchblockrfd -filesocean.net,linexdown.net,rapidfiledownload.com##.serchbox -rapidfiledownload.com##.serchboxrfd -espncricinfo.com##.seriesSpncr -yellowpages.com.jo,yellowpages.com.lb##.serp-left-banners -whitepages.com##.serp-list > .med-grey -yellowpages.com.jo,yellowpages.com.lb##.serp-right-banners -charter.net,verizon.com##.serp21_sponsored -nytimes.com##.sfg-paidpost-li -sfgate.com##.sfg_ysm001 -zeetv.com##.sh_banner1 -04stream.com##.shade -foxstart.com##.shadow -arto.com##.shadowBoxBody -awpl.lt##.shailan_banner_widget -forbes.com##.shareMagazine -zdnet.com##.shared-resource-center -newgrounds.com##.shareicons -4shared.com##.sharemore -laughingsquid.com##.sharethrough-placement -yahoo.com##.sharing-toolbar -shopping.yahoo.com##.shmod-ysm -coderanch.com##.shngl -bhg.com##.shopNation -dailylife.com.au##.shopStyle-widget -cnet.com##.shopperSpecials -tomshardware.com##.shopping -caranddriver.com,roadandtrack.com##.shopping-tools -nzherald.co.nz##.shoppingContainer -deccanherald.com##.shoppingContent -musicradar.com##.shopping_partners -yumsugar.com##.shopstyle-sidebar-content -ocworkbench.com##.shopwidget1 -funnyordie.com##.short-mrec -skins.be##.shortBioShadowB -spike.com##.show_branding_holder -autos.msn.com##.showcase -wccftech.com##.showcase-location-mid_content -wccftech.com##.showcase-location-pre_content -zillow.com##.showcase-outline -crunchyroll.com##.showmedia-tired-of-ads -musictimes.com##.side > div:first-child + * + [class] -complex.com##.side-300x600 -xboxdvr.com##.side-ac -houseandleisure.co.za##.side-add -makeuseof.com,viva.co.nz##.side-banner -apptism.com##.side-banner-holder -metrolyrics.com##.side-box.clearfix -desktopreview.com##.side-resouresc -sankakucomplex.com##.side120c -sankakucomplex.com##.side120xmlc -bvblackspin.com,bvonmoney.com,bvonmovies.com##.sideBanner -tomsguide.com,tomshardware.com##.sideOffers -weatherology.com##.side_165x100 -telecompaper.com##.side_banner -wow-europe.com##.side_banner_305x133 -panarmenian.net##.side_panner -newburytoday.co.uk##.side_takeover_inner -electricpig.co.uk##.side_wide_banner -blackpenguin.net,kicktorrent.space,newburytoday.co.uk##.sidebar -thegatewaypundit.com##.sidebar > .widget:first-child + * -weknowmemes.com##.sidebar > .widgetcontainer -thegatewaypundit.com##.sidebar > div + span -photobucket.com##.sidebar > div[class]:first-child -thegatewaypundit.com##.sidebar > section + span + * -linksfu.com##.sidebar > ul > .sidebox -thegatewaypundit.com##.sidebar div:first-child + div -thejointblog.com##.sidebar img[width="235"][height="150"] -thejointblog.com##.sidebar img[width="235"][height="151"] -thejointblog.com##.sidebar img[width="235"][height="195"] -thejointblog.com##.sidebar img[width="235"][height="235"] -thejointblog.com##.sidebar img[width="250"][height="81"] -reelseo.com##.sidebar-125-box -reelseo.com##.sidebar-125-events -makeuseof.com##.sidebar-banner -infdaily.com##.sidebar-box2 -infdaily.com##.sidebar-box4 -ditii.com##.sidebar-left -rte.ie,seatrade-cruise.com##.sidebar-mpu -blogtechnical.com##.sidebar-outline -sheekyforums.com##.sidebar-rc -g4chan.com##.sidebar-rectangle -techi.com##.sidebar-rectangle-banner -timesofisrael.com##.sidebar-spotlight -techi.com##.sidebar-square-banner -davidwalsh.name##.sidebar-treehouse -indianapublicmedia.org##.sidebar-upper-underwritings -thebadandugly.com##.sidebar30 -photobucket.com##.sidebar:first-child > span -celebritynetworth.com##.sidebarAvtBox -comicsalliance.com,lemondrop.com,popeater.com,urlesque.com##.sidebarBanner -urgames.com##.sidebarBar -urgames.com##.sidebarScrapper -caster.fm##.sidebar_ablock -cghub.com##.sidebar_banner -instantshift.com##.sidebar_banners_bottom -instantshift.com##.sidebar_banners_top -instantshift.com##.sidebar_bsa_mid01 -instantshift.com##.sidebar_bsa_top02 -gpforums.co.nz##.sidebar_mm_block -domainnamewire.com##.sidebar_promotions_small -mediacomcable.com##.sidebar_sponsored -geektyrant.com##.sidebar_support -instantshift.com##.sidebar_vps_banner -riotimesonline.com##.sidebarbanner -bridgemi.com##.sidebarboxinvest -thenokiablog.com##.sidebardirect -smashingmagazine.com##.sidebared -sankakucomplex.com##.sidebartopb -sankakucomplex.com##.sidebartopc -freedla.com##.sidebox -tothepc.com##.sidebsa -thecrimson.com##.sidekick -ee.co.za##.sidepromo -ohinternet.com##.sider -yttalk.com##.sidevert -yttalk.com##.sidevert2 -nabble.com##.signature -zerohedge.com##.similar-box -greatis.com##.sing -bestvaluelaptops.co.uk##.single-728 -cryptothrift.com##.single-auction-ad -bestvaluelaptops.co.uk##.single-box -gaystarnews.com##.single-sponsored -infosecurity-magazine.com##.site-leaderboard -fxstreet.com,macstories.net,seatrade-cruise.com##.site-sponsor -seatrade-cruise.com##.site-sponsor-other -faithtalk1500.com,kfax.com,wmca.com##.siteWrapLink -itproportal.com##.site_header -cracked.com##.site_sliver -inthesetimes.com##.sites-of-interest -9gag.tv##.size-728x90 -kwgn.com##.size_230_90 -indeed.co.uk,indeed.com##.sjas2 -indeed.co.uk,indeed.com##.sjl -indeed.com##.sjl0 -indeed.co.uk,indeed.com##.sjl1t -bit.com.au##.skin-btn -autocarindia.com##.skin-link -tennisworldusa.org##.skin1 -videogamer.com,zdnet.com##.skinClick -bleedingcool.com##.skinny-skyscraper -entrepreneur.com,newstatesman.com##.sky -miniclip.com##.sky-wrapper -skysports.com##.skyBetLinkBox -petoskeynews.com##.skyScraper -football365.com##.skybet -aol.co.uk##.skybet-art -skysports.com##.skybet-odds-link -football365.com##.skybet-space -planet-rugby.co.za,planetf1.com,planetrugby.com##.skybetbar -eweek.com##.skylabel -games2c.com,knowyourmobile.com,mymovies.net##.skyright -baydriver.co.nz,bighospitality.co.uk,bigtennetwork.com,californiareport.org,coastandcountrynews.co.nz,columbiatribune.com,comicbookresources.com,computerweekly.com,datpiff.com,emedtv.com,engadget.com,etonline.com,evilmilk.com,gd.tuwien.ac.at,guanabee.com,gumtree.co.za,infosecurity-magazine.com,iwatchstuff.com,keyetv.com,kqed.org,l4dmaps.com,ludobox.com,moneyweek.com,morningadvertiser.co.uk,pastemagazine.com,pcworld.com,planetrock.com,pulse.co.uk,scienceblogs.com,sciencedaily.com,sportsvibe.co.uk,topgear.com,waterline.co.nz,weartv.com,webshots.com,wrc.com##.skyscraper -dailynewsegypt.com##.skyscraper-banner -infosecurity-magazine.com##.skyscraper-button -democraticunderground.com,sciencedaily.com##.skyscraper-container -democraticunderground.com##.skyscraper-placeholder -gmx.com##.skyscraperClass -lookbook.nu,tucsoncitizen.com##.skyscraper_container -telegram.com##.skyscraper_in_narrow_column -freshbusinessthinking.com##.skyscraper_lft -freshbusinessthinking.com##.skyscraper_rgt_btm -freshbusinessthinking.com##.skyscraper_rgt_top -dosgamesarchive.com##.skyscraper_small -fog24.com,futbol24.com##.skyscrapper -search.ch##.sl_banner -scotsman.com##.slab--leaderboard -slacker.com##.slacker-sidebar-ad -slant.investorplace.com##.slant-sidebar-ad-tag -cnet.com.au##.slb -manchesterconfidential.co.uk##.sldr -drum.co.za,you.co.za##.slider -drugs.com##.slider-title -bikeradar.com##.slider-vert -thebeachchannel.tv##.slideshow -bustle.com##.slideshow-page__panoramic-ad -kcra.com,ketv.com,kmbc.com,wcvb.com,wpbf.com,wtae.com##.slideshowCover -bonappetit.com##.slideshow_sidebar_divider -thephuketnews.com##.slidesjs-container -foodfacts.com##.slimBanner -cordcutting.com##.sling -ecommercetimes.com##.slink-text -ecommercetimes.com##.slink-title -inbox.com##.slinks -theguardian.com##.slot__container -mail.ru##.slot_left -gamesradar.com,pcgamer.com,techradar.com##.slotify-contents -pcgamer.com##.slotify-slot -ap.org,euractiv.com,mnn.com,newsweek.com,slashdot.org##.slug -mirror.co.uk##.sm-promo-list -pixelatedgeek.com##.small-leaderboard -ten.com.au##.small-listing.small-listing4.google -farmanddairy.com##.small-quad-banner -dealsonwheels.com##.small-text -hitsquad.com##.small-title -tbs.com##.smallBanners -pdnonline.com##.smallGrayType -cio-today.com,data-storage-today.com,mobile-tech-today.com,toptechnews.com##.smallText -rottentomatoes.com##.small[style="margin-top:10px;"] -monhyip.net##.small_banner -empireonline.com##.smallgrey[height="250"] -dressupone.com##.smallpreviewpubgoogle -duluthnewstribune.com##.smalltxt -gamefreaks.co.nz##.smltxt -musicmaza.com##.smtxt -computerworlduk.com##.socialMediaBoxout -dawn.com##.soft-half--top.soft-half--sides -fanhow.com##.softhalf -softpile.com##.softitem -afreecodec.com##.softshot -wccftech.com##.sohail_250 -wccftech.com##.sohail_600 -inhabitat.com##.solar_widget_placeholder_img -elyrics.net##.songring -greatandhra.com##.sortable-item_top_add -businessdaytv.co.za##.source -crawler.com,phonebook.com.pk##.sp -onwatchseries.to,watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.li,watchseries.lt,watchseries.ph,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.unblckd.top,watchtvseries.vc##.sp-leader -watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.lt,watchseries.p,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.vc##.sp-leader-bottom -pcmag.com##.sp-links -filestube.to##.spF -filestube.to##.spL -mywebsearch.com##.spLinkCon -rapid-search-engine.com##.sp_header -money.msn.com##.spadr -channelchooser.com##.span-12.prepend-top.last -foodingredientsfirst.com##.span-24.last[style="z-index: 1; height: 90px;"] -nutritionhorizon.com##.span-24[style="z-index: 1; height: 90px;"] -nationmultimedia.com##.span-7-1[style="height:250px; overflow:hidden;"] -kcsoftwares.com##.span2.well -kickass.unblocked.cam##.spareBlock -fark.com##.spau -picosearch.com##.spblock -askmen.com##.special -newsweek.com##.special-insight -fool.com##.special-message -fashionmagazine.com##.special-messages -pcmag.com##.special-offers -euronews.com##.specialCoveragePub -nzherald.co.nz##.specialOffers -msn.co.nz##.special_features -picarto.tv##.specialbanner -weddingchannel.com##.specialoffers -macobserver.com##.specials -thenextweb.com##.speeb_widget -forbes.com##.speed_bump -reference.com##.spl_adblk -ask.com##.spl_shd_plus -ask.com,reference.com,search-results.com,thesaurus.com##.spl_unshd -reference.com##.spl_unshd_NC -ozy.com##.splash-takeover -giveawayoftheday.com##.splinks -listverse.com##.split -yahoo.com##.spns -informer.com##.spnsrd -smashingmagazine.com##.spnsrlistwrapper -everyclick.com,info.co.uk,info.com,travel.yahoo.com##.spon -worldtimezone.com##.spon-menu -yahoo.com##.spon.clearfix -aol.com##.spon_by -autos.aol.com##.spon_link_new -quakelive.com##.spon_media -msn.com##.sponby -technologyreview.com##.sponcont -radiozindagi.com##.sponeser -mediagazer.com##.sponrn -pho.to,smartwebby.com,workhound.co.uk,yahoo.com##.spons -blekko.com##.spons-res -njuice.com,wwitv.com##.sponsb -1310news.com,2oceansvibe.com,964eagle.co.uk,abc22now.com,airlineroute.net,airliners.net,animepaper.net,app.com,ar15.com,austinist.com,b100quadcities.com,bexhillobserver.net,blackpoolfc.co.uk,blackpoolgazette.co.uk,bloomberg.com,bognor.co.uk,bostonstandard.co.uk,brisbanetimes.com.au,brothersoft.com,businessinsider.com,canberratimes.com.au,cbslocal.com,cd1025.com,centralillinoisproud.com,chicagoist.com,chichester.co.uk,concordmonitor.com,dcist.com,domainincite.com,dramafever.com,eastbourneherald.co.uk,eastidahonews.com,electricenergyonline.com,europages.co.uk,eurovision.tv,ewn.co.za,gamingcloud.com,gothamist.com,halifaxcourier.co.uk,hastingsobserver.co.uk,hellomagazine.com,homelife.com.au,independent.ie,informationweek.com,isearch.igive.com,itwebafrica.com,khak.com,kkyr.com,kosy790am.com,kpbs.org,ktla.com,kygl.com,laist.com,lcfc.com,lep.co.uk,limerickleader.ie,lmgtfy.com,mg.co.za,mix933fm.com,networkworld.com,newrepublic.com,news1130.com,newsweek.com,nocamels.com,nouse.co.uk,pastie.org,pogo.com,portsmouth.co.uk,power959.com,prestontoday.net,proactiveinvestors.com,proactiveinvestors.com.au,publicradio.org,rock1049.com,rte.ie,scotsman.com,sfgate.com,sfist.com,shieldsgazette.com,skysports.com,smh.com.au,spaldingtoday.co.uk,star935fm.com,sunderlandecho.com,techonomy.com,theage.com.au,themeditelegraph.com,thescarboroughnews.co.uk,thestar.co.uk,theworld.org,userscripts.org,variety.com,verizon.net,videolan.org,watoday.com.au,wayfm.com,wfnt.com,wigantoday.net,wklh.com,wscountytimes.co.uk,wsj.com,yorkshireeveningpost.co.uk,yorkshirepost.co.uk,zdnet.co.uk,zuula.com##.sponsor -search.comcast.net##.sponsor-6 -kiswrockgirls.com##.sponsor-banner -tekrevue.com##.sponsor-blurb -bbc.com##.sponsor-container -pcmag.com##.sponsor-head -theweek.co.uk##.sponsor-image -diynetwork.com##.sponsor-lead -houserepairtalk.com,soapmakingforum.com##.sponsor-list -tricycle.com##.sponsor-logo-image -f1today.net,techwire.net##.sponsor-logos -yourclassical.org##.sponsor-main-top -itwebafrica.com##.sponsor-message -oilprice.com##.sponsor-slider -theroot.com##.sponsor-slot-hp -tennessean.com##.sponsor-story-theme-bg-hover -cricketireland.ie##.sponsor-strip -eurobasket2015.org##.sponsor-stripe -mnn.com##.sponsor-title-image -theweek.co.uk##.sponsor-top -linux-mag.com##.sponsor-widget -tumblr.com##.sponsor-wrap -clgaming.net##.sponsor-wrapper -411.com,whitepages.com,wprugby.com##.sponsor1 -msn.com,wprugby.com##.sponsor2 -msn.com,wprugby.com##.sponsor3 -dptv.org##.sponsor300 -arizonasports.com,ktar.com##.sponsorBy -wsj.com##.sponsorContainer -rugbyworldcup.com##.sponsorFamilyWidget -investors.com##.sponsorFt -forbes.com,natgeotraveller.in,nzherald.co.nz##.sponsorLogo -dlife.com##.sponsorSpecials -blbclassic.org##.sponsorZone -channel5.com##.sponsor_container -bolandrugby.com##.sponsor_holder -videolan.org##.sponsor_img -go963mn.com##.sponsor_strip -sat-television.com,satfriends.com,satsupreme.com##.sponsor_wrapper -freeyourandroid.com##.sponsorarea -vancouversun.com##.sponsorcontent -buump.me##.sponsord -monsterindia.com##.sponsoreRes -monsterindia.com##.sponsoreRes_rp -24hrs.ca,92q.com,abovethelaw.com,app.com,argusleader.com,asktofriends.com,azdailysun.com,battlecreekenquirer.com,baxterbulletin.com,bloomberg.com,bostonmagazine.com,break.com,bucyrustelegraphforum.com,burlingtonfreepress.com,businesstech.co.za,centralohio.com,chillicothegazette.com,chronicle.co.zw,cincinnati.com,cio.com,citizen-times.com,clarionledger.com,cnbc.com,cnet.com,cnn.com,coloradoan.com,computerworld.com,coshoctontribune.com,courier-journal.com,courierpostonline.com,dailyrecord.com,dailyworld.com,defensenews.com,delawareonline.com,delmarvanow.com,desmoinesregister.com,divamag.co.uk,dnj.com,ebookee.org,ebooks-share.net,examiner.co.uk,express.co.uk,fdlreporter.com,federaltimes.com,findbestvideo.com,floridatoday.com,freep.com,funnyordie.com,geektime.com,govtech.com,greatfallstribune.com,greenbaypressgazette.com,greenvilleonline.com,guampdn.com,hattiesburgamerican.com,hellobeautiful.com,herald.co.zw,hometownlife.com,hotklix.com,htrnews.com,imgur.com,independent.ie,indystar.com,infoworld.com,isohunt.to,ithacajournal.com,ixquick.com,jacksonsun.com,javaworld.com,jconline.com,knoworthy.com,lansingstatejournal.com,lfpress.com,livingstondaily.com,lohud.com,lycos.com,mansfieldnewsjournal.com,marionstar.com,marketingland.com,marshfieldnewsherald.com,montgomeryadvertiser.com,msn.com,mybroadband.co.za,mycentraljersey.com,mydesert.com,mywot.com,networkworld.com,newarkadvocate.com,news-leader.com,news-press.com,newsleader.com,newsone.com,niagarafallsreview.ca,noscript.net,nugget.ca,pal-item.com,pcworld.com,pnj.com,portclintonnewsherald.com,postcrescent.com,poughkeepsiejournal.com,press-citizen.com,pressconnects.com,racinguk.com,rapidlibrary.com,rgj.com,salon.com,scottishdailyexpress.co.uk,sctimes.com,searchengineland.com,seroundtable.com,sheboyganpress.com,shreveporttimes.com,slate.com,stargazette.com,startpage.com,statesmanjournal.com,stevenspointjournal.com,tallahassee.com,techworld.com,tennessean.com,theadvertiser.com,theatlantic.com,thebarrieexaminer.com,thecalifornian.com,thedailyjournal.com,thedailyobserver.ca,thedirty.com,theguardian.com,theleafchronicle.com,thenationalstudent.com,thenews-messenger.com,thenewsstar.com,thenorthwestern.com,theobserver.ca,thepeterboroughexaminer.com,thespectrum.com,thestarpress.com,thetimesherald.com,thetowntalk.com,timeout.com,torrentz.in,torrentz.me,traveller24.com,trovit.co.uk,visaliatimesdelta.com,wausaudailyherald.com,wheels.ca,wisconsinrapidstribune.com,yippy.com,zanesvilletimesrecorder.com##.sponsored -hindustantimes.com##.sponsored-area -gardensillustrated.com##.sponsored-articles -citizen.co.za,policeone.com##.sponsored-block -general-files.com##.sponsored-btn -advisorone.com,cbslocal.com,cutimes.com,futuresmag.com##.sponsored-by -geektime.com##.sponsored-channel -chron.com,eurosport.com,slate.com##.sponsored-content -tumblr.com##.sponsored-day-media-section -itproportal.com##.sponsored-hub -fbdownloader.com##.sponsored-info -techtipsgeek.com##.sponsored-level -telegraph.co.uk##.sponsored-list-item -usnews.com##.sponsored-listing -thestar.com##.sponsored-listings -tradingview.com##.sponsored-logo -nigerianbulletin.com##.sponsored-posts -arstechnica.com##.sponsored-rec -dailystar.co.uk,standardmedia.co.ke##.sponsored-section -wsj.com##.sponsored-sections -computerandvideogames.com##.sponsored-slideshow -futuresmag.com##.sponsored-tops -politico.com##.sponsored-wrapper -windowsitpro.com,winsupersite.com##.sponsoredAnnouncementWrap -mybroadband.co.za##.sponsoredBreaking -citywire.co.uk,fool.com,offshore-mag.com##.sponsoredBy -downloadcrew.com##.sponsoredDownloads -gamesforthebrain.com##.sponsoredGames -eluta.ca##.sponsoredJobsTable -iol.co.za##.sponsoredLinksList -technologyreview.com##.sponsored_bar -generalfiles.me##.sponsored_download -news24.com##.sponsored_item -jobs.aol.com##.sponsored_listings -eastidahonews.com,mybroadband.co.za,tumblr.com##.sponsored_post -funnyordie.com##.sponsored_videos -bdlive.co.za,engadget.com##.sponsoredcontent -metronews.ca##.sponsoredlisting -1337x.org##.sponsoredname -news-medical.net##.sponsorer-note -classifiedads.com##.sponsorhitext -dailyglow.com##.sponsorlogo -premierleague.com##.sponsorlogos -affiliatesrating.com,allkpop.com,androidfilehost.com,arsenal.com,audiforums.com,blueletterbible.org,canaries.co.uk,capitalfm.co.ke,dolliecrave.com,eaglewavesradio.com.au,foodhub.co.nz,geckoforums.net,health24.com,herold.at,jaguarforums.com,keepvid.com,lake-link.com,meanjin.com.au,morokaswallows.co.za,nesn.com,nineoclock.ro,quotes.net,thebulls.co.za,thedailywtf.com,thespinoff.co.nz,thinksteroids.com,wbal.com,yellowpageskenya.com##.sponsors -herold.at##.sponsors + .hdgTeaser -herold.at##.sponsors + .hdgTeaser + #karriere -ca2016.com##.sponsors-grid -pri.org##.sponsors-logo-group -keepvid.com##.sponsors-s -appadvice.com##.sponsorsAside -skilouise.com##.sponsorsSlider -pwnage.tv##.sponsors_bar -edie.net##.sponsors_bottom -pdfzone.com##.sponsors_container -grsecurity.net##.sponsors_footer_background2 -livemint.com##.sponsors_logo_newspon -driverdb.com##.sponsors_table -edie.net##.sponsors_top -gulfnews.com,newsweek.com,sky.com,speroforum.com,theolympian.com,theonion.com##.sponsorship -news1130.com,news919.com,news957.com,sonicnation.ca##.sponsorship-block -seahawks.com##.sponsorship-bottom -createjs.com##.sponsorship-menu -nhl.com##.sponsorship-placement -accesshollywood.com##.sponsorships -law.com##.sponsorspot -yellowpageskenya.com##.sponsorsz -nu2.nu##.sponsortable -newswiretoday.com,przoom.com##.sponsortd -nydailynews.com##.sponspored -blekko.com##.sponsres -superpages.com##.sponsreulst -tuvaro.com##.sponsrez -wwitv.com##.sponstv -thelocal.at,thelocal.ch,thelocal.de,thelocal.dk,thelocal.es,thelocal.fr,thelocal.it,thelocal.no,thelocal.se##.sponzored-section -dailymail.co.uk,mailonsunday.co.uk##.sport.item > .cmicons.cleared.bogr3.link-box.linkro-darkred.cnr5 -alexandriagazette.com,arlingtonconnection.com,burkeconnection.com,centre-view.com,connection-sports.com,emporis.com,fairfaxconnection.com,fairfaxstationconnection.com,garfield.com,greatfallsconnection.com,herndonconnection.com,kusports.com,mcleanconnection.com,mountvernongazette.com,potomacalmanac.com,reston-connection.com,springfieldconnection.com,union-bulletin.com,viennaconnection.com##.spot -thewhir.com##.spot-125x125 -thewhir.com##.spot-234x30 -thewhir.com##.spot-728x90 -steamboattoday.com##.spot500 -wunderground.com##.spotBox -pcmag.com##.spotlight -jpost.com##.spotlight-long -edmunds.com##.spotlight-set -jpost.com##.spotlight-single -u-file.net##.spottt_tb -digitalmemo.net##.spresults -walmart.com##.sprite-26_IMG_ADVERTISEMENT_94x7 -bizarrepedia.com##.spsnrd -picosearch.com##.sptitle -educationtimes.com##.sqBanner -bayt.com,booyapictures.com,industryweek.com,milesplit.com##.square -biography.com##.square-advertisment-module-second-column -mixcloud.com##.square-bottom -port2port.com##.squareBanner -vibevixen.com##.square_300 -thevarguy.com##.squarebanner160x160 -squawka.com##.squawka-article-promo -baseball-reference.com##.sr_draftstreet -downbyte.net,linxdown.com,redown.se##.srchbox -redown.se##.srchtitle -realliving.com.ph##.srec -buenosearch.com,delta-search.com,holasearch.com##.srmadb -buenosearch.com##.srmads -delta-search.com##.srmah -sourceforge.net##.ss-deals-link -starsports.com##.ss-mrec-align -skysports.com##.ss-sponsor -law.com##.ssp_outer -coolspotters.com##.stack -forumpromotion.net##.staff-affiliates -nst.com.my##.standard -thesportreview.com##.standard-MPU -citytalk.fm##.standard-mpu-widget -citytalk.fm##.standard-skyscraper-widget -leo.org##.standard_banner -stardoll.com##.stardollads -simplyassist.co.uk##.std_BottomLine -cinemablend.com##.sticky-div -gohuskies.com##.stickybar -pcauthority.com.au##.storeWidget -pcauthority.com.au##.storeWidgetBottom -brisbanetimes.com.au,canberratimes.com.au,smh.com.au,theage.com.au,watoday.com.au##.story--promo -newsy.com##.story-a-placeholder -punchng.com##.story-bottom -abcnews.go.com##.story-embed-left.box -m.facebook.com,touch.facebook.com##.storyStream > ._6t2[data-sigil="marea"] -m.facebook.com,touch.facebook.com##.storyStream > .fullwidth._539p -m.facebook.com,touch.facebook.com##.storyStream > article[id^="u_"]._676 -m.facebook.com,touch.facebook.com##.storyStream > article[id^="u_"].storyAggregation -newser.com##.storyTopMain > aside > [type="text/css"] + div -straitstimes.com##.story_imu -hindustantimes.com##.story_lft_wid -swns.com##.story_mpu -pdfzone.com##.storybox -brisbanetimes.com.au,theage.com.au,watoday.com.au##.strapHeadingDealPartner -twitter.com##.stream-item-group-start[label="promoted"] -twitter.com##.stream-item[data-item-type="tweet"][data-item-id*=":"] -twitter.com##.stream-tweet[label="promoted"] -watch-series.ag,watchseries.ph##.stream_button -bitshare.com##.stream_flash_overlay -bangkok.com##.strip-banner-top -people.com,peoplepets.com##.stylefind -people.com##.stylefindtout -videohelp.com##.stylenormal[width="24%"][valign="top"][align="left"] -complex.com##.sub-div -goo-net-exchange.com##.subBnr -lolhome.com##.subPicBanner -ratemyteachers.com##.sub_banner_728 -deviantart.com,sta.sh##.subbyCloseX -lyricsfreak.com##.subhdr -ycuniverse.com##.subheader_container -classicalite.com##.subleft > .at_con1 + div > div:first-child + :last-child -businessinsider.com##.subnav-container -viralviralvideos.com##.suf-horizontal-widget -twitter.com##.suggested-tweet-stream-container -interaksyon.com##.super-leader-board -monocle.com,tnp.sg##.super-leaderboard -t3.com##.superSky -djtunes.com##.superskybanner -wamu.org##.supportbanner -listio.com##.supporter -spyka.net##.swg-spykanet-adlocation-250 -eweek.com##.sxs-mod-in -eweek.com##.sxs-spon -tourofbritain.co.uk##.sys_googledfp -search.yahoo.com##.sys_shopleguide -sedoparking.com##.system.links -emoneyspace.com##.t_a_c -movreel.com##.t_download -torrentbit.net##.t_splist -sanet.me##.tab_buttons_adv -sanet.me##.tab_buttons_adv + .responsive-table -dealsofamerica.com##.tab_ext -whatsthescore.com##.table-odds -newsbtc.com##.table-responsive -putlockertv.is##.table1 script + a[title$="in HD"] -thescore.com##.tablet-big-box -thescore.com##.tablet-leaderboard -ndtv.com##.taboola_rhs -vitalmtb.com##.tactical -vitalmtb.com##.tacticalWrapper -torrents.to##.tad -suvudu.com##.tad-block-outer -coldwellbanker.com##.tag247-728x90Wrapper -ebookmarket.org##.tags-area + .movie--preview -jetsetta.com##.tags_2 -fhm.com##.takeOverContainer -bigjohnandamy.com,bmwblog.com,brobible.com,miniclip.com##.takeover -recombu.com##.takeover-left -flicks.co.nz##.takeover-link -recombu.com##.takeover-right -thirdforcenews.org.uk##.takeover-side -routesonline.com##.takeoverBanner -speedtv.com##.takeover_link -tamilyogi.tv##.tamilyogi -taste.com.au##.taste-leaderboard-ad -fulldls.com##.tb_ind -koreaherald.com##.tbanner -lordtorrent3.ru##.tbl-striped -anoox.com##.tbl_border[bgcolor="#fff9dd"] -csschat.com##.tborder[width="100%"] + center -websleuths.com##.tborder[width="140"] -ironmagazineforums.com##.tborder[width="150"] -genesisowners.com##.tborder[width="160"] -hgtv.com##.tcap -hiphopearly.com##.td-468 -thespec.com##.td-Home_Sponsor -cyberparse.co.uk,thedashtimes.com##.td-a-rec -sonorannews.com,wonkette.com##.td-a-rec-id-sidebar -cgmagonline.com,sanmarinotribune.com##.td-banner-wrap-full -nontondramaonline.co##.td-banner-wrap-fulles -mobiletor.com##.td-footer-wrap -ticgn.com,wtf1.co.uk##.td-footer-wrapper -startlr.com##.td-g-rec -sonorannews.com,thestonedsociety.com##.td-header-sp-recs -gixen.com##.td_bck3 -toronto.com##.td_featured -treetorrent.com##.tdwb -soccerway.com##.team-widget-wrapper-content-placement -4shared.com,itproportal.com##.teaser -mmegi.bw##.template_leaderboard_space -mypayingads.com##.text-add-middal -dirpy.com##.text-center[style="margin-top: 20px"] -dirpy.com##.text-center[style="margin-top: 20px;display: block;"] -adelaidenow.com.au##.text-g-an-web-group-news-affiliate -couriermail.com.au##.text-g-cm-web-group-news-affiliate -perthnow.com.au##.text-g-pn-web-group-news-affiliate -news.com.au##.text-g-tech-rh-panel-compareprices -najoomi.com##.text-left > .span11 -news.com.au##.text-m-news-tech-iframe-getprice-widget-rhc -lastmenonearth.com##.text-muted -jekoo.com##.textCollSpons -sportschatplace.com##.textLink -msnbc.msn.com,nbcnews.com##.textSmallGrey -gamechix.com##.text[style="margin:28px 0 0 0;width:95%;text-align:center;"] -macsurfer.com##.text_top_box -kqed.org##.textsponsor -evilbeetgossip.com,knowelty.com##.textwidget -focus.de##.tft_ads + div[id^="slotRecoEngine"] > .trc_related_container div[data-item-syndicated="true"] -travel.yahoo.com##.tgl-block -thonline.com##.th-rail-weathersponsor -wdet.org##.thanks -pushsquare.com##.the-right -nintendolife.com##.the300x250 -vaughnlive.tv##.theAboutWrap -burntorangereport.com##.theFlip -thonline.com##.thheaderweathersponsor -vogue.com##.thin_banner -thesaturdaypaper.com.au##.thp-wrapper -y100.com##.threecolumn_rightcolumn -affiliates4u.com##.threehundred -supercompressor.com##.thrillist-ad -time4tv.com##.thumbimg -dt-updates.com##.thx > .bottomBorderDotted + .block[style]:last-child -razorianfly.com##.ticker -browardpalmbeach.com,citypages.com,dallasobserver.com,houstonpress.com,laweekly.com,lifebuzz.com,miaminewtimes.com,phoenixnewtimes.com,villagevoice.com,westword.com##.ticket -browardpalmbeach.com,dallasobserver.com,houstonpress.com,laweekly.com,phoenixnewtimes.com,westword.com##.ticket-button -nhl.com##.ticket-link -nytimes.com##.ticketNetworkModule -nbcsports.msnbc.com##.ticketsnow-widget -trucksales.com.au##.tiles-container -cointelegraph.com##.timeline-promo -newsfactor.com##.tinText -cincinnati.com##.tinyclasslink -aardvark.co.nz##.tinyprint -softwaredownloads.org##.title2 -sumotorrent.sx##.title_green[align="left"][style="margin-top:18px;"] + table[cellspacing="0"][cellpadding="0"][border="0"] -domains.googlesyndication.com##.title_txt02 -wambie.com##.titulo_juego1_ad_200x200 -myspace.com##.tkn_medrec -centredaily.com##.tla -practicalmotorhome.com##.tlc-leaderboard -practicalmotorhome.com##.tlc-mpu-mobile-wrap -tldrlegal.com##.tldrlegal-ad-space -independent.co.uk##.tm_140_container -independent.co.uk##.tm_300_container -timeout.com##.to-offers -ghanaweb.com##.tonaton-ads -mp3lyrics.org##.tonefuse_link -newsok.com##.toolbar_sponsor -euobserver.com,runescape.com,thehill.com##.top -warezchick.com##.top > p:last-child -searchza.com,webpronews.com##.top-750 -houseandleisure.co.za##.top-add -outlooktraveller.com##.top-add-banner -9to5google.com,animetake.com,arabianbusiness.com,brainz.org,centralchronicle.in,dailynews.gov.bw,dnainfo.com,ebony.com,extremesportman.com,firsttoknow.com,leadership.ng,leedsunited.com,letstalkbitcoin.com,reverso.net,rockthebells.net,spanishdict.com,torrentreactor.com,torrentreactor.net,total-croatia-news.com,weeklyworldnews.com,yellowpages.com.jo,yellowpages.com.lb##.top-banner -mmohuts.com##.top-banner-billboard -manicapost.com##.top-banner-block -rumorfix.com##.top-banner-container -citymetric.com##.top-banners -thekit.ca##.top-block -golf365.com##.top-con -foodrenegade.com##.top-cta -azdailysun.com,billingsgazette.com,bismarcktribune.com,hanfordsentinel.com,journalstar.com,lompocrecord.com,magicvalley.com,missoulian.com,mtstandard.com,napavalleyregister.com,nctimes.com,santamariatimes.com,stltoday.com##.top-leader-wrapper -1071thepeak.com,931dapaina.com,politico.com,sciencedaily.com##.top-leaderboard -film.com##.top-leaderboard-container -donedeal.ie##.top-placement-container -sciencedaily.com##.top-rectangle -standardmedia.co.ke##.top-right -1340bigtalker.com##.top-right-banner -standardmedia.co.ke##.top-right-inner -espnfc.com##.top-row -accringtonobserver.co.uk,belfastlive.co.uk,birminghammail.co.uk,cambridge-news.co.uk,chesterchronicle.co.uk,chroniclelive.co.uk,coventrytelegraph.net,crewechronicle.co.uk,dailypost.co.uk,dailyrecord.co.uk,dublinlive.ie,examiner.co.uk,gazettelive.co.uk,getbucks.co.uk,gethampshire.co.uk,getreading.co.uk,getsurrey.co.uk,getwestlondon.co.uk,glasgowlive.co.uk,hinckleytimes.net,irishmirror.ie,liverpoolecho.co.uk,loughboroughecho.net,macclesfield-express.co.uk,manchestereveningnews.co.uk,mirror.co.uk,rossendalefreepress.co.uk,southportvisiter.co.uk,walesonline.co.uk,wharf.co.uk##.top-slot -whowhatwear.com.au##.top-slot-container -metrolyrics.com##.top-sponsor -theticketmiami.com##.top-super-leaderboard -usniff.com##.top-usniff-torrents -livingelectro.com##.top-widget-rect -livingelectro.com##.top-widget-rect + .search_bar + .widget-rect + .widget-rect -jarkey.net##.top728 -aol.ca,aol.com,ap.org,dailytrust.com.ng,nerdist.com,reviewgist.com,shelterpop.com,tampabay.com,telegraph.co.uk,whatzbuzzing.com,wsj.com##.topAd -stevedeace.com##.topAddHolder -nypress.com##.topAds > div[style="width:1010px;height:100px;\9 overflow: hidden"] -motor1.com,motorsport.com##.topAp -celebrity.aol.co.uk,christianpost.com,comicsalliance.com,csnews.com,europeantour.com,gourmetretailer.com,haaretz.com,inrumor.com,jobberman.com,lemondrop.com,pgmeatretailing.com,pricegrabber.com,progressivegrocer.com,singlestoreowner.com,urgames.com,urlesque.com##.topBanner -urgames.com##.topBannerBOX -onetime.com##.topBannerPlaceholder -ebay.co.uk,ebay.com##.topBnrSc -techadvisor.co.uk##.topLeader -kjonline.com,pressherald.com##.topLeaderboard -technomag.co.zw##.topLogoBanner -yellowbook.com##.topPlacement -haaretz.com##.topSectionBanners -search.sweetim.com##.topSubHeadLine2 -weatherology.com##.top_660x100 -informer.com##.top_advert_v4 -channelstv.com##.top_alert -androidcommunity.com,carmarthenshireherald.com,emu-russia.net,freeiconsweb.com,getthekick.eu,hydrocarbonprocessing.com,kohit.net,novamov.com,praguepost.com,themediaonline.co.za,themoscowtimes.com,voxilla.com,weta.org##.top_banner -joebucsfan.com##.top_banner_cont -freeridegames.com##.top_banner_container -thebatt.com##.top_banner_place -sportspagenetwork.com##.top_banner_scoreboard_content -itp.net##.top_bit -famousbloggers.net##.top_content_banner -977music.com##.top_crv -postcourier.com.pg##.top_logo_righ_img -wallpapersmania.com##.top_pad_10 -babylon.com##.top_right -finecooking.com##.top_right_lrec -4chan.org,everydayhealth.com,gamingonlinux.com,goodanime.eu,iflscience.com,intothegloss.com,makezine.com,mangashare.com,mirrorcreator.com,religionnewsblog.com,roadtests.com,rollingout.com,sina.com,thenewstribe.com##.topad -filezoo.com,nx8.com,search.b1.org##.topadv -gofish.com##.topban1 -gofish.com##.topban2 -900amwurd.com,bankrate.com,chaptercheats.com,copykat.com,dawn.com,dotmmo.com,downv.com,factmonster.com,harpers.org,mumbaimirror.com,newreviewsite.com,opposingviews.com,softonic.com,tinyurl.com,weta.org##.topbanner -drugs.com##.topbanner-wrap -softonic.com##.topbanner_program -thistv.com##.topbannerarea -webstatschecker.com##.topcenterbanner -channel103.com,islandfm.com##.topheaderbanner -bloggingstocks.com,emedtv.com,gadling.com,minnpost.com##.topleader -blackpenguin.net,gamesting.com##.topleaderboard -search.ch##.toplinks -bootsnipp.com##.toppromo -yttalk.com##.topv -enn.com##.topwrapper -bushtorrent.com##.torrent_listing -torrentfunk.com,torrentproject.se##.torrentsTime -pgatour.com##.tourPlayerFooterAdContainer -outdoorchannel.com##.tout_300x250 -metric-conversions.org,sporcle.com##.tower -fulldls.com,fulldlsproxy.com,vertor.com##.tp -zeenews.com##.tp-add-bg -come.in##.tp-banner -fulldls.com,torrentzap.com,torrentzapproxy.com,vertor.com##.tp_reccomend_banner -emedtv.com##.tpad -androidauthority.com##.tpd-box -indiatimes.com##.tpgry -pagesinventory.com##.tpromo -unlockboot.com##.tr-caption-container -trustedreviews.com##.tr-reviews-affiliate-list-item -trustedreviews.com##.tr-reviews-affiliate-title -911tabs.com##.tr1 -namemc.com##.track-link -torentilo.com##.trackers + .downloadButton -dailymail.co.uk##.travel-booking-links -dailymail.co.uk##.travel.item.button_style_module -dailymail.co.uk##.travel.item.html_snippet_module -nj.com##.travidiatd -baltimoresun.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sandiegouniontribune.com,southflorida.com,sun-sentinel.com##.trb_outfit_sponsorship -baltimoresun.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,latimes.com,mcall.com,orlandosentinel.com,redeyechicago.com,sandiegouniontribune.com,southflorida.com,sun-sentinel.com##.trb_taboola -thefreethoughtproject.com##.trc_rbox_container -weather.com##.trc_recs_column + .right-column -ndtv.com##.trc_related_container a[href^="http://tba"] -metro.co.uk##.trending-sponsored-byline -thenationalstudent.com##.trending_channels -sitepoint.com##.triggered-cta-box-wrapper-bg -thestar.com##.ts-articlesidebar_wrapper -google.com,~mail.google.com##.ts[style="margin:0 0 12px;height:92px;width:100%"] -techspot.com##.ts_google_ad -zimpapers.co.zw##.tsbanners -ask.reference.com##.tsrc_SAS -search.vmn.net##.ttl_sponsors -infoplease.com##.tutIP-infoarea -simpleprogrammer.com##.tve-leads-post-footer -metro.co.uk##.tw-item-sponsored -joebucsfan.com##.tweet_div1 -englishrussia.com##.two_leep_box -ahk-usa.com,gaccmidwest.org,gaccny.com,gaccsouth.com,gaccwest.com##.tx-bannermanagement-pi1 -care2.com##.txt13-vd -shaaditimes.com##.txt[style="border: solid 1px #A299A6; background-color: #FDFCFC;"] -mail.google.com##.u4 -mail.google.com##.u9 -villages-news.com##.ubm_premium_banners_rotation -villages-news.com##.ubm_premium_rotation_widget -funkykit.com##.ubm_rotation_widget -blogtv.com##.uc_banner -dbforums.com##.ui-widget-overlay[style$="z-index: 1001;"] -searchenginewatch.com##.ukn-iab-300x250 -searchenginewatch.com##.ukn-u-thanks -bitenova.nl,bitenova.org##.un -bitenova.nl,bitenova.org##.un_banner -nv1.org##.underwriters -wbgo.org##.underwriting -sportodin.com,stream4.tv##.unfullscreener -latinopost.com##.uni-contents > .uni-innerwrap > img + div > :first-child -afterdawn.com##.uniblue -mediaite.com##.unit-wrapper -wonderhowto.com##.unverVidAd -hottipscentral.com##.unwrapped -notebook-driver.com##.updrv -siouxcityjournal.com##.upickem-deal-of-the-day -memez.com##.upperSideBox -uproxx.com##.uproxx_mp_ad -christiantoday.com##.usefulLinks -downeu.net##.usenet -audioz.download##.usenetWide -mnova.eu##.usenetd -money-forum.org##.usideblock -universetoday.com##.ut_ad_content -sportsnet.ca##.v2-3cols-promo -sportsnet.ca##.v2-topnav-promo -winnipegfreepress.com##.v4_tile_flyertown -dealsonwheels.co.nz,farmtrader.co.nz,motorcycletrader.co.nz,tradeaboat.co.nz##.vBanner -vosizneias.com##.vads -bibme.org,citationmachine.net##.vantage -easybib.com##.vantage_wrap -lasvegassun.com##.varWrapper -indeed.com##.vasu -venturebeat.com##.vb-ad-leaderboard -thehill.com##.vbanner -thehill.com##.vbanner_center -lyricsfreak.com##.vbanner_lyrics -slickdeals.net##.vbmenu_popup + .tborder[align="center"][width="100%"][cellspacing="0"][cellpadding="6"][border="0"] -drivearchive.co.uk##.vehicle[style="background-color:#b0c4de"] -heraldtribune.com##.vendor -thelocalweb.net##.verdana9green -softpile.com##.versionadv -inverse.com##.vert-div -theverge.com##.vert300 -newsnet5.com,wcpo.com,wxyz.com##.vertical-svg -ytmnd.com##.vertical_aids -praguepost.com##.vertical_banner -cnn.com##.vidSponsor -thevideo.me##.vid_a8 -autoslug.com##.video -dailystoke.com,wimp.com##.video-ad -wsj.com##.video-list[data-ref="Sponsored"] -streamhd.eu##.videoBoxContainer -drive.com.au##.videoGalLinksSponsored -thevideo.me##.video_a800 -nosvideo.com##.video_ax_fadein -watchseries.li##.video_holder -fora.tv##.video_plug_space -rapidvideo.org##.video_sta -nosvideo.com##.video_x_fadein -timeoutmumbai.net##.videoad2 -soccerclips.net##.videoaddright1 -watchseriesgo.to##.vidhold1 -vidto.me##.vidto_backscreen -vidzi.tv##.vidzi_backscreen -straitstimes.com##.view-2014-qoo10-feature -euractiv.com##.view-Sponsors -moviemet.com##.view-amazon-offers -asiaone.com##.view-aone2015-qoo10-box -next-gen.biz##.view-featured-job-ad -theweek.co.uk##.view-footer -themittani.com##.view-game-taxonomy-affiliates -healthcastle.com##.view-healthcastle-ads -zdnet.com##.view-medusa -talksport.co.uk##.view-ts-sponsor-feature -imagebunk.com##.view_banners -relink.us##.view_middle_block -dealwifi.com,inspsearch.com##.vigLinkResult -vidiload.com##.vinfobanner -vipleague.co##.vip_006x061 -vipleague.co,vipleague.me##.vip_09x827 -host1free.com##.virus-information -greenoptimistic.com##.visiblebox[style^="position: fixed; z-index: 999999;"] -viamichelin.co.uk,viamichelin.com##.vm-pub-home300 -christianpost.com##.vmuad -n4g.com##.vn-sub -searchassist.verizon.com##.vn_searchresults > .vn_results + .vn_rightresults -searchassist.verizon.com##.vn_sponsblock -vocativ.com##.voc-news-feed-ad -ashbournenewstelegraph.co.uk,ashfordherald.co.uk,bathchronicle.co.uk,bedfordshire-news.co.uk,blackcountrybugle.co.uk,blackmorevale.co.uk,bostontarget.co.uk,brentwoodgazette.co.uk,bristolpost.co.uk,burtonmail.co.uk,cambridge-news.co.uk,cannockmercury.co.uk,canterburytimes.co.uk,carmarthenjournal.co.uk,centralsomersetgazette.co.uk,cheddarvalleygazette.co.uk,cleethorpespeople.co.uk,cornishguardian.co.uk,cornishman.co.uk,courier.co.uk,crawleynews.co.uk,croydonadvertiser.co.uk,derbytelegraph.co.uk,dorkingandleatherheadadvertiser.co.uk,dover-express.co.uk,eastgrinsteadcourier.co.uk,eastlindseytarget.co.uk,ely-news.co.uk,essexchronicle.co.uk,exeterexpressandecho.co.uk,folkestoneherald.co.uk,fromestandard.co.uk,gloucestercitizen.co.uk,gloucestershireecho.co.uk,granthamtarget.co.uk,greatbarrobserver.co.uk,grimsbytelegraph.co.uk,harlowstar.co.uk,hertfordshiremercury.co.uk,hertsandessexobserver.co.uk,hulldailymail.co.uk,leek-news.co.uk,leicestermercury.co.uk,lichfieldmercury.co.uk,lincolnshireecho.co.uk,llanellistar.co.uk,luton-dunstable.co.uk,maidstoneandmedwaynews.co.uk,middevongazette.co.uk,northampton-news-hp.co.uk,northdevonjournal.co.uk,northsomersetmercury.co.uk,nottinghampost.com,nuneaton-news.co.uk,onemk.co.uk,plymouthherald.co.uk,retfordtimes.co.uk,scunthorpetelegraph.co.uk,sevenoakschronicle.co.uk,sheptonmalletjournal.co.uk,sleafordtarget.co.uk,somersetguardian.co.uk,southportvisiter.co.uk,southwales-eveningpost.co.uk,staffordshirelife.co.uk,staffordshirenewsletter.co.uk,stokesentinel.co.uk,stroudlife.co.uk,surreymirror.co.uk,suttoncoldfieldobserver.co.uk,tamworthherald.co.uk,thanetgazette.co.uk,torquayheraldexpress.co.uk,uttoxeteradvertiser.co.uk,walsalladvertiser.co.uk,wellsjournal.co.uk,westbriton.co.uk,westerndailypress.co.uk,westerngazette.co.uk,westernmorningnews.co.uk##.vouchers -centurylink.net##.vp_right -primewire.ag,primewire.in,primewire.is##.vpn_box -torrentz2.eu##.vpninfo -vivastreet.co.uk##.vs-summary-300x250 -lifescript.com##.vtcMiddle -boldsky.com##.vucato-home-page-promo -msn.com##.vxp_adContainer -dlldll.com##.w0[width="181"] -skysports.com##.w10-mpu -share-links.biz##.w160.dark.center -way2sms.com##.w2mtad -msn.com##.w460.clr -plumasnews.com##.w49 -chinadaily.com.cn##.w980.pt10 -ap.org##.wBanner -ptf.com,software.informer.com##.w_e -xe.com##.wa_leaderboard -utrend.tv##.wad -sportskrap.com##.wallpaper-link -naij.com##.wallpaper__bg -naij.com##.wallpaper__top -citationmachine.net##.wantage -torrentdownloads.net##.warez -torrents.me##.warning-top -radiotimes.com##.watch-action-button -imdb.com##.watch-bar -filmlinks4u.is##.watch-dl-img -youtube.com##.watch-extra-info-column -youtube.com##.watch-extra-info-right -channel4.com##.watchLiveOutlinks -hancinema.net##.watch_now -movie25.cm##.watchnow -coolspotters.com##.wau -wbal.com##.wbal-banner -wincustomize.com##.wc_home_tour_loggedout -plagiarism.org##.wc_logo -dir.indiamart.com##.wd1 -yahoo.com##.wdpa1 -glamourvanity.com##.wdt_gads -timesfreepress.com##.weatherSponsor -knowfree.net##.web_link -vg.no##.webboard -offshore-mag.com##.webcast-promo-box-sponsorname -commitstrip.com##.wejusthavetoeat -wincustomize.com##.welcome -probuilds.net##.welcome-bnr -taskcoach.org##.well -cosplay.com##.well2[style^="background-color"] -gearlive.com##.wellvert -codinghorror.com##.welovecodinghorror -transfermarkt.co.uk##.werbung -transfermarkt.co.uk##.werbung-skyscraper -boston.com##.what_is_link -mansionglobal.com##.whats_trending-listing_of_the_day-container -soccer365.com##.whiteContentBdr350 -techworld.com##.whitePaperContainer -hellokids.com##.white_box.r5 -backstage.com##.whitemodbg -betanews.com##.whitepapers -wonderhowto.com##.whtaph -wonderhowto.com##.whtaph-rightbox -bleedingcool.com##.wide-skyscraper-bottom -bleedingcool.com##.wide-skyscraper-top -living.aol.co.uk##.wide.horizontal_promo_HPHT -port2port.com##.wideBanner -investing.com##.wideBannerBottom -footyroom.com##.wideBox -inooz.co.uk##.wideContainer -netpages.co.za,pch.com,pchgames.com##.wide_banner -netpages.co.za##.wide_banner2 -newgrounds.com##.wide_storepromo -newgrounds.com##.wide_storepromobot -roms43.com##.widebanner -videogamer.com##.widesky -networkworld.com##.wideticker -skysports.com##.widge-skybet -skysports.com##.widge-skybet-grand-parade -pitgrit.com##.widget + .widget_text + div -thegatewaypundit.com##.widget > div.widget-wrap + div -soccer24.co.zw##.widget-1 -newsbtc.com##.widget-1 > .banner -soccer24.co.zw##.widget-2 -tf2outpost.com##.widget-aphex -smartearningsecrets.com##.widget-area -pocketnow.com##.widget-block -wikinvest.com##.widget-content-nvadslotcomponent -gaystarnews.com##.widget-footer-logo -bloombergtvafrica.com,miniclip.com##.widget-mpu -thevine.com.au##.widget-shopstyle -shanghaiist.com##.widget-skyscraper -thegatewaypundit.com##.widget-wrap > .widget-title -dose.ca##.widget_650 -fxempire.com##.widget_banner -dailynewsegypt.com##.widget_bannerleaderboard -mg.co.za,valke.co.za##.widget_banners -phonedog.com##.widget_bar_bottom -bloomberg.com##.widget_bb_doubleclick_widget -thescore.com##.widget_bigbox -usacryptocoins.com##.widget_buffercode_banner_upload_info -cbslocal.com,radio.com##.widget_cbs_gamification_stats_widget -lulzsec.net##.widget_chaturbate_widget -energyvoice.com##.widget_dfp_widget -current.org,religionnews.com##.widget_doubleclick_widget -eos.org##.widget_eosadvertisement -styleblazer.com##.widget_fashionblog_ad -essentials.co.za##.widget_featured_post_widget -urbanmusichq.se##.widget_gad -extremetech.com##.widget_gptwidget -fxempire.com##.widget_latest_promotions -fxempire.com##.widget_latest_promotions_right -theiphoneappreview.com##.widget_links -geek.com##.widget_logicbuy_first_deal -massivelyop.com##.widget_massivelyop_advertisement -modamee.com##.widget_nav_menu -fxempire.com##.widget_recommended_brokers -dailynewsegypt.com##.widget_rotatingbanners -twistedsifter.com##.widget_sifter_ad_bigbox_widget -nineoclock.ro##.widget_sponsor -lnbs.org.ls##.widget_sponsors -amygrindhouse.com,lostintechnology.com##.widget_text -ynaija.com##.widget_ti_code_banner -fxempire.com##.widget_top_brokers -venturebeat.com##.widget_vb_dfp_ad -wired.com##.widget_widget_widgetwiredadtile -indiatvnews.com##.wids -educationbusinessuk.net##.width100 > a[target="_blank"] > img -educationbusinessuk.net##.width100 > p > a[target="_blank"] > img -listverse.com##.wiki -espn.co.uk##.will_hill -oboom.com##.window_current -foxsports.com##.wisfb_sponsor -weatherzone.com.au##.wo-widget-wrap-1 -planet5d.com##.wp-image-1573 -techpowerup.com##.wp-left -techpowerup.com##.wp-right -techpowerup.com##.wp-top -mynintendonews.com,theconservativetreehouse.com,thecryptosphere.com,them0vieblog.com##.wpa -rustourismnews.com##.wpb_widgetised_column -notjustok.com##.wpbr-widget -notjustok.com,punchng.com##.wpbrbanner -webpronews.com##.wpn-business-resources -buzzinn.net##.wpn_finner -salfordonline.com##.wpproaddlink -talkers.com##.wpss_slideshow -theregister.co.uk##.wptl -currentaffair.com##.wrap-cad -osbot.org##.wrapper > center:nth-of-type(-n+3) > a -breitbart.com##.wrapperBanner -kiplinger.com##.wrapper[style="display: block;"] -bnaibrith.org##.wsite-image[style="padding-top:10px;padding-bottom:10px;margin-left:0;margin-right:0;text-align:center"] -poynter.org##.wsm_frame_medium -search.ch##.www_promobox -newsherder.com##.x-300x250 -davidwalsh.name##.x-terciary -jpost.com##.xl-banner-wrap -ocaholic.ch##.xoops-blocks -chronicle.com,fareastgizmos.com,ganzworld.com,webdesignerdepot.com##.xoxo -cryptothrift.com##.xoxo > #text-34 -cryptothrift.com##.xoxo > #text-50 -cryptothrift.com##.xoxo > #text-55 -arstechnica.co.uk##.xrail-content -mail.google.com##.xz -yahoo.com##.y7-breakout-bracket -yahoo.com##.y708-ad-eyebrow -yahoo.com##.y708-commpartners -yahoo.com##.y708-promo-middle -nz.yahoo.com##.y7countdown -yahoo.com##.y7moneyhound -yahoo.com##.y7partners -yahoo.com##.ya-LDRB -yahoo.com##.ya-darla-LREC -yahoo.com##.yad -yahoo.com##.yad-cpa -mysanantonio.com##.yahoo-bg -thetimes-tribune.com##.yahoo-content_match -candofinance.com,idealhomegarden.com##.yahooSl -newsok.com##.yahoo_cm -thetandd.com##.yahoo_content_match -reflector.com##.yahooboss -tumblr.com##.yamplus-unit-container -yardbarker.com##.yard_leader -autos.yahoo.com##.yatAdInsuranceFooter -autos.yahoo.com##.yatysm-y -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yelp-add -local.com##.yextSpecOffer -finance.yahoo.com##.yfi_ad_s -groups.yahoo.com##.yg-mbad-row -filmgo.org##.yildiz-pageskin-link -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yla -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-list -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-list-exp -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-search-result -yelp.be,yelp.ca,yelp.ch,yelp.co.nz,yelp.co.uk,yelp.com,yelp.com.au,yelp.com.sg,yelp.ie##.yloca-search-result-exp -local.yahoo.com##.yls-rs-paid -eurosport.yahoo.com##.yom-sports-betting -finance.yahoo.com,news.yahoo.com##.yom-ysmcm -yellowpages.aol.com##.yp_ad -yahoo.com##.yschspns -yahoo.com##.ysm-cont -travel.yahoo.com##.ysmcm -yahoo.com##.ysptblbdr3 -youtube.com##.ytd-search-pyv-renderer -travel.yahoo.com##.ytrv-lrec -nfl.com##.yui3-polls-mobile-adspot -maps.yahoo.com##.yui3-widget-stacked -zvents.com##.z-spn-featured -mail.google.com##.z0DeRc -zacks.com##.zacks_header_ad_ignore -zap2it.com##.zc-station-position -slashgear.com##.zdStickyFixed -onlymyhealth.com##.zedo_atf -cricketcountry.com##.zeeibd -downturk.net##.zippo -allenwestrepublic.com,clashdaily.com,conservativebyte.com,dailyheadlines.net,fandustry.com,girlsjustwannahaveguns.com,joeforamerica.com,libertyunyielding.com,minutemennews.com,newszoom.com,politichicks.com,redhotchacha.com,reviveusa.com,theblacksphere.net,valuewalk.com,zionica.com##.zone -revolutionradiomiami.com##.zoneBannerSidebar -foodprocessorsdirect.com##.zoneWidth100 -tomsguide.com,tomshardware.com##.zonepub -monova.org##:first-child + div > div[class] > div + div[class]:last-child -dailysurge.com##:first-child > div[style] + span > :last-child -activistpost.com##:last-child > aside > div + span + * -isearch.whitesmoke.com##:not(.item):not(.stats) + * + .item -sitepoint.com##ADS-WEIGHTED -techpowerup.com##ASIDE [rel="nofollow"] > img[src] -techpowerup.com##ASIDE [target="_blank"] > img[src] -gelbooru.com##[-abp-properties='*: *;base64,'] -ancient-origins.net,androidcentral.com,breakingisraelnews.com,chicagotribune.com,citationmachine.net,collectivelyconscious.net,connectedly.com,crackberry.com,datpiff.com,destructoid.com,easybib.com,freewarefiles.com,fullmatchesandshows.com,imore.com,mywatchseries.to,newsarama.com,onwatchseries.to,roadracerunner.com,teslacentral.com,thebarchive.com,thefreethoughtproject.com,trifind.com,veteranstoday.com,vrheads.com,watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.li,watchseries.lt,watchseries.ph,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.unblckd.top,watchtvseries.vc,windowscentral.com##[-abp-properties='base64'] -ancient-origins.net,biology-online.org,breakingisraelnews.com,citationmachine.net,collectivelyconscious.net,destructoid.com,freewarefiles.com,fullmatchesandshows.com,imagefap.com,imagetwist.com,imgwallet.com,mywatchseries.to,newsarama.com,onwatchseries.to,pocketnow.com,thefreethoughtproject.com,tomshardware.co.uk,tomshardware.com,trifind.com,veteranstoday.com,watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.li,watchseries.lt,watchseries.ph,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.unblckd.top,watchtvseries.vc##[-abp-properties='data:'] -mobilephonetalk.com##[align="center"] > b > a[href^="http://tinyurl.com/"] -incredimail.com##[autoid="sponsoredLinks"] -bittorrent.am##[bgcolor="#66CCCC"][style="background: rgb(126, 180, 224)"] -primewire.ag,primewire.in##[class*="-adsupply"] + a -eztv.ag##[class] + * + table[style][width] -mywatchseries.to,onwatchseries.to,watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.li,watchseries.lt,watchseries.ph,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.unblckd.top,watchtvseries.vc##[class] + br + style + [class] -filenuke.com,sharesix.com##[class] + div + div > a[href*="/"] -monova.org##[class] > div + span[class] -onhax.me##[class][data-title] -uploadocean.com##[class][src][alt] -collectivelyconscious.net##[class][style*="!important;"] -ancient-origins.net,rule34.xxx,thefreethoughtproject.com,veteranstoday.com##[class][style*="data:image"] -tubeoffline.com##[class][style] > a[href][data-hash] -yahoo.com##[data-ad-enhanced="card"] -yahoo.com##[data-ad-enhanced="pencil"] -yahoo.com##[data-ad-enhanced="text"] -adlipay.com##[data-ad-slot] -destructoid.com##[data-delivery] -facebook.com##[data-referrer="pagelet_side_ads"] -deathandtaxesmag.com##[data-refresh] -softonic.com##[data-ua-common] > [data-column-balancer] -hulu.com##[flashvars^="backgroundURL=http://ads.hulu.com/published/"] -bunalti.com##[height="90"][width="728"] -news.softpedia.com##[href*=".php?"] > img[src] -eztv.ag##[href] > [id][style*="padding"] -monova.org##[href] > div[class]:first-child -facebook.com##[href^="/ads/adboard/"] -clickmngr.com##[href^="https://www.safenetdir.com/"] -animesubita.info,animmex.club,animmex.co,animmex.co.uk,animmex.com,animmex.info,animmex.net,animmex.online,animmex.org,animmex.press,animmex.site,animmex.space,animmex.tech,animmex.website,animmex.xyz,btsone.cc,jukezilla.com,monova.org,nowvideo.sx,nowvideo.to,torrentsgroup.com,vodlock.co##[id*="ScriptRoot"] -tweaktown.com##[id*="_"][style*="border"] -thefreethoughtproject.com##[id]:first-child > .widget-container -onhax.me##[id][class] > a[href][rel="nofollow"] -thevideo.me##[id][class][style] > [class][onclick] -onhax.me##[id][data-title] -1001tracklists.com##[id][width] -forums.motortrend.com##[id^="IN_HOUSE_AD_SWITCHER_"] -extremetech.com##[id^="zdAdContainer"] -oddee.com##[itemprop="articleBody"] > br + :last-child -cultofmac.com##[name="dn-frame-1"] -monova.org##[onclick] > [target="_blank"] -monova.org##[onclick] > a[class] -monova.org##[onclick] > a[href^="javascript:"] -eztv.ag##[rel*="nofollow"] > [id][style] -techpowerup.com##[rel="nofollow"] > i > img[alt][src] -naturalblaze.com##[rel="nofollow"][href^="http://products.naturalblaze.com/"] > img -uploadocean.com##[src][width] -gelbooru.com##[src^="http://syndication.exoclick.com/"] + * + * + [class] -tomshardware.co.uk,tomshardware.com##[style*="animation:"] -drudgereport.com##[style*="background-blend"] -fullmatchesandshows.com##[style*="background-image: url(\"blob"] -gorillavid.in##[style*="background-image: url(\"data:image"] -fullmatchesandshows.com##[style*="background-image: url(data"] -allthetests.com,biology-online.org,datpiff.com,fullmatchesandshows.com,jerusalemonline.com,jewsnews.co.il,trifind.com##[style*="base64"] -pocketnow.com##[style*="blob:"] -gorillavid.in##[style*="display: inline !important"] -gorillavid.in##[style*="display: inline-block !important"] -gorillavid.in##[style*="display:block !important"] -tomshardware.co.uk,tomshardware.com##[style*="transition:"] -destructoid.com##[style*="url(\"data:image/"] -google.com,~mail.google.com##[style="border: 1px solid rgb(0, 90, 136);"] -google.com,~mail.google.com##[style="border: 1px solid rgb(145, 117, 77);"] -google.com,~mail.google.com##[style="border: 1px solid rgb(241, 250, 248);"] -google.com,~mail.google.com##[style="border: 1px solid rgb(51, 102, 153);"] -google.com,~mail.google.com##[style="border: 1px solid rgb(51, 102, 204);"] -timeanddate.com##[style="float: right; width: 170px;"] -condo.com##[style="float:left;width:515px;"] -hindustantimes.com##[style="font-family:Arial; color: #545454; font-size:10px; font-family:Arial; padding-right:15px"] -netload.in##[style="height: 100px;"] -wxyz.com##[style="height:310px;width:323px"] -uploaded.to##[style="margin-left: 15px;"] -wahm.com##[style="min-height:250px;"] -darelease.com,latestdown.com##[style="width: 100%; margin: 0pt auto;"] -p2pnet.net##[target="_blank"] -uploadocean.com##[target="_blank"][href] > [src][alt] -ewallpapers.eu##[title="Advertising"] -uploadocean.com##[title][height] -torrentresource.com##[width="150"]:last-child -ewallpapers.eu##[width="160"] -break.com##[width="300"][height="250"] -4chan.org,crackdump.com##[width="468"] -majorgeeks.com##[width="478"][height="70"] -4chan.org##[width="728"] -timeanddate.com##[width="728"][height="90"] -crackdump.com##[width="74"] -empireonline.com##[width="950"][height="130"][align="center"] -oddee.com##a + br + br + span -lindaikeji.blogspot.com##a > img[height="600"] -video-download.online##a > img[src][style] -thefreedictionary.com##a > img[src^="//img.tfd.com/"] -powerbot.org##a > img[width="729"] -facebook.com##a[ajaxify*="&eid="] + a[href^="https://l.facebook.com/l.php?u="] -dx-torrent.com##a[class][target="_blank"][rel="nofollow"][href] -experthometips.com##a[class^="abp_image_"] -bitcointalk.org##a[class^="td_headerandpost"][href^="https://www.privateinternetaccess.com"] -grammarist.com##a[data-delivery^="/"] -gorillavid.in##a[data-delivery^="/?i="] -stream2watch.cc##a[data-h^="http://www.downloadplayer1.com/"] -pcmag.com##a[data-section="Ads"] -roadracerunner.com##a[data-target] -kdramaindo.com##a[data-wpel-link="external"] -bestvpn.com##a[href$="_banner"] -primewire.ag,primewire.in##a[href*="&ZoneId="] -filenuke.com,sharesix.com##a[href*="&popunder"] -isearch.whitesmoke.com##a[href*="&rt=gp&"] -insideevs.com##a[href*="&utm_medium=Banners&"] -pcgamesn.com##a[href*="&utm_source"] -filenuke.com,sharesix.com##a[href*="&zoneid="] -ndtv.com##a[href*=".amazonaws.com"] -huffingtonpost.com##a[href*=".atwola.com/"] -concordnewsradio.com##a[href*=".be/"] -concordnewsradio.com##a[href*=".cc/"] -imgah.com##a[href*=".com/track/"] -streamcloud.eu##a[href*=".engine"] -primewire.ag,primewire.in##a[href*=".engine?"] -concordnewsradio.com##a[href*=".es/"] -mangafox.me##a[href*=".game321.com/"] -concordnewsradio.com##a[href*=".gy/"] -boredpanda.com,celebrityweightloss.com,fittube.tv,in5d.com,jeffbullas.com,siteworthchecker.com##a[href*=".hop.clickbank.net"] -hotbollywoodactress.net##a[href*=".makdi.com"] -bossmp3.me,heromaza.co,songmix.in##a[href*=".php?"] -search.yahoo.com##a[href*=".r.msn.com/?ld="] -sportinglife.com##a[href*=".skybet.com/"] -punjabimob.org##a[href*=".smaato.net"] -iolproperty.co.za##a[href*="/Ad_Click_Thru.jsp?"] -7torrents.info,7tproxy.com,seventorrents.unblocked.cam,seventorrents.xyz##a[href*="/Advertisements/"] -7torrents.info,7tproxy.com,seventorrents.unblocked.cam,seventorrents.xyz##a[href*="/Tools/ClickCounter.ashx?"] -techpowerup.com##a[href*="/ad.php"] -yts.ag##a[href*="/ad/"] -dutchnews.nl##a[href*="/adbanners/"] -itweb.co.za,radiofrontier.ch##a[href*="/adclick.php?"] -business-standard.com##a[href*="/adclicksTag.php?"] -itweb.co.za##a[href*="/adredir.php?"] -bitcoinist.net##a[href*="/adserv/click.php?id="] -f1today.net##a[href*="/advertorial--"] -streamplay.to##a[href*="/apu.php"] -streamcloud.eu##a[href*="/clicktag."] -adlock.org##a[href*="/download/"] -bittorrentz.net##a[href*="/download_torrent.php?"] -yts.ag##a[href*="/get-"] -cracksfiles.com##a[href*="/getfile/"] -gigapurbalingga.com##a[href*="/getfiles-"] -tamilyogi.cc##a[href*="/ghits/"] -videobull.to##a[href*="/go-to-watch.php"] -computerera.co.in,rapidok.com##a[href*="/go/"] -bossmp3.me##a[href*="/key/?id="] -projectfree-tv.to##a[href*="/script/ad.php?"] -bbc.com,biznews.com,independent.ie,telegraph.co.uk##a[href*="/sponsored/"] -projectfreetv.at##a[href*="/video_id/play_"] -todaypk.com##a[href*="/watch/?"] -solarmovie.cz##a[href*="/watchnow?"] -devshed.com##a[href*="/www/delivery/"] -ietab.net##a[href*="/xadnet/"] -bossmp3.in,heromaza.in,songmix.in,wapking.site##a[href*=":80/key/?id="] -torlock.com##a[href*="an0n.download/"] -worldfree4u.lol##a[href*="clksite.com/"] -streamcloud.eu##a[href*="engine.4dsply.com"] -federalnewsradio.com##a[href*="http://federalnewsradio.com/sponsored-content/"] -encyclopediadramatica.se##a[href*="http://torguard.net/aff.php"] -solarmovie.ac##a[href*="http://www.solarmovie.ac/playmovie?"] -horriblesubs.info##a[href*="jlist.com"] -thefreethoughtproject.com##a[href*="voluumtrk.com"] -watch-movies-az.com##a[href="../download_video.php"] -unitconversion.org##a[href="../noads.html"] -encyclopediadramatica.se##a[href="//encyclopediadramatica.se/sparta.html"] -yts.to##a[href="/ad/seedbox"] -yts.to##a[href="/ad/usenet"] -insidefacebook.com##a[href="/advertise"] -fooooo.com##a[href="/bannerClickCount.php"] -yts.ag##a[href="/buy-vpn"] -opensubtitles.org##a[href="/en/aoxwnwylgqtvicv"] -yts.ag##a[href="/get-vpn"] -viewdocsonline.com##a[href="/links/regboost_header.php"] -mailinator.com##a[href="/soget.jsp"] -dlldll.com##a[href="/stw_lp/fmr/"] -vipbox.nu##a[href="/watch-live-hd-now.html"] -designtaxi.com##a[href="advertise.html"] -thejointblog.com##a[href="http://42grow.com"] > img -dogepay.com##a[href="http://WeSellDoges.com"] > img -activistpost.com##a[href="http://activistpost.net/thrivemarket.html"] -addgadgets.com##a[href="http://addgadgets.com/mcafee-internet-security/"] -thejointblog.com##a[href="http://autoseeds.com/"] > img -vivaprograms.com##a[href="http://b6384502.linkbucks.com"] -mediafire4u.com##a[href="http://bit.ly/lFerdB"] -mediafree.co##a[href="http://cinemalek.com/"] -delishows.com##a[href="http://delishows.com/stream.php"] -onhax.net##a[href="http://downloadlink.onhax.net"] -mangafox.me##a[href="http://dr.ngames.com/ "] -encyclopediadramatica.es##a[href="http://encyclopediadramatica.es/webcamgirls.html"] -tny.cz##a[href="http://followshows.com?tp"] -tf2maps.net##a[href="http://forums.tf2maps.net/payments.php"] -generalfiles.me##a[href="http://gofindmedia.net/"] -proxylistpro.com##a[href="http://goo.gl/"] -avaxhomeso.com##a[href="http://google.com"] -imagenpic.com,imageshimage.com,imagetwist.com##a[href="http://imagetwist.com/lower.html"] -imagenpic.com,imageshimage.com,imagetwist.com##a[href="http://imagetwist.com/xyz.html"] -digitallydownloaded.net##a[href="http://iphone.qualityindex.com/"] > img -bazoocam.org##a[href="http://kvideo.org"] -mamahd.com##a[href="http://mamahd.com/live-in-HD.html"] -mediafree.co##a[href="http://mediamasr.net/"] -limetorrents.cc##a[href="http://movie4u.org/"] -moviefather.com##a[href="http://moviefather.com/watchonline.php"] -moviez.se##a[href="http://moviez.se/pluginbarredi.php"] -mp3truck.net##a[href="http://mp3truck.net/get-torrent/"] -nba-stream.com##a[href="http://nba-stream.com/player/"] -my.rsscache.com##a[href="http://nimbb.com"] -soft32.com##a[href="http://p.ly/regbooster"] -infowars.com##a[href="http://prisonplanet.tv/"] -propakistani.pk##a[href="http://propakistani.pk/sms/"] -clashbot.org##a[href="http://rsmalls.com"] > img -gooddrama.net##a[href="http://spendcrazy.net"] -adrive.com##a[href="http://stores.ebay.com/Berkeley-Communications-Corporation"] -rlsbb.com##a[href="http://trailerhell.com/make_money.html"] -freetv.tv##a[href="http://tvoffer.etvcorp.track.clicksure.com"] -vidbear.com##a[href="http://videoworldx.com"] -torrentfreak.com##a[href="http://vuze.com/"] -watch-movies-az.com##a[href="http://watch-movies-az.com/download_video1.php"] -zorrostream.com##a[href="http://www.batmanstream.com/static/playmatch/index.html"] -activistpost.com##a[href="http://www.bloggersecret.com/"] -thejointblog.com##a[href="http://www.bombseeds.nl/"] > img -hscripts.com##a[href="http://www.buildmylink.com"] -hltv.org##a[href="http://www.csgofast.com"] -desivideonetwork.com##a[href="http://www.desiaction.com"] -diablo3builds.com##a[href="http://www.diablo3builds.com/bc"] -dirwell.com##a[href="http://www.dirwell.com/submit.php"] -dllerrors-fix.com##a[href="http://www.dllerrors-fix.com/Download.php"] -dl4all.com##a[href="http://www.enginesong.com"] -iphonecake.com##a[href="http://www.filepup.net/get-premium.php"] -interupload.com##a[href="http://www.fileserving.com/"] -filmon.tv##a[href="http://www.filmon.com"] -geocities.ws##a[href="http://www.gridhoster.com/?geo"] -financialsurvivalnetwork.com##a[href="http://www.hardassetschi.com/"] -thejointblog.com##a[href="http://www.herbiesheadshop.com/"] > img -speedpremium.info##a[href="http://www.hostunder.net/windows-rdp/"] -scam.com##a[href="http://www.ip-adress.com/trace_email/"] -wiiuiso.com##a[href="http://www.jobboy.com"] -makeuseof.com##a[href="http://www.makeuseof.com/advertise/"] -megatorrent.eu##a[href="http://www.megatorrent.eu/go2.html"] -dailymirror.lk##a[href="http://www.nawaloka.com/"] -ab.typepad.com##a[href="http://www.newcannabisventures.com"] -nichepursuits.com##a[href="http://www.nichepursuits.com/whp"] -nichepursuits.com##a[href="http://www.nichewebsitetheme.com"] -naijaborn.com##a[href="http://www.njorku.com/nigeria"] > img -ps3iso.com##a[href="http://www.pcgameiso.com"] -worldfree4u.lol##a[href="http://www.playwinz.com/"] -letmesingthis.com##a[href="http://www.singorama.me"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##a[href="http://www.spendcrazy.net"] -gogoanime.com,goodanime.eu##a[href="http://www.spendcrazy.net/"] -dosplash.com##a[href="http://www.sverve.com/dashboard/DoSplash"] -talkarcades.com##a[href="http://www.talkarcades.com/misc.php?do=page&template=advertise"] -telepisodes.net##a[href="http://www.telepisodes.net/downloadtvseries.php"] -thejointblog.com##a[href="http://www.thebestsalvia.com/"] > img -free-wallpaper-download.com##a[href="http://www.thoosje.com/toolbar.html"] -sitevaluecalculator.com##a[href="http://www.top-site-list.com"] -quicksilverscreen.com##a[href="http://www.tubeplus.com"] -thejointblog.com##a[href="http://www.unitedforcare.org/sign_up"] > img -thejointblog.com##a[href="http://www.uptowngrowlab.net/"] > img -vidbux.com##a[href="http://www.vidbux.com/ccount/click.php?id=4"] -vivaprograms.com##a[href="http://www.vivausb.com"] -watchop.com##a[href="http://www.watchop.com/download.php"] -ziddu.com##a[href="http://wxdownloadmanager.com/zdd/"] -zmea-log.blogspot.com##a[href="http://zmea-log.blogspot.com/p/rapids-for-sale.html"] -wemineall.com,wemineltc.com##a[href="https://diceliteco.in"] -ummah.com##a[href="https://quranforkids.org/registration/"] -torrents.me##a[href="https://torrents.me/out/vpn"] -vpsboard.com##a[href="https://vpsboard.com/advertise.html"] -ugotfile.com##a[href="https://www.astrill.com/"] -cryptocoinsnews.com##a[href="https://www.genesis-mining.com/pricing"] -eztv.ag##a[href] > [style^="padding-bottom: 5px"] -eztv.ag##a[href] > div[id][style] -eztv.ag##a[href] > div[style*="width: 100%"] -allmyvideos.net##a[href] > img[id] -crackingpatching.com##a[href][onclick][rel] -tweaktown.com##a[href][onfocus] -horriblesubs.info,naturalnews.com,naturalnewsblogs.com##a[href][rel="nofollow"] -eztv.ag,kshowid.com##a[href][target="_blank"] -rarbg.to,rarbg.unblocked.kim,rarbgmirror.com,rarbgproxy.com##a[href][target="_blank"] > button -idm-crack-patch.com##a[href^=" http://backkeyconsole.com/"] -akstream.video##a[href^="../hd/movie.php?"] -300mbmovies4u.com##a[href^="//1phads.com/"] -ogsi.it##a[href^="//adbit.co/?a=Advertise"] -pirateproxy.vip,thepiratebay.org,theproxypirate.pw,tpb.run,ukpirate.org##a[href^="//cdn.bitx.tv/"] -doubleclick.net##a[href^="//dp.g.doubleclick.net/apps/domainpark/"] -fmovies.is,fmovies.se,fmovies.to##a[href^="//fmovies.se/player/stream_in_hd.html"] -video2mp3.net##a[href^="//lp.ezdownloadpro.info/"] -strikeout.co##a[href^="/?open="] -rapidog.com##a[href^="/adclick.php"] -sweflix.net,sweflix.to##a[href^="/adrotate.php?"] -shroomery.org##a[href^="/ads/ck.php?"] -metrolyrics.com##a[href^="/ads/track.php"] -shroomery.org##a[href^="/ads/www/delivery/"] -scoop.co.nz##a[href^="/adsfac.net/link.asp?"] -facebook.com##a[href^="/ajax/emu/end.php?"] -icmag.com##a[href^="/banners.php?"] -rsbuddy.com##a[href^="/campaign/click_"] -business-standard.com##a[href^="/click-tracker/textlink/"] -torrentbit.net##a[href^="/click/9/"] -saigoneer.com##a[href^="/component/banners/"] -hpcwire.com##a[href^="/ct/e/"] -peertorrent.com##a[href^="/directload.php?"] -resettoo.com##a[href^="/dl.php"] -torrentfunk.com##a[href^="/dltor3/"] -dlzware.com,torrentbi.com##a[href^="/download.php?"] -ebook3000.com##a[href^="/download/"] -watchseries.li##a[href^="/downloadnow/"] -androidcentral.com,crackberry.com,windowscentral.com##a[href^="/ext?link="] -merdb.ru,primewire.ag##a[href^="/external.php?gd=0&"] -yourbittorrent.com##a[href^="/extra/"] -mutorrents.com,soltorrent.com##a[href^="/fast-torrent/"] -vitorrent.net,vitorrent.tv##a[href^="/file.php?name"] -torrent-dx.com##a[href^="/go.php?"] -tinydl.eu##a[href^="/go.php?http://sharesuper.info"] -yourbittorrent.com##a[href^="/go/"] -bts.ph##a[href^="/goto_.php?"] -downloadhelper.net##a[href^="/liutilities.php"] -tvmuse.com##a[href^="/lrse?q="] -limetorrenturls.com##a[href^="/magnet.php"] -limetorrenturls.com##a[href^="/megaload.php"] -1337x.to##a[href^="/mirror"] -sharedir.com##a[href^="/out.php?"] -freedomhacker.net##a[href^="/out/"] -torrentproject.se##a[href^="/out3/"] -torrentproject.org,torrentproject.se##a[href^="/out4/"] -esportlivescore.com##a[href^="/r/"] -airliners.net##a[href^="/rad_results.main?"] -ahashare.com##a[href^="/re.php?url"] -torrentv.org##a[href^="/rec/"] -imdb.com##a[href^="/rg/action-box-title/buy-at-amazon/"] -trashortreasure.co.nz##a[href^="/rotator1/click.php?"] -torrent.cd,torrentdb.in,torrentz.cd##a[href^="/site/sp/"] -limetorrenturls.com##a[href^="/smegaload.php"] -1337x.to##a[href^="/stream/"] -torrentfunk.com##a[href^="/tor2/"] -torrentfunk.com##a[href^="/tor3/"] -kickasstorrents.to##a[href^="/torrents/Download"] -stuff.co.nz##a[href^="/track/click/"] -torrentz.ch,torrentz.com,torrentz.eu,torrentz.li,torrentz.me,torrentz.ph##a[href^="/z/ddownload/"] -torrents.de,torrentz.ch,torrentz.com,torrentz.eu,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a[href^="/z/webdownload/"] -womenspress.com##a[href^="Redirect.asp?UID="] -474747.net##a[href^="ad"] -xbox-hq.com##a[href^="banners.php?"] -batmanstream.com,nba-stream.com,robinwidget.com##a[href^="data:text/html;base64"] -xtshare.com##a[href^="download.php?download="] -downloadhelper.net##a[href^="free-driver-scan.php"] -sockshare.com##a[href^="fuu.php"] -rom-freaks.net##a[href^="gotomirror-"] -coolsport.tv##a[href^="http://188.95.48.110/"] -thefilebay.com##a[href^="http://91.205.157.43/"] -heroturko.org##a[href^="http://MyDownloadHQ.com/index.asp?PID="] -userscloud.com##a[href^="http://a.centerwebicemeta.biz/"] -newssun.com##a[href^="http://access.newssun.com/b_cl.php?"] -bayfiles.com##a[href^="http://ad.propellerads.com/"] -unawave.de##a[href^="http://ad.zanox.com/"] -reading107fm.com,three.fm##a[href^="http://adclick.g-media.com/"] -jdownloader.org##a[href^="http://adcolo.com/ad/"] -autodealer.co.za##a[href^="http://ademag.co.za/"] -extremefile.com##a[href^="http://adf.ly/"] -highdefjunkies.com##a[href^="http://adorama.evyy.net/"] -depositfiles.com,dfiles.eu##a[href^="http://ads.depositfiles.com/"] -gorillavid.in##a[href^="http://ads.gorillavid.in/"] -hindilinks4u.to##a[href^="http://ads.hindilinks4u.to/"] -howproblemsolution.com##a[href^="http://ads.howproblemsolution.com/"] -hardwareheaven.com##a[href^="http://adserver.heavenmedia.com/"] -deviantart.com##a[href^="http://advertising.deviantart.com/"] -thesearchenginelist.com##a[href^="http://affiliate.buy.com/gateway.aspx?"] -smallbusinessbrief.com##a[href^="http://affiliate.wordtracker.com/"] -soundtrackcollector.com,the-numbers.com##a[href^="http://affiliates.allposters.com/"] -freebetcodes.info##a[href^="http://affiliates.galapartners.co.uk/"] -justhungry.com##a[href^="http://affiliates.jlist.com/"] -news24.com##a[href^="http://affiliates.trafficsynergy.com/"] -bizarrepedia.com##a[href^="http://amzn.to/"] -parentherald.com##a[href^="http://amzn.to/"] > img -animetake.com##a[href^="http://anime.jlist.com/click/"] -torrent-invites.com##a[href^="http://anonym.to?http://www.seedmonster.net/clientarea/link.php?id="] -speedvideo.net##a[href^="http://api.adlure.net/"] -lyriczz.com##a[href^="http://app.toneshub.com/"] -datafilehost.com,load.to,tusfiles.net##a[href^="http://applicationgrabb.net/"] -avxhome.se##a[href^="http://avaxnews.net/tags/"] -datafilehost.com##a[href^="http://b.contractallsinstance.info/"] -xvidstage.com##a[href^="http://bestarmour4u.net/"] -thetvdb.com##a[href^="http://billing.frugalusenet.com/"] -123moviesfree.com,coinad.com,digitallydownloaded.net,dotmmo.com,ebookw.com,fastvideo.eu,majorgeeks.com,mymp3singer.site,naijaloaded.com.ng,ncrypt.in,pcgamesn.com,rapidvideo.org,rustourismnews.com,sh.st,songmix.in,theblaze.com,thehackernews.com,ultshare.com,wapking.site##a[href^="http://bit.ly/"] -ancient-origins.net,wideopenspaces.com##a[href^="http://bit.ly/"] > img -themediafire.com##a[href^="http://bit.ly/"] > img[src^="http://i.imgur.com/"] -bitminter.com##a[href^="http://bitcasino.io?ref="] -leasticoulddo.com##a[href^="http://blindferret.clickmeter.com/"] -lowyat.net##a[href^="http://bs.serving-sys.com"] -demonoid.ooo,demonoid.ph,demonoid.pw,torrentfreak.com,torrents.de,torrents.net,torrentz.in,torrentz.li,torrentz.me,torrentz.ph##a[href^="http://btguard.com/"] -nexadviser.com##a[href^="http://budurl.com/"] -downforeveryoneorjustme.com,isup.me##a[href^="http://bweeb.com/"] -designtaxi.com##a[href^="http://bza.co/buy/"] -akeelwap.net,w2c.in##a[href^="http://c.admob.com/"] -fmovies.to##a[href^="http://c13b2beea116e.com/"] -zomganime.com##a[href^="http://caesary.game321.com/"] -ebooksx.org##a[href^="http://castee.com/"] -adexprt.com##a[href^="http://cdn3.adexprts.com"] + span -animenewsnetwork.com##a[href^="http://cf-vanguard.com/"] -vidstatsx.com##a[href^="http://channelpages.com/"] -commitstrip.com##a[href^="http://chooseyourboss.com/?utm_source="] -quuit.com##a[href^="http://classic.thumbplay.com/join/"] -akeelwap.net##a[href^="http://click.buzzcity.net/click.php?"] -guru99.com,thetruthwins.com,weddingmuseum.com##a[href^="http://click.linksynergy.com/"] -topsocial.info##a[href^="http://click.search123.uk.com/"] -mp3rule.com##a[href^="http://click.union.ucweb.com/"] -maxthon.com##a[href^="http://click.v9.com/"] -videomide.com##a[href^="http://click.wapdollar.in/"] -mp3-shared.net##a[href^="http://click.yottacash.com?PID="] -unawave.de##a[href^="http://clix.superclix.de/"] -heraldscotland.com,tmz.com##a[href^="http://clk.atdmt.com/"] -msn.com##a[href^="http://clk.tradedoubler.com/"] -180upload.com##a[href^="http://clkmon.com/static/rdr.html?pid="] -absoluteradio.co.uk,mkfm.com##a[href^="http://clkuk.tradedoubler.com/click?"] -dot-bit.org##a[href^="http://coinabul.com/?a="] -gas2.org##a[href^="http://costofsolar.com/?"] -powvideo.net##a[href^="http://creative.ad127m.com/"] -idm-crack-patch.com##a[href^="http://databass.info"] -armslist.com##a[href^="http://delivery.tacticalrepublic.com/"] -ebookw.com##a[href^="http://dlguru.com/"] -dllnotfound.com##a[href^="http://dllnotfound.com/scan.php"] -bossmp3.me,songmix.in##a[href^="http://down3.ucweb.com/"] -mp3rule.com##a[href^="http://down3.ucweb.com/ucbrowser/en/?pub="] -majorgeeks.com##a[href^="http://download.iobit.com/"] -israbox.info##a[href^="http://download.israbox.info/"] -free-tv-video-online.me##a[href^="http://downloaderfastpro.info/"] -filegag.com##a[href^="http://downloadsave.info/"] -dvdtalk.com##a[href^="http://dvdtalk.pricegrabber.com/"] -letstalkbitcoin.com##a[href^="http://easypress.ca/?V="] > img -gosugamers.net##a[href^="http://ebettle.com/"] -infowars.com##a[href^="http://efoodsdirect.sitescout.com/click?clid="] -theproxypirate.pw##a[href^="http://epicapple.link/"] -ucas.com##a[href^="http://eva.ucas.com/s/redirect.php?ad="] -hltv.org##a[href^="http://fanobet.com/"] -flashvids.org##a[href^="http://flashvids.org/click/"] -fmovies.is,fmovies.se,fmovies.to##a[href^="http://fmovies.se/player/download_in_hd.html"] -forumpromotion.net##a[href^="http://freebitco.in/?r="] -hotfile.mobi##a[href^="http://games.kobrawap.co.uk/"] -jpost.com##a[href^="http://gdeil.hit.gemius.pl/"] -pcgamesn.com##a[href^="http://geni.us/"] -uploadrocket.net##a[href^="http://getsecuredfiles.com/"] -mangahere.com##a[href^="http://go.game321.com/"] -go4up.com##a[href^="http://go4up.com/download/"] -300mbmovies4u.com,armorgames.com,getios.com,mangafox.me,myrls.se,ncrypt.in,odiamusic.mobi,rapidvideo.tv,theedge.co.nz,thehackernews.com,thevoicebw.com,wapking.cc,waploft.com##a[href^="http://goo.gl/"] -ancient-origins.net,wideopenspaces.com##a[href^="http://goo.gl/"] > img -hardwareheaven.com##a[href^="http://grape.hardwareheaven.com/"] -feedurbrain.com##a[href^="http://groupinsiders.com/showthread.php?"] > img -limetorrents.cc,thepiratebay.みんな##a[href^="http://guide-free.com/"] -kinox.to##a[href^="http://hd-streams.tv/"] -kingfiles.net##a[href^="http://hdplugin.fplayer-updates.com/"] -hotfiletrend.com##a[href^="http://hotfiletrend.com/c.php?"] -free-tv-video-online.me,movdivx.com,quicksilverscreen.com,veehd.com##a[href^="http://install.secure-softwaremanager.com/"] -ncrypt.in,querverweis.net##a[href^="http://is.gd/"] -quuit.com##a[href^="http://itunes.apple.com/"] -autodealer.co.za##a[href^="http://jag.go2cloud.org/aff_c?offer_id="] -minecraftprojects.net##a[href^="http://jmp2.am/"] -serials.ws,userscloud.com##a[href^="http://jobsetter.info/"] -fastvideo.eu,rapidvideo.org##a[href^="http://jojomedia.net/"] -ebooksx.org##a[href^="http://king.gameoftraffic.com/"] -hltv.org##a[href^="http://kinguin.net/"] -knowfree.net##a[href^="http://kvors.com/click/"] -whatismyip.com##a[href^="http://link.pcspeedup.com/aff_"] -winaero.com##a[href^="http://link.tweakbit.com/"] -flight-simulators.net##a[href^="http://linknow.me/"] -torrentzap.com##a[href^="http://links.torrentzap.com/go.php?"] -torrentzapproxy.com##a[href^="http://links.torrentzapproxy.com/"] -linuxforums.org##a[href^="http://linuxforums.tradepub.com/"] -warriorforum.com##a[href^="http://list-mob.com/"] > img -torlock.com,yourbittorrent.com##a[href^="http://livedowngreen.com/"] -uploadrocket.net##a[href^="http://livesetwebs.org/"] -d-h.st##a[href^="http://lp.sharelive.net/"] -psnprofiles.com##a[href^="http://manage.aff.biz/"] -boyantech.com##a[href^="http://marketing.net.jumia.com.ng/"] -isohunt.to,unlimitzone.com##a[href^="http://masteroids.com/"] -megauploadsearch.net##a[href^="http://megauploadsearch.net/adv.php"] -carpoint.com.au##a[href^="http://mm.carsales.com.au/carsales/adclick/"] -rapidvideo.ws##a[href^="http://modescrips.info/"] -justhungry.com##a[href^="http://moe.jlist.com/click/"] -monova.org##a[href^="http://mon.cdnfarm18.com/"] -thejointblog.com##a[href^="http://movieandmusicnetwork.com/content/cg/"] > img -moviearchive.eu##a[href^="http://moviearchive.sharingzone.net/"] -who.is##a[href^="http://name.market/?utm_source="] -rlsbb.com##a[href^="http://netload.in/index.php?refer_id="] -mobilust.net##a[href^="http://nicevid.net/?af="] -geekculture.co##a[href^="http://notionseo.com/"] -mp3db.ru##a[href^="http://novafile.com/premium"] -torrentfunk.com##a[href^="http://o.gng-dl.pw/"] -blasternation.com##a[href^="http://ox.fenixm.com/www/delivery/ck.php?"] -mail.google.com##a[href^="http://pagead2.googlesyndication.com/"] -skylineswiki.com##a[href^="http://pdxint.at/"] -azcentral.com##a[href^="http://phoenix.dealchicken.com/"] -vr-zone.com##a[href^="http://pikachu.vr-zone.com.sg/"] -123movies.ru##a[href^="http://player.123movies.ru/"] -123movies.to##a[href^="http://player.123movies.to/"] -kewlshare.com##a[href^="http://pointcrisp.com/"] -rarbg.to,rarbgmirror.com,rarbgproxy.com##a[href^="http://privateinternetaccess.com/"] -onhax.net##a[href^="http://prochina.work/"] -projectfreetv.ch##a[href^="http://projectfreetv.ch/adblock/"] -decadeforum.com,downdlz.com,downeu.org,serials.ws##a[href^="http://pushtraffic.net/TDS/?wmid="] -vodly.to##a[href^="http://r.lumovies.com/"] -search.yahoo.com##a[href^="http://r.search.yahoo.com/cbclk2/"] -boingboing.net##a[href^="http://r1.fmpub.net/?r="] -search.certified-toolbar.com##a[href^="http://redir.widdit.com/redir/?"] > * -toolsvoid.com##a[href^="http://ref.name.com/"] -nextofwindows.com##a[href^="http://remotedesktopmanager.com/?utm_source="] -hardwareheaven.com##a[href^="http://resources.heavenmedia.net/click_through.php?"] -richkent.com##a[href^="http://richkent.com/uses/"] -cartype.com,maxthon.com,psu.com##a[href^="http://rover.ebay.com/"] -avxhome.se,latestgadgets.tech##a[href^="http://s.click.aliexpress.com/e/"] -soundtrackcollector.com##a[href^="http://search.ebay.com/"] -thejointblog.com##a[href^="http://sensiseeds.com/refer.asp?refid="] > img -share-links.biz##a[href^="http://share-links.biz/redirect/"] -9to5google.com,9to5mac.com,9to5toys.com,androidcentral.com,crackberry.com,electrek.co,windowscentral.com##a[href^="http://shareasale.com/"] -search.com##a[href^="http://shareware.search.com/click?"] -merdb.ru##a[href^="http://shineads.net/"] -media1fire.com##a[href^="http://siement.info/"] -filetie.net##a[href^="http://softwares2015.com/"] -thejointblog.com##a[href^="http://speedweed.com/_clicktracker.php?code="] > img -uvnc.com##a[href^="http://sponsor2.uvnc.com"] -uvnc.com##a[href^="http://sponsor4.uvnc.com/"] -mp3monkey.net##a[href^="http://srv.tonefuse.com/showads/"] -isaumya.com##a[href^="http://studiotracking.envato.com/aff_c?offer_id="] -5x.to##a[href^="http://support.suc-team.info/aff.php"] -majorgeeks.com##a[href^="http://systweak.com/"] -tv.com##a[href^="http://target.georiot.com/"] -your-pagerank.com##a[href^="http://te-jv.com/?r="] -strata40.megabyet.net##a[href^="http://tiny.cc/freescan"] -kinox.to,ncrypt.in,openload.tv,serialbase.us,serialzz.us,solarmovie.cz,tubeoffline.com##a[href^="http://tinyurl.com/"] -todaypk.com##a[href^="http://todaypk.com/movie4k/"] -sharelinks.xyz##a[href^="http://todaypk.com/watch/?"] -sockshare.com##a[href^="http://toolkitfreefast.com/"] -encyclopediadramatica.es,encyclopediadramatica.se##a[href^="http://torguard.net/"] -fastvideo.eu,rapidvideo.org##a[href^="http://toroadvertisingmedia.com/"] -catmo.ru##a[href^="http://torrentindex.org/"] -torrentroom.com##a[href^="http://torrentroom.net/afbc/"] -20somethingfinance.com##a[href^="http://track.flexlinks.com/a.ashx?"] -mangafox.me##a[href^="http://track.games.la/"] -yourbittorrent.com##a[href^="http://track.scanguard.com/"] -lolking.net##a[href^="http://track.strife.com/?"] -iwatchonline.to##a[href^="http://tracking.aunggo.com/"] -cryptocoinsnews.com##a[href^="http://tracking.coin.mx/aff_c?offer_id="] -lmgtfy.com##a[href^="http://tracking.livingsocial.com/aff_c?"] -hipfile.com##a[href^="http://tracktrk.net/?"] -imageporter.com##a[href^="http://trw12.com/"] -tulsaworld.com##a[href^="http://tulsaworld.autoracing.upickem.net/autoracing/"] -ugotfile.com##a[href^="http://ugotfile.com/affiliate?"] -uncova.com##a[href^="http://uncova.com/adClick/"] -serials.ws##a[href^="http://unlimitedloads.com/"] -uploadrocket.net##a[href^="http://uploadrocket.net/directdownload."] -israbox.info##a[href^="http://urmusiczone.com/signup?"] -pandaapp.com##a[href^="http://vda.gtarcade.com/?q="] -wakingtimes.com##a[href^="http://wakingtimes.com/ads/"] -videomide.com##a[href^="http://wapdollar.in/"] -bitminter.com##a[href^="http://wbf.go2cloud.org/aff_c?offer_id="] -imagenpic.com,imageshimage.com,imagetwist.com##a[href^="http://wct.link/"] -shelbystar.com##a[href^="http://web.gastongazette.com/advertising/"] -windows7themes.net##a[href^="http://windows7themes.net/creatives2/"] -webdesignshock.com##a[href^="http://www.123rf.com"] -serials.ws##a[href^="http://www.1clickmoviedownloader.net/"] -300mbfilms.com##a[href^="http://www.300mbfilms.com/ads/"] -distrowatch.com##a[href^="http://www.3cx.com/"] -movie4u.org##a[href^="http://www.4kmoviesclub.com/signup?"] -soundtrackcollector.com##a[href^="http://www.MovieGoods.com/?mgaid="] -distrowatch.com##a[href^="http://www.acunetix.com/"] -softwaresplus.com##a[href^="http://www.ad2links.com/"] -babelzilla.org##a[href^="http://www.addonfox.com/"] -printroot.com##a[href^="http://www.adgz.net/"] -jordantimes.com##a[href^="http://www.aigcmiddleast.com/ads"] -thehackernews.com##a[href^="http://www.alienvault.com/"] -alluc.com##a[href^="http://www.alluc.com/source/unl.php"] -distrowatch.com,dvdtalk.com,soundtrackcollector.com##a[href^="http://www.amazon."][href*="/obidos/ASIN/"] -absoluteradio.co.uk##a[href^="http://www.amazon."][href*="creativeASIN"] -absoluteradio.co.uk,aol.co.uk,azlyrics.com,cloudfront.net,dailypaul.com,desktoplinuxreviews.com,dvdtalk.com,ign.com,indiatimes.com,jimlynch.com,maxthon.com,mkfm.com,opensubtitles.org,policestateusa.com,quuit.com,seganerds.com,songfacts.com,tv.com##a[href^="http://www.amazon."][href*="tag="] -9to5google.com,9to5mac.com,9to5toys.com,androidcentral.com,electrek.co##a[href^="http://www.amazon.com/gp/"] -urgrove.com##a[href^="http://www.amoninst.com/"] -hqwallpapers4free.com##a[href^="http://www.anno1777.com/index.php?i="] -macdailynews.com##a[href^="http://www.anrdoezrs.net/click-"] -publicradio.org##a[href^="http://www.arkivmusic.com/classical/Playlist?&source="] -aspkin.com##a[href^="http://www.aspkin.com/go/"] -dumbassdaily.com##a[href^="http://www.badjocks.com"] -batmanstream.com##a[href^="http://www.batmanstream.com/static/fplayer/"] -bitcoinukforum.com##a[href^="http://www.betcoinpartners.com/"] -freetv-video.ca##a[href^="http://www.bhmfinancial.com/"] -bingo-hunter.com##a[href^="http://www.bingo3x.com/main.php"] -rghost.net##a[href^="http://www.binverse.com"] -torrentfreak.tv##a[href^="http://www.binverse.com/offers/"] -freebitco.in##a[href^="http://www.bitcoininsanity.com/affiliates/"] -bitlordsearch.com##a[href^="http://www.bitlordsearch.com/bl/fastdibl.php?"] -freebitcoins.nx.tc,getbitcoins.nx.tc##a[href^="http://www.bitonplay.com/create?refCode="] -biznews.com##a[href^="http://www.biznews.com/sponsored/"] -usenet-crawler.com##a[href^="http://www.cash-duck.com/"] -soundtrackcollector.com##a[href^="http://www.cdandlp.com/"][href*="&affilie=filmmusic"] -gsmarena.com##a[href^="http://www.cellpex.com/affiliates/"] -onlinefreetv.net##a[href^="http://www.chitika.com/publishers/apply?refid="] -ciao.co.uk##a[href^="http://www.ciao.co.uk/ext_ref_call.php"] -cryptothrift.com##a[href^="http://www.coinographic.com/"] -india.com##a[href^="http://www.compareraja.in/"] -majorgeeks.com##a[href^="http://www.compatdb.org/"] -couchtuner.bz##a[href^="http://www.couchtuner.bz/play.html?"] -feed-the-beast.com##a[href^="http://www.creeperhost.net/aff.php?aff="] -tulsaworld.com##a[href^="http://www.dailydealtulsa.com/deal/"] -blackhatlibrary.net##a[href^="http://www.darkexile.com/forums/index.php?action=affiliates"] -serials.ws##a[href^="http://www.dl-provider.com/"] -dlh.net##a[href^="http://www.dlh.net/advs/www/delivery/ck.php?"] -pdf-giant.com,watchseries.biz,yoddl.com##a[href^="http://www.downloadprovider.me/"] -crackberry.com,thesearchenginelist.com,windowscentral.com##a[href^="http://www.dpbolvw.net/"] -bootstrike.com,dreamhosters.com,howtoblogcamp.com##a[href^="http://www.dreamhost.com/r.cgi?"] -sina.com##a[href^="http://www.echineselearning.com/"] -betterhostreview.com##a[href^="http://www.elegantthemes.com/affiliates/"] -professionalmuscle.com##a[href^="http://www.elitefitness.com/g.o/"] -internetslang.com##a[href^="http://www.empireattack.com"] -lens101.com##a[href^="http://www.eyetopics.com/"] -hltv.org##a[href^="http://www.fanobet.com/"] -mercola.com##a[href^="http://www.fatswitchbook.com/"] > img -rapidvideo.org##a[href^="http://www.filmsenzalimiti.co/"] -omegleconversations.com##a[href^="http://www.freecamsexposed.com/"] -livetvcafe.net##a[href^="http://www.freegamesall.com"] -liveleak.com##a[href^="http://www.freemake.com/"] -fxsforexsrbijaforum.com##a[href^="http://www.fxlider.com/lp4/9-koraka-do-zarade/?tag="] > img -bootstrike.com##a[href^="http://www.gog.com/en/frontpage/?pp="] -bingo-hunter.com##a[href^="http://www.harrysbingo.co.uk/index.php"] -rapidvideo.tv##a[href^="http://www.hdvid-codecs.com/"] -htcsource.com##a[href^="http://www.htcsimunlock.com/"] -guns.ru##a[href^="http://www.impactguns.com/cgi-bin/affiliates/"] -uploadrocket.net##a[href^="http://www.insta-cash.net/"] -softpedia.com##a[href^="http://www.iobit.com/"] -androidcentral.com,crackberry.com,macdailynews.com,softpedia.com,windowscentral.com##a[href^="http://www.jdoqocy.com/"] -jewishpress.com##a[href^="http://www.jewishpress.com/addendum/sponsored-posts/"] -ps3iso.com##a[href^="http://www.jobboy.com/index.php?inc="] -hltv.org##a[href^="http://www.kinguin.net/"] -macdailynews.com,thesearchenginelist.com,web-cam-search.com##a[href^="http://www.kqzyfj.com/click-"] -hotbollywoodactress.net##a[href^="http://www.liposuctionforall.com/"] -livescore.cz##a[href^="http://www.livescore.cz/go/click.php?"] -majorgeeks.com##a[href^="http://www.majorgeeks.com/compatdb"] -emaillargefile.com##a[href^="http://www.mb01.com/lnk.asp?"] -sing365.com##a[href^="http://www.mediataskmaster.com"] -megatorrent.eu##a[href^="http://www.megatorrent.eu/tk/file.php?q="] -htmlgoodies.com##a[href^="http://www.microsoft.com/click/"] -infowars.com##a[href^="http://www.midasresources.com/store/store.php?ref="] -theringer.com##a[href^="http://www.millerlite.com/"] -armorgames.com##a[href^="http://www.mmo123.co/"] -movie2kto.ws##a[href^="http://www.movie2kto.ws/watchnow?"] -quicksilverscreen.com##a[href^="http://www.movies-for-free.net"] -pixhost.org##a[href^="http://www.mydownloader.net/pr/"] -2x4u.de##a[href^="http://www.myfreecams.com/?baf="] -wonkette.com##a[href^="http://www.newsmax.com?promo_code="] -cnn.com##a[href^="http://www.nextadvisor.com/"] -netmarketshare.com##a[href^="http://www.ns8.com?"] -masterani.me##a[href^="http://www.nutaku.com/signup/landing/"] -kaaz.eu##a[href^="http://www.offersfair.com/"] -obfuscatorjavascript.info##a[href^="http://www.oplata.info/"] -aol.com##a[href^="http://www.opselect.com/ad_feedback/"] -davidwalsh.name##a[href^="http://www.oreilly.com/pub/"] -distrowatch.com##a[href^="http://www.osdisc.com/"] -shareplace.org,yourfiles.to##a[href^="http://www.pc-bodyguard.com/?p="] -majorgeeks.com##a[href^="http://www.pctools.com/"] -jpupdates.com##a[href^="http://www.perfectautony.com"] > img -pinknews.co.uk##a[href^="http://www.pinknews.co.uk/clicks/"] -internetslang.com##a[href^="http://www.pointlesssites.com"] -myway.com##a[href^="http://www.popswatter.com/?partner="] -primewire.ag##a[href^="http://www.primewire.ag/ab_play/"] -bestgore.com##a[href^="http://www.punishtube.com/"] -tomsguide.com,tomshardware.co.uk,tomshardware.com##a[href^="http://www.purch.com/perks?"] -publichd.se##a[href^="http://www.putdrive.com/?"] -mg-rover.org##a[href^="http://www.quotezone.co.uk/SetAffiliate.php?aid="] -sharesix.com##a[href^="http://www.reduxmediia.com/"] -majorgeeks.com##a[href^="http://www.reimageplus.com/includes/router_land.php"] -tweaking.com##a[href^="http://www.reimageplus.com/includes/router_land.php?"] -fxsforexsrbijaforum.com##a[href^="http://www.rfxt.com.au/"] > img -rpg.net##a[href^="http://www.rpg.net/ads/"] -gruntig.net,jpupdates.com##a[href^="http://www.sellmilesnow.com"] > img -oss.oetiker.ch##a[href^="http://www.serverscheck.com/sensors?"] -blogengage.com,isaumya.com,myanimelist.net##a[href^="http://www.shareasale.com/r.cfm?"] -wpdailythemes.com##a[href^="http://www.shareasale.com/r.cfm?b="] > img -bestgore.com##a[href^="http://www.slutroulette.com/"] -softpedia.com##a[href^="http://www.softpedia.com/aout.php"] -softpedia.com##a[href^="http://www.softpedia.com/yout.php"] -findsounds.com##a[href^="http://www.soundsnap.com/search/"] -drum.co.za,you.co.za##a[href^="http://www.spree.co.za/"] -leecher.to##a[href^="http://www.stargames.com/bridge.asp"] -kenrockwell.com##a[href^="http://www.steeletraining.com/idevaffiliate/idevaffiliate.php"] -azlyrics.com##a[href^="http://www.ticketnetwork.com/"] -egigs.co.uk##a[href^="http://www.ticketswitch.com/cgi-bin/web_finder.exe"] -mailinator.com##a[href^="http://www.tkqlhce.com/"] -limetor.net,limetorrents.cc,limetorrents.co,torrentdownloads.cc##a[href^="http://www.torrentindex.org/"] -tri247.com##a[href^="http://www.tri247ads.com/"] -tsbmag.com##a[href^="http://www.tsbmag.com/wp-content/plugins/max-banner-ads-pro/"] -tvduck.com##a[href^="http://www.tvduck.com/graboid.php"] -tvduck.com##a[href^="http://www.tvduck.com/netflix.php"] -linuxformat.com##a[href^="http://www.ukfast.co.uk/linux-jobs.html/#utm_source="] -codecguide.com,downloadhelper.net,dvdshrink.org,thewindowsclub.com##a[href^="http://www.uniblue.com/"] -distrowatch.com##a[href^="http://www.unixstickers.com/"] -israbox.info##a[href^="http://www.urmusiczone.com/signup?"] -thejointblog.com##a[href^="http://www.vapornation.com/?="] > img -exashare.com##a[href^="http://www.video1404.info/"] -watchmovienow.site##a[href^="http://www.watchmovienow.site/?"] -thejointblog.com##a[href^="http://www.weedseedshop.com/refer.asp?refid="] > img -womenspress.com##a[href^="http://www.womenspress.com/Redirect.asp?"] -wptmag.com##a[href^="http://www.wptmag.com/promo/"] -israbox.net,silvertorrent.org,watchonlinefree.tv##a[href^="http://www.yourfilezone.com/"] -youtube.com##a[href^="http://www.youtube.com/cthru?"] -avxhome.se##a[href^="http://www.zevera.com/afi.html?"] -free-tv-video-online.me,muchshare.net##a[href^="http://wxdownloadmanager.com/"] -datafilehost.com##a[href^="http://zilliontoolkitusa.info/"] -authoritynutrition.com##a[href^="https://authoritynutrition.com/go/"] -yahoo.com##a[href^="https://beap.adss.yahoo.com/"] -yahoo.com##a[href^="https://beap.gemini.yahoo.com/mbclk?"][target="_blank"] -cryptocoinsnews.com,landofbitcoin.com##a[href^="https://bitcasino.io?ref="] -blockchain.info##a[href^="https://blockchain.info/r?url="] > img -cnn.com##a[href^="https://campaigns.gobankingrates.com/"] -bitcointalk.org##a[href^="https://cex.io/"] -newsinenglish.no,windowscentral.com##a[href^="https://clk.tradedoubler.com/"] -cnn.com##a[href^="https://cnnmoneytransfers.com/"] -activistpost.com##a[href^="https://coinbase.com/?r="] -cryptocoinsnews.com##a[href^="https://coince.com/?u="] -deconf.com##a[href^="https://deconf.com/out/"] -codeproject.com##a[href^="https://dm.codeproject.com/"] -cryptocoinsnews.com##a[href^="https://fortunejack.com/affiliate/"] -torlock.com,torrentfunk.com##a[href^="https://go.nordvpn.net/"] -bitcoinmagazine.com##a[href^="https://godistributed.com/trade?"] -9to5google.com,9to5mac.com,9to5toys.com,electrek.co,pcgamesn.com,thehackernews.com,tribuneonlineng.com##a[href^="https://goo.gl/"] -userscdn.com##a[href^="https://hostdzire.com/billing/aff.php?"] -jazzfm.com##a[href^="https://itunes.apple.com/"] -landofbitcoin.com##a[href^="https://localbitcoins.com/?ch="] -conservativetribune.com,mindsetforsuccess.net##a[href^="https://my.leadpages.net/"] -imagecurl.com,rarbg.to,rarbgmirror.com,rarbgproxy.com##a[href^="https://privateinternetaccess.com/"] -cnn.com##a[href^="https://products.gobankingrates.com/"] -aol.co.uk##a[href^="https://rover.ebay.com/"] -torrentz2.eu,torrentz2.me##a[href^="https://s3-us-west-2.amazonaws.com/"] -watchfree.to##a[href^="https://secure.link/"] -cryptocoinsnews.com##a[href^="https://sportsbet.io?ref="] -demonoid.ooo,demonoid.ph,demonoid.pw##a[href^="https://torrshield.com/#"] -bitminter.com##a[href^="https://wbf.go2cloud.org/aff_c?offer_id="] -zorrostream.com##a[href^="https://wl1xbet.adsrv.eacdn.com/"] -leo.org##a[href^="https://www.advertising.de/"] -9to5google.com,9to5mac.com,9to5toys.com,electrek.co,gamenguide.com,myanimelist.net,parentherald.com,segmentnext.com##a[href^="https://www.amazon."][href*="tag="] -androidcentral.com##a[href^="https://www.amazon.com/b?"] -cryptocoinsnews.com##a[href^="https://www.anonibet.com/"] -bitminter.com##a[href^="https://www.cloudbet.com/en/?af_token="] -cnn.com##a[href^="https://www.cnnmoneytransfers.com/"] -escapefromobesity.net##a[href^="https://www.dietdirect.com/rewardsref/index/refer/"] -conservativereview.com##a[href^="https://www.levintv.com/?utm_source="] -linkbucks.com##a[href^="https://www.linkbucks.com/advertising"] -avxhome.se##a[href^="https://www.nitroflare.com/payment?webmaster="] -freenode.org,rarbg.to,rarbgmirror.com,rarbgproxy.com##a[href^="https://www.privateinternetaccess.com/"] -xscores.com##a[href^="https://www.rivalo1.com/?affiliateId="] -alternet.org##a[href^="https://www.rtqscore.com/?ptr="] -youtube.com##a[href^="https://www.youtube.com/cthru?"] -krapps.com##a[href^="index.php?adclick="] -torlock.com,torrentfunk.com,vidtodo.com,yourbittorrent.com##a[href^="javascript:"] -piratebay.to##a[href^="magnet:"] + a -movietv4u.pro##a[href^="stream4k.php?q="] -essayscam.org##a[id^="banner_"] -eztv.ag##a[id^="mell"] -limetorrents.cc,torrentdownloads.me##a[key] -primewire.ag,primewire.in,primewire.is##a[onclick*="'bt_stream'"] -washingtontimes.com##a[onclick*="'homepage-ad-tracking2'"] -primewire.ag,primewire.in,primewire.is##a[onclick*="'promo_host'"] -primewire.ag,primewire.in,primewire.is##a[onclick*="'sponsor_host'"] -file-upload.net,gofirstrow.eu##a[onclick*=".adsjudo.com"] -m.youtube.com##a[onclick*="\"ping_url\":\"http://www.google.com/aclk?"] -monova.org##a[onclick*="clicked"] -mensxp.com##a[onclick*="http://www.mensxp.com/mxlck/click.htm"] -software182.com##a[onclick*="sharesuper.info"] -sportcategory.org##a[onclick*="trafficinvest.com"] -ndtv.com##a[onclick*="window.open("][href$="=p"] -titanmule.to##a[onclick="emuleInst();"] -titanmule.to##a[onclick="installerEmule();"] -fullstuff.co,watchers.to,yogisoftworld.blogspot.co.nz,yogisoftworld.blogspot.co.uk,yogisoftworld.blogspot.com##a[onclick] -powerbot.org##a[onclick][href^="http://px.rs/"] -platinlyrics.com##a[onclick^="DownloadFile('lyrics',"] -nba-stream.com##a[onclick^="OpenInNewTab();"] -cryptocoinsnews.com,ebooks-share.net##a[onclick^="_gaq.push(['_trackEvent', 'Ads"] -shtfplan.com##a[onclick^="_gaq.push(['_trackEvent', 'Banner',"] -shtfplan.com##a[onclick^="_gaq.push(['_trackEvent', 'TextAd',"] -checkpagerank.net##a[onclick^="_gaq.push(['_trackEvent', 'link', 'linkclick'"] -primewire.ag,primewire.in,primewire.is##a[onclick^="_gaq.push(['_trackEvent', 'secure_install',"] -zoozle.org##a[onclick^="downloadFile('download_big', null,"] -zoozle.org##a[onclick^="downloadFile('download_related', null,"] -rghost.net##a[onclick^="goad"] -naturalon.com,torlock.com,torrentfunk.com,yourbittorrent.com##a[onclick^="javascript:"] -activistpost.com##a[onclick^="javascript:window.open('http://activistpost.net/droughtusa.html')"] -activistpost.com##a[onclick^="javascript:window.open('http://activistpost.net/patriotprivacy.html')"] -coinurl.com,cur.lv##a[onclick^="open_ad('"] -w3schools.com##a[rel="nofollow"] -torrentz2.eu##a[rel="nofollow"][href] -nixiepixel.com##a[rel^="http://bit.ly/"] -bitcointalk.org##a[style$=";width:700px;"] -grammarist.com##a[style*="cursor: pointer"] -activistpost.com##a[style="clear: right; float: right; margin-bottom: 0em; margin-left: 1em;"] -torrenticity.com##a[style="color:#05c200;text-decoration:none;"] -gorillavid.in##a[style="cursor: pointer;"] -softpedia.com##a[style="display: block; width: 970px; height: 90px;"] -billionuploads.com##a[style="display: inline-block;width: 728px;margin: 25px auto -17px auto;height: 90px;"] -bitcointalk.org##a[style="text-decoration:none; display:inline-block; "] -lifewithcats.tv##a[style="width: 318px; height: 41px; padding: 0px; left: 515px; top: 55px; opacity: 1;"] -uploadocean.com##a[style][href][target="_blank"] -sh.st,yourupload.com##a[style][onclick] -easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##a[style^="display: block;"] -bitcointalk.org##a[style^="display: inline-block; text-align:left; height: 40px;"] -nba-stream.com##a[style^="width:100%; height:100%;"] -betfooty.com##a[target="_blank"] > .wsite-image[alt="Picture"] -mmorpg.com##a[target="_blank"] > [id][src] -ndtv.com##a[target="_blank"][href$="=p"] -thejointblog.com##a[target="_blank"][href="http://smokecartel.com/"] -herold.at##a[target="_blank"][href="http://www.adaffix.com"] -letstalkbitcoin.com##a[target="_blank"][href="http://www.edandethan.com"] > img -letstalkbitcoin.com##a[target="_blank"][href="http://www.madmoneymachine.com"] > img -gbatemp.net##a[target="_blank"][href="http://www.nds-card.com"] > img -herold.at##a[target="_blank"][href="http://www.reise-hero.com/"] -herold.at##a[target="_blank"][href="http://www.urlauburlaub.at"] -iptvplaylists.com##a[target="_blank"][href] -noscript.net##a[target="_blank"][href^="/"] -mic.com##a[target="_blank"][href^="/click?"] -wg-gesucht.de##a[target="_blank"][href^="http://affiliate.immobilienscout24.de/go.cgi?pid="] -thefinancialbrand.com##a[target="_blank"][href^="http://bit.ly/"] -bitcoinfees.com##a[target="_blank"][href^="http://bitcoinkamikaze.com/ref/"] > img -rcgroups.com##a[target="_blank"][href^="http://decals.rcgroups.com/adclick.php?bannerid="] -freedomhacker.net##a[target="_blank"][href^="http://freedomhacker.net/out/"] > img -gbatemp.net##a[target="_blank"][href^="http://www.nds-card.com/ProShow.asp?ProID="] > img -softpedia.com##a[target="_blank"][href^="http://www.softpedia.com/xout.php?l="] -yahoo.com##a[target="_blank"][href^="https://beap.gemini.yahoo.com/mbclk?"] -bitcoinexaminer.org##a[target="_blank"][href^="https://www.itbit.com/?utm_source="] > img -tvmuse.com##a[target="_blank"][onclick] -horriblesubs.info##a[target="_blank"][rel="nofollow"] -noscript.net##a[target="_blаnk"][href$="?MT"] -bodymindsoulspirit.com##a[target="_new"] > img -hookedonads.com##a[target="_top"][href="http://www.demilked.com"] > img -libertyblitzkrieg.com##a[target="ad"] -putlocker.is,putlocker.live,putlocker9.co##a[target][href*=".php"] -pirateproxy.vip,thepiratebay.org,theproxypirate.pw,tpb.run,ukpirate.org##a[title*="Anonymous Download"] -lordtorrent3.ru##a[title="Download"] -mywatchseries.to,watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ph##a[title="Sponsored"] -torfinder.net,vitorrent.org##a[title="sponsored"] -bitcointalk.org##a[title^="LuckyBit"] -herold.at##a[title^="Werbung: "][target="_blank"] -irrigator.com.au##advertisement -flightglobal.com##advertisingheader -thegatewaypundit.com##article > .entry-content + span * -itechpost.com##article > .story-contents a[href^="https://www.amazon.com/"] -latinopost.com##article > .story-picture + .story-contents + * -techpowerup.com##article > a[rel="nofollow"][href][target="_blank"] img[src] -monova.org##article > article -kpopstarz.com##article > div > div:first-child + :last-child -thegatewaypundit.com##article > div > span:first-child -thegatewaypundit.com##article > span + span -slashdot.org##article[class*="sponsored"] -xing.com##article[data-impression*="\"type\":\"ad\""] -xing.com##article[data-tracking*="\"type\":\"ad_"] -conservativevideos.com##article[id^="post-"] + div > :first-child -conservativevideos.com##aside > [id^="text-"].widget_text + div -techpowerup.com##aside > article[class] + aside[class] -thegatewaypundit.com##aside > div + * > span:last-child -pitgrit.com##aside > div span > [class]:first-child -activistpost.com##aside > span + span -makeuseof.com##aside a[href][target="_blank"] -thegatewaypundit.com##aside.sidebar > span + span -thegatewaypundit.com##aside:last-child > div + span + * -thegatewaypundit.com##aside:last-child > p + span -activistpost.com##aside:last-child > span + span + * -techpowerup.com##aside[class] > article + div[class] -techpowerup.com##b > img[src] -creatives.livejasmin.com##body -norwsktv.com##body > #total -just-dice.com##body > .wrapper > .container:first-child -dansdeals.com##body > a[target="_blank"] > img -sitevaluecalculator.com##body > center > br + a[target="_blank"] > img -oddee.com##body > div + span + span -fancystreems.com##body > div > a -primewire.ag##body > div > div[id][style^="z-index:"]:first-child -movie2k.tl##body > div > div[style^="height: "] -atdee.net,drakulastream.eu,magnovideo.com,movie2k.tl,sockshare.ws,streamhunter.eu,videolinkz.us,vodly.to,watchfreeinhd.com,zuuk.net##body > div > div[style^="z-index: "] -www.google.com##body > div[align]:first-child + style + table[cellpadding="0"][width="100%"] > tbody:only-child > tr:only-child > td:only-child -delishows.com##body > div[id] > div[id][style] > div[style] -da.feedsportal.com##body > iframe + script + table[align="center"][valign="middle"] -widestream.io##body > link + style + div[class] -domains.googlesyndication.com##body > table:first-child + table -domains.googlesyndication.com##body > table:first-child + table + table -domains.googlesyndication.com##body > table:first-child > tbody:first-child > tr:first-child > td:first-child > table:first-child + table -domains.googlesyndication.com##body > table:first-child > tbody:first-child > tr:first-child > td:first-child > table:first-child + table + table -oddee.com##br + br + :last-child -oddee.com##br + div + span -facebook.com##button[data-gt*="\"ref\":\"ad\""] -onhax.me##button[onclick] -onhax.me##button[type] -jguru.com##center -pocketnow.com##center + a[href^="/"] -findagrave.com##center > .search-widget -nzbindex.com,nzbindex.nl##center > a > img[style="border: 1px solid #000000;"] -cryptocoinsnews.com##center > a[href="https://xbt.social"] -gelbooru.com##center > a[href] -pocketnow.com##center > a[href^="/"] -proxyserver.asia##center > a[href^="http://goo.gl/"][target="_blank"] -go4up.com##center > a[target="_blank"] -destructoid.com##center > div > iframe -4shared.com##center[dir="ltr"] -ehow.com##center[id^="DartAd_"] -forumswindows8.com##center[style="font-size:15px;font-weight:bold;margin-left:auto; margin-right:auto;"] -helenair.com##dd -filenuke.com,sharesix.com##div + div > a[href*="/"]:last-child -userscloud.com##div + div[style^="height:"] + div -oddee.com##div + span > :first-child + [style] -pitgrit.com##div > #content > #single-content div > div:last-child -vgpwn.com##div > #sidebar -infowars.com##div > #sidebar > ul > li > div:first-child + * -watchfree.to##div > .episode_pagination + [class] -dragoart.com##div > :first-child + .box_pad -monova.org##div > :first-child > [onclick] -activistpost.com##div > :first-child > article + div + * + * -thefreethoughtproject.com##div > [class][style*="height:"] -drivers.softpedia.com##div > [class][style^="padding: "] -notebookcheck.net##div > [id][class] > img[src^="/"] -monova.org##div > [link] -monova.org##div > [src]:first-child -collectivelyconscious.net##div > [style*="!important"] -slashdot.org##div > [style*="margin-bottom:"]:last-child -monova.org##div > [style*="width:"] -limetorrents.cc##div > [style="float:left; padding: 5px"] + div[style="float:left"] -monova.org##div > a > img -kitguru.net##div > a[class] > img[src] -btsone.cc##div > a[class][rel="nofollow"][onclick] -fullstuff.co##div > a[href][rel="nofollow"] -thefreedictionary.com##div > a[rel="nofollow"][href] -monova.org##div > a[style][href^="http://"] -softpedia.com##div > div + a[id] -oddee.com##div > div + span + span -monova.org##div > div > [target="_blank"] -ancient-origins.net##div > div > iframe -mywatchseries.to##div > div > style + [class] -pocketnow.com##div > div > table:last-child -hngn.com##div > div[class]:first-child + div > div > div[class]:first-child -destructoid.com,thefreethoughtproject.com,tweaktown.com,veteranstoday.com##div > div[id] > iframe[id] -search.mywebsearch.com##div > div[style="padding-bottom: 12px;"] -monova.org##div > div[style^="display:"] -thegatewaypundit.com##div > div[style^="padding"] -d-h.st,roadracerunner.com,trifind.com##div > iframe -jewsnews.co.il##div > iframe[class] -datpiff.com##div > iframe[class]:first-child -computershopper.com##div > iframe[id][title] -breakingisraelnews.com,freewarefiles.com,thefreethoughtproject.com##div > iframe[style] -thegatewaypundit.com##div > main > article > div + div + * -filenuke.com,sharesix.com##div > p:first-child + div -monova.org##div > script + [class][style] -mobilelikez.com##div > span > div + * -monova.org##div > span > span -mobilelikez.com##div > span:last-child > [id][class] -mobilelikez.com##div > span[style] > div:last-child -collectivelyconscious.net##div > style + [class] -watch-series.to##div > style + div[id] > [id][style]:first-child -monova.org##div article -onhax.me##div p + div[id][class] -mail.yahoo.com##div#msg-list .list-view .ml-bg:not(.list-view-item-container) -sitepoint.com##div.maestro > div > [id^="ember"] -monova.org##div:first-child > div > div + div + [class] -thelakewoodscoop.com##div[align="center"][style="margin-bottom:10px;"] -altenen.com##div[align="left"] > p + p[align="center"] -sicilyintheworld.com##div[align="right"][bold][font\:][padding\:] -alternet.org##div[aria-labelledby="ui-dialog-title-altsocial_splash"] + .ui-widget-overlay -ctpost.com,seattlepi.com,timesunion.com##div[class$="-dealnews"] -filecrop.com##div[class$="160_600"] -filecrop.com##div[class$="728_90"] -distractify.com##div[class*="AdInArticle"] -distractify.com##div[class*="RightRailAd"] -issuu.com##div[class*="adContainer"] -issuu.com##div[class*="adLeaderboardContainer"] -yahoo.com##div[class*="ads-"] -facebook.com##div[class="ego_column _5qrt"] -facebook.com##div[class="ego_column _8_9"] -facebook.com##div[class="ego_column pagelet _5qrt _1snm _xi9"] -facebook.com##div[class="ego_column pagelet _5qrt _1snm l_1br60i3rxk"] -facebook.com##div[class="ego_column pagelet _5qrt _1snm n_1bbmy10ju8"] -facebook.com##div[class="ego_column pagelet _5qrt _1snm w_kz0xdhkq7"] -facebook.com##div[class="ego_column pagelet _5qrt _1snm"] -facebook.com##div[class="ego_column pagelet _5qrt _xi9"] -facebook.com##div[class="ego_column pagelet _5qrt _y92 _1snm"] -facebook.com##div[class="ego_column pagelet _5qrt _y92"] -facebook.com##div[class="ego_column pagelet _5qrt l_1br60i3rxk"] -facebook.com##div[class="ego_column pagelet _5qrt n_1bbmy10ju8"] -facebook.com##div[class="ego_column pagelet _5qrt"] -facebook.com##div[class="ego_column pagelet _y92 _5qrt _1snm"] -facebook.com##div[class="ego_column pagelet _y92 _5qrt"] -facebook.com##div[class="ego_column pagelet _y92"] -facebook.com##div[class="ego_column pagelet l_1br60i3rxk"] -facebook.com##div[class="ego_column pagelet n_1bbmy10ju8"] -facebook.com##div[class="ego_column pagelet"] -facebook.com##div[class="ego_column"] -mobilelikez.com##div[class] > span > span > :first-child -thevideo.me##div[class][style*="height:100%;"]:last-child -thevideo.me##div[class][style] > a[style]:last-child -bulletsfirst.net##div[class][style^="display:"] -issuu.com##div[class^="ExploreShelf__ad"] -kinox.to##div[class^="Mother_"][style^="display: block;"] -britannicaenglish.com,nglish.com##div[class^="WordFromSponsor"] -anime1.com,animefreak.tv##div[class^="a-filter"] -drama.net##div[class^="ad-filter"] -manaflask.com##div[class^="ad_a"] -greatandhra.com##div[class^="add"] -bestream.tv##div[class^="adsRemove"] -u00p.com##div[class^="adv-box"] -hattrick.org##div[class^="bannerBackground"] -ragezone.com##div[class^="bannerBox"] -plsn.com##div[class^="clickZone"] -webhostingtalk.com##div[class^="flashAd_"] -web2.0calc.com##div[class^="gad"] -grammarist.com##div[class^="post-"] > div[style="margin:40px 0;"][align="center"] -avforums.com##div[class^="takeover_box_"] -linuxbsdos.com##div[class^="topStrip"] -yttalk.com##div[class^="toppedbit"] -mlbstream.me##div[class^="vip"] -realmadrid.com##div[data-ads-block="desktop"] -yahoo.com##div[data-beacon] > div[class*="streamBoxShadow"] -wayn.com##div[data-commercial-type="MPU"] -monova.org##div[data-id] -monova.to##div[data-id^="http://centertrust.xyz/"] -ehow.com##div[data-module="radlinks"] -engadget.com##div[data-nav-drawer-slide-panel] > aside[role="banner"] -tomsguide.com##div[data-tracking^="http://out.tomsguide.fr/clic.php?"][data-shopping-template="ProductTable"] -tomsguide.com##div[data-tracking^="http://out.tomsguide.fr/clic.php?"][data-shopping-template="ShoppingBlock_template"] -yahoo.com##div[data-type="ADS"] -businessinsider.in##div[data-widget^="colombia"] + * + * -deviantart.com##div[gmi-name="ad_zone"] -thetechjournal.com##div[height="250"] -tinypic.com##div[id$="Banner"] -lastresistance.com##div[id$="FloatingBanner"] -search.snapdo.com##div[id$="TopD"] -phoronix.com##div[id$="ad_container"] -1337x.to,anime-joy.tv,kickass.cd,torrentz2.eu,torrentz2.me,watchcartoononline.io##div[id*="Composite"] -multiup.org##div[id*="ScriptRoot"] -sockshare.ws##div[id] > [id][style^="height: "] -softpedia.com##div[id]:last-child > img[src]:first-child -easybib.com##div[id][class][style*="height:"] -easybib.com##div[id][class][style*="width:"] -freethesaurus.com##div[id][class][style="height: auto;"] > a > img -computershopper.com##div[id][data-google-query-id] -bibme.org##div[id][style*="margin: "] -automotive.com,internetautoguide.com,motortrend.com##div[id^="AD_CONTROL_"] -topdocumentaryfilms.com##div[id^="AdAuth"] -internetautoguide.com,motorcyclistonline.com##div[id^="GOOGLE_ADS_"] -automotive.com##div[id^="LEADER_BOARD_"] -vidspot.net##div[id^="On1Pl"] -vidspot.net##div[id^="On2Pl"] -yourstory.com##div[id^="YS-MastHead"] -yourstory.com##div[id^="YS-ZONE"] -nowvideo.ch,nowvideo.to##div[id^="aad"] -shortlist.com##div[id^="ad-slot"] -minecraftforum.net##div[id^="ad-wrapper-"] -ucoz.com,ucoz.net,ucoz.org##div[id^="adBar"] -chess.com##div[id^="ad_report_host_"] -bossmp3.me##div[id^="adg"] -warframe-builder.com##div[id^="ads"] -mahalo.com##div[id^="ads-section-"] -salfordonline.com##div[id^="advads-"] -streetmap.co.uk##div[id^="advert_"] -askyourandroid.com##div[id^="advertisespace"] -askubuntu.com,stackexchange.com,stackoverflow.com,superuser.com##div[id^="adzerk"] -blogspot.co.nz,blogspot.com,bosscast.net,coolsport.tv,dabstrap.com,time4tv.com,tv-link.me##div[id^="bannerfloat"] -designtaxi.com##div[id^="bza-"] -theteacherscorner.net##div[id^="catfish"] -video44.net##div[id^="container_ads"] -vodlocker.com##div[id^="div-gpt-ad-"] + div -kisscartoon.me##div[id^="divFloat"] -pcmag.com##div[id^="ebBannerDiv"] -btsportshd.com,cast4u.tv,cricfree.eu,cricfree.sx,cricfree.tv,crichd.tv,cricket-365.info,cricketembed.com,desihd.net,desistreams.tv,embed247.com,eplhome.com,hdfooty.tv,hqiframes.com,hqsport.tv,ihdsports.com,micast.tv,mybeststream.xyz,oleoletv.ws,online--soccer.eu,premier--streams.info,putlive.in,soccerembed.com,streamking.org,twentysport.com,usachannels.tv,wiz1.net,wizhdsports.sx,zuuk.net##div[id^="floatLayer"] -eventhubs.com##div[id^="google_ads_"] -volokh.com##div[id^="google_ads_div_"] -wg-gesucht.de##div[id^="listAdPos_"] -cool-sport.net,freehdsport.com,iwantsport.com,sport-guides.net,tykestv.eu##div[id^="ltas_overlay_"] -citizensvoice.com##div[id^="nimbleBuyWidget"] -123movies.cz,123movies.ru,123movies.to##div[id^="overlay-"] -newindianexpress.com##div[id^="pro_menu"] -proz.com##div[id^="proz_ad_zone_"] -space.com##div[id^="rightcol_top"] -target.com##div[id^="rr_promo_"] -indeed.com##div[id^="sjob_"] -vipboxeu.co##div[id^="slot"] -facebook.com##div[id^="sponsoredTickerStory_"] -facebook.com##div[id^="substream_"] .userContentWrapper > ._1ifo -dailymail.co.uk##div[id^="taboola-stream"] -yahoo.com##div[id^="tile-A"][data-beacon-url^="https://beap.gemini.yahoo.com/mbcsc?"] -yahoo.com##div[id^="tile-mb-"] -footstream.tv,leton.tv##div[id^="timer"] -thevideo.me##div[id^="vpn_notice"] -statigr.am##div[id^="zone"] -4shared.com##div[onclick="window.location='/premium.jsp?ref=removeads'"] -gsprating.com##div[onclick="window.open('http://www.nationvoice.com')"] -thevideo.me##div[onclick] > a -viphackforums.net##div[onclick^="MyAdvertisements.do_click"] -ncrypt.in##div[onclick^="window.open('http://www.FriendlyDuck.com/AF_"] -rapidfiledownload.com##div[onclick^="window.open('http://www.rapidfiledownload.com/out.php?"] -ncrypt.in##div[onclick^="window.open('http://www2.filedroid.net/AF_"] -rs-catalog.com##div[onmouseout="this.style.backgroundColor='#fff7b6'"] -easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##div[original^="http://byzoo.org/"] -fastvideo.eu##div[style$="backgroud:black;"] > :first-child -highstakesdb.com##div[style$="margin-top:-6px;text-align:left;"] -imagebam.com##div[style$="padding-top:14px; padding-bottom:14px;"] -epdrama.com,juzupload.com##div[style$="text-align: center; border:3px gray solid"] -giantfreakinrobot.com##div[style$="transition: bottom 2s ease 0s;"] -surrenderat20.net##div[style$="width: 160px; height: 600px; background: #333;"] -protopage.com##div[style$="width: 770px; height: 100px;"] -yahoo.com##div[style*="/ads/"] -forum.xda-developers.com##div[style*="animation: none 0s"] -thefreethoughtproject.com##div[style*="background"] -sockshare.com##div[style*="background-color:#FFF;text-align"] -sockshare.com##div[style*="background-color:white;text-align"] -maxgames.com##div[style*="background-image: URL('/images/sponsor_"] -thegauntlet.ca##div[style*="background-image:url('/advertisers/your-ad-here-"] -grammarist.com##div[style*="blob:"] -gorillavid.in##div[style*="data:image"] -pencurimovie.ph##div[style*="float:none;"] -thevideo.me##div[style*="height: 300px;width: 300px"] -invisionfree.com##div[style*="height:90px;width:728px;"] -forum.xda-developers.com##div[style*="min-height:250px"] -thevideobee.to##div[style*="overflow: visible;"] -300mbmovies4u.net##div[style*="padding-top:"] -torlock.com,torrentfunk.com,yourbittorrent.com##div[style*="padding:"] -mywatchseries.to,onwatchseries.to,watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.li,watchseries.lt,watchseries.ph,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.unblckd.top,watchtvseries.vc##div[style*="padding:"] > div[style*="margin:"] -imgadult.com,imgtaxi.com,imgwallet.com##div[style*="position: absolute;"] -imgadult.com,imgtaxi.com,imgwallet.com##div[style*="position: fixed;"] -vercanalestv.com,verdirectotv.com##div[style*="position:relative"] -drudgereport.com##div[style*="text-rendering:"] -primewire.ag,primewire.in##div[style*="width: 30"][style*="height: 250px"] -extremetech.com##div[style*="width: 300"] -directupload.net##div[style*="width: 300px"] -fansshare.com,hdfree.se,iconarchive.com,mcndirect.com,opensourcecms.com,primewire.ag,primewire.is,slickdeals.net,streamcloud.eu,theawesomer.com,thephoenix.com,unexplained-mysteries.com,x64bitdownload.com,yuku.com##div[style*="width:300px"] -inquirer.net##div[style*="width:629px;height:150px;"] -rlslog.net##div[style*="z-index:"]:first-child -tennisworldusa.org##div[style=" cursor:pointer; border:5px #333 solid; width:600px; margin:0px auto; min-height:66px; height:auto; "] -ndtv.com##div[style=" margin:0 auto; width:970px; height:90px; text-align:center;"] -koreaherald.com##div[style=" margin:20px 0 20px 0; width:670px; height:130px; background:#f0f0f0;"] -seattlepi.com##div[style=" width:100%; height:90px; margin-bottom:8px; float:left;"] -fmr.co.za##div[style=" width:1000px; height:880px; margin: 0 auto"] -forum.guru3d.com##div[style="PADDING-RIGHT: 0px; PADDING-LEFT: 0px; PADDING-BOTTOM: 6px; PADDING-TOP: 12px"] -cheapostay.com##div[style="PADDING-TOP: 0px; text-align:center; width:175px;"] -nasdaq.com##div[style="align: center; vertical-align: middle;width:336px;height:250px"] -splitsider.com##div[style="background-color: #c0c0c0; padding: 5px; margin-bottom: 10px;"] -wral.com##div[style="background-color: #ebebeb; width: 310px; padding: 5px 3px;"] -zeropaid.com##div[style="background-color: #fff; padding:10px;"] -netweather.tv##div[style="background-color: #ffffff; width: 728px; height: 90px; margin: -2px auto 8px auto;"] -frontlinesoffreedom.com##div[style="background-color: rgb(255, 255, 255); border-width: 1px; border-color: rgb(0, 0, 0); width: 300px; height: 250px;"] -countryfile.com##div[style="background-color: rgb(255, 255, 255); height: 105px; padding-top: 5px;"] -ecumenicalnews.com##div[style="background-color:#eeeeee;padding:4px;font-size:9pt;"] -moneycontrol.com##div[style="background-color:#efeeee;width:164px;padding:8px"] -search.bpath.com,tlbsearch.com##div[style="background-color:#f2faff;padding:4px"] -bostonherald.com##div[style="background-color:black; width:160px; height:600px; margin:0 auto;"] -fansshare.com##div[style="background-image:url(/media/img/advertisement.png);width:335px;height:282px;"] -fansshare.com##div[style="background-image:url(http://img23.fansshare.com/media/img/advertisement.png);width:335px;height:282px;"] -skyatnightmagazine.com##div[style="background: none repeat scroll 0% 0% #B3E3FA; height: 95px; padding: 5px; margin-bottom: 5px;"] -backstage.com##div[style="background:#666666; height:250px; color:#fff;"] -mamiverse.com##div[style="background:#f7f7f7;padding:40px;"] -hints.macworld.com##div[style="border-bottom: 2px solid #7B7B7B; padding-bottom:8px; margin-bottom:5px;"] -kijiji.ca##div[style="border: 1px solid #999; background: #fff"] -undsports.com##div[style="border:1px solid #c3c3c3"] -whatson.co.za##div[style="border:solid 10px #ffffff;width:125px;height:125px;"] -iconseeker.com##div[style="clear:both;width: 728px; height:90px; margin:5px auto; overflow:hidden;"] -iconseeker.com##div[style="clear:both;width: 728px; height:90px; margin:5px auto;"] -synonyms.net##div[style="color:#666666;font-size:10px;\""] -bumpshack.com##div[style="display: block; padding:5px 0px 5px 0px;"] -phoronix.com##div[style="display: inline-block; width: 728px; height: 90px;"] -veervid.com##div[style="display:block; width:302px; height:275px;"] -nlfreevpn.com##div[style="float: left; margin-left: 10px; margin-top: 5px; margin-bottom: 10px; margin-right: 25px;"] -ip-address.org##div[style="float: left; margin-right:15px; margin-top:-5px"] -moneymakergroup.com##div[style="float: left; margin: 1px;"] > a[href^="http://www.moneymakergroup.com/redirect.php?url="] -moneymakergroup.com##div[style="float: left; margin: 1px;"]:last-child -civil.ge##div[style="float: left; text-align: center; border: solid 1px #efefef; width: 320px; height: 90px;"] -usedcars.com##div[style="float: left; width: 263px; text-align: center; vertical-align: top"] -sgclub.com##div[style="float: left; width: 310px; height: 260px;"] -boarddigger.com##div[style="float: left; width: 320px; height: 250px; padding: 5px;"] -dreammoods.com##div[style="float: left; width: 350; height: 350"] -ps3hax.net##div[style="float: left;margin: 12px;"] -apa.az##div[style="float: left;width:516px;height:60px;"] -hyperlinkcode.com##div[style="float: right; margin-left: 20px; border: 1px solid #FFFFFF; background: #FFFFFF; padding: 5px;"] -trendir.com##div[style="float: right; margin-left: 30px; font-size: 10px;"] -linuxquestions.org##div[style="float: right; margin-left: 5px; margin-bottom: 5px; margin-top: -3px; margin-right: -3px"] -cinestar.to##div[style="float: right; margin-top: 12px"] -shanghaiexpat.com##div[style="float: right; width: 242px; height: 148px; cursor: pointer; "] -foxsports540.com##div[style="float: right; width: 260px; height: 230px;"] -bitrebels.com##div[style="float: right; width: 336px; height: 19px; text-align: right; padding-top: 4px; margin-top: -23px;"] -dreammoods.com##div[style="float: right; width: 350; height: 358"] -bit-tech.net##div[style="float: right; width: 728px; height: 90px; overflow: hidden; position: relative; top: 10px;"] -lightreading.com##div[style="float: right; width: 728px; height: 90px;"] -longislandpress.com##div[style="float:left; clear:left; margin:10px 20px 5px 0px;"] -pardaphash.com##div[style="float:left; margin-left:17px; width:970px; height:28px; border:0px solid #ededed; margin-bottom:20px; background-color:#ededed; "] -pardaphash.com##div[style="float:left; margin-left:17px; width:970px; height:90px; border:0px solid #ededed; margin-bottom:20px; background-color:#ededed; padding:1px;"] -sitespeedlab.com##div[style="float:left; width: 336px;"] -pinknews.co.uk##div[style="float:left; width:160px;"] -amazines.com##div[style="float:left; width:341; height:285;"] -worldscreen.com##div[style="float:left; width:528px; height:80px; padding-bottom:10px; background-color: "] -top4download.com##div[style="float:left; width:620px;height:250px;clear:both;"] -happynews.com##div[style="float:left; width:768px; height:90px; margin-bottom:12px;"] -thespoof.com##div[style="float:left;clear:left;margin-right:8px;margin-top:10px;width:338px;height:282px;"] -thespoof.com##div[style="float:left;clear:left;margin-right:8px;width:200px;height:1em;"] -coolios.net##div[style="float:left;line-height:23px;font-size:10px;"] -listal.com##div[style="float:left;margin-right:10px;width:336px;height:280px;"] -torrentcrazy.com##div[style="float:right; margin:5px;"] -etaiwannews.com,taiwannews.com.tw##div[style="float:right; padding:5px;"] -honolulustreetpulse.com##div[style="float:right; width:200px;height:180px;"] -icydk.com##div[style="float:right; width:325px; background-color:#d7e9f5; margin:10px;"] -smashingapps.com##div[style="float:right;margin-left:5px;"] -geekzone.co.nz##div[style="float:right;margin:15px;width:336px;height:280px;"] -cinemablend.com##div[style="float:right;text-align:right;"] -putme.org##div[style="float:right;width:336px;"] -runningshoesguru.com##div[style="float:right;width:336px;height:280px"] -siliconera.com##div[style="font-family:Arial;background:#ffffff none repeat scroll 0 0;float:left;text-align:center;margin:auto 0;width:570px;"] -jobberman.com##div[style="font-size: 10px;text-align: center;margin: 0px auto;letter-spacing: 1px;"] -winscp.net##div[style="font-size: 70%;"] -ksl.com##div[style="font-size: 9px; "] -nknews.org##div[style="font-size:0.8em;text-align:center;padding-bottom:2px;font-weight:normal !important;"] -btsdl.cc##div[style="font-size:11px;width:99%;float:left;text-align:right;color:#acacac"] -twitpic.com##div[style="font-size:12px;color:#cacaca;font-weight: normal;"] -wallbase.cc##div[style="font-size:13px;padding:5px"] -adf.ly##div[style="height: 120px; width: 728px; font-size:10px; text-align:center; margin: 30px auto;"] -clgaming.net##div[style="height: 250px; margin-top: 20px;"] -way2sms.com##div[style="height: 250px; width: 610px; margin-left: -5px;"] -rawstory.com##div[style="height: 250px;"] -innocentenglish.com##div[style="height: 260px;"] -babble.com##div[style="height: 263px; margin-left:0px; margin-top:5px;"] -newsbusters.org##div[style="height: 265px;"] -northcountrypublicradio.org##div[style="height: 272px; max-width: 250px; margin: 5px auto 10px; padding: 4px 0px 20px;"] -bsplayer.com##div[style="height: 281px; overflow: hidden"] -interfacelift.com##div[style="height: 288px;"] -losethebackpain.com##div[style="height: 290px;"] -wsj.com##div[style="height: 375px; width: 390px;"] -cheatcc.com##div[style="height: 50px;"] -coolest-gadgets.com,hancinema.net,necn.com##div[style="height: 600px;"] -indiatimes.com##div[style="height: 60px;width: 1000px;margin: 0 auto;"] -hongkongnews.com.hk##div[style="height: 612px; width: 412px;"] -thetechherald.com##div[style="height: 640px"] -revision3.com##div[style="height: 90px"] -cpu-world.com##div[style="height: 90px; padding: 3px; text-align: center"] -mmohuts.com,onrpg.com##div[style="height: 90px; width: 728px;"] -thenewage.co.za##div[style="height: 90px; width: 730px; float: left; margin: 0px;"] -food.com##div[style="height: 96px;"] -aceshowbiz.com##div[style="height:100px; margin-top:20px; "] -ipchecking.com##div[style="height:108px"] -cosmopolitan.co.za##div[style="height:112px;width:713px"] -northeasttimes.com##div[style="height:120px; width:600px;"] -ubc.ug##div[style="height:130px; width:313px; text-align:center !important;"] -forum.computerlounge.co.nz##div[style="height:150px; padding:10px;"] -shortcuts.com##div[style="height:160px;"] -globaltimes.cn##div[style="height:160px;width:250px;"] -exchangerates.org.uk##div[style="height:200px;width:200px;margin:10px 0;"] -vgchartz.com##div[style="height:220px; width:100%;"] -ubc.ug##div[style="height:248px; width:313px; text-align:center !important;"] -coolest-gadgets.com,gardenersworld.com##div[style="height:250px"] -prospect.org##div[style="height:250px; overflow:hidden;margin-bottom:20px;"] -jewishencyclopedia.com##div[style="height:250px; width:250px; margin-bottom:1em"] -demogeek.com##div[style="height:250px; width:250px; margin:10px;"] -androidheadlines.com##div[style="height:250px; width:300px"] -theworldwidewolf.com##div[style="height:250px; width:310px; text-align:center; vertical-align:middle; display:table-cell; margin:0 auto; padding:0;"] -crowdignite.com,gamerevolution.com,sheknows.com,tickld.com##div[style="height:250px;"] -thenewsnigeria.com.ng##div[style="height:250px;margin-bottom: 20px"] -way2sms.com##div[style="height:250px;margin:2px 0;"] -zeenews.com##div[style="height:250px;overflow:hidden;"] -watch-series-tv.to##div[style="height:252px; text-align:center;"] -tf2wiki.net##div[style="height:260px; width:730px; border-style:none"] -cracker.com.au##div[style="height:260px;width:310px;clear:both;position:relative;"] -opensourcecms.com##div[style="height:280px; background-color:#E9EEF2;"] -quickr.org##div[style="height:280px; margin-top:0px; margin-bottom:10px;"] -demogeek.com##div[style="height:280px; width:336px; margin:10px;"] -ghacks.net##div[style="height:280px; width:336px; margin:2px 2px; float:right;"] -twowheelsblog.com##div[style="height:280px;width:350px"] -bipartisanreport.com##div[style="height:300px;width:346px;margin:0 auto;text-align:center;"] -animeflv.net##div[style="height:36px;"] -aceshowbiz.com##div[style="height:425px;"] -hyperallergic.com##div[style="height:600px;"] -cybergamer.com##div[style="height:600px;margin:15px 0 0 0;"] -wincustomize.com##div[style="height:60px;margin:10px auto;width:468px"] -cookingforengineers.com##div[style="height:60px;width:120px;margin:0 20px 5px 20px"] -chronicleonline.com,sentinelnews.com,theandersonnews.com##div[style="height:620px;width:279px;margin:auto;margin-top:5px;background-color:#eaeaea;"] -monstersandcritics.com##div[style="height:690px"] -kbcradio.eu##div[style="height:70px;width:480px;"] -farmville.com##div[style="height:80px;"] -monstersandcritics.com##div[style="height:840px"] -hithiphop.com##div[style="height:90px; padding: 2px 0; text-align:center"] -dvb.no##div[style="height:90px; width:970px; margin-right:auto; margin-left:auto;"] -phpbbhacks.com,thetechjournal.com,yopmail.com##div[style="height:90px;"] -wincustomize.com##div[style="height:90px;overflow:hidden;width:728px"] -cracker.com.au##div[style="height:90px;width:675px;clear:both;position:relative;"] -igossip.com,zillow.com##div[style="height:90px;width:728px"] -desktopnexus.com##div[style="margin-bottom: 8px; height: 250px;"] -stuffpoint.com##div[style="margin-bottom:0px;margin-top:-10px"] -codinghorror.com##div[style="margin-bottom:10px"] -charitynavigator.org##div[style="margin-bottom:10px; font-size: 10px;"] -4sysops.com##div[style="margin-bottom:20px;"] -jdpower.com##div[style="margin-left: 20px; background-color: #FFFFFF;"] -foxlingo.com##div[style="margin-left: 3px; width:187px; min-height:187px;"] -liberallogic101.com##div[style="margin-left:auto;margin-right:auto;width:338px;height:290px"] -propakistani.pk##div[style="margin-right: 10px;"] -propakistani.pk##div[style="margin-right: 1px;"] -ebay.com##div[style="margin-top: 15px; width: 160px; height: 600px; overflow: hidden; display: block;"] -ebay.co.uk,ebay.com##div[style="margin-top: 15px; width: 160px; height: 615px; overflow: hidden; display: block;"] -shouldiremoveit.com##div[style="margin-top: 20px;"] -funnycrazygames.com##div[style="margin-top: 8px;"] -technet.microsoft.com##div[style="margin-top:0px; margin-bottom:10px"] -surfline.com##div[style="margin-top:10px; width:990px; height:90px"] -worstpreviews.com##div[style="margin-top:15px;width:160;height:600;background-color:#FFFFFF;"] -centraloutpost.com##div[style="margin-top:16px; width:740px; height:88px; background-image:url(/images/style/cnop_fg_main_adsbgd.png); background-repeat:no-repeat; text-align:left;"] -4sysops.com##div[style="margin-top:50px;margin-bottom:20px;"] -sockshare.com##div[style="margin-top:6px;display:block !important;"] -fullepisode.info##div[style="margin: 0 auto 0 auto; text-align:center;"] -animenewsnetwork.com##div[style="margin: 0 auto; width: 728px; padding: 5px; height: 90px;"] -namepros.com##div[style="margin: 0 auto; max-width: 882px; padding: 10px 0 70px;"] -ap.org##div[style="margin: 0px auto 20px; width: 728px; height: 90px"] -nawmagazine.com##div[style="margin: 0px auto; background-color: rgb(233, 233, 233); padding: 0px; max-height: 90px; overflow: visible; height: 90px;"] -golflink.com##div[style="margin: 0px auto; width: 728px; height: 90px;"] -keprtv.com##div[style="margin: 0px; width: 300px; height: 250px"] -apps.facebook.com##div[style="margin: 0px; width: 760px; height: 90px; text-align: center; vertical-align: middle;"] -care2.com##div[style="margin: 10px 7px; width: 301px;"] -democraticunderground.com##div[style="margin: 10px auto 10px auto; text-align: center; width: 728px; height: 90px; background-color: #e6e6e6;"] -uproxx.com##div[style="margin: 15px auto; width: 728px; height: 90px;"] -twitpic.com##div[style="margin: 15px auto;width:730px; height:100px;"] -usedcars.com##div[style="margin: 20px 0"] -shouldiremoveit.com##div[style="margin: 5px 0px 30px 0px;"] -comicwebcam.com##div[style="margin: 6px auto 0;"] -businessspectator.com.au##div[style="margin: auto 10px; width: 300px;"] -recipepuppy.com##div[style="margin:0 auto 10px;min-height:250px;"] -nogripracing.com##div[style="margin:0 auto; padding:5px 5px 10px; width:728px; height:90px;"] -animenewsnetwork.com##div[style="margin:0 auto; padding:5px; width:728px; height:90px"] -desivideonetwork.com##div[style="margin:0 auto; width:300px; height:250px;"] -malaysiakini.com##div[style="margin:0 auto; width:728px; height:90px;"] -mangafox.me##div[style="margin:0 auto;clear:both;width:930px"] -nativeplanet.com##div[style="margin:0 auto;min-height: 90px; width:1008px;text-align:center;"] -voat.co##div[style="margin:0 auto;width: 270px;"] -joomla.org##div[style="margin:0 auto;width:728px;height:100px;"] -ontopmag.com##div[style="margin:0; width:300px; height:250px; padding:0; margin:5px auto 0 auto;"] -synonym.com##div[style="margin:0px auto; width: 300px; height: 250px;"] -10minutemail.net##div[style="margin:10px 0; height:90px; width:728px;"] -22find.com##div[style="margin:10px auto 0;width:300px;height:320px;"] -drakulastream.eu##div[style="margin:10px"] -businessdictionary.com##div[style="margin:14px 0 10px 0;padding:0px;min-height:220px;"] -anymaking.com##div[style="margin:15px auto; border:1px solid #ccc; width:728px; height:90px;"] -whattoexpect.com##div[style="margin:15px auto;width:728px;"] -xnotifier.tobwithu.com##div[style="margin:1em 0;font-weight:bold;"] -thespoof.com##div[style="margin:20px 5px 10px 0;"] -ipiccy.com##div[style="margin:20px auto 10px; width:728px;text-align:center;"] -bonjourlife.com##div[style="margin:20px auto;width:720px;height:90px;"] -bikeexchange.com.au##div[style="margin:2em 0; text-align:center;"] -tek-tips.com##div[style="margin:2px;padding:1px;height:60px;"] -ipaddress.com##div[style="margin:32px 0;text-align:center"] -indiatvnews.com##div[style="margin:5px 0px 20px 0px"] -bikeexchange.com.au##div[style="margin:60px 0 20px 0;"] -into-asia.com##div[style="margin:auto; width:728px; height:105px; margin-top:20px"] -codeproject.com##div[style="margin:auto;width:728px;height:90px;margin-top:10px"] -unionleader.com##div[style="max-width:1024px;height:90px;margin:0px auto 0px;overflow:hidden"] -androidpolice.com##div[style="max-width:160px; height:600px; margin: 0 auto;"] -pixxxels.org##div[style="max-width:728px; text-align: center"] -dawn.com##div[style="max-width:728px;max-height:90px;text-align:center;margin:0 auto;"] -forzaitalianfootball.com##div[style="max-width:970px; max-height:250px; min-width:728px; min-height:90px;margin:0 auto; margin-bottom:10px; text-align:center;"] -forzaitalianfootball.com##div[style="max-width:970px; min-width:728px; max-height:250px; min-height:90px; text-align:center;"] -wrestlinginc.com##div[style="max-width:970px;"] -channelstv.com##div[style="max-width:980px; max-height:94px"] -life.time.com##div[style="min-height: 226px; clear: both"] -phonearena.com##div[style="min-height: 250px"] -boldsky.com##div[style="min-height: 250px; margin-bottom: 10px; margin-top: 5px;"] -phonearena.com##div[style="min-height: 250px; width: 300px; margin: 0 auto"] -boldsky.com,gizbot.com,goodreturns.in,thatscricket.com##div[style="min-height: 250px;"] -drivespark.com##div[style="min-height: 260px;"] -cepro.com##div[style="min-height:100px; background-color:#ebeef7; border:1px solid #dde;"] -maniacdev.com##div[style="min-height:250px; margin-right:auto; margin-left:auto; width:300px;"] -theroar.com.au##div[style="min-height:250px;"] -barchart.com##div[style="min-height:250px;margin-bottom:3px;"] -finance.yahoo.com##div[style="min-height:265px; _height:265px; width:300px;margin:0pt auto;"] -cnn.com##div[style="min-height:270px; max-height:625px;height: 270px!important;"] -tulsaworld.com##div[style="min-height:400px;"] -smallnetbuilder.com##div[style="min-height:95px;"] -pixabay.com##div[style="min-width: 960px;"] -filmey.com##div[style="overflow: hidden; position: relative; width: 160px; height: 600px;"] -islamchannel.tv##div[style="overflow: hidden; position: relative; width: 245px; height: 183.75px;"] -phonearena.com##div[style="overflow:hidden; width: 300px; height: 250px;"] -dailytelegraph.com.au##div[style="overflow:hidden;width:300px;height:263px;"] -desktopnexus.com##div[style="padding-bottom: 12px; height: 250px;"] -freewarefiles.com##div[style="padding-bottom:15px; padding-top:5px;"] -freewarefiles.com##div[style="padding-bottom:15px;"] -odili.net##div[style="padding-bottom:3px;"] -mid-day.com##div[style="padding-bottom:5px; position:relative; height:250px;"] -bitcoin-otc.com##div[style="padding-left: 10px; padding-bottom: 10px; text-align: center; font-family: Helvetica;"] -youtubedoubler.com##div[style="padding-left:2px; padding-top:9px; padding-bottom:8px; margin-top:0px; background-color:lightgrey;text-align:center;margin-top:18px;"] -rlslog.net##div[style="padding-left:40px;"] -beforeitsnews.com##div[style="padding-right:20px; width: 300px; height: 250px; float:right;"] -pt-news.org##div[style="padding-right:5px; padding-top:18px; float:left; "] -ynetnews.com##div[style="padding-top:10px;padding-bottom:10px;padding-right:10px"] -podbean.com##div[style="padding-top:20px;width:336px;height:280px"] -funnycrazygames.com##div[style="padding-top:2px"] -thenews.com.pk##div[style="padding-top:5px;;height:95px;float:left;width:931px;background:url(images/banner_top_bg.jpg);"] -thenews.com.pk##div[style="padding-top:5px;height:95px;float:left;width:931px;background:url(images/banner_top_bg.jpg);"] -forums.androidcentral.com##div[style="padding-top:92px !important; "] -cardschat.com##div[style="padding: 0px 0px 0px 0px; margin-top:10px;"] -kewlshare.com##div[style="padding: 10px; border:1px solid #E0E0E0;"] -epinions.com##div[style="padding: 15px 5px;"] -funvid.hu##div[style="padding: 3px 0px 0px 26px; height: 90px; clear: both;"] -shaaditimes.com##div[style="padding: 5 0 0 0px; height: 138px; text-align:center; width:780px; background: url('/imgs/top-ad-bg.gif') repeat-x left bottom; background-color:#FFF9D0;"] -sevenforums.com##div[style="padding: 6px 0px 0px 0px"] -roblox.com##div[style="padding: 6px 8px; background: #fff; height:183px;"] -dailyfinance.com##div[style="padding: 6px; float: right; width: 242px; height: 272px;"] -legacy.com##div[style="padding:0; margin:0 auto; text-align:right; width:738px;"] -condo.com##div[style="padding:0px 5px 0px 5px; width:300px;"] -beforeitsnews.com##div[style="padding:10px 0 10px 0;height:250px;margin-bottom:5px;"] -subtitleseeker.com##div[style="padding:10px 0px 10px 0px; text-align:center; width:728; height:90px;"] -standardmedia.co.ke##div[style="padding:10px; width:1200px; height:90px; "] -myanimelist.net##div[style="padding:12px 0px"] -ucatholic.com##div[style="padding:5px 0 5px 0; text-align:center"] -avforums.com##div[style="padding:5px 0px 0px 0px"] -usfinancepost.com##div[style="padding:5px 15px 5px 0px;"] -imtranslator.net##div[style="padding:5px;margin:5px;border:1px solid #21497D;"] -yourvideohost.com##div[style="position: absolute; width: 300px; height: 250px; margin-left: -150px; left: 50%; margin-top: -125px; top: 50%; background-color: transparent;z-index:98;"] -play44.net,video44.net##div[style="position: absolute; width: 300px; height: 275px; left: 150px; top: 79px; z-index: 999;"] -roundgames.com##div[style="position: relative; height: 110px;"] -lbcgroup.tv##div[style="position: relative; height: 250px; width: 300px;"] -ampgames.com##div[style="position: relative; height: 260px;"] -hot919fm.com##div[style="position: relative; width: 300px; height: 250px; margin: auto; padding: 0px;"] -educationpost.com.hk##div[style="position: relative; width: 300px; height: 280px; overflow: hidden;"] -playit.pk##div[style="position: relative; width: 302px; padding: 0px; border-left: 0px; margin-top: 90px;"] -newera.com.na##div[style="position: relative; width: 620px; height: 80px;"] -kusc.org##div[style="position: relative; width: 900px; height: 250px; left: -300px;"] -vidspot.net##div[style="position: relative;"]:first-child > div[id^="O"][style]:first-child -streamtuner.me##div[style="position: relative;top: -45px;"] -skyvids.net,streamin.to##div[style="position: relative;width: 800px;height: 440px;"] -topfriv.com##div[style="position:absolute; background:#201F1D; top:15px; right:60px; width:728px; height:90px;"] -sk-gaming.com##div[style="position:absolute; margin-left:987px; margin-top:-236px; width:500px; height:1200px; cursor:pointer;"] -sharerepo.com##div[style="position:absolute; top:10%; left:0%; width:300px; height:100%; z-index:1;"] -i6.com##div[style="position:absolute;top: 240px; left:985px;width: 320px;"] -healthcastle.com##div[style="position:relative; width: 300px; height: 280px;"] -opiniojuris.org##div[style="position:relative; width:300px; height:250px; overflow:hidden"] -hypixel.net##div[style="position:relative; width:728px; margin: auto;"] -spectator.org##div[style="position:relative;display:block;width:728px;height:90px;margin:0 auto;clear:both;"] -buyselltrade.ca##div[style="position:relative;overflow:hidden;width:728px;height:90px;"] -shalomtv.com##div[style="position:relative;width:468px;height:60px;overflow:hidden"] -fastvideo.eu##div[style="position:relative;width:896px;height:370px;margin: 0 auto;backgroud:;"] > [id]:first-child -baltimorestyle.com##div[style="text-align : center ;margin-left : auto ;margin-right : auto ;position : relative ;background-color:#ffffff;height:100px;padding-top:10px;"] -centurylink.net##div[style="text-align: center; font-size: 11px;"] -funnyjunk.com##div[style="text-align: center; height: 255px;"] -rofl.to##div[style="text-align: center; height:60px; width:468px;"] -geekstogo.com##div[style="text-align: center; min-height:250px; min-width:310px;"] -ap.org##div[style="text-align: center; padding-top: 10px"] -nationalreview.com##div[style="text-align: center; width: 300px; margin-right:20px; margin-borrom: 20px; float:left;"] -patheos.com##div[style="text-align: center; width: 970px; height: 90px;"] -dailyamerican.com##div[style="text-align:center; color:#fff; width: 234px; height: 60px; margin:0 auto;"] -ticketweb.com##div[style="text-align:center; font-size:10px; color:#afafaf"] -tennisearth.com##div[style="text-align:center; height:630px;"] -chinadaily.com.cn##div[style="text-align:center; margin-bottom:10px; width:800px; float:left; z-index:-1;"] -newser.com##div[style="text-align:center; margin:-5px 0 15px; font-size:11px;"] -chicagocrusader.com,garycrusader.com##div[style="text-align:center; margin:3px; height:140px; padding-left:130px;"] -canoe.ca##div[style="text-align:center; min-height:260px;"] -eatingwell.com##div[style="text-align:center; min-height:90px;"] -customize.org##div[style="text-align:center; padding:0px 0px 20px 0px; width: 100%; height: 90px;"] -customize.org##div[style="text-align:center; padding:20px 0px 0px 0px; width: 100%; height: 90px;"] -legacy.com##div[style="text-align:center; padding:2px 0 3px 0;"] -nowdownload.ag,nowdownload.ch,nowdownload.co,nowdownload.ec,nowdownload.sx,nowdownload.to##div[style="text-align:center; vertical-align:middle; height:250px;"] -clutchmagonline.com##div[style="text-align:center; width:300px; margin: 20px auto"] -cinemablend.com##div[style="text-align:center;"] -opensubtitles.org##div[style="text-align:center;"] > a[class] -geekzone.co.nz##div[style="text-align:center;clear:both;height:20px;"] -iloubnan.info##div[style="text-align:center;color:black;font-size:10px;"] -techguy.org##div[style="text-align:center;height:101px;width:100%;"] -theawesomer.com##div[style="text-align:center;padding:20px 0px 0px 0px;height:90px;width:100%;clear:both;"] -imcdb.org##div[style="text-align:center;width:150px;font-family:Arial;"] -statscrop.com##div[style="text-align:left; margin-left:5px; clear:both;"]:first-child -zrtp.org##div[style="text-align:left;display:block;margin-right:auto;margin-left:auto"] -carpoint.com.au##div[style="text-align:right;font-size:10px;color:#999;padding:4px;border:solid #ccc;border-width:0"] -neowin.net##div[style="white-space:nowrap;overflow: hidden; min-height:120px; margin-top:0; margin-bottom:0;"] -animenewsnetwork.com##div[style="width: 728px; height: 90px; margin: 0 auto; padding: 5px;"] -politicususa.com##div[style="width: 100%; height: 100px; margin: -8px auto 7px auto;"] -chron.com##div[style="width: 100%; height: 90px; margin-bottom: 8px; float: left;"] -cheapassgamer.com##div[style="width: 100%; height: 90px; padding: 4px 0 4px 0"] -downarchive.ws##div[style="width: 100%; margin: 0 auto;"] -canadianlisted.com##div[style="width: 1000px;position: relative;height:95px"] -encyclopedia.com##div[style="width: 1005px;"] -watertowndailytimes.com##div[style="width: 120px; height: 240px; margin-bottom: 20px;"] -croatia.org##div[style="width: 120px; text-align:center"] -whatson.co.za##div[style="width: 140px; height: 470px;"] -magicseaweed.com##div[style="width: 160px; background: #dddddd; padding-top: 10px"] -theasiantoday.com##div[style="width: 160px; border: solid 1px #2A3694; background-color: White;"] -desixpress.co.uk##div[style="width: 160px; border: solid 1px #DE0A17; background-color: White;"] -vr-zone.com##div[style="width: 160px; height: 600px"] -brandeating.com##div[style="width: 160px; height: 600px; overflow: visible;"] -jpost.com,performanceboats.com##div[style="width: 160px; height: 600px;"] -kidzworld.com##div[style="width: 160px; height: 617px; margin: auto;"] -wrip979.com##div[style="width: 160px; height: 627px"] -disclose.tv##div[style="width: 160px;"] -concrete.tv##div[style="width: 180px; height: 360px; border: 1px solid white;"] -porttechnology.org##div[style="width: 192px; height: 70px;"] -checkip.org##div[style="width: 250px; margin-left: 25px;margin-top:10px;"] -whodoyouthinkyouaremagazine.com##div[style="width: 290px; height: 100px; padding: 5px; margin-bottom: 5px; clear: both;"] -mmoculture.com##div[style="width: 290px; height: 250px;"] -mmoculture.com##div[style="width: 290px; height: 600px;"] -skyatnightmagazine.com##div[style="width: 290px; height: 70px; background-color:#B0CCE7; padding: 5px; margin-bottom: 5px; clear: both;"] -box10.com##div[style="width: 300px; float: left;"] -hitfix.com,nba.com##div[style="width: 300px; height: 100px"] -kidzworld.com##div[style="width: 300px; height: 117px; margin: auto;"] -eastonline.eu##div[style="width: 300px; height: 132px; margin-bottom: 20px;margin-top: 20px;"] -compasscayman.com##div[style="width: 300px; height: 155px; float: left;"] -compasscayman.com##div[style="width: 300px; height: 155px;float: left;"] -theonion.com##div[style="width: 300px; height: 220px; overflow: hidden;"] -myfitnesspal.com,nba.com,patheos.com##div[style="width: 300px; height: 250px"] -uvnc.com##div[style="width: 300px; height: 250px; background-color: #FFFFFF"] -thefightnetwork.com##div[style="width: 300px; height: 250px; background: #000"] -lolking.net##div[style="width: 300px; height: 250px; background: #000;"] -ngrguardiannews.com##div[style="width: 300px; height: 250px; background: #ededed"] -buccaneers.com##div[style="width: 300px; height: 250px; background: #fff;"] -djmag.ca##div[style="width: 300px; height: 250px; border: 2px solid #000;"] -ecorazzi.com##div[style="width: 300px; height: 250px; float: right; margin: 0 0 15px 25px;"] -marriland.com##div[style="width: 300px; height: 250px; float: right; margin: 2px;"] -rockol.com##div[style="width: 300px; height: 250px; left: 650px; top: 0px;"] -techfresh.net##div[style="width: 300px; height: 250px; margin-bottom: 20px;"] -fame10.com##div[style="width: 300px; height: 250px; margin: 0 auto;"] -socialblade.com##div[style="width: 300px; height: 250px; margin: 0px auto 10px auto;"] -benzinga.com,newstalk.ie,newswhip.ie##div[style="width: 300px; height: 250px; overflow: hidden;"] -mbworld.org##div[style="width: 300px; height: 250px; overflow:hidden;"] -ukfree.tv##div[style="width: 300px; height: 250px; padding-top: 10px"] -cbsnews.com,cbssports.com,cnn.com,gamefront.com,hernandotoday.com,highlandstoday.com,jpost.com,mondomedia.com,newsonjapan.com,performanceboats.com,sciencedaily.com,spot.ph,synonym.com,tbo.com,viceversa-mag.com,vitals.com,wamu.org,way2sms.com,whatsonstage.com,wnd.com##div[style="width: 300px; height: 250px;"] -compasscayman.com##div[style="width: 300px; height: 250px;float: left;"] -aaj.tv##div[style="width: 300px; height: 260px; display: block;"] -usedcars.com##div[style="width: 300px; height: 265px"] -ebay.co.uk##div[style="width: 300px; height: 265px; overflow: hidden; display: block;"] -kidzworld.com##div[style="width: 300px; height: 267px; margin: auto;"] -tempo.co##div[style="width: 300px; height: 300px;"] -wnd.com##div[style="width: 300px; height: 600px"] -socialblade.com##div[style="width: 300px; height: 600px; margin: 20px auto 10px auto;"] -jpost.com,urbandictionary.com,viceversa-mag.com,wraltechwire.com##div[style="width: 300px; height: 600px;"] -fropper.com##div[style="width: 300px; height:250px; margin-bottom:15px;"] -liveleak.com##div[style="width: 300px; height:340px"] -digitalphotopro.com##div[style="width: 300px; text-align: center;"] -vitals.com##div[style="width: 300px; text-align:right"] -hollywoodnews.com,wnd.com##div[style="width: 300px;height: 250px;"] -wnd.com##div[style="width: 300px;height: 600px;"] -babesandkidsreview.com##div[style="width: 304px; height: 280px; outline: 1px solid #808080; padding-top: 2px; text-align: center; background-color: #fff;"] -cheatcc.com##div[style="width: 308px; text-align: right; font-size: 11pt;"] -phonearena.com##div[style="width: 320px; height: 250px; border-top: 1px dotted #ddd; padding: 17px 20px 17px 0px;"] -phonearena.com##div[style="width: 320px; height: 250px; border-top: 1px dotted #ddd; padding: 48px 0px 17px 20px;"] -weaselzippers.us##div[style="width: 320px; height:600px; margin-top:190px;"] -technobuffalo.com,thetruthaboutguns.com,weaselzippers.us##div[style="width: 320px; height:600px;"] -windows7download.com##div[style="width: 336px; height:280px;"] -wellness.com##div[style="width: 336px; padding: 0 0 0 15px; height:280px;"] -theday.com##div[style="width: 468px; height: 60px; border: 1px solid #eeeeee; margin: 5px 0; clear: both;"] -way2sms.com##div[style="width: 468px; height: 60px; margin-left: 140px;"] -scriptcopy.com##div[style="width: 468px; height: 60px; text-align: center; display: block; margin: 0pt auto; background-color:#eee;"] -mmoculture.com##div[style="width: 468px; height: 60px;"] -win7dl.com##div[style="width: 570px; margin: 0 auto;"] -zimeye.net##div[style="width: 575px; height: 232px; padding: 6px 6px 6px 0; float: left; margin-left: 0; margin-right: 1px;"] -free-tv-video-online.info##div[style="width: 653px; height:49px;"] -redorbit.com##div[style="width: 700px; height: 250px; overflow: hidden;"] -hiphopstan.com##div[style="width: 700px; height: 270px; margin-left: auto; margin-right: auto; clear: both;"] -sharingcentre.net##div[style="width: 700px; margin: 0 auto;"] -urbandictionary.com##div[style="width: 728px; height: 90px"] -sporcle.com##div[style="width: 728px; height: 90px; display: block;"] -secretmaryo.org##div[style="width: 728px; height: 90px; margin-left: 6px;"] -passiveaggressivenotes.com##div[style="width: 728px; height: 90px; margin: 0 auto 5px; border: 1px solid #666;"] -dbforums.com,fitness.com,uproxx.com##div[style="width: 728px; height: 90px; margin: 0 auto;"] -businessmirror.com.ph##div[style="width: 728px; height: 90px; margin: 0px auto; margin-top: 5px;"] -hurriyetdailynews.com,leoweekly.com##div[style="width: 728px; height: 90px; margin: 0px auto;"] -twcenter.net##div[style="width: 728px; height: 90px; margin: 1em auto 0;"] -ripoffreport.com##div[style="width: 728px; height: 90px; margin: 20px auto; overflow: hidden;"] -uproxx.com##div[style="width: 728px; height: 90px; margin: 20px auto;"] -mbworld.org##div[style="width: 728px; height: 90px; overflow: hidden; margin: 0px auto;"] -nitroflare.com##div[style="width: 728px; height: 90px; text-align: center;"] -bit-tech.net,eatliver.com,jpost.com,lightreading.com,urbandictionary.com##div[style="width: 728px; height: 90px;"] -itnews.com.au##div[style="width: 728px; height:90px; margin-left: auto; margin-right: auto; padding-bottom: 20px;"] -coinwarz.com##div[style="width: 728px; margin-left: auto; margin-right: auto; height:90px;"] -bravejournal.com##div[style="width: 728px; margin: 0 auto;"] -zoklet.net##div[style="width: 728px; margin: 3px auto;"] -wnd.com##div[style="width: 728px;height: 90px"] -news-panel.com##div[style="width: 730px; height: 95px;"] -elitistjerks.com##div[style="width: 730px; margin: 0 auto"] -quikr.com##div[style="width: 735px; height: 125px;"] -freemake.com##div[style="width: 735px; height:60px; margin: 0px auto; padding-bottom:40px;"] -radiosurvivor.com##div[style="width: 750px; height: 90px; border: padding-left:25px; margin-left:auto; margin-right:auto; padding-bottom: 40px; max-width:100%"] -shop.com##div[style="width: 819px; border:1px solid #cccccc; "] -shop.com##div[style="width: 819px; height: 124px; border:1px solid #cccccc; "] -betterpropaganda.com##div[style="width: 848px; height: 91px; margin: 0; position: relative;"] -mydaily.co.uk##div[style="width: 921px; opacity: 1; top: -110px;"] -fscheetahs.co.za##div[style="width: 945px; padding-left: 15px; padding-right: 15px; padding-top: 20px; background-color: #FFFFFF"] -nba.com##div[style="width: 958px; height: 90px; margin: 0 auto; text-align: center; "] -patheos.com##div[style="width: 970px; height: 40px; margin-bottom: 10px;"] -clatl.com##div[style="width: 970px; height: 76px; background-image: url('http://clatl.com/ads/loafdeals_homepage-bkgnd.png'); background-repeat: no-repeat; margin-bottom: 8px; margin-top: 8px; margin-left: auto; margin-right: auto;"] -patheos.com##div[style="width: 970px; height: 90px; margin-bottom: 10px;"] -cbssports.com##div[style="width: 970px; height: 90px;"] -cheatcc.com##div[style="width:100%; background: #ffffff; padding-bottom: 5px;"] -mondotimes.com##div[style="width:100%; height:90px; line-height:90px; text-align:left;"] -wnd.com##div[style="width:100%; padding:0px; margin:0px;"]:first-child -thesimsresource.com##div[style="width:100%;background:#000;"] -howtoforge.com##div[style="width:100%;border-top:1px solid #CCCCCC;border-bottom:1px solid #CCCCCC;padding:4px 0 2px 0;margin-bottom:5px;height:27px;"] -girlschase.com##div[style="width:100%;color:#666;text-align:center;font-size:50%;margin-top:-20px;"] -dailyexcelsior.com##div[style="width:100%;height:280px"] -zedomax.com##div[style="width:100%;height:280px;"] -wattpad.com##div[style="width:100%;height:90px;text-align:center"] -techcentral.ie##div[style="width:1000px; height:90px; margin:auto"] -flixist.com##div[style="width:1000px; padding:0px; margin-left:auto; margin-right:auto; margin-bottom:10px; margin-top:10px; height:90px;"] -newhampshire.com,unionleader.com##div[style="width:100px;height:38px;float:right;margin-left:10px"] -techbrowsing.com##div[style="width:1045px;height:90px;margin-top: 15px;"] -strangecosmos.com##div[style="width:120px; height:600;"] -opensourcecms.com##div[style="width:120px; height:600px; margin:auto; \9 \9 \9 margin-bottom:20px"] -egyptindependent.com##div[style="width:120px;height:600px;"] -googletutor.com##div[style="width:125px;text-align:center;"] -eadt.co.uk,eveningstar.co.uk##div[style="width:134px; margin-bottom:10px;"] -worldscreen.com##div[style="width:150px; height:205px; background-color:#ddd;"] -opensourcecms.com##div[style="width:150px; height:310px; margin:auto;"] -worstpreviews.com##div[style="width:160;height:600;background-color:#FFFFFF;"] -allthingsnow.com##div[style="width:160px; height: 600px;z-index:1;"] -encyclopedia.com##div[style="width:160px; height:600px"] -rantsports.com##div[style="width:160px; height:600px; float:left;"] -gametracker.com##div[style="width:160px; height:600px; margin-bottom:8px; overflow:hidden;"] -relationshipcolumns.com##div[style="width:160px; height:600px; margin-top:10px;"] -inrumor.com##div[style="width:160px; height:600px; margin:0 0 20px 0;"] -yourmindblown.com##div[style="width:160px; height:600px; padding:10px 0px;"] -legitreviews.com,modernluxury.com,nationmaster.com,techgage.com##div[style="width:160px; height:600px;"] -brothersoft.com##div[style="width:160px; height:600px;margin:0px auto;"] -gogetaroomie.com##div[style="width:160px; height:616px;background: #ffffff; margin-top:10px; margin-bottom:10px;"] -forums.eteknix.com##div[style="width:160px; margin:10px auto; height:600px;"] -downloadcrew.com##div[style="width:160px;height:160px;margin-bottom:10px;"] -belfasttelegraph.co.uk,wxyz.com##div[style="width:160px;height:600px;"] -downloadcrew.com##div[style="width:160px;height:600px;margin-bottom:10px;"] -leitesculinaria.com##div[style="width:162px; height:600px; float:left;"] -leitesculinaria.com##div[style="width:162px; height:600px; float:right;"] -undsports.com##div[style="width:170px;height:625px;overflow:hidden;background-color:#ffffff;border:1px solid #c3c3c3"] -wantitall.co.za##div[style="width:195px; height:600px; text-align:center"] -mlmhelpdesk.com##div[style="width:200px; height:200px;"] -today.az##div[style="width:229px; height:120px;"] -vumafm.co.za##div[style="width:230px; height:200px;"] -today.az##div[style="width:240px; height:400px;\""] -theadvocate.com##div[style="width:240px;height:90px;background:#eee; margin-top:5px;float:right;"] -newzimbabwe.com##div[style="width:250px; height:250px;"] -today.az##div[style="width:255px; height:120px;"] -exchangerates.org.uk##div[style="width:255px;text-align:left;background:#fff;margin:15px 0 15px 0;"] -linksrank.com##div[style="width:260px; align:left"] -webstatschecker.com##div[style="width:260px; text-align:left"] -chinadaily.com.cn##div[style="width:275px;height:250px;border:none;padding:0px;margin:0px;overflow:hidden;"] -101greatgoals.com##div[style="width:280px;height:440px;"] -cinemablend.com##div[style="width:290px;height:600px;"] -cinemablend.com##div[style="width:290px;height:606px;"] -samoaobserver.ws##div[style="width:297px; height:130px;"] -crescent-news.com,recordpub.com,state-journal.com,the-review.com##div[style="width:298px;height:298px;border:1px solid #adaaad;background-color:#f4f4f4;box-shadow:inset -2px -2px 7px rgba(0,0,0,0.16);-moz-box-shadow: inset -2px -2px 7px rgba(0,0,0,0.16);-webkit-box-shadow: inset 2px 2px 7px rgba(0,0,0,0.16);border-radius:4px;-moz-border-radius:4px;-webkit-border-radius:4px;overflow:hidden;"] -worstpreviews.com##div[style="width:300;height:250;background-color:#FFFFFF;"] -firstpost.com##div[style="width:300;height:250px;margin-bottom:10px;"] -cooking.com##div[style="width:300;height:250px;position:relative;z-index:10000;"] -weatherreports.com##div[style="width:300px; border: 1px solid gray;"] -mensfitness.com##div[style="width:300px; height: 250px; overflow:auto;"] -redflagflyinghigh.com,wheninmanila.com##div[style="width:300px; height: 250px;"] -shape.com##div[style="width:300px; height: 255px; overflow:auto;"] -itweb.co.za##div[style="width:300px; height: 266px; overflow: hidden; margin: 0"] -jerusalemonline.com##div[style="width:300px; height: 284px; padding-top: 10px; padding-bottom: 10px; border: 1px solid #ffffff; float:right"] -foxsportsasia.com##div[style="width:300px; height:100px;"] -girlgames.com##div[style="width:300px; height:118px; margin-bottom:6px;"] -midweek.com##div[style="width:300px; height:135px; float:left;"] -encyclopedia.com,thirdage.com##div[style="width:300px; height:250px"] -herplaces.com##div[style="width:300px; height:250px; background-color:#CCC;"] -iskullgames.com##div[style="width:300px; height:250px; border: 2px solid #3a3524;"] -picocent.com##div[style="width:300px; height:250px; margin-bottom: 35px;"] -earthsky.org##div[style="width:300px; height:250px; margin-bottom:25px;"] -gametracker.com##div[style="width:300px; height:250px; margin-bottom:8px; overflow:hidden;"] -midweek.com##div[style="width:300px; height:250px; margin: 5px 0px; float:left;"] -inrumor.com##div[style="width:300px; height:250px; margin:0 0 10px 0;"] -bombaytimes.com##div[style="width:300px; height:250px; margin:0 auto;"] -funny-city.com,techsupportforum.com##div[style="width:300px; height:250px; margin:auto;"] -filesfrog.com##div[style="width:300px; height:250px; overflow: hidden;"] -search.ch##div[style="width:300px; height:250px; overflow:hidden"] -worldtvpc.com##div[style="width:300px; height:250px; padding:8px; margin:auto"] -adforum.com,alliednews.com,americustimesrecorder.com,andovertownsman.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,channel24.pk,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flasharcade.com,flashgames247.com,flyergroup.com,forum.xda-developers.com,foxsportsasia.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,jerusalemonline.com,joplinglobe.com,journal-times.com,journalexpress.net,kexp.org,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,opposingviews.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,outlookmoney.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,siteslike.com,standardmedia.co.ke,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,theawesomer.com,thedailystar.com,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,unionrecorder.com,valdostadailytimes.com,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net,wrestlinginc.com##div[style="width:300px; height:250px;"] -snewsnet.com##div[style="width:300px; height:250px;border:0px;"] -cnn.com##div[style="width:300px; height:250px;overflow:hidden;"] -ego4u.com##div[style="width:300px; height:260px; padding-top:10px"] -jerusalemonline.com##div[style="width:300px; height:265px;"] -gogetaroomie.com##div[style="width:300px; height:266px; background: #ffffff; margin-bottom:10px;"] -topgear.com##div[style="width:300px; height:306px; padding-top: 0px;"] -mid-day.com##div[style="width:300px; height:30px; margin-top:5px; border:1px solid black;"] -jerusalemonline.com,race-dezert.com##div[style="width:300px; height:600px;"] -worldscreen.com##div[style="width:300px; height:65px; background-color:#ddd;"] -standard.co.uk##div[style="width:300px; margin-bottom:20px; background-color:#f5f5f5;"] -uesp.net##div[style="width:300px; margin-left: 120px;"] -miamitodaynews.com##div[style="width:300px; margin:0 auto;"] -windsorite.ca##div[style="width:300px; min-height: 600px;"] -forzaitalianfootball.com##div[style="width:300px; min-height:250px; max-height:600px;"] -yourmindblown.com##div[style="width:300px; min-height:250px; padding:10px 0px;"] -etfdailynews.com##div[style="width:300px;border:1px solid black"] -memecenter.com##div[style="width:300px;height: 250px;display:inline-block"] -egyptindependent.com##div[style="width:300px;height:100px;"] -independent.com##div[style="width:300px;height:100px;margin-left:10px;margin-top:15px;margin-bottom:15px;"] -snewsnet.com##div[style="width:300px;height:127px;border:0px;"] -smh.com.au##div[style="width:300px;height:163px;"] -1071thez.com,classichits987.com,funnyjunk.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div[style="width:300px;height:250px"] -afterdawn.com,egyptindependent.com,flyertalk.com,hairboutique.com,hancinema.net,itnews.com.au,leftfootforward.org,news92fm.com,nfl.com,nowtoronto.com,techcareers.com,tuoitrenews.vn,wowcrunch.com##div[style="width:300px;height:250px;"] -kohit.net##div[style="width:300px;height:250px;background-color:#000000;"] -winrumors.com##div[style="width:300px;height:250px;background:#c0c8ce;"] -ysr1560.com##div[style="width:300px;height:250px;border:1pt #444444 solid;position:relative;left:5px;"] -nextpowerup.com##div[style="width:300px;height:250px;display:block;margin:20px auto;overflow:hidden"] -sciencedaily.com##div[style="width:300px;height:250px;display:inline-block"] -afterdawn.com##div[style="width:300px;height:250px;float:left;"] -hiphopdx.com##div[style="width:300px;height:250px;margin-bottom:20px;"] -animelite.net##div[style="width:300px;height:250px;margin-left:35px;"] -raaga.com##div[style="width:300px;height:250px;margin-top:5px;margin-bottom:5px;"] -bdnews24.com,theolivepress.es##div[style="width:300px;height:250px;margin:0;padding:0"] -gossipcop.com##div[style="width:300px;height:250px;margin:0;padding:0;"] -hancinema.net##div[style="width:300px;height:250px;margin:30px auto;clear:both"] -961kiss.com##div[style="width:300px;height:250px;overflow:hidden;margin-bottom:10px;"] -whatismyipaddress.com##div[style="width:300px;height:266px;clear:both;padding-top:0px;"] -judgespot.com##div[style="width:300px;height:270px; line-height: 18px;border-width:0px;border-style:solid;border-color:white;padding:0px; font-size: 13px;"] -amazon.ca,amazon.co.uk,amazon.com##div[style="width:300px;height:280px;"] -bdnews24.com##div[style="width:300px;height:600px;margin:0;padding:0"] -westernjournalism.com##div[style="width:300px;height:789px;"] -extremefile.com##div[style="width:300px;margin-left:360px;padding-top:29px;"] -reelseo.com##div[style="width:300px;min-height:250px; margin:0 auto 12px auto;"] -fanpop.com##div[style="width:300px;min-height:250px;color:#999999;"] -techsonia.com##div[style="width:301px;height:268px;border:1px outset blue;"] -techsonia.com##div[style="width:301px;height:619px;border:1px outset blue;"] -weartv.com##div[style="width:303px;background-color:#336699;font-size:10px;color:#cccccc"] -newsblaze.com##div[style="width:305px;height:250px;float:left;"] -houserepairtalk.com##div[style="width:305px;height:251px;"] -whois.net##div[style="width:320px; float:right; text-align:center;"] -tomopop.com##div[style="width:330px; overflow:hidden;"] -worldtvpc.com##div[style="width:336px; height:280px; padding:8px; margin:auto"] -geekzone.co.nz,standardmedia.co.ke##div[style="width:336px; height:280px;"] -theepochtimes.com##div[style="width:336px;float:left;margin-right:18px"] -pcadvisor.co.uk##div[style="width:336px;height:214px;font-family:Arial,sans-serif;background: url(http://www.broadbandgenie.co.uk/img/hosted/PCAdvisor/bbg-bg-336x214.jpg) no-repeat;position:relative;font-family: Arial,Helvetica,sans-serif;"] -stabroeknews.com##div[style="width:336px;height:280px;"] -zedomax.com##div[style="width:336px;height:280px;float:center;"] -maximumpcguides.com##div[style="width:336px;height:280px;margin:0 auto"] -auto-types.com##div[style="width:337px;height:280px;float:right;margin-top:5px;"] -techsonia.com##div[style="width:337px;height:298px;border:1px outset blue;"] -worldwideweirdnews.com##div[style="width:341px; height:285px;float:left; display:inline-block"] -mapsofindia.com##div[style="width:345px;height:284px;float:left;"] -keo.co.za##div[style="width:350px;height:250px;float:left;"] -catholicworldreport.com##div[style="width:350px;height:275px;background:#e1e1e1;padding:25px 0px 0px 0px; margin: 10px 0;"] -hostcabi.net##div[style="width:350px;height:290px;float:left"] -internet.com##div[style="width:350px;margin-bottom:5px;"] -internet.com##div[style="width:350px;text-align:center;margin-bottom:5px"] -gamepressure.com##div[style="width:390px;height:300px;float:right;"] -rateyourmusic.com##div[style="width:400px;height:300px;text-align:center;margin:0 auto;margin-top:1em; margin-bottom:1em;"] -top4download.com##div[style="width:450px;height:205px;clear:both;"] -worldscreen.com##div[style="width:468px; height:60px; background-color:#ddd;"] -bfads.net##div[style="width:468px; height:60px; margin:0 auto 0 auto;"] -hiphopearly.com##div[style="width:468px; height:60px; margin:5px auto;"] -channel24.pk,ualpilotsforum.org##div[style="width:468px; height:60px;"] -jwire.com.au##div[style="width:468px;height:60px;margin:10px 0;"] -independent.com##div[style="width:468px;height:60px;margin:10px 35px;clear:both;padding-top:15px;border-top:1px solid #ddd;"] -jwire.com.au##div[style="width:468px;height:60px;margin:10px auto;"] -kwongwah.com.my##div[style="width:468px;height:60px;text-align:center;margin-bottom:10px;"] -kwongwah.com.my##div[style="width:468px;height:60px;text-align:center;margin:20px 0 10px;"] -standardmedia.co.ke##div[style="width:470px; height:100px; margin:20px;"] -southcoasttoday.com##div[style="width:48%; border:1px solid #3A6891; margin-top:20px;"] -reactiongifs.com##div[style="width:499px; background:#ffffff; margin:00px 0px 35px 180px; padding:20px 0px 20px 20px; "] -toorgle.net##div[style="width:550px;margin-bottom:15px;font-family:arial,serif;font-size:10pt;"] -dt.bh##div[style="width:580px; float:left; margin-left:20px;"] -lifewithcats.tv##div[style="width:600px; height:300px;"] -techgage.com##div[style="width:600px; height:74px;"] -alluc.ee##div[style="width:600px;height:111px;position: relative;overflow: hidden;"] -chrome-hacks.net##div[style="width:600px;height:250px;"] -hiphopwired.com##div[style="width:639px;height:260px;margin-top:20px;"] -insidemobileapps.com##div[style="width:648px;"] -windows7download.com##div[style="width:680px;height:280px;clear:both;"] -manilatimes.net##div[style="width:690px; height:90px; clear:both; margin-bottom:10px;"] -mailinator.com##div[style="width:700;height:120;text-align:left;"] -directmirror.com##div[style="width:700px;border: 4px solid #DDDDDD;border-radius: 4px 4px 4px 4px;padding: 10px;"] -desivideonetwork.com##div[style="width:728px; float:left;"] -surrenderat20.net##div[style="width:728px; height: 90px; margin: 10px auto 0px; background: #111;"] -uesp.net##div[style="width:728px; height:105px; overflow: hidden; margin-left: auto; margin-right: auto;"] -encyclopedia.com##div[style="width:728px; height:90px"] -qvideoshare.com##div[style="width:728px; height:90px; border:1px solid #DFDFDF;"] -moneycontrol.com##div[style="width:728px; height:90px; border:solid 0px #000080;"] -moneycontrol.com##div[style="width:728px; height:90px; border:solid 1px #000080;"] -scottishamateurfootballforum.com##div[style="width:728px; height:90px; display:inline-block;"] -bangkokpost.com##div[style="width:728px; height:90px; margin-left: auto; margin-right: auto;"] -relationshipcolumns.com##div[style="width:728px; height:90px; margin-top:18px;"] -mustangevolution.com##div[style="width:728px; height:90px; margin: 0 auto;"] -canadapost.ca##div[style="width:728px; height:90px; margin: auto; text-align: center; padding: 10px;"] -gta3.com,gtagarage.com,gtasanandreas.net,myanimelist.net##div[style="width:728px; height:90px; margin:0 auto"] -fas.org##div[style="width:728px; height:90px; margin:10px 0 20px 0;"] -herplaces.com##div[style="width:728px; height:90px; margin:12px auto;"] -motionempire.me##div[style="width:728px; height:90px; margin:20px auto 10px; padding:0;"] -imgbox.com##div[style="width:728px; height:90px; margin:auto; margin-bottom:8px;"] -dodgeforum.com,hondamarketplace.com##div[style="width:728px; height:90px; overflow:hidden; margin:0 auto;"] -freeforums.org,scottishamateurfootballforum.com##div[style="width:728px; height:90px; padding-bottom:20px;"] -alliednews.com,americustimesrecorder.com,andovertownsman.com,androidpolice.com,athensreview.com,batesvilleheraldtribune.com,bdtonline.com,boards.ie,chickashanews.com,claremoreprogress.com,cleburnetimesreview.com,clintonherald.com,commercejournal.com,commercial-news.com,cookingforengineers.com,coopercrier.com,cordeledispatch.com,corsicanadailysun.com,crossville-chronicle.com,cullmantimes.com,dailyiowegian.com,dailyitem.com,daltondailycitizen.com,derrynews.com,duncanbanner.com,eagletribune.com,edmondsun.com,effinghamdailynews.com,enewscourier.com,enidnews.com,farmtalknewspaper.com,fayettetribune.com,flyergroup.com,forzaitalianfootball.com,gainesvilleregister.com,gloucestertimes.com,goshennews.com,greensburgdailynews.com,heraldbanner.com,heraldbulletin.com,hgazette.com,homemagonline.com,itemonline.com,jacksonvilleprogress.com,joplinglobe.com,journal-times.com,journalexpress.net,kokomotribune.com,lockportjournal.com,mankatofreepress.com,mcalesternews.com,mccrearyrecord.com,mcleansborotimesleader.com,meadvilletribune.com,meridianstar.com,mineralwellsindex.com,montgomery-herald.com,mooreamerican.com,moultrieobserver.com,muskogeephoenix.com,nationmaster.com,ncnewsonline.com,newburyportnews.com,newsaegis.com,newsandtribune.com,niagara-gazette.com,njeffersonnews.com,normantranscript.com,orangeleader.com,oskaloosa.com,ottumwacourier.com,palestineherald.com,panews.com,paulsvalleydailydemocrat.com,pellachronicle.com,pharostribune.com,pressrepublican.com,pryordailytimes.com,randolphguide.com,record-eagle.com,register-herald.com,register-news.com,reporter.net,rockwallheraldbanner.com,roysecityheraldbanner.com,rushvillerepublican.com,salemnews.com,sentinel-echo.com,sharonherald.com,shelbyvilledailyunion.com,starbeacon.com,stwnewspress.com,suwanneedemocrat.com,tahlequahdailypress.com,theadanews.com,thedeadwood.co.uk,thelandonline.com,themoreheadnews.com,thesnaponline.com,tiftongazette.com,times-news.com,timesenterprise.com,timessentinel.com,timeswv.com,tonawanda-news.com,tribdem.com,tribstar.com,ualpilotsforum.org,unionrecorder.com,valdostadailytimes.com,vumafm.co.za,washtimesherald.com,waurikademocrat.com,wcoutlook.com,weatherforddemocrat.com,woodwardnews.net##div[style="width:728px; height:90px;"] -theepochtimes.com##div[style="width:728px; height:90px;margin:10px auto 0 auto;"] -thedailystar.com##div[style="width:728px; height:90px;position: relative; z-index: 1000 !important"] -highdefjunkies.com##div[style="width:728px; margin:0 auto; padding-bottom:1em"] -imagebam.com##div[style="width:728px; margin:auto; margin-top:10px; margin-bottom:10px; height:90px;"] -kavkisfile.com##div[style="width:728px; text-align:center;font-family:verdana;font-size:10px;"] -1500espn.com##div[style="width:728px;display:block;margin:10px auto 10px auto;height:90px;"] -net-temps.com##div[style="width:728px;height:100px;margin-left:auto;margin-right:auto"] -ipernity.com##div[style="width:728px;height:100px;margin:0 auto;"] -tictacti.com##div[style="width:728px;height:110px;text-align:center;margin: 10px 0 20px 0; background-color: White;"] -1071thez.com,classichits987.com,indiana105.com,kgrt.com,pocket-lint.com,wakeradio.com,xrock1039.com##div[style="width:728px;height:90px"] -footballfancast.com##div[style="width:728px;height:90px; margin: 0 auto 10px;"] -935kday.com##div[style="width:728px;height:90px; margin: 0px auto; background: #ccc; "] -forum.xda-developers.com,wxyz.com##div[style="width:728px;height:90px;"] -roxigames.com##div[style="width:728px;height:90px;\a border:1px solid blue;"] -sualize.us##div[style="width:728px;height:90px;background:#bbb;margin:0 auto;"] -videohelp.com##div[style="width:728px;height:90px;margin-left: auto ; margin-right: auto ;"] -raaga.com##div[style="width:728px;height:90px;margin-top:10px;margin-bottom:10px"] -delishows.com,hancinema.net##div[style="width:728px;height:90px;margin:0 auto"] -stopmalvertising.com##div[style="width:728px;height:90px;margin:0 auto;padding:0;text-align:center;margin-bottom:32px;"] -4chan.org##div[style="width:728px;height:90px;margin:10px auto 10px auto"] -holidayscentral.com##div[style="width:728px;height:90px;margin:15px auto;clear:both"] -colorgirlgames.com##div[style="width:728px;height:90px;margin:5px auto"] -neatorama.com##div[style="width:728px;height:90px;margin:5px auto;"] -technabob.com##div[style="width:728px;height:90px;margin:8px 0px 16px 0px;"] -colorgirlgames.com##div[style="width:728px;height:90px;margin:8px auto 8px"] -maximumpcguides.com##div[style="width:728px;height:90px;position:absolute;top:-95px;left:103px;"] -attheraces.com##div[style="width:728px;height:90px;text-align:center;float:left;background-color:#EFEFEF;"] -interglot.com##div[style="width:728px;margin-right:auto;margin-left:auto"] -putme.org##div[style="width:728px;margin:0 auto;"] -solomid.net##div[style="width:728px;padding:5px;background:#000;margin:auto"] -proxynova.com##div[style="width:730px; height:90px;"] -usfinancepost.com##div[style="width:730px;height:95px;display:block;margin:0 auto;"] -movie.to,movie4k.me,movie4k.to,movie4k.tv##div[style="width:742px"] > div[style="min-height:170px;"] > .moviedescription + br + a -dawn.com##div[style="width:745px;height:90px;margin:auto;margin-bottom:20px;"] -1fichier.com##div[style="width:750px;height:110px;margin:auto"] -imagebam.com##div[style="width:780px; margin:auto; margin-top:10px; margin-bottom:10px; height:250px;"] -brothersoft.com##div[style="width:795px; height:95px; float:left;text-align:center;"] -sc2casts.com##div[style="width:850px; padding-bottom: 10px;padding-top:10px;text-align:center"] -currency.me.uk##div[style="width:916px;border:1px solid #e1e1e1;background:#fff;padding:1px;margin-bottom:10px;"] -btstorrent.so##div[style="width:930px;height:230px;margin:auto;"] -stockmarketwire.com##div[style="width:930px;height:530px;clear:both;margin: 0 auto; margin-top: 15px; "] -tigerdirect.ca##div[style="width:936px; clear:both; margin-top:2px; height:90px;"] -afaqs.com##div[style="width:940px; height: 75px; margin:-10.5px 0 0; valign:top; float: left; margin: 10px 0px 30px 10px;"] -china.cn##div[style="width:948px;margin:5px auto 5px auto;overflow:hidden;zoom:1;height:90px;line-height:90px;overflow:hidden;"] -thegardenisland.com##div[style="width:950px; height:90px; margin:10px auto; display:block;"] -uploadc.com,zalaa.com##div[style="width:950px; padding:10px;padding-bottom:0px; "] -japannewsreview.com##div[style="width:955px;height:90px;align:auto;margin-bottom:10px;"] -cnbc.com##div[style="width:960;height:90;margin:0 0 5px 0;"] -speedmonkey.net##div[style="width:960px;height:110px;text-align:center"] -channel24.pk##div[style="width:970px; height:90px;"] -jacars.net##div[style="width:970px; margin-top:5px; top:0px; left:15px; position:relative; height:90px; "] -jacars.net##div[style="width:970px; margin:auto; top:0px; position:relative; height:90px; "] -jacars.net##div[style="width:970px; top:0px; left:15px; position:relative; height:90px; "] -aplus.com##div[style="width:970px;height:250px;"] -rateyourmusic.com##div[style="width:970px;height:90px;text-align:center;margin:0 auto;margin-top:0.25em;margin-bottom:1em;"] -back9network.com##div[style="width:976px;height:120px;text-align:center;"] -tigerdirect.ca##div[style="width:977px; clear:both; margin-top:2px; height:90px;"] -gametracker.com##div[style="width:980px; height:48px; margin-bottom:5px; overflow:hidden;"] -apphit.com##div[style="width:980px;height:100px;clear:both;margin:0 auto;"] -moneyam.com##div[style="width:980px;height:450px;clear:both;margin: 0 auto;"] -teleservices.mu##div[style="width:980px;height:50px;float:left; "] -performanceboats.com##div[style="width:994px; height:238px;"] -search.ch##div[style="width:994px; height:250px"] -happystreams.net##div[style="z-index: 2000; background-image: url(\"data:image/gif;base64,R0lGODlhAQABAIAAAAAAAP///yH5BAEAAAAALAAAAAABAAEAAAIBRAA7\"); left: 145px; top: 120px; height: 576px; width: 1024px; position: absolute;"] -monova.org##div[style] > a -crossmap.com##div[style] > div:first-child > div[class] -downloadsfreemovie.net##div[style^="background-color: rgb"] -independent.com##div[style^="background-image:url('http://media.independent.com/img/ads/ads-bg.gif')"] -sevenforums.com##div[style^="border: 1px solid #94D3FE;"] -gamebanshee.com##div[style^="border:1px solid #b98027; width:300px;"] -interfacelift.com##div[style^="clear: both; -moz-border-radius: 6px; -webkit-border-radius: 6px;"] -redbrick.me##div[style^="cursor:pointer; position: relative;width:1000px; margin: auto; height:150px; background-size:contain; "] -iload.to##div[style^="display: block; width: 950px;"] -google.com##div[style^="height: 16px; font: bold 12px/16px"] -drakulastream.eu##div[style^="height: 35px; z-index: 99999"] -rapidvideo.tv##div[style^="height: 35px;"] -kingfiles.net##div[style^="height: 36px;"] -4chanarchives.cu.cc##div[style^="height: 90px; width: 728px;"] -animenova.tv,animetoon.tv,gogoanime.com,goodanime.eu,gooddrama.net,toonget.com##div[style^="left: "] -softpedia.com##div[style^="margin-top:"] > a > img:first-child -rlslog.net##div[style^="padding-top: 20px;"] -watchonlineseries.eu##div[style^="padding-top:5px;float:left;"] -300mbmovies4u.com##div[style^="padding-top:5px;float:left;width:100%;"] -technabob.com##div[style^="padding:0px 0px "] -exashare.com##div[style^="position: "] -easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div[style^="position: absolute;"] -seedpeer.eu##div[style^="position: fixed; "] -pcmag.com##div[style^="position: relative; top:"] -viz.com##div[style^="position:absolute; width:742px; height:90px;"] -easyvideo.me,playbb.me,playpanda.net,video66.org,videofun.me,videowing.me,videozoo.me##div[style^="top: "] -wizzed.com##div[style^="visibility: visible !important;display: block !important;"] -softpedia.com##div[style^="width: 100%; height: 90px;"] -eatliver.com##div[style^="width: 160px; height: 600px;"] -allmyvideos.net##div[style^="width: 315px; "] -someimage.com##div[style^="width: 728px; height: 90px;"] -droid-life.com##div[style^="width: 970px;"] -kino.to##div[style^="width: 972px;display: inline;top: 130px;"] -easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div[style^="width:"] -userscdn.com##div[style^="width:300px; height:250px;"] -sockshare.com##div[style^="width:302px;height:250px;"] -userscdn.com,way2sms.com##div[style^="width:728px; height:90px;"] -timelinecoverbanner.com##div[style^="width:728px;"] -walmart.com##div[style^="width:740px;height:101px"] -btsdl.cc##div[style^="width:99%"] -urgrove.com##div[style^="z-index: "] > div[style] -thevideos.tv##div[style^="z-index: 2000; background-image:"] -nowwatchtvlive.com##div[style^="z-index: 99999; position: fixed; width: 100%;"] -easyvideo.me,playbb.me,playpanda.net,videofun.me,videowing.me,videozoo.me##div[style^="z-index:"] -ebay.com##div[title="ADVERTISEMENT"] -eclipse.org##div[width="200"] -isnare.com##div[width="905"] -blackcatradio.biz##div[width="969"][height="282"] -filepuma.com##dt[style="height:25px; text-indent:3px; padding-top:5px;"] -kitguru.net##embed[src][quality] -xtremesystems.org##embed[width="728"] -opensubtitles.org##fieldset > a[target="_blank"][href] -opensubtitles.org##fieldset > legend + a[class] -opensubtitles.org##fieldset > table[style="width:100%;"] > tbody > .change -astatalk.com##fieldset[style="border: 1px solid #fff; margin-bottom: 15px; height: 60px; background-color: navy;"] -bit.com.au,pcauthority.com.au##fieldset[style="width:98%;border:1px solid #CCC;margin:0px;padding:0px 0px 0px 5px;"] -cinemablend.com##font[color="#737373"] -imgburn.com,majorgeeks.com##font[face="Arial"][size="1"] -bargaineering.com##font[face="Verdana"][color="#808080"] -ap.org##font[size="1"][color="#999999"] -realitytvworld.com##font[size="1"][color="gray"] -nufc.com##font[size="1"][face="Verdana"] > table[width="297"][cellspacing="0"][cellpadding="0"][border="0"][align="center"] -zippyshare.com##font[style="font-size: 10px; letter-spacing: 3px; word-spacing: 2px; line-height: 18px;"] -zippyshare.com##font[style="font-size: 10px; letter-spacing: 3px; word-spacing: 2px;"] -softpedia.com##h2 + div + a[style] -law.com,topcultured.com##h3 -rapidog.com##h3[style="color:#00CC00"] -virtualmedicalcentre.com##h5 -bigpond.com##h5.subheading -indowebster.com##h6.size_1 -sketchucation.com##h6[style^="width:766px;height:88px;"] -thegatewaypundit.com##header + div + span + * -deadline.com##header > .header-ad-mobile + * -techpowerup.com##header > div[class] > a[href][target="_blank"] > img:first-child -forums.eteknix.com##hgroup[style="width:728px; margin:10px auto; height:90px;"] -discovermagazine.com##hr[size="1"] -mywatchseries.to,watch-series.to##iframe + div[class] -strikeout.co##iframe[class][src] -esbuzz.net##iframe[frameborder][src] -bangfiles.net##iframe[height="210px"] -extremetech.com,hawtcelebs.com,moviemistakes.com,wccftech.com##iframe[height="250"] -funnyjunk.com##iframe[height="250"][width="300"] -animefreak.tv,extremetech.com,hawtcelebs.com,moviemistakes.com,totallystressedout.com##iframe[height="600"] -ziddu.com##iframe[height="80"] -pcmag.com##iframe[id][marginheight="0"] -kissanime.com,kisscartoon.me##iframe[id^="adsIfrme"] -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,mcall.com,montrealgazette.com,nasdaq.com,nationalpost.com,orlandosentinel.com,ottawacitizen.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sporcle.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,vagazette.com,vancouversun.com,vibe.com,windsorstar.com##iframe[name*="ads_iframe"] -imgbar.net##iframe[src="earn.php"] -briansarmiento.website,streamin.to##iframe[src] -goolink.me##iframe[src][style][height] -cybergamer.com##iframe[src^="http://au.cybergamer.com/iframe_cgbanners.php?"] -pcmag.com##iframe[src^="http://sp.pcmag.com/"] -fortune.com##iframe[src^="https://products.gobankingrates.com/"] -biology-online.org##iframe[style*=" ! important"] -grammarist.com##iframe[style*="display: block ! important"] -gorillavid.in,grammarist.com##iframe[style*="display: block !important"] -destructoid.com,freewarefiles.com,fullmatchesandshows.com##iframe[style*="display:"] -dailymail.co.uk##iframe[style*="width:308px;border:0px"] -dailymail.co.uk##iframe[style="border:0px;height:258px;margin-bottom:15px;width:308px;"] -dailymail.co.uk##iframe[style="border:0px;width:308px;height:258px;margin-bottom:15px;"] -btmon.com##iframe[style="height: 600px; width: 160px"] -liveuamap.com##iframe[style="margin-left: -32px; width: 362px;height:295px;border:0px none #000;"] -thestreet.com##iframe[style="margin-top:5px;"] -heyoya.com##iframe[style="width: 300px; height: 250px; overflow: hidden;"] -bizjournals.com##iframe[style="width: 340px; height: 165px; overflow: hidden; padding: 10px; margin: 0px; border-style: none;"] -hinduwebsite.com##iframe[style="width:320px; height:260px;"] -4chanarchives.cu.cc,datpiff.com,imgnemo.com##iframe[style] -adjet.biz##iframe[style^=" width:100%;"] -animefreak.tv,animmex.net,imagetwist.com##iframe[width="300"] -france24.com##iframe[width="300"][height="170"] -therecord.com##iframe[width="300"][height="180"] -fansshare.com,headlinepolitics.com,imgchili.net,shanghaidaily.com,tmn.today##iframe[width="300"][height="250"] -mouthshut.com##iframe[width="336"] -nowwatchtvlive.com##iframe[width="460"] -1tvlive.in,4archive.org,ahashare.com,imagetwist.com,moviemistakes.com,thebarchive.com,tomsguide.com,ziddu.com##iframe[width="728"] -headlinepolitics.com,imgchili.net,tmn.today##iframe[width="728"][height="90"] -shoesession.com##iframe[width="732"] -gamecopyworld.com##iframe[width="760"] -mangatown.com##iframe[width] -newsbtc.com##img.aligncenter[width="200"][height="200"] -thegremlin.co.za##img[alt*="Advertising"] -chroniclelive.co.uk,liverpoolecho.co.uk##img[alt*="sponsor"] -thefashionlaw.com##img[alt="Ad 1"] -thecuttingedgenews.com##img[alt="Ad by The Cutting Edge News"] -adaderana.lk,inmr.com##img[alt="Ad"] -technologyreview.com,tmz.com##img[alt="Advertisement"] -techxav.com##img[alt="Commercial WordPress themes"] -joox.net##img[alt="Download FLV Direct"] -jdownloader.org##img[alt="Filesonic Premium Download"] -isohunt.to##img[alt="Free download"] -onhax.net##img[alt="Full Version"] -nta.ng##img[alt="Online Ads WeConnect Platform"] -scriptmafia.org##img[alt="SM AdSpaces"] -adswikia.com,searchquotes.com##img[alt="Sponsored"] -awazfm.co.uk##img[alt="advert"] -sanmarinotribune.com##img[alt="headerad1"] -sanmarinotribune.com##img[alt="sidebarad1"] -warezchick.com##img[border="0"] -thebradentontimes.com##img[class^="custom_adgroup_"] -capricornfm.co.za##img[data-image-width="300"][data-image-height="250"] -lyngsat.com##img[height="100"][width="160"] -am950radio.com##img[height="100"][width="205"] -wibc.com,wjr.com##img[height="100"][width="300"] -hankfm.com##img[height="100"][width="350"] -naijaloaded.com.ng##img[height="114"][width="728"] -jozikids.co.za##img[height="140"][width="140"] -thedrinksbusiness.com##img[height="150"][width="150"] -lyngsat-logo.com,lyngsat-maps.com,lyngsat-stream.com,lyngsat.com##img[height="160"][width="160"] -thomhartmann.com##img[height="200"][width="200"] -newseveryhour.com##img[height="209"][width="250"] -africandesignmagazine.com##img[height="226"] -mypbrand.com,tfetimes.com##img[height="250"] -ahomkaradiouk.com,cananewsonline.com,colombiareports.com,cordcutting.com,einnews.com,fextralife.com,hot919fm.com,naijaloaded.com.ng,naturallivingideas.com,newsday.co.zw,powerfm.co.za,proxy.org,tribuneonlineng.com##img[height="250"][width="300"] -powerfm.co.za##img[height="250"][width="970"] -thetruthwins.com##img[height="255"] -awesomeradio.com##img[height="280"][width="336"] -africandesignmagazine.com,thetruthwins.com##img[height="300"] -hot919fm.com##img[height="300"][width="300"] -thetruthwins.com##img[height="310"] -hot919fm.com##img[height="350"][width="300"] -2pass.co.uk##img[height="470"] -warez-home.net##img[height="60"][width="420"] -pururin.com##img[height="600"] -opednews.com##img[height="600"][width="160"] -powerfm.co.za##img[height="600"][width="300"] -africandesignmagazine.com##img[height="688"] -sharesansar.com##img[height="80px;"][style="width:992px;"] -abundance-and-happiness.com,professionalmuscle.com,tfetimes.com##img[height="90"] -nmap.org##img[height="90"][width="120"] -opednews.com##img[height="90"][width="180"] -airplaydirect.com,bentelevision.com,newseveryhour.com,proxy.org,roadtester.com.au,runechat.com,slayradio.org,tribuneonlineng.com##img[height="90"][width="728"] -prowrestling.com##img[height="91"] -modelhorseblab.com##img[name="js_ad"] -cryptocoinsnews.com,imgchili.net,opensubtitles.org,sporcle.com,thefreethoughtproject.com,veteranstoday.com##img[src*="data:image"] -monova.org##img[src] -minecraftforum.net##img[src][height="96"] -sh.st##img[src^="data:"] -dimtus.com##img[src^="http://bnrs.it/"] -kino.to##img[src^="http://c.statcounter.com/"] + span -raysindex.com##img[style$="text-align: center; cursor: \a \a pointer; width: 728px;"] -rejournal.com##img[style="border-width:0px;"] -grabchicago.com##img[style="border: 0px solid ; width: 728px; height: 90px;"] -thehackernews.com##img[style="border: 0px"] -noscript.net##img[style="float: left;padding: 32px 16px 8px 0; border: none"] -world4free.in##img[style="height: 600px; width: 160px;"] -wfc.tv##img[style="max-width: 240px;max-height: 400px;"] -wutqfm.com##img[style="width: 200px; height: 200px;"] -atwonline.com##img[style="width: 274px; height: 50px;"] -wbap.com##img[style="width: 299px; height: 85px;"] -countryfile.com,wmal.com##img[style="width: 300px; height: 150px;"] -dailymirror.lk,radiotoday.com.au##img[style="width: 300px; height: 200px;"] -dailymirror.lk##img[style="width: 300px; height: 248px;"] -ktul.com##img[style="width: 300px; height: 24px; border: 0px;"] -indypendent.org##img[style="width: 300px; height: 250px; "] -flafnr.com,galaxyfm.co.ug,gizmochina.com##img[style="width: 300px; height: 250px;"] -dailymirror.lk##img[style="width: 302px; height: 202px;"] -pricecheck.co.za##img[style="width: 460px;"] -classicfm.co.za##img[style="width: 600px; height: 300px;"] -bulletin.us.com##img[style="width: 600px; height: 50px;"] -check-host.net##img[style="width: 640px"] -indypendent.org,uploadocean.com##img[style="width: 728px; height: 90px;"] -galaxyfm.co.ug##img[style="width: auto; height: 90px;"] -unionleader.com##img[style="width:100px;height:38px;margin-top:-10px"] -hltv.org##img[style="width:120px;height:240px;"] -thespiritsbusiness.com##img[style="width:170px;"] -newsfirst.lk##img[style="width:300px; height:200px;"] -oathkeepers.org##img[style="width:350px"] -hltv.org##img[style="width:468px;height:60px;"] -bitcoindifficulty.com##img[style="width:728px; height:90px;"] -downloadhelper.net##img[style="width:728px;height:90px"] -cryptoinfinity.com##img[style="width:728px;height:90px;"] -androidcentral.com##img[style="width:820px;height:380px;border:0;"] -snopes.com##img[style][width] -oathkeepers.org##img[style^="width: 350px;"] -hltv.org##img[style^="width:150px;"] -nba-stream.com##img[style^="width:728px;height:90px"] -onhax.net##img[title="Download Now"] -abpclub.co.uk##img[width="118"] -miningreview.com,scnsrc.net,traxarmstrong.com##img[width="120"][height="600"] -darknet.org.uk##img[width="123"][height="123"] -americanisraelite.com,dailyblogtips.com,macintouch.com,miningreview.com,radiotoday.co.uk,utahstories.com,your-pagerank.com##img[width="125"][height="125"] -guardianonline.co.nz##img[width="134"][height="35"] -link-base.org##img[width="135"] -bosscast.net,ndtv.com,postzambia.com##img[width="150"] -zonalmarking.net##img[width="150"][height="750"] -palipost.com##img[width="160"][height="100"] -your-pagerank.com##img[width="160"][height="108"] -radiocaroline.co.uk,yournews.com##img[width="160"][height="160"] -zonalmarking.net##img[width="160"][height="300"] -newswireni.com##img[width="160"][height="596"] -airplaydirect.com,ata.org,candofinance.com,newswireni.com,serialbay.com,siliconera.com,temulator.com,windfm.com##img[width="160"][height="600"] -your-pagerank.com##img[width="160"][height="80"] -your-pagerank.com##img[width="160"][height="89"] -your-pagerank.com##img[width="160"][height="90"] -newswireni.com##img[width="161"][height="600"] -bilingualweekly.com##img[width="162"][height="170"] -unionleader.com##img[width="165"][height="40"] -sunny106.fm,tompkinsweekly.com,wutqfm.com##img[width="180"] -wegoted.com,wyep.org##img[width="180"][height="150"] -prawfsblawg.blogs.com##img[width="180"][height="200"] -wegoted.com##img[width="180"][height="204"] -kashmirtimes.com,kashmirtimes.in##img[width="180"][height="600"] -wrno.com##img[width="185"][height="60"] -radio1041.fm##img[width="189"] -radio1041.fm##img[width="190"] -favicon.co.uk##img[width="190"][height="380"] -bayfm.co.za##img[width="195"][height="195"] -rejournal.com##img[width="200"][height="100"] -sarasotatalkradio.com##img[width="200"][height="200"] -coffeegeek.com##img[width="200"][height="250"] -professionalmuscle.com##img[width="201"] -bayfm.co.za##img[width="208"][height="267"] -bayfm.co.za##img[width="208"][height="301"] -bayfm.co.za##img[width="208"][height="319"] -professionalmuscle.com##img[width="210"] -khow.com##img[width="216"][height="156"] -thisdaylive.com##img[width="220"][height="147"] -isportconnect.com##img[width="220"][height="150"] -isportconnect.com##img[width="220"][height="200"] -isportconnect.com##img[width="220"][height="300"] -aroundhawaii.com##img[width="220"][height="60"] -nufc.com##img[width="226"][height="58"] -aroundhawaii.com##img[width="230"][height="150"] -islamchannel.tv##img[width="230"][height="185"] -mlfat4arab.com##img[width="234"][height="60"] -mommymatters.co.za##img[width="249"][height="250"] -codecguide.com,fashionpulis.com,golfstylesonline.com##img[width="250"] -phillyrecord.com##img[width="250"][height="218"] -korabroadcasting.com,mommymatters.co.za,readfomag.com##img[width="250"][height="250"] -yournews.com##img[width="250"][height="90"] -tompkinsweekly.com##img[width="252"] -theannouncer.co.za##img[width="252"][height="100"] -tompkinsweekly.com##img[width="253"] -miningreview.com##img[width="260"][height="250"] -ozarkssportszone.com##img[width="267"][height="294"] -wrko.com##img[width="269"][height="150"] -threatpost.com##img[width="270"] -staugustine.com##img[width="275"][height="75"] -korabroadcasting.com##img[width="279"][height="279"] -worldfree4u.com,worldfree4u.me##img[width="280"][height="250"] -wwl.com##img[width="281"][height="141"] -postzambia.com##img[width="285"] -staugustine.com##img[width="285"][height="75"] -mypbrand.com##img[width="295"] -inquirer.net##img[width="298"][style="margin-bottom:5px;margin-top:5px;"] -africandesignmagazine.com,breakingbelizenews.com,naijaloaded.com.ng,punchng.com,radio1041.fm,technomag.co.zw,techpowerup.com,thefix.com,thetruthwins.com,wonkette.com##img[width="300"] -momsmiami.com,nehandaradio.com##img[width="300"][height="100"] -fancystreems.com##img[width="300"][height="150"] -947wls.com##img[width="300"][height="155"] -businessdayonline.com##img[width="300"][height="200"] -redpepper.co.ug##img[width="300"][height="248"] -360nobs.com,afrivibes.net,airplaydirect.com,businessdayonline.com,ciibroadcasting.com,clutchmagonline.com,cryptomining-blog.com,dotsauce.com,fancystreems.com,firstpost.com,freedomhacker.net,gameplayinside.com,goodcarbadcar.net,icxm.net,movin100.com,mycolumbuspower.com,nehandaradio.com,onislandtimes.com,portugaldailyview.com,redpepper.co.ug,rlslog.net,robhasawebsite.com,sacobserver.com,samoatimes.co.nz,seguintoday.com,staugustine.com,tangatawhenua.com,techpowerup.com,theannouncer.co.za,themediaonline.co.za,theolivepress.es,thevoicebw.com,three.fm,vpnreviewer.com,wolf1051.com,ynaija.com,yomzansi.com##img[width="300"][height="250"] -ynaija.com##img[width="300"][height="290"] -linkbitty.com,newspapers-online.com##img[width="300"][height="300"] -theolivepress.es##img[width="300"][height="33"] -sportdiver.co.uk##img[width="300"][height="350"] -redpepper.co.ug##img[width="300"][height="360"] -showbiz411.com##img[width="300"][height="400"] -redpepper.co.ug##img[width="300"][height="420"] -redpepper.co.ug##img[width="300"][height="500"] -redpepper.co.ug##img[width="300"][height="528"] -khaleejtimes.com##img[width="300"][height="60"] -clutchmagonline.com,korabroadcasting.com,religionnewsblog.com##img[width="300"][height="600"] -afrivibes.net##img[width="300px"][height="250px"] -techpowerup.com##img[width="301"][height="250"] -gamingcentral.in##img[width="310"][height="175"] -wallstreetsurvivor.com##img[width="310"][height="56"] -wben.com##img[width="316"][height="120"] -argentinaindependent.com##img[width="320"][height="250"] -ciibroadcasting.com##img[width="325"][height="200"] -radioasiafm.com##img[width="350"][height="300"] -ipwatchdog.com##img[width="350px"][height="250px"] -noordnuus.co.za##img[width="357"][height="96"] -nufc.com##img[width="360"][height="100"] -transportxtra.com##img[width="373"][height="200"] -transportxtra.com##img[width="373"][height="250"] -forum.blackhairmedia.com##img[width="400"][height="82"] -gomlab.com##img[width="410"][height="80"] -sunnewsonline.com##img[width="420"][height="55"] -powerbot.org##img[width="428"] -hangout.co.ke##img[width="448"][height="70"] -inmr.com##img[width="450"][height="64"] -webresourcesdepot.com##img[width="452px"][height="60px"] -maltairport.com##img[width="453"][height="115"] -ch131.so##img[width="460"][height="228"] -300mbmovies4u.com,chat-avenue.com,flashx.cc,flashx.co,flashx.me,flashx.pw,flashx.run,flashx.space,flashx.top,hollywoodbackwash.com,macintouch.com,muzique.com,opencarry.org##img[width="468"] -abpclub.co.uk,allforpeace.org,cpaelites.com,forum.gsmhosting.com,hulkload.com,load.to,rlslog.net,themediaonline.co.za,thetobagonews.com,warezhaven.org,waz-warez.org##img[width="468"][height="60"] -topprepperwebsites.com##img[width="468"][height="80"] -link-base.org##img[width="468px"] -infinitecourses.com##img[width="468px"][height="60px"] -sharktankblog.com##img[width="485"][height="60"] -thenewage.co.za##img[width="500"][height="620"] -yournews.com##img[width="540"][height="70"] -sunny106.fm##img[width="560"][height="69"] -sunny106.fm##img[width="570"][height="131"] -staugustine.com##img[width="590"][height="200"] -isportconnect.com##img[width="590"][height="67"] -mail.macmillan.com,motortrader.com.my##img[width="600"] -redpepper.co.ug##img[width="600"][height="117"] -nufc.com##img[width="600"][height="85"] -softpedia.com##img[width="600"][height="90"] -bloombergtvafrica.com##img[width="628"][height="78"] -radiotoday.co.uk##img[width="630"][height="120"] -shanghaiist.com##img[width="640"][height="444"] -motortrader.com.my##img[width="640"][height="80"] -postzambia.com##img[width="675"][height="70"] -cryptothrift.com##img[width="700"] -1550wdlr.com##img[width="711"][height="98"] -crackingforum.com##img[width="720"] -businessdayonline.com,ch131.so##img[width="720"][height="90"] -wharf.co.uk##img[width="720px"][height="90px"] -lindaikeji.blogspot.com,livemixtapes.com,mixingonbeat.com,naija247news.com,powerbot.org,rsvlts.com,rule34.xxx,techpowerup.com,xtremesystems.org##img[width="728"] -420careers.com,9tools.org,add-anime.net,ahealthblog.com,bodyboardingmovies.com,creditboards.com,dogepay.com,driverguide.com,ecostream.tv,freeforums.org,hulkload.com,imgbar.net,kashmirtimes.com,kashmirtimes.in,knco.com,korabroadcasting.com,movin100.com,namibiansun.com,oldiesradio1050.com,radioinsight.com,sameip.org,starconnectmedia.com,tangatawhenua.com,technomag.co.zw,techpowerup.com,thecsuite.co.uk,thenewage.co.za,topprepperwebsites.com,vpnreviewer.com,wallstreetfool.com,warezlobby.org,wcfx.com,wolf1051.com,worldfree4u.com,wsoyam.com##img[width="728"][height="90"] -mkfm.com##img[width="75"][height="75"] -telecomtiger.com##img[width="768"][height="80"] -ndtv.com##img[width="770"] -americanisraelite.com##img[width="778"][height="114"] -myretrotv.com##img[width="875"][height="110"] -waz-warez.org##img[width="88"][height="31"] -korabroadcasting.com##img[width="883"][height="109"] -ptf.com##img[width="91"][height="13"] -bilingualweekly.com##img[width="960"][height="70"] -player.stv.tv##img[width="960px"][height="32px"] -staugustine.com##img[width="970"][height="90"] -lockerz.com##img[width="980"][height="60"] -mp3li.net##img[width="984"][height="124"] -moneycontrol.com##img[width="996"][height="169"] -allmyvideos.net##img[width] -opednews.com##img[wodth="160"][height="600"] -streamin.to##input + br + div[class] -vodu.ch##input[onclick^="parent.location='http://d2.zedo.com/"] -vodu.ch##input[onclick^="parent.location='http://imads.integral-marketing.com/"] -torrentcrazy.com##input[onclick^="window.open('http://adtransfer.net/"] -onhax.net##input[type="button"][value^="Download"] -bittorrent.am##input[value="Anonymous Download"] -ad2links.com##input[value="Download Now"] -bittorrent.am##input[value="Download x10 faster"] -lix.in##input[value="Download"] -123movies.online##input[value="Watch in HD"] -moneyinpjs.com##ins[class^="bmadblock-"] -broadbandforum.co##ins[data-ad-client] -downace.com##ins[data-ad-client^="ca-pub-"] -uploadocean.com##ins[id][style] -startlr.com##ins[style="display:inline-block;width:300px;height:600px"] -timesofisrael.com##item-spotlight -webgurubb.com##li[data-author="Ads Master"] -yahoo.com##li[data-beacon^="https://beap.adss.yahoo.com/"] -yahoo.com##li[data-beacon^="https://beap.gemini.yahoo.com/"] -yahoo.com##li[id^="ad-"] -thegatewaypundit.com##main > article > :first-child + div + div + * -thegatewaypundit.com##main > article > div + span -thegatewaypundit.com##main > article > p + span -thegatewaypundit.com##main > article:first-child > div + div + * + * -bittorrent.am##noindex -9to5google.com,9to5mac.com,9to5toys.com,electrek.co##noscript + [class] -featve.com##object + script + div[class] -stream4.tv##object[id^="stream"] + script + div[class] -filenuke.com,sharesix.com##p + div + div > a[href] -bitcoinfees.com##p > span[style="color:#aaaaaa; font-size:8pt;"] -tweaktown.com##p[style="float:left;margin-right:10px"] -futureofcapitalism.com##p[style="font-size:11px; margin:0 0 2px 0; color:gray; text-align:center; letter-spacing:2px;"] -lyricsmania.com##p[style="font-size:14px; text-align:center;"] -history.ca##p[style="height:15px;"] -midtownlunch.com##p[style="padding-bottom:295px"] -talkarcades.com##p[style="text-align: center; font-weight: bold; font-size: 150%;"] -monova.org##script + [class] > [class]:first-child -9to5mac.com##script + [class] > div[class]:first-child -monova.org##script + [id][href] -sh.st##script + a[onclick] -infowars.com##script + div + div[class] -faithit.com##script + div.fram + div -gorillavid.in##script + div[style*="position: fixed"] -gorillavid.in##script + div[style*="position:fixed"] -gboxes.com##script + div[style^="width: "] -service.mail.com##script + div[tabindex="1"] div[style="z-index:99996;position:absolute;cursor:default;background-color:white;opacity:0.95;left:0px;top:0px;width:1600px;height:552px;"] -service.mail.com##script + div[tabindex="1"] div[style^="z-index:99998;position:absolute;cursor:default;left:0px;top:0px;width:"] -thevideo.me##script[src^="data:text/"] + div[id][style] -thevideo.me##script[type="text/javascript"] + [style="display: block;"] -traileraddict.com##section + div + div + div[class] -mobilelikez.com##section > #content > [class] > div[style^="float:"]:first-child -kpopstarz.com##section > .innerwrap > div > :first-child + * -tomshardware.com##section > [id][style="width: 100%; display: block; height: auto;"] -tomshardware.com##section > [style] > [id][class][style] -thegatewaypundit.com##section > div:first-child + div -mobilelikez.com##section span + div div[style]:first-child -thegatewaypundit.com##section.widget > .widget-wrap + div -cnn.com##section[data-zone-label="Paid Partner Content"] -toptenz.net##section[id^="text"] + div > div[class] -koreaherald.com##section[style="border:0px;width:670px;height:200px;"] -elitistjerks.com##small -activistpost.com##span > :first-child > div > div > div[class]:last-child -monova.org##span > a > [class][style] -photobucket.com##span > div[class] > div + div -tweaktown.com##span > div[id] > iframe[id] -monova.org##span > div[onclick^="send_event"] -monova.org##span > script + a -monova.org##span > span > [onclick] -monova.org##span > span > div:last-child -thegatewaypundit.com##span > span:first-child > span > [id][class] -drudgereport.com##span[-abp-properties='base64'] -easyvideo.me,playbb.me,videowing.me,videozoo.me##span[original^="http://byzoo.org/"] -rokked.com##span[style="color: #555; font-size: 10px"] -washingtonmonthly.com##span[style="font-size:12px"] -openwith.org##span[style="font-size:12px;"] -lyricsmania.com##span[style="font-size:14px;"] -liveleak.com##span[style="font-size:9px; font-weight:bold;"] -techzilo.com##span[style="font-weight: 400; color: #888; font-size: 10px"] -eurocardsharing.com,physicsforums.com##span[style="margin: 2px; float: left; width: 301px; height: 251px;"] -forbes.com##span[style="text-transform:upercase;font-size:10px;color:999999;"] -windowsbbs.com##span[style^="margin: 2px; float: left;"] -hltv.org##span[style^="width: 468px;"] -monova.org##style + [class] -sh.st##style + iframe[class] -eztv.ag##table + * + table[id] -linuxforums.org##table > tbody > tr > td[style="width:430px;height:300px"] -forum.blackhairmedia.com##table[align="center"][style="padding-left:10px"] > tbody > tr > td[width="120"][valign="top"]:first-child -forum.blackhairmedia.com##table[align="center"][style="padding-left:10px"] > tbody > tr > td[width="120"][valign="top"]:first-child + td[width="100%"][valign="top"] + td[width="120"][valign="top"]:last-child -torrentportal.com##table[align="center"][width="800"] -learninginfo.org##table[align="left"][width="346"] -japantimes.co.jp##table[align="right"][width="250"] -411mania.com##table[align="right"][width="300"] -officegamespot.com##table[bgcolor="#CCCCCC"] -geology.com##table[bgcolor="#cccccc"] -webworldindex.com##table[bgcolor="#ceddf0"] -search.vmn.net##table[bgcolor="#ecf5fa"] -biz.yahoo.com##table[bgcolor="white"][width="100%"] -realitytvworld.com##table[border="0"][align="left"] -mdpub.com##table[border="0"][align="top"][style="border: 1px red solid; "] -omg-facts.com##table[border="0"][width="330px"][height="270px"] -softexia.com##table[border="0"][width="728"][align="center"] -shopping.net##table[border="1"][width="580"] -calguns.net##table[border="2"] -majorgeeks.com##table[cellpadding="3"][align="center"] -pcstats.com##table[cellpadding="5"][width="866"] -talkgold.com##table[cellpadding="7"][align="center"] -roadtester.com.au##table[cellpadding="9"][border="0"] -chinapost.com.tw##table[cellspacing="0"][cellpadding="0"][border="0"][width="300"] -iwebtool.com##table[cellspacing="0"][cellpadding="0"][border="1"] -chinapost.com.tw##table[cellspacing="1"][cellpadding="1"][bgcolor="#DD0000"][width="120"] -rapidlibrary.com##table[cellspacing="1"][cellpadding="3"][border="0"][width="98%"] -tdpri.com##table[cellspacing="2"][width="860"] -dl4all.com##table[cellspacing="5"][background="#FFFFFF"] -eztv.ag##table[class] + * + * + table[width] -hotonlinenews.com,skyandtelescope.com##table[height="100"] -playkidsgames.com##table[height="105"] -airlinequality.com##table[height="110"][width="740"] -empireonline.com##table[height="130"] -japantimes.co.jp##table[height="250"][width="250"] -wchstv.com##table[height="252"][width="320"] -wifinetnews.com##table[height="260"][width="310"] -bitrebels.com##table[height="262"] -airlinequality.com##table[height="270"][width="320"] -lyngsat-logo.com##table[height="320"] -abundance-and-happiness.com##table[height="339"] -officegamespot.com,ohgizmo.com,usconstitution.net##table[height="600"] -softpanorama.org##table[height="620"] -publichd.eu##table[height="75"][align="center"] -car.com##table[height="90"][width="100%"] -indiaglitz.com##table[height="90"][width="740"] -billboard.biz##table[height="90px"][bgcolor="#CCCCCC"] -worldairlineawards.com##table[height="95"][width="740"] -legendarydevils.com##table[multilinks-noscroll="true"] -jeepforum.com##table[style="border-width: 1px; border-color: gray; border-style: solid;"] -tower.com##table[style="margin-top:10px;"] -rapid-search-engine.com##table[style="margin-top:5px;padding-top:10px;width:100%;background-color:#F5F8FE"] -sharedir.com##table[style="margin:15px 0 0 -8px;width:540px"] -i3investor.com##table[style="padding:8px;border:6px solid #dbdbdb;min-width:228px"] -kashmirtimes.com,kashmirtimes.in##table[style="width: 320px; height: 260px; float: right"] -localstore.co.za##table[style="width: 952px; height: 90px; padding: 10px; border: 0; margin: 0 auto;"] -tower.com##table[style="width:160px; height:600px;padding:0px; margin:0px"] -playkidsgames.com##table[style="width:320px;height:219px;border-style:none;background-color:#333333;margin:0 auto;"] -tower.com##table[style="width:592px; height:200px;padding:0px; margin:0px"] -tower.com##table[style="width:592px; height:65px;padding:0px; margin:0px"] -eztv.ag##table[style][width] + * + table[class][width] -nufc.com##table[title="Ford Direct - Used Cars Backed by Ford"] -chiff.com##table[title="Sponsored Links"] -trucknetuk.com##table[width="100%"][bgcolor="#cecbce"] > tbody > tr > #sidebarright[valign="top"]:last-child -linkreferral.com##table[width="100%"][height="1"] + table[width="750"][border="0"][bgcolor="ffffff"][cellspacing="0"][cellpadding="4"] -wvtlfm.com##table[width="1024"][height="100"] -tvsite.co.za##table[width="120"][height="600"] -thephuketnews.com##table[width="1215"][bgcolor="#DDDDDD"] -aquariumfish.net##table[width="126"][height="600"] -sermonaudio.com##table[width="152"][bgcolor="C8D6C9"] -afrol.com##table[width="159"][height="70"] -audiforums.com##table[width="170"] -flipline.com##table[width="180"][height="100%"] -articlebiz.com##table[width="200"][height="200"] -news.excite.com##table[width="210"] -excite.com,myway.com##table[width="210"][height="199"] -articletrader.com,asiansexgazette.com,thestandard.com.hk##table[width="250"] -font-cat.com##table[width="254"] -astrocenter.com,iloveuquotes.com,kanoodle.com,sextails.com,tennis.com,wwitv.com##table[width="300"] -pcstats.com##table[width="300"][align="right"] -highdefdigest.com##table[width="300"][cellspacing="0"][cellpadding="0"] -deccanchronicle.com##table[width="300"][height="108"] -4hoteliers.com,business-standard.com,idlebrain.com,itnewsonline.com,itweb.co.za,macsurfer.com,omgblog.com,themoviespoiler.com##table[width="300"][height="250"] -missoulian.com##table[width="300px"][height="487"] -notdoppler.com##table[width="312"][height="252"] -garfield.com##table[width="332"] -idlebrain.com,lanewsmonitor.com,stickyminds.com,themoviespoiler.com##table[width="336"] -iloveuquotes.com##table[width="350"] -cameralabs.com##table[width="350"][align="right"][cellspacing="0"][cellpadding="0"][border="0"] -flmsdown.net##table[width="435"][bgcolor="#575e57"] -aquariumfish.net##table[width="440"][height="330"] -fredericknewspost.com,geology.com,jeepforum.com,talkgold.com##table[width="468"] -airlinequality.com##table[width="470"] -worldtimezone.com##table[width="472"][border="0"][bgcolor="ffffff"] -stampnews.com##table[width="482"][cellspacing="1"][cellpadding="0"] -gardenstateapartments.com##table[width="486"] -business-standard.com##table[width="490"][height="250"] -abundance-and-happiness.com##table[width="500"] -christiansunite.com##table[width="597"] -lowellsun.com##table[width="599"] -thegrumpiest.com##table[width="600"] -animaltales.info##table[width="610"] -imageporter.com,imgspice.com,pixroute.com##table[width="610"][height="260"] -blingcheese.com##table[width="620"] -rainbowdressup.com##table[width="620"][height="250"] -scoop.co.nz##table[width="640"][height="254"] -kingfiles.net##table[width="650px"] -tvseriesfinale.com##table[width="658"] -proaudioreview.com,rwonline.com,televisionbroadcast.com,tvtechnology.com,videography.com##table[width="665"] -techlearning.com##table[width="665"][align="center"] -911tabs.com,airlinequality.com,animalcrossingcommunity.com,craftster.org,dreamteammoney.com,forums.wirelessadvisor.com,jobsearch.monsterindia.com,jokes2go.com,linuxgizmos.com,talkgold.com##table[width="728"] -monsterindia.com##table[width="728"][align="center"] -softexia.com##table[width="728"][bordercolor="#003366"] -serialbay.com##table[width="728"][cellspacing="0"][cellpadding="0"] -oteupload.com##table[width="728"][height="430"] -apanews.net,geekmontage.com,iphpbb3.com,silentera.com,webworldindex.com##table[width="728"][height="90"] -knowfree.net##table[width="728px"][cellspacing="0"][cellpadding="0"][border="0"] -monsterindia.com##table[width="730"][align="left"] -freetvstream.in##table[width="730"][height="90"] -font-cat.com##table[width="732"] -airlinequality.com##table[width="736"] -learnaboutmovieposters.com##table[width="744"][border="2"][bgcolor="#000000"][align="center"] -gpdownloads.co.nz##table[width="760"][height="120"] -sharedata.co.za##table[width="760"][height="60"] -inquirer.net##table[width="780"][height="90"] -asciiribbon.org,worldometers.info##table[width="800"] -blackstarnews.com##table[width="800"][height="110"] -blackstarnews.com##table[width="800"][height="130"] -totallystressedout.com##table[width="800"][height="90"] -g35driver.com##table[width="867"] -curezone.org##table[width="88%"][height="10"] -forums.syfy.com##table[width="900"][bgcolor="#3A3163"] -aaroads.com##table[width="900"][height="110"] -ksub590.com,newstalk890.com##table[width="910"][height="100"] -newreviewsite.com##table[width="940"][height="60"] -psl.co.za##table[width="952"][height="115"] -psl.co.za##table[width="952"][height="64"] -psl.co.za##table[width="952"][height="87"] -japan-guide.com##table[width="965"][height="90"] -scvnews.com##table[width="978"][height="76"] -prowrestling.net##table[width="979"][height="105"] -dining-out.co.za##table[width="980"][vspace="0"][hspace="0"] -westportnow.com##table[width="981"] -kool.fm##table[width="983"][height="100"] -gamecopyworld.com##table[width="984"][height="90"] -apanews.net##table[width="990"] -cnykiss.com,wbkvam.com,wutqfm.com##table[width="990"][height="100"] -cbc-radio.com##table[width="990"][height="100"][align="center"] -965ksom.com##table[width="990"][height="101"] -wbrn.com##table[width="990"][height="98"] -eztv.ag##td > a[href][rel="noindex"] -eztv.ag##td > a[href][style] -v8x.com.au##td[align="RIGHT"][width="50%"][valign="BOTTOM"] -findagrave.com##td[align="center"] > style + .search-widget -canmag.com##td[align="center"][height="278"] -autosport.com##td[align="center"][valign="top"][height="266"][bgcolor="#dcdcdc"] -coffeegeek.com##td[align="center"][width="100%"][valign="middle"] -forums.battle.net##td[align="center"][width="130"] -rapidog.com##td[align="left"][colspan="3"] -thegrumpiest.com##td[align="left"][width="135px"] -thegrumpiest.com##td[align="left"][width="135px"] + #table1 -teenhut.net,whistlestopper.com##td[align="left"][width="160"][valign="top"] -healthboards.com##td[align="left"][width="300"]:first-child -notdoppler.com##td[background*="/img/topad_"] -959kissfm.com##td[background="/i/banner_back.jpg"] -vgcats.com##td[background="images/towerbanner.gif"] -vgcats.com##td[background="images/widebanner.gif"] -planetlotus.org##td[bgcolor="#BCCEDC"][align="center"][colspan="6"] -planetlotus.org##td[bgcolor="#FFFFFF"][align="center"][colspan="6"] -stickyminds.com##td[bgcolor="#acbcde"][width="100%"] -appleinsider.com##td[bgcolor="#f5f5f5"] -ixquick.com##td[bgcolor="#f7f9ff"] -ixquick.com##td[bgcolor="#fbf0fa"] -lyrics007.com##td[bgcolor="#ffcc00"][width="770"][height="110"] -puretna.com##td[class="colhead"][width="241"] -express.co.uk##td[colspan="2"] -schlockmercenary.com##td[colspan="3"] -btmon.com##td[colspan="4"] -ytmnd.com##td[colspan="5"] -affiliatescout.com,freewarefiles.com,mysavings.com,techarp.com##td[height="100"] -notdoppler.com##td[height="100"][rowspan="3"] -everythinggirl.com,extremeoverclocking.com##td[height="104"] -efytimes.com##td[height="108"] -designboom.com,indianetzone.com##td[height="110"] -lowyat.net,ultimatemetal.com##td[height="110px"] -usautoparts.net##td[height="111"][align="center"][valign="top"] -aspfree.com,devarticles.com,devshed.com##td[height="115"] -bittorrent.am##td[height="120"][align="center"] -officegamespot.com##td[height="120"][bgcolor="#FFFFFF"] -1980-games.com##td[height="129"][colspan="4"] -eurometeo.com##td[height="14"][width="738"] -eve-search.com##td[height="150"] -autosport.com##td[height="17"] -videohelp.com##td[height="200"] -wrestlingnewsworld.com##td[height="204"] -coolifiedgames.com,coolmath.com,elouai.com,spikesgamezone.com##td[height="250"] -maxgames.com##td[height="250"][bgcolor="#fff"] -vectorportal.com##td[height="250"][colspan="3"] -honda-tech.com,tennis.com##td[height="250"][width="300"] -dllme.com##td[height="260"] -crictime.com##td[height="265"] -autosport.com##td[height="266"][bgcolor="#DCDCDC"] -kids-in-mind.com##td[height="270"][align="center"] -rediff.com##td[height="280"] -seriouswheels.com##td[height="289"] -rediff.com,rentalads.com##td[height="290"] -billionuploads.com##td[height="300"] -lyngsat-logo.com##td[height="320"] -cellular-news.com##td[height="350"] -keepittrill.com##td[height="571"] -moviesite.co.za##td[height="600"] -musicjesus.com##td[height="600"][width="160"] -talkgold.com##td[height="61"] -tinyurl.com##td[height="610"][width="310"] -crictime.com##td[height="641"] -mybetting.co.uk##td[height="70"] -businessknowhow.com##td[height="70"][colspan="3"] -eve-search.com,stuffpoint.com##td[height="90"] -start64.com##td[height="92"][colspan="2"] -crictime.com##td[height="93"] -tigerdroppings.com##td[height="95"][bgcolor="#dedede"] -imtranslator.net##td[height="96"] -tinyurl.com##td[height="98"] -losmovies.is##td[onclick^="window.open('//ads.ad-center.com/"] -searchalot.com##td[onmouseout="cs()"] -bt-chat.com##td[rowspan="3"] -ft.com##td[style=" width:125px; height:100px; vertical-align:top; "] -tinyurl.com##td[style="background-color : #F1F0FF;"] -themaineedge.com##td[style="background-color:#000000;"] -hyipexplorer.com##td[style="border-bottom: 1px solid #EBEBEB; padding-right: 0px;"] -dslreports.com##td[style="border-right: 1px #CCCCCC solid;"] -nvnews.net##td[style="border: 0px solid #000000"][rowspan="3"] -aquariumfish.net##td[style="border: 2px solid #FF0000; padding-top:8px; padding-bottom:8px"] -2flashgames.com##td[style="border:1px solid #a1b851;background:#ffffff;"] -rapidog.com##td[style="font-size:11"] -citationmachine.net##td[style="height: 100px;"] -360cities.net##td[style="min-width:210px;min-height:600px;"] -cellular-news.com##td[style="padding-bottom:20px;"] -jimbotalk.net##td[style="padding-bottom:3px; background-color:#ffffff; height:90px;"] -kids-in-mind.com##td[style="padding-left: 5; padding-right: 5"] -searchftps.net##td[style="padding-top: 15px;"] -ip-address.org##td[style="padding-top:0.3em"] -mg.co.za##td[style="padding-top:5px; width: 200px"] -bitcointalk.org##td[style="padding: 1px 1px 0 1px;"] > .bfl -bitcointalk.org##td[style="padding: 1px 1px 0 1px;"] > .bvc -bitcointalk.org##td[style="padding: 1px 1px 0 1px;"] > .gyft -bitcointalk.org##td[style="padding: 1px 1px 0 1px;"] > a -bitcointalk.org##td[style="padding: 1px 1px 0 1px;"] > b + span[style*="font-size: 18px;"] -car.com##td[style="padding: 8px; border: 1px solid #C9D9DD; background-color: #F9F9FF;"] -wikifeet.com##td[style="padding:10px"] -business-standard.com##td[style="padding:5px"] -healthsquare.com##td[style="padding:6px 0px 0px 4px;"] -israbox.info##td[style="text-align: center; font-size: 16px; font-weight: bold;"] -fresherscafe.com##td[style="text-align:center; height:120px; vertical-align:middle; border:#aaa 5px solid"] -uploadc.com##td[style="text-align:center; vertical-align:middle; background:black"] -tixati.com##td[style="vertical-align: top; text-align: right; width: 346px; font-size: 12px;"] -englishforum.ch##td[style="width: 160px; padding-left: 15px;"] -armslist.com##td[style="width: 190px; vertical-align: top;"] -maannews.net##td[style="width: 250px; height: 120px; border: 1px solid #cccccc"] -uvnc.com##td[style="width: 300px; height: 250px;"] -mlbtraderumors.com##td[style="width: 300px;"] -maannews.net##td[style="width: 640px; height: 80px; border: 1px solid #cccccc"] -talkgold.com##td[style="width:150px"] -riverdalepress.com##td[style="width:728px; height:90px; border:1px solid #000;"] -billionuploads.com##td[valign="baseline"][colspan="3"] -efytimes.com##td[valign="middle"][height="124"] -efytimes.com##td[valign="middle"][height="300"] -staticice.com.au##td[valign="middle"][height="80"] -johnbridge.com##td[valign="top"] > .tborder[width="140"][cellspacing="1"][cellpadding="6"][border="0"] -newhampshire.com##td[valign="top"][height="94"] -cdcovers.cc##td[width="10"] -linkreferral.com##td[width="100%"][bgcolor="dddddd"][align="right"] > table[width="800"][border="0"][align="center"][cellspacing="0"][cellpadding="0"] -manoramaonline.com##td[width="1000"] -gotquestions.org##td[width="1000"][height="93"] -rawstory.com##td[width="101"][align="center"][style][margin="0"] -worldtribune.com##td[width="1024"] -evolutionm.net,forumserver.twoplustwo.com,itnewsonline.com,talkgold.com##td[width="120"] -pojo.biz##td[width="125"] -wetcanvas.com##td[width="125"][align="center"]:first-child -zambiz.co.zm##td[width="130"][height="667"] -manoramaonline.com##td[width="140"] -appleinsider.com##td[width="150"] -aerobaticsweb.org##td[width="156"][height="156"] -zambiz.co.zm##td[width="158"][height="667"] -gardenweb.com##td[width="159"][bgcolor="#A39614"] -ap.org,billoreilly.com,complaints.com,pprune.org,thinkbabynames.com,ultimatemetal.com,worldometers.info##td[width="160"] -eweek.com,terradaily.com##td[width="160"][align="left"] -securityfocus.com##td[width="160"][bgcolor="#eaeaea"] -manoramaonline.com##td[width="160"][height="600"] -productreview.com.au,wirelessforums.org##td[width="160"][valign="top"] -thegrumpiest.com##td[width="160px"] -manoramaonline.com##td[width="165"] -barbie.com##td[width="168"][height="640"] -iconizer.net,thefourthperiod.com##td[width="170"] -search.excite.co.uk##td[width="170"][valign="top"] -everythinggirl.com##td[width="174"] -appleinsider.com##td[width="180"] -aaroads.com##td[width="180"][height="650"] -odili.net##td[width="180"][valign="top"] -sys-con.com##td[width="180"][valign="top"][rowspan="3"] -couponmom.com##td[width="184"] -eab.abime.net##td[width="185"][align="left"]:first-child -gateprep.com##td[width="187"][style="padding:5px;"] -muchshare.net##td[width="189"][align="left"] -avsforum.com##td[width="193"] -tivocommunity.com##td[width="193"][valign="top"] -boxingscene.com##td[width="200"][height="18"] -dir.yahoo.com##td[width="215"] -itweb.co.za##td[width="232"][height="90"] -degreeinfo.com,rubbernews.com##td[width="250"] -scriptmafia.org##td[width="250px"] -websitelooker.com##td[width="30%"][align="center"] -avsforum.com,ballerstatus.com,btobonline.com,coolmath-games.com,coolmath4kids.com,dzineblog.com##td[width="300"] -softpedia.com##td[width="300"][align="right"] -zigzag.co.za##td[width="300"][height="250"] -musicsonglyrics.com,safemanuals.com,vector-logos.com##td[width="300"][valign="top"] -ziddu.com##td[width="305"] -bt-chat.com##td[width="305px"] -pwtorch.com##td[width="306"][height="250"] -tennis.com##td[width="330"][height="250"] -devarticles.com,rage3d.com##td[width="336"] -codewalkers.com##td[width="336"][valign="top"] -net-security.org##td[width="337"][height="287"] -planet-source-code.com##td[width="340"] -askvg.com##td[width="370px"] -storagereview.com##td[width="410"]:first-child + td[align="right"] -freeonlinegames.com##td[width="50%"][height="250"] -goodquotes.com##td[width="55%"] -leo.org##td[width="55%"][valign="middle"] -forum.cstalking.com##td[width="600px"][height="300px"] -dickens-literature.com##td[width="7%"][valign="top"] -ballerstatus.com,cellular-news.com,prowrestling.com,rivals.com##td[width="728"] -itweb.co.za,lyngsat-logo.com,lyngsat.com,notdoppler.com,thinkbabynames.com##td[width="728"][height="90"] -japan-guide.com##td[width="728"][valign="bottom"] -postchronicle.com##td[width="728"][valign="top"] -samachar.com##td[width="730"][height="90"] -barbie.com##td[width="767"][height="96"] -gardenweb.com##td[width="932"][height="96"] -the-numbers.com##td[width="95"] -empireonline.com##td[width="950"][height="75"] -workforce.com##td[width="970"][height="110"] -usanetwork.com##td[width="970"][height="66"] -howstuffworks.com##td[width="980"][height="90"] -hongkongindians.com##th[width="1000"][height="141"] -legendarydevils.com##th[width="600"] -rarbg.to,rarbg.unblocked.kim,rarbgmirror.com,rarbgproxy.com##tr > td + td[style*="height:"] -pocketnow.com##tr > td > a[href][target] -eztv.ag,eztv.tf,eztv.yt##tr > td[style*="border:"] -uvnc.com##tr > td[valign="middle"][style="width: 10px;"]:first-child + td[valign="top"][style="width: 180px;"] -rarlab.com,rarlabs.com##tr:first-child > .tbar2[width="48%"]:first-child + td[width="4%"] + .tbar2[width="48%"]:last-child -topfriv.com##tr:first-child:last-child > td[style="padding-left:5px; width:260px"]:first-child -rarlab.com,rarlabs.com##tr:last-child > td[valign="top"]:first-child + td + .tplain[valign="top"]:last-child -fredericknewspost.com##tr[height="250"] -whatsmyip.org##tr[height="95"] -nowgoal.com##tr[id^="tr_ad"] -fulldls.com##tr[style="height:40px;font-size:13px"] -playkidsgames.com##tr[style="height:60px;"] -internetslang.com##tr[style="min-height:28px;height:28px"] -internetslang.com##tr[style="min-height:28px;height:28px;"] -rarbg.to,rarbg.unblocked.kim,rarbgmirror.com,rarbgproxy.com##tr[style^="font-size:"] > td > table -opensubtitles.org##tr[style^="height:115px;text-align:center;margin:0px;padding:0px;background-color:"] -horoscope.com##tr[valign="top"][height="250"] -1337x.to##ul > :first-child + li > [id]:first-child -search.aol.com##ul[content="SLMP"] -search.aol.com##ul[content="SLMS"] -facebook.com##ul[id^="typeahead_list_"] > ._20e._6_k._55y_ -elizium.nu##ul[style="padding: 0; width: 100%; margin: 0; list-style: none;"] -! geekzone.co.nz -geekzone.co.nz##body > span + span + span + span + span[id][class] + span[-abp-properties='base64'] -geekzone.co.nz##body > span + span + span + span + span[id][class] + span[-abp-properties='data:'] -! Tweaktown -tweaktown.com###sp_message_id + * + div[id][class] -tweaktown.com###sp_message_id + div[class] -! uponit -codeproject.com,dictionary.com,tweaktown.com##[style] > [scrolling] -codeproject.com,dictionary.com,tweaktown.com##[style] > iframe -101greatgoals.com,allthetests.com,biology-online.org,jerusalemonline.com##div > iframe:first-child -dictionary.com,tweaktown.com##iframe[id][style] -codeproject.com,dictionary.com,tweaktown.com##iframe[marginheight] -codeproject.com,dictionary.com,tweaktown.com##iframe[marginwidth] -codeproject.com,dictionary.com,tweaktown.com##iframe[name][style] -codeproject.com,dictionary.com,tweaktown.com##iframe[style][scrolling] -codeproject.com,dictionary.com,tweaktown.com##iframe[style][src] -! gelbooru.com -gelbooru.com###paginator -gelbooru.com##[height="250"] -gelbooru.com##[href*="ccbill."] -gelbooru.com##[href][rel*="nofollow"] video -gelbooru.com##[href][target*="blank"] video -gelbooru.com##[rel*="nofollow"] > [style] -gelbooru.com##[style*="height:"][width] -gelbooru.com##[style*="height:250px;"] -gelbooru.com##[style*="width:"][height] -gelbooru.com##a > [style][autoplay] -gelbooru.com##a[href*="/clicks.cgi"] -gelbooru.com##a[href*="?"][rel] > video -gelbooru.com##a[href] > :last-child > img[src] -gelbooru.com##a[id][href][rel*="nofollow"] -gelbooru.com##center > div > style + div[class] -gelbooru.com##center > div[style*="overflow:"] -gelbooru.com##div > [rel] > video[width] -gelbooru.com##div > div[id] > [href] > img[src] -gelbooru.com##div[style] > [class][style] -gelbooru.com##iframe + style + [class] -gelbooru.com##iframe[width] -gelbooru.com##span > style[type="text/css"] + * -gelbooru.com##span[class]:last-child > a img[src] -! thefreethoughtproject.com -thefreethoughtproject.com##.b-modal -thefreethoughtproject.com##.b-modal + div[style^="width:"] -thefreethoughtproject.com##.impo_link -thefreethoughtproject.com##div > div > div[style*="inline-block;"] + * -! Yavli Specific filters -100percentfedup.com,activistpost.com,addictinginfo.com,alfonzorachel.com,allenbwest.com,allenwestrepublic.com,allthingsvegas.com,americansublime.com,askmefast.com,auntyacid.com,barbwire.com,bestfunnyjokes4u.com,bighealthreport.com,bipartisan.report,boredomfiles.com,breaking911.com,breathecast.com,bugout.news,bulletsfirst.net,buzzlamp.com,celebrity-gossip.net,cheatsheet.com,clashdaily.com,classicalite.com,collapse.news,comicallyincorrect.com,conservativebyte.com,conservativeintel.com,conservativetribune.com,conservativevideos.com,constitution.com,coviral.com,cowboybyte.com,craigjames.com,creepybasement.com,crossmap.com,cyberwar.news,dailyfeed.co.uk,dailyheadlines.net,dailyhealthpost.com,dailysurge.com,damnlol.com,dccrimestories.com,deneenborelli.com,digitaljournal.com,eaglerising.com,earnthenecklace.com,enstarz.com,evil.news,faithit.com,fitnessconnoisseur.com,foreverymom.com,freedom.news,freedomdaily.com,freedomforce.com,freedomoutpost.com,genfringe.com,girlsjustwannahaveguns.com,glitch.news,godfatherpolitics.com,gopocalypse.org,gosocial.co,groopspeak.com,guardianlv.com,guns.news,gymflow100.com,hallels.com,hautereport.com,headcramp.com,healthstatus.com,hellou.co.uk,hispolitica.com,hngn.com,honesttopaws.com,hypable.com,ifyouonlynews.com,infowars.com,instigatornews.com,janmorganmedia.com,jobsnhire.com,joeforamerica.com,juicerhead.com,justdiy.com,kdramastars.com,keepandbear.com,kpopstarz.com,lastresistance.com,latinone.com,latinpost.com,legalinsurrection.com,liberty.news,libertyalliance.com,libertyunyielding.com,lidblog.com,medicine.news,mensfitness.com,mentalflare.com,millionpictures.co,minutemennews.com,musictimes.com,myscienceacademy.org,natural.news,naturalblaze.com,naturalnews.com,naturalsociety.com,natureworldnews.com,newseveryday.com,newsthump.com,oddee.com,opednews.com,parentherald.com,patriotoutdoornews.com,patriottribune.com,patriotupdate.com,pickthebrain.com,pitgrit.com,politicaloutcast.com,politichicks.com,practicallyviral.com,profitconfidential.com,quirlycues.com,realfarmacy.com,realmomsrealreviews.com,realtytoday.com,redhotchacha.com,redmaryland.com,returnofkings.com,reverbpress.com,reviveusa.com,rightwingnews.com,robotics.news,shark-tank.com,shedthoselbs.com,skrillionaire.com,slender.news,sonsoflibertymedia.com,sportsmole.co.uk,stevedeace.com,stupid.news,techconsumer.com,techtimes.com,theblacksphere.net,theboredmind.com,thecountrycaller.com,thefreethoughtproject.com,thegatewaypundit.com,thelastlineofdefense.org,themattwalshblog.com,thepoke.co.uk,therealside.com,tinypic.com,tosavealife.com,traileraddict.com,truththeory.com,twisted.news,universityherald.com,usherald.com,valuewalk.com,vampirediaries.com,vcpost.com,victoriajackson.com,videogamesblogger.com,viralnova.com,viralthread.com,visiontoamerica.com,wakingtimes.com,westernjournalism.com,whatzbuzzing.com,winningdemocrats.com,wnd.com,xtribune.com,youngcons.com,yourtango.com,youthhealthmag.com##[xev-target="_blank"] -100percentfedup.com,activistpost.com,addictinginfo.com,alfonzorachel.com,allenbwest.com,allenwestrepublic.com,allthingsvegas.com,americansublime.com,askmefast.com,auntyacid.com,barbwire.com,bestfunnyjokes4u.com,bighealthreport.com,bipartisan.report,boredomfiles.com,breaking911.com,breathecast.com,bugout.news,bulletsfirst.net,buzzlamp.com,celebrity-gossip.net,cheatsheet.com,clashdaily.com,classicalite.com,collapse.news,comicallyincorrect.com,conservativebyte.com,conservativeintel.com,conservativetribune.com,conservativevideos.com,constitution.com,coviral.com,cowboybyte.com,craigjames.com,creepybasement.com,crossmap.com,cyberwar.news,dailyfeed.co.uk,dailyheadlines.net,dailyhealthpost.com,dailysurge.com,damnlol.com,dccrimestories.com,deneenborelli.com,digitaljournal.com,eaglerising.com,earnthenecklace.com,enstarz.com,evil.news,faithit.com,fitnessconnoisseur.com,foreverymom.com,freedom.news,freedomdaily.com,freedomforce.com,freedomoutpost.com,genfringe.com,girlsjustwannahaveguns.com,glitch.news,godfatherpolitics.com,gopocalypse.org,gosocial.co,groopspeak.com,guardianlv.com,guns.news,gymflow100.com,hallels.com,hautereport.com,headcramp.com,healthstatus.com,hellou.co.uk,hispolitica.com,hngn.com,honesttopaws.com,hypable.com,ifyouonlynews.com,infowars.com,instigatornews.com,janmorganmedia.com,jobsnhire.com,joeforamerica.com,juicerhead.com,justdiy.com,kdramastars.com,keepandbear.com,kpopstarz.com,lastresistance.com,latinone.com,latinpost.com,legalinsurrection.com,liberty.news,libertyalliance.com,libertyunyielding.com,lidblog.com,medicine.news,mensfitness.com,mentalflare.com,millionpictures.co,minutemennews.com,musictimes.com,myscienceacademy.org,natural.news,naturalblaze.com,naturalnews.com,naturalsociety.com,natureworldnews.com,newseveryday.com,newsthump.com,oddee.com,opednews.com,parentherald.com,patriotoutdoornews.com,patriottribune.com,patriotupdate.com,pickthebrain.com,pitgrit.com,politicaloutcast.com,politichicks.com,practicallyviral.com,profitconfidential.com,quirlycues.com,realfarmacy.com,realmomsrealreviews.com,realtytoday.com,redhotchacha.com,redmaryland.com,returnofkings.com,reverbpress.com,reviveusa.com,rightwingnews.com,robotics.news,shark-tank.com,shedthoselbs.com,skrillionaire.com,slender.news,sonsoflibertymedia.com,sportsmole.co.uk,stevedeace.com,stupid.news,techconsumer.com,techtimes.com,theblacksphere.net,theboredmind.com,thecountrycaller.com,thefreethoughtproject.com,thegatewaypundit.com,thelastlineofdefense.org,themattwalshblog.com,thepoke.co.uk,therealside.com,tinypic.com,tosavealife.com,traileraddict.com,truththeory.com,twisted.news,universityherald.com,usherald.com,valuewalk.com,vampirediaries.com,vcpost.com,victoriajackson.com,videogamesblogger.com,viralnova.com,viralthread.com,visiontoamerica.com,wakingtimes.com,westernjournalism.com,whatzbuzzing.com,winningdemocrats.com,wnd.com,xtribune.com,youngcons.com,yourtango.com,youthhealthmag.com##[zez-target="_blank"] -100percentfedup.com,activistpost.com,addictinginfo.com,alfonzorachel.com,allenbwest.com,allenwestrepublic.com,allthingsvegas.com,americansublime.com,askmefast.com,auntyacid.com,barbwire.com,bestfunnyjokes4u.com,bighealthreport.com,bipartisan.report,boredomfiles.com,breaking911.com,breathecast.com,bugout.news,bulletsfirst.net,buzzlamp.com,celebrity-gossip.net,cheatsheet.com,clashdaily.com,classicalite.com,collapse.news,comicallyincorrect.com,conservativebyte.com,conservativeintel.com,conservativetribune.com,conservativevideos.com,constitution.com,coviral.com,cowboybyte.com,craigjames.com,creepybasement.com,crossmap.com,cyberwar.news,dailyfeed.co.uk,dailyheadlines.net,dailyhealthpost.com,dailysurge.com,damnlol.com,dccrimestories.com,deneenborelli.com,digitaljournal.com,eaglerising.com,earnthenecklace.com,enstarz.com,evil.news,faithit.com,fitnessconnoisseur.com,foreverymom.com,freedom.news,freedomdaily.com,freedomforce.com,freedomoutpost.com,genfringe.com,girlsjustwannahaveguns.com,glitch.news,godfatherpolitics.com,gopocalypse.org,gosocial.co,groopspeak.com,guardianlv.com,guns.news,gymflow100.com,hallels.com,hautereport.com,headcramp.com,healthstatus.com,hellou.co.uk,hispolitica.com,hngn.com,honesttopaws.com,hypable.com,ifyouonlynews.com,infowars.com,instigatornews.com,janmorganmedia.com,jobsnhire.com,joeforamerica.com,juicerhead.com,justdiy.com,kdramastars.com,keepandbear.com,kpopstarz.com,lastresistance.com,latinone.com,latinpost.com,legalinsurrection.com,liberty.news,libertyalliance.com,libertyunyielding.com,lidblog.com,medicine.news,mensfitness.com,mentalflare.com,millionpictures.co,minutemennews.com,musictimes.com,myscienceacademy.org,natural.news,naturalblaze.com,naturalnews.com,naturalsociety.com,natureworldnews.com,newseveryday.com,newsthump.com,oddee.com,opednews.com,parentherald.com,patriotoutdoornews.com,patriottribune.com,patriotupdate.com,pickthebrain.com,pitgrit.com,politicaloutcast.com,politichicks.com,practicallyviral.com,profitconfidential.com,quirlycues.com,realfarmacy.com,realmomsrealreviews.com,realtytoday.com,redhotchacha.com,redmaryland.com,returnofkings.com,reverbpress.com,reviveusa.com,rightwingnews.com,robotics.news,shark-tank.com,shedthoselbs.com,skrillionaire.com,slender.news,sonsoflibertymedia.com,sportsmole.co.uk,stevedeace.com,stupid.news,techconsumer.com,techtimes.com,theblacksphere.net,theboredmind.com,thecountrycaller.com,thefreethoughtproject.com,thegatewaypundit.com,thelastlineofdefense.org,themattwalshblog.com,thepoke.co.uk,therealside.com,tinypic.com,tosavealife.com,traileraddict.com,truththeory.com,twisted.news,universityherald.com,usherald.com,valuewalk.com,vampirediaries.com,vcpost.com,victoriajackson.com,videogamesblogger.com,viralnova.com,viralthread.com,visiontoamerica.com,wakingtimes.com,westernjournalism.com,whatzbuzzing.com,winningdemocrats.com,wnd.com,xtribune.com,youngcons.com,yourtango.com,youthhealthmag.com##div > span + * > [id][class] > :first-child > :first-child > * -100percentfedup.com,activistpost.com,addictinginfo.com,alfonzorachel.com,allenbwest.com,allenwestrepublic.com,allthingsvegas.com,americansublime.com,askmefast.com,auntyacid.com,barbwire.com,bestfunnyjokes4u.com,bighealthreport.com,bipartisan.report,boredomfiles.com,breaking911.com,breathecast.com,bugout.news,bulletsfirst.net,buzzlamp.com,celebrity-gossip.net,cheatsheet.com,clashdaily.com,classicalite.com,collapse.news,comicallyincorrect.com,conservativebyte.com,conservativeintel.com,conservativetribune.com,conservativevideos.com,constitution.com,coviral.com,cowboybyte.com,craigjames.com,creepybasement.com,crossmap.com,cyberwar.news,dailyfeed.co.uk,dailyheadlines.net,dailyhealthpost.com,dailysurge.com,damnlol.com,dccrimestories.com,deneenborelli.com,digitaljournal.com,eaglerising.com,earnthenecklace.com,enstarz.com,evil.news,faithit.com,fitnessconnoisseur.com,foreverymom.com,freedom.news,freedomdaily.com,freedomforce.com,freedomoutpost.com,genfringe.com,girlsjustwannahaveguns.com,glitch.news,godfatherpolitics.com,gopocalypse.org,gosocial.co,groopspeak.com,guardianlv.com,guns.news,gymflow100.com,hallels.com,hautereport.com,headcramp.com,healthstatus.com,hellou.co.uk,hispolitica.com,hngn.com,honesttopaws.com,hypable.com,ifyouonlynews.com,infowars.com,instigatornews.com,janmorganmedia.com,jobsnhire.com,joeforamerica.com,juicerhead.com,justdiy.com,kdramastars.com,keepandbear.com,kpopstarz.com,lastresistance.com,latinone.com,latinpost.com,legalinsurrection.com,liberty.news,libertyalliance.com,libertyunyielding.com,lidblog.com,medicine.news,mensfitness.com,mentalflare.com,millionpictures.co,minutemennews.com,musictimes.com,myscienceacademy.org,natural.news,naturalblaze.com,naturalnews.com,naturalsociety.com,natureworldnews.com,newseveryday.com,newsthump.com,oddee.com,opednews.com,parentherald.com,patriotoutdoornews.com,patriottribune.com,patriotupdate.com,pickthebrain.com,pitgrit.com,politicaloutcast.com,politichicks.com,practicallyviral.com,profitconfidential.com,quirlycues.com,realfarmacy.com,realmomsrealreviews.com,realtytoday.com,redhotchacha.com,redmaryland.com,returnofkings.com,reverbpress.com,reviveusa.com,rightwingnews.com,robotics.news,shark-tank.com,shedthoselbs.com,skrillionaire.com,slender.news,sonsoflibertymedia.com,sportsmole.co.uk,stevedeace.com,stupid.news,techconsumer.com,techtimes.com,theblacksphere.net,theboredmind.com,thecountrycaller.com,thefreethoughtproject.com,thegatewaypundit.com,thelastlineofdefense.org,themattwalshblog.com,thepoke.co.uk,therealside.com,tinypic.com,tosavealife.com,traileraddict.com,truththeory.com,twisted.news,universityherald.com,usherald.com,valuewalk.com,vampirediaries.com,vcpost.com,victoriajackson.com,videogamesblogger.com,viralnova.com,viralthread.com,visiontoamerica.com,wakingtimes.com,westernjournalism.com,whatzbuzzing.com,winningdemocrats.com,wnd.com,xtribune.com,youngcons.com,yourtango.com,youthhealthmag.com##div > span > :last-child > span[class] -100percentfedup.com,activistpost.com,addictinginfo.com,alfonzorachel.com,allenbwest.com,allenwestrepublic.com,allthingsvegas.com,americansublime.com,askmefast.com,auntyacid.com,barbwire.com,bestfunnyjokes4u.com,bighealthreport.com,bipartisan.report,boredomfiles.com,breaking911.com,breathecast.com,bugout.news,bulletsfirst.net,buzzlamp.com,celebrity-gossip.net,cheatsheet.com,clashdaily.com,classicalite.com,collapse.news,comicallyincorrect.com,conservativebyte.com,conservativeintel.com,conservativetribune.com,conservativevideos.com,constitution.com,coviral.com,cowboybyte.com,craigjames.com,creepybasement.com,crossmap.com,cyberwar.news,dailyfeed.co.uk,dailyheadlines.net,dailyhealthpost.com,dailysurge.com,damnlol.com,dccrimestories.com,deneenborelli.com,digitaljournal.com,eaglerising.com,earnthenecklace.com,enstarz.com,evil.news,faithit.com,fitnessconnoisseur.com,foreverymom.com,freedom.news,freedomdaily.com,freedomforce.com,freedomoutpost.com,genfringe.com,girlsjustwannahaveguns.com,glitch.news,godfatherpolitics.com,gopocalypse.org,gosocial.co,groopspeak.com,guardianlv.com,guns.news,gymflow100.com,hallels.com,hautereport.com,headcramp.com,healthstatus.com,hellou.co.uk,hispolitica.com,hngn.com,honesttopaws.com,hypable.com,ifyouonlynews.com,infowars.com,instigatornews.com,janmorganmedia.com,jobsnhire.com,joeforamerica.com,juicerhead.com,justdiy.com,kdramastars.com,keepandbear.com,kpopstarz.com,lastresistance.com,latinone.com,latinpost.com,legalinsurrection.com,liberty.news,libertyalliance.com,libertyunyielding.com,lidblog.com,medicine.news,mensfitness.com,mentalflare.com,millionpictures.co,minutemennews.com,musictimes.com,myscienceacademy.org,natural.news,naturalblaze.com,naturalnews.com,naturalsociety.com,natureworldnews.com,newseveryday.com,newsthump.com,oddee.com,opednews.com,parentherald.com,patriotoutdoornews.com,patriottribune.com,patriotupdate.com,pickthebrain.com,pitgrit.com,politicaloutcast.com,politichicks.com,practicallyviral.com,profitconfidential.com,quirlycues.com,realfarmacy.com,realmomsrealreviews.com,realtytoday.com,redhotchacha.com,redmaryland.com,returnofkings.com,reverbpress.com,reviveusa.com,rightwingnews.com,robotics.news,shark-tank.com,shedthoselbs.com,skrillionaire.com,slender.news,sonsoflibertymedia.com,sportsmole.co.uk,stevedeace.com,stupid.news,techconsumer.com,techtimes.com,theblacksphere.net,theboredmind.com,thecountrycaller.com,thefreethoughtproject.com,thegatewaypundit.com,thelastlineofdefense.org,themattwalshblog.com,thepoke.co.uk,therealside.com,tinypic.com,tosavealife.com,traileraddict.com,truththeory.com,twisted.news,universityherald.com,usherald.com,valuewalk.com,vampirediaries.com,vcpost.com,victoriajackson.com,videogamesblogger.com,viralnova.com,viralthread.com,visiontoamerica.com,wakingtimes.com,westernjournalism.com,whatzbuzzing.com,winningdemocrats.com,wnd.com,xtribune.com,youngcons.com,yourtango.com,youthhealthmag.com##xev -100percentfedup.com,activistpost.com,addictinginfo.com,alfonzorachel.com,allenbwest.com,allenwestrepublic.com,allthingsvegas.com,americansublime.com,askmefast.com,auntyacid.com,barbwire.com,bestfunnyjokes4u.com,bighealthreport.com,bipartisan.report,boredomfiles.com,breaking911.com,breathecast.com,bugout.news,bulletsfirst.net,buzzlamp.com,celebrity-gossip.net,cheatsheet.com,clashdaily.com,classicalite.com,collapse.news,comicallyincorrect.com,conservativebyte.com,conservativeintel.com,conservativetribune.com,conservativevideos.com,constitution.com,coviral.com,cowboybyte.com,craigjames.com,creepybasement.com,crossmap.com,cyberwar.news,dailyfeed.co.uk,dailyheadlines.net,dailyhealthpost.com,dailysurge.com,damnlol.com,dccrimestories.com,deneenborelli.com,digitaljournal.com,eaglerising.com,earnthenecklace.com,enstarz.com,evil.news,faithit.com,fitnessconnoisseur.com,foreverymom.com,freedom.news,freedomdaily.com,freedomforce.com,freedomoutpost.com,genfringe.com,girlsjustwannahaveguns.com,glitch.news,godfatherpolitics.com,gopocalypse.org,gosocial.co,groopspeak.com,guardianlv.com,guns.news,gymflow100.com,hallels.com,hautereport.com,headcramp.com,healthstatus.com,hellou.co.uk,hispolitica.com,hngn.com,honesttopaws.com,hypable.com,ifyouonlynews.com,infowars.com,instigatornews.com,janmorganmedia.com,jobsnhire.com,joeforamerica.com,juicerhead.com,justdiy.com,kdramastars.com,keepandbear.com,kpopstarz.com,lastresistance.com,latinone.com,latinpost.com,legalinsurrection.com,liberty.news,libertyalliance.com,libertyunyielding.com,lidblog.com,medicine.news,mensfitness.com,mentalflare.com,millionpictures.co,minutemennews.com,musictimes.com,myscienceacademy.org,natural.news,naturalblaze.com,naturalnews.com,naturalsociety.com,natureworldnews.com,newseveryday.com,newsthump.com,oddee.com,opednews.com,parentherald.com,patriotoutdoornews.com,patriottribune.com,patriotupdate.com,pickthebrain.com,pitgrit.com,politicaloutcast.com,politichicks.com,practicallyviral.com,profitconfidential.com,quirlycues.com,realfarmacy.com,realmomsrealreviews.com,realtytoday.com,redhotchacha.com,redmaryland.com,returnofkings.com,reverbpress.com,reviveusa.com,rightwingnews.com,robotics.news,shark-tank.com,shedthoselbs.com,skrillionaire.com,slender.news,sonsoflibertymedia.com,sportsmole.co.uk,stevedeace.com,stupid.news,techconsumer.com,techtimes.com,theblacksphere.net,theboredmind.com,thecountrycaller.com,thefreethoughtproject.com,thegatewaypundit.com,thelastlineofdefense.org,themattwalshblog.com,thepoke.co.uk,therealside.com,tinypic.com,tosavealife.com,traileraddict.com,truththeory.com,twisted.news,universityherald.com,usherald.com,valuewalk.com,vampirediaries.com,vcpost.com,victoriajackson.com,videogamesblogger.com,viralnova.com,viralthread.com,visiontoamerica.com,wakingtimes.com,westernjournalism.com,whatzbuzzing.com,winningdemocrats.com,wnd.com,xtribune.com,youngcons.com,yourtango.com,youthhealthmag.com##xuy -100percentfedup.com,activistpost.com,addictinginfo.com,alfonzorachel.com,allenbwest.com,allenwestrepublic.com,allthingsvegas.com,americansublime.com,askmefast.com,auntyacid.com,barbwire.com,bestfunnyjokes4u.com,bighealthreport.com,bipartisan.report,boredomfiles.com,breaking911.com,breathecast.com,bugout.news,bulletsfirst.net,buzzlamp.com,celebrity-gossip.net,cheatsheet.com,clashdaily.com,classicalite.com,collapse.news,comicallyincorrect.com,conservativebyte.com,conservativeintel.com,conservativetribune.com,conservativevideos.com,constitution.com,coviral.com,cowboybyte.com,craigjames.com,creepybasement.com,crossmap.com,cyberwar.news,dailyfeed.co.uk,dailyheadlines.net,dailyhealthpost.com,dailysurge.com,damnlol.com,dccrimestories.com,deneenborelli.com,digitaljournal.com,eaglerising.com,earnthenecklace.com,enstarz.com,evil.news,faithit.com,fitnessconnoisseur.com,foreverymom.com,freedom.news,freedomdaily.com,freedomforce.com,freedomoutpost.com,genfringe.com,girlsjustwannahaveguns.com,glitch.news,godfatherpolitics.com,gopocalypse.org,gosocial.co,groopspeak.com,guardianlv.com,guns.news,gymflow100.com,hallels.com,hautereport.com,headcramp.com,healthstatus.com,hellou.co.uk,hispolitica.com,hngn.com,honesttopaws.com,hypable.com,ifyouonlynews.com,infowars.com,instigatornews.com,janmorganmedia.com,jobsnhire.com,joeforamerica.com,juicerhead.com,justdiy.com,kdramastars.com,keepandbear.com,kpopstarz.com,lastresistance.com,latinone.com,latinpost.com,legalinsurrection.com,liberty.news,libertyalliance.com,libertyunyielding.com,lidblog.com,medicine.news,mensfitness.com,mentalflare.com,millionpictures.co,minutemennews.com,musictimes.com,myscienceacademy.org,natural.news,naturalblaze.com,naturalnews.com,naturalsociety.com,natureworldnews.com,newseveryday.com,newsthump.com,oddee.com,opednews.com,parentherald.com,patriotoutdoornews.com,patriottribune.com,patriotupdate.com,pickthebrain.com,pitgrit.com,politicaloutcast.com,politichicks.com,practicallyviral.com,profitconfidential.com,quirlycues.com,realfarmacy.com,realmomsrealreviews.com,realtytoday.com,redhotchacha.com,redmaryland.com,returnofkings.com,reverbpress.com,reviveusa.com,rightwingnews.com,robotics.news,shark-tank.com,shedthoselbs.com,skrillionaire.com,slender.news,sonsoflibertymedia.com,sportsmole.co.uk,stevedeace.com,stupid.news,techconsumer.com,techtimes.com,theblacksphere.net,theboredmind.com,thecountrycaller.com,thefreethoughtproject.com,thegatewaypundit.com,thelastlineofdefense.org,themattwalshblog.com,thepoke.co.uk,therealside.com,tinypic.com,tosavealife.com,traileraddict.com,truththeory.com,twisted.news,universityherald.com,usherald.com,valuewalk.com,vampirediaries.com,vcpost.com,victoriajackson.com,videogamesblogger.com,viralnova.com,viralthread.com,visiontoamerica.com,wakingtimes.com,westernjournalism.com,whatzbuzzing.com,winningdemocrats.com,wnd.com,xtribune.com,youngcons.com,yourtango.com,youthhealthmag.com##xvx -! Site Specific filters (used with $generichide) -autoevolution.com###\5f wlts -credio.com,findthedata.com###ad-atf-mid -credio.com,findthedata.com###ad-atf-top -marketwatch.com###ad-display-ad -pcmag.com###adkit_mrec1 -pcmag.com###adkit_mrec2 -pcmag.com###adkit_rectangle -gizmodo.com.au,kotaku.com.au,lifehacker.com.au###adspot-300x250-pos2 -googlesyndication.com###adunit -oregonlive.com###adv_network -static.adf.ly###container -upi.com###div-ad-inread -upi.com###div-ad-top -kbb.com###gptAd1 -kbb.com###gptAd2 -kbb.com###gptAd3 -macdailynews.com###header-ads -arnnet.com.au###leaderboard-bottom-ad -kenkenpuzzle.com###leaderboard-container -ndtv.com###rhs_widget_container_id -ndtv.com###small_rec_adbox -mingle2.com###textlink_ads_placeholder -computerworlduk.com###topLeaderboard > .leaderboard -mingle2.com###topbannerad -janjuaplayer.com###video_ads_overdiv -ndtv.com##._g360_wgt_sponsored -cityam.com##.ad-box-tablet-bg -universityherald.com##.ad-sample -livescience.com##.ad-slot -uptobox.com##.ad-square -credio.com,findthedata.com##.ad-text -theatlantic.com##.ad-wrapper -dailymail.co.uk##.adHolder -mashable.com,monova.org,unblocked.cam##.ad_container -spin.com##.ad_desktop_placeholder -upi.com##.ad_slot -autoevolution.com##.adcont970 -ndtv.com##.adhead -tomshardware.com##.adsbox -afreesms.com,belfasttelegraph.co.uk,bitfeed.co,dailymail.co.uk,independent.ie,israellycool.com,mma-core.com,technoshouter.com,wexfordpeople.ie##.adsbygoogle -gizmodo.com.au,kotaku.com.au,lifehacker.com.au##.adspot-300x250-pos1 -universityherald.com##.adunit_rectangle -wccftech.com##.banner-ad -samaup.com##.bannernone -marketwatch.com##.belt-ad -indiatimes.com##.big-ads -playwire.com##.bolt-ad-container -monova.org##.btn-lg -zippyshare.com##.center_ad -cnbc.com##.cnbc_badge_banner_ad_area -marketwatch.com##.container--bannerAd -indiatimes.com##.ctn_ads_rhs_organic -womenshealthmag.com##.dfp-tag-wrapper -marketwatch.com##.element--ad -wccftech.com##.featured-ad -ndtv.com##.ins_adwrap -collectivelyconscious.net##.insert-post-ads -computerworlduk.com##.jsAdContainer > #dynamicAd1 -mediafire.com##.lb-ad -theatlantic.com##.liveblog__highlights__ad -theatlantic.com##.liveblog__update--ad -mediafire.com##.lr-ad -watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.li,watchseries.lt,watchseries.ph,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.unblckd.top,watchtvseries.vc##.mgbox -indiatimes.com##.middle-ads -ibtimes.co.uk##.mpu-wrap -androidcentral.com,windowscentral.com##.netshelter-ad -vg247.com##.newsad -independent.ie,wexfordpeople.ie##.ob_container a[data-redirect^="http://paid.outbrain.com/network/redir?"] -clashdaily.com##.pan-ad-inline1 -clashdaily.com##.pan-ad-sidebar1 -clashdaily.com##.pan-ad-sidebar2 -indiatimes.com##.pull-ad -xda-developers.com##.purchad -flashx.tv##.rec_article_footer -flashx.tv##.rec_container_footer -intoday.in##.right-ad -livescience.com##.right-rail -androidcentral.com,windowscentral.com##.side-ad-inner -veekyforums.com##.sidebar-rc -mingle2.com##.skyscraper_ad -spin.com##.sm-widget-ad-holder -hypable.com##.splitter -jewishpress.com##.td-a-rec-id-custom_ad_1 -jewishpress.com##.td-a-rec-id-custom_ad_3 -jewishpress.com##.td-adspot-title -cinemablend.com##.topsticky_wrapper -baltimoresun.com,belfasttelegraph.co.uk,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,cityam.com,citypaper.com,cnbc.com,courant.com,dailymail.co.uk,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gizmodo.com.au,gofugyourself.com,hearthhead.com,ign.com,infinitiev.com,intoday.in,kotaku.com.au,latimes.com,leaderpost.com,lifehacker.com.au,lolking.net,mashable.com,mcall.com,mirror.co.uk,montrealgazette.com,nasdaq.com,nationalpost.com,ndtv.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sporcle.com,startribune.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,tomshardware.co.uk,torontosun.com,twincities.com,vagazette.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com,yourtailorednews.com##.trc-content-sponsored -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,cnbc.com,courant.com,dailymail.co.uk,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,ign.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,mashable.com,mcall.com,montrealgazette.com,nasdaq.com,nationalpost.com,ndtv.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sporcle.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,tomshardware.co.uk,torontosun.com,twincities.com,vagazette.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com,yourtailorednews.com##.trc-content-sponsoredUB -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,cnbc.com,courant.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,ign.com,infinitiev.com,intoday.in,latimes.com,leaderpost.com,lolking.net,mashable.com,mcall.com,montrealgazette.com,nasdaq.com,nationalpost.com,ndtv.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sporcle.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,tomshardware.co.uk,torontosun.com,twincities.com,vagazette.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com,yourtailorednews.com##.trc_related_container div[data-item-syndicated="true"] -marketwatch.com##.trending__ad -mingle2.com##.user_profile_ads -bmmagazine.co.uk,thefreethoughtproject.com##.wpInsertInPostAd -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,ign.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,mcall.com,montrealgazette.com,nasdaq.com,nationalpost.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sporcle.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,torontosun.com,twincities.com,vagazette.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com##.zerg-holder -moviefone.com##.zergnet -baltimoresun.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,ign.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,mcall.com,montrealgazette.com,nasdaq.com,nationalpost.com,orlandosentinel.com,ottawacitizen.com,pcmag.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sporcle.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,torontosun.com,twincities.com,vagazette.com,vancouversun.com,vibe.com,windsorstar.com,wowhead.com##.zergnet-holder -intoday.in##a[href*=".zedo.com/"] -monova.org##a[href^="http://adsrvmedia.adk2x.com/"] -revclouds.com##a[href^="http://adtrack123.pl/"] -flashx.tv##a[href^="http://data.committeemenencyclopedicrepertory.info/"] -uploadshub.com##a[href^="http://ddownload39.club/"] -onlinemoviewatchs.com##a[href^="http://go.ad2up.com/"] -uplod.ws##a[href^="http://hyperline88.com/"] -wccftech.com##a[href^="http://internalredirect.site/"] -monova.org##a[href^="http://magicdata.link/"] -vidbull.com,watch-series-tv.to,watch-series.ag,watch-tv-series.to,watchseries.ag,watchseries.li,watchseries.lt,watchseries.ph,watchseries.vc,watchseriesuk.ag,watchseriesuk.lt,watchtvseries.se,watchtvseries.unblckd.top,watchtvseries.vc##a[href^="http://mgid.com/"] -belfasttelegraph.co.uk##a[href^="http://pubads.g.doubleclick.net/"] -apkmirror.com,baltimoresun.com,boreburn.com,boston.com,calgaryherald.com,capitalgazette.com,carrollcountytimes.com,chicagotribune.com,citypaper.com,courant.com,dailycaller.com,dailypress.com,deathandtaxesmag.com,edmontonjournal.com,edmunds.com,financialpost.com,gofugyourself.com,hearthhead.com,infinitiev.com,latimes.com,leaderpost.com,lolking.net,marketwatch.com,mcall.com,menshealth.com,montrealgazette.com,nasdaq.com,nationalpost.com,orlandosentinel.com,ottawacitizen.com,ranker.com,sandiegouniontribune.com,saveur.com,sherdog.com,spin.com,sporcle.com,stereogum.com,sun-sentinel.com,theprovince.com,thestarphoenix.com,timeanddate.com,tmn.today,vagazette.com,vancouversun.com,vibe.com,windsorstar.com,womenshealthmag.com,yourtailorednews.com##a[onmousedown^="this.href='http://paid.outbrain.com/network/redir?"][target="_blank"] -computerworlduk.com##aside > div > .mpuHolder -daclips.in,vidbull.com##div[id^="MarketGid"] -belfasttelegraph.co.uk,broadwayworld.com,independent.ie,mingle2.com,mirror.co.uk,wccftech.com,wexfordpeople.ie##div[id^="div-gpt-ad"] -upi.com##div[id^="smi2adblock"] -cinemablend.com##div[style="height:250px; width:300px;"] -androidsage.com##ins[data-ad-client] -world4.eu##ins[style="display:inline-block;width:336px;height:280px"] -! Filter for testpages.adblockplus.org -testpages.adblockplus.org###abptest -! CSS property filters for Adblock Plus -webfail.com###aside > [-abp-properties='cursor: pointer;'] -webfail.com###subheader + [-abp-properties='text-align: center;'] -tomshardware.com##.page-content-rightcol [-abp-properties='height: 600px;*width: 300px;'] -freethesaurus.com##.widget + [-abp-properties='height: 265px; width: 300px;'] -torrentsgroup.com##[-abp-properties='*data:image*'] -webfail.com##[-abp-properties='cursor: pointer; margin-left: *px;'] -space.com##[-abp-properties='height: 250px;*width: 300px;'] -webfail.com##[-abp-properties='position: relative; width: 728px'] -webfail.com##[-abp-properties='text-align: center;'] > img -webfail.com##div[style="width:300px;height:auto;margin:30px 0;"] + div -! *** easylist:easylist_adult/adult_specific_hide.txt *** -ashemaletube.com###ASHM_imBox_Container -nudography.com###BannerContainer -porntack.com###BannerUnder -cam4.com###Cam4IMslider -starsex.pl###FLOW_frame -rule34hentai.net###Our_Partnersmain -thestranger.com###PersonalsScroller -privatehomeclips.com###Ssnw2ik -imagehaven.net###TransparentBlack -pornhd.xyz###Video_Oncesi_Reklam -namethatporn.com###a_block -swfchan.com###aaaa -youjizz.com###above-related -pornvideoxo.com###abox -4tube.com###accBannerContainer03 -4tube.com###accBannerContainer04 -pornhub.com,tube8.com,youporn.com###access_container -cliphunter.com,isanyoneup.com,seochat.com###ad -pornhub.com###adA -pornhub.com###adB -ua-teens.com###ad_global_below_navbar -fux.com,porntube.com###ad_player -gangbangtubetv.com,gaytube.com,pornomovies.com,turboimagehost.com,xvideos.com###ads -eporner.com###adv -flyingjizz.com###adv_inplayer -hiddencamsvideo.com###advert -primejailbait.com###advertical -hairyclassic.com,qruq.com###advertisement -pornative.com###advertisers -timtube.com###advertising -pornomovies.com###aff-aside -daporn.com###aff-banner -fleshbot.com###afleft -fleshbot.com###afright -xxxbunker.com###agePopup -imageporter.com###agebox -imagehaven.net###agreeCont -imagevenue.com,intporn.com###ajax_load_indicator -pornoitaliana.com,pornologo.com###alfa_promo_parent -redtube.com.br###as_131 -literotica.com###b-top -tubecup.com###babe -youjizz.com###baner_top -linkbucks.com###banner -designm.ag###banner-holder -vporn.com###banner-place -vporn.com###banner-small -dansmovies.com###banner4 -xxxbunker.com###bannerListBottom -xxxbunker.com###bannerListTop -yuvutu.com###bannerTop -debonairblog.com###banner_an -adultfriendfinder.com###banner_con -dansmovies.com,egbo.com,pervertslut.com###banner_video -namethatpornstar.com###bannercontainer -topescortbabes.com###banners -iafd.com###bantop -desktopangels.net###bg_tab_container -pornflex53.com###bigbox_adv -xxxbunker.com###blackout -xcum.com###block-adv -upornia.com###bns -chaturbate.com###botright -porntube.com###bottomBanner -xxxbunker.com###bottomBanners -wankerhut.com###bottom_adv -fuckme.me###bottom_warning -mydailytube.com###bottomadd -watchindianporn.net###boxban2 -pornsharia.com###brazzers1 -fastpic.ru###brnd -fastpic.ru###brnd-footer -befuck.com,hotshame.com,pinkrod.com,pornoid.com,thenewporn.com,updatetube.com,wetplace.com###c2p -deviantclip.com###cams_ajax -xvideos.com###channel_banner -24porn7.com###closeSyntax_adpB -drtuber.com###close_bottom_banner -thestranger.com###communityScroller -imagewaste.com###container2 -trovaporno.com###corpo_video_sponsor -blackandrose.net###disclaimer -theync.com###divYNC-RC-BotAd -theync.com###divYNC-RC-TopAd -theync.com###divYNCFootAdHolder -theync.com###divYNCFooterAdsWrapper -theync.com###divYNCHeadAdHolder -theync.com###divYNCVidPageAboveAdWrapper -theync.com###divYNCVidPageBelowAdWrapper -theync.com###divYNCVidPageBotAdWrapper -theync.com###divYNCVidPageTopAdsWrapper -celeb.gate.cc###div_alert -celeb.gate.cc###div_alternative -dojki.com###dosug -xaxtube.com###download -dominationtube.com###download-bar -anyvids.com###eapromo -adultdvdtalk.com###enter_overlay -eporner.com###eptable -crazyhomesex.com,deliciousmovies.com,homemademoviez.com,imgflare.com,momisnaked.com,momsteachboys.com,momsxboys.com,sex-movies.cc,topamateursexvideos.com###fadeinbox -pornday.org,yporn.tv###featured -imagetwist.com###firopage -be3x.com###fl813695 -sexyclips.org###flash -loadsofpics.com###floatdiv -monstertube.com###footer -youjizz.com###footer-block -extremetube.com###footerWhole -burningcamel.com###fp_promo -adultfriendfinder.com###free_chat_models -efukt.com###friends -homemoviestube.com###friendscontents -netasdesalim.com###frutuante -mansurfer.com###gayporn -cantoot.com###googlebox -pornhub.com###hd-rightColVideoPage > div[class]:first-child -pornhub.com###hd-rightColVideoPage [style="float: inherit;"] -nangaspace.com###header -freepornvs.com###header > h1 > .buttons -aan.xxx###header-banner -youtubelike.com###header-top -cam4.com###headerBanner -spankwire.com###headerContainer -xaxtube.com###header_banner_1 -xaxtube.com###header_banner_2 -phonedog.com###headerboard -dumpaporn.com###headerbottom -todaysparent.com###hearst -bonecasxxx.com###highlights -prettyhotandsexy.sk###home-insert-1 -fapdu.com###home_300_250 -realgfporn.com###iknow -tnaflix.com###imfb -girlfriendvideos.com,pornxs.com###imfloat -guyswithiphones.com###imglist > .noshadow -pornhd.com###inVideoZone -gotgayporn.com###index4x4ad -pornxs.com###initR4Box -pornxs.com###initialize4Box -pornxs.com###initialize4d -eporner.com###inpdiv -eporner.com###inplayer -imageporter.com###interVeil -rampant.tv###interesting-bar -freebunker.com,imagesnake.com,imgcarry.com,loadsofpics.com,pornbus.org###introOverlayBg -porn18sex.com###invideo -sex2ube.com###jFlowSlide -anysex.com###kt_b -extremetube.com###leaderBoard -perfectgirls.net,postyourpuss.com###leaderboard -imagetwist.com###left[align="center"] > center > a[target="_blank"] -collegegrad.com###leftquad -alysa.xxx###links -suicidegirls.com###livetourbanner -bootyoftheday.co###lj -freeimgup.com,imghost.us.to###lj_livecams -5ilthy.com###ltas_overlay_unvalid -ynot.com###lw-bannertop728 -ynot.com###lw-top -4tube.com###main-banner-grid -pornhub.com###main-container > [id] > [class]:first-child -eporner.com###maindiv-topa -eporner.com###maindiv-topadv -news.com.au###match-widget -xred2.com###mbEnd -yobt.tv###media-bottom -5ilthy.com,cockcheese.com,filthyrx.com,gfssex.com###mediaspace -taxidrivermovie.com###mobile_pop_special -adultfriendfinder.com###mod -youporn.com,youporngay.com###moreVideosTabview3 -askjolene.com###more_from_this -protectlinks.com###mouselayer -eporner.com###movieplayer-right -starcelebs.com###mrskin-birthday-widget -hollywoodrag.com###navcontainer -alotporn.com,flashx.tv,myfreeblack.com###nuevoa -ma3comic.com###omad -newverhost.com###onload -newverhost.com###onload-main -newverhost.com###onload-overlay -deviantclip.com###overlay -bitchcrawler.com###overlay1 -imagetwist.com,imagevenue.com,intporn.com###overlayBg -heavy-r.com,vidiload.com###overlayVid -videos.com###pToolbar -jizzhut.com###pagetitle -wide6.com###partner -gamcore.com,pimpyporn.com,wide6.com###partners -beardedperv.com###pauseRoll -extremetube.com,mofosex.com,redtube.com,redtube.com.br,spankwire.com,youporngay.com###pb_block -pornhub.com,tube8.com,youporn.com###pb_template -youporn.com###personalizedHomePage > div:nth-child(2) -pornhub.com###player + [id][class] -pornhub.com###player + div + div[style] -pornhub.com###player + div[style] -vidgrab.net,xxvideo.us###player > #stop -smut6.com###player-banner -hdbraze.com###player_adv_pause -hdbraze.com###player_adv_start -alotporn.com###playeradv -txxx.com###playvideot -pornxs.com###pointearn_modal -depic.me###popup_div -imagehaven.net###popwin -sextvx.com###porntube_hor_bottom_ads -sextvx.com###porntube_hor_top_ads -beardedperv.com###postRoll -xtube.com###postrollContainer -kaktuz.com###postroller -imagepost.com###potd -beardedperv.com,daporn.com###preRoll -eroclip.mobi,fuqer.com###premium -fapxl.com###preroll -crazyshit.com###pro_tip -youporn.com,youporngay.com###producer -porn.com###promo -redtube.com###puBody -drtuber.com,nuvid.com,viptube.com###puFloatDiv -foxtube.com###pub-container -hd-porn.me###publicidad-videoancho -xvideoslatino.com###publicidadlateral1 -xvideoslatino.com###publicidadlateral2 -pussy.org###pussyhbanner -pussy.org###pussytextlinks -ma3comic.com###pxhead -javhub.net###r18_banner -bootyoftheday.co###random-div-wrapper -flurl.com###rectbanner -yourlust.com###relatedBanner -xxxymovies.com###reltabContent -youjizz.com###right-tower -tnaflix.com###rightPromo -homemoviestube.com###right_out -nonktube.com###second -pornmaturetube.com###show_adv -amateurfarm.net,retrovidz.com###showimage -shesocrazy.com###sideBarsMiddle -shesocrazy.com###sideBarsTop -pornday.org###side_subscribe_extra -mydailytube.com###sideadd -spankwire.com###sidebar -imageporter.com###six_ban -flurl.com###skybanner -io9.com,postyourpuss.com###skyscraper -imagedax.net,imagedunk.com,imageporter.com###slashpage -free-celebrity-tube.com###slide_up2 -fantasti.cc###smutty_widget -porn.com###sp -kindgirls.com###spon -hiddencamshots.com,porn.com,sluttyred.com###sponsor -dagay.com###sponsor_video_pub -flingtube.com###sponsoredBy -hiddencamshots.com###sponsors -w3avenue.com###sponsorsbox -maxjizztube.com,yteenporn.com###spotxt -xxxbunker.com###ssLeft -xxxbunker.com###ssRight -gotgayporn.com,motherless.com###ss_bar -wikiporno.org###sticky-footer -hot-jav.com###stop -hclips.com,privatehomeclips.com###stopImapwUx -privatehomeclips.com###stopVAD -eporner.com###subcontent_mediaspace -cam4.be,cam4.com###subfoot -adultfyi.com###table18 -xtube.com###tabs -jav4.me,videowood.tv###tbl1 -fleshasiadaily.com###text-12 -fleshasiadaily.com###text-13 -fleshasiadaily.com###text-14 -fleshasiadaily.com###text-15 -fleshasiadaily.com###text-8 -nuvid.com###th_advertisement + script + [class] -fapgames.com###the720x90-spot -filhadaputa.tv###thumb[width="959"] -mansurfer.com###top-ban -hiddencamshots.com,videarn.com###top-banner -bitporno.sx###top350 -bitporno.sx###top350b -nude.hu###topPartners -extremetube.com###topRightsquare -xhamster.com###top_player_adv -mataporno.com,sexmummy.com,sopervinhas.net,teenwantme.com,worldgatas.com,xpg.com.br###topbar -pinkems.com###topfriendsbar -namethatpornstar.com###topphotocontainer -askjolene.com###tourpage -pornhyve.com###towerbanner -pornvideoxo.com###tube-right -pervclips.com###tube_ad_category -axatube.com,creampietubeporn.com,fullxxxtube.com,gallsin.xxx,xxxxsextube.com,yourdarkdesires.com###ubr -usatoday.com###usat_PosterBlog -homemoviestube.com###v_right -stileproject.com###va1 -stileproject.com###va2 -stileproject.com###va3 -stileproject.com###va4 -stileproject.com###va5 -stileproject.com###va6 -stileproject.com###va7 -stileproject.com###va8 -motherless.com###vid-overlay -teenist.com###video-bottom-right -xvideos.com###video-sponsor-links -youporn.com###videoCanvas > .grid_5[style="height: 455px;"] -sunporno.com###videoContainer_DarkBg -sunporno.com###videoContainer_pop -spankwire.com###videoCounterStraight -extremetube.com###videoPageObject -porndoo.com###videoTr -youporn.com###videoWrapper + div[style] -bangyoulater.com###video_ad -pornvideoscout.com,xsharebox.com###video_cover -tube8.com###video_left_message -adultfriendfinder.com###video_main_cams -pornhyve.com###videobanners -rextube.com###videoright -pervclips.com,pornicom.com,wankoz.com###view_video_ad -pornhub.com###views_left -tjoob.com###viewvidright -matureworld.ws###vote_popup -adultfriendfinder.com###vp_left -bustnow.com###xad900x250x1 -mrstiff.com###xdv-preroll -xhamster.com##.B90aba -porntack.com##.Banner -pornbanana.com##.DealContainer2 -pornbanana.com##.RightBanners -ziporn.com##.RightBoxMain -ziporn.com##.RightRefBoxMain -pornbanana.com##.TopBann -porntack.com##.TopBannerCon -pornbanana.com##.VidBottomBanner -pornbanana.com##.VidRightSide -extremetube.com##._mapm_link_local_sex -extremetube.com##._mapm_link_phone_sex -extremetube.com##._mapm_link_premium -seductivetease.com##.a-center -heavy-r.com##.a-d-holder -pornbb.org##.a1 -porn.com##.aRight -pornvideofile.com##.aWrapper -fooktube.com##.aa -vrsmash.com##.abovePlayer -celebspank.com,chaturbate.com,cliphunter.com,gamcore.com,playboy.com,pornhub.com,rampant.tv,signbucks.com,sxx.com,tehvids.com,uflash.tv,wankoz.com,yobt.tv##.ad -extremetube.com,pornhugo.com##.ad-container -pornhub.com##.ad-link + table -milfzr.com##.ad-widget > a -celebspank.com##.ad1 -pornhub.com,xtube.com##.adContainer -cumsearcher.com##.adb -cumsearcher.com##.adb-right -pornoxo.com##.adblock -xxxfuel.com##.adcontainer -sex3.com##.add-box -hentaistream.com##.adds -adultbox.eu,analtubegirls.com,bangyoulater.com,beemtube.com,cam4.com,djs-teens.net,femdom-fetish-tube.com,free-celebrity-tube.com,gangbangtubetv.com,glarysoft.com,hdporn.in,onlyhot.biz,pichunter.com,pornshaft.com,porntalk.com,pornxs.com,ratemypeach.com,springbreaktubegirls.com,teentube18.com,thisav.com,youporn.com##.ads -myfreeblack.com##.ads-player -anyporn.com,badteencam.com,cutepornvideos.com,famouspornstarstube.com,hdporntube.xxx,lustypuppy.com,mrstiff.com,pervertslut.com,pixhub.eu,pornfreebies.com,smut6.com,tubedupe.com,tubepornclassic.com,watchteencam.com,webanddesigners.com,youngartmodels.net##.adv -txxx.com##.adv-desk-list -hdzog.com##.adv-thumbs -freexcafe.com##.adv1 -anysex.com,hclips.com,privatehomeclips.com,tubecup.com##.adv_block -mygirlfriendvids.net,wastedamateurs.com##.advblock -porn.hu,sunporno.com##.advert -fakku.net,flyingjizz.com,pornmd.com,porntube.com,xtube.com,youporn.com,youporngay.com##.advertisement -alphaporno.com,bravotube.net,myxvids.com,privatehomeclips.com,sleazyneasy.com,tubewolf.com,xxxhdd.com##.advertising -fapdu.com##.aff300 -porngals4.com##.affl -redtube.com##.after-header -bestgore.com##.ai-viewport-1 -bestgore.com##.ai-viewport-2 -askjolene.com##.aj_lbanner_container -ah-me.com,befuck.com,pornoid.com,sunporno.com,thenewporn.com,twilightsex.com,updatetube.com,videoshome.com,xxxvogue.net##.allIM -pinkrod.com,pornsharia.com,pornsharing.com,wetplace.com##.allIMwindow -1loop.com##.asblock -playvids.com##.aside-emb -pornfun.com##.aside-spots -xhamster.com##.avdo -gayporno.fm##.b-banners-column -literotica.com##.b-s-share-love -fuqer.com##.b300x250 -porndoo.com##.bAd -nude.hu##.badHeadline -devatube.com##.ban-list -analpornpix.com##.ban_list -gayboystube.com##.bancentr -fux.com##.baner-column -xchimp.com##.bannadd -4tube.com,analpornpix.com,chaturbate.com,dansmovies.com,fecaltube.com,gaytube.com,imageporter.com,imagezog.com,myxvids.com,playvid.com,playvids.com,pornhub.com,private.com,upornia.com,vid2c.com,videarn.com,vidxnet.com,wanknews.com,watchhentaivideo.com,waybig.com,xbabe.com,yourdailygirls.com##.banner -watchindianporn.net##.banner-1 -hd-porn.me##.banner-actions -adultpornvideox.com,jojobaa.net##.banner-box -tube8.com##.banner-container -4tube.com,fux.com,porntube.com##.banner-frame -yuvutu.com##.banner-left-player -0xxx.in##.banner-naslovna -watchindianporn.net##.banner-vid -pornoeggs.com##.banner-videos -definebabe.com##.banner1 -celebritymovieblog.com##.banner700 -watchhentaivideo.com##.bannerBottom -4tube.com,empflix.com,tnaflix.com##.bannerContainer -4tube.com##.banner_btn -wunbuck.com##.banner_cell -galleries-pornstar.com##.banner_list -penthouse.com##.banner_livechat -freeporn.com##.bannercube -xfanz.com##.bannerframe -thehun.net##.bannerhorizontal -bustnow.com##.bannerlink -beardedperv.com,chubby-ocean.com,cumlouder.com,grandpaporntube.net,sexu.com,skankhunter.com##.banners -isanyoneup.com##.banners-125 -porntubevidz.com##.banners-area -vid2c.com##.banners-aside -sexpornimg.com##.banners_gallery -5ilthy.com##.bannerside -sexoncube.com##.bannerspot-index -thehun.net##.bannervertical -ratemymelons.com##.bannus -redtube.com##.before-footer -redtube.com##.belowVideo -tnaflix.com##.bgDecor -eskimotube.com,tjoob.com##.bg_banner_l -eskimotube.com,tjoob.com##.bg_banner_r -bangyoulater.com##.big-box-border -tub99.com##.bigimg2 -drtuber.com##.bl[style="height: auto;"] -twilightsex.com##.bl_b_l -hdzog.com##.block-advertise -japan-whores.com,xcum.com##.block-banners -anyporn.com##.block-btm -mylifetime.com##.block-doubleclick -hdzog.com##.block-showtime -youx.xxx##.block-sites -thenude.eu##.blockBnr -thenude.eu##.blockBnrCenter -xhamster.com##.block[style="text-align:center; width:902px; padding:15px;margin:0"] -tube8.com##.block_02_right -porn.com##.bn -anysex.com##.bnr -xnxxvideoporn.com##.bot_bns -streamsexclips.com,tubesexclips.com,tubesexmovies.com##.botban -anyporn.com,pervertslut.com##.bottom-adv -fux.com##.bottom-baner -xbabe.com,yumymilf.com##.bottom-banner -pornoeggs.com##.bottom-banner-templ -playvid.com##.bottom-banners -pornxs.com##.bottom-sidebar -pornfun.com##.bottom-spots -youtubelike.com##.bottom-thumbs -youtubelike.com##.bottom-top -tabletporn.com##.bottom_pos -dixyporn.com##.bottom_spot -pornvideoxo.com##.bottom_wide -tube8.com##.bottomadblock -tube8.com##.box-thumbnail-friends -celeb.gate.cc##.boxgrid > a[target="_blank"][href^="http://"] -worldsex.com##.brandreach -sublimedirectory.com##.browseAd -xaxtube.com##.bthums -babesandstars.com##.btn-block -realgfporn.com##.btn-info -xcum.com##.btn-ponsor -4tube.com,tube8.com##.btnDownload -redtube.com##.bvq -redtube.com##.bvq-caption -gamesofdesire.com##.c_align -empflix.com##.camsBox -tnaflix.com##.camsBox2 -celebspank.com##.celeb_bikini -cliphunter.com##.channelMainBanner -cliphunter.com##.channelMiddleBanner -youporn.com##.channel_leaderboard -youporn.com##.channel_square -adultfriendfinder.com##.chatDiv.rcc -thefappeningblog.com##.cl-exl -voyeur.net##.cockholder -xnxx.com##.combo.smallMargin[style="padding: 0px; width: 100%; text-align: center; height: 244px;"] -xnxx.com##.combo[style="padding: 0px; width: 830px; height: 244px;"] -pornrabbit.com##.container300 -x-boobs.com##.content-banner -avn.com##.content-right[style="padding-top: 0px; padding-bottom: 0px; height: auto;"] -youporn.com,youporngay.com##.contentPartner -xbutter.com##.counters -3movs.com,pervclips.com,pornicom.com##.cs -dronporn.com##.cs_spon -alotporn.com##.cube -anysex.com##.desc -txxx.com##.desk-list -pornalized.com,pornoid.com,pornsharia.com##.discount -pornsharia.com##.discounts -fapdu.com##.disp-underplayer -keezmovies.com##.double_right -cameltoe.com##.downl -pinkrod.com,pornsharia.com,wetplace.com##.download -realgfporn.com##.downloadbtn -hellporno.com##.dvb-advertisements -pornsharia.com##.eciframe -pornsharia.com##.eciframeright -efukt.com##.ef_block_wrapper -youporn.com##.eight-column > div[class] -goldporntube.com##.embadv -grandpaporntube.net##.embed_banners -viptube.com##.envelope + div[class] -grandpaporntube.net##.exo -porn.com##.fZone -imagepost.com##.favsites -mrstiff.com##.feedadv-wrap -extremetube.com##.float-left[style="width: 49.9%; height: 534px;"] -wankerhut.com##.float-right -extremetube.com##.float-right[style="width: 49.9%; height: 534px;"] -teensexyvirgins.com,xtravids.com##.foot_squares -scio.us,youporn.com##.footer -4tube.com,fux.com,porntube.com##.footer-banners -tube8.com##.footer-box -youporn.com,youporngay.com##.footer-element-container -4tube.com##.footer-la-vane -babesandstars.com##.footer_banners -sunporno.com##.frms-block -cam111.com##.g_p_con300250 -sammobile.com##.gad -youx.xxx##.gallery-link -youtubelike.com##.gallery-thumbs -pichunter.com##.galleryad -pornhub.com##.gay-ad-container -titsintops.com##.gensmall[width="250"] -titsintops.com##.gensmall[width="305"] -fantasti.cc##.goodie01 -ziporn.com##.hBannerHolder -pornhub.com##.hd > [style^="display: block;"] + [id][style="float: inherit;"] -heavy-r.com##.hd-ban -bgafd.co.uk##.hdradclip -pornsharia.com##.head > h3 -celebspank.com##.header -redtube.com##.header > #as_1 -thenude.eu##.headercourtesy -pornmobo.com##.heading-sponsor -hclips.com,tubecup.com##.hold-adv -nuvid.com##.holder_banner -pornhub.com##.home-ad-container + div -alphaporno.com##.home-banner -tube8.com##.home-message + .title-bar + .cont-col-02 -julesjordanvideo.com##.horiz_banner -orgasm.com##.horizontal-banner-module -orgasm.com##.horizontal-banner-module-small -pornanal.net##.i_br -pron.tv##.ifab -drtuber.com##.img_video -pornsis.com##.indexadl -pornsis.com##.indexadr -pornicom.com##.info_row2 -xhamster.com##.info_text -cocoimage.com,hotlinkimage.com,picfoco.com##.inner_right -playvids.com,pornoeggs.com##.invideoBlock -e-hentai.org##.itd[colspan="4"] -namethatporn.com##.item_a -sex2ube.com##.jFlowControl -teensanalfactor.com##.job -babesandstars.com,pornhub.com,youporn.com##.join -redtube.com##.join-button -extremetube.com##.join_box -pornhub.com,spankwire.com,tube8.com,youporn.com##.join_link -overthumbs.com##.joinnow -zuzandra.com##.jx-bar -fantasti.cc##.l3ft-b4nn34 -tnaflix.com##.lastLiAv -fantasti.cc##.left-banner -gamcore.com##.left-side-skin -tnaflix.com##.leftAbsoluteAdd -sextingpics.com##.leftMAIN -xxxporntalk.com##.left_col -taxidrivermovie.com##.left_right_border -xxxporntalk.com##.leftsidenav -crazyshit.com##.linx -galleries-pornstar.com##.list_sites -sexyfunpics.com##.listingadblock300 -tnaflix.com##.liveJasminHotModels -drtuber.com##.livecams_main -ns4w.org##.livejasmine -madthumbs.com##.logo -tube8.com##.main-video-wrapper > .float-right -sexdepartementet.com##.marketingcell -beeg.com##.mat -lic.me##.miniplayer -upornia.com##.mjs-closeandplay -hotmovs.com,upornia.com##.mjs-closeplay -hanksgalleries.com##.mob_vids -gangbangtubetv.com##.movielink -redtube.com##.ntva -finaid.org##.one -lustgalore.com,yourasiansex.com##.opac_bg -baja-opcionez.com##.opaco2 -vporn.com##.overheaderbanner -tnaflix.com##.pInterstitial -tnaflix.com##.padAdv -redtube.com##.pageVideos > div > [class][style*="z-index:"] -definebabe.com##.partner-block -tube8.com##.partner-link -bravotube.net##.paysite -ah-me.com##.paysite-link -hdzog.com##.pl_showtime1_wr2 -hclips.com##.pl_wr -hdzog.com##.player-advertise -drtuber.com##.player-adx-block -txxx.com##.player-desk -madmovs.com,pornosexxxtits.com##.player-outer-banner -hdzog.com##.player-showtime -drtuber.com##.player-sponsor-block -xnxxvideoporn.com##.player_bn -4tube.com##.player_faq_link -4tube.com##.player_sub_link -4tube.com##.playerside-col -yobt.tv##.playpause.visible > div -beardedperv.com##.plugzContainer -hornywhores.net##.post + script + div[style="border-top: black 1px dashed"] -hornywhores.net##.post + script + div[style="border-top: black 1px dashed"] + br + center -xtube.com##.postRoll -uflash.tv##.pps-banner -pornhub.com##.pre-footer -txxx.com##.preroll -pornfun.com##.promo -porntubevidz.com##.promo-block -nakedtube.com,pornmaki.com##.promotionbox -nuvid.com,nuvidselect.com##.puFloatLine -sexy-toons.org##.pub300 -dachix.com,dagay.com,deviantclip.com##.pub_right -foxtube.com##.publi_pc -cumlouder.com,freemovies.tv##.publis-bottom -pussy.org##.pussytrbox -redtube.com.br##.qb -xchimp.com##.rCol2 -bustedcoverage.com##.rcr-tower -candidvoyeurism.com##.rectangle -xporno.me##.rekl -burningcamel.com##.reklaim -youporn.com##.removeAdLink + * > figure -cam4.com##.removeAds -tubaholic.com##.result_under_video -youporn.com##.right-column > div[style^="float: none;"]:first-child -youporn.com##.right-column aside[class^="pad-right"] -pornxs.com##.right-sb -gamcore.com##.right-side-skin -porn.com##.right300 -tnaflix.com##.rightAbsoluteAdd -tnaflix.com##.rightBarBanners -sextingpics.com##.rightMAIN -tabletporn.com##.right_pos -xxxporntalk.com##.rightalt-1 > center > a[target="_blank"] > img[width="160"] -anysex.com##.rightbnr -gaytube.com##.rkl-block -porn.com##.rmedia -collegegrad.com##.roundedcornr_box_quad -youporn.com##.row > .eight-column > * -youporn.com##.row > .trafficjunky-video-being-watched-section -xxxymovies.com##.rtoptbl -sticking.com##.sb-box -woodrocket.com##.sb-store -dominationtube.com,gaysexarchive.com,skeezy.com,sticking.com##.sb-txt -pornhub.com##.sectionWrapper > [class] > [style] + [id][style] -pornhub.com##.sectionWrapper > div[class] > figure -thenude.eu##.sexart_sidebar -uselessjunk.com##.shadow_NFL -sankakucomplex.com##.side300xmlc -queermenow.net##.sidebar > #text-2 -flyingjizz.com##.sidebar-banner -celebspank.com##.sidebar5 -4tube.com##.sidebarVideos -vidxnet.com##.sidebar_banner -waybig.com##.sidebar_zing -cliphunter.com##.sidecreative -xxxporntalk.com##.sidenav -myslavegirl.org##.signature -4tube.com##.siteBannerHoriz -tube8.com##.skin -tube8.com##.skin1 -tube8.com##.skin2 -tube8.com##.skin3 -tube8.com##.skin4 -tube8.com##.skin6 -tube8.com##.skin7 -candidvoyeurism.com,simply-hentai.com##.skyscraper -gaytube.com##.slider-section -movies.askjolene.com##.small_tourlink -springbreaktubegirls.com##.span-100 -nonktube.com##.span-300 -nonktube.com##.span-320 -ns4w.org##.splink -bgafd.co.uk##.spnsr -abc-celebs.com##.spons -tnaflix.com##.sponsVideoLink -definebabe.com,pervertslut.com,pornever.net,sexpornimages.com,xbabe.com##.sponsor -definebabe.com##.sponsor-bot -tubepornclassic.com##.sponsor-container -xhamster.com##.sponsorB -xxxbunker.com##.sponsorBoxAB -xhamster.com##.sponsorS -xhamster.com##.sponsor_top -beeg.com,dixyporn.com,proporn.com,smut6.com,tubecup.com,xhamster.com##.spot -magicaltube.com##.spot-block -tubecup.com##.spot_bottom -drtuber.com,egbo.com##.spots -pornhd.com##.square -redtube.com##.square-banner -pornstarchive.com##.squarebanner -sunporno.com,twilightsex.com##.squarespot -sunporno.com##.squaretabling -babesandstars.com##.srcreen -sexyandshocking.com##.sub-holder -peepinghunter.com,simply-hentai.com##.superbanner -porndaddy.us##.svd -dickbig.net##.t_14 -intporn.com##.tagcloudlink.level4 -amateuralbum.net##.tb3 -hungangels.com##.tborder[width="160"][cellspacing="0"][cellpadding="4"][border="0"] -amateurvoyeurforum.com##.tborder[width="99%"][cellpadding="6"] -imagepost.com##.textads1 -extremetube.com##.title-sponsor-box -galleries-pornstar.com##.title_slider -tube8.com##.tjFooterMods -tube8.com##.tjUpperMods -popporn.com,xxxlinks.es##.top-banner -sunporno.com##.top-player-link -10movs.com##.top_banner -pornhub.com##.top_hd_banner -imgwet.com##.topa -mrstiff.com##.topad -peepinghunter.com##.topbanner -itsatechworld.com##.topd -vivatube.com##.tr-download -vivatube.com##.tr-sponsor -realgfporn.com##.trade-slider -overthumbs.com##.trailerspots -tubedupe.com##.treview_link_1 -xhamster.com##.ts -tubedupe.com##.tube_review -avn.com##.twobannersbot -avn.com##.twobannersbot-bot -dumparump.com##.txt8pt[width="120"] -beardedperv.com##.under-player-banner -sunporno.com##.under-player-link -bravotube.net##.under-video -redtube.com##.under-video-banner -spankwire.com##.underplayer -txxx.com##.vda-iv -indianpornvideos.com##.vdo-unit -julesjordanvideo.com##.vertical_banner -freepornvs.com##.vib > .cs -daporn.com,h2porn.com##.video-banner -hdporntube.xxx##.video-link -redtube.com##.video-page -japan-whores.com##.video-provider -heavy-r.com##.video-slider -alphaporno.com,tubewolf.com##.video-sponsor -redtube.com.br##.video-wrap > .bvq -pornhub.com##.video-wrapper > #player + [class] -youporn.com##.videoBanner -tube8.com##.videoPageSkin -tube8.com##.videoPageSkin1 -tube8.com##.videoPageSkin2 -4tube.com##.videoSponsor -h2porn.com##.video_banner -voyeurperversion.com##.video_right -bonertube.com##.videoad940 -indianpornvideos.com##.videoads -porndoo.com##.videosite -sexyshare.net##.videosz_banner -myxvids.com##.vidtopbanner -youporn.com##.views_left -lubetube.com##.viewvideobanner -redtube.com##.watch + div[style="display: block !important"] -pornoeggs.com##.watch-page-banner -redtube.com##.watch-page-box -redtube.com##.webmaster-banner -imagearn.com##.wide_banner -beeg.com##.window -pornhub.com##.wnrhouer > [style] + [id][style="float: inherit;"] -mrskin.com##.yui3-u-1-3:last-child -porn.com##.zone -pornhub.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com##[-abp-properties='base64'] -pornhub.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com##[-abp-properties='data:'] -pornhub.com,tube8.com,tube8.es,tube8.fr,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com##[-abp-properties='image/'] -youjizz.com##[class][style*="padding-bottom:"] -youporn.com##[class^="zone"] -redtube.com##[data-h] -porn.com##[data-id] > div + [class]:last-child -redtube.com##[data-w] -xhamster.com##[height="280"][width="960"] -imagehaven.net##[href="http://clicks.totemcash.com/?s=38739&p=21&pp=4"] -pornhub.com##[id] > video[style*="display: block ! important;"] -pornhub.com##[id][class] > div[style="float:none"] -pornhub.com##[id][style*="-moz-binding:"] -pornhub.com##[id][style*="height: 300px; width: 100%;"] -ero-advertising.com##[id][style] -imagevenue.com##[id^="MarketGid"] -redtube.com##[id^="adb_"] -youporn.com##[id^="parent_zone_"] -pornhub.com##[onclick] > [style] > [id] -pornhub.com,xtube.com,xvideos.com,youjizz.com,youporn.com,youporngay.com##[src*="base64"] -pornhub.com##[srcdoc] -porn.com##[style*="background"] > a[href] -pornhub.com##[style*="cursor: pointer;"] -pornhub.com##[style*="display: inline-block ! important"] -pornhub.com##[style*="float: right;"] > :first-child -pornhub.com##[style*="margin"] iframe[style] -imagefap.com##[style*="text-top"] > [id] > div[class] + div[class] -liveleak.com##[style="color: rgb(204, 0, 0);"] -subimg.net##[style="float: left; padding-left: 43px; padding-top: 21px;"] -hollywoodrag.com##[style="font-weight: bold; font-family: Arial; font-size: 13px;"] -homemade-voyeur.com##[style="height:250px;"] -starpix.us##[style="left: 644px; top: 552.5px; visibility: visible;"] -pornerbros.com##[style="margin: -150px auto 0px; width: 920px; height: 400px;"] -myprops.org##[style="padding-top: 15px; padding-left: 81px;"] -sexyclips.org##[style="text-align: center; width: 1000px; height: 250px;"] -porn.com##[style] > div[style*="background-color:"] -txxx.com##[target="_blank"] > img[src][height] -tube8.com##[value][style*="float:"][type="hidden"] + [class] -yuvutu.com##[width="480px"][style="padding-left: 10px;"] -exgirlfriendmarket.com##[width="728"][height="150"] -264porn.blogspot.com##[width="728"][height="90"] -matureworld.ws##a > img[height="180"][width="250"][src*=".imageban.ru/out/"] -asspoint.com,babepedia.com,babesource.com,definebabe.com,gaytube.com,girlsnaked.net,mansurfer.com,pichunter.com,porngals4.com,pornoxo.com,pornstarchive.com,redtube.com,rogreviews.com,shemaletubevideos.com,starcelebs.com,the-new-lagoon.com,tube8.com,xxxhdd.com,youjizz.com,youporn.com##a[href*=".com/track/"] -pornhub.com##a[href*=".download/"] -redtube.com##a[href*=".hop.clickbank.net"] -keezmovies.com,tube8.com##a[href*="/affiliates/idevaffiliate.php?"] -gaytube.com,redtube.com,shemaletubevideos.com##a[href*="/go.php?"] -monstercockz.com,xxxhdd.com##a[href*="/go/"] -badjojo.com##a[href*="/out.php?siteid=13&id=0&url=http%3A%2F%2Fsyndication.traffichaus.com"] -mansurfer.com##a[href*="/out/"] -redtube.com,thumbzilla.com,tube8.com##a[href*="?coupon="] -redtube.com##a[href*="?link_id="][href*="&tracker_id="] -pornhub.com##a[href*="abbp"] -pornhub.com##a[href*="pleasedontslaymy"] -gaytube.com##a[href="/external/meet_and_fuck"] -porn99.net##a[href="http://porn99.net/asian/"] -xhamster.com##a[href="http://premium.xhamster.com/join.html?from=no_ads"] -pornwikileaks.com##a[href="http://www.adultdvd.com/?a=pwl"] -footfetishtube.com##a[href="http://www.footfetishtube.com/advertising_banner.php"] -twinsporn.net##a[href="http://www.herbostore.net/mens-health/spermomax.html"] -stockingstv.com##a[href="http://www.stockingstv.com/banners/default.php"] -hornywhores.net##a[href="https://cosyupload.com/affiliate"] -pornhub.com##a[href] > div[style*="height: 250px;"] -imagevenue.com##a[href^=" http://www.pinporn.com"] -fux.com##a[href^="/adc/"] -gaytube.com##a[href^="/external/premium/"] -analpornpix.com,fecaltube.com##a[href^="/go/"] -madthumbs.com##a[href^="/out.php?url=http://adbucks.brandreachsys.com/"] -jailbaitgallery.com##a[href^="click.php?"] -anyvids.com##a[href^="http://ad.onyx7.com/"] -madthumbs.com##a[href^="http://adbucks.brandreachsys.com/"] -sex4fun.in##a[href^="http://adiquity.info/"] -extremetube.com,pornhub.com,spankwire.com##a[href^="http://ads.genericlink.com/"] -keezmovies.com,pornhub.com,redtube.com,tube8.com##a[href^="http://ads.trafficjunky.net/"] -keezmovies.com,pornhub.com,tube8.com##a[href^="http://ads2.contentabc.com/"] -gangbangtubetv.com,giftube.com##a[href^="http://adultfriendfinder.com/go/"] -anyporn.com##a[href^="http://anyporn.com/cs/"] -pornbb.org##a[href^="http://ard.ihookup.com/"] -pornbb.org##a[href^="http://ard.sexplaycam.com/"] -porn.com,youjizz.com,youporn.com,youporngay.com##a[href^="http://as.sexad.net/"] -porn-w.org,porn99.net##a[href^="http://bit.ly/"] -sex4fun.in##a[href^="http://c.mobpartner.mobi/"] -sex3dtoons.com##a[href^="http://click.bdsmartwork.com/"] -xxxgames.biz##a[href^="http://clicks.totemcash.com/?"] -imghit.com##a[href^="http://crtracklink.com/"] -youjizz.com##a[href^="http://dat.itsup.com/"] -celeb.gate.cc##a[href^="http://enter."][href*="/track/"] -hollywoodoops.com##a[href^="http://exclusive.bannedcelebs.com/"] -bestgore.com##a[href^="http://frtya.com/"] -gamcore.com##a[href^="http://gamcore.com/ads/"] -hentai-imperia.org,naughtyblog.org,rs-linkz.info##a[href^="http://goo.gl/"] -babestationtube.com##a[href^="http://hits.epochstats.com/"] -celeb.gate.cc,thumbzilla.com##a[href^="http://join."][href*="/track/"] -porn99.net##a[href^="http://lauxanh.us/"] -incesttoons.info##a[href^="http://links.verotel.com/"] -xxxfile.net##a[href^="http://netload.in/index.php?refer_id="] -imagepix.org##a[href^="http://putana.cz/index.php?partner="] -iseekgirls.com,small-breasted-teens.com,the-new-lagoon.com,tube8.com##a[href^="http://refer.ccbill.com/cgi-bin/clicks.cgi?"] -olala-porn.com##a[href^="http://ryushare.com/affiliate."] -hentairules.net##a[href^="http://secure.bondanime.com/track/"] -hentairules.net##a[href^="http://secure.futafan.com/track/"] -hentairules.net##a[href^="http://secure.lestai.com/track/"] -filthyrx.com##a[href^="http://secure.spitsters.com/track/"] -hentairules.net##a[href^="http://secure.titanime.com/track/"] -dachix.com,dagay.com,deviantclip.com##a[href^="http://seethisinaction.com/"] -bestgore.com##a[href^="http://seethisinaction.com/servlet/"] -beardedperv.com,youjizz.com##a[href^="http://syndication.traffichaus.com/"] -youngpornvideos.com##a[href^="http://teensexmania.com/jump.php?"] -xhamster.com##a[href^="http://theater.aebn.net/dispatcher/"] -asianpornmovies.com##a[href^="http://tour.teenpornopass.com/track/"] -asianpornmovies.com##a[href^="http://webmasters.asiamoviepass.com/track/"] -imagetwist.com##a[href^="http://www.2girlsteachsex.com/"] -2hot4fb.com##a[href^="http://www.2hot4fb.com/catch.php?id="] -nifty.org##a[href^="http://www.adlbooks.com/"] -hentai-imperia.org##a[href^="http://www.adult-empire.com/rs.php?"] -xcritic.com##a[href^="http://www.adultdvdempire.com/"][href*="?partner_id="] -picfoco.com##a[href^="http://www.adultfriendfinder.com/search/"] -bravotube.net##a[href^="http://www.bravotube.net/cs/"] -free-adult-anime.com##a[href^="http://www.cardsgate-cs.com/redir?"] -celeb.gate.cc##a[href^="http://www.cashdorado.de/track/"] -freeones.com##a[href^="http://www.clickthruserver.com/cgi-bin/banner/"] -pornhub.com##a[href^="http://www.dreamlover.com/baff/"] -eporner.com##a[href^="http://www.eporner.com/cppc/"] -filthdump.com##a[href^="http://www.filthdump.com/adtracker.php?"] -alotporn.com##a[href^="http://www.fling.com/"] -myfreeblack.com##a[href^="http://www.fling.com/enter.php"] -freeporninhd.com##a[href^="http://www.freeporninhd.com/download.php?"] -freeporninhd.com##a[href^="http://www.freeporninhd.com/downloads.php?"] -porn.com##a[href^="http://www.fuckeveryday.com/"] -mansurfer.com##a[href^="http://www.gaysexexposed.com/?t="] -gangbangtubetv.com##a[href^="http://www.hotpink.com"] -gangbangtubetv.com##a[href^="http://www.instabang.com/enter.php?"] -cliphunter.com,definebabe.com,thumbzilla.com,tube8.com,xhamster.com##a[href^="http://www.linkfame.com/"] -girlsnaked.net##a[href^="http://www.mrvids.com/out/"] -tube8.com##a[href^="http://www.mykinkygfs.com/"] -nuvid.com##a[href^="http://www.nuvid.com/user_site_out.php?"] -imgcandy.net##a[href^="http://www.porntrex.com"] -sluttyred.com##a[href^="http://www.realitykings.com/main.htm?id="] -redtube.com##a[href^="http://www.redtube.com/click.php?id="] -sexwebvideo.com##a[href^="http://www.sexwebvideo.com/link/"] -sex3dtoons.com##a[href^="http://www.shinydollars.com/sites/3dld/?id="] -porn.com##a[href^="http://www.slutfinder.com/"] -xxxprivates.com##a[href^="http://www.xxxprivates.com/out-sponsor-"] -creepshots.com##a[href^="https://go.trkclick2.com/"] -prestashop.com##a[href^="https://partners.a2hosting.com/solutions.php?id="] -pornbb.org##a[href^="https://www.hidemyass.com/vpn/"] -redtube.com##a[href^="https://www.redtube.com/click.php?"] -tube8.com,tube8.es,tube8.fr##a[onclick^="loadAdFromHeaderTab('http://ads.genericlink.com"] -freeporninhd.com##a[onclick^="window.open('http://www.freeporninhd.com/cb5.php"] -literotica.com##a[style="display: block; text-align: center; font-family: Arial, Helvetica, sans-serif; font-size: 110%;"] -avn.com##a[style="position: absolute; top: -16px; width: 238px; left: -226px; height: 1088px;"] -avn.com##a[style="position: absolute; top: -16px; width: 238px; right: -226px; height: 1088px;"] -oopspicture.com##a[target="_blank"] > img[alt="real amateur porn"] -imagevenue.com##a[target="_blank"][href*="&utm_campaign="] -imagevenue.com##a[target="_blank"][href*="http://trw12.com/"] -youporn.com##a[target="_blank"][href^="http://www.youporn.com/"] > img[src^="http://www.youporn.com/"] -hentai-foundry.com##a[target="_new"] > img[src] -picfoco.com##a[title="Sponsor link"] -pornhub.com##aside > [style="display: block;"] > table -pornhub.com##aside > span:first-child -pornxs.com##aside[style="height: 532px;"] -pornxs.com##aside[style="height: 532px;display:block !important;"] -showyourdick.org##center + hr + table[width="800"][align="center"] -imagefap.com##center > br + center div[class] -drtuber.com##div + style[id] + div[class] -youporn.com##div > .default > #switch -pornhub.com##div > .removeAdLink + [style] -pornhub.com##div > .sectionTitle + div[style="float: right;"] -pornhub.com##div > :first-child + [class][style*="z-index:"] -pornhub.com##div > [class][style*="float:"] -txxx.com##div > [class][style="display: block;"] -xvideos.com##div > [id][class][style] > img[src][style] -imagefap.com##div > [type="text/javascript"] + * > div > div[class]:first-child -pornhub.com##div > aside > aside -pornhub.com##div > div + iframe[style*="height:"] -imagefap.com##div > div > div > div[style]:first-child -imagefap.com##div > div > div[style*="text-align:"] -imagefap.com##div > div > div[style*="vertical-align:"] -txxx.com##div > div[style*="z-index:"] -xhamster.com##div > noscript + div[style] -www.youporn.com##div > span[style*="margin:"] -xvideos.com##div > style + [id][style] -pornhub.com##div div > iframe[style*="height:"] -youporn.com##div:first-child > div[style^="float:"] -sex3dtoons.com##div[align="center"] > table[width="940"][cellspacing="0"][cellpadding="0"][border="0"] -jailbaitgallery.com##div[align="center"][style="margin-bottom: 15px;"] -babesandbitches.net##div[class^="banner"] -tube8.com##div[class^="footer-ad"] -pornhub.com##div[id$="rightColVideoPage"] > div[style]:first-child -xvideos.com##div[id] > a > img[src] -pornhub.com##div[id] iframe[style*="height:"] -tube8.com##div[id^="ad_zone_"] -celeb.gate.cc##div[id^="bnrrotator_"] -voyeurhit.com##div[id^="div-ad-"] -pornuppz.info##div[id^="dyn"][style^="position: fixed; left: 30px; top: 20px; z-index:"] -videobank.xxx##div[id^="hornyspots_"] -hentaistream.com##div[id^="hs_ad"] -tube8.com##div[id^="tj-zone"] -eporner.com##div[style$=" border:1px solid #666666;"] -imagefap.com##div[style*="display: none;"] + center > div:first-child -beeg.com##div[style*="width: 300px; height: 250px;"] -casanovax.com##div[style="background-color: #5B1111; width: 728px; height: 90px; text-align: center; margin: auto;"] -xtravids.com##div[style="background-color:#DDD; padding:5px;"] -x3xtube.com##div[style="border: 1px solid red; margin-bottom: 15px;"] -crazyandhot.com##div[style="border:1px solid #000000; width:300px; height:250px;"] -imagecherry.com##div[style="border:1px solid black; padding:15px; width:550px;"] -redtube.com##div[style="display: block !important;"] -javlibrary.com##div[style="display:block; position:relative; width:730px; height:92px; overflow:hidden; margin: 10px auto 0px auto;"] -uflash.tv##div[style="display:block;background:#000;padding:6px;margin:30px auto 10px auto;width:728px;height:90px;"] -voyeur.net##div[style="display:inline-block;vertical-align:middle;margin: 2px;"] -eegay.com##div[style="display:inline-block;width:250px;height:250px;"] -eegay.com##div[style="display:inline-block;width:300px;height:250px;"] -redtube.com##div[style="float: none; height: 250px; position: static; clear: both; text-align: center; margin: 0px auto;"] -redtube.com##div[style="float: none; height: 250px; position: static; clear: both; text-align: left; margin: 0px auto;"] -redtube.com##div[style="float: none; position: static; height: 250px; clear: both; text-align: center; margin: 0px auto;"] -pornhub.com##div[style="float: none; width: 950px; position: static; clear: none; text-align: center; margin: 0px auto;"] -redtube.com##div[style="float: right; height: 330px; width: 475px; position: relative; clear: left; text-align: center; margin: 0px auto;"] -redtube.com##div[style="float: right; height: 528px; width: 300px; position: relative; clear: left; text-align: center; margin: 0px auto;"] -pornhub.com##div[style="float:none"] > [id*="_"] -xhamster.com##div[style="font-size: 10px; margin-top: 5px;"] -redtube.com##div[style="height: 250px; position: static; clear: both; float: none; text-align: left; margin: 0px auto;"] -redtube.com##div[style="height: 250px; position: static; float: none; clear: both; text-align: left; margin: 0px auto;"] -redtube.com##div[style="height: 250px; position: static; float: none; clear: both; text-align: left;"] -xxxstash.com##div[style="height: 250px; width: 960px;"] -redtube.com##div[style="height: 330px; width: 475px; position: relative; float: right; clear: left; text-align: center; margin: 0px auto;"] -empflix.com##div[style="height: 400px;"] -redtube.com##div[style="height: 528px; width: 300px; position: relative; float: right; clear: left; text-align: center;"] -querverweis.net##div[style="height:140px;padding-top:15px;"] -fantasti.cc##div[style="height:300px; width:310px;float:right; line-height:10px;margin-bottom:0px;text-align:center;"] -pornmade.com##div[style="margin-left:40px;width:600px; background-color:#FBF8F1;padding:20px;margin-top:20px;border-top:1px solid #909090;border-left:1px solid #909090;border-right:1px solid #909090;border-bottom:1px solid #909090;-webkit-border-top-right-radius:10px;-webkit-border-top-left-radius:10px;-webkit-border-bottom-right-radius:10px;-webkit-border-bottom-left-radius:10px;"] -mofosex.com##div[style="margin-top: 10px"] -data18.com##div[style="margin-top: 6px; margin-left: 6px; width: 293px; height: 200px; overflow: hidden;"] -pornmade.com##div[style="margin-top:100px;border:1px solid black;padding:10px;background:#fff;z-index:999;overflow:hidden;width:255px;"] -myslavegirl.org##div[style="margin: -3px 0 12px;"] -pornerbros.com##div[style="margin: 10px auto; text-align: center;"] -porngals4.com##div[style="margin:0 0 15px 0;width:728px;height:90px;background:#FAFAFA;"] -pornmade.com##div[style="margin:0 auto;padding:10px;border:2px solid black;background-color:white;width:960px;"] -eccie.net##div[style="overflow: hidden; width: 728px; height: 90px"] -freeones.com##div[style="padding: 0px; margin: 10px 0px; height: 100px; width: 898px; background-color: #4C89F9; border: 1px solid #4C89F9"] -definebabe.com##div[style="padding:5px 15px 5px 15px;height:228px;background-color:#000000;"] -pornhub.com##div[style="position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] -pornhub.com##div[style="position: static; float: none; clear: none; text-align: center;"] -pornhub.com##div[style="position: static; height: 75px; float: none; clear: none; text-align: center; margin: 0px auto;"] -twinsporn.net##div[style="position:fixed;right:10px;bottom:10px;color:#ff0000;border:0;"] -videarn.com##div[style="text-align: center; margin-bottom: 10px;"] -xtube.com##div[style="text-align:center; width:1000px; height: 150px;"] -pichunter.com##div[style="width: 285px; height: 249px; display: block;"] -sluttyred.com##div[style="width: 300px; height: 250px; background-color: #CCCCCC;"] -givemegay.com##div[style="width: 300px; height: 250px; margin: 0 auto;margin-bottom: 10px;"] -vid2c.com##div[style="width: 300px; height: 280px; margin-left: 215px; margin-top: 90px; position: absolute; z-index: 999999998; overflow: hidden; border-radius: 10px; transform: scale(1.33); background-color: black; opacity: 0.8; display: block;"] -pornmobo.com##div[style="width: 300px; height: 280px; margin-left: 215px; margin-top: 90px; position: absolute; z-index: 999999998; overflow: hidden; border-radius: 10px; transform: scale(1.33); background-color: black; opacity: 1; display: block;"] -vporn.com##div[style="width: 350px; height: 250px; margin-bottom: 5px; padding-top: 1px; clear: right; position: relative; text-align: left;"] -pornhub.com##div[style="width: 380px; margin: 0 auto;background-color: #101010;text-align: center;"] -vporn.com##div[style="width: 720px; height: 90px; text-align: center; overflow: hidden;"] -casanovax.com##div[style="width: 728px; height: 90px; text-align: center; margin: auto"] -crazyandhot.com##div[style="width: 728px; height: 90px; text-align: left;"] -playporn.to##div[style="width: 816px;height:204px; overflow: hidden; border: none; background:transparent; margin:0; padding:0;"] -pornhub.com##div[style="width: 950px; float: none; position: static; clear: none; text-align: center; margin: 0px auto;"] -pornhub.com##div[style="width: 950px; position: static; clear: none; float: none; text-align: center; margin: 0px auto;"] -pornhub.com##div[style="width: 950px; position: static; float: none; clear: none; text-align: center; margin: 0px auto;"] -xogogo.com##div[style="width:1000px"] -iloveinterracial.com##div[style="width:1000px;height:110px; background-color:#E9DECA; font-family: Tahoma,Helvetica,Arial,sans-serif; font-size: 11px; font-style:normal; color:#535353;"] -playporn.to##div[style="width:158px; height:21px;position: absolute; z-index: 99991;margin-top: 10px;"] -hdzog.com,tubecup.com,voyeurhit.com##div[style="width:300px; height:250px;"] -tubecup.com##div[style="width:300px; height:250px;margin:0 auto 5px;"] -sexbot.com##div[style="width:300px;height:20px;text-align:center;padding-top:30px;"] -hothag.com##div[style="width:300px;height:250px;background:#FAFAFA;margin:0 0 10px 0;"] -porn.com##div[style="width:300px;height:250px;margin:auto"] -imgbabes.com##div[style="width:604px; height:250px; background:#241521; padding:4px 3px 4px 3px; margin-top:-5px; margin-bottom:-8px; -moz-border-radius:2px; border-radius:2px; -webkit-border-radius:2px;"] -jizzman.com,trannyxo.com##div[style="width:625px; margin-left: auto; margin-right:auto; margin-top:10px;margin-bottom:10px;height:555px;"] -cam111.com##div[style="width:626px; height:60px; margin-top:10px; margin-bottom:10px;"] -cam111.com##div[style="width:627px; height:30px; margin-bottom:10px;"] -newbigtube.com##div[style="width:640px; min-height:54px; margin-top:8px; padding:5px;"] -jizzman.com,trannyxo.com##div[style="width:717px; height:154px;text-align:center; margin-left:0px;"] -anon-v.com##div[style="width:720px;height:200px;margin: 0 auto;"] -jizzman.com,trannyxo.com##div[style="width:728px; height:90px; margin-bottom:20px; margin-left:auto; margin-right:auto;"] -trannyxo.com##div[style="width:728px; text-align:center; height:90px; margin-bottom:15px;"] -jizzman.com##div[style="width:728px; text-align:center; height:90px; margin-bottom:15px;overflow:hidden;"] -jizzman.com,trannyxo.com##div[style="width:728px; text-align:center; height:90px;"] -hothag.com##div[style="width:728px;height:90px;background:#FAFAFA;margin:0 0 15px 0;"] -briefmobile.com##div[style="width:728px;height:90px;margin-left:auto;margin-right:auto;margin-bottom:20px;"] -anon-v.com##div[style="width:728px;height:90px;margin: 0 auto;"] -xhamster.com##div[style="width:950px; height:250px;overflow: hidden; margin: 0 auto;"] -porn.com##div[style="width:950px;height:250px;margin:auto"] -tmz.com##div[style^="display: block; height: 35px;"] -shockingtube.com##div[style^="display: block; padding: 5px; width:"] -xhamster.com##div[style^="height: auto;"] -eporner.com##div[style^="height:250px; width:1198px;"] -eporner.com##div[style^="height:250px; width:300px;"] -mofosex.com##div[style^="width: 300px;"] -xhamster.com##div[style^="width: 330px"] -pornvideoxo.com##div[style^="width: 470px; height: 64px;"] -eporner.com##div[style^="width:1198px; height:250px;"] -eporner.com##div[style^="width:300px; height:250px;"] -xhamster.com##div[style^="width:315px; height:300px;"] -imgflare.com##div[style^="width:604px; height:250px;"] -planetsuzy.org##div[style^="width:910px;"] -youporn.com##em > span > figure -pornhub.com##figure > [id][style="display: block;"] -rateherpussy.com##font[size="1"][face="Verdana"] -nude.hu##font[stlye="font: normal 10pt Arial; text-decoration: none; color: black;"] -cliphunter.com##h2[style="color: blue;"] -luvmilfs.com##iframe + div > div[style="position: absolute; top: -380px; left: 200px; "] -javjunkies.com##iframe[height="670"] -pornhd.com,pornroxxx.com##iframe[scrolling] -xcafe.com##iframe[src] -watchteencam.com##iframe[src^="http://watchteencam.com/images/"] -youporn.com##iframe[style="height: 250px; width: 300px; position: static; float: none; clear: none; text-align: start;"] -youporn.com##iframe[style="height: 250px; width: 950px; float: none; position: static; clear: both; text-align: center; margin: 0px auto;"] -youporn.com##iframe[style="height: 250px; width: 950px; position: static; float: none; clear: both; text-align: center;"] -reallifecamhd.com##iframe[style][width] -thisav.com##iframe[width="160"][height="600"] -4sex4.com,motherless.com##iframe[width="300"] -thisav.com,tnaflix.com,youporn.com##iframe[width="300"][height="250"] -yourasiansex.com##iframe[width="660"] -imagevenue.com,thisav.com##iframe[width="728"][height="90"] -videosgls.com.br##iframe[width="800"] -hentai-foundry.com##iframe[width] -pornhub.com##iframe[width][height*="px"] -xxxgames.biz##img[height="250"][width="300"] -4tube.com##img[src][style][width] -pornhub.com##img[src^="http://www.pornhub.com/album/strange/"] -imagewaste.com##img[style="border: 2px solid ; width: 160px; height: 135px;"] -imagewaste.com##img[style="border: 2px solid ; width: 162px; height: 135px;"] -hentai-foundry.com##img[style="height: 90px; width: 728px;"] -soniared.org##img[width="120"] -lukeisback.com##img[width="140"][height="525"] -loralicious.com##img[width="250"] -171gifs.com##img[width="250"][height="1000"] -brit-babes.com##img[width="280"] -loralicious.com##img[width="300"] -4sex4.com##img[width="300"][height="244"] -171gifs.com,pornhub.com##img[width="300"][height="250"] -naughty.com##img[width="450"] -adultwork.com,babepicture.co.uk,imagetwist.com,naughty.com,sexmummy.com,tophentai.biz,tvgirlsgallery.co.uk,veronika-fasterova.cz,victoriarose.eu##img[width="468"] -clips4sale.com##img[width="468px"] -anetakeys.net,angelinacrow.org,cherryjul.eu,madisonparker.eu,nikkythorne.com,sexysandra.eu,sharkablue.eu,vanessasmoke.net##img[width="500"] -171gifs.com##img[width="500"][height="150"] -171gifs.com##img[width="500"][height="180"] -171gifs.com##img[width="640"][height="90"] -fleshasiadaily.com##img[width="700"] -171gifs.com,4fuckr.com,babeshows.co.uk,jessie-rogers.com,rule34hentai.net##img[width="728"] -mofosex.com##li[style="width: 385px; height: 380px; display: block; float: right;"] -hentai-foundry.com##p > a[href][target="_blank"] -imagefap.com##span > [id] > div[class] + div[class] -pornleech.com##style + div[style^="z-index: "] -picfoco.com##table[border="0"][width="728"] -xcritic.com##table[cellpadding="10"][width="600"] -xnxx.com##table[cellspacing="3"][width="930"] -xnxx.com,xvideos.com##table[height="244"][width="930"] -homemademoviez.com##table[height="450"][width="600"] -xvideos.com##table[height="480"] -loadsofpics.com##table[height="750"] -imagewaste.com##table[style="width: 205px; height: 196px;"] -starcelebs.com##table[style="width:218px; border-width:1px; border-style:solid; border-color:black; border-collapse: collapse"] -pornper.com,xxxkinky.com##table[width="100%"][height="260"] -taxidrivermovie.com##table[width="275"] -xvideos.com##table[width="342"] -humoron.com##table[width="527"] -exgfpics.com##table[width="565"] -xcritic.com##table[width="610"][height="150"] -imagecarry.com##table[width="610"][height="260"] -milkmanbook.com##table[width="620"] -free-adult-anime.com##table[width="620"][cellspacing="1"][cellpadding="4"][bordercolor="#FF33FF"][border="0"] -amateuralbum.net##table[width="722"] -hotlinkimage.com##table[width="728"] -exgfpics.com##table[width="750"][height="248"] -grannysexforum.com##table[width="768"][height="226"] -titsintops.com##table[width="780"] -newsfilter.org##table[width="800px"] -anyvids.com##table[width="860"][cellspacing="1"][cellpadding="10"][border="1"] -xnxx.com##table[width="900"][height="244"] -magnetxxx.com##table[width="900"][height="250"] -myex.com##table[width="950"] -xxvideo.us##table[width="950"][height="252"] -petiteteenager.com##table[width="960"][height="102"] -homemademoviez.com##table[width="980"] -imagefap.com##tbody td[style] > [id][style*="top:"] -boobieblog.com##td[align="center"][width="20%"] -skimtube.com##td[align="center"][width="330"] -rude.com##td[height="25"] -furnow.com##td[height="300"][align="center"] -ezilon.com##td[width="120"][align="center"] -asianforumer.com##td[width="160"][valign="top"][align="left"] -sharks-lagoon.fr##td[width="164"][valign="top"][bgcolor="#3366ff"][align="center"] -xvideos.com##td[width="180"] -imagedunk.com##td[width="250"] -imagedax.net,youjizz.com##td[width="300"] -xhamster.com##td[width="360"] -pornwikileaks.com##td[width="43"] -imagefap.com##tr > td + td[style*="width:"] -youjizz.com##tr > td + td[valign="top"] -imagefap.com##tr > td[style*="display:"] -youjizz.com##tr > td[style*="padding"][width] -hdzog.com##ul > li[style*="display: inline-block;"] -youporn.com##video[id]:first-child -! motherless.com -motherless.com###anonymous-notice -motherless.com###main > #content + div[style*="text-align:center;"] -motherless.com##.sidebar > table[style][cellpadding="0"] -motherless.com##[class][style*="data:image/gif;base64,"] -motherless.com##[class][style*="data:image/jpeg;base64"] -motherless.com##[class][style] > [width][height] -motherless.com##a[href^="http://www.safelinktrk.com/"] -motherless.com##div > table[style][border] -motherless.com##iframe[style] -motherless.com##table[style*="max-width:"] -! CSS property filters -pornhub.com,youporn.com##[-abp-properties='float: right; margin-top: 30px; width: 50%;'] -pornhub.com##[-abp-properties='height: 300px; width: 315px;'] -! -----------------------Whitelists to fix broken sites------------------------! -! *** easylist:easylist/easylist_whitelist.txt *** -@@.com/b/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@.com/banners/$image,domain=catalogfavoritesvip.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|sianevents.com|travelplus.com -@@.com/image-*-$image,domain=affrity.com|catalogfavoritesvip.com|deliverydeals.co.uk|extrarebates.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com -@@.net/director/?t=$subdocument,third-party,domain=eafyfsuh.net -@@.net/image-*-$image,domain=affrity.com|catalogfavoritesvip.com|extrarebates.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@/advertising-glype/*$image,stylesheet,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@/cdn-cgi/pe/bag2?*-adspot-$domain=dailycaller.com -@@/cdn-cgi/pe/bag2?*.openx.$domain=dailycaller.com -@@/cdn-cgi/pe/bag2?*adblade.com$domain=addictinginfo.com|reverbpress.com|socialmediamorning.com -@@/cdn-cgi/pe/bag2?*content.ad$domain=lazygamer.net -@@/cdn-cgi/pe/bag2?*eclkmpsa.com$domain=onhax.net -@@/cdn-cgi/pe/bag2?*googleadservices.com%2Fgpt%2Fpubads_impl_$xmlhttprequest,domain=biznews.com|dailycaller.com -@@/cdn-cgi/pe/bag2?*googleadservices.com%2Fpagead%2Fconversion.js$xmlhttprequest,domain=ethica.net.au|factom.org -@@/cdn-cgi/pe/bag2?*googlesyndication.com%2Fpagead%2Fshow_ads.js$domain=talksms.com|youngcons.com -@@/cdn-cgi/pe/bag2?*pagead2.googlesyndication.com$domain=dailycaller.com|nmac.to|notalwaysfriendly.com|notalwayshopeless.com|notalwayslearning.com|notalwaysrelated.com|notalwaysright.com|notalwaysromantic.com|notalwaysworking.com -@@/cdn-cgi/pe/bag2?*pagead2.googlesyndication.com%2Fpub-config$domain=talksms.com|youngcons.com -@@/display-ad/*$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@/iframe_video/ad.php?$object-subrequest,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wordpress/wp-admin/*-ads-manager/*$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wordpress/wp-admin/*/adrotate/*$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/ad-inserter/css/*$image,stylesheet,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/ad-inserter/includes/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/ad-inserter/js/ad-inserter.js$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/bwp-minify/min/?f=$script,stylesheet,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@blob:resource://$image -@@||192.168.$~third-party,xmlhttprequest,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||192.168.*/images/adv_$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||196.30.218.174/admentor/sirius_sdo_top.htm$subdocument,domain=sharedata.co.za -@@||196.30.218.174/admentor/top_$subdocument,domain=fundsdata.co.za -@@||208.100.24.244^$script,domain=sankakucomplex.com -@@||209.222.8.217/crossdomain.xml$object-subrequest,domain=~p2p.adserver.ip -@@||247realmedia.com^*/farecomp/ -@@||24ur.com/adserver/adall. -@@||24ur.com/static/*/banners.js -@@||2mdn.net/crossdomain.xml$domain=rte.ie -@@||2mdn.net/instream/*/adsapi_$object-subrequest,domain=3news.co.nz|49ers.com|atlantafalcons.com|azcardinals.com|baltimoreravens.com|buccaneers.com|buffalobills.com|chargers.com|chicagobears.com|clevelandbrowns.com|colts.com|dallascowboys.com|denverbroncos.com|detroitlions.com|egirlgames.net|euronews.com|giants.com|globaltv.com|houstontexans.com|jaguars.com|kcchiefs.com|ktvu.com|miamidolphins.com|neworleanssaints.com|newyorkjets.com|packers.com|panthers.com|patriots.com|philadelphiaeagles.com|raiders.com|redskins.com|rte.ie|seahawks.com|steelers.com|stlouisrams.com|thecomedynetwork.ca|titansonline.com|vikings.com|wpcomwidgets.com -@@||2mdn.net/instream/flash/*/adsapi.swf$object-subrequest -@@||2mdn.net/instream/html5/ima3.js$domain=~superfilm.pl -@@||2mdn.net/instream/video/client.js$domain=cbc.ca -@@||2mdn.net/viewad/*/B*_$image,domain=jabong.com -@@||2mdn.net^*/html_inpage_rendering_lib_$script,domain=investopedia.com -@@||2mdn.net^*/jwplayer.js$domain=doubleclick.net -@@||2mdn.net^*/player.swf$domain=doubleclick.net -@@||2mdn.net^*?&$image,domain=grammarist.com -@@||33universal.adprimemedia.com/vn/vna/data/ad.php?$object-subrequest -@@||360gig.com/images/1_468x60.png -@@||4cdn.org/adv/$image,domain=4chan.org -@@||53.com/resources/images/ad-rotator/ -@@||6waves.com/ads/720x300/ -@@||6waves.com/js/adshow.js -@@||961bobfm.com/Pics/Ad%20Images/LISTEN_LIVE_BUTTON.png -@@||9msn.com.au/Services/Service.axd?callback=ninemsn_ads_contextualTargeting_$script,domain=ninemsn.com.au -@@||9msn.com.au/share/com/adtrack/adtrack.js$domain=ninemsn.com.au -@@||9msn.com.au^*/ads/ninemsn.ads$script -@@||a.giantrealm.com/assets/vau/grplayer*.swf -@@||a.intentmedia.net/adServer/$script,domain=hotwire.com -@@||abbyy.com/adx/$~third-party -@@||abc.com/streaming/ads/preroll_$object-subrequest,domain=abc.go.com -@@||abcnews.com/assets/static/ads/fwps.js -@@||abcnews.go.com/assets/static/ads/fwps.js -@@||accelo.com^*/affiliation/$xmlhttprequest,domain=accelo.com -@@||activelydisengaged.com/wp-content/uploads/*/ad$image -@@||ad.103092804.com/st?ad_type=$subdocument,domain=wizard.mediacoderhq.com -@@||ad.71i.de/crossdomain.xml$object-subrequest -@@||ad.71i.de/global_js/magic/sevenload_magic.js$object-subrequest -@@||ad.adorika.com/st?ad_type=ad&ad_size=728x90$script,domain=lshunter.tv -@@||ad.adserve.com/crossdomain.xml$object-subrequest -@@||ad.afy11.net/crossdomain.xml$object-subrequest -@@||ad.doubleclick.net/ad/*.JABONG.COM$image,domain=jabong.com -@@||ad.doubleclick.net/ad/can/cbs/*;pausead=1;$object-subrequest -@@||ad.doubleclick.net/adi/*.JABONG.COM$document,subdocument,domain=jabong.com -@@||ad.doubleclick.net/adj/*/cartalk.audio_player;$script,domain=cartalk.com -@@||ad.doubleclick.net/adj/rstone.site/music/photos^$script,domain=rollingstone.com -@@||ad.doubleclick.net/adx/nbcu.nbc/rewind$object-subrequest -@@||ad.doubleclick.net/clk;*?https://dm.victoriassecret.com/product/$image,domain=freeshipping.com -@@||ad.doubleclick.net/N7175/adj/fdc.forbes/welcome;id=fdc/welcome;pos=thoughtx;$script,domain=forbes.com -@@||ad.doubleclick.net/pfadx/nbcu.nbc/rewind$object-subrequest -@@||ad.ghfusion.com/constants.js$domain=gamehouse.com -@@||ad.linksynergy.com^$image,domain=extrarebates.com -@@||ad.reebonz.com/www/ -@@||ad.smartclip.net/crossdomain.xml$object-subrequest -@@||ad.wsod.com^$domain=scottrade.com -@@||ad2.zophar.net/images/logo.jpg$image -@@||ad4.liverail.com/?compressed|$domain=majorleaguegaming.com|pbs.org|wikihow.com -@@||ad4.liverail.com/?LR_ORDER_ID=$object-subrequest,domain=volarvideo.com -@@||ad4.liverail.com/?LR_PUBLISHER_ID=$object-subrequest,domain=playreplay.net|vaughnlive.tv -@@||ad4.liverail.com/?LR_PUBLISHER_ID=$xmlhttprequest,domain=imasdk.googleapis.com -@@||ad4.liverail.com/crossdomain.xml$object-subrequest -@@||ad4.liverail.com/|$object-subrequest,domain=bizu.tv|foxsports.com.au|majorleaguegaming.com|pbs.org|wikihow.com -@@||ad4.liverail.com/|$xmlhttprequest,domain=c.brightcove.com|dailymotion.com -@@||ad4.liverail.com^*LR_VIDEO_ID=$object-subrequest,domain=bizu.tv -@@||ad4game.com/ima3_preloader_*.swf$object,domain=escapefan.com -@@||ad4game.com/www/delivery/video.php?zoneid=$script,domain=escapefan.com -@@||adadyn.com/api/advertiser/$domain=adadyn.com -@@||adadyn.com^*/advertiser.js$domain=adadyn.com -@@||adap.tv/control?$object-subrequest -@@||adap.tv/crossdomain.xml$object-subrequest -@@||adap.tv/redir/client/adplayer.swf$object-subrequest -@@||adap.tv/redir/client/static/as3adplayer.swf$object-subrequest,domain=blogtalkradio.com|britannica.com|collegehumor.com|freeonlinegames.com|openfilmpod.com|stickam.com|talkingpointsmemo.com|thesource.com|wildearth.tv|wunderground.com -@@||adap.tv/redir/client/swfloader.swf?$domain=box10.com|freeonlinegames.com|games.aarp.org|kizi.com|latimes.com|merriam-webster.com|puzzles.usatoday.com -@@||adap.tv/redir/javascript/adaptvAdPlayer.js$domain=yepi.com -@@||adap.tv/redir/javascript/vpaid.js -@@||adap.tv/redir/plugins/*/adotubeplugin.swf?$domain=stickam.com -@@||adblockplus.org^$generichide,domain=easylist.adblockplus.org|reports.adblockplus.org -@@||adbureau.net^*/images/adselector/$domain=brisbanetimes.com.au|smh.com.au|theage.com.au|watoday.com.au -@@||adbutler-ikon.com/adserve/;ID=*;size=180x35;$script,domain=floridadivorce.com -@@||adbutler-ikon.com/app.js$domain=floridadivorce.com -@@||adcode.disqus.com^$script -@@||adcreative.naver.com/ad3/js/min/da.m.min.js$domain=m.naver.com -@@||addictinggames.com^*/mtvi_ads_reporting.js -@@||adf.ly/images/ad*.png -@@||adf.ly/static/image/ad_top_bg.png -@@||adfarm.mediaplex.com^$domain=afl.com.au -@@||adflyer.co.uk/adverts/$image -@@||adform.net/banners/scripts/iframe/Adform.IFrameManager.$script,domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||adgear.com^*/adgear.js$domain=lifemadedelicious.ca|tac.tv -@@||adhostingsolutions.com/crossdomain.xml$object-subrequest -@@||adimages.go.com/crossdomain.xml$object-subrequest -@@||adm.fwmrm.net^*/AdManager.js$domain=foodnetwork.com|fyi.tv|msnbc.com|player.theplatform.com|sky.com|travelchannel.com -@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=9jumpin.com.au|9news.com.au|bigbrother.com.au|ninemsn.com.au -@@||adm.fwmrm.net^*/LinkTag2.js$domain=6abc.com|7online.com|abc.go.com|abc11.com|abc13.com|abc30.com|abc7.com|abc7chicago.com|abc7news.com|ahctv.com|animalplanet.com|destinationamerica.com|discovery.com|discoverylife.com|tlc.com -@@||adm.fwmrm.net^*/TremorAdRenderer.$object-subrequest,domain=go.com -@@||adm.fwmrm.net^*/videoadrenderer.$object-subrequest,domain=cnbc.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com|go.com|nbc.com|nbcnews.com -@@||admedia.wsod.com^$domain=scottrade.com -@@||admin.brightcove.com/viewer/*/brightcovebootloader.swf?$object,domain=gamesradar.com -@@||adnet.mennonite.net^$domain=adnetonline.org -@@||adnet.twitvid.com/crossdomain.xml$object-subrequest -@@||adnigma.com/TemplateRun/js/DialogTag.js$domain=batmanstream.com -@@||adotube.com/adapters/as3overstream*.swf?$domain=livestream.com -@@||adotube.com/crossdomain.xml$object-subrequest -@@||adroll.com/j/roundtrip.js$domain=eurogamer.net|nintendolife.com|onehourtranslation.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||ads.adap.tv/applist|$object-subrequest,domain=wunderground.com -@@||ads.adaptv.advertising.com^$xmlhttprequest,domain=easyrecipesite.com -@@||ads.ahds.ac.uk^$~document -@@||ads.awadserver.com^$domain=sellallautos.com -@@||ads.belointeractive.com/realmedia/ads/adstream_mjx.ads/www.kgw.com/video/$script -@@||ads.bizx.info/www/delivery/spc.php?zones$script,domain=nyctourist.com -@@||ads.bridgetrack.com/ads_v2/script/btwrite.js$domain=ads.bridgetrack.com -@@||ads.cnn.com/js.ng/*&cnn_intl_subsection=download$script -@@||ads.dollartree.com/SneakPeek/$~third-party -@@||ads.ehealthcaresolutions.com/tag/$domain=familydoctor.org -@@||ads.eu.com/ads-$~third-party -@@||ads.exoclick.com/*.js$script,domain=gelbooru.com|thepiratebay.org -@@||ads.exoclick.com/close.png$image,domain=streamcloud.eu -@@||ads.expedia.com/event.ng/type=click&$domain=expedia.com -@@||ads.forbes.com/realmedia/ads/*@videopreroll$script -@@||ads.fox.com/fox/black_2sec_600.flv -@@||ads.foxnews.com/api/*-slideshow-data.js? -@@||ads.foxnews.com/js/ad.js -@@||ads.foxnews.com/js/adv2.js -@@||ads.foxnews.com/js/omtr_code.js -@@||ads.freewheel.tv/|$media,domain=cnbc.com|my.xfinity.com|nbcsports.com -@@||ads.globo.com^*/globovideo/player/ -@@||ads.healthline.com/v2/adajax?$subdocument -@@||ads.indeed.com^$~third-party -@@||ads.intergi.com/adrawdata/*/ADTECH;$object-subrequest,domain=melting-mindz.com -@@||ads.intergi.com/crossdomain.xml$object-subrequest -@@||ads.jetpackdigital.com.s3.amazonaws.com^$image,domain=vibe.com -@@||ads.jetpackdigital.com/jquery.tools.min.js?$domain=vibe.com -@@||ads.jetpackdigital.com^*/_uploads/$image,domain=vibe.com -@@||ads.m1.com.sg^$~third-party -@@||ads.mefeedia.com/flash/flowplayer-3.1.2.min.js -@@||ads.mefeedia.com/flash/flowplayer.controls-3.0.2.min.js -@@||ads.midatlantic.aaa.com/advertpro/servlet/view/banner/image/campaign?$image,domain=midatlantic.aaa.com -@@||ads.mycricket.com/www/delivery/ajs.php?zoneid=$script,~third-party -@@||ads.nationmedia.com/webfonts/$font -@@||ads.nyootv.com/crossdomain.xml$object-subrequest -@@||ads.nyootv.com:8080/crossdomain.xml$object-subrequest -@@||ads.pandora.tv/netinsight/text/pandora_global/channel/icf@ -@@||ads.pinterest.com^$~third-party -@@||ads.pointroll.com/PortalServe/?pid=$xmlhttprequest,domain=thestreet.com -@@||ads.revjet.com/bg?plc=$script,domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||ads.servebom.com/tmnhead.js$domain=livescience.com -@@||ads.servebom.com/tmntag.js$script,domain=livescience.com -@@||ads.simplyhired.com^$domain=simply-partner.com|simplyhired.com -@@||ads.songs.pk/openx/www/delivery/ -@@||ads.spilgames.com/ad/$script,domain=games.co.uk -@@||ads.sudpresse.be/adview.php?what=zone:$image -@@||ads.tbs.com/html.ng/site=*600x400_$domain=tbs.com -@@||ads.trackitdown.net/delivery/afr.php?zoneid=6&$subdocument,~third-party -@@||ads.trutv.com/crossdomain.xml$object-subrequest -@@||ads.trutv.com/html.ng/tile=*&site=trutv&tru_tv_pos=preroll&$object-subrequest -@@||ads.undertone.com/*&zoneid=$domain=mlbtraderumors.com -@@||ads.undertone.com/crossdomain.xml$object-subrequest -@@||ads.yimg.com/a/$domain=autos.yahoo.com -@@||ads.yimg.com/ev/eu/any/vint/videointerstitial*.js -@@||ads.yimg.com/la/adv/y/yahooxtra$image,domain=movies.yahoo.com -@@||ads.yimg.com^*/any/yahoologo$image -@@||ads.yimg.com^*/search/b/syc_logo_2.gif -@@||ads.yimg.com^*videoadmodule*.swf -@@||ads1.atpclick.com/atpClick.aspx?$image,script,domain=jobnet.co.il|jobs-israel.com -@@||ads1.msads.net^*/dapmsn.js$domain=msn.com -@@||ads1.msn.com/ads/pronws/$image -@@||ads1.msn.com/library/dap.js$domain=entertainment.msn.co.nz|msn.foxsports.com -@@||adserve.atedra.com/js/$script,domain=repeatmyvids.com -@@||adserve.atedra.com/vast/wrap.php?$script,domain=repeatmyvids.com -@@||adserve.atedra.com/zones.php$xmlhttprequest,domain=repeatmyvids.com -@@||adserver.adtech.de/?advideo/*;vidas=pre_roll^$object-subrequest,domain=eurovisionsports.tv|talksport.co.uk|wrc.com -@@||adserver.adtech.de/addyn/3.0/755/$domain=cartoonnetwork.co.nz|cartoonnetworkasia.com|cartoonnetworkhq.com|manutd.com -@@||adserver.adtechus.com/addyn/$script,domain=teletoon.com -@@||adserver.bigwigmedia.com/adfetch2.php?$object-subrequest,domain=y8.com -@@||adserver.bigwigmedia.com/ingamead3.swf -@@||adserver.bworldonline.com^ -@@||adserver.tvcatchup.com^$object-subrequest -@@||adserver.vidcoin.com^*/get_campaigns?$xmlhttprequest -@@||adserver.yahoo.com/a?*&l=head&$script,domain=yahoo.com -@@||adserver.yahoo.com/a?*&l=VID&$xmlhttprequest,domain=yahoo.com -@@||adserver.yahoo.com/a?*=headr$script,domain=mail.yahoo.com -@@||adserver.yahoo.com/crossdomain.xml$object-subrequest -@@||adserver.yahoo.com^*=weather&$domain=ca.weather.yahoo.com -@@||adshost1.com/crossdomain.xml$object-subrequest -@@||adshost1.com/ova/*.xml$object-subrequest,domain=4shared.com -@@||adsign.republika.pl^$subdocument,domain=a-d-sign.pl -@@||adsign.republika.pl^$~third-party -@@||adsonar.com/js/adsonar.js$domain=ansingstatejournal.com|app.com|battlecreekenquirer.com|clarionledger.com|coloradoan.com|dailyrecord.com|dailyworld.com|delmarvanow.com|freep.com|greatfallstribune.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|ithacajournal.com|jconline.com|livingstondaily.com|montgomeryadvertiser.com|mycentraljersey.com|news-press.com|pal-item.com|pnj.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|shreveporttimes.com|stargazette.com|tallahassee.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|thenewsstar.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com -@@||adsonar.com/js/aslJSON.js$domain=engadget.com -@@||adspot.co.za/image.php/$image,~third-party -@@||adsremote.scrippsnetworks.com/crossdomain.xml$object-subrequest -@@||adsremote.scrippsnetworks.com/html.ng/adtype=*&playertype=$domain=gactv.com -@@||adsremote.scrippsnetworks.com/js.ng/adtype=vsw$script,domain=food.com -@@||adssecurity.com/app_themes/ads/images/ -@@||adswizz.com/www/components/$object-subrequest,domain=motogp.com -@@||adswizz.com/www/delivery/swfindex.php?reqtype=adssetup&$object-subrequest,domain=motogp.com -@@||adtech.de/?advideo/3.0/1215.1/3228528/*;vidas=pre_roll;$object-subrequest -@@||adtech.de/apps/*.swf?targettag=$object,domain=cartoonnetworkasia.com -@@||adtech.de/crossdomain.xml$object-subrequest,domain=~zattoo.com -@@||adtech.de/dt/common/DAC.js$domain=adquality.ch|starsports.com -@@||adtechus.com/?advideo/$domain=snagfilms.com -@@||adtechus.com/apps/$image,domain=teletoon.com|walmart.ca -@@||adtechus.com/crossdomain.xml$object-subrequest -@@||adtechus.com/dt/common/DAC.js$domain=abcya.com|wetpaint.com -@@||adtechus.com/dt/common/postscribe.js$domain=abcya.com -@@||adtechus.com/images/*_adwords_300x250$image,domain=abcya.com -@@||adultvideotorrents.com/assets/blockblock/advertisement.js -@@||adv.*.przedsiebiorca.pl^$~third-party,domain=przedsiebiorca.pl -@@||adv.diariodelweb.it/Agenzie/Apcom/video/mp4/*.mp4$media -@@||advantabankcorp.com/ADV/$~third-party -@@||advertise.azcentral.com^$~third-party -@@||advertise.fairfaxmedia.com.au^$domain=fairfaxmedia.com.au|myfairfax.com.au -@@||advertising.acne.se^$~third-party -@@||advertising.autotrader.co.uk^$~third-party -@@||advertising.nzme.co.nz/media/$image,~third-party -@@||advertising.racingpost.com^$image,script,stylesheet,~third-party,xmlhttprequest -@@||advertising.scoop.co.nz^ -@@||advertising.theigroup.co.uk^$~third-party -@@||advertising.utexas.edu^$~third-party -@@||advertising.vrisko.gr^$~third-party -@@||advertisingwouldbegreat.com/*-$script -@@||advertisingwouldbegreat.com/*.$script -@@||adverts.brighthouse.com/advertpro/servlet/view/banner/url/zone?*=preroll/2Black|$subdocument,domain=baynews9.com|cfnews13.com -@@||adverts.cdn.tvcatchup.com^$object-subrequest -@@||advertserve.com/images/aaamidatlantic.advertserve.com/advertpro/servlet/files/$image,domain=midatlantic.aaa.com -@@||advisory.mtanyct.info/outsideWidget/widget.html?*.adPlacement=$subdocument -@@||advweb.ua.cmu.edu^$~third-party -@@||adweb.cis.mcmaster.ca^$~third-party -@@||adweb.pl^$~third-party -@@||adworks.com.co^$~third-party -@@||ae.amgdgt.com/ads?t=$object-subrequest,domain=nfl.com -@@||ae.amgdgt.com/crossdomain.xml$object-subrequest -@@||affiliate.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||affiliate.kickapps.com/crossdomain.xml$object-subrequest -@@||affiliate.kickapps.com/service/ -@@||affiliate.skiamade.com^$subdocument,third-party -@@||affiliates.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||affiliates.hihostels.com/search-box?$subdocument -@@||affiliates.kindredplc.com/newsignup/signup.html?$subdocument -@@||affiliates.kindredplc.com/registration2/login.aspx$subdocument -@@||affiliates.mozilla.org^$subdocument,domain=facebook.com -@@||affiliates.unpakt.com/widget/$subdocument -@@||affiliates.unpakt.com/widget_loader/widget_loader.js -@@||affilinet-inside.com/wp-content/uploads/*/Dynamic-Ad-Creative-$image,domain=affilinet-inside.com -@@||affinitylive.com^*/affiliation/$xmlhttprequest,domain=affinitylive.com -@@||africam.com/adimages/ -@@||aimsworldrunning.org/images/AD_Box_$image,~third-party -@@||airbaltic.com/banners/$~third-party -@@||airguns.net/advertisement_images/ -@@||airguns.net/classifieds/ad_images/ -@@||airplaydirect.com/openx/www/images/$image -@@||aiwip.com/advertisers/$image,~third-party,xmlhttprequest -@@||aiwip.com/static/images/advertisers/$image,~third-party,xmlhttprequest -@@||ajmadison.com/images/adverts/ -@@||aka-cdn-ns.adtech.de/apps/$object-subrequest,domain=manutd.com -@@||aka-cdn.adtech.de/dac/$script,domain=empireonline.com -@@||akamai.net^*/ads/preroll_$object-subrequest,domain=bet.com -@@||akamai.net^*/affiliate.1800flowers.com/$image,domain=extrarebates.com -@@||akamai.net^*/i.mallnetworks.com/images/*120x60$domain=ultimaterewardsearn.chase.com -@@||akamai.net^*/pics.drugstore.com/prodimg/promo/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||akamaihd.net/hads-*.mp4? -@@||akamaihd.net^*/videoAd.js$domain=zynga.com -@@||al.com/static/common/js/ads/ads.js -@@||albumartexchange.com/gallery/images/public/ad/$image -@@||allot.com/Banners/*.swf$object -@@||alluc.ee/js/advertisement.js -@@||allulook4.com/min/?$stylesheet -@@||alphabaseinc.com/images/display_adz/$~third-party -@@||alusa.org/store/modules/blockadvertising/$~third-party -@@||amazon-adsystem.com/aax2/amzn_ads.js$domain=deadspin.com|food.com|foodnetwork.com|gawker.com|gizmodo.com|io9.com|jalopnik.com|jezebel.com|kotaku.com|lifehacker.com|weather.com -@@||amazon-adsystem.com/aax2/getads.js$domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||amazon-adsystem.com/js/$script,domain=voldingenglish.com -@@||amazon-adsystem.com/panda/$script,domain=voldingenglish.com -@@||amazon-adsystem.com/widgets/q?$image -@@||amazon-adsystem.com/widgets/q?$script,domain=voldingenglish.com|walkhighlands.co.uk -@@||amazon-adsystem.com/widgets/q?*&ad_type=product_link&$subdocument,domain=hometheaterforum.com|mediatrumps.com|walkhighlands.co.uk -@@||amazon-adsystem.com/widgets/q?*&ad_type=responsive_search_widget&$subdocument,domain=walkhighlands.co.uk -@@||amazon-adsystem.com^$document,subdocument,domain=affrity.com -@@||amazon-adsystem.com^$domain=affrity.com -@@||amazon-adsystem.com^$image,domain=walkhighlands.co.uk -@@||amazon-adsystem.com^$image,stylesheet,domain=voldingenglish.com -@@||amazon.com/widgets/$domain=sotumblry.com -@@||amazonaws.com/adplayer/player/newas3player.swf?$object,domain=india.com -@@||amazonaws.com/banners/$image,domain=livefromdarylshouse.com|pandasecurity.com -@@||amazonaws.com/bt-dashboard-logos/$domain=signal.co -@@||amazonaws.com^$image,domain=daclips.in -@@||amazonaws.com^*/sponsorbanners/$image,domain=members.portalbuzz.com -@@||amctv.com/commons/advertisement/js/AdFrame.js -@@||amwa.net/sites/default/files/styles/promotion_image/public/promotions/$~third-party -@@||ananzi.co.za/ads/$~third-party -@@||andcorp.com.au^*.swf?clicktag= -@@||andohs.net/crossdomain.xml$object-subrequest -@@||andomediagroup.com/crossdomain.xml$object-subrequest -@@||annfammed.org/adsystem/$image,~third-party -@@||anyvan.com/send-goods-api/$domain=preloved.co.uk -@@||aolcdn.com/ads/adsWrapperIntl.js$domain=huffingtonpost.co.uk -@@||aolcdn.com/ads/adswrappermsni.js$domain=msn.com -@@||aolcdn.com/os_merge/?file=/aol/*.js&$script -@@||aolcdn.com^*/adhads.css$domain=aol.com -@@||aolcdn.com^*/adsWrapper.$domain=aol.com|engadget.com|games.com|huffingtonpost.com|mapquest.com|stylelist.ca -@@||aone-soft.com/style/images/ad*.jpg -@@||api.cirqle.nl^*&advertiserId=$script,xmlhttprequest -@@||api.hexagram.com^$domain=scribol.com -@@||api.paymentwall.com^$domain=adguard.com -@@||apmebf.com/ad/$domain=betfair.com -@@||apmebf.com^$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||apmex.com/resources/ads/ -@@||app.promo.tubemogul.com/feed/placement.html?id=$script,domain=comedy.com -@@||apple.com^*/ads/$object,object-subrequest,xmlhttprequest -@@||apple.com^*/images/ad-$image,domain=apple.com -@@||apple.com^*/images/ads_$image,domain=apple.com -@@||apple.com^*/includes/ads -@@||apple.com^*/video-ad.html -@@||applegate.co.uk/stats/recordclick.html?$xmlhttprequest -@@||apps.digmyweb.com/ads?$xmlhttprequest -@@||apwg.org/images/sponsors/ -@@||archaeologydataservice.ac.uk/images/ads_$image -@@||archiproducts.com/adv/ -@@||architecturaldigest.com/etc/designs/ad/images/shell/ad-sprite.png -@@||area51.stackexchange.com/ads/$image -@@||arthurbrokerage.com/Websites/arthur/templates/overture/ -@@||arti-mediagroup.com/crossdomain.xml$object-subrequest -@@||arti-mediagroup.com/flowplayer/amta_plugin.swf$object-subrequest -@@||as.bankrate.com/RealMedia/ads/adstream_mjx.ads/$script,~third-party -@@||as.medscape.com/html.ng/transactionid%$subdocument,domain=medscape.com -@@||as.webmd.com/html.ng/transactionid=$object-subrequest,script,subdocument -@@||asiasold.com/assets/home/openx/$image,~third-party -@@||asrock.com/images/ad-$~third-party -@@||assets.rewardstyle.com^$domain=glamour.com|itsjudytime.com -@@||assiniboine.mb.ca/files/intrasite_ads/ -@@||assoc-amazon.com/widgets/$domain=sotumblry.com|walkhighlands.co.uk -@@||assoc-amazon.com^*/js/swfobject_$domain=gactv.com -@@||asterisk.org/sites/asterisk/files/mce_files/graphics/ads/ad-training.png -@@||athena365.com/web/components/ads/rma.html -@@||att.com/images/*/admanager/ -@@||au.adserver.yahoo.com/a?$subdocument,domain=dating.yahoo.com.au -@@||auctionzip.com/cgi-bin/showimage.cgi? -@@||auditude.com/adserver?$object-subrequest,domain=ap.org|majorleaguegaming.com|newsinc.com -@@||auditude.com/crossdomain.xml$object-subrequest -@@||auditude.com^*/AuditudeAdUnit.swf$object-subrequest -@@||auditude.com^*/auditudebrightcoveplugin.swf$object-subrequest,domain=channel5.com -@@||auditude.com^*/auditudeosmfproxyplugin.swf$object-subrequest,domain=dramafever.com|majorleaguegaming.com -@@||autogespot.info/upload/ads/$image -@@||autorepairconnect.com/static/*/advertise_$domain=autorepairconnect.com -@@||autotrader.ca/search/searchAdsIframe.aspx?$subdocument,~third-party -@@||autotrader.co.uk*/advert$subdocument,~third-party,xmlhttprequest,domain=autotrader.co.uk -@@||autotrader.co.uk/lightbox/video?$subdocument,~third-party -@@||autotrader.co.uk/static/*/images/adv/icons.png -@@||autotrader.co.uk^*_adverts/$subdocument,~third-party,xmlhttprequest -@@||avclub.com/ads/av-video-ad/$xmlhttprequest -@@||aviationclassifieds.com/adimg/$image,~third-party -@@||aviationexplorer.com/airline_aviation_ads/ -@@||awin1.com/cshow.php?s=$image,domain=deliverydeals.co.uk -@@||awltovhc.com^$object,domain=affrity.com -@@||ay8ou8ohth.com/ads/pop-under.js$script -@@||ay8ou8ohth.com/js/adpop.js$script -@@||azureedge.net/ads/$domain=dailymaverick.co.za -@@||azureedge.net/adv/$domain=dailymaverick.co.za -@@||b-cdn.net/adv/$domain=dailymaverick.co.za -@@||backpackinglight.com/backpackinglight/ads/banner-$~third-party -@@||bafta.org/static/site/javascript/banners.js -@@||bahtsold.com/assets/home/openx/Thailand/$image,~third-party -@@||bahtsold.com/assets/images/ads/no_img_main.png -@@||bankofamerica.com^*?adx=$xmlhttprequest -@@||banmancounselling.com/wp-content/themes/banman/ -@@||banner.pumpkinpatchkids.com/www/delivery/$domain=pumpkinpatch.co.nz|pumpkinpatch.co.uk|pumpkinpatch.com|pumpkinpatch.com.au -@@||banner4five.com/banners/$~third-party -@@||bannerfans.com/banners/$image,~third-party -@@||bannerist.com/images/$image,domain=bannerist.com -@@||banners.gametracker.rs^$image -@@||banners.goldbroker.com/widget/ -@@||banners.webmasterplan.com/view.asp?ref=$image,domain=sunsteps.org -@@||banners.wunderground.com^$image -@@||bannersnack.net^$domain=bannersnack.com -@@||barafranca.*/banner.php|$~third-party,domain=barafranca.com -@@||bargetbook.com^$xmlhttprequest,domain=daclips.in -@@||batmanstream.com^$generichide -@@||bauerassets.com/global-js/prebid-$domain=parkers.co.uk -@@||bbc.co.uk^*/adsense_write.js$domain=bbc.com -@@||bbc.co.uk^*/advert.js$domain=bbc.com -@@||bbc.co.uk^*/adverts.js$domain=bbc.com -@@||bbci.co.uk^*/adsense_write.js$domain=bbc.com -@@||bbci.co.uk^*/adverts.js$domain=bbc.co.uk|bbc.com -@@||bbcimg.co.uk^*/adsense_write.js$domain=bbc.com -@@||bbcimg.co.uk^*/advert.js$domain=bbc.co.uk|bbc.com -@@||bbcimg.co.uk^*/adverts.js$domain=bbc.co.uk|bbc.com -@@||bbcimg.co.uk^*/SmpAds.swf$object-subrequest,domain=bbc.com -@@||beatthebrochure.com/js/jquery.popunder.js -@@||bebusiness.eu/js/adview.js -@@||bellaliant.net^*/banners/ads/$image,~third-party -@@||betar.gov.bd/wp-content/plugins/useful-banner-manager/ -@@||betar.gov.bd/wp-content/uploads/useful_banner_manager_banners/ -@@||betrad.com^*.gif$domain=grammarist.com -@@||betteradvertising.com/logos/$image,domain=ghostery.com -@@||bigfile.to/script/jquery.popunder.js$script,~third-party -@@||bigfishaudio.com/banners/$image -@@||bikeexchange.com.au/adverts/ -@@||bing.com/images/async?q=$xmlhttprequest -@@||bing.com/maps/Ads.ashx$xmlhttprequest -@@||bing.net/images/thumbnail.aspx?q=$image -@@||biz.yelp.com/ads_stats/$domain=biz.yelp.com -@@||blackshoppingchannel.com^*/ad_agency/$~third-party -@@||blackshoppingchannel.com^*/com_adagency/$~third-party -@@||blastro.com/pl_ads.php?$object-subrequest -@@||blizzardwatch.com^*/bw-ads.js -@@||bloomberg.com/rapi/ads/js_config.js -@@||bluetooth.com/banners/ -@@||bluetree.co.uk/hji/advertising.$object-subrequest -@@||bnbfinder.com/adv_getCity.php?$xmlhttprequest -@@||boats.com/ad/$~third-party,xmlhttprequest -@@||bodybuilding.com/ad-ops/prebid-adops-forums.js$script -@@||bodybuilding.com/ad-ops/prebid.js$script -@@||bonappetit.com/ams/page-ads.js? -@@||bonappetit.com^*/cn.dart.js -@@||boracay.mobi/boracay/imageAds/$image,domain=boracay.tel -@@||boreburn.com^$generichide -@@||boston.com/images/ads/yourtown_social_widget/$image -@@||box10.com/advertising/*-preroll.swf -@@||boxedlynch.com/advertising-gallery.html -@@||bp.blogspot.com^$domain=adsense.googleblog.com -@@||brainient.com/crossdomain.xml$object-subrequest -@@||brand-display.com/js/psf.js$domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||brandverity.com/letter/complaint/prepare/$document,domain=brandverity.com -@@||brandverity.com/reports/$document,domain=brandverity.com -@@||brightcove.com^*bannerid$third-party -@@||britannica.com/resources/images/shared/ad-loading.gif -@@||britishairways.com/cms/global/styles/*/openx.css -@@||brocraft.net/js/banners.js -@@||brothersoft.com/gads/coop_show_download.php?soft_id=$script -@@||bsvideos.com/json/ad.php? -@@||bthomehub.home/images/adv_ -@@||btrll.com/crossdomain.xml$object-subrequest -@@||btrll.com/vast/$object-subrequest,domain=nfl.com -@@||budgetedbauer.com^$script,domain=fyi.tv|history.com|mylifetime.com|speedtest.net -@@||bulletproofserving.com/scripts/ads*.js$domain=technobuffalo.com -@@||burbankleader.com/hive/images/adv_ -@@||burfordadvertising.com/advertising/$~third-party -@@||business-supply.com/images/adrotator/ -@@||business.linkedin.com^*/advertise-$subdocument,domain=business.linkedin.com -@@||business.linkedin.com^*/advertise/$xmlhttprequest,domain=business.linkedin.com -@@||butlereagle.com/static/ads/ -@@||buy.com/buy_assets/addeals/$~third-party -@@||buyandsell.ie/ad/$~third-party -@@||buyandsell.ie/ads/$~third-party -@@||buyandsell.ie/images/ads/$~third-party -@@||buyforlessok.com/advertising/ -@@||buyselltrade.ca/adimages/$image,~third-party -@@||buzzadexchange.com/a/display.php?r=$script,domain=vivo.sx -@@||bworldonline.com/adserver/ -@@||c1.popads.net/pop.js$domain=skidrowreloaded.com -@@||cache.nymag.com/scripts/ad_manager.js -@@||calgarysun.com/assets/js/dfp.js? -@@||cameralabs.com/PG_library/Regional/US/Love_a_Coffee_120x240.jpg -@@||campingworld.com/images/AffiliateAds/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||canadianlisted.com/css/*/ad/index.css -@@||candystand.com/assets/images/ads/$image -@@||canoe.com/Canoe/Ad/premium/$script -@@||capitalone360.com/js/adwizard/adwizard_homepage.js? -@@||carambo.la^*/GetAds|$xmlhttprequest -@@||caranddriver.com/assets/js/ads/ads-combined.min.js -@@||caranddriver.com/tools/iframe/?$subdocument -@@||carzone.ie/es-ie/*advert$image,script,stylesheet -@@||cas.clickability.com/cas/cas.js?r=$script,domain=kmvt.com -@@||casino.com/banners/flash/$object,~third-party -@@||cbc.ca/ads/*.php?$xmlhttprequest -@@||cbs.com/sitecommon/includes/cacheable/combine.php?*/adfunctions. -@@||cbsistatic.com/cnwk.1d/ads/common/manta/adfunctions*.js$domain=cnettv.cnet.com -@@||cbsistatic.com^*/js/plugins/doubleclick.js$domain=cnet.com -@@||cbsistatic.com^*/sticky-ads.js? -@@||cbslocal.com/flash/videoads.*.swf$object,domain=radio.com -@@||cc-dt.com/link/tplimage?lid=$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||cctv.com/js/cntv_Advertise.js -@@||cdn.betrad.com/pub/icon1.png$domain=usanetwork.com -@@||cdn.complexmedianetwork.com/cdn/agenda.complex.com/js/jquery.writecapture.js -@@||cdn.complexmedianetwork.com/cdn/agenda.complex.com/js/jwplayerl.js -@@||cdn.complexmedianetwork.com/cdn/agenda.complex.com/js/swfobject.js -@@||cdn.complexmedianetwork.com/cdn/agenda.complex.com/js/writecapture.js -@@||cdn.cpmstar.com/cached/js/$script,domain=xfire.com -@@||cdn.cpmstar.com/cached/swf/preplay.swf$object,domain=xfire.com -@@||cdn.engine.*^guid^$script,third-party,domain=primewire.ag|primewire.in -@@||cdn.inskinmedia.com/*inskinfiles/flvs/$object-subrequest,domain=tvcatchup.com -@@||cdn.inskinmedia.com/isfe/4.1/swf/unitcontainer2.swf$domain=tvcatchup.com -@@||cdn.inskinmedia.com^*/brightcove3.js$domain=virginmedia.com -@@||cdn.inskinmedia.com^*/ipcgame.js?$domain=mousebreaker.com -@@||cdn.intentmedia.net^$image,script,domain=travelzoo.com -@@||cdn.pch.com/spectrummedia/spectrum/adunit/ -@@||cdn.travidia.com/fsi-page/$image -@@||cdn.travidia.com/rop-ad/$image -@@||cdn.travidia.com/rop-sub/$image -@@||cdn.turner.com^*/video/336x280_ad.gif -@@||cdn.vdopia.com^$object,object-subrequest,script,domain=indiatvnews.com|intoday.in|moneycontrol.com -@@||cdn77.org/static/js/advertisement*.js -@@||cdn77.org^$script,domain=batmanstream.com|collectivelyconscious.net|live.robinwidget.com -@@||cellc.co.za/adserv/$image,object,script,~third-party -@@||cerebral.s4.bizhat.com/banners/$image,~third-party -@@||channel4.com/media/scripts/oasconfig/siteads.js -@@||channeladvisor.com^*/GetAds?$~third-party -@@||charlieandmekids.com/www/delivery/$script,domain=charlieandmekids.co.nz|charlieandmekids.com.au -@@||chase.com/content/*/ads/$image,~third-party -@@||chase.com^*/adserving/ -@@||cheapoair.ca/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest -@@||cheapoair.com/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest -@@||checkerdist.com/product-detail.cfm?*advert_id=$~third-party -@@||checkm8.com/adam/$script,domain=askqology.com -@@||checkm8.com/crossdomain.xml$object-subrequest -@@||chemistwarehouse.com.au/images/AdImages/ -@@||chibis.adotube.com/appruntime/player/$object,object-subrequest -@@||chibis.adotube.com/appRuntime/swfobject/$script -@@||chibis.adotube.com/napp/$object,object-subrequest -@@||chicavenue.com.au/assets/ads/$image,~third-party -@@||christianhouseshare.com.au/images/publish_ad1.jpg -@@||cio.com/www/js/ads/gpt_includes.js -@@||classifiedads.com/adbox.php$xmlhttprequest -@@||classifieds.wsj.com/ad/$~third-party -@@||classistatic.com^*/banner-ads/ -@@||cleveland.com/static/common/js/ads/ads.js -@@||clickbd.com^*/ads/$image,~third-party -@@||cloudfront.net/_ads/$xmlhttprequest,domain=jobstreet.co.id|jobstreet.co.in|jobstreet.co.th|jobstreet.com|jobstreet.com.my|jobstreet.com.ph|jobstreet.com.sg|jobstreet.vn -@@||cloudfront.net/ad/$xmlhttprequest,domain=lucidchart.com|lucidpress.com -@@||cloudfront.net/ads/$domain=boreburn.com|dailymaverick.co.za|v3.co.uk|yibada.com -@@||cloudfront.net/assets/ads_728x90-$script,domain=citationmachine.net -@@||club777.com/banners/$~third-party -@@||clustrmaps.com/images/clustrmaps-back-soon.jpg$third-party -@@||cnet.com/ad/ad-cookie/*?_=$xmlhttprequest -@@||coastlinepilot.com/hive/images/adv_ -@@||collective-media.net/crossdomain.xml$object-subrequest -@@||collective-media.net/pfadx/wtv.wrc/$object-subrequest,domain=wrc.com -@@||collectivelyconscious.net^$generichide -@@||colorado.gov/airquality/psi/adv.png -@@||comboadmedia.adperfect.com^$domain=classifieds.nydailynews.com -@@||comeadvertisewithus.com^$script,domain=thecountrycaller.com|thefreethoughtproject.com -@@||commarts.com/Images/missinganissue_ad.gif -@@||commercialmotor.com/profiles/*advertisement/$image,~third-party -@@||commercialmotor.com^*/advertisement-images/$image,~third-party -@@||commons.wikimedia.org/w/api.php?$~third-party,xmlhttprequest -@@||completemarkets.com/pictureHandler.ashx?adid=$image,~third-party -@@||computerworld.com/resources/scripts/lib/doubleclick_ads.js$script -@@||comsec.com.au^*/homepage_banner_ad.gif -@@||condenast.co.uk/scripts/cn-advert.js$domain=cntraveller.com -@@||connectingdirectories.com/advertisers/$~third-party,xmlhttprequest -@@||constructalia.com/banners/$image,~third-party -@@||contactmusic.com/advertpro/servlet/view/dynamic/$object-subrequest -@@||content.aimatch.com/swfobject.js$domain=itv.com -@@||content.datingfactory.com/promotools/$script -@@||content.hallmark.com/scripts/ecards/adspot.js -@@||content.linkedin.com/content/*/text-ads/$image,domain=business.linkedin.com -@@||copesdistributing.com/images/adds/banner_$~third-party -@@||corporatehousingbyowner.com/js/ad-gallery.js -@@||cosmopolitan.com/ams/page-ads.js -@@||cosmopolitan.com/cm/shared/scripts/refreshads-$script -@@||countryliving.com/ams/page-ads.js -@@||cracker.com.au^*/cracker-classifieds-free-ads.$~document -@@||crazygamenerd.web.fc2.com^*/ads.png -@@||cricbuzz.com/includes/ads/images/wct20/$image -@@||cricbuzz.com/includes/ads/images/worldcup/more_arrow_$image -@@||cricbuzz.com/includes/ads/schedule/$~third-party -@@||cricketcountry.com/js/ad-gallery.js$script -@@||csair.com/*/adpic.js -@@||csmonitor.com/advertising/sharetools.php$subdocument -@@||csoonline.com/js/doubleclick_ads.js? -@@||css-tricks.com/wp-content/uploads/*/google-adsense-$image,domain=css-tricks.com -@@||css.wpdigital.net/wpost/css/combo?*/ads.css -@@||ctv.ca/players/mediaplayer/*/AdManager.js^ -@@||cubeecraft.com/openx/$~third-party -@@||cvs.com/webcontent/images/weeklyad/adcontent/$~third-party -@@||cwtv.com^$generichide -@@||cyberpower.advizia.com/CyberPower/adv.asp -@@||cyberpower.advizia.com^*/scripts/adv.js -@@||cydiaupdates.net/CydiaUpdates.com_600x80.png -@@||d1sp6mwzi1jpx1.cloudfront.net^*/advertisement_min.js$domain=reelkandi.com -@@||d2nlytvx51ywh9.cloudfront.net/m$image,domain=primewire.ag -@@||d2nlytvx51ywh9.cloudfront.net^$image,domain=streamcloud.eu -@@||d3con.org/data1/$image,~third-party -@@||d3iuob6xw3k667.cloudfront.net^*.com/ad/$xmlhttprequest,domain=lucidchart.com|lucidpress.com -@@||d3pkae9owd2lcf.cloudfront.net/mb102.js$domain=wowhead.com -@@||d6u22qyv3ngwz.cloudfront.net/ad/$image,domain=ispot.tv -@@||da-ads.com/truex.html?$domain=deviantart.com -@@||dailycaller.com/wp-content/plugins/advertisements/$script -@@||dailyhiit.com/sites/*/ad-images/ -@@||dailymail.co.uk^*/googleads--.js -@@||dailymotion.com/videowall/*&clickTAG=http -@@||dailypilot.com/hive/images/adv_ -@@||danielechevarria.com^*/advertising-$~third-party -@@||dart.clearchannel.com/crossdomain.xml$object-subrequest -@@||data.panachetech.com/crossdomain.xml$object-subrequest -@@||data.panachetech.com/|$object-subrequest,domain=southpark.nl -@@||dataknet.com/s.axd?$stylesheet -@@||davescomputertips.com/images/ads/paypal.png -@@||davidsilverspares.co.uk/graphics/*_ad.gif$~third-party -@@||dawanda.com^*/ad_center.css$~third-party -@@||dawanda.com^*/adcenter.js$~third-party -@@||dc.tremormedia.com/crossdomain.xml$object-subrequest -@@||dealerimg.com/Ads/$image -@@||delicious.com^*/compose?url=$xmlhttprequest -@@||deliciousdigital.com/data/our-work/advertising/ -@@||delish.com/cm/shared/scripts/refreshads-*.js -@@||delivery.anchorfree.us/player-multi.php?$subdocument,domain=anchorfree.us -@@||delvenetworks.com/player/*_ad_$subdocument -@@||demo.inskinmedia.com^$object-subrequest,domain=tvcatchup.com -@@||deployads.com/a/yourtailorednews.com.js$domain=yourtailorednews.com -@@||design-essentials.net/affiliate/$script,subdocument -@@||developer.apple.com/app-store/search-ads/images/*-ad -@@||deviantart.net/fs*/20*_by_$image,domain=deviantart.com -@@||deviantart.net/minish/advertising/downloadad_splash_close.png -@@||dianomi.com/partner/marketwatch/js/dianomi-marketwatch.js?$domain=marketwatch.com -@@||digiads.com.au/css/24032006/adstyle.css -@@||digiads.com.au/images/shared/misc/ad-disclaimer.gif -@@||digsby.com/affiliate/banners/$image,~third-party -@@||direct.fairfax.com.au/hserver/*/site=vid.*/adtype=embedded/$script -@@||directorym.com/articles_media/$domain=localmarket.autismsupportnetwork.com -@@||directtextbook.com^*.php?ad_ -@@||directwonen.nl/adverts/$~third-party -@@||discovery.com/components/consolidate-static/?files=*/adsense- -@@||disney.com.au/global/swf/banner300x250.swf -@@||disney.go.com/dxd/data/ads/game_ad.xml?gameid=$object-subrequest -@@||disneyphotopass.com/adimages/ -@@||disruptorbeam.com/assets/uploaded/ads/$image,~third-party -@@||dmgt.grapeshot.co.uk^$domain=dailymail.co.uk -@@||dmstatic.com^*/adEntry.js$domain=daft.ie -@@||doityourself.com^*/shared/ads.css$stylesheet -@@||dolidoli.com/images/ads- -@@||dolimg.com^*/dxd_ad_code.swf$domain=go.com -@@||dolphinimaging.com/banners.js -@@||dolphinimaging.com/banners/ -@@||domandgeri.com/banners/$~third-party -@@||dotomi.com/commonid/match?$script,domain=betfair.com -@@||doubleclick.net/ad/*.linkshare/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||doubleclick.net/ad/can/chow/$object-subrequest -@@||doubleclick.net/ad/can/tvcom/$object-subrequest,domain=tv.com -@@||doubleclick.net/adi/*.mlb/photos;*;sz=300x250;$subdocument,domain=mlb.com -@@||doubleclick.net/adi/*.mlb/scoreboard;pageid=scoreboard_ymd;sz=$subdocument,domain=mlb.com -@@||doubleclick.net/adi/amzn.*;ri=digital-music-track;$subdocument -@@||doubleclick.net/adi/apts.com/home;pos=$subdocument,domain=apartments.com -@@||doubleclick.net/adi/ebay.*/video;$subdocument,domain=ebay.com -@@||doubleclick.net/adi/mlb.mlb/*;pageid=cutfour;sz=$subdocument,domain=mlb.mlb.com -@@||doubleclick.net/adi/mlb.mlb/*;pageid=free_agent_tracker_$subdocument,domain=mlb.com -@@||doubleclick.net/adi/mlb.mlb/*^free_agent_tracker_12^$subdocument,domain=mlb.com -@@||doubleclick.net/adi/sny.tv/media;$subdocument,domain=sny.tv -@@||doubleclick.net/adi/sony.oz.opus/*;pos=bottom;$subdocument,domain=doctoroz.com -@@||doubleclick.net/adi/yesnetwork.com/media;$subdocument,domain=yesnetwork.com -@@||doubleclick.net/adi/zillow.hdp/$subdocument,domain=zillow.com -@@||doubleclick.net/adj/bbccom.live.site.auto/*^sz=1x1^$script,domain=bbc.com -@@||doubleclick.net/adj/cm.peo/*;cmpos=$script,domain=people.com -@@||doubleclick.net/adj/cm.tim/*;cmpos=$script,domain=time.com -@@||doubleclick.net/adj/ctv.muchmusicblog.com/$script -@@||doubleclick.net/adj/gamesco.socialgaming/$script,domain=ghsrv.com -@@||doubleclick.net/adj/imdb2.consumer.video/*;sz=320x240,$script -@@||doubleclick.net/adj/kval/health;pos=gallerytop;sz=$script,domain=kval.com -@@||doubleclick.net/adj/nbcu.nbc/videoplayer-$script -@@||doubleclick.net/adj/oiq.man.$script,domain=manualsonline.com -@@||doubleclick.net/adj/pch.candystand/video;pos=box;sz=300x250;a=$script,domain=candystand.com -@@||doubleclick.net/adj/pong.all/*;dcopt=ist;$script -@@||doubleclick.net/adj/profootballreference.fsv/$script,domain=pro-football-reference.com -@@||doubleclick.net/adj/wiredcom.dart/*;sz=300x250;*;kw=top;$script,domain=wired.com -@@||doubleclick.net/adj/yorkshire.jp/main-section;*;sz=120x600,160x600$script,domain=yorkshirepost.co.uk -@@||doubleclick.net/ddm/$image,domain=aetv.com|fyi.tv|history.com|mylifetime.com|speedtest.net|tweaktown.com -@@||doubleclick.net/ddm/clk/*://www.amazon.jobs/jobs/$subdocument,domain=glassdoor.com -@@||doubleclick.net/favicon.ico?$image,domain=grammarist.com -@@||doubleclick.net/instream/ad_status.js$domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||doubleclick.net/N2605/adi/MiLB.com/scoreboard;*;sz=728x90;$subdocument -@@||doubleclick.net/N6545/adj/*_music/video;$script,domain=virginmedia.com -@@||doubleclick.net/N6619/adj/zillow.hdp/$script,domain=zillow.com -@@||doubleclick.net/pfadx/*/cbs/$object-subrequest,domain=latimes.com -@@||doubleclick.net/pfadx/nfl.*/html5;$xmlhttprequest,domain=nfl.com -@@||doubleclick.net/pfadx/umg.*;sz=10x$script -@@||doubleclick.net^*/ad/nfl.*.smartclip/$object-subrequest,domain=nfl.com -@@||doubleclick.net^*/adi/MiLB.com/multimedia^$subdocument,domain=milb.com -@@||doubleclick.net^*/adi/MiLB.com/standings^$subdocument,domain=milb.com -@@||doubleclick.net^*/adj/wwe.shows/ecw_ecwreplay;*;sz=624x325;$script -@@||doubleclick.net^*/fdc.forbes/*;pos=thought;$script,domain=forbes.com -@@||doubleclick.net^*/ftcom.*;sz=1x1;*;pos=refresh;$script,domain=ft.com -@@||doubleclick.net^*/ndm.tcm/video;$script,domain=player.video.news.com.au -@@||doubleclick.net^*/targeted.optimum/*;sz=968x286;$image,popup,script -@@||doubleclick.net^*/videoplayer*=worldnow$subdocument,domain=ktiv.com|wflx.com -@@||doubleclick.net^*;type=BizDev_Article_RR1;$script,domain=reuters.com -@@||dove.saymedia.com^$xmlhttprequest -@@||downvids.net/ads.js -@@||dragon-mania-legends-wiki.mobga.me^*_advertisement. -@@||dragon-mania-legends-wiki.mobga.me^*_Advertisement_ -@@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/adserver.js?$domain=igougo.com|travelocity.com -@@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/drfcomms/advertisers?$script,domain=igougo.com|travelocity.com -@@||drf-global.com/servicegateway/globaltrips-shopping-svcs/drfadserver-1.0/pub/drfcomms/drf?$script,domain=igougo.com|travelocity.com -@@||drizzle.monsoonads.com/ip.php$object-subrequest,domain=bollywoodhungama.com -@@||drop.ndtv.com/social/widgets/$script,domain=ndtv.com -@@||dropzone.no/sap/its/gfx/top_ad_$image,~third-party -@@||drunkard.com/banners/drunk-korps-banner.jpg -@@||drunkard.com/banners/drunkard-gear.jpg -@@||drunkard.com/banners/modern-drunkard-book.jpg -@@||drupal.org^*/revealads.png -@@||dstw.adgear.com/crossdomain.xml$object-subrequest -@@||dstw.adgear.com/impressions/int/as=*.json?ag_r=$object-subrequest,domain=hot899.com|nj1015.com|streamtheworld.com|tsn.ca -@@||dwiextreme.com/banners/dwiextreme$image -@@||dx.com/openx/$image,~third-party -@@||dyncdn.buzznet.com/catfiles/?f=dojo/*.googleadservices.$script -@@||eafyfsuh.net/intermission/loadTargetUrl?t=$xmlhttprequest -@@||eafyfsuh.net/scripts/generated/key.js?t=$script -@@||eagleboys.com.au/eagleboys/*/ads/$~third-party -@@||earthcam.com/swf/ads5.swf -@@||earthtechling.com^*/imasters-wp-adserver-styles.css -@@||earthtv.com/player_tmp/overlayad.js -@@||easyfundraising.org.uk/images/home/*-120x60.$image -@@||ebaumsworld.com/js/aol-prebid.js -@@||ebayrtm.com/rtm?rtmcmd&a=json&cb=parent.$script -@@||eboundservices.com/iframe/newads/iframe.php?stream=$subdocument -@@||economist.com.na^*/banners/cartoon_ -@@||economist.com/ads_jobs.json -@@||edgar.pro-g.co.uk/data/*/videos/adverts/$object-subrequest -@@||edge.andomedia.com^*/ando/files/$object-subrequest,domain=radiou.com -@@||edmontonjournal.com/js/adsync/adsynclibrary.js -@@||edmontonsun.com/assets/js/dfp.js? -@@||eduspec.science.ru.nl^*-images/ad- -@@||eeweb.com/comics/*_ads-$image -@@||egotastic.us.intellitxt.com/intellitxt/front.asp -@@||ehow.co.uk/frames/ad.html?$subdocument -@@||eightinc.com/admin/zone.php?zoneid=$xmlhttprequest -@@||elephantjournal.com/ad_art/ -@@||eluxe.ca^*_doubleclick.js*.pagespeed.$script -@@||emailbidding.com^*/advertiser/$~third-party,xmlhttprequest -@@||emergencymedicalparamedic.com/wp-content/themes/AdSense/style.css -@@||empireonline.com/images/image_index/300x250/ -@@||engadget.com/_uac/adpage.html$subdocument -@@||engine.*/Tag.engine?$script,domain=primewire.ag|primewire.in -@@||engine.adzerk.net/ados?$script,domain=serverfault.com|stackoverflow.com -@@||engine.spotscenered.info^$script,domain=streamcloud.eu -@@||englishanimes.com/wp-content/themes/englishanimes/js/pop.js -@@||engrish.com/wp-content/uploads/*/advertisement-$image,~third-party -@@||epiccustommachines.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epiccustommachines.com -@@||epicgameads.com/crossdomain.xml$object-subrequest -@@||epicgameads.com/games/getSwfPath.php?$object-subrequest,domain=freewebarcade.com -@@||epicgameads.com/games/mec_release_*.swf?$object-subrequest,domain=freewebarcade.com -@@||epicindustrialautomation.com/cdn-cgi/pe/bag2?r*googleadservices.com$xmlhttprequest,domain=epicindustrialautomation.com -@@||epicmodularprocess.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epicmodularprocess.com -@@||epicpackagingsystems.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epicpackagingsystems.com -@@||epicsysinc.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epicsysinc.com -@@||epicvisionsystems.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=epicvisionsystems.com -@@||eplayerhtml5.performgroup.com/js/tsEplayerHtml5/js/Eplayer/js/modules/bannerview/bannerview.main.js? -@@||equippers.com/abm.aspx?$script -@@||equippers.com/absolutebm.aspx?$script -@@||escdn.co^$xmlhttprequest,domain=estream.to -@@||esi.tech.ccp.is^*/affiliation/ -@@||espn.co.uk/ads/gamemodule_v0.2.swf$object -@@||espn.go.com^*/espn360/banner?$subdocument -@@||espncdn.com/combiner/*/admgr.$script,domain=espn.go.com -@@||espncdn.com/combiner/c?*/ads.css$domain=espn.go.com -@@||espncdn.com/combiner/c?*/advertising.$stylesheet,domain=espnfc.com -@@||espngp.com/ads/*_sprite$domain=espnf1.com -@@||esquire.com/ams/page-ads.js?$script -@@||euads.org^$~third-party -@@||eurogamer.net^$generichide -@@||eurogamer.net^$script,domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||evanscycles.com/ads/$image,~third-party -@@||eventcinemas.co.nz^*_adhub_server_$script -@@||eventim.de/obj/basic/ad2_obj/layout/ -@@||ewallpapers.eu/ads/logo.jpg -@@||exoclick.com/ads.php?*login$script,domain=imgserve.net|imgtiger.com -@@||expedia.co.nz/html.cms/tpid=*&adsize= -@@||expedia.com/daily/common/msi.asp -@@||expedia.com/html.cms/TPID=*&ADSIZE=$subdocument -@@||expedia.com/js.ng/*&PLACEMENT=CXHOMECORE_$script -@@||expedia.com/minify/ads-min-*.js? -@@||explosm.net/comics/$image -@@||explosm.net/db/files/comics/$image -@@||expressclassifiedstt.com/adimg.php?$~third-party -@@||extras.chron.com/banners/*/social_icons/$image,subdocument -@@||ezone.com/banners/swfs/$object,domain=ezone.com -@@||f-cdn.com/build/js/ads/main.js?$domain=freelancer.com -@@||facebook.com/ads/ajax/ads_stats_dialog/$~third-party,xmlhttprequest -@@||facebook.com/ads/profile/advertisers/$~third-party,xmlhttprequest -@@||facebook.com/ads/profile/interests/$~third-party,xmlhttprequest -@@||facebook.com/ajax/feed/filter_action/dialog_direct_action_ads?$xmlhttprequest,domain=facebook.com -@@||faceinhole.com/adsense.swf$object-subrequest -@@||farecompare.com^*/farecomp/ -@@||fbcdn.net/rsrc.php/*-aD2.js$script -@@||fbexternal-a.akamaihd.net/safe_image.php?$image,domain=facebook.com -@@||feedroom.speedera.net/static.feedroom.com/affiliate/ -@@||feeds.videogamer.com^*/videoad.xml?$object-subrequest -@@||festina.com/txt/advertising.xml$object-subrequest -@@||ff.connextra.com^$domain=pinnaclesports.com -@@||fifa.com/flash/videoplayer/libs/advert_$object-subrequest -@@||files.coloribus.com^$image,~third-party -@@||files.linuxgizmos.com/adlink_$image,domain=hackerboards.com -@@||filestage.to/design/player/player.swf?*&popunder=$object,third-party -@@||firstpost.in/wp-content/uploads/promo/social_icons.png -@@||fixtracking.com/images/ad-$image,~third-party -@@||flashgames247.com/advertising/ima-vast-preroll.swf$object,domain=flashgames247.com -@@||flipboard.com/media/uploads/adv_$image,~third-party -@@||flipkart.com/affiliate/displayWidget?$subdocument,domain=affrity.com -@@||flossmanuals.net/site_static/xinha/plugins/DoubleClick/$~third-party -@@||flyerservices.com/cached_banner_pages/*bannerid= -@@||flysaa.com^*/jquery.adserver.js -@@||fmpub.net/site/$domain=theawl.com -@@||fncstatic.com^*/fox411/fox-411-head-728x90.png$domain=foxnews.com -@@||folklands.com/health/advertise_with_us_files/$~third-party -@@||forbesimg.com/assets/js/forbes/right_rail_sticky_ad.js$domain=forbes.com -@@||force.com/adv_$~third-party,xmlhttprequest -@@||forex.com/adx/$image -@@||fortune.com/data/chartbeat/$xmlhttprequest -@@||forum.xda-developers.com^$generichide -@@||forums.realgm.com/banners/ -@@||freeads.in/classifieds/common/postad.css -@@||freeads.in/freead.png -@@||freeonlinegames.com/advertising/adaptv-as3.swf?$object -@@||freeonlinegames.com/advertising/google-loader.swf?$object -@@||freeride.co.uk/img/admarket/$~third-party -@@||freeviewnz.tv^*/uploads/ads/ -@@||freeworldgroup.com/googleloader/GoogleAds.swf?contentId=FWG_Game_PreLoader&$object,domain=freeworldgroup.com -@@||fs-freeware.net/images/jdownloads/downloadimages/banner_ads.png -@@||fsdn.com/sd/topics/advertising_64.png$domain=slashdot.org -@@||funiaste.net/obrazki/*&adtype= -@@||g.doubleclick.net/aclk?$subdocument,domain=nedbank.co.za -@@||g.doubleclick.net/aclk?*^adurl=http://thoughtcatalog.com/$popup,domain=thoughtcatalog.com -@@||g.doubleclick.net/crossdomain.xml$object-subrequest,domain=~filmon.tv|~newgrounds.com -@@||g.doubleclick.net/gampad/ads?$object-subrequest,domain=majorleaguegaming.com|nfl.com|player.rogersradio.ca|twitch.tv|viki.com|volarvideo.com|worldstarhiphop.com -@@||g.doubleclick.net/gampad/ads?$script,domain=app.com|argusleader.com|autoguide.com|battlecreekenquirer.com|baxterbulletin.com|beqala.com|boatshop24.com|bodas.com.mx|bodas.net|bucyrustelegraphforum.com|burlingtonfreepress.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|chillicothegazette.com|cincinnati.com|clarionledger.com|coloradoan.com|computerworlduk.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|daveramsey.com|deadspin.com|defensenews.com|delawareonline.com|democratandchronicle.com|desmoinesregister.com|dnj.com|drupalcommerce.org|economist.com|escapegames.com|fdlreporter.com|flightcentre.co.uk|floridatoday.com|foxnews.com|freep.com|games.latimes.com|gawker.com|gizmodo.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|gz.com|hattiesburgamerican.com|hometownlife.com|htrnews.com|indystar.com|investopedia.com|io9.com|ithacajournal.com|jacksonsun.com|jalopnik.com|jconline.com|jezebel.com|kbb.com|kotaku.com|lancastereaglegazette.com|lansingstatejournal.com|lifehacker.com|liverpoolfc.com|livescience.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|mariages.net|marionstar.com|marshfieldnewsherald.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|merriam-webster.com|montgomeryadvertiser.com|motorcycle.com|mycentraljersey.com|mydesert.com|mysoju.com|nauticexpo.com|nedbank.co.za|nedbankgreen.co.za|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|nonags.com|noodle.com|orbitz.com|pal-item.com|phoronix.com|podomatic.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|qz.com|rgj.com|ripley.cl|ripley.com.pe|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thedailyjournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thesimsresource.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|thoughtcatalog.com|ticketek.com.ar|urbandictionary.com|virginaustralia.com|visaliatimesdelta.com|volokh.com|vroomvroomvroom.com.au|wausaudailyherald.com|weddingspot.co.uk|wired.com|wisconsinrapidstribune.com|wlj.net|wsj.com|zanesvilletimesrecorder.com|zavvi.com|zillow.com|zui.com -@@||g.doubleclick.net/gampad/ads?$xmlhttprequest,domain=daveramsey.com|s4c.cymru -@@||g.doubleclick.net/gampad/ads?*^iu_parts=7372121%2CPTGBanner%2C$script,domain=pianobuyer.com -@@||g.doubleclick.net/gampad/ads?*www.forbes.com%2Ffdc%2Fwelcome_mjx.shtml$script,domain=forbes.com -@@||g.doubleclick.net/gampad/ads?adk$domain=rte.ie -@@||g.doubleclick.net/gampad/adx?$xmlhttprequest,domain=qz.com -@@||g.doubleclick.net/gampad/google_ads.js$domain=nedbank.co.za|nitrome.com|ticketek.com.ar -@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=120sports.com|africanindy.com|allmusic.com|beqala.com|bodas.com.mx|bodas.net|canoe.com|caranddriver.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|cbsnews.com|consequenceofsound.net|cwtv.com|daveramsey.com|deadspin.com|denofgeek.co|denofgeek.com|drupalcommerce.org|ebaumsworld.com|economist.com|ew.com|flightcentre.co.uk|forbes.com|foxnews.com|gawker.com|gizmodo.com|goalzz.com|greyhoundbet.racingpost.com|independent.co.uk|indianexpress.com|investopedia.com|io9.com|jalopnik.com|jezebel.com|kbb.com|kotaku.com|latimes.com|lifehacker.com|liverpoolfc.com|livescience.com|m.tmz.com|mariages.net|marvel.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|merriam-webster.com|mlb.com|nauticexpo.com|noodle.com|nydailynews.com|nytimes.com|opb.org|orbitz.com|out.com|phoronix.com|pianobuyer.com|pocketnow.com|qz.com|ripley.cl|ripley.com.pe|seahawks.com|sendtonews.com|theatlantic.com|thesimsresource.com|thoughtcatalog.com|time.com|upi.com|urbandictionary.com|vanityfair.com|video.foxbusiness.com|vroomvroomvroom.com.au|washingtonexaminer.com|weather.com|weddingspot.co.uk|wired.com|wlj.net|wsj.com|wtop.com|wwe.com|zavvi.com|zdnet.com|zillow.com -@@||g.doubleclick.net/pagead/ads?ad_type=image_text^$object-subrequest,domain=ebog.com|gameark.com -@@||g.doubleclick.net/pagead/ads?ad_type=text_dynamicimage_flash^$object-subrequest -@@||g.doubleclick.net/pcs/click^$popup,domain=economist.com -@@||g.doubleclick.net/static/glade.js$domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||g.doubleclick.net/static/glade/extra_$script,domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||g4tv.com/clientscriptoptimizer.ashx?*-ads.$script,stylesheet -@@||gactv.com^*/javascript/ad/coread/$script -@@||game.zylom.com^*.swf?*&adURL=$object -@@||game.zylom.com^*/cm_loader.*.swf?$object -@@||gamehouse.com/adiframe/preroll-ad/$subdocument -@@||gameitnow.com/ads/gameadvertentie.php?$subdocument -@@||gameitnow.com/ads/google_loader.swf$object -@@||gamer-network.net^$script,domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||games.cnn.com/ad/$object,object-subrequest,subdocument -@@||games.washingtonpost.com/games/$generichide -@@||gamesgames.com/vda/friendly-iframe.html?videoPreroll300x250$subdocument -@@||gan.doubleclick.net/gan_impression?lid=$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||gannett.gcion.com/addyn/$script,domain=greenbaypressgazette.com|wcsh6.com -@@||garmin.com^*/Sponsors.js? -@@||garrysmod.org/ads/$image,script,stylesheet -@@||gcultra.com/js/exit_popup.js -@@||geektime.com/wp-content/uploads/*/Google-Adsense-$image,~third-party -@@||getgamesgo.com/Banners/$image,~third-party -@@||getkahoot.com/banners/welcome/$subdocument -@@||getprice.com.au/images/$domain=shopping.ninemsn.com.au|shopping.yahoo.com.au -@@||gfsrv.net/ad/$domain=ogame.org|ogame.us -@@||ghstatic.com/archives/*&adURL=$domain=game.zylom.com -@@||girlsplay.com/banners/ima3_preloader_$object -@@||gitorious.org/adv/$~third-party,xmlhttprequest -@@||gizmodo.in/doubleclickads/$script -@@||glamour.com/aspen/components/cn-fe-ads/js/cn.dart.js -@@||glamour.com/aspen/js/dartCall.js -@@||glendalenewspress.com/hive/images/adv_ -@@||glnimages.s3.amazonaws.com/odw/ad$image,domain=odysseyware.com -@@||globaltv.com/js/smdg_ads.js -@@||gmfreeze.org/site_media//uploads/page_ad_images/$image -@@||gmodules.com/ig/ifr?up_ad$domain=healthboards.com -@@||gmx.com/images/outsource/application/mailclient/mailcom/resource/mailclient/flash/multiselection_upload/multiselectionupload-*.swf$object -@@||go2cloud.org/aff_i?$image,domain=affrity.com -@@||godtube.com/resource/mediaplayer/*&adzone=$object-subrequest -@@||goember.com/ad/*.xml?$xmlhttprequest -@@||goodeed.com/donation/pr/*/makegoodeed$document -@@||goodyhoo.com/banners/ -@@||google.*/s?*&q=$~third-party,xmlhttprequest,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se -@@||google.*/search?sclient=*&q=$~third-party,xmlhttprequest,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se -@@||google.*/webpagethumbnail?*&query=$script,~third-party,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se -@@||google.com/_/apps-static/*/socialads/$script,stylesheet,~third-party -@@||google.com/_static/images/*/ads.png$~third-party -@@||google.com/ads/search/module/ads/*/search.js$domain=about.com|armstrongmywire.com|atlanticbb.net|bestbuy.com|bresnan.net|broadstripe.net|buckeyecablesystem.net|cableone.net|centurylink.net|charter.net|cincinnatibell.net|dish.net|ehow.com|forbbbs.org|forbes.com|hargray.net|hawaiiantel.net|hickorytech.net|homeaway.co.uk|knology.net|livestrong.com|mediacomtoday.com|midco.net|mybendbroadband.com|mybrctv.com|mycenturylink.com|myconsolidated.net|myepb.net|mygrande.net|mygvtc.com|myhughesnet.com|myritter.com|northstate.net|nwcable.net|query.nytimes.com|rentals.com|search.rr.com|searchresults.verizon.com|suddenlink.net|surewest.com|synacor.net|tds.net|toshiba.com|trustedreviews.com|truvista.net|windstream.net|windstreambusiness.net|wowway.net|zoover.co.uk|zoover.com -@@||google.com/adsense/$subdocument,domain=sedo.co.uk|sedo.com|sedo.jp|sedo.kr|sedo.pl -@@||google.com/adsense/search/ads.js$domain=armstrongmywire.com|atlanticbb.net|bestbuy.com|bresnan.net|broadstripe.net|buckeyecablesystem.net|cableone.net|centurylink.net|charter.net|cincinnatibell.net|dish.net|forbbbs.org|forbes.com|gumtree.com.au|hargray.net|hawaiiantel.net|hickorytech.net|homeaway.co.uk|knology.net|livestrong.com|mediacomtoday.com|midco.net|mybendbroadband.com|mybrctv.com|mycenturylink.com|myconsolidated.net|myepb.net|mygrande.net|mygvtc.com|myhughesnet.com|myritter.com|northstate.net|nwcable.net|query.nytimes.com|rentals.com|search.rr.com|searchresults.verizon.com|suddenlink.net|surewest.com|synacor.net|tds.net|toshiba.com|trustedreviews.com|truvista.net|windstream.net|windstreambusiness.net|wowway.net|www.google.com|zoover.co.uk|zoover.com -@@||google.com/adsense/search/async-ads.js$domain=about.com|ehow.com -@@||google.com/afs/ads?$document,subdocument,domain=ehow.com|livestrong.com -@@||google.com/doubleclick/studio/swiffy/$domain=www.google.com -@@||google.com/recaptcha/$subdocument,domain=sh.st -@@||google.com/search?q=$xmlhttprequest -@@||google.com/uds/?file=ads&$script,domain=guardian.co.uk|landandfarm.com -@@||google.com/uds/afs?$document,subdocument,domain=about.com|ehow.com|livestrong.com -@@||google.com/uds/api/ads/$script,domain=guardian.co.uk -@@||google.com/uds/api/ads/*/search.$script,domain=landandfarm.com|query.nytimes.com|trustedreviews.com|www.google.com -@@||google.com/uds/modules/elements/newsshow/iframe.html?format=728x90^$document,subdocument -@@||google.com^*/show_afs_ads.js$domain=whitepages.com -@@||googleadservices.com/pagead/conversion_async.js$domain=dillards.com -@@||googleapis.com/flash/*adsapi_*.swf$domain=viki.com|wwe.com -@@||googlesyndication.com/pagead/ads?$object-subrequest,domain=nx8.com -@@||googlesyndication.com/pagead/imgad?id=$image,domain=kbb.com|liverpoolfc.com|noodle.com|vroomvroomvroom.com.au -@@||googlesyndication.com/pagead/imgad?id=$image,script,domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||googlesyndication.com/safeframe/$subdocument,domain=investopedia.com|livescience.com|merriam-webster.com -@@||googlesyndication.com/simgad/$image,domain=amctheatres.com|beqala.com|bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|drupalcommerce.org|economist.com|eurogamer.net|flightcentre.co.uk|liverpoolfc.com|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|nedbank.co.za|nintendolife.com|orbitz.com|pianobuyer.com|podomatic.com|ripley.cl|ripley.com.pe|rockpapershotgun.com|thoughtcatalog.com|usgamer.net|vg247.com|weddingspot.co.uk|wlj.net|zavvi.com -@@||googlesyndication.com/simgad/13728906246154688052|$image,domain=wsj.com -@@||googlesyndication.com/simgad/7375390051936080329|$image,domain=wsj.com -@@||googlesyndication.com/simgad/781098143614816132|$image,domain=wsj.com -@@||googlesyndication.com/simgad/781301171516911047|$image,domain=wsj.com -@@||googletagservices.com/dcm/dcmads.js$domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||gopjn.com/b/$image,domain=deliverydeals.co.uk -@@||gorillanation.com/storage/lightbox_code/static/companion_ads.js$domain=comingsoon.net|gamerevolution.com|sohh.com -@@||gotoassist.com/images/ad/ -@@||gotomeeting.com/images/ad/$image,stylesheet -@@||greasyfork.org/system/screenshots/screenshots/$domain=greasyfork.org -@@||guardian4.com/banners/$image,~third-party -@@||guardianapps.co.uk^*/advertisement-features$xmlhttprequest -@@||guim.co.uk^*/styles/wide/google-ads.css -@@||gulflive.com/static/common/js/ads/ads.js -@@||gumtree.com^*/postAd.js -@@||guysen.com/script/ads.js -@@||gws.ign.com/ws/search?*&google_adpage=$script -@@||hackerboards.com/files/adlink_$image,domain=hackerboards.com -@@||hafeezcentre.pk^*/ads_images/$image,~third-party -@@||hallo.co.uk/advert/$~third-party -@@||harmonsgrocery.com/ads/$image -@@||hawaii-scuba.com/ads_styles.css -@@||hbindependent.com/hive/images/adv_ -@@||header.tech/MetOffice_$script,domain=metoffice.gov.uk -@@||healthadnet.adprimemedia.com/vn/vna/data/ad.php$object-subrequest -@@||healthcare-learning.com/banners/$image,domain=healthcare-learning.com -@@||healthcare.gov/global/images/widgets/him/$domain=cms.gov -@@||healthline.com/resources/base/js/responsive-ads.js? -@@||healthline.com/v2/ad-leaderboard-iframe?$subdocument -@@||healthline.com/v2/ad-mr2-iframe?useAdsHost=*&dfpAdSite= -@@||hebdenbridge.co.uk/ads/images/smallads.png -@@||hellotv.in/livetv/advertisements.xml$object-subrequest -@@||hentai-foundry.com/themes/default/images/buttons/add_comment_icon.png -@@||hihostels.com^*/hibooknow.php?affiliate=$subdocument -@@||hillvue.com/banners/$image,~third-party -@@||hipsterhitler.com/hhcomic/wp-content/uploads/2011/10/20_advertisement.jpg -@@||hipsterhitler.com/wp-content/webcomic/$image -@@||history.com^$generichide -@@||historyextra.com^*_advertorial$stylesheet -@@||hitc-s.com^*/advertisement.js$domain=hitc.com -@@||hitwastedgarden.com^$script,domain=junglevibe2.net|linkshrink.net -@@||hologfx.com/banners/$image,~third-party -@@||homedepot.com^*/thdGoogleAdSense.js -@@||hotnewhiphop.com/web_root/images/ads/banner-*.png -@@||housebeautiful.com/ams/page-ads.js -@@||housebeautiful.com/cm/shared/scripts/refreshads-*.js -@@||houstonpress.com/adindex/$xmlhttprequest -@@||howcast.com/flash/assets/ads/liverail.swf -@@||hp.com^*/scripts/ads/$~third-party -@@||huffingtonpost.co.uk/_uac/adpage.html -@@||huffingtonpost.com/_uac/adpage.html -@@||huffingtonpost.com/images/ads/$~third-party -@@||huffpost.com/images/ads/$domain=huffingtonpost.com -@@||hulu.com/published/*.flv -@@||hulu.com/published/*.mp4 -@@||humana-medicare.com/ad/$~document,domain=humana-medicare.com -@@||huntington.com/Script/AdManager.js -@@||i.cdn.turner.com^*/adserviceadapter.swf -@@||i.com.com^*/adfunctionsd-*.js$domain=cbsnews.com|cbssports.com|cnettv.cnet.com|metacritic.com|tv.com|twitch.tv -@@||i.espn.co.uk/ads/gamemodule_$object -@@||ibnlive.com/videoads/*_ads_*.xml$object-subrequest -@@||ibsrv.net/ads/$domain=carsdirect.com -@@||icefilms.info/jquery.lazyload-ad-*-min.js -@@||icons.iconarchive.com/icons/$image -@@||identity-us.com/ads/ads.html -@@||ifeelgoood.com/tapcontent-*.swf?clicktag=$object -@@||iframe.ivillage.com/iframe_render? -@@||ign.com/js.ng/size=headermainad&site=teamxbox$script,domain=teamxbox.com -@@||ikea.com^*/img/ad_ -@@||ikea.com^*/img/ads/ -@@||images-amazon.com/images/*/adsimages/$domain=amazon.com -@@||images-amazon.com/images/G/01/traffic/s9m/images/sweeps/$image,domain=amazon.com -@@||images-amazon.com^$domain=affrity.com -@@||images.dashtickets.co.nz/advertising/featured/$image -@@||images.forbes.com/video/ads/blank_frame.flv$object-subrequest -@@||images.frys.com/art/ads/images/$image,~third-party -@@||images.frys.com/art/ads/js/$script,stylesheet -@@||images.mmorpg.com/scripts/advertisement.js -@@||images.nationalgeographic.com/wpf/media-live/graphic/ -@@||images.nickjr.com/ads/promo/ -@@||images.rewardstyle.com/img?$image,domain=glamour.com|itsjudytime.com -@@||images.vantage-media.net^$domain=yahoo.net -@@||imagesbn.com/resources?*/googlead.$stylesheet,domain=barnesandnoble.com -@@||imasdk.googleapis.com/flash/core/3.*/adsapi.swf$object-subrequest -@@||imasdk.googleapis.com/flash/sdkloader/adsapi_3.swf$object-subrequest -@@||imasdk.googleapis.com/js/core/bridge*.html$subdocument,domain=~spotify.com -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=allcatvideos.com|audiomack.com|bloomberg.com|cbc.ca|cbssports.com|cnet.com|complex.com|gamejolt.com|news.sky.com|play.ludigames.com|player.performgroup.com|rumble.com|snopes.com|theverge.com|video.foxbusiness.com|video.foxnews.com|vidyomani.com -@@||img-cdn.mediaplex.com^$image,domain=betfair.com -@@||img.brickscout.com^$domain=brickscout.com -@@||img.espngp.com/ads/$image,domain=espnf1.com -@@||img.mediaplex.com^*_afl_bettingpage_$domain=afl.com.au -@@||img.revcontent.com^$domain=dailydot.com -@@||img.thedailywtf.com/images/ads/ -@@||img.travidia.com^$image -@@||img.weather.weatherbug.com^*/stickers/$image,stylesheet -@@||imgag.com^*/adaptvadplayer.swf$domain=egreetings.com -@@||imobie.com/js/anytrans-adv.js -@@||imp*.tradedoubler.com/imp?type(img)$image,domain=deliverydeals.co.uk -@@||imp*.tradedoubler.com/imp?type(js)$script,domain=europe-airports.com -@@||impde.tradedoubler.com/imp?type(img)$image,domain=sunsteps.org -@@||imwx.com/js/adstwo/adcontroller.js$domain=weather.com -@@||imzy.com/api/communities/no-auth/creative_ads$~third-party,xmlhttprequest -@@||indiaresults.com/advertisements/submit.png -@@||indiatimes.com/configspace/ads/$object,object-subrequest -@@||infoworld.com/www/js/ads/gpt_includes.js -@@||innovid.com/crossdomain.xml$object-subrequest,domain=~channel4.com -@@||innovid.com/iroll/package/iab-vpaid-ex/$domain=cbs.com -@@||innovid.com^$object-subrequest,domain=hulu.com -@@||innovid.com^*/VPAIDEXIRollPackage.swf$domain=cbs.com -@@||inserts2online.com/*.jsp?*&adid=$subdocument -@@||inserts2online.com/images/site/viewad.gif -@@||inskin.vo.llnwd.net^*/api/tvcatchup-light.js$domain=tvcatchup.com -@@||inskin.vo.llnwd.net^*/api/tvcatchup.js$domain=tvcatchup.com -@@||inskin.vo.llnwd.net^*/preroll_$object-subrequest,domain=tvcatchup.com -@@||inskinad.com/isapadserver/ads.aspx?$script,domain=tvcatchup.com -@@||inskinmedia.com^*/api/brightcove3.js$domain=virginmedia.com -@@||inskinmedia.com^*/js/base/api/$domain=mousebreaker.com -@@||inspire.net.nz/adverts/$image -@@||intellicast.com/App_Images/Ads/$image,~third-party -@@||intellicast.com/App_Scripts/ad.*.js$script,~third-party -@@||intellitext.co^$~third-party -@@||intellitxt.com/ast/js/nbcuni/$script -@@||intentmedia.net/adServer/$script,xmlhttprequest,domain=travelzoo.com -@@||intentmedia.net/javascripts/$script,domain=travelzoo.com -@@||interadcorp.com/script/interad.$script,stylesheet -@@||intergi.com^*/videos/$media,other,third-party -@@||investopedia.com/inv/ads/$image,domain=investopedia.com -@@||investopedia.com^$elemhide -@@||investors.com/Scripts/AdScript.js? -@@||inviziads.com/crossdomain.xml$object-subrequest -@@||iolproperty.co.za/images/ad_banner.png -@@||ipcamhost.net/flashads/*.swf$object-subrequest,domain=canadianrockies.org -@@||ipcdigital.co.uk^*/adloader.js?$domain=trustedreviews.com -@@||ipcdigital.co.uk^*/adtech.js$domain=trustedreviews.com -@@||island.lk/userfiles/image/danweem/island.gif -@@||itv.com/itv/hserver/*/site=itv/$xmlhttprequest -@@||itv.com/itv/jserver/$script,domain=itv.com -@@||itv.com/itv/lserver/jserver/area=*/pubtype=home/*showad=true/*/size=resptakeover/$script,domain=itv.com -@@||itv.com^*.adserver.js -@@||itv.com^*/flvplayer.swf?$object -@@||itv.com^*/tvshows_adcall_08.js -@@||itweb.co.za/banners/en-cdt*.gif -@@||jivox.com/player/v1/iBuster.js$domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||jobs.wa.gov.au/images/advertimages/ -@@||jobsearch.careerone.com.au^*/bannerad.asmx/ -@@||jobstreet.com/_ads/ -@@||johnston.grapeshot.co.uk^$domain=peterboroughtoday.co.uk -@@||joyhubs.com/View/*/js/pop.js -@@||js.indexww.com^$script,domain=everydayhealth.com -@@||js.revsci.net/gateway/gw.js?$domain=app.com|argusleader.com|aviationweek.com|battlecreekenquirer.com|baxterbulletin.com|bucyrustelegraphforum.com|burlingtonfreepress.com|centralohio.com|chillicothegazette.com|cincinnati.com|citizen-times.com|clarionledger.com|coloradoan.com|coshoctontribune.com|courier-journal.com|courierpostonline.com|dailyrecord.com|dailyworld.com|delawareonline.com|delmarvanow.com|democratandchronicle.com|desmoinesregister.com|dnj.com|fdlreporter.com|foxsmallbusinesscenter.com|freep.com|greatfallstribune.com|greenbaypressgazette.com|greenvilleonline.com|guampdn.com|hattiesburgamerican.com|hometownlife.com|honoluluadvertiser.com|htrnews.com|indystar.com|jacksonsun.com|jconline.com|lancastereaglegazette.com|lansingstatejournal.com|livingstondaily.com|lohud.com|mansfieldnewsjournal.com|marionstar.com|marshfieldnewsherald.com|montgomeryadvertiser.com|mycentraljersey.com|mydesert.com|newarkadvocate.com|news-leader.com|news-press.com|newsleader.com|pal-item.com|pnj.com|portclintonnewsherald.com|postcrescent.com|poughkeepsiejournal.com|press-citizen.com|pressconnects.com|rgj.com|sctimes.com|sheboyganpress.com|shreveporttimes.com|stargazette.com|statesmanjournal.com|stevenspointjournal.com|tallahassee.com|tennessean.com|theadvertiser.com|thecalifornian.com|thedailyjournal.com|theithacajournal.com|theleafchronicle.com|thenews-messenger.com|thenewsstar.com|thenorthwestern.com|thespectrum.com|thestarpress.com|thetimesherald.com|thetowntalk.com|visaliatimesdelta.com|wausaudailyherald.com|weather.com|wisconsinrapidstribune.com|zanesvilletimesrecorder.com -@@||jsstatic.com/_ads/ -@@||jtvnw.net/widgets/jtv_player.*&referer=http://talkrtv.com/ad/channel.php?$object,domain=talkrtv.com -@@||justin-klein.com/banners/ -@@||kaltura.com^*/doubleClickPlugin.swf$object-subrequest,domain=thechive.com|tmz.com -@@||kamernet.nl^*/Adverts/$~third-party,xmlhttprequest -@@||karolinashumilas.com/img/adv/ -@@||kcna.kp/images/ads_arrow_ -@@||kcra.com^*/adpositionsizein-min.js -@@||kenovatech.com/affiliate_signin_signup.php?$subdocument -@@||keygamesnetwork.com/adserve/request/$object-subrequest,domain=gamesforwork.com -@@||kidshealth.org/licensees/licensee1/js/gam.html -@@||king5.com/templates/belo_dart_iframed_ad?dartTag=LeaderTop&$subdocument -@@||kingofgames.net/gads/kingofgames.swf -@@||kixer.com/ad/12?$xmlhttprequest,domain=m.tmz.com -@@||kixer.com/ad/2?$xmlhttprequest,domain=m.tmz.com -@@||kiz10.com/template/publicidad/ficha/ads_preloadgame/ima3_preloader_$object -@@||kloubert.com/wp-content/uploads/*/Advertising_$image,~third-party -@@||koaa.com/videoplayer/iframe.cfm?*&hide_ads= -@@||kongcdn.com/game_icons/*-300x250_$domain=kongregate.com -@@||kotak.com/banners/$image -@@||kpsule.me/ads/$script,domain=eurogamer.net|nintendolife.com|onehourtranslation.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||krispykreme.com/content/images/ads/ -@@||ksl.com/resources/classifieds/graphics/ad_ -@@||l.yimg.com/*/adservice/ -@@||l.yimg.com/zz/combo?*/advertising.$stylesheet -@@||lacanadaonline.com/hive/images/adv_ -@@||lads.myspace.com/videos/msvideoplayer.swf?$object,object-subrequest -@@||lanacion.com.ar/*/publicidad/ -@@||laptopmag.com^$generichide -@@||larazon.es/larazon-theme/js/publicidad.js? -@@||lbdevicons.brainient.com/flash/*/VPAIDWrapper.swf$object,domain=mousebreaker.com -@@||lduhtrp.net/image-$domain=uscbookstore.com -@@||leadback.advertising.com/adcedge/$domain=careerbuilder.com -@@||lehighvalleylive.com/static/common/js/ads/ads.js -@@||lelong.com.my/UserImages/Ads/$image,~third-party -@@||lemon-ads.com^$~document,~third-party -@@||lesacasino.com/banners/$~third-party -@@||letsadvertisetogether.com^$script,domain=flashx.tv|universityherald.com -@@||libraryjournal.com/wp-content/plugins/wp-intern-ads/$script,stylesheet -@@||lifehacker.co.in/doubleclickads/$script -@@||lightningcast.net/servlets/getplaylist?*&responsetype=asx&$object -@@||lijit.com///www/delivery/fpi.js?*&width=728&height=90$script,domain=hypeseek.com -@@||limecellular.com/resources/images/adv/$~third-party -@@||linkbucks.com/tmpl/$image,stylesheet -@@||linkconnector.com/traffic_record.php?lc=$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||linkshare.iregdev.com/images/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||linkshrink.net/content/js/jquery-*.min.js$script -@@||linkstorm.net/stormbird/ls-pub-include.js$domain=eurogamer.net|nintendolife.com|onehourtranslation.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||linksynergy.com/fs-bin/show?id=$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||linksynergy.com/fs/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||lipsum.com/images/banners/ -@@||listings.brokersweb.com/JsonSearchSb.aspx?*&maxAds=$script -@@||live-support.se^*/Admax/$~third-party -@@||live.seenreport.com:82/media/js/ads_controller.js?$domain=live.geo.tv -@@||live.seenreport.com:82/media/js/fingerprint.js?$domain=live.geo.tv -@@||live365.com/mini/blank300x250.html -@@||live365.com/scripts/liveads.js -@@||live365.com/web/components/ads/*.html? -@@||liverail.com/?LR_PUBLISHER_ID=$xmlhttprequest,domain=dailymotion.com -@@||liverail.com/?url=http%3A%2F%2Fads.adaptv.advertising.com$xmlhttprequest,domain=dailymotion.com -@@||liverail.com/js/LiveRail.AdManager$script,domain=~bluray-disc.de -@@||liverail.com/js/LiveRail.Interstitial-$script,domain=keygames.com -@@||liverail.com^*/liverail_preroll.swf$object,domain=newgrounds.com -@@||liverail.com^*/vpaid-player.swf?$object,domain=addictinggames.com|keygames.com|nglmedia.com|shockwave.com -@@||livescience.com^$generichide -@@||llnwd.net^*/js/3rdparty/swfobject$script -@@||logmein.com/Serve.aspx?ZoneID=$script,~third-party -@@||lokopromo.com^*/adsimages/$~third-party -@@||longtailvideo.com/flowplayer/ova-*.swf$domain=rosemaryconley.tv -@@||longtailvideo.com^*/gapro.js$domain=physorg.com -@@||loot.com/content/css/combo/advert_$domain=loot.com -@@||lovefilm.com/ajax/widgets/advertising/$xmlhttprequest -@@||lovefilm.com/static/scripts/advertising/dart.overlay.js -@@||lovemybubbles.com/images/ads/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||ltassrv.com/crossdomain.xml$object-subrequest -@@||ltassrv.com/yume.swf$domain=animecrazy.net|gamedorm.org|gamepro.com|satsukai.com|sparknotes.com -@@||ltassrv.com/yume/yume_$object-subrequest,domain=animecrazy.net|gamedorm.org|gamepro.com|satsukai.com|sparknotes.com -@@||luceosolutions.com/recruit/advert_details.php?id=$subdocument -@@||lycos.com/catman/init.js$domain=video.lycos.com -@@||lyngsat-logo.com/icon/flag/az/ad.gif -@@||mac-sports.com/ads2/508128.swf -@@||macworld.com/www/js/ads/jquery.lazyload-ad.js -@@||madlemmings.com/wp-content/uploads/*/Google-$image,domain=madlemmings.com -@@||mads.cbs.com/mac-ad?$object-subrequest -@@||mads.com.com/ads/common/faith/*.xml$object-subrequest -@@||mads.tv.com/mac-ad?META^$script,domain=tv.com -@@||magicbricks.com/img/adbanner/ -@@||mail.google.com^*&view=ad&$xmlhttprequest -@@||mail.google.com^*/uploaderapi*.swf -@@||mail.yahoo.com/neo/assets/swf/uploader.swf -@@||manilatimes.net/images/banners/logo-mt.png -@@||manoramaonline.com/advt/cricbuzz/ -@@||mansioncasino.com/banners/$~third-party -@@||maps-static.chitika.net^ -@@||maps.chitika.net^ -@@||maps.googleapis.com/maps-api-*/adsense.js -@@||maps.gstatic.com/maps-api-*/adsense.js -@@||marciglesias.com/publicidad/ -@@||marcokrenn.com/public/images/pages/advertising/$~third-party -@@||marcs.com^*/AdViewer.js -@@||marieclaire.com/ams/page-ads.js? -@@||marines.com/videos/commercials/$object-subrequest -@@||marketing.beatport.com.s3.amazonaws.com/html/*/Banner_Ads/header_$image -@@||marketingmag.ca/wp-content/uploads/*/adtech$domain=marketingmag.ca -@@||marketwatch.com^$generichide -@@||masslive.com/static/common/js/ads/ads.js -@@||maxim.com/advert*/countdown/$script,stylesheet -@@||mcfc.co.uk/js/core/adtracking.js -@@||mcpn.us/resources/images/adv/$~third-party -@@||media-imdb.com^*/js/ads.js$domain=imdb.com -@@||media.avclub.com/onion/js/videoads.js$script -@@||media.cargocollective.com^$image -@@||media.expedia.com/*/ads/ -@@||media.glnsrv.com/ads/$image,domain=aopschools.com -@@||media.hotelscombined.com^$image,domain=kenweego.com -@@||media.monster.com/ads/$image,domain=monster.com -@@||media.newjobs.com/ads/$image,object,domain=monster.com -@@||media.salemwebnetwork.com/js/admanager/swfobject.js$domain=christianity.com -@@||media.styleblueprint.com/ad.php?$script,~third-party -@@||media.washingtonpost.com/wp-srv/ad/ad_v2.js -@@||media.washingtonpost.com/wp-srv/ad/photo-ad-config.jsonp -@@||media.washingtonpost.com/wp-srv/ad/tiffany_manager.js -@@||mediabistro.com^*/displayadleader.asp?$subdocument -@@||mediaplex.com/ad/$domain=betfair.com -@@||medrx.sensis.com.au/images/sensis/*/util.js$domain=afl.com.au|goal.com -@@||medrx.sensis.com.au/images/sensis/generic.js$domain=afl.com.au -@@||medscape.com/html.ng/*slideshow -@@||medscapestatic.com/pi/scripts/ads/dfp/profads2.js -@@||memecdn.com/advertising_$image,domain=memecenter.com -@@||meritline.com/banners/$image,~third-party -@@||merkatia.com/adimages/$image -@@||merriam-webster.com^$generichide -@@||meta.streamcloud.eu/serve.php?adzone=ipc$script,domain=streamcloud.eu -@@||metacafe.com/banner.php? -@@||metalmusicradio.com^*/banner.php -@@||meviodisplayads.com/adholder.php$domain=mevio.com -@@||mfcreative.com/lib/tgn/combo.ashx?$script,stylesheet,domain=ancestry.com|ancestry.com.au -@@||miller-mccune.com/wp-content/plugins/*/oiopub-direct/images/style/output.css -@@||minecraftservers.org/banners/$image,~third-party -@@||miniclip.com/scripts/js.php? -@@||miniclipcdn.com/content/push-ads/ -@@||mircscripts.org/advertisements.js -@@||mixpo.com/js/bust.js$script,domain=eurogamer.net|nintendolife.com|onehourtranslation.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||mlb.com/bundle?js=*/adproxy.$script,domain=mlb.com -@@||mlb.com/scripts/dc_ads.js -@@||mlb.com/shared/components/gameday/v6/js/adproxy.js -@@||mlive.com/static/common/js/ads/ads.js -@@||mns.com/ad/$domain=classifieds.nydailynews.com -@@||mobilefish.com/scripts/advertisement.js -@@||mobinozer.com^*/gads.js -@@||mochiads.com/ctr/*.swf?$domain=gamesforwork.com -@@||mochiads.com/srv/*.swf?cachebust=$domain=gamesforwork.com -@@||mochiads.com/srv/*.swf?cxnid=$domain=gamesforwork.com -@@||mochiads.com/static/pub/swf/leaderboard.js$domain=mochigames.com -@@||mofunzone.com/ads/ima3_preloader_*.swf$object -@@||moneybookers.com/ads/$~third-party -@@||moneymailer.com/direct-mail-advertise/$~third-party -@@||monster.com/awm/*/ADVERTISING- -@@||monster.com/services/bannerad.asmx/getadsrc$xmlhttprequest,domain=monster.com -@@||motortrade.me/advert/$~third-party -@@||motortrade.me/js/$~third-party -@@||movoto.com/LeaderboardAd.aspx?adSpotName=$subdocument -@@||mp32u.net/adframe.js -@@||msads.net/adbar/products/*/adbar.js$domain=mail.live.com -@@||msi.com/js/topad/topad.css -@@||msi.com/pic/banner/ -@@||msnbcmedia.msn.com^*/sitemanagement/ads/*/blog_printbutton.png -@@||mstar.com/ads/$image,domain=morningstar.com -@@||msy.com.au/images/ADbanner/eletter/$~third-party -@@||muchmusic.com/includes/js/adzone.js -@@||mudah.my/css/mudah_adview_min.css -@@||music-clips.net/ads/list.txt?_=$xmlhttprequest -@@||music-tags.com/tagengine/www/delivery/fl.js$domain=blastro.com -@@||music-tags.com/tagengine/www/delivery/spcjs.php$domain=blastro.com -@@||mussil.com/mussilcomfiles/commercials/*.jpg -@@||mutualofomaha.com/images/ads/ -@@||mvapublicstorage.microsoft.com/banners/$domain=microsoftvirtualacademy.com -@@||mxtabs.net/ads/interstitial$subdocument -@@||myadt.com/js-ext/smartbanner/ -@@||mycricket.com/openx/offers/$image -@@||myhouseabroad.com/*/ads/ -@@||myhouseabroad.com/js/adview.js -@@||mymemory.co.uk/images/adverts/$image,~third-party -@@||myprotein.com/Files/OpenX/$image,~third-party -@@||myrecipes.com/static/advertising/ -@@||mythings.com/c.aspx?atok$domain=enter.ru -@@||napaonline.com/Content/script/jquery.lazyload-ad-$script -@@||nationalbusinessfurniture.com/product/advertising/$image -@@||nationalgeographic.com/channel/videos/satellite/*.swf?adsite= -@@||nationmultimedia.com/new/js/doubleclick.js -@@||nature.com/advertising/$~third-party -@@||nba.com/mobilevideo?*&ad_url=$script,domain=mavs.wpengine.netdna-cdn.com -@@||nbc.com/collarity/ -@@||nbcmontana.com/html/js/endplay/ads/ad-core.js? -@@||ncregister.com/images/ads/ -@@||ncregister.com/images/sized/images/ads/ -@@||nedbank.co.za/website/content/home/google_ad_Cut.jpg -@@||neobux.com/v/?a=l&l=$document -@@||neodrive.co/cam/directrev.js? -@@||netdna-cdn.com/banners/$image,domain=arktv.ro -@@||netupd8.com/webupd8/*/adsense.js$domain=webupd8.org -@@||netupd8.com/webupd8/*/advertisement.js$domain=webupd8.org -@@||networkadvertising.org/choices/|$document -@@||networkadvertising.org/|$document -@@||networkworld.com/www/js/ads/gpt_includes.js? -@@||newgrounds.com/ads/ad_medals.gif -@@||newgrounds.com/ads/advertisement.js -@@||news.nate.com/etc/adrectanglebanner? -@@||newsarama.com/common/js/advertisements.js -@@||newsarama.com^$generichide -@@||newsweek.com/ads/adscripts/prod/*_$script -@@||newyorker.com/wp-content/assets/js/vendors/cn-fe-ads/cn.dart.js -@@||newzimbabwe.com/banners/350x350/ -@@||nextag.com/buyer/dyad/$script,domain=nextag.com -@@||nextmedia.com/admedia/$object-subrequest -@@||nextmovie.com/plugins/mtvnimageresizer/actions/scale_image?$image,domain=nextmovie.com -@@||nfl.com^*/ads.js -@@||nflcdn.com/static/*/global/ads.js -@@||nflcdn.com^*/adplayer.js$domain=nfl.com -@@||nflcdn.com^*/scripts/global/ads.js$domain=nfl.com -@@||ngads.com/getad.php?url=$object-subrequest,domain=newgrounds.com -@@||nick.com/js/ads.jsp -@@||nick.com/js/coda/nick/adrefresh.js$domain=nick.com -@@||nickjr.com/assets/ad-entry/ -@@||nickjr.com/global/scripts/overture/sponsored_links_lib.js -@@||nintandbox.net/images/*-Advertising_$image -@@||nintendolife.com^$generichide -@@||nj.com/static/common/js/ads/ads.js -@@||nola.com/static/common/js/ads/ads.js -@@||nonstoppartner.net/a/$image,domain=deliverydeals.co.uk -@@||nonstoppartner.net^$image,domain=extrarebates.com|sunsteps.org -@@||nsandi.com/files/asset/banner-ads/ -@@||ntv.io/serve/load.js$domain=mcclatchydc.com -@@||nyctourist.com/www/delivery/spcjs.php?$script,domain=nyctourist.com -@@||nydailynews.servedbyopenx.com/w/1.0/jstag$domain=nydailynews.com -@@||nyt.com^*/ad-loader.js$domain=nytimes.com -@@||nyt.com^*/ad-view-manager.js$domain=nytimes.com -@@||nyt.com^*/dfp.js$domain=nytimes.com -@@||nytimes.com/ads/interstitial/skip*.gif -@@||nytimes.com/adx/bin/adx_remote.html?type=fastscript$script,xmlhttprequest,domain=nytimes.com -@@||nytimes.com/adx/images/ADS$domain=myaccount.nytimes.com -@@||nytimes.com/adx/images/ads/*_buynow_btn_53x18.gif -@@||nytimes.com/adx/images/ads/*_premium-crosswords_bg_600x329.gif -@@||nytimes.perfectmarket.com^$stylesheet -@@||oas.absoluteradio.co.uk/realmedia/ads/$object-subrequest -@@||oas.absoluteradio.co.uk^*/www.absoluteradio.co.uk/player/ -@@||oas.bigflix.com/realmedia/ads/$object-subrequest,domain=~tamilflix.net -@@||oas.theguardian.com^$xmlhttprequest -@@||oascentral.discovery.com/realmedia/ads/adstream_mjx.ads/$script,domain=discovery.com -@@||oascentral.feedroom.com/realmedia/ads/adstream_sx.ads/$script,domain=economist.com|feedroom.com|stanford.edu -@@||oascentral.feedroom.com/realmedia/ads/adstream_sx.ads/brighthouse.com/$document,domain=oascentral.feedroom.com -@@||oascentral.ibtimes.com/crossdomain.xml$object-subrequest -@@||oascentral.post-gazette.com/realmedia/ads/$object-subrequest -@@||oascentral.sumworld.com/crossdomain.xml$object-subrequest -@@||oascentral.sumworld.com/realmedia/ads/adstream_sx.ads/*video$domain=mlssoccer.com -@@||oascentral.sumworld.com/realmedia/ads/adstream_sx.ads/mlssoccer.com/$object-subrequest,domain=mlssoccer.com -@@||oascentral.surfline.com/crossdomain.xml$object-subrequest -@@||oascentral.surfline.com/realmedia/ads/adstream_sx.ads/www.surfline.com/articles$object-subrequest -@@||oascentral.thechronicleherald.ca/realmedia/ads/adstream_mjx.ads$script -@@||oascentral.thepostgame.com/om/$script -@@||objects.tremormedia.com/embed/js/$domain=animecrave.com|bostonherald.com|deluxemusic.tv|deluxetelevision.com|theunlockr.com|videopoker.com|weeklyworldnews.com -@@||objects.tremormedia.com/embed/sjs/$domain=nfl.com -@@||objects.tremormedia.com/embed/swf/acudeoplayer.swf$domain=animecrave.com|bostonherald.com|deluxemusic.tv|deluxetelevision.com|theunlockr.com|videopoker.com|weeklyworldnews.com -@@||objects.tremormedia.com/embed/swf/admanager*.swf -@@||ocp.com.com/adfunctions.js? -@@||offerpalads.com^*/opmbanner.js$domain=farmville.com -@@||okta.com/js/app/sso/interstitial.js$~third-party -@@||oldergames.com/adlib/ -@@||omgili.com/ads.search? -@@||omgubuntu.co.uk^*/banner.js -@@||omnikool.discovery.com/realmedia/ads/adstream_mjx.ads/dsc.discovery.com/$script -@@||once.unicornmedia.com^$object-subrequest,domain=today.com -@@||onetravel.com/desktopmodules/adsales/adsaleshandle.ashx?$xmlhttprequest -@@||onionstatic.com^*/videoads.js -@@||openx.com/favicon.ico$domain=grammarist.com -@@||openx.ideastudios.ro^$script,domain=enjoydressup.com -@@||openx.infrontams.tv/www/$image,object,script,domain=acmilan.com -@@||openx.nobelprize.org/openx/www/delivery/$script -@@||openx.org/afr.php?$subdocument,domain=cubeecraft.com -@@||openx.org/avw.php?zoneid$image,domain=podomatic.com -@@||openx.org/ck.php?$subdocument,domain=cubeecraft.com -@@||opgevenisgeenoptie.nl^*/favicon_ad6.ico -@@||optimatic.com/iframe.html$subdocument,domain=pch.com -@@||optimatic.com/redux/optiplayer-$domain=pch.com -@@||optimatic.com/shell.js$domain=pch.com -@@||optimatic.com^*/shell.swf$object,domain=pch.com -@@||optimatic.com^*/shell_$object,domain=pch.com -@@||oregonlive.com/static/common/js/ads/ads.js -@@||osdir.com/ml/dateindex*&num=$subdocument -@@||otakumode.com/shop/titleArea?*_promo_id=$xmlhttprequest -@@||otrkeyfinder.com/otr/frame*.php?ads=*&search=$subdocument,domain=onlinetvrecorder.com -@@||ottawasun.com/assets/js/dfp.js? -@@||overture.london^$~third-party -@@||ox-d.motogp.com/v/1.0/av?*auid=$object-subrequest,domain=motogp.com -@@||ox-d.qz.com/w/1.0/jstag|$script,domain=qz.com -@@||ox-d.rantsports.com/w/1.0/jstag$script,domain=rantlifestyle.com -@@||ox-d.sbnation.com/w/1.0/jstag| -@@||ox.eurogamer.net/oa/delivery/ajs.php?$script,domain=vg247.com -@@||ox.popcap.com/delivery/afr.php?&zoneid=$subdocument,~third-party -@@||oxfordlearnersdictionaries.com/external/scripts/doubleclick.js -@@||ozspeedtest.com/js/pop.js -@@||pachanyc.com/_images/advertise_submit.gif -@@||pachoumis.com/advertising-$~third-party -@@||pacogames.com/ad/ima3_preloader_$object -@@||pagead2.googlesyndication.com/pagead/$script,domain=merriam-webster.com -@@||pagead2.googlesyndication.com/pagead/gadgets/overlay/overlaytemplate.swf$object-subrequest,domain=bn0.com|ebog.com|gameark.com -@@||pagead2.googlesyndication.com/pagead/googlevideoadslibrary.swf$object-subrequest,domain=flashgames247.com|freeonlinegames.com|gameitnow.com|play181.com|toongames.com -@@||pagead2.googlesyndication.com/pagead/imgad?$image,domain=kingofgames.net|nedbank.co.za|nedbankgreen.co.za|virginaustralia.com -@@||pagead2.googlesyndication.com/pagead/imgad?id=$object-subrequest,domain=bn0.com|ebog.com|gameark.com|yepi.com -@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=downloads.codefi.re|freeclaimbtc.xyz|globaldjmix.com|gsmdude.com|hulkusc.com|nlfreevpn.com|oldapps.com|pattayaone.net|receive-a-sms.com|talksms.com|thefreedictionary.com|unlockpwd.com|uploadex.com|windows7themes.net -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=thefreedictionary.com -@@||pagead2.googlesyndication.com/pagead/js/lidar.js$domain=destructoid.com|grammarist.com -@@||pagead2.googlesyndication.com/pagead/scache/googlevideoads.swf$object-subrequest,domain=flashgames247.com|freeonlinegames.com|gameitnow.com|play181.com|toongames.com -@@||pagead2.googlesyndication.com/pagead/scache/googlevideoadslibraryas3.swf$object-subrequest,domain=didigames.com|nitrome.com|nx8.com|oyunlar1.com -@@||pagead2.googlesyndication.com/pagead/scache/googlevideoadslibrarylocalconnection.swf?$object-subrequest,domain=didigames.com|nitrome.com|nx8.com|oyunlar1.com -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=nlfreevpn.com|oldapps.com|technobuffalo.com -@@||pagead2.googlesyndication.com/pagead/static?format=in_video_ads&$generichide,subdocument -@@||pagesinventory.com/_data/flags/ad.gif -@@||pandasecurity.com/banners/$image,~third-party -@@||pandasecurity.s3.amazonaws.com/promotions/$domain=pandasecurity.com -@@||pantherssl.com/banners/ -@@||partner.googleadservices.com/gampad/google_ads.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nitrome.com|nx8.com|playedonline.com|sulekha.com|volokh.com -@@||partner.googleadservices.com/gampad/google_ads2.js$domain=motorcycle.com|mysoju.com|nedbank.co.za -@@||partner.googleadservices.com/gampad/google_ads_gpt.js$domain=amctheatres.com|pitchfork.com|podomatic.com|virginaustralia.com -@@||partner.googleadservices.com/gampad/google_service.js$domain=autoguide.com|avclub.com|boatshop24.com|cadenasuper.com|dailygames.com|demotywatory.pl|drivearabia.com|ensonhaber.com|escapegames.com|juegosdiarios.com|lbox.me|letio.com|lightinthebox.com|memegenerator.net|motorcycle.com|mysoju.com|nedbank.co.za|nedbankgreen.co.za|nx8.com|playedonline.com|playstationlifestyle.net|readersdigest.com.au|sulekha.com|ticketek.com.ar|volokh.com -@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=120sports.com|africanindy.com|beqala.com|bodas.com.mx|bodas.net|canoe.com|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|cbsnews.com|cwtv.com|deadspin.com|denofgeek.co|denofgeek.com|drupalcommerce.org|economist.com|ew.com|flightcentre.co.uk|forbes.com|foxnews.com|gawker.com|gizmodo.com|goalzz.com|greyhoundbet.racingpost.com|independent.co.uk|indianexpress.com|investopedia.com|io9.com|jalopnik.com|jezebel.com|kbb.com|kotaku.com|latimes.com|lifehacker.com|liverpoolfc.com|m.tmz.com|mariages.net|marvel.com|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|merriam-webster.com|mlb.com|nauticexpo.com|noodle.com|nydailynews.com|nytimes.com|opb.org|orbitz.com|out.com|phoronix.com|pianobuyer.com|ripley.cl|ripley.com.pe|seahawks.com|sendtonews.com|thesimsresource.com|thoughtcatalog.com|time.com|upi.com|urbandictionary.com|vanityfair.com|video.foxbusiness.com|vroomvroomvroom.com.au|washingtonexaminer.com|weather.com|weddingspot.co.uk|wired.com|wlj.net|wsj.com|wtop.com|wwe.com|zavvi.com|zdnet.com|zillow.com -@@||partners.thefilter.com/crossdomain.xml$object-subrequest -@@||partners.thefilter.com/dailymotionservice/$image,object-subrequest,script,domain=dailymotion.com -@@||patient-education.com/banners/$~third-party -@@||paulfredrick.com/csimages/affiliate/banners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||payload*.cargocollective.com^$image,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||pbs.org^*/sponsors/flvvideoplayer.swf -@@||pch.com/iframe-ad/?adType=$subdocument -@@||pch.com^*/videoad.$stylesheet -@@||pcworld.com/www/js/ads/jquery.lazyload-ad.js -@@||pennlive.com/static/common/js/ads/ads.js -@@||pepperjamnetwork.com/banners/$image,domain=extrarebates.com -@@||perbang.dk/_pub/ads.php?u=$xmlhttprequest -@@||perbang.dk/_pub/advertisement.js? -@@||perezhilton.com/included_ads/ -@@||perezhilton.com^*-without-ads-$object,object-subrequest,subdocument -@@||performancehorizon.com^*/advertiser/$xmlhttprequest,domain=performancehorizon.com -@@||petapixel.com/ads/$~third-party -@@||petcarerx.com/banners/ -@@||petra-fischer.com/tl_files/pics/*/ADVERTISING/$~third-party -@@||pets4homes.co.uk/*/advert.js -@@||pets4homes.co.uk^*/advert.css -@@||pgatour.com/etc/designs/pgatour-advertisements/clientlibs/ad.min.js$script -@@||phl.org/Advertising/$image,~third-party -@@||phoenix.untd.com/OASX/$script,domain=netzero.net -@@||phonealchemist.com/api/affiliation/$~third-party -@@||photo.ekathimerini.com/ads/extra/$image,~third-party -@@||photobucket.com/albums/ad$image -@@||photobucket.com/pbkt/hserver/$object-subrequest,domain=photobucket.com -@@||photofunia.com/effects/$~third-party -@@||picmonkey.com/facebook-canvas/?ads$domain=apps.facebook.com -@@||piercesnorthsidemarket.com/ads/$image -@@||pilotplantdesign.com/cdn-cgi/pe/bag2?r*.googleadservices.com$xmlhttprequest,domain=pilotplantdesign.com -@@||ping.indieclicktv.com/www/delivery/ajs.php?zoneid$object-subrequest -@@||pinkbike.org^*.swf?ad=0&$object -@@||pioneerfcu.org/assets/images/bannerads/pfcu-system-upgrade-banner-02-180x218.gif -@@||pitchfork.com/desktop/js/pitchfork/ads/interstitial.js -@@||pjtra.com/b/$image,domain=extrarebates.com -@@||planetaxel.com^*.php?ad=$stylesheet -@@||planetoddity.com/wp-content/*-ads-$image -@@||planetrecruit.com/ad/$image -@@||player.animelicio.us/adimages/$subdocument -@@||player.cdn.targetspot.com/crossdomain.xml$object-subrequest,domain=slacker.com -@@||player.cdn.targetspot.com/player/ts_as3.swf?$object-subrequest,domain=slacker.com -@@||player.cdn.targetspot.com/station/*/ts_config.xml$object-subrequest,domain=slacker.com -@@||player.cdn.targetspot.com/ts_embed_functions_as3.php$domain=tritonmedia.com -@@||player.goviral-content.com/crossdomain.xml$object-subrequest -@@||player.onescreen.net/*/MediaPlayer.swf?ads=$object-subrequest -@@||player.streamtheworld.com/liveplayer.php?*adstype= -@@||player.tritondigital.com^$domain=kmozart.com -@@||player.ventunotech.com/VtnGoogleVpaidIMA_1.swf?$object-subrequest,domain=indianexpress.com|thehindu.com -@@||player.vioapi.com/ads/flash/vioplayer.swf -@@||playintraffik.com/advertising/ -@@||plugcomputer.org^*/ad1.jpg -@@||pntrac.com/b/$image,domain=extrarebates.com -@@||pntrs.com/b/$image,domain=extrarebates.com -@@||pntrs.com^$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||politico.com/js/magazine/ads.js -@@||pollen.vc/views/ads.html$domain=pollen.vc -@@||pop.advecs.com^$~third-party -@@||popad.co^$~third-party -@@||popcap.com/sites/all/modules/popcap/js/popcap_openx.js? -@@||popularmechanics.com/ams/page-ads.js$domain=popularmechanics.com -@@||popunder.ru/banners/$domain=magesy.be -@@||powercolor.com/image/ad/$~third-party -@@||pressdisplay.com/advertising/showimage.aspx? -@@||prism.opticsinfobase.org/Scripts/ADS/Details.js -@@||procato.com/_pub/ads.php?u=$xmlhttprequest -@@||procato.com/_pub/advertisement.js -@@||productioncars.com/pics/menu/ads.gif -@@||productioncars.com/pics/menu/ads2.gif -@@||promo.acronis.com^*?base=www.acronis.$subdocument -@@||promo.campaigndog.com^$third-party -@@||promo2.tubemogul.com/adtags/slim_no_iframe.js$domain=comedy.com -@@||promo2.tubemogul.com/flash/youtube.swf$domain=comedy.com -@@||promo2.tubemogul.com/lib/tubemoguldisplaylib.js$domain=comedy.com -@@||promophot.com/photo/ad/$image -@@||proprofs.com/quiz-school/js/modernizr_ads.js -@@||proxyserver.asia/themes/advertising-$image,stylesheet -@@||ps.w.org^*/assets/$image,domain=wordpress.org -@@||pshared.5min.com/Scripts/ThumbSeed2.js?*&adUnit=$script -@@||ptgrey.com/_PGR_Content/Advertising/$image,~third-party -@@||pubmatic.com/AdServer/js/universalpixel.js$domain=politico.com -@@||pubmatic.com/AdServer/Pug?$image,domain=grammarist.com -@@||pubmatic.com/AdServer/UPug?$script,domain=politico.com -@@||pumpkinpatchkids.com/www/delivery/ajs.php?$script -@@||purebilling.com^*/pb.min.js -@@||pursuit.co.za/css/globalAd.css -@@||puzzler.com/commercials/*.htm$subdocument -@@||q2servers.com/pop.js -@@||qnsr.com/cgi/r?$domain=insure.com -@@||query.vap.yahoo.net/nicobarMan/ads/acctid=$object-subrequest,domain=yahoo.com -@@||quit.org.au/images/images/ad/ -@@||qzprod.files.wordpress.com^*?w=$domain=qz.com -@@||r2games.com/bannerad/$image,~third-party -@@||rackcdn.com/banners/$image,domain=rackspace.co.uk|rackspace.com.au -@@||rackcdn.com/banners/default_coupon_banner.png$domain=michaels.com -@@||rad.msn.com/ADSAdClient31.dll?GetAd=$xmlhttprequest,domain=ninemsn.com.au -@@||rad.msn.com/ADSAdClient31.dll?GetSAd=$script,domain=www.msn.com -@@||rad.org.uk/images/adverts/$image,~third-party -@@||radioguide.fm/minify/?*/Advertising/webroot/css/advertising.css -@@||radioline.co/js/advert.js?$xmlhttprequest -@@||radiotimes.com/rt-service/resource/jspack? -@@||rainbowdressup.com/ads/adsnewvars.swf -@@||rainiertamayo.com/js/*-$script -@@||rapmls.com/banners/small/logoBARI.gif$domain=rapmls.com -@@||rapmls.com^*=AD&Action=$domain=rapmls.com -@@||rapoo.com/images/ad/$image,~third-party -@@||rc.hotkeys.com/interface/$domain=ehow.com -@@||rcards.net/wp-content/plugins/useful-banner-manager/ -@@||rcards.net/wp-content/uploads/useful_banner_manager_banners/ -@@||rcm-images.amazon.com/images/$domain=rankbank.net -@@||rcm.amazon.com/e/cm$domain=asianmommy.com|filmcrave.com -@@||readwrite.com/files/styles/$image -@@||realbeauty.com/ams/page-ads.js? -@@||realmedia.channel4.com/realmedia/ads/adstream_sx.ads/channel4.newcu/$object-subrequest,~third-party -@@||realvnc.com/assets/img/ad-bg.jpg -@@||redbookmag.com/ams/page-ads.js? -@@||redsharknews.com/components/com_adagency/includes/$script -@@||refline.ch^*/advertisement.css -@@||remo-xp.com/wp-content/themes/adsense-boqpod/style.css -@@||replgroup.com/banners/$image,~third-party -@@||req.tidaltv.com^$object-subrequest,domain=daisuki.net -@@||reuters.tv/syndicatedPlayerChannel/$subdocument,domain=reuters.com -@@||reuters.tv/syndicatedPlayerClient/js/advertisement.js$domain=reuters.com -@@||revealads.appspot.com/revealads2/radioplayer.js$domain=talksport.co.uk -@@||revit.eu/static/uploads/images/themes/banners/small-banner-$object-subrequest -@@||revresda.com/event.ng/Type=click&$subdocument,domain=cheaptickets.com|orbitz.com -@@||revresda.com/js.ng/*&adsize=544x275&$script,domain=cheaptickets.com -@@||revresda.com/js.ng/*&adsize=960x400&$script,domain=orbitz.com -@@||rmncdn.com/ads/mini-$image -@@||rockpapershotgun.com^$generichide -@@||rogersdigitalmedia.com^*/rdm-ad-util.min.js$domain=citytv.com -@@||rogersmagazines.com/ads/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||rosauers.com/locations/ads.html -@@||rotate.infowars.com/www/delivery/fl.js -@@||rotate.infowars.com/www/delivery/spcjs.php -@@||rottentomatoescdn.com^*/SocialAds.js$domain=rottentomatoes.com -@@||rover.ebay.com^*&size=120x60&$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||rovicorp.com/advertising/*&appver=$xmlhttprequest,domain=charter.net -@@||rs.mail.ru/vp/adman2.swf$object-subrequest,domain=vk.com -@@||rsvlts.com/wp-content/uploads/*-advertisment- -@@||rt.liftdna.com/forbes_welcome.js$domain=forbes.com -@@||rt.liftdna.com/fs.js$domain=formspring.me -@@||rt.liftdna.com/liftrtb2_2.js$domain=formspring.me -@@||rthk.hk/assets/flash/rthk/*/ad_banner$object -@@||rthk.org.hk/assets/flash/rthk/*/ad_banner$object -@@||russellrooftiles.co.uk/images/rrt_envirotile_home_advert.png -@@||ryuutama.com/ads/ads.php?get=$xmlhttprequest -@@||s.w.org/plugins/ad-inserter/$image,~third-party -@@||s.ytimg.com/yts/swfbin/player-*/watch_as3.swf$object,domain=youtube.com -@@||s0.2mdn.net^$domain=britishgas.co.uk|luxurylink.com -@@||s3.amazonaws.com/digital/ad-ops-and-targeting/images/ad-ops-and-targeting.jpg$domain=circusstreet.com -@@||sabotage-films.com/ads/$~third-party -@@||sal.co.th/ads/$image,~third-party -@@||sales.liveperson.net/visitor/addons/deploy2.asp?*&d_id=adcenter&$script -@@||salfordonline.com/wp-content/plugins/wp_pro_ad_system/templates/js/jquery.jshowoff.min.js? -@@||salon.com/content/plugins/salon-ad-controller/ad-utilities.js -@@||samples.audible.*/bk/adbl/$media,other,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||sascdn.com/crossdomain.xml$object-subrequest -@@||sascdn.com^*/jwplayer-plugin.swf?$object-subrequest -@@||sascdn.com^*/jwplayerAdPlugin.swf$object-subrequest -@@||sasontnwc.net/intermission/loadTargetUrl?$xmlhttprequest -@@||save.ca/img/ads/$~third-party -@@||scanscout.com/ads/$object-subrequest,domain=livestream.com -@@||scanscout.com/crossdomain.xml$object-subrequest -@@||scity.tv/js/ads.js$domain=live.scity.tv -@@||screenshot.brandverity.com/cm/detail/$document,domain=screenshot.brandverity.com -@@||screenshot.brandverity.com/cm/review/$document,domain=screenshot.brandverity.com -@@||screenwavemedia.com/play/SWMAdPlayer/SWMAdPlayer.html?type=ADREQUEST&$xmlhttprequest,domain=cinemassacre.com -@@||scribdassets.com/aggregated/javascript/ads.js?$domain=scribd.com -@@||scrippsnetworks.com/common/adimages/networkads/video_ad_vendor_list/approved_vendors.xml$object-subrequest -@@||scutt.eu/ads/$~third-party -@@||sdcdn.com/cms/ads/piczo/$image -@@||sdelkino.com/images/ad/$image -@@||sdltutorials.com/Data/Ads/AppStateBanner.jpg -@@||search.comcast.net/static.php?$stylesheet -@@||search.yahoo.com^$generichide -@@||searchengineland.com/figz/wp-content/seloads/$image,domain=searchengineland.com -@@||sec-ads.bridgetrack.com/ads_img/ -@@||secondlife.com/assets/*_AD3.jpg -@@||securenetsystems.net/advertising/ad_campaign_get.cfm?$xmlhttprequest -@@||sedo.com/ox/www/delivery/ajs.php$domain=sedo.com|sedo.de -@@||sekonda.co.uk/advert_images/ -@@||selsin.net/imprint-$image -@@||serve.vdopia.com/crossdomain.xml$object-subrequest -@@||serve.vdopia.com/js/vdo.js$domain=indiatvnews.com|intoday.in -@@||servebom.com/tmn*.js$script,domain=tomsguide.com|tomshardware.co.uk|tomshardware.com|wonderhowto.com -@@||server.cpmstar.com/adviewas3.swf?contentspotid=$object-subrequest -@@||server.cpmstar.com/view.aspx?poolid=$domain=newgrounds.com|xfire.com -@@||serviceexpress.net/js/pop.js -@@||serving-sys.com/SemiCachedScripts/$domain=cricketwireless.com -@@||seventeen.com/ams/page-ads.js -@@||sfdict.com/app/*/js/ghostwriter_adcall.js$domain=dynamo.dictionary.com -@@||sh.st/bundles/smeadvertisement/img/track.gif?$xmlhttprequest -@@||shacknews.com/advertising/preroll/$domain=gamefly.com -@@||share.pingdom.com/banners/$image -@@||shareasale.com/image/$domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||sharinspireds.co.nf/Images/Ads/$~third-party -@@||shawfloors.com/adx/$image,~third-party -@@||shelleytheatre.co.uk/filmimages/banners/160 -@@||shop.cotonella.com/media/images/AD350.$~third-party -@@||shopmanhattanite.com/affiliatebanners/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||siamautologistics.com/ads/$image,~third-party -@@||sify.com/news/postcomments.php?*468x60.html -@@||signin.verizon.com^*/affiliate/$subdocument,xmlhttprequest -@@||sihanoukvilleonline.com/banners/sologo.png -@@||silive.com/static/common/js/ads/ads.js -@@||sillyvamp.com/ads/Donate.png -@@||site-jump.com/banners/ -@@||sjsuspartans.com/ads2/$image -@@||skymediator.com/ads/*/skymediator.php?$subdocument -@@||skypeassets.com^*/advertise/$domain=skype.com -@@||slotsheaven.com/banners/$~third-party -@@||slowblog.com/ad.js -@@||smartadserver.com/call/pubj/*/8596/s/*/?$script,domain=cuantarazon.com|cuantocabron.com|vistoenfb.com -@@||smartclip.net/delivery/tag?$object-subrequest,domain=nfl.com -@@||smc.temple.edu/advertising/$domain=smctemple.wpengine.com -@@||smctemple.wpengine.com/advertising/$~third-party -@@||smdg.ca/ads/banner/pen.png$domain=globalnews.ca -@@||smileonthetiles2.co.uk/openx/www/$image,script,subdocument,domain=smileonthetiles.com|smileonthetiles2.co.uk -@@||smmirror.com^*/getads.php -@@||snug-harbor.org/wp-content/uploads/*/Delta_FULL-PAGE-AD.jpg$domain=snug-harbor.org -@@||socialblogsitewebdesign.com^*/advertising_conversion_images/ -@@||softwarepromotions.com/adwords/$~third-party -@@||softwarepromotions.com/images/google-adwords-professional.gif -@@||somethingsexyplanet.com/image/adzones/ -@@||somewheresouth.net/banner/banner.php$image -@@||songza.com/advertising/top/ -@@||songza.com/static/*/songza/ads/iframe.js -@@||sonicstate.com/video/hd/hdconfig-geo.cfm?$object-subrequest -@@||sonypictures.com/global/images/ads/300x250/ad300x250.json$xmlhttprequest -@@||sonypictures.com^*/admedia/ -@@||southparkstudios.com/images/shows/south-park/episode-thumbnails/*-advertising_$image -@@||southwest.com/assets/images/ads/ad_select_flight_ -@@||southwest.com^*/homepage/ads/ -@@||spectrum.ieee.org/assets/js/masonry-ads-right.min.js -@@||spendino.de/admanager/ -@@||sploder.com/prerollad.swf?s=$object-subrequest -@@||sponsorselect.com/direct/preroll.aspx?$subdocument,domain=pch.com -@@||sponsorselect.com/Direct/SponsorIndex.aspx$domain=pch.com -@@||spotrails.com/crossdomain.xml$object-subrequest -@@||spotrails.com^*/flowplayeradplayerplugin.swf -@@||spotxchange.com/ad_player/as3.swf$domain=games.yahoo.com|onescreen.net -@@||spotxchange.com/crossdomain.xml$object-subrequest -@@||spotxchange.com/flash/ad.swf?$domain=directon.tv|wii-cast.tv -@@||spotxchange.com/flash/adplayer.swf$domain=boxlive.tv|directon.tv|foxnews.ws|icastlive.tv|wii-cast.tv -@@||spotxchange.com/media/videos/flash/ad_player/$domain=directon.tv|games.yahoo.com|onescreen.net|wii-cast.tv -@@||spotxchange.com/media/videos/flash/adplayer_$domain=directon.tv -@@||springboardplatform.com/storage/lightbox_code/static/companion_ads.js -@@||springbokradio.com/images/ads- -@@||springbokradio.com/sitebuilder/images/ads- -@@||sprint.com^*/adservice/$xmlhttprequest -@@||sprouts.com/ad/$image,subdocument -@@||ssacdn.com/banners/$domain=supersonicads.com -@@||ssl-images-amazon.com/images/G/01/traffic/s9m/images/sweeps/$image,domain=amazon.com -@@||ssl-images-amazon.com^*/AdProductsWebsite/images/ad-$image,domain=advertising.amazon.com -@@||ssl-images-amazon.com^*/popover/popover-$script -@@||st.com^*/banners.js -@@||startxchange.com/textad.php?$xmlhttprequest -@@||state.co.us/caic/pub_bc_avo.php?zone_id=$subdocument -@@||statedesign.com/advertisers/$image,~third-party -@@||static.adzerk.net/ados.js$domain=serverfault.com|stackoverflow.com -@@||static.ak.fbcdn.net^*/ads/$script -@@||static.bored.com/advertising/top10/$image,domain=bored.com -@@||static.cricinfo.com^*/ADVERTS/*/liveScores.swf$object -@@||static.criteo.net/images/pixel.gif?ch=1$image,domain=opensubtitles.org|technobuffalo.com -@@||static.exoclick.com^$image,domain=streamcloud.eu -@@||stats.g.doubleclick.net/dc.js$domain=native-instruments.com|nest.com|theheldrich.com -@@||stclassifieds.sg/images/ads/$~third-party -@@||stclassifieds.sg/postad/ -@@||stickam.com/css/ver1/asset/sharelayout2col_ad300x250.css -@@||streamcloud.eu^$generichide -@@||streaming.gmgradio.com/adverts/*.mp3$object-subrequest -@@||streamlive.to/ads/$object,script -@@||style.com/flashxml/*.doubleclick$object -@@||style.com/images/*.doubleclick$object -@@||subscribe.newyorker.com/ams/page-ads.js -@@||subscribe.teenvogue.com/ams/page-ads.js -@@||sulekhalive.com/images/property/bannerads/$domain=sulekha.com -@@||summitracing.com/global/images/bannerads/ -@@||supercartoons.net/ad-preroll.html -@@||superfundo.org/advertisement.js -@@||supersonicads.com/api/rest/funds/*/advertisers/$~third-party -@@||supersonicads.com/api/v1/trackCommission.php*password=$image -@@||supersonicads.com/delivery/singleBanner.php?*&bannerId$subdocument -@@||support.dlink.com/Scripts/custom/pop.js -@@||survey.g.doubleclick.net^$script,domain=sporcle.com -@@||svcs.ebay.com/services/search/FindingService/*affiliate.tracking$domain=bkshopper.com|geo-ship.com|testfreaks.co.uk|watchmydeals.com -@@||swordfox.co.nz^*/advertising/$~third-party -@@||syn.5min.com/handlers/SenseHandler.ashx?*&adUnit=$script -@@||syndication.exoclick.com/splash.php?$script,domain=streamcloud.eu -@@||syndication.streamads.yahoo.com/na_stream_brewer/brew/*?cid=*&url=*&pvid=*&callback=$script,domain=yimg.com -@@||syracuse.com/static/common/js/ads/ads.js -@@||tacdn.com^*_popunder_$script,stylesheet -@@||tags.bkrtx.com/js/bk-coretag.js$domain=zillow.com -@@||take40.com/common/javascript/ads.js -@@||talkgold.com/bans/rss.png -@@||talkrtv.com/ad/channel.php?$subdocument -@@||tapad.com/tapestry/1?ta_partner_id=$script,domain=foxnews.com -@@||tapad.com/tapestry/tapestry-$script,domain=foxnews.com -@@||tbns.com.au/shops/images/ads/$~third-party -@@||tcadops.ca/consumer/adtagtc_$script,domain=metro.ca -@@||tctechcrunch2011.files.wordpress.com^$image,domain=techcrunch.com -@@||teamcococdn.com^*/AdManager_*.swf?$object-subrequest,domain=teamcoco.com -@@||teknikor.com/content/wp-content/themes/*-adv.jpg -@@||telegraphcouk.skimlinks.com/api/telegraph.skimlinks.js -@@||temple.edu/advertising/$~third-party -@@||terraristik.com^*&ad_type=$~third-party -@@||terraristik.com^*/ad_pics/$~third-party -@@||tetrisfriends.com/ads/google_dfp_video_ad.html -@@||texasstudentmedia.com/advertise/ -@@||thankyouforadvertising.com^$script,domain=vid.ag -@@||theatlantic.com/widget/$xmlhttprequest -@@||thedailygreen.com/ams/page-ads.js? -@@||thedoujin.com/includes/ads/$subdocument,domain=thedoujin.com -@@||theepochtimes.com/ads/video/inarticle-video.html$subdocument -@@||theepochtimes.com/ads/videos-below.htm?$subdocument -@@||theepochtimes.com/ads/videos-right.html?$subdocument -@@||theepochtimes.com^*/article-ads.js? -@@||thefourthperiod.com/ads/tfplogo_ -@@||thefreedictionary.com^$generichide -@@||thefrisky.com/js/adspaces.min.js -@@||thekraftgroup.com/crossdomain.xml$object-subrequest -@@||theloop.com.au/js/simplejob_ad_content.js? -@@||themoneyconverter.com/CurrencyConverter.aspx?*business-standard.com/ads/currency_converter_img.jpg$subdocument,domain=business-standard.com -@@||thenewage.co.za/classifieds/images2/postad.gif -@@||thenewsroom.com^*/advertisement.xml$object-subrequest -@@||theory-test.co.uk/css/ads.css -@@||theplatform.com^*/doubleclick.js$domain=cbc.ca -@@||thestreet-static.com/video/js/companionAdFunc.js$domain=thestreet.com -@@||thetvdb.com/banners/ -@@||theweathernetwork.com/js/adrefresh.js -@@||theweathernetwork.com/tpl/web/adtech/$xmlhttprequest -@@||thomann.de/thumb/*/pics/adv/adv_image_ -@@||thomsonlocal.com/js/adsense-min.js -@@||thrifty.co.uk/bannerads/ -@@||thumbs.hexagram.com^$domain=scribol.com -@@||thunderheadeng.com/wp-content/uploads/*300x250 -@@||tiads.timeinc.net/ads/tgx.js -@@||tidaltv.com/crossdomain.xml$object-subrequest,domain=~channel4.com -@@||timeinc.net/golf/static/ads/iframe_ad_factory.js$domain=golf.com -@@||timeinc.net/people/static/i/advertising/getpeopleeverywhere-$image,domain=people.com|peoplestylewatch.com -@@||timeinc.net^*/tii_ads.js -@@||timeout.com/images/ads/weather/ -@@||timesofmalta.com/videoads/*preroll.flv$object-subrequest -@@||tinbuadserv.com/js/integrate/ads_common.js -@@||tinbuadserv.com/v3/serve.php?$script -@@||tinysubversions.com/clickbait/adjs.json -@@||tkcarsites.com/soba/bannersservice -@@||tm.tradetracker.net/tag?$script -@@||tnol.com/adimages/digitaledition/$object-subrequest -@@||tntexpress.com.au^*/marketing/banners/ -@@||tnwcdn.com/wp-content/*/files/*/advertising-$image,domain=thenextweb.com -@@||tnwcdn.com/wp-content/*/files/*/advertising.$image,domain=thenextweb.com -@@||tooltrucks.com/ads/$image,~third-party -@@||tooltrucks.com/banners/$image,~third-party -@@||toongames.com/advertising/toon-google-preloader.swf$object -@@||toongoggles.com/getads?$xmlhttprequest -@@||topgear.com^*/ads.min.js -@@||topusajobs.com/banners/ -@@||torontosun.com/assets/js/dfp.js? -@@||track.adform.net/serving/scripts/trackpoint/$script,domain=strokekampanjen.se|tigerofsweden.com -@@||trade-a-plane.com/AdBox/js/jquery.TAP_AdBox.js -@@||tradecarview.com/material/housead/$image -@@||tradedoubler.com/file/$image,domain=deliverydeals.co.uk|sunsteps.org -@@||trader.ca/TraderMobileAPIBB.asmx/GetAds?$script,domain=autos.ca -@@||trafficvance.com/?$domain=propelmedia.com -@@||trafficvance.com^*/socket.io/$domain=propelmedia.com -@@||traktorpool.de/scripts/advert/ -@@||traktorpool.de^*/advert. -@@||translate.google.*/translate_*&q=$~third-party,xmlhttprequest,domain=google.ae|google.at|google.be|google.bg|google.by|google.ca|google.ch|google.cl|google.co.id|google.co.il|google.co.in|google.co.jp|google.co.kr|google.co.nz|google.co.th|google.co.uk|google.co.ve|google.co.za|google.com|google.com.ar|google.com.au|google.com.br|google.com.co|google.com.ec|google.com.eg|google.com.hk|google.com.mx|google.com.my|google.com.pe|google.com.ph|google.com.pk|google.com.py|google.com.sa|google.com.sg|google.com.tr|google.com.tw|google.com.ua|google.com.uy|google.com.vn|google.cz|google.de|google.dk|google.dz|google.ee|google.es|google.fr|google.gr|google.hr|google.hu|google.ie|google.it|google.lt|google.lv|google.nl|google.no|google.pl|google.pt|google.ro|google.rs|google.ru|google.se -@@||translate.google.com/translate/static/*-ads/ -@@||traumagame.com/trauma_data/ads/ad2.jpg -@@||travelocity.com/event.ng/*click$domain=travelocity.com -@@||travelocity.com/html.ng/*558x262$domain=travelocity.com -@@||travelocity.com/js.ng/$script,domain=travelocity.com -@@||travidia.com/fsi/page.aspx?$subdocument -@@||travidia.com/ss-page/ -@@||tremor.nuggad.net/crossdomain.xml$object-subrequest -@@||tremormedia.com/acudeo/$script,domain=indiatimes.com -@@||trialpay.com/js/advertiser.js -@@||trifort.org/ads/$~third-party -@@||trulia.com/modules/ad_agents_$xmlhttprequest -@@||trustedreviews.com^*/adtech.js -@@||trutv.com/includes/banners/de/video/*.ad|$object-subrequest -@@||tubemogul.com/bootloader/tubemogulflowplayer.swf$object-subrequest -@@||tubemogul.com/crossdomain.xml$object-subrequest -@@||tudouui.com/bin/player2/*&adsourceid= -@@||turner.com/adultswim/big/promos/$media,domain=video.adultswim.com -@@||turner.com^*/ads/freewheel/*/AdManager.js -@@||turner.com^*/ads/freewheel/*/admanager.swf -@@||turner.com^*/ads/freewheel/bundles/*/renderers.xml$object-subrequest -@@||turner.com^*/ads/freewheel/js/fwjslib_1.1.js$domain=nba.com -@@||turner.com^*/videoadrenderer.swf$domain=tntdrama.com -@@||tut.by/uppod/frameid406/ads1/ -@@||tv-kino.net/wp-content/themes/*/advertisement.js -@@||tvnz.co.nz/*/advertisement.js -@@||twinspires.com/php/$subdocument,~third-party -@@||twitvid.com/mediaplayer_*.swf? -@@||twofactorauth.org/img/$image,~third-party -@@||twogag.com/comics/$image,~third-party -@@||u.openx.net/v/1.0/sc?$object-subrequest,domain=motogp.com -@@||ucaster.eu/static/scripts/adscript.js -@@||uillinois.edu/eas/ -@@||ukbride.co.uk/css/*/adverts.css -@@||ultimate-guitar.com/js/ug_ads.js -@@||ultrabrown.com/images/adheader.jpg -@@||undsports.com/ads2/$image -@@||upc-cablecom.ch^*.swf?clicktag=http$object -@@||upload.wikimedia.org/wikipedia/ -@@||uploaded.net/affiliate/$~third-party,xmlhttprequest -@@||urbanog.com/banners/$image -@@||usanetwork.com^*/usanetwork_ads.s_code.js? -@@||usgamer.net^$generichide -@@||usps.com/adserver/ -@@||utarget.co.uk/crossdomain.xml$object-subrequest -@@||utdallas.edu/locator/maps/$image -@@||utdallas.edu/maps/images/img/$image -@@||utdallas.edu^*/banner.js -@@||uuuploads.com/ads-on-buildings/$image,domain=boredpanda.com -@@||v.fwmrm.net/*/AdManager.swf$domain=marthastewart.com|nbcsports.com -@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=abc.go.com|abcfamily.go.com|abcnews.go.com|adultswim.com|cartoonnetwork.com|cc.com|channel5.com|cmt.com|colbertnation.com|comedycentral.com|crackle.com|eonline.com|espndeportes.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com|flexonline.com|foodnetwork.com|ign.com|logotv.com|mlb.mlb.com|mtv.com|mtvnservices.com|muscleandfitness.com|nascar.com|nbc.com|nbcnews.com|nbcsports.com|ncaa.com|nick.com|player.theplatform.com|simpsonsworld.com|sky.com|southpark.nl|southparkstudios.com|spike.com|teamcoco.com|teennick.com|thedailyshow.com|thingx.tv|today.com|travelchannel.com|tv3play.se|tvland.com|uverseonline.att.net|vevo.com|vh1.com|video.cnbc.com|vod.fxnetworks.com|watch.aetnd.com -@@||v.fwmrm.net/crossdomain.xml$object-subrequest -@@||v.fwmrm.net/p/espn_live/$object-subrequest -@@||v.fwmrm.net/|$object-subrequest,domain=tv10play.se|tv3play.se|tv6play.se|tv8play.se -@@||vacationstarter.com/hive/images/adv_ -@@||vad.go.com/dynamicvideoad?$object-subrequest -@@||vagazette.com/hive/images/adv_ -@@||valueram.com/banners/ads/ -@@||vancouversun.com/js/adsync/adsynclibrary.js -@@||vanityfair.com/ads/js/cn.dart.bun.min.js -@@||veetle.com/images/common/ads/ -@@||ventunotech.akamai-http.edgesuite.net/VtnGoogleVpaid.swf?*&ad_type=$object-subrequest,domain=cricketcountry.com -@@||vg247.com^$generichide -@@||vg247.com^$script,domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||vg247.it^$script,domain=eurogamer.net|nintendolife.com|rockpapershotgun.com|usgamer.net|vg247.com -@@||vhobbies.com/admgr/*.aspx?ZoneID=$script,domain=vcoins.com -@@||vid.ag/static/js/adver*.js -@@||vidcoin.com/adserver/$subdocument,xmlhttprequest -@@||video.economist.com/adfinder.jsp? -@@||video.nbcuni.com^*/ad_engine_extension_nbc.swf -@@||video.nbcuni.com^*/inext_ad_engine/ad_engine_extension.swf -@@||video.unrulymedia.com/iframe_$subdocument,domain=theemptynestexpress.com -@@||video.unrulymedia.com/wildfire_$script,domain=theemptynestexpress.com -@@||videoads.washingtonpost.com^$object-subrequest,domain=slatev.com -@@||videosxml.mobileads.indiatimes.com^$object-subrequest -@@||vidible.tv/prod/$media,object,other -@@||vidible.tv/prod/tags/$script,domain=smallscreennetwork.com -@@||vidible.tv/stage/$media,object,other -@@||vidspot.net/blank.html|$subdocument -@@||vidspot.net/builtin-$subdocument -@@||vidspot.net/cgi-bin/upload.cgi?upload_id=*&X-Progress-ID=*&js_on=*&utype=*&upload_type=$subdocument -@@||vidspot.net/tmp/status.html?*upload=file$subdocument -@@||vidtech.cbsinteractive.com/plugins/*_adplugin.swf -@@||villermen.com/minecraft/banner/banner.php$image -@@||vindicoasset.edgesuite.net/repository/campaigncreative/*/instreamad/$object-subrequest -@@||vipboxsa.co/js/cnads.js$domain=vipleague.me -@@||virginradiodubai.com/wp-content/plugins/wp-intern-ads/jquery.internads.js -@@||vistek.ca/ads/ -@@||vitalitymall.co.za/images/adrotator/ -@@||vizanime.com/ad/get_ads? -@@||vmagazine.com/web/css/ads.css -@@||vombasavers.com^*.swf?clickTAG=$object,~third-party -@@||vswebapp.com^$~third-party -@@||vtstage.cbsinteractive.com/plugins/*_adplugin.swf -@@||w.org/plugins/adsense-plugin/screenshot-$image,domain=wordpress.org -@@||wahoha.com^$~third-party -@@||wahooads.com/Ads.nsf/$~third-party -@@||wallpapersmania.com/ad/$image,~third-party -@@||walmartmoneycard.com^*/shared/ad_rotater.swf -@@||wappalyzer.com/sites/default/files/icons/$image -@@||washingtonpost.com/wp-adv/advertisers/russianow/ -@@||washingtonpost.com/wp-srv/ad/generic_ad.js -@@||washingtonpost.com/wp-srv/ad/textlink_driver.js -@@||washingtonpost.com/wp-srv/ad/textlinks.js -@@||washingtonpost.com/wp-srv/ad/textlinks_config.js -@@||washingtonpost.com/wp-srv/ad/wp.js -@@||washingtonpost.com/wp-srv/ad/wp_ad.js -@@||washingtonpost.com/wp-srv/ad/wp_config.js -@@||washingtonpost.com/wp-srv/ad/wpni_generic_ad.js -@@||washingtonpost.com/wpost/css/combo?*/ads.css -@@||washingtonpost.com/wpost2/css/combo?*/ads.css -@@||washingtonpost.com^*=/ad/audsci.js -@@||wearetennis.com/pages/home/img/ad-$image -@@||web-jp.ad-v.jp/adam/inline?$object-subrequest,domain=daisuki.net -@@||web-jp.ad-v.jp/crossdomain.xml$domain=daisuki.net -@@||wellsfargo.com/img/ads/$~third-party -@@||wetransfer.com/advertise/$xmlhttprequest -@@||whitepages.com^*/google_adsense.js? -@@||whittakersworldwide.com/site-media/advertisements/ -@@||whstatic.com/images/thumb/*-Popup-Ads-$image,domain=wikihow.com -@@||widget.breakingburner.com/ad/$subdocument -@@||widget.slide.com^*/ads/*/preroll.swf -@@||widgets.cbslocal.com/player/embed?affiliate=$subdocument -@@||widgets.rewardstyle.com^$domain=glamour.com|itsjudytime.com -@@||widgetserver.com/syndication/get_widget.html?*&widget.adplacement=$subdocument -@@||wikia.com/__spotlights/spc.php?$xmlhttprequest -@@||wikia.nocookie.net^*/images/$image -@@||williamsauction.com/Resources/images/ads/$~third-party -@@||winnipegsun.com/assets/js/dfp.js? -@@||wired.com^*/cn-fe-ads/cn.dart.js -@@||wirefly.com/_images/ads/ -@@||wisegeek.com/res/contentad/ -@@||worldstarhiphop.com^*/dj2.swf -@@||wortech.ac.uk/publishingimages/adverts/ -@@||wp.com/_static/*/criteo.js -@@||wp.com/digiday.com/wp-content/uploads/*-ad.jpg?$domain=digiday.com -@@||wp.com/digiday.com/wp-content/uploads/*/your-ad-here-banner.png?resize=$domain=digiday.com -@@||wp.com/wp-content/themes/*/ads.js$script -@@||wp.com/www.noobpreneur.com/wp-content/uploads/*-ad.jpg?resize=$domain=noobpreneur.com -@@||wpthemedetector.com/ad/$~third-party -@@||wrapper.teamxbox.com/a?size=headermainad -@@||wsj.net/public/resources/images/*_AdTech_$image,domain=wsj.com -@@||wsj.net^*/images/adv-$image,domain=marketwatch.com -@@||www.facebook.com/ad.*^ajaxpipe^$subdocument,~third-party -@@||www.google.*/aclk?*&adurl=$subdocument,~third-party,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||www.google.*/search?$subdocument,~third-party,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||www.google.com/ads/preferences/$image,script,subdocument -@@||www8-hp.com^*/styles/ads/$domain=hp.com -@@||xbox.com/assets/ad/$image,~third-party -@@||xboxlive.com/assets/*_banner_ad.$image,domain=forzamotorsport.net -@@||xboxlive.com/assets/ad/$image,domain=forzamotorsport.net -@@||yadayadayada.nl/banner/banner.php$image,domain=murf.nl|workhardclimbharder.nl -@@||yahoo.com/combo?$stylesheet -@@||yahoo.net/1/adnetwork/$object-subrequest -@@||yceml.net^$image,domain=affrity.com|catalogfavoritesvip.com|deliverydeals.co.uk|extrarebates.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||yceml.net^$object,domain=affrity.com -@@||yellowpages.com.mt/Images/Design/Buttons/advert.png -@@||yibada.com^$generichide -@@||yimg.com/ks/plugin/adplugin.swf?$domain=yahoo.com -@@||yimg.com/nn/lib/metro/300_250_Human_Touch_mail.jpg$domain=yahoo.com -@@||yimg.com/p/combo?$stylesheet,domain=yahoo.com -@@||yimg.com/rq/darla/*/g-r-min.js$domain=yahoo.com -@@||yimg.com/zz/combo?*&*.js -@@||yimg.com^*&yat/js/ads_ -@@||yimg.com^*/adplugin_*.swf$object,domain=games.yahoo.com -@@||yimg.com^*/ads-min.css$domain=yahoo.com -@@||yimg.com^*/java/promotions/js/ad_eo_1.1.js -@@||ykhandler.com/adframe.js -@@||yokosonews.com/files/cache/ -@@||yoox.com/img//banner/affiliation/$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||yourtailorednews.com^$generichide -@@||youtube.com/yt/advertise/medias/images/$image -@@||youtube.com/yt/css/www-advertise.css -@@||youtube.com^*_adsense_$xmlhttprequest -@@||ytimg.com/yts/img/*/display-ads$image,domain=youtube.com -@@||ytimg.com/yts/img/channels/*_banner-*.jpg$domain=youtube.com -@@||ytimg.com/yts/img/channels/*_banner-*.png$domain=youtube.com -@@||ytimg.com^*/channels4_banner.jpg?$domain=youtube.com -@@||ytimg.com^*/channels4_banner_hd.jpg?$domain=youtube.com -@@||yttalk.com/threads/*/add-reply$domain=yttalk.com -@@||yumenetworks.com/content/static/$domain=dailygames.com -@@||yumenetworks.com/crossdomain.xml$object-subrequest -@@||yumenetworks.com/dynamic_preroll_playlist.vast2xml$domain=contv.com -@@||zanox-affiliate.de/images/$domain=sunsteps.org -@@||zanox.com/images//programs/$image,domain=sunsteps.org -@@||zanox.com/images/programs/$domain=sunsteps.org -@@||zap2it.com/ads/newsletter/$image,~third-party -@@||zattoo.com/?advideo/*;vidAS=PRE_ROLL;$object-subrequest -@@||zattoo.com/advertising/channelswitch/$subdocument -@@||zedo.com/crossdomain.xml$object-subrequest -@@||zedo.com/jsc/c5/fhs.js$domain=rrstar.com -@@||zedo.com/swf/$domain=startv.in -@@||zeenews.india.com/ads/jw/player.swf$object -@@||zemanta.com/plugins/$script,third-party -@@||zergnet.com^$image,script,stylesheet,domain=ci.craveonline.com|ci.gamerevolution.com|ci.momtastic.com|ci.thefashionspot.com|ci.totallyher.com -@@||ziehl-abegg.com/images/img_adverts/$~third-party -@@||zillow.com/ads/FlexAd.htm?did=$subdocument -@@||zillow.com/widgets/search/ZillowListingsWidget.htm?*&adsize=$subdocument,domain=patch.com -@@||zippyshare.com^$generichide -@@||zstream.to/js/pop.js$domain=zstream.to -! Anti-Adblock -@@.gif#$domain=budget101.com|cbox.ws|corepacks.com|danydanielrt.com|dx-tv.com|eventosppv.me|funniermoments.com|gameurs.net|hastlegames.com|ibmmainframeforum.com|liveonlinetv247.info|loadlum.com|mamahd.com|onlinemoviesfreee.com|onlinemoviewatchs.tv|premiumleecher.com|remo-xp.com|showsport-tv.com|superplatyna.com|turktorrent.cc|tv-porinternet.com.mx|tvrex.altervista.org|ver-flv.com|verdirectotv.com|wallpapersimages.co.uk|wowebook.org|wrestlingtalk.org|wwe2day.tv|xup.in -@@.gif^$image,third-party,domain=kissanime.ru -@@.ico#$domain=xup.in|xup.to -@@.javascript?$script,third-party,domain=cbsnews.com|colbertlateshow.com -@@.javascript|$domain=cbsnews.com -@@.jpg#$domain=apkone.net|bicimotosargentina.com|calcularindemnizacion.es|cinema2satu.net|desionlinetheater.com|dragoart.com|dvdfullfree.com|firsttube.co|freewatchlivetv.com|galna.org|haxlog.com|idevnote.com|kshowes.net|lag10.net|legionpeliculas.org|livrosdoexilado.org|lomeutec.com|mac2sell.net|masfuertequeelhierro.com|max-deportv.info|max-deportv.net|megacineonline.biz|mimaletamusical.blogspot.com.ar|movie1k.net|mugiwaranofansub.blogspot.com.ar|musicacelestial.net|mypapercraft.net|naasongs.com|pcgames-download.net|play-old-pc-games.com|premiumgeneratorlink.com|pxstream.tv|rtube.de|software4all-now.blogspot.co.uk|tv-msn.com|uploadlw.com|wallpapersimages.co.uk|wrestlingtalk.org -@@.jpg^$image,third-party,domain=kissanime.ru|kisscartoon.se -@@.min.js$domain=ftlauderdalewebcam.com|nyharborwebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com -@@.png#$domain=300mblink.com|adlipay.com|amigosdelamili.com|anime2enjoy.com|animesubita.info|anizm.com|anonytext.tk|arenavision.in|backin.net|best-bitcoin-faucet.eu|best-free-faucet.eu|bitcofree.com|bitcoin-best-faucet.eu|bitcoin-cloud.eu|bitcoin-faucet.eu|bitcoin-free-faucet.eu|byetv.org|calcularindemnizacion.es|cleodesktop.com|compartiendofull.org|corepacks.com|dailyuploads.net|debrastagi.com|debridit.com|debridx.com|dksoftwares4u.blogspot.co.uk|docpaste.com|dragoart.com|fcportables.com|file-upload.com|free-bitcoin-faucet.eu|freeclaimbtc.xyz|freelive365.com|gameopc.blogspot.com.ar|get-bitcoins-free.eu|get-free-bitcoin.eu|go4up.com|hackintosh.zone|hogarutil.com|hostyd.com|hubturkey.net|idevnote.com|iptvlinks.com|juegosparaplaystation.com|kshowes.net|kwikupload.com|latinomegahd.net|legionprogramas.org|lordpyrak.net|maamp3.com|magesy.be|mamahd.com|marketmilitia.org|media1fire.com|media4up.com|mediaplaybox.com|megacineonline.net|minecraft-forum.net|mintmovies.net|mpc-g.com|mrjuegosdroid.co.vu|mundoprogramas.net|myksn.net|nbahd.com|newxxxvideosupdate.blogspot.com.ar|nontonanime.org|nornar.com|noticiasautomotivas.com.br|omaredomex.org|oploverz.net|osdarlings.com|peliculas.online-latino.com|pes-patch.com|pocosmegashdd.com|portalzuca.com|portalzuca.net|premium4.us|puromarketing.com|realidadscans.org|sawlive.tv|scriptnulled.eu|secureupload.eu|seriesbang.net|seriesbang.to|short.am|skidrowcrack.com|sportstvstream.me|stream2watch.me|stream4free.eu|streamlive.to|superanimes.com|superplatyna.com|tamercome.blogspot.co.uk|techingspot.blogspot.in|technoshouter.com|trackitonline.ru|trizone91.com|turkdown.com|tv-msn.com|tvenvivocrackmastersamm.blogspot.com.ar|ulto.ga|unlockpwd.com|uploadex.com|uploadocean.com|url4u.org|vbaddict.net|vencko.net|vidlockers.ag|whatsapprb.blogspot.com|win-free-bitcoins.eu|wolverdon-filmes.com|wowhq.eu|wrestlingtalk.org -@@.png?*#$domain=mypapercraft.net|xlocker.net -@@.png?ad_banner=$domain=majorleaguegaming.com -@@.png?advertisement_$domain=majorleaguegaming.com -@@.png^$image,third-party,domain=kissanime.ru|kisscartoon.se -@@.to/ads/$domain=kissanime.ru -@@.xzn.ir/$script,third-party,domain=psarips.com -@@/adBlockDetector/*$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/adcode.js$domain=cityam.com|techworld.com -@@/advertisement.js$domain=dramacafe.in|mackolik.com|sahadan.com -@@/afr.php?$script,domain=sankakucomplex.com -@@/banman/*$script,domain=atlanticcitywebcam.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|keywestharborwebcam.com|morganhillwebcam.com|nyharborwebcam.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com -@@/blockalyzer-adblock-counter/js/advertisement.js$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/crosdomain.xml$object-subrequest,domain=dramafever.com -@@/crossdomain.xml$object-subrequest,domain=dramafever.com|itsyourtvnow.com|vaughnlive.tv -@@/smart_ad/*$subdocument,domain=wstream.video -@@/wp-content/*/plugins/adblock.js$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/adblock-notify-by-bweb/js/advertisement.js$script,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/anti-block/js/advertisement.js$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/blockalyzer-adblock-counter/*$image,script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/blocked-ads-notifier-lite/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/simple-adblock-notice/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-content/plugins/wordpress-adblock-blocker/adframe.js$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/wp-prevent-adblocker/*$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@/xbanner.js$subdocument,domain=vivo.sx -@@?aid=$image,third-party,domain=kisscartoon.se -@@|http://$image,third-party,domain=360haven.com|4553t5pugtt1qslvsnmpc0tpfz5fo.xyz|ahmedabadmirror.com|animmex.com|ip-address.org|linkdrop.net|playlivenewz.com|publicleech.xyz|seekingalpha.com|sznpaste.net -@@|http://$script,third-party,domain=eventhubs.com -@@|http://$script,~third-party,domain=indiatimes.com -@@|http://$xmlhttprequest,domain=gogi.in|last.fm -@@|http://*.js?_=$script,third-party,domain=kissanime.com -@@|http://*_ad$image,third-party,domain=socketloop.com -@@|http://ad$image,third-party,domain=socketloop.com -@@|https://$image,third-party,domain=360haven.com|4553t5pugtt1qslvsnmpc0tpfz5fo.xyz|animesubita.info|animmex.club|animmex.co|animmex.co.uk|animmex.com|animmex.info|animmex.net|animmex.online|animmex.org|animmex.press|animmex.site|animmex.space|animmex.tech|animmex.website|animmex.xyz|ip-address.org|jukezilla.com|linkdrop.net|nmac.to|publicleech.xyz|sznpaste.net|washingtonpost.com -@@|https://$script,third-party,domain=eventhubs.com -@@|https://$xmlhttprequest,domain=gogi.in|last.fm -@@|https://*_ad$image,third-party,domain=socketloop.com -@@|https://ad$image,third-party,domain=socketloop.com -@@||10-download.com/ad/adframe.js -@@||1rx.io^$script,domain=allmusic.com -@@||247realmedia.com/RealMedia/ads/Creatives/default/empty.gif$image,domain=surfline.com -@@||2mdn.net/instream/video/client.js$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com|majorleaguegaming.com -@@||300mblink.com^$generichide -@@||360haven.com^$generichide -@@||3dsforum.tk^$generichide -@@||4fuckr.com^*/adframe.js -@@||4shared.com^$image,script,xmlhttprequest -@@||4sysops.com^*/adframe.js -@@||5.189.144.107^$script,domain=afdah.tv -@@||8muses.com^$script,~third-party -@@||8shit.net^$generichide -@@||95.211.184.210/js/advertisement.js -@@||97.74.238.106^$domain=afreesms.com -@@||9msn.com.au/Services/Service.axd?*=AdExpert&$script,domain=9news.com.au -@@||9xbuddy.com/js/ads.js -@@||ad-emea.doubleclick.net/ad/*.CHANNEL41/*;sz=1x1;$object-subrequest,domain=channel4.com -@@||ad-emea.doubleclick.net/crossdomain.xml$object-subrequest,domain=channel4.com -@@||ad.doubleclick.net/|$image,domain=cwtv.com -@@||ad.filmweb.pl^$script -@@||ad.leadbolt.net/show_cu.js -@@||ad4game.com*/images/$image,domain=kissanime.com -@@||ad4game.com/js/$script,domain=kissanime.com|kisscartoon.me -@@||ad8k.com^$script,domain=extratorrent.cc|flash-x.tv|flashx.tv|wrestlinginc.com -@@||adadvisor.net^$script,domain=kisscartoon.me -@@||adbutler-meson.com/adserve/$script,third-party,xmlhttprequest,domain=uploaded.net -@@||adbutler-meson.com/app.js$script,domain=uploaded.net -@@||adcity.tech^$script,third-party -@@||adclixx.net^$script,domain=publicleech.xyz -@@||ade.clmbtech.com^$script,domain=indiatimes.com -@@||adexprt.com/cdn3/*&m=magnet$subdocument -@@||adf.ly/ad/banner/*=$xmlhttprequest -@@||adf.ly^$generichide -@@||adf.ly^$image,domain=getdebrid.com -@@||adgarden.tech^$script,third-party -@@||adlipay.com^$generichide -@@||adm.fwmrm.net/p/*/AdManager.js$domain=dplay.com|dplay.dk|dplay.se|eonline.com|uktv.co.uk -@@||adm.fwmrm.net/p/*/LinkTag2.js$domain=uktv.co.uk -@@||adm.fwmrm.net/p/*/Video2AdRenderer.swf$object-subrequest,domain=foodnetwork.com|player.theplatform.com|today.com|travelchannel.com|tv3play.se|uktv.co.uk|usanetwork.com -@@||adm.fwmrm.net/p/*/VPAIDAdRenderer.swf$object-subrequest,domain=uktv.co.uk -@@||adm.fwmrm.net^*/BrightcovePlugin.js$domain=uktv.co.uk -@@||admin.brightcove.com^$object-subrequest,domain=tvn.pl|tvn24.pl -@@||admost.com/adx/get.ashx?$script,domain=mackolik.com|sahadan.com -@@||admost.com/adx/js/admost.js$domain=mackolik.com|sahadan.com -@@||adnetasia.com^$script,domain=publicleech.xyz|sznpaste.net -@@||adnow.tech^$script,third-party -@@||adnxs.com^$script,domain=kissanime.com -@@||adocean.pl^*/ad.js?id=$script,domain=tvn24.pl -@@||adprotected.com/tags/$script,domain=kissanime.com|kisscartoon.me -@@||ads-popad.weebly.com/uploads/*/ads.js$script,domain=pcgames-download.net -@@||ads.360haven.com^$script,~third-party -@@||ads.ad-center.com/smart_ad/display?ref=*&smart_ad_id=$subdocument,domain=dayt.se|wstream.video -@@||ads.ad-center.com^$subdocument,domain=dayt.se -@@||ads.ad4game.com/www/delivery/lg.php$subdocument,domain=turkanime.tv -@@||ads.avazu.net^$subdocument,domain=xuuby.com -@@||ads.clubedohardware.com.br/www/delivery/$script -@@||ads.colombiaonline.com^$generichide -@@||ads.cxadserving.com^$subdocument,domain=pocketnow.com -@@||ads.nipr.ac.jp^$~third-party -@@||ads.pubmatic.com/AdServer/js/showad.js$script,domain=cityam.com -@@||ads.rubiconproject.com/ad/$script,domain=memegenerator.net -@@||ads.tremorhub.com/ad/$object-subrequest,domain=vaughnlive.tv -@@||adsbox.in^$generichide -@@||adscendmedia.com/gwjs.php?$script,domain=civilization5cheats.com|kzupload.com -@@||adserver.adreactor.com/js/libcode1_noajax.js$domain=mp3clan.audio|mp3clan.com -@@||adserver.adtech.de/?adrawdata/3.0/$object-subrequest,domain=digitoday.fi|groovefm.fi|hs.fi|iltasanomat.fi|istv.fi|jimtv.fi|livtv.fi|loop.fi|metrohelsinki.fi|nelonen.fi|nyt.fi|radioaalto.fi|radiorock.fi|radiosuomipop.fi|ruokala.net|ruutu.fi -@@||adserver.adtech.de/?adrawdata/3.0/$script,domain=entertainment.ie -@@||adserver.adtech.de/multiad/$script,domain=aftenposten.no|e24.no|hardware.no|vg.no -@@||adserver.dca13.com/js/ads*.js$script -@@||adserver.juicyads.com^$subdocument,domain=equestriaafterdark.org -@@||adserver.liverc.com/getBannerVerify.js -@@||adshost2.com/js/show_ads.js$domain=bitcoinker.com -@@||adsjudo.com^*/advertisement.js|$script -@@||adstreet.tech^$script,third-party -@@||adtechus.com/dt/common/DACMultiAdPlugin.js$domain=e24.no -@@||adtechus.com/dt/common/postscribe.js$domain=vg.no -@@||adtechus.com^$image,domain=fullmatchesandshows.com|watchtvserieslive.org -@@||adtrackers.net^$script,domain=publicleech.xyz|sznpaste.net -@@||advert.popunder.ru^$domain=beelink.in -@@||adverticum.net/static/js/$domain=kisscartoon.me -@@||advertisegame.com^$image,domain=kissanime.com -@@||advertisingwouldbegreat.com^$script,domain=flashx.tv -@@||adverts.eclypsia.com/www/images/*.jpg|$domain=eclypsia.com -@@||adview.pl/ad/GetReklamyMultimediaVast?dir=*&adType=PREROLL&$xmlhttprequest,domain=insys.pl -@@||adworld.tech^$script,third-party -@@||adzerk.net/ados.js$domain=majorleaguegaming.com -@@||aetv.com^$generichide -@@||afairweb.com/api/*/urls$xmlhttprequest -@@||afairweb.com^$generichide -@@||afdah.tv^$script -@@||afreesms.com^$generichide -@@||afreesms.com^$script,xmlhttprequest,domain=afreesms.com -@@||afreesms.now.im/adblocker.js$script,xmlhttprequest,domain=afreesms.com -@@||agar.io^*ad$script -@@||ahctv.com^$generichide -@@||ahmedabadmirror.com/*ads.cms -@@||ahmedabadmirror.com^$generichide -@@||aka-cdn-ns.adtech.de/images/*.gif$image,domain=akam.no|amobil.no|gamer.no|hardware.no|teknofil.no -@@||akamaihd.net^*/showads$script,domain=golfchannel.com -@@||akstream.video/include/advertisement.js -@@||allmedia-d.openx.net^$script,domain=sidereel.com -@@||allmusic.com^$generichide -@@||allmyvideos.net^$generichide -@@||allmyvideos.net^$script,~third-party -@@||alphahistory.com^$generichide -@@||altoque.com^$generichide -@@||amazon-adsystem.com/aax2/amzn_ads.js$domain=allmusic.com|cinemablend.com|fullmatchesandshows.com|sidereel.com -@@||amazon-adsystem.com/e/dtb/bid?$script,domain=allmusic.com|sidereel.com -@@||amazonaws.com/*.js$domain=cwtv.com -@@||amazonaws.com/atzuma/ajs.php?adserver=$script -@@||amazonaws.com/khachack/ima3.js?$script,domain=ndtv.com -@@||amazonaws.com/ssbss.ss/$script -@@||amazonaws.com^$script,domain=cinemablend.com|thesimsresource.com -@@||amazonaws.com^*/ad*.js$script -@@||amazonaws.com^*/video-ad-unit.js$script -@@||amazonaws.com^*/videoads.js -@@||amigosdelamili.com^$generichide -@@||amk.to/js/adcode.js? -@@||ancensored.com/sites/all/modules/player/images/ad.jpg -@@||androidcentral.com^$generichide -@@||androidsage.com^$generichide -@@||anilinkz.io^$generichide -@@||animalplanet.com^$generichide -@@||anime2enjoy.com^$generichide -@@||animecrave.com/_content/$script -@@||animefushigi.co^$generichide -@@||animenewsnetwork.com/javascripts/advertisement.js -@@||animerebel.com^$generichide -@@||animesubita.info^$generichide -@@||animizer.net/js/adframe.js -@@||animmex.$generichide -@@||anisearch.com^*/ads/ -@@||anizm.com^$generichide -@@||anonymousemail.me/js/$~script -@@||anonytext.tk^$generichide -@@||antena3.com/adsxml/$object-subrequest -@@||anti-adblock-scripts.googlecode.com/files/adscript.js -@@||apkone.net^$generichide -@@||appfull.net^$generichide -@@||ar51.eu/ad/advertisement.js -@@||arabloads.net^$generichide -@@||ArenaVision.in^$generichide -@@||arnnet.com.au^$generichide -@@||arsopo.com/ads.php -@@||arto.com/includes/js/adtech.de/script.axd/adframe.js? -@@||atresmedia.com/adsxml/$object-subrequest -@@||atresplayer.com/adsxml/$object-subrequest -@@||atresplayer.com/static/js/advertisement.js -@@||auditude.com/player/js/lib/aud.html5player.js -@@||auroravid.to/banner.php -@@||autoevolution.com^$generichide -@@||autogespot.*/JavaScript/ads.js?$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||autolikergroup.com/advertisement.js -@@||autolikesgroups.com^$generichide -@@||avforums.com/*ad$script -@@||backin.net^$generichide -@@||bambergerkennanchitinous.com^$script,domain=collectivelyconscious.net|convertfiles.com|izismile.com|oncars.eu|oncars.in|onwatchseries.to|watch-series-tv.to|watch-series.ag|watch-tv-series.to|watchseries.ag|watchseries.li|watchseries.lt|watchseries.ph|watchseries.vc|watchseriesuk.ag|watchseriesuk.lt|watchtvseries.se|watchtvseries.unblocked.cat|watchtvseries.vc -@@||bangaloremirror.com^$generichide -@@||bannertrack.net^$script,domain=publicleech.xyz -@@||barstoolsports.com^$script,domain=barstoolsports.com -@@||batchnime.net^$generichide -@@||bdrip.ws/web_data/*/ad$image -@@||bdrip.ws^$generichide -@@||beemp3s.org/adreactor/$script -@@||beinsports.com^$generichide -@@||belfasttelegraph.co.uk^$generichide -@@||beliebershotel.com^$script,domain=beliebershotel.com -@@||best-bitcoin-faucet.eu^$generichide -@@||best-free-faucet.eu^$generichide -@@||best-movies.info^$generichide -@@||bestofmedia.com^*/advertisement.js -@@||bestream.tv/advert*.js -@@||betterdocs.net^$generichide -@@||bicimotosargentina.com^$generichide -@@||bidvertiser.com/*.html?$subdocument,domain=exrapidleech.info -@@||bidvertiser.com/*?pid=$script,subdocument,domain=exrapidleech.info -@@||bilzonen.dk/scripts/ads.js -@@||binbox.io/ad/$subdocument -@@||binbox.io/adblock.js -@@||binbox.io^$generichide -@@||bitcofree.com^$generichide -@@||bitcoin-best-faucet.eu^$generichide -@@||bitcoin-cloud.eu^$generichide -@@||bitcoin-faucet.eu^$generichide -@@||bitcoin-free-faucet.eu^$generichide -@@||bitcoinspace.net/freebitcoins/display_ads.js -@@||bitfeed.co^$generichide -@@||bitplay.ga^$generichide -@@||biz.tm^$script,domain=ilix.in|priva.us|urlink.at -@@||blogspot.com^*#-$image,domain=cricket-365.pw|cricpower.com|pirlotv.tv -@@||bmmagazine.co.uk^$generichide -@@||bnonews.com^$generichide -@@||boincstats.com/js/adframe.js -@@||bollywoodshaadis.com/js/ads.js -@@||boxbit.co.in^$generichide -@@||boxxod.net/advertisement.js -@@||brainyquote.com^*/ad*.js -@@||brassyobedientcotangent.com^*/ads.js -@@||brightcove.com^*/AdvertisingModule.swf$object-subrequest,domain=channel5.com|citytv.com|player.stv.tv|uktv.co.uk|wwe.com -@@||broadwayworld.com^$generichide -@@||bsmotoring.com/adframe.js -@@||bulletproofserving.com/scripts/ads.js -@@||bulletproofserving.com^$script,domain=opensubtitles.org -@@||business-solutions.us^$generichide -@@||business-standard.com/include/_mod/site/adblocker/js/$script -@@||buysellads.com/ac/bsa.js$domain=jc-mp.com -@@||calcularindemnizacion.es^$generichide -@@||canada.com/video/assets/js/lib/advertisement.js$domain=driving.ca -@@||captchme.net/js/advertisement-min.js -@@||captchme.net/js/advertisement.js -@@||caspion.com/cas.js$domain=clubedohardware.com.br -@@||catchvideo.net/adframe.js -@@||cbsistatic.com^*/cnetjs/$script,domain=cnet.com -@@||cdn-seekingalpha.com^*/ads.js -@@||cdn-surfline.com/ads/VolcomSurflinePlayerHo13.jpg$domain=surfline.com -@@||cdn.eventosppv.me^$generichide -@@||cdn.mgid.com^$script,domain=kissanime.com -@@||cdn.ndtv.com/static/$script,domain=ndtv.com -@@||cdnco.us^$script -@@||celogeek.com/stylesheets/blogads.css -@@||centro.co.il^$generichide -@@||chango.com^*/adexchanger.png?$domain=kissanime.com -@@||chango.com^*/jcrew.jpg?$image,domain=kissanime.com -@@||channel4.com/ad/l/1?|$object-subrequest -@@||channel4.com/p/c4_live/ExternalHTMLAdRenderer.swf$object-subrequest -@@||channel4.com/p/c4_live/PauseAdExtension.swf$object-subrequest -@@||channel4.com/p/c4_live/UberlayAdRenderer.swf$object-subrequest -@@||channel4.com/p/c4_live/Video2AdRenderer.swf$object-subrequest -@@||channel4.com/p/c4_live/VPAIDAdRenderer.swf$object-subrequest -@@||chicagoreader.com^$generichide -@@||chitika.com^*/search-button.png?$domain=exashare.com -@@||chitika.com^*/search-button.png?$image,domain=kissanime.com -@@||chitika.net/getads.js$domain=anisearch.com -@@||cibleclick.com^$script,domain=kisscartoon.me -@@||cinema2satu.net^$generichide -@@||cinemablend.com^$generichide -@@||cinestrenostv.tv/reproductores/adblock.js -@@||cio.co.nz^$generichide -@@||cio.com.au^$generichide -@@||city1016.ae^$generichide -@@||cityam.com/assets/js/dfp/dfp.js -@@||cityam.com^$generichide -@@||clashdaily.com^$generichide -@@||cleodesktop.com^$generichide -@@||clicksor.net/images/$domain=kissanime.com -@@||clickxchange.com^$image,domain=kissanime.com -@@||clmbtech.com/ad/$script,domain=indiatimes.com -@@||cloudfront.net*/ad$script,domain=cityam.com|robinwidget.com|space.com|techworld.com|theinquirer.net|tomshardware.co.uk|tomshardware.com -@@||cloudfront.net/opentag-$script,domain=v3.co.uk -@@||cloudfront.net^$image,domain=cityam.com|theinquirer.net|v3.co.uk -@@||cloudfront.net^*/pubads_$script,domain=slader.com -@@||cloudtime.to/banner.php?$script -@@||clubedohardware.com.br^$generichide -@@||cmacapps.com^$generichide -@@||cmo.com.au^$generichide -@@||cnbc.com^$generichide -@@||cnbc.com^*/showads.js$script -@@||cnbcfm.com^*/showads.js$script,domain=cnbc.com -@@||codingcrazy.com/demo/adframe.js -@@||coincheckin.com/js/adframe.js -@@||coinracket.com^$generichide -@@||coinurl.com/get.php?id=18045 -@@||comicbook.com^$generichide -@@||compartiendofull.org^$generichide -@@||complexmedianetwork.com/js/cmnUNT.js$script,domain=allmusic.com -@@||computerworld.co.nz^$generichide -@@||computerworld.com.au^$generichide -@@||computerworld.com/www/js/ads/gpt_includes.js -@@||cookinggames.com^$generichide -@@||coolgames.com^*/ads.js -@@||core.adprotected.com^$subdocument,domain=kissanime.com -@@||corepacks.com^$generichide -@@||cpalead.com/gwjs.php?pub=$script,domain=youserials.com -@@||cpalead.com/mygateway.php?pub=$script,domain=free-space.net|justfortrendygirls.com|mmusicz.com|receive-sms.com|videodownloadx.com -@@||cpalead.com^$domain=kissanime.com -@@||cpmstar.com^$image,domain=kissanime.com -@@||cpmstar.com^$script,domain=kissanime.com -@@||cpmtree.com^$script,domain=kissanime.com -@@||cpu-world.com^$generichide -@@||cpxinteractive.com^$script,domain=kissanime.com -@@||crackberry.com^$generichide -@@||credio.com/ad? -@@||credio.com^$generichide -@@||cricfree.sc^$generichide -@@||cricket-365.tv^$generichide -@@||cricketndtv.com^$script,domain=ndtv.com -@@||criteo.com/delivery/ajs.php?zoneid=$script,domain=clubedohardware.com.br -@@||criteo.com/delivery/rta/rta.js$domain=allmusic.com|sidereel.com -@@||crunchyroll.com^*/ads_enabled_flag.js -@@||cso.com.au^$generichide -@@||cssload.net/js/adframe.js -@@||cyberdevilz.net^$generichide -@@||d2anfhdgjxf8s1.cloudfront.net/ajs.php?adserver=$script -@@||d3pkae9owd2lcf.cloudfront.net^$script,domain=hockeybuzz.com|hotslogs.com|wowhead.com -@@||daclips.in^$generichide -@@||dailymail.co.uk/abe/$script -@@||dailymail.co.uk^$generichide -@@||dailymaverick.co.za/js/ads/ads.js -@@||dailymotion.com/embed/video/$subdocument,domain=team-vitality.fr -@@||dailyuploads.net^$generichide -@@||danydanielrt.com^$generichide -@@||dawn.com^$generichide -@@||dayt.se^$generichide -@@||dayt.se^$script,domain=dayt.se -@@||debrastagi.com^$generichide -@@||debrid.us^$generichide -@@||debridit.com^$generichide -@@||debridnet.com/adframe.js$script -@@||debridnet.com^$generichide -@@||debridx.com^$generichide -@@||decomaniacos.es^*/advertisement.js -@@||designtaxi.com/js/ad*.js -@@||desilinkstv.com^$generichide -@@||desionlinetheater.com^$generichide -@@||destinationamerica.com^$generichide -@@||destinypublicevents.com/src/advertisement.js -@@||diep.io^$script,~third-party -@@||dinglydangly.com^$script,domain=eventhubs.com -@@||dinozap.tv/adimages/ -@@||divisionid.com^*/ads.js -@@||divyabhaskar.co.in^*/ad$script -@@||dksoftwares4u.blogspot.co.uk^$generichide -@@||dl.dropboxusercontent.com^$script,domain=pcgames-download.net -@@||dlh.net^$script,subdocument,domain=dlh.net -@@||dniadops-a.akamaihd.net/ads/scripts/fwconfig/current/fwplayerconfig.min.js$domain=dplay.com|dplay.dk|dplay.se -@@||dnswatch.info^$script,domain=dnswatch.info -@@||docpaste.com^$generichide -@@||dogecoinpuddle.com^$script,domain=dogecoinpuddle.com -@@||dogefaucet.com^*/ad$script -@@||dollarade.com/overlay_gateway.php?oid=$script,domain=dubs.me|filestore123.info|myfilestore.com|portable77download.blogspot.com -@@||domain.com/ads.html -@@||dontdrinkandroot.net/js/adframe.js -@@||doodle.com/builtstatic/*/doodle/js/$script -@@||doubleclick.net/adj/gn.eventhubs.com/*;sz=728x90;$script,domain=eventhubs.com -@@||doubleclick.net/instream/ad_status.js$domain=ip-address.org -@@||doubleclick.net/static/glade.js$domain=allmusic.com -@@||doubleclick.net/xbbe/creative/vast?$domain=rte.ie -@@||doubleclick.net^*/adx/zattoo/video_*;cue=pre;$object-subrequest,domain=zattoo.com -@@||doubleclickbygoogle.com^$object-subrequest,domain=itsyourtvnow.com|vaughnlive.tv -@@||doublerecall.com/scripts/application.js$domain=kissanime.com|kisscartoon.me -@@||downace.com/themes/ace/frontend_assets/$script -@@||downace.com^$generichide -@@||dragoart.com^$generichide -@@||dragoart.com^$script,~third-party -@@||dragonballtime.net^$generichide -@@||drakulastream.tv^*/flash_popunder.js -@@||dramafever.com^$generichide -@@||dressup.com^*/ads.js -@@||dressupgal.com^$script,domain=dressupgal.com -@@||dressuppink.com^*/ads.js -@@||drfile.net^$generichide -@@||drivearabia.com^$generichide -@@||dropboxusercontent.com/*ad$script,domain=kissanime.com -@@||drugs.com^$subdocument,~third-party -@@||dutplanet.net/ajax/reclamecheck.php?$xmlhttprequest -@@||dvbtmap.eu^*/ad*.js -@@||dvdfullfree.com^$generichide -@@||dw.cbsimg.net/js/cbsi/ds.js$domain=last.fm -@@||dx-tv.com^$generichide -@@||dynamicyield.com/abadimage/$image,subdocument -@@||e24.no^$generichide -@@||ebkimg.com/banners/ -@@||eclypsia.com^$script,~third-party -@@||edgekey.net^*/advertisement.js$domain=play.spotify.com -@@||elektrotanya.com/ads/$script,~third-party -@@||elrellano.com/ad/ad.js -@@||embedupload.com^$generichide -@@||enrondev.net/ads/server/www/delivery/*&zoneid=1$subdocument,domain=filecore.co.nz -@@||epawaweather.com^$generichide -@@||epicgameads.com^$image,script,domain=kissanime.com -@@||epmads.com/ads?$subdocument,domain=fcportables.com -@@||epmads.com/js/show_ads_epmads.js$domain=fcportables.com -@@||eska.pl^*bbelements.js -@@||eskago.pl/html/js/ads-banner.js -@@||eskago.pl/html/js/adv.bbelements.js -@@||eskago.pl/html/js/advertisement.js -@@||eteknix.com^$generichide -@@||eu5.org^*/advert.js -@@||euroman.dk^$generichide -@@||eventhubs.com^*.$script -@@||examplenews.com/static/js/overlay/$script -@@||exashare.com/ads.html$subdocument -@@||exoclick.com/wp-content/$image,third-party -@@||exponential.com/tags/ClubeDoHardwarecombr/ROS/tags.js$domain=clubedohardware.com.br -@@||exponential.com^*/tags.js$domain=yellowbridge.com -@@||exrapidleech.info/templates/$image -@@||exrapidleech.info^$generichide,script -@@||exsite.pl^*/advert.js -@@||external.mranime.tv^$generichide,script -@@||ezcast.tv/static/scripts/adscript.js -@@||fastclick.net/w/get.media?sid=58322&tp=5&$script,domain=flv2mp3.com -@@||fastcocreate.com/js/advertisement.js -@@||fastcodesign.com/js/advertisement.js -@@||fastcoexist.com/js/advertisement.js -@@||fastcolabs.com/js/advertisement.js -@@||fastcompany.com/js/advertisement.js -@@||fastcontentdelivery.com/ad*.js$script -@@||fastcontentdelivery.com^*/ad*.js$script -@@||fcportables.com^$generichide -@@||ffiles.com/images/mmfiles_ -@@||fhscheck.zapto.org^$script,~third-party -@@||fhsload.hopto.org^$script,~third-party -@@||file-upload.com^$generichide -@@||filechoco.com^$generichide -@@||filecom.net/advertisement.js -@@||fileice.net/js/advertisement.js -@@||files.bannersnack.com/iframe/embed.html?$subdocument,domain=thegayuk.com -@@||filmux.org^$generichide -@@||filmweb.pl/adbanner/$script -@@||financialexpress.com/wp-content/$script -@@||findthedata.com/ad? -@@||findthedata.com^$generichide -@@||firstonetv.eu/*ad$script,~third-party -@@||firstonetv.eu/ajs/$xmlhttprequest -@@||firsttube.co^$generichide -@@||fitshr.net^$script,stylesheet -@@||flashtalking.com/spot/$image,domain=itv.com -@@||flashx.$generichide -@@||flashx.tv/js/ad*.js$script -@@||flashx.tv^$generichide -@@||flight-report.com^$generichide -@@||flvto.biz/scripts/ads.js -@@||flvto.biz^$generichide -@@||fm.tuba.pl/tuba3/_js/advert.js -@@||folue.info/needes.js$domain=twer.info -@@||folue.info/player/*.js|$domain=youwatch.org -@@||forbesimg.com/scripts/ad*.js$domain=forbes.com -@@||forshrd.com^$script,domain=4shared.com -@@||fragflix.com^*.png?*=$image,domain=majorleaguegaming.com -@@||free-bitcoin-faucet.eu^$generichide -@@||free.smsmarkaz.urdupoint.com^$generichide -@@||free.smsmarkaz.urdupoint.com^*#-$image -@@||freebitco.in^$script -@@||freebitcoin.wmat.pl^*/advertisement.js -@@||freebtc.click/display_ads.js -@@||freeccnaworkbook.com^$generichide -@@||freeclaimbtc.xyz^$generichide -@@||freeclaimbtc.xyz^$script -@@||freegamehosting.nl/advertisement.js -@@||freegamehosting.nl/js/advertisement.js -@@||freelive365.com^$generichide -@@||freesportsbet.com/js/advertisement.js -@@||freevaluator.com^$generichide -@@||freewatchlivetv.com^$generichide -@@||freshdown.net/templates/Blaster/img/*/ads/$image -@@||freshdown.net^$generichide -@@||fullmatchesandshows.com^$generichide -@@||fullstuff.co^$generichide -@@||fullstuff.net^$generichide -@@||funniermoments.com/adframe.js -@@||funniermoments.com^$generichide -@@||funniermoments.com^$stylesheet -@@||fwcdn.pl^$script,domain=filmweb.pl -@@||fwmrm.net/ad/g/1?$xmlhttprequest,domain=vevo.com -@@||fwmrm.net/ad/g/1?prof=$script,domain=testtube.com -@@||fwmrm.net/p/*/admanager.js$domain=adultswim.com|animalist.com|mlb.com|revision3.com|testtube.com -@@||fyi.tv^$generichide -@@||g.doubleclick.net/gampad/ad?iu=*/Leaderboard&sz=728x90$image,domain=magicseaweed.com -@@||g.doubleclick.net/gampad/ads?$script,domain=allmusic.com|cityam.com|drivearabia.com|techworld.com|theinquirer.net -@@||g.doubleclick.net/gampad/ads?^*&sz=970x90%7C728x90^$xmlhttprequest,domain=cwtv.com -@@||g.doubleclick.net/gampad/ads?ad_rule=1&adk=*&ciu_szs=300x250&*&gdfp_req=1&*&output=xml_vast2&$object-subrequest,domain=rte.ie -@@||g.doubleclick.net/gampad/ads?adk=*&ciu_szs&cmsid=$object-subrequest,domain=viki.mx -@@||g.doubleclick.net/gampad/ads?gdfp_req=1&$script,domain=gamespot.com|theatlantic.com|v3.co.uk -@@||g.doubleclick.net/gampad/google_ads.js$domain=cityam.com -@@||g.doubleclick.net/|$object-subrequest,domain=planetfools.com|televisiondiv.ucoz.com -@@||gallery.aethereality.net/advertisement.js -@@||gallerynova.se^*/advertisement.js -@@||galna.org^$generichide -@@||game-advertising-online.com/img/icon_stoplight.jpg?$domain=kissanime.com -@@||game-advertising-online.com/index.php?section=serve&id=7740&subid=$subdocument,domain=anizm.com -@@||gamecopyworld.com/games/$script -@@||gamecopyworld.eu/games/$script -@@||gameopc.blogspot.com.ar^$generichide -@@||gamereactor.$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||gamereactor.net/advertisement.js -@@||gamersconnexion.com/js/advert.js -@@||games-pc.ro/adver*.js$script -@@||games.latimes.com/Scripts/advert.js -@@||games.pch.com^$generichide -@@||games.washingtonpost.com/Scripts/$script -@@||gamesgames.com^*/advertisement.js -@@||gameshark.com/images/ads/ -@@||gamespot.com/js/ads.js -@@||gametransfers.com^$generichide -@@||gameurs.net^$generichide -@@||gannett-cdn.com/uxstatic/$script -@@||gdataonline.com/exp/textad.js -@@||genvideos.com/js/show_ads.js$domain=genvideos.com -@@||genvideos.org/js/showads.js -@@||get-bitcoins-free.eu^$generichide -@@||get-free-bitcoin.eu^$generichide -@@||getdebrid.com/advertisement.js -@@||getdebrid.com^$generichide -@@||getlinkyoutube.com^*/adframe.js -@@||girlgames.com^*/ads.js -@@||girlsaskguys.com^*/js/ads. -@@||girlsocool.com^*/ads.js -@@||glam.com/gad/glamadapt_jsrv.act?$script,domain=thesimsresource.com -@@||globfone.com^$generichide -@@||go.padstm.com/?$script,domain=mediatechnologycenter.info -@@||go4up.com/advertisement.js -@@||go4up.com^$generichide -@@||gofirstrow.eu/advertisement.js -@@||gofirstrow.eu^*/advertisement.js -@@||gogi.in^$generichide -@@||gohuskies.com^$generichide -@@||goldsday.com^$generichide -@@||goodvideohost.com^$generichide -@@||google-it.info^$script,domain=hqq.tv -@@||google.com/ads/popudner/banner.jpg?$domain=magesy.be -@@||googlecode.com/files/google_ads.js$domain=turkdown.com -@@||googlecode.com^*/advertisement.js$domain=freeallmusic.net -@@||googlesyndication.com/favicon.ico$domain=comicbook.com|multiup.org -@@||googlesyndication.com/pagead/*/abg.js$domain=sc2casts.com -@@||googlesyndication.com/pagead/osd.js$domain=allmusic.com|hulkusc.com|sc2casts.com -@@||gorillavid.in/script/ad.js -@@||gorillavid.in^$generichide -@@||graphiq.com/sites/*ad$script -@@||grouchyaccessoryrockefeller.com^*/ads.js -@@||gscontxt.net/main/channels-jsonp.cgi?$domain=9news.com.au -@@||gsmarena.com^$generichide -@@||gsmdude.com^$generichide -@@||guygames.com^*/ads.js -@@||hackers.co.id/adframe/adframe.js -@@||hackintosh.zone/adblock/advertisement.js -@@||hackintosh.zone^$generichide -@@||hackintosh.zone^*/adframe.js$script -@@||hallpass.com^*/ads.js -@@||happytrips.com/*_ad$script -@@||happytrips.com/*ads$script -@@||hardware.no/ads/$image -@@||hardware.no/artikler/$image,~third-party -@@||hardware.no^$script -@@||harvardgenerator.com/js/ads.js -@@||haxlog.com^$generichide -@@||hcpc.co.uk/*ad$script,domain=avforums.com -@@||hdfree.tv/live/ad.php -@@||hdmovie14.net/js/ad*.js -@@||hdwall.us^$script,~third-party -@@||hentai-foundry.com^*/ads.js -@@||hindustantimes.com/*ad$script -@@||hindustantimes.com^*/ads.js -@@||hitcric.info^$generichide -@@||hogarutil.com^$generichide -@@||hornyspots.com^$image,domain=kissanime.com -@@||hostyd.com^$generichide -@@||hotslogs.com^$generichide -@@||hpfanficarchive.com^*/advertisement.js -@@||hqpdb.com/ads/banner.jpg? -@@||hqq.tv^$generichide -@@||html5player.gamezone.com^$script,third-party -@@||hubturkey.net^$generichide -@@||huffingtonpost.co.uk^$generichide -@@||huffingtonpost.com^$generichide -@@||hwcdn.net/ads/advertisement.js$script -@@||hypable.com^*/advertisement.js$script -@@||hypixel.net^$generichide -@@||i-makeawish.com^$script,domain=i-makeawish.com -@@||i.imgur.com^*#.$image,domain=newmusicforpeople.org -@@||ibibi.com/mads/ad*.js$domain=thesimsresource.com -@@||ibmmainframeforum.com^$generichide -@@||ibtimes.co.uk^$generichide -@@||iconizer.net/js/adframe.js -@@||idevnote.com^$generichide -@@||idg.com.au/adblock/$script -@@||ifirstrow.eu^$script -@@||ifirstrowit.eu^$script,domain=ifirstrowit.eu -@@||ifirstrowus.eu^$script,domain=ifirstrowus.eu -@@||ifmnwi.club/adblockr$script -@@||iguide.to/js/advertisement.js -@@||ilix.in^$script,domain=ilix.in|priva.us -@@||ilovefood.xyz^$generichide -@@||im9.eu^$generichide -@@||ima3vpaid.appspot.com/?adTagUrl=$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|daisuki.net|lasexta.com -@@||ima3vpaid.appspot.com/crossdomain.xml$object-subrequest -@@||imageontime.com/ads/banner.jpg? -@@||imagepearl.com/asset/javascript/ads.js -@@||images.bangtidy.net^$generichide -@@||images.cwtv.com^$script,~third-party -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=city1016.ae|einthusan.tv|mobinozer.com|slacker.com -@@||imgclick.net/jss/show_ads.js -@@||imgclick.net^$generichide -@@||imgleech.com/ads/banner.jpg? -@@||imgsure.com/ads/banner.jpg? -@@||imgve.com/pop.js -@@||imore.com^$generichide -@@||impactradius.com/display-ad/$domain=hackintosh.zone -@@||impactradius.com/gen-ad-code/$domain=hackintosh.zone -@@||incredibox.com/js/advertisement.js -@@||incredibox.com^$generichide -@@||independent.ie^$generichide -@@||indianexpress.com/*ad$script -@@||indiatimes.com^$generichide -@@||infineoncorp.com^$domain=eventhubs.com -@@||info.tm^$script,domain=ilix.in|priva.us -@@||infowars.com^$generichide -@@||innovid.com/1x1.gif?$object-subrequest,domain=channel4.com -@@||innovid.com/iroll/config/*.xml?cb=[$object-subrequest,domain=channel4.com -@@||innovid.com^*/VPAIDIRollPackage.swf$object-subrequest,domain=channel4.com -@@||inskinmedia.com/crossdomain.xml$object-subrequest -@@||insys.pl/Scripts/InsysPlayer.*/adTest.png$domain=insys.pl -@@||integral-marketing.com/scripts/imads.js$domain=dayt.se -@@||intellitxt.com/intellitxt/front.asp?ipid=$script,domain=forums.tweaktown.com -@@||intoday.in/ads/$xmlhttprequest -@@||intoday.in^$generichide -@@||intoday.in^*/ads.js -@@||investigationdiscovery.com/shared/ad-enablers/ -@@||investing.com^*/ads.js -@@||investors.com^*/ads.js -@@||ip-address.org^$generichide -@@||ip-address.org^$script,domain=ip-address.org -@@||ipneighbour.com/ads.js -@@||iptvlinks.com^$generichide -@@||iptvplaylists.com^$generichide -@@||iridiumsergeiprogenitor.info^$script -@@||iriptv.com/player/ads.js -@@||israellycool.com^$generichide -@@||itunesplusaacm4a.org^$generichide -@@||jagranjosh.com/Resources/$script -@@||jansatta.com/*ads_$script -@@||javadecompilers.com^$generichide -@@||jb51.net^$script,domain=lg-firmware-rom.com -@@||jevvi.es/adblock/$image -@@||jewishpress.com^$generichide -@@||jiwangmovie.com^$generichide -@@||jjcast.com^$generichide -@@||jkanime.net/assets/js/advertisement.js -@@||jkanime.net^*/advertisement2.js -@@||jpopasia.com^$script,~third-party -@@||jpost.com/JavaScript/ads.js? -@@||jsc.mgid.com^$script,domain=pcgames-download.net -@@||jtvnw.net/*/advertisement.js$domain=twitch.tv -@@||juba-get.com^*/advertisement.js -@@||juegosparaplaystation.com^$generichide -@@||jukezilla.com^$generichide -@@||juzupload.com/advert*.js -@@||k01k0.com/adverts/$xmlhttprequest,domain=autoevolution.com -@@||k2nblog.com^$generichide -@@||katsomo.fi^*/advert.js -@@||katsomo.fi^*/advertisement.js -@@||kbb.com/js/advert.js -@@||kbb.com^$generichide -@@||kbb.com^*/ads.js -@@||kdliker.com/js/advert.js -@@||kenkenpuzzle.com/assets/ads-$script -@@||kenkenpuzzle.com^$generichide -@@||ketubanjiwa.com^$generichide -@@||kissanime.com/ads/$image,subdocument -@@||kisscartoon.me/Ads/$subdocument -@@||kitguru.net^$generichide -@@||komoona.com^$script,third-party,domain=phoronix.com -@@||koparos.info/ads.php -@@||koparos.info^$generichide -@@||kotaku.com.au^$generichide -@@||kotaku.com.au^*/ads.js -@@||kshowes.net^$generichide -@@||kwikupload.com^$generichide -@@||lag10.net^$generichide -@@||lapurno.info/ads.php -@@||lasexta.com/adsxml/$object-subrequest -@@||last.fm^$generichide -@@||latinomegahd.net^$generichide -@@||layer13.net^$generichide,script -@@||lcpdfr.com/adblock.js -@@||lcpdfr.com^$generichide -@@||leaguesecretary.com/advertisement.js -@@||leecher.us/assets/img/*/ads/$image -@@||leecher.us^$generichide -@@||legionpeliculas.org^$generichide -@@||legionprogramas.org^$generichide -@@||letsadvertisetogether.com/-*-$script -@@||letsadvertisetogether.com/.*.$script -@@||letsadvertisetogether.com^*/-$script -@@||liberallogic101.com/show_ads.js -@@||lifehacker.com.au^$generichide -@@||lifehacker.com.au^*/ads.js -@@||likablescaldfelted.info/ads/ads.js$script -@@||lilfile.com/js/advertise-2.js -@@||lilfile.com/js/advertise.js -@@||liliputing.com^$generichide -@@||link.tl^$generichide -@@||linkcrypt.ws/image/*#$image -@@||linkcrypt.ws^$generichide -@@||linkdrop.net^$generichide -@@||linkshrink.net^$generichide -@@||liquidcompass.net/js/advertisement.js -@@||litecoin-faucet.tk/advertisement.js -@@||litecoiner.net/advertisement.js -@@||live2.snopes.com^*/adframe.js? -@@||liveadexchanger.com/a/display.php$domain=wstream.video -@@||livemint.com*/ads.js$script,~third-party,domain=livemint.com -@@||livenewschat.eu^$generichide -@@||liveonlinetv247.info^$generichide -@@||livrosdoexilado.org^$generichide -@@||lolalytics.com/js/ad*.js$script -@@||lomeutec.com^$generichide -@@||lookr.com^*/advertisement.js -@@||lordpyrak.net^$generichide -@@||lpg-forum.pl/advertise.js -@@||lumload.com^$generichide -@@||m2.ai^$script,domain=thesimsresource.com -@@||maamp3.com^$generichide -@@||mac2sell.net^$generichide -@@||macdailynews.com^$generichide -@@||mackolik.com^$script,domain=mackolik.com -@@||macobserver.com/js/adlink.js -@@||madadsmedia.com^$image,script,domain=kissanime.com -@@||magesy.be^$generichide -@@||magesy.be^*/ad$script -@@||majorleaguegaming.com/live/assets/advertisement-*.js -@@||majorleaguegaming.com^$generichide -@@||majorleaguegaming.com^*.png?*=$image -@@||makemehost.com/js/ads.js -@@||mamahd.com/advertisement.js -@@||mamahd.com^$generichide -@@||manga-news.com/js/advert.js -@@||mangabird.me/sites/default/files/manga/*/advertise-$image -@@||mangahop.com^$generichide -@@||mangahost.com/ads.js? -@@||mangakaka.com/ad/$subdocument -@@||mangakaka.com^*/advertiser.js -@@||marketmilitia.org/advertisement.js -@@||marketmilitia.org^$generichide -@@||masfuertequeelhierro.com^$generichide -@@||matchhighlight.com^$generichide -@@||max-deportv.info^$generichide -@@||max-deportv.net^$generichide -@@||maxcheaters.com/public/js/jsLoader.js -@@||maxedtech.com^$generichide -@@||maxigame.org^$script,domain=maxigame.org -@@||media.eventhubs.com/images/*#$image -@@||media1fire.com^$generichide -@@||media4up.com^$generichide -@@||mediafire.com^$generichide -@@||mediaplaybox.com^$generichide -@@||medyanetads.com/ad.js$domain=mackolik.com|sahadan.com -@@||megacineonline.biz^$generichide -@@||megacineonline.net^$generichide -@@||megadown.us/advertisement.js -@@||megafiletube.xyz/js/adblock.js -@@||megahd.me^*/advertisement.js -@@||megavideodownloader.com/adframe.js -@@||megawypas.pl/includes/adframe.js -@@||menshealth.com^$generichide -@@||mensxp.com^$generichide -@@||mexashare.com^$generichide -@@||mgcash.com/common/adblock.js -@@||mgcashgate.com/cpalocker/$script,domain=movieleaks.co|videodepot.org -@@||mgid.com/k/i/*.js?t=$script,domain=kissanime.com -@@||mgid.com/k/i/kissanime.com.$script,domain=kissanime.com -@@||mgid.com/s/p/*.js?$script,domain=sportsmole.co.uk -@@||mgid.com^$image,domain=kissanime.com -@@||mgid.com^$script,domain=kisscartoon.me -@@||mid-day.com/Resources/midday/js/$script -@@||mid-day.com/Resources/middaymobile/js/$script -@@||mimaletamusical.blogspot.com.ar^$generichide -@@||minecraft-forum.net^$generichide -@@||minecrafthousedesign.com^$generichide -@@||mingle2.com^$generichide -@@||miniclipcdn.com/js/advertisement.js -@@||mintmovies.net^$generichide -@@||mirror.co.uk^$generichide -@@||mirrorcreator.com^$script,~third-party,xmlhttprequest -@@||mix.dj/jscripts/jquery/mdj_adverts.js -@@||mix.dj^*/advertisement.js -@@||mma-core.com/Scripts/adscript.js -@@||mma-core.com^$generichide -@@||mmatko.com/images/ad/$image -@@||moatads.com/huluvpaid$domain=cc.com -@@||mobinozer.com^*/advert.js -@@||mocospace.com^$generichide -@@||mocospace.com^*/ads_$script -@@||moje-dzialdowo.pl/delivery/ajs.php?zoneid=$script -@@||moje-dzialdowo.pl/images/*.swf|$object -@@||moneyinpjs.com/advertisement.js -@@||monova.org/js/adframe.js -@@||monova.org^$generichide -@@||monova.unblocked.la/js/adframe.js -@@||monova.unblocked.la^$generichide -@@||monsoonads.com/crossdomain.xml$object-subrequest -@@||monsoonads.com:8080/crossdomain.xml$object-subrequest -@@||monsoonads.com:8080/monsoon1/monsoonservice?$object-subrequest,domain=bollywoodhungama.com|videos.mid-day.com -@@||moon-faucet.tk/advertisement.js -@@||mousebreaker.com/scripts/ads.js -@@||movie1k.net^$generichide -@@||mp3clan.audio^$generichide -@@||mp3clan.com^$generichide -@@||mp3clan.com^*/advertisement.js -@@||mp3clan.net^$generichide -@@||mp3skull.la^$generichide -@@||mpc-g.com^$generichide -@@||mrjuegosdroid.co.vu^$generichide -@@||mrtzcmp3.net/advertisement.js -@@||msecnd.net/widget-scripts/extra_content/ads.js$script -@@||mtlblog.com/wp-content/*/advert.js -@@||mtlblog.com^$generichide -@@||mtvnservices.com/aria/*Ad$script -@@||mugiwaranofansub.blogspot.com.ar^$generichide -@@||multiup.org/img/theme/*?$image -@@||multiup.org/pop.js$script,domain=multiup.org -@@||multiup.org^$generichide -@@||mumbaimirror.com^$generichide -@@||mundoprogramas.net^$generichide -@@||musicacelestial.net^$generichide -@@||mwfiles.net/advertisement.js -@@||mybannermaker.com/banner.php$~third-party -@@||myfineforum.org/advertisement.js -@@||myfreeforum.org/advertisement.js -@@||myiplayer.com/ad*.js -@@||myiplayer.com^$generichide -@@||myksn.net^$generichide -@@||mylifetime.com^$generichide -@@||mypapercraft.net^$generichide -@@||mzstatic.com^*.jpg#$image,domain=newmusicforpeople.org -@@||namesakeoscilloscopemarquis.com^*/ads.js$domain=~tvil.me -@@||narkive.com^$generichide -@@||nationalgeographic.com^*/advertising.js -@@||nbahd.com^$generichide -@@||nbc.com^$generichide -@@||nbcudigitaladops.com/hosted/$script -@@||ndtv.com^$generichide -@@||ndtv.com^$script,~third-party -@@||needrom.com/advert1.js -@@||nettavisen.no^*/advertisement.js -@@||newmusicforpeople.org^$generichide -@@||news-leader.com^$generichide -@@||newsy.com^$generichide -@@||newxxxvideosupdate.blogspot.com.ar^$generichide -@@||next-episode.net^$script -@@||nextthreedays.com/Include/Javascript/AdFunctions.js -@@||ngads.com/*.js$script,domain=newgrounds.com -@@||nicoblog-games.com^$generichide -@@||nmac.to^$generichide -@@||nonags.com^$generichide -@@||nonags.com^*/ad$image -@@||nontonanime.org^$generichide -@@||nornar.com^$generichide -@@||nosteam.ro/*ad*.$script -@@||nosvideo.com/ads.js -@@||noticiasautomotivas.com.br^$generichide -@@||novamov.com/banner.php?$script -@@||nowdownload.*/banner.php?$script,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||nowvideo.li/banner.php?$script -@@||nowvideo.sx/banner.php?$script -@@||nowvideo.to/banner.php?$script -@@||npttech.com/advertising.js$script -@@||ntn24.com/sites/all/libraries/can-run-ads/$script -@@||nzbstars.com*/advertisement.js$~third-party,domain=nzbstars.com -@@||nzd.co.nz^*/ads/webads$script,domain=nzdating.com -@@||okgoals.com^$generichide -@@||oklivetv.com^$generichide -@@||olcdn.net/ads1.js$domain=olweb.tv -@@||olweb.tv^$generichide -@@||omaredomex.org^$generichide -@@||omnipola.com/ads.php -@@||omnipola.com^$generichide -@@||oneplay.tv^$generichide -@@||onhax.me^$generichide -@@||onlinemoviesfreee.com^$generichide -@@||onlinemoviewatchfree.com^$generichide -@@||onlinemoviewatchs.com^$generichide -@@||onlinemoviewatchs.tv^$generichide -@@||onlinevideoconverter.com^*ad*.js -@@||onrpg.com/advertisement.js -@@||onvasortir.com/advert$script -@@||oogh8ot0el.com^$script,~third-party -@@||openrunner.com/js/advertisement.js -@@||openspeedtest.com*/ad$script,~third-party,domain=openspeedtest.com -@@||openspeedtest.com^$generichide -@@||openx.gamereactor.dk/multi.php?$script -@@||openx.net/w/1.0/acj?$script,domain=clubedohardware.com.br -@@||openx.net/w/1.0/jstag$script,domain=clubedohardware.com.br -@@||oploverz.net^$generichide -@@||optifine.net^$generichide -@@||optimized-by.rubiconproject.com/a/$domain=pro-football-reference.com -@@||osdarlings.com^$generichide -@@||ouo.io^$generichide -@@||overclock3d.net/js/advert.js -@@||overwatchhentai.net^$generichide -@@||pagead2.googlesyndication.com/bg/$script,domain=sc2casts.com -@@||pagead2.googlesyndication.com/pagead/$script,domain=altoque.com -@@||pagead2.googlesyndication.com/pagead/expansion_embed.js$domain=allmusic.com|ffiles.com|full-ngage-games.blogspot.com|kingofgames.net|megaallday.com|ninjaraider.com|nonags.com|upfordown.com|wtf-teen.com -@@||pagead2.googlesyndication.com/pagead/js/*/expansion_embed.js$domain=sizedrive.com|softpedia.com -@@||pagead2.googlesyndication.com/pagead/js/*/expansion_publ.js$domain=sc2casts.com -@@||pagead2.googlesyndication.com/pagead/js/*/show_ads_impl.js$domain=360haven.com|9bis.net|9news.com.au|afreesms.com|ahmedabadmirror.com|altoque.com|androidrepublic.org|anonymousemail.me|apkmirror.com|atlanticcitywebcam.com|bicimotosargentina.com|bitcofree.com|bitcoinker.com|borfast.com|boxbit.co.in|broadbandforum.co|budget101.com|buickforums.com|bullywiihacks.com|calcularindemnizacion.es|clubedohardware.com.br|cpu-world.com|danydanielrt.com|darkreloaded.com|debridit.com|debridnet.com|dev-metal.com|docpaste.com|dragoart.com|dreamscene.org|drivearabia.com|dsero.com|epmads.com|ezoden.com|fcportables.com|file4go.com|foro.clubcelica.es|free.smsmarkaz.urdupoint.com|freebitco.in|freecoins4.me|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|getdebrid.com|gnomio.com|hackintosh.zone|hastlegames.com|hostyd.com|hubturkey.net|ibmmainframeforum.com|ilix.in|incredibox.com|intoday.in|ip-address.org|javadecompilers.com|kadinlarkulubu.com|keywestharborwebcam.com|kingofgames.net|korean-candy.com|kshowes.net|lailasblog.com|lcpdfr.com|leecher.us|liberallogic101.com|litecoiner.net|livenewschat.eu|lomeutec.com|lordpyrak.net|mailbait.info|mangacap.com|mangahop.com|mangakaka.com|masfuertequeelhierro.com|media4up.com|megaleech.us|misheel.net|mma-core.com|morganhillwebcam.com|moviemistakes.com|mpc-g.com|mugiwaranofansub.blogspot.com.ar|mypapercraft.net|narkive.com|niresh.co|niresh12495.com|nonags.com|nornar.com|noticiasautomotivas.com.br|numberempire.com|nyharborwebcam.com|omegadrivers.net|play-old-pc-games.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|rockfile.eu|sc2casts.com|scriptnulled.eu|settlersonlinemaps.com|short.am|simply-debrid.com|sizedrive.com|skylinewebcams.com|slideplayer.com.br|smashgamez.com|softpedia.com|software4all-now.blogspot.co.uk|tamercome.blogspot.co.uk|tech-blog.net|technoshouter.com|techydoor.com|thehomestyle.co|themes.themaxdavis.com|tipstank.com|trutower.com|unlocktheinbox.com|upfordown.com|uploadlw.com|uploadrocket.net|urlink.at|wallpapersimages.co.uk|washington.edu|whatismyip.com|winterrowd.com|woprime.com|wrestlingtalk.org|xcl.com.br|yellowbridge.com|zeperfs.com -@@||pagead2.googlesyndication.com/pagead/js/adsbygoogle.js$domain=3dsforum.tk|afreesms.com|androidrepublic.org|apkmirror.com|appraisersforum.com|bitcofree.com|bitcoinker.com|boxbit.co.in|broadbandforum.co|bsmotoring.com|calcularindemnizacion.es|clubedohardware.com.br|cpu-world.com|danydanielrt.com|debridit.com|debridnet.com|demo-uhd3d.com|dev-metal.com|ezoden.com|freebitco.in|freeclaimbtc.xyz|getdebrid.com|globaldjmix.com|gnomio.com|gsmdude.com|hackintosh.zone|hubturkey.net|hulkusc.com|i-stats.net|incredibox.com|javadecompilers.com|kadinlarkulubu.com|lailasblog.com|lcpdfr.com|leecher.us|liberallogic101.com|lomeutec.com|mangacap.com|mangahop.com|masfuertequeelhierro.com|media4up.com|megaleech.us|mma-core.com|mpc-g.com|mypapercraft.net|narkive.com|niresh.co|niresh12495.com|nonags.com|noticiasautomotivas.com.br|pattayaone.net|play-old-pc-games.com|receive-a-sms.com|ringmycellphone.com|rockfile.eu|sc2casts.com|scriptnulled.eu|settlersonlinemaps.com|shinobilifeonline.com|short.am|sizedrive.com|skylinewebcams.com|slideplayer.com.br|streaming-hub.com|technoshouter.com|thehomestyle.co|unlockpwd.com|unlocktheinbox.com|uploadex.com|uploadrocket.net|wallpapersimages.co.uk|wowtoken.info|wrestlingtalk.org|xcl.com.br|zeperfs.com -@@||pagead2.googlesyndication.com/pagead/js/google_top_exp.js$domain=cleodesktop.com|mugiwaranofansub.blogspot.com.ar|musicacelestial.net -@@||pagead2.googlesyndication.com/pagead/js/lidar.js$domain=majorleaguegaming.com -@@||pagead2.googlesyndication.com/pagead/show_ads.js$domain=360haven.com|9bis.net|9jumpin.com.au|9news.com.au|afreesms.com|ahmedabadmirror.com|atlanticcitywebcam.com|bbc.com|bicimotosargentina.com|budget101.com|buickforums.com|bullywiihacks.com|carsfromitaly.info|codeasily.com|darkreloaded.com|docpaste.com|downloads.codefi.re|dragoart.com|dreamscene.org|drivearabia.com|dsero.com|epmads.com|fcportables.com|ffiles.com|file4go.com|foro.clubcelica.es|free.smsmarkaz.urdupoint.com|freecoins4.me|freewaregenius.com|ftlauderdalebeachcam.com|ftlauderdalewebcam.com|full-ngage-games.blogspot.com|gamespowerita.com|gifmagic.com|hackintosh.zone|hastlegames.com|hostyd.com|hulkusc.com|ibmmainframeforum.com|ilix.in|intoday.in|ip-address.org|keywestharborwebcam.com|kingofgames.net|korean-candy.com|kshowes.net|litecoiner.net|livenewschat.eu|lordpyrak.net|lumload.com|mangacap.com|mangakaka.com|megaallday.com|misheel.net|modsaholic.com|morganhillwebcam.com|moviemistakes.com|mugiwaranofansub.blogspot.com.ar|mypapercraft.net|newsok.com|ninjaraider.com|nonags.com|nornar.com|numberempire.com|nx8.com|nyharborwebcam.com|omegadrivers.net|photos.essence.com|portarubawebcam.com|portbermudawebcam.com|portcanaveralwebcam.com|portevergladeswebcam.com|portmiamiwebcam.com|portnywebcam.com|preemlinks.com|priva.us|puromarketing.com|radioaficion.com|rapid8.com|readersdigest.com.au|seeingwithsound.com|simply-debrid.com|smashgamez.com|softpedia.com|software4all-now.blogspot.co.uk|tamercome.blogspot.co.uk|tech-blog.net|techydoor.com|themes.themaxdavis.com|tipstank.com|top100clans.com|trutower.com|tv-kino.net|upfordown.com|uploadlw.com|urlink.at|virginmedia.com|warp2search.net|washington.edu|windows7themes.net|winterrowd.com|woprime.com|wtf-teen.com|yellowbridge.com -@@||pagead2.googlesyndication.com/pagead/show_companion_ad.js$domain=gamespot.com -@@||pagead2.googlesyndication.com/pub-config/ca-pub-$script,domain=sc2casts.com -@@||pagead2.googlesyndication.com/simgad/$image,domain=hulkusc.com -@@||pagead2.googlesyndication.com/simgad/573912609820809|$image,domain=hardocp.com -@@||pagefair.net/ads.min.js$script,domain=allmusic.com -@@||pandora.com/static/ads/ -@@||partner.googleadservices.com/gampad/google_ads.js$domain=cityam.com -@@||partner.googleadservices.com/gampad/google_service.js$domain=cityam.com -@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=allmusic.com|bakersfield.com|baseball-reference.com|basketball-reference.com|cityam.com|computerworlduk.com|dawn.com|drivearabia.com|gamespot.com|hockey-reference.com|pro-football-reference.com|residentadvisor.net|sitepoint.com|slacker.com|speedtest.net|sports-reference.com|techworld.com|theatlantic.com|theinquirer.net|v3.co.uk|wowtoken.info -@@||paste.org/style/adframe.js -@@||pasted.co^$generichide -@@||pcgames-download.net^$generichide -@@||pcgames-download.net^$script,domain=pcgames-download.net -@@||pcworld.co.nz^$generichide -@@||peliculas.online-latino.com^$generichide -@@||pep.ph/res/js/ads.$script -@@||perkuinternete.lt/modules/mod_jpayday/js/advertisement.js -@@||pes-patch.com^$generichide -@@||phoronix.com^$script,~third-party -@@||photofacefun.com^*/adblock.js -@@||picfont.com^$generichide -@@||picload.org^$generichide -@@||picu.pk^$generichide -@@||pipocas.tv/js/advertisement.js -@@||pirlotv.tv^$generichide -@@||pixsense.net^*/ad*.js$script -@@||plantuml.com/adsbygoogle.js -@@||play-old-pc-games.com^$generichide -@@||player.foxfdm.com^*/playback.js$xmlhttprequest -@@||player.utv.ie/assets/js/adframe.js -@@||playhd.eu/advertisement.js -@@||playindiafilms.com/advertisement.js -@@||playlive.pw/advertisement.js -@@||playlivenewz.com^$generichide -@@||pleaseletmeadvertise.com/*-$script -@@||pleaseletmeadvertise.com/*.$script,domain=linkshrink.net -@@||pleaseletmeadvertise.com/*_$script -@@||pleaseletmeadvertise.com/.adcenter. -@@||pleaseletmeadvertise.com/.adforge.$script -@@||pleaseletmeadvertise.com/ad*.$script -@@||pleaseletmeadvertise.com^*/ads.js -@@||pocosmegashdd.com^$generichide -@@||pokewatchers.com/ads.js -@@||pop-myads.weebly.com^$script,domain=pcgames-download.net -@@||popads.net/pop.js$domain=go4up.com|hqq.tv|sizedrive.com -@@||poponclick.com/pp800x600.js?id=$domain=exrapidleech.info -@@||portalzuca.com^$generichide -@@||postimg.org/js/adframe.js -@@||powerwatch.pw/pop.js$domain=powerwatch.pw -@@||powvideo.xyz/js/ads.js$script,~third-party -@@||prad.de/en/$generichide -@@||preloaders.net/jscripts/adframe.js -@@||premium-place.co^$generichide -@@||premium4.us^$generichide -@@||premiumgeneratorlink.com^$generichide -@@||premiumleecher.com/inc/adframe.js -@@||premiumleecher.com/inc/adsense.js -@@||premiumleecher.com^$generichide -@@||primewire.ag/js/advertisement.js -@@||priva.us^$script,domain=ilix.in|priva.us -@@||problogbooster.com^$generichide -@@||promptfile.com/js/showads.js -@@||propellerads.com^$image,domain=kissanime.com -@@||protect-url.net^$script,~third-party -@@||ps4news.com/ad*.js$script -@@||ps4news.com^$generichide -@@||pttrns.com^$generichide -@@||pubads.g.doubleclick.net/|$object-subrequest,domain=itsyourtvnow.com|vaughnlive.tv -@@||pubdirecte.com^*/advertisement.js -@@||publicleech.xyz^$generichide -@@||punemirror.in^$generichide -@@||puromarketing.com/js/advertisement.js -@@||puromarketing.com^$generichide -@@||pxstream.tv^$generichide -@@||qoinfaucet.com^$script,domain=qoinfaucet.com -@@||qrrro.com^*/adhandler/ -@@||racedepartment.com^*/advertisement.js -@@||rackcdn.com^$image,script,domain=cityam.com|computerworlduk.com|theinquirer.net|v3.co.uk -@@||radar-toulouse.fr/advertisement.js -@@||radioaficion.com/HamNews/*/ad$image -@@||radioaficion.com^$generichide -@@||radioio.com^*/adframe.js -@@||randomarchive.com^$generichide -@@||rapid8.com^$script -@@||rapidmoviez.com/ad$image,subdocument -@@||rapidmoviez.com/files/php/mgid-ad$subdocument -@@||ratebeer.com/javascript/advertisement.js -@@||ratemyprofessors.com^$generichide -@@||ratemyprofessors.com^*/ad$script -@@||rctrails.com^$script,domain=eventhubs.com -@@||realidadscans.org^$generichide -@@||receive-a-sms.com^$generichide -@@||redtube.com*/adframe.js$~third-party,domain=redtube.com|redtube.com.br -@@||rek.www.wp.pl/pliki/$script,domain=wp.tv -@@||rek.www.wp.pl/vad.xml?$xmlhttprequest,domain=wp.tv -@@||remo-xp.com^$generichide -@@||req.tidaltv.com/vmm.ashx?$object-subrequest,domain=itv.com|uktv.co.uk -@@||reseller.co.nz^$generichide -@@||residentadvisor.net^$generichide -@@||resources.infolinks.com/js/*/ice.js$domain=cyberdevilz.net -@@||resources.infolinks.com/js/infolinks_main.js$domain=cyberdevilz.net -@@||revclouds.com^$generichide -@@||rincondelvago.com^*_adsense.js -@@||ringmycellphone.com^$generichide -@@||rivcash.com/it/$script,domain=backin.net -@@||rojadirecta.me^$generichide -@@||rsc.cdn77.org^$script,domain=allkpop.com -@@||rsense-ad.realclick.co.kr/favicon.ico?id=$image,domain=mangaumaru.com -@@||rtr.innovid.com^$object-subrequest,domain=uktv.co.uk -@@||rtube.de^$generichide -@@||rubiconproject.com^$image,script,domain=kissanime.com -@@||ruckusschroederraspberry.com^$script,domain=flash-x.tv|flashx.tv -@@||runners.es^*/advertisement.js -@@||runnersworld.com^$generichide -@@||s.ntv.io/serve/load.js$domain=allmusic.com|sidereel.com -@@||s3.amazonaws.com/socketloop/$script,domain=socketloop.com -@@||saavn.com/ads/search_config_ad.php?$subdocument -@@||sahadan.com^$script,domain=sahadan.com -@@||salefiles.com^$generichide -@@||salefiles.com^$script,~third-party -@@||samaup.com^$generichide -@@||sankakucomplex.com^$script -@@||sankakustatic.com^$script -@@||sascdn.com/diff/js/smart.js$domain=onvasortir.com -@@||sascdn.com/diff/video/$script,domain=eskago.pl -@@||sascdn.com/video/$script,domain=eskago.pl -@@||savevideo.me/images/banner_ads.gif -@@||sawlive.tv/adscript.js -@@||sawlive.tv^$generichide -@@||sbs.com.au^*/advertisement.js -@@||sc2casts.com^$generichide -@@||sc2casts.com^$script,domain=sc2casts.com -@@||scan-manga.com/ads.html -@@||scan-manga.com/ads/banner.jpg$image -@@||sciencechannel.com^$generichide -@@||scoutingbook.com/js/adsense.js -@@||scriptnulled.eu^$generichide -@@||search.spotxchange.com/vast/$object-subrequest,domain=maniatv.com -@@||secureupload.eu^$generichide -@@||seekingalpha.com/adsframe.html#que=$subdocument -@@||seekingalpha.com^$script -@@||senmanga.com/advertisement.js -@@||sepulchralconestogaleftover.com^*/ads.js -@@||series-cravings.info/wp-content/plugins/wordpress-adblock-blocker/$script -@@||seriesbang.net^$generichide -@@||seriesbang.to^$generichide -@@||serving-sys.com^$xmlhttprequest,domain=theatlantic.com -@@||share-online.biz^*/ads.js -@@||sheepskinproxy.com/js/advertisement.js -@@||shimory.com/js/show_ads.js -@@||shink.in/js/showads.js -@@||shink.in^$generichide -@@||shipthankrecognizing.info^*/ads.js -@@||short.am^$generichide -@@||showskorner.com^$generichide -@@||showsport-tv.com/adv*.js -@@||showsport-tv.com^$generichide -@@||siamfishing.com^*/advert.js -@@||sidereel.com^$generichide -@@||silenston.com^$domain=wired.com -@@||sitepoint.com^*/ad-server.js -@@||sixpool.me^$image,domain=majorleaguegaming.com -@@||sizedrive.com^$generichide -@@||skidrowcrack.com/advertisement.js -@@||skidrowcrack.com^$generichide -@@||skylinewebcams.com/player/ad2.swf?$object-subrequest -@@||skylinewebcams.com^$generichide -@@||slacker.com^*/Advertising.js -@@||slader.com^$generichide -@@||smartadserver.com/call/pubj/*/M/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com -@@||smartadserver.com/call/pubj/*/S/*/?$domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com -@@||smartadserver.com/config.js?nwid=$domain=onvasortir.com -@@||sms-mmm.com/pads.js$domain=hqq.tv -@@||sms-mmm.com/script.php|$script,domain=hqq.tv -@@||soccity.net^$generichide -@@||socketloop.com^$generichide -@@||sockshare.com/js/$script -@@||softonic.com/ad/$xmlhttprequest -@@||softonic.com^*/abp_detection/$script -@@||software.informer.com*/ads.js$~third-party,domain=informer.com -@@||software4all-now.blogspot.co.uk^$generichide -@@||sominaltvfilms.com/wp-content/*/adbanner/$image -@@||sominaltvfilms.com^$generichide -@@||songspk.guru^$generichide -@@||sonobi.com/welcome/$image,domain=kissanime.com -@@||sounddrain.net^*/advertisement.js -@@||spanishdict.com^$generichide -@@||sparkylinux.org/images/ad/$image -@@||spaste.com^$script -@@||speakingtree.in^$generichide -@@||specout.com/ad?$xmlhttprequest -@@||specout.com^$generichide -@@||speedpremium.info^$script -@@||sports4u.live^$generichide -@@||sportstvstream.me^$generichide -@@||springstreetads.com/scripts/advertising.js -@@||srnet.eu^$script -@@||srnk.co/js/ads.js -@@||stackexchange.com/affiliate/ -@@||startlr.com^$generichide -@@||startribune.com^$generichide -@@||static-avforums.com/*ad$script,domain=avforums.com -@@||static.clmbtech.com^$script,domain=timesofindia.indiatimes.com -@@||static9.net.au^*/advert.js$domain=9news.com.au -@@||stickgames.com^*/ads.js -@@||stockmarketwire.com/js/advertisement.js -@@||stream2watch.me^$generichide -@@||stream4free.eu^$generichide -@@||streamdefence.com/*.js$script,third-party -@@||streamflix.ru^$generichide -@@||streamin.to/adblock/advert.js -@@||streamin.to^$generichide -@@||streaming-hub.com^$generichide -@@||streaming-sport.tv^$generichide -@@||streamlive.to/js/ads.js -@@||streamlive.to^*/ad/$image -@@||streamplay.to/js/ads.js -@@||streamplay.to^$generichide -@@||studybreakmedia.com^*/ads.js$script -@@||superanimes.com^$generichide -@@||superfilm.pl/advertisement.js -@@||superfilm.pl^$script,domain=superfilm.pl -@@||supergames.com^$generichide -@@||superplatyna.com^$generichide -@@||sznpaste.net^$generichide -@@||talksport.com/sites/default/files/ben/advert.js -@@||tamercome.blogspot.co.uk^$generichide -@@||team-vitality.fr/assets/images/advert.png -@@||techinferno.com^$script,~third-party -@@||techingspot.blogspot.in^$generichide -@@||technoshouter.com^$generichide -@@||techweekeurope.co.uk^*/advertising.js -@@||techworld.com.au^$generichide -@@||techworld.com^$generichide -@@||teenidols4you.com^$generichide -@@||teenidols4you.com^*#-$image -@@||teknogods.com/advert.js -@@||telegraph.co.uk^*/ads.js -@@||telemetryverification.net/crossdomain.xml$object-subrequest -@@||televiseneurosisfilmstrip.info^$script,domain=batmanstream.com|betteam.ru|guardacalcio.com|robinwidget.com|stream2watch.biz|zorrostream.com -@@||television-envivo.com^$generichide -@@||tester.advertserve.com^$script,domain=kisscartoon.me -@@||tf2center.com^*/advert.js -@@||the-dermatologist.com^*/ad_block_check/ad/$script -@@||theads.me/www/delivery/$script,domain=vidup.me -@@||theatlantic.com^$generichide -@@||theatlantic.com^*/adver$script -@@||thebarchive.com^$generichide -@@||thecountrycaller.com/showads.php -@@||thefreethoughtproject.com^$generichide -@@||thegeekyglobe.com^$generichide -@@||theinquirer.net^$generichide -@@||thelordofstreaming.it/wp-content/uploads/*/ad_$image -@@||thelordofstreaming.it^$generichide -@@||thememypc.net^$generichide -@@||thenextweb.com/wp-content/advertisement.js -@@||thesilverforum.com/public/js/jsLoader.js?adType=$script -@@||thesimsresource.com/downloads/download/itemId/$generichide -@@||thesimsresource.com^$script,domain=thesimsresource.com -@@||thetechpoint.org^*/ads.js -@@||thevideo.me/js/ad*.js -@@||thevideos.tv/js/ads.js -@@||thewatchseries.biz^$generichide -@@||theweatherspace.com^*/advertisement.js -@@||tidaltv.com/ILogger.aspx?*&adId=[$object-subrequest,domain=channel4.com -@@||tidaltv.com/tpas*.aspx?*&rand=[$object-subrequest,domain=channel4.com -@@||timesinternet.in/ad/$script -@@||timesofindia.indiatimes.com^$image,~third-party -@@||tinypaste.me^$generichide -@@||tklist.net/tklist/*ad$image -@@||tklist.net^$generichide -@@||tlc.com^$generichide -@@||tomshardware.co.uk^$generichide -@@||tomshardware.com^$generichide -@@||toptipstricks.com^$generichide -@@||torrent2ddl.com^$generichide -@@||tpc.googlesyndication.com^$image,domain=sc2casts.com -@@||tpmrpg.net/adframe.js -@@||trackitonline.ru^$generichide -@@||tradedoubler.com/anet?type(iframe)loc($subdocument,domain=topzone.lt -@@||tribalfusion.com/displayAd.js?$domain=clubedohardware.com.br|yellowbridge.com -@@||tribalfusion.com/j.ad?$script,domain=clubedohardware.com.br|yellowbridge.com -@@||trizone91.com^$generichide -@@||turbogenerator.info^$script,domain=turbogenerator.info -@@||turbovideos.net^$script,domain=turbovideos.net -@@||turkanime.tv/ads.html$subdocument,domain=turkanime.tv -@@||turkdown.com^$generichide -@@||turkdown.com^$script -@@||turktorrent.cc^$generichide -@@||tusmangas.net^$generichide -@@||tv-msn.com^$generichide -@@||tv-porinternet.com.mx^$generichide -@@||tv3.co.nz/Portals/*/advertisement.js$~third-party -@@||tvdez.com/ads/ads_$subdocument -@@||tvenvivocrackmastersamm.blogspot.com.ar^$generichide -@@||tvn.adocean.pl/files/js/ado.js$domain=tvn.pl|tvn24.pl -@@||tvpelis.net^*/advertisement2.js -@@||tvrex.altervista.org^$generichide -@@||tweaktown.com^$generichide -@@||twitch.tv/ads/ads.js -@@||ucoz.com/ads/banner.jpg?$image -@@||ukclimbing.com^$generichide -@@||uktv.co.uk/static/js/ads.js -@@||ukvarminting.com^$generichide -@@||ultimate-catch.eu^$generichide -@@||ulto.ga^$generichide -@@||universityherald.com/common/js/common/ads.js -@@||universityherald.com^$generichide -@@||unlockpwd.com^$generichide -@@||up-flow.org/advertisement.js -@@||upi.com^$generichide -@@||upload.so^$generichide -@@||uploaded.net^$generichide -@@||uploadex.com^$generichide -@@||uploadlw.com/getbanner.cfm?$script -@@||uploadlw.com^$generichide -@@||uploadocean.com^$generichide -@@||uploadrocket.net/ads.js -@@||uploadrocket.net/advertising/ads.js -@@||uploadrocket.net^$generichide -@@||uploadshub.com^$generichide -@@||uplod.ws^$generichide -@@||upshare.org/advertisement.js -@@||uptobox.com*.ad6media$script,domain=uptobox.com -@@||uptobox.com^$generichide -@@||urbanplanet.org^$generichide -@@||urbeez.com/adver$script -@@||urdupoint.com/js/advertisement.js -@@||urdupoint.googlecode.com/files/advertisement.js$domain=free.smsmarkaz.urdupoint.com -@@||urduustaad.com^$generichide -@@||url4u.org^$generichide -@@||urlgalleries.net^*/adhandler/$subdocument -@@||urlst.me^$generichide -@@||usapoliticstoday.com^$generichide -@@||usatoday.com^$generichide -@@||usaupload.net/ads.js -@@||userscdn.com^$generichide -@@||uskip.me^$generichide -@@||uvnc.com/advertisement.js -@@||v.fwmrm.net/ad/g/1?$script,domain=uktv.co.uk -@@||v.fwmrm.net/ad/p/1$xmlhttprequest,domain=uktv.co.uk -@@||v.fwmrm.net/ad/p/1?$object-subrequest,domain=uktv.co.uk -@@||v3.co.uk^$generichide -@@||vbaddict.net^$generichide -@@||vcnt3rd.com/Scripts/adscript.js$domain=mma-core.com -@@||vdrive.to/js/pop.js -@@||vdrive.to^$generichide -@@||veedi.com/player/js/ads/advert.js -@@||veedi.com^*/ADS.js -@@||veekyforums.com^$generichide -@@||velocity.com^$generichide -@@||vencko.net^$generichide -@@||veohb.net/js/advertisement.js$domain=veohb.net -@@||ver-flv.com^$generichide -@@||vercanalestv.com/adblock.js -@@||vercanalestv.com^$generichide -@@||verticalscope.com/js/advert.js -@@||vgunetwork.com/public/js/*/advertisement.js -@@||vidbull.com^$generichide -@@||video.unrulymedia.com^$script,subdocument,domain=allmusic.com|sidereel.com|springstreetads.com -@@||videocelebrities.eu^*/adframe/ -@@||videoplaza.tv/contrib/*/advertisement.js$domain=tv4play.se -@@||videoweed.es/banner.php?$script -@@||vidlockers.ag^$generichide -@@||vidlox.tv/pop.js -@@||vidup.me/js/$script -@@||vidup.me^*/ads.js$script -@@||vietvbb.vn/up/clientscript/google_ads.js -@@||viki.com/*.js$script -@@||vipbox.tv/js/ads.js -@@||vipboxsa.co/js/ads.js$script -@@||vipleague.se/js/ads.js -@@||viralitytoday.com^$generichide -@@||virtualpets.com^*/ads.js -@@||vivotvhd.com^$generichide -@@||vodu.ch^$script -@@||vpnproxy.online^$generichide -@@||wallpaperbeta.com/js/adsbygoogle.js -@@||wallpapermania.eu/assets/js/advertisement.js -@@||wallpapershacker.com/js/adsbygoogle.js -@@||wallpapersimages.co.uk^$generichide -@@||wallrider.top^$script,~third-party -@@||wanamlite.com/images/ad/$image -@@||warnerbros-d.openx.net^$domain=dramafever.com -@@||watchcartoononline.com/advertisement.js -@@||weather.com^*/advertisement.js -@@||webfirstrow.eu/advertisement.js -@@||webfirstrow.eu^*/advertisement.js -@@||webtoolhub.com^$generichide -@@||webtv.rs/media/blic/advertisement.jpg -@@||welovebtc.com/show_ads.js -@@||weshare.me^$generichide -@@||wexfordpeople.ie^$generichide -@@||whatsapprb.blogspot.com^$generichide -@@||whatuptime.com^$generichide -@@||wholecloud.net/banner.php?$script -@@||whosampled.com/ads.js -@@||win-free-bitcoins.eu^$generichide -@@||windows7themes.net/wp-content/advert.js -@@||windowscentral.com^$generichide -@@||wired.com^$generichide -@@||wolverdon-filmes.com^$generichide -@@||womenshealthmag.com/sites/all/*ad$script -@@||womenshealthmag.com^$generichide -@@||world-of-hentai.to/advertisement.js -@@||world4.eu^$generichide -@@||world4ufree.ws^$generichide -@@||worldofapk.tk^$generichide -@@||wowebook.org^$generichide -@@||wowhq.eu^$generichide -@@||wp.com/wp-content/themes/$script,domain=9to5mac.com -@@||wp.com^*/advert.js$domain=aleteia.org -@@||wrestlinginc.com^$generichide -@@||wrestlingtalk.org^$generichide -@@||writing.com^$script -@@||wwe2day.tv^$generichide -@@||wwg.com^$generichide -@@||wwg.com^*/ads.js -@@||www.vg.no^$generichide -@@||xlocker.net^$generichide -@@||xmovies8.org/ads_$script,xmlhttprequest -@@||xmovies8.org/js/showads.js -@@||xooimg.com/magesy/js-cdn/adblock.js -@@||xosp.org^$generichide -@@||xup.in^$generichide -@@||yahmaib3ai.com/*ad$script -@@||yairworkshop.com^$generichide -@@||yasni.*/adframe.js$~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||yellowbridge.com/ad/show_ads.js -@@||yellowbridge.com^$generichide -@@||yellowbridge.com^*/advertisement.js -@@||yolohobo.us^$script,domain=eventhubs.com -@@||yourvideohost.com^$generichide -@@||youwatch.org/js/show_ads.js -@@||youwatch.org^$generichide -@@||youwatch.org^*#$image -@@||yriik.ml^$generichide -@@||ysihd.me^$generichide -@@||ytconv.net/*google_ads.js -@@||z.moatads.com^$script,domain=allmusic.com|phoronix.com -@@||zahipedia.net^$generichide -@@||zahitvstation.com^$generichide -@@||zattoo.com/ads/cs?$xmlhttprequest -@@||zedo.com/asw/$script,domain=intoday.in -@@||zedo.com/client/xp1/fmos.js$domain=intoday.in -@@||zedo.com/jsc/d2/fo.js$domain=intoday.in -@@||zeperfs.com^$script,domain=zeperfs.com -@@||zerozero.pt/script/$script,domain=zerozero.pt -@@||zman.com/adv/ova/overlay.xml -@@||zoomin.tv/adhandler/amalia.adm?$object-subrequest -! Gannett -@@||app.com^$generichide -@@||argusleader.com^$generichide -@@||azcentral.com^$generichide -@@||battlecreekenquirer.com^$generichide -@@||baxterbulletin.com^$generichide -@@||bucyrustelegraphforum.com^$generichide -@@||burlingtonfreepress.com^$generichide -@@||caller.com^$generichide -@@||centralfloridafuture.com^$generichide -@@||chillicothegazette.com^$generichide -@@||cincinnati.com^$generichide -@@||citizen-times.com^$generichide -@@||clarionledger.com^$generichide -@@||coloradoan.com^$generichide -@@||commercialappeal.com^$generichide -@@||coshoctontribune.com^$generichide -@@||courier-journal.com^$generichide -@@||courierpostonline.com^$generichide -@@||courierpress.com^$generichide -@@||dailyrecord.com^$generichide -@@||dailyworld.com^$generichide -@@||delawareonline.com^$generichide -@@||delmarvanow.com^$generichide -@@||democratandchronicle.com^$generichide -@@||desertsun.com^$generichide -@@||desmoinesregister.com^$generichide -@@||detroitnews.com^$generichide -@@||dnj.com^$generichide -@@||fdlreporter.com^$generichide -@@||floridatoday.com^$generichide -@@||freep.com^$generichide -@@||fsunews.com^$generichide -@@||gametimepa.com^$generichide -@@||gosanangelo.com^$generichide -@@||greatfallstribune.com^$generichide -@@||greenbaypressgazette.com^$generichide -@@||greenvilleonline.com^$generichide -@@||guampdn.com^$generichide -@@||hattiesburgamerican.com^$generichide -@@||htrnews.com^$generichide -@@||independentmail.com^$generichide -@@||indystar.com^$generichide -@@||inyork.com^$generichide -@@||ithacajournal.com^$generichide -@@||jacksonsun.com^$generichide -@@||jconline.com^$generichide -@@||jsonline.com^$generichide -@@||kitsapsun.com^$generichide -@@||knoxnews.com^$generichide -@@||lancastereaglegazette.com^$generichide -@@||lansingstatejournal.com^$generichide -@@||ldnews.com^$generichide -@@||lohud.com^$generichide -@@||mansfieldnewsjournal.com^$generichide -@@||marionstar.com^$generichide -@@||marshfieldnewsherald.com^$generichide -@@||montgomeryadvertiser.com^$generichide -@@||mycentraljersey.com^$generichide -@@||naplesnews.com^$generichide -@@||newarkadvocate.com^$generichide -@@||news-leader.com^$generichide -@@||news-press.com^$generichide -@@||newsleader.com^$generichide -@@||northjersey.com^$generichide -@@||pal-item.com^$generichide -@@||pnj.com^$generichide -@@||portclintonnewsherald.com^$generichide -@@||postcrescent.com^$generichide -@@||poughkeepsiejournal.com^$generichide -@@||press-citizen.com^$generichide -@@||pressconnects.com^$generichide -@@||publicopiniononline.com^$generichide -@@||redding.com^$generichide -@@||reporternews.com^$generichide -@@||rgj.com^$generichide -@@||sctimes.com^$generichide -@@||sheboyganpress.com^$generichide -@@||shreveporttimes.com^$generichide -@@||stargazette.com^$generichide -@@||statesmanjournal.com^$generichide -@@||stevenspointjournal.com^$generichide -@@||tallahassee.com^$generichide -@@||tcpalm.com^$generichide -@@||tennessean.com^$generichide -@@||theadvertiser.com^$generichide -@@||thecalifornian.com^$generichide -@@||thedailyjournal.com^$generichide -@@||thegleaner.com^$generichide -@@||theleafchronicle.com^$generichide -@@||thenews-messenger.com^$generichide -@@||thenewsstar.com^$generichide -@@||thenorthwestern.com^$generichide -@@||thespectrum.com^$generichide -@@||thestarpress.com^$generichide -@@||thetimesherald.com^$generichide -@@||thetowntalk.com^$generichide -@@||timesrecordnews.com^$generichide -@@||vcstar.com^$generichide -@@||visaliatimesdelta.com^$generichide -@@||wausaudailyherald.com^$generichide -@@||wisconsinrapidstribune.com^$generichide -@@||ydr.com^$generichide -@@||yorkdispatch.com^$generichide -@@||zanesvilletimesrecorder.com^$generichide -! Google "Related Searches" -@@||domains.googlesyndication.com/apps/domainpark/domainpark.cgi?*^channel=csa_use_rs^$subdocument -@@||www.google.com/adsense/search/ads.js$domain=domains.googlesyndication.com -@@||www.google.com/adsense/search/async-ads.js$domain=webcrawler.com -@@||www.google.com/afs/ads?*^channel=csa_use_rs^$subdocument -! Non-English -@@||247realmedia.com/RealMedia/ads/adstream_sx.ads/wm-desktop/home/$xmlhttprequest,domain=walmart.com.br -@@||2mdn.net/viewad/*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co|kbb.com -@@||abril.com.br^$generichide -@@||ad.atown.jp/adserver/$domain=ad.atown.jp -@@||ad.doubleclick.net^*.jpg|$domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co -@@||ad.e-kolay.net/ad.js -@@||ad.e-kolay.net/jquery-*-Medyanet.min.js -@@||ad.e-kolay.net/Medyanet.js -@@||ad.e-kolay.net/mnetorfad.js -@@||ad.nl/ad/css/$~third-party -@@||ad.nl^*/themes/ad/ad.css -@@||ad3.l3go.com.br^$~third-party -@@||adap.tv/redir/client/swfloader.swf?$object,domain=my-magazine.me -@@||adgear.com/session.js$domain=noovo.ca -@@||adgear.com^*/adgear.js$domain=noovo.ca -@@||adman.gr/adman-video.js$domain=alphatv.gr -@@||adman.gr/jwplayer.flash.swf$object,domain=alphatv.gr -@@||adocean.pl/crossdomain.xml$object-subrequest,domain=~patrz.pl -@@||adocean.pl/files/*.flv?$domain=blesk.cz|open.fm -@@||adocean.pl^*/ad.js?id=$object-subrequest,domain=open.fm -@@||adocean.pl^*^aocodetype=$object-subrequest,domain=~superfilm.pl -@@||adpriv.nikkei.com/bservers/AAMALL/*/acc_random=$script -@@||ads.cvut.cz^$~third-party -@@||ads.dainikbhaskar.com/AdTech/$script -@@||ads.e-planning.net^*/preroll?$object-subrequest,domain=ole.com.ar -@@||ads.elefant.ro/ajs.php?$script,domain=elefant.ro -@@||ads.hosting.vcmedia.vn/crossdomain.xml$object-subrequest -@@||ads.hosting.vcmedia.vn/jinfo.ashx?$object-subrequest -@@||ads.nicovideo.jp/assets/js/ads-*.js -@@||ads.peteava.ro/crossdomain.xml$object-subrequest -@@||ads.peteava.ro/www/serve_ads/serve2.php?campaign=$object-subrequest -@@||ads.postimees.ee/crossdomain.xml$object-subrequest -@@||ads.telecinco.es/crossdomain.xml$object-subrequest -@@||ads.telecinco.es/RealMedia/ads/adstream_sx.ads/*@$object-subrequest,domain=mitele.es|telecinco.es -@@||ads.us.e-planning.net/crossdomain.xml$object-subrequest -@@||ads.us.e-planning.net^*&ma=*&vv=$object-subrequest,domain=elcomercio.pe -@@||adserver.netsprint.eu//widgets/widgets.js$domain=autocentrum.pl -@@||adsystem.pl^$~third-party -@@||adtech.de/?adrawdata/$xmlhttprequest,domain=hs.fi|iltasanomat.fi -@@||adtech.de/?adrawdata/3.0/*;|$object-subrequest,domain=tv2.dk -@@||adtech.de/?advideo/$xmlhttprequest,domain=hs.fi -@@||adtech.de/dt/common/DAC.js$domain=dn.no -@@||adtech.panthercustomer.com^*.flv$domain=tv3.ie -@@||adtechus.com/adxml|*|rettype=$object-subrequest,domain=papeldigital.info -@@||adtechus.com/images/*_503x720.gif$object-subrequest,domain=papeldigital.info -@@||adv.adview.pl/ads/*.mp4$object-subrequest,domain=polskieradio.pl|radiozet.pl|spryciarze.pl|tvp.info -@@||adv.pt^$~third-party -@@||adv.r7.com/hash/?$script,domain=r7.com -@@||advert.ee^$~third-party -@@||advert.mgimg.com/servlet/view/$xmlhttprequest,domain=uzmantv.com -@@||advert.uzmantv.com/advertpro/servlet/view/dynamic/url/zone?zid=$script,domain=uzmantv.com -@@||advertising.mercadolivre.com.br^$xmlhttprequest,domain=mercadolivre.com.br -@@||advertising.sun-sentinel.com/el-sentinel/elsentinel-landing-page.gif -@@||affiliate.fsas.eu^$subdocument,domain=iprima.cz -@@||affiliate.matchbook.com/processing/impressions.asp?$image,domain=betyper.com -@@||aka-cdn-ns.adtech.de^*.flv$domain=talksport.co.uk|tv3.ie -@@||akamaihd.net^*/advert/$object-subrequest,domain=skai.gr -@@||alio.lt/public/advertisement/texttoimage.html?$image -@@||am10.ru/letitbit.net_in.php$subdocument,domain=moevideos.net -@@||amarillas.cl/advertise.do?$xmlhttprequest -@@||amarillas.cl/js/advertise/$script -@@||amarujala.com/assets/js/$script -@@||amarujala.com^$generichide -@@||amazon-adsystem.com/e/ir?$image,domain=kasi-time.com -@@||amazonaws.com/affiliates/banners/logo/$image,domain=betyper.com -@@||amazonaws.com^*/transcriptions/$domain=diki.pl -@@||americateve.com/mediaplayer_ads/new_config_openx.xml$xmlhttprequest -@@||analytics.disneyinternational.com/ads/tagsv2/video/$xmlhttprequest,domain=disney.no -@@||anandabazar.com/js/anandabazar-bootstrap/$script -@@||annonser.dagbladet.no/eas?$script,domain=se.no -@@||annonser.dagbladet.no/EAS_tag.1.0.js$domain=se.no -@@||annonser.godtprestert.no^$xmlhttprequest,domain=godtprestert.no -@@||antenna.gr/js/adman-video-$script -@@||app.medyanetads.com/ad.js$domain=fanatik.com.tr -@@||applevideo.edgesuite.net/admedia/$object-subrequest -@@||atresplayer.com/static/imgs/no_ads.jpg$object-subrequest -@@||autoscout24.*/all.js.aspx?m=css&*=/stylesheets/adbanner.css$~third-party,domain=autoscout24.com|autoscout24.de|autoscout24.hr|autoscout24.hu|autoscout24.it -@@||autotube.cz/ui/player/ad.php?id=$object-subrequest -@@||bancainternet.com.ar/eBanking/images/*-PUBLICIDAD. -@@||bancodevenezuela.com/imagenes/publicidad/$~third-party -@@||banki.ru/bitrix/*/advertising.block/$stylesheet -@@||bbelements.com/bb/$script,domain=iprima.cz -@@||bbelements.com/bb/bb_one2n.js$domain=moviezone.cz -@@||bbelements.com/please/showit/*/?typkodu=$script,domain=idnes.cz|moviezone.cz -@@||benchmarkhardware.com^$generichide -@@||bhaskar.com/revenue/$script -@@||biancolavoro.euspert.com/js/ad.js -@@||blocket.se^*/newad.js -@@||bmwoglasnik.si/images/ads/ -@@||bn.uol.com.br/html.ng/$object-subrequest -@@||bnrs.ilm.ee/www/delivery/fl.js -@@||bolha.com/css/ad.css? -@@||bomnegocio.com/css/ad_insert.css -@@||bs.serving-sys.com/crossdomain.xml$domain=itv.com -@@||cadena100.es/static/plugins/vjs/js/videojs.ads.js -@@||carfinder.gr/api/ads/$xmlhttprequest -@@||catmusica.cat/paudio/getads.jsp?$xmlhttprequest -@@||climatempo.com.br^$generichide -@@||content.reklamz.com/internethaber/SPOR_*.mp4$object-subrequest,domain=tvhaber.com -@@||custojusto.pt/user/myads/ -@@||daumcdn.net/adfit/static/ad-native.min.js$domain=kakao.com -@@||daumcdn.net^*/displayAd.min.js$domain=daum.net -@@||di.se^$generichide -@@||di.se^*/advertisement.js -@@||diki.pl/images-common/$domain=diki.pl -@@||doladowania.pl/pp/$script -@@||doubleclick.net/adx/es.esmas.videonot_embed/$script,domain=esmas.com -@@||doubleclick.net^*;sz=*;ord=$image,script,domain=dafiti.cl|dafiti.com.ar|dafiti.com.br|dafiti.com.co -@@||doublerecall.com/core.js.php?$script,domain=delo.si -@@||duwo.nl^*/advertisement-$image,~third-party -@@||eenadu.net/ads.js -@@||eenadu.net/ads/$script -@@||ehow.com.br/frames/ad.html?$subdocument -@@||ehowenespanol.com/frames/ad.html?$subdocument -@@||el-mundo.net/js/advertisement.js$script,third-party,domain=marca.com -@@||emag.hu/site_ajax_ads?id=$xmlhttprequest -@@||emagst.net/openx/$image,domain=emag.hu|emag.ro -@@||emediate.eu/crossdomain.xml$object-subrequest -@@||emediate.eu/eas?cu_key=*;ty=playlist;$object-subrequest,domain=bandit.se|lugnafavoriter.com|nrj.se|playradio.se|radio1.se|rixfm.com|tv3play.ee|tv3play.se|tv6play.se|tv8play.se -@@||emediate.se/crossdomain.xml$object-subrequest -@@||emediate.se/eas?$domain=novatv.bg|tv2.dk|tv3.se|tv3play.ee|tv3play.se|tv6play.se|tv8play.se -@@||emediate.se/eas_tag.1.0.js$domain=tv2.dk|tv3play.ee|tv3play.se|tv6play.se|tv8play.se -@@||ensonhaber.com/player/ads.js -@@||epaper.andhrajyothy.com/js/newads.js -@@||ettevotja.ee/templates/*/images/advert.gif -@@||expdash.adtlgc.com^$xmlhttprequest,domain=expressen.se -@@||fajerwerkilider.pl/environment/cache/images/300_250_productGfx_$image -@@||feed.theplatform.com^*=adtech_$object-subrequest,domain=tv2.dk -@@||felcia.co.uk/css/ads-common.css -@@||felcia.co.uk/css/advert-view.css -@@||felcia.co.uk/js/ads_common.js -@@||filmon.com/ad/affiliateimages/banner-250x350.png -@@||flashgames247.com/advertising/preroll/google-fg247-preloader.swf$object -@@||folha.uol.com.br/paywall/js/1/publicidade.ads.js -@@||forads.pl^$~third-party -@@||fotojorgen.no/images/*/webadverts/ -@@||fotolog.com/styles/flags/ad.gif -@@||fotosioon.com/wp-content/*/images/advert.gif -@@||freefoto.com/images/*-Advertisement_$image,domain=diki.pl -@@||freeride.se/img/admarket/$~third-party -@@||fwmrm.net/ad/g/$script,domain=viafree.se -@@||fwmrm.net^*/AdManager.js$domain=viafree.se -@@||fwmrm.net^*/LinkTag2.js$domain=viafree.se -@@||g.doubleclick.net/gampad/ads?$script,domain=concursovirtual.com.br|payback.pl -@@||g.doubleclick.net/gampad/ads?*_Ligatus&$script,domain=lavozdegalicia.es -@@||g.doubleclick.net/gpt/pubads_impl_$script,domain=concursovirtual.com.br|forum.kooora.com|lavozdegalicia.es|payback.pl|posta.com.tr|uol.com.br -@@||g.doubleclick.net/pcs/click?$popup,domain=payback.pl -@@||googleads.g.doubleclick.net^$image,domain=loi1901.com -@@||googleadservices.com/pagead/conversion.js$domain=play.tv2.dk -@@||googlesyndication.com/pagead/imgad?id=$image,domain=concursovirtual.com.br -@@||googlesyndication.com/simgad/$image,domain=concursovirtual.com.br|payback.pl -@@||gov.in/pdf/ADVERTISEMENT/$~third-party -@@||guloggratis.dk/modules/$script,~third-party,xmlhttprequest -@@||haberler.com/video-haber/adsense_news_politics.swf?$object -@@||happymtb.org/annonser/$~third-party -@@||hastlegames.com^$generichide -@@||hisse.net^$generichide -@@||hizlial.com/banners/$~third-party -@@||homad.eu^$~third-party -@@||honfoglalo.hu/aagetad.php?$subdocument -@@||hry.cz/ad/adcode.js -@@||hub.com.pl/reklama_video/instream_ebmed/vStitial_inttv_$object,domain=interia.tv -@@||imasdk.googleapis.com/js/sdkloader/ima3.js$domain=ensonhaber.com|f5haber.com|r7.com|radio-canada.ca|uol.com.br -@@||impact-ad.jp/combo?$subdocument,domain=jalan.net -@@||imstore.bet365affiliates.com/?AffiliateCode=$image,domain=betyper.com -@@||imstore.bet365affiliates.com/AffiliateCreativeBanners/$image,domain=betyper.com -@@||iplsc.com^*/inpl.box.ad.js$domain=rmf24.pl -@@||isanook.com/vi/0/js/ads-$script -@@||izigo.pt/AdPictures/ -@@||izigo.pt^*/adsearch? -@@||jagran.com/Resources/mob_jagran-auto/js/$script -@@||jesper.nu/javascript/libs/videoads.js -@@||joemonster.org^*_reklama_$image -@@||jsuol.com.br/c/detectadblock/$script,domain=uol.com.br -@@||jyllands-posten.dk/js/ads.js -@@||kanalfrederikshavn.dk^*/jquery.openx.js? -@@||kompas.com^*/supersized.*.min_ads.js? -@@||kopavogur.is/umsoknarvefur/advertisement.aspx$subdocument -@@||krotoszyn.pl/uploads/pub/ads_files/$image,~third-party -@@||laredoute.*/scripts/combinejs.ashx?*/affiliation/$script,~third-party,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||longtailvideo.com/5/adttext/adttext.js$domain=ostrow24.tv|yuvutu.com -@@||longtailvideo.com/5/adtvideo/adtvideo.js$domain=ostrow24.tv -@@||lrytas.lt/ads/video_feed.js -@@||mail.bg/mail/index/getads/$xmlhttprequest -@@||marca.com^$generichide -@@||megastar.fm/static/plugins/vjs/js/videojs.ads.js -@@||megatv.com^*/adverts.asp?$object-subrequest -@@||minuripsmed.ee/templates/*/images/advert.gif -@@||mjhobbymassan.se/r/annonser/$image,~third-party -@@||mlstatic.com^*/product_ads/$image,domain=mercadolibre.com.ve -@@||mmgastro.pl/img/reklama/$image,~third-party -@@||mmgastro.pl/js/reklama/$~third-party -@@||moviezone.cz//moviezone/reklama/$object-subrequest -@@||moviezone.cz/swf/ad-player/$object,object-subrequest -@@||mynet.com.tr/nocache/adocean.js? -@@||mynet.com/nocache/adocean.js? -@@||naasongs.com^$generichide -@@||naver.net/ad/$domain=shopping.naver.com -@@||naver.net/adpost/adpost_show_ads_min.js$domain=danawa.com -@@||newmedia.lu^*/adtech_video/*.xml$object-subrequest,domain=rtl.lu -@@||niedziela.nl/adverts/$image,~third-party -@@||noovo.ca^$generichide -@@||nordjyske.dk/scripts/ads/StoryAds.js -@@||nuggad.net/rc?nuggn=$script,domain=ekstrabladet.dk -@@||oas.di.se/RealMedia/ads/Creatives/di.se/$object,script,domain=di.se -@@||oas.di.se^*/di.se/Lopet/*@$script,domain=di.se -@@||oas.dn.se/adstream_mjx.ads/dn.se/nyheter/ettan/*@$script -@@||oascentral.gfradnetwork.net/RealMedia/ads/adstream_nx.ads/$image,domain=primerahora.com -@@||openimage.interpark.com/_nip_ui/category_shopping/shopping_morningcoffee/leftbanner/null.jpg -@@||openx.zomoto.nl/live/www/delivery/fl.js -@@||openx.zomoto.nl/live/www/delivery/spcjs.php?id= -@@||partner.googleadservices.com/gpt/pubads_impl_$script,domain=concursovirtual.com.br|forum.kooora.com|lavozdegalicia.es|posta.com.tr|uol.com.br -@@||partners.10bet.com/processing/impressions.asp?$image,domain=betyper.com -@@||payback.pl/statics/common/js/dfp.js$domain=payback.pl -@@||peoplegreece.com/assets/js/adtech_res.js -@@||phinf.net/common/?src=*/adimg.$image,domain=shopping.naver.com -@@||play.iprima.cz^$generichide -@@||play.iprima.cz^$~third-party,xmlhttprequest -@@||player.liquidplatform.com^$subdocument,domain=sbt.com.br -@@||player.terra.com^*&adunit=$script -@@||player.theplatform.com^$subdocument,domain=nbc.com -@@||politiken.dk/static/$script -@@||polovniautomobili.com/images/ad-$~third-party -@@||prohardver.hu/js/common/forms_$script -@@||propellerads.com/afu.php?zoneid=$subdocument,domain=moevideos.net -@@||propellerads.com^*/adlogo/$domain=kissanime.com -@@||psoe.es/Areas/Affiliation/ -@@||ptchan.net/imagens/banner.php -@@||ptcliente.pt/App_Themes/Default/Img/ad_$image -@@||pubads.g.doubleclick.net/gampad/ads?$script,domain=r7.com -@@||quebarato.com.br/css/static/ad_detail.css -@@||quebarato.com.br/css/static/ad_search.css -@@||r7.com/js/ads.js -@@||reklama.hiking.sk/openx_new/www/delivery/spcjs.php?id=*&target=_blank$script,domain=mapy.hiking.sk -@@||reklama5.mk^$~third-party -@@||reklamport.com/rpgetad.ashx?*&vast=$xmlhttprequest,domain=uzmantv.com -@@||rentalsystems.com/advert_price_imbed.asp?$subdocument -@@||ring.bg/adserver/adall.php?*&video_on_page=1 -@@||rocking.gr/js/jquery.dfp.min.js -@@||rtl.lu/ipljs/adtech_async.js -@@||run.admost.com/adx/get.ashx?z=*&accptck=true&nojs=1 -@@||run.admost.com/adx/js/admost.js? -@@||s-nk.pl/img/ads/icons_pack -@@||s1emagst.akamaized.net/openx/*.jpg$domain=emag.hu -@@||saikoanimes.net/adb/advert.js$script,domain=saikoanimes.net -@@||sanook.com/php/get_ads.php?vast_linear=$xmlhttprequest -@@||sascdn.com/diff/video/current/libs/js/controller.js$domain=ligtv.com.tr -@@||sascdn.com/video/$object,script,domain=ligtv.com.tr -@@||sbt.com.br^$generichide -@@||screen9.com/players/$script -@@||segundamano.mx/api/*/ads/$~third-party -@@||serving-sys.com/BurstingPipe/adServer.bs?*&pl=VAST&$xmlhttprequest,domain=uzmantv.com -@@||sigmalive.com/assets/js/jquery.openxtag.js -@@||skai.gr/advert/*.flv$object-subrequest -@@||smart.allocine.fr/crossdomain.xml$object-subrequest -@@||smart.allocine.fr/def/def/xshowdef.asp$object-subrequest,domain=beyazperde.com -@@||smartadserver.com/call/pubj/$object-subrequest,domain=antena3.com|europafm.com|ondacero.es|vertele.com -@@||smartadserver.com/call/pubj/$script,domain=cuisineetvinsdefrance.com -@@||smartadserver.com/call/pubx/*/M/$object-subrequest,domain=get.x-link.pl -@@||smartadserver.com/call/pubx/*blq$object-subrequest,domain=antena3.com|atresmedia.com|atresplayer.com|lasexta.com -@@||smartadserver.com/crossdomain.xml$object-subrequest -@@||smartadserver.com/diff/*/show*.asp?*blq$object-subrequest,domain=antena3.com|atresplayer.com|lasexta.com|ondacero.es -@@||sms.cz/bannery/$object-subrequest,~third-party -@@||soov.ee/js/newad.js -@@||staircase.pl/wp-content/*/adwords.jpg$domain=staircase.pl -@@||start.no/advertpro/servlet/view/text/html/zone?zid=$script -@@||start.no/includes/js/adCode.js -@@||stat24.com/*/ad.xml?id=$object-subrequest,domain=ipla.tv -@@||stat24.com/ad.xml?id=$object-subrequest,domain=ipla.tv -@@||static.lecho.be^*/js/site/dfp-$script,domain=lecho.be -@@||static.lecho.be^*/js/site/modules/dfp/$script,domain=lecho.be -@@||static.tijd.be^*/js/site/dfp-$script,domain=tijd.be -@@||static.tijd.be^*/js/site/modules/dfp/$script,domain=tijd.be -@@||style.seznam.cz/ad/im.js -@@||submarino.com.br/openx/www/delivery/ -@@||ta3.com/advert-async-system/$xmlhttprequest -@@||tcdn.nl/javascript/showads.$script -@@||terra.cl^*/admanager.html$subdocument -@@||terra.com.br^*/admanager.html$subdocument -@@||thewineplace.es/wp-content/plugins/m-wp-popup/js/wpp-popup-frontend.js -@@||tn.com.ar^*/vivo/300/publicidad.html$subdocument -@@||trrsf.com.br/playerttv/$xmlhttprequest -@@||trrsf.com.br^*/admanager.js$domain=terra.com.br -@@||trrsf.com^*/admanager.js -@@||tugaleaks.com^*/wp-super-popup-pro/sppro.js -@@||tugaleaks.com^*/wp-super-popup-pro/sppro.php -@@||tusoft.org^$generichide -@@||tv2.dk/mpx/player.php/adtech_$subdocument -@@||tvn.adocean.pl^$object-subrequest -@@||tvp.pl/files/tvplayer/$image -@@||udd.cl/publicidad/$domain=comunicaciones.udd.cl -@@||uol.com.br/html.ng/*&affiliate=$object-subrequest -@@||uol.com.br^*/detectadblock/$script -@@||uvnimg.com^*/?url=*-ad1.$image,domain=univision.com -@@||vedomosti.ru/assets/vendors/adriver.media-$script -@@||velasridaura.com/modules/*/advertising_custom.$image,~third-party -@@||viafree.se^$~third-party,xmlhttprequest -@@||video.appledaily.com.hk/admedia/$object-subrequest,domain=nextmedia.com -@@||videonuz.ensonhaber.com/player/hdflvplayer/xml/ads.xml?$object-subrequest -@@||videoplaza.tv/proxy/distributor?$object-subrequest,domain=aftenposten.no|bt.no|ekstrabladet.dk|kuriren.nu|qbrick.com|svd.se -@@||vilaglato.info^$generichide -@@||vinden.se/ads/$~third-party -@@||wl188bet.adsrv.eacdn.com/S.ashx?btag=$script,domain=betyper.com -@@||wl188bet.eacdn.com/wl188bet/affimages/$image,script,domain=betyper.com -@@||wlmatchbook.eacdn.com/wlmatchbook/affimages/$image,domain=betyper.com -@@||wp.com^*/ad$script,domain=abril.com.br -@@||xe.gr/property/recent_ads?$xmlhttprequest -@@||yapo.cl/js/viewad.js? -@@||yimg.jp/images/listing/tool/yads/impl/yads-stream-conf-top_smp.js$domain=yahoo.co.jp -@@||yimg.jp/images/listing/tool/yads/yads-stream-conf-top_smp.js$domain=yahoo.co.jp -@@||yimg.jp/images/listing/tool/yads/yjaxc-stream-ex.js$domain=yahoo.co.jp -@@||ynet.co.il^*/ads.js -@@||ziarelive.ro/assets/js/advertisement.js -! Used as an Anti-adblock check -@@||fastly.net/ad/$image,script,xmlhttprequest -@@||fastly.net/js/*_ads.$script -! Whitelists to fix broken pages of advertisers -! adwolf.eu -@@||adwolf.eu^$~third-party -! breitbart -@@||realvu.net/realvu_*.js$domain=breitbart.com -! Facebook -@@||www.facebook.com/ads/$generichide -@@||www.facebook.com/ajax/ads/$xmlhttprequest,domain=www.facebook.com -! Google -@@||accounts.google.com/adwords/$domain=accounts.google.com -@@||accounts.google.com^$document,subdocument,domain=adwords.google.com -@@||ads.google.com/jsapi$script,domain=www.google.com -@@||ads.google.com^$domain=analytics.google.com -@@||adwords.google.com^$domain=adwords.google.com -@@||apps.admob.com/admob/*.adsense.$script,domain=apps.admob.com -@@||bpui0.google.com^$document,subdocument,domain=adwords.google.com -@@||google.*/ads/$generichide,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||google.*/adsense_$~third-party,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||google.*/adwords/$~third-party,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||google.*/services/$generichide,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||google.com/payments/*/adwords.$document,subdocument -@@||google.com/tools/feedback/open.js?*^url=https://adwords.google.com/$script,domain=adwords.google.com -@@||gstatic.com/accounts/services/adwords/$image,domain=accounts.google.com -@@||gstatic.com/images/icons/product/adsense-$image,domain=accounts.google.com -@@||gstatic.com/images/icons/product/adsense_$image,domain=accounts.google.com -@@||gstatic.com^*/adwords/$domain=support.google.com -@@||support.google.com/adsense/$~third-party -@@||www.google.*/adometry.$~third-party,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||www.google.*/adometry/$~third-party,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||www.google.*/ads/$~third-party,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||www.google.*/adsense/$~third-party,domain=google.ca|google.co.in|google.co.nz|google.co.uk|google.com|google.com.au|google.com.eg|google.de|google.es -@@||www.google.com/adwords/$generichide -@@||www.google.com/analytics/web/$xmlhttprequest,domain=www.google.com -@@||www.google.com/doubleclick/$domain=www.google.com -@@||www.google.com/doubleclick/images/favicon.ico -@@||www.google.com/images/icons/*/adsense_$image,domain=www.google.com -@@||www.google.com/images/icons/feature/adsense_$image -@@||www.google.com/images/icons/product/adsense-$image -accounts.google.com#@#.adwords -www.google.com#@##videoads -! YouTube -@@||google.com/ads/js/$script,domain=incentiveswidget.appspot.com -@@||youtube.com/yt/css/*-advertise.css$domain=incentiveswidget.appspot.com -@@||youtube.com/yt/js/www-advertise.min.js$domain=youtube.com -! Mobicow.com -@@||adcenter.mobicow.com^$~third-party -! advertising.com -@@||www.advertising.com^$~third-party -! Quantcast.com -! http://forums.lanik.us/viewtopic.php?f=64&t=15116&p=53518 -@@||quantcast.com/advertise$domain=quantcast.com -! Marketgid/MGID -@@||dashboard.idealmedia.com^$~third-party -@@||dashboard.lentainform.com^$~third-party -@@||dashboard.marketgid.com^$~third-party -@@||dashboard.mgid.com^$~third-party -@@||dashboard.tovarro.com^$~third-party -! Full.Ad -@@||fullad.com.br^$~third-party -! Healthy Advertising (Spanish) -@@||healthyadvertising.es^$~third-party -! Adfox -@@||adfox.ru^$~third-party -! Apple (iAd) -@@||advertising.apple.com^$domain=advertising.apple.com -! Adhese -@@||adhese.com^$~third-party -! Openx.com -@@||netdna-cdn.com^*/OpenX/$domain=openx.com -@@||openx.com^$domain=openx.com -! Skimlinks -@@||api-merchants.skimlinks.com^ -@@||authentication-api.skimlinks.com^ -! Microsoft -@@||ads.bingads.microsoft.com^$domain=ads.bingads.microsoft.com -@@||advertise.bingads.microsoft.com/Includes/$domain=login.live.com -@@||advertise.bingads.microsoft.com/wwimages/search/global/$image -@@||advertising.microsoft.com^$~third-party -@@||bingads.microsoft.com/ApexContentHandler.ashx?$script,domain=bingads.microsoft.com -! VK.ru/.com -@@||api.vigo.ru^*/network_status?$object-subrequest,xmlhttprequest,domain=vk.com -@@||paymentgate.ru/payment/*_Advert/ -@@||vk.com/ads$generichide -@@||vk.com/ads.php$~third-party,xmlhttprequest -@@||vk.com/ads.php?$subdocument,domain=vk.com -@@||vk.com/ads?act=$~third-party -@@||vk.com/ads?act=payments&type$script,stylesheet -@@||vk.com/ads_*php?$subdocument,~third-party -@@||vk.com/images/ads_$domain=vk.com -@@||vk.com/js/al/ads.js?$domain=vk.com -@@||vk.com^*/ads.css$domain=vk.com -@@||vk.me/css/al/ads.css$domain=vk.com -@@||vk.me/images/ads_$domain=vk.com -! Mxit -@@||advertise.mxit.com^$~third-party -! Sanoma media -@@||advertising.sanoma.be^$domain=advertising.sanoma.be -! AdRoll -@@||adroll.com^$xmlhttprequest,domain=adroll.com -@@||app.adroll.com^$generichide -! Teliad -@@||seedingup.*/advertiser/$~third-party,xmlhttprequest,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||teliad.*/advertiser/$~third-party,xmlhttprequest,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -! EasyAds -@@||easyads.eu^$domain=easyads.eu -! SiteAds -@@||siteads.com^$domain=siteads.com -! Amazon Associates/PartnerNet -@@||amazon-adsystem.com/e/cm?$document,subdocument,domain=affiliate-program.amazon.co.uk|affiliate-program.amazon.com|affiliate-program.amazon.in|affiliate.amazon.co.jp|afiliados.amazon.es|associados.amazon.com.br|associates.amazon.ca|associates.amazon.cn|partenaires.amazon.fr|partnernet.amazon.de|programma-affiliazione.amazon.it -@@||amazon-adsystem.com^$domain=affiliate-program.amazon.com -@@||amazon.com/home/ads/$document,subdocument,domain=affiliate-program.amazon.com -@@||ssl-images-amazon.com/images/$image,domain=affiliate-program.amazon.co.uk|affiliate-program.amazon.com|affiliate-program.amazon.in|affiliate.amazon.co.jp|afiliados.amazon.es|associados.amazon.com.br|associates.amazon.ca|associates.amazon.cn|partenaires.amazon.fr|partnernet.amazon.de|programma-affiliazione.amazon.it -! Yahoo -@@||eioservices.marketingsolutions.yahoo.com^$domain=eio.manhattan.yahoo.com -@@||gemini.yahoo.com/advertiser/$domain=gemini.yahoo.com -@@||yimg.com/av/gemini-ui/*/advertiser/$domain=gemini.yahoo.com -! Twitter -@@||ads.twitter.com^$domain=ads.twitter.com|analytics.twitter.com -@@||ton.twimg.com/ads-manager/$domain=twitter.com -@@||ton.twimg.com^$domain=ads.twitter.com|analytics.twitter.com -! StumbleUpon -@@||ads.stumbleupon.com^$popup -@@||ads.stumbleupon.com^$~third-party -! advertise.ru -@@||advertise.ru^$~third-party -! acesse.com -@@||ads.acesse.com^$generichide -@@||ads.acesse.com^$~third-party -! integralads.com -@@||integralplatform.com/static/js/Advertiser/$~third-party -! Revealads.com -@@||revealads.com^$~third-party -! Adsbox.io -@@||adsbox.io^$~third-party -! Gameloft -@@||gameloft.com/advertising-$~third-party -! Dailymotion -@@||api.dmcdn.net/pxl/advertisers/$domain=dailymotion.com -@@||dailymotion.com/advertise/$xmlhttprequest -! Amazon.com -@@||advertising.amazon.com^$domain=advertising.amazon.com -@@||ams.amazon.co.jp^$domain=ams.amazon.co.jp -@@||ams.amazon.co.uk^$domain=ams.amazon.co.uk -@@||ams.amazon.com^$domain=ams.amazon.com -! Adservice.com -@@||ad-server.one.com/click?agency=adservice-$domain=adservicemedia.dk -@@||adservice.com/wp-content/themes/adservice/$~third-party -@@||adservicemedia.dk/images/$~third-party -@@||adservicemedia.dk^$generichide -@@||banners.one.com/bannere/$domain=adservicemedia.dk -@@||publisher.adservice.com^$domain=publisher.adservice.com -@@||publisher.adservice.com^$generichide -! chameleon.ad -@@||chameleon.ad/demo/$elemhide -! Memo2 -@@||ads.memo2.nl^ -! *** easylist:easylist/easylist_whitelist_dimensions.txt *** -@@-120x60-$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@-120x60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@_120_60.$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@_120x60.$image,domain=2dayshippingbymastercard.com|catalogfavoritesvip.com|chase.com|deliverydeals.co.uk|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|sunsteps.org|theperfectsaver.com|travelplus.com -@@_120x60_$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|theperfectsaver.com|travelplus.com -@@_300x250.$image,domain=affrity.com|lockd.co.uk -@@||ajax.googleapis.com/ajax/services/search/news?*-728x90&$script -@@||amazonaws.com/content-images/article/*_120x60$domain=vice.com -@@||amazonaws.com^*-300x250_$image,domain=snapapp.com -@@||amazonaws.com^*/300x250_$image,domain=snapapp.com -@@||anitasrecipes.com/Content/Images/*160x500$image -@@||arnhemland-safaris.com/images/*_480_80_ -@@||artserieshotels.com.au/images/*_460_60. -@@||assets.vice.com^*_120x60.jpg -@@||babyhit.pl/images/*-120x60-$image,domain=babyhit.pl -@@||bettermarks.com/static/media$~third-party -@@||bexio.com/files/content/*160x600.$domain=bexio.com -@@||bizquest.com^*_img/_franchise/*_120x60.$image -@@||breakingisraelnews.com/wp-content/uploads/*-300x250- -@@||canada.com/news/*-300-250.gif -@@||cbsistatic.com/img/*/300x250/$image -@@||cinemanow.com/images/banners/300x250/ -@@||consumerist-com.wpengine.netdna-cdn.com/assets/*300x250 -@@||crowdignite.com/img/upload/*300x250 -@@||cubeecraft.com/images/home/features/300x250/$image,~third-party -@@||dawn.com/wp-content/uploads/*_300x250.jpg -@@||discovery.com^*/ratio-size/pixel-ratio/300x250.png -@@||disney.com.au/global/swf/*728x90.swf -@@||disney.com.au/global/swf/banner160x600.swf -@@||educationpost.com.hk^*/300x250/$image -@@||efvi.eu/badge/*-120x60.png -@@||etsystatic.com^*_760x100.$domain=etsy.com -@@||film.com/plugins/*-300x250 -@@||findafranchise.com/_img/*_120x60.$image -@@||firestormgames.co.uk/image/*-120x60. -@@||flii.by/thumbs/image/*_300x250.$domain=flii.by -@@||flumotion.com/play/player?*/300x250-$subdocument,domain=flaixfm.cat -@@||framestr.com^*/300x250/$image,~third-party -@@||freeshipping.com^*_120x60.$image,domain=shopsmarter.com -@@||freetvhub.com/ad1_300x250.html -@@||google.com/uds/modules/elements/newsshow/iframe.html?*=300x250& -@@||gujaratsamachar.com/thumbprocessor/cache/300x250- -@@||harpers.co.uk/pictures/300x250/ -@@||heathceramics.com/media/300x250/$image,~third-party -@@||hortifor.com/images/*120x60$~third-party -@@||hoyts.com.ar/uploads/destacado/*_300x250_$image,domain=hoyts.com.ar -@@||imagehost123.com^*_300x250_$image,domain=wealthymen.com -@@||images*.roofandfloor.com^$image,domain=roofandfloor.com -@@||images.itreviews.com/*300x250_$domain=itreviews.com -@@||images.outbrain.com/imageserver/*-120x60.$image -@@||imawow.weather.com/web/wow/$image -@@||imdb.com/images/*doubleclick/*300x250 -@@||imdb.com/images/*doubleclick/*320x240 -@@||imperialwonderservices.ie/images/banner/*-468x60.$~third-party -@@||komikslandia.pl/environment/cache/images/300_250_ -@@||la-finca-distribution.de/wp-content/uploads/*-120x240.$image -@@||maps.google.*/staticmap*^size=300x250^$image,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||maps.googleapis.com/maps/api/*=300x250&$image -@@||marketing.beatport.com.s3.amazonaws.com^*/728x90_ -@@||metrics.target.com/b/ss/*_300x250_$image -@@||metvnetwork.s3.amazonaws.com^*-quiz-300x250-$image,domain=metv.com -@@||motherboard.tv/content-images/*_120x60. -@@||mozilla.org/img/covehead/plugincheck/*/728_90/loading.png$domain=mozilla.org -@@||msecnd.net/socialfactoryimagesresized/mediaspotlight/2/300x250/$image -@@||mxtoolbox.com/Public/images/banners/Mx-Pro-160x600.jpg -@@||nationalgeographic.com/exposure/content/*300x250 -@@||nc-myus.com/images/pub/www/uploads/merchant-logos/ -@@||onescreen.net/os/static/widgets/*300x250 -@@||openmp.org/wp/openmp_336x120.gif -@@||opposingviews.com^*/300x250/ -@@||player.grabnetworks.com^*/vox_300x250_inline.xml$domain=mavrixonline.com -@@||quisqualis.com/QBanner_760x100.jpg -@@||rackcdn.com/LN_AH_Sweep_300x250_$image,domain=accesshollywood.com -@@||rackcdn.com^*_120x60_$image,domain=shopsmarter.com -@@||rehabs.com^*/xicons_social_sprite_400x60.png -@@||roofandfloor.com/listing_$image,~third-party -@@||russia-direct.org/custom_ajax/widget?*=300x250&$script -@@||static-origin.openedition.org^*-120x240.jpg -@@||stickam.com/wb/www/category/300x250/$image -@@||swansuk.co.uk^*/300x250/$image,~third-party -@@||target.122.2o7.net/b/ss/*_300x250_$image,domain=target.com -@@||techpakistani.com/wp-content/uploads/*-300x100.$image -@@||tribune.com.ng/news2013/cache/mod_yt_k2megaslider/images/*_120_60.jpg -@@||turner.com/v5cache/TCM/images/*_120x60. -@@||turner.com/v5cache/TCM/Images/*_120x60_ -@@||ubi.com/resource/*/game/*_300x250_$image,domain=ubi.com -@@||union.edu/media/galleryPics/400x250/$~third-party -@@||usanetwork.com/sites/usanetwork/*300x250 -@@||usopen.org/images/pics/misc/*.300x250.jpg -@@||viamichelin.*&size=728x90,$subdocument,domain=~calcalist.co.il|~gaytube.com|~mako.co.il|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~walla.co.il|~xtube.com|~ynet.co.il|~youjizz.com|~youporn.com|~youporngay.com -@@||vortex.accuweather.com^*_120x60_bg.jpg -@@||vortex.accuweather.com^*_160x600_bg.jpg -@@||vortex.accuweather.com^*_300x250_bg.jpg -@@||w3easy.org/templates/*_120x60. -@@||w3easy.org/templates/*_120x60_ -@@||weather.craven.net.au/weather/products/300x250.asp?$image -@@||weatherbug.com/desktop-weather/*=728x90& -@@||weatherbug.com/images/stickers/*/728x90/ -@@||weatherbug.com/style/stickers/*_728x90.css -@@||wixstatic.com/media/*_300_250_$image,domain=lenislens.com -@@||worlds-luxury-guide.com/sites/default/files/rectangle-300x250-newsletter.jpg -@@||zorza-polarna.pl/environment/cache/images/300_250_ -! *** easylist:easylist/easylist_whitelist_popup.txt *** -@@/clickthrgh.asp?btag=*&aid=$popup,domain=casinobonus24.se -@@/promoRedirect?*&zone=$popup,domain=casinobonus24.se|top5casinosites.co.uk -@@/redirect.aspx?bid=$popup,domain=casinosonline.co.uk|onlinecasinos.co.uk|top5casinosites.co.uk -@@/redirect.aspx?pid=$popup,domain=askgamblers.com|betbeaver.com|casinobonus24.se|casinosonline.co.uk|gamble.co.uk|gokkeninonlinecasino.nl|internetcasinot.com|onlinecasinos.co.uk|sportsfavoritesodds.com|sportsgo365.com -@@/tracking.php?*&pid=$popup,domain=casinobonus24.se -@@^utm_source=aff^$popup,domain=gamble.co.uk|gokkeninonlinecasino.nl|top5casinosites.co.uk -@@|blob:$popup,domain=codepen.io|mozo.awana.org -@@|data:text^$popup,domain=arestwo.org|box.com|labcorp.com|zipit.io -@@||888casino.com^$popup,domain=casinobonus24.se|casinosonline.co.uk|onlinecasinos.co.uk -@@||ad.doubleclick.net/ddm/clk/*http$popup -@@||adfarm.mediaplex.com/ad/ck/$popup,domain=betwonga.com|comparison411.com|dealsplus.com|matched-bet.net|pcmag.com -@@||ads.affiliate-cruise-mail.com/redirect.aspx?pid=*&bid=$popup -@@||ads.affiliatecruise.com/redirect.aspx?$popup -@@||ads.affiliates-spinit.com/redirect.aspx?pid=*&bid=$popup -@@||ads.annapartners.com/redirect.aspx?pid=*&bid=$popup -@@||ads.askgamblers.com^$popup -@@||ads.betfair.com/redirect.aspx?$popup,domain=betwonga.com|matched-bet.net|onlinecasinos.co.uk|stratasport.com -@@||ads.casumoaffiliates.com/redirect.aspx?$popup -@@||ads.cherrycasino.com/tracking.php?tracking_code&aid=$popup -@@||ads.comeon.com/redirect.aspx?pid=*&bid=$popup -@@||ads.ellmountgaming.com/redirect.aspx?pid=*&bid=$popup -@@||ads.eurogrand.com/redirect.aspx?$popup -@@||ads.euroslots.com/tracking.php?tracking_code&aid=$popup -@@||ads.flipkart.com/delivery/ck.php?$popup,domain=flipkart.com -@@||ads.harpercollins.com^$popup,domain=harpercollins.com -@@||ads.honestpartners.com/redirect.aspx?$popup -@@||ads.kabooaffiliates.com/redirect.aspx?$popup -@@||ads.leovegas.com/redirect.aspx?pid=*&bid=$popup -@@||ads.mrgreen.com/redirect.aspx?pid=*&bid=$popup -@@||ads.mrringoaffiliates.com/redirect.aspx?pid=*&bid=$popup -@@||ads.o-networkaffiliates.com/redirect.aspx?pid=*&bid=$popup -@@||ads.pinterest.com^$popup,~third-party -@@||ads.reempresa.org^$popup,domain=reempresa.org -@@||ads.sudpresse.be^$popup,domain=sudinfo.be -@@||ads.thrillsaffiliates.com/redirect.aspx?$popup -@@||ads.toplayaffiliates.com/redirect.aspx?$popup -@@||ads.twitter.com^$popup,~third-party -@@||ads.williamhillcasino.com/redirect.aspx?*=internal&$popup,domain=williamhillcasino.com -@@||ads.yakocasinoaffiliates.com/redirect.aspx?pid=*&bid=$popup -@@||adserving.unibet.com/redirect.aspx?pid=$popup,domain=betwonga.com -@@||adserving.unibet.com/redirect.aspx?pid=*&bid=$popup -@@||adsrv.eacdn.com/C.ashx?btag=a_$popup -@@||adsrv.eacdn.com/wl/clk?btag=a_$popup -@@||adv.blogupp.com^$popup -@@||adv.welaika.com^$popup -@@||bet365.com^*^affiliate^$popup,domain=betbeaver.com|betwonga.com|betyper.com|sportsfavoritesodds.com -@@||casino.*^affiliate^$popup,domain=askgamblers.com|casinobonus24.se|gamble.co.uk|internetcasinot.com -@@||casino.com/cgi-bin/redir.cgi?$popup,domain=casinobonus24.se -@@||casino.com^*/landingpages/$popup,domain=casinobonus24.se -@@||cloudzilla.to^$popup,domain=putlocker.is -@@||doubleclick.net/click%$popup,domain=people.com|time.com -@@||doubleclick.net/clk;$popup,domain=3g.co.uk|4g.co.uk|hotukdeals.com|jobamatic.com|play.google.com|santander.co.uk|techrepublic.com -@@||eurogrand.com^$popup,domain=casinobonus24.se|casinosonline.co.uk|onlinecasinos.co.uk -@@||g.doubleclick.net/aclk?$popup,domain=bodas.com.mx|bodas.net|casamentos.com.br|casamentos.pt|casamiento.com.uy|casamientos.com.ar|mariages.net|matrimonio.com|matrimonio.com.co|matrimonio.com.pe|matrimonios.cl|pianobuyer.com|weddingspot.co.uk|zillow.com -@@||g.doubleclick.net/ads/preferences/$popup -@@||g.doubleclick.net/pcs/click?$popup,domain=wsj.com -@@||gsmarena.com/adclick.php?bannerid=$popup -@@||nosvideo.com^$popup,domain=putlocker.is -@@||online.europartners.com/promoRedirect?$popup -@@||online.winner.co.uk/promoRedirect?$popup -@@||pokerstars.eu^$popup,domain=gokkeninonlinecasino.nl -@@||serving-sys.com/BurstingPipe/adServer.bs?$popup,domain=jobamatic.com -@@||sharerepo.com^$popup,domain=putlocker.is -@@||sharesix.com^$popup,domain=putlocker.is -@@||streamin.to^$popup,domain=putlocker.is -@@||thefile.me^$popup,domain=putlocker.is -@@||viroll.com^$popup,domain=imagebam.com|imgbox.com -@@||vk.com/ads?$popup,domain=vk.com -@@||youtube.com/ads/preferences/$popup -! *** easylist:easylist_adult/adult_whitelist.txt *** -@@/cdn-cgi/pe/bag2?r[]=*ads.exoclick.com$xmlhttprequest,domain=hd-porn.me -@@/cdn-cgi/pe/bag2?r[]=*juicyads.com$xmlhttprequest,domain=glamourbabe.eu -@@/cdn-cgi/pe/bag2?r[]=*popads.net$xmlhttprequest,domain=hd-porn.me -@@||ad.thisav.com/player/config.xml$object-subrequest -@@||ad.thisav.com/player/jw.swf -@@||ads.fuckingmachines.com^$image,~third-party -@@||ads.ultimatesurrender.com^$image,~third-party -@@||adv.alsscan.com^$image,stylesheet,domain=alscash.com -@@||anyporn.com*/images/$image,~third-party,domain=anyporn.com -@@||as.sexad.net/as/r?d=preroll-mov-$object-subrequest,domain=youjizz.com -@@||bambergerkennanchitinous.com^$script,domain=eegay.com|teenhdporn.xyz|xmoviesforyou.com -@@||boyzshop.com/affimages/$~third-party -@@||boyzshop.com/images/affbanners/$image,~third-party -@@||burningcamel.com/ads/banner.jpg -@@||cam4.*/ads/directory/$~third-party,xmlhttprequest,domain=~gaytube.com|~pornhub.com|~redtube.com|~redtube.com.br|~tube8.com|~tube8.es|~tube8.fr|~xtube.com|~youjizz.com|~youporn.com|~youporngay.com -@@||cdn.delight-vr.com^$domain=xhamster.com -@@||cdn.trafficstars.com/sdk/v1/bi.js$domain=xhamster.com -@@||chatbro.com^$xmlhttprequest,domain=camwhores.tv -@@||chaturbate.com/affiliates/$domain=noracam.com -@@||dpmate.com/exports/tour_20/$domain=digitalplayground.com -@@||eegay.com^$generichide -@@||eskimotube.com/advertisements.php?$script -@@||fucktube.com/work/videoad.php? -@@||gaynetwork.co.uk/Images/ads/bg/$image,~third-party -@@||gelbooru.com//images/ad/$domain=gelbooru.com -@@||graphics.pop6.com/javascript/live/$script -@@||graphics.pop6.com/javascript/live_cd/$script -@@||hdzog.com/js/advertising.js -@@||hostave4.net^*/video/$object-subrequest,domain=kporno.com -@@||hostedadsp.realitykings.com/hosted/flash/rk_player_1.5_300x250.swf$object -@@||iafd.com/graphics/headshots/thumbs/th_iafd_ad.gif -@@||img.livejasmin.com^$image,domain=4mycams.com -@@||kuntfutube.com/go.php?ad= -@@||lp.longtailvideo.com^*/adttext/adttext.js$domain=yuvutu.com -@@||manhuntshop.com/affimages/$~third-party -@@||manhuntshop.com/images/affbanners/$~third-party -@@||mrstiff.com/view/textad/$xmlhttprequest -@@||myex.com/API/$xmlhttprequest -@@||nonktube.com/img/adyea.jpg -@@||panicporn.com/Bannerads/player/player_flv_multi.swf$object -@@||pop6.com/banners/$domain=horny.net|xmatch.com -@@||pornhubpremium.com/user/login_status? -@@||pornhubpremiumcdn.com^$image,domain=pornhub.com -@@||pornteengirl.com/temporaire/image.php?*/virtuagirl/$image -@@||promo.cdn.homepornbay.com/key=*.mp4$object-subrequest,domain=hiddencamsvideo.com -@@||sextoyfun.com/admin/aff_files/BannerManager/$~third-party -@@||sextoyfun.com/control/aff_banners/$~third-party -@@||skimtube.com/advertisements.php? -@@||starcelebs.com/logos/logo10.jpg -@@||store.adam4adam.com/affimages/$~third-party -@@||store.adam4adam.com/images/affbanners/$~third-party -@@||sundaysportclassifieds.co.uk/ads/$image,~third-party -@@||sundaysportclassifieds.com/ads/$image,domain=sundaysportclassifieds.co.uk -@@||thisav.com/uploaded_banners/jw.swf$domain=thisav.com -@@||tjoob.com/go.php?ad=$script,~third-party -@@||tnaflix.com/ad/$object-subrequest -@@||tools-euads.flugubluc.com/dtct.js?ads=true$domain=gaytube.com -@@||tracking.hornymatches.com/track?type=unsubscribe&enid=$subdocument,third-party -@@||traffichunt.com/adx-dir-d/checkab?$script,domain=spankwire.com -@@||ul.ehgt.org/ad/$image,domain=e-hentai.org|exhentai.org -@@||upornia.com/js/advertising.js?$script -@@||widget.plugrush.com^$subdocument,domain=amateursexy.net -@@||xhcdn.com/images/flag/AD.gif -@@||xxxporntalk.com/images/xxxpt-chrome.jpg -@@||yamvideo.com/pop1/jwplayer.js$script -@@||youjizz.com/video_templates/non-flash-video.php?id=$subdocument,domain=youjizz.com -@@||youjizz.com/videos/embed/$subdocument,domain=youjizz.com -! Pornhub network -@@||ajax.googleapis.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||algolia.net^*/indexes/$xmlhttprequest,domain=tube8.com|tube8.es|tube8.fr -@@||algolianet.com^*/indexes/$xmlhttprequest,domain=tube8.com|tube8.es|tube8.fr -@@||amazonaws.com/uploads.uservoice.com/$image,domain=pornhub.com|redtube.com|tube8.com|youporn.com -@@||api.recaptcha.net^$script -@@||apis.google.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||blog.tube8.com/wp-content/$image,script -@@||cdn-*.pornhub.com^$image,domain=pornhub.com|redtube.com|redtube.com.br -@@||cdn.jsdelivr.net/algoliasearch/3/algoliasearch.min.js$script,domain=tube8.com|tube8.es|tube8.fr -@@||cdn.jsdelivr.net/autocomplete.js/0/autocomplete.min.js$script,domain=tube8.com|tube8.es|tube8.fr -@@||cdne-st.redtubefiles.com^$script,domain=redtube.com|redtube.com.br -@@||connect.facebook.net^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||disqus.com/count.js$domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||disqus.com/embed.js$domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||disquscdn.com/count.js$domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||feedback.pornhub.com^$xmlhttprequest,domain=feedback.pornhub.com -@@||google.com/recaptcha/$image -@@||gstatic.com/recaptcha/$domain=youporn.com -@@||gstatic.com/recaptcha/$script -@@||img.pornhub.com/gif/*.gif|$image,~third-party -@@||nsimg.net^$image,domain=pornhub.com -@@||phncdn.com/*/js/likeDislike/$script -@@||phncdn.com/*/js/t8.util-min.js?$script -@@||phncdn.com//js/popUnder/exclusions-min.js -@@||phncdn.com/assets/*/js/common.js$script -@@||phncdn.com/assets/*/js/home.js$script -@@||phncdn.com/assets/*/js/user_notification.js$script -@@||phncdn.com/assets/*/js/video.js$script -@@||phncdn.com/assets/*/js/video_page.js$script -@@||phncdn.com/assets/pc/js/categories_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/contact_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/halloffap_asset_list.js$script -@@||phncdn.com/assets/pc/js/home_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/info_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/searchporntag_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/searchresult_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/signup_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/sitemap_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/tags_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/userachievements.js$script -@@||phncdn.com/assets/pc/js/usercomments.js$script -@@||phncdn.com/assets/pc/js/userfollowers.js$script -@@||phncdn.com/assets/pc/js/userfollowing.js$script -@@||phncdn.com/assets/pc/js/users.js?$script -@@||phncdn.com/assets/pc/js/uservideos_output.js$script -@@||phncdn.com/assets/pc/js/video_page_asset_list.js$script -@@||phncdn.com/assets/pc/js/videos_page_asset_list.js$script -@@||phncdn.com/assets_dev/js/algolia/algolia_search_result*.js$script,domain=tube8.com -@@||phncdn.com/cb/assets/$script -@@||phncdn.com/cb/bundles/$script -@@||phncdn.com/head/$script -@@||phncdn.com/highcharts-$script -@@||phncdn.com/html5player/$script -@@||phncdn.com/html5player/videoPlayer/$object,object-subrequest,domain=pornhub.com|redtube.com|youporn.com -@@||phncdn.com/html5shiv-$script -@@||phncdn.com/jquery-$script -@@||phncdn.com/jquery/$script -@@||phncdn.com/js/*_disclaimer/*_disclaimer-min.js?$script -@@||phncdn.com/js/*_disclaimer/*_disclaimer_controller-min.js?$script -@@||phncdn.com/js/achievement-$script -@@||phncdn.com/js/ad_form_header/ad_form_header-min.js?$script -@@||phncdn.com/js/avatar_$script -@@||phncdn.com/js/badgeSelector/$script -@@||phncdn.com/js/browser-$script -@@||phncdn.com/js/carousellite.$script -@@||phncdn.com/js/categorylist_setUp-min.js?$script -@@||phncdn.com/js/comments/$script -@@||phncdn.com/js/common_jq-min.js$script -@@||phncdn.com/js/cover_tutorial/$script -@@||phncdn.com/js/deleteComment/$script -@@||phncdn.com/js/deleteVideo/$script -@@||phncdn.com/js/editUserDropDown/$script -@@||phncdn.com/js/et.ready.$script -@@||phncdn.com/js/fav_like_user_feed/$script -@@||phncdn.com/js/filters_menu/$script -@@||phncdn.com/js/flipbook/$script -@@||phncdn.com/js/follow_button/$script -@@||phncdn.com/js/general-min.js$script -@@||phncdn.com/js/general_tablet-min.js$script -@@||phncdn.com/js/home_setUp-min.js$script -@@||phncdn.com/js/home_setUp_tablet-min.js$script -@@||phncdn.com/js/html5player.js?$script -@@||phncdn.com/js/infinite.$script -@@||phncdn.com/js/ipad/$script -@@||phncdn.com/js/is_online/$script -@@||phncdn.com/js/jqbrowser-compressed.js$script -@@||phncdn.com/js/jquery.$script -@@||phncdn.com/js/karmaInfo/$script -@@||phncdn.com/js/language_$script -@@||phncdn.com/js/levelUp/$script -@@||phncdn.com/js/libs/ProfileCommentsAction-min.js$script -@@||phncdn.com/js/login_form/$script -@@||phncdn.com/js/m_tubes/MG_autocomplete.js$script -@@||phncdn.com/js/menu_setUp_tablet-min.js$script -@@||phncdn.com/js/mg_modal/$script -@@||phncdn.com/js/needLogin/$script -@@||phncdn.com/js/nextBtn/$script -@@||phncdn.com/js/ourfriends-min.js$script -@@||phncdn.com/js/popUnder/exclusions-min.js$script -@@||phncdn.com/js/relatedVideos/$script -@@||phncdn.com/js/report_video_form/$script -@@||phncdn.com/js/search_setUp-min.js$script -@@||phncdn.com/js/search_widget.js$script -@@||phncdn.com/js/searchbar/$script -@@||phncdn.com/js/searchbar_show/$script -@@||phncdn.com/js/segment_changer/$script -@@||phncdn.com/js/share_video_block/$script -@@||phncdn.com/js/showMenu/$script -@@||phncdn.com/js/signin-min.js$script -@@||phncdn.com/js/site-main.$script -@@||phncdn.com/js/tagStar/$script -@@||phncdn.com/js/translator-min.js$script -@@||phncdn.com/js/translator/$script -@@||phncdn.com/js/translatorWatchPageController-min.js$script -@@||phncdn.com/js/underPlayer/$script -@@||phncdn.com/js/uploaded_video_thumbnail_select/$script -@@||phncdn.com/js/user_comments/$script -@@||phncdn.com/js/user_dashboard/$script -@@||phncdn.com/js/user_favorites/$script -@@||phncdn.com/js/user_post_comment_form/$script -@@||phncdn.com/js/userAchievements_setUp-min.js?$script -@@||phncdn.com/js/userComments-min.js$script -@@||phncdn.com/js/userComments_setUp-min.js?$script -@@||phncdn.com/js/userDashboard_setUp-min.js?$script -@@||phncdn.com/js/userFavorites-$script -@@||phncdn.com/js/userFavorites_setUp-min.js?$script -@@||phncdn.com/js/userFollowers_setUp-min.js?$script -@@||phncdn.com/js/userFollowing_setUp-min.js?$script -@@||phncdn.com/js/userInc-min.js$script -@@||phncdn.com/js/userMiniProfile/$script -@@||phncdn.com/js/userSettings_setUp-min.js?$script -@@||phncdn.com/js/userVideos_setUp-min.js?$script -@@||phncdn.com/js/utils/mg-utils-min.js$script -@@||phncdn.com/js/video_favorite/$script -@@||phncdn.com/js/video_setUp-min.js$script -@@||phncdn.com/js/video_setUp_tablet-min.js$script -@@||phncdn.com/js/videoDetection.js?$script -@@||phncdn.com/js/videoPlayer/$script -@@||phncdn.com/js/videos_setUp-min.js?$script -@@||phncdn.com/js/votingSystem/$script -@@||phncdn.com/js/xp_bubble/$script -@@||phncdn.com/mg_utils-$script -@@||phncdn.com/modernizr-$script -@@||phncdn.com/networkbar-$script -@@||phncdn.com/pagespeed.js$script -@@||phncdn.com/swfobject-$script -@@||phncdn.com/timings-$script -@@||phncdn.com/tubes-$script -@@||phncdn.com/tubes.infopages-$script -@@||phncdn.com/underscore-$script -@@||phncdn.com/videos/$media,object,object-subrequest,other,domain=pornhub.com|redtube.com|tube8.com|youporn.com|youporngay.com -@@||phncdn.com/vortex-simple-*.js|$script -@@||phncdn.com/vortex.modern-*.js$script -@@||phncdn.com/www-static/*/autocomplete.$script -@@||phncdn.com/www-static/*/gif-view-functions.js$script -@@||phncdn.com/www-static/*/gif-view.js$script -@@||phncdn.com/www-static/*/jquery.$script -@@||phncdn.com/www-static/js/album-display-public.js?$script -@@||phncdn.com/www-static/js/amateur/dropdown.js?$script -@@||phncdn.com/www-static/js/autocomplete-search.js$script -@@||phncdn.com/www-static/js/channel-main.js?$script -@@||phncdn.com/www-static/js/comments.js?$script -@@||phncdn.com/www-static/js/create-account.js?$script -@@||phncdn.com/www-static/js/create-phlive-account.js$script -@@||phncdn.com/www-static/js/detect.browser.js?$script -@@||phncdn.com/www-static/js/dropdown.js$script -@@||phncdn.com/www-static/js/footer.js$script -@@||phncdn.com/www-static/js/front-index.js?$script -@@||phncdn.com/www-static/js/front-information.js?$script -@@||phncdn.com/www-static/js/front-login.js$script -@@||phncdn.com/www-static/js/gif-$script -@@||phncdn.com/www-static/js/header-menu.js?$script -@@||phncdn.com/www-static/js/header-nojquery.js?$script -@@||phncdn.com/www-static/js/header.js$script -@@||phncdn.com/www-static/js/html5Player/$script -@@||phncdn.com/www-static/js/htmlPauseRoll/$script -@@||phncdn.com/www-static/js/lib/$script -@@||phncdn.com/www-static/js/manage-constructors.js$script -@@||phncdn.com/www-static/js/member-search.js?$script -@@||phncdn.com/www-static/js/messages.js?$script -@@||phncdn.com/www-static/js/mg-modal.js$script -@@||phncdn.com/www-static/js/mg-utils.js$script -@@||phncdn.com/www-static/js/mg_flipbook-$script -@@||phncdn.com/www-static/js/mg_modal-$script -@@||phncdn.com/www-static/js/mg_utils-$script -@@||phncdn.com/www-static/js/notified-modal.js?$script -@@||phncdn.com/www-static/js/ph-footer.js$script -@@||phncdn.com/www-static/js/ph-networkbar.js$script -@@||phncdn.com/www-static/js/phub-nojquery.js$script -@@||phncdn.com/www-static/js/phub.$script -@@||phncdn.com/www-static/js/playlist-show.js$script -@@||phncdn.com/www-static/js/playlist/$script -@@||phncdn.com/www-static/js/pornstars-comment.js?$script -@@||phncdn.com/www-static/js/pornstars-photo.js?$script -@@||phncdn.com/www-static/js/pornstars-profile.js?$script -@@||phncdn.com/www-static/js/pornstars-upload.js?$script -@@||phncdn.com/www-static/js/pornstars-video.js?$script -@@||phncdn.com/www-static/js/pornstars.js?$script -@@||phncdn.com/www-static/js/premium/$script -@@||phncdn.com/www-static/js/profile/$script -@@||phncdn.com/www-static/js/promo-banner.js$script -@@||phncdn.com/www-static/js/quality-$script -@@||phncdn.com/www-static/js/recommended.js$script -@@||phncdn.com/www-static/js/sceditor/sceditor.bbcode.js?$script -@@||phncdn.com/www-static/js/show_image.js?$script -@@||phncdn.com/www-static/js/signin.js$script -@@||phncdn.com/www-static/js/sitemap.js?$script -@@||phncdn.com/www-static/js/stream-community.js?$script -@@||phncdn.com/www-static/js/stream-notifications.js?$script -@@||phncdn.com/www-static/js/stream-subscriptions.js?$script -@@||phncdn.com/www-static/js/stream.js?$script -@@||phncdn.com/www-static/js/streamate-view.js$script -@@||phncdn.com/www-static/js/streamate.js$script -@@||phncdn.com/www-static/js/suggest-$script -@@||phncdn.com/www-static/js/support-content.js?$script -@@||phncdn.com/www-static/js/support.js?$script -@@||phncdn.com/www-static/js/tag-$script -@@||phncdn.com/www-static/js/user-edit.js?$script -@@||phncdn.com/www-static/js/user-friend-requests.js?$script -@@||phncdn.com/www-static/js/user-prefs.js$script -@@||phncdn.com/www-static/js/user-share-item.js?$script -@@||phncdn.com/www-static/js/user-start.js?$script -@@||phncdn.com/www-static/js/user-stream-overview.js?$script -@@||phncdn.com/www-static/js/user-video-show.js?$script -@@||phncdn.com/www-static/js/verfication.js?$script -@@||phncdn.com/www-static/js/video-$script -@@||phncdn.com/www-static/js/vmobile/album.js$script -@@||phncdn.com/www-static/js/vmobile/application.js$script -@@||phncdn.com/www-static/js/vmobile/autocomplete-$script -@@||phncdn.com/www-static/js/vmobile/comments.js$script -@@||phncdn.com/www-static/js/vmobile/feed-comments.js$script -@@||phncdn.com/www-static/js/vmobile/footer.js$script -@@||phncdn.com/www-static/js/vmobile/head.js$script -@@||phncdn.com/www-static/js/vmobile/html5-canvas.js$script -@@||phncdn.com/www-static/js/vmobile/login.js$script -@@||phncdn.com/www-static/js/vmobile/notifications.js$script -@@||phncdn.com/www-static/js/vmobile/photo.js$script -@@||phncdn.com/www-static/js/vmobile/phub.js$script -@@||phncdn.com/www-static/js/vmobile/preHeadJs.$script -@@||phncdn.com/www-static/js/vmobile/profile.js$script -@@||phncdn.com/www-static/js/vmobile/show.js$script -@@||phncdn.com/www-static/js/vmobile/stream-$script -@@||phncdn.com/www-static/js/vmobile/stream.js$script -@@||phncdn.com/www-static/js/vmobile/utils.js$script -@@||phncdn.com/www-static/js/vmobile/video-search.js$script -@@||phncdn.com/www-static/js/vmobile/widget-$script -@@||phncdn.com/www-static/js/vr/lib/gl-matrix.js?$script -@@||phncdn.com/www-static/js/vr/normotion.js?$script -@@||phncdn.com/www-static/js/vr/vrplayer-noMin.js?$script -@@||phncdn.com/www-static/js/vr/vrplayer.js?$script -@@||phncdn.com/www-static/js/vtablet/$script -@@||phncdn.com/www-static/js/widgets-album-upper-info.js$script -@@||phncdn.com/www-static/js/widgets-category_listings.js$script -@@||phncdn.com/www-static/js/widgets-comments-simple.js$script -@@||phncdn.com/www-static/js/widgets-comments.js$script -@@||phncdn.com/www-static/js/widgets-community-info.js$script -@@||phncdn.com/www-static/js/widgets-leave-page.js$script -@@||phncdn.com/www-static/js/widgets-live-popup.js$script -@@||phncdn.com/www-static/js/widgets-player.js$script -@@||phncdn.com/www-static/js/widgets-pornstar.js$script -@@||phncdn.com/www-static/js/widgets-rating-bar.js$script -@@||phncdn.com/www-static/js/widgets-rating-like-fav.js$script -@@||phncdn.com/www-static/js/widgets-share-image.js$script -@@||phncdn.com/zeroclipboard-$script -@@||phncdn.com^$image,media,object-subrequest,other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||phncdn.com^*/html5Uploader/$script -@@||phncdn.com^*/streamate/client.js|$script -@@||phncdn.com^*/userfavorites.js$script -@@||phncdn.com^*/xp_bubble-$script -@@||phncdn.com^*/xp_bubble_$script -@@||platform.tumblr.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||platform.twitter.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||pornhub.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||pornhub.com/album/$xmlhttprequest -@@||pornhub.com/album_upload$xmlhttprequest -@@||pornhub.com/channel/$xmlhttprequest -@@||pornhub.com/chat/$xmlhttprequest -@@||pornhub.com/comment/$xmlhttprequest -@@||pornhub.com/front/$xmlhttprequest -@@||pornhub.com/gif/$xmlhttprequest -@@||pornhub.com/insights/$image,xmlhttprequest -@@||pornhub.com/live/$xmlhttprequest -@@||pornhub.com/oauth2/authorize?$popup -@@||pornhub.com/playlist/$xmlhttprequest,domain=pornhub.com -@@||pornhub.com/playlist_json/$xmlhttprequest -@@||pornhub.com/pornstar/$xmlhttprequest -@@||pornhub.com/pornstars/$xmlhttprequest -@@||pornhub.com/premium/$xmlhttprequest -@@||pornhub.com/sex/wp-content/uploads/$image,domain=pornhub.com -@@||pornhub.com/stream/$xmlhttprequest -@@||pornhub.com/svvt/add?$xmlhttprequest -@@||pornhub.com/upload/$xmlhttprequest -@@||pornhub.com/uploading/$xmlhttprequest -@@||pornhub.com/user/$xmlhttprequest -@@||pornhub.com/users/$xmlhttprequest -@@||pornhub.com/video/$xmlhttprequest -@@||pornhub.com/videos/$media,object,object-subrequest,other -@@||pornhub.com/videouploading3/$xmlhttprequest -@@||pornhub.com/www-static/flash/gate.swf$object,object-subrequest,other -@@||pornhub.com/www-static/images/$image -@@||pornhub.com^*/emoticons/$image -@@||pornhubcommunity.com/cdn_files/images/$image -@@||pornhublive.com/blacklabel/bl.client.min.js|$script -@@||pornmd.com/resources/js/search_widget.js$script -@@||rdtcdn.com^$image,media,other,domain=redtube.com|redtube.com.br -@@||rdtcdn.com^*/add-collection.js?$script -@@||rdtcdn.com^*/autocomplete.js?$script -@@||rdtcdn.com^*/community.js?$script -@@||rdtcdn.com^*/fileupload/$script -@@||rdtcdn.com^*/friends.js?$script -@@||rdtcdn.com^*/gallery.js?$script -@@||rdtcdn.com^*/home_page/home_page-$script -@@||rdtcdn.com^*/jquery/$script -@@||rdtcdn.com^*/js_assets/$script -@@||rdtcdn.com^*/lib.js?$script -@@||rdtcdn.com^*/lightbox-slideshow.js?$script -@@||rdtcdn.com^*/quality-selector-mobile.js?$script -@@||rdtcdn.com^*/redtube.js?$script -@@||rdtcdn.com^*/respond.js?$script -@@||rdtcdn.com^*/settings.js?$script -@@||rdtcdn.com^*/showLogin.js?$script -@@||rdtcdn.com^*/thumbchange.js?$script -@@||rdtcdn.com^*/uploadgallery.js?$script -@@||rdtcdn.com^*/video.js?$script -@@||redtube.com.br/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||redtube.com.br/images/$image,domain=redtube.com.br -@@||redtube.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||redtube.com/_thumbs/$image -@@||redtube.com/account_auto_complete?$xmlhttprequest -@@||redtube.com/addfavorite/$xmlhttprequest -@@||redtube.com/addfriend/$xmlhttprequest -@@||redtube.com/advancedsearch$xmlhttprequest -@@||redtube.com/ajax_register$xmlhttprequest -@@||redtube.com/bid/$subdocument -@@||redtube.com/blockuser/$xmlhttprequest -@@||redtube.com/comments/$xmlhttprequest -@@||redtube.com/embed/$xmlhttprequest -@@||redtube.com/gallery/$xmlhttprequest -@@||redtube.com/htmllogin?$subdocument -@@||redtube.com/htmllogin| -@@||redtube.com/images/$image,domain=redtube.com|redtube.com.br -@@||redtube.com/js/autocomplete.js?$script -@@||redtube.com/js/community.js?$script -@@||redtube.com/js/jquery/$script,xmlhttprequest -@@||redtube.com/js/lib.js?$script -@@||redtube.com/js/redtube.js?$script -@@||redtube.com/language-star-suggestion/$xmlhttprequest -@@||redtube.com/logout$xmlhttprequest -@@||redtube.com/media/avatars/$image -@@||redtube.com/message/$xmlhttprequest -@@||redtube.com/notificationcontractors|$xmlhttprequest -@@||redtube.com/notifications/$xmlhttprequest -@@||redtube.com/panel/$xmlhttprequest -@@||redtube.com/profile/$subdocument -@@||redtube.com/rate$xmlhttprequest -@@||redtube.com/recommended/$xmlhttprequest -@@||redtube.com/register$xmlhttprequest -@@||redtube.com/relatedvideos/$xmlhttprequest -@@||redtube.com/searchsuggest?$xmlhttprequest -@@||redtube.com/settings/$xmlhttprequest -@@||redtube.com/starsuggestion/$xmlhttprequest -@@||redtube.com/subscribe/$xmlhttprequest -@@||redtube.com/tags-stars$xmlhttprequest -@@||redtube.com/upload/$xmlhttprequest -@@||redtube.com/videodetails/$xmlhttprequest -@@||redtube.com/videoview/$xmlhttprequest -@@||redtube.com/watched/$xmlhttprequest -@@||redtube.com^*/media/videos/$image -@@||redtubefiles.com^$image,media,object-subrequest,other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||rncdn3.com^$media,object-subrequest,other,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||s7.addthis.com^$script,domain=pornhub.com|redtube.com|redtube.com.br|tube8.com|tube8.es|tube8.fr|youporn.com|youporngay.com -@@||services.pornhub.com^$~third-party,xmlhttprequest -@@||t8cdn.com^$image,media,domain=tube8.com|tube8.es|tube8.fr -@@||t8cdn.com^*/html5Uploader/$script,domain=tube8.com|tube8.es|tube8.fr -@@||thumbs-cdn.redtube.com^$image,domain=redtube.com|redtube.com.br -@@||tube8.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||tube8.com/ajax-$xmlhttprequest -@@||tube8.com/ajax/$xmlhttprequest -@@||tube8.com/ajax2/$xmlhttprequest -@@||tube8.com/embed/$subdocument,~third-party -@@||tube8.com/favicon.ico -@@||tube8.com/images/$image -@@||tube8.com/videoplayer/$xmlhttprequest,domain=tube8.com -@@||tube8.es/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||tube8.fr/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||upload.pornhub.com/temp/images/$image,~third-party -@@||upload.tube8.com^$script,xmlhttprequest -@@||uvcdn.com^$image,script,domain=pornhub.com|redtube.com|tube8.com|youporn.com -@@||widget.uservoice.com^$script,domain=pornhub.com|redtube.com|tube8.com|youporn.com -@@||youporn.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||youporn.com/ajax/$xmlhttprequest -@@||youporn.com/bundles/$image,~third-party -@@||youporn.com/change/$xmlhttprequest -@@||youporn.com/esi_home/$xmlhttprequest -@@||youporn.com/mycollections.json$xmlhttprequest -@@||youporn.com/notifications/$xmlhttprequest -@@||youporn.com/search/autocomplete/$xmlhttprequest -@@||youporn.com/searchapi/$xmlhttprequest -@@||youporn.com/subscriptions/$xmlhttprequest -@@||youporn.com/watch/$xmlhttprequest -@@||youporn.com/watch_postroll/$xmlhttprequest -@@||youporngay.com/_Incapsula_Resource?$image,subdocument,xmlhttprequest -@@||youporngay.com/bundles/$image,~third-party -@@||youporngay.com/elements/$xmlhttprequest -@@||youporngay.com/search/autocomplete/$xmlhttprequest -@@||ypncdn.com/cb/assets/js/$script,domain=youporn.com|youporngay.com|youpornru.com -@@||ypncdn.com^$image,media,other,domain=youporn.com|youporngay.com|youpornru.com -! Anti-Adblock -@@.jpg#$domain=hellojav.com|hentaienespañol.net|palaotog.net -@@.png#$domain=indiangilma.com|javcen.me|javpub.me|lfporn.com|pornbraze.com|thisav.com|you-fap.com|youfreeporntube.com|youngmodelsclub.net -@@||209.58.131.22^*/advertisement.js -@@||25643e662a2.com/ad*.js -@@||ad.thisav.com/player/swfobject.js -@@||ad8k.com^$script,domain=urlgalleries.net|xxxstreams.eu -@@||ads.exoclick.com^$script,domain=8muses.com|imagefap.com -@@||adultadworld.com/adhandler/$subdocument -@@||bemywife.cc^$script,~third-party,domain=bemywife.cc -@@||cntrafficpro.com/scripts/advertisement.js -@@||crazyshit.com^$generichide -@@||desihoes.com/advertisement.js -@@||drtst.com^*/ads.js$script -@@||drtuber.com^$generichide -@@||easylist.club/adconfig.js$script -@@||easylist.club/popunder2.js$script -@@||ero-advertising.com/banads/$subdocument,domain=palimas.com -@@||exoclick.com/ad_track.js -@@||exoclick.com/invideo.js -@@||exoclick.com/splash.php$script,domain=gaybeeg.info -@@||freeomovie.com^$generichide -@@||fuckme.me^$generichide -@@||fuqer.com^*/advertisement.js -@@||fux.com/assets/ads-$script -@@||gaybeeg.info/wp-content/plugins/blockalyzer-adblock-counter/$image,domain=gaybeeg.info -@@||gaybeeg.info^$generichide -@@||google.com/ads/$domain=hinduladies.com -@@||hclips.com/js/advertising.js -@@||hellojav.com^$generichide -@@||hentaienespañol.net^$generichide -@@||hentaimoe.com/js/advertisement.js -@@||imagefap.com^$generichide -@@||imgadult.com/js/advertisement.js -@@||indiangilma.com^$generichide -@@||jadult.net^$generichide -@@||jamo.tv^$script,domain=jamo.tv -@@||jav4.me^$script,domain=jav4.me -@@||javcen.me^$generichide -@@||javfee.com^$script,domain=javfee.com -@@||javfor.me/ads-1.html$subdocument,domain=jav4.me -@@||javhub.net^$generichide -@@||javhub.net^$script,~third-party -@@||javpee.com/eroex.js -@@||javpub.me^$generichide -@@||jkhentai.tv^$script,domain=jkhentai.tv -@@||jporn4u.com/js/ads.js -@@||juicyads.com/jac.js$domain=jav4.me -@@||lfporn.com^$generichide -@@||milfzr.com^$generichide -@@||mongoporn.com^*/adframe/$subdocument -@@||n4mo.org/advertisement.js -@@||n4mo.org/wp-content/*/ads/ -@@||n4mo.org^$generichide -@@||noracam.com/js/ads.js -@@||notonlyporn.net^$script,~third-party -@@||ooporn.com/ads.js -@@||palimas.com^$generichide -@@||phncdn.com/js/advertisement.js -@@||phncdn.com/v2/js/adblockdetect.js$domain=keezmovies.com -@@||phncdn.com^*/ads.js -@@||popads.net/pop.js$domain=jav4.me -@@||pornbraze.com^$generichide -@@||porndoo.com/showads.js -@@||pornfun.com/js/ads.js -@@||pornomovies.com/js/1/ads-1.js$domain=submityourflicks.com -@@||pornscum.com^$generichide -@@||pornve.com^$generichide -@@||pornve.com^$script -@@||pornxs.com/js/ads/ads.js$script -@@||puhtml.com^*.js$domain=jav4.me -@@||rule34hentai.net^$generichide -@@||sexix.net/adframe.js -@@||sexvidx.tv/js/eroex.js -@@||sexwebvideo.com/js/ads.js -@@||submityourflicks.com/player/player-ads.swf$object -@@||syndication.exoclick.com/ads.php?type=728x90&$script,domain=dirtstyle.tv -@@||t8cdn.com/assets/pc/js/$script,domain=tube8.com|tube8.es|tube8.fr -@@||t8cdn.com/assets_dev/js/algolia/$script,domain=tube8.com|tube8.es|tube8.fr -@@||tmoncdn.com/scripts/advertisement.js$domain=tubemonsoon.com -@@||trafficshop.com/show.php$script,domain=palimas.com -@@||trafficshop.com/show_std_auction.php$script,domain=palimas.com -@@||tube8.com/js/advertisement.js -@@||urlgalleries.net^$generichide -@@||voyeurperversion.com/inc/showads.js -@@||watchingmysistergoblack.com/pop.js -@@||x18.eu/ads/$~third-party,xmlhttprequest -@@||xhcdn.com^*/ads.js$domain=xhamster.com -@@||xibitnet.com/check/advertisement.js -@@||xibitnet.com/check/advertisements.js -@@||xonline.tv^$generichide -@@||xxxstreams.eu^$generichide -@@||youfreeporntube.com^$generichide -@@||youngmodelsclub.net^$generichide -! Non-English -@@||ads.b10f.jp/flv/$~third-party -! *** easylist:easylist_adult/adult_whitelist_popup.txt *** -@@&utm_medium=traffic_trade&utm_campaign=pornhub_trade_search_box$popup,domain=pornhub.com -@@||as.sexad.net^*?p=*&v=$popup,domain=extremetube.com|keezmovies.com|pornhub.com|redtube.com|spankwire.com|tube8.com|tube8.es|tube8.fr -@@||blogger.com^$popup,domain=pornhub.com -@@||contentabc.com/ads?spot_id=$popup,domain=tube8.com|tube8.es|tube8.fr -@@||download.pornhub.phncdn.com/videos/$popup,domain=pornhub.com -@@||extremetubefreehd.com^*.Extreme_HeaderTab&$popup,domain=extremetube.com -@@||extremetubemate.com/?AFNO=$popup,domain=extremetube.com -@@||imagebam.com/image/$popup -@@||pornhublive.com/?AFNO=$popup,domain=pornhub.com -@@||reddit.com^$popup,domain=pornhub.com -@@||redtubelive.com/?AFNO=$popup,domain=redtube.com -@@||redtubeplatinum.com/signup/signup.php$popup,domain=redtube.com -@@||redtubeplatinum.com/track/*/join?$popup,domain=redtube.com -@@||rncdn3.com/videos/$popup,domain=pornhub.com -@@||securejoinsite.com/loader.php?*_HeaderTab&$popup,domain=extremetube.com|spankwire.com -@@||spankwirecams.com/?AFNO=$popup,domain=spankwire.com -@@||spankwirefreehd.com^*.Spankwire_HeaderTab&$popup,domain=spankwire.com -@@||stumbleupon.com^$popup,domain=pornhub.com -@@||supportchat.contentabc.com^$popup,domain=brazzerssupport.com -@@||t8premium.com/signup/signup.php?$popup,domain=tube8.com|tube8.es|tube8.fr -@@||t8premium.com/track/*/join?$popup,domain=tube8.com|tube8.es|tube8.fr -@@||tube8live.com/?AFNO=$popup,domain=tube8.com|tube8.es|tube8.fr -@@||tumblr.com^$popup,domain=pornhub.com -@@||twitter.com^$popup,domain=pornhub.com -@@||wmtrafficentry.com/cgi-bin/ewm.cgi/*_HeaderTab?$popup,domain=extremetube.com|spankwire.com -! Checksum: wmJ2MEcesk03GaPPKpn6Hw diff --git a/data/test/easyprivacy.txt b/data/test/easyprivacy.txt deleted file mode 100644 index 1912fab4..00000000 --- a/data/test/easyprivacy.txt +++ /dev/null @@ -1,13088 +0,0 @@ -[Adblock Plus 1.1] -! Version: 201706152059 -! Title: EasyPrivacy -! Last modified: 15 Jun 2017 20:59 UTC -! Expires: 4 days (update frequency) -! Homepage: https://easylist.to/ -! Licence: https://easylist.to/pages/licence.html -! -! Please report any unblocked tracking or problems -! in the forums (https://forums.lanik.us/) -! or via e-mail (easylist.subscription@gmail.com). -! -! -----------------General tracking systems-----------------! -! *** easylist:easyprivacy/easyprivacy_general.txt *** -&ctxId=*&pubId=*&objId= -&http_referer=$script -&pageReferrer= -&ref=*&tag= -&refererPageDetail= -&trackingserver= --AdTracking. --analitycs/fab. --analitycs/ga. --analitycs/metrica. --analytics-tagserver- --analytics/insight. --asset-tag. --audience-science-pixel/ --baynote. --bluekai. --boomerang_ --ClickTale. --comscore. --criteo. --event-tracking. --ga-track. --gatracker. --geoIP.js --google-analytics. --google-analytics/ --google-tag-manager/$script --logging/log? --mediaplex_ --optimost- --page-analytics. --rttracking. --sa-tracker- --scroll-tracker.js --seo-tracker. --social-tracking. --stat/collect/ --stats/fab. --stats/ga. --stats/imr. --stats/metrica. --tracking-pixel. --tracking.gtm. --tracking.js? --trackingScript. --xtcore.js -.AdmPixelsCacheController? -.analytics.min. -.asis?Log= -.at/t.gif? -.au/1x1.gif? -.au/c.gif? -.au/t.ashx? -.au/t.gif? -.be/uts/ -.beacon.min.js -.cc/s.gif? -.cn/1.gif? -.cn/2.gif? -.cn/a.gif? -.cn/b.gif? -.cn/gs.gif? -.cn/r.gif? -.cn/s.gif? -.cn/xy.gif? -.cn/z.gif? -.co/e.gif? -.com.au/HG?hc= -.com.com/redir?timestamp -.com/0.gif? -.com/1.gif? -.com/1x1.gif? -.com/2.gif? -.com/3.gif? -.com/?epl=$image,script -.com/?livehit -.com/_.gif? -.com/__kl.gif? -.com/a.gif? -.com/analytics.js?_t=$script,third-party -.com/analytics? -.com/b.gif? -.com/blank.aspx? -.com/c.gif? -.com/cm?ci= -.com/cm?tid -.com/counter? -.com/dc.gif? -.com/e.gif? -.com/f.gif? -.com/g.gif? -.com/ga-*.js -.com/ga.js; -.com/ga.js? -.com/geo_ip -.com/HG? -.com/hitlog? -.com/i.gif? -.com/js/ga-*.js -.com/js/ga.js -.com/log/? -.com/log?event -.com/log?srvc -.com/log?type -.com/mm.gif? -.com/o.gif? -.com/p.gif? -.com/pagelogger/ -.com/pv.gif? -.com/pvlog? -.com/px.js? -.com/r.gif? -.com/s.gif? -.com/s/at?site -.com/ss/*sessionId= -.com/stats.ashx? -.com/stats.aspx? -.com/t.gif? -.com/tp.php? -.com/track?$~object -.com/tracker.jsp -.com/tracking? -.com/traffic/?t=*&cb= -.com/u.gif? -.com/v.gif? -.com/vanity/? -.com/vtrack| -.com/w.gif? -.com/www.gif? -.com/x.gif? -.com/x0.gif? -.com/z.gif? -.core.tracking-min- -.de/e.gif? -.de/h.gif? -.de/l.gif? -.de/o.gif? -.do_tracking& -.eloqua.js -.emsecure.min.js -.EventTracking. -.EventTrackingPlugins. -.fr/z.gif? -.gatracker. -.gatracking.js -.gif?ad= -.gif?Log=$~xmlhttprequest -.gif?pixels= -.googleanalytics.js -.GoogleAnalytics/ -.gov/stat? -.html?wpl= -.idge/js/analytics/ -.in/c.gif? -.io/0.gif? -.io/track? -.io/w.gif? -.it/s.gif? -.jsp/?Log= -.lms-analytics/ -.me/geoip/ -.net/0.gif? -.net/1x1.gif? -.net/1x1.png? -.net/c.gif? -.net/e.gif? -.net/HG?hc=&hb= -.net/i.gif? -.net/l.gif? -.net/p.gif? -.net/ping.php? -.net/px.js? -.net/s.gif? -.net/t.gif? -.net/tp.gif? -.net/trck/ -.net/vtrack| -.net/z.gif? -.ntpagetag. -.nz/t.gif? -.org/?js| -.org/js/ga- -.ovh/presbyters.js -.PageHitServlet? -.pageVisitCounter_ -.php?action_name= -.php?logRefer= -.php?logType= -.php?p=stats& -.php?ping= -.php?refcode= -.php?tracking= -.PixelNedstatStatistic/ -.pt/n.gif? -.pt/t.gif? -.ru/0.gif? -.sg/t.gif? -.sharecounter.$third-party -.sitecatalyst.js -.siteclarity. -.sitetracking. -.skimlinks.js -.social_tracking. -.stats?action= -.to/vtrack| -.track_Visit? -.trackArticleAction& -.tracking.js?dpv= -.trackUserAction& -.tv/log?event -.tv/t.png? -.uk/o.gif? -.uk/t.gif? -.uk/track? -.uk/traffic/? -.usertracking_script.js -.vn/0.gif? -.vsTracking. -.webmetrics.js -.webstats. -/!crd_prm!. -//feedproxy.*/~r/*$image -/0.png?ver= -/0pixel.php? -/1px.php? -/1x1.gif?browser -/1x1.gif?tracking -/1x1.gif?utm -/1x1_akamai.gif -/1x1_imp.gif? -/1x1p.gif? -/1x1tracker. -/2x2.gif?$image -/3rd-party-stats/* -/?&pid=*&subid=$image -/?&subid=*&pid=$image -/?com=visit*=record& -/?dm=*&blogid=$script -/?essb_counter_ -/?livehit= -/?mob.ct= -/?record&key= -/__ssobj/core.js -/__ssobj/sync?$image -/__sttm.gif? -/__tm3k.gif? -/__ub.gif? -/__utm.gif -/__utm.js -/__varnish_geoip -/__wsm.gif -/_dts.gif? -/_lib/ga.js -/_owa.gif? -/_t.gif?url= -/_topic_stats? -/_tracking/* -/A-LogAnalyzer/* -/a.gif?uuid -/a.logrequest.yolx? -/a.php?ref= -/aa.php?anuid= -/ablank.gif? -/abp-analytics. -/aby.gif? -/ac.fcgi? -/acbeacon2. -/accAnal.js -/AccessCounter/* -/accesstracking/* -/AccessTrackingLogServlet? -/acclog.cgi? -/ace.*/?cookie -/acecounter/* -/acecounter_ -/acfp.js -/acounter.php? -/act_pagetrack. -/activetrackphp.php? -/activity-track/? -/activity.gif? -/ad_1_trans. -/ad_imp. -/adam.js -/adb/track.php? -/adb_iub.js -/AdCount/* -/add_page_view? -/add_stats -/additional.php?res_width=$script -/addLinker.js -/addLinkerEvents-ga. -/addLinkerEvents-std. -/addLinkerEvents.js -/addlog/? -/addlogdetails. -/addpageview/* -/addrtlog/* -/adds/counter.js -/addTrackingScripts. -/adimp? -/adimppixel/* -/adinfo? -/adinteraction/* -/adlog. -/adlogger. -/adlogger_ -/adloggertracker. -/adm_tracking.js -/admantx- -/admantx. -/admantx/* -/admonitoring. -/admp- -/AdobeCustomVideoMeasurement.swf -/adonis_event/* -/adpixel. -/adplogger/* -/adrum- -/adrum. -/ads/counter. -/ads/track/* -/ads?cookie_ -/ads_tracker. -/ads_tracking. -/adsct? -/adstat. -/adstats. -/adstrack. -/adtctr. -/adtrk/* -/adv/tracking. -/adviewtrack. -/advstats/* -/adwords-conversion-tracking. -/adwords-tracker. -/adx_remote. -/aegis_tracking. -/aff_i?offer_id= -/aff_land?referrer -/affil/tracker/* -/affiliate-track. -/affiliate-tracker. -/affiliate.1800flowers. -/affiliate/track? -/AffiliateClick. -/affiliateTracking. -/affiliatetracking/* -/affilinetRetargeting. -/AffinoAudit/* -/affl.cgi? -/affs?affid=$script -/afftrack. -/afftracking. -/aflog.gif? -/afrpt.gif? -/aftrack. -/aftrackingplugin.swf -/aggbug.aspx? -/agof/iam- -/aimp.php? -/ajax-hits-counter/* -/ajax/analytics/* -/ajax/heatmap- -/ajax/log? -/ajax/optimizely- -/ajax/stat/* -/ajax/track.php? -/ajax_store_analytics? -/ajax_video_counter.php? -/ajaxClicktrack. -/ajaxlog.txt? -/ajaxlog? -/ajaxservice.svc/registersession?session_id= -/ajaxstat/* -/ajaxtracker. -/ajx/ptrack/* -/akamai/pixy.gif -/akamai_analytics_ -/AkamaiAnalytics. -/AkamaiTrackingPixel. -/alllinksclicktracker.js -/alog.min.js -/alvenda_remarketing_ -/amazon-affiliate- -/amdhfp/a.do?param$image -/amdhfp/t.do?id$image -/amplitude-*.js$script -/amptrack. -/analiz.php3? -/AnalTrack.js -/analyse.js -/analysis-logger/* -/analytic/count. -/analytic?publisher -/analytic_data_ -/analyticReporting. -/analyticReportingAS3.$domain=~miniclip.com -/analytics-assets/* -/analytics-beacon- -/analytics-dotcom/* -/analytics-event- -/analytics-js. -/analytics-plugin/* -/analytics-post- -/analytics-tag. -/analytics-v1. -/analytics.ad. -/analytics.ashx -/Analytics.aspx? -/analytics.bundled.js -/analytics.compressed.js -/analytics.do -/analytics.gif? -/analytics.google.js -/analytics.html? -/analytics.min. -/analytics.php. -/analytics.php? -/analytics.swf? -/analytics.v1.js -/analytics/*satellitelib.js -/analytics/activity. -/analytics/cms/* -/analytics/core. -/analytics/dist/* -/analytics/eloqua/* -/analytics/events -/analytics/eventTrack -/analytics/ga/* -/analytics/ga? -/Analytics/Google. -/analytics/gw. -/analytics/hit -/analytics/hmac- -/analytics/idg_ -/analytics/js/* -/analytics/mbox.js -/analytics/mouse_ -/analytics/p.gif? -/analytics/pageview. -/analytics/pv.gif? -/analytics/report/* -/analytics/smarttag- -/analytics/socialTracking.js -/analytics/tagx- -/analytics/track- -/analytics/track. -/analytics/track/* -/analytics/track? -/analytics/tracker. -/analytics/trackers? -/Analytics/Tracking. -/analytics/tracking/* -/analytics/track| -/analytics/urlTracker. -/analytics/visit/* -/Analytics/Visitor. -/analytics/yell- -/analytics3. -/analytics?body= -/analytics?http_referer -/analytics?token= -/analytics_embed. -/analytics_frame. -/analytics_id. -/analytics_js/* -/analytics_ping. -/analytics_prod. -/analytics_tag. -/analytics_tracker -/analytics_v2.js -/analyticsfeed.ashx? -/analyticsid. -/analyticsjs. -/analyticsjs/* -/analyticsmediator. -/AnalyticsOnDemand/* -/analyticsscript_ -/analyticstick. -/analyticstrack. -/analyticstracking. -/analyticstracking_ -/analyticstrain- -/analyticsUnitaire? -/analyze.js -/analyzer.gif? -/analyzer2. -/anametrix.js -/anametrix/* -/anametrix_tag.js -/anapixel. -/ancAdTrack.js -/angular-tag. -/angular-tag_ -/angularlytics. -/angularytics. -/angularytics/* -/anycent_tracker_ -/api/*/visitor? -/api/0/stats -/api/analytics/* -/api/log? -/api/lt/ref? -/api/pageview? -/api/radar/* -/api/stat? -/api/tracking/* -/api/v1/stat? -/api/x.gif? -/apilog? -/apitracking. -/apixel? -/appendOmnitureTracking. -/AppMeasurement.js -/aqtag. -/argtk.min. -/arstat? -/article-tracking.js -/Article/ViewCount/* -/article_counter.php? -/article_hit.php? -/ArticleCounterLogger. -/ArticleLog.aspx? -/ArticleViewTracking/* -/asknet_tracking. -/aslog.php? -/aspenanalytics. -/aspstats/index.asp? -/assets/analytics: -/assets/tracking- -/assets/uts/* -/AssyncCSStats.aspx -/astrack.js -/astracker. -/astracker/* -/asyncggtracking. -/atapixel.js -/atatus.js -/atlas_track. -/atrk.gif? -/atrk.js -/audience-meter. -/audience-science. -/audience.gif? -/audience.min.js -/audience_science- -/audience_science. -/audience_science_ -/audienceScience. -/audiweb.js -/audsci.js -/autotag. -/AutoTracker.js -/aux/collect? -/avant_sfpc_ -/avantlink/*$third-party -/avmws_*.js -/avtstats. -/aw-tracker. -/awAnalytics. -/awesc.php? -/aws-analytics.js -/awstats.js -/awstats_misc_tracker -/aztrack. -/b/ss/*&aqe= -/b/ss/*&ce=iso-8859-1& -/b/ss/*&ce=utf-8& -/b/ss/*&events= -/b/ss/*&ndh= -/b/ss/*&pagename= -/b/ss/*/h.17--wap?c20= -/b/ss/*=event36& -/b/ss/*=referrers& -/b/ss/*?aqb=1&pccr= -/b/ss/*?gn=mobile: -/b/ss/*?pagename= -/b/ss/ueglobaldev/* -/b/ss/wdgdolad, -/b2bsdc.js -/backlink.php? -/backlink2. -/baiduStatistics.js -/banner-tracker. -/banner.stats? -/banners-stat. -/basesdc.js -/batch.gif? -/baynote-$script -/baynote. -/baynote/* -/baynote3. -/baynote80. -/baynote_ -/baynoteobserver/* -/bcn.gif? -/bcn? -/beacon-cookie. -/beacon.cgi? -/beacon.gif? -/beacon.html? -/beacon.js -/beacon/b.ashx? -/beacon/track/* -/beacon/vtn_loader.gif? -/beacon? -/beacon_async. -/beaconconfigs/* -/beaconimg.php? -/BehaviourCaptureHandler. -/betamax_tracker.gif? -/betamax_tracker.js -/bg_j.gif? -/bh_counter.js -/bi.tracking/* -/bicomscore. -/bicomscore_ -/biddr-analytics. -/bidiq. -/bin/reff.php -/bin/stats? -/bitrix/spread.php? -/bizo.js -/bk-coretag.js -/BKVTrack.js -/blank.gif?*& -/blockstat? -/blog/traffic/? -/blogsectiontracking. -/blogtotal_stats_ -/bluekai. -/bluekai/* -/blueKaiAnalytics. -/bluekaicookieinfo. -/BlueKaiPixel/* -/bluetracker/* -/bm-analytics-trk.js -/bm-analytics/* -/bm-bam-trk. -/bn/tracker/* -/boomerang-minified- -/boomerang.js -/boomLogger. -/boost_stats. -/botd.gif? -/bower_components/fp/fp.js -/br-trk- -/br-trk. -/br_imps/add_item? -/brandAnalytics.js -/brightcove/tracking/* -/brightcoveGoogleAnalytics. -/brightedge.js -/brightTag-min.js -/britetrack/* -/bsc_trak. -/bstat.js -/bstats.$domain=~bstats.org -/bsuite/worker.php? -/btn_tracking_pixel. -/buffer.pgif?r= -/bugcounter.php? -/bugsnag- -/BuiltRegister.aspx?upt= -/bundles/cm.js| -/bundles/tracciamento? -/buzz_stats. -/byside_webcare. -/c.gif?daid -/c.wrating.com/* -/c2_count.js -/C4ATracker. -/c?siteID=$image,script -/c_track.php? -/cablog? -/calameo-beacon. -/callbacks/stats? -/campaign_tracker. -/campaign_trax. -/capture_client.js -/CaptureStat. -/cbanalytics. -/cc?a= -/cclickTracking. -/cct? -/cdn-cgi/ping?$image -/cdn-monitoring-pixel. -/cdn.stats2? -/cdn5.js? -/cds-webanalytics. -/cdx-radar/* -/cdx.gif? -/cedexis.js -/cedexis/* -/cedexisus. -/certifica-js14.js -/certifica.js -/certifica_2010.js -/certona. -/Certona/* -/certona_$script -/cfformprotect/* -/cgi-bin/cnt/* -/cgi-bin/count.cgi? -/cgi-bin/count.pl? -/cgi-bin/count/* -/cgi-bin/count1.cgi? -/cgi-bin/CP/* -/cgi-bin/ctasp-server.cgi? -/cgi-bin/hits/* -/cgi-bin/ivw-ssl/* -/cgi-bin/ivw/* -/cgi-bin/lcpnp/* -/cgi-bin/online/uos.cgi? -/cgi-bin/refsd? -/cgi-bin/te/in.cgi? -/cgi-bin/user_online/uos.cgi? -/cgi-bin/useronline/* -/cgi-bin/vdz/* -/cgi-sys/count.cgi?df= -/cgi/bin/trk.js -/cgi/count? -/cgi/stats.pl? -/cgi/trk.js -/chan_slidesurvey.js -/chanalytics. -/channelintelligence/* -/ChannelTracking. -/ChannelTrackingConverter. -/chartbeat- -/chartbeat.jhtml -/chartbeat.js -/chartbeat.min.js -/chartbeat/* -/chartbeat_ -/chartbeatCode. -/chartbeatftr. -/chcounter/* -/check.php?referrer= -/checkForAdvertorials. -/checkstat.asp -/ci-capture. -/cim_tns/spring.js -/citycounter. -/cjtracker2. -/ckimg_1x1.gif? -/cklink.gif? -/clacking.js -/clarity-*.js -/class.tracking.js -/clear.gif? -/clear/c.gif? -/clicevent.php? -/click-count. -/click-logger. -/click-stat.js -/click-tracker -/click.cgi?callback= -/click_metrics-jquery.js -/click_stat/* -/click_statistics/* -/click_stats. -/click_track.js -/click_tracking -/clickability- -/clickability.$domain=~clickability.com.au -/clickability/* -/clickability2/* -/clickability? -/clickAnalyse. -/clickcount.cfm? -/clickcount_ -/clickctrl.js -/clickheat.js -/clickheat^ -/clicklog. -/clicklog4pc. -/clicklog_ -/clickLogger? -/clicklognew. -/clickmap.js -/clickpathmedia. -/clickpathmedia_ -/clickrecord.php? -/clicks/servlet/* -/clickscript. -/clickstats. -/clickstream.aspx? -/clickstream.js -/ClickTail. -/clicktale- -/clicktale. -/clicktale/* -/clicktale_ -/ClickTaleFilter. -/clicktrack-*.gif? -/ClickTrack. -/clicktrack? -/clicktracker. -/clicktracking-global. -/clicktracking. -/clicktracking/* -/ClickTracks_ -/ClickTracksCookies. -/clicktrends/* -/clicky.js -/client-event-logger. -/client_pathlog.asp? -/clientdatacollector/* -/clientlibs/ga.js -/clientstat? -/cls_rpt.gif? -/cm?ci=*&tid= -/cm?tid= -/cmarketing.countus.js -/cms.gif? -/cms/stats/* -/cmslog.dll? -/cn-fe-stats/* -/cnstats. -/cnstats/* -/cnt-combined.php? -/cnt.aspx? -/cnt.cgi? -/cnt.js -/cnt.php?rf= -/cnt/cnt.php? -/cnt/start.php? -/cntpixel. -/CntRpt.aspx? -/cnvtr.js -/cnwk.1d/*/apex.js -/CofinaHits. -/cognitive_match/* -/collect/kf? -/collect?callback= -/collect_data.php? -/collection.php?data= -/collector/*/*?*&euidl=*&url= -/collector/hit? -/collector?report= -/com_joomla-visites/* -/com_joomlawatch/* -/competeTracking_test.html? -/comscore. -/comscore/pageview_ -/comscore_beacon. -/comscore_engine. -/comscore_stats. -/comscorebeacon. -/ComScorePlugin. -/ComScoreSWF. -/condenet-metric. -/connect_counter.js -/contador.gif? -/containertag? -/content-targeting-staging.js -/contentanalytics/* -/contentiq.js -/ContentTrackingCall. -/control/tracking.php? -/convertro.js -/cookie.crumb -/cookie/visitor/* -/cookie?affiliate -/Cookie?merchant= -/cookie_ga. -/cookieAnalytics. -/CookieLawStats/* -/CookieSetterAS3. -/coradiant.js -/core-tracking.js -/coretracking.php? -/CorporatePageTracking. -/count.cfm? -/count.exe? -/count.fcg? -/count.fcgi? -/count.fgi? -/count.gif? -/count.png? -/count/?ad= -/count/count.cgi? -/count?pid= -/count?type= -/count_DB/* -/count_js. -/count_stats/* -/countbk. -/CountContent? -/Counter.ashx? -/counter.asp? -/counter.aspx? -/counter.cgi/* -/counter.cgi? -/counter.do? -/counter.lt? -/counter.php?chcounter_mode= -/counter.pl? -/counter.visit? -/Counter.woa/* -/counter/action_ -/counter/article? -/counter/ct.php? -/counter/process.asp? -/counter/r.pl -/counter/stat. -/counter?id= -/counter_1.php -/counter_2.php? -/counter_3.php -/counter_image.gif? -/countercgi. -/countercollector/* -/counterFooterFlash. -/countertab.js? -/countHits. -/countinj.cgi? -/countpixel. -/countstat.php? -/countus.php -/cqcounter. -/crai_tracker. -/CreateVIDCookie.aspx? -/criteo. -/Criteo/* -/criteo_ -/criteoRTA. -/crmTracking. -/cross_pixels. -/crtracker. -/cs_api/log -/CSAdobeTracking. -/csc-event? -/csct.js -/csi?v=*&action= -/csi?v=2&s= -/csi?v=3&s= -/csm/analytics; -/ctr_tracking. -/ctrl.gif?ref= -/custom-tracking. -/CustomTrackingScript. -/cwTRACK.js -/cx-video-analytics.js -/cx_tracking.js -/cXense-Analytics- -/cxense-candy.js -/cxense-video/* -/cxense/cx.js -/cyberestat/* -/dart_wrapper.html? -/data/collect/*$xmlhttprequest -/dc-storm-track. -/dc-storm.js -/dc-storm/aff. -/dc-storm/track. -/dcs.gif? -/dcs_tag. -/dcstorm-track. -/dcstorm.js -/dcstorm/track. -/DecideDNATrackingCode- -/delivery/lg. -/demandbase. -/demandbase_ -/demdex.js -/demdex/* -/DemdexBehavioralTracking. -/deskanalytics.js -/detective.gif? -/Diagnostics?hit= -/disp_cnt. -/dispatch.fcgi? -/divolte.js -/dl_counter. -/dla_tracker. -/dltrack. -/dltrack/* -/dm.gif? -/dmp-tracking- -/dmpcollector.js -/dmtracking2. -/DNATracking. -/dni_reporting.js -/doIperceptionsRegulator. -/dolWebAnalytics. -/domcount. -/domcount_ -/dot.asp? -/Dotomi. -/dotomi_abandon. -/dotomi_tracking/* -/doubleclickCheck/* -/dow_analytics. -/downloadAndOutboundLinksTracking. -/DownloadTracker. -/drads?referrer= -/dspixel.js -/dst.gif? -/dstracking. -/dtagent630_ -/dtm_cm.js -/dtmtag.js -/dtrack.js -/dwanalytics- -/dwanalytics. -/DynamicAnalytics. -/dynamictag. -/dynaTraceMonitor^ -/e.gif?data= -/e086ec.aspx?q=l3mkwgak -/ea-analytics/* -/ea_ctrl? -/eae-logger/* -/ebonetag.js -/ecanalytics.js -/ecap.min.js -/ecblank.gif? -/ecom/status.jsp? -/econa-site-search-ajax-log-referrer.php -/econa-site-search/log.php? -/Econda2. -/ecos-surveycode. -/ecos.js -/ecos_survey. -/ecos_surveycode_ -/ecossurvey. -/eCustomerSurvey. -/edAnalyticsWrapper. -/edata.js -/edateAdTrack? -/EDigitalSurvey_ -/effectivemeasure. -/EfficientFrontier. -/eftracking. -/eheat.js -/elex.track. -/eloqua_ -/elqcfg-$script -/elqcfg.js -/elqcfg.min.js -/elqfcs.js -/elqidg.js -/elqimg.js -/elqnow/* -/elqscr.js -/elqtracking. -/elt.gif? -/eluminate? -/EmailOpenTrackLog.aspx?$image -/embed-log.js -/EMERPEventCollector. -/emos2-$script -/emos2.js$~xmlhttprequest -/empty-1px-gif; -/emstrack. -/endpoint/stats. -/engine/ping? -/entry.count.image? -/entry.count? -/entry_stats? -/envoy.sb?sbaid -/epf_v1_95.js -/error/js/log? -/est.pl? -/estatistica.js -/estatnativeflashtag.swf -/etag? -/etracker. -/etracker/* -/etrackercode. -/eu-survey.js -/ev/co/*?eventid= -/event-log/* -/event-report?*&uid= -/event-tracking.js -/event.gif? -/event/*/*?*&euidl=*&url= -/event/pageview? -/event/rumdata? -/event?auditLinkReceived= -/event?pmo= -/event?stat_ -/event?t=*&__seed= -/eventLogServlet? -/events?data= -/eventtracker.js -/evercookie. -/evercookie/* -/evercookie_ -/evtrack- -/ewtrack. -/EWTRACK_ -/exaonclick.js -/exelate.htm? -/exelate.html? -/exelator. -/exittracker. -/exittraffic. -/expcount/* -/extendedAnalytics. -/external-promo-metrics. -/external-tracking. -/external/nielsen_ -/external_teaser_impression? -/ezakus.js -/ezoic/*.gif? -/ezytrack. -/FacebookTracking. -/fairfax_tracking.js -/fastcounter. -/favcyanalytics? -/fb-app-tracker. -/fb-ga-track- -/fb-tracking.js -/fbanalytics/* -/fbcounter/* -/fe/track/* -/federated-analytics. -/files/ga.js -/finalizestats. -/fingerprint.js -/fingerprint.min.js -/firestats/* -/fkounter/* -/fkounter5/* -/flash-cookies/* -/flash-stats.php? -/flashtag.txt?Log= -/flcounter/*$script -/flip-stats-queue? -/flv_tracking. -/footer-tracking.js -/footer_tag_iframe. -/footerpixel.gif? -/fora_player_tracking. -/foresee/* -/FoxAnalyticsExtension. -/FoxBlueKaiPlugIn. -/FoxComScore. -/fp/clear.png? -/fpc.pl?a= -/fpcount.exe -/freecgi/count.cgi? -/friendbuy.min.js -/frosmo.easy.js -/frtrack. -/fsrscripts/* -/FTTrack2.js -/g-track/* -/g=analytics& -/g_track.php? -/ga-affiliates. -/ga-async- -/ga-beacon.*/UA- -/ga-custom-tracking. -/ga-custom-vars. -/ga-explorations. -/ga-links.js -/ga-multidomain. -/ga-script. -/ga-se-async.js -/ga-socialtracker. -/ga-track. -/ga-tracker. -/ga-tracking- -/ga-tracking/* -/ga.aspx? -/ga.gif? -/ga.jsp?$image -/ga.php?$image -/GA.swf?gaId= -/ga.swf?gid= -/ga/*.gif? -/ga/trackevent. -/ga1.js -/ga2.aspx?utmac=$image -/ga2.js -/ga?utmac=$image -/ga_anonym.js -/ga_dpc_youtube. -/ga_dualcode_tracking. -/ga_event_frame? -/ga_event_tracking. -/ga_external. -/ga_footer. -/ga_gwo. -/ga_header. -/ga_keyword2. -/ga_link_tracker_ -/ga_loader. -/ga_no_cookie. -/ga_no_cookie_ -/ga_outgoinglinks. -/ga_setup.js -/ga_sip.js -/ga_social. -/ga_social_tracking_ -/ga_track.php?adurl= -/ga_tracker. -/ga_tracking- -/ga_tracklinks. -/ga_wrapper. -/gaaddons- -/gaaddons.js -/gaclicktracking. -/gaCustom. -/gadsfuncs. -/gaEventTracking. -/GAFOAWrapper.swf? -/GAInit.js| -/galinks- -/gallerystats. -/galtracklib. -/ganalytics. -/gapagetracker. -/gapro-1.swf -/gapro-1h.swf -/gapro.swf -/GARecord? -/gascript. -/gasocialtracking. -/gaStatistics.js -/gatag.js -/gatc.js -/gatrack. -/gatracking. -/gatrackingcampaigns/* -/gatrackthis. -/gatrackwww. -/gClickTracking. -/gcount.pl? -/gcui_vidtracker/* -/gemius.js -/gemius/* -/gemius1.js -/gemius_ -/gemiusAudience. -/gen_204?$image,script -/generate_204$image -/generictracking. -/geo.php? -/geoAnalysis.js -/geocc. -/geocompteur. -/geocounter. -/geoip.html -/geoip? -/geoip_cc -/geoip_script? -/geoipAPI.js? -/geomap.js? -/geov2.js -/get?affid=$script -/get_browser_info. -/get_cdns?$third-party,xmlhttprequest -/get_geoip? -/get_statistics.php?screen_width= -/get_tracking_id? -/getclicky. -/getclicky_ -/getPixels?*&referer= -/getRemoteDomainCookies? -/getsidpixeltag?sid= -/getTotalHits. -/gifbanner? -/gifstats. -/glbltrackjs. -/global-analytics.js -/global/ga.js? -/global/tracker. -/globalpagetracking.js -/gmasst.gif?guid= -/gn_analytics. -/gn_tracking. -/goAnalytics. -/gomez.js -/gomez/*$script -/GomezTracking. -/google-analyticator/* -/google-analytics- -/google-analytics. -/google-analytics/* -/google-nielsen-analytics. -/google.analytics. -/google/analytics.js -/google/analytics_ -/google/autotrack. -/Google/ga.js -/google_analitycs. -/google_analytics-bc.swf -/google_analytics. -/google_analytics/* -/google_analytics_ -/google_page_track -/google_tracker. -/googleana. -/googleAnal.js -/GoogleAnalystics. -/googleanalytics- -/googleanalytics.js -/GoogleAnalytics.swf -/googleanalytics/* -/googleAnalytics1. -/googleAnalytics2. -/GoogleAnalytics?utmac= -/googleAnalytics_ -/googleAnalyticsBase_ -/GoogleAnalyticsBC3. -/googleAnalyticsBottom. -/googleanalyticsmanagement.swf -/GoogleAnalyticsModule. -/googleAnalyticsOutgoingLinks. -/GoogleAnalyticsPlugIn. -/GoogleAnalyticsPlus/* -/googleAnalyticsTracking. -/GoogleAnalyticsTrackingProvider.js -/googleanalyze1. -/googleanalyze2. -/googletrack.js -/googleTracker. -/googletracker/* -/googleTracking.js -/googlytics- -/gosquared-livestats/* -/gPageTracking. -/grappler/log/* -/gravity-beacon- -/gravity-beacon.js -/greenoaks.gif? -/gs-analytics- -/gscounters. -/gtmTracking. -/gtrack. -/gweb/analytics/* -/hash_stat_bulk/* -/hc_pixel.gif? -/headerpixel.gif? -/headupstats.gif? -/heatmap.*? -/heatmap.js -/heatmap_log.js -/hg?hc=&hb=*&vjs= -/hgct?hc=&hb=*&vjs= -/hints.netflame.cc/* -/HiroBeacon? -/histats/* -/hit-counter. -/Hit.ashx? -/hit.asp? -/Hit.aspx? -/hit.c? -/hit.gif?hash= -/hit.php? -/hit.png? -/hit.t? -/hit.xiti? -/hit/?r= -/hit/tracker -/hit2.php -/hit?artefactId= -/hit?t=*&__seed= -/hit_count? -/hit_counter -/hit_img.cfm? -/hitbox.js -/hitCount. -/hitcount/* -/hitcount? -/hitcount_ -/HitCounter. -/HitCounter/* -/hitlog.mpl? -/hitlog.php? -/hits.count? -/hits/logger? -/hitslink. -/hittrack.cgi? -/HitTracker/* -/HitTracking. -/hkStatCms/ViewCount? -/hlog.asp -/hmapxy.js -/homeCounter. -/homepage_pixels. -/homePixelTracking. -/horizon.*/track? -/horizon/track? -/hpanalytics_ -/hpmetrics. -/hrtrackjs.gif? -/hs_track. -/hstrck-detect. -/i.php?i= -/i.png?id= -/i/b.gif? -/i/i.gif? -/i2a.js -/i2yesCounter.js -/i?e=*&page=*&cookie= -/i?redir=*&page=*&cookie= -/i?siteid= -/ics/2/pview.gif? -/id?d_visid_ver= -/iframe.tracker.js -/iframe_googleAnalytics -/iframetracker. -/IGA.linktagger. -/ignition-one.js -/image.articleview? -/image.ng/* -/images/1px.gif? -/images/mxl.gif? -/images/uc.GIF? -/imageTracking. -/iMAWebCookie. -/img.aspx?q=l3mkwgak -/img.gif? -/img.mqcdn.com/a/a -/img/gnt.gif? -/img/gut.gif? -/img/tracking-$image -/img?eid= -/imgcount.cgi? -/imgcount.php? -/imgtracker. -/imp.aspx? -/imp.gif? -/imp.php? -/imp/a.gif? -/imp/ad_ -/imp2.js? -/imp?imgid= -/imp_cnt.gif? -/imp_img.php? -/impr.xlg? -/impress.php? -/impression.ashx -/impression.gif? -/impression.js? -/impression.php? -/impression.pl? -/impression.track? -/impression/widget? -/impression_tracker. -/impression_tracking. -/impressioncount. -/Impressions/aolukdp.imp? -/impressions/servlet/* -/impressions3.asp? -/impressions? -/ImpressionsEvent.js -/impressionTrackerV2. -/in.cgi?*http -/in.getclicky.com/* -/in.gif?url= -/in.php?p= -/in.php?referer= -/include/js/ga- -/includes/tracker/* -/increment_page_counter. -/incrementVisits_get? -/index.php?_m=livesupport*&referrer= -/index.track? -/indextools.js -/inetlog.ru/* -/info/picksel/* -/informerStat? -/init_cookie.php? -/inpl.measure. -/insales_counter. -/insert_impressions. -/InsightTrk/* -/insightXe.js -/insitemetrics/* -/InstantTracking. -/integration?pixel= -/intellitracker.js -/intercept.js -/intervigil. -/iperceptions. -/iperceptions/* -/iperceptions_ -/IperceptionsSurvey. -/ipfx?eid= -/ipixel?spacedesc -/iplookup.php -/iporganictrack. -/ips-invite.iperceptions.com/* -/iqtm.js -/istat.aspx? -/ists.tag? -/ItemStats.ajax? -/itrack.php? -/iva_analytics. -/iva_thefilterjwanalytics. -/ivw.html -/ivw.js -/ivw.php -/ivw/SP/*$image,script -/ivw2.cgi? -/ivw2.js -/ivw_analytics_ -/IVWAnalytics. -/ivwbox/* -/IVWTracker.swf -/iwa.js -/iwstat.js -/javascript/analytics/* -/javascript/ci/*landing.js$script -/Javascript/ga.js -/javascripts/ga.js -/javascripts/tracking_ -/jcaffiliatesystem/* -/jgs_portal_log_bildschirm.php? -/jquery.analytics.js| -/jquery.google-analytics. -/jquery.trackstar. -/jquery.unica. -/js/analitycs_ -/js/analytics. -/js/count.js. -/js/counter.js? -/js/dart.js -/js/dcstorm/* -/js/ddx/* -/js/google_stats. -/js/hbx.js -/js/indextools/* -/js/livestats_ -/js/logger? -/js/quantcast- -/js/sophus/* -/js/tagging/tagtrack.js -/js/tophits_ -/js/tracking.js -/js/tracking.min.js? -/js/tracking/* -/js/trk_ -/js_hotlink.php? -/js_logger. -/js_tracker. -/jscounter. -/jslogger.php?ref= -/json/stats? -/json/tracking/* -/json?referer= -/jsonp_geoip? -/jsstat. -/jstatphp. -/jstats.php -/jstats/js/* -/jtracking/* -/kaiseki/script.php -/kaiseki/track.php? -/kaizentrack/* -/keen-tracker. -/keen-tracking- -/keen.min.js -/kejobscounter. -/Kelkooid? -/kelkooSponsoredLinks. -/keywordlogger. -/kGoogleAnalytics.js -/khan_analystics.js -/kissmetrics. -/kissmetrics/* -/KISSmetricsTrackCode. -/kontera.js -/konterayahoooo. -/krux.js -/ktrace/ktrace$script -/l1v.ly/*$third-party -/landings-pixel? -/layer_log.php?p= -/lbi_ga. -/leadgen/ga.js -/leadgen_track -/lib/analytics. -/library/svy/*/broker.js -/library/svy/broker.js -/libs/tracker.js -/lingabot. -/link_track. -/link_tracking/* -/linkcountdata/* -/linkinformer.js -/linktracker.js -/linktracker/* -/linktracking. -/livezilla/server.php?request=track& -/load.gif? -/load.js.gz? -/loadcounter. -/loader-counter. -/loadJsFingerprint.js -/locotrack.js -/log-ads. -/log-view. -/Log.ashx? -/log.bi? -/log.cfm? -/log.gif? -/log.htm? -/log.jphp? -/log.jsp? -/log.php?*http -/log.php?id -/log.php?owa_timestamp= -/log/ad- -/log/impression/* -/log/init? -/log/jserr.php -/log/log.php? -/log/p.gif? -/log2.php? -/log?action= -/log?data= -/log?documentUrl= -/Log?entry= -/log?event= -/log?id= -/log?sLog= -/log?type= -/log_agent. -/log_e.php?id= -/log_event? -/log_hit. -/log_impression/* -/log_interaction? -/log_presence/* -/log_stats.php? -/log_syndication. -/log_tracker. -/log_view. -/log_zon_img. -/LogAction? -/logactions.gif? -/logadhit. -/logAdv. -/logaholictracker. -/LogAnalysisTracker/* -/logclick. -/logcollect. -/logcollect_ -/logcollectscript_ -/LogCompany.aspx?$image -/logcounter. -/logevent.action? -/logEvent? -/logextrastats. -/logger.ashx? -/logger.dll/* -/logger.pageperf? -/logger/?et= -/logger/?referer= -/logger/p.gif? -/logger?d= -/logger?description= -/logging-code. -/logging/pixel? -/logging_requests. -/logging_save. -/LoggingAgent? -/loggingService.js -/loggly.tracker.js -/logHandler. -/LogImpression. -/LogImpression? -/logLoad/? -/LogMediaClick? -/LogPage.aspx? -/logprogress. -/logpstatus. -/logpv.aspx? -/LogRecorder. -/logreferrer.php?*&referrer= -/logserver- -/logstat. -/logstat? -/logStatistic? -/logStatistics? -/logview.js -/logview?referrer= -/logview_new.js -/logViewImpression/* -/logwebhit. -/logwriter.php -/lunametrics- -/lycostrack.js -/lzdtracker. -/m.gif? -/m1x1.jpg -/m360lib.js -/magiq- -/mail_tracking-cg.php -/mail_tracking.php -/mailstatstrk/* -/mapstats. -/marketing-analytics.js -/maxymiser. -/Maxymiser/* -/mbcom.tracking. -/mcookie.aspx -/MCookieCheck.aspx -/MCookieReturn.aspx -/mcount.cgi? -/md.js?country= -/mdwtc/click_thru/* -/media_viewed_tracking. -/mediateGA.js -/megacounter/* -/mendelstats. -/meta-analytics/* -/metatraffic/track.asp? -/metrics-ga. -/metrics.xml -/metrics/ga.html? -/metrics/image.gif? -/metrics/metrics -/metrics/onload -/metrics/stat. -/metrics/survey/* -/metrics/vanity/? -/metricsISCS. -/metrika/watch_ -/metrimatics/* -/metriweb.js -/metriweb/spring.js -/metsol- -/mi/insite/* -/mianalytics. -/micro.php?action=view& -/microreporting. -/middle?call=http -/minder-tracker. -/mindshare-tracking. -/mint/?js -/mint/?record -/mint8/? -/mintstats/?js -/mistats/* -/mixpanel-*.js -/mixpanel-measurement. -/mixpanel. -/mixpanel_beacon. -/mixpanel_tracker. -/mkt-tags/* -/mktg_metrics/* -/ml.track.me? -/mlopen_track. -/mm-metrics. -/mm_track/* -/mmclient.js -/mmcore.js -/mmetrix.mobi/* -/mngi/tracking/* -/mobify_ga.gif -/mobileanalytics. -/modoweb-tracking/* -/module/analytics/* -/moduleTracker. -/momentum-tracking/* -/mongoose.fp.js -/monitor?rtype= -/monitus.js -/morega.js -/mormont.js -/mouseover-tracker. -/mousetrap/mp-embed. -/mpel/mpel.js -/mpf-mediator. -/mpulse.min.js -/msftaudience. -/mstartracking/* -/mstats. -/mstrack/* -/mtrack.nl/js/* -/mtracking. -/mtvi_reporting.js -/mvTracker. -/mwTag.js -/mwtag_flash.js -/myasg/stats_js.asp -/mycounter/counter_in.php? -/myImage.track? -/myopslogger. -/mystats.asp? -/mystats/track.js -/mystats2.px? -/myTracking.js -/naveggQry- -/NavMultiTracking. -/naytev.min.js -/nbc-stats/* -/ncj-pixel.js -/ncp/checkBrowser? -/nedstat. -/neilson.js -/neocounter. -/neocounter/* -/netconversions. -/netcounter? -/netgraviton.net/* -/netizen_track. -/netmind-$script -/netmining.js -/netratings.js -/netresults.js -/netstat. -/nettracker.js -/nettracker/* -/netupdate/live.php? -/neustar.beacon. -/new.cnt.aspx? -/newlog.php? -/newscount/* -/newSophus/* -/newstat/* -/newstatsinc. -/nextPerformanceRetargeting. -/nielsen.htm -/nielsen.js -/nielsen.min. -/nielsen.track -/Nielsen.v53. -/Nielsen53. -/nielsen_geotarget/* -/nielsen_v53. -/NielsenAnalytics. -/NielsenData/* -/nielsenscv53.$script -/NielsenTracking. -/nielson/track -/nielson_stats. -/nikioWSJCallback. -/ninemsn.tracking. -/NitroCookies.js -/njs.gif? -/nm_tr_combined-min.js -/nm_tr_combined.js -/nm_track.js -/nm_trck.gif? -/NNAnalytics. -/NNAnalytics/* -/no-impression.gif? -/np?log= -/npssurvey. -/nStat/* -/ntpagetag- -/ntpagetag. -/ntpagetag_ -/ntpagetaghttps. -/ntrack.asp? -/null.gif? -/numericAnalyticsFramework. -/o_code.js -/oas_analytics. -/object_stats. -/ocount.php -/ocounter. -/odoscope.js -/oewa_pixel_ -/olx/tracker. -/om_ctrack. -/om_tracking_ -/omega?ad_ -/omega?tceRow_ -/omnidiggthis| -/omnipagetrack. -/omniture.do;$image -/omniture/sphere -/omniture/tracking. -/OmnitureAnalytics. -/OmnitureTracking_$object-subrequest -/omniunih.js -/oms_analytics_ -/onedot.php? -/onestat.js -/onlinecount.php -/onsitegeo. -/opdc.gif? -/opdc.js -/open/log/* -/opentag- -/opentag/* -/openxblank.gif? -/openxtargeting.js -/opinionlab.js -/optimizely.$domain=~optimizely.com -/optimizely/*$script -/optimost- -/optimost. -/Optimost/* -/optimost_ -/optimostBody1. -/optimostBody2. -/optimostfoot. -/OptimostFooter. -/optimosthead. -/optimosthead/* -/optimostHeader. -/optimostHeader1. -/optimostHeader2. -/OptimostPageCode. -/ordertrack/* -/osGoogleAnalytics. -/ositTracker. -/ot_e404.gif? -/ovstats. -/ow_analytics. -/owa.tracker-combined-min.js -/ox_stats. -/oxtracker. -/page-analytics. -/page-track. -/page-view.gif? -/page.gif?p= -/page_analytics. -/page_counter. -/page_imp; -/PageCount.php? -/pageCounter.adp? -/pagedot.gif? -/pageeventcounter; -/PageHit.ashx -/PageHitPixel. -/pagehits/* -/pagelogger/connector.php? -/pageloggerobyx. -/pagestat? -/PageStatistics/* -/PageStats. -/pagestats/* -/pagetag.gif? -/pageTag? -/PageTrack.js -/pagetrack.php? -/PageTracker. -/pageTracker/? -/PageTracker? -/pageTracker_ -/pageTrackerEvent. -/pageTracking.js -/pageView.act^ -/pageview.ashx -/pageview; -/pageview?pageId= -/pageview?pageviewId -/pageview?user_guid= -/pageviews-counter- -/pageviews/*$domain=~tools.wmflabs.org -/pageviews?token= -/pageviews_counter. -/PageviewsTracker. -/pap.swf? -/partner/transparent_pixel-$image -/pbasitetracker. -/PBSTrackingPlugIn. -/pc-log? -/pcookie_get_key -/pcount.asp -/Peermap/Log/* -/performance.fcgi? -/performance_timing/log? -/performance_tracker- -/permalink-tracker.html? -/pgtracking. -/pgtrackingV3. -/php-stats.js -/php-stats.php? -/php-stats.phpjs.php? -/php-stats.recjs.php? -/phpmyvisites.js -/pic.gif?m= -/pic.gif?url= -/ping.*/ping.js -/ping.gif? -/ping.php?sid= -/ping/?p= -/ping/?url= -/ping/dot.gif? -/ping/pageload? -/ping/show? -/ping?h= -/ping?spacedesc -/ping_g.jsp? -/ping_hotclick.js -/pingd? -/pinger.cgi? -/PingPixel. -/pingServerAction? -/pippio. -/pistats/cgi-bin/* -/piwik-$domain=~github.com|~piwik.org -/piwik.$script,domain=~piwik.org -/piwik.php -/piwik/*$domain=~github.com|~piwik.org -/piwik1. -/piwik2.js -/piwik_ -/piwikapi.js -/piwikC_ -/piwikTracker. -/pix.fcg? -/pix.fly/* -/pix.gif? -/pixall.min.js -/pixel-events. -/pixel-manager.js? -/pixel-page.html -/pixel-render/* -/pixel.*/track/* -/pixel.cgi? -/pixel.gif? -/pixel.jsp? -/pixel.php? -/pixel.png? -/pixel.swf? -/pixel.track2? -/pixel.track? -/pixel/?__tracker -/pixel/img/* -/pixel/impression/* -/pixel/visit? -/pixel1/impression. -/pixel?google_ -/pixel_iframe. -/pixel_track. -/pixel_tracking. -/pixelappcollector. -/pixelcounter. -/pixelframe/* -/PixelImg.asp -/pixeljs/* -/pixellog. -/PixelNedstat. -/pixelNew.js -/pixels.jsp? -/pixelstats/* -/pixeltag. -/pixelTargetingCacheBuster. -/pixeltrack.php? -/pixeltracker. -/PixelTracking. -/pixeltracking/* -/pixiedust-build.js -/pixLogVisit. -/pixy.gif? -/pladtrack. -/planetstat. -/player_counter.ashx? -/PlayerDashboardLoggingService.svc/json/StartSession? -/playerlogger. -/playerstats.gif? -/playertracking/* -/plgtrafic. -/plingatracker. -/plog?id -/pluck-tracking. -/plugins/catman/* -/plugins/stat-dfp/* -/plugins/status.gif? -/plugins/userinfo.gif? -/plugins/wordfence/visitor.php? -/PmsPixel? -/pmspxl. -/point_roll. -/pointeur.gif? -/PointRoll. -/PointRollAnonymous. -/pomegranate.js -/popanalytics. -/popupCookieWriter. -/popuplog/* -/postlog? -/postview.gif? -/powercount. -/pphlogger. -/pr.php? -/presslabs.js$script,~third-party -/prime-email-metrics/*$image -/printtracker.js -/prnx_track. -/pro-ping.php? -/probance_tracker. -/process.php?ut=*&rf= -/prodtracker? -/profile_tracker. -/promo_tracking/* -/promos/pixels? -/prum. -/pstats. -/pt.gif?type= -/ptrack. -/pub/as?_ri_=$image -/pubimppixel/* -/public/visitor.json? -/public/visitor/create? -/pubstats. -/pushlog. -/pv.gif?url -/pv.txt? -/pv?place= -/pv?token= -/pv_count. -/pvcount. -/pvcounter. -/pvcounter/* -/pvcounter? -/pvevent_ -/pview?event -/pvmax.js -/pvnoju.js -/pvserver/pv.js -/PvServlet? -/pw.js?deskurl= -/px.gif? -/px.js?ch=$script -/px?t= -/px_trans.gif -/pxa.min.js -/pxl.cgi? -/pxlctl. -/pxls/* -/pxtrk.gif -/pzn/proxysignature -/qtracker- -/QualtricsSurvey. -/quant.js -/quant.swf? -/quantcast.js -/quantcast.xml -/quantcast/* -/quantcast_ -/QuantcastAnalyticsModule. -/quantcastjs/* -/quantserve.com/* -/quantv2.swf? -/qubit-integration1. -/qubit-integration2. -/qubittracker/* -/questus/* -/quidsi.ga.js? -/ra_track. -/radar/trace? -/radium-one.js -/rbi_us.js -/rbipt.gif? -/rbipt.js -/rcdntpagetag.js -/readcounter.aspx? -/readomniturecookie. -/readReceipt/notify/?img=$image -/readtracker- -/realytics- -/recommendtrack? -/record-impressions. -/record.do? -/record_clicks. -/record_visitor. -/RecordClick. -/RecordClickv2. -/RecordHit? -/recstatsv2. -/redirectexittrack.php? -/redx/c.gif? -/ref_analytics. -/refcount. -/refer-tracking. -/referadd? -/referer.gif? -/referer_frame. -/refererRecord. -/referral_tracker. -/referral_tracking. -/referrer.js -/referrer.php?*http -/referrer_tracking. -/RefinedAdsTracker.swf -/refresh_uid?$script -/refstats.asp? -/reg_stat.php? -/register_pageview? -/register_stats.php? -/register_video_*&server= -/registeradevent? -/RegisterWebPageVisit. -/RemoteTargetingService. -/remoteTrackingManager.cfc?*trackPage& -/render?trackingId= -/repdata.*/b/ss/* -/report-re. -/report?event_ -/reporting/analytics.js -/RequestTrackerServlet? -/resmeter.js -/resourcestat. -/rest/analytics/* -/restats_ -/resxclsa. -/resxclsa_ -/ret_pixels/* -/retargetingScript/* -/revenue-science. -/revenuescience. -/revenuescience_ -/RevenueScienceAPI. -/revinit.js -/revsci. -/revtracking/* -/RioTracking2. -/risk_fp_log? -/riveted.min.js -/rkrt_tracker- -/RMAnalytics. -/roi_tracker. -/roiengine. -/roitrack. -/roitracker. -/roitracker2. -/roiTrax. -/rolluptracker_ -/rot_in.php -/rpc/log? -/rt_tag. -/rtd.js -/rtkbeacon.gif? -/rtoaster.js -/rtracker. -/rtt-log-data? -/rubics_trk -/rubicsimp/c.gif? -/rum-dytrc. -/rum-track? -/rum/id? -/rumstat. -/runtimejs/intercept/* -/rwtag.gif? -/rwtag.js -/rwtaghome.js -/s.aspx?r= -/s.gif?a= -/s.gif?l= -/s.gif?log= -/s.gif?t= -/s1.php?type= -/sage_tracker. -/salog.js -/SAPOWebAnalytics/* -/save_stats.php? -/saveStats.php? -/savetracking? -/sb.logger.js -/sb.trackers.js -/sbtracking/pageview2? -/sclanalyticstag. -/scmetrics.*/b/ss/* -/script/analytics. -/script/analytics/* -/script_log. -/scriptAnalytics. -/scripts.kissmetrics.com/* -/scripts/analytics. -/scripts/analytics_ -/scripts/clickjs.php -/scripts/contador. -/scripts/ga.js -/scripts/hbx.js -/scripts/log. -/scripts/statistics/* -/scripts/stats/* -/scripts/xiti/* -/sctracker. -/sdc1.js -/sdc2.js -/sdc3.js -/sdc_reporting_ -/sdc_tag. -/sdctag. -/sdctag1.js -/sdctag2.js -/sdxp1/dru4/meta?_hc= -/searchIgnite. -/searchMetric. -/securetracker. -/segmentio.js -/segmentIoTrackingProvider.js -/SellathonCounterService. -/semanticTagService.js -/SEMTracking. -/send-impressions.html -/sensor/statistic? -/seomonitor/* -/seosite-tracker/* -/seostats/* -/seoTracker. -/seotracker/* -/SEOTracking. -/serve/mtrcs_ -/server.php?request=track&output= -/services/analytics/* -/services/counter/* -/services/counters/* -/services/pixel.html? -/servlet/Cookie? -/session-hit. -/session-tracker/tracking- -/sessioncam.min.$script -/sessioncam/* -/set-cookie.gif? -/set_tracking.js -/SETCOOKAFF. -/setcooki. -/setcookie? -/setcookieADV.js -/SetSabreAnalyticsCookie. -/setTDUID.do? -/shareCounts. -/shareTrackClient. -/sherlock.gif? -/shinystat. -/shinystat_ -/shopify_stats.js -/showcounter. -/showhits.php? -/si-tracking. -/sidebarAnalytic? -/sidtracker. -/sikcomscore_ -/sikquantcast_ -/SilverPop. -/silverpop/* -/simple_reach.js -/simplereach_counts/* -/simtracker.min.js -/siq-analytics. -/site-tracker- -/site-tracker. -/site-tracker_ -/site_statistics. -/site_stats. -/site_stats/* -/site_tracking. -/siteAnalytics- -/siteAnalytics. -/siteanalytics_ -/sitecatalist.js -/sitecounter/counter. -/sitecrm.js -/sitecrm2.js -/siteskan.com/* -/sitestat. -/sitestat_ -/sitestatforms. -/sitestats.gif? -/SiteTracker. -/sitetracker21. -/SiteTrackingGA. -/sitetrek.js -/sk1n-async. -/skstats- -/skstats_ -/skype-analytics. -/slimstat/* -/small.gif?type -/smarta. -/smartpixel-1.js -/smartpixel. -/smartserve- -/smarttag.js -/smetrics.*/b/ss/* -/snowman.gif?p= -/snowplow.js$script,third-party -/social_tracking. -/socialButtonTracker. -/SocialTrack_ -/socialtracking.min.js -/softclick.js -/softpage/stats_registerhit.asp? -/solarcode.js -/sometrics/* -/sophus.js -/sophus/logging.js -/sophus3/* -/sophus3_logging.js -/sophusThree- -/sp-2.0.0.min.js -/sp-analytics- -/sp_logging. -/sp_tracker. -/spacer.gif?hscbrnd -/spacer.gif?q=l3mkwgak -/spannerworks-tracking- -/speedlog?ts= -/SpeedTrapInsert. -/spi.gif?aid= -/spip.php?page=stats.js -/springmetrics. -/spylog_ -/SSOCore/update? -/sst8.js -/sst8.sst? -/sstat_plugin.js -/sstlm8.sst? -/st.aspx? -/stat-analytics/* -/stat.aspx? -/stat.gif? -/stat.htm? -/stat.js? -/stat.php? -/stat.png? -/stat.tiff? -/stat/ad? -/stat/count -/stat/event? -/stat/fe? -/stat/inserthit. -/stat/track.php?mode=js -/stat/track_ -/stat/tracker. -/stat/uvstat? -/stat2.aspx? -/stat2.js -/stat36/stat/track.php -/stat?sid= -/stat?SiteID= -/stat?track= -/stat_js.asp? -/stat_page. -/stat_page2. -/stat_search. -/stat_visits. -/stat_vue.php? -/stataffs/track.php? -/statcapture. -/StatCms/ViewCount? -/statcollector. -/statcount. -/statcounter.asp -/statcounter.js -/statcountex/count.asp? -/stateye/* -/static-tracking/*$script -/static/tracking/* -/statics/analytics.js? -/statistics-page-view/* -/statistics.asp? -/statistics.aspx?profile -/statistics.js? -/statistics/fab. -/statistics/ga. -/statistics/get? -/statistics/getcook.php? -/statistics/imr. -/statistics/logging/* -/statistics/metrica. -/statistics/pageStat/* -/statistics/set? -/statistics?counter= -/statistics?eventType= -/StatisticService.m? -/statlogger. -/stats-js.cgi? -/stats-tracking.js -/stats.asp?id -/stats.cgi$image -/stats.gif? -/stats.hitbox.com/* -/stats.php?*http -/stats.php?type= -/stats.php?uri= -/stats/?js -/stats/?ref= -/stats/add/* -/stats/adonis_ -/stats/collector.js -/stats/counter. -/stats/CounterPage. -/stats/dlcount_ -/stats/et_track.asp? -/stats/ga. -/stats/impression -/stats/imr. -/stats/init. -/stats/log. -/stats/mark? -/stats/metrica. -/stats/metrics/* -/stats/mixpanel- -/stats/page_view_ -/stats/pgview. -/stats/ping? -/stats/record.php? -/stats/services/* -/stats/track.asp? -/stats/tracker.gif? -/stats/tracker.js -/stats/welcome.php? -/stats?aid= -/stats?blog_ -/stats?callback= -/stats?ev= -/stats?object -/stats?sid= -/stats?style$~xmlhttprequest -/stats_blog.js? -/stats_brand.js -/stats_js.asp? -/stats_tracker. -/statsadvance.js -/StatsCollector/* -/statscounter/* -/statscript.js -/statsd_proxy -/StatsHelper.gif? -/StatsMngrWebInterface. -/statspider? -/statspixel. -/statstracker? -/statsupdater. -/stattracker- -/status-beacon/* -/StatV1? -/stcollection. -/store-uniq-client-id?bomuuid= -/storeAdvImpression. -/stracking.js -/stt/track. -/stt/track/* -/stwc-counter/* -/stwc/code.js -/supercookie. -/superstats. -/supertracking. -/surphace_track. -/survey_invite_ -/surveyoverlay/* -/swfaddress.js?tracker= -/swptrk. -/syn/mail_s.php? -/synd.aspx -/syndication/metrics/* -/syndstats. -/szm_mclient.js -/t-richrelevance- -/t.*?ref= -/tacoda. -/tacoda_ -/TacodaFTT. -/taevents- -/tag/tag.jsp? -/tagCNIL.js -/TagCommander.cfc? -/tagcommander/* -/tagomnitureengine.js -/tags/angular- -/TagSvc/* -/tagx.js -/targetemsecure. -/taxtag.js -/tbuy/tracker/* -/tc_logging.js -/tc_targeting. -/tc_throttle.js -/TCMAnalytics_ -/tda.*/in.gif -/TeaLeaf.js -/TeaLeafCfg.js -/TealeafSDK.js -/TealeafSDKConfig.js -/tealium-api/* -/tealium.js -/tealiumpixel. -/textlink.php?text -/thbeacon/* -/thetracker.js -/third-party-analitycs/* -/third-party-stats/* -/third-party/tracking. -/thirdpartyCookie. -/thirdPartyPixel. -/thirdPartyTags.js -/thirdPartyTagscachebuster.js -/ThirdPartyTracking. -/thuzianayltics. -/tiara/tracker/* -/tide_stat.js -/timeslog. -/timestrend_ -/tiwik. -/tmpstats.gif? -/tmv11. -/tncms/tracking.js -/tnsCounter. -/tnsmetrix/* -/token?referer= -/tongji.js -/topic_beat_log? -/topic_page_timer? -/toplytics.js -/tops-counter? -/touchclarity/* -/tpix.gif? -/tPx.gif? -/tr.gif? -/tr/p.gif? -/tracciamento.php? -/track-compiled.js -/track-referrals.js -/track.ads/* -/track.ashx?*=http -/Track.aspx/* -/track.aspx? -/track.cgi? -/track.gif? -/track.js?referrer -/track.js?screen= -/track.php?*&uid= -/track.png? -/track.srv. -/track/*&CheckCookieId= -/track/*?rnd=0.$image -/track/?site -/track/a.gif? -/track/aggregate? -/Track/Capture.aspx? -/track/component/* -/track/count*js -/track/dot.gif? -/track/event/* -/track/imp? -/track/impression/* -/track/impression? -/track/jsinfo -/track/mygreendot/* -/track/pix.asp? -/track/pixel. -/track/pixel/* -/track/read/* -/track/site/* -/track/track- -/track/track.php? -/track/view/* -/track/visitors/? -/track/visits/? -/track2.php -/track;adv -/track?browserId -/track?event= -/track?referer= -/track_clicks_ -/track_event.php? -/track_js/? -/track_metric/* -/track_pageview? -/track_proxy? -/track_social. -/track_stat? -/track_views. -/track_visit. -/track_visit? -/trackad. -/trackAdHit. -/trackalyze/*$script -/TrackClick. -/trackClickEvent.js -/trackContentViews. -/trackconversion? -/tracker-config.js -/tracker-ev-sdk.js -/tracker-pb-min-rem.js -/tracker-r1.js -/tracker.do? -/tracker.js.php? -/tracker.json.php? -/tracker.log? -/tracker.min.js -/tracker.pack. -/tracker.php? -/tracker.pl? -/tracker.tsp? -/tracker/aptimized- -/tracker/event? -/tracker/eventBatch/* -/tracker/imp? -/tracker/index.jsp? -/tracker/log? -/tracker/p.gif? -/tracker/ping/* -/tracker/receiver/* -/tracker/referrer/* -/tracker/story.jpg? -/tracker/t.php? -/tracker/track.php? -/tracker/tracker.js -/tracker2.js -/tracker?*= -/tracker_activityStream. -/tracker_article -/tracker_czn.tsp? -/tracker_gif. -/tracker_pageview. -/tracker_pixel. -/TrackerAS3. -/trackerGif? -/TrackerHandler. -/trackerpixel.js -/trackerstatistik. -/trackEvent.js? -/trackEvent.min.js? -/trackga. -/trackGAEvents. -/trackhandler.ashx? -/trackimage/* -/trackImpression/* -/trackimps? -/tracking-active/* -/tracking-ad/* -/tracking-cookie. -/tracking-hits. -/tracking-info.gif? -/tracking-init. -/tracking-pixel. -/tracking-pixel/* -/tracking-portlet/* -/tracking-v3. -/tracking-widget. -/tracking.ashx? -/tracking.cgi? -/tracking.fcgi? -/tracking.gif? -/tracking.jsp -/tracking.php?id -/tracking.php?q= -/tracking.phtml? -/tracking.relead. -/tracking.vidt -/tracking/*/agof- -/tracking/addview/* -/tracking/adobe.js -/tracking/ads. -/tracking/article. -/tracking/article/* -/tracking/at.js -/tracking/beacon/? -/tracking/clicks -/tracking/create? -/tracking/csp? -/tracking/epixels. -/tracking/fingerprint/* -/tracking/impression/* -/tracking/index. -/tracking/log.php? -/tracking/open? -/tracking/pageview. -/tracking/pixel. -/tracking/pixel/* -/tracking/pixel_ -/tracking/pixels. -/tracking/referrer? -/tracking/setTracker/* -/tracking/simplified_ -/tracking/t.srv? -/tracking/tag_commander.php? -/tracking/track.jsp? -/tracking/track.php? -/tracking/tracking. -/tracking/tracking_ -/tracking/trk- -/tracking/tynt_ -/tracking/user_sync_widget? -/tracking/views/* -/tracking/widget/* -/tracking202/* -/Tracking?id= -/Tracking?t= -/tracking_add_ons. -/tracking_ajax. -/tracking_clic. -/tracking_clickevents. -/tracking_cookie_baker. -/tracking_frame_ -/tracking_headerJS_ -/tracking_id_ -/tracking_iframe. -/tracking_link_cookie. -/tracking_pix. -/tracking_pixel -/tracking_super_hot.js -/TrackingCentral.js -/trackingCode- -/trackingCode.js -/TrackingCookieCheck. -/trackingcookies. -/TrackingData. -/trackingDTM.js -/trackingfilter.json? -/trackingFooter. -/TrackingHandler. -/trackingheader. -/trackingImpression/* -/trackingp.gif -/trackingPixel. -/TrackingPixel/* -/trackingPixelForIframe. -/trackingpixels/get?referrer= -/trackings/addview/* -/trackingScript1. -/trackingScript2. -/TrackingService.js -/trackingService.min.js -/trackingService/* -/trackIt.js -/trackit.php? -/trackit.pl? -/trackjs. -/trackjs1. -/trackjs6. -/trackjs_ -/trackmerchant.js -/tracknat. -/trackopen.cgi? -/trackpagecover? -/trackpageview. -/trackPageView/* -/trackpidv3. -/trackpix. -/trackpixel. -/trackpxl? -/trackr.swf -/TrackShopAnalytics. -/trackstats? -/tracksubprop. -/trackTimings.gif? -/trackuity. -/TrackUser?callback= -/TrackView/?track -/TrackViews/* -/trackVisit/* -/trackvisit? -/TrackVisitors/* -/tradelab.js -/traffic.asmx/* -/traffic/status.gif? -/traffic/track^ -/traffic4u. -/traffic_link_client.php? -/traffic_record.php? -/traffic_tracker. -/TrafficCookie. -/traffictracker. -/traffictrade/* -/traffix-track. -/trafic.js -/trakksocial.js -/trans_pixel.asp -/transparent1x1. -/trax.gif? -/traxis-logger. -/trbo.js -/trckUtil. -/trclnk.js -/triggertag.js -/triggit-analytics. -/trk-fr. -/trk.gif? -/trk.php? -/trk/p.gif? -/trkpixel.gif -/trkr.js -/trovit-analytics.js -/truehits.php? -/tse/tracking. -/tsrHitCounter. -/ttt.gif? -/turn-proxy.html? -/tw-track.js -/TwitterTracking. -/tynt.js -/tzr.fcgi? -/uchkr.swf -/ucount.php? -/udctrack. -/uds/stats? -/ui/analytics/* -/uim.html/* -/ulpixel. -/ultra_track/* -/umt.gif? -/unica.gif? -/unica.js -/unica_ -/UnicaTag. -/UniqueUserVisit? -/Universal-Federated-Analytics. -/universal-tracking- -/universalPixelStatic. -/updateBotStatus.do? -/updateStats. -/urchin.gif? -/urchin.html? -/urchin.js -/urchinstats. -/URLSplitTrack? -/us.gif? -/userfly.js -/usertrack.aspx? -/usertracking.js -/usertrackingajax.php? -/usr.gif?openratetracking= -/usrtrck- -/usrtrck_ -/utag-dit.js -/utag.ga. -/utag.handler.js -/utag.loader- -/utag.loader. -/util/trk2.php? -/util/trk3.php? -/utrack.js? -/utrack? -/utracker.js -/uts-no-vea.js -/uts-vec. -/uts/log? -/uts/t/* -/uutils.fcg? -/uvstat.js -/uxm_tracking. -/v5.3nse. -/v52.js -/v53.js -/v53nse.js -/v60.js -/valueclickbrands/* -/vanillastats/* -/vastlog.txt? -/vblank.gif? -/vblntpagetag. -/vecapture.js -/vendemologserver- -/vertical-stats. -/vglnk.js -/video_count.php? -/videoanalytic/* -/videoAnalytics. -/videolog?vid= -/VideoTracking. -/videotracking/* -/vidtrack. -/view.gif? -/view_stats.js.php -/viewcount.ashx?*&referrer= -/ViewCounter/* -/viewcounterjqueryproxy. -/viewcounterproxy. -/views/s.gif? -/views/vw.js -/viewstats.aspx? -/viewtracking.aspx? -/viewTracking.min.js -/viglink_ -/vip-analytics. -/viperbar/stats.php? -/visci-interface. -/visistat.js -/visit-tracker.js -/visit.gif? -/visit/log.js? -/visit/record.gif? -/visit?id= -/visit_pixel? -/visit_tracking. -/VisitCounter. -/visitor-event? -/Visitor.aspx? -/visitor.cgi?aff -/visitor.gif?ts= -/visitor.js?key= -/visitor.min.js -/visitor/identity? -/visitor/index.php?*referrer$image -/visitor/segment?*= -/VisitorAPI.js -/visitorCookie. -/VisitorIdentification.js -/visitortrack? -/visitortracker.pl? -/visits/pixel? -/visits_contor. -/VisitSite.js -/VisitTracking? -/visitWebPage?_ -/vistas/spacer.gif? -/visual_revenue. -/visualdna- -/visualdna. -/visualrevenue.js -/visualsciences. -/visualsciences_ -/visualstat/stat.php -/vmtracking. -/vpstats. -/vptrack_ -/vs-track.js -/vs/track. -/vs_track. -/vstat.php -/vstats/counter.php -/vstrack. -/vtrack.aspx -/vtrack.php? -/vtracker. -/vTracker_ -/vztrack.gif? -/vzTracker/* -/wa01.gif?log= -/wanalytics/* -/wcount.php? -/wdg/tracking- -/wdg_tracking- -/web-analytics. -/web/analytics.$script -/web_analytics/* -/web_answertip. -/web_traffic_capture.js -/webabacus-$script -/WebAnalytics. -/webAnalytics/* -/webanalytics3. -/WebAnalyticsInclude. -/webbug.png? -/webbug/* -/webcounter/* -/webdig.js?z= -/webdig_test.js -/webforensics/* -/webiq. -/webiq/* -/webiq_ -/weblog.*?cookie -/weblog.js? -/weblog.php? -/weblog/*&refer= -/weblog_*&wlog_ -/WebLogScript. -/WebLogWriter. -/webmetricstracking. -/WebPageEventLogger. -/webrec/wr.do? -/WebStat.asmx -/webstat/cei_count.asp? -/WebStat2. -/webstat_ -/webstatistics.php? -/WebStatistik/*.pl? -/webstatistik/track.asp -/webstats.js -/webstats.php -/webstats/index? -/webstats/stat -/webstats/track.php? -/webstats_counter/* -/webtag.js -/webtrack. -/webtracker. -/webTracking. -/webtracking/*$~subdocument -/WebTrackingHandler. -/webtraffic.js -/webtraxs. -/WebTrendsAnalytics/* -/wego.farmer. -/wf/open?upn=$image -/where-go-add.js -/who/?js -/wholinked.com/track -/whoson_*_trackingonly.js -/wi?spot= -/widget/s.gif? -/wijitTrack.gif? -/WikiaStats/* -/wildfire/i/CIMP.gif? -/wiseRtSvcVisit. -/wjcounter- -/wjcounter. -/wjcountercore. -/wlexpert_tracker. -/wlexpert_tracker/* -/wlog.php? -/wmxtracker.js -/woopra.js -/worldwide_analytics/* -/wp-click-track/* -/wp-clickmap/* -/wp-content/plugins/stats/count.php? -/wp-content/tracker. -/wp-counter.php -/wp-js/analytics. -/wp-powerstat/* -/wp-slimstat/* -/wp-useronline/useronline. -/wp.gif?wpi -/wp_stat.php? -/wpblog.gif? -/wprum. -/wrapper/quantcast.swf -/Wrappers?cmd= -/WRb.js -/writelog. -/WritePartnerCookie?$third-party -/writrak. -/written-analytics. -/wstat.pl -/wstats.php? -/wt.js?http -/wt.pl?p= -/wt?p= -/wt_capi.js -/wtbase.js -/wtcore.js -/wtd.gif? -/wtid.js -/wtinit.js -/wusage_screen_properties.gif? -/wv326redirect_ -/WWTracking_ -/wysistat.js -/wz_logging. -/xboxcom_pv?c=$image -/xgemius. -/xgemius_lv. -/xgemius_v2. -/xgenius. -/xitcore-min.js -/xiti.js -/xitistatus.js -/xmint/?js -/xn_track. -/xstat.aspx? -/xtanalyzer_roi. -/xtclick. -/xtclicks-$script -/xtclicks. -/xtclicks_ -/xtcore_ -/xtcoreSimpleTag. -/xtplug. -/xtplugar. -/xtrack.php? -/xtrack.png? -/xtroi.js -/yahoo-beacon.js -/yahoo_marketing.js -/yahooBeacon. -/yahooTracker/* -/yalst/pixel*.php? -/yandex-metrika.js -/ybn_pixel/* -/yell-analytics- -/yell-analytics. -/youtube-track-event_ -/ystat.do -/ystat.js -/YuduStatistics/* -/z.inc.php? -/zag.gif? -/zagcookie. -/ZagUser.js -/zaius-min.js -/zaius.gif? -/zanox.js -/zdgurgler.min.js -/zemtracker. -/zonapixel. -/zone-log. -/ztagtrackedevent/* -/~r/Slashdot/slashdot/* -/~utm_gif? -://adclear.*/acc? -://adclear.*/acv? -://anx.*/anx.gif? -://apex.*/apexTarget? -://b.*/click? -://b.*/ping? -://b.*/vanity/? -://c.*/c.gif? -://c1.*/c.gif? -://click.*/open.aspx? -://email.*/blankpixel.gif -://eulerian.*/ea.js -://gdyn.*/1.gif? -://ivwextern. -://mint.*/?js -://piwik.$third-party -://sett.*/log.js -://sp.*/xyz?$image -://tracking.*/beacon/ -;manifest-analytics.js -=&cs_Referer= -=ATAtracker& -=get_preroll_cookie& -=googleanalytics_ -=stats&action= -=stats&apiVersion= -=track_view& -=widgetimpression& -=xtcore. -?&anticache=*filename.gif -?[AQB]&ndh=1&t= -?_siteid= -?act=counter& -?action=event& -?action=track_visitor& -?action=tracking_script -?affiliate=$third-party -?bstat= -?criteoTrack= -?event=General.track -?event=log& -?eventtype=impression&pid= -?eventtype=request&pid= -?googleTrack= -?hmtrackerjs= -?log=stats& -?log_visibility= -?pvid=*&pn= -?record&*&serve_js -?ref=*&itemcnt= -?service=settrace& -?stwc_cz= -?target-ref= -?token=*&sessionid=*&visitorid= -?trackingCategory= -?triggertags= -?url=*&id=*&res=*&ref= -?wpgb_public_action=*&referrer= -^name=atatracker^ -_.gif?ref= -_247seotracking. -_adcenterconversion. -_Analytics.js? -_analytics.php? -_artcl_log/ -_astatspro/ -_audience_pixel. -_baynote. -_beacon? -_browsermetrix. -_cedexis. -_chartbeat.js -_check.php?referer -_clickability/ -_Clicktale. -_clicktrack.asp? -_clickTracking. -_ComScore. -_contar_imp.php? -_directtrack.js -_effectivemeasure_tag.js -_empty.ad? -_event_stats. -_ga_code. -_ga_tag. -_gaTrack.js -_global_analytics_ -_google_analytics. -_googleAnalytics. -_googleAnalytics_ -_hptag.asis? -_i2a.js -_imp?Log= -_imp_logging? -_impressions.gif? -_landingLog/ -_logHuman= -_logimpressions. -_m10banners/tracking.php? -_metricsTagging. -_minder_tracking/ -_modal?referer= -_nedstat.js -_nielsen.js -_NielsenNetRatings. -_ntpagetag. -_OpinionLab/$script -_pages_tracker. -_performance_tracker- -_pixel_test/? -_pixelmap.js -_promo_id= -_pv_init? -_pv_log? -_quantcast.swf -_quantcast_tag. -_resource/analytics.js -_sdctag1_ -_sdctag2. -_semanticTag/ -_setAnalyticsFields& -_social_tracking. -_stat_counter.php? -_stats.js? -_stats/Logger? -_stats_log. -_Tacoda_ -_tag.ofs. -_tracker-active/ -_tracker.js. -_tracker.js? -_tracker.php?*http -_tracker_min. -_traf.ips? -_trafficTracking. -_trans_1px. -_url_tracking. -_web_stat.js -_webanalytics. -_webiq. -_wiselog_ -_wreport.fcgi? -_zag_cookie. -cgi-bin/counter -http://utm.$domain=~utm.md|~utoronto.ca -||meetrics.netbb- -! Adblock tracking --logabpstatus. -/adb.policy.js -/adblock?action= -/wp-admin/admin-ajax.php?action=adblockvisitor$~third-party -_adblock_stat. -_mongo_stats/ -! CDN-based filters -/cdn-cgi/pe/bag2?*.google-analytics.com -/cdn-cgi/pe/bag2?*bluekai.com -/cdn-cgi/pe/bag2?*bounceexchange.com -/cdn-cgi/pe/bag2?*cdn.onthe.io%2Fio.js -/cdn-cgi/pe/bag2?*chartbeat.js -/cdn-cgi/pe/bag2?*dnn506yrbagrg.cloudfront.net -/cdn-cgi/pe/bag2?*geoiplookup -/cdn-cgi/pe/bag2?*getblueshift.com -/cdn-cgi/pe/bag2?*google-analytics.com%2Fanalytics.js -/cdn-cgi/pe/bag2?*histats.com -/cdn-cgi/pe/bag2?*hs-analytics.net -/cdn-cgi/pe/bag2?*log.outbrain.com -/cdn-cgi/pe/bag2?*mc.yandex.ru -/cdn-cgi/pe/bag2?*newrelic.com -/cdn-cgi/pe/bag2?*nr-data.net -/cdn-cgi/pe/bag2?*optimizely.com -/cdn-cgi/pe/bag2?*piwik.js -/cdn-cgi/pe/bag2?*quantserve.com -/cdn-cgi/pe/bag2?*radarurl.com -/cdn-cgi/pe/bag2?*scorecardresearch.com -/cdn-cgi/pe/bag2?*static.getclicky.com%2Fjs -/cdn-cgi/pe/bag2?*viglink.com -/cdn-cgi/pe/bag2?*yieldbot.intent.js -! Russian rating sites -/img.php?id=*&page= -://ivw.*/get?referrer= -://top.*/count/cnt.php? -://top.*/hit/ -! -----------------Third-party tracking domains-----------------! -! *** easylist:easyprivacy/easyprivacy_trackingservers.txt *** -||0emm.com^$third-party -||0tracker.com^$third-party -||1-cl0ud.com^$third-party -||100im.info^$third-party -||103bees.com^$third-party -||105app.com^$third-party -||11nux.com^$third-party -||123count.com^$third-party -||149.13.65.144^$third-party -||195.10.245.55^$third-party -||1freecounter.com^$third-party -||1pel.com^$third-party -||200summit.com^$third-party -||204st.us^$third-party -||206solutions.com^$third-party -||208.88.226.75^$third-party,domain=~informer.com.ip -||212.227.100.108^$third-party -||216.18.184.18^$third-party,domain=~etahub.com.ip -||247ilabs.com^$third-party -||24businessnews.com^$third-party -||24counter.com^$third-party -||24log.com^$third-party -||2cnt.net^$third-party -||2o7.net^$third-party -||33across.com^$third-party -||360i.com^$third-party -||360tag.com^$third-party -||360tag.net^$third-party -||3dlivestats.com^$third-party -||3dstats.com^$third-party -||3gl.net^$third-party -||40nuggets.com^$third-party -||44-trk-srv.com^$third-party -||4oney.com^$third-party -||50greyofsha.de^$third-party -||55labs.com^$third-party -||62.160.52.73^$third-party -||66.228.52.30^$third-party -||67.228.151.70^$third-party -||6sc.co^$third-party -||72.172.88.25^$third-party -||720-trail.co.uk^$third-party -||74.55.82.102^$third-party -||77tracking.com^$third-party -||79.125.117.123^$third-party,domain=~amazon.cdn.ip.seen.on.cheapflight -||7bpeople.com^$third-party -||7eer.net^$third-party -||8020solutions.net^$third-party -||88infra-strat.com^$third-party -||99counters.com^$third-party -||99stats.com^$third-party -||9nl.eu^$third-party -||a-counters.com^$third-party -||a-pagerank.net^$third-party -||a013.com^$third-party -||a8.net^$third-party -||a8ww.net^$third-party -||aaddzz.com^$third-party -||aamsitecertifier.com^$third-party -||abcstats.com^$third-party -||ablsrv.com^$third-party -||abmr.net^$third-party -||absolstats.co.za^$third-party -||abtrcking.com^$third-party -||acc-hd.de^$third-party -||acceptableserver.com^$third-party -||access-analyze.org^$third-party -||access-traffic.com^$third-party -||accessintel.com^$third-party -||accumulatorg.com^$third-party -||acecounter.com^$third-party -||acestats.net^$third-party -||acetrk.com^$third-party -||acexedge.com^$third-party -||acint.net^$third-party -||acq.io^$third-party -||active-trk7.com^$third-party -||activeconversion.com^$third-party -||activemeter.com^$third-party -||activeprospects.com^$third-party -||actnx.com^$third-party -||acxiom-online.com^$third-party -||acxiomapac.com^$third-party -||ad-score.com^$third-party -||adalyser.com^$third-party -||adblade.com^$third-party -||adchemix.com^$third-party -||adchemy-content.com^$third-party -||adchemy.com^$third-party -||adclickstats.net^$third-party -||addfreestats.com^$third-party -||addlvr.com^$third-party -||adelixir.com^$third-party -||adfox.ru^$third-party -||adgreed.com^$third-party -||adheart.de^$third-party -||adinsight.co.kr^$third-party -||adinsight.com^$third-party -||adinsight.eu^$third-party -||adinte.jp^$third-party -||adku.co^$third-party -||adku.com^$third-party -||admantx.com^$third-party -||admitad.com^$third-party -||admother.com^$third-party -||adobedtm.com^$third-party -||adobetag.com^$third-party -||adoftheyear.com^$third-party -||adpies.com^$third-party -||adprotraffic.com^$third-party -||adrizer.com^$third-party -||adrta.com^$third-party -||adsensedetective.com^$third-party -||adspsp.com^$third-party -||adsymptotic.com^$third-party -||adtarget.me^$third-party -||adtelligence.de^$third-party -||adultblogtoplist.com^$third-party -||advanced-web-analytics.com^$third-party -||advconversion.com^$third-party -||adyapper.com^$third-party -||afairweb.com^$third-party -||affilae.com^$third-party -||affiliateedge.eu^$third-party -||affiliates-pro.com^$third-party -||affiliatetrackingsetup.com^$third-party -||affiliatly.com^$third-party -||affinesystems.com^$third-party -||affinitymatrix.com^$third-party -||affistats.com^$third-party -||agencytradingdesk.net^$third-party -||agentinteractive.com^$third-party -||agilone.com^$third-party -||agkn.com^$third-party -||aidata.io^$third-party -||aimediagroup.com^$third-party -||air2s.com^$third-party -||airpr.com^$third-party -||akanoo.com^$third-party -||akstat.com^$third-party -||akstat.io^$third-party -||alcmpn.com^$third-party -||alcvid.com^$third-party -||alenty.com^$third-party -||alexacdn.com^$third-party -||alexametrics.com^$third-party -||alltagcloud.info^$third-party -||alltracked.com^$third-party -||alnera.eu^$third-party -||altabold1.com^$third-party -||altastat.com^$third-party -||alvenda.com^$third-party -||alzexa.com^$third-party -||amadesa.com^$third-party -||amavalet.com^$third-party -||amazingcounters.com^$third-party -||ambercrow.com^$third-party -||amctp.net^$third-party -||amikay.com^$third-party -||amilliamilli.com^$third-party -||amung.us^$third-party -||amxdt.com^$third-party -||analoganalytics.com^$third-party -||analysistools.net^$third-party -||analytics-egain.com^$third-party -||analytics-engine.net^$third-party -||analyticswizard.com^$third-party -||analytk.com^$third-party -||anametrix.com^$third-party -||anametrix.net^$third-party -||anatid3.com^$third-party -||andagainanotherthing.com^$third-party -||andyetanotherthing.com^$third-party -||anexia-it.com^$third-party -||angelfishstats.com^$third-party -||angorch-cdr7.com^$third-party -||angsrvr.com^$third-party -||anonymousdmp.com^$third-party -||anrdoezrs.net^$third-party -||answerscloud.com^$third-party -||anti-cheat.info^$third-party -||anxiousapples.com^$third-party -||apexstats.com^$third-party -||apextwo.com^$third-party -||apicit.net^$third-party -||apollofind.com^$third-party -||app.link^$third-party -||appboycdn.com^$third-party -||aprtn.com^$third-party -||aprtx.com^$third-party -||aqtracker.com^$third-party -||arcadeweb.com^$third-party -||arch-nicto.com^$third-party -||arena-quantum.co.uk^$third-party -||arianelab.com^$third-party -||arkayne.com^$third-party -||arlime.com^$third-party -||arpuonline.com^$third-party -||arpxs.com^$third-party -||arrowpushengine.com^$third-party -||arsdev.net^$third-party -||artefact.is^$third-party -||arturtrack.com^$third-party -||assoctrac.com^$third-party -||astro-way.com^$third-party -||atatus.com^$third-party -||athenainstitute.biz^$third-party -||atoshonetwork.com^$third-party -||atticwicket.com^$third-party -||attracta.com^$third-party -||audience.visiblemeasures.com^$object-subrequest,third-party -||audienceamplify.com^$third-party -||audienceiq.com^$third-party -||audiencerate.com^$third-party -||audrte.com^$third-party -||authorinsights.com^$third-party -||auto-ping.com^$third-party -||autoaffiliatenetwork.com^$third-party -||autoaudience.com^$third-party -||autoid.com^$third-party -||avantlink.com^$third-party -||avastats.com^$third-party -||avazudsp.net^$third-party -||avenseo.com^$third-party -||avmws.com^$third-party -||awasete.com^$third-party -||awesomelytics.com^$third-party -||awin1.com^$third-party -||awmcounter.de^$third-party -||axf8.net^$third-party -||azalead.com^$third-party -||azera-s014.com^$third-party -||b1img.com^$third-party -||b1js.com^$third-party -||b2c.com^$third-party -||babator.com^$third-party -||bam-x.com^$third-party -||baptisttop1000.com^$third-party -||barilliance.net^$third-party -||basicstat.com^$third-party -||basilic.io^$third-party -||baynote.net^$third-party -||beacon.kmi-us.com^$third-party -||beanstalkdata.com^$third-party -||beanstock.com^$third-party -||bebj.com^$third-party -||beeftransmission.com^$third-party -||beemrdwn.com^$third-party -||beencounter.com^$third-party -||behavioralengine.com^$third-party -||belstat.at^$third-party -||belstat.be^$third-party -||belstat.ch^$third-party -||belstat.com^$third-party -||belstat.de^$third-party -||belstat.fr^$third-party -||belstat.nl^$third-party -||benchit.com^$third-party -||berg-6-82.com^$third-party -||best-top.de^$third-party -||bestcontactform.com^$~image,third-party -||bestweb2013stat.lk^$third-party -||betarget.com^$third-party -||betarget.net^$third-party -||bettermetrics.co^$third-party -||bfoleyinteractive.com^$third-party -||bidswitch.net^$third-party -||bigcattracks.com^$third-party -||bigmir.net^$third-party -||bigstats.net^$third-party -||bigtracker.com^$third-party -||bikepasture.com^$third-party -||bionicclick.com^$third-party -||bitrix.info^$third-party -||bizible.com^$third-party -||bizo.com^$third-party -||bizspring.net^$third-party -||bkrtx.com^$third-party -||bkvtrack.com^$third-party -||blizzardcheck.com^$third-party -||blockbreaker.io^$third-party -||blockmetrics.com^$third-party -||blog-stat.com^$third-party -||blogmeetsbrand.com^$third-party -||blogpatrol.com^$third-party -||blogrankers.com^$third-party -||blogreaderproject.com^$third-party -||blogscounter.com^$third-party -||blogsontop.com^$third-party -||blogtoplist.com^$third-party -||bluecava.com^$third-party -||blueconic.net^$third-party -||bluekai.com^$third-party -||blvdstatus.com^$third-party -||bm23.com^$third-party -||bm324.com^$third-party -||bmlmedia.com^$third-party -||bmmetrix.com^$third-party -||bnc.lt^$third-party -||bookforest.biz^$third-party -||boomerang.com.au^$third-party -||boomtrain.com^$third-party -||botsvisit.com^$third-party -||bouncex.com^$third-party -||branch.io^$third-party -||brat-online.ro^$third-party -||brcdn.com^$third-party -||bridgevine.com^$third-party -||brightedge.com^$third-party -||brilig.com^$third-party -||browser-statistik.de^$third-party -||brsrvr.com^$third-party -||bstk.co^$third-party -||bstn-14-ma.com^$third-party -||btbuckets.com^$third-party -||btstatic.com^$third-party -||btttag.com^$third-party -||bubblestat.com^$third-party -||bugherd.com^$third-party -||bugsnag.com^$third-party -||burstbeacon.com^$third-party -||burt.io^$third-party -||bux1le001.com^$third-party -||buzzdeck.com^$third-party -||bytemgdd.com^$third-party -||c-o-u-n-t.com^$third-party -||c-webstats.de^$third-party -||c.adroll.com^$third-party -||c.hit.ua^$third-party -||c1exchange.com^$third-party -||c3metrics.com^$third-party -||c3tag.com^$third-party -||c4tracking01.com^$third-party -||cache.am^$third-party -||cache.fm^$third-party -||cadreon.com^$third-party -||call-tracking.co.uk^$third-party -||callingjustified.com^$third-party -||callisto.fm^$third-party -||callmeasurement.com^$third-party -||callrail.com^$third-party -||calltrackingmetrics.com^$third-party -||calltracks.com^$third-party -||campaigncog.com^$third-party -||canddi.com^$third-party -||canopylabs.com^$third-party -||caphyon-analytics.com^$third-party -||captify.co.uk^$third-party -||captivate.ai^$third-party -||captora.com^$third-party -||capturly.com^$third-party -||cashburners.com^$third-party -||cashcount.com^$third-party -||castelein.nu^$third-party -||cbtrk.net^$third-party -||cccpmo.com^$third-party -||ccgateway.net^$third-party -||cdntrf.com^$third-party -||cedexis.com^$third-party -||cedexis.net^$third-party -||celebros-analytics.com^$third-party -||celebrus.com^$third-party -||centraltag.com^$third-party -||cetrk.com^$third-party -||cftrack.com^$third-party -||chartaca.com^$third-party -||chartbeat.com^$third-party -||chartbeat.net^$third-party -||checkmypr.net^$third-party -||checkstat.nl^$third-party -||cheezburger-analytics.com^$third-party -||chickensaladandads.com^$third-party -||christiantop1000.com^$third-party -||christmalicious.com^$third-party -||chrumedia.com^$third-party -||cint.com^$third-party -||circular-counters.com^$third-party -||clarifyingquack.com^$third-party -||claritytag.com^$third-party -||cleananalytics.com^$third-party -||clearviewstats.com^$third-party -||cleveritics.com^$third-party -||clevi.com^$third-party -||click-linking.com^$third-party -||click-url.com^$third-party -||click2meter.com^$third-party -||click4assistance.co.uk^$third-party -||clickable.net^$third-party -||clickaider.com^$third-party -||clickalyzer.com^$third-party -||clickclick.net^$third-party -||clickcloud.info^$third-party -||clickconversion.net^$third-party -||clickdensity.com^$third-party -||clickdimensions.com^$third-party -||clickening.com^$third-party -||clickforensics.com^$third-party -||clickigniter.io^$third-party -||clickinc.com^$third-party -||clickmanage.com^$third-party -||clickmeter.com^$third-party -||clickpathmedia.com^$third-party -||clickprotector.com^$third-party -||clickreport.com^$third-party -||clicksagent.com^$third-party -||clicksen.se^$third-party -||clickshift.com^$third-party -||clickstream.co.za^$third-party -||clicktale.net^$third-party -||clicktrack1.com^$third-party -||clicktracks.com^$third-party -||clickzs.com^$third-party -||clickzzs.nl^$third-party -||clixcount.com^$third-party -||clixpy.com^$third-party -||cloud-exploration.com^$third-party -||cloud-iq.com^$third-party -||cloudtracer101.com^$third-party -||clustrmaps.com^$third-party -||cmcintra.net^$third-party -||cmcore.com^$third-party -||cmmeglobal.com^$third-party -||cmptch.com^$third-party -||cnt1.net^$third-party -||cnxweb.com^$third-party -||cnzz.com^$third-party -||codata.ru^$third-party -||cogmatch.net^$third-party -||cognitivematch.com^$third-party -||collarity.com^$third-party -||collserve.com^$third-party -||commander1.com^$third-party -||company-target.com^$third-party -||compteur.cc^$third-party -||comradepony.com^$third-party -||confirmational.com^$third-party -||confirmit.com^$third-party -||contactmonkey.com^$third-party -||contemporaryceremonies.ca^$third-party -||content-square.net^$third-party -||content.ad^$third-party -||contentinsights.com^$third-party -||contentspread.net^$third-party -||continue.com^$third-party -||convergetrack.com^$third-party -||conversionlogic.net^$third-party -||conversionly.com^$third-party -||conversionruler.com^$third-party -||convertexperiments.com^$third-party -||convertglobal.com^$third-party -||convertmarketing.net^$third-party -||convertro.com^$third-party -||cooladata.com^$third-party -||copacast.net^$third-party -||copperegg.com^$third-party -||core-cen-54.com^$third-party -||coremetrics.com^$third-party -||coremotives.com^$third-party -||cormce.com^$third-party -||cost1action.com^$third-party -||countby.com^$third-party -||counter.gd^$third-party -||counter.top.kg^$third-party -||counter160.com^$third-party -||counterbot.com^$third-party -||countercentral.com^$third-party -||countergeo.com^$third-party -||counterland.com^$third-party -||counters4u.com^$third-party -||counterservis.com^$third-party -||countersforlife.com^$third-party -||countertracker.com^$third-party -||counterviews.net^$third-party -||counting4free.com^$third-party -||countingbiz.info^$third-party -||countomat.com^$third-party -||countz.com^$third-party -||cpcmanager.com^$third-party -||cpx.to^$third-party -||cqcounter.com^$third-party -||cquotient.com^$third-party -||craftkeys.com^$third-party -||craktraffic.com^$third-party -||crashfootwork.com^$third-party -||crazyegg.com^$third-party -||criteo.com^$third-party -||criteo.net^$third-party -||crmmetrix.fr^$third-party -||crmmetrixwris.com^$third-party -||crosspixel.net^$third-party -||crosswalkmail.com^$third-party -||crowdscience.com^$third-party -||crowdskout.com^$third-party -||crowdtwist.com^$third-party -||crsspxl.com^$third-party -||crwdcntrl.net^$third-party -||csdata1.com^$third-party -||csi-tracking.com^$third-party -||ctnsnet.com^$third-party -||cttracking02.com^$third-party -||customer.io^$third-party -||customerconversio.com^$third-party -||customerdiscoverytrack.com^$third-party -||cxense.com^$third-party -||cxt.ms^$third-party -||cya2.net^$third-party -||cybermonitor.com^$third-party -||cytoclause.com^$third-party -||dable.io^$third-party -||dacounter.com^$third-party -||dadi.technology^$third-party -||dailycaller-alerts.com^$third-party -||dapxl.com^$third-party -||dashboard.io^$third-party -||data-analytics.jp^$third-party -||databrain.com^$third-party -||datacaciques.com^$third-party -||datafeedfile.com^$third-party -||datam.com^$third-party -||datamind.ru^$third-party -||dataperforma.com^$third-party -||dataxpand.com^$third-party -||datvantage.com^$third-party -||daylife-analytics.com^$third-party -||daylogs.com^$third-party -||dc-storm.com^$third-party -||dc.tremormedia.com^$third-party -||ddm.io^$third-party -||decdna.net^$third-party -||decibelinsight.net^$third-party -||decideinteractive.com^$third-party -||declaredthoughtfulness.co^$third-party -||deepattention.com^$third-party -||dejavu.mlapps.com^$third-party -||demandbase.com^$third-party -||demdex.net^$third-party -||deqwas.net^$third-party -||devatics.com^$third-party -||device9.com^$third-party -||dgmsearchlab.com^$third-party -||dhmtracking.co.za^$third-party -||dialogtech.com^$third-party -||did-it.com^$third-party -||didit.com^$third-party -||diffusion-tracker.com^$third-party -||digdeepdigital.com.au^$third-party -||digitaloptout.com^$third-party -||digitaltarget.ru^$third-party -||dignow.org^$third-party -||dimestore.com^$third-party -||dimml.io^$third-party -||dinkstat.com^$third-party -||directrdr.com^$third-party -||discover-path.com^$third-party -||discovertrail.net^$third-party -||displaymarketplace.com^$third-party -||distiltag.com^$third-party -||distralytics.com^$third-party -||djers.com^$third-party -||dlrowehtfodne.com^$third-party -||dmanalytics1.com^$third-party -||dmclick.cn^$third-party -||dmd53.com^$third-party -||dmpxs.com^$third-party -||dmtracker.com^$third-party -||dmtry.com^$third-party -||doclix.com^$third-party -||dominocounter.net^$third-party -||domodomain.com^$third-party -||dotomi.com^$third-party -||doubleclick.net/activity$third-party -||doubleclick.net/imp%$third-party -||doubleclick.net/imp;$third-party -||doubleclick.net/json?$third-party -||doubleclick.net/pixel?$third-party -||doubleclick.net^$image,third-party -||doubleclick.net^*/trackimp/$third-party -||downture.in^$third-party -||dpbolvw.net^$third-party -||dps-reach.com^$third-party -||dsmmadvantage.com^$third-party -||dsparking.com^$third-party -||dsply.com^$third-party -||dstrack2.info^$third-party -||dtc-v6t.com^$third-party -||dti-ranker.com^$third-party -||dtscout.com^$third-party -||dummy-domain-do-not-change.com^$third-party -||dv0.info^$third-party -||dwin1.com^$third-party -||dwin2.com^$third-party -||dynatracesaas.com^$third-party -||dyntrk.com^$third-party -||e-pagerank.net^$third-party -||e-referrer.com^$third-party -||e-webtrack.net^$third-party -||e-zeeinternet.com^$third-party -||earnitup.com^$third-party -||easy-hit-counters.com^$third-party -||easycounter.com^$third-party -||easyhitcounters.com^$third-party -||easyresearch.se^$third-party -||ebtrk1.com^$third-party -||ec-track.com^$third-party -||eclampsialemontree.net^$third-party -||ecn5.com^$third-party -||ecommstats.com^$third-party -||ecsanalytics.com^$third-party -||ecustomeropinions.com^$third-party -||edgeadx.net^$third-party -||edigitalsurvey.com^$third-party -||ekmpinpoint.co.uk^$third-party -||ekmpinpoint.com^$third-party -||ela-3-tnk.com^$third-party -||electusdigital.com^$third-party -||elite-s001.com^$third-party -||elitics.com^$third-party -||eloqua.com^$~stylesheet,third-party -||email-match.com^$third-party -||embeddedanalytics.com^$third-party -||emediatrack.com^$third-party -||emjcd.com^$third-party -||emltrk.com^$third-party -||enecto.com^$third-party -||enectoanalytics.com^$third-party -||engagemaster.com^$third-party -||engagio.com^$third-party -||engine212.com^$third-party -||engine64.com^$third-party -||enhance.com^$third-party -||enquisite.com^$third-party -||ensighten.com^$third-party -||enticelabs.com^$third-party -||eperfectdata.com^$third-party -||epilot.com^$third-party -||epiodata.com^$third-party -||epitrack.com^$third-party -||eproof.com^$third-party -||eps-analyzer.de^$third-party -||ereportz.com^$third-party -||esearchvision.com^$third-party -||esm1.net^$third-party -||esomniture.com^$third-party -||estara.com^$third-party -||estat.com^$third-party -||estrack.net^$third-party -||etahub.com^$third-party -||etherealhakai.com^$third-party -||ethn.io^$third-party -||ethnio.com^$third-party -||etracker.com^$third-party -||etrafficcounter.com^$third-party -||etrafficstats.com^$third-party -||etrigue.com^$third-party -||etyper.com^$third-party -||eu-survey.com^$third-party -||eulerian.net^$third-party -||euleriancdn.net^$third-party -||eum-appdynamics.com^$third-party -||europagerank.com^$third-party -||europuls.eu^$third-party -||europuls.net^$third-party -||evanetpro.com^$third-party -||eventoptimize.com^$third-party -||everestjs.net^$third-party -||everesttech.net^$third-party -||evergage.com^$third-party -||evisitanalyst.com^$third-party -||evisitcs.com^$third-party -||evisitcs2.com^$third-party -||evolvemediametrics.com^$third-party -||evyy.net^$third-party -||ewebanalytics.com^$third-party -||ewebcounter.com^$third-party -||exactag.com^$third-party -||exclusiveclicks.com^$third-party -||exelator.com^$third-party -||exitmonitor.com^$third-party -||exovueplatform.com^$third-party -||explore-123.com^$third-party -||exposebox.com^$third-party -||extole.com^$third-party -||extole.io^$third-party -||extreme-dm.com^$third-party -||eyein.com^$third-party -||ezec.co.uk^$third-party -||ezytrack.com^$third-party -||fabricww.com^$third-party -||factortg.com^$third-party -||fallingfalcon.com^$third-party -||fandommetrics.com^$third-party -||fanplayr.com^$third-party -||farmer.wego.com^$third-party -||fast-thinking.co.uk^$third-party -||fastanalytic.com^$third-party -||fastly-analytics.com^$third-party -||fastonlineusers.com^$third-party -||fastwebcounter.com^$third-party -||fathomseo.com^$third-party -||fcs.ovh^$third-party -||fdxstats.xyz^$third-party -||feedcat.net^$third-party -||feedjit.com^$third-party -||feedperfect.com^$third-party -||fetchback.com^$third-party -||fiksu.com^$third-party -||filitrac.com^$third-party -||finalid.com^$third-party -||find-ip-address.org^$third-party -||finderlocator.com^$third-party -||fishhoo.com^$third-party -||fitanalytics.com^$third-party -||flagcounter.com^$third-party -||flash-counter.com^$third-party -||flash-stat.com^$third-party -||flashadengine.com^$third-party -||flashgamestats.com^$third-party -||flcounter.com^$third-party -||flix360.com^$third-party -||flixfacts.co.uk^$third-party -||flixsyndication.net^$third-party -||flowstats.net^$third-party -||fluctuo.com^$third-party -||fluencymedia.com^$third-party -||fluidsurveys.com^$third-party -||flurry.com^$third-party -||flx1.com^$third-party -||flxpxl.com^$third-party -||flyingpt.com^$third-party -||followercounter.com^$third-party -||fonderredd.info^$third-party -||footprintdns.com^$third-party -||footprintlive.com^$third-party -||force24.co.uk^$third-party -||forensics1000.com^$third-party -||foreseeresults.com^$third-party -||forkcdn.com^$third-party -||formalyzer.com^$third-party -||formisimo.com^$third-party -||forter.com^$third-party -||foundry42.com^$third-party -||fpctraffic2.com^$third-party -||fprnt.com^$third-party -||fqsecure.com^$third-party -||fqtag.com^$third-party -||free-counter.co.uk^$third-party -||free-counter.com^$third-party -||free-counters.co.uk^$third-party -||free-website-hit-counters.com^$third-party -||free-website-statistics.com^$third-party -||freebloghitcounter.com^$third-party -||freecountercode.com^$third-party -||freecounterstat.com^$third-party -||freegeoip.net^$third-party -||freehitscounter.org^$third-party -||freelogs.com^$third-party -||freeonlineusers.com^$third-party -||freesitemapgenerator.com^$third-party -||freestats.com^$third-party -||freetrafficsystem.com^$third-party -||freeusersonline.com^$third-party -||freeweblogger.com^$third-party -||frescoerspica.com^$third-party -||freshcounter.com^$third-party -||freshplum.com^$third-party -||friendbuy.com^$third-party -||fruitflan.com^$third-party -||fshka.com^$third-party -||ftbpro.com^$third-party -||fueldeck.com^$third-party -||fugetech.com^$third-party -||funneld.com^$third-party -||funstage.com^$third-party -||fuse-data.com^$third-party -||fusestats.com^$third-party -||fuziontech.net^$third-party -||fyreball.com^$third-party -||gaug.es^$third-party -||gbotvisit.com^$third-party -||gear5.me^$third-party -||geistm.com^$third-party -||gemius.pl^$third-party -||gemtrackers.com^$third-party -||genieesspv.jp^$third-party -||geobytes.com^$third-party -||geoplugin.net^$third-party -||georiot.com^$third-party -||getbackstory.com^$third-party -||getblueshift.com^$third-party -||getclicky.com^$third-party -||getconversion.net^$third-party -||getdrip.com^$third-party -||getetafun.info^$third-party -||getfreebl.com^$third-party -||getsmartlook.com^$third-party -||getstatistics.se^$third-party -||gez.io^$third-party -||gigcount.com^$third-party -||gim.co.il^$third-party -||glanceguide.com^$third-party -||glbtracker.com^$third-party -||globalviptraffic.com^$third-party -||globalwebindex.net^$third-party -||globase.com^$third-party -||globel.co.uk^$third-party -||globetrackr.com^$third-party -||go-mpulse.net^$third-party -||goaltraffic.com^$third-party -||godhat.com^$third-party -||goingup.com^$third-party -||goldstats.com^$third-party -||goneviral.com^$third-party -||goodcounter.org^$third-party -||google-analytics.com/analytics.js -||google-analytics.com/collect -||google-analytics.com/cx/api.js -||google-analytics.com/ga_exp.js -||google-analytics.com/gtm/js? -||google-analytics.com/internal/analytics.js -||google-analytics.com/internal/collect^ -||google-analytics.com/plugins/ -||google-analytics.com/r/collect^ -||google-analytics.com/siteopt.js? -||googleadservices.com^$third-party -||googlerank.info^$third-party -||googletagmanager.com/gtm.js?$third-party -||gooo.al^$third-party -||gopjn.com^$third-party -||gosquared.com^$third-party -||gostats.com^$third-party -||gostats.org^$third-party -||gostats.ro^$third-party -||govmetric.com^$third-party -||grapheffect.com^$third-party -||gravity4.com^$third-party -||grepdata.com^$third-party -||grmtech.net^$third-party -||group-ib.ru^$third-party -||gsecondscreen.com^$third-party -||gsimedia.net^$third-party -||gsspat.jp^$third-party -||gssprt.jp^$third-party -||gstats.cn^$third-party -||gtcslt-di2.com^$third-party -||gtopstats.com^$third-party -||guanoo.net^$third-party -||guardwork.info^$third-party -||guruquicks.net^$third-party -||gvisit.com^$third-party -||gweini.com^$third-party -||h4k5.com^$third-party -||halldata.com^$third-party -||halstats.com^$third-party -||haraju.co^$third-party -||haveamint.com^$third-party -||haymarket.com^$third-party -||heapanalytics.com^$third-party -||heatmap.it^$third-party -||hellosherpa.com^$third-party -||hentaicounter.com^$third-party -||hexagon-analytics.com^$third-party -||heystaks.com^$third-party -||hiconversion.com^$third-party -||higherengine.com^$third-party -||highmetrics.com^$third-party -||histats.com^$third-party -||hit-counter-download.com^$third-party -||hit-counter.info^$third-party -||hit-counters.net^$third-party -||hit-counts.com^$third-party -||hit-parade.com^$third-party -||hit2map.com^$third-party -||hitbox.com^$third-party -||hitcounterstats.com^$third-party -||hitfarm.com^$third-party -||hitmatic.com^$third-party -||hitmaze-counters.net^$third-party -||hits.io^$third-party -||hits2u.com^$third-party -||hitslink.com^$third-party -||hitslog.com^$third-party -||hitsniffer.com^$third-party -||hitsprocessor.com^$third-party -||hittail.com^$third-party -||hittracker.com^$third-party -||hitwake.com^$third-party -||hitwebcounter.com^$third-party -||hlserve.com^$third-party -||homechader.com^$third-party -||honeybadger.io^$third-party -||hopurl.org^$third-party -||host-tracker.com^$third-party -||hostip.info^$third-party -||hoststats.info^$third-party -||hotdogsandads.com^$third-party -||hotjar.com^$third-party -||hotlog.ru^$third-party -||hqhrt.com^$third-party -||hs-analytics.net^$third-party -||hudb.pl^$third-party -||humanclick.com^$third-party -||hunt-leads.com^$third-party -||hurra.com^$third-party -||hurterkranach.net^$third-party -||hwpub.com^$third-party -||hxtrack.com^$third-party -||hyfntrak.com^$third-party -||hyperactivate.com^$third-party -||hypestat.com^$third-party -||i-stats.com^$third-party -||iadvize.com^$third-party -||ib-ibi.com^$third-party -||ibpxl.com^$third-party -||ibpxl.net^$third-party -||ic-live.com^$third-party -||iclive.com^$third-party -||ics0.com^$third-party -||icstats.nl^$third-party -||id-visitors.com^$third-party -||ideoclick.com^$third-party -||idio.co^$third-party -||idtargeting.com^$third-party -||iesnare.com^$third-party -||ifactz.com^$third-party -||igaming.biz^$third-party -||ijncw.tv^$third-party -||iljmp.com^$third-party -||illumenix.com^$third-party -||ilogbox.com^$third-party -||imanginatium.com^$third-party -||immanalytics.com^$third-party -||impcounter.com^$third-party -||imrtrack.com^$third-party -||imrworldwide.com^$third-party -||inboxtag.com^$third-party -||incentivesnetwork.net^$third-party -||index.ru^$third-party -||indexstats.com^$third-party -||indextools.com^$third-party -||indicia.com^$third-party -||individuad.net^$third-party -||ineedhits.com^$third-party -||inferclick.com^$third-party -||infinigraph.com^$third-party -||infinity-tracking.net^$third-party -||inflectionpointmedia.com^$third-party -||influid.co^$third-party -||inimbus.com.au^$third-party -||innomdc.com^$third-party -||innovateads.com^$third-party -||inphonic.com^$third-party -||inpwrd.com^$third-party -||inside-graph.com^$third-party -||insightera.com^$third-party -||insightgrit.com^$third-party -||insigit.com^$third-party -||insitemetrics.com^$third-party -||inspectlet.com^$third-party -||instadia.net^$third-party -||instapage.com^$third-party -||instore.biz^$third-party -||integritystat.com^$third-party -||intelevance.com^$third-party -||intelimet.com^$third-party -||intelli-direct.com^$third-party -||intelli-tracker.com^$third-party -||intelligencefocus.com^$third-party -||intellimize.co^$third-party -||interceptum.com^$third-party -||intergient.com^$third-party -||intermundomedia.com^$third-party -||interstateanalytics.com^$third-party -||intervigil.com^$third-party -||invitemedia.com^$third-party -||invoc.us^$third-party -||invoca.net^$third-party -||invoca.solutions^$third-party -||ip-api.com^$third-party -||ip-label.net^$third-party -||ip2location.com^$third-party -||ip2map.com^$third-party -||ip2phrase.com^$third-party -||ipaddresslabs.com^$third-party -||ipcatch.com^$third-party -||ipcounter.de^$third-party -||iperceptions.com^$third-party -||ipfingerprint.com^$third-party -||ipify.org^$third-party -||ipinfo.info^$third-party -||ipinfo.io^$third-party -||ipinfodb.com^$third-party -||ipinyou.com.cn^$third-party -||iplocationtools.com^$third-party -||ipro.com^$third-party -||ipstat.com^$third-party -||ipv6monitoring.eu^$third-party -||iqfp1.com^$third-party -||irelandmetrix.ie^$third-party -||ironbeast.io^$third-party -||ist-track.com^$third-party -||istrack.com^$third-party -||itrac.it^$third-party -||itrackerpro.com^$third-party -||itracmediav4.com^$third-party -||ivcbrasil.org.br^$third-party -||ivwbox.de^$third-party -||iwebtrack.com^$third-party -||iwstats.com^$third-party -||ixiaa.com^$third-party -||izea.com^$third-party -||izearanks.com^$third-party -||jdoqocy.com^$third-party -||jimdo-stats.com^$third-party -||jirafe.com^$third-party -||jscounter.com^$third-party -||jsid.info^$third-party -||jsonip.com^$third-party -||jstracker.com^$third-party -||jump-time.net^$third-party -||jumptime.com^$third-party -||justuno.com^$third-party -||jwmstats.com^$third-party -||k-analytix.com^$third-party -||kameleoon.com^$third-party -||kameleoon.eu^$third-party -||kampyle.com^$third-party -||keen.io^$third-party,domain=~keen.github.io|~keen.io -||keyade.com^$third-party -||keymetric.net^$third-party -||keywee.co^$third-party -||keywordmax.com^$third-party -||keywordstrategy.org^$third-party -||kieden.com^$third-party -||killerwebstats.com^$third-party -||kissmetrics.com^$third-party -||kisstesting.com^$third-party -||kitbit.net^$third-party -||kitcode.net^$third-party -||klert.com^$third-party -||klldabck.com^$third-party -||knowlead.io^$third-party -||knowledgevine.net^$third-party -||komtrack.com^$third-party -||kontagent.net^$third-party -||kopsil.com^$third-party -||kqzyfj.com^$third-party -||krxd.net^$third-party -||ksyrium0014.com^$third-party -||l2.visiblemeasures.com^$object-subrequest,third-party -||landingpg.com^$third-party -||lansrv030.com^$third-party -||lasagneandands.com^$third-party -||lead-123.com^$third-party -||lead-converter.com^$third-party -||lead-tracking.biz^$third-party -||leadforce1.com^$third-party -||leadforensics.com^$third-party -||leadformix.com^$third-party -||leadid.com^$third-party -||leadin.com^$third-party -||leadintelligence.co.uk^$third-party -||leadlife.com^$third-party -||leadmanagerfx.com^$third-party -||leadsius.com^$third-party -||leadsrx.com^$third-party -||legolas-media.com^$third-party -||les-experts.com^$third-party -||letterboxtrail.com^$third-party -||levexis.com^$third-party -||lexity.com^$third-party -||lfov.net^$third-party -||liadm.com^$third-party -||lijit.com^$third-party -||limbik.io^$third-party -||linezing.com^$third-party -||link-smart.com^$third-party -||linkconnector.com^$third-party -||linkpulse.com^$third-party -||linksynergy.com^$third-party -||linkxchanger.com^$third-party -||listrakbi.com^$third-party -||livecount.fr^$third-party -||livehit.net^$third-party -||livesegmentservice.com^$third-party -||livestat.com^$third-party -||lloogg.com^$third-party -||localytics.com^$third-party -||lockview.cn^$third-party -||locotrack.net^$third-party -||logaholic.com^$third-party -||logcounter.com^$third-party -||logdy.com^$third-party -||logentries.com^$third-party -||loggly.com^$third-party -||lognormal.net^$third-party -||logsss.com^$third-party -||lookery.com^$third-party -||loopfuse.net^$third-party -||lopley.com^$third-party -||losstrack.com^$third-party -||lp4.io^$third-party -||lpbeta.com^$third-party -||lporirxe.com^$third-party -||lsfinteractive.com^$third-party -||lucidel.com^$third-party -||luckyorange.com^$third-party -||luckyorange.net^$third-party -||lumatag.co.uk^$third-party -||luminate.com^$third-party -||lxtrack.com^$third-party -||lymantriacypresdoctrine.biz^$third-party -||lypn.com^$third-party -||lypn.net^$third-party -||lytics.io^$third-party -||lytiks.com^$third-party -||m-pathy.com^$third-party -||m1ll1c4n0.com^$third-party -||m6r.eu^$third-party -||macandcheeseandads.com^$third-party -||magiq.com^$third-party -||magnetmail1.net^$third-party -||magnify360.com^$third-party -||mailstat.us^$third-party -||maploco.com^$third-party -||mapmyuser.com^$third-party -||marinsm.com^$third-party -||market015.com^$third-party -||market2lead.com^$third-party -||marketizator.com^$third-party -||marketo.net^$third-party -||markitondemand.com^$third-party -||martianstats.com^$third-party -||masterstats.com^$third-party -||matheranalytics.com^$third-party -||mathtag.com^$third-party -||maxtracker.net^$third-party -||maxymiser.com^$third-party -||maxymiser.net^$third-party -||mb4a.com^$third-party -||mbid.io^$third-party -||mbotvisit.com^$third-party -||mbsy.co^$third-party -||mbww.com^$third-party -||md-ia.info^$third-party -||mdotlabs.com^$third-party -||measure.ly^$third-party -||measuremap.com^$third-party -||measurementapi.com^$third-party -||meatballsandads.com^$third-party -||mediaarmor.com^$third-party -||mediaforgews.com^$third-party -||mediagauge.com^$third-party -||mediametrics.ru^$third-party -||mediaplex.com^$third-party -||mediarithmics.com^$third-party -||mediaseeding.com^$third-party -||mediego.com^$third-party -||mega-stats.com^$third-party -||memecounter.com^$third-party -||mercadoclics.com^$third-party -||mercent.com^$third-party -||metakeyproducer.com^$third-party -||meteorsolutions.com^$third-party -||metricsdirect.com^$third-party -||mezzobit.com^$third-party -||mialbj6.com^$third-party -||micpn.com^$third-party -||midas-i.com^$third-party -||midkotatraffic.net^$third-party -||millioncounter.com^$third-party -||minewhat.com^$third-party -||mixpanel.com^$third-party -||mkt3261.com^$third-party -||mkt51.net^$third-party -||mkt941.com^$third-party -||mktoresp.com^$third-party -||ml314.com^$third-party -||mlclick.com^$third-party -||mletracker.com^$third-party -||mlno6.com^$third-party -||mlstat.com^$third-party -||mm7.net^$third-party -||mmccint.com^$third-party -||mmetrix.mobi^$third-party -||mmi-agency.com^$third-party -||mno.link^$third-party -||mobalyzer.net^$third-party -||mochibot.com^$third-party -||monetate.net^$third-party -||mongoosemetrics.com^$third-party -||monitis.com^$third-party -||monitus.net^$third-party -||motrixi.com^$third-party -||mouse3k.com^$third-party -||mouseflow.com^$third-party -||mousestats.com^$third-party -||mousetrace.com^$third-party -||movable-ink-6710.com^$third-party -||mplxtms.com^$third-party -||mpstat.us^$third-party -||msgapp.com^$third-party -||msgtag.com^$third-party -||msparktrk.com^$third-party -||mstracker.net^$third-party -||mtracking.com^$third-party -||mtrics.cdc.gov^$third-party -||mucocutaneousmyrmecophaga.com^$third-party -||mvilivestats.com^$third-party -||mvtracker.com^$third-party -||mxcdn.net^$third-party -||mxpnl.com^$third-party -||mxptint.net^$third-party -||myaffiliateprogram.com^$third-party -||mybloglog.com^$third-party -||myfastcounter.com^$third-party -||mynewcounter.com^$third-party -||myntelligence.com^$third-party -||myomnistar.com^$third-party -||mypagerank.net^$third-party -||myreferer.com^$third-party -||myroitracking.com^$third-party -||myseostats.com^$third-party -||mysitetraffic.net^$third-party -||mysocialpixel.com^$third-party -||mytictac.com^$third-party -||myusersonline.com^$third-party -||myvisualiq.net^$third-party -||mywebstats.com.au^$third-party -||mywebstats.org^$third-party -||naayna.com^$third-party -||naj.sk^$third-party -||nakanohito.jp^$third-party -||nalook.com^$third-party -||nanovisor.io^$third-party -||native.ai^$third-party -||natpal.com^$third-party -||naturaltracking.com^$third-party -||navdmp.com^$third-party -||navegg.com^$third-party -||navigator.io^$third-party -||navilytics.com^$third-party -||naytev.com^$third-party -||ndf81.com^$third-party -||ndg.io^$third-party -||neatstats.com^$third-party -||nedstat.com^$third-party -||nedstat.net^$third-party -||nedstatbasic.net^$third-party -||nedstatpro.net^$third-party -||neki.org^$third-party -||nerfherdersolo.com^$third-party -||nero.live^$third-party -||nestedmedia.com^$third-party -||net-filter.com^$third-party -||netaffiliation.com^$script,third-party -||netapplications.com^$third-party -||netbiscuits.net^$third-party -||netclickstats.com^$third-party -||netflame.cc^$third-party -||netgraviton.net^$third-party -||netinsight.co.kr^$third-party -||netmining.com^$third-party -||netmng.com^$third-party -||netratings.com^$third-party -||newpoints.info^$third-party -||newscurve.com^$third-party -||newstatscounter.info^$third-party -||nexeps.com^$third-party -||nextstat.com^$third-party -||ngmco.net^$third-party -||nicewii.com^$third-party -||niftymaps.com^$third-party -||nik.io^$third-party -||noowho.com^$third-party -||nordicresearch.com^$third-party -||notifyvisitors.com^$third-party -||novately.com^$third-party -||nowinteract.com^$third-party -||npario-inc.net^$third-party -||nprove.com^$third-party -||nr-data.net^$third-party -||nr7.us^$third-party -||ns1p.net^$third-party -||nstracking.com^$third-party -||nuconomy.com^$third-party -||nudatasecurity.com^$third-party -||nuggad.net^$third-party -||nuloox.com^$third-party -||numerino.cz^$third-party -||nyctrl32.com^$third-party -||nytlog.com^$third-party -||observerapp.com^$third-party -||octavius.rocks^$third-party -||od.visiblemeasures.com^$object-subrequest,third-party -||odesaconflate.com^$third-party -||odoscope.com^$third-party -||offermatica.com^$third-party -||offerpoint.net^$third-party -||offerstrategy.com^$third-party -||ogt.jp^$third-party -||ohmystats.com^$third-party -||oidah.com^$third-party -||ojrq.net^$third-party -||okt.to^$third-party -||oktopost.com^$third-party -||omarsys.com^$third-party -||omeda.com^$third-party -||ometria.com^$third-party -||omgpm.com^$third-party -||omguk.com^$third-party -||omkt.co^$third-party -||omtrdc.net^$third-party -||ondu.ru^$third-party -||onecount.net^$third-party -||onefeed.co.uk^$third-party -||onelink-translations.com^$third-party -||onestat.com^$third-party -||onetag-sys.com^$third-party -||ongsono.com^$third-party -||online-media-stats.com^$third-party -||online-metrix.net^$third-party -||online-right-now.net^$third-party -||onlysix.co.uk^$third-party -||opbandit.com^$third-party -||openclick.com^$third-party -||openhit.com^$third-party -||openstat.net^$third-party -||opentracker.net^$third-party -||openvenue.com^$third-party -||openxtracker.com^$third-party -||oproi.com^$third-party -||optify.net^$third-party -||optimahub.com^$third-party -||optimix.asia^$third-party -||optimizely.com^$third-party -||optimost.com^$third-party -||optin-machine.com^$third-party -||optorb.com^$third-party -||optreadetrus.info^$third-party -||oranges88.com^$third-party -||orcapia.com^$third-party -||os-data.com^$third-party -||ositracker.com^$third-party -||ospserver.net^$third-party -||otoshiana.com^$third-party -||otracking.com^$third-party -||ournet-analytics.com^$third-party -||outbid.io^$third-party -||outboundlink.me^$third-party -||overstat.com^$third-party -||owlanalytics.io^$third-party -||ownpage.fr^$third-party -||oxidy.com^$third-party -||p-td.com^$third-party -||p.l1v.ly^$third-party -||p.raasnet.com^$third-party -||p0.raasnet.com^$third-party -||pa-oa.com^$third-party -||pagefair.com^$third-party -||pages05.net^$third-party -||paidstats.com^$third-party -||parklogic.com^$third-party -||parrable.com^$third-party -||pass-1234.com^$third-party -||pathful.com^$third-party -||pc1.io^$third-party -||pclicks.com^$third-party -||pcspeedup.com^$third-party -||peerius.com^$third-party -||percentmobile.com^$third-party -||perfdrive.com^$third-party -||perfectaudience.com^$third-party -||perfiliate.com^$third-party -||performanceanalyser.net^$third-party -||performancerevenues.com^$third-party -||performtracking.com^$third-party -||perimeterx.net^$third-party -||perion.com^$third-party -||permutive.com^$third-party -||personyze.com^$third-party -||petametrics.com^$third-party -||phonalytics.com^$third-party -||phone-analytics.com^$third-party -||photorank.me^$third-party -||pi-stats.com^$third-party -||pickzor.com^$third-party -||pikzor.com^$third-party -||ping-fast.com^$third-party -||pingagenow.com^$third-party -||pingdom.net^$third-party -||pingil.com^$third-party -||pingomatic.com^$third-party -||pipfire.com^$third-party -||pippio.com^$third-party -||pixel.ad^$third-party -||pixel.parsely.com^$third-party -||pixel.watch^$third-party -||pixeleze.com^$third-party -||pixelinteractivemedia.com^$third-party -||pixelrevenue.com^$third-party -||pixelsnippet.com^$third-party -||pizzaandads.com^$third-party -||pjatr.com^$third-party -||pjtra.com^$third-party -||placemypixel.com^$third-party -||platformpanda.com^$third-party -||plecki.com^$third-party -||pleisty.com^$third-party -||plexop.com^$third-party -||plugin.ws^$third-party -||plwosvr.net^$third-party -||pm0.net^$third-party -||pm14.com^$third-party -||pntra.com^$third-party -||pntrac.com^$third-party -||pntrs.com^$third-party -||pointomatic.com^$third-party -||polarmobile.com^$third-party -||popsample.com^$third-party -||populr.me^$third-party -||porngraph.com^$third-party -||portfold.com^$third-party -||posst.co^$third-party -||postaffiliatepro.com^$third-party -||postclickmarketing.com^$third-party -||ppclocation.biz^$third-party -||ppctracking.net^$third-party -||prchecker.info^$third-party -||precisioncounter.com^$third-party -||predicta.net^$third-party -||predictivedna.com^$third-party -||predictiveresponse.net^$third-party -||prfct.co^$third-party -||prnx.net^$third-party -||proclivitysystems.com^$third-party -||profilertracking3.com^$third-party -||profilesnitch.com^$third-party -||projecthaile.com^$third-party -||projectsunblock.com^$third-party -||promotionengine.com^$third-party -||proofpositivemedia.com^$third-party -||provenpixel.com^$third-party -||proxad.net^$third-party -||prtracker.com^$third-party -||pstats.com^$third-party -||psyma-statistics.com^$third-party -||ptengine.com^$third-party -||ptengine.jp^$third-party -||pto-slb-09.com^$third-party -||ptp123.com^$third-party -||ptrk-wn.com^$third-party -||publicidees.com^$third-party -||publishflow.com^$third-party -||pulleymarketing.com^$third-party -||pulselog.com^$third-party -||pulsemaps.com^$third-party -||pureairhits.com^$third-party -||purevideo.com^$third-party -||putags.com^$third-party -||pxi.pub^$third-party -||pzkysq.pink^$third-party -||q-counter.com^$third-party -||q-stats.nl^$third-party -||qbaka.net^$third-party -||qbop.com^$third-party -||qdtracking.com^$third-party -||qlfsat.co.uk^$third-party -||qoijertneio.com^$third-party -||qsstats.com^$third-party -||quantcount.com^$third-party -||quantserve.com/api/ -||quantserve.com/pixel/$object-subrequest,third-party -||quantserve.com^$~object-subrequest,third-party -||quantserve.com^*.swf?$object-subrequest,third-party -||quantserve.com^*^a=$object-subrequest,third-party -||qubitproducts.com^$third-party -||questionpro.com^$third-party -||questradeaffiliates.com^$third-party -||quillion.com^$third-party -||quintelligence.com^$third-party -||qzlog.com^$third-party -||r7ls.net^$third-party -||radarstats.com^$third-party -||radarurl.com^$third-party -||radiomanlibya.com^$third-party -||rampanel.com^$third-party -||rampmetrics.com^$third-party -||rank-hits.com^$third-party -||rankingpartner.com^$third-party -||rankinteractive.com^$third-party -||rapidcounter.com^$third-party -||rapidstats.net^$third-party -||rapidtrk.net^$third-party -||rating.in^$third-party -||reachforce.com^$third-party -||reachsocket.com^$third-party -||reactful.com^$third-party -||readertracking.com^$third-party -||readnotify.com^$third-party -||real5traf.ru^$third-party -||realcounter.eu^$third-party -||realcounters.com^$third-party -||realtimeplease.com^$third-party -||realtimewebstats.net^$third-party -||realtracker.com^$third-party -||realtracking.ninja^$third-party -||realytics.io^$third-party -||realzeit.io^$third-party -||recoset.com^$third-party -||redcounter.net^$third-party -||redistats.com^$third-party -||redstatcounter.com^$third-party -||reedbusiness.net^$third-party -||reedge.com^$third-party -||referer.org^$third-party -||referforex.com^$third-party -||referlytics.com^$third-party -||referrer.org^$third-party -||refersion.com^$third-party -||reftagger.com^$third-party -||reinvigorate.net^$third-party -||relead.com^$third-party -||reliablecounter.com^$third-party -||relmaxtop.com^$third-party -||remarketstats.com^$third-party -||rep0pkgr.com^$third-party -||res-x.com^$third-party -||research-tool.com^$third-party -||researchnow.co.uk^$third-party -||reson8.com^$third-party -||responsetap.com^$third-party -||retags.us^$third-party -||retargetly.com^$third-party -||reussissonsensemble.fr^$third-party -||revdn.net^$third-party -||revenuepilot.com^$third-party -||revenuescience.com^$third-party -||revenuewire.net^$third-party -||revolvermaps.com^$third-party -||revsw.net^$third-party -||rewardtv.com^$third-party -||reztrack.com^$third-party -||rfihub.com^$third-party -||rfr-69.com^$third-party -||rhinoseo.com^$third-party -||riastats.com^$third-party -||richard-group.com^$third-party -||richmetrics.com^$third-party -||ritecounter.com^$third-party -||rkdms.com^$third-party -||rktu.com^$third-party -||rlcdn.com^$third-party -||rmtag.com^$third-party -||rnengage.com^$third-party -||rng-snp-003.com^$third-party -||rnlabs.com^$third-party -||roi-pro.com^$third-party -||roi-rocket.net^$third-party -||roia.biz^$third-party -||roiservice.com^$third-party -||roispy.com^$third-party -||roitesting.com^$third-party -||roivista.com^$third-party -||rollingcounters.com^$third-party -||rpdtrk.com^$third-party -||rqtrk.eu^$third-party -||rrimpl.com^$third-party -||rs0.co.uk^$third-party -||rs6.net^$third-party -||rsvpgenius.com^$third-party -||rtbauction.com^$third-party -||rtfn.net^$third-party -||rtmark.net^$third-party -||rtrk.co.nz^$third-party -||rtrk.com^$third-party -||ru4.com^$third-party -||rumanalytics.com^$third-party -||rztrkr.com^$third-party -||s3s-main.net^$third-party -||sageanalyst.net^$third-party -||sajari.com^$third-party -||salesgenius.com^$third-party -||saletrack.co.uk^$third-party -||sapha.com^$third-party -||sarevtop.com^$third-party -||sas15k01.com^$third-party -||sayutracking.co.uk^$third-party -||sbdtds.com^$third-party -||scaledb.com^$third-party -||scarabresearch.com^$third-party -||scastnet.com^$third-party -||schoolyeargo.com^$third-party -||sciencerevenue.com^$third-party -||scorecardresearch.com^$third-party -||scoutanalytics.net^$third-party -||scrippscontroller.com^$third-party -||script.ag^$third-party -||scripts21.com^$third-party -||scriptshead.com^$third-party -||sddan.com^$third-party -||sea-nov-1.com^$third-party -||searchfeed.com^$third-party -||searchignite.com^$third-party -||searchplow.com^$third-party -||secure-pixel.com^$third-party -||securepaths.com^$third-party -||sedotracker.com^$third-party -||seehits.com^$third-party -||seewhy.com^$third-party -||segment-analytics.com^$third-party -||segment.com^$third-party -||segment.io^$third-party -||segmentify.com^$third-party -||selaris.com^$third-party -||selipuquoe.com^$third-party -||sellebrity.com^$third-party -||sellpoints.com^$third-party -||semanticverses.com^$third-party -||semasio.net^$third-party -||sematext.com^$third-party -||sendtraffic.com^$third-party -||seomonitor.ro^$third-party -||seomoz.org^$third-party -||seoparts.net^$third-party -||seoradar.ro^$third-party -||serious-partners.com^$third-party -||servestats.com^$third-party -||servinator.pw^$third-party -||serving-sys.com^$third-party -||servingpps.com^$third-party -||servingtrkid.com^$third-party -||servustats.com^$third-party -||sessioncam.com^$third-party -||sexcounter.com^$third-party -||sexystat.com^$third-party -||sf14g.com^$third-party -||shareasale.com^$third-party -||sharpspring.com^$third-party -||shinystat.com^$third-party -||shippinginsights.com^$third-party -||shoelace.com^$third-party -||showroomlogic.com^$third-party -||signup-way.com^$third-party -||silverpop.com^$third-party -||silverpush.co^$third-party -||simplehitcounter.com^$third-party -||simplereach.com^$third-party -||simpli.fi^$third-party -||simplycast.us^$third-party -||simplymeasured.com^$third-party -||singlefeed.com^$third-party -||site24x7rum.com^$third-party -||siteapps.com^$third-party -||sitebro.com^$third-party -||sitebro.net^$third-party -||sitebro.tw^$third-party -||sitecompass.com^$third-party -||siteimprove.com^$third-party -||siteimproveanalytics.com^$third-party -||sitelinktrack.com^$third-party -||sitemeter.com^$third-party -||sitereport.org^$third-party -||sitestat.com^$third-party -||sitetag.us^$third-party -||sitetagger.co.uk^$third-party -||sitetracker.com^$third-party -||sitetraq.nl^$third-party -||skimresources.com^$third-party -||skyglue.com^$third-party -||sl-ct5.com^$third-party -||slingpic.com^$third-party -||smallseotools.com^$third-party -||smart-digital-solutions.com^$third-party -||smart-dmp.com^$third-party -||smart-ip.net^$third-party -||smartctr.com^$third-party -||smarterhq.io^$third-party -||smarterremarketer.net^$third-party -||smartology.co^$third-party -||smartracker.net^$third-party -||smartzonessva.com^$third-party -||smct.co^$third-party -||smfsvc.com^$third-party -||smileyhost.net^$third-party -||smrtlnks.com^$third-party -||sniperlog.ru^$third-party -||sniphub.com^$third-party -||snoobi.com^$third-party -||snowsignal.com^$third-party -||socialhoney.co^$third-party -||socialprofitmachine.com^$third-party -||socialtrack.co^$third-party -||socialtrack.net^$third-party -||sociaplus.com^$third-party -||socketanalytics.com^$third-party -||sodoit.com^$third-party -||soflopxl.com^$third-party -||softonic-analytics.net^$third-party -||sojern.com^$third-party -||sokrati.com^$third-party -||sometrics.com^$third-party -||sophus3.com^$third-party -||spectate.com^$third-party -||speed-trap.com^$third-party -||speedcurve.com^$third-party -||splittag.com^$third-party -||splurgi.com^$third-party -||splyt.com^$third-party -||spn-twr-14.com^$third-party -||spn.ee^$third-party -||sponsored.com^$third-party -||spotmx.com^$third-party -||spring.de^$third-party -||springmetrics.com^$third-party -||springserve.com^$third-party -||sptag.com^$third-party -||sptag1.com^$third-party -||sptag2.com^$third-party -||sptag3.com^$third-party -||spycounter.net^$third-party -||spylog.com^$third-party -||spylog.ru^$third-party -||spywords.com^$third-party -||sqate.io^$third-party -||squidanalytics.com^$third-party -||srpx.net^$third-party -||srv1010elan.com^$third-party -||stadsvc.com^$third-party -||startstat.ru^$third-party -||stat08.com^$third-party -||stat24.com^$third-party -||statcount.com^$third-party -||statcounter.com^$third-party -||statcounterfree.com^$third-party -||statcounters.info^$third-party -||stathat.com^$third-party -||stathound.com^$third-party -||statisfy.net^$third-party -||statistiche-web.com^$third-party -||statistx.com^$third-party -||statowl.com^$third-party -||stats-analytics.info^$third-party -||stats.cz^$third-party -||stats2.com^$third-party -||stats21.com^$third-party -||stats2513.com^$third-party -||stats4all.com^$third-party -||stats4you.com^$third-party -||statsbox.nl^$third-party -||statsevent.com^$third-party -||statsimg.com^$third-party -||statsinsight.com^$third-party -||statsit.com^$third-party -||statsmachine.com^$third-party -||statsrely.com^$third-party -||statssheet.com^$third-party -||statsw.com^$third-party -||statswave.com^$third-party -||statsy.net^$third-party -||stattooz.com^$third-party -||stattrax.com^$third-party -||statun.com^$third-party -||statuncore.com^$third-party -||stcllctrs.com^$third-party -||stcounter.com^$third-party -||steelhousemedia.com^$third-party -||stellaservice.com^$third-party -||stippleit.com^$third-party -||stormcontainertag.com^$third-party -||stormiq.com^$third-party -||streem.com.au^$third-party -||stroeerdigitalmedia.de^$third-party -||strs.jp^$third-party -||sub2tech.com^$third-party -||submitnet.net^$third-party -||subtraxion.com^$third-party -||successfultogether.co.uk^$third-party -||summitemarketinganalytics.com^$third-party -||sumologic.com^$third-party -||supercounters.com^$third-party -||superstats.com^$third-party -||supert.ag^$third-party -||surefire.link^$third-party -||surfcounters.com^$third-party -||surfertracker.com^$third-party -||surveyscout.com^$third-party -||surveywriter.com^$third-party -||survicate.com^$third-party -||svr-prc-01.com^$third-party -||swcs.jp^$third-party -||swfstats.com^$third-party -||swiss-counter.com^$third-party -||swoopgrid.com^$third-party -||sxtracking.com^$third-party -||synergy-e.com^$third-party -||synergy-sync.com^$third-party -||synthasite.net^$third-party -||sysomos.com^$third-party -||t-analytics.com^$third-party -||tag4arm.com^$third-party -||tagcommander.com^$third-party -||tagifydiageo.com^$third-party -||tagsrvcs.com^$third-party -||tagtray.com^$third-party -||tamgrt.com^$third-party -||tapfiliate.com^$third-party -||taps.io^$third-party -||tapstream.com^$third-party -||targetfuel.com^$third-party -||tcactivity.net^$third-party -||tcimg.com^$third-party -||tctm.co^$third-party -||td573.com^$third-party -||tdstats.com^$third-party -||tealiumiq.com^$third-party -||tedioustooth.com^$third-party -||telemetrytaxonomy.net^$third-party -||telize.com^$third-party -||teljari.is^$third-party -||tellapart.com^$third-party -||tellaparts.com^$third-party -||temnos.com^$third-party -||tendatta.com^$third-party -||tentaculos.net^$third-party -||terabytemedia.com^$third-party -||testin.cn^$third-party -||tetoolbox.com^$third-party -||theadex.com^$third-party -||thebestlinks.com^$third-party -||thebrighttag.com^$third-party -||thecounter.com^$third-party -||thefreehitcounter.com^$third-party -||thehairofcaptainpicard.com^$third-party -||thermstats.com^$third-party -||thesearchagency.net^$third-party -||thespecialsearch.com^$third-party -||thingswontend.com^$third-party -||thisisacoolthing.com^$third-party -||thisisanothercoolthing.com^$third-party -||tighting.info^$third-party -||tinycounter.com^$third-party -||tiser.com.au^$third-party -||tkqlhce.com^$third-party -||tl813.com^$third-party -||tm1-001.com^$third-party -||tmpjmp.com^$third-party -||tmvtp.com^$third-party -||tnctrx.com^$third-party -||tns-counter.ru^$third-party -||tns-cs.net^$third-party -||top100bloggers.com^$third-party -||top100webshops.com^$third-party -||top10sportsites.com^$third-party -||topblogarea.com^$third-party -||topblogging.com^$third-party -||topdepo.com^$third-party -||toplist.cz^$third-party -||toplist.eu^$third-party -||topmalaysia.com^$third-party -||topofblogs.com^$third-party -||torbit.com^$third-party -||toro-tags.com^$third-party -||touchclarity.com^$third-party -||tracc.it^$third-party -||trace-2000.com^$third-party -||trace.events^$third-party -||traceless.me^$third-party -||tracelytics.com^$third-party -||tracemyip.org^$third-party -||tracer.jp^$third-party -||tracetracking.net^$third-party -||traceworks.com^$third-party -||track-web.net^$third-party -||track2.me^$third-party -||trackalyzer.com^$third-party -||trackbar.info^$third-party -||trackcdn.com^$third-party -||trackcmp.net^$third-party -||trackconsole.com^$third-party -||trackdiscovery.net^$third-party -||trackeame.com^$third-party -||trackedlink.net^$third-party -||trackedweb.net^$third-party -||tracking100.com^$third-party -||tracking202.com^$third-party -||trackinglabs.com^$third-party -||trackkas.com^$third-party -||trackmyweb.net^$third-party -||trackset.com^$third-party -||tracksy.com^$third-party -||tracktrk.net^$third-party -||trackuity.com^$third-party -||trackvoluum.com^$third-party -||trackword.biz^$third-party -||trackyourstats.com^$third-party -||tradedoubler.com^$third-party -||tradelab.fr^$third-party -||tradescape.biz^$third-party -||trafex.net^$third-party -||trafficby.net^$third-party -||trafficengine.net^$third-party -||trafficfacts.com^$third-party -||trafficjoint.com^$third-party -||trafficregenerator.com^$third-party -||traffikcntr.com^$third-party -||trafic.ro^$third-party -||trafinfo.info^$third-party -||trail-web.com^$third-party -||trailheadapp.com^$third-party -||trakken.de^$third-party -||trakzor.com^$third-party -||traversedlp.com^$third-party -||treasuredata.com^$third-party -||treehousei.com^$third-party -||trekmedia.net^$third-party -||trendcounter.com^$third-party -||trendemon.com^$third-party -||trgtcdn.com^$third-party -||triggeredmessaging.com^$third-party -||triggertag.gorillanation.com^$third-party -||triggit.com^$third-party -||trkjmp.com^$third-party -||trksrv44.com^$third-party -||trovus.co.uk^$third-party -||trs.cn^$third-party -||trtl.ws^$third-party -||tru.am^$third-party -||truconversion.com^$third-party -||truehits.in.th^$third-party -||truehits1.gits.net.th^$third-party -||truoptik.com^$third-party -||tscapeplay.com^$third-party -||tscounter.com^$third-party -||tsk4.com^$third-party -||tsk5.com^$third-party -||tst14netreal.com^$third-party -||tstlabs.co.uk^$third-party -||tsw0.com^$third-party -||tubetrafficcash.com^$third-party -||twcount.com^$third-party -||twopointo.io^$third-party -||tylere.net^$third-party -||tynt.com^$third-party -||tyxo.com^$third-party -||u5e.com^$third-party -||uadx.com^$third-party -||ubertags.com^$third-party -||ubertracking.info^$third-party -||uciservice.com^$third-party -||ugdturner.com^$third-party -||uhygtf1.com^$third-party -||ukrre-tea.info^$third-party -||umbel.com^$third-party -||unicaondemand.com^$third-party -||unknowntray.com^$third-party -||upstats.ru^$third-party -||uptimeviewer.com^$third-party -||uptracs.com^$third-party -||uralweb.ru^$third-party -||uriuridfg.com^$third-party -||urlbrief.com^$third-party -||urlself.com^$third-party -||usabilitytools.com^$third-party -||usabilla.com^$third-party -||userchecker.info^$third-party -||usercycle.com^$third-party -||userdmp.com^$third-party -||userlook.com^$third-party -||userneeds.dk^$third-party -||useronlinecounter.com^$third-party -||userreport.com^$third-party -||users-api.com^$third-party -||userzoom.com^$third-party -||usuarios-online.com^$third-party -||v12group.com^$third-party -||v3cdn.net^$third-party -||valaffiliates.com^$third-party -||valuedopinions.co.uk^$third-party -||vantage-media.net^$third-party -||vbanalytics.com^$third-party -||vdna-assets.com^$third-party -||veduy.com^$third-party -||veille-referencement.com^$third-party -||veinteractive.com^$third-party -||velaro.com^$third-party -||vendri.io^$third-party -||ventivmedia.com^$third-party -||vepxl1.net^$third-party -||vertical-leap.co.uk^$third-party -||vertical-leap.net^$third-party -||verticalscope.com^$third-party -||verticalsearchworks.com^$third-party -||vertster.com^$third-party -||video.oms.eu^$third-party -||videos.oms.eu^$third-party -||videostat.com^$third-party -||vinlens.com^$third-party -||vinub.com^$third-party -||viralninjas.com^$third-party -||virool.com^$third-party -||virtualnet.co.uk^$third-party -||visibility-stats.com^$third-party -||visiblemeasures.com/log?$object-subrequest,third-party -||visiblemeasures.com/swf/*/vmcdmplugin.swf?key*pixel$object-subrequest -||visiblemeasures.com/swf/as3/as3sohandler.swf$object-subrequest,third-party -||visibli.com^$third-party -||visioncriticalpanels.com^$third-party -||visistat.com^$third-party -||visitlog.net^$third-party -||visitor-analytics.net^$third-party -||visitor-track.com^$third-party -||visitorglobe.com^$third-party -||visitorinspector.com^$third-party -||visitorjs.com^$third-party -||visitorpath.com^$third-party -||visitorprofiler.com^$third-party -||visitortracklog.com^$third-party -||visitorville.com^$third-party -||visitstreamer.com^$third-party -||visto1.net^$third-party -||visualdna-stats.com^$third-party -||visualdna.com^$third-party -||visualrevenue.com^$third-party -||visualwebsiteoptimizer.com^$third-party -||vivocha.com^$third-party -||vizisense.net^$third-party -||vizury.com^$third-party -||vmm-satellite1.com^$third-party -||vmm-satellite2.com^$third-party -||vmmpxl.com^$third-party -||vmtrk.com^$third-party -||voicefive.com^$third-party -||voodooalerts.com^$third-party -||votistics.com^$third-party -||vstats.co^$third-party -||vtracker.net^$third-party -||vunetotbe.com^$third-party -||w3counter.com^$third-party -||w55c.net^$third-party -||waframedia9.com^$third-party -||waplog.net^$third-party -||waudit.cz^$third-party -||web-boosting.net^$third-party -||web-counter.net^$third-party -||web-stat.com^$third-party -||web-stat.net^$third-party -||webalytics.pw^$third-party -||webclicktracker.com^$third-party -||webcounter.co.za^$third-party -||webcounter.ws^$third-party -||webengage.com^$third-party -||webflowmetrics.com^$third-party -||webforensics.co.uk^$third-party -||webgains.com^$third-party -||webglstats.com^$third-party -||webiqonline.com^$third-party -||webleads-tracker.com^$third-party -||weblytics.io^$third-party -||webmasterplan.com^$third-party -||webseoanalytics.co.za^$third-party -||website-hit-counters.com^$third-party -||websiteceo.com^$third-party -||websiteonlinecounter.com^$third-party -||websiteperform.com^$third-party -||websitewelcome.com^$third-party -||webspectator.com^$third-party -||webstat.com^$third-party -||webstat.net^$third-party -||webstat.se^$third-party -||webstats.com^$third-party -||webstats4u.com^$third-party -||webtraffic.se^$third-party -||webtrafficagents.com^$third-party -||webtraffiq.com^$third-party -||webtraxs.com^$third-party -||webtrekk-asia.net^$third-party -||webtrends.com^$third-party -||webtrendslive.com^$third-party -||webtuna.com^$third-party -||weesh.co.uk^$third-party -||wemfbox.ch^$third-party -||whackedmedia.com^$third-party -||whatismyip.win^$third-party -||whisbi.com^$third-party -||whitepixel.com^$third-party -||whoaremyfriends.com^$third-party -||whoaremyfriends.net^$third-party -||whoisonline.net^$third-party -||whoisvisiting.com^$third-party -||whosclickingwho.com^$third-party -||widerplanet.com^$third-party -||wikia-beacon.com^$third-party -||wikiodeliv.com^$third-party -||wildxtraffic.com^$third-party -||wiredminds.de^$third-party -||wisetrack.net^$third-party -||wishloop.com^$third-party -||woopra-ns.com^$third-party -||woopra.com^$third-party -||worldlogger.com^$third-party -||wowanalytics.co.uk^$third-party -||wp-stats.com^$third-party -||wpdstat.com^$third-party -||wrating.com^$third-party -||wredint.com^$third-party -||wt-eu02.net^$third-party -||wt-safetag.com^$third-party -||wtp101.com^$third-party -||wtstats.com^$third-party -||wundercounter.com^$third-party -||wunderloop.net^$third-party -||www-path.com^$third-party -||wwwstats.info^$third-party -||wywy.com^$third-party -||wywyuserservice.com^$third-party -||wzrk.co^$third-party -||wzrkt.com^$third-party -||x-stat.de^$third-party -||x.ligatus.com^$third-party -||xclk-integracion.com^$third-party -||xg4ken.com^$third-party -||xiti.com^$third-party -||xlisting.jp^$third-party -||xref.io^$third-party -||xtremline.com^$third-party -||xxxcounter.com^$third-party -||xyztraffic.com^$third-party -||y-track.com^$third-party -||yamanoha.com^$third-party -||yaudience.com^$third-party -||ybotvisit.com^$third-party -||ycctrk.co.uk^$third-party -||yellowbrix.com^$third-party -||ygsm.com^$third-party -||yieldbot.com^$third-party -||yieldify.com^$third-party -||yieldsoftware.com^$third-party -||yjtag.jp^$third-party -||youmetrix.co.uk^$third-party -||your-counter.be^$third-party -||youramigo.com^$third-party -||zanox-affiliate.de^$third-party -||zanox.com^$third-party -||zarget.com^$third-party -||zdbb.net^$third-party -||zdtag.com^$third-party -||zenlivestats.com^$third-party -||zesep.com^$third-party -||zoomanalytics.co^$third-party -||zoomflow.com^$third-party -||zoomino.com^$third-party -||zoosnet.net^$third-party -||zoossoft.net^$third-party -||zowary.com^$third-party -||zqtk.net^$third-party -||zroitracker.com^$third-party -! Admiral -||6ldu6qa.com^$third-party -||familiarfloor.com^$third-party -||giddycoat.com^$third-party -! -----------------International third-party tracking domains-----------------! -! *** easylist:easyprivacy/easyprivacy_trackingservers_international.txt *** -! German -||123-counter.de^$third-party -||12mnkys.com^$third-party -||193.197.158.209^$third-party,domain=~statistik.lubw.baden-wuerttemberg.de.ip -||212.95.32.75^$third-party,domain=~ipcounter.de.ip -||24log.de^$third-party -||4stats.de^$third-party -||abcounter.de^$third-party -||actionallocator.com^$third-party -||active-tracking.de^$third-party -||adc-serv.net^$third-party -||adclear.net^$third-party -||addcontrol.net^$third-party -||adrank24.de^$third-party -||adtraxx.de^$third-party -||adzoe.de^$third-party -||analytics.rechtslupe.org^ -||andyhoppe.com^$third-party -||anormal-tracker.de^$third-party -||atsfi.de^$third-party -||audiencemanager.de^$third-party -||avencio.de^$third-party -||backlink-test.de^$third-party -||backlink-umsonst.de^$third-party -||backlinkdino.de^$third-party -||backlinkprofi.info^$third-party -||backlinks.li^$third-party -||backlinktausch.biz^$third-party -||bekannt-im-web.de^$third-party -||belboon.de^$third-party -||beliebtestewebseite.de^$third-party -||besucherstats.de^$third-party -||besucherzaehler-counter.de^$third-party -||besucherzaehler-homepage.de^$third-party -||besucherzaehler-zugriffszaehler.de^$third-party -||besucherzaehler.org^$third-party -||besucherzahlen.com^$third-party -||betarget.de^$third-party -||blog-o-rama.de^$third-party -||blog-webkatalog.de^$third-party -||blogcounter.com^$third-party -||blogcounter.de^$third-party -||bloggeramt.de^$third-party -||bloggerei.de^$third-party -||blogtraffic.de^$third-party -||blogverzeichnis.eu^$third-party -||bluecounter.de^$third-party -||bonitrust.de^$third-party -||bonuscounter.de^$third-party -||checkeffect.at^$third-party -||clickmap.ch^$third-party -||clkd.at^$third-party -||count.im^$third-party -||count24.de^$third-party -||countar.de^$third-party -||counted.at^$third-party -||counter-city.de^$third-party -||counter-go.de^$third-party -||counter-gratis.com^$third-party -||counter-kostenlos.info^$third-party -||counter-kostenlos.net^$third-party -||counter-pagerank.de^$third-party -||counter-treff.de^$third-party -||counter.de^$third-party -||counter27.ch^$third-party -||counter4all.de^$third-party -||countercity.de^$third-party -||countercity.net^$third-party -||counterlevel.de^$third-party -||counteronline.de^$third-party -||counterseite.de^$third-party -||counterserver.de^$third-party -||counterstation.de^$third-party -||counterstatistik.de^$third-party -||counthis.com^$third-party -||counti.de^$third-party -||countimo.de^$third-party -||countino.de^$third-party -||countit.ch^$third-party -||countnow.de^$third-party -||counto.de^$third-party -||countok.de^$third-party -||countyou.de^$third-party -||cptrack.de^$third-party -||cya1t.net^$third-party -||df-srv.de^$third-party -||die-rankliste.com^$third-party -||digidip.net^$third-party -||directcounter.de^$third-party -||divolution.com^$third-party -||dk-statistik.de^$third-party -||dreamcounter.de^$third-party -||durocount.com^$third-party -||eanalyzer.de^$third-party -||easytracking.de^$third-party -||econda-monitor.de^$third-party -||edococounter.de^$third-party -||edtp.de^$third-party -||emetriq.de^$third-party -||erotikcounter.org^$third-party -||etracker.de^$third-party -||etracking24.de^$third-party -||euro-pr.eu^$third-party -||eurocounter.com^$third-party -||exapxl.de^$third-party -||exmarkt.de^$third-party -||faibl.org^$third-party -||fastcounter.de^$third-party -||fixcounter.com^$third-party -||free-counters.net^$third-party -||freetracker.biz^$third-party -||freihit.de^$third-party -||fremaks.net^$third-party -||fun-hits.com^$third-party -||gacela.eu^$third-party -||generaltracking.de^$third-party -||getcounter.de^$third-party -||gezaehlt.de^$third-party -||gft2.de^$third-party -||giga-abs.de^$third-party -||google-pr7.de^$third-party -||google-rank.org^$third-party -||gostats.de^$third-party -||gratis-besucherzaehler.de^$third-party -||gratis-counter-gratis.de^$third-party -||gratisbacklink.de^$third-party -||greatviews.de^$third-party -||grfz.de^$third-party -||hiddencounter.de^$third-party -||hitmaster.de^$third-party -||hot-count.com^$third-party -||hotcounter.de^$third-party -||hstrck.com^$third-party -||hung.ch^$third-party -||iivt.com^$third-party -||imcht.net^$third-party -||inet-tracker.de^$third-party -||ingenioustech.biz^$third-party -||intelliad-tracking.com^$third-party -||intelliad.de^$third-party -||interaktiv-net.de^$third-party -||interhits.de^$third-party -||ipcount.net^$third-party -||ipcounter.net^$third-party -||iptrack.biz^$third-party -||iyi.net^$third-party -||keytrack.de^$third-party -||klamm-counter.de^$third-party -||kono-research.de^$third-party -||kostenlose-counter.com^$third-party -||kupona.de^$third-party -||lddt.de^$third-party -||leserservice-tracking.de^$third-party -||link-empfehlen24.de^$third-party -||linktausch-pagerank.de^$third-party -||linktausch.li^$third-party -||liverank.org^$third-party -||losecounter.de^$third-party -||marketing-page.de^$third-party -||mateti.net^$third-party -||meetrics.net^$third-party -||mengis-linden.org^$third-party -||metalyzer.com^$third-party -||metrigo.com^$third-party,domain=~metrigo.de -||microcounter.de^$third-party -||mitmeisseln.de^$third-party -||motorpresse-statistik.de^$third-party -||mps-gba.de^$third-party -||mpwe.net^$third-party -||mr-rank.de^$third-party -||my-ranking.de^$third-party -||my-stats.info^$third-party -||mysumo.de^$third-party -||netcounter.de^$third-party -||netdebit-counter.de^$third-party -||netupdater.info^$third-party -||netzaehler.de^$third-party -||netzstat.ch^$third-party -||northclick-statistiken.de^$third-party -||observare.de^$third-party -||oewabox.at^$third-party -||optimierung-der-website.de^$third-party -||org-dot-com.com^$third-party -||osxau.de^$third-party -||ourstats.de^$third-party -||page-hit.de^$third-party -||pagerank-backlink.eu^$third-party -||pagerank-hamburg.de^$third-party -||pagerank-linkverzeichnis.de^$third-party -||pagerank-online.eu^$third-party -||pagerank-suchmaschine.de^$third-party -||pagerank4you.eu^$third-party -||pageranking-counter.de^$third-party -||pageranking.li^$third-party -||pc-agency24.de^$third-party -||pimpmypr.de^$third-party -||plexworks.de^$third-party -||powerbar-pagerank.de^$third-party -||powercount.com^$third-party -||ppro.de^$third-party -||pr-chart.com^$third-party -||pr-chart.de^$third-party -||pr-link.eu^$third-party -||pr-linktausch.de^$third-party -||pr-rang.de^$third-party -||pr-sunshine.de^$third-party -||pr-textlink.de^$third-party -||pr-update.biz^$third-party -||prnetwork.de^$third-party -||productsup.com^$third-party -||propagerank.de^$third-party -||r.movad.de^$third-party -||rank-power.com^$third-party -||rank4all.eu^$third-party -||rankchamp.de^$third-party -||ranking-charts.de^$third-party -||ranking-counter.de^$third-party -||ranking-hits.de^$third-party -||ranking-it.de^$third-party -||ranking-links.de^$third-party -||rankings24.de^$third-party -||ranklink.de^$third-party -||refinedads.com^$third-party -||research.de.com^$third-party -||reshin.de^$third-party -||rightstats.com^$third-party -||roitracking.net^$third-party -||royalcount.de^$third-party -||scriptil.com^$third-party -||sedotracker.de^$third-party -||seitwert.de^$third-party -||semtracker.de^$third-party -||sensic.net^$third-party -||sitebro.de^$third-party -||slogantrend.de^$third-party -||space-link.de^$third-party -||spacehits.net^$third-party -||speedcount.de^$third-party -||speedcounter.net^$third-party -||speedtracker.de^$third-party -||spelar.org^$third-party -||spider-mich.com^$third-party -||sponsorcounter.de^$third-party -||spring-tns.net^$third-party -||srvtrck.com^$third-party -||ssl4stats.de^$third-party -||static-fra.de^*/targeting.js -||static-fra.de^*/tracking.js -||statistik-gallup.net^$third-party -||statistiq.com^$third-party -||stats.de^$third-party -||stats4free.de^$third-party -||stroeermediabrands.de^$third-party -||suchmaschinen-ranking-hits.de^$third-party -||sunios.de^$third-party -||t4ft.de^$third-party -||tamedia.ch^$third-party -||tausch-link.de^$third-party -||tda.io^$third-party -||teriotracker.de^$third-party -||tisoomi-services.com^$third-party -||tophits4u.de^$third-party -||toplist100.org^$third-party -||topstat.com^$third-party -||trackfreundlich.de^$third-party -||trafficmaxx.de^$third-party -||trbo.com^$third-party -||trendcounter.de^$third-party -||trkme.net^$third-party -||universaltrackingcontainer.com^$third-party -||up-rank.com^$third-party -||urstats.de^$third-party -||verypopularwebsite.com^$third-party -||viewar.org^$third-party -||vinsight.de^$third-party -||visitor-stats.de^$third-party -||wcfbc.net^$third-party -||web-controlling.org^$third-party -||webhits.de^$third-party -||webkatalog.li^$third-party -||weblist.de^$third-party -||webprospector.de^$third-party -||websitesampling.com^$third-party -||webtrekk-us.net^$third-party -||webtrekk.de^$third-party -||webtrekk.net^$third-party -||webttracking.de^$third-party -||wecount4u.com^$third-party -||welt-der-links.de^$third-party -||wipe.de^$~script,third-party -||xa-counter.com^$third-party -||xcounter.ch^$third-party -||xhit.com^$third-party -||xl-counti.com^$third-party -||xplosion.de^$third-party -||yoochoose.net^$third-party -||zaehler.tv^$third-party -! French -||123compteur.com^$third-party -||7e59f52a58ab3be819c9a90ba53b9ffe.ovh^$third-party -||7x4.fr^$third-party -||7x5.fr^$third-party -||abcompteur.com^$third-party -||adthletic.com^$third-party -||affilizr.com^$third-party -||alkemics.com^$third-party -||antvoice.com^$third-party -||atraxio.com^$third-party -||canalstat.com^$third-party -||casualstat.com^$third-party -||compteur-fr.com^$third-party -||compteur-gratuit.org^$third-party -||compteur-visite.com^$third-party -||compteur.com^$third-party -||compteur.org^$third-party -||count.fr^$third-party -||countus.fr^$third-party -||deliv.lexpress.fr^$third-party -||edt02.net^$third-party -||emailretargeting.com^$third-party -||ezakus.net^$third-party -||ferank.fr^$third-party -||geocompteur.com^$third-party -||goyavelab.com^$third-party -||graphinsider.com^$third-party -||hunkal.com^$third-party -||leadium.com^$third-party -||libstat.com^$third-party -||livestats.fr^$third-party -||mastertag.effiliation.com^$third-party -||mb-srv.com^$third-party -||megast.at^$third-party -||mmtro.com^$third-party -||ncdnprorogeraie.lol^$third-party -||netquattro.com/stats/ -||reseau-pub.com^$third-party -||semiocast.com^$third-party -||sk1n.fr^$third-party -||sk8t.fr^$third-party -||stats.fr^$third-party -||titag.com^$third-party -||tnsinternet.be^$third-party -||toc.io^$third-party -||trafiz.net^$third-party -||url-stats.net^$third-party -||webcompteur.com^$third-party -||wysistat.com^$third-party -||x-traceur.com^$third-party -! Armenian -||circle.am^$third-party -! Bulgarian -||trafit.com^$third-party -||tyxo.bg^$third-party -! Chinese -||180.76.2.18^$third-party,domain=~baidu.ip -||50bang.org^$third-party -||51yes.com^$third-party -||99click.com^$third-party -||acs86.com^$third-party -||ad7.com^$third-party -||admaster.com.cn^$third-party -||baifendian.com^$third-party -||blog104.com^$third-party -||blogtw.net^$third-party -||clicki.cn^$third-party -||cnzz.net^$third-party -||datamaster.com.cn^$third-party -||emarbox.com^$third-party -||eyeota.net^$third-party -||fraudmetrix.cn^$third-party -||gostats.cn^$third-party -||gridsum.com^$third-party -||gridsumdissector.com^$third-party -||growingio.com^$third-party -||gtags.net^$third-party -||hotrank.com.tw^$third-party -||ipinyou.com^$third-party -||irs01.$third-party -||irs09.com^$third-party -||jiankongbao.com^$third-party -||mediav.com^$third-party -||miaozhen.com^$third-party -||mmstat.com^$third-party -||oadz.com^$third-party -||p0y.cn^$third-party -||phpstat.com^$third-party -||pixanalytics.com^$third-party -||ptengine.cn^$third-party -||pvmax.net^$third-party -||sagetrc.com^$third-party -||sitebot.cn^$third-party -||tagmanager.cn^$third-party -||tanx.com^$third-party -||tenmax.io^$third-party -||top-bloggers.com^$third-party -||topsem.com^$third-party -||tovery.net^$third-party -||users.51.la^$third-party -||vamaker.com^$third-party -||vdoing.com^$third-party -||webdissector.com^$third-party -||yigao.com^$third-party -||zampda.net^$third-party -||ztcadx.com^$third-party -! Croatian -||dotmetrics.net^$third-party -||xclaimwords.net^$third-party -! Czech -||ibillboard.com^$third-party -||itop.cz^$third-party -||lookit.cz^$third-party -||monkeytracker.cz^$third-party -||navrcholu.cz^$third-party -||netagent.cz^$third-party -||performax.cz^$third-party -||pocitadlo.cz^$third-party -||programmatic.cz^$third-party -! Danish -||agillic.eu^$third-party -||andersenit.dk^$third-party -||chart.dk^$third-party -||euroads.dk^$third-party -||gixmo.dk^$third-party -||hitcount.dk^$third-party -||infocollect.dk^$third-party -||livecounter.dk^$third-party -||livewebstats.dk^$third-party -||ncom.dk^$third-party -||netminers.dk^$third-party -||netstats.dk^$third-party -||parameter.dk^$third-party -||peakcounter.dk^$third-party -||sitechart.dk^$third-party -||tns-gallup.dk^$third-party -||zipstat.dk^$third-party -! Dutch -||active24stats.nl^$third-party -||istats.nl^$third-party -||metriweb.be^$third-party -||mtrack.nl^$third-party -||mystats.nl^$third-party -||stealth.nl^$third-party -||svtrd.com^$third-party -||traffic4u.nl^$third-party -! Estonian -||counter.ok.ee^$third-party -||mediaindex.ee^$third-party -! Finnish -||frosmo.com^$third-party -||gallupnet.fi^$third-party -||inpref.com^$third-party -||kavijaseuranta.fi^$third-party -||m-brain.fi^$third-party -||netmonitor.fi^$third-party -||stat.www.fi^$third-party -||tracking*.euroads.fi^$third-party -||vihtori-analytics.fi^$third-party -! Greek -||hotstats.gr^$third-party -||linkwi.se^$third-party -! Hebrew -||enter-system.com^$third-party -||fortvision.com^$third-party -||hetchi.com^$third-party -||lead.im^$third-party -||nepohita.com^$third-party -||ritogaga.com^$third-party -! Hungarian -||gpr.hu^$third-party -||hirmatrix.hu^$third-party -||mystat.hu^$third-party -! Icelandic -||modernus.is^$third-party -! Italian -||0stats.com^$third-party -||accessi.it^$third-party -||avstat.it^$third-party -||contatoreaccessi.com^$third-party -||cuntador.com^$third-party -||digital-metric.com^$third-party -||distribeo.com^$third-party -||dnab.info^$third-party -||freecounter.it^$third-party -||freestat.ws^$third-party -||freestats.biz^$third-party -||freestats.me^$third-party -||freestats.net^$third-party -||freestats.org^$third-party -||freestats.tk^$third-party -||freestats.tv^$third-party -||freestats.ws^$third-party -||geocontatore.com^$third-party -||hiperstat.com^$third-party -||hitcountersonline.com^$third-party -||imetrix.it^$third-party -||ipfrom.com^$third-party -||italianadirectory.com^$third-party -||keyxel.com^$third-party -||laserstat.com^$third-party -||megastat.net^$third-party -||mwstats.net^$third-party -||mystat.it^$third-party -||ninestats.com^$third-party -||ntlab.org^$third-party -||pagerankfree.com^$third-party -||prostats.it^$third-party -||shinystat.it^$third-party -||specialstat.com^$third-party -||statistiche-free.com^$third-party -||statistiche.it^$third-party -||statistiche.ws^$third-party -||statistichegratis.net^$third-party -||statsadvance-01.net^$third-party -||statsforever.com^$third-party -||statsview.it^$third-party -||superstat.info^$third-party -||tetigi.com^$third-party -||thestat.net^$third-party -||trackset.it^$third-party -||ultrastats.it^$third-party -||vivistats.com^$third-party -||webmeter.ws^$third-party -||webmobile.ws^$third-party -||webtraffstats.net^$third-party -||whoseesyou.com^$third-party -||wstatslive.com^$third-party -||zt-dst.com^$third-party -! Japanese -||a-cast.jp^$third-party -||bb-analytics.jp^$third-party -||beanscattering.jp^$third-party -||bigmining.com^$third-party -||blogranking.net^$third-party -||ca-mpr.jp^$third-party -||cosmi.io^$third-party -||deteql.net^$third-party -||docodoco.jp^$third-party -||e-kaiseki.com^$third-party -||ec-optimizer.com^$third-party -||eco-tag.jp^$third-party -||fout.jp^$third-party -||gmodmp.jp^$third-party -||hitgraph.jp^$third-party -||i2i.jp^$third-party -||japanmetrix.jp^$third-party -||keyword-match.com^$third-party -||mobylog.jp^$third-party -||omiki.com^$third-party -||owldata.com^$third-party -||research-artisan.com^$third-party -||rtoaster.jp^$third-party -||sibulla.com^$third-party -||socdm.com^$third-party -||trackfeed.com^$third-party -||ukw.jp^$third-party -||wonder-ma.com^$third-party -||ziyu.net^$third-party -! Korean -||logger.co.kr^$third-party -! Latvian -||cms.lv^$third-party -||erotop.lv^$third-party -||on-line.lv^$third-party -||puls.lv^$third-party -||reitingi.lv^$third-party -||statistika.lv^$third-party -||stats4u.lv^$third-party -||top.lv^$third-party -||topsite.lv^$third-party -||webstatistika.lv^$third-party -||wos.lv^$third-party -! Lithuanian -||easy.lv^$third-party -||reitingas.lt^$third-party -||stats.lt^$third-party -||visits.lt^$third-party -||webstatistika.lt^$third-party -||www.hey.lt^$third-party -! Norwegian -||de17a.com^$third-party -||trafikkfondet.no^$third-party -||webstat.no^$third-party -||xtractor.no^$third-party -! Persian -||melatstat.com^$third-party -||persianstat.com^$third-party -||persianstat.ir^$third-party -||tinystat.ir^$third-party -||webgozar.com^$third-party -||webgozar.ir^$third-party -! Polish -||adstat.4u.pl^$third-party -||clickonometrics.pl^$third-party -||gostats.pl^$third-party -||hub.com.pl^$third-party -||inaudium.com^$third-party -||legenhit.com^$third-party -||ngacm.com^$third-party -||ngastatic.com^$third-party -||rejestr.org^$third-party -||stat.4u.pl^$third-party -||stat.pl^$third-party -||tagcdn.com^$third-party -||way2traffic.com^$third-party -! Portuguese -||engageya.com^$third-party -||marktest.pt^$third-party -||popstats.com.br^$third-party -||sambaads.com^$third-party -||tailtarget.com^$third-party -! Romanian -||best-top.ro^$third-party -||gtop.ro^$third-party -||hit100.ro^$third-party -||profitshare.ro^$third-party -||statistics.ro^$third-party -||top-ro.ro^$third-party -||trafix.ro^$third-party -||zontera.com^$third-party -! Russian -||109.169.66.161^$third-party,domain=~adult-site.ip -||24log.ru^$third-party -||24smi.info^$third-party -||a-counter.com.ua^$third-party -||a-counter.kiev.ua^$third-party -||announcement.ru^$third-party -||apkonline.ru^$third-party -||audsp.com^$third-party -||audtd.com^$third-party -||bid.run^$third-party -||bidderrtb.com^$third-party -||botscanner.com^$third-party -||bumlam.com^$third-party -||cityua.net^$third-party -||clubcollector.com^$third-party -||cnstats.ru^$third-party -||cntcash.ru^$third-party -||countstat.ru^$third-party -||cpaevent.ru^$third-party -||cszz.ru^$third-party -||e-kuzbass.ru^$third-party -||exe.bid^$third-party -||faststart.ru^$third-party -||ftrack.ru^$third-party -||gdeslon.ru^$third-party -||giraff.io^$third-party -||gnezdo.ru^$third-party -||gostats.ru^$third-party -||hitmir.ru^$third-party -||hsdn.org^$third-party -||idntfy.ru^$third-party -||imrk.net^$third-party -||infostroy.nnov.ru^$third-party -||infox.sg^$third-party -||instreamatic.com^$third-party -||interakt.ru^$third-party -||intergid.ru^$third-party -||iryazan.ru^$third-party -||jetcounter.ru^$third-party -||k3dqv.ru^$third-party -||kmindex.ru^$third-party -||lentainform.com^$third-party -||listtop.ru^$third-party -||livetex.ru^$third-party -||logger.su^$third-party -||logua.com^$third-party -||logxp.ru^$third-party -||logz.ru^$third-party -||lookmy.info^$third-party -||lugansk-info.ru^$third-party -||luxup2.ru^$third-party -||luxupadva.com^$third-party -||luxupcdna.com^$third-party -||luxupcdnc.com^$third-party -||madnet.ru^$third-party -||mediaplan.ru^$third-party -||mediatoday.ru^$third-party -||mokuz.ru^$third-party -||musiccounter.ru^$third-party -||mystat-in.net^$third-party -||personage.name^$third-party -||pmbox.biz^$third-party -||proext.com^$third-party -||quick-counter.net^$third-party -||r24-tech.com^$third-party -||retag.xyz^$third-party -||ru.net^$third-party -||sarov.ws^$third-party -||sas.com^$third-party -||sensor.org.ua^$third-party -||seo-master.net^$third-party -||serating.ru^$third-party -||site-submit.com.ua^$third-party -||skylog.kz^$third-party -||stat-well.com^$third-party -||stat.media^$third-party -||stat24.ru^$third-party -||stattds.club^$third-party -||targetix.net^$third-party -||tbex.ru^$third-party -||tds.io^$third-party -||toptracker.ru^$third-party -||tpm.pw^$third-party -||trbna.com^$third-party -||uarating.com^$third-party -||uptolike.com^$third-party -||uzrating.com^$third-party -||vidigital.ru^$third-party -||vira.ru^$third-party -||volgograd-info.ru^$third-party -||vologda-info.ru^$third-party -||warlog.ru^$third-party -||web-visor.com^$third-party -||webest.info^$third-party -||webtalking.ru^$third-party -||webturn.ru^$third-party -||webvisor.com^$third-party -||webvisor.ru^$third-party -||wunderdaten.com^$third-party -||wwgate.ru^$third-party -||www.rt-ns.ru^$third-party -||zero.kz^$third-party -! Singaporean -||blogtraffic.sg^$third-party -! Slovak -||idot.cz^$third-party -||pocitadlo.sk^$third-party -||toplist.sk^$third-party -! Spanish -||certifica.com^$third-party -||contadordevisitas.es^$third-party -||contadorgratis.com^$third-party -||contadorgratis.es^$third-party -||contadorvisitasgratis.com^$third-party -||contadorweb.com^$third-party -||delidatax.net^$third-party -||eresmas.net^$third-party -||estadisticasgratis.com^$third-party -||estadisticasgratis.es^$third-party -||hit.copesa.cl^$third-party -||hits.e.cl^$third-party -||intrastats.com^$third-party -||mabaya.com^$third-party -||micodigo.com^$third-party -||seedtag.com^$third-party -! Swedish -||adsettings.com^$third-party -||adtlgc.com^$third-party -||adtraction.com^$third-party -||prospecteye.com^$third-party -||publish-int.se^$third-party -||research-int.se^$third-party -||spklw.com^$third-party -||vastpaketet.se^$third-party -||webserviceaward.com^$third-party -! Thai -||d-stats.com^$third-party -||tracker.stats.in.th^$third-party -||truehits.net^$third-party -||truehits3.gits.net.th^$third-party -! Turkish -||onlinewebstat.com^$third-party -||realist.gen.tr^$third-party -||sayyac.com^$third-party -||sayyac.net^$third-party -||sitetistik.com^$third-party -||webservis.gen.tr^$third-party -||zirve100.com^$third-party -! Ukranian -||holder.com.ua^$third-party -||mediatraffic.com.ua^$third-party -||mycounter.com.ua^$third-party -||mycounter.ua^$third-party -||uapoisk.net^$third-party -||weblog.com.ua^$third-party -! Vietnamese -||gostats.vn^$third-party -! -----------------Third-party tracking services-----------------! -! *** easylist:easyprivacy/easyprivacy_thirdparty.txt *** -|http://l2.io/ip.js$third-party -||10.122.129.149^$third-party,domain=~search-news-cn.ip -||101apps.com/tracker.ashx? -||105app.com/report/? -||107.20.91.54/partner.gif?$third-party,domain=~thedailybeast.com.ip -||116.213.75.36/logstat/$domain=~caixin.com.ip -||121.78.90.104:8383/pv?*&refer=$third-party,domain=~livere-kr.ip -||123myp.co.uk/ip-address/ -||148.251.8.156/track.js -||174.129.112.186/small.gif?$third-party,domain=~skytide.ip -||174.129.135.197/partner.gif?$third-party,domain=~skytide.ip -||174.129.6.226/tracker/$third-party,domain=~skytide.ip -||174.129.88.189/partner.gif?$third-party,domain=~skytide.ip -||174.129.98.240/small.gif?$third-party,domain=~skytide.ip -||174.37.54.170^$third-party,domain=~informer.com.ip -||184.73.199.40/tracker/$third-party,domain=~skytide.ip -||184.73.199.44/tracker/$third-party,domain=~skytide.ip -||184.73.203.249/i.gif? -||188.40.142.44/track.js$third-party,domain=~dropped.pl.ip -||195.177.242.237^$third-party,domain=~sat24.com.ip -||195.182.58.105/statistics/$third-party,domain=~stream5.tv.ip -||198.101.148.38/update_counter.php -||204.236.233.138/tracker/$third-party,domain=~skytide.ip -||204.236.243.21/small.gif?$third-party,domain=~skytide.ip -||208.91.157.30/viewtrack/ -||209.15.236.80^$third-party,domain=~crosspixelmedia.ip -||213.8.137.51/Erate/$third-party,domain=~ynet-il.ip -||219.232.238.60/count.$domain=~caixin.com.ip -||23.20.0.197^$third-party,domain=~tritondigital.net.ip -||23.23.22.172/ping/$third-party,domain=~newjerseynewsroom.com.ip -||24option.com/?oftc=$image,third-party -||3crowd.com^*/3c1px.gif -||4theclueless.com/adlogger/ -||50.16.191.59^$third-party,domain=~tritondigital.net.ip -||51network.com^$third-party -||5251.net/stat.jsp? -||54.217.234.232^$third-party,domain=~moleskine-store.ip -||54.246.124.188/analytics/$domain=~racinguk.ip -||58.68.146.44:8000^$third-party,domain=~peoplesdaily.cn.ip -||5min.com/flashcookie/StorageCookieSWF_ -||61.129.118.83^$third-party,domain=~shanghaidaily.cn.ip -||62.219.24.238^$third-party,domain=~cast-tv.com.ip -||6waves.com/edm.php?uid=$image -||74.117.176.217/trf/track.php?$third-party,domain=~adult.sites.ip -||88.208.248.58/tracking/ -||93.93.53.198^$third-party,domain=~awempire.ip -||95.211.106.41^$third-party,domain=~leaseweb-nl.ip -||99widgets.com/counters/ -||9fine.ru/js/counter. -||9msn.com.au^*/tracking/ -||a.mobify.com^ -||a.unanimis.co.uk^ -||a2a.lockerz.com^ -||aaa.aj5.info^ -||aan.amazon.com^$third-party -||aao.org/aao/sdc/track.js -||abc.hearst.co.uk^$third-party -||acces-charme.com/fakebar/track.php? -||acount.alley.ws^$third-party -||acs86.com/t.js -||activecommerce.net/collector.gif -||activetracker.activehotels.com^$third-party -||activities.niagara.comedycentral.com^ -||actonservice.com^*/tracker/ -||ad.aloodo.com^$third-party -||ad.atdmt.com/c/ -||ad.atdmt.com/e/ -||ad.atdmt.com/i/*= -||ad.atdmt.com/i/go; -||ad.atdmt.com/i/img/ -||ad.atdmt.com/m/ -||ad.atdmt.com/s/ -||adchemy-content.com^*/tracking.js -||addnow.com/tracker/ -||addthis.com/at/ -||addthis.com/live/ -||addthis.com/red/$script,third-party -||addthis.com/red/p.png? -||addthis.com^*/p.json?*&ref= -||addthiscdn.com/*.gif?uid= -||addthiscdn.com/live/ -||addthisedge.com/live/ -||addtoany.com/menu/transparent.gif -||adf.ly/ad/conv? -||adfox.yandex.ru^ -||adg.bzgint.com^ -||adlog.com.com^ -||admission.net^*/displaytracker.js -||ads-trk.vidible.tv^ -||ads.bridgetrack.com^$image -||adtrack.calls.net^$third-party -||adultmastercash.com/e1.php$third-party -||affiliate.iamplify.com^ -||affiliate.mediatemple.net^$~third-party -||affiliates.mgmmirage.com^ -||affiliates.minglematch.com^$third-party -||affiliates.spark.net^$third-party -||affiliates.swappernet.com^ -||affilired.com/analytic/$third-party -||affl.sucuri.net^ -||afrigator.com/track/ -||agendize.com^*/counts.jsp? -||aiya.com.cn/stat.js -||akamai.com/crs/lgsitewise.js -||akamai.net/*.babylon.com/trans_box/ -||akamai.net/chartbeat. -||akamai.net^*/a.visualrevenue.com/ -||akamai.net^*/sitetracking/ -||akanoo.com/tracker/ -||akatracking.esearchvision.com^ -||aklamio.com/ovlbtntrk? -||aksb-a.akamaihd.net^ -||alenty.com/trk/ -||alexa.com/traffic/ -||alipay.com/service/clear.png? -||aliyun.com/actionlog/ -||allanalpass.com/track/ -||alooma.io/track/? -||alphasitebuilder.co.za/tracker/ -||amatomu.com/link/log/ -||amatomu.com/log.php? -||amazon.com/gp/*&linkCode$third-party -||amazonaws.com/?wsid= -||amazonaws.com/amacrpr/crpr.js -||amazonaws.com/analytics. -||amazonaws.com/cdn.barilliance.com/ -||amazonaws.com/ds-dd/data/data.gif?$domain=slickdeals.net -||amazonaws.com/fstrk.net/ -||amazonaws.com/g.aspx$third-party -||amazonaws.com/initialize/$third-party -||amazonaws.com/js/reach.js -||amazonaws.com/ki.js/ -||amazonaws.com/logs$xmlhttprequest,domain=wat.tv -||amazonaws.com/new.cetrk.com/ -||amazonaws.com/searchdiscovery-satellite-production/ -||amazonaws.com/statics.reedge.com/ -||amazonaws.com/wgntrk/ -||amazonaws.com^*.kissinsights.com/ -||amazonaws.com^*.kissmetrics.com/ -||amazonaws.com^*/pageviews -||amazonaws.com^*/track.js$domain=hitfix.com -||amp-error-reporting.appspot.com^ -||amplifypixel.outbrain.com^ -||ams.addflow.ru^ -||an.yandex.ru^ -||analytic.pho.fm^ -||analytic.xingcloud.com^$third-party -||analyticapi.pho.fm^ -||analyticcdn.globalmailer.com^ -||analytics-beacon-*.amazonaws.com^ -||analytics-rhwg.rhcloud.com^ -||analytics-static.ugc.bazaarvoice.com^ -||analytics-v2.anvato.com^ -||analytics.abacast.com^ -||analytics.adeevo.com^ -||analytics.amakings.com^ -||analytics.anvato.net^ -||analytics.apnewsregistry.com^ -||analytics.artirix.com^ -||analytics.atomiconline.com^ -||analytics.avanser.com.au^ -||analytics.aweber.com^ -||analytics.bigcommerce.com^ -||analytics.brandcrumb.com^ -||analytics.carambo.la^ -||analytics.cincopa.com^ -||analytics.clickpathmedia.com^ -||analytics.closealert.com^ -||analytics.cmg.net^ -||analytics.codigo.se^ -||analytics.conmio.com^ -||analytics.convertlanguage.com^ -||analytics.cynapse.com^ -||analytics.datahc.com^ -||analytics.dev.springboardvideo.com^ -||analytics.edgekey.net^ -||analytics.edgesuite.net^ -||analytics.episodic.com^ -||analytics.fairfax.com.au^ -||analytics.favcy.com^ -||analytics.gvim.mobi^ -||analytics.hosting24.com^ -||analytics.hpprintx.com^ -||analytics.kaltura.com^ -||analytics.kapost.com^ -||analytics.live.com^ -||analytics.livestream.com^ -||analytics.mailmunch.co^ -||analytics.matchbin.com^ -||analytics.mlstatic.com^ -||analytics.onlyonlinemarketing.com^ -||analytics.ooyala.com^ -||analytics.optilead.co.uk^ -||analytics.orenshmu.com^ -||analytics.performable.com^ -||analytics.photorank.me^ -||analytics.piksel.com^ -||analytics.prod.aws.ecnext.net^ -||analytics.r17.com^ -||analytics.radiatemedia.com^ -||analytics.recruitics.com^ -||analytics.revee.com^ -||analytics.reyrey.net^ -||analytics.rogersmedia.com^ -||analytics.shareaholic.com^ -||analytics.sitewit.com^ -||analytics.snidigital.com^ -||analytics.sonymusic.com^ -||analytics.springboardvideo.com^ -||analytics.staticiv.com^ -||analytics.stg.springboardvideo.com^ -||analytics.strangeloopnetworks.com^ -||analytics.themarketiq.com^ -||analytics.tout.com^ -||analytics.tribeca.vidavee.com^ -||analytics.urx.io^ -||analytics.vendemore.com^ -||analytics.websolute.it^ -||analytics.wildtangent.com^ -||analytics.yola.net^ -||analytics.yolacdn.net^ -||analyticsengine.s3.amazonaws.com^ -||analyze.full-marke.com^ -||analyzer.qmerce.com^ -||anvato.com/anvatoloader.swf?analytics= -||aol.com/ping? -||aolanswers.com/wtrack/ -||aolcdn.com/js/mg2.js -||aolcdn.com/omniunih_int.js -||ape-tagit.timeinc.net^ -||api.awe.sm/stats/$third-party -||api.bit.ly/*/clicks?$third-party -||api.choicestream.com/instr/ccm/ -||api.collarity.com/cws/*http -||api.fyreball.com^ -||api.wipmania.com^ -||app.cdn-cs.com/__t.png? -||app.insightgrit.com^ -||app.pendo.io/data/ptm.gif -||app.yesware.com/t/$third-party -||appdynamics.com/geo/$third-party -||apple.www.letv.com^ -||appliedsemantics.com/images/x.gif -||appsolutions.com/hitme?$third-party -||appspot.com/api/track/ -||appspot.com/stats? -||apture.com/v3/?5=%7b%22stats%22$xmlhttprequest -||arclk.net/trax? -||areyouahuman.com/kitten? -||aserve.directorym.com^ -||ask.com^*/i.gif? -||assoc-amazon.*^e/ir?t=$image -||asterpix.com/tagcloudview/ -||atdmt.com/action/ -||atdmt.com/iaction/ -||atdmt.com/jaction/ -||atdmt.com/mstag/ -||atom-data.io/session/latest/track.html?$third-party -||attributiontrackingga.googlecode.com^ -||auctiva.com/Default.aspx?query -||audience.newscgp.com^ -||audienceapi.newsdiscover.com.au^$third-party -||audienceinsights.net^$third-party -||audioeye.com/ae.js -||audit.303br.net^ -||audit.median.hu^ -||autoline-top.com/counter.php? -||awaps.yandex.net^ -||awe.sm/conversions/ -||aweber.com/form/displays.htm?$image -||axislogger.appspot.com^ -||azureedge.net/track -||b-aws.aol.com^ -||b.bedop.com^ -||b5media.com/bbpixel.php -||bab.frb.io^ -||bango.net/exid/*.gif? -||bango.net/id/*.gif? -||barium.cheezdev.com^ -||basilic.netdna-cdn.com^ -||bat.bing.com^ -||bazaarvoice.com/sid.gif -||bazaarvoice.com^*/magpie.js -||bc.geocities. -||beacon.affil.walmart.com^ -||beacon.errorception.com^ -||beacon.gcion.com^ -||beacon.gu-web.net^ -||beacon.guim.co.uk^ -||beacon.heliumnetwork.com^ -||beacon.indieclick.com^ -||beacon.livefyre.com^ -||beacon.richrelevance.com^ -||beacon.riskified.com^ -||beacon.rum.dynapis.com^ -||beacon.securestudies.com^ -||beacon.sojern.com^ -||beacon.squixa.net^ -||beacon.thred.woven.com^ -||beacon.viewlift.com^ -||beacon2.indieclick.com^ -||beacon2.indieclicktv.com^$third-party -||beacons.brandads.net^ -||bestofmedia.com^*/beacons/$~image -||bfnsoftware.com^*/environment.cgi? -||bhphotovideo.com/imp/ -||bibzopl.com/in.php -||bid.g.doubleclick.net^ -||bidsystem.com/ppc/sendtracker.aspx? -||bin.clearspring.*/b.swf -||bing.com/action/ -||bit.ly/stats? -||bitdash-reporting.appspot.com^ -||bitgravity.com/b.gif$third-party -||bitgravity.com^*/tracking/ -||bitmovin.com/impression -||bizrate-images.co.uk^*/tracker.js -||bizrate-images.com^*/tracker.js -||bizrate.co.uk/js/survey_ -||bizrate.com^*/survey_ -||bizsolutions.strands.com^ -||blamcity.com/log/ -||blinkx.com/thirdparty/iab/$third-party -||blip.bizrate.com^ -||blogblog.com/tracker/ -||bobparsons.com/image.aspx? -||bonsai.internetbrands.com^ -||bpath.com/count.dll? -||brandaffinity.net/icetrack/ -||bravenet.com/counter/ -||break.com/apextracker/ -||break.com/break/js/brktrkr.js$third-party -||breakingburner.com/stats.html? -||breakmedia.com/track.jpg? -||bright.bncnt.com^ -||browserscope.org/user/beacon/ -||bs.yandex.ru^ -||btn.clickability.com^ -||bufferapp.com/wf/open?upn=$third-party -||bumpin.com^*/analytics.html -||business.sharedcount.com^$third-party -||buzzbox.buzzfeed.com^ -||bzgint.com/CUNCollector/ -||bzpics.com/jslib/st.js? -||c.compete.com^ -||c.homestore.com^ -||c.imedia.cz^ -||c.live.com^ -||c.mgid.com^ -||c.wen.ru^ -||c.ypcdn.com^*&ptid -||c.ypcdn.com^*?ptid -||c2s-openrtb.liverail.com^ -||c3metrics.medifast1.com^ -||cache2.delvenetworks.com^ -||cadreon.s3.amazonaws.com^ -||canada.com/js/analytics/ -||canvas-ping.conduit-data.com^ -||canvas-usage-v2.conduit-data.com^ -||capture.bi.movideo.com/dc? -||capture.camify.com/dc? -||carambo.la/analytics/ -||carambo.la/logging/ -||carl.pubsvs.com^ -||caspionlog.appspot.com^ -||cc.swiftype.com^ -||cdn.trafficexchangelist.com^$third-party -||cdnma.com/apps/capture.js -||cdnplanet.com/static/rum/rum.js -||ce.lijit.com^ -||centerix.ru^*/count.msl? -||cf.overblog.com^ -||cgicounter.oneandone.co.uk^ -||cgicounter.puretec.de^ -||chanalytics.merchantadvantage.com^ -||chartaca.com.s3.amazonaws.com^ -||choicestream.com^*/pixel/ -||chtah.com/a/*/spacer-0.gif$third-party -||chtah.com^*/1x1.gif -||chtah.net/a/*/spacer-0.gif$third-party -||chtah.net/a/*/spacer.gif$third-party -||circonus.com/hit? -||citygridmedia.com/tracker/ -||citysearch.com/tracker/ -||clearspring.com/at/ -||clearspring.com/t/ -||click.appinthestore.com^ -||click.aristotle.net^$third-party -||click.email.*/open.aspx? -||click.geopaysys.com^ -||click.rssfwd.com^$third-party -||click1.email.nymagazine.com^$third-party -||click1.online.vulture.com^$image,third-party -||clickchatsold.com/d0/ -||clicker.com^*pageurl$third-party -||clicks.dealer.com^ -||clickstream.loomia.com^ -||clicktale.pantherssl.com^ -||clicktalecdn.sslcs.cdngc.net^ -||clickthru.lefbc.com^$third-party -||clicktracker.iscan.nl^ -||clicktracks.aristotle.net^ -||client.tahono.com^$third-party -||clientstat.castup.net^ -||clipsyndicate.com/cs_api/cliplog? -||clnk.me/_t.gif? -||cloudapp.net/l/ -||cloudfront-labs.amazonaws.com^ -||cloudfront.net*/keywee.min.js -||cloudfront.net*/sp.js -||cloudfront.net*/tracker.js -||cloudfront.net*/trk.js -||cloudfront.net/?a= -||cloudfront.net/abw.js -||cloudfront.net/analytics.js -||cloudfront.net/analytics_$script -||cloudfront.net/analyticsengine/ -||cloudfront.net/autotracker -||cloudfront.net/bti/ -||cloudfront.net/code/keen-2.1.0-min.js -||cloudfront.net/dough/*/recipe.js -||cloudfront.net/esf.js -||cloudfront.net/js/ca.js -||cloudfront.net/js/reach.js -||cloudfront.net/khp.js -||cloudfront.net/log.js? -||cloudfront.net/performable/ -||cloudfront.net/powr.js -||cloudfront.net/pt1x1.gif -||cloudfront.net/rc.js? -||cloudfront.net/rum/bacon.min.js -||cloudfront.net/sentinel.js -||cloudfront.net/sso.js -||cloudfront.net/track.html -||cloudfront.net/track? -||cloudfront.net/trackb.html -||cloudfront.net/tracker.js -||cloudfront.net/zephyr.js -||cm.g.doubleclick.net^ -||cmmeglobal.com/evt? -||cmmeglobal.com^*/page-view? -||cms-pixel.crowdreport.com^ -||cnetcontent.com/log? -||cnevids.com/metrics/ -||cnpapers.com/scripts/library/ -||cnt.3dmy.net^ -||cnt.mastorage.net^ -||cnzz.com/stat. -||coinbase.com/assets/application-*.js$third-party -||collect.igodigital.com^ -||collect.rewardstyle.com^ -||collection.acromas.com^ -||collector-*.elb.amazonaws.com^$image,third-party -||collector-*.tvsquared.com^ -||collector.air.tv^ -||collector.apester.com^ -||collector.contentexchange.me^$third-party -||collector.leaddyno.com^ -||collector.nextguide.tv^ -||collector.roistat.com^ -||collector.snplow.net^ -||collector.sspinc.io^ -||comet.ibsrv.net^ -||comic-rocket.com/metrics.js -||communicatorcorp.com^*/conversiontracking.js -||compendiumblog.com/js/stats.js -||concur.com/open.aspx? -||condenastdigital.com/content?$third-party -||contactatonce.com/VisitorContext.aspx? -||content.cpcache.com^*/js/ga.js -||control.adap.tv^$object-subrequest -||control.cityofcairns.com^$third-party -||cookies.livepartners.com^ -||cookietracker.cloudapp.net^ -||cookiex.ngd.yahoo.com^ -||count.asnetworks.de^ -||count.carrierzone.com^ -||count.channeladvisor.com^ -||count.me.uk^ -||count.paycounter.com^ -||counter.bloke.com^ -||counter.cam-content.com^ -||counter.htmlvalidator.com^ -||counter.hyipexplorer.com^ -||counter.maases.com^ -||counter.mgaserv.com^ -||counter.pagesview.com^ -||counter.pax.com^ -||counter.powweb.com^ -||counter.rambler.ru^ -||counter.scribblelive.com^ -||counter.scribblelive.net^ -||counter.snackly.co^ -||counter.sparklit.com^ -||counter.top.ge^$third-party -||counter.webcom.com^ -||counter.webmasters.bpath.com^ -||counter.yadro.ru^ -||counters.freewebs.com^ -||counters.gigya.com^ -||cr.loszona.com^$third-party -||creativecdn.com/pix/? -||creativecdn.com/tags? -||crm-vwg.com/tracker/ -||crowdfactory.com/tracker/ -||csi.gstatic.com^ -||csp-collector.appspot.com^ -||ct.eid.co.nz^$third-party -||ct.itbusinessedge.com^$third-party -||ct.needlive.com^ -||ct.pinterest.com^ -||ct.thegear-box.com^$third-party -||cts-log.channelintelligence.com^$third-party -||cts-secure.channelintelligence.com^$third-party -||cts.businesswire.com^$third-party -||cts.channelintelligence.com^$third-party -||cts.vresp.com^ -||cumulus-cloud.com/trackers/ -||curalate.com^*/events.jsonp$third-party -||curate.nestedmedia.com^ -||custom.search.yahoo.co.jp/images/window/*.gif -||customerlobby.com/ctrack- -||cx.atdmt.com^ -||d.rcmd.jp^$image -||d.shareaholic.com^ -||d10lpsik1i8c69.cloudfront.net^ -||d169bbxks24g2u.cloudfront.net^ -||d1cdnlzf6usiff.cloudfront.net^ -||d1cerpgff739r9.cloudfront.net^ -||d1clfvuu2240eh.cloudfront.net^ -||d1clufhfw8sswh.cloudfront.net^ -||d1cr9zxt7u0sgu.cloudfront.net^ -||d1gp8joe0evc8s.cloudfront.net^ -||d1ivexoxmp59q7.cloudfront.net^*/live.js -||d1ksyxj9xozc2j.cloudfront.net^ -||d1lm7kd3bd3yo9.cloudfront.net^ -||d1m6l9dfulcyw7.cloudfront.net^ -||d1nh2vjpqpfnin.cloudfront.net^ -||d1qpxk1wfeh8v1.cloudfront.net^ -||d1r27qvpjiaqj3.cloudfront.net^ -||d1r55yzuc1b1bw.cloudfront.net^ -||d1rgnfh960lz2b.cloudfront.net^ -||d1ros97qkrwjf5.cloudfront.net^ -||d1wscoizcbxzhp.cloudfront.net^ -||d1xfq2052q7thw.cloudfront.net^ -||d1yu5hbtu8mng9.cloudfront.net^ -||d1z2jf7jlzjs58.cloudfront.net^ -||d21o24qxwf7uku.cloudfront.net^ -||d22v2nmahyeg2a.cloudfront.net^ -||d23p9gffjvre9v.cloudfront.net^ -||d27s92d8z1yatv.cloudfront.net/js/jquery.jw.analitycs.js -||d28g9g3vb08y70.cloudfront.net^ -||d2d5uvkqie1lr5.cloudfront.net^*/analytics- -||d2d5uvkqie1lr5.cloudfront.net^*/analytics. -||d2gfdmu30u15x7.cloudfront.net^ -||d2gfi8ctn6kki7.cloudfront.net^ -||d2kmrmwhq7wkvs.cloudfront.net^ -||d2nq0f8d9ofdwv.cloudfront.net/track.js -||d2nxi61n77zqpl.cloudfront.net^ -||d2oh4tlt9mrke9.cloudfront.net^ -||d2pxb4n3f9klsc.cloudfront.net^ -||d2ry9vue95px0b.cloudfront.net^ -||d2so4705rl485y.cloudfront.net^ -||d2tgfbvjf3q6hn.cloudfront.net^ -||d2xgf76oeu9pbh.cloudfront.net^ -||d303e3cdddb4ded4b6ff495a7b496ed5.s3.amazonaws.com^ -||d3135glefggiep.cloudfront.net^ -||d33im0067v833a.cloudfront.net^ -||d34ko97cxuv4p7.cloudfront.net^ -||d36lvucg9kzous.cloudfront.net^ -||d36wtdrdo22bqa.cloudfront.net^ -||d396ihyrqc81w.cloudfront.net^ -||d3a2okcloueqyx.cloudfront.net^ -||d3cxv97fi8q177.cloudfront.net^ -||d3ezl4ajpp2zy8.cloudfront.net^ -||d3h1v5cflrhzi4.cloudfront.net^ -||d3hr5gm0wlxm5h.cloudfront.net^ -||d3kyk5bao1crtw.cloudfront.net^ -||d3l3lkinz3f56t.cloudfront.net^ -||d3mskfhorhi2fb.cloudfront.net^ -||d3ojzyhbolvoi5.cloudfront.net^ -||d3qxef4rp70elm.cloudfront.net/m.js -||d3qxwzhswv93jk.cloudfront.net^ -||d3r7h55ola878c.cloudfront.net^ -||d3rmnwi2tssrfx.cloudfront.net^ -||d3s7ggfq1s6jlj.cloudfront.net^ -||d3tglifpd8whs6.cloudfront.net^ -||d4ax0r5detcsu.cloudfront.net^ -||d6jkenny8w8yo.cloudfront.net^ -||d81mfvml8p5ml.cloudfront.net^ -||d8rk54i4mohrb.cloudfront.net^ -||d9lq0o81skkdj.cloudfront.net^ -||daq0d0aotgq0f.cloudfront.net^ -||data.alexa.com^ -||data.beyond.com^$third-party -||data.circulate.com^ -||data.fotorama.io/?$third-party -||data.imakenews.com^$third-party -||data.marketgid.com^$third-party -||data.minute.ly^ -||data.queryly.com^ -||datacollect*.abtasty.com^$third-party -||datam8.co.nz^$third-party -||daylogs.com/counter/ -||dc8na2hxrj29i.cloudfront.net^ -||dditscdn.com/?a= -||dealer.com^*/tracker/ -||dealer.com^*/tracking/ -||dealerfire.com/analytics/ -||deb.gs/track/ -||delivra.com/tracking/$third-party -||dell.com/TAG/tag.aspx?$third-party -||delvenetworks.com/player/plugins/analytics/ -||demandmedia.com/wm.js -||demandmedia.s3.amazonaws.com^$third-party -||desert.ru/tracking/ -||detect.ergebnis-dienst.de^ -||dfanalytics.dealerfire.com^ -||dfdbz2tdq3k01.cloudfront.net^ -||dialglobal.com^*/Log.aspx? -||digimedia.com/pageviews.php? -||digitalgov.gov/Universal-Federated-Analytics-Min.js -||directnews.co.uk/feedtrack/ -||dirt.dennis.co.uk^ -||discoverymail.com/a/*/spacer.gif -||disqus.com/api/ping?$third-party -||disqus.com/event.js?$script -||disqus.com/stats.html -||distillery.wistia.com^ -||djibeacon.djns.com^ -||dkj2m377b0yzw.cloudfront.net^ -||dl1d2m8ri9v3j.cloudfront.net^ -||dmcdn.net/behavior/ -||dmdentertainment.com^*/video_debug.gif? -||dn-net.com/cc.js -||dn34cbtcv9mef.cloudfront.net^ -||dnn506yrbagrg.cloudfront.net^ -||domodomain.com^*/ddsense.aspx? -||doug1izaerwt3.cloudfront.net^ -||dreamhost.com/*.cgi?$image,third-party -||ds-aksb-a.akamaihd.net^ -||dt.sellpoint.net^ -||dtym7iokkjlif.cloudfront.net/dough/ -||du8783wkf05yr.cloudfront.net^$third-party -||dufue2m4sondk.cloudfront.net^ -||dw.cbsi.com^ -||dw.com.com^ -||dymlo6ffhj97l.cloudfront.net^ -||dzmxze7hxwn6b.cloudfront.net^ -||dzxxxg6ij9u99.cloudfront.net^ -||e-activist.com^*/broadcast.record.message.open.do? -||e-merchant.com/^*/edr.js$third-party -||e.ebidtech.com/cv/ -||early-birds.fr/tracker/ -||ebay.northernhost.com^ -||ebayrtm.com/rtm?RtmCmd&a=img&$image -||ebaystatic.com^*/rover_$script -||ebaystatic.com^*/tracking_RaptorheaderJS.js -||ecommstats.s3.amazonaws.com^$third-party -||ecustomeropinions.com/survey/nojs.php? -||ecustomeropinions.com^*/i.php? -||edge.bredg.com^$third-party -||edge.sqweb.com^ -||edgesuite.net^*/googleanalyt -||edrta.mol.im^ -||edw.insideline.com^$third-party -||elb.amazonaws.com/?page=$image -||elb.amazonaws.com/g.aspx?surl= -||elb.amazonaws.com/partner.gif? -||elb.amazonaws.com/small.gif? -||els-cdn.com^*/analytics.js -||email-edg.paypal.com/o/$image -||email.mediafire.com/wf/open?$third-party -||emarketeer.com/tracker/ -||embed.docstoc.com/Flash.asmx/StoreReffer? -||embedly.com/widgets/xcomm.html$third-party -||emihosting.com^*/tracking/ -||enews.pcmag.com/db/$third-party -||ensighten.com/error/e.php? -||entry-stats.huffpost.com^ -||epl.paypal-communication.com^ -||epromote.co.za/track/ -||erne.co/tags? -||errors.snackly.co^ -||eservicesanalytics.com.au^ -||et.grabnetworks.com^ -||etahub.com^*/track?site_id -||etc.grab.com^$image,third-party -||etoro.com/tradesmonitor/ -||event.loyalty.bigdoor.com^$third-party -||event.previewnetworks.com^ -||event.trove.com^ -||eventful.com/apps/generic/$image,third-party -||eventgateway.soundcloud.com^ -||eventlog.inspsearch.com^ -||eventlog.inspsearchapi.com^ -||events.antenna.is^ -||events.bounceexchange.com^ -||events.eyeviewdigital.com^*.gif?r= -||events.izooto.com^ -||events.jotform.com^ -||events.launchdarkly.com^$third-party -||events.marquee-cdn.net^ -||events.medio.com^ -||events.realgravity.com^ -||events.whisk.com^ -||eventtracker.videostrip.com^$third-party -||eveonline.com/redir.asp$third-party -||eviesays.com/js/analytics/ -||evri.com/analytics/ -||evt.collarity.com^$image -||exct.net/open.aspx? -||exitintel.com/log/$third-party -||experience.contextly.com^ -||facebook.com*/impression.php -||facebook.com/ai.php? -||facebook.com/audience_network/$image -||facebook.com/brandlift.php -||facebook.com/common/scribe_endpoint.php -||facebook.com/email_open_log_pic.php -||facebook.com/fr/u.php? -||facebook.com/js/conversions/tracking.js -||facebook.com/method/links.getStats?$third-party -||facebook.com/offsite_event.php$third-party -||facebook.com/rtb_impression/? -||facebook.com/rtb_video/? -||facebook.com/tr/? -||facebook.com/tr? -||facebook.com^*/tracking.js$third-party -||fairfax.com.au/js/track/ -||fastcounter.bcentral.com^ -||fastcounter.onlinehoster.net^ -||fastly.net/collect? -||fbpixel.network.exchange^ -||feed.informer.com/fdstats -||feedblitz.com/imp?$third-party -||feedblitz.com^*.gif?$third-party -||feedcat.net/button/ -||feedsportal.com^*/1x1.gif? -||filament-stats.herokuapp.com^ -||filesonic.com/referral/$third-party -||fitanalytics.com/metrics/ -||flashi.tv/histats.php? -||flashstats.libsyn.com^ -||flex.msn.com/mstag/ -||fliqz.com/metrics/$~object-subrequest -||flixster.com^*/analytics. -||fls-na.amazon.com^ -||fluidsurveys-com.fs.cm^$third-party -||flux.com/geo.html? -||followistic.com/widget/stat/ -||footballmedia.com/tracking/ -||forms.aweber.com^*/displays.htm?id= -||foxcontent.com/tracking/ -||freecurrencyrates.com/statgif. -||freedom.com^*/analytic/ -||freedom.com^*/analytics/ -||freehostedscripts.net^*.php?site=*&s=*&h=$third-party -||friends.totallynsfw.com^ -||ftimg.net/js/log.js? -||fwix.com/ref.js -||fwix.com^*/trackclicks_ -||fyre.co^*/tracking/ -||g.delivery.net^$third-party -||ga-beacon.appspot.com^ -||ga.webdigi.co.uk^ -||gamegecko.com/gametrack? -||gatehousemedia.com/wickedlocal/ip.js -||gcion.com/gcion.ashx? -||geckofoot.com/gfcounterimg.aspx? -||geckofoot.com/gfvisitormap.aspx? -||geni.us/snippet.js -||geo.ertya.com^ -||geo.gexo.com/geo.js$third-party -||geo.gorillanation.com^ -||geo.kaloo.ga^$third-party -||geo.kontagent.net^ -||geo.ltassrv.com^ -||geo.q5media.net^ -||geo.query.yahoo.com^$~xmlhttprequest,domain=~mail.yahoo.com -||geobar.ziffdavisinternational.com^ -||geoip.nekudo.com^ -||geoip.taskforce.is^ -||geolocation.performgroup.com^ -||geoservice.curse.com^ -||getglue.com^*/count? -||getkudos.me/a?$image -||getpos.de/ext/ -||getrockerbox.com/pixel? -||gigya.com^*/cimp.gif? -||github.com/notifications/beacon/ -||glam.com/cece/agof/ -||glam.com/ctagsimgcmd.act? -||glam.com/jsadimp.gif? -||glam.com^*/log.act? -||glbdns.microsoft.com^ -||gleam.io/seen? -||glogger.inspcloud.com^ -||go-stats.dlinkddns.com^$third-party -||go.optifuze.com^ -||go.toutapp.com^$third-party -||goadv.com^*/track.js -||goals.ar.gy/bug.gif? -||goaww.com/stats.php -||godaddy.com/js/gdwebbeacon.js -||google.com/insights/$script,third-party -||googleapis.com^*/gen_204? -||googlecode.com^*/tracker.js -||googleusercontent.com/tracker/ -||gotdns.com/track/blank.aspx? -||gotmojo.com/track/ -||gowatchit.com/analytics.js -||gowatchit.com^*/tracking/ -||grabnetworks.com/beacons/ -||grabnetworks.com/ping? -||graph.facebook.com/?ids=*&callback=$script,third-party -||gravity.com^*/beacons/ -||green-griffin-860.appspot.com^ -||gridsumdissector.com/gs.gif? -||grymco.com^*/event? -||gsn.chameleon.ad^$~script -||gsp1.baidu.com^ -||gstatic.com/gadf/ga_dyn.js -||gstatic.com/gen_204? -||gtrk.s3.amazonaws.com^ -||gu-pix.appspot.com^$third-party -||gubagoo.com/modules/tracking/ -||h2porn.com/new-hit/? -||harvester.ext.square-enix-europe.com^ -||hasbro.com/includes/js/metrics/ -||hawkeye-data-production.sciencemag.org.s3-website-us-east-1.amazonaws.com^ -||haymarket.com/injector/deliver/ -||heals.msgfocus.com^$third-party -||hearstmags.com^*/hdm-lib_hearstuser_proxy.html$third-party -||hello.staticstuff.net^ -||hellobar.com/ping? -||heraldandtimeslabs.com/sugar.js -||heroku.com/?callback=getip$third-party -||hgcdn.net/?$third-party -||hi.hellobar.com^ -||hit-pool.upscore.io^ -||hits-*.iubenda.com^ -||hits.dealer.com^ -||hits.informer.com^ -||hm.baidu.com^$third-party -||homestore.com/srv/ -||hop.clickbank.net^ -||hornymatches.com^*/visit.php? -||hostingtoolbox.com/bin/Count.cgi? -||hpr.outbrain.com^ -||hqq.tv/js/counters.js -||hubspot.com/analytics/ -||hubspot.com/cs/loader-v2.js -||hubspot.com/tracking/ -||hypercomments.com/widget/*/analytics.html -||i-stats.ieurop.net^ -||i.s-microsoft.com/wedcs/ms.js -||ib.adnxs.com^ -||icbdr.com/images/pixel.gif -||icu.getstorybox.com^ -||ihstats.cloudapp.net^$third-party -||imagedoll.com^$subdocument,third-party -||imagepix.okoshechka.net^*/?sid= -||images-amazon.com/images/*/ga.js$third-party -||images-amazon.com/images/*/third-party/tracker$third-party -||images-amazon.com/images^*/analytics/$third-party -||images-amazon.com^*/1x1_trans.gif -||images-amazon.com^*/Analytics- -||images-amazon.com^*/AnalyticsReporter- -||imageshack.us^*/thpix.gif -||imgfarm.com/images/nocache/tr/*.gif?$image -||imgfarm.com/images/trk/myexcitetr.gif? -||imgfarm.com^*/mw.gif?$third-party -||imghostsrc.com/counter.php? -||imp.affiliator.com^$third-party -||imp.clickability.com^$third-party -||imp.constantcontact.com^$third-party -||imp.pix.com^ -||impi.tv/trackvideo.aspx? -||imprvdosrv.com^$image,third-party -||inboxtag.com/tag.swf -||ind.sh/view.php?$third-party -||infinityid.condenastdigital.com^ -||infogr.am/logger.php? -||informer.yandex.ru^ -||infosniper.net/locate-ip-on-map.php -||infusionsoft.com^*/getTrackingCode? -||inphonic.com/tracking/ -||inq.com/tagserver/logging/ -||inq.com/tagserver/tracking/ -||inq.com^*/onEvent?_ -||insight.mintel.com^$third-party -||insights.gravity.com^ -||insnw.net/assets/dsc/dsc.fingerprint- -||insnw.net/instart/js/instart.js -||instagram.com/logging_client_events -||installiq.com/Pixels/ -||intelligence.dgmsearchlab.com^ -||intelligencefocus.com^*/sensor.js -||intelligencefocus.com^*/websensor.aspx? -||intensedebate.com/remotevisit.php? -||intensedebate.com/widgets/blogstats/ -||intercomcdn.com/intercom*.js$domain=unblocked.la -||interestsearch.net/videoTracker.js? -||internetfuel.com/tracking/ -||intuitwebsites.com/tracking/ -||io.narrative.io/?$third-party -||ioam.de/? -||ioam.de/aid.io? -||ioam.de/tx.io? -||irqs.ioam.de^ -||isacglobal.com/sa.js -||itracking.fccinteractive.com^ -||iyisayfa.net/inc.php? -||jailbaitchan.com/tp/ -||jangomail.com^*?UID$third-party -||javascriptcounter.appspot.com^ -||jobs.hrkspjbs.com^ -||jobvite.com/analytics.js -||join-safe.com/tracking/ -||jotform.io/getReferrer/$third-party -||js-agent.newrelic.com^ -||jsrdn.com/i/1.gif? -||k7-labelgroup.com/g.html?uid=$image -||kalstats.kaltura.com^ -||kaltura.com^*/statisticsPlugin.swf -||kbb.com/partner/$third-party -||kdpgroupe.com/ea.js -||key4web.com^*/set_cookie_by_referer/ -||keywee.co/analytics.js? -||keyword.daumdn.com^ -||kiwari.com^*/impressions.asp? -||kmib.co.kr/ref/ -||kununu.com^*/tracking/ -||l-host.net/etn/omnilog? -||l.coincident.tv^ -||l.fairblocker.com^$third-party -||l.ooyala.com^ -||l.player.ooyala.com^ -||l.sharethis.com^ -||laurel.macrovision.com^ -||laurel.rovicorp.com^ -||lct.salesforce.com^$third-party -||leadpages.net^*/tracking.js -||leadtracking.plumvoice.com^ -||leadvision.dotmailer.co.uk^$third-party -||lederer.nl/incl/stats.js.php? -||legacy.com/globalscripts/tracking/ -||legacy.com^*/unicaclicktracking.js? -||lela.com/api/v2/tracking.js -||letv.com/cloud_pl/ -||letv.com/env/ -||ligatus.com/push/url.gif? -||ligatus.com/script/viewtracker- -||lightboxcdn.com/static/identity.html -||lijit.com/blog_wijits?*=trakr& -||lijit.com/ip.php? -||lijit.com/res/images/wijitTrack.gif -||lingows.appspot.com/page_data/? -||link.americastestkitchencorp.com^ -||link.huffingtonpost.com^$third-party -||link.indiegogo.com/img/ -||link.informer.com^ -||linkbucks.com/visitScript/ -||linkedin.com/emimp/$image -||linkwithin.com/pixel.png -||list-manage.com/track/ -||list.fightforthefuture.org/mpss/o/*/o.gif -||litix.io/core/*/mux.js$third-party -||live2support.com^*/js_lstrk. -||livechatinc.com^*/control.cgi? -||livecounter.theyosh.nl^ -||livefyre.com/libs/tracker/ -||livefyre.com/tracking/ -||livefyre.com^*/tracker.js -||livefyre.com^*/tracking/ -||livehelpnow.net/lhn/jsutil/getinvitationmessage.aspx? -||liverail.com/?metric= -||liverail.com/track/? -||livestats.kaltura.com^ -||location3.com/analytics/ -||log-*.previewnetworks.com^ -||log.adap.tv^$object-subrequest -||log.ideamelt.com^ -||log.invodo.com^ -||log.kcisa.kr^ -||log.kibboko.com^ -||log.kukuplay.com^$third-party -||log.liverail.com^ -||log.olark.com^ -||log.outbrain.com^ -||log.pinterest.com^ -||log.prezi.com^ -||log000.goo.ne.jp^$third-party -||log1.survey.io^ -||logger.logidea.info^ -||logger.snackly.co^ -||logger.sociablelabs.com^ -||logging.carambo.la^ -||loggingapi.spingo.com^ -||logs.spilgames.com^ -||logs.thebloggernetwork.com^ -||logs.vmixcore.com^ -||logssl.enquisite.com^ -||longtailvideo.com^*/yourlytics- -||longurl.it/_t.gif?$third-party -||loomia.com^*/setcookie.html -||loxodo-analytics.ext.nile.works^ -||lp.vadio.com^ -||lsimg.net^*/vs.js -||lt.tritondigital.com^ -||ltassrv.com/track/ -||luminate.com/track/ -||lunametrics.wpengine.netdna-cdn.com^ -||lycos.com/hb.js -||m.addthisedge.com^$third-party -||m.trb.com^ -||m30w.net/engine/$image,third-party -||magnify.net/decor/track/ -||magnify360-cdn.s3.amazonaws.com^ -||mail-app.com/pvtracker/ -||mail.ebay.com/img/*.gif -||mail.ru/grstat? -||mail.ru/k? -||mailmax.co.nz/login/open.php$third-party -||mandrillapp.com/track/ -||mangomolo.com/tracking/ -||mansion.com/mts.tracker.js -||mantisadnetwork.com/sync? -||mapquestapi.com/logger/ -||marketingautomation.services/net?$third-party -||marketinghub.hp.com^ -||mas.nth.ch^ -||mashery.com/analytics/ -||maxmind.com/app/$third-party -||maxmind.com/geoip/$third-party -||maxmind.com/js/country.js -||maxmind.com/js/device.js$third-party -||maxmind.com^*/geoip.js -||maxmind.com^*/geoip2.js -||mbsvr.net/js/tracker/ -||mc.yandex.ru^ -||mcs.delvenetworks.com^ -||mcssl.com^*/track.ashx? -||mdctrail.com/b.ashx$third-party -||media-imdb.com/twilight/? -||mediabong.com/t/ -||mediabong.net/t/ -||mediaite.com^*/track/ -||mediametrics.mpsa.com^ -||mediapartner.bigpoint.net^$third-party -||mediaplex.com^*?mpt= -||meebo.com/cim/sandbox.php? -||merchenta.com/track/ -||metabroadcast.com^*/log? -||metaffiliation.com^*^mclic= -||metering.pagesuite.com^$third-party -||metric.nwsource.com^ -||metrics-api.librato.com^ -||metrics.brightcove.com^ -||metrics.chmedia.com^ -||metrics.ctvdigital.net^ -||metrics.el-mundo.net^ -||metrics.feedroom.com^ -||metrics.loomia.com^ -||metrics.scribblelive.com^ -||metrics.seenon.com^ -||metrics.sonymusicd2c.com^ -||metrics.toptenreviews.com^ -||metrics.upcload.com^ -||metrics.wikinvest.com^ -||metrixlablw.customers.luna.net^ -||metro-trending-*.amazonaws.com^$third-party -||mint.good.is^ -||mitel.marketbright.com^ -||mixpanel.com/track? -||mkcms.com/stats.js -||ml.com/enterprisetagging/ -||mlweb.dmlab.hu^ -||mmi.bemobile.ua^ -||mmpstats.mirror-image.com^ -||mochiads.com/clk/ -||modules.ooyala.com^*/analytics- -||movementventures.com/_uid.gif -||mozilla.org/page/*/open.gif$third-party -||mp.pianomedia.eu^ -||mqs.ioam.de^ -||msecnd.net/jscripts/HA-$script -||msecnd.net/scripts/a/ai.0.js -||mtrcs.samba.tv^ -||mts.mansion.com^$third-party -||mtv.com^*spacer.gif? -||mtvnservices.com/aria/uuid.html -||mtvnservices.com/metrics/ -||murdoog.com^*/Pixel/$image -||museter.com/track.php? -||musvc2.net/e/c? -||mxmfb.com/rsps/img/ -||myblueday.com^*/count.asp? -||myfreecams.com/mfc2/lib/o-mfccore.js -||mymarketing.co.il/Include/tracker.js -||myscoop-tracking.googlecode.com^$third-party -||mysdcc.sdccd.edu^*/.log/ -||mysociety.org/track/ -||mzbcdn.net/mngr/mtm.js -||n.mailfire.io^$third-party -||nastydollars.com/trk/ -||nativly.com^*/track? -||naver.net/wcslog.js -||navlink.com/__utmala.js -||nbcudigitaladops.com/hosted/housepix.gif -||needle.com/pageload? -||neocounter.neoworx-blog-tools.net^ -||neon-lab.com/neonbctracker.js -||netalpaca.com/beacon -||netbiscuits.net^*/analytics/ -||netne.net/stats/ -||netscape.com/c.cgi? -||neulion.vo.llnwd.net^*/track.js -||newsanalytics.com.au^$third-party -||newsletters.infoworld.com/db/$image,third-party -||newsletters.nationalgeographic.com^$image,third-party -||newsquestdigital.co.uk/collector.php? -||nice264.com/data?$third-party -||ninja.onap.io^ -||nitropay.com/nads/$third-party -||nol.yahoo.com^ -||nonxt1.c.youtube.com^$third-party -||nova.dice.net^ -||ns-cdn.com^*/ns_vmtag.js -||ns.rvmkitt.com^ -||nsdsvc.com/scripts/action-tracker.js -||nspmotion.com/tracking/ -||nude.hu/html/track.js -||o.addthis.com^ -||o.aolcdn.com/js/mg1.js -||observer.ip-label.net^ -||ocp.cnettv.com^*/Request.jsp? -||octopart-analytics.com^$third-party -||oddcast.com/event.php?$object-subrequest -||odnaknopka.ru/stat.js -||offermatica.intuit.com^ -||offers.keynote.com^$third-party -||ohnorobot.com/verify.pl? -||om.1and1.co.uk^ -||om.rogersmedia.com^ -||onescreen.net/os/static/pixels/ -||onespot-tracking.herokuapp.com^ -||onsugar.com/static/ck.php? -||onthe.io/io.js$third-party -||ooyala.com/3rdparty/comscore_ -||ooyala.com/authorized?analytics -||ooyala.com/sas/analytics? -||ooyala.com/verify? -||ooyala.com^*/report?log -||open.delivery.net^ -||optimera.elasticbeanstalk.com^ -||optimizely.appspot.com^$third-party -||ora.tv/j/ora_evttracking.js -||orts.wixawin.com^$third-party -||outbrain.com^*/widgetStatistics.js -||p.adbrn.com^ -||p.delivery.net^$third-party -||p.dsero.net^ -||p.po.st/p?pub= -||p.po.st/p?t=view&$third-party -||p.po.st^*&pub= -||p.po.st^*&vguid= -||p.yotpo.com^ -||p0.com/1x1 -||pages-stats.rbl.ms^ -||pageturnpro.com/tracker.aspx? -||pageview.goroost.com^ -||pair.com/itero/tracker_ftc/ -||partner.cynapse.com^ -||partners.etoro.com^ -||partners.thefilter.com^ -||partypoker.com^*/tracking- -||passport.pfn.bz^ -||paypal.com^*/pixel.gif$third-party -||paypalobjects.com^*/pixel.gif -||pcmag.com/tview/$image -||pcrl.co/js/jstracker.min.js -||pebed.dm.gg^ -||peermapcontent.affino.com^ -||perr.h-cdn.com^$third-party -||petitionermaster.appspot.com^ -||pf.aclst.com^$third-party -||pg.buzzfeed.com^ -||phantom.nudgespot.com^$third-party -||phncdn.com/js/ssig_helper.js -||phoenix.untd.com^ -||phrasetech.com/api/collect -||piano-media.com/auth/index.php? -||piano-media.com/bucket/novosense.swf$third-party -||piano-media.com/ping -||piano-media.com/uid/$third-party -||pianomedia.biz/uid/$script -||ping.aclst.com^ -||ping.dozuki.com^ -||ping.hellobar.com^ -||ping.rasset.ie^ -||ping.smyte.com^ -||pings.conviva.com^ -||pings.reembed.com^ -||pings.vidpulse.com^ -||pipe-collect.ebu.io^ -||pipedream.wistia.com^ -||pix.impdesk.com^ -||pix.speedbit.com^$third-party -||pixel.colorupmedia.com^ -||pixel.condenastdigital.com^ -||pixel.fanbridge.com^ -||pixel.glimr.io^ -||pixel.indieclicktv.com/annonymous/ -||pixel.newscred.com^ -||pixel.newsdata.com.au^ -||pixel.solvemedia.com^ -||pixel.tree.com^ -||pixel.vmm-satellite2.com^ -||pixel.wp.com^ -||pixel.xmladfeed.com^$third-party -||pixel.yabidos.com^ -||pixel.yola.com^ -||pixels.youknowbest.com^$third-party -||pixhosting.com/ct/jct.php? -||planet49.com/log/ -||platform.communicatorcorp.com^$third-party -||platform.twitter.com/impressions.js$third-party -||player.ooyala.com/errors/report? -||playtomic.com/Tracker/ -||plista.com/activity -||plugins.longtailvideo.com/googlytics -||plugins.longtailvideo.com/yourlytics -||pmetrics.performancing.com^ -||pong.production.gannettdigital.com^ -||pornhost.com/count_hit_player.php -||postageapp.com/receipt/$third-party -||postpixel.vindicosuite.com^ -||poweredbyeden.com/widget/tracker/ -||powersearch.us.com^ -||ppx.com/tracking/ -||pr.blogflux.com^ -||pricespider.com/impression/ -||print2webcorp.com/mkt3/_js/p2w_tracker.js -||privacytool.org/AnonymityChecker/js/fontdetect.js$third-party -||production-eqbc.lvp.llnw.net^ -||production-mcs.lvp.llnw.net^ -||production.mcs.delve.cust.lldns.net^ -||project-syndicate.org/fwat.js -||projecthaile.com/js/trb-1.js -||projop.dnsalias.com^$third-party -||propelplus.com/track/$third-party -||providence.voxmedia.com^$third-party -||proxify.com/xyz.php$third-party -||prstats.postrelease.com^ -||pswec.com/px/$third-party -||pt.crossmediaservices.com^ -||ptracker.nurturehq.com^ -||ptsc.shoplocal.com^ -||pub.sheknows.com^ -||pubexchange.com/modules/partner/$script,third-party -||publicbroadcasting.net/analytics/ -||publish.pizzazzemail.com^$third-party -||purevideo.com^*/pvshim.gif? -||pussy.org^*.cgi?pid= -||pussy.org^*/track.php -||px.247inc.net^ -||px.dynamicyield.com^$third-party -||px.excitedigitalmedia.com^ -||px.marchex.io^ -||px.owneriq.net^ -||px.spiceworks.com^ -||px.topspin.net^ -||qlog.adap.tv^$object-subrequest -||qos.video.yimg.com^ -||qq.com/heatmap/ -||qq.com/ping.js? -||qq.com/stats? -||qualtrics.com^*/metrics -||qubitanalytics.appspot.com^ -||quisma.com/tracking/ -||r.mail.ru^ -||r.msn.com^ -||r.ypcdn.com^*/rtd?ptid$image -||ra.ripple6.com^ -||rackcdn.com/easie.js -||rackcdn.com/icon2.gif? -||rackcdn.com/knotice.api.js -||rackcdn.com/stf.js -||rackcdn.com^$script,domain=buysubscriptions.com|cbsnews.com|cbssports.com|cnet.com|dailystar.co.uk|express.co.uk|gamerant.com|gamespot.com|giantbomb.com|inyt.com|metacritic.com|metrolyrics.com|page3.com|rotoworld.com|scout.com|sh.st|thesun.co.uk|thesun.ie|thesundaytimes.co.uk|thetimes.co.uk|tv.com|tvguide.com|zdnet.com -||rackcdn.com^*/analytics.js -||radiocompanion.com/count.php? -||ramp.purch.com^ -||rbl.ms/res/users/tracking/ -||readcube.com/ping? -||readcube.com/tracking/ -||realplayer.com^*/pixel? -||realtidbits.com^*/analytics.js -||recs.atgsvcs.com^$third-party -||redir.widdit.com^$third-party -||redplum.com^*&pixid=$third-party -||reevoo.com/assets/ga.$script -||reevoo.com/track/ -||reevoo.com/track_url/ -||reevoo.com^*/track/ -||referrer.disqus.com^ -||relap.io^*/head.js? -||relaymedia.com/ping?$third-party -||replyat.com/gadgetpagecounter*.asp? -||report.downloastar.com^ -||reporting.handll.net^ -||reporting.reactlite.com^$third-party -||reporting.singlefeed.com^ -||reportinglogger.my.rightster.com^ -||reports.maxperview.com^ -||reports.pagesuite-professional.co.uk^ -||reports.tstlabs.co.uk^ -||researchintel.com^$third-party -||reverbnation.com/widgets/trk/ -||rhapsody.com^*/pixel? -||ria.ru/js/counter.js -||rich-agent.s3.amazonaws.com^ -||richrelevance.com/rrserver/tracking? -||rlinks.one.in^ -||rodale.com/ga/ -||rodalenl.com/imp?$third-party -||roitrack.addlvr.com^ -||rokt.com/pixel/ -||royalecms.com/statistics.php? -||rs.sinajs.cn^ -||rtt.campanja.com^ -||ru4.com/click? -||rva.outbrain.com^ -||s-vop.sundaysky.com^$third-party -||s.clickability.com^ -||s.sniphub.com^ -||s3-tracking.synthasite.net.s3.amazonaws.com^ -||s5labs.io/common/i?impressionId$image -||saaspire.net/pxl/$third-party -||sadv.dadapro.com^$third-party -||salesforce.com/sfga.js -||sana.newsinc.com^ -||sawpf.com/1.0.js$third-party -||saymedia.com/latest/tetrapak.js -||schibsted.com/autoTracker -||scout.haymarketmedia.com^$third-party -||scribol.com/traffix/widget_tracker/ -||scripts.psyma.com^ -||search.mediatarget.net^$third-party -||searchcompletion.com/BannerHandler.ashx -||searchmaestros.com/trackpoint/ -||searchstats.usa.gov^ -||secure.ed4.net/GSI/$third-party -||secure.ifbyphone.com^$third-party -||secureprovide1.com/*=tracking$image -||seg.sharethis.com^ -||segments.adap.tv^$third-party -||sendtonews.com/player/loggingajax.php? -||sendtonews.com^*/data_logging.php -||session.timecommerce.net^ -||sftrack.searchforce.net^ -||shareaholic.com/analytics_ -||shareaholic.com/partners.js -||shared.65twenty.com^ -||shareholder.com/track/ -||shareit.com/affiliate.html$third-party -||sharethis.com/increment_clicks? -||sharethis.com/pageviews? -||shopify.com/storefront/page?*&eventType= -||shoplocal.com/it.ashx? -||sig.atdmt.com^ -||sig.gamerdna.com^$third-party -||sightmaxondemand.com/wreal/sightmaxagentinterface/monitor.smjs -||signup.advance.net^*affiliate -||sinajs.cn/open/analytics/ -||sitebooster.com/sb/wix/p?$third-party -||siteintercept*.qualtrics.com^$third-party -||sitereports.officelive.com^ -||skimresources.com/api/ref-banners.js -||skysa.com/tracker/ -||sli-spark.com/b.png$third-party -||slidedeck.com^$image,third-party -||slidesharecdn.com/images/1x1.gif? -||smartertravel.com/ext/pixel/ -||smrt.as^ -||snaps.vidiemi.com^$third-party -||snazzyspace.com/generators/viewer-counter/counter.php$third-party -||socialreader.com^*?event=email_open^$image -||sohu.com/stat/ -||soundcloud.com^*/plays?referer= -||sourceforge.net/tracker/$~xmlhttprequest -||southafricahome.com/statsmodulev2/ -||spacedust.netmediaeurope.com^ -||spaceprogram.com/webstats/ -||sparklit.com/counter/ -||speedtestbeta.com/*.gif?cb$third-party -||speedtrap.shopdirect.com^ -||spoods.rce.veeseo.com^ -||spot.im/analytics/analytics.js -||spot.im/api/tracker/ -||spread.ly^*/statistics.php -||ssl-images-amazon.com/images/*/common/1x1._*.gif$domain=~amazon.com -||stat.boredomtherapy.com^ -||stat.easydate.biz^ -||stat.ed.cupidplc.com^ -||stat.itp-nyc.com^ -||stat.php-d.com^ -||stat.pladform.ru^ -||stat.segitek.hu^ -||stat.to.cupidplc.com^$third-party -||stat.web-regie.com^ -||statdb.pressflex.com^ -||static.parsely.com^$third-party -||statistics.infowap.info^ -||statistics.m0lxcdn.kukuplay.com^$third-party -||statistics.tattermedia.com^ -||statistics.wibiya.com^ -||statking.net^*/count.js -||statm.the-adult-company.com^ -||stats-messages.gifs.com^ -||stats-newyork1.bloxcms.com^ -||stats.big-boards.com^ -||stats.bitgravity.com^ -||stats.bluebillywig.com^ -||stats.cdn.pfn.bz^ -||stats.cdn.playfair.co.za^ -||stats.clickability.com^ -||stats.clipprtv.com^$third-party -||stats.cloudwp.io^ -||stats.cnevids.com^ -||stats.complex.com^ -||stats.datahjaelp.net^ -||stats.dice.com^ -||stats.directnic.com^ -||stats.edicy.com^ -||stats.free-rein.net^ -||stats.g.doubleclick.net^ -||stats.geegain.com^ -||stats.gifs.com^ -||stats.heyoya.com^ -||stats.highwire.com^ -||stats.indexstats.com^ -||stats.inergizedigitalmedia.com^ -||stats.itweb.co.za^ -||stats.kaltura.com^ -||stats.lightningcast.net^ -||stats.load.com^ -||stats.lotlinx.com^ -||stats.magnify.net^ -||stats.manticoretechnology.com^ -||stats.mituyu.com^ -||stats.nebula.fi^ -||stats.netbopdev.co.uk^ -||stats.olark.com^ -||stats.ombx.io^ -||stats.openload.co^ -||stats.ozwebsites.biz^ -||stats.polldaddy.com^ -||stats.qmerce.com^ -||stats.ref2000.com^ -||stats.sa-as.com^ -||stats.sawlive.tv^ -||stats.screenresolution.org/get.php$image,third-party -||stats.shopify.com^ -||stats.smartclip.net^ -||stats.snacktools.net^ -||stats.snappytv.com^ -||stats.solidopinion.com^ -||stats.staging.suite101.com^ -||stats.surfaid.ihost.com^ -||stats.svpply.com^ -||stats.topofblogs.com^ -||stats.twistage.com^ -||stats.viddler.com^ -||stats.vodpod.com^ -||stats.webs.com^ -||stats.webstarts.com^$third-party -||stats.whicdn.com^$third-party -||stats.wp.com^ -||stats.yme.com^ -||stats.yourminis.com^ -||stats1.tune.pk^ -||stats2.lightningcast.net^ -||stats3.unrulymedia.com^ -||statsadv.dadapro.com^$third-party -||statsapi.screen9.com^ -||statsdev.treesd.com^ -||statsrv.451.com^ -||statt-collect.herokuapp.com^ -||stileproject.com/vhtk/ -||streamads.com/view? -||su.addthis.com^ -||su.pr/hosted_js$third-party -||sugarops.com/w?action=impression$third-party -||sulia.com/papi/sulia_partner.js/$third-party -||sumo.com/apps/heatmaps/ -||sumome.com/api/event/? -||sumome.com/apps/heatmaps/ -||sundaysky.com/sst.gif? -||sundaysky.com/vop/$third-party -||survey.interquest.com^ -||survey.io/log? -||surveywall-api.survata.com^$third-party -||swiftypecdn.com/cc.js$third-party -||swiftypecdn.com/te.js$third-party -||synapsys.us^*.gif? -||synapsys.us^*/tracker.js -||sync.adap.tv^ -||synergizeonline.net/trackpoint/ -||systemmonitoring.badgeville.com^ -||t-staging.powerreviews.com^ -||t.a3cloud.net^ -||t.beopinion.com^ -||t.bimvid.com^ -||t.c4tw.net^ -||t.cfjump.com^ -||t.devnet.com^$third-party -||t.dgm-au.com^$third-party -||t.flux.com^ -||t.mail.sony-europe.com/r/? -||t.menepe.com^ -||t.powerreviews.com^$third-party -||t.pswec.com^ -||t.sgc.io^ -||t.sharethis.com^ -||t.smile.eu^ -||t.theoutplay.com^ -||t.ymlp275.net^$third-party -||t2.t2b.click^ -||taboola.com/tb? -||taboola.com^*/log/ -||taboola.com^*/notify-impression?$third-party -||taboolasyndication.com/log/ -||taboolasyndication.com^*/log/ -||tag-abe.cartrawler.com^ -||tag.aticdn.net^ -||tag.email-attitude.com^ -||tag.myplay.com^ -||tag.sonymusic.com^ -||tagcdn.com/pix/? -||tagger.opecloud.com^ -||tags.master-perf-tools.com^ -||tags.newscgp.com^ -||target.fark.com^ -||targeting.wpdigital.net^ -||tc.airfrance.com^ -||te.supportfreecontent.com^ -||technorati.com/technoratimedia-pixel.js -||techweb.com/beacon/ -||telemetry.reembed.com^ -||telemetry.soundcloud.com^ -||the-group.net/aether/ -||thefilter.com^*?extanonid=$~script -||themesltd.com/hit-counter/$third-party -||themesltd.com/online-users-counter/$third-party -||theoplayer.com/t? -||thepornstarlist.com/lo/lo/track.php? -||thespringbox.com/analytics/ -||thetradedesk-tags.s3.amazonaws.com^ -||thinairsoftware.net/OWYPTracker.aspx? -||thismoment.com/tracking/ -||thron.com/shared/plugins/tracking/ -||thron.com^*/trackingLibrary.swf -||time.chtah.com/a/*/spacer.gif -||timeinc.net^*/peopleas2artracker_v1.swf -||tinypass.com^*/track? -||tinyurl.com/pixel.gif/ -||tl.tradetracker.net^ -||tm.tradetracker.net^ -||tmgrup.com.tr/Statistic/ -||top-fwz1.mail.ru^ -||topix.net/t6track/ -||totallylayouts.com/hit-counter/$third-party -||totallylayouts.com/online-users-counter/$third-party -||totallylayouts.com^*/users-online-counter/online.js -||totallylayouts.com^*/visitor-counter/counter.js -||touchcommerce.com/tagserver/logging/ -||tourradar.com/def/partner?$third-party -||tout.com/tracker.js -||tr-metrics.loomia.com^ -||tr.advance.net^ -||tr.cloud-media.fr^ -||tr.interlake.net^ -||tr.webantenna.info^ -||tr1.mailperformance.com^ -||trace.qq.com^$third-party -||track.99acres.com^ -||track.addevent.com^ -||track.atgstores.com^$third-party -||track.atom-data.io^ -||track.bannedcelebs.com^ -||track.cafemomstatic.com^ -||track.captivate.ai^ -||track.did-it.com^ -||track.digitalriver.com^ -||track.dzloans.com^ -||track.g-bot.net^ -||track.gridlockparadise.com^ -||track.juno.com^ -||track.kandle.org^ -||track.leadin.com^ -||track.mailerlite.com^ -||track.mybloglog.com^ -||track.mycliplister.com^ -||track.omg2.com^ -||track.parse.ly^ -||track.pricespider.com^ -||track.propelplus.com^ -||track.qcri.org^ -||track.qoof.com^ -||track.redirecting2.net^ -||track.ringcentral.com^ -||track.sauce.ly^ -||track.searchignite.com^ -||track.securedvisit.com^ -||track.shop2market.com^ -||track.sigfig.com^ -||track.sitetag.us^ -||track.social.com^ -||track.spots.im^ -||track.sprinklecontent.com^ -||track.strife.com^ -||track.td3x.com^ -||track.untd.com^ -||track.vscash.com^ -||track.written.com^ -||track.yfret.com^ -||track.yieldsoftware.com^ -||tracker.beezup.com^ -||tracker.downdetector.com^ -||tracker.everestnutrition.com^ -||tracker.financialcontent.com^ -||tracker.icerocket.com^ -||tracker.iqnomy.com^ -||tracker.issuu.com^ -||tracker.keywordintent.com^ -||tracker.marinsoftware.com^ -||tracker.mgnetwork.com^ -||tracker.mtrax.net^ -||tracker.myseofriend.net^$third-party -||tracker.neon-images.com^ -||tracker.neon-lab.com^ -||tracker.roitesting.com^ -||tracker.seoboost.net^$third-party -||tracker.timesgroup.com^ -||tracker.twenga. -||tracker.u-link.me^$third-party -||tracker.vreveal.com^ -||tracker2.apollo-mail.net^ -||trackerapi.truste.com^ -||trackicollect.ibase.fr^$third-party -||tracking.adalyser.com^ -||tracking.allposters.com^ -||tracking.badgeville.com^$third-party -||tracking.bidmizer.com^$third-party -||tracking.cmcigroup.com^ -||tracking.cmjump.com.au^ -||tracking.dealerwebwatcher.com^ -||tracking.drsfostersmith.com^$third-party -||tracking.dsmmadvantage.com^ -||tracking.edvisors.com^$third-party -||tracking.ehavior.net^ -||tracking.fanbridge.com^ -||tracking.fccinteractive.com^$third-party -||tracking.feedperfect.com^ -||tracking.fits.me^$third-party -||tracking.g2crowd.com^ -||tracking.godatafeed.com^ -||tracking.i-click.com.hk^ -||tracking.interweave.com^$third-party -||tracking.jotform.com^ -||tracking.keywee.co^ -||tracking.lengow.com^ -||tracking.listhub.net^ -||tracking.livingsocial.com^ -||tracking.maxcdn.com^$third-party -||tracking.musixmatch.com^ -||tracking.performgroup.com^ -||tracking.plattformad.com^$third-party -||tracking.plinga.de^ -||tracking.practicefusion.com^$third-party -||tracking.quillion.com^ -||tracking.quisma.com^ -||tracking.rapidape.com^ -||tracking.searchmarketing.com^ -||tracking.sembox.it^$third-party -||tracking.skyword.com^$third-party -||tracking.sokrati.com^ -||tracking.sponsorpay.com^$third-party -||tracking.synthasite.net^ -||tracking.target2sell.com^ -||tracking.theeword.co.uk^ -||tracking.thehut.net^ -||tracking.tradeking.com^ -||tracking.waterfrontmedia.com^ -||tracking.worldmedia.net^$third-party -||tracking2.channeladvisor.com^ -||tracking2.interweave.com^$third-party -||trackingapi.cloudapp.net^ -||trackingdev.nixxie.com^ -||tracksys.developlabs.net^ -||traffic.acwebconnecting.com^ -||traffic.belaydevelopment.com^$third-party -||traffic.prod.cobaltgroup.com^ -||traffic.pubexchange.com^ -||traffic.shareaholic.com^ -||trakksocial.googlecode.com^$third-party -||traq.li/tracker/ -||travpan.com/out/$third-party -||trax.dirxion.com^ -||tredir.go.com/capmon/GetDE?$third-party -||tree-pixel-log.s3.amazonaws.com^ -||trf.intuitwebsites.com^ -||triad.technorati.com^ -||tritondigital.com/ltjs.php -||tritondigital.net/activity.php? -||tritondigital.net^*/see.js -||trk*.vidible.tv^ -||trk.bhs4.com^ -||trk.email.dynect.net^ -||trk.pswec.com^$third-party -||trk.sele.co^ -||trk.vindicosuite.com^ -||trove.com^*&uid=$image -||trumba.com/et.aspx?$third-party -||trustpilot.com/stats/ -||trustsquare.net/trafficmonitor/ -||try.abtasty.com^$third-party -||ts.tradetracker.net^ -||tsk5.com/17*?*=ex- -||tt.onthe.io^ -||ttdetect.staticimgfarm.com^ -||ttwbs.channelintelligence.com^$third-party -||turner.com^*/1pixel.gif? -||turnto.com/webEvent/$third-party -||tvpage.com/tvpa.min.js$third-party -||twimg.com/jot? -||twitter.com/i/jot -||twitter.com/jot.html -||twitter.com/oct.js -||twitter.com/scribe/ -||twitvid.com^*/tracker.swf$third-party -||txn.grabnetworks.com^ -||typepad.com^*/stats?$third-party -||ucounter.ucoz.net^ -||ui-portal.com^*;ns_referrer= -||uim.tifbs.net^ -||uknetguide.co.uk/user.js? -||ultimatebootcd.com/tracker/ -||upcat.custvox.org/survey/*/countOpen.gif -||upsellit.com/active/$script,third-party -||upt.graphiq.com^ -||urc.taboolasyndication.com^ -||usage.trackjs.com^ -||userlog.synapseip.tv^ -||uservoice.com^*/track.js -||v.giantrealm.com/players/stats.swf? -||va.tawk.to/log -||vanilladev.com/analytics. -||vapedia.com^*/largebanner. -||vast.com/vimpressions.js$third-party -||vds_dyn.rightster.com/v/*?rand= -||veeseo.com/tracking/ -||ventunotech.com/beacon/ -||vertical-stats.huffpost.com^ -||verticalacuity.com/varw/sendEvent? -||verticalacuity.com/vat/ -||video-ad-stats.googlesyndication.com^ -||video.google.com/api/stats/ -||video.msn.com/report.aspx? -||videoplaza.com/proxy/distributor/$object-subrequest -||videoplaza.tv/proxy/tracker^$object-subrequest -||videopress.com/plugins/stats/ -||viglink.com/api/ping$third-party -||vindicosuite.com/track/ -||vindicosuite.com/tracking/ -||vindicosuite.com/xumo/swf/$third-party -||virgingames.com/tracker/ -||virginmedia.com^*/analytics/ -||virtueworldwide.com/ga-test/ -||visa.com/logging/logEvent$third-party -||visit.geocities.com^ -||visit.webhosting.yahoo.com^ -||visual.ly/track.php? -||visualstudio.com/_da.gif? -||visualstudio.com/v2/track$third-party -||vivociti.com/images/$third-party -||viximo.com/1px.gif? -||vizual.ai^*/click-stream-event? -||vizury.com/analyze/ -||vk.com/rtrg? -||vk.com/videostats.php -||vmixcore.com/vmixcore/playlog? -||voss.collegehumor.com^ -||voxmedia.com/beacon-min.js -||voxmedia.com/pickup.js -||vpoweb.com/counter.php? -||vra.outbrain.com^ -||vrp.outbrain.com^ -||vrt.outbrain.com^ -||vs4.com/impr.php? -||vtnlog-*.elb.amazonaws.com^ -||vtracking.in.com^ -||vvhp.net/read/view.gif -||vwdealerdigital.com/cdn/sd.js -||w3track.com/newtrk/$third-party -||w88.m.espn.go.com^ -||wac.edgecastcdn.net^$object-subrequest,domain=vzaar.com -||wantlive.com/pixel/ -||watch.teroti.com^$third-party -||weather.ca/counter.gif? -||web-soft.in/counters/ -||web1.51.la^ -||webcare.byside.com^$third-party -||webeffective.keynote.com^ -||weblog.livesport.eu^ -||weblogger-dynamic-lb.playdom.com^ -||webservices.websitepros.com^ -||webstats.motigo.com^$third-party -||webstats.seoinc.com^ -||webstats.thaindian.com^ -||webterren.com/webdig.js? -||webtracker.apicasystem.com^ -||webtracker.educationconnection.com^ -||webvoo.com/wt/Track.aspx -||webvoo.com^*/logtodb. -||webworx24.co.uk/123trace.php -||webzel.com/counter/ -||wetpaint.com^*/track? -||whoson.creativemark.co.uk^$third-party -||whosread.com/counter/ -||wibiya-actions.conduit-data.com^ -||wibiya-june-new-log.conduit-data.com^ -||widgeo.net/compteur.php? -||widgeo.net/geocompteur/ -||widgeo.net/hitparade.php -||widgeo.net/tracking.php? -||widget.perfectmarket.com^ -||widget.quantcast.com^ -||widgetbox.com/syndication/track/ -||widgethost.com/pax/counter.js? -||widgetserver.com/metrics/ -||widgetserver.com/t/ -||widgetserver.com^*/image.gif? -||widgetserver.com^*/quantcast.swf -||wikinvest.com/plugin/*=metricpv -||wikinvest.com^*/errorlogger.php? -||win.staticstuff.net^ -||wn.com/count.js -||wondershare.es/jslibs/track.js -||woolik.com/__el.gif? -||woolik.com^*^tracker^ -||worldssl.net/reporting.js$third-party -||wp-stat.s3.amazonaws.com^ -||wpdigital.net/metrics/ -||ws.amazon.com/widgets/*=gettrackingid| -||wsb.aracert.com^ -||wsf.com/tracking/$third-party -||wsj.net/MW5/content/analytics/hooks.js -||wstat.wibiya.com^ -||wunderloop.aol.co.uk^ -||wvnetworkmedia.org/min/? -||x.weather.com^ -||yandex.ru/cycounter? -||yapi.awe.sm^$third-party -||yarpp.org/pixels/ -||yellowbrix.com/images/content/cimage.gif? -||yellowpages.com^*.gif?tid$third-party -||yext.com/plpixel? -||yimg.com/wi/ytc.js -||yimg.com^*/l?ig=$image -||ypcdn.com/*/webyp? -||ys.ddns.me^ -||ywxi.net/meter/ -||zapcdn.space/zapret.js -||zdlogs.sphereup.com^ -||zemanta.com/reblog_*.png$image,third-party -||zemanta.com/usersync/outbrain/? -||zemanta.com^*/pageview.js? -||ziffprod.com^*/zdcse.min.js?referrer= -||zoomtv.me^*?pixel= -||zoover.co.uk/tracking/ -||zope.net^*/ghs_wa.js -! -----------------International third-party tracking services-----------------! -! *** easylist:easyprivacy/easyprivacy_thirdparty_international.txt *** -! German -||78.46.19.203^$third-party,domain=~sprueche-zitate.net.ip -||adc-srv.net/retargeting.php -||adm24.de/hp_counter/$third-party -||aftonbladet.se/trafikfonden/ -||agitos.de/content/track? -||analytics-static.unister-gmbh.de^ -||analytics.cnd-motionmedia.de^$third-party -||analytics.gameforge.de^ -||analytics.loop-cloud.de^$third-party -||analytics.praetor.im^$third-party -||analytics.unister-gmbh.de^ -||andyhoppe.com/count/ -||asci.freenet.de^ -||audimark.de/tracking/ -||bcs-computersysteme.com/cgi-local/hiddencounter/ -||beenetworks.net/traffic -||bt.ilsemedia.nl^ -||captcha-ad.com/stats/ -||cgicounter.onlinehome.de^ -||clipkit.de/metrics? -||cloudfront.net/customers/24868.min.js -||collect.finanzen.net^ -||collector.bunchbox.co^$third-party -||com.econa.com^ -||confido.dyndns.org^*/dot.php? -||count.snacktv.de^ -||counter.1i.kz^ -||counter.blogoscoop.net^ -||counter.webmart.de^ -||ctr-iwb.nmg.de^ -||ctr-opc.nmg.de^ -||ctr.nmg.de^$third-party -||d.adrolays.de^ -||d.nativendo.de^ -||data.econa.com^ -||datacomm.ch^*/count.cgi? -||et.twyn.com^ -||events.kaloo.ga^$third-party -||events.snacktv.de^ -||export.newscube.de^ -||fc.webmasterpro.de^$third-party -||filmaster.tv^*/flm.tracker.min.js -||frontlineshop.com/ev/co/frontline?*&uid= -||gameforge.de/init.gif? -||geo.mtvnn.com^ -||gibts-hier.com/counter.php -||giga.de/vw/$image,third-party -||global-media.de^*/track/ai.img -||hbx.df-srv.de^ -||hittracker.org/count.php -||hittracker.org/counter.php -||house27.ch/counter/ -||im.aol.de^ -||info.elba.at^$third-party -||insene.de/tag/$third-party -||iqcontentplatform.de/tracking/ -||ivw.discover-outdoor.de^ -||ivw.dumontreise.de^ -||ivw.fem.com^ -||koe-vip.com/statistik/ -||kontextr.eu/content/track? -||kt-g.de/counter.php? -||live.cxo.name^ -||live.ec2.cxo.name^ -||liveviewer.ez.no^ -||log.worldsoft-cms.info^ -||lr-port.de/tracker/ -||mapandroute.de/log.xhr? -||mastertag.kpcustomer.de^ -||mehrwertdienstekompetenz.de/cp/$third-party -||met.vgwort.de^ -||mindwerk.net/zaehlpixel.php? -||mlm.de/counter/ -||mlm.de/pagerank-ranking/ -||movad.de/c.ount? -||myv-img.de/m2/e? -||nametec.de/cp/ -||newelements.de/tracker/ -||ntmb.de/count.html? -||oe-static.de^*/wws.js -||omniture.eaeurope.eu^ -||omsnative.de/tracking/ -||onlex.de/_counter.php -||onlinepresse.info/counter.php? -||onlyfree.de^*/counterservice/ -||pix.news.at^ -||pixel.holtzbrinckdigital.info^ -||pixel.nbsp.de^ -||plista.com/getuid? -||plista.com/iframeShowItem.php -||pyroactive.de/counter/ -||rc.aol.de^*/getrcmd.js -||retresco.de^*/stats/$third-party -||script.idgentertainment.de/gt.js -||sec-web.com/stats/ -||serverkompetenz.net/cpx.php? -||sett.i12.de^ -||sim-technik.de/dvs.gif? -||sim-technik.de^*&uniqueTrackId= -||skoom.de/gratis-counter/ -||spox.com/pub/js/track.js -||ss4w.de/counter.php? -||stat.clichehosting.de^ -||stat4.edev.at^ -||statistics.klicktel.de^ -||statistik.motorpresse.de^$third-party -||statistik.simaja.de^ -||stats.av.de^ -||stats.blogoscoop.net^ -||stats.clickforknowledge.com^ -||stats.computecmedia.de^ -||stats.digital-natives.de^ -||stats.fittkaumaass.de^ -||stats.frankfurterneuepresse.de^ -||stats.ilsemedia.nl^ -||stats.nekapuzer.at^$third-party -||stats.united-domains.de^ -||stats.urban-media.com^ -||stats2.algo.at^$third-party -||stilanzeigen.net/track/ -||strongvpn.com/aff/ -||t.nativendo.de^ -||t.quisma.com^ -||top50-solar.de/solarcount/ -||track2.dulingo.com^ -||track2.mycliplister.com^ -||tracker.euroweb.net^ -||tracker.netdisk.de^ -||tracker.winload.de^ -||tracking-rce.veeseo.com^ -||tracking.base.de^ -||tracking.ddd.de^ -||tracking.gameforge.de^ -||tracking.hannoversche.de^ -||tracking.hi-pi.com^ -||tracking.ladies.de^ -||tracking.mindshare.de^ -||tracking.mvsuite.de^ -||tracking.netzathleten-media.de^ -||tracking.promiflash.de^ -||tracking.rce.veeseo.com^ -||tracking.rtl.de^ -||tracking.s24.com^ -||tracking.sim-technik.de^ -||tracking.srv2.de^ -||traffic.brand-wall.net^ -||trck.spoteffects.net^ -||uni-duesseldorf.de/cgi-bin/nph-count? -||uni-leipzig.de^*/stats/ -||veeseo.com^*/url.gif? -||veeseo.com^*/view/$image -||vertical-n.de/scripts/*/immer_oben.js -||verticalnetwork.de/scripts/*/immer_oben.js -||vtrtl.de^ -||webcounter.goweb.de^ -||webstatistik.odav.de^$third-party -||wieistmeineip.de/ip-address/$third-party -||wrmwb.7val.com^ -||x.bloggurat.net^ -||xnewsletter.de/count/counter.php? -||zs.dhl.de^ -! Arabic -||analytics.traidnt.net^ -||shofonline.org/javashofnet/ti.js -! French -||01net.com/track/ -||46.101.168.189^$third-party,domain=lematin.ch -||46.101.246.10^$third-party,domain=lematin.ch -||abs.proxistore.com^ -||affiliation.planethoster.info^$third-party -||analytics.freespee.com^ -||analytics.grupogodo.com^ -||analytics.ladmedia.fr^ -||bbtrack.net^$third-party -||blogoutils.com/online-$third-party -||blogrankings.com/img_$third-party -||btstats.devtribu.fr^ -||calotag.com^$third-party -||cdn-analytics.ladmedia.fr^ -||compteur.websiteout.net^ -||da-kolkoz.com/da-top/track/ -||devtribu.fr/t.php? -||e-pagerank.fr/bouton.gif?$third-party -||e.funnymel.com^$third-party -||email-reflex.com^$third-party -||free.fr/cgi-bin/wwwcount.cgi? -||free.fr/services/compteur_page.php? -||i-services.net^*/compteur.php? -||leguide.com/js/lgtrk-*.js -||lepoint-stat.sdv.fr^ -||linguee.fr/white_pixel.gif -||live-medias.net/button.php?$third-party -||m6web.fr/statsd/ -||makazi.com/tracker- -||neteventsmedia.be/hit.cfm? -||nvc.n1bus-exp.com^ -||nws.naltis.com^ -||optinproject.com/rt/visit/ -||osd.oxygem.it^ -||pagesjaunes.fr/stat/ -||piximedia.com^$third-party -||scriptsgratuits.com/sg/stats/ -||securite.01net.com^ -||service-webmaster.fr/cpt-visites/$third-party -||stat.prsmedia.fr^ -||stats-dc1.frz.io^ -||stats.buzzea.com^ -||stats.ipmgroup.be^ -||t.planvip.fr^$third-party -||tag.leadplace.fr^ -||tmgr.ccmbg.com^ -||tra.pmdstatic.net^ -||track.byzon.swelen.net^$third-party -||track.laredoute.fr^$image -||trackcustomer.laredoute.com^$image -||tracking.ecookie.fr^ -||tracking.kdata.fr^ -||tracking.netvigie.com^ -||trk.adbutter.net^ -||tsphone.biz/pixelvoleur.jpg? -||veoxa.com/get_trackingcode. -||visitping.rossel.be^ -||webreseau.com/impression.asp? -||webtutoriaux.com/services/compteur-visiteurs/index.php?$third-party -||wifeo.com/compteurs/$third-party -||woopic.com/Magic/o_vr.js -||zebestof.com^$third-party -! Belarusian -||minsk-in.net/counter.php? -! Croatian -||aff*.kolektiva.net^ -||analytics.styria.hr^ -! Chinese -||120.132.57.41/pjk/pag/ys.php -||360.cn/mapping_service? -||alimama.cn/inf.js -||alipay.com/common/um/lsa.swf -||analytics.21cn.com^ -||atanx.alicdn.com^ -||baidu.com/cpro/ui/c.js -||baidu.com/cpro/ui/f.js -||baidu.com/h.js? -||baidu.com/hm.gif? -||baidu.com/js/m.js -||baidu.com/js/o.js -||baidu.com/x.js? -||beacon.sina.com.cn^ -||bokecc.com/flash/playlog? -||bokecc.com/flash/timerecorder? -||bzclk.baidu.com^ -||cbsi.com.cn/js/dw.js -||cdn.hiido.cn^$third-party -||cdnmaster.com/sitemaster/sm360.js -||click.bokecc.com^ -||cms.grandcloud.cn^$third-party -||cnzz.com/c.php? -||counter.csdn.net^$script -||counter.pixplug.in^ -||cri.cn/js/a1.js -||csbew.com^$third-party -||csdn.net^*/counter.js -||css.aliyun.com^$third-party -||dw.cbsi.com.cn^$third-party -||etwun.com:8080/counter.php? -||haostat.qihoo.com^ -||idigger.qtmojo.com^ -||ifengimg.com/sta_collection.*.js -||imp.ad-plus.cn^ -||imp.go.sohu.com^ -||imp.optaim.com^ -||itc.cn/pv/ -||js.letvcdn.com/js/*/stats/ -||js.static.m1905.cn/pingd.js -||log.hiiir.com^ -||log.v.iask.com^ -||look.urs.tw^$third-party -||mlt01.com/cmp.htm$third-party -||msg.71.am^ -||n.yunshipei.com^ -||p.aty.sohu.com^ -||pos.baidu.com^ -||pv.hd.sohu.com^ -||pv.sohu.com^ -||qbox.me/vds.js -||qtmojo.com/pixel? -||r.sax.sina.com.cn^ -||sitemaji.com/nownews.php? -||sobeycloud.com/Services/Stat. -||sohu.com/pvpb.gif? -||stat.ws.126.net^ -||stat.youku.com^ -||t.hypers.com.cn^ -||tanx.com/t/tanxclick.js -||tanx.com/t/tanxcollect.js -||tns.simba.taobao.com^ -||toruk.tanx.com^ -||track.ra.icast.cn^ -||tracking.cat898.com^ -||traffic.bokecc.com^ -||v.emedia.cn^ -||yigouw.com/c.js -! Croatian -||tracking.vid4u.org^ -! Czech -||counter.cnw.cz^ -||h.imedia.cz^ -||hit.skrz.cz^ -||log.idnes.cz^ -||pixel.cpex.cz^ -||stat.cncenter.cz^ -||stat.ringier.cz^$third-party -||stats.mf.cz^ -||t.leady.cz^ -! Danish -||blogtoppen.dk^*/bt_tracker.js -||counter.nope.dk^$third-party -||newbie.dk/topref.php? -||newbie.dk^*/counter.php? -||ubt.berlingskemedia.net^ -||wee.dk/modules/$third-party -||wwwportal.dk/statistik.php -! Dutch -||analytics.belgacom.be^ -||bbvms.com/zone/js/zonestats.js -||cookies.reedbusiness.nl^ -||hottraffic.nl^$third-party -||marktplaats.net/cnt/ -||statistics.rbi-nl.com^ -||ugent.be/js/log.js -! Estonian -||counter.zone.ee^$third-party -||log.ee/count.php? -! Finnish -||inpref.s3.amazonaws.com^$third-party -||insight.fonecta.fi^ -||sestatic.fi^*/zig.js -! Georgian -||links.boom.ge^ -! Greek -||analytics.dol.gr^ -||analyticsv2.dol.gr^ -||stats.e-go.gr^ -! Hebrew -||walla.co.il/stats/ -! Hungarian -||gpr.hu/pr.pr? -||onet.pl/eclk/ -||pagerank.g-easy.hu^ -||videostat-new.index.hu^ -||videostat.index.hu^ -! Indonesian -||mediaquark.com/tracker.js -! Italian -||91.196.216.64^ -||alice.it/cnt/ -||analytics.digitouch.it^ -||analytics.ettoredelnegro.pro^ -||analytics.linkwelove.com^ -||analytics00.meride.tv^ -||aruba.it/servlet/counterserver? -||audienceserver.aws.forebase.com^ -||bstracker.blogspirit.net^ -||click.kataweb.it^ -||contatore-di-visite.campusanuncios.com^ -||counter.ksm.it^ -||counter2.condenast.it^ -||dd3p.com/sensor/ddsense.aspx? -||digiland.it/count.cgi? -||diritalia.com^*/seosensor.js -||eage.it/count2.php? -||eageweb.com/count.php? -||eageweb.com/count2.php? -||eageweb.com/stats.php -||encoderfarmced-stats-ns.servicebus.windows.net^ -||evnt.iol.it^ -||fcstats.altervista.org^$third-party -||gazzettaobjects.it^*/tracking/ -||glomera.com/stats -||httdev.it/e/c? -||livestats.matrix.it^ -||log.superweb.ws^ -||maxusglobal.it/init.js -||mibatech.com/track/ -||mrwebmaster.it/work/stats.php? -||nanopress.it/lab.js -||nanostats.nanopress.it^ -||net-parade.it/tracker/ -||noicattolici.it/x_visite/ -||plug.it/tracks/ -||plug.it^*/tracking_ -||quinet.it/counter/ -||rcsmetrics.it^ -||rd.alice.it^ -||sembox.it/js/sembox-tracking.js -||shinystat.lvlar.com^ -||stat.acca.it^ -||stat.freetool.it^ -||stat.webtool.it^ -||stats.itsol.it^ -||stats.rcsobjects.it^ -||stats.technopia.it^ -||stats2.*.fdnames.com^ -||top100.mrwebmaster.it^ -||top100.tuttoperinternet.it^ -||tr.bt.matrixspa.it^ -||track.adintend.com^ -||track.cedsdigital.it^ -||track.youniversalmedia.com^ -||tracker.bestshopping.com^ -||tracker.iltrovatore.it^ -||tracking.conversion-lab.it^ -||tracking.conversionlab.it^ -||tracks.arubamediamarketing.it^ -||tracy.sadv.dadapro.com^ -||ts.blogo.it^ -||webbificio.com/add.asp? -||webbificio.com/wm.asp? -||websolutions.it/statistiche/ -||wmtools.it/wmtcounter.php? -! Japanese -||199.116.177.156^$domain=~fc2.jp.ip -||analysis.shinobi.jp^ -||analyzer51.fc2.com^ -||clickanalyzer.jp^$third-party -||counter2.blog.livedoor.com^ -||imgstat.ameba.jp^$third-party -||l.popin.cc^ -||lcs.livedoor.net^ -||mofa.go.jp^*/count.cgi? -||otoshiana.com/ufo/ -||rd.rakuten.co.jp^ -||seesaa.jp/ot_square.pl? -||trck.dlpo.jp^ -||userdive.com^$third-party -||webtracker.jp^$third-party -||yahoo.co.jp/js/retargeting.js -||yahoo.co.jp/js/s_retargeting.js -! Korean -||180.70.93.115/ndmclick/$domain=~daum.ip -||cafe24.com/weblog.js -||log2.adop.cc^ -||recobell.io/rest/logs? -||tracking.adweb.co.kr^$third-party -! Latvian -||counter.hackers.lv^ -||hits.sys.lv^ -! Lithuanian -||top.chebra.lt^$third-party -||top.dating.lt^$third-party -||top.dkd.lt^$third-party -! Norwegian -||engage-cdn.schibsted.media^ -||webhit.snd.no^ -! Polish -||cafenews.pl/mpl/static/static.js? -||fab.interia.pl^ -||liczniki.org/hit.php -||stats.asp24.pl^ -||stats.media.onet.pl^ -||statystyki.panelek.com^ -||tracker.advisable.pl^ -||tracking.novem.pl^ -||wymiana.org/stat/ -! Portuguese -||contadorgratis.web-kit.org^ -||hitserver.ibope.com.br^ -||jsuol.com/rm/clicklogger_ -||lomadee.com/loc/$third-party -||statig.com.br/pub/setCookie.js? -||terra.com.br/metrics/ -||track.e7r.com.br^ -||trrsf.com.br/metrics/ -||webstats.sapo.pt^ -||xl.pt/api/stats.ashx? -! Romanian -||profiling.avandor.com^ -||t5.ro/static/$third-party -||top.skyzone.ro^ -! Russian -|http://a.pr-cy.ru^ -|https://a.pr-cy.ru^ -||1in.kz/counter? -||1l-hit.mail.ru^ -||7host.ru/tr/*?r=$third-party -||a.tovarro.com^ -||agates.ru/counters/ -||all-top.ru/cgi-bin/topcount.cgi? -||anycent.com/analytics/ -||autoretro.com.ua/smtop/ -||awaps.yandex.ru^ -||bigday.ru/counter.php? -||bioraywaterrank.ru/count/ -||c.bigmir.net^ -||clck.yandex.ru^$~other -||climatecontrol.ru/counters/ -||cnstats.cdev.eu^ -||cnt.logoslovo.ru^ -||cnt.nov.ru^ -||cnt.rambler.ru^ -||cnt.rate.ru^ -||count.yandeg.ru^ -||counter.amik.ru^ -||counter.insales.ru^ -||counter.megaindex.ru^ -||counter.nn.ru^ -||counter.photopulse.ru^ -||counter.pr-cy.ru^ -||counter.rian.ru^ -||counter.star.lg.ua^ -||counter.tovarro.com^ -||counter.wapstart.ru^ -||dp.ru/counter.gif? -||emoment.net/cnt/ -||gainings.biz/counter.php? -||gde.ru/isapi/tracker.dll? -||gnezdo.ru/cgi-bin/$third-party -||hubrus.com^$third-party -||ifolder.ru/stat/? -||imgsmail.ru/gstat? -||infopolit.com/counter/ -||inforotor.net/rotor/ -||izhevskinfo.ru/count/ -||karelia.info/counter/ -||kvartirant.ru/counter.php? -||linestudio.ru/counter/ -||mediaplus.fm/cntr.php? -||medorgs.ru/js/counterlog_img.js -||metka.ru/counter/ -||metrics.aviasales.ru^ -||mobtop.ru/c/$third-party -||montblanc.rambler.ru^ -||mymed.su/counter/ -||mymetal.ru/counter/ -||myrealty.su/counter/ -||niknok.ru/count.asp? -||odessaaccommodations.com/counter.php -||onlines.su/counter.php? -||open.ua/stat/ -||optimizavr.ru/counter.php? -||penza-online.ru^*/userstats.pl? -||pluso.ru/counter.php? -||pluso.ru/ping.php? -||prompages.ru/top/ -||promworld.ru^*/counter.php? -||properm.ru/top/counter_new.php? -||rambler.ru/counter.js -||rbc.magna.ru^ -||recordvideo.me/1x1.png? -||retailrocket.ru/content/javascript/tracking.js -||rustopweb.ru/cnt.php? -||s.agava.ru^ -||s.holm.ru/stat/ -||scnt.rambler.ru^ -||scounter.rambler.ru^ -||sepyra.com^$third-party -||service-stat.tbn.ru^ -||sishik.ru/counter.php? -||stainlesssteel.ru/counter.php? -||stat-22.medialand.ru^ -||stat-counter.tass-online.ru^ -||stat.eagleplatform.com^ -||stat.radar.imgsmail.ru^ -||stat.rum.cdnvideo.ru^ -||stat.sputnik.ru^ -||stat.tvigle.ru^ -||stats.internet-yadro.com^ -||stats.seedr.com^ -||t.pusk.ru^ -||target.mirtesen.ru^ -||target.smi2.net^ -||target.smi2.ru^ -||tbe.tom.ru^ -||top.bur-bur.ru^ -||top.elec.ru^ -||top.sec.uz^ -||track.recreativ.ru^ -||track.revolvermarketing.ru^ -||track.rtb-media.ru^ -||tracking.i-vengo.com^ -||tracking.retailrocket.net^ -||tracking.vengovision.ru^ -||traktor.ru^*/counter.php? -||ulogin.ru/js/stats.js -||upstats.yadro.ru^ -||uptolike.com/widgets/*/imp? -||vgtrk.com/js/stat.js -||viewstat.promoblocks.ru^ -||wapson.ru/counter.php? -||webtrack.biz^$third-party -||wmtools.ru/counter.php? -||xn--e1aaipcdgnfsn.su^*/counter.php -||yandeg.ru/count/ -||yandex.ru/metrika/ -||zahodi-ka.ru/ic/index_cnt.fcgi? -||zahodi-ka.ru^*/schet.cgi? -! Serbian -||clk.onet.pl^ -||csr.onet.pl^ -||events.ocdn.eu^ -! Slovak -||stat.ringier.sk^ -! Slovene -||interseek.si^*/visit.js -! Spanish -||1to1.bbva.com^ -||analitica.webrpp.com^ -||contadores.miarroba.com^ -||contadores.miarroba.es^ -||enetres.net/StatisticsV1/ -||epimg.net/js/vr/vrs. -||hits.eluniversal.com.mx^ -||leadzu.com^$third-party -||maik.ff-bt.net^ -||reachandrich.antevenio.com^ -||stats.lnol.com.ar^ -||stats.miarroba.info^ -||track.bluecompany.cl^ -! Swedish -||aftonbladet.se/blogportal/view/statistics?$third-party -||cis.schibsted.com^ -||collector.schibsted.io^ -||counter.mtgnewmedia.se^ -||stats.dominoplaza.com^ -||vizzit.se^$third-party -! Turkish -||analytic.piri.net^ -||analyticapi.piri.net^ -||hit.dogannet.tv^ -! Ukranian -||counter.opinion.com.ua^ -||metalportal.com.ua/count.php? -||mgz.com.ua/counter.php? -||top.zp.ua/counter/ -! Vietnam -||analytics.mecloud.vn^ -! -----------------Individual tracking systems-----------------! -! *** easylist:easyprivacy/easyprivacy_specific.txt *** -/fam/view.php?$domain=cnet.com -/viewtrack/track?$domain=hulu.com -|blob:$image,domain=jpost.com -||123greetings.com/usr-bin/view_sent.pl? -||123rf.com/j/ga.js -||123rf.com/tk/ -||1337x.to/ip.php -||192.com/log/ -||198.105.253.2/lvl3/$image,domain=searchguide.level3.com -||1e400.net/tracking.js -||213.8.193.45/themarker/$domain=haaretz.com -||24caratleeds.co.uk/tr/laredoute/carat_laredoute_ -||24hourfitness.com/includes/script/siteTracking.js -||37signals.com/ga.js -||3dcartstores.com/3droi/monstertrack.asp -||3dmark.com^*/ruxitbeacon -||4hds.com/js/camstats.js -||4info.com/alert/listeners/ -||5.153.4.92^$domain=spreaker.com -||5min.com/PSRq? -||5min.com/PSRs? -||69.25.121.67/page_load?$domain=theverge.com -||6waves.com/trker/ -||79.125.21.168/i.gif? -||86.63.194.248/js/measure.js$third-party,domain=feedcat.net -||9msn.com.au/share/com/js/fb_google_intercept.js -||9msn.com.au^*.tracking.udc. -||a.huluad.com/beacons/ -||a.jango.com^ -||a7.org/infol.php? -||aa.avvo.com^ -||aax-us-iad.amazon.com^ -||abc.net.au/counters/ -||abc.net.au^*/stats/ -||abebooks.com/timer.gif? -||about.me/wf/open? -||abplive.in/analytics/ -||academia.edu/record_hit -||accountnow.com/SyslogWriter.ashx -||accuradio.com/static/track/ -||accuratefiles.com/stat -||accuterm.com/data/stat.js -||aclst.com/ping.php? -||aclu.org/aclu_statistics_image.php -||acookie.alibaba.com^ -||acronymfinder.com/~/st/af.js -||activity.frequency.com^ -||activity.homescape.com^ -||acura.ca/_Global/js/includes/tracker.js -||ad2links.com/lpajax.php? -||adapd.com/addon/upixel/ -||adc.9news.com.au^ -||adc.api.nine.com.au^ -||adc.nine.com.au^ -||adf.ly/omni*.swf -||adguru.guruji.com^ -||adidas.com/analytics/ -||adidas.com^*/analytics/ -||adprimemedia.com^*/video_report/attemptAdReport.php? -||adprimemedia.com^*/video_report/videoReport.php? -||adroll.com/pixel/ -||adv.drtuber.com^ -||advancedmp3players.co.uk/support/visitor/index.php? -||advancedtracker.appspot.com^ -||advfn.com/space.gif? -||adwiretracker.fwix.com^ -||aexp-static.com/api/axpi/omniture/s_code_serve.js?$domain=serve.com -||affiliate.mercola.com^ -||affiliate.productreview.com.au^ -||affiliate.resellerclub.com^ -||affiliates.genealogybank.com^ -||affiliates.londonmarketing.com^ -||affiliates.mozy.com^ -||affiliates.myfax.com^ -||affiliates.treasureisland.com^ -||affiliates.vpn.ht^ -||afterdawn.com/views.cfm? -||agendize.com/analytics.js -||agoda.net/js/abtest/analytics.js -||ai.iol.io^ -||airbnb.*/tracking/ -||airfrance.com/s/?tcs= -||airspacemag.com/g/g/button/ -||akamai.net^*/button.clickability.com/ -||akamaihd.net/pixelkabam/ -||alarabiya.net/track_content_ -||alarabiya.net^*/googleid.js -||alibaba.com/js/beacon_ -||alibi.com/tracker.gif? -||alicdn.com/js/aplus_*.js -||alicdn.com^*/log.js -||aliexpress.com/js/beacon_ -||alipay.com/web/bi.do?ref= -||allafrica.com/img/static/s_trans_nc.gif -||allafrica.com^*/s-trans.gif? -||allafrica.com^*/s_trans.gif? -||allafrica.com^*/s_trans_nc.gif? -||allcarpictures.com/stat/ -||allexperts.com/px/ -||allmodern.com^*/sessioned_reqs.asp? -||allmovieportal.com/hostpagescript.js -||allvoices.com/track_page -||alot.com/tb/cookiewriter.php? -||amazon.*/action-impressions/ -||amazon.*/ajax/counter? -||amazon.*/batch/*uedata=$image -||amazon.*/gp/r.html? -||amazon.*/record-impressions? -||amazon.*/uedata/ -||amazon.*/uedata? -||amazon.com/clog/ -||amazon.com/empty.gif?$image -||amazon.com/gp/forum/email/tracking? -||amazon.com/gp/yourstore/recs/ -||amazon.com^*/amazon-clicks/ -||amazon.com^*/vap-metrics/ -||amazonaws.com/beacon/vtpixpc.gif? -||amazonaws.com^*/pzyche.js -||amazonsupply.com/uedata? -||amcnets.com/cgi-bin/true-ip.cgi -||amd.com/us/as/vwo/vwo_ -||amp.virginmedia.com^ -||amy.gs/track/ -||analysis.focalprice.com^ -||analytic.imlive.com^ -||analytics.adfreetime.com^ -||analytics.archive.org^ -||analytics.bloomberg.com^ -||analytics.femalefirst.co.uk^ -||analytics.global.sky.com^ -||analytics.go.com^ -||analytics.gorillanation.com^ -||analytics.ifood.tv^ -||analytics.iraiser.eu^ -||analytics.localytics.com^ -||analytics.mindjolt.com^ -||analytics.msnbc.msn.com^ -||analytics.newsinc.com^ -||analytics.omgpop.com/log -||analytics.posttv.com^ -||analytics.services.distractify.com^ -||analytics.skyscanner.net^ -||analytics.slashdotmedia.com^ -||analytics.teespring.com^ -||analytics.thenest.com^ -||analytics.thenewslens.com^ -||analytics.thevideo.me^ -||analytics.twitter.com^ -||analytics.upworthy.com^ -||analytics.us.archive.org^ -||analytics.volvocars.com^ -||analytics.wetpaint.me^ -||analytics.whatculture.com^ -||analytics.yahoo.com^ -||analyze.yahooapis.com^ -||analyzer52.fc2.com^ -||androidcommunity.com/ws/?js -||androidfilehost.com/libs/otf/stats.otf.php? -||androidtv.news/ezoic/ -||angelfire.com/cgi-bin/count.cgi -||anntaylor.com/webassets/*/page_code.js -||anp.se/track? -||answers.com/resources/tac.html -||any.gs/track/ -||aol.ca/track/ -||aol.co.uk/track/ -||aol.com/articles/traffic/ -||aol.com/beacons/ -||aol.com/master/? -||aol.com/metrics/ -||aol.com/track/ -||ap.org^*/webtrendsap_hosted.js -||apartments.com^*/al.gif? -||api.tinypic.com/api.php?action=track -||apphit.com/js/count.js -||apple.com^*/spacer2.gif? -||applegate.co.uk/javascript/dcs/track.js -||applifier.com/users/tracking? -||appspot.com/tracking/ -||archive.org^*/analytics.js -||armystudyguide.com/hqxapi/it? -||arstechnica.co.uk/services/incr.php?stats$xmlhttprequest -||arstechnica.com/*.ars$object -||arstechnica.com/dragons/breath.gif -||arstechnica.com/services/incr.php?stats$xmlhttprequest -||arstechnica.com/|$object -||arstechnica.com^*.gif?id= -||arstechnica.com^*/|$object -||art.co.uk/asp/robot/ -||art.com/asp/robot/ -||art.com/asp/UTERecording.asp -||ashleymadison.com/app/public/track.p? -||asianblast.com/statx/ -||ask.com/servlets/ulog? -||askmen.com/tracking/ -||associatedcontent.com/action_cookie -||astrology.com/visits/ -||atax.gamermetrics.com^ -||atax.gamespy.com^ -||atax.gamestats.com^ -||atax.ign.com^ -||atax.teamxbox.com^ -||athena.mysmartprice.info^ -||athenatmpbeacon.theglobeandmail.ca^ -||atlantafalcons.com/wp-content/*/metrics.js -||atlantis.com/_scripts/tsedge/pagemarker.gif? -||atlas.astrology.com^ -||atrack.allposters.com^ -||atrack.art.com^ -||atracktive.collegehumor.com^ -||att.com/csct.gif? -||attachmate.com*/pv.aspx? -||audible.com^*/uedata/ -||audit.macworld.co.uk^ -||audit.pcadvisor.co.uk^ -||audiusa.com/us/brand/en.usertracking_javascript.js -||auriq.com/asp/aq_tag. -||autoblog.com/traffic/ -||autobytel.com/content/shared/markerfile.bin -||autopartswarehouse.com/thirdparty/tracker? -||autosite.com/scripts/markerfile.bin? -||autotrader.co.uk/page-tracking/ -||autotrader.co.za/log/ -||avg.com^*/stats.js -||avira.com/site/datatracking? -||avitop.com^*/hitlist.asp -||aviva.co.uk/metrics/ -||avstop.com^*/poll.gif? -||axa.com/elements/js/wreport.js -||azfamily.com/images/pixel.gif -||b-aws.techcrunch.com^ -||b.huffingtonpost.com^ -||b.imwx.com^ -||b.myspace.com^ -||b.photobucket.com^$~object-subrequest -||baidu.com/ecom? -||baidu.com/js/log.js -||bandstores.co.uk/tracking/scripts/ -||banggood.com/?p= -||bangkokpost.com/spac/spac.js -||barcelo.com^*/Tracking.js -||barclaycard.co.uk/cs/static/js/esurveys/esurveys.js -||barnesandnoble.com/Analytics/ -||barneys.com/spacer.gif? -||barneys.com^*/__analytics-tracking? -||barrons.com^*/blank.htm -||bat.adforum.com^ -||bats.video.yahoo.com^ -||baxter.com/includes/wtss.js -||bayer.com^*/sp.gif? -||bbc.co.uk/analytics? -||bbc.co.uk/cbbc/statstracker/ -||bbc.co.uk/click/img/ -||bbc.co.uk/zaguk.gif? -||bbc.co.uk^*/linktrack.js -||bbc.co.uk^*/livestats.js -||bbc.co.uk^*/livestats_v1_1.js -||bbc.co.uk^*/tracker.js -||bbc.co.uk^*/vs.js -||bbci.co.uk/archive_stats/ -||bbci.co.uk^*/analytics.js -||bbystatic.com/js/_analytics/$domain=bestbuy.com -||bc.yahoo.com^ -||bcm.itv.com^ -||bdonline.co.uk/bps_sv.gif? -||beacon-1.newrelic.com^ -||beacon.ehow.com^ -||beacon.examiner.com^ -||beacon.indieclicktv.com^ -||beacon.lycos.com^ -||beacon.netflix.com^ -||beacon.nuskin.com^ -||beacon.search.yahoo.com^ -||beacon.walmart.com^ -||beacon.wikia-services.com^ -||beacon.www.theguardian.com^ -||beacons.helium.com^ -||beacons.vessel-static.com/xff? -||beacons.vessel-static.com^*/pageView? -||beap-bc.yahoo.com^ -||bench.uc.cn^ -||bermudasun.bm/stats/ -||bestofmedia.com/i/tomsguide/a.gif -||bestofmedia.com/sfp/js/boomerang/ -||betfair.com/1x1.gif -||betway.com/snowflake/? -||beyond.com/common/track/trackgeneral.asp -||bhg.com^*/tracking-data? -||bi.medscape.com^ -||bidz.com/contentarea/BidzHomePixel -||binaries4all.nl/misc/misc.php?*&url=http -||bing.com/fd/ls/$~ping -||bing.com/partner/primedns -||bing.com/widget/metrics.js -||bing.com^*/GLinkPing.aspx -||biosphoto.com^*/stats/ -||birthvillage.com/watcher/ -||bit.ehow.com^ -||bits.wikimedia.org/geoiplookup -||blackplanet.com/images/shim.gif -||blankfire.com^*_.gif -||blastro.com/log_player_actions.php -||bleacherreport.com/api/hit.json? -||blekko.com/a/track? -||blick.ch/stats/ -||blinkbox.com/tracking -||blinkist.com/t? -||blip.tv/engagement? -||bloomberg.com/apps/data?referrer -||bloxcms.com^*/tracker.js -||bluenile.ca/track/ -||bluenile.co.uk/track/ -||bluenile.com/track/ -||bmocorpmc.com^*/zig.js -||boards.ie/timing.php? -||boats.com/images/tracking/ -||booking.com/js_tracking? -||booking.com/logo? -||boston.com/upixel/ -||brandrepublic.com/session-img/ -||branica.com/counter.php? -||bridgetrack.com/site/ -||bridgetrack.com/track/ -||brightcove.com/1pix.gif? -||broadbandchoices.co.uk/track.js -||broadwayworld.com/regionalbug.cfm? -||brobible.com/?ACT -||bulgari.com/bulgari/wireframe_script/BulgariGa.js -||business.com/images2/anal.gif? -||businessinsider.com/tracker.js -||businessinsider.com^*/track.js -||businessseek.biz/cgi-bin/*.pl?trans.gif&ref= -||buto.tv/track/ -||buzzamedia.com/js/track.js -||buzzfed.com/pixel? -||buzzfed.com^*/pound.js -||buzzfeed.com^*/small.gif? -||buzzfeed.com^*/tracker.js -||buzzurl.jp/api/counter/ -||c.microsoft.com^ -||c.newsinc.com^ -||c.x.oanda.com^ -||c.ypcdn.com^*/webyp?rid= -||caixin.com/webjs/common/caixinlog.js -||caller.com/metrics/ -||candy.com/3droi/ -||canoe.ca/generix/ga.js -||capitalone.com/tracker/ -||cardomain.com/js/tibbylog.js? -||cardstore.com/affiliate.jsp? -||carmagazine.co.uk^*/tracking.js -||carmax.com/ping? -||cars.com^*/analytics.js -||cartier.co.uk^*/eyeblaster. -||cartoonnetwork.com/tools/js/clickmap/ -||cartoonnetwork.com^*/brandcma.js -||cbc.ca/g/stats/ -||cbox.ws/box/relay.swf? -||cbox.ws^*/relay.swf?host= -||cbs.com/assets/js/*AdvCookie.js -||cbs.wondershare.com^ -||cbsimg.net/js/cbsi/dw.js -||cbslocal.com^*/cbs1x1.gif? -||cbsnews.com/i/trk/ -||cbssports.com/common/p? -||cclickvidservgs.com/mattel/cclick.js -||cctv.com^*/SnoopStat? -||cd.musicmass.com^ -||cdnstats.tube8.com^ -||cellstores.com/tracking/ -||cert.org/images/1pxinv.gif -||cfr.org/js/ga.*js -||cgi.nch.com.au^*&referrer -||chanel.com/js/flashtrack.js -||channel4.com/foresee_c4/ -||charter.com/static/scripts/mock/tracking.js -||cheapflights.com/ic/*.gif? -||cheapsalesconsulting.com/adaptive.php? -||cheezburger.com/api/visitor -||chelseafc.com^*/tracking.js -||china.com/statistic.js -||china.com^*/endpage_footer.js -||chip.eu^*/pic.gif? -||chkpt.zdnet.com^ -||christianpost.com/count.php? -||chron.com/javascript/cider/ -||chud.com/community/p/ -||chunk.bustle.com^ -||ciao.co.uk/flextag/ -||cjtube.com/tp/*.php -||cl.expedia.com^ -||cl.ly/metrics? -||clc.stackoverflow.com^ -||clck.yandex.com^ -||click.aliexpress.com^ -||click.engage.xbox.com^ -||click.mmosite.com^ -||click.news.imdb.com/open.aspx? -||click.udimg.com^ -||click2.cafepress.com^ -||clicks.hurriyet.com.tr^ -||clicks.traffictrader.net^ -||clientlog.portal.office.com^ -||climatedesk.org*/pixel.gif -||clk.about.com^ -||clkstat.china.cn^ -||clog.go.com^ -||cloudfront.net/amznUrchin.js -||cloudfront.net/bbc-filter.js -||cloudfront.net/dm.js$domain=dailymotion.com -||cloudfront.net/m/princess/ae.js -||cloudfront.net/m/princess/ae.live.js -||cloudfront.net/pages/scripts/0011/0794.js$domain=sourceforge.net -||cloudfront.net/photo/*_tp_*.jpg$domain=9gag.com -||cloudfront.net/vis_opt.js -||cloudfront.net/vis_opt_no_jquery.js -||cls.ichotelsgroup.com^ -||clvk.viki.io^ -||cmstrendslog.indiatimes.com^ -||cmstrendslog.timesnow.tv^ -||cnt.nicemix.com^ -||cnt.nuvid.com^ -||cnt.vivatube.com^ -||codecguide.com/stats.js -||codeweblog.com/js/count.js -||collarity.com/ucs/tracker.js -||collect.sas.com^ -||collect2.sas.com^ -||collection.theaa.com^ -||collector-cdn.github.com^ -||collector-medium.lightstep.com^ -||collector.githubapp.com^ -||collector.ksax.com^ -||collector.kstptv5.com^ -||collector.shopstream.co^ -||collector.shorte.st^ -||collector.statowl.com^ -||collector.tescocompare.com^ -||collector.trendmd.com^ -||collector.xhamster.com^ -||collegehumor.com/track.php? -||commentarymagazine.com^*/track.asp? -||commercialappeal.com/metrics/ -||comms-web-tracking.uswitchinternal.com^ -||computerarts.co.uk/*.php?cmd=site-stats -||computershopper.com/wsgac/ -||computing.co.uk^*/webtrends.js -||confirm-referer.glrsales.com^ -||consumerreports.org^*/js/conversion.js -||contadores.bolsamania.com^ -||cooksunited.co.uk/counter*.php? -||cooksunited.co.uk^*/pixel/ -||coolertracks.emailroi.com^ -||cooliris.com/shared/stats/ -||cosmopolitan.co.za/rest/track/ -||count.livetv.ru^ -||count.livetv.sx^ -||count.prx.org^ -||count.rin.ru^ -||counter.entertainmentwise.com^ -||counter.joins.com^ -||counter.promodeejay.net^ -||counter.sina.com.cn^ -||counter.theconversation.edu.au^ -||counter.zerohedge.com^ -||coupons.com/pmm.asp -||courierpress.com/metrics/ -||coursera.org/wf/open? -||coveritlive.com/1/sts/view? -||cracked.com/tracking/ -||crackle.com/tracking/ -||creativecommons.org/elog/ -||creativecommons.org^*/triples? -||creditcards.com/actions/page_view.php? -||creditcards.com/sb.php? -||crowdignite.com/img/l.gif -||crunchsports.com/tracking_fetchinfo.aspx? -||crunchyroll.com/tracker -||crunchyroll.com^*/breadcrumb.js -||ct.buzzfeed.com^ -||ct.cnet.com/opens? -||ctscdn.com/content/tracking- -||current.com/tracking.htm? -||customerservicejobs.com/common/track/ -||cybercoders.com/js/tracker.js -||cyberlink.com/analytics/ -||da.virginmedia.com^ -||dabs.com/AbacusTest/clientinfo_bk.gif -||dailyfinance.com/tmfstatic/vs.gif? -||dailymail.co.uk/tracking/ -||dailymotion.com/logger/$object-subrequest -||dailymotion.com/track- -||dailymotion.com/track/ -||dailymotion.com^*/analytics.js -||dailymotion.com^*/tag.gif? -||dainikbhaskar.com/tracking/ -||data.mic.com^ -||data.ninemsn.com.au/*GetAdCalls -||data.ryanair.com^ -||data.younow.com^ -||datacollector.coin.scribol.com^ -||datehookup.com/strk/dateadvertreg? -||daum.net^*/dwi.js -||db.com^*/stats.js? -||dcs.mattel.com^ -||dcs.maxthon.com^ -||deadspin.com/at.js.php -||deadspin.com^*/trackers.html -||dealnews.com/lw/ul.php? -||debtconsolidationcare.com/affiliate/tracker/ -||debug-vp.webmd.com^ -||dell.com/images/global/js/s_metrics*.js -||dell.com/metrics/ -||depositfiles.com/stats.php -||derkeiler.com/gam/tag.js -||designtaxi.com/tracker.php -||despegar.com/t? -||desr.fkapi.net^ -||destructoid.com/img2.phtml? -||diag.doba.com^ -||diamond.transfermarkt.de^ -||dictionary.com/track/ -||diet.rodale.com^ -||digitalchocolate.com/event/track? -||digitalriver.com^*/globaltracking -||digitalspy.co.uk/gip1.php -||dilbert.com^*&tracker$script -||dippic.com/cgi-bin/index_dl.cgi? -||displaymate.com/cgi-bin/stat/ -||divxden.com^*/tracker.js -||djtunes.com^*&__utma= -||dmcdn.net/pxl/$domain=dailymotion.com -||dmcdn.net/track/$domain=dailymotion.com -||dmeserv.newsinc.com^ -||dmtracking2.alibaba.com^ -||dmtrk.com/*/o.gif -||docs.google.com/stat|$xmlhttprequest -||docstoc.com/metrics/ -||dogpile.com/__kl.gif -||domainit.com/scripts/track.js -||domaintools.com/buffer.pgif? -||domaintools.com/tracker.php -||dominos.co.uk^*/universal.html? -||dropbox.com/el/?b=open: -||dropbox.com/web_timing_log -||drpeterjones.com/stats/ -||dsm.com^*/searchenginetracking.js -||duckduckgo.com/t/ -||dump8.com/js/stat.php -||dvdempire.com/images/empty2.asp -||dvdempire.com/include/user/empty2.asp? -||dw.cnet.com^ -||dw.de^*/run.dw? -||dx.com/?utm_rid= -||dyo.gs/track/ -||ea.laredoute. -||ea.pixmania. -||eafyfsuh.net/track/ -||easy2.com^*/logging/ -||ebay-us.com/fp/ -||ebay.com/op/t.do?event -||ebayobjects.com/*;dc_pixel_url=$image -||ec2-prod-tracker.babelgum.com^ -||economist.com/geoip.php -||ectnews.com/shared/missing.gif? -||edgecastcdn.net^*/ehow_am.js$domain=ehow.com -||edgecastcdn.net^*/pixel_1.png? -||edmunds.com/api/logTime? -||edmunds.com^*/dart1x1.gif -||edmunds.com^*/edw1x1.gif -||ednetz.de/api/public/socialmediacounter. -||edutrek.com/wgsltrk.php?$image -||edvantage.com.sg/site/servlet/tracker.jsp -||edw.edmunds.com^ -||edweek.org/js/sc.js -||efukt.com^*?hub= -||egg.com/rum/data.gif? -||ehow.com/services/jslogging/log/? -||elance.com^*/emc.php? -||elsevier.com/pageReport? -||email-tickets.com/dt?e=PageView -||email-wildstar-online.com/1x1.dyn? -||email.aol.com/cgi-bin*/flosensing? -||emarketing.rmauctions.com^ -||emv2.com/HO? -||emv2.com/P? -||emv3.com/HO?$image -||encrypted.google.*/imgevent?$script -||encrypted.google.*/imghover?$image -||encrypted.google.*/url?$image -||engadget.com/click? -||engadget.com/traffic/? -||engineeringnews.co.za/count.php? -||enlightenment.secureshoppingbasket.com^ -||entensity.net/pages/c.htm -||entry-stats.huffingtonpost.com^ -||epinions.com/js/stdLauncher.js -||epinions.com/js/triggerParams.js -||eporner.com/stats/ -||es.puritan.com^ -||espncdn.com^*.tracking.js -||et.nytimes.com^ -||etonline.com/media/*/ctvconviva.swf -||etui.fs.ml.com^ -||eulerian.sarenza.com^ -||eulerian.splendia.com/ea.js -||euroleague.tv^*/tracking.js -||eventlogger.soundcloud.com^ -||events.privy.com^ -||events.redditmedia.com^ -||events.turbosquid.com^ -||eventtracker.elitedaily.com^ -||everythinggirl.com/assets/tracker/ -||evisit.exeter.ac.uk^ -||eweek.com/hqxapi/ -||ex.ua/counter/ -||exalead.com/search/pixel-ref/ -||examiner.com/sites/all/modules/custom/ex_stats/ -||exchangeandmart.co.uk/js/ga.js -||excite.com/tr.js -||exelate.com/pixel? -||expbl2ro.xbox.com^ -||expdb2.msn.com^ -||experiandirect.com/javascripts/tracking.js -||experts-exchange.com/pageloaded.jsp? -||extremetech.com/sac/mostclicked/$script -||extremetech.com^*/ga.js -||ez.no/statjs/ -||ezinearticles.com/blank/ -||f-secure.com^*/wtsdc.js -||f.staticlp.com^ -||facebook.com/ajax/*/log.php -||facebook.com/ajax/*logging. -||facebook.com/ct.php -||facebook.com/friends/requests/log_impressions -||facebook.com/search/web/instrumentation.php? -||facebook.com/xti.php? -||facebook.com^*/impression_logging/ -||fanfiction.net/eye/ -||fanhow.com/script/tracker.js -||fantasticfiction.co.uk/cgi-bin/checker.cgi -||fantom-xp.org^*/toprefs.php? -||farecompare.com/resources/ga/ga.js -||farecompare.com/trackstar/ -||fark.com/cgi/ll.pl? -||fark.net/imagesnoc/ -||farmville.com/trackaction.php? -||farsnews.com/stcs.js.aspx? -||fast.forbes.com^ -||fastexercise.com/logging.js -||fastly.net^*/sp-analytics.min.$domain=spotify.com -||favicon.co.uk/stat/ -||fc2.com/ana/ -||fc2.com/ana2/ -||fc2.com/counter.php? -||fc2.com/counter_img.php? -||fccbrea.org/javascript/stats.js -||feedburner.com/~r/ -||feeds.feedblitz.com/~/i/ -||feeds.timesonline.co.uk^*/mf.gif -||feedsportal.com/c/ -||felitb.rightinthebox.com^ -||fightforthefuture.org/wf/open? -||filmlinks4u.net/twatch/jslogger.php -||filterlists.com/s.php -||financeglobe.com/Visit/ -||financialstandardnews.com^*/webstats/ -||flashget.org/cow_$script -||flickr.com/beacon_client_api_timings.gne -||flickr.com/beacon_page_timings.gne -||fling.com/zeftour/t_i.php? -||flipboard.com/usage? -||flipkart.com/ajaxlog/visitIdlog? -||flipkart.com/bbeacon.php? -||flixist.com/img2.phtml -||flixster.com^*/pixels? -||fls-eu.amazon.co.uk^ -||fls-eu.amazon.com^ -||fls-na.amazon.ca^ -||flybmi.com/livetrack/ -||flyjazz.ca/ow_ga.js -||fncstatic.com/static/all/js/geo.js -||foodcouture.net/public_html/ra/script.php$script -||foodnavigator.com/tracker/ -||fool.com/tracking/ -||forbes.com/fps/cookie_backup.php? -||forbes.com^*/track.php? -||forbesimg.com/assets/js/forbes/fast_pixel.js -||ford.com/ngtemplates/ngassets/com/forddirect/ng/newMetrics.js -||ford.com/ngtemplates/ngassets/ford/general/scripts/js/galleryMetrics.js -||fotothing.com/space.gif? -||foursquare.com^*/logger? -||foursquare.com^*/wtrack? -||foxadd.com/addon/upixel/ -||foxtel.com.au/cms/fragments/corp_analytics/ -||freaksofcock.com/track/ -||free-tv-video-online.me/resources/js/counter.js -||freean.us/track/ -||freebase.com/log? -||freebiesms.com/tracker.aspx? -||freecause.com^*.png? -||freedownloadscenter.com^*/empty.gif? -||freelotto.com/offer.asp?offer=$image -||freemeteo.com^*/log.asp? -||freemeteo.com^*/searchlog.asp? -||freeones.com/cd/?cookies= -||freeones.com^*/cd/?cookies= -||fresh.techdirt.com^ -||frog.wix.com^ -||frontdoor.com/_track? -||frstatic.net^*/tracking.js -||ft.com/conker/service/pageview? -||ft.com^*/ft-tracking.js -||fujifilm.com/js/shared/analyzer.js -||funbrain.com/a2.gif -||funn.graphiq.com^ -||furk.net/counter.yadro.ru/ -||fwmrm.net^*/AnalyticsExtension. -||g.deathandtaxesmag.com^ -||g.msn.com^ -||g.techweekeurope.co.uk^ -||g2a-com.newsletter.com.pl^$image,third-party -||ga.canoe.ca^ -||ga.nsimg.net^ -||gaiaonline.com/internal/mkt_t.php? -||galleries.bz/track/ -||gallup.wn.com/1x1.gif -||gamefront.com/wp-content/plugins/tracker/ -||gamerdeals.net/aggbug.aspx -||gamesgames.com/WebAnalysis/ -||gamespot.com/cgi/chkpt.php? -||gamezone.com/?act= -||gardenweb.com^*/iv_footer.js -||gardenweb.com^*/iv_header.js -||gawker.com/?op=hyperion_useragent_data -||gawker.com/at.js.php -||gawker.com^*/trackers.html -||geek.com/js/zdgurgle/ -||geico.com/vs/track2.js? -||gekko.spiceworks.com^ -||general-files.com/stat -||general-search.com/stat -||geo.hltv.org^ -||geo.homepage-web.com^ -||geo.metronews.ca^ -||geo.mozilla.org^ -||geo.perezhilton.com^ -||geo.play.it^ -||geo.theawesomer.com^ -||geo.yahoo.com^ -||geobeacon.ign.com^ -||geoip-lookup.vice.com^ -||geoip.al.com^ -||geoip.boredpanda.com^ -||geoip.cleveland.com^ -||geoip.gulflive.com^ -||geoip.inquirer.net^ -||geoip.lehighvalleylive.com^ -||geoip.masslive.com^ -||geoip.mlive.com^ -||geoip.nj.com^ -||geoip.nola.com^ -||geoip.oregonlive.com^ -||geoip.pennlive.com^ -||geoip.silive.com^ -||geoip.syracuse.com^ -||geoip.viamichelin.com^ -||geoiplookup.wikimedia.org^ -||geovisites.com^*/geouser.js -||gfycat.com^*/GFAN.min.js -||giffgaff.com/r/?id= -||giganews.com/images/rpp.gif -||gigya.com/js/gigyaGAIntegration.js -||github.com/_private/browser/stats -||github.com/_stats -||gizmodo.com/at.js.php -||gizmodo.com^*/trackers.html -||glamourmagazine.co.uk^*/LogPageView -||glassmoni.researchgate.net^ -||glean.pop6.com^ -||globes.co.il/ga.asp -||globes.co.il/shared/s.ashx? -||globester.com^*/track.js -||gmonitor.aliimg.com^ -||go.com/disneyid/responder? -||go.com/globalelements/utils/tracking -||go.com/stat/ -||go.com^*/analytics.js -||go.theregister.com^$image -||godaddy.com/image.aspx? -||godaddy.com/pageevents.aspx -||golfsmith.com/ci/ -||google.*/api/sclk? -||google.*/client_204? -||google.*/gen204? -||google.*/gen_204?$~xmlhttprequest -||google.*/gwt/x/ts? -||google.*/log204? -||google.*/logxhraction? -||google.*/stats?frame= -||google.com/appserve/mkt/img/*.gif -||google.com/log? -||google.com/reader/logging? -||google.com/stream_204? -||google.com/support/webmasters/api/metrics?$script -||google.com/uploadstats|$xmlhttprequest -||google.com^*/dlpageping? -||google.com^*/log? -||google.com^*/urchin_post.js -||google.com^*/viewerimpressions? -||googlelabs.com/log/ -||gorillanation.com^*/flowplayer.ganalytics.swf -||gosanangelo.com/metrics/ -||gov.in/js/ga.js -||gq-magazine.co.uk^*/LogPageView -||groupon.*/tracky$xmlhttprequest -||groupon.com/analytic/ -||groupon.com/tracking -||gumtree.com.au/?pc= -||h.cliphunter.com^ -||hanksgalleries.com/stxt/counter.php? -||harrisbank.com^*/zig.js -||harvester.eu.square-enix.com^ -||harvester.hbpl.co.uk^ -||haxx.ly/counter/ -||hclips.com/js/0818.js -||hdzog.com/js/1308.js -||healthcarejobsite.com/Common/JavaScript/functions.tracking.js -||heapanalytics.com/h?$image -||heartbeat.flickr.com^ -||helium.com/javascripts/helium-beacons.js -||heraldtimesonline.com/js/tk.js -||heroku.com/track.js -||herold.at/images/stathbd.gif? -||hexus.net/trk/$image -||higheredjobs.com/ClickThru/ -||hitcount.heraldm.com^ -||hitweb2.chosun.com^ -||hobsons.co.uk^*/WebBeacon.aspx? -||holiday-rentals.co.uk/thirdparty/tag -||holiday-rentals.co.uk^*/tracking-home.html -||homeaway.com^*/tracking-home.html -||homesalez.com/itop/hits.php -||honda.ca/_Global/js/includes/tracker.js -||hoseasons.co.uk/tracking/js.html? -||hostelbookers.com/track/request/ -||hostels.com/includes/lb.php? -||hostels.com/includes/thing.php? -||hotelplanner.com/TT.cfm -||hothardware.com/stats/ -||hotnews.ro/pageCount.htm? -||houzz.com/js/log? -||hoverstock.com/boomerang? -||howcast.com/images/h.gif -||howtogeek.com/public/stats.php -||hp.com^*/bootstrap/metrics.js -||hrblock.com/includes/pixel/ -||hsn.com/code/pix.aspx -||hubpages.com/c/*.gif? -||huffingtonpost.*/vanity/? -||huffingtonpost.com/click? -||huffingtonpost.com/geopromo/ -||huffingtonpost.com/include/geopromo.php -||huffingtonpost.com/ping? -||huffingtonpost.com/traffic/ -||huffpost.com/ping? -||hulkshare.com/ajax/tracker.php -||hulkshare.com/stats.php -||hulu.com/*&beaconevent$image,object-subrequest,~third-party -||hulu.com/beacon/v3/error? -||hulu.com/beacon/v3/playback? -||hulu.com/beaconservice.swf -||hulu.com/google_conversion_video_view_tracking.html -||hulu.com/guid.swf -||hulu.com/watch/*track.url-1.com -||hulu.com^*/external_beacon.swf -||hulu.com^*/plustracking/ -||hulu.com^*/potentialbugtracking/bigdropframes? -||hulu.com^*/potentialbugtracking/contentplaybackresume? -||hulu.com^*/potentialbugtracking/dropframes? -||hulu.com^*/recommendationTracking/tracking? -||hulu.com^*/sitetracking/ -||huluim.com/*&beaconevent$image,object-subrequest,~third-party -||huluim.com^*/sitetracking/ -||humanclick.com/hc/*/?visitor= -||hwscdn.com/analytics.js -||hwscdn.com^*/brands_analytics.js -||i-am-bored.com/cad.asp -||i-am-bored.com/cah.asp -||i.walmartimages.com/i/icon/ -||i365.com^*/pv.aspx? -||iafrica.com/php-bin/iac/readcnt.php? -||ibeat.indiatimes.com^ -||iberia.com^*/ga/ga.js -||ibm.com/common/stats/ -||ibm.com/gateway/? -||ibs.indiatimes.com^ -||ibtimes.com/player/stats.swf$object-subrequest -||icq.com/search/js/stats.js -||id.allegisgroup.com^ -||id.google.*/verify/*.gif -||id.localsearch.ch^ -||iedc.fitbit.com^ -||ign.com/global/analytics/drones.js -||iheart.com/tracking/ -||image.providesupport.com/cmd/ -||images-amazon.com^*/beacon-$domain=imdb.com -||images-amazon.com^*/ClientSideMetricsAUIJavascript*.js -||images-amazon.com^*/clog/clog-platform*.js$script -||images.military.com/pixel.gif -||imagetwist.com/?op= -||imdb.com/rd/?q -||imdb.com/twilight/? -||imdb.com/video/*/metrics_ -||imdb.com/video/*metrics? -||imgtrack.domainmarket.com^ -||imgur.com/albumview.gif? -||imgur.com/imageview.gif? -||imgur.com/lumbar.gif? -||immassets.s3.amazonaws.com^ -||imonitor.dhgate.com^ -||imx.comedycentral.com^ -||indeed.com/rpc/preccount? -||independentmail.com/metrics/ -||indiatimes.com/trackjs10. -||influxer.onion.com^ -||infogr.am/js/metrics.js -||infomine.com/imcounter.js -||infoq.com/scripts/tracker.js -||informer.com/statistic? -||infospace.com^*=pageview& -||infusionextreme.com/tracker/ -||ingest.onion.com^ -||inmagine.com/j/ga.js -||ino.com/img/sites/mkt/click.gif -||inquiries.redhat.com^ -||insideline.com^*/dart1x1.gif -||insideline.com^*/edw1x1.gif -||insidesoci.al/track -||insire.com/imp? -||instructables.com/counter -||instyle.co.uk^*/tracking.js -||insynchq.com/wf/open? -||intelli.ageuk.org.uk^ -||intensedebate.com/empty.php -||intent.cbsi.com^ -||intercom.io/gtm_tracking/ -||internetslang.com/jass/$script -||investegate.co.uk/Weblogs/IGLog.aspx? -||io9.com/at.js.php -||io9.com^*/trackers.html -||ip-adress.com/gl?r= -||ip.breitbart.com^ -||ipetitions.com/img.php? -||irs.gov/js/irs_reporting_cookie.js -||issn.org/isens_marker.php? -||itp.net/ga.js -||itv.com/_app/cmn/js/bcm.js -||ixquick.*/do/avt?$image -||ixquick.*/elp? -||ixquick.*/pelp? -||ixs1.net/s/ -||jack.allday.com^ -||jakpost.net/jptracker/ -||jal.co.jp/common_rn/js/rtam.js -||jalopnik.com/at.js.php -||jalopnik.com^*/trackers.html -||jaludo.com/pm.php? -||javhd.com/click/ -||jessops.com/js/JessopsTracking. -||jetsetter.com/tracker.php -||jeuxjeux2.com/stats.php -||jezebel.com/at.js.php -||jezebel.com^*/trackers.html -||jobscentral.com.sg/cb_transfer.php -||jobthread.com/js/t.js -||jobthread.com/t/ -||johansens.com^*/LogPageView -||joins.com/hc.aspx? -||joins.com^*/JTracker.js? -||jokeroo.com/i/.gif -||jpmorgan.co.uk/tagging/ -||jtv.com^*/__analytics-tracking? -||juno.com/start/javascript.do?message=$image -||justanswer.com/browsercheck/ -||justanswer.com/ja_services/processes/log.asmx/ -||kalahari.net/includes/swatag.js -||kayak.com/k/redirect/tracking? -||kelkoo.co.uk/kk_track? -||kelkoo.co.uk^*/tracker/ -||kelkoo.com/kk_track? -||kickass.cd/analytics.js -||kiks.yandex. -||killerstartups.com^*/adsensev -||kinesisproxy.hearstlabs.com^ -||kitsapsun.com/metrics/ -||kksou.com^*/record.php? -||klm.com/travel/generic/static/js/measure_async.js -||kloth.net/images/pixel.gif -||klout.com/ka.js -||knoxnews.com/metrics/ -||kodakgallery.com^*/analytics_ -||kosmix.com^*.txt?pvid= -||kotaku.com/at.js.php -||kotaku.com^*/trackers.html -||kyte.tv/flash/MarbachMetricsOmniture.swf -||kyte.tv/flash/MarbachMetricsProvider.swf -||l.5min.com^ -||lancasteronline.com/javascript/ga.php -||landrover.com/system/logging/ -||latimes.com/images/pixel.gif -||legalmatch.com/scripts/lmtracker.js -||lendingtree.com/forms/eventtracking? -||lendingtree.com/javascript/tracking.js -||letitbit.net/atercattus/letitbit/counter/? -||letitbit.net/counter/ -||lexus.com/lexus-share/js/campaign_tracking.js -||lh.secure.yahoo.com^ -||life.com/sm-stat/ -||lifehacker.com/at.js.php -||lifehacker.com^*/trackers.html -||likes.com/api/track_pv -||lilb2.shutterstock.com^ -||linguee.com*/white_pixel.gif? -||link.codeyear.com/img/ -||link.ex.fm/img/*.gif -||linkbucks.com/clean.aspx?task=record$image -||linkbucks.com/track/ -||linkedin.com/analytics/ -||linkedin.com^*/tracker.gif? -||linkpuls.idg.no^ -||linuxtoday.com/hqxapi/ -||lipsy.co.uk/_assets/images/skin/tracking/ -||list.ru/counter? -||live-audience.dailymotion.com^ -||live.com/handlers/watson.mvc? -||live.philips.com^ -||livedoor.com/counter/ -||livejournal.com/ljcounter/? -||liveperson.net/hc/*/?visitor= -||livestation.com^*/akamaimediaanalytics.swf -||livestation.com^*/statistics.swf -||livestream.com^*/analytics/ -||livestrong.com/services/jslogging/ -||livesupport.zol.co.zw/image_tracker.php? -||lm.pcworld.com/db/*/1.gif -||loc.gov/js/ga.js -||log.data.disney.com^ -||log.deutschegrammophon.com^ -||log.go.com^ -||log.newsvine.com^ -||log.optimizely.com^ -||log.player.cntv.cn/stat.html? -||log.snapdeal.com^ -||log.thevideo.me^ -||log.vdn.apps.cntv.cn^ -||log.wat.tv^ -||log1.24liveplus.com^ -||logdev.openload.co^ -||logger-*.dailymotion.com^ -||logger.dailymotion.com^ -||logger.viki.io^ -||logging.goodgamestudios.com^ -||loggingservices.tribune.com^ -||loggly.cheatsheet.com^ -||loglady.publicbroadcasting.net^ -||logmein.com/scripts/Tracking/ -||logs.dashlane.com^ -||lolbin.net/stats.php -||lovefilm.com/api/ioko/log/ -||lovefilm.com/lovefilm/images/dot.gif -||lovefilm.com^*/lf-perf-beacon.png -||lsam.research.microsoft.com^ -||lslmetrics.djlmgdigital.com^ -||lucidchart.com/analytics_ -||luxurylink.com/t/hpr.php? -||ly.lygo.com^*/jquery.lycostrack.js -||madthumbs.com/tlog.php -||mail.advantagebusinessmedia.com/open.aspx -||mail.com/monitor/count? -||mail.ru/counter? -||mail.yahoo.com/dc/rs?log= -||mailer.atlassian.com/open.aspx? -||mailings.gmx.net/action/view/$image -||malibubright.com/krtrk/ -||mansion.com/collect.js? -||manta.com/sbb? -||maps.nokia.com^*/tracking.c.js -||marketing.alibaba.com^ -||marketing.kalahari.net^ -||marketing.nodesource.com^ -||marriott.com^*/mi_customer_survey.js -||mashable.com/pv.xml -||mastercard.com^*/Analytics/ -||matchesfashion.com/js/Track.js -||mate1.com^*/iframe/pixel/ -||mate1.com^*/reg.logging.js -||mayoclinic.org/js/gconversion.js -||mayoclinic.org/js/tracker.js -||mdmpix.com/js/connector.php? -||mealime.com/assets/mealytics.js -||media-imdb.com/images/*/imdbads/js/beacon-$script -||media-imdb.com^*/adblock.swf -||mediaplex.com^*/universal.html -||medscape.com/pi/1x1/pv/profreg-1x1.gif -||meduza.io/stat/ -||mercent.com/js/tracker.js -||merchantcircle.com/static/track.js -||merck.com/js/mercktracker.js -||merlin.abc.go.com^ -||met-art.com/visit.js -||metacafe.com/services/fplayer/report.php? -||metacafe.com^*/statsrecorder.php? -||metacrawler.com/__kl.gif -||meter-svc.nytimes.com^ -||metric*.rediff.com^ -||metric.gstatic.com^ -||metric.inetcore.com^ -||metrics.apartments.com^ -||metrics.aws.sitepoint.com^ -||metrics.cbn.com^ -||metrics.cnn.com^ -||metrics.dailymotion.com^ -||metrics.ee.co.uk^ -||metrics.extremetech.com^ -||metrics.tbliab.net^ -||metrics.ted.com^ -||metrics.washingtonpost.com^ -||metro.us/api/trackPage/ -||metroweekly.com/tools/blog_add_visitor/ -||mf2fm.com/php/stats.php? -||microsoft.com/blankpixel.gif -||microsoft.com/click/ -||microsoft.com/collect/ -||microsoft.com/getsilverlight/scripts/silverlight/SilverlightAtlas-MSCOM-Tracking.js -||microsoft.com/getsilverlight/scripts/Tracker.js -||microsoft.com/library/svy/ -||microsoft.com/LTS/default.aspx -||microsoft.com^*/bimapping.js -||microsoft.com^*/surveytrigger.js -||military.com/cgi-bin/redlog2.cgi? -||military.com/Scripts/mnfooter.js -||miniclip.com^*/swhsproxy.swf? -||miningweekly.com/count.php? -||miniurls.co/track/ -||miniusa.com^*/trackDeeplink.gif? -||mint.boingboing.net^ -||mirror.co.uk^*/stats/ -||mitpress.mit.edu/wusage_screen_properties.gif -||ml.com/js/ml_dcs_tag_ -||mod.uk/js/tracker.js -||modernsalon.com/includes/sc_video_tracking.js -||momtastic.com/libraries/pebblebed/js/pb.track.js -||moneysupermarket.com^*/ProphetInsert.js -||monkeyquest.com/monkeyquest/static/js/ga.js -||monova.org/js/ga.js -||monstercrawler.com/__kl.gif -||mortgage101.com/tracking/ -||mov-world.net/counter/ -||movieclips.com/api/v1/player/test? -||mozilla.com/js/track.js -||mozilla.net^*/webtrends/ -||mozilla.org/includes/min/*=js_stats -||mp.twitch.tv^ -||mp3lyrics.org^*/cnt.php? -||msecnd.net^*/wt.js? -||msn.com/ro.aspx? -||msn.com/script/tracking*.js -||msn.com/tracker/ -||msn.com^*/report.js -||msn.com^*/track.js -||msnbc.msn.com^*/analytics.js -||msxml.excite.com/*.gif? -||mto.mediatakeout.com/viewer? -||mtoza.vzaar.com^ -||multiply.com/common/dot_clear.gif -||multiupload.com/extreme/?*&ref=$subdocument -||musicstack.com/livezilla/server.php?request=track -||my.com/v1/hit/ -||myanimelist.net/static/logging.html -||myfitnesspal.com/assets/mfp_localytics.js -||mypaydayloan.com/setc.asp? -||mypoints.com/js/*ga.js? -||myspace.com/beacon/ -||myspace.com/isf.gif? -||mytravel.co.uk/thomascooktrack.gif? -||mywebsearch.com/anx.gif? -||mywebsearch.com^*/mws_bw.gif? -||nabble.com/static/analytics.js -||naplesnews.com/metrics/ -||naptol.com/usr/local/csp/staticContent/js/ga.js -||nationalgeographic.com/stats/ax/ -||nationalpayday.com/1pix.gif -||nationalpayday.com/MAPProc.aspx? -||nationmobi.com/*/analyse.php -||nature.com^*/marker-file.nocache? -||naughtydog.com/beacon/ -||naukrigulf.com/logger/ -||naukrigulf.com^*/bms_display.php -||navlog.channel4.com^ -||nb.myspace.com^ -||nbcnews.com^*/analytics.js -||nbcudigitaladops.com/hosted/js/*_com.js -||nbcudigitaladops.com/hosted/js/*_com_header.js -||ncsoft.com/tracker.js -||ndtv.com/Status24x7.lv? -||neatorama.com/story/view/*.gif?hash -||ned.itv.com^ -||net-a-porter.com/intl/trackpage.nap? -||netflix.com/beacons?*&ssizeCat=*&vsizeCat= -||netflix.com/EpicCounter? -||netflix.com/ichnaea/log -||netflix.com/LogCustomerEvent? -||netflix.com/RegisterActionImpression? -||netlog.com/track -||netmag.co.uk/matchbox/traffic/ -||netzero.net/account/event.do?$image -||newegg.com/common/thirdparty/$subdocument -||newegg.com/tracking -||news-leader.com^*/analytics.js -||news.cn/webdig.js -||news.com.au/track/ -||news.com.au/tracking/ -||news9.com/beacon/ -||newsarama.com/common/track.php -||newscom.com/js/v2/ga.js -||newser.com/utility.aspx? -||newsinc.com/players/report.xml?$image -||newsletter.mybboard.net/open.php? -||newstatesman.com/js/NewStatesmanSDC.js -||newswire.ca/rt.gif? -||nexon.net/log/ -||nexon.net/tagging/ -||next.co.uk/log.php -||nfl.com/imp? -||nhk.jp^*/bc.gif? -||nick.com/common/images/spacer.gif? -||nih.gov/medlineplus/images/mplus_en_survey.js -||nih.gov/share/scripts/survey.js -||nike.com/cms/analytics-store-desktop.js -||ninemsn.com.au^*.tracking.udc. -||ning.com^*/ga/ga.js -||nj.com/cgi-bin/stats/ -||nj.com/dhtml/stats/ -||nm.newegg.com^ -||nmtracking.netflix.com^ -||noip.com/images/em.php?$image -||nola.com/cgi-bin/stats/ -||nola.com/content/*/tracklinks.js -||nola.com/dhtml/stats/ -||nova.pub/track.php? -||novatech.co.uk^*/tracking? -||novell.com^*/metrics.js -||novinite.com/tz.php -||nydailynews.com/tracker.js -||nydailynews.com^*/tracker.js -||nymag.com/js/2/metrony -||nymag.com^*/analytics.js -||nyse.com^*/stats/ -||nysun.com/tracker.js -||nyt.com/js/mtr.js -||nytimes.com/?url*&referrer$script -||nytimes.com/js/mtr.js -||nzbsrus.com/tracker/ -||nzonscreen.com/track_video_item -||nzpages.co.nz^*/track.js -||nzs.com/sliscripts_ -||oasisactive.com/pixels.cfm -||ocregister.com/za? -||offers.keynote.com/wt/ -||officedepot.com/at/rules_*.js$script -||officelivecontent.com^*/Survey/ -||oimg.m.cnbc.com^ -||oimg.mobile.cnbc.com^ -||ok.co.uk/tracking/ -||okcupid.com/poststat? -||olark.com/track/ -||oload.tv/log -||om.cbsi.com^ -||omni.nine.com.au^ -||omniture.stuff.co.nz^ -||omniture.theglobeandmail.com^ -||onetravel.com/TrackOnetravelAds.js -||oodle.co.uk/event/track-first-view/ -||oodle.com/js/suntracking.js -||open.mkt1397.com^ -||openload.co/log -||openuniversity.co.uk/marketing/ -||opera.com/js/sfga.js -||ophan.guardian.co.uk^ -||optimize-stats.voxmedia.com^ -||optimizely.com/js/geo.js -||optimum.net^*=pageview& -||optionsxpress.com^*/tracking.js -||orain.org/w/index.php/Special:RecordImpression? -||origin-tracking.trulia.com^ -||origin.chron.com^ -||osalt.com/js/track.js -||oscars.org/scripts/wt_include1.js -||oscars.org/scripts/wt_include2.js -||ostkcdn.com/js/p13n.js -||overclock.net/p/$image -||overstock.com/dlp?cci=$image -||overstock.com/uniquecount -||ownerdriver.com.au/ga. -||p.ctpost.com/article?i= -||pages03.net/WTS/event.jpeg? -||pajamasmedia.com/stats/ -||pandasecurity.com/js/ahref/ahref.js -||papajohns.com/index_files/activityi.html -||papajohns.com/index_files/activityi_data/ct-*.js -||paper.li/javascripts/analytics.js -||pardot.com/pd.js -||partner.worldoftanks.com^ -||partners.badongo.com^ -||partners.mysavings.com^ -||paypal.com/webapps/beaconweb/ -||paypalobjects.com/*/m/mid.swf$domain=paypal.com -||pbsrc.com/common/pixel.png -||pch.com^*/scripts/Analytics/ -||pch.com^*/SpectrumAnalytics.js? -||pckeeper.com^*/pixels/ -||pclick.europe.yahoo.com^ -||pclick.internal.yahoo.com^ -||pclick.yahoo.com^ -||pcmag.com/mst/ -||pcmag.com^*/analytics.js -||pcp001.com/media/globalPixel.js -||peacocks.co.uk^*/analytics.js -||pearltrees.com/s/track? -||pepsi.com/js/pepsi_tracking.js -||perezhilton.com/gtjs.php -||perezhilton.com/services/geo/ -||perezhilton.com^*/stat/ -||perfectmarket.com/pm/track? -||performances.bestofmedia.com^ -||petersons.com^*/trackBeta.asp -||petersons.com^*/trackFunctionsBeta.asp -||petplanet.co.uk^*/js/ga.js -||petri.co.il/akit/? -||philly.com/log.json? -||phonedog.com/geo.php -||photobucket.com/ss/open.php? -||photobucket.com/track/ -||photobucket.com^*/api.php?*&method=track& -||photobucket.com^*/tracklite.php -||photographyblog.com/?ACT -||pi.feedsportal.com^ -||picapp.com/empty.gif? -||picbucks.com/track/ -||pichunter.com/logs/ -||pictopia.com^*/hb.gif? -||ping.buto.tv^ -||pingback.issuu.com^ -||pings.blip.tv^ -||pipeline.realtime.active.com^ -||pipl.com/rd/? -||pix.eads.com^ -||pix.gfycat.com^ -||pixazza.com/track/ -||pixel.buzzfeed.com^ -||pixel.digitalspy.co.uk^ -||pixel.facebook.com^ -||pixel.honestjohn.co.uk^ -||pixel.klout.com^ -||pixel.naij.com^ -||pixel.newscgp.com^ -||pixel.newsdiscover.com.au^ -||pixel.pcworld.com^ -||pixel.propublica.org^ -||pixel.reddit.com^ -||pixel.redditmedia.com^ -||pixel.staging.tree.com^ -||pixels.livingsocial.com^ -||pixiedust.buzzfeed.com^ -||play.com/analytics/ -||play.com/sitetrak/ -||playboy.com/libs/analytics/ -||playdom.com/affl/show_pixel? -||playlist.com/scripts/remote_logger.js -||playserver1.com/analytics/ -||playstation.com/beacon/ -||plentyoffish.com/tracking.js -||pluto.airbnb.com^*.php?uuid= -||pnet.co.za/js/ga.js -||pokernews.com/track-views.php? -||polity.org.za/count.php? -||popcap.com^*/interstitial_zones.js -||porndoo.com/lib/ajax/track.php -||pornhd.com/api/user/tracking -||porntube.com^*/track -||potterybarn.com/pbimgs/*/external/thirdparty.js -||potterybarnkids.com/pkimgs/*/external/thirdparty.js -||pound.buzzfeed.com^ -||powerreviews.com^*/ph.gif? -||presentationtracking.netflix.com^ -||presstv.ir/stat/ -||pricegrabber.com/analytics.php -||priceline.com/svcs/$script -||priceline.com^*/beaconHandler? -||priceline.com^*/impression/ -||princetonreview.com/logging/ -||prnewswire.com/rit.gif? -||prnewswire.com/rt.gif? -||proac.nationwide.com^ -||projop.dnsalias.com/intranet-crm-tracking/ -||prontohome.com/permuto.do -||propertyfinder.ae/js/ga.js -||prospects.ac.uk/assets/js/prospectsWebTrends.js -||prosper.com/referrals/ -||proxypage.msn.com^ -||prudential.com^*/metrics_1px.gif? -||ps-deals.com/aggbug.aspx -||pubarticles.com/_hits.php? -||pubarticles.com/add_hits_by_user_click.php -||pulse-analytics-beacon.reutersmedia.net^ -||puritan.com/images/pixels/ -||pvstat.china.cn^ -||pw.org/sites/all/*/ga.js -||qbn.com/media/static/js/ga.js -||quantserve.com/pixel; -||questionmarket.com/adsc/ -||questionmarket.com/static/ -||quibids.com^*/pixels/ -||quickmeme.com/tracker/ -||quintcareers.4jobs.com/Common/JavaScript/functions.tracking.js -||quotesonic.com/vendor/pixel.cfm -||r.bbci.co.uk^ -||r.my.com^ -||racingbase.com/tracking_fetchinfo.aspx? -||racinguk.com/images/home_sponsors/ -||radio-canada.ca/lib/TrueSight/markerFile.gif? -||rainbow-uk.mythings.com^ -||rakuten-static.com/com/rat/ -||rakuten.com/dtagent_ -||ralphlauren.com^*/icg.metrics.js -||rambler.ru/cnt/ -||rangers.co.uk^*/tracking.js -||rarefilmfinder.com^*/cnt-gif1x1.php -||rat.rakuten.co.jp^ -||razor.tv/site/servlet/tracker.jsp -||rbl.ms/spacer.gif?$image -||rd.meebo.com^ -||reachlocal.com/js/tracklandingpage.js -||real.com^*/pixel? -||real.com^*/track.htm? -||realitytvworld.com/images/pixel.gif -||reco.hardsextube.com^ -||recomendedsite.com/addon/upixel/ -||recommendation.24.com^ -||redding.com/metrics/ -||redditmedia.com/gtm/jail? -||redeye.williamhill.com^ -||rediff.com^*/?rkey= -||redtube.com/_status/pix.php -||redtube.com/_status/pixa.php -||redtube.com/blockcount| -||redtube.com/js/track.js -||redtube.com/pix.php -||redtube.com/stats/ -||redtube.com/trackimps -||redtube.com/trackplay? -||redtube.com^*/jscount.php -||refer.evine.com^ -||reference.com/track/ -||refinery29.com/api/stats? -||register.it/scripts/track_ -||rel.msn.com^ -||rent.com/track/visit/ -||report-zt.allmusic.com^ -||report.shell.com^ -||reporter-times.com/js/tk.js? -||reporternews.com/metrics/ -||reporting.flymonarch.com^ -||reporting.onthebeach.co.uk^ -||reporting.theonion.com^ -||reporting.wilkinsonplus.com^ -||request.issuu.com^ -||researchchannel.co.za/count.php? -||resellerclub.com/helpdesk/visitor/index.php?$image -||retrevo.com/m/vm/tracking/ -||retrevo.com/search/v2/jsp/blank.jsp? -||reuters.com/pulse/$script -||reuters.com/tracker/ -||reuters.com^*/rcom-wt-mlt.js -||reuters.com^*/tracker_video.js -||reuters.com^*/widget-rta-poc.js -||reutersmedia.net^*/tracker-article*.js -||revsci.tvguide.com^ -||rgbstock.com/logsearch/ -||rightmove.co.uk/ps/images/logging/timer.gif? -||rightstuf.com/phplive/ajax/footprints.php -||ringcentral.com/misc/se_track.asp -||rismedia.com/tracking.js -||ritzcarlton.com/ritz/crossDomainTracking.mi? -||riverisland.com^*/mindshare.min.js -||rkdms.com/order.gif? -||rkdms.com/sid.gif? -||ro89.com/hitme.php? -||roadandtrack.com^*/RTdartSite.js -||roblox.com/www/e.png? -||rok.com.com^ -||roll.bankofamerica.com^ -||rottentomatoes.com/tracking/ -||rover.ebay.$image,object,script -||rover.ebay.com.au^*&cguid= -||rs.mail.ru^ -||rsscache.com/Section/Stats/ -||rsys2.net/pub/as? -||rt.prnewswire.com^ -||rt.rakuten.co.jp^ -||rta.dailymail.co.uk^ -||rta2.metro.co.uk^ -||rte.ie/player/playertracker.js -||rtn.thestar.com^ -||rumble.com/l/$image -||runnersworld.com^*/universalpixel.html -||russellgrant.com/hostedsearch/panelcounter.aspx -||s-msn.com/br/gbl/js/2/report.js -||s-msn.com/primedns.gif?$domain=msn.com -||s-msn.com/s/js/loader/activity/trackloader.min.js -||s.infogr.am^ -||s.youtube.com^ -||s2.youtube.com^ -||sa.bbc.co.uk^ -||sa.bbc.com^ -||sa.squareup.com^ -||sabah.com.tr/Statistic/ -||sabah.com.tr/StatisticImage/ -||sabc.co.za/SABC/analytics/ -||sagepub.com^*/login_hit_hidden.gif? -||samsung.com^*/scripts/tracking.js -||sana.newsinc.com.s3.amazonaws.com^ -||sap.com/global/ui/js/trackinghelper.js -||sasontnwc.net/track/ -||satellite-tv-guides.com/stat/ -||sayac.hurriyettv.com^ -||sb.vevo.com^ -||sciencedaily.com/blank.htm -||sciencedaily.com/cache.php? -||scoop.co.nz/images/pixel.gif -||scoot.co.uk/ajax/log_serps.php -||scotts.com/smg/js/omni/customTracking.js -||scout.lexisnexis.com^ -||scout.rollcall.com^ -||scribd.com^*/tracker.gif? -||scribe.twitter.com^ -||scribol.com/traffix-tracker.gif -||scriptlance.com/cgi-bin/freelancers/ref_click.cgi? -||scripts.snowball.com/scripts/images/pixy.gif -||sdc.com/sdcdata.js -||search.ch/audit/ -||search.firstplace.com^*pageview -||search.usa.gov/javascripts/stats.js -||search.yahoo.com/ra/click? -||searchenginewatch.com/utils/article_track/ -||seatgeek.com/sixpack/participate? -||seatgeek.com/tracker.gif? -||secondspace.com^*/blank.gif -||securepaynet.net/image.aspx? -||seeclickfix.com^*/text_widgets_analytics.html -||selfip.org/counter/ -||sella.co.nz^*/sella_stats_ -||sense.dailymotion.com^ -||seoquake.com/seoadv/audience/3.gif -||servedby.o2.co.uk^ -||servedby.yell.com/t.js?cq -||servicetick.com^ -||session-tracker.badcreditloans.com^ -||sevenload.com/som_ -||sex-flow.com/js/error.js -||sh.st/bundles/smeweb/img/tracking- -||shareaholic.com^*/bake.gif? -||sharecast.com/counter.php -||shoes.com/WebServices/ClientLogging. -||shopautoweek.com/js/modules/tracker.js -||shopify.com/track.js -||shoplocal.com/dot_clear.gif? -||shopping.com/pixel/ -||shopsubmit.co.uk/visitor.ashx -||shopzilla-images.com/s2static/*/js/tracker.js -||shoutcast.com/traffic/? -||showstreet.com/log/ -||shutterfly.com^*/pageloadtime.gif? -||shutterstock.com/b.png? -||shvoong.com/images/spacer.gif -||siberiantimes.com/counter/ -||sidebar.issuu.com^ -||similarsites.com/sbbgate.aspx/ -||simplyhired.com^*/hit? -||sinaimg.cn/unipro/pub/ -||singer22-static.com/stat/ -||sitelife.ehow.com^ -||sitemeter.com/meter.asp -||sixpack.udimg.com^ -||sky.com^*/hightrafficsurveycode.js -||sky.com^*/incomeGeneratingDevicesExpanding.js -||skype.com^*/inclient/ -||skype.com^*/track_channel.js -||skypeassets.com/i/js/jquery/tracking.js -||skypeassets.com^*/inclient/ -||skypeassets.com^*/track_channel.js -||skyrock.net/img/pix.gif -||skyrock.net/js/stats_blog.js -||skyrock.net/stats/ -||slack.com/clog/track/ -||slacker.com/beacon/page/$image -||slashdot.org/images/js.gif?$image -||slashdot.org/purple.gif -||slashgear.com/stats/ -||slide.com/tracker/ -||smallcapnetwork.com^*/viewtracker/ -||smartname.com/scripts/cookies.js -||smetrics.att.com^ -||smetrics.delta.com^ -||snakesworld.com/cgi-bin/hitometer/ -||snorgtees.com/js/digitalbasement/conversion.js -||snowplow-collector.sugarops.com^ -||socialcodedev.com/pixel/ -||socialstreamingplayer.crystalmedianetworks.com/tracker/ -||soe.com/js/web-platform/web-data-tracker.js -||sofascore.com/geoip.js -||somniture.theglobeandmail.com^ -||soonnight.com/stats.htm -||soundcloud.com/event? -||sourceforge.net/images/mlopen_post.html? -||sourceforge.net/log/ -||sovereignbank.com/utils/track.asp -||sp.udimg.com^ -||sp.usatoday.com^ -||spade.twitch.tv^ -||spanids.dictionary.com^ -||spanids.reference.com^ -||spanids.thesaurus.com^ -||speakertext.com/analytics/ -||speed.wikia.net^ -||spiegel.com/spacer.gif? -||spinback.com/spinback/event/impression/ -||spinmedia.com/clarity.min.js -||spinmediacdn.com/clarity.min.js -||splurgy.com/bacon/*_ct.gif$image -||spoonful.com^*/tracking.js -||spoor-api.ft.com/px.gif -||sporcle.com/adn/yaktrack.php? -||sportingnews.com/px/ -||spotlight.accuweather.com^ -||spreaker.com^*/statistics/ -||squidoo.com/track/ -||srt.pch.com^ -||ssc.api.bbc.com^ -||ssl-stats.wordpress.com^ -||startpage.*/do/avt?$image -||startpage.*/elp? -||startpage.*/pelp? -||stat.alibaba.com^ -||stat.dealtime.com^ -||stat.ruvr.ru^ -||stat.torrentbar.com^ -||statesmanjournal.com^*/articlepageview.php? -||static.ow.ly^*/click.gz.js -||staticice.com.au/cgi-bin/stats.cgi? -||staticlp.com/analytics/ -||staticwhich.co.uk/assets/*/track.js -||staticworld.net/pixel.gif -||statistics.crowdynews.com^ -||statravel.co.uk/static/uk_division_web_live/Javascript/wt_gets.js -||statravel.com^*/Javascript/wt_gets.js -||stats.aplus.com^ -||stats.articlesbase.com^ -||stats.avg.com^ -||stats.bbc.co.uk^ -||stats.behance.net^ -||stats.binki.es^ -||stats.blogg.se^ -||stats.break.com^ -||stats.cardschat.com^ -||stats.christianpost.com^ -||stats.clear-media.com^ -||stats.ebay.com^ -||stats.europe.newsweek.com^ -||stats.eyeviewdigital.com^ -||stats.farfetch.com^ -||stats.firedrive.com^ -||stats.harpercollins.com^ -||stats.ibtimes.co.in^ -||stats.macmillanusa.com^ -||stats.mehrnews.com^ -||stats.nymag.com^ -||stats.opoloo.de^ -||stats.pandora.com^ -||stats.paste2.org^ -||stats.paypal.com^ -||stats.piaggio.com^ -||stats.propublica.org^ -||stats.pusher.com^ -||stats.radiostreamlive.com^ -||stats.redditmedia.com^ -||stats.searchftps.net^ -||stats.searchftps.org^ -||stats.searchsight.com^ -||stats.sharenet.co.za^ -||stats.shoppydoo.com^ -||stats.slashgear.com^ -||stats.slideshare.net^ -||stats.someecards.com^ -||stats.storify.com^ -||stats.suite101.com^ -||stats.thevideo.me^ -||stats.townnews.com^ -||stats.tvmaze.com^ -||stats.uswitch.com^ -||stats.vc.gg^ -||stats.video.search.yahoo.com^ -||stats.visistat.com^ -||stats.vulture.com^ -||stats.wordpress.com^ -||stats.wwd.com^ -||stats.wwitv.com^ -||stats.ynet.co.il^ -||stats.zmags.com^ -||statscol.pond5.com^ -||statstracker.celebrity-gossip.net^ -||stattrack.0catch.com^ -||stbt.coupons.com^ -||stcollection.moneysupermarket.com^ -||stg.nytimes.com^ -||stickpage.com/counter.php -||stocktwits.com/spaceape-web.gif? -||stomp.com.sg/site/servlet/tracker -||store.yahoo.net^*/ywa.js -||storenvy.com/tracking/ -||storewidesearch.com/imn/mn.gif? -||streamango.com/log -||streamstats1.blinkx.com^ -||streetdirectory.com/tracking/ -||streetfire.net/flash/trackingutility.swf -||streetfire.net/handlers/logstreamfileimpression.ashx? -||stribe.com/00/logs? -||studyisland.com^*/ga.js -||stuff.afterdawn.com/views.cfm -||stuff.co.nz/track/ -||stuff.co.nz^*/track.min.js -||stylelist.com/ping?ts= -||sublimevideo.net/_.gif -||sugar.gameforge.com^ -||sugarvine.com/inc/tracking.asp -||suite101.com/tracking/ -||sun.com/share/metrics/ -||sundayskylb1.com/sst.gif? -||supermediastore.com/web/track? -||superpages.com/ct/clickThrough? -||surinenglish.com/acceso.php? -||surveys.cnet.com^ -||sysomos.com/track/ -||t-ak.hulu.com^ -||t.9gag.com^ -||t.blinkist.com^ -||t.cinemablend.com^ -||t.dailymail.co.uk^ -||t.delfi. -||t.eharmony.com^ -||t.hulu.com/beacon/ -||t.kck.st^ -||t.paypal.com^ -||t.vimeo.com^ -||t.wayfair.com^ -||t2.hulu.com^ -||t2.huluim.com^ -||t3.com/js/trackers.js -||tab.co.nz/track? -||tacobell.com/tb_files/js/tracker.js -||tag-stats.huffpost.com^ -||tagcommander.laredoute. -||tags.msnbc.com^ -||tags.news.com.au^ -||tags.transportdirect.info^ -||talktalk.co.uk^*/log.html -||talktalk.co.uk^*/tracking/ -||target.com/ci/$script -||targetspot.com/track/ -||tarot.com/stats/ -||tck.bangbros.com^ -||tcog.news.com.au^$~xmlhttprequest -||tcpalm.com/metrics/ -||tdwaterhouse.ca/includes/javascript/rtesurvey.js -||tdwaterhouse.co.uk^*/track.js -||ted.dailymail.co.uk^ -||ted.metro.co.uk^ -||ted1.metro.co.uk^ -||telegraph.co.uk^*/tmglmultitrackselector.js -||tesco.com/cgi-bin3/buyrate?type= -||tfl.gov.uk/tfl-global/scripts/stats-config.js -||tfl.gov.uk/tfl-global/scripts/stats.js -||tgw.com/1/t.gif -||theage.com.au^*/behave.js -||theconversation.com/javascripts/lib/content_tracker_hook.js -||thecreatorsproject.com/tracker.html -||thedeal.com/oas_ -||thefashionspot.com^*/pb.track.js -||thefilter.com^*/CaptureRest.ashx?cmd= -||thefind.com/page/sizelog? -||thefreedictionary.com/x/tp.ashx -||thefreedictionary.com^*/track.ashx? -||thefrisky.com/?act= -||thegameslist.com/wb/t.gif -||thegumtree.com^*/tracking.js -||theintercept.com/a? -||thejc.com/metatraffic2/ -||thenewsroom.com//playerreporting/ -||theolivepress.es/cdn-cgi/cl/ -||thesaurus.com/track/ -||theseforums.com/track/ -||thesmokinggun.com^*/jsmd.js -||theweek.com/decor/track/ -||thinkgeek.com/js/rts.js -||thrillist.com/track -||ti.com/assets/js/headerfooter/$script -||tiaa-cref.org^*/js_tiaacref_analytics. -||tickco.com/track.js -||tidaltv.com/Ping.aspx -||timeslogtn.timesnow.tv^ -||timesrecordnews.com/metrics/ -||timestrends.indiatimes.com^ -||timestrends.timesnow.tv^ -||tinypic.com/api.php?*&action=track$object-subrequest -||tinypic.com/track.php? -||tinyupload.com^*/ct_adkontekst.js -||tivo.com/__ssobj/track? -||tk.kargo.com^ -||tmagazine.com/js/track_ -||tools.ranker.com^ -||top.wn.com^ -||topix.com/t6track/ -||torrentz.eu/ping? -||torrentz.in/ping? -||torrentz.li/ping? -||torrentz.me/ping? -||torrentz.ph/ping? -||toshibadirect.com^*/remarketing_google.js -||total.shanghaidaily.com^ -||totalporn.com/videos/tracking/?url= -||tottenhamhotspur.com/media/javascript/google/ -||toyota.com/analytics/ -||tp.ranker.com^ -||tqn.com/px/? -||tracelog.www.alibaba.com^ -||tracer.perezhilton.com^ -||track.briskfile.com^ -||track.catalogs.com^ -||track.cbs.com^ -||track.codepen.io^ -||track.collegehumor.com^ -||track.dictionary.com^ -||track.engagesciences.com^ -||track.ft.com^ -||track.fxstreet.com^ -||track.gawker.com^ -||track.hubspot.com^ -||track.netzero.net^ -||track.ning.com^ -||track.promptfile.com^ -||track.pushbullet.com^ -||track.slideshare.net^ -||track.thesaurus.com^ -||track.ugamezone.com^ -||track.webgains.com^ -||track.websiteceo.com^ -||track.wildblue.com^ -||track.zalando. -||track.zomato.com^ -||tracker.anandtech.com^ -||tracker.calameo.com^ -||tracker.cpapath.com^ -||tracker.joost.com^ -||tracker.lolalytics.com^ -||tracker.mattel.com^ -||tracker.pinnaclesports.com^ -||tracker.realclearpolitics.com^ -||tracker.redditmedia.com^ -||tracker.revip.info^ -||tracker.secretescapes.com^ -||tracker.uprinting.com^ -||tracker.washtimes.com^ -||tracker.wordstream.com^ -||tracking.ancestry.com^ -||tracking.batanga.com^ -||tracking.battleon.com^ -||tracking.carprices.com^ -||tracking.carsales.com.au^ -||tracking.chacha.com^ -||tracking.conduit.com^ -||tracking.eurosport.com^ -||tracking.gfycat.com/viewCount/ -||tracking.goodgamestudios.com^ -||tracking.hsn.com^ -||tracking.koego.com^ -||tracking.military.com^ -||tracking.moneyam.com^ -||tracking.mycapture.com^ -||tracking.olx-st.com^ -||tracking.olx. -||tracking.porndoelabs.com^ -||tracking.realtor.com^ -||tracking.resumecompanion.com^ -||tracking.shoptogether.buy.com^ -||tracking.softwareprojects.com^ -||tracking.tidalhifi.com^ -||tracking.times247.com^ -||tracking.ukwm.co.uk^ -||tracking.unrealengine.com^ -||tracking.ustream.tv^ -||tracking.yourfilehost.com^ -||trackpm.shop2market.com^ -||trade-it.co.uk/counter/ -||tradetrucks.com.au/ga. -||traffic.buyservices.com^ -||traffic.tuberip.com^ -||trainup.com/inc/TUPTracking.js -||traktr.news.com.au^ -||trax.tvguide.com^ -||trb.com/hive/swf/analytics.swf -||trck.sixt.com^ -||tre.emv3.com/P? -||treatme.co.nz^*/Census.js -||treato.com/api/analytics? -||triadretail.com^*/roverTrack.js -||trialpay.com/mi/ -||triond.com/cntimp? -||tripadvisor.*/PageMoniker? -||tripadvisor.com/uvpages/page_moniker.html -||trivago.com/check-session-state? -||trivago.com/tracking/ -||trove.com/identity/public/visitor/ -||trovus.co.uk/tracker/ -||trowel.twitch.tv/? -||truecar.com/tct? -||trueffect.underarmour.com^ -||truste.com/common/js/ga.js -||truste.com/notice?*consent-track -||tscapeplay.com/msvp.php? -||tscapeplay.com/pvim? -||tsn.ua/svc/video/stat/ -||ttxm.co.uk^*/log.js -||tubeplus.me/geoip.php? -||tubepornclassic.com/js/111.js -||tubxporn.com/track.php -||tumblr.com/impixu? -||turn.com/js/module.tracking.js -||turnsocial.com/track/ -||tv-links.eu/qtt_spacer.gif -||tvshark.com/stats.js -||tw.i.hulu.com^ -||tweako.com/imp.php -||twimbow.com/serverreq/twbtracker.php$xmlhttprequest -||twitch.tv/track/ -||twitter.com/abacus? -||twitter.com/i/csp_report? -||twitter.com/scribe? -||twitter.com/scribes/ -||twitter.com^*/log.json? -||twitter.com^*/prompts/impress -||twitter.com^*/scribe^ -||twitvid.com/api/tracking.php$object-subrequest -||twitvid.com/mediaplayer/players/tracker.swf -||txmblr.com^*/pixel^ -||txn.thenewsroom.com^ -||typepad.com/t/stats? -||u.bb/omni*.swf| -||u.tv/utvplayer/everywhere/tracking.aspx? -||ucoz.com/stat/ -||ui-portal.com/1and1/mailcom/s? -||ulogin.ru/stats.html -||ultimedia.com/deliver/statistiques/ -||ultra-gamerz-zone.cz.cc/b/stats? -||unicornapp.com^*/Metrics/ -||unid.go.com^ -||unionleader.com/js/ul/ga.js -||unisys.com^*/dcsMultiTrack.js -||unisys.com^*/dcsMultiTrackFastSearch. -||unisys.com^*/tracking.js -||united.com^*/hp_mediaplexunited.html -||unrealmarketing.com/js/unrealGTS.js -||unrulymedia.com/loader-analytics.html -||up.boston.com^ -||up.nytimes.com^ -||upi.com/*/stat/ -||uploaded.net/io/pixel/ -||uploadrocket.net/downloadfiles.php?*&ip -||upornia.com/js/0818.js -||upromise.com/js/csgather.js -||upsellit.com^*/visitor? -||uptpro.homestead.com^ -||urbanlist.com/event/track-first-view/ -||urchin-tracker.bigpoint.net^ -||urlcheck.hulu.com^ -||usage.zattoo.com/?adblock= -||usell.com/bug.gif? -||userfly.com^ -||usps.com/survey/ -||ut.ratepoint.com^ -||uts-rss.crystalmedianetworks.com/track.php? -||v.fwmrm.net/ad/*defaultImpression -||v.fwmrm.net/ad/*slotImpression -||validome.org/valilogger/track.js -||vator.tv/tracking/ -||vbs.tv/tracker.html -||vcstar.com/metrics/ -||velaro.com/lf/monitor2.aspx? -||venere.com/common/js/track.js -||verizonwireless.com/mpel.js? -||vertical-stats.huffingtonpost.com^ -||vevo.com/audit.ashx? -||viamichelin.co.uk^*/stats.js -||viamichelin.de^*/stats.js -||vice.com*/mb_tracker.html -||vice.com*/tracker.html -||victoriassecret.com/m/a.gif? -||vid.io^*/mejs-feature-analytics.js -||video-stats.video.google.com^ -||video.msn.com/frauddetect.aspx? -||video.nbc.com^*/metrics_viral.xml -||video.syfy.com/lg.php -||videoplaza.com/proxy/tracker? -||videopremium.tv/dev/tr.js -||videotracker.washingtonpost.com^ -||vidx.to/php/count.php? -||vidxden.com^*/tracker.js -||vietnamnet.vn^*/tracking.js -||villarenters.com/inttrack.aspx -||vimeo.com/*?type=click$ping -||vimeo.com/log/outro_displayed -||viralnova.com/track.php -||viralogy.com/javascript/viralogy_tracker.js -||virginholidays.co.uk/_assets/js/dc_storm/track.js -||virtualearth.net/mapcontrol/*/veapiAnalytics.js -||visit.dealspwn.com^ -||visit.mobot.net^ -||visit.theglobeandmail.com^ -||visitors.sourcingmap.com^ -||visualware.com/vvv? -||vitamine.networldmedia.net^ -||vixy.net/fb-traffic-pop.js -||vk.com/js/lib/px.js -||vmware.com/files/include/ga/ -||vnunet.com^*/wunderloop/ -||vodpod.com/stats/ -||vogue.co.uk/_/logic/statistics.js -||votigo.com/contests/t/ -||voxmedia.com/needle? -||voyages-sncf.com^*/vsca.js -||voyeurhit.com/js/a2210.js -||vs.target.com^ -||vs4food.com/ERA/era_rl.aspx -||vstat.vidigy.com^ -||vstats.digitaltrends.com^ -||vzaar.com/libs/stats/ -||w88.espn.com^ -||w88.go.com^ -||wa.metro.co.uk^ -||wa.ui-portal.de^ -||wachovia.com^*/stats.js -||wallcannrewards.com^*/index.php? -||walletpop.com/track/ -||wallpaperstock.net/partners.js -||warp.prnewswire.co.uk^ -||washingtonpost.com/rw/sites/twpweb/js/init/init.track-header-1.0.0.js -||washingtonpost.com/wp-srv/javascript/placeSiteMetrix. -||washingtonpost.com/wp-stat/analytics/ -||washingtonpost.com^*/one.gif? -||watch-series.to/analytics.html -||watchmouse.com^*/jsrum/ -||watson.live.com^ -||wavescape.mobi/rest/track/ -||wbr.com/open.aspx? -||wcnc.com/g/g/button/ -||weather.com/pagelet/metrics/ -||weather.com^*/makeRequest- -||web-18.com/common/w18a26062012143253_min.js -||web-t.9gag.com^ -||web.hbr.org/test/whoami.php -||webcamgalore.com/aslog.js -||webcollage.net/apps/el? -||webcrawler.com/__kl.gif -||webjam.com/Actions/Hit.jam? -||weblog.strawberrynet.com^ -||weblogger01.data.disney.com^ -||webmd.com/dtmcms/live/webmd/PageBuilder_Assets/JS/oas35.js -||webmd.com/pixel/ -||webmd.com^*/tools/dsppixels.js -||webmonkey.com/js/stats/ -||webring.com/cgi-bin/logit? -||webstats.perfectworld.com^ -||webyclip.com/WebyClipAnalytics.html -||weeklyblitz.net/tracker.js -||wego.com/farmer/ -||wellness.com/proxy.asp -||wellsphere.com/?hit= -||whatcar.com/Client/Stats/ -||whoson.smcorp.com^ -||whstatic.com^*/ga.js? -||wikihow.com/visit_info -||wikihow.com/x/collect? -||wikimedia.org/wiki/Special:RecordImpression? -||wikinvest.com/plugin/api.php?*=metricld& -||wikio.com/shopping/tracking/hit.jsp? -||wikipedia.org/beacon/ -||windowsphone.com/scripts/siteTracking.js -||winter.metacafe.com^ -||wired.co.uk^*/Statistics/ -||wired.com/ecom/ -||wired.com/event? -||wired.com/js/stats/ -||wired.com/tracker.js -||witn.com/g/g/button/ -||wnd.com/s.js -||worksheetsengine.com/fd/ls/l? -||worldgolf.com^*/js/track.js -||worldnow.com/ajax?callback=po_a&$xmlhttprequest -||worldnow.com/global/tools/video/Namespace_VideoReporting_DW.js -||worldreviewer.com/_search/tracker.png? -||worldvision.org/kana/wvcg_wvorg.asp? -||wovencube.com/track/ -||wowwiki.com/__onedot? -||ws.elance.com^*&referrer= -||ws.md/c.png? -||ws.yellowpages.ca^ -||wtk.db.com^ -||wunderground.com/tag.php -||wusstrack.wunderground.com^ -||wwe.com/sites/all/modules/wwe/wwe_analytics/ -||www.google.*/imgevent?$script -||www.google.*/imghover?$image -||www.imdb.*/rd/?q= -||wzus.askkids.com^ -||wzus1.ask.com^ -||wzus1.reference.com^ -||wzus1.thesaurus.com^ -||xbox.com^*/vortex_tracking.js -||xda-cdn.com/analytics.js -||xhamster.com/ajax.php?act=track_event -||xhamster.com/embed.log/ -||xhcdn.com/js/track.min.js? -||xing.com/collect/ -||xing.com/logjam/ -||xnxx.com/in.php?referer -||yahoo.com/__perf_log_ -||yahoo.com/_td_api/beacon/ -||yahoo.com/b? -||yahoo.com/beacon/ -||yahoo.com/neo/stat -||yahoo.com/neo/ygbeacon/ -||yahoo.com/neo/ymstat -||yahoo.com/p.gif; -||yahoo.com/perf.gif? -||yahoo.com/serv?s -||yahoo.com/sig=$image -||yahoo.com/track/ -||yahoo.com/yi?bv= -||yahoo.com^*/pageview/ -||yahoo.com^*/rt.gif? -||yahoo.com^*/ultLog? -||yahoo.net^*/hittail.js -||yahooapis.com/get/Valueclick/CapAnywhere.getAnnotationCallback? -||yandex.*/clck/$~ping -||yandex.*/count/ -||yandex.*/hitcount/ -||ybinst2.ec.yimg.com/ec/*&Type=Event.CPT&$domain=search.yahoo.com -||yellowpages.co.in/trac/ -||yellowpages.com/images/li.gif? -||yellowpages.com/proxy/envoy/ -||yellowpages.com/proxy/turn_tags/ -||yelp.ca/spice? -||yelp.co.uk/spice? -||yelp.com.au/spice? -||yelp.com/spice? -||yelp.ie/spice? -||yimg.com/nq/ued/assets/flash/wsclient_ -||yimg.com^*/swfproxy-$object -||yimg.com^*/yabcs.js -||yimg.com^*/ywa.js -||ynuf.alibaba.com^ -||yobt.tv/js/timerotation*.js -||yoox.com^*/yoox/ga.js -||yopmail.com/c.swf -||youandyourwedding.co.uk^*/EAS_tag. -||youandyourwedding.co.uk^*/socialtracking/ -||younewstv.com/js/easyxdm.min.js -||youporn.com^*/tracker.js -||yourfilehost.com/counter.htm -||youronlinechoices.com/activity/ -||yourtv.com.au/share/com/js/fb_google_intercept.js -||youtube-nocookie.com/device_204? -||youtube-nocookie.com/gen_204? -||youtube-nocookie.com/ptracking? -||youtube-nocookie.com/robots.txt? -||youtube.com/*_204?$~xmlhttprequest -||youtube.com/api/stats/ads? -||youtube.com/get_video? -||youtube.com/ptracking? -||youtube.com/s? -||youtube.com/set_awesome? -||ypcdn.com/webyp/javascripts/client_side_analytics_ -||yuku.com/stats? -||yupptv.com/yupptvreports/stats.php^ -||yyv.co/track/ -||zap.dw-world.de^$image -||zap2it.com^*/editorial-partner/ -||zappos.com/onload.cgi? -||zawya.com/zscripts/ajaxztrack.cfm? -||zawya.com^*/logFile.cfm? -||zdnet.com/wi? -||zedo.com/img/bh.gif? -||zmags.com/CommunityAnalyticsTracking -||zoomin.tv/impressions/ -||zoomin.tv/impressionsplayers/ -||zulily.com/action/track? -||zvents.com/partner_json/ -||zvents.com/za? -||zvents.com/zat? -||zwire.com/gen/qc/qualitycontrol.cfm -||zylom.com/pixel.jsp -||zylom.com^*/global_tracking.jsp? -||zylom.com^*/tracking_spotlight.js -||zytpirwai.net/track/ -! Preliminarily blocking Omniture s_code tracking scripts (versions H.25 - H.25.2) due to breakage (https://adblockplus.org/forum/viewtopic.php?f=10&t=11378) -||abc.com/service/gremlin/js/files/s_code.js?$domain=abc.go.com -||adobe.com^*/omniture_s_code.js -||aeroplan.com/static/js/omniture/s_code_prod.js -||aexp-static.com/api/axpi/omniture/s_code_myca_context.js$domain=americanexpress.com -||aircanada.com/shared/common/sitecatalyst/s_code.js -||announcements.uk.com^*/s_code.js -||atgstores.com/js/lowesca_s_code.js$domain=lowes.ca -||bitdefender.com/resources/scripts/omniture/*/code.js -||bleacherreport.net/pkg/javascripts/*_omniture.js -||cdnds.net/js/s_code.js$domain=digitalspy.ca|digitalspy.co.nz|digitalspy.co.uk|digitalspy.com|digitalspy.com.au|digitalspy.ie -||chip.de/js/omniture_somtr_code_vH.25.js -||consumerreports.org^*/s_code.js -||csmonitor.com/extension/csm_base/design/csm_design/javascript/omniture/s_code.js -||csmonitor.com/extension/csm_base/design/standard/javascript/adobe/s_code.js -||demandware.edgesuite.net^*/omniture.js$domain=otterbox.com -||disneylandparis.fr^*/s_code.js -||eltiempo.com/js/produccion/s_code_*.js -||expressen.se/static/scripts/s_code.js? -||ge.com/sites/all/themes/ge_2012/assets/js/bin/s_code.js -||hayneedle.com/js/s_code.min.*.js -||images-amazon.com/images/*/wcs-help-omniture/wcs-help-omniture-$script -||img-bahn.de/v/*/js/s_code.js$domain=bahn.de -||lexus.com/lexus-share/js/tracking_omn/s_code.js -||loc.gov/js/*/s_code.js -||mercedes-benz.ca/js/omniture.js -||mercola.com/Assets/js/omniture/sitecatalyst/mercola_s_code.js -||mercuryinsurance.com/static/js/s_code.js -||michaelkors.com/common/js/extern/omniture/s_code.js -||mnginteractive.com/live/js/omniture/SiteCatalystCode_H_22_1_NC.js -||mnginteractive.com/live/omniture/custom_scripts/omnicore-blogs.js$domain=mercurynews.com -||mnginteractive.com/live/omniture/sccore.js$domain=denverpost.com -||mnginteractive.com/live/omniture/sccore_NEW.js$domain=pasadenastarnews.com|presstelegram.com -||mnginteractive.com/live/omniture/sccore_NEW_JRC.js -||navyfederal.org/js/s_code.js -||nwsource.com/shared/js/s_code.js?$domain=seattletimes.com -||nyteknik.se/ver02/javascript/2012_s_code_global.js -||paypal.com/acquisition-app/static/js/s_code.js -||philly.com/includes/s_code.js -||playstation.com/pscomauth/groups/public/documents/webasset/community_secured_s_code.js -||r7.com/scode/s_code_portal_$script -||redbox.com^*/scripts/s_code.js -||riverisland.com^*/s_code.min.omniture_$script -||sephora.com/javascripts/analytics/wa2.js -||skypeassets.com/i/tracking/js/s_code_20121127.js$domain=skype.com -||skypeassets.com/static/skype.skypeloginstatic/js/s_code.js$domain=skype.com -||sltrib.com/csp/mediapool/sites/Shared/assets/csp/includes/omniture/SiteCatalystCode_H_17.js -||ssl-images-amazon.com^*/wcs-help-omniture-$script -||ticketmaster.eu^*/omniture_tracker.js -||timeinc.net/tii/omniture/h/config/timesi.js$domain=si.com -||vitacost.com/Javascripts/s_code.js -||vmware.com/files/templates/inc/s_code_my.js -||westernunion.*/_globalAssets/js/omniture/AppMeasurement.js -||wp.com/wp-content/themes/vip/metrouk/js/site-catalyst.js$domain=metro.co.uk -||yell.com/js/omniture-H.25.js -! Blocking filters due to High-CPU usage bug (https://adblockplus.org/forum/viewtopic.php?f=11&t=23368) -||radio-canada.ca/omniture/omni_stats_base.js? -! Specific filters necessary for sites whitelisted with $genericblock filter option -/__utm.gif$domain=autobild.de|quoka.de|tellows.de|thewatchseries.to|transfermarkt.de -/analytics/track?$domain=widgets.azureedge.net -/csi?v=*&action=$domain=tellows.de -/nm_trck.gif?$domain=spiegel.de -/pic.gif?m=$domain=autobild.de -||3gl.net^$domain=stern.de -||a.watchseries.to^$domain=thewatchseries.to -||addthis.com/live/$domain=thewatchseries.to -||babator.com^$domain=focus.de -||bluekai.com^$domain=disqus.com|widgets.outbrain.com -||chartbeat.com^$domain=gala.de|stern.de -||contentexchange.me^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||contentspread.net^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||cpx.to^$domain=quoka.de -||crwdcntrl.net^$domain=disqus.com -||cxense.com^$domain=focus.de -||disqus.com/api/ping?$domain=autobild.de -||dnn506yrbagrg.cloudfront.net^$domain=quoka.de -||ds-aksb-a.akamaihd.net^$domain=gala.de|kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||emetriq.de^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de|spiegel.de|stern.de|transfermarkt.de -||exactag.com^$domain=quoka.de -||exelator.com^$domain=disqus.com -||facebook.com*/impression.php$domain=autobild.de|focus.de|kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de|tellows.de|transfermarkt.de -||facebook.com/common/scribe_endpoint.php$domain=transfermarkt.de -||facebook.com/tr/?$domain=gala.de|metal-hammer.de|musikexpress.de|rollingstone.de -||google-analytics.com/analytics.js$domain=gala.de|kabeleins.de|metal-hammer.de|musikexpress.de|prosieben.de|prosiebenmaxx.de|quoka.de|ran.de|rollingstone.de|sat1.de|sixx.de|spiegel.de|stern.de -||google-analytics.com/collect$domain=stern.de -||googleapis.com^*/gen_204?$domain=tellows.de -||googletagmanager.com/gtm.js?$domain=autobild.de|transfermarkt.de -||hotjar.com^$domain=quoka.de -||hpr.outbrain.com^$domain=focus.de -||imrworldwide.com^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||ioam.de/?$domain=autobild.de|focus.de|spiegel.de|stern.de|tellows.de|transfermarkt.de -||ioam.de/tx.io?$domain=autobild.de|focus.de|gala.de|kabeleins.de|metal-hammer.de|musikexpress.de|prosieben.de|prosiebenmaxx.de|quoka.de|ran.de|rollingstone.de|sat1.de|sixx.de|spiegel.de|stern.de|tellows.de|transfermarkt.de -||irqs.ioam.de^$domain=metal-hammer.de|musikexpress.de|rollingstone.de -||log.outbrain.com^$domain=autobild.de|focus.de|metal-hammer.de|musikexpress.de|rollingstone.de|widgets.outbrain.com -||meetrics.net^$domain=spiegel.de|stern.de -||met.vgwort.de^$domain=focus.de|gala.de|spiegel.de|stern.de -||metrics.brightcove.com^$domain=gala.de|stern.de -||mxcdn.net^$domain=spiegel.de|stern.de -||nuggad.net^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|quoka.de|ran.de|sat1.de|sixx.de|transfermarkt.de -||optimizely.com^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||pingdom.net^$domain=musikexpress.de -||pippio.com^$domain=disqus.com -||referrer.disqus.com^$domain=autobild.de -||rlcdn.com^$domain=autobild.de|widgets.outbrain.com -||rqtrk.eu^$domain=stern.de -||semasio.net^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de -||static.parsely.com^$domain=spiegel.de -||tealiumiq.com^$domain=autobild.de|metal-hammer.de|musikexpress.de|transfermarkt.de -||theadex.com^$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|quoka.de|ran.de|sat1.de|sixx.de -||tisoomi-services.com^$domain=metal-hammer.de|musikexpress.de -||tracking-rce.veeseo.com^$domain=stern.de -||twitter.com/i/jot$domain=kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|rollingstone.de|sat1.de|sixx.de -||visualrevenue.com^$domain=autobild.de|kabeleins.de|prosieben.de|prosiebenmaxx.de|ran.de|sat1.de|sixx.de|spiegel.de -||watchseries.to/piwik.js -||webtrekk.net^$domain=kabeleins.de|metal-hammer.de|musikexpress.de|prosieben.de|prosiebenmaxx.de|ran.de|rollingstone.de|sat1.de|sixx.de -||wt-eu02.net^$domain=gala.de|stern.de -||wt-safetag.com^$domain=stern.de -||xplosion.de^$domain=spiegel.de|stern.de -! -----------------International individual tracking systems-----------------! -! *** easylist:easyprivacy/easyprivacy_specific_international.txt *** -! German -||4players.de^*/foreplaypixel.js -||85.237.86.50/stat/$domain=bluray-disc.de -||ab-in-den-urlaub.de/resources/cjs/?f=/resources/cjs/tracking/ -||ab-in-den-urlaub.de/usertracking/ -||abakus.freenet.de^ -||ac.berlinonline.de^ -||ac.express.de^ -||ac.mz-web.de^ -||acl.stayfriends.de^ -||analytics.industriemagazin.net^ -||analytics.proxer.me^ -||analytics.solidbau.at^ -||antenne.de^*/ivw_reload.js -||aol.de/cnt/ -||aol.de/track/ -||arlt.com^*/econda/ -||arte.tv^*=countstats, -||as.base.de^ -||banner.t-online.de^$image -||baur.de/servlet/LandmarkServlet? -||beacon.gutefrage.net^ -||berliner-zeitung.de/analytics/ -||berlinonline.de^*/cp.php? -||bild.de/code/jiffy,*.js -||bild.de/code/linktracking,*.js -||bild.de^*-linktracking^$script -||billiger.de/js/statistik.js -||billiger.de/trackimg.gif? -||bitreactor.to/counter/ -||bluray-disc.de/user_check.php? -||boerse.de^*/log.jphp -||boersennews.de/js/lib/BnPageTracker.js -||boss.berlinonline.de^ -||braunschweiger-zeitung.de/stats/ -||bz-berlin.de/_stats/ -||c.perlentaucher.de^ -||cc.zeit.de^ -||cct2.o2online.de^ -||center.tv/counter/ -||chefkoch.de/counter -||chefkoch.de/statistic_service/ -||chefkoch.de^*/pixel/ -||chip.de^*/hook-tracking.js -||chip.de^*/pic.gif? -||chip.de^*/tracking.js -||chip.de^*_tracking/ -||citybeat.de/include/cbtracker. -||comdirect.de/ccf/img/ecrm2.gif? -||commerzbank.de/companion/cnt.php? -||computerbase.de/api/stats? -||computerbild.de/images/pic.gif? -||count.merian.de^ -||count.rtl.de^ -||count.spiegel.de^ -||counter.zeit.de^ -||cpix.daserste.de^ -||cpx.golem.de^ -||cpxl.golem.de^ -||d.nativendo.de^ -||dab-bank.de/img/dummy.gif -||dada.net^*/nedstat_sitestat.js -||daparto.de/track- -||dasoertliche.de/wws/ -||dastelefonbuch.de^*/wws.js -||dat.de/inc/count.js -||dejure.org/cgi-bin/zux2? -||derstandard.at/s/ -||derwesten.de/stats/ -||derwesten.de^*/click.js -||derwesten.de^*/omsv.js -||dforum.net/counter/ -||dfs.de^*/webbug.js -||diegesellschafter.de^*/flashimg.php? -||diepresse.com/files/stats-extensions/ -||digital-zoom.de/counter.js -||dnews.de^*/arnostat302.js -||dpm.bluray-disc.de^ -||dsltarife.net/ddd.js -||dsltarife.net/statistik/ -||dw-eu.com.com^ -||elektromobil-dresden.de/tinc? -||elitepartner.de/km/tcnt.do? -||event.dkb.de^ -||express.de/analytics/ -||extszm.web.de^ -||fanfiktion.de^*/s.js -||faz.net^*/ivw/ -||feed-reader.net/tracking.php -||fireball.de/statistikframe.asp? -||fls-eu.amazon.de^ -||fr-online.de/analytics/ -||ftd.de^*/track.php? -||g.silicon.de^ -||gala.de/js/tracking- -||gamepro.de^*/visitcount.js -||gamestar.de/_misc/tracking/ -||gets.faz.net^ -||gg24.de^*/count.cgi? -||giessener-anzeiger.de/stat/ -||go.bluewin.ch^ -||golem.de/staticrl/scripts/golem_cpx_ -||golem.de/staticrl/scripts/golem_cpxl_ -||goyellow.de/trackbrowser.jsp -||handelsblatt.com/analytics/ -||hardware-infos.com/counter/ -||hardwarelabs.de/stat/ -||hardwareschotte.de/na/mdc.php? -||hartgeld.com^*/count.cgi? -||hdm-stuttgart.de/count.cgi? -||homepage-baukasten.de/cookie.php? -||horizont.net/stats/ -||ht4u.net^*/blackpixel2.php -||is.base.de^ -||jobanova.de/stats.php? -||jolie.de^*/pic.gif? -||k-files.de/screen.js -||k-foren.de/screen.js -||k-play.de/screen.js -||kicker.de^*/videocount? -||koins.de/screen.js -||krissi-ist-weg.de/ce_vcounter/ -||laut.de^*/analyse.gif? -||log.suchen.de^ -||log.sz-online.de^ -||log.wilmaa.com^ -||logging.wilmaa.com^ -||lokalisten.de/tracking.gif -||macnews.de/logreferrer.php -||macwelt.de/images/pic.gif? -||magnus.de^*/pic.gif? -||manager-magazin.de/js/http/*,testat_ -||medizinauskunft.de/logger/ -||meinestadt.de^*/tracking/ -||merkur.de/connector.php? -||mikrocontroller.net^*/count_view/ -||mm.welt.de^ -||mobilcom-debitel.de/track/ -||mopo.de/uid/ -||motorsport-total.com/z.php? -||ms.computerbild.de^ -||msn.com^*/detrack.js -||msxstudios.de^*/system/stats/ -||muensterland.de^*/zaehlpixel.php? -||multicounter.de^$third-party -||musik4fun.com/ga.php? -||mytoys.de/acv/ -||myvideo.at/dynamic/mingreport.php$object-subrequest -||myvideo.ch/dynamic/mingreport.php$object-subrequest -||myvideo.de/dynamic/mingreport.php$object-subrequest -||n24.de^*/tracking.js -||news.ch/newslogbug.asp? -||nickles.de/ivw/ -||nowonscreen.com/statistik_ -||nox.to/files/frame.htm -||noz.de/tracking/ -||npage.de/get_statistics.php? -||nzz.ch/statistic/ -||nzz.ch/statistic? -||o2online.de^*/psyma/ -||orf.at/ivwscript.js -||otik.de/tracker/ -||otto.de/servlet/landmarkservlet? -||otto.de^*/beacons/ -||pap.zalando.de^ -||passul.t-online.de^ -||pcfreunde.de/wb. -||pcgames.de^*/remotecampaigntracker.php -||pcwelt.de^*/pic.gif? -||pix.friendscout24.de^ -||pix.telekom.de^ -||pixel.1und1.de^ -||pixel.4players.de^ -||pixel.bild.de^ -||pixel.prosieben.de^ -||playomat.de/sfye_noscript.php? -||pnn.de/counter/ -||pooltrax.com/stats/ -||postbank.de^*/pb_tracking_js.js -||postbank.de^*/pb_trackingclientstat_js.js -||powercount.jswelt.de^ -||preisvergleich.de/setcookie/ -||proactive.base.de^ -||prophet.heise.de^ -||putpat.tv/tracking? -||pxc.otto.de^ -||quoka.de^*/wtlog_02.js -||rem-track.bild.de^ -||remixshare.com/stat/ -||rhein-zeitung.de^*/picksel/ -||rl.heise.de^ -||rtl.de/count/ut/x.gif? -||rtl.de/tools/count/ -||rtlradio.de/stats.php? -||rtlradio.lu/stats.php? -||rwt.reichelt.de^ -||s.fsphp.t-online.de^ -||salzburg.com/nwas/count.php? -||secreta.de/tinc? -||shortnews.de/iframes/view_news.cfm? -||spiegel.de^*/statistic/ -||sportal.de/js/cf.analytics.js -||stargate-planet.de^*counter*/c$image,script -||stats.bmw.de^ -||stats.daserste.de^ -||stats01.20min.ch^ -||subpixel.4players.de^ -||suedkurier.de/al/analytics/ -||suite101.de/tracking/ -||superfunblog.com/stats/stats.php -||t-online.de/js.gif?$image -||t-online.de^*/noresult.js?track= -||t-online.de^*/stats.js?track= -||t.nativendo.de^ -||tagesspiegel.de/analytics/ -||talkline.de^*/count.talkline.js -||textundblog.de/powercounter.js -||topnews.de/aws.js -||topnews.de^*/aws.cgi? -||tp.deawm.com^ -||tr.werkenntwen.de^ -||track.cinestar.de^ -||trackerstatistik.init-ag.de^ -||tracking.autoscout24.com^ -||tracking.beilagen-prospekte.de^ -||tracking.hrs.de^ -||tracking.kurier.at^ -||tracking.mobile.de^ -||tracking.netbank.de^ -||tracking.oe24.at^ -||tracking.sport1.de^ -||tracking.statravel.de^ -||tracking.tchibo.de^ -||tracksrv.zdf.de^ -||ts.faz.net^ -||ts.otto.de^ -||ts.rtl.de^ -||tvcommunity.at/filmpicture.aspx?count=1& -||ui-portal.de/brbtpixel/ -||unser-star-fuer-oslo.de^*/stats.php -||videovalis.tv/tracking/ -||vip.de^*/tracking.js -||viviano.de/cgi-bin/stat_gateway.cgi? -||wdm.map24.com^ -||web-track.telekom-dienste.de^ -||web.de/ivw/cp/ -||web.de/pic? -||webnews.de^*/loglib.js -||webts.adac.de^ -||wer-weiss-was.de/indication/clue_*.gif? -||wienerzeitung.at/__webtrends/ -||wirtschaftspresse.biz/pshb? -||wiwo.de/analytics/ -||xara.hse24.de^ -||xtranews.de/counter/ -||zdf.de^*/tracking? -||zdf.de^*/trackingivw? -||zeit.de/js/rsa.js -||zeit.de/js/rsa2.js -! French -||allocine.fr/ws/geocoding.ashx -||analytics.rtbf.be^ -||arte.tv/includes/xiti/ -||autoplus.fr/st? -||azurewebsites.net^*/mnr-mediametrie-tracking- -||bloguez.com/manager/compteurs/ -||clubic.com/editorial/publier_count.php? -||developpez.com/public/js/track.js -||dm.commentcamarche.net^ -||ea.clubic.com^ -||ea.jeuxvideopc.com^ -||ea.lexpress.fr^ -||ea.monsieurmanuel.com^ -||ea.rueducommerce.fr^ -||editeurjavascript.com/hit-parade.php -||eultech.fnac.com^ -||fls-eu.amazon.fr^ -||g.itespresso.fr^ -||grazia.fr/ea.js -||gstat.orange.fr^ -||hit.leboncoin.fr^ -||jeu.net/hits.js -||lavenircdn.net^*/analytics.js? -||lecho.be/fb/? -||lemde.fr^*/metrics/ -||lemde.fr^*/tracking/ -||logs-qos.tf1.fr^ -||nouvelobs.com/scripts/stats.php? -||nouvelobs.com/tools/csrum.php -||nouvelobs.com/trafiz- -||orange.fr/track? -||ovni9.com/suggestion/stats/ -||p.pagesjaunes.fr^ -||pagesjaunes.fr/bva/track.js -||pagesjaunes.fr/crmmetrix/ -||pam.nextinpact.com^ -||pwa.telephoneannuaire.fr^ -||r.orange.fr^ -||rtbf.be/log -||rtl.be^*/trkfblk.js -||rtl.fr/stats/ -||sa.tf1.fr^ -||sfr.fr/js/pent-stats.jsp -||sport365.fr/ea.js -||stat.webevolutis.com^ -||stats1x1.kapaza.be^ -||surace-jujitsu.fr/outils/compteur_php/ -||track.24heures.ch^ -||tracker-id.cdiscount.com^ -||tracker.cds-tracking.com^ -||tracker.mspy.com^ -||tracking.ha.rueducommerce.fr^ -||unblog.fr/cu.js -||virginmobile.fr/ea.js -||zonecss.fr/images/stat_robocop.gif? -||zonecss.fr/images/statscreen.gif? -! Arabic -||ratteb.com/js.js -! Bulgarian -||counter.search.bg^ -! Chinese -/pos?act=dur$object-subrequest,domain=tudou.com -||17173.com/ping.js -||2cat.or.tl/pmccounter.swf -||55bbs.com/pv.js -||56img.com/script/fn/stat/ -||591.com.tw/action/stat/ -||99sushe.com^*/stat.js -||acfun.tv/api/count.aspx -||adgeo.163.com^ -||al.autohome.com.cn^ -||analy.qq.com^ -||analytics.163.com^ -||analytics.nextmedia.com^ -||analytics.zhihu.com^ -||atm.youku.com^ -||autohome.com.cn/count.js -||autohome.com.cn/deliver? -||autohome.com.cn/impress? -||autohome.com.cn/realdeliver? -||baidu.com/billboard/pushlog/ -||baidu.com/dalog/ -||baidu.com/tb/pms/img/st.gif? -||baidu.com^*/c.gif? -||baidu.com^*/s.gif? -||baidu.com^*/w.gif? -||baofeng.com/script/baidu_ -||btrace.qq.com^ -||cast.ra.icast.cn^ -||cdn.baidupcs.com/monitor.jpg? -||clkstat.qihoo.com^ -||cmstool.youku.com^ -||collect.tianya.cn^ -||count.joy.cn^ -||count.kandian.com^$object-subrequest -||count.newhua.com^ -||count.qiannao.com^ -||count.taobao.com^ -||count.video.sina.com.cn^ -||count.vrs.sohu.com^$object-subrequest -||count5.pconline.com.cn^ -||cri.cn/a1.js -||cri.cn/wrating.js -||cupid.iqiyi.com^ -||dayoo.com/sta/da.js -||dc.letv.com^ -||dj.renren.com^ -||dmtracking.1688.com^ -||docin.com/app/playerLoadLog/ -||duowan.com/duowan.js -||duowan.com/public/s/market_count.js -||dwtracking.sdo.com^ -||eastmoney.com/counter.js? -||ebook.tianya.cn/js/stat.js -||eclick.baidu.com^ -||firefoxchina.cn/*/trac.js -||fls-cn.amazon.cn^ -||ftchinese.com/js/log.js -||funshion.com/interface/ -||hdslb.com/images/isptrack.js -||his.tv.sohu.com/his/ping.do? -||hk.ndx.nextmedia.com^ -||js.kuwo.cn/stat/ -||js.sohu.com/track/ -||js.sohu.com/wrating0820.js -||js.soufunimg.com/count/ -||jscss.kdslife.com/club/html/count/PChome_Count.js -||ku6.com/ku6.gif? -||l.qq.com^ -||le.com/op/ -||letv.com/op? -||log*.ku6.com^ -||log.51cto.com^ -||log.kuwo.cn^ -||log.ynet.com^ -||log1.17173.com^ -||loginlog.sdo.com^ -||logs.51cto.com^ -||logs.live.tudou.com^ -||logstat.caixin.com^ -||luobo.tv/staticts.html -||narutom.com/stat.js -||nstat.tudou.com^ -||on.cc^*/checkrev.gif? -||p-log.ykimg.com^ -||pan.baidu.com/api/analytics? -||pb.i.sogou.com^ -||pingback.sogou.com^ -||pingjs.qq.com^ -||pptv.com/stg/add? -||pptv.com/webdelivery/ -||pv.ltn.com.tw^ -||qq.com/kvcollect? -||qq.com/p? -||qq.com/qqcom/ -||ranking.ynet.com^ -||rcgi.video.qq.com^ -||report.qq.com^ -||rgd.com.cn/counter/ -||s.360.cn^ -||s.pixfs.net/js/pixlogger.min.js -||s.pixfs.net/visitor.pixplug.in/ -||s.qhupdate.com^ -||s.renren.com^ -||sclick.baidu.com^ -||shrek.6.cn^ -||sina.com.cn/view? -||sohu.com.cn/hdpb.gif? -||sohu.com/count/ -||sohu.com/ctr.gif? -||sohu.com/pv? -||soufun.com/click/ -||soufun.com/stats/ -||st.vq.ku6.cn^ -||sta.ifeng.com^ -||stadig.ifeng.com^ -||stat.1688.com^ -||stat.55bbs.com^ -||stat.bilibili.tv^ -||stat.caijing.com.cn^ -||stat.funshion.net^ -||stat.hudong.com^ -||stat.iteye.com^ -||stat.ku6.com^ -||stat.ppstream.com^ -||stat.pptv.com^ -||stat.stheadline.com^ -||stat.tianya.cn^ -||stat.tudou.com^ -||stat.uuu9.com^ -||stat.xunlei.com^ -||stat.zol.com.cn^ -||static.qiyi.com/js/pingback/ -||statistic.qzone.qq.com^ -||statistic.takungpao.com^ -||stats.autohome.com.cn^ -||stats.tudou.com^ -||tf.360.cn^ -||tinglog.baidu.com^ -||titan24.com/scripts/stats.js -||tmall.com/add? -||tongji2.vip.duba.net/__infoc.gif? -||top.baidu.com/js/nsclick.js -||tracker.live.tudou.com^ -||tv.sohu.com/upload/trace/ -||uestat.video.qiyi.com^ -||unstat.baidu.com^$~subdocument -||utrack.hexun.com^ -||v.blog.sohu.com/dostat.do? -||vatrack.hinet.net^ -||weather.com.cn/a1.js -||webclick.yeshj.com^ -||webstat.kuwo.cn^ -||wenku.baidu.com/tongji/ -||wumii.com/images/pixel.png -||youdao.com/cf.gif? -||youdao.com/imp/cac.js -||youku.com/compvlog? -||youku.com/recikupushshow? -||youku.com/ykvvlog? -||youku.com/yplaylog? -||youku.com/ypvlog? -||youku.com^*/click.php? -||zhihu-web-analytics.zhihu.com^ -! Croatian -||jutarnji.hr/template/js/eph_analytics.js -! Czech -||blesk.cz/js/tracker.js -||kbmg.cz/tracker.js -||o2.cz^*-ga_o2cz_bundle.js? -! Dutch -||klik.nrc.nl/ping? -||logs.ggweb.nl^ -||marktplaats.nl/add_counter_image. -||marktplaats.nl/metrics/ -||rtl.nl/system/track/ -||sanoma.nl/pixel/ -||sat.sanoma.fi^ -||stats.fd.nl^ -||tijd.be/fb/? -||vroom.be^*/stats.js? -||vroom.be^*/stats.php? -||webstatistieken.xs4all.nl^ -! Finnish -||3t.fi^*/zig.js -||analytics.sanoma.fi^ -||autobild.fi/zig.js -||huuto.net/js/analytic/ -||iltasanomat.fi^*/zig_c.min.js -||mtv3.fi/remarketing.js -||oikotie.fi^*/zig.js -||sanoma.fi^*/zig.js -||snstatic.fi^*/zig.js -||stat.mtv3.fi^ -||tiede.fi^*/zig.js -||ts.fi^*/spring.js -! Greek -||skroutz.gr/analytics/ -||vidads.gr/imp/ -! Hebrew -||bravo.israelweather.co.il^ -||cellstats.mako.co.il^ -||ds.haaretz.co.il^ -||events.walla.co.il/events.asp -||inn.co.il/Controls/HPJS.ashx?act=log -||nana10.co.il/statistics/ -||stats.mako.co.il^ -||walla.co.il/CountsHP.asp? -||walla.co.il/impression/ -! Hungarian -||videa.hu/flvplayer_setcookie.php? -! Italian -||altervista.org/js/contatore.js -||altervista.org/js_tags/contatore.js -||altervista.org/stats/ -||altervista.org^*/tb_hits_ -||analytics.tio.ch^ -||bachecaannunci.it/statins3.php? -||c-date.it/tracking? -||c-date.it^*/tracking2/tr.js -||ciao.it/flextag/ -||click.tv.repubblica.it^ -||deagostinipassion.it/collezioni/analytics.js -||emng.libero.it^ -||fls-eu.amazon.it^ -||g.techweekeurope.it^ -||gazzetta.it^*/stats.php? -||getscreensaver.it/statistiche/ -||joka.it/inquiero/isapi/csf.dll? -||la7.it/js-live/livestats.js -||la7.it/js-live/nielsen1.js -||la7.tv/ricerca/livestats.php? -||libero.it//js/comscore/ -||libero.it/cgi-bin/ajaxtrace? -||libero.it/cgi-bin/cdcounter.cgi? -||libero.it/cgi-bin/cdcountersp.cgi? -||libero.it/search/abin/ajaxtrace? -||libero.it^*/counter.php? -||livestats.la7.tv^ -||mediaset.it/cgi-bin/getcod.cgi? -||mtv.it/flux/trackingcodes/ -||paginegialle.it/cgi-bin/getcod.cgi? -||paginegialle.it/cgi-bin/jimpres.cgi? -||pornolupo.org/track.js -||seat.it/cgi-bin/getcod.cgi? -||servizi.unionesarda.it/controlli/ -||siteinfo.libero.it^ -||smsaffari.it/count_new.php? -||spaziogames.it/ajax/player_impression.ashx? -||stats.splinder.com^ -||tiscali.it/banner-tiscali/stats.html? -||topolino.it^*/omniture.php? -||track.tesiteca.it^ -||tracking.gruppo.mps.it^ -||trk.m.libero.it^ -||tuttogratis.it/gopix.php? -||video.mediaset.it/polymediashowanalytics/ -||videogame.it/a/logview/ -||virgilio.it/clientinfo.gif? -||volkswagen-italia.it^*/tracking/ -||yachtingnetwork.it/stat/ -! Japanese -||ameblo.jp/accesslog/ -||analytics.cocolog-nifty.com^ -||analyzer.fc2.com^ -||analyzer2.fc2.com^ -||carview.co.jp/include_api/log/ -||dmm.com/analytics/ -||dmm.com^*/dmm.tracking. -||fls-fe.amazon.co.jp^ -||fujitv.co.jp/pc/space.gif? -||goo.ne.jp^*/vltracedmd.js -||i2i.jp/bin/ -||lcs.naver.jp^ -||ln.ameba.jp^ -||mtc.nhk.or.jp^ -||nhk.or.jp^*/bc.js -||ppf.rakuten.co.jp^ -||rakuten.co.jp/gw.js -||sankei.co.jp/js/analytics/ -||seesaawiki.jp/img/rainman.gif? -||sy.amebame.com^ -||sy.ameblo.jp^ -||tsite.jp/static/analytics/ -||visit.geocities.jp^ -||yahoo.co.jp/b?p= -! Korean -||211.106.66.62^*/statistics/$domain=yonhapnews.co.kr -||chosun.com/hitlog/ -||count.munhwa.com^ -||gather.hankyung.com^ -||hits.zdnet.co.kr^ -||lcs.naver.com^ -||naver.com/PostView.nhn?$image -||seoul.co.kr/weblog/ -||track.tiara.daum.net^ -||veta.naver.com^ -||ytn.co.kr/_comm/ylog.php? -! Latvian -||cv.ee/static/stat.php -||delfi.lv/t/p.js -||delphi.lv/t/t.js -||diena.lv/statistics/ -||e-spy.petit.lv^ -||inbox.lv^*/ga.js -||insbergs.lv/ins_statistics/ -||reklama.lv/services/espy.php -||ss.lv/counter/ -||stats.tunt.lv^ -||tanks.lv/top/stats.php -! Norwegian -||click.vgnett.no^ -||fusion.nettavisen.no^ -||nrk.no^*/stats/ -||vg.no/stats/ -||webhit.aftenposten.no^ -! Persian -||irib.ir/count.php? -! Polish -|http://x.o2.pl^ -||analytics.gazeta.pl^ -||dot.wp.pl^ -||entryhit.wp.pl^ -||interia.pl^*/hit. -||kropka.onet.pl^ -||mklik.gazeta.pl^ -||nasza-klasa.pl^*/pp_gemius -||rek.www.wp.pl^ -||squid.gazeta.pl/bdtrck/ -||stats.teledyski.info^ -||wp.pl/?rid= -! Portuguese -||audience-mostread.r7.com^ -||audiencia.r7.com^ -||click.uol.com.br^ -||dejavu.mercadolivre.com.br^ -||dna.uol.com.br^ -||g.bit.pt^ -||g.bitmag.com.br^ -||globo.com/geo? -||lancenet.com.br/pw.js -||log.r7.com^ -||logger.rm.uol.com.br^ -||metrics.uol.com.br^ -||sapo.*/clk?u= -||sl.pt/wa.gif? -||tm.jsuol.com.br^ -||tm.uol.com.br^ -||tracker.bt.uol.com.br^ -||tracker.publico.pt^ -||uol.com.br/stats? -||urchin.estadao.com.br^ -! Russian -||2ch.hk^*/tracker.js? -||4pda.ru/stat/ -||ad7.bigmir.net^ -||agroserver.ru/ct/ -||analytics.carambatv.ru^ -||auto.ru/-/ajax/$~xmlhttprequest -||auto.ru/cookiesync/ -||avito.ru/stat/ -||babyblog.ru/pixel? -||consultant.ru/js/counter.js -||cosmo.ru/*/.js?i=*&r= -||counter.drom.ru^ -||dot-stat.radikal.ru^ -||drom.ru/dummy. -||fb.ru/stat/ -||fotostrana.ru/start/ -||irecommend.ru/collect/ -||kiks.auto.ru^ -||kommersant.ru/a.asp?p= -||lamoda.ru/z? -||lmcdn.ru^*/statistics.js -||log.ren.tv^ -||mail.ru/count/ -||montblanc.lenta.ru^ -||mytoys.ru/ka_z.jpg? -||ngs.ru/s/ -||ozon.ru/tracker/ -||rbc.ru/click? -||rbc.ru/count/ -||rt.ru/proxy? -||rutube.ru/counters.html? -||rutube.ru/dbg/player_stat? -||seedr.ru^*/stats/ -||ssp.rambler.ru^ -||stat.api.2gis.ru^ -||stat.lenta.ru^ -||stat.russianfood.com^ -||stat.woman-announce.ru^ -||stats.lifenews.ru^ -||superjob.ru/ws/ -||sync.rambler.ru^ -||tracker.tiu.ru^ -||vedomosti.ru/boom? -||vesti.ru/counter/ -||yast.rutube.ru^ -! Serbian -||trak-analytics.blic.rs^ -! Slovene -||24ur.com/bin/player/?mod=statistics& -||tracker.azet.sk^ -! Spanish -||analytics.infobae.com^ -||coletor.terra.com^ -||esmas.com/scripts/esmas_stats.js -||estadisticas.lanacion.com.ar^ -||estadonline.publiguias.cl^ -||fls-eu.amazon.es^ -||g.siliconweek.es^ -||hits.antena3.com^ -||stats.milenio.com^ -||t13.cl/hit/ -||terra.com.mx/js/metricspar_ -||terra.com.mx^*/metrics_begin.js -||terra.com.mx^*/metrics_end.js -||terra.com/js/metrics/ -||terra.com^*/td.asp?bstat -||trrsf.com/metrics/ -! Swedish -||beacon.mtgx.tv^ -||blocket.se/js/trafikfonden.js -||falkenbergtorget.se/sc.gif? -||fusion.bonniertidskrifter.se^ -||prisjakt.nu/js.php?p=trafikfonden -||prod-metro-collector.cloudapp.net^ -! Turkish -||c.gazetevatan.com^ -||haberler.com/dinamik/ -||p.milliyet.com.tr^ -||sahibinden.com/sbbi/ -||visit.hepsiburada.com^ -! Ukrainian -|http://r.i.ua^ -|https://r.i.ua^ -||at.ua/stat/ -||counter.ukr.net^ -||hit.meta.ua^ -||meta.ua/c.asp? -||piccy.info/c? -||piccy.org.ua/c? -||target.ukr.net^ -! Specific blocking filters necessary for sites whitelisted with $genericblock filter option -! Gamestar.de -/ping.gif?$domain=gamestar.de -||gamestar.de/_misc/tracking/$domain=gamestar.de -||google-analytics.com/analytics.js$domain=gamestar.de -||googletagmanager.com/gtm.js?$third-party,domain=gamestar.de -||ioam.de/tx.io?$domain=gamestar.de -||scorecardresearch.com^$domain=gamestar.de -! Focus.de -/pagedot.gif?$domain=focus.de -||clicktale.net^$domain=focus.de -||cloudfront.net/track?$domain=focus.de -||emetriq.de^$domain=focus.de -||googletagmanager.com^$domain=focus.de -||ioam.de/tx.io?$domain=focus.de -||krxd.net^$domain=focus.de -||log.outbrain.com^$domain=focus.de -||lp4.io^$domain=focus.de -||met.vgwort.de^$domain=focus.de -||optimizely.com^$domain=focus.de -||scorecardresearch.com^$domain=outbrain.com -||visualrevenue.com^$domain=focus.de -||xplosion.de^$domain=focus.de -! tvspielfilm.de -||facebook.com/tr?$domain=tvspielfilm.de -||googletagmanager.com/gtm.js?$domain=tvspielfilm.de -||intelliad.de^$domain=tvspielfilm.de -||ioam.de/?$domain=tvspielfilm.de -||ioam.de/tx.io?$domain=tvspielfilm.de -||vinsight.de^$domain=tvspielfilm.de -! Prosieben -||chartbeat.com^$domain=prosieben.at|prosieben.ch|prosieben.de -||contentspread.net^$domain=prosieben.at|prosieben.ch|prosieben.de -||google-analytics.com/analytics.js$domain=prosieben.at|prosieben.ch|prosieben.de -||imrworldwide.com^$domain=prosieben.at|prosieben.ch|prosieben.de -||movad.de/c.ount?$domain=prosieben.at|prosieben.ch|prosieben.de -||nuggad.net^$domain=prosieben.at|prosieben.ch|prosieben.de -||pixel.facebook.com^$domain=facebook.com -||semasio.net^$domain=prosieben.at|prosieben.ch|prosieben.de -||theadex.com^$domain=prosieben.at|prosieben.ch|prosieben.de -||visualrevenue.com^$domain=prosieben.at|prosieben.ch|prosieben.de -||webtrekk.net^$domain=prosieben.at|prosieben.ch|prosieben.de -||xplosion.de^$domain=prosieben.at|prosieben.ch|prosieben.de -! Wetter.com -/__utm.gif?$domain=wetter.com -/chartbeat.js$domain=wetter.com -/piwik.$domain=wetter.com -||ioam.de/tx.io?$domain=wetter.com -||mouseflow.com^$domain=wetter.com -||theadex.com^$domain=wetter.com -||visualwebsiteoptimizer.com^$domain=wetter.com -! Woxikon.de -/__utm.gif$domain=woxikon.de -||ioam.de/?$domain=woxikon.de -||ioam.de/tx.io?$domain=woxikon.de -! Fanfiktion.de -||criteo.com^$domain=fanfiktion.de -||google-analytics.com/analytics.js$domain=fanfiktion.de -! boote-forum.de -||google-analytics.com/analytics.js$domain=boote-forum.de -! comunio.de -||analytics.comunio.de^$domain=comunio.de -||analytics.comunio.net^$domain=comunio.de -||criteo.com^$domain=comunio.de -||ioam.de/?$domain=comunio.de -||ioam.de/tx.io?$domain=comunio.de -||xplosion.de^$domain=comunio.de -! planetsnow.de -||google-analytics.com/analytics.js$domain=planetsnow.de -||ioam.de/?$domain=planetsnow.de -||ioam.de/tx.io?$domain=planetsnow.de -||plista.com/iframeShowItem.php$domain=planetsnow.de -||stroeerdigitalmedia.de^$domain=planetsnow.de -! Notebookcheck.com -||google-analytics.com/analytics.js$domain=notebookcheck.com -||ioam.de/?$domain=notebookcheck.com -||ioam.de/tx.io?$domain=notebookcheck.com -! -----------------------Whitelists to fix broken sites------------------------! -! *** easylist:easyprivacy/easyprivacy_whitelist.txt *** -@@/cdn-cgi/pe/bag2?*geoiplookup$xmlhttprequest,domain=orain.org -@@/cdn-cgi/pe/bag2?*google-analytics.com%2Fanalytics.js$domain=amypink.de|biznews.com|cryptospot.me|dailycaller.com|droid-life.com|forwardprogressives.com|fpif.org|fullpotentialma.com|geekzone.co.nz|goldsday.com|hoyentec.com|imageupload.co.uk|is-arquitectura.es|lazygamer.net|lingholic.com|mmanews.com|nehandaradio.com|nmac.to|orain.org|tvunblock.com|unilad.co.uk|xrussianteens.com|youngcons.com -@@/cdn-cgi/pe/bag2?*googleadservices.com$domain=droid-life.com -@@/cdn-cgi/pe/bag2?*googlesyndication.com%2Fpagead%2Fosd.js$domain=forwardprogressives.com -@@/cdn-cgi/pe/bag2?*histats.com$domain=nmac.to|xrussianteens.com -@@/cdn-cgi/pe/bag2?*log.outbrain.com$domain=dailycaller.com -@@/cdn-cgi/pe/bag2?*newrelic.com$domain=clamav.net|dailycaller.com -@@/cdn-cgi/pe/bag2?*nr-data.net$domain=dailycaller.com|realhardwarereviews.com|thepoliticalinsider.com -@@/cdn-cgi/pe/bag2?*piwik.js$domain=orain.org -@@/cdn-cgi/pe/bag2?*quantserve.com$xmlhttprequest,domain=dailycaller.com -@@/cdn-cgi/pe/bag2?*scorecardresearch.com$xmlhttprequest,domain=amren.com|amypink.de|biznews.com|dailycaller.com|droid-life.com|mmanews.com|nehandaradio.com|unilad.co.uk -@@/cdn-cgi/pe/bag2?*skimlinks.js$domain=droid-life.com -@@/cdn-cgi/pe/bag2?*static.getclicky.com%2Fjs$domain=amazingpics.net -@@/cdn-cgi/pe/bag2?*yieldbot.intent.js$domain=droid-life.com -@@/wp-content/mu-plugins/google-analytics-for-wordpress/*$~third-party -@@/wp-content/mu-plugins/google-analytics-premium/*$~third-party -@@/wp-content/plugins/google-analytics-dashboard-for-wp/*$~third-party -@@/wp-content/plugins/google-analytics-for-wordpress/*$~third-party -@@/wp-content/plugins/google-analytics-premium/*$~third-party -@@||1dmp.io/pixel.gif$image,domain=overclockers.co.uk -@@||247sports.com/site/minify.js?*/scripts/stats/$script -@@||4game.com^*/yandex-metrika.js -@@||a.visualrevenue.com/vrs.js$domain=ebaumsworld.com|nydailynews.com -@@||abclocal.go.com/combiner/c?js=*/visitorAPI.js -@@||about-australia.com/*/clickheat.js -@@||accorhotels.com^*/xtanalyzer_roi.js -@@||ad.crwdcntrl.net^$object-subrequest,domain=ap.org|newsinc.com -@@||ad.crwdcntrl.net^$script,domain=cityam.com|investopedia.com -@@||ad.zanox.com/ppc/$subdocument,domain=wisedock.at|wisedock.co.uk|wisedock.com|wisedock.de|wisedock.eu -@@||adblockanalytics.com/ads.js| -@@||adidas.com^*/adidasAnalytics.js? -@@||adobedtm.com^*/mbox-contents-$script,domain=lenovo.com|newyorker.com|oprah.com|pnc.com|vanityfair.com|wired.com -@@||adobedtm.com^*/s-code-$script -@@||adobedtm.com^*/satellite-$script -@@||adobedtm.com^*/satelliteLib-$script,domain=crackle.com|laredoute.co.uk|laredoute.com|lenovo.com|nbcnews.com|newyorker.com|oprah.com|pnc.com|realtor.com|redbull.tv|smooth.com.au|stuff.co.nz|vanityfair.com|wired.com -@@||adobetag.com/d2/$script,domain=thestar.com -@@||adobetag.com^*/amc.js$script -@@||adobetag.com^*/sitecatalyst.js$domain=hbf.com.au|seattlepi.com|tv.com -@@||adobetag.com^*/sitecatalystnew.js$domain=playstation.com -@@||adobetag.com^*s_code.js$domain=fnac.com -@@||aflac.com/js/wt_capi.js -@@||airfordable.com^*/angulartics-google-analytics.min.js$domain=airfordable.com -@@||akamai.net^*/omniture.jsp$script,domain=walmart.com -@@||alicdn.com^*/class.js*/base.js*/widget.js$script -@@||alicdn.com^*/click_stat/ -@@||aliexpress.com/home/recommendEntry.do?$script -@@||aliunicorn.com^*/click-stat.js -@@||aliunicorn.com^*/click_stat/ -@@||aliyun.com/nocaptcha/analyze.jsonp -@@||amazonaws.com/searchdiscovery-satellite-production/$domain=dice.com -@@||amazonaws.com/visitorsegment/shared/resources/$script,domain=washingtonpost.com -@@||amctv.com^*/comscore.js -@@||amctv.com^*/google-analytics.js$domain=amctv.com -@@||analytics.atomiconline.com/services/jquery.js -@@||analytics.edgekey.net/js/brightcove-csma.js$domain=news.com.au -@@||analytics.edgesuite.net/config/beacon-*.xml$domain=video.foxnews.com -@@||analytics.edgesuite.net/html5/akamaihtml5-min.js$domain=resignationbrewery.com|threenow.co.nz|video.foxnews.com -@@||analytics.logsss.com/logsss*.min.js$script,domain=rosegal.com -@@||analytics.ooyala.com/static/analytics.js$domain=mashable.com -@@||analytics.posttv.com/trending-videos-overall.json$domain=washingtonpost.com -@@||analytics.rogersmedia.com/js/rdm_dil_code.full.js$domain=rogersradio.ca -@@||analytics.rogersmedia.com/js/rdm_s_code.min.js$domain=rogersradio.ca -@@||analytics.twitter.com^$domain=analytics.twitter.com -@@||anthem.com/includes/foresee/foresee-trigger.js -@@||aol.com/mm_track/slideshow/$subdocument -@@||aolcdn.com/js/mg2.js$domain=autoblog.com|autos.aol.com|dailyfinance.com|moviefone.com -@@||aolcdn.com/omniunih.js$domain=aim.com|autoblog.com|autos.aol.com|engadget.com|mapquest.com|video.aol.com|www.aol.com -@@||aolcdn.com/omniunih_int.js$domain=autoblog.com -@@||aolcdn.com^*/beacon.min.js$domain=autoblog.com|dailyfinance.com -@@||api.academia.edu^*/stats?callback$script,~third-party -@@||api.branch.io^*/has-app/$xmlhttprequest,domain=npr.org -@@||api.branch.io^*/open$xmlhttprequest -@@||api.chartbeat.com^$script,domain=betabeat.com|couriermail.com.au|financialpost.com|wcpo.com -@@||api.cxense.com/public/widget/data?$script -@@||app.focalmark.com/bower_components/angulartics-google-analytics/$script,~third-party -@@||app.instapage.com/ajax/$xmlhttprequest -@@||app.link/_r?sdk=*&callback=$script,domain=npr.org -@@||arcgis.com^*/heatmap.js -@@||arkadiumhosted.com^*/google-analytics-logger.swf$object-subrequest -@@||arstechnica.com/services/incr.php?*=interactions.adblock-annoy.click$xmlhttprequest -@@||atdmt.com/ds/yusptsprtspr/ -@@||atdmt.com^*/direct*01$domain=sprint.com -@@||atlanticbb.net/images/track/track.gif?$xmlhttprequest -@@||atpworldtour.com/assets/js/util/googleAnalytics.js -@@||att.com/webtrends/scripts/dcs_tag.js -@@||autoscout24.net/unifiedtracking/ivw.js -@@||azure.com/api/*/analytics/$~third-party,xmlhttprequest -@@||azureedge.net/trackmeet-profilepicture/$image,domain=gotrackmeet.com -@@||azureedge.net^*/eventtracking.js$domain=crimemapping.com -@@||b-europe.com/HttpHandlers/httpCombiner.ashx?*/xiti.js$script -@@||bam.nr-data.net^$script,domain=play.spotify.com -@@||barclays.co.uk/touchclarity/mbox.js -@@||barclays.touchclarity.com^$domain=barclaycard.co.uk -@@||bbc.co.uk/frameworks/nedstat/$script,~third-party -@@||bbci.co.uk/bbcdotcom/*/script/av/emp/analytics.js$domain=bbc.co.uk -@@||bbci.co.uk^*/comscore.js$domain=bbc.co.uk -@@||bc.geocities.*/not_found/ -@@||beacon.guim.co.uk/accept-beacon? -@@||beatthetraffic.com/traffic/?partner=$subdocument -@@||behanceserved.com/stats/stats.js? -@@||benswann.com/decor/javascript/magnify_stats.js? -@@||beplb01.nexus.hewitt.com/analytics?$~third-party -@@||bestbuy.com^*/tracking/liveManager-min.js$~third-party -@@||bestofmedia.com/sfp/js/minified/testedJs/xtClick.min.js?$domain=tomshardware.com -@@||bettycrocker.com/Shared/Javascript/ntpagetag.js -@@||bettycrocker.com/Shared/Javascript/UnicaTag.js -@@||bhg.com/web/js-min/common/js/dwr/RemoteTargetingService.js -@@||bitgo.com/vendor/googleanalytics/angular-ga.min.js -@@||bjjhq.com/HttpCombiner.ashx?$script -@@||blogsmithmedia.com^*/gravity-beacon.js$domain=engadget.com -@@||bolha.com/clicktracker/ -@@||bonappetit.com^*/cn-fe-stats/$script -@@||bookmate.com^*/impressions?$xmlhttprequest -@@||bootcamp.mit.edu/js/angulartics-google-analytics.min.js -@@||borderfree.com/assets/utils/google-analytics.js$~third-party -@@||bountysource.com/badge/tracker? -@@||boxtops4education.com^*/ntpagetag.js -@@||britishairways.com/cms/global/scripts/applications/tracking/visualsciences.js -@@||browserscope.org/user/beacon/*?callback=$script,domain=jsperf.com -@@||bt.com^*/touchclarity/homepage/omtr_tc.js -@@||btstatic.com/tag.js$domain=macys.com -@@||buffalowildwings.com^*/google-analytics.js -@@||bunchball.net/scripts/cookies/current/NitroCookies.js$domain=mtvema.com -@@||by.optimost.com^$domain=ft.com -@@||c.microsoft.com/ms.js$domain=microsoft.com|store.office.live.com|xbox.com -@@||c.mmcdn.net^*/flash/config/metrics.xml$domain=moshimonsters.com -@@||cache.nymag.com^*/clickability.js -@@||canada.com/js/ooyala/comscore.js -@@||canadiantire.ca^*/analytics.sitecatalyst.js -@@||canoe.ca/generix/omniture/TagOmnitureEngine.js -@@||capitalone360.com/urchin.js -@@||care2.com/assets/scripts/cookies/care2/NitroCookies.js -@@||cbc.ca/g/stats/videoheartbeat/*/cbc-videoheartbeat.js -@@||cbc.ca^*/loggingservice.js? -@@||cbsimg.net/js/cbsi/dw.js$domain=cbssports.com|gamespot.com -@@||cbsistatic.com^*/clicktale-$script,domain=cbsnews.com|cnet.com -@@||cbsistatic.com^*/google-analytics.js$domain=cnet.com -@@||cbsistatic.com^*/tealium.js$domain=cnet.com -@@||ccom-cdn.com/assets/img/clear.gif?ccom_md5=$domain=credit.com -@@||cdn-redfin.com^*/clicktracker.js$domain=redfin.com -@@||cdn-redfin.com^*/page_analytics.js$domain=redfin.com -@@||cdn-redfin.com^*/page_analytics.xd.js -@@||cdn-redfin.com^*/PixelTracking.js$domain=redfin.com -@@||cdn.cxense.com/cx.js$domain=channelnewsasia.com -@@||cdn.optimizely.com/js/*.js$domain=compassion.com|creditsesame.com|dramafever.com|forbes.com|freeshipping.com|heroku.com|hotukdeals.com|imageshack.com|lifelock.com|malwarebytes.org|policymic.com|ricardo.ch|spotify.com|techrepublic.com|zdnet.com -@@||centurylink.net/images/track/track.gif?track=$xmlhttprequest -@@||chanel.com/js/chanel-tracking.js$script -@@||chartbeat.com/*/chartbeat/$~third-party -@@||chartbeat.com/js/chartbeat.js$domain=indiatimes.com|m.tmz.com|salon.com|zap2it.com -@@||chatzy.com/?jsonp:$script -@@||cincinnatibell.net/images/track/track.gif?$xmlhttprequest -@@||cio.com/js/demandbase.js? -@@||cisco.com/web/fw/lib/ntpagetag.js -@@||cisco.com/web/fw/m/ntpagetag.min.js -@@||citiretailservices.citibankonline.com/USCRSF/USCRSGBL/js/AppMeasurement.js -@@||clarity-green.hart.com^$script,~third-party -@@||cleananalytics.com/browser.js?$script,domain=cheapflights.com -@@||clicktale.net/wrb.js$domain=microsoft.com -@@||clicktale.net^$script,domain=cbc.ca -@@||cloudflare.com/analytics?$domain=cloudflare.com -@@||cloudflare.com^*/angulartics-google-analytics.min.js$domain=chromeexperiments.com -@@||cloudfront.net/assets/js/comscore_beacon.js?$domain=zap2it.com -@@||cloudfront.net/atrk.js$domain=eatthis.com|karnaval.com|livestream.com|luxuryrealestate.com -@@||cloudfront.net/bugsnag-*.min.js$domain=splice.com|storenvy.com|tvguide.com -@@||cloudfront.net/js/reach.js$domain=zap2it.com -@@||cloudfront.net/mngr/$script,domain=theladbible.com -@@||cloudfront.net/opentag-*.js$domain=mackweldon.com|telegraph.co.uk -@@||cloudfront.net^*/comscore.$script,domain=my5.tv -@@||cloudfront.net^*/jquery.google-analytics.js$domain=homepath.com -@@||cloudfront.net^*/keen.min.js$domain=foodnetwork.co.uk -@@||collect.igodigital.com/collect.js$script,domain=cars.com -@@||collector.shorte.st/interstitial-page-event$xmlhttprequest -@@||collegeboard.org/webanalytics/ -@@||computerworld.com/resources/scripts/lib/demandbase.js$script -@@||constantcontact.com/js/WebTracking/ -@@||contentdef.com/assets/common/js/google-analytics.js -@@||coremetrics.com*/eluminate.js -@@||count.ly^$~third-party -@@||coursehero.com/min/?f=*/tracker_pageview.js,$domain=coursehero.com -@@||cqcounter.com^$domain=cqcounter.com -@@||craveonline.com/wp-content/plugins/bwp-minify/$script -@@||craveonline.com^*/google-analytics.min.js -@@||create.kahoot.it/rest/analytics/track/$xmlhttprequest -@@||criteo.investorroom.com^$domain=criteo.investorroom.com -@@||crowdscience.com/max-$script,domain=everydayhealth.com -@@||crowdscience.com/start-$script,domain=everydayhealth.com -@@||crowdskout.com/form/$third-party,xmlhttprequest -@@||cschat.ebay.com^*/scripts/log.js -@@||csdata1.com/data/js/$domain=acehardware.com -@@||csid.com/wp-content/plugins/bwp-minify/min/?*/google-analyticator/$script -@@||csoonline.com/js/demandbase.js -@@||ctv.ca/players/mediaplayer/*/comscorebeacon.js -@@||d2dq2ahtl5zl1z.cloudfront.net/analytics.js/*/analytics.min.js$domain=architizer.com -@@||d2pe20ur0h0p8p.cloudfront.net/identity/*/wapo_identity_full.js$domain=washingtonpost.com -@@||d2pe20ur0h0p8p.cloudfront.net/identity/*/wapo_jskit_addon.js$domain=washingtonpost.com -@@||d396ihyrqc81w.cloudfront.net^$domain=currys.co.uk -@@||d3qxwzhswv93jk.cloudfront.net/esf.js$domain=wwe.com -@@||d3ujids68p6xmq.cloudfront.net^$script,domain=wwe.com -@@||dailycaller.com^*_chartbeat.js -@@||dailyfinance.com/traffic/? -@@||dailymail.co.uk/brightcove/tracking/ted3.js -@@||deals.nextag.com^*/ClickTracker.jsp -@@||debenhams.com/foresee/foresee-trigger.js -@@||demandbase.com^*/ip.json?$xmlhttprequest,domain=vmware.com -@@||demandware.edgesuite.net^*/js/tracking.js -@@||demdex.net/dest4.html?d_nsid=$subdocument,domain=multipack.com.mx -@@||descopera.ro/js/addLinkerEvents-ga.js -@@||diablo3.com/assets/js/jquery.google-analytics.js -@@||digits.com^*/sdk.js$domain=openhub.net -@@||directline.com/touchclarity/$script -@@||directline.com^*/analytics.sitecatalyst.js -@@||dmeserv.newsinc.com/dpid/*/PPEmbed.js$domain=csmonitor.com -@@||dmeserv.newsinc.com^*/dynamicWidgets.js$domain=timesfreepress.com -@@||dopemagazine.com/wp-content/plugins/masterslider/public/assets/css/blank.gif? -@@||doubleclick.net/activityi;src=$object-subrequest,domain=cicispizza.com -@@||dpm.demdex.net/id?$script,domain=gamespot.com -@@||dtdc.in/tracking/tracking_results_$subdocument,domain=dtdc.com -@@||dw.cbsi.com/anonc.js$domain=cnet.com|gamespot.com|giantbomb.com -@@||dw.cbsi.com/js/dw.js$domain=cnet.com -@@||dw.com.com/js/dw.js$domain=cbsnews.com|cnet.com|gamespot.com|tv.com -@@||ec.atdmt.com/b/$domain=starwoodhotels.com -@@||ecostream.tv/js/ecos.js -@@||edgedatg.com/aws/apps/datg/web-player-unity/*/AppMeasurement.js$domain=abc.go.com -@@||edgesuite.net/crossdomain.xml$object-subrequest,domain=sbs.com.au -@@||egencia.com/pubspec/scripts/include/omnitureAnalytics.js -@@||egencia.com/pubspec/scripts/include/siteanalytics_include.js -@@||eircomphonebook.ie/js/wt_capi.js? -@@||eloqua.com/include/livevalidation_standalone.compressed.js$domain=pbs.org -@@||eloqua.com/visitor/v200/svrgp.aspx?$domain=itworld.com|juniper.net -@@||emjcd.com^$image,domain=catalogfavoritesvip.com|freeshipping.com|freeshippingbymastercard.com|freeshippingrewards.com|habandvipplus.com|inthecompanyofdogsvip.com|naturesjewelryvip.com|northstylevip.com|pyramidcollectionvip.com|serengeticatalogvip.com|travelplus.com -@@||ensighten.com/crossdomain.xml$object-subrequest -@@||ensighten.com/libs/flowplayer/ensightenplugin.swf$object-subrequest -@@||ensighten.com^*/Bootstrap.js$domain=americanexpress.com|caranddriver.com|citizensbank.com|dell.com|france24.com|homedepot.com|hp.com|rfi.fr|sbs.com.au|sfgate.com|staples.com|t-mobile.com|target.com|verizonwireless.com|zales.com -@@||ensighten.com^*/code/$script -@@||ensighten.com^*/scode/$script,domain=norton.com -@@||ensighten.com^*/serverComponent.php?$script -@@||epixhd.com/styleassets/js/google-analytics.js -@@||eplayerhtml5.performgroup.com/js/tsEplayerHtml5/js/Eplayer/js/quantcast/$script -@@||espncdn.com/combiner/*/chartbeat/$script,domain=espn.go.com -@@||espncdn.com/combiner/*/foresee/$script,domain=espn.go.com -@@||estat.com/js/*.js?$domain=entertainmentwise.com -@@||everestjs.net/static/st.js$domain=ford.com -@@||evernote.com^*/google-analytics-util.js -@@||evestment.com/api/analytics/$domain=evestment.com -@@||expedia.com/minify/siteAnalytics-$script -@@||expedia.com/static/default/default/scripts/siteAnalytics.js -@@||expedia.com/static/default/default/scripts/TealeafSDK.js -@@||facebook.com/ajax/photos/logging/session_logging.php?$xmlhttprequest -@@||facebook.com/common/referer_frame.php$subdocument,domain=facebook.com -@@||faostat3.fao.org^*/google-analytics-manager.js -@@||fccbrea.org^*/swfaddress.js -@@||fifa.com^*/webanalytics.js? -@@||firstdirect.com^*/logging-code.js -@@||fitloop.co/packages/GAnalytics.js? -@@||flagshipmerchantservices.com/clickpathmedia.js -@@||flipps.com^*/page-tracking.js? -@@||fls-*.amazon.com^*/aiv-web-player/$xmlhttprequest -@@||flsenate.gov/Scripts/GoogleAnalytics.js$~third-party -@@||flurry.com/js/flurry.js$domain=pocketdice.io|slantnews.com -@@||focus.ti.com^*/metrics-min.js -@@||foodnetwork.com^*/analytics.sitecatalyst.js -@@||freefilefillableforms.com/js/lib/irs/fingerprint.js$~third-party -@@||freehostedscripts.net/online/$script,~third-party -@@||ft.com/opentag/opentag-$script -@@||gaanacdn.com/*_social_tracking.js$domain=gaana.com -@@||gameplayer.io^*/EventTracker.js -@@||games.pch.com/js/analytics.js -@@||gardenista.com/media/js/libs/ga_social_tracking.js -@@||garmin.com/modern/main/js/properties/metrics/metrics$domain=garmin.com -@@||gatheringmagic.com/wp-content/plugins/bwp-minify/min/*/google-analyticator/$script -@@||geo.query.yahoo.com^$xmlhttprequest,domain=m.flickr.com -@@||geoplugin.net/javascript.gp$script,domain=christianhouseshare.com.au|gamemazing.com|soundsonline.com|support.netgear.com|support.netgear.de|support.netgear.es|support.netgear.fr|support.netgear.it|support.netgear.ru -@@||geoplugin.net/json.gp?jsoncallback=$script,domain=worldc.am -@@||georiot.com/snippet.js$domain=bound2hiphop.com|itproportal.com -@@||getclicky.com/ajax/marketshare?$script -@@||getclicky.com/js|$script,domain=rsaconference.com -@@||getsmartcontent.com/gateway/?callback$domain=visitpa.com -@@||getsmartcontent.com/gsc.js$domain=visitpa.com -@@||ggwebcast.com^*/urchin.js$script -@@||ghstatic.com/images/site/zylom/scripts/google-analytics.js?$domain=zylom.com -@@||github.com^*/heatmap.js$~third-party,xmlhttprequest -@@||glamour.com/aspen/components/cn-fe-stats/js/$script -@@||go-mpulse.net/boomerang/$script,domain=cnet.com -@@||go.com/combiner/*/comscore.$script -@@||go.com/stat/dolwebanalytics.js -@@||go.com/stat/flash/analyticreportingas3.swf -@@||go.com^*/analytics/tracker.otv.js -@@||goldbet.com/Scripts/googleAnalytics.js -@@||goldmansachs.com/a/pg/js/prod/gs-analytics-init.js -@@||google-analytics.com/analytics.js$domain=afternic.com|allmusic.com|amctv.com|bebo.com|bennysva.com|ch10.co.il|cliphunter.com|daemon-tools.cc|desigual.com|easyjet.com|firehousesubs.com|gamepix.com|greentoe.com|housing.wisc.edu|infogr.am|jackbox.tv|jobs.net|keygames.com|manowthaimordialloc.com.au|maxiclimber.com|orbitum.com|pluto.tv|pure.com|rebtel.com|sbnation.com|sci2.tv|seatgeek.com|stitcher.com|support.amd.com|tagheuer.com.au|tv10play.se|tv3play.se|tv6play.se|tv8play.se|video.pbs.org|vox.com|vpnster.com|weather.gov|westernunion.at|westernunion.be|westernunion.ca|westernunion.ch|westernunion.cl|westernunion.co.jp|westernunion.co.nz|westernunion.co.uk|westernunion.co.za|westernunion.com|westernunion.com.au|westernunion.com.co|westernunion.com.hk|westernunion.com.my|westernunion.com.pe|westernunion.de|westernunion.fr|westernunion.ie|westernunion.it|westernunion.nl|westernunion.ph|westernunion.pl|westernunion.se|westernunion.sg|www.google.com -@@||google-analytics.com/collect$xmlhttprequest,domain=content.wargaming.net -@@||google-analytics.com/cx/api.js$domain=foxnews.com|redfin.com -@@||google-analytics.com/plugins/ga/inpage_linkid.js$domain=lovehoney.co.uk|maxiclimber.com|opendns.com|openshift.com|vimeo.com|westernunion.at|westernunion.be|westernunion.ca|westernunion.ch|westernunion.cl|westernunion.co.jp|westernunion.co.nz|westernunion.co.uk|westernunion.co.za|westernunion.com|westernunion.com.au|westernunion.com.co|westernunion.com.hk|westernunion.com.my|westernunion.com.pe|westernunion.de|westernunion.fr|westernunion.ie|westernunion.it|westernunion.nl|westernunion.ph|westernunion.pl|westernunion.se|westernunion.sg -@@||google-analytics.com/plugins/ua/ec.js$domain=desigual.com|rebtel.com -@@||google-analytics.com/plugins/ua/linkid.js$domain=bebo.com|rebtel.com|stitcher.com|support.amd.com|vox.com -@@||google-analytics.com/urchin.js$domain=axure.com|chocomaru.com|denverbroncos.com|muselive.com|streetfire.net|wickedthemusical.com -@@||google.*/mapmaker/gen_204?$subdocument,xmlhttprequest -@@||google.com/js/gweb/analytics/$domain=google.com -@@||google.com/js/gweb/analytics/autotrack.js$domain=gradleplease.appspot.com -@@||google.com/js/gweb/analytics/doubletrack.js$domain=android.com -@@||googletagmanager.com/gtm.js?$domain=bhaskar.com|broadcom.com|computerworlduk.com|desigual.com|drumstick.com|ebuyer.com|elevationscu.com|gamepix.com|git-tower.com|google.com|itv.com|jobs.net|keygames.com|magicjack.com|moviefone.com|nestio.com|newsy.com|optus.com.au|rebtel.com|rockstargames.com|rollingstone.com|rozetka.com.ua|sixflags.com|support.amd.com|talktalk.co.uk|techradar.com|toto.co.jp|usmagazine.com -@@||googletagservices.com/tag/js/gpt.js$domain=speedtest.net -@@||gorillanation.com/js/triggertag.js$domain=comingsoon.net|playstationlifestyle.net -@@||grapeshot.co.uk/image-resize/$image -@@||grapeshot.co.uk/sare-api/ -@@||graphracer.com/js/libs/heatmap.js -@@||guim.co.uk/flash/video/embedded/player-$object,domain=thedailywh.at -@@||haaretz.com/logger/p.gif?$image,xmlhttprequest -@@||halowars.com/stats/images/Buttons/MapStats.jpg -@@||harvard.edu/scripts/ga_social_tracking.js -@@||haystax.com/components/leaflet/heatmap.js -@@||healthcare.gov/marketplace/*/clear.gif? -@@||hhgregg.com/wcsstore/MadisonsStorefrontAssetStore/javascript/Analytics/AnalyticsTagDataObject.js -@@||highcharts.com^*/heatmap.js -@@||hj.flxpxl.com^*.js?r=*&m=*&a=$domain=twitch.tv -@@||hlserve.com/beacon?$domain=walmart.com -@@||homedepot.com/static/scripts/resxclsa.js -@@||hostlogr.com/etc/geo.php? -@@||hotmail.com/mail/*/i2a.js -@@||hotwirestatic.com^*/opinionLab.js$domain=hotwire.com -@@||i.s-microsoft.com/wedcs/ms.js$domain=skype.com -@@||ibis.com/scripts-*/xtanalyzer_roi.js -@@||images-iherb.com/js/ga-pro*.js$domain=iherb.com -@@||img.en25.com/eloquaimages/clients/PentonMediaInc/$image,domain=windowsitpro.com -@@||imrworldwide.com/crossdomain.xml$object-subrequest,domain=cc.com|sbs.com.au -@@||imrworldwide.com/novms/*/ggcm*.js$domain=9now.com.au|europafm.com -@@||imrworldwide.com/v60.js$domain=last.fm|musicfeeds.com.au|nzherald.co.nz|realestateview.com.au|sf.se|threenow.co.nz|weatherchannel.com.au -@@||imrworldwide.com^*-mediaplayer&$domain=au.launch.yahoo.com -@@||imrworldwide.com^*/flashdetect.js -@@||imrworldwide.com^*/ggce354.swf$domain=espn.go.com|espndeportes.com|espnfc.co.uk|espnfc.com|espnfc.com.au|espnfc.us|espnfcasia.com -@@||imrworldwide.com^*/swfobject.js -@@||imwx.com/jsRollup?$script,domain=weather.com -@@||inazuma.co/campaign/js/heatmap.js$domain=monopoly.mcdonalds.co.uk -@@||intel.com^*/angular-google-analytics.js -@@||iocdn.coremetrics.com^*.js?V=$domain=24ace.co.uk -@@||iocdn.coremetrics.com^*/io_config.js?ts=$domain=24ace.co.uk -@@||itworld.com/elqnow/elq*.js -@@||jackjones.com^*/google-analytics-tagging.js -@@||jeevansathi.com/minify.php?files=$script,stylesheet -@@||jimmyjohns.com/Scripts/angularytics.$script -@@||js.dmtry.com/channel.js$domain=zillow.com -@@||js.vpro.nl/vpro/*/statcounter.js? -@@||juxtacommons.org^*/heatmap.js -@@||k2s.cc/ext/evercookie/$script -@@||kaltura.com/content/*/comscorePlugin.swf -@@||keep2s.cc/ext/evercookie/$script -@@||kentucky.com/mistats/finalizestats.js -@@||keremerkan.net/wp-content/plugins/wp-minify/min/*/google-analyticator/ -@@||koalabeast.com/stats?$script -@@||koldcast.tv/mint/*/tracker.php? -@@||krxd.net/controltag?$script,domain=eatthis.com -@@||krxd.net^$script,domain=nbcnews.com -@@||l.yimg.com/g/combo/*/comscore.$script -@@||latimes.com/hive/javascripts/loggingService.js -@@||leeaws.com/api-cache/chartbeat/?host=$xmlhttprequest,domain=tucson.com -@@||lenovo.com^*/GoogleAnalytics.js -@@||leretourdelautruche.com/map/nuke/heatmap.js -@@||lesacasino.com^*/EMERPEventCollector.$script,subdocument -@@||lg.com^*/foresee/foresee-trigger.js -@@||lightningmaps.org^*/piwik.js -@@||lininteractive.com/chartbeat/$~third-party -@@||lininteractive.com/chartbeat/mostPopular.php?host=$subdocument -@@||link.theplatform.com/*/tracker.log? -@@||link.theplatform.com/*?affiliate= -@@||lipmonthly.com/js/angulartics-google-analytics/dist/angulartics-ga.min.js -@@||live.indiatimes.com/trackjs.cms -@@||lloydstsb.com/it/xslt/touchclarity/omtr_tc.js -@@||loadus.exelator.com/load/?p=$script,domain=rrstar.com -@@||localytics.com^*/localytics.min.js$domain=ciscospark.com|citymapper.com -@@||logentries.com^*/logs/$xmlhttprequest,domain=app.testobject.com -@@||logging.apache.org^ -@@||logmein.com/scripts/Tracking/Tracking.js -@@||lordandtaylor.com^*/javascript/Analytics/CartEventDataInit.js -@@||lp.longtailvideo.com/5/yourlytics/yourlytics-1.js$domain=indiedb.com|indieroyale.com|moddb.com -@@||lsi.com^*/google-analytics.js -@@||lufthansa.com^*/mmcore.js -@@||luminate.com/order/$subdocument -@@||lynda.com^*/px.gif?$image -@@||magnify.net^*/magnify_stats.js -@@||mail-www.baynote.net^$domain=mail.com -@@||mail.biz.rr.com/images/portal/blank.gif$domain=mail.biz.rr.com -@@||mail.yahoo.com/neo/ymstat$xmlhttprequest -@@||makerstudios.com/js/mixpanel.js?$script -@@||maps.google.*/gen_204?$xmlhttprequest -@@||maserati.com^*/transparent1x1.png -@@||maxmind.com/app/country.js$domain=lenovo.com|nationalgeographic.com|paypal.fr -@@||maxmind.com/geoip/v2.0/country/$xmlhttprequest,domain=elgato.com -@@||maxmind.com^*/geoip.js$domain=aljazeera.com|ballerstatus.com|bikemap.net|carltonjordan.com|cashu.com|coolsport.tv|dereon.com|dr.dk|everydaysource.com|fab.com|girlgames4u.com|incgamers.com|ip-address.cc|maaduu.com|qatarairways.com|sat-direction.com|sotctours.com|stoli.com|vibe.com -@@||maxmind.com^*/geoip2.js$domain=elgato.com|fallout4.com|metronews.ca|mtv.com.lb|teslamotors.com -@@||mec.ca/media/javascript/resxclsx.js -@@||media-imdb.com^*/clickstream.js -@@||media.flixcar.com/delivery/js/inpage/*/mpn/$script,domain=currys.co.uk -@@||media.flixfacts.com/js/loader.js$domain=currys.co.uk -@@||media.ft.com/j/optimost-$domain=ft.com -@@||media.ticketmaster.*/click_track.js -@@||mediaite.com/decor/javascript/magnify_stats.js$domain=videos.mediaite.com -@@||medicare.gov/SharedResources/widgets/foresee/foresee-trigger.js -@@||messenger.com/common/referer_frame.php$subdocument,domain=messenger.com -@@||metrics-api.librato.com/v1/metrics$xmlhttprequest,domain=virginamerica.com -@@||metrics.ctvdigital.net/global/CtvAd.js -@@||metrics.howstuffworks.com/b/ss/*&ot=$image -@@||metrics.mozilla.com^$~third-party -@@||metrics.nissanusa.com/b/ss/nissanusacom/$image -@@||metrics.torproject.org^ -@@||microsoft.com/click/services/RioTracking2.js -@@||mightyspring.com/static/js/beacon.js?$~third-party -@@||milb.com/shared/scripts/bam.tracking.js -@@||mixpanel.com/site_media/js/api/mixpanel.js$domain=blog.cloudflare.com -@@||mixpanel.com/track/?data=$xmlhttprequest,domain=ads.twitter.com|change.org|greentoe.com|kickstarter.com|mint.com|nbc.com|thefrisky.com|vid.me -@@||mlb.com/b/ss/$image -@@||mlb.com/scripts/stats/app/$script -@@||mlb.com/shared/scripts/bam.tracking.js -@@||mmi.bemobile.ua/lib/lib.js$domain=uatoday.tv -@@||monetate.net/img/$script,domain=newegg.com -@@||monetate.net/js/$domain=nike.com -@@||monetate.net/trk/$script,domain=newegg.com -@@||monetate.net^*/custom.js$domain=newegg.com -@@||monetate.net^*/entry.js$domain=newegg.com -@@||mongoosemetrics.com/jsfiles/js-correlation/mm-rules.min.js$domain=subaru.com -@@||motorolasolutions.com/wrs/b2bsdc.js -@@||moulinex.com/js/xtroi.js -@@||mpsnare.iesnare.com/snare.js$domain=citi.com|citibank.com|enmasse.com|login.skype.com -@@||mpsnare.iesnare.com/wu/snare.js$domain=westernunion.com -@@||msecnd.net^*/site-tracker.js$domain=momondo.co.uk -@@||msn.com/br/chan/udc/$script,domain=my.msn.com -@@||msn.com/c.gif?rid=$image,domain=my.msn.com -@@||munchkin.marketo.net/munchkin.js -@@||musicvideogenome.com/javascripts/stats.js -@@||mxpnl.com/libs/mixpanel-*.min.js$domain=change.org|greentoe.com|intuit.com|nbc.com|thefrisky.com -@@||mxpnl.com^$domain=mixpanel.com -@@||mybuys.com/webrec/wr.do? -@@||mycokerewards.com^*/webtrends/mcr3-webtrends_POST_$script -@@||mycommunitynow.com/includes/JI_trafficTracking.js$domain=mycommunitynow.com -@@||myqnapcloud.com^*.angular-google-analytics.js$script -@@||narf-archive.com^*/clickstream.js -@@||nasa.gov/js/libraries/angulartics/angulartics-google-analytics.js -@@||nationalgeographic.com/assets/scripts/utils/event-tracking.js -@@||nationaljournal.com/js/bizo.js -@@||nationalreview.com^*/chartbeat.js -@@||nationwide.co.uk/_/js/webAnalytics.js -@@||ncbi.nlm.nih.gov/stat? -@@||necn.com/includes/AppMeasurement.js -@@||nerdwallet.com/lib/dist/analytics.min.js -@@||netdna-ssl.com/lib/jquery-google-analytics/jquery.google-analytics.js$domain=homepath.com -@@||netinsight.travelers.com/scripts/ntpagetaghttps.js -@@||networkworld.com^*/demandbase.js -@@||newrelic.com/nr-*.min.js$domain=play.spotify.com -@@||newrelic.com/public/charts/$subdocument,xmlhttprequest -@@||newsinc.com/getids?uid=$script,domain=ap.org -@@||newsinc.com^*/getPlacements.js?pid=$xmlhttprequest,domain=ap.org|csmonitor.com -@@||newyorker.com^*/cn-fe-stats/$script -@@||next.co.uk/Scripts/GoogleAnalytics.js? -@@||nike.com/checkout/analytics/js/analyticFunctions.js$domain=nike.com -@@||nintendo.com/nclood/*/bundles/analytics.min.js$domain=nintendo.com -@@||nokia.com/b/ss/$image,domain=here.com -@@||nordstromimage.com^*/mmcore.js$domain=nordstrom.com -@@||novell.com/common/util/demandbase_data.php -@@||nudgespot.com/beacon.js?$script,third-party -@@||nyandcompany.com^*/resxclsa.js$domain=nyandcompany.com -@@||nymag.com/decor/javascript/magnify_stats.js -@@||nymag.com/vltr/scripts/analytics.js$domain=vulture.com -@@||nyt.com/bi/js/tagx/tagx.js$domain=nytimes.com -@@||nytimes.com/bi/js/tagx/tagx.js$domain=myaccount.nytimes.com -@@||nytimes.com^*/EventTracker.js -@@||nytimes.com^*/wtbase.js -@@||nytimes.com^*/wtinit.js -@@||odcdn.com^*/cm.js -@@||officeworks.com.au^*/site-tracker.js -@@||oktacdn.com/assets/js/*/mixpanel-$script -@@||omtrdc.net/crossdomain.xml$domain=crackle.com -@@||omtrdc.net/settings/$object-subrequest,domain=crackle.com -@@||omtrdc.net^*/mbox/json?$xmlhttprequest,domain=argos.co.uk|att.com|t-mobile.com -@@||omtrdc.net^*/mbox/standard?$script,domain=ancestry.co.uk|ancestry.com|ancestry.com.au|ancestry.it|blogtalkradio.com -@@||ooyala.com/3rdparty/comscore_$object-subrequest,domain=livetvcafe.net|player.complex.com -@@||ooyala.com/crossdomain.xml$object-subrequest -@@||optimize.webtrends.com^$domain=peterboroughtoday.co.uk -@@||optimizely.com/js/geo.js$domain=forbes.com -@@||optimost.com/counter/*/event.js?$domain=bebo.com -@@||optimost.com^*/content.js?$domain=bebo.com -@@||optimost.com^*/FT_live.js$domain=ft.com -@@||ourworld.com/ow/evercookie_ -@@||ourworld.com/ow/js/evercookie/$script -@@||palerra.net/apprity/api/analytics/ -@@||pastebin.com/etc/geo.php? -@@||patrick-wied.at/static/heatmapjs/src/heatmap.js -@@||paypalobjects.com^*/opinionLab.js$domain=paypal.com -@@||paypalobjects.com^*/pixel.gif$domain=youngcons.com -@@||pbskids.org/js/ga-current.js -@@||periscope.tv^*/bugsnag-*.min.js -@@||petametrics.com^*.js?$script,domain=nylon.com|space.com -@@||pillsbury.com/Shared/StarterKit/Javascript/ntpagetag.js -@@||pillsbury.com/Shared/StarterKit/Javascript/UnicaTag.js -@@||ping.hellobar.com/?*&_e=click&$image -@@||piwik.pro/images/ -@@||pixel.condenastdigital.com/sparrow.min.js$domain=video.epicurious.com|video.gq.com|video.wired.com -@@||pixel.facebook.com/ajax/gigaboxx/endpoint/UpdateLastSeenTime.php?$image -@@||pixel.facebook.com/ajax/notifications/mark_read.php?*&alert_ids%$image -@@||pixel.fetchback.com^$subdocument,domain=sears.com -@@||pixel.quantserve.com/api/segments.json?$domain=ap.org|newsinc.com -@@||pixel.quantserve.com/api/segments.xml?a=$domain=associatedcontent.com|cbs.com|cbsatlanta.com|centurylink.net|comedy.com|eurweb.com|fox5vegas.com|foxcarolina.com|grabnetworks.com|kctv5.com|kpho.com|kptv.com|theimproper.com|thenewsroom.com|tv.com|tvguide.com|wfsb.com|wnem.com|wsmv.com -@@||pixel.quantserve.com/seg/$script,domain=photos.essence.com -@@||pixel.quantserve.com/seg/r;a=$object-subrequest,domain=breitbart.tv|cbs.com|filefront.com|imdb.com|laobserved.com|tv.com -@@||playcanvas.com.*/keen.min.js -@@||player.sundaysky.com^$subdocument -@@||playtheend.com/api/v1/players/heatmap.json?$object-subrequest -@@||pokemonblackwhite.com^*/jquery.google-analytics.js -@@||polycom.com/polycomservice/js/unica/ntpagetag.js -@@||popeater.com/traffic/?$script,domain=popeater.com -@@||popmoney.com^*/jquery.analytics.js -@@||pp-serve.newsinc.com^*/unitsdata.js?$domain=timesfreepress.com -@@||productads.hlserve.com^$script,domain=argos.co.uk -@@||propelmedia.com/resources/images/load.gif -@@||ps.w.org/google-analytics-dashboard-for-wp/assets/ -@@||pshared.5min.com/Scripts/OnePlayer/Loggers/ComScore.StreamSense.js -@@||pshared.5min.com/Scripts/OnePlayer/Loggers/ComScore.Viewability.js -@@||push2check.com/stats.php -@@||quantcast.com/wp-content/themes/quantcast/$domain=quantcast.com -@@||quantserve.com/quant.js$domain=apps.facebook.com|caranddriver.com|g4tv.com|nymag.com|salon.com|theblaze.com -@@||query.petametrics.com^ -@@||qz.com^*/tracking/bizo.js -@@||qz.com^*/tracking/chartbeat.js -@@||qz.com^*/tracking/comscore.js -@@||radio.com/player/javascript/tracking.js$domain=player.radio.com -@@||randomhouse.com/book/css/certona.css -@@||rawgit.com^*/heatmap.js -@@||rawstory.com/decor/javascript/magnify_stats.js -@@||redditenhancementsuite.com/js/jquery.google-analytics.js -@@||redfin.com/stingray/clicktracker.jsp? -@@||reinvigorate.net/re_.js$domain=thenounproject.com -@@||remodelista.com/media/js/libs/ga_social_tracking.js -@@||res-x.com^*/Resonance.aspx? -@@||retailmenot.com/__wsm.gif$ping,xmlhttprequest -@@||reutersmedia.net^*/rcom-scroll-tracker.js$domain=reuters.com -@@||rfdcontent.com^*/utag.loader.js$domain=forums.redflagdeals.com -@@||rockingsoccer.com/js/match_stats.js -@@||rs.mail.ru/crossdomain.xml$object-subrequest,domain=vk.com -@@||ru4.com/wsb/$script,domain=chase.com -@@||s.crowdskout.com^*/embed.js?$script,third-party -@@||s.skimresources.com^$script,domain=slate.com -@@||s.youtube.com/api/stats/playback?$image,object-subrequest -@@||safelinkwireless.com/enrollment/*/GoogleAnalytics.js -@@||sahibinden.com/assets/analytics*.js$script -@@||samepage.io/assets/lib/google-analytics/GoogleAnalytics.js? -@@||sbstatic.com.au/js/tealium.js$domain=sportsbet.com.au -@@||scorecardresearch.com/beacon.js$domain=agame.com|ahmedabadmirror.com|allmusic.com|allrecipes.com|amctv.com|apl.tv|babycenter.com|bonappetit.com|calgaryherald.com|canada.com|cbc.ca|dailymail.co.uk|deviantart.com|discovery.com|edmontonjournal.com|fastcompany.com|financialpost.com|firstwefeast.com|hitfix.com|huffingtonpost.com|indiatimes.com|landandfarm.com|last.fm|leaderpost.com|m.tmz.com|montrealgazette.com|nationalpost.com|newsday.com|ottawacitizen.com|outsideonline.com|radaronline.com|salon.com|sci2.tv|syfy.com|theprovince.com|thestar.com|thestarphoenix.com|thinkatheist.com|tmz.com|v3.co.uk|vancouversun.com|windsorstar.com -@@||scorecardresearch.com/c2/plugins/streamsense_plugin_html5.js -@@||scorecardresearch.com/c2/plugins/streamsense_plugin_theplatform.js -@@||scorecardresearch.com/crossdomain.xml$domain=rte.ie -@@||scorecardresearch.com^*/cs.js$script,domain=thedailybeast.com -@@||scripts.demandmedia.com/wm.js$domain=ehow.com -@@||sears.com^*/analytics.sitecatalyst.js -@@||segment.com/analytics.js/*/analytics.min.js$script -@@||segment.io/analytics.js/*/analytics.min.js$script -@@||segment.io/v1/$xmlhttprequest,domain=greentoe.com|thescene.com -@@||sellpoint.net/smart_button/$script,domain=walmart.com -@@||sergent-major.com^*/js/tracking.js$domain=sergent-major.com -@@||service.collarity.com/cust/nbcu/ucs.js$xmlhttprequest -@@||services.fliqz.com/metrics/*/applications/$object-subrequest,domain=leftlanenews.com -@@||setelia.com*/page-tracking.js?$script,~third-party -@@||sfdict.com/app/*/click_tracking.js$domain=reference.com|thesaurus.com -@@||sh.st/bundles/smeadvertisement/img/track.gif?$xmlhttprequest -@@||shipwire.com/scripts/account_analytics.js$domain=shipwire.com -@@||sijcc.org^*/page-tracking.js? -@@||siteanalytics.compete.com^$~third-party -@@||sitestat.com^*/s?*&ns_type=clickin&ns_action=view&ns__t=$image,domain=sueddeutsche.de -@@||skypicker.com/places/BCN? -@@||slatic.net/js/tracking.js$domain=lazada.co.id -@@||smetrics.blackberry.com/b/ss/*:jump-page:$image,domain=bbm.com -@@||snapchat.com/static/js/google-analytics.js -@@||songza.com/static/*/songza/systems/$script -@@||southwest.com^*/mbox.js -@@||sportsgrid.com/decor/javascript/magnify_stats.js -@@||spot.im/api/tracker/spot/$xmlhttprequest,domain=rt.com -@@||star-telegram.com/mistats/sites/dfw/startelegram.js -@@||statcounter.com/chart.php?$script -@@||statcounter.com/js/fusioncharts.js -@@||statcounter.com/msline.swf -@@||statefillableforms.com/js/lib/irs/fingerprint.js$~third-party -@@||static.atgsvcs.com/js/atgsvcs.js$domain=officedepot.com|shop.lego.com -@@||static.btbuckets.com/bt.js$domain=readwriteweb.com -@@||static.chartbeat.com/crossdomain.xml$object-subrequest -@@||static.chartbeat.com/js/chartbeat_mab.js$domain=usatoday.com -@@||static.parsely.com^$script,domain=dailystar.co.uk|express.co.uk -@@||static.rpxnow.com/js/lib/rpx.js$domain=colbertnation.com|thedailyshow.com -@@||statics.cfmcdn.net/*/scripts/webtrends-$script,domain=cheapflights.com -@@||stats.g.doubleclick.net/dc.js$domain=doverdowns.com|lifehack.org|maxiclimber.com|merriam-webster.com|toto.co.jp|tripinsurance.ru|vimeo.com -@@||stats.jtvnw.net/crossdomain.xml$object-subrequest -@@||stippleit.com/stipple.js$domain=photos.toofab.com -@@||sundaysky.com/coastal/embedded/sundaysky.js$domain=clearlycontacts.ca -@@||sundaysky.com/sundaysky.js?$domain=lenovo.com -@@||sundaysky.com^*/default/sundaysky.js$domain=lenovo.com -@@||support.thesslstore.com/visitor/index.php -@@||switch.atdmt.com/iaction/$subdocument,domain=bestbuy.com -@@||t.st/video/js/kGoogleAnalytics.js?$domain=thestreet.com -@@||tablespoon.com/library/js/TBSP_ntpagetag.js -@@||tag.perfectaudience.com/serve/*.js$domain=asana.com -@@||tagcommander.com^*/tc_$script -@@||tags.bkrtx.com/js/bk-coretag.js$domain=mlb.com -@@||tags.bluekai.com/site/*?ret=$subdocument,domain=mlb.com|zillow.com -@@||tags.crwdcntrl.net^$script,domain=indiatimes.com|weather.com -@@||tags.w55c.net/rs?*&t=marketing$image -@@||tc.bankofamerica.com/c? -@@||ted.com/decor/javascript/magnify_stats.js -@@||teenvogue.com/js/eventTracker.js -@@||telegraph.co.uk/template/ver1-0/js/webtrends/live/wtid.js -@@||telize.com/geoip?$script,domain=dailymotion.com -@@||texasroadhouse.com/common/javascript/google-analytics.js -@@||thebrighttag.com/tag?site=$script,domain=macys.com -@@||thehotelwindsor.com.au^*/javascript.googleAnalytics.js -@@||theplatform.com^*/comScore.swf$object-subrequest -@@||thestreet-static.com/video/js/kGoogleAnalytics.js? -@@||thetenthwatch.com/js/tracking.js$~third-party -@@||ticketm.net^*/click_track.js -@@||toshiba.com/images/track/track.gif?track=load&$xmlhttprequest,domain=start.toshiba.com -@@||toyota.com/analytics/recall_af.js$domain=toyota.com -@@||track.atom-data.io/report?$xmlhttprequest,domain=rt.com -@@||track.mybloglog.com/js/jsserv.php?$domain=egotastic.com -@@||track2.royalmail.com^ -@@||tracker.mattel.com/tracker.aspx?site=$script -@@||tracker.mattel.com^$domain=barbie.com -@@||tracking.unrealengine.com/tracking.js -@@||trackjs.com^$~third-party -@@||trc.taboola.com/*/log/3/available|$subdocument,domain=globes.co.il -@@||trc.taboolasyndication.com^$domain=bloomberg.com|breitbart.com|breitbart.tv|nme.com|slatev.com -@@||trustedreviews.com^*/google/analytics.js -@@||trutv.com/ui/scripts/coffee/modules/analytics/click-tracker.js$script -@@||turner.com/cnn/*/video/chartbeat.js$domain=cnn.com -@@||turner.com^*/aspenanalytics.xml$domain=cnn.com -@@||twimg.com/googleanalytics/analytics.js$script,domain=twitter.com -@@||uefa.com^*/chartbeat-trending-carousel.js -@@||ultimedia.com/js/common/jquery.gatracker.js -@@||unifi.me/mootools/classes/*-tracking -@@||unity3d.com/profiles/unity3d/themes/unity/images/services/analytics/$image,~third-party -@@||ups.com/*/WebTracking/track&dcs -@@||ups.com/WebTracking/$xmlhttprequest -@@||urlcheck.hulu.com/crossdomain.xml$object-subrequest -@@||usps.com/m/js/tracking.js$domain=usps.com -@@||utm.alibaba.com/eventdriver/recommendEntry.do?$script -@@||utm.arc.nasa.gov/common/css/ -@@||utm.arc.nasa.gov/common/js/common.js -@@||utm.arc.nasa.gov/common/js/hideEmail.js -@@||utm.arc.nasa.gov/common/js/nav.js -@@||utm.arc.nasa.gov/common/js/swap.js -@@||utm.arc.nasa.gov/images/ -@@||uverseonline.att.net/report/click_tracking_nes.json -@@||v.me/personal/assets/ntpagetag-$script -@@||vacayvitamins.com/wp-content/plugins/wp-minify/min/?*/google-analyticator/$script -@@||vast.com/vimpressions.js$domain=everycarlisted.com -@@||verizon.com/images/track/track.gif?track=load&$xmlhttprequest -@@||vice.com^*/vmp_analytics.js -@@||videos.nbcolympics.com/beacon?$object-subrequest,domain=nbcolympics.com -@@||vidible.tv^*/ComScore.StreamSense.js -@@||vidible.tv^*/ComScore.Viewability.js -@@||vidtech.cbsinteractive.com^*/AkamaiAnalytics.swf$domain=kuathletics.com|mutigers.com|okstate.com -@@||view.atdmt.com^*/iview/$domain=starwoodhotels.com -@@||view.atdmt.com^*/view/$domain=starwoodhotels.com -@@||virtualearth.net/webservices/v1/LoggingService/$script -@@||virtualearth.net^*/LoggingService.svc/Log?$script,domain=bing.com|spatialbuzz.com -@@||virusdesk.kaspersky.com/Resources/js/analytics.js$script -@@||visa.com^*/vendor/unica.js -@@||visiblemeasures.com/crossdomain.xml$object-subrequest,domain=espn.go.com|live.indiatimes.com -@@||vizio.com/resources/js/vizio-module-tracking-google-analytics.js -@@||vod.olympics2010.msn.com/beacon?$object-subrequest -@@||vodafone.com.au/analytics/js/$script -@@||volvocars.com^*/swfaddress.js? -@@||vouchercodes.co.uk/__wsm.gif$ping -@@||voya.ai^*/mixpanel-jslib-snippet.min.js$domain=voya.ai -@@||vulture.com/decor/javascript/magnify_stats.js -@@||vupload-edge.facebook.com/ajax/video/upload/$xmlhttprequest,domain=facebook.com -@@||w3spy.org/etc/geo.php? -@@||w88.go.com/crossdomain.xml$object-subrequest,domain=abcnews.go.com -@@||walmart.com/__ssobj/core.js -@@||walmart.com^*/track?event=$xmlhttprequest -@@||walmartimages.com/webanalytics/omniture/omniture.jsp$domain=walmart.com -@@||walmartimages.com/webanalytics/wmStat/wmStat.jsp$domain=walmart.com -@@||washingtonexaminer.com/s3/wex15/js/analytics.js?$script -@@||washingtonpost.com/wp-stat/analytics/main.js$domain=subscribe.washingtonpost.com -@@||wbshop.com/fcgi-bin/iipsrv.fcgi? -@@||websimages.com/JS/Tracker.js -@@||webtrack.dhlglobalmail.com^ -@@||webtrends.com^*/events.svc$subdocument,domain=mycokerewards.com -@@||webtrendslive.com^*/wtid.js?$domain=att.yahoo.com -@@||westelm.com^*/bloomreach.js -@@||westjet.com/js/webstats.js -@@||whirlpool.com/foresee/foresee-trigger.js -@@||whoson.com/include.js?$script,domain=hotelchocolat.com -@@||widgets.outbrain.com^*/comScore/comScore.htm -@@||wikia.nocookie.net^*/AnalyticsEngine/js/analytics_prod.js -@@||wikimedia.org^*/trackClick.js -@@||windward.eu^*/angulartics-google-analytics.min.js -@@||wired.com/wiredcms/chartbeat.json$xmlhttprequest -@@||wired.com^*/cn-fe-stats/ -@@||wordpress.org/extend/plugins/wp-slimstat/screenshot-$image,~third-party -@@||wordpress.org/wp-slimstat/assets/banner-$image,~third-party -@@||wp.com/_static/*/criteo.js -@@||wp.com/_static/*/gaAddons.js -@@||wp.com/_static/*/vip-analytics.js?$domain=time.com -@@||wp.com^*/google-analytics-for-wordpress/$domain=wordpress.org -@@||wp.com^*/time-tracking.js?$domain=time.com -@@||wp.com^*/wp-content/plugins/wunderground/assets/img/icons/k/clear.gif? -@@||wrap.tradedoubler.com/wrap?$script,domain=desigual.com -@@||wwe.com/sites/all/modules/wwe/wwe_analytics/s_wwe_code.js -@@||www.google.*/maps/preview/log204?$xmlhttprequest -@@||x5.xclicks.net/js/x3165.js$domain=small-breasted-teens.com -@@||xcweather.co.uk/*/geo.php? -@@||xfinity.com^*/Comcast.SelfService.Sitecatalyst.js -@@||yandex.ru/metrika/watch.js$domain=engwords.net -@@||yimg.com/bm/lib/fi/common/*/yfi_comscore.js$domain=finance.yahoo.com -@@||yimg.com^*/ywa.js$domain=nydailynews.com|travelscream.com|yahoo.com -@@||ynet.co.il/Common/App/Video/Gemius/gstream.js -@@||ynetnews.com/Common/App/Video/Gemius/gstream.js -@@||youtube.com/api/analytics/$~third-party -@@||youtube.com/api/stats/watchtime?$image,domain=youtube.com -@@||zappos.com/js/trackingPixel/mercentTracker.js -@@||zillowstatic.com/c/*/linktrack.js$domain=zillow.com -@@||zylom.com/images/site/zylom/scripts/google-analytics.js -@@||zynga.com/current/iframe/track.php?$domain=apps.facebook.com -! Chrome bug (Endless loading causing site to crash https://forums.lanik.us/viewtopic.php?f=64&t=25152) -@@||aplus.com/p.gif?$~third-party -! Preliminarily whitelisting Omniture s_code tracking pixels (script versions H.25 - H.25.2) due to breakage (https://adblockplus.org/forum/viewtopic.php?f=10&t=11378) if blocking the script causes issues -@@||112.2o7.net/b/ss/$image,domain=espn.com.br|nissan-global.com -@@||122.2o7.net/b/ss/$image,domain=billetnet.dk|billettservice.no|citibank.co.in|goal.com|lippupalvelu.fi|pcworld.com|riverisland.com|techhive.com|ticketmaster.ae|ticketmaster.co.uk|ticketmaster.de|ticketmaster.ie|ticketmaster.nl|ticnet.se -@@||amazoncustomerservice.d2.sc.omtrdc.net/b/ss/*/H.25.1/$image -@@||castorama.fr/b/ss/$image -@@||fandango.com/b/ss/$image -@@||globalnews.ca/b/ss/$image -@@||info.seek.com/b/ss/$image,domain=seek.com.au -@@||kaspersky.co.uk/b/ss/$image -@@||kohls.com/b/ss/$image -@@||metrics.ancestry.com/b/ss/$image -@@||metrics.brooksbrothers.com/b/ss/$image -@@||metrics.consumerreports.org/b/ss/$image -@@||metrics.nationwide.co.uk/b/ss/$image -@@||metrics.target.com/b/ss/$image -@@||metrics.thetrainline.com/b/ss/$image -@@||metrics.ticketmaster.com/b/ss/$image -@@||oms.dowjoneson.com/b/ss/$image,domain=wsj.com -@@||omtrdc.net/b/ss/$image,domain=macworld.com|pcworld.com|techhive.com -@@||scorecardresearch.com/r2?$image,domain=ancestry.com|billetnet.dk|billettservice.no|lippupalvelu.fi|pcworld.com|techhive.com|ticketmaster.ae|ticketmaster.co.uk|ticketmaster.de|ticketmaster.ie|ticketmaster.nl|ticnet.se|wsj.com -@@||scorecardresearch.com/r?$image,domain=ancestry.com|billetnet.dk|billettservice.no|lippupalvelu.fi|macworld.com|pcworld.com|techhive.com|ticketmaster.ae|ticketmaster.co.uk|ticketmaster.de|ticketmaster.ie|ticketmaster.nl|ticnet.se|wsj.com -@@||simyo.de/b/ss/$image -@@||smetrics.target.com/b/ss/$image -@@||smetrics.ticketmaster.com/b/ss/$image -@@||smetrics.walmartmoneycard.com/b/ss/$image -@@||stat.safeway.com/b/ss/$image -@@||walmart.com/b/ss/$image -! Whitelists to fix broken pages of tracking companies -! Heatmap -@@||heatmap.it^$domain=heatmap.me -! Google -@@||google.*/analytics/js/$~third-party -! ----------------Whitelists to fix broken international sites-----------------! -! *** easylist:easyprivacy/easyprivacy_whitelist_international.txt *** -! German -@@||a.visualrevenue.com/vrs.js$domain=t-online.de -@@||a.wikia-beacon.com/__track/view?v=v1&c=*&lc=de&lid=62&x=devroniplag&y=$script,domain=vroniplag.wikia.com -@@||ad.de.doubleclick.net/imp;$object-subrequest,domain=clipfish.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de -@@||adclear.teufel.de^*/acv?*&ms=http$image,domain=gewinnspiele.freenet.de -@@||addicted-sports.com/piwik/piwik.js -@@||alternate.de/js/emos2.js -@@||analytics.edgesuite.net/html5/akamaihtml5-min.js?$domain=ardmediathek.de -@@||belboon.de/adtracking/$subdocument,domain=gutscheindoktor.de|preis-vergleich.tv|preismafia.com -@@||belboon.de/clickout.php?$subdocument,domain=preis-vergleich.tv -@@||billiger.de/js/emos2.js -@@||btstatic.com/tag.js$domain=oralb.de -@@||classistatic.de^*/hitcounter.js$domain=mobile.de -@@||cloudfront.net/bugsnag-$script,domain=tvnow.de -@@||code.etracker.com/t.js?et=$script,domain=apotheken-umschau.de|compo-hobby.de|diabetes-ratgeber.net|giz.de|kaguma.com|krombacher.de -@@||computer-bild.de/imgs/*/Google-Analytics-$image,domain=computerbild.de -@@||count.rtl.de/crossdomain.xml$object-subrequest,domain=n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de -@@||css.ch/stats/tracker.js?$xmlhttprequest -@@||cxense.com/cx.js$domain=tagesanzeiger.ch -@@||darmstadt.ui-traffic.de/mobile/webapp/bower_components/heatmap.js$domain=darmstadt.ui-traffic.de -@@||eltern.de/min.php?*/clickTracking.js -@@||email.1und1.de/appsuite/api/*/1and1_integration/tracking/tracking.js$domain=email.1und1.de -@@||eventim.de/obj/global/feature/tagCommander/tc_header.min.$script -@@||getgoods.de^*/emstrack.js -@@||giga.de/wp-content/plugins/econa-stats/log/video-views/log.php?id=$object-subrequest -@@||gls.de^*/emos2.js -@@||google-analytics.com/siteopt.js?$domain=chip.de -@@||googletagmanager.com/gtm.js?$domain=finanzen.net -@@||hach.de^*/emstrack.js -@@||hammonline.de/statistik/piwik.js -@@||hermesworld.com/tracking/urchin.js -@@||heute.de/zdf/flash/eplayer/player.swf?*/cgi-bin/ivw/ -@@||hse24.de^*/emos2.js -@@||imrworldwide.com/novms/*/ggcm*.js$domain=ndr.de|tvnow.de -@@||ing-diba.de^*/sitestat.js -@@||iocdn.coremetrics.com^*.js?V=$script,domain=adidas.de -@@||iocdn.coremetrics.com^*/io_config.js?ts=$domain=adidas.de -@@||ivwbox.de/2004/01/survey.js$domain=stylished.de|t-online.de -@@||ivwextern.prosieben.de/crossdomain.xml$object-subrequest,domain=galileo-videolexikon.de -@@||ivwextern.prosieben.de/php-bin/functions/ivwbox/ivwbox_extern.php?path=$object-subrequest,domain=galileo-videolexikon.de -@@||ivwextern.prosieben.de^*/ivw_flashscript.php?$script -@@||jetztspielen.de^*/EventTracker.js -@@||js.revsci.net/gateway/gw.js?$domain=t-online.de -@@||lablue.at/js/geo.php$~third-party,xmlhttprequest -@@||lablue.de/js/geo.php$~third-party,xmlhttprequest -@@||levexis.com/clients/planetsports/1.js$domain=planet-sports.de -@@||longtailvideo.com/5/googlytics/googlytics-1.js$domain=arte.tv -@@||maxmind.com^*/geoip.js$domain=automatensuche.de -@@||meinestadt.de^*/xiti/xtcore_$script -@@||musicstore.de^*/emos2.js -@@||o2.de/resource/js/tracking/ntpagetag.js -@@||piwik.windit.de/piwik.js$domain=livespotting.tv -@@||pix04.revsci.net^*.js?$domain=t-online.de -@@||pizza.de^*/ptrack.$script -@@||planet-sports.de^*?f=*/emos2.js -@@||real.de/fileadmin/template/javascript/emos2.js -@@||renault.de/js/sitestat.js -@@||rover.ebay.com/ar/1/75997/4?mpt=*&size=300x250&adid=$image,domain=millionenklick.web.de -@@||rp-online.de^*/tracking/tracking.js -@@||s.gstat.orange.fr/lib/gs.js? -@@||scorecardresearch.com/beacon.js$domain=spielen.com -@@||scorecardresearch.com/crossdomain.xml$object-subrequest,domain=web.de -@@||scorecardresearch.com/p?$object-subrequest,domain=web.de -@@||sitestat.com/europcar/europcar-de/*&ns_url=http://microsite.europcar.com/deutschebahn/$subdocument,domain=bahn.de -@@||sparkasse.de/if/resources/js/urchin.js -@@||spatialbuzz.com/piwik/piwik.js$domain=spatialbuzz.com -@@||spiegel.de/layout/js/http/netmind-$script -@@||static-fra.de^*/targeting.js$domain=n-tvnow.de|rtl-now.rtl.de|rtl2now.rtl2.de|rtlnitronow.de|superrtlnow.de|voxnow.de -@@||stats.g.doubleclick.net/dc.js$domain=diejugendherbergen.de -@@||stroeerdigitalmedia.de/dynback/call.sjs?$domain=runnersworld.de -@@||stroeerdigitalmedia.de/praeludium/praeludium_$script,domain=menshealth.de|runnersworld.de -@@||stylished.de/js/vendors/emos2.js$domain=stylished.de -@@||sunday.de/skin/*/googleanalytics.js$script -@@||swr3.de/static/swrplayer/web/plugins/ivw/ivw.js -@@||t-online.de/js/xtcore_t_online.js?$xmlhttprequest -@@||thebrighttag.com/tag?site=$script,domain=oralb.de -@@||tvnow.de/bugsnag-3.min.js -@@||uim.tifbs.net/js/$script,domain=gewinnspiel.gmx.de|gewinnspiel.web.de|top.de -@@||video.oms.eu/crossdomain.xml$object-subrequest,domain=badische-zeitung.de -@@||video.oms.eu/projekt/download/OMSComponent.swf$object-subrequest,domain=badische-zeitung.de -@@||yimg.com/mi/eu/ywa.js$domain=immowelt.de -@@||ywxi.net/meter/produkte.web.de/$image,domain=web.de -@@||zdf.de/zdf/flash/eplayer/player.swf?*/cgi-bin/ivw/ -@@||zeit.de/piwik/piwik.js$domain=schach.zeit.de -! French -@@||actiris.be/urchin.js -@@||actiris.be^*/urchin.js -@@||adobedtm.com^*/satelliteLib-$script,domain=icimusique.ca|laredoute.be|laredoute.ch|laredoute.fr|nrj.fr -@@||adyoulike.omnitagjs.com^$script,domain=dl.free.fr -@@||analytics.belgacom.be/tms/loader.js$domain=proximus.be -@@||analytics.ladmedia.fr/parismatch/xtcore_mod2.js$domain=parismatch.com -@@||boutiqueducourrier.laposte.fr/_ui/eboutique/scripts/xiti/part/xtcore.js -@@||cache2.delvenetworks.com/crossdomain.xml$domain=lapresse.ca -@@||cache2.delvenetworks.com/ps/c/v1/$object-subrequest,domain=lapresse.ca -@@||cdscdn.com/Js/external/tagcommander/tc_nav.js$domain=cdiscount.com -@@||diwancorp.fr^*/angular-google-analytics.min.js -@@||easypari.fr^*/sitestat.js -@@||estat.com/js/$script,domain=francetvsport.fr -@@||evidal.fr/scripts/stats/evidal/s_code.js -@@||google-analytics.com/analytics.js$domain=infoconso-multimedia.fr -@@||hello.distribeo.com/atconnect/*?duration=$script,domain=laposte.fr -@@||leboncoin.fr/js/xiti.js -@@||lesinrocks.com/min/?f=*/chartbeat.js -@@||lprs1.fr/assets/js/lib/squid/smarttag.js$domain=leparisien.fr -@@||matvpratique.com/tools/min/index.php?f=*/xtclicks.js -@@||omnitagjs.com/fo-*/captcha/$domain=dl.free.fr -@@||omnitagjs.com/fo-api/omniTag?$xmlhttprequest,domain=dl.free.fr -@@||orange.fr^*/wtbase.js -@@||orange.fr^*/wtinit.js -@@||ricardocuisine.com/noel/js/google_analytics.js -@@||rtl.be^*/vp_webanalytics.js? -@@||sosh.fr^*/wtbase.js -@@||sosh.fr^*/wtinit.js -@@||stat.prsmedia.fr/tag/stat.js$domain=bienpublic.com -@@||tv5.org/cms/javascript/*/sitestat.js -@@||tv5monde.com/cms/javascript/*/sitestat.js -@@||ubicast.tv/statics/mediaserver/player/statistics.js -! Bulgarian -@@||google-analytics.com/analytics.js$domain=novatv.bg -! Chinese -@@||amazonaws.com^*-google-analytics.js$domain=dcard.tw -@@||aolcdn.com/js/mg2.js$domain=engadget.com -@@||aolcdn.com/omniunih_int.js$domain=engadget.com -@@||count.taobao.com^*_feedcount-$script -@@||google-analytics.com/analytics.js$domain=news.gamme.com.tw -@@||hk.on.cc/hk/bkn/hitcount/web/js/hitCount_$~third-party,xmlhttprequest -@@||ijinshan.com/static/js/analyse.js -@@||imrworldwide.com/novms/js/2/ggcmb353.js$domain=nexttv.com.tw -@@||itc.cn/v2/asset/*/pageView.js -@@||linezing.com^$domain=lz.taobao.com -@@||on.cc/js/urchin.js -@@||pingjs.qq.com/ping_tcss_ied.js$domain=dnf.qq.com -@@||s-msn.com^*/udctrack*.js$domain=ynet.com -@@||streaming.cri.com.hk/geo.php? -@@||tongji.baidu.com/analytics/js/$script,domain=tongji.baidu.com -@@||uwants.com/include/*/swfaddress.js -@@||v.blog.sohu.com/dostat.do?*&n=videoList_vids&$script -@@||vanclimg.com/js.ashx?*/google-analytics.js$domain=vancl.com -@@||wenxuecity.com/data/newscount/$image,domain=wenxuecity.com -@@||wrating.com/a1.js$domain=tudou.com|ynet.com -! Czech -@@||adobetag.com/d2/vodafonecz/live/VodafoneCZ.js -@@||bolha.com/js/gemius_.js? -@@||csfd.cz/log? -@@||googletagmanager.com/gtm.js?$domain=autorevue.cz|e15.cz|mobilmania.cz|sportrevue.cz|zive.cz -! Danish -@@||adobedtm.com^*/satelliteLib-$script,domain=elgiganten.dk -@@||bilka.dk/assets/ext/adobe/VisitorAPI.js -@@||cxense.com/cx.js$domain=common.tv2.dk -@@||dbastatic.dk/Content/scripts/analytics.js$script -@@||msecnd.net^*/site-tracker.js$domain=momondo.dk -@@||tv2.dk/js/adobeanalytics/AppMeasurement.js$script -! Dutch -@@||bundol.nl/skin/*/js/prototype/prototype.js,*/GoogleAnalyticsPlus/ -@@||globecharge.com/images/ping.gif? -@@||google-analytics.com/analytics.js$domain=vd.nl -@@||kapaza.be^*/xtcore_$script,domain=kapaza.be -@@||rtl.nl/system/s4m/xldata/get_comscore.js? -@@||sitestat.com/abp/abp/s?$object-subrequest,domain=abp.nl -@@||sitestat.com/crossdomain.xml$object-subrequest,domain=abp.nl -@@||sport.be.msn.com/javascripts/tracking/metriweb/spring.js -@@||sport.be/javascripts/tracking/metriweb/spring.js -@@||vplayer.ilsemedia.nl/swf/im_player.swf?$object -@@||vpro.nl/vpro/htmlplayer/0.3-snapshot/statcounter.js? -! Finnish -@@||adobedtm.com^*/satelliteLib-$script,domain=gigantti.fi|markantalo.fi -@@||emediate.se/EAS_tag*.js$domain=forssanlehti.fi -@@||ensighten.com^*/Bootstrap.js$domain=mikrobitti.fi -@@||googletagmanager.com/gtm.js?$domain=cdon.fi -@@||hise.spring-tns.net/survey.js$domain=hintaseuranta.fi -@@||hise.spring-tns.net^*^cp=$image,domain=hintaseuranta.fi -@@||k-ruokakauppa.fi/fi/static/js/counter.js$domain=k-ruokakauppa.fi -@@||lekane.net/lekane/dialogue-tracking.js$domain=sonera.fi -@@||nettix.fi/auto/extra/template/nettiauto_analytics.js$domain=nettiauto.com -! Greek -@@||stats.e-go.gr/rx.asp?$object-subrequest,domain=megatv.com -! Hebrew -@@||amazonaws.com/static.madlan.co.il/*/heatmap.json?$xmlhttprequest -@@||cloudvideoplatform.com/scripts/WebAnalytics.js$script -@@||googletagmanager.com/gtm.js?$domain=feex.co.il|reshet.tv -@@||haaretz.co.il/logger/p.gif?$image,xmlhttprequest -@@||mixpanel.com/track/?data=$xmlhttprequest,domain=eloan.co.il -@@||mxpnl.com/libs/mixpanel-*.min.js$domain=eloan.co.il -@@||player.flix.co.il/scripts/GoogleAnalytics.js -@@||stats.g.doubleclick.net/dc.js$domain=reshet.tv -@@||tapuz.co.il/general/dotomi/statistics.js?$~third-party -@@||themarker.com/logger/p.gif?$image,xmlhttprequest -@@||track.atom-data.io/|$xmlhttprequest,domain=globes.co.il -@@||trc.taboola.com/inncoil/log/3/available$subdocument,domain=inn.co.il -! Hungarian -@@||argep.hu/googleanalytics.js -@@||clicktale.net/WRc5.js$domain=telefonkonyv.hu -@@||cloudfront.net/bugsnag-2.min.js$domain=miutcank.hu -@@||rtl.hu/javascripts/UserTracking.js -! Italian -@@||adobedtm.com^*/satelliteLib-$script,domain=laredoute.it -@@||adobetag.com/d2/telecomitalia/live/Aggregato119TIM.js$domain=tim.it -@@||androidgalaxys.net/wp-content/plugins/*/google-analyticator/$script -@@||beppegrillo.it/mt-static/js/ga_social_tracking.js -@@||codicebusiness.shinystat.com/cgi-bin/getcod.cgi?$script,domain=grazia.it|panorama-auto.it|panorama.it -@@||codicefl.shinystat.com/cgi-bin/getserver.cgi?$script,domain=3bmeteo.com|quotidiano.net|radioitalia.it -@@||codicefl.shinystat.com/cgi-bin/getswf.cgi?*PolymediaShow$object-subrequest,domain=corriereadriatico.it|ilgazzettino.it|ilmattino.it|ilmessaggero.it|leggo.it|quotidianodipuglia.it -@@||imrworldwide.com/novms/*/ggcm*.js$domain=la7.it|sky.it|video.corriere.it -@@||imrworldwide.com/v60.js$domain=corriereadriatico.it|ilgazzettino.it|ilmattino.it|ilmessaggero.it|leggo.it|quotidianodipuglia.it -@@||kataweb.it/wt/wt.js?http$domain=video.repubblica.it -@@||lastampa.it/modulo/tracciatori/js/nielsen.js -@@||maxmind.com^*/geoip.js$domain=sportube.tv -@@||paginegialle.it/js/shinystat.js -@@||repstatic.it^*/Nielsen.js -@@||timvision.it/libs/fingerprint/fingerprint.js -@@||tiscali.it/js/webtrends/$script,domain=mail.tiscali.it -@@||track.adform.net/serving/scripts/trackpoint$script,domain=sky.it|ubibanca.com -@@||video.repubblica.it^*/nielsen.js -@@||webcenter.tiscali.it/distribuzione/_script/audience_science.js$domain=mail.tiscali.it -! Indonesian -@@||detik.com/urchin.js -! Japanese -@@||chancro.jp/assets/lib/googleanalytics-$script -! Latvian -@@/webtracking/*$domain=pasts.lv -@@||gjensidige.lv/Content/dev/scripts/analytics.js -@@||google-analytics.com/analytics.js$domain=skaties.lv -! Norwegian -@@||adobedtm.com^*/satelliteLib-$script,domain=elkjop.no -@@||cloudfront.net/autoTracker.min.js$domain=direkte.vg.no -@@||google-analytics.com/analytics.js$domain=tv3play.no -! Polish -@@||adobedtm.com^*/satelliteLib-$script,domain=laredoute.pl -@@||gemius.pl/gstream.js -@@||kropka.onet.pl^*/onet.js$domain=tvnwarszawa.pl -@@||ninja.onap.io/ninja-cee.js$domain=olx.pl -@@||stat24.com/crossdomain.xml$domain=ipla.tv -@@||wp.pl^*/dot.gif?$xmlhttprequest,domain=open.fm|wp.tv -! Portuguese -@@||77.91.202.130/js/20050/xiti.js$domain=custojusto.pt -@@||adobedtm.com^*/satelliteLib-$script,domain=crackle.com.br|laredoute.pt -@@||chiptec.net/skin/*/GoogleAnalyticsPlus/$script -@@||dfdbz2tdq3k01.cloudfront.net/js/2.1.0/IbtRealTimeSJ/IbtRealTimeSJ.js?$domain=social.economico.pt -@@||dfdbz2tdq3k01.cloudfront.net/js/2.1.0/IbtRealTimeSJ/IbtRealTimeSJCore.js?$domain=social.economico.pt -@@||dfdbz2tdq3k01.cloudfront.net/js/2.1.0/ortc.js$domain=social.economico.pt -@@||google-analytics.com/urchin.js$domain=record.xl.pt -@@||googletagmanager.com/gtm.js$domain=saraiva.com.br -@@||googletagmanager.com/gtm.js?$domain=netcombo.com.br|tugatech.com.pt -@@||hit.gemius.pl/xlgemius.js$script,domain=ojogo.pt -@@||laredoute.pt/js/byside_webcare.js -@@||marktest.pt/netscope-gemius.js$script,domain=ojogo.pt -@@||nostv.pt^*/angulartics-google-analytics.js? -@@||siteapps.com^$script,domain=netcombo.com.br -@@||stats.g.doubleclick.net/dc.js$domain=netcombo.com.br -! Indian -@@||playwire.com/bolt/js/zeus/$script,domain=desi-tashan.com -! Romanian -@@||homebank.ro/public/HomeBankLogin/js/fingerprint/fingerprint.js -! Russian -@@||adobedtm.com^*/satelliteLib-$script,domain=laredoute.ru -@@||afisha.ru/proxy/videonetworkproxy.ashx?$xmlhttprequest -@@||boxberry.ru/bitrix/templates/main.adaptive/js/tracking.js -@@||boxberry.ru/tracking.service/ -@@||dict.rambler.ru/fcgi-bin/$xmlhttprequest,domain=rambler.ru -@@||google-analytics.com/analytics.js$domain=nabortu.ru|poiskstroek.ru -@@||google-analytics.com/ga.js$domain=carambatv.ru -@@||itv.1tv.ru/stat.php? -@@||k12-company.ru^*/statistics.js$script -@@||labrc.pw/advstats/$xmlhttprequest -@@||matchid.adfox.yandex.ru/?url=$script,domain=ctc.ru -@@||megafon.ru/static/?files=*/tealeaf.js -@@||player.fc-zenit.ru/msi/geoip?$xmlhttprequest -@@||ssp.rambler.ru/acp/capirs_main.$script,domain=afisha.ru -@@||ssp.rambler.ru/capirs.js$domain=afisha.ru -@@||swa.mail.ru/cgi-bin/counters?$script -@@||wargag.ru/public/js/counter.js? -@@||widget.myrentacar.me^$script,subdocument -@@||yandex.ru/metrika/watch.js$domain=alean.ru|anoncer.net|nabortu.ru|tv.yandex.ru|tvrain.ru -@@||yandex.ru/watch/$xmlhttprequest,domain=anoncer.net -@@||yandex.ru/webvisor/$xmlhttprequest,domain=anoncer.net -! Spanish -@@||acb.com/javascripts/jv_feeder_stats.js -@@||adobedtm.com^*/satelliteLib-$script,domain=crackle.com.ar|crackle.com.ec|crackle.com.mx|crackle.com.pe|crackle.com.py|laredoute.es -@@||c5n.com^*/angulartics-google-analytics.min.js -@@||estafeta.com/shared/js/tracking.js -@@||metrics.el-mundo.net/b/ss/$image,domain=expansion.com -@@||segundamano.mx^*/tealium.js -! Swedish -@@||adobedtm.com^*/satelliteLib-$script,domain=elgiganten.se -@@||google-analytics.com/analytics.js$domain=tradera.com|xxl.se -@@||google-analytics.com/plugins/ua/ec.js$domain=xxl.se -@@||googletagmanager.com/gtm.js?id=$domain=tradera.com|xxl.se -@@||picsearch.com/js/comscore.js$domain=dn.se -@@||reseguiden.se^*.siteCatalyst.js -! Thai -@@||lazada.co.th/js/tracking.js -! Turkish -@@||google-analytics.com/analytics.js$domain=ligtv.com.tr -@@||mc.yandex.ru/metrika/watch.js$domain=f5haber.com -@@||turkcelltvplus.com.tr^*/google_analytics/main.js? -@@||tvyo.com/player/plugins/comscorePlugin.swf?$object-subrequest -! Ukrainian -@@||bemobile.ua/lib/lib.js$domain=tsn.ua -@@||gemius.pl/gplayer.js$domain=tsn.ua -@@||uaprom.net/image/blank.gif?$image -! Anti-Adblock -@@|http://r.i.ua/s?*&p*&l$image,domain=swordmaster.org -! Checksum: FxnItHIzdAZ//z8KD0qPTQ diff --git a/data/update-lists.js b/data/update-lists.js new file mode 100644 index 00000000..195eef2e --- /dev/null +++ b/data/update-lists.js @@ -0,0 +1,47 @@ +const { execSync } = require("child_process"); +const fs = require("fs"); +const path = require("path"); + +// Remove readline and use command line arguments +const args = process.argv.slice(2); + +if (args.length < 2) { + console.error( + "Usage: node update-lists.js " + ); + process.exit(1); +} + +const apiKey = args[0]; +const version = args[1]; + +const versionNumber = version.replace(/\./g, "_"); +const extensionId = "iodkpdagapdfkphljnddpjlldadblomo"; + +execSync( + "curl -o data/easylist.to/easylist/easylist.txt https://easylist.to/easylist/easylist.txt" +); +execSync( + "curl -o data/easylist.to/easylist/easyprivacy.txt https://easylist.to/easylist/easyprivacy.txt" +); +execSync( + "curl -o data/easylist.to/easylistgermany/easylistgermany.txt https://easylist.to/easylistgermany/easylistgermany.txt" +); + +execSync( + `curl -o extension.zip -H "BraveServiceKey: ${apiKey}" ` + + `https://brave-core-ext.s3.brave.com/release/${extensionId}/extension_${versionNumber}.crx` +); + +const tempDir = fs.mkdtempSync("temp-brave-list"); +const listPath = path.join(tempDir, "list.txt"); +try { + execSync("unzip extension.zip -d " + tempDir); +} catch (e) { + if (!fs.existsSync(listPath)) { + console.error("Failed to find list.txt in extension.zip"); + process.exit(1); + } +} + +execSync(`mv -f ${listPath} data/brave/brave-main-list.txt`); diff --git a/js/Cargo.toml b/js/Cargo.toml index 04bf9472..d82161fe 100644 --- a/js/Cargo.toml +++ b/js/Cargo.toml @@ -14,3 +14,6 @@ serde = { version = "1.0", features = ["derive", "rc"] } serde_json = "1.0" adblock = { path = "../", features = ["css-validation", "content-blocking", "resource-assembler"] } neon = { version = "^0.10.1", default-features = false, features = ["napi-1"] } + +[features] +default-panic-hook = [] diff --git a/package.json b/package.json index 42180f86..0d2dcd59 100644 --- a/package.json +++ b/package.json @@ -34,6 +34,7 @@ "build": "cd js && cargo-cp-artifact -nc index.node -- cargo build --message-format=json-render-diagnostics", "build-debug": "npm run build --", "build-release": "npm run build -- --release", + "update-lists": "node data/update-lists.js", "install": "npm run build-release", "test": "cargo test" } diff --git a/src/blocker.rs b/src/blocker.rs index cb0a791e..888c97fc 100644 --- a/src/blocker.rs +++ b/src/blocker.rs @@ -2187,10 +2187,20 @@ mod legacy_rule_parsing_tests { // difference from original counts caused by not handling document/subdocument options and possibly miscounting on the blocker side. // Printing all non-cosmetic, non-html, non-comment/-empty rules and ones with no unsupported options yields 29142 items // This engine also handles 3 rules that old one does not - const EASY_LIST: ListCounts = ListCounts { filters: 24064, cosmetic_filters: 31163, exceptions: 5796, duplicates: 0 }; + const EASY_LIST: ListCounts = ListCounts { + filters: 35597, // 36259 - 662 exceptions + cosmetic_filters: if cfg!(feature = "css-validation") { 23072 } else { 23080 }, + exceptions: 662, + duplicates: 0 + }; // easyPrivacy = { 11817, 0, 0, 1020 }; // differences in counts explained by hashset size underreporting as detailed in the next two cases - const EASY_PRIVACY: ListCounts = ListCounts { filters: 11889, cosmetic_filters: 0, exceptions: 1021, duplicates: 2 }; + const EASY_PRIVACY: ListCounts = ListCounts { + filters: 52278, // 52998 - 720 exceptions + cosmetic_filters: 21, + exceptions: 720, + duplicates: 2 + }; // ublockUnbreak = { 4, 8, 0, 94 }; // differences in counts explained by client.hostAnchoredExceptionHashSet->GetSize() underreporting when compared to client.numHostAnchoredExceptionFilters const UBLOCK_UNBREAK: ListCounts = ListCounts { filters: 4, cosmetic_filters: 8, exceptions: 98, duplicates: 0 }; @@ -2238,12 +2248,12 @@ mod legacy_rule_parsing_tests { #[test] fn parse_easylist() { - check_list_counts(["./data/test/easylist.txt"], FilterFormat::Standard, EASY_LIST); + check_list_counts(["./data/easylist.to/easylist/easylist.txt"], FilterFormat::Standard, EASY_LIST); } #[test] fn parse_easyprivacy() { - check_list_counts(["./data/test/easyprivacy.txt"], FilterFormat::Standard, EASY_PRIVACY); + check_list_counts(["./data/easylist.to/easylist/easyprivacy.txt"], FilterFormat::Standard, EASY_PRIVACY); } #[test] @@ -2286,8 +2296,8 @@ mod legacy_rule_parsing_tests { let expectation = EASY_LIST + EASY_PRIVACY + UBLOCK_UNBREAK + BRAVE_UNBREAK; check_list_counts( [ - "./data/test/easylist.txt", - "./data/test/easyprivacy.txt", + "./data/easylist.to/easylist/easylist.txt", + "./data/easylist.to/easylist/easyprivacy.txt", "./data/test/ublock-unbreak.txt", "./data/test/brave-unbreak.txt", ], diff --git a/src/filters/network.rs b/src/filters/network.rs index c2157e84..6dd2e822 100644 --- a/src/filters/network.rs +++ b/src/filters/network.rs @@ -3418,7 +3418,7 @@ mod hash_collision_tests { let rules = test_utils::rules_from_lists([ "data/easylist.to/easylist/easylist.txt", "data/easylist.to/easylist/easyprivacy.txt", - ]); + ]).filter(|f| f != "||www.bred4tula.com^"); // remove known collision let (network_filters, _) = parse_filters(rules, true, Default::default()); let mut filter_ids: HashMap = HashMap::new();